From 03d3f3d080c6ff1ee3a991a091186cbd189838b5 Mon Sep 17 00:00:00 2001 From: Mike Wittie Date: Wed, 25 Oct 2017 10:15:54 -0600 Subject: [PATCH 01/25] Fall 2016 version of the assignment --- .gitignore | 1 + link.py | 76 +++++++++++++++++++++++++ network.py | 150 ++++++++++++++++++++++++++++++++++++++++++++++++++ simulation.py | 65 ++++++++++++++++++++++ 4 files changed, 292 insertions(+) create mode 100644 .gitignore create mode 100644 link.py create mode 100644 network.py create mode 100644 simulation.py diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..e32cabc --- /dev/null +++ b/.gitignore @@ -0,0 +1 @@ +__pycache* diff --git a/link.py b/link.py new file mode 100644 index 0000000..b5214ee --- /dev/null +++ b/link.py @@ -0,0 +1,76 @@ +''' +Created on Oct 12, 2016 + +@author: mwitt_000 +''' + +import queue +import threading + +## An abstraction of a link between router interfaces +class Link: + + ## creates a link between two objects by looking up and linking node interfaces. + # @param from_node: node from which data will be transfered + # @param from_intf_num: number of the interface on that node + # @param to_node: node to which data will be transfered + # @param to_intf_num: number of the interface on that node + # @param mtu: link maximum transmission unit + def __init__(self, from_node, from_intf_num, to_node, to_intf_num, mtu): + self.from_node = from_node + self.from_intf_num = from_intf_num + self.to_node = to_node + self.to_intf_num = to_intf_num + self.in_intf = from_node.out_intf_L[from_intf_num] + self.out_intf = to_node.in_intf_L[to_intf_num] + self.mtu = mtu + + ## called when printing the object + def __str__(self): + return 'Link %s-%d to %s-%d' % (self.from_node, self.from_intf_num, self.to_node, self.to_intf_num) + + ##transmit a packet from the 'from' to the 'to' interface + def tx_pkt(self): + pkt_S = self.in_intf.get() + if pkt_S is None: + return #return if no packet to transfer + if len(pkt_S) > self.mtu: + print('%s: packet "%s" length greater then link mtu (%d)' % (self, pkt_S, self.mtu)) + return #return without transmitting if packet too big + #otherwise transmit the packet + try: + self.out_intf.put(pkt_S) + print('%s: transmitting packet "%s"' % (self, pkt_S)) + except queue.Full: + print('%s: packet lost' % (self)) + pass + + +## An abstraction of the link layer +class LinkLayer: + + def __init__(self): + ## list of links in the network + self.link_L = [] + self.stop = False #for thread termination + + ##add a Link to the network + def add_link(self, link): + self.link_L.append(link) + + ##transfer a packet across all links + def transfer(self): + for link in self.link_L: + link.tx_pkt() + + ## thread target for the network to keep transmitting data across links + def run(self): + print (threading.currentThread().getName() + ': Starting') + while True: + #transfer one packet on all the links + self.transfer() + #terminate + if self.stop: + print (threading.currentThread().getName() + ': Ending') + return + \ No newline at end of file diff --git a/network.py b/network.py new file mode 100644 index 0000000..51387aa --- /dev/null +++ b/network.py @@ -0,0 +1,150 @@ +''' +Created on Oct 12, 2016 + +@author: mwitt_000 +''' +import queue +import threading + + +## wrapper class for a queue of packets +class Interface: + ## @param maxsize - the maximum size of the queue storing packets + def __init__(self, maxsize=0): + self.queue = queue.Queue(maxsize); + + ##get packet from the queue interface + def get(self): + try: + return self.queue.get(False) + except queue.Empty: + return None + + ##put the packet into the interface queue + # @param pkt - Packet to be inserted into the queue + # @param block - if True, block until room in queue, if False may throw queue.Full exception + def put(self, pkt, block=False): + self.queue.put(pkt, block) + +## Implements a network layer packet (different from the RDT packet +# from programming assignment 2). +# NOTE: This class will need to be extended to for the packet to include +# the fields necessary for the completion of this assignment. +class NetworkPacket: + ## packet encoding lengths + dst_addr_S_length = 5 + + ##@param dst_addr: address of the destination host + # @param data_S: packet payload + def __init__(self, dst_addr, data_S): + self.dst_addr = dst_addr + self.data_S = data_S + + ## called when printing the object + def __str__(self): + return self.to_byte_S() + + ## convert packet to a byte string for transmission over links + def to_byte_S(self): + byte_S = str(self.dst_addr).zfill(self.dst_addr_S_length) + byte_S += self.data_S + return byte_S + + ## extract a packet object from a byte string + # @param byte_S: byte string representation of the packet + @classmethod + def from_byte_S(self, byte_S): + dst_addr = int(byte_S[0 : NetworkPacket.dst_addr_S_length]) + data_S = byte_S[NetworkPacket.dst_addr_S_length : ] + return self(dst_addr, data_S) + + + + +## Implements a network host for receiving and transmitting data +class Host: + + ##@param addr: address of this node represented as an integer + def __init__(self, addr): + self.addr = addr + self.in_intf_L = [Interface()] + self.out_intf_L = [Interface()] + self.stop = False #for thread termination + + ## called when printing the object + def __str__(self): + return 'Host_%s' % (self.addr) + + ## create a packet and enqueue for transmission + # @param dst_addr: destination address for the packet + # @param data_S: data being transmitted to the network layer + def udt_send(self, dst_addr, data_S): + p = NetworkPacket(dst_addr, data_S) + self.out_intf_L[0].put(p.to_byte_S()) #send packets always enqueued successfully + print('%s: sending packet "%s"' % (self, p)) + + ## receive packet from the network layer + def udt_receive(self): + pkt_S = self.in_intf_L[0].get() + if pkt_S is not None: + print('%s: received packet "%s"' % (self, pkt_S)) + + ## thread target for the host to keep receiving data + def run(self): + print (threading.currentThread().getName() + ': Starting') + while True: + #receive data arriving to the in interface + self.udt_receive() + #terminate + if(self.stop): + print (threading.currentThread().getName() + ': Ending') + return + + + +## Implements a multi-interface router described in class +class Router: + + ##@param name: friendly router name for debugging + # @param intf_count: the number of input and output interfaces + # @param max_queue_size: max queue length (passed to Interface) + def __init__(self, name, intf_count, max_queue_size): + self.stop = False #for thread termination + self.name = name + #create a list of interfaces + self.in_intf_L = [Interface(max_queue_size) for _ in range(intf_count)] + self.out_intf_L = [Interface(max_queue_size) for _ in range(intf_count)] + + ## called when printing the object + def __str__(self): + return 'Router_%s' % (self.name) + + ## look through the content of incoming interfaces and forward to + # appropriate outgoing interfaces + def forward(self): + for i in range(len(self.in_intf_L)): + pkt_S = None + try: + #get packet from interface i + pkt_S = self.in_intf_L[i].get() + #if packet exists make a forwarding decision + if pkt_S is not None: + p = NetworkPacket.from_byte_S(pkt_S) #parse a packet out + # HERE you will need to implement a lookup into the + # forwarding table to find the appropriate outgoing interface + # for now we assume the outgoing interface is also i + self.out_intf_L[i].put(p.to_byte_S(), True) + print('%s: forwarding packet "%s" from interface %d to %d' % (self, p, i, i)) + except queue.Full: + print('%s: packet "%s" lost on interface %d' % (self, p, i)) + pass + + ## thread target for the host to keep forwarding data + def run(self): + print (threading.currentThread().getName() + ': Starting') + while True: + self.forward() + if self.stop: + print (threading.currentThread().getName() + ': Ending') + return + \ No newline at end of file diff --git a/simulation.py b/simulation.py new file mode 100644 index 0000000..3b02832 --- /dev/null +++ b/simulation.py @@ -0,0 +1,65 @@ +''' +Created on Oct 12, 2016 + +@author: mwitt_000 +''' +import network +import link +import threading +from time import sleep + +##configuration parameters +router_queue_size = 0 #0 means unlimited +simulation_time = 1 #give the network sufficient time to transfer all packets before quitting + +if __name__ == '__main__': + object_L = [] #keeps track of objects, so we can kill their threads + + #create network nodes + client = network.Host(1) + object_L.append(client) + server = network.Host(2) + object_L.append(server) + router_a = network.Router(name='A', intf_count=1, max_queue_size=router_queue_size) + object_L.append(router_a) + + #create a Link Layer to keep track of links between network nodes + link_layer = link.LinkLayer() + object_L.append(link_layer) + + #add all the links + link_layer.add_link(link.Link(client, 0, router_a, 0, 50)) + link_layer.add_link(link.Link(router_a, 0, server, 0, 50)) + + + #start all the objects + thread_L = [] + thread_L.append(threading.Thread(name=client.__str__(), target=client.run)) + thread_L.append(threading.Thread(name=server.__str__(), target=server.run)) + thread_L.append(threading.Thread(name=router_a.__str__(), target=router_a.run)) + + thread_L.append(threading.Thread(name="Network", target=link_layer.run)) + + for t in thread_L: + t.start() + + + #create some send events + for i in range(3): + client.udt_send(2, 'Sample data %d' % i) + + + #give the network sufficient time to transfer all packets before quitting + sleep(simulation_time) + + #join all threads + for o in object_L: + o.stop = True + for t in thread_L: + t.join() + + print("All simulation threads joined") + + + +# writes to host periodically \ No newline at end of file From 14744fdc25f01fd93ba0db8decc773f4e3c0b9e8 Mon Sep 17 00:00:00 2001 From: Mike Wittie Date: Wed, 25 Oct 2017 10:19:34 -0600 Subject: [PATCH 02/25] Added mtu to interface set by the link layer --- link.py | 9 ++++++--- network.py | 9 +++++---- 2 files changed, 11 insertions(+), 7 deletions(-) diff --git a/link.py b/link.py index b5214ee..c7afd73 100644 --- a/link.py +++ b/link.py @@ -23,7 +23,10 @@ def __init__(self, from_node, from_intf_num, to_node, to_intf_num, mtu): self.to_intf_num = to_intf_num self.in_intf = from_node.out_intf_L[from_intf_num] self.out_intf = to_node.in_intf_L[to_intf_num] - self.mtu = mtu + #configure the linking interface MTUs + self.in_intf.mtu = mtu + self.out_intf.mtu = mtu + ## called when printing the object def __str__(self): @@ -34,8 +37,8 @@ def tx_pkt(self): pkt_S = self.in_intf.get() if pkt_S is None: return #return if no packet to transfer - if len(pkt_S) > self.mtu: - print('%s: packet "%s" length greater then link mtu (%d)' % (self, pkt_S, self.mtu)) + if len(pkt_S) > self.out_intf.mtu: + print('%s: packet "%s" length greater then link mtu (%d)' % (self, pkt_S, self.out_intf.mtu)) return #return without transmitting if packet too big #otherwise transmit the packet try: diff --git a/network.py b/network.py index 51387aa..f08911f 100644 --- a/network.py +++ b/network.py @@ -12,6 +12,7 @@ class Interface: ## @param maxsize - the maximum size of the queue storing packets def __init__(self, maxsize=0): self.queue = queue.Queue(maxsize); + self.mtu = None ##get packet from the queue interface def get(self): @@ -81,7 +82,7 @@ def __str__(self): def udt_send(self, dst_addr, data_S): p = NetworkPacket(dst_addr, data_S) self.out_intf_L[0].put(p.to_byte_S()) #send packets always enqueued successfully - print('%s: sending packet "%s"' % (self, p)) + print('%s: sending packet "%s" out interface with mtu=%d' % (self, p, self.out_intf_L[0].mtu)) ## receive packet from the network layer def udt_receive(self): @@ -134,7 +135,8 @@ def forward(self): # forwarding table to find the appropriate outgoing interface # for now we assume the outgoing interface is also i self.out_intf_L[i].put(p.to_byte_S(), True) - print('%s: forwarding packet "%s" from interface %d to %d' % (self, p, i, i)) + print('%s: forwarding packet "%s" from interface %d to %d with mtu %d' \ + % (self, p, i, i, self.out_intf_L[i].mtu)) except queue.Full: print('%s: packet "%s" lost on interface %d' % (self, p, i)) pass @@ -146,5 +148,4 @@ def run(self): self.forward() if self.stop: print (threading.currentThread().getName() + ': Ending') - return - \ No newline at end of file + return \ No newline at end of file From 7fa3f7921f407e570f4d160a457021d2356059cb Mon Sep 17 00:00:00 2001 From: Mike Wittie Date: Wed, 25 Oct 2017 10:21:35 -0600 Subject: [PATCH 03/25] removed readme for now --- README.md | 4 ---- 1 file changed, 4 deletions(-) delete mode 100644 README.md diff --git a/README.md b/README.md deleted file mode 100644 index 9845176..0000000 --- a/README.md +++ /dev/null @@ -1,4 +0,0 @@ -# CSCI_466_Programming_Assignments -Programming Assignments for the CSCI 466: Networks course at Montana State University - -Please choose a branch corresponding to a programming assignment. From 9051ccb4268850f8bf5866a4367df4a32f706ae2 Mon Sep 17 00:00:00 2001 From: mwittie Date: Thu, 26 Oct 2017 16:49:45 -0600 Subject: [PATCH 04/25] Create README.md --- README.md | 2 ++ 1 file changed, 2 insertions(+) create mode 100644 README.md diff --git a/README.md b/README.md new file mode 100644 index 0000000..bb3d8d8 --- /dev/null +++ b/README.md @@ -0,0 +1,2 @@ +# CSCI 466 Programming Assignment 3 - Data Plane + From 1231c2730cb9baff068086903fe21bbc57f6c830 Mon Sep 17 00:00:00 2001 From: mwittie Date: Mon, 15 Oct 2018 20:01:06 -0600 Subject: [PATCH 05/25] Update README.md In the middle of converting to PA3 test --- README.md | 123 +++++++++++++++++++++++++++++++++++++++++++++++++++++- 1 file changed, 122 insertions(+), 1 deletion(-) diff --git a/README.md b/README.md index bb3d8d8..d8580ee 100644 --- a/README.md +++ b/README.md @@ -1,2 +1,123 @@ -# CSCI 466 Programming Assignment 3 - Data Plane +# CSCI 466 PA3 - Network Layer: Data Plane + +## Instructions + +Complete the following assignment in pairs, or groups of three. +Submit your work on D2L into the "Programming Assignment 3" folder before its due date. +All partners will submit the same solution and we will only grade one solution for each group. + + +## Learning Objectives + +In this programming assignment you will: + +- Packetize streams at the network layer +- Implement packet segmentation +- Implement forwarding through routing tables + + +## Assignment + +During this project, you will implement several key data plane functions of a router, including stream packetization, packet segmentation, and forwarding. +The next assignment will complement these functions at the control plane. + + +### Starting Code + +The starting code for this project provides you with the implementation several network layers that cooperate to provide end-to-end communication. + +``` +NETWORK LAYER (network.py) +DATA LINK LAYER (link.py) +``` + +The code also includes `simulation.py` that manages the threads running the different network objects. +Currently, `simulation.py` defines the following network. + +![Image of Yaktocat](https://octodex.github.com/images/yaktocat.png) + +### Program Invocation + +To run the starting code you may run: + +``` +python server.py 5000 +``` + +and + +``` +python client.py localhost 5000 +``` + +in separate terminal windows. +Be sure to start the server first, to allow it to start listening on a socket, and start the client soon after, before the server times out. + + +## BONUS + +We will award __one bonus point__ for each of the following: + +* The network layer may also reorder packets. +If you set `prob_pkt_reorder` to a non-zero probability you will start seeing packet that are reordered. +Implement RDT 3.1, which delivers packets in the correct order. + +* RDT 3.1 is a stop and wait protocol. +Implements RDT 4.0 - a pipelined reliable data transmission protocol based on either Go-back-N (GBN), or Selective Repeat (SR) mechanisms. + + +## What to Submit + +You will submit different versions of `rdt.py`, which implements the send and receive functions for RDT 2.1, and RDT 3.0. +RDT 2.1 tolerates corrupted packets through retransmission. +RDT 3.0 tolerates corrupted and lost packets through retransmission. +The necessary functions prototypes are already included in `rdt.py`. +For the purposes of testing you may modify `client.py` and `server.py` to use these functions instead of those of RDT 1.0. +You will also submit a link to a YouTube video showing an execution of your code for each version of the protocol. +Videos longer than 5 minutes will not be graded. + +## Grading Rubric + +We will grade the assignment as follows: + +* \[2 points\] `partners.txt` with your partner's first and last name. + +* \[10 points\] `rdt_2_1.py`, `client_2_1.py`, `server_2_1.py`, `network_2_1.py` that correctly implement RDT 2.1 and a link to a YouTube video showing the execution of your program. + + * \[2 points\] RDT 2.1 delivers data under no corruption in the network + + * \[2 points\] RDT 2.1 uses a modified Packet class to send ACKs + + * \[2 points\] RDT 2.1 does not deliver corrupt packets + + * \[2 points\] RDT 2.1 uses modified Packet class to send NAKs for corrupt packets + + * \[2 points\] RDT 2.1 resends data following a NAK + +* \[13 points\] `rdt_3_0.py`, `client_3_0.py`, `server_3_0.py`, `network_3_0.py` that correctly implement RDT 3.0 and a link to a YouTube video showing the execution of your program. + + * \[2 points\] RDT 3.0 delivers data under no corruption or loss in the network and uses a modified Packet class to send ACKs + + * \[2 points\] RDT 3.0 does not deliver corrupt packets and uses modified Packet class to send NAKs + + * \[2 points\] RDT 3.0 resends data following a NAK + + * \[2 points\] RDT 3.0 retransmits a lost packet after a timeout + + * \[2 points\] RDT 3.0 retransmits a packet after a lost ACK + + * \[3 points\] RDT 3.0 ignores a duplicate packet after a premature timeout (or after a lost ACK) + +* \[1 points\] (BONUS) `rdt_3_1.py`, `client_3_1.py`, `server_3_1.py`, `network_3_1.py` that correctly implement RDT 3.1 and a link to a YouTube video showing the execution of your program. + +* \[1 points\] (BONUS) `rdt_4_0.py`, `client_4_0.py`, `server_4_0.py`, `network_4_0.py` that correctly implement RDT 4.0 and a link to a YouTube video showing the execution of your program. + + + +## Acknowledgements + +This project was adapted from Kishore Ramachandran version of this assignment. + + + From 08b3b836d4a27be688745b5374788b13475c5ef2 Mon Sep 17 00:00:00 2001 From: Unknown Date: Mon, 15 Oct 2018 20:06:58 -0600 Subject: [PATCH 06/25] added images for readme.md --- .gitignore | 10 ++++++++++ images/Drawing2.vsdx | Bin 0 -> 61217 bytes images/network.png | Bin 0 -> 32174 bytes images/simple.png | Bin 0 -> 8018 bytes 4 files changed, 10 insertions(+) create mode 100644 images/Drawing2.vsdx create mode 100644 images/network.png create mode 100644 images/simple.png diff --git a/.gitignore b/.gitignore index e32cabc..542ec04 100644 --- a/.gitignore +++ b/.gitignore @@ -1 +1,11 @@ __pycache* + +*.sublime-project + +*.sublime-workspace + +\.python-version + +bin/ + +lib/python3\.6/ diff --git a/images/Drawing2.vsdx b/images/Drawing2.vsdx new file mode 100644 index 0000000000000000000000000000000000000000..ada3628b9e03f11b2c285f9857c7434f45e89986 GIT binary patch literal 61217 zcmeFYW0z>nvY=bGZPzN>w!O->ZQHI@wr$(CZQFMBdVAly$LVqQ`32qcL(Z8a^TUi7 z`D8>!M9ND6gP;I_0YCr%01yJ8h@t`%0RjNT|Lr0JKmch9+1fZ6+c@bex!V~#YSX$| zTM^`g0Fmbc0R5f+|DOMgHPDzmVbf2KAo7y*4*#b`*&vsu2-RN%e)S;Q&>#=>frbUAPn8ah77hRqLk@0lJUM)|I1r16SnZXe14?}E6fz*)Y z*gmCl!1z5T8~X5;-XkA`{t^9>Eq~ERuY*P(VLJWAPTJt56NQ~-;)NBV{lS=d4uVp9 z>mtc!Jt`~lAL&xRdfd-mqr^}%kGOg?A6>u5OVxGc62_r9lcg-c0??Tv#Va19+g z37rhaCj75?laazBzKA)tzYFu{2N*#9|Dd}>t-p!%FWox8007W`>DF~HwsNGS{ipqZ zRR3R$@_!M%GGRh?;2)~RKLd}v4+^=1?6yu07^s*}`0d6?E6dPaF^YwK3&)PYOJ z8kBe&Nem6gy9$3RgpqSGBQTxJ6=w{C0w>1gq2e8aH_W;W{_9#lm#zv#`**LW3t-Np|eJXKZ7`HxgFUKKC{{w1ms8~_0I?+h1n zM{`>`JAG4Q$A7i|Sj{M9ZQFHv6z`nIpEx$Yq#&4LC>AA}DA=;Vh}mlI^i8`2HOI?I z``pWwn{~)InDKX{vFAIUkrSW8^LLhmX)L9_LJ0Ae14M9P5>;suKniCsdx^}8y%BiT z7iRx{fktwmc#AA}t(LIgqh@nsYK2CGhFjrA$K&iKh^>|(4B9&v?>3@o1WQ}~ob5D@ z2pDY1lm+dl;z^5y!;F+n2v~t`IohC^7E0=c)O1#j0)G}Dfa0mh`K$b4sw7Q0;UKyV zMVZ_n!VrDts**#Ohy!IX6k=AU^3-GEpcWPR-?MxiPdEs=Vs>uabG&+d&%CdnEc59> zXQy$I5zec^g9?#{-}IY;RJ(LxYeak7m@0%n^{BFlVAEqhOC33hZLsfQ)#5E8+nD2H z`1RY@Cl6WyzKj%fN-lCncr-VMH2DvboQsfL0vsw&!7L9j9v$ZsdjjkDYB!JN%eX-4 zDa?qIBS<014;FxK*|8*OQ8l{#UR^GzsXoNBj2kDbY;h(tA`-jkaiP-jnKIb6$4*y( z9Ab_Xfuq`59^SMS58yax9jA%PXY}!lW7TfxqL{jPj+w(PdK^@tScB;@zi9VFNxa17 zNU>v6Os68bLUFNd1EXB=9>cRHpD%F87Fol(h@t;zo(ogjb)+WA%hA zVw(WH7<~s^d;HV8SF@~Xa@${7+Kkws8Uv1k3#>|KhaEd#nH^nbfO{8*Ig5zRBnj2h zvRA9>^11pLkAhAPWxXq2U56C)M2+8MK5bW;mV~a%{HU*I$q^y3pX%>2t98QB^-TmSVr|H0;e+orLeB0AY=_f)o`Asrh%e)OmbsYuh1-OVG)cTcehDo4_T*FDV@XUbp z6fdh4cshdL%iVLp?n-upAQkW5Hg7S3)1M0G*5U!$UcYBgaCC~Ki^WP51ps+=8d0*Q zxrb%Jta+V79Tbvh7pMCbJ2=w) zOYZ-#_ixD?7rXvhIlXsXv#tm&BlTH>5|W2j{*|QO0ED_$h!?;TLC05~@=(qc>&$q9 zKRf1gcaP>K&%Fpu4M6GTU?D1P0vigwBTt>{z>yN`0@Ks^eq^HTPc?KSu9?R9Qugz_ zjODB3dXi&3_IOJ{qQm3vjZO}ZeWSvL7;P!%v|@+W+OFK6HvBzi^%DdHT447za&q@M z&2yBkr#5B3r*A`x!Q~svQWRt@NnjS^^an|HJ-1aG(Qbc+oFVPAkX=a!wPmfO!mMSj zB*SE6FD1jYWjB)%S~%<#1vd`|g&^;4iSLJ6=KnKeDczfsVkiIr!~p;RNdH#Yf2HeE z`@->{8S!U3?HfM*IB@+e^Qn0Ta|2f$J_ozU;0^CA1&&4l%@L*Scj8TEPj?5v9T6Hz zQlV_-dUjhwYY!+|uR)y}b!maGm$qn=SaS6M32$}FbNUljWXTwH6n@M_hSm46b=Pxj z0^iTssSre*KI0a(dghWJl@9(2x_a|_^PHL-x)o;SOY$DG%<>rbM#irRQO2B5#br0) zVbP8?3$|ndj1|zEma>7YN;R0H=>#WCql+#Q@6pJ(CPBifFVXRQ0$}r%NV}%vBJU0z zP(>Fl-6E^0c`+3}j(BS1WaHUH=PO$EEf9Es05G^U?p5J6+>dmb`Vt5{m&JiddXwn^ zdkm53fd(1&gjrf8cQotN%Im}1QhjgU^uaz!g%?lT4sbEp3rw-7ZWHR^JhdFBb|5|O z{WzabggR&7^j8${**#NpcI=@(??Dr?ssgaP$J1XjjI5~E+BwXzSkJ&Bx*$|0b3?!q zJuu6d#XW11bUBh}%3P}lNzJ&zVksMlg@Zn2+&iv3$v{%kz+pWt{mO8$^YrmdpKoz<+ zZuaQ@dHHno_=-1+KV7>81qvtSd%WcC*ush1E8jdn!*2u%$83S!0Ru-q7q6`OZg6p1JzLmnOa)F0lx%r# zRNyY>X7>?^3-|*D=LV{@Z1s(>31n9Gg*94M=~Ss&KJ3_30sjcO#un@XvU6H*C%{sG zhYiw<8};Q1KL}lUjaDhqo+|%7==Her;#sY1FiJz_H@&Sn;EV<^gcCLI%`bIv)g+^1-1E)ohMX zsTDvQQys&U|J5NCs0I_Vq#kJ0)}Oq|Qx#N;h6)bJneJb8q^x-mCT!!ZUG}>B?qO4( z>dgS%WFeftc7isCFtUI{nh{5B@*P(1;Ehcq5$9`tAki6CU$qHYbpN_#V5q?)L-#Nk0gwh8co5VB1I z^=%RxfRK!%_h@&FNuHSSr5qn>F+2N;Q=O@K{oNu&#nIydSGqNj_x=T)R;^uIF2{&@ z{b5qFgfqA%^e;50b`&^_sS^SaeMx(xd!l^|f?daC6eijIdBN!e%n!+joqA=EYcQEl zghIld#@54%!}sqIR{?I|n(X{xHgk*vybvO|`qH4Jnd5~Zgx4<%Fprax1C5x7!)3^i zNCv}(554y_(*5Mn=2`r}(+8RHW9r~7(m4rw_v`uFJ%0&Hb!^8GFcw2((BsLFF(p(e z9;rxRXlffncj(FbnH8bgWr=zT3c{NB$lE_hT+{}&{42c`pW)i|kN#!{%0P;QX$eA* z$WcQL{LR~TleE1IJopY0>YvA7gD5FA#5;8*bP}A%_o+%&5XzN8DT|2n**l(kk@KH$MBk`0Y6xj#mhc@ zR|P)(;(qE)t6N7Ex9~+u(_H@KP-U5!D^f?Dym{;uv2JM8DS{u=O*nptvV_Y7qBAbP zWZzN;t+M3!GN2v^g9(1~UJjGwZ_%Gtl4v0_C3O&009d2eB_TrNomTBO8sUdns)1#r z%wc)!YhU*^7`h)wZ*k}va*yU}facU3^=L6*Gk}d(G zwwV5GQmZxsfc5J7Qv>1X=I2Bc0qkCxS`Dy66=5HvqF??Ip?ylO(vKc69x4i_2TsRI`L!amTF^EqkSzN3Sg|;eUK)Rn2%bSm*ywBe$?HToxp^mbBhF6F7sLnpW>G6tWIp7(_WtiSgE>WX%&!MDaNQZXd_AQc zK{ve_JY4GiW(-mS`d~dke>+1kP=psMksVD(KR$GCD;}}AWsqz>vRmL=GE8%R4nlkp zM?}$A@1gk{LCQlH;J%W@RVFo$moG3ceH&=IU1#Zr zrA9O!*a1CtPz>@hm=tjcqWk6d3E-AoAef>Kn0n^V_9AwK8YtSGI931s;tr^o?eVj0 zsx>3Si|Kj25MUUUl_hxOTw>pL47lui+&B8E$7So9jmPaTMZ<58T8x(JVS`?=psd6%2vaxOq+!APF#oyfk ziOPfsMNPLN+o@nCbao8v{2~`sZDVJ<_QnWkvm$PUq``j4Ob{Re8KSA$Cud#G6;n+X=e! z)d`RXOcz0r#Z$@JDU;)WLrlsdZqkVC2`WPE`WwWeSUB$i*#h68?f_#6oRUZMKLH8F z;Ys7k44<;JY>8%0uYzHb6Z4A!doetB!bG|5Jquh{+YQRq)X?n$Y@mmULLmy=(SA_4B0BnC=Rh zX3q83dNy(3gClN{a&P^hJMw9DIQf4%_PqO{iuLNFu}+Ecmn(M=zv6 zUghicXcT9oU7=s&uazK-pBm@~)#h)<<3uTVU2Q zMkOeZ-B!~U%Nk(To0KDvks}8oxigz;1srk{4_xXmz|?yg(U){5;P1oj-r(Th{qRU( zRNupz&gn6~QfD|BJ5QVNIy|E50?x%q;1vJECA$`iNSR#UPqck){JL36Oc2isKE&n zbC$tjW^G&`kz6;t2CZ^AtE6qXG(~Obo5GN@adgK=_4n90~C2Efli_k9L!&;;-=&Soqs;R{;Tsdpi5ASSXBrU@cE@Pd|98K53fZ0X?W8mTNcT3k}0#cFC_$CmOOGn>Eu}U0jr}0ls=C*YKw;YL2~5 zA=0WtKwolQ$Q&b1zW{fVHOf$jB~SY6AU!H#(lCnbX0^$j3lafU-*Csp&Y<5=j)nqX zJ9f7g;pTQ5UcNT=bTfRJtZS|ntp;hEPy}y5U3F3_rjJ@dkLqR^cM1$&@$68+?yRJGvZ!R;vU^#+*Xha&{~k6cI4&Vj?K=(2}c*PAQz*{h?#F9Pf&v1Rt?r5 zV1OpH?xab23>HHP-j|_2-#o+H5b1^8~R9k#*IRui` zsw15{YB>x7ci#}O?`#Nkti|<wuTs){9S_)@NfvVno1+W23Q!T z6ePEXN`v6MJzp+;ze@nW+Rl9v95{Bdd-xQX6MYkc;ILN(fv$%`t#w-*J@lFx=q+Tq z$CWXH*`_fG9g?3x$EZ>m#%k}qpof1un%EgO9^f8m>LRWP<3WQ2kfd4+i~OL{Ql5ot z_9pDSHa1Hwx~6IaiIJ5N4EFAjvw#U4l4#h%X`Ra5s8BXBeW)W?_?|#PgfKjgzf`F& zTKDNwB3Rhp#(@xUAGiC6dQFy<8k?K)p_WL;ncmw-)g;!HBQh{m*#~Xp=zatX!hvDg z&rw}$U^fBLlD@&f*R~GKQ22T~npO<|9o@GnKhUp*ebPxJbh*<8RG<%EdhR@uqgGA$*v>g;?jr3YilCk&^xafL89iU~+YGh<@r z^BhnT&ifpUXoBmh#^F6U*J*lG^QC-(TFBH&tMV!H{*q0H1II{Ux9C{A&2gmB}nggusAigC{wMVRGaS}cMo4rQZIfoYtm zT8_l$wC=AfIl(s8Imhy9jFe3nu1%B=5ckkYvCjq_-9h9d8)41G_d_{T+#&g5R&+WS zF9!PHhPyX4tI!=-n^u(%9B2Vm4IOF0Zibr&KIc{STc1?L=sq zH#+RjHUW;z?)_hSh=8eT=Xs(wY}%P`buv3)kxq{-VU8xwQa${l2f{Gt_VcP2fDSd{aT3xb?m=wjfcNL#8hitJa1nA_wmMDWkU$)_w@~olCj}0kI79To zkrrl|S6O%%%2#>W7#FEXN81EfUB}pzQ9yFm;pbH5&uttgJWBY42c^klisGwaPAJL_ z!k`eG@7ui<{~^y|=5h8_BKYpbaJg(OQ@>BKoM5i;=Uog>L!c80bZP=`_W;mT=?g`B&jK6c zJDQ7XrkC>IQe)Vq*-qk3lKy~2jgWJP3ff<;^}$f%zabn;?YRNTrk8ZCES#zp^StC* z@e3R;zEV#n4sF)>jyK=}~ygPz#9WWaQfK+amE&S}11P0U|eM@QlicYHQ-rgpm= zbINLnz5rl&v6!n4WmZDI!06~9S#&R*aA^Rb?eIa(C+1qlLVaZx+ zd$b^FhA^+R-~k|6-E3)mwJm{ncCto8$$tJxcK!D_?RxUqTM;|}K$bKB0Or5Lj{kq0 z_P<1EFSWEC*TvDiU6X!*ZU08*{6La_yA*36fmj@*h9|5|c3M#g`r*W>#SN@#e(bz# zZqSqk_c1VaC}&q5F`mb6l-RlkUe8^{KIHi5PFn8dFLBByM0#8(H|Rvh)8meeJ?8sl z$Y8m2JuhS&6g*7mWeHS*y%~8cOccG2?L>z; zXJuP=vFvu|z@D{Y#iy-Q^J)FB+_&CarIIlDZk!X(5n40D85LtjxW+l^#c$}7AX zusuFu$&OxmNdOcVI@(59}SDYGlsaHp*?9J(Fh> z(JPyvJ@Dcy|RFV!p zJD^>W#D5t}Y6YhfsVwD8Pj{rUfC- zxyVH@$-tJ}9Nng9#Fh*_oJsQ7b8GJ>RZuNNX&t%sxx5gkCrG6aaI)A zW%g2H#=tbA)=jPkw&Wkl*ioJ zKBNI$>stPZ`^fQ=L;a|$50m@1UQS5|d8i`-Co%?s- z9pgo0rMma+K8SGo%(nER5DeQgJhQo2+XRW^W1M5l!8w{GggKOf~H1rr$ekgI0>8V zLA#Qnf#VpqB;Xh)0ZweL#7g7n#n14>O3b;#c)0_j_$;bT`YH}%2gE^F3R?Edqt%a9 z5)4R;!D=yGV;eW&sumjGIVW}@Z{YQm~_cy;uz4^X!PR6C)Q-4L!$&^qpOKzq!x-X`e= zkzYk>E<9rv*s!lywa}Ayf~f?<8bWp&H@xMelFc~jKKFxlxh;JZW+OF3U_xHUmD0rq=ejNRHH`WKAb#{=k6jo$iBSh{~ocPxpyx7a7>XCF-~U=Hm2jD&`v zKA;q@u{E>ZS>YUfij^j@|13rqWenF1fe8_NBgX)8E1O43yxEXrCy1R2Dfp;4%q}{al%jy9^`>lYF7(s zH6{U7TMgY7&Ue($2$(%)Q;Uym(@BE9jUk3?Nc_^m%g}{9i{SN&5kpBl^q1~2!ayF! zlK*@)<2u@9e;F%;thG)5pui_=zad6m=4G^3i3^W?Y#g)Tl`FqKL5U6Hfw!2mPgA~C z8gW$-3+vut6wzh&YJmO`X*ppIS}FFs0l*?H#NLSF%;QFT|x{X?hc?$dx1A&vqA z{7I+-X2?!!Gq84sB~?J=#)34dZgK~mvkT6^`+dklK5?Ql5}469@X1m6DcVkO>Ml)} z@jTj04g)7JW7cVdM0_`e1gsFL7TRMU8_RlVl`62_WKfBuA4Di;hrK{J3E2-NAZx0* zJ?h^Wi$QpMVGZc*1)>V(&?fvR0^njdde<2rgP)*_T$uI4I-As3Z?@&1F8_Lcx;1750>ipf*~W^A+uhxGBKOE1cgt z6;2K;5o=7&Ot>pg-E7E3oDBVbDbnMymI{AuK=LYSdyK49Y;nja<}GlTZX0RSCG!nz zcXhx{1S#JCGU`S+Zfn3v@~$tQ;`n{m8$W0F$faXhLQlO^gN)&R$Or9?;KAJvT)$4U z-#cD2f2qkzlR0Rk9}05r0b8)K9k#{Xb?Z8f!lU?SKiO>$Zf2c^FhzF$_qZFDX)E}J zbCi1w$;213MYM6|sK~0CG3KCJM8F;$osO+Z+@9$|EDS4vkwsmy{wYD|WOJvU17PGKS$Z zampk841pT&d8M*>*pB3okdC~FYet$F_LYak&@&@+DY-;t5Ws)t2Il(6JH za->(A4kiIr)gX|OwW_%h{<=|#+hEPBB%m6FEkrqVX{S}>2*n!M5w?B`$vFo4^oV4F zh=E#$)Zw_4E#PK*0_gC;IG}1?AoA%w3BVdf0Tj%GWWu%CXk^8=W{`fwIq34Oop2_? z_9+%_QjH5;D-#d$ovDds}A&Lm_blTKd5A1L4IX;(&?rptz&oR#eB!y4)T?O^%q&r=CH_D}#uA`u438U9M z$aEWAr((*40vmtdBW{vCD+Yu^fjoG8tggKScO9zwvOQF9B>p{UndvaInqXvo!qv~S zir`FzNtxotd39``7L}2|TN~RpIAVu>G`wHbq_X2iqLVfS5G#Oft!B8i%x3kmOm)3Q zA7jXmAnCyBQkzK8kZ_3g=g53;jvLuGMsPJ&yGuLK@PBK3HRW(zj{Cwj=4~-m!L`wN z$lYqE;?6y0s0r=4(6s2g!+D`s>GaHT3Ds`dK<{-@m${|Al%`*uG*c;kBgvhdp?qkc zfV!&f=<~e;HQ-M;wL>L0aOI=Tr5E$ZlNVa=lf3(ik!xA$j@G2=@W1ux6pwWxAELl} zUZN?Z>ulcVvc+G6=xmniG+*WE>t_oLL4i;)3+XP&6X@OKxQ{_IJA!n^$H;~lMkb@g zGpCFMei_l@X2B3mW<`}bi2A|%vIi#Y5BD2=_`OiZz&t?ZK{N^BJ^VuQ*Qq4KzWio3 z;{}X9T2TOkVlV^%p{9M(x4-3#h@S<7!$7~QUGxu9kOOh*9%q%`fpyyU@h0Bb&}5Z1IPG01DbfDnm42OS98vw<>41&O6Jx7&vXEb#{=157px zDGh&L*b*+UAq9)J<%KTFi{B87&d!EXX!M>K))*&b2n%6I%EMCFNTAD-&s~R{5^(F3 z6r6Ur%p7PXdd+gg@#Cr;1b)+n{G{=2z3rUM+C;`^kl`Kt$V7bB5d`dMAwv1qM%qP* zO85AlEq?Vrk?|616lCI^-ggdHhqkfz0ZlGBkYMkrs0tgbwA8IN=FJ}%+AAT&J#2lX`mkeP2JX7$FS<|TLT*Ev0 zn)N;mbjc24Xk2W}lkT&|ZTp5-yDx}biwl+rX>6>}t1gbvU2M0FyEA?ur@TP*$SO_o z2c_GR+%^jC$&hN_NXslBzNVN$t>=jb5-4Zwp|)M=&G7^p%4rhb!~*s|!a`V8wGD@R>R3QlU}77ykeH}A zob-qK7WTd3L)Z^4K2(U5WuK>#`?fpgn@sHV(fuJ&fBrxSm2mpBXs5x1jv09 zeNw>A?siCok}JHXZ#Oq|H?Fu`M67N4lmxvFQBy_SjwEs*xLF(~(dwb~a!cKFuu-q) z$j0Gz46A*!8(RgU@{t?#94v#Xq+o$v=o2Lz3Hya?XaGmPZQuJH2js%eP@?vBfe~}1 z_wEqTs=tkXH!IRf!%OVDo)QMOUpl%szy=ULC0B}MG=I#aS!4onb)YI6tXp>U>w@j) zKUSWt@0LB7LH{i$68WFc_Kg2jUtMZhJFau0eRnf`;BRiHf&QlV>0^Cl?Go}MnFNa; zDwN^9V$bzs8#b{{VC`u5@s1^#NbZ#vAKlie|DJ_=o^vcLaEysL9C>@(cu6DU$)|S! z{%Oq}mlP2ECdcUbK5VTGyPltq)nxy~sza)%GnT@a~{B3#Ghw zP18kH(O$M>nVhWExv1)jBNv`JzQZeaZG=^`-2)+7#wrrhor8xCF^Kp*WL^@`2rL~J zKr6-i6&@P)D;S*pX_EtYY5WQ#DFrWg^b7qQ^Z=)D@5QZyS5Y8BN1@lk`P(9{Z#_%j zk^M9it!^UNAAM|BteK}1bG(JLTMQt14Xrns7HIk6IdWin>ejM_hno(r1VYZPOd7U) zY?zUNjVhv2y&n`1(9wTxnro}!fiRG&A%;3IT(Jy83O!f~td85%k3!b2x{9CDcYF_! z@1pf!Yhho))yFO+39mC8*E4A>*f9$ zpM6~gzt;{g9wLYz$)HaZ4{PYHdnwv#Ck;N!F2Jl2VtU;@=yJCEK_i>XL;O7g+|zyO zY{C5oJ=mN>Y}*TCatjghdtcPI2WxY4yx{C|i>}yUk!E{9qwkYKdVu+h6jh8AvV^5< zWIlTls^1+U{*grLH}X7~IfjIU3DyM0YKXod5HSU5P$l}XTwFa^ADdSRrU>~porx=X zPzLprmwhKFGzWLR4?&h-ww4>*&O!x!>QtHc>jwHX?)|7ZWNTus<3m(k=2D0Y!mzK1 zoVp?&OO~!aWjpWmi>rIuF*MYcC)6)ybFMnzwO7FCgt7xpm%Y~nn~Y5{pQH6-u2~1} z!`Li(OJz{(;*dsxtb?v(Qi^wM22v23yR$DYqln3=H$u*XvHmA*sOKJ+BcbnwPPshD!d;J;HryOr}e-@WcjIMR4tX@7_{Wn9b zMM&M5bic1;X$kL!=zN9KY5VB5pQtgMMAdt+{_fa)TY=YESCdya{TX9-AX>!7t*A8S zFJj}_Yh_375LksqUm=$ok`V7(lSXt`-iSS|YyBUW!c`KDN6Qnnr!Wd&YUT;T_NTHl0a3+_IT)T)v!b zP!v6TZ`Feb|6KKXg^CCE)rN+;N&Z>6!DILel6K4n@9z-G-9*W@<^l3*9p)0y*_F%J zul>nP<(KmF_Is}QH3;OdZwH%5PH)st>zDF?0F`=`WT~aRi$*h4|LTJ4`TCAi$0NJD zcGBkk_A*xXd*R8YVBSL0qiC6ffzr7vPwBikFUKh=B!6l0Cyt!611tuBEiZ!;4y~0R znE)seqLd|Qb~55 zq^E*4gpjBavV%`LBYB+vHy2Sm`yTPEluI^DN21+IA!ygNMEU5$}nQGv!8@FetY&GZ(- zUS5(uXj4X)>>RJ{-{h8dxWc&P(aVigQN4mn(4U?9ZnKMbq8*z{SniN-5|?1OJ78;$ zZ*@_Y@z^rJbnrh?P4Vcl4ya*a^oXeQWOncH|HjwH)8^N5fqN4t`ECBOaYWs@;s8!MIO+!28g zjc1nbs#c^Wvm9WaCCj`}q@R~1MIO{3(Fl@ExMxw%URerRC$Pq7uVwtLZx8XNO=h0t zl9ki;Rp*)`^MsS@Ik^!OPvl6j}y-e7^#mjEM+Q_R8l7*9(HbsGOY+L=q6TzMfq&m0Vlac@+_a#ov8ioQ%4lp-sXXdKD%th^jp zNvHuvrVgeq$fOG?=$sp6DOs;9*}Pv6tca`HI+5iIsmP7qeoY>BpfT67*d{H)MuB;m znD8w!xczs{g`2nq@XAZba|bQ9R(pvk5u#A!jS*S+41lpGVmu8==LmK#Wa5RBXP9ez zxYSZpJ%`&8iFrHW3aF$eM0~R6=@xO63_?{c@CnxdZXNVkdCUAL`Y=agno1ZhP?+1XQwO?lk-xkt(T zt|O|pG*!FS%3^ylRdT*xBBTKcA5;hVY>2npf=OJ`2o`yxv@*skw9?TPly4;z?_yP1 zh=E3X9yYzxYJ6crrj<=fNMk$O=Dc4=g~k@8P1!lPW75Ym|D#U#=lcGlVCrDboF{5q zF^kfWyt0h-q9sf8CHV7Ad&h-)^$u3Dfq4iJRSy)YP@ob|#_$7B&zAC1!b<^S{`V%DE9C#|o^$-;o=2(t zO}(+Bc<-cr!LL6H%#t?iXEY{2p0(-$G4cPtwB9W{!0>OXBaJO#UM0|9SLY)! zJj-^x;dvR@^zxWusuhYdlzgwfa6=%7pJn;A!RtlAhK^78>hy7f&(@Hd5(Z07fk?rD zK;QpCPcyN}i8%2*mQ7&NAD`FMMl5 zK5-Dwm1s>BK`5i+u%{B|rb;WMt`%YD9symwTJ4TVRtgUt!fwC?Vr$#aOp8$S9XM7C zPe<5l>J}-HIi~u@tdR~xTwRcU2qgH37nuy70Ar7ut6Su>iMw-a8%93a-yNSi}4KuX2ZB^vhaz9YlA8dSX$u~6)&ERhUkjBv0FqDhJ31&nQ1*%B7KY=nJ@+R zRFZ$9inrRl*u)Kwg9IBF;-Zr8Gq*iI6f)y&aip(@6=YV+gg8hWKB`{&Ja{ddDWTUS z$mT7alzmG!8gj6_tp<@>*CIr>Krb5p7_A78bqHjV#vYjTL@B5UH};0Nzel{a(A&i` z|6Ek9DrTF`!jsmimr)h37jGr#c*`s-r z*3GDceK87}eW#Gk&ZzQC=^|+ROlNzM`^oA_U7*+|?8A!0rE9L<^e~~ehzt=4nPBuO zKi*!O&P(DZlsrTjHP(;`RojAo*Tzd#B$B--svw&~dZDKml}RC59FNuF zG&P-x@>SkY)qJ4tRZoj6s#TzUyw8c!c!^ZOpb_*%YwWN4K^Sc-CClG(e<zu%2Iq=Qmn2VADd5LBAhf&oxhoy9png)bUe}3vAgFsx_fq`h{S!`i@KHY>ij*KS2U+G(#8DK+SqUfK*$Lsk-xoEm2kR$JtoX(WU+oJ> zPa2$$<*gE52`UoqW254Fy*9;$)HT(JQ|mzTU447{1JHZFyT| zZr&f3x6J4#j@O>@Sw^p)>n|?m2(~`B175SKa9nSy`O+63Tz%86JF{dKAf0L&*0g;Y zY>gW-0))A+sc-b45fQJa=Iwp^TuxdF&a@Oh%z3Zi=fB>alBXBeP8z=_X0|rInX}M$ zEK9DwJmhPhx@Fa!87Gn#Jg%&mB|0K&471&y*6+-?b-os*e6U9*NOyz2I}Ro5Jd z9Q%qlN&zmm;d-2G8|X5=KaLN4$ILc90ql8E5yc7A>to%)WC{RB!ki!CG8> z-yO+6SJ`+j$uoSilJqscl{PS$Ef}kork&US{#k=LtKwOias_T2>tf`C#-Fqh8j04( zR1*56-zG*~Yx`6b7nC1FIXIIiXZr^3FAQ0C@+H}>Uw6MlGZQa~DsU6XQVzP?7ADkP z*ruKgd3i5i$c z-wCIL)Hqt0xrrk+9yq3(!-P*MsFN(5!J8*NLa*+tpziSW`B7BTZ9Sg;NH}u#tyP=u z7Llkc{b7}H`S#>Um(;U0dGdX(7mUWG1>dO@L_f??QTtAXx|-?EV$J*FDPw$@a^b|E z6jcmo$l)`z0B1?_0@wHbL)&fCAcy|N#i8S7qNamTLvh|ClQvZ0TL|Of;ZBb;k1&;^ z`==y@Mdo9uqORlff6?_#F`7l&)@8f8Y}>Z+b)n0)ZM)01ZQHhO+qQZ8+=u_+&$-Ed z+B;cUdnPLxYs@jmy-0QhaIN1ig$c)48o^W%v^%T~&+eiU}~$TE`nL}B>{*{5$@(??0xq2`;D1caMU#+UpG zqqM(kzi@>6-hBd#EvbX^dap6iEOz83X=$?#!E>d5jsJQzn;icS1&*t(>h+N?LQK$& z`<2m4DV}?W&k5sdRF~-Gu>LNdi@#{A&uh;(vh22lnIWdr#_(LPy2k(@+M(h1^s{@1 z_h=GLp2EV=TwRfsbD$L?Rdja?UY)H#>Gsy1!QMB#TF=^K~N(>e8Q;-U%{T*&)PrfswOQ+ zKCC%C>AGJMPtXLd`Nd#(NAp_V6du>7<`WyS5UX1pwbRn$&=w$~?G3MgaJa4YB~;UW z1JXOZQH6N?ar35S54#BbK7Gvh*B6K3n;5%hb2vtsV4LibuiOD%hw&6`Oi)tbR{{HDopK0t*Zp0|3cg$Qi3hMg&QVZgGf%?!8O7=0ZaTc(u zNNB(jF%JN?hB?XLIAQAG*1CS@*%UV@5z9^cvA`FMmv~%TG}fl)Kt&pXF-W;>ee_EiShjWei8$!oC0tJnA@nIjvIz z2wbt7KE*0rZN2jjc(UVCdEM<`Ua^#c@2Ks`Roi2J_HZJCa_ zTu1wgI6N3-Q9gXR!f_qlWD@$Iu-7!`QgSQQG?y!xAs?%L#0g zq|g3G9tLCQjWfA7y^+#p zb?fh%qa>W(k@3AmX$o7!>UAEMWHyZ>xsUtI)C~LLXat9h zMv%PjOu}0)r!pXukICKNCiTgwq6n}9Jnl1AqzEi>^6Ik|8%aBL0P&!_YLB4@wx zI`a*cUtGZGj<|brB+|?~^NUH=p;`TtT6Zzh`s238hk!KIDVZeYy3n#swNtwzx(dGu z0oEl=ZkuZwz$t~zDVTfj>8#~ZcRbV%zyOWhOsqq=v#+op?fOXBO*oBD zCBC}!aIytDlLBf!zn|1cxH^Jwhm2E2>35s+c_Psvb&D2cg=cwf2FFSs=^oPnU)YV$ z&eW3@(h7we>b&_WQUED1e3rDiYJ~IyHqeX|3WYtY08Fo#O}wU>A~jjFiaMb*6ODtH zWLqJ~cr3Y4kh{fv<70KDmUHqFxToQqmRVbOgJV&7< zEMmc$yq?8yaJbF>o6cbaB#dxkPqTqd_sdjVejs48Oxl)Qq=@LcX9vIG7e!nkSeEo;2h zx!C)Cxh6!uT#+7Tc^Xw@yB4Q!lW4b3q)2-rUhx$7eb_pOaud7;L-tBoTjVi{Tv(rc zL~oEFV~Edh`C=rf68MBddd4}|&G{2A+BwZ}+icKYD}mk>Zu}ZPywX3_8`o2xN^7|9 zq(rhtw~K+Sz!uDI7uhrj@sy+st5{h3 zYO+zVzEv$5EF*Kj*w2o&_)r6D}Z2sE+-02&B|6vW=eY*>UYOT z9)(h}ek>{{8W$;-1DVNmW;P}gLoIl)Pk~(h0M%Dfj+sUoS3t?j2n9eOC!upAWHcP~ z0y`y@ifI$i_?Ju&%Rg#22v2WYJ?9T;Kbe?NS~w=LmkiQ0W*^#%$|}zkOWx>Ia74~@ zZ$9c2=59`ik9?pU#BQ)iod?Gx%lupgZ`nsRFe*0s*GssNIcVO$VJ~($SxYFAnT}<} ztk0WSE6|q9Y9m|UtPTr|(IN^w&?{sw7a%qv12l;2K3L@cFA&FOd7|#>OgTuP_`0ZOTEVW|)DMz}RBJrLxLmu{jpkTMS92d49v=n72jHv;^roE6qU0ccs)=3$JWI63pHL^LA7-$*TL@Z+eoMFovZ zr;;obQ&G)&&s^Hpr4xeYj|><}@uXtUq`g!H3y-Frj1$m|)lu%Id53pa zK0=O0N&}15J?R(y32Lju{gA+dO=4F!D=H~jdMaLI=^YUQ&-C$m7%^mEN)9k$1WK=uJWvKcGoAjRGYDf(C2s4>W1V)SxW zx}Z{Q94(vW*x2?i1EC8g%7~&-Gpr7Hw4_q?Bd(1#xPPWDRjWKTm4b?&Sw=#K>KZ|iF4}7^GH$-Qw-ObnHka`R8Me1x-F}nyJ+;#yLf}Xf z%(Dpm$ zDsB|K%(xZe-201u zKj+_|KiyQ8ND9Yg$KqNE4mm@_lzG~w)ehnqg`SxhCbx>s7EnXCG8f;_Yg#Vy2DFIc zg(#&H6ywK#UknwdYQUbMNX4}v<{uA%#P8&H{I6*B55R`V%=HQNM1ILy#BQTV7`WDP zY0}&p4h1a^N^X|qE+g*C2r^U|^`6^M;+paMtsD`h@WGq)Ya07;r`eNsS5N`Ih~ zo70|fIBZ&$3wx5SiQtFFJpx^86~Q0dEyW#P923YvBmRB@Fo4dQZM$V&Y^A;wsDXBBkhnkrs5h8T`=CMe_jQHvufR# zwcEt&^!2IVD|j-dr@LmCv0eWA&hQn5>PCUJA=U-8Zv+%;Gj&Vc|P5{vih~ z1VivFZJ4Z!^&o%yhNpvc23Fns#uIh$)3LjK^&?1`|piu%+1WrZs$ z>{2j-d<-^{#&kPDY2XMdX;U3rtvHisQ*M%fa|K-oC}wiQzb#e?X5NGy30U7)MgL+D zTR&Zzx&!6ZP+ch9xBNA^$=EiMFEoCF!Z#9ih~xiGV2eJy;^@}JxIMXd1AEZH<<-U5 z{nfX0h|%)TN%CKcW23`WMg5Nm!-@XynQQ-BmP>7G+YND)Z=c>TNWAyIe1t`>^io<6MIlP}?C#5wfGpjxb1 zF_{%Z`_ChLc0N8yJCP^XQ-@wElMyknFP*Je=mY|?(+_(k(2|ItGl;<)2V;wIE8m5hoO?2OD11-w4~6F`2VipWNMJJ5iaaKGV`Zl>%8lZQx-m4g1&2SeQPBG3ng}+SIh5{j)Rn(*k1O?Bk2-Za#vge8wnJRAHUr2i!k5?~PlJYdLGO#~jmc z+`Dt!%u|i?Fou>R4pG+#PDuq$1_s4OmP}N%L{dkFeBUr;!x9n}8Wf4Qb%ft*f55{7 z>(mrVO?L%hLim@FHap$;l_G`Jp+-~>)?RVBbKQI#*&TTMuXOCS1%rC~Tz#g8p&KiB z5-AdXjw~c|(LqbM=cowIpS}M)%tTCU zec2N&nccJu>_nF>u49YYw7SNS3)nptq4)N?Ed9lyGPXb*X^8-NPV~j)I-;m5JNmuB z)YP4EN=IjzHkp;QrLNv9?@NQTT3Jc3N;_CQRf!nOv_WHGN>^N(X<)7RS+zj}tkIAB zShWh6`bIJMeAznuoJkl;xyXb~O!d9d#3%&^@-GDOEBHz&dcycwO823D7$;#%|ISLV zwo7r5b@6?;*_iYNnpw26ib*^YF9Mq{)U9DCwLUl7dY}qm~?MAq2Z0?Mw45 zfJ_oQO*fQTE3Lo&@v`NkDeIa#Jq`9KXs_0 zMn+U<-&9?$TIO#cWX^L6FWN(=gjilx5HsLiGZ zp$ltB!=G^tJ?{o%x_?VGl_m?O)T84S$Z=sj({881 znBHU;?R&T%ARol?Rh0QLar~K%%7C#{dMuO%C#E*0mQ!aD$6ML$OqG>K9H`KGjf*Sb z%Ef{yd~~}ng4?ek72mC&e5ogeB@sZtM5OE>@->zbe^f6DAZ&8 zBz;QFA$CU|somxLcezUO9S#TS3-KIRQh%-j6{80-qs-{rEN z@O=j;6SBcXyRwGu4dPNHMXvN(=fx$!*l`k1RCFxgnoR8+eaXKx&t^ffn_IA*vqV2E!9*l{J)W zRs2gR`3*V(1u<#1Eagt4rn)T`6V?#9kkVqBS>WGIdP1RH6$&%)fz~cBOdXw!>e|0l za62zJ5gY7Xgcg*=uZMPD5*9aQUh^+IQc?24I9tSY(ikX^h5NvN#wVo6SbGMqBUF`IOq-R5?YLGjn(H776c3VZF*A%=+YnkeajtTICuiU#T*u`Z z^9c1cQ;+k|k4|0w-=%kxvm*G!8`eP+pYIJ7{&palmSXJ=?n zMHn0U36kI~PozB;ARw8cqUz-TxbYOd%Yzv`;~V6o#EL(c2$n)4)k^VNp=jl*S} z=c2RQTY;}Gg6M;1jP8${4ZW!Op($30SO!nkx+aE2GD#qA{)&jJqiE9vW^d8~4wA_x zMvlYJp;V7AP3l%zrIV92m}{3uEz=B2IsXIu7bHWJs zjyyu9R5ju%Lul%^WdYR1lYSLl@L(*|7u9z9EX_g=~?Rn30JQh0QkCB3SI$lLL z{-~&uNwBoD9BdlrGAJ`BMiNiy4j`Y=XtFj{L8$mf+`eC-#sk)KJ3Wof=$(FN4~aqz zSOgq(AIIJ!$n8ZLW32j@ve}rxH37SY2S|`hugJ`J3Ntb=YG3MW_qvl zfVo;(4;AyK{V>ZT_m)+$5j>35h&bxjmPT<(ZR;P zqB4?bg@V+gqC%{+C5)Gon5Z=)BkYPKdV7b_7E(SJi%)rg#^+!i{%cyk15;mqo=vq% zZP=4^pyxU_I81Wqkp4|B^PTV_jdIQMlhmO>od{A=hcN`#lEYe{%p#E~YxM#jPv2~y zEAati2S_8dLsg~8+hoOjwZZt}P&Ne{2wP1T5j=*ZtUS);gSF;T#gMt}xFwL3$z;y* z<|;AZ;0R~d4!vYo%dkqSFL5G@B@a3NNhL6m{u!F^cyl*>P2s^#VwU$11`4dE z=Vs%Sw;_jEH1Y@GI7d`64eg~k(qY(Hj zSVK4O!q()#wz%_VfmVdjs&1}Uw%VuT{N5_(6R89BwF$s=gN7OtR*ut%? zLB)1`IT)iuJXTQl%OU_<$0Bzf-k_1VNiu74KIG+aqgwnHOf`;>>Efsw`Ounv3(?y~ z)?BkdCPpk_+&H^g{Cf#oXc+2c@;8MCax9?5^-oBIgkAV<15Jq}n^VLRhcYVqchEAM z#i{TS&RtfZfi@hDbMM6d3biDiz>W4D+(%aNJC37=GP=?KHyc!AL zIhFI|X);^5^!aLeM?fcUsV4OP2aUnPjXrP{=EwJo3&XT4ey$C8LSJvt6l z=8gU5zUv%Cwu#e;VCKnTGM)|FQVo|`Rd{i86+I;1+Ppvi5o3eeEoMnt6H?l7%1k|< z0eoFqfwy+NmIZ`#Lbuwo6x)AZEtV~JdI|eLtqm@#Z=>2cXQZ^yEa0ztYefwzSt{R@ zbN+pXMOLV9p7TJ{h3GNCU#m+%?t>$srj}3BRRG95gF_1DDXeXMACfSw3YGY02oR-P zQV)gW+E|6vSmoGwk%?B5%NSvw@(xSTik`Siy)quK?k1Ll$1+4CrChBaqvV$>uF3qn zAOSM5y6=+|nq6nCAN_$~>d+rv@RX8e>z~hKon-X?T)A@o_P2F=WeO;jt zGq$BhYSQkc{=(?WjG+nMVvEdja)^Q46CjsdIYv~*MRti?OqUV2f|OLLQJ)N^sj$-} zZLBzPA@2bz0bzZNV#qP(L46&*ysX}+q8aT07Fr`ioNPSY9IobM6jsu#eK!F*vFvn= zm#-zlI|s%TNle$zT5R4B76w)a z^Krd_4SweGoMjJR4n+%`?WM@bOj=Ho(jDP|BYx(x-}oj{WsLbp&&fCwwb7`ZQ1}ny zI)RJvx*v1efoEs2^3t>EW5~0J8&8D^;)-7}4M!ETjTm}f-!V2_#4+NaMe_TKxLjHN zQ?tq!SyY+&TiCvUT}211O6!D8Pomkm#ERUJ($Vd5ayveojNz)_I6D(S0aWc54t{=fUKFRBQ*@Jai2<#&<%A{-jc-_ z?iY$=!>pB~8sW|9_R_r5A&*6*NM(JGh$6tow7YK}Y>O3Fo`4`N?l#T7%d&frZ4XhD z8$xlu4Vs5A!_eJ}^J(whL{HyLzB^`F1VaR@G0u)&KLV+h!Suym$H?6l@{a z#yIQ8!Q@ZdE!h$onu+qc%kqb2>ab|N)E9my&T=a^FSc&Jo?CmbZR(`%r|v&)<-d_D z+9%tv|0IMY|6-Q^uLO_(C0I5!G#&Rj(S3HxzYwMWEcq`CN_LN3n|p)<0ZPeIhDZ~5 zt=oj4x7kzcW!hOZA9hY8n}z!Qwb(l}(eUH@lc%3}a-3xE-&P17N}mN2SR*m6xR>R- z#4!@wu<5Tio|Ii&PnRuweBLf}`E$U{#S?5gM^A~RENiXfnlBn?HGM3a=EowZ1C(+? z5=dnaI;3+3A5^?tF=Wjyh`{#fK=ljQ5c|dWc0Q=eE~8VNfE{l3jqr`i@F`w`LUnl6 zr-bOBgk)**)-^#o}0!X^D$OG<>8AcfdL#4tUXvwV;s*T#zo7he!6X{_Xu1^N_-ta1gN1%lp(a< zecer|^(=`-2(FSh6Ixvi1ZBZb;~acXy|xJ1daYy5P)e09Pl8&UJ~s;z(MWQHKK=#q z(_%C)`RW@xYyGuC3%`a=UV^fwnWLq(H|R1gSe&V6T&b7DeRL~4$<5+rx5WIFrQCqqapO9Wl370(AE7PWtKIp)r2`VU)AIwMt$YZ%gJjWih&4l4f& z6|+kld@#nxyt`w3{Y`RBoI*{SJO)*c^T|2(Elco*Eof{7Mbp_gzOpEzG z?eE$ML!xtN8{OV?_=3|Zk2|x2@2qwH0k085A3$oT+S-DcMfmXr5u4M!MJcIh474}h zsAoDU0!1NpRj&OqLJ}vF!%GkL_OnI!8^iDCF0U`^kRl`ewK~_?&HJ)-)fKZ{#ojfJ zo{3lKq5<<7ELL(^kh(6c=-C)HY(9_PPcA96!wH5OB)I7K%l@!)lJ{CyakTtT> zU9qH`0;}Uk`mm-?)cTSK9(yi;v*T17zUC9c7CL=Ztm`{$*+f9SAfW|^uAt4aNR|Fb z2EEdVPwiyX7OF#YD?<2hvG?H(cWrP}*}71jj3v5f_zhi7*q+oq-Oc{;3^9_fm>Q)t(i&I)@|2e~hE1WX-g$muo!lWF_>#^gYmlFhtOlO}fh(U~S{R z86H`#N@fU-*v6Gb(KK^sfh}0np;EByV{kHO?(^ibhVgw=jojaG;iJGy{I)qa4TR9- zj1e@F`WsI+xI^w6j}2@?zaV)F{9^W&)Im)!O}{RtYwz|bQ@uJu0ILS$96*$6Aa#G! z{nB)N8}12cPV3$nBd11R4XOZERc&!>MpMj^NM8^7R!WNs&cVPOi4%3qBT02xiqTgN zHeWHrF2?m=SVd_zKZ6sdo?xIPRm2_O1<4glNPEmM5_E`ZgG1zXe+6U~_Tv~@QpOL( z3`QNmwa}BB(bJ1M6#2=i+jeRNi$ZWyda;7>`dd=4ivn17C_GD_BO7e4)69-GrV!o5 zU1Jje`OT+7c6I9dP+l$$%URCZj6gQ{S~X^DTWKzAZJDRI^6oNC#tgfJ1y7hNk}V#m z4cT2)_;hEMNL9FE)^MepvR8~5paa$M4Eyanwqx{$Q~XiH;nn)W?Z${kS;9i#VQqLd z&4kFsNA2nk+KQ=6y20T6CheJsSB2UA_m2VUhLS!s*EfeYr{sNvJGauQ$0REtm7oNV z!6+s|L7<%C*%!nj?Ywws3PyaB;ZcdEmq7upBDoP`*BPYIKg7 z7sCw;RWpCA>40ZIwY_U5y=lYYHM^3%a#zDUC;tRQMaZQc*3~ctGZ?({c+Ktzd42X| zT)A$G`c4};)roz}7U z{5**Dx5BA}bPi*p>OM=M`n+^Ix?5T#IQ&k>vnuXi z6f<&n9*(mfhzP`I0z_$x%;67*NFusz`>xVS&mMtMIpX2Zuta8L7$3jw_(skuGiHv%QX;ql>oE zWq;D{%TGOW6aqNu?A)dn@H)-G(9C&9+JWH}SZ%+43b8z2%aLIDlfp5C)J`xy=WNS- zomemtKB(jF<2lucbQfPG&vYuIcKurJ%aXk4gTM3muRmqUQDC4I$&Y5)^F7~nzV++i zyr*iQ>%{U-n6B`h1u3)|ftU zSAGpWumSedUZ+yE;gw)#LDA;U;x+~*gosSH^4 zMp>CWX}a9bCE_YlQ@2^n)^RQq(F!&-{{g+~h#-P)wH+>A&yRN}ZJW>F*B5Qift}UI zjhRI~kq+63jl9}_o^}#MwU_gK$CvU?-in@@ou3j;>jvH4>5+3VhuF%7SvrWJx4|mS zkb~=5SI1=>ZS?a-wej{J=!@DHpIV;N9N)@i>Qryf@eFFpB4%gRjzGJ(aygQl%rMNH=I zWvf+Juk1F0$MNq!;zv(W@iA|A726*Mgj`93nrP03Ip9^>mjPQ2tZyy*QV*qorfpqI z8ibJk?H*V4^qp||p8#SLzWSAn$J$|nhzN^|$e^xscm~9m!;>Mq2bmSEUK?9EI0lb` z<1#uUHQ4$Ir>;IjfP(ywtms%?5_gwJP$dp%5&n8Mky4ii7YldWiEn@2<$+G6G*59jm9(4iyOyW3_5`fY#szlFpV@b%S)J`-@tN2>=H^*SBka}3tuW4~R17i<+5 znT)UhEcx-{AgmXhAFaxyn1Vq)$t#6Gwig+HuaV}y>Rv=j=JxQYO;bmA2jL@uVQWk> z*MY`W^a-rWBA9|GZgRY+e5-?NECJ(k?z!4!hz8@IdYeF?$MgOe8G&2$ro_Jo z^(&eJ27)#Fb9v#ZV80y~+Rb~2$Wv@3b`YiZC`T!{hDyHnZeZdXBfK}puYU=(u^g)# zwyyg!ivC$VFi`t4kD6D@O;P$}((c&y^FW{} zijV*OMmhC?O4uhnAD`MtIj^j9+5q8tQYQLBOS)mPY=bsFIye8$Z`wa4xK6s{Bi4mddNW_yym%JzUG&GS@8 zlMaC~8yGoZyWi~=O?82Enl_Pua+N$WIzR-DC;N)I5SK^S%kfgib-NYk+AWK%?N9EP z)+f!nnG(x{N-dMCQFX{TI=*-~Le5pzb^G1p^7Vy3+ZMZ_D5}zj`jeVxfk*MX zcLmMpDA76c*PHs6nP&ifg{cF*;VsK?lHrl)@Zdh|kgVoss^_Q64eXR1Yu{;eRhle? z<0B8Bht9y_-+75^n|FE&XZBL9QGkvqu!eXYb`OI-j6s z8@FnK$hGljCWVG2nF1)@z2Zfp7FzNxIK}L5`@|V>CETqj3Gnx;X%6UL|OTX6~a~~Afl3!MYXMcdI_?HD;u3a zbcT3Nvfyw0K>)`_iRVT0S_Kaz8O@U|%^3+V<@kjG$n0D?f8IzDC!k@Thh7Y_@#3Mq zV4>%jA zbS@K#7=S1=`9aw>|mW(2Lu#>KXlyXWpQjJVL2!i?|*M3+>^Ja+)sCT zpZNq3MYvT5SpTp@&{Hz-mP0i^IATjW{4~y(^|9RC&*^fRbO^}S3V5U)s;>nXUF>a5D zL_dWvbB#-#&6sp)i1%d%Ft^nWFvq-gI`zkBD;hpXWR3CTUySrKA=L3T4VJ=BgMgXy z=kULbS2{OIl`M%R$nHK#g$=nf(eo@|r$#J>aVebBne<_si~%Wz6Q~mFi2H=-4iSk> zX~mY7ZtPNR4T&~(tuk1_$!^qG>6MmY$i9X4=^nTbmE73_gYwrQLV~Tq@a#vWtvM~lL!TehzxtXNl1r0_QaRG9 zbO0t4 z=y{mCHr&w-U*ZYJdG~-#I5sZaT7Sm-_XD^}j|rPrmOt4n>2a8*(#;9D#NlZx_kDE1 zyOfd6UAHw@%w>)BDCTDZJa&1wLwHEq7|k^P)6|4;XAD7%26pDW7~SfhmW1-;Yg}4S*ZpQl)AixD4D74-&=seI%=xi%q8&TwZlvIfve{EG4oaE!2mP5wzrUk z{gFH3rK1O&{(2_VgPEQWmi4nV!0C<>NtmXD1~0& zDfAm!Ayg2Rrng*MKP&iHPin9t9>A>N z=uCAZ=4i$}o7Ap)XuUA)>85r3?UDK$u^G%;Z{ zxo5fRnh!*X;p#DHoTyFScUXB!2OzcNK>P5yB;lJRhC&+E6?d^wm`5KhC=7fy6pyDJ zVxk2Gv5z!y6eC%i9iB55D}KRlj55H+In?K8!Ppl9Cx+}t z_$%c1P^!75kH^#@#YFxaWkJRF?yr5}3Svy26_!S&k%Z{-J5hV`Kqoy(~tQ+oV@OnimS8@h3^r>e03hg1)00%~49 zcL(ojDGTBQblZ?^xH957WGywI#f?nuBGZbgC{WT)4~w9Go0ssB!tVAmvm*KrHIC@t zt%7t>dOFtPW}&!K%uz>14?8`Y9T7FWK)zT;P$6Q>D*~ z>qyuUW~H=s=vPyw#&fZA-Im>wjXfh%u~72i;2*^f$$H5+%ug1hP)TO}P$5*U|8o6? zH)^dyCpL%4+SR^qoFe43m5Rjl)8SZtdmCy(1I94zub>&>Qag)qX%^_Kuqbtfu_A&Y z4H+JjVQ@nSlkHgRjG8Q-96}4^;kr`672ZOqQnC7d7huRqC=6ttRaoh%4hqNs+=p|H zDP)8(Va6QAOR$%*^dJUKEq5UAq!ldiG3+`%;t0j83y2(B{Qqo&7}JxKKyt)w8}8)+qZ?(rqvSv($W5Fe9qD2vDFv9@_G82Wy=D0Eh_V?T!< zQQ&e@ylA2f$-jRoU0SZ%&-Xw3iWpjX!Fey)u?3%3vbsWL;U-cxqW*Sn*-AG{!lLO+ z8aE%3LnPzTymE}UR%zd~z?)5%f_fqAFe4AOi?WeJoav5)7T%FY0D><`C)>oBYkf`qHypAo ziL*nuM$A=SUBO%s05@^gU9MmL8vol-w|;_3X27w4q=AS>tX+BdvhY1LG?RdmBA5IO zX03`zh1W9hGM|D6L_SwJ*+)IRgS?2FwOL%9kHKVA76#cNEr>WLCAbg>oer;lBS1Pu zKj;!JA=V3yT3p6VcGM=S-Y%vrRvZ0STZG7&GVAVm(h?0bhW^MU@C;iE@S$Rq^yCOW zpI(iKYSR2@ks29r7Bb0v{R1A= zSV0l&4?&G@3|;{Lu;6A!K@$OwVM?KMA^1FiFLuMdSB4OBLaXOrpeNeEgaAK?L2na9 zdVTLwm1s{kb+UEPr!q#bjdcBzt%{-1BiUV5tIsG~$tv+8pJ;O8GsCD)Ns+k^yw z>7fST}-3;<|F&?jI{y+|`3W zE-j2;23)lpQfYQaS9cEoUFW9p znt2~J6T0G{8X>Gpyrgo8k2yj&**}4WH*3kZwH^&lscDj-L(g8j3(c5c5$WZba|lW2 zo{0a%87%I19m5_fJTB(RgZMW2-D&*6y;m=!s5TK~C>CHk2&PM!@e{DV)Ot88Sa4Fy zr*=988iK_yrl?07T5=8HfB%f478Yc9A#tS(x6H52%2#}JS`U%V;GWfZR$nFXP=Q*_ zq=<8Gb%&jf)EL$xWGbo_i^LM?4Qy=;f!$nY7Sb5*ZrvhJkLh&=HaRkiP$yfNCfscp*@pTu?LE@pDWGDZtQ%g@GuZisM3=Wu3xUCx_@3<;aXeRp^GL^WB? ztlY~+6{(JFO<=9PF=3xXZ8E$PHBP@MmOYjcIXrDK9KtW^L7E76kpC8koIEny?(*x- z6Vw7fN~de>#&itH)J9MiJzV91lZuQ1xuO z)7k?sEeZEr%)eM5Rf$L@R_@O-)v^Z@qGwMppx&eJ%bl<$rm%r^$YI@ErmEg9)S5tf zrfSRuydopSZ~alvA=xvmwQA)-K(X#7FALXyC`jkQEWsy>td=~!Y$#%bd^%zVVL~a1 zjV0};YsYL(969Q2!;C;!z>|C+n+rAOvvgUr-)`xBQrGee_19uqI}XDjpLF@*W4!=m%#5P_}NIvOT z)OWr?`pEp~I!sNgCe*k~;dJG|mU@cOJJ1zdrhlBh+Usv7Kb&4MbSkC>V+9I>Z}Z0p zrSWgXZ8|8)ZL$W?azacr)g(h=6*ESS=OU?(+)s0SbW?!wHo%Z-p5s#%8@FpTaL`j_ z{ycri;N_!uNh1h^)HDa4FJ$d6Qqh|C|FnaMGb*?7~gH%N599$m(& zvtz(~To`#|-*S|m3(X}Vo!QtYB&Zgy69+&Kzhgi>bof7XeN%L1(bjBi+v?c1?c|Hq zv2ELS(y?vZwr!(hJGp(%eLerne%dd4thvUnS#wrZ6|piAwV#1%Vfi%Vb8h6e>MnXr_H{ofQm%YUs_e%m;RW|`1t{F@jw%E=3)pUneRZFG_jqAm`&&+R;|yuw^w}MzP-S`iyLC15YYFBDOTq8`YPGO# zwNmFwy|yzbZh0c?tD@{0JJ(m5-^PA&wFjho`DT0O6~K1*K5Az0vhTqA^CsrZu{?rv z_R;xOfpVwzU1XtvLykX&LoS@#!i&ZGC|n$I4zlyqF=(vfL|Cfyw8F7p_ECGw{1+)v z%P;!jiOV8Qa@Rzm>IBlVZaQg2=;GvPJ2qGc?@1hfuWa4g$C{0Q`H?_qZK?(7`CrCp zCvWeDMYgx~m#^;@_ofA3sAHhj(@jG0?CU^apN^!38O3R-S+%SV-^G}+ z!HEj<>9{%xJ^s)lSCFhzpj>cqi!hDn#2u{9ipl8g?iF56D}PV#IsjGg&#u7o->#lX zE4!o-oDSQ9al!XMkF_%J74J)LD}M3ale>@aho6aM_8(ZdQ<)Bs`uOPPIXJKV?X;1V zw=ynsMD43rVp+8);FYA>TZGYEFNyB!?LSSmj&(P+3N?uyy&Fs=$F!I5+Vgc@r8s_P zvEQffCx@jY+eSa7y&Y5cbod4m^S55Sze^T#sd?O*Bb}{MCa11cV+-7|h9~&gs8c}O z;Gg!&5t8aLJljXew?rl2dAFA&0omZ6O(>* zMpEDGQBZWZ>?~ez{zXLnI3v_+5(wjCQzGk1lwLj2oUoh~Sc^Wm6BxW{lyE6ud}Av) z@Fx2DGMiZRhC00VA(?VNYU8sV#Px&bIbX8C?=(jwn2B3H-PeCK-TLByCVwd_5P$P zuibL|bJc&;|5~YbD2#Q0Xpy)~|Z(U(%kT z%hgA25=QBmuQ+O^8M@sjNrP_AelffQELG2<-eeuMq%gYOd~pT7e#~dFy&R+UQxhpY z$a3f^O7OKiMd#n;5-i2qY@0hSWVJhWe;_5+)pR<9h(AWxPvdIrat-oD%$cCRW6#`J zzMGDD9St5ZUsrNZL~s zzFVwOaIjpm%A`aYnjYYuM#2Vd44M5COXiyskL0TGKC+m>OU{)k`ftguYi_w^r$qO2 zAnH5qq(=L8ExR_y`{=5q5@sc5g^gB(9i z8f_C1$vMLz6m5N zP#6i9Q;|b^|D5LmvRrK7BWe_%jV~9V)&y|9ZaO>}rD|Y^KHz+em5fTy z2Ajc_tJB&IlDBN~WwaHubsB%zv%)DCKR0XT`PgmzSQ<;!tDvXOB%V!`m$@mKwJ~V$ zB=-4nXZ}M)sQS6_eH(Z~l3e%7=3S#Yhd=4NYc<(WCFv;P@?qt1UJGBPw^jPj$}8Pt zMT>MoiN-exw!ED0xzp#r+lG~{Z)mdB&()E=^RB$&iEL$eeLh0*^%nQqy>LRgvN^-s zeq+~tx2t(oUG^pWb#L(L#@4r?-TBON0#4h~Xe&|w_BUK41M&|A&vawZ1*+8hM7T%u zdnQM-)^<6I(NS(gPq>(mg}2rQ?kCQd)Kw(HIVhhcqP$r!ou}M(@SypUswktBL~gXgy?-gELM^*+NXgN0JA^W<$L| zi_tA+3Bl|6TwH-}a$VoIrJMWMrloj5T-4?y{v0cV0zaP4WfzzAu8#-Mo7)@!5eUr@ zq+Q=d|K!zp<-V6951IPAwg|j(q`BjC=`V{WW+EaK^!w`)6TPO)1FIYu^(viX>}lGB z?TCuJ_l3CZv2{acoB^jTr$G7fL$V3XiY<3%xx}>AA`*akiTPw=PV+*v1=*DXL<#b+ zvu5)5?i1dsTUwAo;8+?Tuc}ECb1<3g8eWfpMH)PGXYR1K_lvhSC&~Ve{4%z7)qRJQ z-BScz97#8O?lXDUpCb)XJeFjtkL(?SExenw8XIYVsz~~`3XH)MYxMg*7IyQ*qN+Rk z_%gFyccrA#Rrze`lEFVc*1y;QnP&Bidrn&`XJhR6=I2TdgB#{|919`I`h%s{VHqmPPdT3wmPv3_IEp$yNq8!&>PM8P(-zU_3qv>1t1 zBV&Kx9R97R1WWxg%+to8sSF1$)Q4K@NZ zc|lYU}Wmo`X()wAu8WfZV)6X{r>*u0kJ17lsSgMscM8JP)S z*(TABW#O^+oM7s4LIJ%-nnrXnoRlz=bl)GTzF&qaF0?%lIEC-?YnzM0RKt0yXtZ(PTu zbmfxMhJArJFSq))JA#C}JwCyK@53!GPdrYwGoaCl14L=n$w6tK{hF|&Meb$7x+scy z=9swxlRZe?6pkPMq;Tfgl;(Gu2Ypz(cP5WL@08e4hVd#h4|b`|LmGV=MSPSHCe~m- zxng&krkMKc<*2jAa|T(8Jp}=T6vBpul2j@v&a_ljgA|eYRxl!G21Pnax(dovxfxbE zOr;ZxUXv@cpfqpHW;T7zOcvZmn|1njR+h`s6x0;6*5XbXD7)E6ztxI$#;bHDUwwdd z@bBHO-W?AouJf2q=$B*oYh)IFd`{wN*1js>6?=+zc9ypT-+lJi0aNWHQl?5VR{188 z=}X7jYt*gWBhtQx{lUD#LA}{RdIg+J37oIKmgP(iU6BND2W*QwW5UT-?e!geQayr3 zaN9Eqj|dYl{Cc+w@!#sS^{S|b#}bp=9KFb=_5IZ451Y0GF^Sb zw4s8j8fqNIzBuR`(>oY}cwM(4K~R8^2u_jA^qcdYG7hDDa|jQ*&^n(u$g$V;o;W0s zoy?ue7&UH!C#(U?RQsbEE2F_?kT;BE&42!HDf45J-`GsSIsrLRRV8-g)0=qv&X^op z*a;2TB5TYKVZ3w?X>~|0gVEl%@u&HXZa?QAiJ?~h;ySyp@Y3#yJ zN^!dQVFnN?g37U2%qUx!s}H%ZoU@__q*zBZC4|9R1H>EXd6?`d658cQMx3}p-`JJK zjA)qJ5`h$@d=K>gFyzz%lH_jVli4z~e4;^Qzt>d3VWd&pZ9n-zusX9gvrbA{N5u9y zRqZ?PM?mD-+gT7&XM@wjJfu|>`+#))!@dMTy?NtYOC!FvS4b@O5ysRe?#YID7L!L- z3!Vhg;aMFUv&slm=`9^4JLU|dQz}CxD6kql>RPaRb>x%3y3Xu|q>gzBp5)RW@7Tjs zCIvrc6uzu_on*I=pyZZc(POkha1Y2a4pG_x6!BgStNsPD+UxX6a%BX>_r?R^j;m^{ zi1L&$by|JTP}TvLwdu!c)Q<7I4@mS77)BWKd>4JoNzov)s4d4ld#zZ=_ZyLvUACMO zTtJnZ4wJwa+`xDrl7_sPixMRH(K2)j7ij%_noIsX9Z3q6MF{OC~ zFjbk;3J6tyc}81|&v*n+C+uqw%(>P4wZQRkyxZ&ZjrHj+hozbvVVM}1 zAqQOSC&&R{FP-g9DT>2_iu?B7oE8nC>Ke!qtJ5cxkoqpw+6WrP4oFa(Elsp*1VwR- z-j%(nc484wQWVC+-kZll!Z?%6y4X5$yB%7HA!>pu zpus!K6|?(lTsZ}VqQB=`HWJj~L+q~^>~%x^{6(_5Yli>_{~%#<5TiP1!G0Oxh*Cwm zs<5GoVsnIGnvXWxh6J4(_!3G;-KUPemP7PY z!%LIYEB6KUxg+AmW@;!}*aynC4PajCS5+Wuq}M7mK2ja7NJt_7F0eD5E#m!1rJCvf zAz(hN(Vmn?Rld4R!?A!_r+&X?KAyfD(dx)ROUW`@RvxbS3T6LRymIy#k~CI(fQ}Sg zKCSNBeuAW!{*-r-wovxKZ_!BjHOi{+Kx(CCj2D~RHDGle4^j!0NHZ~7Vte{wH{vAF zV#KCUDvh)dE}%f<2H3*Gg0hp?E!eOq&E;#9&f(UNGoD_e^lt$gTz6t zPy&={%3G3A@_)-s|VR*BfsP%4lXu|R!STXS>J2l__wA+i;D3XFIbGIePK)$ioea@p75f_>1uoEqGPKe+^ zUO=`(-p-xxm6VYzblb9ucT_fi@`f*uwjPIv7#&l7?`Z@I z11l9I=Q85$X59G;;!KM11_%h+D&_d$^kOWF?4whnQyxsh)j9_pxx;+$`S3S}5DPX4 zYJ%?q0)}&huxsi_U}`g`6$#q@YPI6ml)ZydB9DD!l(Ed0CNa-wgQx_o;Qy3sjJaQCCG4zD+VNF1{RelWRtmHUR^;zV3J;r}#KGWqlCQ{NtQuYr+jl17KgL51C2@{vje2F9P5 zHN&yTD&7;wtP^hQL{=fJbUvSy6=4G;=9~U7%#wQtd&fLY$~2x+`EwB*#*&G@YC^mS zNMJn$C@aDTE=*aHA!``Q97EvHcG80Ek)<$Oh%hysQOWmV8Yu1!*9h?$`Omz5it$SA zp;0Ok9w7*SZY^x}sYa>5`Y}k9k9Lls=)DFeVZbNyg-eRwWzsj;l2ZO&-l? z_40vW0_hX6$8i3+Sl$2icHW>I9yGiQ2s`5r?*v7wGapOcH{i%B=1ubv0;i3=M2O7e zq}=NuaLir$Ox-uU8$iV%dha7t)anml5J5gRs>cJ#glu@-V>Wg^hZCHiOLT0I)r}J} zgxdl-QVdp&C104dWtH+ks=SHR&S@M_r2(s56Qol9Jt$+ zpa)WIRANQWBRj@;av>GH(-Q7#hvJ1KePN7OLIXf;J1d!DP48%?eDVn&ko!a|UxI$F zX1eb;d*^cN-m|=4{rqosuoj&^itwLAii!IFW(PU`%MNN?IBm8e|LmlHBX(`cQf+wN zevOH>Cy=eLWRZP{ZkYL4gr(|7U`85CO+0ktUe=hWPV!mi4ECl}Hk>hlr#eyoD zntNW4&2!@ibgd6fFZ`)R&M3QwXI@>mgUwC-SZ+69e>W9P0FRYGxG49FjaE871trMV zCg<-DkCoU(6JVzB(@Zv6SfYk?DZtrjpKS|FVsu{jG>Ttrhhbs?T(O&^_s`7lH|UAT zp8@kZba=q+HEJHW)S(;+jG0jI)+c{3vK(4$5aSk~$C+}EkLOQK+<;=5^KcYV2S!L` zP1!(j%^Ih$3>Fujc$8InVI+R6qgsBJ!NfYjv0Xoj9YRs3uV`%+Y^$& z?AZfc4w-AYG8(Nqmr(p>g;7}~Els2)b%uo%?Y<`OuC1VL5T`z@@e}Ch5aU0E-;bmA zJe@MT@j4^hdXvip*>7h*Lk6wTa7W=eFI~HWhAxhEpL!XBFd<&lsvo9jus&2)T>AFI}-q5h@Newh6E37YZ6xn5pPP_;Jp z)==-4#Ar-mf}0P&4N{ENK`%>rIjeT0vtR`FblONJl$WsMT9zTo%RvnW;kN2$eFbda zQ`o??f2*Pfn*$*H#H0HO5F{{NUTDJo08eQy-I>1K#c;2&~d7Vy=alb5|erFRm%3zN*r3hWoS$piZ5dbOYS z${DOX>!cX5#8}qCxhaEUIJKzMgs!hsy+Xw6RKS=p&L^Bqse0LGBNpGV9lLTSfYz27 z{2$5zp)1pi%QUeXMVu`qM%#(LSsy4a!np!YZqu1`LOKah=GcOj;z{PY7ZEhNPiKxw zQ06U|g^=UV+hS6w`Ce2&;5!Nn(YKA&C+0^K`!b07{ou_rPA^K zy@tTHw&4Z5B!f>ln1cDyw`j->x3!9q*#*x1%Z&8-4RGwgml*cm5yb%pp82s??Cp${uv()_bE$DpQjhn2e6SP|_%q2ty6I8c9IRL>) zGG)SykndQBL;);K!3$vXO&ck1k(_$X`NCx>&Vc))U^(gBDH5^j*Lv#bXcbuk>be#j zMHswXMEY6!Z3wDQHgs(QIE5nm@2JW2rm{6aCZZBI85LDA2w6?jbL)sE)js7% zf}4!se2z2&4%1%RABfhJi6pbVr{c-2 z0`w&IC=|cKYO0^SfvJ92)w}%6?%^E>LuO<$)bYo%{e=lo^@&#Vt{v9J5aEkA(xm@h z*rOPKfNBEj!qth#k>|ifp!+m~V;B4R7DmPjS_qyF#2q-R3^*n)o6~PA{B!|DcUwRl zvJn=hWup_Zysn$EKgUB_`)Z#nqL!`PI0|U<+FvH{D0Z?)&6fFV`BOPlytRVA9qO86 zxS2|3#mwjB7NWSr?n^WRZiAH*zK!|#6o4!^-pV?4F)nRHLE5svn z{FsQGDrxqX_X@63d=;@=9!$--&#bkfMqL<=U{(_#nMY=r9(#=BLdCTw%$WV+4@AK7 z>tKee^^!iP_U7$KcNuN_AQr8Nna76=gtPrp4ibLH%=Sarm}axo>>MRK&pqb;QMbyy zMJoELhPqoSI`h@#aI*#PG?$#|x^{UU6_&7wfAQ}i{mMn8GFt2*&(Ux)UGafES9d{% zP^hZ~fmnZ4Dy1bjxa>@w$!G(b*dp4ZgQdPh?Ha4|B6~kC+n_^L_RpHbWKH36wb4XL zg+^@QdPaY`O8H8t=|xG+S%=|9DDX)gyzEou*|MqzK7;W>iwS5dxbiBk*_zVSY(I|b zT1!4pq%C)Yg=R~6xhRmyOP%rVJpO2t^)M5fb`pMK2)`@V3F>OV_8N{i9&oA2m_2Fk zW}K>K=}9#9@;ccl{=w^doMx37JTxmd&6i2_p%;Ctp7+r}2(CO_l^%s{nQKaPy&&lD>SxJ3VPzjNic#{a+u0@qYBNhqvv<^h!;h{Jcd}zkFaLYOL zj0sT!`%wu;h9HT~32!|3r0hn+pW3~t!~HlMS4|{WrcOMW0K7mcdpBck+wf7Jc(`OQ zWWP@o-dBth*s&UK^N6Gd#-0^>g6qvlm#p93==Jip+7$-tq+Uxzk!3^YS6q9uZ~d0H zL9+0i#3D@gQr!-^McLN{q8Ux5XGMXhqnNY=6ki>gVHm>Wn!EYy?`K?D>8Vt>E+` zC#PpxmWJ^AmHQ>c3vE~z3vbC7PytPe6^6=?MzEARe$}Ij`u+O4+Ut$g<`7sQk3~u; zX$Tw&ekWv;N*eW2t;U;^-;NvQWQP~x;GP+NXuktvXV=YSx$OnCqeQA{G5wpNY`*@c zaN*280Hm)QzOX%W$Pi0TIoy_0cP4<&Us9Y#xF^%U?QTkY2<*zI%YO7MuO(bDy1+~2 ziXA|5*{?-~t$UXKF z(ipT6f~m6{tN_VYymFAEyI5LKr8PBbTF&p4WGp^r{Co#}U(#6g`N@iRxEi%L0tXUT}Qt(n0|;Yu=TM>AH-MVdzl;C`_@gY z{NFxwRGjKdpG8z3Iw8!4lP-MqF z(4VosA5IU^n|Su}ePFn>IVRNSb}NSr{N>QIM?@HtWV!iwRDO?M+?G{rNt@H?YFotl zZ08k!7k9U~;b1&R?{Vg=BX_yogiGk#5RJZziTL|y_@@g?_jlCc`scJ=XpvTyPPY9W z(y?uZAL`%3Q2)UU#<78%Ip{($tb|)q7-8H22y84^3*(INHD~-Zaxg{|C6aJYz&#ML z6_#(m!iGb1V&m~AgxD=3EMKmUUwS)U&blTgo=}#~JN*SLCV*2<@vAOQVH@`-DILY0 zSj=n%+o=6GKpuQ*0oYU?$prub}v66a&7MZ?QYacf@)AMUc>a}x-c zYXhEucBuS*FJ1j-28>JL=_0v)FS)AH=4F99o(HUs(KWxJDZ~V`2e_?YXd;7wv)jqc z-Q7U!Dfgp#WZqZQvoQ#6f%{A3r5+UabCh~vV;8g{$f=`S=jyLv45-&A zbz?8)mq30zYjH&~z92VLZwC3>_C7uo7J_ISC@NA$y-vjscX$LZFi%rZkHkCm3(TXTa99$FP}$`lfxTa zEJB_FOaH9m*9bHpgt7Sd<>nJ`Mi?@`?ykdl&H;1A+QHgA=JGz54xn!UQu!2^J|K4= zjoyr?2v0XeOJU1=AtsO1c~9Eq1tW4FJdnXzr;RAAVc(^Vw>{(X^*RII)IpM5hhQmd zK7M(kki#7Abul{mxIu32sD{YzaT)tMhe%j$SdJ0}Q)Z2Bxku9v>>a$)&O>C%xEexX zTMR`QaiVpNFzO3LbxoRKv|amN#{41xD19e>5S--|^jf0=E`xcMu<>B-6P}6v;VHn- zD{Ib8p4#MXc0Zx0+;Vm2##zoq?*jktN2;aFM{0g$7~gg(+Vm>}Q}Cfo+o>srbJAX3 zfHG^yq@AH@O4b_&Sr3Ch^}iSli&pqj>jjrVMybvab{8_6>#Oxz5zL9bE-w$y^ChWS zDdmH9r3@>otLS9sJ0LRKdkaEt7gOg-ryOQ;)}4gi4Z)y~JRGm{ zI&l{KBwstO|KK~~^#=fd(|oXaCEq|4@eXKDa4MrA)*<1UGtTQ^&7JBC@cVuqBKgG@ zH5*U;(kk{-M^5>I`CSISA9ydSE%!NB#UJg;?-Pn%nHav}yPChF7WX{q`bG*?T|q7Z z1O=#e!k*1sj!Dg8Y#DaD>^O4WR1Pe?Gsb|GaS~m-WC&jf52fxv z!AnsdTYH_RNtKT!B)WmMUpAa=*l>uuml(h{8&Z6Qe&A8hbo>d`&Mt#$t5MXRcY9PW zlr=Ub9pUB-Nw-+VYQxkaF%-uL1#(Wg?Z{gMr^xOuf3xQhEf8nyHbli6WYo|u4<8*B z!^qo(Zj?WozMtptcjfY*nA75c_0imcO~fn%r=7jPj|EcahQvA;9F)n4ZCT~I=V|NY z9XK$E>K=ZHu|5?$CgG88L;;R*{=AFER4F8ntla!XoyOQqCr%E3$35V$!pQ&0L=$wG6a(@OE{#CC+ZW4Jm((E&|OoZQiSoxt_N+k6riY+U8u zj>iI%S9~9j%sz*>%5z^cyt}xnyAg?lTb*wfm!rMR5#vC7lG^j&&-R!}hLD30J9im; zf&kRbJY|vL_;K4<4F&2%q-Au0K7a+SICxD<(yuHWvc09gRxte-@-oDr&VgGA*wWDpDd@`}l(=Mu?;Z2;Yk1AnSbMFsI@ zWd3-EiFwEjEX6gg9m0HWI%w)|2^2cU?WsN&nFDt0rC(eWHjA7MfWEg=q=X{qwgN%)v7janhc%grOIPfK!a;3&it z_Bj1R6)EFwW-!SHenXODRO!_5UdiXM!o!~5DhB#|=#hHa)VOIh!Xa%50CvDrM2Rjk zFT2*lp?Bo%0?9J|hc6PEXj?%js*uh}ksC73}KjS-Qa(}t74Ku;EKzD|US!a-;0)NKDNx4UDAU+FSrPmEg;sv2>z8;O4y zCEG-lUC2I@SyZ`<@*D#4CIn5&&QvBdh|R<|v#}?1_=#{!DBmK!TjGuv1?flQ=L9kJ zlhcuc;PL4h1ak+BDryjOO5?UP#$Ac;y6+>rdmL?8d+9ptjNt9o5UH`1K6y+=P7-mD z6#7(K@pKa?ar|HDt)tzR7A`}KEEx<}idus)?$kXGLKIfdBD`_O@Zql)$RFNgS_?O{ zPWbknh$cHjS1@d{!)YhV4XUlzNiJWRug9uTlD`ON6?RDY&lov{2 zuw5`VuLzJ4OKGK-a8lXAY2d>7tCwwkAz5&eXqk$rE{T=i23MUC8vGK*dbnvdAp>bLk;|m-4kd}HmGkO+2yB@kU@sdxLLB{EslU<`#(Tq6< zFwrAvtCuK`yq^r+eF1(v8t)MjxLP{{ll_TVnB?f@-T_KTeZds_n5p~R?R)4q&Bh87 zPacL}eiPd~c*JHP*l^?mO8?2OQXfTo=PZ>-PuU#$OczY>?r@jIvD6SAfjB~mv6 zjo6}=A>}6rvQHmEE)dN^8B3xH+R`Rccoh5yv@c%+%;lFv?ZzvQM;J&4z#YPFqz z-U#=t^7o@nuUD;lxa0bY?VM%0&l0Q46CXhp%G(sVJ7o$NTQSkOYenzfyP5ow%(lMX ziH|pgB~iJ##jV5URk7{8TxHT2wZnEJXOW6>f~eFb56NMLA3`J&hU7sULEjou&9@FS z%SAoX}PusPM}t6Abto%oVAJ}gFM%U^Und{{I(H7t5a4lS&@rc`8i2+YoDFsQi+ z-v?C(s-kSkYn6^t;7{ACD;Vcs|Nb{E|DtqlM|!A)&T&33zdG&!N!iA_4Y5EpJSequ zjg{wFwX1b4lDdrav$O20fFdbATbIiV2s^jhywtn{iEN%l*G z8_9Ow>P;EC`AGWd=<4Vx-{pt%dzb0kqGY@(ONi|?9%iTWt-Rb?p&qDKooU{zWL>b% zGF{+Xrb!WLgMZsAO7tqx{mp1ABFo8muEgx#ZT${Te?k34%g>c1n|MBK{YpH3oA1hZ z(;1Y$<0#w^)pQTx>&SkV!O}gou&;4G`uSS*L5wXaMfM;)v#lZ5U)lMp&of=}li*E7 z$kvW=A(MLGO#1l+nOW+QYy8DC9L>9MDc^ZJLYSo6<2*7n(^2@bSn|n>ebsH1iE8c) zIbOCpJyH6cKPa4F1GkFLn?jEMLMWQD*0fO4Y8MY~W;Cr=z(g?p4(h>f>m!4irPl^g zyWrgB^O2v^{w;I`M z-VGs^G&|Fx6Uqxtxdogrv(_0fPht6m6Aon3ShKOz3cYH9@&EJ)&q5jFO7N~7=JE10 z(?_U4%zCBbPT`nk<6m78@)^fB{?`GyQ@F=xEJoT;dx^_#jvz_to2yL#+A5#+UX5G@ zZu4A?(|Z94yR_4eY4_TBxNW{#m!lgo+o|V*KDRh6-zhwXS3L`;(VMwzb`0m`q5Ocx zBLY5q3!9Y$Dy4`4&}5XVjG25k(RCCy^%JA94!{bFv8&3nMGu4oU+zI_=;arm_dTpieH`7_QO0m%0xGV0JXI^N-aDfueG5+yXftKLOpmQ^*-nx! z&{3JeZJZ@W$t*{DN^24wxX)!+V+DO9M%C@25(ci1cn%+NqMq5jgln7dvzIT;FeC~1 zRdFNp%r5JP_N_ArDB4xirJ26QN#e~@E)lok;c_tS7D^-D_^-s&*_klz(nb_ zw$}i*=50|@#P*nWm8KH4E~(oxtRn>S@N`^Jf+!G*zJ1iBu&8{>lyW_AZk@pw8ezJ` zi#OhTysW@2mu$sYt!Qz1jdSN^<7tN;VN|HUw7+Dy{&+FTYb`d^p zVASLSv|bxPB zoHC{l`{Yj%#N)Nl13(`TCZY(#z0nNcVp@|bbKHmTk$b{vnC%`!y_9p=P%R54ON8O) zq%cP`@4&ev3SDMP4Hp|L4b&AE7Oi6tBb1@xE6nlO-)N&K!&1&z)Q%k7s(c_f0B{MZ zmJT6|K|W*&(~Ds)XN0hpwemHO1DX&au^Tjsnp6~(C&8&N(#Y1a(4Hcfqro(^`Fs|q zEB-2MI&McjrbM9W(}HJIqL5I+&44sX77jvctT|v3XE2tR;C<@_Px2sRaomJWU?DLC zt_0HPwt(`PNjs@TLyVxk2e)CZ-w%X=lzO3Hq=(SU77O;5^MNAHv?ahNvuuqqAC>uJ zB>%9}csRM}sL&8OA1gM+A^i|cLxfp`&JwR4OXdu8@EVMNS&{fJ^`?5k1oV^)c~{I% zc7PZ?EkElSWX?^!;(EXiO{m6$&Up=@jrXtXk%2M1+{5T32yyJjjygC(wJ5ohLnP8o zO&Uf7Z-P1~8Ax?>X5qp|iN~5{^e~6BusTkHzL|(SG*{s2!EC`p{vpJotD006t@xzq zYIxu5X?%$-M7~$FSgznDd)P+*ePK66lut0kh$J<~#QkQSx_Kn_)Au=`pchYXt5H}- z1DiTu03KLA6l$K7(}#u7s{Mv>s1_q9p?e_bGd|+MsIgoWco9rPP2TcbwXU%3B=Qh} zz3>#ZzWf>ZenC|nK21pTz-4eIRLHu7@o>}aiip@vw6Lc}_pG-&TkH=5dGr!DL*{(f z>&f@20uFS1LRCOt>oA^)hp}F0*hva=a6QR~FtTP5;;w6P^l~@UDEa_Nu2_x8fMYg; zA`DADnHttWJs|Gy7pvE3OTG$EHo@STZu#Xc<9fk*fnKxE1Qk7B`xMDzsX)C(Ns35 znRTizYF1?Xt^X_@xxB%5NGPH9-*H|%zXK_^iWhWjO$NO<7O)CXEnXP1-$T!YKhTax z((+PdE(T0ZFx2koUUzZl!k73g!~2AM7)4_SYPSKvlfjVM{`k_X_IT^Ifwv`Jt`}K1 zIoq_N9`e%GdN~ZDf(b;3`I{zv0A{yBO#!7)5+CStp|s>7O#aiDEXRIgJ3in@*pcOhKLfCy_kMT0q08w;6B}(jW z!Pf01@99@jlyWi}Q_R>q*oW@6ySt4>rXK+|%jXnMz@3P&@~e!)ls48%1bD+59(B_f z7()hl1{3Mh#+?*ZSIL*lsyQ-d-*g7V!O@Bqg|#ihPEYHk0t4b%%EsDDMkd=G;3B!0 zj7bSb-)wWSiClSOO5?E*TgA|G?z%E;ug+X z@oR*BtNcEOp!VIAhJO~rI~&R_JgKa`_j96aW9yp)C6|m44cN%|p}IMIqlX1qQa!x~ zO32L%KF)6%lLWL-f{dNw3pkT3nPX%jAp}CX;Cf$8EgLw`WbteR4U?ed-4d?**ySKI zge#%=&Qaef`Zi+BCu5R52qsaPDZdUKFV2^{UB}4zBzwb@cB#-&^GFz|5s>)~0qziV z5(Z$SXFi?rR0240m=Pl96Q0_1ahNi!+Ql39dDs~}Cd3TOwOS@UB)sV3hYU8^G7V8he1F|Y{! z&`;3_wnIGebpAN?w0hEwYOGsZxgVd}OwEr@jLV6xQh=4CI}_!p<#h}>i#6v@ zM>%c@c~KrGoI!%(QJZZ}Gw+jZO*7AfprGA#5?)HgR_?ErM{KGJ9&<(z&jIcYRE^-o z2|&gHo}_jmM~ALH*6=Vz>RS)`Gdi!1dhBB%_mET|dQz3_>ZCiC;~owHP2CS?@SXS> zrkLO{PdjK*RwkmI_S^s4U+Irp(s8??-(G?w-gQByKU&B&;{9IIDb{4Aqu6;>l8Xdt zxnP&DC1s?YB+kP`UIK|^Ra6-m1{MZ@(C9}TnYJLUiwtcb3UM$l_n)2D1q z5#TjUePMsdeuLq;%QgOstrAaW{`Q7~t)g zOoayBCxv9N@^a(KU_6Km%{usF#N6shnN64qF$hF^5K#q7xgb)*MRCL+fNn*l#I~Sg zwBiYg;={obDaV8Yq5x4+#xs$kbpEX1w?+QWZ3G|?TIO^oVrAjT45D;`LqO%nK*fkP zO48L7DBg1mWuW@N1;YL^f$`9n$$$+^BE>?d_pQQIm-qBtq+x4aUs~;;1I@xiij*qq znk+CSKMdMw4msOmee9kkgrh?VngST(+PYE$IT|sz4i(jyGf*a4d03=TGMPq?Hbmndag;)nVVtS#s)Td%)vZhUA z2Vey}*x@L!By-LCX5qr#a0uo03Sg>~ToH!$4JHKD_3?G0-`%jPH>?!he;IPnzH&e7 zQCgB;e4W`QS3nnb(PdX8f^aXR6PQjcv{#HXc$%AQlt18{--?e6af(9kp{_4yQ6_WA zFq|57iW+2JmS2Lzh(Y{>pj$=e--|iYoy|kb;F~oa8dpVvHVByKqXJuqkbw1};=*H{ z!Hnst2}{sC%P2+5wRM)F{$1)Y!v!=!xW1)$zCr9mEt;BZ#kNtvjz9!}7II01QPjFJ z9+vyWS`w#g3e<42tAg5{mWH0FU z!0t0ab74#15Zye@zy-%47uQUN=zYflz7)b#uxPO0o&8UI>W^cpbgB>YRzM+pGc2^| zn7@5qF)pZw+B#$LfW%DoSVhTVlx8N(F@V=G3N;;ed52`sZvP@UC=ij)=fvVsCA80p zv%-33AYO!=6C?ayV9qMkM41MufhnWUg87D2koG`#VvY!3B%h}pee!8y+)oY24{C|< z788^zmj$+9rK!n;MI--4EOvfHH&F2uANoC?N}MFdw&fy@6n#yLfPJUW#OrZCez<-t zS!y#90FIX#u6_7K4k8%NA)NLA*nuAg zM97Q0t>ZK35h2#+roFTc4=65cA82u%RJ5LxDxbtAm=}C2{jeZ^C%`EwCLv0#iGMdkblLL4{?*aaEuztq4>I28B1zT+zfQ35Ge`Aso%yWYIO967M08Ln zZmk^X^gU}4&(cdwHhdN0fbLDhqq5gxuW|^0^TxqWnD922es4!<(}EWK5!q<5^{|!5 z1fG{M>T9&}tT(WKgbqKL2Il`aQ&{HW1qO7n^?9|RrV)ox5Jk2^x{tP?P9EKYHH|eM z`1-5SZ9+9;Y>Swh_)-UZrKWS@KhRQtt!1sklOw7xbWDif_c}|kdH-TemW*Q?W+hQ@ zP@M!^u0`RosG%-C{>1Bbdz;5bu$7tttWFT8`)2;E7g1k0u5_g(PZm0|Pm-U{i$GjJ zSLrOqjZp`%iC%KhuS_Ob50DgIC2clBVHKQIRKWDCz1Mm@OVGfkK?vY3vly;M`3yhv z;+htYNXL^hk`2C~5c&ofHT}Q#&VntDC1})(y95muT!RLO0Kp}=ySu~U7A&~C26qT< zi+h3w2p%N3y9c>@&iT$s!p-*!?wx&}+1=UccdEN7Yvu% zBD^M0qzVgKFi1_Fvd`4?!xh1aZo-%D;e~a_bxQJvgUHLuD8Cig%1n-QikX^gE z@X(y}0{L~61*HAmYCtVY^g_=#@qepE#UNy zY;5{rj^N;8ZRHrg`sSz*4KZm0Dm=oNpSpw-%v@E1G~PR)p9LvZeX=?RltK@ekdF?u9A+zdE#C){LI3co6Lv z6i@m(5J0?~;dnhHoXxfitZZqT*z{Wc;OY;iZ{>&bLImZxsMEt;73DW`HN;PNUxdC1YxccK zzs|s1L(t?jrzLY=)61xZ6c8T~>RrFScmA}x3M$b*XJaaGOPj7Q9$VPEB5bkiGz*#X zad>#}FL;1ek#S+lbwBLz9wN&-<=4*MkP0Nq()my`TYKA152VmZjD+_&Nzx<1HDQ6{ z%Qh?mEob&+fUZ3K7iux13L;e&P0#v37~7{5K0|Xy*DP5%2~BwR2O06YrhT;oI3dS# zMvV$r;FX44R`6?2YmS$mm$N#W-v~Z^=i}JRClw}ECWInaCYpI~3BnBu!xQsc)soFG zZm@U54xIhRjKJdm0& z!YW3}Qg2s}VMVdOcg3bKXX70du8hMMz(2@!D7d7)nKfY+*`}Z5jm!k`=Jn04TLG^B%s13sN(9vQLj%nu!;>3x-YIegx6&eb}ZAEghk; z9~PEJW`;%xmAQ0Cq8`rh;}2(Zl|SpZ41X}NVSP?r#Xki|!kgwmJ}Y;|B&48vZDkyJ zpba+8g%aZRd8t2L6m)%7taWM=+FZ7nJK{;}-f~Gs`GHLtjAAV#LN6rt zMrWGAZlNV5Vuq3L;_{bTEY1jwzN=j3X>ui?ciV`cpQ<_z%=JnQ@3mlbs@MHP%Sy^; zm#ErzDBc}T_RJVb$4PlBM$^efVl5FLSm+yTZ~fXFyLr5BDOPPrFrDt)p*)jp`6v}A z84YWj(8#dRX(~Gm%=Hgr*r)oG=-|Fj_G}S$QnM=V%{C?rG-cXdsrFv4Y-Ljlz*Y3X zFwE)`i{YoW*b>)-5x$g^UX*`Lgc_C#Dxz&q?G3}(F5CgZ5>f!?S42_0>b0umA~e^L z0Sx+`&)7Up*2#^Tt%5{PoSdm6=s90ui#vap#>*g4f?Pzy8i)>1557WNM&YbZljV4D zi#gL+)(3f8V!XqWQR*0b~-Rsn5fRaU`O5d?9pb|K5g=-Ci z(VqiZJZE+taaa*CHg~fRLQg;yl~TEClV{D;1?b=?5{oQyl{A+QVz<&|!|LjvkQ(2? z`p#^k9m5m%Z=W%`d3JucU*Me0A$EIFjymPq=>ge zs8U-?uM>lf0{V|-zpJ6>Yt7VZlBS@Uw%JA>cNV@6gEE5fl7b6XKu{9AXjP>?_8G&b zlvJr;FmRee`9$3w`|)|yye1j)NbOf3NM*qtU!3=Hp*^H{^9_;vBvdI?SzGpz@D@St;8B^<68X`7L*hD|-&*gUG!r)0U3ht&P3*>uk}$ zLmb-vYCYa$*N&c1HE2DP^0PuJ2Lek}Y=2hiwyVNW=$+f$$3KpGO;GC>Bf-AM!?OR3 zdX4RjvU4y_~lBLjIrCuShW6bBWs}Jh- z;r_?sz8%mfW0~Iv?gP3BUFS05{-@7TRgZ#)Nl z>R(-mncs<;D|(&kvlBsnY=2(bU3JlRo6lWPxTNgr8aUgTugV$b(VQYfIT8B2M3@#$;CM$(VWi{e4^(8qe$<27T z|3WwzRYq2p!;-N~asBj`Mq8SGdJxZXzCw(JLrZFSXs?x;`7?!@uOTHyc|uKmG80M^ zg6g=fD+sks5fG+mUAR;Z)R?N}HK!gwt8_D?_WwLPJL_nVs-CoYA8ASH^W$K)e&&Zv z7x3NpMcjc89F7Vhid2EI32Q(P?miO^CvvB|=Iun``p(x!UvZGW+f4oez=aUh49Jkwo!Z7J;eAjKG>iEDNcvvVgQg(QH zl1}xA?);2L?b}g@9K3T$sLN{M9%EBeP0FmXfhHwdlU?j&;HVgFqFxF*;qaE?b&~Yb zH;wFq18{AJ=gtkO;hS&&pzIt!S|1yr4xrMLspHJv+OiS$IZu8Af36 zs=GJJm(R?Ynp}DxeikU^^1o~lpF=Px$&7@WH_>p6kw}Pno`n9Tx4VgunZ`7>W{Og1 z3pA)U~=ZgIi zk^|*6&X%2}&0EDdq>j7OPETBFtChG?Zs4hUB|lSi%O-sJ#F#u(qT1-f(-oC78_K3K z%#N8k3Nvj4oEVS_b{TcSaoQ3(n~_*8Y{N0RV0 z4G$9mGHuKnbc}^rLbaOCmZe!1Wf<4v{wakdmSy8vmq>#y1r?g9Fz1eQLBIt*rs3_T zdaH78Vao6cyQ9swHQ1MCBX9P-a&hw0o*i4Z0H*R)MH@oQB zIgf=dN2?9f0)4rgzu3U8KN%dYe?;M|W+yA>y+4g1eu*bgyTwQoBW|E`u3c zrQRQAYty-&tRr>1Xi0kvRbVT%&%BG(XqsqA>1i1+3%(c6VxRavimY$6sWepi=^UG? z7cumO5QW(&S!0}*t1#i|a;Z9ZyTrz(KW9E5H`ZKsHsBk0NE#MBSkw+#q=#R%iZAxT zRlE6yxX(ok^2fTU;seq`(!LHL2PmGE=je$W--5~#+pSEP;m+QN7d^3h6z(e7?$}mf zPwM5lxe{GWe^D;%zuUz5U>4U*G`BIx6X4clI$D=}W7N^dH4>eUG`rKz{N17Y&4uN* z{>c>#<{3Wxpa|oOH`Ri-meMc*3J0GUaTn2L+M5}}SctI&ooDsHjv^f?olMMz+%4gf$5B zWe=3*x_vouLfnVeJ^9T06D2u!$Cha1<5fK}S=g z4qSbCLRqt4k(%D!sJ*bVNddNsL zw?|9$at3XUdsUnj&bBelg9m=ZMT6eOl?5U5y1uE7l5Yeg&hpB{$&BCFrQOi}M^0Bm zVt8ggR3O;rn^u&Bk?v(6C$B^{^phSf_&qB2LYngCC zcsEB!IVZ%=+FDXpTE>kNiYnn>MJjjZRi{Xj$D^l7b7Gx-0fDYB=K5X+NQZrkR!FwoH<;Ku}y=Lz~tj> zaHY8>#AatiW{8eL7JN+6`^28Bo2v6T+R{(+6DV1*iX{-rn&5cer@1XVmmww!S zTzdm%M9fxdY8EGGh>+7hdO90t+7}t3d=$33O7Rw#Ydm(ElY-dRBaAnyHN!XC&52zk zix|R<1L2>)hwA{5GmD1r`Yw7%Mp8#DG*VtIu-LywLrd2SVabo);yJw` zOU^~+Hl!|htB%&eY1yumTu-UU6y=d_BnSR7B&PnM2H)*`>fUCileeso$8@V*lpBtrGvDQ+nF zp&uG57!`l~JgeE0vjk?!lWS`^FTYu=K_|NJqJL**s6c|Ed$n!ZwNZPR-7?6jh_@_d zTbdmr1Q`$AcsEjt=Xyn}qxZbT$20ncd9juu^Y_sEg@N#N=Qiz>w6xW^&TgGaQOic_zZWReVh%OZ)Irwz0V9d(h0#^FmYPG}A5CDmk( zeF!WdRVa+nP9UsYh=RfF{Z2FP@1YM#AG_ioD>r?9!5o9N)K!ZYKdKshToLy{VK1p? z06H|?Fqa?y{Yr}hf6FB*4zt0wIErSNTa=iiB>XK;d-=J!KtQP~Z~+26IOR)Lm2eO1-?Gvncs zIPLC^vw3hFRBoW?o7(Yeq)uT^!4lrY7x#~*{F1`HqwywE4Q1Acj zQ0$aZVebkF02G2FHaz?9wzaE;t+Aae@GnQ=VI>{Ad1fr{th&b-P6761Qr|db0%lc< z;^LioS)sIV`kk7F;tfy-9n1A+3LsU_`5s;Pt8ZvO2(!|)`Be&>DTEY971!q&Yv5mA zC)Id|;n%l3C*OPZO9q*6{H?LXAFsJS`86 ziX4$R4xFNag<2iD_GxAfk}kJbV;+n{6c(zh*UVWaqSEw*Y+t&qE+#C{Ra;qIGCkaz z({MDr&|j+y-E|#a(GbRI-EVqAI(-lymqN6jBrb$pP(yqGlvV^!)3|P%Wkr*Q=4q^dmW#0J=zZ-CFxh9w^`Bj(+qmMi$k`=}))O<{5jZZM? zfn5!hx1NC86u8|joP=ujCN?A(OOzwROVB5urtY4`32HgI|BxoaSKnu)D7`Q+d8D3^I$%cz8 zkYrqj?G7hndt#)Utn4>vg^IjS1J0 z?Oqn{8Qu>!;cpAn&+$F3r0d*0hKkHN7RzClk+e1RXqcDEZz*d(j`-WmM{~}n$kZYp z6LDFrH49dy>Qqjb^^F}}>Ul8vx$r|Lw&quFH0T89C?(>Jl~Ruz|iv0*>4v*k;=T0+CHLc#$pC zxn4bvlm&QpnYS@(6J)~~dv_6gS1>XXeo&)_o_k_DB%)A*oN+qefs>TL>v&m}F@_sE~g;L)a#So|Eq z>#;-)bvs!ymkMPZU1H#WukfNJvZO_y(BHOHu^gzdxoWAWTCYB}di%rC4rhG#^Nt1i z7d&@0IoYwqfvGK~A6l1aOXX6$N;5F#V*!s@ZhW%p6;~=MdKJ5hUjkVjVA*zlNCi#@ zPa5ZGlGRklf8?8ZwC>zMyV`+BQl7s$-Q(;4>*?bo6hQth6f_n9761=cT2jDx*m02) z_!m2{l4Jg+E&MDWJo2!V?z4u_&bR#R-ueC z-JA1LXpscBH8y1FWJfN^;AB0zbnjJaRyW2owKs!R7b1J?P68B^L`&hl@@?Y^8J%Pj zP%tNhE_(@idi)T);m4sVC%<$3fEM#46zkN7nHpCc>Z8|*BtG4@;2*8Mxn}X4UiHLg zJ4jb1L#^05!@HGh1@_Cic;stozum%kPp#Q3@2KM&IEo8cE2uNY!|f_0<5b&-Z#iD;dJ%dDXE+u zt?s-?9X=&em10Kk< zYev)LXa4ZqI*(vUKd6S}rBugIq*3zA`?{Y(hZy@^(PRu;YG4Vb3%dt5_|bvk3G_=H{~mLew+M51#jU&wxiV^Gtb?W9?$H&XI?wk{tYj`;lgO!J%d0-li&MNZc_OA;i{^I-N>2@l~J z=qv>l*%VbbMRYg#`FC)*XuqtA!r3IA6^N?kJOv@_)Na*McaML6jl=Ss(@<2xipOny za5v+5VU`nlThuZ^b+x%{;#DU;icWw6jc!B|@f+R(@f_$6Qcg=4R`XZmQEu+6ntH{h zX$e9P&qX_m&1!tGG+$6ClUZG=G=Sq|IB%ZYEq#15QS+R~pP%d*{yM2<1!o2k=EIxP zeKBgwIqm$J13sqHixncR-PPcReK-pbNf+fN#tHvMhnO=sB8L1DP2AT0brL>L8B|0=!E( z8~^~GU--+y2Hx_IGmE`}nF)~T@AaRKT^=1H0|`EMAoy>A=obJ0U=H?+`3Lcj1mNMD zvkkZ+e^LG@O>|G{eiImh1jdp4hAIHp>Q`z00sbe`A8FrQE6lq~Rn6~%9~bmV_& zHU>Z^6GtG^KfM3>_P@%P-2QD?918#-_Xhwlej^T}{7d|`l22QEKI!vK0U7|1DgDnh z&YuWjvVY6}E732q{9l-rk~4E~gJ6h0#Sp*xGv?KwI*!tNezg?b_pad3e0V=a0e@-- zJ2U;$+P_P~{U^+g7nNu|*oKUedy2^t{4<8@PnbS;G`hd6093F@$uJkYFA5Hw( z_ka6V{ju+Db-63(z(Ns3J=N=C<=<(4G5_W~ZDm`XttBLI(~yI8=lAA;G5r_ud-MDe z^EA8p&#H;r{TcIjuJfnTJk7B36N3oOx$>vZ`a9psQ_Ry)j6X3n>3_!j9hmVc=4tGq zpBSI~KV#Vb)aOs9HUGp|R{a_C_ax`1(meIS`-y?>{}=PrBkw8W=@ZSL4DhTPz<-A4 zZ_hWMGM?U4`N?Sc_OBej++ulJ{C8{jXJG)q0DNNnC&ItB@6+PH+Y!GO7hC%Rd0XQU_p76$gOeel4qUhpUJ?Z3YLAMxJAxBvhE literal 0 HcmV?d00001 diff --git a/images/network.png b/images/network.png new file mode 100644 index 0000000000000000000000000000000000000000..43e9cbc8c6cea24f272fc92a2a665df352ed5d59 GIT binary patch literal 32174 zcmb?@cRbba`~PWb*~uOm*}RE_tZb6(6)I#E9qY)flszJ&2xV{ChhtPW*_(67vDcAt z92|$=eN^xF=llQfj~+do^LpL)bzl3s?&ozv?%h=-y})n*0)ddKt10P1Ag2}~kQ1xt zPJ&Omdnm%ee1AE#{24Qi>C_ON(74jH)}$G4rQZ6T|h&Dz5cuG#7Cuj!*E9B@P;X zG_7#ZcNyyzc+Mo~eKUS8S~8yZLuomWj%iFTwcxURwAiO0d#6y28on;`(%yTG{A4){we-} z$8$4Vw}@b z=*&{6KnBz8wv)~nmW~rGNmvNv9JPU_yCjVV&N4TRuR4w|w|{)&fx<|+%BI44ZQ>_u zw}*;dnO`ci9}B8IkA3s`_DOlT+SQmCn^AMHJ5RoS;TLBIYFO@kf6k@u;xN+AgUD1? zi7V_^B%ezPlF*F=#%ETKPfBNKvp^EN4qr-wJL)4gmkxaUw155fl#n% z43JyajgQM*#?{>@_xbFv<4|r_qVoz(C0X=#&WL#@U~8pRw={9WyBM)B#CHmE`WzY) zXbJ6!^>{SifZ@*ep11RZe4@+v@1V%rC5K zMEMq#oOl6|N1}dlVRXZ$4qd*#w`9}FwsF*WH~!uGUHk-Ko7HLa{1G_0O+8mwtR*U@8INgpOp=JV%&zYufvg3b z%TZeXtjcv&W%lcQ|A3FZYwF31kVA!ImPBRqxBTGLjkNp`-yE)IMNQ6fi^3kWx>~L; z^~eW@f|Ys(1Oze2oBn#U`Jk?7h)ImlgeSIfcc1bhNS#eG2lG zvNO8_)z`~vM$9N08I3dzt`04PwJ==8Kz;`E;P+I+LK+6j#U=YB_e2|% zOU^)?DPR)Ilra0RF8qvBzPRMM?;=V_)FMn3Z1({7^O@Vjfc()@JxeLo9Xl(nji(?t zU%?SNQE>lWX*rpO2fWX2RX^XFzjH`Si{ZdP9@u)X|C%1mtJ8Q3aRus7H+~-Si2;!2 z)l}!ob~Izxq5IRbe{8JU|Cya7Zxb_QRlvZb`c_u%-X~Z}-bF|x(A_}}jCs$6#>U3@ zldV@wgz*}H_D_;N*nz45W$zHSt~QLUcIasc2_XFB72HBVfM#FghI(wN#ZKI9N?culk?p$ms==$%@2!|~2fw#``>byVfl&YVjC<~n zdyng8zP+lu_g3EJ;9z%Ptisi|y5eb`5ai|yID+yE+<$6BLhKe(g%5tMYIt+(Ew;2+ zUn|Mk%GTN4YM~=NArrgSF<&Hp84~j<7-2V85;?f0uf9!CTF9uo|5k;avGPkLtj6~4 zp$ZTQCE(?YW*L<>uQ8*Jqj|H5al$gbq``Ax>u7)ENMJ9hm^G})Z0dwO`#p3~XaG-E z@Z%|^J)jjekKRhLCy5zNMhiYaIDj*}f}eW95sY9AM$n`tX%`R<)>z|8R}SQ8S*I}& z_3uI$J`E|oi;SB=J9p9CE?)<(mzLI4So;17`0qWrq@KQU1KC5&-Y}W-iPLK5hR{Xq zZ*H&ZIlQS+!mkN)hf@Z3w|6e(3x~Rtb5!>>EW!%`&z}K9I|Z$BnVsMI;?ZtdyS3NN zB1j>B`x!MXncQok`KM9Uj^%t+5vgD*=EID5ehhF4?H+n&k3F6vT-nxreJO!#h>G&e zHIHV!YvJh{Uncgc;}b}*q-rRlI~QZm8)6lfw3(m#eHce=vo{SSYgL{xzq<$JO({Kd zc436y3{O?!akRkxhZ>FtQ0>_nHi9vJ;|Mp;5S4I3?ZRO*iiMXW`P3e37Jpf1G5HK& z#-kEZr9kfaQcuZilHS}Lgzf@MierXtPjrW#5DUx!URQ@d_phBS&^IKMHM=1Zp zs@2UJ>?ugF95w_&nad{{4LFiknO7U!+c{OG$CaCw)*yP@x;RE|NJcP>Ta~$^Z!Q0q zT^{=>ZQKv>!`M5(PMCnxkVh8YbdoJ#{v>l=37PM@>0+v()f#Yy`1+&9e6wO_2cw?+ z=wS9vBfgGRE_82;8$$>aUrxJ5Y=Y*j@om8uN>5)V>A6Y&!vT| zTy#giRXih;wdoSVq?vQ(EnVmEARBNtAZ)07MYC{N*RAr~JRwq@Y+nMGpmO)lkrAm8 zzXBzJr~(V7fbs8i1y!6XmlUDG8I%0?sn^!SHOLEi)wN*hW0&(1Zl*(|2XX@Hto4WL zfF!-bws|v?sc+*acpZe-8v!3McRAgPwb zE3hkhu(#vCmVkG3JerLHuN=@f)rk}R?Qd%%;Opx@PfzE}O*l7H9Q%%fi^F7)p(Y(< z!}IvCK5C@Fe{77REVTej+@z9*uG5<^S@=j022 zyjiFwu_QlgjO!yWn`^!!?j@gvk;eiwvT;#c18ZJM1s>zvs-?C$oKk}|6TMdMz&B!?|zvf9b`PoE)@SE z>H63v8t{r#Tu#(?$+^Ed?p%%ZpYwBCB7IHqi$2dCqpqEXSWqiKk5&(Tyq*_1&iX2L z_-4UMt?Kn<`y}n}+(7>2!S`lVb_IEN!NH;SnA8nc2xm-A2x1V2T)vGOF51k_6?U0( zx9XTa`$vUh1Tcq%z&Bg_CXqv^)CZf)ugu$s*aX98I~IdZeOPIc-@tocw`4rUHPR}_ z`_zeEk4)l^3P&45i`&OnCVe1p)gE2NJX+hs>N>f9qw|yS)iL~bC}ltcq>erb3`exN z&d@OdQ1~gN9!Rt&Azo-(SSl3XdEnq*^8ijfF7yNx#_QpVDitk631hYJc?~}$F97mGwO8$XWhbR*0VgA)}E+NwE3cCx$t`>!OGb-vJBJX zSi3=m>wD8*_n|mK7b!g^QdR0zz+n?!z`;Ly1W+hAx{~33yOU_{3m7WQ`M$prWgv9ebGX?DMCfz^Q_@CDPy#E*iV(kwZ9n>2a0E^ z7~X^`AieA!62Y0T`0jRuPmImMUx; zjxOTB9Cnp4%rgeVQx`ve6pk}8#)^lTN=xRe* z{P&8=vKxv14|?v{k2Vl(rRcKvHCgd1ikZ2?LPQ@PO&5X?;7;gxfBJu=V1VSB#2m8Y z;I`I%yCGIextVN63jr3E2}mBt2HC@q5(r;crN?=qUujZ9av?wNUrhWT9TfwX(}6-2 z!TeLaf4O;#rK2TM-X#o-4aLb95Qv%2RoOqngRzk8*(O^5cZxwlOu&}S-d^Xyau;iu z=$ZAPTcHSVWd6S04kGtEIi|-P9zq zCj^u#o+kzz6K(&`((I+M0a~tri&d6a^xj};HcaVxBKfoU-CKe$rSjXLkOXZ#O94Z^ zN9`^58GbakR)2`2ulf*Lk#M6*b}`vVGlx}9xG$@|)I?oan@reG*pY9by|CU-v`&Op z?wFaQA>Pch{^d-)gFW`T8szdL4Kt;?kXDosD>R*mOHz@fLN0&S=is@ zt{$3$Fn+0TKUnPlBtq*Qz5wru&%!<}9v_TIZLS($D_Rx4B*6ks|LP2Iexc~elmD6HHC^DYK_sTv-PbPyuH}jpa7`I@K3PUM(U|-36 zTH;`IdG+~CvsF!htDG`xHrIS-QRi?=W|Own zfWkA$mRnVI{OuT35QrdQTb|69LSqoTM$`qqExH*2u0-78CU-N$l*f}!m}=L$t6^F-mVwO3Qr}sF2Ym7Lc|y& z*PlN9fB@3_srIgkSZ;|27+!T1i&xM%PjFn3~r^Uq#8dz6&0xSsW{ zHD;zfcaj%3GRDwC!@#57w7BZ(d+_c~_3V~K&)H^kmqQ&70l7za6#5yCOKD;z`A>6Q zaq;?L+sB8?J7PV*`O`j+*zwsYj7sH!9U(3@j`hcz`a3MMc?M%8hMl;mk4C!Gg{=U|T+CP5oIlMt4f7LJ%P97DRe7H~2IAUP> z;I}&q?~=HQ*k9>M;fF0m8ocmGrw4qt7@MTX_gHmW*Ytm9DnKtMDXI{Hm<1jZxR~Xj zA8rw~{t~_-2&t6?UWtmo3EOu{Tz7YO*BS~G$*ziHM@iJQhwH+ucNZ=I2Y(#?hd?d9 z@Dm)NW+hqL@Wgn~qpYPh+$8wvRpi|aGPwQ;qa=rtLJ$rjFSnf>}a#W$8{~Jy`yD#ao5_& zC_&ufdNjz3VkhR`9leBG(R@PLEqCR*D_w}4c{48_f?%RMn0PlX)NJoT0ef+yNobK3 z_14bf^w}RUqd8Znko_=rImHGwSa3HIYKA*%tdWf-+pLQ(a_LPRyM$pzIWUr zu-byQ^2sA8#i0p#2=6a?Yna1k^8(*`eIbyVHa3!?$$AY(g{^}MfFApjYQycz%HjoCGBG1TQ}SM2|E+csWRRk_?@+vFJC?? z@tmz#N)R&F$Q~Gbva>PMy4g5mJ_PIa=uvwe6x_8VVtp<^Z z?SB2?)qG}@$a2kDU|MX#ag>ghrlyJn|`VcjfOvw<*wPRby z%8MBvx48-E`^+(%AuLxE>659Vh(w*+Wq_6JJSrI-8L{>CBX-Vy{`}d}(lR<~9BjUN z_BhG1Kjvj=NGTi^QJZR!q9-hdy#hm2Xae^Xd@^@+-;&@b-&rHGZyI-vW~nYt!k0iFjtJ3EVui_u1X<#fk^vt|znp6#2G36g6ZCDVlZa-42_wrW@&ZTsNp zk0Db9WLY3-Kvxd6Ch^*3CYP0%_Zqa$&j5?apn^gZcwp<=3CzvD&+4BT6SJ=u6l0^3 zyV+&~zc>!RIS8+&e3@$4x$5_sfH*bl%Jck<79(*Q1}k^}5)nvM+(k$Ea>M zo3mqNjXLfMMlm!hBSGE^5^zv}P+aja*&nLThUuM|Ie$HMDydAx_Y?@%GH4;!4j~%B zGm+d9&XXV8iy8S1QsEa{nDc2_ZHVU@Zn}-+LStm8QyESbhx-{nJAClK?7a&d=t7K^yD9?P%(zYcIM4Yq=w9aNA*0+gnozW1nG;pc zW>QQfN@J|IJl|U8`iv)t4Cg?hwBgc*%5#On5H>?4EhHDHZ>&4Rj8x>r+>o~W3r@F^ z&Exx@{w@;Lo72-#-FF^ttv9e#$c_R%u3DO5bHD4Ztu3T~fj@3=^tBhM-XIIJ>ry|L zNnU+@{q*$o(%u_vA&PscACZt1P7{5a9djGYoZm9W3JI2_ybKG8Meg3tZ-t9#$cFk?|AN=kzm29q@-V1knMyXcq}#5~`u>8=%)k?{DMI zfzXdVxS2?0btQJ#QA%1`u*?ZU_{s3Op~14t&c{Wg%gbuT-ResnLRb^~s1k`S_@%IZ zKy+i@S59+bE&$647IxW{Dfz;p08LP<>nbX`4}A7L*QoG0)gm%wsQDpY`)uazdhEtK zer=cGERq-RXUftEYQ(N91#Y?4+g>AHrC;(btyMfv;m8;{da~lQV>^v_dL+q3 zhhb-b$%g`Qu;mFKmbN1VFhUBbN*PW2h@7)L`1w~lxm?_6cyTXAjNuV)+EMADw7fH^GN;j+}xEV+ZWDO!}co7bK}jh+GT z<_4FA^F#{064LR`v^vCm|24kjXWeYR397OsbO&l%xp8n!hurIE7gM`2p=R?4YR)Rq zhb5!1e6?&h0t#O?j3MZ8odnKI=`|wvm6Ope(YHd%TMRI75VBa!?k|B{Ww)jS^c-mU zj{7r~%7V-D`Wx;wlRzpUI3f=XCDTr=ZA))h^HtHdQ@rJ?TRzBfBpF5-7OJ(Z86^zMkX{OY;dbn^hvI=%{( z>ywm39PCdTc1?cc-|)05zm}PcE~4u)B%0X$44u89YRg*NiMBfr^;E*%!1K4WFM`Ck zq5^l<<44hDv$2&vweVJjesEZh#J;{Fkl5NK!&8@2cHj@UjaB)KJp6b@$E4@4kF0H^ z6daYyBhN_Qka2ygORyB022N&p2Kp`BZ(#>>_z*N2(>0WCfXuovOgpY3JB*)&TqM{u zFLj1U^0vK&D&i~@mQI5fdQ_NM>&oWrlkf6*%EvxF>r16=cmaFFyObw0%v*(&us5Co z7y~p|{R)TBu2DnPIHR|pJ0`bo4P2zr8?blm&6_yY-;%2;UEb)O$eA-%UH&!1@926& z1=!85sV6-y4veCZ0ymKxBmP<9W=f;46ymY(+H0%S{q)>WES8aB73Q1?zo=47MT}1n zyq^*CO!CBvG|9`4U5+MqaX*yTnsX+rWov88*1bBSi(oHu`d&qPkOH^H--LSW(&`^F z_&pF?K^+M*p_jA&b+_P37~(5)KBTZ|G6WB!4V1x5x2zPerx7hB-8CcSeW8(v^+b#r=`8b2i7Uw>nCXwd7o{+5YI zjbrP$T*?bb$TIw)kM41Bb>eR@>N*1T^A|0v#2`{%0V1E-+x+ISvP5>Mb@r7TDcwcY zGAr`&lZhrYoBUSR$>6#&@yU#Y)f=v3Z5AU>Pxp0!qV~VI1tR=5>Hm^u+1`|^-84mtZQW+r!Iii?M)p-C1cxi(X9Q94U9?vJ< zo4jL>Ku>;4^?np6x*~}9D&_`!@Z%8R+Lv2^fBm|~POn;tBjWBvHv1D9368d$Ca)4f<3dA4s$Ostec-< z<)A>3@CiY%y{q4w(O?(G-0G9$jp%xOx@KaHxRzFVRyr!F5T)p@)wa61Q}KBY+z@5l zxTSj|F1K@9*B^QU2dC~!rQ_f-=l<{ zw1qAjIM(G#-v+iCpp<>=UUUNB{5xb8>MnE1fHk@uHbtcMdpS1IGo&V__Trg)l$KND z72|`!R&Kl?hkTLD<5oWMI+i)4W)o3fEzIKM>|ziaGwas#agaxyzqm@rs5-~(mhnB! zP04?0{m2SZ$Q2MGgargp0>oK&7BlAE@t13~w zMthmTU$G#;Zqma07V(wDz=w42`r!lGea(HFNYKS=Z=dCiF zegCEH!Z^a-r~f`Q=mDSra`hqe8pTbZl%5oGksddxnq>TdsLKW2$^*2440EpSGp{}4 z4E7cf83%pwHy$q{J#uJ(X^6R%bDwIGDIz{h?pCgd0y-qG>K!AGoFRo3+(v&+XJ!a0 zg4vlZ+G*1Td#{4M)cC-2FTitaXPMVRPD8cNxm*%d?RQw11>Zrych^6yFpr;>8h>{I zox&7;$ho5%%nLr&`@F&&L(06?eio|Dup@2Qb3X~Z5ljodas+Qsod>ItK(*P>Qs7I~ zGMbf(FU~2dN|)2sOkP#*?VG&DhG|#w_!;GNXNj4P%a;EswqvX2dVnJgN3)L=63@#?4aI#LDX#7V$~90gTrB?_>- zP;VcLaOqx*^;4^feI(>%2)?Xj%paFn&j9jz)m2mxLa@kc zY-5hN#l_s>#WS~0SE6!yI}qF%F`bZ7A%hUF6IgyIxMtQty_kLQkTfs4Ed=4SVw--s zbHyor?_)Icm`~c${-P@3);Dy~&qxD1(vT&)5zkm@U#G$S)z>|I3#>=V+Ib(tXO14- zi_*y77-d*Scb^{A1wvCA-|G`8@z7M=cC#KTP!Ol0fhNqvEU)00$qk(d|2Q<qm)wCJ3IC?FN z*$-;*7+lFp;vw{k;GbK3NMuo%-Y8zA#<~)mhsl6uo>tQZ@zZJUF1du4+kuhf8wcg^ zmls+$>cUcHbk%7LP?{>A^~wyRo8M(Aqem4o`v$6HkHQo6eUo){0)fHb06rht5!O<; zzr?E2DtM+&zt1c0N3_VWi8xCnOgJ}y#T+*z5V^h7B2l!z7kyoWPQ|f_IsYE(d5qo2 zq6@cwjvCD{Z5rL$>z@rBys?`d)`dMc1_i>4Yr|3!y|IHztwY7D%yOnk!jul5o}pay z)birhoyvdIfp%*FW0kI{W%^)OlgUK0n3r=!-88gDI7a8S0H$W{nE+`5nQP z<2*C2BPX|MDH09NJg9~Kedh6i%toDe8F7*P6-^`xhqoR`5_21L*a&C?*Jq6v%;8CjmW+vmBUIuD|{SwFQH9E ze=0AXI`?qdQ~8izPJc$9W5B4Pv?u41p(j`Zh{eFk9(b z(S?G<1RV4g$yLjlqT$c`Dnb$aA(OGCDK#%+)f(@i5@v3uC*G4Q&Rx==1A+GtxEYTK zt7^S$OD>hU+=`C#%iKFx6PKgUM5Se~jd2W>73J)`tAJW%6wA*5Eyay-PL$%)!q)=5Z*%}QxQp-6m z%iJm`J^d&F&&x7cPgN{+m2rB#LRU@JGPmBnvM;hnRIOpV)aT9D?~%Bbd(W6#oNiq< zQXQh1wbDcBrsMUNll0rrMG2Gp2b$YU;mc(`x24Q_lSchoK5s#Oa5pa5`MD z8~<|bVYZ)nE9a$moZ-Q!8a@vA+H9`Xdvvmip=R=%oLf15y6wWeF(GX!o}o^6ho6%` zT?$_bd$($)$}urGWA=tYVcyA??9ohKDhGxERGI-ht9B#sI7CIN<)&~~pmRX{HDc;x*ma4ZNuLZ(3jHuo4H=+T*RBx*yv}0z88(_8gtf2{oS!c&5BqO9+ zm!YMK_vBzmxXY+DX&xnZD>1RCiR1B3_kyr~+;rrSM^-Y>NnrfX^9UVprSd-3)MxH* zQlTQOi#=Zfm29PI(MFy#L}F|3{%~ti5D1YVLS4Jn5yr0Kl-nn>FN@c^bo&ZS0oO{G zeQ7)MgBN4F+>5@Q#l~w^(s?gya&z1Va=^jPs#L4LC|Sd>I$>CHi~|@{w4XUjyp)=l z2V#qI$qtJly5GzW-fgAT!bldANBXxFNMQnArnrdei=vk44=-vUZBAGVZWAn6WX#TA z+b~}bDn7iwk@3+~kbLtMyTO!X8#Lk+i zj}3ddYOb2;k&etPTDDIO)5)cSJZU(muR!>IZ|8jc^4a32A$`pGdE4vEwJ{CK>9z?~ z1^`wAli^pBVi7pl887GnV8^pDdZ+=1SKyXu@II&TmYKtFW|uF%G`GR(1oN6lZD(?+ zLGG>L1&Q4P7X~XIY?b~EEDWn%8)kt;V#REN#rqitpY0W6$4I;!Z>nTD%LUp?JVIfM zn7kZ&#s}Qb``$9wi7Nytv*zN2iR*m->dnILR zcLJoCL9h}U_LX>agoCwsy>AEA-ULIj$4P2fUGVS%-*$`ps#i1z`Iv*lX&Mv$8Dmwy zoXXlqhiV!ZR2`7~kj!GK%sE-|0?+*ql>GD_ z$-Rvtte4nI*+o%G`qqspDu#s>*3!I7>b2{}q&trd-CYdD%*FqyaRF+wk$(tQJF_O#8b7H~CH@5}d;wW;FGmU;2KcvUJvXprah zLgWzWkl58>KU-u(=rqFs&^7s^R$vxBB*zDI2<%^9aP$V4TGO$UeSKsU0uSBm@(;;M zjEBacHMT-I{AOvaI(wj20|-|el#O1S$GwS+GrfIeT@Ywc;IDeCihE-^h5EkTxGb~9 zp`Qme?;XXoM=EcEt8vYXoK%+M$f-$bq`&K)-}O)F%%9ZDOIOS_7N_%#fYt(}7Eogq z8T+0#g)lWAP&WctmO1m_rA51-`Im4-$j!+TzP#*->?t4dw3hA0;mOazxr2tL3{gNG zYXL8`HZgu*&uXhm%a`TmuG9@TKHdN=JVnXxN1tHzzIX2qC(bOi0>J|OnDSJBxTndLx)=BKR8s_KFv+gS`BrJo2jAC6lVw^a1m5*Qa=S4en&c zh}o)<$C+!nW>ZUcBz7{B=Ifg}^>LT^hOH==qfb4F?#>sEpIGR?KAu%tn4MYDK;b9> z_X|%zgI-Wh<1G)HYpjOa8bfRxGg8Ood@AZ)e~l47>d333B!^_ojVC5@=M+Fya_V)k z>Ii}b0}VTx$4qyz8ZBba@wxoEUh_p~ps^Ql(eM>q@z=pjM7hwzorC?d1rH7+O77$R z@wBiUdeBS}P*oZZ+<6`8@q*_b3M-^Is7lk?>LFOXo?QF!hKGN@=i!D&*1;Bjvlf&% zrT~R;g2P6$N^GcF7H$`T8_)(a+@=y2KDzN1C%d2t#E|i2J;tA~@s-$BUr&iy&L`!c zAaU~%69!fANM&7(9H8kQkzW_$mNIR$Tf>XG#%QtQ76AUUVx--D-aGe;&T98QIAL81N21unzYxuYhllS z!2MJzWNIyQbBTS1bPjCKRpK!&*5YNGmayqprAanhEC3AyW8#7sK);ea^0RXAwa|_! z->pa2c%Nr>)s4+Py^Fme>`QIq8zBt{D3SLtC=7J!iwgV^2lLFhv*l7G%*~}A0=}bQ zrhuIzDcJ#Lv)rIk%}F{BfD0^I1^{a0A;VAHnD&MTS*L?3=t-p^f`Xn^y8HG*4z9)eEGNhzL)1>@Etq(%XY=`tRlsdaO6DV#l zb7_8_Ch5>#J5DHy-l#5LRk1@>D0EChhoz%n0L!B9=l#?$F&jW5H*xLG7A!}xpn$v* zEd4rw3Kj>N-=KFhkxPX$9ZCjvXmh>DX|40IJ}nyo%j!4SbqgHzy!;aj_8Y>{a@!bx z0GH)k25gGHEAw_R5qO+ZdVt?tw@B1gJe+@LoA(+}-3JWh*_SZHtg&hy!0#>sbXEL; z0!i(WPp|Y5KwoxP_@dErzT$jqpoWHoG}V`BW?T+-)1X=NGVEPekNg3e@}LJ9dyhAx zB_!-umJAr17pQU3?X!QhtY<3#5&7-hRZ0BNg$l?nbKI<& zk+#buRNjz)aFSX18$~DbO8XVna)8cT8<&`qB>$KzR}?kW*Pb&3Wv!h{oj*B zV@yZkH_8PR$ERHwa^w4b+G@0EDy>lqMjim^-|urXC9QxAO-6YdNZ^++W(T<713aECz#?X120I+DZZc&ZJ<;^OGcd=vnZEc&> zRr*!N{e$!~qv_oFwfCD72}ude9jbd8DsOjmTbw5=@S+zTiy&`rh7)AIj%t3$`4TJ8 z_eflCsQFWx%G(@WkO6iwWG;gD2f%cSmLcn1wQ~6h#N)w`SNnI>_CxM4L4$HYXuJuK z0d+(;aRq6|szC;6Z%&6UUQbUW} zckYHR2d|iE9$bG@A!Ehl?Ub$IP`ZDTB?K3-s}=f#_Rs3CxiC*@?Dq<~NRQuE{|OxD zE8uy_g1s*S5Cc&|xnGh%gU*5Ya+3`scn(eW_CYuy`7}^0cJRkEKmoG_OUu6!*@01c z0jI=4 zD{OEA+>*H?VonuY6kf6o6LEq4HURHfjeq)?cx$(!SuBxCXB|i8^ zdmmtb$*Jx4PyHw?2;AIUllpV~s3)>DGSWsJ7W9OB8jIKs?WUhZq|S`e^}h>TLHiYO z45bQPvUcKiGy(|R_rh^j(C@TR619I?4q3VY%FpkyO%{N;n%{2z`3FWU!a?_kgA_!7 zFKhP|{DRZsj!HJbA&teMiC2@UN`k*Ri#s=;WLpg`@pa_5&>Ks0l29+JgPb#eqym7Y zQK_t{e6fIby0wUIK%z^2CuM^%^&bK%w!;O;gk{C~vLoS$n}j`8lNqCEFhlX1VWj|< z2QG~K6ZgN{*@xe!Cp`PC8@_qo@(bcx|Oi>N@VQWALmOhA#QHH`2Jiy z*QvkjYZ39SYuXG&!qr1(c(+?(6+t$1tZqnva>I1_JdJHKy`JdLX3+WGCHSwk0Q{;6 zXZrc*;Eta7mVCr?5G|{u1?b_QlJERy2ls4Cv|-sZI$XbVc{=KGgR9S|5Sk41pMie? zSNk#|kB@$R8SmqtU<`{JTAl{ToAOIm{^SyoXn=wAbaeJ-b4Ae|mcBQgm@M=F`ur2z z^PUR|4nvgg06@A%l365L=uF-I9#F_XZw>)Gj-NXZ?pfX<4~CiiN?@5X5pVp01JKKq zCO|}4z>|oO&R9AklKeN3R>6o;4|>cs3>d-!DBD0H_)3*%_5cL2&`D2_)hCB0IFk|) zQ=e?;@ZRu}F#HxWASGH^9I1$$Gy87`c76=?8z?^MUR|^KBN(6|6c6zp z{OcheJ5b^NHOK#)q)Z~fKL9jj&@(Xp0OI%Yl43w9PG1C$lL8J0Xz-N#d9^=^HI$6= z^->*30MJ-UH>zLRq;@^fujGODTE}&n2(y#?Wz@{n?WLe0e|(gYZ1DxP20~eH>qXG)FqeGy{b_{ zHbJI=9BS-l>A|(3NrnBKEx#P@IoXefGCID*p*7z~k?cA#ZCCjm0rr&eOi-QKYxvU%%o{$SUiDT*daJzV9s z@&SSjMy_=1tjtV?im^9zr(W&-b>?q_5!#nqA{a9J0ZYB$bXIU5rbaI`) z9e{M?*aL{IGr*i-J;iarg)qu(sLlMw_z_(YwT^uX5%BZkwAJdmLh}R)sBNo}1)Pfl z0IVjxh?p4)1)}X_O@3US#sEmkM`6J|7%nbiEwjQ0p#4(_jf$yx%xV8Fa-yXX#T6<1 z!J{)Efq$;BROhyYN7X?XLRH2&kND7WxKq>vDw2WFRKDSdeovf-danWiD2(ZnD&e=3 zj)6MFNEpx+jq%$k5#I8{cb-r8%L5LQ-b(5kc%aRN9YY~bq-(#)+@Vfi*ZzF?bmWEy zu3EP;i@LsIes<2yLmc9m00l7M;+}P2$ixH6g5JVDxZG`#Z}mjr7yBPfSx@e&zmW9v zyH#QAfE+i-2X%cn9ftc)ocb&al^aQz7)6bbqAaGy=*@XT-fKL>dMa1KoFmHBkFkI! zL&UfNt}{P(it)O^Mx}?%a;byxR{n&ycidXUrs3YSzD$&)BJu=Pcu503BsPK2*cjIp zdSJx&1E%-}Wb!P8lamH@OtbDmcEkrE!py=Rdgu5vZ^)YSY67TL)|DIE zRLe#W)iMO%UQrl7!~2=Ag#vh~4(*I(cFbEkqO{I7qk;$Lg38R7KhzK9`enV80nR;% z@AR zl{tEuCa8i$196YHCb=lKErzc1+N&bXobod*y8v+?bDHQe3g8lSItu_@Y-Qm-JC!1E z_i|8p$T8+R52RmmP-@&+jui9B@h7$T8GW4FLtik5Rybo@Qy(E15-XA*=b)t*xqr^dy zm_jb^1E7~k*jZw9J3dYq1x`-OSHytljC=OI>osx|Ff}S-Y(t?_%##gpjAvpVBr(Nd zXu}jQ5?aES@2*?7T5k~1`)7&FV8<{bCQf+R1IYG24TkaU4A&hvzj^q#iO3)MNTA6= zh=pJdK*v7s)!vQiNa;9YqZ!+9;*_&jd6(YbHfA9y5FHm|@Q%i(E^*GiWM|*$0N|yM z_47wnfTr%J*@ZXQxDa%2*=iS{@}d6Kqw~vBiX0Jc{=vEVwvk;43)r#%xy8bTLgxPr zWkhFvaFMAktTn;U?=V4$uYzEIiqDA*m2piK4Xre~(o+AV^s7TV09Ma^Q8Lsp)H3|? zP4C2?Y|Rv;>oqgqzN0qKt1ik}mF0%_40z&>zFDMmI+4#`*a5pcp;%k=Y%H$m)%a?U0>LG>g)8^U6Y0)D6uW1A^HxvBRg=JR+R0#veJ^Lf+eK%cHxH1CUo}7;U6?W zzV~Ep&C*v#KaBfgLHvEL(J&9|{b8z8@@Nnk&k|dY2A@G`nRl1ZsRxRCo;=-{n^pn8 zu|rNC<>Q@ihHG89p1G0<>RpG8ZtR>JAy&+8S;hJlU;`rflK< zpB#jo&#CIH`m*PSG8Pm9sqcrDZ)%+9|0K%!JwgUXpbFIjd3|cc zof1<)MREwg`9R>k^|R?6>y7rqX@#HMK7Zs(s#4(l1Zwl#RY4=?@}2ZM>JBy1YTP^k z3Hj!uuv1?R%=7QQ(JmYMH1>SqAXQ)XR?Gt%&K_^rgVd<= zv;7>MBxl;=MqWE$p0)Sb>XiIRksVx%EBKv-p)}eLG+?LY6_dBDp=OL+<+9KO;&fKM z8XtLf0hQ_0ijEA(g^$md2y=B{rd;ZYy}{IFab?KPg;TVbPK!9Ha?{eOe`pzd=1<|} zqp4szJIMspSlpuuL}way?OywVcxp~qnKkV958s$1j$84Z45;9StTP=pxw5Jo7>!P!~g z`V)(S8RF8vNj@bsVSh|~vwj)_^6Q4x^H351rvc6(5iJy5X~c9u&P!v2acL%dnn!;#f;QaXj&OVC#3$1Mr{y(qqv=MLe(s<)KD*>rXy5zai4` z4?%{m5{6K!>(!UJ)@g=ZJDwAZB=(|$OW~U3fK}r``E6evj`ONsQP2iJjy9X8p-_rQ z(&Nv5mn^`%I*9z3rlS9gZaywS6p5c3-Kb=4CbS~+z`Wz%a%vH5iu84K9-!kH8=ETp zJzgdV8Y+!i6>!Za;y?|tM5aqINzVVDqX;yagM_tSM2WpHT0{wO`^E7QT6B zF0OWrKfU+3+8-0x7djYQzb&yJKTI6BJ?;=V0dJbb6V7N*k`;_wFiaQ{ETjbS@ppY5 zdkh?nv~?!T9{z}%ej=iK%o3tg2}%JIcRdN$Bh6P;v;ONF*aw0M<=+K5fDhjX?GPbS z2EmT#rBsAStcfhRn9921^(RZ#X*-_TO`C}O$LV+HLi=E|a7gFheo7WxQ%JUG?e+Tc zNbzf-j&d*ueoQs-CoWQi1j0XY|U9@~RkQh%JF zDmTCcmgVzD;_?`ti{Z^r3yTi^wFfZt+8)jAqrAd>VP=8VCW2Lk?~neg&4HVfN0~rl z9_ruqJ_dkCp#NtxG}!FsH2*M|fW)sJ)^5DZnX5v*14#FdByS>G`!vugolbB?u!Ihs z;TPuAsc*ZtaJ1{S`A$wtTd2s)jEU{!ae4zLT4&Br@u#y2>4yT)IUR?ppg$pq^@t!R z8&AAbNgoTXK%HQlx7IW}wG?wOGCIdW2gOZ4**N?`<9$9ZT!>UVhKTSdT6GEA8>4RCFPc^F3N`!`Na6W6{xyc14E zKL!#yr5d;k7_vzOh_W^SWLyadbM`$@62H~IObd|fauA3Tc^|aTZS1LBg9L7JPNZ&& zA(|4v43&3Mx|egRtbsR|v+Pzn0;d>|aqY3~ba|g~L)upO>IF7TuLB@4pe#QZX&Sq( zF3L_iJBrp2OBGv<23_s3pV!}XH6Z>eU`Vk{_Lh1plT0AGqOX4YoC^W+;z#`g6!?=)EqdG7v7(sIJ{4C>fEU&=EO*S8TUNg zj|%l6fjWS5pTnYp^zv2W!d+(n;ZPx%#Q*~LpP$>*{-s@&<=(ipgrc|K9WsJYFkhn` zL3xe2Z)1lw<4|<&{%YuI{zMN%swjHkQ>J(Yey3inn(0%@!a^`|&W+DUHhHsLP0BpY^u>)*S&Z6PwPcx1Tz*V7r{s6??Rd8)k8cszab6V|xKz;0`YR+S^3- zj>(M&58WO8ZI8~;f`VqT^ReI7&^cS-&vC#`{@HQN&9_>2l6YImZ8Rx4k`OjxkfhTF zuHIS);=rA(vrX0Yn}|H&q~{A;w6zaUv$6XS6b)(ba15c=JTgueJY~J_m6%}VnXW{! z4h9vL4fD$DUB7t8mO9?_KK~GuDPLEanU;e{jTV6H9dFSB;4zNOA|w!W=BLNC)`{)> z7L`N?Uup-fHp01Vlwd zqzqCi=~TLLL_&}dm99}jKldtYd$xk{Z3>2~IpoqkBhWm`Nr7#WFM~ zXpM(*Irm_P05zCTewwtso9W74)sR>i zmBr%M2(CFeaJzU7bSD(OOaiu_;9azZ1RX6cdU%9K`Mw3y+YOAJLxLCd*BJj@)oB>^ zTlb9yws7V|=9-h)sQ9Z~YbM)kKk>6G(V!?0-Iui3yx5w6z3M0-MBk9cKg;ENR@W_G zNnC4o>>^YKaw`6=AYSmQgKgK8Ykq#!t}L`ct(5Za86j5?q=akAmr^c(m0MaWR88@r zV#~F-+1BQRAdHB3E?`^ZVN>u{&?;D`eeHdHnajt+lGz2dI#TQ9*CyAVxC&uEKAO$v zD5%0$exWm~si5MhN+H6-aEM8Jb0)mzsk~Y{*{Y4@ zEJT-`@7d(D4i}Xt4OHhpXZdG=jX}HC^QoN*TjIl=i{6Qp>%4Xc63}zLjkSAok9b9e zysy2Pd3>_?a`>f<;N>aKEYXi4{D~^FBTED@(jP&I0UvXO6{=&UiNdO z`jh(gw)G=wQXBWt>lCzb3Khex=CpdjI+Z)=ko?t#?0cKk#2H7npC0TvS(YP^Aog{R z9qj5SN(5taEqo{9V%MJt2cf#36i(cKP-H9EX0Z1q*D_=*L7dDv<3Oj7zH?0_$uqT!Q;&C?Ohzz z0S8_5U@T2#vS#=EM0qJ!Ab}5)d>Q#ApIz_oFdXECiPb(rX^@PCyz{UM9mt$%vHP{~Jct6=a6vn~}BYZGA*iihfZUARg zqn9v*sVkDh?`gQX7WEnL^xSxTHbh|3hw5(AQTx+R*6S|&rQY@Sgbpk8r2HvC*J13+ zuVd;m5VvI$i;Ue5e0{dNjDm-o_tCE&t-9*tB9(iKKhNPSvAERm`xNKP`E-dOCGUK4 z)T3Z5j1!Mv@*%e%4pLx%2~*n;)eXV_J?tay&~TrOAAO^uetkI5`MKonCcFgln8XvE z8N+&qgB^s`I~dGgV+jEsR8SzH7b$&sromxWQG$$|EdvVYB!|a^ zAfJlNy>A~PXMPO7Ab?NCTrgaH=!w4?Yro+exijyE&$;Ah!)~q2R>(wHQ%@(&tbH2q zCNuwujlDZ$qWAKn^;nRI<85r5K&MVCV03?-;wluo_C~!@Qns+b$EWTi^-F0?$&X&r zFKpF;3!H*=DxF&Vbe!894hd#kj0rPOH(>JlQ}Ei>MyqasR~1lNVz)PN-g+ zzidb1PycR;gksWztj*w>ke}Q33qITFA4)fWSQzwa&#tulrDy%oi4$`Fw5nP572-O+ zIx~Brw!OhDcQGlLo_^Vf+)q@na_$v{Rimvnm&u(B`|Bd)<4kP^-VAlv+lBE@1H0d- zGdix5>W@{qr(#Oa^nZWvnaw(%6m;k8_Pko8;I2THMdjI#&BbF)V_Aik=-DA=XfRyh zuF#=nPy0HiRjDH-6MPHalpGIgY<)8!6)?pbcHo215J>|MxC1?j%m0cvdP_09OYmh$9lzaO~i9<^Htivnv#fQ}JZAa^{*f23Xw$<3GEHv%vqi${W zfyvt5AMqH9d=C~(Y2)aQnx?1v0)sBY+R5Dr-E3ABR<6}y)0*>WHwPoXk}dfd;^Zf9 zYn;-x3^a{rYPi+}xA=mk=!FgsM!sUSf|hWxAql=R8fK{zpG;yd0E8;m6b4twO{{#8 zqzj~oYd6F1XBWGccOFUcr6UQlJN}S2X=!YRtGa#V3V*~@iPaGkgWd$;DIz(RKu+5i zb%jc;lC(U({IM14VoE(E_s

y1awF6w|*p1@9r)#i}2k(=IWgl|v|Y6~nHkGzQ}R zxSTbS<@@VJpTTYM9Ar;+zT%aFrv~B__01*i3BdGn6jFztrB)vgV#m zRAGkdhMt*uk(q1fn5}N$9WQl=_cK*eXPVpgJj+u6!T4u|jE$o_xc-T}@i|jE?{d!Q zPMe#$DtZe>=$zu2pxhf-6+%-aSs`wEGr1n>`djnYFZQq=tK2bVquDF(CZRJSV zGc`!3_r0jMMDA|C^SRYofE9SBpsi%E}N_QN#>==L#J!>a{ZP} z+@e`Xy`_mMWZaVa`~li}BGRAXHP!}fID{-+E1kjIB?Pswgz-Ju+Dnaom)kZozHTk( z=o<_=`l*%b9!)vg`6t(cZ5~f{&TLvz%yoCpO!<5k?d=yt8aPnSM3bGpyA4y^5vb{| zalr{X(QV1$m(s}GL%9aZY9r_Vc@6VE4-dn#w-8cVg{|X&x*1#FRHQZhKj5nJ8 z=rTy;#$0LEb)U7$sbCzEvAC`$yEJi`E79p{sn6HaPiWubD8%t}0COfUtF`MZeVGbZ{fP8e zrH6)Uj&5c$8)hPTmN|0Occo@6eF>0GgcTZoQQczM=&^pDUn%k_?ClwcUc9-#;*ADx ze2VfwVT~UrE;B1mC*IRvH@4f>O`|a2B2kaInNa1uuqIOVd5zpaV+P@dGM~LqxlGc* z6$&O+4F@y)o9@pRbGnMs4@Bf`1zTBtGJ3ZAg2>VZlG^Uuv9iZu!n*Zd{PwBL==0o* z;+VR31FhellsCpAaU}raO3!!w7X$HQ!{a|H$!TPQZQR9=3e`;T=^b?>>UE>fAei9z z;3CF;BncHovUx-O+!6MRa`)HI-(y}t-*l=5xnss|7_o#@5e7dL+_>Jk3?KXf}Gw}7b#@utJ$tQ~qM zAh@SF{+i7T9+J?jyz#iD$0~nggjGjef0c^yR?R^Ro`z3h{p8FpiOcsEgfQBT)a?yO7=SVMw1QB122-_d1SuIy1%` z_)6Sn&~TzoY^I;o@6paVNula{DW3rb4-=)=6-TXXf&^ zCcfKwNuL`%N0DhBmvmkzcm3tR;JKbgVa*lLdUS}PL zjj}G$*JU-E><^v|S1X8=Z5W7F?x<)DousRY;PIykWG`!Ir3*dpCh|J09+0|W>ir|0 zB?#72KAsHrnkBfD7Kkl)#^bO6mw@VjzxMtn)_&>i1us;gbB9JPk(7AN%CA6BmK(X- zy@Cx2jANlLS`Rbg;4XqTOx9`?Llo?8pu!smOz2GP*yG~fUJi>B4cwH9vIpN18TVNa zY%`Gq4Ra%mTm}!jMT6|4TboBVx(*PA?7pz*d|0(IolY&hd|E2A8r%%vI%g?@bu+9_ zX?sL|f<}$cmurJVQz3TSXz9Itb?5vB%m|SFTd+@l7Tdi)6FK7UTVC~~+*b~X=vX%K z&LRSBFQ<<#hy5#CK6s>M_bP7eKGjT0$7Qn2g8v$Xoi=M<|RfcAuA`5|&_6y9`ErKQ{{`h_Bu`wtfIrAhEuUpWFGF@42U2uav$$p4}If zOWnH;lGDoKrNF=M7@eXQ4ex05Pq5mWi`bOK3XJl1BN^&+^a$u{m6FjXuQ z8o?&F=SM&CMMdYIj^rKo#DSZx3;+rCxbHE7XTL~S`}ovCy0dxt3NiE1rkc$BbKw`2 z?(YA+1}px{taZId{jtgeIw5mU@k5Wyot=l7oYzVFN=e}mGAKsDDwuv{I95+zVrDMs z=azH;n`C!EJeD%mvcX|#zmP~4k}lEsT4j8`!*^%^1e?mgyJ*BKccTid{A?BpYv*RF)KHDf9vil~UQQvYk-3XqesOU-S! zQP%cWjEcE4QAM=E*kChWtIMbx^xL<;dE(bBl%ptse$mab0BD5xkssHTctIL8rW77J zJhfi7E40mTgIanwD)Noo(PG!7(r9j(tsi!pp1JO3?V9b5IfgnsIxbmFrrj6EO2O1b zX9*Rz6R`b$JUbfabau3J1owI&I@@MZH#Rc>GAn0RG?qhhs!5#7Z8CyW1mof!TTVV; zF6^`p`!=UVMUPyK?kcrgM1=INHR7nc5UgPh*X^S=PoqA=LjunnwkZ(}{#pNkp|n~% zH|(*{3j}@~kXvW$08%71wUc6C_hF*BNqzqpxq@G@N}k>3{lUV62PNrgUhDUWu8rxR zw)n`P9(%9%iD!z~Ke)TJdr%cUvHlHgv*KZ_lfjZP9Vj&Clhl>gPM# z@Dma%A$DHR66*DD?(yf$i^XKI)ts?Z1zN?TOF=?uBK@&xP#8+$ppItyMzP>)aH)>t zs(Q@pVeh_21FV$f`h6zE%eIfr5rCQ+n!j=7jguSx*Vt<}cljyUW+YsLU~>4_^66+~4bx6pYVN%U(Zm+Sb!}@{PuM_zc;88#WULrV**^6U z>eNDQczb&rU-ITOBcs#F4LsK28ou^0su0f2)a%3nj39rH@+mb9NZT9hpGljX1nRuY zm8w#R`Z@Z;Bd4X{49enUUFUrMyQ)ntWC-_S7{9szvEHz3{?h?&=0leKoVbc^uetcyo*g7s-#0;0&CTDG&~Dz*0*P3tG4kg z5~Q@fc}b$6jDX-gC^>v!@QHNYh@Wiki0e%ppt?<|l4_SXfLQJmk9~yGkOS zIiDL6e?WVGyIGy$aO$2(OX}WR2gd-LKWs&UKhFW`cF>Hr?c<35|HQaE$({+981itUiT*uJ3IK&1&GKv+7^?0*&+hzO)F{MNT?R{@c!{-Ge_ zKYZ!Go%L+pF3_x3CU1e7#%W*Vu9c&f!bKzDuk$|(tSL8q{2DpVuCZ$eExMUz0G#^% zKF|FF3;$g!pj!w1sB{z&$({U=azqr=^1r?|ydEo|?}Bl&xm>9W#L;qPZiF~`i*5hH z1;94`(?Mep4Zcvg_CkEsz5WX4O6gH0fp&KgaJ~T?p%UH-G*7eQx`)br+8P z0eZNn()-G63Suq775}GLt3TpWz_JBZr~RgH%~~K#!F@jZpCJcK>a(9(jatai;Hs0l z@*QMMsh|1&#ijl`Hp~6o@Wa6X(-bTKwCJN^i|PnD5b#LCvH?<8YXT%pg#zEpSUUyqN&<>l!6xcOB*w*KD* z6qQ?BN4W%6)h+z5zbnGol{qzIaQvP7^6-B@9svJ9t^Hety=X!VJ+BajTp93tp!g+} z=g;TR^z#4YUZ6m4?6`tn#7hfqTKL<&0q6#VWzWm%7m4ISM+G@m7=;ujMxzS0Wrhk#LTd3H56H+ZLfb!mB}TCnECe;$~>u*%J`ZsfwG z>TT?xl>auIxNCXTy$Vr$nWGOqZvU@4KXmR8B->;iH^~zfZ`Nd|N4J}t#}&6!XXLSBSS-%Lis}=v1xo}vO+*(OM z$>8x^4}`%ph(P7IV_?-QJ6I0HuQv>hgBXSKw72<>~9I0}IPn*}1xXA|5OoQ|1&_#(zAJsT2FQ|Ni9Y+U=E-jFY68 zL4RDBOZDZvm}O9vHgra78w^QYEf-!Xi8NzPR(R_EGH>Hj59T-MdbIh3vGkRf^@+Jy zckHu@=F3!ahpDf%BxBy%rJHjP{^S3;cTJ_Niq?$+bht>o?$(mS(Duy z_vBMXt9Otf0_d zcN34+sKQq?voIFio$HbWl-r*oH zp<%Q>Jn;>pN_IMXfKy;!z=-P@=}cte^F5F+H=Lzyhavl6Mh8Y~!(2$vtE~~?(3WVv z+nS}qr5o$g)bir-x{IL9L(!9`UmIo+(HTB~8Vs(iABjVpko-t_d5d!y+<}V$pYbda zuamEDSHIOaQ+dNGko&W|-@WE)YE*7PO%j#vnKb@DHtSWuLLOmK;ueP&{WEtGpk4v6 zGK74r$CdAwUB)@h7L8+X+ZBe|N1JWt>@3?gxa}jDs`UgLazcjc7dFiEzV%&#n@XB- zh|}BS)ZdI^;xJm`^5c@~LgA|F+dC;Co+y+b^XHS!ZsIkfKu-mU8_f$ofvpNFJ*s86 zL1E`Hv%~JVTIcC6f_BtZ8>zK4x_aoxL)HcRVUEMUD!c?%J{k?lVV8hU>O@NLI7SM$ zVq$jtgkz2^F{&{25E3STWllzgP-nw5+9t8Q*1b+tzpEuE&Kl!-aIPu_{a^v7*6q#-e-vVwDj7A?L)Z9y3k6iq>x7wtb1qST0^&VHV5nt`4BJ^_U zQbW|4bgiMMBXdAJg|F;4YA~0&P=BSpYx8hY} zs|r_NQd^>D7L?&;ikW{H-)oYdlPPDn7~+- z2eas-Bd1~QEfXNcnj_yAa46fJp`qf`vRboIjjwV;Cnw)zR zRCs%CoL}8b>&tO;R1veO4olC+49*uIE(!iQ4^H?8)z8v2&>NTRqZJ%&qs~|r?p}>6 z>P4ywS${t*S72WgXXnWc5wfBK=tIkPQv2-3*5TBnWOrg*5gDzUftG%@(?$$p@SIaM zZ9RS3?$7Z2NV)O!qo#9%d_xNIMX;q()?jB3TtynXM#f8&l8^mk%7K<*!uzs^RAWP6 zA$}yjJ^Y74ERqCyAze~=o2H(sZsHNadp~ISCmR*ru%7D8So)$gn$Ce(X(r+cQP()V zapEza35+>*_C${Zsj3w3dJ(4ew(~FGT#G|zUojXyS?%v=Xd&9C^Sn8l8Y_y zEjaCKT*;{SyH7IC;~QNR)QEQS2LZUk$-;)$?Z)i%Lt;N_au72V*eIPNyGBya@Uf3JQjLOk| z%3PSfviAtZOv%EvVEo+UdY$!c2%XPMShp;6U}d*|aZ-WnaIhuj9daR=nxw5Q%I`8* z@gQ6_QfV%<>j~-&d*-EiNEqrY*RU0>{Rua258`-?Zv`SIWM*lE5e$1{*P|!*D(HML z+s!cein4iCihpMr5J_IH&^sIJuq{Ea6lC$nOK!xvgdA1+4_pfo% z1+qF63PfsfL;+5fMAW$zSrnn!i<|}Fx&b5vyiqXq8{01p+69oPd0UpDJwT$pP-=lS z7D8-)?=T2u+Pho^G_jIFe&yu~V4?$UB`7TIn<^Dy70_+eyp3&3gkw|G)N5EU=0||jHYo>L=QwgPD(qjq@q3wb6Q0$mZah2w3WBeoACP_29IgOD zXCpJy{p*X$RN5Byc&!5oQ2qOBl>P5E_{48d=Y|eP1dPS45utXCnQufNiC`-f)PG<7 zb`~uhcSY`?QhO8FjLBG2;yebJLV4>aUO~Ge;j)wnwaE^feUaq^D6jXx&|DigP40ft zumUUuy+`KwuvxfM2{xl(@r`E8ay&0FV{M^H&+Lq2=Bo>S_PL(R!mGB=QJqkpA~GB`}^a zl>73ad>=mw&<+{lYGfq?iapqM2IS4=6;wA6Yhm9A)xkC7=KG@S``*_bS2#Io`3ZL| zsU)AI5z&JU^F7#*YT9~#rU+7?{Y4T1im*90&IQx230zHkOMqEi?u&YP&>ak@Dka8I zklYoq6iEYzwWWLV{vmB*uXp=>_5dm-ut?X@+U%aKQuxN`x2&l}&~kDQBa~;gl@73t z=uqW2Fbf=mdj;8#RafC%$Av5Ig4Y&y5s`-^J2BJndBlD8O$#Uoxr$6cYZs(F3G`4( z=Qmq+zG47m5+|1fhLDiEV?Nu|03ixKUZ=hOFN(PRmuz_)+MGrGt(HNV zI20}k6iN`@;71JiWc=4Ej%H3+J+shQ>3q2GiCWC+h`M6jt~8O3A>2WD>xync-_cXt z%%FIQx@I2S?U7?^(@M1oFwB7(ZT|JuJF*87#BmFeP9{ejA5|l`%D2GC+VBcaeHJCioc2|3;K(<1^KZR(!5cSe@*+s>D2}wnk}5QSXE+ z`*q^8{fcyHWogs`c`Q@d5U%AbOwifeAvxYP*QE19o}H{g-IeJh=01PL$-x%QRQyR_ zAXF%$WaAk&*EqRgyaHkjGCqphCUDnMEo57u^+okRnOg1+z?lru$O54oT z%Zx&8JmCD0<)dI(`Ws&<+)W<1(^nXKoycHr8mXvF4nep=Y)*Jtx6`?2F%I^w?RRY` zEsqRKuZSeGc7Cxm**++_yu{_4#U<*IiW%&>>v(?2aP?cqwT7RbRGrCPRzRc7`aX(V zIgSc*c`+Vo#TR~yLuNP?w_Po)Mtj6vTqiiPjjCI7i-U;ud<|_P$Lhf^nuI7PfPvuE z6-OLd9SX&VlzWuo*;Wl#O{BA0WzqpJ*z0_$JEv!Ltv# z;}>M;K58j>laoVbMV)V_d~WQ8WeBcqRoUwKBju~dhJ5Bkz2!rgl<1QBt^5bxJP$)6 zWOi?OP8Ls1SF}D>|Eb25I^Nlr%-gNm_j#Q`YLq+y97r`&VIm&- z#tnYg5CwMA+l~S>^S&`90cYbZuyut`GO9qE^72g>0ZvxgNgCDf4G-Wp_=7Cp0> z|KO$Ih_?%gXZW>rO#MbtE7n;&2>d*A#4A31wzvzs~zbXK9m=09-grHpe#hXG_$en zsE{|7#^H4*rs-?}-2V4ex8e(xwS<_COvFloxlj=ncZBh#Qag6*Q$A}+KowNcWoML^ zv|pyKJQmykMWCecioDQd?M!leiw);*B&3ER5nG0}^khdPXri_%CK@6>a#)9vuBNSS z`a&~ZZFxg!qz)83M|BZL_ds`+qyLS8RBjc(mjKYOeI!>S`%+HGI?TVX%d1R<9J{ri zLRVCtWftVebVr%Z*s|eK(nHClu|e}0L@kuvjjVLX*YdeAreXEjAwrBOFY}5oH|6#U zhUWn9^=~@AK(qyM9c&u0*Zu>uX0* zB^1_W4^wJrtvMf~sox4KxJN~F#_Af4#aNXy%HZYqN*gw5c1c-f)T}Pf9^+i~ew0!f zP3ToxUp36F6wzYr?(wvpCta{X(^J9pj;AKRu4+mhv_*G(v{;@9OkJEW5Y%r;EOyI+Wa7MLpezd5Tnmj2V6<>fB@a$i6X2)^8I&WBj}|=Y8u&1A3>75Ow&Fe$CEn zGxeLdjNHWoSOeo8r*ianf5x?Fji40xtoeN@~++W{y&vdE1>`Y literal 0 HcmV?d00001 diff --git a/images/simple.png b/images/simple.png new file mode 100644 index 0000000000000000000000000000000000000000..75d586249ba591641282d90add7d381a12de3a06 GIT binary patch literal 8018 zcmbVRbyU<{w+2y$2I&xF02xK3Ls~inX;5NFN$GBpA(d8AdT0hvx;rGKy97jFNRgrA z{y=@dcinZ@x_8|_2AIP+XP>j<+0Wi5ROOj0J`Obw8X6kDyquI88rltE;O_`5OyDPP z%y2*O3*AXgRsyZ~>z#Gr%T04}C2=&gPm#E1Mz?_P*!FTSoY2q++O9t6U3Ph1d&?$E82ExS8iK3%8r`z}NLK2u`!J0~pcVVO2KjIX1cm5Au&7IT#FZz=`kIN(=3 zy90`_md$_lA)*NM^s~j6axxK>_b67?Ou4Z4a$(A{dl7EHrwgRCBec}rwz#u>;NCS= zvv`Q%Ej~ZLx!t#AXVxUdU3V%QMkIj+W^%M}#{$EMh(&mWVZcBr9W@;=43i?nCj^Ei zGJ}JHujUO&wn+lRQEM5CSHp7qgS*$uJ^z>G5cjsS#$$~S6MPj~EHt{F2UFuRy!vY6 ze2vpNL)tU*gJ~0mmRR8aU*$S3Dzd8aI4h`ClvRFx2D$dQ=9hf0n5g3CN_OKNu5qZ# zWY1IBCdmHcZDP;Kk8wX=xw+jUE!_J0+Mly9(=cmfOJCT@o~k%)4QFm`vDxU%YVN4+ zD)X4Ka=2xK<7V`U@5C;j&#wk_RJhwVWVp(gzuIQ*uJ_UIapl6AN9Lhhsh!Nu<(?dL zE)A+x78v&R?q28_!vbs*!m^<}rp9|f63O}H<7f5akhNpG^~*)38ZU|i zkK+*csWlSH`&G;@YJ~Ih2Zi!zq?j+f(aqv{(Opa2Ev!9I0PHNaA#LnfRzO90=-{Za zfC)|pe;g^@_|w*XP$Yal$;{JKVjOpeAnz_Mt)>a?3WAt;SfIJkBm}#YwxO_r@E7vQ z&byN@U%HST7=-N!I~p0nYqT=QY?{5HP~G=5ZKm~R;0%TiN7lV??Y00;Z#@tBTRYAT z-tO>x4=EV@7MtLpS8RUjuJVHZph(;&z1KVs-_uB%W z>B9UY9#y&hZbieuS#6F*lDn+|!sr0}BuC9c&gM;ZKZVJ)}Q z)3Lcax3LQA2@L~-H00Knrih4$PFLjJg&acBqx6j0+S*FQ$lM&F%H`tBqv8CacJbP| z_@vk#XI<39@r~p$k}lKYA_%X^<6bsga0Ys8S#4#$XhZy1Y~YrAHWHV@VD0#UW4wV26^1ORouf?7@3TwW>Yb!`iS;v-^zD`ZQPbg>xF`%nFjWb|U}!<5_7FI2vW6E-z~|09gJ|>;$L}*S zF%CVrVe5e+6tyCZk5{Sg)K2g5) zmTZev+2Rv+XC9iyoM-IBd|!T7@p;g?fU8rgn`OoQGhcUpN;NoXG z_Pu3jhuG?MGA-B-JK_TOi%}^kDzvNjR5<@qwJ_Ft*{g{mC0AFvOiXxZb9=yQIe>)U z)6dvTS*s2s2j0G7Ek ztdQr5XF0|tBm*nQ6=J)W5eyQcT03re${mj0YF^(&K;mqYd>XLVJo}B-<9;ruue-IN zr=vYcD<+lwN-c(fS|E=gqTuzsRRqV_{Dw$$`_+xEddhkyb0^u|)KTf?sM}~e| zXr@AlGMw_AbYsS%e4ZAbGI3d(fG|8|(xFCoaiyArznU8x6TN|+zw7NZkKr1qfid#O z(^_*Z=B2a2%#)+>dOBuFcAR;^ixG8`fj}su;+YZ)ylSHBpj7|WWp}thLsR3>n|ZN4 ze*uMVioIZOhNf=*y-3IM!mco)G&xSdN!q{&*z{Huc|UQp?-3!2X2{&P2PoO81<3vF|L%&0rpqJ>ty(A|5p~S zaypX^@)g>!BdM^K=ih0lQ^{}6?ok5cN&mw*S`uvxpR1nQ78zJH+8BtHASZWXmi0Sy zNwmZ_{yokt*M<=Qo_p{iCkn!!*8Kh!yA^y2oMAY@UC{9N41>E&8X`dW$LbdhZbliF zZcvRuuVM@nh_T1;4=NQw<-jpQCQ+=;83g_0+WQ9Ur-M>|jIap6*v&uxHa%bZgDw1@9~1n;|0AASXY7lKW)6oJNef8K=VF({&t4j=+4eX@QLyMc?5^Z ze=e_&WtLm2mpKJ)F`g(RLajHv>nS!J3-vd!Dl-|y&I$fw3dyz+I3OHiI8hb_J9N^g z(N!4=VYbT8?)b#q7Z}I%qcE)0UhFSkJYEWd94qy)(^qKkuBNjJ- zo4fQ96Z>eEGnOI$XoeBX4AS)e)z=7-s@G8}r5i7%Z**2umYH};*{EZnd#@(Z(c1{& z|24FQ`<;8dLUI_hdqkhLXQ_J&m2La;D#H5__bNUubJ?ILkk4#R_S#&pD-*tXdzeMv zM|o7Su^yE#dhN-ByU(pUH|ZbQ_eyp{9c&Gu=VR=R8VeU`$@t-swDFd>)n;9+B`@9S zXZ9z1N65j5y*Z4kv4wgM%?8wzh2%2hHE`e$#3k_xJqJ~Fs7l)(&?1F3b14!J9k%WSNd;pAb&+wuMCQXnwqTW@|W)jOP9Gc{F#CvOy^s6 zCu3qRb0m?3()Y#;wEM#~g259?XoX+aq)z$2)}@m;z%g-0 zQqcy`#&1Q{==S(hrVp7D66P6K7dr-gA$TiCZ)@t^$W~BMXAmz zdOqwSmuILP^yQo92%?4+PR>zOAJ{204hMyVD$BIZKn!rri(jMmz^W)?4kn||j;{A| z2@acT5d^8UzRCyhAVLZ$T?V zZ>ncYyN_JEy}Yt?%PHU&OBqk$GrTiLSx%_rALHt6ibnkz$&i3%JT@+v9Bjr21> zEc7D7Qz6Elj0>B%ZDkbykrHcVTAXLA^!>VSsPff5jT;8UYI{UF1z1^BrbC5ypXfD_ z86~?xoUDu;r1*=rFK7~JolCO3)9_74vyP=v?iu%U3L)2!XVEI%oi9Z7LH9vn&q-~u zHbCf^b1GJn*YF3RiL_WibOE4Lt;n*w(k{;%=L2V<+0ew$P%+=`w+=wd+C48`T=m@Q zlTsSNSgagX{B!~9Fhivr29HV==LP+++g=k5j-pV6iVg~8(acm0D6b#i5+O9JsA+L? zdinxopJ6cfQLu284&BlK^%uE9r*}8AfBS_*b3`xvMyGIs?K+SsGy@!Dl~!`coQ<^H z)M@;ekV||cMjO-L0lR&m5q--TYQJG^n+>;BP9r(IwW9Ds#6wX1qxNzQC(6FjU~WLK z;768jax&w2$<}j_-07eDv+gOC2bq`j6974s=qe*JliA~o7fLAi2qQB}o6LB4>hiV~ z{lMEsB3^XDE4`lc$CJv;lYP_b%`J(&a@n1kS%j zIR}9-F=fpDEl%^3p6YUqsz_umZRe7MtCSC4DgCxJf9s`33IH(!-e(%JkZ zrcwRjm#uaAK%2SboY-5kwZHU*Bz*Cw z%|9|6`QIG3Y%uIjx(omMVZ>Y_v--<(sq}Uf^COebPOjNSI|VV7Hs#5yyWd z$^Urlt17F+6f?*J3@;xnIZOSqr1s6WeWEL_qI+90M7dP#!QCi3!TDXi22V{N-;GZe z&gl(Y{}^=Y8Ng~)%3|O9*WuG=f6%Zd{sm3`%@H0N6GqC;wkpVEQYpP8AFY~yygc_C zWx$4AFY7c0HaE>;xa_Mi;N>w$CFA+0Ba(jz(7Hw2RVBt%ldbWen^#Jr`koET_Y}Xb zdqkg&$o7m)IPCd-P=HhkPVdh8aTGztT+eI19GC6TsVw*u%BD1kX0D?C9VD(6RzIio zUl3!VM=(H_`{7!h;tsk~Km(A2Z5`pY10nz#cs;pmrGNEKC>j1Hoxu;g;) z(<*bWMsZ$fK9$Q#4;gAm_HO7#x%yQWxw_LdKu+7C}BL`=-jjN zSw~M#W9pR_t$?Fxa80Sp<|HStfIz-NA(>`zkq56pv~Vc*ecK?%jk89ygDq z>s=}tp6MKf=sus2nyq$_B*VEiw4Y9~HjdDpzB5no%eSjaW1?Sw{V0$Xj4(4d zAKTwA=M$&wi5bqhcU>0(5od#LV)1Ikgq{CJ@f2rowoNYh4~0}J2r~CEQ72TFH_IgX z4&+aj>)A7-lq1V*!LOZ9g`z4`g8s%qK6R@97wN0wd`J<-hFAEARkQM{8vebe{s{+9 zprdb>WBt2PULm6YwlFP)PW?Drt*!2}#OPpm0&;u6_8}oa*#VQWlpsQxne$88Qp*_s zayQ-EtGn*)k9O_Yl?s72LW-!54i9+-_K#PFrg|bD^|jdP+)ELx0J8)%^E4?oR-?hB zOH;KvTSV!a`u!_z)cA!5t<9M=YCabS(xt5{YK1@R%gY$zblKPz@xk>3IuYX?Zz(jD zl_MLSHjaKS&%B4{cI$%%&{_}ZXUT$m4Bzk^2p#Q4dp;J;&MCNRIW_h7=ORbErf7l0 z%S1Xmsi<4WDZ6n&*L@*u1D%Hi3TP znAqfc-LC?-$Az|$j|vvo-%uy(s?}ug@gd$%R350&xTPe{hRx5*K?UjXg5 zeV`lj9ds;l0r#f4O^l=For5q_95|oauo7$<-aoDJ{^Jsl;VZZE2S0^eb%eNY@^Xm; zpBiXp;kKRhZ>X_bVf_sVDRXyUXJ-xkuSI#`{kbd#I@%E1fkL}Re)=4nDlF_<4@4zZ zAB{KxMTb=ZM|Pw4dv*5ujoh!>GJndMmDaq$UfWp4@9^njH-8|nMCx6c;s+Lq^yd~djmy$diO-B-AhAXf7Z=PN(W3jGomlCpgF4+&xM1l67MOnx~coa{xG0%1D@2ATl zR!{*{Oeh0Fc~al-A!@J%?)R}hUYlQI!9x5nA?V0nEUi^PiIQu_CqcVoua-~ngA0Lv zG)I*2@801H7CYzm@9lF~G7)X3@R8;(v?7^_OG&lDG1{P0vwf*0mAfYs1uDgN{m$fQ z*HTpD3ot<|(2}^jZk4x*8Px7{F)X;>9oETzwbscThe;*_(*BYF(YT$8E+q%?r|hJK zu3`5)Dk&6Fj@w^e&cJS%V-4B4}#1jx8zl?C$R58anWAtE$Gr108++c*^l8-Rni1l-G zloz{1eoryqNpE8^&_hd)NQc})QMYoGX{1qOZzS3ndj06UWn#)?Z3utC+GZ^FM?#hXdQ3{I9A)QUM4 ztUiey=M8_*M?tMl$*HKfN&BU6QBhuO8PqAW>V`Op*A9Wb%F^N8Crad$3EZnKet2Y% zboREqW3ST*f%W62W#5Thz&zDihvTTUgt4q(WCtMH);;D8Cc)gM#o4ZyXUOh^R*V2o z!sD&t;H{)fqx#)M;H^MDc2Y^?>#`^iNmnlkM4xs4m#2gO>&rt6RjSx|uisEX$3nwi z<;il>Q7}Szk(0M74|=gf=t6gi+FI6qiY=cuBS|92rthlb&~MVyJRw($IDRJscef1)>D z2+2q#abR-}SDHq>3(Cdp-v(*-JPvv6kwAirPlz3=69h_dm!&p1D(FQ$!N4m64gPw0 z0bwFlkwuQhstkk@uTeJh!TGvDLzHyf&=8s4R~Q5&+V*VrDV>%Q&%64JIJCWssd-_O zP5wc_FgcMnliIYoho8-mAM(}J+<4=by`st^z)iLyACROy7)DLZY4XMN{U4cQ$NL&2 zvlQj-CmfYX=dDU%Q`3QdnT$&aRzEJyY3V$C+-*@0?<5SrLqH1Sk$a0_Lx9#;6>#%X zvR@GiUj&00sOZ{-kim6#c+^YKh7AP{mW}PiN#YFJa(eQ9jw(04 zWme(i2O%*MZITl0?b#1U1~VEb0a>r}xx?`yGqh;i4x%AEleVdSn)j)V0;Zmo$=sTe z6?oMr-#W(*w)A(0^$84WLOzoC=TA%q>HGN*7cE*c(Kw-H%k=1VfPq&$F45(0W7eZO z0#_~}rKp$LNY7{FsEEPj;>3R~2SH6YvK8J*J@Yy6<{I$f@+sho{Qlf zaXD&wy4Y^!awi53iieh|6j_wRt>$`(^6Am-hm|9|b5>>o!`0=E_WhzG!lkh4glef* zG=t4!waC_M^Kh&AI3D6!jd70Bu$DmTgnam2#>&yV#SY9(<0e@6!Ht}p2DlF{Habc* z+zwAZTCg$A@-_3H4)3B>>zv|DoHu?5us)Cn)YICYJ+qe3iG^yx>>cJ2&RP6mY7n}e zQ=H^!pls<-H^GN;;?4NSB2vZ5ZEk5a@=beKUTY zNOki~Qot**N#a9nXhzXlWko()RzefmtT(%)r|l4eX4KtqRPI!*RZyRmP1Dpl$>(@_ z@{Nuv(#wpGB$8Z0^f+x8kg%7w7=d>u-@P2K)8U@;IB4MwuWDd@aHVA{Dmp_X5%qn^ zG8E4G?7o~eGNx`p#|3Yu-H~Tnjd7iCw4bj%N3R0OcM!UxDkCwB`RO@(qofEV$jtQ# zX%GnX^|6k3WWX!8{;BZCjcw@7her!HG2^BvDc-Fx>x@JbWzRdJeK#ykfKcO6c&a=Z!3(a^p2;P5Zaim{HWey-J^v$yDY(=S}STNtYb;f z?_V%2OV61oM}kju2uG^<6=b`i0h7fP3wit@n(;gXp*e{BT%NC?EmYSpx>2tG&nMjf kD-Qq956BF%`In%M literal 0 HcmV?d00001 From 28665c80e0bbc4172e28aaddf78adc2e6c13fe89 Mon Sep 17 00:00:00 2001 From: mwittie Date: Mon, 15 Oct 2018 20:21:31 -0600 Subject: [PATCH 07/25] Update README.md Added a picture and video link --- README.md | 9 ++++++++- 1 file changed, 8 insertions(+), 1 deletion(-) diff --git a/README.md b/README.md index d8580ee..5af7a71 100644 --- a/README.md +++ b/README.md @@ -34,7 +34,14 @@ DATA LINK LAYER (link.py) The code also includes `simulation.py` that manages the threads running the different network objects. Currently, `simulation.py` defines the following network. -![Image of Yaktocat](https://octodex.github.com/images/yaktocat.png) +![network_1](https://github.com/msu-netlab/MSU_CSCI_466_PAs/blob/data_plane/images/simple.png) + +At a high level a network defined in `simulation.py` includes hosts, routers and links. +`Hosts` generate and receive traffic. +`Routers` forward traffic from one `Interface` to another based on routing tables that you will implement. +`Links` connect network interfaces of routers and hosts. +Finally, the `LinkLayer` forwards traffic along links. +Please consult the [video lecture](https://youtu.be/-JXvrxjPo7o) for a more in-depth explanation of the code. ### Program Invocation From da1f20050cb1e466a0f56e1bfaa26d31949fe02d Mon Sep 17 00:00:00 2001 From: Unknown Date: Mon, 15 Oct 2018 20:38:06 -0600 Subject: [PATCH 08/25] added the rest of the latex --- README.md | 84 +++++++++++++++++++++++-------------------------------- 1 file changed, 35 insertions(+), 49 deletions(-) diff --git a/README.md b/README.md index 5af7a71..f0d8378 100644 --- a/README.md +++ b/README.md @@ -45,10 +45,10 @@ Please consult the [video lecture](https://youtu.be/-JXvrxjPo7o) for a more in-d ### Program Invocation -To run the starting code you may run: +To run the starting code you may execute: ``` -python server.py 5000 +python simulation.py ``` and @@ -57,74 +57,60 @@ and python client.py localhost 5000 ``` -in separate terminal windows. -Be sure to start the server first, to allow it to start listening on a socket, and start the client soon after, before the server times out. +The current `simulation_time' in `simulation.py' is one second. +As the network becomes more complex and takes longer to execute, you may need to extend the simulation to allow all the packets to be transfered. -## BONUS - -We will award __one bonus point__ for each of the following: - -* The network layer may also reorder packets. -If you set `prob_pkt_reorder` to a non-zero probability you will start seeing packet that are reordered. -Implement RDT 3.1, which delivers packets in the correct order. - -* RDT 3.1 is a stop and wait protocol. -Implements RDT 4.0 - a pipelined reliable data transmission protocol based on either Go-back-N (GBN), or Selective Repeat (SR) mechanisms. - - -## What to Submit +## Grading Rubric -You will submit different versions of `rdt.py`, which implements the send and receive functions for RDT 2.1, and RDT 3.0. -RDT 2.1 tolerates corrupted packets through retransmission. -RDT 3.0 tolerates corrupted and lost packets through retransmission. -The necessary functions prototypes are already included in `rdt.py`. -For the purposes of testing you may modify `client.py` and `server.py` to use these functions instead of those of RDT 1.0. -You will also submit a link to a YouTube video showing an execution of your code for each version of the protocol. -Videos longer than 5 minutes will not be graded. +Your task is to extend the given code to implement several data link router functions. -## Grading Rubric +* \[2 points\] Currently `simulation.py` is configured to send three very short messages. +Instead, generate a message for `Host_2` that's at least 80 characters long. +You will notice that this messages is to large for the link MTUs. +Your first task is to break this message up into two separate packets. -We will grade the assignment as follows: +Implement your solution in files `link_1.py`, `network_1.py`, and `simulation_1.py`. -* \[2 points\] `partners.txt` with your partner's first and last name. -* \[10 points\] `rdt_2_1.py`, `client_2_1.py`, `server_2_1.py`, `network_2_1.py` that correctly implement RDT 2.1 and a link to a YouTube video showing the execution of your program. +* \[10 points\] The packets you created are small enough to pass over the links. +However, if we change the MTU of the second link (between `Router_A` and `Host_2`) to 30, the packets will now need to be segmented. - * \[2 points\] RDT 2.1 delivers data under no corruption in the network +Your task is to extend the network layer to support segmentation. +Study lecture notes and the book on how IP implements segmentation. +Extend the classes (including packet format) in `network.py` to match IP's mechanisms for packet segmentation and reconstruction. - * \[2 points\] RDT 2.1 uses a modified Packet class to send ACKs +Implement your solution in files `link_2.py`, `network_2.py`, and `simulation_2.py`. - * \[2 points\] RDT 2.1 does not deliver corrupt packets - * \[2 points\] RDT 2.1 uses modified Packet class to send NAKs for corrupt packets +* \[13 points\] The current router implementation supports very simple forwarding. +The router has only one input and one output interface and just forwards packets from one to the other. +Your tasks is to implement forwarding of packets within routers based on routing tables. - * \[2 points\] RDT 2.1 resends data following a NAK +First configure `simulation.py` to reflect the following network topology. -* \[13 points\] `rdt_3_0.py`, `client_3_0.py`, `server_3_0.py`, `network_3_0.py` that correctly implement RDT 3.0 and a link to a YouTube video showing the execution of your program. +![network_2](https://github.com/msu-netlab/MSU_CSCI_466_PAs/blob/data_plane/images/network.png) - * \[2 points\] RDT 3.0 delivers data under no corruption or loss in the network and uses a modified Packet class to send ACKs - - * \[2 points\] RDT 3.0 does not deliver corrupt packets and uses modified Packet class to send NAKs - - * \[2 points\] RDT 3.0 resends data following a NAK - - * \[2 points\] RDT 3.0 retransmits a lost packet after a timeout - - * \[2 points\] RDT 3.0 retransmits a packet after a lost ACK - - * \[3 points\] RDT 3.0 ignores a duplicate packet after a premature timeout (or after a lost ACK) +Second, create routing tables so that both Host 1 and Host 2 can send packets to Host 3 and Host 4 respectively. +The routing table for each router should be passed into the `Router` constructor, and so should be defined in `simulation.py`. +The format of these is up to you. +You will also need to modify the `Router` class to forward the packets correctly between interfaces according to your routing tables. -* \[1 points\] (BONUS) `rdt_3_1.py`, `client_3_1.py`, `server_3_1.py`, `network_3_1.py` that correctly implement RDT 3.1 and a link to a YouTube video showing the execution of your program. +Finally, third extend `NetworkPacket` with a source address and a destination address. +Configure the routing tables to forward packets from Host 1 through Router B and from Host 2 through Router C. -* \[1 points\] (BONUS) `rdt_4_0.py`, `client_4_0.py`, `server_4_0.py`, `network_4_0.py` that correctly implement RDT 4.0 and a link to a YouTube video showing the execution of your program. +Implement your solution in files `link_3.py`, `network_3.py`, and `simulation_3.py`. +* \[1 point\] BONUS: The communication in the network above is one directional. +Extend the network to carry packets both ways and have Host 3 send acknowledgements to Hosts 1 and 2. +Implement your solution in files `link_4.py`, `network_4.py`, and `simulation_4.py`. -## Acknowledgements -This project was adapted from Kishore Ramachandran version of this assignment. +## What to Submit +You will submit the different `link.py`, `network.py`, and `simulation.py` files. +You will also submit a link to a single YouTube video under 5 minutes in length that shows the execution of your code implementing the different functionalities outlined in the grading rubric. From 5131e80d3a51f88cfaaba8ff6e75021505a96d38 Mon Sep 17 00:00:00 2001 From: mwittie Date: Mon, 15 Oct 2018 20:51:24 -0600 Subject: [PATCH 09/25] Update README.md formatted indents --- README.md | 56 +++++++++++++++++++++++++------------------------------ 1 file changed, 25 insertions(+), 31 deletions(-) diff --git a/README.md b/README.md index f0d8378..1c58398 100644 --- a/README.md +++ b/README.md @@ -2,7 +2,7 @@ ## Instructions -Complete the following assignment in pairs, or groups of three. +Complete the following assignment in pairs. Submit your work on D2L into the "Programming Assignment 3" folder before its due date. All partners will submit the same solution and we will only grade one solution for each group. @@ -24,7 +24,7 @@ The next assignment will complement these functions at the control plane. ### Starting Code -The starting code for this project provides you with the implementation several network layers that cooperate to provide end-to-end communication. +The starting code for this project provides you with the implementation of several network layers that cooperate to provide end-to-end communication. ``` NETWORK LAYER (network.py) @@ -51,13 +51,7 @@ To run the starting code you may execute: python simulation.py ``` -and - -``` -python client.py localhost 5000 -``` - -The current `simulation_time' in `simulation.py' is one second. +The current `simulation_time` in `simulation.py` is one second. As the network becomes more complex and takes longer to execute, you may need to extend the simulation to allow all the packets to be transfered. @@ -66,45 +60,45 @@ As the network becomes more complex and takes longer to execute, you may need to Your task is to extend the given code to implement several data link router functions. * \[2 points\] Currently `simulation.py` is configured to send three very short messages. -Instead, generate a message for `Host_2` that's at least 80 characters long. -You will notice that this messages is to large for the link MTUs. -Your first task is to break this message up into two separate packets. + Instead, generate a message for `Host_2` that's at least 80 characters long. + You will notice that this messages is to large for the link MTUs. + Your first task is to break this message up into two separate packets. -Implement your solution in files `link_1.py`, `network_1.py`, and `simulation_1.py`. + Implement your solution in files `link_1.py`, `network_1.py`, and `simulation_1.py`. * \[10 points\] The packets you created are small enough to pass over the links. -However, if we change the MTU of the second link (between `Router_A` and `Host_2`) to 30, the packets will now need to be segmented. + However, if we change the MTU of the second link (between `Router_A` and `Host_2`) to 30, the packets will now need to be segmented. -Your task is to extend the network layer to support segmentation. -Study lecture notes and the book on how IP implements segmentation. -Extend the classes (including packet format) in `network.py` to match IP's mechanisms for packet segmentation and reconstruction. + Your task is to extend the network layer to support segmentation. + Study lecture notes and the book on how IP implements segmentation. + Extend the classes (including packet format) in `network.py` to match IP's mechanisms for packet segmentation and reconstruction. -Implement your solution in files `link_2.py`, `network_2.py`, and `simulation_2.py`. + Implement your solution in files `link_2.py`, `network_2.py`, and `simulation_2.py`. * \[13 points\] The current router implementation supports very simple forwarding. -The router has only one input and one output interface and just forwards packets from one to the other. -Your tasks is to implement forwarding of packets within routers based on routing tables. + The router has only one input and one output interface and just forwards packets from one to the other. + Your tasks is to implement forwarding of packets within routers based on routing tables. -First configure `simulation.py` to reflect the following network topology. + First configure `simulation.py` to reflect the following network topology. -![network_2](https://github.com/msu-netlab/MSU_CSCI_466_PAs/blob/data_plane/images/network.png) + ![network_2](https://github.com/msu-netlab/MSU_CSCI_466_PAs/blob/data_plane/images/network.png) -Second, create routing tables so that both Host 1 and Host 2 can send packets to Host 3 and Host 4 respectively. -The routing table for each router should be passed into the `Router` constructor, and so should be defined in `simulation.py`. -The format of these is up to you. -You will also need to modify the `Router` class to forward the packets correctly between interfaces according to your routing tables. + Second, create routing tables so that both Host 1 and Host 2 can send packets to Host 3 and Host 4 respectively. + The routing table for each router should be passed into the `Router` constructor, and so should be defined in `simulation.py`. + The format of these is up to you. + You will also need to modify the `Router` class to forward the packets correctly between interfaces according to your routing tables. -Finally, third extend `NetworkPacket` with a source address and a destination address. -Configure the routing tables to forward packets from Host 1 through Router B and from Host 2 through Router C. + Finally, third extend `NetworkPacket` with a source address and a destination address. + Configure the routing tables to forward packets from Host 1 through Router B and from Host 2 through Router C. -Implement your solution in files `link_3.py`, `network_3.py`, and `simulation_3.py`. + Implement your solution in files `link_3.py`, `network_3.py`, and `simulation_3.py`. * \[1 point\] BONUS: The communication in the network above is one directional. -Extend the network to carry packets both ways and have Host 3 send acknowledgements to Hosts 1 and 2. + Extend the network to carry packets both ways and have Host 3 send acknowledgements to Hosts 1 and 2. -Implement your solution in files `link_4.py`, `network_4.py`, and `simulation_4.py`. + Implement your solution in files `link_4.py`, `network_4.py`, and `simulation_4.py`. From cfe338e36132eed03d19f68c42b37389fc251da4 Mon Sep 17 00:00:00 2001 From: Unknown Date: Wed, 17 Oct 2018 17:49:43 -0600 Subject: [PATCH 10/25] minor cosmetic changes --- .project | 17 +++++++++++++++++ .pydevproject | 8 ++++++++ README.md | 4 ++-- link.py | 2 +- network.py | 7 ++++--- network.pyc | Bin 0 -> 6504 bytes simulation.py | 3 ++- 7 files changed, 34 insertions(+), 7 deletions(-) create mode 100644 .project create mode 100644 .pydevproject create mode 100644 network.pyc diff --git a/.project b/.project new file mode 100644 index 0000000..01a42ac --- /dev/null +++ b/.project @@ -0,0 +1,17 @@ + + + CSCI_466_PAs + + + + + + org.python.pydev.PyDevBuilder + + + + + + org.python.pydev.pythonNature + + diff --git a/.pydevproject b/.pydevproject new file mode 100644 index 0000000..2899bac --- /dev/null +++ b/.pydevproject @@ -0,0 +1,8 @@ + + + +/${PROJECT_DIR_NAME} + +python 3.6 +python37 + diff --git a/README.md b/README.md index 1c58398..0fe5b49 100644 --- a/README.md +++ b/README.md @@ -90,8 +90,8 @@ Your task is to extend the given code to implement several data link router func The format of these is up to you. You will also need to modify the `Router` class to forward the packets correctly between interfaces according to your routing tables. - Finally, third extend `NetworkPacket` with a source address and a destination address. - Configure the routing tables to forward packets from Host 1 through Router B and from Host 2 through Router C. +Finally, third, extend `NetworkPacket` with a source address and a destination address. +Configure the routing tables to forward packets from Host 1 through Router B and from Host 2 through Router C. Implement your solution in files `link_3.py`, `network_3.py`, and `simulation_3.py`. diff --git a/link.py b/link.py index c7afd73..fddd7ba 100644 --- a/link.py +++ b/link.py @@ -1,7 +1,7 @@ ''' Created on Oct 12, 2016 -@author: mwitt_000 +@author: mwittie ''' import queue diff --git a/network.py b/network.py index f08911f..69bdf2b 100644 --- a/network.py +++ b/network.py @@ -1,7 +1,7 @@ ''' Created on Oct 12, 2016 -@author: mwitt_000 +@author: mwittie ''' import queue import threading @@ -27,6 +27,7 @@ def get(self): def put(self, pkt, block=False): self.queue.put(pkt, block) + ## Implements a network layer packet (different from the RDT packet # from programming assignment 2). # NOTE: This class will need to be extended to for the packet to include @@ -82,13 +83,13 @@ def __str__(self): def udt_send(self, dst_addr, data_S): p = NetworkPacket(dst_addr, data_S) self.out_intf_L[0].put(p.to_byte_S()) #send packets always enqueued successfully - print('%s: sending packet "%s" out interface with mtu=%d' % (self, p, self.out_intf_L[0].mtu)) + print('%s: sending packet "%s" on the out interface with mtu=%d' % (self, p, self.out_intf_L[0].mtu)) ## receive packet from the network layer def udt_receive(self): pkt_S = self.in_intf_L[0].get() if pkt_S is not None: - print('%s: received packet "%s"' % (self, pkt_S)) + print('%s: received packet "%s" on the in interface' % (self, pkt_S)) ## thread target for the host to keep receiving data def run(self): diff --git a/network.pyc b/network.pyc new file mode 100644 index 0000000000000000000000000000000000000000..96811580eae63555a1a2c184fbee01f0de17bba0 GIT binary patch literal 6504 zcmd5=?Q+}36}=07NTj7Wu^idXM~yg9N;hdnPExg_X)~$i&zV$7Ab0GlN-#74Qj|zQ z29~wuiGRs2&>x-YEA%Bg{nP0K|erovr9HmH6#Ui_?jl`Y|jqIY~+Meus64xX?BXM1xi=2r3VHej8iI*g9PP^(7 zFG##B@#3@#Ls}BQB5`}#)#M9yI%oObpQCDT>myz|aef**S@%pumcKh@0 z*zRZfrayW-ur^#@UvCfojnB4i;l8`6P4ZqhN~Y#`=)KOzUPYC_9L!%WdJc17g2y>v z;t3{N6LvNv*y+?UdVnGkA22CfXcw1JS&;)H-x)bUEfT7y*nkHFh8T?5)`!>znvcfG zIMLSE+Tzo;TN_ah4x`baZSN@y0M5qyrm<%V-yzp_p?fqJ1nhPMxxj#_@Uj;y_(vJ-TM+ ze)_u9>8zR@wk7{Sj4^c316HM%_>6!LQ*ZPWtB$(W9Tv`IH%CYIIH0HWhJfSe>6UXqe3W82{a)Ijyc(V_Fj!(kR3 z&eh~InAe*q1*a^g(?nguBkhioFtly-gyATQ$3t8Ogs?g)U|0sczcN5uKR%uVOhP!5 zg41t$ON~~`64%=f@?UkM!^B4D&<{<$j#B&zRWe}?a)v26qa+W<92n4$1VrZO5Ja*- zA|YA_tfm0ra}^+~Xb>05A3z5i%1)EW;7IjyT-dN1$GPRiy{EmwaA>)rlQj=_!eNs3 z?Y>)LzSc1Wu~0e;Ew}h{SoamY`x=S{m6$ipvQf>XR#XhlQrwub>nR>Ra zDbguY&5CJMvW)S~cfXP;S5w_yT3ZwKcT4VB|_Q z=`I?MM_e}LI0LCT?7T$ctufUE5I`;l@=QWeTA2)~ORpxYx9=z{_;^P!1sQCu*z}7e zjgb-iN16-xSJsLvJ|N)(A#P*gW81OsBWM53TCC#k=!lyF&2lt?15SE|ou3MW4c8x#u zExDP#&66m>1|^<#u1jNnf)OrT9yQiI+*I<{mjl5mi?Or}kg7+}xz(;jTk}u*Q zAE)2qr&vNI=5^EZ+FlF49o<}15~`P^j)3yyOu33yg&A$lfvDfYEK~_qGHb1cR+C>% z;{(u2l1CV!pQ&gvo&5hrvplMZ>bQ$6$=@xMqKAr1se6i2G(G8~6MU$f^BdoslV^2R zO3hWj_2kiIy`k|x$KBR(*z8p5s;fZkDU1|Z+!|^K=iRiQsNx11>SRkto}6>=0q05= zsSZckIJK6`i!+c=k4{1!g(!E1)uPT}J!#_+%2aq;Ugst8|8n6~-{_)GrI&`Ej(}6? zeL~a7|Kf}ym=;kKQ2#>X$v=oGECg9gK?I$>@y*}3&jA#W&L7+IKS1shHa#cW3&7!T z>cw9KfH-KD5G>_;f%0+bU{U3}#e0ATJuA^SQNhu0Z!O23kzS*eoBNMeamKVH2g`cK z^mjdDno2)(Nd+H+9-z!J>1VKry41_^$KCt|*=G(vqx);IZ!;hDBmqFXc&~iKY`QQ+ za>aAYDrG>Xplqc(#TstGhRy{7FP!k{riO`r@Pkx>fY*G&ofL6RZjFb-D!b6Q7zFQf z+&ie|86hezr9YoxE(Nt;%v+{uYTk;sWX{&##(~-UI53+zMI_|5IC`$a8LVLn!TYR! z%1Ryo30pp@Qxc}swLha&qG;MiMUlIknSG_wv5KOaa60txXPDz5XHQmXHd>3=LY}Yi zI@99x%M+M5i*TT*8x&n3{39;uro0Ax=FE-!_s3TT&8mOxPCq}Rrs?`LksU78S1zph HD_8#m(6_B@ literal 0 HcmV?d00001 diff --git a/simulation.py b/simulation.py index 3b02832..72f319d 100644 --- a/simulation.py +++ b/simulation.py @@ -1,7 +1,7 @@ ''' Created on Oct 12, 2016 -@author: mwitt_000 +@author: mwittie ''' import network import link @@ -28,6 +28,7 @@ object_L.append(link_layer) #add all the links + #link parameters: from_node, from_intf_num, to_node, to_intf_num, mtu link_layer.add_link(link.Link(client, 0, router_a, 0, 50)) link_layer.add_link(link.Link(router_a, 0, server, 0, 50)) From 20a6f2b605d57b84f7e73404732309e289187a87 Mon Sep 17 00:00:00 2001 From: Unknown Date: Wed, 17 Oct 2018 17:50:00 -0600 Subject: [PATCH 11/25] Ignoring pyproject --- .gitignore | 2 ++ 1 file changed, 2 insertions(+) diff --git a/.gitignore b/.gitignore index 542ec04..794bd4d 100644 --- a/.gitignore +++ b/.gitignore @@ -9,3 +9,5 @@ __pycache* bin/ lib/python3\.6/ + +\.pydevproject From 3720292f4c5cf2dd4ce7d1af3ddbbf7ca987ca40 Mon Sep 17 00:00:00 2001 From: mwittie Date: Wed, 31 Oct 2018 17:03:27 -0600 Subject: [PATCH 12/25] removed the requirement for including src_addr in packets --- README.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/README.md b/README.md index 0fe5b49..1d4dc19 100644 --- a/README.md +++ b/README.md @@ -90,8 +90,8 @@ Your task is to extend the given code to implement several data link router func The format of these is up to you. You will also need to modify the `Router` class to forward the packets correctly between interfaces according to your routing tables. -Finally, third, extend `NetworkPacket` with a source address and a destination address. -Configure the routing tables to forward packets from Host 1 through Router B and from Host 2 through Router C. +Finally, third, configure the routing tables to forward packets from Host 1 through Router B and from Host 2 through Router C. +You may extend `NetworkPacket` with a source address, but it is not necessary to forward a packet onto different paths. Implement your solution in files `link_3.py`, `network_3.py`, and `simulation_3.py`. From 3a0ee3e968edbcf5c531a33a527231d5d74bcb70 Mon Sep 17 00:00:00 2001 From: Mike Wittie Date: Fri, 9 Oct 2020 14:47:14 +0200 Subject: [PATCH 13/25] change project to Pycharm and set up a virtual environment --- .idea/.gitignore | 2 + .../MSU_CSCI_466_Programming_Assignments.iml | 10 + .../inspectionProfiles/profiles_settings.xml | 6 + .idea/misc.xml | 7 + .idea/modules.xml | 8 + .idea/vcs.xml | 6 + .project | 17 - .pydevproject | 8 - venv/Lib/site-packages/easy-install.pth | 2 + .../pip-19.0.3-py3.7.egg/EGG-INFO/PKG-INFO | 73 + .../pip-19.0.3-py3.7.egg/EGG-INFO/SOURCES.txt | 391 + .../EGG-INFO/dependency_links.txt | 1 + .../EGG-INFO/entry_points.txt | 5 + .../EGG-INFO/not-zip-safe | 1 + .../EGG-INFO/top_level.txt | 1 + .../pip-19.0.3-py3.7.egg/pip/__init__.py | 1 + .../pip-19.0.3-py3.7.egg/pip/__main__.py | 19 + .../pip/_internal/__init__.py | 78 + .../pip/_internal/build_env.py | 215 + .../pip/_internal/cache.py | 224 + .../pip/_internal/cli/__init__.py | 4 + .../pip/_internal/cli/autocompletion.py | 152 + .../pip/_internal/cli/base_command.py | 341 + .../pip/_internal/cli/cmdoptions.py | 809 ++ .../pip/_internal/cli/main_parser.py | 104 + .../pip/_internal/cli/parser.py | 261 + .../pip/_internal/cli/status_codes.py | 8 + .../pip/_internal/commands/__init__.py | 79 + .../pip/_internal/commands/check.py | 41 + .../pip/_internal/commands/completion.py | 94 + .../pip/_internal/commands/configuration.py | 227 + .../pip/_internal/commands/download.py | 176 + .../pip/_internal/commands/freeze.py | 96 + .../pip/_internal/commands/hash.py | 57 + .../pip/_internal/commands/help.py | 37 + .../pip/_internal/commands/install.py | 566 ++ .../pip/_internal/commands/list.py | 301 + .../pip/_internal/commands/search.py | 135 + .../pip/_internal/commands/show.py | 168 + .../pip/_internal/commands/uninstall.py | 78 + .../pip/_internal/commands/wheel.py | 186 + .../pip/_internal/configuration.py | 387 + .../pip/_internal/download.py | 971 ++ .../pip/_internal/exceptions.py | 274 + .../pip/_internal/index.py | 990 ++ .../pip/_internal/locations.py | 211 + .../pip/_internal/models/__init__.py | 2 + .../pip/_internal/models/candidate.py | 31 + .../pip/_internal/models/format_control.py | 73 + .../pip/_internal/models/index.py | 31 + .../pip/_internal/models/link.py | 163 + .../pip/_internal/operations/__init__.py | 0 .../pip/_internal/operations/check.py | 155 + .../pip/_internal/operations/freeze.py | 247 + .../pip/_internal/operations/prepare.py | 413 + .../pip/_internal/pep425tags.py | 381 + .../pip/_internal/pyproject.py | 171 + .../pip/_internal/req/__init__.py | 77 + .../pip/_internal/req/constructors.py | 339 + .../pip/_internal/req/req_file.py | 382 + .../pip/_internal/req/req_install.py | 1021 ++ .../pip/_internal/req/req_set.py | 197 + .../pip/_internal/req/req_tracker.py | 88 + .../pip/_internal/req/req_uninstall.py | 596 ++ .../pip/_internal/resolve.py | 393 + .../pip/_internal/utils/__init__.py | 0 .../pip/_internal/utils/appdirs.py | 270 + .../pip/_internal/utils/compat.py | 264 + .../pip/_internal/utils/deprecation.py | 90 + .../pip/_internal/utils/encoding.py | 39 + .../pip/_internal/utils/filesystem.py | 30 + .../pip/_internal/utils/glibc.py | 93 + .../pip/_internal/utils/hashes.py | 115 + .../pip/_internal/utils/logging.py | 318 + .../pip/_internal/utils/misc.py | 1040 +++ .../pip/_internal/utils/models.py | 40 + .../pip/_internal/utils/outdated.py | 164 + .../pip/_internal/utils/packaging.py | 85 + .../pip/_internal/utils/setuptools_build.py | 8 + .../pip/_internal/utils/temp_dir.py | 155 + .../pip/_internal/utils/typing.py | 29 + .../pip/_internal/utils/ui.py | 441 + .../pip/_internal/vcs/__init__.py | 534 ++ .../pip/_internal/vcs/bazaar.py | 114 + .../pip/_internal/vcs/git.py | 369 + .../pip/_internal/vcs/mercurial.py | 103 + .../pip/_internal/vcs/subversion.py | 200 + .../pip/_internal/wheel.py | 1095 +++ .../pip/_vendor/__init__.py | 111 + .../pip/_vendor/appdirs.py | 604 ++ .../pip/_vendor/cachecontrol/__init__.py | 11 + .../pip/_vendor/cachecontrol/_cmd.py | 57 + .../pip/_vendor/cachecontrol/adapter.py | 133 + .../pip/_vendor/cachecontrol/cache.py | 39 + .../_vendor/cachecontrol/caches/__init__.py | 2 + .../_vendor/cachecontrol/caches/file_cache.py | 146 + .../cachecontrol/caches/redis_cache.py | 33 + .../pip/_vendor/cachecontrol/compat.py | 29 + .../pip/_vendor/cachecontrol/controller.py | 367 + .../pip/_vendor/cachecontrol/filewrapper.py | 80 + .../pip/_vendor/cachecontrol/heuristics.py | 135 + .../pip/_vendor/cachecontrol/serialize.py | 186 + .../pip/_vendor/cachecontrol/wrapper.py | 29 + .../pip/_vendor/certifi/__init__.py | 3 + .../pip/_vendor/certifi/__main__.py | 2 + .../pip/_vendor/certifi/cacert.pem | 4512 +++++++++ .../pip/_vendor/certifi/core.py | 20 + .../pip/_vendor/chardet/__init__.py | 39 + .../pip/_vendor/chardet/big5freq.py | 386 + .../pip/_vendor/chardet/big5prober.py | 47 + .../pip/_vendor/chardet/chardistribution.py | 233 + .../pip/_vendor/chardet/charsetgroupprober.py | 106 + .../pip/_vendor/chardet/charsetprober.py | 145 + .../pip/_vendor/chardet/cli/__init__.py | 1 + .../pip/_vendor/chardet/cli/chardetect.py | 85 + .../pip/_vendor/chardet/codingstatemachine.py | 88 + .../pip/_vendor/chardet/compat.py | 34 + .../pip/_vendor/chardet/cp949prober.py | 49 + .../pip/_vendor/chardet/enums.py | 76 + .../pip/_vendor/chardet/escprober.py | 101 + .../pip/_vendor/chardet/escsm.py | 246 + .../pip/_vendor/chardet/eucjpprober.py | 92 + .../pip/_vendor/chardet/euckrfreq.py | 195 + .../pip/_vendor/chardet/euckrprober.py | 47 + .../pip/_vendor/chardet/euctwfreq.py | 387 + .../pip/_vendor/chardet/euctwprober.py | 46 + .../pip/_vendor/chardet/gb2312freq.py | 283 + .../pip/_vendor/chardet/gb2312prober.py | 46 + .../pip/_vendor/chardet/hebrewprober.py | 292 + .../pip/_vendor/chardet/jisfreq.py | 325 + .../pip/_vendor/chardet/jpcntx.py | 233 + .../pip/_vendor/chardet/langbulgarianmodel.py | 228 + .../pip/_vendor/chardet/langcyrillicmodel.py | 333 + .../pip/_vendor/chardet/langgreekmodel.py | 225 + .../pip/_vendor/chardet/langhebrewmodel.py | 200 + .../pip/_vendor/chardet/langhungarianmodel.py | 225 + .../pip/_vendor/chardet/langthaimodel.py | 199 + .../pip/_vendor/chardet/langturkishmodel.py | 193 + .../pip/_vendor/chardet/latin1prober.py | 145 + .../pip/_vendor/chardet/mbcharsetprober.py | 91 + .../pip/_vendor/chardet/mbcsgroupprober.py | 54 + .../pip/_vendor/chardet/mbcssm.py | 572 ++ .../pip/_vendor/chardet/sbcharsetprober.py | 132 + .../pip/_vendor/chardet/sbcsgroupprober.py | 73 + .../pip/_vendor/chardet/sjisprober.py | 92 + .../pip/_vendor/chardet/universaldetector.py | 286 + .../pip/_vendor/chardet/utf8prober.py | 82 + .../pip/_vendor/chardet/version.py | 9 + .../pip/_vendor/colorama/__init__.py | 6 + .../pip/_vendor/colorama/ansi.py | 102 + .../pip/_vendor/colorama/ansitowin32.py | 257 + .../pip/_vendor/colorama/initialise.py | 80 + .../pip/_vendor/colorama/win32.py | 152 + .../pip/_vendor/colorama/winterm.py | 169 + .../pip/_vendor/distlib/__init__.py | 23 + .../pip/_vendor/distlib/_backport/__init__.py | 6 + .../pip/_vendor/distlib/_backport/misc.py | 41 + .../pip/_vendor/distlib/_backport/shutil.py | 761 ++ .../_vendor/distlib/_backport/sysconfig.cfg | 84 + .../_vendor/distlib/_backport/sysconfig.py | 788 ++ .../pip/_vendor/distlib/_backport/tarfile.py | 2607 ++++++ .../pip/_vendor/distlib/compat.py | 1120 +++ .../pip/_vendor/distlib/database.py | 1339 +++ .../pip/_vendor/distlib/index.py | 516 ++ .../pip/_vendor/distlib/locators.py | 1295 +++ .../pip/_vendor/distlib/manifest.py | 393 + .../pip/_vendor/distlib/markers.py | 131 + .../pip/_vendor/distlib/metadata.py | 1094 +++ .../pip/_vendor/distlib/resources.py | 355 + .../pip/_vendor/distlib/scripts.py | 417 + .../pip/_vendor/distlib/util.py | 1756 ++++ .../pip/_vendor/distlib/version.py | 736 ++ .../pip/_vendor/distlib/wheel.py | 988 ++ .../pip/_vendor/distro.py | 1197 +++ .../pip/_vendor/html5lib/__init__.py | 35 + .../pip/_vendor/html5lib/_ihatexml.py | 288 + .../pip/_vendor/html5lib/_inputstream.py | 923 ++ .../pip/_vendor/html5lib/_tokenizer.py | 1721 ++++ .../pip/_vendor/html5lib/_trie/__init__.py | 14 + .../pip/_vendor/html5lib/_trie/_base.py | 37 + .../pip/_vendor/html5lib/_trie/datrie.py | 44 + .../pip/_vendor/html5lib/_trie/py.py | 67 + .../pip/_vendor/html5lib/_utils.py | 124 + .../pip/_vendor/html5lib/constants.py | 2947 ++++++ .../pip/_vendor/html5lib/filters/__init__.py | 0 .../filters/alphabeticalattributes.py | 29 + .../pip/_vendor/html5lib/filters/base.py | 12 + .../html5lib/filters/inject_meta_charset.py | 73 + .../pip/_vendor/html5lib/filters/lint.py | 93 + .../_vendor/html5lib/filters/optionaltags.py | 207 + .../pip/_vendor/html5lib/filters/sanitizer.py | 896 ++ .../_vendor/html5lib/filters/whitespace.py | 38 + .../pip/_vendor/html5lib/html5parser.py | 2791 ++++++ .../pip/_vendor/html5lib/serializer.py | 409 + .../_vendor/html5lib/treeadapters/__init__.py | 30 + .../_vendor/html5lib/treeadapters/genshi.py | 54 + .../pip/_vendor/html5lib/treeadapters/sax.py | 50 + .../_vendor/html5lib/treebuilders/__init__.py | 88 + .../pip/_vendor/html5lib/treebuilders/base.py | 417 + .../pip/_vendor/html5lib/treebuilders/dom.py | 236 + .../_vendor/html5lib/treebuilders/etree.py | 340 + .../html5lib/treebuilders/etree_lxml.py | 366 + .../_vendor/html5lib/treewalkers/__init__.py | 154 + .../pip/_vendor/html5lib/treewalkers/base.py | 252 + .../pip/_vendor/html5lib/treewalkers/dom.py | 43 + .../pip/_vendor/html5lib/treewalkers/etree.py | 130 + .../html5lib/treewalkers/etree_lxml.py | 213 + .../_vendor/html5lib/treewalkers/genshi.py | 69 + .../pip/_vendor/idna/__init__.py | 2 + .../pip/_vendor/idna/codec.py | 118 + .../pip/_vendor/idna/compat.py | 12 + .../pip/_vendor/idna/core.py | 396 + .../pip/_vendor/idna/idnadata.py | 1979 ++++ .../pip/_vendor/idna/intranges.py | 53 + .../pip/_vendor/idna/package_data.py | 2 + .../pip/_vendor/idna/uts46data.py | 8205 +++++++++++++++++ .../pip/_vendor/ipaddress.py | 2419 +++++ .../pip/_vendor/lockfile/__init__.py | 347 + .../pip/_vendor/lockfile/linklockfile.py | 73 + .../pip/_vendor/lockfile/mkdirlockfile.py | 84 + .../pip/_vendor/lockfile/pidlockfile.py | 190 + .../pip/_vendor/lockfile/sqlitelockfile.py | 156 + .../pip/_vendor/lockfile/symlinklockfile.py | 70 + .../pip/_vendor/msgpack/__init__.py | 66 + .../pip/_vendor/msgpack/_version.py | 1 + .../pip/_vendor/msgpack/exceptions.py | 41 + .../pip/_vendor/msgpack/fallback.py | 977 ++ .../pip/_vendor/packaging/__about__.py | 27 + .../pip/_vendor/packaging/__init__.py | 26 + .../pip/_vendor/packaging/_compat.py | 31 + .../pip/_vendor/packaging/_structures.py | 68 + .../pip/_vendor/packaging/markers.py | 296 + .../pip/_vendor/packaging/requirements.py | 138 + .../pip/_vendor/packaging/specifiers.py | 749 ++ .../pip/_vendor/packaging/utils.py | 57 + .../pip/_vendor/packaging/version.py | 420 + .../pip/_vendor/pep517/__init__.py | 4 + .../pip/_vendor/pep517/_in_process.py | 207 + .../pip/_vendor/pep517/build.py | 108 + .../pip/_vendor/pep517/check.py | 202 + .../pip/_vendor/pep517/colorlog.py | 115 + .../pip/_vendor/pep517/compat.py | 23 + .../pip/_vendor/pep517/envbuild.py | 158 + .../pip/_vendor/pep517/wrappers.py | 163 + .../pip/_vendor/pkg_resources/__init__.py | 3171 +++++++ .../pip/_vendor/pkg_resources/py31compat.py | 23 + .../pip/_vendor/progress/__init__.py | 127 + .../pip/_vendor/progress/bar.py | 94 + .../pip/_vendor/progress/counter.py | 48 + .../pip/_vendor/progress/helpers.py | 91 + .../pip/_vendor/progress/spinner.py | 44 + .../pip/_vendor/pyparsing.py | 6452 +++++++++++++ .../pip/_vendor/pytoml/__init__.py | 4 + .../pip/_vendor/pytoml/core.py | 13 + .../pip/_vendor/pytoml/parser.py | 341 + .../pip/_vendor/pytoml/test.py | 30 + .../pip/_vendor/pytoml/utils.py | 67 + .../pip/_vendor/pytoml/writer.py | 106 + .../pip/_vendor/requests/__init__.py | 133 + .../pip/_vendor/requests/__version__.py | 14 + .../pip/_vendor/requests/_internal_utils.py | 42 + .../pip/_vendor/requests/adapters.py | 533 ++ .../pip/_vendor/requests/api.py | 158 + .../pip/_vendor/requests/auth.py | 305 + .../pip/_vendor/requests/certs.py | 18 + .../pip/_vendor/requests/compat.py | 74 + .../pip/_vendor/requests/cookies.py | 549 ++ .../pip/_vendor/requests/exceptions.py | 126 + .../pip/_vendor/requests/help.py | 119 + .../pip/_vendor/requests/hooks.py | 34 + .../pip/_vendor/requests/models.py | 953 ++ .../pip/_vendor/requests/packages.py | 16 + .../pip/_vendor/requests/sessions.py | 770 ++ .../pip/_vendor/requests/status_codes.py | 120 + .../pip/_vendor/requests/structures.py | 103 + .../pip/_vendor/requests/utils.py | 977 ++ .../pip/_vendor/retrying.py | 267 + .../pip-19.0.3-py3.7.egg/pip/_vendor/six.py | 952 ++ .../pip/_vendor/urllib3/__init__.py | 92 + .../pip/_vendor/urllib3/_collections.py | 329 + .../pip/_vendor/urllib3/connection.py | 391 + .../pip/_vendor/urllib3/connectionpool.py | 896 ++ .../pip/_vendor/urllib3/contrib/__init__.py | 0 .../urllib3/contrib/_appengine_environ.py | 30 + .../contrib/_securetransport/__init__.py | 0 .../contrib/_securetransport/bindings.py | 593 ++ .../contrib/_securetransport/low_level.py | 346 + .../pip/_vendor/urllib3/contrib/appengine.py | 289 + .../pip/_vendor/urllib3/contrib/ntlmpool.py | 111 + .../pip/_vendor/urllib3/contrib/pyopenssl.py | 466 + .../urllib3/contrib/securetransport.py | 804 ++ .../pip/_vendor/urllib3/contrib/socks.py | 192 + .../pip/_vendor/urllib3/exceptions.py | 246 + .../pip/_vendor/urllib3/fields.py | 178 + .../pip/_vendor/urllib3/filepost.py | 98 + .../pip/_vendor/urllib3/packages/__init__.py | 5 + .../urllib3/packages/backports/__init__.py | 0 .../urllib3/packages/backports/makefile.py | 53 + .../pip/_vendor/urllib3/packages/six.py | 868 ++ .../packages/ssl_match_hostname/__init__.py | 19 + .../ssl_match_hostname/_implementation.py | 156 + .../pip/_vendor/urllib3/poolmanager.py | 450 + .../pip/_vendor/urllib3/request.py | 150 + .../pip/_vendor/urllib3/response.py | 705 ++ .../pip/_vendor/urllib3/util/__init__.py | 54 + .../pip/_vendor/urllib3/util/connection.py | 134 + .../pip/_vendor/urllib3/util/queue.py | 21 + .../pip/_vendor/urllib3/util/request.py | 118 + .../pip/_vendor/urllib3/util/response.py | 87 + .../pip/_vendor/urllib3/util/retry.py | 411 + .../pip/_vendor/urllib3/util/ssl_.py | 381 + .../pip/_vendor/urllib3/util/timeout.py | 242 + .../pip/_vendor/urllib3/util/url.py | 230 + .../pip/_vendor/urllib3/util/wait.py | 150 + .../pip/_vendor/webencodings/__init__.py | 342 + .../pip/_vendor/webencodings/labels.py | 231 + .../pip/_vendor/webencodings/mklabels.py | 59 + .../pip/_vendor/webencodings/tests.py | 153 + .../_vendor/webencodings/x_user_defined.py | 325 + .../site-packages/setuptools-40.8.0-py3.7.egg | Bin 0 -> 571911 bytes venv/Lib/site-packages/setuptools.pth | 1 + venv/Lib/tcl8.6/init.tcl | 819 ++ venv/Scripts/Activate.ps1 | 51 + venv/Scripts/_asyncio.pyd | Bin 0 -> 54424 bytes venv/Scripts/_bz2.pyd | Bin 0 -> 72856 bytes venv/Scripts/_contextvars.pyd | Bin 0 -> 19608 bytes venv/Scripts/_ctypes.pyd | Bin 0 -> 107672 bytes venv/Scripts/_ctypes_test.pyd | Bin 0 -> 29848 bytes venv/Scripts/_decimal.pyd | Bin 0 -> 239768 bytes venv/Scripts/_distutils_findvs.pyd | Bin 0 -> 21656 bytes venv/Scripts/_elementtree.pyd | Bin 0 -> 170136 bytes venv/Scripts/_hashlib.pyd | Bin 0 -> 31896 bytes venv/Scripts/_lzma.pyd | Bin 0 -> 185496 bytes venv/Scripts/_msi.pyd | Bin 0 -> 33432 bytes venv/Scripts/_multiprocessing.pyd | Bin 0 -> 25240 bytes venv/Scripts/_overlapped.pyd | Bin 0 -> 35480 bytes venv/Scripts/_queue.pyd | Bin 0 -> 24216 bytes venv/Scripts/_socket.pyd | Bin 0 -> 66712 bytes venv/Scripts/_sqlite3.pyd | Bin 0 -> 66712 bytes venv/Scripts/_ssl.pyd | Bin 0 -> 103576 bytes venv/Scripts/_testbuffer.pyd | Bin 0 -> 43160 bytes venv/Scripts/_testcapi.pyd | Bin 0 -> 81560 bytes venv/Scripts/_testconsole.pyd | Bin 0 -> 21144 bytes venv/Scripts/_testimportmultiple.pyd | Bin 0 -> 19096 bytes venv/Scripts/_testmultiphase.pyd | Bin 0 -> 26776 bytes venv/Scripts/_tkinter.pyd | Bin 0 -> 58008 bytes venv/Scripts/activate | 76 + venv/Scripts/activate.bat | 45 + venv/Scripts/deactivate.bat | 21 + venv/Scripts/easy_install-3.7-script.py | 12 + venv/Scripts/easy_install-3.7.exe.manifest | 15 + venv/Scripts/easy_install-script.py | 12 + venv/Scripts/easy_install.exe.manifest | 15 + venv/Scripts/pip-script.py | 12 + venv/Scripts/pip.exe.manifest | 15 + venv/Scripts/pip3-script.py | 12 + venv/Scripts/pip3.7-script.py | 12 + venv/Scripts/pip3.7.exe.manifest | 15 + venv/Scripts/pip3.exe.manifest | 15 + venv/Scripts/pyexpat.pyd | Bin 0 -> 168088 bytes venv/Scripts/select.pyd | Bin 0 -> 23192 bytes venv/Scripts/unicodedata.pyd | Bin 0 -> 1065112 bytes venv/Scripts/winsound.pyd | Bin 0 -> 24216 bytes venv/pyvenv.cfg | 3 + 364 files changed, 107395 insertions(+), 25 deletions(-) create mode 100644 .idea/.gitignore create mode 100644 .idea/MSU_CSCI_466_Programming_Assignments.iml create mode 100644 .idea/inspectionProfiles/profiles_settings.xml create mode 100644 .idea/misc.xml create mode 100644 .idea/modules.xml create mode 100644 .idea/vcs.xml delete mode 100644 .project delete mode 100644 .pydevproject create mode 100644 venv/Lib/site-packages/easy-install.pth create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/PKG-INFO create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/SOURCES.txt create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/dependency_links.txt create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/entry_points.txt create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/not-zip-safe create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/top_level.txt create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__main__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/build_env.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cache.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/autocompletion.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/base_command.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/cmdoptions.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/main_parser.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/parser.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/status_codes.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/check.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/completion.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/configuration.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/download.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/freeze.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/hash.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/help.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/install.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/list.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/search.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/show.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/uninstall.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/wheel.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/configuration.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/download.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/exceptions.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/index.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/locations.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/candidate.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/format_control.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/index.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/link.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/check.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/freeze.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/prepare.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pep425tags.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pyproject.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/constructors.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_file.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_install.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_set.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_tracker.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_uninstall.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/resolve.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/appdirs.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/compat.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/deprecation.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/encoding.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/filesystem.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/glibc.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/hashes.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/logging.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/misc.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/models.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/outdated.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/packaging.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/setuptools_build.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/temp_dir.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/typing.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/ui.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/bazaar.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/git.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/mercurial.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/subversion.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/wheel.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/appdirs.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/_cmd.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/adapter.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/cache.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/file_cache.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/redis_cache.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/compat.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/controller.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/filewrapper.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/heuristics.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/serialize.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/wrapper.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__main__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/cacert.pem create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/core.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/big5freq.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/big5prober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/chardistribution.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/charsetgroupprober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/charsetprober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cli/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cli/chardetect.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/codingstatemachine.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/compat.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cp949prober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/enums.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/escprober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/escsm.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/eucjpprober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euckrfreq.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euckrprober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euctwfreq.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euctwprober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/gb2312freq.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/gb2312prober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/hebrewprober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/jisfreq.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/jpcntx.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langbulgarianmodel.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langcyrillicmodel.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langgreekmodel.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhebrewmodel.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhungarianmodel.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langthaimodel.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langturkishmodel.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/latin1prober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcharsetprober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcsgroupprober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcssm.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcharsetprober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcsgroupprober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sjisprober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/universaldetector.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/utf8prober.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/version.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/ansi.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/ansitowin32.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/initialise.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/win32.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/winterm.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/misc.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/shutil.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/sysconfig.cfg create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/sysconfig.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/tarfile.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/compat.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/database.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/index.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/locators.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/manifest.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/markers.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/metadata.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/resources.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/scripts.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/util.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/version.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/wheel.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distro.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_ihatexml.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_inputstream.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_tokenizer.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/_base.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/datrie.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/py.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_utils.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/constants.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/alphabeticalattributes.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/base.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/inject_meta_charset.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/lint.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/optionaltags.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/sanitizer.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/whitespace.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/html5parser.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/serializer.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/genshi.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/sax.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/base.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/dom.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/etree.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/etree_lxml.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/base.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/dom.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/etree.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/etree_lxml.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/genshi.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/codec.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/compat.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/core.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/idnadata.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/intranges.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/package_data.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/uts46data.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/ipaddress.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/linklockfile.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/mkdirlockfile.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/pidlockfile.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/sqlitelockfile.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/symlinklockfile.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/_version.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/exceptions.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/fallback.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/__about__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/_compat.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/_structures.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/markers.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/requirements.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/specifiers.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/utils.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/version.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/_in_process.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/build.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/check.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/colorlog.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/compat.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/envbuild.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/wrappers.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pkg_resources/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pkg_resources/py31compat.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/bar.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/counter.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/helpers.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/spinner.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pyparsing.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/core.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/parser.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/test.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/utils.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/writer.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/__version__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/_internal_utils.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/adapters.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/api.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/auth.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/certs.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/compat.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/cookies.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/exceptions.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/help.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/hooks.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/models.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/packages.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/sessions.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/status_codes.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/structures.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/utils.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/retrying.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/six.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/_collections.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connection.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connectionpool.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_appengine_environ.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/bindings.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/low_level.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/appengine.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/ntlmpool.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/pyopenssl.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/securetransport.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/socks.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/exceptions.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/fields.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/filepost.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/backports/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/backports/makefile.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/six.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/_implementation.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/poolmanager.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/request.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/response.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/connection.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/queue.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/request.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/response.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/retry.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/ssl_.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/timeout.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/url.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/wait.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/__init__.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/labels.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/mklabels.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/tests.py create mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/x_user_defined.py create mode 100644 venv/Lib/site-packages/setuptools-40.8.0-py3.7.egg create mode 100644 venv/Lib/site-packages/setuptools.pth create mode 100644 venv/Lib/tcl8.6/init.tcl create mode 100644 venv/Scripts/Activate.ps1 create mode 100644 venv/Scripts/_asyncio.pyd create mode 100644 venv/Scripts/_bz2.pyd create mode 100644 venv/Scripts/_contextvars.pyd create mode 100644 venv/Scripts/_ctypes.pyd create mode 100644 venv/Scripts/_ctypes_test.pyd create mode 100644 venv/Scripts/_decimal.pyd create mode 100644 venv/Scripts/_distutils_findvs.pyd create mode 100644 venv/Scripts/_elementtree.pyd create mode 100644 venv/Scripts/_hashlib.pyd create mode 100644 venv/Scripts/_lzma.pyd create mode 100644 venv/Scripts/_msi.pyd create mode 100644 venv/Scripts/_multiprocessing.pyd create mode 100644 venv/Scripts/_overlapped.pyd create mode 100644 venv/Scripts/_queue.pyd create mode 100644 venv/Scripts/_socket.pyd create mode 100644 venv/Scripts/_sqlite3.pyd create mode 100644 venv/Scripts/_ssl.pyd create mode 100644 venv/Scripts/_testbuffer.pyd create mode 100644 venv/Scripts/_testcapi.pyd create mode 100644 venv/Scripts/_testconsole.pyd create mode 100644 venv/Scripts/_testimportmultiple.pyd create mode 100644 venv/Scripts/_testmultiphase.pyd create mode 100644 venv/Scripts/_tkinter.pyd create mode 100644 venv/Scripts/activate create mode 100644 venv/Scripts/activate.bat create mode 100644 venv/Scripts/deactivate.bat create mode 100644 venv/Scripts/easy_install-3.7-script.py create mode 100644 venv/Scripts/easy_install-3.7.exe.manifest create mode 100644 venv/Scripts/easy_install-script.py create mode 100644 venv/Scripts/easy_install.exe.manifest create mode 100644 venv/Scripts/pip-script.py create mode 100644 venv/Scripts/pip.exe.manifest create mode 100644 venv/Scripts/pip3-script.py create mode 100644 venv/Scripts/pip3.7-script.py create mode 100644 venv/Scripts/pip3.7.exe.manifest create mode 100644 venv/Scripts/pip3.exe.manifest create mode 100644 venv/Scripts/pyexpat.pyd create mode 100644 venv/Scripts/select.pyd create mode 100644 venv/Scripts/unicodedata.pyd create mode 100644 venv/Scripts/winsound.pyd create mode 100644 venv/pyvenv.cfg diff --git a/.idea/.gitignore b/.idea/.gitignore new file mode 100644 index 0000000..e7e9d11 --- /dev/null +++ b/.idea/.gitignore @@ -0,0 +1,2 @@ +# Default ignored files +/workspace.xml diff --git a/.idea/MSU_CSCI_466_Programming_Assignments.iml b/.idea/MSU_CSCI_466_Programming_Assignments.iml new file mode 100644 index 0000000..eca0a08 --- /dev/null +++ b/.idea/MSU_CSCI_466_Programming_Assignments.iml @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/.idea/inspectionProfiles/profiles_settings.xml b/.idea/inspectionProfiles/profiles_settings.xml new file mode 100644 index 0000000..105ce2d --- /dev/null +++ b/.idea/inspectionProfiles/profiles_settings.xml @@ -0,0 +1,6 @@ + + + + \ No newline at end of file diff --git a/.idea/misc.xml b/.idea/misc.xml new file mode 100644 index 0000000..11a4fc2 --- /dev/null +++ b/.idea/misc.xml @@ -0,0 +1,7 @@ + + + + + + \ No newline at end of file diff --git a/.idea/modules.xml b/.idea/modules.xml new file mode 100644 index 0000000..b2a0dbe --- /dev/null +++ b/.idea/modules.xml @@ -0,0 +1,8 @@ + + + + + + + + \ No newline at end of file diff --git a/.idea/vcs.xml b/.idea/vcs.xml new file mode 100644 index 0000000..94a25f7 --- /dev/null +++ b/.idea/vcs.xml @@ -0,0 +1,6 @@ + + + + + + \ No newline at end of file diff --git a/.project b/.project deleted file mode 100644 index 01a42ac..0000000 --- a/.project +++ /dev/null @@ -1,17 +0,0 @@ - - - CSCI_466_PAs - - - - - - org.python.pydev.PyDevBuilder - - - - - - org.python.pydev.pythonNature - - diff --git a/.pydevproject b/.pydevproject deleted file mode 100644 index 2899bac..0000000 --- a/.pydevproject +++ /dev/null @@ -1,8 +0,0 @@ - - - -/${PROJECT_DIR_NAME} - -python 3.6 -python37 - diff --git a/venv/Lib/site-packages/easy-install.pth b/venv/Lib/site-packages/easy-install.pth new file mode 100644 index 0000000..b74fe2e --- /dev/null +++ b/venv/Lib/site-packages/easy-install.pth @@ -0,0 +1,2 @@ +./setuptools-40.8.0-py3.7.egg +./pip-19.0.3-py3.7.egg diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/PKG-INFO b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/PKG-INFO new file mode 100644 index 0000000..0b410a2 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/PKG-INFO @@ -0,0 +1,73 @@ +Metadata-Version: 1.2 +Name: pip +Version: 19.0.3 +Summary: The PyPA recommended tool for installing Python packages. +Home-page: https://pip.pypa.io/ +Author: The pip developers +Author-email: pypa-dev@groups.google.com +License: MIT +Description: pip - The Python Package Installer + ================================== + + .. image:: https://img.shields.io/pypi/v/pip.svg + :target: https://pypi.org/project/pip/ + + .. image:: https://readthedocs.org/projects/pip/badge/?version=latest + :target: https://pip.pypa.io/en/latest + + pip is the `package installer`_ for Python. You can use pip to install packages from the `Python Package Index`_ and other indexes. + + Please take a look at our documentation for how to install and use pip: + + * `Installation`_ + * `Usage`_ + * `Release notes`_ + + If you find bugs, need help, or want to talk to the developers please use our mailing lists or chat rooms: + + * `Issue tracking`_ + * `Discourse channel`_ + * `User IRC`_ + + If you want to get involved head over to GitHub to get the source code and feel free to jump on the developer mailing lists and chat rooms: + + * `GitHub page`_ + * `Dev mailing list`_ + * `Dev IRC`_ + + Code of Conduct + --------------- + + Everyone interacting in the pip project's codebases, issue trackers, chat + rooms, and mailing lists is expected to follow the `PyPA Code of Conduct`_. + + .. _package installer: https://packaging.python.org/en/latest/current/ + .. _Python Package Index: https://pypi.org + .. _Installation: https://pip.pypa.io/en/stable/installing.html + .. _Usage: https://pip.pypa.io/en/stable/ + .. _Release notes: https://pip.pypa.io/en/stable/news.html + .. _GitHub page: https://github.com/pypa/pip + .. _Issue tracking: https://github.com/pypa/pip/issues + .. _Discourse channel: https://discuss.python.org/c/packaging + .. _Dev mailing list: https://groups.google.com/forum/#!forum/pypa-dev + .. _User IRC: https://webchat.freenode.net/?channels=%23pypa + .. _Dev IRC: https://webchat.freenode.net/?channels=%23pypa-dev + .. _PyPA Code of Conduct: https://www.pypa.io/en/latest/code-of-conduct/ + +Keywords: distutils easy_install egg setuptools wheel virtualenv +Platform: UNKNOWN +Classifier: Development Status :: 5 - Production/Stable +Classifier: Intended Audience :: Developers +Classifier: License :: OSI Approved :: MIT License +Classifier: Topic :: Software Development :: Build Tools +Classifier: Programming Language :: Python +Classifier: Programming Language :: Python :: 2 +Classifier: Programming Language :: Python :: 2.7 +Classifier: Programming Language :: Python :: 3 +Classifier: Programming Language :: Python :: 3.4 +Classifier: Programming Language :: Python :: 3.5 +Classifier: Programming Language :: Python :: 3.6 +Classifier: Programming Language :: Python :: 3.7 +Classifier: Programming Language :: Python :: Implementation :: CPython +Classifier: Programming Language :: Python :: Implementation :: PyPy +Requires-Python: >=2.7,!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.* diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/SOURCES.txt b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/SOURCES.txt new file mode 100644 index 0000000..eb4810d --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/SOURCES.txt @@ -0,0 +1,391 @@ +AUTHORS.txt +LICENSE.txt +MANIFEST.in +NEWS.rst +README.rst +pyproject.toml +setup.cfg +setup.py +docs/pip_sphinxext.py +docs/html/conf.py +docs/html/cookbook.rst +docs/html/index.rst +docs/html/installing.rst +docs/html/logic.rst +docs/html/news.rst +docs/html/quickstart.rst +docs/html/usage.rst +docs/html/user_guide.rst +docs/html/development/configuration.rst +docs/html/development/contributing.rst +docs/html/development/getting-started.rst +docs/html/development/index.rst +docs/html/development/release-process.rst +docs/html/development/vendoring-policy.rst +docs/html/reference/index.rst +docs/html/reference/pip.rst +docs/html/reference/pip_check.rst +docs/html/reference/pip_config.rst +docs/html/reference/pip_download.rst +docs/html/reference/pip_freeze.rst +docs/html/reference/pip_hash.rst +docs/html/reference/pip_install.rst +docs/html/reference/pip_list.rst +docs/html/reference/pip_search.rst +docs/html/reference/pip_show.rst +docs/html/reference/pip_uninstall.rst +docs/html/reference/pip_wheel.rst +docs/man/index.rst +docs/man/commands/check.rst +docs/man/commands/config.rst +docs/man/commands/download.rst +docs/man/commands/freeze.rst +docs/man/commands/hash.rst +docs/man/commands/help.rst +docs/man/commands/install.rst +docs/man/commands/list.rst +docs/man/commands/search.rst +docs/man/commands/show.rst +docs/man/commands/uninstall.rst +docs/man/commands/wheel.rst +src/pip/__init__.py +src/pip/__main__.py +src/pip.egg-info/PKG-INFO +src/pip.egg-info/SOURCES.txt +src/pip.egg-info/dependency_links.txt +src/pip.egg-info/entry_points.txt +src/pip.egg-info/not-zip-safe +src/pip.egg-info/top_level.txt +src/pip/_internal/__init__.py +src/pip/_internal/build_env.py +src/pip/_internal/cache.py +src/pip/_internal/configuration.py +src/pip/_internal/download.py +src/pip/_internal/exceptions.py +src/pip/_internal/index.py +src/pip/_internal/locations.py +src/pip/_internal/pep425tags.py +src/pip/_internal/pyproject.py +src/pip/_internal/resolve.py +src/pip/_internal/wheel.py +src/pip/_internal/cli/__init__.py +src/pip/_internal/cli/autocompletion.py +src/pip/_internal/cli/base_command.py +src/pip/_internal/cli/cmdoptions.py +src/pip/_internal/cli/main_parser.py +src/pip/_internal/cli/parser.py +src/pip/_internal/cli/status_codes.py +src/pip/_internal/commands/__init__.py +src/pip/_internal/commands/check.py +src/pip/_internal/commands/completion.py +src/pip/_internal/commands/configuration.py +src/pip/_internal/commands/download.py +src/pip/_internal/commands/freeze.py +src/pip/_internal/commands/hash.py +src/pip/_internal/commands/help.py +src/pip/_internal/commands/install.py +src/pip/_internal/commands/list.py +src/pip/_internal/commands/search.py +src/pip/_internal/commands/show.py +src/pip/_internal/commands/uninstall.py +src/pip/_internal/commands/wheel.py +src/pip/_internal/models/__init__.py +src/pip/_internal/models/candidate.py +src/pip/_internal/models/format_control.py +src/pip/_internal/models/index.py +src/pip/_internal/models/link.py +src/pip/_internal/operations/__init__.py +src/pip/_internal/operations/check.py +src/pip/_internal/operations/freeze.py +src/pip/_internal/operations/prepare.py +src/pip/_internal/req/__init__.py +src/pip/_internal/req/constructors.py +src/pip/_internal/req/req_file.py +src/pip/_internal/req/req_install.py +src/pip/_internal/req/req_set.py +src/pip/_internal/req/req_tracker.py +src/pip/_internal/req/req_uninstall.py +src/pip/_internal/utils/__init__.py +src/pip/_internal/utils/appdirs.py +src/pip/_internal/utils/compat.py +src/pip/_internal/utils/deprecation.py +src/pip/_internal/utils/encoding.py +src/pip/_internal/utils/filesystem.py +src/pip/_internal/utils/glibc.py +src/pip/_internal/utils/hashes.py +src/pip/_internal/utils/logging.py +src/pip/_internal/utils/misc.py +src/pip/_internal/utils/models.py +src/pip/_internal/utils/outdated.py +src/pip/_internal/utils/packaging.py +src/pip/_internal/utils/setuptools_build.py +src/pip/_internal/utils/temp_dir.py +src/pip/_internal/utils/typing.py +src/pip/_internal/utils/ui.py +src/pip/_internal/vcs/__init__.py +src/pip/_internal/vcs/bazaar.py +src/pip/_internal/vcs/git.py +src/pip/_internal/vcs/mercurial.py +src/pip/_internal/vcs/subversion.py +src/pip/_vendor/README.rst +src/pip/_vendor/__init__.py +src/pip/_vendor/appdirs.LICENSE.txt +src/pip/_vendor/appdirs.py +src/pip/_vendor/distro.LICENSE +src/pip/_vendor/distro.py +src/pip/_vendor/ipaddress.LICENSE +src/pip/_vendor/ipaddress.py +src/pip/_vendor/pyparsing.LICENSE +src/pip/_vendor/pyparsing.py +src/pip/_vendor/retrying.LICENSE +src/pip/_vendor/retrying.py +src/pip/_vendor/six.LICENSE +src/pip/_vendor/six.py +src/pip/_vendor/vendor.txt +src/pip/_vendor/cachecontrol/LICENSE.txt +src/pip/_vendor/cachecontrol/__init__.py +src/pip/_vendor/cachecontrol/_cmd.py +src/pip/_vendor/cachecontrol/adapter.py +src/pip/_vendor/cachecontrol/cache.py +src/pip/_vendor/cachecontrol/compat.py +src/pip/_vendor/cachecontrol/controller.py +src/pip/_vendor/cachecontrol/filewrapper.py +src/pip/_vendor/cachecontrol/heuristics.py +src/pip/_vendor/cachecontrol/serialize.py +src/pip/_vendor/cachecontrol/wrapper.py +src/pip/_vendor/cachecontrol/caches/__init__.py +src/pip/_vendor/cachecontrol/caches/file_cache.py +src/pip/_vendor/cachecontrol/caches/redis_cache.py +src/pip/_vendor/certifi/LICENSE +src/pip/_vendor/certifi/__init__.py +src/pip/_vendor/certifi/__main__.py +src/pip/_vendor/certifi/cacert.pem +src/pip/_vendor/certifi/core.py +src/pip/_vendor/chardet/LICENSE +src/pip/_vendor/chardet/__init__.py +src/pip/_vendor/chardet/big5freq.py +src/pip/_vendor/chardet/big5prober.py +src/pip/_vendor/chardet/chardistribution.py +src/pip/_vendor/chardet/charsetgroupprober.py +src/pip/_vendor/chardet/charsetprober.py +src/pip/_vendor/chardet/codingstatemachine.py +src/pip/_vendor/chardet/compat.py +src/pip/_vendor/chardet/cp949prober.py +src/pip/_vendor/chardet/enums.py +src/pip/_vendor/chardet/escprober.py +src/pip/_vendor/chardet/escsm.py +src/pip/_vendor/chardet/eucjpprober.py +src/pip/_vendor/chardet/euckrfreq.py +src/pip/_vendor/chardet/euckrprober.py +src/pip/_vendor/chardet/euctwfreq.py +src/pip/_vendor/chardet/euctwprober.py +src/pip/_vendor/chardet/gb2312freq.py +src/pip/_vendor/chardet/gb2312prober.py +src/pip/_vendor/chardet/hebrewprober.py +src/pip/_vendor/chardet/jisfreq.py +src/pip/_vendor/chardet/jpcntx.py +src/pip/_vendor/chardet/langbulgarianmodel.py +src/pip/_vendor/chardet/langcyrillicmodel.py +src/pip/_vendor/chardet/langgreekmodel.py +src/pip/_vendor/chardet/langhebrewmodel.py +src/pip/_vendor/chardet/langhungarianmodel.py +src/pip/_vendor/chardet/langthaimodel.py +src/pip/_vendor/chardet/langturkishmodel.py +src/pip/_vendor/chardet/latin1prober.py +src/pip/_vendor/chardet/mbcharsetprober.py +src/pip/_vendor/chardet/mbcsgroupprober.py +src/pip/_vendor/chardet/mbcssm.py +src/pip/_vendor/chardet/sbcharsetprober.py +src/pip/_vendor/chardet/sbcsgroupprober.py +src/pip/_vendor/chardet/sjisprober.py +src/pip/_vendor/chardet/universaldetector.py +src/pip/_vendor/chardet/utf8prober.py +src/pip/_vendor/chardet/version.py +src/pip/_vendor/chardet/cli/__init__.py +src/pip/_vendor/chardet/cli/chardetect.py +src/pip/_vendor/colorama/LICENSE.txt +src/pip/_vendor/colorama/__init__.py +src/pip/_vendor/colorama/ansi.py +src/pip/_vendor/colorama/ansitowin32.py +src/pip/_vendor/colorama/initialise.py +src/pip/_vendor/colorama/win32.py +src/pip/_vendor/colorama/winterm.py +src/pip/_vendor/distlib/LICENSE.txt +src/pip/_vendor/distlib/__init__.py +src/pip/_vendor/distlib/compat.py +src/pip/_vendor/distlib/database.py +src/pip/_vendor/distlib/index.py +src/pip/_vendor/distlib/locators.py +src/pip/_vendor/distlib/manifest.py +src/pip/_vendor/distlib/markers.py +src/pip/_vendor/distlib/metadata.py +src/pip/_vendor/distlib/resources.py +src/pip/_vendor/distlib/scripts.py +src/pip/_vendor/distlib/t32.exe +src/pip/_vendor/distlib/t64.exe +src/pip/_vendor/distlib/util.py +src/pip/_vendor/distlib/version.py +src/pip/_vendor/distlib/w32.exe +src/pip/_vendor/distlib/w64.exe +src/pip/_vendor/distlib/wheel.py +src/pip/_vendor/distlib/_backport/__init__.py +src/pip/_vendor/distlib/_backport/misc.py +src/pip/_vendor/distlib/_backport/shutil.py +src/pip/_vendor/distlib/_backport/sysconfig.cfg +src/pip/_vendor/distlib/_backport/sysconfig.py +src/pip/_vendor/distlib/_backport/tarfile.py +src/pip/_vendor/html5lib/LICENSE +src/pip/_vendor/html5lib/__init__.py +src/pip/_vendor/html5lib/_ihatexml.py +src/pip/_vendor/html5lib/_inputstream.py +src/pip/_vendor/html5lib/_tokenizer.py +src/pip/_vendor/html5lib/_utils.py +src/pip/_vendor/html5lib/constants.py +src/pip/_vendor/html5lib/html5parser.py +src/pip/_vendor/html5lib/serializer.py +src/pip/_vendor/html5lib/_trie/__init__.py +src/pip/_vendor/html5lib/_trie/_base.py +src/pip/_vendor/html5lib/_trie/datrie.py +src/pip/_vendor/html5lib/_trie/py.py +src/pip/_vendor/html5lib/filters/__init__.py +src/pip/_vendor/html5lib/filters/alphabeticalattributes.py +src/pip/_vendor/html5lib/filters/base.py +src/pip/_vendor/html5lib/filters/inject_meta_charset.py +src/pip/_vendor/html5lib/filters/lint.py +src/pip/_vendor/html5lib/filters/optionaltags.py +src/pip/_vendor/html5lib/filters/sanitizer.py +src/pip/_vendor/html5lib/filters/whitespace.py +src/pip/_vendor/html5lib/treeadapters/__init__.py +src/pip/_vendor/html5lib/treeadapters/genshi.py +src/pip/_vendor/html5lib/treeadapters/sax.py +src/pip/_vendor/html5lib/treebuilders/__init__.py +src/pip/_vendor/html5lib/treebuilders/base.py +src/pip/_vendor/html5lib/treebuilders/dom.py +src/pip/_vendor/html5lib/treebuilders/etree.py +src/pip/_vendor/html5lib/treebuilders/etree_lxml.py +src/pip/_vendor/html5lib/treewalkers/__init__.py +src/pip/_vendor/html5lib/treewalkers/base.py +src/pip/_vendor/html5lib/treewalkers/dom.py +src/pip/_vendor/html5lib/treewalkers/etree.py +src/pip/_vendor/html5lib/treewalkers/etree_lxml.py +src/pip/_vendor/html5lib/treewalkers/genshi.py +src/pip/_vendor/idna/LICENSE.rst +src/pip/_vendor/idna/__init__.py +src/pip/_vendor/idna/codec.py +src/pip/_vendor/idna/compat.py +src/pip/_vendor/idna/core.py +src/pip/_vendor/idna/idnadata.py +src/pip/_vendor/idna/intranges.py +src/pip/_vendor/idna/package_data.py +src/pip/_vendor/idna/uts46data.py +src/pip/_vendor/lockfile/LICENSE +src/pip/_vendor/lockfile/__init__.py +src/pip/_vendor/lockfile/linklockfile.py +src/pip/_vendor/lockfile/mkdirlockfile.py +src/pip/_vendor/lockfile/pidlockfile.py +src/pip/_vendor/lockfile/sqlitelockfile.py +src/pip/_vendor/lockfile/symlinklockfile.py +src/pip/_vendor/msgpack/COPYING +src/pip/_vendor/msgpack/__init__.py +src/pip/_vendor/msgpack/_version.py +src/pip/_vendor/msgpack/exceptions.py +src/pip/_vendor/msgpack/fallback.py +src/pip/_vendor/packaging/LICENSE +src/pip/_vendor/packaging/LICENSE.APACHE +src/pip/_vendor/packaging/LICENSE.BSD +src/pip/_vendor/packaging/__about__.py +src/pip/_vendor/packaging/__init__.py +src/pip/_vendor/packaging/_compat.py +src/pip/_vendor/packaging/_structures.py +src/pip/_vendor/packaging/markers.py +src/pip/_vendor/packaging/requirements.py +src/pip/_vendor/packaging/specifiers.py +src/pip/_vendor/packaging/utils.py +src/pip/_vendor/packaging/version.py +src/pip/_vendor/pep517/LICENSE +src/pip/_vendor/pep517/__init__.py +src/pip/_vendor/pep517/_in_process.py +src/pip/_vendor/pep517/build.py +src/pip/_vendor/pep517/check.py +src/pip/_vendor/pep517/colorlog.py +src/pip/_vendor/pep517/compat.py +src/pip/_vendor/pep517/envbuild.py +src/pip/_vendor/pep517/wrappers.py +src/pip/_vendor/pkg_resources/LICENSE +src/pip/_vendor/pkg_resources/__init__.py +src/pip/_vendor/pkg_resources/py31compat.py +src/pip/_vendor/progress/LICENSE +src/pip/_vendor/progress/__init__.py +src/pip/_vendor/progress/bar.py +src/pip/_vendor/progress/counter.py +src/pip/_vendor/progress/helpers.py +src/pip/_vendor/progress/spinner.py +src/pip/_vendor/pytoml/LICENSE +src/pip/_vendor/pytoml/__init__.py +src/pip/_vendor/pytoml/core.py +src/pip/_vendor/pytoml/parser.py +src/pip/_vendor/pytoml/test.py +src/pip/_vendor/pytoml/utils.py +src/pip/_vendor/pytoml/writer.py +src/pip/_vendor/requests/LICENSE +src/pip/_vendor/requests/__init__.py +src/pip/_vendor/requests/__version__.py +src/pip/_vendor/requests/_internal_utils.py +src/pip/_vendor/requests/adapters.py +src/pip/_vendor/requests/api.py +src/pip/_vendor/requests/auth.py +src/pip/_vendor/requests/certs.py +src/pip/_vendor/requests/compat.py +src/pip/_vendor/requests/cookies.py +src/pip/_vendor/requests/exceptions.py +src/pip/_vendor/requests/help.py +src/pip/_vendor/requests/hooks.py +src/pip/_vendor/requests/models.py +src/pip/_vendor/requests/packages.py +src/pip/_vendor/requests/sessions.py +src/pip/_vendor/requests/status_codes.py +src/pip/_vendor/requests/structures.py +src/pip/_vendor/requests/utils.py +src/pip/_vendor/urllib3/LICENSE.txt +src/pip/_vendor/urllib3/__init__.py +src/pip/_vendor/urllib3/_collections.py +src/pip/_vendor/urllib3/connection.py +src/pip/_vendor/urllib3/connectionpool.py +src/pip/_vendor/urllib3/exceptions.py +src/pip/_vendor/urllib3/fields.py +src/pip/_vendor/urllib3/filepost.py +src/pip/_vendor/urllib3/poolmanager.py +src/pip/_vendor/urllib3/request.py +src/pip/_vendor/urllib3/response.py +src/pip/_vendor/urllib3/contrib/__init__.py +src/pip/_vendor/urllib3/contrib/_appengine_environ.py +src/pip/_vendor/urllib3/contrib/appengine.py +src/pip/_vendor/urllib3/contrib/ntlmpool.py +src/pip/_vendor/urllib3/contrib/pyopenssl.py +src/pip/_vendor/urllib3/contrib/securetransport.py +src/pip/_vendor/urllib3/contrib/socks.py +src/pip/_vendor/urllib3/contrib/_securetransport/__init__.py +src/pip/_vendor/urllib3/contrib/_securetransport/bindings.py +src/pip/_vendor/urllib3/contrib/_securetransport/low_level.py +src/pip/_vendor/urllib3/packages/__init__.py +src/pip/_vendor/urllib3/packages/six.py +src/pip/_vendor/urllib3/packages/backports/__init__.py +src/pip/_vendor/urllib3/packages/backports/makefile.py +src/pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py +src/pip/_vendor/urllib3/packages/ssl_match_hostname/_implementation.py +src/pip/_vendor/urllib3/util/__init__.py +src/pip/_vendor/urllib3/util/connection.py +src/pip/_vendor/urllib3/util/queue.py +src/pip/_vendor/urllib3/util/request.py +src/pip/_vendor/urllib3/util/response.py +src/pip/_vendor/urllib3/util/retry.py +src/pip/_vendor/urllib3/util/ssl_.py +src/pip/_vendor/urllib3/util/timeout.py +src/pip/_vendor/urllib3/util/url.py +src/pip/_vendor/urllib3/util/wait.py +src/pip/_vendor/webencodings/LICENSE +src/pip/_vendor/webencodings/__init__.py +src/pip/_vendor/webencodings/labels.py +src/pip/_vendor/webencodings/mklabels.py +src/pip/_vendor/webencodings/tests.py +src/pip/_vendor/webencodings/x_user_defined.py \ No newline at end of file diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/dependency_links.txt b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/dependency_links.txt new file mode 100644 index 0000000..8b13789 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/dependency_links.txt @@ -0,0 +1 @@ + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/entry_points.txt b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/entry_points.txt new file mode 100644 index 0000000..f5809cb --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/entry_points.txt @@ -0,0 +1,5 @@ +[console_scripts] +pip = pip._internal:main +pip3 = pip._internal:main +pip3.7 = pip._internal:main + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/not-zip-safe b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/not-zip-safe new file mode 100644 index 0000000..8b13789 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/not-zip-safe @@ -0,0 +1 @@ + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/top_level.txt b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/top_level.txt new file mode 100644 index 0000000..a1b589e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/top_level.txt @@ -0,0 +1 @@ +pip diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__init__.py new file mode 100644 index 0000000..f48c1ca --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__init__.py @@ -0,0 +1 @@ +__version__ = "19.0.3" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__main__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__main__.py new file mode 100644 index 0000000..0c223f8 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__main__.py @@ -0,0 +1,19 @@ +from __future__ import absolute_import + +import os +import sys + +# If we are running from a wheel, add the wheel to sys.path +# This allows the usage python pip-*.whl/pip install pip-*.whl +if __package__ == '': + # __file__ is pip-*.whl/pip/__main__.py + # first dirname call strips of '/__main__.py', second strips off '/pip' + # Resulting path is the name of the wheel itself + # Add that to sys.path so we can import pip + path = os.path.dirname(os.path.dirname(__file__)) + sys.path.insert(0, path) + +from pip._internal import main as _main # isort:skip # noqa + +if __name__ == '__main__': + sys.exit(_main()) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/__init__.py new file mode 100644 index 0000000..276124d --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/__init__.py @@ -0,0 +1,78 @@ +#!/usr/bin/env python +from __future__ import absolute_import + +import locale +import logging +import os +import warnings + +import sys + +# 2016-06-17 barry@debian.org: urllib3 1.14 added optional support for socks, +# but if invoked (i.e. imported), it will issue a warning to stderr if socks +# isn't available. requests unconditionally imports urllib3's socks contrib +# module, triggering this warning. The warning breaks DEP-8 tests (because of +# the stderr output) and is just plain annoying in normal usage. I don't want +# to add socks as yet another dependency for pip, nor do I want to allow-stder +# in the DEP-8 tests, so just suppress the warning. pdb tells me this has to +# be done before the import of pip.vcs. +from pip._vendor.urllib3.exceptions import DependencyWarning +warnings.filterwarnings("ignore", category=DependencyWarning) # noqa + +# We want to inject the use of SecureTransport as early as possible so that any +# references or sessions or what have you are ensured to have it, however we +# only want to do this in the case that we're running on macOS and the linked +# OpenSSL is too old to handle TLSv1.2 +try: + import ssl +except ImportError: + pass +else: + # Checks for OpenSSL 1.0.1 on MacOS + if sys.platform == "darwin" and ssl.OPENSSL_VERSION_NUMBER < 0x1000100f: + try: + from pip._vendor.urllib3.contrib import securetransport + except (ImportError, OSError): + pass + else: + securetransport.inject_into_urllib3() + +from pip._internal.cli.autocompletion import autocomplete +from pip._internal.cli.main_parser import parse_command +from pip._internal.commands import commands_dict +from pip._internal.exceptions import PipError +from pip._internal.utils import deprecation +from pip._internal.vcs import git, mercurial, subversion, bazaar # noqa +from pip._vendor.urllib3.exceptions import InsecureRequestWarning + +logger = logging.getLogger(__name__) + +# Hide the InsecureRequestWarning from urllib3 +warnings.filterwarnings("ignore", category=InsecureRequestWarning) + + +def main(args=None): + if args is None: + args = sys.argv[1:] + + # Configure our deprecation warnings to be sent through loggers + deprecation.install_warning_logger() + + autocomplete() + + try: + cmd_name, cmd_args = parse_command(args) + except PipError as exc: + sys.stderr.write("ERROR: %s" % exc) + sys.stderr.write(os.linesep) + sys.exit(1) + + # Needed for locale.getpreferredencoding(False) to work + # in pip._internal.utils.encoding.auto_decode + try: + locale.setlocale(locale.LC_ALL, '') + except locale.Error as e: + # setlocale can apparently crash if locale are uninitialized + logger.debug("Ignoring error %s when setting locale", e) + command = commands_dict[cmd_name](isolated=("--isolated" in cmd_args)) + return command.main(cmd_args) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/build_env.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/build_env.py new file mode 100644 index 0000000..d744cc7 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/build_env.py @@ -0,0 +1,215 @@ +"""Build Environment used for isolation during sdist building +""" + +import logging +import os +import sys +import textwrap +from collections import OrderedDict +from distutils.sysconfig import get_python_lib +from sysconfig import get_paths + +from pip._vendor.pkg_resources import Requirement, VersionConflict, WorkingSet + +from pip import __file__ as pip_location +from pip._internal.utils.misc import call_subprocess +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.utils.typing import MYPY_CHECK_RUNNING +from pip._internal.utils.ui import open_spinner + +if MYPY_CHECK_RUNNING: + from typing import Tuple, Set, Iterable, Optional, List # noqa: F401 + from pip._internal.index import PackageFinder # noqa: F401 + +logger = logging.getLogger(__name__) + + +class _Prefix: + + def __init__(self, path): + # type: (str) -> None + self.path = path + self.setup = False + self.bin_dir = get_paths( + 'nt' if os.name == 'nt' else 'posix_prefix', + vars={'base': path, 'platbase': path} + )['scripts'] + # Note: prefer distutils' sysconfig to get the + # library paths so PyPy is correctly supported. + purelib = get_python_lib(plat_specific=False, prefix=path) + platlib = get_python_lib(plat_specific=True, prefix=path) + if purelib == platlib: + self.lib_dirs = [purelib] + else: + self.lib_dirs = [purelib, platlib] + + +class BuildEnvironment(object): + """Creates and manages an isolated environment to install build deps + """ + + def __init__(self): + # type: () -> None + self._temp_dir = TempDirectory(kind="build-env") + self._temp_dir.create() + + self._prefixes = OrderedDict(( + (name, _Prefix(os.path.join(self._temp_dir.path, name))) + for name in ('normal', 'overlay') + )) + + self._bin_dirs = [] # type: List[str] + self._lib_dirs = [] # type: List[str] + for prefix in reversed(list(self._prefixes.values())): + self._bin_dirs.append(prefix.bin_dir) + self._lib_dirs.extend(prefix.lib_dirs) + + # Customize site to: + # - ensure .pth files are honored + # - prevent access to system site packages + system_sites = { + os.path.normcase(site) for site in ( + get_python_lib(plat_specific=False), + get_python_lib(plat_specific=True), + ) + } + self._site_dir = os.path.join(self._temp_dir.path, 'site') + if not os.path.exists(self._site_dir): + os.mkdir(self._site_dir) + with open(os.path.join(self._site_dir, 'sitecustomize.py'), 'w') as fp: + fp.write(textwrap.dedent( + ''' + import os, site, sys + + # First, drop system-sites related paths. + original_sys_path = sys.path[:] + known_paths = set() + for path in {system_sites!r}: + site.addsitedir(path, known_paths=known_paths) + system_paths = set( + os.path.normcase(path) + for path in sys.path[len(original_sys_path):] + ) + original_sys_path = [ + path for path in original_sys_path + if os.path.normcase(path) not in system_paths + ] + sys.path = original_sys_path + + # Second, add lib directories. + # ensuring .pth file are processed. + for path in {lib_dirs!r}: + assert not path in sys.path + site.addsitedir(path) + ''' + ).format(system_sites=system_sites, lib_dirs=self._lib_dirs)) + + def __enter__(self): + self._save_env = { + name: os.environ.get(name, None) + for name in ('PATH', 'PYTHONNOUSERSITE', 'PYTHONPATH') + } + + path = self._bin_dirs[:] + old_path = self._save_env['PATH'] + if old_path: + path.extend(old_path.split(os.pathsep)) + + pythonpath = [self._site_dir] + + os.environ.update({ + 'PATH': os.pathsep.join(path), + 'PYTHONNOUSERSITE': '1', + 'PYTHONPATH': os.pathsep.join(pythonpath), + }) + + def __exit__(self, exc_type, exc_val, exc_tb): + for varname, old_value in self._save_env.items(): + if old_value is None: + os.environ.pop(varname, None) + else: + os.environ[varname] = old_value + + def cleanup(self): + # type: () -> None + self._temp_dir.cleanup() + + def check_requirements(self, reqs): + # type: (Iterable[str]) -> Tuple[Set[Tuple[str, str]], Set[str]] + """Return 2 sets: + - conflicting requirements: set of (installed, wanted) reqs tuples + - missing requirements: set of reqs + """ + missing = set() + conflicting = set() + if reqs: + ws = WorkingSet(self._lib_dirs) + for req in reqs: + try: + if ws.find(Requirement.parse(req)) is None: + missing.add(req) + except VersionConflict as e: + conflicting.add((str(e.args[0].as_requirement()), + str(e.args[1]))) + return conflicting, missing + + def install_requirements( + self, + finder, # type: PackageFinder + requirements, # type: Iterable[str] + prefix_as_string, # type: str + message # type: Optional[str] + ): + # type: (...) -> None + prefix = self._prefixes[prefix_as_string] + assert not prefix.setup + prefix.setup = True + if not requirements: + return + args = [ + sys.executable, os.path.dirname(pip_location), 'install', + '--ignore-installed', '--no-user', '--prefix', prefix.path, + '--no-warn-script-location', + ] # type: List[str] + if logger.getEffectiveLevel() <= logging.DEBUG: + args.append('-v') + for format_control in ('no_binary', 'only_binary'): + formats = getattr(finder.format_control, format_control) + args.extend(('--' + format_control.replace('_', '-'), + ','.join(sorted(formats or {':none:'})))) + if finder.index_urls: + args.extend(['-i', finder.index_urls[0]]) + for extra_index in finder.index_urls[1:]: + args.extend(['--extra-index-url', extra_index]) + else: + args.append('--no-index') + for link in finder.find_links: + args.extend(['--find-links', link]) + for _, host, _ in finder.secure_origins: + args.extend(['--trusted-host', host]) + if finder.allow_all_prereleases: + args.append('--pre') + args.append('--') + args.extend(requirements) + with open_spinner(message) as spinner: + call_subprocess(args, show_stdout=False, spinner=spinner) + + +class NoOpBuildEnvironment(BuildEnvironment): + """A no-op drop-in replacement for BuildEnvironment + """ + + def __init__(self): + pass + + def __enter__(self): + pass + + def __exit__(self, exc_type, exc_val, exc_tb): + pass + + def cleanup(self): + pass + + def install_requirements(self, finder, requirements, prefix, message): + raise NotImplementedError() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cache.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cache.py new file mode 100644 index 0000000..eb295c4 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cache.py @@ -0,0 +1,224 @@ +"""Cache Management +""" + +import errno +import hashlib +import logging +import os + +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.download import path_to_url +from pip._internal.models.link import Link +from pip._internal.utils.compat import expanduser +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.utils.typing import MYPY_CHECK_RUNNING +from pip._internal.wheel import InvalidWheelFilename, Wheel + +if MYPY_CHECK_RUNNING: + from typing import Optional, Set, List, Any # noqa: F401 + from pip._internal.index import FormatControl # noqa: F401 + +logger = logging.getLogger(__name__) + + +class Cache(object): + """An abstract class - provides cache directories for data from links + + + :param cache_dir: The root of the cache. + :param format_control: An object of FormatControl class to limit + binaries being read from the cache. + :param allowed_formats: which formats of files the cache should store. + ('binary' and 'source' are the only allowed values) + """ + + def __init__(self, cache_dir, format_control, allowed_formats): + # type: (str, FormatControl, Set[str]) -> None + super(Cache, self).__init__() + self.cache_dir = expanduser(cache_dir) if cache_dir else None + self.format_control = format_control + self.allowed_formats = allowed_formats + + _valid_formats = {"source", "binary"} + assert self.allowed_formats.union(_valid_formats) == _valid_formats + + def _get_cache_path_parts(self, link): + # type: (Link) -> List[str] + """Get parts of part that must be os.path.joined with cache_dir + """ + + # We want to generate an url to use as our cache key, we don't want to + # just re-use the URL because it might have other items in the fragment + # and we don't care about those. + key_parts = [link.url_without_fragment] + if link.hash_name is not None and link.hash is not None: + key_parts.append("=".join([link.hash_name, link.hash])) + key_url = "#".join(key_parts) + + # Encode our key url with sha224, we'll use this because it has similar + # security properties to sha256, but with a shorter total output (and + # thus less secure). However the differences don't make a lot of + # difference for our use case here. + hashed = hashlib.sha224(key_url.encode()).hexdigest() + + # We want to nest the directories some to prevent having a ton of top + # level directories where we might run out of sub directories on some + # FS. + parts = [hashed[:2], hashed[2:4], hashed[4:6], hashed[6:]] + + return parts + + def _get_candidates(self, link, package_name): + # type: (Link, Optional[str]) -> List[Any] + can_not_cache = ( + not self.cache_dir or + not package_name or + not link + ) + if can_not_cache: + return [] + + canonical_name = canonicalize_name(package_name) + formats = self.format_control.get_allowed_formats( + canonical_name + ) + if not self.allowed_formats.intersection(formats): + return [] + + root = self.get_path_for_link(link) + try: + return os.listdir(root) + except OSError as err: + if err.errno in {errno.ENOENT, errno.ENOTDIR}: + return [] + raise + + def get_path_for_link(self, link): + # type: (Link) -> str + """Return a directory to store cached items in for link. + """ + raise NotImplementedError() + + def get(self, link, package_name): + # type: (Link, Optional[str]) -> Link + """Returns a link to a cached item if it exists, otherwise returns the + passed link. + """ + raise NotImplementedError() + + def _link_for_candidate(self, link, candidate): + # type: (Link, str) -> Link + root = self.get_path_for_link(link) + path = os.path.join(root, candidate) + + return Link(path_to_url(path)) + + def cleanup(self): + # type: () -> None + pass + + +class SimpleWheelCache(Cache): + """A cache of wheels for future installs. + """ + + def __init__(self, cache_dir, format_control): + # type: (str, FormatControl) -> None + super(SimpleWheelCache, self).__init__( + cache_dir, format_control, {"binary"} + ) + + def get_path_for_link(self, link): + # type: (Link) -> str + """Return a directory to store cached wheels for link + + Because there are M wheels for any one sdist, we provide a directory + to cache them in, and then consult that directory when looking up + cache hits. + + We only insert things into the cache if they have plausible version + numbers, so that we don't contaminate the cache with things that were + not unique. E.g. ./package might have dozens of installs done for it + and build a version of 0.0...and if we built and cached a wheel, we'd + end up using the same wheel even if the source has been edited. + + :param link: The link of the sdist for which this will cache wheels. + """ + parts = self._get_cache_path_parts(link) + + # Store wheels within the root cache_dir + return os.path.join(self.cache_dir, "wheels", *parts) + + def get(self, link, package_name): + # type: (Link, Optional[str]) -> Link + candidates = [] + + for wheel_name in self._get_candidates(link, package_name): + try: + wheel = Wheel(wheel_name) + except InvalidWheelFilename: + continue + if not wheel.supported(): + # Built for a different python/arch/etc + continue + candidates.append((wheel.support_index_min(), wheel_name)) + + if not candidates: + return link + + return self._link_for_candidate(link, min(candidates)[1]) + + +class EphemWheelCache(SimpleWheelCache): + """A SimpleWheelCache that creates it's own temporary cache directory + """ + + def __init__(self, format_control): + # type: (FormatControl) -> None + self._temp_dir = TempDirectory(kind="ephem-wheel-cache") + self._temp_dir.create() + + super(EphemWheelCache, self).__init__( + self._temp_dir.path, format_control + ) + + def cleanup(self): + # type: () -> None + self._temp_dir.cleanup() + + +class WheelCache(Cache): + """Wraps EphemWheelCache and SimpleWheelCache into a single Cache + + This Cache allows for gracefully degradation, using the ephem wheel cache + when a certain link is not found in the simple wheel cache first. + """ + + def __init__(self, cache_dir, format_control): + # type: (str, FormatControl) -> None + super(WheelCache, self).__init__( + cache_dir, format_control, {'binary'} + ) + self._wheel_cache = SimpleWheelCache(cache_dir, format_control) + self._ephem_cache = EphemWheelCache(format_control) + + def get_path_for_link(self, link): + # type: (Link) -> str + return self._wheel_cache.get_path_for_link(link) + + def get_ephem_path_for_link(self, link): + # type: (Link) -> str + return self._ephem_cache.get_path_for_link(link) + + def get(self, link, package_name): + # type: (Link, Optional[str]) -> Link + retval = self._wheel_cache.get(link, package_name) + if retval is link: + retval = self._ephem_cache.get(link, package_name) + return retval + + def cleanup(self): + # type: () -> None + self._wheel_cache.cleanup() + self._ephem_cache.cleanup() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/__init__.py new file mode 100644 index 0000000..e589bb9 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/__init__.py @@ -0,0 +1,4 @@ +"""Subpackage containing all of pip's command line interface related code +""" + +# This file intentionally does not import submodules diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/autocompletion.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/autocompletion.py new file mode 100644 index 0000000..0a04199 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/autocompletion.py @@ -0,0 +1,152 @@ +"""Logic that powers autocompletion installed by ``pip completion``. +""" + +import optparse +import os +import sys + +from pip._internal.cli.main_parser import create_main_parser +from pip._internal.commands import commands_dict, get_summaries +from pip._internal.utils.misc import get_installed_distributions + + +def autocomplete(): + """Entry Point for completion of main and subcommand options. + """ + # Don't complete if user hasn't sourced bash_completion file. + if 'PIP_AUTO_COMPLETE' not in os.environ: + return + cwords = os.environ['COMP_WORDS'].split()[1:] + cword = int(os.environ['COMP_CWORD']) + try: + current = cwords[cword - 1] + except IndexError: + current = '' + + subcommands = [cmd for cmd, summary in get_summaries()] + options = [] + # subcommand + try: + subcommand_name = [w for w in cwords if w in subcommands][0] + except IndexError: + subcommand_name = None + + parser = create_main_parser() + # subcommand options + if subcommand_name: + # special case: 'help' subcommand has no options + if subcommand_name == 'help': + sys.exit(1) + # special case: list locally installed dists for show and uninstall + should_list_installed = ( + subcommand_name in ['show', 'uninstall'] and + not current.startswith('-') + ) + if should_list_installed: + installed = [] + lc = current.lower() + for dist in get_installed_distributions(local_only=True): + if dist.key.startswith(lc) and dist.key not in cwords[1:]: + installed.append(dist.key) + # if there are no dists installed, fall back to option completion + if installed: + for dist in installed: + print(dist) + sys.exit(1) + + subcommand = commands_dict[subcommand_name]() + + for opt in subcommand.parser.option_list_all: + if opt.help != optparse.SUPPRESS_HELP: + for opt_str in opt._long_opts + opt._short_opts: + options.append((opt_str, opt.nargs)) + + # filter out previously specified options from available options + prev_opts = [x.split('=')[0] for x in cwords[1:cword - 1]] + options = [(x, v) for (x, v) in options if x not in prev_opts] + # filter options by current input + options = [(k, v) for k, v in options if k.startswith(current)] + # get completion type given cwords and available subcommand options + completion_type = get_path_completion_type( + cwords, cword, subcommand.parser.option_list_all, + ) + # get completion files and directories if ``completion_type`` is + # ````, ``

`` or ```` + if completion_type: + options = auto_complete_paths(current, completion_type) + options = ((opt, 0) for opt in options) + for option in options: + opt_label = option[0] + # append '=' to options which require args + if option[1] and option[0][:2] == "--": + opt_label += '=' + print(opt_label) + else: + # show main parser options only when necessary + + opts = [i.option_list for i in parser.option_groups] + opts.append(parser.option_list) + opts = (o for it in opts for o in it) + if current.startswith('-'): + for opt in opts: + if opt.help != optparse.SUPPRESS_HELP: + subcommands += opt._long_opts + opt._short_opts + else: + # get completion type given cwords and all available options + completion_type = get_path_completion_type(cwords, cword, opts) + if completion_type: + subcommands = auto_complete_paths(current, completion_type) + + print(' '.join([x for x in subcommands if x.startswith(current)])) + sys.exit(1) + + +def get_path_completion_type(cwords, cword, opts): + """Get the type of path completion (``file``, ``dir``, ``path`` or None) + + :param cwords: same as the environmental variable ``COMP_WORDS`` + :param cword: same as the environmental variable ``COMP_CWORD`` + :param opts: The available options to check + :return: path completion type (``file``, ``dir``, ``path`` or None) + """ + if cword < 2 or not cwords[cword - 2].startswith('-'): + return + for opt in opts: + if opt.help == optparse.SUPPRESS_HELP: + continue + for o in str(opt).split('/'): + if cwords[cword - 2].split('=')[0] == o: + if not opt.metavar or any( + x in ('path', 'file', 'dir') + for x in opt.metavar.split('/')): + return opt.metavar + + +def auto_complete_paths(current, completion_type): + """If ``completion_type`` is ``file`` or ``path``, list all regular files + and directories starting with ``current``; otherwise only list directories + starting with ``current``. + + :param current: The word to be completed + :param completion_type: path completion type(`file`, `path` or `dir`)i + :return: A generator of regular files and/or directories + """ + directory, filename = os.path.split(current) + current_path = os.path.abspath(directory) + # Don't complete paths if they can't be accessed + if not os.access(current_path, os.R_OK): + return + filename = os.path.normcase(filename) + # list all files that start with ``filename`` + file_list = (x for x in os.listdir(current_path) + if os.path.normcase(x).startswith(filename)) + for f in file_list: + opt = os.path.join(current_path, f) + comp_file = os.path.normcase(os.path.join(directory, f)) + # complete regular files when there is not ```` after option + # complete directories when there is ````, ```` or + # ````after option + if completion_type != 'dir' and os.path.isfile(opt): + yield comp_file + elif os.path.isdir(opt): + yield os.path.join(comp_file, '') diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/base_command.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/base_command.py new file mode 100644 index 0000000..3ceea49 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/base_command.py @@ -0,0 +1,341 @@ +"""Base Command class, and related routines""" +from __future__ import absolute_import, print_function + +import logging +import logging.config +import optparse +import os +import platform +import sys +import traceback + +from pip._internal.cli import cmdoptions +from pip._internal.cli.parser import ( + ConfigOptionParser, UpdatingDefaultsHelpFormatter, +) +from pip._internal.cli.status_codes import ( + ERROR, PREVIOUS_BUILD_DIR_ERROR, SUCCESS, UNKNOWN_ERROR, + VIRTUALENV_NOT_FOUND, +) +from pip._internal.download import PipSession +from pip._internal.exceptions import ( + BadCommand, CommandError, InstallationError, PreviousBuildDirError, + UninstallationError, +) +from pip._internal.index import PackageFinder +from pip._internal.locations import running_under_virtualenv +from pip._internal.req.constructors import ( + install_req_from_editable, install_req_from_line, +) +from pip._internal.req.req_file import parse_requirements +from pip._internal.utils.deprecation import deprecated +from pip._internal.utils.logging import BrokenStdoutLoggingError, setup_logging +from pip._internal.utils.misc import ( + get_prog, normalize_path, redact_password_from_url, +) +from pip._internal.utils.outdated import pip_version_check +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import Optional, List, Tuple, Any # noqa: F401 + from optparse import Values # noqa: F401 + from pip._internal.cache import WheelCache # noqa: F401 + from pip._internal.req.req_set import RequirementSet # noqa: F401 + +__all__ = ['Command'] + +logger = logging.getLogger(__name__) + + +class Command(object): + name = None # type: Optional[str] + usage = None # type: Optional[str] + hidden = False # type: bool + ignore_require_venv = False # type: bool + + def __init__(self, isolated=False): + # type: (bool) -> None + parser_kw = { + 'usage': self.usage, + 'prog': '%s %s' % (get_prog(), self.name), + 'formatter': UpdatingDefaultsHelpFormatter(), + 'add_help_option': False, + 'name': self.name, + 'description': self.__doc__, + 'isolated': isolated, + } + + self.parser = ConfigOptionParser(**parser_kw) + + # Commands should add options to this option group + optgroup_name = '%s Options' % self.name.capitalize() + self.cmd_opts = optparse.OptionGroup(self.parser, optgroup_name) + + # Add the general options + gen_opts = cmdoptions.make_option_group( + cmdoptions.general_group, + self.parser, + ) + self.parser.add_option_group(gen_opts) + + def run(self, options, args): + # type: (Values, List[Any]) -> Any + raise NotImplementedError + + def _build_session(self, options, retries=None, timeout=None): + # type: (Values, Optional[int], Optional[int]) -> PipSession + session = PipSession( + cache=( + normalize_path(os.path.join(options.cache_dir, "http")) + if options.cache_dir else None + ), + retries=retries if retries is not None else options.retries, + insecure_hosts=options.trusted_hosts, + ) + + # Handle custom ca-bundles from the user + if options.cert: + session.verify = options.cert + + # Handle SSL client certificate + if options.client_cert: + session.cert = options.client_cert + + # Handle timeouts + if options.timeout or timeout: + session.timeout = ( + timeout if timeout is not None else options.timeout + ) + + # Handle configured proxies + if options.proxy: + session.proxies = { + "http": options.proxy, + "https": options.proxy, + } + + # Determine if we can prompt the user for authentication or not + session.auth.prompting = not options.no_input + + return session + + def parse_args(self, args): + # type: (List[str]) -> Tuple + # factored out for testability + return self.parser.parse_args(args) + + def main(self, args): + # type: (List[str]) -> int + options, args = self.parse_args(args) + + # Set verbosity so that it can be used elsewhere. + self.verbosity = options.verbose - options.quiet + + level_number = setup_logging( + verbosity=self.verbosity, + no_color=options.no_color, + user_log_file=options.log, + ) + + if sys.version_info[:2] == (3, 4): + deprecated( + "Python 3.4 support has been deprecated. pip 19.1 will be the " + "last one supporting it. Please upgrade your Python as Python " + "3.4 won't be maintained after March 2019 (cf PEP 429).", + replacement=None, + gone_in='19.2', + ) + elif sys.version_info[:2] == (2, 7): + message = ( + "A future version of pip will drop support for Python 2.7." + ) + if platform.python_implementation() == "CPython": + message = ( + "Python 2.7 will reach the end of its life on January " + "1st, 2020. Please upgrade your Python as Python 2.7 " + "won't be maintained after that date. " + ) + message + deprecated(message, replacement=None, gone_in=None) + + # TODO: Try to get these passing down from the command? + # without resorting to os.environ to hold these. + # This also affects isolated builds and it should. + + if options.no_input: + os.environ['PIP_NO_INPUT'] = '1' + + if options.exists_action: + os.environ['PIP_EXISTS_ACTION'] = ' '.join(options.exists_action) + + if options.require_venv and not self.ignore_require_venv: + # If a venv is required check if it can really be found + if not running_under_virtualenv(): + logger.critical( + 'Could not find an activated virtualenv (required).' + ) + sys.exit(VIRTUALENV_NOT_FOUND) + + try: + status = self.run(options, args) + # FIXME: all commands should return an exit status + # and when it is done, isinstance is not needed anymore + if isinstance(status, int): + return status + except PreviousBuildDirError as exc: + logger.critical(str(exc)) + logger.debug('Exception information:', exc_info=True) + + return PREVIOUS_BUILD_DIR_ERROR + except (InstallationError, UninstallationError, BadCommand) as exc: + logger.critical(str(exc)) + logger.debug('Exception information:', exc_info=True) + + return ERROR + except CommandError as exc: + logger.critical('ERROR: %s', exc) + logger.debug('Exception information:', exc_info=True) + + return ERROR + except BrokenStdoutLoggingError: + # Bypass our logger and write any remaining messages to stderr + # because stdout no longer works. + print('ERROR: Pipe to stdout was broken', file=sys.stderr) + if level_number <= logging.DEBUG: + traceback.print_exc(file=sys.stderr) + + return ERROR + except KeyboardInterrupt: + logger.critical('Operation cancelled by user') + logger.debug('Exception information:', exc_info=True) + + return ERROR + except BaseException: + logger.critical('Exception:', exc_info=True) + + return UNKNOWN_ERROR + finally: + allow_version_check = ( + # Does this command have the index_group options? + hasattr(options, "no_index") and + # Is this command allowed to perform this check? + not (options.disable_pip_version_check or options.no_index) + ) + # Check if we're using the latest version of pip available + if allow_version_check: + session = self._build_session( + options, + retries=0, + timeout=min(5, options.timeout) + ) + with session: + pip_version_check(session, options) + + # Shutdown the logging module + logging.shutdown() + + return SUCCESS + + +class RequirementCommand(Command): + + @staticmethod + def populate_requirement_set(requirement_set, # type: RequirementSet + args, # type: List[str] + options, # type: Values + finder, # type: PackageFinder + session, # type: PipSession + name, # type: str + wheel_cache # type: Optional[WheelCache] + ): + # type: (...) -> None + """ + Marshal cmd line args into a requirement set. + """ + # NOTE: As a side-effect, options.require_hashes and + # requirement_set.require_hashes may be updated + + for filename in options.constraints: + for req_to_add in parse_requirements( + filename, + constraint=True, finder=finder, options=options, + session=session, wheel_cache=wheel_cache): + req_to_add.is_direct = True + requirement_set.add_requirement(req_to_add) + + for req in args: + req_to_add = install_req_from_line( + req, None, isolated=options.isolated_mode, + use_pep517=options.use_pep517, + wheel_cache=wheel_cache + ) + req_to_add.is_direct = True + requirement_set.add_requirement(req_to_add) + + for req in options.editables: + req_to_add = install_req_from_editable( + req, + isolated=options.isolated_mode, + use_pep517=options.use_pep517, + wheel_cache=wheel_cache + ) + req_to_add.is_direct = True + requirement_set.add_requirement(req_to_add) + + for filename in options.requirements: + for req_to_add in parse_requirements( + filename, + finder=finder, options=options, session=session, + wheel_cache=wheel_cache, + use_pep517=options.use_pep517): + req_to_add.is_direct = True + requirement_set.add_requirement(req_to_add) + # If --require-hashes was a line in a requirements file, tell + # RequirementSet about it: + requirement_set.require_hashes = options.require_hashes + + if not (args or options.editables or options.requirements): + opts = {'name': name} + if options.find_links: + raise CommandError( + 'You must give at least one requirement to %(name)s ' + '(maybe you meant "pip %(name)s %(links)s"?)' % + dict(opts, links=' '.join(options.find_links))) + else: + raise CommandError( + 'You must give at least one requirement to %(name)s ' + '(see "pip help %(name)s")' % opts) + + def _build_package_finder( + self, + options, # type: Values + session, # type: PipSession + platform=None, # type: Optional[str] + python_versions=None, # type: Optional[List[str]] + abi=None, # type: Optional[str] + implementation=None # type: Optional[str] + ): + # type: (...) -> PackageFinder + """ + Create a package finder appropriate to this requirement command. + """ + index_urls = [options.index_url] + options.extra_index_urls + if options.no_index: + logger.debug( + 'Ignoring indexes: %s', + ','.join(redact_password_from_url(url) for url in index_urls), + ) + index_urls = [] + + return PackageFinder( + find_links=options.find_links, + format_control=options.format_control, + index_urls=index_urls, + trusted_hosts=options.trusted_hosts, + allow_all_prereleases=options.pre, + session=session, + platform=platform, + versions=python_versions, + abi=abi, + implementation=implementation, + prefer_binary=options.prefer_binary, + ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/cmdoptions.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/cmdoptions.py new file mode 100644 index 0000000..5cf5ee9 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/cmdoptions.py @@ -0,0 +1,809 @@ +""" +shared options and groups + +The principle here is to define options once, but *not* instantiate them +globally. One reason being that options with action='append' can carry state +between parses. pip parses general options twice internally, and shouldn't +pass on state. To be consistent, all options will follow this design. + +""" +from __future__ import absolute_import + +import textwrap +import warnings +from distutils.util import strtobool +from functools import partial +from optparse import SUPPRESS_HELP, Option, OptionGroup + +from pip._internal.exceptions import CommandError +from pip._internal.locations import USER_CACHE_DIR, src_prefix +from pip._internal.models.format_control import FormatControl +from pip._internal.models.index import PyPI +from pip._internal.utils.hashes import STRONG_HASHES +from pip._internal.utils.typing import MYPY_CHECK_RUNNING +from pip._internal.utils.ui import BAR_TYPES + +if MYPY_CHECK_RUNNING: + from typing import Any, Callable, Dict, List, Optional, Union # noqa: F401 + from optparse import OptionParser, Values # noqa: F401 + from pip._internal.cli.parser import ConfigOptionParser # noqa: F401 + + +def raise_option_error(parser, option, msg): + """ + Raise an option parsing error using parser.error(). + + Args: + parser: an OptionParser instance. + option: an Option instance. + msg: the error text. + """ + msg = '{} error: {}'.format(option, msg) + msg = textwrap.fill(' '.join(msg.split())) + parser.error(msg) + + +def make_option_group(group, parser): + # type: (Dict[str, Any], ConfigOptionParser) -> OptionGroup + """ + Return an OptionGroup object + group -- assumed to be dict with 'name' and 'options' keys + parser -- an optparse Parser + """ + option_group = OptionGroup(parser, group['name']) + for option in group['options']: + option_group.add_option(option()) + return option_group + + +def check_install_build_global(options, check_options=None): + # type: (Values, Optional[Values]) -> None + """Disable wheels if per-setup.py call options are set. + + :param options: The OptionParser options to update. + :param check_options: The options to check, if not supplied defaults to + options. + """ + if check_options is None: + check_options = options + + def getname(n): + return getattr(check_options, n, None) + names = ["build_options", "global_options", "install_options"] + if any(map(getname, names)): + control = options.format_control + control.disallow_binaries() + warnings.warn( + 'Disabling all use of wheels due to the use of --build-options ' + '/ --global-options / --install-options.', stacklevel=2, + ) + + +def check_dist_restriction(options, check_target=False): + # type: (Values, bool) -> None + """Function for determining if custom platform options are allowed. + + :param options: The OptionParser options. + :param check_target: Whether or not to check if --target is being used. + """ + dist_restriction_set = any([ + options.python_version, + options.platform, + options.abi, + options.implementation, + ]) + + binary_only = FormatControl(set(), {':all:'}) + sdist_dependencies_allowed = ( + options.format_control != binary_only and + not options.ignore_dependencies + ) + + # Installations or downloads using dist restrictions must not combine + # source distributions and dist-specific wheels, as they are not + # gauranteed to be locally compatible. + if dist_restriction_set and sdist_dependencies_allowed: + raise CommandError( + "When restricting platform and interpreter constraints using " + "--python-version, --platform, --abi, or --implementation, " + "either --no-deps must be set, or --only-binary=:all: must be " + "set and --no-binary must not be set (or must be set to " + ":none:)." + ) + + if check_target: + if dist_restriction_set and not options.target_dir: + raise CommandError( + "Can not use any platform or abi specific options unless " + "installing via '--target'" + ) + + +########### +# options # +########### + +help_ = partial( + Option, + '-h', '--help', + dest='help', + action='help', + help='Show help.', +) # type: Callable[..., Option] + +isolated_mode = partial( + Option, + "--isolated", + dest="isolated_mode", + action="store_true", + default=False, + help=( + "Run pip in an isolated mode, ignoring environment variables and user " + "configuration." + ), +) # type: Callable[..., Option] + +require_virtualenv = partial( + Option, + # Run only if inside a virtualenv, bail if not. + '--require-virtualenv', '--require-venv', + dest='require_venv', + action='store_true', + default=False, + help=SUPPRESS_HELP +) # type: Callable[..., Option] + +verbose = partial( + Option, + '-v', '--verbose', + dest='verbose', + action='count', + default=0, + help='Give more output. Option is additive, and can be used up to 3 times.' +) # type: Callable[..., Option] + +no_color = partial( + Option, + '--no-color', + dest='no_color', + action='store_true', + default=False, + help="Suppress colored output", +) # type: Callable[..., Option] + +version = partial( + Option, + '-V', '--version', + dest='version', + action='store_true', + help='Show version and exit.', +) # type: Callable[..., Option] + +quiet = partial( + Option, + '-q', '--quiet', + dest='quiet', + action='count', + default=0, + help=( + 'Give less output. Option is additive, and can be used up to 3' + ' times (corresponding to WARNING, ERROR, and CRITICAL logging' + ' levels).' + ), +) # type: Callable[..., Option] + +progress_bar = partial( + Option, + '--progress-bar', + dest='progress_bar', + type='choice', + choices=list(BAR_TYPES.keys()), + default='on', + help=( + 'Specify type of progress to be displayed [' + + '|'.join(BAR_TYPES.keys()) + '] (default: %default)' + ), +) # type: Callable[..., Option] + +log = partial( + Option, + "--log", "--log-file", "--local-log", + dest="log", + metavar="path", + help="Path to a verbose appending log." +) # type: Callable[..., Option] + +no_input = partial( + Option, + # Don't ask for input + '--no-input', + dest='no_input', + action='store_true', + default=False, + help=SUPPRESS_HELP +) # type: Callable[..., Option] + +proxy = partial( + Option, + '--proxy', + dest='proxy', + type='str', + default='', + help="Specify a proxy in the form [user:passwd@]proxy.server:port." +) # type: Callable[..., Option] + +retries = partial( + Option, + '--retries', + dest='retries', + type='int', + default=5, + help="Maximum number of retries each connection should attempt " + "(default %default times).", +) # type: Callable[..., Option] + +timeout = partial( + Option, + '--timeout', '--default-timeout', + metavar='sec', + dest='timeout', + type='float', + default=15, + help='Set the socket timeout (default %default seconds).', +) # type: Callable[..., Option] + +skip_requirements_regex = partial( + Option, + # A regex to be used to skip requirements + '--skip-requirements-regex', + dest='skip_requirements_regex', + type='str', + default='', + help=SUPPRESS_HELP, +) # type: Callable[..., Option] + + +def exists_action(): + # type: () -> Option + return Option( + # Option when path already exist + '--exists-action', + dest='exists_action', + type='choice', + choices=['s', 'i', 'w', 'b', 'a'], + default=[], + action='append', + metavar='action', + help="Default action when a path already exists: " + "(s)witch, (i)gnore, (w)ipe, (b)ackup, (a)bort).", + ) + + +cert = partial( + Option, + '--cert', + dest='cert', + type='str', + metavar='path', + help="Path to alternate CA bundle.", +) # type: Callable[..., Option] + +client_cert = partial( + Option, + '--client-cert', + dest='client_cert', + type='str', + default=None, + metavar='path', + help="Path to SSL client certificate, a single file containing the " + "private key and the certificate in PEM format.", +) # type: Callable[..., Option] + +index_url = partial( + Option, + '-i', '--index-url', '--pypi-url', + dest='index_url', + metavar='URL', + default=PyPI.simple_url, + help="Base URL of Python Package Index (default %default). " + "This should point to a repository compliant with PEP 503 " + "(the simple repository API) or a local directory laid out " + "in the same format.", +) # type: Callable[..., Option] + + +def extra_index_url(): + return Option( + '--extra-index-url', + dest='extra_index_urls', + metavar='URL', + action='append', + default=[], + help="Extra URLs of package indexes to use in addition to " + "--index-url. Should follow the same rules as " + "--index-url.", + ) + + +no_index = partial( + Option, + '--no-index', + dest='no_index', + action='store_true', + default=False, + help='Ignore package index (only looking at --find-links URLs instead).', +) # type: Callable[..., Option] + + +def find_links(): + # type: () -> Option + return Option( + '-f', '--find-links', + dest='find_links', + action='append', + default=[], + metavar='url', + help="If a url or path to an html file, then parse for links to " + "archives. If a local path or file:// url that's a directory, " + "then look for archives in the directory listing.", + ) + + +def trusted_host(): + # type: () -> Option + return Option( + "--trusted-host", + dest="trusted_hosts", + action="append", + metavar="HOSTNAME", + default=[], + help="Mark this host as trusted, even though it does not have valid " + "or any HTTPS.", + ) + + +def constraints(): + # type: () -> Option + return Option( + '-c', '--constraint', + dest='constraints', + action='append', + default=[], + metavar='file', + help='Constrain versions using the given constraints file. ' + 'This option can be used multiple times.' + ) + + +def requirements(): + # type: () -> Option + return Option( + '-r', '--requirement', + dest='requirements', + action='append', + default=[], + metavar='file', + help='Install from the given requirements file. ' + 'This option can be used multiple times.' + ) + + +def editable(): + # type: () -> Option + return Option( + '-e', '--editable', + dest='editables', + action='append', + default=[], + metavar='path/url', + help=('Install a project in editable mode (i.e. setuptools ' + '"develop mode") from a local project path or a VCS url.'), + ) + + +src = partial( + Option, + '--src', '--source', '--source-dir', '--source-directory', + dest='src_dir', + metavar='dir', + default=src_prefix, + help='Directory to check out editable projects into. ' + 'The default in a virtualenv is "/src". ' + 'The default for global installs is "/src".' +) # type: Callable[..., Option] + + +def _get_format_control(values, option): + # type: (Values, Option) -> Any + """Get a format_control object.""" + return getattr(values, option.dest) + + +def _handle_no_binary(option, opt_str, value, parser): + # type: (Option, str, str, OptionParser) -> None + existing = _get_format_control(parser.values, option) + FormatControl.handle_mutual_excludes( + value, existing.no_binary, existing.only_binary, + ) + + +def _handle_only_binary(option, opt_str, value, parser): + # type: (Option, str, str, OptionParser) -> None + existing = _get_format_control(parser.values, option) + FormatControl.handle_mutual_excludes( + value, existing.only_binary, existing.no_binary, + ) + + +def no_binary(): + # type: () -> Option + format_control = FormatControl(set(), set()) + return Option( + "--no-binary", dest="format_control", action="callback", + callback=_handle_no_binary, type="str", + default=format_control, + help="Do not use binary packages. Can be supplied multiple times, and " + "each time adds to the existing value. Accepts either :all: to " + "disable all binary packages, :none: to empty the set, or one or " + "more package names with commas between them. Note that some " + "packages are tricky to compile and may fail to install when " + "this option is used on them.", + ) + + +def only_binary(): + # type: () -> Option + format_control = FormatControl(set(), set()) + return Option( + "--only-binary", dest="format_control", action="callback", + callback=_handle_only_binary, type="str", + default=format_control, + help="Do not use source packages. Can be supplied multiple times, and " + "each time adds to the existing value. Accepts either :all: to " + "disable all source packages, :none: to empty the set, or one or " + "more package names with commas between them. Packages without " + "binary distributions will fail to install when this option is " + "used on them.", + ) + + +platform = partial( + Option, + '--platform', + dest='platform', + metavar='platform', + default=None, + help=("Only use wheels compatible with . " + "Defaults to the platform of the running system."), +) # type: Callable[..., Option] + + +python_version = partial( + Option, + '--python-version', + dest='python_version', + metavar='python_version', + default=None, + help=("Only use wheels compatible with Python " + "interpreter version . If not specified, then the " + "current system interpreter minor version is used. A major " + "version (e.g. '2') can be specified to match all " + "minor revs of that major version. A minor version " + "(e.g. '34') can also be specified."), +) # type: Callable[..., Option] + + +implementation = partial( + Option, + '--implementation', + dest='implementation', + metavar='implementation', + default=None, + help=("Only use wheels compatible with Python " + "implementation , e.g. 'pp', 'jy', 'cp', " + " or 'ip'. If not specified, then the current " + "interpreter implementation is used. Use 'py' to force " + "implementation-agnostic wheels."), +) # type: Callable[..., Option] + + +abi = partial( + Option, + '--abi', + dest='abi', + metavar='abi', + default=None, + help=("Only use wheels compatible with Python " + "abi , e.g. 'pypy_41'. If not specified, then the " + "current interpreter abi tag is used. Generally " + "you will need to specify --implementation, " + "--platform, and --python-version when using " + "this option."), +) # type: Callable[..., Option] + + +def prefer_binary(): + # type: () -> Option + return Option( + "--prefer-binary", + dest="prefer_binary", + action="store_true", + default=False, + help="Prefer older binary packages over newer source packages." + ) + + +cache_dir = partial( + Option, + "--cache-dir", + dest="cache_dir", + default=USER_CACHE_DIR, + metavar="dir", + help="Store the cache data in ." +) # type: Callable[..., Option] + + +def no_cache_dir_callback(option, opt, value, parser): + """ + Process a value provided for the --no-cache-dir option. + + This is an optparse.Option callback for the --no-cache-dir option. + """ + # The value argument will be None if --no-cache-dir is passed via the + # command-line, since the option doesn't accept arguments. However, + # the value can be non-None if the option is triggered e.g. by an + # environment variable, like PIP_NO_CACHE_DIR=true. + if value is not None: + # Then parse the string value to get argument error-checking. + try: + strtobool(value) + except ValueError as exc: + raise_option_error(parser, option=option, msg=str(exc)) + + # Originally, setting PIP_NO_CACHE_DIR to a value that strtobool() + # converted to 0 (like "false" or "no") caused cache_dir to be disabled + # rather than enabled (logic would say the latter). Thus, we disable + # the cache directory not just on values that parse to True, but (for + # backwards compatibility reasons) also on values that parse to False. + # In other words, always set it to False if the option is provided in + # some (valid) form. + parser.values.cache_dir = False + + +no_cache = partial( + Option, + "--no-cache-dir", + dest="cache_dir", + action="callback", + callback=no_cache_dir_callback, + help="Disable the cache.", +) # type: Callable[..., Option] + +no_deps = partial( + Option, + '--no-deps', '--no-dependencies', + dest='ignore_dependencies', + action='store_true', + default=False, + help="Don't install package dependencies.", +) # type: Callable[..., Option] + +build_dir = partial( + Option, + '-b', '--build', '--build-dir', '--build-directory', + dest='build_dir', + metavar='dir', + help='Directory to unpack packages into and build in. Note that ' + 'an initial build still takes place in a temporary directory. ' + 'The location of temporary directories can be controlled by setting ' + 'the TMPDIR environment variable (TEMP on Windows) appropriately. ' + 'When passed, build directories are not cleaned in case of failures.' +) # type: Callable[..., Option] + +ignore_requires_python = partial( + Option, + '--ignore-requires-python', + dest='ignore_requires_python', + action='store_true', + help='Ignore the Requires-Python information.' +) # type: Callable[..., Option] + +no_build_isolation = partial( + Option, + '--no-build-isolation', + dest='build_isolation', + action='store_false', + default=True, + help='Disable isolation when building a modern source distribution. ' + 'Build dependencies specified by PEP 518 must be already installed ' + 'if this option is used.' +) # type: Callable[..., Option] + + +def no_use_pep517_callback(option, opt, value, parser): + """ + Process a value provided for the --no-use-pep517 option. + + This is an optparse.Option callback for the no_use_pep517 option. + """ + # Since --no-use-pep517 doesn't accept arguments, the value argument + # will be None if --no-use-pep517 is passed via the command-line. + # However, the value can be non-None if the option is triggered e.g. + # by an environment variable, for example "PIP_NO_USE_PEP517=true". + if value is not None: + msg = """A value was passed for --no-use-pep517, + probably using either the PIP_NO_USE_PEP517 environment variable + or the "no-use-pep517" config file option. Use an appropriate value + of the PIP_USE_PEP517 environment variable or the "use-pep517" + config file option instead. + """ + raise_option_error(parser, option=option, msg=msg) + + # Otherwise, --no-use-pep517 was passed via the command-line. + parser.values.use_pep517 = False + + +use_pep517 = partial( + Option, + '--use-pep517', + dest='use_pep517', + action='store_true', + default=None, + help='Use PEP 517 for building source distributions ' + '(use --no-use-pep517 to force legacy behaviour).' +) # type: Any + +no_use_pep517 = partial( + Option, + '--no-use-pep517', + dest='use_pep517', + action='callback', + callback=no_use_pep517_callback, + default=None, + help=SUPPRESS_HELP +) # type: Any + +install_options = partial( + Option, + '--install-option', + dest='install_options', + action='append', + metavar='options', + help="Extra arguments to be supplied to the setup.py install " + "command (use like --install-option=\"--install-scripts=/usr/local/" + "bin\"). Use multiple --install-option options to pass multiple " + "options to setup.py install. If you are using an option with a " + "directory path, be sure to use absolute path.", +) # type: Callable[..., Option] + +global_options = partial( + Option, + '--global-option', + dest='global_options', + action='append', + metavar='options', + help="Extra global options to be supplied to the setup.py " + "call before the install command.", +) # type: Callable[..., Option] + +no_clean = partial( + Option, + '--no-clean', + action='store_true', + default=False, + help="Don't clean up build directories." +) # type: Callable[..., Option] + +pre = partial( + Option, + '--pre', + action='store_true', + default=False, + help="Include pre-release and development versions. By default, " + "pip only finds stable versions.", +) # type: Callable[..., Option] + +disable_pip_version_check = partial( + Option, + "--disable-pip-version-check", + dest="disable_pip_version_check", + action="store_true", + default=False, + help="Don't periodically check PyPI to determine whether a new version " + "of pip is available for download. Implied with --no-index.", +) # type: Callable[..., Option] + + +# Deprecated, Remove later +always_unzip = partial( + Option, + '-Z', '--always-unzip', + dest='always_unzip', + action='store_true', + help=SUPPRESS_HELP, +) # type: Callable[..., Option] + + +def _merge_hash(option, opt_str, value, parser): + # type: (Option, str, str, OptionParser) -> None + """Given a value spelled "algo:digest", append the digest to a list + pointed to in a dict by the algo name.""" + if not parser.values.hashes: + parser.values.hashes = {} # type: ignore + try: + algo, digest = value.split(':', 1) + except ValueError: + parser.error('Arguments to %s must be a hash name ' + 'followed by a value, like --hash=sha256:abcde...' % + opt_str) + if algo not in STRONG_HASHES: + parser.error('Allowed hash algorithms for %s are %s.' % + (opt_str, ', '.join(STRONG_HASHES))) + parser.values.hashes.setdefault(algo, []).append(digest) + + +hash = partial( + Option, + '--hash', + # Hash values eventually end up in InstallRequirement.hashes due to + # __dict__ copying in process_line(). + dest='hashes', + action='callback', + callback=_merge_hash, + type='string', + help="Verify that the package's archive matches this " + 'hash before installing. Example: --hash=sha256:abcdef...', +) # type: Callable[..., Option] + + +require_hashes = partial( + Option, + '--require-hashes', + dest='require_hashes', + action='store_true', + default=False, + help='Require a hash to check each requirement against, for ' + 'repeatable installs. This option is implied when any package in a ' + 'requirements file has a --hash option.', +) # type: Callable[..., Option] + + +########## +# groups # +########## + +general_group = { + 'name': 'General Options', + 'options': [ + help_, + isolated_mode, + require_virtualenv, + verbose, + version, + quiet, + log, + no_input, + proxy, + retries, + timeout, + skip_requirements_regex, + exists_action, + trusted_host, + cert, + client_cert, + cache_dir, + no_cache, + disable_pip_version_check, + no_color, + ] +} # type: Dict[str, Any] + +index_group = { + 'name': 'Package Index Options', + 'options': [ + index_url, + extra_index_url, + no_index, + find_links, + ] +} # type: Dict[str, Any] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/main_parser.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/main_parser.py new file mode 100644 index 0000000..b17c749 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/main_parser.py @@ -0,0 +1,104 @@ +"""A single place for constructing and exposing the main parser +""" + +import os +import sys + +from pip import __version__ +from pip._internal.cli import cmdoptions +from pip._internal.cli.parser import ( + ConfigOptionParser, UpdatingDefaultsHelpFormatter, +) +from pip._internal.commands import ( + commands_dict, get_similar_commands, get_summaries, +) +from pip._internal.exceptions import CommandError +from pip._internal.utils.misc import get_prog +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import Tuple, List # noqa: F401 + + +__all__ = ["create_main_parser", "parse_command"] + + +def create_main_parser(): + # type: () -> ConfigOptionParser + """Creates and returns the main parser for pip's CLI + """ + + parser_kw = { + 'usage': '\n%prog [options]', + 'add_help_option': False, + 'formatter': UpdatingDefaultsHelpFormatter(), + 'name': 'global', + 'prog': get_prog(), + } + + parser = ConfigOptionParser(**parser_kw) + parser.disable_interspersed_args() + + pip_pkg_dir = os.path.abspath(os.path.join( + os.path.dirname(__file__), "..", "..", + )) + parser.version = 'pip %s from %s (python %s)' % ( + __version__, pip_pkg_dir, sys.version[:3], + ) + + # add the general options + gen_opts = cmdoptions.make_option_group(cmdoptions.general_group, parser) + parser.add_option_group(gen_opts) + + # so the help formatter knows + parser.main = True # type: ignore + + # create command listing for description + command_summaries = get_summaries() + description = [''] + ['%-27s %s' % (i, j) for i, j in command_summaries] + parser.description = '\n'.join(description) + + return parser + + +def parse_command(args): + # type: (List[str]) -> Tuple[str, List[str]] + parser = create_main_parser() + + # Note: parser calls disable_interspersed_args(), so the result of this + # call is to split the initial args into the general options before the + # subcommand and everything else. + # For example: + # args: ['--timeout=5', 'install', '--user', 'INITools'] + # general_options: ['--timeout==5'] + # args_else: ['install', '--user', 'INITools'] + general_options, args_else = parser.parse_args(args) + + # --version + if general_options.version: + sys.stdout.write(parser.version) # type: ignore + sys.stdout.write(os.linesep) + sys.exit() + + # pip || pip help -> print_help() + if not args_else or (args_else[0] == 'help' and len(args_else) == 1): + parser.print_help() + sys.exit() + + # the subcommand name + cmd_name = args_else[0] + + if cmd_name not in commands_dict: + guess = get_similar_commands(cmd_name) + + msg = ['unknown command "%s"' % cmd_name] + if guess: + msg.append('maybe you meant "%s"' % guess) + + raise CommandError(' - '.join(msg)) + + # all the args without the subcommand + cmd_args = args[:] + cmd_args.remove(cmd_name) + + return cmd_name, cmd_args diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/parser.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/parser.py new file mode 100644 index 0000000..e1eaac4 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/parser.py @@ -0,0 +1,261 @@ +"""Base option parser setup""" +from __future__ import absolute_import + +import logging +import optparse +import sys +import textwrap +from distutils.util import strtobool + +from pip._vendor.six import string_types + +from pip._internal.cli.status_codes import UNKNOWN_ERROR +from pip._internal.configuration import Configuration, ConfigurationError +from pip._internal.utils.compat import get_terminal_size + +logger = logging.getLogger(__name__) + + +class PrettyHelpFormatter(optparse.IndentedHelpFormatter): + """A prettier/less verbose help formatter for optparse.""" + + def __init__(self, *args, **kwargs): + # help position must be aligned with __init__.parseopts.description + kwargs['max_help_position'] = 30 + kwargs['indent_increment'] = 1 + kwargs['width'] = get_terminal_size()[0] - 2 + optparse.IndentedHelpFormatter.__init__(self, *args, **kwargs) + + def format_option_strings(self, option): + return self._format_option_strings(option, ' <%s>', ', ') + + def _format_option_strings(self, option, mvarfmt=' <%s>', optsep=', '): + """ + Return a comma-separated list of option strings and metavars. + + :param option: tuple of (short opt, long opt), e.g: ('-f', '--format') + :param mvarfmt: metavar format string - evaluated as mvarfmt % metavar + :param optsep: separator + """ + opts = [] + + if option._short_opts: + opts.append(option._short_opts[0]) + if option._long_opts: + opts.append(option._long_opts[0]) + if len(opts) > 1: + opts.insert(1, optsep) + + if option.takes_value(): + metavar = option.metavar or option.dest.lower() + opts.append(mvarfmt % metavar.lower()) + + return ''.join(opts) + + def format_heading(self, heading): + if heading == 'Options': + return '' + return heading + ':\n' + + def format_usage(self, usage): + """ + Ensure there is only one newline between usage and the first heading + if there is no description. + """ + msg = '\nUsage: %s\n' % self.indent_lines(textwrap.dedent(usage), " ") + return msg + + def format_description(self, description): + # leave full control over description to us + if description: + if hasattr(self.parser, 'main'): + label = 'Commands' + else: + label = 'Description' + # some doc strings have initial newlines, some don't + description = description.lstrip('\n') + # some doc strings have final newlines and spaces, some don't + description = description.rstrip() + # dedent, then reindent + description = self.indent_lines(textwrap.dedent(description), " ") + description = '%s:\n%s\n' % (label, description) + return description + else: + return '' + + def format_epilog(self, epilog): + # leave full control over epilog to us + if epilog: + return epilog + else: + return '' + + def indent_lines(self, text, indent): + new_lines = [indent + line for line in text.split('\n')] + return "\n".join(new_lines) + + +class UpdatingDefaultsHelpFormatter(PrettyHelpFormatter): + """Custom help formatter for use in ConfigOptionParser. + + This is updates the defaults before expanding them, allowing + them to show up correctly in the help listing. + """ + + def expand_default(self, option): + if self.parser is not None: + self.parser._update_defaults(self.parser.defaults) + return optparse.IndentedHelpFormatter.expand_default(self, option) + + +class CustomOptionParser(optparse.OptionParser): + + def insert_option_group(self, idx, *args, **kwargs): + """Insert an OptionGroup at a given position.""" + group = self.add_option_group(*args, **kwargs) + + self.option_groups.pop() + self.option_groups.insert(idx, group) + + return group + + @property + def option_list_all(self): + """Get a list of all options, including those in option groups.""" + res = self.option_list[:] + for i in self.option_groups: + res.extend(i.option_list) + + return res + + +class ConfigOptionParser(CustomOptionParser): + """Custom option parser which updates its defaults by checking the + configuration files and environmental variables""" + + def __init__(self, *args, **kwargs): + self.name = kwargs.pop('name') + + isolated = kwargs.pop("isolated", False) + self.config = Configuration(isolated) + + assert self.name + optparse.OptionParser.__init__(self, *args, **kwargs) + + def check_default(self, option, key, val): + try: + return option.check_value(key, val) + except optparse.OptionValueError as exc: + print("An error occurred during configuration: %s" % exc) + sys.exit(3) + + def _get_ordered_configuration_items(self): + # Configuration gives keys in an unordered manner. Order them. + override_order = ["global", self.name, ":env:"] + + # Pool the options into different groups + section_items = {name: [] for name in override_order} + for section_key, val in self.config.items(): + # ignore empty values + if not val: + logger.debug( + "Ignoring configuration key '%s' as it's value is empty.", + section_key + ) + continue + + section, key = section_key.split(".", 1) + if section in override_order: + section_items[section].append((key, val)) + + # Yield each group in their override order + for section in override_order: + for key, val in section_items[section]: + yield key, val + + def _update_defaults(self, defaults): + """Updates the given defaults with values from the config files and + the environ. Does a little special handling for certain types of + options (lists).""" + + # Accumulate complex default state. + self.values = optparse.Values(self.defaults) + late_eval = set() + # Then set the options with those values + for key, val in self._get_ordered_configuration_items(): + # '--' because configuration supports only long names + option = self.get_option('--' + key) + + # Ignore options not present in this parser. E.g. non-globals put + # in [global] by users that want them to apply to all applicable + # commands. + if option is None: + continue + + if option.action in ('store_true', 'store_false', 'count'): + try: + val = strtobool(val) + except ValueError: + error_msg = invalid_config_error_message( + option.action, key, val + ) + self.error(error_msg) + + elif option.action == 'append': + val = val.split() + val = [self.check_default(option, key, v) for v in val] + elif option.action == 'callback': + late_eval.add(option.dest) + opt_str = option.get_opt_string() + val = option.convert_value(opt_str, val) + # From take_action + args = option.callback_args or () + kwargs = option.callback_kwargs or {} + option.callback(option, opt_str, val, self, *args, **kwargs) + else: + val = self.check_default(option, key, val) + + defaults[option.dest] = val + + for key in late_eval: + defaults[key] = getattr(self.values, key) + self.values = None + return defaults + + def get_default_values(self): + """Overriding to make updating the defaults after instantiation of + the option parser possible, _update_defaults() does the dirty work.""" + if not self.process_default_values: + # Old, pre-Optik 1.5 behaviour. + return optparse.Values(self.defaults) + + # Load the configuration, or error out in case of an error + try: + self.config.load() + except ConfigurationError as err: + self.exit(UNKNOWN_ERROR, str(err)) + + defaults = self._update_defaults(self.defaults.copy()) # ours + for option in self._get_all_options(): + default = defaults.get(option.dest) + if isinstance(default, string_types): + opt_str = option.get_opt_string() + defaults[option.dest] = option.check_value(opt_str, default) + return optparse.Values(defaults) + + def error(self, msg): + self.print_usage(sys.stderr) + self.exit(UNKNOWN_ERROR, "%s\n" % msg) + + +def invalid_config_error_message(action, key, val): + """Returns a better error message when invalid configuration option + is provided.""" + if action in ('store_true', 'store_false'): + return ("{0} is not a valid value for {1} option, " + "please specify a boolean value like yes/no, " + "true/false or 1/0 instead.").format(val, key) + + return ("{0} is not a valid value for {1} option, " + "please specify a numerical value like 1/0 " + "instead.").format(val, key) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/status_codes.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/status_codes.py new file mode 100644 index 0000000..275360a --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/status_codes.py @@ -0,0 +1,8 @@ +from __future__ import absolute_import + +SUCCESS = 0 +ERROR = 1 +UNKNOWN_ERROR = 2 +VIRTUALENV_NOT_FOUND = 3 +PREVIOUS_BUILD_DIR_ERROR = 4 +NO_MATCHES_FOUND = 23 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/__init__.py new file mode 100644 index 0000000..c7d1da3 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/__init__.py @@ -0,0 +1,79 @@ +""" +Package containing all pip commands +""" +from __future__ import absolute_import + +from pip._internal.commands.completion import CompletionCommand +from pip._internal.commands.configuration import ConfigurationCommand +from pip._internal.commands.download import DownloadCommand +from pip._internal.commands.freeze import FreezeCommand +from pip._internal.commands.hash import HashCommand +from pip._internal.commands.help import HelpCommand +from pip._internal.commands.list import ListCommand +from pip._internal.commands.check import CheckCommand +from pip._internal.commands.search import SearchCommand +from pip._internal.commands.show import ShowCommand +from pip._internal.commands.install import InstallCommand +from pip._internal.commands.uninstall import UninstallCommand +from pip._internal.commands.wheel import WheelCommand + +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import List, Type # noqa: F401 + from pip._internal.cli.base_command import Command # noqa: F401 + +commands_order = [ + InstallCommand, + DownloadCommand, + UninstallCommand, + FreezeCommand, + ListCommand, + ShowCommand, + CheckCommand, + ConfigurationCommand, + SearchCommand, + WheelCommand, + HashCommand, + CompletionCommand, + HelpCommand, +] # type: List[Type[Command]] + +commands_dict = {c.name: c for c in commands_order} + + +def get_summaries(ordered=True): + """Yields sorted (command name, command summary) tuples.""" + + if ordered: + cmditems = _sort_commands(commands_dict, commands_order) + else: + cmditems = commands_dict.items() + + for name, command_class in cmditems: + yield (name, command_class.summary) + + +def get_similar_commands(name): + """Command name auto-correct.""" + from difflib import get_close_matches + + name = name.lower() + + close_commands = get_close_matches(name, commands_dict.keys()) + + if close_commands: + return close_commands[0] + else: + return False + + +def _sort_commands(cmddict, order): + def keyfn(key): + try: + return order.index(key[1]) + except ValueError: + # unordered items should come last + return 0xff + + return sorted(cmddict.items(), key=keyfn) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/check.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/check.py new file mode 100644 index 0000000..801cecc --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/check.py @@ -0,0 +1,41 @@ +import logging + +from pip._internal.cli.base_command import Command +from pip._internal.operations.check import ( + check_package_set, create_package_set_from_installed, +) + +logger = logging.getLogger(__name__) + + +class CheckCommand(Command): + """Verify installed packages have compatible dependencies.""" + name = 'check' + usage = """ + %prog [options]""" + summary = 'Verify installed packages have compatible dependencies.' + + def run(self, options, args): + package_set, parsing_probs = create_package_set_from_installed() + missing, conflicting = check_package_set(package_set) + + for project_name in missing: + version = package_set[project_name].version + for dependency in missing[project_name]: + logger.info( + "%s %s requires %s, which is not installed.", + project_name, version, dependency[0], + ) + + for project_name in conflicting: + version = package_set[project_name].version + for dep_name, dep_version, req in conflicting[project_name]: + logger.info( + "%s %s has requirement %s, but you have %s %s.", + project_name, version, req, dep_name, dep_version, + ) + + if missing or conflicting or parsing_probs: + return 1 + else: + logger.info("No broken requirements found.") diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/completion.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/completion.py new file mode 100644 index 0000000..2fcdd39 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/completion.py @@ -0,0 +1,94 @@ +from __future__ import absolute_import + +import sys +import textwrap + +from pip._internal.cli.base_command import Command +from pip._internal.utils.misc import get_prog + +BASE_COMPLETION = """ +# pip %(shell)s completion start%(script)s# pip %(shell)s completion end +""" + +COMPLETION_SCRIPTS = { + 'bash': """ + _pip_completion() + { + COMPREPLY=( $( COMP_WORDS="${COMP_WORDS[*]}" \\ + COMP_CWORD=$COMP_CWORD \\ + PIP_AUTO_COMPLETE=1 $1 ) ) + } + complete -o default -F _pip_completion %(prog)s + """, + 'zsh': """ + function _pip_completion { + local words cword + read -Ac words + read -cn cword + reply=( $( COMP_WORDS="$words[*]" \\ + COMP_CWORD=$(( cword-1 )) \\ + PIP_AUTO_COMPLETE=1 $words[1] ) ) + } + compctl -K _pip_completion %(prog)s + """, + 'fish': """ + function __fish_complete_pip + set -lx COMP_WORDS (commandline -o) "" + set -lx COMP_CWORD ( \\ + math (contains -i -- (commandline -t) $COMP_WORDS)-1 \\ + ) + set -lx PIP_AUTO_COMPLETE 1 + string split \\ -- (eval $COMP_WORDS[1]) + end + complete -fa "(__fish_complete_pip)" -c %(prog)s + """, +} + + +class CompletionCommand(Command): + """A helper command to be used for command completion.""" + name = 'completion' + summary = 'A helper command used for command completion.' + ignore_require_venv = True + + def __init__(self, *args, **kw): + super(CompletionCommand, self).__init__(*args, **kw) + + cmd_opts = self.cmd_opts + + cmd_opts.add_option( + '--bash', '-b', + action='store_const', + const='bash', + dest='shell', + help='Emit completion code for bash') + cmd_opts.add_option( + '--zsh', '-z', + action='store_const', + const='zsh', + dest='shell', + help='Emit completion code for zsh') + cmd_opts.add_option( + '--fish', '-f', + action='store_const', + const='fish', + dest='shell', + help='Emit completion code for fish') + + self.parser.insert_option_group(0, cmd_opts) + + def run(self, options, args): + """Prints the completion code of the given shell""" + shells = COMPLETION_SCRIPTS.keys() + shell_options = ['--' + shell for shell in sorted(shells)] + if options.shell in shells: + script = textwrap.dedent( + COMPLETION_SCRIPTS.get(options.shell, '') % { + 'prog': get_prog(), + } + ) + print(BASE_COMPLETION % {'script': script, 'shell': options.shell}) + else: + sys.stderr.write( + 'ERROR: You must pass %s\n' % ' or '.join(shell_options) + ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/configuration.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/configuration.py new file mode 100644 index 0000000..826c08d --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/configuration.py @@ -0,0 +1,227 @@ +import logging +import os +import subprocess + +from pip._internal.cli.base_command import Command +from pip._internal.cli.status_codes import ERROR, SUCCESS +from pip._internal.configuration import Configuration, kinds +from pip._internal.exceptions import PipError +from pip._internal.locations import venv_config_file +from pip._internal.utils.misc import get_prog + +logger = logging.getLogger(__name__) + + +class ConfigurationCommand(Command): + """Manage local and global configuration. + + Subcommands: + + list: List the active configuration (or from the file specified) + edit: Edit the configuration file in an editor + get: Get the value associated with name + set: Set the name=value + unset: Unset the value associated with name + + If none of --user, --global and --venv are passed, a virtual + environment configuration file is used if one is active and the file + exists. Otherwise, all modifications happen on the to the user file by + default. + """ + + name = 'config' + usage = """ + %prog [] list + %prog [] [--editor ] edit + + %prog [] get name + %prog [] set name value + %prog [] unset name + """ + + summary = "Manage local and global configuration." + + def __init__(self, *args, **kwargs): + super(ConfigurationCommand, self).__init__(*args, **kwargs) + + self.configuration = None + + self.cmd_opts.add_option( + '--editor', + dest='editor', + action='store', + default=None, + help=( + 'Editor to use to edit the file. Uses VISUAL or EDITOR ' + 'environment variables if not provided.' + ) + ) + + self.cmd_opts.add_option( + '--global', + dest='global_file', + action='store_true', + default=False, + help='Use the system-wide configuration file only' + ) + + self.cmd_opts.add_option( + '--user', + dest='user_file', + action='store_true', + default=False, + help='Use the user configuration file only' + ) + + self.cmd_opts.add_option( + '--venv', + dest='venv_file', + action='store_true', + default=False, + help='Use the virtualenv configuration file only' + ) + + self.parser.insert_option_group(0, self.cmd_opts) + + def run(self, options, args): + handlers = { + "list": self.list_values, + "edit": self.open_in_editor, + "get": self.get_name, + "set": self.set_name_value, + "unset": self.unset_name + } + + # Determine action + if not args or args[0] not in handlers: + logger.error("Need an action ({}) to perform.".format( + ", ".join(sorted(handlers))) + ) + return ERROR + + action = args[0] + + # Determine which configuration files are to be loaded + # Depends on whether the command is modifying. + try: + load_only = self._determine_file( + options, need_value=(action in ["get", "set", "unset", "edit"]) + ) + except PipError as e: + logger.error(e.args[0]) + return ERROR + + # Load a new configuration + self.configuration = Configuration( + isolated=options.isolated_mode, load_only=load_only + ) + self.configuration.load() + + # Error handling happens here, not in the action-handlers. + try: + handlers[action](options, args[1:]) + except PipError as e: + logger.error(e.args[0]) + return ERROR + + return SUCCESS + + def _determine_file(self, options, need_value): + file_options = { + kinds.USER: options.user_file, + kinds.GLOBAL: options.global_file, + kinds.VENV: options.venv_file + } + + if sum(file_options.values()) == 0: + if not need_value: + return None + # Default to user, unless there's a virtualenv file. + elif os.path.exists(venv_config_file): + return kinds.VENV + else: + return kinds.USER + elif sum(file_options.values()) == 1: + # There's probably a better expression for this. + return [key for key in file_options if file_options[key]][0] + + raise PipError( + "Need exactly one file to operate upon " + "(--user, --venv, --global) to perform." + ) + + def list_values(self, options, args): + self._get_n_args(args, "list", n=0) + + for key, value in sorted(self.configuration.items()): + logger.info("%s=%r", key, value) + + def get_name(self, options, args): + key = self._get_n_args(args, "get [name]", n=1) + value = self.configuration.get_value(key) + + logger.info("%s", value) + + def set_name_value(self, options, args): + key, value = self._get_n_args(args, "set [name] [value]", n=2) + self.configuration.set_value(key, value) + + self._save_configuration() + + def unset_name(self, options, args): + key = self._get_n_args(args, "unset [name]", n=1) + self.configuration.unset_value(key) + + self._save_configuration() + + def open_in_editor(self, options, args): + editor = self._determine_editor(options) + + fname = self.configuration.get_file_to_edit() + if fname is None: + raise PipError("Could not determine appropriate file.") + + try: + subprocess.check_call([editor, fname]) + except subprocess.CalledProcessError as e: + raise PipError( + "Editor Subprocess exited with exit code {}" + .format(e.returncode) + ) + + def _get_n_args(self, args, example, n): + """Helper to make sure the command got the right number of arguments + """ + if len(args) != n: + msg = ( + 'Got unexpected number of arguments, expected {}. ' + '(example: "{} config {}")' + ).format(n, get_prog(), example) + raise PipError(msg) + + if n == 1: + return args[0] + else: + return args + + def _save_configuration(self): + # We successfully ran a modifying command. Need to save the + # configuration. + try: + self.configuration.save() + except Exception: + logger.error( + "Unable to save configuration. Please report this as a bug.", + exc_info=1 + ) + raise PipError("Internal Error.") + + def _determine_editor(self, options): + if options.editor is not None: + return options.editor + elif "VISUAL" in os.environ: + return os.environ["VISUAL"] + elif "EDITOR" in os.environ: + return os.environ["EDITOR"] + else: + raise PipError("Could not determine editor to use.") diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/download.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/download.py new file mode 100644 index 0000000..a57e4bc --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/download.py @@ -0,0 +1,176 @@ +from __future__ import absolute_import + +import logging +import os + +from pip._internal.cli import cmdoptions +from pip._internal.cli.base_command import RequirementCommand +from pip._internal.operations.prepare import RequirementPreparer +from pip._internal.req import RequirementSet +from pip._internal.req.req_tracker import RequirementTracker +from pip._internal.resolve import Resolver +from pip._internal.utils.filesystem import check_path_owner +from pip._internal.utils.misc import ensure_dir, normalize_path +from pip._internal.utils.temp_dir import TempDirectory + +logger = logging.getLogger(__name__) + + +class DownloadCommand(RequirementCommand): + """ + Download packages from: + + - PyPI (and other indexes) using requirement specifiers. + - VCS project urls. + - Local project directories. + - Local or remote source archives. + + pip also supports downloading from "requirements files", which provide + an easy way to specify a whole environment to be downloaded. + """ + name = 'download' + + usage = """ + %prog [options] [package-index-options] ... + %prog [options] -r [package-index-options] ... + %prog [options] ... + %prog [options] ... + %prog [options] ...""" + + summary = 'Download packages.' + + def __init__(self, *args, **kw): + super(DownloadCommand, self).__init__(*args, **kw) + + cmd_opts = self.cmd_opts + + cmd_opts.add_option(cmdoptions.constraints()) + cmd_opts.add_option(cmdoptions.requirements()) + cmd_opts.add_option(cmdoptions.build_dir()) + cmd_opts.add_option(cmdoptions.no_deps()) + cmd_opts.add_option(cmdoptions.global_options()) + cmd_opts.add_option(cmdoptions.no_binary()) + cmd_opts.add_option(cmdoptions.only_binary()) + cmd_opts.add_option(cmdoptions.prefer_binary()) + cmd_opts.add_option(cmdoptions.src()) + cmd_opts.add_option(cmdoptions.pre()) + cmd_opts.add_option(cmdoptions.no_clean()) + cmd_opts.add_option(cmdoptions.require_hashes()) + cmd_opts.add_option(cmdoptions.progress_bar()) + cmd_opts.add_option(cmdoptions.no_build_isolation()) + cmd_opts.add_option(cmdoptions.use_pep517()) + cmd_opts.add_option(cmdoptions.no_use_pep517()) + + cmd_opts.add_option( + '-d', '--dest', '--destination-dir', '--destination-directory', + dest='download_dir', + metavar='dir', + default=os.curdir, + help=("Download packages into ."), + ) + + cmd_opts.add_option(cmdoptions.platform()) + cmd_opts.add_option(cmdoptions.python_version()) + cmd_opts.add_option(cmdoptions.implementation()) + cmd_opts.add_option(cmdoptions.abi()) + + index_opts = cmdoptions.make_option_group( + cmdoptions.index_group, + self.parser, + ) + + self.parser.insert_option_group(0, index_opts) + self.parser.insert_option_group(0, cmd_opts) + + def run(self, options, args): + options.ignore_installed = True + # editable doesn't really make sense for `pip download`, but the bowels + # of the RequirementSet code require that property. + options.editables = [] + + if options.python_version: + python_versions = [options.python_version] + else: + python_versions = None + + cmdoptions.check_dist_restriction(options) + + options.src_dir = os.path.abspath(options.src_dir) + options.download_dir = normalize_path(options.download_dir) + + ensure_dir(options.download_dir) + + with self._build_session(options) as session: + finder = self._build_package_finder( + options=options, + session=session, + platform=options.platform, + python_versions=python_versions, + abi=options.abi, + implementation=options.implementation, + ) + build_delete = (not (options.no_clean or options.build_dir)) + if options.cache_dir and not check_path_owner(options.cache_dir): + logger.warning( + "The directory '%s' or its parent directory is not owned " + "by the current user and caching wheels has been " + "disabled. check the permissions and owner of that " + "directory. If executing pip with sudo, you may want " + "sudo's -H flag.", + options.cache_dir, + ) + options.cache_dir = None + + with RequirementTracker() as req_tracker, TempDirectory( + options.build_dir, delete=build_delete, kind="download" + ) as directory: + + requirement_set = RequirementSet( + require_hashes=options.require_hashes, + ) + self.populate_requirement_set( + requirement_set, + args, + options, + finder, + session, + self.name, + None + ) + + preparer = RequirementPreparer( + build_dir=directory.path, + src_dir=options.src_dir, + download_dir=options.download_dir, + wheel_download_dir=None, + progress_bar=options.progress_bar, + build_isolation=options.build_isolation, + req_tracker=req_tracker, + ) + + resolver = Resolver( + preparer=preparer, + finder=finder, + session=session, + wheel_cache=None, + use_user_site=False, + upgrade_strategy="to-satisfy-only", + force_reinstall=False, + ignore_dependencies=options.ignore_dependencies, + ignore_requires_python=False, + ignore_installed=True, + isolated=options.isolated_mode, + ) + resolver.resolve(requirement_set) + + downloaded = ' '.join([ + req.name for req in requirement_set.successfully_downloaded + ]) + if downloaded: + logger.info('Successfully downloaded %s', downloaded) + + # Clean up + if not options.no_clean: + requirement_set.cleanup_files() + + return requirement_set diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/freeze.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/freeze.py new file mode 100644 index 0000000..dc9c53a --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/freeze.py @@ -0,0 +1,96 @@ +from __future__ import absolute_import + +import sys + +from pip._internal.cache import WheelCache +from pip._internal.cli.base_command import Command +from pip._internal.models.format_control import FormatControl +from pip._internal.operations.freeze import freeze +from pip._internal.utils.compat import stdlib_pkgs + +DEV_PKGS = {'pip', 'setuptools', 'distribute', 'wheel'} + + +class FreezeCommand(Command): + """ + Output installed packages in requirements format. + + packages are listed in a case-insensitive sorted order. + """ + name = 'freeze' + usage = """ + %prog [options]""" + summary = 'Output installed packages in requirements format.' + log_streams = ("ext://sys.stderr", "ext://sys.stderr") + + def __init__(self, *args, **kw): + super(FreezeCommand, self).__init__(*args, **kw) + + self.cmd_opts.add_option( + '-r', '--requirement', + dest='requirements', + action='append', + default=[], + metavar='file', + help="Use the order in the given requirements file and its " + "comments when generating output. This option can be " + "used multiple times.") + self.cmd_opts.add_option( + '-f', '--find-links', + dest='find_links', + action='append', + default=[], + metavar='URL', + help='URL for finding packages, which will be added to the ' + 'output.') + self.cmd_opts.add_option( + '-l', '--local', + dest='local', + action='store_true', + default=False, + help='If in a virtualenv that has global access, do not output ' + 'globally-installed packages.') + self.cmd_opts.add_option( + '--user', + dest='user', + action='store_true', + default=False, + help='Only output packages installed in user-site.') + self.cmd_opts.add_option( + '--all', + dest='freeze_all', + action='store_true', + help='Do not skip these packages in the output:' + ' %s' % ', '.join(DEV_PKGS)) + self.cmd_opts.add_option( + '--exclude-editable', + dest='exclude_editable', + action='store_true', + help='Exclude editable package from output.') + + self.parser.insert_option_group(0, self.cmd_opts) + + def run(self, options, args): + format_control = FormatControl(set(), set()) + wheel_cache = WheelCache(options.cache_dir, format_control) + skip = set(stdlib_pkgs) + if not options.freeze_all: + skip.update(DEV_PKGS) + + freeze_kwargs = dict( + requirement=options.requirements, + find_links=options.find_links, + local_only=options.local, + user_only=options.user, + skip_regex=options.skip_requirements_regex, + isolated=options.isolated_mode, + wheel_cache=wheel_cache, + skip=skip, + exclude_editable=options.exclude_editable, + ) + + try: + for line in freeze(**freeze_kwargs): + sys.stdout.write(line + '\n') + finally: + wheel_cache.cleanup() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/hash.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/hash.py new file mode 100644 index 0000000..423440e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/hash.py @@ -0,0 +1,57 @@ +from __future__ import absolute_import + +import hashlib +import logging +import sys + +from pip._internal.cli.base_command import Command +from pip._internal.cli.status_codes import ERROR +from pip._internal.utils.hashes import FAVORITE_HASH, STRONG_HASHES +from pip._internal.utils.misc import read_chunks + +logger = logging.getLogger(__name__) + + +class HashCommand(Command): + """ + Compute a hash of a local package archive. + + These can be used with --hash in a requirements file to do repeatable + installs. + + """ + name = 'hash' + usage = '%prog [options] ...' + summary = 'Compute hashes of package archives.' + ignore_require_venv = True + + def __init__(self, *args, **kw): + super(HashCommand, self).__init__(*args, **kw) + self.cmd_opts.add_option( + '-a', '--algorithm', + dest='algorithm', + choices=STRONG_HASHES, + action='store', + default=FAVORITE_HASH, + help='The hash algorithm to use: one of %s' % + ', '.join(STRONG_HASHES)) + self.parser.insert_option_group(0, self.cmd_opts) + + def run(self, options, args): + if not args: + self.parser.print_usage(sys.stderr) + return ERROR + + algorithm = options.algorithm + for path in args: + logger.info('%s:\n--hash=%s:%s', + path, algorithm, _hash_of_file(path, algorithm)) + + +def _hash_of_file(path, algorithm): + """Return the hash digest of a file.""" + with open(path, 'rb') as archive: + hash = hashlib.new(algorithm) + for chunk in read_chunks(archive): + hash.update(chunk) + return hash.hexdigest() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/help.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/help.py new file mode 100644 index 0000000..49a81cb --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/help.py @@ -0,0 +1,37 @@ +from __future__ import absolute_import + +from pip._internal.cli.base_command import Command +from pip._internal.cli.status_codes import SUCCESS +from pip._internal.exceptions import CommandError + + +class HelpCommand(Command): + """Show help for commands""" + name = 'help' + usage = """ + %prog """ + summary = 'Show help for commands.' + ignore_require_venv = True + + def run(self, options, args): + from pip._internal.commands import commands_dict, get_similar_commands + + try: + # 'pip help' with no args is handled by pip.__init__.parseopt() + cmd_name = args[0] # the command we need help for + except IndexError: + return SUCCESS + + if cmd_name not in commands_dict: + guess = get_similar_commands(cmd_name) + + msg = ['unknown command "%s"' % cmd_name] + if guess: + msg.append('maybe you meant "%s"' % guess) + + raise CommandError(' - '.join(msg)) + + command = commands_dict[cmd_name]() + command.parser.print_help() + + return SUCCESS diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/install.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/install.py new file mode 100644 index 0000000..1c244d2 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/install.py @@ -0,0 +1,566 @@ +from __future__ import absolute_import + +import errno +import logging +import operator +import os +import shutil +from optparse import SUPPRESS_HELP + +from pip._vendor import pkg_resources + +from pip._internal.cache import WheelCache +from pip._internal.cli import cmdoptions +from pip._internal.cli.base_command import RequirementCommand +from pip._internal.cli.status_codes import ERROR +from pip._internal.exceptions import ( + CommandError, InstallationError, PreviousBuildDirError, +) +from pip._internal.locations import distutils_scheme, virtualenv_no_global +from pip._internal.operations.check import check_install_conflicts +from pip._internal.operations.prepare import RequirementPreparer +from pip._internal.req import RequirementSet, install_given_reqs +from pip._internal.req.req_tracker import RequirementTracker +from pip._internal.resolve import Resolver +from pip._internal.utils.filesystem import check_path_owner +from pip._internal.utils.misc import ( + ensure_dir, get_installed_version, + protect_pip_from_modification_on_windows, +) +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.wheel import WheelBuilder + +logger = logging.getLogger(__name__) + + +class InstallCommand(RequirementCommand): + """ + Install packages from: + + - PyPI (and other indexes) using requirement specifiers. + - VCS project urls. + - Local project directories. + - Local or remote source archives. + + pip also supports installing from "requirements files", which provide + an easy way to specify a whole environment to be installed. + """ + name = 'install' + + usage = """ + %prog [options] [package-index-options] ... + %prog [options] -r [package-index-options] ... + %prog [options] [-e] ... + %prog [options] [-e] ... + %prog [options] ...""" + + summary = 'Install packages.' + + def __init__(self, *args, **kw): + super(InstallCommand, self).__init__(*args, **kw) + + cmd_opts = self.cmd_opts + + cmd_opts.add_option(cmdoptions.requirements()) + cmd_opts.add_option(cmdoptions.constraints()) + cmd_opts.add_option(cmdoptions.no_deps()) + cmd_opts.add_option(cmdoptions.pre()) + + cmd_opts.add_option(cmdoptions.editable()) + cmd_opts.add_option( + '-t', '--target', + dest='target_dir', + metavar='dir', + default=None, + help='Install packages into . ' + 'By default this will not replace existing files/folders in ' + '. Use --upgrade to replace existing packages in ' + 'with new versions.' + ) + cmd_opts.add_option(cmdoptions.platform()) + cmd_opts.add_option(cmdoptions.python_version()) + cmd_opts.add_option(cmdoptions.implementation()) + cmd_opts.add_option(cmdoptions.abi()) + + cmd_opts.add_option( + '--user', + dest='use_user_site', + action='store_true', + help="Install to the Python user install directory for your " + "platform. Typically ~/.local/, or %APPDATA%\\Python on " + "Windows. (See the Python documentation for site.USER_BASE " + "for full details.)") + cmd_opts.add_option( + '--no-user', + dest='use_user_site', + action='store_false', + help=SUPPRESS_HELP) + cmd_opts.add_option( + '--root', + dest='root_path', + metavar='dir', + default=None, + help="Install everything relative to this alternate root " + "directory.") + cmd_opts.add_option( + '--prefix', + dest='prefix_path', + metavar='dir', + default=None, + help="Installation prefix where lib, bin and other top-level " + "folders are placed") + + cmd_opts.add_option(cmdoptions.build_dir()) + + cmd_opts.add_option(cmdoptions.src()) + + cmd_opts.add_option( + '-U', '--upgrade', + dest='upgrade', + action='store_true', + help='Upgrade all specified packages to the newest available ' + 'version. The handling of dependencies depends on the ' + 'upgrade-strategy used.' + ) + + cmd_opts.add_option( + '--upgrade-strategy', + dest='upgrade_strategy', + default='only-if-needed', + choices=['only-if-needed', 'eager'], + help='Determines how dependency upgrading should be handled ' + '[default: %default]. ' + '"eager" - dependencies are upgraded regardless of ' + 'whether the currently installed version satisfies the ' + 'requirements of the upgraded package(s). ' + '"only-if-needed" - are upgraded only when they do not ' + 'satisfy the requirements of the upgraded package(s).' + ) + + cmd_opts.add_option( + '--force-reinstall', + dest='force_reinstall', + action='store_true', + help='Reinstall all packages even if they are already ' + 'up-to-date.') + + cmd_opts.add_option( + '-I', '--ignore-installed', + dest='ignore_installed', + action='store_true', + help='Ignore the installed packages (reinstalling instead).') + + cmd_opts.add_option(cmdoptions.ignore_requires_python()) + cmd_opts.add_option(cmdoptions.no_build_isolation()) + cmd_opts.add_option(cmdoptions.use_pep517()) + cmd_opts.add_option(cmdoptions.no_use_pep517()) + + cmd_opts.add_option(cmdoptions.install_options()) + cmd_opts.add_option(cmdoptions.global_options()) + + cmd_opts.add_option( + "--compile", + action="store_true", + dest="compile", + default=True, + help="Compile Python source files to bytecode", + ) + + cmd_opts.add_option( + "--no-compile", + action="store_false", + dest="compile", + help="Do not compile Python source files to bytecode", + ) + + cmd_opts.add_option( + "--no-warn-script-location", + action="store_false", + dest="warn_script_location", + default=True, + help="Do not warn when installing scripts outside PATH", + ) + cmd_opts.add_option( + "--no-warn-conflicts", + action="store_false", + dest="warn_about_conflicts", + default=True, + help="Do not warn about broken dependencies", + ) + + cmd_opts.add_option(cmdoptions.no_binary()) + cmd_opts.add_option(cmdoptions.only_binary()) + cmd_opts.add_option(cmdoptions.prefer_binary()) + cmd_opts.add_option(cmdoptions.no_clean()) + cmd_opts.add_option(cmdoptions.require_hashes()) + cmd_opts.add_option(cmdoptions.progress_bar()) + + index_opts = cmdoptions.make_option_group( + cmdoptions.index_group, + self.parser, + ) + + self.parser.insert_option_group(0, index_opts) + self.parser.insert_option_group(0, cmd_opts) + + def run(self, options, args): + cmdoptions.check_install_build_global(options) + upgrade_strategy = "to-satisfy-only" + if options.upgrade: + upgrade_strategy = options.upgrade_strategy + + if options.build_dir: + options.build_dir = os.path.abspath(options.build_dir) + + cmdoptions.check_dist_restriction(options, check_target=True) + + if options.python_version: + python_versions = [options.python_version] + else: + python_versions = None + + options.src_dir = os.path.abspath(options.src_dir) + install_options = options.install_options or [] + if options.use_user_site: + if options.prefix_path: + raise CommandError( + "Can not combine '--user' and '--prefix' as they imply " + "different installation locations" + ) + if virtualenv_no_global(): + raise InstallationError( + "Can not perform a '--user' install. User site-packages " + "are not visible in this virtualenv." + ) + install_options.append('--user') + install_options.append('--prefix=') + + target_temp_dir = TempDirectory(kind="target") + if options.target_dir: + options.ignore_installed = True + options.target_dir = os.path.abspath(options.target_dir) + if (os.path.exists(options.target_dir) and not + os.path.isdir(options.target_dir)): + raise CommandError( + "Target path exists but is not a directory, will not " + "continue." + ) + + # Create a target directory for using with the target option + target_temp_dir.create() + install_options.append('--home=' + target_temp_dir.path) + + global_options = options.global_options or [] + + with self._build_session(options) as session: + finder = self._build_package_finder( + options=options, + session=session, + platform=options.platform, + python_versions=python_versions, + abi=options.abi, + implementation=options.implementation, + ) + build_delete = (not (options.no_clean or options.build_dir)) + wheel_cache = WheelCache(options.cache_dir, options.format_control) + + if options.cache_dir and not check_path_owner(options.cache_dir): + logger.warning( + "The directory '%s' or its parent directory is not owned " + "by the current user and caching wheels has been " + "disabled. check the permissions and owner of that " + "directory. If executing pip with sudo, you may want " + "sudo's -H flag.", + options.cache_dir, + ) + options.cache_dir = None + + with RequirementTracker() as req_tracker, TempDirectory( + options.build_dir, delete=build_delete, kind="install" + ) as directory: + requirement_set = RequirementSet( + require_hashes=options.require_hashes, + check_supported_wheels=not options.target_dir, + ) + + try: + self.populate_requirement_set( + requirement_set, args, options, finder, session, + self.name, wheel_cache + ) + preparer = RequirementPreparer( + build_dir=directory.path, + src_dir=options.src_dir, + download_dir=None, + wheel_download_dir=None, + progress_bar=options.progress_bar, + build_isolation=options.build_isolation, + req_tracker=req_tracker, + ) + + resolver = Resolver( + preparer=preparer, + finder=finder, + session=session, + wheel_cache=wheel_cache, + use_user_site=options.use_user_site, + upgrade_strategy=upgrade_strategy, + force_reinstall=options.force_reinstall, + ignore_dependencies=options.ignore_dependencies, + ignore_requires_python=options.ignore_requires_python, + ignore_installed=options.ignore_installed, + isolated=options.isolated_mode, + use_pep517=options.use_pep517 + ) + resolver.resolve(requirement_set) + + protect_pip_from_modification_on_windows( + modifying_pip=requirement_set.has_requirement("pip") + ) + + # Consider legacy and PEP517-using requirements separately + legacy_requirements = [] + pep517_requirements = [] + for req in requirement_set.requirements.values(): + if req.use_pep517: + pep517_requirements.append(req) + else: + legacy_requirements.append(req) + + # We don't build wheels for legacy requirements if we + # don't have wheel installed or we don't have a cache dir + try: + import wheel # noqa: F401 + build_legacy = bool(options.cache_dir) + except ImportError: + build_legacy = False + + wb = WheelBuilder( + finder, preparer, wheel_cache, + build_options=[], global_options=[], + ) + + # Always build PEP 517 requirements + build_failures = wb.build( + pep517_requirements, + session=session, autobuilding=True + ) + + if build_legacy: + # We don't care about failures building legacy + # requirements, as we'll fall through to a direct + # install for those. + wb.build( + legacy_requirements, + session=session, autobuilding=True + ) + + # If we're using PEP 517, we cannot do a direct install + # so we fail here. + if build_failures: + raise InstallationError( + "Could not build wheels for {} which use" + " PEP 517 and cannot be installed directly".format( + ", ".join(r.name for r in build_failures))) + + to_install = resolver.get_installation_order( + requirement_set + ) + + # Consistency Checking of the package set we're installing. + should_warn_about_conflicts = ( + not options.ignore_dependencies and + options.warn_about_conflicts + ) + if should_warn_about_conflicts: + self._warn_about_conflicts(to_install) + + # Don't warn about script install locations if + # --target has been specified + warn_script_location = options.warn_script_location + if options.target_dir: + warn_script_location = False + + installed = install_given_reqs( + to_install, + install_options, + global_options, + root=options.root_path, + home=target_temp_dir.path, + prefix=options.prefix_path, + pycompile=options.compile, + warn_script_location=warn_script_location, + use_user_site=options.use_user_site, + ) + + lib_locations = get_lib_location_guesses( + user=options.use_user_site, + home=target_temp_dir.path, + root=options.root_path, + prefix=options.prefix_path, + isolated=options.isolated_mode, + ) + working_set = pkg_resources.WorkingSet(lib_locations) + + reqs = sorted(installed, key=operator.attrgetter('name')) + items = [] + for req in reqs: + item = req.name + try: + installed_version = get_installed_version( + req.name, working_set=working_set + ) + if installed_version: + item += '-' + installed_version + except Exception: + pass + items.append(item) + installed = ' '.join(items) + if installed: + logger.info('Successfully installed %s', installed) + except EnvironmentError as error: + show_traceback = (self.verbosity >= 1) + + message = create_env_error_message( + error, show_traceback, options.use_user_site, + ) + logger.error(message, exc_info=show_traceback) + + return ERROR + except PreviousBuildDirError: + options.no_clean = True + raise + finally: + # Clean up + if not options.no_clean: + requirement_set.cleanup_files() + wheel_cache.cleanup() + + if options.target_dir: + self._handle_target_dir( + options.target_dir, target_temp_dir, options.upgrade + ) + return requirement_set + + def _handle_target_dir(self, target_dir, target_temp_dir, upgrade): + ensure_dir(target_dir) + + # Checking both purelib and platlib directories for installed + # packages to be moved to target directory + lib_dir_list = [] + + with target_temp_dir: + # Checking both purelib and platlib directories for installed + # packages to be moved to target directory + scheme = distutils_scheme('', home=target_temp_dir.path) + purelib_dir = scheme['purelib'] + platlib_dir = scheme['platlib'] + data_dir = scheme['data'] + + if os.path.exists(purelib_dir): + lib_dir_list.append(purelib_dir) + if os.path.exists(platlib_dir) and platlib_dir != purelib_dir: + lib_dir_list.append(platlib_dir) + if os.path.exists(data_dir): + lib_dir_list.append(data_dir) + + for lib_dir in lib_dir_list: + for item in os.listdir(lib_dir): + if lib_dir == data_dir: + ddir = os.path.join(data_dir, item) + if any(s.startswith(ddir) for s in lib_dir_list[:-1]): + continue + target_item_dir = os.path.join(target_dir, item) + if os.path.exists(target_item_dir): + if not upgrade: + logger.warning( + 'Target directory %s already exists. Specify ' + '--upgrade to force replacement.', + target_item_dir + ) + continue + if os.path.islink(target_item_dir): + logger.warning( + 'Target directory %s already exists and is ' + 'a link. Pip will not automatically replace ' + 'links, please remove if replacement is ' + 'desired.', + target_item_dir + ) + continue + if os.path.isdir(target_item_dir): + shutil.rmtree(target_item_dir) + else: + os.remove(target_item_dir) + + shutil.move( + os.path.join(lib_dir, item), + target_item_dir + ) + + def _warn_about_conflicts(self, to_install): + try: + package_set, _dep_info = check_install_conflicts(to_install) + except Exception: + logger.error("Error checking for conflicts.", exc_info=True) + return + missing, conflicting = _dep_info + + # NOTE: There is some duplication here from pip check + for project_name in missing: + version = package_set[project_name][0] + for dependency in missing[project_name]: + logger.critical( + "%s %s requires %s, which is not installed.", + project_name, version, dependency[1], + ) + + for project_name in conflicting: + version = package_set[project_name][0] + for dep_name, dep_version, req in conflicting[project_name]: + logger.critical( + "%s %s has requirement %s, but you'll have %s %s which is " + "incompatible.", + project_name, version, req, dep_name, dep_version, + ) + + +def get_lib_location_guesses(*args, **kwargs): + scheme = distutils_scheme('', *args, **kwargs) + return [scheme['purelib'], scheme['platlib']] + + +def create_env_error_message(error, show_traceback, using_user_site): + """Format an error message for an EnvironmentError + + It may occur anytime during the execution of the install command. + """ + parts = [] + + # Mention the error if we are not going to show a traceback + parts.append("Could not install packages due to an EnvironmentError") + if not show_traceback: + parts.append(": ") + parts.append(str(error)) + else: + parts.append(".") + + # Spilt the error indication from a helper message (if any) + parts[-1] += "\n" + + # Suggest useful actions to the user: + # (1) using user site-packages or (2) verifying the permissions + if error.errno == errno.EACCES: + user_option_part = "Consider using the `--user` option" + permissions_part = "Check the permissions" + + if not using_user_site: + parts.extend([ + user_option_part, " or ", + permissions_part.lower(), + ]) + else: + parts.append(permissions_part) + parts.append(".\n") + + return "".join(parts).strip() + "\n" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/list.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/list.py new file mode 100644 index 0000000..a640274 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/list.py @@ -0,0 +1,301 @@ +from __future__ import absolute_import + +import json +import logging + +from pip._vendor import six +from pip._vendor.six.moves import zip_longest + +from pip._internal.cli import cmdoptions +from pip._internal.cli.base_command import Command +from pip._internal.exceptions import CommandError +from pip._internal.index import PackageFinder +from pip._internal.utils.misc import ( + dist_is_editable, get_installed_distributions, +) +from pip._internal.utils.packaging import get_installer + +logger = logging.getLogger(__name__) + + +class ListCommand(Command): + """ + List installed packages, including editables. + + Packages are listed in a case-insensitive sorted order. + """ + name = 'list' + usage = """ + %prog [options]""" + summary = 'List installed packages.' + + def __init__(self, *args, **kw): + super(ListCommand, self).__init__(*args, **kw) + + cmd_opts = self.cmd_opts + + cmd_opts.add_option( + '-o', '--outdated', + action='store_true', + default=False, + help='List outdated packages') + cmd_opts.add_option( + '-u', '--uptodate', + action='store_true', + default=False, + help='List uptodate packages') + cmd_opts.add_option( + '-e', '--editable', + action='store_true', + default=False, + help='List editable projects.') + cmd_opts.add_option( + '-l', '--local', + action='store_true', + default=False, + help=('If in a virtualenv that has global access, do not list ' + 'globally-installed packages.'), + ) + self.cmd_opts.add_option( + '--user', + dest='user', + action='store_true', + default=False, + help='Only output packages installed in user-site.') + + cmd_opts.add_option( + '--pre', + action='store_true', + default=False, + help=("Include pre-release and development versions. By default, " + "pip only finds stable versions."), + ) + + cmd_opts.add_option( + '--format', + action='store', + dest='list_format', + default="columns", + choices=('columns', 'freeze', 'json'), + help="Select the output format among: columns (default), freeze, " + "or json", + ) + + cmd_opts.add_option( + '--not-required', + action='store_true', + dest='not_required', + help="List packages that are not dependencies of " + "installed packages.", + ) + + cmd_opts.add_option( + '--exclude-editable', + action='store_false', + dest='include_editable', + help='Exclude editable package from output.', + ) + cmd_opts.add_option( + '--include-editable', + action='store_true', + dest='include_editable', + help='Include editable package from output.', + default=True, + ) + index_opts = cmdoptions.make_option_group( + cmdoptions.index_group, self.parser + ) + + self.parser.insert_option_group(0, index_opts) + self.parser.insert_option_group(0, cmd_opts) + + def _build_package_finder(self, options, index_urls, session): + """ + Create a package finder appropriate to this list command. + """ + return PackageFinder( + find_links=options.find_links, + index_urls=index_urls, + allow_all_prereleases=options.pre, + trusted_hosts=options.trusted_hosts, + session=session, + ) + + def run(self, options, args): + if options.outdated and options.uptodate: + raise CommandError( + "Options --outdated and --uptodate cannot be combined.") + + packages = get_installed_distributions( + local_only=options.local, + user_only=options.user, + editables_only=options.editable, + include_editables=options.include_editable, + ) + + # get_not_required must be called firstly in order to find and + # filter out all dependencies correctly. Otherwise a package + # can't be identified as requirement because some parent packages + # could be filtered out before. + if options.not_required: + packages = self.get_not_required(packages, options) + + if options.outdated: + packages = self.get_outdated(packages, options) + elif options.uptodate: + packages = self.get_uptodate(packages, options) + + self.output_package_listing(packages, options) + + def get_outdated(self, packages, options): + return [ + dist for dist in self.iter_packages_latest_infos(packages, options) + if dist.latest_version > dist.parsed_version + ] + + def get_uptodate(self, packages, options): + return [ + dist for dist in self.iter_packages_latest_infos(packages, options) + if dist.latest_version == dist.parsed_version + ] + + def get_not_required(self, packages, options): + dep_keys = set() + for dist in packages: + dep_keys.update(requirement.key for requirement in dist.requires()) + return {pkg for pkg in packages if pkg.key not in dep_keys} + + def iter_packages_latest_infos(self, packages, options): + index_urls = [options.index_url] + options.extra_index_urls + if options.no_index: + logger.debug('Ignoring indexes: %s', ','.join(index_urls)) + index_urls = [] + + with self._build_session(options) as session: + finder = self._build_package_finder(options, index_urls, session) + + for dist in packages: + typ = 'unknown' + all_candidates = finder.find_all_candidates(dist.key) + if not options.pre: + # Remove prereleases + all_candidates = [candidate for candidate in all_candidates + if not candidate.version.is_prerelease] + + if not all_candidates: + continue + best_candidate = max(all_candidates, + key=finder._candidate_sort_key) + remote_version = best_candidate.version + if best_candidate.location.is_wheel: + typ = 'wheel' + else: + typ = 'sdist' + # This is dirty but makes the rest of the code much cleaner + dist.latest_version = remote_version + dist.latest_filetype = typ + yield dist + + def output_package_listing(self, packages, options): + packages = sorted( + packages, + key=lambda dist: dist.project_name.lower(), + ) + if options.list_format == 'columns' and packages: + data, header = format_for_columns(packages, options) + self.output_package_listing_columns(data, header) + elif options.list_format == 'freeze': + for dist in packages: + if options.verbose >= 1: + logger.info("%s==%s (%s)", dist.project_name, + dist.version, dist.location) + else: + logger.info("%s==%s", dist.project_name, dist.version) + elif options.list_format == 'json': + logger.info(format_for_json(packages, options)) + + def output_package_listing_columns(self, data, header): + # insert the header first: we need to know the size of column names + if len(data) > 0: + data.insert(0, header) + + pkg_strings, sizes = tabulate(data) + + # Create and add a separator. + if len(data) > 0: + pkg_strings.insert(1, " ".join(map(lambda x: '-' * x, sizes))) + + for val in pkg_strings: + logger.info(val) + + +def tabulate(vals): + # From pfmoore on GitHub: + # https://github.com/pypa/pip/issues/3651#issuecomment-216932564 + assert len(vals) > 0 + + sizes = [0] * max(len(x) for x in vals) + for row in vals: + sizes = [max(s, len(str(c))) for s, c in zip_longest(sizes, row)] + + result = [] + for row in vals: + display = " ".join([str(c).ljust(s) if c is not None else '' + for s, c in zip_longest(sizes, row)]) + result.append(display) + + return result, sizes + + +def format_for_columns(pkgs, options): + """ + Convert the package data into something usable + by output_package_listing_columns. + """ + running_outdated = options.outdated + # Adjust the header for the `pip list --outdated` case. + if running_outdated: + header = ["Package", "Version", "Latest", "Type"] + else: + header = ["Package", "Version"] + + data = [] + if options.verbose >= 1 or any(dist_is_editable(x) for x in pkgs): + header.append("Location") + if options.verbose >= 1: + header.append("Installer") + + for proj in pkgs: + # if we're working on the 'outdated' list, separate out the + # latest_version and type + row = [proj.project_name, proj.version] + + if running_outdated: + row.append(proj.latest_version) + row.append(proj.latest_filetype) + + if options.verbose >= 1 or dist_is_editable(proj): + row.append(proj.location) + if options.verbose >= 1: + row.append(get_installer(proj)) + + data.append(row) + + return data, header + + +def format_for_json(packages, options): + data = [] + for dist in packages: + info = { + 'name': dist.project_name, + 'version': six.text_type(dist.version), + } + if options.verbose >= 1: + info['location'] = dist.location + info['installer'] = get_installer(dist) + if options.outdated: + info['latest_version'] = six.text_type(dist.latest_version) + info['latest_filetype'] = dist.latest_filetype + data.append(info) + return json.dumps(data) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/search.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/search.py new file mode 100644 index 0000000..c157a31 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/search.py @@ -0,0 +1,135 @@ +from __future__ import absolute_import + +import logging +import sys +import textwrap +from collections import OrderedDict + +from pip._vendor import pkg_resources +from pip._vendor.packaging.version import parse as parse_version +# NOTE: XMLRPC Client is not annotated in typeshed as on 2017-07-17, which is +# why we ignore the type on this import +from pip._vendor.six.moves import xmlrpc_client # type: ignore + +from pip._internal.cli.base_command import Command +from pip._internal.cli.status_codes import NO_MATCHES_FOUND, SUCCESS +from pip._internal.download import PipXmlrpcTransport +from pip._internal.exceptions import CommandError +from pip._internal.models.index import PyPI +from pip._internal.utils.compat import get_terminal_size +from pip._internal.utils.logging import indent_log + +logger = logging.getLogger(__name__) + + +class SearchCommand(Command): + """Search for PyPI packages whose name or summary contains .""" + name = 'search' + usage = """ + %prog [options] """ + summary = 'Search PyPI for packages.' + ignore_require_venv = True + + def __init__(self, *args, **kw): + super(SearchCommand, self).__init__(*args, **kw) + self.cmd_opts.add_option( + '-i', '--index', + dest='index', + metavar='URL', + default=PyPI.pypi_url, + help='Base URL of Python Package Index (default %default)') + + self.parser.insert_option_group(0, self.cmd_opts) + + def run(self, options, args): + if not args: + raise CommandError('Missing required argument (search query).') + query = args + pypi_hits = self.search(query, options) + hits = transform_hits(pypi_hits) + + terminal_width = None + if sys.stdout.isatty(): + terminal_width = get_terminal_size()[0] + + print_results(hits, terminal_width=terminal_width) + if pypi_hits: + return SUCCESS + return NO_MATCHES_FOUND + + def search(self, query, options): + index_url = options.index + with self._build_session(options) as session: + transport = PipXmlrpcTransport(index_url, session) + pypi = xmlrpc_client.ServerProxy(index_url, transport) + hits = pypi.search({'name': query, 'summary': query}, 'or') + return hits + + +def transform_hits(hits): + """ + The list from pypi is really a list of versions. We want a list of + packages with the list of versions stored inline. This converts the + list from pypi into one we can use. + """ + packages = OrderedDict() + for hit in hits: + name = hit['name'] + summary = hit['summary'] + version = hit['version'] + + if name not in packages.keys(): + packages[name] = { + 'name': name, + 'summary': summary, + 'versions': [version], + } + else: + packages[name]['versions'].append(version) + + # if this is the highest version, replace summary and score + if version == highest_version(packages[name]['versions']): + packages[name]['summary'] = summary + + return list(packages.values()) + + +def print_results(hits, name_column_width=None, terminal_width=None): + if not hits: + return + if name_column_width is None: + name_column_width = max([ + len(hit['name']) + len(highest_version(hit.get('versions', ['-']))) + for hit in hits + ]) + 4 + + installed_packages = [p.project_name for p in pkg_resources.working_set] + for hit in hits: + name = hit['name'] + summary = hit['summary'] or '' + latest = highest_version(hit.get('versions', ['-'])) + if terminal_width is not None: + target_width = terminal_width - name_column_width - 5 + if target_width > 10: + # wrap and indent summary to fit terminal + summary = textwrap.wrap(summary, target_width) + summary = ('\n' + ' ' * (name_column_width + 3)).join(summary) + + line = '%-*s - %s' % (name_column_width, + '%s (%s)' % (name, latest), summary) + try: + logger.info(line) + if name in installed_packages: + dist = pkg_resources.get_distribution(name) + with indent_log(): + if dist.version == latest: + logger.info('INSTALLED: %s (latest)', dist.version) + else: + logger.info('INSTALLED: %s', dist.version) + logger.info('LATEST: %s', latest) + except UnicodeEncodeError: + pass + + +def highest_version(versions): + return max(versions, key=parse_version) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/show.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/show.py new file mode 100644 index 0000000..f92c9bc --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/show.py @@ -0,0 +1,168 @@ +from __future__ import absolute_import + +import logging +import os +from email.parser import FeedParser # type: ignore + +from pip._vendor import pkg_resources +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.cli.base_command import Command +from pip._internal.cli.status_codes import ERROR, SUCCESS + +logger = logging.getLogger(__name__) + + +class ShowCommand(Command): + """ + Show information about one or more installed packages. + + The output is in RFC-compliant mail header format. + """ + name = 'show' + usage = """ + %prog [options] ...""" + summary = 'Show information about installed packages.' + ignore_require_venv = True + + def __init__(self, *args, **kw): + super(ShowCommand, self).__init__(*args, **kw) + self.cmd_opts.add_option( + '-f', '--files', + dest='files', + action='store_true', + default=False, + help='Show the full list of installed files for each package.') + + self.parser.insert_option_group(0, self.cmd_opts) + + def run(self, options, args): + if not args: + logger.warning('ERROR: Please provide a package name or names.') + return ERROR + query = args + + results = search_packages_info(query) + if not print_results( + results, list_files=options.files, verbose=options.verbose): + return ERROR + return SUCCESS + + +def search_packages_info(query): + """ + Gather details from installed distributions. Print distribution name, + version, location, and installed files. Installed files requires a + pip generated 'installed-files.txt' in the distributions '.egg-info' + directory. + """ + installed = {} + for p in pkg_resources.working_set: + installed[canonicalize_name(p.project_name)] = p + + query_names = [canonicalize_name(name) for name in query] + + for dist in [installed[pkg] for pkg in query_names if pkg in installed]: + package = { + 'name': dist.project_name, + 'version': dist.version, + 'location': dist.location, + 'requires': [dep.project_name for dep in dist.requires()], + } + file_list = None + metadata = None + if isinstance(dist, pkg_resources.DistInfoDistribution): + # RECORDs should be part of .dist-info metadatas + if dist.has_metadata('RECORD'): + lines = dist.get_metadata_lines('RECORD') + paths = [l.split(',')[0] for l in lines] + paths = [os.path.join(dist.location, p) for p in paths] + file_list = [os.path.relpath(p, dist.location) for p in paths] + + if dist.has_metadata('METADATA'): + metadata = dist.get_metadata('METADATA') + else: + # Otherwise use pip's log for .egg-info's + if dist.has_metadata('installed-files.txt'): + paths = dist.get_metadata_lines('installed-files.txt') + paths = [os.path.join(dist.egg_info, p) for p in paths] + file_list = [os.path.relpath(p, dist.location) for p in paths] + + if dist.has_metadata('PKG-INFO'): + metadata = dist.get_metadata('PKG-INFO') + + if dist.has_metadata('entry_points.txt'): + entry_points = dist.get_metadata_lines('entry_points.txt') + package['entry_points'] = entry_points + + if dist.has_metadata('INSTALLER'): + for line in dist.get_metadata_lines('INSTALLER'): + if line.strip(): + package['installer'] = line.strip() + break + + # @todo: Should pkg_resources.Distribution have a + # `get_pkg_info` method? + feed_parser = FeedParser() + feed_parser.feed(metadata) + pkg_info_dict = feed_parser.close() + for key in ('metadata-version', 'summary', + 'home-page', 'author', 'author-email', 'license'): + package[key] = pkg_info_dict.get(key) + + # It looks like FeedParser cannot deal with repeated headers + classifiers = [] + for line in metadata.splitlines(): + if line.startswith('Classifier: '): + classifiers.append(line[len('Classifier: '):]) + package['classifiers'] = classifiers + + if file_list: + package['files'] = sorted(file_list) + yield package + + +def print_results(distributions, list_files=False, verbose=False): + """ + Print the informations from installed distributions found. + """ + results_printed = False + for i, dist in enumerate(distributions): + results_printed = True + if i > 0: + logger.info("---") + + name = dist.get('name', '') + required_by = [ + pkg.project_name for pkg in pkg_resources.working_set + if name in [required.name for required in pkg.requires()] + ] + + logger.info("Name: %s", name) + logger.info("Version: %s", dist.get('version', '')) + logger.info("Summary: %s", dist.get('summary', '')) + logger.info("Home-page: %s", dist.get('home-page', '')) + logger.info("Author: %s", dist.get('author', '')) + logger.info("Author-email: %s", dist.get('author-email', '')) + logger.info("License: %s", dist.get('license', '')) + logger.info("Location: %s", dist.get('location', '')) + logger.info("Requires: %s", ', '.join(dist.get('requires', []))) + logger.info("Required-by: %s", ', '.join(required_by)) + + if verbose: + logger.info("Metadata-Version: %s", + dist.get('metadata-version', '')) + logger.info("Installer: %s", dist.get('installer', '')) + logger.info("Classifiers:") + for classifier in dist.get('classifiers', []): + logger.info(" %s", classifier) + logger.info("Entry-points:") + for entry in dist.get('entry_points', []): + logger.info(" %s", entry.strip()) + if list_files: + logger.info("Files:") + for line in dist.get('files', []): + logger.info(" %s", line.strip()) + if "files" not in dist: + logger.info("Cannot locate installed-files.txt") + return results_printed diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/uninstall.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/uninstall.py new file mode 100644 index 0000000..0cd6f54 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/uninstall.py @@ -0,0 +1,78 @@ +from __future__ import absolute_import + +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.cli.base_command import Command +from pip._internal.exceptions import InstallationError +from pip._internal.req import parse_requirements +from pip._internal.req.constructors import install_req_from_line +from pip._internal.utils.misc import protect_pip_from_modification_on_windows + + +class UninstallCommand(Command): + """ + Uninstall packages. + + pip is able to uninstall most installed packages. Known exceptions are: + + - Pure distutils packages installed with ``python setup.py install``, which + leave behind no metadata to determine what files were installed. + - Script wrappers installed by ``python setup.py develop``. + """ + name = 'uninstall' + usage = """ + %prog [options] ... + %prog [options] -r ...""" + summary = 'Uninstall packages.' + + def __init__(self, *args, **kw): + super(UninstallCommand, self).__init__(*args, **kw) + self.cmd_opts.add_option( + '-r', '--requirement', + dest='requirements', + action='append', + default=[], + metavar='file', + help='Uninstall all the packages listed in the given requirements ' + 'file. This option can be used multiple times.', + ) + self.cmd_opts.add_option( + '-y', '--yes', + dest='yes', + action='store_true', + help="Don't ask for confirmation of uninstall deletions.") + + self.parser.insert_option_group(0, self.cmd_opts) + + def run(self, options, args): + with self._build_session(options) as session: + reqs_to_uninstall = {} + for name in args: + req = install_req_from_line( + name, isolated=options.isolated_mode, + ) + if req.name: + reqs_to_uninstall[canonicalize_name(req.name)] = req + for filename in options.requirements: + for req in parse_requirements( + filename, + options=options, + session=session): + if req.name: + reqs_to_uninstall[canonicalize_name(req.name)] = req + if not reqs_to_uninstall: + raise InstallationError( + 'You must give at least one requirement to %(name)s (see ' + '"pip help %(name)s")' % dict(name=self.name) + ) + + protect_pip_from_modification_on_windows( + modifying_pip="pip" in reqs_to_uninstall + ) + + for req in reqs_to_uninstall.values(): + uninstall_pathset = req.uninstall( + auto_confirm=options.yes, verbose=self.verbosity > 0, + ) + if uninstall_pathset: + uninstall_pathset.commit() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/wheel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/wheel.py new file mode 100644 index 0000000..cd72a3d --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/wheel.py @@ -0,0 +1,186 @@ +# -*- coding: utf-8 -*- +from __future__ import absolute_import + +import logging +import os + +from pip._internal.cache import WheelCache +from pip._internal.cli import cmdoptions +from pip._internal.cli.base_command import RequirementCommand +from pip._internal.exceptions import CommandError, PreviousBuildDirError +from pip._internal.operations.prepare import RequirementPreparer +from pip._internal.req import RequirementSet +from pip._internal.req.req_tracker import RequirementTracker +from pip._internal.resolve import Resolver +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.wheel import WheelBuilder + +logger = logging.getLogger(__name__) + + +class WheelCommand(RequirementCommand): + """ + Build Wheel archives for your requirements and dependencies. + + Wheel is a built-package format, and offers the advantage of not + recompiling your software during every install. For more details, see the + wheel docs: https://wheel.readthedocs.io/en/latest/ + + Requirements: setuptools>=0.8, and wheel. + + 'pip wheel' uses the bdist_wheel setuptools extension from the wheel + package to build individual wheels. + + """ + + name = 'wheel' + usage = """ + %prog [options] ... + %prog [options] -r ... + %prog [options] [-e] ... + %prog [options] [-e] ... + %prog [options] ...""" + + summary = 'Build wheels from your requirements.' + + def __init__(self, *args, **kw): + super(WheelCommand, self).__init__(*args, **kw) + + cmd_opts = self.cmd_opts + + cmd_opts.add_option( + '-w', '--wheel-dir', + dest='wheel_dir', + metavar='dir', + default=os.curdir, + help=("Build wheels into , where the default is the " + "current working directory."), + ) + cmd_opts.add_option(cmdoptions.no_binary()) + cmd_opts.add_option(cmdoptions.only_binary()) + cmd_opts.add_option(cmdoptions.prefer_binary()) + cmd_opts.add_option( + '--build-option', + dest='build_options', + metavar='options', + action='append', + help="Extra arguments to be supplied to 'setup.py bdist_wheel'.", + ) + cmd_opts.add_option(cmdoptions.no_build_isolation()) + cmd_opts.add_option(cmdoptions.use_pep517()) + cmd_opts.add_option(cmdoptions.no_use_pep517()) + cmd_opts.add_option(cmdoptions.constraints()) + cmd_opts.add_option(cmdoptions.editable()) + cmd_opts.add_option(cmdoptions.requirements()) + cmd_opts.add_option(cmdoptions.src()) + cmd_opts.add_option(cmdoptions.ignore_requires_python()) + cmd_opts.add_option(cmdoptions.no_deps()) + cmd_opts.add_option(cmdoptions.build_dir()) + cmd_opts.add_option(cmdoptions.progress_bar()) + + cmd_opts.add_option( + '--global-option', + dest='global_options', + action='append', + metavar='options', + help="Extra global options to be supplied to the setup.py " + "call before the 'bdist_wheel' command.") + + cmd_opts.add_option( + '--pre', + action='store_true', + default=False, + help=("Include pre-release and development versions. By default, " + "pip only finds stable versions."), + ) + + cmd_opts.add_option(cmdoptions.no_clean()) + cmd_opts.add_option(cmdoptions.require_hashes()) + + index_opts = cmdoptions.make_option_group( + cmdoptions.index_group, + self.parser, + ) + + self.parser.insert_option_group(0, index_opts) + self.parser.insert_option_group(0, cmd_opts) + + def run(self, options, args): + cmdoptions.check_install_build_global(options) + + index_urls = [options.index_url] + options.extra_index_urls + if options.no_index: + logger.debug('Ignoring indexes: %s', ','.join(index_urls)) + index_urls = [] + + if options.build_dir: + options.build_dir = os.path.abspath(options.build_dir) + + options.src_dir = os.path.abspath(options.src_dir) + + with self._build_session(options) as session: + finder = self._build_package_finder(options, session) + build_delete = (not (options.no_clean or options.build_dir)) + wheel_cache = WheelCache(options.cache_dir, options.format_control) + + with RequirementTracker() as req_tracker, TempDirectory( + options.build_dir, delete=build_delete, kind="wheel" + ) as directory: + + requirement_set = RequirementSet( + require_hashes=options.require_hashes, + ) + + try: + self.populate_requirement_set( + requirement_set, args, options, finder, session, + self.name, wheel_cache + ) + + preparer = RequirementPreparer( + build_dir=directory.path, + src_dir=options.src_dir, + download_dir=None, + wheel_download_dir=options.wheel_dir, + progress_bar=options.progress_bar, + build_isolation=options.build_isolation, + req_tracker=req_tracker, + ) + + resolver = Resolver( + preparer=preparer, + finder=finder, + session=session, + wheel_cache=wheel_cache, + use_user_site=False, + upgrade_strategy="to-satisfy-only", + force_reinstall=False, + ignore_dependencies=options.ignore_dependencies, + ignore_requires_python=options.ignore_requires_python, + ignore_installed=True, + isolated=options.isolated_mode, + use_pep517=options.use_pep517 + ) + resolver.resolve(requirement_set) + + # build wheels + wb = WheelBuilder( + finder, preparer, wheel_cache, + build_options=options.build_options or [], + global_options=options.global_options or [], + no_clean=options.no_clean, + ) + build_failures = wb.build( + requirement_set.requirements.values(), session=session, + ) + if len(build_failures) != 0: + raise CommandError( + "Failed to build one or more wheels" + ) + except PreviousBuildDirError: + options.no_clean = True + raise + finally: + if not options.no_clean: + requirement_set.cleanup_files() + wheel_cache.cleanup() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/configuration.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/configuration.py new file mode 100644 index 0000000..fe6df9b --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/configuration.py @@ -0,0 +1,387 @@ +"""Configuration management setup + +Some terminology: +- name + As written in config files. +- value + Value associated with a name +- key + Name combined with it's section (section.name) +- variant + A single word describing where the configuration key-value pair came from +""" + +import locale +import logging +import os + +from pip._vendor import six +from pip._vendor.six.moves import configparser + +from pip._internal.exceptions import ( + ConfigurationError, ConfigurationFileCouldNotBeLoaded, +) +from pip._internal.locations import ( + legacy_config_file, new_config_file, running_under_virtualenv, + site_config_files, venv_config_file, +) +from pip._internal.utils.misc import ensure_dir, enum +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import ( # noqa: F401 + Any, Dict, Iterable, List, NewType, Optional, Tuple + ) + + RawConfigParser = configparser.RawConfigParser # Shorthand + Kind = NewType("Kind", str) + +logger = logging.getLogger(__name__) + + +# NOTE: Maybe use the optionx attribute to normalize keynames. +def _normalize_name(name): + # type: (str) -> str + """Make a name consistent regardless of source (environment or file) + """ + name = name.lower().replace('_', '-') + if name.startswith('--'): + name = name[2:] # only prefer long opts + return name + + +def _disassemble_key(name): + # type: (str) -> List[str] + return name.split(".", 1) + + +# The kinds of configurations there are. +kinds = enum( + USER="user", # User Specific + GLOBAL="global", # System Wide + VENV="venv", # Virtual Environment Specific + ENV="env", # from PIP_CONFIG_FILE + ENV_VAR="env-var", # from Environment Variables +) + + +class Configuration(object): + """Handles management of configuration. + + Provides an interface to accessing and managing configuration files. + + This class converts provides an API that takes "section.key-name" style + keys and stores the value associated with it as "key-name" under the + section "section". + + This allows for a clean interface wherein the both the section and the + key-name are preserved in an easy to manage form in the configuration files + and the data stored is also nice. + """ + + def __init__(self, isolated, load_only=None): + # type: (bool, Kind) -> None + super(Configuration, self).__init__() + + _valid_load_only = [kinds.USER, kinds.GLOBAL, kinds.VENV, None] + if load_only not in _valid_load_only: + raise ConfigurationError( + "Got invalid value for load_only - should be one of {}".format( + ", ".join(map(repr, _valid_load_only[:-1])) + ) + ) + self.isolated = isolated # type: bool + self.load_only = load_only # type: Optional[Kind] + + # The order here determines the override order. + self._override_order = [ + kinds.GLOBAL, kinds.USER, kinds.VENV, kinds.ENV, kinds.ENV_VAR + ] + + self._ignore_env_names = ["version", "help"] + + # Because we keep track of where we got the data from + self._parsers = { + variant: [] for variant in self._override_order + } # type: Dict[Kind, List[Tuple[str, RawConfigParser]]] + self._config = { + variant: {} for variant in self._override_order + } # type: Dict[Kind, Dict[str, Any]] + self._modified_parsers = [] # type: List[Tuple[str, RawConfigParser]] + + def load(self): + # type: () -> None + """Loads configuration from configuration files and environment + """ + self._load_config_files() + if not self.isolated: + self._load_environment_vars() + + def get_file_to_edit(self): + # type: () -> Optional[str] + """Returns the file with highest priority in configuration + """ + assert self.load_only is not None, \ + "Need to be specified a file to be editing" + + try: + return self._get_parser_to_modify()[0] + except IndexError: + return None + + def items(self): + # type: () -> Iterable[Tuple[str, Any]] + """Returns key-value pairs like dict.items() representing the loaded + configuration + """ + return self._dictionary.items() + + def get_value(self, key): + # type: (str) -> Any + """Get a value from the configuration. + """ + try: + return self._dictionary[key] + except KeyError: + raise ConfigurationError("No such key - {}".format(key)) + + def set_value(self, key, value): + # type: (str, Any) -> None + """Modify a value in the configuration. + """ + self._ensure_have_load_only() + + fname, parser = self._get_parser_to_modify() + + if parser is not None: + section, name = _disassemble_key(key) + + # Modify the parser and the configuration + if not parser.has_section(section): + parser.add_section(section) + parser.set(section, name, value) + + self._config[self.load_only][key] = value + self._mark_as_modified(fname, parser) + + def unset_value(self, key): + # type: (str) -> None + """Unset a value in the configuration. + """ + self._ensure_have_load_only() + + if key not in self._config[self.load_only]: + raise ConfigurationError("No such key - {}".format(key)) + + fname, parser = self._get_parser_to_modify() + + if parser is not None: + section, name = _disassemble_key(key) + + # Remove the key in the parser + modified_something = False + if parser.has_section(section): + # Returns whether the option was removed or not + modified_something = parser.remove_option(section, name) + + if modified_something: + # name removed from parser, section may now be empty + section_iter = iter(parser.items(section)) + try: + val = six.next(section_iter) + except StopIteration: + val = None + + if val is None: + parser.remove_section(section) + + self._mark_as_modified(fname, parser) + else: + raise ConfigurationError( + "Fatal Internal error [id=1]. Please report as a bug." + ) + + del self._config[self.load_only][key] + + def save(self): + # type: () -> None + """Save the currentin-memory state. + """ + self._ensure_have_load_only() + + for fname, parser in self._modified_parsers: + logger.info("Writing to %s", fname) + + # Ensure directory exists. + ensure_dir(os.path.dirname(fname)) + + with open(fname, "w") as f: + parser.write(f) # type: ignore + + # + # Private routines + # + + def _ensure_have_load_only(self): + # type: () -> None + if self.load_only is None: + raise ConfigurationError("Needed a specific file to be modifying.") + logger.debug("Will be working with %s variant only", self.load_only) + + @property + def _dictionary(self): + # type: () -> Dict[str, Any] + """A dictionary representing the loaded configuration. + """ + # NOTE: Dictionaries are not populated if not loaded. So, conditionals + # are not needed here. + retval = {} + + for variant in self._override_order: + retval.update(self._config[variant]) + + return retval + + def _load_config_files(self): + # type: () -> None + """Loads configuration from configuration files + """ + config_files = dict(self._iter_config_files()) + if config_files[kinds.ENV][0:1] == [os.devnull]: + logger.debug( + "Skipping loading configuration files due to " + "environment's PIP_CONFIG_FILE being os.devnull" + ) + return + + for variant, files in config_files.items(): + for fname in files: + # If there's specific variant set in `load_only`, load only + # that variant, not the others. + if self.load_only is not None and variant != self.load_only: + logger.debug( + "Skipping file '%s' (variant: %s)", fname, variant + ) + continue + + parser = self._load_file(variant, fname) + + # Keeping track of the parsers used + self._parsers[variant].append((fname, parser)) + + def _load_file(self, variant, fname): + # type: (Kind, str) -> RawConfigParser + logger.debug("For variant '%s', will try loading '%s'", variant, fname) + parser = self._construct_parser(fname) + + for section in parser.sections(): + items = parser.items(section) + self._config[variant].update(self._normalized_keys(section, items)) + + return parser + + def _construct_parser(self, fname): + # type: (str) -> RawConfigParser + parser = configparser.RawConfigParser() + # If there is no such file, don't bother reading it but create the + # parser anyway, to hold the data. + # Doing this is useful when modifying and saving files, where we don't + # need to construct a parser. + if os.path.exists(fname): + try: + parser.read(fname) + except UnicodeDecodeError: + # See https://github.com/pypa/pip/issues/4963 + raise ConfigurationFileCouldNotBeLoaded( + reason="contains invalid {} characters".format( + locale.getpreferredencoding(False) + ), + fname=fname, + ) + except configparser.Error as error: + # See https://github.com/pypa/pip/issues/4893 + raise ConfigurationFileCouldNotBeLoaded(error=error) + return parser + + def _load_environment_vars(self): + # type: () -> None + """Loads configuration from environment variables + """ + self._config[kinds.ENV_VAR].update( + self._normalized_keys(":env:", self._get_environ_vars()) + ) + + def _normalized_keys(self, section, items): + # type: (str, Iterable[Tuple[str, Any]]) -> Dict[str, Any] + """Normalizes items to construct a dictionary with normalized keys. + + This routine is where the names become keys and are made the same + regardless of source - configuration files or environment. + """ + normalized = {} + for name, val in items: + key = section + "." + _normalize_name(name) + normalized[key] = val + return normalized + + def _get_environ_vars(self): + # type: () -> Iterable[Tuple[str, str]] + """Returns a generator with all environmental vars with prefix PIP_""" + for key, val in os.environ.items(): + should_be_yielded = ( + key.startswith("PIP_") and + key[4:].lower() not in self._ignore_env_names + ) + if should_be_yielded: + yield key[4:].lower(), val + + # XXX: This is patched in the tests. + def _iter_config_files(self): + # type: () -> Iterable[Tuple[Kind, List[str]]] + """Yields variant and configuration files associated with it. + + This should be treated like items of a dictionary. + """ + # SMELL: Move the conditions out of this function + + # environment variables have the lowest priority + config_file = os.environ.get('PIP_CONFIG_FILE', None) + if config_file is not None: + yield kinds.ENV, [config_file] + else: + yield kinds.ENV, [] + + # at the base we have any global configuration + yield kinds.GLOBAL, list(site_config_files) + + # per-user configuration next + should_load_user_config = not self.isolated and not ( + config_file and os.path.exists(config_file) + ) + if should_load_user_config: + # The legacy config file is overridden by the new config file + yield kinds.USER, [legacy_config_file, new_config_file] + + # finally virtualenv configuration first trumping others + if running_under_virtualenv(): + yield kinds.VENV, [venv_config_file] + + def _get_parser_to_modify(self): + # type: () -> Tuple[str, RawConfigParser] + # Determine which parser to modify + parsers = self._parsers[self.load_only] + if not parsers: + # This should not happen if everything works correctly. + raise ConfigurationError( + "Fatal Internal error [id=2]. Please report as a bug." + ) + + # Use the highest priority parser. + return parsers[-1] + + # XXX: This is patched in the tests. + def _mark_as_modified(self, fname, parser): + # type: (str, RawConfigParser) -> None + file_parser_tuple = (fname, parser) + if file_parser_tuple not in self._modified_parsers: + self._modified_parsers.append(file_parser_tuple) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/download.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/download.py new file mode 100644 index 0000000..2bbe176 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/download.py @@ -0,0 +1,971 @@ +from __future__ import absolute_import + +import cgi +import email.utils +import getpass +import json +import logging +import mimetypes +import os +import platform +import re +import shutil +import sys + +from pip._vendor import requests, six, urllib3 +from pip._vendor.cachecontrol import CacheControlAdapter +from pip._vendor.cachecontrol.caches import FileCache +from pip._vendor.lockfile import LockError +from pip._vendor.requests.adapters import BaseAdapter, HTTPAdapter +from pip._vendor.requests.auth import AuthBase, HTTPBasicAuth +from pip._vendor.requests.models import CONTENT_CHUNK_SIZE, Response +from pip._vendor.requests.structures import CaseInsensitiveDict +from pip._vendor.requests.utils import get_netrc_auth +# NOTE: XMLRPC Client is not annotated in typeshed as on 2017-07-17, which is +# why we ignore the type on this import +from pip._vendor.six.moves import xmlrpc_client # type: ignore +from pip._vendor.six.moves.urllib import parse as urllib_parse +from pip._vendor.six.moves.urllib import request as urllib_request +from pip._vendor.urllib3.util import IS_PYOPENSSL + +import pip +from pip._internal.exceptions import HashMismatch, InstallationError +from pip._internal.locations import write_delete_marker_file +from pip._internal.models.index import PyPI +from pip._internal.utils.encoding import auto_decode +from pip._internal.utils.filesystem import check_path_owner +from pip._internal.utils.glibc import libc_ver +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import ( + ARCHIVE_EXTENSIONS, ask_path_exists, backup_dir, call_subprocess, consume, + display_path, format_size, get_installed_version, rmtree, + split_auth_from_netloc, splitext, unpack_file, +) +from pip._internal.utils.setuptools_build import SETUPTOOLS_SHIM +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.utils.typing import MYPY_CHECK_RUNNING +from pip._internal.utils.ui import DownloadProgressProvider +from pip._internal.vcs import vcs + +if MYPY_CHECK_RUNNING: + from typing import ( # noqa: F401 + Optional, Tuple, Dict, IO, Text, Union + ) + from pip._internal.models.link import Link # noqa: F401 + from pip._internal.utils.hashes import Hashes # noqa: F401 + from pip._internal.vcs import AuthInfo # noqa: F401 + +try: + import ssl # noqa +except ImportError: + ssl = None + +HAS_TLS = (ssl is not None) or IS_PYOPENSSL + +__all__ = ['get_file_content', + 'is_url', 'url_to_path', 'path_to_url', + 'is_archive_file', 'unpack_vcs_link', + 'unpack_file_url', 'is_vcs_url', 'is_file_url', + 'unpack_http_url', 'unpack_url'] + + +logger = logging.getLogger(__name__) + + +def user_agent(): + """ + Return a string representing the user agent. + """ + data = { + "installer": {"name": "pip", "version": pip.__version__}, + "python": platform.python_version(), + "implementation": { + "name": platform.python_implementation(), + }, + } + + if data["implementation"]["name"] == 'CPython': + data["implementation"]["version"] = platform.python_version() + elif data["implementation"]["name"] == 'PyPy': + if sys.pypy_version_info.releaselevel == 'final': + pypy_version_info = sys.pypy_version_info[:3] + else: + pypy_version_info = sys.pypy_version_info + data["implementation"]["version"] = ".".join( + [str(x) for x in pypy_version_info] + ) + elif data["implementation"]["name"] == 'Jython': + # Complete Guess + data["implementation"]["version"] = platform.python_version() + elif data["implementation"]["name"] == 'IronPython': + # Complete Guess + data["implementation"]["version"] = platform.python_version() + + if sys.platform.startswith("linux"): + from pip._vendor import distro + distro_infos = dict(filter( + lambda x: x[1], + zip(["name", "version", "id"], distro.linux_distribution()), + )) + libc = dict(filter( + lambda x: x[1], + zip(["lib", "version"], libc_ver()), + )) + if libc: + distro_infos["libc"] = libc + if distro_infos: + data["distro"] = distro_infos + + if sys.platform.startswith("darwin") and platform.mac_ver()[0]: + data["distro"] = {"name": "macOS", "version": platform.mac_ver()[0]} + + if platform.system(): + data.setdefault("system", {})["name"] = platform.system() + + if platform.release(): + data.setdefault("system", {})["release"] = platform.release() + + if platform.machine(): + data["cpu"] = platform.machine() + + if HAS_TLS: + data["openssl_version"] = ssl.OPENSSL_VERSION + + setuptools_version = get_installed_version("setuptools") + if setuptools_version is not None: + data["setuptools_version"] = setuptools_version + + return "{data[installer][name]}/{data[installer][version]} {json}".format( + data=data, + json=json.dumps(data, separators=(",", ":"), sort_keys=True), + ) + + +class MultiDomainBasicAuth(AuthBase): + + def __init__(self, prompting=True): + # type: (bool) -> None + self.prompting = prompting + self.passwords = {} # type: Dict[str, AuthInfo] + + def __call__(self, req): + parsed = urllib_parse.urlparse(req.url) + + # Split the credentials from the netloc. + netloc, url_user_password = split_auth_from_netloc(parsed.netloc) + + # Set the url of the request to the url without any credentials + req.url = urllib_parse.urlunparse(parsed[:1] + (netloc,) + parsed[2:]) + + # Use any stored credentials that we have for this netloc + username, password = self.passwords.get(netloc, (None, None)) + + # Use the credentials embedded in the url if we have none stored + if username is None: + username, password = url_user_password + + # Get creds from netrc if we still don't have them + if username is None and password is None: + netrc_auth = get_netrc_auth(req.url) + username, password = netrc_auth if netrc_auth else (None, None) + + if username or password: + # Store the username and password + self.passwords[netloc] = (username, password) + + # Send the basic auth with this request + req = HTTPBasicAuth(username or "", password or "")(req) + + # Attach a hook to handle 401 responses + req.register_hook("response", self.handle_401) + + return req + + def handle_401(self, resp, **kwargs): + # We only care about 401 responses, anything else we want to just + # pass through the actual response + if resp.status_code != 401: + return resp + + # We are not able to prompt the user so simply return the response + if not self.prompting: + return resp + + parsed = urllib_parse.urlparse(resp.url) + + # Prompt the user for a new username and password + username = six.moves.input("User for %s: " % parsed.netloc) + password = getpass.getpass("Password: ") + + # Store the new username and password to use for future requests + if username or password: + self.passwords[parsed.netloc] = (username, password) + + # Consume content and release the original connection to allow our new + # request to reuse the same one. + resp.content + resp.raw.release_conn() + + # Add our new username and password to the request + req = HTTPBasicAuth(username or "", password or "")(resp.request) + req.register_hook("response", self.warn_on_401) + + # Send our new request + new_resp = resp.connection.send(req, **kwargs) + new_resp.history.append(resp) + + return new_resp + + def warn_on_401(self, resp, **kwargs): + # warn user that they provided incorrect credentials + if resp.status_code == 401: + logger.warning('401 Error, Credentials not correct for %s', + resp.request.url) + + +class LocalFSAdapter(BaseAdapter): + + def send(self, request, stream=None, timeout=None, verify=None, cert=None, + proxies=None): + pathname = url_to_path(request.url) + + resp = Response() + resp.status_code = 200 + resp.url = request.url + + try: + stats = os.stat(pathname) + except OSError as exc: + resp.status_code = 404 + resp.raw = exc + else: + modified = email.utils.formatdate(stats.st_mtime, usegmt=True) + content_type = mimetypes.guess_type(pathname)[0] or "text/plain" + resp.headers = CaseInsensitiveDict({ + "Content-Type": content_type, + "Content-Length": stats.st_size, + "Last-Modified": modified, + }) + + resp.raw = open(pathname, "rb") + resp.close = resp.raw.close + + return resp + + def close(self): + pass + + +class SafeFileCache(FileCache): + """ + A file based cache which is safe to use even when the target directory may + not be accessible or writable. + """ + + def __init__(self, *args, **kwargs): + super(SafeFileCache, self).__init__(*args, **kwargs) + + # Check to ensure that the directory containing our cache directory + # is owned by the user current executing pip. If it does not exist + # we will check the parent directory until we find one that does exist. + # If it is not owned by the user executing pip then we will disable + # the cache and log a warning. + if not check_path_owner(self.directory): + logger.warning( + "The directory '%s' or its parent directory is not owned by " + "the current user and the cache has been disabled. Please " + "check the permissions and owner of that directory. If " + "executing pip with sudo, you may want sudo's -H flag.", + self.directory, + ) + + # Set our directory to None to disable the Cache + self.directory = None + + def get(self, *args, **kwargs): + # If we don't have a directory, then the cache should be a no-op. + if self.directory is None: + return + + try: + return super(SafeFileCache, self).get(*args, **kwargs) + except (LockError, OSError, IOError): + # We intentionally silence this error, if we can't access the cache + # then we can just skip caching and process the request as if + # caching wasn't enabled. + pass + + def set(self, *args, **kwargs): + # If we don't have a directory, then the cache should be a no-op. + if self.directory is None: + return + + try: + return super(SafeFileCache, self).set(*args, **kwargs) + except (LockError, OSError, IOError): + # We intentionally silence this error, if we can't access the cache + # then we can just skip caching and process the request as if + # caching wasn't enabled. + pass + + def delete(self, *args, **kwargs): + # If we don't have a directory, then the cache should be a no-op. + if self.directory is None: + return + + try: + return super(SafeFileCache, self).delete(*args, **kwargs) + except (LockError, OSError, IOError): + # We intentionally silence this error, if we can't access the cache + # then we can just skip caching and process the request as if + # caching wasn't enabled. + pass + + +class InsecureHTTPAdapter(HTTPAdapter): + + def cert_verify(self, conn, url, verify, cert): + conn.cert_reqs = 'CERT_NONE' + conn.ca_certs = None + + +class PipSession(requests.Session): + + timeout = None # type: Optional[int] + + def __init__(self, *args, **kwargs): + retries = kwargs.pop("retries", 0) + cache = kwargs.pop("cache", None) + insecure_hosts = kwargs.pop("insecure_hosts", []) + + super(PipSession, self).__init__(*args, **kwargs) + + # Attach our User Agent to the request + self.headers["User-Agent"] = user_agent() + + # Attach our Authentication handler to the session + self.auth = MultiDomainBasicAuth() + + # Create our urllib3.Retry instance which will allow us to customize + # how we handle retries. + retries = urllib3.Retry( + # Set the total number of retries that a particular request can + # have. + total=retries, + + # A 503 error from PyPI typically means that the Fastly -> Origin + # connection got interrupted in some way. A 503 error in general + # is typically considered a transient error so we'll go ahead and + # retry it. + # A 500 may indicate transient error in Amazon S3 + # A 520 or 527 - may indicate transient error in CloudFlare + status_forcelist=[500, 503, 520, 527], + + # Add a small amount of back off between failed requests in + # order to prevent hammering the service. + backoff_factor=0.25, + ) + + # We want to _only_ cache responses on securely fetched origins. We do + # this because we can't validate the response of an insecurely fetched + # origin, and we don't want someone to be able to poison the cache and + # require manual eviction from the cache to fix it. + if cache: + secure_adapter = CacheControlAdapter( + cache=SafeFileCache(cache, use_dir_lock=True), + max_retries=retries, + ) + else: + secure_adapter = HTTPAdapter(max_retries=retries) + + # Our Insecure HTTPAdapter disables HTTPS validation. It does not + # support caching (see above) so we'll use it for all http:// URLs as + # well as any https:// host that we've marked as ignoring TLS errors + # for. + insecure_adapter = InsecureHTTPAdapter(max_retries=retries) + + self.mount("https://", secure_adapter) + self.mount("http://", insecure_adapter) + + # Enable file:// urls + self.mount("file://", LocalFSAdapter()) + + # We want to use a non-validating adapter for any requests which are + # deemed insecure. + for host in insecure_hosts: + self.mount("https://{}/".format(host), insecure_adapter) + + def request(self, method, url, *args, **kwargs): + # Allow setting a default timeout on a session + kwargs.setdefault("timeout", self.timeout) + + # Dispatch the actual request + return super(PipSession, self).request(method, url, *args, **kwargs) + + +def get_file_content(url, comes_from=None, session=None): + # type: (str, Optional[str], Optional[PipSession]) -> Tuple[str, Text] + """Gets the content of a file; it may be a filename, file: URL, or + http: URL. Returns (location, content). Content is unicode. + + :param url: File path or url. + :param comes_from: Origin description of requirements. + :param session: Instance of pip.download.PipSession. + """ + if session is None: + raise TypeError( + "get_file_content() missing 1 required keyword argument: 'session'" + ) + + match = _scheme_re.search(url) + if match: + scheme = match.group(1).lower() + if (scheme == 'file' and comes_from and + comes_from.startswith('http')): + raise InstallationError( + 'Requirements file %s references URL %s, which is local' + % (comes_from, url)) + if scheme == 'file': + path = url.split(':', 1)[1] + path = path.replace('\\', '/') + match = _url_slash_drive_re.match(path) + if match: + path = match.group(1) + ':' + path.split('|', 1)[1] + path = urllib_parse.unquote(path) + if path.startswith('/'): + path = '/' + path.lstrip('/') + url = path + else: + # FIXME: catch some errors + resp = session.get(url) + resp.raise_for_status() + return resp.url, resp.text + try: + with open(url, 'rb') as f: + content = auto_decode(f.read()) + except IOError as exc: + raise InstallationError( + 'Could not open requirements file: %s' % str(exc) + ) + return url, content + + +_scheme_re = re.compile(r'^(http|https|file):', re.I) +_url_slash_drive_re = re.compile(r'/*([a-z])\|', re.I) + + +def is_url(name): + # type: (Union[str, Text]) -> bool + """Returns true if the name looks like a URL""" + if ':' not in name: + return False + scheme = name.split(':', 1)[0].lower() + return scheme in ['http', 'https', 'file', 'ftp'] + vcs.all_schemes + + +def url_to_path(url): + # type: (str) -> str + """ + Convert a file: URL to a path. + """ + assert url.startswith('file:'), ( + "You can only turn file: urls into filenames (not %r)" % url) + + _, netloc, path, _, _ = urllib_parse.urlsplit(url) + + # if we have a UNC path, prepend UNC share notation + if netloc: + netloc = '\\\\' + netloc + + path = urllib_request.url2pathname(netloc + path) + return path + + +def path_to_url(path): + # type: (Union[str, Text]) -> str + """ + Convert a path to a file: URL. The path will be made absolute and have + quoted path parts. + """ + path = os.path.normpath(os.path.abspath(path)) + url = urllib_parse.urljoin('file:', urllib_request.pathname2url(path)) + return url + + +def is_archive_file(name): + # type: (str) -> bool + """Return True if `name` is a considered as an archive file.""" + ext = splitext(name)[1].lower() + if ext in ARCHIVE_EXTENSIONS: + return True + return False + + +def unpack_vcs_link(link, location): + vcs_backend = _get_used_vcs_backend(link) + vcs_backend.unpack(location) + + +def _get_used_vcs_backend(link): + for backend in vcs.backends: + if link.scheme in backend.schemes: + vcs_backend = backend(link.url) + return vcs_backend + + +def is_vcs_url(link): + # type: (Link) -> bool + return bool(_get_used_vcs_backend(link)) + + +def is_file_url(link): + # type: (Link) -> bool + return link.url.lower().startswith('file:') + + +def is_dir_url(link): + # type: (Link) -> bool + """Return whether a file:// Link points to a directory. + + ``link`` must not have any other scheme but file://. Call is_file_url() + first. + + """ + link_path = url_to_path(link.url_without_fragment) + return os.path.isdir(link_path) + + +def _progress_indicator(iterable, *args, **kwargs): + return iterable + + +def _download_url( + resp, # type: Response + link, # type: Link + content_file, # type: IO + hashes, # type: Hashes + progress_bar # type: str +): + # type: (...) -> None + try: + total_length = int(resp.headers['content-length']) + except (ValueError, KeyError, TypeError): + total_length = 0 + + cached_resp = getattr(resp, "from_cache", False) + if logger.getEffectiveLevel() > logging.INFO: + show_progress = False + elif cached_resp: + show_progress = False + elif total_length > (40 * 1000): + show_progress = True + elif not total_length: + show_progress = True + else: + show_progress = False + + show_url = link.show_url + + def resp_read(chunk_size): + try: + # Special case for urllib3. + for chunk in resp.raw.stream( + chunk_size, + # We use decode_content=False here because we don't + # want urllib3 to mess with the raw bytes we get + # from the server. If we decompress inside of + # urllib3 then we cannot verify the checksum + # because the checksum will be of the compressed + # file. This breakage will only occur if the + # server adds a Content-Encoding header, which + # depends on how the server was configured: + # - Some servers will notice that the file isn't a + # compressible file and will leave the file alone + # and with an empty Content-Encoding + # - Some servers will notice that the file is + # already compressed and will leave the file + # alone and will add a Content-Encoding: gzip + # header + # - Some servers won't notice anything at all and + # will take a file that's already been compressed + # and compress it again and set the + # Content-Encoding: gzip header + # + # By setting this not to decode automatically we + # hope to eliminate problems with the second case. + decode_content=False): + yield chunk + except AttributeError: + # Standard file-like object. + while True: + chunk = resp.raw.read(chunk_size) + if not chunk: + break + yield chunk + + def written_chunks(chunks): + for chunk in chunks: + content_file.write(chunk) + yield chunk + + progress_indicator = _progress_indicator + + if link.netloc == PyPI.netloc: + url = show_url + else: + url = link.url_without_fragment + + if show_progress: # We don't show progress on cached responses + progress_indicator = DownloadProgressProvider(progress_bar, + max=total_length) + if total_length: + logger.info("Downloading %s (%s)", url, format_size(total_length)) + else: + logger.info("Downloading %s", url) + elif cached_resp: + logger.info("Using cached %s", url) + else: + logger.info("Downloading %s", url) + + logger.debug('Downloading from URL %s', link) + + downloaded_chunks = written_chunks( + progress_indicator( + resp_read(CONTENT_CHUNK_SIZE), + CONTENT_CHUNK_SIZE + ) + ) + if hashes: + hashes.check_against_chunks(downloaded_chunks) + else: + consume(downloaded_chunks) + + +def _copy_file(filename, location, link): + copy = True + download_location = os.path.join(location, link.filename) + if os.path.exists(download_location): + response = ask_path_exists( + 'The file %s exists. (i)gnore, (w)ipe, (b)ackup, (a)abort' % + display_path(download_location), ('i', 'w', 'b', 'a')) + if response == 'i': + copy = False + elif response == 'w': + logger.warning('Deleting %s', display_path(download_location)) + os.remove(download_location) + elif response == 'b': + dest_file = backup_dir(download_location) + logger.warning( + 'Backing up %s to %s', + display_path(download_location), + display_path(dest_file), + ) + shutil.move(download_location, dest_file) + elif response == 'a': + sys.exit(-1) + if copy: + shutil.copy(filename, download_location) + logger.info('Saved %s', display_path(download_location)) + + +def unpack_http_url( + link, # type: Link + location, # type: str + download_dir=None, # type: Optional[str] + session=None, # type: Optional[PipSession] + hashes=None, # type: Optional[Hashes] + progress_bar="on" # type: str +): + # type: (...) -> None + if session is None: + raise TypeError( + "unpack_http_url() missing 1 required keyword argument: 'session'" + ) + + with TempDirectory(kind="unpack") as temp_dir: + # If a download dir is specified, is the file already downloaded there? + already_downloaded_path = None + if download_dir: + already_downloaded_path = _check_download_dir(link, + download_dir, + hashes) + + if already_downloaded_path: + from_path = already_downloaded_path + content_type = mimetypes.guess_type(from_path)[0] + else: + # let's download to a tmp dir + from_path, content_type = _download_http_url(link, + session, + temp_dir.path, + hashes, + progress_bar) + + # unpack the archive to the build dir location. even when only + # downloading archives, they have to be unpacked to parse dependencies + unpack_file(from_path, location, content_type, link) + + # a download dir is specified; let's copy the archive there + if download_dir and not already_downloaded_path: + _copy_file(from_path, download_dir, link) + + if not already_downloaded_path: + os.unlink(from_path) + + +def unpack_file_url( + link, # type: Link + location, # type: str + download_dir=None, # type: Optional[str] + hashes=None # type: Optional[Hashes] +): + # type: (...) -> None + """Unpack link into location. + + If download_dir is provided and link points to a file, make a copy + of the link file inside download_dir. + """ + link_path = url_to_path(link.url_without_fragment) + + # If it's a url to a local directory + if is_dir_url(link): + if os.path.isdir(location): + rmtree(location) + shutil.copytree(link_path, location, symlinks=True) + if download_dir: + logger.info('Link is a directory, ignoring download_dir') + return + + # If --require-hashes is off, `hashes` is either empty, the + # link's embedded hash, or MissingHashes; it is required to + # match. If --require-hashes is on, we are satisfied by any + # hash in `hashes` matching: a URL-based or an option-based + # one; no internet-sourced hash will be in `hashes`. + if hashes: + hashes.check_against_path(link_path) + + # If a download dir is specified, is the file already there and valid? + already_downloaded_path = None + if download_dir: + already_downloaded_path = _check_download_dir(link, + download_dir, + hashes) + + if already_downloaded_path: + from_path = already_downloaded_path + else: + from_path = link_path + + content_type = mimetypes.guess_type(from_path)[0] + + # unpack the archive to the build dir location. even when only downloading + # archives, they have to be unpacked to parse dependencies + unpack_file(from_path, location, content_type, link) + + # a download dir is specified and not already downloaded + if download_dir and not already_downloaded_path: + _copy_file(from_path, download_dir, link) + + +def _copy_dist_from_dir(link_path, location): + """Copy distribution files in `link_path` to `location`. + + Invoked when user requests to install a local directory. E.g.: + + pip install . + pip install ~/dev/git-repos/python-prompt-toolkit + + """ + + # Note: This is currently VERY SLOW if you have a lot of data in the + # directory, because it copies everything with `shutil.copytree`. + # What it should really do is build an sdist and install that. + # See https://github.com/pypa/pip/issues/2195 + + if os.path.isdir(location): + rmtree(location) + + # build an sdist + setup_py = 'setup.py' + sdist_args = [sys.executable] + sdist_args.append('-c') + sdist_args.append(SETUPTOOLS_SHIM % setup_py) + sdist_args.append('sdist') + sdist_args += ['--dist-dir', location] + logger.info('Running setup.py sdist for %s', link_path) + + with indent_log(): + call_subprocess(sdist_args, cwd=link_path, show_stdout=False) + + # unpack sdist into `location` + sdist = os.path.join(location, os.listdir(location)[0]) + logger.info('Unpacking sdist %s into %s', sdist, location) + unpack_file(sdist, location, content_type=None, link=None) + + +class PipXmlrpcTransport(xmlrpc_client.Transport): + """Provide a `xmlrpclib.Transport` implementation via a `PipSession` + object. + """ + + def __init__(self, index_url, session, use_datetime=False): + xmlrpc_client.Transport.__init__(self, use_datetime) + index_parts = urllib_parse.urlparse(index_url) + self._scheme = index_parts.scheme + self._session = session + + def request(self, host, handler, request_body, verbose=False): + parts = (self._scheme, host, handler, None, None, None) + url = urllib_parse.urlunparse(parts) + try: + headers = {'Content-Type': 'text/xml'} + response = self._session.post(url, data=request_body, + headers=headers, stream=True) + response.raise_for_status() + self.verbose = verbose + return self.parse_response(response.raw) + except requests.HTTPError as exc: + logger.critical( + "HTTP error %s while getting %s", + exc.response.status_code, url, + ) + raise + + +def unpack_url( + link, # type: Optional[Link] + location, # type: Optional[str] + download_dir=None, # type: Optional[str] + only_download=False, # type: bool + session=None, # type: Optional[PipSession] + hashes=None, # type: Optional[Hashes] + progress_bar="on" # type: str +): + # type: (...) -> None + """Unpack link. + If link is a VCS link: + if only_download, export into download_dir and ignore location + else unpack into location + for other types of link: + - unpack into location + - if download_dir, copy the file into download_dir + - if only_download, mark location for deletion + + :param hashes: A Hashes object, one of whose embedded hashes must match, + or HashMismatch will be raised. If the Hashes is empty, no matches are + required, and unhashable types of requirements (like VCS ones, which + would ordinarily raise HashUnsupported) are allowed. + """ + # non-editable vcs urls + if is_vcs_url(link): + unpack_vcs_link(link, location) + + # file urls + elif is_file_url(link): + unpack_file_url(link, location, download_dir, hashes=hashes) + + # http urls + else: + if session is None: + session = PipSession() + + unpack_http_url( + link, + location, + download_dir, + session, + hashes=hashes, + progress_bar=progress_bar + ) + if only_download: + write_delete_marker_file(location) + + +def _download_http_url( + link, # type: Link + session, # type: PipSession + temp_dir, # type: str + hashes, # type: Hashes + progress_bar # type: str +): + # type: (...) -> Tuple[str, str] + """Download link url into temp_dir using provided session""" + target_url = link.url.split('#', 1)[0] + try: + resp = session.get( + target_url, + # We use Accept-Encoding: identity here because requests + # defaults to accepting compressed responses. This breaks in + # a variety of ways depending on how the server is configured. + # - Some servers will notice that the file isn't a compressible + # file and will leave the file alone and with an empty + # Content-Encoding + # - Some servers will notice that the file is already + # compressed and will leave the file alone and will add a + # Content-Encoding: gzip header + # - Some servers won't notice anything at all and will take + # a file that's already been compressed and compress it again + # and set the Content-Encoding: gzip header + # By setting this to request only the identity encoding We're + # hoping to eliminate the third case. Hopefully there does not + # exist a server which when given a file will notice it is + # already compressed and that you're not asking for a + # compressed file and will then decompress it before sending + # because if that's the case I don't think it'll ever be + # possible to make this work. + headers={"Accept-Encoding": "identity"}, + stream=True, + ) + resp.raise_for_status() + except requests.HTTPError as exc: + logger.critical( + "HTTP error %s while getting %s", exc.response.status_code, link, + ) + raise + + content_type = resp.headers.get('content-type', '') + filename = link.filename # fallback + # Have a look at the Content-Disposition header for a better guess + content_disposition = resp.headers.get('content-disposition') + if content_disposition: + type, params = cgi.parse_header(content_disposition) + # We use ``or`` here because we don't want to use an "empty" value + # from the filename param. + filename = params.get('filename') or filename + ext = splitext(filename)[1] + if not ext: + ext = mimetypes.guess_extension(content_type) + if ext: + filename += ext + if not ext and link.url != resp.url: + ext = os.path.splitext(resp.url)[1] + if ext: + filename += ext + file_path = os.path.join(temp_dir, filename) + with open(file_path, 'wb') as content_file: + _download_url(resp, link, content_file, hashes, progress_bar) + return file_path, content_type + + +def _check_download_dir(link, download_dir, hashes): + # type: (Link, str, Hashes) -> Optional[str] + """ Check download_dir for previously downloaded file with correct hash + If a correct file is found return its path else None + """ + download_path = os.path.join(download_dir, link.filename) + if os.path.exists(download_path): + # If already downloaded, does its hash match? + logger.info('File was already downloaded %s', download_path) + if hashes: + try: + hashes.check_against_path(download_path) + except HashMismatch: + logger.warning( + 'Previously-downloaded file %s has bad hash. ' + 'Re-downloading.', + download_path + ) + os.unlink(download_path) + return None + return download_path + return None diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/exceptions.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/exceptions.py new file mode 100644 index 0000000..38ceeea --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/exceptions.py @@ -0,0 +1,274 @@ +"""Exceptions used throughout package""" +from __future__ import absolute_import + +from itertools import chain, groupby, repeat + +from pip._vendor.six import iteritems + +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import Optional # noqa: F401 + from pip._internal.req.req_install import InstallRequirement # noqa: F401 + + +class PipError(Exception): + """Base pip exception""" + + +class ConfigurationError(PipError): + """General exception in configuration""" + + +class InstallationError(PipError): + """General exception during installation""" + + +class UninstallationError(PipError): + """General exception during uninstallation""" + + +class DistributionNotFound(InstallationError): + """Raised when a distribution cannot be found to satisfy a requirement""" + + +class RequirementsFileParseError(InstallationError): + """Raised when a general error occurs parsing a requirements file line.""" + + +class BestVersionAlreadyInstalled(PipError): + """Raised when the most up-to-date version of a package is already + installed.""" + + +class BadCommand(PipError): + """Raised when virtualenv or a command is not found""" + + +class CommandError(PipError): + """Raised when there is an error in command-line arguments""" + + +class PreviousBuildDirError(PipError): + """Raised when there's a previous conflicting build directory""" + + +class InvalidWheelFilename(InstallationError): + """Invalid wheel filename.""" + + +class UnsupportedWheel(InstallationError): + """Unsupported wheel.""" + + +class HashErrors(InstallationError): + """Multiple HashError instances rolled into one for reporting""" + + def __init__(self): + self.errors = [] + + def append(self, error): + self.errors.append(error) + + def __str__(self): + lines = [] + self.errors.sort(key=lambda e: e.order) + for cls, errors_of_cls in groupby(self.errors, lambda e: e.__class__): + lines.append(cls.head) + lines.extend(e.body() for e in errors_of_cls) + if lines: + return '\n'.join(lines) + + def __nonzero__(self): + return bool(self.errors) + + def __bool__(self): + return self.__nonzero__() + + +class HashError(InstallationError): + """ + A failure to verify a package against known-good hashes + + :cvar order: An int sorting hash exception classes by difficulty of + recovery (lower being harder), so the user doesn't bother fretting + about unpinned packages when he has deeper issues, like VCS + dependencies, to deal with. Also keeps error reports in a + deterministic order. + :cvar head: A section heading for display above potentially many + exceptions of this kind + :ivar req: The InstallRequirement that triggered this error. This is + pasted on after the exception is instantiated, because it's not + typically available earlier. + + """ + req = None # type: Optional[InstallRequirement] + head = '' + + def body(self): + """Return a summary of me for display under the heading. + + This default implementation simply prints a description of the + triggering requirement. + + :param req: The InstallRequirement that provoked this error, with + populate_link() having already been called + + """ + return ' %s' % self._requirement_name() + + def __str__(self): + return '%s\n%s' % (self.head, self.body()) + + def _requirement_name(self): + """Return a description of the requirement that triggered me. + + This default implementation returns long description of the req, with + line numbers + + """ + return str(self.req) if self.req else 'unknown package' + + +class VcsHashUnsupported(HashError): + """A hash was provided for a version-control-system-based requirement, but + we don't have a method for hashing those.""" + + order = 0 + head = ("Can't verify hashes for these requirements because we don't " + "have a way to hash version control repositories:") + + +class DirectoryUrlHashUnsupported(HashError): + """A hash was provided for a version-control-system-based requirement, but + we don't have a method for hashing those.""" + + order = 1 + head = ("Can't verify hashes for these file:// requirements because they " + "point to directories:") + + +class HashMissing(HashError): + """A hash was needed for a requirement but is absent.""" + + order = 2 + head = ('Hashes are required in --require-hashes mode, but they are ' + 'missing from some requirements. Here is a list of those ' + 'requirements along with the hashes their downloaded archives ' + 'actually had. Add lines like these to your requirements files to ' + 'prevent tampering. (If you did not enable --require-hashes ' + 'manually, note that it turns on automatically when any package ' + 'has a hash.)') + + def __init__(self, gotten_hash): + """ + :param gotten_hash: The hash of the (possibly malicious) archive we + just downloaded + """ + self.gotten_hash = gotten_hash + + def body(self): + # Dodge circular import. + from pip._internal.utils.hashes import FAVORITE_HASH + + package = None + if self.req: + # In the case of URL-based requirements, display the original URL + # seen in the requirements file rather than the package name, + # so the output can be directly copied into the requirements file. + package = (self.req.original_link if self.req.original_link + # In case someone feeds something downright stupid + # to InstallRequirement's constructor. + else getattr(self.req, 'req', None)) + return ' %s --hash=%s:%s' % (package or 'unknown package', + FAVORITE_HASH, + self.gotten_hash) + + +class HashUnpinned(HashError): + """A requirement had a hash specified but was not pinned to a specific + version.""" + + order = 3 + head = ('In --require-hashes mode, all requirements must have their ' + 'versions pinned with ==. These do not:') + + +class HashMismatch(HashError): + """ + Distribution file hash values don't match. + + :ivar package_name: The name of the package that triggered the hash + mismatch. Feel free to write to this after the exception is raise to + improve its error message. + + """ + order = 4 + head = ('THESE PACKAGES DO NOT MATCH THE HASHES FROM THE REQUIREMENTS ' + 'FILE. If you have updated the package versions, please update ' + 'the hashes. Otherwise, examine the package contents carefully; ' + 'someone may have tampered with them.') + + def __init__(self, allowed, gots): + """ + :param allowed: A dict of algorithm names pointing to lists of allowed + hex digests + :param gots: A dict of algorithm names pointing to hashes we + actually got from the files under suspicion + """ + self.allowed = allowed + self.gots = gots + + def body(self): + return ' %s:\n%s' % (self._requirement_name(), + self._hash_comparison()) + + def _hash_comparison(self): + """ + Return a comparison of actual and expected hash values. + + Example:: + + Expected sha256 abcdeabcdeabcdeabcdeabcdeabcdeabcdeabcdeabcde + or 123451234512345123451234512345123451234512345 + Got bcdefbcdefbcdefbcdefbcdefbcdefbcdefbcdefbcdef + + """ + def hash_then_or(hash_name): + # For now, all the decent hashes have 6-char names, so we can get + # away with hard-coding space literals. + return chain([hash_name], repeat(' or')) + + lines = [] + for hash_name, expecteds in iteritems(self.allowed): + prefix = hash_then_or(hash_name) + lines.extend((' Expected %s %s' % (next(prefix), e)) + for e in expecteds) + lines.append(' Got %s\n' % + self.gots[hash_name].hexdigest()) + prefix = ' or' + return '\n'.join(lines) + + +class UnsupportedPythonVersion(InstallationError): + """Unsupported python version according to Requires-Python package + metadata.""" + + +class ConfigurationFileCouldNotBeLoaded(ConfigurationError): + """When there are errors while loading a configuration file + """ + + def __init__(self, reason="could not be loaded", fname=None, error=None): + super(ConfigurationFileCouldNotBeLoaded, self).__init__(error) + self.reason = reason + self.fname = fname + self.error = error + + def __str__(self): + if self.fname is not None: + message_part = " in {}.".format(self.fname) + else: + assert self.error is not None + message_part = ".\n{}\n".format(self.error.message) + return "Configuration file {}{}".format(self.reason, message_part) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/index.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/index.py new file mode 100644 index 0000000..9eda3a3 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/index.py @@ -0,0 +1,990 @@ +"""Routines related to PyPI, indexes""" +from __future__ import absolute_import + +import cgi +import itertools +import logging +import mimetypes +import os +import posixpath +import re +import sys +from collections import namedtuple + +from pip._vendor import html5lib, requests, six +from pip._vendor.distlib.compat import unescape +from pip._vendor.packaging import specifiers +from pip._vendor.packaging.utils import canonicalize_name +from pip._vendor.packaging.version import parse as parse_version +from pip._vendor.requests.exceptions import RetryError, SSLError +from pip._vendor.six.moves.urllib import parse as urllib_parse +from pip._vendor.six.moves.urllib import request as urllib_request + +from pip._internal.download import HAS_TLS, is_url, path_to_url, url_to_path +from pip._internal.exceptions import ( + BestVersionAlreadyInstalled, DistributionNotFound, InvalidWheelFilename, + UnsupportedWheel, +) +from pip._internal.models.candidate import InstallationCandidate +from pip._internal.models.format_control import FormatControl +from pip._internal.models.index import PyPI +from pip._internal.models.link import Link +from pip._internal.pep425tags import get_supported +from pip._internal.utils.compat import ipaddress +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import ( + ARCHIVE_EXTENSIONS, SUPPORTED_EXTENSIONS, WHEEL_EXTENSION, normalize_path, + redact_password_from_url, +) +from pip._internal.utils.packaging import check_requires_python +from pip._internal.utils.typing import MYPY_CHECK_RUNNING +from pip._internal.wheel import Wheel + +if MYPY_CHECK_RUNNING: + from logging import Logger # noqa: F401 + from typing import ( # noqa: F401 + Tuple, Optional, Any, List, Union, Callable, Set, Sequence, + Iterable, MutableMapping + ) + from pip._vendor.packaging.version import _BaseVersion # noqa: F401 + from pip._vendor.requests import Response # noqa: F401 + from pip._internal.req import InstallRequirement # noqa: F401 + from pip._internal.download import PipSession # noqa: F401 + + SecureOrigin = Tuple[str, str, Optional[str]] + BuildTag = Tuple[Any, ...] # either emply tuple or Tuple[int, str] + CandidateSortingKey = Tuple[int, _BaseVersion, BuildTag, Optional[int]] + +__all__ = ['FormatControl', 'PackageFinder'] + + +SECURE_ORIGINS = [ + # protocol, hostname, port + # Taken from Chrome's list of secure origins (See: http://bit.ly/1qrySKC) + ("https", "*", "*"), + ("*", "localhost", "*"), + ("*", "127.0.0.0/8", "*"), + ("*", "::1/128", "*"), + ("file", "*", None), + # ssh is always secure. + ("ssh", "*", "*"), +] # type: List[SecureOrigin] + + +logger = logging.getLogger(__name__) + + +def _match_vcs_scheme(url): + # type: (str) -> Optional[str] + """Look for VCS schemes in the URL. + + Returns the matched VCS scheme, or None if there's no match. + """ + from pip._internal.vcs import VcsSupport + for scheme in VcsSupport.schemes: + if url.lower().startswith(scheme) and url[len(scheme)] in '+:': + return scheme + return None + + +def _is_url_like_archive(url): + # type: (str) -> bool + """Return whether the URL looks like an archive. + """ + filename = Link(url).filename + for bad_ext in ARCHIVE_EXTENSIONS: + if filename.endswith(bad_ext): + return True + return False + + +class _NotHTML(Exception): + def __init__(self, content_type, request_desc): + # type: (str, str) -> None + super(_NotHTML, self).__init__(content_type, request_desc) + self.content_type = content_type + self.request_desc = request_desc + + +def _ensure_html_header(response): + # type: (Response) -> None + """Check the Content-Type header to ensure the response contains HTML. + + Raises `_NotHTML` if the content type is not text/html. + """ + content_type = response.headers.get("Content-Type", "") + if not content_type.lower().startswith("text/html"): + raise _NotHTML(content_type, response.request.method) + + +class _NotHTTP(Exception): + pass + + +def _ensure_html_response(url, session): + # type: (str, PipSession) -> None + """Send a HEAD request to the URL, and ensure the response contains HTML. + + Raises `_NotHTTP` if the URL is not available for a HEAD request, or + `_NotHTML` if the content type is not text/html. + """ + scheme, netloc, path, query, fragment = urllib_parse.urlsplit(url) + if scheme not in {'http', 'https'}: + raise _NotHTTP() + + resp = session.head(url, allow_redirects=True) + resp.raise_for_status() + + _ensure_html_header(resp) + + +def _get_html_response(url, session): + # type: (str, PipSession) -> Response + """Access an HTML page with GET, and return the response. + + This consists of three parts: + + 1. If the URL looks suspiciously like an archive, send a HEAD first to + check the Content-Type is HTML, to avoid downloading a large file. + Raise `_NotHTTP` if the content type cannot be determined, or + `_NotHTML` if it is not HTML. + 2. Actually perform the request. Raise HTTP exceptions on network failures. + 3. Check the Content-Type header to make sure we got HTML, and raise + `_NotHTML` otherwise. + """ + if _is_url_like_archive(url): + _ensure_html_response(url, session=session) + + logger.debug('Getting page %s', url) + + resp = session.get( + url, + headers={ + "Accept": "text/html", + # We don't want to blindly returned cached data for + # /simple/, because authors generally expecting that + # twine upload && pip install will function, but if + # they've done a pip install in the last ~10 minutes + # it won't. Thus by setting this to zero we will not + # blindly use any cached data, however the benefit of + # using max-age=0 instead of no-cache, is that we will + # still support conditional requests, so we will still + # minimize traffic sent in cases where the page hasn't + # changed at all, we will just always incur the round + # trip for the conditional GET now instead of only + # once per 10 minutes. + # For more information, please see pypa/pip#5670. + "Cache-Control": "max-age=0", + }, + ) + resp.raise_for_status() + + # The check for archives above only works if the url ends with + # something that looks like an archive. However that is not a + # requirement of an url. Unless we issue a HEAD request on every + # url we cannot know ahead of time for sure if something is HTML + # or not. However we can check after we've downloaded it. + _ensure_html_header(resp) + + return resp + + +def _handle_get_page_fail( + link, # type: Link + reason, # type: Union[str, Exception] + meth=None # type: Optional[Callable[..., None]] +): + # type: (...) -> None + if meth is None: + meth = logger.debug + meth("Could not fetch URL %s: %s - skipping", link, reason) + + +def _get_html_page(link, session=None): + # type: (Link, Optional[PipSession]) -> Optional[HTMLPage] + if session is None: + raise TypeError( + "_get_html_page() missing 1 required keyword argument: 'session'" + ) + + url = link.url.split('#', 1)[0] + + # Check for VCS schemes that do not support lookup as web pages. + vcs_scheme = _match_vcs_scheme(url) + if vcs_scheme: + logger.debug('Cannot look at %s URL %s', vcs_scheme, link) + return None + + # Tack index.html onto file:// URLs that point to directories + scheme, _, path, _, _, _ = urllib_parse.urlparse(url) + if (scheme == 'file' and os.path.isdir(urllib_request.url2pathname(path))): + # add trailing slash if not present so urljoin doesn't trim + # final segment + if not url.endswith('/'): + url += '/' + url = urllib_parse.urljoin(url, 'index.html') + logger.debug(' file: URL is directory, getting %s', url) + + try: + resp = _get_html_response(url, session=session) + except _NotHTTP as exc: + logger.debug( + 'Skipping page %s because it looks like an archive, and cannot ' + 'be checked by HEAD.', link, + ) + except _NotHTML as exc: + logger.debug( + 'Skipping page %s because the %s request got Content-Type: %s', + link, exc.request_desc, exc.content_type, + ) + except requests.HTTPError as exc: + _handle_get_page_fail(link, exc) + except RetryError as exc: + _handle_get_page_fail(link, exc) + except SSLError as exc: + reason = "There was a problem confirming the ssl certificate: " + reason += str(exc) + _handle_get_page_fail(link, reason, meth=logger.info) + except requests.ConnectionError as exc: + _handle_get_page_fail(link, "connection error: %s" % exc) + except requests.Timeout: + _handle_get_page_fail(link, "timed out") + else: + return HTMLPage(resp.content, resp.url, resp.headers) + return None + + +class PackageFinder(object): + """This finds packages. + + This is meant to match easy_install's technique for looking for + packages, by reading pages and looking for appropriate links. + """ + + def __init__( + self, + find_links, # type: List[str] + index_urls, # type: List[str] + allow_all_prereleases=False, # type: bool + trusted_hosts=None, # type: Optional[Iterable[str]] + session=None, # type: Optional[PipSession] + format_control=None, # type: Optional[FormatControl] + platform=None, # type: Optional[str] + versions=None, # type: Optional[List[str]] + abi=None, # type: Optional[str] + implementation=None, # type: Optional[str] + prefer_binary=False # type: bool + ): + # type: (...) -> None + """Create a PackageFinder. + + :param format_control: A FormatControl object or None. Used to control + the selection of source packages / binary packages when consulting + the index and links. + :param platform: A string or None. If None, searches for packages + that are supported by the current system. Otherwise, will find + packages that can be built on the platform passed in. These + packages will only be downloaded for distribution: they will + not be built locally. + :param versions: A list of strings or None. This is passed directly + to pep425tags.py in the get_supported() method. + :param abi: A string or None. This is passed directly + to pep425tags.py in the get_supported() method. + :param implementation: A string or None. This is passed directly + to pep425tags.py in the get_supported() method. + """ + if session is None: + raise TypeError( + "PackageFinder() missing 1 required keyword argument: " + "'session'" + ) + + # Build find_links. If an argument starts with ~, it may be + # a local file relative to a home directory. So try normalizing + # it and if it exists, use the normalized version. + # This is deliberately conservative - it might be fine just to + # blindly normalize anything starting with a ~... + self.find_links = [] # type: List[str] + for link in find_links: + if link.startswith('~'): + new_link = normalize_path(link) + if os.path.exists(new_link): + link = new_link + self.find_links.append(link) + + self.index_urls = index_urls + + # These are boring links that have already been logged somehow: + self.logged_links = set() # type: Set[Link] + + self.format_control = format_control or FormatControl(set(), set()) + + # Domains that we won't emit warnings for when not using HTTPS + self.secure_origins = [ + ("*", host, "*") + for host in (trusted_hosts if trusted_hosts else []) + ] # type: List[SecureOrigin] + + # Do we want to allow _all_ pre-releases? + self.allow_all_prereleases = allow_all_prereleases + + # The Session we'll use to make requests + self.session = session + + # The valid tags to check potential found wheel candidates against + self.valid_tags = get_supported( + versions=versions, + platform=platform, + abi=abi, + impl=implementation, + ) + + # Do we prefer old, but valid, binary dist over new source dist + self.prefer_binary = prefer_binary + + # If we don't have TLS enabled, then WARN if anyplace we're looking + # relies on TLS. + if not HAS_TLS: + for link in itertools.chain(self.index_urls, self.find_links): + parsed = urllib_parse.urlparse(link) + if parsed.scheme == "https": + logger.warning( + "pip is configured with locations that require " + "TLS/SSL, however the ssl module in Python is not " + "available." + ) + break + + def get_formatted_locations(self): + # type: () -> str + lines = [] + if self.index_urls and self.index_urls != [PyPI.simple_url]: + lines.append( + "Looking in indexes: {}".format(", ".join( + redact_password_from_url(url) for url in self.index_urls)) + ) + if self.find_links: + lines.append( + "Looking in links: {}".format(", ".join(self.find_links)) + ) + return "\n".join(lines) + + @staticmethod + def _sort_locations(locations, expand_dir=False): + # type: (Sequence[str], bool) -> Tuple[List[str], List[str]] + """ + Sort locations into "files" (archives) and "urls", and return + a pair of lists (files,urls) + """ + files = [] + urls = [] + + # puts the url for the given file path into the appropriate list + def sort_path(path): + url = path_to_url(path) + if mimetypes.guess_type(url, strict=False)[0] == 'text/html': + urls.append(url) + else: + files.append(url) + + for url in locations: + + is_local_path = os.path.exists(url) + is_file_url = url.startswith('file:') + + if is_local_path or is_file_url: + if is_local_path: + path = url + else: + path = url_to_path(url) + if os.path.isdir(path): + if expand_dir: + path = os.path.realpath(path) + for item in os.listdir(path): + sort_path(os.path.join(path, item)) + elif is_file_url: + urls.append(url) + else: + logger.warning( + "Path '{0}' is ignored: " + "it is a directory.".format(path), + ) + elif os.path.isfile(path): + sort_path(path) + else: + logger.warning( + "Url '%s' is ignored: it is neither a file " + "nor a directory.", url, + ) + elif is_url(url): + # Only add url with clear scheme + urls.append(url) + else: + logger.warning( + "Url '%s' is ignored. It is either a non-existing " + "path or lacks a specific scheme.", url, + ) + + return files, urls + + def _candidate_sort_key(self, candidate): + # type: (InstallationCandidate) -> CandidateSortingKey + """ + Function used to generate link sort key for link tuples. + The greater the return value, the more preferred it is. + If not finding wheels, then sorted by version only. + If finding wheels, then the sort order is by version, then: + 1. existing installs + 2. wheels ordered via Wheel.support_index_min(self.valid_tags) + 3. source archives + If prefer_binary was set, then all wheels are sorted above sources. + Note: it was considered to embed this logic into the Link + comparison operators, but then different sdist links + with the same version, would have to be considered equal + """ + support_num = len(self.valid_tags) + build_tag = tuple() # type: BuildTag + binary_preference = 0 + if candidate.location.is_wheel: + # can raise InvalidWheelFilename + wheel = Wheel(candidate.location.filename) + if not wheel.supported(self.valid_tags): + raise UnsupportedWheel( + "%s is not a supported wheel for this platform. It " + "can't be sorted." % wheel.filename + ) + if self.prefer_binary: + binary_preference = 1 + pri = -(wheel.support_index_min(self.valid_tags)) + if wheel.build_tag is not None: + match = re.match(r'^(\d+)(.*)$', wheel.build_tag) + build_tag_groups = match.groups() + build_tag = (int(build_tag_groups[0]), build_tag_groups[1]) + else: # sdist + pri = -(support_num) + return (binary_preference, candidate.version, build_tag, pri) + + def _validate_secure_origin(self, logger, location): + # type: (Logger, Link) -> bool + # Determine if this url used a secure transport mechanism + parsed = urllib_parse.urlparse(str(location)) + origin = (parsed.scheme, parsed.hostname, parsed.port) + + # The protocol to use to see if the protocol matches. + # Don't count the repository type as part of the protocol: in + # cases such as "git+ssh", only use "ssh". (I.e., Only verify against + # the last scheme.) + protocol = origin[0].rsplit('+', 1)[-1] + + # Determine if our origin is a secure origin by looking through our + # hardcoded list of secure origins, as well as any additional ones + # configured on this PackageFinder instance. + for secure_origin in (SECURE_ORIGINS + self.secure_origins): + if protocol != secure_origin[0] and secure_origin[0] != "*": + continue + + try: + # We need to do this decode dance to ensure that we have a + # unicode object, even on Python 2.x. + addr = ipaddress.ip_address( + origin[1] + if ( + isinstance(origin[1], six.text_type) or + origin[1] is None + ) + else origin[1].decode("utf8") + ) + network = ipaddress.ip_network( + secure_origin[1] + if isinstance(secure_origin[1], six.text_type) + # setting secure_origin[1] to proper Union[bytes, str] + # creates problems in other places + else secure_origin[1].decode("utf8") # type: ignore + ) + except ValueError: + # We don't have both a valid address or a valid network, so + # we'll check this origin against hostnames. + if (origin[1] and + origin[1].lower() != secure_origin[1].lower() and + secure_origin[1] != "*"): + continue + else: + # We have a valid address and network, so see if the address + # is contained within the network. + if addr not in network: + continue + + # Check to see if the port patches + if (origin[2] != secure_origin[2] and + secure_origin[2] != "*" and + secure_origin[2] is not None): + continue + + # If we've gotten here, then this origin matches the current + # secure origin and we should return True + return True + + # If we've gotten to this point, then the origin isn't secure and we + # will not accept it as a valid location to search. We will however + # log a warning that we are ignoring it. + logger.warning( + "The repository located at %s is not a trusted or secure host and " + "is being ignored. If this repository is available via HTTPS we " + "recommend you use HTTPS instead, otherwise you may silence " + "this warning and allow it anyway with '--trusted-host %s'.", + parsed.hostname, + parsed.hostname, + ) + + return False + + def _get_index_urls_locations(self, project_name): + # type: (str) -> List[str] + """Returns the locations found via self.index_urls + + Checks the url_name on the main (first in the list) index and + use this url_name to produce all locations + """ + + def mkurl_pypi_url(url): + loc = posixpath.join( + url, + urllib_parse.quote(canonicalize_name(project_name))) + # For maximum compatibility with easy_install, ensure the path + # ends in a trailing slash. Although this isn't in the spec + # (and PyPI can handle it without the slash) some other index + # implementations might break if they relied on easy_install's + # behavior. + if not loc.endswith('/'): + loc = loc + '/' + return loc + + return [mkurl_pypi_url(url) for url in self.index_urls] + + def find_all_candidates(self, project_name): + # type: (str) -> List[Optional[InstallationCandidate]] + """Find all available InstallationCandidate for project_name + + This checks index_urls and find_links. + All versions found are returned as an InstallationCandidate list. + + See _link_package_versions for details on which files are accepted + """ + index_locations = self._get_index_urls_locations(project_name) + index_file_loc, index_url_loc = self._sort_locations(index_locations) + fl_file_loc, fl_url_loc = self._sort_locations( + self.find_links, expand_dir=True, + ) + + file_locations = (Link(url) for url in itertools.chain( + index_file_loc, fl_file_loc, + )) + + # We trust every url that the user has given us whether it was given + # via --index-url or --find-links. + # We want to filter out any thing which does not have a secure origin. + url_locations = [ + link for link in itertools.chain( + (Link(url) for url in index_url_loc), + (Link(url) for url in fl_url_loc), + ) + if self._validate_secure_origin(logger, link) + ] + + logger.debug('%d location(s) to search for versions of %s:', + len(url_locations), project_name) + + for location in url_locations: + logger.debug('* %s', location) + + canonical_name = canonicalize_name(project_name) + formats = self.format_control.get_allowed_formats(canonical_name) + search = Search(project_name, canonical_name, formats) + find_links_versions = self._package_versions( + # We trust every directly linked archive in find_links + (Link(url, '-f') for url in self.find_links), + search + ) + + page_versions = [] + for page in self._get_pages(url_locations, project_name): + logger.debug('Analyzing links from page %s', page.url) + with indent_log(): + page_versions.extend( + self._package_versions(page.iter_links(), search) + ) + + file_versions = self._package_versions(file_locations, search) + if file_versions: + file_versions.sort(reverse=True) + logger.debug( + 'Local files found: %s', + ', '.join([ + url_to_path(candidate.location.url) + for candidate in file_versions + ]) + ) + + # This is an intentional priority ordering + return file_versions + find_links_versions + page_versions + + def find_requirement(self, req, upgrade): + # type: (InstallRequirement, bool) -> Optional[Link] + """Try to find a Link matching req + + Expects req, an InstallRequirement and upgrade, a boolean + Returns a Link if found, + Raises DistributionNotFound or BestVersionAlreadyInstalled otherwise + """ + all_candidates = self.find_all_candidates(req.name) + + # Filter out anything which doesn't match our specifier + compatible_versions = set( + req.specifier.filter( + # We turn the version object into a str here because otherwise + # when we're debundled but setuptools isn't, Python will see + # packaging.version.Version and + # pkg_resources._vendor.packaging.version.Version as different + # types. This way we'll use a str as a common data interchange + # format. If we stop using the pkg_resources provided specifier + # and start using our own, we can drop the cast to str(). + [str(c.version) for c in all_candidates], + prereleases=( + self.allow_all_prereleases + if self.allow_all_prereleases else None + ), + ) + ) + applicable_candidates = [ + # Again, converting to str to deal with debundling. + c for c in all_candidates if str(c.version) in compatible_versions + ] + + if applicable_candidates: + best_candidate = max(applicable_candidates, + key=self._candidate_sort_key) + else: + best_candidate = None + + if req.satisfied_by is not None: + installed_version = parse_version(req.satisfied_by.version) + else: + installed_version = None + + if installed_version is None and best_candidate is None: + logger.critical( + 'Could not find a version that satisfies the requirement %s ' + '(from versions: %s)', + req, + ', '.join( + sorted( + {str(c.version) for c in all_candidates}, + key=parse_version, + ) + ) + ) + + raise DistributionNotFound( + 'No matching distribution found for %s' % req + ) + + best_installed = False + if installed_version and ( + best_candidate is None or + best_candidate.version <= installed_version): + best_installed = True + + if not upgrade and installed_version is not None: + if best_installed: + logger.debug( + 'Existing installed version (%s) is most up-to-date and ' + 'satisfies requirement', + installed_version, + ) + else: + logger.debug( + 'Existing installed version (%s) satisfies requirement ' + '(most up-to-date version is %s)', + installed_version, + best_candidate.version, + ) + return None + + if best_installed: + # We have an existing version, and its the best version + logger.debug( + 'Installed version (%s) is most up-to-date (past versions: ' + '%s)', + installed_version, + ', '.join(sorted(compatible_versions, key=parse_version)) or + "none", + ) + raise BestVersionAlreadyInstalled + + logger.debug( + 'Using version %s (newest of versions: %s)', + best_candidate.version, + ', '.join(sorted(compatible_versions, key=parse_version)) + ) + return best_candidate.location + + def _get_pages(self, locations, project_name): + # type: (Iterable[Link], str) -> Iterable[HTMLPage] + """ + Yields (page, page_url) from the given locations, skipping + locations that have errors. + """ + seen = set() # type: Set[Link] + for location in locations: + if location in seen: + continue + seen.add(location) + + page = _get_html_page(location, session=self.session) + if page is None: + continue + + yield page + + _py_version_re = re.compile(r'-py([123]\.?[0-9]?)$') + + def _sort_links(self, links): + # type: (Iterable[Link]) -> List[Link] + """ + Returns elements of links in order, non-egg links first, egg links + second, while eliminating duplicates + """ + eggs, no_eggs = [], [] + seen = set() # type: Set[Link] + for link in links: + if link not in seen: + seen.add(link) + if link.egg_fragment: + eggs.append(link) + else: + no_eggs.append(link) + return no_eggs + eggs + + def _package_versions( + self, + links, # type: Iterable[Link] + search # type: Search + ): + # type: (...) -> List[Optional[InstallationCandidate]] + result = [] + for link in self._sort_links(links): + v = self._link_package_versions(link, search) + if v is not None: + result.append(v) + return result + + def _log_skipped_link(self, link, reason): + # type: (Link, str) -> None + if link not in self.logged_links: + logger.debug('Skipping link %s; %s', link, reason) + self.logged_links.add(link) + + def _link_package_versions(self, link, search): + # type: (Link, Search) -> Optional[InstallationCandidate] + """Return an InstallationCandidate or None""" + version = None + if link.egg_fragment: + egg_info = link.egg_fragment + ext = link.ext + else: + egg_info, ext = link.splitext() + if not ext: + self._log_skipped_link(link, 'not a file') + return None + if ext not in SUPPORTED_EXTENSIONS: + self._log_skipped_link( + link, 'unsupported archive format: %s' % ext, + ) + return None + if "binary" not in search.formats and ext == WHEEL_EXTENSION: + self._log_skipped_link( + link, 'No binaries permitted for %s' % search.supplied, + ) + return None + if "macosx10" in link.path and ext == '.zip': + self._log_skipped_link(link, 'macosx10 one') + return None + if ext == WHEEL_EXTENSION: + try: + wheel = Wheel(link.filename) + except InvalidWheelFilename: + self._log_skipped_link(link, 'invalid wheel filename') + return None + if canonicalize_name(wheel.name) != search.canonical: + self._log_skipped_link( + link, 'wrong project name (not %s)' % search.supplied) + return None + + if not wheel.supported(self.valid_tags): + self._log_skipped_link( + link, 'it is not compatible with this Python') + return None + + version = wheel.version + + # This should be up by the search.ok_binary check, but see issue 2700. + if "source" not in search.formats and ext != WHEEL_EXTENSION: + self._log_skipped_link( + link, 'No sources permitted for %s' % search.supplied, + ) + return None + + if not version: + version = _egg_info_matches(egg_info, search.canonical) + if not version: + self._log_skipped_link( + link, 'Missing project version for %s' % search.supplied) + return None + + match = self._py_version_re.search(version) + if match: + version = version[:match.start()] + py_version = match.group(1) + if py_version != sys.version[:3]: + self._log_skipped_link( + link, 'Python version is incorrect') + return None + try: + support_this_python = check_requires_python(link.requires_python) + except specifiers.InvalidSpecifier: + logger.debug("Package %s has an invalid Requires-Python entry: %s", + link.filename, link.requires_python) + support_this_python = True + + if not support_this_python: + logger.debug("The package %s is incompatible with the python " + "version in use. Acceptable python versions are: %s", + link, link.requires_python) + return None + logger.debug('Found link %s, version: %s', link, version) + + return InstallationCandidate(search.supplied, version, link) + + +def _find_name_version_sep(egg_info, canonical_name): + # type: (str, str) -> int + """Find the separator's index based on the package's canonical name. + + `egg_info` must be an egg info string for the given package, and + `canonical_name` must be the package's canonical name. + + This function is needed since the canonicalized name does not necessarily + have the same length as the egg info's name part. An example:: + + >>> egg_info = 'foo__bar-1.0' + >>> canonical_name = 'foo-bar' + >>> _find_name_version_sep(egg_info, canonical_name) + 8 + """ + # Project name and version must be separated by one single dash. Find all + # occurrences of dashes; if the string in front of it matches the canonical + # name, this is the one separating the name and version parts. + for i, c in enumerate(egg_info): + if c != "-": + continue + if canonicalize_name(egg_info[:i]) == canonical_name: + return i + raise ValueError("{} does not match {}".format(egg_info, canonical_name)) + + +def _egg_info_matches(egg_info, canonical_name): + # type: (str, str) -> Optional[str] + """Pull the version part out of a string. + + :param egg_info: The string to parse. E.g. foo-2.1 + :param canonical_name: The canonicalized name of the package this + belongs to. + """ + try: + version_start = _find_name_version_sep(egg_info, canonical_name) + 1 + except ValueError: + return None + version = egg_info[version_start:] + if not version: + return None + return version + + +def _determine_base_url(document, page_url): + """Determine the HTML document's base URL. + + This looks for a ```` tag in the HTML document. If present, its href + attribute denotes the base URL of anchor tags in the document. If there is + no such tag (or if it does not have a valid href attribute), the HTML + file's URL is used as the base URL. + + :param document: An HTML document representation. The current + implementation expects the result of ``html5lib.parse()``. + :param page_url: The URL of the HTML document. + """ + for base in document.findall(".//base"): + href = base.get("href") + if href is not None: + return href + return page_url + + +def _get_encoding_from_headers(headers): + """Determine if we have any encoding information in our headers. + """ + if headers and "Content-Type" in headers: + content_type, params = cgi.parse_header(headers["Content-Type"]) + if "charset" in params: + return params['charset'] + return None + + +_CLEAN_LINK_RE = re.compile(r'[^a-z0-9$&+,/:;=?@.#%_\\|-]', re.I) + + +def _clean_link(url): + # type: (str) -> str + """Makes sure a link is fully encoded. That is, if a ' ' shows up in + the link, it will be rewritten to %20 (while not over-quoting + % or other characters).""" + return _CLEAN_LINK_RE.sub(lambda match: '%%%2x' % ord(match.group(0)), url) + + +class HTMLPage(object): + """Represents one page, along with its URL""" + + def __init__(self, content, url, headers=None): + # type: (bytes, str, MutableMapping[str, str]) -> None + self.content = content + self.url = url + self.headers = headers + + def __str__(self): + return redact_password_from_url(self.url) + + def iter_links(self): + # type: () -> Iterable[Link] + """Yields all links in the page""" + document = html5lib.parse( + self.content, + transport_encoding=_get_encoding_from_headers(self.headers), + namespaceHTMLElements=False, + ) + base_url = _determine_base_url(document, self.url) + for anchor in document.findall(".//a"): + if anchor.get("href"): + href = anchor.get("href") + url = _clean_link(urllib_parse.urljoin(base_url, href)) + pyrequire = anchor.get('data-requires-python') + pyrequire = unescape(pyrequire) if pyrequire else None + yield Link(url, self.url, requires_python=pyrequire) + + +Search = namedtuple('Search', 'supplied canonical formats') +"""Capture key aspects of a search. + +:attribute supplied: The user supplied package. +:attribute canonical: The canonical package name. +:attribute formats: The formats allowed for this package. Should be a set + with 'binary' or 'source' or both in it. +""" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/locations.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/locations.py new file mode 100644 index 0000000..c6e2a3e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/locations.py @@ -0,0 +1,211 @@ +"""Locations where we look for configs, install stuff, etc""" +from __future__ import absolute_import + +import os +import os.path +import platform +import site +import sys +import sysconfig +from distutils import sysconfig as distutils_sysconfig +from distutils.command.install import SCHEME_KEYS # type: ignore + +from pip._internal.utils import appdirs +from pip._internal.utils.compat import WINDOWS, expanduser +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import Any, Union, Dict, List, Optional # noqa: F401 + + +# Application Directories +USER_CACHE_DIR = appdirs.user_cache_dir("pip") + + +DELETE_MARKER_MESSAGE = '''\ +This file is placed here by pip to indicate the source was put +here by pip. + +Once this package is successfully installed this source code will be +deleted (unless you remove this file). +''' +PIP_DELETE_MARKER_FILENAME = 'pip-delete-this-directory.txt' + + +def write_delete_marker_file(directory): + # type: (str) -> None + """ + Write the pip delete marker file into this directory. + """ + filepath = os.path.join(directory, PIP_DELETE_MARKER_FILENAME) + with open(filepath, 'w') as marker_fp: + marker_fp.write(DELETE_MARKER_MESSAGE) + + +def running_under_virtualenv(): + # type: () -> bool + """ + Return True if we're running inside a virtualenv, False otherwise. + + """ + if hasattr(sys, 'real_prefix'): + return True + elif sys.prefix != getattr(sys, "base_prefix", sys.prefix): + return True + + return False + + +def virtualenv_no_global(): + # type: () -> bool + """ + Return True if in a venv and no system site packages. + """ + # this mirrors the logic in virtualenv.py for locating the + # no-global-site-packages.txt file + site_mod_dir = os.path.dirname(os.path.abspath(site.__file__)) + no_global_file = os.path.join(site_mod_dir, 'no-global-site-packages.txt') + if running_under_virtualenv() and os.path.isfile(no_global_file): + return True + else: + return False + + +if running_under_virtualenv(): + src_prefix = os.path.join(sys.prefix, 'src') +else: + # FIXME: keep src in cwd for now (it is not a temporary folder) + try: + src_prefix = os.path.join(os.getcwd(), 'src') + except OSError: + # In case the current working directory has been renamed or deleted + sys.exit( + "The folder you are executing pip from can no longer be found." + ) + +# under macOS + virtualenv sys.prefix is not properly resolved +# it is something like /path/to/python/bin/.. +# Note: using realpath due to tmp dirs on OSX being symlinks +src_prefix = os.path.abspath(src_prefix) + +# FIXME doesn't account for venv linked to global site-packages + +site_packages = sysconfig.get_path("purelib") # type: Optional[str] + +# This is because of a bug in PyPy's sysconfig module, see +# https://bitbucket.org/pypy/pypy/issues/2506/sysconfig-returns-incorrect-paths +# for more information. +if platform.python_implementation().lower() == "pypy": + site_packages = distutils_sysconfig.get_python_lib() +try: + # Use getusersitepackages if this is present, as it ensures that the + # value is initialised properly. + user_site = site.getusersitepackages() +except AttributeError: + user_site = site.USER_SITE +user_dir = expanduser('~') +if WINDOWS: + bin_py = os.path.join(sys.prefix, 'Scripts') + bin_user = os.path.join(user_site, 'Scripts') + # buildout uses 'bin' on Windows too? + if not os.path.exists(bin_py): + bin_py = os.path.join(sys.prefix, 'bin') + bin_user = os.path.join(user_site, 'bin') + + config_basename = 'pip.ini' + + legacy_storage_dir = os.path.join(user_dir, 'pip') + legacy_config_file = os.path.join( + legacy_storage_dir, + config_basename, + ) +else: + bin_py = os.path.join(sys.prefix, 'bin') + bin_user = os.path.join(user_site, 'bin') + + config_basename = 'pip.conf' + + legacy_storage_dir = os.path.join(user_dir, '.pip') + legacy_config_file = os.path.join( + legacy_storage_dir, + config_basename, + ) + # Forcing to use /usr/local/bin for standard macOS framework installs + # Also log to ~/Library/Logs/ for use with the Console.app log viewer + if sys.platform[:6] == 'darwin' and sys.prefix[:16] == '/System/Library/': + bin_py = '/usr/local/bin' + +site_config_files = [ + os.path.join(path, config_basename) + for path in appdirs.site_config_dirs('pip') +] + +venv_config_file = os.path.join(sys.prefix, config_basename) +new_config_file = os.path.join(appdirs.user_config_dir("pip"), config_basename) + + +def distutils_scheme(dist_name, user=False, home=None, root=None, + isolated=False, prefix=None): + # type:(str, bool, str, str, bool, str) -> dict + """ + Return a distutils install scheme + """ + from distutils.dist import Distribution + + scheme = {} + + if isolated: + extra_dist_args = {"script_args": ["--no-user-cfg"]} + else: + extra_dist_args = {} + dist_args = {'name': dist_name} # type: Dict[str, Union[str, List[str]]] + dist_args.update(extra_dist_args) + + d = Distribution(dist_args) + # Ignoring, typeshed issue reported python/typeshed/issues/2567 + d.parse_config_files() + # NOTE: Ignoring type since mypy can't find attributes on 'Command' + i = d.get_command_obj('install', create=True) # type: Any + assert i is not None + # NOTE: setting user or home has the side-effect of creating the home dir + # or user base for installations during finalize_options() + # ideally, we'd prefer a scheme class that has no side-effects. + assert not (user and prefix), "user={} prefix={}".format(user, prefix) + i.user = user or i.user + if user: + i.prefix = "" + i.prefix = prefix or i.prefix + i.home = home or i.home + i.root = root or i.root + i.finalize_options() + for key in SCHEME_KEYS: + scheme[key] = getattr(i, 'install_' + key) + + # install_lib specified in setup.cfg should install *everything* + # into there (i.e. it takes precedence over both purelib and + # platlib). Note, i.install_lib is *always* set after + # finalize_options(); we only want to override here if the user + # has explicitly requested it hence going back to the config + + # Ignoring, typeshed issue reported python/typeshed/issues/2567 + if 'install_lib' in d.get_option_dict('install'): # type: ignore + scheme.update(dict(purelib=i.install_lib, platlib=i.install_lib)) + + if running_under_virtualenv(): + scheme['headers'] = os.path.join( + sys.prefix, + 'include', + 'site', + 'python' + sys.version[:3], + dist_name, + ) + + if root is not None: + path_no_drive = os.path.splitdrive( + os.path.abspath(scheme["headers"]))[1] + scheme["headers"] = os.path.join( + root, + path_no_drive[1:], + ) + + return scheme diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/__init__.py new file mode 100644 index 0000000..7855226 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/__init__.py @@ -0,0 +1,2 @@ +"""A package that contains models that represent entities. +""" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/candidate.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/candidate.py new file mode 100644 index 0000000..4475458 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/candidate.py @@ -0,0 +1,31 @@ +from pip._vendor.packaging.version import parse as parse_version + +from pip._internal.utils.models import KeyBasedCompareMixin +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from pip._vendor.packaging.version import _BaseVersion # noqa: F401 + from pip._internal.models.link import Link # noqa: F401 + from typing import Any, Union # noqa: F401 + + +class InstallationCandidate(KeyBasedCompareMixin): + """Represents a potential "candidate" for installation. + """ + + def __init__(self, project, version, location): + # type: (Any, str, Link) -> None + self.project = project + self.version = parse_version(version) # type: _BaseVersion + self.location = location + + super(InstallationCandidate, self).__init__( + key=(self.project, self.version, self.location), + defining_class=InstallationCandidate + ) + + def __repr__(self): + # type: () -> str + return "".format( + self.project, self.version, self.location, + ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/format_control.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/format_control.py new file mode 100644 index 0000000..971a391 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/format_control.py @@ -0,0 +1,73 @@ +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import Optional, Set, FrozenSet # noqa: F401 + + +class FormatControl(object): + """Helper for managing formats from which a package can be installed. + """ + + def __init__(self, no_binary=None, only_binary=None): + # type: (Optional[Set], Optional[Set]) -> None + if no_binary is None: + no_binary = set() + if only_binary is None: + only_binary = set() + + self.no_binary = no_binary + self.only_binary = only_binary + + def __eq__(self, other): + return self.__dict__ == other.__dict__ + + def __ne__(self, other): + return not self.__eq__(other) + + def __repr__(self): + return "{}({}, {})".format( + self.__class__.__name__, + self.no_binary, + self.only_binary + ) + + @staticmethod + def handle_mutual_excludes(value, target, other): + # type: (str, Optional[Set], Optional[Set]) -> None + new = value.split(',') + while ':all:' in new: + other.clear() + target.clear() + target.add(':all:') + del new[:new.index(':all:') + 1] + # Without a none, we want to discard everything as :all: covers it + if ':none:' not in new: + return + for name in new: + if name == ':none:': + target.clear() + continue + name = canonicalize_name(name) + other.discard(name) + target.add(name) + + def get_allowed_formats(self, canonical_name): + # type: (str) -> FrozenSet + result = {"binary", "source"} + if canonical_name in self.only_binary: + result.discard('source') + elif canonical_name in self.no_binary: + result.discard('binary') + elif ':all:' in self.only_binary: + result.discard('source') + elif ':all:' in self.no_binary: + result.discard('binary') + return frozenset(result) + + def disallow_binaries(self): + # type: () -> None + self.handle_mutual_excludes( + ':all:', self.no_binary, self.only_binary, + ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/index.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/index.py new file mode 100644 index 0000000..ead1efb --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/index.py @@ -0,0 +1,31 @@ +from pip._vendor.six.moves.urllib import parse as urllib_parse + + +class PackageIndex(object): + """Represents a Package Index and provides easier access to endpoints + """ + + def __init__(self, url, file_storage_domain): + # type: (str, str) -> None + super(PackageIndex, self).__init__() + self.url = url + self.netloc = urllib_parse.urlsplit(url).netloc + self.simple_url = self._url_for_path('simple') + self.pypi_url = self._url_for_path('pypi') + + # This is part of a temporary hack used to block installs of PyPI + # packages which depend on external urls only necessary until PyPI can + # block such packages themselves + self.file_storage_domain = file_storage_domain + + def _url_for_path(self, path): + # type: (str) -> str + return urllib_parse.urljoin(self.url, path) + + +PyPI = PackageIndex( + 'https://pypi.org/', file_storage_domain='files.pythonhosted.org' +) +TestPyPI = PackageIndex( + 'https://test.pypi.org/', file_storage_domain='test-files.pythonhosted.org' +) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/link.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/link.py new file mode 100644 index 0000000..ad2f93e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/link.py @@ -0,0 +1,163 @@ +import posixpath +import re + +from pip._vendor.six.moves.urllib import parse as urllib_parse + +from pip._internal.download import path_to_url +from pip._internal.utils.misc import ( + WHEEL_EXTENSION, redact_password_from_url, splitext, +) +from pip._internal.utils.models import KeyBasedCompareMixin +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import Optional, Tuple, Union, Text # noqa: F401 + from pip._internal.index import HTMLPage # noqa: F401 + + +class Link(KeyBasedCompareMixin): + """Represents a parsed link from a Package Index's simple URL + """ + + def __init__(self, url, comes_from=None, requires_python=None): + # type: (str, Optional[Union[str, HTMLPage]], Optional[str]) -> None + """ + url: + url of the resource pointed to (href of the link) + comes_from: + instance of HTMLPage where the link was found, or string. + requires_python: + String containing the `Requires-Python` metadata field, specified + in PEP 345. This may be specified by a data-requires-python + attribute in the HTML link tag, as described in PEP 503. + """ + + # url can be a UNC windows share + if url.startswith('\\\\'): + url = path_to_url(url) + + self.url = url + self.comes_from = comes_from + self.requires_python = requires_python if requires_python else None + + super(Link, self).__init__( + key=(self.url), + defining_class=Link + ) + + def __str__(self): + if self.requires_python: + rp = ' (requires-python:%s)' % self.requires_python + else: + rp = '' + if self.comes_from: + return '%s (from %s)%s' % (redact_password_from_url(self.url), + self.comes_from, rp) + else: + return redact_password_from_url(str(self.url)) + + def __repr__(self): + return '' % self + + @property + def filename(self): + # type: () -> str + _, netloc, path, _, _ = urllib_parse.urlsplit(self.url) + name = posixpath.basename(path.rstrip('/')) or netloc + name = urllib_parse.unquote(name) + assert name, ('URL %r produced no filename' % self.url) + return name + + @property + def scheme(self): + # type: () -> str + return urllib_parse.urlsplit(self.url)[0] + + @property + def netloc(self): + # type: () -> str + return urllib_parse.urlsplit(self.url)[1] + + @property + def path(self): + # type: () -> str + return urllib_parse.unquote(urllib_parse.urlsplit(self.url)[2]) + + def splitext(self): + # type: () -> Tuple[str, str] + return splitext(posixpath.basename(self.path.rstrip('/'))) + + @property + def ext(self): + # type: () -> str + return self.splitext()[1] + + @property + def url_without_fragment(self): + # type: () -> str + scheme, netloc, path, query, fragment = urllib_parse.urlsplit(self.url) + return urllib_parse.urlunsplit((scheme, netloc, path, query, None)) + + _egg_fragment_re = re.compile(r'[#&]egg=([^&]*)') + + @property + def egg_fragment(self): + # type: () -> Optional[str] + match = self._egg_fragment_re.search(self.url) + if not match: + return None + return match.group(1) + + _subdirectory_fragment_re = re.compile(r'[#&]subdirectory=([^&]*)') + + @property + def subdirectory_fragment(self): + # type: () -> Optional[str] + match = self._subdirectory_fragment_re.search(self.url) + if not match: + return None + return match.group(1) + + _hash_re = re.compile( + r'(sha1|sha224|sha384|sha256|sha512|md5)=([a-f0-9]+)' + ) + + @property + def hash(self): + # type: () -> Optional[str] + match = self._hash_re.search(self.url) + if match: + return match.group(2) + return None + + @property + def hash_name(self): + # type: () -> Optional[str] + match = self._hash_re.search(self.url) + if match: + return match.group(1) + return None + + @property + def show_url(self): + # type: () -> Optional[str] + return posixpath.basename(self.url.split('#', 1)[0].split('?', 1)[0]) + + @property + def is_wheel(self): + # type: () -> bool + return self.ext == WHEEL_EXTENSION + + @property + def is_artifact(self): + # type: () -> bool + """ + Determines if this points to an actual artifact (e.g. a tarball) or if + it points to an "abstract" thing like a path or a VCS location. + """ + from pip._internal.vcs import vcs + + if self.scheme in vcs.all_schemes: + return False + + return True diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/check.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/check.py new file mode 100644 index 0000000..0b56eda --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/check.py @@ -0,0 +1,155 @@ +"""Validation of dependencies of packages +""" + +import logging +from collections import namedtuple + +from pip._vendor.packaging.utils import canonicalize_name +from pip._vendor.pkg_resources import RequirementParseError + +from pip._internal.operations.prepare import make_abstract_dist +from pip._internal.utils.misc import get_installed_distributions +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +logger = logging.getLogger(__name__) + +if MYPY_CHECK_RUNNING: + from pip._internal.req.req_install import InstallRequirement # noqa: F401 + from typing import ( # noqa: F401 + Any, Callable, Dict, Optional, Set, Tuple, List + ) + + # Shorthands + PackageSet = Dict[str, 'PackageDetails'] + Missing = Tuple[str, Any] + Conflicting = Tuple[str, str, Any] + + MissingDict = Dict[str, List[Missing]] + ConflictingDict = Dict[str, List[Conflicting]] + CheckResult = Tuple[MissingDict, ConflictingDict] + +PackageDetails = namedtuple('PackageDetails', ['version', 'requires']) + + +def create_package_set_from_installed(**kwargs): + # type: (**Any) -> Tuple[PackageSet, bool] + """Converts a list of distributions into a PackageSet. + """ + # Default to using all packages installed on the system + if kwargs == {}: + kwargs = {"local_only": False, "skip": ()} + + package_set = {} + problems = False + for dist in get_installed_distributions(**kwargs): + name = canonicalize_name(dist.project_name) + try: + package_set[name] = PackageDetails(dist.version, dist.requires()) + except RequirementParseError as e: + # Don't crash on broken metadata + logging.warning("Error parsing requirements for %s: %s", name, e) + problems = True + return package_set, problems + + +def check_package_set(package_set, should_ignore=None): + # type: (PackageSet, Optional[Callable[[str], bool]]) -> CheckResult + """Check if a package set is consistent + + If should_ignore is passed, it should be a callable that takes a + package name and returns a boolean. + """ + if should_ignore is None: + def should_ignore(name): + return False + + missing = dict() + conflicting = dict() + + for package_name in package_set: + # Info about dependencies of package_name + missing_deps = set() # type: Set[Missing] + conflicting_deps = set() # type: Set[Conflicting] + + if should_ignore(package_name): + continue + + for req in package_set[package_name].requires: + name = canonicalize_name(req.project_name) # type: str + + # Check if it's missing + if name not in package_set: + missed = True + if req.marker is not None: + missed = req.marker.evaluate() + if missed: + missing_deps.add((name, req)) + continue + + # Check if there's a conflict + version = package_set[name].version # type: str + if not req.specifier.contains(version, prereleases=True): + conflicting_deps.add((name, version, req)) + + if missing_deps: + missing[package_name] = sorted(missing_deps, key=str) + if conflicting_deps: + conflicting[package_name] = sorted(conflicting_deps, key=str) + + return missing, conflicting + + +def check_install_conflicts(to_install): + # type: (List[InstallRequirement]) -> Tuple[PackageSet, CheckResult] + """For checking if the dependency graph would be consistent after \ + installing given requirements + """ + # Start from the current state + package_set, _ = create_package_set_from_installed() + # Install packages + would_be_installed = _simulate_installation_of(to_install, package_set) + + # Only warn about directly-dependent packages; create a whitelist of them + whitelist = _create_whitelist(would_be_installed, package_set) + + return ( + package_set, + check_package_set( + package_set, should_ignore=lambda name: name not in whitelist + ) + ) + + +def _simulate_installation_of(to_install, package_set): + # type: (List[InstallRequirement], PackageSet) -> Set[str] + """Computes the version of packages after installing to_install. + """ + + # Keep track of packages that were installed + installed = set() + + # Modify it as installing requirement_set would (assuming no errors) + for inst_req in to_install: + dist = make_abstract_dist(inst_req).dist() + name = canonicalize_name(dist.key) + package_set[name] = PackageDetails(dist.version, dist.requires()) + + installed.add(name) + + return installed + + +def _create_whitelist(would_be_installed, package_set): + # type: (Set[str], PackageSet) -> Set[str] + packages_affected = set(would_be_installed) + + for package_name in package_set: + if package_name in packages_affected: + continue + + for req in package_set[package_name].requires: + if canonicalize_name(req.name) in packages_affected: + packages_affected.add(package_name) + break + + return packages_affected diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/freeze.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/freeze.py new file mode 100644 index 0000000..388bb73 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/freeze.py @@ -0,0 +1,247 @@ +from __future__ import absolute_import + +import collections +import logging +import os +import re + +from pip._vendor import six +from pip._vendor.packaging.utils import canonicalize_name +from pip._vendor.pkg_resources import RequirementParseError + +from pip._internal.exceptions import BadCommand, InstallationError +from pip._internal.req.constructors import ( + install_req_from_editable, install_req_from_line, +) +from pip._internal.req.req_file import COMMENT_RE +from pip._internal.utils.misc import ( + dist_is_editable, get_installed_distributions, +) +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import ( # noqa: F401 + Iterator, Optional, List, Container, Set, Dict, Tuple, Iterable, Union + ) + from pip._internal.cache import WheelCache # noqa: F401 + from pip._vendor.pkg_resources import ( # noqa: F401 + Distribution, Requirement + ) + + RequirementInfo = Tuple[Optional[Union[str, Requirement]], bool, List[str]] + + +logger = logging.getLogger(__name__) + + +def freeze( + requirement=None, # type: Optional[List[str]] + find_links=None, # type: Optional[List[str]] + local_only=None, # type: Optional[bool] + user_only=None, # type: Optional[bool] + skip_regex=None, # type: Optional[str] + isolated=False, # type: bool + wheel_cache=None, # type: Optional[WheelCache] + exclude_editable=False, # type: bool + skip=() # type: Container[str] +): + # type: (...) -> Iterator[str] + find_links = find_links or [] + skip_match = None + + if skip_regex: + skip_match = re.compile(skip_regex).search + + for link in find_links: + yield '-f %s' % link + installations = {} # type: Dict[str, FrozenRequirement] + for dist in get_installed_distributions(local_only=local_only, + skip=(), + user_only=user_only): + try: + req = FrozenRequirement.from_dist(dist) + except RequirementParseError: + logger.warning( + "Could not parse requirement: %s", + dist.project_name + ) + continue + if exclude_editable and req.editable: + continue + installations[req.name] = req + + if requirement: + # the options that don't get turned into an InstallRequirement + # should only be emitted once, even if the same option is in multiple + # requirements files, so we need to keep track of what has been emitted + # so that we don't emit it again if it's seen again + emitted_options = set() # type: Set[str] + # keep track of which files a requirement is in so that we can + # give an accurate warning if a requirement appears multiple times. + req_files = collections.defaultdict(list) # type: Dict[str, List[str]] + for req_file_path in requirement: + with open(req_file_path) as req_file: + for line in req_file: + if (not line.strip() or + line.strip().startswith('#') or + (skip_match and skip_match(line)) or + line.startswith(( + '-r', '--requirement', + '-Z', '--always-unzip', + '-f', '--find-links', + '-i', '--index-url', + '--pre', + '--trusted-host', + '--process-dependency-links', + '--extra-index-url'))): + line = line.rstrip() + if line not in emitted_options: + emitted_options.add(line) + yield line + continue + + if line.startswith('-e') or line.startswith('--editable'): + if line.startswith('-e'): + line = line[2:].strip() + else: + line = line[len('--editable'):].strip().lstrip('=') + line_req = install_req_from_editable( + line, + isolated=isolated, + wheel_cache=wheel_cache, + ) + else: + line_req = install_req_from_line( + COMMENT_RE.sub('', line).strip(), + isolated=isolated, + wheel_cache=wheel_cache, + ) + + if not line_req.name: + logger.info( + "Skipping line in requirement file [%s] because " + "it's not clear what it would install: %s", + req_file_path, line.strip(), + ) + logger.info( + " (add #egg=PackageName to the URL to avoid" + " this warning)" + ) + elif line_req.name not in installations: + # either it's not installed, or it is installed + # but has been processed already + if not req_files[line_req.name]: + logger.warning( + "Requirement file [%s] contains %s, but " + "package %r is not installed", + req_file_path, + COMMENT_RE.sub('', line).strip(), line_req.name + ) + else: + req_files[line_req.name].append(req_file_path) + else: + yield str(installations[line_req.name]).rstrip() + del installations[line_req.name] + req_files[line_req.name].append(req_file_path) + + # Warn about requirements that were included multiple times (in a + # single requirements file or in different requirements files). + for name, files in six.iteritems(req_files): + if len(files) > 1: + logger.warning("Requirement %s included multiple times [%s]", + name, ', '.join(sorted(set(files)))) + + yield( + '## The following requirements were added by ' + 'pip freeze:' + ) + for installation in sorted( + installations.values(), key=lambda x: x.name.lower()): + if canonicalize_name(installation.name) not in skip: + yield str(installation).rstrip() + + +def get_requirement_info(dist): + # type: (Distribution) -> RequirementInfo + """ + Compute and return values (req, editable, comments) for use in + FrozenRequirement.from_dist(). + """ + if not dist_is_editable(dist): + return (None, False, []) + + location = os.path.normcase(os.path.abspath(dist.location)) + + from pip._internal.vcs import vcs, RemoteNotFoundError + vc_type = vcs.get_backend_type(location) + + if not vc_type: + req = dist.as_requirement() + logger.debug( + 'No VCS found for editable requirement {!r} in: {!r}', req, + location, + ) + comments = [ + '# Editable install with no version control ({})'.format(req) + ] + return (location, True, comments) + + try: + req = vc_type.get_src_requirement(location, dist.project_name) + except RemoteNotFoundError: + req = dist.as_requirement() + comments = [ + '# Editable {} install with no remote ({})'.format( + vc_type.__name__, req, + ) + ] + return (location, True, comments) + + except BadCommand: + logger.warning( + 'cannot determine version of editable source in %s ' + '(%s command not found in path)', + location, + vc_type.name, + ) + return (None, True, []) + + except InstallationError as exc: + logger.warning( + "Error when trying to get requirement for VCS system %s, " + "falling back to uneditable format", exc + ) + else: + if req is not None: + return (req, True, []) + + logger.warning( + 'Could not determine repository location of %s', location + ) + comments = ['## !! Could not determine repository location'] + + return (None, False, comments) + + +class FrozenRequirement(object): + def __init__(self, name, req, editable, comments=()): + # type: (str, Union[str, Requirement], bool, Iterable[str]) -> None + self.name = name + self.req = req + self.editable = editable + self.comments = comments + + @classmethod + def from_dist(cls, dist): + # type: (Distribution) -> FrozenRequirement + req, editable, comments = get_requirement_info(dist) + if req is None: + req = dist.as_requirement() + + return cls(dist.project_name, req, editable, comments=comments) + + def __str__(self): + req = self.req + if self.editable: + req = '-e %s' % req + return '\n'.join(list(self.comments) + [str(req)]) + '\n' diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/prepare.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/prepare.py new file mode 100644 index 0000000..4f31dd5 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/prepare.py @@ -0,0 +1,413 @@ +"""Prepares a distribution for installation +""" + +import logging +import os + +from pip._vendor import pkg_resources, requests + +from pip._internal.build_env import BuildEnvironment +from pip._internal.download import ( + is_dir_url, is_file_url, is_vcs_url, unpack_url, url_to_path, +) +from pip._internal.exceptions import ( + DirectoryUrlHashUnsupported, HashUnpinned, InstallationError, + PreviousBuildDirError, VcsHashUnsupported, +) +from pip._internal.utils.compat import expanduser +from pip._internal.utils.hashes import MissingHashes +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import display_path, normalize_path +from pip._internal.utils.typing import MYPY_CHECK_RUNNING +from pip._internal.vcs import vcs + +if MYPY_CHECK_RUNNING: + from typing import Any, Optional # noqa: F401 + from pip._internal.req.req_install import InstallRequirement # noqa: F401 + from pip._internal.index import PackageFinder # noqa: F401 + from pip._internal.download import PipSession # noqa: F401 + from pip._internal.req.req_tracker import RequirementTracker # noqa: F401 + +logger = logging.getLogger(__name__) + + +def make_abstract_dist(req): + # type: (InstallRequirement) -> DistAbstraction + """Factory to make an abstract dist object. + + Preconditions: Either an editable req with a source_dir, or satisfied_by or + a wheel link, or a non-editable req with a source_dir. + + :return: A concrete DistAbstraction. + """ + if req.editable: + return IsSDist(req) + elif req.link and req.link.is_wheel: + return IsWheel(req) + else: + return IsSDist(req) + + +class DistAbstraction(object): + """Abstracts out the wheel vs non-wheel Resolver.resolve() logic. + + The requirements for anything installable are as follows: + - we must be able to determine the requirement name + (or we can't correctly handle the non-upgrade case). + - we must be able to generate a list of run-time dependencies + without installing any additional packages (or we would + have to either burn time by doing temporary isolated installs + or alternatively violate pips 'don't start installing unless + all requirements are available' rule - neither of which are + desirable). + - for packages with setup requirements, we must also be able + to determine their requirements without installing additional + packages (for the same reason as run-time dependencies) + - we must be able to create a Distribution object exposing the + above metadata. + """ + + def __init__(self, req): + # type: (InstallRequirement) -> None + self.req = req # type: InstallRequirement + + def dist(self): + # type: () -> Any + """Return a setuptools Dist object.""" + raise NotImplementedError + + def prep_for_dist(self, finder, build_isolation): + # type: (PackageFinder, bool) -> Any + """Ensure that we can get a Dist for this requirement.""" + raise NotImplementedError + + +class IsWheel(DistAbstraction): + + def dist(self): + # type: () -> pkg_resources.Distribution + return list(pkg_resources.find_distributions( + self.req.source_dir))[0] + + def prep_for_dist(self, finder, build_isolation): + # type: (PackageFinder, bool) -> Any + # FIXME:https://github.com/pypa/pip/issues/1112 + pass + + +class IsSDist(DistAbstraction): + + def dist(self): + return self.req.get_dist() + + def prep_for_dist(self, finder, build_isolation): + # type: (PackageFinder, bool) -> None + # Prepare for building. We need to: + # 1. Load pyproject.toml (if it exists) + # 2. Set up the build environment + + self.req.load_pyproject_toml() + should_isolate = self.req.use_pep517 and build_isolation + + def _raise_conflicts(conflicting_with, conflicting_reqs): + raise InstallationError( + "Some build dependencies for %s conflict with %s: %s." % ( + self.req, conflicting_with, ', '.join( + '%s is incompatible with %s' % (installed, wanted) + for installed, wanted in sorted(conflicting)))) + + if should_isolate: + # Isolate in a BuildEnvironment and install the build-time + # requirements. + self.req.build_env = BuildEnvironment() + self.req.build_env.install_requirements( + finder, self.req.pyproject_requires, 'overlay', + "Installing build dependencies" + ) + conflicting, missing = self.req.build_env.check_requirements( + self.req.requirements_to_check + ) + if conflicting: + _raise_conflicts("PEP 517/518 supported requirements", + conflicting) + if missing: + logger.warning( + "Missing build requirements in pyproject.toml for %s.", + self.req, + ) + logger.warning( + "The project does not specify a build backend, and " + "pip cannot fall back to setuptools without %s.", + " and ".join(map(repr, sorted(missing))) + ) + # Install any extra build dependencies that the backend requests. + # This must be done in a second pass, as the pyproject.toml + # dependencies must be installed before we can call the backend. + with self.req.build_env: + # We need to have the env active when calling the hook. + self.req.spin_message = "Getting requirements to build wheel" + reqs = self.req.pep517_backend.get_requires_for_build_wheel() + conflicting, missing = self.req.build_env.check_requirements(reqs) + if conflicting: + _raise_conflicts("the backend dependencies", conflicting) + self.req.build_env.install_requirements( + finder, missing, 'normal', + "Installing backend dependencies" + ) + + self.req.prepare_metadata() + self.req.assert_source_matches_version() + + +class Installed(DistAbstraction): + + def dist(self): + # type: () -> pkg_resources.Distribution + return self.req.satisfied_by + + def prep_for_dist(self, finder, build_isolation): + # type: (PackageFinder, bool) -> Any + pass + + +class RequirementPreparer(object): + """Prepares a Requirement + """ + + def __init__( + self, + build_dir, # type: str + download_dir, # type: Optional[str] + src_dir, # type: str + wheel_download_dir, # type: Optional[str] + progress_bar, # type: str + build_isolation, # type: bool + req_tracker # type: RequirementTracker + ): + # type: (...) -> None + super(RequirementPreparer, self).__init__() + + self.src_dir = src_dir + self.build_dir = build_dir + self.req_tracker = req_tracker + + # Where still packed archives should be written to. If None, they are + # not saved, and are deleted immediately after unpacking. + self.download_dir = download_dir + + # Where still-packed .whl files should be written to. If None, they are + # written to the download_dir parameter. Separate to download_dir to + # permit only keeping wheel archives for pip wheel. + if wheel_download_dir: + wheel_download_dir = normalize_path(wheel_download_dir) + self.wheel_download_dir = wheel_download_dir + + # NOTE + # download_dir and wheel_download_dir overlap semantically and may + # be combined if we're willing to have non-wheel archives present in + # the wheelhouse output by 'pip wheel'. + + self.progress_bar = progress_bar + + # Is build isolation allowed? + self.build_isolation = build_isolation + + @property + def _download_should_save(self): + # type: () -> bool + # TODO: Modify to reduce indentation needed + if self.download_dir: + self.download_dir = expanduser(self.download_dir) + if os.path.exists(self.download_dir): + return True + else: + logger.critical('Could not find download directory') + raise InstallationError( + "Could not find or access download directory '%s'" + % display_path(self.download_dir)) + return False + + def prepare_linked_requirement( + self, + req, # type: InstallRequirement + session, # type: PipSession + finder, # type: PackageFinder + upgrade_allowed, # type: bool + require_hashes # type: bool + ): + # type: (...) -> DistAbstraction + """Prepare a requirement that would be obtained from req.link + """ + # TODO: Breakup into smaller functions + if req.link and req.link.scheme == 'file': + path = url_to_path(req.link.url) + logger.info('Processing %s', display_path(path)) + else: + logger.info('Collecting %s', req) + + with indent_log(): + # @@ if filesystem packages are not marked + # editable in a req, a non deterministic error + # occurs when the script attempts to unpack the + # build directory + req.ensure_has_source_dir(self.build_dir) + # If a checkout exists, it's unwise to keep going. version + # inconsistencies are logged later, but do not fail the + # installation. + # FIXME: this won't upgrade when there's an existing + # package unpacked in `req.source_dir` + # package unpacked in `req.source_dir` + if os.path.exists(os.path.join(req.source_dir, 'setup.py')): + raise PreviousBuildDirError( + "pip can't proceed with requirements '%s' due to a" + " pre-existing build directory (%s). This is " + "likely due to a previous installation that failed" + ". pip is being responsible and not assuming it " + "can delete this. Please delete it and try again." + % (req, req.source_dir) + ) + req.populate_link(finder, upgrade_allowed, require_hashes) + + # We can't hit this spot and have populate_link return None. + # req.satisfied_by is None here (because we're + # guarded) and upgrade has no impact except when satisfied_by + # is not None. + # Then inside find_requirement existing_applicable -> False + # If no new versions are found, DistributionNotFound is raised, + # otherwise a result is guaranteed. + assert req.link + link = req.link + + # Now that we have the real link, we can tell what kind of + # requirements we have and raise some more informative errors + # than otherwise. (For example, we can raise VcsHashUnsupported + # for a VCS URL rather than HashMissing.) + if require_hashes: + # We could check these first 2 conditions inside + # unpack_url and save repetition of conditions, but then + # we would report less-useful error messages for + # unhashable requirements, complaining that there's no + # hash provided. + if is_vcs_url(link): + raise VcsHashUnsupported() + elif is_file_url(link) and is_dir_url(link): + raise DirectoryUrlHashUnsupported() + if not req.original_link and not req.is_pinned: + # Unpinned packages are asking for trouble when a new + # version is uploaded. This isn't a security check, but + # it saves users a surprising hash mismatch in the + # future. + # + # file:/// URLs aren't pinnable, so don't complain + # about them not being pinned. + raise HashUnpinned() + + hashes = req.hashes(trust_internet=not require_hashes) + if require_hashes and not hashes: + # Known-good hashes are missing for this requirement, so + # shim it with a facade object that will provoke hash + # computation and then raise a HashMissing exception + # showing the user what the hash should be. + hashes = MissingHashes() + + try: + download_dir = self.download_dir + # We always delete unpacked sdists after pip ran. + autodelete_unpacked = True + if req.link.is_wheel and self.wheel_download_dir: + # when doing 'pip wheel` we download wheels to a + # dedicated dir. + download_dir = self.wheel_download_dir + if req.link.is_wheel: + if download_dir: + # When downloading, we only unpack wheels to get + # metadata. + autodelete_unpacked = True + else: + # When installing a wheel, we use the unpacked + # wheel. + autodelete_unpacked = False + unpack_url( + req.link, req.source_dir, + download_dir, autodelete_unpacked, + session=session, hashes=hashes, + progress_bar=self.progress_bar + ) + except requests.HTTPError as exc: + logger.critical( + 'Could not install requirement %s because of error %s', + req, + exc, + ) + raise InstallationError( + 'Could not install requirement %s because of HTTP ' + 'error %s for URL %s' % + (req, exc, req.link) + ) + abstract_dist = make_abstract_dist(req) + with self.req_tracker.track(req): + abstract_dist.prep_for_dist(finder, self.build_isolation) + if self._download_should_save: + # Make a .zip of the source_dir we already created. + if req.link.scheme in vcs.all_schemes: + req.archive(self.download_dir) + return abstract_dist + + def prepare_editable_requirement( + self, + req, # type: InstallRequirement + require_hashes, # type: bool + use_user_site, # type: bool + finder # type: PackageFinder + ): + # type: (...) -> DistAbstraction + """Prepare an editable requirement + """ + assert req.editable, "cannot prepare a non-editable req as editable" + + logger.info('Obtaining %s', req) + + with indent_log(): + if require_hashes: + raise InstallationError( + 'The editable requirement %s cannot be installed when ' + 'requiring hashes, because there is no single file to ' + 'hash.' % req + ) + req.ensure_has_source_dir(self.src_dir) + req.update_editable(not self._download_should_save) + + abstract_dist = make_abstract_dist(req) + with self.req_tracker.track(req): + abstract_dist.prep_for_dist(finder, self.build_isolation) + + if self._download_should_save: + req.archive(self.download_dir) + req.check_if_exists(use_user_site) + + return abstract_dist + + def prepare_installed_requirement(self, req, require_hashes, skip_reason): + # type: (InstallRequirement, bool, Optional[str]) -> DistAbstraction + """Prepare an already-installed requirement + """ + assert req.satisfied_by, "req should have been satisfied but isn't" + assert skip_reason is not None, ( + "did not get skip reason skipped but req.satisfied_by " + "is set to %r" % (req.satisfied_by,) + ) + logger.info( + 'Requirement %s: %s (%s)', + skip_reason, req, req.satisfied_by.version + ) + with indent_log(): + if require_hashes: + logger.debug( + 'Since it is already installed, we are trusting this ' + 'package without checking its hash. To ensure a ' + 'completely repeatable environment, install into an ' + 'empty virtualenv.' + ) + abstract_dist = Installed(req) + + return abstract_dist diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pep425tags.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pep425tags.py new file mode 100644 index 0000000..1e782d1 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pep425tags.py @@ -0,0 +1,381 @@ +"""Generate and work with PEP 425 Compatibility Tags.""" +from __future__ import absolute_import + +import distutils.util +import logging +import platform +import re +import sys +import sysconfig +import warnings +from collections import OrderedDict + +import pip._internal.utils.glibc +from pip._internal.utils.compat import get_extension_suffixes +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import ( # noqa: F401 + Tuple, Callable, List, Optional, Union, Dict + ) + + Pep425Tag = Tuple[str, str, str] + +logger = logging.getLogger(__name__) + +_osx_arch_pat = re.compile(r'(.+)_(\d+)_(\d+)_(.+)') + + +def get_config_var(var): + # type: (str) -> Optional[str] + try: + return sysconfig.get_config_var(var) + except IOError as e: # Issue #1074 + warnings.warn("{}".format(e), RuntimeWarning) + return None + + +def get_abbr_impl(): + # type: () -> str + """Return abbreviated implementation name.""" + if hasattr(sys, 'pypy_version_info'): + pyimpl = 'pp' + elif sys.platform.startswith('java'): + pyimpl = 'jy' + elif sys.platform == 'cli': + pyimpl = 'ip' + else: + pyimpl = 'cp' + return pyimpl + + +def get_impl_ver(): + # type: () -> str + """Return implementation version.""" + impl_ver = get_config_var("py_version_nodot") + if not impl_ver or get_abbr_impl() == 'pp': + impl_ver = ''.join(map(str, get_impl_version_info())) + return impl_ver + + +def get_impl_version_info(): + # type: () -> Tuple[int, ...] + """Return sys.version_info-like tuple for use in decrementing the minor + version.""" + if get_abbr_impl() == 'pp': + # as per https://github.com/pypa/pip/issues/2882 + # attrs exist only on pypy + return (sys.version_info[0], + sys.pypy_version_info.major, # type: ignore + sys.pypy_version_info.minor) # type: ignore + else: + return sys.version_info[0], sys.version_info[1] + + +def get_impl_tag(): + # type: () -> str + """ + Returns the Tag for this specific implementation. + """ + return "{}{}".format(get_abbr_impl(), get_impl_ver()) + + +def get_flag(var, fallback, expected=True, warn=True): + # type: (str, Callable[..., bool], Union[bool, int], bool) -> bool + """Use a fallback method for determining SOABI flags if the needed config + var is unset or unavailable.""" + val = get_config_var(var) + if val is None: + if warn: + logger.debug("Config variable '%s' is unset, Python ABI tag may " + "be incorrect", var) + return fallback() + return val == expected + + +def get_abi_tag(): + # type: () -> Optional[str] + """Return the ABI tag based on SOABI (if available) or emulate SOABI + (CPython 2, PyPy).""" + soabi = get_config_var('SOABI') + impl = get_abbr_impl() + if not soabi and impl in {'cp', 'pp'} and hasattr(sys, 'maxunicode'): + d = '' + m = '' + u = '' + if get_flag('Py_DEBUG', + lambda: hasattr(sys, 'gettotalrefcount'), + warn=(impl == 'cp')): + d = 'd' + if get_flag('WITH_PYMALLOC', + lambda: impl == 'cp', + warn=(impl == 'cp')): + m = 'm' + if get_flag('Py_UNICODE_SIZE', + lambda: sys.maxunicode == 0x10ffff, + expected=4, + warn=(impl == 'cp' and + sys.version_info < (3, 3))) \ + and sys.version_info < (3, 3): + u = 'u' + abi = '%s%s%s%s%s' % (impl, get_impl_ver(), d, m, u) + elif soabi and soabi.startswith('cpython-'): + abi = 'cp' + soabi.split('-')[1] + elif soabi: + abi = soabi.replace('.', '_').replace('-', '_') + else: + abi = None + return abi + + +def _is_running_32bit(): + # type: () -> bool + return sys.maxsize == 2147483647 + + +def get_platform(): + # type: () -> str + """Return our platform name 'win32', 'linux_x86_64'""" + if sys.platform == 'darwin': + # distutils.util.get_platform() returns the release based on the value + # of MACOSX_DEPLOYMENT_TARGET on which Python was built, which may + # be significantly older than the user's current machine. + release, _, machine = platform.mac_ver() + split_ver = release.split('.') + + if machine == "x86_64" and _is_running_32bit(): + machine = "i386" + elif machine == "ppc64" and _is_running_32bit(): + machine = "ppc" + + return 'macosx_{}_{}_{}'.format(split_ver[0], split_ver[1], machine) + + # XXX remove distutils dependency + result = distutils.util.get_platform().replace('.', '_').replace('-', '_') + if result == "linux_x86_64" and _is_running_32bit(): + # 32 bit Python program (running on a 64 bit Linux): pip should only + # install and run 32 bit compiled extensions in that case. + result = "linux_i686" + + return result + + +def is_manylinux1_compatible(): + # type: () -> bool + # Only Linux, and only x86-64 / i686 + if get_platform() not in {"linux_x86_64", "linux_i686"}: + return False + + # Check for presence of _manylinux module + try: + import _manylinux + return bool(_manylinux.manylinux1_compatible) + except (ImportError, AttributeError): + # Fall through to heuristic check below + pass + + # Check glibc version. CentOS 5 uses glibc 2.5. + return pip._internal.utils.glibc.have_compatible_glibc(2, 5) + + +def is_manylinux2010_compatible(): + # type: () -> bool + # Only Linux, and only x86-64 / i686 + if get_platform() not in {"linux_x86_64", "linux_i686"}: + return False + + # Check for presence of _manylinux module + try: + import _manylinux + return bool(_manylinux.manylinux2010_compatible) + except (ImportError, AttributeError): + # Fall through to heuristic check below + pass + + # Check glibc version. CentOS 6 uses glibc 2.12. + return pip._internal.utils.glibc.have_compatible_glibc(2, 12) + + +def get_darwin_arches(major, minor, machine): + # type: (int, int, str) -> List[str] + """Return a list of supported arches (including group arches) for + the given major, minor and machine architecture of an macOS machine. + """ + arches = [] + + def _supports_arch(major, minor, arch): + # type: (int, int, str) -> bool + # Looking at the application support for macOS versions in the chart + # provided by https://en.wikipedia.org/wiki/OS_X#Versions it appears + # our timeline looks roughly like: + # + # 10.0 - Introduces ppc support. + # 10.4 - Introduces ppc64, i386, and x86_64 support, however the ppc64 + # and x86_64 support is CLI only, and cannot be used for GUI + # applications. + # 10.5 - Extends ppc64 and x86_64 support to cover GUI applications. + # 10.6 - Drops support for ppc64 + # 10.7 - Drops support for ppc + # + # Given that we do not know if we're installing a CLI or a GUI + # application, we must be conservative and assume it might be a GUI + # application and behave as if ppc64 and x86_64 support did not occur + # until 10.5. + # + # Note: The above information is taken from the "Application support" + # column in the chart not the "Processor support" since I believe + # that we care about what instruction sets an application can use + # not which processors the OS supports. + if arch == 'ppc': + return (major, minor) <= (10, 5) + if arch == 'ppc64': + return (major, minor) == (10, 5) + if arch == 'i386': + return (major, minor) >= (10, 4) + if arch == 'x86_64': + return (major, minor) >= (10, 5) + if arch in groups: + for garch in groups[arch]: + if _supports_arch(major, minor, garch): + return True + return False + + groups = OrderedDict([ + ("fat", ("i386", "ppc")), + ("intel", ("x86_64", "i386")), + ("fat64", ("x86_64", "ppc64")), + ("fat32", ("x86_64", "i386", "ppc")), + ]) # type: Dict[str, Tuple[str, ...]] + + if _supports_arch(major, minor, machine): + arches.append(machine) + + for garch in groups: + if machine in groups[garch] and _supports_arch(major, minor, garch): + arches.append(garch) + + arches.append('universal') + + return arches + + +def get_all_minor_versions_as_strings(version_info): + # type: (Tuple[int, ...]) -> List[str] + versions = [] + major = version_info[:-1] + # Support all previous minor Python versions. + for minor in range(version_info[-1], -1, -1): + versions.append(''.join(map(str, major + (minor,)))) + return versions + + +def get_supported( + versions=None, # type: Optional[List[str]] + noarch=False, # type: bool + platform=None, # type: Optional[str] + impl=None, # type: Optional[str] + abi=None # type: Optional[str] +): + # type: (...) -> List[Pep425Tag] + """Return a list of supported tags for each version specified in + `versions`. + + :param versions: a list of string versions, of the form ["33", "32"], + or None. The first version will be assumed to support our ABI. + :param platform: specify the exact platform you want valid + tags for, or None. If None, use the local system platform. + :param impl: specify the exact implementation you want valid + tags for, or None. If None, use the local interpreter impl. + :param abi: specify the exact abi you want valid + tags for, or None. If None, use the local interpreter abi. + """ + supported = [] + + # Versions must be given with respect to the preference + if versions is None: + version_info = get_impl_version_info() + versions = get_all_minor_versions_as_strings(version_info) + + impl = impl or get_abbr_impl() + + abis = [] # type: List[str] + + abi = abi or get_abi_tag() + if abi: + abis[0:0] = [abi] + + abi3s = set() + for suffix in get_extension_suffixes(): + if suffix.startswith('.abi'): + abi3s.add(suffix.split('.', 2)[1]) + + abis.extend(sorted(list(abi3s))) + + abis.append('none') + + if not noarch: + arch = platform or get_platform() + arch_prefix, arch_sep, arch_suffix = arch.partition('_') + if arch.startswith('macosx'): + # support macosx-10.6-intel on macosx-10.9-x86_64 + match = _osx_arch_pat.match(arch) + if match: + name, major, minor, actual_arch = match.groups() + tpl = '{}_{}_%i_%s'.format(name, major) + arches = [] + for m in reversed(range(int(minor) + 1)): + for a in get_darwin_arches(int(major), m, actual_arch): + arches.append(tpl % (m, a)) + else: + # arch pattern didn't match (?!) + arches = [arch] + elif arch_prefix == 'manylinux2010': + # manylinux1 wheels run on most manylinux2010 systems with the + # exception of wheels depending on ncurses. PEP 571 states + # manylinux1 wheels should be considered manylinux2010 wheels: + # https://www.python.org/dev/peps/pep-0571/#backwards-compatibility-with-manylinux1-wheels + arches = [arch, 'manylinux1' + arch_sep + arch_suffix] + elif platform is None: + arches = [] + if is_manylinux2010_compatible(): + arches.append('manylinux2010' + arch_sep + arch_suffix) + if is_manylinux1_compatible(): + arches.append('manylinux1' + arch_sep + arch_suffix) + arches.append(arch) + else: + arches = [arch] + + # Current version, current API (built specifically for our Python): + for abi in abis: + for arch in arches: + supported.append(('%s%s' % (impl, versions[0]), abi, arch)) + + # abi3 modules compatible with older version of Python + for version in versions[1:]: + # abi3 was introduced in Python 3.2 + if version in {'31', '30'}: + break + for abi in abi3s: # empty set if not Python 3 + for arch in arches: + supported.append(("%s%s" % (impl, version), abi, arch)) + + # Has binaries, does not use the Python API: + for arch in arches: + supported.append(('py%s' % (versions[0][0]), 'none', arch)) + + # No abi / arch, but requires our implementation: + supported.append(('%s%s' % (impl, versions[0]), 'none', 'any')) + # Tagged specifically as being cross-version compatible + # (with just the major version specified) + supported.append(('%s%s' % (impl, versions[0][0]), 'none', 'any')) + + # No abi / arch, generic Python + for i, version in enumerate(versions): + supported.append(('py%s' % (version,), 'none', 'any')) + if i == 0: + supported.append(('py%s' % (version[0]), 'none', 'any')) + + return supported + + +implementation_tag = get_impl_tag() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pyproject.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pyproject.py new file mode 100644 index 0000000..8d739a6 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pyproject.py @@ -0,0 +1,171 @@ +from __future__ import absolute_import + +import io +import os +import sys + +from pip._vendor import pytoml, six + +from pip._internal.exceptions import InstallationError +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import Any, Tuple, Optional, List # noqa: F401 + + +def _is_list_of_str(obj): + # type: (Any) -> bool + return ( + isinstance(obj, list) and + all(isinstance(item, six.string_types) for item in obj) + ) + + +def make_pyproject_path(setup_py_dir): + # type: (str) -> str + path = os.path.join(setup_py_dir, 'pyproject.toml') + + # Python2 __file__ should not be unicode + if six.PY2 and isinstance(path, six.text_type): + path = path.encode(sys.getfilesystemencoding()) + + return path + + +def load_pyproject_toml( + use_pep517, # type: Optional[bool] + pyproject_toml, # type: str + setup_py, # type: str + req_name # type: str +): + # type: (...) -> Optional[Tuple[List[str], str, List[str]]] + """Load the pyproject.toml file. + + Parameters: + use_pep517 - Has the user requested PEP 517 processing? None + means the user hasn't explicitly specified. + pyproject_toml - Location of the project's pyproject.toml file + setup_py - Location of the project's setup.py file + req_name - The name of the requirement we're processing (for + error reporting) + + Returns: + None if we should use the legacy code path, otherwise a tuple + ( + requirements from pyproject.toml, + name of PEP 517 backend, + requirements we should check are installed after setting + up the build environment + ) + """ + has_pyproject = os.path.isfile(pyproject_toml) + has_setup = os.path.isfile(setup_py) + + if has_pyproject: + with io.open(pyproject_toml, encoding="utf-8") as f: + pp_toml = pytoml.load(f) + build_system = pp_toml.get("build-system") + else: + build_system = None + + # The following cases must use PEP 517 + # We check for use_pep517 being non-None and falsey because that means + # the user explicitly requested --no-use-pep517. The value 0 as + # opposed to False can occur when the value is provided via an + # environment variable or config file option (due to the quirk of + # strtobool() returning an integer in pip's configuration code). + if has_pyproject and not has_setup: + if use_pep517 is not None and not use_pep517: + raise InstallationError( + "Disabling PEP 517 processing is invalid: " + "project does not have a setup.py" + ) + use_pep517 = True + elif build_system and "build-backend" in build_system: + if use_pep517 is not None and not use_pep517: + raise InstallationError( + "Disabling PEP 517 processing is invalid: " + "project specifies a build backend of {} " + "in pyproject.toml".format( + build_system["build-backend"] + ) + ) + use_pep517 = True + + # If we haven't worked out whether to use PEP 517 yet, + # and the user hasn't explicitly stated a preference, + # we do so if the project has a pyproject.toml file. + elif use_pep517 is None: + use_pep517 = has_pyproject + + # At this point, we know whether we're going to use PEP 517. + assert use_pep517 is not None + + # If we're using the legacy code path, there is nothing further + # for us to do here. + if not use_pep517: + return None + + if build_system is None: + # Either the user has a pyproject.toml with no build-system + # section, or the user has no pyproject.toml, but has opted in + # explicitly via --use-pep517. + # In the absence of any explicit backend specification, we + # assume the setuptools backend that most closely emulates the + # traditional direct setup.py execution, and require wheel and + # a version of setuptools that supports that backend. + + build_system = { + "requires": ["setuptools>=40.8.0", "wheel"], + "build-backend": "setuptools.build_meta:__legacy__", + } + + # If we're using PEP 517, we have build system information (either + # from pyproject.toml, or defaulted by the code above). + # Note that at this point, we do not know if the user has actually + # specified a backend, though. + assert build_system is not None + + # Ensure that the build-system section in pyproject.toml conforms + # to PEP 518. + error_template = ( + "{package} has a pyproject.toml file that does not comply " + "with PEP 518: {reason}" + ) + + # Specifying the build-system table but not the requires key is invalid + if "requires" not in build_system: + raise InstallationError( + error_template.format(package=req_name, reason=( + "it has a 'build-system' table but not " + "'build-system.requires' which is mandatory in the table" + )) + ) + + # Error out if requires is not a list of strings + requires = build_system["requires"] + if not _is_list_of_str(requires): + raise InstallationError(error_template.format( + package=req_name, + reason="'build-system.requires' is not a list of strings.", + )) + + backend = build_system.get("build-backend") + check = [] # type: List[str] + if backend is None: + # If the user didn't specify a backend, we assume they want to use + # the setuptools backend. But we can't be sure they have included + # a version of setuptools which supplies the backend, or wheel + # (which is needed by the backend) in their requirements. So we + # make a note to check that those requirements are present once + # we have set up the environment. + # This is quite a lot of work to check for a very specific case. But + # the problem is, that case is potentially quite common - projects that + # adopted PEP 518 early for the ability to specify requirements to + # execute setup.py, but never considered needing to mention the build + # tools themselves. The original PEP 518 code had a similar check (but + # implemented in a different way). + backend = "setuptools.build_meta:__legacy__" + check = ["setuptools>=40.8.0", "wheel"] + + return (requires, backend, check) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/__init__.py new file mode 100644 index 0000000..5e4eb92 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/__init__.py @@ -0,0 +1,77 @@ +from __future__ import absolute_import + +import logging + +from .req_install import InstallRequirement +from .req_set import RequirementSet +from .req_file import parse_requirements +from pip._internal.utils.logging import indent_log +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import List, Sequence # noqa: F401 + +__all__ = [ + "RequirementSet", "InstallRequirement", + "parse_requirements", "install_given_reqs", +] + +logger = logging.getLogger(__name__) + + +def install_given_reqs( + to_install, # type: List[InstallRequirement] + install_options, # type: List[str] + global_options=(), # type: Sequence[str] + *args, **kwargs +): + # type: (...) -> List[InstallRequirement] + """ + Install everything in the given list. + + (to be called after having downloaded and unpacked the packages) + """ + + if to_install: + logger.info( + 'Installing collected packages: %s', + ', '.join([req.name for req in to_install]), + ) + + with indent_log(): + for requirement in to_install: + if requirement.conflicts_with: + logger.info( + 'Found existing installation: %s', + requirement.conflicts_with, + ) + with indent_log(): + uninstalled_pathset = requirement.uninstall( + auto_confirm=True + ) + try: + requirement.install( + install_options, + global_options, + *args, + **kwargs + ) + except Exception: + should_rollback = ( + requirement.conflicts_with and + not requirement.install_succeeded + ) + # if install did not succeed, rollback previous uninstall + if should_rollback: + uninstalled_pathset.rollback() + raise + else: + should_commit = ( + requirement.conflicts_with and + requirement.install_succeeded + ) + if should_commit: + uninstalled_pathset.commit() + requirement.remove_temporary_source() + + return to_install diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/constructors.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/constructors.py new file mode 100644 index 0000000..1eed1dd --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/constructors.py @@ -0,0 +1,339 @@ +"""Backing implementation for InstallRequirement's various constructors + +The idea here is that these formed a major chunk of InstallRequirement's size +so, moving them and support code dedicated to them outside of that class +helps creates for better understandability for the rest of the code. + +These are meant to be used elsewhere within pip to create instances of +InstallRequirement. +""" + +import logging +import os +import re + +from pip._vendor.packaging.markers import Marker +from pip._vendor.packaging.requirements import InvalidRequirement, Requirement +from pip._vendor.packaging.specifiers import Specifier +from pip._vendor.pkg_resources import RequirementParseError, parse_requirements + +from pip._internal.download import ( + is_archive_file, is_url, path_to_url, url_to_path, +) +from pip._internal.exceptions import InstallationError +from pip._internal.models.index import PyPI, TestPyPI +from pip._internal.models.link import Link +from pip._internal.pyproject import make_pyproject_path +from pip._internal.req.req_install import InstallRequirement +from pip._internal.utils.misc import is_installable_dir +from pip._internal.utils.typing import MYPY_CHECK_RUNNING +from pip._internal.vcs import vcs +from pip._internal.wheel import Wheel + +if MYPY_CHECK_RUNNING: + from typing import ( # noqa: F401 + Optional, Tuple, Set, Any, Union, Text, Dict, + ) + from pip._internal.cache import WheelCache # noqa: F401 + + +__all__ = [ + "install_req_from_editable", "install_req_from_line", + "parse_editable" +] + +logger = logging.getLogger(__name__) +operators = Specifier._operators.keys() + + +def _strip_extras(path): + # type: (str) -> Tuple[str, Optional[str]] + m = re.match(r'^(.+)(\[[^\]]+\])$', path) + extras = None + if m: + path_no_extras = m.group(1) + extras = m.group(2) + else: + path_no_extras = path + + return path_no_extras, extras + + +def parse_editable(editable_req): + # type: (str) -> Tuple[Optional[str], str, Optional[Set[str]]] + """Parses an editable requirement into: + - a requirement name + - an URL + - extras + - editable options + Accepted requirements: + svn+http://blahblah@rev#egg=Foobar[baz]&subdirectory=version_subdir + .[some_extra] + """ + + url = editable_req + + # If a file path is specified with extras, strip off the extras. + url_no_extras, extras = _strip_extras(url) + + if os.path.isdir(url_no_extras): + if not os.path.exists(os.path.join(url_no_extras, 'setup.py')): + msg = ( + 'File "setup.py" not found. Directory cannot be installed ' + 'in editable mode: {}'.format(os.path.abspath(url_no_extras)) + ) + pyproject_path = make_pyproject_path(url_no_extras) + if os.path.isfile(pyproject_path): + msg += ( + '\n(A "pyproject.toml" file was found, but editable ' + 'mode currently requires a setup.py based build.)' + ) + raise InstallationError(msg) + + # Treating it as code that has already been checked out + url_no_extras = path_to_url(url_no_extras) + + if url_no_extras.lower().startswith('file:'): + package_name = Link(url_no_extras).egg_fragment + if extras: + return ( + package_name, + url_no_extras, + Requirement("placeholder" + extras.lower()).extras, + ) + else: + return package_name, url_no_extras, None + + for version_control in vcs: + if url.lower().startswith('%s:' % version_control): + url = '%s+%s' % (version_control, url) + break + + if '+' not in url: + raise InstallationError( + '%s should either be a path to a local project or a VCS url ' + 'beginning with svn+, git+, hg+, or bzr+' % + editable_req + ) + + vc_type = url.split('+', 1)[0].lower() + + if not vcs.get_backend(vc_type): + error_message = 'For --editable=%s only ' % editable_req + \ + ', '.join([backend.name + '+URL' for backend in vcs.backends]) + \ + ' is currently supported' + raise InstallationError(error_message) + + package_name = Link(url).egg_fragment + if not package_name: + raise InstallationError( + "Could not detect requirement name for '%s', please specify one " + "with #egg=your_package_name" % editable_req + ) + return package_name, url, None + + +def deduce_helpful_msg(req): + # type: (str) -> str + """Returns helpful msg in case requirements file does not exist, + or cannot be parsed. + + :params req: Requirements file path + """ + msg = "" + if os.path.exists(req): + msg = " It does exist." + # Try to parse and check if it is a requirements file. + try: + with open(req, 'r') as fp: + # parse first line only + next(parse_requirements(fp.read())) + msg += " The argument you provided " + \ + "(%s) appears to be a" % (req) + \ + " requirements file. If that is the" + \ + " case, use the '-r' flag to install" + \ + " the packages specified within it." + except RequirementParseError: + logger.debug("Cannot parse '%s' as requirements \ + file" % (req), exc_info=True) + else: + msg += " File '%s' does not exist." % (req) + return msg + + +# ---- The actual constructors follow ---- + + +def install_req_from_editable( + editable_req, # type: str + comes_from=None, # type: Optional[str] + use_pep517=None, # type: Optional[bool] + isolated=False, # type: bool + options=None, # type: Optional[Dict[str, Any]] + wheel_cache=None, # type: Optional[WheelCache] + constraint=False # type: bool +): + # type: (...) -> InstallRequirement + name, url, extras_override = parse_editable(editable_req) + if url.startswith('file:'): + source_dir = url_to_path(url) + else: + source_dir = None + + if name is not None: + try: + req = Requirement(name) + except InvalidRequirement: + raise InstallationError("Invalid requirement: '%s'" % name) + else: + req = None + return InstallRequirement( + req, comes_from, source_dir=source_dir, + editable=True, + link=Link(url), + constraint=constraint, + use_pep517=use_pep517, + isolated=isolated, + options=options if options else {}, + wheel_cache=wheel_cache, + extras=extras_override or (), + ) + + +def install_req_from_line( + name, # type: str + comes_from=None, # type: Optional[Union[str, InstallRequirement]] + use_pep517=None, # type: Optional[bool] + isolated=False, # type: bool + options=None, # type: Optional[Dict[str, Any]] + wheel_cache=None, # type: Optional[WheelCache] + constraint=False # type: bool +): + # type: (...) -> InstallRequirement + """Creates an InstallRequirement from a name, which might be a + requirement, directory containing 'setup.py', filename, or URL. + """ + if is_url(name): + marker_sep = '; ' + else: + marker_sep = ';' + if marker_sep in name: + name, markers_as_string = name.split(marker_sep, 1) + markers_as_string = markers_as_string.strip() + if not markers_as_string: + markers = None + else: + markers = Marker(markers_as_string) + else: + markers = None + name = name.strip() + req_as_string = None + path = os.path.normpath(os.path.abspath(name)) + link = None + extras_as_string = None + + if is_url(name): + link = Link(name) + else: + p, extras_as_string = _strip_extras(path) + looks_like_dir = os.path.isdir(p) and ( + os.path.sep in name or + (os.path.altsep is not None and os.path.altsep in name) or + name.startswith('.') + ) + if looks_like_dir: + if not is_installable_dir(p): + raise InstallationError( + "Directory %r is not installable. Neither 'setup.py' " + "nor 'pyproject.toml' found." % name + ) + link = Link(path_to_url(p)) + elif is_archive_file(p): + if not os.path.isfile(p): + logger.warning( + 'Requirement %r looks like a filename, but the ' + 'file does not exist', + name + ) + link = Link(path_to_url(p)) + + # it's a local file, dir, or url + if link: + # Handle relative file URLs + if link.scheme == 'file' and re.search(r'\.\./', link.url): + link = Link( + path_to_url(os.path.normpath(os.path.abspath(link.path)))) + # wheel file + if link.is_wheel: + wheel = Wheel(link.filename) # can raise InvalidWheelFilename + req_as_string = "%s==%s" % (wheel.name, wheel.version) + else: + # set the req to the egg fragment. when it's not there, this + # will become an 'unnamed' requirement + req_as_string = link.egg_fragment + + # a requirement specifier + else: + req_as_string = name + + if extras_as_string: + extras = Requirement("placeholder" + extras_as_string.lower()).extras + else: + extras = () + if req_as_string is not None: + try: + req = Requirement(req_as_string) + except InvalidRequirement: + if os.path.sep in req_as_string: + add_msg = "It looks like a path." + add_msg += deduce_helpful_msg(req_as_string) + elif ('=' in req_as_string and + not any(op in req_as_string for op in operators)): + add_msg = "= is not a valid operator. Did you mean == ?" + else: + add_msg = "" + raise InstallationError( + "Invalid requirement: '%s'\n%s" % (req_as_string, add_msg) + ) + else: + req = None + + return InstallRequirement( + req, comes_from, link=link, markers=markers, + use_pep517=use_pep517, isolated=isolated, + options=options if options else {}, + wheel_cache=wheel_cache, + constraint=constraint, + extras=extras, + ) + + +def install_req_from_req_string( + req_string, # type: str + comes_from=None, # type: Optional[InstallRequirement] + isolated=False, # type: bool + wheel_cache=None, # type: Optional[WheelCache] + use_pep517=None # type: Optional[bool] +): + # type: (...) -> InstallRequirement + try: + req = Requirement(req_string) + except InvalidRequirement: + raise InstallationError("Invalid requirement: '%s'" % req) + + domains_not_allowed = [ + PyPI.file_storage_domain, + TestPyPI.file_storage_domain, + ] + if req.url and comes_from.link.netloc in domains_not_allowed: + # Explicitly disallow pypi packages that depend on external urls + raise InstallationError( + "Packages installed from PyPI cannot depend on packages " + "which are not also hosted on PyPI.\n" + "%s depends on %s " % (comes_from.name, req) + ) + + return InstallRequirement( + req, comes_from, isolated=isolated, wheel_cache=wheel_cache, + use_pep517=use_pep517 + ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_file.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_file.py new file mode 100644 index 0000000..726f2f6 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_file.py @@ -0,0 +1,382 @@ +""" +Requirements file parsing +""" + +from __future__ import absolute_import + +import optparse +import os +import re +import shlex +import sys + +from pip._vendor.six.moves import filterfalse +from pip._vendor.six.moves.urllib import parse as urllib_parse + +from pip._internal.cli import cmdoptions +from pip._internal.download import get_file_content +from pip._internal.exceptions import RequirementsFileParseError +from pip._internal.req.constructors import ( + install_req_from_editable, install_req_from_line, +) +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import ( # noqa: F401 + Iterator, Tuple, Optional, List, Callable, Text + ) + from pip._internal.req import InstallRequirement # noqa: F401 + from pip._internal.cache import WheelCache # noqa: F401 + from pip._internal.index import PackageFinder # noqa: F401 + from pip._internal.download import PipSession # noqa: F401 + + ReqFileLines = Iterator[Tuple[int, Text]] + +__all__ = ['parse_requirements'] + +SCHEME_RE = re.compile(r'^(http|https|file):', re.I) +COMMENT_RE = re.compile(r'(^|\s)+#.*$') + +# Matches environment variable-style values in '${MY_VARIABLE_1}' with the +# variable name consisting of only uppercase letters, digits or the '_' +# (underscore). This follows the POSIX standard defined in IEEE Std 1003.1, +# 2013 Edition. +ENV_VAR_RE = re.compile(r'(?P\$\{(?P[A-Z0-9_]+)\})') + +SUPPORTED_OPTIONS = [ + cmdoptions.constraints, + cmdoptions.editable, + cmdoptions.requirements, + cmdoptions.no_index, + cmdoptions.index_url, + cmdoptions.find_links, + cmdoptions.extra_index_url, + cmdoptions.always_unzip, + cmdoptions.no_binary, + cmdoptions.only_binary, + cmdoptions.pre, + cmdoptions.trusted_host, + cmdoptions.require_hashes, +] # type: List[Callable[..., optparse.Option]] + +# options to be passed to requirements +SUPPORTED_OPTIONS_REQ = [ + cmdoptions.install_options, + cmdoptions.global_options, + cmdoptions.hash, +] # type: List[Callable[..., optparse.Option]] + +# the 'dest' string values +SUPPORTED_OPTIONS_REQ_DEST = [str(o().dest) for o in SUPPORTED_OPTIONS_REQ] + + +def parse_requirements( + filename, # type: str + finder=None, # type: Optional[PackageFinder] + comes_from=None, # type: Optional[str] + options=None, # type: Optional[optparse.Values] + session=None, # type: Optional[PipSession] + constraint=False, # type: bool + wheel_cache=None, # type: Optional[WheelCache] + use_pep517=None # type: Optional[bool] +): + # type: (...) -> Iterator[InstallRequirement] + """Parse a requirements file and yield InstallRequirement instances. + + :param filename: Path or url of requirements file. + :param finder: Instance of pip.index.PackageFinder. + :param comes_from: Origin description of requirements. + :param options: cli options. + :param session: Instance of pip.download.PipSession. + :param constraint: If true, parsing a constraint file rather than + requirements file. + :param wheel_cache: Instance of pip.wheel.WheelCache + :param use_pep517: Value of the --use-pep517 option. + """ + if session is None: + raise TypeError( + "parse_requirements() missing 1 required keyword argument: " + "'session'" + ) + + _, content = get_file_content( + filename, comes_from=comes_from, session=session + ) + + lines_enum = preprocess(content, options) + + for line_number, line in lines_enum: + req_iter = process_line(line, filename, line_number, finder, + comes_from, options, session, wheel_cache, + use_pep517=use_pep517, constraint=constraint) + for req in req_iter: + yield req + + +def preprocess(content, options): + # type: (Text, Optional[optparse.Values]) -> ReqFileLines + """Split, filter, and join lines, and return a line iterator + + :param content: the content of the requirements file + :param options: cli options + """ + lines_enum = enumerate(content.splitlines(), start=1) # type: ReqFileLines + lines_enum = join_lines(lines_enum) + lines_enum = ignore_comments(lines_enum) + lines_enum = skip_regex(lines_enum, options) + lines_enum = expand_env_variables(lines_enum) + return lines_enum + + +def process_line( + line, # type: Text + filename, # type: str + line_number, # type: int + finder=None, # type: Optional[PackageFinder] + comes_from=None, # type: Optional[str] + options=None, # type: Optional[optparse.Values] + session=None, # type: Optional[PipSession] + wheel_cache=None, # type: Optional[WheelCache] + use_pep517=None, # type: Optional[bool] + constraint=False # type: bool +): + # type: (...) -> Iterator[InstallRequirement] + """Process a single requirements line; This can result in creating/yielding + requirements, or updating the finder. + + For lines that contain requirements, the only options that have an effect + are from SUPPORTED_OPTIONS_REQ, and they are scoped to the + requirement. Other options from SUPPORTED_OPTIONS may be present, but are + ignored. + + For lines that do not contain requirements, the only options that have an + effect are from SUPPORTED_OPTIONS. Options from SUPPORTED_OPTIONS_REQ may + be present, but are ignored. These lines may contain multiple options + (although our docs imply only one is supported), and all our parsed and + affect the finder. + + :param constraint: If True, parsing a constraints file. + :param options: OptionParser options that we may update + """ + parser = build_parser(line) + defaults = parser.get_default_values() + defaults.index_url = None + if finder: + defaults.format_control = finder.format_control + args_str, options_str = break_args_options(line) + # Prior to 2.7.3, shlex cannot deal with unicode entries + if sys.version_info < (2, 7, 3): + # https://github.com/python/mypy/issues/1174 + options_str = options_str.encode('utf8') # type: ignore + # https://github.com/python/mypy/issues/1174 + opts, _ = parser.parse_args( + shlex.split(options_str), defaults) # type: ignore + + # preserve for the nested code path + line_comes_from = '%s %s (line %s)' % ( + '-c' if constraint else '-r', filename, line_number, + ) + + # yield a line requirement + if args_str: + isolated = options.isolated_mode if options else False + if options: + cmdoptions.check_install_build_global(options, opts) + # get the options that apply to requirements + req_options = {} + for dest in SUPPORTED_OPTIONS_REQ_DEST: + if dest in opts.__dict__ and opts.__dict__[dest]: + req_options[dest] = opts.__dict__[dest] + yield install_req_from_line( + args_str, line_comes_from, constraint=constraint, + use_pep517=use_pep517, + isolated=isolated, options=req_options, wheel_cache=wheel_cache + ) + + # yield an editable requirement + elif opts.editables: + isolated = options.isolated_mode if options else False + yield install_req_from_editable( + opts.editables[0], comes_from=line_comes_from, + use_pep517=use_pep517, + constraint=constraint, isolated=isolated, wheel_cache=wheel_cache + ) + + # parse a nested requirements file + elif opts.requirements or opts.constraints: + if opts.requirements: + req_path = opts.requirements[0] + nested_constraint = False + else: + req_path = opts.constraints[0] + nested_constraint = True + # original file is over http + if SCHEME_RE.search(filename): + # do a url join so relative paths work + req_path = urllib_parse.urljoin(filename, req_path) + # original file and nested file are paths + elif not SCHEME_RE.search(req_path): + # do a join so relative paths work + req_path = os.path.join(os.path.dirname(filename), req_path) + # TODO: Why not use `comes_from='-r {} (line {})'` here as well? + parsed_reqs = parse_requirements( + req_path, finder, comes_from, options, session, + constraint=nested_constraint, wheel_cache=wheel_cache + ) + for req in parsed_reqs: + yield req + + # percolate hash-checking option upward + elif opts.require_hashes: + options.require_hashes = opts.require_hashes + + # set finder options + elif finder: + if opts.index_url: + finder.index_urls = [opts.index_url] + if opts.no_index is True: + finder.index_urls = [] + if opts.extra_index_urls: + finder.index_urls.extend(opts.extra_index_urls) + if opts.find_links: + # FIXME: it would be nice to keep track of the source + # of the find_links: support a find-links local path + # relative to a requirements file. + value = opts.find_links[0] + req_dir = os.path.dirname(os.path.abspath(filename)) + relative_to_reqs_file = os.path.join(req_dir, value) + if os.path.exists(relative_to_reqs_file): + value = relative_to_reqs_file + finder.find_links.append(value) + if opts.pre: + finder.allow_all_prereleases = True + if opts.trusted_hosts: + finder.secure_origins.extend( + ("*", host, "*") for host in opts.trusted_hosts) + + +def break_args_options(line): + # type: (Text) -> Tuple[str, Text] + """Break up the line into an args and options string. We only want to shlex + (and then optparse) the options, not the args. args can contain markers + which are corrupted by shlex. + """ + tokens = line.split(' ') + args = [] + options = tokens[:] + for token in tokens: + if token.startswith('-') or token.startswith('--'): + break + else: + args.append(token) + options.pop(0) + return ' '.join(args), ' '.join(options) # type: ignore + + +def build_parser(line): + # type: (Text) -> optparse.OptionParser + """ + Return a parser for parsing requirement lines + """ + parser = optparse.OptionParser(add_help_option=False) + + option_factories = SUPPORTED_OPTIONS + SUPPORTED_OPTIONS_REQ + for option_factory in option_factories: + option = option_factory() + parser.add_option(option) + + # By default optparse sys.exits on parsing errors. We want to wrap + # that in our own exception. + def parser_exit(self, msg): + # add offending line + msg = 'Invalid requirement: %s\n%s' % (line, msg) + raise RequirementsFileParseError(msg) + # NOTE: mypy disallows assigning to a method + # https://github.com/python/mypy/issues/2427 + parser.exit = parser_exit # type: ignore + + return parser + + +def join_lines(lines_enum): + # type: (ReqFileLines) -> ReqFileLines + """Joins a line ending in '\' with the previous line (except when following + comments). The joined line takes on the index of the first line. + """ + primary_line_number = None + new_line = [] # type: List[Text] + for line_number, line in lines_enum: + if not line.endswith('\\') or COMMENT_RE.match(line): + if COMMENT_RE.match(line): + # this ensures comments are always matched later + line = ' ' + line + if new_line: + new_line.append(line) + yield primary_line_number, ''.join(new_line) + new_line = [] + else: + yield line_number, line + else: + if not new_line: + primary_line_number = line_number + new_line.append(line.strip('\\')) + + # last line contains \ + if new_line: + yield primary_line_number, ''.join(new_line) + + # TODO: handle space after '\'. + + +def ignore_comments(lines_enum): + # type: (ReqFileLines) -> ReqFileLines + """ + Strips comments and filter empty lines. + """ + for line_number, line in lines_enum: + line = COMMENT_RE.sub('', line) + line = line.strip() + if line: + yield line_number, line + + +def skip_regex(lines_enum, options): + # type: (ReqFileLines, Optional[optparse.Values]) -> ReqFileLines + """ + Skip lines that match '--skip-requirements-regex' pattern + + Note: the regex pattern is only built once + """ + skip_regex = options.skip_requirements_regex if options else None + if skip_regex: + pattern = re.compile(skip_regex) + lines_enum = filterfalse(lambda e: pattern.search(e[1]), lines_enum) + return lines_enum + + +def expand_env_variables(lines_enum): + # type: (ReqFileLines) -> ReqFileLines + """Replace all environment variables that can be retrieved via `os.getenv`. + + The only allowed format for environment variables defined in the + requirement file is `${MY_VARIABLE_1}` to ensure two things: + + 1. Strings that contain a `$` aren't accidentally (partially) expanded. + 2. Ensure consistency across platforms for requirement files. + + These points are the result of a discusssion on the `github pull + request #3514 `_. + + Valid characters in variable names follow the `POSIX standard + `_ and are limited + to uppercase letter, digits and the `_` (underscore). + """ + for line_number, line in lines_enum: + for env_var, var_name in ENV_VAR_RE.findall(line): + value = os.getenv(var_name) + if not value: + continue + + line = line.replace(env_var, value) + + yield line_number, line diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_install.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_install.py new file mode 100644 index 0000000..a4834b0 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_install.py @@ -0,0 +1,1021 @@ +from __future__ import absolute_import + +import logging +import os +import shutil +import sys +import sysconfig +import zipfile +from distutils.util import change_root + +from pip._vendor import pkg_resources, six +from pip._vendor.packaging.requirements import Requirement +from pip._vendor.packaging.utils import canonicalize_name +from pip._vendor.packaging.version import Version +from pip._vendor.packaging.version import parse as parse_version +from pip._vendor.pep517.wrappers import Pep517HookCaller + +from pip._internal import wheel +from pip._internal.build_env import NoOpBuildEnvironment +from pip._internal.exceptions import InstallationError +from pip._internal.locations import ( + PIP_DELETE_MARKER_FILENAME, running_under_virtualenv, +) +from pip._internal.models.link import Link +from pip._internal.pyproject import load_pyproject_toml, make_pyproject_path +from pip._internal.req.req_uninstall import UninstallPathSet +from pip._internal.utils.compat import native_str +from pip._internal.utils.hashes import Hashes +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import ( + _make_build_dir, ask_path_exists, backup_dir, call_subprocess, + display_path, dist_in_site_packages, dist_in_usersite, ensure_dir, + get_installed_version, redact_password_from_url, rmtree, +) +from pip._internal.utils.packaging import get_metadata +from pip._internal.utils.setuptools_build import SETUPTOOLS_SHIM +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.utils.typing import MYPY_CHECK_RUNNING +from pip._internal.utils.ui import open_spinner +from pip._internal.vcs import vcs +from pip._internal.wheel import move_wheel_files + +if MYPY_CHECK_RUNNING: + from typing import ( # noqa: F401 + Optional, Iterable, List, Union, Any, Text, Sequence, Dict + ) + from pip._internal.build_env import BuildEnvironment # noqa: F401 + from pip._internal.cache import WheelCache # noqa: F401 + from pip._internal.index import PackageFinder # noqa: F401 + from pip._vendor.pkg_resources import Distribution # noqa: F401 + from pip._vendor.packaging.specifiers import SpecifierSet # noqa: F401 + from pip._vendor.packaging.markers import Marker # noqa: F401 + + +logger = logging.getLogger(__name__) + + +class InstallRequirement(object): + """ + Represents something that may be installed later on, may have information + about where to fetch the relavant requirement and also contains logic for + installing the said requirement. + """ + + def __init__( + self, + req, # type: Optional[Requirement] + comes_from, # type: Optional[Union[str, InstallRequirement]] + source_dir=None, # type: Optional[str] + editable=False, # type: bool + link=None, # type: Optional[Link] + update=True, # type: bool + markers=None, # type: Optional[Marker] + use_pep517=None, # type: Optional[bool] + isolated=False, # type: bool + options=None, # type: Optional[Dict[str, Any]] + wheel_cache=None, # type: Optional[WheelCache] + constraint=False, # type: bool + extras=() # type: Iterable[str] + ): + # type: (...) -> None + assert req is None or isinstance(req, Requirement), req + self.req = req + self.comes_from = comes_from + self.constraint = constraint + if source_dir is not None: + self.source_dir = os.path.normpath(os.path.abspath(source_dir)) + else: + self.source_dir = None + self.editable = editable + + self._wheel_cache = wheel_cache + if link is None and req and req.url: + # PEP 508 URL requirement + link = Link(req.url) + self.link = self.original_link = link + + if extras: + self.extras = extras + elif req: + self.extras = { + pkg_resources.safe_extra(extra) for extra in req.extras + } + else: + self.extras = set() + if markers is None and req: + markers = req.marker + self.markers = markers + + self._egg_info_path = None # type: Optional[str] + # This holds the pkg_resources.Distribution object if this requirement + # is already available: + self.satisfied_by = None + # This hold the pkg_resources.Distribution object if this requirement + # conflicts with another installed distribution: + self.conflicts_with = None + # Temporary build location + self._temp_build_dir = TempDirectory(kind="req-build") + # Used to store the global directory where the _temp_build_dir should + # have been created. Cf _correct_build_location method. + self._ideal_build_dir = None # type: Optional[str] + # True if the editable should be updated: + self.update = update + # Set to True after successful installation + self.install_succeeded = None # type: Optional[bool] + # UninstallPathSet of uninstalled distribution (for possible rollback) + self.uninstalled_pathset = None + self.options = options if options else {} + # Set to True after successful preparation of this requirement + self.prepared = False + self.is_direct = False + + self.isolated = isolated + self.build_env = NoOpBuildEnvironment() # type: BuildEnvironment + + # For PEP 517, the directory where we request the project metadata + # gets stored. We need this to pass to build_wheel, so the backend + # can ensure that the wheel matches the metadata (see the PEP for + # details). + self.metadata_directory = None # type: Optional[str] + + # The static build requirements (from pyproject.toml) + self.pyproject_requires = None # type: Optional[List[str]] + + # Build requirements that we will check are available + self.requirements_to_check = [] # type: List[str] + + # The PEP 517 backend we should use to build the project + self.pep517_backend = None # type: Optional[Pep517HookCaller] + + # Are we using PEP 517 for this requirement? + # After pyproject.toml has been loaded, the only valid values are True + # and False. Before loading, None is valid (meaning "use the default"). + # Setting an explicit value before loading pyproject.toml is supported, + # but after loading this flag should be treated as read only. + self.use_pep517 = use_pep517 + + def __str__(self): + if self.req: + s = str(self.req) + if self.link: + s += ' from %s' % redact_password_from_url(self.link.url) + elif self.link: + s = redact_password_from_url(self.link.url) + else: + s = '' + if self.satisfied_by is not None: + s += ' in %s' % display_path(self.satisfied_by.location) + if self.comes_from: + if isinstance(self.comes_from, six.string_types): + comes_from = self.comes_from + else: + comes_from = self.comes_from.from_path() + if comes_from: + s += ' (from %s)' % comes_from + return s + + def __repr__(self): + return '<%s object: %s editable=%r>' % ( + self.__class__.__name__, str(self), self.editable) + + def populate_link(self, finder, upgrade, require_hashes): + # type: (PackageFinder, bool, bool) -> None + """Ensure that if a link can be found for this, that it is found. + + Note that self.link may still be None - if Upgrade is False and the + requirement is already installed. + + If require_hashes is True, don't use the wheel cache, because cached + wheels, always built locally, have different hashes than the files + downloaded from the index server and thus throw false hash mismatches. + Furthermore, cached wheels at present have undeterministic contents due + to file modification times. + """ + if self.link is None: + self.link = finder.find_requirement(self, upgrade) + if self._wheel_cache is not None and not require_hashes: + old_link = self.link + self.link = self._wheel_cache.get(self.link, self.name) + if old_link != self.link: + logger.debug('Using cached wheel link: %s', self.link) + + # Things that are valid for all kinds of requirements? + @property + def name(self): + # type: () -> Optional[str] + if self.req is None: + return None + return native_str(pkg_resources.safe_name(self.req.name)) + + @property + def specifier(self): + # type: () -> SpecifierSet + return self.req.specifier + + @property + def is_pinned(self): + # type: () -> bool + """Return whether I am pinned to an exact version. + + For example, some-package==1.2 is pinned; some-package>1.2 is not. + """ + specifiers = self.specifier + return (len(specifiers) == 1 and + next(iter(specifiers)).operator in {'==', '==='}) + + @property + def installed_version(self): + return get_installed_version(self.name) + + def match_markers(self, extras_requested=None): + # type: (Optional[Iterable[str]]) -> bool + if not extras_requested: + # Provide an extra to safely evaluate the markers + # without matching any extra + extras_requested = ('',) + if self.markers is not None: + return any( + self.markers.evaluate({'extra': extra}) + for extra in extras_requested) + else: + return True + + @property + def has_hash_options(self): + # type: () -> bool + """Return whether any known-good hashes are specified as options. + + These activate --require-hashes mode; hashes specified as part of a + URL do not. + + """ + return bool(self.options.get('hashes', {})) + + def hashes(self, trust_internet=True): + # type: (bool) -> Hashes + """Return a hash-comparer that considers my option- and URL-based + hashes to be known-good. + + Hashes in URLs--ones embedded in the requirements file, not ones + downloaded from an index server--are almost peers with ones from + flags. They satisfy --require-hashes (whether it was implicitly or + explicitly activated) but do not activate it. md5 and sha224 are not + allowed in flags, which should nudge people toward good algos. We + always OR all hashes together, even ones from URLs. + + :param trust_internet: Whether to trust URL-based (#md5=...) hashes + downloaded from the internet, as by populate_link() + + """ + good_hashes = self.options.get('hashes', {}).copy() + link = self.link if trust_internet else self.original_link + if link and link.hash: + good_hashes.setdefault(link.hash_name, []).append(link.hash) + return Hashes(good_hashes) + + def from_path(self): + # type: () -> Optional[str] + """Format a nice indicator to show where this "comes from" + """ + if self.req is None: + return None + s = str(self.req) + if self.comes_from: + if isinstance(self.comes_from, six.string_types): + comes_from = self.comes_from + else: + comes_from = self.comes_from.from_path() + if comes_from: + s += '->' + comes_from + return s + + def build_location(self, build_dir): + # type: (str) -> Optional[str] + assert build_dir is not None + if self._temp_build_dir.path is not None: + return self._temp_build_dir.path + if self.req is None: + # for requirement via a path to a directory: the name of the + # package is not available yet so we create a temp directory + # Once run_egg_info will have run, we'll be able + # to fix it via _correct_build_location + # Some systems have /tmp as a symlink which confuses custom + # builds (such as numpy). Thus, we ensure that the real path + # is returned. + self._temp_build_dir.create() + self._ideal_build_dir = build_dir + + return self._temp_build_dir.path + if self.editable: + name = self.name.lower() + else: + name = self.name + # FIXME: Is there a better place to create the build_dir? (hg and bzr + # need this) + if not os.path.exists(build_dir): + logger.debug('Creating directory %s', build_dir) + _make_build_dir(build_dir) + return os.path.join(build_dir, name) + + def _correct_build_location(self): + # type: () -> None + """Move self._temp_build_dir to self._ideal_build_dir/self.req.name + + For some requirements (e.g. a path to a directory), the name of the + package is not available until we run egg_info, so the build_location + will return a temporary directory and store the _ideal_build_dir. + + This is only called by self.run_egg_info to fix the temporary build + directory. + """ + if self.source_dir is not None: + return + assert self.req is not None + assert self._temp_build_dir.path + assert (self._ideal_build_dir is not None and + self._ideal_build_dir.path) # type: ignore + old_location = self._temp_build_dir.path + self._temp_build_dir.path = None + + new_location = self.build_location(self._ideal_build_dir) + if os.path.exists(new_location): + raise InstallationError( + 'A package already exists in %s; please remove it to continue' + % display_path(new_location)) + logger.debug( + 'Moving package %s from %s to new location %s', + self, display_path(old_location), display_path(new_location), + ) + shutil.move(old_location, new_location) + self._temp_build_dir.path = new_location + self._ideal_build_dir = None + self.source_dir = os.path.normpath(os.path.abspath(new_location)) + self._egg_info_path = None + + # Correct the metadata directory, if it exists + if self.metadata_directory: + old_meta = self.metadata_directory + rel = os.path.relpath(old_meta, start=old_location) + new_meta = os.path.join(new_location, rel) + new_meta = os.path.normpath(os.path.abspath(new_meta)) + self.metadata_directory = new_meta + + def remove_temporary_source(self): + # type: () -> None + """Remove the source files from this requirement, if they are marked + for deletion""" + if self.source_dir and os.path.exists( + os.path.join(self.source_dir, PIP_DELETE_MARKER_FILENAME)): + logger.debug('Removing source in %s', self.source_dir) + rmtree(self.source_dir) + self.source_dir = None + self._temp_build_dir.cleanup() + self.build_env.cleanup() + + def check_if_exists(self, use_user_site): + # type: (bool) -> bool + """Find an installed distribution that satisfies or conflicts + with this requirement, and set self.satisfied_by or + self.conflicts_with appropriately. + """ + if self.req is None: + return False + try: + # get_distribution() will resolve the entire list of requirements + # anyway, and we've already determined that we need the requirement + # in question, so strip the marker so that we don't try to + # evaluate it. + no_marker = Requirement(str(self.req)) + no_marker.marker = None + self.satisfied_by = pkg_resources.get_distribution(str(no_marker)) + if self.editable and self.satisfied_by: + self.conflicts_with = self.satisfied_by + # when installing editables, nothing pre-existing should ever + # satisfy + self.satisfied_by = None + return True + except pkg_resources.DistributionNotFound: + return False + except pkg_resources.VersionConflict: + existing_dist = pkg_resources.get_distribution( + self.req.name + ) + if use_user_site: + if dist_in_usersite(existing_dist): + self.conflicts_with = existing_dist + elif (running_under_virtualenv() and + dist_in_site_packages(existing_dist)): + raise InstallationError( + "Will not install to the user site because it will " + "lack sys.path precedence to %s in %s" % + (existing_dist.project_name, existing_dist.location) + ) + else: + self.conflicts_with = existing_dist + return True + + # Things valid for wheels + @property + def is_wheel(self): + # type: () -> bool + if not self.link: + return False + return self.link.is_wheel + + def move_wheel_files( + self, + wheeldir, # type: str + root=None, # type: Optional[str] + home=None, # type: Optional[str] + prefix=None, # type: Optional[str] + warn_script_location=True, # type: bool + use_user_site=False, # type: bool + pycompile=True # type: bool + ): + # type: (...) -> None + move_wheel_files( + self.name, self.req, wheeldir, + user=use_user_site, + home=home, + root=root, + prefix=prefix, + pycompile=pycompile, + isolated=self.isolated, + warn_script_location=warn_script_location, + ) + + # Things valid for sdists + @property + def setup_py_dir(self): + # type: () -> str + return os.path.join( + self.source_dir, + self.link and self.link.subdirectory_fragment or '') + + @property + def setup_py(self): + # type: () -> str + assert self.source_dir, "No source dir for %s" % self + + setup_py = os.path.join(self.setup_py_dir, 'setup.py') + + # Python2 __file__ should not be unicode + if six.PY2 and isinstance(setup_py, six.text_type): + setup_py = setup_py.encode(sys.getfilesystemencoding()) + + return setup_py + + @property + def pyproject_toml(self): + # type: () -> str + assert self.source_dir, "No source dir for %s" % self + + return make_pyproject_path(self.setup_py_dir) + + def load_pyproject_toml(self): + # type: () -> None + """Load the pyproject.toml file. + + After calling this routine, all of the attributes related to PEP 517 + processing for this requirement have been set. In particular, the + use_pep517 attribute can be used to determine whether we should + follow the PEP 517 or legacy (setup.py) code path. + """ + pep517_data = load_pyproject_toml( + self.use_pep517, + self.pyproject_toml, + self.setup_py, + str(self) + ) + + if pep517_data is None: + self.use_pep517 = False + else: + self.use_pep517 = True + requires, backend, check = pep517_data + self.requirements_to_check = check + self.pyproject_requires = requires + self.pep517_backend = Pep517HookCaller(self.setup_py_dir, backend) + + # Use a custom function to call subprocesses + self.spin_message = "" + + def runner(cmd, cwd=None, extra_environ=None): + with open_spinner(self.spin_message) as spinner: + call_subprocess( + cmd, + cwd=cwd, + extra_environ=extra_environ, + show_stdout=False, + spinner=spinner + ) + self.spin_message = "" + + self.pep517_backend._subprocess_runner = runner + + def prepare_metadata(self): + # type: () -> None + """Ensure that project metadata is available. + + Under PEP 517, call the backend hook to prepare the metadata. + Under legacy processing, call setup.py egg-info. + """ + assert self.source_dir + + with indent_log(): + if self.use_pep517: + self.prepare_pep517_metadata() + else: + self.run_egg_info() + + if not self.req: + if isinstance(parse_version(self.metadata["Version"]), Version): + op = "==" + else: + op = "===" + self.req = Requirement( + "".join([ + self.metadata["Name"], + op, + self.metadata["Version"], + ]) + ) + self._correct_build_location() + else: + metadata_name = canonicalize_name(self.metadata["Name"]) + if canonicalize_name(self.req.name) != metadata_name: + logger.warning( + 'Generating metadata for package %s ' + 'produced metadata for project name %s. Fix your ' + '#egg=%s fragments.', + self.name, metadata_name, self.name + ) + self.req = Requirement(metadata_name) + + def prepare_pep517_metadata(self): + # type: () -> None + assert self.pep517_backend is not None + + metadata_dir = os.path.join( + self.setup_py_dir, + 'pip-wheel-metadata' + ) + ensure_dir(metadata_dir) + + with self.build_env: + # Note that Pep517HookCaller implements a fallback for + # prepare_metadata_for_build_wheel, so we don't have to + # consider the possibility that this hook doesn't exist. + backend = self.pep517_backend + self.spin_message = "Preparing wheel metadata" + distinfo_dir = backend.prepare_metadata_for_build_wheel( + metadata_dir + ) + + self.metadata_directory = os.path.join(metadata_dir, distinfo_dir) + + def run_egg_info(self): + # type: () -> None + if self.name: + logger.debug( + 'Running setup.py (path:%s) egg_info for package %s', + self.setup_py, self.name, + ) + else: + logger.debug( + 'Running setup.py (path:%s) egg_info for package from %s', + self.setup_py, self.link, + ) + script = SETUPTOOLS_SHIM % self.setup_py + base_cmd = [sys.executable, '-c', script] + if self.isolated: + base_cmd += ["--no-user-cfg"] + egg_info_cmd = base_cmd + ['egg_info'] + # We can't put the .egg-info files at the root, because then the + # source code will be mistaken for an installed egg, causing + # problems + if self.editable: + egg_base_option = [] # type: List[str] + else: + egg_info_dir = os.path.join(self.setup_py_dir, 'pip-egg-info') + ensure_dir(egg_info_dir) + egg_base_option = ['--egg-base', 'pip-egg-info'] + with self.build_env: + call_subprocess( + egg_info_cmd + egg_base_option, + cwd=self.setup_py_dir, + show_stdout=False, + command_desc='python setup.py egg_info') + + @property + def egg_info_path(self): + # type: () -> str + if self._egg_info_path is None: + if self.editable: + base = self.source_dir + else: + base = os.path.join(self.setup_py_dir, 'pip-egg-info') + filenames = os.listdir(base) + if self.editable: + filenames = [] + for root, dirs, files in os.walk(base): + for dir in vcs.dirnames: + if dir in dirs: + dirs.remove(dir) + # Iterate over a copy of ``dirs``, since mutating + # a list while iterating over it can cause trouble. + # (See https://github.com/pypa/pip/pull/462.) + for dir in list(dirs): + # Don't search in anything that looks like a virtualenv + # environment + if ( + os.path.lexists( + os.path.join(root, dir, 'bin', 'python') + ) or + os.path.exists( + os.path.join( + root, dir, 'Scripts', 'Python.exe' + ) + )): + dirs.remove(dir) + # Also don't search through tests + elif dir == 'test' or dir == 'tests': + dirs.remove(dir) + filenames.extend([os.path.join(root, dir) + for dir in dirs]) + filenames = [f for f in filenames if f.endswith('.egg-info')] + + if not filenames: + raise InstallationError( + "Files/directories not found in %s" % base + ) + # if we have more than one match, we pick the toplevel one. This + # can easily be the case if there is a dist folder which contains + # an extracted tarball for testing purposes. + if len(filenames) > 1: + filenames.sort( + key=lambda x: x.count(os.path.sep) + + (os.path.altsep and x.count(os.path.altsep) or 0) + ) + self._egg_info_path = os.path.join(base, filenames[0]) + return self._egg_info_path + + @property + def metadata(self): + if not hasattr(self, '_metadata'): + self._metadata = get_metadata(self.get_dist()) + + return self._metadata + + def get_dist(self): + # type: () -> Distribution + """Return a pkg_resources.Distribution for this requirement""" + if self.metadata_directory: + base_dir, distinfo = os.path.split(self.metadata_directory) + metadata = pkg_resources.PathMetadata( + base_dir, self.metadata_directory + ) + dist_name = os.path.splitext(distinfo)[0] + typ = pkg_resources.DistInfoDistribution + else: + egg_info = self.egg_info_path.rstrip(os.path.sep) + base_dir = os.path.dirname(egg_info) + metadata = pkg_resources.PathMetadata(base_dir, egg_info) + dist_name = os.path.splitext(os.path.basename(egg_info))[0] + # https://github.com/python/mypy/issues/1174 + typ = pkg_resources.Distribution # type: ignore + + return typ( + base_dir, + project_name=dist_name, + metadata=metadata, + ) + + def assert_source_matches_version(self): + # type: () -> None + assert self.source_dir + version = self.metadata['version'] + if self.req.specifier and version not in self.req.specifier: + logger.warning( + 'Requested %s, but installing version %s', + self, + version, + ) + else: + logger.debug( + 'Source in %s has version %s, which satisfies requirement %s', + display_path(self.source_dir), + version, + self, + ) + + # For both source distributions and editables + def ensure_has_source_dir(self, parent_dir): + # type: (str) -> str + """Ensure that a source_dir is set. + + This will create a temporary build dir if the name of the requirement + isn't known yet. + + :param parent_dir: The ideal pip parent_dir for the source_dir. + Generally src_dir for editables and build_dir for sdists. + :return: self.source_dir + """ + if self.source_dir is None: + self.source_dir = self.build_location(parent_dir) + return self.source_dir + + # For editable installations + def install_editable( + self, + install_options, # type: List[str] + global_options=(), # type: Sequence[str] + prefix=None # type: Optional[str] + ): + # type: (...) -> None + logger.info('Running setup.py develop for %s', self.name) + + if self.isolated: + global_options = list(global_options) + ["--no-user-cfg"] + + if prefix: + prefix_param = ['--prefix={}'.format(prefix)] + install_options = list(install_options) + prefix_param + + with indent_log(): + # FIXME: should we do --install-headers here too? + with self.build_env: + call_subprocess( + [ + sys.executable, + '-c', + SETUPTOOLS_SHIM % self.setup_py + ] + + list(global_options) + + ['develop', '--no-deps'] + + list(install_options), + + cwd=self.setup_py_dir, + show_stdout=False, + ) + + self.install_succeeded = True + + def update_editable(self, obtain=True): + # type: (bool) -> None + if not self.link: + logger.debug( + "Cannot update repository at %s; repository location is " + "unknown", + self.source_dir, + ) + return + assert self.editable + assert self.source_dir + if self.link.scheme == 'file': + # Static paths don't get updated + return + assert '+' in self.link.url, "bad url: %r" % self.link.url + if not self.update: + return + vc_type, url = self.link.url.split('+', 1) + backend = vcs.get_backend(vc_type) + if backend: + vcs_backend = backend(self.link.url) + if obtain: + vcs_backend.obtain(self.source_dir) + else: + vcs_backend.export(self.source_dir) + else: + assert 0, ( + 'Unexpected version control type (in %s): %s' + % (self.link, vc_type)) + + # Top-level Actions + def uninstall(self, auto_confirm=False, verbose=False, + use_user_site=False): + # type: (bool, bool, bool) -> Optional[UninstallPathSet] + """ + Uninstall the distribution currently satisfying this requirement. + + Prompts before removing or modifying files unless + ``auto_confirm`` is True. + + Refuses to delete or modify files outside of ``sys.prefix`` - + thus uninstallation within a virtual environment can only + modify that virtual environment, even if the virtualenv is + linked to global site-packages. + + """ + if not self.check_if_exists(use_user_site): + logger.warning("Skipping %s as it is not installed.", self.name) + return None + dist = self.satisfied_by or self.conflicts_with + + uninstalled_pathset = UninstallPathSet.from_dist(dist) + uninstalled_pathset.remove(auto_confirm, verbose) + return uninstalled_pathset + + def _clean_zip_name(self, name, prefix): # only used by archive. + assert name.startswith(prefix + os.path.sep), ( + "name %r doesn't start with prefix %r" % (name, prefix) + ) + name = name[len(prefix) + 1:] + name = name.replace(os.path.sep, '/') + return name + + def _get_archive_name(self, path, parentdir, rootdir): + # type: (str, str, str) -> str + path = os.path.join(parentdir, path) + name = self._clean_zip_name(path, rootdir) + return self.name + '/' + name + + # TODO: Investigate if this should be kept in InstallRequirement + # Seems to be used only when VCS + downloads + def archive(self, build_dir): + # type: (str) -> None + assert self.source_dir + create_archive = True + archive_name = '%s-%s.zip' % (self.name, self.metadata["version"]) + archive_path = os.path.join(build_dir, archive_name) + if os.path.exists(archive_path): + response = ask_path_exists( + 'The file %s exists. (i)gnore, (w)ipe, (b)ackup, (a)bort ' % + display_path(archive_path), ('i', 'w', 'b', 'a')) + if response == 'i': + create_archive = False + elif response == 'w': + logger.warning('Deleting %s', display_path(archive_path)) + os.remove(archive_path) + elif response == 'b': + dest_file = backup_dir(archive_path) + logger.warning( + 'Backing up %s to %s', + display_path(archive_path), + display_path(dest_file), + ) + shutil.move(archive_path, dest_file) + elif response == 'a': + sys.exit(-1) + if create_archive: + zip = zipfile.ZipFile( + archive_path, 'w', zipfile.ZIP_DEFLATED, + allowZip64=True + ) + dir = os.path.normcase(os.path.abspath(self.setup_py_dir)) + for dirpath, dirnames, filenames in os.walk(dir): + if 'pip-egg-info' in dirnames: + dirnames.remove('pip-egg-info') + for dirname in dirnames: + dir_arcname = self._get_archive_name(dirname, + parentdir=dirpath, + rootdir=dir) + zipdir = zipfile.ZipInfo(dir_arcname + '/') + zipdir.external_attr = 0x1ED << 16 # 0o755 + zip.writestr(zipdir, '') + for filename in filenames: + if filename == PIP_DELETE_MARKER_FILENAME: + continue + file_arcname = self._get_archive_name(filename, + parentdir=dirpath, + rootdir=dir) + filename = os.path.join(dirpath, filename) + zip.write(filename, file_arcname) + zip.close() + logger.info('Saved %s', display_path(archive_path)) + + def install( + self, + install_options, # type: List[str] + global_options=None, # type: Optional[Sequence[str]] + root=None, # type: Optional[str] + home=None, # type: Optional[str] + prefix=None, # type: Optional[str] + warn_script_location=True, # type: bool + use_user_site=False, # type: bool + pycompile=True # type: bool + ): + # type: (...) -> None + global_options = global_options if global_options is not None else [] + if self.editable: + self.install_editable( + install_options, global_options, prefix=prefix, + ) + return + if self.is_wheel: + version = wheel.wheel_version(self.source_dir) + wheel.check_compatibility(version, self.name) + + self.move_wheel_files( + self.source_dir, root=root, prefix=prefix, home=home, + warn_script_location=warn_script_location, + use_user_site=use_user_site, pycompile=pycompile, + ) + self.install_succeeded = True + return + + # Extend the list of global and install options passed on to + # the setup.py call with the ones from the requirements file. + # Options specified in requirements file override those + # specified on the command line, since the last option given + # to setup.py is the one that is used. + global_options = list(global_options) + \ + self.options.get('global_options', []) + install_options = list(install_options) + \ + self.options.get('install_options', []) + + if self.isolated: + # https://github.com/python/mypy/issues/1174 + global_options = global_options + ["--no-user-cfg"] # type: ignore + + with TempDirectory(kind="record") as temp_dir: + record_filename = os.path.join(temp_dir.path, 'install-record.txt') + install_args = self.get_install_args( + global_options, record_filename, root, prefix, pycompile, + ) + msg = 'Running setup.py install for %s' % (self.name,) + with open_spinner(msg) as spinner: + with indent_log(): + with self.build_env: + call_subprocess( + install_args + install_options, + cwd=self.setup_py_dir, + show_stdout=False, + spinner=spinner, + ) + + if not os.path.exists(record_filename): + logger.debug('Record file %s not found', record_filename) + return + self.install_succeeded = True + + def prepend_root(path): + if root is None or not os.path.isabs(path): + return path + else: + return change_root(root, path) + + with open(record_filename) as f: + for line in f: + directory = os.path.dirname(line) + if directory.endswith('.egg-info'): + egg_info_dir = prepend_root(directory) + break + else: + logger.warning( + 'Could not find .egg-info directory in install record' + ' for %s', + self, + ) + # FIXME: put the record somewhere + # FIXME: should this be an error? + return + new_lines = [] + with open(record_filename) as f: + for line in f: + filename = line.strip() + if os.path.isdir(filename): + filename += os.path.sep + new_lines.append( + os.path.relpath(prepend_root(filename), egg_info_dir) + ) + new_lines.sort() + ensure_dir(egg_info_dir) + inst_files_path = os.path.join(egg_info_dir, 'installed-files.txt') + with open(inst_files_path, 'w') as f: + f.write('\n'.join(new_lines) + '\n') + + def get_install_args( + self, + global_options, # type: Sequence[str] + record_filename, # type: str + root, # type: Optional[str] + prefix, # type: Optional[str] + pycompile # type: bool + ): + # type: (...) -> List[str] + install_args = [sys.executable, "-u"] + install_args.append('-c') + install_args.append(SETUPTOOLS_SHIM % self.setup_py) + install_args += list(global_options) + \ + ['install', '--record', record_filename] + install_args += ['--single-version-externally-managed'] + + if root is not None: + install_args += ['--root', root] + if prefix is not None: + install_args += ['--prefix', prefix] + + if pycompile: + install_args += ["--compile"] + else: + install_args += ["--no-compile"] + + if running_under_virtualenv(): + py_ver_str = 'python' + sysconfig.get_python_version() + install_args += ['--install-headers', + os.path.join(sys.prefix, 'include', 'site', + py_ver_str, self.name)] + + return install_args diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_set.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_set.py new file mode 100644 index 0000000..d1410e9 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_set.py @@ -0,0 +1,197 @@ +from __future__ import absolute_import + +import logging +from collections import OrderedDict + +from pip._internal.exceptions import InstallationError +from pip._internal.utils.logging import indent_log +from pip._internal.utils.typing import MYPY_CHECK_RUNNING +from pip._internal.wheel import Wheel + +if MYPY_CHECK_RUNNING: + from typing import Optional, List, Tuple, Dict, Iterable # noqa: F401 + from pip._internal.req.req_install import InstallRequirement # noqa: F401 + + +logger = logging.getLogger(__name__) + + +class RequirementSet(object): + + def __init__(self, require_hashes=False, check_supported_wheels=True): + # type: (bool, bool) -> None + """Create a RequirementSet. + """ + + self.requirements = OrderedDict() # type: Dict[str, InstallRequirement] # noqa: E501 + self.require_hashes = require_hashes + self.check_supported_wheels = check_supported_wheels + + # Mapping of alias: real_name + self.requirement_aliases = {} # type: Dict[str, str] + self.unnamed_requirements = [] # type: List[InstallRequirement] + self.successfully_downloaded = [] # type: List[InstallRequirement] + self.reqs_to_cleanup = [] # type: List[InstallRequirement] + + def __str__(self): + reqs = [req for req in self.requirements.values() + if not req.comes_from] + reqs.sort(key=lambda req: req.name.lower()) + return ' '.join([str(req.req) for req in reqs]) + + def __repr__(self): + reqs = [req for req in self.requirements.values()] + reqs.sort(key=lambda req: req.name.lower()) + reqs_str = ', '.join([str(req.req) for req in reqs]) + return ('<%s object; %d requirement(s): %s>' + % (self.__class__.__name__, len(reqs), reqs_str)) + + def add_requirement( + self, + install_req, # type: InstallRequirement + parent_req_name=None, # type: Optional[str] + extras_requested=None # type: Optional[Iterable[str]] + ): + # type: (...) -> Tuple[List[InstallRequirement], Optional[InstallRequirement]] # noqa: E501 + """Add install_req as a requirement to install. + + :param parent_req_name: The name of the requirement that needed this + added. The name is used because when multiple unnamed requirements + resolve to the same name, we could otherwise end up with dependency + links that point outside the Requirements set. parent_req must + already be added. Note that None implies that this is a user + supplied requirement, vs an inferred one. + :param extras_requested: an iterable of extras used to evaluate the + environment markers. + :return: Additional requirements to scan. That is either [] if + the requirement is not applicable, or [install_req] if the + requirement is applicable and has just been added. + """ + name = install_req.name + + # If the markers do not match, ignore this requirement. + if not install_req.match_markers(extras_requested): + logger.info( + "Ignoring %s: markers '%s' don't match your environment", + name, install_req.markers, + ) + return [], None + + # If the wheel is not supported, raise an error. + # Should check this after filtering out based on environment markers to + # allow specifying different wheels based on the environment/OS, in a + # single requirements file. + if install_req.link and install_req.link.is_wheel: + wheel = Wheel(install_req.link.filename) + if self.check_supported_wheels and not wheel.supported(): + raise InstallationError( + "%s is not a supported wheel on this platform." % + wheel.filename + ) + + # This next bit is really a sanity check. + assert install_req.is_direct == (parent_req_name is None), ( + "a direct req shouldn't have a parent and also, " + "a non direct req should have a parent" + ) + + # Unnamed requirements are scanned again and the requirement won't be + # added as a dependency until after scanning. + if not name: + # url or path requirement w/o an egg fragment + self.unnamed_requirements.append(install_req) + return [install_req], None + + try: + existing_req = self.get_requirement(name) + except KeyError: + existing_req = None + + has_conflicting_requirement = ( + parent_req_name is None and + existing_req and + not existing_req.constraint and + existing_req.extras == install_req.extras and + existing_req.req.specifier != install_req.req.specifier + ) + if has_conflicting_requirement: + raise InstallationError( + "Double requirement given: %s (already in %s, name=%r)" + % (install_req, existing_req, name) + ) + + # When no existing requirement exists, add the requirement as a + # dependency and it will be scanned again after. + if not existing_req: + self.requirements[name] = install_req + # FIXME: what about other normalizations? E.g., _ vs. -? + if name.lower() != name: + self.requirement_aliases[name.lower()] = name + # We'd want to rescan this requirements later + return [install_req], install_req + + # Assume there's no need to scan, and that we've already + # encountered this for scanning. + if install_req.constraint or not existing_req.constraint: + return [], existing_req + + does_not_satisfy_constraint = ( + install_req.link and + not ( + existing_req.link and + install_req.link.path == existing_req.link.path + ) + ) + if does_not_satisfy_constraint: + self.reqs_to_cleanup.append(install_req) + raise InstallationError( + "Could not satisfy constraints for '%s': " + "installation from path or url cannot be " + "constrained to a version" % name, + ) + # If we're now installing a constraint, mark the existing + # object for real installation. + existing_req.constraint = False + existing_req.extras = tuple(sorted( + set(existing_req.extras) | set(install_req.extras) + )) + logger.debug( + "Setting %s extras to: %s", + existing_req, existing_req.extras, + ) + # Return the existing requirement for addition to the parent and + # scanning again. + return [existing_req], existing_req + + def has_requirement(self, project_name): + # type: (str) -> bool + name = project_name.lower() + if (name in self.requirements and + not self.requirements[name].constraint or + name in self.requirement_aliases and + not self.requirements[self.requirement_aliases[name]].constraint): + return True + return False + + @property + def has_requirements(self): + # type: () -> List[InstallRequirement] + return list(req for req in self.requirements.values() if not + req.constraint) or self.unnamed_requirements + + def get_requirement(self, project_name): + # type: (str) -> InstallRequirement + for name in project_name, project_name.lower(): + if name in self.requirements: + return self.requirements[name] + if name in self.requirement_aliases: + return self.requirements[self.requirement_aliases[name]] + raise KeyError("No project with the name %r" % project_name) + + def cleanup_files(self): + # type: () -> None + """Clean up files, remove builds.""" + logger.debug('Cleaning up...') + with indent_log(): + for req in self.reqs_to_cleanup: + req.remove_temporary_source() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_tracker.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_tracker.py new file mode 100644 index 0000000..82e084a --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_tracker.py @@ -0,0 +1,88 @@ +from __future__ import absolute_import + +import contextlib +import errno +import hashlib +import logging +import os + +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import Set, Iterator # noqa: F401 + from pip._internal.req.req_install import InstallRequirement # noqa: F401 + from pip._internal.models.link import Link # noqa: F401 + +logger = logging.getLogger(__name__) + + +class RequirementTracker(object): + + def __init__(self): + # type: () -> None + self._root = os.environ.get('PIP_REQ_TRACKER') + if self._root is None: + self._temp_dir = TempDirectory(delete=False, kind='req-tracker') + self._temp_dir.create() + self._root = os.environ['PIP_REQ_TRACKER'] = self._temp_dir.path + logger.debug('Created requirements tracker %r', self._root) + else: + self._temp_dir = None + logger.debug('Re-using requirements tracker %r', self._root) + self._entries = set() # type: Set[InstallRequirement] + + def __enter__(self): + return self + + def __exit__(self, exc_type, exc_val, exc_tb): + self.cleanup() + + def _entry_path(self, link): + # type: (Link) -> str + hashed = hashlib.sha224(link.url_without_fragment.encode()).hexdigest() + return os.path.join(self._root, hashed) + + def add(self, req): + # type: (InstallRequirement) -> None + link = req.link + info = str(req) + entry_path = self._entry_path(link) + try: + with open(entry_path) as fp: + # Error, these's already a build in progress. + raise LookupError('%s is already being built: %s' + % (link, fp.read())) + except IOError as e: + if e.errno != errno.ENOENT: + raise + assert req not in self._entries + with open(entry_path, 'w') as fp: + fp.write(info) + self._entries.add(req) + logger.debug('Added %s to build tracker %r', req, self._root) + + def remove(self, req): + # type: (InstallRequirement) -> None + link = req.link + self._entries.remove(req) + os.unlink(self._entry_path(link)) + logger.debug('Removed %s from build tracker %r', req, self._root) + + def cleanup(self): + # type: () -> None + for req in set(self._entries): + self.remove(req) + remove = self._temp_dir is not None + if remove: + self._temp_dir.cleanup() + logger.debug('%s build tracker %r', + 'Removed' if remove else 'Cleaned', + self._root) + + @contextlib.contextmanager + def track(self, req): + # type: (InstallRequirement) -> Iterator[None] + self.add(req) + yield + self.remove(req) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_uninstall.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_uninstall.py new file mode 100644 index 0000000..c80959e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_uninstall.py @@ -0,0 +1,596 @@ +from __future__ import absolute_import + +import csv +import functools +import logging +import os +import sys +import sysconfig + +from pip._vendor import pkg_resources + +from pip._internal.exceptions import UninstallationError +from pip._internal.locations import bin_py, bin_user +from pip._internal.utils.compat import WINDOWS, cache_from_source, uses_pycache +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import ( + FakeFile, ask, dist_in_usersite, dist_is_local, egg_link_path, is_local, + normalize_path, renames, rmtree, +) +from pip._internal.utils.temp_dir import AdjacentTempDirectory, TempDirectory + +logger = logging.getLogger(__name__) + + +def _script_names(dist, script_name, is_gui): + """Create the fully qualified name of the files created by + {console,gui}_scripts for the given ``dist``. + Returns the list of file names + """ + if dist_in_usersite(dist): + bin_dir = bin_user + else: + bin_dir = bin_py + exe_name = os.path.join(bin_dir, script_name) + paths_to_remove = [exe_name] + if WINDOWS: + paths_to_remove.append(exe_name + '.exe') + paths_to_remove.append(exe_name + '.exe.manifest') + if is_gui: + paths_to_remove.append(exe_name + '-script.pyw') + else: + paths_to_remove.append(exe_name + '-script.py') + return paths_to_remove + + +def _unique(fn): + @functools.wraps(fn) + def unique(*args, **kw): + seen = set() + for item in fn(*args, **kw): + if item not in seen: + seen.add(item) + yield item + return unique + + +@_unique +def uninstallation_paths(dist): + """ + Yield all the uninstallation paths for dist based on RECORD-without-.py[co] + + Yield paths to all the files in RECORD. For each .py file in RECORD, add + the .pyc and .pyo in the same directory. + + UninstallPathSet.add() takes care of the __pycache__ .py[co]. + """ + r = csv.reader(FakeFile(dist.get_metadata_lines('RECORD'))) + for row in r: + path = os.path.join(dist.location, row[0]) + yield path + if path.endswith('.py'): + dn, fn = os.path.split(path) + base = fn[:-3] + path = os.path.join(dn, base + '.pyc') + yield path + path = os.path.join(dn, base + '.pyo') + yield path + + +def compact(paths): + """Compact a path set to contain the minimal number of paths + necessary to contain all paths in the set. If /a/path/ and + /a/path/to/a/file.txt are both in the set, leave only the + shorter path.""" + + sep = os.path.sep + short_paths = set() + for path in sorted(paths, key=len): + should_skip = any( + path.startswith(shortpath.rstrip("*")) and + path[len(shortpath.rstrip("*").rstrip(sep))] == sep + for shortpath in short_paths + ) + if not should_skip: + short_paths.add(path) + return short_paths + + +def compress_for_rename(paths): + """Returns a set containing the paths that need to be renamed. + + This set may include directories when the original sequence of paths + included every file on disk. + """ + case_map = dict((os.path.normcase(p), p) for p in paths) + remaining = set(case_map) + unchecked = sorted(set(os.path.split(p)[0] + for p in case_map.values()), key=len) + wildcards = set() + + def norm_join(*a): + return os.path.normcase(os.path.join(*a)) + + for root in unchecked: + if any(os.path.normcase(root).startswith(w) + for w in wildcards): + # This directory has already been handled. + continue + + all_files = set() + all_subdirs = set() + for dirname, subdirs, files in os.walk(root): + all_subdirs.update(norm_join(root, dirname, d) + for d in subdirs) + all_files.update(norm_join(root, dirname, f) + for f in files) + # If all the files we found are in our remaining set of files to + # remove, then remove them from the latter set and add a wildcard + # for the directory. + if not (all_files - remaining): + remaining.difference_update(all_files) + wildcards.add(root + os.sep) + + return set(map(case_map.__getitem__, remaining)) | wildcards + + +def compress_for_output_listing(paths): + """Returns a tuple of 2 sets of which paths to display to user + + The first set contains paths that would be deleted. Files of a package + are not added and the top-level directory of the package has a '*' added + at the end - to signify that all it's contents are removed. + + The second set contains files that would have been skipped in the above + folders. + """ + + will_remove = list(paths) + will_skip = set() + + # Determine folders and files + folders = set() + files = set() + for path in will_remove: + if path.endswith(".pyc"): + continue + if path.endswith("__init__.py") or ".dist-info" in path: + folders.add(os.path.dirname(path)) + files.add(path) + + _normcased_files = set(map(os.path.normcase, files)) + + folders = compact(folders) + + # This walks the tree using os.walk to not miss extra folders + # that might get added. + for folder in folders: + for dirpath, _, dirfiles in os.walk(folder): + for fname in dirfiles: + if fname.endswith(".pyc"): + continue + + file_ = os.path.join(dirpath, fname) + if (os.path.isfile(file_) and + os.path.normcase(file_) not in _normcased_files): + # We are skipping this file. Add it to the set. + will_skip.add(file_) + + will_remove = files | { + os.path.join(folder, "*") for folder in folders + } + + return will_remove, will_skip + + +class StashedUninstallPathSet(object): + """A set of file rename operations to stash files while + tentatively uninstalling them.""" + def __init__(self): + # Mapping from source file root to [Adjacent]TempDirectory + # for files under that directory. + self._save_dirs = {} + # (old path, new path) tuples for each move that may need + # to be undone. + self._moves = [] + + def _get_directory_stash(self, path): + """Stashes a directory. + + Directories are stashed adjacent to their original location if + possible, or else moved/copied into the user's temp dir.""" + + try: + save_dir = AdjacentTempDirectory(path) + save_dir.create() + except OSError: + save_dir = TempDirectory(kind="uninstall") + save_dir.create() + self._save_dirs[os.path.normcase(path)] = save_dir + + return save_dir.path + + def _get_file_stash(self, path): + """Stashes a file. + + If no root has been provided, one will be created for the directory + in the user's temp directory.""" + path = os.path.normcase(path) + head, old_head = os.path.dirname(path), None + save_dir = None + + while head != old_head: + try: + save_dir = self._save_dirs[head] + break + except KeyError: + pass + head, old_head = os.path.dirname(head), head + else: + # Did not find any suitable root + head = os.path.dirname(path) + save_dir = TempDirectory(kind='uninstall') + save_dir.create() + self._save_dirs[head] = save_dir + + relpath = os.path.relpath(path, head) + if relpath and relpath != os.path.curdir: + return os.path.join(save_dir.path, relpath) + return save_dir.path + + def stash(self, path): + """Stashes the directory or file and returns its new location. + """ + if os.path.isdir(path): + new_path = self._get_directory_stash(path) + else: + new_path = self._get_file_stash(path) + + self._moves.append((path, new_path)) + if os.path.isdir(path) and os.path.isdir(new_path): + # If we're moving a directory, we need to + # remove the destination first or else it will be + # moved to inside the existing directory. + # We just created new_path ourselves, so it will + # be removable. + os.rmdir(new_path) + renames(path, new_path) + return new_path + + def commit(self): + """Commits the uninstall by removing stashed files.""" + for _, save_dir in self._save_dirs.items(): + save_dir.cleanup() + self._moves = [] + self._save_dirs = {} + + def rollback(self): + """Undoes the uninstall by moving stashed files back.""" + for p in self._moves: + logging.info("Moving to %s\n from %s", *p) + + for new_path, path in self._moves: + try: + logger.debug('Replacing %s from %s', new_path, path) + if os.path.isfile(new_path): + os.unlink(new_path) + elif os.path.isdir(new_path): + rmtree(new_path) + renames(path, new_path) + except OSError as ex: + logger.error("Failed to restore %s", new_path) + logger.debug("Exception: %s", ex) + + self.commit() + + @property + def can_rollback(self): + return bool(self._moves) + + +class UninstallPathSet(object): + """A set of file paths to be removed in the uninstallation of a + requirement.""" + def __init__(self, dist): + self.paths = set() + self._refuse = set() + self.pth = {} + self.dist = dist + self._moved_paths = StashedUninstallPathSet() + + def _permitted(self, path): + """ + Return True if the given path is one we are permitted to + remove/modify, False otherwise. + + """ + return is_local(path) + + def add(self, path): + head, tail = os.path.split(path) + + # we normalize the head to resolve parent directory symlinks, but not + # the tail, since we only want to uninstall symlinks, not their targets + path = os.path.join(normalize_path(head), os.path.normcase(tail)) + + if not os.path.exists(path): + return + if self._permitted(path): + self.paths.add(path) + else: + self._refuse.add(path) + + # __pycache__ files can show up after 'installed-files.txt' is created, + # due to imports + if os.path.splitext(path)[1] == '.py' and uses_pycache: + self.add(cache_from_source(path)) + + def add_pth(self, pth_file, entry): + pth_file = normalize_path(pth_file) + if self._permitted(pth_file): + if pth_file not in self.pth: + self.pth[pth_file] = UninstallPthEntries(pth_file) + self.pth[pth_file].add(entry) + else: + self._refuse.add(pth_file) + + def remove(self, auto_confirm=False, verbose=False): + """Remove paths in ``self.paths`` with confirmation (unless + ``auto_confirm`` is True).""" + + if not self.paths: + logger.info( + "Can't uninstall '%s'. No files were found to uninstall.", + self.dist.project_name, + ) + return + + dist_name_version = ( + self.dist.project_name + "-" + self.dist.version + ) + logger.info('Uninstalling %s:', dist_name_version) + + with indent_log(): + if auto_confirm or self._allowed_to_proceed(verbose): + moved = self._moved_paths + + for_rename = compress_for_rename(self.paths) + + for path in sorted(compact(for_rename)): + moved.stash(path) + logger.debug('Removing file or directory %s', path) + + for pth in self.pth.values(): + pth.remove() + + logger.info('Successfully uninstalled %s', dist_name_version) + + def _allowed_to_proceed(self, verbose): + """Display which files would be deleted and prompt for confirmation + """ + + def _display(msg, paths): + if not paths: + return + + logger.info(msg) + with indent_log(): + for path in sorted(compact(paths)): + logger.info(path) + + if not verbose: + will_remove, will_skip = compress_for_output_listing(self.paths) + else: + # In verbose mode, display all the files that are going to be + # deleted. + will_remove = list(self.paths) + will_skip = set() + + _display('Would remove:', will_remove) + _display('Would not remove (might be manually added):', will_skip) + _display('Would not remove (outside of prefix):', self._refuse) + if verbose: + _display('Will actually move:', compress_for_rename(self.paths)) + + return ask('Proceed (y/n)? ', ('y', 'n')) == 'y' + + def rollback(self): + """Rollback the changes previously made by remove().""" + if not self._moved_paths.can_rollback: + logger.error( + "Can't roll back %s; was not uninstalled", + self.dist.project_name, + ) + return False + logger.info('Rolling back uninstall of %s', self.dist.project_name) + self._moved_paths.rollback() + for pth in self.pth.values(): + pth.rollback() + + def commit(self): + """Remove temporary save dir: rollback will no longer be possible.""" + self._moved_paths.commit() + + @classmethod + def from_dist(cls, dist): + dist_path = normalize_path(dist.location) + if not dist_is_local(dist): + logger.info( + "Not uninstalling %s at %s, outside environment %s", + dist.key, + dist_path, + sys.prefix, + ) + return cls(dist) + + if dist_path in {p for p in {sysconfig.get_path("stdlib"), + sysconfig.get_path("platstdlib")} + if p}: + logger.info( + "Not uninstalling %s at %s, as it is in the standard library.", + dist.key, + dist_path, + ) + return cls(dist) + + paths_to_remove = cls(dist) + develop_egg_link = egg_link_path(dist) + develop_egg_link_egg_info = '{}.egg-info'.format( + pkg_resources.to_filename(dist.project_name)) + egg_info_exists = dist.egg_info and os.path.exists(dist.egg_info) + # Special case for distutils installed package + distutils_egg_info = getattr(dist._provider, 'path', None) + + # Uninstall cases order do matter as in the case of 2 installs of the + # same package, pip needs to uninstall the currently detected version + if (egg_info_exists and dist.egg_info.endswith('.egg-info') and + not dist.egg_info.endswith(develop_egg_link_egg_info)): + # if dist.egg_info.endswith(develop_egg_link_egg_info), we + # are in fact in the develop_egg_link case + paths_to_remove.add(dist.egg_info) + if dist.has_metadata('installed-files.txt'): + for installed_file in dist.get_metadata( + 'installed-files.txt').splitlines(): + path = os.path.normpath( + os.path.join(dist.egg_info, installed_file) + ) + paths_to_remove.add(path) + # FIXME: need a test for this elif block + # occurs with --single-version-externally-managed/--record outside + # of pip + elif dist.has_metadata('top_level.txt'): + if dist.has_metadata('namespace_packages.txt'): + namespaces = dist.get_metadata('namespace_packages.txt') + else: + namespaces = [] + for top_level_pkg in [ + p for p + in dist.get_metadata('top_level.txt').splitlines() + if p and p not in namespaces]: + path = os.path.join(dist.location, top_level_pkg) + paths_to_remove.add(path) + paths_to_remove.add(path + '.py') + paths_to_remove.add(path + '.pyc') + paths_to_remove.add(path + '.pyo') + + elif distutils_egg_info: + raise UninstallationError( + "Cannot uninstall {!r}. It is a distutils installed project " + "and thus we cannot accurately determine which files belong " + "to it which would lead to only a partial uninstall.".format( + dist.project_name, + ) + ) + + elif dist.location.endswith('.egg'): + # package installed by easy_install + # We cannot match on dist.egg_name because it can slightly vary + # i.e. setuptools-0.6c11-py2.6.egg vs setuptools-0.6rc11-py2.6.egg + paths_to_remove.add(dist.location) + easy_install_egg = os.path.split(dist.location)[1] + easy_install_pth = os.path.join(os.path.dirname(dist.location), + 'easy-install.pth') + paths_to_remove.add_pth(easy_install_pth, './' + easy_install_egg) + + elif egg_info_exists and dist.egg_info.endswith('.dist-info'): + for path in uninstallation_paths(dist): + paths_to_remove.add(path) + + elif develop_egg_link: + # develop egg + with open(develop_egg_link, 'r') as fh: + link_pointer = os.path.normcase(fh.readline().strip()) + assert (link_pointer == dist.location), ( + 'Egg-link %s does not match installed location of %s ' + '(at %s)' % (link_pointer, dist.project_name, dist.location) + ) + paths_to_remove.add(develop_egg_link) + easy_install_pth = os.path.join(os.path.dirname(develop_egg_link), + 'easy-install.pth') + paths_to_remove.add_pth(easy_install_pth, dist.location) + + else: + logger.debug( + 'Not sure how to uninstall: %s - Check: %s', + dist, dist.location, + ) + + # find distutils scripts= scripts + if dist.has_metadata('scripts') and dist.metadata_isdir('scripts'): + for script in dist.metadata_listdir('scripts'): + if dist_in_usersite(dist): + bin_dir = bin_user + else: + bin_dir = bin_py + paths_to_remove.add(os.path.join(bin_dir, script)) + if WINDOWS: + paths_to_remove.add(os.path.join(bin_dir, script) + '.bat') + + # find console_scripts + _scripts_to_remove = [] + console_scripts = dist.get_entry_map(group='console_scripts') + for name in console_scripts.keys(): + _scripts_to_remove.extend(_script_names(dist, name, False)) + # find gui_scripts + gui_scripts = dist.get_entry_map(group='gui_scripts') + for name in gui_scripts.keys(): + _scripts_to_remove.extend(_script_names(dist, name, True)) + + for s in _scripts_to_remove: + paths_to_remove.add(s) + + return paths_to_remove + + +class UninstallPthEntries(object): + def __init__(self, pth_file): + if not os.path.isfile(pth_file): + raise UninstallationError( + "Cannot remove entries from nonexistent file %s" % pth_file + ) + self.file = pth_file + self.entries = set() + self._saved_lines = None + + def add(self, entry): + entry = os.path.normcase(entry) + # On Windows, os.path.normcase converts the entry to use + # backslashes. This is correct for entries that describe absolute + # paths outside of site-packages, but all the others use forward + # slashes. + if WINDOWS and not os.path.splitdrive(entry)[0]: + entry = entry.replace('\\', '/') + self.entries.add(entry) + + def remove(self): + logger.debug('Removing pth entries from %s:', self.file) + with open(self.file, 'rb') as fh: + # windows uses '\r\n' with py3k, but uses '\n' with py2.x + lines = fh.readlines() + self._saved_lines = lines + if any(b'\r\n' in line for line in lines): + endline = '\r\n' + else: + endline = '\n' + # handle missing trailing newline + if lines and not lines[-1].endswith(endline.encode("utf-8")): + lines[-1] = lines[-1] + endline.encode("utf-8") + for entry in self.entries: + try: + logger.debug('Removing entry: %s', entry) + lines.remove((entry + endline).encode("utf-8")) + except ValueError: + pass + with open(self.file, 'wb') as fh: + fh.writelines(lines) + + def rollback(self): + if self._saved_lines is None: + logger.error( + 'Cannot roll back changes to %s, none were made', self.file + ) + return False + logger.debug('Rolling %s back to previous state', self.file) + with open(self.file, 'wb') as fh: + fh.writelines(self._saved_lines) + return True diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/resolve.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/resolve.py new file mode 100644 index 0000000..33f572f --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/resolve.py @@ -0,0 +1,393 @@ +"""Dependency Resolution + +The dependency resolution in pip is performed as follows: + +for top-level requirements: + a. only one spec allowed per project, regardless of conflicts or not. + otherwise a "double requirement" exception is raised + b. they override sub-dependency requirements. +for sub-dependencies + a. "first found, wins" (where the order is breadth first) +""" + +import logging +from collections import defaultdict +from itertools import chain + +from pip._internal.exceptions import ( + BestVersionAlreadyInstalled, DistributionNotFound, HashError, HashErrors, + UnsupportedPythonVersion, +) +from pip._internal.req.constructors import install_req_from_req_string +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import dist_in_usersite, ensure_dir +from pip._internal.utils.packaging import check_dist_requires_python +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import Optional, DefaultDict, List, Set # noqa: F401 + from pip._internal.download import PipSession # noqa: F401 + from pip._internal.req.req_install import InstallRequirement # noqa: F401 + from pip._internal.index import PackageFinder # noqa: F401 + from pip._internal.req.req_set import RequirementSet # noqa: F401 + from pip._internal.operations.prepare import ( # noqa: F401 + DistAbstraction, RequirementPreparer + ) + from pip._internal.cache import WheelCache # noqa: F401 + +logger = logging.getLogger(__name__) + + +class Resolver(object): + """Resolves which packages need to be installed/uninstalled to perform \ + the requested operation without breaking the requirements of any package. + """ + + _allowed_strategies = {"eager", "only-if-needed", "to-satisfy-only"} + + def __init__( + self, + preparer, # type: RequirementPreparer + session, # type: PipSession + finder, # type: PackageFinder + wheel_cache, # type: Optional[WheelCache] + use_user_site, # type: bool + ignore_dependencies, # type: bool + ignore_installed, # type: bool + ignore_requires_python, # type: bool + force_reinstall, # type: bool + isolated, # type: bool + upgrade_strategy, # type: str + use_pep517=None # type: Optional[bool] + ): + # type: (...) -> None + super(Resolver, self).__init__() + assert upgrade_strategy in self._allowed_strategies + + self.preparer = preparer + self.finder = finder + self.session = session + + # NOTE: This would eventually be replaced with a cache that can give + # information about both sdist and wheels transparently. + self.wheel_cache = wheel_cache + + # This is set in resolve + self.require_hashes = None # type: Optional[bool] + + self.upgrade_strategy = upgrade_strategy + self.force_reinstall = force_reinstall + self.isolated = isolated + self.ignore_dependencies = ignore_dependencies + self.ignore_installed = ignore_installed + self.ignore_requires_python = ignore_requires_python + self.use_user_site = use_user_site + self.use_pep517 = use_pep517 + + self._discovered_dependencies = \ + defaultdict(list) # type: DefaultDict[str, List] + + def resolve(self, requirement_set): + # type: (RequirementSet) -> None + """Resolve what operations need to be done + + As a side-effect of this method, the packages (and their dependencies) + are downloaded, unpacked and prepared for installation. This + preparation is done by ``pip.operations.prepare``. + + Once PyPI has static dependency metadata available, it would be + possible to move the preparation to become a step separated from + dependency resolution. + """ + # make the wheelhouse + if self.preparer.wheel_download_dir: + ensure_dir(self.preparer.wheel_download_dir) + + # If any top-level requirement has a hash specified, enter + # hash-checking mode, which requires hashes from all. + root_reqs = ( + requirement_set.unnamed_requirements + + list(requirement_set.requirements.values()) + ) + self.require_hashes = ( + requirement_set.require_hashes or + any(req.has_hash_options for req in root_reqs) + ) + + # Display where finder is looking for packages + locations = self.finder.get_formatted_locations() + if locations: + logger.info(locations) + + # Actually prepare the files, and collect any exceptions. Most hash + # exceptions cannot be checked ahead of time, because + # req.populate_link() needs to be called before we can make decisions + # based on link type. + discovered_reqs = [] # type: List[InstallRequirement] + hash_errors = HashErrors() + for req in chain(root_reqs, discovered_reqs): + try: + discovered_reqs.extend( + self._resolve_one(requirement_set, req) + ) + except HashError as exc: + exc.req = req + hash_errors.append(exc) + + if hash_errors: + raise hash_errors + + def _is_upgrade_allowed(self, req): + # type: (InstallRequirement) -> bool + if self.upgrade_strategy == "to-satisfy-only": + return False + elif self.upgrade_strategy == "eager": + return True + else: + assert self.upgrade_strategy == "only-if-needed" + return req.is_direct + + def _set_req_to_reinstall(self, req): + # type: (InstallRequirement) -> None + """ + Set a requirement to be installed. + """ + # Don't uninstall the conflict if doing a user install and the + # conflict is not a user install. + if not self.use_user_site or dist_in_usersite(req.satisfied_by): + req.conflicts_with = req.satisfied_by + req.satisfied_by = None + + # XXX: Stop passing requirement_set for options + def _check_skip_installed(self, req_to_install): + # type: (InstallRequirement) -> Optional[str] + """Check if req_to_install should be skipped. + + This will check if the req is installed, and whether we should upgrade + or reinstall it, taking into account all the relevant user options. + + After calling this req_to_install will only have satisfied_by set to + None if the req_to_install is to be upgraded/reinstalled etc. Any + other value will be a dist recording the current thing installed that + satisfies the requirement. + + Note that for vcs urls and the like we can't assess skipping in this + routine - we simply identify that we need to pull the thing down, + then later on it is pulled down and introspected to assess upgrade/ + reinstalls etc. + + :return: A text reason for why it was skipped, or None. + """ + if self.ignore_installed: + return None + + req_to_install.check_if_exists(self.use_user_site) + if not req_to_install.satisfied_by: + return None + + if self.force_reinstall: + self._set_req_to_reinstall(req_to_install) + return None + + if not self._is_upgrade_allowed(req_to_install): + if self.upgrade_strategy == "only-if-needed": + return 'already satisfied, skipping upgrade' + return 'already satisfied' + + # Check for the possibility of an upgrade. For link-based + # requirements we have to pull the tree down and inspect to assess + # the version #, so it's handled way down. + if not req_to_install.link: + try: + self.finder.find_requirement(req_to_install, upgrade=True) + except BestVersionAlreadyInstalled: + # Then the best version is installed. + return 'already up-to-date' + except DistributionNotFound: + # No distribution found, so we squash the error. It will + # be raised later when we re-try later to do the install. + # Why don't we just raise here? + pass + + self._set_req_to_reinstall(req_to_install) + return None + + def _get_abstract_dist_for(self, req): + # type: (InstallRequirement) -> DistAbstraction + """Takes a InstallRequirement and returns a single AbstractDist \ + representing a prepared variant of the same. + """ + assert self.require_hashes is not None, ( + "require_hashes should have been set in Resolver.resolve()" + ) + + if req.editable: + return self.preparer.prepare_editable_requirement( + req, self.require_hashes, self.use_user_site, self.finder, + ) + + # satisfied_by is only evaluated by calling _check_skip_installed, + # so it must be None here. + assert req.satisfied_by is None + skip_reason = self._check_skip_installed(req) + + if req.satisfied_by: + return self.preparer.prepare_installed_requirement( + req, self.require_hashes, skip_reason + ) + + upgrade_allowed = self._is_upgrade_allowed(req) + abstract_dist = self.preparer.prepare_linked_requirement( + req, self.session, self.finder, upgrade_allowed, + self.require_hashes + ) + + # NOTE + # The following portion is for determining if a certain package is + # going to be re-installed/upgraded or not and reporting to the user. + # This should probably get cleaned up in a future refactor. + + # req.req is only avail after unpack for URL + # pkgs repeat check_if_exists to uninstall-on-upgrade + # (#14) + if not self.ignore_installed: + req.check_if_exists(self.use_user_site) + + if req.satisfied_by: + should_modify = ( + self.upgrade_strategy != "to-satisfy-only" or + self.force_reinstall or + self.ignore_installed or + req.link.scheme == 'file' + ) + if should_modify: + self._set_req_to_reinstall(req) + else: + logger.info( + 'Requirement already satisfied (use --upgrade to upgrade):' + ' %s', req, + ) + + return abstract_dist + + def _resolve_one( + self, + requirement_set, # type: RequirementSet + req_to_install # type: InstallRequirement + ): + # type: (...) -> List[InstallRequirement] + """Prepare a single requirements file. + + :return: A list of additional InstallRequirements to also install. + """ + # Tell user what we are doing for this requirement: + # obtain (editable), skipping, processing (local url), collecting + # (remote url or package name) + if req_to_install.constraint or req_to_install.prepared: + return [] + + req_to_install.prepared = True + + # register tmp src for cleanup in case something goes wrong + requirement_set.reqs_to_cleanup.append(req_to_install) + + abstract_dist = self._get_abstract_dist_for(req_to_install) + + # Parse and return dependencies + dist = abstract_dist.dist() + try: + check_dist_requires_python(dist) + except UnsupportedPythonVersion as err: + if self.ignore_requires_python: + logger.warning(err.args[0]) + else: + raise + + more_reqs = [] # type: List[InstallRequirement] + + def add_req(subreq, extras_requested): + sub_install_req = install_req_from_req_string( + str(subreq), + req_to_install, + isolated=self.isolated, + wheel_cache=self.wheel_cache, + use_pep517=self.use_pep517 + ) + parent_req_name = req_to_install.name + to_scan_again, add_to_parent = requirement_set.add_requirement( + sub_install_req, + parent_req_name=parent_req_name, + extras_requested=extras_requested, + ) + if parent_req_name and add_to_parent: + self._discovered_dependencies[parent_req_name].append( + add_to_parent + ) + more_reqs.extend(to_scan_again) + + with indent_log(): + # We add req_to_install before its dependencies, so that we + # can refer to it when adding dependencies. + if not requirement_set.has_requirement(req_to_install.name): + # 'unnamed' requirements will get added here + req_to_install.is_direct = True + requirement_set.add_requirement( + req_to_install, parent_req_name=None, + ) + + if not self.ignore_dependencies: + if req_to_install.extras: + logger.debug( + "Installing extra requirements: %r", + ','.join(req_to_install.extras), + ) + missing_requested = sorted( + set(req_to_install.extras) - set(dist.extras) + ) + for missing in missing_requested: + logger.warning( + '%s does not provide the extra \'%s\'', + dist, missing + ) + + available_requested = sorted( + set(dist.extras) & set(req_to_install.extras) + ) + for subreq in dist.requires(available_requested): + add_req(subreq, extras_requested=available_requested) + + if not req_to_install.editable and not req_to_install.satisfied_by: + # XXX: --no-install leads this to report 'Successfully + # downloaded' for only non-editable reqs, even though we took + # action on them. + requirement_set.successfully_downloaded.append(req_to_install) + + return more_reqs + + def get_installation_order(self, req_set): + # type: (RequirementSet) -> List[InstallRequirement] + """Create the installation order. + + The installation order is topological - requirements are installed + before the requiring thing. We break cycles at an arbitrary point, + and make no other guarantees. + """ + # The current implementation, which we may change at any point + # installs the user specified things in the order given, except when + # dependencies must come earlier to achieve topological order. + order = [] + ordered_reqs = set() # type: Set[InstallRequirement] + + def schedule(req): + if req.satisfied_by or req in ordered_reqs: + return + if req.constraint: + return + ordered_reqs.add(req) + for dep in self._discovered_dependencies[req.name]: + schedule(dep) + order.append(req) + + for install_req in req_set.requirements.values(): + schedule(install_req) + return order diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/appdirs.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/appdirs.py new file mode 100644 index 0000000..9af9fa7 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/appdirs.py @@ -0,0 +1,270 @@ +""" +This code was taken from https://github.com/ActiveState/appdirs and modified +to suit our purposes. +""" +from __future__ import absolute_import + +import os +import sys + +from pip._vendor.six import PY2, text_type + +from pip._internal.utils.compat import WINDOWS, expanduser +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import ( # noqa: F401 + List, Union + ) + + +def user_cache_dir(appname): + # type: (str) -> str + r""" + Return full path to the user-specific cache dir for this application. + + "appname" is the name of application. + + Typical user cache directories are: + macOS: ~/Library/Caches/ + Unix: ~/.cache/ (XDG default) + Windows: C:\Users\\AppData\Local\\Cache + + On Windows the only suggestion in the MSDN docs is that local settings go + in the `CSIDL_LOCAL_APPDATA` directory. This is identical to the + non-roaming app data dir (the default returned by `user_data_dir`). Apps + typically put cache data somewhere *under* the given dir here. Some + examples: + ...\Mozilla\Firefox\Profiles\\Cache + ...\Acme\SuperApp\Cache\1.0 + + OPINION: This function appends "Cache" to the `CSIDL_LOCAL_APPDATA` value. + """ + if WINDOWS: + # Get the base path + path = os.path.normpath(_get_win_folder("CSIDL_LOCAL_APPDATA")) + + # When using Python 2, return paths as bytes on Windows like we do on + # other operating systems. See helper function docs for more details. + if PY2 and isinstance(path, text_type): + path = _win_path_to_bytes(path) + + # Add our app name and Cache directory to it + path = os.path.join(path, appname, "Cache") + elif sys.platform == "darwin": + # Get the base path + path = expanduser("~/Library/Caches") + + # Add our app name to it + path = os.path.join(path, appname) + else: + # Get the base path + path = os.getenv("XDG_CACHE_HOME", expanduser("~/.cache")) + + # Add our app name to it + path = os.path.join(path, appname) + + return path + + +def user_data_dir(appname, roaming=False): + # type: (str, bool) -> str + r""" + Return full path to the user-specific data dir for this application. + + "appname" is the name of application. + If None, just the system directory is returned. + "roaming" (boolean, default False) can be set True to use the Windows + roaming appdata directory. That means that for users on a Windows + network setup for roaming profiles, this user data will be + sync'd on login. See + + for a discussion of issues. + + Typical user data directories are: + macOS: ~/Library/Application Support/ + if it exists, else ~/.config/ + Unix: ~/.local/share/ # or in + $XDG_DATA_HOME, if defined + Win XP (not roaming): C:\Documents and Settings\\ ... + ...Application Data\ + Win XP (roaming): C:\Documents and Settings\\Local ... + ...Settings\Application Data\ + Win 7 (not roaming): C:\\Users\\AppData\Local\ + Win 7 (roaming): C:\\Users\\AppData\Roaming\ + + For Unix, we follow the XDG spec and support $XDG_DATA_HOME. + That means, by default "~/.local/share/". + """ + if WINDOWS: + const = roaming and "CSIDL_APPDATA" or "CSIDL_LOCAL_APPDATA" + path = os.path.join(os.path.normpath(_get_win_folder(const)), appname) + elif sys.platform == "darwin": + path = os.path.join( + expanduser('~/Library/Application Support/'), + appname, + ) if os.path.isdir(os.path.join( + expanduser('~/Library/Application Support/'), + appname, + ) + ) else os.path.join( + expanduser('~/.config/'), + appname, + ) + else: + path = os.path.join( + os.getenv('XDG_DATA_HOME', expanduser("~/.local/share")), + appname, + ) + + return path + + +def user_config_dir(appname, roaming=True): + # type: (str, bool) -> str + """Return full path to the user-specific config dir for this application. + + "appname" is the name of application. + If None, just the system directory is returned. + "roaming" (boolean, default True) can be set False to not use the + Windows roaming appdata directory. That means that for users on a + Windows network setup for roaming profiles, this user data will be + sync'd on login. See + + for a discussion of issues. + + Typical user data directories are: + macOS: same as user_data_dir + Unix: ~/.config/ + Win *: same as user_data_dir + + For Unix, we follow the XDG spec and support $XDG_CONFIG_HOME. + That means, by default "~/.config/". + """ + if WINDOWS: + path = user_data_dir(appname, roaming=roaming) + elif sys.platform == "darwin": + path = user_data_dir(appname) + else: + path = os.getenv('XDG_CONFIG_HOME', expanduser("~/.config")) + path = os.path.join(path, appname) + + return path + + +# for the discussion regarding site_config_dirs locations +# see +def site_config_dirs(appname): + # type: (str) -> List[str] + r"""Return a list of potential user-shared config dirs for this application. + + "appname" is the name of application. + + Typical user config directories are: + macOS: /Library/Application Support// + Unix: /etc or $XDG_CONFIG_DIRS[i]// for each value in + $XDG_CONFIG_DIRS + Win XP: C:\Documents and Settings\All Users\Application ... + ...Data\\ + Vista: (Fail! "C:\ProgramData" is a hidden *system* directory + on Vista.) + Win 7: Hidden, but writeable on Win 7: + C:\ProgramData\\ + """ + if WINDOWS: + path = os.path.normpath(_get_win_folder("CSIDL_COMMON_APPDATA")) + pathlist = [os.path.join(path, appname)] + elif sys.platform == 'darwin': + pathlist = [os.path.join('/Library/Application Support', appname)] + else: + # try looking in $XDG_CONFIG_DIRS + xdg_config_dirs = os.getenv('XDG_CONFIG_DIRS', '/etc/xdg') + if xdg_config_dirs: + pathlist = [ + os.path.join(expanduser(x), appname) + for x in xdg_config_dirs.split(os.pathsep) + ] + else: + pathlist = [] + + # always look in /etc directly as well + pathlist.append('/etc') + + return pathlist + + +# -- Windows support functions -- + +def _get_win_folder_from_registry(csidl_name): + # type: (str) -> str + """ + This is a fallback technique at best. I'm not sure if using the + registry for this guarantees us the correct answer for all CSIDL_* + names. + """ + import _winreg + + shell_folder_name = { + "CSIDL_APPDATA": "AppData", + "CSIDL_COMMON_APPDATA": "Common AppData", + "CSIDL_LOCAL_APPDATA": "Local AppData", + }[csidl_name] + + key = _winreg.OpenKey( + _winreg.HKEY_CURRENT_USER, + r"Software\Microsoft\Windows\CurrentVersion\Explorer\Shell Folders" + ) + directory, _type = _winreg.QueryValueEx(key, shell_folder_name) + return directory + + +def _get_win_folder_with_ctypes(csidl_name): + # type: (str) -> str + csidl_const = { + "CSIDL_APPDATA": 26, + "CSIDL_COMMON_APPDATA": 35, + "CSIDL_LOCAL_APPDATA": 28, + }[csidl_name] + + buf = ctypes.create_unicode_buffer(1024) + ctypes.windll.shell32.SHGetFolderPathW(None, csidl_const, None, 0, buf) + + # Downgrade to short path name if have highbit chars. See + # . + has_high_char = False + for c in buf: + if ord(c) > 255: + has_high_char = True + break + if has_high_char: + buf2 = ctypes.create_unicode_buffer(1024) + if ctypes.windll.kernel32.GetShortPathNameW(buf.value, buf2, 1024): + buf = buf2 + + return buf.value + + +if WINDOWS: + try: + import ctypes + _get_win_folder = _get_win_folder_with_ctypes + except ImportError: + _get_win_folder = _get_win_folder_from_registry + + +def _win_path_to_bytes(path): + """Encode Windows paths to bytes. Only used on Python 2. + + Motivation is to be consistent with other operating systems where paths + are also returned as bytes. This avoids problems mixing bytes and Unicode + elsewhere in the codebase. For more details and discussion see + . + + If encoding using ASCII and MBCS fails, return the original Unicode path. + """ + for encoding in ('ASCII', 'MBCS'): + try: + return path.encode(encoding) + except (UnicodeEncodeError, LookupError): + pass + return path diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/compat.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/compat.py new file mode 100644 index 0000000..2d8b3bf --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/compat.py @@ -0,0 +1,264 @@ +"""Stuff that differs in different Python versions and platform +distributions.""" +from __future__ import absolute_import, division + +import codecs +import locale +import logging +import os +import shutil +import sys + +from pip._vendor.six import text_type + +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import Tuple, Text # noqa: F401 + +try: + import ipaddress +except ImportError: + try: + from pip._vendor import ipaddress # type: ignore + except ImportError: + import ipaddr as ipaddress # type: ignore + ipaddress.ip_address = ipaddress.IPAddress # type: ignore + ipaddress.ip_network = ipaddress.IPNetwork # type: ignore + + +__all__ = [ + "ipaddress", "uses_pycache", "console_to_str", "native_str", + "get_path_uid", "stdlib_pkgs", "WINDOWS", "samefile", "get_terminal_size", + "get_extension_suffixes", +] + + +logger = logging.getLogger(__name__) + +if sys.version_info >= (3, 4): + uses_pycache = True + from importlib.util import cache_from_source +else: + import imp + + try: + cache_from_source = imp.cache_from_source # type: ignore + except AttributeError: + # does not use __pycache__ + cache_from_source = None + + uses_pycache = cache_from_source is not None + + +if sys.version_info >= (3, 5): + backslashreplace_decode = "backslashreplace" +else: + # In version 3.4 and older, backslashreplace exists + # but does not support use for decoding. + # We implement our own replace handler for this + # situation, so that we can consistently use + # backslash replacement for all versions. + def backslashreplace_decode_fn(err): + raw_bytes = (err.object[i] for i in range(err.start, err.end)) + if sys.version_info[0] == 2: + # Python 2 gave us characters - convert to numeric bytes + raw_bytes = (ord(b) for b in raw_bytes) + return u"".join(u"\\x%x" % c for c in raw_bytes), err.end + codecs.register_error( + "backslashreplace_decode", + backslashreplace_decode_fn, + ) + backslashreplace_decode = "backslashreplace_decode" + + +def console_to_str(data): + # type: (bytes) -> Text + """Return a string, safe for output, of subprocess output. + + We assume the data is in the locale preferred encoding. + If it won't decode properly, we warn the user but decode as + best we can. + + We also ensure that the output can be safely written to + standard output without encoding errors. + """ + + # First, get the encoding we assume. This is the preferred + # encoding for the locale, unless that is not found, or + # it is ASCII, in which case assume UTF-8 + encoding = locale.getpreferredencoding() + if (not encoding) or codecs.lookup(encoding).name == "ascii": + encoding = "utf-8" + + # Now try to decode the data - if we fail, warn the user and + # decode with replacement. + try: + decoded_data = data.decode(encoding) + except UnicodeDecodeError: + logger.warning( + "Subprocess output does not appear to be encoded as %s", + encoding, + ) + decoded_data = data.decode(encoding, errors=backslashreplace_decode) + + # Make sure we can print the output, by encoding it to the output + # encoding with replacement of unencodable characters, and then + # decoding again. + # We use stderr's encoding because it's less likely to be + # redirected and if we don't find an encoding we skip this + # step (on the assumption that output is wrapped by something + # that won't fail). + # The double getattr is to deal with the possibility that we're + # being called in a situation where sys.__stderr__ doesn't exist, + # or doesn't have an encoding attribute. Neither of these cases + # should occur in normal pip use, but there's no harm in checking + # in case people use pip in (unsupported) unusual situations. + output_encoding = getattr(getattr(sys, "__stderr__", None), + "encoding", None) + + if output_encoding: + output_encoded = decoded_data.encode( + output_encoding, + errors="backslashreplace" + ) + decoded_data = output_encoded.decode(output_encoding) + + return decoded_data + + +if sys.version_info >= (3,): + def native_str(s, replace=False): + # type: (str, bool) -> str + if isinstance(s, bytes): + return s.decode('utf-8', 'replace' if replace else 'strict') + return s + +else: + def native_str(s, replace=False): + # type: (str, bool) -> str + # Replace is ignored -- unicode to UTF-8 can't fail + if isinstance(s, text_type): + return s.encode('utf-8') + return s + + +def get_path_uid(path): + # type: (str) -> int + """ + Return path's uid. + + Does not follow symlinks: + https://github.com/pypa/pip/pull/935#discussion_r5307003 + + Placed this function in compat due to differences on AIX and + Jython, that should eventually go away. + + :raises OSError: When path is a symlink or can't be read. + """ + if hasattr(os, 'O_NOFOLLOW'): + fd = os.open(path, os.O_RDONLY | os.O_NOFOLLOW) + file_uid = os.fstat(fd).st_uid + os.close(fd) + else: # AIX and Jython + # WARNING: time of check vulnerability, but best we can do w/o NOFOLLOW + if not os.path.islink(path): + # older versions of Jython don't have `os.fstat` + file_uid = os.stat(path).st_uid + else: + # raise OSError for parity with os.O_NOFOLLOW above + raise OSError( + "%s is a symlink; Will not return uid for symlinks" % path + ) + return file_uid + + +if sys.version_info >= (3, 4): + from importlib.machinery import EXTENSION_SUFFIXES + + def get_extension_suffixes(): + return EXTENSION_SUFFIXES +else: + from imp import get_suffixes + + def get_extension_suffixes(): + return [suffix[0] for suffix in get_suffixes()] + + +def expanduser(path): + # type: (str) -> str + """ + Expand ~ and ~user constructions. + + Includes a workaround for https://bugs.python.org/issue14768 + """ + expanded = os.path.expanduser(path) + if path.startswith('~/') and expanded.startswith('//'): + expanded = expanded[1:] + return expanded + + +# packages in the stdlib that may have installation metadata, but should not be +# considered 'installed'. this theoretically could be determined based on +# dist.location (py27:`sysconfig.get_paths()['stdlib']`, +# py26:sysconfig.get_config_vars('LIBDEST')), but fear platform variation may +# make this ineffective, so hard-coding +stdlib_pkgs = {"python", "wsgiref", "argparse"} + + +# windows detection, covers cpython and ironpython +WINDOWS = (sys.platform.startswith("win") or + (sys.platform == 'cli' and os.name == 'nt')) + + +def samefile(file1, file2): + # type: (str, str) -> bool + """Provide an alternative for os.path.samefile on Windows/Python2""" + if hasattr(os.path, 'samefile'): + return os.path.samefile(file1, file2) + else: + path1 = os.path.normcase(os.path.abspath(file1)) + path2 = os.path.normcase(os.path.abspath(file2)) + return path1 == path2 + + +if hasattr(shutil, 'get_terminal_size'): + def get_terminal_size(): + # type: () -> Tuple[int, int] + """ + Returns a tuple (x, y) representing the width(x) and the height(y) + in characters of the terminal window. + """ + return tuple(shutil.get_terminal_size()) # type: ignore +else: + def get_terminal_size(): + # type: () -> Tuple[int, int] + """ + Returns a tuple (x, y) representing the width(x) and the height(y) + in characters of the terminal window. + """ + def ioctl_GWINSZ(fd): + try: + import fcntl + import termios + import struct + cr = struct.unpack_from( + 'hh', + fcntl.ioctl(fd, termios.TIOCGWINSZ, '12345678') + ) + except Exception: + return None + if cr == (0, 0): + return None + return cr + cr = ioctl_GWINSZ(0) or ioctl_GWINSZ(1) or ioctl_GWINSZ(2) + if not cr: + try: + fd = os.open(os.ctermid(), os.O_RDONLY) + cr = ioctl_GWINSZ(fd) + os.close(fd) + except Exception: + pass + if not cr: + cr = (os.environ.get('LINES', 25), os.environ.get('COLUMNS', 80)) + return int(cr[1]), int(cr[0]) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/deprecation.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/deprecation.py new file mode 100644 index 0000000..0beaf74 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/deprecation.py @@ -0,0 +1,90 @@ +""" +A module that implements tooling to enable easy warnings about deprecations. +""" +from __future__ import absolute_import + +import logging +import warnings + +from pip._vendor.packaging.version import parse + +from pip import __version__ as current_version +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import Any, Optional # noqa: F401 + + +class PipDeprecationWarning(Warning): + pass + + +_original_showwarning = None # type: Any + + +# Warnings <-> Logging Integration +def _showwarning(message, category, filename, lineno, file=None, line=None): + if file is not None: + if _original_showwarning is not None: + _original_showwarning( + message, category, filename, lineno, file, line, + ) + elif issubclass(category, PipDeprecationWarning): + # We use a specially named logger which will handle all of the + # deprecation messages for pip. + logger = logging.getLogger("pip._internal.deprecations") + logger.warning(message) + else: + _original_showwarning( + message, category, filename, lineno, file, line, + ) + + +def install_warning_logger(): + # type: () -> None + # Enable our Deprecation Warnings + warnings.simplefilter("default", PipDeprecationWarning, append=True) + + global _original_showwarning + + if _original_showwarning is None: + _original_showwarning = warnings.showwarning + warnings.showwarning = _showwarning + + +def deprecated(reason, replacement, gone_in, issue=None): + # type: (str, Optional[str], Optional[str], Optional[int]) -> None + """Helper to deprecate existing functionality. + + reason: + Textual reason shown to the user about why this functionality has + been deprecated. + replacement: + Textual suggestion shown to the user about what alternative + functionality they can use. + gone_in: + The version of pip does this functionality should get removed in. + Raises errors if pip's current version is greater than or equal to + this. + issue: + Issue number on the tracker that would serve as a useful place for + users to find related discussion and provide feedback. + + Always pass replacement, gone_in and issue as keyword arguments for clarity + at the call site. + """ + + # Construct a nice message. + # This is purposely eagerly formatted as we want it to appear as if someone + # typed this entire message out. + message = "DEPRECATION: " + reason + if replacement is not None: + message += " A possible replacement is {}.".format(replacement) + if issue is not None: + url = "https://github.com/pypa/pip/issues/" + str(issue) + message += " You can find discussion regarding this at {}.".format(url) + + # Raise as an error if it has to be removed. + if gone_in is not None and parse(current_version) >= parse(gone_in): + raise PipDeprecationWarning(message) + warnings.warn(message, category=PipDeprecationWarning, stacklevel=2) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/encoding.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/encoding.py new file mode 100644 index 0000000..d36defa --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/encoding.py @@ -0,0 +1,39 @@ +import codecs +import locale +import re +import sys + +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import List, Tuple, Text # noqa: F401 + +BOMS = [ + (codecs.BOM_UTF8, 'utf8'), + (codecs.BOM_UTF16, 'utf16'), + (codecs.BOM_UTF16_BE, 'utf16-be'), + (codecs.BOM_UTF16_LE, 'utf16-le'), + (codecs.BOM_UTF32, 'utf32'), + (codecs.BOM_UTF32_BE, 'utf32-be'), + (codecs.BOM_UTF32_LE, 'utf32-le'), +] # type: List[Tuple[bytes, Text]] + +ENCODING_RE = re.compile(br'coding[:=]\s*([-\w.]+)') + + +def auto_decode(data): + # type: (bytes) -> Text + """Check a bytes string for a BOM to correctly detect the encoding + + Fallback to locale.getpreferredencoding(False) like open() on Python3""" + for bom, encoding in BOMS: + if data.startswith(bom): + return data[len(bom):].decode(encoding) + # Lets check the first two lines as in PEP263 + for line in data.split(b'\n')[:2]: + if line[0:1] == b'#' and ENCODING_RE.search(line): + encoding = ENCODING_RE.search(line).groups()[0].decode('ascii') + return data.decode(encoding) + return data.decode( + locale.getpreferredencoding(False) or sys.getdefaultencoding(), + ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/filesystem.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/filesystem.py new file mode 100644 index 0000000..1e6b033 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/filesystem.py @@ -0,0 +1,30 @@ +import os +import os.path + +from pip._internal.utils.compat import get_path_uid + + +def check_path_owner(path): + # type: (str) -> bool + # If we don't have a way to check the effective uid of this process, then + # we'll just assume that we own the directory. + if not hasattr(os, "geteuid"): + return True + + previous = None + while path != previous: + if os.path.lexists(path): + # Check if path is writable by current user. + if os.geteuid() == 0: + # Special handling for root user in order to handle properly + # cases where users use sudo without -H flag. + try: + path_uid = get_path_uid(path) + except OSError: + return False + return path_uid == 0 + else: + return os.access(path, os.W_OK) + else: + previous, path = path, os.path.dirname(path) + return False # assume we don't own the path diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/glibc.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/glibc.py new file mode 100644 index 0000000..8a51f69 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/glibc.py @@ -0,0 +1,93 @@ +from __future__ import absolute_import + +import ctypes +import re +import warnings + +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import Optional, Tuple # noqa: F401 + + +def glibc_version_string(): + # type: () -> Optional[str] + "Returns glibc version string, or None if not using glibc." + + # ctypes.CDLL(None) internally calls dlopen(NULL), and as the dlopen + # manpage says, "If filename is NULL, then the returned handle is for the + # main program". This way we can let the linker do the work to figure out + # which libc our process is actually using. + process_namespace = ctypes.CDLL(None) + try: + gnu_get_libc_version = process_namespace.gnu_get_libc_version + except AttributeError: + # Symbol doesn't exist -> therefore, we are not linked to + # glibc. + return None + + # Call gnu_get_libc_version, which returns a string like "2.5" + gnu_get_libc_version.restype = ctypes.c_char_p + version_str = gnu_get_libc_version() + # py2 / py3 compatibility: + if not isinstance(version_str, str): + version_str = version_str.decode("ascii") + + return version_str + + +# Separated out from have_compatible_glibc for easier unit testing +def check_glibc_version(version_str, required_major, minimum_minor): + # type: (str, int, int) -> bool + # Parse string and check against requested version. + # + # We use a regexp instead of str.split because we want to discard any + # random junk that might come after the minor version -- this might happen + # in patched/forked versions of glibc (e.g. Linaro's version of glibc + # uses version strings like "2.20-2014.11"). See gh-3588. + m = re.match(r"(?P[0-9]+)\.(?P[0-9]+)", version_str) + if not m: + warnings.warn("Expected glibc version with 2 components major.minor," + " got: %s" % version_str, RuntimeWarning) + return False + return (int(m.group("major")) == required_major and + int(m.group("minor")) >= minimum_minor) + + +def have_compatible_glibc(required_major, minimum_minor): + # type: (int, int) -> bool + version_str = glibc_version_string() # type: Optional[str] + if version_str is None: + return False + return check_glibc_version(version_str, required_major, minimum_minor) + + +# platform.libc_ver regularly returns completely nonsensical glibc +# versions. E.g. on my computer, platform says: +# +# ~$ python2.7 -c 'import platform; print(platform.libc_ver())' +# ('glibc', '2.7') +# ~$ python3.5 -c 'import platform; print(platform.libc_ver())' +# ('glibc', '2.9') +# +# But the truth is: +# +# ~$ ldd --version +# ldd (Debian GLIBC 2.22-11) 2.22 +# +# This is unfortunate, because it means that the linehaul data on libc +# versions that was generated by pip 8.1.2 and earlier is useless and +# misleading. Solution: instead of using platform, use our code that actually +# works. +def libc_ver(): + # type: () -> Tuple[str, str] + """Try to determine the glibc version + + Returns a tuple of strings (lib, version) which default to empty strings + in case the lookup fails. + """ + glibc_version = glibc_version_string() + if glibc_version is None: + return ("", "") + else: + return ("glibc", glibc_version) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/hashes.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/hashes.py new file mode 100644 index 0000000..c6df7a1 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/hashes.py @@ -0,0 +1,115 @@ +from __future__ import absolute_import + +import hashlib + +from pip._vendor.six import iteritems, iterkeys, itervalues + +from pip._internal.exceptions import ( + HashMismatch, HashMissing, InstallationError, +) +from pip._internal.utils.misc import read_chunks +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import ( # noqa: F401 + Dict, List, BinaryIO, NoReturn, Iterator + ) + from pip._vendor.six import PY3 + if PY3: + from hashlib import _Hash # noqa: F401 + else: + from hashlib import _hash as _Hash # noqa: F401 + + +# The recommended hash algo of the moment. Change this whenever the state of +# the art changes; it won't hurt backward compatibility. +FAVORITE_HASH = 'sha256' + + +# Names of hashlib algorithms allowed by the --hash option and ``pip hash`` +# Currently, those are the ones at least as collision-resistant as sha256. +STRONG_HASHES = ['sha256', 'sha384', 'sha512'] + + +class Hashes(object): + """A wrapper that builds multiple hashes at once and checks them against + known-good values + + """ + def __init__(self, hashes=None): + # type: (Dict[str, List[str]]) -> None + """ + :param hashes: A dict of algorithm names pointing to lists of allowed + hex digests + """ + self._allowed = {} if hashes is None else hashes + + def check_against_chunks(self, chunks): + # type: (Iterator[bytes]) -> None + """Check good hashes against ones built from iterable of chunks of + data. + + Raise HashMismatch if none match. + + """ + gots = {} + for hash_name in iterkeys(self._allowed): + try: + gots[hash_name] = hashlib.new(hash_name) + except (ValueError, TypeError): + raise InstallationError('Unknown hash name: %s' % hash_name) + + for chunk in chunks: + for hash in itervalues(gots): + hash.update(chunk) + + for hash_name, got in iteritems(gots): + if got.hexdigest() in self._allowed[hash_name]: + return + self._raise(gots) + + def _raise(self, gots): + # type: (Dict[str, _Hash]) -> NoReturn + raise HashMismatch(self._allowed, gots) + + def check_against_file(self, file): + # type: (BinaryIO) -> None + """Check good hashes against a file-like object + + Raise HashMismatch if none match. + + """ + return self.check_against_chunks(read_chunks(file)) + + def check_against_path(self, path): + # type: (str) -> None + with open(path, 'rb') as file: + return self.check_against_file(file) + + def __nonzero__(self): + # type: () -> bool + """Return whether I know any known-good hashes.""" + return bool(self._allowed) + + def __bool__(self): + # type: () -> bool + return self.__nonzero__() + + +class MissingHashes(Hashes): + """A workalike for Hashes used when we're missing a hash for a requirement + + It computes the actual hash of the requirement and raises a HashMissing + exception showing it to the user. + + """ + def __init__(self): + # type: () -> None + """Don't offer the ``hashes`` kwarg.""" + # Pass our favorite hash in to generate a "gotten hash". With the + # empty list, it will never match, so an error will always raise. + super(MissingHashes, self).__init__(hashes={FAVORITE_HASH: []}) + + def _raise(self, gots): + # type: (Dict[str, _Hash]) -> NoReturn + raise HashMissing(gots[FAVORITE_HASH].hexdigest()) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/logging.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/logging.py new file mode 100644 index 0000000..579d696 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/logging.py @@ -0,0 +1,318 @@ +from __future__ import absolute_import + +import contextlib +import errno +import logging +import logging.handlers +import os +import sys + +from pip._vendor.six import PY2 + +from pip._internal.utils.compat import WINDOWS +from pip._internal.utils.misc import ensure_dir + +try: + import threading +except ImportError: + import dummy_threading as threading # type: ignore + + +try: + from pip._vendor import colorama +# Lots of different errors can come from this, including SystemError and +# ImportError. +except Exception: + colorama = None + + +_log_state = threading.local() +_log_state.indentation = 0 + + +class BrokenStdoutLoggingError(Exception): + """ + Raised if BrokenPipeError occurs for the stdout stream while logging. + """ + pass + + +# BrokenPipeError does not exist in Python 2 and, in addition, manifests +# differently in Windows and non-Windows. +if WINDOWS: + # In Windows, a broken pipe can show up as EINVAL rather than EPIPE: + # https://bugs.python.org/issue19612 + # https://bugs.python.org/issue30418 + if PY2: + def _is_broken_pipe_error(exc_class, exc): + """See the docstring for non-Windows Python 3 below.""" + return (exc_class is IOError and + exc.errno in (errno.EINVAL, errno.EPIPE)) + else: + # In Windows, a broken pipe IOError became OSError in Python 3. + def _is_broken_pipe_error(exc_class, exc): + """See the docstring for non-Windows Python 3 below.""" + return ((exc_class is BrokenPipeError) or # noqa: F821 + (exc_class is OSError and + exc.errno in (errno.EINVAL, errno.EPIPE))) +elif PY2: + def _is_broken_pipe_error(exc_class, exc): + """See the docstring for non-Windows Python 3 below.""" + return (exc_class is IOError and exc.errno == errno.EPIPE) +else: + # Then we are in the non-Windows Python 3 case. + def _is_broken_pipe_error(exc_class, exc): + """ + Return whether an exception is a broken pipe error. + + Args: + exc_class: an exception class. + exc: an exception instance. + """ + return (exc_class is BrokenPipeError) # noqa: F821 + + +@contextlib.contextmanager +def indent_log(num=2): + """ + A context manager which will cause the log output to be indented for any + log messages emitted inside it. + """ + _log_state.indentation += num + try: + yield + finally: + _log_state.indentation -= num + + +def get_indentation(): + return getattr(_log_state, 'indentation', 0) + + +class IndentingFormatter(logging.Formatter): + def __init__(self, *args, **kwargs): + """ + A logging.Formatter obeying containing indent_log contexts. + + :param add_timestamp: A bool indicating output lines should be prefixed + with their record's timestamp. + """ + self.add_timestamp = kwargs.pop("add_timestamp", False) + super(IndentingFormatter, self).__init__(*args, **kwargs) + + def format(self, record): + """ + Calls the standard formatter, but will indent all of the log messages + by our current indentation level. + """ + formatted = super(IndentingFormatter, self).format(record) + prefix = '' + if self.add_timestamp: + prefix = self.formatTime(record, "%Y-%m-%dT%H:%M:%S ") + prefix += " " * get_indentation() + formatted = "".join([ + prefix + line + for line in formatted.splitlines(True) + ]) + return formatted + + +def _color_wrap(*colors): + def wrapped(inp): + return "".join(list(colors) + [inp, colorama.Style.RESET_ALL]) + return wrapped + + +class ColorizedStreamHandler(logging.StreamHandler): + + # Don't build up a list of colors if we don't have colorama + if colorama: + COLORS = [ + # This needs to be in order from highest logging level to lowest. + (logging.ERROR, _color_wrap(colorama.Fore.RED)), + (logging.WARNING, _color_wrap(colorama.Fore.YELLOW)), + ] + else: + COLORS = [] + + def __init__(self, stream=None, no_color=None): + logging.StreamHandler.__init__(self, stream) + self._no_color = no_color + + if WINDOWS and colorama: + self.stream = colorama.AnsiToWin32(self.stream) + + def _using_stdout(self): + """ + Return whether the handler is using sys.stdout. + """ + if WINDOWS and colorama: + # Then self.stream is an AnsiToWin32 object. + return self.stream.wrapped is sys.stdout + + return self.stream is sys.stdout + + def should_color(self): + # Don't colorize things if we do not have colorama or if told not to + if not colorama or self._no_color: + return False + + real_stream = ( + self.stream if not isinstance(self.stream, colorama.AnsiToWin32) + else self.stream.wrapped + ) + + # If the stream is a tty we should color it + if hasattr(real_stream, "isatty") and real_stream.isatty(): + return True + + # If we have an ANSI term we should color it + if os.environ.get("TERM") == "ANSI": + return True + + # If anything else we should not color it + return False + + def format(self, record): + msg = logging.StreamHandler.format(self, record) + + if self.should_color(): + for level, color in self.COLORS: + if record.levelno >= level: + msg = color(msg) + break + + return msg + + # The logging module says handleError() can be customized. + def handleError(self, record): + exc_class, exc = sys.exc_info()[:2] + # If a broken pipe occurred while calling write() or flush() on the + # stdout stream in logging's Handler.emit(), then raise our special + # exception so we can handle it in main() instead of logging the + # broken pipe error and continuing. + if (exc_class and self._using_stdout() and + _is_broken_pipe_error(exc_class, exc)): + raise BrokenStdoutLoggingError() + + return super(ColorizedStreamHandler, self).handleError(record) + + +class BetterRotatingFileHandler(logging.handlers.RotatingFileHandler): + + def _open(self): + ensure_dir(os.path.dirname(self.baseFilename)) + return logging.handlers.RotatingFileHandler._open(self) + + +class MaxLevelFilter(logging.Filter): + + def __init__(self, level): + self.level = level + + def filter(self, record): + return record.levelno < self.level + + +def setup_logging(verbosity, no_color, user_log_file): + """Configures and sets up all of the logging + + Returns the requested logging level, as its integer value. + """ + + # Determine the level to be logging at. + if verbosity >= 1: + level = "DEBUG" + elif verbosity == -1: + level = "WARNING" + elif verbosity == -2: + level = "ERROR" + elif verbosity <= -3: + level = "CRITICAL" + else: + level = "INFO" + + level_number = getattr(logging, level) + + # The "root" logger should match the "console" level *unless* we also need + # to log to a user log file. + include_user_log = user_log_file is not None + if include_user_log: + additional_log_file = user_log_file + root_level = "DEBUG" + else: + additional_log_file = "/dev/null" + root_level = level + + # Disable any logging besides WARNING unless we have DEBUG level logging + # enabled for vendored libraries. + vendored_log_level = "WARNING" if level in ["INFO", "ERROR"] else "DEBUG" + + # Shorthands for clarity + log_streams = { + "stdout": "ext://sys.stdout", + "stderr": "ext://sys.stderr", + } + handler_classes = { + "stream": "pip._internal.utils.logging.ColorizedStreamHandler", + "file": "pip._internal.utils.logging.BetterRotatingFileHandler", + } + + logging.config.dictConfig({ + "version": 1, + "disable_existing_loggers": False, + "filters": { + "exclude_warnings": { + "()": "pip._internal.utils.logging.MaxLevelFilter", + "level": logging.WARNING, + }, + }, + "formatters": { + "indent": { + "()": IndentingFormatter, + "format": "%(message)s", + }, + "indent_with_timestamp": { + "()": IndentingFormatter, + "format": "%(message)s", + "add_timestamp": True, + }, + }, + "handlers": { + "console": { + "level": level, + "class": handler_classes["stream"], + "no_color": no_color, + "stream": log_streams["stdout"], + "filters": ["exclude_warnings"], + "formatter": "indent", + }, + "console_errors": { + "level": "WARNING", + "class": handler_classes["stream"], + "no_color": no_color, + "stream": log_streams["stderr"], + "formatter": "indent", + }, + "user_log": { + "level": "DEBUG", + "class": handler_classes["file"], + "filename": additional_log_file, + "delay": True, + "formatter": "indent_with_timestamp", + }, + }, + "root": { + "level": root_level, + "handlers": ["console", "console_errors"] + ( + ["user_log"] if include_user_log else [] + ), + }, + "loggers": { + "pip._vendor": { + "level": vendored_log_level + } + }, + }) + + return level_number diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/misc.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/misc.py new file mode 100644 index 0000000..84605ee --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/misc.py @@ -0,0 +1,1040 @@ +from __future__ import absolute_import + +import contextlib +import errno +import io +import locale +# we have a submodule named 'logging' which would shadow this if we used the +# regular name: +import logging as std_logging +import os +import posixpath +import re +import shutil +import stat +import subprocess +import sys +import tarfile +import zipfile +from collections import deque + +from pip._vendor import pkg_resources +# NOTE: retrying is not annotated in typeshed as on 2017-07-17, which is +# why we ignore the type on this import. +from pip._vendor.retrying import retry # type: ignore +from pip._vendor.six import PY2 +from pip._vendor.six.moves import input +from pip._vendor.six.moves.urllib import parse as urllib_parse +from pip._vendor.six.moves.urllib.parse import unquote as urllib_unquote + +from pip._internal.exceptions import CommandError, InstallationError +from pip._internal.locations import ( + running_under_virtualenv, site_packages, user_site, virtualenv_no_global, + write_delete_marker_file, +) +from pip._internal.utils.compat import ( + WINDOWS, console_to_str, expanduser, stdlib_pkgs, +) +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if PY2: + from io import BytesIO as StringIO +else: + from io import StringIO + +if MYPY_CHECK_RUNNING: + from typing import ( # noqa: F401 + Optional, Tuple, Iterable, List, Match, Union, Any, Mapping, Text, + AnyStr, Container + ) + from pip._vendor.pkg_resources import Distribution # noqa: F401 + from pip._internal.models.link import Link # noqa: F401 + from pip._internal.utils.ui import SpinnerInterface # noqa: F401 + + +__all__ = ['rmtree', 'display_path', 'backup_dir', + 'ask', 'splitext', + 'format_size', 'is_installable_dir', + 'is_svn_page', 'file_contents', + 'split_leading_dir', 'has_leading_dir', + 'normalize_path', + 'renames', 'get_prog', + 'unzip_file', 'untar_file', 'unpack_file', 'call_subprocess', + 'captured_stdout', 'ensure_dir', + 'ARCHIVE_EXTENSIONS', 'SUPPORTED_EXTENSIONS', 'WHEEL_EXTENSION', + 'get_installed_version', 'remove_auth_from_url'] + + +logger = std_logging.getLogger(__name__) + +WHEEL_EXTENSION = '.whl' +BZ2_EXTENSIONS = ('.tar.bz2', '.tbz') +XZ_EXTENSIONS = ('.tar.xz', '.txz', '.tlz', '.tar.lz', '.tar.lzma') +ZIP_EXTENSIONS = ('.zip', WHEEL_EXTENSION) +TAR_EXTENSIONS = ('.tar.gz', '.tgz', '.tar') +ARCHIVE_EXTENSIONS = ( + ZIP_EXTENSIONS + BZ2_EXTENSIONS + TAR_EXTENSIONS + XZ_EXTENSIONS) +SUPPORTED_EXTENSIONS = ZIP_EXTENSIONS + TAR_EXTENSIONS + +try: + import bz2 # noqa + SUPPORTED_EXTENSIONS += BZ2_EXTENSIONS +except ImportError: + logger.debug('bz2 module is not available') + +try: + # Only for Python 3.3+ + import lzma # noqa + SUPPORTED_EXTENSIONS += XZ_EXTENSIONS +except ImportError: + logger.debug('lzma module is not available') + + +def ensure_dir(path): + # type: (AnyStr) -> None + """os.path.makedirs without EEXIST.""" + try: + os.makedirs(path) + except OSError as e: + if e.errno != errno.EEXIST: + raise + + +def get_prog(): + # type: () -> str + try: + prog = os.path.basename(sys.argv[0]) + if prog in ('__main__.py', '-c'): + return "%s -m pip" % sys.executable + else: + return prog + except (AttributeError, TypeError, IndexError): + pass + return 'pip' + + +# Retry every half second for up to 3 seconds +@retry(stop_max_delay=3000, wait_fixed=500) +def rmtree(dir, ignore_errors=False): + # type: (str, bool) -> None + shutil.rmtree(dir, ignore_errors=ignore_errors, + onerror=rmtree_errorhandler) + + +def rmtree_errorhandler(func, path, exc_info): + """On Windows, the files in .svn are read-only, so when rmtree() tries to + remove them, an exception is thrown. We catch that here, remove the + read-only attribute, and hopefully continue without problems.""" + # if file type currently read only + if os.stat(path).st_mode & stat.S_IREAD: + # convert to read/write + os.chmod(path, stat.S_IWRITE) + # use the original function to repeat the operation + func(path) + return + else: + raise + + +def display_path(path): + # type: (Union[str, Text]) -> str + """Gives the display value for a given path, making it relative to cwd + if possible.""" + path = os.path.normcase(os.path.abspath(path)) + if sys.version_info[0] == 2: + path = path.decode(sys.getfilesystemencoding(), 'replace') + path = path.encode(sys.getdefaultencoding(), 'replace') + if path.startswith(os.getcwd() + os.path.sep): + path = '.' + path[len(os.getcwd()):] + return path + + +def backup_dir(dir, ext='.bak'): + # type: (str, str) -> str + """Figure out the name of a directory to back up the given dir to + (adding .bak, .bak2, etc)""" + n = 1 + extension = ext + while os.path.exists(dir + extension): + n += 1 + extension = ext + str(n) + return dir + extension + + +def ask_path_exists(message, options): + # type: (str, Iterable[str]) -> str + for action in os.environ.get('PIP_EXISTS_ACTION', '').split(): + if action in options: + return action + return ask(message, options) + + +def ask(message, options): + # type: (str, Iterable[str]) -> str + """Ask the message interactively, with the given possible responses""" + while 1: + if os.environ.get('PIP_NO_INPUT'): + raise Exception( + 'No input was expected ($PIP_NO_INPUT set); question: %s' % + message + ) + response = input(message) + response = response.strip().lower() + if response not in options: + print( + 'Your response (%r) was not one of the expected responses: ' + '%s' % (response, ', '.join(options)) + ) + else: + return response + + +def format_size(bytes): + # type: (float) -> str + if bytes > 1000 * 1000: + return '%.1fMB' % (bytes / 1000.0 / 1000) + elif bytes > 10 * 1000: + return '%ikB' % (bytes / 1000) + elif bytes > 1000: + return '%.1fkB' % (bytes / 1000.0) + else: + return '%ibytes' % bytes + + +def is_installable_dir(path): + # type: (str) -> bool + """Is path is a directory containing setup.py or pyproject.toml? + """ + if not os.path.isdir(path): + return False + setup_py = os.path.join(path, 'setup.py') + if os.path.isfile(setup_py): + return True + pyproject_toml = os.path.join(path, 'pyproject.toml') + if os.path.isfile(pyproject_toml): + return True + return False + + +def is_svn_page(html): + # type: (Union[str, Text]) -> Optional[Match[Union[str, Text]]] + """ + Returns true if the page appears to be the index page of an svn repository + """ + return (re.search(r'[^<]*Revision \d+:', html) and + re.search(r'Powered by (?:<a[^>]*?>)?Subversion', html, re.I)) + + +def file_contents(filename): + # type: (str) -> Text + with open(filename, 'rb') as fp: + return fp.read().decode('utf-8') + + +def read_chunks(file, size=io.DEFAULT_BUFFER_SIZE): + """Yield pieces of data from a file-like object until EOF.""" + while True: + chunk = file.read(size) + if not chunk: + break + yield chunk + + +def split_leading_dir(path): + # type: (Union[str, Text]) -> List[Union[str, Text]] + path = path.lstrip('/').lstrip('\\') + if '/' in path and (('\\' in path and path.find('/') < path.find('\\')) or + '\\' not in path): + return path.split('/', 1) + elif '\\' in path: + return path.split('\\', 1) + else: + return [path, ''] + + +def has_leading_dir(paths): + # type: (Iterable[Union[str, Text]]) -> bool + """Returns true if all the paths have the same leading path name + (i.e., everything is in one subdirectory in an archive)""" + common_prefix = None + for path in paths: + prefix, rest = split_leading_dir(path) + if not prefix: + return False + elif common_prefix is None: + common_prefix = prefix + elif prefix != common_prefix: + return False + return True + + +def normalize_path(path, resolve_symlinks=True): + # type: (str, bool) -> str + """ + Convert a path to its canonical, case-normalized, absolute version. + + """ + path = expanduser(path) + if resolve_symlinks: + path = os.path.realpath(path) + else: + path = os.path.abspath(path) + return os.path.normcase(path) + + +def splitext(path): + # type: (str) -> Tuple[str, str] + """Like os.path.splitext, but take off .tar too""" + base, ext = posixpath.splitext(path) + if base.lower().endswith('.tar'): + ext = base[-4:] + ext + base = base[:-4] + return base, ext + + +def renames(old, new): + # type: (str, str) -> None + """Like os.renames(), but handles renaming across devices.""" + # Implementation borrowed from os.renames(). + head, tail = os.path.split(new) + if head and tail and not os.path.exists(head): + os.makedirs(head) + + shutil.move(old, new) + + head, tail = os.path.split(old) + if head and tail: + try: + os.removedirs(head) + except OSError: + pass + + +def is_local(path): + # type: (str) -> bool + """ + Return True if path is within sys.prefix, if we're running in a virtualenv. + + If we're not in a virtualenv, all paths are considered "local." + + """ + if not running_under_virtualenv(): + return True + return normalize_path(path).startswith(normalize_path(sys.prefix)) + + +def dist_is_local(dist): + # type: (Distribution) -> bool + """ + Return True if given Distribution object is installed locally + (i.e. within current virtualenv). + + Always True if we're not in a virtualenv. + + """ + return is_local(dist_location(dist)) + + +def dist_in_usersite(dist): + # type: (Distribution) -> bool + """ + Return True if given Distribution is installed in user site. + """ + norm_path = normalize_path(dist_location(dist)) + return norm_path.startswith(normalize_path(user_site)) + + +def dist_in_site_packages(dist): + # type: (Distribution) -> bool + """ + Return True if given Distribution is installed in + sysconfig.get_python_lib(). + """ + return normalize_path( + dist_location(dist) + ).startswith(normalize_path(site_packages)) + + +def dist_is_editable(dist): + # type: (Distribution) -> bool + """ + Return True if given Distribution is an editable install. + """ + for path_item in sys.path: + egg_link = os.path.join(path_item, dist.project_name + '.egg-link') + if os.path.isfile(egg_link): + return True + return False + + +def get_installed_distributions(local_only=True, + skip=stdlib_pkgs, + include_editables=True, + editables_only=False, + user_only=False): + # type: (bool, Container[str], bool, bool, bool) -> List[Distribution] + """ + Return a list of installed Distribution objects. + + If ``local_only`` is True (default), only return installations + local to the current virtualenv, if in a virtualenv. + + ``skip`` argument is an iterable of lower-case project names to + ignore; defaults to stdlib_pkgs + + If ``include_editables`` is False, don't report editables. + + If ``editables_only`` is True , only report editables. + + If ``user_only`` is True , only report installations in the user + site directory. + + """ + if local_only: + local_test = dist_is_local + else: + def local_test(d): + return True + + if include_editables: + def editable_test(d): + return True + else: + def editable_test(d): + return not dist_is_editable(d) + + if editables_only: + def editables_only_test(d): + return dist_is_editable(d) + else: + def editables_only_test(d): + return True + + if user_only: + user_test = dist_in_usersite + else: + def user_test(d): + return True + + # because of pkg_resources vendoring, mypy cannot find stub in typeshed + return [d for d in pkg_resources.working_set # type: ignore + if local_test(d) and + d.key not in skip and + editable_test(d) and + editables_only_test(d) and + user_test(d) + ] + + +def egg_link_path(dist): + # type: (Distribution) -> Optional[str] + """ + Return the path for the .egg-link file if it exists, otherwise, None. + + There's 3 scenarios: + 1) not in a virtualenv + try to find in site.USER_SITE, then site_packages + 2) in a no-global virtualenv + try to find in site_packages + 3) in a yes-global virtualenv + try to find in site_packages, then site.USER_SITE + (don't look in global location) + + For #1 and #3, there could be odd cases, where there's an egg-link in 2 + locations. + + This method will just return the first one found. + """ + sites = [] + if running_under_virtualenv(): + if virtualenv_no_global(): + sites.append(site_packages) + else: + sites.append(site_packages) + if user_site: + sites.append(user_site) + else: + if user_site: + sites.append(user_site) + sites.append(site_packages) + + for site in sites: + egglink = os.path.join(site, dist.project_name) + '.egg-link' + if os.path.isfile(egglink): + return egglink + return None + + +def dist_location(dist): + # type: (Distribution) -> str + """ + Get the site-packages location of this distribution. Generally + this is dist.location, except in the case of develop-installed + packages, where dist.location is the source code location, and we + want to know where the egg-link file is. + + """ + egg_link = egg_link_path(dist) + if egg_link: + return egg_link + return dist.location + + +def current_umask(): + """Get the current umask which involves having to set it temporarily.""" + mask = os.umask(0) + os.umask(mask) + return mask + + +def unzip_file(filename, location, flatten=True): + # type: (str, str, bool) -> None + """ + Unzip the file (with path `filename`) to the destination `location`. All + files are written based on system defaults and umask (i.e. permissions are + not preserved), except that regular file members with any execute + permissions (user, group, or world) have "chmod +x" applied after being + written. Note that for windows, any execute changes using os.chmod are + no-ops per the python docs. + """ + ensure_dir(location) + zipfp = open(filename, 'rb') + try: + zip = zipfile.ZipFile(zipfp, allowZip64=True) + leading = has_leading_dir(zip.namelist()) and flatten + for info in zip.infolist(): + name = info.filename + fn = name + if leading: + fn = split_leading_dir(name)[1] + fn = os.path.join(location, fn) + dir = os.path.dirname(fn) + if fn.endswith('/') or fn.endswith('\\'): + # A directory + ensure_dir(fn) + else: + ensure_dir(dir) + # Don't use read() to avoid allocating an arbitrarily large + # chunk of memory for the file's content + fp = zip.open(name) + try: + with open(fn, 'wb') as destfp: + shutil.copyfileobj(fp, destfp) + finally: + fp.close() + mode = info.external_attr >> 16 + # if mode and regular file and any execute permissions for + # user/group/world? + if mode and stat.S_ISREG(mode) and mode & 0o111: + # make dest file have execute for user/group/world + # (chmod +x) no-op on windows per python docs + os.chmod(fn, (0o777 - current_umask() | 0o111)) + finally: + zipfp.close() + + +def untar_file(filename, location): + # type: (str, str) -> None + """ + Untar the file (with path `filename`) to the destination `location`. + All files are written based on system defaults and umask (i.e. permissions + are not preserved), except that regular file members with any execute + permissions (user, group, or world) have "chmod +x" applied after being + written. Note that for windows, any execute changes using os.chmod are + no-ops per the python docs. + """ + ensure_dir(location) + if filename.lower().endswith('.gz') or filename.lower().endswith('.tgz'): + mode = 'r:gz' + elif filename.lower().endswith(BZ2_EXTENSIONS): + mode = 'r:bz2' + elif filename.lower().endswith(XZ_EXTENSIONS): + mode = 'r:xz' + elif filename.lower().endswith('.tar'): + mode = 'r' + else: + logger.warning( + 'Cannot determine compression type for file %s', filename, + ) + mode = 'r:*' + tar = tarfile.open(filename, mode) + try: + leading = has_leading_dir([ + member.name for member in tar.getmembers() + ]) + for member in tar.getmembers(): + fn = member.name + if leading: + # https://github.com/python/mypy/issues/1174 + fn = split_leading_dir(fn)[1] # type: ignore + path = os.path.join(location, fn) + if member.isdir(): + ensure_dir(path) + elif member.issym(): + try: + # https://github.com/python/typeshed/issues/2673 + tar._extract_member(member, path) # type: ignore + except Exception as exc: + # Some corrupt tar files seem to produce this + # (specifically bad symlinks) + logger.warning( + 'In the tar file %s the member %s is invalid: %s', + filename, member.name, exc, + ) + continue + else: + try: + fp = tar.extractfile(member) + except (KeyError, AttributeError) as exc: + # Some corrupt tar files seem to produce this + # (specifically bad symlinks) + logger.warning( + 'In the tar file %s the member %s is invalid: %s', + filename, member.name, exc, + ) + continue + ensure_dir(os.path.dirname(path)) + with open(path, 'wb') as destfp: + shutil.copyfileobj(fp, destfp) + fp.close() + # Update the timestamp (useful for cython compiled files) + # https://github.com/python/typeshed/issues/2673 + tar.utime(member, path) # type: ignore + # member have any execute permissions for user/group/world? + if member.mode & 0o111: + # make dest file have execute for user/group/world + # no-op on windows per python docs + os.chmod(path, (0o777 - current_umask() | 0o111)) + finally: + tar.close() + + +def unpack_file( + filename, # type: str + location, # type: str + content_type, # type: Optional[str] + link # type: Optional[Link] +): + # type: (...) -> None + filename = os.path.realpath(filename) + if (content_type == 'application/zip' or + filename.lower().endswith(ZIP_EXTENSIONS) or + zipfile.is_zipfile(filename)): + unzip_file( + filename, + location, + flatten=not filename.endswith('.whl') + ) + elif (content_type == 'application/x-gzip' or + tarfile.is_tarfile(filename) or + filename.lower().endswith( + TAR_EXTENSIONS + BZ2_EXTENSIONS + XZ_EXTENSIONS)): + untar_file(filename, location) + elif (content_type and content_type.startswith('text/html') and + is_svn_page(file_contents(filename))): + # We don't really care about this + from pip._internal.vcs.subversion import Subversion + Subversion('svn+' + link.url).unpack(location) + else: + # FIXME: handle? + # FIXME: magic signatures? + logger.critical( + 'Cannot unpack file %s (downloaded from %s, content-type: %s); ' + 'cannot detect archive format', + filename, location, content_type, + ) + raise InstallationError( + 'Cannot determine archive format of %s' % location + ) + + +def call_subprocess( + cmd, # type: List[str] + show_stdout=True, # type: bool + cwd=None, # type: Optional[str] + on_returncode='raise', # type: str + extra_ok_returncodes=None, # type: Optional[Iterable[int]] + command_desc=None, # type: Optional[str] + extra_environ=None, # type: Optional[Mapping[str, Any]] + unset_environ=None, # type: Optional[Iterable[str]] + spinner=None # type: Optional[SpinnerInterface] +): + # type: (...) -> Optional[Text] + """ + Args: + extra_ok_returncodes: an iterable of integer return codes that are + acceptable, in addition to 0. Defaults to None, which means []. + unset_environ: an iterable of environment variable names to unset + prior to calling subprocess.Popen(). + """ + if extra_ok_returncodes is None: + extra_ok_returncodes = [] + if unset_environ is None: + unset_environ = [] + # This function's handling of subprocess output is confusing and I + # previously broke it terribly, so as penance I will write a long comment + # explaining things. + # + # The obvious thing that affects output is the show_stdout= + # kwarg. show_stdout=True means, let the subprocess write directly to our + # stdout. Even though it is nominally the default, it is almost never used + # inside pip (and should not be used in new code without a very good + # reason); as of 2016-02-22 it is only used in a few places inside the VCS + # wrapper code. Ideally we should get rid of it entirely, because it + # creates a lot of complexity here for a rarely used feature. + # + # Most places in pip set show_stdout=False. What this means is: + # - We connect the child stdout to a pipe, which we read. + # - By default, we hide the output but show a spinner -- unless the + # subprocess exits with an error, in which case we show the output. + # - If the --verbose option was passed (= loglevel is DEBUG), then we show + # the output unconditionally. (But in this case we don't want to show + # the output a second time if it turns out that there was an error.) + # + # stderr is always merged with stdout (even if show_stdout=True). + if show_stdout: + stdout = None + else: + stdout = subprocess.PIPE + if command_desc is None: + cmd_parts = [] + for part in cmd: + if ' ' in part or '\n' in part or '"' in part or "'" in part: + part = '"%s"' % part.replace('"', '\\"') + cmd_parts.append(part) + command_desc = ' '.join(cmd_parts) + logger.debug("Running command %s", command_desc) + env = os.environ.copy() + if extra_environ: + env.update(extra_environ) + for name in unset_environ: + env.pop(name, None) + try: + proc = subprocess.Popen( + cmd, stderr=subprocess.STDOUT, stdin=subprocess.PIPE, + stdout=stdout, cwd=cwd, env=env, + ) + proc.stdin.close() + except Exception as exc: + logger.critical( + "Error %s while executing command %s", exc, command_desc, + ) + raise + all_output = [] + if stdout is not None: + while True: + line = console_to_str(proc.stdout.readline()) + if not line: + break + line = line.rstrip() + all_output.append(line + '\n') + if logger.getEffectiveLevel() <= std_logging.DEBUG: + # Show the line immediately + logger.debug(line) + else: + # Update the spinner + if spinner is not None: + spinner.spin() + try: + proc.wait() + finally: + if proc.stdout: + proc.stdout.close() + if spinner is not None: + if proc.returncode: + spinner.finish("error") + else: + spinner.finish("done") + if proc.returncode and proc.returncode not in extra_ok_returncodes: + if on_returncode == 'raise': + if (logger.getEffectiveLevel() > std_logging.DEBUG and + not show_stdout): + logger.info( + 'Complete output from command %s:', command_desc, + ) + logger.info( + ''.join(all_output) + + '\n----------------------------------------' + ) + raise InstallationError( + 'Command "%s" failed with error code %s in %s' + % (command_desc, proc.returncode, cwd)) + elif on_returncode == 'warn': + logger.warning( + 'Command "%s" had error code %s in %s', + command_desc, proc.returncode, cwd, + ) + elif on_returncode == 'ignore': + pass + else: + raise ValueError('Invalid value: on_returncode=%s' % + repr(on_returncode)) + if not show_stdout: + return ''.join(all_output) + return None + + +def read_text_file(filename): + # type: (str) -> str + """Return the contents of *filename*. + + Try to decode the file contents with utf-8, the preferred system encoding + (e.g., cp1252 on some Windows machines), and latin1, in that order. + Decoding a byte string with latin1 will never raise an error. In the worst + case, the returned string will contain some garbage characters. + + """ + with open(filename, 'rb') as fp: + data = fp.read() + + encodings = ['utf-8', locale.getpreferredencoding(False), 'latin1'] + for enc in encodings: + try: + # https://github.com/python/mypy/issues/1174 + data = data.decode(enc) # type: ignore + except UnicodeDecodeError: + continue + break + + assert not isinstance(data, bytes) # Latin1 should have worked. + return data + + +def _make_build_dir(build_dir): + os.makedirs(build_dir) + write_delete_marker_file(build_dir) + + +class FakeFile(object): + """Wrap a list of lines in an object with readline() to make + ConfigParser happy.""" + def __init__(self, lines): + self._gen = (l for l in lines) + + def readline(self): + try: + try: + return next(self._gen) + except NameError: + return self._gen.next() + except StopIteration: + return '' + + def __iter__(self): + return self._gen + + +class StreamWrapper(StringIO): + + @classmethod + def from_stream(cls, orig_stream): + cls.orig_stream = orig_stream + return cls() + + # compileall.compile_dir() needs stdout.encoding to print to stdout + @property + def encoding(self): + return self.orig_stream.encoding + + +@contextlib.contextmanager +def captured_output(stream_name): + """Return a context manager used by captured_stdout/stdin/stderr + that temporarily replaces the sys stream *stream_name* with a StringIO. + + Taken from Lib/support/__init__.py in the CPython repo. + """ + orig_stdout = getattr(sys, stream_name) + setattr(sys, stream_name, StreamWrapper.from_stream(orig_stdout)) + try: + yield getattr(sys, stream_name) + finally: + setattr(sys, stream_name, orig_stdout) + + +def captured_stdout(): + """Capture the output of sys.stdout: + + with captured_stdout() as stdout: + print('hello') + self.assertEqual(stdout.getvalue(), 'hello\n') + + Taken from Lib/support/__init__.py in the CPython repo. + """ + return captured_output('stdout') + + +def captured_stderr(): + """ + See captured_stdout(). + """ + return captured_output('stderr') + + +class cached_property(object): + """A property that is only computed once per instance and then replaces + itself with an ordinary attribute. Deleting the attribute resets the + property. + + Source: https://github.com/bottlepy/bottle/blob/0.11.5/bottle.py#L175 + """ + + def __init__(self, func): + self.__doc__ = getattr(func, '__doc__') + self.func = func + + def __get__(self, obj, cls): + if obj is None: + # We're being accessed from the class itself, not from an object + return self + value = obj.__dict__[self.func.__name__] = self.func(obj) + return value + + +def get_installed_version(dist_name, working_set=None): + """Get the installed version of dist_name avoiding pkg_resources cache""" + # Create a requirement that we'll look for inside of setuptools. + req = pkg_resources.Requirement.parse(dist_name) + + if working_set is None: + # We want to avoid having this cached, so we need to construct a new + # working set each time. + working_set = pkg_resources.WorkingSet() + + # Get the installed distribution from our working set + dist = working_set.find(req) + + # Check to see if we got an installed distribution or not, if we did + # we want to return it's version. + return dist.version if dist else None + + +def consume(iterator): + """Consume an iterable at C speed.""" + deque(iterator, maxlen=0) + + +# Simulates an enum +def enum(*sequential, **named): + enums = dict(zip(sequential, range(len(sequential))), **named) + reverse = {value: key for key, value in enums.items()} + enums['reverse_mapping'] = reverse + return type('Enum', (), enums) + + +def make_vcs_requirement_url(repo_url, rev, project_name, subdir=None): + """ + Return the URL for a VCS requirement. + + Args: + repo_url: the remote VCS url, with any needed VCS prefix (e.g. "git+"). + project_name: the (unescaped) project name. + """ + egg_project_name = pkg_resources.to_filename(project_name) + req = '{}@{}#egg={}'.format(repo_url, rev, egg_project_name) + if subdir: + req += '&subdirectory={}'.format(subdir) + + return req + + +def split_auth_from_netloc(netloc): + """ + Parse out and remove the auth information from a netloc. + + Returns: (netloc, (username, password)). + """ + if '@' not in netloc: + return netloc, (None, None) + + # Split from the right because that's how urllib.parse.urlsplit() + # behaves if more than one @ is present (which can be checked using + # the password attribute of urlsplit()'s return value). + auth, netloc = netloc.rsplit('@', 1) + if ':' in auth: + # Split from the left because that's how urllib.parse.urlsplit() + # behaves if more than one : is present (which again can be checked + # using the password attribute of the return value) + user_pass = auth.split(':', 1) + else: + user_pass = auth, None + + user_pass = tuple( + None if x is None else urllib_unquote(x) for x in user_pass + ) + + return netloc, user_pass + + +def redact_netloc(netloc): + # type: (str) -> str + """ + Replace the password in a netloc with "****", if it exists. + + For example, "user:pass@example.com" returns "user:****@example.com". + """ + netloc, (user, password) = split_auth_from_netloc(netloc) + if user is None: + return netloc + password = '' if password is None else ':****' + return '{user}{password}@{netloc}'.format(user=urllib_parse.quote(user), + password=password, + netloc=netloc) + + +def _transform_url(url, transform_netloc): + purl = urllib_parse.urlsplit(url) + netloc = transform_netloc(purl.netloc) + # stripped url + url_pieces = ( + purl.scheme, netloc, purl.path, purl.query, purl.fragment + ) + surl = urllib_parse.urlunsplit(url_pieces) + return surl + + +def _get_netloc(netloc): + return split_auth_from_netloc(netloc)[0] + + +def remove_auth_from_url(url): + # type: (str) -> str + # Return a copy of url with 'username:password@' removed. + # username/pass params are passed to subversion through flags + # and are not recognized in the url. + return _transform_url(url, _get_netloc) + + +def redact_password_from_url(url): + # type: (str) -> str + """Replace the password in a given url with ****.""" + return _transform_url(url, redact_netloc) + + +def protect_pip_from_modification_on_windows(modifying_pip): + """Protection of pip.exe from modification on Windows + + On Windows, any operation modifying pip should be run as: + python -m pip ... + """ + pip_names = [ + "pip.exe", + "pip{}.exe".format(sys.version_info[0]), + "pip{}.{}.exe".format(*sys.version_info[:2]) + ] + + # See https://github.com/pypa/pip/issues/1299 for more discussion + should_show_use_python_msg = ( + modifying_pip and + WINDOWS and + os.path.basename(sys.argv[0]) in pip_names + ) + + if should_show_use_python_msg: + new_command = [ + sys.executable, "-m", "pip" + ] + sys.argv[1:] + raise CommandError( + 'To modify pip, please run the following command:\n{}' + .format(" ".join(new_command)) + ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/models.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/models.py new file mode 100644 index 0000000..d5cb80a --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/models.py @@ -0,0 +1,40 @@ +"""Utilities for defining models +""" + +import operator + + +class KeyBasedCompareMixin(object): + """Provides comparision capabilities that is based on a key + """ + + def __init__(self, key, defining_class): + self._compare_key = key + self._defining_class = defining_class + + def __hash__(self): + return hash(self._compare_key) + + def __lt__(self, other): + return self._compare(other, operator.__lt__) + + def __le__(self, other): + return self._compare(other, operator.__le__) + + def __gt__(self, other): + return self._compare(other, operator.__gt__) + + def __ge__(self, other): + return self._compare(other, operator.__ge__) + + def __eq__(self, other): + return self._compare(other, operator.__eq__) + + def __ne__(self, other): + return self._compare(other, operator.__ne__) + + def _compare(self, other, method): + if not isinstance(other, self._defining_class): + return NotImplemented + + return method(self._compare_key, other._compare_key) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/outdated.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/outdated.py new file mode 100644 index 0000000..37c47a4 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/outdated.py @@ -0,0 +1,164 @@ +from __future__ import absolute_import + +import datetime +import json +import logging +import os.path +import sys + +from pip._vendor import lockfile, pkg_resources +from pip._vendor.packaging import version as packaging_version + +from pip._internal.index import PackageFinder +from pip._internal.utils.compat import WINDOWS +from pip._internal.utils.filesystem import check_path_owner +from pip._internal.utils.misc import ensure_dir, get_installed_version +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + import optparse # noqa: F401 + from typing import Any, Dict # noqa: F401 + from pip._internal.download import PipSession # noqa: F401 + + +SELFCHECK_DATE_FMT = "%Y-%m-%dT%H:%M:%SZ" + + +logger = logging.getLogger(__name__) + + +class SelfCheckState(object): + def __init__(self, cache_dir): + # type: (str) -> None + self.state = {} # type: Dict[str, Any] + self.statefile_path = None + + # Try to load the existing state + if cache_dir: + self.statefile_path = os.path.join(cache_dir, "selfcheck.json") + try: + with open(self.statefile_path) as statefile: + self.state = json.load(statefile)[sys.prefix] + except (IOError, ValueError, KeyError): + # Explicitly suppressing exceptions, since we don't want to + # error out if the cache file is invalid. + pass + + def save(self, pypi_version, current_time): + # type: (str, datetime.datetime) -> None + # If we do not have a path to cache in, don't bother saving. + if not self.statefile_path: + return + + # Check to make sure that we own the directory + if not check_path_owner(os.path.dirname(self.statefile_path)): + return + + # Now that we've ensured the directory is owned by this user, we'll go + # ahead and make sure that all our directories are created. + ensure_dir(os.path.dirname(self.statefile_path)) + + # Attempt to write out our version check file + with lockfile.LockFile(self.statefile_path): + if os.path.exists(self.statefile_path): + with open(self.statefile_path) as statefile: + state = json.load(statefile) + else: + state = {} + + state[sys.prefix] = { + "last_check": current_time.strftime(SELFCHECK_DATE_FMT), + "pypi_version": pypi_version, + } + + with open(self.statefile_path, "w") as statefile: + json.dump(state, statefile, sort_keys=True, + separators=(",", ":")) + + +def was_installed_by_pip(pkg): + # type: (str) -> bool + """Checks whether pkg was installed by pip + + This is used not to display the upgrade message when pip is in fact + installed by system package manager, such as dnf on Fedora. + """ + try: + dist = pkg_resources.get_distribution(pkg) + return (dist.has_metadata('INSTALLER') and + 'pip' in dist.get_metadata_lines('INSTALLER')) + except pkg_resources.DistributionNotFound: + return False + + +def pip_version_check(session, options): + # type: (PipSession, optparse.Values) -> None + """Check for an update for pip. + + Limit the frequency of checks to once per week. State is stored either in + the active virtualenv or in the user's USER_CACHE_DIR keyed off the prefix + of the pip script path. + """ + installed_version = get_installed_version("pip") + if not installed_version: + return + + pip_version = packaging_version.parse(installed_version) + pypi_version = None + + try: + state = SelfCheckState(cache_dir=options.cache_dir) + + current_time = datetime.datetime.utcnow() + # Determine if we need to refresh the state + if "last_check" in state.state and "pypi_version" in state.state: + last_check = datetime.datetime.strptime( + state.state["last_check"], + SELFCHECK_DATE_FMT + ) + if (current_time - last_check).total_seconds() < 7 * 24 * 60 * 60: + pypi_version = state.state["pypi_version"] + + # Refresh the version if we need to or just see if we need to warn + if pypi_version is None: + # Lets use PackageFinder to see what the latest pip version is + finder = PackageFinder( + find_links=options.find_links, + index_urls=[options.index_url] + options.extra_index_urls, + allow_all_prereleases=False, # Explicitly set to False + trusted_hosts=options.trusted_hosts, + session=session, + ) + all_candidates = finder.find_all_candidates("pip") + if not all_candidates: + return + pypi_version = str( + max(all_candidates, key=lambda c: c.version).version + ) + + # save that we've performed a check + state.save(pypi_version, current_time) + + remote_version = packaging_version.parse(pypi_version) + + # Determine if our pypi_version is older + if (pip_version < remote_version and + pip_version.base_version != remote_version.base_version and + was_installed_by_pip('pip')): + # Advise "python -m pip" on Windows to avoid issues + # with overwriting pip.exe. + if WINDOWS: + pip_cmd = "python -m pip" + else: + pip_cmd = "pip" + logger.warning( + "You are using pip version %s, however version %s is " + "available.\nYou should consider upgrading via the " + "'%s install --upgrade pip' command.", + pip_version, pypi_version, pip_cmd + ) + except Exception: + logger.debug( + "There was an error checking the latest version of pip", + exc_info=True, + ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/packaging.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/packaging.py new file mode 100644 index 0000000..7aaf7b5 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/packaging.py @@ -0,0 +1,85 @@ +from __future__ import absolute_import + +import logging +import sys +from email.parser import FeedParser + +from pip._vendor import pkg_resources +from pip._vendor.packaging import specifiers, version + +from pip._internal import exceptions +from pip._internal.utils.misc import display_path +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import Optional # noqa: F401 + from email.message import Message # noqa: F401 + from pip._vendor.pkg_resources import Distribution # noqa: F401 + + +logger = logging.getLogger(__name__) + + +def check_requires_python(requires_python): + # type: (Optional[str]) -> bool + """ + Check if the python version in use match the `requires_python` specifier. + + Returns `True` if the version of python in use matches the requirement. + Returns `False` if the version of python in use does not matches the + requirement. + + Raises an InvalidSpecifier if `requires_python` have an invalid format. + """ + if requires_python is None: + # The package provides no information + return True + requires_python_specifier = specifiers.SpecifierSet(requires_python) + + # We only use major.minor.micro + python_version = version.parse('.'.join(map(str, sys.version_info[:3]))) + return python_version in requires_python_specifier + + +def get_metadata(dist): + # type: (Distribution) -> Message + if (isinstance(dist, pkg_resources.DistInfoDistribution) and + dist.has_metadata('METADATA')): + metadata = dist.get_metadata('METADATA') + elif dist.has_metadata('PKG-INFO'): + metadata = dist.get_metadata('PKG-INFO') + else: + logger.warning("No metadata found in %s", display_path(dist.location)) + metadata = '' + + feed_parser = FeedParser() + feed_parser.feed(metadata) + return feed_parser.close() + + +def check_dist_requires_python(dist): + pkg_info_dict = get_metadata(dist) + requires_python = pkg_info_dict.get('Requires-Python') + try: + if not check_requires_python(requires_python): + raise exceptions.UnsupportedPythonVersion( + "%s requires Python '%s' but the running Python is %s" % ( + dist.project_name, + requires_python, + '.'.join(map(str, sys.version_info[:3])),) + ) + except specifiers.InvalidSpecifier as e: + logger.warning( + "Package %s has an invalid Requires-Python entry %s - %s", + dist.project_name, requires_python, e, + ) + return + + +def get_installer(dist): + # type: (Distribution) -> str + if dist.has_metadata('INSTALLER'): + for line in dist.get_metadata_lines('INSTALLER'): + if line.strip(): + return line.strip() + return '' diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/setuptools_build.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/setuptools_build.py new file mode 100644 index 0000000..03973e9 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/setuptools_build.py @@ -0,0 +1,8 @@ +# Shim to wrap setup.py invocation with setuptools +SETUPTOOLS_SHIM = ( + "import setuptools, tokenize;__file__=%r;" + "f=getattr(tokenize, 'open', open)(__file__);" + "code=f.read().replace('\\r\\n', '\\n');" + "f.close();" + "exec(compile(code, __file__, 'exec'))" +) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/temp_dir.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/temp_dir.py new file mode 100644 index 0000000..2c81ad5 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/temp_dir.py @@ -0,0 +1,155 @@ +from __future__ import absolute_import + +import errno +import itertools +import logging +import os.path +import tempfile + +from pip._internal.utils.misc import rmtree + +logger = logging.getLogger(__name__) + + +class TempDirectory(object): + """Helper class that owns and cleans up a temporary directory. + + This class can be used as a context manager or as an OO representation of a + temporary directory. + + Attributes: + path + Location to the created temporary directory or None + delete + Whether the directory should be deleted when exiting + (when used as a contextmanager) + + Methods: + create() + Creates a temporary directory and stores its path in the path + attribute. + cleanup() + Deletes the temporary directory and sets path attribute to None + + When used as a context manager, a temporary directory is created on + entering the context and, if the delete attribute is True, on exiting the + context the created directory is deleted. + """ + + def __init__(self, path=None, delete=None, kind="temp"): + super(TempDirectory, self).__init__() + + if path is None and delete is None: + # If we were not given an explicit directory, and we were not given + # an explicit delete option, then we'll default to deleting. + delete = True + + self.path = path + self.delete = delete + self.kind = kind + + def __repr__(self): + return "<{} {!r}>".format(self.__class__.__name__, self.path) + + def __enter__(self): + self.create() + return self + + def __exit__(self, exc, value, tb): + if self.delete: + self.cleanup() + + def create(self): + """Create a temporary directory and store its path in self.path + """ + if self.path is not None: + logger.debug( + "Skipped creation of temporary directory: {}".format(self.path) + ) + return + # We realpath here because some systems have their default tmpdir + # symlinked to another directory. This tends to confuse build + # scripts, so we canonicalize the path by traversing potential + # symlinks here. + self.path = os.path.realpath( + tempfile.mkdtemp(prefix="pip-{}-".format(self.kind)) + ) + logger.debug("Created temporary directory: {}".format(self.path)) + + def cleanup(self): + """Remove the temporary directory created and reset state + """ + if self.path is not None and os.path.exists(self.path): + rmtree(self.path) + self.path = None + + +class AdjacentTempDirectory(TempDirectory): + """Helper class that creates a temporary directory adjacent to a real one. + + Attributes: + original + The original directory to create a temp directory for. + path + After calling create() or entering, contains the full + path to the temporary directory. + delete + Whether the directory should be deleted when exiting + (when used as a contextmanager) + + """ + # The characters that may be used to name the temp directory + # We always prepend a ~ and then rotate through these until + # a usable name is found. + # pkg_resources raises a different error for .dist-info folder + # with leading '-' and invalid metadata + LEADING_CHARS = "-~.=%0123456789" + + def __init__(self, original, delete=None): + super(AdjacentTempDirectory, self).__init__(delete=delete) + self.original = original.rstrip('/\\') + + @classmethod + def _generate_names(cls, name): + """Generates a series of temporary names. + + The algorithm replaces the leading characters in the name + with ones that are valid filesystem characters, but are not + valid package names (for both Python and pip definitions of + package). + """ + for i in range(1, len(name)): + for candidate in itertools.combinations_with_replacement( + cls.LEADING_CHARS, i - 1): + new_name = '~' + ''.join(candidate) + name[i:] + if new_name != name: + yield new_name + + # If we make it this far, we will have to make a longer name + for i in range(len(cls.LEADING_CHARS)): + for candidate in itertools.combinations_with_replacement( + cls.LEADING_CHARS, i): + new_name = '~' + ''.join(candidate) + name + if new_name != name: + yield new_name + + def create(self): + root, name = os.path.split(self.original) + for candidate in self._generate_names(name): + path = os.path.join(root, candidate) + try: + os.mkdir(path) + except OSError as ex: + # Continue if the name exists already + if ex.errno != errno.EEXIST: + raise + else: + self.path = os.path.realpath(path) + break + + if not self.path: + # Final fallback on the default behavior. + self.path = os.path.realpath( + tempfile.mkdtemp(prefix="pip-{}-".format(self.kind)) + ) + logger.debug("Created temporary directory: {}".format(self.path)) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/typing.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/typing.py new file mode 100644 index 0000000..e085cdf --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/typing.py @@ -0,0 +1,29 @@ +"""For neatly implementing static typing in pip. + +`mypy` - the static type analysis tool we use - uses the `typing` module, which +provides core functionality fundamental to mypy's functioning. + +Generally, `typing` would be imported at runtime and used in that fashion - +it acts as a no-op at runtime and does not have any run-time overhead by +design. + +As it turns out, `typing` is not vendorable - it uses separate sources for +Python 2/Python 3. Thus, this codebase can not expect it to be present. +To work around this, mypy allows the typing import to be behind a False-y +optional to prevent it from running at runtime and type-comments can be used +to remove the need for the types to be accessible directly during runtime. + +This module provides the False-y guard in a nicely named fashion so that a +curious maintainer can reach here to read this. + +In pip, all static-typing related imports should be guarded as follows: + + from pip._internal.utils.typing import MYPY_CHECK_RUNNING + + if MYPY_CHECK_RUNNING: + from typing import ... # noqa: F401 + +Ref: https://github.com/python/mypy/issues/3216 +""" + +MYPY_CHECK_RUNNING = False diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/ui.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/ui.py new file mode 100644 index 0000000..433675d --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/ui.py @@ -0,0 +1,441 @@ +from __future__ import absolute_import, division + +import contextlib +import itertools +import logging +import sys +import time +from signal import SIGINT, default_int_handler, signal + +from pip._vendor import six +from pip._vendor.progress.bar import ( + Bar, ChargingBar, FillingCirclesBar, FillingSquaresBar, IncrementalBar, + ShadyBar, +) +from pip._vendor.progress.helpers import HIDE_CURSOR, SHOW_CURSOR, WritelnMixin +from pip._vendor.progress.spinner import Spinner + +from pip._internal.utils.compat import WINDOWS +from pip._internal.utils.logging import get_indentation +from pip._internal.utils.misc import format_size +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import Any, Iterator, IO # noqa: F401 + +try: + from pip._vendor import colorama +# Lots of different errors can come from this, including SystemError and +# ImportError. +except Exception: + colorama = None + +logger = logging.getLogger(__name__) + + +def _select_progress_class(preferred, fallback): + encoding = getattr(preferred.file, "encoding", None) + + # If we don't know what encoding this file is in, then we'll just assume + # that it doesn't support unicode and use the ASCII bar. + if not encoding: + return fallback + + # Collect all of the possible characters we want to use with the preferred + # bar. + characters = [ + getattr(preferred, "empty_fill", six.text_type()), + getattr(preferred, "fill", six.text_type()), + ] + characters += list(getattr(preferred, "phases", [])) + + # Try to decode the characters we're using for the bar using the encoding + # of the given file, if this works then we'll assume that we can use the + # fancier bar and if not we'll fall back to the plaintext bar. + try: + six.text_type().join(characters).encode(encoding) + except UnicodeEncodeError: + return fallback + else: + return preferred + + +_BaseBar = _select_progress_class(IncrementalBar, Bar) # type: Any + + +class InterruptibleMixin(object): + """ + Helper to ensure that self.finish() gets called on keyboard interrupt. + + This allows downloads to be interrupted without leaving temporary state + (like hidden cursors) behind. + + This class is similar to the progress library's existing SigIntMixin + helper, but as of version 1.2, that helper has the following problems: + + 1. It calls sys.exit(). + 2. It discards the existing SIGINT handler completely. + 3. It leaves its own handler in place even after an uninterrupted finish, + which will have unexpected delayed effects if the user triggers an + unrelated keyboard interrupt some time after a progress-displaying + download has already completed, for example. + """ + + def __init__(self, *args, **kwargs): + """ + Save the original SIGINT handler for later. + """ + super(InterruptibleMixin, self).__init__(*args, **kwargs) + + self.original_handler = signal(SIGINT, self.handle_sigint) + + # If signal() returns None, the previous handler was not installed from + # Python, and we cannot restore it. This probably should not happen, + # but if it does, we must restore something sensible instead, at least. + # The least bad option should be Python's default SIGINT handler, which + # just raises KeyboardInterrupt. + if self.original_handler is None: + self.original_handler = default_int_handler + + def finish(self): + """ + Restore the original SIGINT handler after finishing. + + This should happen regardless of whether the progress display finishes + normally, or gets interrupted. + """ + super(InterruptibleMixin, self).finish() + signal(SIGINT, self.original_handler) + + def handle_sigint(self, signum, frame): + """ + Call self.finish() before delegating to the original SIGINT handler. + + This handler should only be in place while the progress display is + active. + """ + self.finish() + self.original_handler(signum, frame) + + +class SilentBar(Bar): + + def update(self): + pass + + +class BlueEmojiBar(IncrementalBar): + + suffix = "%(percent)d%%" + bar_prefix = " " + bar_suffix = " " + phases = (u"\U0001F539", u"\U0001F537", u"\U0001F535") # type: Any + + +class DownloadProgressMixin(object): + + def __init__(self, *args, **kwargs): + super(DownloadProgressMixin, self).__init__(*args, **kwargs) + self.message = (" " * (get_indentation() + 2)) + self.message + + @property + def downloaded(self): + return format_size(self.index) + + @property + def download_speed(self): + # Avoid zero division errors... + if self.avg == 0.0: + return "..." + return format_size(1 / self.avg) + "/s" + + @property + def pretty_eta(self): + if self.eta: + return "eta %s" % self.eta_td + return "" + + def iter(self, it, n=1): + for x in it: + yield x + self.next(n) + self.finish() + + +class WindowsMixin(object): + + def __init__(self, *args, **kwargs): + # The Windows terminal does not support the hide/show cursor ANSI codes + # even with colorama. So we'll ensure that hide_cursor is False on + # Windows. + # This call neds to go before the super() call, so that hide_cursor + # is set in time. The base progress bar class writes the "hide cursor" + # code to the terminal in its init, so if we don't set this soon + # enough, we get a "hide" with no corresponding "show"... + if WINDOWS and self.hide_cursor: + self.hide_cursor = False + + super(WindowsMixin, self).__init__(*args, **kwargs) + + # Check if we are running on Windows and we have the colorama module, + # if we do then wrap our file with it. + if WINDOWS and colorama: + self.file = colorama.AnsiToWin32(self.file) + # The progress code expects to be able to call self.file.isatty() + # but the colorama.AnsiToWin32() object doesn't have that, so we'll + # add it. + self.file.isatty = lambda: self.file.wrapped.isatty() + # The progress code expects to be able to call self.file.flush() + # but the colorama.AnsiToWin32() object doesn't have that, so we'll + # add it. + self.file.flush = lambda: self.file.wrapped.flush() + + +class BaseDownloadProgressBar(WindowsMixin, InterruptibleMixin, + DownloadProgressMixin): + + file = sys.stdout + message = "%(percent)d%%" + suffix = "%(downloaded)s %(download_speed)s %(pretty_eta)s" + +# NOTE: The "type: ignore" comments on the following classes are there to +# work around https://github.com/python/typing/issues/241 + + +class DefaultDownloadProgressBar(BaseDownloadProgressBar, + _BaseBar): + pass + + +class DownloadSilentBar(BaseDownloadProgressBar, SilentBar): # type: ignore + pass + + +class DownloadIncrementalBar(BaseDownloadProgressBar, # type: ignore + IncrementalBar): + pass + + +class DownloadChargingBar(BaseDownloadProgressBar, # type: ignore + ChargingBar): + pass + + +class DownloadShadyBar(BaseDownloadProgressBar, ShadyBar): # type: ignore + pass + + +class DownloadFillingSquaresBar(BaseDownloadProgressBar, # type: ignore + FillingSquaresBar): + pass + + +class DownloadFillingCirclesBar(BaseDownloadProgressBar, # type: ignore + FillingCirclesBar): + pass + + +class DownloadBlueEmojiProgressBar(BaseDownloadProgressBar, # type: ignore + BlueEmojiBar): + pass + + +class DownloadProgressSpinner(WindowsMixin, InterruptibleMixin, + DownloadProgressMixin, WritelnMixin, Spinner): + + file = sys.stdout + suffix = "%(downloaded)s %(download_speed)s" + + def next_phase(self): + if not hasattr(self, "_phaser"): + self._phaser = itertools.cycle(self.phases) + return next(self._phaser) + + def update(self): + message = self.message % self + phase = self.next_phase() + suffix = self.suffix % self + line = ''.join([ + message, + " " if message else "", + phase, + " " if suffix else "", + suffix, + ]) + + self.writeln(line) + + +BAR_TYPES = { + "off": (DownloadSilentBar, DownloadSilentBar), + "on": (DefaultDownloadProgressBar, DownloadProgressSpinner), + "ascii": (DownloadIncrementalBar, DownloadProgressSpinner), + "pretty": (DownloadFillingCirclesBar, DownloadProgressSpinner), + "emoji": (DownloadBlueEmojiProgressBar, DownloadProgressSpinner) +} + + +def DownloadProgressProvider(progress_bar, max=None): + if max is None or max == 0: + return BAR_TYPES[progress_bar][1]().iter + else: + return BAR_TYPES[progress_bar][0](max=max).iter + + +################################################################ +# Generic "something is happening" spinners +# +# We don't even try using progress.spinner.Spinner here because it's actually +# simpler to reimplement from scratch than to coerce their code into doing +# what we need. +################################################################ + +@contextlib.contextmanager +def hidden_cursor(file): + # type: (IO) -> Iterator[None] + # The Windows terminal does not support the hide/show cursor ANSI codes, + # even via colorama. So don't even try. + if WINDOWS: + yield + # We don't want to clutter the output with control characters if we're + # writing to a file, or if the user is running with --quiet. + # See https://github.com/pypa/pip/issues/3418 + elif not file.isatty() or logger.getEffectiveLevel() > logging.INFO: + yield + else: + file.write(HIDE_CURSOR) + try: + yield + finally: + file.write(SHOW_CURSOR) + + +class RateLimiter(object): + def __init__(self, min_update_interval_seconds): + # type: (float) -> None + self._min_update_interval_seconds = min_update_interval_seconds + self._last_update = 0 # type: float + + def ready(self): + # type: () -> bool + now = time.time() + delta = now - self._last_update + return delta >= self._min_update_interval_seconds + + def reset(self): + # type: () -> None + self._last_update = time.time() + + +class SpinnerInterface(object): + def spin(self): + # type: () -> None + raise NotImplementedError() + + def finish(self, final_status): + # type: (str) -> None + raise NotImplementedError() + + +class InteractiveSpinner(SpinnerInterface): + def __init__(self, message, file=None, spin_chars="-\\|/", + # Empirically, 8 updates/second looks nice + min_update_interval_seconds=0.125): + self._message = message + if file is None: + file = sys.stdout + self._file = file + self._rate_limiter = RateLimiter(min_update_interval_seconds) + self._finished = False + + self._spin_cycle = itertools.cycle(spin_chars) + + self._file.write(" " * get_indentation() + self._message + " ... ") + self._width = 0 + + def _write(self, status): + assert not self._finished + # Erase what we wrote before by backspacing to the beginning, writing + # spaces to overwrite the old text, and then backspacing again + backup = "\b" * self._width + self._file.write(backup + " " * self._width + backup) + # Now we have a blank slate to add our status + self._file.write(status) + self._width = len(status) + self._file.flush() + self._rate_limiter.reset() + + def spin(self): + # type: () -> None + if self._finished: + return + if not self._rate_limiter.ready(): + return + self._write(next(self._spin_cycle)) + + def finish(self, final_status): + # type: (str) -> None + if self._finished: + return + self._write(final_status) + self._file.write("\n") + self._file.flush() + self._finished = True + + +# Used for dumb terminals, non-interactive installs (no tty), etc. +# We still print updates occasionally (once every 60 seconds by default) to +# act as a keep-alive for systems like Travis-CI that take lack-of-output as +# an indication that a task has frozen. +class NonInteractiveSpinner(SpinnerInterface): + def __init__(self, message, min_update_interval_seconds=60): + # type: (str, float) -> None + self._message = message + self._finished = False + self._rate_limiter = RateLimiter(min_update_interval_seconds) + self._update("started") + + def _update(self, status): + assert not self._finished + self._rate_limiter.reset() + logger.info("%s: %s", self._message, status) + + def spin(self): + # type: () -> None + if self._finished: + return + if not self._rate_limiter.ready(): + return + self._update("still running...") + + def finish(self, final_status): + # type: (str) -> None + if self._finished: + return + self._update("finished with status '%s'" % (final_status,)) + self._finished = True + + +@contextlib.contextmanager +def open_spinner(message): + # type: (str) -> Iterator[SpinnerInterface] + # Interactive spinner goes directly to sys.stdout rather than being routed + # through the logging system, but it acts like it has level INFO, + # i.e. it's only displayed if we're at level INFO or better. + # Non-interactive spinner goes through the logging system, so it is always + # in sync with logging configuration. + if sys.stdout.isatty() and logger.getEffectiveLevel() <= logging.INFO: + spinner = InteractiveSpinner(message) # type: SpinnerInterface + else: + spinner = NonInteractiveSpinner(message) + try: + with hidden_cursor(sys.stdout): + yield spinner + except KeyboardInterrupt: + spinner.finish("canceled") + raise + except Exception: + spinner.finish("error") + raise + else: + spinner.finish("done") diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/__init__.py new file mode 100644 index 0000000..9cba764 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/__init__.py @@ -0,0 +1,534 @@ +"""Handles all VCS (version control) support""" +from __future__ import absolute_import + +import errno +import logging +import os +import shutil +import sys + +from pip._vendor.six.moves.urllib import parse as urllib_parse + +from pip._internal.exceptions import BadCommand +from pip._internal.utils.misc import ( + display_path, backup_dir, call_subprocess, rmtree, ask_path_exists, +) +from pip._internal.utils.typing import MYPY_CHECK_RUNNING + +if MYPY_CHECK_RUNNING: + from typing import ( # noqa: F401 + Any, Dict, Iterable, List, Mapping, Optional, Text, Tuple, Type + ) + from pip._internal.utils.ui import SpinnerInterface # noqa: F401 + + AuthInfo = Tuple[Optional[str], Optional[str]] + +__all__ = ['vcs'] + + +logger = logging.getLogger(__name__) + + +class RemoteNotFoundError(Exception): + pass + + +class RevOptions(object): + + """ + Encapsulates a VCS-specific revision to install, along with any VCS + install options. + + Instances of this class should be treated as if immutable. + """ + + def __init__(self, vcs, rev=None, extra_args=None): + # type: (VersionControl, Optional[str], Optional[List[str]]) -> None + """ + Args: + vcs: a VersionControl object. + rev: the name of the revision to install. + extra_args: a list of extra options. + """ + if extra_args is None: + extra_args = [] + + self.extra_args = extra_args + self.rev = rev + self.vcs = vcs + + def __repr__(self): + return '<RevOptions {}: rev={!r}>'.format(self.vcs.name, self.rev) + + @property + def arg_rev(self): + # type: () -> Optional[str] + if self.rev is None: + return self.vcs.default_arg_rev + + return self.rev + + def to_args(self): + # type: () -> List[str] + """ + Return the VCS-specific command arguments. + """ + args = [] # type: List[str] + rev = self.arg_rev + if rev is not None: + args += self.vcs.get_base_rev_args(rev) + args += self.extra_args + + return args + + def to_display(self): + # type: () -> str + if not self.rev: + return '' + + return ' (to revision {})'.format(self.rev) + + def make_new(self, rev): + # type: (str) -> RevOptions + """ + Make a copy of the current instance, but with a new rev. + + Args: + rev: the name of the revision for the new object. + """ + return self.vcs.make_rev_options(rev, extra_args=self.extra_args) + + +class VcsSupport(object): + _registry = {} # type: Dict[str, Type[VersionControl]] + schemes = ['ssh', 'git', 'hg', 'bzr', 'sftp', 'svn'] + + def __init__(self): + # type: () -> None + # Register more schemes with urlparse for various version control + # systems + urllib_parse.uses_netloc.extend(self.schemes) + # Python >= 2.7.4, 3.3 doesn't have uses_fragment + if getattr(urllib_parse, 'uses_fragment', None): + urllib_parse.uses_fragment.extend(self.schemes) + super(VcsSupport, self).__init__() + + def __iter__(self): + return self._registry.__iter__() + + @property + def backends(self): + # type: () -> List[Type[VersionControl]] + return list(self._registry.values()) + + @property + def dirnames(self): + # type: () -> List[str] + return [backend.dirname for backend in self.backends] + + @property + def all_schemes(self): + # type: () -> List[str] + schemes = [] # type: List[str] + for backend in self.backends: + schemes.extend(backend.schemes) + return schemes + + def register(self, cls): + # type: (Type[VersionControl]) -> None + if not hasattr(cls, 'name'): + logger.warning('Cannot register VCS %s', cls.__name__) + return + if cls.name not in self._registry: + self._registry[cls.name] = cls + logger.debug('Registered VCS backend: %s', cls.name) + + def unregister(self, cls=None, name=None): + # type: (Optional[Type[VersionControl]], Optional[str]) -> None + if name in self._registry: + del self._registry[name] + elif cls in self._registry.values(): + del self._registry[cls.name] + else: + logger.warning('Cannot unregister because no class or name given') + + def get_backend_type(self, location): + # type: (str) -> Optional[Type[VersionControl]] + """ + Return the type of the version control backend if found at given + location, e.g. vcs.get_backend_type('/path/to/vcs/checkout') + """ + for vc_type in self._registry.values(): + if vc_type.controls_location(location): + logger.debug('Determine that %s uses VCS: %s', + location, vc_type.name) + return vc_type + return None + + def get_backend(self, name): + # type: (str) -> Optional[Type[VersionControl]] + name = name.lower() + if name in self._registry: + return self._registry[name] + return None + + +vcs = VcsSupport() + + +class VersionControl(object): + name = '' + dirname = '' + repo_name = '' + # List of supported schemes for this Version Control + schemes = () # type: Tuple[str, ...] + # Iterable of environment variable names to pass to call_subprocess(). + unset_environ = () # type: Tuple[str, ...] + default_arg_rev = None # type: Optional[str] + + def __init__(self, url=None, *args, **kwargs): + self.url = url + super(VersionControl, self).__init__(*args, **kwargs) + + def get_base_rev_args(self, rev): + """ + Return the base revision arguments for a vcs command. + + Args: + rev: the name of a revision to install. Cannot be None. + """ + raise NotImplementedError + + def make_rev_options(self, rev=None, extra_args=None): + # type: (Optional[str], Optional[List[str]]) -> RevOptions + """ + Return a RevOptions object. + + Args: + rev: the name of a revision to install. + extra_args: a list of extra options. + """ + return RevOptions(self, rev, extra_args=extra_args) + + @classmethod + def _is_local_repository(cls, repo): + # type: (str) -> bool + """ + posix absolute paths start with os.path.sep, + win32 ones start with drive (like c:\\folder) + """ + drive, tail = os.path.splitdrive(repo) + return repo.startswith(os.path.sep) or bool(drive) + + def export(self, location): + """ + Export the repository at the url to the destination location + i.e. only download the files, without vcs informations + """ + raise NotImplementedError + + def get_netloc_and_auth(self, netloc, scheme): + """ + Parse the repository URL's netloc, and return the new netloc to use + along with auth information. + + Args: + netloc: the original repository URL netloc. + scheme: the repository URL's scheme without the vcs prefix. + + This is mainly for the Subversion class to override, so that auth + information can be provided via the --username and --password options + instead of through the URL. For other subclasses like Git without + such an option, auth information must stay in the URL. + + Returns: (netloc, (username, password)). + """ + return netloc, (None, None) + + def get_url_rev_and_auth(self, url): + # type: (str) -> Tuple[str, Optional[str], AuthInfo] + """ + Parse the repository URL to use, and return the URL, revision, + and auth info to use. + + Returns: (url, rev, (username, password)). + """ + scheme, netloc, path, query, frag = urllib_parse.urlsplit(url) + if '+' not in scheme: + raise ValueError( + "Sorry, {!r} is a malformed VCS url. " + "The format is <vcs>+<protocol>://<url>, " + "e.g. svn+http://myrepo/svn/MyApp#egg=MyApp".format(url) + ) + # Remove the vcs prefix. + scheme = scheme.split('+', 1)[1] + netloc, user_pass = self.get_netloc_and_auth(netloc, scheme) + rev = None + if '@' in path: + path, rev = path.rsplit('@', 1) + url = urllib_parse.urlunsplit((scheme, netloc, path, query, '')) + return url, rev, user_pass + + def make_rev_args(self, username, password): + """ + Return the RevOptions "extra arguments" to use in obtain(). + """ + return [] + + def get_url_rev_options(self, url): + # type: (str) -> Tuple[str, RevOptions] + """ + Return the URL and RevOptions object to use in obtain() and in + some cases export(), as a tuple (url, rev_options). + """ + url, rev, user_pass = self.get_url_rev_and_auth(url) + username, password = user_pass + extra_args = self.make_rev_args(username, password) + rev_options = self.make_rev_options(rev, extra_args=extra_args) + + return url, rev_options + + def normalize_url(self, url): + # type: (str) -> str + """ + Normalize a URL for comparison by unquoting it and removing any + trailing slash. + """ + return urllib_parse.unquote(url).rstrip('/') + + def compare_urls(self, url1, url2): + # type: (str, str) -> bool + """ + Compare two repo URLs for identity, ignoring incidental differences. + """ + return (self.normalize_url(url1) == self.normalize_url(url2)) + + def fetch_new(self, dest, url, rev_options): + """ + Fetch a revision from a repository, in the case that this is the + first fetch from the repository. + + Args: + dest: the directory to fetch the repository to. + rev_options: a RevOptions object. + """ + raise NotImplementedError + + def switch(self, dest, url, rev_options): + """ + Switch the repo at ``dest`` to point to ``URL``. + + Args: + rev_options: a RevOptions object. + """ + raise NotImplementedError + + def update(self, dest, url, rev_options): + """ + Update an already-existing repo to the given ``rev_options``. + + Args: + rev_options: a RevOptions object. + """ + raise NotImplementedError + + def is_commit_id_equal(self, dest, name): + """ + Return whether the id of the current commit equals the given name. + + Args: + dest: the repository directory. + name: a string name. + """ + raise NotImplementedError + + def obtain(self, dest): + # type: (str) -> None + """ + Install or update in editable mode the package represented by this + VersionControl object. + + Args: + dest: the repository directory in which to install or update. + """ + url, rev_options = self.get_url_rev_options(self.url) + + if not os.path.exists(dest): + self.fetch_new(dest, url, rev_options) + return + + rev_display = rev_options.to_display() + if self.is_repository_directory(dest): + existing_url = self.get_remote_url(dest) + if self.compare_urls(existing_url, url): + logger.debug( + '%s in %s exists, and has correct URL (%s)', + self.repo_name.title(), + display_path(dest), + url, + ) + if not self.is_commit_id_equal(dest, rev_options.rev): + logger.info( + 'Updating %s %s%s', + display_path(dest), + self.repo_name, + rev_display, + ) + self.update(dest, url, rev_options) + else: + logger.info('Skipping because already up-to-date.') + return + + logger.warning( + '%s %s in %s exists with URL %s', + self.name, + self.repo_name, + display_path(dest), + existing_url, + ) + prompt = ('(s)witch, (i)gnore, (w)ipe, (b)ackup ', + ('s', 'i', 'w', 'b')) + else: + logger.warning( + 'Directory %s already exists, and is not a %s %s.', + dest, + self.name, + self.repo_name, + ) + # https://github.com/python/mypy/issues/1174 + prompt = ('(i)gnore, (w)ipe, (b)ackup ', # type: ignore + ('i', 'w', 'b')) + + logger.warning( + 'The plan is to install the %s repository %s', + self.name, + url, + ) + response = ask_path_exists('What to do? %s' % prompt[0], prompt[1]) + + if response == 'a': + sys.exit(-1) + + if response == 'w': + logger.warning('Deleting %s', display_path(dest)) + rmtree(dest) + self.fetch_new(dest, url, rev_options) + return + + if response == 'b': + dest_dir = backup_dir(dest) + logger.warning( + 'Backing up %s to %s', display_path(dest), dest_dir, + ) + shutil.move(dest, dest_dir) + self.fetch_new(dest, url, rev_options) + return + + # Do nothing if the response is "i". + if response == 's': + logger.info( + 'Switching %s %s to %s%s', + self.repo_name, + display_path(dest), + url, + rev_display, + ) + self.switch(dest, url, rev_options) + + def unpack(self, location): + # type: (str) -> None + """ + Clean up current location and download the url repository + (and vcs infos) into location + """ + if os.path.exists(location): + rmtree(location) + self.obtain(location) + + @classmethod + def get_src_requirement(cls, location, project_name): + """ + Return a string representing the requirement needed to + redownload the files currently present in location, something + like: + {repository_url}@{revision}#egg={project_name}-{version_identifier} + """ + raise NotImplementedError + + @classmethod + def get_remote_url(cls, location): + """ + Return the url used at location + + Raises RemoteNotFoundError if the repository does not have a remote + url configured. + """ + raise NotImplementedError + + @classmethod + def get_revision(cls, location): + """ + Return the current commit id of the files at the given location. + """ + raise NotImplementedError + + @classmethod + def run_command( + cls, + cmd, # type: List[str] + show_stdout=True, # type: bool + cwd=None, # type: Optional[str] + on_returncode='raise', # type: str + extra_ok_returncodes=None, # type: Optional[Iterable[int]] + command_desc=None, # type: Optional[str] + extra_environ=None, # type: Optional[Mapping[str, Any]] + spinner=None # type: Optional[SpinnerInterface] + ): + # type: (...) -> Optional[Text] + """ + Run a VCS subcommand + This is simply a wrapper around call_subprocess that adds the VCS + command name, and checks that the VCS is available + """ + cmd = [cls.name] + cmd + try: + return call_subprocess(cmd, show_stdout, cwd, + on_returncode=on_returncode, + extra_ok_returncodes=extra_ok_returncodes, + command_desc=command_desc, + extra_environ=extra_environ, + unset_environ=cls.unset_environ, + spinner=spinner) + except OSError as e: + # errno.ENOENT = no such file or directory + # In other words, the VCS executable isn't available + if e.errno == errno.ENOENT: + raise BadCommand( + 'Cannot find command %r - do you have ' + '%r installed and in your ' + 'PATH?' % (cls.name, cls.name)) + else: + raise # re-raise exception if a different error occurred + + @classmethod + def is_repository_directory(cls, path): + # type: (str) -> bool + """ + Return whether a directory path is a repository directory. + """ + logger.debug('Checking in %s for %s (%s)...', + path, cls.dirname, cls.name) + return os.path.exists(os.path.join(path, cls.dirname)) + + @classmethod + def controls_location(cls, location): + # type: (str) -> bool + """ + Check if a location is controlled by the vcs. + It is meant to be overridden to implement smarter detection + mechanisms for specific vcs. + + This can do more than is_repository_directory() alone. For example, + the Git override checks that Git is actually available. + """ + return cls.is_repository_directory(location) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/bazaar.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/bazaar.py new file mode 100644 index 0000000..4c6ac79 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/bazaar.py @@ -0,0 +1,114 @@ +from __future__ import absolute_import + +import logging +import os + +from pip._vendor.six.moves.urllib import parse as urllib_parse + +from pip._internal.download import path_to_url +from pip._internal.utils.misc import ( + display_path, make_vcs_requirement_url, rmtree, +) +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.vcs import VersionControl, vcs + +logger = logging.getLogger(__name__) + + +class Bazaar(VersionControl): + name = 'bzr' + dirname = '.bzr' + repo_name = 'branch' + schemes = ( + 'bzr', 'bzr+http', 'bzr+https', 'bzr+ssh', 'bzr+sftp', 'bzr+ftp', + 'bzr+lp', + ) + + def __init__(self, url=None, *args, **kwargs): + super(Bazaar, self).__init__(url, *args, **kwargs) + # This is only needed for python <2.7.5 + # Register lp but do not expose as a scheme to support bzr+lp. + if getattr(urllib_parse, 'uses_fragment', None): + urllib_parse.uses_fragment.extend(['lp']) + + def get_base_rev_args(self, rev): + return ['-r', rev] + + def export(self, location): + """ + Export the Bazaar repository at the url to the destination location + """ + # Remove the location to make sure Bazaar can export it correctly + if os.path.exists(location): + rmtree(location) + + with TempDirectory(kind="export") as temp_dir: + self.unpack(temp_dir.path) + + self.run_command( + ['export', location], + cwd=temp_dir.path, show_stdout=False, + ) + + def fetch_new(self, dest, url, rev_options): + rev_display = rev_options.to_display() + logger.info( + 'Checking out %s%s to %s', + url, + rev_display, + display_path(dest), + ) + cmd_args = ['branch', '-q'] + rev_options.to_args() + [url, dest] + self.run_command(cmd_args) + + def switch(self, dest, url, rev_options): + self.run_command(['switch', url], cwd=dest) + + def update(self, dest, url, rev_options): + cmd_args = ['pull', '-q'] + rev_options.to_args() + self.run_command(cmd_args, cwd=dest) + + def get_url_rev_and_auth(self, url): + # hotfix the URL scheme after removing bzr+ from bzr+ssh:// readd it + url, rev, user_pass = super(Bazaar, self).get_url_rev_and_auth(url) + if url.startswith('ssh://'): + url = 'bzr+' + url + return url, rev, user_pass + + @classmethod + def get_remote_url(cls, location): + urls = cls.run_command(['info'], show_stdout=False, cwd=location) + for line in urls.splitlines(): + line = line.strip() + for x in ('checkout of branch: ', + 'parent branch: '): + if line.startswith(x): + repo = line.split(x)[1] + if cls._is_local_repository(repo): + return path_to_url(repo) + return repo + return None + + @classmethod + def get_revision(cls, location): + revision = cls.run_command( + ['revno'], show_stdout=False, cwd=location, + ) + return revision.splitlines()[-1] + + @classmethod + def get_src_requirement(cls, location, project_name): + repo = cls.get_remote_url(location) + if not repo: + return None + if not repo.lower().startswith('bzr:'): + repo = 'bzr+' + repo + current_rev = cls.get_revision(location) + return make_vcs_requirement_url(repo, current_rev, project_name) + + def is_commit_id_equal(self, dest, name): + """Always assume the versions don't match""" + return False + + +vcs.register(Bazaar) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/git.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/git.py new file mode 100644 index 0000000..dd2bd61 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/git.py @@ -0,0 +1,369 @@ +from __future__ import absolute_import + +import logging +import os.path +import re + +from pip._vendor.packaging.version import parse as parse_version +from pip._vendor.six.moves.urllib import parse as urllib_parse +from pip._vendor.six.moves.urllib import request as urllib_request + +from pip._internal.exceptions import BadCommand +from pip._internal.utils.compat import samefile +from pip._internal.utils.misc import ( + display_path, make_vcs_requirement_url, redact_password_from_url, +) +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.vcs import RemoteNotFoundError, VersionControl, vcs + +urlsplit = urllib_parse.urlsplit +urlunsplit = urllib_parse.urlunsplit + + +logger = logging.getLogger(__name__) + + +HASH_REGEX = re.compile('[a-fA-F0-9]{40}') + + +def looks_like_hash(sha): + return bool(HASH_REGEX.match(sha)) + + +class Git(VersionControl): + name = 'git' + dirname = '.git' + repo_name = 'clone' + schemes = ( + 'git', 'git+http', 'git+https', 'git+ssh', 'git+git', 'git+file', + ) + # Prevent the user's environment variables from interfering with pip: + # https://github.com/pypa/pip/issues/1130 + unset_environ = ('GIT_DIR', 'GIT_WORK_TREE') + default_arg_rev = 'HEAD' + + def __init__(self, url=None, *args, **kwargs): + + # Works around an apparent Git bug + # (see https://article.gmane.org/gmane.comp.version-control.git/146500) + if url: + scheme, netloc, path, query, fragment = urlsplit(url) + if scheme.endswith('file'): + initial_slashes = path[:-len(path.lstrip('/'))] + newpath = ( + initial_slashes + + urllib_request.url2pathname(path) + .replace('\\', '/').lstrip('/') + ) + url = urlunsplit((scheme, netloc, newpath, query, fragment)) + after_plus = scheme.find('+') + 1 + url = scheme[:after_plus] + urlunsplit( + (scheme[after_plus:], netloc, newpath, query, fragment), + ) + + super(Git, self).__init__(url, *args, **kwargs) + + def get_base_rev_args(self, rev): + return [rev] + + def get_git_version(self): + VERSION_PFX = 'git version ' + version = self.run_command(['version'], show_stdout=False) + if version.startswith(VERSION_PFX): + version = version[len(VERSION_PFX):].split()[0] + else: + version = '' + # get first 3 positions of the git version becasue + # on windows it is x.y.z.windows.t, and this parses as + # LegacyVersion which always smaller than a Version. + version = '.'.join(version.split('.')[:3]) + return parse_version(version) + + def get_current_branch(self, location): + """ + Return the current branch, or None if HEAD isn't at a branch + (e.g. detached HEAD). + """ + # git-symbolic-ref exits with empty stdout if "HEAD" is a detached + # HEAD rather than a symbolic ref. In addition, the -q causes the + # command to exit with status code 1 instead of 128 in this case + # and to suppress the message to stderr. + args = ['symbolic-ref', '-q', 'HEAD'] + output = self.run_command( + args, extra_ok_returncodes=(1, ), show_stdout=False, cwd=location, + ) + ref = output.strip() + + if ref.startswith('refs/heads/'): + return ref[len('refs/heads/'):] + + return None + + def export(self, location): + """Export the Git repository at the url to the destination location""" + if not location.endswith('/'): + location = location + '/' + + with TempDirectory(kind="export") as temp_dir: + self.unpack(temp_dir.path) + self.run_command( + ['checkout-index', '-a', '-f', '--prefix', location], + show_stdout=False, cwd=temp_dir.path + ) + + def get_revision_sha(self, dest, rev): + """ + Return (sha_or_none, is_branch), where sha_or_none is a commit hash + if the revision names a remote branch or tag, otherwise None. + + Args: + dest: the repository directory. + rev: the revision name. + """ + # Pass rev to pre-filter the list. + output = self.run_command(['show-ref', rev], cwd=dest, + show_stdout=False, on_returncode='ignore') + refs = {} + for line in output.strip().splitlines(): + try: + sha, ref = line.split() + except ValueError: + # Include the offending line to simplify troubleshooting if + # this error ever occurs. + raise ValueError('unexpected show-ref line: {!r}'.format(line)) + + refs[ref] = sha + + branch_ref = 'refs/remotes/origin/{}'.format(rev) + tag_ref = 'refs/tags/{}'.format(rev) + + sha = refs.get(branch_ref) + if sha is not None: + return (sha, True) + + sha = refs.get(tag_ref) + + return (sha, False) + + def resolve_revision(self, dest, url, rev_options): + """ + Resolve a revision to a new RevOptions object with the SHA1 of the + branch, tag, or ref if found. + + Args: + rev_options: a RevOptions object. + """ + rev = rev_options.arg_rev + sha, is_branch = self.get_revision_sha(dest, rev) + + if sha is not None: + rev_options = rev_options.make_new(sha) + rev_options.branch_name = rev if is_branch else None + + return rev_options + + # Do not show a warning for the common case of something that has + # the form of a Git commit hash. + if not looks_like_hash(rev): + logger.warning( + "Did not find branch or tag '%s', assuming revision or ref.", + rev, + ) + + if not rev.startswith('refs/'): + return rev_options + + # If it looks like a ref, we have to fetch it explicitly. + self.run_command( + ['fetch', '-q', url] + rev_options.to_args(), + cwd=dest, + ) + # Change the revision to the SHA of the ref we fetched + sha = self.get_revision(dest, rev='FETCH_HEAD') + rev_options = rev_options.make_new(sha) + + return rev_options + + def is_commit_id_equal(self, dest, name): + """ + Return whether the current commit hash equals the given name. + + Args: + dest: the repository directory. + name: a string name. + """ + if not name: + # Then avoid an unnecessary subprocess call. + return False + + return self.get_revision(dest) == name + + def fetch_new(self, dest, url, rev_options): + rev_display = rev_options.to_display() + logger.info( + 'Cloning %s%s to %s', redact_password_from_url(url), + rev_display, display_path(dest), + ) + self.run_command(['clone', '-q', url, dest]) + + if rev_options.rev: + # Then a specific revision was requested. + rev_options = self.resolve_revision(dest, url, rev_options) + branch_name = getattr(rev_options, 'branch_name', None) + if branch_name is None: + # Only do a checkout if the current commit id doesn't match + # the requested revision. + if not self.is_commit_id_equal(dest, rev_options.rev): + cmd_args = ['checkout', '-q'] + rev_options.to_args() + self.run_command(cmd_args, cwd=dest) + elif self.get_current_branch(dest) != branch_name: + # Then a specific branch was requested, and that branch + # is not yet checked out. + track_branch = 'origin/{}'.format(branch_name) + cmd_args = [ + 'checkout', '-b', branch_name, '--track', track_branch, + ] + self.run_command(cmd_args, cwd=dest) + + #: repo may contain submodules + self.update_submodules(dest) + + def switch(self, dest, url, rev_options): + self.run_command(['config', 'remote.origin.url', url], cwd=dest) + cmd_args = ['checkout', '-q'] + rev_options.to_args() + self.run_command(cmd_args, cwd=dest) + + self.update_submodules(dest) + + def update(self, dest, url, rev_options): + # First fetch changes from the default remote + if self.get_git_version() >= parse_version('1.9.0'): + # fetch tags in addition to everything else + self.run_command(['fetch', '-q', '--tags'], cwd=dest) + else: + self.run_command(['fetch', '-q'], cwd=dest) + # Then reset to wanted revision (maybe even origin/master) + rev_options = self.resolve_revision(dest, url, rev_options) + cmd_args = ['reset', '--hard', '-q'] + rev_options.to_args() + self.run_command(cmd_args, cwd=dest) + #: update submodules + self.update_submodules(dest) + + @classmethod + def get_remote_url(cls, location): + """ + Return URL of the first remote encountered. + + Raises RemoteNotFoundError if the repository does not have a remote + url configured. + """ + # We need to pass 1 for extra_ok_returncodes since the command + # exits with return code 1 if there are no matching lines. + stdout = cls.run_command( + ['config', '--get-regexp', r'remote\..*\.url'], + extra_ok_returncodes=(1, ), show_stdout=False, cwd=location, + ) + remotes = stdout.splitlines() + try: + found_remote = remotes[0] + except IndexError: + raise RemoteNotFoundError + + for remote in remotes: + if remote.startswith('remote.origin.url '): + found_remote = remote + break + url = found_remote.split(' ')[1] + return url.strip() + + @classmethod + def get_revision(cls, location, rev=None): + if rev is None: + rev = 'HEAD' + current_rev = cls.run_command( + ['rev-parse', rev], show_stdout=False, cwd=location, + ) + return current_rev.strip() + + @classmethod + def _get_subdirectory(cls, location): + """Return the relative path of setup.py to the git repo root.""" + # find the repo root + git_dir = cls.run_command(['rev-parse', '--git-dir'], + show_stdout=False, cwd=location).strip() + if not os.path.isabs(git_dir): + git_dir = os.path.join(location, git_dir) + root_dir = os.path.join(git_dir, '..') + # find setup.py + orig_location = location + while not os.path.exists(os.path.join(location, 'setup.py')): + last_location = location + location = os.path.dirname(location) + if location == last_location: + # We've traversed up to the root of the filesystem without + # finding setup.py + logger.warning( + "Could not find setup.py for directory %s (tried all " + "parent directories)", + orig_location, + ) + return None + # relative path of setup.py to repo root + if samefile(root_dir, location): + return None + return os.path.relpath(location, root_dir) + + @classmethod + def get_src_requirement(cls, location, project_name): + repo = cls.get_remote_url(location) + if not repo.lower().startswith('git:'): + repo = 'git+' + repo + current_rev = cls.get_revision(location) + subdir = cls._get_subdirectory(location) + req = make_vcs_requirement_url(repo, current_rev, project_name, + subdir=subdir) + + return req + + def get_url_rev_and_auth(self, url): + """ + Prefixes stub URLs like 'user@hostname:user/repo.git' with 'ssh://'. + That's required because although they use SSH they sometimes don't + work with a ssh:// scheme (e.g. GitHub). But we need a scheme for + parsing. Hence we remove it again afterwards and return it as a stub. + """ + if '://' not in url: + assert 'file:' not in url + url = url.replace('git+', 'git+ssh://') + url, rev, user_pass = super(Git, self).get_url_rev_and_auth(url) + url = url.replace('ssh://', '') + else: + url, rev, user_pass = super(Git, self).get_url_rev_and_auth(url) + + return url, rev, user_pass + + def update_submodules(self, location): + if not os.path.exists(os.path.join(location, '.gitmodules')): + return + self.run_command( + ['submodule', 'update', '--init', '--recursive', '-q'], + cwd=location, + ) + + @classmethod + def controls_location(cls, location): + if super(Git, cls).controls_location(location): + return True + try: + r = cls.run_command(['rev-parse'], + cwd=location, + show_stdout=False, + on_returncode='ignore') + return not r + except BadCommand: + logger.debug("could not determine if %s is under git control " + "because git is not available", location) + return False + + +vcs.register(Git) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/mercurial.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/mercurial.py new file mode 100644 index 0000000..26e75de --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/mercurial.py @@ -0,0 +1,103 @@ +from __future__ import absolute_import + +import logging +import os + +from pip._vendor.six.moves import configparser + +from pip._internal.download import path_to_url +from pip._internal.utils.misc import display_path, make_vcs_requirement_url +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.vcs import VersionControl, vcs + +logger = logging.getLogger(__name__) + + +class Mercurial(VersionControl): + name = 'hg' + dirname = '.hg' + repo_name = 'clone' + schemes = ('hg', 'hg+http', 'hg+https', 'hg+ssh', 'hg+static-http') + + def get_base_rev_args(self, rev): + return [rev] + + def export(self, location): + """Export the Hg repository at the url to the destination location""" + with TempDirectory(kind="export") as temp_dir: + self.unpack(temp_dir.path) + + self.run_command( + ['archive', location], show_stdout=False, cwd=temp_dir.path + ) + + def fetch_new(self, dest, url, rev_options): + rev_display = rev_options.to_display() + logger.info( + 'Cloning hg %s%s to %s', + url, + rev_display, + display_path(dest), + ) + self.run_command(['clone', '--noupdate', '-q', url, dest]) + cmd_args = ['update', '-q'] + rev_options.to_args() + self.run_command(cmd_args, cwd=dest) + + def switch(self, dest, url, rev_options): + repo_config = os.path.join(dest, self.dirname, 'hgrc') + config = configparser.SafeConfigParser() + try: + config.read(repo_config) + config.set('paths', 'default', url) + with open(repo_config, 'w') as config_file: + config.write(config_file) + except (OSError, configparser.NoSectionError) as exc: + logger.warning( + 'Could not switch Mercurial repository to %s: %s', url, exc, + ) + else: + cmd_args = ['update', '-q'] + rev_options.to_args() + self.run_command(cmd_args, cwd=dest) + + def update(self, dest, url, rev_options): + self.run_command(['pull', '-q'], cwd=dest) + cmd_args = ['update', '-q'] + rev_options.to_args() + self.run_command(cmd_args, cwd=dest) + + @classmethod + def get_remote_url(cls, location): + url = cls.run_command( + ['showconfig', 'paths.default'], + show_stdout=False, cwd=location).strip() + if cls._is_local_repository(url): + url = path_to_url(url) + return url.strip() + + @classmethod + def get_revision(cls, location): + current_revision = cls.run_command( + ['parents', '--template={rev}'], + show_stdout=False, cwd=location).strip() + return current_revision + + @classmethod + def get_revision_hash(cls, location): + current_rev_hash = cls.run_command( + ['parents', '--template={node}'], + show_stdout=False, cwd=location).strip() + return current_rev_hash + + @classmethod + def get_src_requirement(cls, location, project_name): + repo = cls.get_remote_url(location) + if not repo.lower().startswith('hg:'): + repo = 'hg+' + repo + current_rev_hash = cls.get_revision_hash(location) + return make_vcs_requirement_url(repo, current_rev_hash, project_name) + + def is_commit_id_equal(self, dest, name): + """Always assume the versions don't match""" + return False + + +vcs.register(Mercurial) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/subversion.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/subversion.py new file mode 100644 index 0000000..42ac5ac --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/subversion.py @@ -0,0 +1,200 @@ +from __future__ import absolute_import + +import logging +import os +import re + +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import ( + display_path, make_vcs_requirement_url, rmtree, split_auth_from_netloc, +) +from pip._internal.vcs import VersionControl, vcs + +_svn_xml_url_re = re.compile('url="([^"]+)"') +_svn_rev_re = re.compile(r'committed-rev="(\d+)"') +_svn_info_xml_rev_re = re.compile(r'\s*revision="(\d+)"') +_svn_info_xml_url_re = re.compile(r'<url>(.*)</url>') + + +logger = logging.getLogger(__name__) + + +class Subversion(VersionControl): + name = 'svn' + dirname = '.svn' + repo_name = 'checkout' + schemes = ('svn', 'svn+ssh', 'svn+http', 'svn+https', 'svn+svn') + + def get_base_rev_args(self, rev): + return ['-r', rev] + + def export(self, location): + """Export the svn repository at the url to the destination location""" + url, rev_options = self.get_url_rev_options(self.url) + + logger.info('Exporting svn repository %s to %s', url, location) + with indent_log(): + if os.path.exists(location): + # Subversion doesn't like to check out over an existing + # directory --force fixes this, but was only added in svn 1.5 + rmtree(location) + cmd_args = ['export'] + rev_options.to_args() + [url, location] + self.run_command(cmd_args, show_stdout=False) + + def fetch_new(self, dest, url, rev_options): + rev_display = rev_options.to_display() + logger.info( + 'Checking out %s%s to %s', + url, + rev_display, + display_path(dest), + ) + cmd_args = ['checkout', '-q'] + rev_options.to_args() + [url, dest] + self.run_command(cmd_args) + + def switch(self, dest, url, rev_options): + cmd_args = ['switch'] + rev_options.to_args() + [url, dest] + self.run_command(cmd_args) + + def update(self, dest, url, rev_options): + cmd_args = ['update'] + rev_options.to_args() + [dest] + self.run_command(cmd_args) + + @classmethod + def get_revision(cls, location): + """ + Return the maximum revision for all files under a given location + """ + # Note: taken from setuptools.command.egg_info + revision = 0 + + for base, dirs, files in os.walk(location): + if cls.dirname not in dirs: + dirs[:] = [] + continue # no sense walking uncontrolled subdirs + dirs.remove(cls.dirname) + entries_fn = os.path.join(base, cls.dirname, 'entries') + if not os.path.exists(entries_fn): + # FIXME: should we warn? + continue + + dirurl, localrev = cls._get_svn_url_rev(base) + + if base == location: + base = dirurl + '/' # save the root url + elif not dirurl or not dirurl.startswith(base): + dirs[:] = [] + continue # not part of the same svn tree, skip it + revision = max(revision, localrev) + return revision + + def get_netloc_and_auth(self, netloc, scheme): + """ + This override allows the auth information to be passed to svn via the + --username and --password options instead of via the URL. + """ + if scheme == 'ssh': + # The --username and --password options can't be used for + # svn+ssh URLs, so keep the auth information in the URL. + return super(Subversion, self).get_netloc_and_auth( + netloc, scheme) + + return split_auth_from_netloc(netloc) + + def get_url_rev_and_auth(self, url): + # hotfix the URL scheme after removing svn+ from svn+ssh:// readd it + url, rev, user_pass = super(Subversion, self).get_url_rev_and_auth(url) + if url.startswith('ssh://'): + url = 'svn+' + url + return url, rev, user_pass + + def make_rev_args(self, username, password): + extra_args = [] + if username: + extra_args += ['--username', username] + if password: + extra_args += ['--password', password] + + return extra_args + + @classmethod + def get_remote_url(cls, location): + # In cases where the source is in a subdirectory, not alongside + # setup.py we have to look up in the location until we find a real + # setup.py + orig_location = location + while not os.path.exists(os.path.join(location, 'setup.py')): + last_location = location + location = os.path.dirname(location) + if location == last_location: + # We've traversed up to the root of the filesystem without + # finding setup.py + logger.warning( + "Could not find setup.py for directory %s (tried all " + "parent directories)", + orig_location, + ) + return None + + return cls._get_svn_url_rev(location)[0] + + @classmethod + def _get_svn_url_rev(cls, location): + from pip._internal.exceptions import InstallationError + + entries_path = os.path.join(location, cls.dirname, 'entries') + if os.path.exists(entries_path): + with open(entries_path) as f: + data = f.read() + else: # subversion >= 1.7 does not have the 'entries' file + data = '' + + if (data.startswith('8') or + data.startswith('9') or + data.startswith('10')): + data = list(map(str.splitlines, data.split('\n\x0c\n'))) + del data[0][0] # get rid of the '8' + url = data[0][3] + revs = [int(d[9]) for d in data if len(d) > 9 and d[9]] + [0] + elif data.startswith('<?xml'): + match = _svn_xml_url_re.search(data) + if not match: + raise ValueError('Badly formatted data: %r' % data) + url = match.group(1) # get repository URL + revs = [int(m.group(1)) for m in _svn_rev_re.finditer(data)] + [0] + else: + try: + # subversion >= 1.7 + xml = cls.run_command( + ['info', '--xml', location], + show_stdout=False, + ) + url = _svn_info_xml_url_re.search(xml).group(1) + revs = [ + int(m.group(1)) for m in _svn_info_xml_rev_re.finditer(xml) + ] + except InstallationError: + url, revs = None, [] + + if revs: + rev = max(revs) + else: + rev = 0 + + return url, rev + + @classmethod + def get_src_requirement(cls, location, project_name): + repo = cls.get_remote_url(location) + if repo is None: + return None + repo = 'svn+' + repo + rev = cls.get_revision(location) + return make_vcs_requirement_url(repo, rev, project_name) + + def is_commit_id_equal(self, dest, name): + """Always assume the versions don't match""" + return False + + +vcs.register(Subversion) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/wheel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/wheel.py new file mode 100644 index 0000000..67bcc7f --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/wheel.py @@ -0,0 +1,1095 @@ +""" +Support for installing and building the "wheel" binary package format. +""" +from __future__ import absolute_import + +import collections +import compileall +import csv +import hashlib +import logging +import os.path +import re +import shutil +import stat +import sys +import warnings +from base64 import urlsafe_b64encode +from email.parser import Parser + +from pip._vendor import pkg_resources +from pip._vendor.distlib.scripts import ScriptMaker +from pip._vendor.packaging.utils import canonicalize_name +from pip._vendor.six import StringIO + +from pip._internal import pep425tags +from pip._internal.download import path_to_url, unpack_url +from pip._internal.exceptions import ( + InstallationError, InvalidWheelFilename, UnsupportedWheel, +) +from pip._internal.locations import ( + PIP_DELETE_MARKER_FILENAME, distutils_scheme, +) +from pip._internal.models.link import Link +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import ( + call_subprocess, captured_stdout, ensure_dir, read_chunks, +) +from pip._internal.utils.setuptools_build import SETUPTOOLS_SHIM +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.utils.typing import MYPY_CHECK_RUNNING +from pip._internal.utils.ui import open_spinner + +if MYPY_CHECK_RUNNING: + from typing import ( # noqa: F401 + Dict, List, Optional, Sequence, Mapping, Tuple, IO, Text, Any, + Union, Iterable + ) + from pip._vendor.packaging.requirements import Requirement # noqa: F401 + from pip._internal.req.req_install import InstallRequirement # noqa: F401 + from pip._internal.download import PipSession # noqa: F401 + from pip._internal.index import FormatControl, PackageFinder # noqa: F401 + from pip._internal.operations.prepare import ( # noqa: F401 + RequirementPreparer + ) + from pip._internal.cache import WheelCache # noqa: F401 + from pip._internal.pep425tags import Pep425Tag # noqa: F401 + + InstalledCSVRow = Tuple[str, ...] + + +VERSION_COMPATIBLE = (1, 0) + + +logger = logging.getLogger(__name__) + + +def normpath(src, p): + return os.path.relpath(src, p).replace(os.path.sep, '/') + + +def rehash(path, blocksize=1 << 20): + # type: (str, int) -> Tuple[str, str] + """Return (hash, length) for path using hashlib.sha256()""" + h = hashlib.sha256() + length = 0 + with open(path, 'rb') as f: + for block in read_chunks(f, size=blocksize): + length += len(block) + h.update(block) + digest = 'sha256=' + urlsafe_b64encode( + h.digest() + ).decode('latin1').rstrip('=') + # unicode/str python2 issues + return (digest, str(length)) # type: ignore + + +def open_for_csv(name, mode): + # type: (str, Text) -> IO + if sys.version_info[0] < 3: + nl = {} # type: Dict[str, Any] + bin = 'b' + else: + nl = {'newline': ''} # type: Dict[str, Any] + bin = '' + return open(name, mode + bin, **nl) + + +def replace_python_tag(wheelname, new_tag): + # type: (str, str) -> str + """Replace the Python tag in a wheel file name with a new value. + """ + parts = wheelname.split('-') + parts[-3] = new_tag + return '-'.join(parts) + + +def fix_script(path): + # type: (str) -> Optional[bool] + """Replace #!python with #!/path/to/python + Return True if file was changed.""" + # XXX RECORD hashes will need to be updated + if os.path.isfile(path): + with open(path, 'rb') as script: + firstline = script.readline() + if not firstline.startswith(b'#!python'): + return False + exename = sys.executable.encode(sys.getfilesystemencoding()) + firstline = b'#!' + exename + os.linesep.encode("ascii") + rest = script.read() + with open(path, 'wb') as script: + script.write(firstline) + script.write(rest) + return True + return None + + +dist_info_re = re.compile(r"""^(?P<namever>(?P<name>.+?)(-(?P<ver>.+?))?) + \.dist-info$""", re.VERBOSE) + + +def root_is_purelib(name, wheeldir): + # type: (str, str) -> bool + """ + Return True if the extracted wheel in wheeldir should go into purelib. + """ + name_folded = name.replace("-", "_") + for item in os.listdir(wheeldir): + match = dist_info_re.match(item) + if match and match.group('name') == name_folded: + with open(os.path.join(wheeldir, item, 'WHEEL')) as wheel: + for line in wheel: + line = line.lower().rstrip() + if line == "root-is-purelib: true": + return True + return False + + +def get_entrypoints(filename): + # type: (str) -> Tuple[Dict[str, str], Dict[str, str]] + if not os.path.exists(filename): + return {}, {} + + # This is done because you can pass a string to entry_points wrappers which + # means that they may or may not be valid INI files. The attempt here is to + # strip leading and trailing whitespace in order to make them valid INI + # files. + with open(filename) as fp: + data = StringIO() + for line in fp: + data.write(line.strip()) + data.write("\n") + data.seek(0) + + # get the entry points and then the script names + entry_points = pkg_resources.EntryPoint.parse_map(data) + console = entry_points.get('console_scripts', {}) + gui = entry_points.get('gui_scripts', {}) + + def _split_ep(s): + """get the string representation of EntryPoint, remove space and split + on '='""" + return str(s).replace(" ", "").split("=") + + # convert the EntryPoint objects into strings with module:function + console = dict(_split_ep(v) for v in console.values()) + gui = dict(_split_ep(v) for v in gui.values()) + return console, gui + + +def message_about_scripts_not_on_PATH(scripts): + # type: (Sequence[str]) -> Optional[str] + """Determine if any scripts are not on PATH and format a warning. + + Returns a warning message if one or more scripts are not on PATH, + otherwise None. + """ + if not scripts: + return None + + # Group scripts by the path they were installed in + grouped_by_dir = collections.defaultdict(set) # type: Dict[str, set] + for destfile in scripts: + parent_dir = os.path.dirname(destfile) + script_name = os.path.basename(destfile) + grouped_by_dir[parent_dir].add(script_name) + + # We don't want to warn for directories that are on PATH. + not_warn_dirs = [ + os.path.normcase(i).rstrip(os.sep) for i in + os.environ.get("PATH", "").split(os.pathsep) + ] + # If an executable sits with sys.executable, we don't warn for it. + # This covers the case of venv invocations without activating the venv. + not_warn_dirs.append(os.path.normcase(os.path.dirname(sys.executable))) + warn_for = { + parent_dir: scripts for parent_dir, scripts in grouped_by_dir.items() + if os.path.normcase(parent_dir) not in not_warn_dirs + } + if not warn_for: + return None + + # Format a message + msg_lines = [] + for parent_dir, scripts in warn_for.items(): + scripts = sorted(scripts) + if len(scripts) == 1: + start_text = "script {} is".format(scripts[0]) + else: + start_text = "scripts {} are".format( + ", ".join(scripts[:-1]) + " and " + scripts[-1] + ) + + msg_lines.append( + "The {} installed in '{}' which is not on PATH." + .format(start_text, parent_dir) + ) + + last_line_fmt = ( + "Consider adding {} to PATH or, if you prefer " + "to suppress this warning, use --no-warn-script-location." + ) + if len(msg_lines) == 1: + msg_lines.append(last_line_fmt.format("this directory")) + else: + msg_lines.append(last_line_fmt.format("these directories")) + + # Returns the formatted multiline message + return "\n".join(msg_lines) + + +def sorted_outrows(outrows): + # type: (Iterable[InstalledCSVRow]) -> List[InstalledCSVRow] + """ + Return the given rows of a RECORD file in sorted order. + + Each row is a 3-tuple (path, hash, size) and corresponds to a record of + a RECORD file (see PEP 376 and PEP 427 for details). For the rows + passed to this function, the size can be an integer as an int or string, + or the empty string. + """ + # Normally, there should only be one row per path, in which case the + # second and third elements don't come into play when sorting. + # However, in cases in the wild where a path might happen to occur twice, + # we don't want the sort operation to trigger an error (but still want + # determinism). Since the third element can be an int or string, we + # coerce each element to a string to avoid a TypeError in this case. + # For additional background, see-- + # https://github.com/pypa/pip/issues/5868 + return sorted(outrows, key=lambda row: tuple(str(x) for x in row)) + + +def get_csv_rows_for_installed( + old_csv_rows, # type: Iterable[List[str]] + installed, # type: Dict[str, str] + changed, # type: set + generated, # type: List[str] + lib_dir, # type: str +): + # type: (...) -> List[InstalledCSVRow] + """ + :param installed: A map from archive RECORD path to installation RECORD + path. + """ + installed_rows = [] # type: List[InstalledCSVRow] + for row in old_csv_rows: + if len(row) > 3: + logger.warning( + 'RECORD line has more than three elements: {}'.format(row) + ) + # Make a copy because we are mutating the row. + row = list(row) + old_path = row[0] + new_path = installed.pop(old_path, old_path) + row[0] = new_path + if new_path in changed: + digest, length = rehash(new_path) + row[1] = digest + row[2] = length + installed_rows.append(tuple(row)) + for f in generated: + digest, length = rehash(f) + installed_rows.append((normpath(f, lib_dir), digest, str(length))) + for f in installed: + installed_rows.append((installed[f], '', '')) + return installed_rows + + +def move_wheel_files( + name, # type: str + req, # type: Requirement + wheeldir, # type: str + user=False, # type: bool + home=None, # type: Optional[str] + root=None, # type: Optional[str] + pycompile=True, # type: bool + scheme=None, # type: Optional[Mapping[str, str]] + isolated=False, # type: bool + prefix=None, # type: Optional[str] + warn_script_location=True # type: bool +): + # type: (...) -> None + """Install a wheel""" + # TODO: Investigate and break this up. + # TODO: Look into moving this into a dedicated class for representing an + # installation. + + if not scheme: + scheme = distutils_scheme( + name, user=user, home=home, root=root, isolated=isolated, + prefix=prefix, + ) + + if root_is_purelib(name, wheeldir): + lib_dir = scheme['purelib'] + else: + lib_dir = scheme['platlib'] + + info_dir = [] # type: List[str] + data_dirs = [] + source = wheeldir.rstrip(os.path.sep) + os.path.sep + + # Record details of the files moved + # installed = files copied from the wheel to the destination + # changed = files changed while installing (scripts #! line typically) + # generated = files newly generated during the install (script wrappers) + installed = {} # type: Dict[str, str] + changed = set() + generated = [] # type: List[str] + + # Compile all of the pyc files that we're going to be installing + if pycompile: + with captured_stdout() as stdout: + with warnings.catch_warnings(): + warnings.filterwarnings('ignore') + compileall.compile_dir(source, force=True, quiet=True) + logger.debug(stdout.getvalue()) + + def record_installed(srcfile, destfile, modified=False): + """Map archive RECORD paths to installation RECORD paths.""" + oldpath = normpath(srcfile, wheeldir) + newpath = normpath(destfile, lib_dir) + installed[oldpath] = newpath + if modified: + changed.add(destfile) + + def clobber(source, dest, is_base, fixer=None, filter=None): + ensure_dir(dest) # common for the 'include' path + + for dir, subdirs, files in os.walk(source): + basedir = dir[len(source):].lstrip(os.path.sep) + destdir = os.path.join(dest, basedir) + if is_base and basedir.split(os.path.sep, 1)[0].endswith('.data'): + continue + for s in subdirs: + destsubdir = os.path.join(dest, basedir, s) + if is_base and basedir == '' and destsubdir.endswith('.data'): + data_dirs.append(s) + continue + elif (is_base and + s.endswith('.dist-info') and + canonicalize_name(s).startswith( + canonicalize_name(req.name))): + assert not info_dir, ('Multiple .dist-info directories: ' + + destsubdir + ', ' + + ', '.join(info_dir)) + info_dir.append(destsubdir) + for f in files: + # Skip unwanted files + if filter and filter(f): + continue + srcfile = os.path.join(dir, f) + destfile = os.path.join(dest, basedir, f) + # directory creation is lazy and after the file filtering above + # to ensure we don't install empty dirs; empty dirs can't be + # uninstalled. + ensure_dir(destdir) + + # copyfile (called below) truncates the destination if it + # exists and then writes the new contents. This is fine in most + # cases, but can cause a segfault if pip has loaded a shared + # object (e.g. from pyopenssl through its vendored urllib3) + # Since the shared object is mmap'd an attempt to call a + # symbol in it will then cause a segfault. Unlinking the file + # allows writing of new contents while allowing the process to + # continue to use the old copy. + if os.path.exists(destfile): + os.unlink(destfile) + + # We use copyfile (not move, copy, or copy2) to be extra sure + # that we are not moving directories over (copyfile fails for + # directories) as well as to ensure that we are not copying + # over any metadata because we want more control over what + # metadata we actually copy over. + shutil.copyfile(srcfile, destfile) + + # Copy over the metadata for the file, currently this only + # includes the atime and mtime. + st = os.stat(srcfile) + if hasattr(os, "utime"): + os.utime(destfile, (st.st_atime, st.st_mtime)) + + # If our file is executable, then make our destination file + # executable. + if os.access(srcfile, os.X_OK): + st = os.stat(srcfile) + permissions = ( + st.st_mode | stat.S_IXUSR | stat.S_IXGRP | stat.S_IXOTH + ) + os.chmod(destfile, permissions) + + changed = False + if fixer: + changed = fixer(destfile) + record_installed(srcfile, destfile, changed) + + clobber(source, lib_dir, True) + + assert info_dir, "%s .dist-info directory not found" % req + + # Get the defined entry points + ep_file = os.path.join(info_dir[0], 'entry_points.txt') + console, gui = get_entrypoints(ep_file) + + def is_entrypoint_wrapper(name): + # EP, EP.exe and EP-script.py are scripts generated for + # entry point EP by setuptools + if name.lower().endswith('.exe'): + matchname = name[:-4] + elif name.lower().endswith('-script.py'): + matchname = name[:-10] + elif name.lower().endswith(".pya"): + matchname = name[:-4] + else: + matchname = name + # Ignore setuptools-generated scripts + return (matchname in console or matchname in gui) + + for datadir in data_dirs: + fixer = None + filter = None + for subdir in os.listdir(os.path.join(wheeldir, datadir)): + fixer = None + if subdir == 'scripts': + fixer = fix_script + filter = is_entrypoint_wrapper + source = os.path.join(wheeldir, datadir, subdir) + dest = scheme[subdir] + clobber(source, dest, False, fixer=fixer, filter=filter) + + maker = ScriptMaker(None, scheme['scripts']) + + # Ensure old scripts are overwritten. + # See https://github.com/pypa/pip/issues/1800 + maker.clobber = True + + # Ensure we don't generate any variants for scripts because this is almost + # never what somebody wants. + # See https://bitbucket.org/pypa/distlib/issue/35/ + maker.variants = {''} + + # This is required because otherwise distlib creates scripts that are not + # executable. + # See https://bitbucket.org/pypa/distlib/issue/32/ + maker.set_mode = True + + # Simplify the script and fix the fact that the default script swallows + # every single stack trace. + # See https://bitbucket.org/pypa/distlib/issue/34/ + # See https://bitbucket.org/pypa/distlib/issue/33/ + def _get_script_text(entry): + if entry.suffix is None: + raise InstallationError( + "Invalid script entry point: %s for req: %s - A callable " + "suffix is required. Cf https://packaging.python.org/en/" + "latest/distributing.html#console-scripts for more " + "information." % (entry, req) + ) + return maker.script_template % { + "module": entry.prefix, + "import_name": entry.suffix.split(".")[0], + "func": entry.suffix, + } + # ignore type, because mypy disallows assigning to a method, + # see https://github.com/python/mypy/issues/2427 + maker._get_script_text = _get_script_text # type: ignore + maker.script_template = r"""# -*- coding: utf-8 -*- +import re +import sys + +from %(module)s import %(import_name)s + +if __name__ == '__main__': + sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) + sys.exit(%(func)s()) +""" + + # Special case pip and setuptools to generate versioned wrappers + # + # The issue is that some projects (specifically, pip and setuptools) use + # code in setup.py to create "versioned" entry points - pip2.7 on Python + # 2.7, pip3.3 on Python 3.3, etc. But these entry points are baked into + # the wheel metadata at build time, and so if the wheel is installed with + # a *different* version of Python the entry points will be wrong. The + # correct fix for this is to enhance the metadata to be able to describe + # such versioned entry points, but that won't happen till Metadata 2.0 is + # available. + # In the meantime, projects using versioned entry points will either have + # incorrect versioned entry points, or they will not be able to distribute + # "universal" wheels (i.e., they will need a wheel per Python version). + # + # Because setuptools and pip are bundled with _ensurepip and virtualenv, + # we need to use universal wheels. So, as a stopgap until Metadata 2.0, we + # override the versioned entry points in the wheel and generate the + # correct ones. This code is purely a short-term measure until Metadata 2.0 + # is available. + # + # To add the level of hack in this section of code, in order to support + # ensurepip this code will look for an ``ENSUREPIP_OPTIONS`` environment + # variable which will control which version scripts get installed. + # + # ENSUREPIP_OPTIONS=altinstall + # - Only pipX.Y and easy_install-X.Y will be generated and installed + # ENSUREPIP_OPTIONS=install + # - pipX.Y, pipX, easy_install-X.Y will be generated and installed. Note + # that this option is technically if ENSUREPIP_OPTIONS is set and is + # not altinstall + # DEFAULT + # - The default behavior is to install pip, pipX, pipX.Y, easy_install + # and easy_install-X.Y. + pip_script = console.pop('pip', None) + if pip_script: + if "ENSUREPIP_OPTIONS" not in os.environ: + spec = 'pip = ' + pip_script + generated.extend(maker.make(spec)) + + if os.environ.get("ENSUREPIP_OPTIONS", "") != "altinstall": + spec = 'pip%s = %s' % (sys.version[:1], pip_script) + generated.extend(maker.make(spec)) + + spec = 'pip%s = %s' % (sys.version[:3], pip_script) + generated.extend(maker.make(spec)) + # Delete any other versioned pip entry points + pip_ep = [k for k in console if re.match(r'pip(\d(\.\d)?)?$', k)] + for k in pip_ep: + del console[k] + easy_install_script = console.pop('easy_install', None) + if easy_install_script: + if "ENSUREPIP_OPTIONS" not in os.environ: + spec = 'easy_install = ' + easy_install_script + generated.extend(maker.make(spec)) + + spec = 'easy_install-%s = %s' % (sys.version[:3], easy_install_script) + generated.extend(maker.make(spec)) + # Delete any other versioned easy_install entry points + easy_install_ep = [ + k for k in console if re.match(r'easy_install(-\d\.\d)?$', k) + ] + for k in easy_install_ep: + del console[k] + + # Generate the console and GUI entry points specified in the wheel + if len(console) > 0: + generated_console_scripts = maker.make_multiple( + ['%s = %s' % kv for kv in console.items()] + ) + generated.extend(generated_console_scripts) + + if warn_script_location: + msg = message_about_scripts_not_on_PATH(generated_console_scripts) + if msg is not None: + logger.warning(msg) + + if len(gui) > 0: + generated.extend( + maker.make_multiple( + ['%s = %s' % kv for kv in gui.items()], + {'gui': True} + ) + ) + + # Record pip as the installer + installer = os.path.join(info_dir[0], 'INSTALLER') + temp_installer = os.path.join(info_dir[0], 'INSTALLER.pip') + with open(temp_installer, 'wb') as installer_file: + installer_file.write(b'pip\n') + shutil.move(temp_installer, installer) + generated.append(installer) + + # Record details of all files installed + record = os.path.join(info_dir[0], 'RECORD') + temp_record = os.path.join(info_dir[0], 'RECORD.pip') + with open_for_csv(record, 'r') as record_in: + with open_for_csv(temp_record, 'w+') as record_out: + reader = csv.reader(record_in) + outrows = get_csv_rows_for_installed( + reader, installed=installed, changed=changed, + generated=generated, lib_dir=lib_dir, + ) + writer = csv.writer(record_out) + # Sort to simplify testing. + for row in sorted_outrows(outrows): + writer.writerow(row) + shutil.move(temp_record, record) + + +def wheel_version(source_dir): + # type: (Optional[str]) -> Optional[Tuple[int, ...]] + """ + Return the Wheel-Version of an extracted wheel, if possible. + + Otherwise, return None if we couldn't parse / extract it. + """ + try: + dist = [d for d in pkg_resources.find_on_path(None, source_dir)][0] + + wheel_data = dist.get_metadata('WHEEL') + wheel_data = Parser().parsestr(wheel_data) + + version = wheel_data['Wheel-Version'].strip() + version = tuple(map(int, version.split('.'))) + return version + except Exception: + return None + + +def check_compatibility(version, name): + # type: (Optional[Tuple[int, ...]], str) -> None + """ + Raises errors or warns if called with an incompatible Wheel-Version. + + Pip should refuse to install a Wheel-Version that's a major series + ahead of what it's compatible with (e.g 2.0 > 1.1); and warn when + installing a version only minor version ahead (e.g 1.2 > 1.1). + + version: a 2-tuple representing a Wheel-Version (Major, Minor) + name: name of wheel or package to raise exception about + + :raises UnsupportedWheel: when an incompatible Wheel-Version is given + """ + if not version: + raise UnsupportedWheel( + "%s is in an unsupported or invalid wheel" % name + ) + if version[0] > VERSION_COMPATIBLE[0]: + raise UnsupportedWheel( + "%s's Wheel-Version (%s) is not compatible with this version " + "of pip" % (name, '.'.join(map(str, version))) + ) + elif version > VERSION_COMPATIBLE: + logger.warning( + 'Installing from a newer Wheel-Version (%s)', + '.'.join(map(str, version)), + ) + + +class Wheel(object): + """A wheel file""" + + # TODO: Maybe move the class into the models sub-package + # TODO: Maybe move the install code into this class + + wheel_file_re = re.compile( + r"""^(?P<namever>(?P<name>.+?)-(?P<ver>.*?)) + ((-(?P<build>\d[^-]*?))?-(?P<pyver>.+?)-(?P<abi>.+?)-(?P<plat>.+?) + \.whl|\.dist-info)$""", + re.VERBOSE + ) + + def __init__(self, filename): + # type: (str) -> None + """ + :raises InvalidWheelFilename: when the filename is invalid for a wheel + """ + wheel_info = self.wheel_file_re.match(filename) + if not wheel_info: + raise InvalidWheelFilename( + "%s is not a valid wheel filename." % filename + ) + self.filename = filename + self.name = wheel_info.group('name').replace('_', '-') + # we'll assume "_" means "-" due to wheel naming scheme + # (https://github.com/pypa/pip/issues/1150) + self.version = wheel_info.group('ver').replace('_', '-') + self.build_tag = wheel_info.group('build') + self.pyversions = wheel_info.group('pyver').split('.') + self.abis = wheel_info.group('abi').split('.') + self.plats = wheel_info.group('plat').split('.') + + # All the tag combinations from this file + self.file_tags = { + (x, y, z) for x in self.pyversions + for y in self.abis for z in self.plats + } + + def support_index_min(self, tags=None): + # type: (Optional[List[Pep425Tag]]) -> Optional[int] + """ + Return the lowest index that one of the wheel's file_tag combinations + achieves in the supported_tags list e.g. if there are 8 supported tags, + and one of the file tags is first in the list, then return 0. Returns + None is the wheel is not supported. + """ + if tags is None: # for mock + tags = pep425tags.get_supported() + indexes = [tags.index(c) for c in self.file_tags if c in tags] + return min(indexes) if indexes else None + + def supported(self, tags=None): + # type: (Optional[List[Pep425Tag]]) -> bool + """Is this wheel supported on this system?""" + if tags is None: # for mock + tags = pep425tags.get_supported() + return bool(set(tags).intersection(self.file_tags)) + + +def _contains_egg_info( + s, _egg_info_re=re.compile(r'([a-z0-9_.]+)-([a-z0-9_.!+-]+)', re.I)): + """Determine whether the string looks like an egg_info. + + :param s: The string to parse. E.g. foo-2.1 + """ + return bool(_egg_info_re.search(s)) + + +def should_use_ephemeral_cache( + req, # type: InstallRequirement + format_control, # type: FormatControl + autobuilding, # type: bool + cache_available # type: bool +): + # type: (...) -> Optional[bool] + """ + Return whether to build an InstallRequirement object using the + ephemeral cache. + + :param cache_available: whether a cache directory is available for the + autobuilding=True case. + + :return: True or False to build the requirement with ephem_cache=True + or False, respectively; or None not to build the requirement. + """ + if req.constraint: + return None + if req.is_wheel: + if not autobuilding: + logger.info( + 'Skipping %s, due to already being wheel.', req.name, + ) + return None + if not autobuilding: + return False + + if req.editable or not req.source_dir: + return None + + if req.link and not req.link.is_artifact: + # VCS checkout. Build wheel just for this run. + return True + + if "binary" not in format_control.get_allowed_formats( + canonicalize_name(req.name)): + logger.info( + "Skipping bdist_wheel for %s, due to binaries " + "being disabled for it.", req.name, + ) + return None + + link = req.link + base, ext = link.splitext() + if cache_available and _contains_egg_info(base): + return False + + # Otherwise, build the wheel just for this run using the ephemeral + # cache since we are either in the case of e.g. a local directory, or + # no cache directory is available to use. + return True + + +def format_command( + command_args, # type: List[str] + command_output, # type: str +): + # type: (...) -> str + """ + Format command information for logging. + """ + text = 'Command arguments: {}\n'.format(command_args) + + if not command_output: + text += 'Command output: None' + elif logger.getEffectiveLevel() > logging.DEBUG: + text += 'Command output: [use --verbose to show]' + else: + if not command_output.endswith('\n'): + command_output += '\n' + text += ( + 'Command output:\n{}' + '-----------------------------------------' + ).format(command_output) + + return text + + +def get_legacy_build_wheel_path( + names, # type: List[str] + temp_dir, # type: str + req, # type: InstallRequirement + command_args, # type: List[str] + command_output, # type: str +): + # type: (...) -> Optional[str] + """ + Return the path to the wheel in the temporary build directory. + """ + # Sort for determinism. + names = sorted(names) + if not names: + msg = ( + 'Legacy build of wheel for {!r} created no files.\n' + ).format(req.name) + msg += format_command(command_args, command_output) + logger.warning(msg) + return None + + if len(names) > 1: + msg = ( + 'Legacy build of wheel for {!r} created more than one file.\n' + 'Filenames (choosing first): {}\n' + ).format(req.name, names) + msg += format_command(command_args, command_output) + logger.warning(msg) + + return os.path.join(temp_dir, names[0]) + + +class WheelBuilder(object): + """Build wheels from a RequirementSet.""" + + def __init__( + self, + finder, # type: PackageFinder + preparer, # type: RequirementPreparer + wheel_cache, # type: WheelCache + build_options=None, # type: Optional[List[str]] + global_options=None, # type: Optional[List[str]] + no_clean=False # type: bool + ): + # type: (...) -> None + self.finder = finder + self.preparer = preparer + self.wheel_cache = wheel_cache + + self._wheel_dir = preparer.wheel_download_dir + + self.build_options = build_options or [] + self.global_options = global_options or [] + self.no_clean = no_clean + + def _build_one(self, req, output_dir, python_tag=None): + """Build one wheel. + + :return: The filename of the built wheel, or None if the build failed. + """ + # Install build deps into temporary directory (PEP 518) + with req.build_env: + return self._build_one_inside_env(req, output_dir, + python_tag=python_tag) + + def _build_one_inside_env(self, req, output_dir, python_tag=None): + with TempDirectory(kind="wheel") as temp_dir: + if req.use_pep517: + builder = self._build_one_pep517 + else: + builder = self._build_one_legacy + wheel_path = builder(req, temp_dir.path, python_tag=python_tag) + if wheel_path is not None: + wheel_name = os.path.basename(wheel_path) + dest_path = os.path.join(output_dir, wheel_name) + try: + shutil.move(wheel_path, dest_path) + logger.info('Stored in directory: %s', output_dir) + return dest_path + except Exception: + pass + # Ignore return, we can't do anything else useful. + self._clean_one(req) + return None + + def _base_setup_args(self, req): + # NOTE: Eventually, we'd want to also -S to the flags here, when we're + # isolating. Currently, it breaks Python in virtualenvs, because it + # relies on site.py to find parts of the standard library outside the + # virtualenv. + return [ + sys.executable, '-u', '-c', + SETUPTOOLS_SHIM % req.setup_py + ] + list(self.global_options) + + def _build_one_pep517(self, req, tempd, python_tag=None): + """Build one InstallRequirement using the PEP 517 build process. + + Returns path to wheel if successfully built. Otherwise, returns None. + """ + assert req.metadata_directory is not None + try: + req.spin_message = 'Building wheel for %s (PEP 517)' % (req.name,) + logger.debug('Destination directory: %s', tempd) + wheel_name = req.pep517_backend.build_wheel( + tempd, + metadata_directory=req.metadata_directory + ) + if python_tag: + # General PEP 517 backends don't necessarily support + # a "--python-tag" option, so we rename the wheel + # file directly. + new_name = replace_python_tag(wheel_name, python_tag) + os.rename( + os.path.join(tempd, wheel_name), + os.path.join(tempd, new_name) + ) + # Reassign to simplify the return at the end of function + wheel_name = new_name + except Exception: + logger.error('Failed building wheel for %s', req.name) + return None + return os.path.join(tempd, wheel_name) + + def _build_one_legacy(self, req, tempd, python_tag=None): + """Build one InstallRequirement using the "legacy" build process. + + Returns path to wheel if successfully built. Otherwise, returns None. + """ + base_args = self._base_setup_args(req) + + spin_message = 'Building wheel for %s (setup.py)' % (req.name,) + with open_spinner(spin_message) as spinner: + logger.debug('Destination directory: %s', tempd) + wheel_args = base_args + ['bdist_wheel', '-d', tempd] \ + + self.build_options + + if python_tag is not None: + wheel_args += ["--python-tag", python_tag] + + try: + output = call_subprocess(wheel_args, cwd=req.setup_py_dir, + show_stdout=False, spinner=spinner) + except Exception: + spinner.finish("error") + logger.error('Failed building wheel for %s', req.name) + return None + names = os.listdir(tempd) + wheel_path = get_legacy_build_wheel_path( + names=names, + temp_dir=tempd, + req=req, + command_args=wheel_args, + command_output=output, + ) + return wheel_path + + def _clean_one(self, req): + base_args = self._base_setup_args(req) + + logger.info('Running setup.py clean for %s', req.name) + clean_args = base_args + ['clean', '--all'] + try: + call_subprocess(clean_args, cwd=req.source_dir, show_stdout=False) + return True + except Exception: + logger.error('Failed cleaning build dir for %s', req.name) + return False + + def build( + self, + requirements, # type: Iterable[InstallRequirement] + session, # type: PipSession + autobuilding=False # type: bool + ): + # type: (...) -> List[InstallRequirement] + """Build wheels. + + :param unpack: If True, replace the sdist we built from with the + newly built wheel, in preparation for installation. + :return: True if all the wheels built correctly. + """ + buildset = [] + format_control = self.finder.format_control + # Whether a cache directory is available for autobuilding=True. + cache_available = bool(self._wheel_dir or self.wheel_cache.cache_dir) + + for req in requirements: + ephem_cache = should_use_ephemeral_cache( + req, format_control=format_control, autobuilding=autobuilding, + cache_available=cache_available, + ) + if ephem_cache is None: + continue + + buildset.append((req, ephem_cache)) + + if not buildset: + return [] + + # Is any wheel build not using the ephemeral cache? + if any(not ephem_cache for _, ephem_cache in buildset): + have_directory_for_build = self._wheel_dir or ( + autobuilding and self.wheel_cache.cache_dir + ) + assert have_directory_for_build + + # TODO by @pradyunsg + # Should break up this method into 2 separate methods. + + # Build the wheels. + logger.info( + 'Building wheels for collected packages: %s', + ', '.join([req.name for (req, _) in buildset]), + ) + _cache = self.wheel_cache # shorter name + with indent_log(): + build_success, build_failure = [], [] + for req, ephem in buildset: + python_tag = None + if autobuilding: + python_tag = pep425tags.implementation_tag + if ephem: + output_dir = _cache.get_ephem_path_for_link(req.link) + else: + output_dir = _cache.get_path_for_link(req.link) + try: + ensure_dir(output_dir) + except OSError as e: + logger.warning("Building wheel for %s failed: %s", + req.name, e) + build_failure.append(req) + continue + else: + output_dir = self._wheel_dir + wheel_file = self._build_one( + req, output_dir, + python_tag=python_tag, + ) + if wheel_file: + build_success.append(req) + if autobuilding: + # XXX: This is mildly duplicative with prepare_files, + # but not close enough to pull out to a single common + # method. + # The code below assumes temporary source dirs - + # prevent it doing bad things. + if req.source_dir and not os.path.exists(os.path.join( + req.source_dir, PIP_DELETE_MARKER_FILENAME)): + raise AssertionError( + "bad source dir - missing marker") + # Delete the source we built the wheel from + req.remove_temporary_source() + # set the build directory again - name is known from + # the work prepare_files did. + req.source_dir = req.build_location( + self.preparer.build_dir + ) + # Update the link for this. + req.link = Link(path_to_url(wheel_file)) + assert req.link.is_wheel + # extract the wheel into the dir + unpack_url( + req.link, req.source_dir, None, False, + session=session, + ) + else: + build_failure.append(req) + + # notify success/failure + if build_success: + logger.info( + 'Successfully built %s', + ' '.join([req.name for req in build_success]), + ) + if build_failure: + logger.info( + 'Failed to build %s', + ' '.join([req.name for req in build_failure]), + ) + # Return a list of requirements that failed to build + return build_failure diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/__init__.py new file mode 100644 index 0000000..b919b54 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/__init__.py @@ -0,0 +1,111 @@ +""" +pip._vendor is for vendoring dependencies of pip to prevent needing pip to +depend on something external. + +Files inside of pip._vendor should be considered immutable and should only be +updated to versions from upstream. +""" +from __future__ import absolute_import + +import glob +import os.path +import sys + +# Downstream redistributors which have debundled our dependencies should also +# patch this value to be true. This will trigger the additional patching +# to cause things like "six" to be available as pip. +DEBUNDLED = False + +# By default, look in this directory for a bunch of .whl files which we will +# add to the beginning of sys.path before attempting to import anything. This +# is done to support downstream re-distributors like Debian and Fedora who +# wish to create their own Wheels for our dependencies to aid in debundling. +WHEEL_DIR = os.path.abspath(os.path.dirname(__file__)) + + +# Define a small helper function to alias our vendored modules to the real ones +# if the vendored ones do not exist. This idea of this was taken from +# https://github.com/kennethreitz/requests/pull/2567. +def vendored(modulename): + vendored_name = "{0}.{1}".format(__name__, modulename) + + try: + __import__(vendored_name, globals(), locals(), level=0) + except ImportError: + try: + __import__(modulename, globals(), locals(), level=0) + except ImportError: + # We can just silently allow import failures to pass here. If we + # got to this point it means that ``import pip._vendor.whatever`` + # failed and so did ``import whatever``. Since we're importing this + # upfront in an attempt to alias imports, not erroring here will + # just mean we get a regular import error whenever pip *actually* + # tries to import one of these modules to use it, which actually + # gives us a better error message than we would have otherwise + # gotten. + pass + else: + sys.modules[vendored_name] = sys.modules[modulename] + base, head = vendored_name.rsplit(".", 1) + setattr(sys.modules[base], head, sys.modules[modulename]) + + +# If we're operating in a debundled setup, then we want to go ahead and trigger +# the aliasing of our vendored libraries as well as looking for wheels to add +# to our sys.path. This will cause all of this code to be a no-op typically +# however downstream redistributors can enable it in a consistent way across +# all platforms. +if DEBUNDLED: + # Actually look inside of WHEEL_DIR to find .whl files and add them to the + # front of our sys.path. + sys.path[:] = glob.glob(os.path.join(WHEEL_DIR, "*.whl")) + sys.path + + # Actually alias all of our vendored dependencies. + vendored("cachecontrol") + vendored("colorama") + vendored("distlib") + vendored("distro") + vendored("html5lib") + vendored("lockfile") + vendored("six") + vendored("six.moves") + vendored("six.moves.urllib") + vendored("six.moves.urllib.parse") + vendored("packaging") + vendored("packaging.version") + vendored("packaging.specifiers") + vendored("pep517") + vendored("pkg_resources") + vendored("progress") + vendored("pytoml") + vendored("retrying") + vendored("requests") + vendored("requests.packages") + vendored("requests.packages.urllib3") + vendored("requests.packages.urllib3._collections") + vendored("requests.packages.urllib3.connection") + vendored("requests.packages.urllib3.connectionpool") + vendored("requests.packages.urllib3.contrib") + vendored("requests.packages.urllib3.contrib.ntlmpool") + vendored("requests.packages.urllib3.contrib.pyopenssl") + vendored("requests.packages.urllib3.exceptions") + vendored("requests.packages.urllib3.fields") + vendored("requests.packages.urllib3.filepost") + vendored("requests.packages.urllib3.packages") + vendored("requests.packages.urllib3.packages.ordered_dict") + vendored("requests.packages.urllib3.packages.six") + vendored("requests.packages.urllib3.packages.ssl_match_hostname") + vendored("requests.packages.urllib3.packages.ssl_match_hostname." + "_implementation") + vendored("requests.packages.urllib3.poolmanager") + vendored("requests.packages.urllib3.request") + vendored("requests.packages.urllib3.response") + vendored("requests.packages.urllib3.util") + vendored("requests.packages.urllib3.util.connection") + vendored("requests.packages.urllib3.util.request") + vendored("requests.packages.urllib3.util.response") + vendored("requests.packages.urllib3.util.retry") + vendored("requests.packages.urllib3.util.ssl_") + vendored("requests.packages.urllib3.util.timeout") + vendored("requests.packages.urllib3.util.url") + vendored("urllib3") diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/appdirs.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/appdirs.py new file mode 100644 index 0000000..2bd3911 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/appdirs.py @@ -0,0 +1,604 @@ +#!/usr/bin/env python +# -*- coding: utf-8 -*- +# Copyright (c) 2005-2010 ActiveState Software Inc. +# Copyright (c) 2013 Eddy Petrișor + +"""Utilities for determining application-specific dirs. + +See <http://github.com/ActiveState/appdirs> for details and usage. +""" +# Dev Notes: +# - MSDN on where to store app data files: +# http://support.microsoft.com/default.aspx?scid=kb;en-us;310294#XSLTH3194121123120121120120 +# - Mac OS X: http://developer.apple.com/documentation/MacOSX/Conceptual/BPFileSystem/index.html +# - XDG spec for Un*x: http://standards.freedesktop.org/basedir-spec/basedir-spec-latest.html + +__version_info__ = (1, 4, 3) +__version__ = '.'.join(map(str, __version_info__)) + + +import sys +import os + +PY3 = sys.version_info[0] == 3 + +if PY3: + unicode = str + +if sys.platform.startswith('java'): + import platform + os_name = platform.java_ver()[3][0] + if os_name.startswith('Windows'): # "Windows XP", "Windows 7", etc. + system = 'win32' + elif os_name.startswith('Mac'): # "Mac OS X", etc. + system = 'darwin' + else: # "Linux", "SunOS", "FreeBSD", etc. + # Setting this to "linux2" is not ideal, but only Windows or Mac + # are actually checked for and the rest of the module expects + # *sys.platform* style strings. + system = 'linux2' +else: + system = sys.platform + + + +def user_data_dir(appname=None, appauthor=None, version=None, roaming=False): + r"""Return full path to the user-specific data dir for this application. + + "appname" is the name of application. + If None, just the system directory is returned. + "appauthor" (only used on Windows) is the name of the + appauthor or distributing body for this application. Typically + it is the owning company name. This falls back to appname. You may + pass False to disable it. + "version" is an optional version path element to append to the + path. You might want to use this if you want multiple versions + of your app to be able to run independently. If used, this + would typically be "<major>.<minor>". + Only applied when appname is present. + "roaming" (boolean, default False) can be set True to use the Windows + roaming appdata directory. That means that for users on a Windows + network setup for roaming profiles, this user data will be + sync'd on login. See + <http://technet.microsoft.com/en-us/library/cc766489(WS.10).aspx> + for a discussion of issues. + + Typical user data directories are: + Mac OS X: ~/Library/Application Support/<AppName> + Unix: ~/.local/share/<AppName> # or in $XDG_DATA_HOME, if defined + Win XP (not roaming): C:\Documents and Settings\<username>\Application Data\<AppAuthor>\<AppName> + Win XP (roaming): C:\Documents and Settings\<username>\Local Settings\Application Data\<AppAuthor>\<AppName> + Win 7 (not roaming): C:\Users\<username>\AppData\Local\<AppAuthor>\<AppName> + Win 7 (roaming): C:\Users\<username>\AppData\Roaming\<AppAuthor>\<AppName> + + For Unix, we follow the XDG spec and support $XDG_DATA_HOME. + That means, by default "~/.local/share/<AppName>". + """ + if system == "win32": + if appauthor is None: + appauthor = appname + const = roaming and "CSIDL_APPDATA" or "CSIDL_LOCAL_APPDATA" + path = os.path.normpath(_get_win_folder(const)) + if appname: + if appauthor is not False: + path = os.path.join(path, appauthor, appname) + else: + path = os.path.join(path, appname) + elif system == 'darwin': + path = os.path.expanduser('~/Library/Application Support/') + if appname: + path = os.path.join(path, appname) + else: + path = os.getenv('XDG_DATA_HOME', os.path.expanduser("~/.local/share")) + if appname: + path = os.path.join(path, appname) + if appname and version: + path = os.path.join(path, version) + return path + + +def site_data_dir(appname=None, appauthor=None, version=None, multipath=False): + r"""Return full path to the user-shared data dir for this application. + + "appname" is the name of application. + If None, just the system directory is returned. + "appauthor" (only used on Windows) is the name of the + appauthor or distributing body for this application. Typically + it is the owning company name. This falls back to appname. You may + pass False to disable it. + "version" is an optional version path element to append to the + path. You might want to use this if you want multiple versions + of your app to be able to run independently. If used, this + would typically be "<major>.<minor>". + Only applied when appname is present. + "multipath" is an optional parameter only applicable to *nix + which indicates that the entire list of data dirs should be + returned. By default, the first item from XDG_DATA_DIRS is + returned, or '/usr/local/share/<AppName>', + if XDG_DATA_DIRS is not set + + Typical site data directories are: + Mac OS X: /Library/Application Support/<AppName> + Unix: /usr/local/share/<AppName> or /usr/share/<AppName> + Win XP: C:\Documents and Settings\All Users\Application Data\<AppAuthor>\<AppName> + Vista: (Fail! "C:\ProgramData" is a hidden *system* directory on Vista.) + Win 7: C:\ProgramData\<AppAuthor>\<AppName> # Hidden, but writeable on Win 7. + + For Unix, this is using the $XDG_DATA_DIRS[0] default. + + WARNING: Do not use this on Windows. See the Vista-Fail note above for why. + """ + if system == "win32": + if appauthor is None: + appauthor = appname + path = os.path.normpath(_get_win_folder("CSIDL_COMMON_APPDATA")) + if appname: + if appauthor is not False: + path = os.path.join(path, appauthor, appname) + else: + path = os.path.join(path, appname) + elif system == 'darwin': + path = os.path.expanduser('/Library/Application Support') + if appname: + path = os.path.join(path, appname) + else: + # XDG default for $XDG_DATA_DIRS + # only first, if multipath is False + path = os.getenv('XDG_DATA_DIRS', + os.pathsep.join(['/usr/local/share', '/usr/share'])) + pathlist = [os.path.expanduser(x.rstrip(os.sep)) for x in path.split(os.pathsep)] + if appname: + if version: + appname = os.path.join(appname, version) + pathlist = [os.sep.join([x, appname]) for x in pathlist] + + if multipath: + path = os.pathsep.join(pathlist) + else: + path = pathlist[0] + return path + + if appname and version: + path = os.path.join(path, version) + return path + + +def user_config_dir(appname=None, appauthor=None, version=None, roaming=False): + r"""Return full path to the user-specific config dir for this application. + + "appname" is the name of application. + If None, just the system directory is returned. + "appauthor" (only used on Windows) is the name of the + appauthor or distributing body for this application. Typically + it is the owning company name. This falls back to appname. You may + pass False to disable it. + "version" is an optional version path element to append to the + path. You might want to use this if you want multiple versions + of your app to be able to run independently. If used, this + would typically be "<major>.<minor>". + Only applied when appname is present. + "roaming" (boolean, default False) can be set True to use the Windows + roaming appdata directory. That means that for users on a Windows + network setup for roaming profiles, this user data will be + sync'd on login. See + <http://technet.microsoft.com/en-us/library/cc766489(WS.10).aspx> + for a discussion of issues. + + Typical user config directories are: + Mac OS X: same as user_data_dir + Unix: ~/.config/<AppName> # or in $XDG_CONFIG_HOME, if defined + Win *: same as user_data_dir + + For Unix, we follow the XDG spec and support $XDG_CONFIG_HOME. + That means, by default "~/.config/<AppName>". + """ + if system in ["win32", "darwin"]: + path = user_data_dir(appname, appauthor, None, roaming) + else: + path = os.getenv('XDG_CONFIG_HOME', os.path.expanduser("~/.config")) + if appname: + path = os.path.join(path, appname) + if appname and version: + path = os.path.join(path, version) + return path + + +def site_config_dir(appname=None, appauthor=None, version=None, multipath=False): + r"""Return full path to the user-shared data dir for this application. + + "appname" is the name of application. + If None, just the system directory is returned. + "appauthor" (only used on Windows) is the name of the + appauthor or distributing body for this application. Typically + it is the owning company name. This falls back to appname. You may + pass False to disable it. + "version" is an optional version path element to append to the + path. You might want to use this if you want multiple versions + of your app to be able to run independently. If used, this + would typically be "<major>.<minor>". + Only applied when appname is present. + "multipath" is an optional parameter only applicable to *nix + which indicates that the entire list of config dirs should be + returned. By default, the first item from XDG_CONFIG_DIRS is + returned, or '/etc/xdg/<AppName>', if XDG_CONFIG_DIRS is not set + + Typical site config directories are: + Mac OS X: same as site_data_dir + Unix: /etc/xdg/<AppName> or $XDG_CONFIG_DIRS[i]/<AppName> for each value in + $XDG_CONFIG_DIRS + Win *: same as site_data_dir + Vista: (Fail! "C:\ProgramData" is a hidden *system* directory on Vista.) + + For Unix, this is using the $XDG_CONFIG_DIRS[0] default, if multipath=False + + WARNING: Do not use this on Windows. See the Vista-Fail note above for why. + """ + if system in ["win32", "darwin"]: + path = site_data_dir(appname, appauthor) + if appname and version: + path = os.path.join(path, version) + else: + # XDG default for $XDG_CONFIG_DIRS + # only first, if multipath is False + path = os.getenv('XDG_CONFIG_DIRS', '/etc/xdg') + pathlist = [os.path.expanduser(x.rstrip(os.sep)) for x in path.split(os.pathsep)] + if appname: + if version: + appname = os.path.join(appname, version) + pathlist = [os.sep.join([x, appname]) for x in pathlist] + + if multipath: + path = os.pathsep.join(pathlist) + else: + path = pathlist[0] + return path + + +def user_cache_dir(appname=None, appauthor=None, version=None, opinion=True): + r"""Return full path to the user-specific cache dir for this application. + + "appname" is the name of application. + If None, just the system directory is returned. + "appauthor" (only used on Windows) is the name of the + appauthor or distributing body for this application. Typically + it is the owning company name. This falls back to appname. You may + pass False to disable it. + "version" is an optional version path element to append to the + path. You might want to use this if you want multiple versions + of your app to be able to run independently. If used, this + would typically be "<major>.<minor>". + Only applied when appname is present. + "opinion" (boolean) can be False to disable the appending of + "Cache" to the base app data dir for Windows. See + discussion below. + + Typical user cache directories are: + Mac OS X: ~/Library/Caches/<AppName> + Unix: ~/.cache/<AppName> (XDG default) + Win XP: C:\Documents and Settings\<username>\Local Settings\Application Data\<AppAuthor>\<AppName>\Cache + Vista: C:\Users\<username>\AppData\Local\<AppAuthor>\<AppName>\Cache + + On Windows the only suggestion in the MSDN docs is that local settings go in + the `CSIDL_LOCAL_APPDATA` directory. This is identical to the non-roaming + app data dir (the default returned by `user_data_dir` above). Apps typically + put cache data somewhere *under* the given dir here. Some examples: + ...\Mozilla\Firefox\Profiles\<ProfileName>\Cache + ...\Acme\SuperApp\Cache\1.0 + OPINION: This function appends "Cache" to the `CSIDL_LOCAL_APPDATA` value. + This can be disabled with the `opinion=False` option. + """ + if system == "win32": + if appauthor is None: + appauthor = appname + path = os.path.normpath(_get_win_folder("CSIDL_LOCAL_APPDATA")) + if appname: + if appauthor is not False: + path = os.path.join(path, appauthor, appname) + else: + path = os.path.join(path, appname) + if opinion: + path = os.path.join(path, "Cache") + elif system == 'darwin': + path = os.path.expanduser('~/Library/Caches') + if appname: + path = os.path.join(path, appname) + else: + path = os.getenv('XDG_CACHE_HOME', os.path.expanduser('~/.cache')) + if appname: + path = os.path.join(path, appname) + if appname and version: + path = os.path.join(path, version) + return path + + +def user_state_dir(appname=None, appauthor=None, version=None, roaming=False): + r"""Return full path to the user-specific state dir for this application. + + "appname" is the name of application. + If None, just the system directory is returned. + "appauthor" (only used on Windows) is the name of the + appauthor or distributing body for this application. Typically + it is the owning company name. This falls back to appname. You may + pass False to disable it. + "version" is an optional version path element to append to the + path. You might want to use this if you want multiple versions + of your app to be able to run independently. If used, this + would typically be "<major>.<minor>". + Only applied when appname is present. + "roaming" (boolean, default False) can be set True to use the Windows + roaming appdata directory. That means that for users on a Windows + network setup for roaming profiles, this user data will be + sync'd on login. See + <http://technet.microsoft.com/en-us/library/cc766489(WS.10).aspx> + for a discussion of issues. + + Typical user state directories are: + Mac OS X: same as user_data_dir + Unix: ~/.local/state/<AppName> # or in $XDG_STATE_HOME, if defined + Win *: same as user_data_dir + + For Unix, we follow this Debian proposal <https://wiki.debian.org/XDGBaseDirectorySpecification#state> + to extend the XDG spec and support $XDG_STATE_HOME. + + That means, by default "~/.local/state/<AppName>". + """ + if system in ["win32", "darwin"]: + path = user_data_dir(appname, appauthor, None, roaming) + else: + path = os.getenv('XDG_STATE_HOME', os.path.expanduser("~/.local/state")) + if appname: + path = os.path.join(path, appname) + if appname and version: + path = os.path.join(path, version) + return path + + +def user_log_dir(appname=None, appauthor=None, version=None, opinion=True): + r"""Return full path to the user-specific log dir for this application. + + "appname" is the name of application. + If None, just the system directory is returned. + "appauthor" (only used on Windows) is the name of the + appauthor or distributing body for this application. Typically + it is the owning company name. This falls back to appname. You may + pass False to disable it. + "version" is an optional version path element to append to the + path. You might want to use this if you want multiple versions + of your app to be able to run independently. If used, this + would typically be "<major>.<minor>". + Only applied when appname is present. + "opinion" (boolean) can be False to disable the appending of + "Logs" to the base app data dir for Windows, and "log" to the + base cache dir for Unix. See discussion below. + + Typical user log directories are: + Mac OS X: ~/Library/Logs/<AppName> + Unix: ~/.cache/<AppName>/log # or under $XDG_CACHE_HOME if defined + Win XP: C:\Documents and Settings\<username>\Local Settings\Application Data\<AppAuthor>\<AppName>\Logs + Vista: C:\Users\<username>\AppData\Local\<AppAuthor>\<AppName>\Logs + + On Windows the only suggestion in the MSDN docs is that local settings + go in the `CSIDL_LOCAL_APPDATA` directory. (Note: I'm interested in + examples of what some windows apps use for a logs dir.) + + OPINION: This function appends "Logs" to the `CSIDL_LOCAL_APPDATA` + value for Windows and appends "log" to the user cache dir for Unix. + This can be disabled with the `opinion=False` option. + """ + if system == "darwin": + path = os.path.join( + os.path.expanduser('~/Library/Logs'), + appname) + elif system == "win32": + path = user_data_dir(appname, appauthor, version) + version = False + if opinion: + path = os.path.join(path, "Logs") + else: + path = user_cache_dir(appname, appauthor, version) + version = False + if opinion: + path = os.path.join(path, "log") + if appname and version: + path = os.path.join(path, version) + return path + + +class AppDirs(object): + """Convenience wrapper for getting application dirs.""" + def __init__(self, appname=None, appauthor=None, version=None, + roaming=False, multipath=False): + self.appname = appname + self.appauthor = appauthor + self.version = version + self.roaming = roaming + self.multipath = multipath + + @property + def user_data_dir(self): + return user_data_dir(self.appname, self.appauthor, + version=self.version, roaming=self.roaming) + + @property + def site_data_dir(self): + return site_data_dir(self.appname, self.appauthor, + version=self.version, multipath=self.multipath) + + @property + def user_config_dir(self): + return user_config_dir(self.appname, self.appauthor, + version=self.version, roaming=self.roaming) + + @property + def site_config_dir(self): + return site_config_dir(self.appname, self.appauthor, + version=self.version, multipath=self.multipath) + + @property + def user_cache_dir(self): + return user_cache_dir(self.appname, self.appauthor, + version=self.version) + + @property + def user_state_dir(self): + return user_state_dir(self.appname, self.appauthor, + version=self.version) + + @property + def user_log_dir(self): + return user_log_dir(self.appname, self.appauthor, + version=self.version) + + +#---- internal support stuff + +def _get_win_folder_from_registry(csidl_name): + """This is a fallback technique at best. I'm not sure if using the + registry for this guarantees us the correct answer for all CSIDL_* + names. + """ + if PY3: + import winreg as _winreg + else: + import _winreg + + shell_folder_name = { + "CSIDL_APPDATA": "AppData", + "CSIDL_COMMON_APPDATA": "Common AppData", + "CSIDL_LOCAL_APPDATA": "Local AppData", + }[csidl_name] + + key = _winreg.OpenKey( + _winreg.HKEY_CURRENT_USER, + r"Software\Microsoft\Windows\CurrentVersion\Explorer\Shell Folders" + ) + dir, type = _winreg.QueryValueEx(key, shell_folder_name) + return dir + + +def _get_win_folder_with_pywin32(csidl_name): + from win32com.shell import shellcon, shell + dir = shell.SHGetFolderPath(0, getattr(shellcon, csidl_name), 0, 0) + # Try to make this a unicode path because SHGetFolderPath does + # not return unicode strings when there is unicode data in the + # path. + try: + dir = unicode(dir) + + # Downgrade to short path name if have highbit chars. See + # <http://bugs.activestate.com/show_bug.cgi?id=85099>. + has_high_char = False + for c in dir: + if ord(c) > 255: + has_high_char = True + break + if has_high_char: + try: + import win32api + dir = win32api.GetShortPathName(dir) + except ImportError: + pass + except UnicodeError: + pass + return dir + + +def _get_win_folder_with_ctypes(csidl_name): + import ctypes + + csidl_const = { + "CSIDL_APPDATA": 26, + "CSIDL_COMMON_APPDATA": 35, + "CSIDL_LOCAL_APPDATA": 28, + }[csidl_name] + + buf = ctypes.create_unicode_buffer(1024) + ctypes.windll.shell32.SHGetFolderPathW(None, csidl_const, None, 0, buf) + + # Downgrade to short path name if have highbit chars. See + # <http://bugs.activestate.com/show_bug.cgi?id=85099>. + has_high_char = False + for c in buf: + if ord(c) > 255: + has_high_char = True + break + if has_high_char: + buf2 = ctypes.create_unicode_buffer(1024) + if ctypes.windll.kernel32.GetShortPathNameW(buf.value, buf2, 1024): + buf = buf2 + + return buf.value + +def _get_win_folder_with_jna(csidl_name): + import array + from com.sun import jna + from com.sun.jna.platform import win32 + + buf_size = win32.WinDef.MAX_PATH * 2 + buf = array.zeros('c', buf_size) + shell = win32.Shell32.INSTANCE + shell.SHGetFolderPath(None, getattr(win32.ShlObj, csidl_name), None, win32.ShlObj.SHGFP_TYPE_CURRENT, buf) + dir = jna.Native.toString(buf.tostring()).rstrip("\0") + + # Downgrade to short path name if have highbit chars. See + # <http://bugs.activestate.com/show_bug.cgi?id=85099>. + has_high_char = False + for c in dir: + if ord(c) > 255: + has_high_char = True + break + if has_high_char: + buf = array.zeros('c', buf_size) + kernel = win32.Kernel32.INSTANCE + if kernel.GetShortPathName(dir, buf, buf_size): + dir = jna.Native.toString(buf.tostring()).rstrip("\0") + + return dir + +if system == "win32": + try: + from ctypes import windll + _get_win_folder = _get_win_folder_with_ctypes + except ImportError: + try: + import com.sun.jna + _get_win_folder = _get_win_folder_with_jna + except ImportError: + _get_win_folder = _get_win_folder_from_registry + + +#---- self test code + +if __name__ == "__main__": + appname = "MyApp" + appauthor = "MyCompany" + + props = ("user_data_dir", + "user_config_dir", + "user_cache_dir", + "user_state_dir", + "user_log_dir", + "site_data_dir", + "site_config_dir") + + print("-- app dirs %s --" % __version__) + + print("-- app dirs (with optional 'version')") + dirs = AppDirs(appname, appauthor, version="1.0") + for prop in props: + print("%s: %s" % (prop, getattr(dirs, prop))) + + print("\n-- app dirs (without optional 'version')") + dirs = AppDirs(appname, appauthor) + for prop in props: + print("%s: %s" % (prop, getattr(dirs, prop))) + + print("\n-- app dirs (without optional 'appauthor')") + dirs = AppDirs(appname) + for prop in props: + print("%s: %s" % (prop, getattr(dirs, prop))) + + print("\n-- app dirs (with disabled 'appauthor')") + dirs = AppDirs(appname, appauthor=False) + for prop in props: + print("%s: %s" % (prop, getattr(dirs, prop))) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/__init__.py new file mode 100644 index 0000000..8fdee66 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/__init__.py @@ -0,0 +1,11 @@ +"""CacheControl import Interface. + +Make it easy to import from cachecontrol without long namespaces. +""" +__author__ = "Eric Larson" +__email__ = "eric@ionrock.org" +__version__ = "0.12.5" + +from .wrapper import CacheControl +from .adapter import CacheControlAdapter +from .controller import CacheController diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/_cmd.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/_cmd.py new file mode 100644 index 0000000..f1e0ad9 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/_cmd.py @@ -0,0 +1,57 @@ +import logging + +from pip._vendor import requests + +from pip._vendor.cachecontrol.adapter import CacheControlAdapter +from pip._vendor.cachecontrol.cache import DictCache +from pip._vendor.cachecontrol.controller import logger + +from argparse import ArgumentParser + + +def setup_logging(): + logger.setLevel(logging.DEBUG) + handler = logging.StreamHandler() + logger.addHandler(handler) + + +def get_session(): + adapter = CacheControlAdapter( + DictCache(), cache_etags=True, serializer=None, heuristic=None + ) + sess = requests.Session() + sess.mount("http://", adapter) + sess.mount("https://", adapter) + + sess.cache_controller = adapter.controller + return sess + + +def get_args(): + parser = ArgumentParser() + parser.add_argument("url", help="The URL to try and cache") + return parser.parse_args() + + +def main(args=None): + args = get_args() + sess = get_session() + + # Make a request to get a response + resp = sess.get(args.url) + + # Turn on logging + setup_logging() + + # try setting the cache + sess.cache_controller.cache_response(resp.request, resp.raw) + + # Now try to get it + if sess.cache_controller.cached_request(resp.request): + print("Cached!") + else: + print("Not cached :(") + + +if __name__ == "__main__": + main() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/adapter.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/adapter.py new file mode 100644 index 0000000..780eb28 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/adapter.py @@ -0,0 +1,133 @@ +import types +import functools +import zlib + +from pip._vendor.requests.adapters import HTTPAdapter + +from .controller import CacheController +from .cache import DictCache +from .filewrapper import CallbackFileWrapper + + +class CacheControlAdapter(HTTPAdapter): + invalidating_methods = {"PUT", "DELETE"} + + def __init__( + self, + cache=None, + cache_etags=True, + controller_class=None, + serializer=None, + heuristic=None, + cacheable_methods=None, + *args, + **kw + ): + super(CacheControlAdapter, self).__init__(*args, **kw) + self.cache = cache or DictCache() + self.heuristic = heuristic + self.cacheable_methods = cacheable_methods or ("GET",) + + controller_factory = controller_class or CacheController + self.controller = controller_factory( + self.cache, cache_etags=cache_etags, serializer=serializer + ) + + def send(self, request, cacheable_methods=None, **kw): + """ + Send a request. Use the request information to see if it + exists in the cache and cache the response if we need to and can. + """ + cacheable = cacheable_methods or self.cacheable_methods + if request.method in cacheable: + try: + cached_response = self.controller.cached_request(request) + except zlib.error: + cached_response = None + if cached_response: + return self.build_response(request, cached_response, from_cache=True) + + # check for etags and add headers if appropriate + request.headers.update(self.controller.conditional_headers(request)) + + resp = super(CacheControlAdapter, self).send(request, **kw) + + return resp + + def build_response( + self, request, response, from_cache=False, cacheable_methods=None + ): + """ + Build a response by making a request or using the cache. + + This will end up calling send and returning a potentially + cached response + """ + cacheable = cacheable_methods or self.cacheable_methods + if not from_cache and request.method in cacheable: + # Check for any heuristics that might update headers + # before trying to cache. + if self.heuristic: + response = self.heuristic.apply(response) + + # apply any expiration heuristics + if response.status == 304: + # We must have sent an ETag request. This could mean + # that we've been expired already or that we simply + # have an etag. In either case, we want to try and + # update the cache if that is the case. + cached_response = self.controller.update_cached_response( + request, response + ) + + if cached_response is not response: + from_cache = True + + # We are done with the server response, read a + # possible response body (compliant servers will + # not return one, but we cannot be 100% sure) and + # release the connection back to the pool. + response.read(decode_content=False) + response.release_conn() + + response = cached_response + + # We always cache the 301 responses + elif response.status == 301: + self.controller.cache_response(request, response) + else: + # Wrap the response file with a wrapper that will cache the + # response when the stream has been consumed. + response._fp = CallbackFileWrapper( + response._fp, + functools.partial( + self.controller.cache_response, request, response + ), + ) + if response.chunked: + super_update_chunk_length = response._update_chunk_length + + def _update_chunk_length(self): + super_update_chunk_length() + if self.chunk_left == 0: + self._fp._close() + + response._update_chunk_length = types.MethodType( + _update_chunk_length, response + ) + + resp = super(CacheControlAdapter, self).build_response(request, response) + + # See if we should invalidate the cache. + if request.method in self.invalidating_methods and resp.ok: + cache_url = self.controller.cache_url(request.url) + self.cache.delete(cache_url) + + # Give the request a from_cache attr to let people use it + resp.from_cache = from_cache + + return resp + + def close(self): + self.cache.close() + super(CacheControlAdapter, self).close() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/cache.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/cache.py new file mode 100644 index 0000000..94e0773 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/cache.py @@ -0,0 +1,39 @@ +""" +The cache object API for implementing caches. The default is a thread +safe in-memory dictionary. +""" +from threading import Lock + + +class BaseCache(object): + + def get(self, key): + raise NotImplementedError() + + def set(self, key, value): + raise NotImplementedError() + + def delete(self, key): + raise NotImplementedError() + + def close(self): + pass + + +class DictCache(BaseCache): + + def __init__(self, init_dict=None): + self.lock = Lock() + self.data = init_dict or {} + + def get(self, key): + return self.data.get(key, None) + + def set(self, key, value): + with self.lock: + self.data.update({key: value}) + + def delete(self, key): + with self.lock: + if key in self.data: + self.data.pop(key) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/__init__.py new file mode 100644 index 0000000..0e1658f --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/__init__.py @@ -0,0 +1,2 @@ +from .file_cache import FileCache # noqa +from .redis_cache import RedisCache # noqa diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/file_cache.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/file_cache.py new file mode 100644 index 0000000..1ba0080 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/file_cache.py @@ -0,0 +1,146 @@ +import hashlib +import os +from textwrap import dedent + +from ..cache import BaseCache +from ..controller import CacheController + +try: + FileNotFoundError +except NameError: + # py2.X + FileNotFoundError = (IOError, OSError) + + +def _secure_open_write(filename, fmode): + # We only want to write to this file, so open it in write only mode + flags = os.O_WRONLY + + # os.O_CREAT | os.O_EXCL will fail if the file already exists, so we only + # will open *new* files. + # We specify this because we want to ensure that the mode we pass is the + # mode of the file. + flags |= os.O_CREAT | os.O_EXCL + + # Do not follow symlinks to prevent someone from making a symlink that + # we follow and insecurely open a cache file. + if hasattr(os, "O_NOFOLLOW"): + flags |= os.O_NOFOLLOW + + # On Windows we'll mark this file as binary + if hasattr(os, "O_BINARY"): + flags |= os.O_BINARY + + # Before we open our file, we want to delete any existing file that is + # there + try: + os.remove(filename) + except (IOError, OSError): + # The file must not exist already, so we can just skip ahead to opening + pass + + # Open our file, the use of os.O_CREAT | os.O_EXCL will ensure that if a + # race condition happens between the os.remove and this line, that an + # error will be raised. Because we utilize a lockfile this should only + # happen if someone is attempting to attack us. + fd = os.open(filename, flags, fmode) + try: + return os.fdopen(fd, "wb") + + except: + # An error occurred wrapping our FD in a file object + os.close(fd) + raise + + +class FileCache(BaseCache): + + def __init__( + self, + directory, + forever=False, + filemode=0o0600, + dirmode=0o0700, + use_dir_lock=None, + lock_class=None, + ): + + if use_dir_lock is not None and lock_class is not None: + raise ValueError("Cannot use use_dir_lock and lock_class together") + + try: + from pip._vendor.lockfile import LockFile + from pip._vendor.lockfile.mkdirlockfile import MkdirLockFile + except ImportError: + notice = dedent( + """ + NOTE: In order to use the FileCache you must have + lockfile installed. You can install it via pip: + pip install lockfile + """ + ) + raise ImportError(notice) + + else: + if use_dir_lock: + lock_class = MkdirLockFile + + elif lock_class is None: + lock_class = LockFile + + self.directory = directory + self.forever = forever + self.filemode = filemode + self.dirmode = dirmode + self.lock_class = lock_class + + @staticmethod + def encode(x): + return hashlib.sha224(x.encode()).hexdigest() + + def _fn(self, name): + # NOTE: This method should not change as some may depend on it. + # See: https://github.com/ionrock/cachecontrol/issues/63 + hashed = self.encode(name) + parts = list(hashed[:5]) + [hashed] + return os.path.join(self.directory, *parts) + + def get(self, key): + name = self._fn(key) + try: + with open(name, "rb") as fh: + return fh.read() + + except FileNotFoundError: + return None + + def set(self, key, value): + name = self._fn(key) + + # Make sure the directory exists + try: + os.makedirs(os.path.dirname(name), self.dirmode) + except (IOError, OSError): + pass + + with self.lock_class(name) as lock: + # Write our actual file + with _secure_open_write(lock.path, self.filemode) as fh: + fh.write(value) + + def delete(self, key): + name = self._fn(key) + if not self.forever: + try: + os.remove(name) + except FileNotFoundError: + pass + + +def url_to_file_path(url, filecache): + """Return the file cache path based on the URL. + + This does not ensure the file exists! + """ + key = CacheController.cache_url(url) + return filecache._fn(key) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/redis_cache.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/redis_cache.py new file mode 100644 index 0000000..ed705ce --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/redis_cache.py @@ -0,0 +1,33 @@ +from __future__ import division + +from datetime import datetime +from pip._vendor.cachecontrol.cache import BaseCache + + +class RedisCache(BaseCache): + + def __init__(self, conn): + self.conn = conn + + def get(self, key): + return self.conn.get(key) + + def set(self, key, value, expires=None): + if not expires: + self.conn.set(key, value) + else: + expires = expires - datetime.utcnow() + self.conn.setex(key, int(expires.total_seconds()), value) + + def delete(self, key): + self.conn.delete(key) + + def clear(self): + """Helper for clearing all the keys in a database. Use with + caution!""" + for key in self.conn.keys(): + self.conn.delete(key) + + def close(self): + """Redis uses connection pooling, no need to close the connection.""" + pass diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/compat.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/compat.py new file mode 100644 index 0000000..33b5aed --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/compat.py @@ -0,0 +1,29 @@ +try: + from urllib.parse import urljoin +except ImportError: + from urlparse import urljoin + + +try: + import cPickle as pickle +except ImportError: + import pickle + + +# Handle the case where the requests module has been patched to not have +# urllib3 bundled as part of its source. +try: + from pip._vendor.requests.packages.urllib3.response import HTTPResponse +except ImportError: + from pip._vendor.urllib3.response import HTTPResponse + +try: + from pip._vendor.requests.packages.urllib3.util import is_fp_closed +except ImportError: + from pip._vendor.urllib3.util import is_fp_closed + +# Replicate some six behaviour +try: + text_type = unicode +except NameError: + text_type = str diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/controller.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/controller.py new file mode 100644 index 0000000..1b2b943 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/controller.py @@ -0,0 +1,367 @@ +""" +The httplib2 algorithms ported for use with requests. +""" +import logging +import re +import calendar +import time +from email.utils import parsedate_tz + +from pip._vendor.requests.structures import CaseInsensitiveDict + +from .cache import DictCache +from .serialize import Serializer + + +logger = logging.getLogger(__name__) + +URI = re.compile(r"^(([^:/?#]+):)?(//([^/?#]*))?([^?#]*)(\?([^#]*))?(#(.*))?") + + +def parse_uri(uri): + """Parses a URI using the regex given in Appendix B of RFC 3986. + + (scheme, authority, path, query, fragment) = parse_uri(uri) + """ + groups = URI.match(uri).groups() + return (groups[1], groups[3], groups[4], groups[6], groups[8]) + + +class CacheController(object): + """An interface to see if request should cached or not. + """ + + def __init__( + self, cache=None, cache_etags=True, serializer=None, status_codes=None + ): + self.cache = cache or DictCache() + self.cache_etags = cache_etags + self.serializer = serializer or Serializer() + self.cacheable_status_codes = status_codes or (200, 203, 300, 301) + + @classmethod + def _urlnorm(cls, uri): + """Normalize the URL to create a safe key for the cache""" + (scheme, authority, path, query, fragment) = parse_uri(uri) + if not scheme or not authority: + raise Exception("Only absolute URIs are allowed. uri = %s" % uri) + + scheme = scheme.lower() + authority = authority.lower() + + if not path: + path = "/" + + # Could do syntax based normalization of the URI before + # computing the digest. See Section 6.2.2 of Std 66. + request_uri = query and "?".join([path, query]) or path + defrag_uri = scheme + "://" + authority + request_uri + + return defrag_uri + + @classmethod + def cache_url(cls, uri): + return cls._urlnorm(uri) + + def parse_cache_control(self, headers): + known_directives = { + # https://tools.ietf.org/html/rfc7234#section-5.2 + "max-age": (int, True), + "max-stale": (int, False), + "min-fresh": (int, True), + "no-cache": (None, False), + "no-store": (None, False), + "no-transform": (None, False), + "only-if-cached": (None, False), + "must-revalidate": (None, False), + "public": (None, False), + "private": (None, False), + "proxy-revalidate": (None, False), + "s-maxage": (int, True), + } + + cc_headers = headers.get("cache-control", headers.get("Cache-Control", "")) + + retval = {} + + for cc_directive in cc_headers.split(","): + if not cc_directive.strip(): + continue + + parts = cc_directive.split("=", 1) + directive = parts[0].strip() + + try: + typ, required = known_directives[directive] + except KeyError: + logger.debug("Ignoring unknown cache-control directive: %s", directive) + continue + + if not typ or not required: + retval[directive] = None + if typ: + try: + retval[directive] = typ(parts[1].strip()) + except IndexError: + if required: + logger.debug( + "Missing value for cache-control " "directive: %s", + directive, + ) + except ValueError: + logger.debug( + "Invalid value for cache-control directive " "%s, must be %s", + directive, + typ.__name__, + ) + + return retval + + def cached_request(self, request): + """ + Return a cached response if it exists in the cache, otherwise + return False. + """ + cache_url = self.cache_url(request.url) + logger.debug('Looking up "%s" in the cache', cache_url) + cc = self.parse_cache_control(request.headers) + + # Bail out if the request insists on fresh data + if "no-cache" in cc: + logger.debug('Request header has "no-cache", cache bypassed') + return False + + if "max-age" in cc and cc["max-age"] == 0: + logger.debug('Request header has "max_age" as 0, cache bypassed') + return False + + # Request allows serving from the cache, let's see if we find something + cache_data = self.cache.get(cache_url) + if cache_data is None: + logger.debug("No cache entry available") + return False + + # Check whether it can be deserialized + resp = self.serializer.loads(request, cache_data) + if not resp: + logger.warning("Cache entry deserialization failed, entry ignored") + return False + + # If we have a cached 301, return it immediately. We don't + # need to test our response for other headers b/c it is + # intrinsically "cacheable" as it is Permanent. + # See: + # https://tools.ietf.org/html/rfc7231#section-6.4.2 + # + # Client can try to refresh the value by repeating the request + # with cache busting headers as usual (ie no-cache). + if resp.status == 301: + msg = ( + 'Returning cached "301 Moved Permanently" response ' + "(ignoring date and etag information)" + ) + logger.debug(msg) + return resp + + headers = CaseInsensitiveDict(resp.headers) + if not headers or "date" not in headers: + if "etag" not in headers: + # Without date or etag, the cached response can never be used + # and should be deleted. + logger.debug("Purging cached response: no date or etag") + self.cache.delete(cache_url) + logger.debug("Ignoring cached response: no date") + return False + + now = time.time() + date = calendar.timegm(parsedate_tz(headers["date"])) + current_age = max(0, now - date) + logger.debug("Current age based on date: %i", current_age) + + # TODO: There is an assumption that the result will be a + # urllib3 response object. This may not be best since we + # could probably avoid instantiating or constructing the + # response until we know we need it. + resp_cc = self.parse_cache_control(headers) + + # determine freshness + freshness_lifetime = 0 + + # Check the max-age pragma in the cache control header + if "max-age" in resp_cc: + freshness_lifetime = resp_cc["max-age"] + logger.debug("Freshness lifetime from max-age: %i", freshness_lifetime) + + # If there isn't a max-age, check for an expires header + elif "expires" in headers: + expires = parsedate_tz(headers["expires"]) + if expires is not None: + expire_time = calendar.timegm(expires) - date + freshness_lifetime = max(0, expire_time) + logger.debug("Freshness lifetime from expires: %i", freshness_lifetime) + + # Determine if we are setting freshness limit in the + # request. Note, this overrides what was in the response. + if "max-age" in cc: + freshness_lifetime = cc["max-age"] + logger.debug( + "Freshness lifetime from request max-age: %i", freshness_lifetime + ) + + if "min-fresh" in cc: + min_fresh = cc["min-fresh"] + # adjust our current age by our min fresh + current_age += min_fresh + logger.debug("Adjusted current age from min-fresh: %i", current_age) + + # Return entry if it is fresh enough + if freshness_lifetime > current_age: + logger.debug('The response is "fresh", returning cached response') + logger.debug("%i > %i", freshness_lifetime, current_age) + return resp + + # we're not fresh. If we don't have an Etag, clear it out + if "etag" not in headers: + logger.debug('The cached response is "stale" with no etag, purging') + self.cache.delete(cache_url) + + # return the original handler + return False + + def conditional_headers(self, request): + cache_url = self.cache_url(request.url) + resp = self.serializer.loads(request, self.cache.get(cache_url)) + new_headers = {} + + if resp: + headers = CaseInsensitiveDict(resp.headers) + + if "etag" in headers: + new_headers["If-None-Match"] = headers["ETag"] + + if "last-modified" in headers: + new_headers["If-Modified-Since"] = headers["Last-Modified"] + + return new_headers + + def cache_response(self, request, response, body=None, status_codes=None): + """ + Algorithm for caching requests. + + This assumes a requests Response object. + """ + # From httplib2: Don't cache 206's since we aren't going to + # handle byte range requests + cacheable_status_codes = status_codes or self.cacheable_status_codes + if response.status not in cacheable_status_codes: + logger.debug( + "Status code %s not in %s", response.status, cacheable_status_codes + ) + return + + response_headers = CaseInsensitiveDict(response.headers) + + # If we've been given a body, our response has a Content-Length, that + # Content-Length is valid then we can check to see if the body we've + # been given matches the expected size, and if it doesn't we'll just + # skip trying to cache it. + if ( + body is not None + and "content-length" in response_headers + and response_headers["content-length"].isdigit() + and int(response_headers["content-length"]) != len(body) + ): + return + + cc_req = self.parse_cache_control(request.headers) + cc = self.parse_cache_control(response_headers) + + cache_url = self.cache_url(request.url) + logger.debug('Updating cache with response from "%s"', cache_url) + + # Delete it from the cache if we happen to have it stored there + no_store = False + if "no-store" in cc: + no_store = True + logger.debug('Response header has "no-store"') + if "no-store" in cc_req: + no_store = True + logger.debug('Request header has "no-store"') + if no_store and self.cache.get(cache_url): + logger.debug('Purging existing cache entry to honor "no-store"') + self.cache.delete(cache_url) + if no_store: + return + + # If we've been given an etag, then keep the response + if self.cache_etags and "etag" in response_headers: + logger.debug("Caching due to etag") + self.cache.set( + cache_url, self.serializer.dumps(request, response, body=body) + ) + + # Add to the cache any 301s. We do this before looking that + # the Date headers. + elif response.status == 301: + logger.debug("Caching permanant redirect") + self.cache.set(cache_url, self.serializer.dumps(request, response)) + + # Add to the cache if the response headers demand it. If there + # is no date header then we can't do anything about expiring + # the cache. + elif "date" in response_headers: + # cache when there is a max-age > 0 + if "max-age" in cc and cc["max-age"] > 0: + logger.debug("Caching b/c date exists and max-age > 0") + self.cache.set( + cache_url, self.serializer.dumps(request, response, body=body) + ) + + # If the request can expire, it means we should cache it + # in the meantime. + elif "expires" in response_headers: + if response_headers["expires"]: + logger.debug("Caching b/c of expires header") + self.cache.set( + cache_url, self.serializer.dumps(request, response, body=body) + ) + + def update_cached_response(self, request, response): + """On a 304 we will get a new set of headers that we want to + update our cached value with, assuming we have one. + + This should only ever be called when we've sent an ETag and + gotten a 304 as the response. + """ + cache_url = self.cache_url(request.url) + + cached_response = self.serializer.loads(request, self.cache.get(cache_url)) + + if not cached_response: + # we didn't have a cached response + return response + + # Lets update our headers with the headers from the new request: + # http://tools.ietf.org/html/draft-ietf-httpbis-p4-conditional-26#section-4.1 + # + # The server isn't supposed to send headers that would make + # the cached body invalid. But... just in case, we'll be sure + # to strip out ones we know that might be problmatic due to + # typical assumptions. + excluded_headers = ["content-length"] + + cached_response.headers.update( + dict( + (k, v) + for k, v in response.headers.items() + if k.lower() not in excluded_headers + ) + ) + + # we want a 200 b/c we have content via the cache + cached_response.status = 200 + + # update our cache + self.cache.set(cache_url, self.serializer.dumps(request, cached_response)) + + return cached_response diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/filewrapper.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/filewrapper.py new file mode 100644 index 0000000..30ed4c5 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/filewrapper.py @@ -0,0 +1,80 @@ +from io import BytesIO + + +class CallbackFileWrapper(object): + """ + Small wrapper around a fp object which will tee everything read into a + buffer, and when that file is closed it will execute a callback with the + contents of that buffer. + + All attributes are proxied to the underlying file object. + + This class uses members with a double underscore (__) leading prefix so as + not to accidentally shadow an attribute. + """ + + def __init__(self, fp, callback): + self.__buf = BytesIO() + self.__fp = fp + self.__callback = callback + + def __getattr__(self, name): + # The vaguaries of garbage collection means that self.__fp is + # not always set. By using __getattribute__ and the private + # name[0] allows looking up the attribute value and raising an + # AttributeError when it doesn't exist. This stop thigns from + # infinitely recursing calls to getattr in the case where + # self.__fp hasn't been set. + # + # [0] https://docs.python.org/2/reference/expressions.html#atom-identifiers + fp = self.__getattribute__("_CallbackFileWrapper__fp") + return getattr(fp, name) + + def __is_fp_closed(self): + try: + return self.__fp.fp is None + + except AttributeError: + pass + + try: + return self.__fp.closed + + except AttributeError: + pass + + # We just don't cache it then. + # TODO: Add some logging here... + return False + + def _close(self): + if self.__callback: + self.__callback(self.__buf.getvalue()) + + # We assign this to None here, because otherwise we can get into + # really tricky problems where the CPython interpreter dead locks + # because the callback is holding a reference to something which + # has a __del__ method. Setting this to None breaks the cycle + # and allows the garbage collector to do it's thing normally. + self.__callback = None + + def read(self, amt=None): + data = self.__fp.read(amt) + self.__buf.write(data) + if self.__is_fp_closed(): + self._close() + + return data + + def _safe_read(self, amt): + data = self.__fp._safe_read(amt) + if amt == 2 and data == b"\r\n": + # urllib executes this read to toss the CRLF at the end + # of the chunk. + return data + + self.__buf.write(data) + if self.__is_fp_closed(): + self._close() + + return data diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/heuristics.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/heuristics.py new file mode 100644 index 0000000..6c0e979 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/heuristics.py @@ -0,0 +1,135 @@ +import calendar +import time + +from email.utils import formatdate, parsedate, parsedate_tz + +from datetime import datetime, timedelta + +TIME_FMT = "%a, %d %b %Y %H:%M:%S GMT" + + +def expire_after(delta, date=None): + date = date or datetime.utcnow() + return date + delta + + +def datetime_to_header(dt): + return formatdate(calendar.timegm(dt.timetuple())) + + +class BaseHeuristic(object): + + def warning(self, response): + """ + Return a valid 1xx warning header value describing the cache + adjustments. + + The response is provided too allow warnings like 113 + http://tools.ietf.org/html/rfc7234#section-5.5.4 where we need + to explicitly say response is over 24 hours old. + """ + return '110 - "Response is Stale"' + + def update_headers(self, response): + """Update the response headers with any new headers. + + NOTE: This SHOULD always include some Warning header to + signify that the response was cached by the client, not + by way of the provided headers. + """ + return {} + + def apply(self, response): + updated_headers = self.update_headers(response) + + if updated_headers: + response.headers.update(updated_headers) + warning_header_value = self.warning(response) + if warning_header_value is not None: + response.headers.update({"Warning": warning_header_value}) + + return response + + +class OneDayCache(BaseHeuristic): + """ + Cache the response by providing an expires 1 day in the + future. + """ + + def update_headers(self, response): + headers = {} + + if "expires" not in response.headers: + date = parsedate(response.headers["date"]) + expires = expire_after(timedelta(days=1), date=datetime(*date[:6])) + headers["expires"] = datetime_to_header(expires) + headers["cache-control"] = "public" + return headers + + +class ExpiresAfter(BaseHeuristic): + """ + Cache **all** requests for a defined time period. + """ + + def __init__(self, **kw): + self.delta = timedelta(**kw) + + def update_headers(self, response): + expires = expire_after(self.delta) + return {"expires": datetime_to_header(expires), "cache-control": "public"} + + def warning(self, response): + tmpl = "110 - Automatically cached for %s. Response might be stale" + return tmpl % self.delta + + +class LastModified(BaseHeuristic): + """ + If there is no Expires header already, fall back on Last-Modified + using the heuristic from + http://tools.ietf.org/html/rfc7234#section-4.2.2 + to calculate a reasonable value. + + Firefox also does something like this per + https://developer.mozilla.org/en-US/docs/Web/HTTP/Caching_FAQ + http://lxr.mozilla.org/mozilla-release/source/netwerk/protocol/http/nsHttpResponseHead.cpp#397 + Unlike mozilla we limit this to 24-hr. + """ + cacheable_by_default_statuses = { + 200, 203, 204, 206, 300, 301, 404, 405, 410, 414, 501 + } + + def update_headers(self, resp): + headers = resp.headers + + if "expires" in headers: + return {} + + if "cache-control" in headers and headers["cache-control"] != "public": + return {} + + if resp.status not in self.cacheable_by_default_statuses: + return {} + + if "date" not in headers or "last-modified" not in headers: + return {} + + date = calendar.timegm(parsedate_tz(headers["date"])) + last_modified = parsedate(headers["last-modified"]) + if date is None or last_modified is None: + return {} + + now = time.time() + current_age = max(0, now - date) + delta = date - calendar.timegm(last_modified) + freshness_lifetime = max(0, min(delta / 10, 24 * 3600)) + if freshness_lifetime <= current_age: + return {} + + expires = date + freshness_lifetime + return {"expires": time.strftime(TIME_FMT, time.gmtime(expires))} + + def warning(self, resp): + return None diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/serialize.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/serialize.py new file mode 100644 index 0000000..ec43ff2 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/serialize.py @@ -0,0 +1,186 @@ +import base64 +import io +import json +import zlib + +from pip._vendor import msgpack +from pip._vendor.requests.structures import CaseInsensitiveDict + +from .compat import HTTPResponse, pickle, text_type + + +def _b64_decode_bytes(b): + return base64.b64decode(b.encode("ascii")) + + +def _b64_decode_str(s): + return _b64_decode_bytes(s).decode("utf8") + + +class Serializer(object): + + def dumps(self, request, response, body=None): + response_headers = CaseInsensitiveDict(response.headers) + + if body is None: + body = response.read(decode_content=False) + + # NOTE: 99% sure this is dead code. I'm only leaving it + # here b/c I don't have a test yet to prove + # it. Basically, before using + # `cachecontrol.filewrapper.CallbackFileWrapper`, + # this made an effort to reset the file handle. The + # `CallbackFileWrapper` short circuits this code by + # setting the body as the content is consumed, the + # result being a `body` argument is *always* passed + # into cache_response, and in turn, + # `Serializer.dump`. + response._fp = io.BytesIO(body) + + # NOTE: This is all a bit weird, but it's really important that on + # Python 2.x these objects are unicode and not str, even when + # they contain only ascii. The problem here is that msgpack + # understands the difference between unicode and bytes and we + # have it set to differentiate between them, however Python 2 + # doesn't know the difference. Forcing these to unicode will be + # enough to have msgpack know the difference. + data = { + u"response": { + u"body": body, + u"headers": dict( + (text_type(k), text_type(v)) for k, v in response.headers.items() + ), + u"status": response.status, + u"version": response.version, + u"reason": text_type(response.reason), + u"strict": response.strict, + u"decode_content": response.decode_content, + } + } + + # Construct our vary headers + data[u"vary"] = {} + if u"vary" in response_headers: + varied_headers = response_headers[u"vary"].split(",") + for header in varied_headers: + header = text_type(header).strip() + header_value = request.headers.get(header, None) + if header_value is not None: + header_value = text_type(header_value) + data[u"vary"][header] = header_value + + return b",".join([b"cc=4", msgpack.dumps(data, use_bin_type=True)]) + + def loads(self, request, data): + # Short circuit if we've been given an empty set of data + if not data: + return + + # Determine what version of the serializer the data was serialized + # with + try: + ver, data = data.split(b",", 1) + except ValueError: + ver = b"cc=0" + + # Make sure that our "ver" is actually a version and isn't a false + # positive from a , being in the data stream. + if ver[:3] != b"cc=": + data = ver + data + ver = b"cc=0" + + # Get the version number out of the cc=N + ver = ver.split(b"=", 1)[-1].decode("ascii") + + # Dispatch to the actual load method for the given version + try: + return getattr(self, "_loads_v{}".format(ver))(request, data) + + except AttributeError: + # This is a version we don't have a loads function for, so we'll + # just treat it as a miss and return None + return + + def prepare_response(self, request, cached): + """Verify our vary headers match and construct a real urllib3 + HTTPResponse object. + """ + # Special case the '*' Vary value as it means we cannot actually + # determine if the cached response is suitable for this request. + if "*" in cached.get("vary", {}): + return + + # Ensure that the Vary headers for the cached response match our + # request + for header, value in cached.get("vary", {}).items(): + if request.headers.get(header, None) != value: + return + + body_raw = cached["response"].pop("body") + + headers = CaseInsensitiveDict(data=cached["response"]["headers"]) + if headers.get("transfer-encoding", "") == "chunked": + headers.pop("transfer-encoding") + + cached["response"]["headers"] = headers + + try: + body = io.BytesIO(body_raw) + except TypeError: + # This can happen if cachecontrol serialized to v1 format (pickle) + # using Python 2. A Python 2 str(byte string) will be unpickled as + # a Python 3 str (unicode string), which will cause the above to + # fail with: + # + # TypeError: 'str' does not support the buffer interface + body = io.BytesIO(body_raw.encode("utf8")) + + return HTTPResponse(body=body, preload_content=False, **cached["response"]) + + def _loads_v0(self, request, data): + # The original legacy cache data. This doesn't contain enough + # information to construct everything we need, so we'll treat this as + # a miss. + return + + def _loads_v1(self, request, data): + try: + cached = pickle.loads(data) + except ValueError: + return + + return self.prepare_response(request, cached) + + def _loads_v2(self, request, data): + try: + cached = json.loads(zlib.decompress(data).decode("utf8")) + except (ValueError, zlib.error): + return + + # We need to decode the items that we've base64 encoded + cached["response"]["body"] = _b64_decode_bytes(cached["response"]["body"]) + cached["response"]["headers"] = dict( + (_b64_decode_str(k), _b64_decode_str(v)) + for k, v in cached["response"]["headers"].items() + ) + cached["response"]["reason"] = _b64_decode_str(cached["response"]["reason"]) + cached["vary"] = dict( + (_b64_decode_str(k), _b64_decode_str(v) if v is not None else v) + for k, v in cached["vary"].items() + ) + + return self.prepare_response(request, cached) + + def _loads_v3(self, request, data): + # Due to Python 2 encoding issues, it's impossible to know for sure + # exactly how to load v3 entries, thus we'll treat these as a miss so + # that they get rewritten out as v4 entries. + return + + def _loads_v4(self, request, data): + try: + cached = msgpack.loads(data, encoding="utf-8") + except ValueError: + return + + return self.prepare_response(request, cached) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/wrapper.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/wrapper.py new file mode 100644 index 0000000..265bfc8 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/wrapper.py @@ -0,0 +1,29 @@ +from .adapter import CacheControlAdapter +from .cache import DictCache + + +def CacheControl( + sess, + cache=None, + cache_etags=True, + serializer=None, + heuristic=None, + controller_class=None, + adapter_class=None, + cacheable_methods=None, +): + + cache = cache or DictCache() + adapter_class = adapter_class or CacheControlAdapter + adapter = adapter_class( + cache, + cache_etags=cache_etags, + serializer=serializer, + heuristic=heuristic, + controller_class=controller_class, + cacheable_methods=cacheable_methods, + ) + sess.mount("http://", adapter) + sess.mount("https://", adapter) + + return sess diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__init__.py new file mode 100644 index 0000000..ef71f3a --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__init__.py @@ -0,0 +1,3 @@ +from .core import where + +__version__ = "2018.11.29" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__main__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__main__.py new file mode 100644 index 0000000..ae2aff5 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__main__.py @@ -0,0 +1,2 @@ +from pip._vendor.certifi import where +print(where()) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/cacert.pem b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/cacert.pem new file mode 100644 index 0000000..db68797 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/cacert.pem @@ -0,0 +1,4512 @@ + +# Issuer: CN=GlobalSign Root CA O=GlobalSign nv-sa OU=Root CA +# Subject: CN=GlobalSign Root CA O=GlobalSign nv-sa OU=Root CA +# Label: "GlobalSign Root CA" +# Serial: 4835703278459707669005204 +# MD5 Fingerprint: 3e:45:52:15:09:51:92:e1:b7:5d:37:9f:b1:87:29:8a +# SHA1 Fingerprint: b1:bc:96:8b:d4:f4:9d:62:2a:a8:9a:81:f2:15:01:52:a4:1d:82:9c +# SHA256 Fingerprint: eb:d4:10:40:e4:bb:3e:c7:42:c9:e3:81:d3:1e:f2:a4:1a:48:b6:68:5c:96:e7:ce:f3:c1:df:6c:d4:33:1c:99 +-----BEGIN CERTIFICATE----- +MIIDdTCCAl2gAwIBAgILBAAAAAABFUtaw5QwDQYJKoZIhvcNAQEFBQAwVzELMAkG +A1UEBhMCQkUxGTAXBgNVBAoTEEdsb2JhbFNpZ24gbnYtc2ExEDAOBgNVBAsTB1Jv +b3QgQ0ExGzAZBgNVBAMTEkdsb2JhbFNpZ24gUm9vdCBDQTAeFw05ODA5MDExMjAw +MDBaFw0yODAxMjgxMjAwMDBaMFcxCzAJBgNVBAYTAkJFMRkwFwYDVQQKExBHbG9i +YWxTaWduIG52LXNhMRAwDgYDVQQLEwdSb290IENBMRswGQYDVQQDExJHbG9iYWxT +aWduIFJvb3QgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDaDuaZ +jc6j40+Kfvvxi4Mla+pIH/EqsLmVEQS98GPR4mdmzxzdzxtIK+6NiY6arymAZavp +xy0Sy6scTHAHoT0KMM0VjU/43dSMUBUc71DuxC73/OlS8pF94G3VNTCOXkNz8kHp +1Wrjsok6Vjk4bwY8iGlbKk3Fp1S4bInMm/k8yuX9ifUSPJJ4ltbcdG6TRGHRjcdG +snUOhugZitVtbNV4FpWi6cgKOOvyJBNPc1STE4U6G7weNLWLBYy5d4ux2x8gkasJ +U26Qzns3dLlwR5EiUWMWea6xrkEmCMgZK9FGqkjWZCrXgzT/LCrBbBlDSgeF59N8 +9iFo7+ryUp9/k5DPAgMBAAGjQjBAMA4GA1UdDwEB/wQEAwIBBjAPBgNVHRMBAf8E +BTADAQH/MB0GA1UdDgQWBBRge2YaRQ2XyolQL30EzTSo//z9SzANBgkqhkiG9w0B +AQUFAAOCAQEA1nPnfE920I2/7LqivjTFKDK1fPxsnCwrvQmeU79rXqoRSLblCKOz +yj1hTdNGCbM+w6DjY1Ub8rrvrTnhQ7k4o+YviiY776BQVvnGCv04zcQLcFGUl5gE +38NflNUVyRRBnMRddWQVDf9VMOyGj/8N7yy5Y0b2qvzfvGn9LhJIZJrglfCm7ymP +AbEVtQwdpf5pLGkkeB6zpxxxYu7KyJesF12KwvhHhm4qxFYxldBniYUr+WymXUad +DKqC5JlR3XC321Y9YeRq4VzW9v493kHMB65jUr9TU/Qr6cf9tveCX4XSQRjbgbME +HMUfpIBvFSDJ3gyICh3WZlXi/EjJKSZp4A== +-----END CERTIFICATE----- + +# Issuer: CN=GlobalSign O=GlobalSign OU=GlobalSign Root CA - R2 +# Subject: CN=GlobalSign O=GlobalSign OU=GlobalSign Root CA - R2 +# Label: "GlobalSign Root CA - R2" +# Serial: 4835703278459682885658125 +# MD5 Fingerprint: 94:14:77:7e:3e:5e:fd:8f:30:bd:41:b0:cf:e7:d0:30 +# SHA1 Fingerprint: 75:e0:ab:b6:13:85:12:27:1c:04:f8:5f:dd:de:38:e4:b7:24:2e:fe +# SHA256 Fingerprint: ca:42:dd:41:74:5f:d0:b8:1e:b9:02:36:2c:f9:d8:bf:71:9d:a1:bd:1b:1e:fc:94:6f:5b:4c:99:f4:2c:1b:9e +-----BEGIN CERTIFICATE----- +MIIDujCCAqKgAwIBAgILBAAAAAABD4Ym5g0wDQYJKoZIhvcNAQEFBQAwTDEgMB4G +A1UECxMXR2xvYmFsU2lnbiBSb290IENBIC0gUjIxEzARBgNVBAoTCkdsb2JhbFNp +Z24xEzARBgNVBAMTCkdsb2JhbFNpZ24wHhcNMDYxMjE1MDgwMDAwWhcNMjExMjE1 +MDgwMDAwWjBMMSAwHgYDVQQLExdHbG9iYWxTaWduIFJvb3QgQ0EgLSBSMjETMBEG +A1UEChMKR2xvYmFsU2lnbjETMBEGA1UEAxMKR2xvYmFsU2lnbjCCASIwDQYJKoZI +hvcNAQEBBQADggEPADCCAQoCggEBAKbPJA6+Lm8omUVCxKs+IVSbC9N/hHD6ErPL +v4dfxn+G07IwXNb9rfF73OX4YJYJkhD10FPe+3t+c4isUoh7SqbKSaZeqKeMWhG8 +eoLrvozps6yWJQeXSpkqBy+0Hne/ig+1AnwblrjFuTosvNYSuetZfeLQBoZfXklq +tTleiDTsvHgMCJiEbKjNS7SgfQx5TfC4LcshytVsW33hoCmEofnTlEnLJGKRILzd +C9XZzPnqJworc5HGnRusyMvo4KD0L5CLTfuwNhv2GXqF4G3yYROIXJ/gkwpRl4pa +zq+r1feqCapgvdzZX99yqWATXgAByUr6P6TqBwMhAo6CygPCm48CAwEAAaOBnDCB +mTAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQUm+IH +V2ccHsBqBt5ZtJot39wZhi4wNgYDVR0fBC8wLTAroCmgJ4YlaHR0cDovL2NybC5n +bG9iYWxzaWduLm5ldC9yb290LXIyLmNybDAfBgNVHSMEGDAWgBSb4gdXZxwewGoG +3lm0mi3f3BmGLjANBgkqhkiG9w0BAQUFAAOCAQEAmYFThxxol4aR7OBKuEQLq4Gs +J0/WwbgcQ3izDJr86iw8bmEbTUsp9Z8FHSbBuOmDAGJFtqkIk7mpM0sYmsL4h4hO +291xNBrBVNpGP+DTKqttVCL1OmLNIG+6KYnX3ZHu01yiPqFbQfXf5WRDLenVOavS +ot+3i9DAgBkcRcAtjOj4LaR0VknFBbVPFd5uRHg5h6h+u/N5GJG79G+dwfCMNYxd +AfvDbbnvRG15RjF+Cv6pgsH/76tuIMRQyV+dTZsXjAzlAcmgQWpzU/qlULRuJQ/7 +TBj0/VLZjmmx6BEP3ojY+x1J96relc8geMJgEtslQIxq/H5COEBkEveegeGTLg== +-----END CERTIFICATE----- + +# Issuer: CN=VeriSign Class 3 Public Primary Certification Authority - G3 O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 1999 VeriSign, Inc. - For authorized use only +# Subject: CN=VeriSign Class 3 Public Primary Certification Authority - G3 O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 1999 VeriSign, Inc. - For authorized use only +# Label: "Verisign Class 3 Public Primary Certification Authority - G3" +# Serial: 206684696279472310254277870180966723415 +# MD5 Fingerprint: cd:68:b6:a7:c7:c4:ce:75:e0:1d:4f:57:44:61:92:09 +# SHA1 Fingerprint: 13:2d:0d:45:53:4b:69:97:cd:b2:d5:c3:39:e2:55:76:60:9b:5c:c6 +# SHA256 Fingerprint: eb:04:cf:5e:b1:f3:9a:fa:76:2f:2b:b1:20:f2:96:cb:a5:20:c1:b9:7d:b1:58:95:65:b8:1c:b9:a1:7b:72:44 +-----BEGIN CERTIFICATE----- +MIIEGjCCAwICEQCbfgZJoz5iudXukEhxKe9XMA0GCSqGSIb3DQEBBQUAMIHKMQsw +CQYDVQQGEwJVUzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZl +cmlTaWduIFRydXN0IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWdu +LCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxRTBDBgNVBAMTPFZlcmlT +aWduIENsYXNzIDMgUHVibGljIFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3Jp +dHkgLSBHMzAeFw05OTEwMDEwMDAwMDBaFw0zNjA3MTYyMzU5NTlaMIHKMQswCQYD +VQQGEwJVUzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZlcmlT +aWduIFRydXN0IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWduLCBJ +bmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxRTBDBgNVBAMTPFZlcmlTaWdu +IENsYXNzIDMgUHVibGljIFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkg +LSBHMzCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAMu6nFL8eB8aHm8b +N3O9+MlrlBIwT/A2R/XQkQr1F8ilYcEWQE37imGQ5XYgwREGfassbqb1EUGO+i2t +KmFZpGcmTNDovFJbcCAEWNF6yaRpvIMXZK0Fi7zQWM6NjPXr8EJJC52XJ2cybuGu +kxUccLwgTS8Y3pKI6GyFVxEa6X7jJhFUokWWVYPKMIno3Nij7SqAP395ZVc+FSBm +CC+Vk7+qRy+oRpfwEuL+wgorUeZ25rdGt+INpsyow0xZVYnm6FNcHOqd8GIWC6fJ +Xwzw3sJ2zq/3avL6QaaiMxTJ5Xpj055iN9WFZZ4O5lMkdBteHRJTW8cs54NJOxWu +imi5V5cCAwEAATANBgkqhkiG9w0BAQUFAAOCAQEAERSWwauSCPc/L8my/uRan2Te +2yFPhpk0djZX3dAVL8WtfxUfN2JzPtTnX84XA9s1+ivbrmAJXx5fj267Cz3qWhMe +DGBvtcC1IyIuBwvLqXTLR7sdwdela8wv0kL9Sd2nic9TutoAWii/gt/4uhMdUIaC +/Y4wjylGsB49Ndo4YhYYSq3mtlFs3q9i6wHQHiT+eo8SGhJouPtmmRQURVyu565p +F4ErWjfJXir0xuKhXFSbplQAz/DxwceYMBo7Nhbbo27q/a2ywtrvAkcTisDxszGt +TxzhT5yvDwyd93gN2PQ1VoDat20Xj50egWTh/sVFuq1ruQp6Tk9LhO5L8X3dEQ== +-----END CERTIFICATE----- + +# Issuer: CN=Entrust.net Certification Authority (2048) O=Entrust.net OU=www.entrust.net/CPS_2048 incorp. by ref. (limits liab.)/(c) 1999 Entrust.net Limited +# Subject: CN=Entrust.net Certification Authority (2048) O=Entrust.net OU=www.entrust.net/CPS_2048 incorp. by ref. (limits liab.)/(c) 1999 Entrust.net Limited +# Label: "Entrust.net Premium 2048 Secure Server CA" +# Serial: 946069240 +# MD5 Fingerprint: ee:29:31:bc:32:7e:9a:e6:e8:b5:f7:51:b4:34:71:90 +# SHA1 Fingerprint: 50:30:06:09:1d:97:d4:f5:ae:39:f7:cb:e7:92:7d:7d:65:2d:34:31 +# SHA256 Fingerprint: 6d:c4:71:72:e0:1c:bc:b0:bf:62:58:0d:89:5f:e2:b8:ac:9a:d4:f8:73:80:1e:0c:10:b9:c8:37:d2:1e:b1:77 +-----BEGIN CERTIFICATE----- +MIIEKjCCAxKgAwIBAgIEOGPe+DANBgkqhkiG9w0BAQUFADCBtDEUMBIGA1UEChML +RW50cnVzdC5uZXQxQDA+BgNVBAsUN3d3dy5lbnRydXN0Lm5ldC9DUFNfMjA0OCBp +bmNvcnAuIGJ5IHJlZi4gKGxpbWl0cyBsaWFiLikxJTAjBgNVBAsTHChjKSAxOTk5 +IEVudHJ1c3QubmV0IExpbWl0ZWQxMzAxBgNVBAMTKkVudHJ1c3QubmV0IENlcnRp +ZmljYXRpb24gQXV0aG9yaXR5ICgyMDQ4KTAeFw05OTEyMjQxNzUwNTFaFw0yOTA3 +MjQxNDE1MTJaMIG0MRQwEgYDVQQKEwtFbnRydXN0Lm5ldDFAMD4GA1UECxQ3d3d3 +LmVudHJ1c3QubmV0L0NQU18yMDQ4IGluY29ycC4gYnkgcmVmLiAobGltaXRzIGxp +YWIuKTElMCMGA1UECxMcKGMpIDE5OTkgRW50cnVzdC5uZXQgTGltaXRlZDEzMDEG +A1UEAxMqRW50cnVzdC5uZXQgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkgKDIwNDgp +MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEArU1LqRKGsuqjIAcVFmQq +K0vRvwtKTY7tgHalZ7d4QMBzQshowNtTK91euHaYNZOLGp18EzoOH1u3Hs/lJBQe +sYGpjX24zGtLA/ECDNyrpUAkAH90lKGdCCmziAv1h3edVc3kw37XamSrhRSGlVuX +MlBvPci6Zgzj/L24ScF2iUkZ/cCovYmjZy/Gn7xxGWC4LeksyZB2ZnuU4q941mVT +XTzWnLLPKQP5L6RQstRIzgUyVYr9smRMDuSYB3Xbf9+5CFVghTAp+XtIpGmG4zU/ +HoZdenoVve8AjhUiVBcAkCaTvA5JaJG/+EfTnZVCwQ5N328mz8MYIWJmQ3DW1cAH +4QIDAQABo0IwQDAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB/zAdBgNV +HQ4EFgQUVeSB0RGAvtiJuQijMfmhJAkWuXAwDQYJKoZIhvcNAQEFBQADggEBADub +j1abMOdTmXx6eadNl9cZlZD7Bh/KM3xGY4+WZiT6QBshJ8rmcnPyT/4xmf3IDExo +U8aAghOY+rat2l098c5u9hURlIIM7j+VrxGrD9cv3h8Dj1csHsm7mhpElesYT6Yf +zX1XEC+bBAlahLVu2B064dae0Wx5XnkcFMXj0EyTO2U87d89vqbllRrDtRnDvV5b +u/8j72gZyxKTJ1wDLW8w0B62GqzeWvfRqqgnpv55gcR5mTNXuhKwqeBCbJPKVt7+ +bYQLCIt+jerXmCHG8+c8eS9enNFMFY3h7CI3zJpDC5fcgJCNs2ebb0gIFVbPv/Er +fF6adulZkMV8gzURZVE= +-----END CERTIFICATE----- + +# Issuer: CN=Baltimore CyberTrust Root O=Baltimore OU=CyberTrust +# Subject: CN=Baltimore CyberTrust Root O=Baltimore OU=CyberTrust +# Label: "Baltimore CyberTrust Root" +# Serial: 33554617 +# MD5 Fingerprint: ac:b6:94:a5:9c:17:e0:d7:91:52:9b:b1:97:06:a6:e4 +# SHA1 Fingerprint: d4:de:20:d0:5e:66:fc:53:fe:1a:50:88:2c:78:db:28:52:ca:e4:74 +# SHA256 Fingerprint: 16:af:57:a9:f6:76:b0:ab:12:60:95:aa:5e:ba:de:f2:2a:b3:11:19:d6:44:ac:95:cd:4b:93:db:f3:f2:6a:eb +-----BEGIN CERTIFICATE----- +MIIDdzCCAl+gAwIBAgIEAgAAuTANBgkqhkiG9w0BAQUFADBaMQswCQYDVQQGEwJJ +RTESMBAGA1UEChMJQmFsdGltb3JlMRMwEQYDVQQLEwpDeWJlclRydXN0MSIwIAYD +VQQDExlCYWx0aW1vcmUgQ3liZXJUcnVzdCBSb290MB4XDTAwMDUxMjE4NDYwMFoX +DTI1MDUxMjIzNTkwMFowWjELMAkGA1UEBhMCSUUxEjAQBgNVBAoTCUJhbHRpbW9y +ZTETMBEGA1UECxMKQ3liZXJUcnVzdDEiMCAGA1UEAxMZQmFsdGltb3JlIEN5YmVy +VHJ1c3QgUm9vdDCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAKMEuyKr +mD1X6CZymrV51Cni4eiVgLGw41uOKymaZN+hXe2wCQVt2yguzmKiYv60iNoS6zjr +IZ3AQSsBUnuId9Mcj8e6uYi1agnnc+gRQKfRzMpijS3ljwumUNKoUMMo6vWrJYeK +mpYcqWe4PwzV9/lSEy/CG9VwcPCPwBLKBsua4dnKM3p31vjsufFoREJIE9LAwqSu +XmD+tqYF/LTdB1kC1FkYmGP1pWPgkAx9XbIGevOF6uvUA65ehD5f/xXtabz5OTZy +dc93Uk3zyZAsuT3lySNTPx8kmCFcB5kpvcY67Oduhjprl3RjM71oGDHweI12v/ye +jl0qhqdNkNwnGjkCAwEAAaNFMEMwHQYDVR0OBBYEFOWdWTCCR1jMrPoIVDaGezq1 +BE3wMBIGA1UdEwEB/wQIMAYBAf8CAQMwDgYDVR0PAQH/BAQDAgEGMA0GCSqGSIb3 +DQEBBQUAA4IBAQCFDF2O5G9RaEIFoN27TyclhAO992T9Ldcw46QQF+vaKSm2eT92 +9hkTI7gQCvlYpNRhcL0EYWoSihfVCr3FvDB81ukMJY2GQE/szKN+OMY3EU/t3Wgx +jkzSswF07r51XgdIGn9w/xZchMB5hbgF/X++ZRGjD8ACtPhSNzkE1akxehi/oCr0 +Epn3o0WC4zxe9Z2etciefC7IpJ5OCBRLbf1wbWsaY71k5h+3zvDyny67G7fyUIhz +ksLi4xaNmjICq44Y3ekQEe5+NauQrz4wlHrQMz2nZQ/1/I6eYs9HRCwBXbsdtTLS +R9I4LtD+gdwyah617jzV/OeBHRnDJELqYzmp +-----END CERTIFICATE----- + +# Issuer: CN=AddTrust External CA Root O=AddTrust AB OU=AddTrust External TTP Network +# Subject: CN=AddTrust External CA Root O=AddTrust AB OU=AddTrust External TTP Network +# Label: "AddTrust External Root" +# Serial: 1 +# MD5 Fingerprint: 1d:35:54:04:85:78:b0:3f:42:42:4d:bf:20:73:0a:3f +# SHA1 Fingerprint: 02:fa:f3:e2:91:43:54:68:60:78:57:69:4d:f5:e4:5b:68:85:18:68 +# SHA256 Fingerprint: 68:7f:a4:51:38:22:78:ff:f0:c8:b1:1f:8d:43:d5:76:67:1c:6e:b2:bc:ea:b4:13:fb:83:d9:65:d0:6d:2f:f2 +-----BEGIN CERTIFICATE----- +MIIENjCCAx6gAwIBAgIBATANBgkqhkiG9w0BAQUFADBvMQswCQYDVQQGEwJTRTEU +MBIGA1UEChMLQWRkVHJ1c3QgQUIxJjAkBgNVBAsTHUFkZFRydXN0IEV4dGVybmFs +IFRUUCBOZXR3b3JrMSIwIAYDVQQDExlBZGRUcnVzdCBFeHRlcm5hbCBDQSBSb290 +MB4XDTAwMDUzMDEwNDgzOFoXDTIwMDUzMDEwNDgzOFowbzELMAkGA1UEBhMCU0Ux +FDASBgNVBAoTC0FkZFRydXN0IEFCMSYwJAYDVQQLEx1BZGRUcnVzdCBFeHRlcm5h +bCBUVFAgTmV0d29yazEiMCAGA1UEAxMZQWRkVHJ1c3QgRXh0ZXJuYWwgQ0EgUm9v +dDCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBALf3GjPm8gAELTngTlvt +H7xsD821+iO2zt6bETOXpClMfZOfvUq8k+0DGuOPz+VtUFrWlymUWoCwSXrbLpX9 +uMq/NzgtHj6RQa1wVsfwTz/oMp50ysiQVOnGXw94nZpAPA6sYapeFI+eh6FqUNzX +mk6vBbOmcZSccbNQYArHE504B4YCqOmoaSYYkKtMsE8jqzpPhNjfzp/haW+710LX +a0Tkx63ubUFfclpxCDezeWWkWaCUN/cALw3CknLa0Dhy2xSoRcRdKn23tNbE7qzN +E0S3ySvdQwAl+mG5aWpYIxG3pzOPVnVZ9c0p10a3CitlttNCbxWyuHv77+ldU9U0 +WicCAwEAAaOB3DCB2TAdBgNVHQ4EFgQUrb2YejS0Jvf6xCZU7wO94CTLVBowCwYD +VR0PBAQDAgEGMA8GA1UdEwEB/wQFMAMBAf8wgZkGA1UdIwSBkTCBjoAUrb2YejS0 +Jvf6xCZU7wO94CTLVBqhc6RxMG8xCzAJBgNVBAYTAlNFMRQwEgYDVQQKEwtBZGRU +cnVzdCBBQjEmMCQGA1UECxMdQWRkVHJ1c3QgRXh0ZXJuYWwgVFRQIE5ldHdvcmsx +IjAgBgNVBAMTGUFkZFRydXN0IEV4dGVybmFsIENBIFJvb3SCAQEwDQYJKoZIhvcN +AQEFBQADggEBALCb4IUlwtYj4g+WBpKdQZic2YR5gdkeWxQHIzZlj7DYd7usQWxH +YINRsPkyPef89iYTx4AWpb9a/IfPeHmJIZriTAcKhjW88t5RxNKWt9x+Tu5w/Rw5 +6wwCURQtjr0W4MHfRnXnJK3s9EK0hZNwEGe6nQY1ShjTK3rMUUKhemPR5ruhxSvC +Nr4TDea9Y355e6cJDUCrat2PisP29owaQgVR1EX1n6diIWgVIEM8med8vSTYqZEX +c4g/VhsxOBi0cQ+azcgOno4uG+GMmIPLHzHxREzGBHNJdmAPx/i9F4BrLunMTA5a +mnkPIAou1Z5jJh5VkpTYghdae9C8x49OhgQ= +-----END CERTIFICATE----- + +# Issuer: CN=Entrust Root Certification Authority O=Entrust, Inc. OU=www.entrust.net/CPS is incorporated by reference/(c) 2006 Entrust, Inc. +# Subject: CN=Entrust Root Certification Authority O=Entrust, Inc. OU=www.entrust.net/CPS is incorporated by reference/(c) 2006 Entrust, Inc. +# Label: "Entrust Root Certification Authority" +# Serial: 1164660820 +# MD5 Fingerprint: d6:a5:c3:ed:5d:dd:3e:00:c1:3d:87:92:1f:1d:3f:e4 +# SHA1 Fingerprint: b3:1e:b1:b7:40:e3:6c:84:02:da:dc:37:d4:4d:f5:d4:67:49:52:f9 +# SHA256 Fingerprint: 73:c1:76:43:4f:1b:c6:d5:ad:f4:5b:0e:76:e7:27:28:7c:8d:e5:76:16:c1:e6:e6:14:1a:2b:2c:bc:7d:8e:4c +-----BEGIN CERTIFICATE----- +MIIEkTCCA3mgAwIBAgIERWtQVDANBgkqhkiG9w0BAQUFADCBsDELMAkGA1UEBhMC +VVMxFjAUBgNVBAoTDUVudHJ1c3QsIEluYy4xOTA3BgNVBAsTMHd3dy5lbnRydXN0 +Lm5ldC9DUFMgaXMgaW5jb3Jwb3JhdGVkIGJ5IHJlZmVyZW5jZTEfMB0GA1UECxMW +KGMpIDIwMDYgRW50cnVzdCwgSW5jLjEtMCsGA1UEAxMkRW50cnVzdCBSb290IENl +cnRpZmljYXRpb24gQXV0aG9yaXR5MB4XDTA2MTEyNzIwMjM0MloXDTI2MTEyNzIw +NTM0MlowgbAxCzAJBgNVBAYTAlVTMRYwFAYDVQQKEw1FbnRydXN0LCBJbmMuMTkw +NwYDVQQLEzB3d3cuZW50cnVzdC5uZXQvQ1BTIGlzIGluY29ycG9yYXRlZCBieSBy +ZWZlcmVuY2UxHzAdBgNVBAsTFihjKSAyMDA2IEVudHJ1c3QsIEluYy4xLTArBgNV +BAMTJEVudHJ1c3QgUm9vdCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTCCASIwDQYJ +KoZIhvcNAQEBBQADggEPADCCAQoCggEBALaVtkNC+sZtKm9I35RMOVcF7sN5EUFo +Nu3s/poBj6E4KPz3EEZmLk0eGrEaTsbRwJWIsMn/MYszA9u3g3s+IIRe7bJWKKf4 +4LlAcTfFy0cOlypowCKVYhXbR9n10Cv/gkvJrT7eTNuQgFA/CYqEAOwwCj0Yzfv9 +KlmaI5UXLEWeH25DeW0MXJj+SKfFI0dcXv1u5x609mhF0YaDW6KKjbHjKYD+JXGI +rb68j6xSlkuqUY3kEzEZ6E5Nn9uss2rVvDlUccp6en+Q3X0dgNmBu1kmwhH+5pPi +94DkZfs0Nw4pgHBNrziGLp5/V6+eF67rHMsoIV+2HNjnogQi+dPa2MsCAwEAAaOB +sDCBrTAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB/zArBgNVHRAEJDAi +gA8yMDA2MTEyNzIwMjM0MlqBDzIwMjYxMTI3MjA1MzQyWjAfBgNVHSMEGDAWgBRo +kORnpKZTgMeGZqTx90tD+4S9bTAdBgNVHQ4EFgQUaJDkZ6SmU4DHhmak8fdLQ/uE +vW0wHQYJKoZIhvZ9B0EABBAwDhsIVjcuMTo0LjADAgSQMA0GCSqGSIb3DQEBBQUA +A4IBAQCT1DCw1wMgKtD5Y+iRDAUgqV8ZyntyTtSx29CW+1RaGSwMCPeyvIWonX9t +O1KzKtvn1ISMY/YPyyYBkVBs9F8U4pN0wBOeMDpQ47RgxRzwIkSNcUesyBrJ6Zua +AGAT/3B+XxFNSRuzFVJ7yVTav52Vr2ua2J7p8eRDjeIRRDq/r72DQnNSi6q7pynP +9WQcCk3RvKqsnyrQ/39/2n3qse0wJcGE2jTSW3iDVuycNsMm4hH2Z0kdkquM++v/ +eu6FSqdQgPCnXEqULl8FmTxSQeDNtGPPAUO6nIPcj2A781q0tHuu2guQOHXvgR1m +0vdXcDazv/wor3ElhVsT/h5/WrQ8 +-----END CERTIFICATE----- + +# Issuer: CN=GeoTrust Global CA O=GeoTrust Inc. +# Subject: CN=GeoTrust Global CA O=GeoTrust Inc. +# Label: "GeoTrust Global CA" +# Serial: 144470 +# MD5 Fingerprint: f7:75:ab:29:fb:51:4e:b7:77:5e:ff:05:3c:99:8e:f5 +# SHA1 Fingerprint: de:28:f4:a4:ff:e5:b9:2f:a3:c5:03:d1:a3:49:a7:f9:96:2a:82:12 +# SHA256 Fingerprint: ff:85:6a:2d:25:1d:cd:88:d3:66:56:f4:50:12:67:98:cf:ab:aa:de:40:79:9c:72:2d:e4:d2:b5:db:36:a7:3a +-----BEGIN CERTIFICATE----- +MIIDVDCCAjygAwIBAgIDAjRWMA0GCSqGSIb3DQEBBQUAMEIxCzAJBgNVBAYTAlVT +MRYwFAYDVQQKEw1HZW9UcnVzdCBJbmMuMRswGQYDVQQDExJHZW9UcnVzdCBHbG9i +YWwgQ0EwHhcNMDIwNTIxMDQwMDAwWhcNMjIwNTIxMDQwMDAwWjBCMQswCQYDVQQG +EwJVUzEWMBQGA1UEChMNR2VvVHJ1c3QgSW5jLjEbMBkGA1UEAxMSR2VvVHJ1c3Qg +R2xvYmFsIENBMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA2swYYzD9 +9BcjGlZ+W988bDjkcbd4kdS8odhM+KhDtgPpTSEHCIjaWC9mOSm9BXiLnTjoBbdq +fnGk5sRgprDvgOSJKA+eJdbtg/OtppHHmMlCGDUUna2YRpIuT8rxh0PBFpVXLVDv +iS2Aelet8u5fa9IAjbkU+BQVNdnARqN7csiRv8lVK83Qlz6cJmTM386DGXHKTubU +1XupGc1V3sjs0l44U+VcT4wt/lAjNvxm5suOpDkZALeVAjmRCw7+OC7RHQWa9k0+ +bw8HHa8sHo9gOeL6NlMTOdReJivbPagUvTLrGAMoUgRx5aszPeE4uwc2hGKceeoW +MPRfwCvocWvk+QIDAQABo1MwUTAPBgNVHRMBAf8EBTADAQH/MB0GA1UdDgQWBBTA +ephojYn7qwVkDBF9qn1luMrMTjAfBgNVHSMEGDAWgBTAephojYn7qwVkDBF9qn1l +uMrMTjANBgkqhkiG9w0BAQUFAAOCAQEANeMpauUvXVSOKVCUn5kaFOSPeCpilKIn +Z57QzxpeR+nBsqTP3UEaBU6bS+5Kb1VSsyShNwrrZHYqLizz/Tt1kL/6cdjHPTfS +tQWVYrmm3ok9Nns4d0iXrKYgjy6myQzCsplFAMfOEVEiIuCl6rYVSAlk6l5PdPcF +PseKUgzbFbS9bZvlxrFUaKnjaZC2mqUPuLk/IH2uSrW4nOQdtqvmlKXBx4Ot2/Un +hw4EbNX/3aBd7YdStysVAq45pmp06drE57xNNB6pXE0zX5IJL4hmXXeXxx12E6nV +5fEWCRE11azbJHFwLJhWC9kXtNHjUStedejV0NxPNO3CBWaAocvmMw== +-----END CERTIFICATE----- + +# Issuer: CN=GeoTrust Universal CA O=GeoTrust Inc. +# Subject: CN=GeoTrust Universal CA O=GeoTrust Inc. +# Label: "GeoTrust Universal CA" +# Serial: 1 +# MD5 Fingerprint: 92:65:58:8b:a2:1a:31:72:73:68:5c:b4:a5:7a:07:48 +# SHA1 Fingerprint: e6:21:f3:35:43:79:05:9a:4b:68:30:9d:8a:2f:74:22:15:87:ec:79 +# SHA256 Fingerprint: a0:45:9b:9f:63:b2:25:59:f5:fa:5d:4c:6d:b3:f9:f7:2f:f1:93:42:03:35:78:f0:73:bf:1d:1b:46:cb:b9:12 +-----BEGIN CERTIFICATE----- +MIIFaDCCA1CgAwIBAgIBATANBgkqhkiG9w0BAQUFADBFMQswCQYDVQQGEwJVUzEW +MBQGA1UEChMNR2VvVHJ1c3QgSW5jLjEeMBwGA1UEAxMVR2VvVHJ1c3QgVW5pdmVy +c2FsIENBMB4XDTA0MDMwNDA1MDAwMFoXDTI5MDMwNDA1MDAwMFowRTELMAkGA1UE +BhMCVVMxFjAUBgNVBAoTDUdlb1RydXN0IEluYy4xHjAcBgNVBAMTFUdlb1RydXN0 +IFVuaXZlcnNhbCBDQTCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAKYV +VaCjxuAfjJ0hUNfBvitbtaSeodlyWL0AG0y/YckUHUWCq8YdgNY96xCcOq9tJPi8 +cQGeBvV8Xx7BDlXKg5pZMK4ZyzBIle0iN430SppyZj6tlcDgFgDgEB8rMQ7XlFTT +QjOgNB0eRXbdT8oYN+yFFXoZCPzVx5zw8qkuEKmS5j1YPakWaDwvdSEYfyh3peFh +F7em6fgemdtzbvQKoiFs7tqqhZJmr/Z6a4LauiIINQ/PQvE1+mrufislzDoR5G2v +c7J2Ha3QsnhnGqQ5HFELZ1aD/ThdDc7d8Lsrlh/eezJS/R27tQahsiFepdaVaH/w +mZ7cRQg+59IJDTWU3YBOU5fXtQlEIGQWFwMCTFMNaN7VqnJNk22CDtucvc+081xd +VHppCZbW2xHBjXWotM85yM48vCR85mLK4b19p71XZQvk/iXttmkQ3CgaRr0BHdCX +teGYO8A3ZNY9lO4L4fUorgtWv3GLIylBjobFS1J72HGrH4oVpjuDWtdYAVHGTEHZ +f9hBZ3KiKN9gg6meyHv8U3NyWfWTehd2Ds735VzZC1U0oqpbtWpU5xPKV+yXbfRe +Bi9Fi1jUIxaS5BZuKGNZMN9QAZxjiRqf2xeUgnA3wySemkfWWspOqGmJch+RbNt+ +nhutxx9z3SxPGWX9f5NAEC7S8O08ni4oPmkmM8V7AgMBAAGjYzBhMA8GA1UdEwEB +/wQFMAMBAf8wHQYDVR0OBBYEFNq7LqqwDLiIJlF0XG0D08DYj3rWMB8GA1UdIwQY +MBaAFNq7LqqwDLiIJlF0XG0D08DYj3rWMA4GA1UdDwEB/wQEAwIBhjANBgkqhkiG +9w0BAQUFAAOCAgEAMXjmx7XfuJRAyXHEqDXsRh3ChfMoWIawC/yOsjmPRFWrZIRc +aanQmjg8+uUfNeVE44B5lGiku8SfPeE0zTBGi1QrlaXv9z+ZhP015s8xxtxqv6fX +IwjhmF7DWgh2qaavdy+3YL1ERmrvl/9zlcGO6JP7/TG37FcREUWbMPEaiDnBTzyn +ANXH/KttgCJwpQzgXQQpAvvLoJHRfNbDflDVnVi+QTjruXU8FdmbyUqDWcDaU/0z +uzYYm4UPFd3uLax2k7nZAY1IEKj79TiG8dsKxr2EoyNB3tZ3b4XUhRxQ4K5RirqN +Pnbiucon8l+f725ZDQbYKxek0nxru18UGkiPGkzns0ccjkxFKyDuSN/n3QmOGKja +QI2SJhFTYXNd673nxE0pN2HrrDktZy4W1vUAg4WhzH92xH3kt0tm7wNFYGm2DFKW +koRepqO1pD4r2czYG0eq8kTaT/kD6PAUyz/zg97QwVTjt+gKN02LIFkDMBmhLMi9 +ER/frslKxfMnZmaGrGiR/9nmUxwPi1xpZQomyB40w11Re9epnAahNt3ViZS82eQt +DF4JbAiXfKM9fJP/P6EUp8+1Xevb2xzEdt+Iub1FBZUbrvxGakyvSOPOrg/Sfuvm +bJxPgWp6ZKy7PtXny3YuxadIwVyQD8vIP/rmMuGNG2+k5o7Y+SlIis5z/iw= +-----END CERTIFICATE----- + +# Issuer: CN=GeoTrust Universal CA 2 O=GeoTrust Inc. +# Subject: CN=GeoTrust Universal CA 2 O=GeoTrust Inc. +# Label: "GeoTrust Universal CA 2" +# Serial: 1 +# MD5 Fingerprint: 34:fc:b8:d0:36:db:9e:14:b3:c2:f2:db:8f:e4:94:c7 +# SHA1 Fingerprint: 37:9a:19:7b:41:85:45:35:0c:a6:03:69:f3:3c:2e:af:47:4f:20:79 +# SHA256 Fingerprint: a0:23:4f:3b:c8:52:7c:a5:62:8e:ec:81:ad:5d:69:89:5d:a5:68:0d:c9:1d:1c:b8:47:7f:33:f8:78:b9:5b:0b +-----BEGIN CERTIFICATE----- +MIIFbDCCA1SgAwIBAgIBATANBgkqhkiG9w0BAQUFADBHMQswCQYDVQQGEwJVUzEW +MBQGA1UEChMNR2VvVHJ1c3QgSW5jLjEgMB4GA1UEAxMXR2VvVHJ1c3QgVW5pdmVy +c2FsIENBIDIwHhcNMDQwMzA0MDUwMDAwWhcNMjkwMzA0MDUwMDAwWjBHMQswCQYD +VQQGEwJVUzEWMBQGA1UEChMNR2VvVHJ1c3QgSW5jLjEgMB4GA1UEAxMXR2VvVHJ1 +c3QgVW5pdmVyc2FsIENBIDIwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoIC +AQCzVFLByT7y2dyxUxpZKeexw0Uo5dfR7cXFS6GqdHtXr0om/Nj1XqduGdt0DE81 +WzILAePb63p3NeqqWuDW6KFXlPCQo3RWlEQwAx5cTiuFJnSCegx2oG9NzkEtoBUG +FF+3Qs17j1hhNNwqCPkuwwGmIkQcTAeC5lvO0Ep8BNMZcyfwqph/Lq9O64ceJHdq +XbboW0W63MOhBW9Wjo8QJqVJwy7XQYci4E+GymC16qFjwAGXEHm9ADwSbSsVsaxL +se4YuU6W3Nx2/zu+z18DwPw76L5GG//aQMJS9/7jOvdqdzXQ2o3rXhhqMcceujwb +KNZrVMaqW9eiLBsZzKIC9ptZvTdrhrVtgrrY6slWvKk2WP0+GfPtDCapkzj4T8Fd +IgbQl+rhrcZV4IErKIM6+vR7IVEAvlI4zs1meaj0gVbi0IMJR1FbUGrP20gaXT73 +y/Zl92zxlfgCOzJWgjl6W70viRu/obTo/3+NjN8D8WBOWBFM66M/ECuDmgFz2ZRt +hAAnZqzwcEAJQpKtT5MNYQlRJNiS1QuUYbKHsu3/mjX/hVTK7URDrBs8FmtISgoc +QIgfksILAAX/8sgCSqSqqcyZlpwvWOB94b67B9xfBHJcMTTD7F8t4D1kkCLm0ey4 +Lt1ZrtmhN79UNdxzMk+MBB4zsslG8dhcyFVQyWi9qLo2CQIDAQABo2MwYTAPBgNV +HRMBAf8EBTADAQH/MB0GA1UdDgQWBBR281Xh+qQ2+/CfXGJx7Tz0RzgQKzAfBgNV +HSMEGDAWgBR281Xh+qQ2+/CfXGJx7Tz0RzgQKzAOBgNVHQ8BAf8EBAMCAYYwDQYJ +KoZIhvcNAQEFBQADggIBAGbBxiPz2eAubl/oz66wsCVNK/g7WJtAJDday6sWSf+z +dXkzoS9tcBc0kf5nfo/sm+VegqlVHy/c1FEHEv6sFj4sNcZj/NwQ6w2jqtB8zNHQ +L1EuxBRa3ugZ4T7GzKQp5y6EqgYweHZUcyiYWTjgAA1i00J9IZ+uPTqM1fp3DRgr +Fg5fNuH8KrUwJM/gYwx7WBr+mbpCErGR9Hxo4sjoryzqyX6uuyo9DRXcNJW2GHSo +ag/HtPQTxORb7QrSpJdMKu0vbBKJPfEncKpqA1Ihn0CoZ1Dy81of398j9tx4TuaY +T1U6U+Pv8vSfx3zYWK8pIpe44L2RLrB27FcRz+8pRPPphXpgY+RdM4kX2TGq2tbz +GDVyz4crL2MjhF2EjD9XoIj8mZEoJmmZ1I+XRL6O1UixpCgp8RW04eWe3fiPpm8m +1wk8OhwRDqZsN/etRIcsKMfYdIKz0G9KV7s1KSegi+ghp4dkNl3M2Basx7InQJJV +OCiNUW7dFGdTbHFcJoRNdVq2fmBWqU2t+5sel/MN2dKXVHfaPRK34B7vCAas+YWH +6aLcr34YEoP9VhdBLtUpgn2Z9DH2canPLAEnpQW5qrJITirvn5NSUZU8UnOOVkwX +QMAJKOSLakhT2+zNVVXxxvjpoixMptEmX36vWkzaH6byHCx+rgIW0lbQL1dTR+iS +-----END CERTIFICATE----- + +# Issuer: CN=AAA Certificate Services O=Comodo CA Limited +# Subject: CN=AAA Certificate Services O=Comodo CA Limited +# Label: "Comodo AAA Services root" +# Serial: 1 +# MD5 Fingerprint: 49:79:04:b0:eb:87:19:ac:47:b0:bc:11:51:9b:74:d0 +# SHA1 Fingerprint: d1:eb:23:a4:6d:17:d6:8f:d9:25:64:c2:f1:f1:60:17:64:d8:e3:49 +# SHA256 Fingerprint: d7:a7:a0:fb:5d:7e:27:31:d7:71:e9:48:4e:bc:de:f7:1d:5f:0c:3e:0a:29:48:78:2b:c8:3e:e0:ea:69:9e:f4 +-----BEGIN CERTIFICATE----- +MIIEMjCCAxqgAwIBAgIBATANBgkqhkiG9w0BAQUFADB7MQswCQYDVQQGEwJHQjEb +MBkGA1UECAwSR3JlYXRlciBNYW5jaGVzdGVyMRAwDgYDVQQHDAdTYWxmb3JkMRow +GAYDVQQKDBFDb21vZG8gQ0EgTGltaXRlZDEhMB8GA1UEAwwYQUFBIENlcnRpZmlj +YXRlIFNlcnZpY2VzMB4XDTA0MDEwMTAwMDAwMFoXDTI4MTIzMTIzNTk1OVowezEL +MAkGA1UEBhMCR0IxGzAZBgNVBAgMEkdyZWF0ZXIgTWFuY2hlc3RlcjEQMA4GA1UE +BwwHU2FsZm9yZDEaMBgGA1UECgwRQ29tb2RvIENBIExpbWl0ZWQxITAfBgNVBAMM +GEFBQSBDZXJ0aWZpY2F0ZSBTZXJ2aWNlczCCASIwDQYJKoZIhvcNAQEBBQADggEP +ADCCAQoCggEBAL5AnfRu4ep2hxxNRUSOvkbIgwadwSr+GB+O5AL686tdUIoWMQua +BtDFcCLNSS1UY8y2bmhGC1Pqy0wkwLxyTurxFa70VJoSCsN6sjNg4tqJVfMiWPPe +3M/vg4aijJRPn2jymJBGhCfHdr/jzDUsi14HZGWCwEiwqJH5YZ92IFCokcdmtet4 +YgNW8IoaE+oxox6gmf049vYnMlhvB/VruPsUK6+3qszWY19zjNoFmag4qMsXeDZR +rOme9Hg6jc8P2ULimAyrL58OAd7vn5lJ8S3frHRNG5i1R8XlKdH5kBjHYpy+g8cm +ez6KJcfA3Z3mNWgQIJ2P2N7Sw4ScDV7oL8kCAwEAAaOBwDCBvTAdBgNVHQ4EFgQU +oBEKIz6W8Qfs4q8p74Klf9AwpLQwDgYDVR0PAQH/BAQDAgEGMA8GA1UdEwEB/wQF +MAMBAf8wewYDVR0fBHQwcjA4oDagNIYyaHR0cDovL2NybC5jb21vZG9jYS5jb20v +QUFBQ2VydGlmaWNhdGVTZXJ2aWNlcy5jcmwwNqA0oDKGMGh0dHA6Ly9jcmwuY29t +b2RvLm5ldC9BQUFDZXJ0aWZpY2F0ZVNlcnZpY2VzLmNybDANBgkqhkiG9w0BAQUF +AAOCAQEACFb8AvCb6P+k+tZ7xkSAzk/ExfYAWMymtrwUSWgEdujm7l3sAg9g1o1Q +GE8mTgHj5rCl7r+8dFRBv/38ErjHT1r0iWAFf2C3BUrz9vHCv8S5dIa2LX1rzNLz +Rt0vxuBqw8M0Ayx9lt1awg6nCpnBBYurDC/zXDrPbDdVCYfeU0BsWO/8tqtlbgT2 +G9w84FoVxp7Z8VlIMCFlA2zs6SFz7JsDoeA3raAVGI/6ugLOpyypEBMs1OUIJqsi +l2D4kF501KKaU73yqWjgom7C12yxow+ev+to51byrvLjKzg6CYG1a4XXvi3tPxq3 +smPi9WIsgtRqAEFQ8TmDn5XpNpaYbg== +-----END CERTIFICATE----- + +# Issuer: CN=QuoVadis Root Certification Authority O=QuoVadis Limited OU=Root Certification Authority +# Subject: CN=QuoVadis Root Certification Authority O=QuoVadis Limited OU=Root Certification Authority +# Label: "QuoVadis Root CA" +# Serial: 985026699 +# MD5 Fingerprint: 27:de:36:fe:72:b7:00:03:00:9d:f4:f0:1e:6c:04:24 +# SHA1 Fingerprint: de:3f:40:bd:50:93:d3:9b:6c:60:f6:da:bc:07:62:01:00:89:76:c9 +# SHA256 Fingerprint: a4:5e:de:3b:bb:f0:9c:8a:e1:5c:72:ef:c0:72:68:d6:93:a2:1c:99:6f:d5:1e:67:ca:07:94:60:fd:6d:88:73 +-----BEGIN CERTIFICATE----- +MIIF0DCCBLigAwIBAgIEOrZQizANBgkqhkiG9w0BAQUFADB/MQswCQYDVQQGEwJC +TTEZMBcGA1UEChMQUXVvVmFkaXMgTGltaXRlZDElMCMGA1UECxMcUm9vdCBDZXJ0 +aWZpY2F0aW9uIEF1dGhvcml0eTEuMCwGA1UEAxMlUXVvVmFkaXMgUm9vdCBDZXJ0 +aWZpY2F0aW9uIEF1dGhvcml0eTAeFw0wMTAzMTkxODMzMzNaFw0yMTAzMTcxODMz +MzNaMH8xCzAJBgNVBAYTAkJNMRkwFwYDVQQKExBRdW9WYWRpcyBMaW1pdGVkMSUw +IwYDVQQLExxSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MS4wLAYDVQQDEyVR +dW9WYWRpcyBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIIBIjANBgkqhkiG +9w0BAQEFAAOCAQ8AMIIBCgKCAQEAv2G1lVO6V/z68mcLOhrfEYBklbTRvM16z/Yp +li4kVEAkOPcahdxYTMukJ0KX0J+DisPkBgNbAKVRHnAEdOLB1Dqr1607BxgFjv2D +rOpm2RgbaIr1VxqYuvXtdj182d6UajtLF8HVj71lODqV0D1VNk7feVcxKh7YWWVJ +WCCYfqtffp/p1k3sg3Spx2zY7ilKhSoGFPlU5tPaZQeLYzcS19Dsw3sgQUSj7cug +F+FxZc4dZjH3dgEZyH0DWLaVSR2mEiboxgx24ONmy+pdpibu5cxfvWenAScOospU +xbF6lR1xHkopigPcakXBpBlebzbNw6Kwt/5cOOJSvPhEQ+aQuwIDAQABo4ICUjCC +Ak4wPQYIKwYBBQUHAQEEMTAvMC0GCCsGAQUFBzABhiFodHRwczovL29jc3AucXVv +dmFkaXNvZmZzaG9yZS5jb20wDwYDVR0TAQH/BAUwAwEB/zCCARoGA1UdIASCAREw +ggENMIIBCQYJKwYBBAG+WAABMIH7MIHUBggrBgEFBQcCAjCBxxqBxFJlbGlhbmNl +IG9uIHRoZSBRdW9WYWRpcyBSb290IENlcnRpZmljYXRlIGJ5IGFueSBwYXJ0eSBh +c3N1bWVzIGFjY2VwdGFuY2Ugb2YgdGhlIHRoZW4gYXBwbGljYWJsZSBzdGFuZGFy +ZCB0ZXJtcyBhbmQgY29uZGl0aW9ucyBvZiB1c2UsIGNlcnRpZmljYXRpb24gcHJh +Y3RpY2VzLCBhbmQgdGhlIFF1b1ZhZGlzIENlcnRpZmljYXRlIFBvbGljeS4wIgYI +KwYBBQUHAgEWFmh0dHA6Ly93d3cucXVvdmFkaXMuYm0wHQYDVR0OBBYEFItLbe3T +KbkGGew5Oanwl4Rqy+/fMIGuBgNVHSMEgaYwgaOAFItLbe3TKbkGGew5Oanwl4Rq +y+/foYGEpIGBMH8xCzAJBgNVBAYTAkJNMRkwFwYDVQQKExBRdW9WYWRpcyBMaW1p +dGVkMSUwIwYDVQQLExxSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MS4wLAYD +VQQDEyVRdW9WYWRpcyBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5ggQ6tlCL +MA4GA1UdDwEB/wQEAwIBBjANBgkqhkiG9w0BAQUFAAOCAQEAitQUtf70mpKnGdSk +fnIYj9lofFIk3WdvOXrEql494liwTXCYhGHoG+NpGA7O+0dQoE7/8CQfvbLO9Sf8 +7C9TqnN7Az10buYWnuulLsS/VidQK2K6vkscPFVcQR0kvoIgR13VRH56FmjffU1R +cHhXHTMe/QKZnAzNCgVPx7uOpHX6Sm2xgI4JVrmcGmD+XcHXetwReNDWXcG31a0y +mQM6isxUJTkxgXsTIlG6Rmyhu576BGxJJnSP0nPrzDCi5upZIof4l/UO/erMkqQW +xFIY6iHOsfHmhIHluqmGKPJDWl0Snawe2ajlCmqnf6CHKc/yiU3U7MXi5nrQNiOK +SnQ2+Q== +-----END CERTIFICATE----- + +# Issuer: CN=QuoVadis Root CA 2 O=QuoVadis Limited +# Subject: CN=QuoVadis Root CA 2 O=QuoVadis Limited +# Label: "QuoVadis Root CA 2" +# Serial: 1289 +# MD5 Fingerprint: 5e:39:7b:dd:f8:ba:ec:82:e9:ac:62:ba:0c:54:00:2b +# SHA1 Fingerprint: ca:3a:fb:cf:12:40:36:4b:44:b2:16:20:88:80:48:39:19:93:7c:f7 +# SHA256 Fingerprint: 85:a0:dd:7d:d7:20:ad:b7:ff:05:f8:3d:54:2b:20:9d:c7:ff:45:28:f7:d6:77:b1:83:89:fe:a5:e5:c4:9e:86 +-----BEGIN CERTIFICATE----- +MIIFtzCCA5+gAwIBAgICBQkwDQYJKoZIhvcNAQEFBQAwRTELMAkGA1UEBhMCQk0x +GTAXBgNVBAoTEFF1b1ZhZGlzIExpbWl0ZWQxGzAZBgNVBAMTElF1b1ZhZGlzIFJv +b3QgQ0EgMjAeFw0wNjExMjQxODI3MDBaFw0zMTExMjQxODIzMzNaMEUxCzAJBgNV +BAYTAkJNMRkwFwYDVQQKExBRdW9WYWRpcyBMaW1pdGVkMRswGQYDVQQDExJRdW9W +YWRpcyBSb290IENBIDIwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQCa +GMpLlA0ALa8DKYrwD4HIrkwZhR0In6spRIXzL4GtMh6QRr+jhiYaHv5+HBg6XJxg +Fyo6dIMzMH1hVBHL7avg5tKifvVrbxi3Cgst/ek+7wrGsxDp3MJGF/hd/aTa/55J +WpzmM+Yklvc/ulsrHHo1wtZn/qtmUIttKGAr79dgw8eTvI02kfN/+NsRE8Scd3bB +rrcCaoF6qUWD4gXmuVbBlDePSHFjIuwXZQeVikvfj8ZaCuWw419eaxGrDPmF60Tp ++ARz8un+XJiM9XOva7R+zdRcAitMOeGylZUtQofX1bOQQ7dsE/He3fbE+Ik/0XX1 +ksOR1YqI0JDs3G3eicJlcZaLDQP9nL9bFqyS2+r+eXyt66/3FsvbzSUr5R/7mp/i +Ucw6UwxI5g69ybR2BlLmEROFcmMDBOAENisgGQLodKcftslWZvB1JdxnwQ5hYIiz +PtGo/KPaHbDRsSNU30R2be1B2MGyIrZTHN81Hdyhdyox5C315eXbyOD/5YDXC2Og +/zOhD7osFRXql7PSorW+8oyWHhqPHWykYTe5hnMz15eWniN9gqRMgeKh0bpnX5UH +oycR7hYQe7xFSkyyBNKr79X9DFHOUGoIMfmR2gyPZFwDwzqLID9ujWc9Otb+fVuI +yV77zGHcizN300QyNQliBJIWENieJ0f7OyHj+OsdWwIDAQABo4GwMIGtMA8GA1Ud +EwEB/wQFMAMBAf8wCwYDVR0PBAQDAgEGMB0GA1UdDgQWBBQahGK8SEwzJQTU7tD2 +A8QZRtGUazBuBgNVHSMEZzBlgBQahGK8SEwzJQTU7tD2A8QZRtGUa6FJpEcwRTEL +MAkGA1UEBhMCQk0xGTAXBgNVBAoTEFF1b1ZhZGlzIExpbWl0ZWQxGzAZBgNVBAMT +ElF1b1ZhZGlzIFJvb3QgQ0EgMoICBQkwDQYJKoZIhvcNAQEFBQADggIBAD4KFk2f +BluornFdLwUvZ+YTRYPENvbzwCYMDbVHZF34tHLJRqUDGCdViXh9duqWNIAXINzn +g/iN/Ae42l9NLmeyhP3ZRPx3UIHmfLTJDQtyU/h2BwdBR5YM++CCJpNVjP4iH2Bl +fF/nJrP3MpCYUNQ3cVX2kiF495V5+vgtJodmVjB3pjd4M1IQWK4/YY7yarHvGH5K +WWPKjaJW1acvvFYfzznB4vsKqBUsfU16Y8Zsl0Q80m/DShcK+JDSV6IZUaUtl0Ha +B0+pUNqQjZRG4T7wlP0QADj1O+hA4bRuVhogzG9Yje0uRY/W6ZM/57Es3zrWIozc +hLsib9D45MY56QSIPMO661V6bYCZJPVsAfv4l7CUW+v90m/xd2gNNWQjrLhVoQPR +TUIZ3Ph1WVaj+ahJefivDrkRoHy3au000LYmYjgahwz46P0u05B/B5EqHdZ+XIWD +mbA4CD/pXvk1B+TJYm5Xf6dQlfe6yJvmjqIBxdZmv3lh8zwc4bmCXF2gw+nYSL0Z +ohEUGW6yhhtoPkg3Goi3XZZenMfvJ2II4pEZXNLxId26F0KCl3GBUzGpn/Z9Yr9y +4aOTHcyKJloJONDO1w2AFrR4pTqHTI2KpdVGl/IsELm8VCLAAVBpQ570su9t+Oza +8eOx79+Rj1QqCyXBJhnEUhAFZdWCEOrCMc0u +-----END CERTIFICATE----- + +# Issuer: CN=QuoVadis Root CA 3 O=QuoVadis Limited +# Subject: CN=QuoVadis Root CA 3 O=QuoVadis Limited +# Label: "QuoVadis Root CA 3" +# Serial: 1478 +# MD5 Fingerprint: 31:85:3c:62:94:97:63:b9:aa:fd:89:4e:af:6f:e0:cf +# SHA1 Fingerprint: 1f:49:14:f7:d8:74:95:1d:dd:ae:02:c0:be:fd:3a:2d:82:75:51:85 +# SHA256 Fingerprint: 18:f1:fc:7f:20:5d:f8:ad:dd:eb:7f:e0:07:dd:57:e3:af:37:5a:9c:4d:8d:73:54:6b:f4:f1:fe:d1:e1:8d:35 +-----BEGIN CERTIFICATE----- +MIIGnTCCBIWgAwIBAgICBcYwDQYJKoZIhvcNAQEFBQAwRTELMAkGA1UEBhMCQk0x +GTAXBgNVBAoTEFF1b1ZhZGlzIExpbWl0ZWQxGzAZBgNVBAMTElF1b1ZhZGlzIFJv +b3QgQ0EgMzAeFw0wNjExMjQxOTExMjNaFw0zMTExMjQxOTA2NDRaMEUxCzAJBgNV +BAYTAkJNMRkwFwYDVQQKExBRdW9WYWRpcyBMaW1pdGVkMRswGQYDVQQDExJRdW9W +YWRpcyBSb290IENBIDMwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQDM +V0IWVJzmmNPTTe7+7cefQzlKZbPoFog02w1ZkXTPkrgEQK0CSzGrvI2RaNggDhoB +4hp7Thdd4oq3P5kazethq8Jlph+3t723j/z9cI8LoGe+AaJZz3HmDyl2/7FWeUUr +H556VOijKTVopAFPD6QuN+8bv+OPEKhyq1hX51SGyMnzW9os2l2ObjyjPtr7guXd +8lyyBTNvijbO0BNO/79KDDRMpsMhvVAEVeuxu537RR5kFd5VAYwCdrXLoT9Cabwv +vWhDFlaJKjdhkf2mrk7AyxRllDdLkgbvBNDInIjbC3uBr7E9KsRlOni27tyAsdLT +mZw67mtaa7ONt9XOnMK+pUsvFrGeaDsGb659n/je7Mwpp5ijJUMv7/FfJuGITfhe +btfZFG4ZM2mnO4SJk8RTVROhUXhA+LjJou57ulJCg54U7QVSWllWp5f8nT8KKdjc +T5EOE7zelaTfi5m+rJsziO+1ga8bxiJTyPbH7pcUsMV8eFLI8M5ud2CEpukqdiDt +WAEXMJPpGovgc2PZapKUSU60rUqFxKMiMPwJ7Wgic6aIDFUhWMXhOp8q3crhkODZ +c6tsgLjoC2SToJyMGf+z0gzskSaHirOi4XCPLArlzW1oUevaPwV/izLmE1xr/l9A +4iLItLRkT9a6fUg+qGkM17uGcclzuD87nSVL2v9A6wIDAQABo4IBlTCCAZEwDwYD +VR0TAQH/BAUwAwEB/zCB4QYDVR0gBIHZMIHWMIHTBgkrBgEEAb5YAAMwgcUwgZMG +CCsGAQUFBwICMIGGGoGDQW55IHVzZSBvZiB0aGlzIENlcnRpZmljYXRlIGNvbnN0 +aXR1dGVzIGFjY2VwdGFuY2Ugb2YgdGhlIFF1b1ZhZGlzIFJvb3QgQ0EgMyBDZXJ0 +aWZpY2F0ZSBQb2xpY3kgLyBDZXJ0aWZpY2F0aW9uIFByYWN0aWNlIFN0YXRlbWVu +dC4wLQYIKwYBBQUHAgEWIWh0dHA6Ly93d3cucXVvdmFkaXNnbG9iYWwuY29tL2Nw +czALBgNVHQ8EBAMCAQYwHQYDVR0OBBYEFPLAE+CCQz777i9nMpY1XNu4ywLQMG4G +A1UdIwRnMGWAFPLAE+CCQz777i9nMpY1XNu4ywLQoUmkRzBFMQswCQYDVQQGEwJC +TTEZMBcGA1UEChMQUXVvVmFkaXMgTGltaXRlZDEbMBkGA1UEAxMSUXVvVmFkaXMg +Um9vdCBDQSAzggIFxjANBgkqhkiG9w0BAQUFAAOCAgEAT62gLEz6wPJv92ZVqyM0 +7ucp2sNbtrCD2dDQ4iH782CnO11gUyeim/YIIirnv6By5ZwkajGxkHon24QRiSem +d1o417+shvzuXYO8BsbRd2sPbSQvS3pspweWyuOEn62Iix2rFo1bZhfZFvSLgNLd ++LJ2w/w4E6oM3kJpK27zPOuAJ9v1pkQNn1pVWQvVDVJIxa6f8i+AxeoyUDUSly7B +4f/xI4hROJ/yZlZ25w9Rl6VSDE1JUZU2Pb+iSwwQHYaZTKrzchGT5Or2m9qoXadN +t54CrnMAyNojA+j56hl0YgCUyyIgvpSnWbWCar6ZeXqp8kokUvd0/bpO5qgdAm6x +DYBEwa7TIzdfu4V8K5Iu6H6li92Z4b8nby1dqnuH/grdS/yO9SbkbnBCbjPsMZ57 +k8HkyWkaPcBrTiJt7qtYTcbQQcEr6k8Sh17rRdhs9ZgC06DYVYoGmRmioHfRMJ6s +zHXug/WwYjnPbFfiTNKRCw51KBuav/0aQ/HKd/s7j2G4aSgWQgRecCocIdiP4b0j +Wy10QJLZYxkNc91pvGJHvOB0K7Lrfb5BG7XARsWhIstfTsEokt4YutUqKLsRixeT +mJlglFwjz1onl14LBQaTNx47aTbrqZ5hHY8y2o4M1nQ+ewkk2gF3R8Q7zTSMmfXK +4SVhM7JZG+Ju1zdXtg2pEto= +-----END CERTIFICATE----- + +# Issuer: O=SECOM Trust.net OU=Security Communication RootCA1 +# Subject: O=SECOM Trust.net OU=Security Communication RootCA1 +# Label: "Security Communication Root CA" +# Serial: 0 +# MD5 Fingerprint: f1:bc:63:6a:54:e0:b5:27:f5:cd:e7:1a:e3:4d:6e:4a +# SHA1 Fingerprint: 36:b1:2b:49:f9:81:9e:d7:4c:9e:bc:38:0f:c6:56:8f:5d:ac:b2:f7 +# SHA256 Fingerprint: e7:5e:72:ed:9f:56:0e:ec:6e:b4:80:00:73:a4:3f:c3:ad:19:19:5a:39:22:82:01:78:95:97:4a:99:02:6b:6c +-----BEGIN CERTIFICATE----- +MIIDWjCCAkKgAwIBAgIBADANBgkqhkiG9w0BAQUFADBQMQswCQYDVQQGEwJKUDEY +MBYGA1UEChMPU0VDT00gVHJ1c3QubmV0MScwJQYDVQQLEx5TZWN1cml0eSBDb21t +dW5pY2F0aW9uIFJvb3RDQTEwHhcNMDMwOTMwMDQyMDQ5WhcNMjMwOTMwMDQyMDQ5 +WjBQMQswCQYDVQQGEwJKUDEYMBYGA1UEChMPU0VDT00gVHJ1c3QubmV0MScwJQYD +VQQLEx5TZWN1cml0eSBDb21tdW5pY2F0aW9uIFJvb3RDQTEwggEiMA0GCSqGSIb3 +DQEBAQUAA4IBDwAwggEKAoIBAQCzs/5/022x7xZ8V6UMbXaKL0u/ZPtM7orw8yl8 +9f/uKuDp6bpbZCKamm8sOiZpUQWZJtzVHGpxxpp9Hp3dfGzGjGdnSj74cbAZJ6kJ +DKaVv0uMDPpVmDvY6CKhS3E4eayXkmmziX7qIWgGmBSWh9JhNrxtJ1aeV+7AwFb9 +Ms+k2Y7CI9eNqPPYJayX5HA49LY6tJ07lyZDo6G8SVlyTCMwhwFY9k6+HGhWZq/N +QV3Is00qVUarH9oe4kA92819uZKAnDfdDJZkndwi92SL32HeFZRSFaB9UslLqCHJ +xrHty8OVYNEP8Ktw+N/LTX7s1vqr2b1/VPKl6Xn62dZ2JChzAgMBAAGjPzA9MB0G +A1UdDgQWBBSgc0mZaNyFW2XjmygvV5+9M7wHSDALBgNVHQ8EBAMCAQYwDwYDVR0T +AQH/BAUwAwEB/zANBgkqhkiG9w0BAQUFAAOCAQEAaECpqLvkT115swW1F7NgE+vG +kl3g0dNq/vu+m22/xwVtWSDEHPC32oRYAmP6SBbvT6UL90qY8j+eG61Ha2POCEfr +Uj94nK9NrvjVT8+amCoQQTlSxN3Zmw7vkwGusi7KaEIkQmywszo+zenaSMQVy+n5 +Bw+SUEmK3TGXX8npN6o7WWWXlDLJs58+OmJYxUmtYg5xpTKqL8aJdkNAExNnPaJU +JRDL8Try2frbSVa7pv6nQTXD4IhhyYjH3zYQIphZ6rBK+1YWc26sTfcioU+tHXot +RSflMMFe8toTyyVCUZVHA4xsIcx0Qu1T/zOLjw9XARYvz6buyXAiFL39vmwLAw== +-----END CERTIFICATE----- + +# Issuer: CN=Sonera Class2 CA O=Sonera +# Subject: CN=Sonera Class2 CA O=Sonera +# Label: "Sonera Class 2 Root CA" +# Serial: 29 +# MD5 Fingerprint: a3:ec:75:0f:2e:88:df:fa:48:01:4e:0b:5c:48:6f:fb +# SHA1 Fingerprint: 37:f7:6d:e6:07:7c:90:c5:b1:3e:93:1a:b7:41:10:b4:f2:e4:9a:27 +# SHA256 Fingerprint: 79:08:b4:03:14:c1:38:10:0b:51:8d:07:35:80:7f:fb:fc:f8:51:8a:00:95:33:71:05:ba:38:6b:15:3d:d9:27 +-----BEGIN CERTIFICATE----- +MIIDIDCCAgigAwIBAgIBHTANBgkqhkiG9w0BAQUFADA5MQswCQYDVQQGEwJGSTEP +MA0GA1UEChMGU29uZXJhMRkwFwYDVQQDExBTb25lcmEgQ2xhc3MyIENBMB4XDTAx +MDQwNjA3Mjk0MFoXDTIxMDQwNjA3Mjk0MFowOTELMAkGA1UEBhMCRkkxDzANBgNV +BAoTBlNvbmVyYTEZMBcGA1UEAxMQU29uZXJhIENsYXNzMiBDQTCCASIwDQYJKoZI +hvcNAQEBBQADggEPADCCAQoCggEBAJAXSjWdyvANlsdE+hY3/Ei9vX+ALTU74W+o +Z6m/AxxNjG8yR9VBaKQTBME1DJqEQ/xcHf+Js+gXGM2RX/uJ4+q/Tl18GybTdXnt +5oTjV+WtKcT0OijnpXuENmmz/V52vaMtmdOQTiMofRhj8VQ7Jp12W5dCsv+u8E7s +3TmVToMGf+dJQMjFAbJUWmYdPfz56TwKnoG4cPABi+QjVHzIrviQHgCWctRUz2Ej +vOr7nQKV0ba5cTppCD8PtOFCx4j1P5iop7oc4HFx71hXgVB6XGt0Rg6DA5jDjqhu +8nYybieDwnPz3BjotJPqdURrBGAgcVeHnfO+oJAjPYok4doh28MCAwEAAaMzMDEw +DwYDVR0TAQH/BAUwAwEB/zARBgNVHQ4ECgQISqCqWITTXjwwCwYDVR0PBAQDAgEG +MA0GCSqGSIb3DQEBBQUAA4IBAQBazof5FnIVV0sd2ZvnoiYw7JNn39Yt0jSv9zil +zqsWuasvfDXLrNAPtEwr/IDva4yRXzZ299uzGxnq9LIR/WFxRL8oszodv7ND6J+/ +3DEIcbCdjdY0RzKQxmUk96BKfARzjzlvF4xytb1LyHr4e4PDKE6cCepnP7JnBBvD +FNr450kkkdAdavphOe9r5yF1BgfYErQhIHBCcYHaPJo2vqZbDWpsmh+Re/n570K6 +Tk6ezAyNlNzZRZxe7EJQY670XcSxEtzKO6gunRRaBXW37Ndj4ro1tgQIkejanZz2 +ZrUYrAqmVCY0M9IbwdR/GjqOC6oybtv8TyWf2TLHllpwrN9M +-----END CERTIFICATE----- + +# Issuer: CN=XRamp Global Certification Authority O=XRamp Security Services Inc OU=www.xrampsecurity.com +# Subject: CN=XRamp Global Certification Authority O=XRamp Security Services Inc OU=www.xrampsecurity.com +# Label: "XRamp Global CA Root" +# Serial: 107108908803651509692980124233745014957 +# MD5 Fingerprint: a1:0b:44:b3:ca:10:d8:00:6e:9d:0f:d8:0f:92:0a:d1 +# SHA1 Fingerprint: b8:01:86:d1:eb:9c:86:a5:41:04:cf:30:54:f3:4c:52:b7:e5:58:c6 +# SHA256 Fingerprint: ce:cd:dc:90:50:99:d8:da:df:c5:b1:d2:09:b7:37:cb:e2:c1:8c:fb:2c:10:c0:ff:0b:cf:0d:32:86:fc:1a:a2 +-----BEGIN CERTIFICATE----- +MIIEMDCCAxigAwIBAgIQUJRs7Bjq1ZxN1ZfvdY+grTANBgkqhkiG9w0BAQUFADCB +gjELMAkGA1UEBhMCVVMxHjAcBgNVBAsTFXd3dy54cmFtcHNlY3VyaXR5LmNvbTEk +MCIGA1UEChMbWFJhbXAgU2VjdXJpdHkgU2VydmljZXMgSW5jMS0wKwYDVQQDEyRY +UmFtcCBHbG9iYWwgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkwHhcNMDQxMTAxMTcx +NDA0WhcNMzUwMTAxMDUzNzE5WjCBgjELMAkGA1UEBhMCVVMxHjAcBgNVBAsTFXd3 +dy54cmFtcHNlY3VyaXR5LmNvbTEkMCIGA1UEChMbWFJhbXAgU2VjdXJpdHkgU2Vy +dmljZXMgSW5jMS0wKwYDVQQDEyRYUmFtcCBHbG9iYWwgQ2VydGlmaWNhdGlvbiBB +dXRob3JpdHkwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCYJB69FbS6 +38eMpSe2OAtp87ZOqCwuIR1cRN8hXX4jdP5efrRKt6atH67gBhbim1vZZ3RrXYCP +KZ2GG9mcDZhtdhAoWORlsH9KmHmf4MMxfoArtYzAQDsRhtDLooY2YKTVMIJt2W7Q +DxIEM5dfT2Fa8OT5kavnHTu86M/0ay00fOJIYRyO82FEzG+gSqmUsE3a56k0enI4 +qEHMPJQRfevIpoy3hsvKMzvZPTeL+3o+hiznc9cKV6xkmxnr9A8ECIqsAxcZZPRa +JSKNNCyy9mgdEm3Tih4U2sSPpuIjhdV6Db1q4Ons7Be7QhtnqiXtRYMh/MHJfNVi +PvryxS3T/dRlAgMBAAGjgZ8wgZwwEwYJKwYBBAGCNxQCBAYeBABDAEEwCwYDVR0P +BAQDAgGGMA8GA1UdEwEB/wQFMAMBAf8wHQYDVR0OBBYEFMZPoj0GY4QJnM5i5ASs +jVy16bYbMDYGA1UdHwQvMC0wK6ApoCeGJWh0dHA6Ly9jcmwueHJhbXBzZWN1cml0 +eS5jb20vWEdDQS5jcmwwEAYJKwYBBAGCNxUBBAMCAQEwDQYJKoZIhvcNAQEFBQAD +ggEBAJEVOQMBG2f7Shz5CmBbodpNl2L5JFMn14JkTpAuw0kbK5rc/Kh4ZzXxHfAR +vbdI4xD2Dd8/0sm2qlWkSLoC295ZLhVbO50WfUfXN+pfTXYSNrsf16GBBEYgoyxt +qZ4Bfj8pzgCT3/3JknOJiWSe5yvkHJEs0rnOfc5vMZnT5r7SHpDwCRR5XCOrTdLa +IR9NmXmd4c8nnxCbHIgNsIpkQTG4DmyQJKSbXHGPurt+HBvbaoAPIbzp26a3QPSy +i6mx5O+aGtA9aZnuqCij4Tyz8LIRnM98QObd50N9otg6tamN8jSZxNQQ4Qb9CYQQ +O+7ETPTsJ3xCwnR8gooJybQDJbw= +-----END CERTIFICATE----- + +# Issuer: O=The Go Daddy Group, Inc. OU=Go Daddy Class 2 Certification Authority +# Subject: O=The Go Daddy Group, Inc. OU=Go Daddy Class 2 Certification Authority +# Label: "Go Daddy Class 2 CA" +# Serial: 0 +# MD5 Fingerprint: 91:de:06:25:ab:da:fd:32:17:0c:bb:25:17:2a:84:67 +# SHA1 Fingerprint: 27:96:ba:e6:3f:18:01:e2:77:26:1b:a0:d7:77:70:02:8f:20:ee:e4 +# SHA256 Fingerprint: c3:84:6b:f2:4b:9e:93:ca:64:27:4c:0e:c6:7c:1e:cc:5e:02:4f:fc:ac:d2:d7:40:19:35:0e:81:fe:54:6a:e4 +-----BEGIN CERTIFICATE----- +MIIEADCCAuigAwIBAgIBADANBgkqhkiG9w0BAQUFADBjMQswCQYDVQQGEwJVUzEh +MB8GA1UEChMYVGhlIEdvIERhZGR5IEdyb3VwLCBJbmMuMTEwLwYDVQQLEyhHbyBE +YWRkeSBDbGFzcyAyIENlcnRpZmljYXRpb24gQXV0aG9yaXR5MB4XDTA0MDYyOTE3 +MDYyMFoXDTM0MDYyOTE3MDYyMFowYzELMAkGA1UEBhMCVVMxITAfBgNVBAoTGFRo +ZSBHbyBEYWRkeSBHcm91cCwgSW5jLjExMC8GA1UECxMoR28gRGFkZHkgQ2xhc3Mg +MiBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTCCASAwDQYJKoZIhvcNAQEBBQADggEN +ADCCAQgCggEBAN6d1+pXGEmhW+vXX0iG6r7d/+TvZxz0ZWizV3GgXne77ZtJ6XCA +PVYYYwhv2vLM0D9/AlQiVBDYsoHUwHU9S3/Hd8M+eKsaA7Ugay9qK7HFiH7Eux6w +wdhFJ2+qN1j3hybX2C32qRe3H3I2TqYXP2WYktsqbl2i/ojgC95/5Y0V4evLOtXi +EqITLdiOr18SPaAIBQi2XKVlOARFmR6jYGB0xUGlcmIbYsUfb18aQr4CUWWoriMY +avx4A6lNf4DD+qta/KFApMoZFv6yyO9ecw3ud72a9nmYvLEHZ6IVDd2gWMZEewo+ +YihfukEHU1jPEX44dMX4/7VpkI+EdOqXG68CAQOjgcAwgb0wHQYDVR0OBBYEFNLE +sNKR1EwRcbNhyz2h/t2oatTjMIGNBgNVHSMEgYUwgYKAFNLEsNKR1EwRcbNhyz2h +/t2oatTjoWekZTBjMQswCQYDVQQGEwJVUzEhMB8GA1UEChMYVGhlIEdvIERhZGR5 +IEdyb3VwLCBJbmMuMTEwLwYDVQQLEyhHbyBEYWRkeSBDbGFzcyAyIENlcnRpZmlj +YXRpb24gQXV0aG9yaXR5ggEAMAwGA1UdEwQFMAMBAf8wDQYJKoZIhvcNAQEFBQAD +ggEBADJL87LKPpH8EsahB4yOd6AzBhRckB4Y9wimPQoZ+YeAEW5p5JYXMP80kWNy +OO7MHAGjHZQopDH2esRU1/blMVgDoszOYtuURXO1v0XJJLXVggKtI3lpjbi2Tc7P +TMozI+gciKqdi0FuFskg5YmezTvacPd+mSYgFFQlq25zheabIZ0KbIIOqPjCDPoQ +HmyW74cNxA9hi63ugyuV+I6ShHI56yDqg+2DzZduCLzrTia2cyvk0/ZM/iZx4mER +dEr/VxqHD3VILs9RaRegAhJhldXRQLIQTO7ErBBDpqWeCtWVYpoNz4iCxTIM5Cuf +ReYNnyicsbkqWletNw+vHX/bvZ8= +-----END CERTIFICATE----- + +# Issuer: O=Starfield Technologies, Inc. OU=Starfield Class 2 Certification Authority +# Subject: O=Starfield Technologies, Inc. OU=Starfield Class 2 Certification Authority +# Label: "Starfield Class 2 CA" +# Serial: 0 +# MD5 Fingerprint: 32:4a:4b:bb:c8:63:69:9b:be:74:9a:c6:dd:1d:46:24 +# SHA1 Fingerprint: ad:7e:1c:28:b0:64:ef:8f:60:03:40:20:14:c3:d0:e3:37:0e:b5:8a +# SHA256 Fingerprint: 14:65:fa:20:53:97:b8:76:fa:a6:f0:a9:95:8e:55:90:e4:0f:cc:7f:aa:4f:b7:c2:c8:67:75:21:fb:5f:b6:58 +-----BEGIN CERTIFICATE----- +MIIEDzCCAvegAwIBAgIBADANBgkqhkiG9w0BAQUFADBoMQswCQYDVQQGEwJVUzEl +MCMGA1UEChMcU3RhcmZpZWxkIFRlY2hub2xvZ2llcywgSW5jLjEyMDAGA1UECxMp +U3RhcmZpZWxkIENsYXNzIDIgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkwHhcNMDQw +NjI5MTczOTE2WhcNMzQwNjI5MTczOTE2WjBoMQswCQYDVQQGEwJVUzElMCMGA1UE +ChMcU3RhcmZpZWxkIFRlY2hub2xvZ2llcywgSW5jLjEyMDAGA1UECxMpU3RhcmZp +ZWxkIENsYXNzIDIgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkwggEgMA0GCSqGSIb3 +DQEBAQUAA4IBDQAwggEIAoIBAQC3Msj+6XGmBIWtDBFk385N78gDGIc/oav7PKaf +8MOh2tTYbitTkPskpD6E8J7oX+zlJ0T1KKY/e97gKvDIr1MvnsoFAZMej2YcOadN ++lq2cwQlZut3f+dZxkqZJRRU6ybH838Z1TBwj6+wRir/resp7defqgSHo9T5iaU0 +X9tDkYI22WY8sbi5gv2cOj4QyDvvBmVmepsZGD3/cVE8MC5fvj13c7JdBmzDI1aa +K4UmkhynArPkPw2vCHmCuDY96pzTNbO8acr1zJ3o/WSNF4Azbl5KXZnJHoe0nRrA +1W4TNSNe35tfPe/W93bC6j67eA0cQmdrBNj41tpvi/JEoAGrAgEDo4HFMIHCMB0G +A1UdDgQWBBS/X7fRzt0fhvRbVazc1xDCDqmI5zCBkgYDVR0jBIGKMIGHgBS/X7fR +zt0fhvRbVazc1xDCDqmI56FspGowaDELMAkGA1UEBhMCVVMxJTAjBgNVBAoTHFN0 +YXJmaWVsZCBUZWNobm9sb2dpZXMsIEluYy4xMjAwBgNVBAsTKVN0YXJmaWVsZCBD +bGFzcyAyIENlcnRpZmljYXRpb24gQXV0aG9yaXR5ggEAMAwGA1UdEwQFMAMBAf8w +DQYJKoZIhvcNAQEFBQADggEBAAWdP4id0ckaVaGsafPzWdqbAYcaT1epoXkJKtv3 +L7IezMdeatiDh6GX70k1PncGQVhiv45YuApnP+yz3SFmH8lU+nLMPUxA2IGvd56D +eruix/U0F47ZEUD0/CwqTRV/p2JdLiXTAAsgGh1o+Re49L2L7ShZ3U0WixeDyLJl +xy16paq8U4Zt3VekyvggQQto8PT7dL5WXXp59fkdheMtlb71cZBDzI0fmgAKhynp +VSJYACPq4xJDKVtHCN2MQWplBqjlIapBtJUhlbl90TSrE9atvNziPTnNvT51cKEY +WQPJIrSPnNVeKtelttQKbfi3QBFGmh95DmK/D5fs4C8fF5Q= +-----END CERTIFICATE----- + +# Issuer: O=Government Root Certification Authority +# Subject: O=Government Root Certification Authority +# Label: "Taiwan GRCA" +# Serial: 42023070807708724159991140556527066870 +# MD5 Fingerprint: 37:85:44:53:32:45:1f:20:f0:f3:95:e1:25:c4:43:4e +# SHA1 Fingerprint: f4:8b:11:bf:de:ab:be:94:54:20:71:e6:41:de:6b:be:88:2b:40:b9 +# SHA256 Fingerprint: 76:00:29:5e:ef:e8:5b:9e:1f:d6:24:db:76:06:2a:aa:ae:59:81:8a:54:d2:77:4c:d4:c0:b2:c0:11:31:e1:b3 +-----BEGIN CERTIFICATE----- +MIIFcjCCA1qgAwIBAgIQH51ZWtcvwgZEpYAIaeNe9jANBgkqhkiG9w0BAQUFADA/ +MQswCQYDVQQGEwJUVzEwMC4GA1UECgwnR292ZXJubWVudCBSb290IENlcnRpZmlj +YXRpb24gQXV0aG9yaXR5MB4XDTAyMTIwNTEzMjMzM1oXDTMyMTIwNTEzMjMzM1ow +PzELMAkGA1UEBhMCVFcxMDAuBgNVBAoMJ0dvdmVybm1lbnQgUm9vdCBDZXJ0aWZp +Y2F0aW9uIEF1dGhvcml0eTCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIB +AJoluOzMonWoe/fOW1mKydGGEghU7Jzy50b2iPN86aXfTEc2pBsBHH8eV4qNw8XR +IePaJD9IK/ufLqGU5ywck9G/GwGHU5nOp/UKIXZ3/6m3xnOUT0b3EEk3+qhZSV1q +gQdW8or5BtD3cCJNtLdBuTK4sfCxw5w/cP1T3YGq2GN49thTbqGsaoQkclSGxtKy +yhwOeYHWtXBiCAEuTk8O1RGvqa/lmr/czIdtJuTJV6L7lvnM4T9TjGxMfptTCAts +F/tnyMKtsc2AtJfcdgEWFelq16TheEfOhtX7MfP6Mb40qij7cEwdScevLJ1tZqa2 +jWR+tSBqnTuBto9AAGdLiYa4zGX+FVPpBMHWXx1E1wovJ5pGfaENda1UhhXcSTvx +ls4Pm6Dso3pdvtUqdULle96ltqqvKKyskKw4t9VoNSZ63Pc78/1Fm9G7Q3hub/FC +VGqY8A2tl+lSXunVanLeavcbYBT0peS2cWeqH+riTcFCQP5nRhc4L0c/cZyu5SHK +YS1tB6iEfC3uUSXxY5Ce/eFXiGvviiNtsea9P63RPZYLhY3Naye7twWb7LuRqQoH +EgKXTiCQ8P8NHuJBO9NAOueNXdpm5AKwB1KYXA6OM5zCppX7VRluTI6uSw+9wThN +Xo+EHWbNxWCWtFJaBYmOlXqYwZE8lSOyDvR5tMl8wUohAgMBAAGjajBoMB0GA1Ud +DgQWBBTMzO/MKWCkO7GStjz6MmKPrCUVOzAMBgNVHRMEBTADAQH/MDkGBGcqBwAE +MTAvMC0CAQAwCQYFKw4DAhoFADAHBgVnKgMAAAQUA5vwIhP/lSg209yewDL7MTqK +UWUwDQYJKoZIhvcNAQEFBQADggIBAECASvomyc5eMN1PhnR2WPWus4MzeKR6dBcZ +TulStbngCnRiqmjKeKBMmo4sIy7VahIkv9Ro04rQ2JyftB8M3jh+Vzj8jeJPXgyf +qzvS/3WXy6TjZwj/5cAWtUgBfen5Cv8b5Wppv3ghqMKnI6mGq3ZW6A4M9hPdKmaK +ZEk9GhiHkASfQlK3T8v+R0F2Ne//AHY2RTKbxkaFXeIksB7jSJaYV0eUVXoPQbFE +JPPB/hprv4j9wabak2BegUqZIJxIZhm1AHlUD7gsL0u8qV1bYH+Mh6XgUmMqvtg7 +hUAV/h62ZT/FS9p+tXo1KaMuephgIqP0fSdOLeq0dDzpD6QzDxARvBMB1uUO07+1 +EqLhRSPAzAhuYbeJq4PjJB7mXQfnHyA+z2fI56wwbSdLaG5LKlwCCDTb+HbkZ6Mm +nD+iMsJKxYEYMRBWqoTvLQr/uB930r+lWKBi5NdLkXWNiYCYfm3LU05er/ayl4WX +udpVBrkk7tfGOB5jGxI7leFYrPLfhNVfmS8NVVvmONsuP3LpSIXLuykTjx44Vbnz +ssQwmSNOXfJIoRIM3BKQCZBUkQM8R+XVyWXgt0t97EfTsws+rZ7QdAAO671RrcDe +LMDDav7v3Aun+kbfYNucpllQdSNpc5Oy+fwC00fmcc4QAu4njIT/rEUNE1yDMuAl +pYYsfPQS +-----END CERTIFICATE----- + +# Issuer: CN=DigiCert Assured ID Root CA O=DigiCert Inc OU=www.digicert.com +# Subject: CN=DigiCert Assured ID Root CA O=DigiCert Inc OU=www.digicert.com +# Label: "DigiCert Assured ID Root CA" +# Serial: 17154717934120587862167794914071425081 +# MD5 Fingerprint: 87:ce:0b:7b:2a:0e:49:00:e1:58:71:9b:37:a8:93:72 +# SHA1 Fingerprint: 05:63:b8:63:0d:62:d7:5a:bb:c8:ab:1e:4b:df:b5:a8:99:b2:4d:43 +# SHA256 Fingerprint: 3e:90:99:b5:01:5e:8f:48:6c:00:bc:ea:9d:11:1e:e7:21:fa:ba:35:5a:89:bc:f1:df:69:56:1e:3d:c6:32:5c +-----BEGIN CERTIFICATE----- +MIIDtzCCAp+gAwIBAgIQDOfg5RfYRv6P5WD8G/AwOTANBgkqhkiG9w0BAQUFADBl +MQswCQYDVQQGEwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3 +d3cuZGlnaWNlcnQuY29tMSQwIgYDVQQDExtEaWdpQ2VydCBBc3N1cmVkIElEIFJv +b3QgQ0EwHhcNMDYxMTEwMDAwMDAwWhcNMzExMTEwMDAwMDAwWjBlMQswCQYDVQQG +EwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3d3cuZGlnaWNl +cnQuY29tMSQwIgYDVQQDExtEaWdpQ2VydCBBc3N1cmVkIElEIFJvb3QgQ0EwggEi +MA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCtDhXO5EOAXLGH87dg+XESpa7c +JpSIqvTO9SA5KFhgDPiA2qkVlTJhPLWxKISKityfCgyDF3qPkKyK53lTXDGEKvYP +mDI2dsze3Tyoou9q+yHyUmHfnyDXH+Kx2f4YZNISW1/5WBg1vEfNoTb5a3/UsDg+ +wRvDjDPZ2C8Y/igPs6eD1sNuRMBhNZYW/lmci3Zt1/GiSw0r/wty2p5g0I6QNcZ4 +VYcgoc/lbQrISXwxmDNsIumH0DJaoroTghHtORedmTpyoeb6pNnVFzF1roV9Iq4/ +AUaG9ih5yLHa5FcXxH4cDrC0kqZWs72yl+2qp/C3xag/lRbQ/6GW6whfGHdPAgMB +AAGjYzBhMA4GA1UdDwEB/wQEAwIBhjAPBgNVHRMBAf8EBTADAQH/MB0GA1UdDgQW +BBRF66Kv9JLLgjEtUYunpyGd823IDzAfBgNVHSMEGDAWgBRF66Kv9JLLgjEtUYun +pyGd823IDzANBgkqhkiG9w0BAQUFAAOCAQEAog683+Lt8ONyc3pklL/3cmbYMuRC +dWKuh+vy1dneVrOfzM4UKLkNl2BcEkxY5NM9g0lFWJc1aRqoR+pWxnmrEthngYTf +fwk8lOa4JiwgvT2zKIn3X/8i4peEH+ll74fg38FnSbNd67IJKusm7Xi+fT8r87cm +NW1fiQG2SVufAQWbqz0lwcy2f8Lxb4bG+mRo64EtlOtCt/qMHt1i8b5QZ7dsvfPx +H2sMNgcWfzd8qVttevESRmCD1ycEvkvOl77DZypoEd+A5wwzZr8TDRRu838fYxAe ++o0bJW1sj6W3YQGx0qMmoRBxna3iw/nDmVG3KwcIzi7mULKn+gpFL6Lw8g== +-----END CERTIFICATE----- + +# Issuer: CN=DigiCert Global Root CA O=DigiCert Inc OU=www.digicert.com +# Subject: CN=DigiCert Global Root CA O=DigiCert Inc OU=www.digicert.com +# Label: "DigiCert Global Root CA" +# Serial: 10944719598952040374951832963794454346 +# MD5 Fingerprint: 79:e4:a9:84:0d:7d:3a:96:d7:c0:4f:e2:43:4c:89:2e +# SHA1 Fingerprint: a8:98:5d:3a:65:e5:e5:c4:b2:d7:d6:6d:40:c6:dd:2f:b1:9c:54:36 +# SHA256 Fingerprint: 43:48:a0:e9:44:4c:78:cb:26:5e:05:8d:5e:89:44:b4:d8:4f:96:62:bd:26:db:25:7f:89:34:a4:43:c7:01:61 +-----BEGIN CERTIFICATE----- +MIIDrzCCApegAwIBAgIQCDvgVpBCRrGhdWrJWZHHSjANBgkqhkiG9w0BAQUFADBh +MQswCQYDVQQGEwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3 +d3cuZGlnaWNlcnQuY29tMSAwHgYDVQQDExdEaWdpQ2VydCBHbG9iYWwgUm9vdCBD +QTAeFw0wNjExMTAwMDAwMDBaFw0zMTExMTAwMDAwMDBaMGExCzAJBgNVBAYTAlVT +MRUwEwYDVQQKEwxEaWdpQ2VydCBJbmMxGTAXBgNVBAsTEHd3dy5kaWdpY2VydC5j +b20xIDAeBgNVBAMTF0RpZ2lDZXJ0IEdsb2JhbCBSb290IENBMIIBIjANBgkqhkiG +9w0BAQEFAAOCAQ8AMIIBCgKCAQEA4jvhEXLeqKTTo1eqUKKPC3eQyaKl7hLOllsB +CSDMAZOnTjC3U/dDxGkAV53ijSLdhwZAAIEJzs4bg7/fzTtxRuLWZscFs3YnFo97 +nh6Vfe63SKMI2tavegw5BmV/Sl0fvBf4q77uKNd0f3p4mVmFaG5cIzJLv07A6Fpt +43C/dxC//AH2hdmoRBBYMql1GNXRor5H4idq9Joz+EkIYIvUX7Q6hL+hqkpMfT7P +T19sdl6gSzeRntwi5m3OFBqOasv+zbMUZBfHWymeMr/y7vrTC0LUq7dBMtoM1O/4 +gdW7jVg/tRvoSSiicNoxBN33shbyTApOB6jtSj1etX+jkMOvJwIDAQABo2MwYTAO +BgNVHQ8BAf8EBAMCAYYwDwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQUA95QNVbR +TLtm8KPiGxvDl7I90VUwHwYDVR0jBBgwFoAUA95QNVbRTLtm8KPiGxvDl7I90VUw +DQYJKoZIhvcNAQEFBQADggEBAMucN6pIExIK+t1EnE9SsPTfrgT1eXkIoyQY/Esr +hMAtudXH/vTBH1jLuG2cenTnmCmrEbXjcKChzUyImZOMkXDiqw8cvpOp/2PV5Adg +06O/nVsJ8dWO41P0jmP6P6fbtGbfYmbW0W5BjfIttep3Sp+dWOIrWcBAI+0tKIJF +PnlUkiaY4IBIqDfv8NZ5YBberOgOzW6sRBc4L0na4UU+Krk2U886UAb3LujEV0ls +YSEY1QSteDwsOoBrp+uvFRTp2InBuThs4pFsiv9kuXclVzDAGySj4dzp30d8tbQk +CAUw7C29C79Fv1C5qfPrmAESrciIxpg0X40KPMbp1ZWVbd4= +-----END CERTIFICATE----- + +# Issuer: CN=DigiCert High Assurance EV Root CA O=DigiCert Inc OU=www.digicert.com +# Subject: CN=DigiCert High Assurance EV Root CA O=DigiCert Inc OU=www.digicert.com +# Label: "DigiCert High Assurance EV Root CA" +# Serial: 3553400076410547919724730734378100087 +# MD5 Fingerprint: d4:74:de:57:5c:39:b2:d3:9c:85:83:c5:c0:65:49:8a +# SHA1 Fingerprint: 5f:b7:ee:06:33:e2:59:db:ad:0c:4c:9a:e6:d3:8f:1a:61:c7:dc:25 +# SHA256 Fingerprint: 74:31:e5:f4:c3:c1:ce:46:90:77:4f:0b:61:e0:54:40:88:3b:a9:a0:1e:d0:0b:a6:ab:d7:80:6e:d3:b1:18:cf +-----BEGIN CERTIFICATE----- +MIIDxTCCAq2gAwIBAgIQAqxcJmoLQJuPC3nyrkYldzANBgkqhkiG9w0BAQUFADBs +MQswCQYDVQQGEwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3 +d3cuZGlnaWNlcnQuY29tMSswKQYDVQQDEyJEaWdpQ2VydCBIaWdoIEFzc3VyYW5j +ZSBFViBSb290IENBMB4XDTA2MTExMDAwMDAwMFoXDTMxMTExMDAwMDAwMFowbDEL +MAkGA1UEBhMCVVMxFTATBgNVBAoTDERpZ2lDZXJ0IEluYzEZMBcGA1UECxMQd3d3 +LmRpZ2ljZXJ0LmNvbTErMCkGA1UEAxMiRGlnaUNlcnQgSGlnaCBBc3N1cmFuY2Ug +RVYgUm9vdCBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAMbM5XPm ++9S75S0tMqbf5YE/yc0lSbZxKsPVlDRnogocsF9ppkCxxLeyj9CYpKlBWTrT3JTW +PNt0OKRKzE0lgvdKpVMSOO7zSW1xkX5jtqumX8OkhPhPYlG++MXs2ziS4wblCJEM +xChBVfvLWokVfnHoNb9Ncgk9vjo4UFt3MRuNs8ckRZqnrG0AFFoEt7oT61EKmEFB +Ik5lYYeBQVCmeVyJ3hlKV9Uu5l0cUyx+mM0aBhakaHPQNAQTXKFx01p8VdteZOE3 +hzBWBOURtCmAEvF5OYiiAhF8J2a3iLd48soKqDirCmTCv2ZdlYTBoSUeh10aUAsg +EsxBu24LUTi4S8sCAwEAAaNjMGEwDgYDVR0PAQH/BAQDAgGGMA8GA1UdEwEB/wQF +MAMBAf8wHQYDVR0OBBYEFLE+w2kD+L9HAdSYJhoIAu9jZCvDMB8GA1UdIwQYMBaA +FLE+w2kD+L9HAdSYJhoIAu9jZCvDMA0GCSqGSIb3DQEBBQUAA4IBAQAcGgaX3Nec +nzyIZgYIVyHbIUf4KmeqvxgydkAQV8GK83rZEWWONfqe/EW1ntlMMUu4kehDLI6z +eM7b41N5cdblIZQB2lWHmiRk9opmzN6cN82oNLFpmyPInngiK3BD41VHMWEZ71jF +hS9OMPagMRYjyOfiZRYzy78aG6A9+MpeizGLYAiJLQwGXFK3xPkKmNEVX58Svnw2 +Yzi9RKR/5CYrCsSXaQ3pjOLAEFe4yHYSkVXySGnYvCoCWw9E1CAx2/S6cCZdkGCe +vEsXCS+0yx5DaMkHJ8HSXPfqIbloEpw8nL+e/IBcm2PN7EeqJSdnoDfzAIJ9VNep ++OkuE6N36B9K +-----END CERTIFICATE----- + +# Issuer: CN=Class 2 Primary CA O=Certplus +# Subject: CN=Class 2 Primary CA O=Certplus +# Label: "Certplus Class 2 Primary CA" +# Serial: 177770208045934040241468760488327595043 +# MD5 Fingerprint: 88:2c:8c:52:b8:a2:3c:f3:f7:bb:03:ea:ae:ac:42:0b +# SHA1 Fingerprint: 74:20:74:41:72:9c:dd:92:ec:79:31:d8:23:10:8d:c2:81:92:e2:bb +# SHA256 Fingerprint: 0f:99:3c:8a:ef:97:ba:af:56:87:14:0e:d5:9a:d1:82:1b:b4:af:ac:f0:aa:9a:58:b5:d5:7a:33:8a:3a:fb:cb +-----BEGIN CERTIFICATE----- +MIIDkjCCAnqgAwIBAgIRAIW9S/PY2uNp9pTXX8OlRCMwDQYJKoZIhvcNAQEFBQAw +PTELMAkGA1UEBhMCRlIxETAPBgNVBAoTCENlcnRwbHVzMRswGQYDVQQDExJDbGFz +cyAyIFByaW1hcnkgQ0EwHhcNOTkwNzA3MTcwNTAwWhcNMTkwNzA2MjM1OTU5WjA9 +MQswCQYDVQQGEwJGUjERMA8GA1UEChMIQ2VydHBsdXMxGzAZBgNVBAMTEkNsYXNz +IDIgUHJpbWFyeSBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBANxQ +ltAS+DXSCHh6tlJw/W/uz7kRy1134ezpfgSN1sxvc0NXYKwzCkTsA18cgCSR5aiR +VhKC9+Ar9NuuYS6JEI1rbLqzAr3VNsVINyPi8Fo3UjMXEuLRYE2+L0ER4/YXJQyL +kcAbmXuZVg2v7tK8R1fjeUl7NIknJITesezpWE7+Tt9avkGtrAjFGA7v0lPubNCd +EgETjdyAYveVqUSISnFOYFWe2yMZeVYHDD9jC1yw4r5+FfyUM1hBOHTE4Y+L3yas +H7WLO7dDWWuwJKZtkIvEcupdM5i3y95ee++U8Rs+yskhwcWYAqqi9lt3m/V+llU0 +HGdpwPFC40es/CgcZlUCAwEAAaOBjDCBiTAPBgNVHRMECDAGAQH/AgEKMAsGA1Ud +DwQEAwIBBjAdBgNVHQ4EFgQU43Mt38sOKAze3bOkynm4jrvoMIkwEQYJYIZIAYb4 +QgEBBAQDAgEGMDcGA1UdHwQwMC4wLKAqoCiGJmh0dHA6Ly93d3cuY2VydHBsdXMu +Y29tL0NSTC9jbGFzczIuY3JsMA0GCSqGSIb3DQEBBQUAA4IBAQCnVM+IRBnL39R/ +AN9WM2K191EBkOvDP9GIROkkXe/nFL0gt5o8AP5tn9uQ3Nf0YtaLcF3n5QRIqWh8 +yfFC82x/xXp8HVGIutIKPidd3i1RTtMTZGnkLuPT55sJmabglZvOGtd/vjzOUrMR +FcEPF80Du5wlFbqidon8BvEY0JNLDnyCt6X09l/+7UCmnYR0ObncHoUW2ikbhiMA +ybuJfm6AiB4vFLQDJKgybwOaRywwvlbGp0ICcBvqQNi6BQNwB6SW//1IMwrh3KWB +kJtN3X3n57LNXMhqlfil9o3EXXgIvnsG1knPGTZQIy4I5p4FTUcY1Rbpsda2ENW7 +l7+ijrRU +-----END CERTIFICATE----- + +# Issuer: CN=DST Root CA X3 O=Digital Signature Trust Co. +# Subject: CN=DST Root CA X3 O=Digital Signature Trust Co. +# Label: "DST Root CA X3" +# Serial: 91299735575339953335919266965803778155 +# MD5 Fingerprint: 41:03:52:dc:0f:f7:50:1b:16:f0:02:8e:ba:6f:45:c5 +# SHA1 Fingerprint: da:c9:02:4f:54:d8:f6:df:94:93:5f:b1:73:26:38:ca:6a:d7:7c:13 +# SHA256 Fingerprint: 06:87:26:03:31:a7:24:03:d9:09:f1:05:e6:9b:cf:0d:32:e1:bd:24:93:ff:c6:d9:20:6d:11:bc:d6:77:07:39 +-----BEGIN CERTIFICATE----- +MIIDSjCCAjKgAwIBAgIQRK+wgNajJ7qJMDmGLvhAazANBgkqhkiG9w0BAQUFADA/ +MSQwIgYDVQQKExtEaWdpdGFsIFNpZ25hdHVyZSBUcnVzdCBDby4xFzAVBgNVBAMT +DkRTVCBSb290IENBIFgzMB4XDTAwMDkzMDIxMTIxOVoXDTIxMDkzMDE0MDExNVow +PzEkMCIGA1UEChMbRGlnaXRhbCBTaWduYXR1cmUgVHJ1c3QgQ28uMRcwFQYDVQQD +Ew5EU1QgUm9vdCBDQSBYMzCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEB +AN+v6ZdQCINXtMxiZfaQguzH0yxrMMpb7NnDfcdAwRgUi+DoM3ZJKuM/IUmTrE4O +rz5Iy2Xu/NMhD2XSKtkyj4zl93ewEnu1lcCJo6m67XMuegwGMoOifooUMM0RoOEq +OLl5CjH9UL2AZd+3UWODyOKIYepLYYHsUmu5ouJLGiifSKOeDNoJjj4XLh7dIN9b +xiqKqy69cK3FCxolkHRyxXtqqzTWMIn/5WgTe1QLyNau7Fqckh49ZLOMxt+/yUFw +7BZy1SbsOFU5Q9D8/RhcQPGX69Wam40dutolucbY38EVAjqr2m7xPi71XAicPNaD +aeQQmxkqtilX4+U9m5/wAl0CAwEAAaNCMEAwDwYDVR0TAQH/BAUwAwEB/zAOBgNV +HQ8BAf8EBAMCAQYwHQYDVR0OBBYEFMSnsaR7LHH62+FLkHX/xBVghYkQMA0GCSqG +SIb3DQEBBQUAA4IBAQCjGiybFwBcqR7uKGY3Or+Dxz9LwwmglSBd49lZRNI+DT69 +ikugdB/OEIKcdBodfpga3csTS7MgROSR6cz8faXbauX+5v3gTt23ADq1cEmv8uXr +AvHRAosZy5Q6XkjEGB5YGV8eAlrwDPGxrancWYaLbumR9YbK+rlmM6pZW87ipxZz +R8srzJmwN0jP41ZL9c8PDHIyh8bwRLtTcm1D9SZImlJnt1ir/md2cXjbDaJWFBM5 +JDGFoqgCWjBH4d1QB7wCCZAA62RjYJsWvIjJEubSfZGL+T0yjWW06XyxV3bqxbYo +Ob8VZRzI9neWagqNdwvYkQsEjgfbKbYK7p2CNTUQ +-----END CERTIFICATE----- + +# Issuer: CN=SwissSign Gold CA - G2 O=SwissSign AG +# Subject: CN=SwissSign Gold CA - G2 O=SwissSign AG +# Label: "SwissSign Gold CA - G2" +# Serial: 13492815561806991280 +# MD5 Fingerprint: 24:77:d9:a8:91:d1:3b:fa:88:2d:c2:ff:f8:cd:33:93 +# SHA1 Fingerprint: d8:c5:38:8a:b7:30:1b:1b:6e:d4:7a:e6:45:25:3a:6f:9f:1a:27:61 +# SHA256 Fingerprint: 62:dd:0b:e9:b9:f5:0a:16:3e:a0:f8:e7:5c:05:3b:1e:ca:57:ea:55:c8:68:8f:64:7c:68:81:f2:c8:35:7b:95 +-----BEGIN CERTIFICATE----- +MIIFujCCA6KgAwIBAgIJALtAHEP1Xk+wMA0GCSqGSIb3DQEBBQUAMEUxCzAJBgNV +BAYTAkNIMRUwEwYDVQQKEwxTd2lzc1NpZ24gQUcxHzAdBgNVBAMTFlN3aXNzU2ln +biBHb2xkIENBIC0gRzIwHhcNMDYxMDI1MDgzMDM1WhcNMzYxMDI1MDgzMDM1WjBF +MQswCQYDVQQGEwJDSDEVMBMGA1UEChMMU3dpc3NTaWduIEFHMR8wHQYDVQQDExZT +d2lzc1NpZ24gR29sZCBDQSAtIEcyMIICIjANBgkqhkiG9w0BAQEFAAOCAg8AMIIC +CgKCAgEAr+TufoskDhJuqVAtFkQ7kpJcyrhdhJJCEyq8ZVeCQD5XJM1QiyUqt2/8 +76LQwB8CJEoTlo8jE+YoWACjR8cGp4QjK7u9lit/VcyLwVcfDmJlD909Vopz2q5+ +bbqBHH5CjCA12UNNhPqE21Is8w4ndwtrvxEvcnifLtg+5hg3Wipy+dpikJKVyh+c +6bM8K8vzARO/Ws/BtQpgvd21mWRTuKCWs2/iJneRjOBiEAKfNA+k1ZIzUd6+jbqE +emA8atufK+ze3gE/bk3lUIbLtK/tREDFylqM2tIrfKjuvqblCqoOpd8FUrdVxyJd +MmqXl2MT28nbeTZ7hTpKxVKJ+STnnXepgv9VHKVxaSvRAiTysybUa9oEVeXBCsdt +MDeQKuSeFDNeFhdVxVu1yzSJkvGdJo+hB9TGsnhQ2wwMC3wLjEHXuendjIj3o02y +MszYF9rNt85mndT9Xv+9lz4pded+p2JYryU0pUHHPbwNUMoDAw8IWh+Vc3hiv69y +FGkOpeUDDniOJihC8AcLYiAQZzlG+qkDzAQ4embvIIO1jEpWjpEA/I5cgt6IoMPi +aG59je883WX0XaxR7ySArqpWl2/5rX3aYT+YdzylkbYcjCbaZaIJbcHiVOO5ykxM +gI93e2CaHt+28kgeDrpOVG2Y4OGiGqJ3UM/EY5LsRxmd6+ZrzsECAwEAAaOBrDCB +qTAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQUWyV7 +lqRlUX64OfPAeGZe6Drn8O4wHwYDVR0jBBgwFoAUWyV7lqRlUX64OfPAeGZe6Drn +8O4wRgYDVR0gBD8wPTA7BglghXQBWQECAQEwLjAsBggrBgEFBQcCARYgaHR0cDov +L3JlcG9zaXRvcnkuc3dpc3NzaWduLmNvbS8wDQYJKoZIhvcNAQEFBQADggIBACe6 +45R88a7A3hfm5djV9VSwg/S7zV4Fe0+fdWavPOhWfvxyeDgD2StiGwC5+OlgzczO +UYrHUDFu4Up+GC9pWbY9ZIEr44OE5iKHjn3g7gKZYbge9LgriBIWhMIxkziWMaa5 +O1M/wySTVltpkuzFwbs4AOPsF6m43Md8AYOfMke6UiI0HTJ6CVanfCU2qT1L2sCC +bwq7EsiHSycR+R4tx5M/nttfJmtS2S6K8RTGRI0Vqbe/vd6mGu6uLftIdxf+u+yv +GPUqUfA5hJeVbG4bwyvEdGB5JbAKJ9/fXtI5z0V9QkvfsywexcZdylU6oJxpmo/a +77KwPJ+HbBIrZXAVUjEaJM9vMSNQH4xPjyPDdEFjHFWoFN0+4FFQz/EbMFYOkrCC +hdiDyyJkvC24JdVUorgG6q2SpCSgwYa1ShNqR88uC1aVVMvOmttqtKay20EIhid3 +92qgQmwLOM7XdVAyksLfKzAiSNDVQTglXaTpXZ/GlHXQRf0wl0OPkKsKx4ZzYEpp +Ld6leNcG2mqeSz53OiATIgHQv2ieY2BrNU0LbbqhPcCT4H8js1WtciVORvnSFu+w +ZMEBnunKoGqYDs/YYPIvSbjkQuE4NRb0yG5P94FW6LqjviOvrv1vA+ACOzB2+htt +Qc8Bsem4yWb02ybzOqR08kkkW8mw0FfB+j564ZfJ +-----END CERTIFICATE----- + +# Issuer: CN=SwissSign Silver CA - G2 O=SwissSign AG +# Subject: CN=SwissSign Silver CA - G2 O=SwissSign AG +# Label: "SwissSign Silver CA - G2" +# Serial: 5700383053117599563 +# MD5 Fingerprint: e0:06:a1:c9:7d:cf:c9:fc:0d:c0:56:75:96:d8:62:13 +# SHA1 Fingerprint: 9b:aa:e5:9f:56:ee:21:cb:43:5a:be:25:93:df:a7:f0:40:d1:1d:cb +# SHA256 Fingerprint: be:6c:4d:a2:bb:b9:ba:59:b6:f3:93:97:68:37:42:46:c3:c0:05:99:3f:a9:8f:02:0d:1d:ed:be:d4:8a:81:d5 +-----BEGIN CERTIFICATE----- +MIIFvTCCA6WgAwIBAgIITxvUL1S7L0swDQYJKoZIhvcNAQEFBQAwRzELMAkGA1UE +BhMCQ0gxFTATBgNVBAoTDFN3aXNzU2lnbiBBRzEhMB8GA1UEAxMYU3dpc3NTaWdu +IFNpbHZlciBDQSAtIEcyMB4XDTA2MTAyNTA4MzI0NloXDTM2MTAyNTA4MzI0Nlow +RzELMAkGA1UEBhMCQ0gxFTATBgNVBAoTDFN3aXNzU2lnbiBBRzEhMB8GA1UEAxMY +U3dpc3NTaWduIFNpbHZlciBDQSAtIEcyMIICIjANBgkqhkiG9w0BAQEFAAOCAg8A +MIICCgKCAgEAxPGHf9N4Mfc4yfjDmUO8x/e8N+dOcbpLj6VzHVxumK4DV644N0Mv +Fz0fyM5oEMF4rhkDKxD6LHmD9ui5aLlV8gREpzn5/ASLHvGiTSf5YXu6t+WiE7br +YT7QbNHm+/pe7R20nqA1W6GSy/BJkv6FCgU+5tkL4k+73JU3/JHpMjUi0R86TieF +nbAVlDLaYQ1HTWBCrpJH6INaUFjpiou5XaHc3ZlKHzZnu0jkg7Y360g6rw9njxcH +6ATK72oxh9TAtvmUcXtnZLi2kUpCe2UuMGoM9ZDulebyzYLs2aFK7PayS+VFheZt +eJMELpyCbTapxDFkH4aDCyr0NQp4yVXPQbBH6TCfmb5hqAaEuSh6XzjZG6k4sIN/ +c8HDO0gqgg8hm7jMqDXDhBuDsz6+pJVpATqJAHgE2cn0mRmrVn5bi4Y5FZGkECwJ +MoBgs5PAKrYYC51+jUnyEEp/+dVGLxmSo5mnJqy7jDzmDrxHB9xzUfFwZC8I+bRH +HTBsROopN4WSaGa8gzj+ezku01DwH/teYLappvonQfGbGHLy9YR0SslnxFSuSGTf +jNFusB3hB48IHpmccelM2KX3RxIfdNFRnobzwqIjQAtz20um53MGjMGg6cFZrEb6 +5i/4z3GcRm25xBWNOHkDRUjvxF3XCO6HOSKGsg0PWEP3calILv3q1h8CAwEAAaOB +rDCBqTAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQU +F6DNweRBtjpbO8tFnb0cwpj6hlgwHwYDVR0jBBgwFoAUF6DNweRBtjpbO8tFnb0c +wpj6hlgwRgYDVR0gBD8wPTA7BglghXQBWQEDAQEwLjAsBggrBgEFBQcCARYgaHR0 +cDovL3JlcG9zaXRvcnkuc3dpc3NzaWduLmNvbS8wDQYJKoZIhvcNAQEFBQADggIB +AHPGgeAn0i0P4JUw4ppBf1AsX19iYamGamkYDHRJ1l2E6kFSGG9YrVBWIGrGvShp +WJHckRE1qTodvBqlYJ7YH39FkWnZfrt4csEGDyrOj4VwYaygzQu4OSlWhDJOhrs9 +xCrZ1x9y7v5RoSJBsXECYxqCsGKrXlcSH9/L3XWgwF15kIwb4FDm3jH+mHtwX6WQ +2K34ArZv02DdQEsixT2tOnqfGhpHkXkzuoLcMmkDlm4fS/Bx/uNncqCxv1yL5PqZ +IseEuRuNI5c/7SXgz2W79WEE790eslpBIlqhn10s6FvJbakMDHiqYMZWjwFaDGi8 +aRl5xB9+lwW/xekkUV7U1UtT7dkjWjYDZaPBA61BMPNGG4WQr2W11bHkFlt4dR2X +em1ZqSqPe97Dh4kQmUlzeMg9vVE1dCrV8X5pGyq7O70luJpaPXJhkGaH7gzWTdQR +dAtq/gsD/KNVV4n+SsuuWxcFyPKNIzFTONItaj+CuY0IavdeQXRuwxF+B6wpYJE/ +OMpXEA29MC/HpeZBoNquBYeaoKRlbEwJDIm6uNO5wJOKMPqN5ZprFQFOZ6raYlY+ +hAhm0sQ2fac+EPyI4NSA5QC9qvNOBqN6avlicuMJT+ubDgEj8Z+7fNzcbBGXJbLy +tGMU0gYqZ4yD9c7qB9iaah7s5Aq7KkzrCWA5zspi2C5u +-----END CERTIFICATE----- + +# Issuer: CN=GeoTrust Primary Certification Authority O=GeoTrust Inc. +# Subject: CN=GeoTrust Primary Certification Authority O=GeoTrust Inc. +# Label: "GeoTrust Primary Certification Authority" +# Serial: 32798226551256963324313806436981982369 +# MD5 Fingerprint: 02:26:c3:01:5e:08:30:37:43:a9:d0:7d:cf:37:e6:bf +# SHA1 Fingerprint: 32:3c:11:8e:1b:f7:b8:b6:52:54:e2:e2:10:0d:d6:02:90:37:f0:96 +# SHA256 Fingerprint: 37:d5:10:06:c5:12:ea:ab:62:64:21:f1:ec:8c:92:01:3f:c5:f8:2a:e9:8e:e5:33:eb:46:19:b8:de:b4:d0:6c +-----BEGIN CERTIFICATE----- +MIIDfDCCAmSgAwIBAgIQGKy1av1pthU6Y2yv2vrEoTANBgkqhkiG9w0BAQUFADBY +MQswCQYDVQQGEwJVUzEWMBQGA1UEChMNR2VvVHJ1c3QgSW5jLjExMC8GA1UEAxMo +R2VvVHJ1c3QgUHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAeFw0wNjEx +MjcwMDAwMDBaFw0zNjA3MTYyMzU5NTlaMFgxCzAJBgNVBAYTAlVTMRYwFAYDVQQK +Ew1HZW9UcnVzdCBJbmMuMTEwLwYDVQQDEyhHZW9UcnVzdCBQcmltYXJ5IENlcnRp +ZmljYXRpb24gQXV0aG9yaXR5MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKC +AQEAvrgVe//UfH1nrYNke8hCUy3f9oQIIGHWAVlqnEQRr+92/ZV+zmEwu3qDXwK9 +AWbK7hWNb6EwnL2hhZ6UOvNWiAAxz9juapYC2e0DjPt1befquFUWBRaa9OBesYjA +ZIVcFU2Ix7e64HXprQU9nceJSOC7KMgD4TCTZF5SwFlwIjVXiIrxlQqD17wxcwE0 +7e9GceBrAqg1cmuXm2bgyxx5X9gaBGgeRwLmnWDiNpcB3841kt++Z8dtd1k7j53W +kBWUvEI0EME5+bEnPn7WinXFsq+W06Lem+SYvn3h6YGttm/81w7a4DSwDRp35+MI +mO9Y+pyEtzavwt+s0vQQBnBxNQIDAQABo0IwQDAPBgNVHRMBAf8EBTADAQH/MA4G +A1UdDwEB/wQEAwIBBjAdBgNVHQ4EFgQULNVQQZcVi/CPNmFbSvtr2ZnJM5IwDQYJ +KoZIhvcNAQEFBQADggEBAFpwfyzdtzRP9YZRqSa+S7iq8XEN3GHHoOo0Hnp3DwQ1 +6CePbJC/kRYkRj5KTs4rFtULUh38H2eiAkUxT87z+gOneZ1TatnaYzr4gNfTmeGl +4b7UVXGYNTq+k+qurUKykG/g/CFNNWMziUnWm07Kx+dOCQD32sfvmWKZd7aVIl6K +oKv0uHiYyjgZmclynnjNS6yvGaBzEi38wkG6gZHaFloxt/m0cYASSJlyc1pZU8Fj +UjPtp8nSOQJw+uCxQmYpqptR7TBUIhRf2asdweSU8Pj1K/fqynhG1riR/aYNKxoU +AT6A8EKglQdebc3MS6RFjasS6LPeWuWgfOgPIh1a6Vk= +-----END CERTIFICATE----- + +# Issuer: CN=thawte Primary Root CA O=thawte, Inc. OU=Certification Services Division/(c) 2006 thawte, Inc. - For authorized use only +# Subject: CN=thawte Primary Root CA O=thawte, Inc. OU=Certification Services Division/(c) 2006 thawte, Inc. - For authorized use only +# Label: "thawte Primary Root CA" +# Serial: 69529181992039203566298953787712940909 +# MD5 Fingerprint: 8c:ca:dc:0b:22:ce:f5:be:72:ac:41:1a:11:a8:d8:12 +# SHA1 Fingerprint: 91:c6:d6:ee:3e:8a:c8:63:84:e5:48:c2:99:29:5c:75:6c:81:7b:81 +# SHA256 Fingerprint: 8d:72:2f:81:a9:c1:13:c0:79:1d:f1:36:a2:96:6d:b2:6c:95:0a:97:1d:b4:6b:41:99:f4:ea:54:b7:8b:fb:9f +-----BEGIN CERTIFICATE----- +MIIEIDCCAwigAwIBAgIQNE7VVyDV7exJ9C/ON9srbTANBgkqhkiG9w0BAQUFADCB +qTELMAkGA1UEBhMCVVMxFTATBgNVBAoTDHRoYXd0ZSwgSW5jLjEoMCYGA1UECxMf +Q2VydGlmaWNhdGlvbiBTZXJ2aWNlcyBEaXZpc2lvbjE4MDYGA1UECxMvKGMpIDIw +MDYgdGhhd3RlLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxHzAdBgNV +BAMTFnRoYXd0ZSBQcmltYXJ5IFJvb3QgQ0EwHhcNMDYxMTE3MDAwMDAwWhcNMzYw +NzE2MjM1OTU5WjCBqTELMAkGA1UEBhMCVVMxFTATBgNVBAoTDHRoYXd0ZSwgSW5j +LjEoMCYGA1UECxMfQ2VydGlmaWNhdGlvbiBTZXJ2aWNlcyBEaXZpc2lvbjE4MDYG +A1UECxMvKGMpIDIwMDYgdGhhd3RlLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNl +IG9ubHkxHzAdBgNVBAMTFnRoYXd0ZSBQcmltYXJ5IFJvb3QgQ0EwggEiMA0GCSqG +SIb3DQEBAQUAA4IBDwAwggEKAoIBAQCsoPD7gFnUnMekz52hWXMJEEUMDSxuaPFs +W0hoSVk3/AszGcJ3f8wQLZU0HObrTQmnHNK4yZc2AreJ1CRfBsDMRJSUjQJib+ta +3RGNKJpchJAQeg29dGYvajig4tVUROsdB58Hum/u6f1OCyn1PoSgAfGcq/gcfomk +6KHYcWUNo1F77rzSImANuVud37r8UVsLr5iy6S7pBOhih94ryNdOwUxkHt3Ph1i6 +Sk/KaAcdHJ1KxtUvkcx8cXIcxcBn6zL9yZJclNqFwJu/U30rCfSMnZEfl2pSy94J +NqR32HuHUETVPm4pafs5SSYeCaWAe0At6+gnhcn+Yf1+5nyXHdWdAgMBAAGjQjBA +MA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0GA1UdDgQWBBR7W0XP +r87Lev0xkhpqtvNG61dIUDANBgkqhkiG9w0BAQUFAAOCAQEAeRHAS7ORtvzw6WfU +DW5FvlXok9LOAz/t2iWwHVfLHjp2oEzsUHboZHIMpKnxuIvW1oeEuzLlQRHAd9mz +YJ3rG9XRbkREqaYB7FViHXe4XI5ISXycO1cRrK1zN44veFyQaEfZYGDm/Ac9IiAX +xPcW6cTYcvnIc3zfFi8VqT79aie2oetaupgf1eNNZAqdE8hhuvU5HIe6uL17In/2 +/qxAeeWsEG89jxt5dovEN7MhGITlNgDrYyCZuen+MwS7QcjBAvlEYyCegc5C09Y/ +LHbTY5xZ3Y+m4Q6gLkH3LpVHz7z9M/P2C2F+fpErgUfCJzDupxBdN49cOSvkBPB7 +jVaMaA== +-----END CERTIFICATE----- + +# Issuer: CN=VeriSign Class 3 Public Primary Certification Authority - G5 O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 2006 VeriSign, Inc. - For authorized use only +# Subject: CN=VeriSign Class 3 Public Primary Certification Authority - G5 O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 2006 VeriSign, Inc. - For authorized use only +# Label: "VeriSign Class 3 Public Primary Certification Authority - G5" +# Serial: 33037644167568058970164719475676101450 +# MD5 Fingerprint: cb:17:e4:31:67:3e:e2:09:fe:45:57:93:f3:0a:fa:1c +# SHA1 Fingerprint: 4e:b6:d5:78:49:9b:1c:cf:5f:58:1e:ad:56:be:3d:9b:67:44:a5:e5 +# SHA256 Fingerprint: 9a:cf:ab:7e:43:c8:d8:80:d0:6b:26:2a:94:de:ee:e4:b4:65:99:89:c3:d0:ca:f1:9b:af:64:05:e4:1a:b7:df +-----BEGIN CERTIFICATE----- +MIIE0zCCA7ugAwIBAgIQGNrRniZ96LtKIVjNzGs7SjANBgkqhkiG9w0BAQUFADCB +yjELMAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQL +ExZWZXJpU2lnbiBUcnVzdCBOZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwNiBWZXJp +U2lnbiwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MUUwQwYDVQQDEzxW +ZXJpU2lnbiBDbGFzcyAzIFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0 +aG9yaXR5IC0gRzUwHhcNMDYxMTA4MDAwMDAwWhcNMzYwNzE2MjM1OTU5WjCByjEL +MAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQLExZW +ZXJpU2lnbiBUcnVzdCBOZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwNiBWZXJpU2ln +biwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MUUwQwYDVQQDEzxWZXJp +U2lnbiBDbGFzcyAzIFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0aG9y +aXR5IC0gRzUwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCvJAgIKXo1 +nmAMqudLO07cfLw8RRy7K+D+KQL5VwijZIUVJ/XxrcgxiV0i6CqqpkKzj/i5Vbex +t0uz/o9+B1fs70PbZmIVYc9gDaTY3vjgw2IIPVQT60nKWVSFJuUrjxuf6/WhkcIz +SdhDY2pSS9KP6HBRTdGJaXvHcPaz3BJ023tdS1bTlr8Vd6Gw9KIl8q8ckmcY5fQG +BO+QueQA5N06tRn/Arr0PO7gi+s3i+z016zy9vA9r911kTMZHRxAy3QkGSGT2RT+ +rCpSx4/VBEnkjWNHiDxpg8v+R70rfk/Fla4OndTRQ8Bnc+MUCH7lP59zuDMKz10/ +NIeWiu5T6CUVAgMBAAGjgbIwga8wDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8E +BAMCAQYwbQYIKwYBBQUHAQwEYTBfoV2gWzBZMFcwVRYJaW1hZ2UvZ2lmMCEwHzAH +BgUrDgMCGgQUj+XTGoasjY5rw8+AatRIGCx7GS4wJRYjaHR0cDovL2xvZ28udmVy +aXNpZ24uY29tL3ZzbG9nby5naWYwHQYDVR0OBBYEFH/TZafC3ey78DAJ80M5+gKv +MzEzMA0GCSqGSIb3DQEBBQUAA4IBAQCTJEowX2LP2BqYLz3q3JktvXf2pXkiOOzE +p6B4Eq1iDkVwZMXnl2YtmAl+X6/WzChl8gGqCBpH3vn5fJJaCGkgDdk+bW48DW7Y +5gaRQBi5+MHt39tBquCWIMnNZBU4gcmU7qKEKQsTb47bDN0lAtukixlE0kF6BWlK +WE9gyn6CagsCqiUXObXbf+eEZSqVir2G3l6BFoMtEMze/aiCKm0oHw0LxOXnGiYZ +4fQRbxC1lfznQgUy286dUV4otp6F01vvpX1FQHKOtw5rDgb7MzVIcbidJ4vEZV8N +hnacRHr2lVz2XTIIM6RUthg/aFzyQkqFOFSDX9HoLPKsEdao7WNq +-----END CERTIFICATE----- + +# Issuer: CN=SecureTrust CA O=SecureTrust Corporation +# Subject: CN=SecureTrust CA O=SecureTrust Corporation +# Label: "SecureTrust CA" +# Serial: 17199774589125277788362757014266862032 +# MD5 Fingerprint: dc:32:c3:a7:6d:25:57:c7:68:09:9d:ea:2d:a9:a2:d1 +# SHA1 Fingerprint: 87:82:c6:c3:04:35:3b:cf:d2:96:92:d2:59:3e:7d:44:d9:34:ff:11 +# SHA256 Fingerprint: f1:c1:b5:0a:e5:a2:0d:d8:03:0e:c9:f6:bc:24:82:3d:d3:67:b5:25:57:59:b4:e7:1b:61:fc:e9:f7:37:5d:73 +-----BEGIN CERTIFICATE----- +MIIDuDCCAqCgAwIBAgIQDPCOXAgWpa1Cf/DrJxhZ0DANBgkqhkiG9w0BAQUFADBI +MQswCQYDVQQGEwJVUzEgMB4GA1UEChMXU2VjdXJlVHJ1c3QgQ29ycG9yYXRpb24x +FzAVBgNVBAMTDlNlY3VyZVRydXN0IENBMB4XDTA2MTEwNzE5MzExOFoXDTI5MTIz +MTE5NDA1NVowSDELMAkGA1UEBhMCVVMxIDAeBgNVBAoTF1NlY3VyZVRydXN0IENv +cnBvcmF0aW9uMRcwFQYDVQQDEw5TZWN1cmVUcnVzdCBDQTCCASIwDQYJKoZIhvcN +AQEBBQADggEPADCCAQoCggEBAKukgeWVzfX2FI7CT8rU4niVWJxB4Q2ZQCQXOZEz +Zum+4YOvYlyJ0fwkW2Gz4BERQRwdbvC4u/jep4G6pkjGnx29vo6pQT64lO0pGtSO +0gMdA+9tDWccV9cGrcrI9f4Or2YlSASWC12juhbDCE/RRvgUXPLIXgGZbf2IzIao +wW8xQmxSPmjL8xk037uHGFaAJsTQ3MBv396gwpEWoGQRS0S8Hvbn+mPeZqx2pHGj +7DaUaHp3pLHnDi+BeuK1cobvomuL8A/b01k/unK8RCSc43Oz969XL0Imnal0ugBS +8kvNU3xHCzaFDmapCJcWNFfBZveA4+1wVMeT4C4oFVmHursCAwEAAaOBnTCBmjAT +BgkrBgEEAYI3FAIEBh4EAEMAQTALBgNVHQ8EBAMCAYYwDwYDVR0TAQH/BAUwAwEB +/zAdBgNVHQ4EFgQUQjK2FvoE/f5dS3rD/fdMQB1aQ68wNAYDVR0fBC0wKzApoCeg +JYYjaHR0cDovL2NybC5zZWN1cmV0cnVzdC5jb20vU1RDQS5jcmwwEAYJKwYBBAGC +NxUBBAMCAQAwDQYJKoZIhvcNAQEFBQADggEBADDtT0rhWDpSclu1pqNlGKa7UTt3 +6Z3q059c4EVlew3KW+JwULKUBRSuSceNQQcSc5R+DCMh/bwQf2AQWnL1mA6s7Ll/ +3XpvXdMc9P+IBWlCqQVxyLesJugutIxq/3HcuLHfmbx8IVQr5Fiiu1cprp6poxkm +D5kuCLDv/WnPmRoJjeOnnyvJNjR7JLN4TJUXpAYmHrZkUjZfYGfZnMUFdAvnZyPS +CPyI6a6Lf+Ew9Dd+/cYy2i2eRDAwbO4H3tI0/NL/QPZL9GZGBlSm8jIKYyYwa5vR +3ItHuuG51WLQoqD0ZwV4KWMabwTW+MZMo5qxN7SN5ShLHZ4swrhovO0C7jE= +-----END CERTIFICATE----- + +# Issuer: CN=Secure Global CA O=SecureTrust Corporation +# Subject: CN=Secure Global CA O=SecureTrust Corporation +# Label: "Secure Global CA" +# Serial: 9751836167731051554232119481456978597 +# MD5 Fingerprint: cf:f4:27:0d:d4:ed:dc:65:16:49:6d:3d:da:bf:6e:de +# SHA1 Fingerprint: 3a:44:73:5a:e5:81:90:1f:24:86:61:46:1e:3b:9c:c4:5f:f5:3a:1b +# SHA256 Fingerprint: 42:00:f5:04:3a:c8:59:0e:bb:52:7d:20:9e:d1:50:30:29:fb:cb:d4:1c:a1:b5:06:ec:27:f1:5a:de:7d:ac:69 +-----BEGIN CERTIFICATE----- +MIIDvDCCAqSgAwIBAgIQB1YipOjUiolN9BPI8PjqpTANBgkqhkiG9w0BAQUFADBK +MQswCQYDVQQGEwJVUzEgMB4GA1UEChMXU2VjdXJlVHJ1c3QgQ29ycG9yYXRpb24x +GTAXBgNVBAMTEFNlY3VyZSBHbG9iYWwgQ0EwHhcNMDYxMTA3MTk0MjI4WhcNMjkx +MjMxMTk1MjA2WjBKMQswCQYDVQQGEwJVUzEgMB4GA1UEChMXU2VjdXJlVHJ1c3Qg +Q29ycG9yYXRpb24xGTAXBgNVBAMTEFNlY3VyZSBHbG9iYWwgQ0EwggEiMA0GCSqG +SIb3DQEBAQUAA4IBDwAwggEKAoIBAQCvNS7YrGxVaQZx5RNoJLNP2MwhR/jxYDiJ +iQPpvepeRlMJ3Fz1Wuj3RSoC6zFh1ykzTM7HfAo3fg+6MpjhHZevj8fcyTiW89sa +/FHtaMbQbqR8JNGuQsiWUGMu4P51/pinX0kuleM5M2SOHqRfkNJnPLLZ/kG5VacJ +jnIFHovdRIWCQtBJwB1g8NEXLJXr9qXBkqPFwqcIYA1gBBCWeZ4WNOaptvolRTnI +HmX5k/Wq8VLcmZg9pYYaDDUz+kulBAYVHDGA76oYa8J719rO+TMg1fW9ajMtgQT7 +sFzUnKPiXB3jqUJ1XnvUd+85VLrJChgbEplJL4hL/VBi0XPnj3pDAgMBAAGjgZ0w +gZowEwYJKwYBBAGCNxQCBAYeBABDAEEwCwYDVR0PBAQDAgGGMA8GA1UdEwEB/wQF +MAMBAf8wHQYDVR0OBBYEFK9EBMJBfkiD2045AuzshHrmzsmkMDQGA1UdHwQtMCsw +KaAnoCWGI2h0dHA6Ly9jcmwuc2VjdXJldHJ1c3QuY29tL1NHQ0EuY3JsMBAGCSsG +AQQBgjcVAQQDAgEAMA0GCSqGSIb3DQEBBQUAA4IBAQBjGghAfaReUw132HquHw0L +URYD7xh8yOOvaliTFGCRsoTciE6+OYo68+aCiV0BN7OrJKQVDpI1WkpEXk5X+nXO +H0jOZvQ8QCaSmGwb7iRGDBezUqXbpZGRzzfTb+cnCDpOGR86p1hcF895P4vkp9Mm +I50mD1hp/Ed+stCNi5O/KU9DaXR2Z0vPB4zmAve14bRDtUstFJ/53CYNv6ZHdAbY +iNE6KTCEztI5gGIbqMdXSbxqVVFnFUq+NQfk1XWYN3kwFNspnWzFacxHVaIw98xc +f8LDmBxrThaA63p4ZUWiABqvDA1VZDRIuJK58bRQKfJPIx/abKwfROHdI3hRW8cW +-----END CERTIFICATE----- + +# Issuer: CN=COMODO Certification Authority O=COMODO CA Limited +# Subject: CN=COMODO Certification Authority O=COMODO CA Limited +# Label: "COMODO Certification Authority" +# Serial: 104350513648249232941998508985834464573 +# MD5 Fingerprint: 5c:48:dc:f7:42:72:ec:56:94:6d:1c:cc:71:35:80:75 +# SHA1 Fingerprint: 66:31:bf:9e:f7:4f:9e:b6:c9:d5:a6:0c:ba:6a:be:d1:f7:bd:ef:7b +# SHA256 Fingerprint: 0c:2c:d6:3d:f7:80:6f:a3:99:ed:e8:09:11:6b:57:5b:f8:79:89:f0:65:18:f9:80:8c:86:05:03:17:8b:af:66 +-----BEGIN CERTIFICATE----- +MIIEHTCCAwWgAwIBAgIQToEtioJl4AsC7j41AkblPTANBgkqhkiG9w0BAQUFADCB +gTELMAkGA1UEBhMCR0IxGzAZBgNVBAgTEkdyZWF0ZXIgTWFuY2hlc3RlcjEQMA4G +A1UEBxMHU2FsZm9yZDEaMBgGA1UEChMRQ09NT0RPIENBIExpbWl0ZWQxJzAlBgNV +BAMTHkNPTU9ETyBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAeFw0wNjEyMDEwMDAw +MDBaFw0yOTEyMzEyMzU5NTlaMIGBMQswCQYDVQQGEwJHQjEbMBkGA1UECBMSR3Jl +YXRlciBNYW5jaGVzdGVyMRAwDgYDVQQHEwdTYWxmb3JkMRowGAYDVQQKExFDT01P +RE8gQ0EgTGltaXRlZDEnMCUGA1UEAxMeQ09NT0RPIENlcnRpZmljYXRpb24gQXV0 +aG9yaXR5MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA0ECLi3LjkRv3 +UcEbVASY06m/weaKXTuH+7uIzg3jLz8GlvCiKVCZrts7oVewdFFxze1CkU1B/qnI +2GqGd0S7WWaXUF601CxwRM/aN5VCaTwwxHGzUvAhTaHYujl8HJ6jJJ3ygxaYqhZ8 +Q5sVW7euNJH+1GImGEaaP+vB+fGQV+useg2L23IwambV4EajcNxo2f8ESIl33rXp ++2dtQem8Ob0y2WIC8bGoPW43nOIv4tOiJovGuFVDiOEjPqXSJDlqR6sA1KGzqSX+ +DT+nHbrTUcELpNqsOO9VUCQFZUaTNE8tja3G1CEZ0o7KBWFxB3NH5YoZEr0ETc5O +nKVIrLsm9wIDAQABo4GOMIGLMB0GA1UdDgQWBBQLWOWLxkwVN6RAqTCpIb5HNlpW +/zAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB/zBJBgNVHR8EQjBAMD6g +PKA6hjhodHRwOi8vY3JsLmNvbW9kb2NhLmNvbS9DT01PRE9DZXJ0aWZpY2F0aW9u +QXV0aG9yaXR5LmNybDANBgkqhkiG9w0BAQUFAAOCAQEAPpiem/Yb6dc5t3iuHXIY +SdOH5EOC6z/JqvWote9VfCFSZfnVDeFs9D6Mk3ORLgLETgdxb8CPOGEIqB6BCsAv +IC9Bi5HcSEW88cbeunZrM8gALTFGTO3nnc+IlP8zwFboJIYmuNg4ON8qa90SzMc/ +RxdMosIGlgnW2/4/PEZB31jiVg88O8EckzXZOFKs7sjsLjBOlDW0JB9LeGna8gI4 +zJVSk/BwJVmcIGfE7vmLV2H0knZ9P4SNVbfo5azV8fUZVqZa+5Acr5Pr5RzUZ5dd +BA6+C4OmF4O5MBKgxTMVBbkN+8cFduPYSo38NBejxiEovjBFMR7HeL5YYTisO+IB +ZQ== +-----END CERTIFICATE----- + +# Issuer: CN=Network Solutions Certificate Authority O=Network Solutions L.L.C. +# Subject: CN=Network Solutions Certificate Authority O=Network Solutions L.L.C. +# Label: "Network Solutions Certificate Authority" +# Serial: 116697915152937497490437556386812487904 +# MD5 Fingerprint: d3:f3:a6:16:c0:fa:6b:1d:59:b1:2d:96:4d:0e:11:2e +# SHA1 Fingerprint: 74:f8:a3:c3:ef:e7:b3:90:06:4b:83:90:3c:21:64:60:20:e5:df:ce +# SHA256 Fingerprint: 15:f0:ba:00:a3:ac:7a:f3:ac:88:4c:07:2b:10:11:a0:77:bd:77:c0:97:f4:01:64:b2:f8:59:8a:bd:83:86:0c +-----BEGIN CERTIFICATE----- +MIID5jCCAs6gAwIBAgIQV8szb8JcFuZHFhfjkDFo4DANBgkqhkiG9w0BAQUFADBi +MQswCQYDVQQGEwJVUzEhMB8GA1UEChMYTmV0d29yayBTb2x1dGlvbnMgTC5MLkMu +MTAwLgYDVQQDEydOZXR3b3JrIFNvbHV0aW9ucyBDZXJ0aWZpY2F0ZSBBdXRob3Jp +dHkwHhcNMDYxMjAxMDAwMDAwWhcNMjkxMjMxMjM1OTU5WjBiMQswCQYDVQQGEwJV +UzEhMB8GA1UEChMYTmV0d29yayBTb2x1dGlvbnMgTC5MLkMuMTAwLgYDVQQDEydO +ZXR3b3JrIFNvbHV0aW9ucyBDZXJ0aWZpY2F0ZSBBdXRob3JpdHkwggEiMA0GCSqG +SIb3DQEBAQUAA4IBDwAwggEKAoIBAQDkvH6SMG3G2I4rC7xGzuAnlt7e+foS0zwz +c7MEL7xxjOWftiJgPl9dzgn/ggwbmlFQGiaJ3dVhXRncEg8tCqJDXRfQNJIg6nPP +OCwGJgl6cvf6UDL4wpPTaaIjzkGxzOTVHzbRijr4jGPiFFlp7Q3Tf2vouAPlT2rl +mGNpSAW+Lv8ztumXWWn4Zxmuk2GWRBXTcrA/vGp97Eh/jcOrqnErU2lBUzS1sLnF +BgrEsEX1QV1uiUV7PTsmjHTC5dLRfbIR1PtYMiKagMnc/Qzpf14Dl847ABSHJ3A4 +qY5usyd2mFHgBeMhqxrVhSI8KbWaFsWAqPS7azCPL0YCorEMIuDTAgMBAAGjgZcw +gZQwHQYDVR0OBBYEFCEwyfsA106Y2oeqKtCnLrFAMadMMA4GA1UdDwEB/wQEAwIB +BjAPBgNVHRMBAf8EBTADAQH/MFIGA1UdHwRLMEkwR6BFoEOGQWh0dHA6Ly9jcmwu +bmV0c29sc3NsLmNvbS9OZXR3b3JrU29sdXRpb25zQ2VydGlmaWNhdGVBdXRob3Jp +dHkuY3JsMA0GCSqGSIb3DQEBBQUAA4IBAQC7rkvnt1frf6ott3NHhWrB5KUd5Oc8 +6fRZZXe1eltajSU24HqXLjjAV2CDmAaDn7l2em5Q4LqILPxFzBiwmZVRDuwduIj/ +h1AcgsLj4DKAv6ALR8jDMe+ZZzKATxcheQxpXN5eNK4CtSbqUN9/GGUsyfJj4akH +/nxxH2szJGoeBfcFaMBqEssuXmHLrijTfsK0ZpEmXzwuJF/LWA/rKOyvEZbz3Htv +wKeI8lN3s2Berq4o2jUsbzRF0ybh3uxbTydrFny9RAQYgrOJeRcQcT16ohZO9QHN +pGxlaKFJdlxDydi8NmdspZS11My5vWo1ViHe2MPr+8ukYEywVaCge1ey +-----END CERTIFICATE----- + +# Issuer: CN=COMODO ECC Certification Authority O=COMODO CA Limited +# Subject: CN=COMODO ECC Certification Authority O=COMODO CA Limited +# Label: "COMODO ECC Certification Authority" +# Serial: 41578283867086692638256921589707938090 +# MD5 Fingerprint: 7c:62:ff:74:9d:31:53:5e:68:4a:d5:78:aa:1e:bf:23 +# SHA1 Fingerprint: 9f:74:4e:9f:2b:4d:ba:ec:0f:31:2c:50:b6:56:3b:8e:2d:93:c3:11 +# SHA256 Fingerprint: 17:93:92:7a:06:14:54:97:89:ad:ce:2f:8f:34:f7:f0:b6:6d:0f:3a:e3:a3:b8:4d:21:ec:15:db:ba:4f:ad:c7 +-----BEGIN CERTIFICATE----- +MIICiTCCAg+gAwIBAgIQH0evqmIAcFBUTAGem2OZKjAKBggqhkjOPQQDAzCBhTEL +MAkGA1UEBhMCR0IxGzAZBgNVBAgTEkdyZWF0ZXIgTWFuY2hlc3RlcjEQMA4GA1UE +BxMHU2FsZm9yZDEaMBgGA1UEChMRQ09NT0RPIENBIExpbWl0ZWQxKzApBgNVBAMT +IkNPTU9ETyBFQ0MgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkwHhcNMDgwMzA2MDAw +MDAwWhcNMzgwMTE4MjM1OTU5WjCBhTELMAkGA1UEBhMCR0IxGzAZBgNVBAgTEkdy +ZWF0ZXIgTWFuY2hlc3RlcjEQMA4GA1UEBxMHU2FsZm9yZDEaMBgGA1UEChMRQ09N +T0RPIENBIExpbWl0ZWQxKzApBgNVBAMTIkNPTU9ETyBFQ0MgQ2VydGlmaWNhdGlv +biBBdXRob3JpdHkwdjAQBgcqhkjOPQIBBgUrgQQAIgNiAAQDR3svdcmCFYX7deSR +FtSrYpn1PlILBs5BAH+X4QokPB0BBO490o0JlwzgdeT6+3eKKvUDYEs2ixYjFq0J +cfRK9ChQtP6IHG4/bC8vCVlbpVsLM5niwz2J+Wos77LTBumjQjBAMB0GA1UdDgQW +BBR1cacZSBm8nZ3qQUfflMRId5nTeTAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/ +BAUwAwEB/zAKBggqhkjOPQQDAwNoADBlAjEA7wNbeqy3eApyt4jf/7VGFAkK+qDm +fQjGGoe9GKhzvSbKYAydzpmfz1wPMOG+FDHqAjAU9JM8SaczepBGR7NjfRObTrdv +GDeAU/7dIOA1mjbRxwG55tzd8/8dLDoWV9mSOdY= +-----END CERTIFICATE----- + +# Issuer: CN=OISTE WISeKey Global Root GA CA O=WISeKey OU=Copyright (c) 2005/OISTE Foundation Endorsed +# Subject: CN=OISTE WISeKey Global Root GA CA O=WISeKey OU=Copyright (c) 2005/OISTE Foundation Endorsed +# Label: "OISTE WISeKey Global Root GA CA" +# Serial: 86718877871133159090080555911823548314 +# MD5 Fingerprint: bc:6c:51:33:a7:e9:d3:66:63:54:15:72:1b:21:92:93 +# SHA1 Fingerprint: 59:22:a1:e1:5a:ea:16:35:21:f8:98:39:6a:46:46:b0:44:1b:0f:a9 +# SHA256 Fingerprint: 41:c9:23:86:6a:b4:ca:d6:b7:ad:57:80:81:58:2e:02:07:97:a6:cb:df:4f:ff:78:ce:83:96:b3:89:37:d7:f5 +-----BEGIN CERTIFICATE----- +MIID8TCCAtmgAwIBAgIQQT1yx/RrH4FDffHSKFTfmjANBgkqhkiG9w0BAQUFADCB +ijELMAkGA1UEBhMCQ0gxEDAOBgNVBAoTB1dJU2VLZXkxGzAZBgNVBAsTEkNvcHly +aWdodCAoYykgMjAwNTEiMCAGA1UECxMZT0lTVEUgRm91bmRhdGlvbiBFbmRvcnNl +ZDEoMCYGA1UEAxMfT0lTVEUgV0lTZUtleSBHbG9iYWwgUm9vdCBHQSBDQTAeFw0w +NTEyMTExNjAzNDRaFw0zNzEyMTExNjA5NTFaMIGKMQswCQYDVQQGEwJDSDEQMA4G +A1UEChMHV0lTZUtleTEbMBkGA1UECxMSQ29weXJpZ2h0IChjKSAyMDA1MSIwIAYD +VQQLExlPSVNURSBGb3VuZGF0aW9uIEVuZG9yc2VkMSgwJgYDVQQDEx9PSVNURSBX +SVNlS2V5IEdsb2JhbCBSb290IEdBIENBMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8A +MIIBCgKCAQEAy0+zAJs9Nt350UlqaxBJH+zYK7LG+DKBKUOVTJoZIyEVRd7jyBxR +VVuuk+g3/ytr6dTqvirdqFEr12bDYVxgAsj1znJ7O7jyTmUIms2kahnBAbtzptf2 +w93NvKSLtZlhuAGio9RN1AU9ka34tAhxZK9w8RxrfvbDd50kc3vkDIzh2TbhmYsF +mQvtRTEJysIA2/dyoJaqlYfQjse2YXMNdmaM3Bu0Y6Kff5MTMPGhJ9vZ/yxViJGg +4E8HsChWjBgbl0SOid3gF27nKu+POQoxhILYQBRJLnpB5Kf+42TMwVlxSywhp1t9 +4B3RLoGbw9ho972WG6xwsRYUC9tguSYBBQIDAQABo1EwTzALBgNVHQ8EBAMCAYYw +DwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQUswN+rja8sHnR3JQmthG+IbJphpQw +EAYJKwYBBAGCNxUBBAMCAQAwDQYJKoZIhvcNAQEFBQADggEBAEuh/wuHbrP5wUOx +SPMowB0uyQlB+pQAHKSkq0lPjz0e701vvbyk9vImMMkQyh2I+3QZH4VFvbBsUfk2 +ftv1TDI6QU9bR8/oCy22xBmddMVHxjtqD6wU2zz0c5ypBd8A3HR4+vg1YFkCExh8 +vPtNsCBtQ7tgMHpnM1zFmdH4LTlSc/uMqpclXHLZCB6rTjzjgTGfA6b7wP4piFXa +hNVQA7bihKOmNqoROgHhGEvWRGizPflTdISzRpFGlgC3gCy24eMQ4tui5yiPAZZi +Fj4A4xylNoEYokxSdsARo27mHbrjWr42U8U+dY+GaSlYU7Wcu2+fXMUY7N0v4ZjJ +/L7fCg0= +-----END CERTIFICATE----- + +# Issuer: CN=Certigna O=Dhimyotis +# Subject: CN=Certigna O=Dhimyotis +# Label: "Certigna" +# Serial: 18364802974209362175 +# MD5 Fingerprint: ab:57:a6:5b:7d:42:82:19:b5:d8:58:26:28:5e:fd:ff +# SHA1 Fingerprint: b1:2e:13:63:45:86:a4:6f:1a:b2:60:68:37:58:2d:c4:ac:fd:94:97 +# SHA256 Fingerprint: e3:b6:a2:db:2e:d7:ce:48:84:2f:7a:c5:32:41:c7:b7:1d:54:14:4b:fb:40:c1:1f:3f:1d:0b:42:f5:ee:a1:2d +-----BEGIN CERTIFICATE----- +MIIDqDCCApCgAwIBAgIJAP7c4wEPyUj/MA0GCSqGSIb3DQEBBQUAMDQxCzAJBgNV +BAYTAkZSMRIwEAYDVQQKDAlEaGlteW90aXMxETAPBgNVBAMMCENlcnRpZ25hMB4X +DTA3MDYyOTE1MTMwNVoXDTI3MDYyOTE1MTMwNVowNDELMAkGA1UEBhMCRlIxEjAQ +BgNVBAoMCURoaW15b3RpczERMA8GA1UEAwwIQ2VydGlnbmEwggEiMA0GCSqGSIb3 +DQEBAQUAA4IBDwAwggEKAoIBAQDIaPHJ1tazNHUmgh7stL7qXOEm7RFHYeGifBZ4 +QCHkYJ5ayGPhxLGWkv8YbWkj4Sti993iNi+RB7lIzw7sebYs5zRLcAglozyHGxny +gQcPOJAZ0xH+hrTy0V4eHpbNgGzOOzGTtvKg0KmVEn2lmsxryIRWijOp5yIVUxbw +zBfsV1/pogqYCd7jX5xv3EjjhQsVWqa6n6xI4wmy9/Qy3l40vhx4XUJbzg4ij02Q +130yGLMLLGq/jj8UEYkgDncUtT2UCIf3JR7VsmAA7G8qKCVuKj4YYxclPz5EIBb2 +JsglrgVKtOdjLPOMFlN+XPsRGgjBRmKfIrjxwo1p3Po6WAbfAgMBAAGjgbwwgbkw +DwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQUGu3+QTmQtCRZvgHyUtVF9lo53BEw +ZAYDVR0jBF0wW4AUGu3+QTmQtCRZvgHyUtVF9lo53BGhOKQ2MDQxCzAJBgNVBAYT +AkZSMRIwEAYDVQQKDAlEaGlteW90aXMxETAPBgNVBAMMCENlcnRpZ25hggkA/tzj +AQ/JSP8wDgYDVR0PAQH/BAQDAgEGMBEGCWCGSAGG+EIBAQQEAwIABzANBgkqhkiG +9w0BAQUFAAOCAQEAhQMeknH2Qq/ho2Ge6/PAD/Kl1NqV5ta+aDY9fm4fTIrv0Q8h +bV6lUmPOEvjvKtpv6zf+EwLHyzs+ImvaYS5/1HI93TDhHkxAGYwP15zRgzB7mFnc +fca5DClMoTOi62c6ZYTTluLtdkVwj7Ur3vkj1kluPBS1xp81HlDQwY9qcEQCYsuu +HWhBp6pX6FOqB9IG9tUUBguRA3UsbHK1YZWaDYu5Def131TN3ubY1gkIl2PlwS6w +t0QmwCbAr1UwnjvVNioZBPRcHv/PLLf/0P2HQBHVESO7SMAhqaQoLf0V+LBOK/Qw +WyH8EZE0vkHve52Xdf+XlcCWWC/qu0bXu+TZLg== +-----END CERTIFICATE----- + +# Issuer: CN=Deutsche Telekom Root CA 2 O=Deutsche Telekom AG OU=T-TeleSec Trust Center +# Subject: CN=Deutsche Telekom Root CA 2 O=Deutsche Telekom AG OU=T-TeleSec Trust Center +# Label: "Deutsche Telekom Root CA 2" +# Serial: 38 +# MD5 Fingerprint: 74:01:4a:91:b1:08:c4:58:ce:47:cd:f0:dd:11:53:08 +# SHA1 Fingerprint: 85:a4:08:c0:9c:19:3e:5d:51:58:7d:cd:d6:13:30:fd:8c:de:37:bf +# SHA256 Fingerprint: b6:19:1a:50:d0:c3:97:7f:7d:a9:9b:cd:aa:c8:6a:22:7d:ae:b9:67:9e:c7:0b:a3:b0:c9:d9:22:71:c1:70:d3 +-----BEGIN CERTIFICATE----- +MIIDnzCCAoegAwIBAgIBJjANBgkqhkiG9w0BAQUFADBxMQswCQYDVQQGEwJERTEc +MBoGA1UEChMTRGV1dHNjaGUgVGVsZWtvbSBBRzEfMB0GA1UECxMWVC1UZWxlU2Vj +IFRydXN0IENlbnRlcjEjMCEGA1UEAxMaRGV1dHNjaGUgVGVsZWtvbSBSb290IENB +IDIwHhcNOTkwNzA5MTIxMTAwWhcNMTkwNzA5MjM1OTAwWjBxMQswCQYDVQQGEwJE +RTEcMBoGA1UEChMTRGV1dHNjaGUgVGVsZWtvbSBBRzEfMB0GA1UECxMWVC1UZWxl +U2VjIFRydXN0IENlbnRlcjEjMCEGA1UEAxMaRGV1dHNjaGUgVGVsZWtvbSBSb290 +IENBIDIwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCrC6M14IspFLEU +ha88EOQ5bzVdSq7d6mGNlUn0b2SjGmBmpKlAIoTZ1KXleJMOaAGtuU1cOs7TuKhC +QN/Po7qCWWqSG6wcmtoIKyUn+WkjR/Hg6yx6m/UTAtB+NHzCnjwAWav12gz1Mjwr +rFDa1sPeg5TKqAyZMg4ISFZbavva4VhYAUlfckE8FQYBjl2tqriTtM2e66foai1S +NNs671x1Udrb8zH57nGYMsRUFUQM+ZtV7a3fGAigo4aKSe5TBY8ZTNXeWHmb0moc +QqvF1afPaA+W5OFhmHZhyJF81j4A4pFQh+GdCuatl9Idxjp9y7zaAzTVjlsB9WoH +txa2bkp/AgMBAAGjQjBAMB0GA1UdDgQWBBQxw3kbuvVT1xfgiXotF2wKsyudMzAP +BgNVHRMECDAGAQH/AgEFMA4GA1UdDwEB/wQEAwIBBjANBgkqhkiG9w0BAQUFAAOC +AQEAlGRZrTlk5ynrE/5aw4sTV8gEJPB0d8Bg42f76Ymmg7+Wgnxu1MM9756Abrsp +tJh6sTtU6zkXR34ajgv8HzFZMQSyzhfzLMdiNlXiItiJVbSYSKpk+tYcNthEeFpa +IzpXl/V6ME+un2pMSyuOoAPjPuCp1NJ70rOo4nI8rZ7/gFnkm0W09juwzTkZmDLl +6iFhkOQxIY40sfcvNUqFENrnijchvllj4PKFiDFT1FQUhXB59C4Gdyd1Lx+4ivn+ +xbrYNuSD7Odlt79jWvNGr4GUN9RBjNYj1h7P9WgbRGOiWrqnNVmh5XAFmw4jV5mU +Cm26OWMohpLzGITY+9HPBVZkVw== +-----END CERTIFICATE----- + +# Issuer: CN=Cybertrust Global Root O=Cybertrust, Inc +# Subject: CN=Cybertrust Global Root O=Cybertrust, Inc +# Label: "Cybertrust Global Root" +# Serial: 4835703278459682877484360 +# MD5 Fingerprint: 72:e4:4a:87:e3:69:40:80:77:ea:bc:e3:f4:ff:f0:e1 +# SHA1 Fingerprint: 5f:43:e5:b1:bf:f8:78:8c:ac:1c:c7:ca:4a:9a:c6:22:2b:cc:34:c6 +# SHA256 Fingerprint: 96:0a:df:00:63:e9:63:56:75:0c:29:65:dd:0a:08:67:da:0b:9c:bd:6e:77:71:4a:ea:fb:23:49:ab:39:3d:a3 +-----BEGIN CERTIFICATE----- +MIIDoTCCAomgAwIBAgILBAAAAAABD4WqLUgwDQYJKoZIhvcNAQEFBQAwOzEYMBYG +A1UEChMPQ3liZXJ0cnVzdCwgSW5jMR8wHQYDVQQDExZDeWJlcnRydXN0IEdsb2Jh +bCBSb290MB4XDTA2MTIxNTA4MDAwMFoXDTIxMTIxNTA4MDAwMFowOzEYMBYGA1UE +ChMPQ3liZXJ0cnVzdCwgSW5jMR8wHQYDVQQDExZDeWJlcnRydXN0IEdsb2JhbCBS +b290MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA+Mi8vRRQZhP/8NN5 +7CPytxrHjoXxEnOmGaoQ25yiZXRadz5RfVb23CO21O1fWLE3TdVJDm71aofW0ozS +J8bi/zafmGWgE07GKmSb1ZASzxQG9Dvj1Ci+6A74q05IlG2OlTEQXO2iLb3VOm2y +HLtgwEZLAfVJrn5GitB0jaEMAs7u/OePuGtm839EAL9mJRQr3RAwHQeWP032a7iP +t3sMpTjr3kfb1V05/Iin89cqdPHoWqI7n1C6poxFNcJQZZXcY4Lv3b93TZxiyWNz +FtApD0mpSPCzqrdsxacwOUBdrsTiXSZT8M4cIwhhqJQZugRiQOwfOHB3EgZxpzAY +XSUnpQIDAQABo4GlMIGiMA4GA1UdDwEB/wQEAwIBBjAPBgNVHRMBAf8EBTADAQH/ +MB0GA1UdDgQWBBS2CHsNesysIEyGVjJez6tuhS1wVzA/BgNVHR8EODA2MDSgMqAw +hi5odHRwOi8vd3d3Mi5wdWJsaWMtdHJ1c3QuY29tL2NybC9jdC9jdHJvb3QuY3Js +MB8GA1UdIwQYMBaAFLYIew16zKwgTIZWMl7Pq26FLXBXMA0GCSqGSIb3DQEBBQUA +A4IBAQBW7wojoFROlZfJ+InaRcHUowAl9B8Tq7ejhVhpwjCt2BWKLePJzYFa+HMj +Wqd8BfP9IjsO0QbE2zZMcwSO5bAi5MXzLqXZI+O4Tkogp24CJJ8iYGd7ix1yCcUx +XOl5n4BHPa2hCwcUPUf/A2kaDAtE52Mlp3+yybh2hO0j9n0Hq0V+09+zv+mKts2o +omcrUtW3ZfA5TGOgkXmTUg9U3YO7n9GPp1Nzw8v/MOx8BLjYRB+TX3EJIrduPuoc +A06dGiBh+4E37F78CkWr1+cXVdCg6mCbpvbjjFspwgZgFJ0tl0ypkxWdYcQBX0jW +WL1WMRJOEcgh4LMRkWXbtKaIOM5V +-----END CERTIFICATE----- + +# Issuer: O=Chunghwa Telecom Co., Ltd. OU=ePKI Root Certification Authority +# Subject: O=Chunghwa Telecom Co., Ltd. OU=ePKI Root Certification Authority +# Label: "ePKI Root Certification Authority" +# Serial: 28956088682735189655030529057352760477 +# MD5 Fingerprint: 1b:2e:00:ca:26:06:90:3d:ad:fe:6f:15:68:d3:6b:b3 +# SHA1 Fingerprint: 67:65:0d:f1:7e:8e:7e:5b:82:40:a4:f4:56:4b:cf:e2:3d:69:c6:f0 +# SHA256 Fingerprint: c0:a6:f4:dc:63:a2:4b:fd:cf:54:ef:2a:6a:08:2a:0a:72:de:35:80:3e:2f:f5:ff:52:7a:e5:d8:72:06:df:d5 +-----BEGIN CERTIFICATE----- +MIIFsDCCA5igAwIBAgIQFci9ZUdcr7iXAF7kBtK8nTANBgkqhkiG9w0BAQUFADBe +MQswCQYDVQQGEwJUVzEjMCEGA1UECgwaQ2h1bmdod2EgVGVsZWNvbSBDby4sIEx0 +ZC4xKjAoBgNVBAsMIWVQS0kgUm9vdCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAe +Fw0wNDEyMjAwMjMxMjdaFw0zNDEyMjAwMjMxMjdaMF4xCzAJBgNVBAYTAlRXMSMw +IQYDVQQKDBpDaHVuZ2h3YSBUZWxlY29tIENvLiwgTHRkLjEqMCgGA1UECwwhZVBL +SSBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIICIjANBgkqhkiG9w0BAQEF +AAOCAg8AMIICCgKCAgEA4SUP7o3biDN1Z82tH306Tm2d0y8U82N0ywEhajfqhFAH +SyZbCUNsIZ5qyNUD9WBpj8zwIuQf5/dqIjG3LBXy4P4AakP/h2XGtRrBp0xtInAh +ijHyl3SJCRImHJ7K2RKilTza6We/CKBk49ZCt0Xvl/T29de1ShUCWH2YWEtgvM3X +DZoTM1PRYfl61dd4s5oz9wCGzh1NlDivqOx4UXCKXBCDUSH3ET00hl7lSM2XgYI1 +TBnsZfZrxQWh7kcT1rMhJ5QQCtkkO7q+RBNGMD+XPNjX12ruOzjjK9SXDrkb5wdJ +fzcq+Xd4z1TtW0ado4AOkUPB1ltfFLqfpo0kR0BZv3I4sjZsN/+Z0V0OWQqraffA +sgRFelQArr5T9rXn4fg8ozHSqf4hUmTFpmfwdQcGlBSBVcYn5AGPF8Fqcde+S/uU +WH1+ETOxQvdibBjWzwloPn9s9h6PYq2lY9sJpx8iQkEeb5mKPtf5P0B6ebClAZLS +nT0IFaUQAS2zMnaolQ2zepr7BxB4EW/hj8e6DyUadCrlHJhBmd8hh+iVBmoKs2pH +dmX2Os+PYhcZewoozRrSgx4hxyy/vv9haLdnG7t4TY3OZ+XkwY63I2binZB1NJip +NiuKmpS5nezMirH4JYlcWrYvjB9teSSnUmjDhDXiZo1jDiVN1Rmy5nk3pyKdVDEC +AwEAAaNqMGgwHQYDVR0OBBYEFB4M97Zn8uGSJglFwFU5Lnc/QkqiMAwGA1UdEwQF +MAMBAf8wOQYEZyoHAAQxMC8wLQIBADAJBgUrDgMCGgUAMAcGBWcqAwAABBRFsMLH +ClZ87lt4DJX5GFPBphzYEDANBgkqhkiG9w0BAQUFAAOCAgEACbODU1kBPpVJufGB +uvl2ICO1J2B01GqZNF5sAFPZn/KmsSQHRGoqxqWOeBLoR9lYGxMqXnmbnwoqZ6Yl +PwZpVnPDimZI+ymBV3QGypzqKOg4ZyYr8dW1P2WT+DZdjo2NQCCHGervJ8A9tDkP +JXtoUHRVnAxZfVo9QZQlUgjgRywVMRnVvwdVxrsStZf0X4OFunHB2WyBEXYKCrC/ +gpf36j36+uwtqSiUO1bd0lEursC9CBWMd1I0ltabrNMdjmEPNXubrjlpC2JgQCA2 +j6/7Nu4tCEoduL+bXPjqpRugc6bY+G7gMwRfaKonh+3ZwZCc7b3jajWvY9+rGNm6 +5ulK6lCKD2GTHuItGeIwlDWSXQ62B68ZgI9HkFFLLk3dheLSClIKF5r8GrBQAuUB +o2M3IUxExJtRmREOc5wGj1QupyheRDmHVi03vYVElOEMSyycw5KFNGHLD7ibSkNS +/jQ6fbjpKdx2qcgw+BRxgMYeNkh0IkFch4LoGHGLQYlE535YW6i4jRPpp2zDR+2z +Gp1iro2C6pSe3VkQw63d4k3jMdXH7OjysP6SHhYKGvzZ8/gntsm+HbRsZJB/9OTE +W9c3rkIO3aQab3yIVMUWbuF6aC74Or8NpDyJO3inTmODBCEIZ43ygknQW/2xzQ+D +hNQ+IIX3Sj0rnP0qCglN6oH4EZw= +-----END CERTIFICATE----- + +# Issuer: O=certSIGN OU=certSIGN ROOT CA +# Subject: O=certSIGN OU=certSIGN ROOT CA +# Label: "certSIGN ROOT CA" +# Serial: 35210227249154 +# MD5 Fingerprint: 18:98:c0:d6:e9:3a:fc:f9:b0:f5:0c:f7:4b:01:44:17 +# SHA1 Fingerprint: fa:b7:ee:36:97:26:62:fb:2d:b0:2a:f6:bf:03:fd:e8:7c:4b:2f:9b +# SHA256 Fingerprint: ea:a9:62:c4:fa:4a:6b:af:eb:e4:15:19:6d:35:1c:cd:88:8d:4f:53:f3:fa:8a:e6:d7:c4:66:a9:4e:60:42:bb +-----BEGIN CERTIFICATE----- +MIIDODCCAiCgAwIBAgIGIAYFFnACMA0GCSqGSIb3DQEBBQUAMDsxCzAJBgNVBAYT +AlJPMREwDwYDVQQKEwhjZXJ0U0lHTjEZMBcGA1UECxMQY2VydFNJR04gUk9PVCBD +QTAeFw0wNjA3MDQxNzIwMDRaFw0zMTA3MDQxNzIwMDRaMDsxCzAJBgNVBAYTAlJP +MREwDwYDVQQKEwhjZXJ0U0lHTjEZMBcGA1UECxMQY2VydFNJR04gUk9PVCBDQTCC +ASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBALczuX7IJUqOtdu0KBuqV5Do +0SLTZLrTk+jUrIZhQGpgV2hUhE28alQCBf/fm5oqrl0Hj0rDKH/v+yv6efHHrfAQ +UySQi2bJqIirr1qjAOm+ukbuW3N7LBeCgV5iLKECZbO9xSsAfsT8AzNXDe3i+s5d +RdY4zTW2ssHQnIFKquSyAVwdj1+ZxLGt24gh65AIgoDzMKND5pCCrlUoSe1b16kQ +OA7+j0xbm0bqQfWwCHTD0IgztnzXdN/chNFDDnU5oSVAKOp4yw4sLjmdjItuFhwv +JoIQ4uNllAoEwF73XVv4EOLQunpL+943AAAaWyjj0pxzPjKHmKHJUS/X3qwzs08C +AwEAAaNCMEAwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAcYwHQYDVR0O +BBYEFOCMm9slSbPxfIbWskKHC9BroNnkMA0GCSqGSIb3DQEBBQUAA4IBAQA+0hyJ +LjX8+HXd5n9liPRyTMks1zJO890ZeUe9jjtbkw9QSSQTaxQGcu8J06Gh40CEyecY +MnQ8SG4Pn0vU9x7Tk4ZkVJdjclDVVc/6IJMCopvDI5NOFlV2oHB5bc0hH88vLbwZ +44gx+FkagQnIl6Z0x2DEW8xXjrJ1/RsCCdtZb3KTafcxQdaIOL+Hsr0Wefmq5L6I +Jd1hJyMctTEHBDa0GpC9oHRxUIltvBTjD4au8as+x6AJzKNI0eDbZOeStc+vckNw +i/nDhDwTqn6Sm1dTk/pwwpEOMfmbZ13pljheX7NzTogVZ96edhBiIL5VaZVDADlN +9u6wWk5JRFRYX0KD +-----END CERTIFICATE----- + +# Issuer: CN=GeoTrust Primary Certification Authority - G3 O=GeoTrust Inc. OU=(c) 2008 GeoTrust Inc. - For authorized use only +# Subject: CN=GeoTrust Primary Certification Authority - G3 O=GeoTrust Inc. OU=(c) 2008 GeoTrust Inc. - For authorized use only +# Label: "GeoTrust Primary Certification Authority - G3" +# Serial: 28809105769928564313984085209975885599 +# MD5 Fingerprint: b5:e8:34:36:c9:10:44:58:48:70:6d:2e:83:d4:b8:05 +# SHA1 Fingerprint: 03:9e:ed:b8:0b:e7:a0:3c:69:53:89:3b:20:d2:d9:32:3a:4c:2a:fd +# SHA256 Fingerprint: b4:78:b8:12:25:0d:f8:78:63:5c:2a:a7:ec:7d:15:5e:aa:62:5e:e8:29:16:e2:cd:29:43:61:88:6c:d1:fb:d4 +-----BEGIN CERTIFICATE----- +MIID/jCCAuagAwIBAgIQFaxulBmyeUtB9iepwxgPHzANBgkqhkiG9w0BAQsFADCB +mDELMAkGA1UEBhMCVVMxFjAUBgNVBAoTDUdlb1RydXN0IEluYy4xOTA3BgNVBAsT +MChjKSAyMDA4IEdlb1RydXN0IEluYy4gLSBGb3IgYXV0aG9yaXplZCB1c2Ugb25s +eTE2MDQGA1UEAxMtR2VvVHJ1c3QgUHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhv +cml0eSAtIEczMB4XDTA4MDQwMjAwMDAwMFoXDTM3MTIwMTIzNTk1OVowgZgxCzAJ +BgNVBAYTAlVTMRYwFAYDVQQKEw1HZW9UcnVzdCBJbmMuMTkwNwYDVQQLEzAoYykg +MjAwOCBHZW9UcnVzdCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxNjA0 +BgNVBAMTLUdlb1RydXN0IFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkg +LSBHMzCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBANziXmJYHTNXOTIz ++uvLh4yn1ErdBojqZI4xmKU4kB6Yzy5jK/BGvESyiaHAKAxJcCGVn2TAppMSAmUm +hsalifD614SgcK9PGpc/BkTVyetyEH3kMSj7HGHmKAdEc5IiaacDiGydY8hS2pgn +5whMcD60yRLBxWeDXTPzAxHsatBT4tG6NmCUgLthY2xbF37fQJQeqw3CIShwiP/W +JmxsYAQlTlV+fe+/lEjetx3dcI0FX4ilm/LC7urRQEFtYjgdVgbFA0dRIBn8exAL +DmKudlW/X3e+PkkBUz2YJQN2JFodtNuJ6nnltrM7P7pMKEF/BqxqjsHQ9gUdfeZC +huOl1UcCAwEAAaNCMEAwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYw +HQYDVR0OBBYEFMR5yo6hTgMdHNxr2zFblD4/MH8tMA0GCSqGSIb3DQEBCwUAA4IB +AQAtxRPPVoB7eni9n64smefv2t+UXglpp+duaIy9cr5HqQ6XErhK8WTTOd8lNNTB +zU6B8A8ExCSzNJbGpqow32hhc9f5joWJ7w5elShKKiePEI4ufIbEAp7aDHdlDkQN +kv39sxY2+hENHYwOB4lqKVb3cvTdFZx3NWZXqxNT2I7BQMXXExZacse3aQHEerGD +AWh9jUGhlBjBJVz88P6DAod8DQ3PLghcSkANPuyBYeYk28rgDi0Hsj5W3I31QYUH +SJsMC8tJP33st/3LjWeJGqvtux6jAAgIFyqCXDFdRootD4abdNlF+9RAsXqqaC2G +spki4cErx5z481+oghLrGREt +-----END CERTIFICATE----- + +# Issuer: CN=thawte Primary Root CA - G2 O=thawte, Inc. OU=(c) 2007 thawte, Inc. - For authorized use only +# Subject: CN=thawte Primary Root CA - G2 O=thawte, Inc. OU=(c) 2007 thawte, Inc. - For authorized use only +# Label: "thawte Primary Root CA - G2" +# Serial: 71758320672825410020661621085256472406 +# MD5 Fingerprint: 74:9d:ea:60:24:c4:fd:22:53:3e:cc:3a:72:d9:29:4f +# SHA1 Fingerprint: aa:db:bc:22:23:8f:c4:01:a1:27:bb:38:dd:f4:1d:db:08:9e:f0:12 +# SHA256 Fingerprint: a4:31:0d:50:af:18:a6:44:71:90:37:2a:86:af:af:8b:95:1f:fb:43:1d:83:7f:1e:56:88:b4:59:71:ed:15:57 +-----BEGIN CERTIFICATE----- +MIICiDCCAg2gAwIBAgIQNfwmXNmET8k9Jj1Xm67XVjAKBggqhkjOPQQDAzCBhDEL +MAkGA1UEBhMCVVMxFTATBgNVBAoTDHRoYXd0ZSwgSW5jLjE4MDYGA1UECxMvKGMp +IDIwMDcgdGhhd3RlLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxJDAi +BgNVBAMTG3RoYXd0ZSBQcmltYXJ5IFJvb3QgQ0EgLSBHMjAeFw0wNzExMDUwMDAw +MDBaFw0zODAxMTgyMzU5NTlaMIGEMQswCQYDVQQGEwJVUzEVMBMGA1UEChMMdGhh +d3RlLCBJbmMuMTgwNgYDVQQLEy8oYykgMjAwNyB0aGF3dGUsIEluYy4gLSBGb3Ig +YXV0aG9yaXplZCB1c2Ugb25seTEkMCIGA1UEAxMbdGhhd3RlIFByaW1hcnkgUm9v +dCBDQSAtIEcyMHYwEAYHKoZIzj0CAQYFK4EEACIDYgAEotWcgnuVnfFSeIf+iha/ +BebfowJPDQfGAFG6DAJSLSKkQjnE/o/qycG+1E3/n3qe4rF8mq2nhglzh9HnmuN6 +papu+7qzcMBniKI11KOasf2twu8x+qi58/sIxpHR+ymVo0IwQDAPBgNVHRMBAf8E +BTADAQH/MA4GA1UdDwEB/wQEAwIBBjAdBgNVHQ4EFgQUmtgAMADna3+FGO6Lts6K +DPgR4bswCgYIKoZIzj0EAwMDaQAwZgIxAN344FdHW6fmCsO99YCKlzUNG4k8VIZ3 +KMqh9HneteY4sPBlcIx/AlTCv//YoT7ZzwIxAMSNlPzcU9LcnXgWHxUzI1NS41ox +XZ3Krr0TKUQNJ1uo52icEvdYPy5yAlejj6EULg== +-----END CERTIFICATE----- + +# Issuer: CN=thawte Primary Root CA - G3 O=thawte, Inc. OU=Certification Services Division/(c) 2008 thawte, Inc. - For authorized use only +# Subject: CN=thawte Primary Root CA - G3 O=thawte, Inc. OU=Certification Services Division/(c) 2008 thawte, Inc. - For authorized use only +# Label: "thawte Primary Root CA - G3" +# Serial: 127614157056681299805556476275995414779 +# MD5 Fingerprint: fb:1b:5d:43:8a:94:cd:44:c6:76:f2:43:4b:47:e7:31 +# SHA1 Fingerprint: f1:8b:53:8d:1b:e9:03:b6:a6:f0:56:43:5b:17:15:89:ca:f3:6b:f2 +# SHA256 Fingerprint: 4b:03:f4:58:07:ad:70:f2:1b:fc:2c:ae:71:c9:fd:e4:60:4c:06:4c:f5:ff:b6:86:ba:e5:db:aa:d7:fd:d3:4c +-----BEGIN CERTIFICATE----- +MIIEKjCCAxKgAwIBAgIQYAGXt0an6rS0mtZLL/eQ+zANBgkqhkiG9w0BAQsFADCB +rjELMAkGA1UEBhMCVVMxFTATBgNVBAoTDHRoYXd0ZSwgSW5jLjEoMCYGA1UECxMf +Q2VydGlmaWNhdGlvbiBTZXJ2aWNlcyBEaXZpc2lvbjE4MDYGA1UECxMvKGMpIDIw +MDggdGhhd3RlLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxJDAiBgNV +BAMTG3RoYXd0ZSBQcmltYXJ5IFJvb3QgQ0EgLSBHMzAeFw0wODA0MDIwMDAwMDBa +Fw0zNzEyMDEyMzU5NTlaMIGuMQswCQYDVQQGEwJVUzEVMBMGA1UEChMMdGhhd3Rl +LCBJbmMuMSgwJgYDVQQLEx9DZXJ0aWZpY2F0aW9uIFNlcnZpY2VzIERpdmlzaW9u +MTgwNgYDVQQLEy8oYykgMjAwOCB0aGF3dGUsIEluYy4gLSBGb3IgYXV0aG9yaXpl +ZCB1c2Ugb25seTEkMCIGA1UEAxMbdGhhd3RlIFByaW1hcnkgUm9vdCBDQSAtIEcz +MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAsr8nLPvb2FvdeHsbnndm +gcs+vHyu86YnmjSjaDFxODNi5PNxZnmxqWWjpYvVj2AtP0LMqmsywCPLLEHd5N/8 +YZzic7IilRFDGF/Eth9XbAoFWCLINkw6fKXRz4aviKdEAhN0cXMKQlkC+BsUa0Lf +b1+6a4KinVvnSr0eAXLbS3ToO39/fR8EtCab4LRarEc9VbjXsCZSKAExQGbY2SS9 +9irY7CFJXJv2eul/VTV+lmuNk5Mny5K76qxAwJ/C+IDPXfRa3M50hqY+bAtTyr2S +zhkGcuYMXDhpxwTWvGzOW/b3aJzcJRVIiKHpqfiYnODz1TEoYRFsZ5aNOZnLwkUk +OQIDAQABo0IwQDAPBgNVHRMBAf8EBTADAQH/MA4GA1UdDwEB/wQEAwIBBjAdBgNV +HQ4EFgQUrWyqlGCc7eT/+j4KdCtjA/e2Wb8wDQYJKoZIhvcNAQELBQADggEBABpA +2JVlrAmSicY59BDlqQ5mU1143vokkbvnRFHfxhY0Cu9qRFHqKweKA3rD6z8KLFIW +oCtDuSWQP3CpMyVtRRooOyfPqsMpQhvfO0zAMzRbQYi/aytlryjvsvXDqmbOe1bu +t8jLZ8HJnBoYuMTDSQPxYA5QzUbF83d597YV4Djbxy8ooAw/dyZ02SUS2jHaGh7c +KUGRIjxpp7sC8rZcJwOJ9Abqm+RyguOhCcHpABnTPtRwa7pxpqpYrvS76Wy274fM +m7v/OeZWYdMKp8RcTGB7BXcmer/YB1IsYvdwY9k5vG8cwnncdimvzsUsZAReiDZu +MdRAGmI0Nj81Aa6sY6A= +-----END CERTIFICATE----- + +# Issuer: CN=GeoTrust Primary Certification Authority - G2 O=GeoTrust Inc. OU=(c) 2007 GeoTrust Inc. - For authorized use only +# Subject: CN=GeoTrust Primary Certification Authority - G2 O=GeoTrust Inc. OU=(c) 2007 GeoTrust Inc. - For authorized use only +# Label: "GeoTrust Primary Certification Authority - G2" +# Serial: 80682863203381065782177908751794619243 +# MD5 Fingerprint: 01:5e:d8:6b:bd:6f:3d:8e:a1:31:f8:12:e0:98:73:6a +# SHA1 Fingerprint: 8d:17:84:d5:37:f3:03:7d:ec:70:fe:57:8b:51:9a:99:e6:10:d7:b0 +# SHA256 Fingerprint: 5e:db:7a:c4:3b:82:a0:6a:87:61:e8:d7:be:49:79:eb:f2:61:1f:7d:d7:9b:f9:1c:1c:6b:56:6a:21:9e:d7:66 +-----BEGIN CERTIFICATE----- +MIICrjCCAjWgAwIBAgIQPLL0SAoA4v7rJDteYD7DazAKBggqhkjOPQQDAzCBmDEL +MAkGA1UEBhMCVVMxFjAUBgNVBAoTDUdlb1RydXN0IEluYy4xOTA3BgNVBAsTMChj +KSAyMDA3IEdlb1RydXN0IEluYy4gLSBGb3IgYXV0aG9yaXplZCB1c2Ugb25seTE2 +MDQGA1UEAxMtR2VvVHJ1c3QgUHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0 +eSAtIEcyMB4XDTA3MTEwNTAwMDAwMFoXDTM4MDExODIzNTk1OVowgZgxCzAJBgNV +BAYTAlVTMRYwFAYDVQQKEw1HZW9UcnVzdCBJbmMuMTkwNwYDVQQLEzAoYykgMjAw +NyBHZW9UcnVzdCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxNjA0BgNV +BAMTLUdlb1RydXN0IFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkgLSBH +MjB2MBAGByqGSM49AgEGBSuBBAAiA2IABBWx6P0DFUPlrOuHNxFi79KDNlJ9RVcL +So17VDs6bl8VAsBQps8lL33KSLjHUGMcKiEIfJo22Av+0SbFWDEwKCXzXV2juLal +tJLtbCyf691DiaI8S0iRHVDsJt/WYC69IaNCMEAwDwYDVR0TAQH/BAUwAwEB/zAO +BgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFBVfNVdRVfslsq0DafwBo/q+EVXVMAoG +CCqGSM49BAMDA2cAMGQCMGSWWaboCd6LuvpaiIjwH5HTRqjySkwCY/tsXzjbLkGT +qQ7mndwxHLKgpxgceeHHNgIwOlavmnRs9vuD4DPTCF+hnMJbn0bWtsuRBmOiBucz +rD6ogRLQy7rQkgu2npaqBA+K +-----END CERTIFICATE----- + +# Issuer: CN=VeriSign Universal Root Certification Authority O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 2008 VeriSign, Inc. - For authorized use only +# Subject: CN=VeriSign Universal Root Certification Authority O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 2008 VeriSign, Inc. - For authorized use only +# Label: "VeriSign Universal Root Certification Authority" +# Serial: 85209574734084581917763752644031726877 +# MD5 Fingerprint: 8e:ad:b5:01:aa:4d:81:e4:8c:1d:d1:e1:14:00:95:19 +# SHA1 Fingerprint: 36:79:ca:35:66:87:72:30:4d:30:a5:fb:87:3b:0f:a7:7b:b7:0d:54 +# SHA256 Fingerprint: 23:99:56:11:27:a5:71:25:de:8c:ef:ea:61:0d:df:2f:a0:78:b5:c8:06:7f:4e:82:82:90:bf:b8:60:e8:4b:3c +-----BEGIN CERTIFICATE----- +MIIEuTCCA6GgAwIBAgIQQBrEZCGzEyEDDrvkEhrFHTANBgkqhkiG9w0BAQsFADCB +vTELMAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQL +ExZWZXJpU2lnbiBUcnVzdCBOZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwOCBWZXJp +U2lnbiwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MTgwNgYDVQQDEy9W +ZXJpU2lnbiBVbml2ZXJzYWwgUm9vdCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAe +Fw0wODA0MDIwMDAwMDBaFw0zNzEyMDEyMzU5NTlaMIG9MQswCQYDVQQGEwJVUzEX +MBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZlcmlTaWduIFRydXN0 +IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAyMDA4IFZlcmlTaWduLCBJbmMuIC0gRm9y +IGF1dGhvcml6ZWQgdXNlIG9ubHkxODA2BgNVBAMTL1ZlcmlTaWduIFVuaXZlcnNh +bCBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIIBIjANBgkqhkiG9w0BAQEF +AAOCAQ8AMIIBCgKCAQEAx2E3XrEBNNti1xWb/1hajCMj1mCOkdeQmIN65lgZOIzF +9uVkhbSicfvtvbnazU0AtMgtc6XHaXGVHzk8skQHnOgO+k1KxCHfKWGPMiJhgsWH +H26MfF8WIFFE0XBPV+rjHOPMee5Y2A7Cs0WTwCznmhcrewA3ekEzeOEz4vMQGn+H +LL729fdC4uW/h2KJXwBL38Xd5HVEMkE6HnFuacsLdUYI0crSK5XQz/u5QGtkjFdN +/BMReYTtXlT2NJ8IAfMQJQYXStrxHXpma5hgZqTZ79IugvHw7wnqRMkVauIDbjPT +rJ9VAMf2CGqUuV/c4DPxhGD5WycRtPwW8rtWaoAljQIDAQABo4GyMIGvMA8GA1Ud +EwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMG0GCCsGAQUFBwEMBGEwX6FdoFsw +WTBXMFUWCWltYWdlL2dpZjAhMB8wBwYFKw4DAhoEFI/l0xqGrI2Oa8PPgGrUSBgs +exkuMCUWI2h0dHA6Ly9sb2dvLnZlcmlzaWduLmNvbS92c2xvZ28uZ2lmMB0GA1Ud +DgQWBBS2d/ppSEefUxLVwuoHMnYH0ZcHGTANBgkqhkiG9w0BAQsFAAOCAQEASvj4 +sAPmLGd75JR3Y8xuTPl9Dg3cyLk1uXBPY/ok+myDjEedO2Pzmvl2MpWRsXe8rJq+ +seQxIcaBlVZaDrHC1LGmWazxY8u4TB1ZkErvkBYoH1quEPuBUDgMbMzxPcP1Y+Oz +4yHJJDnp/RVmRvQbEdBNc6N9Rvk97ahfYtTxP/jgdFcrGJ2BtMQo2pSXpXDrrB2+ +BxHw1dvd5Yzw1TKwg+ZX4o+/vqGqvz0dtdQ46tewXDpPaj+PwGZsY6rp2aQW9IHR +lRQOfc2VNNnSj3BzgXucfr2YYdhFh5iQxeuGMMY1v/D/w1WIg0vvBZIGcfK4mJO3 +7M2CYfE45k+XmCpajQ== +-----END CERTIFICATE----- + +# Issuer: CN=VeriSign Class 3 Public Primary Certification Authority - G4 O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 2007 VeriSign, Inc. - For authorized use only +# Subject: CN=VeriSign Class 3 Public Primary Certification Authority - G4 O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 2007 VeriSign, Inc. - For authorized use only +# Label: "VeriSign Class 3 Public Primary Certification Authority - G4" +# Serial: 63143484348153506665311985501458640051 +# MD5 Fingerprint: 3a:52:e1:e7:fd:6f:3a:e3:6f:f3:6f:99:1b:f9:22:41 +# SHA1 Fingerprint: 22:d5:d8:df:8f:02:31:d1:8d:f7:9d:b7:cf:8a:2d:64:c9:3f:6c:3a +# SHA256 Fingerprint: 69:dd:d7:ea:90:bb:57:c9:3e:13:5d:c8:5e:a6:fc:d5:48:0b:60:32:39:bd:c4:54:fc:75:8b:2a:26:cf:7f:79 +-----BEGIN CERTIFICATE----- +MIIDhDCCAwqgAwIBAgIQL4D+I4wOIg9IZxIokYesszAKBggqhkjOPQQDAzCByjEL +MAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQLExZW +ZXJpU2lnbiBUcnVzdCBOZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwNyBWZXJpU2ln +biwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MUUwQwYDVQQDEzxWZXJp +U2lnbiBDbGFzcyAzIFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0aG9y +aXR5IC0gRzQwHhcNMDcxMTA1MDAwMDAwWhcNMzgwMTE4MjM1OTU5WjCByjELMAkG +A1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQLExZWZXJp +U2lnbiBUcnVzdCBOZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwNyBWZXJpU2lnbiwg +SW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MUUwQwYDVQQDEzxWZXJpU2ln +biBDbGFzcyAzIFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0aG9yaXR5 +IC0gRzQwdjAQBgcqhkjOPQIBBgUrgQQAIgNiAASnVnp8Utpkmw4tXNherJI9/gHm +GUo9FANL+mAnINmDiWn6VMaaGF5VKmTeBvaNSjutEDxlPZCIBIngMGGzrl0Bp3ve +fLK+ymVhAIau2o970ImtTR1ZmkGxvEeA3J5iw/mjgbIwga8wDwYDVR0TAQH/BAUw +AwEB/zAOBgNVHQ8BAf8EBAMCAQYwbQYIKwYBBQUHAQwEYTBfoV2gWzBZMFcwVRYJ +aW1hZ2UvZ2lmMCEwHzAHBgUrDgMCGgQUj+XTGoasjY5rw8+AatRIGCx7GS4wJRYj +aHR0cDovL2xvZ28udmVyaXNpZ24uY29tL3ZzbG9nby5naWYwHQYDVR0OBBYEFLMW +kf3upm7ktS5Jj4d4gYDs5bG1MAoGCCqGSM49BAMDA2gAMGUCMGYhDBgmYFo4e1ZC +4Kf8NoRRkSAsdk1DPcQdhCPQrNZ8NQbOzWm9kA3bbEhCHQ6qQgIxAJw9SDkjOVga +FRJZap7v1VmyHVIsmXHNxynfGyphe3HR3vPA5Q06Sqotp9iGKt0uEA== +-----END CERTIFICATE----- + +# Issuer: CN=NetLock Arany (Class Gold) F\u0151tan\xfas\xedtv\xe1ny O=NetLock Kft. OU=Tan\xfas\xedtv\xe1nykiad\xf3k (Certification Services) +# Subject: CN=NetLock Arany (Class Gold) F\u0151tan\xfas\xedtv\xe1ny O=NetLock Kft. OU=Tan\xfas\xedtv\xe1nykiad\xf3k (Certification Services) +# Label: "NetLock Arany (Class Gold) F\u0151tan\xfas\xedtv\xe1ny" +# Serial: 80544274841616 +# MD5 Fingerprint: c5:a1:b7:ff:73:dd:d6:d7:34:32:18:df:fc:3c:ad:88 +# SHA1 Fingerprint: 06:08:3f:59:3f:15:a1:04:a0:69:a4:6b:a9:03:d0:06:b7:97:09:91 +# SHA256 Fingerprint: 6c:61:da:c3:a2:de:f0:31:50:6b:e0:36:d2:a6:fe:40:19:94:fb:d1:3d:f9:c8:d4:66:59:92:74:c4:46:ec:98 +-----BEGIN CERTIFICATE----- +MIIEFTCCAv2gAwIBAgIGSUEs5AAQMA0GCSqGSIb3DQEBCwUAMIGnMQswCQYDVQQG +EwJIVTERMA8GA1UEBwwIQnVkYXBlc3QxFTATBgNVBAoMDE5ldExvY2sgS2Z0LjE3 +MDUGA1UECwwuVGFuw7pzw610dsOhbnlraWFkw7NrIChDZXJ0aWZpY2F0aW9uIFNl +cnZpY2VzKTE1MDMGA1UEAwwsTmV0TG9jayBBcmFueSAoQ2xhc3MgR29sZCkgRsWR +dGFuw7pzw610dsOhbnkwHhcNMDgxMjExMTUwODIxWhcNMjgxMjA2MTUwODIxWjCB +pzELMAkGA1UEBhMCSFUxETAPBgNVBAcMCEJ1ZGFwZXN0MRUwEwYDVQQKDAxOZXRM +b2NrIEtmdC4xNzA1BgNVBAsMLlRhbsO6c8OtdHbDoW55a2lhZMOzayAoQ2VydGlm +aWNhdGlvbiBTZXJ2aWNlcykxNTAzBgNVBAMMLE5ldExvY2sgQXJhbnkgKENsYXNz +IEdvbGQpIEbFkXRhbsO6c8OtdHbDoW55MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8A +MIIBCgKCAQEAxCRec75LbRTDofTjl5Bu0jBFHjzuZ9lk4BqKf8owyoPjIMHj9DrT +lF8afFttvzBPhCf2nx9JvMaZCpDyD/V/Q4Q3Y1GLeqVw/HpYzY6b7cNGbIRwXdrz +AZAj/E4wqX7hJ2Pn7WQ8oLjJM2P+FpD/sLj916jAwJRDC7bVWaaeVtAkH3B5r9s5 +VA1lddkVQZQBr17s9o3x/61k/iCa11zr/qYfCGSji3ZVrR47KGAuhyXoqq8fxmRG +ILdwfzzeSNuWU7c5d+Qa4scWhHaXWy+7GRWF+GmF9ZmnqfI0p6m2pgP8b4Y9VHx2 +BJtr+UBdADTHLpl1neWIA6pN+APSQnbAGwIDAKiLo0UwQzASBgNVHRMBAf8ECDAG +AQH/AgEEMA4GA1UdDwEB/wQEAwIBBjAdBgNVHQ4EFgQUzPpnk/C2uNClwB7zU/2M +U9+D15YwDQYJKoZIhvcNAQELBQADggEBAKt/7hwWqZw8UQCgwBEIBaeZ5m8BiFRh +bvG5GK1Krf6BQCOUL/t1fC8oS2IkgYIL9WHxHG64YTjrgfpioTtaYtOUZcTh5m2C ++C8lcLIhJsFyUR+MLMOEkMNaj7rP9KdlpeuY0fsFskZ1FSNqb4VjMIDw1Z4fKRzC +bLBQWV2QWzuoDTDPv31/zvGdg73JRm4gpvlhUbohL3u+pRVjodSVh/GeufOJ8z2F +uLjbvrW5KfnaNwUASZQDhETnv0Mxz3WLJdH0pmT1kvarBes96aULNmLazAZfNou2 +XjG4Kvte9nHfRCaexOYNkbQudZWAUWpLMKawYqGT8ZvYzsRjdT9ZR7E= +-----END CERTIFICATE----- + +# Issuer: CN=Staat der Nederlanden Root CA - G2 O=Staat der Nederlanden +# Subject: CN=Staat der Nederlanden Root CA - G2 O=Staat der Nederlanden +# Label: "Staat der Nederlanden Root CA - G2" +# Serial: 10000012 +# MD5 Fingerprint: 7c:a5:0f:f8:5b:9a:7d:6d:30:ae:54:5a:e3:42:a2:8a +# SHA1 Fingerprint: 59:af:82:79:91:86:c7:b4:75:07:cb:cf:03:57:46:eb:04:dd:b7:16 +# SHA256 Fingerprint: 66:8c:83:94:7d:a6:3b:72:4b:ec:e1:74:3c:31:a0:e6:ae:d0:db:8e:c5:b3:1b:e3:77:bb:78:4f:91:b6:71:6f +-----BEGIN CERTIFICATE----- +MIIFyjCCA7KgAwIBAgIEAJiWjDANBgkqhkiG9w0BAQsFADBaMQswCQYDVQQGEwJO +TDEeMBwGA1UECgwVU3RhYXQgZGVyIE5lZGVybGFuZGVuMSswKQYDVQQDDCJTdGFh +dCBkZXIgTmVkZXJsYW5kZW4gUm9vdCBDQSAtIEcyMB4XDTA4MDMyNjExMTgxN1oX +DTIwMDMyNTExMDMxMFowWjELMAkGA1UEBhMCTkwxHjAcBgNVBAoMFVN0YWF0IGRl +ciBOZWRlcmxhbmRlbjErMCkGA1UEAwwiU3RhYXQgZGVyIE5lZGVybGFuZGVuIFJv +b3QgQ0EgLSBHMjCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAMVZ5291 +qj5LnLW4rJ4L5PnZyqtdj7U5EILXr1HgO+EASGrP2uEGQxGZqhQlEq0i6ABtQ8Sp +uOUfiUtnvWFI7/3S4GCI5bkYYCjDdyutsDeqN95kWSpGV+RLufg3fNU254DBtvPU +Z5uW6M7XxgpT0GtJlvOjCwV3SPcl5XCsMBQgJeN/dVrlSPhOewMHBPqCYYdu8DvE +pMfQ9XQ+pV0aCPKbJdL2rAQmPlU6Yiile7Iwr/g3wtG61jj99O9JMDeZJiFIhQGp +5Rbn3JBV3w/oOM2ZNyFPXfUib2rFEhZgF1XyZWampzCROME4HYYEhLoaJXhena/M +UGDWE4dS7WMfbWV9whUYdMrhfmQpjHLYFhN9C0lK8SgbIHRrxT3dsKpICT0ugpTN +GmXZK4iambwYfp/ufWZ8Pr2UuIHOzZgweMFvZ9C+X+Bo7d7iscksWXiSqt8rYGPy +5V6548r6f1CGPqI0GAwJaCgRHOThuVw+R7oyPxjMW4T182t0xHJ04eOLoEq9jWYv +6q012iDTiIJh8BIitrzQ1aTsr1SIJSQ8p22xcik/Plemf1WvbibG/ufMQFxRRIEK +eN5KzlW/HdXZt1bv8Hb/C3m1r737qWmRRpdogBQ2HbN/uymYNqUg+oJgYjOk7Na6 +B6duxc8UpufWkjTYgfX8HV2qXB72o007uPc5AgMBAAGjgZcwgZQwDwYDVR0TAQH/ +BAUwAwEB/zBSBgNVHSAESzBJMEcGBFUdIAAwPzA9BggrBgEFBQcCARYxaHR0cDov +L3d3dy5wa2lvdmVyaGVpZC5ubC9wb2xpY2llcy9yb290LXBvbGljeS1HMjAOBgNV +HQ8BAf8EBAMCAQYwHQYDVR0OBBYEFJFoMocVHYnitfGsNig0jQt8YojrMA0GCSqG +SIb3DQEBCwUAA4ICAQCoQUpnKpKBglBu4dfYszk78wIVCVBR7y29JHuIhjv5tLyS +CZa59sCrI2AGeYwRTlHSeYAz+51IvuxBQ4EffkdAHOV6CMqqi3WtFMTC6GY8ggen +5ieCWxjmD27ZUD6KQhgpxrRW/FYQoAUXvQwjf/ST7ZwaUb7dRUG/kSS0H4zpX897 +IZmflZ85OkYcbPnNe5yQzSipx6lVu6xiNGI1E0sUOlWDuYaNkqbG9AclVMwWVxJK +gnjIFNkXgiYtXSAfea7+1HAWFpWD2DU5/1JddRwWxRNVz0fMdWVSSt7wsKfkCpYL ++63C4iWEst3kvX5ZbJvw8NjnyvLplzh+ib7M+zkXYT9y2zqR2GUBGR2tUKRXCnxL +vJxxcypFURmFzI79R6d0lR2o0a9OF7FpJsKqeFdbxU2n5Z4FF5TKsl+gSRiNNOkm +bEgeqmiSBeGCc1qb3AdbCG19ndeNIdn8FCCqwkXfP+cAslHkwvgFuXkajDTznlvk +N1trSt8sV4pAWja63XVECDdCcAz+3F4hoKOKwJCcaNpQ5kUQR3i2TtJlycM33+FC +Y7BXN0Ute4qcvwXqZVUz9zkQxSgqIXobisQk+T8VyJoVIPVVYpbtbZNQvOSqeK3Z +ywplh6ZmwcSBo3c6WB4L7oOLnR7SUqTMHW+wmG2UMbX4cQrcufx9MmDm66+KAQ== +-----END CERTIFICATE----- + +# Issuer: CN=Hongkong Post Root CA 1 O=Hongkong Post +# Subject: CN=Hongkong Post Root CA 1 O=Hongkong Post +# Label: "Hongkong Post Root CA 1" +# Serial: 1000 +# MD5 Fingerprint: a8:0d:6f:39:78:b9:43:6d:77:42:6d:98:5a:cc:23:ca +# SHA1 Fingerprint: d6:da:a8:20:8d:09:d2:15:4d:24:b5:2f:cb:34:6e:b2:58:b2:8a:58 +# SHA256 Fingerprint: f9:e6:7d:33:6c:51:00:2a:c0:54:c6:32:02:2d:66:dd:a2:e7:e3:ff:f1:0a:d0:61:ed:31:d8:bb:b4:10:cf:b2 +-----BEGIN CERTIFICATE----- +MIIDMDCCAhigAwIBAgICA+gwDQYJKoZIhvcNAQEFBQAwRzELMAkGA1UEBhMCSEsx +FjAUBgNVBAoTDUhvbmdrb25nIFBvc3QxIDAeBgNVBAMTF0hvbmdrb25nIFBvc3Qg +Um9vdCBDQSAxMB4XDTAzMDUxNTA1MTMxNFoXDTIzMDUxNTA0NTIyOVowRzELMAkG +A1UEBhMCSEsxFjAUBgNVBAoTDUhvbmdrb25nIFBvc3QxIDAeBgNVBAMTF0hvbmdr +b25nIFBvc3QgUm9vdCBDQSAxMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKC +AQEArP84tulmAknjorThkPlAj3n54r15/gK97iSSHSL22oVyaf7XPwnU3ZG1ApzQ +jVrhVcNQhrkpJsLj2aDxaQMoIIBFIi1WpztUlVYiWR8o3x8gPW2iNr4joLFutbEn +PzlTCeqrauh0ssJlXI6/fMN4hM2eFvz1Lk8gKgifd/PFHsSaUmYeSF7jEAaPIpjh +ZY4bXSNmO7ilMlHIhqqhqZ5/dpTCpmy3QfDVyAY45tQM4vM7TG1QjMSDJ8EThFk9 +nnV0ttgCXjqQesBCNnLsak3c78QA3xMYV18meMjWCnl3v/evt3a5pQuEF10Q6m/h +q5URX208o1xNg1vysxmKgIsLhwIDAQABoyYwJDASBgNVHRMBAf8ECDAGAQH/AgED +MA4GA1UdDwEB/wQEAwIBxjANBgkqhkiG9w0BAQUFAAOCAQEADkbVPK7ih9legYsC +mEEIjEy82tvuJxuC52pF7BaLT4Wg87JwvVqWuspube5Gi27nKi6Wsxkz67SfqLI3 +7piol7Yutmcn1KZJ/RyTZXaeQi/cImyaT/JaFTmxcdcrUehtHJjA2Sr0oYJ71clB +oiMBdDhViw+5LmeiIAQ32pwL0xch4I+XeTRvhEgCIDMb5jREn5Fw9IBehEPCKdJs +EhTkYY2sEJCehFC78JZvRZ+K88psT/oROhUVRsPNH4NbLUES7VBnQRM9IauUiqpO +fMGx+6fWtScvl6tu4B3i0RwsH0Ti/L6RoZz71ilTc4afU9hDDl3WY4JxHYB0yvbi +AmvZWg== +-----END CERTIFICATE----- + +# Issuer: CN=SecureSign RootCA11 O=Japan Certification Services, Inc. +# Subject: CN=SecureSign RootCA11 O=Japan Certification Services, Inc. +# Label: "SecureSign RootCA11" +# Serial: 1 +# MD5 Fingerprint: b7:52:74:e2:92:b4:80:93:f2:75:e4:cc:d7:f2:ea:26 +# SHA1 Fingerprint: 3b:c4:9f:48:f8:f3:73:a0:9c:1e:bd:f8:5b:b1:c3:65:c7:d8:11:b3 +# SHA256 Fingerprint: bf:0f:ee:fb:9e:3a:58:1a:d5:f9:e9:db:75:89:98:57:43:d2:61:08:5c:4d:31:4f:6f:5d:72:59:aa:42:16:12 +-----BEGIN CERTIFICATE----- +MIIDbTCCAlWgAwIBAgIBATANBgkqhkiG9w0BAQUFADBYMQswCQYDVQQGEwJKUDEr +MCkGA1UEChMiSmFwYW4gQ2VydGlmaWNhdGlvbiBTZXJ2aWNlcywgSW5jLjEcMBoG +A1UEAxMTU2VjdXJlU2lnbiBSb290Q0ExMTAeFw0wOTA0MDgwNDU2NDdaFw0yOTA0 +MDgwNDU2NDdaMFgxCzAJBgNVBAYTAkpQMSswKQYDVQQKEyJKYXBhbiBDZXJ0aWZp +Y2F0aW9uIFNlcnZpY2VzLCBJbmMuMRwwGgYDVQQDExNTZWN1cmVTaWduIFJvb3RD +QTExMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA/XeqpRyQBTvLTJsz +i1oURaTnkBbR31fSIRCkF/3frNYfp+TbfPfs37gD2pRY/V1yfIw/XwFndBWW4wI8 +h9uuywGOwvNmxoVF9ALGOrVisq/6nL+k5tSAMJjzDbaTj6nU2DbysPyKyiyhFTOV +MdrAG/LuYpmGYz+/3ZMqg6h2uRMft85OQoWPIucuGvKVCbIFtUROd6EgvanyTgp9 +UK31BQ1FT0Zx/Sg+U/sE2C3XZR1KG/rPO7AxmjVuyIsG0wCR8pQIZUyxNAYAeoni +8McDWc/V1uinMrPmmECGxc0nEovMe863ETxiYAcjPitAbpSACW22s293bzUIUPsC +h8U+iQIDAQABo0IwQDAdBgNVHQ4EFgQUW/hNT7KlhtQ60vFjmqC+CfZXt94wDgYD +VR0PAQH/BAQDAgEGMA8GA1UdEwEB/wQFMAMBAf8wDQYJKoZIhvcNAQEFBQADggEB +AKChOBZmLqdWHyGcBvod7bkixTgm2E5P7KN/ed5GIaGHd48HCJqypMWvDzKYC3xm +KbabfSVSSUOrTC4rbnpwrxYO4wJs+0LmGJ1F2FXI6Dvd5+H0LgscNFxsWEr7jIhQ +X5Ucv+2rIrVls4W6ng+4reV6G4pQOh29Dbx7VFALuUKvVaAYga1lme++5Jy/xIWr +QbJUb9wlze144o4MjQlJ3WN7WmmWAiGovVJZ6X01y8hSyn+B/tlr0/cR7SXf+Of5 +pPpyl4RTDaXQMhhRdlkUbA/r7F+AjHVDg8OFmP9Mni0N5HeDk061lgeLKBObjBmN +QSdJQO7e5iNEOdyhIta6A/I= +-----END CERTIFICATE----- + +# Issuer: CN=Microsec e-Szigno Root CA 2009 O=Microsec Ltd. +# Subject: CN=Microsec e-Szigno Root CA 2009 O=Microsec Ltd. +# Label: "Microsec e-Szigno Root CA 2009" +# Serial: 14014712776195784473 +# MD5 Fingerprint: f8:49:f4:03:bc:44:2d:83:be:48:69:7d:29:64:fc:b1 +# SHA1 Fingerprint: 89:df:74:fe:5c:f4:0f:4a:80:f9:e3:37:7d:54:da:91:e1:01:31:8e +# SHA256 Fingerprint: 3c:5f:81:fe:a5:fa:b8:2c:64:bf:a2:ea:ec:af:cd:e8:e0:77:fc:86:20:a7:ca:e5:37:16:3d:f3:6e:db:f3:78 +-----BEGIN CERTIFICATE----- +MIIECjCCAvKgAwIBAgIJAMJ+QwRORz8ZMA0GCSqGSIb3DQEBCwUAMIGCMQswCQYD +VQQGEwJIVTERMA8GA1UEBwwIQnVkYXBlc3QxFjAUBgNVBAoMDU1pY3Jvc2VjIEx0 +ZC4xJzAlBgNVBAMMHk1pY3Jvc2VjIGUtU3ppZ25vIFJvb3QgQ0EgMjAwOTEfMB0G +CSqGSIb3DQEJARYQaW5mb0BlLXN6aWduby5odTAeFw0wOTA2MTYxMTMwMThaFw0y +OTEyMzAxMTMwMThaMIGCMQswCQYDVQQGEwJIVTERMA8GA1UEBwwIQnVkYXBlc3Qx +FjAUBgNVBAoMDU1pY3Jvc2VjIEx0ZC4xJzAlBgNVBAMMHk1pY3Jvc2VjIGUtU3pp +Z25vIFJvb3QgQ0EgMjAwOTEfMB0GCSqGSIb3DQEJARYQaW5mb0BlLXN6aWduby5o +dTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAOn4j/NjrdqG2KfgQvvP +kd6mJviZpWNwrZuuyjNAfW2WbqEORO7hE52UQlKavXWFdCyoDh2Tthi3jCyoz/tc +cbna7P7ofo/kLx2yqHWH2Leh5TvPmUpG0IMZfcChEhyVbUr02MelTTMuhTlAdX4U +fIASmFDHQWe4oIBhVKZsTh/gnQ4H6cm6M+f+wFUoLAKApxn1ntxVUwOXewdI/5n7 +N4okxFnMUBBjjqqpGrCEGob5X7uxUG6k0QrM1XF+H6cbfPVTbiJfyyvm1HxdrtbC +xkzlBQHZ7Vf8wSN5/PrIJIOV87VqUQHQd9bpEqH5GoP7ghu5sJf0dgYzQ0mg/wu1 ++rUCAwEAAaOBgDB+MA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0G +A1UdDgQWBBTLD8bfQkPMPcu1SCOhGnqmKrs0aDAfBgNVHSMEGDAWgBTLD8bfQkPM +Pcu1SCOhGnqmKrs0aDAbBgNVHREEFDASgRBpbmZvQGUtc3ppZ25vLmh1MA0GCSqG +SIb3DQEBCwUAA4IBAQDJ0Q5eLtXMs3w+y/w9/w0olZMEyL/azXm4Q5DwpL7v8u8h +mLzU1F0G9u5C7DBsoKqpyvGvivo/C3NqPuouQH4frlRheesuCDfXI/OMn74dseGk +ddug4lQUsbocKaQY9hK6ohQU4zE1yED/t+AFdlfBHFny+L/k7SViXITwfn4fs775 +tyERzAMBVnCnEJIeGzSBHq2cGsMEPO0CYdYeBvNfOofyK/FFh+U9rNHHV4S9a67c +2Pm2G2JwCz02yULyMtd6YebS2z3PyKnJm9zbWETXbzivf3jTo60adbocwTZ8jx5t +HMN1Rq41Bab2XD0h7lbwyYIiLXpUq3DDfSJlgnCW +-----END CERTIFICATE----- + +# Issuer: CN=GlobalSign O=GlobalSign OU=GlobalSign Root CA - R3 +# Subject: CN=GlobalSign O=GlobalSign OU=GlobalSign Root CA - R3 +# Label: "GlobalSign Root CA - R3" +# Serial: 4835703278459759426209954 +# MD5 Fingerprint: c5:df:b8:49:ca:05:13:55:ee:2d:ba:1a:c3:3e:b0:28 +# SHA1 Fingerprint: d6:9b:56:11:48:f0:1c:77:c5:45:78:c1:09:26:df:5b:85:69:76:ad +# SHA256 Fingerprint: cb:b5:22:d7:b7:f1:27:ad:6a:01:13:86:5b:df:1c:d4:10:2e:7d:07:59:af:63:5a:7c:f4:72:0d:c9:63:c5:3b +-----BEGIN CERTIFICATE----- +MIIDXzCCAkegAwIBAgILBAAAAAABIVhTCKIwDQYJKoZIhvcNAQELBQAwTDEgMB4G +A1UECxMXR2xvYmFsU2lnbiBSb290IENBIC0gUjMxEzARBgNVBAoTCkdsb2JhbFNp +Z24xEzARBgNVBAMTCkdsb2JhbFNpZ24wHhcNMDkwMzE4MTAwMDAwWhcNMjkwMzE4 +MTAwMDAwWjBMMSAwHgYDVQQLExdHbG9iYWxTaWduIFJvb3QgQ0EgLSBSMzETMBEG +A1UEChMKR2xvYmFsU2lnbjETMBEGA1UEAxMKR2xvYmFsU2lnbjCCASIwDQYJKoZI +hvcNAQEBBQADggEPADCCAQoCggEBAMwldpB5BngiFvXAg7aEyiie/QV2EcWtiHL8 +RgJDx7KKnQRfJMsuS+FggkbhUqsMgUdwbN1k0ev1LKMPgj0MK66X17YUhhB5uzsT +gHeMCOFJ0mpiLx9e+pZo34knlTifBtc+ycsmWQ1z3rDI6SYOgxXG71uL0gRgykmm +KPZpO/bLyCiR5Z2KYVc3rHQU3HTgOu5yLy6c+9C7v/U9AOEGM+iCK65TpjoWc4zd +QQ4gOsC0p6Hpsk+QLjJg6VfLuQSSaGjlOCZgdbKfd/+RFO+uIEn8rUAVSNECMWEZ +XriX7613t2Saer9fwRPvm2L7DWzgVGkWqQPabumDk3F2xmmFghcCAwEAAaNCMEAw +DgYDVR0PAQH/BAQDAgEGMA8GA1UdEwEB/wQFMAMBAf8wHQYDVR0OBBYEFI/wS3+o +LkUkrk1Q+mOai97i3Ru8MA0GCSqGSIb3DQEBCwUAA4IBAQBLQNvAUKr+yAzv95ZU +RUm7lgAJQayzE4aGKAczymvmdLm6AC2upArT9fHxD4q/c2dKg8dEe3jgr25sbwMp +jjM5RcOO5LlXbKr8EpbsU8Yt5CRsuZRj+9xTaGdWPoO4zzUhw8lo/s7awlOqzJCK +6fBdRoyV3XpYKBovHd7NADdBj+1EbddTKJd+82cEHhXXipa0095MJ6RMG3NzdvQX +mcIfeg7jLQitChws/zyrVQ4PkX4268NXSb7hLi18YIvDQVETI53O9zJrlAGomecs +Mx86OyXShkDOOyyGeMlhLxS67ttVb9+E7gUJTb0o2HLO02JQZR7rkpeDMdmztcpH +WD9f +-----END CERTIFICATE----- + +# Issuer: CN=Autoridad de Certificacion Firmaprofesional CIF A62634068 +# Subject: CN=Autoridad de Certificacion Firmaprofesional CIF A62634068 +# Label: "Autoridad de Certificacion Firmaprofesional CIF A62634068" +# Serial: 6047274297262753887 +# MD5 Fingerprint: 73:3a:74:7a:ec:bb:a3:96:a6:c2:e4:e2:c8:9b:c0:c3 +# SHA1 Fingerprint: ae:c5:fb:3f:c8:e1:bf:c4:e5:4f:03:07:5a:9a:e8:00:b7:f7:b6:fa +# SHA256 Fingerprint: 04:04:80:28:bf:1f:28:64:d4:8f:9a:d4:d8:32:94:36:6a:82:88:56:55:3f:3b:14:30:3f:90:14:7f:5d:40:ef +-----BEGIN CERTIFICATE----- +MIIGFDCCA/ygAwIBAgIIU+w77vuySF8wDQYJKoZIhvcNAQEFBQAwUTELMAkGA1UE +BhMCRVMxQjBABgNVBAMMOUF1dG9yaWRhZCBkZSBDZXJ0aWZpY2FjaW9uIEZpcm1h +cHJvZmVzaW9uYWwgQ0lGIEE2MjYzNDA2ODAeFw0wOTA1MjAwODM4MTVaFw0zMDEy +MzEwODM4MTVaMFExCzAJBgNVBAYTAkVTMUIwQAYDVQQDDDlBdXRvcmlkYWQgZGUg +Q2VydGlmaWNhY2lvbiBGaXJtYXByb2Zlc2lvbmFsIENJRiBBNjI2MzQwNjgwggIi +MA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQDKlmuO6vj78aI14H9M2uDDUtd9 +thDIAl6zQyrET2qyyhxdKJp4ERppWVevtSBC5IsP5t9bpgOSL/UR5GLXMnE42QQM +cas9UX4PB99jBVzpv5RvwSmCwLTaUbDBPLutN0pcyvFLNg4kq7/DhHf9qFD0sefG +L9ItWY16Ck6WaVICqjaY7Pz6FIMMNx/Jkjd/14Et5cS54D40/mf0PmbR0/RAz15i +NA9wBj4gGFrO93IbJWyTdBSTo3OxDqqHECNZXyAFGUftaI6SEspd/NYrspI8IM/h +X68gvqB2f3bl7BqGYTM+53u0P6APjqK5am+5hyZvQWyIplD9amML9ZMWGxmPsu2b +m8mQ9QEM3xk9Dz44I8kvjwzRAv4bVdZO0I08r0+k8/6vKtMFnXkIoctXMbScyJCy +Z/QYFpM6/EfY0XiWMR+6KwxfXZmtY4laJCB22N/9q06mIqqdXuYnin1oKaPnirja +EbsXLZmdEyRG98Xi2J+Of8ePdG1asuhy9azuJBCtLxTa/y2aRnFHvkLfuwHb9H/T +KI8xWVvTyQKmtFLKbpf7Q8UIJm+K9Lv9nyiqDdVF8xM6HdjAeI9BZzwelGSuewvF +6NkBiDkal4ZkQdU7hwxu+g/GvUgUvzlN1J5Bto+WHWOWk9mVBngxaJ43BjuAiUVh +OSPHG0SjFeUc+JIwuwIDAQABo4HvMIHsMBIGA1UdEwEB/wQIMAYBAf8CAQEwDgYD +VR0PAQH/BAQDAgEGMB0GA1UdDgQWBBRlzeurNR4APn7VdMActHNHDhpkLzCBpgYD +VR0gBIGeMIGbMIGYBgRVHSAAMIGPMC8GCCsGAQUFBwIBFiNodHRwOi8vd3d3LmZp +cm1hcHJvZmVzaW9uYWwuY29tL2NwczBcBggrBgEFBQcCAjBQHk4AUABhAHMAZQBv +ACAAZABlACAAbABhACAAQgBvAG4AYQBuAG8AdgBhACAANAA3ACAAQgBhAHIAYwBl +AGwAbwBuAGEAIAAwADgAMAAxADcwDQYJKoZIhvcNAQEFBQADggIBABd9oPm03cXF +661LJLWhAqvdpYhKsg9VSytXjDvlMd3+xDLx51tkljYyGOylMnfX40S2wBEqgLk9 +am58m9Ot/MPWo+ZkKXzR4Tgegiv/J2Wv+xYVxC5xhOW1//qkR71kMrv2JYSiJ0L1 +ILDCExARzRAVukKQKtJE4ZYm6zFIEv0q2skGz3QeqUvVhyj5eTSSPi5E6PaPT481 +PyWzOdxjKpBrIF/EUhJOlywqrJ2X3kjyo2bbwtKDlaZmp54lD+kLM5FlClrD2VQS +3a/DTg4fJl4N3LON7NWBcN7STyQF82xO9UxJZo3R/9ILJUFI/lGExkKvgATP0H5k +SeTy36LssUzAKh3ntLFlosS88Zj0qnAHY7S42jtM+kAiMFsRpvAFDsYCA0irhpuF +3dvd6qJ2gHN99ZwExEWN57kci57q13XRcrHedUTnQn3iV2t93Jm8PYMo6oCTjcVM +ZcFwgbg4/EMxsvYDNEeyrPsiBsse3RdHHF9mudMaotoRsaS8I8nkvof/uZS2+F0g +StRf571oe2XyFR7SOqkt6dhrJKyXWERHrVkY8SFlcN7ONGCoQPHzPKTDKCOM/icz +Q0CgFzzr6juwcqajuUpLXhZI9LK8yIySxZ2frHI2vDSANGupi5LAuBft7HZT9SQB +jLMi6Et8Vcad+qMUu2WFbm5PEn4KPJ2V +-----END CERTIFICATE----- + +# Issuer: CN=Izenpe.com O=IZENPE S.A. +# Subject: CN=Izenpe.com O=IZENPE S.A. +# Label: "Izenpe.com" +# Serial: 917563065490389241595536686991402621 +# MD5 Fingerprint: a6:b0:cd:85:80:da:5c:50:34:a3:39:90:2f:55:67:73 +# SHA1 Fingerprint: 2f:78:3d:25:52:18:a7:4a:65:39:71:b5:2c:a2:9c:45:15:6f:e9:19 +# SHA256 Fingerprint: 25:30:cc:8e:98:32:15:02:ba:d9:6f:9b:1f:ba:1b:09:9e:2d:29:9e:0f:45:48:bb:91:4f:36:3b:c0:d4:53:1f +-----BEGIN CERTIFICATE----- +MIIF8TCCA9mgAwIBAgIQALC3WhZIX7/hy/WL1xnmfTANBgkqhkiG9w0BAQsFADA4 +MQswCQYDVQQGEwJFUzEUMBIGA1UECgwLSVpFTlBFIFMuQS4xEzARBgNVBAMMCkl6 +ZW5wZS5jb20wHhcNMDcxMjEzMTMwODI4WhcNMzcxMjEzMDgyNzI1WjA4MQswCQYD +VQQGEwJFUzEUMBIGA1UECgwLSVpFTlBFIFMuQS4xEzARBgNVBAMMCkl6ZW5wZS5j +b20wggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQDJ03rKDx6sp4boFmVq +scIbRTJxldn+EFvMr+eleQGPicPK8lVx93e+d5TzcqQsRNiekpsUOqHnJJAKClaO +xdgmlOHZSOEtPtoKct2jmRXagaKH9HtuJneJWK3W6wyyQXpzbm3benhB6QiIEn6H +LmYRY2xU+zydcsC8Lv/Ct90NduM61/e0aL6i9eOBbsFGb12N4E3GVFWJGjMxCrFX +uaOKmMPsOzTFlUFpfnXCPCDFYbpRR6AgkJOhkEvzTnyFRVSa0QUmQbC1TR0zvsQD +yCV8wXDbO/QJLVQnSKwv4cSsPsjLkkxTOTcj7NMB+eAJRE1NZMDhDVqHIrytG6P+ +JrUV86f8hBnp7KGItERphIPzidF0BqnMC9bC3ieFUCbKF7jJeodWLBoBHmy+E60Q +rLUk9TiRodZL2vG70t5HtfG8gfZZa88ZU+mNFctKy6lvROUbQc/hhqfK0GqfvEyN +BjNaooXlkDWgYlwWTvDjovoDGrQscbNYLN57C9saD+veIR8GdwYDsMnvmfzAuU8L +hij+0rnq49qlw0dpEuDb8PYZi+17cNcC1u2HGCgsBCRMd+RIihrGO5rUD8r6ddIB +QFqNeb+Lz0vPqhbBleStTIo+F5HUsWLlguWABKQDfo2/2n+iD5dPDNMN+9fR5XJ+ +HMh3/1uaD7euBUbl8agW7EekFwIDAQABo4H2MIHzMIGwBgNVHREEgagwgaWBD2lu +Zm9AaXplbnBlLmNvbaSBkTCBjjFHMEUGA1UECgw+SVpFTlBFIFMuQS4gLSBDSUYg +QTAxMzM3MjYwLVJNZXJjLlZpdG9yaWEtR2FzdGVpeiBUMTA1NSBGNjIgUzgxQzBB +BgNVBAkMOkF2ZGEgZGVsIE1lZGl0ZXJyYW5lbyBFdG9yYmlkZWEgMTQgLSAwMTAx +MCBWaXRvcmlhLUdhc3RlaXowDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMC +AQYwHQYDVR0OBBYEFB0cZQ6o8iV7tJHP5LGx5r1VdGwFMA0GCSqGSIb3DQEBCwUA +A4ICAQB4pgwWSp9MiDrAyw6lFn2fuUhfGI8NYjb2zRlrrKvV9pF9rnHzP7MOeIWb +laQnIUdCSnxIOvVFfLMMjlF4rJUT3sb9fbgakEyrkgPH7UIBzg/YsfqikuFgba56 +awmqxinuaElnMIAkejEWOVt+8Rwu3WwJrfIxwYJOubv5vr8qhT/AQKM6WfxZSzwo +JNu0FXWuDYi6LnPAvViH5ULy617uHjAimcs30cQhbIHsvm0m5hzkQiCeR7Csg1lw +LDXWrzY0tM07+DKo7+N4ifuNRSzanLh+QBxh5z6ikixL8s36mLYp//Pye6kfLqCT +VyvehQP5aTfLnnhqBbTFMXiJ7HqnheG5ezzevh55hM6fcA5ZwjUukCox2eRFekGk +LhObNA5me0mrZJfQRsN5nXJQY6aYWwa9SG3YOYNw6DXwBdGqvOPbyALqfP2C2sJb +UjWumDqtujWTI6cfSN01RpiyEGjkpTHCClguGYEQyVB1/OpaFs4R1+7vUIgtYf8/ +QnMFlEPVjjxOAToZpR9GTnfQXeWBIiGH/pR9hNiTrdZoQ0iy2+tzJOeRf1SktoA+ +naM8THLCV8Sg1Mw4J87VBp6iSNnpn86CcDaTmjvfliHjWbcM2pE38P1ZWrOZyGls +QyYBNWNgVYkDOnXYukrZVP/u3oDYLdE41V4tC5h9Pmzb/CaIxw== +-----END CERTIFICATE----- + +# Issuer: CN=Chambers of Commerce Root - 2008 O=AC Camerfirma S.A. +# Subject: CN=Chambers of Commerce Root - 2008 O=AC Camerfirma S.A. +# Label: "Chambers of Commerce Root - 2008" +# Serial: 11806822484801597146 +# MD5 Fingerprint: 5e:80:9e:84:5a:0e:65:0b:17:02:f3:55:18:2a:3e:d7 +# SHA1 Fingerprint: 78:6a:74:ac:76:ab:14:7f:9c:6a:30:50:ba:9e:a8:7e:fe:9a:ce:3c +# SHA256 Fingerprint: 06:3e:4a:fa:c4:91:df:d3:32:f3:08:9b:85:42:e9:46:17:d8:93:d7:fe:94:4e:10:a7:93:7e:e2:9d:96:93:c0 +-----BEGIN CERTIFICATE----- +MIIHTzCCBTegAwIBAgIJAKPaQn6ksa7aMA0GCSqGSIb3DQEBBQUAMIGuMQswCQYD +VQQGEwJFVTFDMEEGA1UEBxM6TWFkcmlkIChzZWUgY3VycmVudCBhZGRyZXNzIGF0 +IHd3dy5jYW1lcmZpcm1hLmNvbS9hZGRyZXNzKTESMBAGA1UEBRMJQTgyNzQzMjg3 +MRswGQYDVQQKExJBQyBDYW1lcmZpcm1hIFMuQS4xKTAnBgNVBAMTIENoYW1iZXJz +IG9mIENvbW1lcmNlIFJvb3QgLSAyMDA4MB4XDTA4MDgwMTEyMjk1MFoXDTM4MDcz +MTEyMjk1MFowga4xCzAJBgNVBAYTAkVVMUMwQQYDVQQHEzpNYWRyaWQgKHNlZSBj +dXJyZW50IGFkZHJlc3MgYXQgd3d3LmNhbWVyZmlybWEuY29tL2FkZHJlc3MpMRIw +EAYDVQQFEwlBODI3NDMyODcxGzAZBgNVBAoTEkFDIENhbWVyZmlybWEgUy5BLjEp +MCcGA1UEAxMgQ2hhbWJlcnMgb2YgQ29tbWVyY2UgUm9vdCAtIDIwMDgwggIiMA0G +CSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQCvAMtwNyuAWko6bHiUfaN/Gh/2NdW9 +28sNRHI+JrKQUrpjOyhYb6WzbZSm891kDFX29ufyIiKAXuFixrYp4YFs8r/lfTJq +VKAyGVn+H4vXPWCGhSRv4xGzdz4gljUha7MI2XAuZPeEklPWDrCQiorjh40G072Q +DuKZoRuGDtqaCrsLYVAGUvGef3bsyw/QHg3PmTA9HMRFEFis1tPo1+XqxQEHd9ZR +5gN/ikilTWh1uem8nk4ZcfUyS5xtYBkL+8ydddy/Js2Pk3g5eXNeJQ7KXOt3EgfL +ZEFHcpOrUMPrCXZkNNI5t3YRCQ12RcSprj1qr7V9ZS+UWBDsXHyvfuK2GNnQm05a +Sd+pZgvMPMZ4fKecHePOjlO+Bd5gD2vlGts/4+EhySnB8esHnFIbAURRPHsl18Tl +UlRdJQfKFiC4reRB7noI/plvg6aRArBsNlVq5331lubKgdaX8ZSD6e2wsWsSaR6s ++12pxZjptFtYer49okQ6Y1nUCyXeG0+95QGezdIp1Z8XGQpvvwyQ0wlf2eOKNcx5 +Wk0ZN5K3xMGtr/R5JJqyAQuxr1yW84Ay+1w9mPGgP0revq+ULtlVmhduYJ1jbLhj +ya6BXBg14JC7vjxPNyK5fuvPnnchpj04gftI2jE9K+OJ9dC1vX7gUMQSibMjmhAx +hduub+84Mxh2EQIDAQABo4IBbDCCAWgwEgYDVR0TAQH/BAgwBgEB/wIBDDAdBgNV +HQ4EFgQU+SSsD7K1+HnA+mCIG8TZTQKeFxkwgeMGA1UdIwSB2zCB2IAU+SSsD7K1 ++HnA+mCIG8TZTQKeFxmhgbSkgbEwga4xCzAJBgNVBAYTAkVVMUMwQQYDVQQHEzpN +YWRyaWQgKHNlZSBjdXJyZW50IGFkZHJlc3MgYXQgd3d3LmNhbWVyZmlybWEuY29t +L2FkZHJlc3MpMRIwEAYDVQQFEwlBODI3NDMyODcxGzAZBgNVBAoTEkFDIENhbWVy +ZmlybWEgUy5BLjEpMCcGA1UEAxMgQ2hhbWJlcnMgb2YgQ29tbWVyY2UgUm9vdCAt +IDIwMDiCCQCj2kJ+pLGu2jAOBgNVHQ8BAf8EBAMCAQYwPQYDVR0gBDYwNDAyBgRV +HSAAMCowKAYIKwYBBQUHAgEWHGh0dHA6Ly9wb2xpY3kuY2FtZXJmaXJtYS5jb20w +DQYJKoZIhvcNAQEFBQADggIBAJASryI1wqM58C7e6bXpeHxIvj99RZJe6dqxGfwW +PJ+0W2aeaufDuV2I6A+tzyMP3iU6XsxPpcG1Lawk0lgH3qLPaYRgM+gQDROpI9CF +5Y57pp49chNyM/WqfcZjHwj0/gF/JM8rLFQJ3uIrbZLGOU8W6jx+ekbURWpGqOt1 +glanq6B8aBMz9p0w8G8nOSQjKpD9kCk18pPfNKXG9/jvjA9iSnyu0/VU+I22mlaH +FoI6M6taIgj3grrqLuBHmrS1RaMFO9ncLkVAO+rcf+g769HsJtg1pDDFOqxXnrN2 +pSB7+R5KBWIBpih1YJeSDW4+TTdDDZIVnBgizVGZoCkaPF+KMjNbMMeJL0eYD6MD +xvbxrN8y8NmBGuScvfaAFPDRLLmF9dijscilIeUcE5fuDr3fKanvNFNb0+RqE4QG +tjICxFKuItLcsiFCGtpA8CnJ7AoMXOLQusxI0zcKzBIKinmwPQN/aUv0NCB9szTq +jktk9T79syNnFQ0EuPAtwQlRPLJsFfClI9eDdOTlLsn+mCdCxqvGnrDQWzilm1De +fhiYtUU79nm06PcaewaD+9CL2rvHvRirCG88gGtAPxkZumWK5r7VXNM21+9AUiRg +OGcEMeyP84LG3rlV8zsxkVrctQgVrXYlCg17LofiDKYGvCYQbTed7N14jHyAxfDZ +d0jQ +-----END CERTIFICATE----- + +# Issuer: CN=Global Chambersign Root - 2008 O=AC Camerfirma S.A. +# Subject: CN=Global Chambersign Root - 2008 O=AC Camerfirma S.A. +# Label: "Global Chambersign Root - 2008" +# Serial: 14541511773111788494 +# MD5 Fingerprint: 9e:80:ff:78:01:0c:2e:c1:36:bd:fe:96:90:6e:08:f3 +# SHA1 Fingerprint: 4a:bd:ee:ec:95:0d:35:9c:89:ae:c7:52:a1:2c:5b:29:f6:d6:aa:0c +# SHA256 Fingerprint: 13:63:35:43:93:34:a7:69:80:16:a0:d3:24:de:72:28:4e:07:9d:7b:52:20:bb:8f:bd:74:78:16:ee:be:ba:ca +-----BEGIN CERTIFICATE----- +MIIHSTCCBTGgAwIBAgIJAMnN0+nVfSPOMA0GCSqGSIb3DQEBBQUAMIGsMQswCQYD +VQQGEwJFVTFDMEEGA1UEBxM6TWFkcmlkIChzZWUgY3VycmVudCBhZGRyZXNzIGF0 +IHd3dy5jYW1lcmZpcm1hLmNvbS9hZGRyZXNzKTESMBAGA1UEBRMJQTgyNzQzMjg3 +MRswGQYDVQQKExJBQyBDYW1lcmZpcm1hIFMuQS4xJzAlBgNVBAMTHkdsb2JhbCBD +aGFtYmVyc2lnbiBSb290IC0gMjAwODAeFw0wODA4MDExMjMxNDBaFw0zODA3MzEx +MjMxNDBaMIGsMQswCQYDVQQGEwJFVTFDMEEGA1UEBxM6TWFkcmlkIChzZWUgY3Vy +cmVudCBhZGRyZXNzIGF0IHd3dy5jYW1lcmZpcm1hLmNvbS9hZGRyZXNzKTESMBAG +A1UEBRMJQTgyNzQzMjg3MRswGQYDVQQKExJBQyBDYW1lcmZpcm1hIFMuQS4xJzAl +BgNVBAMTHkdsb2JhbCBDaGFtYmVyc2lnbiBSb290IC0gMjAwODCCAiIwDQYJKoZI +hvcNAQEBBQADggIPADCCAgoCggIBAMDfVtPkOpt2RbQT2//BthmLN0EYlVJH6xed +KYiONWwGMi5HYvNJBL99RDaxccy9Wglz1dmFRP+RVyXfXjaOcNFccUMd2drvXNL7 +G706tcuto8xEpw2uIRU/uXpbknXYpBI4iRmKt4DS4jJvVpyR1ogQC7N0ZJJ0YPP2 +zxhPYLIj0Mc7zmFLmY/CDNBAspjcDahOo7kKrmCgrUVSY7pmvWjg+b4aqIG7HkF4 +ddPB/gBVsIdU6CeQNR1MM62X/JcumIS/LMmjv9GYERTtY/jKmIhYF5ntRQOXfjyG +HoiMvvKRhI9lNNgATH23MRdaKXoKGCQwoze1eqkBfSbW+Q6OWfH9GzO1KTsXO0G2 +Id3UwD2ln58fQ1DJu7xsepeY7s2MH/ucUa6LcL0nn3HAa6x9kGbo1106DbDVwo3V +yJ2dwW3Q0L9R5OP4wzg2rtandeavhENdk5IMagfeOx2YItaswTXbo6Al/3K1dh3e +beksZixShNBFks4c5eUzHdwHU1SjqoI7mjcv3N2gZOnm3b2u/GSFHTynyQbehP9r +6GsaPMWis0L7iwk+XwhSx2LE1AVxv8Rk5Pihg+g+EpuoHtQ2TS9x9o0o9oOpE9Jh +wZG7SMA0j0GMS0zbaRL/UJScIINZc+18ofLx/d33SdNDWKBWY8o9PeU1VlnpDsog +zCtLkykPAgMBAAGjggFqMIIBZjASBgNVHRMBAf8ECDAGAQH/AgEMMB0GA1UdDgQW +BBS5CcqcHtvTbDprru1U8VuTBjUuXjCB4QYDVR0jBIHZMIHWgBS5CcqcHtvTbDpr +ru1U8VuTBjUuXqGBsqSBrzCBrDELMAkGA1UEBhMCRVUxQzBBBgNVBAcTOk1hZHJp +ZCAoc2VlIGN1cnJlbnQgYWRkcmVzcyBhdCB3d3cuY2FtZXJmaXJtYS5jb20vYWRk +cmVzcykxEjAQBgNVBAUTCUE4Mjc0MzI4NzEbMBkGA1UEChMSQUMgQ2FtZXJmaXJt +YSBTLkEuMScwJQYDVQQDEx5HbG9iYWwgQ2hhbWJlcnNpZ24gUm9vdCAtIDIwMDiC +CQDJzdPp1X0jzjAOBgNVHQ8BAf8EBAMCAQYwPQYDVR0gBDYwNDAyBgRVHSAAMCow +KAYIKwYBBQUHAgEWHGh0dHA6Ly9wb2xpY3kuY2FtZXJmaXJtYS5jb20wDQYJKoZI +hvcNAQEFBQADggIBAICIf3DekijZBZRG/5BXqfEv3xoNa/p8DhxJJHkn2EaqbylZ +UohwEurdPfWbU1Rv4WCiqAm57OtZfMY18dwY6fFn5a+6ReAJ3spED8IXDneRRXoz +X1+WLGiLwUePmJs9wOzL9dWCkoQ10b42OFZyMVtHLaoXpGNR6woBrX/sdZ7LoR/x +fxKxueRkf2fWIyr0uDldmOghp+G9PUIadJpwr2hsUF1Jz//7Dl3mLEfXgTpZALVz +a2Mg9jFFCDkO9HB+QHBaP9BrQql0PSgvAm11cpUJjUhjxsYjV5KTXjXBjfkK9yyd +Yhz2rXzdpjEetrHHfoUm+qRqtdpjMNHvkzeyZi99Bffnt0uYlDXA2TopwZ2yUDMd +SqlapskD7+3056huirRXhOukP9DuqqqHW2Pok+JrqNS4cnhrG+055F3Lm6qH1U9O +AP7Zap88MQ8oAgF9mOinsKJknnn4SPIVqczmyETrP3iZ8ntxPjzxmKfFGBI/5rso +M0LpRQp8bfKGeS/Fghl9CYl8slR2iK7ewfPM4W7bMdaTrpmg7yVqc5iJWzouE4ge +v8CSlDQb4ye3ix5vQv/n6TebUB0tovkC7stYWDpxvGjjqsGvHCgfotwjZT+B6q6Z +09gwzxMNTxXJhLynSC34MCN32EZLeW32jO06f2ARePTpm67VVMB0gNELQp/B +-----END CERTIFICATE----- + +# Issuer: CN=Go Daddy Root Certificate Authority - G2 O=GoDaddy.com, Inc. +# Subject: CN=Go Daddy Root Certificate Authority - G2 O=GoDaddy.com, Inc. +# Label: "Go Daddy Root Certificate Authority - G2" +# Serial: 0 +# MD5 Fingerprint: 80:3a:bc:22:c1:e6:fb:8d:9b:3b:27:4a:32:1b:9a:01 +# SHA1 Fingerprint: 47:be:ab:c9:22:ea:e8:0e:78:78:34:62:a7:9f:45:c2:54:fd:e6:8b +# SHA256 Fingerprint: 45:14:0b:32:47:eb:9c:c8:c5:b4:f0:d7:b5:30:91:f7:32:92:08:9e:6e:5a:63:e2:74:9d:d3:ac:a9:19:8e:da +-----BEGIN CERTIFICATE----- +MIIDxTCCAq2gAwIBAgIBADANBgkqhkiG9w0BAQsFADCBgzELMAkGA1UEBhMCVVMx +EDAOBgNVBAgTB0FyaXpvbmExEzARBgNVBAcTClNjb3R0c2RhbGUxGjAYBgNVBAoT +EUdvRGFkZHkuY29tLCBJbmMuMTEwLwYDVQQDEyhHbyBEYWRkeSBSb290IENlcnRp +ZmljYXRlIEF1dGhvcml0eSAtIEcyMB4XDTA5MDkwMTAwMDAwMFoXDTM3MTIzMTIz +NTk1OVowgYMxCzAJBgNVBAYTAlVTMRAwDgYDVQQIEwdBcml6b25hMRMwEQYDVQQH +EwpTY290dHNkYWxlMRowGAYDVQQKExFHb0RhZGR5LmNvbSwgSW5jLjExMC8GA1UE +AxMoR28gRGFkZHkgUm9vdCBDZXJ0aWZpY2F0ZSBBdXRob3JpdHkgLSBHMjCCASIw +DQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAL9xYgjx+lk09xvJGKP3gElY6SKD +E6bFIEMBO4Tx5oVJnyfq9oQbTqC023CYxzIBsQU+B07u9PpPL1kwIuerGVZr4oAH +/PMWdYA5UXvl+TW2dE6pjYIT5LY/qQOD+qK+ihVqf94Lw7YZFAXK6sOoBJQ7Rnwy +DfMAZiLIjWltNowRGLfTshxgtDj6AozO091GB94KPutdfMh8+7ArU6SSYmlRJQVh +GkSBjCypQ5Yj36w6gZoOKcUcqeldHraenjAKOc7xiID7S13MMuyFYkMlNAJWJwGR +tDtwKj9useiciAF9n9T521NtYJ2/LOdYq7hfRvzOxBsDPAnrSTFcaUaz4EcCAwEA +AaNCMEAwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYE +FDqahQcQZyi27/a9BUFuIMGU2g/eMA0GCSqGSIb3DQEBCwUAA4IBAQCZ21151fmX +WWcDYfF+OwYxdS2hII5PZYe096acvNjpL9DbWu7PdIxztDhC2gV7+AJ1uP2lsdeu +9tfeE8tTEH6KRtGX+rcuKxGrkLAngPnon1rpN5+r5N9ss4UXnT3ZJE95kTXWXwTr +gIOrmgIttRD02JDHBHNA7XIloKmf7J6raBKZV8aPEjoJpL1E/QYVN8Gb5DKj7Tjo +2GTzLH4U/ALqn83/B2gX2yKQOC16jdFU8WnjXzPKej17CuPKf1855eJ1usV2GDPO +LPAvTK33sefOT6jEm0pUBsV/fdUID+Ic/n4XuKxe9tQWskMJDE32p2u0mYRlynqI +4uJEvlz36hz1 +-----END CERTIFICATE----- + +# Issuer: CN=Starfield Root Certificate Authority - G2 O=Starfield Technologies, Inc. +# Subject: CN=Starfield Root Certificate Authority - G2 O=Starfield Technologies, Inc. +# Label: "Starfield Root Certificate Authority - G2" +# Serial: 0 +# MD5 Fingerprint: d6:39:81:c6:52:7e:96:69:fc:fc:ca:66:ed:05:f2:96 +# SHA1 Fingerprint: b5:1c:06:7c:ee:2b:0c:3d:f8:55:ab:2d:92:f4:fe:39:d4:e7:0f:0e +# SHA256 Fingerprint: 2c:e1:cb:0b:f9:d2:f9:e1:02:99:3f:be:21:51:52:c3:b2:dd:0c:ab:de:1c:68:e5:31:9b:83:91:54:db:b7:f5 +-----BEGIN CERTIFICATE----- +MIID3TCCAsWgAwIBAgIBADANBgkqhkiG9w0BAQsFADCBjzELMAkGA1UEBhMCVVMx +EDAOBgNVBAgTB0FyaXpvbmExEzARBgNVBAcTClNjb3R0c2RhbGUxJTAjBgNVBAoT +HFN0YXJmaWVsZCBUZWNobm9sb2dpZXMsIEluYy4xMjAwBgNVBAMTKVN0YXJmaWVs +ZCBSb290IENlcnRpZmljYXRlIEF1dGhvcml0eSAtIEcyMB4XDTA5MDkwMTAwMDAw +MFoXDTM3MTIzMTIzNTk1OVowgY8xCzAJBgNVBAYTAlVTMRAwDgYDVQQIEwdBcml6 +b25hMRMwEQYDVQQHEwpTY290dHNkYWxlMSUwIwYDVQQKExxTdGFyZmllbGQgVGVj +aG5vbG9naWVzLCBJbmMuMTIwMAYDVQQDEylTdGFyZmllbGQgUm9vdCBDZXJ0aWZp +Y2F0ZSBBdXRob3JpdHkgLSBHMjCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoC +ggEBAL3twQP89o/8ArFvW59I2Z154qK3A2FWGMNHttfKPTUuiUP3oWmb3ooa/RMg +nLRJdzIpVv257IzdIvpy3Cdhl+72WoTsbhm5iSzchFvVdPtrX8WJpRBSiUZV9Lh1 +HOZ/5FSuS/hVclcCGfgXcVnrHigHdMWdSL5stPSksPNkN3mSwOxGXn/hbVNMYq/N +Hwtjuzqd+/x5AJhhdM8mgkBj87JyahkNmcrUDnXMN/uLicFZ8WJ/X7NfZTD4p7dN +dloedl40wOiWVpmKs/B/pM293DIxfJHP4F8R+GuqSVzRmZTRouNjWwl2tVZi4Ut0 +HZbUJtQIBFnQmA4O5t78w+wfkPECAwEAAaNCMEAwDwYDVR0TAQH/BAUwAwEB/zAO +BgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFHwMMh+n2TB/xH1oo2Kooc6rB1snMA0G +CSqGSIb3DQEBCwUAA4IBAQARWfolTwNvlJk7mh+ChTnUdgWUXuEok21iXQnCoKjU +sHU48TRqneSfioYmUeYs0cYtbpUgSpIB7LiKZ3sx4mcujJUDJi5DnUox9g61DLu3 +4jd/IroAow57UvtruzvE03lRTs2Q9GcHGcg8RnoNAX3FWOdt5oUwF5okxBDgBPfg +8n/Uqgr/Qh037ZTlZFkSIHc40zI+OIF1lnP6aI+xy84fxez6nH7PfrHxBy22/L/K +pL/QlwVKvOoYKAKQvVR4CSFx09F9HdkWsKlhPdAKACL8x3vLCWRFCztAgfd9fDL1 +mMpYjn0q7pBZc2T5NnReJaH1ZgUufzkVqSr7UIuOhWn0 +-----END CERTIFICATE----- + +# Issuer: CN=Starfield Services Root Certificate Authority - G2 O=Starfield Technologies, Inc. +# Subject: CN=Starfield Services Root Certificate Authority - G2 O=Starfield Technologies, Inc. +# Label: "Starfield Services Root Certificate Authority - G2" +# Serial: 0 +# MD5 Fingerprint: 17:35:74:af:7b:61:1c:eb:f4:f9:3c:e2:ee:40:f9:a2 +# SHA1 Fingerprint: 92:5a:8f:8d:2c:6d:04:e0:66:5f:59:6a:ff:22:d8:63:e8:25:6f:3f +# SHA256 Fingerprint: 56:8d:69:05:a2:c8:87:08:a4:b3:02:51:90:ed:cf:ed:b1:97:4a:60:6a:13:c6:e5:29:0f:cb:2a:e6:3e:da:b5 +-----BEGIN CERTIFICATE----- +MIID7zCCAtegAwIBAgIBADANBgkqhkiG9w0BAQsFADCBmDELMAkGA1UEBhMCVVMx +EDAOBgNVBAgTB0FyaXpvbmExEzARBgNVBAcTClNjb3R0c2RhbGUxJTAjBgNVBAoT +HFN0YXJmaWVsZCBUZWNobm9sb2dpZXMsIEluYy4xOzA5BgNVBAMTMlN0YXJmaWVs +ZCBTZXJ2aWNlcyBSb290IENlcnRpZmljYXRlIEF1dGhvcml0eSAtIEcyMB4XDTA5 +MDkwMTAwMDAwMFoXDTM3MTIzMTIzNTk1OVowgZgxCzAJBgNVBAYTAlVTMRAwDgYD +VQQIEwdBcml6b25hMRMwEQYDVQQHEwpTY290dHNkYWxlMSUwIwYDVQQKExxTdGFy +ZmllbGQgVGVjaG5vbG9naWVzLCBJbmMuMTswOQYDVQQDEzJTdGFyZmllbGQgU2Vy +dmljZXMgUm9vdCBDZXJ0aWZpY2F0ZSBBdXRob3JpdHkgLSBHMjCCASIwDQYJKoZI +hvcNAQEBBQADggEPADCCAQoCggEBANUMOsQq+U7i9b4Zl1+OiFOxHz/Lz58gE20p +OsgPfTz3a3Y4Y9k2YKibXlwAgLIvWX/2h/klQ4bnaRtSmpDhcePYLQ1Ob/bISdm2 +8xpWriu2dBTrz/sm4xq6HZYuajtYlIlHVv8loJNwU4PahHQUw2eeBGg6345AWh1K +Ts9DkTvnVtYAcMtS7nt9rjrnvDH5RfbCYM8TWQIrgMw0R9+53pBlbQLPLJGmpufe +hRhJfGZOozptqbXuNC66DQO4M99H67FrjSXZm86B0UVGMpZwh94CDklDhbZsc7tk +6mFBrMnUVN+HL8cisibMn1lUaJ/8viovxFUcdUBgF4UCVTmLfwUCAwEAAaNCMEAw +DwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFJxfAN+q +AdcwKziIorhtSpzyEZGDMA0GCSqGSIb3DQEBCwUAA4IBAQBLNqaEd2ndOxmfZyMI +bw5hyf2E3F/YNoHN2BtBLZ9g3ccaaNnRbobhiCPPE95Dz+I0swSdHynVv/heyNXB +ve6SbzJ08pGCL72CQnqtKrcgfU28elUSwhXqvfdqlS5sdJ/PHLTyxQGjhdByPq1z +qwubdQxtRbeOlKyWN7Wg0I8VRw7j6IPdj/3vQQF3zCepYoUz8jcI73HPdwbeyBkd +iEDPfUYd/x7H4c7/I9vG+o1VTqkC50cRRj70/b17KSa7qWFiNyi2LSr2EIZkyXCn +0q23KXB56jzaYyWf/Wi3MOxw+3WKt21gZ7IeyLnp2KhvAotnDU0mV3HaIPzBSlCN +sSi6 +-----END CERTIFICATE----- + +# Issuer: CN=AffirmTrust Commercial O=AffirmTrust +# Subject: CN=AffirmTrust Commercial O=AffirmTrust +# Label: "AffirmTrust Commercial" +# Serial: 8608355977964138876 +# MD5 Fingerprint: 82:92:ba:5b:ef:cd:8a:6f:a6:3d:55:f9:84:f6:d6:b7 +# SHA1 Fingerprint: f9:b5:b6:32:45:5f:9c:be:ec:57:5f:80:dc:e9:6e:2c:c7:b2:78:b7 +# SHA256 Fingerprint: 03:76:ab:1d:54:c5:f9:80:3c:e4:b2:e2:01:a0:ee:7e:ef:7b:57:b6:36:e8:a9:3c:9b:8d:48:60:c9:6f:5f:a7 +-----BEGIN CERTIFICATE----- +MIIDTDCCAjSgAwIBAgIId3cGJyapsXwwDQYJKoZIhvcNAQELBQAwRDELMAkGA1UE +BhMCVVMxFDASBgNVBAoMC0FmZmlybVRydXN0MR8wHQYDVQQDDBZBZmZpcm1UcnVz +dCBDb21tZXJjaWFsMB4XDTEwMDEyOTE0MDYwNloXDTMwMTIzMTE0MDYwNlowRDEL +MAkGA1UEBhMCVVMxFDASBgNVBAoMC0FmZmlybVRydXN0MR8wHQYDVQQDDBZBZmZp +cm1UcnVzdCBDb21tZXJjaWFsMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKC +AQEA9htPZwcroRX1BiLLHwGy43NFBkRJLLtJJRTWzsO3qyxPxkEylFf6EqdbDuKP +Hx6GGaeqtS25Xw2Kwq+FNXkyLbscYjfysVtKPcrNcV/pQr6U6Mje+SJIZMblq8Yr +ba0F8PrVC8+a5fBQpIs7R6UjW3p6+DM/uO+Zl+MgwdYoic+U+7lF7eNAFxHUdPAL +MeIrJmqbTFeurCA+ukV6BfO9m2kVrn1OIGPENXY6BwLJN/3HR+7o8XYdcxXyl6S1 +yHp52UKqK39c/s4mT6NmgTWvRLpUHhwwMmWd5jyTXlBOeuM61G7MGvv50jeuJCqr +VwMiKA1JdX+3KNp1v47j3A55MQIDAQABo0IwQDAdBgNVHQ4EFgQUnZPGU4teyq8/ +nx4P5ZmVvCT2lI8wDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwDQYJ +KoZIhvcNAQELBQADggEBAFis9AQOzcAN/wr91LoWXym9e2iZWEnStB03TX8nfUYG +XUPGhi4+c7ImfU+TqbbEKpqrIZcUsd6M06uJFdhrJNTxFq7YpFzUf1GO7RgBsZNj +vbz4YYCanrHOQnDiqX0GJX0nof5v7LMeJNrjS1UaADs1tDvZ110w/YETifLCBivt +Z8SOyUOyXGsViQK8YvxO8rUzqrJv0wqiUOP2O+guRMLbZjipM1ZI8W0bM40NjD9g +N53Tym1+NH4Nn3J2ixufcv1SNUFFApYvHLKac0khsUlHRUe072o0EclNmsxZt9YC +nlpOZbWUrhvfKbAW8b8Angc6F2S1BLUjIZkKlTuXfO8= +-----END CERTIFICATE----- + +# Issuer: CN=AffirmTrust Networking O=AffirmTrust +# Subject: CN=AffirmTrust Networking O=AffirmTrust +# Label: "AffirmTrust Networking" +# Serial: 8957382827206547757 +# MD5 Fingerprint: 42:65:ca:be:01:9a:9a:4c:a9:8c:41:49:cd:c0:d5:7f +# SHA1 Fingerprint: 29:36:21:02:8b:20:ed:02:f5:66:c5:32:d1:d6:ed:90:9f:45:00:2f +# SHA256 Fingerprint: 0a:81:ec:5a:92:97:77:f1:45:90:4a:f3:8d:5d:50:9f:66:b5:e2:c5:8f:cd:b5:31:05:8b:0e:17:f3:f0:b4:1b +-----BEGIN CERTIFICATE----- +MIIDTDCCAjSgAwIBAgIIfE8EORzUmS0wDQYJKoZIhvcNAQEFBQAwRDELMAkGA1UE +BhMCVVMxFDASBgNVBAoMC0FmZmlybVRydXN0MR8wHQYDVQQDDBZBZmZpcm1UcnVz +dCBOZXR3b3JraW5nMB4XDTEwMDEyOTE0MDgyNFoXDTMwMTIzMTE0MDgyNFowRDEL +MAkGA1UEBhMCVVMxFDASBgNVBAoMC0FmZmlybVRydXN0MR8wHQYDVQQDDBZBZmZp +cm1UcnVzdCBOZXR3b3JraW5nMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKC +AQEAtITMMxcua5Rsa2FSoOujz3mUTOWUgJnLVWREZY9nZOIG41w3SfYvm4SEHi3y +YJ0wTsyEheIszx6e/jarM3c1RNg1lho9Nuh6DtjVR6FqaYvZ/Ls6rnla1fTWcbua +kCNrmreIdIcMHl+5ni36q1Mr3Lt2PpNMCAiMHqIjHNRqrSK6mQEubWXLviRmVSRL +QESxG9fhwoXA3hA/Pe24/PHxI1Pcv2WXb9n5QHGNfb2V1M6+oF4nI979ptAmDgAp +6zxG8D1gvz9Q0twmQVGeFDdCBKNwV6gbh+0t+nvujArjqWaJGctB+d1ENmHP4ndG +yH329JKBNv3bNPFyfvMMFr20FQIDAQABo0IwQDAdBgNVHQ4EFgQUBx/S55zawm6i +QLSwelAQUHTEyL0wDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwDQYJ +KoZIhvcNAQEFBQADggEBAIlXshZ6qML91tmbmzTCnLQyFE2npN/svqe++EPbkTfO +tDIuUFUaNU52Q3Eg75N3ThVwLofDwR1t3Mu1J9QsVtFSUzpE0nPIxBsFZVpikpzu +QY0x2+c06lkh1QF612S4ZDnNye2v7UsDSKegmQGA3GWjNq5lWUhPgkvIZfFXHeVZ +Lgo/bNjR9eUJtGxUAArgFU2HdW23WJZa3W3SAKD0m0i+wzekujbgfIeFlxoVot4u +olu9rxj5kFDNcFn4J2dHy8egBzp90SxdbBk6ZrV9/ZFvgrG+CJPbFEfxojfHRZ48 +x3evZKiT3/Zpg4Jg8klCNO1aAFSFHBY2kgxc+qatv9s= +-----END CERTIFICATE----- + +# Issuer: CN=AffirmTrust Premium O=AffirmTrust +# Subject: CN=AffirmTrust Premium O=AffirmTrust +# Label: "AffirmTrust Premium" +# Serial: 7893706540734352110 +# MD5 Fingerprint: c4:5d:0e:48:b6:ac:28:30:4e:0a:bc:f9:38:16:87:57 +# SHA1 Fingerprint: d8:a6:33:2c:e0:03:6f:b1:85:f6:63:4f:7d:6a:06:65:26:32:28:27 +# SHA256 Fingerprint: 70:a7:3f:7f:37:6b:60:07:42:48:90:45:34:b1:14:82:d5:bf:0e:69:8e:cc:49:8d:f5:25:77:eb:f2:e9:3b:9a +-----BEGIN CERTIFICATE----- +MIIFRjCCAy6gAwIBAgIIbYwURrGmCu4wDQYJKoZIhvcNAQEMBQAwQTELMAkGA1UE +BhMCVVMxFDASBgNVBAoMC0FmZmlybVRydXN0MRwwGgYDVQQDDBNBZmZpcm1UcnVz +dCBQcmVtaXVtMB4XDTEwMDEyOTE0MTAzNloXDTQwMTIzMTE0MTAzNlowQTELMAkG +A1UEBhMCVVMxFDASBgNVBAoMC0FmZmlybVRydXN0MRwwGgYDVQQDDBNBZmZpcm1U +cnVzdCBQcmVtaXVtMIICIjANBgkqhkiG9w0BAQEFAAOCAg8AMIICCgKCAgEAxBLf +qV/+Qd3d9Z+K4/as4Tx4mrzY8H96oDMq3I0gW64tb+eT2TZwamjPjlGjhVtnBKAQ +JG9dKILBl1fYSCkTtuG+kU3fhQxTGJoeJKJPj/CihQvL9Cl/0qRY7iZNyaqoe5rZ ++jjeRFcV5fiMyNlI4g0WJx0eyIOFJbe6qlVBzAMiSy2RjYvmia9mx+n/K+k8rNrS +s8PhaJyJ+HoAVt70VZVs+7pk3WKL3wt3MutizCaam7uqYoNMtAZ6MMgpv+0GTZe5 +HMQxK9VfvFMSF5yZVylmd2EhMQcuJUmdGPLu8ytxjLW6OQdJd/zvLpKQBY0tL3d7 +70O/Nbua2Plzpyzy0FfuKE4mX4+QaAkvuPjcBukumj5Rp9EixAqnOEhss/n/fauG +V+O61oV4d7pD6kh/9ti+I20ev9E2bFhc8e6kGVQa9QPSdubhjL08s9NIS+LI+H+S +qHZGnEJlPqQewQcDWkYtuJfzt9WyVSHvutxMAJf7FJUnM7/oQ0dG0giZFmA7mn7S +5u046uwBHjxIVkkJx0w3AJ6IDsBz4W9m6XJHMD4Q5QsDyZpCAGzFlH5hxIrff4Ia +C1nEWTJ3s7xgaVY5/bQGeyzWZDbZvUjthB9+pSKPKrhC9IK31FOQeE4tGv2Bb0TX +OwF0lkLgAOIua+rF7nKsu7/+6qqo+Nz2snmKtmcCAwEAAaNCMEAwHQYDVR0OBBYE +FJ3AZ6YMItkm9UWrpmVSESfYRaxjMA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/ +BAQDAgEGMA0GCSqGSIb3DQEBDAUAA4ICAQCzV00QYk465KzquByvMiPIs0laUZx2 +KI15qldGF9X1Uva3ROgIRL8YhNILgM3FEv0AVQVhh0HctSSePMTYyPtwni94loMg +Nt58D2kTiKV1NpgIpsbfrM7jWNa3Pt668+s0QNiigfV4Py/VpfzZotReBA4Xrf5B +8OWycvpEgjNC6C1Y91aMYj+6QrCcDFx+LmUmXFNPALJ4fqENmS2NuB2OosSw/WDQ +MKSOyARiqcTtNd56l+0OOF6SL5Nwpamcb6d9Ex1+xghIsV5n61EIJenmJWtSKZGc +0jlzCFfemQa0W50QBuHCAKi4HEoCChTQwUHK+4w1IX2COPKpVJEZNZOUbWo6xbLQ +u4mGk+ibyQ86p3q4ofB4Rvr8Ny/lioTz3/4E2aFooC8k4gmVBtWVyuEklut89pMF +u+1z6S3RdTnX5yTb2E5fQ4+e0BQ5v1VwSJlXMbSc7kqYA5YwH2AG7hsj/oFgIxpH +YoWlzBk0gG+zrBrjn/B7SK3VAdlntqlyk+otZrWyuOQ9PLLvTIzq6we/qzWaVYa8 +GKa1qF60g2xraUDTn9zxw2lrueFtCfTxqlB2Cnp9ehehVZZCmTEJ3WARjQUwfuaO +RtGdFNrHF+QFlozEJLUbzxQHskD4o55BhrwE0GuWyCqANP2/7waj3VjFhT0+j/6e +KeC2uAloGRwYQw== +-----END CERTIFICATE----- + +# Issuer: CN=AffirmTrust Premium ECC O=AffirmTrust +# Subject: CN=AffirmTrust Premium ECC O=AffirmTrust +# Label: "AffirmTrust Premium ECC" +# Serial: 8401224907861490260 +# MD5 Fingerprint: 64:b0:09:55:cf:b1:d5:99:e2:be:13:ab:a6:5d:ea:4d +# SHA1 Fingerprint: b8:23:6b:00:2f:1d:16:86:53:01:55:6c:11:a4:37:ca:eb:ff:c3:bb +# SHA256 Fingerprint: bd:71:fd:f6:da:97:e4:cf:62:d1:64:7a:dd:25:81:b0:7d:79:ad:f8:39:7e:b4:ec:ba:9c:5e:84:88:82:14:23 +-----BEGIN CERTIFICATE----- +MIIB/jCCAYWgAwIBAgIIdJclisc/elQwCgYIKoZIzj0EAwMwRTELMAkGA1UEBhMC +VVMxFDASBgNVBAoMC0FmZmlybVRydXN0MSAwHgYDVQQDDBdBZmZpcm1UcnVzdCBQ +cmVtaXVtIEVDQzAeFw0xMDAxMjkxNDIwMjRaFw00MDEyMzExNDIwMjRaMEUxCzAJ +BgNVBAYTAlVTMRQwEgYDVQQKDAtBZmZpcm1UcnVzdDEgMB4GA1UEAwwXQWZmaXJt +VHJ1c3QgUHJlbWl1bSBFQ0MwdjAQBgcqhkjOPQIBBgUrgQQAIgNiAAQNMF4bFZ0D +0KF5Nbc6PJJ6yhUczWLznCZcBz3lVPqj1swS6vQUX+iOGasvLkjmrBhDeKzQN8O9 +ss0s5kfiGuZjuD0uL3jET9v0D6RoTFVya5UdThhClXjMNzyR4ptlKymjQjBAMB0G +A1UdDgQWBBSaryl6wBE1NSZRMADDav5A1a7WPDAPBgNVHRMBAf8EBTADAQH/MA4G +A1UdDwEB/wQEAwIBBjAKBggqhkjOPQQDAwNnADBkAjAXCfOHiFBar8jAQr9HX/Vs +aobgxCd05DhT1wV/GzTjxi+zygk8N53X57hG8f2h4nECMEJZh0PUUd+60wkyWs6I +flc9nF9Ca/UHLbXwgpP5WW+uZPpY5Yse42O+tYHNbwKMeQ== +-----END CERTIFICATE----- + +# Issuer: CN=Certum Trusted Network CA O=Unizeto Technologies S.A. OU=Certum Certification Authority +# Subject: CN=Certum Trusted Network CA O=Unizeto Technologies S.A. OU=Certum Certification Authority +# Label: "Certum Trusted Network CA" +# Serial: 279744 +# MD5 Fingerprint: d5:e9:81:40:c5:18:69:fc:46:2c:89:75:62:0f:aa:78 +# SHA1 Fingerprint: 07:e0:32:e0:20:b7:2c:3f:19:2f:06:28:a2:59:3a:19:a7:0f:06:9e +# SHA256 Fingerprint: 5c:58:46:8d:55:f5:8e:49:7e:74:39:82:d2:b5:00:10:b6:d1:65:37:4a:cf:83:a7:d4:a3:2d:b7:68:c4:40:8e +-----BEGIN CERTIFICATE----- +MIIDuzCCAqOgAwIBAgIDBETAMA0GCSqGSIb3DQEBBQUAMH4xCzAJBgNVBAYTAlBM +MSIwIAYDVQQKExlVbml6ZXRvIFRlY2hub2xvZ2llcyBTLkEuMScwJQYDVQQLEx5D +ZXJ0dW0gQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkxIjAgBgNVBAMTGUNlcnR1bSBU +cnVzdGVkIE5ldHdvcmsgQ0EwHhcNMDgxMDIyMTIwNzM3WhcNMjkxMjMxMTIwNzM3 +WjB+MQswCQYDVQQGEwJQTDEiMCAGA1UEChMZVW5pemV0byBUZWNobm9sb2dpZXMg +Uy5BLjEnMCUGA1UECxMeQ2VydHVtIENlcnRpZmljYXRpb24gQXV0aG9yaXR5MSIw +IAYDVQQDExlDZXJ0dW0gVHJ1c3RlZCBOZXR3b3JrIENBMIIBIjANBgkqhkiG9w0B +AQEFAAOCAQ8AMIIBCgKCAQEA4/t9o3K6wvDJFIf1awFO4W5AB7ptJ11/91sts1rH +UV+rpDKmYYe2bg+G0jACl/jXaVehGDldamR5xgFZrDwxSjh80gTSSyjoIF87B6LM +TXPb865Px1bVWqeWifrzq2jUI4ZZJ88JJ7ysbnKDHDBy3+Ci6dLhdHUZvSqeexVU +BBvXQzmtVSjF4hq79MDkrjhJM8x2hZ85RdKknvISjFH4fOQtf/WsX+sWn7Et0brM +kUJ3TCXJkDhv2/DM+44el1k+1WBO5gUo7Ul5E0u6SNsv+XLTOcr+H9g0cvW0QM8x +AcPs3hEtF10fuFDRXhmnad4HMyjKUJX5p1TLVIZQRan5SQIDAQABo0IwQDAPBgNV +HRMBAf8EBTADAQH/MB0GA1UdDgQWBBQIds3LB/8k9sXN7buQvOKEN0Z19zAOBgNV +HQ8BAf8EBAMCAQYwDQYJKoZIhvcNAQEFBQADggEBAKaorSLOAT2mo/9i0Eidi15y +sHhE49wcrwn9I0j6vSrEuVUEtRCjjSfeC4Jj0O7eDDd5QVsisrCaQVymcODU0HfL +I9MA4GxWL+FpDQ3Zqr8hgVDZBqWo/5U30Kr+4rP1mS1FhIrlQgnXdAIv94nYmem8 +J9RHjboNRhx3zxSkHLmkMcScKHQDNP8zGSal6Q10tz6XxnboJ5ajZt3hrvJBW8qY +VoNzcOSGGtIxQbovvi0TWnZvTuhOgQ4/WwMioBK+ZlgRSssDxLQqKi2WF+A5VLxI +03YnnZotBqbJ7DnSq9ufmgsnAjUpsUCV5/nonFWIGUbWtzT1fs45mtk48VH3Tyw= +-----END CERTIFICATE----- + +# Issuer: CN=TWCA Root Certification Authority O=TAIWAN-CA OU=Root CA +# Subject: CN=TWCA Root Certification Authority O=TAIWAN-CA OU=Root CA +# Label: "TWCA Root Certification Authority" +# Serial: 1 +# MD5 Fingerprint: aa:08:8f:f6:f9:7b:b7:f2:b1:a7:1e:9b:ea:ea:bd:79 +# SHA1 Fingerprint: cf:9e:87:6d:d3:eb:fc:42:26:97:a3:b5:a3:7a:a0:76:a9:06:23:48 +# SHA256 Fingerprint: bf:d8:8f:e1:10:1c:41:ae:3e:80:1b:f8:be:56:35:0e:e9:ba:d1:a6:b9:bd:51:5e:dc:5c:6d:5b:87:11:ac:44 +-----BEGIN CERTIFICATE----- +MIIDezCCAmOgAwIBAgIBATANBgkqhkiG9w0BAQUFADBfMQswCQYDVQQGEwJUVzES +MBAGA1UECgwJVEFJV0FOLUNBMRAwDgYDVQQLDAdSb290IENBMSowKAYDVQQDDCFU +V0NBIFJvb3QgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkwHhcNMDgwODI4MDcyNDMz +WhcNMzAxMjMxMTU1OTU5WjBfMQswCQYDVQQGEwJUVzESMBAGA1UECgwJVEFJV0FO +LUNBMRAwDgYDVQQLDAdSb290IENBMSowKAYDVQQDDCFUV0NBIFJvb3QgQ2VydGlm +aWNhdGlvbiBBdXRob3JpdHkwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIB +AQCwfnK4pAOU5qfeCTiRShFAh6d8WWQUe7UREN3+v9XAu1bihSX0NXIP+FPQQeFE +AcK0HMMxQhZHhTMidrIKbw/lJVBPhYa+v5guEGcevhEFhgWQxFnQfHgQsIBct+HH +K3XLfJ+utdGdIzdjp9xCoi2SBBtQwXu4PhvJVgSLL1KbralW6cH/ralYhzC2gfeX +RfwZVzsrb+RH9JlF/h3x+JejiB03HFyP4HYlmlD4oFT/RJB2I9IyxsOrBr/8+7/z +rX2SYgJbKdM1o5OaQ2RgXbL6Mv87BK9NQGr5x+PvI/1ry+UPizgN7gr8/g+YnzAx +3WxSZfmLgb4i4RxYA7qRG4kHAgMBAAGjQjBAMA4GA1UdDwEB/wQEAwIBBjAPBgNV +HRMBAf8EBTADAQH/MB0GA1UdDgQWBBRqOFsmjd6LWvJPelSDGRjjCDWmujANBgkq +hkiG9w0BAQUFAAOCAQEAPNV3PdrfibqHDAhUaiBQkr6wQT25JmSDCi/oQMCXKCeC +MErJk/9q56YAf4lCmtYR5VPOL8zy2gXE/uJQxDqGfczafhAJO5I1KlOy/usrBdls +XebQ79NqZp4VKIV66IIArB6nCWlWQtNoURi+VJq/REG6Sb4gumlc7rh3zc5sH62D +lhh9DrUUOYTxKOkto557HnpyWoOzeW/vtPzQCqVYT0bf+215WfKEIlKuD8z7fDvn +aspHYcN6+NOSBB+4IIThNlQWx0DeO4pz3N/GCUzf7Nr/1FNCocnyYh0igzyXxfkZ +YiesZSLX0zzG5Y6yU8xJzrww/nsOM5D77dIUkR8Hrw== +-----END CERTIFICATE----- + +# Issuer: O=SECOM Trust Systems CO.,LTD. OU=Security Communication RootCA2 +# Subject: O=SECOM Trust Systems CO.,LTD. OU=Security Communication RootCA2 +# Label: "Security Communication RootCA2" +# Serial: 0 +# MD5 Fingerprint: 6c:39:7d:a4:0e:55:59:b2:3f:d6:41:b1:12:50:de:43 +# SHA1 Fingerprint: 5f:3b:8c:f2:f8:10:b3:7d:78:b4:ce:ec:19:19:c3:73:34:b9:c7:74 +# SHA256 Fingerprint: 51:3b:2c:ec:b8:10:d4:cd:e5:dd:85:39:1a:df:c6:c2:dd:60:d8:7b:b7:36:d2:b5:21:48:4a:a4:7a:0e:be:f6 +-----BEGIN CERTIFICATE----- +MIIDdzCCAl+gAwIBAgIBADANBgkqhkiG9w0BAQsFADBdMQswCQYDVQQGEwJKUDEl +MCMGA1UEChMcU0VDT00gVHJ1c3QgU3lzdGVtcyBDTy4sTFRELjEnMCUGA1UECxMe +U2VjdXJpdHkgQ29tbXVuaWNhdGlvbiBSb290Q0EyMB4XDTA5MDUyOTA1MDAzOVoX +DTI5MDUyOTA1MDAzOVowXTELMAkGA1UEBhMCSlAxJTAjBgNVBAoTHFNFQ09NIFRy +dXN0IFN5c3RlbXMgQ08uLExURC4xJzAlBgNVBAsTHlNlY3VyaXR5IENvbW11bmlj +YXRpb24gUm9vdENBMjCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBANAV +OVKxUrO6xVmCxF1SrjpDZYBLx/KWvNs2l9amZIyoXvDjChz335c9S672XewhtUGr +zbl+dp+++T42NKA7wfYxEUV0kz1XgMX5iZnK5atq1LXaQZAQwdbWQonCv/Q4EpVM +VAX3NuRFg3sUZdbcDE3R3n4MqzvEFb46VqZab3ZpUql6ucjrappdUtAtCms1FgkQ +hNBqyjoGADdH5H5XTz+L62e4iKrFvlNVspHEfbmwhRkGeC7bYRr6hfVKkaHnFtWO +ojnflLhwHyg/i/xAXmODPIMqGplrz95Zajv8bxbXH/1KEOtOghY6rCcMU/Gt1SSw +awNQwS08Ft1ENCcadfsCAwEAAaNCMEAwHQYDVR0OBBYEFAqFqXdlBZh8QIH4D5cs +OPEK7DzPMA4GA1UdDwEB/wQEAwIBBjAPBgNVHRMBAf8EBTADAQH/MA0GCSqGSIb3 +DQEBCwUAA4IBAQBMOqNErLlFsceTfsgLCkLfZOoc7llsCLqJX2rKSpWeeo8HxdpF +coJxDjrSzG+ntKEju/Ykn8sX/oymzsLS28yN/HH8AynBbF0zX2S2ZTuJbxh2ePXc +okgfGT+Ok+vx+hfuzU7jBBJV1uXk3fs+BXziHV7Gp7yXT2g69ekuCkO2r1dcYmh8 +t/2jioSgrGK+KwmHNPBqAbubKVY8/gA3zyNs8U6qtnRGEmyR7jTV7JqR50S+kDFy +1UkC9gLl9B/rfNmWVan/7Ir5mUf/NVoCqgTLiluHcSmRvaS0eg29mvVXIwAHIRc/ +SjnRBUkLp7Y3gaVdjKozXoEofKd9J+sAro03 +-----END CERTIFICATE----- + +# Issuer: CN=Hellenic Academic and Research Institutions RootCA 2011 O=Hellenic Academic and Research Institutions Cert. Authority +# Subject: CN=Hellenic Academic and Research Institutions RootCA 2011 O=Hellenic Academic and Research Institutions Cert. Authority +# Label: "Hellenic Academic and Research Institutions RootCA 2011" +# Serial: 0 +# MD5 Fingerprint: 73:9f:4c:4b:73:5b:79:e9:fa:ba:1c:ef:6e:cb:d5:c9 +# SHA1 Fingerprint: fe:45:65:9b:79:03:5b:98:a1:61:b5:51:2e:ac:da:58:09:48:22:4d +# SHA256 Fingerprint: bc:10:4f:15:a4:8b:e7:09:dc:a5:42:a7:e1:d4:b9:df:6f:05:45:27:e8:02:ea:a9:2d:59:54:44:25:8a:fe:71 +-----BEGIN CERTIFICATE----- +MIIEMTCCAxmgAwIBAgIBADANBgkqhkiG9w0BAQUFADCBlTELMAkGA1UEBhMCR1Ix +RDBCBgNVBAoTO0hlbGxlbmljIEFjYWRlbWljIGFuZCBSZXNlYXJjaCBJbnN0aXR1 +dGlvbnMgQ2VydC4gQXV0aG9yaXR5MUAwPgYDVQQDEzdIZWxsZW5pYyBBY2FkZW1p +YyBhbmQgUmVzZWFyY2ggSW5zdGl0dXRpb25zIFJvb3RDQSAyMDExMB4XDTExMTIw +NjEzNDk1MloXDTMxMTIwMTEzNDk1MlowgZUxCzAJBgNVBAYTAkdSMUQwQgYDVQQK +EztIZWxsZW5pYyBBY2FkZW1pYyBhbmQgUmVzZWFyY2ggSW5zdGl0dXRpb25zIENl +cnQuIEF1dGhvcml0eTFAMD4GA1UEAxM3SGVsbGVuaWMgQWNhZGVtaWMgYW5kIFJl +c2VhcmNoIEluc3RpdHV0aW9ucyBSb290Q0EgMjAxMTCCASIwDQYJKoZIhvcNAQEB +BQADggEPADCCAQoCggEBAKlTAOMupvaO+mDYLZU++CwqVE7NuYRhlFhPjz2L5EPz +dYmNUeTDN9KKiE15HrcS3UN4SoqS5tdI1Q+kOilENbgH9mgdVc04UfCMJDGFr4PJ +fel3r+0ae50X+bOdOFAPplp5kYCvN66m0zH7tSYJnTxa71HFK9+WXesyHgLacEns +bgzImjeN9/E2YEsmLIKe0HjzDQ9jpFEw4fkrJxIH2Oq9GGKYsFk3fb7u8yBRQlqD +75O6aRXxYp2fmTmCobd0LovUxQt7L/DICto9eQqakxylKHJzkUOap9FNhYS5qXSP +FEDH3N6sQWRstBmbAmNtJGSPRLIl6s5ddAxjMlyNh+UCAwEAAaOBiTCBhjAPBgNV +HRMBAf8EBTADAQH/MAsGA1UdDwQEAwIBBjAdBgNVHQ4EFgQUppFC/RNhSiOeCKQp +5dgTBCPuQSUwRwYDVR0eBEAwPqA8MAWCAy5ncjAFggMuZXUwBoIELmVkdTAGggQu +b3JnMAWBAy5ncjAFgQMuZXUwBoEELmVkdTAGgQQub3JnMA0GCSqGSIb3DQEBBQUA +A4IBAQAf73lB4XtuP7KMhjdCSk4cNx6NZrokgclPEg8hwAOXhiVtXdMiKahsog2p +6z0GW5k6x8zDmjR/qw7IThzh+uTczQ2+vyT+bOdrwg3IBp5OjWEopmr95fZi6hg8 +TqBTnbI6nOulnJEWtk2C4AwFSKls9cz4y51JtPACpf1wA+2KIaWuE4ZJwzNzvoc7 +dIsXRSZMFpGD/md9zU1jZ/rzAxKWeAaNsWftjj++n08C9bMJL/NMh98qy5V8Acys +Nnq/onN694/BtZqhFLKPM58N7yLcZnuEvUUXBj08yrl3NI/K6s8/MT7jiOOASSXI +l7WdmplNsDz4SgCbZN2fOUvRJ9e4 +-----END CERTIFICATE----- + +# Issuer: CN=Actalis Authentication Root CA O=Actalis S.p.A./03358520967 +# Subject: CN=Actalis Authentication Root CA O=Actalis S.p.A./03358520967 +# Label: "Actalis Authentication Root CA" +# Serial: 6271844772424770508 +# MD5 Fingerprint: 69:c1:0d:4f:07:a3:1b:c3:fe:56:3d:04:bc:11:f6:a6 +# SHA1 Fingerprint: f3:73:b3:87:06:5a:28:84:8a:f2:f3:4a:ce:19:2b:dd:c7:8e:9c:ac +# SHA256 Fingerprint: 55:92:60:84:ec:96:3a:64:b9:6e:2a:be:01:ce:0b:a8:6a:64:fb:fe:bc:c7:aa:b5:af:c1:55:b3:7f:d7:60:66 +-----BEGIN CERTIFICATE----- +MIIFuzCCA6OgAwIBAgIIVwoRl0LE48wwDQYJKoZIhvcNAQELBQAwazELMAkGA1UE +BhMCSVQxDjAMBgNVBAcMBU1pbGFuMSMwIQYDVQQKDBpBY3RhbGlzIFMucC5BLi8w +MzM1ODUyMDk2NzEnMCUGA1UEAwweQWN0YWxpcyBBdXRoZW50aWNhdGlvbiBSb290 +IENBMB4XDTExMDkyMjExMjIwMloXDTMwMDkyMjExMjIwMlowazELMAkGA1UEBhMC +SVQxDjAMBgNVBAcMBU1pbGFuMSMwIQYDVQQKDBpBY3RhbGlzIFMucC5BLi8wMzM1 +ODUyMDk2NzEnMCUGA1UEAwweQWN0YWxpcyBBdXRoZW50aWNhdGlvbiBSb290IENB +MIICIjANBgkqhkiG9w0BAQEFAAOCAg8AMIICCgKCAgEAp8bEpSmkLO/lGMWwUKNv +UTufClrJwkg4CsIcoBh/kbWHuUA/3R1oHwiD1S0eiKD4j1aPbZkCkpAW1V8IbInX +4ay8IMKx4INRimlNAJZaby/ARH6jDuSRzVju3PvHHkVH3Se5CAGfpiEd9UEtL0z9 +KK3giq0itFZljoZUj5NDKd45RnijMCO6zfB9E1fAXdKDa0hMxKufgFpbOr3JpyI/ +gCczWw63igxdBzcIy2zSekciRDXFzMwujt0q7bd9Zg1fYVEiVRvjRuPjPdA1Yprb +rxTIW6HMiRvhMCb8oJsfgadHHwTrozmSBp+Z07/T6k9QnBn+locePGX2oxgkg4YQ +51Q+qDp2JE+BIcXjDwL4k5RHILv+1A7TaLndxHqEguNTVHnd25zS8gebLra8Pu2F +be8lEfKXGkJh90qX6IuxEAf6ZYGyojnP9zz/GPvG8VqLWeICrHuS0E4UT1lF9gxe +KF+w6D9Fz8+vm2/7hNN3WpVvrJSEnu68wEqPSpP4RCHiMUVhUE4Q2OM1fEwZtN4F +v6MGn8i1zeQf1xcGDXqVdFUNaBr8EBtiZJ1t4JWgw5QHVw0U5r0F+7if5t+L4sbn +fpb2U8WANFAoWPASUHEXMLrmeGO89LKtmyuy/uE5jF66CyCU3nuDuP/jVo23Eek7 +jPKxwV2dpAtMK9myGPW1n0sCAwEAAaNjMGEwHQYDVR0OBBYEFFLYiDrIn3hm7Ynz +ezhwlMkCAjbQMA8GA1UdEwEB/wQFMAMBAf8wHwYDVR0jBBgwFoAUUtiIOsifeGbt +ifN7OHCUyQICNtAwDgYDVR0PAQH/BAQDAgEGMA0GCSqGSIb3DQEBCwUAA4ICAQAL +e3KHwGCmSUyIWOYdiPcUZEim2FgKDk8TNd81HdTtBjHIgT5q1d07GjLukD0R0i70 +jsNjLiNmsGe+b7bAEzlgqqI0JZN1Ut6nna0Oh4lScWoWPBkdg/iaKWW+9D+a2fDz +WochcYBNy+A4mz+7+uAwTc+G02UQGRjRlwKxK3JCaKygvU5a2hi/a5iB0P2avl4V +SM0RFbnAKVy06Ij3Pjaut2L9HmLecHgQHEhb2rykOLpn7VU+Xlff1ANATIGk0k9j +pwlCCRT8AKnCgHNPLsBA2RF7SOp6AsDT6ygBJlh0wcBzIm2Tlf05fbsq4/aC4yyX +X04fkZT6/iyj2HYauE2yOE+b+h1IYHkm4vP9qdCa6HCPSXrW5b0KDtst842/6+Ok +fcvHlXHo2qN8xcL4dJIEG4aspCJTQLas/kx2z/uUMsA1n3Y/buWQbqCmJqK4LL7R +K4X9p2jIugErsWx0Hbhzlefut8cl8ABMALJ+tguLHPPAUJ4lueAI3jZm/zel0btU +ZCzJJ7VLkn5l/9Mt4blOvH+kQSGQQXemOR/qnuOf0GZvBeyqdn6/axag67XH/JJU +LysRJyU3eExRarDzzFhdFPFqSBX/wge2sY0PjlxQRrM9vwGYT7JZVEc+NHt4bVaT +LnPqZih4zR0Uv6CPLy64Lo7yFIrM6bV8+2ydDKXhlg== +-----END CERTIFICATE----- + +# Issuer: O=Trustis Limited OU=Trustis FPS Root CA +# Subject: O=Trustis Limited OU=Trustis FPS Root CA +# Label: "Trustis FPS Root CA" +# Serial: 36053640375399034304724988975563710553 +# MD5 Fingerprint: 30:c9:e7:1e:6b:e6:14:eb:65:b2:16:69:20:31:67:4d +# SHA1 Fingerprint: 3b:c0:38:0b:33:c3:f6:a6:0c:86:15:22:93:d9:df:f5:4b:81:c0:04 +# SHA256 Fingerprint: c1:b4:82:99:ab:a5:20:8f:e9:63:0a:ce:55:ca:68:a0:3e:da:5a:51:9c:88:02:a0:d3:a6:73:be:8f:8e:55:7d +-----BEGIN CERTIFICATE----- +MIIDZzCCAk+gAwIBAgIQGx+ttiD5JNM2a/fH8YygWTANBgkqhkiG9w0BAQUFADBF +MQswCQYDVQQGEwJHQjEYMBYGA1UEChMPVHJ1c3RpcyBMaW1pdGVkMRwwGgYDVQQL +ExNUcnVzdGlzIEZQUyBSb290IENBMB4XDTAzMTIyMzEyMTQwNloXDTI0MDEyMTEx +MzY1NFowRTELMAkGA1UEBhMCR0IxGDAWBgNVBAoTD1RydXN0aXMgTGltaXRlZDEc +MBoGA1UECxMTVHJ1c3RpcyBGUFMgUm9vdCBDQTCCASIwDQYJKoZIhvcNAQEBBQAD +ggEPADCCAQoCggEBAMVQe547NdDfxIzNjpvto8A2mfRC6qc+gIMPpqdZh8mQRUN+ +AOqGeSoDvT03mYlmt+WKVoaTnGhLaASMk5MCPjDSNzoiYYkchU59j9WvezX2fihH +iTHcDnlkH5nSW7r+f2C/revnPDgpai/lkQtV/+xvWNUtyd5MZnGPDNcE2gfmHhjj +vSkCqPoc4Vu5g6hBSLwacY3nYuUtsuvffM/bq1rKMfFMIvMFE/eC+XN5DL7XSxzA +0RU8k0Fk0ea+IxciAIleH2ulrG6nS4zto3Lmr2NNL4XSFDWaLk6M6jKYKIahkQlB +OrTh4/L68MkKokHdqeMDx4gVOxzUGpTXn2RZEm0CAwEAAaNTMFEwDwYDVR0TAQH/ +BAUwAwEB/zAfBgNVHSMEGDAWgBS6+nEleYtXQSUhhgtx67JkDoshZzAdBgNVHQ4E +FgQUuvpxJXmLV0ElIYYLceuyZA6LIWcwDQYJKoZIhvcNAQEFBQADggEBAH5Y//01 +GX2cGE+esCu8jowU/yyg2kdbw++BLa8F6nRIW/M+TgfHbcWzk88iNVy2P3UnXwmW +zaD+vkAMXBJV+JOCyinpXj9WV4s4NvdFGkwozZ5BuO1WTISkQMi4sKUraXAEasP4 +1BIy+Q7DsdwyhEQsb8tGD+pmQQ9P8Vilpg0ND2HepZ5dfWWhPBfnqFVO76DH7cZE +f1T1o+CP8HxVIo8ptoGj4W1OLBuAZ+ytIJ8MYmHVl/9D7S3B2l0pKoU/rGXuhg8F +jZBf3+6f9L/uHfuY5H+QK4R4EA5sSVPvFVtlRkpdr7r7OnIdzfYliB6XzCGcKQEN +ZetX2fNXlrtIzYE= +-----END CERTIFICATE----- + +# Issuer: CN=Buypass Class 2 Root CA O=Buypass AS-983163327 +# Subject: CN=Buypass Class 2 Root CA O=Buypass AS-983163327 +# Label: "Buypass Class 2 Root CA" +# Serial: 2 +# MD5 Fingerprint: 46:a7:d2:fe:45:fb:64:5a:a8:59:90:9b:78:44:9b:29 +# SHA1 Fingerprint: 49:0a:75:74:de:87:0a:47:fe:58:ee:f6:c7:6b:eb:c6:0b:12:40:99 +# SHA256 Fingerprint: 9a:11:40:25:19:7c:5b:b9:5d:94:e6:3d:55:cd:43:79:08:47:b6:46:b2:3c:df:11:ad:a4:a0:0e:ff:15:fb:48 +-----BEGIN CERTIFICATE----- +MIIFWTCCA0GgAwIBAgIBAjANBgkqhkiG9w0BAQsFADBOMQswCQYDVQQGEwJOTzEd +MBsGA1UECgwUQnV5cGFzcyBBUy05ODMxNjMzMjcxIDAeBgNVBAMMF0J1eXBhc3Mg +Q2xhc3MgMiBSb290IENBMB4XDTEwMTAyNjA4MzgwM1oXDTQwMTAyNjA4MzgwM1ow +TjELMAkGA1UEBhMCTk8xHTAbBgNVBAoMFEJ1eXBhc3MgQVMtOTgzMTYzMzI3MSAw +HgYDVQQDDBdCdXlwYXNzIENsYXNzIDIgUm9vdCBDQTCCAiIwDQYJKoZIhvcNAQEB +BQADggIPADCCAgoCggIBANfHXvfBB9R3+0Mh9PT1aeTuMgHbo4Yf5FkNuud1g1Lr +6hxhFUi7HQfKjK6w3Jad6sNgkoaCKHOcVgb/S2TwDCo3SbXlzwx87vFKu3MwZfPV +L4O2fuPn9Z6rYPnT8Z2SdIrkHJasW4DptfQxh6NR/Md+oW+OU3fUl8FVM5I+GC91 +1K2GScuVr1QGbNgGE41b/+EmGVnAJLqBcXmQRFBoJJRfuLMR8SlBYaNByyM21cHx +MlAQTn/0hpPshNOOvEu/XAFOBz3cFIqUCqTqc/sLUegTBxj6DvEr0VQVfTzh97QZ +QmdiXnfgolXsttlpF9U6r0TtSsWe5HonfOV116rLJeffawrbD02TTqigzXsu8lkB +arcNuAeBfos4GzjmCleZPe4h6KP1DBbdi+w0jpwqHAAVF41og9JwnxgIzRFo1clr +Us3ERo/ctfPYV3Me6ZQ5BL/T3jjetFPsaRyifsSP5BtwrfKi+fv3FmRmaZ9JUaLi +FRhnBkp/1Wy1TbMz4GHrXb7pmA8y1x1LPC5aAVKRCfLf6o3YBkBjqhHk/sM3nhRS +P/TizPJhk9H9Z2vXUq6/aKtAQ6BXNVN48FP4YUIHZMbXb5tMOA1jrGKvNouicwoN +9SG9dKpN6nIDSdvHXx1iY8f93ZHsM+71bbRuMGjeyNYmsHVee7QHIJihdjK4TWxP +AgMBAAGjQjBAMA8GA1UdEwEB/wQFMAMBAf8wHQYDVR0OBBYEFMmAd+BikoL1Rpzz +uvdMw964o605MA4GA1UdDwEB/wQEAwIBBjANBgkqhkiG9w0BAQsFAAOCAgEAU18h +9bqwOlI5LJKwbADJ784g7wbylp7ppHR/ehb8t/W2+xUbP6umwHJdELFx7rxP462s +A20ucS6vxOOto70MEae0/0qyexAQH6dXQbLArvQsWdZHEIjzIVEpMMpghq9Gqx3t +OluwlN5E40EIosHsHdb9T7bWR9AUC8rmyrV7d35BH16Dx7aMOZawP5aBQW9gkOLo ++fsicdl9sz1Gv7SEr5AcD48Saq/v7h56rgJKihcrdv6sVIkkLE8/trKnToyokZf7 +KcZ7XC25y2a2t6hbElGFtQl+Ynhw/qlqYLYdDnkM/crqJIByw5c/8nerQyIKx+u2 +DISCLIBrQYoIwOula9+ZEsuK1V6ADJHgJgg2SMX6OBE1/yWDLfJ6v9r9jv6ly0Us +H8SIU653DtmadsWOLB2jutXsMq7Aqqz30XpN69QH4kj3Io6wpJ9qzo6ysmD0oyLQ +I+uUWnpp3Q+/QFesa1lQ2aOZ4W7+jQF5JyMV3pKdewlNWudLSDBaGOYKbeaP4NK7 +5t98biGCwWg5TbSYWGZizEqQXsP6JwSxeRV0mcy+rSDeJmAc61ZRpqPq5KM/p/9h +3PFaTWwyI0PurKju7koSCTxdccK+efrCh2gdC/1cacwG0Jp9VJkqyTkaGa9LKkPz +Y11aWOIv4x3kqdbQCtCev9eBCfHJxyYNrJgWVqA= +-----END CERTIFICATE----- + +# Issuer: CN=Buypass Class 3 Root CA O=Buypass AS-983163327 +# Subject: CN=Buypass Class 3 Root CA O=Buypass AS-983163327 +# Label: "Buypass Class 3 Root CA" +# Serial: 2 +# MD5 Fingerprint: 3d:3b:18:9e:2c:64:5a:e8:d5:88:ce:0e:f9:37:c2:ec +# SHA1 Fingerprint: da:fa:f7:fa:66:84:ec:06:8f:14:50:bd:c7:c2:81:a5:bc:a9:64:57 +# SHA256 Fingerprint: ed:f7:eb:bc:a2:7a:2a:38:4d:38:7b:7d:40:10:c6:66:e2:ed:b4:84:3e:4c:29:b4:ae:1d:5b:93:32:e6:b2:4d +-----BEGIN CERTIFICATE----- +MIIFWTCCA0GgAwIBAgIBAjANBgkqhkiG9w0BAQsFADBOMQswCQYDVQQGEwJOTzEd +MBsGA1UECgwUQnV5cGFzcyBBUy05ODMxNjMzMjcxIDAeBgNVBAMMF0J1eXBhc3Mg +Q2xhc3MgMyBSb290IENBMB4XDTEwMTAyNjA4Mjg1OFoXDTQwMTAyNjA4Mjg1OFow +TjELMAkGA1UEBhMCTk8xHTAbBgNVBAoMFEJ1eXBhc3MgQVMtOTgzMTYzMzI3MSAw +HgYDVQQDDBdCdXlwYXNzIENsYXNzIDMgUm9vdCBDQTCCAiIwDQYJKoZIhvcNAQEB +BQADggIPADCCAgoCggIBAKXaCpUWUOOV8l6ddjEGMnqb8RB2uACatVI2zSRHsJ8Y +ZLya9vrVediQYkwiL944PdbgqOkcLNt4EemOaFEVcsfzM4fkoF0LXOBXByow9c3E +N3coTRiR5r/VUv1xLXA+58bEiuPwKAv0dpihi4dVsjoT/Lc+JzeOIuOoTyrvYLs9 +tznDDgFHmV0ST9tD+leh7fmdvhFHJlsTmKtdFoqwNxxXnUX/iJY2v7vKB3tvh2PX +0DJq1l1sDPGzbjniazEuOQAnFN44wOwZZoYS6J1yFhNkUsepNxz9gjDthBgd9K5c +/3ATAOux9TN6S9ZV+AWNS2mw9bMoNlwUxFFzTWsL8TQH2xc519woe2v1n/MuwU8X +KhDzzMro6/1rqy6any2CbgTUUgGTLT2G/H783+9CHaZr77kgxve9oKeV/afmiSTY +zIw0bOIjL9kSGiG5VZFvC5F5GQytQIgLcOJ60g7YaEi7ghM5EFjp2CoHxhLbWNvS +O1UQRwUVZ2J+GGOmRj8JDlQyXr8NYnon74Do29lLBlo3WiXQCBJ31G8JUJc9yB3D +34xFMFbG02SrZvPAXpacw8Tvw3xrizp5f7NJzz3iiZ+gMEuFuZyUJHmPfWupRWgP +K9Dx2hzLabjKSWJtyNBjYt1gD1iqj6G8BaVmos8bdrKEZLFMOVLAMLrwjEsCsLa3 +AgMBAAGjQjBAMA8GA1UdEwEB/wQFMAMBAf8wHQYDVR0OBBYEFEe4zf/lb+74suwv +Tg75JbCOPGvDMA4GA1UdDwEB/wQEAwIBBjANBgkqhkiG9w0BAQsFAAOCAgEAACAj +QTUEkMJAYmDv4jVM1z+s4jSQuKFvdvoWFqRINyzpkMLyPPgKn9iB5btb2iUspKdV +cSQy9sgL8rxq+JOssgfCX5/bzMiKqr5qb+FJEMwx14C7u8jYog5kV+qi9cKpMRXS +IGrs/CIBKM+GuIAeqcwRpTzyFrNHnfzSgCHEy9BHcEGhyoMZCCxt8l13nIoUE9Q2 +HJLw5QY33KbmkJs4j1xrG0aGQ0JfPgEHU1RdZX33inOhmlRaHylDFCfChQ+1iHsa +O5S3HWCntZznKWlXWpuTekMwGwPXYshApqr8ZORK15FTAaggiG6cX0S5y2CBNOxv +033aSF/rtJC8LakcC6wc1aJoIIAE1vyxjy+7SjENSoYc6+I2KSb12tjE8nVhz36u +dmNKekBlk4f4HoCMhuWG1o8O/FMsYOgWYRqiPkN7zTlgVGr18okmAWiDSKIz6MkE +kbIRNBE+6tBDGR8Dk5AM/1E9V/RBbuHLoL7ryWPNbczk+DaqaJ3tvV2XcEQNtg41 +3OEMXbugUZTLfhbrES+jkkXITHHZvMmZUldGL1DPvTVp9D0VzgalLA8+9oG6lLvD +u79leNKGef9JOxqDDPDeeOzI8k1MGt6CKfjBWtrt7uYnXuhF0J0cUahoq0Tj0Itq +4/g7u9xN12TyUb7mqqta6THuBrxzvxNiCp/HuZc= +-----END CERTIFICATE----- + +# Issuer: CN=T-TeleSec GlobalRoot Class 3 O=T-Systems Enterprise Services GmbH OU=T-Systems Trust Center +# Subject: CN=T-TeleSec GlobalRoot Class 3 O=T-Systems Enterprise Services GmbH OU=T-Systems Trust Center +# Label: "T-TeleSec GlobalRoot Class 3" +# Serial: 1 +# MD5 Fingerprint: ca:fb:40:a8:4e:39:92:8a:1d:fe:8e:2f:c4:27:ea:ef +# SHA1 Fingerprint: 55:a6:72:3e:cb:f2:ec:cd:c3:23:74:70:19:9d:2a:be:11:e3:81:d1 +# SHA256 Fingerprint: fd:73:da:d3:1c:64:4f:f1:b4:3b:ef:0c:cd:da:96:71:0b:9c:d9:87:5e:ca:7e:31:70:7a:f3:e9:6d:52:2b:bd +-----BEGIN CERTIFICATE----- +MIIDwzCCAqugAwIBAgIBATANBgkqhkiG9w0BAQsFADCBgjELMAkGA1UEBhMCREUx +KzApBgNVBAoMIlQtU3lzdGVtcyBFbnRlcnByaXNlIFNlcnZpY2VzIEdtYkgxHzAd +BgNVBAsMFlQtU3lzdGVtcyBUcnVzdCBDZW50ZXIxJTAjBgNVBAMMHFQtVGVsZVNl +YyBHbG9iYWxSb290IENsYXNzIDMwHhcNMDgxMDAxMTAyOTU2WhcNMzMxMDAxMjM1 +OTU5WjCBgjELMAkGA1UEBhMCREUxKzApBgNVBAoMIlQtU3lzdGVtcyBFbnRlcnBy +aXNlIFNlcnZpY2VzIEdtYkgxHzAdBgNVBAsMFlQtU3lzdGVtcyBUcnVzdCBDZW50 +ZXIxJTAjBgNVBAMMHFQtVGVsZVNlYyBHbG9iYWxSb290IENsYXNzIDMwggEiMA0G +CSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQC9dZPwYiJvJK7genasfb3ZJNW4t/zN +8ELg63iIVl6bmlQdTQyK9tPPcPRStdiTBONGhnFBSivwKixVA9ZIw+A5OO3yXDw/ +RLyTPWGrTs0NvvAgJ1gORH8EGoel15YUNpDQSXuhdfsaa3Ox+M6pCSzyU9XDFES4 +hqX2iys52qMzVNn6chr3IhUciJFrf2blw2qAsCTz34ZFiP0Zf3WHHx+xGwpzJFu5 +ZeAsVMhg02YXP+HMVDNzkQI6pn97djmiH5a2OK61yJN0HZ65tOVgnS9W0eDrXltM +EnAMbEQgqxHY9Bn20pxSN+f6tsIxO0rUFJmtxxr1XV/6B7h8DR/Wgx6zAgMBAAGj +QjBAMA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0GA1UdDgQWBBS1 +A/d2O2GCahKqGFPrAyGUv/7OyjANBgkqhkiG9w0BAQsFAAOCAQEAVj3vlNW92nOy +WL6ukK2YJ5f+AbGwUgC4TeQbIXQbfsDuXmkqJa9c1h3a0nnJ85cp4IaH3gRZD/FZ +1GSFS5mvJQQeyUapl96Cshtwn5z2r3Ex3XsFpSzTucpH9sry9uetuUg/vBa3wW30 +6gmv7PO15wWeph6KU1HWk4HMdJP2udqmJQV0eVp+QD6CSyYRMG7hP0HHRwA11fXT +91Q+gT3aSWqas+8QPebrb9HIIkfLzM8BMZLZGOMivgkeGj5asuRrDFR6fUNOuIml +e9eiPZaGzPImNC1qkp2aGtAw4l1OBLBfiyB+d8E9lYLRRpo7PHi4b6HQDWSieB4p +TpPDpFQUWw== +-----END CERTIFICATE----- + +# Issuer: CN=EE Certification Centre Root CA O=AS Sertifitseerimiskeskus +# Subject: CN=EE Certification Centre Root CA O=AS Sertifitseerimiskeskus +# Label: "EE Certification Centre Root CA" +# Serial: 112324828676200291871926431888494945866 +# MD5 Fingerprint: 43:5e:88:d4:7d:1a:4a:7e:fd:84:2e:52:eb:01:d4:6f +# SHA1 Fingerprint: c9:a8:b9:e7:55:80:5e:58:e3:53:77:a7:25:eb:af:c3:7b:27:cc:d7 +# SHA256 Fingerprint: 3e:84:ba:43:42:90:85:16:e7:75:73:c0:99:2f:09:79:ca:08:4e:46:85:68:1f:f1:95:cc:ba:8a:22:9b:8a:76 +-----BEGIN CERTIFICATE----- +MIIEAzCCAuugAwIBAgIQVID5oHPtPwBMyonY43HmSjANBgkqhkiG9w0BAQUFADB1 +MQswCQYDVQQGEwJFRTEiMCAGA1UECgwZQVMgU2VydGlmaXRzZWVyaW1pc2tlc2t1 +czEoMCYGA1UEAwwfRUUgQ2VydGlmaWNhdGlvbiBDZW50cmUgUm9vdCBDQTEYMBYG +CSqGSIb3DQEJARYJcGtpQHNrLmVlMCIYDzIwMTAxMDMwMTAxMDMwWhgPMjAzMDEy +MTcyMzU5NTlaMHUxCzAJBgNVBAYTAkVFMSIwIAYDVQQKDBlBUyBTZXJ0aWZpdHNl +ZXJpbWlza2Vza3VzMSgwJgYDVQQDDB9FRSBDZXJ0aWZpY2F0aW9uIENlbnRyZSBS +b290IENBMRgwFgYJKoZIhvcNAQkBFglwa2lAc2suZWUwggEiMA0GCSqGSIb3DQEB +AQUAA4IBDwAwggEKAoIBAQDIIMDs4MVLqwd4lfNE7vsLDP90jmG7sWLqI9iroWUy +euuOF0+W2Ap7kaJjbMeMTC55v6kF/GlclY1i+blw7cNRfdCT5mzrMEvhvH2/UpvO +bntl8jixwKIy72KyaOBhU8E2lf/slLo2rpwcpzIP5Xy0xm90/XsY6KxX7QYgSzIw +WFv9zajmofxwvI6Sc9uXp3whrj3B9UiHbCe9nyV0gVWw93X2PaRka9ZP585ArQ/d +MtO8ihJTmMmJ+xAdTX7Nfh9WDSFwhfYggx/2uh8Ej+p3iDXE/+pOoYtNP2MbRMNE +1CV2yreN1x5KZmTNXMWcg+HCCIia7E6j8T4cLNlsHaFLAgMBAAGjgYowgYcwDwYD +VR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFBLyWj7qVhy/ +zQas8fElyalL1BSZMEUGA1UdJQQ+MDwGCCsGAQUFBwMCBggrBgEFBQcDAQYIKwYB +BQUHAwMGCCsGAQUFBwMEBggrBgEFBQcDCAYIKwYBBQUHAwkwDQYJKoZIhvcNAQEF +BQADggEBAHv25MANqhlHt01Xo/6tu7Fq1Q+e2+RjxY6hUFaTlrg4wCQiZrxTFGGV +v9DHKpY5P30osxBAIWrEr7BSdxjhlthWXePdNl4dp1BUoMUq5KqMlIpPnTX/dqQG +E5Gion0ARD9V04I8GtVbvFZMIi5GQ4okQC3zErg7cBqklrkar4dBGmoYDQZPxz5u +uSlNDUmJEYcyW+ZLBMjkXOZ0c5RdFpgTlf7727FE5TpwrDdr5rMzcijJs1eg9gIW +iAYLtqZLICjU3j2LrTcFU3T+bsy8QxdxXvnFzBqpYe73dgzzcvRyrc9yAjYHR8/v +GVCJYMzpJJUPwssd8m92kMfMdcGWxZ0= +-----END CERTIFICATE----- + +# Issuer: CN=D-TRUST Root Class 3 CA 2 2009 O=D-Trust GmbH +# Subject: CN=D-TRUST Root Class 3 CA 2 2009 O=D-Trust GmbH +# Label: "D-TRUST Root Class 3 CA 2 2009" +# Serial: 623603 +# MD5 Fingerprint: cd:e0:25:69:8d:47:ac:9c:89:35:90:f7:fd:51:3d:2f +# SHA1 Fingerprint: 58:e8:ab:b0:36:15:33:fb:80:f7:9b:1b:6d:29:d3:ff:8d:5f:00:f0 +# SHA256 Fingerprint: 49:e7:a4:42:ac:f0:ea:62:87:05:00:54:b5:25:64:b6:50:e4:f4:9e:42:e3:48:d6:aa:38:e0:39:e9:57:b1:c1 +-----BEGIN CERTIFICATE----- +MIIEMzCCAxugAwIBAgIDCYPzMA0GCSqGSIb3DQEBCwUAME0xCzAJBgNVBAYTAkRF +MRUwEwYDVQQKDAxELVRydXN0IEdtYkgxJzAlBgNVBAMMHkQtVFJVU1QgUm9vdCBD +bGFzcyAzIENBIDIgMjAwOTAeFw0wOTExMDUwODM1NThaFw0yOTExMDUwODM1NTha +ME0xCzAJBgNVBAYTAkRFMRUwEwYDVQQKDAxELVRydXN0IEdtYkgxJzAlBgNVBAMM +HkQtVFJVU1QgUm9vdCBDbGFzcyAzIENBIDIgMjAwOTCCASIwDQYJKoZIhvcNAQEB +BQADggEPADCCAQoCggEBANOySs96R+91myP6Oi/WUEWJNTrGa9v+2wBoqOADER03 +UAifTUpolDWzU9GUY6cgVq/eUXjsKj3zSEhQPgrfRlWLJ23DEE0NkVJD2IfgXU42 +tSHKXzlABF9bfsyjxiupQB7ZNoTWSPOSHjRGICTBpFGOShrvUD9pXRl/RcPHAY9R +ySPocq60vFYJfxLLHLGvKZAKyVXMD9O0Gu1HNVpK7ZxzBCHQqr0ME7UAyiZsxGsM +lFqVlNpQmvH/pStmMaTJOKDfHR+4CS7zp+hnUquVH+BGPtikw8paxTGA6Eian5Rp +/hnd2HN8gcqW3o7tszIFZYQ05ub9VxC1X3a/L7AQDcUCAwEAAaOCARowggEWMA8G +A1UdEwEB/wQFMAMBAf8wHQYDVR0OBBYEFP3aFMSfMN4hvR5COfyrYyNJ4PGEMA4G +A1UdDwEB/wQEAwIBBjCB0wYDVR0fBIHLMIHIMIGAoH6gfIZ6bGRhcDovL2RpcmVj +dG9yeS5kLXRydXN0Lm5ldC9DTj1ELVRSVVNUJTIwUm9vdCUyMENsYXNzJTIwMyUy +MENBJTIwMiUyMDIwMDksTz1ELVRydXN0JTIwR21iSCxDPURFP2NlcnRpZmljYXRl +cmV2b2NhdGlvbmxpc3QwQ6BBoD+GPWh0dHA6Ly93d3cuZC10cnVzdC5uZXQvY3Js +L2QtdHJ1c3Rfcm9vdF9jbGFzc18zX2NhXzJfMjAwOS5jcmwwDQYJKoZIhvcNAQEL +BQADggEBAH+X2zDI36ScfSF6gHDOFBJpiBSVYEQBrLLpME+bUMJm2H6NMLVwMeni +acfzcNsgFYbQDfC+rAF1hM5+n02/t2A7nPPKHeJeaNijnZflQGDSNiH+0LS4F9p0 +o3/U37CYAqxva2ssJSRyoWXuJVrl5jLn8t+rSfrzkGkj2wTZ51xY/GXUl77M/C4K +zCUqNQT4YJEVdT1B/yMfGchs64JTBKbkTCJNjYy6zltz7GRUUG3RnFX7acM2w4y8 +PIWmawomDeCTmGCufsYkl4phX5GOZpIJhzbNi5stPvZR1FDUWSi9g/LMKHtThm3Y +Johw1+qRzT65ysCQblrGXnRl11z+o+I= +-----END CERTIFICATE----- + +# Issuer: CN=D-TRUST Root Class 3 CA 2 EV 2009 O=D-Trust GmbH +# Subject: CN=D-TRUST Root Class 3 CA 2 EV 2009 O=D-Trust GmbH +# Label: "D-TRUST Root Class 3 CA 2 EV 2009" +# Serial: 623604 +# MD5 Fingerprint: aa:c6:43:2c:5e:2d:cd:c4:34:c0:50:4f:11:02:4f:b6 +# SHA1 Fingerprint: 96:c9:1b:0b:95:b4:10:98:42:fa:d0:d8:22:79:fe:60:fa:b9:16:83 +# SHA256 Fingerprint: ee:c5:49:6b:98:8c:e9:86:25:b9:34:09:2e:ec:29:08:be:d0:b0:f3:16:c2:d4:73:0c:84:ea:f1:f3:d3:48:81 +-----BEGIN CERTIFICATE----- +MIIEQzCCAyugAwIBAgIDCYP0MA0GCSqGSIb3DQEBCwUAMFAxCzAJBgNVBAYTAkRF +MRUwEwYDVQQKDAxELVRydXN0IEdtYkgxKjAoBgNVBAMMIUQtVFJVU1QgUm9vdCBD +bGFzcyAzIENBIDIgRVYgMjAwOTAeFw0wOTExMDUwODUwNDZaFw0yOTExMDUwODUw +NDZaMFAxCzAJBgNVBAYTAkRFMRUwEwYDVQQKDAxELVRydXN0IEdtYkgxKjAoBgNV +BAMMIUQtVFJVU1QgUm9vdCBDbGFzcyAzIENBIDIgRVYgMjAwOTCCASIwDQYJKoZI +hvcNAQEBBQADggEPADCCAQoCggEBAJnxhDRwui+3MKCOvXwEz75ivJn9gpfSegpn +ljgJ9hBOlSJzmY3aFS3nBfwZcyK3jpgAvDw9rKFs+9Z5JUut8Mxk2og+KbgPCdM0 +3TP1YtHhzRnp7hhPTFiu4h7WDFsVWtg6uMQYZB7jM7K1iXdODL/ZlGsTl28So/6Z +qQTMFexgaDbtCHu39b+T7WYxg4zGcTSHThfqr4uRjRxWQa4iN1438h3Z0S0NL2lR +p75mpoo6Kr3HGrHhFPC+Oh25z1uxav60sUYgovseO3Dvk5h9jHOW8sXvhXCtKSb8 +HgQ+HKDYD8tSg2J87otTlZCpV6LqYQXY+U3EJ/pure3511H3a6UCAwEAAaOCASQw +ggEgMA8GA1UdEwEB/wQFMAMBAf8wHQYDVR0OBBYEFNOUikxiEyoZLsyvcop9Ntea +HNxnMA4GA1UdDwEB/wQEAwIBBjCB3QYDVR0fBIHVMIHSMIGHoIGEoIGBhn9sZGFw +Oi8vZGlyZWN0b3J5LmQtdHJ1c3QubmV0L0NOPUQtVFJVU1QlMjBSb290JTIwQ2xh +c3MlMjAzJTIwQ0ElMjAyJTIwRVYlMjAyMDA5LE89RC1UcnVzdCUyMEdtYkgsQz1E +RT9jZXJ0aWZpY2F0ZXJldm9jYXRpb25saXN0MEagRKBChkBodHRwOi8vd3d3LmQt +dHJ1c3QubmV0L2NybC9kLXRydXN0X3Jvb3RfY2xhc3NfM19jYV8yX2V2XzIwMDku +Y3JsMA0GCSqGSIb3DQEBCwUAA4IBAQA07XtaPKSUiO8aEXUHL7P+PPoeUSbrh/Yp +3uDx1MYkCenBz1UbtDDZzhr+BlGmFaQt77JLvyAoJUnRpjZ3NOhk31KxEcdzes05 +nsKtjHEh8lprr988TlWvsoRlFIm5d8sqMb7Po23Pb0iUMkZv53GMoKaEGTcH8gNF +CSuGdXzfX2lXANtu2KZyIktQ1HWYVt+3GP9DQ1CuekR78HlR10M9p9OB0/DJT7na +xpeG0ILD5EJt/rDiZE4OJudANCa1CInXCGNjOCd1HjPqbqjdn5lPdE2BiYBL3ZqX +KVwvvoFBuYz/6n1gBp7N1z3TLqMVvKjmJuVvw9y4AyHqnxbxLFS1 +-----END CERTIFICATE----- + +# Issuer: CN=CA Disig Root R2 O=Disig a.s. +# Subject: CN=CA Disig Root R2 O=Disig a.s. +# Label: "CA Disig Root R2" +# Serial: 10572350602393338211 +# MD5 Fingerprint: 26:01:fb:d8:27:a7:17:9a:45:54:38:1a:43:01:3b:03 +# SHA1 Fingerprint: b5:61:eb:ea:a4:de:e4:25:4b:69:1a:98:a5:57:47:c2:34:c7:d9:71 +# SHA256 Fingerprint: e2:3d:4a:03:6d:7b:70:e9:f5:95:b1:42:20:79:d2:b9:1e:df:bb:1f:b6:51:a0:63:3e:aa:8a:9d:c5:f8:07:03 +-----BEGIN CERTIFICATE----- +MIIFaTCCA1GgAwIBAgIJAJK4iNuwisFjMA0GCSqGSIb3DQEBCwUAMFIxCzAJBgNV +BAYTAlNLMRMwEQYDVQQHEwpCcmF0aXNsYXZhMRMwEQYDVQQKEwpEaXNpZyBhLnMu +MRkwFwYDVQQDExBDQSBEaXNpZyBSb290IFIyMB4XDTEyMDcxOTA5MTUzMFoXDTQy +MDcxOTA5MTUzMFowUjELMAkGA1UEBhMCU0sxEzARBgNVBAcTCkJyYXRpc2xhdmEx +EzARBgNVBAoTCkRpc2lnIGEucy4xGTAXBgNVBAMTEENBIERpc2lnIFJvb3QgUjIw +ggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQCio8QACdaFXS1tFPbCw3Oe +NcJxVX6B+6tGUODBfEl45qt5WDza/3wcn9iXAng+a0EE6UG9vgMsRfYvZNSrXaNH +PWSb6WiaxswbP7q+sos0Ai6YVRn8jG+qX9pMzk0DIaPY0jSTVpbLTAwAFjxfGs3I +x2ymrdMxp7zo5eFm1tL7A7RBZckQrg4FY8aAamkw/dLukO8NJ9+flXP04SXabBbe +QTg06ov80egEFGEtQX6sx3dOy1FU+16SGBsEWmjGycT6txOgmLcRK7fWV8x8nhfR +yyX+hk4kLlYMeE2eARKmK6cBZW58Yh2EhN/qwGu1pSqVg8NTEQxzHQuyRpDRQjrO +QG6Vrf/GlK1ul4SOfW+eioANSW1z4nuSHsPzwfPrLgVv2RvPN3YEyLRa5Beny912 +H9AZdugsBbPWnDTYltxhh5EF5EQIM8HauQhl1K6yNg3ruji6DOWbnuuNZt2Zz9aJ +QfYEkoopKW1rOhzndX0CcQ7zwOe9yxndnWCywmZgtrEE7snmhrmaZkCo5xHtgUUD +i/ZnWejBBhG93c+AAk9lQHhcR1DIm+YfgXvkRKhbhZri3lrVx/k6RGZL5DJUfORs +nLMOPReisjQS1n6yqEm70XooQL6iFh/f5DcfEXP7kAplQ6INfPgGAVUzfbANuPT1 +rqVCV3w2EYx7XsQDnYx5nQIDAQABo0IwQDAPBgNVHRMBAf8EBTADAQH/MA4GA1Ud +DwEB/wQEAwIBBjAdBgNVHQ4EFgQUtZn4r7CU9eMg1gqtzk5WpC5uQu0wDQYJKoZI +hvcNAQELBQADggIBACYGXnDnZTPIgm7ZnBc6G3pmsgH2eDtpXi/q/075KMOYKmFM +tCQSin1tERT3nLXK5ryeJ45MGcipvXrA1zYObYVybqjGom32+nNjf7xueQgcnYqf +GopTpti72TVVsRHFqQOzVju5hJMiXn7B9hJSi+osZ7z+Nkz1uM/Rs0mSO9MpDpkb +lvdhuDvEK7Z4bLQjb/D907JedR+Zlais9trhxTF7+9FGs9K8Z7RiVLoJ92Owk6Ka ++elSLotgEqv89WBW7xBci8QaQtyDW2QOy7W81k/BfDxujRNt+3vrMNDcTa/F1bal +TFtxyegxvug4BkihGuLq0t4SOVga/4AOgnXmt8kHbA7v/zjxmHHEt38OFdAlab0i +nSvtBfZGR6ztwPDUO+Ls7pZbkBNOHlY667DvlruWIxG68kOGdGSVyCh13x01utI3 +gzhTODY7z2zp+WsO0PsE6E9312UBeIYMej4hYvF/Y3EMyZ9E26gnonW+boE+18Dr +G5gPcFw0sorMwIUY6256s/daoQe/qUKS82Ail+QUoQebTnbAjn39pCXHR+3/H3Os +zMOl6W8KjptlwlCFtaOgUxLMVYdh84GuEEZhvUQhuMI9dM9+JDX6HAcOmz0iyu8x +L4ysEr3vQCj8KWefshNPZiTEUxnpHikV7+ZtsH8tZ/3zbBt1RqPlShfppNcL +-----END CERTIFICATE----- + +# Issuer: CN=ACCVRAIZ1 O=ACCV OU=PKIACCV +# Subject: CN=ACCVRAIZ1 O=ACCV OU=PKIACCV +# Label: "ACCVRAIZ1" +# Serial: 6828503384748696800 +# MD5 Fingerprint: d0:a0:5a:ee:05:b6:09:94:21:a1:7d:f1:b2:29:82:02 +# SHA1 Fingerprint: 93:05:7a:88:15:c6:4f:ce:88:2f:fa:91:16:52:28:78:bc:53:64:17 +# SHA256 Fingerprint: 9a:6e:c0:12:e1:a7:da:9d:be:34:19:4d:47:8a:d7:c0:db:18:22:fb:07:1d:f1:29:81:49:6e:d1:04:38:41:13 +-----BEGIN CERTIFICATE----- +MIIH0zCCBbugAwIBAgIIXsO3pkN/pOAwDQYJKoZIhvcNAQEFBQAwQjESMBAGA1UE +AwwJQUNDVlJBSVoxMRAwDgYDVQQLDAdQS0lBQ0NWMQ0wCwYDVQQKDARBQ0NWMQsw +CQYDVQQGEwJFUzAeFw0xMTA1MDUwOTM3MzdaFw0zMDEyMzEwOTM3MzdaMEIxEjAQ +BgNVBAMMCUFDQ1ZSQUlaMTEQMA4GA1UECwwHUEtJQUNDVjENMAsGA1UECgwEQUND +VjELMAkGA1UEBhMCRVMwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQCb +qau/YUqXry+XZpp0X9DZlv3P4uRm7x8fRzPCRKPfmt4ftVTdFXxpNRFvu8gMjmoY +HtiP2Ra8EEg2XPBjs5BaXCQ316PWywlxufEBcoSwfdtNgM3802/J+Nq2DoLSRYWo +G2ioPej0RGy9ocLLA76MPhMAhN9KSMDjIgro6TenGEyxCQ0jVn8ETdkXhBilyNpA +lHPrzg5XPAOBOp0KoVdDaaxXbXmQeOW1tDvYvEyNKKGno6e6Ak4l0Squ7a4DIrhr +IA8wKFSVf+DuzgpmndFALW4ir50awQUZ0m/A8p/4e7MCQvtQqR0tkw8jq8bBD5L/ +0KIV9VMJcRz/RROE5iZe+OCIHAr8Fraocwa48GOEAqDGWuzndN9wrqODJerWx5eH +k6fGioozl2A3ED6XPm4pFdahD9GILBKfb6qkxkLrQaLjlUPTAYVtjrs78yM2x/47 +4KElB0iryYl0/wiPgL/AlmXz7uxLaL2diMMxs0Dx6M/2OLuc5NF/1OVYm3z61PMO +m3WR5LpSLhl+0fXNWhn8ugb2+1KoS5kE3fj5tItQo05iifCHJPqDQsGH+tUtKSpa +cXpkatcnYGMN285J9Y0fkIkyF/hzQ7jSWpOGYdbhdQrqeWZ2iE9x6wQl1gpaepPl +uUsXQA+xtrn13k/c4LOsOxFwYIRKQ26ZIMApcQrAZQIDAQABo4ICyzCCAscwfQYI +KwYBBQUHAQEEcTBvMEwGCCsGAQUFBzAChkBodHRwOi8vd3d3LmFjY3YuZXMvZmls +ZWFkbWluL0FyY2hpdm9zL2NlcnRpZmljYWRvcy9yYWl6YWNjdjEuY3J0MB8GCCsG +AQUFBzABhhNodHRwOi8vb2NzcC5hY2N2LmVzMB0GA1UdDgQWBBTSh7Tj3zcnk1X2 +VuqB5TbMjB4/vTAPBgNVHRMBAf8EBTADAQH/MB8GA1UdIwQYMBaAFNKHtOPfNyeT +VfZW6oHlNsyMHj+9MIIBcwYDVR0gBIIBajCCAWYwggFiBgRVHSAAMIIBWDCCASIG +CCsGAQUFBwICMIIBFB6CARAAQQB1AHQAbwByAGkAZABhAGQAIABkAGUAIABDAGUA +cgB0AGkAZgBpAGMAYQBjAGkA8wBuACAAUgBhAO0AegAgAGQAZQAgAGwAYQAgAEEA +QwBDAFYAIAAoAEEAZwBlAG4AYwBpAGEAIABkAGUAIABUAGUAYwBuAG8AbABvAGcA +7QBhACAAeQAgAEMAZQByAHQAaQBmAGkAYwBhAGMAaQDzAG4AIABFAGwAZQBjAHQA +cgDzAG4AaQBjAGEALAAgAEMASQBGACAAUQA0ADYAMAAxADEANQA2AEUAKQAuACAA +QwBQAFMAIABlAG4AIABoAHQAdABwADoALwAvAHcAdwB3AC4AYQBjAGMAdgAuAGUA +czAwBggrBgEFBQcCARYkaHR0cDovL3d3dy5hY2N2LmVzL2xlZ2lzbGFjaW9uX2Mu +aHRtMFUGA1UdHwROMEwwSqBIoEaGRGh0dHA6Ly93d3cuYWNjdi5lcy9maWxlYWRt +aW4vQXJjaGl2b3MvY2VydGlmaWNhZG9zL3JhaXphY2N2MV9kZXIuY3JsMA4GA1Ud +DwEB/wQEAwIBBjAXBgNVHREEEDAOgQxhY2N2QGFjY3YuZXMwDQYJKoZIhvcNAQEF +BQADggIBAJcxAp/n/UNnSEQU5CmH7UwoZtCPNdpNYbdKl02125DgBS4OxnnQ8pdp +D70ER9m+27Up2pvZrqmZ1dM8MJP1jaGo/AaNRPTKFpV8M9xii6g3+CfYCS0b78gU +JyCpZET/LtZ1qmxNYEAZSUNUY9rizLpm5U9EelvZaoErQNV/+QEnWCzI7UiRfD+m +AM/EKXMRNt6GGT6d7hmKG9Ww7Y49nCrADdg9ZuM8Db3VlFzi4qc1GwQA9j9ajepD +vV+JHanBsMyZ4k0ACtrJJ1vnE5Bc5PUzolVt3OAJTS+xJlsndQAJxGJ3KQhfnlms +tn6tn1QwIgPBHnFk/vk4CpYY3QIUrCPLBhwepH2NDd4nQeit2hW3sCPdK6jT2iWH +7ehVRE2I9DZ+hJp4rPcOVkkO1jMl1oRQQmwgEh0q1b688nCBpHBgvgW1m54ERL5h +I6zppSSMEYCUWqKiuUnSwdzRp+0xESyeGabu4VXhwOrPDYTkF7eifKXeVSUG7szA +h1xA2syVP1XgNce4hL60Xc16gwFy7ofmXx2utYXGJt/mwZrpHgJHnyqobalbz+xF +d3+YJ5oyXSrjhO7FmGYvliAd3djDJ9ew+f7Zfc3Qn48LFFhRny+Lwzgt3uiP1o2H +pPVWQxaZLPSkVrQ0uGE3ycJYgBugl6H8WY3pEfbRD0tVNEYqi4Y7 +-----END CERTIFICATE----- + +# Issuer: CN=TWCA Global Root CA O=TAIWAN-CA OU=Root CA +# Subject: CN=TWCA Global Root CA O=TAIWAN-CA OU=Root CA +# Label: "TWCA Global Root CA" +# Serial: 3262 +# MD5 Fingerprint: f9:03:7e:cf:e6:9e:3c:73:7a:2a:90:07:69:ff:2b:96 +# SHA1 Fingerprint: 9c:bb:48:53:f6:a4:f6:d3:52:a4:e8:32:52:55:60:13:f5:ad:af:65 +# SHA256 Fingerprint: 59:76:90:07:f7:68:5d:0f:cd:50:87:2f:9f:95:d5:75:5a:5b:2b:45:7d:81:f3:69:2b:61:0a:98:67:2f:0e:1b +-----BEGIN CERTIFICATE----- +MIIFQTCCAymgAwIBAgICDL4wDQYJKoZIhvcNAQELBQAwUTELMAkGA1UEBhMCVFcx +EjAQBgNVBAoTCVRBSVdBTi1DQTEQMA4GA1UECxMHUm9vdCBDQTEcMBoGA1UEAxMT +VFdDQSBHbG9iYWwgUm9vdCBDQTAeFw0xMjA2MjcwNjI4MzNaFw0zMDEyMzExNTU5 +NTlaMFExCzAJBgNVBAYTAlRXMRIwEAYDVQQKEwlUQUlXQU4tQ0ExEDAOBgNVBAsT +B1Jvb3QgQ0ExHDAaBgNVBAMTE1RXQ0EgR2xvYmFsIFJvb3QgQ0EwggIiMA0GCSqG +SIb3DQEBAQUAA4ICDwAwggIKAoICAQCwBdvI64zEbooh745NnHEKH1Jw7W2CnJfF +10xORUnLQEK1EjRsGcJ0pDFfhQKX7EMzClPSnIyOt7h52yvVavKOZsTuKwEHktSz +0ALfUPZVr2YOy+BHYC8rMjk1Ujoog/h7FsYYuGLWRyWRzvAZEk2tY/XTP3VfKfCh +MBwqoJimFb3u/Rk28OKRQ4/6ytYQJ0lM793B8YVwm8rqqFpD/G2Gb3PpN0Wp8DbH +zIh1HrtsBv+baz4X7GGqcXzGHaL3SekVtTzWoWH1EfcFbx39Eb7QMAfCKbAJTibc +46KokWofwpFFiFzlmLhxpRUZyXx1EcxwdE8tmx2RRP1WKKD+u4ZqyPpcC1jcxkt2 +yKsi2XMPpfRaAok/T54igu6idFMqPVMnaR1sjjIsZAAmY2E2TqNGtz99sy2sbZCi +laLOz9qC5wc0GZbpuCGqKX6mOL6OKUohZnkfs8O1CWfe1tQHRvMq2uYiN2DLgbYP +oA/pyJV/v1WRBXrPPRXAb94JlAGD1zQbzECl8LibZ9WYkTunhHiVJqRaCPgrdLQA +BDzfuBSO6N+pjWxnkjMdwLfS7JLIvgm/LCkFbwJrnu+8vyq8W8BQj0FwcYeyTbcE +qYSjMq+u7msXi7Kx/mzhkIyIqJdIzshNy/MGz19qCkKxHh53L46g5pIOBvwFItIm +4TFRfTLcDwIDAQABoyMwITAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB +/zANBgkqhkiG9w0BAQsFAAOCAgEAXzSBdu+WHdXltdkCY4QWwa6gcFGn90xHNcgL +1yg9iXHZqjNB6hQbbCEAwGxCGX6faVsgQt+i0trEfJdLjbDorMjupWkEmQqSpqsn +LhpNgb+E1HAerUf+/UqdM+DyucRFCCEK2mlpc3INvjT+lIutwx4116KD7+U4x6WF +H6vPNOw/KP4M8VeGTslV9xzU2KV9Bnpv1d8Q34FOIWWxtuEXeZVFBs5fzNxGiWNo +RI2T9GRwoD2dKAXDOXC4Ynsg/eTb6QihuJ49CcdP+yz4k3ZB3lLg4VfSnQO8d57+ +nile98FRYB/e2guyLXW3Q0iT5/Z5xoRdgFlglPx4mI88k1HtQJAH32RjJMtOcQWh +15QaiDLxInQirqWm2BJpTGCjAu4r7NRjkgtevi92a6O2JryPA9gK8kxkRr05YuWW +6zRjESjMlfGt7+/cgFhI6Uu46mWs6fyAtbXIRfmswZ/ZuepiiI7E8UuDEq3mi4TW +nsLrgxifarsbJGAzcMzs9zLzXNl5fe+epP7JI8Mk7hWSsT2RTyaGvWZzJBPqpK5j +wa19hAM8EHiGG3njxPPyBJUgriOCxLM6AGK/5jYk4Ve6xx6QddVfP5VhK8E7zeWz +aGHQRiapIVJpLesux+t3zqY6tQMzT3bR51xUAV3LePTJDL/PEo4XLSNolOer/qmy +KwbQBM0= +-----END CERTIFICATE----- + +# Issuer: CN=TeliaSonera Root CA v1 O=TeliaSonera +# Subject: CN=TeliaSonera Root CA v1 O=TeliaSonera +# Label: "TeliaSonera Root CA v1" +# Serial: 199041966741090107964904287217786801558 +# MD5 Fingerprint: 37:41:49:1b:18:56:9a:26:f5:ad:c2:66:fb:40:a5:4c +# SHA1 Fingerprint: 43:13:bb:96:f1:d5:86:9b:c1:4e:6a:92:f6:cf:f6:34:69:87:82:37 +# SHA256 Fingerprint: dd:69:36:fe:21:f8:f0:77:c1:23:a1:a5:21:c1:22:24:f7:22:55:b7:3e:03:a7:26:06:93:e8:a2:4b:0f:a3:89 +-----BEGIN CERTIFICATE----- +MIIFODCCAyCgAwIBAgIRAJW+FqD3LkbxezmCcvqLzZYwDQYJKoZIhvcNAQEFBQAw +NzEUMBIGA1UECgwLVGVsaWFTb25lcmExHzAdBgNVBAMMFlRlbGlhU29uZXJhIFJv +b3QgQ0EgdjEwHhcNMDcxMDE4MTIwMDUwWhcNMzIxMDE4MTIwMDUwWjA3MRQwEgYD +VQQKDAtUZWxpYVNvbmVyYTEfMB0GA1UEAwwWVGVsaWFTb25lcmEgUm9vdCBDQSB2 +MTCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAMK+6yfwIaPzaSZVfp3F +VRaRXP3vIb9TgHot0pGMYzHw7CTww6XScnwQbfQ3t+XmfHnqjLWCi65ItqwA3GV1 +7CpNX8GH9SBlK4GoRz6JI5UwFpB/6FcHSOcZrr9FZ7E3GwYq/t75rH2D+1665I+X +Z75Ljo1kB1c4VWk0Nj0TSO9P4tNmHqTPGrdeNjPUtAa9GAH9d4RQAEX1jF3oI7x+ +/jXh7VB7qTCNGdMJjmhnXb88lxhTuylixcpecsHHltTbLaC0H2kD7OriUPEMPPCs +81Mt8Bz17Ww5OXOAFshSsCPN4D7c3TxHoLs1iuKYaIu+5b9y7tL6pe0S7fyYGKkm +dtwoSxAgHNN/Fnct7W+A90m7UwW7XWjH1Mh1Fj+JWov3F0fUTPHSiXk+TT2YqGHe +Oh7S+F4D4MHJHIzTjU3TlTazN19jY5szFPAtJmtTfImMMsJu7D0hADnJoWjiUIMu +sDor8zagrC/kb2HCUQk5PotTubtn2txTuXZZNp1D5SDgPTJghSJRt8czu90VL6R4 +pgd7gUY2BIbdeTXHlSw7sKMXNeVzH7RcWe/a6hBle3rQf5+ztCo3O3CLm1u5K7fs +slESl1MpWtTwEhDcTwK7EpIvYtQ/aUN8Ddb8WHUBiJ1YFkveupD/RwGJBmr2X7KQ +arMCpgKIv7NHfirZ1fpoeDVNAgMBAAGjPzA9MA8GA1UdEwEB/wQFMAMBAf8wCwYD +VR0PBAQDAgEGMB0GA1UdDgQWBBTwj1k4ALP1j5qWDNXr+nuqF+gTEjANBgkqhkiG +9w0BAQUFAAOCAgEAvuRcYk4k9AwI//DTDGjkk0kiP0Qnb7tt3oNmzqjMDfz1mgbl +dxSR651Be5kqhOX//CHBXfDkH1e3damhXwIm/9fH907eT/j3HEbAek9ALCI18Bmx +0GtnLLCo4MBANzX2hFxc469CeP6nyQ1Q6g2EdvZR74NTxnr/DlZJLo961gzmJ1Tj +TQpgcmLNkQfWpb/ImWvtxBnmq0wROMVvMeJuScg/doAmAyYp4Db29iBT4xdwNBed +Y2gea+zDTYa4EzAvXUYNR0PVG6pZDrlcjQZIrXSHX8f8MVRBE+LHIQ6e4B4N4cB7 +Q4WQxYpYxmUKeFfyxiMPAdkgS94P+5KFdSpcc41teyWRyu5FrgZLAMzTsVlQ2jqI +OylDRl6XK1TOU2+NSueW+r9xDkKLfP0ooNBIytrEgUy7onOTJsjrDNYmiLbAJM+7 +vVvrdX3pCI6GMyx5dwlppYn8s3CQh3aP0yK7Qs69cwsgJirQmz1wHiRszYd2qReW +t88NkvuOGKmYSdGe/mBEciG5Ge3C9THxOUiIkCR1VBatzvT4aRRkOfujuLpwQMcn +HL/EVlP6Y2XQ8xwOFvVrhlhNGNTkDY6lnVuR3HYkUD/GKvvZt5y11ubQ2egZixVx +SK236thZiNSQvxaz2emsWWFUyBy6ysHK4bkgTI86k4mloMy/0/Z1pHWWbVY= +-----END CERTIFICATE----- + +# Issuer: CN=E-Tugra Certification Authority O=E-Tu\u011fra EBG Bili\u015fim Teknolojileri ve Hizmetleri A.\u015e. OU=E-Tugra Sertifikasyon Merkezi +# Subject: CN=E-Tugra Certification Authority O=E-Tu\u011fra EBG Bili\u015fim Teknolojileri ve Hizmetleri A.\u015e. OU=E-Tugra Sertifikasyon Merkezi +# Label: "E-Tugra Certification Authority" +# Serial: 7667447206703254355 +# MD5 Fingerprint: b8:a1:03:63:b0:bd:21:71:70:8a:6f:13:3a:bb:79:49 +# SHA1 Fingerprint: 51:c6:e7:08:49:06:6e:f3:92:d4:5c:a0:0d:6d:a3:62:8f:c3:52:39 +# SHA256 Fingerprint: b0:bf:d5:2b:b0:d7:d9:bd:92:bf:5d:4d:c1:3d:a2:55:c0:2c:54:2f:37:83:65:ea:89:39:11:f5:5e:55:f2:3c +-----BEGIN CERTIFICATE----- +MIIGSzCCBDOgAwIBAgIIamg+nFGby1MwDQYJKoZIhvcNAQELBQAwgbIxCzAJBgNV +BAYTAlRSMQ8wDQYDVQQHDAZBbmthcmExQDA+BgNVBAoMN0UtVHXEn3JhIEVCRyBC +aWxpxZ9pbSBUZWtub2xvamlsZXJpIHZlIEhpem1ldGxlcmkgQS7Fni4xJjAkBgNV +BAsMHUUtVHVncmEgU2VydGlmaWthc3lvbiBNZXJrZXppMSgwJgYDVQQDDB9FLVR1 +Z3JhIENlcnRpZmljYXRpb24gQXV0aG9yaXR5MB4XDTEzMDMwNTEyMDk0OFoXDTIz +MDMwMzEyMDk0OFowgbIxCzAJBgNVBAYTAlRSMQ8wDQYDVQQHDAZBbmthcmExQDA+ +BgNVBAoMN0UtVHXEn3JhIEVCRyBCaWxpxZ9pbSBUZWtub2xvamlsZXJpIHZlIEhp +em1ldGxlcmkgQS7Fni4xJjAkBgNVBAsMHUUtVHVncmEgU2VydGlmaWthc3lvbiBN +ZXJrZXppMSgwJgYDVQQDDB9FLVR1Z3JhIENlcnRpZmljYXRpb24gQXV0aG9yaXR5 +MIICIjANBgkqhkiG9w0BAQEFAAOCAg8AMIICCgKCAgEA4vU/kwVRHoViVF56C/UY +B4Oufq9899SKa6VjQzm5S/fDxmSJPZQuVIBSOTkHS0vdhQd2h8y/L5VMzH2nPbxH +D5hw+IyFHnSOkm0bQNGZDbt1bsipa5rAhDGvykPL6ys06I+XawGb1Q5KCKpbknSF +Q9OArqGIW66z6l7LFpp3RMih9lRozt6Plyu6W0ACDGQXwLWTzeHxE2bODHnv0ZEo +q1+gElIwcxmOj+GMB6LDu0rw6h8VqO4lzKRG+Bsi77MOQ7osJLjFLFzUHPhdZL3D +k14opz8n8Y4e0ypQBaNV2cvnOVPAmJ6MVGKLJrD3fY185MaeZkJVgkfnsliNZvcH +fC425lAcP9tDJMW/hkd5s3kc91r0E+xs+D/iWR+V7kI+ua2oMoVJl0b+SzGPWsut +dEcf6ZG33ygEIqDUD13ieU/qbIWGvaimzuT6w+Gzrt48Ue7LE3wBf4QOXVGUnhMM +ti6lTPk5cDZvlsouDERVxcr6XQKj39ZkjFqzAQqptQpHF//vkUAqjqFGOjGY5RH8 +zLtJVor8udBhmm9lbObDyz51Sf6Pp+KJxWfXnUYTTjF2OySznhFlhqt/7x3U+Lzn +rFpct1pHXFXOVbQicVtbC/DP3KBhZOqp12gKY6fgDT+gr9Oq0n7vUaDmUStVkhUX +U8u3Zg5mTPj5dUyQ5xJwx0UCAwEAAaNjMGEwHQYDVR0OBBYEFC7j27JJ0JxUeVz6 +Jyr+zE7S6E5UMA8GA1UdEwEB/wQFMAMBAf8wHwYDVR0jBBgwFoAULuPbsknQnFR5 +XPonKv7MTtLoTlQwDgYDVR0PAQH/BAQDAgEGMA0GCSqGSIb3DQEBCwUAA4ICAQAF +Nzr0TbdF4kV1JI+2d1LoHNgQk2Xz8lkGpD4eKexd0dCrfOAKkEh47U6YA5n+KGCR +HTAduGN8qOY1tfrTYXbm1gdLymmasoR6d5NFFxWfJNCYExL/u6Au/U5Mh/jOXKqY +GwXgAEZKgoClM4so3O0409/lPun++1ndYYRP0lSWE2ETPo+Aab6TR7U1Q9Jauz1c +77NCR807VRMGsAnb/WP2OogKmW9+4c4bU2pEZiNRCHu8W1Ki/QY3OEBhj0qWuJA3 ++GbHeJAAFS6LrVE1Uweoa2iu+U48BybNCAVwzDk/dr2l02cmAYamU9JgO3xDf1WK +vJUawSg5TB9D0pH0clmKuVb8P7Sd2nCcdlqMQ1DujjByTd//SffGqWfZbawCEeI6 +FiWnWAjLb1NBnEg4R2gz0dfHj9R0IdTDBZB6/86WiLEVKV0jq9BgoRJP3vQXzTLl +yb/IQ639Lo7xr+L0mPoSHyDYwKcMhcWQ9DstliaxLL5Mq+ux0orJ23gTDx4JnW2P +AJ8C2sH6H3p6CcRK5ogql5+Ji/03X186zjhZhkuvcQu02PJwT58yE+Owp1fl2tpD +y4Q08ijE6m30Ku/Ba3ba+367hTzSU8JNvnHhRdH9I2cNE3X7z2VnIp2usAnRCf8d +NL/+I5c30jn6PQ0GC7TbO6Orb1wdtn7os4I07QZcJA== +-----END CERTIFICATE----- + +# Issuer: CN=T-TeleSec GlobalRoot Class 2 O=T-Systems Enterprise Services GmbH OU=T-Systems Trust Center +# Subject: CN=T-TeleSec GlobalRoot Class 2 O=T-Systems Enterprise Services GmbH OU=T-Systems Trust Center +# Label: "T-TeleSec GlobalRoot Class 2" +# Serial: 1 +# MD5 Fingerprint: 2b:9b:9e:e4:7b:6c:1f:00:72:1a:cc:c1:77:79:df:6a +# SHA1 Fingerprint: 59:0d:2d:7d:88:4f:40:2e:61:7e:a5:62:32:17:65:cf:17:d8:94:e9 +# SHA256 Fingerprint: 91:e2:f5:78:8d:58:10:eb:a7:ba:58:73:7d:e1:54:8a:8e:ca:cd:01:45:98:bc:0b:14:3e:04:1b:17:05:25:52 +-----BEGIN CERTIFICATE----- +MIIDwzCCAqugAwIBAgIBATANBgkqhkiG9w0BAQsFADCBgjELMAkGA1UEBhMCREUx +KzApBgNVBAoMIlQtU3lzdGVtcyBFbnRlcnByaXNlIFNlcnZpY2VzIEdtYkgxHzAd +BgNVBAsMFlQtU3lzdGVtcyBUcnVzdCBDZW50ZXIxJTAjBgNVBAMMHFQtVGVsZVNl +YyBHbG9iYWxSb290IENsYXNzIDIwHhcNMDgxMDAxMTA0MDE0WhcNMzMxMDAxMjM1 +OTU5WjCBgjELMAkGA1UEBhMCREUxKzApBgNVBAoMIlQtU3lzdGVtcyBFbnRlcnBy +aXNlIFNlcnZpY2VzIEdtYkgxHzAdBgNVBAsMFlQtU3lzdGVtcyBUcnVzdCBDZW50 +ZXIxJTAjBgNVBAMMHFQtVGVsZVNlYyBHbG9iYWxSb290IENsYXNzIDIwggEiMA0G +CSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCqX9obX+hzkeXaXPSi5kfl82hVYAUd +AqSzm1nzHoqvNK38DcLZSBnuaY/JIPwhqgcZ7bBcrGXHX+0CfHt8LRvWurmAwhiC +FoT6ZrAIxlQjgeTNuUk/9k9uN0goOA/FvudocP05l03Sx5iRUKrERLMjfTlH6VJi +1hKTXrcxlkIF+3anHqP1wvzpesVsqXFP6st4vGCvx9702cu+fjOlbpSD8DT6Iavq +jnKgP6TeMFvvhk1qlVtDRKgQFRzlAVfFmPHmBiiRqiDFt1MmUUOyCxGVWOHAD3bZ +wI18gfNycJ5v/hqO2V81xrJvNHy+SE/iWjnX2J14np+GPgNeGYtEotXHAgMBAAGj +QjBAMA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0GA1UdDgQWBBS/ +WSA2AHmgoCJrjNXyYdK4LMuCSjANBgkqhkiG9w0BAQsFAAOCAQEAMQOiYQsfdOhy +NsZt+U2e+iKo4YFWz827n+qrkRk4r6p8FU3ztqONpfSO9kSpp+ghla0+AGIWiPAC +uvxhI+YzmzB6azZie60EI4RYZeLbK4rnJVM3YlNfvNoBYimipidx5joifsFvHZVw +IEoHNN/q/xWA5brXethbdXwFeilHfkCoMRN3zUA7tFFHei4R40cR3p1m0IvVVGb6 +g1XqfMIpiRvpb7PO4gWEyS8+eIVibslfwXhjdFjASBgMmTnrpMwatXlajRWc2BQN +9noHV8cigwUtPJslJj0Ys6lDfMjIq2SPDqO/nBudMNva0Bkuqjzx+zOAduTNrRlP +BSeOE6Fuwg== +-----END CERTIFICATE----- + +# Issuer: CN=Atos TrustedRoot 2011 O=Atos +# Subject: CN=Atos TrustedRoot 2011 O=Atos +# Label: "Atos TrustedRoot 2011" +# Serial: 6643877497813316402 +# MD5 Fingerprint: ae:b9:c4:32:4b:ac:7f:5d:66:cc:77:94:bb:2a:77:56 +# SHA1 Fingerprint: 2b:b1:f5:3e:55:0c:1d:c5:f1:d4:e6:b7:6a:46:4b:55:06:02:ac:21 +# SHA256 Fingerprint: f3:56:be:a2:44:b7:a9:1e:b3:5d:53:ca:9a:d7:86:4a:ce:01:8e:2d:35:d5:f8:f9:6d:df:68:a6:f4:1a:a4:74 +-----BEGIN CERTIFICATE----- +MIIDdzCCAl+gAwIBAgIIXDPLYixfszIwDQYJKoZIhvcNAQELBQAwPDEeMBwGA1UE +AwwVQXRvcyBUcnVzdGVkUm9vdCAyMDExMQ0wCwYDVQQKDARBdG9zMQswCQYDVQQG +EwJERTAeFw0xMTA3MDcxNDU4MzBaFw0zMDEyMzEyMzU5NTlaMDwxHjAcBgNVBAMM +FUF0b3MgVHJ1c3RlZFJvb3QgMjAxMTENMAsGA1UECgwEQXRvczELMAkGA1UEBhMC +REUwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCVhTuXbyo7LjvPpvMp +Nb7PGKw+qtn4TaA+Gke5vJrf8v7MPkfoepbCJI419KkM/IL9bcFyYie96mvr54rM +VD6QUM+A1JX76LWC1BTFtqlVJVfbsVD2sGBkWXppzwO3bw2+yj5vdHLqqjAqc2K+ +SZFhyBH+DgMq92og3AIVDV4VavzjgsG1xZ1kCWyjWZgHJ8cblithdHFsQ/H3NYkQ +4J7sVaE3IqKHBAUsR320HLliKWYoyrfhk/WklAOZuXCFteZI6o1Q/NnezG8HDt0L +cp2AMBYHlT8oDv3FdU9T1nSatCQujgKRz3bFmx5VdJx4IbHwLfELn8LVlhgf8FQi +eowHAgMBAAGjfTB7MB0GA1UdDgQWBBSnpQaxLKYJYO7Rl+lwrrw7GWzbITAPBgNV +HRMBAf8EBTADAQH/MB8GA1UdIwQYMBaAFKelBrEspglg7tGX6XCuvDsZbNshMBgG +A1UdIAQRMA8wDQYLKwYBBAGwLQMEAQEwDgYDVR0PAQH/BAQDAgGGMA0GCSqGSIb3 +DQEBCwUAA4IBAQAmdzTblEiGKkGdLD4GkGDEjKwLVLgfuXvTBznk+j57sj1O7Z8j +vZfza1zv7v1Apt+hk6EKhqzvINB5Ab149xnYJDE0BAGmuhWawyfc2E8PzBhj/5kP +DpFrdRbhIfzYJsdHt6bPWHJxfrrhTZVHO8mvbaG0weyJ9rQPOLXiZNwlz6bb65pc +maHFCN795trV1lpFDMS3wrUU77QR/w4VtfX128a961qn8FYiqTxlVMYVqL2Gns2D +lmh6cYGJ4Qvh6hEbaAjMaZ7snkGeRDImeuKHCnE96+RapNLbxc3G3mB/ufNPRJLv +KrcYPqcZ2Qt9sTdBQrC6YB3y/gkRsPCHe6ed +-----END CERTIFICATE----- + +# Issuer: CN=QuoVadis Root CA 1 G3 O=QuoVadis Limited +# Subject: CN=QuoVadis Root CA 1 G3 O=QuoVadis Limited +# Label: "QuoVadis Root CA 1 G3" +# Serial: 687049649626669250736271037606554624078720034195 +# MD5 Fingerprint: a4:bc:5b:3f:fe:37:9a:fa:64:f0:e2:fa:05:3d:0b:ab +# SHA1 Fingerprint: 1b:8e:ea:57:96:29:1a:c9:39:ea:b8:0a:81:1a:73:73:c0:93:79:67 +# SHA256 Fingerprint: 8a:86:6f:d1:b2:76:b5:7e:57:8e:92:1c:65:82:8a:2b:ed:58:e9:f2:f2:88:05:41:34:b7:f1:f4:bf:c9:cc:74 +-----BEGIN CERTIFICATE----- +MIIFYDCCA0igAwIBAgIUeFhfLq0sGUvjNwc1NBMotZbUZZMwDQYJKoZIhvcNAQEL +BQAwSDELMAkGA1UEBhMCQk0xGTAXBgNVBAoTEFF1b1ZhZGlzIExpbWl0ZWQxHjAc +BgNVBAMTFVF1b1ZhZGlzIFJvb3QgQ0EgMSBHMzAeFw0xMjAxMTIxNzI3NDRaFw00 +MjAxMTIxNzI3NDRaMEgxCzAJBgNVBAYTAkJNMRkwFwYDVQQKExBRdW9WYWRpcyBM +aW1pdGVkMR4wHAYDVQQDExVRdW9WYWRpcyBSb290IENBIDEgRzMwggIiMA0GCSqG +SIb3DQEBAQUAA4ICDwAwggIKAoICAQCgvlAQjunybEC0BJyFuTHK3C3kEakEPBtV +wedYMB0ktMPvhd6MLOHBPd+C5k+tR4ds7FtJwUrVu4/sh6x/gpqG7D0DmVIB0jWe +rNrwU8lmPNSsAgHaJNM7qAJGr6Qc4/hzWHa39g6QDbXwz8z6+cZM5cOGMAqNF341 +68Xfuw6cwI2H44g4hWf6Pser4BOcBRiYz5P1sZK0/CPTz9XEJ0ngnjybCKOLXSoh +4Pw5qlPafX7PGglTvF0FBM+hSo+LdoINofjSxxR3W5A2B4GbPgb6Ul5jxaYA/qXp +UhtStZI5cgMJYr2wYBZupt0lwgNm3fME0UDiTouG9G/lg6AnhF4EwfWQvTA9xO+o +abw4m6SkltFi2mnAAZauy8RRNOoMqv8hjlmPSlzkYZqn0ukqeI1RPToV7qJZjqlc +3sX5kCLliEVx3ZGZbHqfPT2YfF72vhZooF6uCyP8Wg+qInYtyaEQHeTTRCOQiJ/G +KubX9ZqzWB4vMIkIG1SitZgj7Ah3HJVdYdHLiZxfokqRmu8hqkkWCKi9YSgxyXSt +hfbZxbGL0eUQMk1fiyA6PEkfM4VZDdvLCXVDaXP7a3F98N/ETH3Goy7IlXnLc6KO +Tk0k+17kBL5yG6YnLUlamXrXXAkgt3+UuU/xDRxeiEIbEbfnkduebPRq34wGmAOt +zCjvpUfzUwIDAQABo0IwQDAPBgNVHRMBAf8EBTADAQH/MA4GA1UdDwEB/wQEAwIB +BjAdBgNVHQ4EFgQUo5fW816iEOGrRZ88F2Q87gFwnMwwDQYJKoZIhvcNAQELBQAD +ggIBABj6W3X8PnrHX3fHyt/PX8MSxEBd1DKquGrX1RUVRpgjpeaQWxiZTOOtQqOC +MTaIzen7xASWSIsBx40Bz1szBpZGZnQdT+3Btrm0DWHMY37XLneMlhwqI2hrhVd2 +cDMT/uFPpiN3GPoajOi9ZcnPP/TJF9zrx7zABC4tRi9pZsMbj/7sPtPKlL92CiUN +qXsCHKnQO18LwIE6PWThv6ctTr1NxNgpxiIY0MWscgKCP6o6ojoilzHdCGPDdRS5 +YCgtW2jgFqlmgiNR9etT2DGbe+m3nUvriBbP+V04ikkwj+3x6xn0dxoxGE1nVGwv +b2X52z3sIexe9PSLymBlVNFxZPT5pqOBMzYzcfCkeF9OrYMh3jRJjehZrJ3ydlo2 +8hP0r+AJx2EqbPfgna67hkooby7utHnNkDPDs3b69fBsnQGQ+p6Q9pxyz0fawx/k +NSBT8lTR32GDpgLiJTjehTItXnOQUl1CxM49S+H5GYQd1aJQzEH7QRTDvdbJWqNj +ZgKAvQU6O0ec7AAmTPWIUb+oI38YB7AL7YsmoWTTYUrrXJ/es69nA7Mf3W1daWhp +q1467HxpvMc7hU6eFbm0FU/DlXpY18ls6Wy58yljXrQs8C097Vpl4KlbQMJImYFt +nh8GKjwStIsPm6Ik8KaN1nrgS7ZklmOVhMJKzRwuJIczYOXD +-----END CERTIFICATE----- + +# Issuer: CN=QuoVadis Root CA 2 G3 O=QuoVadis Limited +# Subject: CN=QuoVadis Root CA 2 G3 O=QuoVadis Limited +# Label: "QuoVadis Root CA 2 G3" +# Serial: 390156079458959257446133169266079962026824725800 +# MD5 Fingerprint: af:0c:86:6e:bf:40:2d:7f:0b:3e:12:50:ba:12:3d:06 +# SHA1 Fingerprint: 09:3c:61:f3:8b:8b:dc:7d:55:df:75:38:02:05:00:e1:25:f5:c8:36 +# SHA256 Fingerprint: 8f:e4:fb:0a:f9:3a:4d:0d:67:db:0b:eb:b2:3e:37:c7:1b:f3:25:dc:bc:dd:24:0e:a0:4d:af:58:b4:7e:18:40 +-----BEGIN CERTIFICATE----- +MIIFYDCCA0igAwIBAgIURFc0JFuBiZs18s64KztbpybwdSgwDQYJKoZIhvcNAQEL +BQAwSDELMAkGA1UEBhMCQk0xGTAXBgNVBAoTEFF1b1ZhZGlzIExpbWl0ZWQxHjAc +BgNVBAMTFVF1b1ZhZGlzIFJvb3QgQ0EgMiBHMzAeFw0xMjAxMTIxODU5MzJaFw00 +MjAxMTIxODU5MzJaMEgxCzAJBgNVBAYTAkJNMRkwFwYDVQQKExBRdW9WYWRpcyBM +aW1pdGVkMR4wHAYDVQQDExVRdW9WYWRpcyBSb290IENBIDIgRzMwggIiMA0GCSqG +SIb3DQEBAQUAA4ICDwAwggIKAoICAQChriWyARjcV4g/Ruv5r+LrI3HimtFhZiFf +qq8nUeVuGxbULX1QsFN3vXg6YOJkApt8hpvWGo6t/x8Vf9WVHhLL5hSEBMHfNrMW +n4rjyduYNM7YMxcoRvynyfDStNVNCXJJ+fKH46nafaF9a7I6JaltUkSs+L5u+9ym +c5GQYaYDFCDy54ejiK2toIz/pgslUiXnFgHVy7g1gQyjO/Dh4fxaXc6AcW34Sas+ +O7q414AB+6XrW7PFXmAqMaCvN+ggOp+oMiwMzAkd056OXbxMmO7FGmh77FOm6RQ1 +o9/NgJ8MSPsc9PG/Srj61YxxSscfrf5BmrODXfKEVu+lV0POKa2Mq1W/xPtbAd0j +IaFYAI7D0GoT7RPjEiuA3GfmlbLNHiJuKvhB1PLKFAeNilUSxmn1uIZoL1NesNKq +IcGY5jDjZ1XHm26sGahVpkUG0CM62+tlXSoREfA7T8pt9DTEceT/AFr2XK4jYIVz +8eQQsSWu1ZK7E8EM4DnatDlXtas1qnIhO4M15zHfeiFuuDIIfR0ykRVKYnLP43eh +vNURG3YBZwjgQQvD6xVu+KQZ2aKrr+InUlYrAoosFCT5v0ICvybIxo/gbjh9Uy3l +7ZizlWNof/k19N+IxWA1ksB8aRxhlRbQ694Lrz4EEEVlWFA4r0jyWbYW8jwNkALG +cC4BrTwV1wIDAQABo0IwQDAPBgNVHRMBAf8EBTADAQH/MA4GA1UdDwEB/wQEAwIB +BjAdBgNVHQ4EFgQU7edvdlq/YOxJW8ald7tyFnGbxD0wDQYJKoZIhvcNAQELBQAD +ggIBAJHfgD9DCX5xwvfrs4iP4VGyvD11+ShdyLyZm3tdquXK4Qr36LLTn91nMX66 +AarHakE7kNQIXLJgapDwyM4DYvmL7ftuKtwGTTwpD4kWilhMSA/ohGHqPHKmd+RC +roijQ1h5fq7KpVMNqT1wvSAZYaRsOPxDMuHBR//47PERIjKWnML2W2mWeyAMQ0Ga +W/ZZGYjeVYg3UQt4XAoeo0L9x52ID8DyeAIkVJOviYeIyUqAHerQbj5hLja7NQ4n +lv1mNDthcnPxFlxHBlRJAHpYErAK74X9sbgzdWqTHBLmYF5vHX/JHyPLhGGfHoJE ++V+tYlUkmlKY7VHnoX6XOuYvHxHaU4AshZ6rNRDbIl9qxV6XU/IyAgkwo1jwDQHV +csaxfGl7w/U2Rcxhbl5MlMVerugOXou/983g7aEOGzPuVBj+D77vfoRrQ+NwmNtd +dbINWQeFFSM51vHfqSYP1kjHs6Yi9TM3WpVHn3u6GBVv/9YUZINJ0gpnIdsPNWNg +KCLjsZWDzYWm3S8P52dSbrsvhXz1SnPnxT7AvSESBT/8twNJAlvIJebiVDj1eYeM +HVOyToV7BjjHLPj4sHKNJeV3UvQDHEimUF+IIDBu8oJDqz2XhOdT+yHBTw8imoa4 +WSr2Rz0ZiC3oheGe7IUIarFsNMkd7EgrO3jtZsSOeWmD3n+M +-----END CERTIFICATE----- + +# Issuer: CN=QuoVadis Root CA 3 G3 O=QuoVadis Limited +# Subject: CN=QuoVadis Root CA 3 G3 O=QuoVadis Limited +# Label: "QuoVadis Root CA 3 G3" +# Serial: 268090761170461462463995952157327242137089239581 +# MD5 Fingerprint: df:7d:b9:ad:54:6f:68:a1:df:89:57:03:97:43:b0:d7 +# SHA1 Fingerprint: 48:12:bd:92:3c:a8:c4:39:06:e7:30:6d:27:96:e6:a4:cf:22:2e:7d +# SHA256 Fingerprint: 88:ef:81:de:20:2e:b0:18:45:2e:43:f8:64:72:5c:ea:5f:bd:1f:c2:d9:d2:05:73:07:09:c5:d8:b8:69:0f:46 +-----BEGIN CERTIFICATE----- +MIIFYDCCA0igAwIBAgIULvWbAiin23r/1aOp7r0DoM8Sah0wDQYJKoZIhvcNAQEL +BQAwSDELMAkGA1UEBhMCQk0xGTAXBgNVBAoTEFF1b1ZhZGlzIExpbWl0ZWQxHjAc +BgNVBAMTFVF1b1ZhZGlzIFJvb3QgQ0EgMyBHMzAeFw0xMjAxMTIyMDI2MzJaFw00 +MjAxMTIyMDI2MzJaMEgxCzAJBgNVBAYTAkJNMRkwFwYDVQQKExBRdW9WYWRpcyBM +aW1pdGVkMR4wHAYDVQQDExVRdW9WYWRpcyBSb290IENBIDMgRzMwggIiMA0GCSqG +SIb3DQEBAQUAA4ICDwAwggIKAoICAQCzyw4QZ47qFJenMioKVjZ/aEzHs286IxSR +/xl/pcqs7rN2nXrpixurazHb+gtTTK/FpRp5PIpM/6zfJd5O2YIyC0TeytuMrKNu +FoM7pmRLMon7FhY4futD4tN0SsJiCnMK3UmzV9KwCoWdcTzeo8vAMvMBOSBDGzXR +U7Ox7sWTaYI+FrUoRqHe6okJ7UO4BUaKhvVZR74bbwEhELn9qdIoyhA5CcoTNs+c +ra1AdHkrAj80//ogaX3T7mH1urPnMNA3I4ZyYUUpSFlob3emLoG+B01vr87ERROR +FHAGjx+f+IdpsQ7vw4kZ6+ocYfx6bIrc1gMLnia6Et3UVDmrJqMz6nWB2i3ND0/k +A9HvFZcba5DFApCTZgIhsUfei5pKgLlVj7WiL8DWM2fafsSntARE60f75li59wzw +eyuxwHApw0BiLTtIadwjPEjrewl5qW3aqDCYz4ByA4imW0aucnl8CAMhZa634Ryl +sSqiMd5mBPfAdOhx3v89WcyWJhKLhZVXGqtrdQtEPREoPHtht+KPZ0/l7DxMYIBp +VzgeAVuNVejH38DMdyM0SXV89pgR6y3e7UEuFAUCf+D+IOs15xGsIs5XPd7JMG0Q +A4XN8f+MFrXBsj6IbGB/kE+V9/YtrQE5BwT6dYB9v0lQ7e/JxHwc64B+27bQ3RP+ +ydOc17KXqQIDAQABo0IwQDAPBgNVHRMBAf8EBTADAQH/MA4GA1UdDwEB/wQEAwIB +BjAdBgNVHQ4EFgQUxhfQvKjqAkPyGwaZXSuQILnXnOQwDQYJKoZIhvcNAQELBQAD +ggIBADRh2Va1EodVTd2jNTFGu6QHcrxfYWLopfsLN7E8trP6KZ1/AvWkyaiTt3px +KGmPc+FSkNrVvjrlt3ZqVoAh313m6Tqe5T72omnHKgqwGEfcIHB9UqM+WXzBusnI +FUBhynLWcKzSt/Ac5IYp8M7vaGPQtSCKFWGafoaYtMnCdvvMujAWzKNhxnQT5Wvv +oxXqA/4Ti2Tk08HS6IT7SdEQTXlm66r99I0xHnAUrdzeZxNMgRVhvLfZkXdxGYFg +u/BYpbWcC/ePIlUnwEsBbTuZDdQdm2NnL9DuDcpmvJRPpq3t/O5jrFc/ZSXPsoaP +0Aj/uHYUbt7lJ+yreLVTubY/6CD50qi+YUbKh4yE8/nxoGibIh6BJpsQBJFxwAYf +3KDTuVan45gtf4Od34wrnDKOMpTwATwiKp9Dwi7DmDkHOHv8XgBCH/MyJnmDhPbl +8MFREsALHgQjDFSlTC9JxUrRtm5gDWv8a4uFJGS3iQ6rJUdbPM9+Sb3H6QrG2vd+ +DhcI00iX0HGS8A85PjRqHH3Y8iKuu2n0M7SmSFXRDw4m6Oy2Cy2nhTXN/VnIn9HN +PlopNLk9hM6xZdRZkZFWdSHBd575euFgndOtBBj0fOtek49TSiIp+EgrPk2GrFt/ +ywaZWWDYWGWVjUTR939+J399roD1B0y2PpxxVJkES/1Y+Zj0 +-----END CERTIFICATE----- + +# Issuer: CN=DigiCert Assured ID Root G2 O=DigiCert Inc OU=www.digicert.com +# Subject: CN=DigiCert Assured ID Root G2 O=DigiCert Inc OU=www.digicert.com +# Label: "DigiCert Assured ID Root G2" +# Serial: 15385348160840213938643033620894905419 +# MD5 Fingerprint: 92:38:b9:f8:63:24:82:65:2c:57:33:e6:fe:81:8f:9d +# SHA1 Fingerprint: a1:4b:48:d9:43:ee:0a:0e:40:90:4f:3c:e0:a4:c0:91:93:51:5d:3f +# SHA256 Fingerprint: 7d:05:eb:b6:82:33:9f:8c:94:51:ee:09:4e:eb:fe:fa:79:53:a1:14:ed:b2:f4:49:49:45:2f:ab:7d:2f:c1:85 +-----BEGIN CERTIFICATE----- +MIIDljCCAn6gAwIBAgIQC5McOtY5Z+pnI7/Dr5r0SzANBgkqhkiG9w0BAQsFADBl +MQswCQYDVQQGEwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3 +d3cuZGlnaWNlcnQuY29tMSQwIgYDVQQDExtEaWdpQ2VydCBBc3N1cmVkIElEIFJv +b3QgRzIwHhcNMTMwODAxMTIwMDAwWhcNMzgwMTE1MTIwMDAwWjBlMQswCQYDVQQG +EwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3d3cuZGlnaWNl +cnQuY29tMSQwIgYDVQQDExtEaWdpQ2VydCBBc3N1cmVkIElEIFJvb3QgRzIwggEi +MA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDZ5ygvUj82ckmIkzTz+GoeMVSA +n61UQbVH35ao1K+ALbkKz3X9iaV9JPrjIgwrvJUXCzO/GU1BBpAAvQxNEP4Htecc +biJVMWWXvdMX0h5i89vqbFCMP4QMls+3ywPgym2hFEwbid3tALBSfK+RbLE4E9Hp +EgjAALAcKxHad3A2m67OeYfcgnDmCXRwVWmvo2ifv922ebPynXApVfSr/5Vh88lA +bx3RvpO704gqu52/clpWcTs/1PPRCv4o76Pu2ZmvA9OPYLfykqGxvYmJHzDNw6Yu +YjOuFgJ3RFrngQo8p0Quebg/BLxcoIfhG69Rjs3sLPr4/m3wOnyqi+RnlTGNAgMB +AAGjQjBAMA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgGGMB0GA1UdDgQW +BBTOw0q5mVXyuNtgv6l+vVa1lzan1jANBgkqhkiG9w0BAQsFAAOCAQEAyqVVjOPI +QW5pJ6d1Ee88hjZv0p3GeDgdaZaikmkuOGybfQTUiaWxMTeKySHMq2zNixya1r9I +0jJmwYrA8y8678Dj1JGG0VDjA9tzd29KOVPt3ibHtX2vK0LRdWLjSisCx1BL4Gni +lmwORGYQRI+tBev4eaymG+g3NJ1TyWGqolKvSnAWhsI6yLETcDbYz+70CjTVW0z9 +B5yiutkBclzzTcHdDrEcDcRjvq30FPuJ7KJBDkzMyFdA0G4Dqs0MjomZmWzwPDCv +ON9vvKO+KSAnq3T/EyJ43pdSVR6DtVQgA+6uwE9W3jfMw3+qBCe703e4YtsXfJwo +IhNzbM8m9Yop5w== +-----END CERTIFICATE----- + +# Issuer: CN=DigiCert Assured ID Root G3 O=DigiCert Inc OU=www.digicert.com +# Subject: CN=DigiCert Assured ID Root G3 O=DigiCert Inc OU=www.digicert.com +# Label: "DigiCert Assured ID Root G3" +# Serial: 15459312981008553731928384953135426796 +# MD5 Fingerprint: 7c:7f:65:31:0c:81:df:8d:ba:3e:99:e2:5c:ad:6e:fb +# SHA1 Fingerprint: f5:17:a2:4f:9a:48:c6:c9:f8:a2:00:26:9f:dc:0f:48:2c:ab:30:89 +# SHA256 Fingerprint: 7e:37:cb:8b:4c:47:09:0c:ab:36:55:1b:a6:f4:5d:b8:40:68:0f:ba:16:6a:95:2d:b1:00:71:7f:43:05:3f:c2 +-----BEGIN CERTIFICATE----- +MIICRjCCAc2gAwIBAgIQC6Fa+h3foLVJRK/NJKBs7DAKBggqhkjOPQQDAzBlMQsw +CQYDVQQGEwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3d3cu +ZGlnaWNlcnQuY29tMSQwIgYDVQQDExtEaWdpQ2VydCBBc3N1cmVkIElEIFJvb3Qg +RzMwHhcNMTMwODAxMTIwMDAwWhcNMzgwMTE1MTIwMDAwWjBlMQswCQYDVQQGEwJV +UzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3d3cuZGlnaWNlcnQu +Y29tMSQwIgYDVQQDExtEaWdpQ2VydCBBc3N1cmVkIElEIFJvb3QgRzMwdjAQBgcq +hkjOPQIBBgUrgQQAIgNiAAQZ57ysRGXtzbg/WPuNsVepRC0FFfLvC/8QdJ+1YlJf +Zn4f5dwbRXkLzMZTCp2NXQLZqVneAlr2lSoOjThKiknGvMYDOAdfVdp+CW7if17Q +RSAPWXYQ1qAk8C3eNvJsKTmjQjBAMA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/ +BAQDAgGGMB0GA1UdDgQWBBTL0L2p4ZgFUaFNN6KDec6NHSrkhDAKBggqhkjOPQQD +AwNnADBkAjAlpIFFAmsSS3V0T8gj43DydXLefInwz5FyYZ5eEJJZVrmDxxDnOOlY +JjZ91eQ0hjkCMHw2U/Aw5WJjOpnitqM7mzT6HtoQknFekROn3aRukswy1vUhZscv +6pZjamVFkpUBtA== +-----END CERTIFICATE----- + +# Issuer: CN=DigiCert Global Root G2 O=DigiCert Inc OU=www.digicert.com +# Subject: CN=DigiCert Global Root G2 O=DigiCert Inc OU=www.digicert.com +# Label: "DigiCert Global Root G2" +# Serial: 4293743540046975378534879503202253541 +# MD5 Fingerprint: e4:a6:8a:c8:54:ac:52:42:46:0a:fd:72:48:1b:2a:44 +# SHA1 Fingerprint: df:3c:24:f9:bf:d6:66:76:1b:26:80:73:fe:06:d1:cc:8d:4f:82:a4 +# SHA256 Fingerprint: cb:3c:cb:b7:60:31:e5:e0:13:8f:8d:d3:9a:23:f9:de:47:ff:c3:5e:43:c1:14:4c:ea:27:d4:6a:5a:b1:cb:5f +-----BEGIN CERTIFICATE----- +MIIDjjCCAnagAwIBAgIQAzrx5qcRqaC7KGSxHQn65TANBgkqhkiG9w0BAQsFADBh +MQswCQYDVQQGEwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3 +d3cuZGlnaWNlcnQuY29tMSAwHgYDVQQDExdEaWdpQ2VydCBHbG9iYWwgUm9vdCBH +MjAeFw0xMzA4MDExMjAwMDBaFw0zODAxMTUxMjAwMDBaMGExCzAJBgNVBAYTAlVT +MRUwEwYDVQQKEwxEaWdpQ2VydCBJbmMxGTAXBgNVBAsTEHd3dy5kaWdpY2VydC5j +b20xIDAeBgNVBAMTF0RpZ2lDZXJ0IEdsb2JhbCBSb290IEcyMIIBIjANBgkqhkiG +9w0BAQEFAAOCAQ8AMIIBCgKCAQEAuzfNNNx7a8myaJCtSnX/RrohCgiN9RlUyfuI +2/Ou8jqJkTx65qsGGmvPrC3oXgkkRLpimn7Wo6h+4FR1IAWsULecYxpsMNzaHxmx +1x7e/dfgy5SDN67sH0NO3Xss0r0upS/kqbitOtSZpLYl6ZtrAGCSYP9PIUkY92eQ +q2EGnI/yuum06ZIya7XzV+hdG82MHauVBJVJ8zUtluNJbd134/tJS7SsVQepj5Wz +tCO7TG1F8PapspUwtP1MVYwnSlcUfIKdzXOS0xZKBgyMUNGPHgm+F6HmIcr9g+UQ +vIOlCsRnKPZzFBQ9RnbDhxSJITRNrw9FDKZJobq7nMWxM4MphQIDAQABo0IwQDAP +BgNVHRMBAf8EBTADAQH/MA4GA1UdDwEB/wQEAwIBhjAdBgNVHQ4EFgQUTiJUIBiV +5uNu5g/6+rkS7QYXjzkwDQYJKoZIhvcNAQELBQADggEBAGBnKJRvDkhj6zHd6mcY +1Yl9PMWLSn/pvtsrF9+wX3N3KjITOYFnQoQj8kVnNeyIv/iPsGEMNKSuIEyExtv4 +NeF22d+mQrvHRAiGfzZ0JFrabA0UWTW98kndth/Jsw1HKj2ZL7tcu7XUIOGZX1NG +Fdtom/DzMNU+MeKNhJ7jitralj41E6Vf8PlwUHBHQRFXGU7Aj64GxJUTFy8bJZ91 +8rGOmaFvE7FBcf6IKshPECBV1/MUReXgRPTqh5Uykw7+U0b6LJ3/iyK5S9kJRaTe +pLiaWN0bfVKfjllDiIGknibVb63dDcY3fe0Dkhvld1927jyNxF1WW6LZZm6zNTfl +MrY= +-----END CERTIFICATE----- + +# Issuer: CN=DigiCert Global Root G3 O=DigiCert Inc OU=www.digicert.com +# Subject: CN=DigiCert Global Root G3 O=DigiCert Inc OU=www.digicert.com +# Label: "DigiCert Global Root G3" +# Serial: 7089244469030293291760083333884364146 +# MD5 Fingerprint: f5:5d:a4:50:a5:fb:28:7e:1e:0f:0d:cc:96:57:56:ca +# SHA1 Fingerprint: 7e:04:de:89:6a:3e:66:6d:00:e6:87:d3:3f:fa:d9:3b:e8:3d:34:9e +# SHA256 Fingerprint: 31:ad:66:48:f8:10:41:38:c7:38:f3:9e:a4:32:01:33:39:3e:3a:18:cc:02:29:6e:f9:7c:2a:c9:ef:67:31:d0 +-----BEGIN CERTIFICATE----- +MIICPzCCAcWgAwIBAgIQBVVWvPJepDU1w6QP1atFcjAKBggqhkjOPQQDAzBhMQsw +CQYDVQQGEwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3d3cu +ZGlnaWNlcnQuY29tMSAwHgYDVQQDExdEaWdpQ2VydCBHbG9iYWwgUm9vdCBHMzAe +Fw0xMzA4MDExMjAwMDBaFw0zODAxMTUxMjAwMDBaMGExCzAJBgNVBAYTAlVTMRUw +EwYDVQQKEwxEaWdpQ2VydCBJbmMxGTAXBgNVBAsTEHd3dy5kaWdpY2VydC5jb20x +IDAeBgNVBAMTF0RpZ2lDZXJ0IEdsb2JhbCBSb290IEczMHYwEAYHKoZIzj0CAQYF +K4EEACIDYgAE3afZu4q4C/sLfyHS8L6+c/MzXRq8NOrexpu80JX28MzQC7phW1FG +fp4tn+6OYwwX7Adw9c+ELkCDnOg/QW07rdOkFFk2eJ0DQ+4QE2xy3q6Ip6FrtUPO +Z9wj/wMco+I+o0IwQDAPBgNVHRMBAf8EBTADAQH/MA4GA1UdDwEB/wQEAwIBhjAd +BgNVHQ4EFgQUs9tIpPmhxdiuNkHMEWNpYim8S8YwCgYIKoZIzj0EAwMDaAAwZQIx +AK288mw/EkrRLTnDCgmXc/SINoyIJ7vmiI1Qhadj+Z4y3maTD/HMsQmP3Wyr+mt/ +oAIwOWZbwmSNuJ5Q3KjVSaLtx9zRSX8XAbjIho9OjIgrqJqpisXRAL34VOKa5Vt8 +sycX +-----END CERTIFICATE----- + +# Issuer: CN=DigiCert Trusted Root G4 O=DigiCert Inc OU=www.digicert.com +# Subject: CN=DigiCert Trusted Root G4 O=DigiCert Inc OU=www.digicert.com +# Label: "DigiCert Trusted Root G4" +# Serial: 7451500558977370777930084869016614236 +# MD5 Fingerprint: 78:f2:fc:aa:60:1f:2f:b4:eb:c9:37:ba:53:2e:75:49 +# SHA1 Fingerprint: dd:fb:16:cd:49:31:c9:73:a2:03:7d:3f:c8:3a:4d:7d:77:5d:05:e4 +# SHA256 Fingerprint: 55:2f:7b:dc:f1:a7:af:9e:6c:e6:72:01:7f:4f:12:ab:f7:72:40:c7:8e:76:1a:c2:03:d1:d9:d2:0a:c8:99:88 +-----BEGIN CERTIFICATE----- +MIIFkDCCA3igAwIBAgIQBZsbV56OITLiOQe9p3d1XDANBgkqhkiG9w0BAQwFADBi +MQswCQYDVQQGEwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3 +d3cuZGlnaWNlcnQuY29tMSEwHwYDVQQDExhEaWdpQ2VydCBUcnVzdGVkIFJvb3Qg +RzQwHhcNMTMwODAxMTIwMDAwWhcNMzgwMTE1MTIwMDAwWjBiMQswCQYDVQQGEwJV +UzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkwFwYDVQQLExB3d3cuZGlnaWNlcnQu +Y29tMSEwHwYDVQQDExhEaWdpQ2VydCBUcnVzdGVkIFJvb3QgRzQwggIiMA0GCSqG +SIb3DQEBAQUAA4ICDwAwggIKAoICAQC/5pBzaN675F1KPDAiMGkz7MKnJS7JIT3y +ithZwuEppz1Yq3aaza57G4QNxDAf8xukOBbrVsaXbR2rsnnyyhHS5F/WBTxSD1If +xp4VpX6+n6lXFllVcq9ok3DCsrp1mWpzMpTREEQQLt+C8weE5nQ7bXHiLQwb7iDV +ySAdYyktzuxeTsiT+CFhmzTrBcZe7FsavOvJz82sNEBfsXpm7nfISKhmV1efVFiO +DCu3T6cw2Vbuyntd463JT17lNecxy9qTXtyOj4DatpGYQJB5w3jHtrHEtWoYOAMQ +jdjUN6QuBX2I9YI+EJFwq1WCQTLX2wRzKm6RAXwhTNS8rhsDdV14Ztk6MUSaM0C/ +CNdaSaTC5qmgZ92kJ7yhTzm1EVgX9yRcRo9k98FpiHaYdj1ZXUJ2h4mXaXpI8OCi +EhtmmnTK3kse5w5jrubU75KSOp493ADkRSWJtppEGSt+wJS00mFt6zPZxd9LBADM +fRyVw4/3IbKyEbe7f/LVjHAsQWCqsWMYRJUadmJ+9oCw++hkpjPRiQfhvbfmQ6QY +uKZ3AeEPlAwhHbJUKSWJbOUOUlFHdL4mrLZBdd56rF+NP8m800ERElvlEFDrMcXK +chYiCd98THU/Y+whX8QgUWtvsauGi0/C1kVfnSD8oR7FwI+isX4KJpn15GkvmB0t +9dmpsh3lGwIDAQABo0IwQDAPBgNVHRMBAf8EBTADAQH/MA4GA1UdDwEB/wQEAwIB +hjAdBgNVHQ4EFgQU7NfjgtJxXWRM3y5nP+e6mK4cD08wDQYJKoZIhvcNAQEMBQAD +ggIBALth2X2pbL4XxJEbw6GiAI3jZGgPVs93rnD5/ZpKmbnJeFwMDF/k5hQpVgs2 +SV1EY+CtnJYYZhsjDT156W1r1lT40jzBQ0CuHVD1UvyQO7uYmWlrx8GnqGikJ9yd ++SeuMIW59mdNOj6PWTkiU0TryF0Dyu1Qen1iIQqAyHNm0aAFYF/opbSnr6j3bTWc +fFqK1qI4mfN4i/RN0iAL3gTujJtHgXINwBQy7zBZLq7gcfJW5GqXb5JQbZaNaHqa +sjYUegbyJLkJEVDXCLG4iXqEI2FCKeWjzaIgQdfRnGTZ6iahixTXTBmyUEFxPT9N +cCOGDErcgdLMMpSEDQgJlxxPwO5rIHQw0uA5NBCFIRUBCOhVMt5xSdkoF1BN5r5N +0XWs0Mr7QbhDparTwwVETyw2m+L64kW4I1NsBm9nVX9GtUw/bihaeSbSpKhil9Ie +4u1Ki7wb/UdKDd9nZn6yW0HQO+T0O/QEY+nvwlQAUaCKKsnOeMzV6ocEGLPOr0mI +r/OSmbaz5mEP0oUA51Aa5BuVnRmhuZyxm7EAHu/QD09CbMkKvO5D+jpxpchNJqU1 +/YldvIViHTLSoCtU7ZpXwdv6EM8Zt4tKG48BtieVU+i2iW1bvGjUI+iLUaJW+fCm +gKDWHrO8Dw9TdSmq6hN35N6MgSGtBxBHEa2HPQfRdbzP82Z+ +-----END CERTIFICATE----- + +# Issuer: CN=COMODO RSA Certification Authority O=COMODO CA Limited +# Subject: CN=COMODO RSA Certification Authority O=COMODO CA Limited +# Label: "COMODO RSA Certification Authority" +# Serial: 101909084537582093308941363524873193117 +# MD5 Fingerprint: 1b:31:b0:71:40:36:cc:14:36:91:ad:c4:3e:fd:ec:18 +# SHA1 Fingerprint: af:e5:d2:44:a8:d1:19:42:30:ff:47:9f:e2:f8:97:bb:cd:7a:8c:b4 +# SHA256 Fingerprint: 52:f0:e1:c4:e5:8e:c6:29:29:1b:60:31:7f:07:46:71:b8:5d:7e:a8:0d:5b:07:27:34:63:53:4b:32:b4:02:34 +-----BEGIN CERTIFICATE----- +MIIF2DCCA8CgAwIBAgIQTKr5yttjb+Af907YWwOGnTANBgkqhkiG9w0BAQwFADCB +hTELMAkGA1UEBhMCR0IxGzAZBgNVBAgTEkdyZWF0ZXIgTWFuY2hlc3RlcjEQMA4G +A1UEBxMHU2FsZm9yZDEaMBgGA1UEChMRQ09NT0RPIENBIExpbWl0ZWQxKzApBgNV +BAMTIkNPTU9ETyBSU0EgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkwHhcNMTAwMTE5 +MDAwMDAwWhcNMzgwMTE4MjM1OTU5WjCBhTELMAkGA1UEBhMCR0IxGzAZBgNVBAgT +EkdyZWF0ZXIgTWFuY2hlc3RlcjEQMA4GA1UEBxMHU2FsZm9yZDEaMBgGA1UEChMR +Q09NT0RPIENBIExpbWl0ZWQxKzApBgNVBAMTIkNPTU9ETyBSU0EgQ2VydGlmaWNh +dGlvbiBBdXRob3JpdHkwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQCR +6FSS0gpWsawNJN3Fz0RndJkrN6N9I3AAcbxT38T6KhKPS38QVr2fcHK3YX/JSw8X +pz3jsARh7v8Rl8f0hj4K+j5c+ZPmNHrZFGvnnLOFoIJ6dq9xkNfs/Q36nGz637CC +9BR++b7Epi9Pf5l/tfxnQ3K9DADWietrLNPtj5gcFKt+5eNu/Nio5JIk2kNrYrhV +/erBvGy2i/MOjZrkm2xpmfh4SDBF1a3hDTxFYPwyllEnvGfDyi62a+pGx8cgoLEf +Zd5ICLqkTqnyg0Y3hOvozIFIQ2dOciqbXL1MGyiKXCJ7tKuY2e7gUYPDCUZObT6Z ++pUX2nwzV0E8jVHtC7ZcryxjGt9XyD+86V3Em69FmeKjWiS0uqlWPc9vqv9JWL7w +qP/0uK3pN/u6uPQLOvnoQ0IeidiEyxPx2bvhiWC4jChWrBQdnArncevPDt09qZah +SL0896+1DSJMwBGB7FY79tOi4lu3sgQiUpWAk2nojkxl8ZEDLXB0AuqLZxUpaVIC +u9ffUGpVRr+goyhhf3DQw6KqLCGqR84onAZFdr+CGCe01a60y1Dma/RMhnEw6abf +Fobg2P9A3fvQQoh/ozM6LlweQRGBY84YcWsr7KaKtzFcOmpH4MN5WdYgGq/yapiq +crxXStJLnbsQ/LBMQeXtHT1eKJ2czL+zUdqnR+WEUwIDAQABo0IwQDAdBgNVHQ4E +FgQUu69+Aj36pvE8hI6t7jiY7NkyMtQwDgYDVR0PAQH/BAQDAgEGMA8GA1UdEwEB +/wQFMAMBAf8wDQYJKoZIhvcNAQEMBQADggIBAArx1UaEt65Ru2yyTUEUAJNMnMvl +wFTPoCWOAvn9sKIN9SCYPBMtrFaisNZ+EZLpLrqeLppysb0ZRGxhNaKatBYSaVqM +4dc+pBroLwP0rmEdEBsqpIt6xf4FpuHA1sj+nq6PK7o9mfjYcwlYRm6mnPTXJ9OV +2jeDchzTc+CiR5kDOF3VSXkAKRzH7JsgHAckaVd4sjn8OoSgtZx8jb8uk2Intzna +FxiuvTwJaP+EmzzV1gsD41eeFPfR60/IvYcjt7ZJQ3mFXLrrkguhxuhoqEwWsRqZ +CuhTLJK7oQkYdQxlqHvLI7cawiiFwxv/0Cti76R7CZGYZ4wUAc1oBmpjIXUDgIiK +boHGhfKppC3n9KUkEEeDys30jXlYsQab5xoq2Z0B15R97QNKyvDb6KkBPvVWmcke +jkk9u+UJueBPSZI9FoJAzMxZxuY67RIuaTxslbH9qh17f4a+Hg4yRvv7E491f0yL +S0Zj/gA0QHDBw7mh3aZw4gSzQbzpgJHqZJx64SIDqZxubw5lT2yHh17zbqD5daWb +QOhTsiedSrnAdyGN/4fy3ryM7xfft0kL0fJuMAsaDk527RH89elWsn2/x20Kk4yl +0MC2Hb46TpSi125sC8KKfPog88Tk5c0NqMuRkrF8hey1FGlmDoLnzc7ILaZRfyHB +NVOFBkpdn627G190 +-----END CERTIFICATE----- + +# Issuer: CN=USERTrust RSA Certification Authority O=The USERTRUST Network +# Subject: CN=USERTrust RSA Certification Authority O=The USERTRUST Network +# Label: "USERTrust RSA Certification Authority" +# Serial: 2645093764781058787591871645665788717 +# MD5 Fingerprint: 1b:fe:69:d1:91:b7:19:33:a3:72:a8:0f:e1:55:e5:b5 +# SHA1 Fingerprint: 2b:8f:1b:57:33:0d:bb:a2:d0:7a:6c:51:f7:0e:e9:0d:da:b9:ad:8e +# SHA256 Fingerprint: e7:93:c9:b0:2f:d8:aa:13:e2:1c:31:22:8a:cc:b0:81:19:64:3b:74:9c:89:89:64:b1:74:6d:46:c3:d4:cb:d2 +-----BEGIN CERTIFICATE----- +MIIF3jCCA8agAwIBAgIQAf1tMPyjylGoG7xkDjUDLTANBgkqhkiG9w0BAQwFADCB +iDELMAkGA1UEBhMCVVMxEzARBgNVBAgTCk5ldyBKZXJzZXkxFDASBgNVBAcTC0pl +cnNleSBDaXR5MR4wHAYDVQQKExVUaGUgVVNFUlRSVVNUIE5ldHdvcmsxLjAsBgNV +BAMTJVVTRVJUcnVzdCBSU0EgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkwHhcNMTAw +MjAxMDAwMDAwWhcNMzgwMTE4MjM1OTU5WjCBiDELMAkGA1UEBhMCVVMxEzARBgNV +BAgTCk5ldyBKZXJzZXkxFDASBgNVBAcTC0plcnNleSBDaXR5MR4wHAYDVQQKExVU +aGUgVVNFUlRSVVNUIE5ldHdvcmsxLjAsBgNVBAMTJVVTRVJUcnVzdCBSU0EgQ2Vy +dGlmaWNhdGlvbiBBdXRob3JpdHkwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIK +AoICAQCAEmUXNg7D2wiz0KxXDXbtzSfTTK1Qg2HiqiBNCS1kCdzOiZ/MPans9s/B +3PHTsdZ7NygRK0faOca8Ohm0X6a9fZ2jY0K2dvKpOyuR+OJv0OwWIJAJPuLodMkY +tJHUYmTbf6MG8YgYapAiPLz+E/CHFHv25B+O1ORRxhFnRghRy4YUVD+8M/5+bJz/ +Fp0YvVGONaanZshyZ9shZrHUm3gDwFA66Mzw3LyeTP6vBZY1H1dat//O+T23LLb2 +VN3I5xI6Ta5MirdcmrS3ID3KfyI0rn47aGYBROcBTkZTmzNg95S+UzeQc0PzMsNT +79uq/nROacdrjGCT3sTHDN/hMq7MkztReJVni+49Vv4M0GkPGw/zJSZrM233bkf6 +c0Plfg6lZrEpfDKEY1WJxA3Bk1QwGROs0303p+tdOmw1XNtB1xLaqUkL39iAigmT +Yo61Zs8liM2EuLE/pDkP2QKe6xJMlXzzawWpXhaDzLhn4ugTncxbgtNMs+1b/97l +c6wjOy0AvzVVdAlJ2ElYGn+SNuZRkg7zJn0cTRe8yexDJtC/QV9AqURE9JnnV4ee +UB9XVKg+/XRjL7FQZQnmWEIuQxpMtPAlR1n6BB6T1CZGSlCBst6+eLf8ZxXhyVeE +Hg9j1uliutZfVS7qXMYoCAQlObgOK6nyTJccBz8NUvXt7y+CDwIDAQABo0IwQDAd +BgNVHQ4EFgQUU3m/WqorSs9UgOHYm8Cd8rIDZsswDgYDVR0PAQH/BAQDAgEGMA8G +A1UdEwEB/wQFMAMBAf8wDQYJKoZIhvcNAQEMBQADggIBAFzUfA3P9wF9QZllDHPF +Up/L+M+ZBn8b2kMVn54CVVeWFPFSPCeHlCjtHzoBN6J2/FNQwISbxmtOuowhT6KO +VWKR82kV2LyI48SqC/3vqOlLVSoGIG1VeCkZ7l8wXEskEVX/JJpuXior7gtNn3/3 +ATiUFJVDBwn7YKnuHKsSjKCaXqeYalltiz8I+8jRRa8YFWSQEg9zKC7F4iRO/Fjs +8PRF/iKz6y+O0tlFYQXBl2+odnKPi4w2r78NBc5xjeambx9spnFixdjQg3IM8WcR +iQycE0xyNN+81XHfqnHd4blsjDwSXWXavVcStkNr/+XeTWYRUc+ZruwXtuhxkYze +Sf7dNXGiFSeUHM9h4ya7b6NnJSFd5t0dCy5oGzuCr+yDZ4XUmFF0sbmZgIn/f3gZ +XHlKYC6SQK5MNyosycdiyA5d9zZbyuAlJQG03RoHnHcAP9Dc1ew91Pq7P8yF1m9/ +qS3fuQL39ZeatTXaw2ewh0qpKJ4jjv9cJ2vhsE/zB+4ALtRZh8tSQZXq9EfX7mRB +VXyNWQKV3WKdwrnuWih0hKWbt5DHDAff9Yk2dDLWKMGwsAvgnEzDHNb842m1R0aB +L6KCq9NjRHDEjf8tM7qtj3u1cIiuPhnPQCjY/MiQu12ZIvVS5ljFH4gxQ+6IHdfG +jjxDah2nGN59PRbxYvnKkKj9 +-----END CERTIFICATE----- + +# Issuer: CN=USERTrust ECC Certification Authority O=The USERTRUST Network +# Subject: CN=USERTrust ECC Certification Authority O=The USERTRUST Network +# Label: "USERTrust ECC Certification Authority" +# Serial: 123013823720199481456569720443997572134 +# MD5 Fingerprint: fa:68:bc:d9:b5:7f:ad:fd:c9:1d:06:83:28:cc:24:c1 +# SHA1 Fingerprint: d1:cb:ca:5d:b2:d5:2a:7f:69:3b:67:4d:e5:f0:5a:1d:0c:95:7d:f0 +# SHA256 Fingerprint: 4f:f4:60:d5:4b:9c:86:da:bf:bc:fc:57:12:e0:40:0d:2b:ed:3f:bc:4d:4f:bd:aa:86:e0:6a:dc:d2:a9:ad:7a +-----BEGIN CERTIFICATE----- +MIICjzCCAhWgAwIBAgIQXIuZxVqUxdJxVt7NiYDMJjAKBggqhkjOPQQDAzCBiDEL +MAkGA1UEBhMCVVMxEzARBgNVBAgTCk5ldyBKZXJzZXkxFDASBgNVBAcTC0plcnNl +eSBDaXR5MR4wHAYDVQQKExVUaGUgVVNFUlRSVVNUIE5ldHdvcmsxLjAsBgNVBAMT +JVVTRVJUcnVzdCBFQ0MgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkwHhcNMTAwMjAx +MDAwMDAwWhcNMzgwMTE4MjM1OTU5WjCBiDELMAkGA1UEBhMCVVMxEzARBgNVBAgT +Ck5ldyBKZXJzZXkxFDASBgNVBAcTC0plcnNleSBDaXR5MR4wHAYDVQQKExVUaGUg +VVNFUlRSVVNUIE5ldHdvcmsxLjAsBgNVBAMTJVVTRVJUcnVzdCBFQ0MgQ2VydGlm +aWNhdGlvbiBBdXRob3JpdHkwdjAQBgcqhkjOPQIBBgUrgQQAIgNiAAQarFRaqflo +I+d61SRvU8Za2EurxtW20eZzca7dnNYMYf3boIkDuAUU7FfO7l0/4iGzzvfUinng +o4N+LZfQYcTxmdwlkWOrfzCjtHDix6EznPO/LlxTsV+zfTJ/ijTjeXmjQjBAMB0G +A1UdDgQWBBQ64QmG1M8ZwpZ2dEl23OA1xmNjmjAOBgNVHQ8BAf8EBAMCAQYwDwYD +VR0TAQH/BAUwAwEB/zAKBggqhkjOPQQDAwNoADBlAjA2Z6EWCNzklwBBHU6+4WMB +zzuqQhFkoJ2UOQIReVx7Hfpkue4WQrO/isIJxOzksU0CMQDpKmFHjFJKS04YcPbW +RNZu9YO6bVi9JNlWSOrvxKJGgYhqOkbRqZtNyWHa0V1Xahg= +-----END CERTIFICATE----- + +# Issuer: CN=GlobalSign O=GlobalSign OU=GlobalSign ECC Root CA - R4 +# Subject: CN=GlobalSign O=GlobalSign OU=GlobalSign ECC Root CA - R4 +# Label: "GlobalSign ECC Root CA - R4" +# Serial: 14367148294922964480859022125800977897474 +# MD5 Fingerprint: 20:f0:27:68:d1:7e:a0:9d:0e:e6:2a:ca:df:5c:89:8e +# SHA1 Fingerprint: 69:69:56:2e:40:80:f4:24:a1:e7:19:9f:14:ba:f3:ee:58:ab:6a:bb +# SHA256 Fingerprint: be:c9:49:11:c2:95:56:76:db:6c:0a:55:09:86:d7:6e:3b:a0:05:66:7c:44:2c:97:62:b4:fb:b7:73:de:22:8c +-----BEGIN CERTIFICATE----- +MIIB4TCCAYegAwIBAgIRKjikHJYKBN5CsiilC+g0mAIwCgYIKoZIzj0EAwIwUDEk +MCIGA1UECxMbR2xvYmFsU2lnbiBFQ0MgUm9vdCBDQSAtIFI0MRMwEQYDVQQKEwpH +bG9iYWxTaWduMRMwEQYDVQQDEwpHbG9iYWxTaWduMB4XDTEyMTExMzAwMDAwMFoX +DTM4MDExOTAzMTQwN1owUDEkMCIGA1UECxMbR2xvYmFsU2lnbiBFQ0MgUm9vdCBD +QSAtIFI0MRMwEQYDVQQKEwpHbG9iYWxTaWduMRMwEQYDVQQDEwpHbG9iYWxTaWdu +MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEuMZ5049sJQ6fLjkZHAOkrprlOQcJ +FspjsbmG+IpXwVfOQvpzofdlQv8ewQCybnMO/8ch5RikqtlxP6jUuc6MHaNCMEAw +DgYDVR0PAQH/BAQDAgEGMA8GA1UdEwEB/wQFMAMBAf8wHQYDVR0OBBYEFFSwe61F +uOJAf/sKbvu+M8k8o4TVMAoGCCqGSM49BAMCA0gAMEUCIQDckqGgE6bPA7DmxCGX +kPoUVy0D7O48027KqGx2vKLeuwIgJ6iFJzWbVsaj8kfSt24bAgAXqmemFZHe+pTs +ewv4n4Q= +-----END CERTIFICATE----- + +# Issuer: CN=GlobalSign O=GlobalSign OU=GlobalSign ECC Root CA - R5 +# Subject: CN=GlobalSign O=GlobalSign OU=GlobalSign ECC Root CA - R5 +# Label: "GlobalSign ECC Root CA - R5" +# Serial: 32785792099990507226680698011560947931244 +# MD5 Fingerprint: 9f:ad:3b:1c:02:1e:8a:ba:17:74:38:81:0c:a2:bc:08 +# SHA1 Fingerprint: 1f:24:c6:30:cd:a4:18:ef:20:69:ff:ad:4f:dd:5f:46:3a:1b:69:aa +# SHA256 Fingerprint: 17:9f:bc:14:8a:3d:d0:0f:d2:4e:a1:34:58:cc:43:bf:a7:f5:9c:81:82:d7:83:a5:13:f6:eb:ec:10:0c:89:24 +-----BEGIN CERTIFICATE----- +MIICHjCCAaSgAwIBAgIRYFlJ4CYuu1X5CneKcflK2GwwCgYIKoZIzj0EAwMwUDEk +MCIGA1UECxMbR2xvYmFsU2lnbiBFQ0MgUm9vdCBDQSAtIFI1MRMwEQYDVQQKEwpH +bG9iYWxTaWduMRMwEQYDVQQDEwpHbG9iYWxTaWduMB4XDTEyMTExMzAwMDAwMFoX +DTM4MDExOTAzMTQwN1owUDEkMCIGA1UECxMbR2xvYmFsU2lnbiBFQ0MgUm9vdCBD +QSAtIFI1MRMwEQYDVQQKEwpHbG9iYWxTaWduMRMwEQYDVQQDEwpHbG9iYWxTaWdu +MHYwEAYHKoZIzj0CAQYFK4EEACIDYgAER0UOlvt9Xb/pOdEh+J8LttV7HpI6SFkc +8GIxLcB6KP4ap1yztsyX50XUWPrRd21DosCHZTQKH3rd6zwzocWdTaRvQZU4f8ke +hOvRnkmSh5SHDDqFSmafnVmTTZdhBoZKo0IwQDAOBgNVHQ8BAf8EBAMCAQYwDwYD +VR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQUPeYpSJvqB8ohREom3m7e0oPQn1kwCgYI +KoZIzj0EAwMDaAAwZQIxAOVpEslu28YxuglB4Zf4+/2a4n0Sye18ZNPLBSWLVtmg +515dTguDnFt2KaAJJiFqYgIwcdK1j1zqO+F4CYWodZI7yFz9SO8NdCKoCOJuxUnO +xwy8p2Fp8fc74SrL+SvzZpA3 +-----END CERTIFICATE----- + +# Issuer: CN=Staat der Nederlanden Root CA - G3 O=Staat der Nederlanden +# Subject: CN=Staat der Nederlanden Root CA - G3 O=Staat der Nederlanden +# Label: "Staat der Nederlanden Root CA - G3" +# Serial: 10003001 +# MD5 Fingerprint: 0b:46:67:07:db:10:2f:19:8c:35:50:60:d1:0b:f4:37 +# SHA1 Fingerprint: d8:eb:6b:41:51:92:59:e0:f3:e7:85:00:c0:3d:b6:88:97:c9:ee:fc +# SHA256 Fingerprint: 3c:4f:b0:b9:5a:b8:b3:00:32:f4:32:b8:6f:53:5f:e1:72:c1:85:d0:fd:39:86:58:37:cf:36:18:7f:a6:f4:28 +-----BEGIN CERTIFICATE----- +MIIFdDCCA1ygAwIBAgIEAJiiOTANBgkqhkiG9w0BAQsFADBaMQswCQYDVQQGEwJO +TDEeMBwGA1UECgwVU3RhYXQgZGVyIE5lZGVybGFuZGVuMSswKQYDVQQDDCJTdGFh +dCBkZXIgTmVkZXJsYW5kZW4gUm9vdCBDQSAtIEczMB4XDTEzMTExNDExMjg0MloX +DTI4MTExMzIzMDAwMFowWjELMAkGA1UEBhMCTkwxHjAcBgNVBAoMFVN0YWF0IGRl +ciBOZWRlcmxhbmRlbjErMCkGA1UEAwwiU3RhYXQgZGVyIE5lZGVybGFuZGVuIFJv +b3QgQ0EgLSBHMzCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAL4yolQP +cPssXFnrbMSkUeiFKrPMSjTysF/zDsccPVMeiAho2G89rcKezIJnByeHaHE6n3WW +IkYFsO2tx1ueKt6c/DrGlaf1F2cY5y9JCAxcz+bMNO14+1Cx3Gsy8KL+tjzk7FqX +xz8ecAgwoNzFs21v0IJyEavSgWhZghe3eJJg+szeP4TrjTgzkApyI/o1zCZxMdFy +KJLZWyNtZrVtB0LrpjPOktvA9mxjeM3KTj215VKb8b475lRgsGYeCasH/lSJEULR +9yS6YHgamPfJEf0WwTUaVHXvQ9Plrk7O53vDxk5hUUurmkVLoR9BvUhTFXFkC4az +5S6+zqQbwSmEorXLCCN2QyIkHxcE1G6cxvx/K2Ya7Irl1s9N9WMJtxU51nus6+N8 +6U78dULI7ViVDAZCopz35HCz33JvWjdAidiFpNfxC95DGdRKWCyMijmev4SH8RY7 +Ngzp07TKbBlBUgmhHbBqv4LvcFEhMtwFdozL92TkA1CvjJFnq8Xy7ljY3r735zHP +bMk7ccHViLVlvMDoFxcHErVc0qsgk7TmgoNwNsXNo42ti+yjwUOH5kPiNL6VizXt +BznaqB16nzaeErAMZRKQFWDZJkBE41ZgpRDUajz9QdwOWke275dhdU/Z/seyHdTt +XUmzqWrLZoQT1Vyg3N9udwbRcXXIV2+vD3dbAgMBAAGjQjBAMA8GA1UdEwEB/wQF +MAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0GA1UdDgQWBBRUrfrHkleuyjWcLhL75Lpd +INyUVzANBgkqhkiG9w0BAQsFAAOCAgEAMJmdBTLIXg47mAE6iqTnB/d6+Oea31BD +U5cqPco8R5gu4RV78ZLzYdqQJRZlwJ9UXQ4DO1t3ApyEtg2YXzTdO2PCwyiBwpwp +LiniyMMB8jPqKqrMCQj3ZWfGzd/TtiunvczRDnBfuCPRy5FOCvTIeuXZYzbB1N/8 +Ipf3YF3qKS9Ysr1YvY2WTxB1v0h7PVGHoTx0IsL8B3+A3MSs/mrBcDCw6Y5p4ixp +gZQJut3+TcCDjJRYwEYgr5wfAvg1VUkvRtTA8KCWAg8zxXHzniN9lLf9OtMJgwYh +/WA9rjLA0u6NpvDntIJ8CsxwyXmA+P5M9zWEGYox+wrZ13+b8KKaa8MFSu1BYBQw +0aoRQm7TIwIEC8Zl3d1Sd9qBa7Ko+gE4uZbqKmxnl4mUnrzhVNXkanjvSr0rmj1A +fsbAddJu+2gw7OyLnflJNZoaLNmzlTnVHpL3prllL+U9bTpITAjc5CgSKL59NVzq +4BZ+Extq1z7XnvwtdbLBFNUjA9tbbws+eC8N3jONFrdI54OagQ97wUNNVQQXOEpR +1VmiiXTTn74eS9fGbbeIJG9gkaSChVtWQbzQRKtqE77RLFi3EjNYsjdj3BP1lB0/ +QFH1T/U67cjF68IeHRaVesd+QnGTbksVtzDfqu1XhUisHWrdOWnk4Xl4vs4Fv6EM +94B7IWcnMFk= +-----END CERTIFICATE----- + +# Issuer: CN=Staat der Nederlanden EV Root CA O=Staat der Nederlanden +# Subject: CN=Staat der Nederlanden EV Root CA O=Staat der Nederlanden +# Label: "Staat der Nederlanden EV Root CA" +# Serial: 10000013 +# MD5 Fingerprint: fc:06:af:7b:e8:1a:f1:9a:b4:e8:d2:70:1f:c0:f5:ba +# SHA1 Fingerprint: 76:e2:7e:c1:4f:db:82:c1:c0:a6:75:b5:05:be:3d:29:b4:ed:db:bb +# SHA256 Fingerprint: 4d:24:91:41:4c:fe:95:67:46:ec:4c:ef:a6:cf:6f:72:e2:8a:13:29:43:2f:9d:8a:90:7a:c4:cb:5d:ad:c1:5a +-----BEGIN CERTIFICATE----- +MIIFcDCCA1igAwIBAgIEAJiWjTANBgkqhkiG9w0BAQsFADBYMQswCQYDVQQGEwJO +TDEeMBwGA1UECgwVU3RhYXQgZGVyIE5lZGVybGFuZGVuMSkwJwYDVQQDDCBTdGFh +dCBkZXIgTmVkZXJsYW5kZW4gRVYgUm9vdCBDQTAeFw0xMDEyMDgxMTE5MjlaFw0y +MjEyMDgxMTEwMjhaMFgxCzAJBgNVBAYTAk5MMR4wHAYDVQQKDBVTdGFhdCBkZXIg +TmVkZXJsYW5kZW4xKTAnBgNVBAMMIFN0YWF0IGRlciBOZWRlcmxhbmRlbiBFViBS +b290IENBMIICIjANBgkqhkiG9w0BAQEFAAOCAg8AMIICCgKCAgEA48d+ifkkSzrS +M4M1LGns3Amk41GoJSt5uAg94JG6hIXGhaTK5skuU6TJJB79VWZxXSzFYGgEt9nC +UiY4iKTWO0Cmws0/zZiTs1QUWJZV1VD+hq2kY39ch/aO5ieSZxeSAgMs3NZmdO3d +Z//BYY1jTw+bbRcwJu+r0h8QoPnFfxZpgQNH7R5ojXKhTbImxrpsX23Wr9GxE46p +rfNeaXUmGD5BKyF/7otdBwadQ8QpCiv8Kj6GyzyDOvnJDdrFmeK8eEEzduG/L13l +pJhQDBXd4Pqcfzho0LKmeqfRMb1+ilgnQ7O6M5HTp5gVXJrm0w912fxBmJc+qiXb +j5IusHsMX/FjqTf5m3VpTCgmJdrV8hJwRVXj33NeN/UhbJCONVrJ0yPr08C+eKxC +KFhmpUZtcALXEPlLVPxdhkqHz3/KRawRWrUgUY0viEeXOcDPusBCAUCZSCELa6fS +/ZbV0b5GnUngC6agIk440ME8MLxwjyx1zNDFjFE7PZQIZCZhfbnDZY8UnCHQqv0X +cgOPvZuM5l5Tnrmd74K74bzickFbIZTTRTeU0d8JOV3nI6qaHcptqAqGhYqCvkIH +1vI4gnPah1vlPNOePqc7nvQDs/nxfRN0Av+7oeX6AHkcpmZBiFxgV6YuCcS6/ZrP +px9Aw7vMWgpVSzs4dlG4Y4uElBbmVvMCAwEAAaNCMEAwDwYDVR0TAQH/BAUwAwEB +/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFP6rAJCYniT8qcwaivsnuL8wbqg7 +MA0GCSqGSIb3DQEBCwUAA4ICAQDPdyxuVr5Os7aEAJSrR8kN0nbHhp8dB9O2tLsI +eK9p0gtJ3jPFrK3CiAJ9Brc1AsFgyb/E6JTe1NOpEyVa/m6irn0F3H3zbPB+po3u +2dfOWBfoqSmuc0iH55vKbimhZF8ZE/euBhD/UcabTVUlT5OZEAFTdfETzsemQUHS +v4ilf0X8rLiltTMMgsT7B/Zq5SWEXwbKwYY5EdtYzXc7LMJMD16a4/CrPmEbUCTC +wPTxGfARKbalGAKb12NMcIxHowNDXLldRqANb/9Zjr7dn3LDWyvfjFvO5QxGbJKy +CqNMVEIYFRIYvdr8unRu/8G2oGTYqV9Vrp9canaW2HNnh/tNf1zuacpzEPuKqf2e +vTY4SUmH9A4U8OmHuD+nT3pajnnUk+S7aFKErGzp85hwVXIy+TSrK0m1zSBi5Dp6 +Z2Orltxtrpfs/J92VoguZs9btsmksNcFuuEnL5O7Jiqik7Ab846+HUCjuTaPPoIa +Gl6I6lD4WeKDRikL40Rc4ZW2aZCaFG+XroHPaO+Zmr615+F/+PoTRxZMzG0IQOeL +eG9QgkRQP2YGiqtDhFZKDyAthg710tvSeopLzaXoTvFeJiUBWSOgftL2fiFX1ye8 +FVdMpEbB4IMeDExNH08GGeL5qPQ6gqGyeUN51q1veieQA6TqJIc/2b3Z6fJfUEkc +7uzXLg== +-----END CERTIFICATE----- + +# Issuer: CN=IdenTrust Commercial Root CA 1 O=IdenTrust +# Subject: CN=IdenTrust Commercial Root CA 1 O=IdenTrust +# Label: "IdenTrust Commercial Root CA 1" +# Serial: 13298821034946342390520003877796839426 +# MD5 Fingerprint: b3:3e:77:73:75:ee:a0:d3:e3:7e:49:63:49:59:bb:c7 +# SHA1 Fingerprint: df:71:7e:aa:4a:d9:4e:c9:55:84:99:60:2d:48:de:5f:bc:f0:3a:25 +# SHA256 Fingerprint: 5d:56:49:9b:e4:d2:e0:8b:cf:ca:d0:8a:3e:38:72:3d:50:50:3b:de:70:69:48:e4:2f:55:60:30:19:e5:28:ae +-----BEGIN CERTIFICATE----- +MIIFYDCCA0igAwIBAgIQCgFCgAAAAUUjyES1AAAAAjANBgkqhkiG9w0BAQsFADBK +MQswCQYDVQQGEwJVUzESMBAGA1UEChMJSWRlblRydXN0MScwJQYDVQQDEx5JZGVu +VHJ1c3QgQ29tbWVyY2lhbCBSb290IENBIDEwHhcNMTQwMTE2MTgxMjIzWhcNMzQw +MTE2MTgxMjIzWjBKMQswCQYDVQQGEwJVUzESMBAGA1UEChMJSWRlblRydXN0MScw +JQYDVQQDEx5JZGVuVHJ1c3QgQ29tbWVyY2lhbCBSb290IENBIDEwggIiMA0GCSqG +SIb3DQEBAQUAA4ICDwAwggIKAoICAQCnUBneP5k91DNG8W9RYYKyqU+PZ4ldhNlT +3Qwo2dfw/66VQ3KZ+bVdfIrBQuExUHTRgQ18zZshq0PirK1ehm7zCYofWjK9ouuU ++ehcCuz/mNKvcbO0U59Oh++SvL3sTzIwiEsXXlfEU8L2ApeN2WIrvyQfYo3fw7gp +S0l4PJNgiCL8mdo2yMKi1CxUAGc1bnO/AljwpN3lsKImesrgNqUZFvX9t++uP0D1 +bVoE/c40yiTcdCMbXTMTEl3EASX2MN0CXZ/g1Ue9tOsbobtJSdifWwLziuQkkORi +T0/Br4sOdBeo0XKIanoBScy0RnnGF7HamB4HWfp1IYVl3ZBWzvurpWCdxJ35UrCL +vYf5jysjCiN2O/cz4ckA82n5S6LgTrx+kzmEB/dEcH7+B1rlsazRGMzyNeVJSQjK +Vsk9+w8YfYs7wRPCTY/JTw436R+hDmrfYi7LNQZReSzIJTj0+kuniVyc0uMNOYZK +dHzVWYfCP04MXFL0PfdSgvHqo6z9STQaKPNBiDoT7uje/5kdX7rL6B7yuVBgwDHT +c+XvvqDtMwt0viAgxGds8AgDelWAf0ZOlqf0Hj7h9tgJ4TNkK2PXMl6f+cB7D3hv +l7yTmvmcEpB4eoCHFddydJxVdHixuuFucAS6T6C6aMN7/zHwcz09lCqxC0EOoP5N +iGVreTO01wIDAQABo0IwQDAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB +/zAdBgNVHQ4EFgQU7UQZwNPwBovupHu+QucmVMiONnYwDQYJKoZIhvcNAQELBQAD +ggIBAA2ukDL2pkt8RHYZYR4nKM1eVO8lvOMIkPkp165oCOGUAFjvLi5+U1KMtlwH +6oi6mYtQlNeCgN9hCQCTrQ0U5s7B8jeUeLBfnLOic7iPBZM4zY0+sLj7wM+x8uwt +LRvM7Kqas6pgghstO8OEPVeKlh6cdbjTMM1gCIOQ045U8U1mwF10A0Cj7oV+wh93 +nAbowacYXVKV7cndJZ5t+qntozo00Fl72u1Q8zW/7esUTTHHYPTa8Yec4kjixsU3 ++wYQ+nVZZjFHKdp2mhzpgq7vmrlR94gjmmmVYjzlVYA211QC//G5Xc7UI2/YRYRK +W2XviQzdFKcgyxilJbQN+QHwotL0AMh0jqEqSI5l2xPE4iUXfeu+h1sXIFRRk0pT +AwvsXcoz7WL9RccvW9xYoIA55vrX/hMUpu09lEpCdNTDd1lzzY9GvlU47/rokTLq +l1gEIt44w8y8bckzOmoKaT+gyOpyj4xjhiO9bTyWnpXgSUyqorkqG5w2gXjtw+hG +4iZZRHUe2XWJUc0QhJ1hYMtd+ZciTY6Y5uN/9lu7rs3KSoFrXgvzUeF0K+l+J6fZ +mUlO+KWA2yUPHGNiiskzZ2s8EIPGrd6ozRaOjfAHN3Gf8qv8QfXBi+wAN10J5U6A +7/qxXDgGpRtK4dw4LTzcqx+QGtVKnO7RcGzM7vRX+Bi6hG6H +-----END CERTIFICATE----- + +# Issuer: CN=IdenTrust Public Sector Root CA 1 O=IdenTrust +# Subject: CN=IdenTrust Public Sector Root CA 1 O=IdenTrust +# Label: "IdenTrust Public Sector Root CA 1" +# Serial: 13298821034946342390521976156843933698 +# MD5 Fingerprint: 37:06:a5:b0:fc:89:9d:ba:f4:6b:8c:1a:64:cd:d5:ba +# SHA1 Fingerprint: ba:29:41:60:77:98:3f:f4:f3:ef:f2:31:05:3b:2e:ea:6d:4d:45:fd +# SHA256 Fingerprint: 30:d0:89:5a:9a:44:8a:26:20:91:63:55:22:d1:f5:20:10:b5:86:7a:ca:e1:2c:78:ef:95:8f:d4:f4:38:9f:2f +-----BEGIN CERTIFICATE----- +MIIFZjCCA06gAwIBAgIQCgFCgAAAAUUjz0Z8AAAAAjANBgkqhkiG9w0BAQsFADBN +MQswCQYDVQQGEwJVUzESMBAGA1UEChMJSWRlblRydXN0MSowKAYDVQQDEyFJZGVu +VHJ1c3QgUHVibGljIFNlY3RvciBSb290IENBIDEwHhcNMTQwMTE2MTc1MzMyWhcN +MzQwMTE2MTc1MzMyWjBNMQswCQYDVQQGEwJVUzESMBAGA1UEChMJSWRlblRydXN0 +MSowKAYDVQQDEyFJZGVuVHJ1c3QgUHVibGljIFNlY3RvciBSb290IENBIDEwggIi +MA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQC2IpT8pEiv6EdrCvsnduTyP4o7 +ekosMSqMjbCpwzFrqHd2hCa2rIFCDQjrVVi7evi8ZX3yoG2LqEfpYnYeEe4IFNGy +RBb06tD6Hi9e28tzQa68ALBKK0CyrOE7S8ItneShm+waOh7wCLPQ5CQ1B5+ctMlS +bdsHyo+1W/CD80/HLaXIrcuVIKQxKFdYWuSNG5qrng0M8gozOSI5Cpcu81N3uURF +/YTLNiCBWS2ab21ISGHKTN9T0a9SvESfqy9rg3LvdYDaBjMbXcjaY8ZNzaxmMc3R +3j6HEDbhuaR672BQssvKplbgN6+rNBM5Jeg5ZuSYeqoSmJxZZoY+rfGwyj4GD3vw +EUs3oERte8uojHH01bWRNszwFcYr3lEXsZdMUD2xlVl8BX0tIdUAvwFnol57plzy +9yLxkA2T26pEUWbMfXYD62qoKjgZl3YNa4ph+bz27nb9cCvdKTz4Ch5bQhyLVi9V +GxyhLrXHFub4qjySjmm2AcG1hp2JDws4lFTo6tyePSW8Uybt1as5qsVATFSrsrTZ +2fjXctscvG29ZV/viDUqZi/u9rNl8DONfJhBaUYPQxxp+pu10GFqzcpL2UyQRqsV +WaFHVCkugyhfHMKiq3IXAAaOReyL4jM9f9oZRORicsPfIsbyVtTdX5Vy7W1f90gD +W/3FKqD2cyOEEBsB5wIDAQABo0IwQDAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/ +BAUwAwEB/zAdBgNVHQ4EFgQU43HgntinQtnbcZFrlJPrw6PRFKMwDQYJKoZIhvcN +AQELBQADggIBAEf63QqwEZE4rU1d9+UOl1QZgkiHVIyqZJnYWv6IAcVYpZmxI1Qj +t2odIFflAWJBF9MJ23XLblSQdf4an4EKwt3X9wnQW3IV5B4Jaj0z8yGa5hV+rVHV +DRDtfULAj+7AmgjVQdZcDiFpboBhDhXAuM/FSRJSzL46zNQuOAXeNf0fb7iAaJg9 +TaDKQGXSc3z1i9kKlT/YPyNtGtEqJBnZhbMX73huqVjRI9PHE+1yJX9dsXNw0H8G +lwmEKYBhHfpe/3OsoOOJuBxxFcbeMX8S3OFtm6/n6J91eEyrRjuazr8FGF1NFTwW +mhlQBJqymm9li1JfPFgEKCXAZmExfrngdbkaqIHWchezxQMxNRF4eKLg6TCMf4Df +WN88uieW4oA0beOY02QnrEh+KHdcxiVhJfiFDGX6xDIvpZgF5PgLZxYWxoK4Mhn5 ++bl53B/N66+rDt0b20XkeucC4pVd/GnwU2lhlXV5C15V5jgclKlZM57IcXR5f1GJ +tshquDDIajjDbp7hNxbqBWJMWxJH7ae0s1hWx0nzfxJoCTFx8G34Tkf71oXuxVhA +GaQdp/lLQzfcaFpPz+vCZHTetBXZ9FRUGi8c15dxVJCO2SCdUyt/q4/i6jC8UDfv +8Ue1fXwsBOxonbRJRBD0ckscZOf85muQ3Wl9af0AVqW3rLatt8o+Ae+c +-----END CERTIFICATE----- + +# Issuer: CN=Entrust Root Certification Authority - G2 O=Entrust, Inc. OU=See www.entrust.net/legal-terms/(c) 2009 Entrust, Inc. - for authorized use only +# Subject: CN=Entrust Root Certification Authority - G2 O=Entrust, Inc. OU=See www.entrust.net/legal-terms/(c) 2009 Entrust, Inc. - for authorized use only +# Label: "Entrust Root Certification Authority - G2" +# Serial: 1246989352 +# MD5 Fingerprint: 4b:e2:c9:91:96:65:0c:f4:0e:5a:93:92:a0:0a:fe:b2 +# SHA1 Fingerprint: 8c:f4:27:fd:79:0c:3a:d1:66:06:8d:e8:1e:57:ef:bb:93:22:72:d4 +# SHA256 Fingerprint: 43:df:57:74:b0:3e:7f:ef:5f:e4:0d:93:1a:7b:ed:f1:bb:2e:6b:42:73:8c:4e:6d:38:41:10:3d:3a:a7:f3:39 +-----BEGIN CERTIFICATE----- +MIIEPjCCAyagAwIBAgIESlOMKDANBgkqhkiG9w0BAQsFADCBvjELMAkGA1UEBhMC +VVMxFjAUBgNVBAoTDUVudHJ1c3QsIEluYy4xKDAmBgNVBAsTH1NlZSB3d3cuZW50 +cnVzdC5uZXQvbGVnYWwtdGVybXMxOTA3BgNVBAsTMChjKSAyMDA5IEVudHJ1c3Qs +IEluYy4gLSBmb3IgYXV0aG9yaXplZCB1c2Ugb25seTEyMDAGA1UEAxMpRW50cnVz +dCBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5IC0gRzIwHhcNMDkwNzA3MTcy +NTU0WhcNMzAxMjA3MTc1NTU0WjCBvjELMAkGA1UEBhMCVVMxFjAUBgNVBAoTDUVu +dHJ1c3QsIEluYy4xKDAmBgNVBAsTH1NlZSB3d3cuZW50cnVzdC5uZXQvbGVnYWwt +dGVybXMxOTA3BgNVBAsTMChjKSAyMDA5IEVudHJ1c3QsIEluYy4gLSBmb3IgYXV0 +aG9yaXplZCB1c2Ugb25seTEyMDAGA1UEAxMpRW50cnVzdCBSb290IENlcnRpZmlj +YXRpb24gQXV0aG9yaXR5IC0gRzIwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEK +AoIBAQC6hLZy254Ma+KZ6TABp3bqMriVQRrJ2mFOWHLP/vaCeb9zYQYKpSfYs1/T +RU4cctZOMvJyig/3gxnQaoCAAEUesMfnmr8SVycco2gvCoe9amsOXmXzHHfV1IWN +cCG0szLni6LVhjkCsbjSR87kyUnEO6fe+1R9V77w6G7CebI6C1XiUJgWMhNcL3hW +wcKUs/Ja5CeanyTXxuzQmyWC48zCxEXFjJd6BmsqEZ+pCm5IO2/b1BEZQvePB7/1 +U1+cPvQXLOZprE4yTGJ36rfo5bs0vBmLrpxR57d+tVOxMyLlbc9wPBr64ptntoP0 +jaWvYkxN4FisZDQSA/i2jZRjJKRxAgMBAAGjQjBAMA4GA1UdDwEB/wQEAwIBBjAP +BgNVHRMBAf8EBTADAQH/MB0GA1UdDgQWBBRqciZ60B7vfec7aVHUbI2fkBJmqzAN +BgkqhkiG9w0BAQsFAAOCAQEAeZ8dlsa2eT8ijYfThwMEYGprmi5ZiXMRrEPR9RP/ +jTkrwPK9T3CMqS/qF8QLVJ7UG5aYMzyorWKiAHarWWluBh1+xLlEjZivEtRh2woZ +Rkfz6/djwUAFQKXSt/S1mja/qYh2iARVBCuch38aNzx+LaUa2NSJXsq9rD1s2G2v +1fN2D807iDginWyTmsQ9v4IbZT+mD12q/OWyFcq1rca8PdCE6OoGcrBNOTJ4vz4R +nAuknZoh8/CbCzB428Hch0P+vGOaysXCHMnHjf87ElgI5rY97HosTvuDls4MPGmH +VHOkc8KT/1EQrBVUAdj8BbGJoX90g5pJ19xOe4pIb4tF9g== +-----END CERTIFICATE----- + +# Issuer: CN=Entrust Root Certification Authority - EC1 O=Entrust, Inc. OU=See www.entrust.net/legal-terms/(c) 2012 Entrust, Inc. - for authorized use only +# Subject: CN=Entrust Root Certification Authority - EC1 O=Entrust, Inc. OU=See www.entrust.net/legal-terms/(c) 2012 Entrust, Inc. - for authorized use only +# Label: "Entrust Root Certification Authority - EC1" +# Serial: 51543124481930649114116133369 +# MD5 Fingerprint: b6:7e:1d:f0:58:c5:49:6c:24:3b:3d:ed:98:18:ed:bc +# SHA1 Fingerprint: 20:d8:06:40:df:9b:25:f5:12:25:3a:11:ea:f7:59:8a:eb:14:b5:47 +# SHA256 Fingerprint: 02:ed:0e:b2:8c:14:da:45:16:5c:56:67:91:70:0d:64:51:d7:fb:56:f0:b2:ab:1d:3b:8e:b0:70:e5:6e:df:f5 +-----BEGIN CERTIFICATE----- +MIIC+TCCAoCgAwIBAgINAKaLeSkAAAAAUNCR+TAKBggqhkjOPQQDAzCBvzELMAkG +A1UEBhMCVVMxFjAUBgNVBAoTDUVudHJ1c3QsIEluYy4xKDAmBgNVBAsTH1NlZSB3 +d3cuZW50cnVzdC5uZXQvbGVnYWwtdGVybXMxOTA3BgNVBAsTMChjKSAyMDEyIEVu +dHJ1c3QsIEluYy4gLSBmb3IgYXV0aG9yaXplZCB1c2Ugb25seTEzMDEGA1UEAxMq +RW50cnVzdCBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5IC0gRUMxMB4XDTEy +MTIxODE1MjUzNloXDTM3MTIxODE1NTUzNlowgb8xCzAJBgNVBAYTAlVTMRYwFAYD +VQQKEw1FbnRydXN0LCBJbmMuMSgwJgYDVQQLEx9TZWUgd3d3LmVudHJ1c3QubmV0 +L2xlZ2FsLXRlcm1zMTkwNwYDVQQLEzAoYykgMjAxMiBFbnRydXN0LCBJbmMuIC0g +Zm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxMzAxBgNVBAMTKkVudHJ1c3QgUm9vdCBD +ZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEVDMTB2MBAGByqGSM49AgEGBSuBBAAi +A2IABIQTydC6bUF74mzQ61VfZgIaJPRbiWlH47jCffHyAsWfoPZb1YsGGYZPUxBt +ByQnoaD41UcZYUx9ypMn6nQM72+WCf5j7HBdNq1nd67JnXxVRDqiY1Ef9eNi1KlH +Bz7MIKNCMEAwDgYDVR0PAQH/BAQDAgEGMA8GA1UdEwEB/wQFMAMBAf8wHQYDVR0O +BBYEFLdj5xrdjekIplWDpOBqUEFlEUJJMAoGCCqGSM49BAMDA2cAMGQCMGF52OVC +R98crlOZF7ZvHH3hvxGU0QOIdeSNiaSKd0bebWHvAvX7td/M/k7//qnmpwIwW5nX +hTcGtXsI/esni0qU+eH6p44mCOh8kmhtc9hvJqwhAriZtyZBWyVgrtBIGu4G +-----END CERTIFICATE----- + +# Issuer: CN=CFCA EV ROOT O=China Financial Certification Authority +# Subject: CN=CFCA EV ROOT O=China Financial Certification Authority +# Label: "CFCA EV ROOT" +# Serial: 407555286 +# MD5 Fingerprint: 74:e1:b6:ed:26:7a:7a:44:30:33:94:ab:7b:27:81:30 +# SHA1 Fingerprint: e2:b8:29:4b:55:84:ab:6b:58:c2:90:46:6c:ac:3f:b8:39:8f:84:83 +# SHA256 Fingerprint: 5c:c3:d7:8e:4e:1d:5e:45:54:7a:04:e6:87:3e:64:f9:0c:f9:53:6d:1c:cc:2e:f8:00:f3:55:c4:c5:fd:70:fd +-----BEGIN CERTIFICATE----- +MIIFjTCCA3WgAwIBAgIEGErM1jANBgkqhkiG9w0BAQsFADBWMQswCQYDVQQGEwJD +TjEwMC4GA1UECgwnQ2hpbmEgRmluYW5jaWFsIENlcnRpZmljYXRpb24gQXV0aG9y +aXR5MRUwEwYDVQQDDAxDRkNBIEVWIFJPT1QwHhcNMTIwODA4MDMwNzAxWhcNMjkx +MjMxMDMwNzAxWjBWMQswCQYDVQQGEwJDTjEwMC4GA1UECgwnQ2hpbmEgRmluYW5j +aWFsIENlcnRpZmljYXRpb24gQXV0aG9yaXR5MRUwEwYDVQQDDAxDRkNBIEVWIFJP +T1QwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQDXXWvNED8fBVnVBU03 +sQ7smCuOFR36k0sXgiFxEFLXUWRwFsJVaU2OFW2fvwwbwuCjZ9YMrM8irq93VCpL +TIpTUnrD7i7es3ElweldPe6hL6P3KjzJIx1qqx2hp/Hz7KDVRM8Vz3IvHWOX6Jn5 +/ZOkVIBMUtRSqy5J35DNuF++P96hyk0g1CXohClTt7GIH//62pCfCqktQT+x8Rgp +7hZZLDRJGqgG16iI0gNyejLi6mhNbiyWZXvKWfry4t3uMCz7zEasxGPrb382KzRz +EpR/38wmnvFyXVBlWY9ps4deMm/DGIq1lY+wejfeWkU7xzbh72fROdOXW3NiGUgt +hxwG+3SYIElz8AXSG7Ggo7cbcNOIabla1jj0Ytwli3i/+Oh+uFzJlU9fpy25IGvP +a931DfSCt/SyZi4QKPaXWnuWFo8BGS1sbn85WAZkgwGDg8NNkt0yxoekN+kWzqot +aK8KgWU6cMGbrU1tVMoqLUuFG7OA5nBFDWteNfB/O7ic5ARwiRIlk9oKmSJgamNg +TnYGmE69g60dWIolhdLHZR4tjsbftsbhf4oEIRUpdPA+nJCdDC7xij5aqgwJHsfV +PKPtl8MeNPo4+QgO48BdK4PRVmrJtqhUUy54Mmc9gn900PvhtgVguXDbjgv5E1hv +cWAQUhC5wUEJ73IfZzF4/5YFjQIDAQABo2MwYTAfBgNVHSMEGDAWgBTj/i39KNAL +tbq2osS/BqoFjJP7LzAPBgNVHRMBAf8EBTADAQH/MA4GA1UdDwEB/wQEAwIBBjAd +BgNVHQ4EFgQU4/4t/SjQC7W6tqLEvwaqBYyT+y8wDQYJKoZIhvcNAQELBQADggIB +ACXGumvrh8vegjmWPfBEp2uEcwPenStPuiB/vHiyz5ewG5zz13ku9Ui20vsXiObT +ej/tUxPQ4i9qecsAIyjmHjdXNYmEwnZPNDatZ8POQQaIxffu2Bq41gt/UP+TqhdL +jOztUmCypAbqTuv0axn96/Ua4CUqmtzHQTb3yHQFhDmVOdYLO6Qn+gjYXB74BGBS +ESgoA//vU2YApUo0FmZ8/Qmkrp5nGm9BC2sGE5uPhnEFtC+NiWYzKXZUmhH4J/qy +P5Hgzg0b8zAarb8iXRvTvyUFTeGSGn+ZnzxEk8rUQElsgIfXBDrDMlI1Dlb4pd19 +xIsNER9Tyx6yF7Zod1rg1MvIB671Oi6ON7fQAUtDKXeMOZePglr4UeWJoBjnaH9d +Ci77o0cOPaYjesYBx4/IXr9tgFa+iiS6M+qf4TIRnvHST4D2G0CvOJ4RUHlzEhLN +5mydLIhyPDCBBpEi6lmt2hkuIsKNuYyH4Ga8cyNfIWRjgEj1oDwYPZTISEEdQLpe +/v5WOaHIz16eGWRGENoXkbcFgKyLmZJ956LYBws2J+dIeWCKw9cTXPhyQN9Ky8+Z +AAoACxGV2lZFA4gKn2fQ1XmxqI1AbQ3CekD6819kR5LLU7m7Wc5P/dAVUwHY3+vZ +5nbv0CO7O6l5s9UCKc2Jo5YPSjXnTkLAdc0Hz+Ys63su +-----END CERTIFICATE----- + +# Issuer: CN=Certinomis - Root CA O=Certinomis OU=0002 433998903 +# Subject: CN=Certinomis - Root CA O=Certinomis OU=0002 433998903 +# Label: "Certinomis - Root CA" +# Serial: 1 +# MD5 Fingerprint: 14:0a:fd:8d:a8:28:b5:38:69:db:56:7e:61:22:03:3f +# SHA1 Fingerprint: 9d:70:bb:01:a5:a4:a0:18:11:2e:f7:1c:01:b9:32:c5:34:e7:88:a8 +# SHA256 Fingerprint: 2a:99:f5:bc:11:74:b7:3c:bb:1d:62:08:84:e0:1c:34:e5:1c:cb:39:78:da:12:5f:0e:33:26:88:83:bf:41:58 +-----BEGIN CERTIFICATE----- +MIIFkjCCA3qgAwIBAgIBATANBgkqhkiG9w0BAQsFADBaMQswCQYDVQQGEwJGUjET +MBEGA1UEChMKQ2VydGlub21pczEXMBUGA1UECxMOMDAwMiA0MzM5OTg5MDMxHTAb +BgNVBAMTFENlcnRpbm9taXMgLSBSb290IENBMB4XDTEzMTAyMTA5MTcxOFoXDTMz +MTAyMTA5MTcxOFowWjELMAkGA1UEBhMCRlIxEzARBgNVBAoTCkNlcnRpbm9taXMx +FzAVBgNVBAsTDjAwMDIgNDMzOTk4OTAzMR0wGwYDVQQDExRDZXJ0aW5vbWlzIC0g +Um9vdCBDQTCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBANTMCQosP5L2 +fxSeC5yaah1AMGT9qt8OHgZbn1CF6s2Nq0Nn3rD6foCWnoR4kkjW4znuzuRZWJfl +LieY6pOod5tK8O90gC3rMB+12ceAnGInkYjwSond3IjmFPnVAy//ldu9n+ws+hQV +WZUKxkd8aRi5pwP5ynapz8dvtF4F/u7BUrJ1Mofs7SlmO/NKFoL21prbcpjp3vDF +TKWrteoB4owuZH9kb/2jJZOLyKIOSY008B/sWEUuNKqEUL3nskoTuLAPrjhdsKkb +5nPJWqHZZkCqqU2mNAKthH6yI8H7KsZn9DS2sJVqM09xRLWtwHkziOC/7aOgFLSc +CbAK42C++PhmiM1b8XcF4LVzbsF9Ri6OSyemzTUK/eVNfaoqoynHWmgE6OXWk6Ri +wsXm9E/G+Z8ajYJJGYrKWUM66A0ywfRMEwNvbqY/kXPLynNvEiCL7sCCeN5LLsJJ +wx3tFvYk9CcbXFcx3FXuqB5vbKziRcxXV4p1VxngtViZSTYxPDMBbRZKzbgqg4SG +m/lg0h9tkQPTYKbVPZrdd5A9NaSfD171UkRpucC63M9933zZxKyGIjK8e2uR73r4 +F2iw4lNVYC2vPsKD2NkJK/DAZNuHi5HMkesE/Xa0lZrmFAYb1TQdvtj/dBxThZng +WVJKYe2InmtJiUZ+IFrZ50rlau7SZRFDAgMBAAGjYzBhMA4GA1UdDwEB/wQEAwIB +BjAPBgNVHRMBAf8EBTADAQH/MB0GA1UdDgQWBBTvkUz1pcMw6C8I6tNxIqSSaHh0 +2TAfBgNVHSMEGDAWgBTvkUz1pcMw6C8I6tNxIqSSaHh02TANBgkqhkiG9w0BAQsF +AAOCAgEAfj1U2iJdGlg+O1QnurrMyOMaauo++RLrVl89UM7g6kgmJs95Vn6RHJk/ +0KGRHCwPT5iVWVO90CLYiF2cN/z7ZMF4jIuaYAnq1fohX9B0ZedQxb8uuQsLrbWw +F6YSjNRieOpWauwK0kDDPAUwPk2Ut59KA9N9J0u2/kTO+hkzGm2kQtHdzMjI1xZS +g081lLMSVX3l4kLr5JyTCcBMWwerx20RoFAXlCOotQqSD7J6wWAsOMwaplv/8gzj +qh8c3LigkyfeY+N/IZ865Z764BNqdeuWXGKRlI5nU7aJ+BIJy29SWwNyhlCVCNSN +h4YVH5Uk2KRvms6knZtt0rJ2BobGVgjF6wnaNsIbW0G+YSrjcOa4pvi2WsS9Iff/ +ql+hbHY5ZtbqTFXhADObE5hjyW/QASAJN1LnDE8+zbz1X5YnpyACleAu6AdBBR8V +btaw5BngDwKTACdyxYvRVB9dSsNAl35VpnzBMwQUAR1JIGkLGZOdblgi90AMRgwj +Y/M50n92Uaf0yKHxDHYiI0ZSKS3io0EHVmmY0gUJvGnHWmHNj4FgFU2A3ZDifcRQ +8ow7bkrHxuaAKzyBvBGAFhAn1/DNP3nMcyrDflOR1m749fPH0FFNjkulW+YZFzvW +gQncItzujrnEj1PhZ7szuIgVRs/taTX/dQ1G885x4cVrhkIGuUE= +-----END CERTIFICATE----- + +# Issuer: CN=OISTE WISeKey Global Root GB CA O=WISeKey OU=OISTE Foundation Endorsed +# Subject: CN=OISTE WISeKey Global Root GB CA O=WISeKey OU=OISTE Foundation Endorsed +# Label: "OISTE WISeKey Global Root GB CA" +# Serial: 157768595616588414422159278966750757568 +# MD5 Fingerprint: a4:eb:b9:61:28:2e:b7:2f:98:b0:35:26:90:99:51:1d +# SHA1 Fingerprint: 0f:f9:40:76:18:d3:d7:6a:4b:98:f0:a8:35:9e:0c:fd:27:ac:cc:ed +# SHA256 Fingerprint: 6b:9c:08:e8:6e:b0:f7:67:cf:ad:65:cd:98:b6:21:49:e5:49:4a:67:f5:84:5e:7b:d1:ed:01:9f:27:b8:6b:d6 +-----BEGIN CERTIFICATE----- +MIIDtTCCAp2gAwIBAgIQdrEgUnTwhYdGs/gjGvbCwDANBgkqhkiG9w0BAQsFADBt +MQswCQYDVQQGEwJDSDEQMA4GA1UEChMHV0lTZUtleTEiMCAGA1UECxMZT0lTVEUg +Rm91bmRhdGlvbiBFbmRvcnNlZDEoMCYGA1UEAxMfT0lTVEUgV0lTZUtleSBHbG9i +YWwgUm9vdCBHQiBDQTAeFw0xNDEyMDExNTAwMzJaFw0zOTEyMDExNTEwMzFaMG0x +CzAJBgNVBAYTAkNIMRAwDgYDVQQKEwdXSVNlS2V5MSIwIAYDVQQLExlPSVNURSBG +b3VuZGF0aW9uIEVuZG9yc2VkMSgwJgYDVQQDEx9PSVNURSBXSVNlS2V5IEdsb2Jh +bCBSb290IEdCIENBMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA2Be3 +HEokKtaXscriHvt9OO+Y9bI5mE4nuBFde9IllIiCFSZqGzG7qFshISvYD06fWvGx +WuR51jIjK+FTzJlFXHtPrby/h0oLS5daqPZI7H17Dc0hBt+eFf1Biki3IPShehtX +1F1Q/7pn2COZH8g/497/b1t3sWtuuMlk9+HKQUYOKXHQuSP8yYFfTvdv37+ErXNk +u7dCjmn21HYdfp2nuFeKUWdy19SouJVUQHMD9ur06/4oQnc/nSMbsrY9gBQHTC5P +99UKFg29ZkM3fiNDecNAhvVMKdqOmq0NpQSHiB6F4+lT1ZvIiwNjeOvgGUpuuy9r +M2RYk61pv48b74JIxwIDAQABo1EwTzALBgNVHQ8EBAMCAYYwDwYDVR0TAQH/BAUw +AwEB/zAdBgNVHQ4EFgQUNQ/INmNe4qPs+TtmFc5RUuORmj0wEAYJKwYBBAGCNxUB +BAMCAQAwDQYJKoZIhvcNAQELBQADggEBAEBM+4eymYGQfp3FsLAmzYh7KzKNbrgh +cViXfa43FK8+5/ea4n32cZiZBKpDdHij40lhPnOMTZTg+XHEthYOU3gf1qKHLwI5 +gSk8rxWYITD+KJAAjNHhy/peyP34EEY7onhCkRd0VQreUGdNZtGn//3ZwLWoo4rO +ZvUPQ82nK1d7Y0Zqqi5S2PTt4W2tKZB4SLrhI6qjiey1q5bAtEuiHZeeevJuQHHf +aPFlTc58Bd9TZaml8LGXBHAVRgOY1NK/VLSgWH1Sb9pWJmLU2NuJMW8c8CLC02Ic +Nc1MaRVUGpCY3useX8p3x8uOPUNpnJpY0CQ73xtAln41rYHHTnG6iBM= +-----END CERTIFICATE----- + +# Issuer: CN=SZAFIR ROOT CA2 O=Krajowa Izba Rozliczeniowa S.A. +# Subject: CN=SZAFIR ROOT CA2 O=Krajowa Izba Rozliczeniowa S.A. +# Label: "SZAFIR ROOT CA2" +# Serial: 357043034767186914217277344587386743377558296292 +# MD5 Fingerprint: 11:64:c1:89:b0:24:b1:8c:b1:07:7e:89:9e:51:9e:99 +# SHA1 Fingerprint: e2:52:fa:95:3f:ed:db:24:60:bd:6e:28:f3:9c:cc:cf:5e:b3:3f:de +# SHA256 Fingerprint: a1:33:9d:33:28:1a:0b:56:e5:57:d3:d3:2b:1c:e7:f9:36:7e:b0:94:bd:5f:a7:2a:7e:50:04:c8:de:d7:ca:fe +-----BEGIN CERTIFICATE----- +MIIDcjCCAlqgAwIBAgIUPopdB+xV0jLVt+O2XwHrLdzk1uQwDQYJKoZIhvcNAQEL +BQAwUTELMAkGA1UEBhMCUEwxKDAmBgNVBAoMH0tyYWpvd2EgSXpiYSBSb3psaWN6 +ZW5pb3dhIFMuQS4xGDAWBgNVBAMMD1NaQUZJUiBST09UIENBMjAeFw0xNTEwMTkw +NzQzMzBaFw0zNTEwMTkwNzQzMzBaMFExCzAJBgNVBAYTAlBMMSgwJgYDVQQKDB9L +cmFqb3dhIEl6YmEgUm96bGljemVuaW93YSBTLkEuMRgwFgYDVQQDDA9TWkFGSVIg +Uk9PVCBDQTIwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQC3vD5QqEvN +QLXOYeeWyrSh2gwisPq1e3YAd4wLz32ohswmUeQgPYUM1ljj5/QqGJ3a0a4m7utT +3PSQ1hNKDJA8w/Ta0o4NkjrcsbH/ON7Dui1fgLkCvUqdGw+0w8LBZwPd3BucPbOw +3gAeqDRHu5rr/gsUvTaE2g0gv/pby6kWIK05YO4vdbbnl5z5Pv1+TW9NL++IDWr6 +3fE9biCloBK0TXC5ztdyO4mTp4CEHCdJckm1/zuVnsHMyAHs6A6KCpbns6aH5db5 +BSsNl0BwPLqsdVqc1U2dAgrSS5tmS0YHF2Wtn2yIANwiieDhZNRnvDF5YTy7ykHN +XGoAyDw4jlivAgMBAAGjQjBAMA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQD +AgEGMB0GA1UdDgQWBBQuFqlKGLXLzPVvUPMjX/hd56zwyDANBgkqhkiG9w0BAQsF +AAOCAQEAtXP4A9xZWx126aMqe5Aosk3AM0+qmrHUuOQn/6mWmc5G4G18TKI4pAZw +8PRBEew/R40/cof5O/2kbytTAOD/OblqBw7rHRz2onKQy4I9EYKL0rufKq8h5mOG +nXkZ7/e7DDWQw4rtTw/1zBLZpD67oPwglV9PJi8RI4NOdQcPv5vRtB3pEAT+ymCP +oky4rc/hkA/NrgrHXXu3UNLUYfrVFdvXn4dRVOul4+vJhaAlIDf7js4MNIThPIGy +d05DpYhfhmehPea0XGG2Ptv+tyjFogeutcrKjSoS75ftwjCkySp6+/NNIxuZMzSg +LvWpCz/UXeHPhJ/iGcJfitYgHuNztw== +-----END CERTIFICATE----- + +# Issuer: CN=Certum Trusted Network CA 2 O=Unizeto Technologies S.A. OU=Certum Certification Authority +# Subject: CN=Certum Trusted Network CA 2 O=Unizeto Technologies S.A. OU=Certum Certification Authority +# Label: "Certum Trusted Network CA 2" +# Serial: 44979900017204383099463764357512596969 +# MD5 Fingerprint: 6d:46:9e:d9:25:6d:08:23:5b:5e:74:7d:1e:27:db:f2 +# SHA1 Fingerprint: d3:dd:48:3e:2b:bf:4c:05:e8:af:10:f5:fa:76:26:cf:d3:dc:30:92 +# SHA256 Fingerprint: b6:76:f2:ed:da:e8:77:5c:d3:6c:b0:f6:3c:d1:d4:60:39:61:f4:9e:62:65:ba:01:3a:2f:03:07:b6:d0:b8:04 +-----BEGIN CERTIFICATE----- +MIIF0jCCA7qgAwIBAgIQIdbQSk8lD8kyN/yqXhKN6TANBgkqhkiG9w0BAQ0FADCB +gDELMAkGA1UEBhMCUEwxIjAgBgNVBAoTGVVuaXpldG8gVGVjaG5vbG9naWVzIFMu +QS4xJzAlBgNVBAsTHkNlcnR1bSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTEkMCIG +A1UEAxMbQ2VydHVtIFRydXN0ZWQgTmV0d29yayBDQSAyMCIYDzIwMTExMDA2MDgz +OTU2WhgPMjA0NjEwMDYwODM5NTZaMIGAMQswCQYDVQQGEwJQTDEiMCAGA1UEChMZ +VW5pemV0byBUZWNobm9sb2dpZXMgUy5BLjEnMCUGA1UECxMeQ2VydHVtIENlcnRp +ZmljYXRpb24gQXV0aG9yaXR5MSQwIgYDVQQDExtDZXJ0dW0gVHJ1c3RlZCBOZXR3 +b3JrIENBIDIwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQC9+Xj45tWA +DGSdhhuWZGc/IjoedQF97/tcZ4zJzFxrqZHmuULlIEub2pt7uZld2ZuAS9eEQCsn +0+i6MLs+CRqnSZXvK0AkwpfHp+6bJe+oCgCXhVqqndwpyeI1B+twTUrWwbNWuKFB +OJvR+zF/j+Bf4bE/D44WSWDXBo0Y+aomEKsq09DRZ40bRr5HMNUuctHFY9rnY3lE +fktjJImGLjQ/KUxSiyqnwOKRKIm5wFv5HdnnJ63/mgKXwcZQkpsCLL2puTRZCr+E +Sv/f/rOf69me4Jgj7KZrdxYq28ytOxykh9xGc14ZYmhFV+SQgkK7QtbwYeDBoz1m +o130GO6IyY0XRSmZMnUCMe4pJshrAua1YkV/NxVaI2iJ1D7eTiew8EAMvE0Xy02i +sx7QBlrd9pPPV3WZ9fqGGmd4s7+W/jTcvedSVuWz5XV710GRBdxdaeOVDUO5/IOW +OZV7bIBaTxNyxtd9KXpEulKkKtVBRgkg/iKgtlswjbyJDNXXcPiHUv3a76xRLgez +Tv7QCdpw75j6VuZt27VXS9zlLCUVyJ4ueE742pyehizKV/Ma5ciSixqClnrDvFAS +adgOWkaLOusm+iPJtrCBvkIApPjW/jAux9JG9uWOdf3yzLnQh1vMBhBgu4M1t15n +3kfsmUjxpKEV/q2MYo45VU85FrmxY53/twIDAQABo0IwQDAPBgNVHRMBAf8EBTAD +AQH/MB0GA1UdDgQWBBS2oVQ5AsOgP46KvPrU+Bym0ToO/TAOBgNVHQ8BAf8EBAMC +AQYwDQYJKoZIhvcNAQENBQADggIBAHGlDs7k6b8/ONWJWsQCYftMxRQXLYtPU2sQ +F/xlhMcQSZDe28cmk4gmb3DWAl45oPePq5a1pRNcgRRtDoGCERuKTsZPpd1iHkTf +CVn0W3cLN+mLIMb4Ck4uWBzrM9DPhmDJ2vuAL55MYIR4PSFk1vtBHxgP58l1cb29 +XN40hz5BsA72udY/CROWFC/emh1auVbONTqwX3BNXuMp8SMoclm2q8KMZiYcdywm +djWLKKdpoPk79SPdhRB0yZADVpHnr7pH1BKXESLjokmUbOe3lEu6LaTaM4tMpkT/ +WjzGHWTYtTHkpjx6qFcL2+1hGsvxznN3Y6SHb0xRONbkX8eftoEq5IVIeVheO/jb +AoJnwTnbw3RLPTYe+SmTiGhbqEQZIfCn6IENLOiTNrQ3ssqwGyZ6miUfmpqAnksq +P/ujmv5zMnHCnsZy4YpoJ/HkD7TETKVhk/iXEAcqMCWpuchxuO9ozC1+9eB+D4Ko +b7a6bINDd82Kkhehnlt4Fj1F4jNy3eFmypnTycUm/Q1oBEauttmbjL4ZvrHG8hnj +XALKLNhvSgfZyTXaQHXyxKcZb55CEJh15pWLYLztxRLXis7VmFxWlgPF7ncGNf/P +5O4/E2Hu29othfDNrp2yGAlFw5Khchf8R7agCyzxxN5DaAhqXzvwdmP7zAYspsbi +DrW5viSP +-----END CERTIFICATE----- + +# Issuer: CN=Hellenic Academic and Research Institutions RootCA 2015 O=Hellenic Academic and Research Institutions Cert. Authority +# Subject: CN=Hellenic Academic and Research Institutions RootCA 2015 O=Hellenic Academic and Research Institutions Cert. Authority +# Label: "Hellenic Academic and Research Institutions RootCA 2015" +# Serial: 0 +# MD5 Fingerprint: ca:ff:e2:db:03:d9:cb:4b:e9:0f:ad:84:fd:7b:18:ce +# SHA1 Fingerprint: 01:0c:06:95:a6:98:19:14:ff:bf:5f:c6:b0:b6:95:ea:29:e9:12:a6 +# SHA256 Fingerprint: a0:40:92:9a:02:ce:53:b4:ac:f4:f2:ff:c6:98:1c:e4:49:6f:75:5e:6d:45:fe:0b:2a:69:2b:cd:52:52:3f:36 +-----BEGIN CERTIFICATE----- +MIIGCzCCA/OgAwIBAgIBADANBgkqhkiG9w0BAQsFADCBpjELMAkGA1UEBhMCR1Ix +DzANBgNVBAcTBkF0aGVuczFEMEIGA1UEChM7SGVsbGVuaWMgQWNhZGVtaWMgYW5k +IFJlc2VhcmNoIEluc3RpdHV0aW9ucyBDZXJ0LiBBdXRob3JpdHkxQDA+BgNVBAMT +N0hlbGxlbmljIEFjYWRlbWljIGFuZCBSZXNlYXJjaCBJbnN0aXR1dGlvbnMgUm9v +dENBIDIwMTUwHhcNMTUwNzA3MTAxMTIxWhcNNDAwNjMwMTAxMTIxWjCBpjELMAkG +A1UEBhMCR1IxDzANBgNVBAcTBkF0aGVuczFEMEIGA1UEChM7SGVsbGVuaWMgQWNh +ZGVtaWMgYW5kIFJlc2VhcmNoIEluc3RpdHV0aW9ucyBDZXJ0LiBBdXRob3JpdHkx +QDA+BgNVBAMTN0hlbGxlbmljIEFjYWRlbWljIGFuZCBSZXNlYXJjaCBJbnN0aXR1 +dGlvbnMgUm9vdENBIDIwMTUwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoIC +AQDC+Kk/G4n8PDwEXT2QNrCROnk8ZlrvbTkBSRq0t89/TSNTt5AA4xMqKKYx8ZEA +4yjsriFBzh/a/X0SWwGDD7mwX5nh8hKDgE0GPt+sr+ehiGsxr/CL0BgzuNtFajT0 +AoAkKAoCFZVedioNmToUW/bLy1O8E00BiDeUJRtCvCLYjqOWXjrZMts+6PAQZe10 +4S+nfK8nNLspfZu2zwnI5dMK/IhlZXQK3HMcXM1AsRzUtoSMTFDPaI6oWa7CJ06C +ojXdFPQf/7J31Ycvqm59JCfnxssm5uX+Zwdj2EUN3TpZZTlYepKZcj2chF6IIbjV +9Cz82XBST3i4vTwri5WY9bPRaM8gFH5MXF/ni+X1NYEZN9cRCLdmvtNKzoNXADrD +gfgXy5I2XdGj2HUb4Ysn6npIQf1FGQatJ5lOwXBH3bWfgVMS5bGMSF0xQxfjjMZ6 +Y5ZLKTBOhE5iGV48zpeQpX8B653g+IuJ3SWYPZK2fu/Z8VFRfS0myGlZYeCsargq +NhEEelC9MoS+L9xy1dcdFkfkR2YgP/SWxa+OAXqlD3pk9Q0Yh9muiNX6hME6wGko +LfINaFGq46V3xqSQDqE3izEjR8EJCOtu93ib14L8hCCZSRm2Ekax+0VVFqmjZayc +Bw/qa9wfLgZy7IaIEuQt218FL+TwA9MmM+eAws1CoRc0CwIDAQABo0IwQDAPBgNV +HRMBAf8EBTADAQH/MA4GA1UdDwEB/wQEAwIBBjAdBgNVHQ4EFgQUcRVnyMjJvXVd +ctA4GGqd83EkVAswDQYJKoZIhvcNAQELBQADggIBAHW7bVRLqhBYRjTyYtcWNl0I +XtVsyIe9tC5G8jH4fOpCtZMWVdyhDBKg2mF+D1hYc2Ryx+hFjtyp8iY/xnmMsVMI +M4GwVhO+5lFc2JsKT0ucVlMC6U/2DWDqTUJV6HwbISHTGzrMd/K4kPFox/la/vot +9L/J9UUbzjgQKjeKeaO04wlshYaT/4mWJ3iBj2fjRnRUjtkNaeJK9E10A/+yd+2V +Z5fkscWrv2oj6NSU4kQoYsRL4vDY4ilrGnB+JGGTe08DMiUNRSQrlrRGar9KC/ea +j8GsGsVn82800vpzY4zvFrCopEYq+OsS7HK07/grfoxSwIuEVPkvPuNVqNxmsdnh +X9izjFk0WaSrT2y7HxjbdavYy5LNlDhhDgcGH0tGEPEVvo2FXDtKK4F5D7Rpn0lQ +l033DlZdwJVqwjbDG2jJ9SrcR5q+ss7FJej6A7na+RZukYT1HCjI/CbM1xyQVqdf +bzoEvM14iQuODy+jqk+iGxI9FghAD/FGTNeqewjBCvVtJ94Cj8rDtSvK6evIIVM4 +pcw72Hc3MKJP2W/R8kCtQXoXxdZKNYm3QdV8hn9VTYNKpXMgwDqvkPGaJI7ZjnHK +e7iG2rKPmT4dEw0SEe7Uq/DpFXYC5ODfqiAeW2GFZECpkJcNrVPSWh2HagCXZWK0 +vm9qp/UsQu0yrbYhnr68 +-----END CERTIFICATE----- + +# Issuer: CN=Hellenic Academic and Research Institutions ECC RootCA 2015 O=Hellenic Academic and Research Institutions Cert. Authority +# Subject: CN=Hellenic Academic and Research Institutions ECC RootCA 2015 O=Hellenic Academic and Research Institutions Cert. Authority +# Label: "Hellenic Academic and Research Institutions ECC RootCA 2015" +# Serial: 0 +# MD5 Fingerprint: 81:e5:b4:17:eb:c2:f5:e1:4b:0d:41:7b:49:92:fe:ef +# SHA1 Fingerprint: 9f:f1:71:8d:92:d5:9a:f3:7d:74:97:b4:bc:6f:84:68:0b:ba:b6:66 +# SHA256 Fingerprint: 44:b5:45:aa:8a:25:e6:5a:73:ca:15:dc:27:fc:36:d2:4c:1c:b9:95:3a:06:65:39:b1:15:82:dc:48:7b:48:33 +-----BEGIN CERTIFICATE----- +MIICwzCCAkqgAwIBAgIBADAKBggqhkjOPQQDAjCBqjELMAkGA1UEBhMCR1IxDzAN +BgNVBAcTBkF0aGVuczFEMEIGA1UEChM7SGVsbGVuaWMgQWNhZGVtaWMgYW5kIFJl +c2VhcmNoIEluc3RpdHV0aW9ucyBDZXJ0LiBBdXRob3JpdHkxRDBCBgNVBAMTO0hl +bGxlbmljIEFjYWRlbWljIGFuZCBSZXNlYXJjaCBJbnN0aXR1dGlvbnMgRUNDIFJv +b3RDQSAyMDE1MB4XDTE1MDcwNzEwMzcxMloXDTQwMDYzMDEwMzcxMlowgaoxCzAJ +BgNVBAYTAkdSMQ8wDQYDVQQHEwZBdGhlbnMxRDBCBgNVBAoTO0hlbGxlbmljIEFj +YWRlbWljIGFuZCBSZXNlYXJjaCBJbnN0aXR1dGlvbnMgQ2VydC4gQXV0aG9yaXR5 +MUQwQgYDVQQDEztIZWxsZW5pYyBBY2FkZW1pYyBhbmQgUmVzZWFyY2ggSW5zdGl0 +dXRpb25zIEVDQyBSb290Q0EgMjAxNTB2MBAGByqGSM49AgEGBSuBBAAiA2IABJKg +QehLgoRc4vgxEZmGZE4JJS+dQS8KrjVPdJWyUWRrjWvmP3CV8AVER6ZyOFB2lQJa +jq4onvktTpnvLEhvTCUp6NFxW98dwXU3tNf6e3pCnGoKVlp8aQuqgAkkbH7BRqNC +MEAwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFLQi +C4KZJAEOnLvkDv2/+5cgk5kqMAoGCCqGSM49BAMCA2cAMGQCMGfOFmI4oqxiRaep +lSTAGiecMjvAwNW6qef4BENThe5SId6d9SWDPp5YSy/XZxMOIQIwBeF1Ad5o7Sof +TUwJCA3sS61kFyjndc5FZXIhF8siQQ6ME5g4mlRtm8rifOoCWCKR +-----END CERTIFICATE----- + +# Issuer: CN=ISRG Root X1 O=Internet Security Research Group +# Subject: CN=ISRG Root X1 O=Internet Security Research Group +# Label: "ISRG Root X1" +# Serial: 172886928669790476064670243504169061120 +# MD5 Fingerprint: 0c:d2:f9:e0:da:17:73:e9:ed:86:4d:a5:e3:70:e7:4e +# SHA1 Fingerprint: ca:bd:2a:79:a1:07:6a:31:f2:1d:25:36:35:cb:03:9d:43:29:a5:e8 +# SHA256 Fingerprint: 96:bc:ec:06:26:49:76:f3:74:60:77:9a:cf:28:c5:a7:cf:e8:a3:c0:aa:e1:1a:8f:fc:ee:05:c0:bd:df:08:c6 +-----BEGIN CERTIFICATE----- +MIIFazCCA1OgAwIBAgIRAIIQz7DSQONZRGPgu2OCiwAwDQYJKoZIhvcNAQELBQAw +TzELMAkGA1UEBhMCVVMxKTAnBgNVBAoTIEludGVybmV0IFNlY3VyaXR5IFJlc2Vh +cmNoIEdyb3VwMRUwEwYDVQQDEwxJU1JHIFJvb3QgWDEwHhcNMTUwNjA0MTEwNDM4 +WhcNMzUwNjA0MTEwNDM4WjBPMQswCQYDVQQGEwJVUzEpMCcGA1UEChMgSW50ZXJu +ZXQgU2VjdXJpdHkgUmVzZWFyY2ggR3JvdXAxFTATBgNVBAMTDElTUkcgUm9vdCBY +MTCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAK3oJHP0FDfzm54rVygc +h77ct984kIxuPOZXoHj3dcKi/vVqbvYATyjb3miGbESTtrFj/RQSa78f0uoxmyF+ +0TM8ukj13Xnfs7j/EvEhmkvBioZxaUpmZmyPfjxwv60pIgbz5MDmgK7iS4+3mX6U +A5/TR5d8mUgjU+g4rk8Kb4Mu0UlXjIB0ttov0DiNewNwIRt18jA8+o+u3dpjq+sW +T8KOEUt+zwvo/7V3LvSye0rgTBIlDHCNAymg4VMk7BPZ7hm/ELNKjD+Jo2FR3qyH +B5T0Y3HsLuJvW5iB4YlcNHlsdu87kGJ55tukmi8mxdAQ4Q7e2RCOFvu396j3x+UC +B5iPNgiV5+I3lg02dZ77DnKxHZu8A/lJBdiB3QW0KtZB6awBdpUKD9jf1b0SHzUv +KBds0pjBqAlkd25HN7rOrFleaJ1/ctaJxQZBKT5ZPt0m9STJEadao0xAH0ahmbWn +OlFuhjuefXKnEgV4We0+UXgVCwOPjdAvBbI+e0ocS3MFEvzG6uBQE3xDk3SzynTn +jh8BCNAw1FtxNrQHusEwMFxIt4I7mKZ9YIqioymCzLq9gwQbooMDQaHWBfEbwrbw +qHyGO0aoSCqI3Haadr8faqU9GY/rOPNk3sgrDQoo//fb4hVC1CLQJ13hef4Y53CI +rU7m2Ys6xt0nUW7/vGT1M0NPAgMBAAGjQjBAMA4GA1UdDwEB/wQEAwIBBjAPBgNV +HRMBAf8EBTADAQH/MB0GA1UdDgQWBBR5tFnme7bl5AFzgAiIyBpY9umbbjANBgkq +hkiG9w0BAQsFAAOCAgEAVR9YqbyyqFDQDLHYGmkgJykIrGF1XIpu+ILlaS/V9lZL +ubhzEFnTIZd+50xx+7LSYK05qAvqFyFWhfFQDlnrzuBZ6brJFe+GnY+EgPbk6ZGQ +3BebYhtF8GaV0nxvwuo77x/Py9auJ/GpsMiu/X1+mvoiBOv/2X/qkSsisRcOj/KK +NFtY2PwByVS5uCbMiogziUwthDyC3+6WVwW6LLv3xLfHTjuCvjHIInNzktHCgKQ5 +ORAzI4JMPJ+GslWYHb4phowim57iaztXOoJwTdwJx4nLCgdNbOhdjsnvzqvHu7Ur +TkXWStAmzOVyyghqpZXjFaH3pO3JLF+l+/+sKAIuvtd7u+Nxe5AW0wdeRlN8NwdC +jNPElpzVmbUq4JUagEiuTDkHzsxHpFKVK7q4+63SM1N95R1NbdWhscdCb+ZAJzVc +oyi3B43njTOQ5yOf+1CceWxG1bQVs5ZufpsMljq4Ui0/1lvh+wjChP4kqKOJ2qxq +4RgqsahDYVvTH9w7jXbyLeiNdd8XM2w9U/t7y0Ff/9yi0GE44Za4rF2LN9d11TPA +mRGunUHBcnWEvgJBQl9nJEiU0Zsnvgc/ubhPgXRR4Xq37Z0j4r7g1SgEEzwxA57d +emyPxgcYxn/eR44/KJ4EBs+lVDR3veyJm+kXQ99b21/+jh5Xos1AnX5iItreGCc= +-----END CERTIFICATE----- + +# Issuer: O=FNMT-RCM OU=AC RAIZ FNMT-RCM +# Subject: O=FNMT-RCM OU=AC RAIZ FNMT-RCM +# Label: "AC RAIZ FNMT-RCM" +# Serial: 485876308206448804701554682760554759 +# MD5 Fingerprint: e2:09:04:b4:d3:bd:d1:a0:14:fd:1a:d2:47:c4:57:1d +# SHA1 Fingerprint: ec:50:35:07:b2:15:c4:95:62:19:e2:a8:9a:5b:42:99:2c:4c:2c:20 +# SHA256 Fingerprint: eb:c5:57:0c:29:01:8c:4d:67:b1:aa:12:7b:af:12:f7:03:b4:61:1e:bc:17:b7:da:b5:57:38:94:17:9b:93:fa +-----BEGIN CERTIFICATE----- +MIIFgzCCA2ugAwIBAgIPXZONMGc2yAYdGsdUhGkHMA0GCSqGSIb3DQEBCwUAMDsx +CzAJBgNVBAYTAkVTMREwDwYDVQQKDAhGTk1ULVJDTTEZMBcGA1UECwwQQUMgUkFJ +WiBGTk1ULVJDTTAeFw0wODEwMjkxNTU5NTZaFw0zMDAxMDEwMDAwMDBaMDsxCzAJ +BgNVBAYTAkVTMREwDwYDVQQKDAhGTk1ULVJDTTEZMBcGA1UECwwQQUMgUkFJWiBG +Tk1ULVJDTTCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBALpxgHpMhm5/ +yBNtwMZ9HACXjywMI7sQmkCpGreHiPibVmr75nuOi5KOpyVdWRHbNi63URcfqQgf +BBckWKo3Shjf5TnUV/3XwSyRAZHiItQDwFj8d0fsjz50Q7qsNI1NOHZnjrDIbzAz +WHFctPVrbtQBULgTfmxKo0nRIBnuvMApGGWn3v7v3QqQIecaZ5JCEJhfTzC8PhxF +tBDXaEAUwED653cXeuYLj2VbPNmaUtu1vZ5Gzz3rkQUCwJaydkxNEJY7kvqcfw+Z +374jNUUeAlz+taibmSXaXvMiwzn15Cou08YfxGyqxRxqAQVKL9LFwag0Jl1mpdIC +IfkYtwb1TplvqKtMUejPUBjFd8g5CSxJkjKZqLsXF3mwWsXmo8RZZUc1g16p6DUL +mbvkzSDGm0oGObVo/CK67lWMK07q87Hj/LaZmtVC+nFNCM+HHmpxffnTtOmlcYF7 +wk5HlqX2doWjKI/pgG6BU6VtX7hI+cL5NqYuSf+4lsKMB7ObiFj86xsc3i1w4peS +MKGJ47xVqCfWS+2QrYv6YyVZLag13cqXM7zlzced0ezvXg5KkAYmY6252TUtB7p2 +ZSysV4999AeU14ECll2jB0nVetBX+RvnU0Z1qrB5QstocQjpYL05ac70r8NWQMet +UqIJ5G+GR4of6ygnXYMgrwTJbFaai0b1AgMBAAGjgYMwgYAwDwYDVR0TAQH/BAUw +AwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFPd9xf3E6Jobd2Sn9R2gzL+H +YJptMD4GA1UdIAQ3MDUwMwYEVR0gADArMCkGCCsGAQUFBwIBFh1odHRwOi8vd3d3 +LmNlcnQuZm5tdC5lcy9kcGNzLzANBgkqhkiG9w0BAQsFAAOCAgEAB5BK3/MjTvDD +nFFlm5wioooMhfNzKWtN/gHiqQxjAb8EZ6WdmF/9ARP67Jpi6Yb+tmLSbkyU+8B1 +RXxlDPiyN8+sD8+Nb/kZ94/sHvJwnvDKuO+3/3Y3dlv2bojzr2IyIpMNOmqOFGYM +LVN0V2Ue1bLdI4E7pWYjJ2cJj+F3qkPNZVEI7VFY/uY5+ctHhKQV8Xa7pO6kO8Rf +77IzlhEYt8llvhjho6Tc+hj507wTmzl6NLrTQfv6MooqtyuGC2mDOL7Nii4LcK2N +JpLuHvUBKwrZ1pebbuCoGRw6IYsMHkCtA+fdZn71uSANA+iW+YJF1DngoABd15jm +fZ5nc8OaKveri6E6FO80vFIOiZiaBECEHX5FaZNXzuvO+FB8TxxuBEOb+dY7Ixjp +6o7RTUaN8Tvkasq6+yO3m/qZASlaWFot4/nUbQ4mrcFuNLwy+AwF+mWj2zs3gyLp +1txyM/1d8iC9djwj2ij3+RvrWWTV3F9yfiD8zYm1kGdNYno/Tq0dwzn+evQoFt9B +9kiABdcPUXmsEKvU7ANm5mqwujGSQkBqvjrTcuFqN1W8rB2Vt2lh8kORdOag0wok +RqEIr9baRRmW1FMdW4R58MD3R++Lj8UGrp1MYp3/RgT408m2ECVAdf4WqslKYIYv +uu8wd+RU4riEmViAqhOLUTpPSPaLtrM= +-----END CERTIFICATE----- + +# Issuer: CN=Amazon Root CA 1 O=Amazon +# Subject: CN=Amazon Root CA 1 O=Amazon +# Label: "Amazon Root CA 1" +# Serial: 143266978916655856878034712317230054538369994 +# MD5 Fingerprint: 43:c6:bf:ae:ec:fe:ad:2f:18:c6:88:68:30:fc:c8:e6 +# SHA1 Fingerprint: 8d:a7:f9:65:ec:5e:fc:37:91:0f:1c:6e:59:fd:c1:cc:6a:6e:de:16 +# SHA256 Fingerprint: 8e:cd:e6:88:4f:3d:87:b1:12:5b:a3:1a:c3:fc:b1:3d:70:16:de:7f:57:cc:90:4f:e1:cb:97:c6:ae:98:19:6e +-----BEGIN CERTIFICATE----- +MIIDQTCCAimgAwIBAgITBmyfz5m/jAo54vB4ikPmljZbyjANBgkqhkiG9w0BAQsF +ADA5MQswCQYDVQQGEwJVUzEPMA0GA1UEChMGQW1hem9uMRkwFwYDVQQDExBBbWF6 +b24gUm9vdCBDQSAxMB4XDTE1MDUyNjAwMDAwMFoXDTM4MDExNzAwMDAwMFowOTEL +MAkGA1UEBhMCVVMxDzANBgNVBAoTBkFtYXpvbjEZMBcGA1UEAxMQQW1hem9uIFJv +b3QgQ0EgMTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBALJ4gHHKeNXj +ca9HgFB0fW7Y14h29Jlo91ghYPl0hAEvrAIthtOgQ3pOsqTQNroBvo3bSMgHFzZM +9O6II8c+6zf1tRn4SWiw3te5djgdYZ6k/oI2peVKVuRF4fn9tBb6dNqcmzU5L/qw +IFAGbHrQgLKm+a/sRxmPUDgH3KKHOVj4utWp+UhnMJbulHheb4mjUcAwhmahRWa6 +VOujw5H5SNz/0egwLX0tdHA114gk957EWW67c4cX8jJGKLhD+rcdqsq08p8kDi1L +93FcXmn/6pUCyziKrlA4b9v7LWIbxcceVOF34GfID5yHI9Y/QCB/IIDEgEw+OyQm +jgSubJrIqg0CAwEAAaNCMEAwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMC +AYYwHQYDVR0OBBYEFIQYzIU07LwMlJQuCFmcx7IQTgoIMA0GCSqGSIb3DQEBCwUA +A4IBAQCY8jdaQZChGsV2USggNiMOruYou6r4lK5IpDB/G/wkjUu0yKGX9rbxenDI +U5PMCCjjmCXPI6T53iHTfIUJrU6adTrCC2qJeHZERxhlbI1Bjjt/msv0tadQ1wUs +N+gDS63pYaACbvXy8MWy7Vu33PqUXHeeE6V/Uq2V8viTO96LXFvKWlJbYK8U90vv +o/ufQJVtMVT8QtPHRh8jrdkPSHCa2XV4cdFyQzR1bldZwgJcJmApzyMZFo6IQ6XU +5MsI+yMRQ+hDKXJioaldXgjUkK642M4UwtBV8ob2xJNDd2ZhwLnoQdeXeGADbkpy +rqXRfboQnoZsG4q5WTP468SQvvG5 +-----END CERTIFICATE----- + +# Issuer: CN=Amazon Root CA 2 O=Amazon +# Subject: CN=Amazon Root CA 2 O=Amazon +# Label: "Amazon Root CA 2" +# Serial: 143266982885963551818349160658925006970653239 +# MD5 Fingerprint: c8:e5:8d:ce:a8:42:e2:7a:c0:2a:5c:7c:9e:26:bf:66 +# SHA1 Fingerprint: 5a:8c:ef:45:d7:a6:98:59:76:7a:8c:8b:44:96:b5:78:cf:47:4b:1a +# SHA256 Fingerprint: 1b:a5:b2:aa:8c:65:40:1a:82:96:01:18:f8:0b:ec:4f:62:30:4d:83:ce:c4:71:3a:19:c3:9c:01:1e:a4:6d:b4 +-----BEGIN CERTIFICATE----- +MIIFQTCCAymgAwIBAgITBmyf0pY1hp8KD+WGePhbJruKNzANBgkqhkiG9w0BAQwF +ADA5MQswCQYDVQQGEwJVUzEPMA0GA1UEChMGQW1hem9uMRkwFwYDVQQDExBBbWF6 +b24gUm9vdCBDQSAyMB4XDTE1MDUyNjAwMDAwMFoXDTQwMDUyNjAwMDAwMFowOTEL +MAkGA1UEBhMCVVMxDzANBgNVBAoTBkFtYXpvbjEZMBcGA1UEAxMQQW1hem9uIFJv +b3QgQ0EgMjCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAK2Wny2cSkxK +gXlRmeyKy2tgURO8TW0G/LAIjd0ZEGrHJgw12MBvIITplLGbhQPDW9tK6Mj4kHbZ +W0/jTOgGNk3Mmqw9DJArktQGGWCsN0R5hYGCrVo34A3MnaZMUnbqQ523BNFQ9lXg +1dKmSYXpN+nKfq5clU1Imj+uIFptiJXZNLhSGkOQsL9sBbm2eLfq0OQ6PBJTYv9K +8nu+NQWpEjTj82R0Yiw9AElaKP4yRLuH3WUnAnE72kr3H9rN9yFVkE8P7K6C4Z9r +2UXTu/Bfh+08LDmG2j/e7HJV63mjrdvdfLC6HM783k81ds8P+HgfajZRRidhW+me +z/CiVX18JYpvL7TFz4QuK/0NURBs+18bvBt+xa47mAExkv8LV/SasrlX6avvDXbR +8O70zoan4G7ptGmh32n2M8ZpLpcTnqWHsFcQgTfJU7O7f/aS0ZzQGPSSbtqDT6Zj +mUyl+17vIWR6IF9sZIUVyzfpYgwLKhbcAS4y2j5L9Z469hdAlO+ekQiG+r5jqFoz +7Mt0Q5X5bGlSNscpb/xVA1wf+5+9R+vnSUeVC06JIglJ4PVhHvG/LopyboBZ/1c6 ++XUyo05f7O0oYtlNc/LMgRdg7c3r3NunysV+Ar3yVAhU/bQtCSwXVEqY0VThUWcI +0u1ufm8/0i2BWSlmy5A5lREedCf+3euvAgMBAAGjQjBAMA8GA1UdEwEB/wQFMAMB +Af8wDgYDVR0PAQH/BAQDAgGGMB0GA1UdDgQWBBSwDPBMMPQFWAJI/TPlUq9LhONm +UjANBgkqhkiG9w0BAQwFAAOCAgEAqqiAjw54o+Ci1M3m9Zh6O+oAA7CXDpO8Wqj2 +LIxyh6mx/H9z/WNxeKWHWc8w4Q0QshNabYL1auaAn6AFC2jkR2vHat+2/XcycuUY ++gn0oJMsXdKMdYV2ZZAMA3m3MSNjrXiDCYZohMr/+c8mmpJ5581LxedhpxfL86kS +k5Nrp+gvU5LEYFiwzAJRGFuFjWJZY7attN6a+yb3ACfAXVU3dJnJUH/jWS5E4ywl +7uxMMne0nxrpS10gxdr9HIcWxkPo1LsmmkVwXqkLN1PiRnsn/eBG8om3zEK2yygm +btmlyTrIQRNg91CMFa6ybRoVGld45pIq2WWQgj9sAq+uEjonljYE1x2igGOpm/Hl +urR8FLBOybEfdF849lHqm/osohHUqS0nGkWxr7JOcQ3AWEbWaQbLU8uz/mtBzUF+ +fUwPfHJ5elnNXkoOrJupmHN5fLT0zLm4BwyydFy4x2+IoZCn9Kr5v2c69BoVYh63 +n749sSmvZ6ES8lgQGVMDMBu4Gon2nL2XA46jCfMdiyHxtN/kHNGfZQIG6lzWE7OE +76KlXIx3KadowGuuQNKotOrN8I1LOJwZmhsoVLiJkO/KdYE+HvJkJMcYr07/R54H +9jVlpNMKVv/1F2Rs76giJUmTtt8AF9pYfl3uxRuw0dFfIRDH+fO6AgonB8Xx1sfT +4PsJYGw= +-----END CERTIFICATE----- + +# Issuer: CN=Amazon Root CA 3 O=Amazon +# Subject: CN=Amazon Root CA 3 O=Amazon +# Label: "Amazon Root CA 3" +# Serial: 143266986699090766294700635381230934788665930 +# MD5 Fingerprint: a0:d4:ef:0b:f7:b5:d8:49:95:2a:ec:f5:c4:fc:81:87 +# SHA1 Fingerprint: 0d:44:dd:8c:3c:8c:1a:1a:58:75:64:81:e9:0f:2e:2a:ff:b3:d2:6e +# SHA256 Fingerprint: 18:ce:6c:fe:7b:f1:4e:60:b2:e3:47:b8:df:e8:68:cb:31:d0:2e:bb:3a:da:27:15:69:f5:03:43:b4:6d:b3:a4 +-----BEGIN CERTIFICATE----- +MIIBtjCCAVugAwIBAgITBmyf1XSXNmY/Owua2eiedgPySjAKBggqhkjOPQQDAjA5 +MQswCQYDVQQGEwJVUzEPMA0GA1UEChMGQW1hem9uMRkwFwYDVQQDExBBbWF6b24g +Um9vdCBDQSAzMB4XDTE1MDUyNjAwMDAwMFoXDTQwMDUyNjAwMDAwMFowOTELMAkG +A1UEBhMCVVMxDzANBgNVBAoTBkFtYXpvbjEZMBcGA1UEAxMQQW1hem9uIFJvb3Qg +Q0EgMzBZMBMGByqGSM49AgEGCCqGSM49AwEHA0IABCmXp8ZBf8ANm+gBG1bG8lKl +ui2yEujSLtf6ycXYqm0fc4E7O5hrOXwzpcVOho6AF2hiRVd9RFgdszflZwjrZt6j +QjBAMA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgGGMB0GA1UdDgQWBBSr +ttvXBp43rDCGB5Fwx5zEGbF4wDAKBggqhkjOPQQDAgNJADBGAiEA4IWSoxe3jfkr +BqWTrBqYaGFy+uGh0PsceGCmQ5nFuMQCIQCcAu/xlJyzlvnrxir4tiz+OpAUFteM +YyRIHN8wfdVoOw== +-----END CERTIFICATE----- + +# Issuer: CN=Amazon Root CA 4 O=Amazon +# Subject: CN=Amazon Root CA 4 O=Amazon +# Label: "Amazon Root CA 4" +# Serial: 143266989758080763974105200630763877849284878 +# MD5 Fingerprint: 89:bc:27:d5:eb:17:8d:06:6a:69:d5:fd:89:47:b4:cd +# SHA1 Fingerprint: f6:10:84:07:d6:f8:bb:67:98:0c:c2:e2:44:c2:eb:ae:1c:ef:63:be +# SHA256 Fingerprint: e3:5d:28:41:9e:d0:20:25:cf:a6:90:38:cd:62:39:62:45:8d:a5:c6:95:fb:de:a3:c2:2b:0b:fb:25:89:70:92 +-----BEGIN CERTIFICATE----- +MIIB8jCCAXigAwIBAgITBmyf18G7EEwpQ+Vxe3ssyBrBDjAKBggqhkjOPQQDAzA5 +MQswCQYDVQQGEwJVUzEPMA0GA1UEChMGQW1hem9uMRkwFwYDVQQDExBBbWF6b24g +Um9vdCBDQSA0MB4XDTE1MDUyNjAwMDAwMFoXDTQwMDUyNjAwMDAwMFowOTELMAkG +A1UEBhMCVVMxDzANBgNVBAoTBkFtYXpvbjEZMBcGA1UEAxMQQW1hem9uIFJvb3Qg +Q0EgNDB2MBAGByqGSM49AgEGBSuBBAAiA2IABNKrijdPo1MN/sGKe0uoe0ZLY7Bi +9i0b2whxIdIA6GO9mif78DluXeo9pcmBqqNbIJhFXRbb/egQbeOc4OO9X4Ri83Bk +M6DLJC9wuoihKqB1+IGuYgbEgds5bimwHvouXKNCMEAwDwYDVR0TAQH/BAUwAwEB +/zAOBgNVHQ8BAf8EBAMCAYYwHQYDVR0OBBYEFNPsxzplbszh2naaVvuc84ZtV+WB +MAoGCCqGSM49BAMDA2gAMGUCMDqLIfG9fhGt0O9Yli/W651+kI0rz2ZVwyzjKKlw +CkcO8DdZEv8tmZQoTipPNU0zWgIxAOp1AE47xDqUEpHJWEadIRNyp4iciuRMStuW +1KyLa2tJElMzrdfkviT8tQp21KW8EA== +-----END CERTIFICATE----- + +# Issuer: CN=LuxTrust Global Root 2 O=LuxTrust S.A. +# Subject: CN=LuxTrust Global Root 2 O=LuxTrust S.A. +# Label: "LuxTrust Global Root 2" +# Serial: 59914338225734147123941058376788110305822489521 +# MD5 Fingerprint: b2:e1:09:00:61:af:f7:f1:91:6f:c4:ad:8d:5e:3b:7c +# SHA1 Fingerprint: 1e:0e:56:19:0a:d1:8b:25:98:b2:04:44:ff:66:8a:04:17:99:5f:3f +# SHA256 Fingerprint: 54:45:5f:71:29:c2:0b:14:47:c4:18:f9:97:16:8f:24:c5:8f:c5:02:3b:f5:da:5b:e2:eb:6e:1d:d8:90:2e:d5 +-----BEGIN CERTIFICATE----- +MIIFwzCCA6ugAwIBAgIUCn6m30tEntpqJIWe5rgV0xZ/u7EwDQYJKoZIhvcNAQEL +BQAwRjELMAkGA1UEBhMCTFUxFjAUBgNVBAoMDUx1eFRydXN0IFMuQS4xHzAdBgNV +BAMMFkx1eFRydXN0IEdsb2JhbCBSb290IDIwHhcNMTUwMzA1MTMyMTU3WhcNMzUw +MzA1MTMyMTU3WjBGMQswCQYDVQQGEwJMVTEWMBQGA1UECgwNTHV4VHJ1c3QgUy5B +LjEfMB0GA1UEAwwWTHV4VHJ1c3QgR2xvYmFsIFJvb3QgMjCCAiIwDQYJKoZIhvcN +AQEBBQADggIPADCCAgoCggIBANeFl78RmOnwYoNMPIf5U2o3C/IPPIfOb9wmKb3F +ibrJgz337spbxm1Jc7TJRqMbNBM/wYlFV/TZsfs2ZUv7COJIcRHIbjuend+JZTem +hfY7RBi2xjcwYkSSl2l9QjAk5A0MiWtj3sXh306pFGxT4GHO9hcvHTy95iJMHZP1 +EMShduxq3sVs35a0VkBCwGKSMKEtFZSg0iAGCW5qbeXrt77U8PEVfIvmTroTzEsn +Xpk8F12PgX8zPU/TPxvsXD/wPEx1bvKm1Z3aLQdjAsZy6ZS8TEmVT4hSyNvoaYL4 +zDRbIvCGp4m9SAptZoFtyMhk+wHh9OHe2Z7d21vUKpkmFRseTJIpgp7VkoGSQXAZ +96Tlk0u8d2cx3Rz9MXANF5kM+Qw5GSoXtTBxVdUPrljhPS80m8+f9niFwpN6cj5m +j5wWEWCPnolvZ77gR1o7DJpni89Gxq44o/KnvObWhWszJHAiS8sIm7vI+AIpHb4g +DEa/a4ebsypmQjVGbKq6rfmYe+lQVRQxv7HaLe2ArWgk+2mr2HETMOZns4dA/Yl+ +8kPREd8vZS9kzl8UubG/Mb2HeFpZZYiq/FkySIbWTLkpS5XTdvN3JW1CHDiDTf2j +X5t/Lax5Gw5CMZdjpPuKadUiDTSQMC6otOBttpSsvItO13D8xTiOZCXhTTmQzsmH +hFhxAgMBAAGjgagwgaUwDwYDVR0TAQH/BAUwAwEB/zBCBgNVHSAEOzA5MDcGByuB +KwEBAQowLDAqBggrBgEFBQcCARYeaHR0cHM6Ly9yZXBvc2l0b3J5Lmx1eHRydXN0 +Lmx1MA4GA1UdDwEB/wQEAwIBBjAfBgNVHSMEGDAWgBT/GCh2+UgFLKGu8SsbK7JT ++Et8szAdBgNVHQ4EFgQU/xgodvlIBSyhrvErGyuyU/hLfLMwDQYJKoZIhvcNAQEL +BQADggIBAGoZFO1uecEsh9QNcH7X9njJCwROxLHOk3D+sFTAMs2ZMGQXvw/l4jP9 +BzZAcg4atmpZ1gDlaCDdLnINH2pkMSCEfUmmWjfrRcmF9dTHF5kH5ptV5AzoqbTO +jFu1EVzPig4N1qx3gf4ynCSecs5U89BvolbW7MM3LGVYvlcAGvI1+ut7MV3CwRI9 +loGIlonBWVx65n9wNOeD4rHh4bhY79SV5GCc8JaXcozrhAIuZY+kt9J/Z93I055c +qqmkoCUUBpvsT34tC38ddfEz2O3OuHVtPlu5mB0xDVbYQw8wkbIEa91WvpWAVWe+ +2M2D2RjuLg+GLZKecBPs3lHJQ3gCpU3I+V/EkVhGFndadKpAvAefMLmx9xIX3eP/ +JEAdemrRTxgKqpAd60Ae36EeRJIQmvKN4dFLRp7oRUKX6kWZ8+xm1QL68qZKJKre +zrnK+T+Tb/mjuuqlPpmt/f97mfVl7vBZKGfXkJWkE4SphMHozs51k2MavDzq1WQf +LSoSOcbDWjLtR5EWDrw4wVDej8oqkDQc7kGUnF4ZLvhFSZl0kbAEb+MEWrGrKqv+ +x9CWttrhSmQGbmBNvUJO/3jaJMobtNeWOWyu8Q6qp31IiyBMz2TWuJdGsE7RKlY6 +oJO9r4Ak4Ap+58rVyuiFVdw2KuGUaJPHZnJED4AhMmwlxyOAgwrr +-----END CERTIFICATE----- + +# Issuer: CN=TUBITAK Kamu SM SSL Kok Sertifikasi - Surum 1 O=Turkiye Bilimsel ve Teknolojik Arastirma Kurumu - TUBITAK OU=Kamu Sertifikasyon Merkezi - Kamu SM +# Subject: CN=TUBITAK Kamu SM SSL Kok Sertifikasi - Surum 1 O=Turkiye Bilimsel ve Teknolojik Arastirma Kurumu - TUBITAK OU=Kamu Sertifikasyon Merkezi - Kamu SM +# Label: "TUBITAK Kamu SM SSL Kok Sertifikasi - Surum 1" +# Serial: 1 +# MD5 Fingerprint: dc:00:81:dc:69:2f:3e:2f:b0:3b:f6:3d:5a:91:8e:49 +# SHA1 Fingerprint: 31:43:64:9b:ec:ce:27:ec:ed:3a:3f:0b:8f:0d:e4:e8:91:dd:ee:ca +# SHA256 Fingerprint: 46:ed:c3:68:90:46:d5:3a:45:3f:b3:10:4a:b8:0d:ca:ec:65:8b:26:60:ea:16:29:dd:7e:86:79:90:64:87:16 +-----BEGIN CERTIFICATE----- +MIIEYzCCA0ugAwIBAgIBATANBgkqhkiG9w0BAQsFADCB0jELMAkGA1UEBhMCVFIx +GDAWBgNVBAcTD0dlYnplIC0gS29jYWVsaTFCMEAGA1UEChM5VHVya2l5ZSBCaWxp +bXNlbCB2ZSBUZWtub2xvamlrIEFyYXN0aXJtYSBLdXJ1bXUgLSBUVUJJVEFLMS0w +KwYDVQQLEyRLYW11IFNlcnRpZmlrYXN5b24gTWVya2V6aSAtIEthbXUgU00xNjA0 +BgNVBAMTLVRVQklUQUsgS2FtdSBTTSBTU0wgS29rIFNlcnRpZmlrYXNpIC0gU3Vy +dW0gMTAeFw0xMzExMjUwODI1NTVaFw00MzEwMjUwODI1NTVaMIHSMQswCQYDVQQG +EwJUUjEYMBYGA1UEBxMPR2ViemUgLSBLb2NhZWxpMUIwQAYDVQQKEzlUdXJraXll +IEJpbGltc2VsIHZlIFRla25vbG9qaWsgQXJhc3Rpcm1hIEt1cnVtdSAtIFRVQklU +QUsxLTArBgNVBAsTJEthbXUgU2VydGlmaWthc3lvbiBNZXJrZXppIC0gS2FtdSBT +TTE2MDQGA1UEAxMtVFVCSVRBSyBLYW11IFNNIFNTTCBLb2sgU2VydGlmaWthc2kg +LSBTdXJ1bSAxMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAr3UwM6q7 +a9OZLBI3hNmNe5eA027n/5tQlT6QlVZC1xl8JoSNkvoBHToP4mQ4t4y86Ij5iySr +LqP1N+RAjhgleYN1Hzv/bKjFxlb4tO2KRKOrbEz8HdDc72i9z+SqzvBV96I01INr +N3wcwv61A+xXzry0tcXtAA9TNypN9E8Mg/uGz8v+jE69h/mniyFXnHrfA2eJLJ2X +YacQuFWQfw4tJzh03+f92k4S400VIgLI4OD8D62K18lUUMw7D8oWgITQUVbDjlZ/ +iSIzL+aFCr2lqBs23tPcLG07xxO9WSMs5uWk99gL7eqQQESolbuT1dCANLZGeA4f +AJNG4e7p+exPFwIDAQABo0IwQDAdBgNVHQ4EFgQUZT/HiobGPN08VFw1+DrtUgxH +V8gwDgYDVR0PAQH/BAQDAgEGMA8GA1UdEwEB/wQFMAMBAf8wDQYJKoZIhvcNAQEL +BQADggEBACo/4fEyjq7hmFxLXs9rHmoJ0iKpEsdeV31zVmSAhHqT5Am5EM2fKifh +AHe+SMg1qIGf5LgsyX8OsNJLN13qudULXjS99HMpw+0mFZx+CFOKWI3QSyjfwbPf +IPP54+M638yclNhOT8NrF7f3cuitZjO1JVOr4PhMqZ398g26rrnZqsZr+ZO7rqu4 +lzwDGrpDxpa5RXI4s6ehlj2Re37AIVNMh+3yC1SVUZPVIqUNivGTDj5UDrDYyU7c +8jEyVupk+eq1nRZmQnLzf9OxMUP8pI4X8W0jq5Rm+K37DwhuJi1/FwcJsoz7UMCf +lo3Ptv0AnVoUmr8CRPXBwp8iXqIPoeM= +-----END CERTIFICATE----- + +# Issuer: CN=GDCA TrustAUTH R5 ROOT O=GUANG DONG CERTIFICATE AUTHORITY CO.,LTD. +# Subject: CN=GDCA TrustAUTH R5 ROOT O=GUANG DONG CERTIFICATE AUTHORITY CO.,LTD. +# Label: "GDCA TrustAUTH R5 ROOT" +# Serial: 9009899650740120186 +# MD5 Fingerprint: 63:cc:d9:3d:34:35:5c:6f:53:a3:e2:08:70:48:1f:b4 +# SHA1 Fingerprint: 0f:36:38:5b:81:1a:25:c3:9b:31:4e:83:ca:e9:34:66:70:cc:74:b4 +# SHA256 Fingerprint: bf:ff:8f:d0:44:33:48:7d:6a:8a:a6:0c:1a:29:76:7a:9f:c2:bb:b0:5e:42:0f:71:3a:13:b9:92:89:1d:38:93 +-----BEGIN CERTIFICATE----- +MIIFiDCCA3CgAwIBAgIIfQmX/vBH6nowDQYJKoZIhvcNAQELBQAwYjELMAkGA1UE +BhMCQ04xMjAwBgNVBAoMKUdVQU5HIERPTkcgQ0VSVElGSUNBVEUgQVVUSE9SSVRZ +IENPLixMVEQuMR8wHQYDVQQDDBZHRENBIFRydXN0QVVUSCBSNSBST09UMB4XDTE0 +MTEyNjA1MTMxNVoXDTQwMTIzMTE1NTk1OVowYjELMAkGA1UEBhMCQ04xMjAwBgNV +BAoMKUdVQU5HIERPTkcgQ0VSVElGSUNBVEUgQVVUSE9SSVRZIENPLixMVEQuMR8w +HQYDVQQDDBZHRENBIFRydXN0QVVUSCBSNSBST09UMIICIjANBgkqhkiG9w0BAQEF +AAOCAg8AMIICCgKCAgEA2aMW8Mh0dHeb7zMNOwZ+Vfy1YI92hhJCfVZmPoiC7XJj +Dp6L3TQsAlFRwxn9WVSEyfFrs0yw6ehGXTjGoqcuEVe6ghWinI9tsJlKCvLriXBj +TnnEt1u9ol2x8kECK62pOqPseQrsXzrj/e+APK00mxqriCZ7VqKChh/rNYmDf1+u +KU49tm7srsHwJ5uu4/Ts765/94Y9cnrrpftZTqfrlYwiOXnhLQiPzLyRuEH3FMEj +qcOtmkVEs7LXLM3GKeJQEK5cy4KOFxg2fZfmiJqwTTQJ9Cy5WmYqsBebnh52nUpm +MUHfP/vFBu8btn4aRjb3ZGM74zkYI+dndRTVdVeSN72+ahsmUPI2JgaQxXABZG12 +ZuGR224HwGGALrIuL4xwp9E7PLOR5G62xDtw8mySlwnNR30YwPO7ng/Wi64HtloP +zgsMR6flPri9fcebNaBhlzpBdRfMK5Z3KpIhHtmVdiBnaM8Nvd/WHwlqmuLMc3Gk +L30SgLdTMEZeS1SZD2fJpcjyIMGC7J0R38IC+xo70e0gmu9lZJIQDSri3nDxGGeC +jGHeuLzRL5z7D9Ar7Rt2ueQ5Vfj4oR24qoAATILnsn8JuLwwoC8N9VKejveSswoA +HQBUlwbgsQfZxw9cZX08bVlX5O2ljelAU58VS6Bx9hoh49pwBiFYFIeFd3mqgnkC +AwEAAaNCMEAwHQYDVR0OBBYEFOLJQJ9NzuiaoXzPDj9lxSmIahlRMA8GA1UdEwEB +/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgGGMA0GCSqGSIb3DQEBCwUAA4ICAQDRSVfg +p8xoWLoBDysZzY2wYUWsEe1jUGn4H3++Fo/9nesLqjJHdtJnJO29fDMylyrHBYZm +DRd9FBUb1Ov9H5r2XpdptxolpAqzkT9fNqyL7FeoPueBihhXOYV0GkLH6VsTX4/5 +COmSdI31R9KrO9b7eGZONn356ZLpBN79SWP8bfsUcZNnL0dKt7n/HipzcEYwv1ry +L3ml4Y0M2fmyYzeMN2WFcGpcWwlyua1jPLHd+PwyvzeG5LuOmCd+uh8W4XAR8gPf +JWIyJyYYMoSf/wA6E7qaTfRPuBRwIrHKK5DOKcFw9C+df/KQHtZa37dG/OaG+svg +IHZ6uqbL9XzeYqWxi+7egmaKTjowHz+Ay60nugxe19CxVsp3cbK1daFQqUBDF8Io +2c9Si1vIY9RCPqAzekYu9wogRlR+ak8x8YF+QnQ4ZXMn7sZ8uI7XpTrXmKGcjBBV +09tL7ECQ8s1uV9JiDnxXk7Gnbc2dg7sq5+W2O3FYrf3RRbxake5TFW/TRQl1brqQ +XR4EzzffHqhmsYzmIGrv/EhOdJhCrylvLmrH+33RZjEizIYAfmaDDEL0vTSSwxrq +T8p+ck0LcIymSLumoRT2+1hEmRSuqguTaaApJUqlyyvdimYHFngVV3Eb7PVHhPOe +MTd61X8kreS8/f3MboPoDKi3QWwH3b08hpcv0g== +-----END CERTIFICATE----- + +# Issuer: CN=TrustCor RootCert CA-1 O=TrustCor Systems S. de R.L. OU=TrustCor Certificate Authority +# Subject: CN=TrustCor RootCert CA-1 O=TrustCor Systems S. de R.L. OU=TrustCor Certificate Authority +# Label: "TrustCor RootCert CA-1" +# Serial: 15752444095811006489 +# MD5 Fingerprint: 6e:85:f1:dc:1a:00:d3:22:d5:b2:b2:ac:6b:37:05:45 +# SHA1 Fingerprint: ff:bd:cd:e7:82:c8:43:5e:3c:6f:26:86:5c:ca:a8:3a:45:5b:c3:0a +# SHA256 Fingerprint: d4:0e:9c:86:cd:8f:e4:68:c1:77:69:59:f4:9e:a7:74:fa:54:86:84:b6:c4:06:f3:90:92:61:f4:dc:e2:57:5c +-----BEGIN CERTIFICATE----- +MIIEMDCCAxigAwIBAgIJANqb7HHzA7AZMA0GCSqGSIb3DQEBCwUAMIGkMQswCQYD +VQQGEwJQQTEPMA0GA1UECAwGUGFuYW1hMRQwEgYDVQQHDAtQYW5hbWEgQ2l0eTEk +MCIGA1UECgwbVHJ1c3RDb3IgU3lzdGVtcyBTLiBkZSBSLkwuMScwJQYDVQQLDB5U +cnVzdENvciBDZXJ0aWZpY2F0ZSBBdXRob3JpdHkxHzAdBgNVBAMMFlRydXN0Q29y +IFJvb3RDZXJ0IENBLTEwHhcNMTYwMjA0MTIzMjE2WhcNMjkxMjMxMTcyMzE2WjCB +pDELMAkGA1UEBhMCUEExDzANBgNVBAgMBlBhbmFtYTEUMBIGA1UEBwwLUGFuYW1h +IENpdHkxJDAiBgNVBAoMG1RydXN0Q29yIFN5c3RlbXMgUy4gZGUgUi5MLjEnMCUG +A1UECwweVHJ1c3RDb3IgQ2VydGlmaWNhdGUgQXV0aG9yaXR5MR8wHQYDVQQDDBZU +cnVzdENvciBSb290Q2VydCBDQS0xMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIB +CgKCAQEAv463leLCJhJrMxnHQFgKq1mqjQCj/IDHUHuO1CAmujIS2CNUSSUQIpid +RtLByZ5OGy4sDjjzGiVoHKZaBeYei0i/mJZ0PmnK6bV4pQa81QBeCQryJ3pS/C3V +seq0iWEk8xoT26nPUu0MJLq5nux+AHT6k61sKZKuUbS701e/s/OojZz0JEsq1pme +9J7+wH5COucLlVPat2gOkEz7cD+PSiyU8ybdY2mplNgQTsVHCJCZGxdNuWxu72CV +EY4hgLW9oHPY0LJ3xEXqWib7ZnZ2+AYfYW0PVcWDtxBWcgYHpfOxGgMFZA6dWorW +hnAbJN7+KIor0Gqw/Hqi3LJ5DotlDwIDAQABo2MwYTAdBgNVHQ4EFgQU7mtJPHo/ +DeOxCbeKyKsZn3MzUOcwHwYDVR0jBBgwFoAU7mtJPHo/DeOxCbeKyKsZn3MzUOcw +DwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAYYwDQYJKoZIhvcNAQELBQAD +ggEBACUY1JGPE+6PHh0RU9otRCkZoB5rMZ5NDp6tPVxBb5UrJKF5mDo4Nvu7Zp5I +/5CQ7z3UuJu0h3U/IJvOcs+hVcFNZKIZBqEHMwwLKeXx6quj7LUKdJDHfXLy11yf +ke+Ri7fc7Waiz45mO7yfOgLgJ90WmMCV1Aqk5IGadZQ1nJBfiDcGrVmVCrDRZ9MZ +yonnMlo2HD6CqFqTvsbQZJG2z9m2GM/bftJlo6bEjhcxwft+dtvTheNYsnd6djts +L1Ac59v2Z3kf9YKVmgenFK+P3CghZwnS1k1aHBkcjndcw5QkPTJrS37UeJSDvjdN +zl/HHk484IkzlQsPpTLWPFp5LBk= +-----END CERTIFICATE----- + +# Issuer: CN=TrustCor RootCert CA-2 O=TrustCor Systems S. de R.L. OU=TrustCor Certificate Authority +# Subject: CN=TrustCor RootCert CA-2 O=TrustCor Systems S. de R.L. OU=TrustCor Certificate Authority +# Label: "TrustCor RootCert CA-2" +# Serial: 2711694510199101698 +# MD5 Fingerprint: a2:e1:f8:18:0b:ba:45:d5:c7:41:2a:bb:37:52:45:64 +# SHA1 Fingerprint: b8:be:6d:cb:56:f1:55:b9:63:d4:12:ca:4e:06:34:c7:94:b2:1c:c0 +# SHA256 Fingerprint: 07:53:e9:40:37:8c:1b:d5:e3:83:6e:39:5d:ae:a5:cb:83:9e:50:46:f1:bd:0e:ae:19:51:cf:10:fe:c7:c9:65 +-----BEGIN CERTIFICATE----- +MIIGLzCCBBegAwIBAgIIJaHfyjPLWQIwDQYJKoZIhvcNAQELBQAwgaQxCzAJBgNV +BAYTAlBBMQ8wDQYDVQQIDAZQYW5hbWExFDASBgNVBAcMC1BhbmFtYSBDaXR5MSQw +IgYDVQQKDBtUcnVzdENvciBTeXN0ZW1zIFMuIGRlIFIuTC4xJzAlBgNVBAsMHlRy +dXN0Q29yIENlcnRpZmljYXRlIEF1dGhvcml0eTEfMB0GA1UEAwwWVHJ1c3RDb3Ig +Um9vdENlcnQgQ0EtMjAeFw0xNjAyMDQxMjMyMjNaFw0zNDEyMzExNzI2MzlaMIGk +MQswCQYDVQQGEwJQQTEPMA0GA1UECAwGUGFuYW1hMRQwEgYDVQQHDAtQYW5hbWEg +Q2l0eTEkMCIGA1UECgwbVHJ1c3RDb3IgU3lzdGVtcyBTLiBkZSBSLkwuMScwJQYD +VQQLDB5UcnVzdENvciBDZXJ0aWZpY2F0ZSBBdXRob3JpdHkxHzAdBgNVBAMMFlRy +dXN0Q29yIFJvb3RDZXJ0IENBLTIwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIK +AoICAQCnIG7CKqJiJJWQdsg4foDSq8GbZQWU9MEKENUCrO2fk8eHyLAnK0IMPQo+ +QVqedd2NyuCb7GgypGmSaIwLgQ5WoD4a3SwlFIIvl9NkRvRUqdw6VC0xK5mC8tkq +1+9xALgxpL56JAfDQiDyitSSBBtlVkxs1Pu2YVpHI7TYabS3OtB0PAx1oYxOdqHp +2yqlO/rOsP9+aij9JxzIsekp8VduZLTQwRVtDr4uDkbIXvRR/u8OYzo7cbrPb1nK +DOObXUm4TOJXsZiKQlecdu/vvdFoqNL0Cbt3Nb4lggjEFixEIFapRBF37120Hape +az6LMvYHL1cEksr1/p3C6eizjkxLAjHZ5DxIgif3GIJ2SDpxsROhOdUuxTTCHWKF +3wP+TfSvPd9cW436cOGlfifHhi5qjxLGhF5DUVCcGZt45vz27Ud+ez1m7xMTiF88 +oWP7+ayHNZ/zgp6kPwqcMWmLmaSISo5uZk3vFsQPeSghYA2FFn3XVDjxklb9tTNM +g9zXEJ9L/cb4Qr26fHMC4P99zVvh1Kxhe1fVSntb1IVYJ12/+CtgrKAmrhQhJ8Z3 +mjOAPF5GP/fDsaOGM8boXg25NSyqRsGFAnWAoOsk+xWq5Gd/bnc/9ASKL3x74xdh +8N0JqSDIvgmk0H5Ew7IwSjiqqewYmgeCK9u4nBit2uBGF6zPXQIDAQABo2MwYTAd +BgNVHQ4EFgQU2f4hQG6UnrybPZx9mCAZ5YwwYrIwHwYDVR0jBBgwFoAU2f4hQG6U +nrybPZx9mCAZ5YwwYrIwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAYYw +DQYJKoZIhvcNAQELBQADggIBAJ5Fngw7tu/hOsh80QA9z+LqBrWyOrsGS2h60COX +dKcs8AjYeVrXWoSK2BKaG9l9XE1wxaX5q+WjiYndAfrs3fnpkpfbsEZC89NiqpX+ +MWcUaViQCqoL7jcjx1BRtPV+nuN79+TMQjItSQzL/0kMmx40/W5ulop5A7Zv2wnL +/V9lFDfhOPXzYRZY5LVtDQsEGz9QLX+zx3oaFoBg+Iof6Rsqxvm6ARppv9JYx1RX +CI/hOWB3S6xZhBqI8d3LT3jX5+EzLfzuQfogsL7L9ziUwOHQhQ+77Sxzq+3+knYa +ZH9bDTMJBzN7Bj8RpFxwPIXAz+OQqIN3+tvmxYxoZxBnpVIt8MSZj3+/0WvitUfW +2dCFmU2Umw9Lje4AWkcdEQOsQRivh7dvDDqPys/cA8GiCcjl/YBeyGBCARsaU1q7 +N6a3vLqE6R5sGtRk2tRD/pOLS/IseRYQ1JMLiI+h2IYURpFHmygk71dSTlxCnKr3 +Sewn6EAes6aJInKc9Q0ztFijMDvd1GpUk74aTfOTlPf8hAs/hCBcNANExdqtvArB +As8e5ZTZ845b2EzwnexhF7sUMlQMAimTHpKG9n/v55IFDlndmQguLvqcAFLTxWYp +5KeXRKQOKIETNcX2b2TmQcTVL8w0RSXPQQCWPUouwpaYT05KnJe32x+SMsj/D1Fu +1uwJ +-----END CERTIFICATE----- + +# Issuer: CN=TrustCor ECA-1 O=TrustCor Systems S. de R.L. OU=TrustCor Certificate Authority +# Subject: CN=TrustCor ECA-1 O=TrustCor Systems S. de R.L. OU=TrustCor Certificate Authority +# Label: "TrustCor ECA-1" +# Serial: 9548242946988625984 +# MD5 Fingerprint: 27:92:23:1d:0a:f5:40:7c:e9:e6:6b:9d:d8:f5:e7:6c +# SHA1 Fingerprint: 58:d1:df:95:95:67:6b:63:c0:f0:5b:1c:17:4d:8b:84:0b:c8:78:bd +# SHA256 Fingerprint: 5a:88:5d:b1:9c:01:d9:12:c5:75:93:88:93:8c:af:bb:df:03:1a:b2:d4:8e:91:ee:15:58:9b:42:97:1d:03:9c +-----BEGIN CERTIFICATE----- +MIIEIDCCAwigAwIBAgIJAISCLF8cYtBAMA0GCSqGSIb3DQEBCwUAMIGcMQswCQYD +VQQGEwJQQTEPMA0GA1UECAwGUGFuYW1hMRQwEgYDVQQHDAtQYW5hbWEgQ2l0eTEk +MCIGA1UECgwbVHJ1c3RDb3IgU3lzdGVtcyBTLiBkZSBSLkwuMScwJQYDVQQLDB5U +cnVzdENvciBDZXJ0aWZpY2F0ZSBBdXRob3JpdHkxFzAVBgNVBAMMDlRydXN0Q29y +IEVDQS0xMB4XDTE2MDIwNDEyMzIzM1oXDTI5MTIzMTE3MjgwN1owgZwxCzAJBgNV +BAYTAlBBMQ8wDQYDVQQIDAZQYW5hbWExFDASBgNVBAcMC1BhbmFtYSBDaXR5MSQw +IgYDVQQKDBtUcnVzdENvciBTeXN0ZW1zIFMuIGRlIFIuTC4xJzAlBgNVBAsMHlRy +dXN0Q29yIENlcnRpZmljYXRlIEF1dGhvcml0eTEXMBUGA1UEAwwOVHJ1c3RDb3Ig +RUNBLTEwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDPj+ARtZ+odnbb +3w9U73NjKYKtR8aja+3+XzP4Q1HpGjORMRegdMTUpwHmspI+ap3tDvl0mEDTPwOA +BoJA6LHip1GnHYMma6ve+heRK9jGrB6xnhkB1Zem6g23xFUfJ3zSCNV2HykVh0A5 +3ThFEXXQmqc04L/NyFIduUd+Dbi7xgz2c1cWWn5DkR9VOsZtRASqnKmcp0yJF4Ou +owReUoCLHhIlERnXDH19MURB6tuvsBzvgdAsxZohmz3tQjtQJvLsznFhBmIhVE5/ +wZ0+fyCMgMsq2JdiyIMzkX2woloPV+g7zPIlstR8L+xNxqE6FXrntl019fZISjZF +ZtS6mFjBAgMBAAGjYzBhMB0GA1UdDgQWBBREnkj1zG1I1KBLf/5ZJC+Dl5mahjAf +BgNVHSMEGDAWgBREnkj1zG1I1KBLf/5ZJC+Dl5mahjAPBgNVHRMBAf8EBTADAQH/ +MA4GA1UdDwEB/wQEAwIBhjANBgkqhkiG9w0BAQsFAAOCAQEABT41XBVwm8nHc2Fv +civUwo/yQ10CzsSUuZQRg2dd4mdsdXa/uwyqNsatR5Nj3B5+1t4u/ukZMjgDfxT2 +AHMsWbEhBuH7rBiVDKP/mZb3Kyeb1STMHd3BOuCYRLDE5D53sXOpZCz2HAF8P11F +hcCF5yWPldwX8zyfGm6wyuMdKulMY/okYWLW2n62HGz1Ah3UKt1VkOsqEUc8Ll50 +soIipX1TH0XsJ5F95yIW6MBoNtjG8U+ARDL54dHRHareqKucBK+tIA5kmE2la8BI +WJZpTdwHjFGTot+fDz2LYLSCjaoITmJF4PkL0uDgPFveXHEnJcLmA4GLEFPjx1Wi +tJ/X5g== +-----END CERTIFICATE----- + +# Issuer: CN=SSL.com Root Certification Authority RSA O=SSL Corporation +# Subject: CN=SSL.com Root Certification Authority RSA O=SSL Corporation +# Label: "SSL.com Root Certification Authority RSA" +# Serial: 8875640296558310041 +# MD5 Fingerprint: 86:69:12:c0:70:f1:ec:ac:ac:c2:d5:bc:a5:5b:a1:29 +# SHA1 Fingerprint: b7:ab:33:08:d1:ea:44:77:ba:14:80:12:5a:6f:bd:a9:36:49:0c:bb +# SHA256 Fingerprint: 85:66:6a:56:2e:e0:be:5c:e9:25:c1:d8:89:0a:6f:76:a8:7e:c1:6d:4d:7d:5f:29:ea:74:19:cf:20:12:3b:69 +-----BEGIN CERTIFICATE----- +MIIF3TCCA8WgAwIBAgIIeyyb0xaAMpkwDQYJKoZIhvcNAQELBQAwfDELMAkGA1UE +BhMCVVMxDjAMBgNVBAgMBVRleGFzMRAwDgYDVQQHDAdIb3VzdG9uMRgwFgYDVQQK +DA9TU0wgQ29ycG9yYXRpb24xMTAvBgNVBAMMKFNTTC5jb20gUm9vdCBDZXJ0aWZp +Y2F0aW9uIEF1dGhvcml0eSBSU0EwHhcNMTYwMjEyMTczOTM5WhcNNDEwMjEyMTcz +OTM5WjB8MQswCQYDVQQGEwJVUzEOMAwGA1UECAwFVGV4YXMxEDAOBgNVBAcMB0hv +dXN0b24xGDAWBgNVBAoMD1NTTCBDb3Jwb3JhdGlvbjExMC8GA1UEAwwoU1NMLmNv +bSBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5IFJTQTCCAiIwDQYJKoZIhvcN +AQEBBQADggIPADCCAgoCggIBAPkP3aMrfcvQKv7sZ4Wm5y4bunfh4/WvpOz6Sl2R +xFdHaxh3a3by/ZPkPQ/CFp4LZsNWlJ4Xg4XOVu/yFv0AYvUiCVToZRdOQbngT0aX +qhvIuG5iXmmxX9sqAn78bMrzQdjt0Oj8P2FI7bADFB0QDksZ4LtO7IZl/zbzXmcC +C52GVWH9ejjt/uIZALdvoVBidXQ8oPrIJZK0bnoix/geoeOy3ZExqysdBP+lSgQ3 +6YWkMyv94tZVNHwZpEpox7Ko07fKoZOI68GXvIz5HdkihCR0xwQ9aqkpk8zruFvh +/l8lqjRYyMEjVJ0bmBHDOJx+PYZspQ9AhnwC9FwCTyjLrnGfDzrIM/4RJTXq/LrF +YD3ZfBjVsqnTdXgDciLKOsMf7yzlLqn6niy2UUb9rwPW6mBo6oUWNmuF6R7As93E +JNyAKoFBbZQ+yODJgUEAnl6/f8UImKIYLEJAs/lvOCdLToD0PYFH4Ih86hzOtXVc +US4cK38acijnALXRdMbX5J+tB5O2UzU1/Dfkw/ZdFr4hc96SCvigY2q8lpJqPvi8 +ZVWb3vUNiSYE/CUapiVpy8JtynziWV+XrOvvLsi81xtZPCvM8hnIk2snYxnP/Okm ++Mpxm3+T/jRnhE6Z6/yzeAkzcLpmpnbtG3PrGqUNxCITIJRWCk4sbE6x/c+cCbqi +M+2HAgMBAAGjYzBhMB0GA1UdDgQWBBTdBAkHovV6fVJTEpKV7jiAJQ2mWTAPBgNV +HRMBAf8EBTADAQH/MB8GA1UdIwQYMBaAFN0ECQei9Xp9UlMSkpXuOIAlDaZZMA4G +A1UdDwEB/wQEAwIBhjANBgkqhkiG9w0BAQsFAAOCAgEAIBgRlCn7Jp0cHh5wYfGV +cpNxJK1ok1iOMq8bs3AD/CUrdIWQPXhq9LmLpZc7tRiRux6n+UBbkflVma8eEdBc +Hadm47GUBwwyOabqG7B52B2ccETjit3E+ZUfijhDPwGFpUenPUayvOUiaPd7nNgs +PgohyC0zrL/FgZkxdMF1ccW+sfAjRfSda/wZY52jvATGGAslu1OJD7OAUN5F7kR/ +q5R4ZJjT9ijdh9hwZXT7DrkT66cPYakylszeu+1jTBi7qUD3oFRuIIhxdRjqerQ0 +cuAjJ3dctpDqhiVAq+8zD8ufgr6iIPv2tS0a5sKFsXQP+8hlAqRSAUfdSSLBv9jr +a6x+3uxjMxW3IwiPxg+NQVrdjsW5j+VFP3jbutIbQLH+cU0/4IGiul607BXgk90I +H37hVZkLId6Tngr75qNJvTYw/ud3sqB1l7UtgYgXZSD32pAAn8lSzDLKNXz1PQ/Y +K9f1JmzJBjSWFupwWRoyeXkLtoh/D1JIPb9s2KJELtFOt3JY04kTlf5Eq/jXixtu +nLwsoFvVagCvXzfh1foQC5ichucmj87w7G6KVwuA406ywKBjYZC6VWg3dGq2ktuf +oYYitmUnDuy2n0Jg5GfCtdpBC8TTi2EbvPofkSvXRAdeuims2cXp71NIWuuA8ShY +Ic2wBlX7Jz9TkHCpBB5XJ7k= +-----END CERTIFICATE----- + +# Issuer: CN=SSL.com Root Certification Authority ECC O=SSL Corporation +# Subject: CN=SSL.com Root Certification Authority ECC O=SSL Corporation +# Label: "SSL.com Root Certification Authority ECC" +# Serial: 8495723813297216424 +# MD5 Fingerprint: 2e:da:e4:39:7f:9c:8f:37:d1:70:9f:26:17:51:3a:8e +# SHA1 Fingerprint: c3:19:7c:39:24:e6:54:af:1b:c4:ab:20:95:7a:e2:c3:0e:13:02:6a +# SHA256 Fingerprint: 34:17:bb:06:cc:60:07:da:1b:96:1c:92:0b:8a:b4:ce:3f:ad:82:0e:4a:a3:0b:9a:cb:c4:a7:4e:bd:ce:bc:65 +-----BEGIN CERTIFICATE----- +MIICjTCCAhSgAwIBAgIIdebfy8FoW6gwCgYIKoZIzj0EAwIwfDELMAkGA1UEBhMC +VVMxDjAMBgNVBAgMBVRleGFzMRAwDgYDVQQHDAdIb3VzdG9uMRgwFgYDVQQKDA9T +U0wgQ29ycG9yYXRpb24xMTAvBgNVBAMMKFNTTC5jb20gUm9vdCBDZXJ0aWZpY2F0 +aW9uIEF1dGhvcml0eSBFQ0MwHhcNMTYwMjEyMTgxNDAzWhcNNDEwMjEyMTgxNDAz +WjB8MQswCQYDVQQGEwJVUzEOMAwGA1UECAwFVGV4YXMxEDAOBgNVBAcMB0hvdXN0 +b24xGDAWBgNVBAoMD1NTTCBDb3Jwb3JhdGlvbjExMC8GA1UEAwwoU1NMLmNvbSBS +b290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5IEVDQzB2MBAGByqGSM49AgEGBSuB +BAAiA2IABEVuqVDEpiM2nl8ojRfLliJkP9x6jh3MCLOicSS6jkm5BBtHllirLZXI +7Z4INcgn64mMU1jrYor+8FsPazFSY0E7ic3s7LaNGdM0B9y7xgZ/wkWV7Mt/qCPg +CemB+vNH06NjMGEwHQYDVR0OBBYEFILRhXMw5zUE044CkvvlpNHEIejNMA8GA1Ud +EwEB/wQFMAMBAf8wHwYDVR0jBBgwFoAUgtGFczDnNQTTjgKS++Wk0cQh6M0wDgYD +VR0PAQH/BAQDAgGGMAoGCCqGSM49BAMCA2cAMGQCMG/n61kRpGDPYbCWe+0F+S8T +kdzt5fxQaxFGRrMcIQBiu77D5+jNB5n5DQtdcj7EqgIwH7y6C+IwJPt8bYBVCpk+ +gA0z5Wajs6O7pdWLjwkspl1+4vAHCGht0nxpbl/f5Wpl +-----END CERTIFICATE----- + +# Issuer: CN=SSL.com EV Root Certification Authority RSA R2 O=SSL Corporation +# Subject: CN=SSL.com EV Root Certification Authority RSA R2 O=SSL Corporation +# Label: "SSL.com EV Root Certification Authority RSA R2" +# Serial: 6248227494352943350 +# MD5 Fingerprint: e1:1e:31:58:1a:ae:54:53:02:f6:17:6a:11:7b:4d:95 +# SHA1 Fingerprint: 74:3a:f0:52:9b:d0:32:a0:f4:4a:83:cd:d4:ba:a9:7b:7c:2e:c4:9a +# SHA256 Fingerprint: 2e:7b:f1:6c:c2:24:85:a7:bb:e2:aa:86:96:75:07:61:b0:ae:39:be:3b:2f:e9:d0:cc:6d:4e:f7:34:91:42:5c +-----BEGIN CERTIFICATE----- +MIIF6zCCA9OgAwIBAgIIVrYpzTS8ePYwDQYJKoZIhvcNAQELBQAwgYIxCzAJBgNV +BAYTAlVTMQ4wDAYDVQQIDAVUZXhhczEQMA4GA1UEBwwHSG91c3RvbjEYMBYGA1UE +CgwPU1NMIENvcnBvcmF0aW9uMTcwNQYDVQQDDC5TU0wuY29tIEVWIFJvb3QgQ2Vy +dGlmaWNhdGlvbiBBdXRob3JpdHkgUlNBIFIyMB4XDTE3MDUzMTE4MTQzN1oXDTQy +MDUzMDE4MTQzN1owgYIxCzAJBgNVBAYTAlVTMQ4wDAYDVQQIDAVUZXhhczEQMA4G +A1UEBwwHSG91c3RvbjEYMBYGA1UECgwPU1NMIENvcnBvcmF0aW9uMTcwNQYDVQQD +DC5TU0wuY29tIEVWIFJvb3QgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkgUlNBIFIy +MIICIjANBgkqhkiG9w0BAQEFAAOCAg8AMIICCgKCAgEAjzZlQOHWTcDXtOlG2mvq +M0fNTPl9fb69LT3w23jhhqXZuglXaO1XPqDQCEGD5yhBJB/jchXQARr7XnAjssuf +OePPxU7Gkm0mxnu7s9onnQqG6YE3Bf7wcXHswxzpY6IXFJ3vG2fThVUCAtZJycxa +4bH3bzKfydQ7iEGonL3Lq9ttewkfokxykNorCPzPPFTOZw+oz12WGQvE43LrrdF9 +HSfvkusQv1vrO6/PgN3B0pYEW3p+pKk8OHakYo6gOV7qd89dAFmPZiw+B6KjBSYR +aZfqhbcPlgtLyEDhULouisv3D5oi53+aNxPN8k0TayHRwMwi8qFG9kRpnMphNQcA +b9ZhCBHqurj26bNg5U257J8UZslXWNvNh2n4ioYSA0e/ZhN2rHd9NCSFg83XqpyQ +Gp8hLH94t2S42Oim9HizVcuE0jLEeK6jj2HdzghTreyI/BXkmg3mnxp3zkyPuBQV +PWKchjgGAGYS5Fl2WlPAApiiECtoRHuOec4zSnaqW4EWG7WK2NAAe15itAnWhmMO +pgWVSbooi4iTsjQc2KRVbrcc0N6ZVTsj9CLg+SlmJuwgUHfbSguPvuUCYHBBXtSu +UDkiFCbLsjtzdFVHB3mBOagwE0TlBIqulhMlQg+5U8Sb/M3kHN48+qvWBkofZ6aY +MBzdLNvcGJVXZsb/XItW9XcCAwEAAaNjMGEwDwYDVR0TAQH/BAUwAwEB/zAfBgNV +HSMEGDAWgBT5YLvU49U09rj1BoAlp3PbRmmonjAdBgNVHQ4EFgQU+WC71OPVNPa4 +9QaAJadz20ZpqJ4wDgYDVR0PAQH/BAQDAgGGMA0GCSqGSIb3DQEBCwUAA4ICAQBW +s47LCp1Jjr+kxJG7ZhcFUZh1++VQLHqe8RT6q9OKPv+RKY9ji9i0qVQBDb6Thi/5 +Sm3HXvVX+cpVHBK+Rw82xd9qt9t1wkclf7nxY/hoLVUE0fKNsKTPvDxeH3jnpaAg +cLAExbf3cqfeIg29MyVGjGSSJuM+LmOW2puMPfgYCdcDzH2GguDKBAdRUNf/ktUM +79qGn5nX67evaOI5JpS6aLe/g9Pqemc9YmeuJeVy6OLk7K4S9ksrPJ/psEDzOFSz +/bdoyNrGj1E8svuR3Bznm53htw1yj+KkxKl4+esUrMZDBcJlOSgYAsOCsp0FvmXt +ll9ldDz7CTUue5wT/RsPXcdtgTpWD8w74a8CLyKsRspGPKAcTNZEtF4uXBVmCeEm +Kf7GUmG6sXP/wwyc5WxqlD8UykAWlYTzWamsX0xhk23RO8yilQwipmdnRC652dKK +QbNmC1r7fSOl8hqw/96bg5Qu0T/fkreRrwU7ZcegbLHNYhLDkBvjJc40vG93drEQ +w/cFGsDWr3RiSBd3kmmQYRzelYB0VI8YHMPzA9C/pEN1hlMYegouCRw2n5H9gooi +S9EOUCXdywMMF8mDAAhONU2Ki+3wApRmLER/y5UnlhetCTCstnEXbosX9hwJ1C07 +mKVx01QT2WDz9UtmT/rx7iASjbSsV7FFY6GsdqnC+w== +-----END CERTIFICATE----- + +# Issuer: CN=SSL.com EV Root Certification Authority ECC O=SSL Corporation +# Subject: CN=SSL.com EV Root Certification Authority ECC O=SSL Corporation +# Label: "SSL.com EV Root Certification Authority ECC" +# Serial: 3182246526754555285 +# MD5 Fingerprint: 59:53:22:65:83:42:01:54:c0:ce:42:b9:5a:7c:f2:90 +# SHA1 Fingerprint: 4c:dd:51:a3:d1:f5:20:32:14:b0:c6:c5:32:23:03:91:c7:46:42:6d +# SHA256 Fingerprint: 22:a2:c1:f7:bd:ed:70:4c:c1:e7:01:b5:f4:08:c3:10:88:0f:e9:56:b5:de:2a:4a:44:f9:9c:87:3a:25:a7:c8 +-----BEGIN CERTIFICATE----- +MIIClDCCAhqgAwIBAgIILCmcWxbtBZUwCgYIKoZIzj0EAwIwfzELMAkGA1UEBhMC +VVMxDjAMBgNVBAgMBVRleGFzMRAwDgYDVQQHDAdIb3VzdG9uMRgwFgYDVQQKDA9T +U0wgQ29ycG9yYXRpb24xNDAyBgNVBAMMK1NTTC5jb20gRVYgUm9vdCBDZXJ0aWZp +Y2F0aW9uIEF1dGhvcml0eSBFQ0MwHhcNMTYwMjEyMTgxNTIzWhcNNDEwMjEyMTgx +NTIzWjB/MQswCQYDVQQGEwJVUzEOMAwGA1UECAwFVGV4YXMxEDAOBgNVBAcMB0hv +dXN0b24xGDAWBgNVBAoMD1NTTCBDb3Jwb3JhdGlvbjE0MDIGA1UEAwwrU1NMLmNv +bSBFViBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5IEVDQzB2MBAGByqGSM49 +AgEGBSuBBAAiA2IABKoSR5CYG/vvw0AHgyBO8TCCogbR8pKGYfL2IWjKAMTH6kMA +VIbc/R/fALhBYlzccBYy3h+Z1MzFB8gIH2EWB1E9fVwHU+M1OIzfzZ/ZLg1Kthku +WnBaBu2+8KGwytAJKaNjMGEwHQYDVR0OBBYEFFvKXuXe0oGqzagtZFG22XKbl+ZP +MA8GA1UdEwEB/wQFMAMBAf8wHwYDVR0jBBgwFoAUW8pe5d7SgarNqC1kUbbZcpuX +5k8wDgYDVR0PAQH/BAQDAgGGMAoGCCqGSM49BAMCA2gAMGUCMQCK5kCJN+vp1RPZ +ytRrJPOwPYdGWBrssd9v+1a6cGvHOMzosYxPD/fxZ3YOg9AeUY8CMD32IygmTMZg +h5Mmm7I1HrrW9zzRHM76JTymGoEVW/MSD2zuZYrJh6j5B+BimoxcSg== +-----END CERTIFICATE----- + +# Issuer: CN=GlobalSign O=GlobalSign OU=GlobalSign Root CA - R6 +# Subject: CN=GlobalSign O=GlobalSign OU=GlobalSign Root CA - R6 +# Label: "GlobalSign Root CA - R6" +# Serial: 1417766617973444989252670301619537 +# MD5 Fingerprint: 4f:dd:07:e4:d4:22:64:39:1e:0c:37:42:ea:d1:c6:ae +# SHA1 Fingerprint: 80:94:64:0e:b5:a7:a1:ca:11:9c:1f:dd:d5:9f:81:02:63:a7:fb:d1 +# SHA256 Fingerprint: 2c:ab:ea:fe:37:d0:6c:a2:2a:ba:73:91:c0:03:3d:25:98:29:52:c4:53:64:73:49:76:3a:3a:b5:ad:6c:cf:69 +-----BEGIN CERTIFICATE----- +MIIFgzCCA2ugAwIBAgIORea7A4Mzw4VlSOb/RVEwDQYJKoZIhvcNAQEMBQAwTDEg +MB4GA1UECxMXR2xvYmFsU2lnbiBSb290IENBIC0gUjYxEzARBgNVBAoTCkdsb2Jh +bFNpZ24xEzARBgNVBAMTCkdsb2JhbFNpZ24wHhcNMTQxMjEwMDAwMDAwWhcNMzQx +MjEwMDAwMDAwWjBMMSAwHgYDVQQLExdHbG9iYWxTaWduIFJvb3QgQ0EgLSBSNjET +MBEGA1UEChMKR2xvYmFsU2lnbjETMBEGA1UEAxMKR2xvYmFsU2lnbjCCAiIwDQYJ +KoZIhvcNAQEBBQADggIPADCCAgoCggIBAJUH6HPKZvnsFMp7PPcNCPG0RQssgrRI +xutbPK6DuEGSMxSkb3/pKszGsIhrxbaJ0cay/xTOURQh7ErdG1rG1ofuTToVBu1k +ZguSgMpE3nOUTvOniX9PeGMIyBJQbUJmL025eShNUhqKGoC3GYEOfsSKvGRMIRxD +aNc9PIrFsmbVkJq3MQbFvuJtMgamHvm566qjuL++gmNQ0PAYid/kD3n16qIfKtJw +LnvnvJO7bVPiSHyMEAc4/2ayd2F+4OqMPKq0pPbzlUoSB239jLKJz9CgYXfIWHSw +1CM69106yqLbnQneXUQtkPGBzVeS+n68UARjNN9rkxi+azayOeSsJDa38O+2HBNX +k7besvjihbdzorg1qkXy4J02oW9UivFyVm4uiMVRQkQVlO6jxTiWm05OWgtH8wY2 +SXcwvHE35absIQh1/OZhFj931dmRl4QKbNQCTXTAFO39OfuD8l4UoQSwC+n+7o/h +bguyCLNhZglqsQY6ZZZZwPA1/cnaKI0aEYdwgQqomnUdnjqGBQCe24DWJfncBZ4n +WUx2OVvq+aWh2IMP0f/fMBH5hc8zSPXKbWQULHpYT9NLCEnFlWQaYw55PfWzjMpY +rZxCRXluDocZXFSxZba/jJvcE+kNb7gu3GduyYsRtYQUigAZcIN5kZeR1Bonvzce +MgfYFGM8KEyvAgMBAAGjYzBhMA4GA1UdDwEB/wQEAwIBBjAPBgNVHRMBAf8EBTAD +AQH/MB0GA1UdDgQWBBSubAWjkxPioufi1xzWx/B/yGdToDAfBgNVHSMEGDAWgBSu +bAWjkxPioufi1xzWx/B/yGdToDANBgkqhkiG9w0BAQwFAAOCAgEAgyXt6NH9lVLN +nsAEoJFp5lzQhN7craJP6Ed41mWYqVuoPId8AorRbrcWc+ZfwFSY1XS+wc3iEZGt +Ixg93eFyRJa0lV7Ae46ZeBZDE1ZXs6KzO7V33EByrKPrmzU+sQghoefEQzd5Mr61 +55wsTLxDKZmOMNOsIeDjHfrYBzN2VAAiKrlNIC5waNrlU/yDXNOd8v9EDERm8tLj +vUYAGm0CuiVdjaExUd1URhxN25mW7xocBFymFe944Hn+Xds+qkxV/ZoVqW/hpvvf +cDDpw+5CRu3CkwWJ+n1jez/QcYF8AOiYrg54NMMl+68KnyBr3TsTjxKM4kEaSHpz +oHdpx7Zcf4LIHv5YGygrqGytXm3ABdJ7t+uA/iU3/gKbaKxCXcPu9czc8FB10jZp +nOZ7BN9uBmm23goJSFmH63sUYHpkqmlD75HHTOwY3WzvUy2MmeFe8nI+z1TIvWfs +pA9MRf/TuTAjB0yPEL+GltmZWrSZVxykzLsViVO6LAUP5MSeGbEYNNVMnbrt9x+v +JJUEeKgDu+6B5dpffItKoZB0JaezPkvILFa9x8jvOOJckvB595yEunQtYQEgfn7R +8k8HWV+LLUNS60YMlOH1Zkd5d9VUWx+tJDfLRVpOoERIyNiwmcUVhAn21klJwGW4 +5hpxbqCo8YLoRT5s1gLXCmeDBVrJpBA= +-----END CERTIFICATE----- + +# Issuer: CN=OISTE WISeKey Global Root GC CA O=WISeKey OU=OISTE Foundation Endorsed +# Subject: CN=OISTE WISeKey Global Root GC CA O=WISeKey OU=OISTE Foundation Endorsed +# Label: "OISTE WISeKey Global Root GC CA" +# Serial: 44084345621038548146064804565436152554 +# MD5 Fingerprint: a9:d6:b9:2d:2f:93:64:f8:a5:69:ca:91:e9:68:07:23 +# SHA1 Fingerprint: e0:11:84:5e:34:de:be:88:81:b9:9c:f6:16:26:d1:96:1f:c3:b9:31 +# SHA256 Fingerprint: 85:60:f9:1c:36:24:da:ba:95:70:b5:fe:a0:db:e3:6f:f1:1a:83:23:be:94:86:85:4f:b3:f3:4a:55:71:19:8d +-----BEGIN CERTIFICATE----- +MIICaTCCAe+gAwIBAgIQISpWDK7aDKtARb8roi066jAKBggqhkjOPQQDAzBtMQsw +CQYDVQQGEwJDSDEQMA4GA1UEChMHV0lTZUtleTEiMCAGA1UECxMZT0lTVEUgRm91 +bmRhdGlvbiBFbmRvcnNlZDEoMCYGA1UEAxMfT0lTVEUgV0lTZUtleSBHbG9iYWwg +Um9vdCBHQyBDQTAeFw0xNzA1MDkwOTQ4MzRaFw00MjA1MDkwOTU4MzNaMG0xCzAJ +BgNVBAYTAkNIMRAwDgYDVQQKEwdXSVNlS2V5MSIwIAYDVQQLExlPSVNURSBGb3Vu +ZGF0aW9uIEVuZG9yc2VkMSgwJgYDVQQDEx9PSVNURSBXSVNlS2V5IEdsb2JhbCBS +b290IEdDIENBMHYwEAYHKoZIzj0CAQYFK4EEACIDYgAETOlQwMYPchi82PG6s4ni +eUqjFqdrVCTbUf/q9Akkwwsin8tqJ4KBDdLArzHkdIJuyiXZjHWd8dvQmqJLIX4W +p2OQ0jnUsYd4XxiWD1AbNTcPasbc2RNNpI6QN+a9WzGRo1QwUjAOBgNVHQ8BAf8E +BAMCAQYwDwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQUSIcUrOPDnpBgOtfKie7T +rYy0UGYwEAYJKwYBBAGCNxUBBAMCAQAwCgYIKoZIzj0EAwMDaAAwZQIwJsdpW9zV +57LnyAyMjMPdeYwbY9XJUpROTYJKcx6ygISpJcBMWm1JKWB4E+J+SOtkAjEA2zQg +Mgj/mkkCtojeFK9dbJlxjRo/i9fgojaGHAeCOnZT/cKi7e97sIBPWA9LUzm9 +-----END CERTIFICATE----- + +# Issuer: CN=GTS Root R1 O=Google Trust Services LLC +# Subject: CN=GTS Root R1 O=Google Trust Services LLC +# Label: "GTS Root R1" +# Serial: 146587175971765017618439757810265552097 +# MD5 Fingerprint: 82:1a:ef:d4:d2:4a:f2:9f:e2:3d:97:06:14:70:72:85 +# SHA1 Fingerprint: e1:c9:50:e6:ef:22:f8:4c:56:45:72:8b:92:20:60:d7:d5:a7:a3:e8 +# SHA256 Fingerprint: 2a:57:54:71:e3:13:40:bc:21:58:1c:bd:2c:f1:3e:15:84:63:20:3e:ce:94:bc:f9:d3:cc:19:6b:f0:9a:54:72 +-----BEGIN CERTIFICATE----- +MIIFWjCCA0KgAwIBAgIQbkepxUtHDA3sM9CJuRz04TANBgkqhkiG9w0BAQwFADBH +MQswCQYDVQQGEwJVUzEiMCAGA1UEChMZR29vZ2xlIFRydXN0IFNlcnZpY2VzIExM +QzEUMBIGA1UEAxMLR1RTIFJvb3QgUjEwHhcNMTYwNjIyMDAwMDAwWhcNMzYwNjIy +MDAwMDAwWjBHMQswCQYDVQQGEwJVUzEiMCAGA1UEChMZR29vZ2xlIFRydXN0IFNl +cnZpY2VzIExMQzEUMBIGA1UEAxMLR1RTIFJvb3QgUjEwggIiMA0GCSqGSIb3DQEB +AQUAA4ICDwAwggIKAoICAQC2EQKLHuOhd5s73L+UPreVp0A8of2C+X0yBoJx9vaM +f/vo27xqLpeXo4xL+Sv2sfnOhB2x+cWX3u+58qPpvBKJXqeqUqv4IyfLpLGcY9vX +mX7wCl7raKb0xlpHDU0QM+NOsROjyBhsS+z8CZDfnWQpJSMHobTSPS5g4M/SCYe7 +zUjwTcLCeoiKu7rPWRnWr4+wB7CeMfGCwcDfLqZtbBkOtdh+JhpFAz2weaSUKK0P +fyblqAj+lug8aJRT7oM6iCsVlgmy4HqMLnXWnOunVmSPlk9orj2XwoSPwLxAwAtc +vfaHszVsrBhQf4TgTM2S0yDpM7xSma8ytSmzJSq0SPly4cpk9+aCEI3oncKKiPo4 +Zor8Y/kB+Xj9e1x3+naH+uzfsQ55lVe0vSbv1gHR6xYKu44LtcXFilWr06zqkUsp +zBmkMiVOKvFlRNACzqrOSbTqn3yDsEB750Orp2yjj32JgfpMpf/VjsPOS+C12LOO +Rc92wO1AK/1TD7Cn1TsNsYqiA94xrcx36m97PtbfkSIS5r762DL8EGMUUXLeXdYW +k70paDPvOmbsB4om3xPXV2V4J95eSRQAogB/mqghtqmxlbCluQ0WEdrHbEg8QOB+ +DVrNVjzRlwW5y0vtOUucxD/SVRNuJLDWcfr0wbrM7Rv1/oFB2ACYPTrIrnqYNxgF +lQIDAQABo0IwQDAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB/zAdBgNV +HQ4EFgQU5K8rJnEaK0gnhS9SZizv8IkTcT4wDQYJKoZIhvcNAQEMBQADggIBADiW +Cu49tJYeX++dnAsznyvgyv3SjgofQXSlfKqE1OXyHuY3UjKcC9FhHb8owbZEKTV1 +d5iyfNm9dKyKaOOpMQkpAWBz40d8U6iQSifvS9efk+eCNs6aaAyC58/UEBZvXw6Z +XPYfcX3v73svfuo21pdwCxXu11xWajOl40k4DLh9+42FpLFZXvRq4d2h9mREruZR +gyFmxhE+885H7pwoHyXa/6xmld01D1zvICxi/ZG6qcz8WpyTgYMpl0p8WnK0OdC3 +d8t5/Wk6kjftbjhlRn7pYL15iJdfOBL07q9bgsiG1eGZbYwE8na6SfZu6W0eX6Dv +J4J2QPim01hcDyxC2kLGe4g0x8HYRZvBPsVhHdljUEn2NIVq4BjFbkerQUIpm/Zg +DdIx02OYI5NaAIFItO/Nis3Jz5nu2Z6qNuFoS3FJFDYoOj0dzpqPJeaAcWErtXvM ++SUWgeExX6GjfhaknBZqlxi9dnKlC54dNuYvoS++cJEPqOba+MSSQGwlfnuzCdyy +F62ARPBopY+Udf90WuioAnwMCeKpSwughQtiue+hMZL77/ZRBIls6Kl0obsXs7X9 +SQ98POyDGCBDTtWTurQ0sR8WNh8M5mQ5Fkzc4P4dyKliPUDqysU0ArSuiYgzNdws +E3PYJ/HQcu51OyLemGhmW/HGY0dVHLqlCFF1pkgl +-----END CERTIFICATE----- + +# Issuer: CN=GTS Root R2 O=Google Trust Services LLC +# Subject: CN=GTS Root R2 O=Google Trust Services LLC +# Label: "GTS Root R2" +# Serial: 146587176055767053814479386953112547951 +# MD5 Fingerprint: 44:ed:9a:0e:a4:09:3b:00:f2:ae:4c:a3:c6:61:b0:8b +# SHA1 Fingerprint: d2:73:96:2a:2a:5e:39:9f:73:3f:e1:c7:1e:64:3f:03:38:34:fc:4d +# SHA256 Fingerprint: c4:5d:7b:b0:8e:6d:67:e6:2e:42:35:11:0b:56:4e:5f:78:fd:92:ef:05:8c:84:0a:ea:4e:64:55:d7:58:5c:60 +-----BEGIN CERTIFICATE----- +MIIFWjCCA0KgAwIBAgIQbkepxlqz5yDFMJo/aFLybzANBgkqhkiG9w0BAQwFADBH +MQswCQYDVQQGEwJVUzEiMCAGA1UEChMZR29vZ2xlIFRydXN0IFNlcnZpY2VzIExM +QzEUMBIGA1UEAxMLR1RTIFJvb3QgUjIwHhcNMTYwNjIyMDAwMDAwWhcNMzYwNjIy +MDAwMDAwWjBHMQswCQYDVQQGEwJVUzEiMCAGA1UEChMZR29vZ2xlIFRydXN0IFNl +cnZpY2VzIExMQzEUMBIGA1UEAxMLR1RTIFJvb3QgUjIwggIiMA0GCSqGSIb3DQEB +AQUAA4ICDwAwggIKAoICAQDO3v2m++zsFDQ8BwZabFn3GTXd98GdVarTzTukk3Lv +CvptnfbwhYBboUhSnznFt+4orO/LdmgUud+tAWyZH8QiHZ/+cnfgLFuv5AS/T3Kg +GjSY6Dlo7JUle3ah5mm5hRm9iYz+re026nO8/4Piy33B0s5Ks40FnotJk9/BW9Bu +XvAuMC6C/Pq8tBcKSOWIm8Wba96wyrQD8Nr0kLhlZPdcTK3ofmZemde4wj7I0BOd +re7kRXuJVfeKH2JShBKzwkCX44ofR5GmdFrS+LFjKBC4swm4VndAoiaYecb+3yXu +PuWgf9RhD1FLPD+M2uFwdNjCaKH5wQzpoeJ/u1U8dgbuak7MkogwTZq9TwtImoS1 +mKPV+3PBV2HdKFZ1E66HjucMUQkQdYhMvI35ezzUIkgfKtzra7tEscszcTJGr61K +8YzodDqs5xoic4DSMPclQsciOzsSrZYuxsN2B6ogtzVJV+mSSeh2FnIxZyuWfoqj +x5RWIr9qS34BIbIjMt/kmkRtWVtd9QCgHJvGeJeNkP+byKq0rxFROV7Z+2et1VsR +nTKaG73VululycslaVNVJ1zgyjbLiGH7HrfQy+4W+9OmTN6SpdTi3/UGVN4unUu0 +kzCqgc7dGtxRcw1PcOnlthYhGXmy5okLdWTK1au8CcEYof/UVKGFPP0UJAOyh9Ok +twIDAQABo0IwQDAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB/zAdBgNV +HQ4EFgQUu//KjiOfT5nK2+JopqUVJxce2Q4wDQYJKoZIhvcNAQEMBQADggIBALZp +8KZ3/p7uC4Gt4cCpx/k1HUCCq+YEtN/L9x0Pg/B+E02NjO7jMyLDOfxA325BS0JT +vhaI8dI4XsRomRyYUpOM52jtG2pzegVATX9lO9ZY8c6DR2Dj/5epnGB3GFW1fgiT +z9D2PGcDFWEJ+YF59exTpJ/JjwGLc8R3dtyDovUMSRqodt6Sm2T4syzFJ9MHwAiA +pJiS4wGWAqoC7o87xdFtCjMwc3i5T1QWvwsHoaRc5svJXISPD+AVdyx+Jn7axEvb +pxZ3B7DNdehyQtaVhJ2Gg/LkkM0JR9SLA3DaWsYDQvTtN6LwG1BUSw7YhN4ZKJmB +R64JGz9I0cNv4rBgF/XuIwKl2gBbbZCr7qLpGzvpx0QnRY5rn/WkhLx3+WuXrD5R +RaIRpsyF7gpo8j5QOHokYh4XIDdtak23CZvJ/KRY9bb7nE4Yu5UC56GtmwfuNmsk +0jmGwZODUNKBRqhfYlcsu2xkiAhu7xNUX90txGdj08+JN7+dIPT7eoOboB6BAFDC +5AwiWVIQ7UNWhwD4FFKnHYuTjKJNRn8nxnGbJN7k2oaLDX5rIMHAnuFl2GqjpuiF +izoHCBy69Y9Vmhh1fuXsgWbRIXOhNUQLgD1bnF5vKheW0YMjiGZt5obicDIvUiLn +yOd/xCxgXS/Dr55FBcOEArf9LAhST4Ldo/DUhgkC +-----END CERTIFICATE----- + +# Issuer: CN=GTS Root R3 O=Google Trust Services LLC +# Subject: CN=GTS Root R3 O=Google Trust Services LLC +# Label: "GTS Root R3" +# Serial: 146587176140553309517047991083707763997 +# MD5 Fingerprint: 1a:79:5b:6b:04:52:9c:5d:c7:74:33:1b:25:9a:f9:25 +# SHA1 Fingerprint: 30:d4:24:6f:07:ff:db:91:89:8a:0b:e9:49:66:11:eb:8c:5e:46:e5 +# SHA256 Fingerprint: 15:d5:b8:77:46:19:ea:7d:54:ce:1c:a6:d0:b0:c4:03:e0:37:a9:17:f1:31:e8:a0:4e:1e:6b:7a:71:ba:bc:e5 +-----BEGIN CERTIFICATE----- +MIICDDCCAZGgAwIBAgIQbkepx2ypcyRAiQ8DVd2NHTAKBggqhkjOPQQDAzBHMQsw +CQYDVQQGEwJVUzEiMCAGA1UEChMZR29vZ2xlIFRydXN0IFNlcnZpY2VzIExMQzEU +MBIGA1UEAxMLR1RTIFJvb3QgUjMwHhcNMTYwNjIyMDAwMDAwWhcNMzYwNjIyMDAw +MDAwWjBHMQswCQYDVQQGEwJVUzEiMCAGA1UEChMZR29vZ2xlIFRydXN0IFNlcnZp +Y2VzIExMQzEUMBIGA1UEAxMLR1RTIFJvb3QgUjMwdjAQBgcqhkjOPQIBBgUrgQQA +IgNiAAQfTzOHMymKoYTey8chWEGJ6ladK0uFxh1MJ7x/JlFyb+Kf1qPKzEUURout +736GjOyxfi//qXGdGIRFBEFVbivqJn+7kAHjSxm65FSWRQmx1WyRRK2EE46ajA2A +DDL24CejQjBAMA4GA1UdDwEB/wQEAwIBBjAPBgNVHRMBAf8EBTADAQH/MB0GA1Ud +DgQWBBTB8Sa6oC2uhYHP0/EqEr24Cmf9vDAKBggqhkjOPQQDAwNpADBmAjEAgFuk +fCPAlaUs3L6JbyO5o91lAFJekazInXJ0glMLfalAvWhgxeG4VDvBNhcl2MG9AjEA +njWSdIUlUfUk7GRSJFClH9voy8l27OyCbvWFGFPouOOaKaqW04MjyaR7YbPMAuhd +-----END CERTIFICATE----- + +# Issuer: CN=GTS Root R4 O=Google Trust Services LLC +# Subject: CN=GTS Root R4 O=Google Trust Services LLC +# Label: "GTS Root R4" +# Serial: 146587176229350439916519468929765261721 +# MD5 Fingerprint: 5d:b6:6a:c4:60:17:24:6a:1a:99:a8:4b:ee:5e:b4:26 +# SHA1 Fingerprint: 2a:1d:60:27:d9:4a:b1:0a:1c:4d:91:5c:cd:33:a0:cb:3e:2d:54:cb +# SHA256 Fingerprint: 71:cc:a5:39:1f:9e:79:4b:04:80:25:30:b3:63:e1:21:da:8a:30:43:bb:26:66:2f:ea:4d:ca:7f:c9:51:a4:bd +-----BEGIN CERTIFICATE----- +MIICCjCCAZGgAwIBAgIQbkepyIuUtui7OyrYorLBmTAKBggqhkjOPQQDAzBHMQsw +CQYDVQQGEwJVUzEiMCAGA1UEChMZR29vZ2xlIFRydXN0IFNlcnZpY2VzIExMQzEU +MBIGA1UEAxMLR1RTIFJvb3QgUjQwHhcNMTYwNjIyMDAwMDAwWhcNMzYwNjIyMDAw +MDAwWjBHMQswCQYDVQQGEwJVUzEiMCAGA1UEChMZR29vZ2xlIFRydXN0IFNlcnZp +Y2VzIExMQzEUMBIGA1UEAxMLR1RTIFJvb3QgUjQwdjAQBgcqhkjOPQIBBgUrgQQA +IgNiAATzdHOnaItgrkO4NcWBMHtLSZ37wWHO5t5GvWvVYRg1rkDdc/eJkTBa6zzu +hXyiQHY7qca4R9gq55KRanPpsXI5nymfopjTX15YhmUPoYRlBtHci8nHc8iMai/l +xKvRHYqjQjBAMA4GA1UdDwEB/wQEAwIBBjAPBgNVHRMBAf8EBTADAQH/MB0GA1Ud +DgQWBBSATNbrdP9JNqPV2Py1PsVq8JQdjDAKBggqhkjOPQQDAwNnADBkAjBqUFJ0 +CMRw3J5QdCHojXohw0+WbhXRIjVhLfoIN+4Zba3bssx9BzT1YBkstTTZbyACMANx +sbqjYAuG7ZoIapVon+Kz4ZNkfF6Tpt95LY2F45TPI11xzPKwTdb+mciUqXWi4w== +-----END CERTIFICATE----- + +# Issuer: CN=UCA Global G2 Root O=UniTrust +# Subject: CN=UCA Global G2 Root O=UniTrust +# Label: "UCA Global G2 Root" +# Serial: 124779693093741543919145257850076631279 +# MD5 Fingerprint: 80:fe:f0:c4:4a:f0:5c:62:32:9f:1c:ba:78:a9:50:f8 +# SHA1 Fingerprint: 28:f9:78:16:19:7a:ff:18:25:18:aa:44:fe:c1:a0:ce:5c:b6:4c:8a +# SHA256 Fingerprint: 9b:ea:11:c9:76:fe:01:47:64:c1:be:56:a6:f9:14:b5:a5:60:31:7a:bd:99:88:39:33:82:e5:16:1a:a0:49:3c +-----BEGIN CERTIFICATE----- +MIIFRjCCAy6gAwIBAgIQXd+x2lqj7V2+WmUgZQOQ7zANBgkqhkiG9w0BAQsFADA9 +MQswCQYDVQQGEwJDTjERMA8GA1UECgwIVW5pVHJ1c3QxGzAZBgNVBAMMElVDQSBH +bG9iYWwgRzIgUm9vdDAeFw0xNjAzMTEwMDAwMDBaFw00MDEyMzEwMDAwMDBaMD0x +CzAJBgNVBAYTAkNOMREwDwYDVQQKDAhVbmlUcnVzdDEbMBkGA1UEAwwSVUNBIEds +b2JhbCBHMiBSb290MIICIjANBgkqhkiG9w0BAQEFAAOCAg8AMIICCgKCAgEAxeYr +b3zvJgUno4Ek2m/LAfmZmqkywiKHYUGRO8vDaBsGxUypK8FnFyIdK+35KYmToni9 +kmugow2ifsqTs6bRjDXVdfkX9s9FxeV67HeToI8jrg4aA3++1NDtLnurRiNb/yzm +VHqUwCoV8MmNsHo7JOHXaOIxPAYzRrZUEaalLyJUKlgNAQLx+hVRZ2zA+te2G3/R +VogvGjqNO7uCEeBHANBSh6v7hn4PJGtAnTRnvI3HLYZveT6OqTwXS3+wmeOwcWDc +C/Vkw85DvG1xudLeJ1uK6NjGruFZfc8oLTW4lVYa8bJYS7cSN8h8s+1LgOGN+jIj +tm+3SJUIsUROhYw6AlQgL9+/V087OpAh18EmNVQg7Mc/R+zvWr9LesGtOxdQXGLY +D0tK3Cv6brxzks3sx1DoQZbXqX5t2Okdj4q1uViSukqSKwxW/YDrCPBeKW4bHAyv +j5OJrdu9o54hyokZ7N+1wxrrFv54NkzWbtA+FxyQF2smuvt6L78RHBgOLXMDj6Dl +NaBa4kx1HXHhOThTeEDMg5PXCp6dW4+K5OXgSORIskfNTip1KnvyIvbJvgmRlld6 +iIis7nCs+dwp4wwcOxJORNanTrAmyPPZGpeRaOrvjUYG0lZFWJo8DA+DuAUlwznP +O6Q0ibd5Ei9Hxeepl2n8pndntd978XplFeRhVmUCAwEAAaNCMEAwDgYDVR0PAQH/ +BAQDAgEGMA8GA1UdEwEB/wQFMAMBAf8wHQYDVR0OBBYEFIHEjMz15DD/pQwIX4wV +ZyF0Ad/fMA0GCSqGSIb3DQEBCwUAA4ICAQATZSL1jiutROTL/7lo5sOASD0Ee/oj +L3rtNtqyzm325p7lX1iPyzcyochltq44PTUbPrw7tgTQvPlJ9Zv3hcU2tsu8+Mg5 +1eRfB70VVJd0ysrtT7q6ZHafgbiERUlMjW+i67HM0cOU2kTC5uLqGOiiHycFutfl +1qnN3e92mI0ADs0b+gO3joBYDic/UvuUospeZcnWhNq5NXHzJsBPd+aBJ9J3O5oU +b3n09tDh05S60FdRvScFDcH9yBIw7m+NESsIndTUv4BFFJqIRNow6rSn4+7vW4LV +PtateJLbXDzz2K36uGt/xDYotgIVilQsnLAXc47QN6MUPJiVAAwpBVueSUmxX8fj +y88nZY41F7dXyDDZQVu5FLbowg+UMaeUmMxq67XhJ/UQqAHojhJi6IjMtX9Gl8Cb +EGY4GjZGXyJoPd/JxhMnq1MGrKI8hgZlb7F+sSlEmqO6SWkoaY/X5V+tBIZkbxqg +DMUIYs6Ao9Dz7GjevjPHF1t/gMRMTLGmhIrDO7gJzRSBuhjjVFc2/tsvfEehOjPI ++Vg7RE+xygKJBJYoaMVLuCaJu9YzL1DV/pqJuhgyklTGW+Cd+V7lDSKb9triyCGy +YiGqhkCyLmTTX8jjfhFnRR8F/uOi77Oos/N9j/gMHyIfLXC0uAE0djAA5SN4p1bX +UB+K+wb1whnw0A== +-----END CERTIFICATE----- + +# Issuer: CN=UCA Extended Validation Root O=UniTrust +# Subject: CN=UCA Extended Validation Root O=UniTrust +# Label: "UCA Extended Validation Root" +# Serial: 106100277556486529736699587978573607008 +# MD5 Fingerprint: a1:f3:5f:43:c6:34:9b:da:bf:8c:7e:05:53:ad:96:e2 +# SHA1 Fingerprint: a3:a1:b0:6f:24:61:23:4a:e3:36:a5:c2:37:fc:a6:ff:dd:f0:d7:3a +# SHA256 Fingerprint: d4:3a:f9:b3:54:73:75:5c:96:84:fc:06:d7:d8:cb:70:ee:5c:28:e7:73:fb:29:4e:b4:1e:e7:17:22:92:4d:24 +-----BEGIN CERTIFICATE----- +MIIFWjCCA0KgAwIBAgIQT9Irj/VkyDOeTzRYZiNwYDANBgkqhkiG9w0BAQsFADBH +MQswCQYDVQQGEwJDTjERMA8GA1UECgwIVW5pVHJ1c3QxJTAjBgNVBAMMHFVDQSBF +eHRlbmRlZCBWYWxpZGF0aW9uIFJvb3QwHhcNMTUwMzEzMDAwMDAwWhcNMzgxMjMx +MDAwMDAwWjBHMQswCQYDVQQGEwJDTjERMA8GA1UECgwIVW5pVHJ1c3QxJTAjBgNV +BAMMHFVDQSBFeHRlbmRlZCBWYWxpZGF0aW9uIFJvb3QwggIiMA0GCSqGSIb3DQEB +AQUAA4ICDwAwggIKAoICAQCpCQcoEwKwmeBkqh5DFnpzsZGgdT6o+uM4AHrsiWog +D4vFsJszA1qGxliG1cGFu0/GnEBNyr7uaZa4rYEwmnySBesFK5pI0Lh2PpbIILvS +sPGP2KxFRv+qZ2C0d35qHzwaUnoEPQc8hQ2E0B92CvdqFN9y4zR8V05WAT558aop +O2z6+I9tTcg1367r3CTueUWnhbYFiN6IXSV8l2RnCdm/WhUFhvMJHuxYMjMR83dk +sHYf5BA1FxvyDrFspCqjc/wJHx4yGVMR59mzLC52LqGj3n5qiAno8geK+LLNEOfi +c0CTuwjRP+H8C5SzJe98ptfRr5//lpr1kXuYC3fUfugH0mK1lTnj8/FtDw5lhIpj +VMWAtuCeS31HJqcBCF3RiJ7XwzJE+oJKCmhUfzhTA8ykADNkUVkLo4KRel7sFsLz +KuZi2irbWWIQJUoqgQtHB0MGcIfS+pMRKXpITeuUx3BNr2fVUbGAIAEBtHoIppB/ +TuDvB0GHr2qlXov7z1CymlSvw4m6WC31MJixNnI5fkkE/SmnTHnkBVfblLkWU41G +sx2VYVdWf6/wFlthWG82UBEL2KwrlRYaDh8IzTY0ZRBiZtWAXxQgXy0MoHgKaNYs +1+lvK9JKBZP8nm9rZ/+I8U6laUpSNwXqxhaN0sSZ0YIrO7o1dfdRUVjzyAfd5LQD +fwIDAQABo0IwQDAdBgNVHQ4EFgQU2XQ65DA9DfcS3H5aBZ8eNJr34RQwDwYDVR0T +AQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAYYwDQYJKoZIhvcNAQELBQADggIBADaN +l8xCFWQpN5smLNb7rhVpLGsaGvdftvkHTFnq88nIua7Mui563MD1sC3AO6+fcAUR +ap8lTwEpcOPlDOHqWnzcSbvBHiqB9RZLcpHIojG5qtr8nR/zXUACE/xOHAbKsxSQ +VBcZEhrxH9cMaVr2cXj0lH2RC47skFSOvG+hTKv8dGT9cZr4QQehzZHkPJrgmzI5 +c6sq1WnIeJEmMX3ixzDx/BR4dxIOE/TdFpS/S2d7cFOFyrC78zhNLJA5wA3CXWvp +4uXViI3WLL+rG761KIcSF3Ru/H38j9CHJrAb+7lsq+KePRXBOy5nAliRn+/4Qh8s +t2j1da3Ptfb/EX3C8CSlrdP6oDyp+l3cpaDvRKS+1ujl5BOWF3sGPjLtx7dCvHaj +2GU4Kzg1USEODm8uNBNA4StnDG1KQTAYI1oyVZnJF+A83vbsea0rWBmirSwiGpWO +vpaQXUJXxPkUAzUrHC1RVwinOt4/5Mi0A3PCwSaAuwtCH60NryZy2sy+s6ODWA2C +xR9GUeOcGMyNm43sSet1UNWMKFnKdDTajAshqx7qG+XH/RU+wBeq+yNuJkbL+vmx +cmtpzyKEC2IPrNkZAJSidjzULZrtBJ4tBmIQN1IchXIbJ+XMxjHsN+xjWZsLHXbM +fjKaiJUINlK73nZfdklJrX+9ZSCyycErdhh2n1ax +-----END CERTIFICATE----- + +# Issuer: CN=Certigna Root CA O=Dhimyotis OU=0002 48146308100036 +# Subject: CN=Certigna Root CA O=Dhimyotis OU=0002 48146308100036 +# Label: "Certigna Root CA" +# Serial: 269714418870597844693661054334862075617 +# MD5 Fingerprint: 0e:5c:30:62:27:eb:5b:bc:d7:ae:62:ba:e9:d5:df:77 +# SHA1 Fingerprint: 2d:0d:52:14:ff:9e:ad:99:24:01:74:20:47:6e:6c:85:27:27:f5:43 +# SHA256 Fingerprint: d4:8d:3d:23:ee:db:50:a4:59:e5:51:97:60:1c:27:77:4b:9d:7b:18:c9:4d:5a:05:95:11:a1:02:50:b9:31:68 +-----BEGIN CERTIFICATE----- +MIIGWzCCBEOgAwIBAgIRAMrpG4nxVQMNo+ZBbcTjpuEwDQYJKoZIhvcNAQELBQAw +WjELMAkGA1UEBhMCRlIxEjAQBgNVBAoMCURoaW15b3RpczEcMBoGA1UECwwTMDAw +MiA0ODE0NjMwODEwMDAzNjEZMBcGA1UEAwwQQ2VydGlnbmEgUm9vdCBDQTAeFw0x +MzEwMDEwODMyMjdaFw0zMzEwMDEwODMyMjdaMFoxCzAJBgNVBAYTAkZSMRIwEAYD +VQQKDAlEaGlteW90aXMxHDAaBgNVBAsMEzAwMDIgNDgxNDYzMDgxMDAwMzYxGTAX +BgNVBAMMEENlcnRpZ25hIFJvb3QgQ0EwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAw +ggIKAoICAQDNGDllGlmx6mQWDoyUJJV8g9PFOSbcDO8WV43X2KyjQn+Cyu3NW9sO +ty3tRQgXstmzy9YXUnIo245Onoq2C/mehJpNdt4iKVzSs9IGPjA5qXSjklYcoW9M +CiBtnyN6tMbaLOQdLNyzKNAT8kxOAkmhVECe5uUFoC2EyP+YbNDrihqECB63aCPu +I9Vwzm1RaRDuoXrC0SIxwoKF0vJVdlB8JXrJhFwLrN1CTivngqIkicuQstDuI7pm +TLtipPlTWmR7fJj6o0ieD5Wupxj0auwuA0Wv8HT4Ks16XdG+RCYyKfHx9WzMfgIh +C59vpD++nVPiz32pLHxYGpfhPTc3GGYo0kDFUYqMwy3OU4gkWGQwFsWq4NYKpkDf +ePb1BHxpE4S80dGnBs8B92jAqFe7OmGtBIyT46388NtEbVncSVmurJqZNjBBe3Yz +IoejwpKGbvlw7q6Hh5UbxHq9MfPU0uWZ/75I7HX1eBYdpnDBfzwboZL7z8g81sWT +Co/1VTp2lc5ZmIoJlXcymoO6LAQ6l73UL77XbJuiyn1tJslV1c/DeVIICZkHJC1k +JWumIWmbat10TWuXekG9qxf5kBdIjzb5LdXF2+6qhUVB+s06RbFo5jZMm5BX7CO5 +hwjCxAnxl4YqKE3idMDaxIzb3+KhF1nOJFl0Mdp//TBt2dzhauH8XwIDAQABo4IB +GjCCARYwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYE +FBiHVuBud+4kNTxOc5of1uHieX4rMB8GA1UdIwQYMBaAFBiHVuBud+4kNTxOc5of +1uHieX4rMEQGA1UdIAQ9MDswOQYEVR0gADAxMC8GCCsGAQUFBwIBFiNodHRwczov +L3d3d3cuY2VydGlnbmEuZnIvYXV0b3JpdGVzLzBtBgNVHR8EZjBkMC+gLaArhilo +dHRwOi8vY3JsLmNlcnRpZ25hLmZyL2NlcnRpZ25hcm9vdGNhLmNybDAxoC+gLYYr +aHR0cDovL2NybC5kaGlteW90aXMuY29tL2NlcnRpZ25hcm9vdGNhLmNybDANBgkq +hkiG9w0BAQsFAAOCAgEAlLieT/DjlQgi581oQfccVdV8AOItOoldaDgvUSILSo3L +6btdPrtcPbEo/uRTVRPPoZAbAh1fZkYJMyjhDSSXcNMQH+pkV5a7XdrnxIxPTGRG +HVyH41neQtGbqH6mid2PHMkwgu07nM3A6RngatgCdTer9zQoKJHyBApPNeNgJgH6 +0BGM+RFq7q89w1DTj18zeTyGqHNFkIwgtnJzFyO+B2XleJINugHA64wcZr+shncB +lA2c5uk5jR+mUYyZDDl34bSb+hxnV29qao6pK0xXeXpXIs/NX2NGjVxZOob4Mkdi +o2cNGJHc+6Zr9UhhcyNZjgKnvETq9Emd8VRY+WCv2hikLyhF3HqgiIZd8zvn/yk1 +gPxkQ5Tm4xxvvq0OKmOZK8l+hfZx6AYDlf7ej0gcWtSS6Cvu5zHbugRqh5jnxV/v +faci9wHYTfmJ0A6aBVmknpjZbyvKcL5kwlWj9Omvw5Ip3IgWJJk8jSaYtlu3zM63 +Nwf9JtmYhST/WSMDmu2dnajkXjjO11INb9I/bbEFa0nOipFGc/T2L/Coc3cOZayh +jWZSaX5LaAzHHjcng6WMxwLkFM1JAbBzs/3GkDpv0mztO+7skb6iQ12LAEpmJURw +3kAP+HwV96LOPNdeE4yBFxgX0b3xdxA61GU5wSesVywlVP+i2k+KYTlerj1KjL0= +-----END CERTIFICATE----- diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/core.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/core.py new file mode 100644 index 0000000..2d02ea4 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/core.py @@ -0,0 +1,20 @@ +#!/usr/bin/env python +# -*- coding: utf-8 -*- + +""" +certifi.py +~~~~~~~~~~ + +This module returns the installation location of cacert.pem. +""" +import os + + +def where(): + f = os.path.dirname(__file__) + + return os.path.join(f, 'cacert.pem') + + +if __name__ == '__main__': + print(where()) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/__init__.py new file mode 100644 index 0000000..0f9f820 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/__init__.py @@ -0,0 +1,39 @@ +######################## BEGIN LICENSE BLOCK ######################## +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + + +from .compat import PY2, PY3 +from .universaldetector import UniversalDetector +from .version import __version__, VERSION + + +def detect(byte_str): + """ + Detect the encoding of the given byte string. + + :param byte_str: The byte sequence to examine. + :type byte_str: ``bytes`` or ``bytearray`` + """ + if not isinstance(byte_str, bytearray): + if not isinstance(byte_str, bytes): + raise TypeError('Expected object of type bytes or bytearray, got: ' + '{0}'.format(type(byte_str))) + else: + byte_str = bytearray(byte_str) + detector = UniversalDetector() + detector.feed(byte_str) + return detector.close() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/big5freq.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/big5freq.py new file mode 100644 index 0000000..38f3251 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/big5freq.py @@ -0,0 +1,386 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +# Big5 frequency table +# by Taiwan's Mandarin Promotion Council +# <http://www.edu.tw:81/mandr/> +# +# 128 --> 0.42261 +# 256 --> 0.57851 +# 512 --> 0.74851 +# 1024 --> 0.89384 +# 2048 --> 0.97583 +# +# Ideal Distribution Ratio = 0.74851/(1-0.74851) =2.98 +# Random Distribution Ration = 512/(5401-512)=0.105 +# +# Typical Distribution Ratio about 25% of Ideal one, still much higher than RDR + +BIG5_TYPICAL_DISTRIBUTION_RATIO = 0.75 + +#Char to FreqOrder table +BIG5_TABLE_SIZE = 5376 + +BIG5_CHAR_TO_FREQ_ORDER = ( + 1,1801,1506, 255,1431, 198, 9, 82, 6,5008, 177, 202,3681,1256,2821, 110, # 16 +3814, 33,3274, 261, 76, 44,2114, 16,2946,2187,1176, 659,3971, 26,3451,2653, # 32 +1198,3972,3350,4202, 410,2215, 302, 590, 361,1964, 8, 204, 58,4510,5009,1932, # 48 + 63,5010,5011, 317,1614, 75, 222, 159,4203,2417,1480,5012,3555,3091, 224,2822, # 64 +3682, 3, 10,3973,1471, 29,2787,1135,2866,1940, 873, 130,3275,1123, 312,5013, # 80 +4511,2052, 507, 252, 682,5014, 142,1915, 124, 206,2947, 34,3556,3204, 64, 604, # 96 +5015,2501,1977,1978, 155,1991, 645, 641,1606,5016,3452, 337, 72, 406,5017, 80, # 112 + 630, 238,3205,1509, 263, 939,1092,2654, 756,1440,1094,3453, 449, 69,2987, 591, # 128 + 179,2096, 471, 115,2035,1844, 60, 50,2988, 134, 806,1869, 734,2036,3454, 180, # 144 + 995,1607, 156, 537,2907, 688,5018, 319,1305, 779,2145, 514,2379, 298,4512, 359, # 160 +2502, 90,2716,1338, 663, 11, 906,1099,2553, 20,2441, 182, 532,1716,5019, 732, # 176 +1376,4204,1311,1420,3206, 25,2317,1056, 113, 399, 382,1950, 242,3455,2474, 529, # 192 +3276, 475,1447,3683,5020, 117, 21, 656, 810,1297,2300,2334,3557,5021, 126,4205, # 208 + 706, 456, 150, 613,4513, 71,1118,2037,4206, 145,3092, 85, 835, 486,2115,1246, # 224 +1426, 428, 727,1285,1015, 800, 106, 623, 303,1281,5022,2128,2359, 347,3815, 221, # 240 +3558,3135,5023,1956,1153,4207, 83, 296,1199,3093, 192, 624, 93,5024, 822,1898, # 256 +2823,3136, 795,2065, 991,1554,1542,1592, 27, 43,2867, 859, 139,1456, 860,4514, # 272 + 437, 712,3974, 164,2397,3137, 695, 211,3037,2097, 195,3975,1608,3559,3560,3684, # 288 +3976, 234, 811,2989,2098,3977,2233,1441,3561,1615,2380, 668,2077,1638, 305, 228, # 304 +1664,4515, 467, 415,5025, 262,2099,1593, 239, 108, 300, 200,1033, 512,1247,2078, # 320 +5026,5027,2176,3207,3685,2682, 593, 845,1062,3277, 88,1723,2038,3978,1951, 212, # 336 + 266, 152, 149, 468,1899,4208,4516, 77, 187,5028,3038, 37, 5,2990,5029,3979, # 352 +5030,5031, 39,2524,4517,2908,3208,2079, 55, 148, 74,4518, 545, 483,1474,1029, # 368 +1665, 217,1870,1531,3138,1104,2655,4209, 24, 172,3562, 900,3980,3563,3564,4519, # 384 + 32,1408,2824,1312, 329, 487,2360,2251,2717, 784,2683, 4,3039,3351,1427,1789, # 400 + 188, 109, 499,5032,3686,1717,1790, 888,1217,3040,4520,5033,3565,5034,3352,1520, # 416 +3687,3981, 196,1034, 775,5035,5036, 929,1816, 249, 439, 38,5037,1063,5038, 794, # 432 +3982,1435,2301, 46, 178,3278,2066,5039,2381,5040, 214,1709,4521, 804, 35, 707, # 448 + 324,3688,1601,2554, 140, 459,4210,5041,5042,1365, 839, 272, 978,2262,2580,3456, # 464 +2129,1363,3689,1423, 697, 100,3094, 48, 70,1231, 495,3139,2196,5043,1294,5044, # 480 +2080, 462, 586,1042,3279, 853, 256, 988, 185,2382,3457,1698, 434,1084,5045,3458, # 496 + 314,2625,2788,4522,2335,2336, 569,2285, 637,1817,2525, 757,1162,1879,1616,3459, # 512 + 287,1577,2116, 768,4523,1671,2868,3566,2526,1321,3816, 909,2418,5046,4211, 933, # 528 +3817,4212,2053,2361,1222,4524, 765,2419,1322, 786,4525,5047,1920,1462,1677,2909, # 544 +1699,5048,4526,1424,2442,3140,3690,2600,3353,1775,1941,3460,3983,4213, 309,1369, # 560 +1130,2825, 364,2234,1653,1299,3984,3567,3985,3986,2656, 525,1085,3041, 902,2001, # 576 +1475, 964,4527, 421,1845,1415,1057,2286, 940,1364,3141, 376,4528,4529,1381, 7, # 592 +2527, 983,2383, 336,1710,2684,1846, 321,3461, 559,1131,3042,2752,1809,1132,1313, # 608 + 265,1481,1858,5049, 352,1203,2826,3280, 167,1089, 420,2827, 776, 792,1724,3568, # 624 +4214,2443,3281,5050,4215,5051, 446, 229, 333,2753, 901,3818,1200,1557,4530,2657, # 640 +1921, 395,2754,2685,3819,4216,1836, 125, 916,3209,2626,4531,5052,5053,3820,5054, # 656 +5055,5056,4532,3142,3691,1133,2555,1757,3462,1510,2318,1409,3569,5057,2146, 438, # 672 +2601,2910,2384,3354,1068, 958,3043, 461, 311,2869,2686,4217,1916,3210,4218,1979, # 688 + 383, 750,2755,2627,4219, 274, 539, 385,1278,1442,5058,1154,1965, 384, 561, 210, # 704 + 98,1295,2556,3570,5059,1711,2420,1482,3463,3987,2911,1257, 129,5060,3821, 642, # 720 + 523,2789,2790,2658,5061, 141,2235,1333, 68, 176, 441, 876, 907,4220, 603,2602, # 736 + 710, 171,3464, 404, 549, 18,3143,2398,1410,3692,1666,5062,3571,4533,2912,4534, # 752 +5063,2991, 368,5064, 146, 366, 99, 871,3693,1543, 748, 807,1586,1185, 22,2263, # 768 + 379,3822,3211,5065,3212, 505,1942,2628,1992,1382,2319,5066, 380,2362, 218, 702, # 784 +1818,1248,3465,3044,3572,3355,3282,5067,2992,3694, 930,3283,3823,5068, 59,5069, # 800 + 585, 601,4221, 497,3466,1112,1314,4535,1802,5070,1223,1472,2177,5071, 749,1837, # 816 + 690,1900,3824,1773,3988,1476, 429,1043,1791,2236,2117, 917,4222, 447,1086,1629, # 832 +5072, 556,5073,5074,2021,1654, 844,1090, 105, 550, 966,1758,2828,1008,1783, 686, # 848 +1095,5075,2287, 793,1602,5076,3573,2603,4536,4223,2948,2302,4537,3825, 980,2503, # 864 + 544, 353, 527,4538, 908,2687,2913,5077, 381,2629,1943,1348,5078,1341,1252, 560, # 880 +3095,5079,3467,2870,5080,2054, 973, 886,2081, 143,4539,5081,5082, 157,3989, 496, # 896 +4224, 57, 840, 540,2039,4540,4541,3468,2118,1445, 970,2264,1748,1966,2082,4225, # 912 +3144,1234,1776,3284,2829,3695, 773,1206,2130,1066,2040,1326,3990,1738,1725,4226, # 928 + 279,3145, 51,1544,2604, 423,1578,2131,2067, 173,4542,1880,5083,5084,1583, 264, # 944 + 610,3696,4543,2444, 280, 154,5085,5086,5087,1739, 338,1282,3096, 693,2871,1411, # 960 +1074,3826,2445,5088,4544,5089,5090,1240, 952,2399,5091,2914,1538,2688, 685,1483, # 976 +4227,2475,1436, 953,4228,2055,4545, 671,2400, 79,4229,2446,3285, 608, 567,2689, # 992 +3469,4230,4231,1691, 393,1261,1792,2401,5092,4546,5093,5094,5095,5096,1383,1672, # 1008 +3827,3213,1464, 522,1119, 661,1150, 216, 675,4547,3991,1432,3574, 609,4548,2690, # 1024 +2402,5097,5098,5099,4232,3045, 0,5100,2476, 315, 231,2447, 301,3356,4549,2385, # 1040 +5101, 233,4233,3697,1819,4550,4551,5102, 96,1777,1315,2083,5103, 257,5104,1810, # 1056 +3698,2718,1139,1820,4234,2022,1124,2164,2791,1778,2659,5105,3097, 363,1655,3214, # 1072 +5106,2993,5107,5108,5109,3992,1567,3993, 718, 103,3215, 849,1443, 341,3357,2949, # 1088 +1484,5110,1712, 127, 67, 339,4235,2403, 679,1412, 821,5111,5112, 834, 738, 351, # 1104 +2994,2147, 846, 235,1497,1881, 418,1993,3828,2719, 186,1100,2148,2756,3575,1545, # 1120 +1355,2950,2872,1377, 583,3994,4236,2581,2995,5113,1298,3699,1078,2557,3700,2363, # 1136 + 78,3829,3830, 267,1289,2100,2002,1594,4237, 348, 369,1274,2197,2178,1838,4552, # 1152 +1821,2830,3701,2757,2288,2003,4553,2951,2758, 144,3358, 882,4554,3995,2759,3470, # 1168 +4555,2915,5114,4238,1726, 320,5115,3996,3046, 788,2996,5116,2831,1774,1327,2873, # 1184 +3997,2832,5117,1306,4556,2004,1700,3831,3576,2364,2660, 787,2023, 506, 824,3702, # 1200 + 534, 323,4557,1044,3359,2024,1901, 946,3471,5118,1779,1500,1678,5119,1882,4558, # 1216 + 165, 243,4559,3703,2528, 123, 683,4239, 764,4560, 36,3998,1793, 589,2916, 816, # 1232 + 626,1667,3047,2237,1639,1555,1622,3832,3999,5120,4000,2874,1370,1228,1933, 891, # 1248 +2084,2917, 304,4240,5121, 292,2997,2720,3577, 691,2101,4241,1115,4561, 118, 662, # 1264 +5122, 611,1156, 854,2386,1316,2875, 2, 386, 515,2918,5123,5124,3286, 868,2238, # 1280 +1486, 855,2661, 785,2216,3048,5125,1040,3216,3578,5126,3146, 448,5127,1525,5128, # 1296 +2165,4562,5129,3833,5130,4242,2833,3579,3147, 503, 818,4001,3148,1568, 814, 676, # 1312 +1444, 306,1749,5131,3834,1416,1030, 197,1428, 805,2834,1501,4563,5132,5133,5134, # 1328 +1994,5135,4564,5136,5137,2198, 13,2792,3704,2998,3149,1229,1917,5138,3835,2132, # 1344 +5139,4243,4565,2404,3580,5140,2217,1511,1727,1120,5141,5142, 646,3836,2448, 307, # 1360 +5143,5144,1595,3217,5145,5146,5147,3705,1113,1356,4002,1465,2529,2530,5148, 519, # 1376 +5149, 128,2133, 92,2289,1980,5150,4003,1512, 342,3150,2199,5151,2793,2218,1981, # 1392 +3360,4244, 290,1656,1317, 789, 827,2365,5152,3837,4566, 562, 581,4004,5153, 401, # 1408 +4567,2252, 94,4568,5154,1399,2794,5155,1463,2025,4569,3218,1944,5156, 828,1105, # 1424 +4245,1262,1394,5157,4246, 605,4570,5158,1784,2876,5159,2835, 819,2102, 578,2200, # 1440 +2952,5160,1502, 436,3287,4247,3288,2836,4005,2919,3472,3473,5161,2721,2320,5162, # 1456 +5163,2337,2068, 23,4571, 193, 826,3838,2103, 699,1630,4248,3098, 390,1794,1064, # 1472 +3581,5164,1579,3099,3100,1400,5165,4249,1839,1640,2877,5166,4572,4573, 137,4250, # 1488 + 598,3101,1967, 780, 104, 974,2953,5167, 278, 899, 253, 402, 572, 504, 493,1339, # 1504 +5168,4006,1275,4574,2582,2558,5169,3706,3049,3102,2253, 565,1334,2722, 863, 41, # 1520 +5170,5171,4575,5172,1657,2338, 19, 463,2760,4251, 606,5173,2999,3289,1087,2085, # 1536 +1323,2662,3000,5174,1631,1623,1750,4252,2691,5175,2878, 791,2723,2663,2339, 232, # 1552 +2421,5176,3001,1498,5177,2664,2630, 755,1366,3707,3290,3151,2026,1609, 119,1918, # 1568 +3474, 862,1026,4253,5178,4007,3839,4576,4008,4577,2265,1952,2477,5179,1125, 817, # 1584 +4254,4255,4009,1513,1766,2041,1487,4256,3050,3291,2837,3840,3152,5180,5181,1507, # 1600 +5182,2692, 733, 40,1632,1106,2879, 345,4257, 841,2531, 230,4578,3002,1847,3292, # 1616 +3475,5183,1263, 986,3476,5184, 735, 879, 254,1137, 857, 622,1300,1180,1388,1562, # 1632 +4010,4011,2954, 967,2761,2665,1349, 592,2134,1692,3361,3003,1995,4258,1679,4012, # 1648 +1902,2188,5185, 739,3708,2724,1296,1290,5186,4259,2201,2202,1922,1563,2605,2559, # 1664 +1871,2762,3004,5187, 435,5188, 343,1108, 596, 17,1751,4579,2239,3477,3709,5189, # 1680 +4580, 294,3582,2955,1693, 477, 979, 281,2042,3583, 643,2043,3710,2631,2795,2266, # 1696 +1031,2340,2135,2303,3584,4581, 367,1249,2560,5190,3585,5191,4582,1283,3362,2005, # 1712 + 240,1762,3363,4583,4584, 836,1069,3153, 474,5192,2149,2532, 268,3586,5193,3219, # 1728 +1521,1284,5194,1658,1546,4260,5195,3587,3588,5196,4261,3364,2693,1685,4262, 961, # 1744 +1673,2632, 190,2006,2203,3841,4585,4586,5197, 570,2504,3711,1490,5198,4587,2633, # 1760 +3293,1957,4588, 584,1514, 396,1045,1945,5199,4589,1968,2449,5200,5201,4590,4013, # 1776 + 619,5202,3154,3294, 215,2007,2796,2561,3220,4591,3221,4592, 763,4263,3842,4593, # 1792 +5203,5204,1958,1767,2956,3365,3712,1174, 452,1477,4594,3366,3155,5205,2838,1253, # 1808 +2387,2189,1091,2290,4264, 492,5206, 638,1169,1825,2136,1752,4014, 648, 926,1021, # 1824 +1324,4595, 520,4596, 997, 847,1007, 892,4597,3843,2267,1872,3713,2405,1785,4598, # 1840 +1953,2957,3103,3222,1728,4265,2044,3714,4599,2008,1701,3156,1551, 30,2268,4266, # 1856 +5207,2027,4600,3589,5208, 501,5209,4267, 594,3478,2166,1822,3590,3479,3591,3223, # 1872 + 829,2839,4268,5210,1680,3157,1225,4269,5211,3295,4601,4270,3158,2341,5212,4602, # 1888 +4271,5213,4015,4016,5214,1848,2388,2606,3367,5215,4603, 374,4017, 652,4272,4273, # 1904 + 375,1140, 798,5216,5217,5218,2366,4604,2269, 546,1659, 138,3051,2450,4605,5219, # 1920 +2254, 612,1849, 910, 796,3844,1740,1371, 825,3845,3846,5220,2920,2562,5221, 692, # 1936 + 444,3052,2634, 801,4606,4274,5222,1491, 244,1053,3053,4275,4276, 340,5223,4018, # 1952 +1041,3005, 293,1168, 87,1357,5224,1539, 959,5225,2240, 721, 694,4277,3847, 219, # 1968 +1478, 644,1417,3368,2666,1413,1401,1335,1389,4019,5226,5227,3006,2367,3159,1826, # 1984 + 730,1515, 184,2840, 66,4607,5228,1660,2958, 246,3369, 378,1457, 226,3480, 975, # 2000 +4020,2959,1264,3592, 674, 696,5229, 163,5230,1141,2422,2167, 713,3593,3370,4608, # 2016 +4021,5231,5232,1186, 15,5233,1079,1070,5234,1522,3224,3594, 276,1050,2725, 758, # 2032 +1126, 653,2960,3296,5235,2342, 889,3595,4022,3104,3007, 903,1250,4609,4023,3481, # 2048 +3596,1342,1681,1718, 766,3297, 286, 89,2961,3715,5236,1713,5237,2607,3371,3008, # 2064 +5238,2962,2219,3225,2880,5239,4610,2505,2533, 181, 387,1075,4024, 731,2190,3372, # 2080 +5240,3298, 310, 313,3482,2304, 770,4278, 54,3054, 189,4611,3105,3848,4025,5241, # 2096 +1230,1617,1850, 355,3597,4279,4612,3373, 111,4280,3716,1350,3160,3483,3055,4281, # 2112 +2150,3299,3598,5242,2797,4026,4027,3009, 722,2009,5243,1071, 247,1207,2343,2478, # 2128 +1378,4613,2010, 864,1437,1214,4614, 373,3849,1142,2220, 667,4615, 442,2763,2563, # 2144 +3850,4028,1969,4282,3300,1840, 837, 170,1107, 934,1336,1883,5244,5245,2119,4283, # 2160 +2841, 743,1569,5246,4616,4284, 582,2389,1418,3484,5247,1803,5248, 357,1395,1729, # 2176 +3717,3301,2423,1564,2241,5249,3106,3851,1633,4617,1114,2086,4285,1532,5250, 482, # 2192 +2451,4618,5251,5252,1492, 833,1466,5253,2726,3599,1641,2842,5254,1526,1272,3718, # 2208 +4286,1686,1795, 416,2564,1903,1954,1804,5255,3852,2798,3853,1159,2321,5256,2881, # 2224 +4619,1610,1584,3056,2424,2764, 443,3302,1163,3161,5257,5258,4029,5259,4287,2506, # 2240 +3057,4620,4030,3162,2104,1647,3600,2011,1873,4288,5260,4289, 431,3485,5261, 250, # 2256 + 97, 81,4290,5262,1648,1851,1558, 160, 848,5263, 866, 740,1694,5264,2204,2843, # 2272 +3226,4291,4621,3719,1687, 950,2479, 426, 469,3227,3720,3721,4031,5265,5266,1188, # 2288 + 424,1996, 861,3601,4292,3854,2205,2694, 168,1235,3602,4293,5267,2087,1674,4622, # 2304 +3374,3303, 220,2565,1009,5268,3855, 670,3010, 332,1208, 717,5269,5270,3603,2452, # 2320 +4032,3375,5271, 513,5272,1209,2882,3376,3163,4623,1080,5273,5274,5275,5276,2534, # 2336 +3722,3604, 815,1587,4033,4034,5277,3605,3486,3856,1254,4624,1328,3058,1390,4035, # 2352 +1741,4036,3857,4037,5278, 236,3858,2453,3304,5279,5280,3723,3859,1273,3860,4625, # 2368 +5281, 308,5282,4626, 245,4627,1852,2480,1307,2583, 430, 715,2137,2454,5283, 270, # 2384 + 199,2883,4038,5284,3606,2727,1753, 761,1754, 725,1661,1841,4628,3487,3724,5285, # 2400 +5286, 587, 14,3305, 227,2608, 326, 480,2270, 943,2765,3607, 291, 650,1884,5287, # 2416 +1702,1226, 102,1547, 62,3488, 904,4629,3489,1164,4294,5288,5289,1224,1548,2766, # 2432 + 391, 498,1493,5290,1386,1419,5291,2056,1177,4630, 813, 880,1081,2368, 566,1145, # 2448 +4631,2291,1001,1035,2566,2609,2242, 394,1286,5292,5293,2069,5294, 86,1494,1730, # 2464 +4039, 491,1588, 745, 897,2963, 843,3377,4040,2767,2884,3306,1768, 998,2221,2070, # 2480 + 397,1827,1195,1970,3725,3011,3378, 284,5295,3861,2507,2138,2120,1904,5296,4041, # 2496 +2151,4042,4295,1036,3490,1905, 114,2567,4296, 209,1527,5297,5298,2964,2844,2635, # 2512 +2390,2728,3164, 812,2568,5299,3307,5300,1559, 737,1885,3726,1210, 885, 28,2695, # 2528 +3608,3862,5301,4297,1004,1780,4632,5302, 346,1982,2222,2696,4633,3863,1742, 797, # 2544 +1642,4043,1934,1072,1384,2152, 896,4044,3308,3727,3228,2885,3609,5303,2569,1959, # 2560 +4634,2455,1786,5304,5305,5306,4045,4298,1005,1308,3728,4299,2729,4635,4636,1528, # 2576 +2610, 161,1178,4300,1983, 987,4637,1101,4301, 631,4046,1157,3229,2425,1343,1241, # 2592 +1016,2243,2570, 372, 877,2344,2508,1160, 555,1935, 911,4047,5307, 466,1170, 169, # 2608 +1051,2921,2697,3729,2481,3012,1182,2012,2571,1251,2636,5308, 992,2345,3491,1540, # 2624 +2730,1201,2071,2406,1997,2482,5309,4638, 528,1923,2191,1503,1874,1570,2369,3379, # 2640 +3309,5310, 557,1073,5311,1828,3492,2088,2271,3165,3059,3107, 767,3108,2799,4639, # 2656 +1006,4302,4640,2346,1267,2179,3730,3230, 778,4048,3231,2731,1597,2667,5312,4641, # 2672 +5313,3493,5314,5315,5316,3310,2698,1433,3311, 131, 95,1504,4049, 723,4303,3166, # 2688 +1842,3610,2768,2192,4050,2028,2105,3731,5317,3013,4051,1218,5318,3380,3232,4052, # 2704 +4304,2584, 248,1634,3864, 912,5319,2845,3732,3060,3865, 654, 53,5320,3014,5321, # 2720 +1688,4642, 777,3494,1032,4053,1425,5322, 191, 820,2121,2846, 971,4643, 931,3233, # 2736 + 135, 664, 783,3866,1998, 772,2922,1936,4054,3867,4644,2923,3234, 282,2732, 640, # 2752 +1372,3495,1127, 922, 325,3381,5323,5324, 711,2045,5325,5326,4055,2223,2800,1937, # 2768 +4056,3382,2224,2255,3868,2305,5327,4645,3869,1258,3312,4057,3235,2139,2965,4058, # 2784 +4059,5328,2225, 258,3236,4646, 101,1227,5329,3313,1755,5330,1391,3314,5331,2924, # 2800 +2057, 893,5332,5333,5334,1402,4305,2347,5335,5336,3237,3611,5337,5338, 878,1325, # 2816 +1781,2801,4647, 259,1385,2585, 744,1183,2272,4648,5339,4060,2509,5340, 684,1024, # 2832 +4306,5341, 472,3612,3496,1165,3315,4061,4062, 322,2153, 881, 455,1695,1152,1340, # 2848 + 660, 554,2154,4649,1058,4650,4307, 830,1065,3383,4063,4651,1924,5342,1703,1919, # 2864 +5343, 932,2273, 122,5344,4652, 947, 677,5345,3870,2637, 297,1906,1925,2274,4653, # 2880 +2322,3316,5346,5347,4308,5348,4309, 84,4310, 112, 989,5349, 547,1059,4064, 701, # 2896 +3613,1019,5350,4311,5351,3497, 942, 639, 457,2306,2456, 993,2966, 407, 851, 494, # 2912 +4654,3384, 927,5352,1237,5353,2426,3385, 573,4312, 680, 921,2925,1279,1875, 285, # 2928 + 790,1448,1984, 719,2168,5354,5355,4655,4065,4066,1649,5356,1541, 563,5357,1077, # 2944 +5358,3386,3061,3498, 511,3015,4067,4068,3733,4069,1268,2572,3387,3238,4656,4657, # 2960 +5359, 535,1048,1276,1189,2926,2029,3167,1438,1373,2847,2967,1134,2013,5360,4313, # 2976 +1238,2586,3109,1259,5361, 700,5362,2968,3168,3734,4314,5363,4315,1146,1876,1907, # 2992 +4658,2611,4070, 781,2427, 132,1589, 203, 147, 273,2802,2407, 898,1787,2155,4071, # 3008 +4072,5364,3871,2803,5365,5366,4659,4660,5367,3239,5368,1635,3872, 965,5369,1805, # 3024 +2699,1516,3614,1121,1082,1329,3317,4073,1449,3873, 65,1128,2848,2927,2769,1590, # 3040 +3874,5370,5371, 12,2668, 45, 976,2587,3169,4661, 517,2535,1013,1037,3240,5372, # 3056 +3875,2849,5373,3876,5374,3499,5375,2612, 614,1999,2323,3877,3110,2733,2638,5376, # 3072 +2588,4316, 599,1269,5377,1811,3735,5378,2700,3111, 759,1060, 489,1806,3388,3318, # 3088 +1358,5379,5380,2391,1387,1215,2639,2256, 490,5381,5382,4317,1759,2392,2348,5383, # 3104 +4662,3878,1908,4074,2640,1807,3241,4663,3500,3319,2770,2349, 874,5384,5385,3501, # 3120 +3736,1859, 91,2928,3737,3062,3879,4664,5386,3170,4075,2669,5387,3502,1202,1403, # 3136 +3880,2969,2536,1517,2510,4665,3503,2511,5388,4666,5389,2701,1886,1495,1731,4076, # 3152 +2370,4667,5390,2030,5391,5392,4077,2702,1216, 237,2589,4318,2324,4078,3881,4668, # 3168 +4669,2703,3615,3504, 445,4670,5393,5394,5395,5396,2771, 61,4079,3738,1823,4080, # 3184 +5397, 687,2046, 935, 925, 405,2670, 703,1096,1860,2734,4671,4081,1877,1367,2704, # 3200 +3389, 918,2106,1782,2483, 334,3320,1611,1093,4672, 564,3171,3505,3739,3390, 945, # 3216 +2641,2058,4673,5398,1926, 872,4319,5399,3506,2705,3112, 349,4320,3740,4082,4674, # 3232 +3882,4321,3741,2156,4083,4675,4676,4322,4677,2408,2047, 782,4084, 400, 251,4323, # 3248 +1624,5400,5401, 277,3742, 299,1265, 476,1191,3883,2122,4324,4325,1109, 205,5402, # 3264 +2590,1000,2157,3616,1861,5403,5404,5405,4678,5406,4679,2573, 107,2484,2158,4085, # 3280 +3507,3172,5407,1533, 541,1301, 158, 753,4326,2886,3617,5408,1696, 370,1088,4327, # 3296 +4680,3618, 579, 327, 440, 162,2244, 269,1938,1374,3508, 968,3063, 56,1396,3113, # 3312 +2107,3321,3391,5409,1927,2159,4681,3016,5410,3619,5411,5412,3743,4682,2485,5413, # 3328 +2804,5414,1650,4683,5415,2613,5416,5417,4086,2671,3392,1149,3393,4087,3884,4088, # 3344 +5418,1076, 49,5419, 951,3242,3322,3323, 450,2850, 920,5420,1812,2805,2371,4328, # 3360 +1909,1138,2372,3885,3509,5421,3243,4684,1910,1147,1518,2428,4685,3886,5422,4686, # 3376 +2393,2614, 260,1796,3244,5423,5424,3887,3324, 708,5425,3620,1704,5426,3621,1351, # 3392 +1618,3394,3017,1887, 944,4329,3395,4330,3064,3396,4331,5427,3744, 422, 413,1714, # 3408 +3325, 500,2059,2350,4332,2486,5428,1344,1911, 954,5429,1668,5430,5431,4089,2409, # 3424 +4333,3622,3888,4334,5432,2307,1318,2512,3114, 133,3115,2887,4687, 629, 31,2851, # 3440 +2706,3889,4688, 850, 949,4689,4090,2970,1732,2089,4335,1496,1853,5433,4091, 620, # 3456 +3245, 981,1242,3745,3397,1619,3746,1643,3326,2140,2457,1971,1719,3510,2169,5434, # 3472 +3246,5435,5436,3398,1829,5437,1277,4690,1565,2048,5438,1636,3623,3116,5439, 869, # 3488 +2852, 655,3890,3891,3117,4092,3018,3892,1310,3624,4691,5440,5441,5442,1733, 558, # 3504 +4692,3747, 335,1549,3065,1756,4336,3748,1946,3511,1830,1291,1192, 470,2735,2108, # 3520 +2806, 913,1054,4093,5443,1027,5444,3066,4094,4693, 982,2672,3399,3173,3512,3247, # 3536 +3248,1947,2807,5445, 571,4694,5446,1831,5447,3625,2591,1523,2429,5448,2090, 984, # 3552 +4695,3749,1960,5449,3750, 852, 923,2808,3513,3751, 969,1519, 999,2049,2325,1705, # 3568 +5450,3118, 615,1662, 151, 597,4095,2410,2326,1049, 275,4696,3752,4337, 568,3753, # 3584 +3626,2487,4338,3754,5451,2430,2275, 409,3249,5452,1566,2888,3514,1002, 769,2853, # 3600 + 194,2091,3174,3755,2226,3327,4339, 628,1505,5453,5454,1763,2180,3019,4096, 521, # 3616 +1161,2592,1788,2206,2411,4697,4097,1625,4340,4341, 412, 42,3119, 464,5455,2642, # 3632 +4698,3400,1760,1571,2889,3515,2537,1219,2207,3893,2643,2141,2373,4699,4700,3328, # 3648 +1651,3401,3627,5456,5457,3628,2488,3516,5458,3756,5459,5460,2276,2092, 460,5461, # 3664 +4701,5462,3020, 962, 588,3629, 289,3250,2644,1116, 52,5463,3067,1797,5464,5465, # 3680 +5466,1467,5467,1598,1143,3757,4342,1985,1734,1067,4702,1280,3402, 465,4703,1572, # 3696 + 510,5468,1928,2245,1813,1644,3630,5469,4704,3758,5470,5471,2673,1573,1534,5472, # 3712 +5473, 536,1808,1761,3517,3894,3175,2645,5474,5475,5476,4705,3518,2929,1912,2809, # 3728 +5477,3329,1122, 377,3251,5478, 360,5479,5480,4343,1529, 551,5481,2060,3759,1769, # 3744 +2431,5482,2930,4344,3330,3120,2327,2109,2031,4706,1404, 136,1468,1479, 672,1171, # 3760 +3252,2308, 271,3176,5483,2772,5484,2050, 678,2736, 865,1948,4707,5485,2014,4098, # 3776 +2971,5486,2737,2227,1397,3068,3760,4708,4709,1735,2931,3403,3631,5487,3895, 509, # 3792 +2854,2458,2890,3896,5488,5489,3177,3178,4710,4345,2538,4711,2309,1166,1010, 552, # 3808 + 681,1888,5490,5491,2972,2973,4099,1287,1596,1862,3179, 358, 453, 736, 175, 478, # 3824 +1117, 905,1167,1097,5492,1854,1530,5493,1706,5494,2181,3519,2292,3761,3520,3632, # 3840 +4346,2093,4347,5495,3404,1193,2489,4348,1458,2193,2208,1863,1889,1421,3331,2932, # 3856 +3069,2182,3521, 595,2123,5496,4100,5497,5498,4349,1707,2646, 223,3762,1359, 751, # 3872 +3121, 183,3522,5499,2810,3021, 419,2374, 633, 704,3897,2394, 241,5500,5501,5502, # 3888 + 838,3022,3763,2277,2773,2459,3898,1939,2051,4101,1309,3122,2246,1181,5503,1136, # 3904 +2209,3899,2375,1446,4350,2310,4712,5504,5505,4351,1055,2615, 484,3764,5506,4102, # 3920 + 625,4352,2278,3405,1499,4353,4103,5507,4104,4354,3253,2279,2280,3523,5508,5509, # 3936 +2774, 808,2616,3765,3406,4105,4355,3123,2539, 526,3407,3900,4356, 955,5510,1620, # 3952 +4357,2647,2432,5511,1429,3766,1669,1832, 994, 928,5512,3633,1260,5513,5514,5515, # 3968 +1949,2293, 741,2933,1626,4358,2738,2460, 867,1184, 362,3408,1392,5516,5517,4106, # 3984 +4359,1770,1736,3254,2934,4713,4714,1929,2707,1459,1158,5518,3070,3409,2891,1292, # 4000 +1930,2513,2855,3767,1986,1187,2072,2015,2617,4360,5519,2574,2514,2170,3768,2490, # 4016 +3332,5520,3769,4715,5521,5522, 666,1003,3023,1022,3634,4361,5523,4716,1814,2257, # 4032 + 574,3901,1603, 295,1535, 705,3902,4362, 283, 858, 417,5524,5525,3255,4717,4718, # 4048 +3071,1220,1890,1046,2281,2461,4107,1393,1599, 689,2575, 388,4363,5526,2491, 802, # 4064 +5527,2811,3903,2061,1405,2258,5528,4719,3904,2110,1052,1345,3256,1585,5529, 809, # 4080 +5530,5531,5532, 575,2739,3524, 956,1552,1469,1144,2328,5533,2329,1560,2462,3635, # 4096 +3257,4108, 616,2210,4364,3180,2183,2294,5534,1833,5535,3525,4720,5536,1319,3770, # 4112 +3771,1211,3636,1023,3258,1293,2812,5537,5538,5539,3905, 607,2311,3906, 762,2892, # 4128 +1439,4365,1360,4721,1485,3072,5540,4722,1038,4366,1450,2062,2648,4367,1379,4723, # 4144 +2593,5541,5542,4368,1352,1414,2330,2935,1172,5543,5544,3907,3908,4724,1798,1451, # 4160 +5545,5546,5547,5548,2936,4109,4110,2492,2351, 411,4111,4112,3637,3333,3124,4725, # 4176 +1561,2674,1452,4113,1375,5549,5550, 47,2974, 316,5551,1406,1591,2937,3181,5552, # 4192 +1025,2142,3125,3182, 354,2740, 884,2228,4369,2412, 508,3772, 726,3638, 996,2433, # 4208 +3639, 729,5553, 392,2194,1453,4114,4726,3773,5554,5555,2463,3640,2618,1675,2813, # 4224 + 919,2352,2975,2353,1270,4727,4115, 73,5556,5557, 647,5558,3259,2856,2259,1550, # 4240 +1346,3024,5559,1332, 883,3526,5560,5561,5562,5563,3334,2775,5564,1212, 831,1347, # 4256 +4370,4728,2331,3909,1864,3073, 720,3910,4729,4730,3911,5565,4371,5566,5567,4731, # 4272 +5568,5569,1799,4732,3774,2619,4733,3641,1645,2376,4734,5570,2938, 669,2211,2675, # 4288 +2434,5571,2893,5572,5573,1028,3260,5574,4372,2413,5575,2260,1353,5576,5577,4735, # 4304 +3183, 518,5578,4116,5579,4373,1961,5580,2143,4374,5581,5582,3025,2354,2355,3912, # 4320 + 516,1834,1454,4117,2708,4375,4736,2229,2620,1972,1129,3642,5583,2776,5584,2976, # 4336 +1422, 577,1470,3026,1524,3410,5585,5586, 432,4376,3074,3527,5587,2594,1455,2515, # 4352 +2230,1973,1175,5588,1020,2741,4118,3528,4737,5589,2742,5590,1743,1361,3075,3529, # 4368 +2649,4119,4377,4738,2295, 895, 924,4378,2171, 331,2247,3076, 166,1627,3077,1098, # 4384 +5591,1232,2894,2231,3411,4739, 657, 403,1196,2377, 542,3775,3412,1600,4379,3530, # 4400 +5592,4740,2777,3261, 576, 530,1362,4741,4742,2540,2676,3776,4120,5593, 842,3913, # 4416 +5594,2814,2032,1014,4121, 213,2709,3413, 665, 621,4380,5595,3777,2939,2435,5596, # 4432 +2436,3335,3643,3414,4743,4381,2541,4382,4744,3644,1682,4383,3531,1380,5597, 724, # 4448 +2282, 600,1670,5598,1337,1233,4745,3126,2248,5599,1621,4746,5600, 651,4384,5601, # 4464 +1612,4385,2621,5602,2857,5603,2743,2312,3078,5604, 716,2464,3079, 174,1255,2710, # 4480 +4122,3645, 548,1320,1398, 728,4123,1574,5605,1891,1197,3080,4124,5606,3081,3082, # 4496 +3778,3646,3779, 747,5607, 635,4386,4747,5608,5609,5610,4387,5611,5612,4748,5613, # 4512 +3415,4749,2437, 451,5614,3780,2542,2073,4388,2744,4389,4125,5615,1764,4750,5616, # 4528 +4390, 350,4751,2283,2395,2493,5617,4391,4126,2249,1434,4127, 488,4752, 458,4392, # 4544 +4128,3781, 771,1330,2396,3914,2576,3184,2160,2414,1553,2677,3185,4393,5618,2494, # 4560 +2895,2622,1720,2711,4394,3416,4753,5619,2543,4395,5620,3262,4396,2778,5621,2016, # 4576 +2745,5622,1155,1017,3782,3915,5623,3336,2313, 201,1865,4397,1430,5624,4129,5625, # 4592 +5626,5627,5628,5629,4398,1604,5630, 414,1866, 371,2595,4754,4755,3532,2017,3127, # 4608 +4756,1708, 960,4399, 887, 389,2172,1536,1663,1721,5631,2232,4130,2356,2940,1580, # 4624 +5632,5633,1744,4757,2544,4758,4759,5634,4760,5635,2074,5636,4761,3647,3417,2896, # 4640 +4400,5637,4401,2650,3418,2815, 673,2712,2465, 709,3533,4131,3648,4402,5638,1148, # 4656 + 502, 634,5639,5640,1204,4762,3649,1575,4763,2623,3783,5641,3784,3128, 948,3263, # 4672 + 121,1745,3916,1110,5642,4403,3083,2516,3027,4132,3785,1151,1771,3917,1488,4133, # 4688 +1987,5643,2438,3534,5644,5645,2094,5646,4404,3918,1213,1407,2816, 531,2746,2545, # 4704 +3264,1011,1537,4764,2779,4405,3129,1061,5647,3786,3787,1867,2897,5648,2018, 120, # 4720 +4406,4407,2063,3650,3265,2314,3919,2678,3419,1955,4765,4134,5649,3535,1047,2713, # 4736 +1266,5650,1368,4766,2858, 649,3420,3920,2546,2747,1102,2859,2679,5651,5652,2000, # 4752 +5653,1111,3651,2977,5654,2495,3921,3652,2817,1855,3421,3788,5655,5656,3422,2415, # 4768 +2898,3337,3266,3653,5657,2577,5658,3654,2818,4135,1460, 856,5659,3655,5660,2899, # 4784 +2978,5661,2900,3922,5662,4408, 632,2517, 875,3923,1697,3924,2296,5663,5664,4767, # 4800 +3028,1239, 580,4768,4409,5665, 914, 936,2075,1190,4136,1039,2124,5666,5667,5668, # 4816 +5669,3423,1473,5670,1354,4410,3925,4769,2173,3084,4137, 915,3338,4411,4412,3339, # 4832 +1605,1835,5671,2748, 398,3656,4413,3926,4138, 328,1913,2860,4139,3927,1331,4414, # 4848 +3029, 937,4415,5672,3657,4140,4141,3424,2161,4770,3425, 524, 742, 538,3085,1012, # 4864 +5673,5674,3928,2466,5675, 658,1103, 225,3929,5676,5677,4771,5678,4772,5679,3267, # 4880 +1243,5680,4142, 963,2250,4773,5681,2714,3658,3186,5682,5683,2596,2332,5684,4774, # 4896 +5685,5686,5687,3536, 957,3426,2547,2033,1931,2941,2467, 870,2019,3659,1746,2780, # 4912 +2781,2439,2468,5688,3930,5689,3789,3130,3790,3537,3427,3791,5690,1179,3086,5691, # 4928 +3187,2378,4416,3792,2548,3188,3131,2749,4143,5692,3428,1556,2549,2297, 977,2901, # 4944 +2034,4144,1205,3429,5693,1765,3430,3189,2125,1271, 714,1689,4775,3538,5694,2333, # 4960 +3931, 533,4417,3660,2184, 617,5695,2469,3340,3539,2315,5696,5697,3190,5698,5699, # 4976 +3932,1988, 618, 427,2651,3540,3431,5700,5701,1244,1690,5702,2819,4418,4776,5703, # 4992 +3541,4777,5704,2284,1576, 473,3661,4419,3432, 972,5705,3662,5706,3087,5707,5708, # 5008 +4778,4779,5709,3793,4145,4146,5710, 153,4780, 356,5711,1892,2902,4420,2144, 408, # 5024 + 803,2357,5712,3933,5713,4421,1646,2578,2518,4781,4782,3934,5714,3935,4422,5715, # 5040 +2416,3433, 752,5716,5717,1962,3341,2979,5718, 746,3030,2470,4783,4423,3794, 698, # 5056 +4784,1893,4424,3663,2550,4785,3664,3936,5719,3191,3434,5720,1824,1302,4147,2715, # 5072 +3937,1974,4425,5721,4426,3192, 823,1303,1288,1236,2861,3542,4148,3435, 774,3938, # 5088 +5722,1581,4786,1304,2862,3939,4787,5723,2440,2162,1083,3268,4427,4149,4428, 344, # 5104 +1173, 288,2316, 454,1683,5724,5725,1461,4788,4150,2597,5726,5727,4789, 985, 894, # 5120 +5728,3436,3193,5729,1914,2942,3795,1989,5730,2111,1975,5731,4151,5732,2579,1194, # 5136 + 425,5733,4790,3194,1245,3796,4429,5734,5735,2863,5736, 636,4791,1856,3940, 760, # 5152 +1800,5737,4430,2212,1508,4792,4152,1894,1684,2298,5738,5739,4793,4431,4432,2213, # 5168 + 479,5740,5741, 832,5742,4153,2496,5743,2980,2497,3797, 990,3132, 627,1815,2652, # 5184 +4433,1582,4434,2126,2112,3543,4794,5744, 799,4435,3195,5745,4795,2113,1737,3031, # 5200 +1018, 543, 754,4436,3342,1676,4796,4797,4154,4798,1489,5746,3544,5747,2624,2903, # 5216 +4155,5748,5749,2981,5750,5751,5752,5753,3196,4799,4800,2185,1722,5754,3269,3270, # 5232 +1843,3665,1715, 481, 365,1976,1857,5755,5756,1963,2498,4801,5757,2127,3666,3271, # 5248 + 433,1895,2064,2076,5758, 602,2750,5759,5760,5761,5762,5763,3032,1628,3437,5764, # 5264 +3197,4802,4156,2904,4803,2519,5765,2551,2782,5766,5767,5768,3343,4804,2905,5769, # 5280 +4805,5770,2864,4806,4807,1221,2982,4157,2520,5771,5772,5773,1868,1990,5774,5775, # 5296 +5776,1896,5777,5778,4808,1897,4158, 318,5779,2095,4159,4437,5780,5781, 485,5782, # 5312 + 938,3941, 553,2680, 116,5783,3942,3667,5784,3545,2681,2783,3438,3344,2820,5785, # 5328 +3668,2943,4160,1747,2944,2983,5786,5787, 207,5788,4809,5789,4810,2521,5790,3033, # 5344 + 890,3669,3943,5791,1878,3798,3439,5792,2186,2358,3440,1652,5793,5794,5795, 941, # 5360 +2299, 208,3546,4161,2020, 330,4438,3944,2906,2499,3799,4439,4811,5796,5797,5798, # 5376 +) + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/big5prober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/big5prober.py new file mode 100644 index 0000000..98f9970 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/big5prober.py @@ -0,0 +1,47 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .mbcharsetprober import MultiByteCharSetProber +from .codingstatemachine import CodingStateMachine +from .chardistribution import Big5DistributionAnalysis +from .mbcssm import BIG5_SM_MODEL + + +class Big5Prober(MultiByteCharSetProber): + def __init__(self): + super(Big5Prober, self).__init__() + self.coding_sm = CodingStateMachine(BIG5_SM_MODEL) + self.distribution_analyzer = Big5DistributionAnalysis() + self.reset() + + @property + def charset_name(self): + return "Big5" + + @property + def language(self): + return "Chinese" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/chardistribution.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/chardistribution.py new file mode 100644 index 0000000..c0395f4 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/chardistribution.py @@ -0,0 +1,233 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .euctwfreq import (EUCTW_CHAR_TO_FREQ_ORDER, EUCTW_TABLE_SIZE, + EUCTW_TYPICAL_DISTRIBUTION_RATIO) +from .euckrfreq import (EUCKR_CHAR_TO_FREQ_ORDER, EUCKR_TABLE_SIZE, + EUCKR_TYPICAL_DISTRIBUTION_RATIO) +from .gb2312freq import (GB2312_CHAR_TO_FREQ_ORDER, GB2312_TABLE_SIZE, + GB2312_TYPICAL_DISTRIBUTION_RATIO) +from .big5freq import (BIG5_CHAR_TO_FREQ_ORDER, BIG5_TABLE_SIZE, + BIG5_TYPICAL_DISTRIBUTION_RATIO) +from .jisfreq import (JIS_CHAR_TO_FREQ_ORDER, JIS_TABLE_SIZE, + JIS_TYPICAL_DISTRIBUTION_RATIO) + + +class CharDistributionAnalysis(object): + ENOUGH_DATA_THRESHOLD = 1024 + SURE_YES = 0.99 + SURE_NO = 0.01 + MINIMUM_DATA_THRESHOLD = 3 + + def __init__(self): + # Mapping table to get frequency order from char order (get from + # GetOrder()) + self._char_to_freq_order = None + self._table_size = None # Size of above table + # This is a constant value which varies from language to language, + # used in calculating confidence. See + # http://www.mozilla.org/projects/intl/UniversalCharsetDetection.html + # for further detail. + self.typical_distribution_ratio = None + self._done = None + self._total_chars = None + self._freq_chars = None + self.reset() + + def reset(self): + """reset analyser, clear any state""" + # If this flag is set to True, detection is done and conclusion has + # been made + self._done = False + self._total_chars = 0 # Total characters encountered + # The number of characters whose frequency order is less than 512 + self._freq_chars = 0 + + def feed(self, char, char_len): + """feed a character with known length""" + if char_len == 2: + # we only care about 2-bytes character in our distribution analysis + order = self.get_order(char) + else: + order = -1 + if order >= 0: + self._total_chars += 1 + # order is valid + if order < self._table_size: + if 512 > self._char_to_freq_order[order]: + self._freq_chars += 1 + + def get_confidence(self): + """return confidence based on existing data""" + # if we didn't receive any character in our consideration range, + # return negative answer + if self._total_chars <= 0 or self._freq_chars <= self.MINIMUM_DATA_THRESHOLD: + return self.SURE_NO + + if self._total_chars != self._freq_chars: + r = (self._freq_chars / ((self._total_chars - self._freq_chars) + * self.typical_distribution_ratio)) + if r < self.SURE_YES: + return r + + # normalize confidence (we don't want to be 100% sure) + return self.SURE_YES + + def got_enough_data(self): + # It is not necessary to receive all data to draw conclusion. + # For charset detection, certain amount of data is enough + return self._total_chars > self.ENOUGH_DATA_THRESHOLD + + def get_order(self, byte_str): + # We do not handle characters based on the original encoding string, + # but convert this encoding string to a number, here called order. + # This allows multiple encodings of a language to share one frequency + # table. + return -1 + + +class EUCTWDistributionAnalysis(CharDistributionAnalysis): + def __init__(self): + super(EUCTWDistributionAnalysis, self).__init__() + self._char_to_freq_order = EUCTW_CHAR_TO_FREQ_ORDER + self._table_size = EUCTW_TABLE_SIZE + self.typical_distribution_ratio = EUCTW_TYPICAL_DISTRIBUTION_RATIO + + def get_order(self, byte_str): + # for euc-TW encoding, we are interested + # first byte range: 0xc4 -- 0xfe + # second byte range: 0xa1 -- 0xfe + # no validation needed here. State machine has done that + first_char = byte_str[0] + if first_char >= 0xC4: + return 94 * (first_char - 0xC4) + byte_str[1] - 0xA1 + else: + return -1 + + +class EUCKRDistributionAnalysis(CharDistributionAnalysis): + def __init__(self): + super(EUCKRDistributionAnalysis, self).__init__() + self._char_to_freq_order = EUCKR_CHAR_TO_FREQ_ORDER + self._table_size = EUCKR_TABLE_SIZE + self.typical_distribution_ratio = EUCKR_TYPICAL_DISTRIBUTION_RATIO + + def get_order(self, byte_str): + # for euc-KR encoding, we are interested + # first byte range: 0xb0 -- 0xfe + # second byte range: 0xa1 -- 0xfe + # no validation needed here. State machine has done that + first_char = byte_str[0] + if first_char >= 0xB0: + return 94 * (first_char - 0xB0) + byte_str[1] - 0xA1 + else: + return -1 + + +class GB2312DistributionAnalysis(CharDistributionAnalysis): + def __init__(self): + super(GB2312DistributionAnalysis, self).__init__() + self._char_to_freq_order = GB2312_CHAR_TO_FREQ_ORDER + self._table_size = GB2312_TABLE_SIZE + self.typical_distribution_ratio = GB2312_TYPICAL_DISTRIBUTION_RATIO + + def get_order(self, byte_str): + # for GB2312 encoding, we are interested + # first byte range: 0xb0 -- 0xfe + # second byte range: 0xa1 -- 0xfe + # no validation needed here. State machine has done that + first_char, second_char = byte_str[0], byte_str[1] + if (first_char >= 0xB0) and (second_char >= 0xA1): + return 94 * (first_char - 0xB0) + second_char - 0xA1 + else: + return -1 + + +class Big5DistributionAnalysis(CharDistributionAnalysis): + def __init__(self): + super(Big5DistributionAnalysis, self).__init__() + self._char_to_freq_order = BIG5_CHAR_TO_FREQ_ORDER + self._table_size = BIG5_TABLE_SIZE + self.typical_distribution_ratio = BIG5_TYPICAL_DISTRIBUTION_RATIO + + def get_order(self, byte_str): + # for big5 encoding, we are interested + # first byte range: 0xa4 -- 0xfe + # second byte range: 0x40 -- 0x7e , 0xa1 -- 0xfe + # no validation needed here. State machine has done that + first_char, second_char = byte_str[0], byte_str[1] + if first_char >= 0xA4: + if second_char >= 0xA1: + return 157 * (first_char - 0xA4) + second_char - 0xA1 + 63 + else: + return 157 * (first_char - 0xA4) + second_char - 0x40 + else: + return -1 + + +class SJISDistributionAnalysis(CharDistributionAnalysis): + def __init__(self): + super(SJISDistributionAnalysis, self).__init__() + self._char_to_freq_order = JIS_CHAR_TO_FREQ_ORDER + self._table_size = JIS_TABLE_SIZE + self.typical_distribution_ratio = JIS_TYPICAL_DISTRIBUTION_RATIO + + def get_order(self, byte_str): + # for sjis encoding, we are interested + # first byte range: 0x81 -- 0x9f , 0xe0 -- 0xfe + # second byte range: 0x40 -- 0x7e, 0x81 -- oxfe + # no validation needed here. State machine has done that + first_char, second_char = byte_str[0], byte_str[1] + if (first_char >= 0x81) and (first_char <= 0x9F): + order = 188 * (first_char - 0x81) + elif (first_char >= 0xE0) and (first_char <= 0xEF): + order = 188 * (first_char - 0xE0 + 31) + else: + return -1 + order = order + second_char - 0x40 + if second_char > 0x7F: + order = -1 + return order + + +class EUCJPDistributionAnalysis(CharDistributionAnalysis): + def __init__(self): + super(EUCJPDistributionAnalysis, self).__init__() + self._char_to_freq_order = JIS_CHAR_TO_FREQ_ORDER + self._table_size = JIS_TABLE_SIZE + self.typical_distribution_ratio = JIS_TYPICAL_DISTRIBUTION_RATIO + + def get_order(self, byte_str): + # for euc-JP encoding, we are interested + # first byte range: 0xa0 -- 0xfe + # second byte range: 0xa1 -- 0xfe + # no validation needed here. State machine has done that + char = byte_str[0] + if char >= 0xA0: + return 94 * (char - 0xA1) + byte_str[1] - 0xa1 + else: + return -1 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/charsetgroupprober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/charsetgroupprober.py new file mode 100644 index 0000000..8b3738e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/charsetgroupprober.py @@ -0,0 +1,106 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .enums import ProbingState +from .charsetprober import CharSetProber + + +class CharSetGroupProber(CharSetProber): + def __init__(self, lang_filter=None): + super(CharSetGroupProber, self).__init__(lang_filter=lang_filter) + self._active_num = 0 + self.probers = [] + self._best_guess_prober = None + + def reset(self): + super(CharSetGroupProber, self).reset() + self._active_num = 0 + for prober in self.probers: + if prober: + prober.reset() + prober.active = True + self._active_num += 1 + self._best_guess_prober = None + + @property + def charset_name(self): + if not self._best_guess_prober: + self.get_confidence() + if not self._best_guess_prober: + return None + return self._best_guess_prober.charset_name + + @property + def language(self): + if not self._best_guess_prober: + self.get_confidence() + if not self._best_guess_prober: + return None + return self._best_guess_prober.language + + def feed(self, byte_str): + for prober in self.probers: + if not prober: + continue + if not prober.active: + continue + state = prober.feed(byte_str) + if not state: + continue + if state == ProbingState.FOUND_IT: + self._best_guess_prober = prober + return self.state + elif state == ProbingState.NOT_ME: + prober.active = False + self._active_num -= 1 + if self._active_num <= 0: + self._state = ProbingState.NOT_ME + return self.state + return self.state + + def get_confidence(self): + state = self.state + if state == ProbingState.FOUND_IT: + return 0.99 + elif state == ProbingState.NOT_ME: + return 0.01 + best_conf = 0.0 + self._best_guess_prober = None + for prober in self.probers: + if not prober: + continue + if not prober.active: + self.logger.debug('%s not active', prober.charset_name) + continue + conf = prober.get_confidence() + self.logger.debug('%s %s confidence = %s', prober.charset_name, prober.language, conf) + if best_conf < conf: + best_conf = conf + self._best_guess_prober = prober + if not self._best_guess_prober: + return 0.0 + return best_conf diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/charsetprober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/charsetprober.py new file mode 100644 index 0000000..eac4e59 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/charsetprober.py @@ -0,0 +1,145 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Universal charset detector code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 2001 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# Shy Shalom - original C code +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +import logging +import re + +from .enums import ProbingState + + +class CharSetProber(object): + + SHORTCUT_THRESHOLD = 0.95 + + def __init__(self, lang_filter=None): + self._state = None + self.lang_filter = lang_filter + self.logger = logging.getLogger(__name__) + + def reset(self): + self._state = ProbingState.DETECTING + + @property + def charset_name(self): + return None + + def feed(self, buf): + pass + + @property + def state(self): + return self._state + + def get_confidence(self): + return 0.0 + + @staticmethod + def filter_high_byte_only(buf): + buf = re.sub(b'([\x00-\x7F])+', b' ', buf) + return buf + + @staticmethod + def filter_international_words(buf): + """ + We define three types of bytes: + alphabet: english alphabets [a-zA-Z] + international: international characters [\x80-\xFF] + marker: everything else [^a-zA-Z\x80-\xFF] + + The input buffer can be thought to contain a series of words delimited + by markers. This function works to filter all words that contain at + least one international character. All contiguous sequences of markers + are replaced by a single space ascii character. + + This filter applies to all scripts which do not use English characters. + """ + filtered = bytearray() + + # This regex expression filters out only words that have at-least one + # international character. The word may include one marker character at + # the end. + words = re.findall(b'[a-zA-Z]*[\x80-\xFF]+[a-zA-Z]*[^a-zA-Z\x80-\xFF]?', + buf) + + for word in words: + filtered.extend(word[:-1]) + + # If the last character in the word is a marker, replace it with a + # space as markers shouldn't affect our analysis (they are used + # similarly across all languages and may thus have similar + # frequencies). + last_char = word[-1:] + if not last_char.isalpha() and last_char < b'\x80': + last_char = b' ' + filtered.extend(last_char) + + return filtered + + @staticmethod + def filter_with_english_letters(buf): + """ + Returns a copy of ``buf`` that retains only the sequences of English + alphabet and high byte characters that are not between <> characters. + Also retains English alphabet and high byte characters immediately + before occurrences of >. + + This filter can be applied to all scripts which contain both English + characters and extended ASCII characters, but is currently only used by + ``Latin1Prober``. + """ + filtered = bytearray() + in_tag = False + prev = 0 + + for curr in range(len(buf)): + # Slice here to get bytes instead of an int with Python 3 + buf_char = buf[curr:curr + 1] + # Check if we're coming out of or entering an HTML tag + if buf_char == b'>': + in_tag = False + elif buf_char == b'<': + in_tag = True + + # If current character is not extended-ASCII and not alphabetic... + if buf_char < b'\x80' and not buf_char.isalpha(): + # ...and we're not in a tag + if curr > prev and not in_tag: + # Keep everything after last non-extended-ASCII, + # non-alphabetic character + filtered.extend(buf[prev:curr]) + # Output a space to delimit stretch we kept + filtered.extend(b' ') + prev = curr + 1 + + # If we're not in a tag... + if not in_tag: + # Keep everything after last non-extended-ASCII, non-alphabetic + # character + filtered.extend(buf[prev:]) + + return filtered diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cli/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cli/__init__.py new file mode 100644 index 0000000..8b13789 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cli/__init__.py @@ -0,0 +1 @@ + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cli/chardetect.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cli/chardetect.py new file mode 100644 index 0000000..c61136b --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cli/chardetect.py @@ -0,0 +1,85 @@ +#!/usr/bin/env python +""" +Script which takes one or more file paths and reports on their detected +encodings + +Example:: + + % chardetect somefile someotherfile + somefile: windows-1252 with confidence 0.5 + someotherfile: ascii with confidence 1.0 + +If no paths are provided, it takes its input from stdin. + +""" + +from __future__ import absolute_import, print_function, unicode_literals + +import argparse +import sys + +from pip._vendor.chardet import __version__ +from pip._vendor.chardet.compat import PY2 +from pip._vendor.chardet.universaldetector import UniversalDetector + + +def description_of(lines, name='stdin'): + """ + Return a string describing the probable encoding of a file or + list of strings. + + :param lines: The lines to get the encoding of. + :type lines: Iterable of bytes + :param name: Name of file or collection of lines + :type name: str + """ + u = UniversalDetector() + for line in lines: + line = bytearray(line) + u.feed(line) + # shortcut out of the loop to save reading further - particularly useful if we read a BOM. + if u.done: + break + u.close() + result = u.result + if PY2: + name = name.decode(sys.getfilesystemencoding(), 'ignore') + if result['encoding']: + return '{0}: {1} with confidence {2}'.format(name, result['encoding'], + result['confidence']) + else: + return '{0}: no result'.format(name) + + +def main(argv=None): + """ + Handles command line arguments and gets things started. + + :param argv: List of arguments, as if specified on the command-line. + If None, ``sys.argv[1:]`` is used instead. + :type argv: list of str + """ + # Get command line arguments + parser = argparse.ArgumentParser( + description="Takes one or more file paths and reports their detected \ + encodings") + parser.add_argument('input', + help='File whose encoding we would like to determine. \ + (default: stdin)', + type=argparse.FileType('rb'), nargs='*', + default=[sys.stdin if PY2 else sys.stdin.buffer]) + parser.add_argument('--version', action='version', + version='%(prog)s {0}'.format(__version__)) + args = parser.parse_args(argv) + + for f in args.input: + if f.isatty(): + print("You are running chardetect interactively. Press " + + "CTRL-D twice at the start of a blank line to signal the " + + "end of your input. If you want help, run chardetect " + + "--help\n", file=sys.stderr) + print(description_of(f, f.name)) + + +if __name__ == '__main__': + main() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/codingstatemachine.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/codingstatemachine.py new file mode 100644 index 0000000..68fba44 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/codingstatemachine.py @@ -0,0 +1,88 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is mozilla.org code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +import logging + +from .enums import MachineState + + +class CodingStateMachine(object): + """ + A state machine to verify a byte sequence for a particular encoding. For + each byte the detector receives, it will feed that byte to every active + state machine available, one byte at a time. The state machine changes its + state based on its previous state and the byte it receives. There are 3 + states in a state machine that are of interest to an auto-detector: + + START state: This is the state to start with, or a legal byte sequence + (i.e. a valid code point) for character has been identified. + + ME state: This indicates that the state machine identified a byte sequence + that is specific to the charset it is designed for and that + there is no other possible encoding which can contain this byte + sequence. This will to lead to an immediate positive answer for + the detector. + + ERROR state: This indicates the state machine identified an illegal byte + sequence for that encoding. This will lead to an immediate + negative answer for this encoding. Detector will exclude this + encoding from consideration from here on. + """ + def __init__(self, sm): + self._model = sm + self._curr_byte_pos = 0 + self._curr_char_len = 0 + self._curr_state = None + self.logger = logging.getLogger(__name__) + self.reset() + + def reset(self): + self._curr_state = MachineState.START + + def next_state(self, c): + # for each byte we get its class + # if it is first byte, we also get byte length + byte_class = self._model['class_table'][c] + if self._curr_state == MachineState.START: + self._curr_byte_pos = 0 + self._curr_char_len = self._model['char_len_table'][byte_class] + # from byte's class and state_table, we get its next state + curr_state = (self._curr_state * self._model['class_factor'] + + byte_class) + self._curr_state = self._model['state_table'][curr_state] + self._curr_byte_pos += 1 + return self._curr_state + + def get_current_charlen(self): + return self._curr_char_len + + def get_coding_state_machine(self): + return self._model['name'] + + @property + def language(self): + return self._model['language'] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/compat.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/compat.py new file mode 100644 index 0000000..ddd7468 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/compat.py @@ -0,0 +1,34 @@ +######################## BEGIN LICENSE BLOCK ######################## +# Contributor(s): +# Dan Blanchard +# Ian Cordasco +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +import sys + + +if sys.version_info < (3, 0): + PY2 = True + PY3 = False + base_str = (str, unicode) + text_type = unicode +else: + PY2 = False + PY3 = True + base_str = (bytes, str) + text_type = str diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cp949prober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cp949prober.py new file mode 100644 index 0000000..efd793a --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cp949prober.py @@ -0,0 +1,49 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is mozilla.org code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .chardistribution import EUCKRDistributionAnalysis +from .codingstatemachine import CodingStateMachine +from .mbcharsetprober import MultiByteCharSetProber +from .mbcssm import CP949_SM_MODEL + + +class CP949Prober(MultiByteCharSetProber): + def __init__(self): + super(CP949Prober, self).__init__() + self.coding_sm = CodingStateMachine(CP949_SM_MODEL) + # NOTE: CP949 is a superset of EUC-KR, so the distribution should be + # not different. + self.distribution_analyzer = EUCKRDistributionAnalysis() + self.reset() + + @property + def charset_name(self): + return "CP949" + + @property + def language(self): + return "Korean" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/enums.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/enums.py new file mode 100644 index 0000000..0451207 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/enums.py @@ -0,0 +1,76 @@ +""" +All of the Enums that are used throughout the chardet package. + +:author: Dan Blanchard (dan.blanchard@gmail.com) +""" + + +class InputState(object): + """ + This enum represents the different states a universal detector can be in. + """ + PURE_ASCII = 0 + ESC_ASCII = 1 + HIGH_BYTE = 2 + + +class LanguageFilter(object): + """ + This enum represents the different language filters we can apply to a + ``UniversalDetector``. + """ + CHINESE_SIMPLIFIED = 0x01 + CHINESE_TRADITIONAL = 0x02 + JAPANESE = 0x04 + KOREAN = 0x08 + NON_CJK = 0x10 + ALL = 0x1F + CHINESE = CHINESE_SIMPLIFIED | CHINESE_TRADITIONAL + CJK = CHINESE | JAPANESE | KOREAN + + +class ProbingState(object): + """ + This enum represents the different states a prober can be in. + """ + DETECTING = 0 + FOUND_IT = 1 + NOT_ME = 2 + + +class MachineState(object): + """ + This enum represents the different states a state machine can be in. + """ + START = 0 + ERROR = 1 + ITS_ME = 2 + + +class SequenceLikelihood(object): + """ + This enum represents the likelihood of a character following the previous one. + """ + NEGATIVE = 0 + UNLIKELY = 1 + LIKELY = 2 + POSITIVE = 3 + + @classmethod + def get_num_categories(cls): + """:returns: The number of likelihood categories in the enum.""" + return 4 + + +class CharacterCategory(object): + """ + This enum represents the different categories language models for + ``SingleByteCharsetProber`` put characters into. + + Anything less than CONTROL is considered a letter. + """ + UNDEFINED = 255 + LINE_BREAK = 254 + SYMBOL = 253 + DIGIT = 252 + CONTROL = 251 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/escprober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/escprober.py new file mode 100644 index 0000000..c70493f --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/escprober.py @@ -0,0 +1,101 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is mozilla.org code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .charsetprober import CharSetProber +from .codingstatemachine import CodingStateMachine +from .enums import LanguageFilter, ProbingState, MachineState +from .escsm import (HZ_SM_MODEL, ISO2022CN_SM_MODEL, ISO2022JP_SM_MODEL, + ISO2022KR_SM_MODEL) + + +class EscCharSetProber(CharSetProber): + """ + This CharSetProber uses a "code scheme" approach for detecting encodings, + whereby easily recognizable escape or shift sequences are relied on to + identify these encodings. + """ + + def __init__(self, lang_filter=None): + super(EscCharSetProber, self).__init__(lang_filter=lang_filter) + self.coding_sm = [] + if self.lang_filter & LanguageFilter.CHINESE_SIMPLIFIED: + self.coding_sm.append(CodingStateMachine(HZ_SM_MODEL)) + self.coding_sm.append(CodingStateMachine(ISO2022CN_SM_MODEL)) + if self.lang_filter & LanguageFilter.JAPANESE: + self.coding_sm.append(CodingStateMachine(ISO2022JP_SM_MODEL)) + if self.lang_filter & LanguageFilter.KOREAN: + self.coding_sm.append(CodingStateMachine(ISO2022KR_SM_MODEL)) + self.active_sm_count = None + self._detected_charset = None + self._detected_language = None + self._state = None + self.reset() + + def reset(self): + super(EscCharSetProber, self).reset() + for coding_sm in self.coding_sm: + if not coding_sm: + continue + coding_sm.active = True + coding_sm.reset() + self.active_sm_count = len(self.coding_sm) + self._detected_charset = None + self._detected_language = None + + @property + def charset_name(self): + return self._detected_charset + + @property + def language(self): + return self._detected_language + + def get_confidence(self): + if self._detected_charset: + return 0.99 + else: + return 0.00 + + def feed(self, byte_str): + for c in byte_str: + for coding_sm in self.coding_sm: + if not coding_sm or not coding_sm.active: + continue + coding_state = coding_sm.next_state(c) + if coding_state == MachineState.ERROR: + coding_sm.active = False + self.active_sm_count -= 1 + if self.active_sm_count <= 0: + self._state = ProbingState.NOT_ME + return self.state + elif coding_state == MachineState.ITS_ME: + self._state = ProbingState.FOUND_IT + self._detected_charset = coding_sm.get_coding_state_machine() + self._detected_language = coding_sm.language + return self.state + + return self.state diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/escsm.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/escsm.py new file mode 100644 index 0000000..0069523 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/escsm.py @@ -0,0 +1,246 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is mozilla.org code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .enums import MachineState + +HZ_CLS = ( +1,0,0,0,0,0,0,0, # 00 - 07 +0,0,0,0,0,0,0,0, # 08 - 0f +0,0,0,0,0,0,0,0, # 10 - 17 +0,0,0,1,0,0,0,0, # 18 - 1f +0,0,0,0,0,0,0,0, # 20 - 27 +0,0,0,0,0,0,0,0, # 28 - 2f +0,0,0,0,0,0,0,0, # 30 - 37 +0,0,0,0,0,0,0,0, # 38 - 3f +0,0,0,0,0,0,0,0, # 40 - 47 +0,0,0,0,0,0,0,0, # 48 - 4f +0,0,0,0,0,0,0,0, # 50 - 57 +0,0,0,0,0,0,0,0, # 58 - 5f +0,0,0,0,0,0,0,0, # 60 - 67 +0,0,0,0,0,0,0,0, # 68 - 6f +0,0,0,0,0,0,0,0, # 70 - 77 +0,0,0,4,0,5,2,0, # 78 - 7f +1,1,1,1,1,1,1,1, # 80 - 87 +1,1,1,1,1,1,1,1, # 88 - 8f +1,1,1,1,1,1,1,1, # 90 - 97 +1,1,1,1,1,1,1,1, # 98 - 9f +1,1,1,1,1,1,1,1, # a0 - a7 +1,1,1,1,1,1,1,1, # a8 - af +1,1,1,1,1,1,1,1, # b0 - b7 +1,1,1,1,1,1,1,1, # b8 - bf +1,1,1,1,1,1,1,1, # c0 - c7 +1,1,1,1,1,1,1,1, # c8 - cf +1,1,1,1,1,1,1,1, # d0 - d7 +1,1,1,1,1,1,1,1, # d8 - df +1,1,1,1,1,1,1,1, # e0 - e7 +1,1,1,1,1,1,1,1, # e8 - ef +1,1,1,1,1,1,1,1, # f0 - f7 +1,1,1,1,1,1,1,1, # f8 - ff +) + +HZ_ST = ( +MachineState.START,MachineState.ERROR, 3,MachineState.START,MachineState.START,MachineState.START,MachineState.ERROR,MachineState.ERROR,# 00-07 +MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,# 08-0f +MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ERROR,MachineState.ERROR,MachineState.START,MachineState.START, 4,MachineState.ERROR,# 10-17 + 5,MachineState.ERROR, 6,MachineState.ERROR, 5, 5, 4,MachineState.ERROR,# 18-1f + 4,MachineState.ERROR, 4, 4, 4,MachineState.ERROR, 4,MachineState.ERROR,# 20-27 + 4,MachineState.ITS_ME,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,# 28-2f +) + +HZ_CHAR_LEN_TABLE = (0, 0, 0, 0, 0, 0) + +HZ_SM_MODEL = {'class_table': HZ_CLS, + 'class_factor': 6, + 'state_table': HZ_ST, + 'char_len_table': HZ_CHAR_LEN_TABLE, + 'name': "HZ-GB-2312", + 'language': 'Chinese'} + +ISO2022CN_CLS = ( +2,0,0,0,0,0,0,0, # 00 - 07 +0,0,0,0,0,0,0,0, # 08 - 0f +0,0,0,0,0,0,0,0, # 10 - 17 +0,0,0,1,0,0,0,0, # 18 - 1f +0,0,0,0,0,0,0,0, # 20 - 27 +0,3,0,0,0,0,0,0, # 28 - 2f +0,0,0,0,0,0,0,0, # 30 - 37 +0,0,0,0,0,0,0,0, # 38 - 3f +0,0,0,4,0,0,0,0, # 40 - 47 +0,0,0,0,0,0,0,0, # 48 - 4f +0,0,0,0,0,0,0,0, # 50 - 57 +0,0,0,0,0,0,0,0, # 58 - 5f +0,0,0,0,0,0,0,0, # 60 - 67 +0,0,0,0,0,0,0,0, # 68 - 6f +0,0,0,0,0,0,0,0, # 70 - 77 +0,0,0,0,0,0,0,0, # 78 - 7f +2,2,2,2,2,2,2,2, # 80 - 87 +2,2,2,2,2,2,2,2, # 88 - 8f +2,2,2,2,2,2,2,2, # 90 - 97 +2,2,2,2,2,2,2,2, # 98 - 9f +2,2,2,2,2,2,2,2, # a0 - a7 +2,2,2,2,2,2,2,2, # a8 - af +2,2,2,2,2,2,2,2, # b0 - b7 +2,2,2,2,2,2,2,2, # b8 - bf +2,2,2,2,2,2,2,2, # c0 - c7 +2,2,2,2,2,2,2,2, # c8 - cf +2,2,2,2,2,2,2,2, # d0 - d7 +2,2,2,2,2,2,2,2, # d8 - df +2,2,2,2,2,2,2,2, # e0 - e7 +2,2,2,2,2,2,2,2, # e8 - ef +2,2,2,2,2,2,2,2, # f0 - f7 +2,2,2,2,2,2,2,2, # f8 - ff +) + +ISO2022CN_ST = ( +MachineState.START, 3,MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,# 00-07 +MachineState.START,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,# 08-0f +MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,# 10-17 +MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR, 4,MachineState.ERROR,# 18-1f +MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,# 20-27 + 5, 6,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,# 28-2f +MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,# 30-37 +MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ERROR,MachineState.START,# 38-3f +) + +ISO2022CN_CHAR_LEN_TABLE = (0, 0, 0, 0, 0, 0, 0, 0, 0) + +ISO2022CN_SM_MODEL = {'class_table': ISO2022CN_CLS, + 'class_factor': 9, + 'state_table': ISO2022CN_ST, + 'char_len_table': ISO2022CN_CHAR_LEN_TABLE, + 'name': "ISO-2022-CN", + 'language': 'Chinese'} + +ISO2022JP_CLS = ( +2,0,0,0,0,0,0,0, # 00 - 07 +0,0,0,0,0,0,2,2, # 08 - 0f +0,0,0,0,0,0,0,0, # 10 - 17 +0,0,0,1,0,0,0,0, # 18 - 1f +0,0,0,0,7,0,0,0, # 20 - 27 +3,0,0,0,0,0,0,0, # 28 - 2f +0,0,0,0,0,0,0,0, # 30 - 37 +0,0,0,0,0,0,0,0, # 38 - 3f +6,0,4,0,8,0,0,0, # 40 - 47 +0,9,5,0,0,0,0,0, # 48 - 4f +0,0,0,0,0,0,0,0, # 50 - 57 +0,0,0,0,0,0,0,0, # 58 - 5f +0,0,0,0,0,0,0,0, # 60 - 67 +0,0,0,0,0,0,0,0, # 68 - 6f +0,0,0,0,0,0,0,0, # 70 - 77 +0,0,0,0,0,0,0,0, # 78 - 7f +2,2,2,2,2,2,2,2, # 80 - 87 +2,2,2,2,2,2,2,2, # 88 - 8f +2,2,2,2,2,2,2,2, # 90 - 97 +2,2,2,2,2,2,2,2, # 98 - 9f +2,2,2,2,2,2,2,2, # a0 - a7 +2,2,2,2,2,2,2,2, # a8 - af +2,2,2,2,2,2,2,2, # b0 - b7 +2,2,2,2,2,2,2,2, # b8 - bf +2,2,2,2,2,2,2,2, # c0 - c7 +2,2,2,2,2,2,2,2, # c8 - cf +2,2,2,2,2,2,2,2, # d0 - d7 +2,2,2,2,2,2,2,2, # d8 - df +2,2,2,2,2,2,2,2, # e0 - e7 +2,2,2,2,2,2,2,2, # e8 - ef +2,2,2,2,2,2,2,2, # f0 - f7 +2,2,2,2,2,2,2,2, # f8 - ff +) + +ISO2022JP_ST = ( +MachineState.START, 3,MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,# 00-07 +MachineState.START,MachineState.START,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,# 08-0f +MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,# 10-17 +MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ERROR,MachineState.ERROR,# 18-1f +MachineState.ERROR, 5,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR, 4,MachineState.ERROR,MachineState.ERROR,# 20-27 +MachineState.ERROR,MachineState.ERROR,MachineState.ERROR, 6,MachineState.ITS_ME,MachineState.ERROR,MachineState.ITS_ME,MachineState.ERROR,# 28-2f +MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ITS_ME,# 30-37 +MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,# 38-3f +MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ERROR,MachineState.START,MachineState.START,# 40-47 +) + +ISO2022JP_CHAR_LEN_TABLE = (0, 0, 0, 0, 0, 0, 0, 0, 0, 0) + +ISO2022JP_SM_MODEL = {'class_table': ISO2022JP_CLS, + 'class_factor': 10, + 'state_table': ISO2022JP_ST, + 'char_len_table': ISO2022JP_CHAR_LEN_TABLE, + 'name': "ISO-2022-JP", + 'language': 'Japanese'} + +ISO2022KR_CLS = ( +2,0,0,0,0,0,0,0, # 00 - 07 +0,0,0,0,0,0,0,0, # 08 - 0f +0,0,0,0,0,0,0,0, # 10 - 17 +0,0,0,1,0,0,0,0, # 18 - 1f +0,0,0,0,3,0,0,0, # 20 - 27 +0,4,0,0,0,0,0,0, # 28 - 2f +0,0,0,0,0,0,0,0, # 30 - 37 +0,0,0,0,0,0,0,0, # 38 - 3f +0,0,0,5,0,0,0,0, # 40 - 47 +0,0,0,0,0,0,0,0, # 48 - 4f +0,0,0,0,0,0,0,0, # 50 - 57 +0,0,0,0,0,0,0,0, # 58 - 5f +0,0,0,0,0,0,0,0, # 60 - 67 +0,0,0,0,0,0,0,0, # 68 - 6f +0,0,0,0,0,0,0,0, # 70 - 77 +0,0,0,0,0,0,0,0, # 78 - 7f +2,2,2,2,2,2,2,2, # 80 - 87 +2,2,2,2,2,2,2,2, # 88 - 8f +2,2,2,2,2,2,2,2, # 90 - 97 +2,2,2,2,2,2,2,2, # 98 - 9f +2,2,2,2,2,2,2,2, # a0 - a7 +2,2,2,2,2,2,2,2, # a8 - af +2,2,2,2,2,2,2,2, # b0 - b7 +2,2,2,2,2,2,2,2, # b8 - bf +2,2,2,2,2,2,2,2, # c0 - c7 +2,2,2,2,2,2,2,2, # c8 - cf +2,2,2,2,2,2,2,2, # d0 - d7 +2,2,2,2,2,2,2,2, # d8 - df +2,2,2,2,2,2,2,2, # e0 - e7 +2,2,2,2,2,2,2,2, # e8 - ef +2,2,2,2,2,2,2,2, # f0 - f7 +2,2,2,2,2,2,2,2, # f8 - ff +) + +ISO2022KR_ST = ( +MachineState.START, 3,MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START,MachineState.ERROR,MachineState.ERROR,# 00-07 +MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,# 08-0f +MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR, 4,MachineState.ERROR,MachineState.ERROR,# 10-17 +MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR, 5,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,# 18-1f +MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.START,MachineState.START,MachineState.START,MachineState.START,# 20-27 +) + +ISO2022KR_CHAR_LEN_TABLE = (0, 0, 0, 0, 0, 0) + +ISO2022KR_SM_MODEL = {'class_table': ISO2022KR_CLS, + 'class_factor': 6, + 'state_table': ISO2022KR_ST, + 'char_len_table': ISO2022KR_CHAR_LEN_TABLE, + 'name': "ISO-2022-KR", + 'language': 'Korean'} + + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/eucjpprober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/eucjpprober.py new file mode 100644 index 0000000..20ce8f7 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/eucjpprober.py @@ -0,0 +1,92 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is mozilla.org code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .enums import ProbingState, MachineState +from .mbcharsetprober import MultiByteCharSetProber +from .codingstatemachine import CodingStateMachine +from .chardistribution import EUCJPDistributionAnalysis +from .jpcntx import EUCJPContextAnalysis +from .mbcssm import EUCJP_SM_MODEL + + +class EUCJPProber(MultiByteCharSetProber): + def __init__(self): + super(EUCJPProber, self).__init__() + self.coding_sm = CodingStateMachine(EUCJP_SM_MODEL) + self.distribution_analyzer = EUCJPDistributionAnalysis() + self.context_analyzer = EUCJPContextAnalysis() + self.reset() + + def reset(self): + super(EUCJPProber, self).reset() + self.context_analyzer.reset() + + @property + def charset_name(self): + return "EUC-JP" + + @property + def language(self): + return "Japanese" + + def feed(self, byte_str): + for i in range(len(byte_str)): + # PY3K: byte_str is a byte array, so byte_str[i] is an int, not a byte + coding_state = self.coding_sm.next_state(byte_str[i]) + if coding_state == MachineState.ERROR: + self.logger.debug('%s %s prober hit error at byte %s', + self.charset_name, self.language, i) + self._state = ProbingState.NOT_ME + break + elif coding_state == MachineState.ITS_ME: + self._state = ProbingState.FOUND_IT + break + elif coding_state == MachineState.START: + char_len = self.coding_sm.get_current_charlen() + if i == 0: + self._last_char[1] = byte_str[0] + self.context_analyzer.feed(self._last_char, char_len) + self.distribution_analyzer.feed(self._last_char, char_len) + else: + self.context_analyzer.feed(byte_str[i - 1:i + 1], + char_len) + self.distribution_analyzer.feed(byte_str[i - 1:i + 1], + char_len) + + self._last_char[0] = byte_str[-1] + + if self.state == ProbingState.DETECTING: + if (self.context_analyzer.got_enough_data() and + (self.get_confidence() > self.SHORTCUT_THRESHOLD)): + self._state = ProbingState.FOUND_IT + + return self.state + + def get_confidence(self): + context_conf = self.context_analyzer.get_confidence() + distrib_conf = self.distribution_analyzer.get_confidence() + return max(context_conf, distrib_conf) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euckrfreq.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euckrfreq.py new file mode 100644 index 0000000..b68078c --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euckrfreq.py @@ -0,0 +1,195 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +# Sampling from about 20M text materials include literature and computer technology + +# 128 --> 0.79 +# 256 --> 0.92 +# 512 --> 0.986 +# 1024 --> 0.99944 +# 2048 --> 0.99999 +# +# Idea Distribution Ratio = 0.98653 / (1-0.98653) = 73.24 +# Random Distribution Ration = 512 / (2350-512) = 0.279. +# +# Typical Distribution Ratio + +EUCKR_TYPICAL_DISTRIBUTION_RATIO = 6.0 + +EUCKR_TABLE_SIZE = 2352 + +# Char to FreqOrder table , +EUCKR_CHAR_TO_FREQ_ORDER = ( + 13, 130, 120,1396, 481,1719,1720, 328, 609, 212,1721, 707, 400, 299,1722, 87, +1397,1723, 104, 536,1117,1203,1724,1267, 685,1268, 508,1725,1726,1727,1728,1398, +1399,1729,1730,1731, 141, 621, 326,1057, 368,1732, 267, 488, 20,1733,1269,1734, + 945,1400,1735, 47, 904,1270,1736,1737, 773, 248,1738, 409, 313, 786, 429,1739, + 116, 987, 813,1401, 683, 75,1204, 145,1740,1741,1742,1743, 16, 847, 667, 622, + 708,1744,1745,1746, 966, 787, 304, 129,1747, 60, 820, 123, 676,1748,1749,1750, +1751, 617,1752, 626,1753,1754,1755,1756, 653,1757,1758,1759,1760,1761,1762, 856, + 344,1763,1764,1765,1766, 89, 401, 418, 806, 905, 848,1767,1768,1769, 946,1205, + 709,1770,1118,1771, 241,1772,1773,1774,1271,1775, 569,1776, 999,1777,1778,1779, +1780, 337, 751,1058, 28, 628, 254,1781, 177, 906, 270, 349, 891,1079,1782, 19, +1783, 379,1784, 315,1785, 629, 754,1402, 559,1786, 636, 203,1206,1787, 710, 567, +1788, 935, 814,1789,1790,1207, 766, 528,1791,1792,1208,1793,1794,1795,1796,1797, +1403,1798,1799, 533,1059,1404,1405,1156,1406, 936, 884,1080,1800, 351,1801,1802, +1803,1804,1805, 801,1806,1807,1808,1119,1809,1157, 714, 474,1407,1810, 298, 899, + 885,1811,1120, 802,1158,1812, 892,1813,1814,1408, 659,1815,1816,1121,1817,1818, +1819,1820,1821,1822, 319,1823, 594, 545,1824, 815, 937,1209,1825,1826, 573,1409, +1022,1827,1210,1828,1829,1830,1831,1832,1833, 556, 722, 807,1122,1060,1834, 697, +1835, 900, 557, 715,1836,1410, 540,1411, 752,1159, 294, 597,1211, 976, 803, 770, +1412,1837,1838, 39, 794,1413, 358,1839, 371, 925,1840, 453, 661, 788, 531, 723, + 544,1023,1081, 869, 91,1841, 392, 430, 790, 602,1414, 677,1082, 457,1415,1416, +1842,1843, 475, 327,1024,1417, 795, 121,1844, 733, 403,1418,1845,1846,1847, 300, + 119, 711,1212, 627,1848,1272, 207,1849,1850, 796,1213, 382,1851, 519,1852,1083, + 893,1853,1854,1855, 367, 809, 487, 671,1856, 663,1857,1858, 956, 471, 306, 857, +1859,1860,1160,1084,1861,1862,1863,1864,1865,1061,1866,1867,1868,1869,1870,1871, + 282, 96, 574,1872, 502,1085,1873,1214,1874, 907,1875,1876, 827, 977,1419,1420, +1421, 268,1877,1422,1878,1879,1880, 308,1881, 2, 537,1882,1883,1215,1884,1885, + 127, 791,1886,1273,1423,1887, 34, 336, 404, 643,1888, 571, 654, 894, 840,1889, + 0, 886,1274, 122, 575, 260, 908, 938,1890,1275, 410, 316,1891,1892, 100,1893, +1894,1123, 48,1161,1124,1025,1895, 633, 901,1276,1896,1897, 115, 816,1898, 317, +1899, 694,1900, 909, 734,1424, 572, 866,1425, 691, 85, 524,1010, 543, 394, 841, +1901,1902,1903,1026,1904,1905,1906,1907,1908,1909, 30, 451, 651, 988, 310,1910, +1911,1426, 810,1216, 93,1912,1913,1277,1217,1914, 858, 759, 45, 58, 181, 610, + 269,1915,1916, 131,1062, 551, 443,1000, 821,1427, 957, 895,1086,1917,1918, 375, +1919, 359,1920, 687,1921, 822,1922, 293,1923,1924, 40, 662, 118, 692, 29, 939, + 887, 640, 482, 174,1925, 69,1162, 728,1428, 910,1926,1278,1218,1279, 386, 870, + 217, 854,1163, 823,1927,1928,1929,1930, 834,1931, 78,1932, 859,1933,1063,1934, +1935,1936,1937, 438,1164, 208, 595,1938,1939,1940,1941,1219,1125,1942, 280, 888, +1429,1430,1220,1431,1943,1944,1945,1946,1947,1280, 150, 510,1432,1948,1949,1950, +1951,1952,1953,1954,1011,1087,1955,1433,1043,1956, 881,1957, 614, 958,1064,1065, +1221,1958, 638,1001, 860, 967, 896,1434, 989, 492, 553,1281,1165,1959,1282,1002, +1283,1222,1960,1961,1962,1963, 36, 383, 228, 753, 247, 454,1964, 876, 678,1965, +1966,1284, 126, 464, 490, 835, 136, 672, 529, 940,1088,1435, 473,1967,1968, 467, + 50, 390, 227, 587, 279, 378, 598, 792, 968, 240, 151, 160, 849, 882,1126,1285, + 639,1044, 133, 140, 288, 360, 811, 563,1027, 561, 142, 523,1969,1970,1971, 7, + 103, 296, 439, 407, 506, 634, 990,1972,1973,1974,1975, 645,1976,1977,1978,1979, +1980,1981, 236,1982,1436,1983,1984,1089, 192, 828, 618, 518,1166, 333,1127,1985, + 818,1223,1986,1987,1988,1989,1990,1991,1992,1993, 342,1128,1286, 746, 842,1994, +1995, 560, 223,1287, 98, 8, 189, 650, 978,1288,1996,1437,1997, 17, 345, 250, + 423, 277, 234, 512, 226, 97, 289, 42, 167,1998, 201,1999,2000, 843, 836, 824, + 532, 338, 783,1090, 182, 576, 436,1438,1439, 527, 500,2001, 947, 889,2002,2003, +2004,2005, 262, 600, 314, 447,2006, 547,2007, 693, 738,1129,2008, 71,1440, 745, + 619, 688,2009, 829,2010,2011, 147,2012, 33, 948,2013,2014, 74, 224,2015, 61, + 191, 918, 399, 637,2016,1028,1130, 257, 902,2017,2018,2019,2020,2021,2022,2023, +2024,2025,2026, 837,2027,2028,2029,2030, 179, 874, 591, 52, 724, 246,2031,2032, +2033,2034,1167, 969,2035,1289, 630, 605, 911,1091,1168,2036,2037,2038,1441, 912, +2039, 623,2040,2041, 253,1169,1290,2042,1442, 146, 620, 611, 577, 433,2043,1224, + 719,1170, 959, 440, 437, 534, 84, 388, 480,1131, 159, 220, 198, 679,2044,1012, + 819,1066,1443, 113,1225, 194, 318,1003,1029,2045,2046,2047,2048,1067,2049,2050, +2051,2052,2053, 59, 913, 112,2054, 632,2055, 455, 144, 739,1291,2056, 273, 681, + 499,2057, 448,2058,2059, 760,2060,2061, 970, 384, 169, 245,1132,2062,2063, 414, +1444,2064,2065, 41, 235,2066, 157, 252, 877, 568, 919, 789, 580,2067, 725,2068, +2069,1292,2070,2071,1445,2072,1446,2073,2074, 55, 588, 66,1447, 271,1092,2075, +1226,2076, 960,1013, 372,2077,2078,2079,2080,2081,1293,2082,2083,2084,2085, 850, +2086,2087,2088,2089,2090, 186,2091,1068, 180,2092,2093,2094, 109,1227, 522, 606, +2095, 867,1448,1093, 991,1171, 926, 353,1133,2096, 581,2097,2098,2099,1294,1449, +1450,2100, 596,1172,1014,1228,2101,1451,1295,1173,1229,2102,2103,1296,1134,1452, + 949,1135,2104,2105,1094,1453,1454,1455,2106,1095,2107,2108,2109,2110,2111,2112, +2113,2114,2115,2116,2117, 804,2118,2119,1230,1231, 805,1456, 405,1136,2120,2121, +2122,2123,2124, 720, 701,1297, 992,1457, 927,1004,2125,2126,2127,2128,2129,2130, + 22, 417,2131, 303,2132, 385,2133, 971, 520, 513,2134,1174, 73,1096, 231, 274, + 962,1458, 673,2135,1459,2136, 152,1137,2137,2138,2139,2140,1005,1138,1460,1139, +2141,2142,2143,2144, 11, 374, 844,2145, 154,1232, 46,1461,2146, 838, 830, 721, +1233, 106,2147, 90, 428, 462, 578, 566,1175, 352,2148,2149, 538,1234, 124,1298, +2150,1462, 761, 565,2151, 686,2152, 649,2153, 72, 173,2154, 460, 415,2155,1463, +2156,1235, 305,2157,2158,2159,2160,2161,2162, 579,2163,2164,2165,2166,2167, 747, +2168,2169,2170,2171,1464, 669,2172,2173,2174,2175,2176,1465,2177, 23, 530, 285, +2178, 335, 729,2179, 397,2180,2181,2182,1030,2183,2184, 698,2185,2186, 325,2187, +2188, 369,2189, 799,1097,1015, 348,2190,1069, 680,2191, 851,1466,2192,2193, 10, +2194, 613, 424,2195, 979, 108, 449, 589, 27, 172, 81,1031, 80, 774, 281, 350, +1032, 525, 301, 582,1176,2196, 674,1045,2197,2198,1467, 730, 762,2199,2200,2201, +2202,1468,2203, 993,2204,2205, 266,1070, 963,1140,2206,2207,2208, 664,1098, 972, +2209,2210,2211,1177,1469,1470, 871,2212,2213,2214,2215,2216,1471,2217,2218,2219, +2220,2221,2222,2223,2224,2225,2226,2227,1472,1236,2228,2229,2230,2231,2232,2233, +2234,2235,1299,2236,2237, 200,2238, 477, 373,2239,2240, 731, 825, 777,2241,2242, +2243, 521, 486, 548,2244,2245,2246,1473,1300, 53, 549, 137, 875, 76, 158,2247, +1301,1474, 469, 396,1016, 278, 712,2248, 321, 442, 503, 767, 744, 941,1237,1178, +1475,2249, 82, 178,1141,1179, 973,2250,1302,2251, 297,2252,2253, 570,2254,2255, +2256, 18, 450, 206,2257, 290, 292,1142,2258, 511, 162, 99, 346, 164, 735,2259, +1476,1477, 4, 554, 343, 798,1099,2260,1100,2261, 43, 171,1303, 139, 215,2262, +2263, 717, 775,2264,1033, 322, 216,2265, 831,2266, 149,2267,1304,2268,2269, 702, +1238, 135, 845, 347, 309,2270, 484,2271, 878, 655, 238,1006,1478,2272, 67,2273, + 295,2274,2275, 461,2276, 478, 942, 412,2277,1034,2278,2279,2280, 265,2281, 541, +2282,2283,2284,2285,2286, 70, 852,1071,2287,2288,2289,2290, 21, 56, 509, 117, + 432,2291,2292, 331, 980, 552,1101, 148, 284, 105, 393,1180,1239, 755,2293, 187, +2294,1046,1479,2295, 340,2296, 63,1047, 230,2297,2298,1305, 763,1306, 101, 800, + 808, 494,2299,2300,2301, 903,2302, 37,1072, 14, 5,2303, 79, 675,2304, 312, +2305,2306,2307,2308,2309,1480, 6,1307,2310,2311,2312, 1, 470, 35, 24, 229, +2313, 695, 210, 86, 778, 15, 784, 592, 779, 32, 77, 855, 964,2314, 259,2315, + 501, 380,2316,2317, 83, 981, 153, 689,1308,1481,1482,1483,2318,2319, 716,1484, +2320,2321,2322,2323,2324,2325,1485,2326,2327, 128, 57, 68, 261,1048, 211, 170, +1240, 31,2328, 51, 435, 742,2329,2330,2331, 635,2332, 264, 456,2333,2334,2335, + 425,2336,1486, 143, 507, 263, 943,2337, 363, 920,1487, 256,1488,1102, 243, 601, +1489,2338,2339,2340,2341,2342,2343,2344, 861,2345,2346,2347,2348,2349,2350, 395, +2351,1490,1491, 62, 535, 166, 225,2352,2353, 668, 419,1241, 138, 604, 928,2354, +1181,2355,1492,1493,2356,2357,2358,1143,2359, 696,2360, 387, 307,1309, 682, 476, +2361,2362, 332, 12, 222, 156,2363, 232,2364, 641, 276, 656, 517,1494,1495,1035, + 416, 736,1496,2365,1017, 586,2366,2367,2368,1497,2369, 242,2370,2371,2372,1498, +2373, 965, 713,2374,2375,2376,2377, 740, 982,1499, 944,1500,1007,2378,2379,1310, +1501,2380,2381,2382, 785, 329,2383,2384,1502,2385,2386,2387, 932,2388,1503,2389, +2390,2391,2392,1242,2393,2394,2395,2396,2397, 994, 950,2398,2399,2400,2401,1504, +1311,2402,2403,2404,2405,1049, 749,2406,2407, 853, 718,1144,1312,2408,1182,1505, +2409,2410, 255, 516, 479, 564, 550, 214,1506,1507,1313, 413, 239, 444, 339,1145, +1036,1508,1509,1314,1037,1510,1315,2411,1511,2412,2413,2414, 176, 703, 497, 624, + 593, 921, 302,2415, 341, 165,1103,1512,2416,1513,2417,2418,2419, 376,2420, 700, +2421,2422,2423, 258, 768,1316,2424,1183,2425, 995, 608,2426,2427,2428,2429, 221, +2430,2431,2432,2433,2434,2435,2436,2437, 195, 323, 726, 188, 897, 983,1317, 377, + 644,1050, 879,2438, 452,2439,2440,2441,2442,2443,2444, 914,2445,2446,2447,2448, + 915, 489,2449,1514,1184,2450,2451, 515, 64, 427, 495,2452, 583,2453, 483, 485, +1038, 562, 213,1515, 748, 666,2454,2455,2456,2457, 334,2458, 780, 996,1008, 705, +1243,2459,2460,2461,2462,2463, 114,2464, 493,1146, 366, 163,1516, 961,1104,2465, + 291,2466,1318,1105,2467,1517, 365,2468, 355, 951,1244,2469,1319,2470, 631,2471, +2472, 218,1320, 364, 320, 756,1518,1519,1321,1520,1322,2473,2474,2475,2476, 997, +2477,2478,2479,2480, 665,1185,2481, 916,1521,2482,2483,2484, 584, 684,2485,2486, + 797,2487,1051,1186,2488,2489,2490,1522,2491,2492, 370,2493,1039,1187, 65,2494, + 434, 205, 463,1188,2495, 125, 812, 391, 402, 826, 699, 286, 398, 155, 781, 771, + 585,2496, 590, 505,1073,2497, 599, 244, 219, 917,1018, 952, 646,1523,2498,1323, +2499,2500, 49, 984, 354, 741,2501, 625,2502,1324,2503,1019, 190, 357, 757, 491, + 95, 782, 868,2504,2505,2506,2507,2508,2509, 134,1524,1074, 422,1525, 898,2510, + 161,2511,2512,2513,2514, 769,2515,1526,2516,2517, 411,1325,2518, 472,1527,2519, +2520,2521,2522,2523,2524, 985,2525,2526,2527,2528,2529,2530, 764,2531,1245,2532, +2533, 25, 204, 311,2534, 496,2535,1052,2536,2537,2538,2539,2540,2541,2542, 199, + 704, 504, 468, 758, 657,1528, 196, 44, 839,1246, 272, 750,2543, 765, 862,2544, +2545,1326,2546, 132, 615, 933,2547, 732,2548,2549,2550,1189,1529,2551, 283,1247, +1053, 607, 929,2552,2553,2554, 930, 183, 872, 616,1040,1147,2555,1148,1020, 441, + 249,1075,2556,2557,2558, 466, 743,2559,2560,2561, 92, 514, 426, 420, 526,2562, +2563,2564,2565,2566,2567,2568, 185,2569,2570,2571,2572, 776,1530, 658,2573, 362, +2574, 361, 922,1076, 793,2575,2576,2577,2578,2579,2580,1531, 251,2581,2582,2583, +2584,1532, 54, 612, 237,1327,2585,2586, 275, 408, 647, 111,2587,1533,1106, 465, + 3, 458, 9, 38,2588, 107, 110, 890, 209, 26, 737, 498,2589,1534,2590, 431, + 202, 88,1535, 356, 287,1107, 660,1149,2591, 381,1536, 986,1150, 445,1248,1151, + 974,2592,2593, 846,2594, 446, 953, 184,1249,1250, 727,2595, 923, 193, 883,2596, +2597,2598, 102, 324, 539, 817,2599, 421,1041,2600, 832,2601, 94, 175, 197, 406, +2602, 459,2603,2604,2605,2606,2607, 330, 555,2608,2609,2610, 706,1108, 389,2611, +2612,2613,2614, 233,2615, 833, 558, 931, 954,1251,2616,2617,1537, 546,2618,2619, +1009,2620,2621,2622,1538, 690,1328,2623, 955,2624,1539,2625,2626, 772,2627,2628, +2629,2630,2631, 924, 648, 863, 603,2632,2633, 934,1540, 864, 865,2634, 642,1042, + 670,1190,2635,2636,2637,2638, 168,2639, 652, 873, 542,1054,1541,2640,2641,2642, # 512, 256 +) + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euckrprober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euckrprober.py new file mode 100644 index 0000000..345a060 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euckrprober.py @@ -0,0 +1,47 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is mozilla.org code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .mbcharsetprober import MultiByteCharSetProber +from .codingstatemachine import CodingStateMachine +from .chardistribution import EUCKRDistributionAnalysis +from .mbcssm import EUCKR_SM_MODEL + + +class EUCKRProber(MultiByteCharSetProber): + def __init__(self): + super(EUCKRProber, self).__init__() + self.coding_sm = CodingStateMachine(EUCKR_SM_MODEL) + self.distribution_analyzer = EUCKRDistributionAnalysis() + self.reset() + + @property + def charset_name(self): + return "EUC-KR" + + @property + def language(self): + return "Korean" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euctwfreq.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euctwfreq.py new file mode 100644 index 0000000..ed7a995 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euctwfreq.py @@ -0,0 +1,387 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +# EUCTW frequency table +# Converted from big5 work +# by Taiwan's Mandarin Promotion Council +# <http:#www.edu.tw:81/mandr/> + +# 128 --> 0.42261 +# 256 --> 0.57851 +# 512 --> 0.74851 +# 1024 --> 0.89384 +# 2048 --> 0.97583 +# +# Idea Distribution Ratio = 0.74851/(1-0.74851) =2.98 +# Random Distribution Ration = 512/(5401-512)=0.105 +# +# Typical Distribution Ratio about 25% of Ideal one, still much higher than RDR + +EUCTW_TYPICAL_DISTRIBUTION_RATIO = 0.75 + +# Char to FreqOrder table , +EUCTW_TABLE_SIZE = 5376 + +EUCTW_CHAR_TO_FREQ_ORDER = ( + 1,1800,1506, 255,1431, 198, 9, 82, 6,7310, 177, 202,3615,1256,2808, 110, # 2742 +3735, 33,3241, 261, 76, 44,2113, 16,2931,2184,1176, 659,3868, 26,3404,2643, # 2758 +1198,3869,3313,4060, 410,2211, 302, 590, 361,1963, 8, 204, 58,4296,7311,1931, # 2774 + 63,7312,7313, 317,1614, 75, 222, 159,4061,2412,1480,7314,3500,3068, 224,2809, # 2790 +3616, 3, 10,3870,1471, 29,2774,1135,2852,1939, 873, 130,3242,1123, 312,7315, # 2806 +4297,2051, 507, 252, 682,7316, 142,1914, 124, 206,2932, 34,3501,3173, 64, 604, # 2822 +7317,2494,1976,1977, 155,1990, 645, 641,1606,7318,3405, 337, 72, 406,7319, 80, # 2838 + 630, 238,3174,1509, 263, 939,1092,2644, 756,1440,1094,3406, 449, 69,2969, 591, # 2854 + 179,2095, 471, 115,2034,1843, 60, 50,2970, 134, 806,1868, 734,2035,3407, 180, # 2870 + 995,1607, 156, 537,2893, 688,7320, 319,1305, 779,2144, 514,2374, 298,4298, 359, # 2886 +2495, 90,2707,1338, 663, 11, 906,1099,2545, 20,2436, 182, 532,1716,7321, 732, # 2902 +1376,4062,1311,1420,3175, 25,2312,1056, 113, 399, 382,1949, 242,3408,2467, 529, # 2918 +3243, 475,1447,3617,7322, 117, 21, 656, 810,1297,2295,2329,3502,7323, 126,4063, # 2934 + 706, 456, 150, 613,4299, 71,1118,2036,4064, 145,3069, 85, 835, 486,2114,1246, # 2950 +1426, 428, 727,1285,1015, 800, 106, 623, 303,1281,7324,2127,2354, 347,3736, 221, # 2966 +3503,3110,7325,1955,1153,4065, 83, 296,1199,3070, 192, 624, 93,7326, 822,1897, # 2982 +2810,3111, 795,2064, 991,1554,1542,1592, 27, 43,2853, 859, 139,1456, 860,4300, # 2998 + 437, 712,3871, 164,2392,3112, 695, 211,3017,2096, 195,3872,1608,3504,3505,3618, # 3014 +3873, 234, 811,2971,2097,3874,2229,1441,3506,1615,2375, 668,2076,1638, 305, 228, # 3030 +1664,4301, 467, 415,7327, 262,2098,1593, 239, 108, 300, 200,1033, 512,1247,2077, # 3046 +7328,7329,2173,3176,3619,2673, 593, 845,1062,3244, 88,1723,2037,3875,1950, 212, # 3062 + 266, 152, 149, 468,1898,4066,4302, 77, 187,7330,3018, 37, 5,2972,7331,3876, # 3078 +7332,7333, 39,2517,4303,2894,3177,2078, 55, 148, 74,4304, 545, 483,1474,1029, # 3094 +1665, 217,1869,1531,3113,1104,2645,4067, 24, 172,3507, 900,3877,3508,3509,4305, # 3110 + 32,1408,2811,1312, 329, 487,2355,2247,2708, 784,2674, 4,3019,3314,1427,1788, # 3126 + 188, 109, 499,7334,3620,1717,1789, 888,1217,3020,4306,7335,3510,7336,3315,1520, # 3142 +3621,3878, 196,1034, 775,7337,7338, 929,1815, 249, 439, 38,7339,1063,7340, 794, # 3158 +3879,1435,2296, 46, 178,3245,2065,7341,2376,7342, 214,1709,4307, 804, 35, 707, # 3174 + 324,3622,1601,2546, 140, 459,4068,7343,7344,1365, 839, 272, 978,2257,2572,3409, # 3190 +2128,1363,3623,1423, 697, 100,3071, 48, 70,1231, 495,3114,2193,7345,1294,7346, # 3206 +2079, 462, 586,1042,3246, 853, 256, 988, 185,2377,3410,1698, 434,1084,7347,3411, # 3222 + 314,2615,2775,4308,2330,2331, 569,2280, 637,1816,2518, 757,1162,1878,1616,3412, # 3238 + 287,1577,2115, 768,4309,1671,2854,3511,2519,1321,3737, 909,2413,7348,4069, 933, # 3254 +3738,7349,2052,2356,1222,4310, 765,2414,1322, 786,4311,7350,1919,1462,1677,2895, # 3270 +1699,7351,4312,1424,2437,3115,3624,2590,3316,1774,1940,3413,3880,4070, 309,1369, # 3286 +1130,2812, 364,2230,1653,1299,3881,3512,3882,3883,2646, 525,1085,3021, 902,2000, # 3302 +1475, 964,4313, 421,1844,1415,1057,2281, 940,1364,3116, 376,4314,4315,1381, 7, # 3318 +2520, 983,2378, 336,1710,2675,1845, 321,3414, 559,1131,3022,2742,1808,1132,1313, # 3334 + 265,1481,1857,7352, 352,1203,2813,3247, 167,1089, 420,2814, 776, 792,1724,3513, # 3350 +4071,2438,3248,7353,4072,7354, 446, 229, 333,2743, 901,3739,1200,1557,4316,2647, # 3366 +1920, 395,2744,2676,3740,4073,1835, 125, 916,3178,2616,4317,7355,7356,3741,7357, # 3382 +7358,7359,4318,3117,3625,1133,2547,1757,3415,1510,2313,1409,3514,7360,2145, 438, # 3398 +2591,2896,2379,3317,1068, 958,3023, 461, 311,2855,2677,4074,1915,3179,4075,1978, # 3414 + 383, 750,2745,2617,4076, 274, 539, 385,1278,1442,7361,1154,1964, 384, 561, 210, # 3430 + 98,1295,2548,3515,7362,1711,2415,1482,3416,3884,2897,1257, 129,7363,3742, 642, # 3446 + 523,2776,2777,2648,7364, 141,2231,1333, 68, 176, 441, 876, 907,4077, 603,2592, # 3462 + 710, 171,3417, 404, 549, 18,3118,2393,1410,3626,1666,7365,3516,4319,2898,4320, # 3478 +7366,2973, 368,7367, 146, 366, 99, 871,3627,1543, 748, 807,1586,1185, 22,2258, # 3494 + 379,3743,3180,7368,3181, 505,1941,2618,1991,1382,2314,7369, 380,2357, 218, 702, # 3510 +1817,1248,3418,3024,3517,3318,3249,7370,2974,3628, 930,3250,3744,7371, 59,7372, # 3526 + 585, 601,4078, 497,3419,1112,1314,4321,1801,7373,1223,1472,2174,7374, 749,1836, # 3542 + 690,1899,3745,1772,3885,1476, 429,1043,1790,2232,2116, 917,4079, 447,1086,1629, # 3558 +7375, 556,7376,7377,2020,1654, 844,1090, 105, 550, 966,1758,2815,1008,1782, 686, # 3574 +1095,7378,2282, 793,1602,7379,3518,2593,4322,4080,2933,2297,4323,3746, 980,2496, # 3590 + 544, 353, 527,4324, 908,2678,2899,7380, 381,2619,1942,1348,7381,1341,1252, 560, # 3606 +3072,7382,3420,2856,7383,2053, 973, 886,2080, 143,4325,7384,7385, 157,3886, 496, # 3622 +4081, 57, 840, 540,2038,4326,4327,3421,2117,1445, 970,2259,1748,1965,2081,4082, # 3638 +3119,1234,1775,3251,2816,3629, 773,1206,2129,1066,2039,1326,3887,1738,1725,4083, # 3654 + 279,3120, 51,1544,2594, 423,1578,2130,2066, 173,4328,1879,7386,7387,1583, 264, # 3670 + 610,3630,4329,2439, 280, 154,7388,7389,7390,1739, 338,1282,3073, 693,2857,1411, # 3686 +1074,3747,2440,7391,4330,7392,7393,1240, 952,2394,7394,2900,1538,2679, 685,1483, # 3702 +4084,2468,1436, 953,4085,2054,4331, 671,2395, 79,4086,2441,3252, 608, 567,2680, # 3718 +3422,4087,4088,1691, 393,1261,1791,2396,7395,4332,7396,7397,7398,7399,1383,1672, # 3734 +3748,3182,1464, 522,1119, 661,1150, 216, 675,4333,3888,1432,3519, 609,4334,2681, # 3750 +2397,7400,7401,7402,4089,3025, 0,7403,2469, 315, 231,2442, 301,3319,4335,2380, # 3766 +7404, 233,4090,3631,1818,4336,4337,7405, 96,1776,1315,2082,7406, 257,7407,1809, # 3782 +3632,2709,1139,1819,4091,2021,1124,2163,2778,1777,2649,7408,3074, 363,1655,3183, # 3798 +7409,2975,7410,7411,7412,3889,1567,3890, 718, 103,3184, 849,1443, 341,3320,2934, # 3814 +1484,7413,1712, 127, 67, 339,4092,2398, 679,1412, 821,7414,7415, 834, 738, 351, # 3830 +2976,2146, 846, 235,1497,1880, 418,1992,3749,2710, 186,1100,2147,2746,3520,1545, # 3846 +1355,2935,2858,1377, 583,3891,4093,2573,2977,7416,1298,3633,1078,2549,3634,2358, # 3862 + 78,3750,3751, 267,1289,2099,2001,1594,4094, 348, 369,1274,2194,2175,1837,4338, # 3878 +1820,2817,3635,2747,2283,2002,4339,2936,2748, 144,3321, 882,4340,3892,2749,3423, # 3894 +4341,2901,7417,4095,1726, 320,7418,3893,3026, 788,2978,7419,2818,1773,1327,2859, # 3910 +3894,2819,7420,1306,4342,2003,1700,3752,3521,2359,2650, 787,2022, 506, 824,3636, # 3926 + 534, 323,4343,1044,3322,2023,1900, 946,3424,7421,1778,1500,1678,7422,1881,4344, # 3942 + 165, 243,4345,3637,2521, 123, 683,4096, 764,4346, 36,3895,1792, 589,2902, 816, # 3958 + 626,1667,3027,2233,1639,1555,1622,3753,3896,7423,3897,2860,1370,1228,1932, 891, # 3974 +2083,2903, 304,4097,7424, 292,2979,2711,3522, 691,2100,4098,1115,4347, 118, 662, # 3990 +7425, 611,1156, 854,2381,1316,2861, 2, 386, 515,2904,7426,7427,3253, 868,2234, # 4006 +1486, 855,2651, 785,2212,3028,7428,1040,3185,3523,7429,3121, 448,7430,1525,7431, # 4022 +2164,4348,7432,3754,7433,4099,2820,3524,3122, 503, 818,3898,3123,1568, 814, 676, # 4038 +1444, 306,1749,7434,3755,1416,1030, 197,1428, 805,2821,1501,4349,7435,7436,7437, # 4054 +1993,7438,4350,7439,7440,2195, 13,2779,3638,2980,3124,1229,1916,7441,3756,2131, # 4070 +7442,4100,4351,2399,3525,7443,2213,1511,1727,1120,7444,7445, 646,3757,2443, 307, # 4086 +7446,7447,1595,3186,7448,7449,7450,3639,1113,1356,3899,1465,2522,2523,7451, 519, # 4102 +7452, 128,2132, 92,2284,1979,7453,3900,1512, 342,3125,2196,7454,2780,2214,1980, # 4118 +3323,7455, 290,1656,1317, 789, 827,2360,7456,3758,4352, 562, 581,3901,7457, 401, # 4134 +4353,2248, 94,4354,1399,2781,7458,1463,2024,4355,3187,1943,7459, 828,1105,4101, # 4150 +1262,1394,7460,4102, 605,4356,7461,1783,2862,7462,2822, 819,2101, 578,2197,2937, # 4166 +7463,1502, 436,3254,4103,3255,2823,3902,2905,3425,3426,7464,2712,2315,7465,7466, # 4182 +2332,2067, 23,4357, 193, 826,3759,2102, 699,1630,4104,3075, 390,1793,1064,3526, # 4198 +7467,1579,3076,3077,1400,7468,4105,1838,1640,2863,7469,4358,4359, 137,4106, 598, # 4214 +3078,1966, 780, 104, 974,2938,7470, 278, 899, 253, 402, 572, 504, 493,1339,7471, # 4230 +3903,1275,4360,2574,2550,7472,3640,3029,3079,2249, 565,1334,2713, 863, 41,7473, # 4246 +7474,4361,7475,1657,2333, 19, 463,2750,4107, 606,7476,2981,3256,1087,2084,1323, # 4262 +2652,2982,7477,1631,1623,1750,4108,2682,7478,2864, 791,2714,2653,2334, 232,2416, # 4278 +7479,2983,1498,7480,2654,2620, 755,1366,3641,3257,3126,2025,1609, 119,1917,3427, # 4294 + 862,1026,4109,7481,3904,3760,4362,3905,4363,2260,1951,2470,7482,1125, 817,4110, # 4310 +4111,3906,1513,1766,2040,1487,4112,3030,3258,2824,3761,3127,7483,7484,1507,7485, # 4326 +2683, 733, 40,1632,1106,2865, 345,4113, 841,2524, 230,4364,2984,1846,3259,3428, # 4342 +7486,1263, 986,3429,7487, 735, 879, 254,1137, 857, 622,1300,1180,1388,1562,3907, # 4358 +3908,2939, 967,2751,2655,1349, 592,2133,1692,3324,2985,1994,4114,1679,3909,1901, # 4374 +2185,7488, 739,3642,2715,1296,1290,7489,4115,2198,2199,1921,1563,2595,2551,1870, # 4390 +2752,2986,7490, 435,7491, 343,1108, 596, 17,1751,4365,2235,3430,3643,7492,4366, # 4406 + 294,3527,2940,1693, 477, 979, 281,2041,3528, 643,2042,3644,2621,2782,2261,1031, # 4422 +2335,2134,2298,3529,4367, 367,1249,2552,7493,3530,7494,4368,1283,3325,2004, 240, # 4438 +1762,3326,4369,4370, 836,1069,3128, 474,7495,2148,2525, 268,3531,7496,3188,1521, # 4454 +1284,7497,1658,1546,4116,7498,3532,3533,7499,4117,3327,2684,1685,4118, 961,1673, # 4470 +2622, 190,2005,2200,3762,4371,4372,7500, 570,2497,3645,1490,7501,4373,2623,3260, # 4486 +1956,4374, 584,1514, 396,1045,1944,7502,4375,1967,2444,7503,7504,4376,3910, 619, # 4502 +7505,3129,3261, 215,2006,2783,2553,3189,4377,3190,4378, 763,4119,3763,4379,7506, # 4518 +7507,1957,1767,2941,3328,3646,1174, 452,1477,4380,3329,3130,7508,2825,1253,2382, # 4534 +2186,1091,2285,4120, 492,7509, 638,1169,1824,2135,1752,3911, 648, 926,1021,1324, # 4550 +4381, 520,4382, 997, 847,1007, 892,4383,3764,2262,1871,3647,7510,2400,1784,4384, # 4566 +1952,2942,3080,3191,1728,4121,2043,3648,4385,2007,1701,3131,1551, 30,2263,4122, # 4582 +7511,2026,4386,3534,7512, 501,7513,4123, 594,3431,2165,1821,3535,3432,3536,3192, # 4598 + 829,2826,4124,7514,1680,3132,1225,4125,7515,3262,4387,4126,3133,2336,7516,4388, # 4614 +4127,7517,3912,3913,7518,1847,2383,2596,3330,7519,4389, 374,3914, 652,4128,4129, # 4630 + 375,1140, 798,7520,7521,7522,2361,4390,2264, 546,1659, 138,3031,2445,4391,7523, # 4646 +2250, 612,1848, 910, 796,3765,1740,1371, 825,3766,3767,7524,2906,2554,7525, 692, # 4662 + 444,3032,2624, 801,4392,4130,7526,1491, 244,1053,3033,4131,4132, 340,7527,3915, # 4678 +1041,2987, 293,1168, 87,1357,7528,1539, 959,7529,2236, 721, 694,4133,3768, 219, # 4694 +1478, 644,1417,3331,2656,1413,1401,1335,1389,3916,7530,7531,2988,2362,3134,1825, # 4710 + 730,1515, 184,2827, 66,4393,7532,1660,2943, 246,3332, 378,1457, 226,3433, 975, # 4726 +3917,2944,1264,3537, 674, 696,7533, 163,7534,1141,2417,2166, 713,3538,3333,4394, # 4742 +3918,7535,7536,1186, 15,7537,1079,1070,7538,1522,3193,3539, 276,1050,2716, 758, # 4758 +1126, 653,2945,3263,7539,2337, 889,3540,3919,3081,2989, 903,1250,4395,3920,3434, # 4774 +3541,1342,1681,1718, 766,3264, 286, 89,2946,3649,7540,1713,7541,2597,3334,2990, # 4790 +7542,2947,2215,3194,2866,7543,4396,2498,2526, 181, 387,1075,3921, 731,2187,3335, # 4806 +7544,3265, 310, 313,3435,2299, 770,4134, 54,3034, 189,4397,3082,3769,3922,7545, # 4822 +1230,1617,1849, 355,3542,4135,4398,3336, 111,4136,3650,1350,3135,3436,3035,4137, # 4838 +2149,3266,3543,7546,2784,3923,3924,2991, 722,2008,7547,1071, 247,1207,2338,2471, # 4854 +1378,4399,2009, 864,1437,1214,4400, 373,3770,1142,2216, 667,4401, 442,2753,2555, # 4870 +3771,3925,1968,4138,3267,1839, 837, 170,1107, 934,1336,1882,7548,7549,2118,4139, # 4886 +2828, 743,1569,7550,4402,4140, 582,2384,1418,3437,7551,1802,7552, 357,1395,1729, # 4902 +3651,3268,2418,1564,2237,7553,3083,3772,1633,4403,1114,2085,4141,1532,7554, 482, # 4918 +2446,4404,7555,7556,1492, 833,1466,7557,2717,3544,1641,2829,7558,1526,1272,3652, # 4934 +4142,1686,1794, 416,2556,1902,1953,1803,7559,3773,2785,3774,1159,2316,7560,2867, # 4950 +4405,1610,1584,3036,2419,2754, 443,3269,1163,3136,7561,7562,3926,7563,4143,2499, # 4966 +3037,4406,3927,3137,2103,1647,3545,2010,1872,4144,7564,4145, 431,3438,7565, 250, # 4982 + 97, 81,4146,7566,1648,1850,1558, 160, 848,7567, 866, 740,1694,7568,2201,2830, # 4998 +3195,4147,4407,3653,1687, 950,2472, 426, 469,3196,3654,3655,3928,7569,7570,1188, # 5014 + 424,1995, 861,3546,4148,3775,2202,2685, 168,1235,3547,4149,7571,2086,1674,4408, # 5030 +3337,3270, 220,2557,1009,7572,3776, 670,2992, 332,1208, 717,7573,7574,3548,2447, # 5046 +3929,3338,7575, 513,7576,1209,2868,3339,3138,4409,1080,7577,7578,7579,7580,2527, # 5062 +3656,3549, 815,1587,3930,3931,7581,3550,3439,3777,1254,4410,1328,3038,1390,3932, # 5078 +1741,3933,3778,3934,7582, 236,3779,2448,3271,7583,7584,3657,3780,1273,3781,4411, # 5094 +7585, 308,7586,4412, 245,4413,1851,2473,1307,2575, 430, 715,2136,2449,7587, 270, # 5110 + 199,2869,3935,7588,3551,2718,1753, 761,1754, 725,1661,1840,4414,3440,3658,7589, # 5126 +7590, 587, 14,3272, 227,2598, 326, 480,2265, 943,2755,3552, 291, 650,1883,7591, # 5142 +1702,1226, 102,1547, 62,3441, 904,4415,3442,1164,4150,7592,7593,1224,1548,2756, # 5158 + 391, 498,1493,7594,1386,1419,7595,2055,1177,4416, 813, 880,1081,2363, 566,1145, # 5174 +4417,2286,1001,1035,2558,2599,2238, 394,1286,7596,7597,2068,7598, 86,1494,1730, # 5190 +3936, 491,1588, 745, 897,2948, 843,3340,3937,2757,2870,3273,1768, 998,2217,2069, # 5206 + 397,1826,1195,1969,3659,2993,3341, 284,7599,3782,2500,2137,2119,1903,7600,3938, # 5222 +2150,3939,4151,1036,3443,1904, 114,2559,4152, 209,1527,7601,7602,2949,2831,2625, # 5238 +2385,2719,3139, 812,2560,7603,3274,7604,1559, 737,1884,3660,1210, 885, 28,2686, # 5254 +3553,3783,7605,4153,1004,1779,4418,7606, 346,1981,2218,2687,4419,3784,1742, 797, # 5270 +1642,3940,1933,1072,1384,2151, 896,3941,3275,3661,3197,2871,3554,7607,2561,1958, # 5286 +4420,2450,1785,7608,7609,7610,3942,4154,1005,1308,3662,4155,2720,4421,4422,1528, # 5302 +2600, 161,1178,4156,1982, 987,4423,1101,4157, 631,3943,1157,3198,2420,1343,1241, # 5318 +1016,2239,2562, 372, 877,2339,2501,1160, 555,1934, 911,3944,7611, 466,1170, 169, # 5334 +1051,2907,2688,3663,2474,2994,1182,2011,2563,1251,2626,7612, 992,2340,3444,1540, # 5350 +2721,1201,2070,2401,1996,2475,7613,4424, 528,1922,2188,1503,1873,1570,2364,3342, # 5366 +3276,7614, 557,1073,7615,1827,3445,2087,2266,3140,3039,3084, 767,3085,2786,4425, # 5382 +1006,4158,4426,2341,1267,2176,3664,3199, 778,3945,3200,2722,1597,2657,7616,4427, # 5398 +7617,3446,7618,7619,7620,3277,2689,1433,3278, 131, 95,1504,3946, 723,4159,3141, # 5414 +1841,3555,2758,2189,3947,2027,2104,3665,7621,2995,3948,1218,7622,3343,3201,3949, # 5430 +4160,2576, 248,1634,3785, 912,7623,2832,3666,3040,3786, 654, 53,7624,2996,7625, # 5446 +1688,4428, 777,3447,1032,3950,1425,7626, 191, 820,2120,2833, 971,4429, 931,3202, # 5462 + 135, 664, 783,3787,1997, 772,2908,1935,3951,3788,4430,2909,3203, 282,2723, 640, # 5478 +1372,3448,1127, 922, 325,3344,7627,7628, 711,2044,7629,7630,3952,2219,2787,1936, # 5494 +3953,3345,2220,2251,3789,2300,7631,4431,3790,1258,3279,3954,3204,2138,2950,3955, # 5510 +3956,7632,2221, 258,3205,4432, 101,1227,7633,3280,1755,7634,1391,3281,7635,2910, # 5526 +2056, 893,7636,7637,7638,1402,4161,2342,7639,7640,3206,3556,7641,7642, 878,1325, # 5542 +1780,2788,4433, 259,1385,2577, 744,1183,2267,4434,7643,3957,2502,7644, 684,1024, # 5558 +4162,7645, 472,3557,3449,1165,3282,3958,3959, 322,2152, 881, 455,1695,1152,1340, # 5574 + 660, 554,2153,4435,1058,4436,4163, 830,1065,3346,3960,4437,1923,7646,1703,1918, # 5590 +7647, 932,2268, 122,7648,4438, 947, 677,7649,3791,2627, 297,1905,1924,2269,4439, # 5606 +2317,3283,7650,7651,4164,7652,4165, 84,4166, 112, 989,7653, 547,1059,3961, 701, # 5622 +3558,1019,7654,4167,7655,3450, 942, 639, 457,2301,2451, 993,2951, 407, 851, 494, # 5638 +4440,3347, 927,7656,1237,7657,2421,3348, 573,4168, 680, 921,2911,1279,1874, 285, # 5654 + 790,1448,1983, 719,2167,7658,7659,4441,3962,3963,1649,7660,1541, 563,7661,1077, # 5670 +7662,3349,3041,3451, 511,2997,3964,3965,3667,3966,1268,2564,3350,3207,4442,4443, # 5686 +7663, 535,1048,1276,1189,2912,2028,3142,1438,1373,2834,2952,1134,2012,7664,4169, # 5702 +1238,2578,3086,1259,7665, 700,7666,2953,3143,3668,4170,7667,4171,1146,1875,1906, # 5718 +4444,2601,3967, 781,2422, 132,1589, 203, 147, 273,2789,2402, 898,1786,2154,3968, # 5734 +3969,7668,3792,2790,7669,7670,4445,4446,7671,3208,7672,1635,3793, 965,7673,1804, # 5750 +2690,1516,3559,1121,1082,1329,3284,3970,1449,3794, 65,1128,2835,2913,2759,1590, # 5766 +3795,7674,7675, 12,2658, 45, 976,2579,3144,4447, 517,2528,1013,1037,3209,7676, # 5782 +3796,2836,7677,3797,7678,3452,7679,2602, 614,1998,2318,3798,3087,2724,2628,7680, # 5798 +2580,4172, 599,1269,7681,1810,3669,7682,2691,3088, 759,1060, 489,1805,3351,3285, # 5814 +1358,7683,7684,2386,1387,1215,2629,2252, 490,7685,7686,4173,1759,2387,2343,7687, # 5830 +4448,3799,1907,3971,2630,1806,3210,4449,3453,3286,2760,2344, 874,7688,7689,3454, # 5846 +3670,1858, 91,2914,3671,3042,3800,4450,7690,3145,3972,2659,7691,3455,1202,1403, # 5862 +3801,2954,2529,1517,2503,4451,3456,2504,7692,4452,7693,2692,1885,1495,1731,3973, # 5878 +2365,4453,7694,2029,7695,7696,3974,2693,1216, 237,2581,4174,2319,3975,3802,4454, # 5894 +4455,2694,3560,3457, 445,4456,7697,7698,7699,7700,2761, 61,3976,3672,1822,3977, # 5910 +7701, 687,2045, 935, 925, 405,2660, 703,1096,1859,2725,4457,3978,1876,1367,2695, # 5926 +3352, 918,2105,1781,2476, 334,3287,1611,1093,4458, 564,3146,3458,3673,3353, 945, # 5942 +2631,2057,4459,7702,1925, 872,4175,7703,3459,2696,3089, 349,4176,3674,3979,4460, # 5958 +3803,4177,3675,2155,3980,4461,4462,4178,4463,2403,2046, 782,3981, 400, 251,4179, # 5974 +1624,7704,7705, 277,3676, 299,1265, 476,1191,3804,2121,4180,4181,1109, 205,7706, # 5990 +2582,1000,2156,3561,1860,7707,7708,7709,4464,7710,4465,2565, 107,2477,2157,3982, # 6006 +3460,3147,7711,1533, 541,1301, 158, 753,4182,2872,3562,7712,1696, 370,1088,4183, # 6022 +4466,3563, 579, 327, 440, 162,2240, 269,1937,1374,3461, 968,3043, 56,1396,3090, # 6038 +2106,3288,3354,7713,1926,2158,4467,2998,7714,3564,7715,7716,3677,4468,2478,7717, # 6054 +2791,7718,1650,4469,7719,2603,7720,7721,3983,2661,3355,1149,3356,3984,3805,3985, # 6070 +7722,1076, 49,7723, 951,3211,3289,3290, 450,2837, 920,7724,1811,2792,2366,4184, # 6086 +1908,1138,2367,3806,3462,7725,3212,4470,1909,1147,1518,2423,4471,3807,7726,4472, # 6102 +2388,2604, 260,1795,3213,7727,7728,3808,3291, 708,7729,3565,1704,7730,3566,1351, # 6118 +1618,3357,2999,1886, 944,4185,3358,4186,3044,3359,4187,7731,3678, 422, 413,1714, # 6134 +3292, 500,2058,2345,4188,2479,7732,1344,1910, 954,7733,1668,7734,7735,3986,2404, # 6150 +4189,3567,3809,4190,7736,2302,1318,2505,3091, 133,3092,2873,4473, 629, 31,2838, # 6166 +2697,3810,4474, 850, 949,4475,3987,2955,1732,2088,4191,1496,1852,7737,3988, 620, # 6182 +3214, 981,1242,3679,3360,1619,3680,1643,3293,2139,2452,1970,1719,3463,2168,7738, # 6198 +3215,7739,7740,3361,1828,7741,1277,4476,1565,2047,7742,1636,3568,3093,7743, 869, # 6214 +2839, 655,3811,3812,3094,3989,3000,3813,1310,3569,4477,7744,7745,7746,1733, 558, # 6230 +4478,3681, 335,1549,3045,1756,4192,3682,1945,3464,1829,1291,1192, 470,2726,2107, # 6246 +2793, 913,1054,3990,7747,1027,7748,3046,3991,4479, 982,2662,3362,3148,3465,3216, # 6262 +3217,1946,2794,7749, 571,4480,7750,1830,7751,3570,2583,1523,2424,7752,2089, 984, # 6278 +4481,3683,1959,7753,3684, 852, 923,2795,3466,3685, 969,1519, 999,2048,2320,1705, # 6294 +7754,3095, 615,1662, 151, 597,3992,2405,2321,1049, 275,4482,3686,4193, 568,3687, # 6310 +3571,2480,4194,3688,7755,2425,2270, 409,3218,7756,1566,2874,3467,1002, 769,2840, # 6326 + 194,2090,3149,3689,2222,3294,4195, 628,1505,7757,7758,1763,2177,3001,3993, 521, # 6342 +1161,2584,1787,2203,2406,4483,3994,1625,4196,4197, 412, 42,3096, 464,7759,2632, # 6358 +4484,3363,1760,1571,2875,3468,2530,1219,2204,3814,2633,2140,2368,4485,4486,3295, # 6374 +1651,3364,3572,7760,7761,3573,2481,3469,7762,3690,7763,7764,2271,2091, 460,7765, # 6390 +4487,7766,3002, 962, 588,3574, 289,3219,2634,1116, 52,7767,3047,1796,7768,7769, # 6406 +7770,1467,7771,1598,1143,3691,4198,1984,1734,1067,4488,1280,3365, 465,4489,1572, # 6422 + 510,7772,1927,2241,1812,1644,3575,7773,4490,3692,7774,7775,2663,1573,1534,7776, # 6438 +7777,4199, 536,1807,1761,3470,3815,3150,2635,7778,7779,7780,4491,3471,2915,1911, # 6454 +2796,7781,3296,1122, 377,3220,7782, 360,7783,7784,4200,1529, 551,7785,2059,3693, # 6470 +1769,2426,7786,2916,4201,3297,3097,2322,2108,2030,4492,1404, 136,1468,1479, 672, # 6486 +1171,3221,2303, 271,3151,7787,2762,7788,2049, 678,2727, 865,1947,4493,7789,2013, # 6502 +3995,2956,7790,2728,2223,1397,3048,3694,4494,4495,1735,2917,3366,3576,7791,3816, # 6518 + 509,2841,2453,2876,3817,7792,7793,3152,3153,4496,4202,2531,4497,2304,1166,1010, # 6534 + 552, 681,1887,7794,7795,2957,2958,3996,1287,1596,1861,3154, 358, 453, 736, 175, # 6550 + 478,1117, 905,1167,1097,7796,1853,1530,7797,1706,7798,2178,3472,2287,3695,3473, # 6566 +3577,4203,2092,4204,7799,3367,1193,2482,4205,1458,2190,2205,1862,1888,1421,3298, # 6582 +2918,3049,2179,3474, 595,2122,7800,3997,7801,7802,4206,1707,2636, 223,3696,1359, # 6598 + 751,3098, 183,3475,7803,2797,3003, 419,2369, 633, 704,3818,2389, 241,7804,7805, # 6614 +7806, 838,3004,3697,2272,2763,2454,3819,1938,2050,3998,1309,3099,2242,1181,7807, # 6630 +1136,2206,3820,2370,1446,4207,2305,4498,7808,7809,4208,1055,2605, 484,3698,7810, # 6646 +3999, 625,4209,2273,3368,1499,4210,4000,7811,4001,4211,3222,2274,2275,3476,7812, # 6662 +7813,2764, 808,2606,3699,3369,4002,4212,3100,2532, 526,3370,3821,4213, 955,7814, # 6678 +1620,4214,2637,2427,7815,1429,3700,1669,1831, 994, 928,7816,3578,1260,7817,7818, # 6694 +7819,1948,2288, 741,2919,1626,4215,2729,2455, 867,1184, 362,3371,1392,7820,7821, # 6710 +4003,4216,1770,1736,3223,2920,4499,4500,1928,2698,1459,1158,7822,3050,3372,2877, # 6726 +1292,1929,2506,2842,3701,1985,1187,2071,2014,2607,4217,7823,2566,2507,2169,3702, # 6742 +2483,3299,7824,3703,4501,7825,7826, 666,1003,3005,1022,3579,4218,7827,4502,1813, # 6758 +2253, 574,3822,1603, 295,1535, 705,3823,4219, 283, 858, 417,7828,7829,3224,4503, # 6774 +4504,3051,1220,1889,1046,2276,2456,4004,1393,1599, 689,2567, 388,4220,7830,2484, # 6790 + 802,7831,2798,3824,2060,1405,2254,7832,4505,3825,2109,1052,1345,3225,1585,7833, # 6806 + 809,7834,7835,7836, 575,2730,3477, 956,1552,1469,1144,2323,7837,2324,1560,2457, # 6822 +3580,3226,4005, 616,2207,3155,2180,2289,7838,1832,7839,3478,4506,7840,1319,3704, # 6838 +3705,1211,3581,1023,3227,1293,2799,7841,7842,7843,3826, 607,2306,3827, 762,2878, # 6854 +1439,4221,1360,7844,1485,3052,7845,4507,1038,4222,1450,2061,2638,4223,1379,4508, # 6870 +2585,7846,7847,4224,1352,1414,2325,2921,1172,7848,7849,3828,3829,7850,1797,1451, # 6886 +7851,7852,7853,7854,2922,4006,4007,2485,2346, 411,4008,4009,3582,3300,3101,4509, # 6902 +1561,2664,1452,4010,1375,7855,7856, 47,2959, 316,7857,1406,1591,2923,3156,7858, # 6918 +1025,2141,3102,3157, 354,2731, 884,2224,4225,2407, 508,3706, 726,3583, 996,2428, # 6934 +3584, 729,7859, 392,2191,1453,4011,4510,3707,7860,7861,2458,3585,2608,1675,2800, # 6950 + 919,2347,2960,2348,1270,4511,4012, 73,7862,7863, 647,7864,3228,2843,2255,1550, # 6966 +1346,3006,7865,1332, 883,3479,7866,7867,7868,7869,3301,2765,7870,1212, 831,1347, # 6982 +4226,4512,2326,3830,1863,3053, 720,3831,4513,4514,3832,7871,4227,7872,7873,4515, # 6998 +7874,7875,1798,4516,3708,2609,4517,3586,1645,2371,7876,7877,2924, 669,2208,2665, # 7014 +2429,7878,2879,7879,7880,1028,3229,7881,4228,2408,7882,2256,1353,7883,7884,4518, # 7030 +3158, 518,7885,4013,7886,4229,1960,7887,2142,4230,7888,7889,3007,2349,2350,3833, # 7046 + 516,1833,1454,4014,2699,4231,4519,2225,2610,1971,1129,3587,7890,2766,7891,2961, # 7062 +1422, 577,1470,3008,1524,3373,7892,7893, 432,4232,3054,3480,7894,2586,1455,2508, # 7078 +2226,1972,1175,7895,1020,2732,4015,3481,4520,7896,2733,7897,1743,1361,3055,3482, # 7094 +2639,4016,4233,4521,2290, 895, 924,4234,2170, 331,2243,3056, 166,1627,3057,1098, # 7110 +7898,1232,2880,2227,3374,4522, 657, 403,1196,2372, 542,3709,3375,1600,4235,3483, # 7126 +7899,4523,2767,3230, 576, 530,1362,7900,4524,2533,2666,3710,4017,7901, 842,3834, # 7142 +7902,2801,2031,1014,4018, 213,2700,3376, 665, 621,4236,7903,3711,2925,2430,7904, # 7158 +2431,3302,3588,3377,7905,4237,2534,4238,4525,3589,1682,4239,3484,1380,7906, 724, # 7174 +2277, 600,1670,7907,1337,1233,4526,3103,2244,7908,1621,4527,7909, 651,4240,7910, # 7190 +1612,4241,2611,7911,2844,7912,2734,2307,3058,7913, 716,2459,3059, 174,1255,2701, # 7206 +4019,3590, 548,1320,1398, 728,4020,1574,7914,1890,1197,3060,4021,7915,3061,3062, # 7222 +3712,3591,3713, 747,7916, 635,4242,4528,7917,7918,7919,4243,7920,7921,4529,7922, # 7238 +3378,4530,2432, 451,7923,3714,2535,2072,4244,2735,4245,4022,7924,1764,4531,7925, # 7254 +4246, 350,7926,2278,2390,2486,7927,4247,4023,2245,1434,4024, 488,4532, 458,4248, # 7270 +4025,3715, 771,1330,2391,3835,2568,3159,2159,2409,1553,2667,3160,4249,7928,2487, # 7286 +2881,2612,1720,2702,4250,3379,4533,7929,2536,4251,7930,3231,4252,2768,7931,2015, # 7302 +2736,7932,1155,1017,3716,3836,7933,3303,2308, 201,1864,4253,1430,7934,4026,7935, # 7318 +7936,7937,7938,7939,4254,1604,7940, 414,1865, 371,2587,4534,4535,3485,2016,3104, # 7334 +4536,1708, 960,4255, 887, 389,2171,1536,1663,1721,7941,2228,4027,2351,2926,1580, # 7350 +7942,7943,7944,1744,7945,2537,4537,4538,7946,4539,7947,2073,7948,7949,3592,3380, # 7366 +2882,4256,7950,4257,2640,3381,2802, 673,2703,2460, 709,3486,4028,3593,4258,7951, # 7382 +1148, 502, 634,7952,7953,1204,4540,3594,1575,4541,2613,3717,7954,3718,3105, 948, # 7398 +3232, 121,1745,3837,1110,7955,4259,3063,2509,3009,4029,3719,1151,1771,3838,1488, # 7414 +4030,1986,7956,2433,3487,7957,7958,2093,7959,4260,3839,1213,1407,2803, 531,2737, # 7430 +2538,3233,1011,1537,7960,2769,4261,3106,1061,7961,3720,3721,1866,2883,7962,2017, # 7446 + 120,4262,4263,2062,3595,3234,2309,3840,2668,3382,1954,4542,7963,7964,3488,1047, # 7462 +2704,1266,7965,1368,4543,2845, 649,3383,3841,2539,2738,1102,2846,2669,7966,7967, # 7478 +1999,7968,1111,3596,2962,7969,2488,3842,3597,2804,1854,3384,3722,7970,7971,3385, # 7494 +2410,2884,3304,3235,3598,7972,2569,7973,3599,2805,4031,1460, 856,7974,3600,7975, # 7510 +2885,2963,7976,2886,3843,7977,4264, 632,2510, 875,3844,1697,3845,2291,7978,7979, # 7526 +4544,3010,1239, 580,4545,4265,7980, 914, 936,2074,1190,4032,1039,2123,7981,7982, # 7542 +7983,3386,1473,7984,1354,4266,3846,7985,2172,3064,4033, 915,3305,4267,4268,3306, # 7558 +1605,1834,7986,2739, 398,3601,4269,3847,4034, 328,1912,2847,4035,3848,1331,4270, # 7574 +3011, 937,4271,7987,3602,4036,4037,3387,2160,4546,3388, 524, 742, 538,3065,1012, # 7590 +7988,7989,3849,2461,7990, 658,1103, 225,3850,7991,7992,4547,7993,4548,7994,3236, # 7606 +1243,7995,4038, 963,2246,4549,7996,2705,3603,3161,7997,7998,2588,2327,7999,4550, # 7622 +8000,8001,8002,3489,3307, 957,3389,2540,2032,1930,2927,2462, 870,2018,3604,1746, # 7638 +2770,2771,2434,2463,8003,3851,8004,3723,3107,3724,3490,3390,3725,8005,1179,3066, # 7654 +8006,3162,2373,4272,3726,2541,3163,3108,2740,4039,8007,3391,1556,2542,2292, 977, # 7670 +2887,2033,4040,1205,3392,8008,1765,3393,3164,2124,1271,1689, 714,4551,3491,8009, # 7686 +2328,3852, 533,4273,3605,2181, 617,8010,2464,3308,3492,2310,8011,8012,3165,8013, # 7702 +8014,3853,1987, 618, 427,2641,3493,3394,8015,8016,1244,1690,8017,2806,4274,4552, # 7718 +8018,3494,8019,8020,2279,1576, 473,3606,4275,3395, 972,8021,3607,8022,3067,8023, # 7734 +8024,4553,4554,8025,3727,4041,4042,8026, 153,4555, 356,8027,1891,2888,4276,2143, # 7750 + 408, 803,2352,8028,3854,8029,4277,1646,2570,2511,4556,4557,3855,8030,3856,4278, # 7766 +8031,2411,3396, 752,8032,8033,1961,2964,8034, 746,3012,2465,8035,4279,3728, 698, # 7782 +4558,1892,4280,3608,2543,4559,3609,3857,8036,3166,3397,8037,1823,1302,4043,2706, # 7798 +3858,1973,4281,8038,4282,3167, 823,1303,1288,1236,2848,3495,4044,3398, 774,3859, # 7814 +8039,1581,4560,1304,2849,3860,4561,8040,2435,2161,1083,3237,4283,4045,4284, 344, # 7830 +1173, 288,2311, 454,1683,8041,8042,1461,4562,4046,2589,8043,8044,4563, 985, 894, # 7846 +8045,3399,3168,8046,1913,2928,3729,1988,8047,2110,1974,8048,4047,8049,2571,1194, # 7862 + 425,8050,4564,3169,1245,3730,4285,8051,8052,2850,8053, 636,4565,1855,3861, 760, # 7878 +1799,8054,4286,2209,1508,4566,4048,1893,1684,2293,8055,8056,8057,4287,4288,2210, # 7894 + 479,8058,8059, 832,8060,4049,2489,8061,2965,2490,3731, 990,3109, 627,1814,2642, # 7910 +4289,1582,4290,2125,2111,3496,4567,8062, 799,4291,3170,8063,4568,2112,1737,3013, # 7926 +1018, 543, 754,4292,3309,1676,4569,4570,4050,8064,1489,8065,3497,8066,2614,2889, # 7942 +4051,8067,8068,2966,8069,8070,8071,8072,3171,4571,4572,2182,1722,8073,3238,3239, # 7958 +1842,3610,1715, 481, 365,1975,1856,8074,8075,1962,2491,4573,8076,2126,3611,3240, # 7974 + 433,1894,2063,2075,8077, 602,2741,8078,8079,8080,8081,8082,3014,1628,3400,8083, # 7990 +3172,4574,4052,2890,4575,2512,8084,2544,2772,8085,8086,8087,3310,4576,2891,8088, # 8006 +4577,8089,2851,4578,4579,1221,2967,4053,2513,8090,8091,8092,1867,1989,8093,8094, # 8022 +8095,1895,8096,8097,4580,1896,4054, 318,8098,2094,4055,4293,8099,8100, 485,8101, # 8038 + 938,3862, 553,2670, 116,8102,3863,3612,8103,3498,2671,2773,3401,3311,2807,8104, # 8054 +3613,2929,4056,1747,2930,2968,8105,8106, 207,8107,8108,2672,4581,2514,8109,3015, # 8070 + 890,3614,3864,8110,1877,3732,3402,8111,2183,2353,3403,1652,8112,8113,8114, 941, # 8086 +2294, 208,3499,4057,2019, 330,4294,3865,2892,2492,3733,4295,8115,8116,8117,8118, # 8102 +) + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euctwprober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euctwprober.py new file mode 100644 index 0000000..35669cc --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euctwprober.py @@ -0,0 +1,46 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is mozilla.org code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .mbcharsetprober import MultiByteCharSetProber +from .codingstatemachine import CodingStateMachine +from .chardistribution import EUCTWDistributionAnalysis +from .mbcssm import EUCTW_SM_MODEL + +class EUCTWProber(MultiByteCharSetProber): + def __init__(self): + super(EUCTWProber, self).__init__() + self.coding_sm = CodingStateMachine(EUCTW_SM_MODEL) + self.distribution_analyzer = EUCTWDistributionAnalysis() + self.reset() + + @property + def charset_name(self): + return "EUC-TW" + + @property + def language(self): + return "Taiwan" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/gb2312freq.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/gb2312freq.py new file mode 100644 index 0000000..697837b --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/gb2312freq.py @@ -0,0 +1,283 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +# GB2312 most frequently used character table +# +# Char to FreqOrder table , from hz6763 + +# 512 --> 0.79 -- 0.79 +# 1024 --> 0.92 -- 0.13 +# 2048 --> 0.98 -- 0.06 +# 6768 --> 1.00 -- 0.02 +# +# Ideal Distribution Ratio = 0.79135/(1-0.79135) = 3.79 +# Random Distribution Ration = 512 / (3755 - 512) = 0.157 +# +# Typical Distribution Ratio about 25% of Ideal one, still much higher that RDR + +GB2312_TYPICAL_DISTRIBUTION_RATIO = 0.9 + +GB2312_TABLE_SIZE = 3760 + +GB2312_CHAR_TO_FREQ_ORDER = ( +1671, 749,1443,2364,3924,3807,2330,3921,1704,3463,2691,1511,1515, 572,3191,2205, +2361, 224,2558, 479,1711, 963,3162, 440,4060,1905,2966,2947,3580,2647,3961,3842, +2204, 869,4207, 970,2678,5626,2944,2956,1479,4048, 514,3595, 588,1346,2820,3409, + 249,4088,1746,1873,2047,1774, 581,1813, 358,1174,3590,1014,1561,4844,2245, 670, +1636,3112, 889,1286, 953, 556,2327,3060,1290,3141, 613, 185,3477,1367, 850,3820, +1715,2428,2642,2303,2732,3041,2562,2648,3566,3946,1349, 388,3098,2091,1360,3585, + 152,1687,1539, 738,1559, 59,1232,2925,2267,1388,1249,1741,1679,2960, 151,1566, +1125,1352,4271, 924,4296, 385,3166,4459, 310,1245,2850, 70,3285,2729,3534,3575, +2398,3298,3466,1960,2265, 217,3647, 864,1909,2084,4401,2773,1010,3269,5152, 853, +3051,3121,1244,4251,1895, 364,1499,1540,2313,1180,3655,2268, 562, 715,2417,3061, + 544, 336,3768,2380,1752,4075, 950, 280,2425,4382, 183,2759,3272, 333,4297,2155, +1688,2356,1444,1039,4540, 736,1177,3349,2443,2368,2144,2225, 565, 196,1482,3406, + 927,1335,4147, 692, 878,1311,1653,3911,3622,1378,4200,1840,2969,3149,2126,1816, +2534,1546,2393,2760, 737,2494, 13, 447, 245,2747, 38,2765,2129,2589,1079, 606, + 360, 471,3755,2890, 404, 848, 699,1785,1236, 370,2221,1023,3746,2074,2026,2023, +2388,1581,2119, 812,1141,3091,2536,1519, 804,2053, 406,1596,1090, 784, 548,4414, +1806,2264,2936,1100, 343,4114,5096, 622,3358, 743,3668,1510,1626,5020,3567,2513, +3195,4115,5627,2489,2991, 24,2065,2697,1087,2719, 48,1634, 315, 68, 985,2052, + 198,2239,1347,1107,1439, 597,2366,2172, 871,3307, 919,2487,2790,1867, 236,2570, +1413,3794, 906,3365,3381,1701,1982,1818,1524,2924,1205, 616,2586,2072,2004, 575, + 253,3099, 32,1365,1182, 197,1714,2454,1201, 554,3388,3224,2748, 756,2587, 250, +2567,1507,1517,3529,1922,2761,2337,3416,1961,1677,2452,2238,3153, 615, 911,1506, +1474,2495,1265,1906,2749,3756,3280,2161, 898,2714,1759,3450,2243,2444, 563, 26, +3286,2266,3769,3344,2707,3677, 611,1402, 531,1028,2871,4548,1375, 261,2948, 835, +1190,4134, 353, 840,2684,1900,3082,1435,2109,1207,1674, 329,1872,2781,4055,2686, +2104, 608,3318,2423,2957,2768,1108,3739,3512,3271,3985,2203,1771,3520,1418,2054, +1681,1153, 225,1627,2929, 162,2050,2511,3687,1954, 124,1859,2431,1684,3032,2894, + 585,4805,3969,2869,2704,2088,2032,2095,3656,2635,4362,2209, 256, 518,2042,2105, +3777,3657, 643,2298,1148,1779, 190, 989,3544, 414, 11,2135,2063,2979,1471, 403, +3678, 126, 770,1563, 671,2499,3216,2877, 600,1179, 307,2805,4937,1268,1297,2694, + 252,4032,1448,1494,1331,1394, 127,2256, 222,1647,1035,1481,3056,1915,1048, 873, +3651, 210, 33,1608,2516, 200,1520, 415, 102, 0,3389,1287, 817, 91,3299,2940, + 836,1814, 549,2197,1396,1669,2987,3582,2297,2848,4528,1070, 687, 20,1819, 121, +1552,1364,1461,1968,2617,3540,2824,2083, 177, 948,4938,2291, 110,4549,2066, 648, +3359,1755,2110,2114,4642,4845,1693,3937,3308,1257,1869,2123, 208,1804,3159,2992, +2531,2549,3361,2418,1350,2347,2800,2568,1291,2036,2680, 72, 842,1990, 212,1233, +1154,1586, 75,2027,3410,4900,1823,1337,2710,2676, 728,2810,1522,3026,4995, 157, + 755,1050,4022, 710, 785,1936,2194,2085,1406,2777,2400, 150,1250,4049,1206, 807, +1910, 534, 529,3309,1721,1660, 274, 39,2827, 661,2670,1578, 925,3248,3815,1094, +4278,4901,4252, 41,1150,3747,2572,2227,4501,3658,4902,3813,3357,3617,2884,2258, + 887, 538,4187,3199,1294,2439,3042,2329,2343,2497,1255, 107, 543,1527, 521,3478, +3568, 194,5062, 15, 961,3870,1241,1192,2664, 66,5215,3260,2111,1295,1127,2152, +3805,4135, 901,1164,1976, 398,1278, 530,1460, 748, 904,1054,1966,1426, 53,2909, + 509, 523,2279,1534, 536,1019, 239,1685, 460,2353, 673,1065,2401,3600,4298,2272, +1272,2363, 284,1753,3679,4064,1695, 81, 815,2677,2757,2731,1386, 859, 500,4221, +2190,2566, 757,1006,2519,2068,1166,1455, 337,2654,3203,1863,1682,1914,3025,1252, +1409,1366, 847, 714,2834,2038,3209, 964,2970,1901, 885,2553,1078,1756,3049, 301, +1572,3326, 688,2130,1996,2429,1805,1648,2930,3421,2750,3652,3088, 262,1158,1254, + 389,1641,1812, 526,1719, 923,2073,1073,1902, 468, 489,4625,1140, 857,2375,3070, +3319,2863, 380, 116,1328,2693,1161,2244, 273,1212,1884,2769,3011,1775,1142, 461, +3066,1200,2147,2212, 790, 702,2695,4222,1601,1058, 434,2338,5153,3640, 67,2360, +4099,2502, 618,3472,1329, 416,1132, 830,2782,1807,2653,3211,3510,1662, 192,2124, + 296,3979,1739,1611,3684, 23, 118, 324, 446,1239,1225, 293,2520,3814,3795,2535, +3116, 17,1074, 467,2692,2201, 387,2922, 45,1326,3055,1645,3659,2817, 958, 243, +1903,2320,1339,2825,1784,3289, 356, 576, 865,2315,2381,3377,3916,1088,3122,1713, +1655, 935, 628,4689,1034,1327, 441, 800, 720, 894,1979,2183,1528,5289,2702,1071, +4046,3572,2399,1571,3281, 79, 761,1103, 327, 134, 758,1899,1371,1615, 879, 442, + 215,2605,2579, 173,2048,2485,1057,2975,3317,1097,2253,3801,4263,1403,1650,2946, + 814,4968,3487,1548,2644,1567,1285, 2, 295,2636, 97, 946,3576, 832, 141,4257, +3273, 760,3821,3521,3156,2607, 949,1024,1733,1516,1803,1920,2125,2283,2665,3180, +1501,2064,3560,2171,1592, 803,3518,1416, 732,3897,4258,1363,1362,2458, 119,1427, + 602,1525,2608,1605,1639,3175, 694,3064, 10, 465, 76,2000,4846,4208, 444,3781, +1619,3353,2206,1273,3796, 740,2483, 320,1723,2377,3660,2619,1359,1137,1762,1724, +2345,2842,1850,1862, 912, 821,1866, 612,2625,1735,2573,3369,1093, 844, 89, 937, + 930,1424,3564,2413,2972,1004,3046,3019,2011, 711,3171,1452,4178, 428, 801,1943, + 432, 445,2811, 206,4136,1472, 730, 349, 73, 397,2802,2547, 998,1637,1167, 789, + 396,3217, 154,1218, 716,1120,1780,2819,4826,1931,3334,3762,2139,1215,2627, 552, +3664,3628,3232,1405,2383,3111,1356,2652,3577,3320,3101,1703, 640,1045,1370,1246, +4996, 371,1575,2436,1621,2210, 984,4033,1734,2638, 16,4529, 663,2755,3255,1451, +3917,2257,1253,1955,2234,1263,2951, 214,1229, 617, 485, 359,1831,1969, 473,2310, + 750,2058, 165, 80,2864,2419, 361,4344,2416,2479,1134, 796,3726,1266,2943, 860, +2715, 938, 390,2734,1313,1384, 248, 202, 877,1064,2854, 522,3907, 279,1602, 297, +2357, 395,3740, 137,2075, 944,4089,2584,1267,3802, 62,1533,2285, 178, 176, 780, +2440, 201,3707, 590, 478,1560,4354,2117,1075, 30, 74,4643,4004,1635,1441,2745, + 776,2596, 238,1077,1692,1912,2844, 605, 499,1742,3947, 241,3053, 980,1749, 936, +2640,4511,2582, 515,1543,2162,5322,2892,2993, 890,2148,1924, 665,1827,3581,1032, + 968,3163, 339,1044,1896, 270, 583,1791,1720,4367,1194,3488,3669, 43,2523,1657, + 163,2167, 290,1209,1622,3378, 550, 634,2508,2510, 695,2634,2384,2512,1476,1414, + 220,1469,2341,2138,2852,3183,2900,4939,2865,3502,1211,3680, 854,3227,1299,2976, +3172, 186,2998,1459, 443,1067,3251,1495, 321,1932,3054, 909, 753,1410,1828, 436, +2441,1119,1587,3164,2186,1258, 227, 231,1425,1890,3200,3942, 247, 959, 725,5254, +2741, 577,2158,2079, 929, 120, 174, 838,2813, 591,1115, 417,2024, 40,3240,1536, +1037, 291,4151,2354, 632,1298,2406,2500,3535,1825,1846,3451, 205,1171, 345,4238, + 18,1163, 811, 685,2208,1217, 425,1312,1508,1175,4308,2552,1033, 587,1381,3059, +2984,3482, 340,1316,4023,3972, 792,3176, 519, 777,4690, 918, 933,4130,2981,3741, + 90,3360,2911,2200,5184,4550, 609,3079,2030, 272,3379,2736, 363,3881,1130,1447, + 286, 779, 357,1169,3350,3137,1630,1220,2687,2391, 747,1277,3688,2618,2682,2601, +1156,3196,5290,4034,3102,1689,3596,3128, 874, 219,2783, 798, 508,1843,2461, 269, +1658,1776,1392,1913,2983,3287,2866,2159,2372, 829,4076, 46,4253,2873,1889,1894, + 915,1834,1631,2181,2318, 298, 664,2818,3555,2735, 954,3228,3117, 527,3511,2173, + 681,2712,3033,2247,2346,3467,1652, 155,2164,3382, 113,1994, 450, 899, 494, 994, +1237,2958,1875,2336,1926,3727, 545,1577,1550, 633,3473, 204,1305,3072,2410,1956, +2471, 707,2134, 841,2195,2196,2663,3843,1026,4940, 990,3252,4997, 368,1092, 437, +3212,3258,1933,1829, 675,2977,2893, 412, 943,3723,4644,3294,3283,2230,2373,5154, +2389,2241,2661,2323,1404,2524, 593, 787, 677,3008,1275,2059, 438,2709,2609,2240, +2269,2246,1446, 36,1568,1373,3892,1574,2301,1456,3962, 693,2276,5216,2035,1143, +2720,1919,1797,1811,2763,4137,2597,1830,1699,1488,1198,2090, 424,1694, 312,3634, +3390,4179,3335,2252,1214, 561,1059,3243,2295,2561, 975,5155,2321,2751,3772, 472, +1537,3282,3398,1047,2077,2348,2878,1323,3340,3076, 690,2906, 51, 369, 170,3541, +1060,2187,2688,3670,2541,1083,1683, 928,3918, 459, 109,4427, 599,3744,4286, 143, +2101,2730,2490, 82,1588,3036,2121, 281,1860, 477,4035,1238,2812,3020,2716,3312, +1530,2188,2055,1317, 843, 636,1808,1173,3495, 649, 181,1002, 147,3641,1159,2414, +3750,2289,2795, 813,3123,2610,1136,4368, 5,3391,4541,2174, 420, 429,1728, 754, +1228,2115,2219, 347,2223,2733, 735,1518,3003,2355,3134,1764,3948,3329,1888,2424, +1001,1234,1972,3321,3363,1672,1021,1450,1584, 226, 765, 655,2526,3404,3244,2302, +3665, 731, 594,2184, 319,1576, 621, 658,2656,4299,2099,3864,1279,2071,2598,2739, + 795,3086,3699,3908,1707,2352,2402,1382,3136,2475,1465,4847,3496,3865,1085,3004, +2591,1084, 213,2287,1963,3565,2250, 822, 793,4574,3187,1772,1789,3050, 595,1484, +1959,2770,1080,2650, 456, 422,2996, 940,3322,4328,4345,3092,2742, 965,2784, 739, +4124, 952,1358,2498,2949,2565, 332,2698,2378, 660,2260,2473,4194,3856,2919, 535, +1260,2651,1208,1428,1300,1949,1303,2942, 433,2455,2450,1251,1946, 614,1269, 641, +1306,1810,2737,3078,2912, 564,2365,1419,1415,1497,4460,2367,2185,1379,3005,1307, +3218,2175,1897,3063, 682,1157,4040,4005,1712,1160,1941,1399, 394, 402,2952,1573, +1151,2986,2404, 862, 299,2033,1489,3006, 346, 171,2886,3401,1726,2932, 168,2533, + 47,2507,1030,3735,1145,3370,1395,1318,1579,3609,4560,2857,4116,1457,2529,1965, + 504,1036,2690,2988,2405, 745,5871, 849,2397,2056,3081, 863,2359,3857,2096, 99, +1397,1769,2300,4428,1643,3455,1978,1757,3718,1440, 35,4879,3742,1296,4228,2280, + 160,5063,1599,2013, 166, 520,3479,1646,3345,3012, 490,1937,1545,1264,2182,2505, +1096,1188,1369,1436,2421,1667,2792,2460,1270,2122, 727,3167,2143, 806,1706,1012, +1800,3037, 960,2218,1882, 805, 139,2456,1139,1521, 851,1052,3093,3089, 342,2039, + 744,5097,1468,1502,1585,2087, 223, 939, 326,2140,2577, 892,2481,1623,4077, 982, +3708, 135,2131, 87,2503,3114,2326,1106, 876,1616, 547,2997,2831,2093,3441,4530, +4314, 9,3256,4229,4148, 659,1462,1986,1710,2046,2913,2231,4090,4880,5255,3392, +3274,1368,3689,4645,1477, 705,3384,3635,1068,1529,2941,1458,3782,1509, 100,1656, +2548, 718,2339, 408,1590,2780,3548,1838,4117,3719,1345,3530, 717,3442,2778,3220, +2898,1892,4590,3614,3371,2043,1998,1224,3483, 891, 635, 584,2559,3355, 733,1766, +1729,1172,3789,1891,2307, 781,2982,2271,1957,1580,5773,2633,2005,4195,3097,1535, +3213,1189,1934,5693,3262, 586,3118,1324,1598, 517,1564,2217,1868,1893,4445,3728, +2703,3139,1526,1787,1992,3882,2875,1549,1199,1056,2224,1904,2711,5098,4287, 338, +1993,3129,3489,2689,1809,2815,1997, 957,1855,3898,2550,3275,3057,1105,1319, 627, +1505,1911,1883,3526, 698,3629,3456,1833,1431, 746, 77,1261,2017,2296,1977,1885, + 125,1334,1600, 525,1798,1109,2222,1470,1945, 559,2236,1186,3443,2476,1929,1411, +2411,3135,1777,3372,2621,1841,1613,3229, 668,1430,1839,2643,2916, 195,1989,2671, +2358,1387, 629,3205,2293,5256,4439, 123,1310, 888,1879,4300,3021,3605,1003,1162, +3192,2910,2010, 140,2395,2859, 55,1082,2012,2901, 662, 419,2081,1438, 680,2774, +4654,3912,1620,1731,1625,5035,4065,2328, 512,1344, 802,5443,2163,2311,2537, 524, +3399, 98,1155,2103,1918,2606,3925,2816,1393,2465,1504,3773,2177,3963,1478,4346, + 180,1113,4655,3461,2028,1698, 833,2696,1235,1322,1594,4408,3623,3013,3225,2040, +3022, 541,2881, 607,3632,2029,1665,1219, 639,1385,1686,1099,2803,3231,1938,3188, +2858, 427, 676,2772,1168,2025, 454,3253,2486,3556, 230,1950, 580, 791,1991,1280, +1086,1974,2034, 630, 257,3338,2788,4903,1017, 86,4790, 966,2789,1995,1696,1131, + 259,3095,4188,1308, 179,1463,5257, 289,4107,1248, 42,3413,1725,2288, 896,1947, + 774,4474,4254, 604,3430,4264, 392,2514,2588, 452, 237,1408,3018, 988,4531,1970, +3034,3310, 540,2370,1562,1288,2990, 502,4765,1147, 4,1853,2708, 207, 294,2814, +4078,2902,2509, 684, 34,3105,3532,2551, 644, 709,2801,2344, 573,1727,3573,3557, +2021,1081,3100,4315,2100,3681, 199,2263,1837,2385, 146,3484,1195,2776,3949, 997, +1939,3973,1008,1091,1202,1962,1847,1149,4209,5444,1076, 493, 117,5400,2521, 972, +1490,2934,1796,4542,2374,1512,2933,2657, 413,2888,1135,2762,2314,2156,1355,2369, + 766,2007,2527,2170,3124,2491,2593,2632,4757,2437, 234,3125,3591,1898,1750,1376, +1942,3468,3138, 570,2127,2145,3276,4131, 962, 132,1445,4196, 19, 941,3624,3480, +3366,1973,1374,4461,3431,2629, 283,2415,2275, 808,2887,3620,2112,2563,1353,3610, + 955,1089,3103,1053, 96, 88,4097, 823,3808,1583, 399, 292,4091,3313, 421,1128, + 642,4006, 903,2539,1877,2082, 596, 29,4066,1790, 722,2157, 130, 995,1569, 769, +1485, 464, 513,2213, 288,1923,1101,2453,4316, 133, 486,2445, 50, 625, 487,2207, + 57, 423, 481,2962, 159,3729,1558, 491, 303, 482, 501, 240,2837, 112,3648,2392, +1783, 362, 8,3433,3422, 610,2793,3277,1390,1284,1654, 21,3823, 734, 367, 623, + 193, 287, 374,1009,1483, 816, 476, 313,2255,2340,1262,2150,2899,1146,2581, 782, +2116,1659,2018,1880, 255,3586,3314,1110,2867,2137,2564, 986,2767,5185,2006, 650, + 158, 926, 762, 881,3157,2717,2362,3587, 306,3690,3245,1542,3077,2427,1691,2478, +2118,2985,3490,2438, 539,2305, 983, 129,1754, 355,4201,2386, 827,2923, 104,1773, +2838,2771, 411,2905,3919, 376, 767, 122,1114, 828,2422,1817,3506, 266,3460,1007, +1609,4998, 945,2612,4429,2274, 726,1247,1964,2914,2199,2070,4002,4108, 657,3323, +1422, 579, 455,2764,4737,1222,2895,1670, 824,1223,1487,2525, 558, 861,3080, 598, +2659,2515,1967, 752,2583,2376,2214,4180, 977, 704,2464,4999,2622,4109,1210,2961, + 819,1541, 142,2284, 44, 418, 457,1126,3730,4347,4626,1644,1876,3671,1864, 302, +1063,5694, 624, 723,1984,3745,1314,1676,2488,1610,1449,3558,3569,2166,2098, 409, +1011,2325,3704,2306, 818,1732,1383,1824,1844,3757, 999,2705,3497,1216,1423,2683, +2426,2954,2501,2726,2229,1475,2554,5064,1971,1794,1666,2014,1343, 783, 724, 191, +2434,1354,2220,5065,1763,2752,2472,4152, 131, 175,2885,3434, 92,1466,4920,2616, +3871,3872,3866, 128,1551,1632, 669,1854,3682,4691,4125,1230, 188,2973,3290,1302, +1213, 560,3266, 917, 763,3909,3249,1760, 868,1958, 764,1782,2097, 145,2277,3774, +4462, 64,1491,3062, 971,2132,3606,2442, 221,1226,1617, 218, 323,1185,3207,3147, + 571, 619,1473,1005,1744,2281, 449,1887,2396,3685, 275, 375,3816,1743,3844,3731, + 845,1983,2350,4210,1377, 773, 967,3499,3052,3743,2725,4007,1697,1022,3943,1464, +3264,2855,2722,1952,1029,2839,2467, 84,4383,2215, 820,1391,2015,2448,3672, 377, +1948,2168, 797,2545,3536,2578,2645, 94,2874,1678, 405,1259,3071, 771, 546,1315, + 470,1243,3083, 895,2468, 981, 969,2037, 846,4181, 653,1276,2928, 14,2594, 557, +3007,2474, 156, 902,1338,1740,2574, 537,2518, 973,2282,2216,2433,1928, 138,2903, +1293,2631,1612, 646,3457, 839,2935, 111, 496,2191,2847, 589,3186, 149,3994,2060, +4031,2641,4067,3145,1870, 37,3597,2136,1025,2051,3009,3383,3549,1121,1016,3261, +1301, 251,2446,2599,2153, 872,3246, 637, 334,3705, 831, 884, 921,3065,3140,4092, +2198,1944, 246,2964, 108,2045,1152,1921,2308,1031, 203,3173,4170,1907,3890, 810, +1401,2003,1690, 506, 647,1242,2828,1761,1649,3208,2249,1589,3709,2931,5156,1708, + 498, 666,2613, 834,3817,1231, 184,2851,1124, 883,3197,2261,3710,1765,1553,2658, +1178,2639,2351, 93,1193, 942,2538,2141,4402, 235,1821, 870,1591,2192,1709,1871, +3341,1618,4126,2595,2334, 603, 651, 69, 701, 268,2662,3411,2555,1380,1606, 503, + 448, 254,2371,2646, 574,1187,2309,1770, 322,2235,1292,1801, 305, 566,1133, 229, +2067,2057, 706, 167, 483,2002,2672,3295,1820,3561,3067, 316, 378,2746,3452,1112, + 136,1981, 507,1651,2917,1117, 285,4591, 182,2580,3522,1304, 335,3303,1835,2504, +1795,1792,2248, 674,1018,2106,2449,1857,2292,2845, 976,3047,1781,2600,2727,1389, +1281, 52,3152, 153, 265,3950, 672,3485,3951,4463, 430,1183, 365, 278,2169, 27, +1407,1336,2304, 209,1340,1730,2202,1852,2403,2883, 979,1737,1062, 631,2829,2542, +3876,2592, 825,2086,2226,3048,3625, 352,1417,3724, 542, 991, 431,1351,3938,1861, +2294, 826,1361,2927,3142,3503,1738, 463,2462,2723, 582,1916,1595,2808, 400,3845, +3891,2868,3621,2254, 58,2492,1123, 910,2160,2614,1372,1603,1196,1072,3385,1700, +3267,1980, 696, 480,2430, 920, 799,1570,2920,1951,2041,4047,2540,1321,4223,2469, +3562,2228,1271,2602, 401,2833,3351,2575,5157, 907,2312,1256, 410, 263,3507,1582, + 996, 678,1849,2316,1480, 908,3545,2237, 703,2322, 667,1826,2849,1531,2604,2999, +2407,3146,2151,2630,1786,3711, 469,3542, 497,3899,2409, 858, 837,4446,3393,1274, + 786, 620,1845,2001,3311, 484, 308,3367,1204,1815,3691,2332,1532,2557,1842,2020, +2724,1927,2333,4440, 567, 22,1673,2728,4475,1987,1858,1144,1597, 101,1832,3601, + 12, 974,3783,4391, 951,1412, 1,3720, 453,4608,4041, 528,1041,1027,3230,2628, +1129, 875,1051,3291,1203,2262,1069,2860,2799,2149,2615,3278, 144,1758,3040, 31, + 475,1680, 366,2685,3184, 311,1642,4008,2466,5036,1593,1493,2809, 216,1420,1668, + 233, 304,2128,3284, 232,1429,1768,1040,2008,3407,2740,2967,2543, 242,2133, 778, +1565,2022,2620, 505,2189,2756,1098,2273, 372,1614, 708, 553,2846,2094,2278, 169, +3626,2835,4161, 228,2674,3165, 809,1454,1309, 466,1705,1095, 900,3423, 880,2667, +3751,5258,2317,3109,2571,4317,2766,1503,1342, 866,4447,1118, 63,2076, 314,1881, +1348,1061, 172, 978,3515,1747, 532, 511,3970, 6, 601, 905,2699,3300,1751, 276, +1467,3725,2668, 65,4239,2544,2779,2556,1604, 578,2451,1802, 992,2331,2624,1320, +3446, 713,1513,1013, 103,2786,2447,1661, 886,1702, 916, 654,3574,2031,1556, 751, +2178,2821,2179,1498,1538,2176, 271, 914,2251,2080,1325, 638,1953,2937,3877,2432, +2754, 95,3265,1716, 260,1227,4083, 775, 106,1357,3254, 426,1607, 555,2480, 772, +1985, 244,2546, 474, 495,1046,2611,1851,2061, 71,2089,1675,2590, 742,3758,2843, +3222,1433, 267,2180,2576,2826,2233,2092,3913,2435, 956,1745,3075, 856,2113,1116, + 451, 3,1988,2896,1398, 993,2463,1878,2049,1341,2718,2721,2870,2108, 712,2904, +4363,2753,2324, 277,2872,2349,2649, 384, 987, 435, 691,3000, 922, 164,3939, 652, +1500,1184,4153,2482,3373,2165,4848,2335,3775,3508,3154,2806,2830,1554,2102,1664, +2530,1434,2408, 893,1547,2623,3447,2832,2242,2532,3169,2856,3223,2078, 49,3770, +3469, 462, 318, 656,2259,3250,3069, 679,1629,2758, 344,1138,1104,3120,1836,1283, +3115,2154,1437,4448, 934, 759,1999, 794,2862,1038, 533,2560,1722,2342, 855,2626, +1197,1663,4476,3127, 85,4240,2528, 25,1111,1181,3673, 407,3470,4561,2679,2713, + 768,1925,2841,3986,1544,1165, 932, 373,1240,2146,1930,2673, 721,4766, 354,4333, + 391,2963, 187, 61,3364,1442,1102, 330,1940,1767, 341,3809,4118, 393,2496,2062, +2211, 105, 331, 300, 439, 913,1332, 626, 379,3304,1557, 328, 689,3952, 309,1555, + 931, 317,2517,3027, 325, 569, 686,2107,3084, 60,1042,1333,2794, 264,3177,4014, +1628, 258,3712, 7,4464,1176,1043,1778, 683, 114,1975, 78,1492, 383,1886, 510, + 386, 645,5291,2891,2069,3305,4138,3867,2939,2603,2493,1935,1066,1848,3588,1015, +1282,1289,4609, 697,1453,3044,2666,3611,1856,2412, 54, 719,1330, 568,3778,2459, +1748, 788, 492, 551,1191,1000, 488,3394,3763, 282,1799, 348,2016,1523,3155,2390, +1049, 382,2019,1788,1170, 729,2968,3523, 897,3926,2785,2938,3292, 350,2319,3238, +1718,1717,2655,3453,3143,4465, 161,2889,2980,2009,1421, 56,1908,1640,2387,2232, +1917,1874,2477,4921, 148, 83,3438, 592,4245,2882,1822,1055, 741, 115,1496,1624, + 381,1638,4592,1020, 516,3214, 458, 947,4575,1432, 211,1514,2926,1865,2142, 189, + 852,1221,1400,1486, 882,2299,4036, 351, 28,1122, 700,6479,6480,6481,6482,6483, #last 512 +) + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/gb2312prober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/gb2312prober.py new file mode 100644 index 0000000..8446d2d --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/gb2312prober.py @@ -0,0 +1,46 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is mozilla.org code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .mbcharsetprober import MultiByteCharSetProber +from .codingstatemachine import CodingStateMachine +from .chardistribution import GB2312DistributionAnalysis +from .mbcssm import GB2312_SM_MODEL + +class GB2312Prober(MultiByteCharSetProber): + def __init__(self): + super(GB2312Prober, self).__init__() + self.coding_sm = CodingStateMachine(GB2312_SM_MODEL) + self.distribution_analyzer = GB2312DistributionAnalysis() + self.reset() + + @property + def charset_name(self): + return "GB2312" + + @property + def language(self): + return "Chinese" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/hebrewprober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/hebrewprober.py new file mode 100644 index 0000000..b0e1bf4 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/hebrewprober.py @@ -0,0 +1,292 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Universal charset detector code. +# +# The Initial Developer of the Original Code is +# Shy Shalom +# Portions created by the Initial Developer are Copyright (C) 2005 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .charsetprober import CharSetProber +from .enums import ProbingState + +# This prober doesn't actually recognize a language or a charset. +# It is a helper prober for the use of the Hebrew model probers + +### General ideas of the Hebrew charset recognition ### +# +# Four main charsets exist in Hebrew: +# "ISO-8859-8" - Visual Hebrew +# "windows-1255" - Logical Hebrew +# "ISO-8859-8-I" - Logical Hebrew +# "x-mac-hebrew" - ?? Logical Hebrew ?? +# +# Both "ISO" charsets use a completely identical set of code points, whereas +# "windows-1255" and "x-mac-hebrew" are two different proper supersets of +# these code points. windows-1255 defines additional characters in the range +# 0x80-0x9F as some misc punctuation marks as well as some Hebrew-specific +# diacritics and additional 'Yiddish' ligature letters in the range 0xc0-0xd6. +# x-mac-hebrew defines similar additional code points but with a different +# mapping. +# +# As far as an average Hebrew text with no diacritics is concerned, all four +# charsets are identical with respect to code points. Meaning that for the +# main Hebrew alphabet, all four map the same values to all 27 Hebrew letters +# (including final letters). +# +# The dominant difference between these charsets is their directionality. +# "Visual" directionality means that the text is ordered as if the renderer is +# not aware of a BIDI rendering algorithm. The renderer sees the text and +# draws it from left to right. The text itself when ordered naturally is read +# backwards. A buffer of Visual Hebrew generally looks like so: +# "[last word of first line spelled backwards] [whole line ordered backwards +# and spelled backwards] [first word of first line spelled backwards] +# [end of line] [last word of second line] ... etc' " +# adding punctuation marks, numbers and English text to visual text is +# naturally also "visual" and from left to right. +# +# "Logical" directionality means the text is ordered "naturally" according to +# the order it is read. It is the responsibility of the renderer to display +# the text from right to left. A BIDI algorithm is used to place general +# punctuation marks, numbers and English text in the text. +# +# Texts in x-mac-hebrew are almost impossible to find on the Internet. From +# what little evidence I could find, it seems that its general directionality +# is Logical. +# +# To sum up all of the above, the Hebrew probing mechanism knows about two +# charsets: +# Visual Hebrew - "ISO-8859-8" - backwards text - Words and sentences are +# backwards while line order is natural. For charset recognition purposes +# the line order is unimportant (In fact, for this implementation, even +# word order is unimportant). +# Logical Hebrew - "windows-1255" - normal, naturally ordered text. +# +# "ISO-8859-8-I" is a subset of windows-1255 and doesn't need to be +# specifically identified. +# "x-mac-hebrew" is also identified as windows-1255. A text in x-mac-hebrew +# that contain special punctuation marks or diacritics is displayed with +# some unconverted characters showing as question marks. This problem might +# be corrected using another model prober for x-mac-hebrew. Due to the fact +# that x-mac-hebrew texts are so rare, writing another model prober isn't +# worth the effort and performance hit. +# +#### The Prober #### +# +# The prober is divided between two SBCharSetProbers and a HebrewProber, +# all of which are managed, created, fed data, inquired and deleted by the +# SBCSGroupProber. The two SBCharSetProbers identify that the text is in +# fact some kind of Hebrew, Logical or Visual. The final decision about which +# one is it is made by the HebrewProber by combining final-letter scores +# with the scores of the two SBCharSetProbers to produce a final answer. +# +# The SBCSGroupProber is responsible for stripping the original text of HTML +# tags, English characters, numbers, low-ASCII punctuation characters, spaces +# and new lines. It reduces any sequence of such characters to a single space. +# The buffer fed to each prober in the SBCS group prober is pure text in +# high-ASCII. +# The two SBCharSetProbers (model probers) share the same language model: +# Win1255Model. +# The first SBCharSetProber uses the model normally as any other +# SBCharSetProber does, to recognize windows-1255, upon which this model was +# built. The second SBCharSetProber is told to make the pair-of-letter +# lookup in the language model backwards. This in practice exactly simulates +# a visual Hebrew model using the windows-1255 logical Hebrew model. +# +# The HebrewProber is not using any language model. All it does is look for +# final-letter evidence suggesting the text is either logical Hebrew or visual +# Hebrew. Disjointed from the model probers, the results of the HebrewProber +# alone are meaningless. HebrewProber always returns 0.00 as confidence +# since it never identifies a charset by itself. Instead, the pointer to the +# HebrewProber is passed to the model probers as a helper "Name Prober". +# When the Group prober receives a positive identification from any prober, +# it asks for the name of the charset identified. If the prober queried is a +# Hebrew model prober, the model prober forwards the call to the +# HebrewProber to make the final decision. In the HebrewProber, the +# decision is made according to the final-letters scores maintained and Both +# model probers scores. The answer is returned in the form of the name of the +# charset identified, either "windows-1255" or "ISO-8859-8". + +class HebrewProber(CharSetProber): + # windows-1255 / ISO-8859-8 code points of interest + FINAL_KAF = 0xea + NORMAL_KAF = 0xeb + FINAL_MEM = 0xed + NORMAL_MEM = 0xee + FINAL_NUN = 0xef + NORMAL_NUN = 0xf0 + FINAL_PE = 0xf3 + NORMAL_PE = 0xf4 + FINAL_TSADI = 0xf5 + NORMAL_TSADI = 0xf6 + + # Minimum Visual vs Logical final letter score difference. + # If the difference is below this, don't rely solely on the final letter score + # distance. + MIN_FINAL_CHAR_DISTANCE = 5 + + # Minimum Visual vs Logical model score difference. + # If the difference is below this, don't rely at all on the model score + # distance. + MIN_MODEL_DISTANCE = 0.01 + + VISUAL_HEBREW_NAME = "ISO-8859-8" + LOGICAL_HEBREW_NAME = "windows-1255" + + def __init__(self): + super(HebrewProber, self).__init__() + self._final_char_logical_score = None + self._final_char_visual_score = None + self._prev = None + self._before_prev = None + self._logical_prober = None + self._visual_prober = None + self.reset() + + def reset(self): + self._final_char_logical_score = 0 + self._final_char_visual_score = 0 + # The two last characters seen in the previous buffer, + # mPrev and mBeforePrev are initialized to space in order to simulate + # a word delimiter at the beginning of the data + self._prev = ' ' + self._before_prev = ' ' + # These probers are owned by the group prober. + + def set_model_probers(self, logicalProber, visualProber): + self._logical_prober = logicalProber + self._visual_prober = visualProber + + def is_final(self, c): + return c in [self.FINAL_KAF, self.FINAL_MEM, self.FINAL_NUN, + self.FINAL_PE, self.FINAL_TSADI] + + def is_non_final(self, c): + # The normal Tsadi is not a good Non-Final letter due to words like + # 'lechotet' (to chat) containing an apostrophe after the tsadi. This + # apostrophe is converted to a space in FilterWithoutEnglishLetters + # causing the Non-Final tsadi to appear at an end of a word even + # though this is not the case in the original text. + # The letters Pe and Kaf rarely display a related behavior of not being + # a good Non-Final letter. Words like 'Pop', 'Winamp' and 'Mubarak' + # for example legally end with a Non-Final Pe or Kaf. However, the + # benefit of these letters as Non-Final letters outweighs the damage + # since these words are quite rare. + return c in [self.NORMAL_KAF, self.NORMAL_MEM, + self.NORMAL_NUN, self.NORMAL_PE] + + def feed(self, byte_str): + # Final letter analysis for logical-visual decision. + # Look for evidence that the received buffer is either logical Hebrew + # or visual Hebrew. + # The following cases are checked: + # 1) A word longer than 1 letter, ending with a final letter. This is + # an indication that the text is laid out "naturally" since the + # final letter really appears at the end. +1 for logical score. + # 2) A word longer than 1 letter, ending with a Non-Final letter. In + # normal Hebrew, words ending with Kaf, Mem, Nun, Pe or Tsadi, + # should not end with the Non-Final form of that letter. Exceptions + # to this rule are mentioned above in isNonFinal(). This is an + # indication that the text is laid out backwards. +1 for visual + # score + # 3) A word longer than 1 letter, starting with a final letter. Final + # letters should not appear at the beginning of a word. This is an + # indication that the text is laid out backwards. +1 for visual + # score. + # + # The visual score and logical score are accumulated throughout the + # text and are finally checked against each other in GetCharSetName(). + # No checking for final letters in the middle of words is done since + # that case is not an indication for either Logical or Visual text. + # + # We automatically filter out all 7-bit characters (replace them with + # spaces) so the word boundary detection works properly. [MAP] + + if self.state == ProbingState.NOT_ME: + # Both model probers say it's not them. No reason to continue. + return ProbingState.NOT_ME + + byte_str = self.filter_high_byte_only(byte_str) + + for cur in byte_str: + if cur == ' ': + # We stand on a space - a word just ended + if self._before_prev != ' ': + # next-to-last char was not a space so self._prev is not a + # 1 letter word + if self.is_final(self._prev): + # case (1) [-2:not space][-1:final letter][cur:space] + self._final_char_logical_score += 1 + elif self.is_non_final(self._prev): + # case (2) [-2:not space][-1:Non-Final letter][ + # cur:space] + self._final_char_visual_score += 1 + else: + # Not standing on a space + if ((self._before_prev == ' ') and + (self.is_final(self._prev)) and (cur != ' ')): + # case (3) [-2:space][-1:final letter][cur:not space] + self._final_char_visual_score += 1 + self._before_prev = self._prev + self._prev = cur + + # Forever detecting, till the end or until both model probers return + # ProbingState.NOT_ME (handled above) + return ProbingState.DETECTING + + @property + def charset_name(self): + # Make the decision: is it Logical or Visual? + # If the final letter score distance is dominant enough, rely on it. + finalsub = self._final_char_logical_score - self._final_char_visual_score + if finalsub >= self.MIN_FINAL_CHAR_DISTANCE: + return self.LOGICAL_HEBREW_NAME + if finalsub <= -self.MIN_FINAL_CHAR_DISTANCE: + return self.VISUAL_HEBREW_NAME + + # It's not dominant enough, try to rely on the model scores instead. + modelsub = (self._logical_prober.get_confidence() + - self._visual_prober.get_confidence()) + if modelsub > self.MIN_MODEL_DISTANCE: + return self.LOGICAL_HEBREW_NAME + if modelsub < -self.MIN_MODEL_DISTANCE: + return self.VISUAL_HEBREW_NAME + + # Still no good, back to final letter distance, maybe it'll save the + # day. + if finalsub < 0.0: + return self.VISUAL_HEBREW_NAME + + # (finalsub > 0 - Logical) or (don't know what to do) default to + # Logical. + return self.LOGICAL_HEBREW_NAME + + @property + def language(self): + return 'Hebrew' + + @property + def state(self): + # Remain active as long as any of the model probers are active. + if (self._logical_prober.state == ProbingState.NOT_ME) and \ + (self._visual_prober.state == ProbingState.NOT_ME): + return ProbingState.NOT_ME + return ProbingState.DETECTING diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/jisfreq.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/jisfreq.py new file mode 100644 index 0000000..83fc082 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/jisfreq.py @@ -0,0 +1,325 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +# Sampling from about 20M text materials include literature and computer technology +# +# Japanese frequency table, applied to both S-JIS and EUC-JP +# They are sorted in order. + +# 128 --> 0.77094 +# 256 --> 0.85710 +# 512 --> 0.92635 +# 1024 --> 0.97130 +# 2048 --> 0.99431 +# +# Ideal Distribution Ratio = 0.92635 / (1-0.92635) = 12.58 +# Random Distribution Ration = 512 / (2965+62+83+86-512) = 0.191 +# +# Typical Distribution Ratio, 25% of IDR + +JIS_TYPICAL_DISTRIBUTION_RATIO = 3.0 + +# Char to FreqOrder table , +JIS_TABLE_SIZE = 4368 + +JIS_CHAR_TO_FREQ_ORDER = ( + 40, 1, 6, 182, 152, 180, 295,2127, 285, 381,3295,4304,3068,4606,3165,3510, # 16 +3511,1822,2785,4607,1193,2226,5070,4608, 171,2996,1247, 18, 179,5071, 856,1661, # 32 +1262,5072, 619, 127,3431,3512,3230,1899,1700, 232, 228,1294,1298, 284, 283,2041, # 48 +2042,1061,1062, 48, 49, 44, 45, 433, 434,1040,1041, 996, 787,2997,1255,4305, # 64 +2108,4609,1684,1648,5073,5074,5075,5076,5077,5078,3687,5079,4610,5080,3927,3928, # 80 +5081,3296,3432, 290,2285,1471,2187,5082,2580,2825,1303,2140,1739,1445,2691,3375, # 96 +1691,3297,4306,4307,4611, 452,3376,1182,2713,3688,3069,4308,5083,5084,5085,5086, # 112 +5087,5088,5089,5090,5091,5092,5093,5094,5095,5096,5097,5098,5099,5100,5101,5102, # 128 +5103,5104,5105,5106,5107,5108,5109,5110,5111,5112,4097,5113,5114,5115,5116,5117, # 144 +5118,5119,5120,5121,5122,5123,5124,5125,5126,5127,5128,5129,5130,5131,5132,5133, # 160 +5134,5135,5136,5137,5138,5139,5140,5141,5142,5143,5144,5145,5146,5147,5148,5149, # 176 +5150,5151,5152,4612,5153,5154,5155,5156,5157,5158,5159,5160,5161,5162,5163,5164, # 192 +5165,5166,5167,5168,5169,5170,5171,5172,5173,5174,5175,1472, 598, 618, 820,1205, # 208 +1309,1412,1858,1307,1692,5176,5177,5178,5179,5180,5181,5182,1142,1452,1234,1172, # 224 +1875,2043,2149,1793,1382,2973, 925,2404,1067,1241, 960,1377,2935,1491, 919,1217, # 240 +1865,2030,1406,1499,2749,4098,5183,5184,5185,5186,5187,5188,2561,4099,3117,1804, # 256 +2049,3689,4309,3513,1663,5189,3166,3118,3298,1587,1561,3433,5190,3119,1625,2998, # 272 +3299,4613,1766,3690,2786,4614,5191,5192,5193,5194,2161, 26,3377, 2,3929, 20, # 288 +3691, 47,4100, 50, 17, 16, 35, 268, 27, 243, 42, 155, 24, 154, 29, 184, # 304 + 4, 91, 14, 92, 53, 396, 33, 289, 9, 37, 64, 620, 21, 39, 321, 5, # 320 + 12, 11, 52, 13, 3, 208, 138, 0, 7, 60, 526, 141, 151,1069, 181, 275, # 336 +1591, 83, 132,1475, 126, 331, 829, 15, 69, 160, 59, 22, 157, 55,1079, 312, # 352 + 109, 38, 23, 25, 10, 19, 79,5195, 61, 382,1124, 8, 30,5196,5197,5198, # 368 +5199,5200,5201,5202,5203,5204,5205,5206, 89, 62, 74, 34,2416, 112, 139, 196, # 384 + 271, 149, 84, 607, 131, 765, 46, 88, 153, 683, 76, 874, 101, 258, 57, 80, # 400 + 32, 364, 121,1508, 169,1547, 68, 235, 145,2999, 41, 360,3027, 70, 63, 31, # 416 + 43, 259, 262,1383, 99, 533, 194, 66, 93, 846, 217, 192, 56, 106, 58, 565, # 432 + 280, 272, 311, 256, 146, 82, 308, 71, 100, 128, 214, 655, 110, 261, 104,1140, # 448 + 54, 51, 36, 87, 67,3070, 185,2618,2936,2020, 28,1066,2390,2059,5207,5208, # 464 +5209,5210,5211,5212,5213,5214,5215,5216,4615,5217,5218,5219,5220,5221,5222,5223, # 480 +5224,5225,5226,5227,5228,5229,5230,5231,5232,5233,5234,5235,5236,3514,5237,5238, # 496 +5239,5240,5241,5242,5243,5244,2297,2031,4616,4310,3692,5245,3071,5246,3598,5247, # 512 +4617,3231,3515,5248,4101,4311,4618,3808,4312,4102,5249,4103,4104,3599,5250,5251, # 528 +5252,5253,5254,5255,5256,5257,5258,5259,5260,5261,5262,5263,5264,5265,5266,5267, # 544 +5268,5269,5270,5271,5272,5273,5274,5275,5276,5277,5278,5279,5280,5281,5282,5283, # 560 +5284,5285,5286,5287,5288,5289,5290,5291,5292,5293,5294,5295,5296,5297,5298,5299, # 576 +5300,5301,5302,5303,5304,5305,5306,5307,5308,5309,5310,5311,5312,5313,5314,5315, # 592 +5316,5317,5318,5319,5320,5321,5322,5323,5324,5325,5326,5327,5328,5329,5330,5331, # 608 +5332,5333,5334,5335,5336,5337,5338,5339,5340,5341,5342,5343,5344,5345,5346,5347, # 624 +5348,5349,5350,5351,5352,5353,5354,5355,5356,5357,5358,5359,5360,5361,5362,5363, # 640 +5364,5365,5366,5367,5368,5369,5370,5371,5372,5373,5374,5375,5376,5377,5378,5379, # 656 +5380,5381, 363, 642,2787,2878,2788,2789,2316,3232,2317,3434,2011, 165,1942,3930, # 672 +3931,3932,3933,5382,4619,5383,4620,5384,5385,5386,5387,5388,5389,5390,5391,5392, # 688 +5393,5394,5395,5396,5397,5398,5399,5400,5401,5402,5403,5404,5405,5406,5407,5408, # 704 +5409,5410,5411,5412,5413,5414,5415,5416,5417,5418,5419,5420,5421,5422,5423,5424, # 720 +5425,5426,5427,5428,5429,5430,5431,5432,5433,5434,5435,5436,5437,5438,5439,5440, # 736 +5441,5442,5443,5444,5445,5446,5447,5448,5449,5450,5451,5452,5453,5454,5455,5456, # 752 +5457,5458,5459,5460,5461,5462,5463,5464,5465,5466,5467,5468,5469,5470,5471,5472, # 768 +5473,5474,5475,5476,5477,5478,5479,5480,5481,5482,5483,5484,5485,5486,5487,5488, # 784 +5489,5490,5491,5492,5493,5494,5495,5496,5497,5498,5499,5500,5501,5502,5503,5504, # 800 +5505,5506,5507,5508,5509,5510,5511,5512,5513,5514,5515,5516,5517,5518,5519,5520, # 816 +5521,5522,5523,5524,5525,5526,5527,5528,5529,5530,5531,5532,5533,5534,5535,5536, # 832 +5537,5538,5539,5540,5541,5542,5543,5544,5545,5546,5547,5548,5549,5550,5551,5552, # 848 +5553,5554,5555,5556,5557,5558,5559,5560,5561,5562,5563,5564,5565,5566,5567,5568, # 864 +5569,5570,5571,5572,5573,5574,5575,5576,5577,5578,5579,5580,5581,5582,5583,5584, # 880 +5585,5586,5587,5588,5589,5590,5591,5592,5593,5594,5595,5596,5597,5598,5599,5600, # 896 +5601,5602,5603,5604,5605,5606,5607,5608,5609,5610,5611,5612,5613,5614,5615,5616, # 912 +5617,5618,5619,5620,5621,5622,5623,5624,5625,5626,5627,5628,5629,5630,5631,5632, # 928 +5633,5634,5635,5636,5637,5638,5639,5640,5641,5642,5643,5644,5645,5646,5647,5648, # 944 +5649,5650,5651,5652,5653,5654,5655,5656,5657,5658,5659,5660,5661,5662,5663,5664, # 960 +5665,5666,5667,5668,5669,5670,5671,5672,5673,5674,5675,5676,5677,5678,5679,5680, # 976 +5681,5682,5683,5684,5685,5686,5687,5688,5689,5690,5691,5692,5693,5694,5695,5696, # 992 +5697,5698,5699,5700,5701,5702,5703,5704,5705,5706,5707,5708,5709,5710,5711,5712, # 1008 +5713,5714,5715,5716,5717,5718,5719,5720,5721,5722,5723,5724,5725,5726,5727,5728, # 1024 +5729,5730,5731,5732,5733,5734,5735,5736,5737,5738,5739,5740,5741,5742,5743,5744, # 1040 +5745,5746,5747,5748,5749,5750,5751,5752,5753,5754,5755,5756,5757,5758,5759,5760, # 1056 +5761,5762,5763,5764,5765,5766,5767,5768,5769,5770,5771,5772,5773,5774,5775,5776, # 1072 +5777,5778,5779,5780,5781,5782,5783,5784,5785,5786,5787,5788,5789,5790,5791,5792, # 1088 +5793,5794,5795,5796,5797,5798,5799,5800,5801,5802,5803,5804,5805,5806,5807,5808, # 1104 +5809,5810,5811,5812,5813,5814,5815,5816,5817,5818,5819,5820,5821,5822,5823,5824, # 1120 +5825,5826,5827,5828,5829,5830,5831,5832,5833,5834,5835,5836,5837,5838,5839,5840, # 1136 +5841,5842,5843,5844,5845,5846,5847,5848,5849,5850,5851,5852,5853,5854,5855,5856, # 1152 +5857,5858,5859,5860,5861,5862,5863,5864,5865,5866,5867,5868,5869,5870,5871,5872, # 1168 +5873,5874,5875,5876,5877,5878,5879,5880,5881,5882,5883,5884,5885,5886,5887,5888, # 1184 +5889,5890,5891,5892,5893,5894,5895,5896,5897,5898,5899,5900,5901,5902,5903,5904, # 1200 +5905,5906,5907,5908,5909,5910,5911,5912,5913,5914,5915,5916,5917,5918,5919,5920, # 1216 +5921,5922,5923,5924,5925,5926,5927,5928,5929,5930,5931,5932,5933,5934,5935,5936, # 1232 +5937,5938,5939,5940,5941,5942,5943,5944,5945,5946,5947,5948,5949,5950,5951,5952, # 1248 +5953,5954,5955,5956,5957,5958,5959,5960,5961,5962,5963,5964,5965,5966,5967,5968, # 1264 +5969,5970,5971,5972,5973,5974,5975,5976,5977,5978,5979,5980,5981,5982,5983,5984, # 1280 +5985,5986,5987,5988,5989,5990,5991,5992,5993,5994,5995,5996,5997,5998,5999,6000, # 1296 +6001,6002,6003,6004,6005,6006,6007,6008,6009,6010,6011,6012,6013,6014,6015,6016, # 1312 +6017,6018,6019,6020,6021,6022,6023,6024,6025,6026,6027,6028,6029,6030,6031,6032, # 1328 +6033,6034,6035,6036,6037,6038,6039,6040,6041,6042,6043,6044,6045,6046,6047,6048, # 1344 +6049,6050,6051,6052,6053,6054,6055,6056,6057,6058,6059,6060,6061,6062,6063,6064, # 1360 +6065,6066,6067,6068,6069,6070,6071,6072,6073,6074,6075,6076,6077,6078,6079,6080, # 1376 +6081,6082,6083,6084,6085,6086,6087,6088,6089,6090,6091,6092,6093,6094,6095,6096, # 1392 +6097,6098,6099,6100,6101,6102,6103,6104,6105,6106,6107,6108,6109,6110,6111,6112, # 1408 +6113,6114,2044,2060,4621, 997,1235, 473,1186,4622, 920,3378,6115,6116, 379,1108, # 1424 +4313,2657,2735,3934,6117,3809, 636,3233, 573,1026,3693,3435,2974,3300,2298,4105, # 1440 + 854,2937,2463, 393,2581,2417, 539, 752,1280,2750,2480, 140,1161, 440, 708,1569, # 1456 + 665,2497,1746,1291,1523,3000, 164,1603, 847,1331, 537,1997, 486, 508,1693,2418, # 1472 +1970,2227, 878,1220, 299,1030, 969, 652,2751, 624,1137,3301,2619, 65,3302,2045, # 1488 +1761,1859,3120,1930,3694,3516, 663,1767, 852, 835,3695, 269, 767,2826,2339,1305, # 1504 + 896,1150, 770,1616,6118, 506,1502,2075,1012,2519, 775,2520,2975,2340,2938,4314, # 1520 +3028,2086,1224,1943,2286,6119,3072,4315,2240,1273,1987,3935,1557, 175, 597, 985, # 1536 +3517,2419,2521,1416,3029, 585, 938,1931,1007,1052,1932,1685,6120,3379,4316,4623, # 1552 + 804, 599,3121,1333,2128,2539,1159,1554,2032,3810, 687,2033,2904, 952, 675,1467, # 1568 +3436,6121,2241,1096,1786,2440,1543,1924, 980,1813,2228, 781,2692,1879, 728,1918, # 1584 +3696,4624, 548,1950,4625,1809,1088,1356,3303,2522,1944, 502, 972, 373, 513,2827, # 1600 + 586,2377,2391,1003,1976,1631,6122,2464,1084, 648,1776,4626,2141, 324, 962,2012, # 1616 +2177,2076,1384, 742,2178,1448,1173,1810, 222, 102, 301, 445, 125,2420, 662,2498, # 1632 + 277, 200,1476,1165,1068, 224,2562,1378,1446, 450,1880, 659, 791, 582,4627,2939, # 1648 +3936,1516,1274, 555,2099,3697,1020,1389,1526,3380,1762,1723,1787,2229, 412,2114, # 1664 +1900,2392,3518, 512,2597, 427,1925,2341,3122,1653,1686,2465,2499, 697, 330, 273, # 1680 + 380,2162, 951, 832, 780, 991,1301,3073, 965,2270,3519, 668,2523,2636,1286, 535, # 1696 +1407, 518, 671, 957,2658,2378, 267, 611,2197,3030,6123, 248,2299, 967,1799,2356, # 1712 + 850,1418,3437,1876,1256,1480,2828,1718,6124,6125,1755,1664,2405,6126,4628,2879, # 1728 +2829, 499,2179, 676,4629, 557,2329,2214,2090, 325,3234, 464, 811,3001, 992,2342, # 1744 +2481,1232,1469, 303,2242, 466,1070,2163, 603,1777,2091,4630,2752,4631,2714, 322, # 1760 +2659,1964,1768, 481,2188,1463,2330,2857,3600,2092,3031,2421,4632,2318,2070,1849, # 1776 +2598,4633,1302,2254,1668,1701,2422,3811,2905,3032,3123,2046,4106,1763,1694,4634, # 1792 +1604, 943,1724,1454, 917, 868,2215,1169,2940, 552,1145,1800,1228,1823,1955, 316, # 1808 +1080,2510, 361,1807,2830,4107,2660,3381,1346,1423,1134,4108,6127, 541,1263,1229, # 1824 +1148,2540, 545, 465,1833,2880,3438,1901,3074,2482, 816,3937, 713,1788,2500, 122, # 1840 +1575, 195,1451,2501,1111,6128, 859, 374,1225,2243,2483,4317, 390,1033,3439,3075, # 1856 +2524,1687, 266, 793,1440,2599, 946, 779, 802, 507, 897,1081, 528,2189,1292, 711, # 1872 +1866,1725,1167,1640, 753, 398,2661,1053, 246, 348,4318, 137,1024,3440,1600,2077, # 1888 +2129, 825,4319, 698, 238, 521, 187,2300,1157,2423,1641,1605,1464,1610,1097,2541, # 1904 +1260,1436, 759,2255,1814,2150, 705,3235, 409,2563,3304, 561,3033,2005,2564, 726, # 1920 +1956,2343,3698,4109, 949,3812,3813,3520,1669, 653,1379,2525, 881,2198, 632,2256, # 1936 +1027, 778,1074, 733,1957, 514,1481,2466, 554,2180, 702,3938,1606,1017,1398,6129, # 1952 +1380,3521, 921, 993,1313, 594, 449,1489,1617,1166, 768,1426,1360, 495,1794,3601, # 1968 +1177,3602,1170,4320,2344, 476, 425,3167,4635,3168,1424, 401,2662,1171,3382,1998, # 1984 +1089,4110, 477,3169, 474,6130,1909, 596,2831,1842, 494, 693,1051,1028,1207,3076, # 2000 + 606,2115, 727,2790,1473,1115, 743,3522, 630, 805,1532,4321,2021, 366,1057, 838, # 2016 + 684,1114,2142,4322,2050,1492,1892,1808,2271,3814,2424,1971,1447,1373,3305,1090, # 2032 +1536,3939,3523,3306,1455,2199, 336, 369,2331,1035, 584,2393, 902, 718,2600,6131, # 2048 +2753, 463,2151,1149,1611,2467, 715,1308,3124,1268, 343,1413,3236,1517,1347,2663, # 2064 +2093,3940,2022,1131,1553,2100,2941,1427,3441,2942,1323,2484,6132,1980, 872,2368, # 2080 +2441,2943, 320,2369,2116,1082, 679,1933,3941,2791,3815, 625,1143,2023, 422,2200, # 2096 +3816,6133, 730,1695, 356,2257,1626,2301,2858,2637,1627,1778, 937, 883,2906,2693, # 2112 +3002,1769,1086, 400,1063,1325,3307,2792,4111,3077, 456,2345,1046, 747,6134,1524, # 2128 + 884,1094,3383,1474,2164,1059, 974,1688,2181,2258,1047, 345,1665,1187, 358, 875, # 2144 +3170, 305, 660,3524,2190,1334,1135,3171,1540,1649,2542,1527, 927, 968,2793, 885, # 2160 +1972,1850, 482, 500,2638,1218,1109,1085,2543,1654,2034, 876, 78,2287,1482,1277, # 2176 + 861,1675,1083,1779, 724,2754, 454, 397,1132,1612,2332, 893, 672,1237, 257,2259, # 2192 +2370, 135,3384, 337,2244, 547, 352, 340, 709,2485,1400, 788,1138,2511, 540, 772, # 2208 +1682,2260,2272,2544,2013,1843,1902,4636,1999,1562,2288,4637,2201,1403,1533, 407, # 2224 + 576,3308,1254,2071, 978,3385, 170, 136,1201,3125,2664,3172,2394, 213, 912, 873, # 2240 +3603,1713,2202, 699,3604,3699, 813,3442, 493, 531,1054, 468,2907,1483, 304, 281, # 2256 +4112,1726,1252,2094, 339,2319,2130,2639, 756,1563,2944, 748, 571,2976,1588,2425, # 2272 +2715,1851,1460,2426,1528,1392,1973,3237, 288,3309, 685,3386, 296, 892,2716,2216, # 2288 +1570,2245, 722,1747,2217, 905,3238,1103,6135,1893,1441,1965, 251,1805,2371,3700, # 2304 +2601,1919,1078, 75,2182,1509,1592,1270,2640,4638,2152,6136,3310,3817, 524, 706, # 2320 +1075, 292,3818,1756,2602, 317, 98,3173,3605,3525,1844,2218,3819,2502, 814, 567, # 2336 + 385,2908,1534,6137, 534,1642,3239, 797,6138,1670,1529, 953,4323, 188,1071, 538, # 2352 + 178, 729,3240,2109,1226,1374,2000,2357,2977, 731,2468,1116,2014,2051,6139,1261, # 2368 +1593, 803,2859,2736,3443, 556, 682, 823,1541,6140,1369,2289,1706,2794, 845, 462, # 2384 +2603,2665,1361, 387, 162,2358,1740, 739,1770,1720,1304,1401,3241,1049, 627,1571, # 2400 +2427,3526,1877,3942,1852,1500, 431,1910,1503, 677, 297,2795, 286,1433,1038,1198, # 2416 +2290,1133,1596,4113,4639,2469,1510,1484,3943,6141,2442, 108, 712,4640,2372, 866, # 2432 +3701,2755,3242,1348, 834,1945,1408,3527,2395,3243,1811, 824, 994,1179,2110,1548, # 2448 +1453, 790,3003, 690,4324,4325,2832,2909,3820,1860,3821, 225,1748, 310, 346,1780, # 2464 +2470, 821,1993,2717,2796, 828, 877,3528,2860,2471,1702,2165,2910,2486,1789, 453, # 2480 + 359,2291,1676, 73,1164,1461,1127,3311, 421, 604, 314,1037, 589, 116,2487, 737, # 2496 + 837,1180, 111, 244, 735,6142,2261,1861,1362, 986, 523, 418, 581,2666,3822, 103, # 2512 + 855, 503,1414,1867,2488,1091, 657,1597, 979, 605,1316,4641,1021,2443,2078,2001, # 2528 +1209, 96, 587,2166,1032, 260,1072,2153, 173, 94, 226,3244, 819,2006,4642,4114, # 2544 +2203, 231,1744, 782, 97,2667, 786,3387, 887, 391, 442,2219,4326,1425,6143,2694, # 2560 + 633,1544,1202, 483,2015, 592,2052,1958,2472,1655, 419, 129,4327,3444,3312,1714, # 2576 +1257,3078,4328,1518,1098, 865,1310,1019,1885,1512,1734, 469,2444, 148, 773, 436, # 2592 +1815,1868,1128,1055,4329,1245,2756,3445,2154,1934,1039,4643, 579,1238, 932,2320, # 2608 + 353, 205, 801, 115,2428, 944,2321,1881, 399,2565,1211, 678, 766,3944, 335,2101, # 2624 +1459,1781,1402,3945,2737,2131,1010, 844, 981,1326,1013, 550,1816,1545,2620,1335, # 2640 +1008, 371,2881, 936,1419,1613,3529,1456,1395,2273,1834,2604,1317,2738,2503, 416, # 2656 +1643,4330, 806,1126, 229, 591,3946,1314,1981,1576,1837,1666, 347,1790, 977,3313, # 2672 + 764,2861,1853, 688,2429,1920,1462, 77, 595, 415,2002,3034, 798,1192,4115,6144, # 2688 +2978,4331,3035,2695,2582,2072,2566, 430,2430,1727, 842,1396,3947,3702, 613, 377, # 2704 + 278, 236,1417,3388,3314,3174, 757,1869, 107,3530,6145,1194, 623,2262, 207,1253, # 2720 +2167,3446,3948, 492,1117,1935, 536,1838,2757,1246,4332, 696,2095,2406,1393,1572, # 2736 +3175,1782, 583, 190, 253,1390,2230, 830,3126,3389, 934,3245,1703,1749,2979,1870, # 2752 +2545,1656,2204, 869,2346,4116,3176,1817, 496,1764,4644, 942,1504, 404,1903,1122, # 2768 +1580,3606,2945,1022, 515, 372,1735, 955,2431,3036,6146,2797,1110,2302,2798, 617, # 2784 +6147, 441, 762,1771,3447,3607,3608,1904, 840,3037, 86, 939,1385, 572,1370,2445, # 2800 +1336, 114,3703, 898, 294, 203,3315, 703,1583,2274, 429, 961,4333,1854,1951,3390, # 2816 +2373,3704,4334,1318,1381, 966,1911,2322,1006,1155, 309, 989, 458,2718,1795,1372, # 2832 +1203, 252,1689,1363,3177, 517,1936, 168,1490, 562, 193,3823,1042,4117,1835, 551, # 2848 + 470,4645, 395, 489,3448,1871,1465,2583,2641, 417,1493, 279,1295, 511,1236,1119, # 2864 + 72,1231,1982,1812,3004, 871,1564, 984,3449,1667,2696,2096,4646,2347,2833,1673, # 2880 +3609, 695,3246,2668, 807,1183,4647, 890, 388,2333,1801,1457,2911,1765,1477,1031, # 2896 +3316,3317,1278,3391,2799,2292,2526, 163,3450,4335,2669,1404,1802,6148,2323,2407, # 2912 +1584,1728,1494,1824,1269, 298, 909,3318,1034,1632, 375, 776,1683,2061, 291, 210, # 2928 +1123, 809,1249,1002,2642,3038, 206,1011,2132, 144, 975, 882,1565, 342, 667, 754, # 2944 +1442,2143,1299,2303,2062, 447, 626,2205,1221,2739,2912,1144,1214,2206,2584, 760, # 2960 +1715, 614, 950,1281,2670,2621, 810, 577,1287,2546,4648, 242,2168, 250,2643, 691, # 2976 + 123,2644, 647, 313,1029, 689,1357,2946,1650, 216, 771,1339,1306, 808,2063, 549, # 2992 + 913,1371,2913,2914,6149,1466,1092,1174,1196,1311,2605,2396,1783,1796,3079, 406, # 3008 +2671,2117,3949,4649, 487,1825,2220,6150,2915, 448,2348,1073,6151,2397,1707, 130, # 3024 + 900,1598, 329, 176,1959,2527,1620,6152,2275,4336,3319,1983,2191,3705,3610,2155, # 3040 +3706,1912,1513,1614,6153,1988, 646, 392,2304,1589,3320,3039,1826,1239,1352,1340, # 3056 +2916, 505,2567,1709,1437,2408,2547, 906,6154,2672, 384,1458,1594,1100,1329, 710, # 3072 + 423,3531,2064,2231,2622,1989,2673,1087,1882, 333, 841,3005,1296,2882,2379, 580, # 3088 +1937,1827,1293,2585, 601, 574, 249,1772,4118,2079,1120, 645, 901,1176,1690, 795, # 3104 +2207, 478,1434, 516,1190,1530, 761,2080, 930,1264, 355, 435,1552, 644,1791, 987, # 3120 + 220,1364,1163,1121,1538, 306,2169,1327,1222, 546,2645, 218, 241, 610,1704,3321, # 3136 +1984,1839,1966,2528, 451,6155,2586,3707,2568, 907,3178, 254,2947, 186,1845,4650, # 3152 + 745, 432,1757, 428,1633, 888,2246,2221,2489,3611,2118,1258,1265, 956,3127,1784, # 3168 +4337,2490, 319, 510, 119, 457,3612, 274,2035,2007,4651,1409,3128, 970,2758, 590, # 3184 +2800, 661,2247,4652,2008,3950,1420,1549,3080,3322,3951,1651,1375,2111, 485,2491, # 3200 +1429,1156,6156,2548,2183,1495, 831,1840,2529,2446, 501,1657, 307,1894,3247,1341, # 3216 + 666, 899,2156,1539,2549,1559, 886, 349,2208,3081,2305,1736,3824,2170,2759,1014, # 3232 +1913,1386, 542,1397,2948, 490, 368, 716, 362, 159, 282,2569,1129,1658,1288,1750, # 3248 +2674, 276, 649,2016, 751,1496, 658,1818,1284,1862,2209,2087,2512,3451, 622,2834, # 3264 + 376, 117,1060,2053,1208,1721,1101,1443, 247,1250,3179,1792,3952,2760,2398,3953, # 3280 +6157,2144,3708, 446,2432,1151,2570,3452,2447,2761,2835,1210,2448,3082, 424,2222, # 3296 +1251,2449,2119,2836, 504,1581,4338, 602, 817, 857,3825,2349,2306, 357,3826,1470, # 3312 +1883,2883, 255, 958, 929,2917,3248, 302,4653,1050,1271,1751,2307,1952,1430,2697, # 3328 +2719,2359, 354,3180, 777, 158,2036,4339,1659,4340,4654,2308,2949,2248,1146,2232, # 3344 +3532,2720,1696,2623,3827,6158,3129,1550,2698,1485,1297,1428, 637, 931,2721,2145, # 3360 + 914,2550,2587, 81,2450, 612, 827,2646,1242,4655,1118,2884, 472,1855,3181,3533, # 3376 +3534, 569,1353,2699,1244,1758,2588,4119,2009,2762,2171,3709,1312,1531,6159,1152, # 3392 +1938, 134,1830, 471,3710,2276,1112,1535,3323,3453,3535, 982,1337,2950, 488, 826, # 3408 + 674,1058,1628,4120,2017, 522,2399, 211, 568,1367,3454, 350, 293,1872,1139,3249, # 3424 +1399,1946,3006,1300,2360,3324, 588, 736,6160,2606, 744, 669,3536,3828,6161,1358, # 3440 + 199, 723, 848, 933, 851,1939,1505,1514,1338,1618,1831,4656,1634,3613, 443,2740, # 3456 +3829, 717,1947, 491,1914,6162,2551,1542,4121,1025,6163,1099,1223, 198,3040,2722, # 3472 + 370, 410,1905,2589, 998,1248,3182,2380, 519,1449,4122,1710, 947, 928,1153,4341, # 3488 +2277, 344,2624,1511, 615, 105, 161,1212,1076,1960,3130,2054,1926,1175,1906,2473, # 3504 + 414,1873,2801,6164,2309, 315,1319,3325, 318,2018,2146,2157, 963, 631, 223,4342, # 3520 +4343,2675, 479,3711,1197,2625,3712,2676,2361,6165,4344,4123,6166,2451,3183,1886, # 3536 +2184,1674,1330,1711,1635,1506, 799, 219,3250,3083,3954,1677,3713,3326,2081,3614, # 3552 +1652,2073,4657,1147,3041,1752, 643,1961, 147,1974,3955,6167,1716,2037, 918,3007, # 3568 +1994, 120,1537, 118, 609,3184,4345, 740,3455,1219, 332,1615,3830,6168,1621,2980, # 3584 +1582, 783, 212, 553,2350,3714,1349,2433,2082,4124, 889,6169,2310,1275,1410, 973, # 3600 + 166,1320,3456,1797,1215,3185,2885,1846,2590,2763,4658, 629, 822,3008, 763, 940, # 3616 +1990,2862, 439,2409,1566,1240,1622, 926,1282,1907,2764, 654,2210,1607, 327,1130, # 3632 +3956,1678,1623,6170,2434,2192, 686, 608,3831,3715, 903,3957,3042,6171,2741,1522, # 3648 +1915,1105,1555,2552,1359, 323,3251,4346,3457, 738,1354,2553,2311,2334,1828,2003, # 3664 +3832,1753,2351,1227,6172,1887,4125,1478,6173,2410,1874,1712,1847, 520,1204,2607, # 3680 + 264,4659, 836,2677,2102, 600,4660,3833,2278,3084,6174,4347,3615,1342, 640, 532, # 3696 + 543,2608,1888,2400,2591,1009,4348,1497, 341,1737,3616,2723,1394, 529,3252,1321, # 3712 + 983,4661,1515,2120, 971,2592, 924, 287,1662,3186,4349,2700,4350,1519, 908,1948, # 3728 +2452, 156, 796,1629,1486,2223,2055, 694,4126,1259,1036,3392,1213,2249,2742,1889, # 3744 +1230,3958,1015, 910, 408, 559,3617,4662, 746, 725, 935,4663,3959,3009,1289, 563, # 3760 + 867,4664,3960,1567,2981,2038,2626, 988,2263,2381,4351, 143,2374, 704,1895,6175, # 3776 +1188,3716,2088, 673,3085,2362,4352, 484,1608,1921,2765,2918, 215, 904,3618,3537, # 3792 + 894, 509, 976,3043,2701,3961,4353,2837,2982, 498,6176,6177,1102,3538,1332,3393, # 3808 +1487,1636,1637, 233, 245,3962, 383, 650, 995,3044, 460,1520,1206,2352, 749,3327, # 3824 + 530, 700, 389,1438,1560,1773,3963,2264, 719,2951,2724,3834, 870,1832,1644,1000, # 3840 + 839,2474,3717, 197,1630,3394, 365,2886,3964,1285,2133, 734, 922, 818,1106, 732, # 3856 + 480,2083,1774,3458, 923,2279,1350, 221,3086, 85,2233,2234,3835,1585,3010,2147, # 3872 +1387,1705,2382,1619,2475, 133, 239,2802,1991,1016,2084,2383, 411,2838,1113, 651, # 3888 +1985,1160,3328, 990,1863,3087,1048,1276,2647, 265,2627,1599,3253,2056, 150, 638, # 3904 +2019, 656, 853, 326,1479, 680,1439,4354,1001,1759, 413,3459,3395,2492,1431, 459, # 3920 +4355,1125,3329,2265,1953,1450,2065,2863, 849, 351,2678,3131,3254,3255,1104,1577, # 3936 + 227,1351,1645,2453,2193,1421,2887, 812,2121, 634, 95,2435, 201,2312,4665,1646, # 3952 +1671,2743,1601,2554,2702,2648,2280,1315,1366,2089,3132,1573,3718,3965,1729,1189, # 3968 + 328,2679,1077,1940,1136, 558,1283, 964,1195, 621,2074,1199,1743,3460,3619,1896, # 3984 +1916,1890,3836,2952,1154,2112,1064, 862, 378,3011,2066,2113,2803,1568,2839,6178, # 4000 +3088,2919,1941,1660,2004,1992,2194, 142, 707,1590,1708,1624,1922,1023,1836,1233, # 4016 +1004,2313, 789, 741,3620,6179,1609,2411,1200,4127,3719,3720,4666,2057,3721, 593, # 4032 +2840, 367,2920,1878,6180,3461,1521, 628,1168, 692,2211,2649, 300, 720,2067,2571, # 4048 +2953,3396, 959,2504,3966,3539,3462,1977, 701,6181, 954,1043, 800, 681, 183,3722, # 4064 +1803,1730,3540,4128,2103, 815,2314, 174, 467, 230,2454,1093,2134, 755,3541,3397, # 4080 +1141,1162,6182,1738,2039, 270,3256,2513,1005,1647,2185,3837, 858,1679,1897,1719, # 4096 +2954,2324,1806, 402, 670, 167,4129,1498,2158,2104, 750,6183, 915, 189,1680,1551, # 4112 + 455,4356,1501,2455, 405,1095,2955, 338,1586,1266,1819, 570, 641,1324, 237,1556, # 4128 +2650,1388,3723,6184,1368,2384,1343,1978,3089,2436, 879,3724, 792,1191, 758,3012, # 4144 +1411,2135,1322,4357, 240,4667,1848,3725,1574,6185, 420,3045,1546,1391, 714,4358, # 4160 +1967, 941,1864, 863, 664, 426, 560,1731,2680,1785,2864,1949,2363, 403,3330,1415, # 4176 +1279,2136,1697,2335, 204, 721,2097,3838, 90,6186,2085,2505, 191,3967, 124,2148, # 4192 +1376,1798,1178,1107,1898,1405, 860,4359,1243,1272,2375,2983,1558,2456,1638, 113, # 4208 +3621, 578,1923,2609, 880, 386,4130, 784,2186,2266,1422,2956,2172,1722, 497, 263, # 4224 +2514,1267,2412,2610, 177,2703,3542, 774,1927,1344, 616,1432,1595,1018, 172,4360, # 4240 +2325, 911,4361, 438,1468,3622, 794,3968,2024,2173,1681,1829,2957, 945, 895,3090, # 4256 + 575,2212,2476, 475,2401,2681, 785,2744,1745,2293,2555,1975,3133,2865, 394,4668, # 4272 +3839, 635,4131, 639, 202,1507,2195,2766,1345,1435,2572,3726,1908,1184,1181,2457, # 4288 +3727,3134,4362, 843,2611, 437, 916,4669, 234, 769,1884,3046,3047,3623, 833,6187, # 4304 +1639,2250,2402,1355,1185,2010,2047, 999, 525,1732,1290,1488,2612, 948,1578,3728, # 4320 +2413,2477,1216,2725,2159, 334,3840,1328,3624,2921,1525,4132, 564,1056, 891,4363, # 4336 +1444,1698,2385,2251,3729,1365,2281,2235,1717,6188, 864,3841,2515, 444, 527,2767, # 4352 +2922,3625, 544, 461,6189, 566, 209,2437,3398,2098,1065,2068,3331,3626,3257,2137, # 4368 #last 512 +) + + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/jpcntx.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/jpcntx.py new file mode 100644 index 0000000..20044e4 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/jpcntx.py @@ -0,0 +1,233 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + + +# This is hiragana 2-char sequence table, the number in each cell represents its frequency category +jp2CharContext = ( +(0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1), +(2,4,0,4,0,3,0,4,0,3,4,4,4,2,4,3,3,4,3,2,3,3,4,2,3,3,3,2,4,1,4,3,3,1,5,4,3,4,3,4,3,5,3,0,3,5,4,2,0,3,1,0,3,3,0,3,3,0,1,1,0,4,3,0,3,3,0,4,0,2,0,3,5,5,5,5,4,0,4,1,0,3,4), +(0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2), +(0,4,0,5,0,5,0,4,0,4,5,4,4,3,5,3,5,1,5,3,4,3,4,4,3,4,3,3,4,3,5,4,4,3,5,5,3,5,5,5,3,5,5,3,4,5,5,3,1,3,2,0,3,4,0,4,2,0,4,2,1,5,3,2,3,5,0,4,0,2,0,5,4,4,5,4,5,0,4,0,0,4,4), +(0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0), +(0,3,0,4,0,3,0,3,0,4,5,4,3,3,3,3,4,3,5,4,4,3,5,4,4,3,4,3,4,4,4,4,5,3,4,4,3,4,5,5,4,5,5,1,4,5,4,3,0,3,3,1,3,3,0,4,4,0,3,3,1,5,3,3,3,5,0,4,0,3,0,4,4,3,4,3,3,0,4,1,1,3,4), +(0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0), +(0,4,0,3,0,3,0,4,0,3,4,4,3,2,2,1,2,1,3,1,3,3,3,3,3,4,3,1,3,3,5,3,3,0,4,3,0,5,4,3,3,5,4,4,3,4,4,5,0,1,2,0,1,2,0,2,2,0,1,0,0,5,2,2,1,4,0,3,0,1,0,4,4,3,5,4,3,0,2,1,0,4,3), +(0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0), +(0,3,0,5,0,4,0,2,1,4,4,2,4,1,4,2,4,2,4,3,3,3,4,3,3,3,3,1,4,2,3,3,3,1,4,4,1,1,1,4,3,3,2,0,2,4,3,2,0,3,3,0,3,1,1,0,0,0,3,3,0,4,2,2,3,4,0,4,0,3,0,4,4,5,3,4,4,0,3,0,0,1,4), +(1,4,0,4,0,4,0,4,0,3,5,4,4,3,4,3,5,4,3,3,4,3,5,4,4,4,4,3,4,2,4,3,3,1,5,4,3,2,4,5,4,5,5,4,4,5,4,4,0,3,2,2,3,3,0,4,3,1,3,2,1,4,3,3,4,5,0,3,0,2,0,4,5,5,4,5,4,0,4,0,0,5,4), +(0,5,0,5,0,4,0,3,0,4,4,3,4,3,3,3,4,0,4,4,4,3,4,3,4,3,3,1,4,2,4,3,4,0,5,4,1,4,5,4,4,5,3,2,4,3,4,3,2,4,1,3,3,3,2,3,2,0,4,3,3,4,3,3,3,4,0,4,0,3,0,4,5,4,4,4,3,0,4,1,0,1,3), +(0,3,1,4,0,3,0,2,0,3,4,4,3,1,4,2,3,3,4,3,4,3,4,3,4,4,3,2,3,1,5,4,4,1,4,4,3,5,4,4,3,5,5,4,3,4,4,3,1,2,3,1,2,2,0,3,2,0,3,1,0,5,3,3,3,4,3,3,3,3,4,4,4,4,5,4,2,0,3,3,2,4,3), +(0,2,0,3,0,1,0,1,0,0,3,2,0,0,2,0,1,0,2,1,3,3,3,1,2,3,1,0,1,0,4,2,1,1,3,3,0,4,3,3,1,4,3,3,0,3,3,2,0,0,0,0,1,0,0,2,0,0,0,0,0,4,1,0,2,3,2,2,2,1,3,3,3,4,4,3,2,0,3,1,0,3,3), +(0,4,0,4,0,3,0,3,0,4,4,4,3,3,3,3,3,3,4,3,4,2,4,3,4,3,3,2,4,3,4,5,4,1,4,5,3,5,4,5,3,5,4,0,3,5,5,3,1,3,3,2,2,3,0,3,4,1,3,3,2,4,3,3,3,4,0,4,0,3,0,4,5,4,4,5,3,0,4,1,0,3,4), +(0,2,0,3,0,3,0,0,0,2,2,2,1,0,1,0,0,0,3,0,3,0,3,0,1,3,1,0,3,1,3,3,3,1,3,3,3,0,1,3,1,3,4,0,0,3,1,1,0,3,2,0,0,0,0,1,3,0,1,0,0,3,3,2,0,3,0,0,0,0,0,3,4,3,4,3,3,0,3,0,0,2,3), +(2,3,0,3,0,2,0,1,0,3,3,4,3,1,3,1,1,1,3,1,4,3,4,3,3,3,0,0,3,1,5,4,3,1,4,3,2,5,5,4,4,4,4,3,3,4,4,4,0,2,1,1,3,2,0,1,2,0,0,1,0,4,1,3,3,3,0,3,0,1,0,4,4,4,5,5,3,0,2,0,0,4,4), +(0,2,0,1,0,3,1,3,0,2,3,3,3,0,3,1,0,0,3,0,3,2,3,1,3,2,1,1,0,0,4,2,1,0,2,3,1,4,3,2,0,4,4,3,1,3,1,3,0,1,0,0,1,0,0,0,1,0,0,0,0,4,1,1,1,2,0,3,0,0,0,3,4,2,4,3,2,0,1,0,0,3,3), +(0,1,0,4,0,5,0,4,0,2,4,4,2,3,3,2,3,3,5,3,3,3,4,3,4,2,3,0,4,3,3,3,4,1,4,3,2,1,5,5,3,4,5,1,3,5,4,2,0,3,3,0,1,3,0,4,2,0,1,3,1,4,3,3,3,3,0,3,0,1,0,3,4,4,4,5,5,0,3,0,1,4,5), +(0,2,0,3,0,3,0,0,0,2,3,1,3,0,4,0,1,1,3,0,3,4,3,2,3,1,0,3,3,2,3,1,3,0,2,3,0,2,1,4,1,2,2,0,0,3,3,0,0,2,0,0,0,1,0,0,0,0,2,2,0,3,2,1,3,3,0,2,0,2,0,0,3,3,1,2,4,0,3,0,2,2,3), +(2,4,0,5,0,4,0,4,0,2,4,4,4,3,4,3,3,3,1,2,4,3,4,3,4,4,5,0,3,3,3,3,2,0,4,3,1,4,3,4,1,4,4,3,3,4,4,3,1,2,3,0,4,2,0,4,1,0,3,3,0,4,3,3,3,4,0,4,0,2,0,3,5,3,4,5,2,0,3,0,0,4,5), +(0,3,0,4,0,1,0,1,0,1,3,2,2,1,3,0,3,0,2,0,2,0,3,0,2,0,0,0,1,0,1,1,0,0,3,1,0,0,0,4,0,3,1,0,2,1,3,0,0,0,0,0,0,3,0,0,0,0,0,0,0,4,2,2,3,1,0,3,0,0,0,1,4,4,4,3,0,0,4,0,0,1,4), +(1,4,1,5,0,3,0,3,0,4,5,4,4,3,5,3,3,4,4,3,4,1,3,3,3,3,2,1,4,1,5,4,3,1,4,4,3,5,4,4,3,5,4,3,3,4,4,4,0,3,3,1,2,3,0,3,1,0,3,3,0,5,4,4,4,4,4,4,3,3,5,4,4,3,3,5,4,0,3,2,0,4,4), +(0,2,0,3,0,1,0,0,0,1,3,3,3,2,4,1,3,0,3,1,3,0,2,2,1,1,0,0,2,0,4,3,1,0,4,3,0,4,4,4,1,4,3,1,1,3,3,1,0,2,0,0,1,3,0,0,0,0,2,0,0,4,3,2,4,3,5,4,3,3,3,4,3,3,4,3,3,0,2,1,0,3,3), +(0,2,0,4,0,3,0,2,0,2,5,5,3,4,4,4,4,1,4,3,3,0,4,3,4,3,1,3,3,2,4,3,0,3,4,3,0,3,4,4,2,4,4,0,4,5,3,3,2,2,1,1,1,2,0,1,5,0,3,3,2,4,3,3,3,4,0,3,0,2,0,4,4,3,5,5,0,0,3,0,2,3,3), +(0,3,0,4,0,3,0,1,0,3,4,3,3,1,3,3,3,0,3,1,3,0,4,3,3,1,1,0,3,0,3,3,0,0,4,4,0,1,5,4,3,3,5,0,3,3,4,3,0,2,0,1,1,1,0,1,3,0,1,2,1,3,3,2,3,3,0,3,0,1,0,1,3,3,4,4,1,0,1,2,2,1,3), +(0,1,0,4,0,4,0,3,0,1,3,3,3,2,3,1,1,0,3,0,3,3,4,3,2,4,2,0,1,0,4,3,2,0,4,3,0,5,3,3,2,4,4,4,3,3,3,4,0,1,3,0,0,1,0,0,1,0,0,0,0,4,2,3,3,3,0,3,0,0,0,4,4,4,5,3,2,0,3,3,0,3,5), +(0,2,0,3,0,0,0,3,0,1,3,0,2,0,0,0,1,0,3,1,1,3,3,0,0,3,0,0,3,0,2,3,1,0,3,1,0,3,3,2,0,4,2,2,0,2,0,0,0,4,0,0,0,0,0,0,0,0,0,0,0,2,1,2,0,1,0,1,0,0,0,1,3,1,2,0,0,0,1,0,0,1,4), +(0,3,0,3,0,5,0,1,0,2,4,3,1,3,3,2,1,1,5,2,1,0,5,1,2,0,0,0,3,3,2,2,3,2,4,3,0,0,3,3,1,3,3,0,2,5,3,4,0,3,3,0,1,2,0,2,2,0,3,2,0,2,2,3,3,3,0,2,0,1,0,3,4,4,2,5,4,0,3,0,0,3,5), +(0,3,0,3,0,3,0,1,0,3,3,3,3,0,3,0,2,0,2,1,1,0,2,0,1,0,0,0,2,1,0,0,1,0,3,2,0,0,3,3,1,2,3,1,0,3,3,0,0,1,0,0,0,0,0,2,0,0,0,0,0,2,3,1,2,3,0,3,0,1,0,3,2,1,0,4,3,0,1,1,0,3,3), +(0,4,0,5,0,3,0,3,0,4,5,5,4,3,5,3,4,3,5,3,3,2,5,3,4,4,4,3,4,3,4,5,5,3,4,4,3,4,4,5,4,4,4,3,4,5,5,4,2,3,4,2,3,4,0,3,3,1,4,3,2,4,3,3,5,5,0,3,0,3,0,5,5,5,5,4,4,0,4,0,1,4,4), +(0,4,0,4,0,3,0,3,0,3,5,4,4,2,3,2,5,1,3,2,5,1,4,2,3,2,3,3,4,3,3,3,3,2,5,4,1,3,3,5,3,4,4,0,4,4,3,1,1,3,1,0,2,3,0,2,3,0,3,0,0,4,3,1,3,4,0,3,0,2,0,4,4,4,3,4,5,0,4,0,0,3,4), +(0,3,0,3,0,3,1,2,0,3,4,4,3,3,3,0,2,2,4,3,3,1,3,3,3,1,1,0,3,1,4,3,2,3,4,4,2,4,4,4,3,4,4,3,2,4,4,3,1,3,3,1,3,3,0,4,1,0,2,2,1,4,3,2,3,3,5,4,3,3,5,4,4,3,3,0,4,0,3,2,2,4,4), +(0,2,0,1,0,0,0,0,0,1,2,1,3,0,0,0,0,0,2,0,1,2,1,0,0,1,0,0,0,0,3,0,0,1,0,1,1,3,1,0,0,0,1,1,0,1,1,0,0,0,0,0,2,0,0,0,0,0,0,0,0,1,1,2,2,0,3,4,0,0,0,1,1,0,0,1,0,0,0,0,0,1,1), +(0,1,0,0,0,1,0,0,0,0,4,0,4,1,4,0,3,0,4,0,3,0,4,0,3,0,3,0,4,1,5,1,4,0,0,3,0,5,0,5,2,0,1,0,0,0,2,1,4,0,1,3,0,0,3,0,0,3,1,1,4,1,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0), +(1,4,0,5,0,3,0,2,0,3,5,4,4,3,4,3,5,3,4,3,3,0,4,3,3,3,3,3,3,2,4,4,3,1,3,4,4,5,4,4,3,4,4,1,3,5,4,3,3,3,1,2,2,3,3,1,3,1,3,3,3,5,3,3,4,5,0,3,0,3,0,3,4,3,4,4,3,0,3,0,2,4,3), +(0,1,0,4,0,0,0,0,0,1,4,0,4,1,4,2,4,0,3,0,1,0,1,0,0,0,0,0,2,0,3,1,1,1,0,3,0,0,0,1,2,1,0,0,1,1,1,1,0,1,0,0,0,1,0,0,3,0,0,0,0,3,2,0,2,2,0,1,0,0,0,2,3,2,3,3,0,0,0,0,2,1,0), +(0,5,1,5,0,3,0,3,0,5,4,4,5,1,5,3,3,0,4,3,4,3,5,3,4,3,3,2,4,3,4,3,3,0,3,3,1,4,4,3,4,4,4,3,4,5,5,3,2,3,1,1,3,3,1,3,1,1,3,3,2,4,5,3,3,5,0,4,0,3,0,4,4,3,5,3,3,0,3,4,0,4,3), +(0,5,0,5,0,3,0,2,0,4,4,3,5,2,4,3,3,3,4,4,4,3,5,3,5,3,3,1,4,0,4,3,3,0,3,3,0,4,4,4,4,5,4,3,3,5,5,3,2,3,1,2,3,2,0,1,0,0,3,2,2,4,4,3,1,5,0,4,0,3,0,4,3,1,3,2,1,0,3,3,0,3,3), +(0,4,0,5,0,5,0,4,0,4,5,5,5,3,4,3,3,2,5,4,4,3,5,3,5,3,4,0,4,3,4,4,3,2,4,4,3,4,5,4,4,5,5,0,3,5,5,4,1,3,3,2,3,3,1,3,1,0,4,3,1,4,4,3,4,5,0,4,0,2,0,4,3,4,4,3,3,0,4,0,0,5,5), +(0,4,0,4,0,5,0,1,1,3,3,4,4,3,4,1,3,0,5,1,3,0,3,1,3,1,1,0,3,0,3,3,4,0,4,3,0,4,4,4,3,4,4,0,3,5,4,1,0,3,0,0,2,3,0,3,1,0,3,1,0,3,2,1,3,5,0,3,0,1,0,3,2,3,3,4,4,0,2,2,0,4,4), +(2,4,0,5,0,4,0,3,0,4,5,5,4,3,5,3,5,3,5,3,5,2,5,3,4,3,3,4,3,4,5,3,2,1,5,4,3,2,3,4,5,3,4,1,2,5,4,3,0,3,3,0,3,2,0,2,3,0,4,1,0,3,4,3,3,5,0,3,0,1,0,4,5,5,5,4,3,0,4,2,0,3,5), +(0,5,0,4,0,4,0,2,0,5,4,3,4,3,4,3,3,3,4,3,4,2,5,3,5,3,4,1,4,3,4,4,4,0,3,5,0,4,4,4,4,5,3,1,3,4,5,3,3,3,3,3,3,3,0,2,2,0,3,3,2,4,3,3,3,5,3,4,1,3,3,5,3,2,0,0,0,0,4,3,1,3,3), +(0,1,0,3,0,3,0,1,0,1,3,3,3,2,3,3,3,0,3,0,0,0,3,1,3,0,0,0,2,2,2,3,0,0,3,2,0,1,2,4,1,3,3,0,0,3,3,3,0,1,0,0,2,1,0,0,3,0,3,1,0,3,0,0,1,3,0,2,0,1,0,3,3,1,3,3,0,0,1,1,0,3,3), +(0,2,0,3,0,2,1,4,0,2,2,3,1,1,3,1,1,0,2,0,3,1,2,3,1,3,0,0,1,0,4,3,2,3,3,3,1,4,2,3,3,3,3,1,0,3,1,4,0,1,1,0,1,2,0,1,1,0,1,1,0,3,1,3,2,2,0,1,0,0,0,2,3,3,3,1,0,0,0,0,0,2,3), +(0,5,0,4,0,5,0,2,0,4,5,5,3,3,4,3,3,1,5,4,4,2,4,4,4,3,4,2,4,3,5,5,4,3,3,4,3,3,5,5,4,5,5,1,3,4,5,3,1,4,3,1,3,3,0,3,3,1,4,3,1,4,5,3,3,5,0,4,0,3,0,5,3,3,1,4,3,0,4,0,1,5,3), +(0,5,0,5,0,4,0,2,0,4,4,3,4,3,3,3,3,3,5,4,4,4,4,4,4,5,3,3,5,2,4,4,4,3,4,4,3,3,4,4,5,5,3,3,4,3,4,3,3,4,3,3,3,3,1,2,2,1,4,3,3,5,4,4,3,4,0,4,0,3,0,4,4,4,4,4,1,0,4,2,0,2,4), +(0,4,0,4,0,3,0,1,0,3,5,2,3,0,3,0,2,1,4,2,3,3,4,1,4,3,3,2,4,1,3,3,3,0,3,3,0,0,3,3,3,5,3,3,3,3,3,2,0,2,0,0,2,0,0,2,0,0,1,0,0,3,1,2,2,3,0,3,0,2,0,4,4,3,3,4,1,0,3,0,0,2,4), +(0,0,0,4,0,0,0,0,0,0,1,0,1,0,2,0,0,0,0,0,1,0,2,0,1,0,0,0,0,0,3,1,3,0,3,2,0,0,0,1,0,3,2,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,3,4,0,2,0,0,0,0,0,0,2), +(0,2,1,3,0,2,0,2,0,3,3,3,3,1,3,1,3,3,3,3,3,3,4,2,2,1,2,1,4,0,4,3,1,3,3,3,2,4,3,5,4,3,3,3,3,3,3,3,0,1,3,0,2,0,0,1,0,0,1,0,0,4,2,0,2,3,0,3,3,0,3,3,4,2,3,1,4,0,1,2,0,2,3), +(0,3,0,3,0,1,0,3,0,2,3,3,3,0,3,1,2,0,3,3,2,3,3,2,3,2,3,1,3,0,4,3,2,0,3,3,1,4,3,3,2,3,4,3,1,3,3,1,1,0,1,1,0,1,0,1,0,1,0,0,0,4,1,1,0,3,0,3,1,0,2,3,3,3,3,3,1,0,0,2,0,3,3), +(0,0,0,0,0,0,0,0,0,0,3,0,2,0,3,0,0,0,0,0,0,0,3,0,0,0,0,0,0,0,3,0,3,0,3,1,0,1,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,3,0,2,0,2,3,0,0,0,0,0,0,0,0,3), +(0,2,0,3,1,3,0,3,0,2,3,3,3,1,3,1,3,1,3,1,3,3,3,1,3,0,2,3,1,1,4,3,3,2,3,3,1,2,2,4,1,3,3,0,1,4,2,3,0,1,3,0,3,0,0,1,3,0,2,0,0,3,3,2,1,3,0,3,0,2,0,3,4,4,4,3,1,0,3,0,0,3,3), +(0,2,0,1,0,2,0,0,0,1,3,2,2,1,3,0,1,1,3,0,3,2,3,1,2,0,2,0,1,1,3,3,3,0,3,3,1,1,2,3,2,3,3,1,2,3,2,0,0,1,0,0,0,0,0,0,3,0,1,0,0,2,1,2,1,3,0,3,0,0,0,3,4,4,4,3,2,0,2,0,0,2,4), +(0,0,0,1,0,1,0,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,1,1,1,0,0,0,0,0,0,0,0,0,2,2,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,1,3,1,0,0,0,0,0,0,0,3), +(0,3,0,3,0,2,0,3,0,3,3,3,2,3,2,2,2,0,3,1,3,3,3,2,3,3,0,0,3,0,3,2,2,0,2,3,1,4,3,4,3,3,2,3,1,5,4,4,0,3,1,2,1,3,0,3,1,1,2,0,2,3,1,3,1,3,0,3,0,1,0,3,3,4,4,2,1,0,2,1,0,2,4), +(0,1,0,3,0,1,0,2,0,1,4,2,5,1,4,0,2,0,2,1,3,1,4,0,2,1,0,0,2,1,4,1,1,0,3,3,0,5,1,3,2,3,3,1,0,3,2,3,0,1,0,0,0,0,0,0,1,0,0,0,0,4,0,1,0,3,0,2,0,1,0,3,3,3,4,3,3,0,0,0,0,2,3), +(0,0,0,1,0,0,0,0,0,0,2,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,3,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,1,0,0,1,0,0,0,0,0,3), +(0,1,0,3,0,4,0,3,0,2,4,3,1,0,3,2,2,1,3,1,2,2,3,1,1,1,2,1,3,0,1,2,0,1,3,2,1,3,0,5,5,1,0,0,1,3,2,1,0,3,0,0,1,0,0,0,0,0,3,4,0,1,1,1,3,2,0,2,0,1,0,2,3,3,1,2,3,0,1,0,1,0,4), +(0,0,0,1,0,3,0,3,0,2,2,1,0,0,4,0,3,0,3,1,3,0,3,0,3,0,1,0,3,0,3,1,3,0,3,3,0,0,1,2,1,1,1,0,1,2,0,0,0,1,0,0,1,0,0,0,0,0,0,0,0,2,2,1,2,0,0,2,0,0,0,0,2,3,3,3,3,0,0,0,0,1,4), +(0,0,0,3,0,3,0,0,0,0,3,1,1,0,3,0,1,0,2,0,1,0,0,0,0,0,0,0,1,0,3,0,2,0,2,3,0,0,2,2,3,1,2,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,3,0,0,2,0,0,0,0,2,3), +(2,4,0,5,0,5,0,4,0,3,4,3,3,3,4,3,3,3,4,3,4,4,5,4,5,5,5,2,3,0,5,5,4,1,5,4,3,1,5,4,3,4,4,3,3,4,3,3,0,3,2,0,2,3,0,3,0,0,3,3,0,5,3,2,3,3,0,3,0,3,0,3,4,5,4,5,3,0,4,3,0,3,4), +(0,3,0,3,0,3,0,3,0,3,3,4,3,2,3,2,3,0,4,3,3,3,3,3,3,3,3,0,3,2,4,3,3,1,3,4,3,4,4,4,3,4,4,3,2,4,4,1,0,2,0,0,1,1,0,2,0,0,3,1,0,5,3,2,1,3,0,3,0,1,2,4,3,2,4,3,3,0,3,2,0,4,4), +(0,3,0,3,0,1,0,0,0,1,4,3,3,2,3,1,3,1,4,2,3,2,4,2,3,4,3,0,2,2,3,3,3,0,3,3,3,0,3,4,1,3,3,0,3,4,3,3,0,1,1,0,1,0,0,0,4,0,3,0,0,3,1,2,1,3,0,4,0,1,0,4,3,3,4,3,3,0,2,0,0,3,3), +(0,3,0,4,0,1,0,3,0,3,4,3,3,0,3,3,3,1,3,1,3,3,4,3,3,3,0,0,3,1,5,3,3,1,3,3,2,5,4,3,3,4,5,3,2,5,3,4,0,1,0,0,0,0,0,2,0,0,1,1,0,4,2,2,1,3,0,3,0,2,0,4,4,3,5,3,2,0,1,1,0,3,4), +(0,5,0,4,0,5,0,2,0,4,4,3,3,2,3,3,3,1,4,3,4,1,5,3,4,3,4,0,4,2,4,3,4,1,5,4,0,4,4,4,4,5,4,1,3,5,4,2,1,4,1,1,3,2,0,3,1,0,3,2,1,4,3,3,3,4,0,4,0,3,0,4,4,4,3,3,3,0,4,2,0,3,4), +(1,4,0,4,0,3,0,1,0,3,3,3,1,1,3,3,2,2,3,3,1,0,3,2,2,1,2,0,3,1,2,1,2,0,3,2,0,2,2,3,3,4,3,0,3,3,1,2,0,1,1,3,1,2,0,0,3,0,1,1,0,3,2,2,3,3,0,3,0,0,0,2,3,3,4,3,3,0,1,0,0,1,4), +(0,4,0,4,0,4,0,0,0,3,4,4,3,1,4,2,3,2,3,3,3,1,4,3,4,0,3,0,4,2,3,3,2,2,5,4,2,1,3,4,3,4,3,1,3,3,4,2,0,2,1,0,3,3,0,0,2,0,3,1,0,4,4,3,4,3,0,4,0,1,0,2,4,4,4,4,4,0,3,2,0,3,3), +(0,0,0,1,0,4,0,0,0,0,0,0,1,1,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,1,0,3,2,0,0,1,0,0,0,1,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,2), +(0,2,0,3,0,4,0,4,0,1,3,3,3,0,4,0,2,1,2,1,1,1,2,0,3,1,1,0,1,0,3,1,0,0,3,3,2,0,1,1,0,0,0,0,0,1,0,2,0,2,2,0,3,1,0,0,1,0,1,1,0,1,2,0,3,0,0,0,0,1,0,0,3,3,4,3,1,0,1,0,3,0,2), +(0,0,0,3,0,5,0,0,0,0,1,0,2,0,3,1,0,1,3,0,0,0,2,0,0,0,1,0,0,0,1,1,0,0,4,0,0,0,2,3,0,1,4,1,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,3,0,0,0,0,0,1,0,0,0,0,0,0,0,2,0,0,3,0,0,0,0,0,3), +(0,2,0,5,0,5,0,1,0,2,4,3,3,2,5,1,3,2,3,3,3,0,4,1,2,0,3,0,4,0,2,2,1,1,5,3,0,0,1,4,2,3,2,0,3,3,3,2,0,2,4,1,1,2,0,1,1,0,3,1,0,1,3,1,2,3,0,2,0,0,0,1,3,5,4,4,4,0,3,0,0,1,3), +(0,4,0,5,0,4,0,4,0,4,5,4,3,3,4,3,3,3,4,3,4,4,5,3,4,5,4,2,4,2,3,4,3,1,4,4,1,3,5,4,4,5,5,4,4,5,5,5,2,3,3,1,4,3,1,3,3,0,3,3,1,4,3,4,4,4,0,3,0,4,0,3,3,4,4,5,0,0,4,3,0,4,5), +(0,4,0,4,0,3,0,3,0,3,4,4,4,3,3,2,4,3,4,3,4,3,5,3,4,3,2,1,4,2,4,4,3,1,3,4,2,4,5,5,3,4,5,4,1,5,4,3,0,3,2,2,3,2,1,3,1,0,3,3,3,5,3,3,3,5,4,4,2,3,3,4,3,3,3,2,1,0,3,2,1,4,3), +(0,4,0,5,0,4,0,3,0,3,5,5,3,2,4,3,4,0,5,4,4,1,4,4,4,3,3,3,4,3,5,5,2,3,3,4,1,2,5,5,3,5,5,2,3,5,5,4,0,3,2,0,3,3,1,1,5,1,4,1,0,4,3,2,3,5,0,4,0,3,0,5,4,3,4,3,0,0,4,1,0,4,4), +(1,3,0,4,0,2,0,2,0,2,5,5,3,3,3,3,3,0,4,2,3,4,4,4,3,4,0,0,3,4,5,4,3,3,3,3,2,5,5,4,5,5,5,4,3,5,5,5,1,3,1,0,1,0,0,3,2,0,4,2,0,5,2,3,2,4,1,3,0,3,0,4,5,4,5,4,3,0,4,2,0,5,4), +(0,3,0,4,0,5,0,3,0,3,4,4,3,2,3,2,3,3,3,3,3,2,4,3,3,2,2,0,3,3,3,3,3,1,3,3,3,0,4,4,3,4,4,1,1,4,4,2,0,3,1,0,1,1,0,4,1,0,2,3,1,3,3,1,3,4,0,3,0,1,0,3,1,3,0,0,1,0,2,0,0,4,4), +(0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0), +(0,3,0,3,0,2,0,3,0,1,5,4,3,3,3,1,4,2,1,2,3,4,4,2,4,4,5,0,3,1,4,3,4,0,4,3,3,3,2,3,2,5,3,4,3,2,2,3,0,0,3,0,2,1,0,1,2,0,0,0,0,2,1,1,3,1,0,2,0,4,0,3,4,4,4,5,2,0,2,0,0,1,3), +(0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,1,1,1,0,0,1,1,0,0,0,4,2,1,1,0,1,0,3,2,0,0,3,1,1,1,2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,3,0,1,0,0,0,2,0,0,0,1,4,0,4,2,1,0,0,0,0,0,1), +(0,0,0,0,0,0,0,0,0,1,0,1,0,0,0,0,1,0,0,0,0,0,0,1,0,1,0,0,0,0,3,1,0,0,0,2,0,2,1,0,0,1,2,1,0,1,1,0,0,3,0,0,0,0,0,0,0,0,0,0,0,1,3,1,0,0,0,0,0,1,0,0,2,1,0,0,0,0,0,0,0,0,2), +(0,4,0,4,0,4,0,3,0,4,4,3,4,2,4,3,2,0,4,4,4,3,5,3,5,3,3,2,4,2,4,3,4,3,1,4,0,2,3,4,4,4,3,3,3,4,4,4,3,4,1,3,4,3,2,1,2,1,3,3,3,4,4,3,3,5,0,4,0,3,0,4,3,3,3,2,1,0,3,0,0,3,3), +(0,4,0,3,0,3,0,3,0,3,5,5,3,3,3,3,4,3,4,3,3,3,4,4,4,3,3,3,3,4,3,5,3,3,1,3,2,4,5,5,5,5,4,3,4,5,5,3,2,2,3,3,3,3,2,3,3,1,2,3,2,4,3,3,3,4,0,4,0,2,0,4,3,2,2,1,2,0,3,0,0,4,1), +) + +class JapaneseContextAnalysis(object): + NUM_OF_CATEGORY = 6 + DONT_KNOW = -1 + ENOUGH_REL_THRESHOLD = 100 + MAX_REL_THRESHOLD = 1000 + MINIMUM_DATA_THRESHOLD = 4 + + def __init__(self): + self._total_rel = None + self._rel_sample = None + self._need_to_skip_char_num = None + self._last_char_order = None + self._done = None + self.reset() + + def reset(self): + self._total_rel = 0 # total sequence received + # category counters, each integer counts sequence in its category + self._rel_sample = [0] * self.NUM_OF_CATEGORY + # if last byte in current buffer is not the last byte of a character, + # we need to know how many bytes to skip in next buffer + self._need_to_skip_char_num = 0 + self._last_char_order = -1 # The order of previous char + # If this flag is set to True, detection is done and conclusion has + # been made + self._done = False + + def feed(self, byte_str, num_bytes): + if self._done: + return + + # The buffer we got is byte oriented, and a character may span in more than one + # buffers. In case the last one or two byte in last buffer is not + # complete, we record how many byte needed to complete that character + # and skip these bytes here. We can choose to record those bytes as + # well and analyse the character once it is complete, but since a + # character will not make much difference, by simply skipping + # this character will simply our logic and improve performance. + i = self._need_to_skip_char_num + while i < num_bytes: + order, char_len = self.get_order(byte_str[i:i + 2]) + i += char_len + if i > num_bytes: + self._need_to_skip_char_num = i - num_bytes + self._last_char_order = -1 + else: + if (order != -1) and (self._last_char_order != -1): + self._total_rel += 1 + if self._total_rel > self.MAX_REL_THRESHOLD: + self._done = True + break + self._rel_sample[jp2CharContext[self._last_char_order][order]] += 1 + self._last_char_order = order + + def got_enough_data(self): + return self._total_rel > self.ENOUGH_REL_THRESHOLD + + def get_confidence(self): + # This is just one way to calculate confidence. It works well for me. + if self._total_rel > self.MINIMUM_DATA_THRESHOLD: + return (self._total_rel - self._rel_sample[0]) / self._total_rel + else: + return self.DONT_KNOW + + def get_order(self, byte_str): + return -1, 1 + +class SJISContextAnalysis(JapaneseContextAnalysis): + def __init__(self): + super(SJISContextAnalysis, self).__init__() + self._charset_name = "SHIFT_JIS" + + @property + def charset_name(self): + return self._charset_name + + def get_order(self, byte_str): + if not byte_str: + return -1, 1 + # find out current char's byte length + first_char = byte_str[0] + if (0x81 <= first_char <= 0x9F) or (0xE0 <= first_char <= 0xFC): + char_len = 2 + if (first_char == 0x87) or (0xFA <= first_char <= 0xFC): + self._charset_name = "CP932" + else: + char_len = 1 + + # return its order if it is hiragana + if len(byte_str) > 1: + second_char = byte_str[1] + if (first_char == 202) and (0x9F <= second_char <= 0xF1): + return second_char - 0x9F, char_len + + return -1, char_len + +class EUCJPContextAnalysis(JapaneseContextAnalysis): + def get_order(self, byte_str): + if not byte_str: + return -1, 1 + # find out current char's byte length + first_char = byte_str[0] + if (first_char == 0x8E) or (0xA1 <= first_char <= 0xFE): + char_len = 2 + elif first_char == 0x8F: + char_len = 3 + else: + char_len = 1 + + # return its order if it is hiragana + if len(byte_str) > 1: + second_char = byte_str[1] + if (first_char == 0xA4) and (0xA1 <= second_char <= 0xF3): + return second_char - 0xA1, char_len + + return -1, char_len + + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langbulgarianmodel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langbulgarianmodel.py new file mode 100644 index 0000000..2aa4fb2 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langbulgarianmodel.py @@ -0,0 +1,228 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +# 255: Control characters that usually does not exist in any text +# 254: Carriage/Return +# 253: symbol (punctuation) that does not belong to word +# 252: 0 - 9 + +# Character Mapping Table: +# this table is modified base on win1251BulgarianCharToOrderMap, so +# only number <64 is sure valid + +Latin5_BulgarianCharToOrderMap = ( +255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 +253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 +252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 +253, 77, 90, 99,100, 72,109,107,101, 79,185, 81,102, 76, 94, 82, # 40 +110,186,108, 91, 74,119, 84, 96,111,187,115,253,253,253,253,253, # 50 +253, 65, 69, 70, 66, 63, 68,112,103, 92,194,104, 95, 86, 87, 71, # 60 +116,195, 85, 93, 97,113,196,197,198,199,200,253,253,253,253,253, # 70 +194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209, # 80 +210,211,212,213,214,215,216,217,218,219,220,221,222,223,224,225, # 90 + 81,226,227,228,229,230,105,231,232,233,234,235,236, 45,237,238, # a0 + 31, 32, 35, 43, 37, 44, 55, 47, 40, 59, 33, 46, 38, 36, 41, 30, # b0 + 39, 28, 34, 51, 48, 49, 53, 50, 54, 57, 61,239, 67,240, 60, 56, # c0 + 1, 18, 9, 20, 11, 3, 23, 15, 2, 26, 12, 10, 14, 6, 4, 13, # d0 + 7, 8, 5, 19, 29, 25, 22, 21, 27, 24, 17, 75, 52,241, 42, 16, # e0 + 62,242,243,244, 58,245, 98,246,247,248,249,250,251, 91,252,253, # f0 +) + +win1251BulgarianCharToOrderMap = ( +255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 +253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 +252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 +253, 77, 90, 99,100, 72,109,107,101, 79,185, 81,102, 76, 94, 82, # 40 +110,186,108, 91, 74,119, 84, 96,111,187,115,253,253,253,253,253, # 50 +253, 65, 69, 70, 66, 63, 68,112,103, 92,194,104, 95, 86, 87, 71, # 60 +116,195, 85, 93, 97,113,196,197,198,199,200,253,253,253,253,253, # 70 +206,207,208,209,210,211,212,213,120,214,215,216,217,218,219,220, # 80 +221, 78, 64, 83,121, 98,117,105,222,223,224,225,226,227,228,229, # 90 + 88,230,231,232,233,122, 89,106,234,235,236,237,238, 45,239,240, # a0 + 73, 80,118,114,241,242,243,244,245, 62, 58,246,247,248,249,250, # b0 + 31, 32, 35, 43, 37, 44, 55, 47, 40, 59, 33, 46, 38, 36, 41, 30, # c0 + 39, 28, 34, 51, 48, 49, 53, 50, 54, 57, 61,251, 67,252, 60, 56, # d0 + 1, 18, 9, 20, 11, 3, 23, 15, 2, 26, 12, 10, 14, 6, 4, 13, # e0 + 7, 8, 5, 19, 29, 25, 22, 21, 27, 24, 17, 75, 52,253, 42, 16, # f0 +) + +# Model Table: +# total sequences: 100% +# first 512 sequences: 96.9392% +# first 1024 sequences:3.0618% +# rest sequences: 0.2992% +# negative sequences: 0.0020% +BulgarianLangModel = ( +0,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,3,3,3,3,3,3,3,2,3,3,3,3,3, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,0,3,3,3,2,2,3,2,2,1,2,2, +3,1,3,3,2,3,3,3,3,3,3,3,3,3,3,3,3,0,3,3,3,3,3,3,3,3,3,3,0,3,0,1, +0,0,0,0,0,0,0,0,0,0,1,0,1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,2,3,3,3,3,3,3,3,3,0,3,1,0, +0,1,0,0,0,0,0,0,0,0,1,1,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, +3,2,2,2,3,3,3,3,3,3,3,3,3,3,3,3,3,1,3,2,3,3,3,3,3,3,3,3,0,3,0,0, +0,0,0,0,0,0,0,0,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,2,3,3,2,3,3,3,3,3,3,3,3,3,3,3,3,1,3,2,3,3,3,3,3,3,3,3,0,3,0,0, +0,0,0,0,0,0,0,0,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,3,3,3,2,3,2,2,1,3,3,3,3,2,2,2,1,1,2,0,1,0,1,0,0, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,3,3,3,3,2,3,2,2,3,3,1,1,2,3,3,2,3,3,3,3,2,1,2,0,2,0,3,0,0, +0,0,0,0,0,0,0,1,0,0,2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,3,3,3,3,1,3,3,3,3,3,2,3,2,3,3,3,3,3,2,3,3,1,3,0,3,0,2,0,0, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,3,3,3,3,3,1,3,3,2,3,3,3,1,3,3,2,3,2,2,2,0,0,2,0,2,0,2,0,0, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,3,3,3,3,3,3,0,3,3,3,2,2,3,3,3,1,2,2,3,2,1,1,2,0,2,0,0,0,0, +1,0,0,0,0,0,0,0,0,0,2,0,0,1,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,3,3,3,3,2,3,3,1,2,3,2,2,2,3,3,3,3,3,2,2,3,1,2,0,2,1,2,0,0, +0,0,0,0,0,0,0,0,0,0,3,0,0,1,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,3,3,1,3,3,3,3,3,2,3,3,3,2,3,3,2,3,2,2,2,3,1,2,0,1,0,1,0,0, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,3,3,3,3,3,3,3,3,1,1,1,2,2,1,3,1,3,2,2,3,0,0,1,0,1,0,1,0,0, +0,0,0,1,0,0,0,0,1,0,2,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,3,3,2,2,3,2,2,3,1,2,1,1,1,2,3,1,3,1,2,2,0,1,1,1,1,0,1,0,0, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,3,3,1,3,2,2,3,3,1,2,3,1,1,3,3,3,3,1,2,2,1,1,1,0,2,0,2,0,1, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,1,2,2,3,3,3,2,2,1,1,2,0,2,0,1,0,0, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, +3,0,1,2,1,3,3,2,3,3,3,3,3,2,3,2,1,0,3,1,2,1,2,1,2,3,2,1,0,1,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,1,1,2,3,3,3,3,3,3,3,3,3,3,3,3,0,0,3,1,3,3,2,3,3,2,2,2,0,1,0,0, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,3,3,3,3,0,3,3,3,3,3,2,1,1,2,1,3,3,0,3,1,1,1,1,3,2,0,1,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, +3,3,2,2,2,3,3,3,3,3,3,3,3,3,3,3,1,1,3,1,3,3,2,3,2,2,2,3,0,2,0,0, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,2,3,3,2,2,3,2,1,1,1,1,1,3,1,3,1,1,0,0,0,1,0,0,0,1,0,0, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,2,3,2,0,3,2,0,3,0,2,0,0,2,1,3,1,0,0,1,0,0,0,1,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,3,2,1,1,1,1,2,1,1,2,1,1,1,2,2,1,2,1,1,1,0,1,1,0,1,0,1,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,3,2,1,3,1,1,2,1,3,2,1,1,0,1,2,3,2,1,1,1,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,3,3,3,3,2,2,1,0,1,0,0,1,0,0,0,2,1,0,3,0,0,1,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,2,3,2,3,3,1,3,2,1,1,1,2,1,1,2,1,3,0,1,0,0,0,1,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,1,1,2,2,3,3,2,3,2,2,2,3,1,2,2,1,1,2,1,1,2,2,0,1,1,0,1,0,2,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,2,1,3,1,0,2,2,1,3,2,1,0,0,2,0,2,0,1,0,0,0,0,0,0,0,1,0,0, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, +3,3,3,3,3,3,1,2,0,2,3,1,2,3,2,0,1,3,1,2,1,1,1,0,0,1,0,0,2,2,2,3, +2,2,2,2,1,2,1,1,2,2,1,1,2,0,1,1,1,0,0,1,1,0,0,1,1,0,0,0,1,1,0,1, +3,3,3,3,3,2,1,2,2,1,2,0,2,0,1,0,1,2,1,2,1,1,0,0,0,1,0,1,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,1, +3,3,2,3,3,1,1,3,1,0,3,2,1,0,0,0,1,2,0,2,0,1,0,0,0,1,0,1,2,1,2,2, +1,1,1,1,1,1,1,2,2,2,1,1,1,1,1,1,1,0,1,2,1,1,1,0,0,0,0,0,1,1,0,0, +3,1,0,1,0,2,3,2,2,2,3,2,2,2,2,2,1,0,2,1,2,1,1,1,0,1,2,1,2,2,2,1, +1,1,2,2,2,2,1,2,1,1,0,1,2,1,2,2,2,1,1,1,0,1,1,1,1,2,0,1,0,0,0,0, +2,3,2,3,3,0,0,2,1,0,2,1,0,0,0,0,2,3,0,2,0,0,0,0,0,1,0,0,2,0,1,2, +2,1,2,1,2,2,1,1,1,2,1,1,1,0,1,2,2,1,1,1,1,1,0,1,1,1,0,0,1,2,0,0, +3,3,2,2,3,0,2,3,1,1,2,0,0,0,1,0,0,2,0,2,0,0,0,1,0,1,0,1,2,0,2,2, +1,1,1,1,2,1,0,1,2,2,2,1,1,1,1,1,1,1,0,1,1,1,0,0,0,0,0,0,1,1,0,0, +2,3,2,3,3,0,0,3,0,1,1,0,1,0,0,0,2,2,1,2,0,0,0,0,0,0,0,0,2,0,1,2, +2,2,1,1,1,1,1,2,2,2,1,0,2,0,1,0,1,0,0,1,0,1,0,0,1,0,0,0,0,1,0,0, +3,3,3,3,2,2,2,2,2,0,2,1,1,1,1,2,1,2,1,1,0,2,0,1,0,1,0,0,2,0,1,2, +1,1,1,1,1,1,1,2,2,1,1,0,2,0,1,0,2,0,0,1,1,1,0,0,2,0,0,0,1,1,0,0, +2,3,3,3,3,1,0,0,0,0,0,0,0,0,0,0,2,0,0,1,1,0,0,0,0,0,0,1,2,0,1,2, +2,2,2,1,1,2,1,1,2,2,2,1,2,0,1,1,1,1,1,1,0,1,1,1,1,0,0,1,1,1,0,0, +2,3,3,3,3,0,2,2,0,2,1,0,0,0,1,1,1,2,0,2,0,0,0,3,0,0,0,0,2,0,2,2, +1,1,1,2,1,2,1,1,2,2,2,1,2,0,1,1,1,0,1,1,1,1,0,2,1,0,0,0,1,1,0,0, +2,3,3,3,3,0,2,1,0,0,2,0,0,0,0,0,1,2,0,2,0,0,0,0,0,0,0,0,2,0,1,2, +1,1,1,2,1,1,1,1,2,2,2,0,1,0,1,1,1,0,0,1,1,1,0,0,1,0,0,0,0,1,0,0, +3,3,2,2,3,0,1,0,1,0,0,0,0,0,0,0,1,1,0,3,0,0,0,0,0,0,0,0,1,0,2,2, +1,1,1,1,1,2,1,1,2,2,1,2,2,1,0,1,1,1,1,1,0,1,0,0,1,0,0,0,1,1,0,0, +3,1,0,1,0,2,2,2,2,3,2,1,1,1,2,3,0,0,1,0,2,1,1,0,1,1,1,1,2,1,1,1, +1,2,2,1,2,1,2,2,1,1,0,1,2,1,2,2,1,1,1,0,0,1,1,1,2,1,0,1,0,0,0,0, +2,1,0,1,0,3,1,2,2,2,2,1,2,2,1,1,1,0,2,1,2,2,1,1,2,1,1,0,2,1,1,1, +1,2,2,2,2,2,2,2,1,2,0,1,1,0,2,1,1,1,1,1,0,0,1,1,1,1,0,1,0,0,0,0, +2,1,1,1,1,2,2,2,2,1,2,2,2,1,2,2,1,1,2,1,2,3,2,2,1,1,1,1,0,1,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,2,2,3,2,0,1,2,0,1,2,1,1,0,1,0,1,2,1,2,0,0,0,1,1,0,0,0,1,0,0,2, +1,1,0,0,1,1,0,1,1,1,1,0,2,0,1,1,1,0,0,1,1,0,0,0,0,1,0,0,0,1,0,0, +2,0,0,0,0,1,2,2,2,2,2,2,2,1,2,1,1,1,1,1,1,1,0,1,1,1,1,1,2,1,1,1, +1,2,2,2,2,1,1,2,1,2,1,1,1,0,2,1,2,1,1,1,0,2,1,1,1,1,0,1,0,0,0,0, +3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,0, +1,1,0,1,0,1,1,1,1,1,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,2,2,3,2,0,0,0,0,1,0,0,0,0,0,0,1,1,0,2,0,0,0,0,0,0,0,0,1,0,1,2, +1,1,1,1,1,1,0,0,2,2,2,2,2,0,1,1,0,1,1,1,1,1,0,0,1,0,0,0,1,1,0,1, +2,3,1,2,1,0,1,1,0,2,2,2,0,0,1,0,0,1,1,1,1,0,0,0,0,0,0,0,1,0,1,2, +1,1,1,1,2,1,1,1,1,1,1,1,1,0,1,1,0,1,0,1,0,1,0,0,1,0,0,0,0,1,0,0, +2,2,2,2,2,0,0,2,0,0,2,0,0,0,0,0,0,1,0,1,0,0,0,0,0,0,0,0,2,0,2,2, +1,1,1,1,1,0,0,1,2,1,1,0,1,0,1,0,0,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0, +1,2,2,2,2,0,0,2,0,1,1,0,0,0,1,0,0,2,0,2,0,0,0,0,0,0,0,0,0,0,1,1, +0,0,0,1,1,1,1,1,1,1,1,1,1,0,1,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0, +1,2,2,3,2,0,0,1,0,0,1,0,0,0,0,0,0,1,0,2,0,0,0,1,0,0,0,0,0,0,0,2, +1,1,0,0,1,0,0,0,1,1,0,0,1,0,1,1,0,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0, +2,1,2,2,2,1,2,1,2,2,1,1,2,1,1,1,0,1,1,1,1,2,0,1,0,1,1,1,1,0,1,1, +1,1,2,1,1,1,1,1,1,0,0,1,2,1,1,1,1,1,1,0,0,1,1,1,0,0,0,0,0,0,0,0, +1,0,0,1,3,1,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,2,2,2,1,0,0,1,0,2,0,0,0,0,0,1,1,1,0,1,0,0,0,0,0,0,0,0,2,0,0,1, +0,2,0,1,0,0,1,1,2,0,1,0,1,0,1,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0, +1,2,2,2,2,0,1,1,0,2,1,0,1,1,1,0,0,1,0,2,0,1,0,0,0,0,0,0,0,0,0,1, +0,1,0,0,1,0,0,0,1,1,0,0,1,0,0,1,0,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0, +2,2,2,2,2,0,0,1,0,0,0,1,0,1,0,0,0,1,0,1,0,0,0,0,0,0,0,0,0,0,0,1, +0,1,0,1,1,1,0,0,1,1,1,0,1,0,0,0,0,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0, +2,0,1,0,0,1,2,1,1,1,1,1,1,2,2,1,0,0,1,0,1,0,0,0,0,1,1,1,1,0,0,0, +1,1,2,1,1,1,1,0,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,2,1,2,1,0,0,1,0,0,0,0,0,0,0,0,1,1,0,1,0,0,0,0,0,0,0,0,0,0,0,1, +0,0,0,0,0,0,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,0,0,1,2,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1,0,0,0, +0,1,1,0,1,1,1,0,0,1,0,0,1,0,1,0,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0, +1,0,1,0,0,1,1,1,1,1,1,1,1,1,1,1,0,0,1,0,2,0,0,2,0,1,0,0,1,0,0,1, +1,1,0,0,1,1,0,1,0,0,0,1,0,0,1,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,0, +1,1,1,1,1,1,1,2,0,0,0,0,0,0,2,1,0,1,1,0,0,1,1,1,0,1,0,0,0,0,0,0, +2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,0,0,1,1,1,1,1,1,1,1,1,1,1,1,1,1,0,1,0,1,1,0,1,1,1,1,1,0,1,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, +) + +Latin5BulgarianModel = { + 'char_to_order_map': Latin5_BulgarianCharToOrderMap, + 'precedence_matrix': BulgarianLangModel, + 'typical_positive_ratio': 0.969392, + 'keep_english_letter': False, + 'charset_name': "ISO-8859-5", + 'language': 'Bulgairan', +} + +Win1251BulgarianModel = { + 'char_to_order_map': win1251BulgarianCharToOrderMap, + 'precedence_matrix': BulgarianLangModel, + 'typical_positive_ratio': 0.969392, + 'keep_english_letter': False, + 'charset_name': "windows-1251", + 'language': 'Bulgarian', +} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langcyrillicmodel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langcyrillicmodel.py new file mode 100644 index 0000000..e5f9a1f --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langcyrillicmodel.py @@ -0,0 +1,333 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +# KOI8-R language model +# Character Mapping Table: +KOI8R_char_to_order_map = ( +255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 +253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 +252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 +253,142,143,144,145,146,147,148,149,150,151,152, 74,153, 75,154, # 40 +155,156,157,158,159,160,161,162,163,164,165,253,253,253,253,253, # 50 +253, 71,172, 66,173, 65,174, 76,175, 64,176,177, 77, 72,178, 69, # 60 + 67,179, 78, 73,180,181, 79,182,183,184,185,253,253,253,253,253, # 70 +191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206, # 80 +207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222, # 90 +223,224,225, 68,226,227,228,229,230,231,232,233,234,235,236,237, # a0 +238,239,240,241,242,243,244,245,246,247,248,249,250,251,252,253, # b0 + 27, 3, 21, 28, 13, 2, 39, 19, 26, 4, 23, 11, 8, 12, 5, 1, # c0 + 15, 16, 9, 7, 6, 14, 24, 10, 17, 18, 20, 25, 30, 29, 22, 54, # d0 + 59, 37, 44, 58, 41, 48, 53, 46, 55, 42, 60, 36, 49, 38, 31, 34, # e0 + 35, 43, 45, 32, 40, 52, 56, 33, 61, 62, 51, 57, 47, 63, 50, 70, # f0 +) + +win1251_char_to_order_map = ( +255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 +253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 +252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 +253,142,143,144,145,146,147,148,149,150,151,152, 74,153, 75,154, # 40 +155,156,157,158,159,160,161,162,163,164,165,253,253,253,253,253, # 50 +253, 71,172, 66,173, 65,174, 76,175, 64,176,177, 77, 72,178, 69, # 60 + 67,179, 78, 73,180,181, 79,182,183,184,185,253,253,253,253,253, # 70 +191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206, +207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222, +223,224,225,226,227,228,229,230,231,232,233,234,235,236,237,238, +239,240,241,242,243,244,245,246, 68,247,248,249,250,251,252,253, + 37, 44, 33, 46, 41, 48, 56, 51, 42, 60, 36, 49, 38, 31, 34, 35, + 45, 32, 40, 52, 53, 55, 58, 50, 57, 63, 70, 62, 61, 47, 59, 43, + 3, 21, 10, 19, 13, 2, 24, 20, 4, 23, 11, 8, 12, 5, 1, 15, + 9, 7, 6, 14, 39, 26, 28, 22, 25, 29, 54, 18, 17, 30, 27, 16, +) + +latin5_char_to_order_map = ( +255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 +253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 +252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 +253,142,143,144,145,146,147,148,149,150,151,152, 74,153, 75,154, # 40 +155,156,157,158,159,160,161,162,163,164,165,253,253,253,253,253, # 50 +253, 71,172, 66,173, 65,174, 76,175, 64,176,177, 77, 72,178, 69, # 60 + 67,179, 78, 73,180,181, 79,182,183,184,185,253,253,253,253,253, # 70 +191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206, +207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222, +223,224,225,226,227,228,229,230,231,232,233,234,235,236,237,238, + 37, 44, 33, 46, 41, 48, 56, 51, 42, 60, 36, 49, 38, 31, 34, 35, + 45, 32, 40, 52, 53, 55, 58, 50, 57, 63, 70, 62, 61, 47, 59, 43, + 3, 21, 10, 19, 13, 2, 24, 20, 4, 23, 11, 8, 12, 5, 1, 15, + 9, 7, 6, 14, 39, 26, 28, 22, 25, 29, 54, 18, 17, 30, 27, 16, +239, 68,240,241,242,243,244,245,246,247,248,249,250,251,252,255, +) + +macCyrillic_char_to_order_map = ( +255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 +253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 +252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 +253,142,143,144,145,146,147,148,149,150,151,152, 74,153, 75,154, # 40 +155,156,157,158,159,160,161,162,163,164,165,253,253,253,253,253, # 50 +253, 71,172, 66,173, 65,174, 76,175, 64,176,177, 77, 72,178, 69, # 60 + 67,179, 78, 73,180,181, 79,182,183,184,185,253,253,253,253,253, # 70 + 37, 44, 33, 46, 41, 48, 56, 51, 42, 60, 36, 49, 38, 31, 34, 35, + 45, 32, 40, 52, 53, 55, 58, 50, 57, 63, 70, 62, 61, 47, 59, 43, +191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206, +207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222, +223,224,225,226,227,228,229,230,231,232,233,234,235,236,237,238, +239,240,241,242,243,244,245,246,247,248,249,250,251,252, 68, 16, + 3, 21, 10, 19, 13, 2, 24, 20, 4, 23, 11, 8, 12, 5, 1, 15, + 9, 7, 6, 14, 39, 26, 28, 22, 25, 29, 54, 18, 17, 30, 27,255, +) + +IBM855_char_to_order_map = ( +255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 +253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 +252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 +253,142,143,144,145,146,147,148,149,150,151,152, 74,153, 75,154, # 40 +155,156,157,158,159,160,161,162,163,164,165,253,253,253,253,253, # 50 +253, 71,172, 66,173, 65,174, 76,175, 64,176,177, 77, 72,178, 69, # 60 + 67,179, 78, 73,180,181, 79,182,183,184,185,253,253,253,253,253, # 70 +191,192,193,194, 68,195,196,197,198,199,200,201,202,203,204,205, +206,207,208,209,210,211,212,213,214,215,216,217, 27, 59, 54, 70, + 3, 37, 21, 44, 28, 58, 13, 41, 2, 48, 39, 53, 19, 46,218,219, +220,221,222,223,224, 26, 55, 4, 42,225,226,227,228, 23, 60,229, +230,231,232,233,234,235, 11, 36,236,237,238,239,240,241,242,243, + 8, 49, 12, 38, 5, 31, 1, 34, 15,244,245,246,247, 35, 16,248, + 43, 9, 45, 7, 32, 6, 40, 14, 52, 24, 56, 10, 33, 17, 61,249, +250, 18, 62, 20, 51, 25, 57, 30, 47, 29, 63, 22, 50,251,252,255, +) + +IBM866_char_to_order_map = ( +255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 +253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 +252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 +253,142,143,144,145,146,147,148,149,150,151,152, 74,153, 75,154, # 40 +155,156,157,158,159,160,161,162,163,164,165,253,253,253,253,253, # 50 +253, 71,172, 66,173, 65,174, 76,175, 64,176,177, 77, 72,178, 69, # 60 + 67,179, 78, 73,180,181, 79,182,183,184,185,253,253,253,253,253, # 70 + 37, 44, 33, 46, 41, 48, 56, 51, 42, 60, 36, 49, 38, 31, 34, 35, + 45, 32, 40, 52, 53, 55, 58, 50, 57, 63, 70, 62, 61, 47, 59, 43, + 3, 21, 10, 19, 13, 2, 24, 20, 4, 23, 11, 8, 12, 5, 1, 15, +191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206, +207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222, +223,224,225,226,227,228,229,230,231,232,233,234,235,236,237,238, + 9, 7, 6, 14, 39, 26, 28, 22, 25, 29, 54, 18, 17, 30, 27, 16, +239, 68,240,241,242,243,244,245,246,247,248,249,250,251,252,255, +) + +# Model Table: +# total sequences: 100% +# first 512 sequences: 97.6601% +# first 1024 sequences: 2.3389% +# rest sequences: 0.1237% +# negative sequences: 0.0009% +RussianLangModel = ( +0,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,1,1,3,3,3,3,1,3,3,3,2,3,2,3,3, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,0,3,2,2,2,2,2,0,0,2, +3,3,3,2,3,3,3,3,3,3,3,3,3,3,2,3,3,0,0,3,3,3,3,3,3,3,3,3,2,3,2,0, +0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,2,2,3,3,3,3,3,3,3,3,3,2,3,3,0,0,3,3,3,3,3,3,3,3,2,3,3,1,0, +0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,2,3,2,3,3,3,3,3,3,3,3,3,3,3,3,3,0,0,3,3,3,3,3,3,3,3,3,3,3,2,1, +0,0,0,0,0,0,0,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,3,0,0,3,3,3,3,3,3,3,3,3,3,3,2,1, +0,0,0,0,0,1,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,2,2,2,3,1,3,3,1,3,3,3,3,2,2,3,0,2,2,2,3,3,2,1,0, +0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,2,3,3,3,3,3,2,2,3,2,3,3,3,2,1,2,2,0,1,2,2,2,2,2,2,0, +0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,2,2,3,0,2,2,3,3,2,1,2,0, +0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,1,0,0,2,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,2,3,3,1,2,3,2,2,3,2,3,3,3,3,2,2,3,0,3,2,2,3,1,1,1,0, +0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,2,2,3,3,3,3,3,2,3,3,3,3,2,2,2,0,3,3,3,2,2,2,2,0, +0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,3,3,2,3,2,3,3,3,3,3,3,2,3,2,2,0,1,3,2,1,2,2,1,0, +0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,3,3,3,2,1,1,3,0,1,1,1,1,2,1,1,0,2,2,2,1,2,0,1,0, +0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,2,3,3,2,2,2,2,1,3,2,3,2,3,2,1,2,2,0,1,1,2,1,2,1,2,0, +0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,3,3,3,3,2,2,3,2,3,3,3,2,2,2,2,0,2,2,2,2,3,1,1,0, +0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, +3,2,3,2,2,3,3,3,3,3,3,3,3,3,1,3,2,0,0,3,3,3,3,2,3,3,3,3,2,3,2,0, +0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,3,3,3,3,3,2,2,3,3,0,2,1,0,3,2,3,2,3,0,0,1,2,0,0,1,0,1,2,1,1,0, +0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,0,3,0,2,3,3,3,3,2,3,3,3,3,1,2,2,0,0,2,3,2,2,2,3,2,3,2,2,3,0,0, +0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,2,3,0,2,3,2,3,0,1,2,3,3,2,0,2,3,0,0,2,3,2,2,0,1,3,1,3,2,2,1,0, +0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,1,3,0,2,3,3,3,3,3,3,3,3,2,1,3,2,0,0,2,2,3,3,3,2,3,3,0,2,2,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,2,2,3,3,2,2,2,3,3,0,0,1,1,1,1,1,2,0,0,1,1,1,1,0,1,0, +0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,2,2,3,3,3,3,3,3,3,0,3,2,3,3,2,3,2,0,2,1,0,1,1,0,1,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,2,3,3,3,2,2,2,2,3,1,3,2,3,1,1,2,1,0,2,2,2,2,1,3,1,0, +0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, +2,2,3,3,3,3,3,1,2,2,1,3,1,0,3,0,0,3,0,0,0,1,1,0,1,2,1,0,0,0,0,0, +0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,2,2,1,1,3,3,3,2,2,1,2,2,3,1,1,2,0,0,2,2,1,3,0,0,2,1,1,2,1,1,0, +0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,2,3,3,3,3,1,2,2,2,1,2,1,3,3,1,1,2,1,2,1,2,2,0,2,0,0,1,1,0,1,0, +0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,3,3,3,3,3,2,1,3,2,2,3,2,0,3,2,0,3,0,1,0,1,1,0,0,1,1,1,1,0,1,0, +0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,2,3,3,3,2,2,2,3,3,1,2,1,2,1,0,1,0,1,1,0,1,0,0,2,1,1,1,0,1,0, +0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0, +3,1,1,2,1,2,3,3,2,2,1,2,2,3,0,2,1,0,0,2,2,3,2,1,2,2,2,2,2,3,1,0, +0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,1,1,0,1,1,2,2,1,1,3,0,0,1,3,1,1,1,0,0,0,1,0,1,1,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,1,3,3,3,2,0,0,0,2,1,0,1,0,2,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,0,1,0,0,2,3,2,2,2,1,2,2,2,1,2,1,0,0,1,1,1,0,2,0,1,1,1,0,0,1,1, +1,0,0,0,0,0,1,2,0,0,0,0,0,1,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0, +2,3,3,3,3,0,0,0,0,1,0,0,0,0,3,0,1,2,1,0,0,0,0,0,0,0,1,1,0,0,1,1, +1,0,1,0,1,2,0,0,1,1,2,1,0,1,1,1,1,0,1,1,1,1,0,1,0,0,1,0,0,1,1,0, +2,2,3,2,2,2,3,1,2,2,2,2,2,2,2,2,1,1,1,1,1,1,1,0,1,0,1,1,1,0,2,1, +1,1,1,1,1,1,1,1,2,1,1,1,1,1,1,1,1,1,1,0,1,0,1,1,0,1,1,1,0,1,1,0, +3,3,3,2,2,2,2,3,2,2,1,1,2,2,2,2,1,1,3,1,2,1,2,0,0,1,1,0,1,0,2,1, +1,1,1,1,1,2,1,0,1,1,1,1,0,1,0,0,1,1,0,0,1,0,1,0,0,1,0,0,0,1,1,0, +2,0,0,1,0,3,2,2,2,2,1,2,1,2,1,2,0,0,0,2,1,2,2,1,1,2,2,0,1,1,0,2, +1,1,1,1,1,0,1,1,1,2,1,1,1,2,1,0,1,2,1,1,1,1,0,1,1,1,0,0,1,0,0,1, +1,3,2,2,2,1,1,1,2,3,0,0,0,0,2,0,2,2,1,0,0,0,0,0,0,1,0,0,0,0,1,1, +1,0,1,1,0,1,0,1,1,0,1,1,0,2,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,1,1,0, +2,3,2,3,2,1,2,2,2,2,1,0,0,0,2,0,0,1,1,0,0,0,0,0,0,0,1,1,0,0,2,1, +1,1,2,1,0,2,0,0,1,0,1,0,0,1,0,0,1,1,0,1,1,0,0,0,0,0,1,0,0,0,0,0, +3,0,0,1,0,2,2,2,3,2,2,2,2,2,2,2,0,0,0,2,1,2,1,1,1,2,2,0,0,0,1,2, +1,1,1,1,1,0,1,2,1,1,1,1,1,1,1,0,1,1,1,1,1,1,0,1,1,1,1,1,1,0,0,1, +2,3,2,3,3,2,0,1,1,1,0,0,1,0,2,0,1,1,3,1,0,0,0,0,0,0,0,1,0,0,2,1, +1,1,1,1,1,1,1,0,1,0,1,1,1,1,0,1,1,1,0,0,1,1,0,1,0,0,0,0,0,0,1,0, +2,3,3,3,3,1,2,2,2,2,0,1,1,0,2,1,1,1,2,1,0,1,1,0,0,1,0,1,0,0,2,0, +0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,3,3,3,2,0,0,1,1,2,2,1,0,0,2,0,1,1,3,0,0,1,0,0,0,0,0,1,0,1,2,1, +1,1,2,0,1,1,1,0,1,0,1,1,0,1,0,1,1,1,1,0,1,0,0,0,0,0,0,1,0,1,1,0, +1,3,2,3,2,1,0,0,2,2,2,0,1,0,2,0,1,1,1,0,1,0,0,0,3,0,1,1,0,0,2,1, +1,1,1,0,1,1,0,0,0,0,1,1,0,1,0,0,2,1,1,0,1,0,0,0,1,0,1,0,0,1,1,0, +3,1,2,1,1,2,2,2,2,2,2,1,2,2,1,1,0,0,0,2,2,2,0,0,0,1,2,1,0,1,0,1, +2,1,1,1,1,1,1,1,1,1,1,1,1,1,1,0,2,1,1,1,0,1,0,1,1,0,1,1,1,0,0,1, +3,0,0,0,0,2,0,1,1,1,1,1,1,1,0,1,0,0,0,1,1,1,0,1,0,1,1,0,0,1,0,1, +1,1,0,0,1,0,0,0,1,0,1,1,0,0,1,0,1,0,1,0,0,0,0,1,0,0,0,1,0,0,0,1, +1,3,3,2,2,0,0,0,2,2,0,0,0,1,2,0,1,1,2,0,0,0,0,0,0,0,0,1,0,0,2,1, +0,1,1,0,0,1,1,0,0,0,1,1,0,1,1,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,1,0, +2,3,2,3,2,0,0,0,0,1,1,0,0,0,2,0,2,0,2,0,0,0,0,0,1,0,0,1,0,0,1,1, +1,1,2,0,1,2,1,0,1,1,2,1,1,1,1,1,2,1,1,0,1,0,0,1,1,1,1,1,0,1,1,0, +1,3,2,2,2,1,0,0,2,2,1,0,1,2,2,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,1,1, +0,0,1,1,0,1,1,0,0,1,1,0,1,1,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0, +1,0,0,1,0,2,3,1,2,2,2,2,2,2,1,1,0,0,0,1,0,1,0,2,1,1,1,0,0,0,0,1, +1,1,0,1,1,0,1,1,1,1,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1,0,0,0, +2,0,2,0,0,1,0,3,2,1,2,1,2,2,0,1,0,0,0,2,1,0,0,2,1,1,1,1,0,2,0,2, +2,1,1,1,1,1,1,1,1,1,1,1,1,2,1,0,1,1,1,1,0,0,0,1,1,1,1,0,1,0,0,1, +1,2,2,2,2,1,0,0,1,0,0,0,0,0,2,0,1,1,1,1,0,0,0,0,1,0,1,2,0,0,2,0, +1,0,1,1,1,2,1,0,1,0,1,1,0,0,1,0,1,1,1,0,1,0,0,0,1,0,0,1,0,1,1,0, +2,1,2,2,2,0,3,0,1,1,0,0,0,0,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1, +0,0,0,1,1,1,0,0,1,0,1,0,0,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,1,0,0, +1,2,2,3,2,2,0,0,1,1,2,0,1,2,1,0,1,0,1,0,0,1,0,0,0,0,0,0,0,0,0,1, +0,1,1,0,0,1,1,0,0,1,1,0,0,1,1,0,1,1,0,0,1,0,0,0,0,0,0,0,0,1,1,0, +2,2,1,1,2,1,2,2,2,2,2,1,2,2,0,1,0,0,0,1,2,2,2,1,2,1,1,1,1,1,2,1, +1,1,1,1,1,1,1,1,1,1,0,0,1,1,1,0,1,1,1,0,0,0,0,1,1,1,0,1,1,0,0,1, +1,2,2,2,2,0,1,0,2,2,0,0,0,0,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,2,0, +0,0,1,0,0,1,0,0,0,0,1,0,1,1,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0, +0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,2,2,2,2,0,0,0,2,2,2,0,1,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,1,1, +0,1,1,0,0,1,1,0,0,0,1,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,2,2,2,2,0,0,0,0,1,0,0,1,1,2,0,0,0,0,1,0,1,0,0,1,0,0,2,0,0,0,1, +0,0,1,0,0,1,0,0,0,1,1,0,0,0,0,0,1,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0, +1,2,2,2,1,1,2,0,2,1,1,1,1,0,2,2,0,0,0,0,0,0,0,0,0,1,1,0,0,0,1,1, +0,0,1,0,1,1,0,0,0,0,1,0,0,0,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0, +1,0,2,1,2,0,0,0,0,0,1,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,1,0,0,0,0, +0,0,1,0,1,1,0,0,0,0,1,0,0,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0, +1,0,0,0,0,2,0,1,2,1,0,1,1,1,0,1,0,0,0,1,0,1,0,0,1,0,1,0,0,0,0,1, +0,0,0,0,0,1,0,0,1,1,0,0,1,1,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,1, +2,2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, +1,0,0,0,1,0,0,0,1,1,0,0,0,0,0,0,0,1,0,0,0,0,0,1,0,0,1,0,0,0,0,0, +2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, +1,1,1,0,1,0,1,0,0,1,1,1,1,0,0,0,1,0,0,0,0,1,0,0,0,1,0,1,0,0,0,0, +1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, +1,1,0,1,1,0,1,0,1,0,0,0,0,1,1,0,1,1,0,0,0,0,0,1,0,1,1,0,1,0,0,0, +0,1,1,1,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,1,0,0,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0, +) + +Koi8rModel = { + 'char_to_order_map': KOI8R_char_to_order_map, + 'precedence_matrix': RussianLangModel, + 'typical_positive_ratio': 0.976601, + 'keep_english_letter': False, + 'charset_name': "KOI8-R", + 'language': 'Russian', +} + +Win1251CyrillicModel = { + 'char_to_order_map': win1251_char_to_order_map, + 'precedence_matrix': RussianLangModel, + 'typical_positive_ratio': 0.976601, + 'keep_english_letter': False, + 'charset_name': "windows-1251", + 'language': 'Russian', +} + +Latin5CyrillicModel = { + 'char_to_order_map': latin5_char_to_order_map, + 'precedence_matrix': RussianLangModel, + 'typical_positive_ratio': 0.976601, + 'keep_english_letter': False, + 'charset_name': "ISO-8859-5", + 'language': 'Russian', +} + +MacCyrillicModel = { + 'char_to_order_map': macCyrillic_char_to_order_map, + 'precedence_matrix': RussianLangModel, + 'typical_positive_ratio': 0.976601, + 'keep_english_letter': False, + 'charset_name': "MacCyrillic", + 'language': 'Russian', +} + +Ibm866Model = { + 'char_to_order_map': IBM866_char_to_order_map, + 'precedence_matrix': RussianLangModel, + 'typical_positive_ratio': 0.976601, + 'keep_english_letter': False, + 'charset_name': "IBM866", + 'language': 'Russian', +} + +Ibm855Model = { + 'char_to_order_map': IBM855_char_to_order_map, + 'precedence_matrix': RussianLangModel, + 'typical_positive_ratio': 0.976601, + 'keep_english_letter': False, + 'charset_name': "IBM855", + 'language': 'Russian', +} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langgreekmodel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langgreekmodel.py new file mode 100644 index 0000000..5332221 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langgreekmodel.py @@ -0,0 +1,225 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +# 255: Control characters that usually does not exist in any text +# 254: Carriage/Return +# 253: symbol (punctuation) that does not belong to word +# 252: 0 - 9 + +# Character Mapping Table: +Latin7_char_to_order_map = ( +255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 +253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 +252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 +253, 82,100,104, 94, 98,101,116,102,111,187,117, 92, 88,113, 85, # 40 + 79,118,105, 83, 67,114,119, 95, 99,109,188,253,253,253,253,253, # 50 +253, 72, 70, 80, 81, 60, 96, 93, 89, 68,120, 97, 77, 86, 69, 55, # 60 + 78,115, 65, 66, 58, 76,106,103, 87,107,112,253,253,253,253,253, # 70 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 80 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 90 +253,233, 90,253,253,253,253,253,253,253,253,253,253, 74,253,253, # a0 +253,253,253,253,247,248, 61, 36, 46, 71, 73,253, 54,253,108,123, # b0 +110, 31, 51, 43, 41, 34, 91, 40, 52, 47, 44, 53, 38, 49, 59, 39, # c0 + 35, 48,250, 37, 33, 45, 56, 50, 84, 57,120,121, 17, 18, 22, 15, # d0 +124, 1, 29, 20, 21, 3, 32, 13, 25, 5, 11, 16, 10, 6, 30, 4, # e0 + 9, 8, 14, 7, 2, 12, 28, 23, 42, 24, 64, 75, 19, 26, 27,253, # f0 +) + +win1253_char_to_order_map = ( +255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 +253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 +252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 +253, 82,100,104, 94, 98,101,116,102,111,187,117, 92, 88,113, 85, # 40 + 79,118,105, 83, 67,114,119, 95, 99,109,188,253,253,253,253,253, # 50 +253, 72, 70, 80, 81, 60, 96, 93, 89, 68,120, 97, 77, 86, 69, 55, # 60 + 78,115, 65, 66, 58, 76,106,103, 87,107,112,253,253,253,253,253, # 70 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 80 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 90 +253,233, 61,253,253,253,253,253,253,253,253,253,253, 74,253,253, # a0 +253,253,253,253,247,253,253, 36, 46, 71, 73,253, 54,253,108,123, # b0 +110, 31, 51, 43, 41, 34, 91, 40, 52, 47, 44, 53, 38, 49, 59, 39, # c0 + 35, 48,250, 37, 33, 45, 56, 50, 84, 57,120,121, 17, 18, 22, 15, # d0 +124, 1, 29, 20, 21, 3, 32, 13, 25, 5, 11, 16, 10, 6, 30, 4, # e0 + 9, 8, 14, 7, 2, 12, 28, 23, 42, 24, 64, 75, 19, 26, 27,253, # f0 +) + +# Model Table: +# total sequences: 100% +# first 512 sequences: 98.2851% +# first 1024 sequences:1.7001% +# rest sequences: 0.0359% +# negative sequences: 0.0148% +GreekLangModel = ( +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,3,2,2,3,3,3,3,3,3,3,3,1,3,3,3,0,2,2,3,3,0,3,0,3,2,0,3,3,3,0, +3,0,0,0,2,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,3,3,3,3,0,3,3,0,3,2,3,3,0,3,2,3,3,3,0,0,3,0,3,0,3,3,2,0,0,0, +2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0, +0,2,3,2,2,3,3,3,3,3,3,3,3,0,3,3,3,3,0,2,3,3,0,3,3,3,3,2,3,3,3,0, +2,0,0,0,2,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,2,3,3,2,3,3,3,3,3,3,3,3,3,3,3,3,0,2,1,3,3,3,3,2,3,3,2,3,3,2,0, +0,0,0,0,2,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,3,3,3,0,3,3,3,3,3,3,0,3,3,0,3,3,3,3,3,3,3,3,3,3,0,3,2,3,3,0, +2,0,1,0,2,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0, +0,3,3,3,3,3,2,3,0,0,0,0,3,3,0,3,1,3,3,3,0,3,3,0,3,3,3,3,0,0,0,0, +2,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,3,3,3,3,0,3,0,3,3,3,3,3,0,3,2,2,2,3,0,2,3,3,3,3,3,2,3,3,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,3,3,3,3,3,2,2,2,3,3,3,3,0,3,1,3,3,3,3,2,3,3,3,3,3,3,3,2,2,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,3,3,3,3,2,0,3,0,0,0,3,3,2,3,3,3,3,3,0,0,3,2,3,0,2,3,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,0,3,3,3,3,0,0,3,3,0,2,3,0,3,0,3,3,3,0,0,3,0,3,0,2,2,3,3,0,0, +0,0,1,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,3,3,3,3,2,0,3,2,3,3,3,3,0,3,3,3,3,3,0,3,3,2,3,2,3,3,2,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,3,2,3,2,3,3,3,3,3,3,0,2,3,2,3,2,2,2,3,2,3,3,2,3,0,2,2,2,3,0, +2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,3,0,0,0,3,3,3,2,3,3,0,0,3,0,3,0,0,0,3,2,0,3,0,3,0,0,2,0,2,0, +0,0,0,0,2,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,3,3,3,0,3,3,3,3,3,3,0,3,3,0,3,0,0,0,3,3,0,3,3,3,0,0,1,2,3,0, +3,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,3,3,3,3,2,0,0,3,2,2,3,3,0,3,3,3,3,3,2,1,3,0,3,2,3,3,2,1,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,3,3,0,2,3,3,3,3,3,3,0,0,3,0,3,0,0,0,3,3,0,3,2,3,0,0,3,3,3,0, +3,0,0,0,2,0,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,3,3,3,0,3,3,3,3,3,3,0,0,3,0,3,0,0,0,3,2,0,3,2,3,0,0,3,2,3,0, +2,0,0,0,0,0,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,3,1,2,2,3,3,3,3,3,3,0,2,3,0,3,0,0,0,3,3,0,3,0,2,0,0,2,3,1,0, +2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,0,3,3,3,3,0,3,0,3,3,2,3,0,3,3,3,3,3,3,0,3,3,3,0,2,3,0,0,3,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,0,3,3,3,0,0,3,0,0,0,3,3,0,3,0,2,3,3,0,0,3,0,3,0,3,3,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,3,0,0,0,3,3,3,3,3,3,0,0,3,0,2,0,0,0,3,3,0,3,0,3,0,0,2,0,2,0, +0,0,0,0,1,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,3,3,3,3,3,0,3,0,2,0,3,2,0,3,2,3,2,3,0,0,3,2,3,2,3,3,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,3,0,0,2,3,3,3,3,3,0,0,0,3,0,2,1,0,0,3,2,2,2,0,3,0,0,2,2,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,0,3,3,3,2,0,3,0,3,0,3,3,0,2,1,2,3,3,0,0,3,0,3,0,3,3,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,2,3,3,3,0,3,3,3,3,3,3,0,2,3,0,3,0,0,0,2,1,0,2,2,3,0,0,2,2,2,0, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,3,0,0,2,3,3,3,2,3,0,0,1,3,0,2,0,0,0,0,3,0,1,0,2,0,0,1,1,1,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,3,3,3,3,1,0,3,0,0,0,3,2,0,3,2,3,3,3,0,0,3,0,3,2,2,2,1,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,0,3,3,3,0,0,3,0,0,0,0,2,0,2,3,3,2,2,2,2,3,0,2,0,2,2,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,3,3,3,2,0,0,0,0,0,0,2,3,0,2,0,2,3,2,0,0,3,0,3,0,3,1,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,3,2,3,3,2,2,3,0,2,0,3,0,0,0,2,0,0,0,0,1,2,0,2,0,2,0, +0,2,0,2,0,2,2,0,0,1,0,2,2,2,0,2,2,2,0,2,2,2,0,0,2,0,0,1,0,0,0,0, +0,2,0,3,3,2,0,0,0,0,0,0,1,3,0,2,0,2,2,2,0,0,2,0,3,0,0,2,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,0,2,3,2,0,2,2,0,2,0,2,2,0,2,0,2,2,2,0,0,0,0,0,0,2,3,0,0,0,2, +0,1,2,0,0,0,0,2,2,0,0,0,2,1,0,2,2,0,0,0,0,0,0,1,0,2,0,0,0,0,0,0, +0,0,2,1,0,2,3,2,2,3,2,3,2,0,0,3,3,3,0,0,3,2,0,0,0,1,1,0,2,0,2,2, +0,2,0,2,0,2,2,0,0,2,0,2,2,2,0,2,2,2,2,0,0,2,0,0,0,2,0,1,0,0,0,0, +0,3,0,3,3,2,2,0,3,0,0,0,2,2,0,2,2,2,1,2,0,0,1,2,2,0,0,3,0,0,0,2, +0,1,2,0,0,0,1,2,0,0,0,0,0,0,0,2,2,0,1,0,0,2,0,0,0,2,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,2,3,3,2,2,0,0,0,2,0,2,3,3,0,2,0,0,0,0,0,0,2,2,2,0,2,2,0,2,0,2, +0,2,2,0,0,2,2,2,2,1,0,0,2,2,0,2,0,0,2,0,0,0,0,0,0,2,0,0,0,0,0,0, +0,2,0,3,2,3,0,0,0,3,0,0,2,2,0,2,0,2,2,2,0,0,2,0,0,0,0,0,0,0,0,2, +0,0,2,2,0,0,2,2,2,0,0,0,0,0,0,2,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,2,0,0,3,2,0,2,2,2,2,2,0,0,0,2,0,0,0,0,2,0,1,0,0,2,0,1,0,0,0, +0,2,2,2,0,2,2,0,1,2,0,2,2,2,0,2,2,2,2,1,2,2,0,0,2,0,0,0,0,0,0,0, +0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0, +0,2,0,2,0,2,2,0,0,0,0,1,2,1,0,0,2,2,0,0,2,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,3,2,3,0,0,2,0,0,0,2,2,0,2,0,0,0,1,0,0,2,0,2,0,2,2,0,0,0,0, +0,0,2,0,0,0,0,2,2,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0, +0,2,2,3,2,2,0,0,0,0,0,0,1,3,0,2,0,2,2,0,0,0,1,0,2,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,2,0,2,0,3,2,0,2,0,0,0,0,0,0,2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, +0,0,2,0,0,0,0,1,1,0,0,2,1,2,0,2,2,0,1,0,0,1,0,0,0,2,0,0,0,0,0,0, +0,3,0,2,2,2,0,0,2,0,0,0,2,0,0,0,2,3,0,2,0,0,0,0,0,0,2,2,0,0,0,2, +0,1,2,0,0,0,1,2,2,1,0,0,0,2,0,0,2,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,3,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,2,1,2,0,2,2,0,2,0,0,2,0,0,0,0,1,2,1,0,2,1,0,0,0,0,0,0,0,0,0,0, +0,0,2,0,0,0,3,1,2,2,0,2,0,0,0,0,2,0,0,0,2,0,0,3,0,0,0,0,2,2,2,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,2,1,0,2,0,1,2,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,1,0,0,0,0,0,0,2, +0,2,2,0,0,2,2,2,2,2,0,1,2,0,0,0,2,2,0,1,0,2,0,0,2,2,0,0,0,0,0,0, +0,0,0,0,1,0,0,0,0,0,0,0,3,0,0,2,0,0,0,0,0,0,0,0,2,0,2,0,0,0,0,2, +0,1,2,0,0,0,0,2,2,1,0,1,0,1,0,2,2,2,1,0,0,0,0,0,0,1,0,0,0,0,0,0, +0,2,0,1,2,0,0,0,0,0,0,0,0,0,0,2,0,0,2,2,0,0,0,0,1,0,0,0,0,0,0,2, +0,2,2,0,0,0,0,2,2,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,2,0,0,2,0,0,0, +0,2,2,2,2,0,0,0,3,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,2,0,0,0,0,0,0,1, +0,0,2,0,0,0,0,1,2,0,0,0,0,0,0,2,2,1,1,0,0,0,0,0,0,1,0,0,0,0,0,0, +0,2,0,2,2,2,0,0,2,0,0,0,0,0,0,0,2,2,2,0,0,0,2,0,0,0,0,0,0,0,0,2, +0,0,1,0,0,0,0,2,1,0,0,0,0,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0, +0,3,0,2,0,0,0,0,0,0,0,0,2,0,0,0,0,0,2,0,0,0,0,0,0,0,2,0,0,0,0,2, +0,0,2,0,0,0,0,2,2,0,0,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,2,0,2,2,1,0,0,0,0,0,0,2,0,0,2,0,2,2,2,0,0,0,0,0,0,2,0,0,0,0,2, +0,0,2,0,0,2,0,2,2,0,0,0,0,2,0,2,0,0,0,0,0,2,0,0,0,2,0,0,0,0,0,0, +0,0,3,0,0,0,2,2,0,2,2,0,0,0,0,0,2,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,2,0,0,0,0,0, +0,2,2,2,2,2,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1,1,0,0,0,1, +0,0,0,0,0,0,0,2,1,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,2,2,0,0,0,0,0,2,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0, +0,2,0,0,0,2,0,0,0,0,0,1,0,0,0,0,2,2,0,0,0,1,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,1,0,2,0,0,0, +0,2,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,1,0,0,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,1,0,0,2,0,2,0,0,0, +0,0,0,0,0,0,0,0,2,1,0,0,0,0,0,0,2,0,0,0,1,2,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +) + +Latin7GreekModel = { + 'char_to_order_map': Latin7_char_to_order_map, + 'precedence_matrix': GreekLangModel, + 'typical_positive_ratio': 0.982851, + 'keep_english_letter': False, + 'charset_name': "ISO-8859-7", + 'language': 'Greek', +} + +Win1253GreekModel = { + 'char_to_order_map': win1253_char_to_order_map, + 'precedence_matrix': GreekLangModel, + 'typical_positive_ratio': 0.982851, + 'keep_english_letter': False, + 'charset_name': "windows-1253", + 'language': 'Greek', +} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhebrewmodel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhebrewmodel.py new file mode 100644 index 0000000..58f4c87 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhebrewmodel.py @@ -0,0 +1,200 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Universal charset detector code. +# +# The Initial Developer of the Original Code is +# Simon Montagu +# Portions created by the Initial Developer are Copyright (C) 2005 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# Shy Shalom - original C code +# Shoshannah Forbes - original C code (?) +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +# 255: Control characters that usually does not exist in any text +# 254: Carriage/Return +# 253: symbol (punctuation) that does not belong to word +# 252: 0 - 9 + +# Windows-1255 language model +# Character Mapping Table: +WIN1255_CHAR_TO_ORDER_MAP = ( +255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 +253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 +252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 +253, 69, 91, 79, 80, 92, 89, 97, 90, 68,111,112, 82, 73, 95, 85, # 40 + 78,121, 86, 71, 67,102,107, 84,114,103,115,253,253,253,253,253, # 50 +253, 50, 74, 60, 61, 42, 76, 70, 64, 53,105, 93, 56, 65, 54, 49, # 60 + 66,110, 51, 43, 44, 63, 81, 77, 98, 75,108,253,253,253,253,253, # 70 +124,202,203,204,205, 40, 58,206,207,208,209,210,211,212,213,214, +215, 83, 52, 47, 46, 72, 32, 94,216,113,217,109,218,219,220,221, + 34,116,222,118,100,223,224,117,119,104,125,225,226, 87, 99,227, +106,122,123,228, 55,229,230,101,231,232,120,233, 48, 39, 57,234, + 30, 59, 41, 88, 33, 37, 36, 31, 29, 35,235, 62, 28,236,126,237, +238, 38, 45,239,240,241,242,243,127,244,245,246,247,248,249,250, + 9, 8, 20, 16, 3, 2, 24, 14, 22, 1, 25, 15, 4, 11, 6, 23, + 12, 19, 13, 26, 18, 27, 21, 17, 7, 10, 5,251,252,128, 96,253, +) + +# Model Table: +# total sequences: 100% +# first 512 sequences: 98.4004% +# first 1024 sequences: 1.5981% +# rest sequences: 0.087% +# negative sequences: 0.0015% +HEBREW_LANG_MODEL = ( +0,3,3,3,3,3,3,3,3,3,3,2,3,3,3,3,3,3,3,3,3,3,3,2,3,2,1,2,0,1,0,0, +3,0,3,1,0,0,1,3,2,0,1,1,2,0,2,2,2,1,1,1,1,2,1,1,1,2,0,0,2,2,0,1, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,2,2,2, +1,2,1,2,1,2,0,0,2,0,0,0,0,0,1,0,1,0,0,0,0,0,0,1,0,0,0,0,0,0,1,0, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,2,2, +1,2,1,3,1,1,0,0,2,0,0,0,1,0,1,0,1,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,1,0,1,2,2,1,3, +1,2,1,1,2,2,0,0,2,2,0,0,0,0,1,0,1,0,0,0,1,0,0,0,0,0,0,1,0,1,1,0, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,3,2,2,2,2,3,2, +1,2,1,2,2,2,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,1,0, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,3,2,3,2,2,3,2,2,2,1,2,2,2,2, +1,2,1,1,2,2,0,1,2,0,0,0,0,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,0,2,2,2,2,2, +0,2,0,2,2,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,1,0, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,0,2,2,2, +0,2,1,2,2,2,0,0,2,1,0,0,0,0,1,0,1,0,0,0,0,0,0,2,0,0,0,0,0,0,1,0, +3,3,3,3,3,3,3,3,3,3,3,2,3,3,3,3,3,3,3,3,3,3,3,3,3,2,1,2,3,2,2,2, +1,2,1,2,2,2,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,1,0,0,0,0,0,1,1,0, +3,3,3,3,3,3,3,3,3,2,3,3,3,2,3,3,3,3,3,3,3,3,3,3,3,3,3,1,0,2,0,2, +0,2,1,2,2,2,0,0,1,2,0,0,0,0,1,0,1,0,0,0,0,0,0,1,0,0,0,2,0,0,1,0, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,2,3,2,2,3,2,1,2,1,1,1, +0,1,1,1,1,1,3,0,1,0,0,0,0,2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, +3,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,0,1,1,0,1,1,0,0,1,0,0,1,0,0,0,0, +0,0,1,0,0,0,0,0,2,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,2,2,2,2,2,2, +0,2,0,1,2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, +3,3,3,3,3,3,3,3,3,2,3,3,3,2,1,2,3,3,2,3,3,3,3,2,3,2,1,2,0,2,1,2, +0,2,0,2,2,2,0,0,1,2,0,0,0,0,1,0,1,0,0,0,0,0,0,0,0,0,0,1,0,0,1,0, +3,3,3,3,3,3,3,3,3,2,3,3,3,1,2,2,3,3,2,3,2,3,2,2,3,1,2,2,0,2,2,2, +0,2,1,2,2,2,0,0,1,2,0,0,0,0,1,0,0,0,0,0,1,0,0,1,0,0,0,1,0,0,1,0, +3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,3,3,2,3,3,2,2,2,3,3,3,3,1,3,2,2,2, +0,2,0,1,2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,2,3,3,3,2,3,2,2,2,1,2,2,0,2,2,2,2, +0,2,0,2,2,2,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, +3,3,3,3,3,3,3,3,3,3,3,2,3,3,3,1,3,2,3,3,2,3,3,2,2,1,2,2,2,2,2,2, +0,2,1,2,1,2,0,0,1,0,0,0,0,0,1,0,0,0,0,0,1,0,0,1,0,0,0,0,0,0,1,0, +3,3,3,3,3,3,2,3,2,3,3,2,3,3,3,3,2,3,2,3,3,3,3,3,2,2,2,2,2,2,2,1, +0,2,0,1,2,1,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,1,0, +3,3,3,3,3,3,3,3,3,2,1,2,3,3,3,3,3,3,3,2,3,2,3,2,1,2,3,0,2,1,2,2, +0,2,1,1,2,1,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,2,0, +3,3,3,3,3,3,3,3,3,2,3,3,3,3,2,1,3,1,2,2,2,1,2,3,3,1,2,1,2,2,2,2, +0,1,1,1,1,1,0,0,0,0,0,0,0,0,1,0,0,0,0,0,1,0,0,2,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,3,3,0,2,3,3,3,1,3,3,3,1,2,2,2,2,1,1,2,2,2,2,2,2, +0,2,0,1,1,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,1,0, +3,3,3,3,3,3,2,3,3,3,2,2,3,3,3,2,1,2,3,2,3,2,2,2,2,1,2,1,1,1,2,2, +0,2,1,1,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, +3,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,0,1,0,0,0,1,0,0,0,0,0, +1,0,1,0,0,0,0,0,2,0,0,0,0,0,1,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,2,3,3,2,3,1,2,2,2,2,3,2,3,1,1,2,2,1,2,2,1,1,0,2,2,2,2, +0,1,0,1,2,2,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,1,0, +3,0,0,1,1,0,1,0,0,1,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,2,2,0, +0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,0,1,0,1,0,1,1,0,1,1,0,0,0,1,1,0,1,1,1,0,0,0,0,0,0,1,0,0,0,0,0, +0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,0,0,0,1,1,0,1,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0, +3,2,2,1,2,2,2,2,2,2,2,1,2,2,1,2,2,1,1,1,1,1,1,1,1,2,1,1,0,3,3,3, +0,3,0,2,2,2,2,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, +2,2,2,3,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,1,2,2,1,2,2,2,1,1,1,2,0,1, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,2,2,2,2,2,2,2,2,2,2,1,2,2,2,2,2,2,2,2,2,2,2,0,2,2,0,0,0,0,0,0, +0,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,3,1,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,1,2,1,0,2,1,0, +0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,1,1,1,1,1,1,1,1,1,1,0,0,1,1,1,1,0,1,1,1,1,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0, +0,3,1,1,2,2,2,2,2,1,2,2,2,1,1,2,2,2,2,2,2,2,1,2,2,1,0,1,1,1,1,0, +0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,2,1,1,1,1,2,1,1,2,1,0,1,1,1,1,1,1,1,1,1,1,1,0,1,0,0,0,0,0,0,0, +0,0,2,0,0,0,0,0,0,0,0,1,1,0,0,0,0,1,1,0,0,1,1,0,0,0,0,0,0,1,0,0, +2,1,1,2,2,2,2,2,2,2,2,2,2,2,1,2,2,2,2,2,1,2,1,2,1,1,1,1,0,0,0,0, +0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,2,1,2,2,2,2,2,2,2,2,2,2,1,2,1,2,1,1,2,1,1,1,2,1,2,1,2,0,1,0,1, +0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,3,1,2,2,2,1,2,2,2,2,2,2,2,2,1,2,1,1,1,1,1,1,2,1,2,1,1,0,1,0,1, +0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,1,2,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,2,2, +0,2,0,1,2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, +3,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,1,1,1,1,1,1,1,0,1,1,0,1,0,0,1,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,2,0,1,1,1,0,1,0,0,0,1,1,0,1,1,0,0,0,0,0,1,1,0,0, +0,1,1,1,2,1,2,2,2,0,2,0,2,0,1,1,2,1,1,1,1,2,1,0,1,1,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,0,1,0,0,0,0,0,1,0,1,2,2,0,1,0,0,1,1,2,2,1,2,0,2,0,0,0,1,2,0,1, +2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,2,0,2,1,2,0,2,0,0,1,1,1,1,1,1,0,1,0,0,0,1,0,0,1, +2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,1,0,0,0,0,0,1,0,2,1,1,0,1,0,0,1,1,1,2,2,0,0,1,0,0,0,1,0,0,1, +1,1,2,1,0,1,1,1,0,1,0,1,1,1,1,0,0,0,1,0,1,0,0,0,0,0,0,0,0,2,2,1, +0,2,0,1,2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,1,0,0,1,0,1,1,1,1,0,0,0,0,0,1,0,0,0,0,1,1,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,1,1,1,1,1,1,1,1,2,1,0,1,1,1,1,1,1,1,1,1,1,1,0,1,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,1,1,1,0,0,0,0,1,1,1,0,1,1,0,1,0,0,0,1,1,0,1, +2,0,1,0,1,0,1,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,1,0,1,1,1,0,1,0,0,1,1,2,1,1,2,0,1,0,0,0,1,1,0,1, +1,0,0,1,0,0,1,0,0,0,1,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,1,0,1,1,2,0,1,0,0,0,0,2,1,1,2,0,2,0,0,0,1,1,0,1, +1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,1,0,2,1,1,0,1,0,0,2,2,1,2,1,1,0,1,0,0,0,1,1,0,1, +2,0,1,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,1,2,2,0,0,0,0,0,1,1,0,1,0,0,1,0,0,0,0,1,0,1, +1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,1,2,2,0,0,0,0,2,1,1,1,0,2,1,1,0,0,0,2,1,0,1, +1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,1,0,1,1,2,0,1,0,0,1,1,0,2,1,1,0,1,0,0,0,1,1,0,1, +2,2,1,1,1,0,1,1,0,1,1,0,1,0,0,0,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,1,0,2,1,1,0,1,0,0,1,1,0,1,2,1,0,2,0,0,0,1,1,0,1, +2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0, +0,1,0,0,2,0,2,1,1,0,1,0,1,0,0,1,0,0,0,0,1,0,0,0,1,0,0,0,0,0,1,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,0,0,1,0,0,1,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,1,0,1,1,2,0,1,0,0,1,1,1,0,1,0,0,1,0,0,0,1,0,0,1, +1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,0,0,0,0,0,0,0,1,0,1,1,0,0,1,0,0,2,1,1,1,1,1,0,1,0,0,0,0,1,0,1, +0,1,1,1,2,1,1,1,1,0,1,1,1,1,1,1,1,1,1,1,1,1,0,1,1,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,1,2,1,0,0,0,0,0,1,1,1,1,1,0,1,0,0,0,1,1,0,0, +) + +Win1255HebrewModel = { + 'char_to_order_map': WIN1255_CHAR_TO_ORDER_MAP, + 'precedence_matrix': HEBREW_LANG_MODEL, + 'typical_positive_ratio': 0.984004, + 'keep_english_letter': False, + 'charset_name': "windows-1255", + 'language': 'Hebrew', +} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhungarianmodel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhungarianmodel.py new file mode 100644 index 0000000..bb7c095 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhungarianmodel.py @@ -0,0 +1,225 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +# 255: Control characters that usually does not exist in any text +# 254: Carriage/Return +# 253: symbol (punctuation) that does not belong to word +# 252: 0 - 9 + +# Character Mapping Table: +Latin2_HungarianCharToOrderMap = ( +255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 +253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 +252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 +253, 28, 40, 54, 45, 32, 50, 49, 38, 39, 53, 36, 41, 34, 35, 47, + 46, 71, 43, 33, 37, 57, 48, 64, 68, 55, 52,253,253,253,253,253, +253, 2, 18, 26, 17, 1, 27, 12, 20, 9, 22, 7, 6, 13, 4, 8, + 23, 67, 10, 5, 3, 21, 19, 65, 62, 16, 11,253,253,253,253,253, +159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174, +175,176,177,178,179,180,181,182,183,184,185,186,187,188,189,190, +191,192,193,194,195,196,197, 75,198,199,200,201,202,203,204,205, + 79,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220, +221, 51, 81,222, 78,223,224,225,226, 44,227,228,229, 61,230,231, +232,233,234, 58,235, 66, 59,236,237,238, 60, 69, 63,239,240,241, + 82, 14, 74,242, 70, 80,243, 72,244, 15, 83, 77, 84, 30, 76, 85, +245,246,247, 25, 73, 42, 24,248,249,250, 31, 56, 29,251,252,253, +) + +win1250HungarianCharToOrderMap = ( +255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 +253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 +252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 +253, 28, 40, 54, 45, 32, 50, 49, 38, 39, 53, 36, 41, 34, 35, 47, + 46, 72, 43, 33, 37, 57, 48, 64, 68, 55, 52,253,253,253,253,253, +253, 2, 18, 26, 17, 1, 27, 12, 20, 9, 22, 7, 6, 13, 4, 8, + 23, 67, 10, 5, 3, 21, 19, 65, 62, 16, 11,253,253,253,253,253, +161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176, +177,178,179,180, 78,181, 69,182,183,184,185,186,187,188,189,190, +191,192,193,194,195,196,197, 76,198,199,200,201,202,203,204,205, + 81,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220, +221, 51, 83,222, 80,223,224,225,226, 44,227,228,229, 61,230,231, +232,233,234, 58,235, 66, 59,236,237,238, 60, 70, 63,239,240,241, + 84, 14, 75,242, 71, 82,243, 73,244, 15, 85, 79, 86, 30, 77, 87, +245,246,247, 25, 74, 42, 24,248,249,250, 31, 56, 29,251,252,253, +) + +# Model Table: +# total sequences: 100% +# first 512 sequences: 94.7368% +# first 1024 sequences:5.2623% +# rest sequences: 0.8894% +# negative sequences: 0.0009% +HungarianLangModel = ( +0,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,1,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3, +3,3,3,3,3,3,3,3,3,3,2,3,3,3,3,3,3,3,3,2,2,3,3,1,1,2,2,2,2,2,1,2, +3,2,2,3,3,3,3,3,2,3,3,3,3,3,3,1,2,3,3,3,3,2,3,3,1,1,3,3,0,1,1,1, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0, +3,2,1,3,3,3,3,3,2,3,3,3,3,3,1,1,2,3,3,3,3,3,3,3,1,1,3,2,0,1,1,1, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, +3,3,3,3,3,3,3,3,3,3,3,1,1,2,3,3,3,1,3,3,3,3,3,1,3,3,2,2,0,3,2,3, +0,0,0,0,0,0,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0, +3,3,3,3,3,3,2,3,3,3,2,3,3,2,3,3,3,3,3,2,3,3,2,2,3,2,3,2,0,3,2,2, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,1,0, +3,3,3,3,3,3,2,3,3,3,3,3,2,3,3,3,1,2,3,2,2,3,1,2,3,3,2,2,0,3,3,3, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,3,3,2,2,3,3,3,3,3,3,2,3,3,3,3,2,3,3,3,3,0,2,3,2, +0,0,0,1,1,0,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,3,3,3,1,1,1,3,3,2,1,3,2,2,3,2,1,3,2,2,1,0,3,3,1, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, +3,2,2,3,3,3,3,3,1,2,3,3,3,3,1,2,1,3,3,3,3,2,2,3,1,1,3,2,0,1,1,1, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, +3,3,3,3,3,3,3,3,2,2,3,3,3,3,3,2,1,3,3,3,3,3,2,2,1,3,3,3,0,1,1,2, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,1,0, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,3,3,2,3,3,2,3,3,3,2,0,3,2,3, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,1,0, +3,3,3,3,3,3,2,3,3,3,2,3,2,3,3,3,1,3,2,2,2,3,1,1,3,3,1,1,0,3,3,2, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,2,3,3,3,2,3,2,3,3,3,2,3,3,3,3,3,1,2,3,2,2,0,2,2,2, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, +3,3,3,2,2,2,3,1,3,3,2,2,1,3,3,3,1,1,3,1,2,3,2,3,2,2,2,1,0,2,2,2, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0, +3,1,1,3,3,3,3,3,1,2,3,3,3,3,1,2,1,3,3,3,2,2,3,2,1,0,3,2,0,1,1,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,1,1,3,3,3,3,3,1,2,3,3,3,3,1,1,0,3,3,3,3,0,2,3,0,0,2,1,0,1,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,2,2,3,3,2,2,2,2,3,3,0,1,2,3,2,3,2,2,3,2,1,2,0,2,2,2, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0, +3,3,3,3,3,3,1,2,3,3,3,2,1,2,3,3,2,2,2,3,2,3,3,1,3,3,1,1,0,2,3,2, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, +3,3,3,1,2,2,2,2,3,3,3,1,1,1,3,3,1,1,3,1,1,3,2,1,2,3,1,1,0,2,2,2, +0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, +3,3,3,2,1,2,1,1,3,3,1,1,1,1,3,3,1,1,2,2,1,2,1,1,2,2,1,1,0,2,2,1, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, +3,3,3,1,1,2,1,1,3,3,1,0,1,1,3,3,2,0,1,1,2,3,1,0,2,2,1,0,0,1,3,2, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, +3,2,1,3,3,3,3,3,1,2,3,2,3,3,2,1,1,3,2,3,2,1,2,2,0,1,2,1,0,0,1,1, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, +3,3,3,3,2,2,2,2,3,1,2,2,1,1,3,3,0,3,2,1,2,3,2,1,3,3,1,1,0,2,1,3, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, +3,3,3,2,2,2,3,2,3,3,3,2,1,1,3,3,1,1,1,2,2,3,2,3,2,2,2,1,0,2,2,1, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, +1,0,0,3,3,3,3,3,0,0,3,3,2,3,0,0,0,2,3,3,1,0,1,2,0,0,1,1,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,1,2,3,3,3,3,3,1,2,3,3,2,2,1,1,0,3,3,2,2,1,2,2,1,0,2,2,0,1,1,1, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,2,2,1,3,1,2,3,3,2,2,1,1,2,2,1,1,1,1,3,2,1,1,1,1,2,1,0,1,2,1, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,1,0,0,0,0,0,0,0,0,0, +2,3,3,1,1,1,1,1,3,3,3,0,1,1,3,3,1,1,1,1,1,2,2,0,3,1,1,2,0,2,1,1, +0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, +3,1,0,1,2,1,2,2,0,1,2,3,1,2,0,0,0,2,1,1,1,1,1,2,0,0,1,1,0,0,0,0, +1,2,1,2,2,2,1,2,1,2,0,2,0,2,2,1,1,2,1,1,2,1,1,1,0,1,0,0,0,1,1,0, +1,1,1,2,3,2,3,3,0,1,2,2,3,1,0,1,0,2,1,2,2,0,1,1,0,0,1,1,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,0,0,3,3,2,2,1,0,0,3,2,3,2,0,0,0,1,1,3,0,0,1,1,0,0,2,1,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,1,1,2,2,3,3,1,0,1,3,2,3,1,1,1,0,1,1,1,1,1,3,1,0,0,2,2,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,1,1,1,2,2,2,1,0,1,2,3,3,2,0,0,0,2,1,1,1,2,1,1,1,0,1,1,1,0,0,0, +1,2,2,2,2,2,1,1,1,2,0,2,1,1,1,1,1,2,1,1,1,1,1,1,0,1,1,1,0,0,1,1, +3,2,2,1,0,0,1,1,2,2,0,3,0,1,2,1,1,0,0,1,1,1,0,1,1,1,1,0,2,1,1,1, +2,2,1,1,1,2,1,2,1,1,1,1,1,1,1,2,1,1,1,2,3,1,1,1,1,1,1,1,1,1,0,1, +2,3,3,0,1,0,0,0,3,3,1,0,0,1,2,2,1,0,0,0,0,2,0,0,1,1,1,0,2,1,1,1, +2,1,1,1,1,1,1,2,1,1,0,1,1,0,1,1,1,0,1,2,1,1,0,1,1,1,1,1,1,1,0,1, +2,3,3,0,1,0,0,0,2,2,0,0,0,0,1,2,2,0,0,0,0,1,0,0,1,1,0,0,2,0,1,0, +2,1,1,1,1,2,1,1,1,1,1,1,1,2,1,1,1,1,1,1,1,1,1,2,0,1,1,1,1,1,0,1, +3,2,2,0,1,0,1,0,2,3,2,0,0,1,2,2,1,0,0,1,1,1,0,0,2,1,0,1,2,2,1,1, +2,1,1,1,1,1,1,2,1,1,1,1,1,1,0,2,1,0,1,1,0,1,1,1,0,1,1,2,1,1,0,1, +2,2,2,0,0,1,0,0,2,2,1,1,0,0,2,1,1,0,0,0,1,2,0,0,2,1,0,0,2,1,1,1, +2,1,1,1,1,2,1,2,1,1,1,2,2,1,1,2,1,1,1,2,1,1,1,1,1,1,1,1,1,1,0,1, +1,2,3,0,0,0,1,0,3,2,1,0,0,1,2,1,1,0,0,0,0,2,1,0,1,1,0,0,2,1,2,1, +1,1,0,0,0,1,0,1,1,1,1,1,2,0,0,1,0,0,0,2,0,0,1,1,1,1,1,1,1,1,0,1, +3,0,0,2,1,2,2,1,0,0,2,1,2,2,0,0,0,2,1,1,1,0,1,1,0,0,1,1,2,0,0,0, +1,2,1,2,2,1,1,2,1,2,0,1,1,1,1,1,1,1,1,1,2,1,1,0,0,1,1,1,1,0,0,1, +1,3,2,0,0,0,1,0,2,2,2,0,0,0,2,2,1,0,0,0,0,3,1,1,1,1,0,0,2,1,1,1, +2,1,0,1,1,1,0,1,1,1,1,1,1,1,0,2,1,0,0,1,0,1,1,0,1,1,1,1,1,1,0,1, +2,3,2,0,0,0,1,0,2,2,0,0,0,0,2,1,1,0,0,0,0,2,1,0,1,1,0,0,2,1,1,0, +2,1,1,1,1,2,1,2,1,2,0,1,1,1,0,2,1,1,1,2,1,1,1,1,0,1,1,1,1,1,0,1, +3,1,1,2,2,2,3,2,1,1,2,2,1,1,0,1,0,2,2,1,1,1,1,1,0,0,1,1,0,1,1,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,2,2,0,0,0,0,0,2,2,0,0,0,0,2,2,1,0,0,0,1,1,0,0,1,2,0,0,2,1,1,1, +2,2,1,1,1,2,1,2,1,1,0,1,1,1,1,2,1,1,1,2,1,1,1,1,0,1,2,1,1,1,0,1, +1,0,0,1,2,3,2,1,0,0,2,0,1,1,0,0,0,1,1,1,1,0,1,1,0,0,1,0,0,0,0,0, +1,2,1,2,1,2,1,1,1,2,0,2,1,1,1,0,1,2,0,0,1,1,1,0,0,0,0,0,0,0,0,0, +2,3,2,0,0,0,0,0,1,1,2,1,0,0,1,1,1,0,0,0,0,2,0,0,1,1,0,0,2,1,1,1, +2,1,1,1,1,1,1,2,1,0,1,1,1,1,0,2,1,1,1,1,1,1,0,1,0,1,1,1,1,1,0,1, +1,2,2,0,1,1,1,0,2,2,2,0,0,0,3,2,1,0,0,0,1,1,0,0,1,1,0,1,1,1,0,0, +1,1,0,1,1,1,1,1,1,1,1,2,1,1,1,1,1,1,1,2,1,1,1,0,0,1,1,1,0,1,0,1, +2,1,0,2,1,1,2,2,1,1,2,1,1,1,0,0,0,1,1,0,1,1,1,1,0,0,1,1,1,0,0,0, +1,2,2,2,2,2,1,1,1,2,0,2,1,1,1,1,1,1,1,1,1,1,1,1,0,1,1,0,0,0,1,0, +1,2,3,0,0,0,1,0,2,2,0,0,0,0,2,2,0,0,0,0,0,1,0,0,1,0,0,0,2,0,1,0, +2,1,1,1,1,1,0,2,0,0,0,1,2,1,1,1,1,0,1,2,0,1,0,1,0,1,1,1,0,1,0,1, +2,2,2,0,0,0,1,0,2,1,2,0,0,0,1,1,2,0,0,0,0,1,0,0,1,1,0,0,2,1,0,1, +2,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,2,0,1,1,1,1,1,0,1, +1,2,2,0,0,0,1,0,2,2,2,0,0,0,1,1,0,0,0,0,0,1,1,0,2,0,0,1,1,1,0,1, +1,0,1,1,1,1,1,1,0,1,1,1,1,0,0,1,0,0,1,1,0,1,0,1,1,1,1,1,0,0,0,1, +1,0,0,1,0,1,2,1,0,0,1,1,1,2,0,0,0,1,1,0,1,0,1,1,0,0,1,0,0,0,0,0, +0,2,1,2,1,1,1,1,1,2,0,2,0,1,1,0,1,2,1,0,1,1,1,0,0,0,0,0,0,1,0,0, +2,1,1,0,1,2,0,0,1,1,1,0,0,0,1,1,0,0,0,0,0,1,0,0,1,0,0,0,2,1,0,1, +2,2,1,1,1,1,1,2,1,1,0,1,1,1,1,2,1,1,1,2,1,1,0,1,0,1,1,1,1,1,0,1, +1,2,2,0,0,0,0,0,1,1,0,0,0,0,2,1,0,0,0,0,0,2,0,0,2,2,0,0,2,0,0,1, +2,1,1,1,1,1,1,1,0,1,1,0,1,1,0,1,0,0,0,1,1,1,1,0,0,1,1,1,1,0,0,1, +1,1,2,0,0,3,1,0,2,1,1,1,0,0,1,1,1,0,0,0,1,1,0,0,0,1,0,0,1,0,1,0, +1,2,1,0,1,1,1,2,1,1,0,1,1,1,1,1,0,0,0,1,1,1,1,1,0,1,0,0,0,1,0,0, +2,1,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,1,0,1,0,0,0,1,0,0,0,0,2,0,0,0, +2,1,1,1,1,1,1,1,1,1,0,1,1,1,1,1,1,1,1,1,2,1,1,0,0,1,1,1,1,1,0,1, +2,1,1,1,2,1,1,1,0,1,1,2,1,0,0,0,0,1,1,1,1,0,1,0,0,0,0,1,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,1,0,1,1,1,1,1,0,0,1,1,2,1,0,0,0,1,1,0,0,0,1,1,0,0,1,0,1,0,0,0, +1,2,1,1,1,1,1,1,1,1,0,1,0,1,1,1,1,1,1,0,1,1,1,0,0,0,0,0,0,1,0,0, +2,0,0,0,1,1,1,1,0,0,1,1,0,0,0,0,0,1,1,1,2,0,0,1,0,0,1,0,1,0,0,0, +0,1,1,1,1,1,1,1,1,2,0,1,1,1,1,0,1,1,1,0,1,1,1,0,0,0,0,0,0,0,0,0, +1,0,0,1,1,1,1,1,0,0,2,1,0,1,0,0,0,1,0,1,0,0,0,0,0,0,1,0,0,0,0,0, +0,1,1,1,1,1,1,0,1,1,0,1,0,1,1,0,1,1,0,0,1,1,1,0,0,0,0,0,0,0,0,0, +1,0,0,1,1,1,0,0,0,0,1,0,2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, +0,1,1,1,1,1,0,0,1,1,0,1,0,1,0,0,1,1,1,0,1,1,1,0,0,0,0,0,0,0,0,0, +0,0,0,1,0,0,0,0,0,0,1,1,2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,1,1,1,0,1,0,0,1,1,0,1,0,1,1,0,1,1,1,0,1,1,1,0,0,0,0,0,0,0,0,0, +2,1,1,1,1,1,1,1,1,1,1,0,0,1,1,1,0,0,1,0,0,1,0,1,0,1,1,1,0,0,1,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,0,0,1,1,1,1,0,0,0,1,1,1,0,0,0,0,1,1,1,0,0,0,0,0,0,0,0,0,0,0,0, +0,1,1,1,1,1,1,0,1,1,0,1,0,1,0,0,1,1,0,0,1,1,0,0,0,0,0,0,0,0,0,0, +) + +Latin2HungarianModel = { + 'char_to_order_map': Latin2_HungarianCharToOrderMap, + 'precedence_matrix': HungarianLangModel, + 'typical_positive_ratio': 0.947368, + 'keep_english_letter': True, + 'charset_name': "ISO-8859-2", + 'language': 'Hungarian', +} + +Win1250HungarianModel = { + 'char_to_order_map': win1250HungarianCharToOrderMap, + 'precedence_matrix': HungarianLangModel, + 'typical_positive_ratio': 0.947368, + 'keep_english_letter': True, + 'charset_name': "windows-1250", + 'language': 'Hungarian', +} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langthaimodel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langthaimodel.py new file mode 100644 index 0000000..15f94c2 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langthaimodel.py @@ -0,0 +1,199 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +# 255: Control characters that usually does not exist in any text +# 254: Carriage/Return +# 253: symbol (punctuation) that does not belong to word +# 252: 0 - 9 + +# The following result for thai was collected from a limited sample (1M). + +# Character Mapping Table: +TIS620CharToOrderMap = ( +255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 +253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 +252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 +253,182,106,107,100,183,184,185,101, 94,186,187,108,109,110,111, # 40 +188,189,190, 89, 95,112,113,191,192,193,194,253,253,253,253,253, # 50 +253, 64, 72, 73,114, 74,115,116,102, 81,201,117, 90,103, 78, 82, # 60 + 96,202, 91, 79, 84,104,105, 97, 98, 92,203,253,253,253,253,253, # 70 +209,210,211,212,213, 88,214,215,216,217,218,219,220,118,221,222, +223,224, 99, 85, 83,225,226,227,228,229,230,231,232,233,234,235, +236, 5, 30,237, 24,238, 75, 8, 26, 52, 34, 51,119, 47, 58, 57, + 49, 53, 55, 43, 20, 19, 44, 14, 48, 3, 17, 25, 39, 62, 31, 54, + 45, 9, 16, 2, 61, 15,239, 12, 42, 46, 18, 21, 76, 4, 66, 63, + 22, 10, 1, 36, 23, 13, 40, 27, 32, 35, 86,240,241,242,243,244, + 11, 28, 41, 29, 33,245, 50, 37, 6, 7, 67, 77, 38, 93,246,247, + 68, 56, 59, 65, 69, 60, 70, 80, 71, 87,248,249,250,251,252,253, +) + +# Model Table: +# total sequences: 100% +# first 512 sequences: 92.6386% +# first 1024 sequences:7.3177% +# rest sequences: 1.0230% +# negative sequences: 0.0436% +ThaiLangModel = ( +0,1,3,3,3,3,0,0,3,3,0,3,3,0,3,3,3,3,3,3,3,3,0,0,3,3,3,0,3,3,3,3, +0,3,3,0,0,0,1,3,0,3,3,2,3,3,0,1,2,3,3,3,3,0,2,0,2,0,0,3,2,1,2,2, +3,0,3,3,2,3,0,0,3,3,0,3,3,0,3,3,3,3,3,3,3,3,3,0,3,2,3,0,2,2,2,3, +0,2,3,0,0,0,0,1,0,1,2,3,1,1,3,2,2,0,1,1,0,0,1,0,0,0,0,0,0,0,1,1, +3,3,3,2,3,3,3,3,3,3,3,3,3,3,3,2,2,2,2,2,2,2,3,3,2,3,2,3,3,2,2,2, +3,1,2,3,0,3,3,2,2,1,2,3,3,1,2,0,1,3,0,1,0,0,1,0,0,0,0,0,0,0,1,1, +3,3,2,2,3,3,3,3,1,2,3,3,3,3,3,2,2,2,2,3,3,2,2,3,3,2,2,3,2,3,2,2, +3,3,1,2,3,1,2,2,3,3,1,0,2,1,0,0,3,1,2,1,0,0,1,0,0,0,0,0,0,1,0,1, +3,3,3,3,3,3,2,2,3,3,3,3,2,3,2,2,3,3,2,2,3,2,2,2,2,1,1,3,1,2,1,1, +3,2,1,0,2,1,0,1,0,1,1,0,1,1,0,0,1,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0, +3,3,3,2,3,2,3,3,2,2,3,2,3,3,2,3,1,1,2,3,2,2,2,3,2,2,2,2,2,1,2,1, +2,2,1,1,3,3,2,1,0,1,2,2,0,1,3,0,0,0,1,1,0,0,0,0,0,2,3,0,0,2,1,1, +3,3,2,3,3,2,0,0,3,3,0,3,3,0,2,2,3,1,2,2,1,1,1,0,2,2,2,0,2,2,1,1, +0,2,1,0,2,0,0,2,0,1,0,0,1,0,0,0,1,1,1,1,0,0,0,0,0,0,0,0,0,0,1,0, +3,3,2,3,3,2,0,0,3,3,0,2,3,0,2,1,2,2,2,2,1,2,0,0,2,2,2,0,2,2,1,1, +0,2,1,0,2,0,0,2,0,1,1,0,1,0,0,0,0,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0, +3,3,2,3,2,3,2,0,2,2,1,3,2,1,3,2,1,2,3,2,2,3,0,2,3,2,2,1,2,2,2,2, +1,2,2,0,0,0,0,2,0,1,2,0,1,1,1,0,1,0,3,1,1,0,0,0,0,0,0,0,0,0,1,0, +3,3,2,3,3,2,3,2,2,2,3,2,2,3,2,2,1,2,3,2,2,3,1,3,2,2,2,3,2,2,2,3, +3,2,1,3,0,1,1,1,0,2,1,1,1,1,1,0,1,0,1,1,0,0,0,0,0,0,0,0,0,2,0,0, +1,0,0,3,0,3,3,3,3,3,0,0,3,0,2,2,3,3,3,3,3,0,0,0,1,1,3,0,0,0,0,2, +0,0,1,0,0,0,0,0,0,0,2,3,0,0,0,3,0,2,0,0,0,0,0,3,0,0,0,0,0,0,0,0, +2,0,3,3,3,3,0,0,2,3,0,0,3,0,3,3,2,3,3,3,3,3,0,0,3,3,3,0,0,0,3,3, +0,0,3,0,0,0,0,2,0,0,2,1,1,3,0,0,1,0,0,2,3,0,1,0,0,0,0,0,0,0,1,0, +3,3,3,3,2,3,3,3,3,3,3,3,1,2,1,3,3,2,2,1,2,2,2,3,1,1,2,0,2,1,2,1, +2,2,1,0,0,0,1,1,0,1,0,1,1,0,0,0,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0, +3,0,2,1,2,3,3,3,0,2,0,2,2,0,2,1,3,2,2,1,2,1,0,0,2,2,1,0,2,1,2,2, +0,1,1,0,0,0,0,1,0,1,1,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,2,1,3,3,1,1,3,0,2,3,1,1,3,2,1,1,2,0,2,2,3,2,1,1,1,1,1,2, +3,0,0,1,3,1,2,1,2,0,3,0,0,0,1,0,3,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0, +3,3,1,1,3,2,3,3,3,1,3,2,1,3,2,1,3,2,2,2,2,1,3,3,1,2,1,3,1,2,3,0, +2,1,1,3,2,2,2,1,2,1,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2, +3,3,2,3,2,3,3,2,3,2,3,2,3,3,2,1,0,3,2,2,2,1,2,2,2,1,2,2,1,2,1,1, +2,2,2,3,0,1,3,1,1,1,1,0,1,1,0,2,1,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,2,3,2,2,1,1,3,2,3,2,3,2,0,3,2,2,1,2,0,2,2,2,1,2,2,2,2,1, +3,2,1,2,2,1,0,2,0,1,0,0,1,1,0,0,0,0,0,1,1,0,1,0,0,0,0,0,0,0,0,1, +3,3,3,3,3,2,3,1,2,3,3,2,2,3,0,1,1,2,0,3,3,2,2,3,0,1,1,3,0,0,0,0, +3,1,0,3,3,0,2,0,2,1,0,0,3,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,2,3,2,3,3,0,1,3,1,1,2,1,2,1,1,3,1,1,0,2,3,1,1,1,1,1,1,1,1, +3,1,1,2,2,2,2,1,1,1,0,0,2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, +3,2,2,1,1,2,1,3,3,2,3,2,2,3,2,2,3,1,2,2,1,2,0,3,2,1,2,2,2,2,2,1, +3,2,1,2,2,2,1,1,1,1,0,0,1,1,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,1,3,3,0,2,1,0,3,2,0,0,3,1,0,1,1,0,1,0,0,0,0,0,1, +1,0,0,1,0,3,2,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,0,2,2,2,3,0,0,1,3,0,3,2,0,3,2,2,3,3,3,3,3,1,0,2,2,2,0,2,2,1,2, +0,2,3,0,0,0,0,1,0,1,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, +3,0,2,3,1,3,3,2,3,3,0,3,3,0,3,2,2,3,2,3,3,3,0,0,2,2,3,0,1,1,1,3, +0,0,3,0,0,0,2,2,0,1,3,0,1,2,2,2,3,0,0,0,0,0,1,0,0,0,0,0,0,0,0,1, +3,2,3,3,2,0,3,3,2,2,3,1,3,2,1,3,2,0,1,2,2,0,2,3,2,1,0,3,0,0,0,0, +3,0,0,2,3,1,3,0,0,3,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,1,3,2,2,2,1,2,0,1,3,1,1,3,1,3,0,0,2,1,1,1,1,2,1,1,1,0,2,1,0,1, +1,2,0,0,0,3,1,1,0,0,0,0,1,0,1,0,0,1,0,1,0,0,0,0,0,3,1,0,0,0,1,0, +3,3,3,3,2,2,2,2,2,1,3,1,1,1,2,0,1,1,2,1,2,1,3,2,0,0,3,1,1,1,1,1, +3,1,0,2,3,0,0,0,3,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,2,3,0,3,3,0,2,0,0,0,0,0,0,0,3,0,0,1,0,0,0,0,0,0,0,0,0,0,0, +0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,2,3,1,3,0,0,1,2,0,0,2,0,3,3,2,3,3,3,2,3,0,0,2,2,2,0,0,0,2,2, +0,0,1,0,0,0,0,3,0,0,0,0,2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, +0,0,0,3,0,2,0,0,0,0,0,0,0,0,0,0,1,2,3,1,3,3,0,0,1,0,3,0,0,0,0,0, +0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,1,2,3,1,2,3,1,0,3,0,2,2,1,0,2,1,1,2,0,1,0,0,1,1,1,1,0,1,0,0, +1,0,0,0,0,1,1,0,3,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,2,1,0,1,1,1,3,1,2,2,2,2,2,2,1,1,1,1,0,3,1,0,1,3,1,1,1,1, +1,1,0,2,0,1,3,1,1,0,0,1,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,2,0,1, +3,0,2,2,1,3,3,2,3,3,0,1,1,0,2,2,1,2,1,3,3,1,0,0,3,2,0,0,0,0,2,1, +0,1,0,0,0,0,1,2,0,1,1,3,1,1,2,2,1,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0, +0,0,3,0,0,1,0,0,0,3,0,0,3,0,3,1,0,1,1,1,3,2,0,0,0,3,0,0,0,0,2,0, +0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,2,0,0,0,0,0,0,0,0,0, +3,3,1,3,2,1,3,3,1,2,2,0,1,2,1,0,1,2,0,0,0,0,0,3,0,0,0,3,0,0,0,0, +3,0,0,1,1,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,0,1,2,0,3,3,3,2,2,0,1,1,0,1,3,0,0,0,2,2,0,0,0,0,3,1,0,1,0,0,0, +0,0,0,0,0,0,0,0,0,1,0,1,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,0,2,3,1,2,0,0,2,1,0,3,1,0,1,2,0,1,1,1,1,3,0,0,3,1,1,0,2,2,1,1, +0,2,0,0,0,0,0,1,0,1,0,0,1,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,0,0,3,1,2,0,0,2,2,0,1,2,0,1,0,1,3,1,2,1,0,0,0,2,0,3,0,0,0,1,0, +0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,0,1,1,2,2,0,0,0,2,0,2,1,0,1,1,0,1,1,1,2,1,0,0,1,1,1,0,2,1,1,1, +0,1,1,0,0,0,0,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,1,0,1, +0,0,0,2,0,1,3,1,1,1,1,0,0,0,0,3,2,0,1,0,0,0,1,2,0,0,0,1,0,0,0,0, +0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,3,3,3,3,1,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,0,2,3,2,2,0,0,0,1,0,0,0,0,2,3,2,1,2,2,3,0,0,0,2,3,1,0,0,0,1,1, +0,0,1,0,0,0,0,0,0,0,1,0,0,1,0,0,0,0,0,1,1,0,1,0,0,0,0,0,0,0,0,0, +3,3,2,2,0,1,0,0,0,0,2,0,2,0,1,0,0,0,1,1,0,0,0,2,1,0,1,0,1,1,0,0, +0,1,0,2,0,0,1,0,3,0,1,0,0,0,2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,1,0,0,1,0,0,0,0,0,1,1,2,0,0,0,0,1,0,0,1,3,1,0,0,0,0,1,1,0,0, +0,1,0,0,0,0,3,0,0,0,0,0,0,3,0,0,0,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0, +3,3,1,1,1,1,2,3,0,0,2,1,1,1,1,1,0,2,1,1,0,0,0,2,1,0,1,2,1,1,0,1, +2,1,0,3,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,3,1,0,0,0,0,0,0,0,3,0,0,0,3,0,0,0,0,0,0,0,0,1,1,0,0,0,0,0,0,1, +0,0,0,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,2,0,0,0,0,0,0,1,2,1,0,1,1,0,2,0,0,1,0,0,2,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,2,0,0,0,1,3,0,1,0,0,0,2,0,0,0,0,0,0,0,1,2,0,0,0,0,0, +3,3,0,0,1,1,2,0,0,1,2,1,0,1,1,1,0,1,1,0,0,2,1,1,0,1,0,0,1,1,1,0, +0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,3,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,2,2,1,0,0,0,0,1,0,0,0,0,3,0,0,0,0,0,0,0,0,0,3,0,0,0,0,0,0,0,0, +2,0,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,3,0,0,1,1,0,0,0,2,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +1,1,0,1,2,0,1,2,0,0,1,1,0,2,0,1,0,0,1,0,0,0,0,1,0,0,0,2,0,0,0,0, +1,0,0,1,0,1,1,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,1,0,0,0,0,0,0,0,1,1,0,1,1,0,2,1,3,0,0,0,0,1,1,0,0,0,0,0,0,0,3, +1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,0,1,0,1,0,0,2,0,0,2,0,0,1,1,2,0,0,1,1,0,0,0,1,0,0,0,1,1,0,0,0, +1,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, +1,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,1, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,1,1,0,0,0, +2,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,3,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,0,0,0,0,2,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,1,0,1,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,1,3,0,0,0, +2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,1,0,0,0,0, +1,0,0,0,0,0,0,0,0,1,0,0,0,0,2,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,1,1,0,0,2,1,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +) + +TIS620ThaiModel = { + 'char_to_order_map': TIS620CharToOrderMap, + 'precedence_matrix': ThaiLangModel, + 'typical_positive_ratio': 0.926386, + 'keep_english_letter': False, + 'charset_name': "TIS-620", + 'language': 'Thai', +} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langturkishmodel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langturkishmodel.py new file mode 100644 index 0000000..a427a45 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langturkishmodel.py @@ -0,0 +1,193 @@ +# -*- coding: utf-8 -*- +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Communicator client code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# Özgür Baskın - Turkish Language Model +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +# 255: Control characters that usually does not exist in any text +# 254: Carriage/Return +# 253: symbol (punctuation) that does not belong to word +# 252: 0 - 9 + +# Character Mapping Table: +Latin5_TurkishCharToOrderMap = ( +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, +255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, +255, 23, 37, 47, 39, 29, 52, 36, 45, 53, 60, 16, 49, 20, 46, 42, + 48, 69, 44, 35, 31, 51, 38, 62, 65, 43, 56,255,255,255,255,255, +255, 1, 21, 28, 12, 2, 18, 27, 25, 3, 24, 10, 5, 13, 4, 15, + 26, 64, 7, 8, 9, 14, 32, 57, 58, 11, 22,255,255,255,255,255, +180,179,178,177,176,175,174,173,172,171,170,169,168,167,166,165, +164,163,162,161,160,159,101,158,157,156,155,154,153,152,151,106, +150,149,148,147,146,145,144,100,143,142,141,140,139,138,137,136, + 94, 80, 93,135,105,134,133, 63,132,131,130,129,128,127,126,125, +124,104, 73, 99, 79, 85,123, 54,122, 98, 92,121,120, 91,103,119, + 68,118,117, 97,116,115, 50, 90,114,113,112,111, 55, 41, 40, 86, + 89, 70, 59, 78, 71, 82, 88, 33, 77, 66, 84, 83,110, 75, 61, 96, + 30, 67,109, 74, 87,102, 34, 95, 81,108, 76, 72, 17, 6, 19,107, +) + +TurkishLangModel = ( +3,2,3,3,3,1,3,3,3,3,3,3,3,3,2,1,1,3,3,1,3,3,0,3,3,3,3,3,0,3,1,3, +3,2,1,0,0,1,1,0,0,0,1,0,0,1,1,1,1,0,0,0,0,0,0,0,2,2,0,0,1,0,0,1, +3,2,2,3,3,0,3,3,3,3,3,3,3,2,3,1,0,3,3,1,3,3,0,3,3,3,3,3,0,3,0,3, +3,1,1,0,1,0,1,0,0,0,0,0,0,1,1,1,1,0,0,0,0,0,0,0,2,2,0,0,0,1,0,1, +3,3,2,3,3,0,3,3,3,3,3,3,3,2,3,1,1,3,3,0,3,3,1,2,3,3,3,3,0,3,0,3, +3,1,1,0,0,0,1,0,0,0,0,1,1,0,1,2,1,0,0,0,1,0,0,0,0,2,0,0,0,0,0,1, +3,3,3,3,3,3,2,3,3,3,3,3,3,3,3,1,3,3,2,0,3,2,1,2,2,1,3,3,0,0,0,2, +2,2,0,1,0,0,1,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,1,0,1,0,0,1, +3,3,3,2,3,3,1,2,3,3,3,3,3,3,3,1,3,2,1,0,3,2,0,1,2,3,3,2,1,0,0,2, +2,1,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,2,0,2,0,0,0, +1,0,1,3,3,1,3,3,3,3,3,3,3,1,2,0,0,2,3,0,2,3,0,0,2,2,2,3,0,3,0,1, +2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,0,3,3,3,0,3,2,0,2,3,2,3,3,1,0,0,2, +3,2,0,0,1,0,0,0,0,0,0,2,0,0,1,0,0,0,0,0,0,0,0,0,1,1,1,0,2,0,0,1, +3,3,3,2,3,3,2,3,3,3,3,2,3,3,3,0,3,3,0,0,2,1,0,0,2,3,2,2,0,0,0,2, +2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,1,0,0,0,1,0,1,0,2,0,0,1, +3,3,3,2,3,3,3,3,3,3,3,2,3,3,3,0,3,2,0,1,3,2,1,1,3,2,3,2,1,0,0,2, +2,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,0,0,0,0,0, +3,3,3,2,3,3,3,3,3,3,3,2,3,3,3,0,3,2,2,0,2,3,0,0,2,2,2,2,0,0,0,2, +3,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,2,0,1,0,0,0, +3,3,3,3,3,3,3,2,2,2,2,3,2,3,3,0,3,3,1,1,2,2,0,0,2,2,3,2,0,0,1,3, +0,3,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,0,0,0,0,1, +3,3,3,2,3,3,3,2,1,2,2,3,2,3,3,0,3,2,0,0,1,1,0,1,1,2,1,2,0,0,0,1, +0,3,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,0,1,0,0,0, +3,3,3,2,3,3,2,3,2,2,2,3,3,3,3,1,3,1,1,0,3,2,1,1,3,3,2,3,1,0,0,1, +1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,2,0,0,1, +3,2,2,3,3,0,3,3,3,3,3,3,3,2,2,1,0,3,3,1,3,3,0,1,3,3,2,3,0,3,0,3, +2,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0, +2,2,2,3,3,0,3,3,3,3,3,3,3,3,3,0,0,3,2,0,3,3,0,3,2,3,3,3,0,3,1,3, +2,0,0,0,0,0,0,0,0,0,0,1,0,1,2,0,1,0,0,0,0,0,0,0,2,2,0,0,1,0,0,1, +3,3,3,1,2,3,3,1,0,0,1,0,0,3,3,2,3,0,0,2,0,0,2,0,2,0,0,0,2,0,2,0, +0,3,1,0,1,0,0,0,2,2,1,0,1,1,2,1,2,2,2,0,2,1,1,0,0,0,2,0,0,0,0,0, +1,2,1,3,3,0,3,3,3,3,3,2,3,0,0,0,0,2,3,0,2,3,1,0,2,3,1,3,0,3,0,2, +3,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,1,3,3,2,2,3,2,2,0,1,2,3,0,1,2,1,0,1,0,0,0,1,0,2,2,0,0,0,1, +1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,1,1,0,0,1,0,0,0, +3,3,3,1,3,3,1,1,3,3,1,1,3,3,1,0,2,1,2,0,2,1,0,0,1,1,2,1,0,0,0,2, +2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,1,0,2,1,3,0,0,2,0,0,3,3,0,3,0,0,1,0,1,2,0,0,1,1,2,2,0,1,0, +0,1,2,1,1,0,1,0,1,1,1,1,1,0,1,1,1,2,2,1,2,0,1,0,0,0,0,0,0,1,0,0, +3,3,3,2,3,2,3,3,0,2,2,2,3,3,3,0,3,0,0,0,2,2,0,1,2,1,1,1,0,0,0,1, +0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0, +3,3,3,3,3,3,2,1,2,2,3,3,3,3,2,0,2,0,0,0,2,2,0,0,2,1,3,3,0,0,1,1, +1,1,0,0,1,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,0,0,0, +1,1,2,3,3,0,3,3,3,3,3,3,2,2,0,2,0,2,3,2,3,2,2,2,2,2,2,2,1,3,2,3, +2,0,2,1,2,2,2,2,1,1,2,2,1,2,2,1,2,0,0,2,1,1,0,2,1,0,0,1,0,0,0,1, +2,3,3,1,1,1,0,1,1,1,2,3,2,1,1,0,0,0,0,0,0,0,0,0,0,1,0,1,0,0,0,0, +0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,2,2,2,3,2,3,2,2,1,3,3,3,0,2,1,2,0,2,1,0,0,1,1,1,1,1,0,0,1, +2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,1,0,2,0,1,0,0,0, +3,3,3,2,3,3,3,3,3,2,3,1,2,3,3,1,2,0,0,0,0,0,0,0,3,2,1,1,0,0,0,0, +2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0, +3,3,3,2,2,3,3,2,1,1,1,1,1,3,3,0,3,1,0,0,1,1,0,0,3,1,2,1,0,0,0,0, +0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0, +3,3,3,2,2,3,2,2,2,3,2,1,1,3,3,0,3,0,0,0,0,1,0,0,3,1,1,2,0,0,0,1, +1,0,0,1,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, +1,1,1,3,3,0,3,3,3,3,3,2,2,2,1,2,0,2,1,2,2,1,1,0,1,2,2,2,2,2,2,2, +0,0,2,1,2,1,2,1,0,1,1,3,1,2,1,1,2,0,0,2,0,1,0,1,0,1,0,0,0,1,0,1, +3,3,3,1,3,3,3,0,1,1,0,2,2,3,1,0,3,0,0,0,1,0,0,0,1,0,0,1,0,1,0,0, +1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,2,0,0,2,2,1,0,0,1,0,0,3,3,1,3,0,0,1,1,0,2,0,3,0,0,0,2,0,1,1, +0,1,2,0,1,2,2,0,2,2,2,2,1,0,2,1,1,0,2,0,2,1,2,0,0,0,0,0,0,0,0,0, +3,3,3,1,3,2,3,2,0,2,2,2,1,3,2,0,2,1,2,0,1,2,0,0,1,0,2,2,0,0,0,2, +1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,1,0,1,0,0,0, +3,3,3,0,3,3,1,1,2,3,1,0,3,2,3,0,3,0,0,0,1,0,0,0,1,0,1,0,0,0,0,0, +1,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,3,3,0,3,3,2,3,3,2,2,0,0,0,0,1,2,0,1,3,0,0,0,3,1,1,0,3,0,2, +2,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,1,2,2,1,0,3,1,1,1,1,3,3,2,3,0,0,1,0,1,2,0,2,2,0,2,2,0,2,1, +0,2,2,1,1,1,1,0,2,1,1,0,1,1,1,1,2,1,2,1,2,0,1,0,1,0,0,0,0,0,0,0, +3,3,3,0,1,1,3,0,0,1,1,0,0,2,2,0,3,0,0,1,1,0,1,0,0,0,0,0,2,0,0,0, +0,3,1,0,1,0,1,0,2,0,0,1,0,1,0,1,1,1,2,1,1,0,2,0,0,0,0,0,0,0,0,0, +3,3,3,0,2,0,2,0,1,1,1,0,0,3,3,0,2,0,0,1,0,0,2,1,1,0,1,0,1,0,1,0, +0,2,0,1,2,0,2,0,2,1,1,0,1,0,2,1,1,0,2,1,1,0,1,0,0,0,1,1,0,0,0,0, +3,2,3,0,1,0,0,0,0,0,0,0,0,1,2,0,1,0,0,1,0,0,1,0,0,0,0,0,2,0,0,0, +0,0,1,1,0,0,1,0,1,0,0,1,0,0,0,2,1,0,1,0,2,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,0,0,2,3,0,0,1,0,1,0,2,3,2,3,0,0,1,3,0,2,1,0,0,0,0,2,0,1,0, +0,2,1,0,0,1,1,0,2,1,0,0,1,0,0,1,1,0,1,1,2,0,1,0,0,0,0,1,0,0,0,0, +3,2,2,0,0,1,1,0,0,0,0,0,0,3,1,1,1,0,0,0,0,0,1,0,0,0,0,0,2,0,1,0, +0,1,0,0,0,0,0,0,1,0,0,0,0,0,0,0,1,0,0,0,1,0,1,0,0,0,0,0,0,0,0,0, +0,0,0,3,3,0,2,3,2,2,1,2,2,1,1,2,0,1,3,2,2,2,0,0,2,2,0,0,0,1,2,1, +3,0,2,1,1,0,1,1,1,0,1,2,2,2,1,1,2,0,0,0,0,1,0,1,1,0,0,0,0,0,0,0, +0,1,1,2,3,0,3,3,3,2,2,2,2,1,0,1,0,1,0,1,2,2,0,0,2,2,1,3,1,1,2,1, +0,0,1,1,2,0,1,1,0,0,1,2,0,2,1,1,2,0,0,1,0,0,0,1,0,1,0,1,0,0,0,0, +3,3,2,0,0,3,1,0,0,0,0,0,0,3,2,1,2,0,0,1,0,0,2,0,0,0,0,0,2,0,1,0, +0,2,1,1,0,0,1,0,1,2,0,0,1,1,0,0,2,1,1,1,1,0,2,0,0,0,0,0,0,0,0,0, +3,3,2,0,0,1,0,0,0,0,1,0,0,3,3,2,2,0,0,1,0,0,2,0,1,0,0,0,2,0,1,0, +0,0,1,1,0,0,2,0,2,1,0,0,1,1,2,1,2,0,2,1,2,1,1,1,0,0,1,1,0,0,0,0, +3,3,2,0,0,2,2,0,0,0,1,1,0,2,2,1,3,1,0,1,0,1,2,0,0,0,0,0,1,0,1,0, +0,1,1,0,0,0,0,0,1,0,0,1,0,0,0,1,1,0,1,0,1,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,2,0,0,0,1,0,0,1,0,0,2,3,1,2,0,0,1,0,0,2,0,0,0,1,0,2,0,2,0, +0,1,1,2,2,1,2,0,2,1,1,0,0,1,1,0,1,1,1,1,2,1,1,0,0,0,0,0,0,0,0,0, +3,3,3,0,2,1,2,1,0,0,1,1,0,3,3,1,2,0,0,1,0,0,2,0,2,0,1,1,2,0,0,0, +0,0,1,1,1,1,2,0,1,1,0,1,1,1,1,0,0,0,1,1,1,0,1,0,0,0,1,0,0,0,0,0, +3,3,3,0,2,2,3,2,0,0,1,0,0,2,3,1,0,0,0,0,0,0,2,0,2,0,0,0,2,0,0,0, +0,1,1,0,0,0,1,0,0,1,0,1,1,0,1,0,1,1,1,0,1,0,0,0,0,0,0,0,0,0,0,0, +3,2,3,0,0,0,0,0,0,0,1,0,0,2,2,2,2,0,0,1,0,0,2,0,0,0,0,0,2,0,1,0, +0,0,2,1,1,0,1,0,2,1,1,0,0,1,1,2,1,0,2,0,2,0,1,0,0,0,2,0,0,0,0,0, +0,0,0,2,2,0,2,1,1,1,1,2,2,0,0,1,0,1,0,0,1,3,0,0,0,0,1,0,0,2,1,0, +0,0,1,0,1,0,0,0,0,0,2,1,0,1,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0, +2,0,0,2,3,0,2,3,1,2,2,0,2,0,0,2,0,2,1,1,1,2,1,0,0,1,2,1,1,2,1,0, +1,0,2,0,1,0,1,1,0,0,2,2,1,2,1,1,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0, +3,3,3,0,2,1,2,0,0,0,1,0,0,3,2,0,1,0,0,1,0,0,2,0,0,0,1,2,1,0,1,0, +0,0,0,0,1,0,1,0,0,1,0,0,0,0,1,0,1,0,1,1,1,0,1,0,0,0,0,0,0,0,0,0, +0,0,0,2,2,0,2,2,1,1,0,1,1,1,1,1,0,0,1,2,1,1,1,0,1,0,0,0,1,1,1,1, +0,0,2,1,0,1,1,1,0,1,1,2,1,2,1,1,2,0,1,1,2,1,0,2,0,0,0,0,0,0,0,0, +3,2,2,0,0,2,0,0,0,0,0,0,0,2,2,0,2,0,0,1,0,0,2,0,0,0,0,0,2,0,0,0, +0,2,1,0,0,0,0,0,1,0,0,0,0,0,0,0,1,0,0,0,1,0,1,0,0,0,0,0,0,0,0,0, +0,0,0,3,2,0,2,2,0,1,1,0,1,0,0,1,0,0,0,1,0,1,0,0,0,0,0,1,0,0,0,0, +2,0,1,0,1,0,1,1,0,0,1,2,0,1,0,1,1,0,0,1,0,1,0,2,0,0,0,0,0,0,0,0, +2,2,2,0,1,1,0,0,0,1,0,0,0,1,2,0,1,0,0,1,0,0,1,0,0,0,0,1,2,0,1,0, +0,0,1,0,0,0,1,0,0,1,0,0,0,0,0,0,1,0,1,0,2,0,0,0,0,0,0,0,0,0,0,0, +2,2,2,2,1,0,1,1,1,0,0,0,0,1,2,0,0,1,0,0,0,1,0,0,1,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0, +1,1,2,0,1,0,0,0,1,0,1,0,0,0,1,0,0,1,0,0,0,0,0,0,0,1,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,2,0,0,0,0,0,1, +0,0,1,2,2,0,2,1,2,1,1,2,2,0,0,0,0,1,0,0,1,1,0,0,2,0,0,0,0,1,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0, +2,2,2,0,0,0,1,0,0,0,0,0,0,2,2,1,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0, +0,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,1,1,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,1,1,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +2,2,2,0,1,0,1,0,0,0,0,0,0,1,1,0,0,0,0,0,0,0,1,0,1,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,1,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,1,0,0,0,0,0,0,0,0,0,0,2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, +) + +Latin5TurkishModel = { + 'char_to_order_map': Latin5_TurkishCharToOrderMap, + 'precedence_matrix': TurkishLangModel, + 'typical_positive_ratio': 0.970290, + 'keep_english_letter': True, + 'charset_name': "ISO-8859-9", + 'language': 'Turkish', +} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/latin1prober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/latin1prober.py new file mode 100644 index 0000000..7d1e8c2 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/latin1prober.py @@ -0,0 +1,145 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Universal charset detector code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 2001 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# Shy Shalom - original C code +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .charsetprober import CharSetProber +from .enums import ProbingState + +FREQ_CAT_NUM = 4 + +UDF = 0 # undefined +OTH = 1 # other +ASC = 2 # ascii capital letter +ASS = 3 # ascii small letter +ACV = 4 # accent capital vowel +ACO = 5 # accent capital other +ASV = 6 # accent small vowel +ASO = 7 # accent small other +CLASS_NUM = 8 # total classes + +Latin1_CharToClass = ( + OTH, OTH, OTH, OTH, OTH, OTH, OTH, OTH, # 00 - 07 + OTH, OTH, OTH, OTH, OTH, OTH, OTH, OTH, # 08 - 0F + OTH, OTH, OTH, OTH, OTH, OTH, OTH, OTH, # 10 - 17 + OTH, OTH, OTH, OTH, OTH, OTH, OTH, OTH, # 18 - 1F + OTH, OTH, OTH, OTH, OTH, OTH, OTH, OTH, # 20 - 27 + OTH, OTH, OTH, OTH, OTH, OTH, OTH, OTH, # 28 - 2F + OTH, OTH, OTH, OTH, OTH, OTH, OTH, OTH, # 30 - 37 + OTH, OTH, OTH, OTH, OTH, OTH, OTH, OTH, # 38 - 3F + OTH, ASC, ASC, ASC, ASC, ASC, ASC, ASC, # 40 - 47 + ASC, ASC, ASC, ASC, ASC, ASC, ASC, ASC, # 48 - 4F + ASC, ASC, ASC, ASC, ASC, ASC, ASC, ASC, # 50 - 57 + ASC, ASC, ASC, OTH, OTH, OTH, OTH, OTH, # 58 - 5F + OTH, ASS, ASS, ASS, ASS, ASS, ASS, ASS, # 60 - 67 + ASS, ASS, ASS, ASS, ASS, ASS, ASS, ASS, # 68 - 6F + ASS, ASS, ASS, ASS, ASS, ASS, ASS, ASS, # 70 - 77 + ASS, ASS, ASS, OTH, OTH, OTH, OTH, OTH, # 78 - 7F + OTH, UDF, OTH, ASO, OTH, OTH, OTH, OTH, # 80 - 87 + OTH, OTH, ACO, OTH, ACO, UDF, ACO, UDF, # 88 - 8F + UDF, OTH, OTH, OTH, OTH, OTH, OTH, OTH, # 90 - 97 + OTH, OTH, ASO, OTH, ASO, UDF, ASO, ACO, # 98 - 9F + OTH, OTH, OTH, OTH, OTH, OTH, OTH, OTH, # A0 - A7 + OTH, OTH, OTH, OTH, OTH, OTH, OTH, OTH, # A8 - AF + OTH, OTH, OTH, OTH, OTH, OTH, OTH, OTH, # B0 - B7 + OTH, OTH, OTH, OTH, OTH, OTH, OTH, OTH, # B8 - BF + ACV, ACV, ACV, ACV, ACV, ACV, ACO, ACO, # C0 - C7 + ACV, ACV, ACV, ACV, ACV, ACV, ACV, ACV, # C8 - CF + ACO, ACO, ACV, ACV, ACV, ACV, ACV, OTH, # D0 - D7 + ACV, ACV, ACV, ACV, ACV, ACO, ACO, ACO, # D8 - DF + ASV, ASV, ASV, ASV, ASV, ASV, ASO, ASO, # E0 - E7 + ASV, ASV, ASV, ASV, ASV, ASV, ASV, ASV, # E8 - EF + ASO, ASO, ASV, ASV, ASV, ASV, ASV, OTH, # F0 - F7 + ASV, ASV, ASV, ASV, ASV, ASO, ASO, ASO, # F8 - FF +) + +# 0 : illegal +# 1 : very unlikely +# 2 : normal +# 3 : very likely +Latin1ClassModel = ( +# UDF OTH ASC ASS ACV ACO ASV ASO + 0, 0, 0, 0, 0, 0, 0, 0, # UDF + 0, 3, 3, 3, 3, 3, 3, 3, # OTH + 0, 3, 3, 3, 3, 3, 3, 3, # ASC + 0, 3, 3, 3, 1, 1, 3, 3, # ASS + 0, 3, 3, 3, 1, 2, 1, 2, # ACV + 0, 3, 3, 3, 3, 3, 3, 3, # ACO + 0, 3, 1, 3, 1, 1, 1, 3, # ASV + 0, 3, 1, 3, 1, 1, 3, 3, # ASO +) + + +class Latin1Prober(CharSetProber): + def __init__(self): + super(Latin1Prober, self).__init__() + self._last_char_class = None + self._freq_counter = None + self.reset() + + def reset(self): + self._last_char_class = OTH + self._freq_counter = [0] * FREQ_CAT_NUM + CharSetProber.reset(self) + + @property + def charset_name(self): + return "ISO-8859-1" + + @property + def language(self): + return "" + + def feed(self, byte_str): + byte_str = self.filter_with_english_letters(byte_str) + for c in byte_str: + char_class = Latin1_CharToClass[c] + freq = Latin1ClassModel[(self._last_char_class * CLASS_NUM) + + char_class] + if freq == 0: + self._state = ProbingState.NOT_ME + break + self._freq_counter[freq] += 1 + self._last_char_class = char_class + + return self.state + + def get_confidence(self): + if self.state == ProbingState.NOT_ME: + return 0.01 + + total = sum(self._freq_counter) + if total < 0.01: + confidence = 0.0 + else: + confidence = ((self._freq_counter[3] - self._freq_counter[1] * 20.0) + / total) + if confidence < 0.0: + confidence = 0.0 + # lower the confidence of latin1 so that other more accurate + # detector can take priority. + confidence = confidence * 0.73 + return confidence diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcharsetprober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcharsetprober.py new file mode 100644 index 0000000..6256ecf --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcharsetprober.py @@ -0,0 +1,91 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Universal charset detector code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 2001 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# Shy Shalom - original C code +# Proofpoint, Inc. +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .charsetprober import CharSetProber +from .enums import ProbingState, MachineState + + +class MultiByteCharSetProber(CharSetProber): + """ + MultiByteCharSetProber + """ + + def __init__(self, lang_filter=None): + super(MultiByteCharSetProber, self).__init__(lang_filter=lang_filter) + self.distribution_analyzer = None + self.coding_sm = None + self._last_char = [0, 0] + + def reset(self): + super(MultiByteCharSetProber, self).reset() + if self.coding_sm: + self.coding_sm.reset() + if self.distribution_analyzer: + self.distribution_analyzer.reset() + self._last_char = [0, 0] + + @property + def charset_name(self): + raise NotImplementedError + + @property + def language(self): + raise NotImplementedError + + def feed(self, byte_str): + for i in range(len(byte_str)): + coding_state = self.coding_sm.next_state(byte_str[i]) + if coding_state == MachineState.ERROR: + self.logger.debug('%s %s prober hit error at byte %s', + self.charset_name, self.language, i) + self._state = ProbingState.NOT_ME + break + elif coding_state == MachineState.ITS_ME: + self._state = ProbingState.FOUND_IT + break + elif coding_state == MachineState.START: + char_len = self.coding_sm.get_current_charlen() + if i == 0: + self._last_char[1] = byte_str[0] + self.distribution_analyzer.feed(self._last_char, char_len) + else: + self.distribution_analyzer.feed(byte_str[i - 1:i + 1], + char_len) + + self._last_char[0] = byte_str[-1] + + if self.state == ProbingState.DETECTING: + if (self.distribution_analyzer.got_enough_data() and + (self.get_confidence() > self.SHORTCUT_THRESHOLD)): + self._state = ProbingState.FOUND_IT + + return self.state + + def get_confidence(self): + return self.distribution_analyzer.get_confidence() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcsgroupprober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcsgroupprober.py new file mode 100644 index 0000000..530abe7 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcsgroupprober.py @@ -0,0 +1,54 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Universal charset detector code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 2001 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# Shy Shalom - original C code +# Proofpoint, Inc. +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .charsetgroupprober import CharSetGroupProber +from .utf8prober import UTF8Prober +from .sjisprober import SJISProber +from .eucjpprober import EUCJPProber +from .gb2312prober import GB2312Prober +from .euckrprober import EUCKRProber +from .cp949prober import CP949Prober +from .big5prober import Big5Prober +from .euctwprober import EUCTWProber + + +class MBCSGroupProber(CharSetGroupProber): + def __init__(self, lang_filter=None): + super(MBCSGroupProber, self).__init__(lang_filter=lang_filter) + self.probers = [ + UTF8Prober(), + SJISProber(), + EUCJPProber(), + GB2312Prober(), + EUCKRProber(), + CP949Prober(), + Big5Prober(), + EUCTWProber() + ] + self.reset() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcssm.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcssm.py new file mode 100644 index 0000000..8360d0f --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcssm.py @@ -0,0 +1,572 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is mozilla.org code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .enums import MachineState + +# BIG5 + +BIG5_CLS = ( + 1,1,1,1,1,1,1,1, # 00 - 07 #allow 0x00 as legal value + 1,1,1,1,1,1,0,0, # 08 - 0f + 1,1,1,1,1,1,1,1, # 10 - 17 + 1,1,1,0,1,1,1,1, # 18 - 1f + 1,1,1,1,1,1,1,1, # 20 - 27 + 1,1,1,1,1,1,1,1, # 28 - 2f + 1,1,1,1,1,1,1,1, # 30 - 37 + 1,1,1,1,1,1,1,1, # 38 - 3f + 2,2,2,2,2,2,2,2, # 40 - 47 + 2,2,2,2,2,2,2,2, # 48 - 4f + 2,2,2,2,2,2,2,2, # 50 - 57 + 2,2,2,2,2,2,2,2, # 58 - 5f + 2,2,2,2,2,2,2,2, # 60 - 67 + 2,2,2,2,2,2,2,2, # 68 - 6f + 2,2,2,2,2,2,2,2, # 70 - 77 + 2,2,2,2,2,2,2,1, # 78 - 7f + 4,4,4,4,4,4,4,4, # 80 - 87 + 4,4,4,4,4,4,4,4, # 88 - 8f + 4,4,4,4,4,4,4,4, # 90 - 97 + 4,4,4,4,4,4,4,4, # 98 - 9f + 4,3,3,3,3,3,3,3, # a0 - a7 + 3,3,3,3,3,3,3,3, # a8 - af + 3,3,3,3,3,3,3,3, # b0 - b7 + 3,3,3,3,3,3,3,3, # b8 - bf + 3,3,3,3,3,3,3,3, # c0 - c7 + 3,3,3,3,3,3,3,3, # c8 - cf + 3,3,3,3,3,3,3,3, # d0 - d7 + 3,3,3,3,3,3,3,3, # d8 - df + 3,3,3,3,3,3,3,3, # e0 - e7 + 3,3,3,3,3,3,3,3, # e8 - ef + 3,3,3,3,3,3,3,3, # f0 - f7 + 3,3,3,3,3,3,3,0 # f8 - ff +) + +BIG5_ST = ( + MachineState.ERROR,MachineState.START,MachineState.START, 3,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#00-07 + MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ERROR,#08-0f + MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START#10-17 +) + +BIG5_CHAR_LEN_TABLE = (0, 1, 1, 2, 0) + +BIG5_SM_MODEL = {'class_table': BIG5_CLS, + 'class_factor': 5, + 'state_table': BIG5_ST, + 'char_len_table': BIG5_CHAR_LEN_TABLE, + 'name': 'Big5'} + +# CP949 + +CP949_CLS = ( + 1,1,1,1,1,1,1,1, 1,1,1,1,1,1,0,0, # 00 - 0f + 1,1,1,1,1,1,1,1, 1,1,1,0,1,1,1,1, # 10 - 1f + 1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1, # 20 - 2f + 1,1,1,1,1,1,1,1, 1,1,1,1,1,1,1,1, # 30 - 3f + 1,4,4,4,4,4,4,4, 4,4,4,4,4,4,4,4, # 40 - 4f + 4,4,5,5,5,5,5,5, 5,5,5,1,1,1,1,1, # 50 - 5f + 1,5,5,5,5,5,5,5, 5,5,5,5,5,5,5,5, # 60 - 6f + 5,5,5,5,5,5,5,5, 5,5,5,1,1,1,1,1, # 70 - 7f + 0,6,6,6,6,6,6,6, 6,6,6,6,6,6,6,6, # 80 - 8f + 6,6,6,6,6,6,6,6, 6,6,6,6,6,6,6,6, # 90 - 9f + 6,7,7,7,7,7,7,7, 7,7,7,7,7,8,8,8, # a0 - af + 7,7,7,7,7,7,7,7, 7,7,7,7,7,7,7,7, # b0 - bf + 7,7,7,7,7,7,9,2, 2,3,2,2,2,2,2,2, # c0 - cf + 2,2,2,2,2,2,2,2, 2,2,2,2,2,2,2,2, # d0 - df + 2,2,2,2,2,2,2,2, 2,2,2,2,2,2,2,2, # e0 - ef + 2,2,2,2,2,2,2,2, 2,2,2,2,2,2,2,0, # f0 - ff +) + +CP949_ST = ( +#cls= 0 1 2 3 4 5 6 7 8 9 # previous state = + MachineState.ERROR,MachineState.START, 3,MachineState.ERROR,MachineState.START,MachineState.START, 4, 5,MachineState.ERROR, 6, # MachineState.START + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR, # MachineState.ERROR + MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME, # MachineState.ITS_ME + MachineState.ERROR,MachineState.ERROR,MachineState.START,MachineState.START,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START, # 3 + MachineState.ERROR,MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START, # 4 + MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START, # 5 + MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.ERROR,MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START, # 6 +) + +CP949_CHAR_LEN_TABLE = (0, 1, 2, 0, 1, 1, 2, 2, 0, 2) + +CP949_SM_MODEL = {'class_table': CP949_CLS, + 'class_factor': 10, + 'state_table': CP949_ST, + 'char_len_table': CP949_CHAR_LEN_TABLE, + 'name': 'CP949'} + +# EUC-JP + +EUCJP_CLS = ( + 4,4,4,4,4,4,4,4, # 00 - 07 + 4,4,4,4,4,4,5,5, # 08 - 0f + 4,4,4,4,4,4,4,4, # 10 - 17 + 4,4,4,5,4,4,4,4, # 18 - 1f + 4,4,4,4,4,4,4,4, # 20 - 27 + 4,4,4,4,4,4,4,4, # 28 - 2f + 4,4,4,4,4,4,4,4, # 30 - 37 + 4,4,4,4,4,4,4,4, # 38 - 3f + 4,4,4,4,4,4,4,4, # 40 - 47 + 4,4,4,4,4,4,4,4, # 48 - 4f + 4,4,4,4,4,4,4,4, # 50 - 57 + 4,4,4,4,4,4,4,4, # 58 - 5f + 4,4,4,4,4,4,4,4, # 60 - 67 + 4,4,4,4,4,4,4,4, # 68 - 6f + 4,4,4,4,4,4,4,4, # 70 - 77 + 4,4,4,4,4,4,4,4, # 78 - 7f + 5,5,5,5,5,5,5,5, # 80 - 87 + 5,5,5,5,5,5,1,3, # 88 - 8f + 5,5,5,5,5,5,5,5, # 90 - 97 + 5,5,5,5,5,5,5,5, # 98 - 9f + 5,2,2,2,2,2,2,2, # a0 - a7 + 2,2,2,2,2,2,2,2, # a8 - af + 2,2,2,2,2,2,2,2, # b0 - b7 + 2,2,2,2,2,2,2,2, # b8 - bf + 2,2,2,2,2,2,2,2, # c0 - c7 + 2,2,2,2,2,2,2,2, # c8 - cf + 2,2,2,2,2,2,2,2, # d0 - d7 + 2,2,2,2,2,2,2,2, # d8 - df + 0,0,0,0,0,0,0,0, # e0 - e7 + 0,0,0,0,0,0,0,0, # e8 - ef + 0,0,0,0,0,0,0,0, # f0 - f7 + 0,0,0,0,0,0,0,5 # f8 - ff +) + +EUCJP_ST = ( + 3, 4, 3, 5,MachineState.START,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#00-07 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,#08-0f + MachineState.ITS_ME,MachineState.ITS_ME,MachineState.START,MachineState.ERROR,MachineState.START,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#10-17 + MachineState.ERROR,MachineState.ERROR,MachineState.START,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR, 3,MachineState.ERROR,#18-1f + 3,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START,MachineState.START#20-27 +) + +EUCJP_CHAR_LEN_TABLE = (2, 2, 2, 3, 1, 0) + +EUCJP_SM_MODEL = {'class_table': EUCJP_CLS, + 'class_factor': 6, + 'state_table': EUCJP_ST, + 'char_len_table': EUCJP_CHAR_LEN_TABLE, + 'name': 'EUC-JP'} + +# EUC-KR + +EUCKR_CLS = ( + 1,1,1,1,1,1,1,1, # 00 - 07 + 1,1,1,1,1,1,0,0, # 08 - 0f + 1,1,1,1,1,1,1,1, # 10 - 17 + 1,1,1,0,1,1,1,1, # 18 - 1f + 1,1,1,1,1,1,1,1, # 20 - 27 + 1,1,1,1,1,1,1,1, # 28 - 2f + 1,1,1,1,1,1,1,1, # 30 - 37 + 1,1,1,1,1,1,1,1, # 38 - 3f + 1,1,1,1,1,1,1,1, # 40 - 47 + 1,1,1,1,1,1,1,1, # 48 - 4f + 1,1,1,1,1,1,1,1, # 50 - 57 + 1,1,1,1,1,1,1,1, # 58 - 5f + 1,1,1,1,1,1,1,1, # 60 - 67 + 1,1,1,1,1,1,1,1, # 68 - 6f + 1,1,1,1,1,1,1,1, # 70 - 77 + 1,1,1,1,1,1,1,1, # 78 - 7f + 0,0,0,0,0,0,0,0, # 80 - 87 + 0,0,0,0,0,0,0,0, # 88 - 8f + 0,0,0,0,0,0,0,0, # 90 - 97 + 0,0,0,0,0,0,0,0, # 98 - 9f + 0,2,2,2,2,2,2,2, # a0 - a7 + 2,2,2,2,2,3,3,3, # a8 - af + 2,2,2,2,2,2,2,2, # b0 - b7 + 2,2,2,2,2,2,2,2, # b8 - bf + 2,2,2,2,2,2,2,2, # c0 - c7 + 2,3,2,2,2,2,2,2, # c8 - cf + 2,2,2,2,2,2,2,2, # d0 - d7 + 2,2,2,2,2,2,2,2, # d8 - df + 2,2,2,2,2,2,2,2, # e0 - e7 + 2,2,2,2,2,2,2,2, # e8 - ef + 2,2,2,2,2,2,2,2, # f0 - f7 + 2,2,2,2,2,2,2,0 # f8 - ff +) + +EUCKR_ST = ( + MachineState.ERROR,MachineState.START, 3,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#00-07 + MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ERROR,MachineState.ERROR,MachineState.START,MachineState.START #08-0f +) + +EUCKR_CHAR_LEN_TABLE = (0, 1, 2, 0) + +EUCKR_SM_MODEL = {'class_table': EUCKR_CLS, + 'class_factor': 4, + 'state_table': EUCKR_ST, + 'char_len_table': EUCKR_CHAR_LEN_TABLE, + 'name': 'EUC-KR'} + +# EUC-TW + +EUCTW_CLS = ( + 2,2,2,2,2,2,2,2, # 00 - 07 + 2,2,2,2,2,2,0,0, # 08 - 0f + 2,2,2,2,2,2,2,2, # 10 - 17 + 2,2,2,0,2,2,2,2, # 18 - 1f + 2,2,2,2,2,2,2,2, # 20 - 27 + 2,2,2,2,2,2,2,2, # 28 - 2f + 2,2,2,2,2,2,2,2, # 30 - 37 + 2,2,2,2,2,2,2,2, # 38 - 3f + 2,2,2,2,2,2,2,2, # 40 - 47 + 2,2,2,2,2,2,2,2, # 48 - 4f + 2,2,2,2,2,2,2,2, # 50 - 57 + 2,2,2,2,2,2,2,2, # 58 - 5f + 2,2,2,2,2,2,2,2, # 60 - 67 + 2,2,2,2,2,2,2,2, # 68 - 6f + 2,2,2,2,2,2,2,2, # 70 - 77 + 2,2,2,2,2,2,2,2, # 78 - 7f + 0,0,0,0,0,0,0,0, # 80 - 87 + 0,0,0,0,0,0,6,0, # 88 - 8f + 0,0,0,0,0,0,0,0, # 90 - 97 + 0,0,0,0,0,0,0,0, # 98 - 9f + 0,3,4,4,4,4,4,4, # a0 - a7 + 5,5,1,1,1,1,1,1, # a8 - af + 1,1,1,1,1,1,1,1, # b0 - b7 + 1,1,1,1,1,1,1,1, # b8 - bf + 1,1,3,1,3,3,3,3, # c0 - c7 + 3,3,3,3,3,3,3,3, # c8 - cf + 3,3,3,3,3,3,3,3, # d0 - d7 + 3,3,3,3,3,3,3,3, # d8 - df + 3,3,3,3,3,3,3,3, # e0 - e7 + 3,3,3,3,3,3,3,3, # e8 - ef + 3,3,3,3,3,3,3,3, # f0 - f7 + 3,3,3,3,3,3,3,0 # f8 - ff +) + +EUCTW_ST = ( + MachineState.ERROR,MachineState.ERROR,MachineState.START, 3, 3, 3, 4,MachineState.ERROR,#00-07 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ITS_ME,#08-0f + MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ERROR,MachineState.START,MachineState.ERROR,#10-17 + MachineState.START,MachineState.START,MachineState.START,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#18-1f + 5,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.START,MachineState.ERROR,MachineState.START,MachineState.START,#20-27 + MachineState.START,MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START #28-2f +) + +EUCTW_CHAR_LEN_TABLE = (0, 0, 1, 2, 2, 2, 3) + +EUCTW_SM_MODEL = {'class_table': EUCTW_CLS, + 'class_factor': 7, + 'state_table': EUCTW_ST, + 'char_len_table': EUCTW_CHAR_LEN_TABLE, + 'name': 'x-euc-tw'} + +# GB2312 + +GB2312_CLS = ( + 1,1,1,1,1,1,1,1, # 00 - 07 + 1,1,1,1,1,1,0,0, # 08 - 0f + 1,1,1,1,1,1,1,1, # 10 - 17 + 1,1,1,0,1,1,1,1, # 18 - 1f + 1,1,1,1,1,1,1,1, # 20 - 27 + 1,1,1,1,1,1,1,1, # 28 - 2f + 3,3,3,3,3,3,3,3, # 30 - 37 + 3,3,1,1,1,1,1,1, # 38 - 3f + 2,2,2,2,2,2,2,2, # 40 - 47 + 2,2,2,2,2,2,2,2, # 48 - 4f + 2,2,2,2,2,2,2,2, # 50 - 57 + 2,2,2,2,2,2,2,2, # 58 - 5f + 2,2,2,2,2,2,2,2, # 60 - 67 + 2,2,2,2,2,2,2,2, # 68 - 6f + 2,2,2,2,2,2,2,2, # 70 - 77 + 2,2,2,2,2,2,2,4, # 78 - 7f + 5,6,6,6,6,6,6,6, # 80 - 87 + 6,6,6,6,6,6,6,6, # 88 - 8f + 6,6,6,6,6,6,6,6, # 90 - 97 + 6,6,6,6,6,6,6,6, # 98 - 9f + 6,6,6,6,6,6,6,6, # a0 - a7 + 6,6,6,6,6,6,6,6, # a8 - af + 6,6,6,6,6,6,6,6, # b0 - b7 + 6,6,6,6,6,6,6,6, # b8 - bf + 6,6,6,6,6,6,6,6, # c0 - c7 + 6,6,6,6,6,6,6,6, # c8 - cf + 6,6,6,6,6,6,6,6, # d0 - d7 + 6,6,6,6,6,6,6,6, # d8 - df + 6,6,6,6,6,6,6,6, # e0 - e7 + 6,6,6,6,6,6,6,6, # e8 - ef + 6,6,6,6,6,6,6,6, # f0 - f7 + 6,6,6,6,6,6,6,0 # f8 - ff +) + +GB2312_ST = ( + MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START, 3,MachineState.ERROR,#00-07 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ITS_ME,#08-0f + MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ERROR,MachineState.ERROR,MachineState.START,#10-17 + 4,MachineState.ERROR,MachineState.START,MachineState.START,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#18-1f + MachineState.ERROR,MachineState.ERROR, 5,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ERROR,#20-27 + MachineState.ERROR,MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.START #28-2f +) + +# To be accurate, the length of class 6 can be either 2 or 4. +# But it is not necessary to discriminate between the two since +# it is used for frequency analysis only, and we are validating +# each code range there as well. So it is safe to set it to be +# 2 here. +GB2312_CHAR_LEN_TABLE = (0, 1, 1, 1, 1, 1, 2) + +GB2312_SM_MODEL = {'class_table': GB2312_CLS, + 'class_factor': 7, + 'state_table': GB2312_ST, + 'char_len_table': GB2312_CHAR_LEN_TABLE, + 'name': 'GB2312'} + +# Shift_JIS + +SJIS_CLS = ( + 1,1,1,1,1,1,1,1, # 00 - 07 + 1,1,1,1,1,1,0,0, # 08 - 0f + 1,1,1,1,1,1,1,1, # 10 - 17 + 1,1,1,0,1,1,1,1, # 18 - 1f + 1,1,1,1,1,1,1,1, # 20 - 27 + 1,1,1,1,1,1,1,1, # 28 - 2f + 1,1,1,1,1,1,1,1, # 30 - 37 + 1,1,1,1,1,1,1,1, # 38 - 3f + 2,2,2,2,2,2,2,2, # 40 - 47 + 2,2,2,2,2,2,2,2, # 48 - 4f + 2,2,2,2,2,2,2,2, # 50 - 57 + 2,2,2,2,2,2,2,2, # 58 - 5f + 2,2,2,2,2,2,2,2, # 60 - 67 + 2,2,2,2,2,2,2,2, # 68 - 6f + 2,2,2,2,2,2,2,2, # 70 - 77 + 2,2,2,2,2,2,2,1, # 78 - 7f + 3,3,3,3,3,2,2,3, # 80 - 87 + 3,3,3,3,3,3,3,3, # 88 - 8f + 3,3,3,3,3,3,3,3, # 90 - 97 + 3,3,3,3,3,3,3,3, # 98 - 9f + #0xa0 is illegal in sjis encoding, but some pages does + #contain such byte. We need to be more error forgiven. + 2,2,2,2,2,2,2,2, # a0 - a7 + 2,2,2,2,2,2,2,2, # a8 - af + 2,2,2,2,2,2,2,2, # b0 - b7 + 2,2,2,2,2,2,2,2, # b8 - bf + 2,2,2,2,2,2,2,2, # c0 - c7 + 2,2,2,2,2,2,2,2, # c8 - cf + 2,2,2,2,2,2,2,2, # d0 - d7 + 2,2,2,2,2,2,2,2, # d8 - df + 3,3,3,3,3,3,3,3, # e0 - e7 + 3,3,3,3,3,4,4,4, # e8 - ef + 3,3,3,3,3,3,3,3, # f0 - f7 + 3,3,3,3,3,0,0,0) # f8 - ff + + +SJIS_ST = ( + MachineState.ERROR,MachineState.START,MachineState.START, 3,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#00-07 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,#08-0f + MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ERROR,MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START,MachineState.START #10-17 +) + +SJIS_CHAR_LEN_TABLE = (0, 1, 1, 2, 0, 0) + +SJIS_SM_MODEL = {'class_table': SJIS_CLS, + 'class_factor': 6, + 'state_table': SJIS_ST, + 'char_len_table': SJIS_CHAR_LEN_TABLE, + 'name': 'Shift_JIS'} + +# UCS2-BE + +UCS2BE_CLS = ( + 0,0,0,0,0,0,0,0, # 00 - 07 + 0,0,1,0,0,2,0,0, # 08 - 0f + 0,0,0,0,0,0,0,0, # 10 - 17 + 0,0,0,3,0,0,0,0, # 18 - 1f + 0,0,0,0,0,0,0,0, # 20 - 27 + 0,3,3,3,3,3,0,0, # 28 - 2f + 0,0,0,0,0,0,0,0, # 30 - 37 + 0,0,0,0,0,0,0,0, # 38 - 3f + 0,0,0,0,0,0,0,0, # 40 - 47 + 0,0,0,0,0,0,0,0, # 48 - 4f + 0,0,0,0,0,0,0,0, # 50 - 57 + 0,0,0,0,0,0,0,0, # 58 - 5f + 0,0,0,0,0,0,0,0, # 60 - 67 + 0,0,0,0,0,0,0,0, # 68 - 6f + 0,0,0,0,0,0,0,0, # 70 - 77 + 0,0,0,0,0,0,0,0, # 78 - 7f + 0,0,0,0,0,0,0,0, # 80 - 87 + 0,0,0,0,0,0,0,0, # 88 - 8f + 0,0,0,0,0,0,0,0, # 90 - 97 + 0,0,0,0,0,0,0,0, # 98 - 9f + 0,0,0,0,0,0,0,0, # a0 - a7 + 0,0,0,0,0,0,0,0, # a8 - af + 0,0,0,0,0,0,0,0, # b0 - b7 + 0,0,0,0,0,0,0,0, # b8 - bf + 0,0,0,0,0,0,0,0, # c0 - c7 + 0,0,0,0,0,0,0,0, # c8 - cf + 0,0,0,0,0,0,0,0, # d0 - d7 + 0,0,0,0,0,0,0,0, # d8 - df + 0,0,0,0,0,0,0,0, # e0 - e7 + 0,0,0,0,0,0,0,0, # e8 - ef + 0,0,0,0,0,0,0,0, # f0 - f7 + 0,0,0,0,0,0,4,5 # f8 - ff +) + +UCS2BE_ST = ( + 5, 7, 7,MachineState.ERROR, 4, 3,MachineState.ERROR,MachineState.ERROR,#00-07 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,#08-0f + MachineState.ITS_ME,MachineState.ITS_ME, 6, 6, 6, 6,MachineState.ERROR,MachineState.ERROR,#10-17 + 6, 6, 6, 6, 6,MachineState.ITS_ME, 6, 6,#18-1f + 6, 6, 6, 6, 5, 7, 7,MachineState.ERROR,#20-27 + 5, 8, 6, 6,MachineState.ERROR, 6, 6, 6,#28-2f + 6, 6, 6, 6,MachineState.ERROR,MachineState.ERROR,MachineState.START,MachineState.START #30-37 +) + +UCS2BE_CHAR_LEN_TABLE = (2, 2, 2, 0, 2, 2) + +UCS2BE_SM_MODEL = {'class_table': UCS2BE_CLS, + 'class_factor': 6, + 'state_table': UCS2BE_ST, + 'char_len_table': UCS2BE_CHAR_LEN_TABLE, + 'name': 'UTF-16BE'} + +# UCS2-LE + +UCS2LE_CLS = ( + 0,0,0,0,0,0,0,0, # 00 - 07 + 0,0,1,0,0,2,0,0, # 08 - 0f + 0,0,0,0,0,0,0,0, # 10 - 17 + 0,0,0,3,0,0,0,0, # 18 - 1f + 0,0,0,0,0,0,0,0, # 20 - 27 + 0,3,3,3,3,3,0,0, # 28 - 2f + 0,0,0,0,0,0,0,0, # 30 - 37 + 0,0,0,0,0,0,0,0, # 38 - 3f + 0,0,0,0,0,0,0,0, # 40 - 47 + 0,0,0,0,0,0,0,0, # 48 - 4f + 0,0,0,0,0,0,0,0, # 50 - 57 + 0,0,0,0,0,0,0,0, # 58 - 5f + 0,0,0,0,0,0,0,0, # 60 - 67 + 0,0,0,0,0,0,0,0, # 68 - 6f + 0,0,0,0,0,0,0,0, # 70 - 77 + 0,0,0,0,0,0,0,0, # 78 - 7f + 0,0,0,0,0,0,0,0, # 80 - 87 + 0,0,0,0,0,0,0,0, # 88 - 8f + 0,0,0,0,0,0,0,0, # 90 - 97 + 0,0,0,0,0,0,0,0, # 98 - 9f + 0,0,0,0,0,0,0,0, # a0 - a7 + 0,0,0,0,0,0,0,0, # a8 - af + 0,0,0,0,0,0,0,0, # b0 - b7 + 0,0,0,0,0,0,0,0, # b8 - bf + 0,0,0,0,0,0,0,0, # c0 - c7 + 0,0,0,0,0,0,0,0, # c8 - cf + 0,0,0,0,0,0,0,0, # d0 - d7 + 0,0,0,0,0,0,0,0, # d8 - df + 0,0,0,0,0,0,0,0, # e0 - e7 + 0,0,0,0,0,0,0,0, # e8 - ef + 0,0,0,0,0,0,0,0, # f0 - f7 + 0,0,0,0,0,0,4,5 # f8 - ff +) + +UCS2LE_ST = ( + 6, 6, 7, 6, 4, 3,MachineState.ERROR,MachineState.ERROR,#00-07 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,#08-0f + MachineState.ITS_ME,MachineState.ITS_ME, 5, 5, 5,MachineState.ERROR,MachineState.ITS_ME,MachineState.ERROR,#10-17 + 5, 5, 5,MachineState.ERROR, 5,MachineState.ERROR, 6, 6,#18-1f + 7, 6, 8, 8, 5, 5, 5,MachineState.ERROR,#20-27 + 5, 5, 5,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR, 5, 5,#28-2f + 5, 5, 5,MachineState.ERROR, 5,MachineState.ERROR,MachineState.START,MachineState.START #30-37 +) + +UCS2LE_CHAR_LEN_TABLE = (2, 2, 2, 2, 2, 2) + +UCS2LE_SM_MODEL = {'class_table': UCS2LE_CLS, + 'class_factor': 6, + 'state_table': UCS2LE_ST, + 'char_len_table': UCS2LE_CHAR_LEN_TABLE, + 'name': 'UTF-16LE'} + +# UTF-8 + +UTF8_CLS = ( + 1,1,1,1,1,1,1,1, # 00 - 07 #allow 0x00 as a legal value + 1,1,1,1,1,1,0,0, # 08 - 0f + 1,1,1,1,1,1,1,1, # 10 - 17 + 1,1,1,0,1,1,1,1, # 18 - 1f + 1,1,1,1,1,1,1,1, # 20 - 27 + 1,1,1,1,1,1,1,1, # 28 - 2f + 1,1,1,1,1,1,1,1, # 30 - 37 + 1,1,1,1,1,1,1,1, # 38 - 3f + 1,1,1,1,1,1,1,1, # 40 - 47 + 1,1,1,1,1,1,1,1, # 48 - 4f + 1,1,1,1,1,1,1,1, # 50 - 57 + 1,1,1,1,1,1,1,1, # 58 - 5f + 1,1,1,1,1,1,1,1, # 60 - 67 + 1,1,1,1,1,1,1,1, # 68 - 6f + 1,1,1,1,1,1,1,1, # 70 - 77 + 1,1,1,1,1,1,1,1, # 78 - 7f + 2,2,2,2,3,3,3,3, # 80 - 87 + 4,4,4,4,4,4,4,4, # 88 - 8f + 4,4,4,4,4,4,4,4, # 90 - 97 + 4,4,4,4,4,4,4,4, # 98 - 9f + 5,5,5,5,5,5,5,5, # a0 - a7 + 5,5,5,5,5,5,5,5, # a8 - af + 5,5,5,5,5,5,5,5, # b0 - b7 + 5,5,5,5,5,5,5,5, # b8 - bf + 0,0,6,6,6,6,6,6, # c0 - c7 + 6,6,6,6,6,6,6,6, # c8 - cf + 6,6,6,6,6,6,6,6, # d0 - d7 + 6,6,6,6,6,6,6,6, # d8 - df + 7,8,8,8,8,8,8,8, # e0 - e7 + 8,8,8,8,8,9,8,8, # e8 - ef + 10,11,11,11,11,11,11,11, # f0 - f7 + 12,13,13,13,14,15,0,0 # f8 - ff +) + +UTF8_ST = ( + MachineState.ERROR,MachineState.START,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR, 12, 10,#00-07 + 9, 11, 8, 7, 6, 5, 4, 3,#08-0f + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#10-17 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#18-1f + MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,#20-27 + MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,MachineState.ITS_ME,#28-2f + MachineState.ERROR,MachineState.ERROR, 5, 5, 5, 5,MachineState.ERROR,MachineState.ERROR,#30-37 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#38-3f + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR, 5, 5, 5,MachineState.ERROR,MachineState.ERROR,#40-47 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#48-4f + MachineState.ERROR,MachineState.ERROR, 7, 7, 7, 7,MachineState.ERROR,MachineState.ERROR,#50-57 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#58-5f + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR, 7, 7,MachineState.ERROR,MachineState.ERROR,#60-67 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#68-6f + MachineState.ERROR,MachineState.ERROR, 9, 9, 9, 9,MachineState.ERROR,MachineState.ERROR,#70-77 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#78-7f + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR, 9,MachineState.ERROR,MachineState.ERROR,#80-87 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#88-8f + MachineState.ERROR,MachineState.ERROR, 12, 12, 12, 12,MachineState.ERROR,MachineState.ERROR,#90-97 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#98-9f + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR, 12,MachineState.ERROR,MachineState.ERROR,#a0-a7 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#a8-af + MachineState.ERROR,MachineState.ERROR, 12, 12, 12,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#b0-b7 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,#b8-bf + MachineState.ERROR,MachineState.ERROR,MachineState.START,MachineState.START,MachineState.START,MachineState.START,MachineState.ERROR,MachineState.ERROR,#c0-c7 + MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR,MachineState.ERROR #c8-cf +) + +UTF8_CHAR_LEN_TABLE = (0, 1, 0, 0, 0, 0, 2, 3, 3, 3, 4, 4, 5, 5, 6, 6) + +UTF8_SM_MODEL = {'class_table': UTF8_CLS, + 'class_factor': 16, + 'state_table': UTF8_ST, + 'char_len_table': UTF8_CHAR_LEN_TABLE, + 'name': 'UTF-8'} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcharsetprober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcharsetprober.py new file mode 100644 index 0000000..0adb51d --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcharsetprober.py @@ -0,0 +1,132 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Universal charset detector code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 2001 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# Shy Shalom - original C code +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .charsetprober import CharSetProber +from .enums import CharacterCategory, ProbingState, SequenceLikelihood + + +class SingleByteCharSetProber(CharSetProber): + SAMPLE_SIZE = 64 + SB_ENOUGH_REL_THRESHOLD = 1024 # 0.25 * SAMPLE_SIZE^2 + POSITIVE_SHORTCUT_THRESHOLD = 0.95 + NEGATIVE_SHORTCUT_THRESHOLD = 0.05 + + def __init__(self, model, reversed=False, name_prober=None): + super(SingleByteCharSetProber, self).__init__() + self._model = model + # TRUE if we need to reverse every pair in the model lookup + self._reversed = reversed + # Optional auxiliary prober for name decision + self._name_prober = name_prober + self._last_order = None + self._seq_counters = None + self._total_seqs = None + self._total_char = None + self._freq_char = None + self.reset() + + def reset(self): + super(SingleByteCharSetProber, self).reset() + # char order of last character + self._last_order = 255 + self._seq_counters = [0] * SequenceLikelihood.get_num_categories() + self._total_seqs = 0 + self._total_char = 0 + # characters that fall in our sampling range + self._freq_char = 0 + + @property + def charset_name(self): + if self._name_prober: + return self._name_prober.charset_name + else: + return self._model['charset_name'] + + @property + def language(self): + if self._name_prober: + return self._name_prober.language + else: + return self._model.get('language') + + def feed(self, byte_str): + if not self._model['keep_english_letter']: + byte_str = self.filter_international_words(byte_str) + if not byte_str: + return self.state + char_to_order_map = self._model['char_to_order_map'] + for i, c in enumerate(byte_str): + # XXX: Order is in range 1-64, so one would think we want 0-63 here, + # but that leads to 27 more test failures than before. + order = char_to_order_map[c] + # XXX: This was SYMBOL_CAT_ORDER before, with a value of 250, but + # CharacterCategory.SYMBOL is actually 253, so we use CONTROL + # to make it closer to the original intent. The only difference + # is whether or not we count digits and control characters for + # _total_char purposes. + if order < CharacterCategory.CONTROL: + self._total_char += 1 + if order < self.SAMPLE_SIZE: + self._freq_char += 1 + if self._last_order < self.SAMPLE_SIZE: + self._total_seqs += 1 + if not self._reversed: + i = (self._last_order * self.SAMPLE_SIZE) + order + model = self._model['precedence_matrix'][i] + else: # reverse the order of the letters in the lookup + i = (order * self.SAMPLE_SIZE) + self._last_order + model = self._model['precedence_matrix'][i] + self._seq_counters[model] += 1 + self._last_order = order + + charset_name = self._model['charset_name'] + if self.state == ProbingState.DETECTING: + if self._total_seqs > self.SB_ENOUGH_REL_THRESHOLD: + confidence = self.get_confidence() + if confidence > self.POSITIVE_SHORTCUT_THRESHOLD: + self.logger.debug('%s confidence = %s, we have a winner', + charset_name, confidence) + self._state = ProbingState.FOUND_IT + elif confidence < self.NEGATIVE_SHORTCUT_THRESHOLD: + self.logger.debug('%s confidence = %s, below negative ' + 'shortcut threshhold %s', charset_name, + confidence, + self.NEGATIVE_SHORTCUT_THRESHOLD) + self._state = ProbingState.NOT_ME + + return self.state + + def get_confidence(self): + r = 0.01 + if self._total_seqs > 0: + r = ((1.0 * self._seq_counters[SequenceLikelihood.POSITIVE]) / + self._total_seqs / self._model['typical_positive_ratio']) + r = r * self._freq_char / self._total_char + if r >= 1.0: + r = 0.99 + return r diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcsgroupprober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcsgroupprober.py new file mode 100644 index 0000000..98e95dc --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcsgroupprober.py @@ -0,0 +1,73 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Universal charset detector code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 2001 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# Shy Shalom - original C code +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .charsetgroupprober import CharSetGroupProber +from .sbcharsetprober import SingleByteCharSetProber +from .langcyrillicmodel import (Win1251CyrillicModel, Koi8rModel, + Latin5CyrillicModel, MacCyrillicModel, + Ibm866Model, Ibm855Model) +from .langgreekmodel import Latin7GreekModel, Win1253GreekModel +from .langbulgarianmodel import Latin5BulgarianModel, Win1251BulgarianModel +# from .langhungarianmodel import Latin2HungarianModel, Win1250HungarianModel +from .langthaimodel import TIS620ThaiModel +from .langhebrewmodel import Win1255HebrewModel +from .hebrewprober import HebrewProber +from .langturkishmodel import Latin5TurkishModel + + +class SBCSGroupProber(CharSetGroupProber): + def __init__(self): + super(SBCSGroupProber, self).__init__() + self.probers = [ + SingleByteCharSetProber(Win1251CyrillicModel), + SingleByteCharSetProber(Koi8rModel), + SingleByteCharSetProber(Latin5CyrillicModel), + SingleByteCharSetProber(MacCyrillicModel), + SingleByteCharSetProber(Ibm866Model), + SingleByteCharSetProber(Ibm855Model), + SingleByteCharSetProber(Latin7GreekModel), + SingleByteCharSetProber(Win1253GreekModel), + SingleByteCharSetProber(Latin5BulgarianModel), + SingleByteCharSetProber(Win1251BulgarianModel), + # TODO: Restore Hungarian encodings (iso-8859-2 and windows-1250) + # after we retrain model. + # SingleByteCharSetProber(Latin2HungarianModel), + # SingleByteCharSetProber(Win1250HungarianModel), + SingleByteCharSetProber(TIS620ThaiModel), + SingleByteCharSetProber(Latin5TurkishModel), + ] + hebrew_prober = HebrewProber() + logical_hebrew_prober = SingleByteCharSetProber(Win1255HebrewModel, + False, hebrew_prober) + visual_hebrew_prober = SingleByteCharSetProber(Win1255HebrewModel, True, + hebrew_prober) + hebrew_prober.set_model_probers(logical_hebrew_prober, visual_hebrew_prober) + self.probers.extend([hebrew_prober, logical_hebrew_prober, + visual_hebrew_prober]) + + self.reset() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sjisprober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sjisprober.py new file mode 100644 index 0000000..9e29623 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sjisprober.py @@ -0,0 +1,92 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is mozilla.org code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .mbcharsetprober import MultiByteCharSetProber +from .codingstatemachine import CodingStateMachine +from .chardistribution import SJISDistributionAnalysis +from .jpcntx import SJISContextAnalysis +from .mbcssm import SJIS_SM_MODEL +from .enums import ProbingState, MachineState + + +class SJISProber(MultiByteCharSetProber): + def __init__(self): + super(SJISProber, self).__init__() + self.coding_sm = CodingStateMachine(SJIS_SM_MODEL) + self.distribution_analyzer = SJISDistributionAnalysis() + self.context_analyzer = SJISContextAnalysis() + self.reset() + + def reset(self): + super(SJISProber, self).reset() + self.context_analyzer.reset() + + @property + def charset_name(self): + return self.context_analyzer.charset_name + + @property + def language(self): + return "Japanese" + + def feed(self, byte_str): + for i in range(len(byte_str)): + coding_state = self.coding_sm.next_state(byte_str[i]) + if coding_state == MachineState.ERROR: + self.logger.debug('%s %s prober hit error at byte %s', + self.charset_name, self.language, i) + self._state = ProbingState.NOT_ME + break + elif coding_state == MachineState.ITS_ME: + self._state = ProbingState.FOUND_IT + break + elif coding_state == MachineState.START: + char_len = self.coding_sm.get_current_charlen() + if i == 0: + self._last_char[1] = byte_str[0] + self.context_analyzer.feed(self._last_char[2 - char_len:], + char_len) + self.distribution_analyzer.feed(self._last_char, char_len) + else: + self.context_analyzer.feed(byte_str[i + 1 - char_len:i + 3 + - char_len], char_len) + self.distribution_analyzer.feed(byte_str[i - 1:i + 1], + char_len) + + self._last_char[0] = byte_str[-1] + + if self.state == ProbingState.DETECTING: + if (self.context_analyzer.got_enough_data() and + (self.get_confidence() > self.SHORTCUT_THRESHOLD)): + self._state = ProbingState.FOUND_IT + + return self.state + + def get_confidence(self): + context_conf = self.context_analyzer.get_confidence() + distrib_conf = self.distribution_analyzer.get_confidence() + return max(context_conf, distrib_conf) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/universaldetector.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/universaldetector.py new file mode 100644 index 0000000..7b4e92d --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/universaldetector.py @@ -0,0 +1,286 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Universal charset detector code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 2001 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# Shy Shalom - original C code +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### +""" +Module containing the UniversalDetector detector class, which is the primary +class a user of ``chardet`` should use. + +:author: Mark Pilgrim (initial port to Python) +:author: Shy Shalom (original C code) +:author: Dan Blanchard (major refactoring for 3.0) +:author: Ian Cordasco +""" + + +import codecs +import logging +import re + +from .charsetgroupprober import CharSetGroupProber +from .enums import InputState, LanguageFilter, ProbingState +from .escprober import EscCharSetProber +from .latin1prober import Latin1Prober +from .mbcsgroupprober import MBCSGroupProber +from .sbcsgroupprober import SBCSGroupProber + + +class UniversalDetector(object): + """ + The ``UniversalDetector`` class underlies the ``chardet.detect`` function + and coordinates all of the different charset probers. + + To get a ``dict`` containing an encoding and its confidence, you can simply + run: + + .. code:: + + u = UniversalDetector() + u.feed(some_bytes) + u.close() + detected = u.result + + """ + + MINIMUM_THRESHOLD = 0.20 + HIGH_BYTE_DETECTOR = re.compile(b'[\x80-\xFF]') + ESC_DETECTOR = re.compile(b'(\033|~{)') + WIN_BYTE_DETECTOR = re.compile(b'[\x80-\x9F]') + ISO_WIN_MAP = {'iso-8859-1': 'Windows-1252', + 'iso-8859-2': 'Windows-1250', + 'iso-8859-5': 'Windows-1251', + 'iso-8859-6': 'Windows-1256', + 'iso-8859-7': 'Windows-1253', + 'iso-8859-8': 'Windows-1255', + 'iso-8859-9': 'Windows-1254', + 'iso-8859-13': 'Windows-1257'} + + def __init__(self, lang_filter=LanguageFilter.ALL): + self._esc_charset_prober = None + self._charset_probers = [] + self.result = None + self.done = None + self._got_data = None + self._input_state = None + self._last_char = None + self.lang_filter = lang_filter + self.logger = logging.getLogger(__name__) + self._has_win_bytes = None + self.reset() + + def reset(self): + """ + Reset the UniversalDetector and all of its probers back to their + initial states. This is called by ``__init__``, so you only need to + call this directly in between analyses of different documents. + """ + self.result = {'encoding': None, 'confidence': 0.0, 'language': None} + self.done = False + self._got_data = False + self._has_win_bytes = False + self._input_state = InputState.PURE_ASCII + self._last_char = b'' + if self._esc_charset_prober: + self._esc_charset_prober.reset() + for prober in self._charset_probers: + prober.reset() + + def feed(self, byte_str): + """ + Takes a chunk of a document and feeds it through all of the relevant + charset probers. + + After calling ``feed``, you can check the value of the ``done`` + attribute to see if you need to continue feeding the + ``UniversalDetector`` more data, or if it has made a prediction + (in the ``result`` attribute). + + .. note:: + You should always call ``close`` when you're done feeding in your + document if ``done`` is not already ``True``. + """ + if self.done: + return + + if not len(byte_str): + return + + if not isinstance(byte_str, bytearray): + byte_str = bytearray(byte_str) + + # First check for known BOMs, since these are guaranteed to be correct + if not self._got_data: + # If the data starts with BOM, we know it is UTF + if byte_str.startswith(codecs.BOM_UTF8): + # EF BB BF UTF-8 with BOM + self.result = {'encoding': "UTF-8-SIG", + 'confidence': 1.0, + 'language': ''} + elif byte_str.startswith((codecs.BOM_UTF32_LE, + codecs.BOM_UTF32_BE)): + # FF FE 00 00 UTF-32, little-endian BOM + # 00 00 FE FF UTF-32, big-endian BOM + self.result = {'encoding': "UTF-32", + 'confidence': 1.0, + 'language': ''} + elif byte_str.startswith(b'\xFE\xFF\x00\x00'): + # FE FF 00 00 UCS-4, unusual octet order BOM (3412) + self.result = {'encoding': "X-ISO-10646-UCS-4-3412", + 'confidence': 1.0, + 'language': ''} + elif byte_str.startswith(b'\x00\x00\xFF\xFE'): + # 00 00 FF FE UCS-4, unusual octet order BOM (2143) + self.result = {'encoding': "X-ISO-10646-UCS-4-2143", + 'confidence': 1.0, + 'language': ''} + elif byte_str.startswith((codecs.BOM_LE, codecs.BOM_BE)): + # FF FE UTF-16, little endian BOM + # FE FF UTF-16, big endian BOM + self.result = {'encoding': "UTF-16", + 'confidence': 1.0, + 'language': ''} + + self._got_data = True + if self.result['encoding'] is not None: + self.done = True + return + + # If none of those matched and we've only see ASCII so far, check + # for high bytes and escape sequences + if self._input_state == InputState.PURE_ASCII: + if self.HIGH_BYTE_DETECTOR.search(byte_str): + self._input_state = InputState.HIGH_BYTE + elif self._input_state == InputState.PURE_ASCII and \ + self.ESC_DETECTOR.search(self._last_char + byte_str): + self._input_state = InputState.ESC_ASCII + + self._last_char = byte_str[-1:] + + # If we've seen escape sequences, use the EscCharSetProber, which + # uses a simple state machine to check for known escape sequences in + # HZ and ISO-2022 encodings, since those are the only encodings that + # use such sequences. + if self._input_state == InputState.ESC_ASCII: + if not self._esc_charset_prober: + self._esc_charset_prober = EscCharSetProber(self.lang_filter) + if self._esc_charset_prober.feed(byte_str) == ProbingState.FOUND_IT: + self.result = {'encoding': + self._esc_charset_prober.charset_name, + 'confidence': + self._esc_charset_prober.get_confidence(), + 'language': + self._esc_charset_prober.language} + self.done = True + # If we've seen high bytes (i.e., those with values greater than 127), + # we need to do more complicated checks using all our multi-byte and + # single-byte probers that are left. The single-byte probers + # use character bigram distributions to determine the encoding, whereas + # the multi-byte probers use a combination of character unigram and + # bigram distributions. + elif self._input_state == InputState.HIGH_BYTE: + if not self._charset_probers: + self._charset_probers = [MBCSGroupProber(self.lang_filter)] + # If we're checking non-CJK encodings, use single-byte prober + if self.lang_filter & LanguageFilter.NON_CJK: + self._charset_probers.append(SBCSGroupProber()) + self._charset_probers.append(Latin1Prober()) + for prober in self._charset_probers: + if prober.feed(byte_str) == ProbingState.FOUND_IT: + self.result = {'encoding': prober.charset_name, + 'confidence': prober.get_confidence(), + 'language': prober.language} + self.done = True + break + if self.WIN_BYTE_DETECTOR.search(byte_str): + self._has_win_bytes = True + + def close(self): + """ + Stop analyzing the current document and come up with a final + prediction. + + :returns: The ``result`` attribute, a ``dict`` with the keys + `encoding`, `confidence`, and `language`. + """ + # Don't bother with checks if we're already done + if self.done: + return self.result + self.done = True + + if not self._got_data: + self.logger.debug('no data received!') + + # Default to ASCII if it is all we've seen so far + elif self._input_state == InputState.PURE_ASCII: + self.result = {'encoding': 'ascii', + 'confidence': 1.0, + 'language': ''} + + # If we have seen non-ASCII, return the best that met MINIMUM_THRESHOLD + elif self._input_state == InputState.HIGH_BYTE: + prober_confidence = None + max_prober_confidence = 0.0 + max_prober = None + for prober in self._charset_probers: + if not prober: + continue + prober_confidence = prober.get_confidence() + if prober_confidence > max_prober_confidence: + max_prober_confidence = prober_confidence + max_prober = prober + if max_prober and (max_prober_confidence > self.MINIMUM_THRESHOLD): + charset_name = max_prober.charset_name + lower_charset_name = max_prober.charset_name.lower() + confidence = max_prober.get_confidence() + # Use Windows encoding name instead of ISO-8859 if we saw any + # extra Windows-specific bytes + if lower_charset_name.startswith('iso-8859'): + if self._has_win_bytes: + charset_name = self.ISO_WIN_MAP.get(lower_charset_name, + charset_name) + self.result = {'encoding': charset_name, + 'confidence': confidence, + 'language': max_prober.language} + + # Log all prober confidences if none met MINIMUM_THRESHOLD + if self.logger.getEffectiveLevel() == logging.DEBUG: + if self.result['encoding'] is None: + self.logger.debug('no probers hit minimum threshold') + for group_prober in self._charset_probers: + if not group_prober: + continue + if isinstance(group_prober, CharSetGroupProber): + for prober in group_prober.probers: + self.logger.debug('%s %s confidence = %s', + prober.charset_name, + prober.language, + prober.get_confidence()) + else: + self.logger.debug('%s %s confidence = %s', + prober.charset_name, + prober.language, + prober.get_confidence()) + return self.result diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/utf8prober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/utf8prober.py new file mode 100644 index 0000000..6c3196c --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/utf8prober.py @@ -0,0 +1,82 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is mozilla.org code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 1998 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .charsetprober import CharSetProber +from .enums import ProbingState, MachineState +from .codingstatemachine import CodingStateMachine +from .mbcssm import UTF8_SM_MODEL + + + +class UTF8Prober(CharSetProber): + ONE_CHAR_PROB = 0.5 + + def __init__(self): + super(UTF8Prober, self).__init__() + self.coding_sm = CodingStateMachine(UTF8_SM_MODEL) + self._num_mb_chars = None + self.reset() + + def reset(self): + super(UTF8Prober, self).reset() + self.coding_sm.reset() + self._num_mb_chars = 0 + + @property + def charset_name(self): + return "utf-8" + + @property + def language(self): + return "" + + def feed(self, byte_str): + for c in byte_str: + coding_state = self.coding_sm.next_state(c) + if coding_state == MachineState.ERROR: + self._state = ProbingState.NOT_ME + break + elif coding_state == MachineState.ITS_ME: + self._state = ProbingState.FOUND_IT + break + elif coding_state == MachineState.START: + if self.coding_sm.get_current_charlen() >= 2: + self._num_mb_chars += 1 + + if self.state == ProbingState.DETECTING: + if self.get_confidence() > self.SHORTCUT_THRESHOLD: + self._state = ProbingState.FOUND_IT + + return self.state + + def get_confidence(self): + unlike = 0.99 + if self._num_mb_chars < 6: + unlike *= self.ONE_CHAR_PROB ** self._num_mb_chars + return 1.0 - unlike + else: + return unlike diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/version.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/version.py new file mode 100644 index 0000000..bb2a34a --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/version.py @@ -0,0 +1,9 @@ +""" +This module exists only to simplify retrieving the version number of chardet +from within setup.py and from chardet subpackages. + +:author: Dan Blanchard (dan.blanchard@gmail.com) +""" + +__version__ = "3.0.4" +VERSION = __version__.split('.') diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/__init__.py new file mode 100644 index 0000000..2a3bf47 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/__init__.py @@ -0,0 +1,6 @@ +# Copyright Jonathan Hartley 2013. BSD 3-Clause license, see LICENSE file. +from .initialise import init, deinit, reinit, colorama_text +from .ansi import Fore, Back, Style, Cursor +from .ansitowin32 import AnsiToWin32 + +__version__ = '0.4.1' diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/ansi.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/ansi.py new file mode 100644 index 0000000..7877658 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/ansi.py @@ -0,0 +1,102 @@ +# Copyright Jonathan Hartley 2013. BSD 3-Clause license, see LICENSE file. +''' +This module generates ANSI character codes to printing colors to terminals. +See: http://en.wikipedia.org/wiki/ANSI_escape_code +''' + +CSI = '\033[' +OSC = '\033]' +BEL = '\007' + + +def code_to_chars(code): + return CSI + str(code) + 'm' + +def set_title(title): + return OSC + '2;' + title + BEL + +def clear_screen(mode=2): + return CSI + str(mode) + 'J' + +def clear_line(mode=2): + return CSI + str(mode) + 'K' + + +class AnsiCodes(object): + def __init__(self): + # the subclasses declare class attributes which are numbers. + # Upon instantiation we define instance attributes, which are the same + # as the class attributes but wrapped with the ANSI escape sequence + for name in dir(self): + if not name.startswith('_'): + value = getattr(self, name) + setattr(self, name, code_to_chars(value)) + + +class AnsiCursor(object): + def UP(self, n=1): + return CSI + str(n) + 'A' + def DOWN(self, n=1): + return CSI + str(n) + 'B' + def FORWARD(self, n=1): + return CSI + str(n) + 'C' + def BACK(self, n=1): + return CSI + str(n) + 'D' + def POS(self, x=1, y=1): + return CSI + str(y) + ';' + str(x) + 'H' + + +class AnsiFore(AnsiCodes): + BLACK = 30 + RED = 31 + GREEN = 32 + YELLOW = 33 + BLUE = 34 + MAGENTA = 35 + CYAN = 36 + WHITE = 37 + RESET = 39 + + # These are fairly well supported, but not part of the standard. + LIGHTBLACK_EX = 90 + LIGHTRED_EX = 91 + LIGHTGREEN_EX = 92 + LIGHTYELLOW_EX = 93 + LIGHTBLUE_EX = 94 + LIGHTMAGENTA_EX = 95 + LIGHTCYAN_EX = 96 + LIGHTWHITE_EX = 97 + + +class AnsiBack(AnsiCodes): + BLACK = 40 + RED = 41 + GREEN = 42 + YELLOW = 43 + BLUE = 44 + MAGENTA = 45 + CYAN = 46 + WHITE = 47 + RESET = 49 + + # These are fairly well supported, but not part of the standard. + LIGHTBLACK_EX = 100 + LIGHTRED_EX = 101 + LIGHTGREEN_EX = 102 + LIGHTYELLOW_EX = 103 + LIGHTBLUE_EX = 104 + LIGHTMAGENTA_EX = 105 + LIGHTCYAN_EX = 106 + LIGHTWHITE_EX = 107 + + +class AnsiStyle(AnsiCodes): + BRIGHT = 1 + DIM = 2 + NORMAL = 22 + RESET_ALL = 0 + +Fore = AnsiFore() +Back = AnsiBack() +Style = AnsiStyle() +Cursor = AnsiCursor() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/ansitowin32.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/ansitowin32.py new file mode 100644 index 0000000..359c92b --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/ansitowin32.py @@ -0,0 +1,257 @@ +# Copyright Jonathan Hartley 2013. BSD 3-Clause license, see LICENSE file. +import re +import sys +import os + +from .ansi import AnsiFore, AnsiBack, AnsiStyle, Style +from .winterm import WinTerm, WinColor, WinStyle +from .win32 import windll, winapi_test + + +winterm = None +if windll is not None: + winterm = WinTerm() + + +class StreamWrapper(object): + ''' + Wraps a stream (such as stdout), acting as a transparent proxy for all + attribute access apart from method 'write()', which is delegated to our + Converter instance. + ''' + def __init__(self, wrapped, converter): + # double-underscore everything to prevent clashes with names of + # attributes on the wrapped stream object. + self.__wrapped = wrapped + self.__convertor = converter + + def __getattr__(self, name): + return getattr(self.__wrapped, name) + + def __enter__(self, *args, **kwargs): + # special method lookup bypasses __getattr__/__getattribute__, see + # https://stackoverflow.com/questions/12632894/why-doesnt-getattr-work-with-exit + # thus, contextlib magic methods are not proxied via __getattr__ + return self.__wrapped.__enter__(*args, **kwargs) + + def __exit__(self, *args, **kwargs): + return self.__wrapped.__exit__(*args, **kwargs) + + def write(self, text): + self.__convertor.write(text) + + def isatty(self): + stream = self.__wrapped + if 'PYCHARM_HOSTED' in os.environ: + if stream is not None and (stream is sys.__stdout__ or stream is sys.__stderr__): + return True + try: + stream_isatty = stream.isatty + except AttributeError: + return False + else: + return stream_isatty() + + @property + def closed(self): + stream = self.__wrapped + try: + return stream.closed + except AttributeError: + return True + + +class AnsiToWin32(object): + ''' + Implements a 'write()' method which, on Windows, will strip ANSI character + sequences from the text, and if outputting to a tty, will convert them into + win32 function calls. + ''' + ANSI_CSI_RE = re.compile('\001?\033\\[((?:\\d|;)*)([a-zA-Z])\002?') # Control Sequence Introducer + ANSI_OSC_RE = re.compile('\001?\033\\]((?:.|;)*?)(\x07)\002?') # Operating System Command + + def __init__(self, wrapped, convert=None, strip=None, autoreset=False): + # The wrapped stream (normally sys.stdout or sys.stderr) + self.wrapped = wrapped + + # should we reset colors to defaults after every .write() + self.autoreset = autoreset + + # create the proxy wrapping our output stream + self.stream = StreamWrapper(wrapped, self) + + on_windows = os.name == 'nt' + # We test if the WinAPI works, because even if we are on Windows + # we may be using a terminal that doesn't support the WinAPI + # (e.g. Cygwin Terminal). In this case it's up to the terminal + # to support the ANSI codes. + conversion_supported = on_windows and winapi_test() + + # should we strip ANSI sequences from our output? + if strip is None: + strip = conversion_supported or (not self.stream.closed and not self.stream.isatty()) + self.strip = strip + + # should we should convert ANSI sequences into win32 calls? + if convert is None: + convert = conversion_supported and not self.stream.closed and self.stream.isatty() + self.convert = convert + + # dict of ansi codes to win32 functions and parameters + self.win32_calls = self.get_win32_calls() + + # are we wrapping stderr? + self.on_stderr = self.wrapped is sys.stderr + + def should_wrap(self): + ''' + True if this class is actually needed. If false, then the output + stream will not be affected, nor will win32 calls be issued, so + wrapping stdout is not actually required. This will generally be + False on non-Windows platforms, unless optional functionality like + autoreset has been requested using kwargs to init() + ''' + return self.convert or self.strip or self.autoreset + + def get_win32_calls(self): + if self.convert and winterm: + return { + AnsiStyle.RESET_ALL: (winterm.reset_all, ), + AnsiStyle.BRIGHT: (winterm.style, WinStyle.BRIGHT), + AnsiStyle.DIM: (winterm.style, WinStyle.NORMAL), + AnsiStyle.NORMAL: (winterm.style, WinStyle.NORMAL), + AnsiFore.BLACK: (winterm.fore, WinColor.BLACK), + AnsiFore.RED: (winterm.fore, WinColor.RED), + AnsiFore.GREEN: (winterm.fore, WinColor.GREEN), + AnsiFore.YELLOW: (winterm.fore, WinColor.YELLOW), + AnsiFore.BLUE: (winterm.fore, WinColor.BLUE), + AnsiFore.MAGENTA: (winterm.fore, WinColor.MAGENTA), + AnsiFore.CYAN: (winterm.fore, WinColor.CYAN), + AnsiFore.WHITE: (winterm.fore, WinColor.GREY), + AnsiFore.RESET: (winterm.fore, ), + AnsiFore.LIGHTBLACK_EX: (winterm.fore, WinColor.BLACK, True), + AnsiFore.LIGHTRED_EX: (winterm.fore, WinColor.RED, True), + AnsiFore.LIGHTGREEN_EX: (winterm.fore, WinColor.GREEN, True), + AnsiFore.LIGHTYELLOW_EX: (winterm.fore, WinColor.YELLOW, True), + AnsiFore.LIGHTBLUE_EX: (winterm.fore, WinColor.BLUE, True), + AnsiFore.LIGHTMAGENTA_EX: (winterm.fore, WinColor.MAGENTA, True), + AnsiFore.LIGHTCYAN_EX: (winterm.fore, WinColor.CYAN, True), + AnsiFore.LIGHTWHITE_EX: (winterm.fore, WinColor.GREY, True), + AnsiBack.BLACK: (winterm.back, WinColor.BLACK), + AnsiBack.RED: (winterm.back, WinColor.RED), + AnsiBack.GREEN: (winterm.back, WinColor.GREEN), + AnsiBack.YELLOW: (winterm.back, WinColor.YELLOW), + AnsiBack.BLUE: (winterm.back, WinColor.BLUE), + AnsiBack.MAGENTA: (winterm.back, WinColor.MAGENTA), + AnsiBack.CYAN: (winterm.back, WinColor.CYAN), + AnsiBack.WHITE: (winterm.back, WinColor.GREY), + AnsiBack.RESET: (winterm.back, ), + AnsiBack.LIGHTBLACK_EX: (winterm.back, WinColor.BLACK, True), + AnsiBack.LIGHTRED_EX: (winterm.back, WinColor.RED, True), + AnsiBack.LIGHTGREEN_EX: (winterm.back, WinColor.GREEN, True), + AnsiBack.LIGHTYELLOW_EX: (winterm.back, WinColor.YELLOW, True), + AnsiBack.LIGHTBLUE_EX: (winterm.back, WinColor.BLUE, True), + AnsiBack.LIGHTMAGENTA_EX: (winterm.back, WinColor.MAGENTA, True), + AnsiBack.LIGHTCYAN_EX: (winterm.back, WinColor.CYAN, True), + AnsiBack.LIGHTWHITE_EX: (winterm.back, WinColor.GREY, True), + } + return dict() + + def write(self, text): + if self.strip or self.convert: + self.write_and_convert(text) + else: + self.wrapped.write(text) + self.wrapped.flush() + if self.autoreset: + self.reset_all() + + + def reset_all(self): + if self.convert: + self.call_win32('m', (0,)) + elif not self.strip and not self.stream.closed: + self.wrapped.write(Style.RESET_ALL) + + + def write_and_convert(self, text): + ''' + Write the given text to our wrapped stream, stripping any ANSI + sequences from the text, and optionally converting them into win32 + calls. + ''' + cursor = 0 + text = self.convert_osc(text) + for match in self.ANSI_CSI_RE.finditer(text): + start, end = match.span() + self.write_plain_text(text, cursor, start) + self.convert_ansi(*match.groups()) + cursor = end + self.write_plain_text(text, cursor, len(text)) + + + def write_plain_text(self, text, start, end): + if start < end: + self.wrapped.write(text[start:end]) + self.wrapped.flush() + + + def convert_ansi(self, paramstring, command): + if self.convert: + params = self.extract_params(command, paramstring) + self.call_win32(command, params) + + + def extract_params(self, command, paramstring): + if command in 'Hf': + params = tuple(int(p) if len(p) != 0 else 1 for p in paramstring.split(';')) + while len(params) < 2: + # defaults: + params = params + (1,) + else: + params = tuple(int(p) for p in paramstring.split(';') if len(p) != 0) + if len(params) == 0: + # defaults: + if command in 'JKm': + params = (0,) + elif command in 'ABCD': + params = (1,) + + return params + + + def call_win32(self, command, params): + if command == 'm': + for param in params: + if param in self.win32_calls: + func_args = self.win32_calls[param] + func = func_args[0] + args = func_args[1:] + kwargs = dict(on_stderr=self.on_stderr) + func(*args, **kwargs) + elif command in 'J': + winterm.erase_screen(params[0], on_stderr=self.on_stderr) + elif command in 'K': + winterm.erase_line(params[0], on_stderr=self.on_stderr) + elif command in 'Hf': # cursor position - absolute + winterm.set_cursor_position(params, on_stderr=self.on_stderr) + elif command in 'ABCD': # cursor position - relative + n = params[0] + # A - up, B - down, C - forward, D - back + x, y = {'A': (0, -n), 'B': (0, n), 'C': (n, 0), 'D': (-n, 0)}[command] + winterm.cursor_adjust(x, y, on_stderr=self.on_stderr) + + + def convert_osc(self, text): + for match in self.ANSI_OSC_RE.finditer(text): + start, end = match.span() + text = text[:start] + text[end:] + paramstring, command = match.groups() + if command in '\x07': # \x07 = BEL + params = paramstring.split(";") + # 0 - change title and icon (we will only change title) + # 1 - change icon (we don't support this) + # 2 - change title + if params[0] in '02': + winterm.set_title(params[1]) + return text diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/initialise.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/initialise.py new file mode 100644 index 0000000..430d066 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/initialise.py @@ -0,0 +1,80 @@ +# Copyright Jonathan Hartley 2013. BSD 3-Clause license, see LICENSE file. +import atexit +import contextlib +import sys + +from .ansitowin32 import AnsiToWin32 + + +orig_stdout = None +orig_stderr = None + +wrapped_stdout = None +wrapped_stderr = None + +atexit_done = False + + +def reset_all(): + if AnsiToWin32 is not None: # Issue #74: objects might become None at exit + AnsiToWin32(orig_stdout).reset_all() + + +def init(autoreset=False, convert=None, strip=None, wrap=True): + + if not wrap and any([autoreset, convert, strip]): + raise ValueError('wrap=False conflicts with any other arg=True') + + global wrapped_stdout, wrapped_stderr + global orig_stdout, orig_stderr + + orig_stdout = sys.stdout + orig_stderr = sys.stderr + + if sys.stdout is None: + wrapped_stdout = None + else: + sys.stdout = wrapped_stdout = \ + wrap_stream(orig_stdout, convert, strip, autoreset, wrap) + if sys.stderr is None: + wrapped_stderr = None + else: + sys.stderr = wrapped_stderr = \ + wrap_stream(orig_stderr, convert, strip, autoreset, wrap) + + global atexit_done + if not atexit_done: + atexit.register(reset_all) + atexit_done = True + + +def deinit(): + if orig_stdout is not None: + sys.stdout = orig_stdout + if orig_stderr is not None: + sys.stderr = orig_stderr + + +@contextlib.contextmanager +def colorama_text(*args, **kwargs): + init(*args, **kwargs) + try: + yield + finally: + deinit() + + +def reinit(): + if wrapped_stdout is not None: + sys.stdout = wrapped_stdout + if wrapped_stderr is not None: + sys.stderr = wrapped_stderr + + +def wrap_stream(stream, convert, strip, autoreset, wrap): + if wrap: + wrapper = AnsiToWin32(stream, + convert=convert, strip=strip, autoreset=autoreset) + if wrapper.should_wrap(): + stream = wrapper.stream + return stream diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/win32.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/win32.py new file mode 100644 index 0000000..c2d8360 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/win32.py @@ -0,0 +1,152 @@ +# Copyright Jonathan Hartley 2013. BSD 3-Clause license, see LICENSE file. + +# from winbase.h +STDOUT = -11 +STDERR = -12 + +try: + import ctypes + from ctypes import LibraryLoader + windll = LibraryLoader(ctypes.WinDLL) + from ctypes import wintypes +except (AttributeError, ImportError): + windll = None + SetConsoleTextAttribute = lambda *_: None + winapi_test = lambda *_: None +else: + from ctypes import byref, Structure, c_char, POINTER + + COORD = wintypes._COORD + + class CONSOLE_SCREEN_BUFFER_INFO(Structure): + """struct in wincon.h.""" + _fields_ = [ + ("dwSize", COORD), + ("dwCursorPosition", COORD), + ("wAttributes", wintypes.WORD), + ("srWindow", wintypes.SMALL_RECT), + ("dwMaximumWindowSize", COORD), + ] + def __str__(self): + return '(%d,%d,%d,%d,%d,%d,%d,%d,%d,%d,%d)' % ( + self.dwSize.Y, self.dwSize.X + , self.dwCursorPosition.Y, self.dwCursorPosition.X + , self.wAttributes + , self.srWindow.Top, self.srWindow.Left, self.srWindow.Bottom, self.srWindow.Right + , self.dwMaximumWindowSize.Y, self.dwMaximumWindowSize.X + ) + + _GetStdHandle = windll.kernel32.GetStdHandle + _GetStdHandle.argtypes = [ + wintypes.DWORD, + ] + _GetStdHandle.restype = wintypes.HANDLE + + _GetConsoleScreenBufferInfo = windll.kernel32.GetConsoleScreenBufferInfo + _GetConsoleScreenBufferInfo.argtypes = [ + wintypes.HANDLE, + POINTER(CONSOLE_SCREEN_BUFFER_INFO), + ] + _GetConsoleScreenBufferInfo.restype = wintypes.BOOL + + _SetConsoleTextAttribute = windll.kernel32.SetConsoleTextAttribute + _SetConsoleTextAttribute.argtypes = [ + wintypes.HANDLE, + wintypes.WORD, + ] + _SetConsoleTextAttribute.restype = wintypes.BOOL + + _SetConsoleCursorPosition = windll.kernel32.SetConsoleCursorPosition + _SetConsoleCursorPosition.argtypes = [ + wintypes.HANDLE, + COORD, + ] + _SetConsoleCursorPosition.restype = wintypes.BOOL + + _FillConsoleOutputCharacterA = windll.kernel32.FillConsoleOutputCharacterA + _FillConsoleOutputCharacterA.argtypes = [ + wintypes.HANDLE, + c_char, + wintypes.DWORD, + COORD, + POINTER(wintypes.DWORD), + ] + _FillConsoleOutputCharacterA.restype = wintypes.BOOL + + _FillConsoleOutputAttribute = windll.kernel32.FillConsoleOutputAttribute + _FillConsoleOutputAttribute.argtypes = [ + wintypes.HANDLE, + wintypes.WORD, + wintypes.DWORD, + COORD, + POINTER(wintypes.DWORD), + ] + _FillConsoleOutputAttribute.restype = wintypes.BOOL + + _SetConsoleTitleW = windll.kernel32.SetConsoleTitleW + _SetConsoleTitleW.argtypes = [ + wintypes.LPCWSTR + ] + _SetConsoleTitleW.restype = wintypes.BOOL + + def _winapi_test(handle): + csbi = CONSOLE_SCREEN_BUFFER_INFO() + success = _GetConsoleScreenBufferInfo( + handle, byref(csbi)) + return bool(success) + + def winapi_test(): + return any(_winapi_test(h) for h in + (_GetStdHandle(STDOUT), _GetStdHandle(STDERR))) + + def GetConsoleScreenBufferInfo(stream_id=STDOUT): + handle = _GetStdHandle(stream_id) + csbi = CONSOLE_SCREEN_BUFFER_INFO() + success = _GetConsoleScreenBufferInfo( + handle, byref(csbi)) + return csbi + + def SetConsoleTextAttribute(stream_id, attrs): + handle = _GetStdHandle(stream_id) + return _SetConsoleTextAttribute(handle, attrs) + + def SetConsoleCursorPosition(stream_id, position, adjust=True): + position = COORD(*position) + # If the position is out of range, do nothing. + if position.Y <= 0 or position.X <= 0: + return + # Adjust for Windows' SetConsoleCursorPosition: + # 1. being 0-based, while ANSI is 1-based. + # 2. expecting (x,y), while ANSI uses (y,x). + adjusted_position = COORD(position.Y - 1, position.X - 1) + if adjust: + # Adjust for viewport's scroll position + sr = GetConsoleScreenBufferInfo(STDOUT).srWindow + adjusted_position.Y += sr.Top + adjusted_position.X += sr.Left + # Resume normal processing + handle = _GetStdHandle(stream_id) + return _SetConsoleCursorPosition(handle, adjusted_position) + + def FillConsoleOutputCharacter(stream_id, char, length, start): + handle = _GetStdHandle(stream_id) + char = c_char(char.encode()) + length = wintypes.DWORD(length) + num_written = wintypes.DWORD(0) + # Note that this is hard-coded for ANSI (vs wide) bytes. + success = _FillConsoleOutputCharacterA( + handle, char, length, start, byref(num_written)) + return num_written.value + + def FillConsoleOutputAttribute(stream_id, attr, length, start): + ''' FillConsoleOutputAttribute( hConsole, csbi.wAttributes, dwConSize, coordScreen, &cCharsWritten )''' + handle = _GetStdHandle(stream_id) + attribute = wintypes.WORD(attr) + length = wintypes.DWORD(length) + num_written = wintypes.DWORD(0) + # Note that this is hard-coded for ANSI (vs wide) bytes. + return _FillConsoleOutputAttribute( + handle, attribute, length, start, byref(num_written)) + + def SetConsoleTitle(title): + return _SetConsoleTitleW(title) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/winterm.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/winterm.py new file mode 100644 index 0000000..0fdb4ec --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/winterm.py @@ -0,0 +1,169 @@ +# Copyright Jonathan Hartley 2013. BSD 3-Clause license, see LICENSE file. +from . import win32 + + +# from wincon.h +class WinColor(object): + BLACK = 0 + BLUE = 1 + GREEN = 2 + CYAN = 3 + RED = 4 + MAGENTA = 5 + YELLOW = 6 + GREY = 7 + +# from wincon.h +class WinStyle(object): + NORMAL = 0x00 # dim text, dim background + BRIGHT = 0x08 # bright text, dim background + BRIGHT_BACKGROUND = 0x80 # dim text, bright background + +class WinTerm(object): + + def __init__(self): + self._default = win32.GetConsoleScreenBufferInfo(win32.STDOUT).wAttributes + self.set_attrs(self._default) + self._default_fore = self._fore + self._default_back = self._back + self._default_style = self._style + # In order to emulate LIGHT_EX in windows, we borrow the BRIGHT style. + # So that LIGHT_EX colors and BRIGHT style do not clobber each other, + # we track them separately, since LIGHT_EX is overwritten by Fore/Back + # and BRIGHT is overwritten by Style codes. + self._light = 0 + + def get_attrs(self): + return self._fore + self._back * 16 + (self._style | self._light) + + def set_attrs(self, value): + self._fore = value & 7 + self._back = (value >> 4) & 7 + self._style = value & (WinStyle.BRIGHT | WinStyle.BRIGHT_BACKGROUND) + + def reset_all(self, on_stderr=None): + self.set_attrs(self._default) + self.set_console(attrs=self._default) + self._light = 0 + + def fore(self, fore=None, light=False, on_stderr=False): + if fore is None: + fore = self._default_fore + self._fore = fore + # Emulate LIGHT_EX with BRIGHT Style + if light: + self._light |= WinStyle.BRIGHT + else: + self._light &= ~WinStyle.BRIGHT + self.set_console(on_stderr=on_stderr) + + def back(self, back=None, light=False, on_stderr=False): + if back is None: + back = self._default_back + self._back = back + # Emulate LIGHT_EX with BRIGHT_BACKGROUND Style + if light: + self._light |= WinStyle.BRIGHT_BACKGROUND + else: + self._light &= ~WinStyle.BRIGHT_BACKGROUND + self.set_console(on_stderr=on_stderr) + + def style(self, style=None, on_stderr=False): + if style is None: + style = self._default_style + self._style = style + self.set_console(on_stderr=on_stderr) + + def set_console(self, attrs=None, on_stderr=False): + if attrs is None: + attrs = self.get_attrs() + handle = win32.STDOUT + if on_stderr: + handle = win32.STDERR + win32.SetConsoleTextAttribute(handle, attrs) + + def get_position(self, handle): + position = win32.GetConsoleScreenBufferInfo(handle).dwCursorPosition + # Because Windows coordinates are 0-based, + # and win32.SetConsoleCursorPosition expects 1-based. + position.X += 1 + position.Y += 1 + return position + + def set_cursor_position(self, position=None, on_stderr=False): + if position is None: + # I'm not currently tracking the position, so there is no default. + # position = self.get_position() + return + handle = win32.STDOUT + if on_stderr: + handle = win32.STDERR + win32.SetConsoleCursorPosition(handle, position) + + def cursor_adjust(self, x, y, on_stderr=False): + handle = win32.STDOUT + if on_stderr: + handle = win32.STDERR + position = self.get_position(handle) + adjusted_position = (position.Y + y, position.X + x) + win32.SetConsoleCursorPosition(handle, adjusted_position, adjust=False) + + def erase_screen(self, mode=0, on_stderr=False): + # 0 should clear from the cursor to the end of the screen. + # 1 should clear from the cursor to the beginning of the screen. + # 2 should clear the entire screen, and move cursor to (1,1) + handle = win32.STDOUT + if on_stderr: + handle = win32.STDERR + csbi = win32.GetConsoleScreenBufferInfo(handle) + # get the number of character cells in the current buffer + cells_in_screen = csbi.dwSize.X * csbi.dwSize.Y + # get number of character cells before current cursor position + cells_before_cursor = csbi.dwSize.X * csbi.dwCursorPosition.Y + csbi.dwCursorPosition.X + if mode == 0: + from_coord = csbi.dwCursorPosition + cells_to_erase = cells_in_screen - cells_before_cursor + elif mode == 1: + from_coord = win32.COORD(0, 0) + cells_to_erase = cells_before_cursor + elif mode == 2: + from_coord = win32.COORD(0, 0) + cells_to_erase = cells_in_screen + else: + # invalid mode + return + # fill the entire screen with blanks + win32.FillConsoleOutputCharacter(handle, ' ', cells_to_erase, from_coord) + # now set the buffer's attributes accordingly + win32.FillConsoleOutputAttribute(handle, self.get_attrs(), cells_to_erase, from_coord) + if mode == 2: + # put the cursor where needed + win32.SetConsoleCursorPosition(handle, (1, 1)) + + def erase_line(self, mode=0, on_stderr=False): + # 0 should clear from the cursor to the end of the line. + # 1 should clear from the cursor to the beginning of the line. + # 2 should clear the entire line. + handle = win32.STDOUT + if on_stderr: + handle = win32.STDERR + csbi = win32.GetConsoleScreenBufferInfo(handle) + if mode == 0: + from_coord = csbi.dwCursorPosition + cells_to_erase = csbi.dwSize.X - csbi.dwCursorPosition.X + elif mode == 1: + from_coord = win32.COORD(0, csbi.dwCursorPosition.Y) + cells_to_erase = csbi.dwCursorPosition.X + elif mode == 2: + from_coord = win32.COORD(0, csbi.dwCursorPosition.Y) + cells_to_erase = csbi.dwSize.X + else: + # invalid mode + return + # fill the entire screen with blanks + win32.FillConsoleOutputCharacter(handle, ' ', cells_to_erase, from_coord) + # now set the buffer's attributes accordingly + win32.FillConsoleOutputAttribute(handle, self.get_attrs(), cells_to_erase, from_coord) + + def set_title(self, title): + win32.SetConsoleTitle(title) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/__init__.py new file mode 100644 index 0000000..a786b4d --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/__init__.py @@ -0,0 +1,23 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2012-2017 Vinay Sajip. +# Licensed to the Python Software Foundation under a contributor agreement. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +import logging + +__version__ = '0.2.8' + +class DistlibException(Exception): + pass + +try: + from logging import NullHandler +except ImportError: # pragma: no cover + class NullHandler(logging.Handler): + def handle(self, record): pass + def emit(self, record): pass + def createLock(self): self.lock = None + +logger = logging.getLogger(__name__) +logger.addHandler(NullHandler()) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/__init__.py new file mode 100644 index 0000000..f7dbf4c --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/__init__.py @@ -0,0 +1,6 @@ +"""Modules copied from Python 3 standard libraries, for internal use only. + +Individual classes and functions are found in d2._backport.misc. Intended +usage is to always import things missing from 3.1 from that module: the +built-in/stdlib objects will be used if found. +""" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/misc.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/misc.py new file mode 100644 index 0000000..cfb318d --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/misc.py @@ -0,0 +1,41 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2012 The Python Software Foundation. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +"""Backports for individual classes and functions.""" + +import os +import sys + +__all__ = ['cache_from_source', 'callable', 'fsencode'] + + +try: + from imp import cache_from_source +except ImportError: + def cache_from_source(py_file, debug=__debug__): + ext = debug and 'c' or 'o' + return py_file + ext + + +try: + callable = callable +except NameError: + from collections import Callable + + def callable(obj): + return isinstance(obj, Callable) + + +try: + fsencode = os.fsencode +except AttributeError: + def fsencode(filename): + if isinstance(filename, bytes): + return filename + elif isinstance(filename, str): + return filename.encode(sys.getfilesystemencoding()) + else: + raise TypeError("expect bytes or str, not %s" % + type(filename).__name__) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/shutil.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/shutil.py new file mode 100644 index 0000000..159e49e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/shutil.py @@ -0,0 +1,761 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2012 The Python Software Foundation. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +"""Utility functions for copying and archiving files and directory trees. + +XXX The functions here don't copy the resource fork or other metadata on Mac. + +""" + +import os +import sys +import stat +from os.path import abspath +import fnmatch +import collections +import errno +from . import tarfile + +try: + import bz2 + _BZ2_SUPPORTED = True +except ImportError: + _BZ2_SUPPORTED = False + +try: + from pwd import getpwnam +except ImportError: + getpwnam = None + +try: + from grp import getgrnam +except ImportError: + getgrnam = None + +__all__ = ["copyfileobj", "copyfile", "copymode", "copystat", "copy", "copy2", + "copytree", "move", "rmtree", "Error", "SpecialFileError", + "ExecError", "make_archive", "get_archive_formats", + "register_archive_format", "unregister_archive_format", + "get_unpack_formats", "register_unpack_format", + "unregister_unpack_format", "unpack_archive", "ignore_patterns"] + +class Error(EnvironmentError): + pass + +class SpecialFileError(EnvironmentError): + """Raised when trying to do a kind of operation (e.g. copying) which is + not supported on a special file (e.g. a named pipe)""" + +class ExecError(EnvironmentError): + """Raised when a command could not be executed""" + +class ReadError(EnvironmentError): + """Raised when an archive cannot be read""" + +class RegistryError(Exception): + """Raised when a registry operation with the archiving + and unpacking registries fails""" + + +try: + WindowsError +except NameError: + WindowsError = None + +def copyfileobj(fsrc, fdst, length=16*1024): + """copy data from file-like object fsrc to file-like object fdst""" + while 1: + buf = fsrc.read(length) + if not buf: + break + fdst.write(buf) + +def _samefile(src, dst): + # Macintosh, Unix. + if hasattr(os.path, 'samefile'): + try: + return os.path.samefile(src, dst) + except OSError: + return False + + # All other platforms: check for same pathname. + return (os.path.normcase(os.path.abspath(src)) == + os.path.normcase(os.path.abspath(dst))) + +def copyfile(src, dst): + """Copy data from src to dst""" + if _samefile(src, dst): + raise Error("`%s` and `%s` are the same file" % (src, dst)) + + for fn in [src, dst]: + try: + st = os.stat(fn) + except OSError: + # File most likely does not exist + pass + else: + # XXX What about other special files? (sockets, devices...) + if stat.S_ISFIFO(st.st_mode): + raise SpecialFileError("`%s` is a named pipe" % fn) + + with open(src, 'rb') as fsrc: + with open(dst, 'wb') as fdst: + copyfileobj(fsrc, fdst) + +def copymode(src, dst): + """Copy mode bits from src to dst""" + if hasattr(os, 'chmod'): + st = os.stat(src) + mode = stat.S_IMODE(st.st_mode) + os.chmod(dst, mode) + +def copystat(src, dst): + """Copy all stat info (mode bits, atime, mtime, flags) from src to dst""" + st = os.stat(src) + mode = stat.S_IMODE(st.st_mode) + if hasattr(os, 'utime'): + os.utime(dst, (st.st_atime, st.st_mtime)) + if hasattr(os, 'chmod'): + os.chmod(dst, mode) + if hasattr(os, 'chflags') and hasattr(st, 'st_flags'): + try: + os.chflags(dst, st.st_flags) + except OSError as why: + if (not hasattr(errno, 'EOPNOTSUPP') or + why.errno != errno.EOPNOTSUPP): + raise + +def copy(src, dst): + """Copy data and mode bits ("cp src dst"). + + The destination may be a directory. + + """ + if os.path.isdir(dst): + dst = os.path.join(dst, os.path.basename(src)) + copyfile(src, dst) + copymode(src, dst) + +def copy2(src, dst): + """Copy data and all stat info ("cp -p src dst"). + + The destination may be a directory. + + """ + if os.path.isdir(dst): + dst = os.path.join(dst, os.path.basename(src)) + copyfile(src, dst) + copystat(src, dst) + +def ignore_patterns(*patterns): + """Function that can be used as copytree() ignore parameter. + + Patterns is a sequence of glob-style patterns + that are used to exclude files""" + def _ignore_patterns(path, names): + ignored_names = [] + for pattern in patterns: + ignored_names.extend(fnmatch.filter(names, pattern)) + return set(ignored_names) + return _ignore_patterns + +def copytree(src, dst, symlinks=False, ignore=None, copy_function=copy2, + ignore_dangling_symlinks=False): + """Recursively copy a directory tree. + + The destination directory must not already exist. + If exception(s) occur, an Error is raised with a list of reasons. + + If the optional symlinks flag is true, symbolic links in the + source tree result in symbolic links in the destination tree; if + it is false, the contents of the files pointed to by symbolic + links are copied. If the file pointed by the symlink doesn't + exist, an exception will be added in the list of errors raised in + an Error exception at the end of the copy process. + + You can set the optional ignore_dangling_symlinks flag to true if you + want to silence this exception. Notice that this has no effect on + platforms that don't support os.symlink. + + The optional ignore argument is a callable. If given, it + is called with the `src` parameter, which is the directory + being visited by copytree(), and `names` which is the list of + `src` contents, as returned by os.listdir(): + + callable(src, names) -> ignored_names + + Since copytree() is called recursively, the callable will be + called once for each directory that is copied. It returns a + list of names relative to the `src` directory that should + not be copied. + + The optional copy_function argument is a callable that will be used + to copy each file. It will be called with the source path and the + destination path as arguments. By default, copy2() is used, but any + function that supports the same signature (like copy()) can be used. + + """ + names = os.listdir(src) + if ignore is not None: + ignored_names = ignore(src, names) + else: + ignored_names = set() + + os.makedirs(dst) + errors = [] + for name in names: + if name in ignored_names: + continue + srcname = os.path.join(src, name) + dstname = os.path.join(dst, name) + try: + if os.path.islink(srcname): + linkto = os.readlink(srcname) + if symlinks: + os.symlink(linkto, dstname) + else: + # ignore dangling symlink if the flag is on + if not os.path.exists(linkto) and ignore_dangling_symlinks: + continue + # otherwise let the copy occurs. copy2 will raise an error + copy_function(srcname, dstname) + elif os.path.isdir(srcname): + copytree(srcname, dstname, symlinks, ignore, copy_function) + else: + # Will raise a SpecialFileError for unsupported file types + copy_function(srcname, dstname) + # catch the Error from the recursive copytree so that we can + # continue with other files + except Error as err: + errors.extend(err.args[0]) + except EnvironmentError as why: + errors.append((srcname, dstname, str(why))) + try: + copystat(src, dst) + except OSError as why: + if WindowsError is not None and isinstance(why, WindowsError): + # Copying file access times may fail on Windows + pass + else: + errors.extend((src, dst, str(why))) + if errors: + raise Error(errors) + +def rmtree(path, ignore_errors=False, onerror=None): + """Recursively delete a directory tree. + + If ignore_errors is set, errors are ignored; otherwise, if onerror + is set, it is called to handle the error with arguments (func, + path, exc_info) where func is os.listdir, os.remove, or os.rmdir; + path is the argument to that function that caused it to fail; and + exc_info is a tuple returned by sys.exc_info(). If ignore_errors + is false and onerror is None, an exception is raised. + + """ + if ignore_errors: + def onerror(*args): + pass + elif onerror is None: + def onerror(*args): + raise + try: + if os.path.islink(path): + # symlinks to directories are forbidden, see bug #1669 + raise OSError("Cannot call rmtree on a symbolic link") + except OSError: + onerror(os.path.islink, path, sys.exc_info()) + # can't continue even if onerror hook returns + return + names = [] + try: + names = os.listdir(path) + except os.error: + onerror(os.listdir, path, sys.exc_info()) + for name in names: + fullname = os.path.join(path, name) + try: + mode = os.lstat(fullname).st_mode + except os.error: + mode = 0 + if stat.S_ISDIR(mode): + rmtree(fullname, ignore_errors, onerror) + else: + try: + os.remove(fullname) + except os.error: + onerror(os.remove, fullname, sys.exc_info()) + try: + os.rmdir(path) + except os.error: + onerror(os.rmdir, path, sys.exc_info()) + + +def _basename(path): + # A basename() variant which first strips the trailing slash, if present. + # Thus we always get the last component of the path, even for directories. + return os.path.basename(path.rstrip(os.path.sep)) + +def move(src, dst): + """Recursively move a file or directory to another location. This is + similar to the Unix "mv" command. + + If the destination is a directory or a symlink to a directory, the source + is moved inside the directory. The destination path must not already + exist. + + If the destination already exists but is not a directory, it may be + overwritten depending on os.rename() semantics. + + If the destination is on our current filesystem, then rename() is used. + Otherwise, src is copied to the destination and then removed. + A lot more could be done here... A look at a mv.c shows a lot of + the issues this implementation glosses over. + + """ + real_dst = dst + if os.path.isdir(dst): + if _samefile(src, dst): + # We might be on a case insensitive filesystem, + # perform the rename anyway. + os.rename(src, dst) + return + + real_dst = os.path.join(dst, _basename(src)) + if os.path.exists(real_dst): + raise Error("Destination path '%s' already exists" % real_dst) + try: + os.rename(src, real_dst) + except OSError: + if os.path.isdir(src): + if _destinsrc(src, dst): + raise Error("Cannot move a directory '%s' into itself '%s'." % (src, dst)) + copytree(src, real_dst, symlinks=True) + rmtree(src) + else: + copy2(src, real_dst) + os.unlink(src) + +def _destinsrc(src, dst): + src = abspath(src) + dst = abspath(dst) + if not src.endswith(os.path.sep): + src += os.path.sep + if not dst.endswith(os.path.sep): + dst += os.path.sep + return dst.startswith(src) + +def _get_gid(name): + """Returns a gid, given a group name.""" + if getgrnam is None or name is None: + return None + try: + result = getgrnam(name) + except KeyError: + result = None + if result is not None: + return result[2] + return None + +def _get_uid(name): + """Returns an uid, given a user name.""" + if getpwnam is None or name is None: + return None + try: + result = getpwnam(name) + except KeyError: + result = None + if result is not None: + return result[2] + return None + +def _make_tarball(base_name, base_dir, compress="gzip", verbose=0, dry_run=0, + owner=None, group=None, logger=None): + """Create a (possibly compressed) tar file from all the files under + 'base_dir'. + + 'compress' must be "gzip" (the default), "bzip2", or None. + + 'owner' and 'group' can be used to define an owner and a group for the + archive that is being built. If not provided, the current owner and group + will be used. + + The output tar file will be named 'base_name' + ".tar", possibly plus + the appropriate compression extension (".gz", or ".bz2"). + + Returns the output filename. + """ + tar_compression = {'gzip': 'gz', None: ''} + compress_ext = {'gzip': '.gz'} + + if _BZ2_SUPPORTED: + tar_compression['bzip2'] = 'bz2' + compress_ext['bzip2'] = '.bz2' + + # flags for compression program, each element of list will be an argument + if compress is not None and compress not in compress_ext: + raise ValueError("bad value for 'compress', or compression format not " + "supported : {0}".format(compress)) + + archive_name = base_name + '.tar' + compress_ext.get(compress, '') + archive_dir = os.path.dirname(archive_name) + + if not os.path.exists(archive_dir): + if logger is not None: + logger.info("creating %s", archive_dir) + if not dry_run: + os.makedirs(archive_dir) + + # creating the tarball + if logger is not None: + logger.info('Creating tar archive') + + uid = _get_uid(owner) + gid = _get_gid(group) + + def _set_uid_gid(tarinfo): + if gid is not None: + tarinfo.gid = gid + tarinfo.gname = group + if uid is not None: + tarinfo.uid = uid + tarinfo.uname = owner + return tarinfo + + if not dry_run: + tar = tarfile.open(archive_name, 'w|%s' % tar_compression[compress]) + try: + tar.add(base_dir, filter=_set_uid_gid) + finally: + tar.close() + + return archive_name + +def _call_external_zip(base_dir, zip_filename, verbose=False, dry_run=False): + # XXX see if we want to keep an external call here + if verbose: + zipoptions = "-r" + else: + zipoptions = "-rq" + from distutils.errors import DistutilsExecError + from distutils.spawn import spawn + try: + spawn(["zip", zipoptions, zip_filename, base_dir], dry_run=dry_run) + except DistutilsExecError: + # XXX really should distinguish between "couldn't find + # external 'zip' command" and "zip failed". + raise ExecError("unable to create zip file '%s': " + "could neither import the 'zipfile' module nor " + "find a standalone zip utility") % zip_filename + +def _make_zipfile(base_name, base_dir, verbose=0, dry_run=0, logger=None): + """Create a zip file from all the files under 'base_dir'. + + The output zip file will be named 'base_name' + ".zip". Uses either the + "zipfile" Python module (if available) or the InfoZIP "zip" utility + (if installed and found on the default search path). If neither tool is + available, raises ExecError. Returns the name of the output zip + file. + """ + zip_filename = base_name + ".zip" + archive_dir = os.path.dirname(base_name) + + if not os.path.exists(archive_dir): + if logger is not None: + logger.info("creating %s", archive_dir) + if not dry_run: + os.makedirs(archive_dir) + + # If zipfile module is not available, try spawning an external 'zip' + # command. + try: + import zipfile + except ImportError: + zipfile = None + + if zipfile is None: + _call_external_zip(base_dir, zip_filename, verbose, dry_run) + else: + if logger is not None: + logger.info("creating '%s' and adding '%s' to it", + zip_filename, base_dir) + + if not dry_run: + zip = zipfile.ZipFile(zip_filename, "w", + compression=zipfile.ZIP_DEFLATED) + + for dirpath, dirnames, filenames in os.walk(base_dir): + for name in filenames: + path = os.path.normpath(os.path.join(dirpath, name)) + if os.path.isfile(path): + zip.write(path, path) + if logger is not None: + logger.info("adding '%s'", path) + zip.close() + + return zip_filename + +_ARCHIVE_FORMATS = { + 'gztar': (_make_tarball, [('compress', 'gzip')], "gzip'ed tar-file"), + 'bztar': (_make_tarball, [('compress', 'bzip2')], "bzip2'ed tar-file"), + 'tar': (_make_tarball, [('compress', None)], "uncompressed tar file"), + 'zip': (_make_zipfile, [], "ZIP file"), + } + +if _BZ2_SUPPORTED: + _ARCHIVE_FORMATS['bztar'] = (_make_tarball, [('compress', 'bzip2')], + "bzip2'ed tar-file") + +def get_archive_formats(): + """Returns a list of supported formats for archiving and unarchiving. + + Each element of the returned sequence is a tuple (name, description) + """ + formats = [(name, registry[2]) for name, registry in + _ARCHIVE_FORMATS.items()] + formats.sort() + return formats + +def register_archive_format(name, function, extra_args=None, description=''): + """Registers an archive format. + + name is the name of the format. function is the callable that will be + used to create archives. If provided, extra_args is a sequence of + (name, value) tuples that will be passed as arguments to the callable. + description can be provided to describe the format, and will be returned + by the get_archive_formats() function. + """ + if extra_args is None: + extra_args = [] + if not isinstance(function, collections.Callable): + raise TypeError('The %s object is not callable' % function) + if not isinstance(extra_args, (tuple, list)): + raise TypeError('extra_args needs to be a sequence') + for element in extra_args: + if not isinstance(element, (tuple, list)) or len(element) !=2: + raise TypeError('extra_args elements are : (arg_name, value)') + + _ARCHIVE_FORMATS[name] = (function, extra_args, description) + +def unregister_archive_format(name): + del _ARCHIVE_FORMATS[name] + +def make_archive(base_name, format, root_dir=None, base_dir=None, verbose=0, + dry_run=0, owner=None, group=None, logger=None): + """Create an archive file (eg. zip or tar). + + 'base_name' is the name of the file to create, minus any format-specific + extension; 'format' is the archive format: one of "zip", "tar", "bztar" + or "gztar". + + 'root_dir' is a directory that will be the root directory of the + archive; ie. we typically chdir into 'root_dir' before creating the + archive. 'base_dir' is the directory where we start archiving from; + ie. 'base_dir' will be the common prefix of all files and + directories in the archive. 'root_dir' and 'base_dir' both default + to the current directory. Returns the name of the archive file. + + 'owner' and 'group' are used when creating a tar archive. By default, + uses the current owner and group. + """ + save_cwd = os.getcwd() + if root_dir is not None: + if logger is not None: + logger.debug("changing into '%s'", root_dir) + base_name = os.path.abspath(base_name) + if not dry_run: + os.chdir(root_dir) + + if base_dir is None: + base_dir = os.curdir + + kwargs = {'dry_run': dry_run, 'logger': logger} + + try: + format_info = _ARCHIVE_FORMATS[format] + except KeyError: + raise ValueError("unknown archive format '%s'" % format) + + func = format_info[0] + for arg, val in format_info[1]: + kwargs[arg] = val + + if format != 'zip': + kwargs['owner'] = owner + kwargs['group'] = group + + try: + filename = func(base_name, base_dir, **kwargs) + finally: + if root_dir is not None: + if logger is not None: + logger.debug("changing back to '%s'", save_cwd) + os.chdir(save_cwd) + + return filename + + +def get_unpack_formats(): + """Returns a list of supported formats for unpacking. + + Each element of the returned sequence is a tuple + (name, extensions, description) + """ + formats = [(name, info[0], info[3]) for name, info in + _UNPACK_FORMATS.items()] + formats.sort() + return formats + +def _check_unpack_options(extensions, function, extra_args): + """Checks what gets registered as an unpacker.""" + # first make sure no other unpacker is registered for this extension + existing_extensions = {} + for name, info in _UNPACK_FORMATS.items(): + for ext in info[0]: + existing_extensions[ext] = name + + for extension in extensions: + if extension in existing_extensions: + msg = '%s is already registered for "%s"' + raise RegistryError(msg % (extension, + existing_extensions[extension])) + + if not isinstance(function, collections.Callable): + raise TypeError('The registered function must be a callable') + + +def register_unpack_format(name, extensions, function, extra_args=None, + description=''): + """Registers an unpack format. + + `name` is the name of the format. `extensions` is a list of extensions + corresponding to the format. + + `function` is the callable that will be + used to unpack archives. The callable will receive archives to unpack. + If it's unable to handle an archive, it needs to raise a ReadError + exception. + + If provided, `extra_args` is a sequence of + (name, value) tuples that will be passed as arguments to the callable. + description can be provided to describe the format, and will be returned + by the get_unpack_formats() function. + """ + if extra_args is None: + extra_args = [] + _check_unpack_options(extensions, function, extra_args) + _UNPACK_FORMATS[name] = extensions, function, extra_args, description + +def unregister_unpack_format(name): + """Removes the pack format from the registry.""" + del _UNPACK_FORMATS[name] + +def _ensure_directory(path): + """Ensure that the parent directory of `path` exists""" + dirname = os.path.dirname(path) + if not os.path.isdir(dirname): + os.makedirs(dirname) + +def _unpack_zipfile(filename, extract_dir): + """Unpack zip `filename` to `extract_dir` + """ + try: + import zipfile + except ImportError: + raise ReadError('zlib not supported, cannot unpack this archive.') + + if not zipfile.is_zipfile(filename): + raise ReadError("%s is not a zip file" % filename) + + zip = zipfile.ZipFile(filename) + try: + for info in zip.infolist(): + name = info.filename + + # don't extract absolute paths or ones with .. in them + if name.startswith('/') or '..' in name: + continue + + target = os.path.join(extract_dir, *name.split('/')) + if not target: + continue + + _ensure_directory(target) + if not name.endswith('/'): + # file + data = zip.read(info.filename) + f = open(target, 'wb') + try: + f.write(data) + finally: + f.close() + del data + finally: + zip.close() + +def _unpack_tarfile(filename, extract_dir): + """Unpack tar/tar.gz/tar.bz2 `filename` to `extract_dir` + """ + try: + tarobj = tarfile.open(filename) + except tarfile.TarError: + raise ReadError( + "%s is not a compressed or uncompressed tar file" % filename) + try: + tarobj.extractall(extract_dir) + finally: + tarobj.close() + +_UNPACK_FORMATS = { + 'gztar': (['.tar.gz', '.tgz'], _unpack_tarfile, [], "gzip'ed tar-file"), + 'tar': (['.tar'], _unpack_tarfile, [], "uncompressed tar file"), + 'zip': (['.zip'], _unpack_zipfile, [], "ZIP file") + } + +if _BZ2_SUPPORTED: + _UNPACK_FORMATS['bztar'] = (['.bz2'], _unpack_tarfile, [], + "bzip2'ed tar-file") + +def _find_unpack_format(filename): + for name, info in _UNPACK_FORMATS.items(): + for extension in info[0]: + if filename.endswith(extension): + return name + return None + +def unpack_archive(filename, extract_dir=None, format=None): + """Unpack an archive. + + `filename` is the name of the archive. + + `extract_dir` is the name of the target directory, where the archive + is unpacked. If not provided, the current working directory is used. + + `format` is the archive format: one of "zip", "tar", or "gztar". Or any + other registered format. If not provided, unpack_archive will use the + filename extension and see if an unpacker was registered for that + extension. + + In case none is found, a ValueError is raised. + """ + if extract_dir is None: + extract_dir = os.getcwd() + + if format is not None: + try: + format_info = _UNPACK_FORMATS[format] + except KeyError: + raise ValueError("Unknown unpack format '{0}'".format(format)) + + func = format_info[1] + func(filename, extract_dir, **dict(format_info[2])) + else: + # we need to look at the registered unpackers supported extensions + format = _find_unpack_format(filename) + if format is None: + raise ReadError("Unknown archive format '{0}'".format(filename)) + + func = _UNPACK_FORMATS[format][1] + kwargs = dict(_UNPACK_FORMATS[format][2]) + func(filename, extract_dir, **kwargs) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/sysconfig.cfg b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/sysconfig.cfg new file mode 100644 index 0000000..1746bd0 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/sysconfig.cfg @@ -0,0 +1,84 @@ +[posix_prefix] +# Configuration directories. Some of these come straight out of the +# configure script. They are for implementing the other variables, not to +# be used directly in [resource_locations]. +confdir = /etc +datadir = /usr/share +libdir = /usr/lib +statedir = /var +# User resource directory +local = ~/.local/{distribution.name} + +stdlib = {base}/lib/python{py_version_short} +platstdlib = {platbase}/lib/python{py_version_short} +purelib = {base}/lib/python{py_version_short}/site-packages +platlib = {platbase}/lib/python{py_version_short}/site-packages +include = {base}/include/python{py_version_short}{abiflags} +platinclude = {platbase}/include/python{py_version_short}{abiflags} +data = {base} + +[posix_home] +stdlib = {base}/lib/python +platstdlib = {base}/lib/python +purelib = {base}/lib/python +platlib = {base}/lib/python +include = {base}/include/python +platinclude = {base}/include/python +scripts = {base}/bin +data = {base} + +[nt] +stdlib = {base}/Lib +platstdlib = {base}/Lib +purelib = {base}/Lib/site-packages +platlib = {base}/Lib/site-packages +include = {base}/Include +platinclude = {base}/Include +scripts = {base}/Scripts +data = {base} + +[os2] +stdlib = {base}/Lib +platstdlib = {base}/Lib +purelib = {base}/Lib/site-packages +platlib = {base}/Lib/site-packages +include = {base}/Include +platinclude = {base}/Include +scripts = {base}/Scripts +data = {base} + +[os2_home] +stdlib = {userbase}/lib/python{py_version_short} +platstdlib = {userbase}/lib/python{py_version_short} +purelib = {userbase}/lib/python{py_version_short}/site-packages +platlib = {userbase}/lib/python{py_version_short}/site-packages +include = {userbase}/include/python{py_version_short} +scripts = {userbase}/bin +data = {userbase} + +[nt_user] +stdlib = {userbase}/Python{py_version_nodot} +platstdlib = {userbase}/Python{py_version_nodot} +purelib = {userbase}/Python{py_version_nodot}/site-packages +platlib = {userbase}/Python{py_version_nodot}/site-packages +include = {userbase}/Python{py_version_nodot}/Include +scripts = {userbase}/Scripts +data = {userbase} + +[posix_user] +stdlib = {userbase}/lib/python{py_version_short} +platstdlib = {userbase}/lib/python{py_version_short} +purelib = {userbase}/lib/python{py_version_short}/site-packages +platlib = {userbase}/lib/python{py_version_short}/site-packages +include = {userbase}/include/python{py_version_short} +scripts = {userbase}/bin +data = {userbase} + +[osx_framework_user] +stdlib = {userbase}/lib/python +platstdlib = {userbase}/lib/python +purelib = {userbase}/lib/python/site-packages +platlib = {userbase}/lib/python/site-packages +include = {userbase}/include +scripts = {userbase}/bin +data = {userbase} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/sysconfig.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/sysconfig.py new file mode 100644 index 0000000..1df3aba --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/sysconfig.py @@ -0,0 +1,788 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2012 The Python Software Foundation. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +"""Access to Python's configuration information.""" + +import codecs +import os +import re +import sys +from os.path import pardir, realpath +try: + import configparser +except ImportError: + import ConfigParser as configparser + + +__all__ = [ + 'get_config_h_filename', + 'get_config_var', + 'get_config_vars', + 'get_makefile_filename', + 'get_path', + 'get_path_names', + 'get_paths', + 'get_platform', + 'get_python_version', + 'get_scheme_names', + 'parse_config_h', +] + + +def _safe_realpath(path): + try: + return realpath(path) + except OSError: + return path + + +if sys.executable: + _PROJECT_BASE = os.path.dirname(_safe_realpath(sys.executable)) +else: + # sys.executable can be empty if argv[0] has been changed and Python is + # unable to retrieve the real program name + _PROJECT_BASE = _safe_realpath(os.getcwd()) + +if os.name == "nt" and "pcbuild" in _PROJECT_BASE[-8:].lower(): + _PROJECT_BASE = _safe_realpath(os.path.join(_PROJECT_BASE, pardir)) +# PC/VS7.1 +if os.name == "nt" and "\\pc\\v" in _PROJECT_BASE[-10:].lower(): + _PROJECT_BASE = _safe_realpath(os.path.join(_PROJECT_BASE, pardir, pardir)) +# PC/AMD64 +if os.name == "nt" and "\\pcbuild\\amd64" in _PROJECT_BASE[-14:].lower(): + _PROJECT_BASE = _safe_realpath(os.path.join(_PROJECT_BASE, pardir, pardir)) + + +def is_python_build(): + for fn in ("Setup.dist", "Setup.local"): + if os.path.isfile(os.path.join(_PROJECT_BASE, "Modules", fn)): + return True + return False + +_PYTHON_BUILD = is_python_build() + +_cfg_read = False + +def _ensure_cfg_read(): + global _cfg_read + if not _cfg_read: + from ..resources import finder + backport_package = __name__.rsplit('.', 1)[0] + _finder = finder(backport_package) + _cfgfile = _finder.find('sysconfig.cfg') + assert _cfgfile, 'sysconfig.cfg exists' + with _cfgfile.as_stream() as s: + _SCHEMES.readfp(s) + if _PYTHON_BUILD: + for scheme in ('posix_prefix', 'posix_home'): + _SCHEMES.set(scheme, 'include', '{srcdir}/Include') + _SCHEMES.set(scheme, 'platinclude', '{projectbase}/.') + + _cfg_read = True + + +_SCHEMES = configparser.RawConfigParser() +_VAR_REPL = re.compile(r'\{([^{]*?)\}') + +def _expand_globals(config): + _ensure_cfg_read() + if config.has_section('globals'): + globals = config.items('globals') + else: + globals = tuple() + + sections = config.sections() + for section in sections: + if section == 'globals': + continue + for option, value in globals: + if config.has_option(section, option): + continue + config.set(section, option, value) + config.remove_section('globals') + + # now expanding local variables defined in the cfg file + # + for section in config.sections(): + variables = dict(config.items(section)) + + def _replacer(matchobj): + name = matchobj.group(1) + if name in variables: + return variables[name] + return matchobj.group(0) + + for option, value in config.items(section): + config.set(section, option, _VAR_REPL.sub(_replacer, value)) + +#_expand_globals(_SCHEMES) + + # FIXME don't rely on sys.version here, its format is an implementation detail + # of CPython, use sys.version_info or sys.hexversion +_PY_VERSION = sys.version.split()[0] +_PY_VERSION_SHORT = sys.version[:3] +_PY_VERSION_SHORT_NO_DOT = _PY_VERSION[0] + _PY_VERSION[2] +_PREFIX = os.path.normpath(sys.prefix) +_EXEC_PREFIX = os.path.normpath(sys.exec_prefix) +_CONFIG_VARS = None +_USER_BASE = None + + +def _subst_vars(path, local_vars): + """In the string `path`, replace tokens like {some.thing} with the + corresponding value from the map `local_vars`. + + If there is no corresponding value, leave the token unchanged. + """ + def _replacer(matchobj): + name = matchobj.group(1) + if name in local_vars: + return local_vars[name] + elif name in os.environ: + return os.environ[name] + return matchobj.group(0) + return _VAR_REPL.sub(_replacer, path) + + +def _extend_dict(target_dict, other_dict): + target_keys = target_dict.keys() + for key, value in other_dict.items(): + if key in target_keys: + continue + target_dict[key] = value + + +def _expand_vars(scheme, vars): + res = {} + if vars is None: + vars = {} + _extend_dict(vars, get_config_vars()) + + for key, value in _SCHEMES.items(scheme): + if os.name in ('posix', 'nt'): + value = os.path.expanduser(value) + res[key] = os.path.normpath(_subst_vars(value, vars)) + return res + + +def format_value(value, vars): + def _replacer(matchobj): + name = matchobj.group(1) + if name in vars: + return vars[name] + return matchobj.group(0) + return _VAR_REPL.sub(_replacer, value) + + +def _get_default_scheme(): + if os.name == 'posix': + # the default scheme for posix is posix_prefix + return 'posix_prefix' + return os.name + + +def _getuserbase(): + env_base = os.environ.get("PYTHONUSERBASE", None) + + def joinuser(*args): + return os.path.expanduser(os.path.join(*args)) + + # what about 'os2emx', 'riscos' ? + if os.name == "nt": + base = os.environ.get("APPDATA") or "~" + if env_base: + return env_base + else: + return joinuser(base, "Python") + + if sys.platform == "darwin": + framework = get_config_var("PYTHONFRAMEWORK") + if framework: + if env_base: + return env_base + else: + return joinuser("~", "Library", framework, "%d.%d" % + sys.version_info[:2]) + + if env_base: + return env_base + else: + return joinuser("~", ".local") + + +def _parse_makefile(filename, vars=None): + """Parse a Makefile-style file. + + A dictionary containing name/value pairs is returned. If an + optional dictionary is passed in as the second argument, it is + used instead of a new dictionary. + """ + # Regexes needed for parsing Makefile (and similar syntaxes, + # like old-style Setup files). + _variable_rx = re.compile(r"([a-zA-Z][a-zA-Z0-9_]+)\s*=\s*(.*)") + _findvar1_rx = re.compile(r"\$\(([A-Za-z][A-Za-z0-9_]*)\)") + _findvar2_rx = re.compile(r"\${([A-Za-z][A-Za-z0-9_]*)}") + + if vars is None: + vars = {} + done = {} + notdone = {} + + with codecs.open(filename, encoding='utf-8', errors="surrogateescape") as f: + lines = f.readlines() + + for line in lines: + if line.startswith('#') or line.strip() == '': + continue + m = _variable_rx.match(line) + if m: + n, v = m.group(1, 2) + v = v.strip() + # `$$' is a literal `$' in make + tmpv = v.replace('$$', '') + + if "$" in tmpv: + notdone[n] = v + else: + try: + v = int(v) + except ValueError: + # insert literal `$' + done[n] = v.replace('$$', '$') + else: + done[n] = v + + # do variable interpolation here + variables = list(notdone.keys()) + + # Variables with a 'PY_' prefix in the makefile. These need to + # be made available without that prefix through sysconfig. + # Special care is needed to ensure that variable expansion works, even + # if the expansion uses the name without a prefix. + renamed_variables = ('CFLAGS', 'LDFLAGS', 'CPPFLAGS') + + while len(variables) > 0: + for name in tuple(variables): + value = notdone[name] + m = _findvar1_rx.search(value) or _findvar2_rx.search(value) + if m is not None: + n = m.group(1) + found = True + if n in done: + item = str(done[n]) + elif n in notdone: + # get it on a subsequent round + found = False + elif n in os.environ: + # do it like make: fall back to environment + item = os.environ[n] + + elif n in renamed_variables: + if (name.startswith('PY_') and + name[3:] in renamed_variables): + item = "" + + elif 'PY_' + n in notdone: + found = False + + else: + item = str(done['PY_' + n]) + + else: + done[n] = item = "" + + if found: + after = value[m.end():] + value = value[:m.start()] + item + after + if "$" in after: + notdone[name] = value + else: + try: + value = int(value) + except ValueError: + done[name] = value.strip() + else: + done[name] = value + variables.remove(name) + + if (name.startswith('PY_') and + name[3:] in renamed_variables): + + name = name[3:] + if name not in done: + done[name] = value + + else: + # bogus variable reference (e.g. "prefix=$/opt/python"); + # just drop it since we can't deal + done[name] = value + variables.remove(name) + + # strip spurious spaces + for k, v in done.items(): + if isinstance(v, str): + done[k] = v.strip() + + # save the results in the global dictionary + vars.update(done) + return vars + + +def get_makefile_filename(): + """Return the path of the Makefile.""" + if _PYTHON_BUILD: + return os.path.join(_PROJECT_BASE, "Makefile") + if hasattr(sys, 'abiflags'): + config_dir_name = 'config-%s%s' % (_PY_VERSION_SHORT, sys.abiflags) + else: + config_dir_name = 'config' + return os.path.join(get_path('stdlib'), config_dir_name, 'Makefile') + + +def _init_posix(vars): + """Initialize the module as appropriate for POSIX systems.""" + # load the installed Makefile: + makefile = get_makefile_filename() + try: + _parse_makefile(makefile, vars) + except IOError as e: + msg = "invalid Python installation: unable to open %s" % makefile + if hasattr(e, "strerror"): + msg = msg + " (%s)" % e.strerror + raise IOError(msg) + # load the installed pyconfig.h: + config_h = get_config_h_filename() + try: + with open(config_h) as f: + parse_config_h(f, vars) + except IOError as e: + msg = "invalid Python installation: unable to open %s" % config_h + if hasattr(e, "strerror"): + msg = msg + " (%s)" % e.strerror + raise IOError(msg) + # On AIX, there are wrong paths to the linker scripts in the Makefile + # -- these paths are relative to the Python source, but when installed + # the scripts are in another directory. + if _PYTHON_BUILD: + vars['LDSHARED'] = vars['BLDSHARED'] + + +def _init_non_posix(vars): + """Initialize the module as appropriate for NT""" + # set basic install directories + vars['LIBDEST'] = get_path('stdlib') + vars['BINLIBDEST'] = get_path('platstdlib') + vars['INCLUDEPY'] = get_path('include') + vars['SO'] = '.pyd' + vars['EXE'] = '.exe' + vars['VERSION'] = _PY_VERSION_SHORT_NO_DOT + vars['BINDIR'] = os.path.dirname(_safe_realpath(sys.executable)) + +# +# public APIs +# + + +def parse_config_h(fp, vars=None): + """Parse a config.h-style file. + + A dictionary containing name/value pairs is returned. If an + optional dictionary is passed in as the second argument, it is + used instead of a new dictionary. + """ + if vars is None: + vars = {} + define_rx = re.compile("#define ([A-Z][A-Za-z0-9_]+) (.*)\n") + undef_rx = re.compile("/[*] #undef ([A-Z][A-Za-z0-9_]+) [*]/\n") + + while True: + line = fp.readline() + if not line: + break + m = define_rx.match(line) + if m: + n, v = m.group(1, 2) + try: + v = int(v) + except ValueError: + pass + vars[n] = v + else: + m = undef_rx.match(line) + if m: + vars[m.group(1)] = 0 + return vars + + +def get_config_h_filename(): + """Return the path of pyconfig.h.""" + if _PYTHON_BUILD: + if os.name == "nt": + inc_dir = os.path.join(_PROJECT_BASE, "PC") + else: + inc_dir = _PROJECT_BASE + else: + inc_dir = get_path('platinclude') + return os.path.join(inc_dir, 'pyconfig.h') + + +def get_scheme_names(): + """Return a tuple containing the schemes names.""" + return tuple(sorted(_SCHEMES.sections())) + + +def get_path_names(): + """Return a tuple containing the paths names.""" + # xxx see if we want a static list + return _SCHEMES.options('posix_prefix') + + +def get_paths(scheme=_get_default_scheme(), vars=None, expand=True): + """Return a mapping containing an install scheme. + + ``scheme`` is the install scheme name. If not provided, it will + return the default scheme for the current platform. + """ + _ensure_cfg_read() + if expand: + return _expand_vars(scheme, vars) + else: + return dict(_SCHEMES.items(scheme)) + + +def get_path(name, scheme=_get_default_scheme(), vars=None, expand=True): + """Return a path corresponding to the scheme. + + ``scheme`` is the install scheme name. + """ + return get_paths(scheme, vars, expand)[name] + + +def get_config_vars(*args): + """With no arguments, return a dictionary of all configuration + variables relevant for the current platform. + + On Unix, this means every variable defined in Python's installed Makefile; + On Windows and Mac OS it's a much smaller set. + + With arguments, return a list of values that result from looking up + each argument in the configuration variable dictionary. + """ + global _CONFIG_VARS + if _CONFIG_VARS is None: + _CONFIG_VARS = {} + # Normalized versions of prefix and exec_prefix are handy to have; + # in fact, these are the standard versions used most places in the + # distutils2 module. + _CONFIG_VARS['prefix'] = _PREFIX + _CONFIG_VARS['exec_prefix'] = _EXEC_PREFIX + _CONFIG_VARS['py_version'] = _PY_VERSION + _CONFIG_VARS['py_version_short'] = _PY_VERSION_SHORT + _CONFIG_VARS['py_version_nodot'] = _PY_VERSION[0] + _PY_VERSION[2] + _CONFIG_VARS['base'] = _PREFIX + _CONFIG_VARS['platbase'] = _EXEC_PREFIX + _CONFIG_VARS['projectbase'] = _PROJECT_BASE + try: + _CONFIG_VARS['abiflags'] = sys.abiflags + except AttributeError: + # sys.abiflags may not be defined on all platforms. + _CONFIG_VARS['abiflags'] = '' + + if os.name in ('nt', 'os2'): + _init_non_posix(_CONFIG_VARS) + if os.name == 'posix': + _init_posix(_CONFIG_VARS) + # Setting 'userbase' is done below the call to the + # init function to enable using 'get_config_var' in + # the init-function. + if sys.version >= '2.6': + _CONFIG_VARS['userbase'] = _getuserbase() + + if 'srcdir' not in _CONFIG_VARS: + _CONFIG_VARS['srcdir'] = _PROJECT_BASE + else: + _CONFIG_VARS['srcdir'] = _safe_realpath(_CONFIG_VARS['srcdir']) + + # Convert srcdir into an absolute path if it appears necessary. + # Normally it is relative to the build directory. However, during + # testing, for example, we might be running a non-installed python + # from a different directory. + if _PYTHON_BUILD and os.name == "posix": + base = _PROJECT_BASE + try: + cwd = os.getcwd() + except OSError: + cwd = None + if (not os.path.isabs(_CONFIG_VARS['srcdir']) and + base != cwd): + # srcdir is relative and we are not in the same directory + # as the executable. Assume executable is in the build + # directory and make srcdir absolute. + srcdir = os.path.join(base, _CONFIG_VARS['srcdir']) + _CONFIG_VARS['srcdir'] = os.path.normpath(srcdir) + + if sys.platform == 'darwin': + kernel_version = os.uname()[2] # Kernel version (8.4.3) + major_version = int(kernel_version.split('.')[0]) + + if major_version < 8: + # On Mac OS X before 10.4, check if -arch and -isysroot + # are in CFLAGS or LDFLAGS and remove them if they are. + # This is needed when building extensions on a 10.3 system + # using a universal build of python. + for key in ('LDFLAGS', 'BASECFLAGS', + # a number of derived variables. These need to be + # patched up as well. + 'CFLAGS', 'PY_CFLAGS', 'BLDSHARED'): + flags = _CONFIG_VARS[key] + flags = re.sub(r'-arch\s+\w+\s', ' ', flags) + flags = re.sub('-isysroot [^ \t]*', ' ', flags) + _CONFIG_VARS[key] = flags + else: + # Allow the user to override the architecture flags using + # an environment variable. + # NOTE: This name was introduced by Apple in OSX 10.5 and + # is used by several scripting languages distributed with + # that OS release. + if 'ARCHFLAGS' in os.environ: + arch = os.environ['ARCHFLAGS'] + for key in ('LDFLAGS', 'BASECFLAGS', + # a number of derived variables. These need to be + # patched up as well. + 'CFLAGS', 'PY_CFLAGS', 'BLDSHARED'): + + flags = _CONFIG_VARS[key] + flags = re.sub(r'-arch\s+\w+\s', ' ', flags) + flags = flags + ' ' + arch + _CONFIG_VARS[key] = flags + + # If we're on OSX 10.5 or later and the user tries to + # compiles an extension using an SDK that is not present + # on the current machine it is better to not use an SDK + # than to fail. + # + # The major usecase for this is users using a Python.org + # binary installer on OSX 10.6: that installer uses + # the 10.4u SDK, but that SDK is not installed by default + # when you install Xcode. + # + CFLAGS = _CONFIG_VARS.get('CFLAGS', '') + m = re.search(r'-isysroot\s+(\S+)', CFLAGS) + if m is not None: + sdk = m.group(1) + if not os.path.exists(sdk): + for key in ('LDFLAGS', 'BASECFLAGS', + # a number of derived variables. These need to be + # patched up as well. + 'CFLAGS', 'PY_CFLAGS', 'BLDSHARED'): + + flags = _CONFIG_VARS[key] + flags = re.sub(r'-isysroot\s+\S+(\s|$)', ' ', flags) + _CONFIG_VARS[key] = flags + + if args: + vals = [] + for name in args: + vals.append(_CONFIG_VARS.get(name)) + return vals + else: + return _CONFIG_VARS + + +def get_config_var(name): + """Return the value of a single variable using the dictionary returned by + 'get_config_vars()'. + + Equivalent to get_config_vars().get(name) + """ + return get_config_vars().get(name) + + +def get_platform(): + """Return a string that identifies the current platform. + + This is used mainly to distinguish platform-specific build directories and + platform-specific built distributions. Typically includes the OS name + and version and the architecture (as supplied by 'os.uname()'), + although the exact information included depends on the OS; eg. for IRIX + the architecture isn't particularly important (IRIX only runs on SGI + hardware), but for Linux the kernel version isn't particularly + important. + + Examples of returned values: + linux-i586 + linux-alpha (?) + solaris-2.6-sun4u + irix-5.3 + irix64-6.2 + + Windows will return one of: + win-amd64 (64bit Windows on AMD64 (aka x86_64, Intel64, EM64T, etc) + win-ia64 (64bit Windows on Itanium) + win32 (all others - specifically, sys.platform is returned) + + For other non-POSIX platforms, currently just returns 'sys.platform'. + """ + if os.name == 'nt': + # sniff sys.version for architecture. + prefix = " bit (" + i = sys.version.find(prefix) + if i == -1: + return sys.platform + j = sys.version.find(")", i) + look = sys.version[i+len(prefix):j].lower() + if look == 'amd64': + return 'win-amd64' + if look == 'itanium': + return 'win-ia64' + return sys.platform + + if os.name != "posix" or not hasattr(os, 'uname'): + # XXX what about the architecture? NT is Intel or Alpha, + # Mac OS is M68k or PPC, etc. + return sys.platform + + # Try to distinguish various flavours of Unix + osname, host, release, version, machine = os.uname() + + # Convert the OS name to lowercase, remove '/' characters + # (to accommodate BSD/OS), and translate spaces (for "Power Macintosh") + osname = osname.lower().replace('/', '') + machine = machine.replace(' ', '_') + machine = machine.replace('/', '-') + + if osname[:5] == "linux": + # At least on Linux/Intel, 'machine' is the processor -- + # i386, etc. + # XXX what about Alpha, SPARC, etc? + return "%s-%s" % (osname, machine) + elif osname[:5] == "sunos": + if release[0] >= "5": # SunOS 5 == Solaris 2 + osname = "solaris" + release = "%d.%s" % (int(release[0]) - 3, release[2:]) + # fall through to standard osname-release-machine representation + elif osname[:4] == "irix": # could be "irix64"! + return "%s-%s" % (osname, release) + elif osname[:3] == "aix": + return "%s-%s.%s" % (osname, version, release) + elif osname[:6] == "cygwin": + osname = "cygwin" + rel_re = re.compile(r'[\d.]+') + m = rel_re.match(release) + if m: + release = m.group() + elif osname[:6] == "darwin": + # + # For our purposes, we'll assume that the system version from + # distutils' perspective is what MACOSX_DEPLOYMENT_TARGET is set + # to. This makes the compatibility story a bit more sane because the + # machine is going to compile and link as if it were + # MACOSX_DEPLOYMENT_TARGET. + cfgvars = get_config_vars() + macver = cfgvars.get('MACOSX_DEPLOYMENT_TARGET') + + if True: + # Always calculate the release of the running machine, + # needed to determine if we can build fat binaries or not. + + macrelease = macver + # Get the system version. Reading this plist is a documented + # way to get the system version (see the documentation for + # the Gestalt Manager) + try: + f = open('/System/Library/CoreServices/SystemVersion.plist') + except IOError: + # We're on a plain darwin box, fall back to the default + # behaviour. + pass + else: + try: + m = re.search(r'<key>ProductUserVisibleVersion</key>\s*' + r'<string>(.*?)</string>', f.read()) + finally: + f.close() + if m is not None: + macrelease = '.'.join(m.group(1).split('.')[:2]) + # else: fall back to the default behaviour + + if not macver: + macver = macrelease + + if macver: + release = macver + osname = "macosx" + + if ((macrelease + '.') >= '10.4.' and + '-arch' in get_config_vars().get('CFLAGS', '').strip()): + # The universal build will build fat binaries, but not on + # systems before 10.4 + # + # Try to detect 4-way universal builds, those have machine-type + # 'universal' instead of 'fat'. + + machine = 'fat' + cflags = get_config_vars().get('CFLAGS') + + archs = re.findall(r'-arch\s+(\S+)', cflags) + archs = tuple(sorted(set(archs))) + + if len(archs) == 1: + machine = archs[0] + elif archs == ('i386', 'ppc'): + machine = 'fat' + elif archs == ('i386', 'x86_64'): + machine = 'intel' + elif archs == ('i386', 'ppc', 'x86_64'): + machine = 'fat3' + elif archs == ('ppc64', 'x86_64'): + machine = 'fat64' + elif archs == ('i386', 'ppc', 'ppc64', 'x86_64'): + machine = 'universal' + else: + raise ValueError( + "Don't know machine value for archs=%r" % (archs,)) + + elif machine == 'i386': + # On OSX the machine type returned by uname is always the + # 32-bit variant, even if the executable architecture is + # the 64-bit variant + if sys.maxsize >= 2**32: + machine = 'x86_64' + + elif machine in ('PowerPC', 'Power_Macintosh'): + # Pick a sane name for the PPC architecture. + # See 'i386' case + if sys.maxsize >= 2**32: + machine = 'ppc64' + else: + machine = 'ppc' + + return "%s-%s-%s" % (osname, release, machine) + + +def get_python_version(): + return _PY_VERSION_SHORT + + +def _print_dict(title, data): + for index, (key, value) in enumerate(sorted(data.items())): + if index == 0: + print('%s: ' % (title)) + print('\t%s = "%s"' % (key, value)) + + +def _main(): + """Display all information sysconfig detains.""" + print('Platform: "%s"' % get_platform()) + print('Python version: "%s"' % get_python_version()) + print('Current installation scheme: "%s"' % _get_default_scheme()) + print() + _print_dict('Paths', get_paths()) + print() + _print_dict('Variables', get_config_vars()) + + +if __name__ == '__main__': + _main() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/tarfile.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/tarfile.py new file mode 100644 index 0000000..d66d856 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/tarfile.py @@ -0,0 +1,2607 @@ +#------------------------------------------------------------------- +# tarfile.py +#------------------------------------------------------------------- +# Copyright (C) 2002 Lars Gustaebel <lars@gustaebel.de> +# All rights reserved. +# +# Permission is hereby granted, free of charge, to any person +# obtaining a copy of this software and associated documentation +# files (the "Software"), to deal in the Software without +# restriction, including without limitation the rights to use, +# copy, modify, merge, publish, distribute, sublicense, and/or sell +# copies of the Software, and to permit persons to whom the +# Software is furnished to do so, subject to the following +# conditions: +# +# The above copyright notice and this permission notice shall be +# included in all copies or substantial portions of the Software. +# +# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +# EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES +# OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND +# NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT +# HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, +# WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +# FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR +# OTHER DEALINGS IN THE SOFTWARE. +# +from __future__ import print_function + +"""Read from and write to tar format archives. +""" + +__version__ = "$Revision$" + +version = "0.9.0" +__author__ = "Lars Gust\u00e4bel (lars@gustaebel.de)" +__date__ = "$Date: 2011-02-25 17:42:01 +0200 (Fri, 25 Feb 2011) $" +__cvsid__ = "$Id: tarfile.py 88586 2011-02-25 15:42:01Z marc-andre.lemburg $" +__credits__ = "Gustavo Niemeyer, Niels Gust\u00e4bel, Richard Townsend." + +#--------- +# Imports +#--------- +import sys +import os +import stat +import errno +import time +import struct +import copy +import re + +try: + import grp, pwd +except ImportError: + grp = pwd = None + +# os.symlink on Windows prior to 6.0 raises NotImplementedError +symlink_exception = (AttributeError, NotImplementedError) +try: + # WindowsError (1314) will be raised if the caller does not hold the + # SeCreateSymbolicLinkPrivilege privilege + symlink_exception += (WindowsError,) +except NameError: + pass + +# from tarfile import * +__all__ = ["TarFile", "TarInfo", "is_tarfile", "TarError"] + +if sys.version_info[0] < 3: + import __builtin__ as builtins +else: + import builtins + +_open = builtins.open # Since 'open' is TarFile.open + +#--------------------------------------------------------- +# tar constants +#--------------------------------------------------------- +NUL = b"\0" # the null character +BLOCKSIZE = 512 # length of processing blocks +RECORDSIZE = BLOCKSIZE * 20 # length of records +GNU_MAGIC = b"ustar \0" # magic gnu tar string +POSIX_MAGIC = b"ustar\x0000" # magic posix tar string + +LENGTH_NAME = 100 # maximum length of a filename +LENGTH_LINK = 100 # maximum length of a linkname +LENGTH_PREFIX = 155 # maximum length of the prefix field + +REGTYPE = b"0" # regular file +AREGTYPE = b"\0" # regular file +LNKTYPE = b"1" # link (inside tarfile) +SYMTYPE = b"2" # symbolic link +CHRTYPE = b"3" # character special device +BLKTYPE = b"4" # block special device +DIRTYPE = b"5" # directory +FIFOTYPE = b"6" # fifo special device +CONTTYPE = b"7" # contiguous file + +GNUTYPE_LONGNAME = b"L" # GNU tar longname +GNUTYPE_LONGLINK = b"K" # GNU tar longlink +GNUTYPE_SPARSE = b"S" # GNU tar sparse file + +XHDTYPE = b"x" # POSIX.1-2001 extended header +XGLTYPE = b"g" # POSIX.1-2001 global header +SOLARIS_XHDTYPE = b"X" # Solaris extended header + +USTAR_FORMAT = 0 # POSIX.1-1988 (ustar) format +GNU_FORMAT = 1 # GNU tar format +PAX_FORMAT = 2 # POSIX.1-2001 (pax) format +DEFAULT_FORMAT = GNU_FORMAT + +#--------------------------------------------------------- +# tarfile constants +#--------------------------------------------------------- +# File types that tarfile supports: +SUPPORTED_TYPES = (REGTYPE, AREGTYPE, LNKTYPE, + SYMTYPE, DIRTYPE, FIFOTYPE, + CONTTYPE, CHRTYPE, BLKTYPE, + GNUTYPE_LONGNAME, GNUTYPE_LONGLINK, + GNUTYPE_SPARSE) + +# File types that will be treated as a regular file. +REGULAR_TYPES = (REGTYPE, AREGTYPE, + CONTTYPE, GNUTYPE_SPARSE) + +# File types that are part of the GNU tar format. +GNU_TYPES = (GNUTYPE_LONGNAME, GNUTYPE_LONGLINK, + GNUTYPE_SPARSE) + +# Fields from a pax header that override a TarInfo attribute. +PAX_FIELDS = ("path", "linkpath", "size", "mtime", + "uid", "gid", "uname", "gname") + +# Fields from a pax header that are affected by hdrcharset. +PAX_NAME_FIELDS = set(("path", "linkpath", "uname", "gname")) + +# Fields in a pax header that are numbers, all other fields +# are treated as strings. +PAX_NUMBER_FIELDS = { + "atime": float, + "ctime": float, + "mtime": float, + "uid": int, + "gid": int, + "size": int +} + +#--------------------------------------------------------- +# Bits used in the mode field, values in octal. +#--------------------------------------------------------- +S_IFLNK = 0o120000 # symbolic link +S_IFREG = 0o100000 # regular file +S_IFBLK = 0o060000 # block device +S_IFDIR = 0o040000 # directory +S_IFCHR = 0o020000 # character device +S_IFIFO = 0o010000 # fifo + +TSUID = 0o4000 # set UID on execution +TSGID = 0o2000 # set GID on execution +TSVTX = 0o1000 # reserved + +TUREAD = 0o400 # read by owner +TUWRITE = 0o200 # write by owner +TUEXEC = 0o100 # execute/search by owner +TGREAD = 0o040 # read by group +TGWRITE = 0o020 # write by group +TGEXEC = 0o010 # execute/search by group +TOREAD = 0o004 # read by other +TOWRITE = 0o002 # write by other +TOEXEC = 0o001 # execute/search by other + +#--------------------------------------------------------- +# initialization +#--------------------------------------------------------- +if os.name in ("nt", "ce"): + ENCODING = "utf-8" +else: + ENCODING = sys.getfilesystemencoding() + +#--------------------------------------------------------- +# Some useful functions +#--------------------------------------------------------- + +def stn(s, length, encoding, errors): + """Convert a string to a null-terminated bytes object. + """ + s = s.encode(encoding, errors) + return s[:length] + (length - len(s)) * NUL + +def nts(s, encoding, errors): + """Convert a null-terminated bytes object to a string. + """ + p = s.find(b"\0") + if p != -1: + s = s[:p] + return s.decode(encoding, errors) + +def nti(s): + """Convert a number field to a python number. + """ + # There are two possible encodings for a number field, see + # itn() below. + if s[0] != chr(0o200): + try: + n = int(nts(s, "ascii", "strict") or "0", 8) + except ValueError: + raise InvalidHeaderError("invalid header") + else: + n = 0 + for i in range(len(s) - 1): + n <<= 8 + n += ord(s[i + 1]) + return n + +def itn(n, digits=8, format=DEFAULT_FORMAT): + """Convert a python number to a number field. + """ + # POSIX 1003.1-1988 requires numbers to be encoded as a string of + # octal digits followed by a null-byte, this allows values up to + # (8**(digits-1))-1. GNU tar allows storing numbers greater than + # that if necessary. A leading 0o200 byte indicates this particular + # encoding, the following digits-1 bytes are a big-endian + # representation. This allows values up to (256**(digits-1))-1. + if 0 <= n < 8 ** (digits - 1): + s = ("%0*o" % (digits - 1, n)).encode("ascii") + NUL + else: + if format != GNU_FORMAT or n >= 256 ** (digits - 1): + raise ValueError("overflow in number field") + + if n < 0: + # XXX We mimic GNU tar's behaviour with negative numbers, + # this could raise OverflowError. + n = struct.unpack("L", struct.pack("l", n))[0] + + s = bytearray() + for i in range(digits - 1): + s.insert(0, n & 0o377) + n >>= 8 + s.insert(0, 0o200) + return s + +def calc_chksums(buf): + """Calculate the checksum for a member's header by summing up all + characters except for the chksum field which is treated as if + it was filled with spaces. According to the GNU tar sources, + some tars (Sun and NeXT) calculate chksum with signed char, + which will be different if there are chars in the buffer with + the high bit set. So we calculate two checksums, unsigned and + signed. + """ + unsigned_chksum = 256 + sum(struct.unpack("148B", buf[:148]) + struct.unpack("356B", buf[156:512])) + signed_chksum = 256 + sum(struct.unpack("148b", buf[:148]) + struct.unpack("356b", buf[156:512])) + return unsigned_chksum, signed_chksum + +def copyfileobj(src, dst, length=None): + """Copy length bytes from fileobj src to fileobj dst. + If length is None, copy the entire content. + """ + if length == 0: + return + if length is None: + while True: + buf = src.read(16*1024) + if not buf: + break + dst.write(buf) + return + + BUFSIZE = 16 * 1024 + blocks, remainder = divmod(length, BUFSIZE) + for b in range(blocks): + buf = src.read(BUFSIZE) + if len(buf) < BUFSIZE: + raise IOError("end of file reached") + dst.write(buf) + + if remainder != 0: + buf = src.read(remainder) + if len(buf) < remainder: + raise IOError("end of file reached") + dst.write(buf) + return + +filemode_table = ( + ((S_IFLNK, "l"), + (S_IFREG, "-"), + (S_IFBLK, "b"), + (S_IFDIR, "d"), + (S_IFCHR, "c"), + (S_IFIFO, "p")), + + ((TUREAD, "r"),), + ((TUWRITE, "w"),), + ((TUEXEC|TSUID, "s"), + (TSUID, "S"), + (TUEXEC, "x")), + + ((TGREAD, "r"),), + ((TGWRITE, "w"),), + ((TGEXEC|TSGID, "s"), + (TSGID, "S"), + (TGEXEC, "x")), + + ((TOREAD, "r"),), + ((TOWRITE, "w"),), + ((TOEXEC|TSVTX, "t"), + (TSVTX, "T"), + (TOEXEC, "x")) +) + +def filemode(mode): + """Convert a file's mode to a string of the form + -rwxrwxrwx. + Used by TarFile.list() + """ + perm = [] + for table in filemode_table: + for bit, char in table: + if mode & bit == bit: + perm.append(char) + break + else: + perm.append("-") + return "".join(perm) + +class TarError(Exception): + """Base exception.""" + pass +class ExtractError(TarError): + """General exception for extract errors.""" + pass +class ReadError(TarError): + """Exception for unreadable tar archives.""" + pass +class CompressionError(TarError): + """Exception for unavailable compression methods.""" + pass +class StreamError(TarError): + """Exception for unsupported operations on stream-like TarFiles.""" + pass +class HeaderError(TarError): + """Base exception for header errors.""" + pass +class EmptyHeaderError(HeaderError): + """Exception for empty headers.""" + pass +class TruncatedHeaderError(HeaderError): + """Exception for truncated headers.""" + pass +class EOFHeaderError(HeaderError): + """Exception for end of file headers.""" + pass +class InvalidHeaderError(HeaderError): + """Exception for invalid headers.""" + pass +class SubsequentHeaderError(HeaderError): + """Exception for missing and invalid extended headers.""" + pass + +#--------------------------- +# internal stream interface +#--------------------------- +class _LowLevelFile(object): + """Low-level file object. Supports reading and writing. + It is used instead of a regular file object for streaming + access. + """ + + def __init__(self, name, mode): + mode = { + "r": os.O_RDONLY, + "w": os.O_WRONLY | os.O_CREAT | os.O_TRUNC, + }[mode] + if hasattr(os, "O_BINARY"): + mode |= os.O_BINARY + self.fd = os.open(name, mode, 0o666) + + def close(self): + os.close(self.fd) + + def read(self, size): + return os.read(self.fd, size) + + def write(self, s): + os.write(self.fd, s) + +class _Stream(object): + """Class that serves as an adapter between TarFile and + a stream-like object. The stream-like object only + needs to have a read() or write() method and is accessed + blockwise. Use of gzip or bzip2 compression is possible. + A stream-like object could be for example: sys.stdin, + sys.stdout, a socket, a tape device etc. + + _Stream is intended to be used only internally. + """ + + def __init__(self, name, mode, comptype, fileobj, bufsize): + """Construct a _Stream object. + """ + self._extfileobj = True + if fileobj is None: + fileobj = _LowLevelFile(name, mode) + self._extfileobj = False + + if comptype == '*': + # Enable transparent compression detection for the + # stream interface + fileobj = _StreamProxy(fileobj) + comptype = fileobj.getcomptype() + + self.name = name or "" + self.mode = mode + self.comptype = comptype + self.fileobj = fileobj + self.bufsize = bufsize + self.buf = b"" + self.pos = 0 + self.closed = False + + try: + if comptype == "gz": + try: + import zlib + except ImportError: + raise CompressionError("zlib module is not available") + self.zlib = zlib + self.crc = zlib.crc32(b"") + if mode == "r": + self._init_read_gz() + else: + self._init_write_gz() + + if comptype == "bz2": + try: + import bz2 + except ImportError: + raise CompressionError("bz2 module is not available") + if mode == "r": + self.dbuf = b"" + self.cmp = bz2.BZ2Decompressor() + else: + self.cmp = bz2.BZ2Compressor() + except: + if not self._extfileobj: + self.fileobj.close() + self.closed = True + raise + + def __del__(self): + if hasattr(self, "closed") and not self.closed: + self.close() + + def _init_write_gz(self): + """Initialize for writing with gzip compression. + """ + self.cmp = self.zlib.compressobj(9, self.zlib.DEFLATED, + -self.zlib.MAX_WBITS, + self.zlib.DEF_MEM_LEVEL, + 0) + timestamp = struct.pack("<L", int(time.time())) + self.__write(b"\037\213\010\010" + timestamp + b"\002\377") + if self.name.endswith(".gz"): + self.name = self.name[:-3] + # RFC1952 says we must use ISO-8859-1 for the FNAME field. + self.__write(self.name.encode("iso-8859-1", "replace") + NUL) + + def write(self, s): + """Write string s to the stream. + """ + if self.comptype == "gz": + self.crc = self.zlib.crc32(s, self.crc) + self.pos += len(s) + if self.comptype != "tar": + s = self.cmp.compress(s) + self.__write(s) + + def __write(self, s): + """Write string s to the stream if a whole new block + is ready to be written. + """ + self.buf += s + while len(self.buf) > self.bufsize: + self.fileobj.write(self.buf[:self.bufsize]) + self.buf = self.buf[self.bufsize:] + + def close(self): + """Close the _Stream object. No operation should be + done on it afterwards. + """ + if self.closed: + return + + if self.mode == "w" and self.comptype != "tar": + self.buf += self.cmp.flush() + + if self.mode == "w" and self.buf: + self.fileobj.write(self.buf) + self.buf = b"" + if self.comptype == "gz": + # The native zlib crc is an unsigned 32-bit integer, but + # the Python wrapper implicitly casts that to a signed C + # long. So, on a 32-bit box self.crc may "look negative", + # while the same crc on a 64-bit box may "look positive". + # To avoid irksome warnings from the `struct` module, force + # it to look positive on all boxes. + self.fileobj.write(struct.pack("<L", self.crc & 0xffffffff)) + self.fileobj.write(struct.pack("<L", self.pos & 0xffffFFFF)) + + if not self._extfileobj: + self.fileobj.close() + + self.closed = True + + def _init_read_gz(self): + """Initialize for reading a gzip compressed fileobj. + """ + self.cmp = self.zlib.decompressobj(-self.zlib.MAX_WBITS) + self.dbuf = b"" + + # taken from gzip.GzipFile with some alterations + if self.__read(2) != b"\037\213": + raise ReadError("not a gzip file") + if self.__read(1) != b"\010": + raise CompressionError("unsupported compression method") + + flag = ord(self.__read(1)) + self.__read(6) + + if flag & 4: + xlen = ord(self.__read(1)) + 256 * ord(self.__read(1)) + self.read(xlen) + if flag & 8: + while True: + s = self.__read(1) + if not s or s == NUL: + break + if flag & 16: + while True: + s = self.__read(1) + if not s or s == NUL: + break + if flag & 2: + self.__read(2) + + def tell(self): + """Return the stream's file pointer position. + """ + return self.pos + + def seek(self, pos=0): + """Set the stream's file pointer to pos. Negative seeking + is forbidden. + """ + if pos - self.pos >= 0: + blocks, remainder = divmod(pos - self.pos, self.bufsize) + for i in range(blocks): + self.read(self.bufsize) + self.read(remainder) + else: + raise StreamError("seeking backwards is not allowed") + return self.pos + + def read(self, size=None): + """Return the next size number of bytes from the stream. + If size is not defined, return all bytes of the stream + up to EOF. + """ + if size is None: + t = [] + while True: + buf = self._read(self.bufsize) + if not buf: + break + t.append(buf) + buf = "".join(t) + else: + buf = self._read(size) + self.pos += len(buf) + return buf + + def _read(self, size): + """Return size bytes from the stream. + """ + if self.comptype == "tar": + return self.__read(size) + + c = len(self.dbuf) + while c < size: + buf = self.__read(self.bufsize) + if not buf: + break + try: + buf = self.cmp.decompress(buf) + except IOError: + raise ReadError("invalid compressed data") + self.dbuf += buf + c += len(buf) + buf = self.dbuf[:size] + self.dbuf = self.dbuf[size:] + return buf + + def __read(self, size): + """Return size bytes from stream. If internal buffer is empty, + read another block from the stream. + """ + c = len(self.buf) + while c < size: + buf = self.fileobj.read(self.bufsize) + if not buf: + break + self.buf += buf + c += len(buf) + buf = self.buf[:size] + self.buf = self.buf[size:] + return buf +# class _Stream + +class _StreamProxy(object): + """Small proxy class that enables transparent compression + detection for the Stream interface (mode 'r|*'). + """ + + def __init__(self, fileobj): + self.fileobj = fileobj + self.buf = self.fileobj.read(BLOCKSIZE) + + def read(self, size): + self.read = self.fileobj.read + return self.buf + + def getcomptype(self): + if self.buf.startswith(b"\037\213\010"): + return "gz" + if self.buf.startswith(b"BZh91"): + return "bz2" + return "tar" + + def close(self): + self.fileobj.close() +# class StreamProxy + +class _BZ2Proxy(object): + """Small proxy class that enables external file object + support for "r:bz2" and "w:bz2" modes. This is actually + a workaround for a limitation in bz2 module's BZ2File + class which (unlike gzip.GzipFile) has no support for + a file object argument. + """ + + blocksize = 16 * 1024 + + def __init__(self, fileobj, mode): + self.fileobj = fileobj + self.mode = mode + self.name = getattr(self.fileobj, "name", None) + self.init() + + def init(self): + import bz2 + self.pos = 0 + if self.mode == "r": + self.bz2obj = bz2.BZ2Decompressor() + self.fileobj.seek(0) + self.buf = b"" + else: + self.bz2obj = bz2.BZ2Compressor() + + def read(self, size): + x = len(self.buf) + while x < size: + raw = self.fileobj.read(self.blocksize) + if not raw: + break + data = self.bz2obj.decompress(raw) + self.buf += data + x += len(data) + + buf = self.buf[:size] + self.buf = self.buf[size:] + self.pos += len(buf) + return buf + + def seek(self, pos): + if pos < self.pos: + self.init() + self.read(pos - self.pos) + + def tell(self): + return self.pos + + def write(self, data): + self.pos += len(data) + raw = self.bz2obj.compress(data) + self.fileobj.write(raw) + + def close(self): + if self.mode == "w": + raw = self.bz2obj.flush() + self.fileobj.write(raw) +# class _BZ2Proxy + +#------------------------ +# Extraction file object +#------------------------ +class _FileInFile(object): + """A thin wrapper around an existing file object that + provides a part of its data as an individual file + object. + """ + + def __init__(self, fileobj, offset, size, blockinfo=None): + self.fileobj = fileobj + self.offset = offset + self.size = size + self.position = 0 + + if blockinfo is None: + blockinfo = [(0, size)] + + # Construct a map with data and zero blocks. + self.map_index = 0 + self.map = [] + lastpos = 0 + realpos = self.offset + for offset, size in blockinfo: + if offset > lastpos: + self.map.append((False, lastpos, offset, None)) + self.map.append((True, offset, offset + size, realpos)) + realpos += size + lastpos = offset + size + if lastpos < self.size: + self.map.append((False, lastpos, self.size, None)) + + def seekable(self): + if not hasattr(self.fileobj, "seekable"): + # XXX gzip.GzipFile and bz2.BZ2File + return True + return self.fileobj.seekable() + + def tell(self): + """Return the current file position. + """ + return self.position + + def seek(self, position): + """Seek to a position in the file. + """ + self.position = position + + def read(self, size=None): + """Read data from the file. + """ + if size is None: + size = self.size - self.position + else: + size = min(size, self.size - self.position) + + buf = b"" + while size > 0: + while True: + data, start, stop, offset = self.map[self.map_index] + if start <= self.position < stop: + break + else: + self.map_index += 1 + if self.map_index == len(self.map): + self.map_index = 0 + length = min(size, stop - self.position) + if data: + self.fileobj.seek(offset + (self.position - start)) + buf += self.fileobj.read(length) + else: + buf += NUL * length + size -= length + self.position += length + return buf +#class _FileInFile + + +class ExFileObject(object): + """File-like object for reading an archive member. + Is returned by TarFile.extractfile(). + """ + blocksize = 1024 + + def __init__(self, tarfile, tarinfo): + self.fileobj = _FileInFile(tarfile.fileobj, + tarinfo.offset_data, + tarinfo.size, + tarinfo.sparse) + self.name = tarinfo.name + self.mode = "r" + self.closed = False + self.size = tarinfo.size + + self.position = 0 + self.buffer = b"" + + def readable(self): + return True + + def writable(self): + return False + + def seekable(self): + return self.fileobj.seekable() + + def read(self, size=None): + """Read at most size bytes from the file. If size is not + present or None, read all data until EOF is reached. + """ + if self.closed: + raise ValueError("I/O operation on closed file") + + buf = b"" + if self.buffer: + if size is None: + buf = self.buffer + self.buffer = b"" + else: + buf = self.buffer[:size] + self.buffer = self.buffer[size:] + + if size is None: + buf += self.fileobj.read() + else: + buf += self.fileobj.read(size - len(buf)) + + self.position += len(buf) + return buf + + # XXX TextIOWrapper uses the read1() method. + read1 = read + + def readline(self, size=-1): + """Read one entire line from the file. If size is present + and non-negative, return a string with at most that + size, which may be an incomplete line. + """ + if self.closed: + raise ValueError("I/O operation on closed file") + + pos = self.buffer.find(b"\n") + 1 + if pos == 0: + # no newline found. + while True: + buf = self.fileobj.read(self.blocksize) + self.buffer += buf + if not buf or b"\n" in buf: + pos = self.buffer.find(b"\n") + 1 + if pos == 0: + # no newline found. + pos = len(self.buffer) + break + + if size != -1: + pos = min(size, pos) + + buf = self.buffer[:pos] + self.buffer = self.buffer[pos:] + self.position += len(buf) + return buf + + def readlines(self): + """Return a list with all remaining lines. + """ + result = [] + while True: + line = self.readline() + if not line: break + result.append(line) + return result + + def tell(self): + """Return the current file position. + """ + if self.closed: + raise ValueError("I/O operation on closed file") + + return self.position + + def seek(self, pos, whence=os.SEEK_SET): + """Seek to a position in the file. + """ + if self.closed: + raise ValueError("I/O operation on closed file") + + if whence == os.SEEK_SET: + self.position = min(max(pos, 0), self.size) + elif whence == os.SEEK_CUR: + if pos < 0: + self.position = max(self.position + pos, 0) + else: + self.position = min(self.position + pos, self.size) + elif whence == os.SEEK_END: + self.position = max(min(self.size + pos, self.size), 0) + else: + raise ValueError("Invalid argument") + + self.buffer = b"" + self.fileobj.seek(self.position) + + def close(self): + """Close the file object. + """ + self.closed = True + + def __iter__(self): + """Get an iterator over the file's lines. + """ + while True: + line = self.readline() + if not line: + break + yield line +#class ExFileObject + +#------------------ +# Exported Classes +#------------------ +class TarInfo(object): + """Informational class which holds the details about an + archive member given by a tar header block. + TarInfo objects are returned by TarFile.getmember(), + TarFile.getmembers() and TarFile.gettarinfo() and are + usually created internally. + """ + + __slots__ = ("name", "mode", "uid", "gid", "size", "mtime", + "chksum", "type", "linkname", "uname", "gname", + "devmajor", "devminor", + "offset", "offset_data", "pax_headers", "sparse", + "tarfile", "_sparse_structs", "_link_target") + + def __init__(self, name=""): + """Construct a TarInfo object. name is the optional name + of the member. + """ + self.name = name # member name + self.mode = 0o644 # file permissions + self.uid = 0 # user id + self.gid = 0 # group id + self.size = 0 # file size + self.mtime = 0 # modification time + self.chksum = 0 # header checksum + self.type = REGTYPE # member type + self.linkname = "" # link name + self.uname = "" # user name + self.gname = "" # group name + self.devmajor = 0 # device major number + self.devminor = 0 # device minor number + + self.offset = 0 # the tar header starts here + self.offset_data = 0 # the file's data starts here + + self.sparse = None # sparse member information + self.pax_headers = {} # pax header information + + # In pax headers the "name" and "linkname" field are called + # "path" and "linkpath". + def _getpath(self): + return self.name + def _setpath(self, name): + self.name = name + path = property(_getpath, _setpath) + + def _getlinkpath(self): + return self.linkname + def _setlinkpath(self, linkname): + self.linkname = linkname + linkpath = property(_getlinkpath, _setlinkpath) + + def __repr__(self): + return "<%s %r at %#x>" % (self.__class__.__name__,self.name,id(self)) + + def get_info(self): + """Return the TarInfo's attributes as a dictionary. + """ + info = { + "name": self.name, + "mode": self.mode & 0o7777, + "uid": self.uid, + "gid": self.gid, + "size": self.size, + "mtime": self.mtime, + "chksum": self.chksum, + "type": self.type, + "linkname": self.linkname, + "uname": self.uname, + "gname": self.gname, + "devmajor": self.devmajor, + "devminor": self.devminor + } + + if info["type"] == DIRTYPE and not info["name"].endswith("/"): + info["name"] += "/" + + return info + + def tobuf(self, format=DEFAULT_FORMAT, encoding=ENCODING, errors="surrogateescape"): + """Return a tar header as a string of 512 byte blocks. + """ + info = self.get_info() + + if format == USTAR_FORMAT: + return self.create_ustar_header(info, encoding, errors) + elif format == GNU_FORMAT: + return self.create_gnu_header(info, encoding, errors) + elif format == PAX_FORMAT: + return self.create_pax_header(info, encoding) + else: + raise ValueError("invalid format") + + def create_ustar_header(self, info, encoding, errors): + """Return the object as a ustar header block. + """ + info["magic"] = POSIX_MAGIC + + if len(info["linkname"]) > LENGTH_LINK: + raise ValueError("linkname is too long") + + if len(info["name"]) > LENGTH_NAME: + info["prefix"], info["name"] = self._posix_split_name(info["name"]) + + return self._create_header(info, USTAR_FORMAT, encoding, errors) + + def create_gnu_header(self, info, encoding, errors): + """Return the object as a GNU header block sequence. + """ + info["magic"] = GNU_MAGIC + + buf = b"" + if len(info["linkname"]) > LENGTH_LINK: + buf += self._create_gnu_long_header(info["linkname"], GNUTYPE_LONGLINK, encoding, errors) + + if len(info["name"]) > LENGTH_NAME: + buf += self._create_gnu_long_header(info["name"], GNUTYPE_LONGNAME, encoding, errors) + + return buf + self._create_header(info, GNU_FORMAT, encoding, errors) + + def create_pax_header(self, info, encoding): + """Return the object as a ustar header block. If it cannot be + represented this way, prepend a pax extended header sequence + with supplement information. + """ + info["magic"] = POSIX_MAGIC + pax_headers = self.pax_headers.copy() + + # Test string fields for values that exceed the field length or cannot + # be represented in ASCII encoding. + for name, hname, length in ( + ("name", "path", LENGTH_NAME), ("linkname", "linkpath", LENGTH_LINK), + ("uname", "uname", 32), ("gname", "gname", 32)): + + if hname in pax_headers: + # The pax header has priority. + continue + + # Try to encode the string as ASCII. + try: + info[name].encode("ascii", "strict") + except UnicodeEncodeError: + pax_headers[hname] = info[name] + continue + + if len(info[name]) > length: + pax_headers[hname] = info[name] + + # Test number fields for values that exceed the field limit or values + # that like to be stored as float. + for name, digits in (("uid", 8), ("gid", 8), ("size", 12), ("mtime", 12)): + if name in pax_headers: + # The pax header has priority. Avoid overflow. + info[name] = 0 + continue + + val = info[name] + if not 0 <= val < 8 ** (digits - 1) or isinstance(val, float): + pax_headers[name] = str(val) + info[name] = 0 + + # Create a pax extended header if necessary. + if pax_headers: + buf = self._create_pax_generic_header(pax_headers, XHDTYPE, encoding) + else: + buf = b"" + + return buf + self._create_header(info, USTAR_FORMAT, "ascii", "replace") + + @classmethod + def create_pax_global_header(cls, pax_headers): + """Return the object as a pax global header block sequence. + """ + return cls._create_pax_generic_header(pax_headers, XGLTYPE, "utf8") + + def _posix_split_name(self, name): + """Split a name longer than 100 chars into a prefix + and a name part. + """ + prefix = name[:LENGTH_PREFIX + 1] + while prefix and prefix[-1] != "/": + prefix = prefix[:-1] + + name = name[len(prefix):] + prefix = prefix[:-1] + + if not prefix or len(name) > LENGTH_NAME: + raise ValueError("name is too long") + return prefix, name + + @staticmethod + def _create_header(info, format, encoding, errors): + """Return a header block. info is a dictionary with file + information, format must be one of the *_FORMAT constants. + """ + parts = [ + stn(info.get("name", ""), 100, encoding, errors), + itn(info.get("mode", 0) & 0o7777, 8, format), + itn(info.get("uid", 0), 8, format), + itn(info.get("gid", 0), 8, format), + itn(info.get("size", 0), 12, format), + itn(info.get("mtime", 0), 12, format), + b" ", # checksum field + info.get("type", REGTYPE), + stn(info.get("linkname", ""), 100, encoding, errors), + info.get("magic", POSIX_MAGIC), + stn(info.get("uname", ""), 32, encoding, errors), + stn(info.get("gname", ""), 32, encoding, errors), + itn(info.get("devmajor", 0), 8, format), + itn(info.get("devminor", 0), 8, format), + stn(info.get("prefix", ""), 155, encoding, errors) + ] + + buf = struct.pack("%ds" % BLOCKSIZE, b"".join(parts)) + chksum = calc_chksums(buf[-BLOCKSIZE:])[0] + buf = buf[:-364] + ("%06o\0" % chksum).encode("ascii") + buf[-357:] + return buf + + @staticmethod + def _create_payload(payload): + """Return the string payload filled with zero bytes + up to the next 512 byte border. + """ + blocks, remainder = divmod(len(payload), BLOCKSIZE) + if remainder > 0: + payload += (BLOCKSIZE - remainder) * NUL + return payload + + @classmethod + def _create_gnu_long_header(cls, name, type, encoding, errors): + """Return a GNUTYPE_LONGNAME or GNUTYPE_LONGLINK sequence + for name. + """ + name = name.encode(encoding, errors) + NUL + + info = {} + info["name"] = "././@LongLink" + info["type"] = type + info["size"] = len(name) + info["magic"] = GNU_MAGIC + + # create extended header + name blocks. + return cls._create_header(info, USTAR_FORMAT, encoding, errors) + \ + cls._create_payload(name) + + @classmethod + def _create_pax_generic_header(cls, pax_headers, type, encoding): + """Return a POSIX.1-2008 extended or global header sequence + that contains a list of keyword, value pairs. The values + must be strings. + """ + # Check if one of the fields contains surrogate characters and thereby + # forces hdrcharset=BINARY, see _proc_pax() for more information. + binary = False + for keyword, value in pax_headers.items(): + try: + value.encode("utf8", "strict") + except UnicodeEncodeError: + binary = True + break + + records = b"" + if binary: + # Put the hdrcharset field at the beginning of the header. + records += b"21 hdrcharset=BINARY\n" + + for keyword, value in pax_headers.items(): + keyword = keyword.encode("utf8") + if binary: + # Try to restore the original byte representation of `value'. + # Needless to say, that the encoding must match the string. + value = value.encode(encoding, "surrogateescape") + else: + value = value.encode("utf8") + + l = len(keyword) + len(value) + 3 # ' ' + '=' + '\n' + n = p = 0 + while True: + n = l + len(str(p)) + if n == p: + break + p = n + records += bytes(str(p), "ascii") + b" " + keyword + b"=" + value + b"\n" + + # We use a hardcoded "././@PaxHeader" name like star does + # instead of the one that POSIX recommends. + info = {} + info["name"] = "././@PaxHeader" + info["type"] = type + info["size"] = len(records) + info["magic"] = POSIX_MAGIC + + # Create pax header + record blocks. + return cls._create_header(info, USTAR_FORMAT, "ascii", "replace") + \ + cls._create_payload(records) + + @classmethod + def frombuf(cls, buf, encoding, errors): + """Construct a TarInfo object from a 512 byte bytes object. + """ + if len(buf) == 0: + raise EmptyHeaderError("empty header") + if len(buf) != BLOCKSIZE: + raise TruncatedHeaderError("truncated header") + if buf.count(NUL) == BLOCKSIZE: + raise EOFHeaderError("end of file header") + + chksum = nti(buf[148:156]) + if chksum not in calc_chksums(buf): + raise InvalidHeaderError("bad checksum") + + obj = cls() + obj.name = nts(buf[0:100], encoding, errors) + obj.mode = nti(buf[100:108]) + obj.uid = nti(buf[108:116]) + obj.gid = nti(buf[116:124]) + obj.size = nti(buf[124:136]) + obj.mtime = nti(buf[136:148]) + obj.chksum = chksum + obj.type = buf[156:157] + obj.linkname = nts(buf[157:257], encoding, errors) + obj.uname = nts(buf[265:297], encoding, errors) + obj.gname = nts(buf[297:329], encoding, errors) + obj.devmajor = nti(buf[329:337]) + obj.devminor = nti(buf[337:345]) + prefix = nts(buf[345:500], encoding, errors) + + # Old V7 tar format represents a directory as a regular + # file with a trailing slash. + if obj.type == AREGTYPE and obj.name.endswith("/"): + obj.type = DIRTYPE + + # The old GNU sparse format occupies some of the unused + # space in the buffer for up to 4 sparse structures. + # Save the them for later processing in _proc_sparse(). + if obj.type == GNUTYPE_SPARSE: + pos = 386 + structs = [] + for i in range(4): + try: + offset = nti(buf[pos:pos + 12]) + numbytes = nti(buf[pos + 12:pos + 24]) + except ValueError: + break + structs.append((offset, numbytes)) + pos += 24 + isextended = bool(buf[482]) + origsize = nti(buf[483:495]) + obj._sparse_structs = (structs, isextended, origsize) + + # Remove redundant slashes from directories. + if obj.isdir(): + obj.name = obj.name.rstrip("/") + + # Reconstruct a ustar longname. + if prefix and obj.type not in GNU_TYPES: + obj.name = prefix + "/" + obj.name + return obj + + @classmethod + def fromtarfile(cls, tarfile): + """Return the next TarInfo object from TarFile object + tarfile. + """ + buf = tarfile.fileobj.read(BLOCKSIZE) + obj = cls.frombuf(buf, tarfile.encoding, tarfile.errors) + obj.offset = tarfile.fileobj.tell() - BLOCKSIZE + return obj._proc_member(tarfile) + + #-------------------------------------------------------------------------- + # The following are methods that are called depending on the type of a + # member. The entry point is _proc_member() which can be overridden in a + # subclass to add custom _proc_*() methods. A _proc_*() method MUST + # implement the following + # operations: + # 1. Set self.offset_data to the position where the data blocks begin, + # if there is data that follows. + # 2. Set tarfile.offset to the position where the next member's header will + # begin. + # 3. Return self or another valid TarInfo object. + def _proc_member(self, tarfile): + """Choose the right processing method depending on + the type and call it. + """ + if self.type in (GNUTYPE_LONGNAME, GNUTYPE_LONGLINK): + return self._proc_gnulong(tarfile) + elif self.type == GNUTYPE_SPARSE: + return self._proc_sparse(tarfile) + elif self.type in (XHDTYPE, XGLTYPE, SOLARIS_XHDTYPE): + return self._proc_pax(tarfile) + else: + return self._proc_builtin(tarfile) + + def _proc_builtin(self, tarfile): + """Process a builtin type or an unknown type which + will be treated as a regular file. + """ + self.offset_data = tarfile.fileobj.tell() + offset = self.offset_data + if self.isreg() or self.type not in SUPPORTED_TYPES: + # Skip the following data blocks. + offset += self._block(self.size) + tarfile.offset = offset + + # Patch the TarInfo object with saved global + # header information. + self._apply_pax_info(tarfile.pax_headers, tarfile.encoding, tarfile.errors) + + return self + + def _proc_gnulong(self, tarfile): + """Process the blocks that hold a GNU longname + or longlink member. + """ + buf = tarfile.fileobj.read(self._block(self.size)) + + # Fetch the next header and process it. + try: + next = self.fromtarfile(tarfile) + except HeaderError: + raise SubsequentHeaderError("missing or bad subsequent header") + + # Patch the TarInfo object from the next header with + # the longname information. + next.offset = self.offset + if self.type == GNUTYPE_LONGNAME: + next.name = nts(buf, tarfile.encoding, tarfile.errors) + elif self.type == GNUTYPE_LONGLINK: + next.linkname = nts(buf, tarfile.encoding, tarfile.errors) + + return next + + def _proc_sparse(self, tarfile): + """Process a GNU sparse header plus extra headers. + """ + # We already collected some sparse structures in frombuf(). + structs, isextended, origsize = self._sparse_structs + del self._sparse_structs + + # Collect sparse structures from extended header blocks. + while isextended: + buf = tarfile.fileobj.read(BLOCKSIZE) + pos = 0 + for i in range(21): + try: + offset = nti(buf[pos:pos + 12]) + numbytes = nti(buf[pos + 12:pos + 24]) + except ValueError: + break + if offset and numbytes: + structs.append((offset, numbytes)) + pos += 24 + isextended = bool(buf[504]) + self.sparse = structs + + self.offset_data = tarfile.fileobj.tell() + tarfile.offset = self.offset_data + self._block(self.size) + self.size = origsize + return self + + def _proc_pax(self, tarfile): + """Process an extended or global header as described in + POSIX.1-2008. + """ + # Read the header information. + buf = tarfile.fileobj.read(self._block(self.size)) + + # A pax header stores supplemental information for either + # the following file (extended) or all following files + # (global). + if self.type == XGLTYPE: + pax_headers = tarfile.pax_headers + else: + pax_headers = tarfile.pax_headers.copy() + + # Check if the pax header contains a hdrcharset field. This tells us + # the encoding of the path, linkpath, uname and gname fields. Normally, + # these fields are UTF-8 encoded but since POSIX.1-2008 tar + # implementations are allowed to store them as raw binary strings if + # the translation to UTF-8 fails. + match = re.search(br"\d+ hdrcharset=([^\n]+)\n", buf) + if match is not None: + pax_headers["hdrcharset"] = match.group(1).decode("utf8") + + # For the time being, we don't care about anything other than "BINARY". + # The only other value that is currently allowed by the standard is + # "ISO-IR 10646 2000 UTF-8" in other words UTF-8. + hdrcharset = pax_headers.get("hdrcharset") + if hdrcharset == "BINARY": + encoding = tarfile.encoding + else: + encoding = "utf8" + + # Parse pax header information. A record looks like that: + # "%d %s=%s\n" % (length, keyword, value). length is the size + # of the complete record including the length field itself and + # the newline. keyword and value are both UTF-8 encoded strings. + regex = re.compile(br"(\d+) ([^=]+)=") + pos = 0 + while True: + match = regex.match(buf, pos) + if not match: + break + + length, keyword = match.groups() + length = int(length) + value = buf[match.end(2) + 1:match.start(1) + length - 1] + + # Normally, we could just use "utf8" as the encoding and "strict" + # as the error handler, but we better not take the risk. For + # example, GNU tar <= 1.23 is known to store filenames it cannot + # translate to UTF-8 as raw strings (unfortunately without a + # hdrcharset=BINARY header). + # We first try the strict standard encoding, and if that fails we + # fall back on the user's encoding and error handler. + keyword = self._decode_pax_field(keyword, "utf8", "utf8", + tarfile.errors) + if keyword in PAX_NAME_FIELDS: + value = self._decode_pax_field(value, encoding, tarfile.encoding, + tarfile.errors) + else: + value = self._decode_pax_field(value, "utf8", "utf8", + tarfile.errors) + + pax_headers[keyword] = value + pos += length + + # Fetch the next header. + try: + next = self.fromtarfile(tarfile) + except HeaderError: + raise SubsequentHeaderError("missing or bad subsequent header") + + # Process GNU sparse information. + if "GNU.sparse.map" in pax_headers: + # GNU extended sparse format version 0.1. + self._proc_gnusparse_01(next, pax_headers) + + elif "GNU.sparse.size" in pax_headers: + # GNU extended sparse format version 0.0. + self._proc_gnusparse_00(next, pax_headers, buf) + + elif pax_headers.get("GNU.sparse.major") == "1" and pax_headers.get("GNU.sparse.minor") == "0": + # GNU extended sparse format version 1.0. + self._proc_gnusparse_10(next, pax_headers, tarfile) + + if self.type in (XHDTYPE, SOLARIS_XHDTYPE): + # Patch the TarInfo object with the extended header info. + next._apply_pax_info(pax_headers, tarfile.encoding, tarfile.errors) + next.offset = self.offset + + if "size" in pax_headers: + # If the extended header replaces the size field, + # we need to recalculate the offset where the next + # header starts. + offset = next.offset_data + if next.isreg() or next.type not in SUPPORTED_TYPES: + offset += next._block(next.size) + tarfile.offset = offset + + return next + + def _proc_gnusparse_00(self, next, pax_headers, buf): + """Process a GNU tar extended sparse header, version 0.0. + """ + offsets = [] + for match in re.finditer(br"\d+ GNU.sparse.offset=(\d+)\n", buf): + offsets.append(int(match.group(1))) + numbytes = [] + for match in re.finditer(br"\d+ GNU.sparse.numbytes=(\d+)\n", buf): + numbytes.append(int(match.group(1))) + next.sparse = list(zip(offsets, numbytes)) + + def _proc_gnusparse_01(self, next, pax_headers): + """Process a GNU tar extended sparse header, version 0.1. + """ + sparse = [int(x) for x in pax_headers["GNU.sparse.map"].split(",")] + next.sparse = list(zip(sparse[::2], sparse[1::2])) + + def _proc_gnusparse_10(self, next, pax_headers, tarfile): + """Process a GNU tar extended sparse header, version 1.0. + """ + fields = None + sparse = [] + buf = tarfile.fileobj.read(BLOCKSIZE) + fields, buf = buf.split(b"\n", 1) + fields = int(fields) + while len(sparse) < fields * 2: + if b"\n" not in buf: + buf += tarfile.fileobj.read(BLOCKSIZE) + number, buf = buf.split(b"\n", 1) + sparse.append(int(number)) + next.offset_data = tarfile.fileobj.tell() + next.sparse = list(zip(sparse[::2], sparse[1::2])) + + def _apply_pax_info(self, pax_headers, encoding, errors): + """Replace fields with supplemental information from a previous + pax extended or global header. + """ + for keyword, value in pax_headers.items(): + if keyword == "GNU.sparse.name": + setattr(self, "path", value) + elif keyword == "GNU.sparse.size": + setattr(self, "size", int(value)) + elif keyword == "GNU.sparse.realsize": + setattr(self, "size", int(value)) + elif keyword in PAX_FIELDS: + if keyword in PAX_NUMBER_FIELDS: + try: + value = PAX_NUMBER_FIELDS[keyword](value) + except ValueError: + value = 0 + if keyword == "path": + value = value.rstrip("/") + setattr(self, keyword, value) + + self.pax_headers = pax_headers.copy() + + def _decode_pax_field(self, value, encoding, fallback_encoding, fallback_errors): + """Decode a single field from a pax record. + """ + try: + return value.decode(encoding, "strict") + except UnicodeDecodeError: + return value.decode(fallback_encoding, fallback_errors) + + def _block(self, count): + """Round up a byte count by BLOCKSIZE and return it, + e.g. _block(834) => 1024. + """ + blocks, remainder = divmod(count, BLOCKSIZE) + if remainder: + blocks += 1 + return blocks * BLOCKSIZE + + def isreg(self): + return self.type in REGULAR_TYPES + def isfile(self): + return self.isreg() + def isdir(self): + return self.type == DIRTYPE + def issym(self): + return self.type == SYMTYPE + def islnk(self): + return self.type == LNKTYPE + def ischr(self): + return self.type == CHRTYPE + def isblk(self): + return self.type == BLKTYPE + def isfifo(self): + return self.type == FIFOTYPE + def issparse(self): + return self.sparse is not None + def isdev(self): + return self.type in (CHRTYPE, BLKTYPE, FIFOTYPE) +# class TarInfo + +class TarFile(object): + """The TarFile Class provides an interface to tar archives. + """ + + debug = 0 # May be set from 0 (no msgs) to 3 (all msgs) + + dereference = False # If true, add content of linked file to the + # tar file, else the link. + + ignore_zeros = False # If true, skips empty or invalid blocks and + # continues processing. + + errorlevel = 1 # If 0, fatal errors only appear in debug + # messages (if debug >= 0). If > 0, errors + # are passed to the caller as exceptions. + + format = DEFAULT_FORMAT # The format to use when creating an archive. + + encoding = ENCODING # Encoding for 8-bit character strings. + + errors = None # Error handler for unicode conversion. + + tarinfo = TarInfo # The default TarInfo class to use. + + fileobject = ExFileObject # The default ExFileObject class to use. + + def __init__(self, name=None, mode="r", fileobj=None, format=None, + tarinfo=None, dereference=None, ignore_zeros=None, encoding=None, + errors="surrogateescape", pax_headers=None, debug=None, errorlevel=None): + """Open an (uncompressed) tar archive `name'. `mode' is either 'r' to + read from an existing archive, 'a' to append data to an existing + file or 'w' to create a new file overwriting an existing one. `mode' + defaults to 'r'. + If `fileobj' is given, it is used for reading or writing data. If it + can be determined, `mode' is overridden by `fileobj's mode. + `fileobj' is not closed, when TarFile is closed. + """ + if len(mode) > 1 or mode not in "raw": + raise ValueError("mode must be 'r', 'a' or 'w'") + self.mode = mode + self._mode = {"r": "rb", "a": "r+b", "w": "wb"}[mode] + + if not fileobj: + if self.mode == "a" and not os.path.exists(name): + # Create nonexistent files in append mode. + self.mode = "w" + self._mode = "wb" + fileobj = bltn_open(name, self._mode) + self._extfileobj = False + else: + if name is None and hasattr(fileobj, "name"): + name = fileobj.name + if hasattr(fileobj, "mode"): + self._mode = fileobj.mode + self._extfileobj = True + self.name = os.path.abspath(name) if name else None + self.fileobj = fileobj + + # Init attributes. + if format is not None: + self.format = format + if tarinfo is not None: + self.tarinfo = tarinfo + if dereference is not None: + self.dereference = dereference + if ignore_zeros is not None: + self.ignore_zeros = ignore_zeros + if encoding is not None: + self.encoding = encoding + self.errors = errors + + if pax_headers is not None and self.format == PAX_FORMAT: + self.pax_headers = pax_headers + else: + self.pax_headers = {} + + if debug is not None: + self.debug = debug + if errorlevel is not None: + self.errorlevel = errorlevel + + # Init datastructures. + self.closed = False + self.members = [] # list of members as TarInfo objects + self._loaded = False # flag if all members have been read + self.offset = self.fileobj.tell() + # current position in the archive file + self.inodes = {} # dictionary caching the inodes of + # archive members already added + + try: + if self.mode == "r": + self.firstmember = None + self.firstmember = self.next() + + if self.mode == "a": + # Move to the end of the archive, + # before the first empty block. + while True: + self.fileobj.seek(self.offset) + try: + tarinfo = self.tarinfo.fromtarfile(self) + self.members.append(tarinfo) + except EOFHeaderError: + self.fileobj.seek(self.offset) + break + except HeaderError as e: + raise ReadError(str(e)) + + if self.mode in "aw": + self._loaded = True + + if self.pax_headers: + buf = self.tarinfo.create_pax_global_header(self.pax_headers.copy()) + self.fileobj.write(buf) + self.offset += len(buf) + except: + if not self._extfileobj: + self.fileobj.close() + self.closed = True + raise + + #-------------------------------------------------------------------------- + # Below are the classmethods which act as alternate constructors to the + # TarFile class. The open() method is the only one that is needed for + # public use; it is the "super"-constructor and is able to select an + # adequate "sub"-constructor for a particular compression using the mapping + # from OPEN_METH. + # + # This concept allows one to subclass TarFile without losing the comfort of + # the super-constructor. A sub-constructor is registered and made available + # by adding it to the mapping in OPEN_METH. + + @classmethod + def open(cls, name=None, mode="r", fileobj=None, bufsize=RECORDSIZE, **kwargs): + """Open a tar archive for reading, writing or appending. Return + an appropriate TarFile class. + + mode: + 'r' or 'r:*' open for reading with transparent compression + 'r:' open for reading exclusively uncompressed + 'r:gz' open for reading with gzip compression + 'r:bz2' open for reading with bzip2 compression + 'a' or 'a:' open for appending, creating the file if necessary + 'w' or 'w:' open for writing without compression + 'w:gz' open for writing with gzip compression + 'w:bz2' open for writing with bzip2 compression + + 'r|*' open a stream of tar blocks with transparent compression + 'r|' open an uncompressed stream of tar blocks for reading + 'r|gz' open a gzip compressed stream of tar blocks + 'r|bz2' open a bzip2 compressed stream of tar blocks + 'w|' open an uncompressed stream for writing + 'w|gz' open a gzip compressed stream for writing + 'w|bz2' open a bzip2 compressed stream for writing + """ + + if not name and not fileobj: + raise ValueError("nothing to open") + + if mode in ("r", "r:*"): + # Find out which *open() is appropriate for opening the file. + for comptype in cls.OPEN_METH: + func = getattr(cls, cls.OPEN_METH[comptype]) + if fileobj is not None: + saved_pos = fileobj.tell() + try: + return func(name, "r", fileobj, **kwargs) + except (ReadError, CompressionError) as e: + if fileobj is not None: + fileobj.seek(saved_pos) + continue + raise ReadError("file could not be opened successfully") + + elif ":" in mode: + filemode, comptype = mode.split(":", 1) + filemode = filemode or "r" + comptype = comptype or "tar" + + # Select the *open() function according to + # given compression. + if comptype in cls.OPEN_METH: + func = getattr(cls, cls.OPEN_METH[comptype]) + else: + raise CompressionError("unknown compression type %r" % comptype) + return func(name, filemode, fileobj, **kwargs) + + elif "|" in mode: + filemode, comptype = mode.split("|", 1) + filemode = filemode or "r" + comptype = comptype or "tar" + + if filemode not in "rw": + raise ValueError("mode must be 'r' or 'w'") + + stream = _Stream(name, filemode, comptype, fileobj, bufsize) + try: + t = cls(name, filemode, stream, **kwargs) + except: + stream.close() + raise + t._extfileobj = False + return t + + elif mode in "aw": + return cls.taropen(name, mode, fileobj, **kwargs) + + raise ValueError("undiscernible mode") + + @classmethod + def taropen(cls, name, mode="r", fileobj=None, **kwargs): + """Open uncompressed tar archive name for reading or writing. + """ + if len(mode) > 1 or mode not in "raw": + raise ValueError("mode must be 'r', 'a' or 'w'") + return cls(name, mode, fileobj, **kwargs) + + @classmethod + def gzopen(cls, name, mode="r", fileobj=None, compresslevel=9, **kwargs): + """Open gzip compressed tar archive name for reading or writing. + Appending is not allowed. + """ + if len(mode) > 1 or mode not in "rw": + raise ValueError("mode must be 'r' or 'w'") + + try: + import gzip + gzip.GzipFile + except (ImportError, AttributeError): + raise CompressionError("gzip module is not available") + + extfileobj = fileobj is not None + try: + fileobj = gzip.GzipFile(name, mode + "b", compresslevel, fileobj) + t = cls.taropen(name, mode, fileobj, **kwargs) + except IOError: + if not extfileobj and fileobj is not None: + fileobj.close() + if fileobj is None: + raise + raise ReadError("not a gzip file") + except: + if not extfileobj and fileobj is not None: + fileobj.close() + raise + t._extfileobj = extfileobj + return t + + @classmethod + def bz2open(cls, name, mode="r", fileobj=None, compresslevel=9, **kwargs): + """Open bzip2 compressed tar archive name for reading or writing. + Appending is not allowed. + """ + if len(mode) > 1 or mode not in "rw": + raise ValueError("mode must be 'r' or 'w'.") + + try: + import bz2 + except ImportError: + raise CompressionError("bz2 module is not available") + + if fileobj is not None: + fileobj = _BZ2Proxy(fileobj, mode) + else: + fileobj = bz2.BZ2File(name, mode, compresslevel=compresslevel) + + try: + t = cls.taropen(name, mode, fileobj, **kwargs) + except (IOError, EOFError): + fileobj.close() + raise ReadError("not a bzip2 file") + t._extfileobj = False + return t + + # All *open() methods are registered here. + OPEN_METH = { + "tar": "taropen", # uncompressed tar + "gz": "gzopen", # gzip compressed tar + "bz2": "bz2open" # bzip2 compressed tar + } + + #-------------------------------------------------------------------------- + # The public methods which TarFile provides: + + def close(self): + """Close the TarFile. In write-mode, two finishing zero blocks are + appended to the archive. + """ + if self.closed: + return + + if self.mode in "aw": + self.fileobj.write(NUL * (BLOCKSIZE * 2)) + self.offset += (BLOCKSIZE * 2) + # fill up the end with zero-blocks + # (like option -b20 for tar does) + blocks, remainder = divmod(self.offset, RECORDSIZE) + if remainder > 0: + self.fileobj.write(NUL * (RECORDSIZE - remainder)) + + if not self._extfileobj: + self.fileobj.close() + self.closed = True + + def getmember(self, name): + """Return a TarInfo object for member `name'. If `name' can not be + found in the archive, KeyError is raised. If a member occurs more + than once in the archive, its last occurrence is assumed to be the + most up-to-date version. + """ + tarinfo = self._getmember(name) + if tarinfo is None: + raise KeyError("filename %r not found" % name) + return tarinfo + + def getmembers(self): + """Return the members of the archive as a list of TarInfo objects. The + list has the same order as the members in the archive. + """ + self._check() + if not self._loaded: # if we want to obtain a list of + self._load() # all members, we first have to + # scan the whole archive. + return self.members + + def getnames(self): + """Return the members of the archive as a list of their names. It has + the same order as the list returned by getmembers(). + """ + return [tarinfo.name for tarinfo in self.getmembers()] + + def gettarinfo(self, name=None, arcname=None, fileobj=None): + """Create a TarInfo object for either the file `name' or the file + object `fileobj' (using os.fstat on its file descriptor). You can + modify some of the TarInfo's attributes before you add it using + addfile(). If given, `arcname' specifies an alternative name for the + file in the archive. + """ + self._check("aw") + + # When fileobj is given, replace name by + # fileobj's real name. + if fileobj is not None: + name = fileobj.name + + # Building the name of the member in the archive. + # Backward slashes are converted to forward slashes, + # Absolute paths are turned to relative paths. + if arcname is None: + arcname = name + drv, arcname = os.path.splitdrive(arcname) + arcname = arcname.replace(os.sep, "/") + arcname = arcname.lstrip("/") + + # Now, fill the TarInfo object with + # information specific for the file. + tarinfo = self.tarinfo() + tarinfo.tarfile = self + + # Use os.stat or os.lstat, depending on platform + # and if symlinks shall be resolved. + if fileobj is None: + if hasattr(os, "lstat") and not self.dereference: + statres = os.lstat(name) + else: + statres = os.stat(name) + else: + statres = os.fstat(fileobj.fileno()) + linkname = "" + + stmd = statres.st_mode + if stat.S_ISREG(stmd): + inode = (statres.st_ino, statres.st_dev) + if not self.dereference and statres.st_nlink > 1 and \ + inode in self.inodes and arcname != self.inodes[inode]: + # Is it a hardlink to an already + # archived file? + type = LNKTYPE + linkname = self.inodes[inode] + else: + # The inode is added only if its valid. + # For win32 it is always 0. + type = REGTYPE + if inode[0]: + self.inodes[inode] = arcname + elif stat.S_ISDIR(stmd): + type = DIRTYPE + elif stat.S_ISFIFO(stmd): + type = FIFOTYPE + elif stat.S_ISLNK(stmd): + type = SYMTYPE + linkname = os.readlink(name) + elif stat.S_ISCHR(stmd): + type = CHRTYPE + elif stat.S_ISBLK(stmd): + type = BLKTYPE + else: + return None + + # Fill the TarInfo object with all + # information we can get. + tarinfo.name = arcname + tarinfo.mode = stmd + tarinfo.uid = statres.st_uid + tarinfo.gid = statres.st_gid + if type == REGTYPE: + tarinfo.size = statres.st_size + else: + tarinfo.size = 0 + tarinfo.mtime = statres.st_mtime + tarinfo.type = type + tarinfo.linkname = linkname + if pwd: + try: + tarinfo.uname = pwd.getpwuid(tarinfo.uid)[0] + except KeyError: + pass + if grp: + try: + tarinfo.gname = grp.getgrgid(tarinfo.gid)[0] + except KeyError: + pass + + if type in (CHRTYPE, BLKTYPE): + if hasattr(os, "major") and hasattr(os, "minor"): + tarinfo.devmajor = os.major(statres.st_rdev) + tarinfo.devminor = os.minor(statres.st_rdev) + return tarinfo + + def list(self, verbose=True): + """Print a table of contents to sys.stdout. If `verbose' is False, only + the names of the members are printed. If it is True, an `ls -l'-like + output is produced. + """ + self._check() + + for tarinfo in self: + if verbose: + print(filemode(tarinfo.mode), end=' ') + print("%s/%s" % (tarinfo.uname or tarinfo.uid, + tarinfo.gname or tarinfo.gid), end=' ') + if tarinfo.ischr() or tarinfo.isblk(): + print("%10s" % ("%d,%d" \ + % (tarinfo.devmajor, tarinfo.devminor)), end=' ') + else: + print("%10d" % tarinfo.size, end=' ') + print("%d-%02d-%02d %02d:%02d:%02d" \ + % time.localtime(tarinfo.mtime)[:6], end=' ') + + print(tarinfo.name + ("/" if tarinfo.isdir() else ""), end=' ') + + if verbose: + if tarinfo.issym(): + print("->", tarinfo.linkname, end=' ') + if tarinfo.islnk(): + print("link to", tarinfo.linkname, end=' ') + print() + + def add(self, name, arcname=None, recursive=True, exclude=None, filter=None): + """Add the file `name' to the archive. `name' may be any type of file + (directory, fifo, symbolic link, etc.). If given, `arcname' + specifies an alternative name for the file in the archive. + Directories are added recursively by default. This can be avoided by + setting `recursive' to False. `exclude' is a function that should + return True for each filename to be excluded. `filter' is a function + that expects a TarInfo object argument and returns the changed + TarInfo object, if it returns None the TarInfo object will be + excluded from the archive. + """ + self._check("aw") + + if arcname is None: + arcname = name + + # Exclude pathnames. + if exclude is not None: + import warnings + warnings.warn("use the filter argument instead", + DeprecationWarning, 2) + if exclude(name): + self._dbg(2, "tarfile: Excluded %r" % name) + return + + # Skip if somebody tries to archive the archive... + if self.name is not None and os.path.abspath(name) == self.name: + self._dbg(2, "tarfile: Skipped %r" % name) + return + + self._dbg(1, name) + + # Create a TarInfo object from the file. + tarinfo = self.gettarinfo(name, arcname) + + if tarinfo is None: + self._dbg(1, "tarfile: Unsupported type %r" % name) + return + + # Change or exclude the TarInfo object. + if filter is not None: + tarinfo = filter(tarinfo) + if tarinfo is None: + self._dbg(2, "tarfile: Excluded %r" % name) + return + + # Append the tar header and data to the archive. + if tarinfo.isreg(): + f = bltn_open(name, "rb") + self.addfile(tarinfo, f) + f.close() + + elif tarinfo.isdir(): + self.addfile(tarinfo) + if recursive: + for f in os.listdir(name): + self.add(os.path.join(name, f), os.path.join(arcname, f), + recursive, exclude, filter=filter) + + else: + self.addfile(tarinfo) + + def addfile(self, tarinfo, fileobj=None): + """Add the TarInfo object `tarinfo' to the archive. If `fileobj' is + given, tarinfo.size bytes are read from it and added to the archive. + You can create TarInfo objects using gettarinfo(). + On Windows platforms, `fileobj' should always be opened with mode + 'rb' to avoid irritation about the file size. + """ + self._check("aw") + + tarinfo = copy.copy(tarinfo) + + buf = tarinfo.tobuf(self.format, self.encoding, self.errors) + self.fileobj.write(buf) + self.offset += len(buf) + + # If there's data to follow, append it. + if fileobj is not None: + copyfileobj(fileobj, self.fileobj, tarinfo.size) + blocks, remainder = divmod(tarinfo.size, BLOCKSIZE) + if remainder > 0: + self.fileobj.write(NUL * (BLOCKSIZE - remainder)) + blocks += 1 + self.offset += blocks * BLOCKSIZE + + self.members.append(tarinfo) + + def extractall(self, path=".", members=None): + """Extract all members from the archive to the current working + directory and set owner, modification time and permissions on + directories afterwards. `path' specifies a different directory + to extract to. `members' is optional and must be a subset of the + list returned by getmembers(). + """ + directories = [] + + if members is None: + members = self + + for tarinfo in members: + if tarinfo.isdir(): + # Extract directories with a safe mode. + directories.append(tarinfo) + tarinfo = copy.copy(tarinfo) + tarinfo.mode = 0o700 + # Do not set_attrs directories, as we will do that further down + self.extract(tarinfo, path, set_attrs=not tarinfo.isdir()) + + # Reverse sort directories. + directories.sort(key=lambda a: a.name) + directories.reverse() + + # Set correct owner, mtime and filemode on directories. + for tarinfo in directories: + dirpath = os.path.join(path, tarinfo.name) + try: + self.chown(tarinfo, dirpath) + self.utime(tarinfo, dirpath) + self.chmod(tarinfo, dirpath) + except ExtractError as e: + if self.errorlevel > 1: + raise + else: + self._dbg(1, "tarfile: %s" % e) + + def extract(self, member, path="", set_attrs=True): + """Extract a member from the archive to the current working directory, + using its full name. Its file information is extracted as accurately + as possible. `member' may be a filename or a TarInfo object. You can + specify a different directory using `path'. File attributes (owner, + mtime, mode) are set unless `set_attrs' is False. + """ + self._check("r") + + if isinstance(member, str): + tarinfo = self.getmember(member) + else: + tarinfo = member + + # Prepare the link target for makelink(). + if tarinfo.islnk(): + tarinfo._link_target = os.path.join(path, tarinfo.linkname) + + try: + self._extract_member(tarinfo, os.path.join(path, tarinfo.name), + set_attrs=set_attrs) + except EnvironmentError as e: + if self.errorlevel > 0: + raise + else: + if e.filename is None: + self._dbg(1, "tarfile: %s" % e.strerror) + else: + self._dbg(1, "tarfile: %s %r" % (e.strerror, e.filename)) + except ExtractError as e: + if self.errorlevel > 1: + raise + else: + self._dbg(1, "tarfile: %s" % e) + + def extractfile(self, member): + """Extract a member from the archive as a file object. `member' may be + a filename or a TarInfo object. If `member' is a regular file, a + file-like object is returned. If `member' is a link, a file-like + object is constructed from the link's target. If `member' is none of + the above, None is returned. + The file-like object is read-only and provides the following + methods: read(), readline(), readlines(), seek() and tell() + """ + self._check("r") + + if isinstance(member, str): + tarinfo = self.getmember(member) + else: + tarinfo = member + + if tarinfo.isreg(): + return self.fileobject(self, tarinfo) + + elif tarinfo.type not in SUPPORTED_TYPES: + # If a member's type is unknown, it is treated as a + # regular file. + return self.fileobject(self, tarinfo) + + elif tarinfo.islnk() or tarinfo.issym(): + if isinstance(self.fileobj, _Stream): + # A small but ugly workaround for the case that someone tries + # to extract a (sym)link as a file-object from a non-seekable + # stream of tar blocks. + raise StreamError("cannot extract (sym)link as file object") + else: + # A (sym)link's file object is its target's file object. + return self.extractfile(self._find_link_target(tarinfo)) + else: + # If there's no data associated with the member (directory, chrdev, + # blkdev, etc.), return None instead of a file object. + return None + + def _extract_member(self, tarinfo, targetpath, set_attrs=True): + """Extract the TarInfo object tarinfo to a physical + file called targetpath. + """ + # Fetch the TarInfo object for the given name + # and build the destination pathname, replacing + # forward slashes to platform specific separators. + targetpath = targetpath.rstrip("/") + targetpath = targetpath.replace("/", os.sep) + + # Create all upper directories. + upperdirs = os.path.dirname(targetpath) + if upperdirs and not os.path.exists(upperdirs): + # Create directories that are not part of the archive with + # default permissions. + os.makedirs(upperdirs) + + if tarinfo.islnk() or tarinfo.issym(): + self._dbg(1, "%s -> %s" % (tarinfo.name, tarinfo.linkname)) + else: + self._dbg(1, tarinfo.name) + + if tarinfo.isreg(): + self.makefile(tarinfo, targetpath) + elif tarinfo.isdir(): + self.makedir(tarinfo, targetpath) + elif tarinfo.isfifo(): + self.makefifo(tarinfo, targetpath) + elif tarinfo.ischr() or tarinfo.isblk(): + self.makedev(tarinfo, targetpath) + elif tarinfo.islnk() or tarinfo.issym(): + self.makelink(tarinfo, targetpath) + elif tarinfo.type not in SUPPORTED_TYPES: + self.makeunknown(tarinfo, targetpath) + else: + self.makefile(tarinfo, targetpath) + + if set_attrs: + self.chown(tarinfo, targetpath) + if not tarinfo.issym(): + self.chmod(tarinfo, targetpath) + self.utime(tarinfo, targetpath) + + #-------------------------------------------------------------------------- + # Below are the different file methods. They are called via + # _extract_member() when extract() is called. They can be replaced in a + # subclass to implement other functionality. + + def makedir(self, tarinfo, targetpath): + """Make a directory called targetpath. + """ + try: + # Use a safe mode for the directory, the real mode is set + # later in _extract_member(). + os.mkdir(targetpath, 0o700) + except EnvironmentError as e: + if e.errno != errno.EEXIST: + raise + + def makefile(self, tarinfo, targetpath): + """Make a file called targetpath. + """ + source = self.fileobj + source.seek(tarinfo.offset_data) + target = bltn_open(targetpath, "wb") + if tarinfo.sparse is not None: + for offset, size in tarinfo.sparse: + target.seek(offset) + copyfileobj(source, target, size) + else: + copyfileobj(source, target, tarinfo.size) + target.seek(tarinfo.size) + target.truncate() + target.close() + + def makeunknown(self, tarinfo, targetpath): + """Make a file from a TarInfo object with an unknown type + at targetpath. + """ + self.makefile(tarinfo, targetpath) + self._dbg(1, "tarfile: Unknown file type %r, " \ + "extracted as regular file." % tarinfo.type) + + def makefifo(self, tarinfo, targetpath): + """Make a fifo called targetpath. + """ + if hasattr(os, "mkfifo"): + os.mkfifo(targetpath) + else: + raise ExtractError("fifo not supported by system") + + def makedev(self, tarinfo, targetpath): + """Make a character or block device called targetpath. + """ + if not hasattr(os, "mknod") or not hasattr(os, "makedev"): + raise ExtractError("special devices not supported by system") + + mode = tarinfo.mode + if tarinfo.isblk(): + mode |= stat.S_IFBLK + else: + mode |= stat.S_IFCHR + + os.mknod(targetpath, mode, + os.makedev(tarinfo.devmajor, tarinfo.devminor)) + + def makelink(self, tarinfo, targetpath): + """Make a (symbolic) link called targetpath. If it cannot be created + (platform limitation), we try to make a copy of the referenced file + instead of a link. + """ + try: + # For systems that support symbolic and hard links. + if tarinfo.issym(): + os.symlink(tarinfo.linkname, targetpath) + else: + # See extract(). + if os.path.exists(tarinfo._link_target): + os.link(tarinfo._link_target, targetpath) + else: + self._extract_member(self._find_link_target(tarinfo), + targetpath) + except symlink_exception: + if tarinfo.issym(): + linkpath = os.path.join(os.path.dirname(tarinfo.name), + tarinfo.linkname) + else: + linkpath = tarinfo.linkname + else: + try: + self._extract_member(self._find_link_target(tarinfo), + targetpath) + except KeyError: + raise ExtractError("unable to resolve link inside archive") + + def chown(self, tarinfo, targetpath): + """Set owner of targetpath according to tarinfo. + """ + if pwd and hasattr(os, "geteuid") and os.geteuid() == 0: + # We have to be root to do so. + try: + g = grp.getgrnam(tarinfo.gname)[2] + except KeyError: + g = tarinfo.gid + try: + u = pwd.getpwnam(tarinfo.uname)[2] + except KeyError: + u = tarinfo.uid + try: + if tarinfo.issym() and hasattr(os, "lchown"): + os.lchown(targetpath, u, g) + else: + if sys.platform != "os2emx": + os.chown(targetpath, u, g) + except EnvironmentError as e: + raise ExtractError("could not change owner") + + def chmod(self, tarinfo, targetpath): + """Set file permissions of targetpath according to tarinfo. + """ + if hasattr(os, 'chmod'): + try: + os.chmod(targetpath, tarinfo.mode) + except EnvironmentError as e: + raise ExtractError("could not change mode") + + def utime(self, tarinfo, targetpath): + """Set modification time of targetpath according to tarinfo. + """ + if not hasattr(os, 'utime'): + return + try: + os.utime(targetpath, (tarinfo.mtime, tarinfo.mtime)) + except EnvironmentError as e: + raise ExtractError("could not change modification time") + + #-------------------------------------------------------------------------- + def next(self): + """Return the next member of the archive as a TarInfo object, when + TarFile is opened for reading. Return None if there is no more + available. + """ + self._check("ra") + if self.firstmember is not None: + m = self.firstmember + self.firstmember = None + return m + + # Read the next block. + self.fileobj.seek(self.offset) + tarinfo = None + while True: + try: + tarinfo = self.tarinfo.fromtarfile(self) + except EOFHeaderError as e: + if self.ignore_zeros: + self._dbg(2, "0x%X: %s" % (self.offset, e)) + self.offset += BLOCKSIZE + continue + except InvalidHeaderError as e: + if self.ignore_zeros: + self._dbg(2, "0x%X: %s" % (self.offset, e)) + self.offset += BLOCKSIZE + continue + elif self.offset == 0: + raise ReadError(str(e)) + except EmptyHeaderError: + if self.offset == 0: + raise ReadError("empty file") + except TruncatedHeaderError as e: + if self.offset == 0: + raise ReadError(str(e)) + except SubsequentHeaderError as e: + raise ReadError(str(e)) + break + + if tarinfo is not None: + self.members.append(tarinfo) + else: + self._loaded = True + + return tarinfo + + #-------------------------------------------------------------------------- + # Little helper methods: + + def _getmember(self, name, tarinfo=None, normalize=False): + """Find an archive member by name from bottom to top. + If tarinfo is given, it is used as the starting point. + """ + # Ensure that all members have been loaded. + members = self.getmembers() + + # Limit the member search list up to tarinfo. + if tarinfo is not None: + members = members[:members.index(tarinfo)] + + if normalize: + name = os.path.normpath(name) + + for member in reversed(members): + if normalize: + member_name = os.path.normpath(member.name) + else: + member_name = member.name + + if name == member_name: + return member + + def _load(self): + """Read through the entire archive file and look for readable + members. + """ + while True: + tarinfo = self.next() + if tarinfo is None: + break + self._loaded = True + + def _check(self, mode=None): + """Check if TarFile is still open, and if the operation's mode + corresponds to TarFile's mode. + """ + if self.closed: + raise IOError("%s is closed" % self.__class__.__name__) + if mode is not None and self.mode not in mode: + raise IOError("bad operation for mode %r" % self.mode) + + def _find_link_target(self, tarinfo): + """Find the target member of a symlink or hardlink member in the + archive. + """ + if tarinfo.issym(): + # Always search the entire archive. + linkname = os.path.dirname(tarinfo.name) + "/" + tarinfo.linkname + limit = None + else: + # Search the archive before the link, because a hard link is + # just a reference to an already archived file. + linkname = tarinfo.linkname + limit = tarinfo + + member = self._getmember(linkname, tarinfo=limit, normalize=True) + if member is None: + raise KeyError("linkname %r not found" % linkname) + return member + + def __iter__(self): + """Provide an iterator object. + """ + if self._loaded: + return iter(self.members) + else: + return TarIter(self) + + def _dbg(self, level, msg): + """Write debugging output to sys.stderr. + """ + if level <= self.debug: + print(msg, file=sys.stderr) + + def __enter__(self): + self._check() + return self + + def __exit__(self, type, value, traceback): + if type is None: + self.close() + else: + # An exception occurred. We must not call close() because + # it would try to write end-of-archive blocks and padding. + if not self._extfileobj: + self.fileobj.close() + self.closed = True +# class TarFile + +class TarIter(object): + """Iterator Class. + + for tarinfo in TarFile(...): + suite... + """ + + def __init__(self, tarfile): + """Construct a TarIter object. + """ + self.tarfile = tarfile + self.index = 0 + def __iter__(self): + """Return iterator object. + """ + return self + + def __next__(self): + """Return the next item using TarFile's next() method. + When all members have been read, set TarFile as _loaded. + """ + # Fix for SF #1100429: Under rare circumstances it can + # happen that getmembers() is called during iteration, + # which will cause TarIter to stop prematurely. + if not self.tarfile._loaded: + tarinfo = self.tarfile.next() + if not tarinfo: + self.tarfile._loaded = True + raise StopIteration + else: + try: + tarinfo = self.tarfile.members[self.index] + except IndexError: + raise StopIteration + self.index += 1 + return tarinfo + + next = __next__ # for Python 2.x + +#-------------------- +# exported functions +#-------------------- +def is_tarfile(name): + """Return True if name points to a tar archive that we + are able to handle, else return False. + """ + try: + t = open(name) + t.close() + return True + except TarError: + return False + +bltn_open = open +open = TarFile.open diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/compat.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/compat.py new file mode 100644 index 0000000..ff328c8 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/compat.py @@ -0,0 +1,1120 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2013-2017 Vinay Sajip. +# Licensed to the Python Software Foundation under a contributor agreement. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +from __future__ import absolute_import + +import os +import re +import sys + +try: + import ssl +except ImportError: # pragma: no cover + ssl = None + +if sys.version_info[0] < 3: # pragma: no cover + from StringIO import StringIO + string_types = basestring, + text_type = unicode + from types import FileType as file_type + import __builtin__ as builtins + import ConfigParser as configparser + from ._backport import shutil + from urlparse import urlparse, urlunparse, urljoin, urlsplit, urlunsplit + from urllib import (urlretrieve, quote as _quote, unquote, url2pathname, + pathname2url, ContentTooShortError, splittype) + + def quote(s): + if isinstance(s, unicode): + s = s.encode('utf-8') + return _quote(s) + + import urllib2 + from urllib2 import (Request, urlopen, URLError, HTTPError, + HTTPBasicAuthHandler, HTTPPasswordMgr, + HTTPHandler, HTTPRedirectHandler, + build_opener) + if ssl: + from urllib2 import HTTPSHandler + import httplib + import xmlrpclib + import Queue as queue + from HTMLParser import HTMLParser + import htmlentitydefs + raw_input = raw_input + from itertools import ifilter as filter + from itertools import ifilterfalse as filterfalse + + _userprog = None + def splituser(host): + """splituser('user[:passwd]@host[:port]') --> 'user[:passwd]', 'host[:port]'.""" + global _userprog + if _userprog is None: + import re + _userprog = re.compile('^(.*)@(.*)$') + + match = _userprog.match(host) + if match: return match.group(1, 2) + return None, host + +else: # pragma: no cover + from io import StringIO + string_types = str, + text_type = str + from io import TextIOWrapper as file_type + import builtins + import configparser + import shutil + from urllib.parse import (urlparse, urlunparse, urljoin, splituser, quote, + unquote, urlsplit, urlunsplit, splittype) + from urllib.request import (urlopen, urlretrieve, Request, url2pathname, + pathname2url, + HTTPBasicAuthHandler, HTTPPasswordMgr, + HTTPHandler, HTTPRedirectHandler, + build_opener) + if ssl: + from urllib.request import HTTPSHandler + from urllib.error import HTTPError, URLError, ContentTooShortError + import http.client as httplib + import urllib.request as urllib2 + import xmlrpc.client as xmlrpclib + import queue + from html.parser import HTMLParser + import html.entities as htmlentitydefs + raw_input = input + from itertools import filterfalse + filter = filter + +try: + from ssl import match_hostname, CertificateError +except ImportError: # pragma: no cover + class CertificateError(ValueError): + pass + + + def _dnsname_match(dn, hostname, max_wildcards=1): + """Matching according to RFC 6125, section 6.4.3 + + http://tools.ietf.org/html/rfc6125#section-6.4.3 + """ + pats = [] + if not dn: + return False + + parts = dn.split('.') + leftmost, remainder = parts[0], parts[1:] + + wildcards = leftmost.count('*') + if wildcards > max_wildcards: + # Issue #17980: avoid denials of service by refusing more + # than one wildcard per fragment. A survey of established + # policy among SSL implementations showed it to be a + # reasonable choice. + raise CertificateError( + "too many wildcards in certificate DNS name: " + repr(dn)) + + # speed up common case w/o wildcards + if not wildcards: + return dn.lower() == hostname.lower() + + # RFC 6125, section 6.4.3, subitem 1. + # The client SHOULD NOT attempt to match a presented identifier in which + # the wildcard character comprises a label other than the left-most label. + if leftmost == '*': + # When '*' is a fragment by itself, it matches a non-empty dotless + # fragment. + pats.append('[^.]+') + elif leftmost.startswith('xn--') or hostname.startswith('xn--'): + # RFC 6125, section 6.4.3, subitem 3. + # The client SHOULD NOT attempt to match a presented identifier + # where the wildcard character is embedded within an A-label or + # U-label of an internationalized domain name. + pats.append(re.escape(leftmost)) + else: + # Otherwise, '*' matches any dotless string, e.g. www* + pats.append(re.escape(leftmost).replace(r'\*', '[^.]*')) + + # add the remaining fragments, ignore any wildcards + for frag in remainder: + pats.append(re.escape(frag)) + + pat = re.compile(r'\A' + r'\.'.join(pats) + r'\Z', re.IGNORECASE) + return pat.match(hostname) + + + def match_hostname(cert, hostname): + """Verify that *cert* (in decoded format as returned by + SSLSocket.getpeercert()) matches the *hostname*. RFC 2818 and RFC 6125 + rules are followed, but IP addresses are not accepted for *hostname*. + + CertificateError is raised on failure. On success, the function + returns nothing. + """ + if not cert: + raise ValueError("empty or no certificate, match_hostname needs a " + "SSL socket or SSL context with either " + "CERT_OPTIONAL or CERT_REQUIRED") + dnsnames = [] + san = cert.get('subjectAltName', ()) + for key, value in san: + if key == 'DNS': + if _dnsname_match(value, hostname): + return + dnsnames.append(value) + if not dnsnames: + # The subject is only checked when there is no dNSName entry + # in subjectAltName + for sub in cert.get('subject', ()): + for key, value in sub: + # XXX according to RFC 2818, the most specific Common Name + # must be used. + if key == 'commonName': + if _dnsname_match(value, hostname): + return + dnsnames.append(value) + if len(dnsnames) > 1: + raise CertificateError("hostname %r " + "doesn't match either of %s" + % (hostname, ', '.join(map(repr, dnsnames)))) + elif len(dnsnames) == 1: + raise CertificateError("hostname %r " + "doesn't match %r" + % (hostname, dnsnames[0])) + else: + raise CertificateError("no appropriate commonName or " + "subjectAltName fields were found") + + +try: + from types import SimpleNamespace as Container +except ImportError: # pragma: no cover + class Container(object): + """ + A generic container for when multiple values need to be returned + """ + def __init__(self, **kwargs): + self.__dict__.update(kwargs) + + +try: + from shutil import which +except ImportError: # pragma: no cover + # Implementation from Python 3.3 + def which(cmd, mode=os.F_OK | os.X_OK, path=None): + """Given a command, mode, and a PATH string, return the path which + conforms to the given mode on the PATH, or None if there is no such + file. + + `mode` defaults to os.F_OK | os.X_OK. `path` defaults to the result + of os.environ.get("PATH"), or can be overridden with a custom search + path. + + """ + # Check that a given file can be accessed with the correct mode. + # Additionally check that `file` is not a directory, as on Windows + # directories pass the os.access check. + def _access_check(fn, mode): + return (os.path.exists(fn) and os.access(fn, mode) + and not os.path.isdir(fn)) + + # If we're given a path with a directory part, look it up directly rather + # than referring to PATH directories. This includes checking relative to the + # current directory, e.g. ./script + if os.path.dirname(cmd): + if _access_check(cmd, mode): + return cmd + return None + + if path is None: + path = os.environ.get("PATH", os.defpath) + if not path: + return None + path = path.split(os.pathsep) + + if sys.platform == "win32": + # The current directory takes precedence on Windows. + if not os.curdir in path: + path.insert(0, os.curdir) + + # PATHEXT is necessary to check on Windows. + pathext = os.environ.get("PATHEXT", "").split(os.pathsep) + # See if the given file matches any of the expected path extensions. + # This will allow us to short circuit when given "python.exe". + # If it does match, only test that one, otherwise we have to try + # others. + if any(cmd.lower().endswith(ext.lower()) for ext in pathext): + files = [cmd] + else: + files = [cmd + ext for ext in pathext] + else: + # On other platforms you don't have things like PATHEXT to tell you + # what file suffixes are executable, so just pass on cmd as-is. + files = [cmd] + + seen = set() + for dir in path: + normdir = os.path.normcase(dir) + if not normdir in seen: + seen.add(normdir) + for thefile in files: + name = os.path.join(dir, thefile) + if _access_check(name, mode): + return name + return None + + +# ZipFile is a context manager in 2.7, but not in 2.6 + +from zipfile import ZipFile as BaseZipFile + +if hasattr(BaseZipFile, '__enter__'): # pragma: no cover + ZipFile = BaseZipFile +else: # pragma: no cover + from zipfile import ZipExtFile as BaseZipExtFile + + class ZipExtFile(BaseZipExtFile): + def __init__(self, base): + self.__dict__.update(base.__dict__) + + def __enter__(self): + return self + + def __exit__(self, *exc_info): + self.close() + # return None, so if an exception occurred, it will propagate + + class ZipFile(BaseZipFile): + def __enter__(self): + return self + + def __exit__(self, *exc_info): + self.close() + # return None, so if an exception occurred, it will propagate + + def open(self, *args, **kwargs): + base = BaseZipFile.open(self, *args, **kwargs) + return ZipExtFile(base) + +try: + from platform import python_implementation +except ImportError: # pragma: no cover + def python_implementation(): + """Return a string identifying the Python implementation.""" + if 'PyPy' in sys.version: + return 'PyPy' + if os.name == 'java': + return 'Jython' + if sys.version.startswith('IronPython'): + return 'IronPython' + return 'CPython' + +try: + import sysconfig +except ImportError: # pragma: no cover + from ._backport import sysconfig + +try: + callable = callable +except NameError: # pragma: no cover + from collections import Callable + + def callable(obj): + return isinstance(obj, Callable) + + +try: + fsencode = os.fsencode + fsdecode = os.fsdecode +except AttributeError: # pragma: no cover + # Issue #99: on some systems (e.g. containerised), + # sys.getfilesystemencoding() returns None, and we need a real value, + # so fall back to utf-8. From the CPython 2.7 docs relating to Unix and + # sys.getfilesystemencoding(): the return value is "the user’s preference + # according to the result of nl_langinfo(CODESET), or None if the + # nl_langinfo(CODESET) failed." + _fsencoding = sys.getfilesystemencoding() or 'utf-8' + if _fsencoding == 'mbcs': + _fserrors = 'strict' + else: + _fserrors = 'surrogateescape' + + def fsencode(filename): + if isinstance(filename, bytes): + return filename + elif isinstance(filename, text_type): + return filename.encode(_fsencoding, _fserrors) + else: + raise TypeError("expect bytes or str, not %s" % + type(filename).__name__) + + def fsdecode(filename): + if isinstance(filename, text_type): + return filename + elif isinstance(filename, bytes): + return filename.decode(_fsencoding, _fserrors) + else: + raise TypeError("expect bytes or str, not %s" % + type(filename).__name__) + +try: + from tokenize import detect_encoding +except ImportError: # pragma: no cover + from codecs import BOM_UTF8, lookup + import re + + cookie_re = re.compile(r"coding[:=]\s*([-\w.]+)") + + def _get_normal_name(orig_enc): + """Imitates get_normal_name in tokenizer.c.""" + # Only care about the first 12 characters. + enc = orig_enc[:12].lower().replace("_", "-") + if enc == "utf-8" or enc.startswith("utf-8-"): + return "utf-8" + if enc in ("latin-1", "iso-8859-1", "iso-latin-1") or \ + enc.startswith(("latin-1-", "iso-8859-1-", "iso-latin-1-")): + return "iso-8859-1" + return orig_enc + + def detect_encoding(readline): + """ + The detect_encoding() function is used to detect the encoding that should + be used to decode a Python source file. It requires one argument, readline, + in the same way as the tokenize() generator. + + It will call readline a maximum of twice, and return the encoding used + (as a string) and a list of any lines (left as bytes) it has read in. + + It detects the encoding from the presence of a utf-8 bom or an encoding + cookie as specified in pep-0263. If both a bom and a cookie are present, + but disagree, a SyntaxError will be raised. If the encoding cookie is an + invalid charset, raise a SyntaxError. Note that if a utf-8 bom is found, + 'utf-8-sig' is returned. + + If no encoding is specified, then the default of 'utf-8' will be returned. + """ + try: + filename = readline.__self__.name + except AttributeError: + filename = None + bom_found = False + encoding = None + default = 'utf-8' + def read_or_stop(): + try: + return readline() + except StopIteration: + return b'' + + def find_cookie(line): + try: + # Decode as UTF-8. Either the line is an encoding declaration, + # in which case it should be pure ASCII, or it must be UTF-8 + # per default encoding. + line_string = line.decode('utf-8') + except UnicodeDecodeError: + msg = "invalid or missing encoding declaration" + if filename is not None: + msg = '{} for {!r}'.format(msg, filename) + raise SyntaxError(msg) + + matches = cookie_re.findall(line_string) + if not matches: + return None + encoding = _get_normal_name(matches[0]) + try: + codec = lookup(encoding) + except LookupError: + # This behaviour mimics the Python interpreter + if filename is None: + msg = "unknown encoding: " + encoding + else: + msg = "unknown encoding for {!r}: {}".format(filename, + encoding) + raise SyntaxError(msg) + + if bom_found: + if codec.name != 'utf-8': + # This behaviour mimics the Python interpreter + if filename is None: + msg = 'encoding problem: utf-8' + else: + msg = 'encoding problem for {!r}: utf-8'.format(filename) + raise SyntaxError(msg) + encoding += '-sig' + return encoding + + first = read_or_stop() + if first.startswith(BOM_UTF8): + bom_found = True + first = first[3:] + default = 'utf-8-sig' + if not first: + return default, [] + + encoding = find_cookie(first) + if encoding: + return encoding, [first] + + second = read_or_stop() + if not second: + return default, [first] + + encoding = find_cookie(second) + if encoding: + return encoding, [first, second] + + return default, [first, second] + +# For converting & <-> & etc. +try: + from html import escape +except ImportError: + from cgi import escape +if sys.version_info[:2] < (3, 4): + unescape = HTMLParser().unescape +else: + from html import unescape + +try: + from collections import ChainMap +except ImportError: # pragma: no cover + from collections import MutableMapping + + try: + from reprlib import recursive_repr as _recursive_repr + except ImportError: + def _recursive_repr(fillvalue='...'): + ''' + Decorator to make a repr function return fillvalue for a recursive + call + ''' + + def decorating_function(user_function): + repr_running = set() + + def wrapper(self): + key = id(self), get_ident() + if key in repr_running: + return fillvalue + repr_running.add(key) + try: + result = user_function(self) + finally: + repr_running.discard(key) + return result + + # Can't use functools.wraps() here because of bootstrap issues + wrapper.__module__ = getattr(user_function, '__module__') + wrapper.__doc__ = getattr(user_function, '__doc__') + wrapper.__name__ = getattr(user_function, '__name__') + wrapper.__annotations__ = getattr(user_function, '__annotations__', {}) + return wrapper + + return decorating_function + + class ChainMap(MutableMapping): + ''' A ChainMap groups multiple dicts (or other mappings) together + to create a single, updateable view. + + The underlying mappings are stored in a list. That list is public and can + accessed or updated using the *maps* attribute. There is no other state. + + Lookups search the underlying mappings successively until a key is found. + In contrast, writes, updates, and deletions only operate on the first + mapping. + + ''' + + def __init__(self, *maps): + '''Initialize a ChainMap by setting *maps* to the given mappings. + If no mappings are provided, a single empty dictionary is used. + + ''' + self.maps = list(maps) or [{}] # always at least one map + + def __missing__(self, key): + raise KeyError(key) + + def __getitem__(self, key): + for mapping in self.maps: + try: + return mapping[key] # can't use 'key in mapping' with defaultdict + except KeyError: + pass + return self.__missing__(key) # support subclasses that define __missing__ + + def get(self, key, default=None): + return self[key] if key in self else default + + def __len__(self): + return len(set().union(*self.maps)) # reuses stored hash values if possible + + def __iter__(self): + return iter(set().union(*self.maps)) + + def __contains__(self, key): + return any(key in m for m in self.maps) + + def __bool__(self): + return any(self.maps) + + @_recursive_repr() + def __repr__(self): + return '{0.__class__.__name__}({1})'.format( + self, ', '.join(map(repr, self.maps))) + + @classmethod + def fromkeys(cls, iterable, *args): + 'Create a ChainMap with a single dict created from the iterable.' + return cls(dict.fromkeys(iterable, *args)) + + def copy(self): + 'New ChainMap or subclass with a new copy of maps[0] and refs to maps[1:]' + return self.__class__(self.maps[0].copy(), *self.maps[1:]) + + __copy__ = copy + + def new_child(self): # like Django's Context.push() + 'New ChainMap with a new dict followed by all previous maps.' + return self.__class__({}, *self.maps) + + @property + def parents(self): # like Django's Context.pop() + 'New ChainMap from maps[1:].' + return self.__class__(*self.maps[1:]) + + def __setitem__(self, key, value): + self.maps[0][key] = value + + def __delitem__(self, key): + try: + del self.maps[0][key] + except KeyError: + raise KeyError('Key not found in the first mapping: {!r}'.format(key)) + + def popitem(self): + 'Remove and return an item pair from maps[0]. Raise KeyError is maps[0] is empty.' + try: + return self.maps[0].popitem() + except KeyError: + raise KeyError('No keys found in the first mapping.') + + def pop(self, key, *args): + 'Remove *key* from maps[0] and return its value. Raise KeyError if *key* not in maps[0].' + try: + return self.maps[0].pop(key, *args) + except KeyError: + raise KeyError('Key not found in the first mapping: {!r}'.format(key)) + + def clear(self): + 'Clear maps[0], leaving maps[1:] intact.' + self.maps[0].clear() + +try: + from importlib.util import cache_from_source # Python >= 3.4 +except ImportError: # pragma: no cover + try: + from imp import cache_from_source + except ImportError: # pragma: no cover + def cache_from_source(path, debug_override=None): + assert path.endswith('.py') + if debug_override is None: + debug_override = __debug__ + if debug_override: + suffix = 'c' + else: + suffix = 'o' + return path + suffix + +try: + from collections import OrderedDict +except ImportError: # pragma: no cover +## {{{ http://code.activestate.com/recipes/576693/ (r9) +# Backport of OrderedDict() class that runs on Python 2.4, 2.5, 2.6, 2.7 and pypy. +# Passes Python2.7's test suite and incorporates all the latest updates. + try: + from thread import get_ident as _get_ident + except ImportError: + from dummy_thread import get_ident as _get_ident + + try: + from _abcoll import KeysView, ValuesView, ItemsView + except ImportError: + pass + + + class OrderedDict(dict): + 'Dictionary that remembers insertion order' + # An inherited dict maps keys to values. + # The inherited dict provides __getitem__, __len__, __contains__, and get. + # The remaining methods are order-aware. + # Big-O running times for all methods are the same as for regular dictionaries. + + # The internal self.__map dictionary maps keys to links in a doubly linked list. + # The circular doubly linked list starts and ends with a sentinel element. + # The sentinel element never gets deleted (this simplifies the algorithm). + # Each link is stored as a list of length three: [PREV, NEXT, KEY]. + + def __init__(self, *args, **kwds): + '''Initialize an ordered dictionary. Signature is the same as for + regular dictionaries, but keyword arguments are not recommended + because their insertion order is arbitrary. + + ''' + if len(args) > 1: + raise TypeError('expected at most 1 arguments, got %d' % len(args)) + try: + self.__root + except AttributeError: + self.__root = root = [] # sentinel node + root[:] = [root, root, None] + self.__map = {} + self.__update(*args, **kwds) + + def __setitem__(self, key, value, dict_setitem=dict.__setitem__): + 'od.__setitem__(i, y) <==> od[i]=y' + # Setting a new item creates a new link which goes at the end of the linked + # list, and the inherited dictionary is updated with the new key/value pair. + if key not in self: + root = self.__root + last = root[0] + last[1] = root[0] = self.__map[key] = [last, root, key] + dict_setitem(self, key, value) + + def __delitem__(self, key, dict_delitem=dict.__delitem__): + 'od.__delitem__(y) <==> del od[y]' + # Deleting an existing item uses self.__map to find the link which is + # then removed by updating the links in the predecessor and successor nodes. + dict_delitem(self, key) + link_prev, link_next, key = self.__map.pop(key) + link_prev[1] = link_next + link_next[0] = link_prev + + def __iter__(self): + 'od.__iter__() <==> iter(od)' + root = self.__root + curr = root[1] + while curr is not root: + yield curr[2] + curr = curr[1] + + def __reversed__(self): + 'od.__reversed__() <==> reversed(od)' + root = self.__root + curr = root[0] + while curr is not root: + yield curr[2] + curr = curr[0] + + def clear(self): + 'od.clear() -> None. Remove all items from od.' + try: + for node in self.__map.itervalues(): + del node[:] + root = self.__root + root[:] = [root, root, None] + self.__map.clear() + except AttributeError: + pass + dict.clear(self) + + def popitem(self, last=True): + '''od.popitem() -> (k, v), return and remove a (key, value) pair. + Pairs are returned in LIFO order if last is true or FIFO order if false. + + ''' + if not self: + raise KeyError('dictionary is empty') + root = self.__root + if last: + link = root[0] + link_prev = link[0] + link_prev[1] = root + root[0] = link_prev + else: + link = root[1] + link_next = link[1] + root[1] = link_next + link_next[0] = root + key = link[2] + del self.__map[key] + value = dict.pop(self, key) + return key, value + + # -- the following methods do not depend on the internal structure -- + + def keys(self): + 'od.keys() -> list of keys in od' + return list(self) + + def values(self): + 'od.values() -> list of values in od' + return [self[key] for key in self] + + def items(self): + 'od.items() -> list of (key, value) pairs in od' + return [(key, self[key]) for key in self] + + def iterkeys(self): + 'od.iterkeys() -> an iterator over the keys in od' + return iter(self) + + def itervalues(self): + 'od.itervalues -> an iterator over the values in od' + for k in self: + yield self[k] + + def iteritems(self): + 'od.iteritems -> an iterator over the (key, value) items in od' + for k in self: + yield (k, self[k]) + + def update(*args, **kwds): + '''od.update(E, **F) -> None. Update od from dict/iterable E and F. + + If E is a dict instance, does: for k in E: od[k] = E[k] + If E has a .keys() method, does: for k in E.keys(): od[k] = E[k] + Or if E is an iterable of items, does: for k, v in E: od[k] = v + In either case, this is followed by: for k, v in F.items(): od[k] = v + + ''' + if len(args) > 2: + raise TypeError('update() takes at most 2 positional ' + 'arguments (%d given)' % (len(args),)) + elif not args: + raise TypeError('update() takes at least 1 argument (0 given)') + self = args[0] + # Make progressively weaker assumptions about "other" + other = () + if len(args) == 2: + other = args[1] + if isinstance(other, dict): + for key in other: + self[key] = other[key] + elif hasattr(other, 'keys'): + for key in other.keys(): + self[key] = other[key] + else: + for key, value in other: + self[key] = value + for key, value in kwds.items(): + self[key] = value + + __update = update # let subclasses override update without breaking __init__ + + __marker = object() + + def pop(self, key, default=__marker): + '''od.pop(k[,d]) -> v, remove specified key and return the corresponding value. + If key is not found, d is returned if given, otherwise KeyError is raised. + + ''' + if key in self: + result = self[key] + del self[key] + return result + if default is self.__marker: + raise KeyError(key) + return default + + def setdefault(self, key, default=None): + 'od.setdefault(k[,d]) -> od.get(k,d), also set od[k]=d if k not in od' + if key in self: + return self[key] + self[key] = default + return default + + def __repr__(self, _repr_running=None): + 'od.__repr__() <==> repr(od)' + if not _repr_running: _repr_running = {} + call_key = id(self), _get_ident() + if call_key in _repr_running: + return '...' + _repr_running[call_key] = 1 + try: + if not self: + return '%s()' % (self.__class__.__name__,) + return '%s(%r)' % (self.__class__.__name__, self.items()) + finally: + del _repr_running[call_key] + + def __reduce__(self): + 'Return state information for pickling' + items = [[k, self[k]] for k in self] + inst_dict = vars(self).copy() + for k in vars(OrderedDict()): + inst_dict.pop(k, None) + if inst_dict: + return (self.__class__, (items,), inst_dict) + return self.__class__, (items,) + + def copy(self): + 'od.copy() -> a shallow copy of od' + return self.__class__(self) + + @classmethod + def fromkeys(cls, iterable, value=None): + '''OD.fromkeys(S[, v]) -> New ordered dictionary with keys from S + and values equal to v (which defaults to None). + + ''' + d = cls() + for key in iterable: + d[key] = value + return d + + def __eq__(self, other): + '''od.__eq__(y) <==> od==y. Comparison to another OD is order-sensitive + while comparison to a regular mapping is order-insensitive. + + ''' + if isinstance(other, OrderedDict): + return len(self)==len(other) and self.items() == other.items() + return dict.__eq__(self, other) + + def __ne__(self, other): + return not self == other + + # -- the following methods are only used in Python 2.7 -- + + def viewkeys(self): + "od.viewkeys() -> a set-like object providing a view on od's keys" + return KeysView(self) + + def viewvalues(self): + "od.viewvalues() -> an object providing a view on od's values" + return ValuesView(self) + + def viewitems(self): + "od.viewitems() -> a set-like object providing a view on od's items" + return ItemsView(self) + +try: + from logging.config import BaseConfigurator, valid_ident +except ImportError: # pragma: no cover + IDENTIFIER = re.compile('^[a-z_][a-z0-9_]*$', re.I) + + + def valid_ident(s): + m = IDENTIFIER.match(s) + if not m: + raise ValueError('Not a valid Python identifier: %r' % s) + return True + + + # The ConvertingXXX classes are wrappers around standard Python containers, + # and they serve to convert any suitable values in the container. The + # conversion converts base dicts, lists and tuples to their wrapped + # equivalents, whereas strings which match a conversion format are converted + # appropriately. + # + # Each wrapper should have a configurator attribute holding the actual + # configurator to use for conversion. + + class ConvertingDict(dict): + """A converting dictionary wrapper.""" + + def __getitem__(self, key): + value = dict.__getitem__(self, key) + result = self.configurator.convert(value) + #If the converted value is different, save for next time + if value is not result: + self[key] = result + if type(result) in (ConvertingDict, ConvertingList, + ConvertingTuple): + result.parent = self + result.key = key + return result + + def get(self, key, default=None): + value = dict.get(self, key, default) + result = self.configurator.convert(value) + #If the converted value is different, save for next time + if value is not result: + self[key] = result + if type(result) in (ConvertingDict, ConvertingList, + ConvertingTuple): + result.parent = self + result.key = key + return result + + def pop(self, key, default=None): + value = dict.pop(self, key, default) + result = self.configurator.convert(value) + if value is not result: + if type(result) in (ConvertingDict, ConvertingList, + ConvertingTuple): + result.parent = self + result.key = key + return result + + class ConvertingList(list): + """A converting list wrapper.""" + def __getitem__(self, key): + value = list.__getitem__(self, key) + result = self.configurator.convert(value) + #If the converted value is different, save for next time + if value is not result: + self[key] = result + if type(result) in (ConvertingDict, ConvertingList, + ConvertingTuple): + result.parent = self + result.key = key + return result + + def pop(self, idx=-1): + value = list.pop(self, idx) + result = self.configurator.convert(value) + if value is not result: + if type(result) in (ConvertingDict, ConvertingList, + ConvertingTuple): + result.parent = self + return result + + class ConvertingTuple(tuple): + """A converting tuple wrapper.""" + def __getitem__(self, key): + value = tuple.__getitem__(self, key) + result = self.configurator.convert(value) + if value is not result: + if type(result) in (ConvertingDict, ConvertingList, + ConvertingTuple): + result.parent = self + result.key = key + return result + + class BaseConfigurator(object): + """ + The configurator base class which defines some useful defaults. + """ + + CONVERT_PATTERN = re.compile(r'^(?P<prefix>[a-z]+)://(?P<suffix>.*)$') + + WORD_PATTERN = re.compile(r'^\s*(\w+)\s*') + DOT_PATTERN = re.compile(r'^\.\s*(\w+)\s*') + INDEX_PATTERN = re.compile(r'^\[\s*(\w+)\s*\]\s*') + DIGIT_PATTERN = re.compile(r'^\d+$') + + value_converters = { + 'ext' : 'ext_convert', + 'cfg' : 'cfg_convert', + } + + # We might want to use a different one, e.g. importlib + importer = staticmethod(__import__) + + def __init__(self, config): + self.config = ConvertingDict(config) + self.config.configurator = self + + def resolve(self, s): + """ + Resolve strings to objects using standard import and attribute + syntax. + """ + name = s.split('.') + used = name.pop(0) + try: + found = self.importer(used) + for frag in name: + used += '.' + frag + try: + found = getattr(found, frag) + except AttributeError: + self.importer(used) + found = getattr(found, frag) + return found + except ImportError: + e, tb = sys.exc_info()[1:] + v = ValueError('Cannot resolve %r: %s' % (s, e)) + v.__cause__, v.__traceback__ = e, tb + raise v + + def ext_convert(self, value): + """Default converter for the ext:// protocol.""" + return self.resolve(value) + + def cfg_convert(self, value): + """Default converter for the cfg:// protocol.""" + rest = value + m = self.WORD_PATTERN.match(rest) + if m is None: + raise ValueError("Unable to convert %r" % value) + else: + rest = rest[m.end():] + d = self.config[m.groups()[0]] + #print d, rest + while rest: + m = self.DOT_PATTERN.match(rest) + if m: + d = d[m.groups()[0]] + else: + m = self.INDEX_PATTERN.match(rest) + if m: + idx = m.groups()[0] + if not self.DIGIT_PATTERN.match(idx): + d = d[idx] + else: + try: + n = int(idx) # try as number first (most likely) + d = d[n] + except TypeError: + d = d[idx] + if m: + rest = rest[m.end():] + else: + raise ValueError('Unable to convert ' + '%r at %r' % (value, rest)) + #rest should be empty + return d + + def convert(self, value): + """ + Convert values to an appropriate type. dicts, lists and tuples are + replaced by their converting alternatives. Strings are checked to + see if they have a conversion format and are converted if they do. + """ + if not isinstance(value, ConvertingDict) and isinstance(value, dict): + value = ConvertingDict(value) + value.configurator = self + elif not isinstance(value, ConvertingList) and isinstance(value, list): + value = ConvertingList(value) + value.configurator = self + elif not isinstance(value, ConvertingTuple) and\ + isinstance(value, tuple): + value = ConvertingTuple(value) + value.configurator = self + elif isinstance(value, string_types): + m = self.CONVERT_PATTERN.match(value) + if m: + d = m.groupdict() + prefix = d['prefix'] + converter = self.value_converters.get(prefix, None) + if converter: + suffix = d['suffix'] + converter = getattr(self, converter) + value = converter(suffix) + return value + + def configure_custom(self, config): + """Configure an object with a user-supplied factory.""" + c = config.pop('()') + if not callable(c): + c = self.resolve(c) + props = config.pop('.', None) + # Check for valid identifiers + kwargs = dict([(k, config[k]) for k in config if valid_ident(k)]) + result = c(**kwargs) + if props: + for name, value in props.items(): + setattr(result, name, value) + return result + + def as_tuple(self, value): + """Utility function which converts lists to tuples.""" + if isinstance(value, list): + value = tuple(value) + return value diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/database.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/database.py new file mode 100644 index 0000000..b13cdac --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/database.py @@ -0,0 +1,1339 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2012-2017 The Python Software Foundation. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +"""PEP 376 implementation.""" + +from __future__ import unicode_literals + +import base64 +import codecs +import contextlib +import hashlib +import logging +import os +import posixpath +import sys +import zipimport + +from . import DistlibException, resources +from .compat import StringIO +from .version import get_scheme, UnsupportedVersionError +from .metadata import (Metadata, METADATA_FILENAME, WHEEL_METADATA_FILENAME, + LEGACY_METADATA_FILENAME) +from .util import (parse_requirement, cached_property, parse_name_and_version, + read_exports, write_exports, CSVReader, CSVWriter) + + +__all__ = ['Distribution', 'BaseInstalledDistribution', + 'InstalledDistribution', 'EggInfoDistribution', + 'DistributionPath'] + + +logger = logging.getLogger(__name__) + +EXPORTS_FILENAME = 'pydist-exports.json' +COMMANDS_FILENAME = 'pydist-commands.json' + +DIST_FILES = ('INSTALLER', METADATA_FILENAME, 'RECORD', 'REQUESTED', + 'RESOURCES', EXPORTS_FILENAME, 'SHARED') + +DISTINFO_EXT = '.dist-info' + + +class _Cache(object): + """ + A simple cache mapping names and .dist-info paths to distributions + """ + def __init__(self): + """ + Initialise an instance. There is normally one for each DistributionPath. + """ + self.name = {} + self.path = {} + self.generated = False + + def clear(self): + """ + Clear the cache, setting it to its initial state. + """ + self.name.clear() + self.path.clear() + self.generated = False + + def add(self, dist): + """ + Add a distribution to the cache. + :param dist: The distribution to add. + """ + if dist.path not in self.path: + self.path[dist.path] = dist + self.name.setdefault(dist.key, []).append(dist) + + +class DistributionPath(object): + """ + Represents a set of distributions installed on a path (typically sys.path). + """ + def __init__(self, path=None, include_egg=False): + """ + Create an instance from a path, optionally including legacy (distutils/ + setuptools/distribute) distributions. + :param path: The path to use, as a list of directories. If not specified, + sys.path is used. + :param include_egg: If True, this instance will look for and return legacy + distributions as well as those based on PEP 376. + """ + if path is None: + path = sys.path + self.path = path + self._include_dist = True + self._include_egg = include_egg + + self._cache = _Cache() + self._cache_egg = _Cache() + self._cache_enabled = True + self._scheme = get_scheme('default') + + def _get_cache_enabled(self): + return self._cache_enabled + + def _set_cache_enabled(self, value): + self._cache_enabled = value + + cache_enabled = property(_get_cache_enabled, _set_cache_enabled) + + def clear_cache(self): + """ + Clears the internal cache. + """ + self._cache.clear() + self._cache_egg.clear() + + + def _yield_distributions(self): + """ + Yield .dist-info and/or .egg(-info) distributions. + """ + # We need to check if we've seen some resources already, because on + # some Linux systems (e.g. some Debian/Ubuntu variants) there are + # symlinks which alias other files in the environment. + seen = set() + for path in self.path: + finder = resources.finder_for_path(path) + if finder is None: + continue + r = finder.find('') + if not r or not r.is_container: + continue + rset = sorted(r.resources) + for entry in rset: + r = finder.find(entry) + if not r or r.path in seen: + continue + if self._include_dist and entry.endswith(DISTINFO_EXT): + possible_filenames = [METADATA_FILENAME, + WHEEL_METADATA_FILENAME, + LEGACY_METADATA_FILENAME] + for metadata_filename in possible_filenames: + metadata_path = posixpath.join(entry, metadata_filename) + pydist = finder.find(metadata_path) + if pydist: + break + else: + continue + + with contextlib.closing(pydist.as_stream()) as stream: + metadata = Metadata(fileobj=stream, scheme='legacy') + logger.debug('Found %s', r.path) + seen.add(r.path) + yield new_dist_class(r.path, metadata=metadata, + env=self) + elif self._include_egg and entry.endswith(('.egg-info', + '.egg')): + logger.debug('Found %s', r.path) + seen.add(r.path) + yield old_dist_class(r.path, self) + + def _generate_cache(self): + """ + Scan the path for distributions and populate the cache with + those that are found. + """ + gen_dist = not self._cache.generated + gen_egg = self._include_egg and not self._cache_egg.generated + if gen_dist or gen_egg: + for dist in self._yield_distributions(): + if isinstance(dist, InstalledDistribution): + self._cache.add(dist) + else: + self._cache_egg.add(dist) + + if gen_dist: + self._cache.generated = True + if gen_egg: + self._cache_egg.generated = True + + @classmethod + def distinfo_dirname(cls, name, version): + """ + The *name* and *version* parameters are converted into their + filename-escaped form, i.e. any ``'-'`` characters are replaced + with ``'_'`` other than the one in ``'dist-info'`` and the one + separating the name from the version number. + + :parameter name: is converted to a standard distribution name by replacing + any runs of non- alphanumeric characters with a single + ``'-'``. + :type name: string + :parameter version: is converted to a standard version string. Spaces + become dots, and all other non-alphanumeric characters + (except dots) become dashes, with runs of multiple + dashes condensed to a single dash. + :type version: string + :returns: directory name + :rtype: string""" + name = name.replace('-', '_') + return '-'.join([name, version]) + DISTINFO_EXT + + def get_distributions(self): + """ + Provides an iterator that looks for distributions and returns + :class:`InstalledDistribution` or + :class:`EggInfoDistribution` instances for each one of them. + + :rtype: iterator of :class:`InstalledDistribution` and + :class:`EggInfoDistribution` instances + """ + if not self._cache_enabled: + for dist in self._yield_distributions(): + yield dist + else: + self._generate_cache() + + for dist in self._cache.path.values(): + yield dist + + if self._include_egg: + for dist in self._cache_egg.path.values(): + yield dist + + def get_distribution(self, name): + """ + Looks for a named distribution on the path. + + This function only returns the first result found, as no more than one + value is expected. If nothing is found, ``None`` is returned. + + :rtype: :class:`InstalledDistribution`, :class:`EggInfoDistribution` + or ``None`` + """ + result = None + name = name.lower() + if not self._cache_enabled: + for dist in self._yield_distributions(): + if dist.key == name: + result = dist + break + else: + self._generate_cache() + + if name in self._cache.name: + result = self._cache.name[name][0] + elif self._include_egg and name in self._cache_egg.name: + result = self._cache_egg.name[name][0] + return result + + def provides_distribution(self, name, version=None): + """ + Iterates over all distributions to find which distributions provide *name*. + If a *version* is provided, it will be used to filter the results. + + This function only returns the first result found, since no more than + one values are expected. If the directory is not found, returns ``None``. + + :parameter version: a version specifier that indicates the version + required, conforming to the format in ``PEP-345`` + + :type name: string + :type version: string + """ + matcher = None + if version is not None: + try: + matcher = self._scheme.matcher('%s (%s)' % (name, version)) + except ValueError: + raise DistlibException('invalid name or version: %r, %r' % + (name, version)) + + for dist in self.get_distributions(): + # We hit a problem on Travis where enum34 was installed and doesn't + # have a provides attribute ... + if not hasattr(dist, 'provides'): + logger.debug('No "provides": %s', dist) + else: + provided = dist.provides + + for p in provided: + p_name, p_ver = parse_name_and_version(p) + if matcher is None: + if p_name == name: + yield dist + break + else: + if p_name == name and matcher.match(p_ver): + yield dist + break + + def get_file_path(self, name, relative_path): + """ + Return the path to a resource file. + """ + dist = self.get_distribution(name) + if dist is None: + raise LookupError('no distribution named %r found' % name) + return dist.get_resource_path(relative_path) + + def get_exported_entries(self, category, name=None): + """ + Return all of the exported entries in a particular category. + + :param category: The category to search for entries. + :param name: If specified, only entries with that name are returned. + """ + for dist in self.get_distributions(): + r = dist.exports + if category in r: + d = r[category] + if name is not None: + if name in d: + yield d[name] + else: + for v in d.values(): + yield v + + +class Distribution(object): + """ + A base class for distributions, whether installed or from indexes. + Either way, it must have some metadata, so that's all that's needed + for construction. + """ + + build_time_dependency = False + """ + Set to True if it's known to be only a build-time dependency (i.e. + not needed after installation). + """ + + requested = False + """A boolean that indicates whether the ``REQUESTED`` metadata file is + present (in other words, whether the package was installed by user + request or it was installed as a dependency).""" + + def __init__(self, metadata): + """ + Initialise an instance. + :param metadata: The instance of :class:`Metadata` describing this + distribution. + """ + self.metadata = metadata + self.name = metadata.name + self.key = self.name.lower() # for case-insensitive comparisons + self.version = metadata.version + self.locator = None + self.digest = None + self.extras = None # additional features requested + self.context = None # environment marker overrides + self.download_urls = set() + self.digests = {} + + @property + def source_url(self): + """ + The source archive download URL for this distribution. + """ + return self.metadata.source_url + + download_url = source_url # Backward compatibility + + @property + def name_and_version(self): + """ + A utility property which displays the name and version in parentheses. + """ + return '%s (%s)' % (self.name, self.version) + + @property + def provides(self): + """ + A set of distribution names and versions provided by this distribution. + :return: A set of "name (version)" strings. + """ + plist = self.metadata.provides + s = '%s (%s)' % (self.name, self.version) + if s not in plist: + plist.append(s) + return plist + + def _get_requirements(self, req_attr): + md = self.metadata + logger.debug('Getting requirements from metadata %r', md.todict()) + reqts = getattr(md, req_attr) + return set(md.get_requirements(reqts, extras=self.extras, + env=self.context)) + + @property + def run_requires(self): + return self._get_requirements('run_requires') + + @property + def meta_requires(self): + return self._get_requirements('meta_requires') + + @property + def build_requires(self): + return self._get_requirements('build_requires') + + @property + def test_requires(self): + return self._get_requirements('test_requires') + + @property + def dev_requires(self): + return self._get_requirements('dev_requires') + + def matches_requirement(self, req): + """ + Say if this instance matches (fulfills) a requirement. + :param req: The requirement to match. + :rtype req: str + :return: True if it matches, else False. + """ + # Requirement may contain extras - parse to lose those + # from what's passed to the matcher + r = parse_requirement(req) + scheme = get_scheme(self.metadata.scheme) + try: + matcher = scheme.matcher(r.requirement) + except UnsupportedVersionError: + # XXX compat-mode if cannot read the version + logger.warning('could not read version %r - using name only', + req) + name = req.split()[0] + matcher = scheme.matcher(name) + + name = matcher.key # case-insensitive + + result = False + for p in self.provides: + p_name, p_ver = parse_name_and_version(p) + if p_name != name: + continue + try: + result = matcher.match(p_ver) + break + except UnsupportedVersionError: + pass + return result + + def __repr__(self): + """ + Return a textual representation of this instance, + """ + if self.source_url: + suffix = ' [%s]' % self.source_url + else: + suffix = '' + return '<Distribution %s (%s)%s>' % (self.name, self.version, suffix) + + def __eq__(self, other): + """ + See if this distribution is the same as another. + :param other: The distribution to compare with. To be equal to one + another. distributions must have the same type, name, + version and source_url. + :return: True if it is the same, else False. + """ + if type(other) is not type(self): + result = False + else: + result = (self.name == other.name and + self.version == other.version and + self.source_url == other.source_url) + return result + + def __hash__(self): + """ + Compute hash in a way which matches the equality test. + """ + return hash(self.name) + hash(self.version) + hash(self.source_url) + + +class BaseInstalledDistribution(Distribution): + """ + This is the base class for installed distributions (whether PEP 376 or + legacy). + """ + + hasher = None + + def __init__(self, metadata, path, env=None): + """ + Initialise an instance. + :param metadata: An instance of :class:`Metadata` which describes the + distribution. This will normally have been initialised + from a metadata file in the ``path``. + :param path: The path of the ``.dist-info`` or ``.egg-info`` + directory for the distribution. + :param env: This is normally the :class:`DistributionPath` + instance where this distribution was found. + """ + super(BaseInstalledDistribution, self).__init__(metadata) + self.path = path + self.dist_path = env + + def get_hash(self, data, hasher=None): + """ + Get the hash of some data, using a particular hash algorithm, if + specified. + + :param data: The data to be hashed. + :type data: bytes + :param hasher: The name of a hash implementation, supported by hashlib, + or ``None``. Examples of valid values are ``'sha1'``, + ``'sha224'``, ``'sha384'``, '``sha256'``, ``'md5'`` and + ``'sha512'``. If no hasher is specified, the ``hasher`` + attribute of the :class:`InstalledDistribution` instance + is used. If the hasher is determined to be ``None``, MD5 + is used as the hashing algorithm. + :returns: The hash of the data. If a hasher was explicitly specified, + the returned hash will be prefixed with the specified hasher + followed by '='. + :rtype: str + """ + if hasher is None: + hasher = self.hasher + if hasher is None: + hasher = hashlib.md5 + prefix = '' + else: + hasher = getattr(hashlib, hasher) + prefix = '%s=' % self.hasher + digest = hasher(data).digest() + digest = base64.urlsafe_b64encode(digest).rstrip(b'=').decode('ascii') + return '%s%s' % (prefix, digest) + + +class InstalledDistribution(BaseInstalledDistribution): + """ + Created with the *path* of the ``.dist-info`` directory provided to the + constructor. It reads the metadata contained in ``pydist.json`` when it is + instantiated., or uses a passed in Metadata instance (useful for when + dry-run mode is being used). + """ + + hasher = 'sha256' + + def __init__(self, path, metadata=None, env=None): + self.modules = [] + self.finder = finder = resources.finder_for_path(path) + if finder is None: + raise ValueError('finder unavailable for %s' % path) + if env and env._cache_enabled and path in env._cache.path: + metadata = env._cache.path[path].metadata + elif metadata is None: + r = finder.find(METADATA_FILENAME) + # Temporary - for Wheel 0.23 support + if r is None: + r = finder.find(WHEEL_METADATA_FILENAME) + # Temporary - for legacy support + if r is None: + r = finder.find('METADATA') + if r is None: + raise ValueError('no %s found in %s' % (METADATA_FILENAME, + path)) + with contextlib.closing(r.as_stream()) as stream: + metadata = Metadata(fileobj=stream, scheme='legacy') + + super(InstalledDistribution, self).__init__(metadata, path, env) + + if env and env._cache_enabled: + env._cache.add(self) + + r = finder.find('REQUESTED') + self.requested = r is not None + p = os.path.join(path, 'top_level.txt') + if os.path.exists(p): + with open(p, 'rb') as f: + data = f.read() + self.modules = data.splitlines() + + def __repr__(self): + return '<InstalledDistribution %r %s at %r>' % ( + self.name, self.version, self.path) + + def __str__(self): + return "%s %s" % (self.name, self.version) + + def _get_records(self): + """ + Get the list of installed files for the distribution + :return: A list of tuples of path, hash and size. Note that hash and + size might be ``None`` for some entries. The path is exactly + as stored in the file (which is as in PEP 376). + """ + results = [] + r = self.get_distinfo_resource('RECORD') + with contextlib.closing(r.as_stream()) as stream: + with CSVReader(stream=stream) as record_reader: + # Base location is parent dir of .dist-info dir + #base_location = os.path.dirname(self.path) + #base_location = os.path.abspath(base_location) + for row in record_reader: + missing = [None for i in range(len(row), 3)] + path, checksum, size = row + missing + #if not os.path.isabs(path): + # path = path.replace('/', os.sep) + # path = os.path.join(base_location, path) + results.append((path, checksum, size)) + return results + + @cached_property + def exports(self): + """ + Return the information exported by this distribution. + :return: A dictionary of exports, mapping an export category to a dict + of :class:`ExportEntry` instances describing the individual + export entries, and keyed by name. + """ + result = {} + r = self.get_distinfo_resource(EXPORTS_FILENAME) + if r: + result = self.read_exports() + return result + + def read_exports(self): + """ + Read exports data from a file in .ini format. + + :return: A dictionary of exports, mapping an export category to a list + of :class:`ExportEntry` instances describing the individual + export entries. + """ + result = {} + r = self.get_distinfo_resource(EXPORTS_FILENAME) + if r: + with contextlib.closing(r.as_stream()) as stream: + result = read_exports(stream) + return result + + def write_exports(self, exports): + """ + Write a dictionary of exports to a file in .ini format. + :param exports: A dictionary of exports, mapping an export category to + a list of :class:`ExportEntry` instances describing the + individual export entries. + """ + rf = self.get_distinfo_file(EXPORTS_FILENAME) + with open(rf, 'w') as f: + write_exports(exports, f) + + def get_resource_path(self, relative_path): + """ + NOTE: This API may change in the future. + + Return the absolute path to a resource file with the given relative + path. + + :param relative_path: The path, relative to .dist-info, of the resource + of interest. + :return: The absolute path where the resource is to be found. + """ + r = self.get_distinfo_resource('RESOURCES') + with contextlib.closing(r.as_stream()) as stream: + with CSVReader(stream=stream) as resources_reader: + for relative, destination in resources_reader: + if relative == relative_path: + return destination + raise KeyError('no resource file with relative path %r ' + 'is installed' % relative_path) + + def list_installed_files(self): + """ + Iterates over the ``RECORD`` entries and returns a tuple + ``(path, hash, size)`` for each line. + + :returns: iterator of (path, hash, size) + """ + for result in self._get_records(): + yield result + + def write_installed_files(self, paths, prefix, dry_run=False): + """ + Writes the ``RECORD`` file, using the ``paths`` iterable passed in. Any + existing ``RECORD`` file is silently overwritten. + + prefix is used to determine when to write absolute paths. + """ + prefix = os.path.join(prefix, '') + base = os.path.dirname(self.path) + base_under_prefix = base.startswith(prefix) + base = os.path.join(base, '') + record_path = self.get_distinfo_file('RECORD') + logger.info('creating %s', record_path) + if dry_run: + return None + with CSVWriter(record_path) as writer: + for path in paths: + if os.path.isdir(path) or path.endswith(('.pyc', '.pyo')): + # do not put size and hash, as in PEP-376 + hash_value = size = '' + else: + size = '%d' % os.path.getsize(path) + with open(path, 'rb') as fp: + hash_value = self.get_hash(fp.read()) + if path.startswith(base) or (base_under_prefix and + path.startswith(prefix)): + path = os.path.relpath(path, base) + writer.writerow((path, hash_value, size)) + + # add the RECORD file itself + if record_path.startswith(base): + record_path = os.path.relpath(record_path, base) + writer.writerow((record_path, '', '')) + return record_path + + def check_installed_files(self): + """ + Checks that the hashes and sizes of the files in ``RECORD`` are + matched by the files themselves. Returns a (possibly empty) list of + mismatches. Each entry in the mismatch list will be a tuple consisting + of the path, 'exists', 'size' or 'hash' according to what didn't match + (existence is checked first, then size, then hash), the expected + value and the actual value. + """ + mismatches = [] + base = os.path.dirname(self.path) + record_path = self.get_distinfo_file('RECORD') + for path, hash_value, size in self.list_installed_files(): + if not os.path.isabs(path): + path = os.path.join(base, path) + if path == record_path: + continue + if not os.path.exists(path): + mismatches.append((path, 'exists', True, False)) + elif os.path.isfile(path): + actual_size = str(os.path.getsize(path)) + if size and actual_size != size: + mismatches.append((path, 'size', size, actual_size)) + elif hash_value: + if '=' in hash_value: + hasher = hash_value.split('=', 1)[0] + else: + hasher = None + + with open(path, 'rb') as f: + actual_hash = self.get_hash(f.read(), hasher) + if actual_hash != hash_value: + mismatches.append((path, 'hash', hash_value, actual_hash)) + return mismatches + + @cached_property + def shared_locations(self): + """ + A dictionary of shared locations whose keys are in the set 'prefix', + 'purelib', 'platlib', 'scripts', 'headers', 'data' and 'namespace'. + The corresponding value is the absolute path of that category for + this distribution, and takes into account any paths selected by the + user at installation time (e.g. via command-line arguments). In the + case of the 'namespace' key, this would be a list of absolute paths + for the roots of namespace packages in this distribution. + + The first time this property is accessed, the relevant information is + read from the SHARED file in the .dist-info directory. + """ + result = {} + shared_path = os.path.join(self.path, 'SHARED') + if os.path.isfile(shared_path): + with codecs.open(shared_path, 'r', encoding='utf-8') as f: + lines = f.read().splitlines() + for line in lines: + key, value = line.split('=', 1) + if key == 'namespace': + result.setdefault(key, []).append(value) + else: + result[key] = value + return result + + def write_shared_locations(self, paths, dry_run=False): + """ + Write shared location information to the SHARED file in .dist-info. + :param paths: A dictionary as described in the documentation for + :meth:`shared_locations`. + :param dry_run: If True, the action is logged but no file is actually + written. + :return: The path of the file written to. + """ + shared_path = os.path.join(self.path, 'SHARED') + logger.info('creating %s', shared_path) + if dry_run: + return None + lines = [] + for key in ('prefix', 'lib', 'headers', 'scripts', 'data'): + path = paths[key] + if os.path.isdir(paths[key]): + lines.append('%s=%s' % (key, path)) + for ns in paths.get('namespace', ()): + lines.append('namespace=%s' % ns) + + with codecs.open(shared_path, 'w', encoding='utf-8') as f: + f.write('\n'.join(lines)) + return shared_path + + def get_distinfo_resource(self, path): + if path not in DIST_FILES: + raise DistlibException('invalid path for a dist-info file: ' + '%r at %r' % (path, self.path)) + finder = resources.finder_for_path(self.path) + if finder is None: + raise DistlibException('Unable to get a finder for %s' % self.path) + return finder.find(path) + + def get_distinfo_file(self, path): + """ + Returns a path located under the ``.dist-info`` directory. Returns a + string representing the path. + + :parameter path: a ``'/'``-separated path relative to the + ``.dist-info`` directory or an absolute path; + If *path* is an absolute path and doesn't start + with the ``.dist-info`` directory path, + a :class:`DistlibException` is raised + :type path: str + :rtype: str + """ + # Check if it is an absolute path # XXX use relpath, add tests + if path.find(os.sep) >= 0: + # it's an absolute path? + distinfo_dirname, path = path.split(os.sep)[-2:] + if distinfo_dirname != self.path.split(os.sep)[-1]: + raise DistlibException( + 'dist-info file %r does not belong to the %r %s ' + 'distribution' % (path, self.name, self.version)) + + # The file must be relative + if path not in DIST_FILES: + raise DistlibException('invalid path for a dist-info file: ' + '%r at %r' % (path, self.path)) + + return os.path.join(self.path, path) + + def list_distinfo_files(self): + """ + Iterates over the ``RECORD`` entries and returns paths for each line if + the path is pointing to a file located in the ``.dist-info`` directory + or one of its subdirectories. + + :returns: iterator of paths + """ + base = os.path.dirname(self.path) + for path, checksum, size in self._get_records(): + # XXX add separator or use real relpath algo + if not os.path.isabs(path): + path = os.path.join(base, path) + if path.startswith(self.path): + yield path + + def __eq__(self, other): + return (isinstance(other, InstalledDistribution) and + self.path == other.path) + + # See http://docs.python.org/reference/datamodel#object.__hash__ + __hash__ = object.__hash__ + + +class EggInfoDistribution(BaseInstalledDistribution): + """Created with the *path* of the ``.egg-info`` directory or file provided + to the constructor. It reads the metadata contained in the file itself, or + if the given path happens to be a directory, the metadata is read from the + file ``PKG-INFO`` under that directory.""" + + requested = True # as we have no way of knowing, assume it was + shared_locations = {} + + def __init__(self, path, env=None): + def set_name_and_version(s, n, v): + s.name = n + s.key = n.lower() # for case-insensitive comparisons + s.version = v + + self.path = path + self.dist_path = env + if env and env._cache_enabled and path in env._cache_egg.path: + metadata = env._cache_egg.path[path].metadata + set_name_and_version(self, metadata.name, metadata.version) + else: + metadata = self._get_metadata(path) + + # Need to be set before caching + set_name_and_version(self, metadata.name, metadata.version) + + if env and env._cache_enabled: + env._cache_egg.add(self) + super(EggInfoDistribution, self).__init__(metadata, path, env) + + def _get_metadata(self, path): + requires = None + + def parse_requires_data(data): + """Create a list of dependencies from a requires.txt file. + + *data*: the contents of a setuptools-produced requires.txt file. + """ + reqs = [] + lines = data.splitlines() + for line in lines: + line = line.strip() + if line.startswith('['): + logger.warning('Unexpected line: quitting requirement scan: %r', + line) + break + r = parse_requirement(line) + if not r: + logger.warning('Not recognised as a requirement: %r', line) + continue + if r.extras: + logger.warning('extra requirements in requires.txt are ' + 'not supported') + if not r.constraints: + reqs.append(r.name) + else: + cons = ', '.join('%s%s' % c for c in r.constraints) + reqs.append('%s (%s)' % (r.name, cons)) + return reqs + + def parse_requires_path(req_path): + """Create a list of dependencies from a requires.txt file. + + *req_path*: the path to a setuptools-produced requires.txt file. + """ + + reqs = [] + try: + with codecs.open(req_path, 'r', 'utf-8') as fp: + reqs = parse_requires_data(fp.read()) + except IOError: + pass + return reqs + + tl_path = tl_data = None + if path.endswith('.egg'): + if os.path.isdir(path): + p = os.path.join(path, 'EGG-INFO') + meta_path = os.path.join(p, 'PKG-INFO') + metadata = Metadata(path=meta_path, scheme='legacy') + req_path = os.path.join(p, 'requires.txt') + tl_path = os.path.join(p, 'top_level.txt') + requires = parse_requires_path(req_path) + else: + # FIXME handle the case where zipfile is not available + zipf = zipimport.zipimporter(path) + fileobj = StringIO( + zipf.get_data('EGG-INFO/PKG-INFO').decode('utf8')) + metadata = Metadata(fileobj=fileobj, scheme='legacy') + try: + data = zipf.get_data('EGG-INFO/requires.txt') + tl_data = zipf.get_data('EGG-INFO/top_level.txt').decode('utf-8') + requires = parse_requires_data(data.decode('utf-8')) + except IOError: + requires = None + elif path.endswith('.egg-info'): + if os.path.isdir(path): + req_path = os.path.join(path, 'requires.txt') + requires = parse_requires_path(req_path) + path = os.path.join(path, 'PKG-INFO') + tl_path = os.path.join(path, 'top_level.txt') + metadata = Metadata(path=path, scheme='legacy') + else: + raise DistlibException('path must end with .egg-info or .egg, ' + 'got %r' % path) + + if requires: + metadata.add_requirements(requires) + # look for top-level modules in top_level.txt, if present + if tl_data is None: + if tl_path is not None and os.path.exists(tl_path): + with open(tl_path, 'rb') as f: + tl_data = f.read().decode('utf-8') + if not tl_data: + tl_data = [] + else: + tl_data = tl_data.splitlines() + self.modules = tl_data + return metadata + + def __repr__(self): + return '<EggInfoDistribution %r %s at %r>' % ( + self.name, self.version, self.path) + + def __str__(self): + return "%s %s" % (self.name, self.version) + + def check_installed_files(self): + """ + Checks that the hashes and sizes of the files in ``RECORD`` are + matched by the files themselves. Returns a (possibly empty) list of + mismatches. Each entry in the mismatch list will be a tuple consisting + of the path, 'exists', 'size' or 'hash' according to what didn't match + (existence is checked first, then size, then hash), the expected + value and the actual value. + """ + mismatches = [] + record_path = os.path.join(self.path, 'installed-files.txt') + if os.path.exists(record_path): + for path, _, _ in self.list_installed_files(): + if path == record_path: + continue + if not os.path.exists(path): + mismatches.append((path, 'exists', True, False)) + return mismatches + + def list_installed_files(self): + """ + Iterates over the ``installed-files.txt`` entries and returns a tuple + ``(path, hash, size)`` for each line. + + :returns: a list of (path, hash, size) + """ + + def _md5(path): + f = open(path, 'rb') + try: + content = f.read() + finally: + f.close() + return hashlib.md5(content).hexdigest() + + def _size(path): + return os.stat(path).st_size + + record_path = os.path.join(self.path, 'installed-files.txt') + result = [] + if os.path.exists(record_path): + with codecs.open(record_path, 'r', encoding='utf-8') as f: + for line in f: + line = line.strip() + p = os.path.normpath(os.path.join(self.path, line)) + # "./" is present as a marker between installed files + # and installation metadata files + if not os.path.exists(p): + logger.warning('Non-existent file: %s', p) + if p.endswith(('.pyc', '.pyo')): + continue + #otherwise fall through and fail + if not os.path.isdir(p): + result.append((p, _md5(p), _size(p))) + result.append((record_path, None, None)) + return result + + def list_distinfo_files(self, absolute=False): + """ + Iterates over the ``installed-files.txt`` entries and returns paths for + each line if the path is pointing to a file located in the + ``.egg-info`` directory or one of its subdirectories. + + :parameter absolute: If *absolute* is ``True``, each returned path is + transformed into a local absolute path. Otherwise the + raw value from ``installed-files.txt`` is returned. + :type absolute: boolean + :returns: iterator of paths + """ + record_path = os.path.join(self.path, 'installed-files.txt') + if os.path.exists(record_path): + skip = True + with codecs.open(record_path, 'r', encoding='utf-8') as f: + for line in f: + line = line.strip() + if line == './': + skip = False + continue + if not skip: + p = os.path.normpath(os.path.join(self.path, line)) + if p.startswith(self.path): + if absolute: + yield p + else: + yield line + + def __eq__(self, other): + return (isinstance(other, EggInfoDistribution) and + self.path == other.path) + + # See http://docs.python.org/reference/datamodel#object.__hash__ + __hash__ = object.__hash__ + +new_dist_class = InstalledDistribution +old_dist_class = EggInfoDistribution + + +class DependencyGraph(object): + """ + Represents a dependency graph between distributions. + + The dependency relationships are stored in an ``adjacency_list`` that maps + distributions to a list of ``(other, label)`` tuples where ``other`` + is a distribution and the edge is labeled with ``label`` (i.e. the version + specifier, if such was provided). Also, for more efficient traversal, for + every distribution ``x``, a list of predecessors is kept in + ``reverse_list[x]``. An edge from distribution ``a`` to + distribution ``b`` means that ``a`` depends on ``b``. If any missing + dependencies are found, they are stored in ``missing``, which is a + dictionary that maps distributions to a list of requirements that were not + provided by any other distributions. + """ + + def __init__(self): + self.adjacency_list = {} + self.reverse_list = {} + self.missing = {} + + def add_distribution(self, distribution): + """Add the *distribution* to the graph. + + :type distribution: :class:`distutils2.database.InstalledDistribution` + or :class:`distutils2.database.EggInfoDistribution` + """ + self.adjacency_list[distribution] = [] + self.reverse_list[distribution] = [] + #self.missing[distribution] = [] + + def add_edge(self, x, y, label=None): + """Add an edge from distribution *x* to distribution *y* with the given + *label*. + + :type x: :class:`distutils2.database.InstalledDistribution` or + :class:`distutils2.database.EggInfoDistribution` + :type y: :class:`distutils2.database.InstalledDistribution` or + :class:`distutils2.database.EggInfoDistribution` + :type label: ``str`` or ``None`` + """ + self.adjacency_list[x].append((y, label)) + # multiple edges are allowed, so be careful + if x not in self.reverse_list[y]: + self.reverse_list[y].append(x) + + def add_missing(self, distribution, requirement): + """ + Add a missing *requirement* for the given *distribution*. + + :type distribution: :class:`distutils2.database.InstalledDistribution` + or :class:`distutils2.database.EggInfoDistribution` + :type requirement: ``str`` + """ + logger.debug('%s missing %r', distribution, requirement) + self.missing.setdefault(distribution, []).append(requirement) + + def _repr_dist(self, dist): + return '%s %s' % (dist.name, dist.version) + + def repr_node(self, dist, level=1): + """Prints only a subgraph""" + output = [self._repr_dist(dist)] + for other, label in self.adjacency_list[dist]: + dist = self._repr_dist(other) + if label is not None: + dist = '%s [%s]' % (dist, label) + output.append(' ' * level + str(dist)) + suboutput = self.repr_node(other, level + 1) + subs = suboutput.split('\n') + output.extend(subs[1:]) + return '\n'.join(output) + + def to_dot(self, f, skip_disconnected=True): + """Writes a DOT output for the graph to the provided file *f*. + + If *skip_disconnected* is set to ``True``, then all distributions + that are not dependent on any other distribution are skipped. + + :type f: has to support ``file``-like operations + :type skip_disconnected: ``bool`` + """ + disconnected = [] + + f.write("digraph dependencies {\n") + for dist, adjs in self.adjacency_list.items(): + if len(adjs) == 0 and not skip_disconnected: + disconnected.append(dist) + for other, label in adjs: + if not label is None: + f.write('"%s" -> "%s" [label="%s"]\n' % + (dist.name, other.name, label)) + else: + f.write('"%s" -> "%s"\n' % (dist.name, other.name)) + if not skip_disconnected and len(disconnected) > 0: + f.write('subgraph disconnected {\n') + f.write('label = "Disconnected"\n') + f.write('bgcolor = red\n') + + for dist in disconnected: + f.write('"%s"' % dist.name) + f.write('\n') + f.write('}\n') + f.write('}\n') + + def topological_sort(self): + """ + Perform a topological sort of the graph. + :return: A tuple, the first element of which is a topologically sorted + list of distributions, and the second element of which is a + list of distributions that cannot be sorted because they have + circular dependencies and so form a cycle. + """ + result = [] + # Make a shallow copy of the adjacency list + alist = {} + for k, v in self.adjacency_list.items(): + alist[k] = v[:] + while True: + # See what we can remove in this run + to_remove = [] + for k, v in list(alist.items())[:]: + if not v: + to_remove.append(k) + del alist[k] + if not to_remove: + # What's left in alist (if anything) is a cycle. + break + # Remove from the adjacency list of others + for k, v in alist.items(): + alist[k] = [(d, r) for d, r in v if d not in to_remove] + logger.debug('Moving to result: %s', + ['%s (%s)' % (d.name, d.version) for d in to_remove]) + result.extend(to_remove) + return result, list(alist.keys()) + + def __repr__(self): + """Representation of the graph""" + output = [] + for dist, adjs in self.adjacency_list.items(): + output.append(self.repr_node(dist)) + return '\n'.join(output) + + +def make_graph(dists, scheme='default'): + """Makes a dependency graph from the given distributions. + + :parameter dists: a list of distributions + :type dists: list of :class:`distutils2.database.InstalledDistribution` and + :class:`distutils2.database.EggInfoDistribution` instances + :rtype: a :class:`DependencyGraph` instance + """ + scheme = get_scheme(scheme) + graph = DependencyGraph() + provided = {} # maps names to lists of (version, dist) tuples + + # first, build the graph and find out what's provided + for dist in dists: + graph.add_distribution(dist) + + for p in dist.provides: + name, version = parse_name_and_version(p) + logger.debug('Add to provided: %s, %s, %s', name, version, dist) + provided.setdefault(name, []).append((version, dist)) + + # now make the edges + for dist in dists: + requires = (dist.run_requires | dist.meta_requires | + dist.build_requires | dist.dev_requires) + for req in requires: + try: + matcher = scheme.matcher(req) + except UnsupportedVersionError: + # XXX compat-mode if cannot read the version + logger.warning('could not read version %r - using name only', + req) + name = req.split()[0] + matcher = scheme.matcher(name) + + name = matcher.key # case-insensitive + + matched = False + if name in provided: + for version, provider in provided[name]: + try: + match = matcher.match(version) + except UnsupportedVersionError: + match = False + + if match: + graph.add_edge(dist, provider, req) + matched = True + break + if not matched: + graph.add_missing(dist, req) + return graph + + +def get_dependent_dists(dists, dist): + """Recursively generate a list of distributions from *dists* that are + dependent on *dist*. + + :param dists: a list of distributions + :param dist: a distribution, member of *dists* for which we are interested + """ + if dist not in dists: + raise DistlibException('given distribution %r is not a member ' + 'of the list' % dist.name) + graph = make_graph(dists) + + dep = [dist] # dependent distributions + todo = graph.reverse_list[dist] # list of nodes we should inspect + + while todo: + d = todo.pop() + dep.append(d) + for succ in graph.reverse_list[d]: + if succ not in dep: + todo.append(succ) + + dep.pop(0) # remove dist from dep, was there to prevent infinite loops + return dep + + +def get_required_dists(dists, dist): + """Recursively generate a list of distributions from *dists* that are + required by *dist*. + + :param dists: a list of distributions + :param dist: a distribution, member of *dists* for which we are interested + """ + if dist not in dists: + raise DistlibException('given distribution %r is not a member ' + 'of the list' % dist.name) + graph = make_graph(dists) + + req = [] # required distributions + todo = graph.adjacency_list[dist] # list of nodes we should inspect + + while todo: + d = todo.pop()[0] + req.append(d) + for pred in graph.adjacency_list[d]: + if pred not in req: + todo.append(pred) + + return req + + +def make_dist(name, version, **kwargs): + """ + A convenience method for making a dist given just a name and version. + """ + summary = kwargs.pop('summary', 'Placeholder for summary') + md = Metadata(**kwargs) + md.name = name + md.version = version + md.summary = summary or 'Placeholder for summary' + return Distribution(md) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/index.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/index.py new file mode 100644 index 0000000..2406be2 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/index.py @@ -0,0 +1,516 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2013 Vinay Sajip. +# Licensed to the Python Software Foundation under a contributor agreement. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +import hashlib +import logging +import os +import shutil +import subprocess +import tempfile +try: + from threading import Thread +except ImportError: + from dummy_threading import Thread + +from . import DistlibException +from .compat import (HTTPBasicAuthHandler, Request, HTTPPasswordMgr, + urlparse, build_opener, string_types) +from .util import cached_property, zip_dir, ServerProxy + +logger = logging.getLogger(__name__) + +DEFAULT_INDEX = 'https://pypi.python.org/pypi' +DEFAULT_REALM = 'pypi' + +class PackageIndex(object): + """ + This class represents a package index compatible with PyPI, the Python + Package Index. + """ + + boundary = b'----------ThIs_Is_tHe_distlib_index_bouNdaRY_$' + + def __init__(self, url=None): + """ + Initialise an instance. + + :param url: The URL of the index. If not specified, the URL for PyPI is + used. + """ + self.url = url or DEFAULT_INDEX + self.read_configuration() + scheme, netloc, path, params, query, frag = urlparse(self.url) + if params or query or frag or scheme not in ('http', 'https'): + raise DistlibException('invalid repository: %s' % self.url) + self.password_handler = None + self.ssl_verifier = None + self.gpg = None + self.gpg_home = None + with open(os.devnull, 'w') as sink: + # Use gpg by default rather than gpg2, as gpg2 insists on + # prompting for passwords + for s in ('gpg', 'gpg2'): + try: + rc = subprocess.check_call([s, '--version'], stdout=sink, + stderr=sink) + if rc == 0: + self.gpg = s + break + except OSError: + pass + + def _get_pypirc_command(self): + """ + Get the distutils command for interacting with PyPI configurations. + :return: the command. + """ + from distutils.core import Distribution + from distutils.config import PyPIRCCommand + d = Distribution() + return PyPIRCCommand(d) + + def read_configuration(self): + """ + Read the PyPI access configuration as supported by distutils, getting + PyPI to do the actual work. This populates ``username``, ``password``, + ``realm`` and ``url`` attributes from the configuration. + """ + # get distutils to do the work + c = self._get_pypirc_command() + c.repository = self.url + cfg = c._read_pypirc() + self.username = cfg.get('username') + self.password = cfg.get('password') + self.realm = cfg.get('realm', 'pypi') + self.url = cfg.get('repository', self.url) + + def save_configuration(self): + """ + Save the PyPI access configuration. You must have set ``username`` and + ``password`` attributes before calling this method. + + Again, distutils is used to do the actual work. + """ + self.check_credentials() + # get distutils to do the work + c = self._get_pypirc_command() + c._store_pypirc(self.username, self.password) + + def check_credentials(self): + """ + Check that ``username`` and ``password`` have been set, and raise an + exception if not. + """ + if self.username is None or self.password is None: + raise DistlibException('username and password must be set') + pm = HTTPPasswordMgr() + _, netloc, _, _, _, _ = urlparse(self.url) + pm.add_password(self.realm, netloc, self.username, self.password) + self.password_handler = HTTPBasicAuthHandler(pm) + + def register(self, metadata): + """ + Register a distribution on PyPI, using the provided metadata. + + :param metadata: A :class:`Metadata` instance defining at least a name + and version number for the distribution to be + registered. + :return: The HTTP response received from PyPI upon submission of the + request. + """ + self.check_credentials() + metadata.validate() + d = metadata.todict() + d[':action'] = 'verify' + request = self.encode_request(d.items(), []) + response = self.send_request(request) + d[':action'] = 'submit' + request = self.encode_request(d.items(), []) + return self.send_request(request) + + def _reader(self, name, stream, outbuf): + """ + Thread runner for reading lines of from a subprocess into a buffer. + + :param name: The logical name of the stream (used for logging only). + :param stream: The stream to read from. This will typically a pipe + connected to the output stream of a subprocess. + :param outbuf: The list to append the read lines to. + """ + while True: + s = stream.readline() + if not s: + break + s = s.decode('utf-8').rstrip() + outbuf.append(s) + logger.debug('%s: %s' % (name, s)) + stream.close() + + def get_sign_command(self, filename, signer, sign_password, + keystore=None): + """ + Return a suitable command for signing a file. + + :param filename: The pathname to the file to be signed. + :param signer: The identifier of the signer of the file. + :param sign_password: The passphrase for the signer's + private key used for signing. + :param keystore: The path to a directory which contains the keys + used in verification. If not specified, the + instance's ``gpg_home`` attribute is used instead. + :return: The signing command as a list suitable to be + passed to :class:`subprocess.Popen`. + """ + cmd = [self.gpg, '--status-fd', '2', '--no-tty'] + if keystore is None: + keystore = self.gpg_home + if keystore: + cmd.extend(['--homedir', keystore]) + if sign_password is not None: + cmd.extend(['--batch', '--passphrase-fd', '0']) + td = tempfile.mkdtemp() + sf = os.path.join(td, os.path.basename(filename) + '.asc') + cmd.extend(['--detach-sign', '--armor', '--local-user', + signer, '--output', sf, filename]) + logger.debug('invoking: %s', ' '.join(cmd)) + return cmd, sf + + def run_command(self, cmd, input_data=None): + """ + Run a command in a child process , passing it any input data specified. + + :param cmd: The command to run. + :param input_data: If specified, this must be a byte string containing + data to be sent to the child process. + :return: A tuple consisting of the subprocess' exit code, a list of + lines read from the subprocess' ``stdout``, and a list of + lines read from the subprocess' ``stderr``. + """ + kwargs = { + 'stdout': subprocess.PIPE, + 'stderr': subprocess.PIPE, + } + if input_data is not None: + kwargs['stdin'] = subprocess.PIPE + stdout = [] + stderr = [] + p = subprocess.Popen(cmd, **kwargs) + # We don't use communicate() here because we may need to + # get clever with interacting with the command + t1 = Thread(target=self._reader, args=('stdout', p.stdout, stdout)) + t1.start() + t2 = Thread(target=self._reader, args=('stderr', p.stderr, stderr)) + t2.start() + if input_data is not None: + p.stdin.write(input_data) + p.stdin.close() + + p.wait() + t1.join() + t2.join() + return p.returncode, stdout, stderr + + def sign_file(self, filename, signer, sign_password, keystore=None): + """ + Sign a file. + + :param filename: The pathname to the file to be signed. + :param signer: The identifier of the signer of the file. + :param sign_password: The passphrase for the signer's + private key used for signing. + :param keystore: The path to a directory which contains the keys + used in signing. If not specified, the instance's + ``gpg_home`` attribute is used instead. + :return: The absolute pathname of the file where the signature is + stored. + """ + cmd, sig_file = self.get_sign_command(filename, signer, sign_password, + keystore) + rc, stdout, stderr = self.run_command(cmd, + sign_password.encode('utf-8')) + if rc != 0: + raise DistlibException('sign command failed with error ' + 'code %s' % rc) + return sig_file + + def upload_file(self, metadata, filename, signer=None, sign_password=None, + filetype='sdist', pyversion='source', keystore=None): + """ + Upload a release file to the index. + + :param metadata: A :class:`Metadata` instance defining at least a name + and version number for the file to be uploaded. + :param filename: The pathname of the file to be uploaded. + :param signer: The identifier of the signer of the file. + :param sign_password: The passphrase for the signer's + private key used for signing. + :param filetype: The type of the file being uploaded. This is the + distutils command which produced that file, e.g. + ``sdist`` or ``bdist_wheel``. + :param pyversion: The version of Python which the release relates + to. For code compatible with any Python, this would + be ``source``, otherwise it would be e.g. ``3.2``. + :param keystore: The path to a directory which contains the keys + used in signing. If not specified, the instance's + ``gpg_home`` attribute is used instead. + :return: The HTTP response received from PyPI upon submission of the + request. + """ + self.check_credentials() + if not os.path.exists(filename): + raise DistlibException('not found: %s' % filename) + metadata.validate() + d = metadata.todict() + sig_file = None + if signer: + if not self.gpg: + logger.warning('no signing program available - not signed') + else: + sig_file = self.sign_file(filename, signer, sign_password, + keystore) + with open(filename, 'rb') as f: + file_data = f.read() + md5_digest = hashlib.md5(file_data).hexdigest() + sha256_digest = hashlib.sha256(file_data).hexdigest() + d.update({ + ':action': 'file_upload', + 'protocol_version': '1', + 'filetype': filetype, + 'pyversion': pyversion, + 'md5_digest': md5_digest, + 'sha256_digest': sha256_digest, + }) + files = [('content', os.path.basename(filename), file_data)] + if sig_file: + with open(sig_file, 'rb') as f: + sig_data = f.read() + files.append(('gpg_signature', os.path.basename(sig_file), + sig_data)) + shutil.rmtree(os.path.dirname(sig_file)) + request = self.encode_request(d.items(), files) + return self.send_request(request) + + def upload_documentation(self, metadata, doc_dir): + """ + Upload documentation to the index. + + :param metadata: A :class:`Metadata` instance defining at least a name + and version number for the documentation to be + uploaded. + :param doc_dir: The pathname of the directory which contains the + documentation. This should be the directory that + contains the ``index.html`` for the documentation. + :return: The HTTP response received from PyPI upon submission of the + request. + """ + self.check_credentials() + if not os.path.isdir(doc_dir): + raise DistlibException('not a directory: %r' % doc_dir) + fn = os.path.join(doc_dir, 'index.html') + if not os.path.exists(fn): + raise DistlibException('not found: %r' % fn) + metadata.validate() + name, version = metadata.name, metadata.version + zip_data = zip_dir(doc_dir).getvalue() + fields = [(':action', 'doc_upload'), + ('name', name), ('version', version)] + files = [('content', name, zip_data)] + request = self.encode_request(fields, files) + return self.send_request(request) + + def get_verify_command(self, signature_filename, data_filename, + keystore=None): + """ + Return a suitable command for verifying a file. + + :param signature_filename: The pathname to the file containing the + signature. + :param data_filename: The pathname to the file containing the + signed data. + :param keystore: The path to a directory which contains the keys + used in verification. If not specified, the + instance's ``gpg_home`` attribute is used instead. + :return: The verifying command as a list suitable to be + passed to :class:`subprocess.Popen`. + """ + cmd = [self.gpg, '--status-fd', '2', '--no-tty'] + if keystore is None: + keystore = self.gpg_home + if keystore: + cmd.extend(['--homedir', keystore]) + cmd.extend(['--verify', signature_filename, data_filename]) + logger.debug('invoking: %s', ' '.join(cmd)) + return cmd + + def verify_signature(self, signature_filename, data_filename, + keystore=None): + """ + Verify a signature for a file. + + :param signature_filename: The pathname to the file containing the + signature. + :param data_filename: The pathname to the file containing the + signed data. + :param keystore: The path to a directory which contains the keys + used in verification. If not specified, the + instance's ``gpg_home`` attribute is used instead. + :return: True if the signature was verified, else False. + """ + if not self.gpg: + raise DistlibException('verification unavailable because gpg ' + 'unavailable') + cmd = self.get_verify_command(signature_filename, data_filename, + keystore) + rc, stdout, stderr = self.run_command(cmd) + if rc not in (0, 1): + raise DistlibException('verify command failed with error ' + 'code %s' % rc) + return rc == 0 + + def download_file(self, url, destfile, digest=None, reporthook=None): + """ + This is a convenience method for downloading a file from an URL. + Normally, this will be a file from the index, though currently + no check is made for this (i.e. a file can be downloaded from + anywhere). + + The method is just like the :func:`urlretrieve` function in the + standard library, except that it allows digest computation to be + done during download and checking that the downloaded data + matched any expected value. + + :param url: The URL of the file to be downloaded (assumed to be + available via an HTTP GET request). + :param destfile: The pathname where the downloaded file is to be + saved. + :param digest: If specified, this must be a (hasher, value) + tuple, where hasher is the algorithm used (e.g. + ``'md5'``) and ``value`` is the expected value. + :param reporthook: The same as for :func:`urlretrieve` in the + standard library. + """ + if digest is None: + digester = None + logger.debug('No digest specified') + else: + if isinstance(digest, (list, tuple)): + hasher, digest = digest + else: + hasher = 'md5' + digester = getattr(hashlib, hasher)() + logger.debug('Digest specified: %s' % digest) + # The following code is equivalent to urlretrieve. + # We need to do it this way so that we can compute the + # digest of the file as we go. + with open(destfile, 'wb') as dfp: + # addinfourl is not a context manager on 2.x + # so we have to use try/finally + sfp = self.send_request(Request(url)) + try: + headers = sfp.info() + blocksize = 8192 + size = -1 + read = 0 + blocknum = 0 + if "content-length" in headers: + size = int(headers["Content-Length"]) + if reporthook: + reporthook(blocknum, blocksize, size) + while True: + block = sfp.read(blocksize) + if not block: + break + read += len(block) + dfp.write(block) + if digester: + digester.update(block) + blocknum += 1 + if reporthook: + reporthook(blocknum, blocksize, size) + finally: + sfp.close() + + # check that we got the whole file, if we can + if size >= 0 and read < size: + raise DistlibException( + 'retrieval incomplete: got only %d out of %d bytes' + % (read, size)) + # if we have a digest, it must match. + if digester: + actual = digester.hexdigest() + if digest != actual: + raise DistlibException('%s digest mismatch for %s: expected ' + '%s, got %s' % (hasher, destfile, + digest, actual)) + logger.debug('Digest verified: %s', digest) + + def send_request(self, req): + """ + Send a standard library :class:`Request` to PyPI and return its + response. + + :param req: The request to send. + :return: The HTTP response from PyPI (a standard library HTTPResponse). + """ + handlers = [] + if self.password_handler: + handlers.append(self.password_handler) + if self.ssl_verifier: + handlers.append(self.ssl_verifier) + opener = build_opener(*handlers) + return opener.open(req) + + def encode_request(self, fields, files): + """ + Encode fields and files for posting to an HTTP server. + + :param fields: The fields to send as a list of (fieldname, value) + tuples. + :param files: The files to send as a list of (fieldname, filename, + file_bytes) tuple. + """ + # Adapted from packaging, which in turn was adapted from + # http://code.activestate.com/recipes/146306 + + parts = [] + boundary = self.boundary + for k, values in fields: + if not isinstance(values, (list, tuple)): + values = [values] + + for v in values: + parts.extend(( + b'--' + boundary, + ('Content-Disposition: form-data; name="%s"' % + k).encode('utf-8'), + b'', + v.encode('utf-8'))) + for key, filename, value in files: + parts.extend(( + b'--' + boundary, + ('Content-Disposition: form-data; name="%s"; filename="%s"' % + (key, filename)).encode('utf-8'), + b'', + value)) + + parts.extend((b'--' + boundary + b'--', b'')) + + body = b'\r\n'.join(parts) + ct = b'multipart/form-data; boundary=' + boundary + headers = { + 'Content-type': ct, + 'Content-length': str(len(body)) + } + return Request(self.url, body, headers) + + def search(self, terms, operator=None): + if isinstance(terms, string_types): + terms = {'name': terms} + rpc_proxy = ServerProxy(self.url, timeout=3.0) + try: + return rpc_proxy.search(terms, operator or 'and') + finally: + rpc_proxy('close')() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/locators.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/locators.py new file mode 100644 index 0000000..5c655c3 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/locators.py @@ -0,0 +1,1295 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2012-2015 Vinay Sajip. +# Licensed to the Python Software Foundation under a contributor agreement. +# See LICENSE.txt and CONTRIBUTORS.txt. +# + +import gzip +from io import BytesIO +import json +import logging +import os +import posixpath +import re +try: + import threading +except ImportError: # pragma: no cover + import dummy_threading as threading +import zlib + +from . import DistlibException +from .compat import (urljoin, urlparse, urlunparse, url2pathname, pathname2url, + queue, quote, unescape, string_types, build_opener, + HTTPRedirectHandler as BaseRedirectHandler, text_type, + Request, HTTPError, URLError) +from .database import Distribution, DistributionPath, make_dist +from .metadata import Metadata, MetadataInvalidError +from .util import (cached_property, parse_credentials, ensure_slash, + split_filename, get_project_data, parse_requirement, + parse_name_and_version, ServerProxy, normalize_name) +from .version import get_scheme, UnsupportedVersionError +from .wheel import Wheel, is_compatible + +logger = logging.getLogger(__name__) + +HASHER_HASH = re.compile(r'^(\w+)=([a-f0-9]+)') +CHARSET = re.compile(r';\s*charset\s*=\s*(.*)\s*$', re.I) +HTML_CONTENT_TYPE = re.compile('text/html|application/x(ht)?ml') +DEFAULT_INDEX = 'https://pypi.python.org/pypi' + +def get_all_distribution_names(url=None): + """ + Return all distribution names known by an index. + :param url: The URL of the index. + :return: A list of all known distribution names. + """ + if url is None: + url = DEFAULT_INDEX + client = ServerProxy(url, timeout=3.0) + try: + return client.list_packages() + finally: + client('close')() + +class RedirectHandler(BaseRedirectHandler): + """ + A class to work around a bug in some Python 3.2.x releases. + """ + # There's a bug in the base version for some 3.2.x + # (e.g. 3.2.2 on Ubuntu Oneiric). If a Location header + # returns e.g. /abc, it bails because it says the scheme '' + # is bogus, when actually it should use the request's + # URL for the scheme. See Python issue #13696. + def http_error_302(self, req, fp, code, msg, headers): + # Some servers (incorrectly) return multiple Location headers + # (so probably same goes for URI). Use first header. + newurl = None + for key in ('location', 'uri'): + if key in headers: + newurl = headers[key] + break + if newurl is None: # pragma: no cover + return + urlparts = urlparse(newurl) + if urlparts.scheme == '': + newurl = urljoin(req.get_full_url(), newurl) + if hasattr(headers, 'replace_header'): + headers.replace_header(key, newurl) + else: + headers[key] = newurl + return BaseRedirectHandler.http_error_302(self, req, fp, code, msg, + headers) + + http_error_301 = http_error_303 = http_error_307 = http_error_302 + +class Locator(object): + """ + A base class for locators - things that locate distributions. + """ + source_extensions = ('.tar.gz', '.tar.bz2', '.tar', '.zip', '.tgz', '.tbz') + binary_extensions = ('.egg', '.exe', '.whl') + excluded_extensions = ('.pdf',) + + # A list of tags indicating which wheels you want to match. The default + # value of None matches against the tags compatible with the running + # Python. If you want to match other values, set wheel_tags on a locator + # instance to a list of tuples (pyver, abi, arch) which you want to match. + wheel_tags = None + + downloadable_extensions = source_extensions + ('.whl',) + + def __init__(self, scheme='default'): + """ + Initialise an instance. + :param scheme: Because locators look for most recent versions, they + need to know the version scheme to use. This specifies + the current PEP-recommended scheme - use ``'legacy'`` + if you need to support existing distributions on PyPI. + """ + self._cache = {} + self.scheme = scheme + # Because of bugs in some of the handlers on some of the platforms, + # we use our own opener rather than just using urlopen. + self.opener = build_opener(RedirectHandler()) + # If get_project() is called from locate(), the matcher instance + # is set from the requirement passed to locate(). See issue #18 for + # why this can be useful to know. + self.matcher = None + self.errors = queue.Queue() + + def get_errors(self): + """ + Return any errors which have occurred. + """ + result = [] + while not self.errors.empty(): # pragma: no cover + try: + e = self.errors.get(False) + result.append(e) + except self.errors.Empty: + continue + self.errors.task_done() + return result + + def clear_errors(self): + """ + Clear any errors which may have been logged. + """ + # Just get the errors and throw them away + self.get_errors() + + def clear_cache(self): + self._cache.clear() + + def _get_scheme(self): + return self._scheme + + def _set_scheme(self, value): + self._scheme = value + + scheme = property(_get_scheme, _set_scheme) + + def _get_project(self, name): + """ + For a given project, get a dictionary mapping available versions to Distribution + instances. + + This should be implemented in subclasses. + + If called from a locate() request, self.matcher will be set to a + matcher for the requirement to satisfy, otherwise it will be None. + """ + raise NotImplementedError('Please implement in the subclass') + + def get_distribution_names(self): + """ + Return all the distribution names known to this locator. + """ + raise NotImplementedError('Please implement in the subclass') + + def get_project(self, name): + """ + For a given project, get a dictionary mapping available versions to Distribution + instances. + + This calls _get_project to do all the work, and just implements a caching layer on top. + """ + if self._cache is None: # pragma: no cover + result = self._get_project(name) + elif name in self._cache: + result = self._cache[name] + else: + self.clear_errors() + result = self._get_project(name) + self._cache[name] = result + return result + + def score_url(self, url): + """ + Give an url a score which can be used to choose preferred URLs + for a given project release. + """ + t = urlparse(url) + basename = posixpath.basename(t.path) + compatible = True + is_wheel = basename.endswith('.whl') + is_downloadable = basename.endswith(self.downloadable_extensions) + if is_wheel: + compatible = is_compatible(Wheel(basename), self.wheel_tags) + return (t.scheme == 'https', 'pypi.python.org' in t.netloc, + is_downloadable, is_wheel, compatible, basename) + + def prefer_url(self, url1, url2): + """ + Choose one of two URLs where both are candidates for distribution + archives for the same version of a distribution (for example, + .tar.gz vs. zip). + + The current implementation favours https:// URLs over http://, archives + from PyPI over those from other locations, wheel compatibility (if a + wheel) and then the archive name. + """ + result = url2 + if url1: + s1 = self.score_url(url1) + s2 = self.score_url(url2) + if s1 > s2: + result = url1 + if result != url2: + logger.debug('Not replacing %r with %r', url1, url2) + else: + logger.debug('Replacing %r with %r', url1, url2) + return result + + def split_filename(self, filename, project_name): + """ + Attempt to split a filename in project name, version and Python version. + """ + return split_filename(filename, project_name) + + def convert_url_to_download_info(self, url, project_name): + """ + See if a URL is a candidate for a download URL for a project (the URL + has typically been scraped from an HTML page). + + If it is, a dictionary is returned with keys "name", "version", + "filename" and "url"; otherwise, None is returned. + """ + def same_project(name1, name2): + return normalize_name(name1) == normalize_name(name2) + + result = None + scheme, netloc, path, params, query, frag = urlparse(url) + if frag.lower().startswith('egg='): # pragma: no cover + logger.debug('%s: version hint in fragment: %r', + project_name, frag) + m = HASHER_HASH.match(frag) + if m: + algo, digest = m.groups() + else: + algo, digest = None, None + origpath = path + if path and path[-1] == '/': # pragma: no cover + path = path[:-1] + if path.endswith('.whl'): + try: + wheel = Wheel(path) + if not is_compatible(wheel, self.wheel_tags): + logger.debug('Wheel not compatible: %s', path) + else: + if project_name is None: + include = True + else: + include = same_project(wheel.name, project_name) + if include: + result = { + 'name': wheel.name, + 'version': wheel.version, + 'filename': wheel.filename, + 'url': urlunparse((scheme, netloc, origpath, + params, query, '')), + 'python-version': ', '.join( + ['.'.join(list(v[2:])) for v in wheel.pyver]), + } + except Exception as e: # pragma: no cover + logger.warning('invalid path for wheel: %s', path) + elif not path.endswith(self.downloadable_extensions): # pragma: no cover + logger.debug('Not downloadable: %s', path) + else: # downloadable extension + path = filename = posixpath.basename(path) + for ext in self.downloadable_extensions: + if path.endswith(ext): + path = path[:-len(ext)] + t = self.split_filename(path, project_name) + if not t: # pragma: no cover + logger.debug('No match for project/version: %s', path) + else: + name, version, pyver = t + if not project_name or same_project(project_name, name): + result = { + 'name': name, + 'version': version, + 'filename': filename, + 'url': urlunparse((scheme, netloc, origpath, + params, query, '')), + #'packagetype': 'sdist', + } + if pyver: # pragma: no cover + result['python-version'] = pyver + break + if result and algo: + result['%s_digest' % algo] = digest + return result + + def _get_digest(self, info): + """ + Get a digest from a dictionary by looking at keys of the form + 'algo_digest'. + + Returns a 2-tuple (algo, digest) if found, else None. Currently + looks only for SHA256, then MD5. + """ + result = None + for algo in ('sha256', 'md5'): + key = '%s_digest' % algo + if key in info: + result = (algo, info[key]) + break + return result + + def _update_version_data(self, result, info): + """ + Update a result dictionary (the final result from _get_project) with a + dictionary for a specific version, which typically holds information + gleaned from a filename or URL for an archive for the distribution. + """ + name = info.pop('name') + version = info.pop('version') + if version in result: + dist = result[version] + md = dist.metadata + else: + dist = make_dist(name, version, scheme=self.scheme) + md = dist.metadata + dist.digest = digest = self._get_digest(info) + url = info['url'] + result['digests'][url] = digest + if md.source_url != info['url']: + md.source_url = self.prefer_url(md.source_url, url) + result['urls'].setdefault(version, set()).add(url) + dist.locator = self + result[version] = dist + + def locate(self, requirement, prereleases=False): + """ + Find the most recent distribution which matches the given + requirement. + + :param requirement: A requirement of the form 'foo (1.0)' or perhaps + 'foo (>= 1.0, < 2.0, != 1.3)' + :param prereleases: If ``True``, allow pre-release versions + to be located. Otherwise, pre-release versions + are not returned. + :return: A :class:`Distribution` instance, or ``None`` if no such + distribution could be located. + """ + result = None + r = parse_requirement(requirement) + if r is None: # pragma: no cover + raise DistlibException('Not a valid requirement: %r' % requirement) + scheme = get_scheme(self.scheme) + self.matcher = matcher = scheme.matcher(r.requirement) + logger.debug('matcher: %s (%s)', matcher, type(matcher).__name__) + versions = self.get_project(r.name) + if len(versions) > 2: # urls and digests keys are present + # sometimes, versions are invalid + slist = [] + vcls = matcher.version_class + for k in versions: + if k in ('urls', 'digests'): + continue + try: + if not matcher.match(k): + logger.debug('%s did not match %r', matcher, k) + else: + if prereleases or not vcls(k).is_prerelease: + slist.append(k) + else: + logger.debug('skipping pre-release ' + 'version %s of %s', k, matcher.name) + except Exception: # pragma: no cover + logger.warning('error matching %s with %r', matcher, k) + pass # slist.append(k) + if len(slist) > 1: + slist = sorted(slist, key=scheme.key) + if slist: + logger.debug('sorted list: %s', slist) + version = slist[-1] + result = versions[version] + if result: + if r.extras: + result.extras = r.extras + result.download_urls = versions.get('urls', {}).get(version, set()) + d = {} + sd = versions.get('digests', {}) + for url in result.download_urls: + if url in sd: # pragma: no cover + d[url] = sd[url] + result.digests = d + self.matcher = None + return result + + +class PyPIRPCLocator(Locator): + """ + This locator uses XML-RPC to locate distributions. It therefore + cannot be used with simple mirrors (that only mirror file content). + """ + def __init__(self, url, **kwargs): + """ + Initialise an instance. + + :param url: The URL to use for XML-RPC. + :param kwargs: Passed to the superclass constructor. + """ + super(PyPIRPCLocator, self).__init__(**kwargs) + self.base_url = url + self.client = ServerProxy(url, timeout=3.0) + + def get_distribution_names(self): + """ + Return all the distribution names known to this locator. + """ + return set(self.client.list_packages()) + + def _get_project(self, name): + result = {'urls': {}, 'digests': {}} + versions = self.client.package_releases(name, True) + for v in versions: + urls = self.client.release_urls(name, v) + data = self.client.release_data(name, v) + metadata = Metadata(scheme=self.scheme) + metadata.name = data['name'] + metadata.version = data['version'] + metadata.license = data.get('license') + metadata.keywords = data.get('keywords', []) + metadata.summary = data.get('summary') + dist = Distribution(metadata) + if urls: + info = urls[0] + metadata.source_url = info['url'] + dist.digest = self._get_digest(info) + dist.locator = self + result[v] = dist + for info in urls: + url = info['url'] + digest = self._get_digest(info) + result['urls'].setdefault(v, set()).add(url) + result['digests'][url] = digest + return result + +class PyPIJSONLocator(Locator): + """ + This locator uses PyPI's JSON interface. It's very limited in functionality + and probably not worth using. + """ + def __init__(self, url, **kwargs): + super(PyPIJSONLocator, self).__init__(**kwargs) + self.base_url = ensure_slash(url) + + def get_distribution_names(self): + """ + Return all the distribution names known to this locator. + """ + raise NotImplementedError('Not available from this locator') + + def _get_project(self, name): + result = {'urls': {}, 'digests': {}} + url = urljoin(self.base_url, '%s/json' % quote(name)) + try: + resp = self.opener.open(url) + data = resp.read().decode() # for now + d = json.loads(data) + md = Metadata(scheme=self.scheme) + data = d['info'] + md.name = data['name'] + md.version = data['version'] + md.license = data.get('license') + md.keywords = data.get('keywords', []) + md.summary = data.get('summary') + dist = Distribution(md) + dist.locator = self + urls = d['urls'] + result[md.version] = dist + for info in d['urls']: + url = info['url'] + dist.download_urls.add(url) + dist.digests[url] = self._get_digest(info) + result['urls'].setdefault(md.version, set()).add(url) + result['digests'][url] = self._get_digest(info) + # Now get other releases + for version, infos in d['releases'].items(): + if version == md.version: + continue # already done + omd = Metadata(scheme=self.scheme) + omd.name = md.name + omd.version = version + odist = Distribution(omd) + odist.locator = self + result[version] = odist + for info in infos: + url = info['url'] + odist.download_urls.add(url) + odist.digests[url] = self._get_digest(info) + result['urls'].setdefault(version, set()).add(url) + result['digests'][url] = self._get_digest(info) +# for info in urls: +# md.source_url = info['url'] +# dist.digest = self._get_digest(info) +# dist.locator = self +# for info in urls: +# url = info['url'] +# result['urls'].setdefault(md.version, set()).add(url) +# result['digests'][url] = self._get_digest(info) + except Exception as e: + self.errors.put(text_type(e)) + logger.exception('JSON fetch failed: %s', e) + return result + + +class Page(object): + """ + This class represents a scraped HTML page. + """ + # The following slightly hairy-looking regex just looks for the contents of + # an anchor link, which has an attribute "href" either immediately preceded + # or immediately followed by a "rel" attribute. The attribute values can be + # declared with double quotes, single quotes or no quotes - which leads to + # the length of the expression. + _href = re.compile(""" +(rel\\s*=\\s*(?:"(?P<rel1>[^"]*)"|'(?P<rel2>[^']*)'|(?P<rel3>[^>\\s\n]*))\\s+)? +href\\s*=\\s*(?:"(?P<url1>[^"]*)"|'(?P<url2>[^']*)'|(?P<url3>[^>\\s\n]*)) +(\\s+rel\\s*=\\s*(?:"(?P<rel4>[^"]*)"|'(?P<rel5>[^']*)'|(?P<rel6>[^>\\s\n]*)))? +""", re.I | re.S | re.X) + _base = re.compile(r"""<base\s+href\s*=\s*['"]?([^'">]+)""", re.I | re.S) + + def __init__(self, data, url): + """ + Initialise an instance with the Unicode page contents and the URL they + came from. + """ + self.data = data + self.base_url = self.url = url + m = self._base.search(self.data) + if m: + self.base_url = m.group(1) + + _clean_re = re.compile(r'[^a-z0-9$&+,/:;=?@.#%_\\|-]', re.I) + + @cached_property + def links(self): + """ + Return the URLs of all the links on a page together with information + about their "rel" attribute, for determining which ones to treat as + downloads and which ones to queue for further scraping. + """ + def clean(url): + "Tidy up an URL." + scheme, netloc, path, params, query, frag = urlparse(url) + return urlunparse((scheme, netloc, quote(path), + params, query, frag)) + + result = set() + for match in self._href.finditer(self.data): + d = match.groupdict('') + rel = (d['rel1'] or d['rel2'] or d['rel3'] or + d['rel4'] or d['rel5'] or d['rel6']) + url = d['url1'] or d['url2'] or d['url3'] + url = urljoin(self.base_url, url) + url = unescape(url) + url = self._clean_re.sub(lambda m: '%%%2x' % ord(m.group(0)), url) + result.add((url, rel)) + # We sort the result, hoping to bring the most recent versions + # to the front + result = sorted(result, key=lambda t: t[0], reverse=True) + return result + + +class SimpleScrapingLocator(Locator): + """ + A locator which scrapes HTML pages to locate downloads for a distribution. + This runs multiple threads to do the I/O; performance is at least as good + as pip's PackageFinder, which works in an analogous fashion. + """ + + # These are used to deal with various Content-Encoding schemes. + decoders = { + 'deflate': zlib.decompress, + 'gzip': lambda b: gzip.GzipFile(fileobj=BytesIO(d)).read(), + 'none': lambda b: b, + } + + def __init__(self, url, timeout=None, num_workers=10, **kwargs): + """ + Initialise an instance. + :param url: The root URL to use for scraping. + :param timeout: The timeout, in seconds, to be applied to requests. + This defaults to ``None`` (no timeout specified). + :param num_workers: The number of worker threads you want to do I/O, + This defaults to 10. + :param kwargs: Passed to the superclass. + """ + super(SimpleScrapingLocator, self).__init__(**kwargs) + self.base_url = ensure_slash(url) + self.timeout = timeout + self._page_cache = {} + self._seen = set() + self._to_fetch = queue.Queue() + self._bad_hosts = set() + self.skip_externals = False + self.num_workers = num_workers + self._lock = threading.RLock() + # See issue #45: we need to be resilient when the locator is used + # in a thread, e.g. with concurrent.futures. We can't use self._lock + # as it is for coordinating our internal threads - the ones created + # in _prepare_threads. + self._gplock = threading.RLock() + self.platform_check = False # See issue #112 + + def _prepare_threads(self): + """ + Threads are created only when get_project is called, and terminate + before it returns. They are there primarily to parallelise I/O (i.e. + fetching web pages). + """ + self._threads = [] + for i in range(self.num_workers): + t = threading.Thread(target=self._fetch) + t.setDaemon(True) + t.start() + self._threads.append(t) + + def _wait_threads(self): + """ + Tell all the threads to terminate (by sending a sentinel value) and + wait for them to do so. + """ + # Note that you need two loops, since you can't say which + # thread will get each sentinel + for t in self._threads: + self._to_fetch.put(None) # sentinel + for t in self._threads: + t.join() + self._threads = [] + + def _get_project(self, name): + result = {'urls': {}, 'digests': {}} + with self._gplock: + self.result = result + self.project_name = name + url = urljoin(self.base_url, '%s/' % quote(name)) + self._seen.clear() + self._page_cache.clear() + self._prepare_threads() + try: + logger.debug('Queueing %s', url) + self._to_fetch.put(url) + self._to_fetch.join() + finally: + self._wait_threads() + del self.result + return result + + platform_dependent = re.compile(r'\b(linux_(i\d86|x86_64|arm\w+)|' + r'win(32|_amd64)|macosx_?\d+)\b', re.I) + + def _is_platform_dependent(self, url): + """ + Does an URL refer to a platform-specific download? + """ + return self.platform_dependent.search(url) + + def _process_download(self, url): + """ + See if an URL is a suitable download for a project. + + If it is, register information in the result dictionary (for + _get_project) about the specific version it's for. + + Note that the return value isn't actually used other than as a boolean + value. + """ + if self.platform_check and self._is_platform_dependent(url): + info = None + else: + info = self.convert_url_to_download_info(url, self.project_name) + logger.debug('process_download: %s -> %s', url, info) + if info: + with self._lock: # needed because self.result is shared + self._update_version_data(self.result, info) + return info + + def _should_queue(self, link, referrer, rel): + """ + Determine whether a link URL from a referring page and with a + particular "rel" attribute should be queued for scraping. + """ + scheme, netloc, path, _, _, _ = urlparse(link) + if path.endswith(self.source_extensions + self.binary_extensions + + self.excluded_extensions): + result = False + elif self.skip_externals and not link.startswith(self.base_url): + result = False + elif not referrer.startswith(self.base_url): + result = False + elif rel not in ('homepage', 'download'): + result = False + elif scheme not in ('http', 'https', 'ftp'): + result = False + elif self._is_platform_dependent(link): + result = False + else: + host = netloc.split(':', 1)[0] + if host.lower() == 'localhost': + result = False + else: + result = True + logger.debug('should_queue: %s (%s) from %s -> %s', link, rel, + referrer, result) + return result + + def _fetch(self): + """ + Get a URL to fetch from the work queue, get the HTML page, examine its + links for download candidates and candidates for further scraping. + + This is a handy method to run in a thread. + """ + while True: + url = self._to_fetch.get() + try: + if url: + page = self.get_page(url) + if page is None: # e.g. after an error + continue + for link, rel in page.links: + if link not in self._seen: + try: + self._seen.add(link) + if (not self._process_download(link) and + self._should_queue(link, url, rel)): + logger.debug('Queueing %s from %s', link, url) + self._to_fetch.put(link) + except MetadataInvalidError: # e.g. invalid versions + pass + except Exception as e: # pragma: no cover + self.errors.put(text_type(e)) + finally: + # always do this, to avoid hangs :-) + self._to_fetch.task_done() + if not url: + #logger.debug('Sentinel seen, quitting.') + break + + def get_page(self, url): + """ + Get the HTML for an URL, possibly from an in-memory cache. + + XXX TODO Note: this cache is never actually cleared. It's assumed that + the data won't get stale over the lifetime of a locator instance (not + necessarily true for the default_locator). + """ + # http://peak.telecommunity.com/DevCenter/EasyInstall#package-index-api + scheme, netloc, path, _, _, _ = urlparse(url) + if scheme == 'file' and os.path.isdir(url2pathname(path)): + url = urljoin(ensure_slash(url), 'index.html') + + if url in self._page_cache: + result = self._page_cache[url] + logger.debug('Returning %s from cache: %s', url, result) + else: + host = netloc.split(':', 1)[0] + result = None + if host in self._bad_hosts: + logger.debug('Skipping %s due to bad host %s', url, host) + else: + req = Request(url, headers={'Accept-encoding': 'identity'}) + try: + logger.debug('Fetching %s', url) + resp = self.opener.open(req, timeout=self.timeout) + logger.debug('Fetched %s', url) + headers = resp.info() + content_type = headers.get('Content-Type', '') + if HTML_CONTENT_TYPE.match(content_type): + final_url = resp.geturl() + data = resp.read() + encoding = headers.get('Content-Encoding') + if encoding: + decoder = self.decoders[encoding] # fail if not found + data = decoder(data) + encoding = 'utf-8' + m = CHARSET.search(content_type) + if m: + encoding = m.group(1) + try: + data = data.decode(encoding) + except UnicodeError: # pragma: no cover + data = data.decode('latin-1') # fallback + result = Page(data, final_url) + self._page_cache[final_url] = result + except HTTPError as e: + if e.code != 404: + logger.exception('Fetch failed: %s: %s', url, e) + except URLError as e: # pragma: no cover + logger.exception('Fetch failed: %s: %s', url, e) + with self._lock: + self._bad_hosts.add(host) + except Exception as e: # pragma: no cover + logger.exception('Fetch failed: %s: %s', url, e) + finally: + self._page_cache[url] = result # even if None (failure) + return result + + _distname_re = re.compile('<a href=[^>]*>([^<]+)<') + + def get_distribution_names(self): + """ + Return all the distribution names known to this locator. + """ + result = set() + page = self.get_page(self.base_url) + if not page: + raise DistlibException('Unable to get %s' % self.base_url) + for match in self._distname_re.finditer(page.data): + result.add(match.group(1)) + return result + +class DirectoryLocator(Locator): + """ + This class locates distributions in a directory tree. + """ + + def __init__(self, path, **kwargs): + """ + Initialise an instance. + :param path: The root of the directory tree to search. + :param kwargs: Passed to the superclass constructor, + except for: + * recursive - if True (the default), subdirectories are + recursed into. If False, only the top-level directory + is searched, + """ + self.recursive = kwargs.pop('recursive', True) + super(DirectoryLocator, self).__init__(**kwargs) + path = os.path.abspath(path) + if not os.path.isdir(path): # pragma: no cover + raise DistlibException('Not a directory: %r' % path) + self.base_dir = path + + def should_include(self, filename, parent): + """ + Should a filename be considered as a candidate for a distribution + archive? As well as the filename, the directory which contains it + is provided, though not used by the current implementation. + """ + return filename.endswith(self.downloadable_extensions) + + def _get_project(self, name): + result = {'urls': {}, 'digests': {}} + for root, dirs, files in os.walk(self.base_dir): + for fn in files: + if self.should_include(fn, root): + fn = os.path.join(root, fn) + url = urlunparse(('file', '', + pathname2url(os.path.abspath(fn)), + '', '', '')) + info = self.convert_url_to_download_info(url, name) + if info: + self._update_version_data(result, info) + if not self.recursive: + break + return result + + def get_distribution_names(self): + """ + Return all the distribution names known to this locator. + """ + result = set() + for root, dirs, files in os.walk(self.base_dir): + for fn in files: + if self.should_include(fn, root): + fn = os.path.join(root, fn) + url = urlunparse(('file', '', + pathname2url(os.path.abspath(fn)), + '', '', '')) + info = self.convert_url_to_download_info(url, None) + if info: + result.add(info['name']) + if not self.recursive: + break + return result + +class JSONLocator(Locator): + """ + This locator uses special extended metadata (not available on PyPI) and is + the basis of performant dependency resolution in distlib. Other locators + require archive downloads before dependencies can be determined! As you + might imagine, that can be slow. + """ + def get_distribution_names(self): + """ + Return all the distribution names known to this locator. + """ + raise NotImplementedError('Not available from this locator') + + def _get_project(self, name): + result = {'urls': {}, 'digests': {}} + data = get_project_data(name) + if data: + for info in data.get('files', []): + if info['ptype'] != 'sdist' or info['pyversion'] != 'source': + continue + # We don't store summary in project metadata as it makes + # the data bigger for no benefit during dependency + # resolution + dist = make_dist(data['name'], info['version'], + summary=data.get('summary', + 'Placeholder for summary'), + scheme=self.scheme) + md = dist.metadata + md.source_url = info['url'] + # TODO SHA256 digest + if 'digest' in info and info['digest']: + dist.digest = ('md5', info['digest']) + md.dependencies = info.get('requirements', {}) + dist.exports = info.get('exports', {}) + result[dist.version] = dist + result['urls'].setdefault(dist.version, set()).add(info['url']) + return result + +class DistPathLocator(Locator): + """ + This locator finds installed distributions in a path. It can be useful for + adding to an :class:`AggregatingLocator`. + """ + def __init__(self, distpath, **kwargs): + """ + Initialise an instance. + + :param distpath: A :class:`DistributionPath` instance to search. + """ + super(DistPathLocator, self).__init__(**kwargs) + assert isinstance(distpath, DistributionPath) + self.distpath = distpath + + def _get_project(self, name): + dist = self.distpath.get_distribution(name) + if dist is None: + result = {'urls': {}, 'digests': {}} + else: + result = { + dist.version: dist, + 'urls': {dist.version: set([dist.source_url])}, + 'digests': {dist.version: set([None])} + } + return result + + +class AggregatingLocator(Locator): + """ + This class allows you to chain and/or merge a list of locators. + """ + def __init__(self, *locators, **kwargs): + """ + Initialise an instance. + + :param locators: The list of locators to search. + :param kwargs: Passed to the superclass constructor, + except for: + * merge - if False (the default), the first successful + search from any of the locators is returned. If True, + the results from all locators are merged (this can be + slow). + """ + self.merge = kwargs.pop('merge', False) + self.locators = locators + super(AggregatingLocator, self).__init__(**kwargs) + + def clear_cache(self): + super(AggregatingLocator, self).clear_cache() + for locator in self.locators: + locator.clear_cache() + + def _set_scheme(self, value): + self._scheme = value + for locator in self.locators: + locator.scheme = value + + scheme = property(Locator.scheme.fget, _set_scheme) + + def _get_project(self, name): + result = {} + for locator in self.locators: + d = locator.get_project(name) + if d: + if self.merge: + files = result.get('urls', {}) + digests = result.get('digests', {}) + # next line could overwrite result['urls'], result['digests'] + result.update(d) + df = result.get('urls') + if files and df: + for k, v in files.items(): + if k in df: + df[k] |= v + else: + df[k] = v + dd = result.get('digests') + if digests and dd: + dd.update(digests) + else: + # See issue #18. If any dists are found and we're looking + # for specific constraints, we only return something if + # a match is found. For example, if a DirectoryLocator + # returns just foo (1.0) while we're looking for + # foo (>= 2.0), we'll pretend there was nothing there so + # that subsequent locators can be queried. Otherwise we + # would just return foo (1.0) which would then lead to a + # failure to find foo (>= 2.0), because other locators + # weren't searched. Note that this only matters when + # merge=False. + if self.matcher is None: + found = True + else: + found = False + for k in d: + if self.matcher.match(k): + found = True + break + if found: + result = d + break + return result + + def get_distribution_names(self): + """ + Return all the distribution names known to this locator. + """ + result = set() + for locator in self.locators: + try: + result |= locator.get_distribution_names() + except NotImplementedError: + pass + return result + + +# We use a legacy scheme simply because most of the dists on PyPI use legacy +# versions which don't conform to PEP 426 / PEP 440. +default_locator = AggregatingLocator( + JSONLocator(), + SimpleScrapingLocator('https://pypi.python.org/simple/', + timeout=3.0), + scheme='legacy') + +locate = default_locator.locate + +NAME_VERSION_RE = re.compile(r'(?P<name>[\w-]+)\s*' + r'\(\s*(==\s*)?(?P<ver>[^)]+)\)$') + +class DependencyFinder(object): + """ + Locate dependencies for distributions. + """ + + def __init__(self, locator=None): + """ + Initialise an instance, using the specified locator + to locate distributions. + """ + self.locator = locator or default_locator + self.scheme = get_scheme(self.locator.scheme) + + def add_distribution(self, dist): + """ + Add a distribution to the finder. This will update internal information + about who provides what. + :param dist: The distribution to add. + """ + logger.debug('adding distribution %s', dist) + name = dist.key + self.dists_by_name[name] = dist + self.dists[(name, dist.version)] = dist + for p in dist.provides: + name, version = parse_name_and_version(p) + logger.debug('Add to provided: %s, %s, %s', name, version, dist) + self.provided.setdefault(name, set()).add((version, dist)) + + def remove_distribution(self, dist): + """ + Remove a distribution from the finder. This will update internal + information about who provides what. + :param dist: The distribution to remove. + """ + logger.debug('removing distribution %s', dist) + name = dist.key + del self.dists_by_name[name] + del self.dists[(name, dist.version)] + for p in dist.provides: + name, version = parse_name_and_version(p) + logger.debug('Remove from provided: %s, %s, %s', name, version, dist) + s = self.provided[name] + s.remove((version, dist)) + if not s: + del self.provided[name] + + def get_matcher(self, reqt): + """ + Get a version matcher for a requirement. + :param reqt: The requirement + :type reqt: str + :return: A version matcher (an instance of + :class:`distlib.version.Matcher`). + """ + try: + matcher = self.scheme.matcher(reqt) + except UnsupportedVersionError: # pragma: no cover + # XXX compat-mode if cannot read the version + name = reqt.split()[0] + matcher = self.scheme.matcher(name) + return matcher + + def find_providers(self, reqt): + """ + Find the distributions which can fulfill a requirement. + + :param reqt: The requirement. + :type reqt: str + :return: A set of distribution which can fulfill the requirement. + """ + matcher = self.get_matcher(reqt) + name = matcher.key # case-insensitive + result = set() + provided = self.provided + if name in provided: + for version, provider in provided[name]: + try: + match = matcher.match(version) + except UnsupportedVersionError: + match = False + + if match: + result.add(provider) + break + return result + + def try_to_replace(self, provider, other, problems): + """ + Attempt to replace one provider with another. This is typically used + when resolving dependencies from multiple sources, e.g. A requires + (B >= 1.0) while C requires (B >= 1.1). + + For successful replacement, ``provider`` must meet all the requirements + which ``other`` fulfills. + + :param provider: The provider we are trying to replace with. + :param other: The provider we're trying to replace. + :param problems: If False is returned, this will contain what + problems prevented replacement. This is currently + a tuple of the literal string 'cantreplace', + ``provider``, ``other`` and the set of requirements + that ``provider`` couldn't fulfill. + :return: True if we can replace ``other`` with ``provider``, else + False. + """ + rlist = self.reqts[other] + unmatched = set() + for s in rlist: + matcher = self.get_matcher(s) + if not matcher.match(provider.version): + unmatched.add(s) + if unmatched: + # can't replace other with provider + problems.add(('cantreplace', provider, other, + frozenset(unmatched))) + result = False + else: + # can replace other with provider + self.remove_distribution(other) + del self.reqts[other] + for s in rlist: + self.reqts.setdefault(provider, set()).add(s) + self.add_distribution(provider) + result = True + return result + + def find(self, requirement, meta_extras=None, prereleases=False): + """ + Find a distribution and all distributions it depends on. + + :param requirement: The requirement specifying the distribution to + find, or a Distribution instance. + :param meta_extras: A list of meta extras such as :test:, :build: and + so on. + :param prereleases: If ``True``, allow pre-release versions to be + returned - otherwise, don't return prereleases + unless they're all that's available. + + Return a set of :class:`Distribution` instances and a set of + problems. + + The distributions returned should be such that they have the + :attr:`required` attribute set to ``True`` if they were + from the ``requirement`` passed to ``find()``, and they have the + :attr:`build_time_dependency` attribute set to ``True`` unless they + are post-installation dependencies of the ``requirement``. + + The problems should be a tuple consisting of the string + ``'unsatisfied'`` and the requirement which couldn't be satisfied + by any distribution known to the locator. + """ + + self.provided = {} + self.dists = {} + self.dists_by_name = {} + self.reqts = {} + + meta_extras = set(meta_extras or []) + if ':*:' in meta_extras: + meta_extras.remove(':*:') + # :meta: and :run: are implicitly included + meta_extras |= set([':test:', ':build:', ':dev:']) + + if isinstance(requirement, Distribution): + dist = odist = requirement + logger.debug('passed %s as requirement', odist) + else: + dist = odist = self.locator.locate(requirement, + prereleases=prereleases) + if dist is None: + raise DistlibException('Unable to locate %r' % requirement) + logger.debug('located %s', odist) + dist.requested = True + problems = set() + todo = set([dist]) + install_dists = set([odist]) + while todo: + dist = todo.pop() + name = dist.key # case-insensitive + if name not in self.dists_by_name: + self.add_distribution(dist) + else: + #import pdb; pdb.set_trace() + other = self.dists_by_name[name] + if other != dist: + self.try_to_replace(dist, other, problems) + + ireqts = dist.run_requires | dist.meta_requires + sreqts = dist.build_requires + ereqts = set() + if meta_extras and dist in install_dists: + for key in ('test', 'build', 'dev'): + e = ':%s:' % key + if e in meta_extras: + ereqts |= getattr(dist, '%s_requires' % key) + all_reqts = ireqts | sreqts | ereqts + for r in all_reqts: + providers = self.find_providers(r) + if not providers: + logger.debug('No providers found for %r', r) + provider = self.locator.locate(r, prereleases=prereleases) + # If no provider is found and we didn't consider + # prereleases, consider them now. + if provider is None and not prereleases: + provider = self.locator.locate(r, prereleases=True) + if provider is None: + logger.debug('Cannot satisfy %r', r) + problems.add(('unsatisfied', r)) + else: + n, v = provider.key, provider.version + if (n, v) not in self.dists: + todo.add(provider) + providers.add(provider) + if r in ireqts and dist in install_dists: + install_dists.add(provider) + logger.debug('Adding %s to install_dists', + provider.name_and_version) + for p in providers: + name = p.key + if name not in self.dists_by_name: + self.reqts.setdefault(p, set()).add(r) + else: + other = self.dists_by_name[name] + if other != p: + # see if other can be replaced by p + self.try_to_replace(p, other, problems) + + dists = set(self.dists.values()) + for dist in dists: + dist.build_time_dependency = dist not in install_dists + if dist.build_time_dependency: + logger.debug('%s is a build-time dependency only.', + dist.name_and_version) + logger.debug('find done for %s', odist) + return dists, problems diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/manifest.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/manifest.py new file mode 100644 index 0000000..ca0fe44 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/manifest.py @@ -0,0 +1,393 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2012-2013 Python Software Foundation. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +""" +Class representing the list of files in a distribution. + +Equivalent to distutils.filelist, but fixes some problems. +""" +import fnmatch +import logging +import os +import re +import sys + +from . import DistlibException +from .compat import fsdecode +from .util import convert_path + + +__all__ = ['Manifest'] + +logger = logging.getLogger(__name__) + +# a \ followed by some spaces + EOL +_COLLAPSE_PATTERN = re.compile('\\\\w*\n', re.M) +_COMMENTED_LINE = re.compile('#.*?(?=\n)|\n(?=$)', re.M | re.S) + +# +# Due to the different results returned by fnmatch.translate, we need +# to do slightly different processing for Python 2.7 and 3.2 ... this needed +# to be brought in for Python 3.6 onwards. +# +_PYTHON_VERSION = sys.version_info[:2] + +class Manifest(object): + """A list of files built by on exploring the filesystem and filtered by + applying various patterns to what we find there. + """ + + def __init__(self, base=None): + """ + Initialise an instance. + + :param base: The base directory to explore under. + """ + self.base = os.path.abspath(os.path.normpath(base or os.getcwd())) + self.prefix = self.base + os.sep + self.allfiles = None + self.files = set() + + # + # Public API + # + + def findall(self): + """Find all files under the base and set ``allfiles`` to the absolute + pathnames of files found. + """ + from stat import S_ISREG, S_ISDIR, S_ISLNK + + self.allfiles = allfiles = [] + root = self.base + stack = [root] + pop = stack.pop + push = stack.append + + while stack: + root = pop() + names = os.listdir(root) + + for name in names: + fullname = os.path.join(root, name) + + # Avoid excess stat calls -- just one will do, thank you! + stat = os.stat(fullname) + mode = stat.st_mode + if S_ISREG(mode): + allfiles.append(fsdecode(fullname)) + elif S_ISDIR(mode) and not S_ISLNK(mode): + push(fullname) + + def add(self, item): + """ + Add a file to the manifest. + + :param item: The pathname to add. This can be relative to the base. + """ + if not item.startswith(self.prefix): + item = os.path.join(self.base, item) + self.files.add(os.path.normpath(item)) + + def add_many(self, items): + """ + Add a list of files to the manifest. + + :param items: The pathnames to add. These can be relative to the base. + """ + for item in items: + self.add(item) + + def sorted(self, wantdirs=False): + """ + Return sorted files in directory order + """ + + def add_dir(dirs, d): + dirs.add(d) + logger.debug('add_dir added %s', d) + if d != self.base: + parent, _ = os.path.split(d) + assert parent not in ('', '/') + add_dir(dirs, parent) + + result = set(self.files) # make a copy! + if wantdirs: + dirs = set() + for f in result: + add_dir(dirs, os.path.dirname(f)) + result |= dirs + return [os.path.join(*path_tuple) for path_tuple in + sorted(os.path.split(path) for path in result)] + + def clear(self): + """Clear all collected files.""" + self.files = set() + self.allfiles = [] + + def process_directive(self, directive): + """ + Process a directive which either adds some files from ``allfiles`` to + ``files``, or removes some files from ``files``. + + :param directive: The directive to process. This should be in a format + compatible with distutils ``MANIFEST.in`` files: + + http://docs.python.org/distutils/sourcedist.html#commands + """ + # Parse the line: split it up, make sure the right number of words + # is there, and return the relevant words. 'action' is always + # defined: it's the first word of the line. Which of the other + # three are defined depends on the action; it'll be either + # patterns, (dir and patterns), or (dirpattern). + action, patterns, thedir, dirpattern = self._parse_directive(directive) + + # OK, now we know that the action is valid and we have the + # right number of words on the line for that action -- so we + # can proceed with minimal error-checking. + if action == 'include': + for pattern in patterns: + if not self._include_pattern(pattern, anchor=True): + logger.warning('no files found matching %r', pattern) + + elif action == 'exclude': + for pattern in patterns: + found = self._exclude_pattern(pattern, anchor=True) + #if not found: + # logger.warning('no previously-included files ' + # 'found matching %r', pattern) + + elif action == 'global-include': + for pattern in patterns: + if not self._include_pattern(pattern, anchor=False): + logger.warning('no files found matching %r ' + 'anywhere in distribution', pattern) + + elif action == 'global-exclude': + for pattern in patterns: + found = self._exclude_pattern(pattern, anchor=False) + #if not found: + # logger.warning('no previously-included files ' + # 'matching %r found anywhere in ' + # 'distribution', pattern) + + elif action == 'recursive-include': + for pattern in patterns: + if not self._include_pattern(pattern, prefix=thedir): + logger.warning('no files found matching %r ' + 'under directory %r', pattern, thedir) + + elif action == 'recursive-exclude': + for pattern in patterns: + found = self._exclude_pattern(pattern, prefix=thedir) + #if not found: + # logger.warning('no previously-included files ' + # 'matching %r found under directory %r', + # pattern, thedir) + + elif action == 'graft': + if not self._include_pattern(None, prefix=dirpattern): + logger.warning('no directories found matching %r', + dirpattern) + + elif action == 'prune': + if not self._exclude_pattern(None, prefix=dirpattern): + logger.warning('no previously-included directories found ' + 'matching %r', dirpattern) + else: # pragma: no cover + # This should never happen, as it should be caught in + # _parse_template_line + raise DistlibException( + 'invalid action %r' % action) + + # + # Private API + # + + def _parse_directive(self, directive): + """ + Validate a directive. + :param directive: The directive to validate. + :return: A tuple of action, patterns, thedir, dir_patterns + """ + words = directive.split() + if len(words) == 1 and words[0] not in ('include', 'exclude', + 'global-include', + 'global-exclude', + 'recursive-include', + 'recursive-exclude', + 'graft', 'prune'): + # no action given, let's use the default 'include' + words.insert(0, 'include') + + action = words[0] + patterns = thedir = dir_pattern = None + + if action in ('include', 'exclude', + 'global-include', 'global-exclude'): + if len(words) < 2: + raise DistlibException( + '%r expects <pattern1> <pattern2> ...' % action) + + patterns = [convert_path(word) for word in words[1:]] + + elif action in ('recursive-include', 'recursive-exclude'): + if len(words) < 3: + raise DistlibException( + '%r expects <dir> <pattern1> <pattern2> ...' % action) + + thedir = convert_path(words[1]) + patterns = [convert_path(word) for word in words[2:]] + + elif action in ('graft', 'prune'): + if len(words) != 2: + raise DistlibException( + '%r expects a single <dir_pattern>' % action) + + dir_pattern = convert_path(words[1]) + + else: + raise DistlibException('unknown action %r' % action) + + return action, patterns, thedir, dir_pattern + + def _include_pattern(self, pattern, anchor=True, prefix=None, + is_regex=False): + """Select strings (presumably filenames) from 'self.files' that + match 'pattern', a Unix-style wildcard (glob) pattern. + + Patterns are not quite the same as implemented by the 'fnmatch' + module: '*' and '?' match non-special characters, where "special" + is platform-dependent: slash on Unix; colon, slash, and backslash on + DOS/Windows; and colon on Mac OS. + + If 'anchor' is true (the default), then the pattern match is more + stringent: "*.py" will match "foo.py" but not "foo/bar.py". If + 'anchor' is false, both of these will match. + + If 'prefix' is supplied, then only filenames starting with 'prefix' + (itself a pattern) and ending with 'pattern', with anything in between + them, will match. 'anchor' is ignored in this case. + + If 'is_regex' is true, 'anchor' and 'prefix' are ignored, and + 'pattern' is assumed to be either a string containing a regex or a + regex object -- no translation is done, the regex is just compiled + and used as-is. + + Selected strings will be added to self.files. + + Return True if files are found. + """ + # XXX docstring lying about what the special chars are? + found = False + pattern_re = self._translate_pattern(pattern, anchor, prefix, is_regex) + + # delayed loading of allfiles list + if self.allfiles is None: + self.findall() + + for name in self.allfiles: + if pattern_re.search(name): + self.files.add(name) + found = True + return found + + def _exclude_pattern(self, pattern, anchor=True, prefix=None, + is_regex=False): + """Remove strings (presumably filenames) from 'files' that match + 'pattern'. + + Other parameters are the same as for 'include_pattern()', above. + The list 'self.files' is modified in place. Return True if files are + found. + + This API is public to allow e.g. exclusion of SCM subdirs, e.g. when + packaging source distributions + """ + found = False + pattern_re = self._translate_pattern(pattern, anchor, prefix, is_regex) + for f in list(self.files): + if pattern_re.search(f): + self.files.remove(f) + found = True + return found + + def _translate_pattern(self, pattern, anchor=True, prefix=None, + is_regex=False): + """Translate a shell-like wildcard pattern to a compiled regular + expression. + + Return the compiled regex. If 'is_regex' true, + then 'pattern' is directly compiled to a regex (if it's a string) + or just returned as-is (assumes it's a regex object). + """ + if is_regex: + if isinstance(pattern, str): + return re.compile(pattern) + else: + return pattern + + if _PYTHON_VERSION > (3, 2): + # ditch start and end characters + start, _, end = self._glob_to_re('_').partition('_') + + if pattern: + pattern_re = self._glob_to_re(pattern) + if _PYTHON_VERSION > (3, 2): + assert pattern_re.startswith(start) and pattern_re.endswith(end) + else: + pattern_re = '' + + base = re.escape(os.path.join(self.base, '')) + if prefix is not None: + # ditch end of pattern character + if _PYTHON_VERSION <= (3, 2): + empty_pattern = self._glob_to_re('') + prefix_re = self._glob_to_re(prefix)[:-len(empty_pattern)] + else: + prefix_re = self._glob_to_re(prefix) + assert prefix_re.startswith(start) and prefix_re.endswith(end) + prefix_re = prefix_re[len(start): len(prefix_re) - len(end)] + sep = os.sep + if os.sep == '\\': + sep = r'\\' + if _PYTHON_VERSION <= (3, 2): + pattern_re = '^' + base + sep.join((prefix_re, + '.*' + pattern_re)) + else: + pattern_re = pattern_re[len(start): len(pattern_re) - len(end)] + pattern_re = r'%s%s%s%s.*%s%s' % (start, base, prefix_re, sep, + pattern_re, end) + else: # no prefix -- respect anchor flag + if anchor: + if _PYTHON_VERSION <= (3, 2): + pattern_re = '^' + base + pattern_re + else: + pattern_re = r'%s%s%s' % (start, base, pattern_re[len(start):]) + + return re.compile(pattern_re) + + def _glob_to_re(self, pattern): + """Translate a shell-like glob pattern to a regular expression. + + Return a string containing the regex. Differs from + 'fnmatch.translate()' in that '*' does not match "special characters" + (which are platform-specific). + """ + pattern_re = fnmatch.translate(pattern) + + # '?' and '*' in the glob pattern become '.' and '.*' in the RE, which + # IMHO is wrong -- '?' and '*' aren't supposed to match slash in Unix, + # and by extension they shouldn't match such "special characters" under + # any OS. So change all non-escaped dots in the RE to match any + # character except the special characters (currently: just os.sep). + sep = os.sep + if os.sep == '\\': + # we're using a regex to manipulate a regex, so we need + # to escape the backslash twice + sep = r'\\\\' + escaped = r'\1[^%s]' % sep + pattern_re = re.sub(r'((?<!\\)(\\\\)*)\.', escaped, pattern_re) + return pattern_re diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/markers.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/markers.py new file mode 100644 index 0000000..ee1f3e2 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/markers.py @@ -0,0 +1,131 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2012-2017 Vinay Sajip. +# Licensed to the Python Software Foundation under a contributor agreement. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +""" +Parser for the environment markers micro-language defined in PEP 508. +""" + +# Note: In PEP 345, the micro-language was Python compatible, so the ast +# module could be used to parse it. However, PEP 508 introduced operators such +# as ~= and === which aren't in Python, necessitating a different approach. + +import os +import sys +import platform +import re + +from .compat import python_implementation, urlparse, string_types +from .util import in_venv, parse_marker + +__all__ = ['interpret'] + +def _is_literal(o): + if not isinstance(o, string_types) or not o: + return False + return o[0] in '\'"' + +class Evaluator(object): + """ + This class is used to evaluate marker expessions. + """ + + operations = { + '==': lambda x, y: x == y, + '===': lambda x, y: x == y, + '~=': lambda x, y: x == y or x > y, + '!=': lambda x, y: x != y, + '<': lambda x, y: x < y, + '<=': lambda x, y: x == y or x < y, + '>': lambda x, y: x > y, + '>=': lambda x, y: x == y or x > y, + 'and': lambda x, y: x and y, + 'or': lambda x, y: x or y, + 'in': lambda x, y: x in y, + 'not in': lambda x, y: x not in y, + } + + def evaluate(self, expr, context): + """ + Evaluate a marker expression returned by the :func:`parse_requirement` + function in the specified context. + """ + if isinstance(expr, string_types): + if expr[0] in '\'"': + result = expr[1:-1] + else: + if expr not in context: + raise SyntaxError('unknown variable: %s' % expr) + result = context[expr] + else: + assert isinstance(expr, dict) + op = expr['op'] + if op not in self.operations: + raise NotImplementedError('op not implemented: %s' % op) + elhs = expr['lhs'] + erhs = expr['rhs'] + if _is_literal(expr['lhs']) and _is_literal(expr['rhs']): + raise SyntaxError('invalid comparison: %s %s %s' % (elhs, op, erhs)) + + lhs = self.evaluate(elhs, context) + rhs = self.evaluate(erhs, context) + result = self.operations[op](lhs, rhs) + return result + +def default_context(): + def format_full_version(info): + version = '%s.%s.%s' % (info.major, info.minor, info.micro) + kind = info.releaselevel + if kind != 'final': + version += kind[0] + str(info.serial) + return version + + if hasattr(sys, 'implementation'): + implementation_version = format_full_version(sys.implementation.version) + implementation_name = sys.implementation.name + else: + implementation_version = '0' + implementation_name = '' + + result = { + 'implementation_name': implementation_name, + 'implementation_version': implementation_version, + 'os_name': os.name, + 'platform_machine': platform.machine(), + 'platform_python_implementation': platform.python_implementation(), + 'platform_release': platform.release(), + 'platform_system': platform.system(), + 'platform_version': platform.version(), + 'platform_in_venv': str(in_venv()), + 'python_full_version': platform.python_version(), + 'python_version': platform.python_version()[:3], + 'sys_platform': sys.platform, + } + return result + +DEFAULT_CONTEXT = default_context() +del default_context + +evaluator = Evaluator() + +def interpret(marker, execution_context=None): + """ + Interpret a marker and return a result depending on environment. + + :param marker: The marker to interpret. + :type marker: str + :param execution_context: The context used for name lookup. + :type execution_context: mapping + """ + try: + expr, rest = parse_marker(marker) + except Exception as e: + raise SyntaxError('Unable to interpret marker syntax: %s: %s' % (marker, e)) + if rest and rest[0] != '#': + raise SyntaxError('unexpected trailing data in marker: %s: %s' % (marker, rest)) + context = dict(DEFAULT_CONTEXT) + if execution_context: + context.update(execution_context) + return evaluator.evaluate(expr, context) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/metadata.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/metadata.py new file mode 100644 index 0000000..77eed7f --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/metadata.py @@ -0,0 +1,1094 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2012 The Python Software Foundation. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +"""Implementation of the Metadata for Python packages PEPs. + +Supports all metadata formats (1.0, 1.1, 1.2, and 2.0 experimental). +""" +from __future__ import unicode_literals + +import codecs +from email import message_from_file +import json +import logging +import re + + +from . import DistlibException, __version__ +from .compat import StringIO, string_types, text_type +from .markers import interpret +from .util import extract_by_key, get_extras +from .version import get_scheme, PEP440_VERSION_RE + +logger = logging.getLogger(__name__) + + +class MetadataMissingError(DistlibException): + """A required metadata is missing""" + + +class MetadataConflictError(DistlibException): + """Attempt to read or write metadata fields that are conflictual.""" + + +class MetadataUnrecognizedVersionError(DistlibException): + """Unknown metadata version number.""" + + +class MetadataInvalidError(DistlibException): + """A metadata value is invalid""" + +# public API of this module +__all__ = ['Metadata', 'PKG_INFO_ENCODING', 'PKG_INFO_PREFERRED_VERSION'] + +# Encoding used for the PKG-INFO files +PKG_INFO_ENCODING = 'utf-8' + +# preferred version. Hopefully will be changed +# to 1.2 once PEP 345 is supported everywhere +PKG_INFO_PREFERRED_VERSION = '1.1' + +_LINE_PREFIX_1_2 = re.compile('\n \\|') +_LINE_PREFIX_PRE_1_2 = re.compile('\n ') +_241_FIELDS = ('Metadata-Version', 'Name', 'Version', 'Platform', + 'Summary', 'Description', + 'Keywords', 'Home-page', 'Author', 'Author-email', + 'License') + +_314_FIELDS = ('Metadata-Version', 'Name', 'Version', 'Platform', + 'Supported-Platform', 'Summary', 'Description', + 'Keywords', 'Home-page', 'Author', 'Author-email', + 'License', 'Classifier', 'Download-URL', 'Obsoletes', + 'Provides', 'Requires') + +_314_MARKERS = ('Obsoletes', 'Provides', 'Requires', 'Classifier', + 'Download-URL') + +_345_FIELDS = ('Metadata-Version', 'Name', 'Version', 'Platform', + 'Supported-Platform', 'Summary', 'Description', + 'Keywords', 'Home-page', 'Author', 'Author-email', + 'Maintainer', 'Maintainer-email', 'License', + 'Classifier', 'Download-URL', 'Obsoletes-Dist', + 'Project-URL', 'Provides-Dist', 'Requires-Dist', + 'Requires-Python', 'Requires-External') + +_345_MARKERS = ('Provides-Dist', 'Requires-Dist', 'Requires-Python', + 'Obsoletes-Dist', 'Requires-External', 'Maintainer', + 'Maintainer-email', 'Project-URL') + +_426_FIELDS = ('Metadata-Version', 'Name', 'Version', 'Platform', + 'Supported-Platform', 'Summary', 'Description', + 'Keywords', 'Home-page', 'Author', 'Author-email', + 'Maintainer', 'Maintainer-email', 'License', + 'Classifier', 'Download-URL', 'Obsoletes-Dist', + 'Project-URL', 'Provides-Dist', 'Requires-Dist', + 'Requires-Python', 'Requires-External', 'Private-Version', + 'Obsoleted-By', 'Setup-Requires-Dist', 'Extension', + 'Provides-Extra') + +_426_MARKERS = ('Private-Version', 'Provides-Extra', 'Obsoleted-By', + 'Setup-Requires-Dist', 'Extension') + +# See issue #106: Sometimes 'Requires' occurs wrongly in the metadata. Include +# it in the tuple literal below to allow it (for now) +_566_FIELDS = _426_FIELDS + ('Description-Content-Type', 'Requires') + +_566_MARKERS = ('Description-Content-Type',) + +_ALL_FIELDS = set() +_ALL_FIELDS.update(_241_FIELDS) +_ALL_FIELDS.update(_314_FIELDS) +_ALL_FIELDS.update(_345_FIELDS) +_ALL_FIELDS.update(_426_FIELDS) +_ALL_FIELDS.update(_566_FIELDS) + +EXTRA_RE = re.compile(r'''extra\s*==\s*("([^"]+)"|'([^']+)')''') + + +def _version2fieldlist(version): + if version == '1.0': + return _241_FIELDS + elif version == '1.1': + return _314_FIELDS + elif version == '1.2': + return _345_FIELDS + elif version in ('1.3', '2.1'): + return _345_FIELDS + _566_FIELDS + elif version == '2.0': + return _426_FIELDS + raise MetadataUnrecognizedVersionError(version) + + +def _best_version(fields): + """Detect the best version depending on the fields used.""" + def _has_marker(keys, markers): + for marker in markers: + if marker in keys: + return True + return False + + keys = [] + for key, value in fields.items(): + if value in ([], 'UNKNOWN', None): + continue + keys.append(key) + + possible_versions = ['1.0', '1.1', '1.2', '1.3', '2.0', '2.1'] + + # first let's try to see if a field is not part of one of the version + for key in keys: + if key not in _241_FIELDS and '1.0' in possible_versions: + possible_versions.remove('1.0') + logger.debug('Removed 1.0 due to %s', key) + if key not in _314_FIELDS and '1.1' in possible_versions: + possible_versions.remove('1.1') + logger.debug('Removed 1.1 due to %s', key) + if key not in _345_FIELDS and '1.2' in possible_versions: + possible_versions.remove('1.2') + logger.debug('Removed 1.2 due to %s', key) + if key not in _566_FIELDS and '1.3' in possible_versions: + possible_versions.remove('1.3') + logger.debug('Removed 1.3 due to %s', key) + if key not in _566_FIELDS and '2.1' in possible_versions: + if key != 'Description': # In 2.1, description allowed after headers + possible_versions.remove('2.1') + logger.debug('Removed 2.1 due to %s', key) + if key not in _426_FIELDS and '2.0' in possible_versions: + possible_versions.remove('2.0') + logger.debug('Removed 2.0 due to %s', key) + + # possible_version contains qualified versions + if len(possible_versions) == 1: + return possible_versions[0] # found ! + elif len(possible_versions) == 0: + logger.debug('Out of options - unknown metadata set: %s', fields) + raise MetadataConflictError('Unknown metadata set') + + # let's see if one unique marker is found + is_1_1 = '1.1' in possible_versions and _has_marker(keys, _314_MARKERS) + is_1_2 = '1.2' in possible_versions and _has_marker(keys, _345_MARKERS) + is_2_1 = '2.1' in possible_versions and _has_marker(keys, _566_MARKERS) + is_2_0 = '2.0' in possible_versions and _has_marker(keys, _426_MARKERS) + if int(is_1_1) + int(is_1_2) + int(is_2_1) + int(is_2_0) > 1: + raise MetadataConflictError('You used incompatible 1.1/1.2/2.0/2.1 fields') + + # we have the choice, 1.0, or 1.2, or 2.0 + # - 1.0 has a broken Summary field but works with all tools + # - 1.1 is to avoid + # - 1.2 fixes Summary but has little adoption + # - 2.0 adds more features and is very new + if not is_1_1 and not is_1_2 and not is_2_1 and not is_2_0: + # we couldn't find any specific marker + if PKG_INFO_PREFERRED_VERSION in possible_versions: + return PKG_INFO_PREFERRED_VERSION + if is_1_1: + return '1.1' + if is_1_2: + return '1.2' + if is_2_1: + return '2.1' + + return '2.0' + +_ATTR2FIELD = { + 'metadata_version': 'Metadata-Version', + 'name': 'Name', + 'version': 'Version', + 'platform': 'Platform', + 'supported_platform': 'Supported-Platform', + 'summary': 'Summary', + 'description': 'Description', + 'keywords': 'Keywords', + 'home_page': 'Home-page', + 'author': 'Author', + 'author_email': 'Author-email', + 'maintainer': 'Maintainer', + 'maintainer_email': 'Maintainer-email', + 'license': 'License', + 'classifier': 'Classifier', + 'download_url': 'Download-URL', + 'obsoletes_dist': 'Obsoletes-Dist', + 'provides_dist': 'Provides-Dist', + 'requires_dist': 'Requires-Dist', + 'setup_requires_dist': 'Setup-Requires-Dist', + 'requires_python': 'Requires-Python', + 'requires_external': 'Requires-External', + 'requires': 'Requires', + 'provides': 'Provides', + 'obsoletes': 'Obsoletes', + 'project_url': 'Project-URL', + 'private_version': 'Private-Version', + 'obsoleted_by': 'Obsoleted-By', + 'extension': 'Extension', + 'provides_extra': 'Provides-Extra', +} + +_PREDICATE_FIELDS = ('Requires-Dist', 'Obsoletes-Dist', 'Provides-Dist') +_VERSIONS_FIELDS = ('Requires-Python',) +_VERSION_FIELDS = ('Version',) +_LISTFIELDS = ('Platform', 'Classifier', 'Obsoletes', + 'Requires', 'Provides', 'Obsoletes-Dist', + 'Provides-Dist', 'Requires-Dist', 'Requires-External', + 'Project-URL', 'Supported-Platform', 'Setup-Requires-Dist', + 'Provides-Extra', 'Extension') +_LISTTUPLEFIELDS = ('Project-URL',) + +_ELEMENTSFIELD = ('Keywords',) + +_UNICODEFIELDS = ('Author', 'Maintainer', 'Summary', 'Description') + +_MISSING = object() + +_FILESAFE = re.compile('[^A-Za-z0-9.]+') + + +def _get_name_and_version(name, version, for_filename=False): + """Return the distribution name with version. + + If for_filename is true, return a filename-escaped form.""" + if for_filename: + # For both name and version any runs of non-alphanumeric or '.' + # characters are replaced with a single '-'. Additionally any + # spaces in the version string become '.' + name = _FILESAFE.sub('-', name) + version = _FILESAFE.sub('-', version.replace(' ', '.')) + return '%s-%s' % (name, version) + + +class LegacyMetadata(object): + """The legacy metadata of a release. + + Supports versions 1.0, 1.1 and 1.2 (auto-detected). You can + instantiate the class with one of these arguments (or none): + - *path*, the path to a metadata file + - *fileobj* give a file-like object with metadata as content + - *mapping* is a dict-like object + - *scheme* is a version scheme name + """ + # TODO document the mapping API and UNKNOWN default key + + def __init__(self, path=None, fileobj=None, mapping=None, + scheme='default'): + if [path, fileobj, mapping].count(None) < 2: + raise TypeError('path, fileobj and mapping are exclusive') + self._fields = {} + self.requires_files = [] + self._dependencies = None + self.scheme = scheme + if path is not None: + self.read(path) + elif fileobj is not None: + self.read_file(fileobj) + elif mapping is not None: + self.update(mapping) + self.set_metadata_version() + + def set_metadata_version(self): + self._fields['Metadata-Version'] = _best_version(self._fields) + + def _write_field(self, fileobj, name, value): + fileobj.write('%s: %s\n' % (name, value)) + + def __getitem__(self, name): + return self.get(name) + + def __setitem__(self, name, value): + return self.set(name, value) + + def __delitem__(self, name): + field_name = self._convert_name(name) + try: + del self._fields[field_name] + except KeyError: + raise KeyError(name) + + def __contains__(self, name): + return (name in self._fields or + self._convert_name(name) in self._fields) + + def _convert_name(self, name): + if name in _ALL_FIELDS: + return name + name = name.replace('-', '_').lower() + return _ATTR2FIELD.get(name, name) + + def _default_value(self, name): + if name in _LISTFIELDS or name in _ELEMENTSFIELD: + return [] + return 'UNKNOWN' + + def _remove_line_prefix(self, value): + if self.metadata_version in ('1.0', '1.1'): + return _LINE_PREFIX_PRE_1_2.sub('\n', value) + else: + return _LINE_PREFIX_1_2.sub('\n', value) + + def __getattr__(self, name): + if name in _ATTR2FIELD: + return self[name] + raise AttributeError(name) + + # + # Public API + # + +# dependencies = property(_get_dependencies, _set_dependencies) + + def get_fullname(self, filesafe=False): + """Return the distribution name with version. + + If filesafe is true, return a filename-escaped form.""" + return _get_name_and_version(self['Name'], self['Version'], filesafe) + + def is_field(self, name): + """return True if name is a valid metadata key""" + name = self._convert_name(name) + return name in _ALL_FIELDS + + def is_multi_field(self, name): + name = self._convert_name(name) + return name in _LISTFIELDS + + def read(self, filepath): + """Read the metadata values from a file path.""" + fp = codecs.open(filepath, 'r', encoding='utf-8') + try: + self.read_file(fp) + finally: + fp.close() + + def read_file(self, fileob): + """Read the metadata values from a file object.""" + msg = message_from_file(fileob) + self._fields['Metadata-Version'] = msg['metadata-version'] + + # When reading, get all the fields we can + for field in _ALL_FIELDS: + if field not in msg: + continue + if field in _LISTFIELDS: + # we can have multiple lines + values = msg.get_all(field) + if field in _LISTTUPLEFIELDS and values is not None: + values = [tuple(value.split(',')) for value in values] + self.set(field, values) + else: + # single line + value = msg[field] + if value is not None and value != 'UNKNOWN': + self.set(field, value) + # logger.debug('Attempting to set metadata for %s', self) + # self.set_metadata_version() + + def write(self, filepath, skip_unknown=False): + """Write the metadata fields to filepath.""" + fp = codecs.open(filepath, 'w', encoding='utf-8') + try: + self.write_file(fp, skip_unknown) + finally: + fp.close() + + def write_file(self, fileobject, skip_unknown=False): + """Write the PKG-INFO format data to a file object.""" + self.set_metadata_version() + + for field in _version2fieldlist(self['Metadata-Version']): + values = self.get(field) + if skip_unknown and values in ('UNKNOWN', [], ['UNKNOWN']): + continue + if field in _ELEMENTSFIELD: + self._write_field(fileobject, field, ','.join(values)) + continue + if field not in _LISTFIELDS: + if field == 'Description': + if self.metadata_version in ('1.0', '1.1'): + values = values.replace('\n', '\n ') + else: + values = values.replace('\n', '\n |') + values = [values] + + if field in _LISTTUPLEFIELDS: + values = [','.join(value) for value in values] + + for value in values: + self._write_field(fileobject, field, value) + + def update(self, other=None, **kwargs): + """Set metadata values from the given iterable `other` and kwargs. + + Behavior is like `dict.update`: If `other` has a ``keys`` method, + they are looped over and ``self[key]`` is assigned ``other[key]``. + Else, ``other`` is an iterable of ``(key, value)`` iterables. + + Keys that don't match a metadata field or that have an empty value are + dropped. + """ + def _set(key, value): + if key in _ATTR2FIELD and value: + self.set(self._convert_name(key), value) + + if not other: + # other is None or empty container + pass + elif hasattr(other, 'keys'): + for k in other.keys(): + _set(k, other[k]) + else: + for k, v in other: + _set(k, v) + + if kwargs: + for k, v in kwargs.items(): + _set(k, v) + + def set(self, name, value): + """Control then set a metadata field.""" + name = self._convert_name(name) + + if ((name in _ELEMENTSFIELD or name == 'Platform') and + not isinstance(value, (list, tuple))): + if isinstance(value, string_types): + value = [v.strip() for v in value.split(',')] + else: + value = [] + elif (name in _LISTFIELDS and + not isinstance(value, (list, tuple))): + if isinstance(value, string_types): + value = [value] + else: + value = [] + + if logger.isEnabledFor(logging.WARNING): + project_name = self['Name'] + + scheme = get_scheme(self.scheme) + if name in _PREDICATE_FIELDS and value is not None: + for v in value: + # check that the values are valid + if not scheme.is_valid_matcher(v.split(';')[0]): + logger.warning( + "'%s': '%s' is not valid (field '%s')", + project_name, v, name) + # FIXME this rejects UNKNOWN, is that right? + elif name in _VERSIONS_FIELDS and value is not None: + if not scheme.is_valid_constraint_list(value): + logger.warning("'%s': '%s' is not a valid version (field '%s')", + project_name, value, name) + elif name in _VERSION_FIELDS and value is not None: + if not scheme.is_valid_version(value): + logger.warning("'%s': '%s' is not a valid version (field '%s')", + project_name, value, name) + + if name in _UNICODEFIELDS: + if name == 'Description': + value = self._remove_line_prefix(value) + + self._fields[name] = value + + def get(self, name, default=_MISSING): + """Get a metadata field.""" + name = self._convert_name(name) + if name not in self._fields: + if default is _MISSING: + default = self._default_value(name) + return default + if name in _UNICODEFIELDS: + value = self._fields[name] + return value + elif name in _LISTFIELDS: + value = self._fields[name] + if value is None: + return [] + res = [] + for val in value: + if name not in _LISTTUPLEFIELDS: + res.append(val) + else: + # That's for Project-URL + res.append((val[0], val[1])) + return res + + elif name in _ELEMENTSFIELD: + value = self._fields[name] + if isinstance(value, string_types): + return value.split(',') + return self._fields[name] + + def check(self, strict=False): + """Check if the metadata is compliant. If strict is True then raise if + no Name or Version are provided""" + self.set_metadata_version() + + # XXX should check the versions (if the file was loaded) + missing, warnings = [], [] + + for attr in ('Name', 'Version'): # required by PEP 345 + if attr not in self: + missing.append(attr) + + if strict and missing != []: + msg = 'missing required metadata: %s' % ', '.join(missing) + raise MetadataMissingError(msg) + + for attr in ('Home-page', 'Author'): + if attr not in self: + missing.append(attr) + + # checking metadata 1.2 (XXX needs to check 1.1, 1.0) + if self['Metadata-Version'] != '1.2': + return missing, warnings + + scheme = get_scheme(self.scheme) + + def are_valid_constraints(value): + for v in value: + if not scheme.is_valid_matcher(v.split(';')[0]): + return False + return True + + for fields, controller in ((_PREDICATE_FIELDS, are_valid_constraints), + (_VERSIONS_FIELDS, + scheme.is_valid_constraint_list), + (_VERSION_FIELDS, + scheme.is_valid_version)): + for field in fields: + value = self.get(field, None) + if value is not None and not controller(value): + warnings.append("Wrong value for '%s': %s" % (field, value)) + + return missing, warnings + + def todict(self, skip_missing=False): + """Return fields as a dict. + + Field names will be converted to use the underscore-lowercase style + instead of hyphen-mixed case (i.e. home_page instead of Home-page). + """ + self.set_metadata_version() + + mapping_1_0 = ( + ('metadata_version', 'Metadata-Version'), + ('name', 'Name'), + ('version', 'Version'), + ('summary', 'Summary'), + ('home_page', 'Home-page'), + ('author', 'Author'), + ('author_email', 'Author-email'), + ('license', 'License'), + ('description', 'Description'), + ('keywords', 'Keywords'), + ('platform', 'Platform'), + ('classifiers', 'Classifier'), + ('download_url', 'Download-URL'), + ) + + data = {} + for key, field_name in mapping_1_0: + if not skip_missing or field_name in self._fields: + data[key] = self[field_name] + + if self['Metadata-Version'] == '1.2': + mapping_1_2 = ( + ('requires_dist', 'Requires-Dist'), + ('requires_python', 'Requires-Python'), + ('requires_external', 'Requires-External'), + ('provides_dist', 'Provides-Dist'), + ('obsoletes_dist', 'Obsoletes-Dist'), + ('project_url', 'Project-URL'), + ('maintainer', 'Maintainer'), + ('maintainer_email', 'Maintainer-email'), + ) + for key, field_name in mapping_1_2: + if not skip_missing or field_name in self._fields: + if key != 'project_url': + data[key] = self[field_name] + else: + data[key] = [','.join(u) for u in self[field_name]] + + elif self['Metadata-Version'] == '1.1': + mapping_1_1 = ( + ('provides', 'Provides'), + ('requires', 'Requires'), + ('obsoletes', 'Obsoletes'), + ) + for key, field_name in mapping_1_1: + if not skip_missing or field_name in self._fields: + data[key] = self[field_name] + + return data + + def add_requirements(self, requirements): + if self['Metadata-Version'] == '1.1': + # we can't have 1.1 metadata *and* Setuptools requires + for field in ('Obsoletes', 'Requires', 'Provides'): + if field in self: + del self[field] + self['Requires-Dist'] += requirements + + # Mapping API + # TODO could add iter* variants + + def keys(self): + return list(_version2fieldlist(self['Metadata-Version'])) + + def __iter__(self): + for key in self.keys(): + yield key + + def values(self): + return [self[key] for key in self.keys()] + + def items(self): + return [(key, self[key]) for key in self.keys()] + + def __repr__(self): + return '<%s %s %s>' % (self.__class__.__name__, self.name, + self.version) + + +METADATA_FILENAME = 'pydist.json' +WHEEL_METADATA_FILENAME = 'metadata.json' +LEGACY_METADATA_FILENAME = 'METADATA' + + +class Metadata(object): + """ + The metadata of a release. This implementation uses 2.0 (JSON) + metadata where possible. If not possible, it wraps a LegacyMetadata + instance which handles the key-value metadata format. + """ + + METADATA_VERSION_MATCHER = re.compile(r'^\d+(\.\d+)*$') + + NAME_MATCHER = re.compile('^[0-9A-Z]([0-9A-Z_.-]*[0-9A-Z])?$', re.I) + + VERSION_MATCHER = PEP440_VERSION_RE + + SUMMARY_MATCHER = re.compile('.{1,2047}') + + METADATA_VERSION = '2.0' + + GENERATOR = 'distlib (%s)' % __version__ + + MANDATORY_KEYS = { + 'name': (), + 'version': (), + 'summary': ('legacy',), + } + + INDEX_KEYS = ('name version license summary description author ' + 'author_email keywords platform home_page classifiers ' + 'download_url') + + DEPENDENCY_KEYS = ('extras run_requires test_requires build_requires ' + 'dev_requires provides meta_requires obsoleted_by ' + 'supports_environments') + + SYNTAX_VALIDATORS = { + 'metadata_version': (METADATA_VERSION_MATCHER, ()), + 'name': (NAME_MATCHER, ('legacy',)), + 'version': (VERSION_MATCHER, ('legacy',)), + 'summary': (SUMMARY_MATCHER, ('legacy',)), + } + + __slots__ = ('_legacy', '_data', 'scheme') + + def __init__(self, path=None, fileobj=None, mapping=None, + scheme='default'): + if [path, fileobj, mapping].count(None) < 2: + raise TypeError('path, fileobj and mapping are exclusive') + self._legacy = None + self._data = None + self.scheme = scheme + #import pdb; pdb.set_trace() + if mapping is not None: + try: + self._validate_mapping(mapping, scheme) + self._data = mapping + except MetadataUnrecognizedVersionError: + self._legacy = LegacyMetadata(mapping=mapping, scheme=scheme) + self.validate() + else: + data = None + if path: + with open(path, 'rb') as f: + data = f.read() + elif fileobj: + data = fileobj.read() + if data is None: + # Initialised with no args - to be added + self._data = { + 'metadata_version': self.METADATA_VERSION, + 'generator': self.GENERATOR, + } + else: + if not isinstance(data, text_type): + data = data.decode('utf-8') + try: + self._data = json.loads(data) + self._validate_mapping(self._data, scheme) + except ValueError: + # Note: MetadataUnrecognizedVersionError does not + # inherit from ValueError (it's a DistlibException, + # which should not inherit from ValueError). + # The ValueError comes from the json.load - if that + # succeeds and we get a validation error, we want + # that to propagate + self._legacy = LegacyMetadata(fileobj=StringIO(data), + scheme=scheme) + self.validate() + + common_keys = set(('name', 'version', 'license', 'keywords', 'summary')) + + none_list = (None, list) + none_dict = (None, dict) + + mapped_keys = { + 'run_requires': ('Requires-Dist', list), + 'build_requires': ('Setup-Requires-Dist', list), + 'dev_requires': none_list, + 'test_requires': none_list, + 'meta_requires': none_list, + 'extras': ('Provides-Extra', list), + 'modules': none_list, + 'namespaces': none_list, + 'exports': none_dict, + 'commands': none_dict, + 'classifiers': ('Classifier', list), + 'source_url': ('Download-URL', None), + 'metadata_version': ('Metadata-Version', None), + } + + del none_list, none_dict + + def __getattribute__(self, key): + common = object.__getattribute__(self, 'common_keys') + mapped = object.__getattribute__(self, 'mapped_keys') + if key in mapped: + lk, maker = mapped[key] + if self._legacy: + if lk is None: + result = None if maker is None else maker() + else: + result = self._legacy.get(lk) + else: + value = None if maker is None else maker() + if key not in ('commands', 'exports', 'modules', 'namespaces', + 'classifiers'): + result = self._data.get(key, value) + else: + # special cases for PEP 459 + sentinel = object() + result = sentinel + d = self._data.get('extensions') + if d: + if key == 'commands': + result = d.get('python.commands', value) + elif key == 'classifiers': + d = d.get('python.details') + if d: + result = d.get(key, value) + else: + d = d.get('python.exports') + if not d: + d = self._data.get('python.exports') + if d: + result = d.get(key, value) + if result is sentinel: + result = value + elif key not in common: + result = object.__getattribute__(self, key) + elif self._legacy: + result = self._legacy.get(key) + else: + result = self._data.get(key) + return result + + def _validate_value(self, key, value, scheme=None): + if key in self.SYNTAX_VALIDATORS: + pattern, exclusions = self.SYNTAX_VALIDATORS[key] + if (scheme or self.scheme) not in exclusions: + m = pattern.match(value) + if not m: + raise MetadataInvalidError("'%s' is an invalid value for " + "the '%s' property" % (value, + key)) + + def __setattr__(self, key, value): + self._validate_value(key, value) + common = object.__getattribute__(self, 'common_keys') + mapped = object.__getattribute__(self, 'mapped_keys') + if key in mapped: + lk, _ = mapped[key] + if self._legacy: + if lk is None: + raise NotImplementedError + self._legacy[lk] = value + elif key not in ('commands', 'exports', 'modules', 'namespaces', + 'classifiers'): + self._data[key] = value + else: + # special cases for PEP 459 + d = self._data.setdefault('extensions', {}) + if key == 'commands': + d['python.commands'] = value + elif key == 'classifiers': + d = d.setdefault('python.details', {}) + d[key] = value + else: + d = d.setdefault('python.exports', {}) + d[key] = value + elif key not in common: + object.__setattr__(self, key, value) + else: + if key == 'keywords': + if isinstance(value, string_types): + value = value.strip() + if value: + value = value.split() + else: + value = [] + if self._legacy: + self._legacy[key] = value + else: + self._data[key] = value + + @property + def name_and_version(self): + return _get_name_and_version(self.name, self.version, True) + + @property + def provides(self): + if self._legacy: + result = self._legacy['Provides-Dist'] + else: + result = self._data.setdefault('provides', []) + s = '%s (%s)' % (self.name, self.version) + if s not in result: + result.append(s) + return result + + @provides.setter + def provides(self, value): + if self._legacy: + self._legacy['Provides-Dist'] = value + else: + self._data['provides'] = value + + def get_requirements(self, reqts, extras=None, env=None): + """ + Base method to get dependencies, given a set of extras + to satisfy and an optional environment context. + :param reqts: A list of sometimes-wanted dependencies, + perhaps dependent on extras and environment. + :param extras: A list of optional components being requested. + :param env: An optional environment for marker evaluation. + """ + if self._legacy: + result = reqts + else: + result = [] + extras = get_extras(extras or [], self.extras) + for d in reqts: + if 'extra' not in d and 'environment' not in d: + # unconditional + include = True + else: + if 'extra' not in d: + # Not extra-dependent - only environment-dependent + include = True + else: + include = d.get('extra') in extras + if include: + # Not excluded because of extras, check environment + marker = d.get('environment') + if marker: + include = interpret(marker, env) + if include: + result.extend(d['requires']) + for key in ('build', 'dev', 'test'): + e = ':%s:' % key + if e in extras: + extras.remove(e) + # A recursive call, but it should terminate since 'test' + # has been removed from the extras + reqts = self._data.get('%s_requires' % key, []) + result.extend(self.get_requirements(reqts, extras=extras, + env=env)) + return result + + @property + def dictionary(self): + if self._legacy: + return self._from_legacy() + return self._data + + @property + def dependencies(self): + if self._legacy: + raise NotImplementedError + else: + return extract_by_key(self._data, self.DEPENDENCY_KEYS) + + @dependencies.setter + def dependencies(self, value): + if self._legacy: + raise NotImplementedError + else: + self._data.update(value) + + def _validate_mapping(self, mapping, scheme): + if mapping.get('metadata_version') != self.METADATA_VERSION: + raise MetadataUnrecognizedVersionError() + missing = [] + for key, exclusions in self.MANDATORY_KEYS.items(): + if key not in mapping: + if scheme not in exclusions: + missing.append(key) + if missing: + msg = 'Missing metadata items: %s' % ', '.join(missing) + raise MetadataMissingError(msg) + for k, v in mapping.items(): + self._validate_value(k, v, scheme) + + def validate(self): + if self._legacy: + missing, warnings = self._legacy.check(True) + if missing or warnings: + logger.warning('Metadata: missing: %s, warnings: %s', + missing, warnings) + else: + self._validate_mapping(self._data, self.scheme) + + def todict(self): + if self._legacy: + return self._legacy.todict(True) + else: + result = extract_by_key(self._data, self.INDEX_KEYS) + return result + + def _from_legacy(self): + assert self._legacy and not self._data + result = { + 'metadata_version': self.METADATA_VERSION, + 'generator': self.GENERATOR, + } + lmd = self._legacy.todict(True) # skip missing ones + for k in ('name', 'version', 'license', 'summary', 'description', + 'classifier'): + if k in lmd: + if k == 'classifier': + nk = 'classifiers' + else: + nk = k + result[nk] = lmd[k] + kw = lmd.get('Keywords', []) + if kw == ['']: + kw = [] + result['keywords'] = kw + keys = (('requires_dist', 'run_requires'), + ('setup_requires_dist', 'build_requires')) + for ok, nk in keys: + if ok in lmd and lmd[ok]: + result[nk] = [{'requires': lmd[ok]}] + result['provides'] = self.provides + author = {} + maintainer = {} + return result + + LEGACY_MAPPING = { + 'name': 'Name', + 'version': 'Version', + 'license': 'License', + 'summary': 'Summary', + 'description': 'Description', + 'classifiers': 'Classifier', + } + + def _to_legacy(self): + def process_entries(entries): + reqts = set() + for e in entries: + extra = e.get('extra') + env = e.get('environment') + rlist = e['requires'] + for r in rlist: + if not env and not extra: + reqts.add(r) + else: + marker = '' + if extra: + marker = 'extra == "%s"' % extra + if env: + if marker: + marker = '(%s) and %s' % (env, marker) + else: + marker = env + reqts.add(';'.join((r, marker))) + return reqts + + assert self._data and not self._legacy + result = LegacyMetadata() + nmd = self._data + for nk, ok in self.LEGACY_MAPPING.items(): + if nk in nmd: + result[ok] = nmd[nk] + r1 = process_entries(self.run_requires + self.meta_requires) + r2 = process_entries(self.build_requires + self.dev_requires) + if self.extras: + result['Provides-Extra'] = sorted(self.extras) + result['Requires-Dist'] = sorted(r1) + result['Setup-Requires-Dist'] = sorted(r2) + # TODO: other fields such as contacts + return result + + def write(self, path=None, fileobj=None, legacy=False, skip_unknown=True): + if [path, fileobj].count(None) != 1: + raise ValueError('Exactly one of path and fileobj is needed') + self.validate() + if legacy: + if self._legacy: + legacy_md = self._legacy + else: + legacy_md = self._to_legacy() + if path: + legacy_md.write(path, skip_unknown=skip_unknown) + else: + legacy_md.write_file(fileobj, skip_unknown=skip_unknown) + else: + if self._legacy: + d = self._from_legacy() + else: + d = self._data + if fileobj: + json.dump(d, fileobj, ensure_ascii=True, indent=2, + sort_keys=True) + else: + with codecs.open(path, 'w', 'utf-8') as f: + json.dump(d, f, ensure_ascii=True, indent=2, + sort_keys=True) + + def add_requirements(self, requirements): + if self._legacy: + self._legacy.add_requirements(requirements) + else: + run_requires = self._data.setdefault('run_requires', []) + always = None + for entry in run_requires: + if 'environment' not in entry and 'extra' not in entry: + always = entry + break + if always is None: + always = { 'requires': requirements } + run_requires.insert(0, always) + else: + rset = set(always['requires']) | set(requirements) + always['requires'] = sorted(rset) + + def __repr__(self): + name = self.name or '(no name)' + version = self.version or 'no version' + return '<%s %s %s (%s)>' % (self.__class__.__name__, + self.metadata_version, name, version) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/resources.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/resources.py new file mode 100644 index 0000000..1884016 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/resources.py @@ -0,0 +1,355 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2013-2017 Vinay Sajip. +# Licensed to the Python Software Foundation under a contributor agreement. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +from __future__ import unicode_literals + +import bisect +import io +import logging +import os +import pkgutil +import shutil +import sys +import types +import zipimport + +from . import DistlibException +from .util import cached_property, get_cache_base, path_to_cache_dir, Cache + +logger = logging.getLogger(__name__) + + +cache = None # created when needed + + +class ResourceCache(Cache): + def __init__(self, base=None): + if base is None: + # Use native string to avoid issues on 2.x: see Python #20140. + base = os.path.join(get_cache_base(), str('resource-cache')) + super(ResourceCache, self).__init__(base) + + def is_stale(self, resource, path): + """ + Is the cache stale for the given resource? + + :param resource: The :class:`Resource` being cached. + :param path: The path of the resource in the cache. + :return: True if the cache is stale. + """ + # Cache invalidation is a hard problem :-) + return True + + def get(self, resource): + """ + Get a resource into the cache, + + :param resource: A :class:`Resource` instance. + :return: The pathname of the resource in the cache. + """ + prefix, path = resource.finder.get_cache_info(resource) + if prefix is None: + result = path + else: + result = os.path.join(self.base, self.prefix_to_dir(prefix), path) + dirname = os.path.dirname(result) + if not os.path.isdir(dirname): + os.makedirs(dirname) + if not os.path.exists(result): + stale = True + else: + stale = self.is_stale(resource, path) + if stale: + # write the bytes of the resource to the cache location + with open(result, 'wb') as f: + f.write(resource.bytes) + return result + + +class ResourceBase(object): + def __init__(self, finder, name): + self.finder = finder + self.name = name + + +class Resource(ResourceBase): + """ + A class representing an in-package resource, such as a data file. This is + not normally instantiated by user code, but rather by a + :class:`ResourceFinder` which manages the resource. + """ + is_container = False # Backwards compatibility + + def as_stream(self): + """ + Get the resource as a stream. + + This is not a property to make it obvious that it returns a new stream + each time. + """ + return self.finder.get_stream(self) + + @cached_property + def file_path(self): + global cache + if cache is None: + cache = ResourceCache() + return cache.get(self) + + @cached_property + def bytes(self): + return self.finder.get_bytes(self) + + @cached_property + def size(self): + return self.finder.get_size(self) + + +class ResourceContainer(ResourceBase): + is_container = True # Backwards compatibility + + @cached_property + def resources(self): + return self.finder.get_resources(self) + + +class ResourceFinder(object): + """ + Resource finder for file system resources. + """ + + if sys.platform.startswith('java'): + skipped_extensions = ('.pyc', '.pyo', '.class') + else: + skipped_extensions = ('.pyc', '.pyo') + + def __init__(self, module): + self.module = module + self.loader = getattr(module, '__loader__', None) + self.base = os.path.dirname(getattr(module, '__file__', '')) + + def _adjust_path(self, path): + return os.path.realpath(path) + + def _make_path(self, resource_name): + # Issue #50: need to preserve type of path on Python 2.x + # like os.path._get_sep + if isinstance(resource_name, bytes): # should only happen on 2.x + sep = b'/' + else: + sep = '/' + parts = resource_name.split(sep) + parts.insert(0, self.base) + result = os.path.join(*parts) + return self._adjust_path(result) + + def _find(self, path): + return os.path.exists(path) + + def get_cache_info(self, resource): + return None, resource.path + + def find(self, resource_name): + path = self._make_path(resource_name) + if not self._find(path): + result = None + else: + if self._is_directory(path): + result = ResourceContainer(self, resource_name) + else: + result = Resource(self, resource_name) + result.path = path + return result + + def get_stream(self, resource): + return open(resource.path, 'rb') + + def get_bytes(self, resource): + with open(resource.path, 'rb') as f: + return f.read() + + def get_size(self, resource): + return os.path.getsize(resource.path) + + def get_resources(self, resource): + def allowed(f): + return (f != '__pycache__' and not + f.endswith(self.skipped_extensions)) + return set([f for f in os.listdir(resource.path) if allowed(f)]) + + def is_container(self, resource): + return self._is_directory(resource.path) + + _is_directory = staticmethod(os.path.isdir) + + def iterator(self, resource_name): + resource = self.find(resource_name) + if resource is not None: + todo = [resource] + while todo: + resource = todo.pop(0) + yield resource + if resource.is_container: + rname = resource.name + for name in resource.resources: + if not rname: + new_name = name + else: + new_name = '/'.join([rname, name]) + child = self.find(new_name) + if child.is_container: + todo.append(child) + else: + yield child + + +class ZipResourceFinder(ResourceFinder): + """ + Resource finder for resources in .zip files. + """ + def __init__(self, module): + super(ZipResourceFinder, self).__init__(module) + archive = self.loader.archive + self.prefix_len = 1 + len(archive) + # PyPy doesn't have a _files attr on zipimporter, and you can't set one + if hasattr(self.loader, '_files'): + self._files = self.loader._files + else: + self._files = zipimport._zip_directory_cache[archive] + self.index = sorted(self._files) + + def _adjust_path(self, path): + return path + + def _find(self, path): + path = path[self.prefix_len:] + if path in self._files: + result = True + else: + if path and path[-1] != os.sep: + path = path + os.sep + i = bisect.bisect(self.index, path) + try: + result = self.index[i].startswith(path) + except IndexError: + result = False + if not result: + logger.debug('_find failed: %r %r', path, self.loader.prefix) + else: + logger.debug('_find worked: %r %r', path, self.loader.prefix) + return result + + def get_cache_info(self, resource): + prefix = self.loader.archive + path = resource.path[1 + len(prefix):] + return prefix, path + + def get_bytes(self, resource): + return self.loader.get_data(resource.path) + + def get_stream(self, resource): + return io.BytesIO(self.get_bytes(resource)) + + def get_size(self, resource): + path = resource.path[self.prefix_len:] + return self._files[path][3] + + def get_resources(self, resource): + path = resource.path[self.prefix_len:] + if path and path[-1] != os.sep: + path += os.sep + plen = len(path) + result = set() + i = bisect.bisect(self.index, path) + while i < len(self.index): + if not self.index[i].startswith(path): + break + s = self.index[i][plen:] + result.add(s.split(os.sep, 1)[0]) # only immediate children + i += 1 + return result + + def _is_directory(self, path): + path = path[self.prefix_len:] + if path and path[-1] != os.sep: + path += os.sep + i = bisect.bisect(self.index, path) + try: + result = self.index[i].startswith(path) + except IndexError: + result = False + return result + +_finder_registry = { + type(None): ResourceFinder, + zipimport.zipimporter: ZipResourceFinder +} + +try: + # In Python 3.6, _frozen_importlib -> _frozen_importlib_external + try: + import _frozen_importlib_external as _fi + except ImportError: + import _frozen_importlib as _fi + _finder_registry[_fi.SourceFileLoader] = ResourceFinder + _finder_registry[_fi.FileFinder] = ResourceFinder + del _fi +except (ImportError, AttributeError): + pass + + +def register_finder(loader, finder_maker): + _finder_registry[type(loader)] = finder_maker + +_finder_cache = {} + + +def finder(package): + """ + Return a resource finder for a package. + :param package: The name of the package. + :return: A :class:`ResourceFinder` instance for the package. + """ + if package in _finder_cache: + result = _finder_cache[package] + else: + if package not in sys.modules: + __import__(package) + module = sys.modules[package] + path = getattr(module, '__path__', None) + if path is None: + raise DistlibException('You cannot get a finder for a module, ' + 'only for a package') + loader = getattr(module, '__loader__', None) + finder_maker = _finder_registry.get(type(loader)) + if finder_maker is None: + raise DistlibException('Unable to locate finder for %r' % package) + result = finder_maker(module) + _finder_cache[package] = result + return result + + +_dummy_module = types.ModuleType(str('__dummy__')) + + +def finder_for_path(path): + """ + Return a resource finder for a path, which should represent a container. + + :param path: The path. + :return: A :class:`ResourceFinder` instance for the path. + """ + result = None + # calls any path hooks, gets importer into cache + pkgutil.get_importer(path) + loader = sys.path_importer_cache.get(path) + finder = _finder_registry.get(type(loader)) + if finder: + module = _dummy_module + module.__file__ = os.path.join(path, '') + module.__loader__ = loader + result = finder(module) + return result diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/scripts.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/scripts.py new file mode 100644 index 0000000..8e22cb9 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/scripts.py @@ -0,0 +1,417 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2013-2015 Vinay Sajip. +# Licensed to the Python Software Foundation under a contributor agreement. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +from io import BytesIO +import logging +import os +import re +import struct +import sys + +from .compat import sysconfig, detect_encoding, ZipFile +from .resources import finder +from .util import (FileOperator, get_export_entry, convert_path, + get_executable, in_venv) + +logger = logging.getLogger(__name__) + +_DEFAULT_MANIFEST = ''' +<?xml version="1.0" encoding="UTF-8" standalone="yes"?> +<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0"> + <assemblyIdentity version="1.0.0.0" + processorArchitecture="X86" + name="%s" + type="win32"/> + + <!-- Identify the application security requirements. --> + <trustInfo xmlns="urn:schemas-microsoft-com:asm.v3"> + <security> + <requestedPrivileges> + <requestedExecutionLevel level="asInvoker" uiAccess="false"/> + </requestedPrivileges> + </security> + </trustInfo> +</assembly>'''.strip() + +# check if Python is called on the first line with this expression +FIRST_LINE_RE = re.compile(b'^#!.*pythonw?[0-9.]*([ \t].*)?$') +SCRIPT_TEMPLATE = r'''# -*- coding: utf-8 -*- +if __name__ == '__main__': + import sys, re + + def _resolve(module, func): + __import__(module) + mod = sys.modules[module] + parts = func.split('.') + result = getattr(mod, parts.pop(0)) + for p in parts: + result = getattr(result, p) + return result + + try: + sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) + + func = _resolve('%(module)s', '%(func)s') + rc = func() # None interpreted as 0 + except Exception as e: # only supporting Python >= 2.6 + sys.stderr.write('%%s\n' %% e) + rc = 1 + sys.exit(rc) +''' + + +def _enquote_executable(executable): + if ' ' in executable: + # make sure we quote only the executable in case of env + # for example /usr/bin/env "/dir with spaces/bin/jython" + # instead of "/usr/bin/env /dir with spaces/bin/jython" + # otherwise whole + if executable.startswith('/usr/bin/env '): + env, _executable = executable.split(' ', 1) + if ' ' in _executable and not _executable.startswith('"'): + executable = '%s "%s"' % (env, _executable) + else: + if not executable.startswith('"'): + executable = '"%s"' % executable + return executable + + +class ScriptMaker(object): + """ + A class to copy or create scripts from source scripts or callable + specifications. + """ + script_template = SCRIPT_TEMPLATE + + executable = None # for shebangs + + def __init__(self, source_dir, target_dir, add_launchers=True, + dry_run=False, fileop=None): + self.source_dir = source_dir + self.target_dir = target_dir + self.add_launchers = add_launchers + self.force = False + self.clobber = False + # It only makes sense to set mode bits on POSIX. + self.set_mode = (os.name == 'posix') or (os.name == 'java' and + os._name == 'posix') + self.variants = set(('', 'X.Y')) + self._fileop = fileop or FileOperator(dry_run) + + self._is_nt = os.name == 'nt' or ( + os.name == 'java' and os._name == 'nt') + + def _get_alternate_executable(self, executable, options): + if options.get('gui', False) and self._is_nt: # pragma: no cover + dn, fn = os.path.split(executable) + fn = fn.replace('python', 'pythonw') + executable = os.path.join(dn, fn) + return executable + + if sys.platform.startswith('java'): # pragma: no cover + def _is_shell(self, executable): + """ + Determine if the specified executable is a script + (contains a #! line) + """ + try: + with open(executable) as fp: + return fp.read(2) == '#!' + except (OSError, IOError): + logger.warning('Failed to open %s', executable) + return False + + def _fix_jython_executable(self, executable): + if self._is_shell(executable): + # Workaround for Jython is not needed on Linux systems. + import java + + if java.lang.System.getProperty('os.name') == 'Linux': + return executable + elif executable.lower().endswith('jython.exe'): + # Use wrapper exe for Jython on Windows + return executable + return '/usr/bin/env %s' % executable + + def _build_shebang(self, executable, post_interp): + """ + Build a shebang line. In the simple case (on Windows, or a shebang line + which is not too long or contains spaces) use a simple formulation for + the shebang. Otherwise, use /bin/sh as the executable, with a contrived + shebang which allows the script to run either under Python or sh, using + suitable quoting. Thanks to Harald Nordgren for his input. + + See also: http://www.in-ulm.de/~mascheck/various/shebang/#length + https://hg.mozilla.org/mozilla-central/file/tip/mach + """ + if os.name != 'posix': + simple_shebang = True + else: + # Add 3 for '#!' prefix and newline suffix. + shebang_length = len(executable) + len(post_interp) + 3 + if sys.platform == 'darwin': + max_shebang_length = 512 + else: + max_shebang_length = 127 + simple_shebang = ((b' ' not in executable) and + (shebang_length <= max_shebang_length)) + + if simple_shebang: + result = b'#!' + executable + post_interp + b'\n' + else: + result = b'#!/bin/sh\n' + result += b"'''exec' " + executable + post_interp + b' "$0" "$@"\n' + result += b"' '''" + return result + + def _get_shebang(self, encoding, post_interp=b'', options=None): + enquote = True + if self.executable: + executable = self.executable + enquote = False # assume this will be taken care of + elif not sysconfig.is_python_build(): + executable = get_executable() + elif in_venv(): # pragma: no cover + executable = os.path.join(sysconfig.get_path('scripts'), + 'python%s' % sysconfig.get_config_var('EXE')) + else: # pragma: no cover + executable = os.path.join( + sysconfig.get_config_var('BINDIR'), + 'python%s%s' % (sysconfig.get_config_var('VERSION'), + sysconfig.get_config_var('EXE'))) + if options: + executable = self._get_alternate_executable(executable, options) + + if sys.platform.startswith('java'): # pragma: no cover + executable = self._fix_jython_executable(executable) + # Normalise case for Windows + executable = os.path.normcase(executable) + # If the user didn't specify an executable, it may be necessary to + # cater for executable paths with spaces (not uncommon on Windows) + if enquote: + executable = _enquote_executable(executable) + # Issue #51: don't use fsencode, since we later try to + # check that the shebang is decodable using utf-8. + executable = executable.encode('utf-8') + # in case of IronPython, play safe and enable frames support + if (sys.platform == 'cli' and '-X:Frames' not in post_interp + and '-X:FullFrames' not in post_interp): # pragma: no cover + post_interp += b' -X:Frames' + shebang = self._build_shebang(executable, post_interp) + # Python parser starts to read a script using UTF-8 until + # it gets a #coding:xxx cookie. The shebang has to be the + # first line of a file, the #coding:xxx cookie cannot be + # written before. So the shebang has to be decodable from + # UTF-8. + try: + shebang.decode('utf-8') + except UnicodeDecodeError: # pragma: no cover + raise ValueError( + 'The shebang (%r) is not decodable from utf-8' % shebang) + # If the script is encoded to a custom encoding (use a + # #coding:xxx cookie), the shebang has to be decodable from + # the script encoding too. + if encoding != 'utf-8': + try: + shebang.decode(encoding) + except UnicodeDecodeError: # pragma: no cover + raise ValueError( + 'The shebang (%r) is not decodable ' + 'from the script encoding (%r)' % (shebang, encoding)) + return shebang + + def _get_script_text(self, entry): + return self.script_template % dict(module=entry.prefix, + func=entry.suffix) + + manifest = _DEFAULT_MANIFEST + + def get_manifest(self, exename): + base = os.path.basename(exename) + return self.manifest % base + + def _write_script(self, names, shebang, script_bytes, filenames, ext): + use_launcher = self.add_launchers and self._is_nt + linesep = os.linesep.encode('utf-8') + if not shebang.endswith(linesep): + shebang += linesep + if not use_launcher: + script_bytes = shebang + script_bytes + else: # pragma: no cover + if ext == 'py': + launcher = self._get_launcher('t') + else: + launcher = self._get_launcher('w') + stream = BytesIO() + with ZipFile(stream, 'w') as zf: + zf.writestr('__main__.py', script_bytes) + zip_data = stream.getvalue() + script_bytes = launcher + shebang + zip_data + for name in names: + outname = os.path.join(self.target_dir, name) + if use_launcher: # pragma: no cover + n, e = os.path.splitext(outname) + if e.startswith('.py'): + outname = n + outname = '%s.exe' % outname + try: + self._fileop.write_binary_file(outname, script_bytes) + except Exception: + # Failed writing an executable - it might be in use. + logger.warning('Failed to write executable - trying to ' + 'use .deleteme logic') + dfname = '%s.deleteme' % outname + if os.path.exists(dfname): + os.remove(dfname) # Not allowed to fail here + os.rename(outname, dfname) # nor here + self._fileop.write_binary_file(outname, script_bytes) + logger.debug('Able to replace executable using ' + '.deleteme logic') + try: + os.remove(dfname) + except Exception: + pass # still in use - ignore error + else: + if self._is_nt and not outname.endswith('.' + ext): # pragma: no cover + outname = '%s.%s' % (outname, ext) + if os.path.exists(outname) and not self.clobber: + logger.warning('Skipping existing file %s', outname) + continue + self._fileop.write_binary_file(outname, script_bytes) + if self.set_mode: + self._fileop.set_executable_mode([outname]) + filenames.append(outname) + + def _make_script(self, entry, filenames, options=None): + post_interp = b'' + if options: + args = options.get('interpreter_args', []) + if args: + args = ' %s' % ' '.join(args) + post_interp = args.encode('utf-8') + shebang = self._get_shebang('utf-8', post_interp, options=options) + script = self._get_script_text(entry).encode('utf-8') + name = entry.name + scriptnames = set() + if '' in self.variants: + scriptnames.add(name) + if 'X' in self.variants: + scriptnames.add('%s%s' % (name, sys.version[0])) + if 'X.Y' in self.variants: + scriptnames.add('%s-%s' % (name, sys.version[:3])) + if options and options.get('gui', False): + ext = 'pyw' + else: + ext = 'py' + self._write_script(scriptnames, shebang, script, filenames, ext) + + def _copy_script(self, script, filenames): + adjust = False + script = os.path.join(self.source_dir, convert_path(script)) + outname = os.path.join(self.target_dir, os.path.basename(script)) + if not self.force and not self._fileop.newer(script, outname): + logger.debug('not copying %s (up-to-date)', script) + return + + # Always open the file, but ignore failures in dry-run mode -- + # that way, we'll get accurate feedback if we can read the + # script. + try: + f = open(script, 'rb') + except IOError: # pragma: no cover + if not self.dry_run: + raise + f = None + else: + first_line = f.readline() + if not first_line: # pragma: no cover + logger.warning('%s: %s is an empty file (skipping)', + self.get_command_name(), script) + return + + match = FIRST_LINE_RE.match(first_line.replace(b'\r\n', b'\n')) + if match: + adjust = True + post_interp = match.group(1) or b'' + + if not adjust: + if f: + f.close() + self._fileop.copy_file(script, outname) + if self.set_mode: + self._fileop.set_executable_mode([outname]) + filenames.append(outname) + else: + logger.info('copying and adjusting %s -> %s', script, + self.target_dir) + if not self._fileop.dry_run: + encoding, lines = detect_encoding(f.readline) + f.seek(0) + shebang = self._get_shebang(encoding, post_interp) + if b'pythonw' in first_line: # pragma: no cover + ext = 'pyw' + else: + ext = 'py' + n = os.path.basename(outname) + self._write_script([n], shebang, f.read(), filenames, ext) + if f: + f.close() + + @property + def dry_run(self): + return self._fileop.dry_run + + @dry_run.setter + def dry_run(self, value): + self._fileop.dry_run = value + + if os.name == 'nt' or (os.name == 'java' and os._name == 'nt'): # pragma: no cover + # Executable launcher support. + # Launchers are from https://bitbucket.org/vinay.sajip/simple_launcher/ + + def _get_launcher(self, kind): + if struct.calcsize('P') == 8: # 64-bit + bits = '64' + else: + bits = '32' + name = '%s%s.exe' % (kind, bits) + # Issue 31: don't hardcode an absolute package name, but + # determine it relative to the current package + distlib_package = __name__.rsplit('.', 1)[0] + result = finder(distlib_package).find(name).bytes + return result + + # Public API follows + + def make(self, specification, options=None): + """ + Make a script. + + :param specification: The specification, which is either a valid export + entry specification (to make a script from a + callable) or a filename (to make a script by + copying from a source location). + :param options: A dictionary of options controlling script generation. + :return: A list of all absolute pathnames written to. + """ + filenames = [] + entry = get_export_entry(specification) + if entry is None: + self._copy_script(specification, filenames) + else: + self._make_script(entry, filenames, options=options) + return filenames + + def make_multiple(self, specifications, options=None): + """ + Take a list of specifications and make scripts from them, + :param specifications: A list of specifications. + :return: A list of all absolute pathnames written to, + """ + filenames = [] + for specification in specifications: + filenames.extend(self.make(specification, options)) + return filenames diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/util.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/util.py new file mode 100644 index 0000000..9d4bfd3 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/util.py @@ -0,0 +1,1756 @@ +# +# Copyright (C) 2012-2017 The Python Software Foundation. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +import codecs +from collections import deque +import contextlib +import csv +from glob import iglob as std_iglob +import io +import json +import logging +import os +import py_compile +import re +import socket +try: + import ssl +except ImportError: # pragma: no cover + ssl = None +import subprocess +import sys +import tarfile +import tempfile +import textwrap + +try: + import threading +except ImportError: # pragma: no cover + import dummy_threading as threading +import time + +from . import DistlibException +from .compat import (string_types, text_type, shutil, raw_input, StringIO, + cache_from_source, urlopen, urljoin, httplib, xmlrpclib, + splittype, HTTPHandler, BaseConfigurator, valid_ident, + Container, configparser, URLError, ZipFile, fsdecode, + unquote, urlparse) + +logger = logging.getLogger(__name__) + +# +# Requirement parsing code as per PEP 508 +# + +IDENTIFIER = re.compile(r'^([\w\.-]+)\s*') +VERSION_IDENTIFIER = re.compile(r'^([\w\.*+-]+)\s*') +COMPARE_OP = re.compile(r'^(<=?|>=?|={2,3}|[~!]=)\s*') +MARKER_OP = re.compile(r'^((<=?)|(>=?)|={2,3}|[~!]=|in|not\s+in)\s*') +OR = re.compile(r'^or\b\s*') +AND = re.compile(r'^and\b\s*') +NON_SPACE = re.compile(r'(\S+)\s*') +STRING_CHUNK = re.compile(r'([\s\w\.{}()*+#:;,/?!~`@$%^&=|<>\[\]-]+)') + + +def parse_marker(marker_string): + """ + Parse a marker string and return a dictionary containing a marker expression. + + The dictionary will contain keys "op", "lhs" and "rhs" for non-terminals in + the expression grammar, or strings. A string contained in quotes is to be + interpreted as a literal string, and a string not contained in quotes is a + variable (such as os_name). + """ + def marker_var(remaining): + # either identifier, or literal string + m = IDENTIFIER.match(remaining) + if m: + result = m.groups()[0] + remaining = remaining[m.end():] + elif not remaining: + raise SyntaxError('unexpected end of input') + else: + q = remaining[0] + if q not in '\'"': + raise SyntaxError('invalid expression: %s' % remaining) + oq = '\'"'.replace(q, '') + remaining = remaining[1:] + parts = [q] + while remaining: + # either a string chunk, or oq, or q to terminate + if remaining[0] == q: + break + elif remaining[0] == oq: + parts.append(oq) + remaining = remaining[1:] + else: + m = STRING_CHUNK.match(remaining) + if not m: + raise SyntaxError('error in string literal: %s' % remaining) + parts.append(m.groups()[0]) + remaining = remaining[m.end():] + else: + s = ''.join(parts) + raise SyntaxError('unterminated string: %s' % s) + parts.append(q) + result = ''.join(parts) + remaining = remaining[1:].lstrip() # skip past closing quote + return result, remaining + + def marker_expr(remaining): + if remaining and remaining[0] == '(': + result, remaining = marker(remaining[1:].lstrip()) + if remaining[0] != ')': + raise SyntaxError('unterminated parenthesis: %s' % remaining) + remaining = remaining[1:].lstrip() + else: + lhs, remaining = marker_var(remaining) + while remaining: + m = MARKER_OP.match(remaining) + if not m: + break + op = m.groups()[0] + remaining = remaining[m.end():] + rhs, remaining = marker_var(remaining) + lhs = {'op': op, 'lhs': lhs, 'rhs': rhs} + result = lhs + return result, remaining + + def marker_and(remaining): + lhs, remaining = marker_expr(remaining) + while remaining: + m = AND.match(remaining) + if not m: + break + remaining = remaining[m.end():] + rhs, remaining = marker_expr(remaining) + lhs = {'op': 'and', 'lhs': lhs, 'rhs': rhs} + return lhs, remaining + + def marker(remaining): + lhs, remaining = marker_and(remaining) + while remaining: + m = OR.match(remaining) + if not m: + break + remaining = remaining[m.end():] + rhs, remaining = marker_and(remaining) + lhs = {'op': 'or', 'lhs': lhs, 'rhs': rhs} + return lhs, remaining + + return marker(marker_string) + + +def parse_requirement(req): + """ + Parse a requirement passed in as a string. Return a Container + whose attributes contain the various parts of the requirement. + """ + remaining = req.strip() + if not remaining or remaining.startswith('#'): + return None + m = IDENTIFIER.match(remaining) + if not m: + raise SyntaxError('name expected: %s' % remaining) + distname = m.groups()[0] + remaining = remaining[m.end():] + extras = mark_expr = versions = uri = None + if remaining and remaining[0] == '[': + i = remaining.find(']', 1) + if i < 0: + raise SyntaxError('unterminated extra: %s' % remaining) + s = remaining[1:i] + remaining = remaining[i + 1:].lstrip() + extras = [] + while s: + m = IDENTIFIER.match(s) + if not m: + raise SyntaxError('malformed extra: %s' % s) + extras.append(m.groups()[0]) + s = s[m.end():] + if not s: + break + if s[0] != ',': + raise SyntaxError('comma expected in extras: %s' % s) + s = s[1:].lstrip() + if not extras: + extras = None + if remaining: + if remaining[0] == '@': + # it's a URI + remaining = remaining[1:].lstrip() + m = NON_SPACE.match(remaining) + if not m: + raise SyntaxError('invalid URI: %s' % remaining) + uri = m.groups()[0] + t = urlparse(uri) + # there are issues with Python and URL parsing, so this test + # is a bit crude. See bpo-20271, bpo-23505. Python doesn't + # always parse invalid URLs correctly - it should raise + # exceptions for malformed URLs + if not (t.scheme and t.netloc): + raise SyntaxError('Invalid URL: %s' % uri) + remaining = remaining[m.end():].lstrip() + else: + + def get_versions(ver_remaining): + """ + Return a list of operator, version tuples if any are + specified, else None. + """ + m = COMPARE_OP.match(ver_remaining) + versions = None + if m: + versions = [] + while True: + op = m.groups()[0] + ver_remaining = ver_remaining[m.end():] + m = VERSION_IDENTIFIER.match(ver_remaining) + if not m: + raise SyntaxError('invalid version: %s' % ver_remaining) + v = m.groups()[0] + versions.append((op, v)) + ver_remaining = ver_remaining[m.end():] + if not ver_remaining or ver_remaining[0] != ',': + break + ver_remaining = ver_remaining[1:].lstrip() + m = COMPARE_OP.match(ver_remaining) + if not m: + raise SyntaxError('invalid constraint: %s' % ver_remaining) + if not versions: + versions = None + return versions, ver_remaining + + if remaining[0] != '(': + versions, remaining = get_versions(remaining) + else: + i = remaining.find(')', 1) + if i < 0: + raise SyntaxError('unterminated parenthesis: %s' % remaining) + s = remaining[1:i] + remaining = remaining[i + 1:].lstrip() + # As a special diversion from PEP 508, allow a version number + # a.b.c in parentheses as a synonym for ~= a.b.c (because this + # is allowed in earlier PEPs) + if COMPARE_OP.match(s): + versions, _ = get_versions(s) + else: + m = VERSION_IDENTIFIER.match(s) + if not m: + raise SyntaxError('invalid constraint: %s' % s) + v = m.groups()[0] + s = s[m.end():].lstrip() + if s: + raise SyntaxError('invalid constraint: %s' % s) + versions = [('~=', v)] + + if remaining: + if remaining[0] != ';': + raise SyntaxError('invalid requirement: %s' % remaining) + remaining = remaining[1:].lstrip() + + mark_expr, remaining = parse_marker(remaining) + + if remaining and remaining[0] != '#': + raise SyntaxError('unexpected trailing data: %s' % remaining) + + if not versions: + rs = distname + else: + rs = '%s %s' % (distname, ', '.join(['%s %s' % con for con in versions])) + return Container(name=distname, extras=extras, constraints=versions, + marker=mark_expr, url=uri, requirement=rs) + + +def get_resources_dests(resources_root, rules): + """Find destinations for resources files""" + + def get_rel_path(root, path): + # normalizes and returns a lstripped-/-separated path + root = root.replace(os.path.sep, '/') + path = path.replace(os.path.sep, '/') + assert path.startswith(root) + return path[len(root):].lstrip('/') + + destinations = {} + for base, suffix, dest in rules: + prefix = os.path.join(resources_root, base) + for abs_base in iglob(prefix): + abs_glob = os.path.join(abs_base, suffix) + for abs_path in iglob(abs_glob): + resource_file = get_rel_path(resources_root, abs_path) + if dest is None: # remove the entry if it was here + destinations.pop(resource_file, None) + else: + rel_path = get_rel_path(abs_base, abs_path) + rel_dest = dest.replace(os.path.sep, '/').rstrip('/') + destinations[resource_file] = rel_dest + '/' + rel_path + return destinations + + +def in_venv(): + if hasattr(sys, 'real_prefix'): + # virtualenv venvs + result = True + else: + # PEP 405 venvs + result = sys.prefix != getattr(sys, 'base_prefix', sys.prefix) + return result + + +def get_executable(): +# The __PYVENV_LAUNCHER__ dance is apparently no longer needed, as +# changes to the stub launcher mean that sys.executable always points +# to the stub on OS X +# if sys.platform == 'darwin' and ('__PYVENV_LAUNCHER__' +# in os.environ): +# result = os.environ['__PYVENV_LAUNCHER__'] +# else: +# result = sys.executable +# return result + result = os.path.normcase(sys.executable) + if not isinstance(result, text_type): + result = fsdecode(result) + return result + + +def proceed(prompt, allowed_chars, error_prompt=None, default=None): + p = prompt + while True: + s = raw_input(p) + p = prompt + if not s and default: + s = default + if s: + c = s[0].lower() + if c in allowed_chars: + break + if error_prompt: + p = '%c: %s\n%s' % (c, error_prompt, prompt) + return c + + +def extract_by_key(d, keys): + if isinstance(keys, string_types): + keys = keys.split() + result = {} + for key in keys: + if key in d: + result[key] = d[key] + return result + +def read_exports(stream): + if sys.version_info[0] >= 3: + # needs to be a text stream + stream = codecs.getreader('utf-8')(stream) + # Try to load as JSON, falling back on legacy format + data = stream.read() + stream = StringIO(data) + try: + jdata = json.load(stream) + result = jdata['extensions']['python.exports']['exports'] + for group, entries in result.items(): + for k, v in entries.items(): + s = '%s = %s' % (k, v) + entry = get_export_entry(s) + assert entry is not None + entries[k] = entry + return result + except Exception: + stream.seek(0, 0) + + def read_stream(cp, stream): + if hasattr(cp, 'read_file'): + cp.read_file(stream) + else: + cp.readfp(stream) + + cp = configparser.ConfigParser() + try: + read_stream(cp, stream) + except configparser.MissingSectionHeaderError: + stream.close() + data = textwrap.dedent(data) + stream = StringIO(data) + read_stream(cp, stream) + + result = {} + for key in cp.sections(): + result[key] = entries = {} + for name, value in cp.items(key): + s = '%s = %s' % (name, value) + entry = get_export_entry(s) + assert entry is not None + #entry.dist = self + entries[name] = entry + return result + + +def write_exports(exports, stream): + if sys.version_info[0] >= 3: + # needs to be a text stream + stream = codecs.getwriter('utf-8')(stream) + cp = configparser.ConfigParser() + for k, v in exports.items(): + # TODO check k, v for valid values + cp.add_section(k) + for entry in v.values(): + if entry.suffix is None: + s = entry.prefix + else: + s = '%s:%s' % (entry.prefix, entry.suffix) + if entry.flags: + s = '%s [%s]' % (s, ', '.join(entry.flags)) + cp.set(k, entry.name, s) + cp.write(stream) + + +@contextlib.contextmanager +def tempdir(): + td = tempfile.mkdtemp() + try: + yield td + finally: + shutil.rmtree(td) + +@contextlib.contextmanager +def chdir(d): + cwd = os.getcwd() + try: + os.chdir(d) + yield + finally: + os.chdir(cwd) + + +@contextlib.contextmanager +def socket_timeout(seconds=15): + cto = socket.getdefaulttimeout() + try: + socket.setdefaulttimeout(seconds) + yield + finally: + socket.setdefaulttimeout(cto) + + +class cached_property(object): + def __init__(self, func): + self.func = func + #for attr in ('__name__', '__module__', '__doc__'): + # setattr(self, attr, getattr(func, attr, None)) + + def __get__(self, obj, cls=None): + if obj is None: + return self + value = self.func(obj) + object.__setattr__(obj, self.func.__name__, value) + #obj.__dict__[self.func.__name__] = value = self.func(obj) + return value + +def convert_path(pathname): + """Return 'pathname' as a name that will work on the native filesystem. + + The path is split on '/' and put back together again using the current + directory separator. Needed because filenames in the setup script are + always supplied in Unix style, and have to be converted to the local + convention before we can actually use them in the filesystem. Raises + ValueError on non-Unix-ish systems if 'pathname' either starts or + ends with a slash. + """ + if os.sep == '/': + return pathname + if not pathname: + return pathname + if pathname[0] == '/': + raise ValueError("path '%s' cannot be absolute" % pathname) + if pathname[-1] == '/': + raise ValueError("path '%s' cannot end with '/'" % pathname) + + paths = pathname.split('/') + while os.curdir in paths: + paths.remove(os.curdir) + if not paths: + return os.curdir + return os.path.join(*paths) + + +class FileOperator(object): + def __init__(self, dry_run=False): + self.dry_run = dry_run + self.ensured = set() + self._init_record() + + def _init_record(self): + self.record = False + self.files_written = set() + self.dirs_created = set() + + def record_as_written(self, path): + if self.record: + self.files_written.add(path) + + def newer(self, source, target): + """Tell if the target is newer than the source. + + Returns true if 'source' exists and is more recently modified than + 'target', or if 'source' exists and 'target' doesn't. + + Returns false if both exist and 'target' is the same age or younger + than 'source'. Raise PackagingFileError if 'source' does not exist. + + Note that this test is not very accurate: files created in the same + second will have the same "age". + """ + if not os.path.exists(source): + raise DistlibException("file '%r' does not exist" % + os.path.abspath(source)) + if not os.path.exists(target): + return True + + return os.stat(source).st_mtime > os.stat(target).st_mtime + + def copy_file(self, infile, outfile, check=True): + """Copy a file respecting dry-run and force flags. + """ + self.ensure_dir(os.path.dirname(outfile)) + logger.info('Copying %s to %s', infile, outfile) + if not self.dry_run: + msg = None + if check: + if os.path.islink(outfile): + msg = '%s is a symlink' % outfile + elif os.path.exists(outfile) and not os.path.isfile(outfile): + msg = '%s is a non-regular file' % outfile + if msg: + raise ValueError(msg + ' which would be overwritten') + shutil.copyfile(infile, outfile) + self.record_as_written(outfile) + + def copy_stream(self, instream, outfile, encoding=None): + assert not os.path.isdir(outfile) + self.ensure_dir(os.path.dirname(outfile)) + logger.info('Copying stream %s to %s', instream, outfile) + if not self.dry_run: + if encoding is None: + outstream = open(outfile, 'wb') + else: + outstream = codecs.open(outfile, 'w', encoding=encoding) + try: + shutil.copyfileobj(instream, outstream) + finally: + outstream.close() + self.record_as_written(outfile) + + def write_binary_file(self, path, data): + self.ensure_dir(os.path.dirname(path)) + if not self.dry_run: + if os.path.exists(path): + os.remove(path) + with open(path, 'wb') as f: + f.write(data) + self.record_as_written(path) + + def write_text_file(self, path, data, encoding): + self.write_binary_file(path, data.encode(encoding)) + + def set_mode(self, bits, mask, files): + if os.name == 'posix' or (os.name == 'java' and os._name == 'posix'): + # Set the executable bits (owner, group, and world) on + # all the files specified. + for f in files: + if self.dry_run: + logger.info("changing mode of %s", f) + else: + mode = (os.stat(f).st_mode | bits) & mask + logger.info("changing mode of %s to %o", f, mode) + os.chmod(f, mode) + + set_executable_mode = lambda s, f: s.set_mode(0o555, 0o7777, f) + + def ensure_dir(self, path): + path = os.path.abspath(path) + if path not in self.ensured and not os.path.exists(path): + self.ensured.add(path) + d, f = os.path.split(path) + self.ensure_dir(d) + logger.info('Creating %s' % path) + if not self.dry_run: + os.mkdir(path) + if self.record: + self.dirs_created.add(path) + + def byte_compile(self, path, optimize=False, force=False, prefix=None, hashed_invalidation=False): + dpath = cache_from_source(path, not optimize) + logger.info('Byte-compiling %s to %s', path, dpath) + if not self.dry_run: + if force or self.newer(path, dpath): + if not prefix: + diagpath = None + else: + assert path.startswith(prefix) + diagpath = path[len(prefix):] + compile_kwargs = {} + if hashed_invalidation and hasattr(py_compile, 'PycInvalidationMode'): + compile_kwargs['invalidation_mode'] = py_compile.PycInvalidationMode.CHECKED_HASH + py_compile.compile(path, dpath, diagpath, True, **compile_kwargs) # raise error + self.record_as_written(dpath) + return dpath + + def ensure_removed(self, path): + if os.path.exists(path): + if os.path.isdir(path) and not os.path.islink(path): + logger.debug('Removing directory tree at %s', path) + if not self.dry_run: + shutil.rmtree(path) + if self.record: + if path in self.dirs_created: + self.dirs_created.remove(path) + else: + if os.path.islink(path): + s = 'link' + else: + s = 'file' + logger.debug('Removing %s %s', s, path) + if not self.dry_run: + os.remove(path) + if self.record: + if path in self.files_written: + self.files_written.remove(path) + + def is_writable(self, path): + result = False + while not result: + if os.path.exists(path): + result = os.access(path, os.W_OK) + break + parent = os.path.dirname(path) + if parent == path: + break + path = parent + return result + + def commit(self): + """ + Commit recorded changes, turn off recording, return + changes. + """ + assert self.record + result = self.files_written, self.dirs_created + self._init_record() + return result + + def rollback(self): + if not self.dry_run: + for f in list(self.files_written): + if os.path.exists(f): + os.remove(f) + # dirs should all be empty now, except perhaps for + # __pycache__ subdirs + # reverse so that subdirs appear before their parents + dirs = sorted(self.dirs_created, reverse=True) + for d in dirs: + flist = os.listdir(d) + if flist: + assert flist == ['__pycache__'] + sd = os.path.join(d, flist[0]) + os.rmdir(sd) + os.rmdir(d) # should fail if non-empty + self._init_record() + +def resolve(module_name, dotted_path): + if module_name in sys.modules: + mod = sys.modules[module_name] + else: + mod = __import__(module_name) + if dotted_path is None: + result = mod + else: + parts = dotted_path.split('.') + result = getattr(mod, parts.pop(0)) + for p in parts: + result = getattr(result, p) + return result + + +class ExportEntry(object): + def __init__(self, name, prefix, suffix, flags): + self.name = name + self.prefix = prefix + self.suffix = suffix + self.flags = flags + + @cached_property + def value(self): + return resolve(self.prefix, self.suffix) + + def __repr__(self): # pragma: no cover + return '<ExportEntry %s = %s:%s %s>' % (self.name, self.prefix, + self.suffix, self.flags) + + def __eq__(self, other): + if not isinstance(other, ExportEntry): + result = False + else: + result = (self.name == other.name and + self.prefix == other.prefix and + self.suffix == other.suffix and + self.flags == other.flags) + return result + + __hash__ = object.__hash__ + + +ENTRY_RE = re.compile(r'''(?P<name>(\w|[-.+])+) + \s*=\s*(?P<callable>(\w+)([:\.]\w+)*) + \s*(\[\s*(?P<flags>\w+(=\w+)?(,\s*\w+(=\w+)?)*)\s*\])? + ''', re.VERBOSE) + +def get_export_entry(specification): + m = ENTRY_RE.search(specification) + if not m: + result = None + if '[' in specification or ']' in specification: + raise DistlibException("Invalid specification " + "'%s'" % specification) + else: + d = m.groupdict() + name = d['name'] + path = d['callable'] + colons = path.count(':') + if colons == 0: + prefix, suffix = path, None + else: + if colons != 1: + raise DistlibException("Invalid specification " + "'%s'" % specification) + prefix, suffix = path.split(':') + flags = d['flags'] + if flags is None: + if '[' in specification or ']' in specification: + raise DistlibException("Invalid specification " + "'%s'" % specification) + flags = [] + else: + flags = [f.strip() for f in flags.split(',')] + result = ExportEntry(name, prefix, suffix, flags) + return result + + +def get_cache_base(suffix=None): + """ + Return the default base location for distlib caches. If the directory does + not exist, it is created. Use the suffix provided for the base directory, + and default to '.distlib' if it isn't provided. + + On Windows, if LOCALAPPDATA is defined in the environment, then it is + assumed to be a directory, and will be the parent directory of the result. + On POSIX, and on Windows if LOCALAPPDATA is not defined, the user's home + directory - using os.expanduser('~') - will be the parent directory of + the result. + + The result is just the directory '.distlib' in the parent directory as + determined above, or with the name specified with ``suffix``. + """ + if suffix is None: + suffix = '.distlib' + if os.name == 'nt' and 'LOCALAPPDATA' in os.environ: + result = os.path.expandvars('$localappdata') + else: + # Assume posix, or old Windows + result = os.path.expanduser('~') + # we use 'isdir' instead of 'exists', because we want to + # fail if there's a file with that name + if os.path.isdir(result): + usable = os.access(result, os.W_OK) + if not usable: + logger.warning('Directory exists but is not writable: %s', result) + else: + try: + os.makedirs(result) + usable = True + except OSError: + logger.warning('Unable to create %s', result, exc_info=True) + usable = False + if not usable: + result = tempfile.mkdtemp() + logger.warning('Default location unusable, using %s', result) + return os.path.join(result, suffix) + + +def path_to_cache_dir(path): + """ + Convert an absolute path to a directory name for use in a cache. + + The algorithm used is: + + #. On Windows, any ``':'`` in the drive is replaced with ``'---'``. + #. Any occurrence of ``os.sep`` is replaced with ``'--'``. + #. ``'.cache'`` is appended. + """ + d, p = os.path.splitdrive(os.path.abspath(path)) + if d: + d = d.replace(':', '---') + p = p.replace(os.sep, '--') + return d + p + '.cache' + + +def ensure_slash(s): + if not s.endswith('/'): + return s + '/' + return s + + +def parse_credentials(netloc): + username = password = None + if '@' in netloc: + prefix, netloc = netloc.split('@', 1) + if ':' not in prefix: + username = prefix + else: + username, password = prefix.split(':', 1) + return username, password, netloc + + +def get_process_umask(): + result = os.umask(0o22) + os.umask(result) + return result + +def is_string_sequence(seq): + result = True + i = None + for i, s in enumerate(seq): + if not isinstance(s, string_types): + result = False + break + assert i is not None + return result + +PROJECT_NAME_AND_VERSION = re.compile('([a-z0-9_]+([.-][a-z_][a-z0-9_]*)*)-' + '([a-z0-9_.+-]+)', re.I) +PYTHON_VERSION = re.compile(r'-py(\d\.?\d?)') + + +def split_filename(filename, project_name=None): + """ + Extract name, version, python version from a filename (no extension) + + Return name, version, pyver or None + """ + result = None + pyver = None + filename = unquote(filename).replace(' ', '-') + m = PYTHON_VERSION.search(filename) + if m: + pyver = m.group(1) + filename = filename[:m.start()] + if project_name and len(filename) > len(project_name) + 1: + m = re.match(re.escape(project_name) + r'\b', filename) + if m: + n = m.end() + result = filename[:n], filename[n + 1:], pyver + if result is None: + m = PROJECT_NAME_AND_VERSION.match(filename) + if m: + result = m.group(1), m.group(3), pyver + return result + +# Allow spaces in name because of legacy dists like "Twisted Core" +NAME_VERSION_RE = re.compile(r'(?P<name>[\w .-]+)\s*' + r'\(\s*(?P<ver>[^\s)]+)\)$') + +def parse_name_and_version(p): + """ + A utility method used to get name and version from a string. + + From e.g. a Provides-Dist value. + + :param p: A value in a form 'foo (1.0)' + :return: The name and version as a tuple. + """ + m = NAME_VERSION_RE.match(p) + if not m: + raise DistlibException('Ill-formed name/version string: \'%s\'' % p) + d = m.groupdict() + return d['name'].strip().lower(), d['ver'] + +def get_extras(requested, available): + result = set() + requested = set(requested or []) + available = set(available or []) + if '*' in requested: + requested.remove('*') + result |= available + for r in requested: + if r == '-': + result.add(r) + elif r.startswith('-'): + unwanted = r[1:] + if unwanted not in available: + logger.warning('undeclared extra: %s' % unwanted) + if unwanted in result: + result.remove(unwanted) + else: + if r not in available: + logger.warning('undeclared extra: %s' % r) + result.add(r) + return result +# +# Extended metadata functionality +# + +def _get_external_data(url): + result = {} + try: + # urlopen might fail if it runs into redirections, + # because of Python issue #13696. Fixed in locators + # using a custom redirect handler. + resp = urlopen(url) + headers = resp.info() + ct = headers.get('Content-Type') + if not ct.startswith('application/json'): + logger.debug('Unexpected response for JSON request: %s', ct) + else: + reader = codecs.getreader('utf-8')(resp) + #data = reader.read().decode('utf-8') + #result = json.loads(data) + result = json.load(reader) + except Exception as e: + logger.exception('Failed to get external data for %s: %s', url, e) + return result + +_external_data_base_url = 'https://www.red-dove.com/pypi/projects/' + +def get_project_data(name): + url = '%s/%s/project.json' % (name[0].upper(), name) + url = urljoin(_external_data_base_url, url) + result = _get_external_data(url) + return result + +def get_package_data(name, version): + url = '%s/%s/package-%s.json' % (name[0].upper(), name, version) + url = urljoin(_external_data_base_url, url) + return _get_external_data(url) + + +class Cache(object): + """ + A class implementing a cache for resources that need to live in the file system + e.g. shared libraries. This class was moved from resources to here because it + could be used by other modules, e.g. the wheel module. + """ + + def __init__(self, base): + """ + Initialise an instance. + + :param base: The base directory where the cache should be located. + """ + # we use 'isdir' instead of 'exists', because we want to + # fail if there's a file with that name + if not os.path.isdir(base): # pragma: no cover + os.makedirs(base) + if (os.stat(base).st_mode & 0o77) != 0: + logger.warning('Directory \'%s\' is not private', base) + self.base = os.path.abspath(os.path.normpath(base)) + + def prefix_to_dir(self, prefix): + """ + Converts a resource prefix to a directory name in the cache. + """ + return path_to_cache_dir(prefix) + + def clear(self): + """ + Clear the cache. + """ + not_removed = [] + for fn in os.listdir(self.base): + fn = os.path.join(self.base, fn) + try: + if os.path.islink(fn) or os.path.isfile(fn): + os.remove(fn) + elif os.path.isdir(fn): + shutil.rmtree(fn) + except Exception: + not_removed.append(fn) + return not_removed + + +class EventMixin(object): + """ + A very simple publish/subscribe system. + """ + def __init__(self): + self._subscribers = {} + + def add(self, event, subscriber, append=True): + """ + Add a subscriber for an event. + + :param event: The name of an event. + :param subscriber: The subscriber to be added (and called when the + event is published). + :param append: Whether to append or prepend the subscriber to an + existing subscriber list for the event. + """ + subs = self._subscribers + if event not in subs: + subs[event] = deque([subscriber]) + else: + sq = subs[event] + if append: + sq.append(subscriber) + else: + sq.appendleft(subscriber) + + def remove(self, event, subscriber): + """ + Remove a subscriber for an event. + + :param event: The name of an event. + :param subscriber: The subscriber to be removed. + """ + subs = self._subscribers + if event not in subs: + raise ValueError('No subscribers: %r' % event) + subs[event].remove(subscriber) + + def get_subscribers(self, event): + """ + Return an iterator for the subscribers for an event. + :param event: The event to return subscribers for. + """ + return iter(self._subscribers.get(event, ())) + + def publish(self, event, *args, **kwargs): + """ + Publish a event and return a list of values returned by its + subscribers. + + :param event: The event to publish. + :param args: The positional arguments to pass to the event's + subscribers. + :param kwargs: The keyword arguments to pass to the event's + subscribers. + """ + result = [] + for subscriber in self.get_subscribers(event): + try: + value = subscriber(event, *args, **kwargs) + except Exception: + logger.exception('Exception during event publication') + value = None + result.append(value) + logger.debug('publish %s: args = %s, kwargs = %s, result = %s', + event, args, kwargs, result) + return result + +# +# Simple sequencing +# +class Sequencer(object): + def __init__(self): + self._preds = {} + self._succs = {} + self._nodes = set() # nodes with no preds/succs + + def add_node(self, node): + self._nodes.add(node) + + def remove_node(self, node, edges=False): + if node in self._nodes: + self._nodes.remove(node) + if edges: + for p in set(self._preds.get(node, ())): + self.remove(p, node) + for s in set(self._succs.get(node, ())): + self.remove(node, s) + # Remove empties + for k, v in list(self._preds.items()): + if not v: + del self._preds[k] + for k, v in list(self._succs.items()): + if not v: + del self._succs[k] + + def add(self, pred, succ): + assert pred != succ + self._preds.setdefault(succ, set()).add(pred) + self._succs.setdefault(pred, set()).add(succ) + + def remove(self, pred, succ): + assert pred != succ + try: + preds = self._preds[succ] + succs = self._succs[pred] + except KeyError: # pragma: no cover + raise ValueError('%r not a successor of anything' % succ) + try: + preds.remove(pred) + succs.remove(succ) + except KeyError: # pragma: no cover + raise ValueError('%r not a successor of %r' % (succ, pred)) + + def is_step(self, step): + return (step in self._preds or step in self._succs or + step in self._nodes) + + def get_steps(self, final): + if not self.is_step(final): + raise ValueError('Unknown: %r' % final) + result = [] + todo = [] + seen = set() + todo.append(final) + while todo: + step = todo.pop(0) + if step in seen: + # if a step was already seen, + # move it to the end (so it will appear earlier + # when reversed on return) ... but not for the + # final step, as that would be confusing for + # users + if step != final: + result.remove(step) + result.append(step) + else: + seen.add(step) + result.append(step) + preds = self._preds.get(step, ()) + todo.extend(preds) + return reversed(result) + + @property + def strong_connections(self): + #http://en.wikipedia.org/wiki/Tarjan%27s_strongly_connected_components_algorithm + index_counter = [0] + stack = [] + lowlinks = {} + index = {} + result = [] + + graph = self._succs + + def strongconnect(node): + # set the depth index for this node to the smallest unused index + index[node] = index_counter[0] + lowlinks[node] = index_counter[0] + index_counter[0] += 1 + stack.append(node) + + # Consider successors + try: + successors = graph[node] + except Exception: + successors = [] + for successor in successors: + if successor not in lowlinks: + # Successor has not yet been visited + strongconnect(successor) + lowlinks[node] = min(lowlinks[node],lowlinks[successor]) + elif successor in stack: + # the successor is in the stack and hence in the current + # strongly connected component (SCC) + lowlinks[node] = min(lowlinks[node],index[successor]) + + # If `node` is a root node, pop the stack and generate an SCC + if lowlinks[node] == index[node]: + connected_component = [] + + while True: + successor = stack.pop() + connected_component.append(successor) + if successor == node: break + component = tuple(connected_component) + # storing the result + result.append(component) + + for node in graph: + if node not in lowlinks: + strongconnect(node) + + return result + + @property + def dot(self): + result = ['digraph G {'] + for succ in self._preds: + preds = self._preds[succ] + for pred in preds: + result.append(' %s -> %s;' % (pred, succ)) + for node in self._nodes: + result.append(' %s;' % node) + result.append('}') + return '\n'.join(result) + +# +# Unarchiving functionality for zip, tar, tgz, tbz, whl +# + +ARCHIVE_EXTENSIONS = ('.tar.gz', '.tar.bz2', '.tar', '.zip', + '.tgz', '.tbz', '.whl') + +def unarchive(archive_filename, dest_dir, format=None, check=True): + + def check_path(path): + if not isinstance(path, text_type): + path = path.decode('utf-8') + p = os.path.abspath(os.path.join(dest_dir, path)) + if not p.startswith(dest_dir) or p[plen] != os.sep: + raise ValueError('path outside destination: %r' % p) + + dest_dir = os.path.abspath(dest_dir) + plen = len(dest_dir) + archive = None + if format is None: + if archive_filename.endswith(('.zip', '.whl')): + format = 'zip' + elif archive_filename.endswith(('.tar.gz', '.tgz')): + format = 'tgz' + mode = 'r:gz' + elif archive_filename.endswith(('.tar.bz2', '.tbz')): + format = 'tbz' + mode = 'r:bz2' + elif archive_filename.endswith('.tar'): + format = 'tar' + mode = 'r' + else: # pragma: no cover + raise ValueError('Unknown format for %r' % archive_filename) + try: + if format == 'zip': + archive = ZipFile(archive_filename, 'r') + if check: + names = archive.namelist() + for name in names: + check_path(name) + else: + archive = tarfile.open(archive_filename, mode) + if check: + names = archive.getnames() + for name in names: + check_path(name) + if format != 'zip' and sys.version_info[0] < 3: + # See Python issue 17153. If the dest path contains Unicode, + # tarfile extraction fails on Python 2.x if a member path name + # contains non-ASCII characters - it leads to an implicit + # bytes -> unicode conversion using ASCII to decode. + for tarinfo in archive.getmembers(): + if not isinstance(tarinfo.name, text_type): + tarinfo.name = tarinfo.name.decode('utf-8') + archive.extractall(dest_dir) + + finally: + if archive: + archive.close() + + +def zip_dir(directory): + """zip a directory tree into a BytesIO object""" + result = io.BytesIO() + dlen = len(directory) + with ZipFile(result, "w") as zf: + for root, dirs, files in os.walk(directory): + for name in files: + full = os.path.join(root, name) + rel = root[dlen:] + dest = os.path.join(rel, name) + zf.write(full, dest) + return result + +# +# Simple progress bar +# + +UNITS = ('', 'K', 'M', 'G','T','P') + + +class Progress(object): + unknown = 'UNKNOWN' + + def __init__(self, minval=0, maxval=100): + assert maxval is None or maxval >= minval + self.min = self.cur = minval + self.max = maxval + self.started = None + self.elapsed = 0 + self.done = False + + def update(self, curval): + assert self.min <= curval + assert self.max is None or curval <= self.max + self.cur = curval + now = time.time() + if self.started is None: + self.started = now + else: + self.elapsed = now - self.started + + def increment(self, incr): + assert incr >= 0 + self.update(self.cur + incr) + + def start(self): + self.update(self.min) + return self + + def stop(self): + if self.max is not None: + self.update(self.max) + self.done = True + + @property + def maximum(self): + return self.unknown if self.max is None else self.max + + @property + def percentage(self): + if self.done: + result = '100 %' + elif self.max is None: + result = ' ?? %' + else: + v = 100.0 * (self.cur - self.min) / (self.max - self.min) + result = '%3d %%' % v + return result + + def format_duration(self, duration): + if (duration <= 0) and self.max is None or self.cur == self.min: + result = '??:??:??' + #elif duration < 1: + # result = '--:--:--' + else: + result = time.strftime('%H:%M:%S', time.gmtime(duration)) + return result + + @property + def ETA(self): + if self.done: + prefix = 'Done' + t = self.elapsed + #import pdb; pdb.set_trace() + else: + prefix = 'ETA ' + if self.max is None: + t = -1 + elif self.elapsed == 0 or (self.cur == self.min): + t = 0 + else: + #import pdb; pdb.set_trace() + t = float(self.max - self.min) + t /= self.cur - self.min + t = (t - 1) * self.elapsed + return '%s: %s' % (prefix, self.format_duration(t)) + + @property + def speed(self): + if self.elapsed == 0: + result = 0.0 + else: + result = (self.cur - self.min) / self.elapsed + for unit in UNITS: + if result < 1000: + break + result /= 1000.0 + return '%d %sB/s' % (result, unit) + +# +# Glob functionality +# + +RICH_GLOB = re.compile(r'\{([^}]*)\}') +_CHECK_RECURSIVE_GLOB = re.compile(r'[^/\\,{]\*\*|\*\*[^/\\,}]') +_CHECK_MISMATCH_SET = re.compile(r'^[^{]*\}|\{[^}]*$') + + +def iglob(path_glob): + """Extended globbing function that supports ** and {opt1,opt2,opt3}.""" + if _CHECK_RECURSIVE_GLOB.search(path_glob): + msg = """invalid glob %r: recursive glob "**" must be used alone""" + raise ValueError(msg % path_glob) + if _CHECK_MISMATCH_SET.search(path_glob): + msg = """invalid glob %r: mismatching set marker '{' or '}'""" + raise ValueError(msg % path_glob) + return _iglob(path_glob) + + +def _iglob(path_glob): + rich_path_glob = RICH_GLOB.split(path_glob, 1) + if len(rich_path_glob) > 1: + assert len(rich_path_glob) == 3, rich_path_glob + prefix, set, suffix = rich_path_glob + for item in set.split(','): + for path in _iglob(''.join((prefix, item, suffix))): + yield path + else: + if '**' not in path_glob: + for item in std_iglob(path_glob): + yield item + else: + prefix, radical = path_glob.split('**', 1) + if prefix == '': + prefix = '.' + if radical == '': + radical = '*' + else: + # we support both + radical = radical.lstrip('/') + radical = radical.lstrip('\\') + for path, dir, files in os.walk(prefix): + path = os.path.normpath(path) + for fn in _iglob(os.path.join(path, radical)): + yield fn + +if ssl: + from .compat import (HTTPSHandler as BaseHTTPSHandler, match_hostname, + CertificateError) + + +# +# HTTPSConnection which verifies certificates/matches domains +# + + class HTTPSConnection(httplib.HTTPSConnection): + ca_certs = None # set this to the path to the certs file (.pem) + check_domain = True # only used if ca_certs is not None + + # noinspection PyPropertyAccess + def connect(self): + sock = socket.create_connection((self.host, self.port), self.timeout) + if getattr(self, '_tunnel_host', False): + self.sock = sock + self._tunnel() + + if not hasattr(ssl, 'SSLContext'): + # For 2.x + if self.ca_certs: + cert_reqs = ssl.CERT_REQUIRED + else: + cert_reqs = ssl.CERT_NONE + self.sock = ssl.wrap_socket(sock, self.key_file, self.cert_file, + cert_reqs=cert_reqs, + ssl_version=ssl.PROTOCOL_SSLv23, + ca_certs=self.ca_certs) + else: # pragma: no cover + context = ssl.SSLContext(ssl.PROTOCOL_SSLv23) + context.options |= ssl.OP_NO_SSLv2 + if self.cert_file: + context.load_cert_chain(self.cert_file, self.key_file) + kwargs = {} + if self.ca_certs: + context.verify_mode = ssl.CERT_REQUIRED + context.load_verify_locations(cafile=self.ca_certs) + if getattr(ssl, 'HAS_SNI', False): + kwargs['server_hostname'] = self.host + self.sock = context.wrap_socket(sock, **kwargs) + if self.ca_certs and self.check_domain: + try: + match_hostname(self.sock.getpeercert(), self.host) + logger.debug('Host verified: %s', self.host) + except CertificateError: # pragma: no cover + self.sock.shutdown(socket.SHUT_RDWR) + self.sock.close() + raise + + class HTTPSHandler(BaseHTTPSHandler): + def __init__(self, ca_certs, check_domain=True): + BaseHTTPSHandler.__init__(self) + self.ca_certs = ca_certs + self.check_domain = check_domain + + def _conn_maker(self, *args, **kwargs): + """ + This is called to create a connection instance. Normally you'd + pass a connection class to do_open, but it doesn't actually check for + a class, and just expects a callable. As long as we behave just as a + constructor would have, we should be OK. If it ever changes so that + we *must* pass a class, we'll create an UnsafeHTTPSConnection class + which just sets check_domain to False in the class definition, and + choose which one to pass to do_open. + """ + result = HTTPSConnection(*args, **kwargs) + if self.ca_certs: + result.ca_certs = self.ca_certs + result.check_domain = self.check_domain + return result + + def https_open(self, req): + try: + return self.do_open(self._conn_maker, req) + except URLError as e: + if 'certificate verify failed' in str(e.reason): + raise CertificateError('Unable to verify server certificate ' + 'for %s' % req.host) + else: + raise + + # + # To prevent against mixing HTTP traffic with HTTPS (examples: A Man-In-The- + # Middle proxy using HTTP listens on port 443, or an index mistakenly serves + # HTML containing a http://xyz link when it should be https://xyz), + # you can use the following handler class, which does not allow HTTP traffic. + # + # It works by inheriting from HTTPHandler - so build_opener won't add a + # handler for HTTP itself. + # + class HTTPSOnlyHandler(HTTPSHandler, HTTPHandler): + def http_open(self, req): + raise URLError('Unexpected HTTP request on what should be a secure ' + 'connection: %s' % req) + +# +# XML-RPC with timeouts +# + +_ver_info = sys.version_info[:2] + +if _ver_info == (2, 6): + class HTTP(httplib.HTTP): + def __init__(self, host='', port=None, **kwargs): + if port == 0: # 0 means use port 0, not the default port + port = None + self._setup(self._connection_class(host, port, **kwargs)) + + + if ssl: + class HTTPS(httplib.HTTPS): + def __init__(self, host='', port=None, **kwargs): + if port == 0: # 0 means use port 0, not the default port + port = None + self._setup(self._connection_class(host, port, **kwargs)) + + +class Transport(xmlrpclib.Transport): + def __init__(self, timeout, use_datetime=0): + self.timeout = timeout + xmlrpclib.Transport.__init__(self, use_datetime) + + def make_connection(self, host): + h, eh, x509 = self.get_host_info(host) + if _ver_info == (2, 6): + result = HTTP(h, timeout=self.timeout) + else: + if not self._connection or host != self._connection[0]: + self._extra_headers = eh + self._connection = host, httplib.HTTPConnection(h) + result = self._connection[1] + return result + +if ssl: + class SafeTransport(xmlrpclib.SafeTransport): + def __init__(self, timeout, use_datetime=0): + self.timeout = timeout + xmlrpclib.SafeTransport.__init__(self, use_datetime) + + def make_connection(self, host): + h, eh, kwargs = self.get_host_info(host) + if not kwargs: + kwargs = {} + kwargs['timeout'] = self.timeout + if _ver_info == (2, 6): + result = HTTPS(host, None, **kwargs) + else: + if not self._connection or host != self._connection[0]: + self._extra_headers = eh + self._connection = host, httplib.HTTPSConnection(h, None, + **kwargs) + result = self._connection[1] + return result + + +class ServerProxy(xmlrpclib.ServerProxy): + def __init__(self, uri, **kwargs): + self.timeout = timeout = kwargs.pop('timeout', None) + # The above classes only come into play if a timeout + # is specified + if timeout is not None: + scheme, _ = splittype(uri) + use_datetime = kwargs.get('use_datetime', 0) + if scheme == 'https': + tcls = SafeTransport + else: + tcls = Transport + kwargs['transport'] = t = tcls(timeout, use_datetime=use_datetime) + self.transport = t + xmlrpclib.ServerProxy.__init__(self, uri, **kwargs) + +# +# CSV functionality. This is provided because on 2.x, the csv module can't +# handle Unicode. However, we need to deal with Unicode in e.g. RECORD files. +# + +def _csv_open(fn, mode, **kwargs): + if sys.version_info[0] < 3: + mode += 'b' + else: + kwargs['newline'] = '' + # Python 3 determines encoding from locale. Force 'utf-8' + # file encoding to match other forced utf-8 encoding + kwargs['encoding'] = 'utf-8' + return open(fn, mode, **kwargs) + + +class CSVBase(object): + defaults = { + 'delimiter': str(','), # The strs are used because we need native + 'quotechar': str('"'), # str in the csv API (2.x won't take + 'lineterminator': str('\n') # Unicode) + } + + def __enter__(self): + return self + + def __exit__(self, *exc_info): + self.stream.close() + + +class CSVReader(CSVBase): + def __init__(self, **kwargs): + if 'stream' in kwargs: + stream = kwargs['stream'] + if sys.version_info[0] >= 3: + # needs to be a text stream + stream = codecs.getreader('utf-8')(stream) + self.stream = stream + else: + self.stream = _csv_open(kwargs['path'], 'r') + self.reader = csv.reader(self.stream, **self.defaults) + + def __iter__(self): + return self + + def next(self): + result = next(self.reader) + if sys.version_info[0] < 3: + for i, item in enumerate(result): + if not isinstance(item, text_type): + result[i] = item.decode('utf-8') + return result + + __next__ = next + +class CSVWriter(CSVBase): + def __init__(self, fn, **kwargs): + self.stream = _csv_open(fn, 'w') + self.writer = csv.writer(self.stream, **self.defaults) + + def writerow(self, row): + if sys.version_info[0] < 3: + r = [] + for item in row: + if isinstance(item, text_type): + item = item.encode('utf-8') + r.append(item) + row = r + self.writer.writerow(row) + +# +# Configurator functionality +# + +class Configurator(BaseConfigurator): + + value_converters = dict(BaseConfigurator.value_converters) + value_converters['inc'] = 'inc_convert' + + def __init__(self, config, base=None): + super(Configurator, self).__init__(config) + self.base = base or os.getcwd() + + def configure_custom(self, config): + def convert(o): + if isinstance(o, (list, tuple)): + result = type(o)([convert(i) for i in o]) + elif isinstance(o, dict): + if '()' in o: + result = self.configure_custom(o) + else: + result = {} + for k in o: + result[k] = convert(o[k]) + else: + result = self.convert(o) + return result + + c = config.pop('()') + if not callable(c): + c = self.resolve(c) + props = config.pop('.', None) + # Check for valid identifiers + args = config.pop('[]', ()) + if args: + args = tuple([convert(o) for o in args]) + items = [(k, convert(config[k])) for k in config if valid_ident(k)] + kwargs = dict(items) + result = c(*args, **kwargs) + if props: + for n, v in props.items(): + setattr(result, n, convert(v)) + return result + + def __getitem__(self, key): + result = self.config[key] + if isinstance(result, dict) and '()' in result: + self.config[key] = result = self.configure_custom(result) + return result + + def inc_convert(self, value): + """Default converter for the inc:// protocol.""" + if not os.path.isabs(value): + value = os.path.join(self.base, value) + with codecs.open(value, 'r', encoding='utf-8') as f: + result = json.load(f) + return result + + +class SubprocessMixin(object): + """ + Mixin for running subprocesses and capturing their output + """ + def __init__(self, verbose=False, progress=None): + self.verbose = verbose + self.progress = progress + + def reader(self, stream, context): + """ + Read lines from a subprocess' output stream and either pass to a progress + callable (if specified) or write progress information to sys.stderr. + """ + progress = self.progress + verbose = self.verbose + while True: + s = stream.readline() + if not s: + break + if progress is not None: + progress(s, context) + else: + if not verbose: + sys.stderr.write('.') + else: + sys.stderr.write(s.decode('utf-8')) + sys.stderr.flush() + stream.close() + + def run_command(self, cmd, **kwargs): + p = subprocess.Popen(cmd, stdout=subprocess.PIPE, + stderr=subprocess.PIPE, **kwargs) + t1 = threading.Thread(target=self.reader, args=(p.stdout, 'stdout')) + t1.start() + t2 = threading.Thread(target=self.reader, args=(p.stderr, 'stderr')) + t2.start() + p.wait() + t1.join() + t2.join() + if self.progress is not None: + self.progress('done.', 'main') + elif self.verbose: + sys.stderr.write('done.\n') + return p + + +def normalize_name(name): + """Normalize a python package name a la PEP 503""" + # https://www.python.org/dev/peps/pep-0503/#normalized-names + return re.sub('[-_.]+', '-', name).lower() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/version.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/version.py new file mode 100644 index 0000000..3eebe18 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/version.py @@ -0,0 +1,736 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2012-2017 The Python Software Foundation. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +""" +Implementation of a flexible versioning scheme providing support for PEP-440, +setuptools-compatible and semantic versioning. +""" + +import logging +import re + +from .compat import string_types +from .util import parse_requirement + +__all__ = ['NormalizedVersion', 'NormalizedMatcher', + 'LegacyVersion', 'LegacyMatcher', + 'SemanticVersion', 'SemanticMatcher', + 'UnsupportedVersionError', 'get_scheme'] + +logger = logging.getLogger(__name__) + + +class UnsupportedVersionError(ValueError): + """This is an unsupported version.""" + pass + + +class Version(object): + def __init__(self, s): + self._string = s = s.strip() + self._parts = parts = self.parse(s) + assert isinstance(parts, tuple) + assert len(parts) > 0 + + def parse(self, s): + raise NotImplementedError('please implement in a subclass') + + def _check_compatible(self, other): + if type(self) != type(other): + raise TypeError('cannot compare %r and %r' % (self, other)) + + def __eq__(self, other): + self._check_compatible(other) + return self._parts == other._parts + + def __ne__(self, other): + return not self.__eq__(other) + + def __lt__(self, other): + self._check_compatible(other) + return self._parts < other._parts + + def __gt__(self, other): + return not (self.__lt__(other) or self.__eq__(other)) + + def __le__(self, other): + return self.__lt__(other) or self.__eq__(other) + + def __ge__(self, other): + return self.__gt__(other) or self.__eq__(other) + + # See http://docs.python.org/reference/datamodel#object.__hash__ + def __hash__(self): + return hash(self._parts) + + def __repr__(self): + return "%s('%s')" % (self.__class__.__name__, self._string) + + def __str__(self): + return self._string + + @property + def is_prerelease(self): + raise NotImplementedError('Please implement in subclasses.') + + +class Matcher(object): + version_class = None + + # value is either a callable or the name of a method + _operators = { + '<': lambda v, c, p: v < c, + '>': lambda v, c, p: v > c, + '<=': lambda v, c, p: v == c or v < c, + '>=': lambda v, c, p: v == c or v > c, + '==': lambda v, c, p: v == c, + '===': lambda v, c, p: v == c, + # by default, compatible => >=. + '~=': lambda v, c, p: v == c or v > c, + '!=': lambda v, c, p: v != c, + } + + # this is a method only to support alternative implementations + # via overriding + def parse_requirement(self, s): + return parse_requirement(s) + + def __init__(self, s): + if self.version_class is None: + raise ValueError('Please specify a version class') + self._string = s = s.strip() + r = self.parse_requirement(s) + if not r: + raise ValueError('Not valid: %r' % s) + self.name = r.name + self.key = self.name.lower() # for case-insensitive comparisons + clist = [] + if r.constraints: + # import pdb; pdb.set_trace() + for op, s in r.constraints: + if s.endswith('.*'): + if op not in ('==', '!='): + raise ValueError('\'.*\' not allowed for ' + '%r constraints' % op) + # Could be a partial version (e.g. for '2.*') which + # won't parse as a version, so keep it as a string + vn, prefix = s[:-2], True + # Just to check that vn is a valid version + self.version_class(vn) + else: + # Should parse as a version, so we can create an + # instance for the comparison + vn, prefix = self.version_class(s), False + clist.append((op, vn, prefix)) + self._parts = tuple(clist) + + def match(self, version): + """ + Check if the provided version matches the constraints. + + :param version: The version to match against this instance. + :type version: String or :class:`Version` instance. + """ + if isinstance(version, string_types): + version = self.version_class(version) + for operator, constraint, prefix in self._parts: + f = self._operators.get(operator) + if isinstance(f, string_types): + f = getattr(self, f) + if not f: + msg = ('%r not implemented ' + 'for %s' % (operator, self.__class__.__name__)) + raise NotImplementedError(msg) + if not f(version, constraint, prefix): + return False + return True + + @property + def exact_version(self): + result = None + if len(self._parts) == 1 and self._parts[0][0] in ('==', '==='): + result = self._parts[0][1] + return result + + def _check_compatible(self, other): + if type(self) != type(other) or self.name != other.name: + raise TypeError('cannot compare %s and %s' % (self, other)) + + def __eq__(self, other): + self._check_compatible(other) + return self.key == other.key and self._parts == other._parts + + def __ne__(self, other): + return not self.__eq__(other) + + # See http://docs.python.org/reference/datamodel#object.__hash__ + def __hash__(self): + return hash(self.key) + hash(self._parts) + + def __repr__(self): + return "%s(%r)" % (self.__class__.__name__, self._string) + + def __str__(self): + return self._string + + +PEP440_VERSION_RE = re.compile(r'^v?(\d+!)?(\d+(\.\d+)*)((a|b|c|rc)(\d+))?' + r'(\.(post)(\d+))?(\.(dev)(\d+))?' + r'(\+([a-zA-Z\d]+(\.[a-zA-Z\d]+)?))?$') + + +def _pep_440_key(s): + s = s.strip() + m = PEP440_VERSION_RE.match(s) + if not m: + raise UnsupportedVersionError('Not a valid version: %s' % s) + groups = m.groups() + nums = tuple(int(v) for v in groups[1].split('.')) + while len(nums) > 1 and nums[-1] == 0: + nums = nums[:-1] + + if not groups[0]: + epoch = 0 + else: + epoch = int(groups[0]) + pre = groups[4:6] + post = groups[7:9] + dev = groups[10:12] + local = groups[13] + if pre == (None, None): + pre = () + else: + pre = pre[0], int(pre[1]) + if post == (None, None): + post = () + else: + post = post[0], int(post[1]) + if dev == (None, None): + dev = () + else: + dev = dev[0], int(dev[1]) + if local is None: + local = () + else: + parts = [] + for part in local.split('.'): + # to ensure that numeric compares as > lexicographic, avoid + # comparing them directly, but encode a tuple which ensures + # correct sorting + if part.isdigit(): + part = (1, int(part)) + else: + part = (0, part) + parts.append(part) + local = tuple(parts) + if not pre: + # either before pre-release, or final release and after + if not post and dev: + # before pre-release + pre = ('a', -1) # to sort before a0 + else: + pre = ('z',) # to sort after all pre-releases + # now look at the state of post and dev. + if not post: + post = ('_',) # sort before 'a' + if not dev: + dev = ('final',) + + #print('%s -> %s' % (s, m.groups())) + return epoch, nums, pre, post, dev, local + + +_normalized_key = _pep_440_key + + +class NormalizedVersion(Version): + """A rational version. + + Good: + 1.2 # equivalent to "1.2.0" + 1.2.0 + 1.2a1 + 1.2.3a2 + 1.2.3b1 + 1.2.3c1 + 1.2.3.4 + TODO: fill this out + + Bad: + 1 # minimum two numbers + 1.2a # release level must have a release serial + 1.2.3b + """ + def parse(self, s): + result = _normalized_key(s) + # _normalized_key loses trailing zeroes in the release + # clause, since that's needed to ensure that X.Y == X.Y.0 == X.Y.0.0 + # However, PEP 440 prefix matching needs it: for example, + # (~= 1.4.5.0) matches differently to (~= 1.4.5.0.0). + m = PEP440_VERSION_RE.match(s) # must succeed + groups = m.groups() + self._release_clause = tuple(int(v) for v in groups[1].split('.')) + return result + + PREREL_TAGS = set(['a', 'b', 'c', 'rc', 'dev']) + + @property + def is_prerelease(self): + return any(t[0] in self.PREREL_TAGS for t in self._parts if t) + + +def _match_prefix(x, y): + x = str(x) + y = str(y) + if x == y: + return True + if not x.startswith(y): + return False + n = len(y) + return x[n] == '.' + + +class NormalizedMatcher(Matcher): + version_class = NormalizedVersion + + # value is either a callable or the name of a method + _operators = { + '~=': '_match_compatible', + '<': '_match_lt', + '>': '_match_gt', + '<=': '_match_le', + '>=': '_match_ge', + '==': '_match_eq', + '===': '_match_arbitrary', + '!=': '_match_ne', + } + + def _adjust_local(self, version, constraint, prefix): + if prefix: + strip_local = '+' not in constraint and version._parts[-1] + else: + # both constraint and version are + # NormalizedVersion instances. + # If constraint does not have a local component, + # ensure the version doesn't, either. + strip_local = not constraint._parts[-1] and version._parts[-1] + if strip_local: + s = version._string.split('+', 1)[0] + version = self.version_class(s) + return version, constraint + + def _match_lt(self, version, constraint, prefix): + version, constraint = self._adjust_local(version, constraint, prefix) + if version >= constraint: + return False + release_clause = constraint._release_clause + pfx = '.'.join([str(i) for i in release_clause]) + return not _match_prefix(version, pfx) + + def _match_gt(self, version, constraint, prefix): + version, constraint = self._adjust_local(version, constraint, prefix) + if version <= constraint: + return False + release_clause = constraint._release_clause + pfx = '.'.join([str(i) for i in release_clause]) + return not _match_prefix(version, pfx) + + def _match_le(self, version, constraint, prefix): + version, constraint = self._adjust_local(version, constraint, prefix) + return version <= constraint + + def _match_ge(self, version, constraint, prefix): + version, constraint = self._adjust_local(version, constraint, prefix) + return version >= constraint + + def _match_eq(self, version, constraint, prefix): + version, constraint = self._adjust_local(version, constraint, prefix) + if not prefix: + result = (version == constraint) + else: + result = _match_prefix(version, constraint) + return result + + def _match_arbitrary(self, version, constraint, prefix): + return str(version) == str(constraint) + + def _match_ne(self, version, constraint, prefix): + version, constraint = self._adjust_local(version, constraint, prefix) + if not prefix: + result = (version != constraint) + else: + result = not _match_prefix(version, constraint) + return result + + def _match_compatible(self, version, constraint, prefix): + version, constraint = self._adjust_local(version, constraint, prefix) + if version == constraint: + return True + if version < constraint: + return False +# if not prefix: +# return True + release_clause = constraint._release_clause + if len(release_clause) > 1: + release_clause = release_clause[:-1] + pfx = '.'.join([str(i) for i in release_clause]) + return _match_prefix(version, pfx) + +_REPLACEMENTS = ( + (re.compile('[.+-]$'), ''), # remove trailing puncts + (re.compile(r'^[.](\d)'), r'0.\1'), # .N -> 0.N at start + (re.compile('^[.-]'), ''), # remove leading puncts + (re.compile(r'^\((.*)\)$'), r'\1'), # remove parentheses + (re.compile(r'^v(ersion)?\s*(\d+)'), r'\2'), # remove leading v(ersion) + (re.compile(r'^r(ev)?\s*(\d+)'), r'\2'), # remove leading v(ersion) + (re.compile('[.]{2,}'), '.'), # multiple runs of '.' + (re.compile(r'\b(alfa|apha)\b'), 'alpha'), # misspelt alpha + (re.compile(r'\b(pre-alpha|prealpha)\b'), + 'pre.alpha'), # standardise + (re.compile(r'\(beta\)$'), 'beta'), # remove parentheses +) + +_SUFFIX_REPLACEMENTS = ( + (re.compile('^[:~._+-]+'), ''), # remove leading puncts + (re.compile('[,*")([\\]]'), ''), # remove unwanted chars + (re.compile('[~:+_ -]'), '.'), # replace illegal chars + (re.compile('[.]{2,}'), '.'), # multiple runs of '.' + (re.compile(r'\.$'), ''), # trailing '.' +) + +_NUMERIC_PREFIX = re.compile(r'(\d+(\.\d+)*)') + + +def _suggest_semantic_version(s): + """ + Try to suggest a semantic form for a version for which + _suggest_normalized_version couldn't come up with anything. + """ + result = s.strip().lower() + for pat, repl in _REPLACEMENTS: + result = pat.sub(repl, result) + if not result: + result = '0.0.0' + + # Now look for numeric prefix, and separate it out from + # the rest. + #import pdb; pdb.set_trace() + m = _NUMERIC_PREFIX.match(result) + if not m: + prefix = '0.0.0' + suffix = result + else: + prefix = m.groups()[0].split('.') + prefix = [int(i) for i in prefix] + while len(prefix) < 3: + prefix.append(0) + if len(prefix) == 3: + suffix = result[m.end():] + else: + suffix = '.'.join([str(i) for i in prefix[3:]]) + result[m.end():] + prefix = prefix[:3] + prefix = '.'.join([str(i) for i in prefix]) + suffix = suffix.strip() + if suffix: + #import pdb; pdb.set_trace() + # massage the suffix. + for pat, repl in _SUFFIX_REPLACEMENTS: + suffix = pat.sub(repl, suffix) + + if not suffix: + result = prefix + else: + sep = '-' if 'dev' in suffix else '+' + result = prefix + sep + suffix + if not is_semver(result): + result = None + return result + + +def _suggest_normalized_version(s): + """Suggest a normalized version close to the given version string. + + If you have a version string that isn't rational (i.e. NormalizedVersion + doesn't like it) then you might be able to get an equivalent (or close) + rational version from this function. + + This does a number of simple normalizations to the given string, based + on observation of versions currently in use on PyPI. Given a dump of + those version during PyCon 2009, 4287 of them: + - 2312 (53.93%) match NormalizedVersion without change + with the automatic suggestion + - 3474 (81.04%) match when using this suggestion method + + @param s {str} An irrational version string. + @returns A rational version string, or None, if couldn't determine one. + """ + try: + _normalized_key(s) + return s # already rational + except UnsupportedVersionError: + pass + + rs = s.lower() + + # part of this could use maketrans + for orig, repl in (('-alpha', 'a'), ('-beta', 'b'), ('alpha', 'a'), + ('beta', 'b'), ('rc', 'c'), ('-final', ''), + ('-pre', 'c'), + ('-release', ''), ('.release', ''), ('-stable', ''), + ('+', '.'), ('_', '.'), (' ', ''), ('.final', ''), + ('final', '')): + rs = rs.replace(orig, repl) + + # if something ends with dev or pre, we add a 0 + rs = re.sub(r"pre$", r"pre0", rs) + rs = re.sub(r"dev$", r"dev0", rs) + + # if we have something like "b-2" or "a.2" at the end of the + # version, that is probably beta, alpha, etc + # let's remove the dash or dot + rs = re.sub(r"([abc]|rc)[\-\.](\d+)$", r"\1\2", rs) + + # 1.0-dev-r371 -> 1.0.dev371 + # 0.1-dev-r79 -> 0.1.dev79 + rs = re.sub(r"[\-\.](dev)[\-\.]?r?(\d+)$", r".\1\2", rs) + + # Clean: 2.0.a.3, 2.0.b1, 0.9.0~c1 + rs = re.sub(r"[.~]?([abc])\.?", r"\1", rs) + + # Clean: v0.3, v1.0 + if rs.startswith('v'): + rs = rs[1:] + + # Clean leading '0's on numbers. + #TODO: unintended side-effect on, e.g., "2003.05.09" + # PyPI stats: 77 (~2%) better + rs = re.sub(r"\b0+(\d+)(?!\d)", r"\1", rs) + + # Clean a/b/c with no version. E.g. "1.0a" -> "1.0a0". Setuptools infers + # zero. + # PyPI stats: 245 (7.56%) better + rs = re.sub(r"(\d+[abc])$", r"\g<1>0", rs) + + # the 'dev-rNNN' tag is a dev tag + rs = re.sub(r"\.?(dev-r|dev\.r)\.?(\d+)$", r".dev\2", rs) + + # clean the - when used as a pre delimiter + rs = re.sub(r"-(a|b|c)(\d+)$", r"\1\2", rs) + + # a terminal "dev" or "devel" can be changed into ".dev0" + rs = re.sub(r"[\.\-](dev|devel)$", r".dev0", rs) + + # a terminal "dev" can be changed into ".dev0" + rs = re.sub(r"(?![\.\-])dev$", r".dev0", rs) + + # a terminal "final" or "stable" can be removed + rs = re.sub(r"(final|stable)$", "", rs) + + # The 'r' and the '-' tags are post release tags + # 0.4a1.r10 -> 0.4a1.post10 + # 0.9.33-17222 -> 0.9.33.post17222 + # 0.9.33-r17222 -> 0.9.33.post17222 + rs = re.sub(r"\.?(r|-|-r)\.?(\d+)$", r".post\2", rs) + + # Clean 'r' instead of 'dev' usage: + # 0.9.33+r17222 -> 0.9.33.dev17222 + # 1.0dev123 -> 1.0.dev123 + # 1.0.git123 -> 1.0.dev123 + # 1.0.bzr123 -> 1.0.dev123 + # 0.1a0dev.123 -> 0.1a0.dev123 + # PyPI stats: ~150 (~4%) better + rs = re.sub(r"\.?(dev|git|bzr)\.?(\d+)$", r".dev\2", rs) + + # Clean '.pre' (normalized from '-pre' above) instead of 'c' usage: + # 0.2.pre1 -> 0.2c1 + # 0.2-c1 -> 0.2c1 + # 1.0preview123 -> 1.0c123 + # PyPI stats: ~21 (0.62%) better + rs = re.sub(r"\.?(pre|preview|-c)(\d+)$", r"c\g<2>", rs) + + # Tcl/Tk uses "px" for their post release markers + rs = re.sub(r"p(\d+)$", r".post\1", rs) + + try: + _normalized_key(rs) + except UnsupportedVersionError: + rs = None + return rs + +# +# Legacy version processing (distribute-compatible) +# + +_VERSION_PART = re.compile(r'([a-z]+|\d+|[\.-])', re.I) +_VERSION_REPLACE = { + 'pre': 'c', + 'preview': 'c', + '-': 'final-', + 'rc': 'c', + 'dev': '@', + '': None, + '.': None, +} + + +def _legacy_key(s): + def get_parts(s): + result = [] + for p in _VERSION_PART.split(s.lower()): + p = _VERSION_REPLACE.get(p, p) + if p: + if '0' <= p[:1] <= '9': + p = p.zfill(8) + else: + p = '*' + p + result.append(p) + result.append('*final') + return result + + result = [] + for p in get_parts(s): + if p.startswith('*'): + if p < '*final': + while result and result[-1] == '*final-': + result.pop() + while result and result[-1] == '00000000': + result.pop() + result.append(p) + return tuple(result) + + +class LegacyVersion(Version): + def parse(self, s): + return _legacy_key(s) + + @property + def is_prerelease(self): + result = False + for x in self._parts: + if (isinstance(x, string_types) and x.startswith('*') and + x < '*final'): + result = True + break + return result + + +class LegacyMatcher(Matcher): + version_class = LegacyVersion + + _operators = dict(Matcher._operators) + _operators['~='] = '_match_compatible' + + numeric_re = re.compile(r'^(\d+(\.\d+)*)') + + def _match_compatible(self, version, constraint, prefix): + if version < constraint: + return False + m = self.numeric_re.match(str(constraint)) + if not m: + logger.warning('Cannot compute compatible match for version %s ' + ' and constraint %s', version, constraint) + return True + s = m.groups()[0] + if '.' in s: + s = s.rsplit('.', 1)[0] + return _match_prefix(version, s) + +# +# Semantic versioning +# + +_SEMVER_RE = re.compile(r'^(\d+)\.(\d+)\.(\d+)' + r'(-[a-z0-9]+(\.[a-z0-9-]+)*)?' + r'(\+[a-z0-9]+(\.[a-z0-9-]+)*)?$', re.I) + + +def is_semver(s): + return _SEMVER_RE.match(s) + + +def _semantic_key(s): + def make_tuple(s, absent): + if s is None: + result = (absent,) + else: + parts = s[1:].split('.') + # We can't compare ints and strings on Python 3, so fudge it + # by zero-filling numeric values so simulate a numeric comparison + result = tuple([p.zfill(8) if p.isdigit() else p for p in parts]) + return result + + m = is_semver(s) + if not m: + raise UnsupportedVersionError(s) + groups = m.groups() + major, minor, patch = [int(i) for i in groups[:3]] + # choose the '|' and '*' so that versions sort correctly + pre, build = make_tuple(groups[3], '|'), make_tuple(groups[5], '*') + return (major, minor, patch), pre, build + + +class SemanticVersion(Version): + def parse(self, s): + return _semantic_key(s) + + @property + def is_prerelease(self): + return self._parts[1][0] != '|' + + +class SemanticMatcher(Matcher): + version_class = SemanticVersion + + +class VersionScheme(object): + def __init__(self, key, matcher, suggester=None): + self.key = key + self.matcher = matcher + self.suggester = suggester + + def is_valid_version(self, s): + try: + self.matcher.version_class(s) + result = True + except UnsupportedVersionError: + result = False + return result + + def is_valid_matcher(self, s): + try: + self.matcher(s) + result = True + except UnsupportedVersionError: + result = False + return result + + def is_valid_constraint_list(self, s): + """ + Used for processing some metadata fields + """ + return self.is_valid_matcher('dummy_name (%s)' % s) + + def suggest(self, s): + if self.suggester is None: + result = None + else: + result = self.suggester(s) + return result + +_SCHEMES = { + 'normalized': VersionScheme(_normalized_key, NormalizedMatcher, + _suggest_normalized_version), + 'legacy': VersionScheme(_legacy_key, LegacyMatcher, lambda self, s: s), + 'semantic': VersionScheme(_semantic_key, SemanticMatcher, + _suggest_semantic_version), +} + +_SCHEMES['default'] = _SCHEMES['normalized'] + + +def get_scheme(name): + if name not in _SCHEMES: + raise ValueError('unknown scheme name: %r' % name) + return _SCHEMES[name] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/wheel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/wheel.py new file mode 100644 index 0000000..b04bfae --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/wheel.py @@ -0,0 +1,988 @@ +# -*- coding: utf-8 -*- +# +# Copyright (C) 2013-2017 Vinay Sajip. +# Licensed to the Python Software Foundation under a contributor agreement. +# See LICENSE.txt and CONTRIBUTORS.txt. +# +from __future__ import unicode_literals + +import base64 +import codecs +import datetime +import distutils.util +from email import message_from_file +import hashlib +import imp +import json +import logging +import os +import posixpath +import re +import shutil +import sys +import tempfile +import zipfile + +from . import __version__, DistlibException +from .compat import sysconfig, ZipFile, fsdecode, text_type, filter +from .database import InstalledDistribution +from .metadata import Metadata, METADATA_FILENAME, WHEEL_METADATA_FILENAME +from .util import (FileOperator, convert_path, CSVReader, CSVWriter, Cache, + cached_property, get_cache_base, read_exports, tempdir) +from .version import NormalizedVersion, UnsupportedVersionError + +logger = logging.getLogger(__name__) + +cache = None # created when needed + +if hasattr(sys, 'pypy_version_info'): # pragma: no cover + IMP_PREFIX = 'pp' +elif sys.platform.startswith('java'): # pragma: no cover + IMP_PREFIX = 'jy' +elif sys.platform == 'cli': # pragma: no cover + IMP_PREFIX = 'ip' +else: + IMP_PREFIX = 'cp' + +VER_SUFFIX = sysconfig.get_config_var('py_version_nodot') +if not VER_SUFFIX: # pragma: no cover + VER_SUFFIX = '%s%s' % sys.version_info[:2] +PYVER = 'py' + VER_SUFFIX +IMPVER = IMP_PREFIX + VER_SUFFIX + +ARCH = distutils.util.get_platform().replace('-', '_').replace('.', '_') + +ABI = sysconfig.get_config_var('SOABI') +if ABI and ABI.startswith('cpython-'): + ABI = ABI.replace('cpython-', 'cp') +else: + def _derive_abi(): + parts = ['cp', VER_SUFFIX] + if sysconfig.get_config_var('Py_DEBUG'): + parts.append('d') + if sysconfig.get_config_var('WITH_PYMALLOC'): + parts.append('m') + if sysconfig.get_config_var('Py_UNICODE_SIZE') == 4: + parts.append('u') + return ''.join(parts) + ABI = _derive_abi() + del _derive_abi + +FILENAME_RE = re.compile(r''' +(?P<nm>[^-]+) +-(?P<vn>\d+[^-]*) +(-(?P<bn>\d+[^-]*))? +-(?P<py>\w+\d+(\.\w+\d+)*) +-(?P<bi>\w+) +-(?P<ar>\w+(\.\w+)*) +\.whl$ +''', re.IGNORECASE | re.VERBOSE) + +NAME_VERSION_RE = re.compile(r''' +(?P<nm>[^-]+) +-(?P<vn>\d+[^-]*) +(-(?P<bn>\d+[^-]*))?$ +''', re.IGNORECASE | re.VERBOSE) + +SHEBANG_RE = re.compile(br'\s*#![^\r\n]*') +SHEBANG_DETAIL_RE = re.compile(br'^(\s*#!("[^"]+"|\S+))\s+(.*)$') +SHEBANG_PYTHON = b'#!python' +SHEBANG_PYTHONW = b'#!pythonw' + +if os.sep == '/': + to_posix = lambda o: o +else: + to_posix = lambda o: o.replace(os.sep, '/') + + +class Mounter(object): + def __init__(self): + self.impure_wheels = {} + self.libs = {} + + def add(self, pathname, extensions): + self.impure_wheels[pathname] = extensions + self.libs.update(extensions) + + def remove(self, pathname): + extensions = self.impure_wheels.pop(pathname) + for k, v in extensions: + if k in self.libs: + del self.libs[k] + + def find_module(self, fullname, path=None): + if fullname in self.libs: + result = self + else: + result = None + return result + + def load_module(self, fullname): + if fullname in sys.modules: + result = sys.modules[fullname] + else: + if fullname not in self.libs: + raise ImportError('unable to find extension for %s' % fullname) + result = imp.load_dynamic(fullname, self.libs[fullname]) + result.__loader__ = self + parts = fullname.rsplit('.', 1) + if len(parts) > 1: + result.__package__ = parts[0] + return result + +_hook = Mounter() + + +class Wheel(object): + """ + Class to build and install from Wheel files (PEP 427). + """ + + wheel_version = (1, 1) + hash_kind = 'sha256' + + def __init__(self, filename=None, sign=False, verify=False): + """ + Initialise an instance using a (valid) filename. + """ + self.sign = sign + self.should_verify = verify + self.buildver = '' + self.pyver = [PYVER] + self.abi = ['none'] + self.arch = ['any'] + self.dirname = os.getcwd() + if filename is None: + self.name = 'dummy' + self.version = '0.1' + self._filename = self.filename + else: + m = NAME_VERSION_RE.match(filename) + if m: + info = m.groupdict('') + self.name = info['nm'] + # Reinstate the local version separator + self.version = info['vn'].replace('_', '-') + self.buildver = info['bn'] + self._filename = self.filename + else: + dirname, filename = os.path.split(filename) + m = FILENAME_RE.match(filename) + if not m: + raise DistlibException('Invalid name or ' + 'filename: %r' % filename) + if dirname: + self.dirname = os.path.abspath(dirname) + self._filename = filename + info = m.groupdict('') + self.name = info['nm'] + self.version = info['vn'] + self.buildver = info['bn'] + self.pyver = info['py'].split('.') + self.abi = info['bi'].split('.') + self.arch = info['ar'].split('.') + + @property + def filename(self): + """ + Build and return a filename from the various components. + """ + if self.buildver: + buildver = '-' + self.buildver + else: + buildver = '' + pyver = '.'.join(self.pyver) + abi = '.'.join(self.abi) + arch = '.'.join(self.arch) + # replace - with _ as a local version separator + version = self.version.replace('-', '_') + return '%s-%s%s-%s-%s-%s.whl' % (self.name, version, buildver, + pyver, abi, arch) + + @property + def exists(self): + path = os.path.join(self.dirname, self.filename) + return os.path.isfile(path) + + @property + def tags(self): + for pyver in self.pyver: + for abi in self.abi: + for arch in self.arch: + yield pyver, abi, arch + + @cached_property + def metadata(self): + pathname = os.path.join(self.dirname, self.filename) + name_ver = '%s-%s' % (self.name, self.version) + info_dir = '%s.dist-info' % name_ver + wrapper = codecs.getreader('utf-8') + with ZipFile(pathname, 'r') as zf: + wheel_metadata = self.get_wheel_metadata(zf) + wv = wheel_metadata['Wheel-Version'].split('.', 1) + file_version = tuple([int(i) for i in wv]) + if file_version < (1, 1): + fns = [WHEEL_METADATA_FILENAME, METADATA_FILENAME, 'METADATA'] + else: + fns = [WHEEL_METADATA_FILENAME, METADATA_FILENAME] + result = None + for fn in fns: + try: + metadata_filename = posixpath.join(info_dir, fn) + with zf.open(metadata_filename) as bf: + wf = wrapper(bf) + result = Metadata(fileobj=wf) + if result: + break + except KeyError: + pass + if not result: + raise ValueError('Invalid wheel, because metadata is ' + 'missing: looked in %s' % ', '.join(fns)) + return result + + def get_wheel_metadata(self, zf): + name_ver = '%s-%s' % (self.name, self.version) + info_dir = '%s.dist-info' % name_ver + metadata_filename = posixpath.join(info_dir, 'WHEEL') + with zf.open(metadata_filename) as bf: + wf = codecs.getreader('utf-8')(bf) + message = message_from_file(wf) + return dict(message) + + @cached_property + def info(self): + pathname = os.path.join(self.dirname, self.filename) + with ZipFile(pathname, 'r') as zf: + result = self.get_wheel_metadata(zf) + return result + + def process_shebang(self, data): + m = SHEBANG_RE.match(data) + if m: + end = m.end() + shebang, data_after_shebang = data[:end], data[end:] + # Preserve any arguments after the interpreter + if b'pythonw' in shebang.lower(): + shebang_python = SHEBANG_PYTHONW + else: + shebang_python = SHEBANG_PYTHON + m = SHEBANG_DETAIL_RE.match(shebang) + if m: + args = b' ' + m.groups()[-1] + else: + args = b'' + shebang = shebang_python + args + data = shebang + data_after_shebang + else: + cr = data.find(b'\r') + lf = data.find(b'\n') + if cr < 0 or cr > lf: + term = b'\n' + else: + if data[cr:cr + 2] == b'\r\n': + term = b'\r\n' + else: + term = b'\r' + data = SHEBANG_PYTHON + term + data + return data + + def get_hash(self, data, hash_kind=None): + if hash_kind is None: + hash_kind = self.hash_kind + try: + hasher = getattr(hashlib, hash_kind) + except AttributeError: + raise DistlibException('Unsupported hash algorithm: %r' % hash_kind) + result = hasher(data).digest() + result = base64.urlsafe_b64encode(result).rstrip(b'=').decode('ascii') + return hash_kind, result + + def write_record(self, records, record_path, base): + records = list(records) # make a copy for sorting + p = to_posix(os.path.relpath(record_path, base)) + records.append((p, '', '')) + records.sort() + with CSVWriter(record_path) as writer: + for row in records: + writer.writerow(row) + + def write_records(self, info, libdir, archive_paths): + records = [] + distinfo, info_dir = info + hasher = getattr(hashlib, self.hash_kind) + for ap, p in archive_paths: + with open(p, 'rb') as f: + data = f.read() + digest = '%s=%s' % self.get_hash(data) + size = os.path.getsize(p) + records.append((ap, digest, size)) + + p = os.path.join(distinfo, 'RECORD') + self.write_record(records, p, libdir) + ap = to_posix(os.path.join(info_dir, 'RECORD')) + archive_paths.append((ap, p)) + + def build_zip(self, pathname, archive_paths): + with ZipFile(pathname, 'w', zipfile.ZIP_DEFLATED) as zf: + for ap, p in archive_paths: + logger.debug('Wrote %s to %s in wheel', p, ap) + zf.write(p, ap) + + def build(self, paths, tags=None, wheel_version=None): + """ + Build a wheel from files in specified paths, and use any specified tags + when determining the name of the wheel. + """ + if tags is None: + tags = {} + + libkey = list(filter(lambda o: o in paths, ('purelib', 'platlib')))[0] + if libkey == 'platlib': + is_pure = 'false' + default_pyver = [IMPVER] + default_abi = [ABI] + default_arch = [ARCH] + else: + is_pure = 'true' + default_pyver = [PYVER] + default_abi = ['none'] + default_arch = ['any'] + + self.pyver = tags.get('pyver', default_pyver) + self.abi = tags.get('abi', default_abi) + self.arch = tags.get('arch', default_arch) + + libdir = paths[libkey] + + name_ver = '%s-%s' % (self.name, self.version) + data_dir = '%s.data' % name_ver + info_dir = '%s.dist-info' % name_ver + + archive_paths = [] + + # First, stuff which is not in site-packages + for key in ('data', 'headers', 'scripts'): + if key not in paths: + continue + path = paths[key] + if os.path.isdir(path): + for root, dirs, files in os.walk(path): + for fn in files: + p = fsdecode(os.path.join(root, fn)) + rp = os.path.relpath(p, path) + ap = to_posix(os.path.join(data_dir, key, rp)) + archive_paths.append((ap, p)) + if key == 'scripts' and not p.endswith('.exe'): + with open(p, 'rb') as f: + data = f.read() + data = self.process_shebang(data) + with open(p, 'wb') as f: + f.write(data) + + # Now, stuff which is in site-packages, other than the + # distinfo stuff. + path = libdir + distinfo = None + for root, dirs, files in os.walk(path): + if root == path: + # At the top level only, save distinfo for later + # and skip it for now + for i, dn in enumerate(dirs): + dn = fsdecode(dn) + if dn.endswith('.dist-info'): + distinfo = os.path.join(root, dn) + del dirs[i] + break + assert distinfo, '.dist-info directory expected, not found' + + for fn in files: + # comment out next suite to leave .pyc files in + if fsdecode(fn).endswith(('.pyc', '.pyo')): + continue + p = os.path.join(root, fn) + rp = to_posix(os.path.relpath(p, path)) + archive_paths.append((rp, p)) + + # Now distinfo. Assumed to be flat, i.e. os.listdir is enough. + files = os.listdir(distinfo) + for fn in files: + if fn not in ('RECORD', 'INSTALLER', 'SHARED', 'WHEEL'): + p = fsdecode(os.path.join(distinfo, fn)) + ap = to_posix(os.path.join(info_dir, fn)) + archive_paths.append((ap, p)) + + wheel_metadata = [ + 'Wheel-Version: %d.%d' % (wheel_version or self.wheel_version), + 'Generator: distlib %s' % __version__, + 'Root-Is-Purelib: %s' % is_pure, + ] + for pyver, abi, arch in self.tags: + wheel_metadata.append('Tag: %s-%s-%s' % (pyver, abi, arch)) + p = os.path.join(distinfo, 'WHEEL') + with open(p, 'w') as f: + f.write('\n'.join(wheel_metadata)) + ap = to_posix(os.path.join(info_dir, 'WHEEL')) + archive_paths.append((ap, p)) + + # Now, at last, RECORD. + # Paths in here are archive paths - nothing else makes sense. + self.write_records((distinfo, info_dir), libdir, archive_paths) + # Now, ready to build the zip file + pathname = os.path.join(self.dirname, self.filename) + self.build_zip(pathname, archive_paths) + return pathname + + def install(self, paths, maker, **kwargs): + """ + Install a wheel to the specified paths. If kwarg ``warner`` is + specified, it should be a callable, which will be called with two + tuples indicating the wheel version of this software and the wheel + version in the file, if there is a discrepancy in the versions. + This can be used to issue any warnings to raise any exceptions. + If kwarg ``lib_only`` is True, only the purelib/platlib files are + installed, and the headers, scripts, data and dist-info metadata are + not written. If kwarg ``bytecode_hashed_invalidation`` is True, written + bytecode will try to use file-hash based invalidation (PEP-552) on + supported interpreter versions (CPython 2.7+). + + The return value is a :class:`InstalledDistribution` instance unless + ``options.lib_only`` is True, in which case the return value is ``None``. + """ + + dry_run = maker.dry_run + warner = kwargs.get('warner') + lib_only = kwargs.get('lib_only', False) + bc_hashed_invalidation = kwargs.get('bytecode_hashed_invalidation', False) + + pathname = os.path.join(self.dirname, self.filename) + name_ver = '%s-%s' % (self.name, self.version) + data_dir = '%s.data' % name_ver + info_dir = '%s.dist-info' % name_ver + + metadata_name = posixpath.join(info_dir, METADATA_FILENAME) + wheel_metadata_name = posixpath.join(info_dir, 'WHEEL') + record_name = posixpath.join(info_dir, 'RECORD') + + wrapper = codecs.getreader('utf-8') + + with ZipFile(pathname, 'r') as zf: + with zf.open(wheel_metadata_name) as bwf: + wf = wrapper(bwf) + message = message_from_file(wf) + wv = message['Wheel-Version'].split('.', 1) + file_version = tuple([int(i) for i in wv]) + if (file_version != self.wheel_version) and warner: + warner(self.wheel_version, file_version) + + if message['Root-Is-Purelib'] == 'true': + libdir = paths['purelib'] + else: + libdir = paths['platlib'] + + records = {} + with zf.open(record_name) as bf: + with CSVReader(stream=bf) as reader: + for row in reader: + p = row[0] + records[p] = row + + data_pfx = posixpath.join(data_dir, '') + info_pfx = posixpath.join(info_dir, '') + script_pfx = posixpath.join(data_dir, 'scripts', '') + + # make a new instance rather than a copy of maker's, + # as we mutate it + fileop = FileOperator(dry_run=dry_run) + fileop.record = True # so we can rollback if needed + + bc = not sys.dont_write_bytecode # Double negatives. Lovely! + + outfiles = [] # for RECORD writing + + # for script copying/shebang processing + workdir = tempfile.mkdtemp() + # set target dir later + # we default add_launchers to False, as the + # Python Launcher should be used instead + maker.source_dir = workdir + maker.target_dir = None + try: + for zinfo in zf.infolist(): + arcname = zinfo.filename + if isinstance(arcname, text_type): + u_arcname = arcname + else: + u_arcname = arcname.decode('utf-8') + # The signature file won't be in RECORD, + # and we don't currently don't do anything with it + if u_arcname.endswith('/RECORD.jws'): + continue + row = records[u_arcname] + if row[2] and str(zinfo.file_size) != row[2]: + raise DistlibException('size mismatch for ' + '%s' % u_arcname) + if row[1]: + kind, value = row[1].split('=', 1) + with zf.open(arcname) as bf: + data = bf.read() + _, digest = self.get_hash(data, kind) + if digest != value: + raise DistlibException('digest mismatch for ' + '%s' % arcname) + + if lib_only and u_arcname.startswith((info_pfx, data_pfx)): + logger.debug('lib_only: skipping %s', u_arcname) + continue + is_script = (u_arcname.startswith(script_pfx) + and not u_arcname.endswith('.exe')) + + if u_arcname.startswith(data_pfx): + _, where, rp = u_arcname.split('/', 2) + outfile = os.path.join(paths[where], convert_path(rp)) + else: + # meant for site-packages. + if u_arcname in (wheel_metadata_name, record_name): + continue + outfile = os.path.join(libdir, convert_path(u_arcname)) + if not is_script: + with zf.open(arcname) as bf: + fileop.copy_stream(bf, outfile) + outfiles.append(outfile) + # Double check the digest of the written file + if not dry_run and row[1]: + with open(outfile, 'rb') as bf: + data = bf.read() + _, newdigest = self.get_hash(data, kind) + if newdigest != digest: + raise DistlibException('digest mismatch ' + 'on write for ' + '%s' % outfile) + if bc and outfile.endswith('.py'): + try: + pyc = fileop.byte_compile(outfile, + hashed_invalidation=bc_hashed_invalidation) + outfiles.append(pyc) + except Exception: + # Don't give up if byte-compilation fails, + # but log it and perhaps warn the user + logger.warning('Byte-compilation failed', + exc_info=True) + else: + fn = os.path.basename(convert_path(arcname)) + workname = os.path.join(workdir, fn) + with zf.open(arcname) as bf: + fileop.copy_stream(bf, workname) + + dn, fn = os.path.split(outfile) + maker.target_dir = dn + filenames = maker.make(fn) + fileop.set_executable_mode(filenames) + outfiles.extend(filenames) + + if lib_only: + logger.debug('lib_only: returning None') + dist = None + else: + # Generate scripts + + # Try to get pydist.json so we can see if there are + # any commands to generate. If this fails (e.g. because + # of a legacy wheel), log a warning but don't give up. + commands = None + file_version = self.info['Wheel-Version'] + if file_version == '1.0': + # Use legacy info + ep = posixpath.join(info_dir, 'entry_points.txt') + try: + with zf.open(ep) as bwf: + epdata = read_exports(bwf) + commands = {} + for key in ('console', 'gui'): + k = '%s_scripts' % key + if k in epdata: + commands['wrap_%s' % key] = d = {} + for v in epdata[k].values(): + s = '%s:%s' % (v.prefix, v.suffix) + if v.flags: + s += ' %s' % v.flags + d[v.name] = s + except Exception: + logger.warning('Unable to read legacy script ' + 'metadata, so cannot generate ' + 'scripts') + else: + try: + with zf.open(metadata_name) as bwf: + wf = wrapper(bwf) + commands = json.load(wf).get('extensions') + if commands: + commands = commands.get('python.commands') + except Exception: + logger.warning('Unable to read JSON metadata, so ' + 'cannot generate scripts') + if commands: + console_scripts = commands.get('wrap_console', {}) + gui_scripts = commands.get('wrap_gui', {}) + if console_scripts or gui_scripts: + script_dir = paths.get('scripts', '') + if not os.path.isdir(script_dir): + raise ValueError('Valid script path not ' + 'specified') + maker.target_dir = script_dir + for k, v in console_scripts.items(): + script = '%s = %s' % (k, v) + filenames = maker.make(script) + fileop.set_executable_mode(filenames) + + if gui_scripts: + options = {'gui': True } + for k, v in gui_scripts.items(): + script = '%s = %s' % (k, v) + filenames = maker.make(script, options) + fileop.set_executable_mode(filenames) + + p = os.path.join(libdir, info_dir) + dist = InstalledDistribution(p) + + # Write SHARED + paths = dict(paths) # don't change passed in dict + del paths['purelib'] + del paths['platlib'] + paths['lib'] = libdir + p = dist.write_shared_locations(paths, dry_run) + if p: + outfiles.append(p) + + # Write RECORD + dist.write_installed_files(outfiles, paths['prefix'], + dry_run) + return dist + except Exception: # pragma: no cover + logger.exception('installation failed.') + fileop.rollback() + raise + finally: + shutil.rmtree(workdir) + + def _get_dylib_cache(self): + global cache + if cache is None: + # Use native string to avoid issues on 2.x: see Python #20140. + base = os.path.join(get_cache_base(), str('dylib-cache'), + sys.version[:3]) + cache = Cache(base) + return cache + + def _get_extensions(self): + pathname = os.path.join(self.dirname, self.filename) + name_ver = '%s-%s' % (self.name, self.version) + info_dir = '%s.dist-info' % name_ver + arcname = posixpath.join(info_dir, 'EXTENSIONS') + wrapper = codecs.getreader('utf-8') + result = [] + with ZipFile(pathname, 'r') as zf: + try: + with zf.open(arcname) as bf: + wf = wrapper(bf) + extensions = json.load(wf) + cache = self._get_dylib_cache() + prefix = cache.prefix_to_dir(pathname) + cache_base = os.path.join(cache.base, prefix) + if not os.path.isdir(cache_base): + os.makedirs(cache_base) + for name, relpath in extensions.items(): + dest = os.path.join(cache_base, convert_path(relpath)) + if not os.path.exists(dest): + extract = True + else: + file_time = os.stat(dest).st_mtime + file_time = datetime.datetime.fromtimestamp(file_time) + info = zf.getinfo(relpath) + wheel_time = datetime.datetime(*info.date_time) + extract = wheel_time > file_time + if extract: + zf.extract(relpath, cache_base) + result.append((name, dest)) + except KeyError: + pass + return result + + def is_compatible(self): + """ + Determine if a wheel is compatible with the running system. + """ + return is_compatible(self) + + def is_mountable(self): + """ + Determine if a wheel is asserted as mountable by its metadata. + """ + return True # for now - metadata details TBD + + def mount(self, append=False): + pathname = os.path.abspath(os.path.join(self.dirname, self.filename)) + if not self.is_compatible(): + msg = 'Wheel %s not compatible with this Python.' % pathname + raise DistlibException(msg) + if not self.is_mountable(): + msg = 'Wheel %s is marked as not mountable.' % pathname + raise DistlibException(msg) + if pathname in sys.path: + logger.debug('%s already in path', pathname) + else: + if append: + sys.path.append(pathname) + else: + sys.path.insert(0, pathname) + extensions = self._get_extensions() + if extensions: + if _hook not in sys.meta_path: + sys.meta_path.append(_hook) + _hook.add(pathname, extensions) + + def unmount(self): + pathname = os.path.abspath(os.path.join(self.dirname, self.filename)) + if pathname not in sys.path: + logger.debug('%s not in path', pathname) + else: + sys.path.remove(pathname) + if pathname in _hook.impure_wheels: + _hook.remove(pathname) + if not _hook.impure_wheels: + if _hook in sys.meta_path: + sys.meta_path.remove(_hook) + + def verify(self): + pathname = os.path.join(self.dirname, self.filename) + name_ver = '%s-%s' % (self.name, self.version) + data_dir = '%s.data' % name_ver + info_dir = '%s.dist-info' % name_ver + + metadata_name = posixpath.join(info_dir, METADATA_FILENAME) + wheel_metadata_name = posixpath.join(info_dir, 'WHEEL') + record_name = posixpath.join(info_dir, 'RECORD') + + wrapper = codecs.getreader('utf-8') + + with ZipFile(pathname, 'r') as zf: + with zf.open(wheel_metadata_name) as bwf: + wf = wrapper(bwf) + message = message_from_file(wf) + wv = message['Wheel-Version'].split('.', 1) + file_version = tuple([int(i) for i in wv]) + # TODO version verification + + records = {} + with zf.open(record_name) as bf: + with CSVReader(stream=bf) as reader: + for row in reader: + p = row[0] + records[p] = row + + for zinfo in zf.infolist(): + arcname = zinfo.filename + if isinstance(arcname, text_type): + u_arcname = arcname + else: + u_arcname = arcname.decode('utf-8') + if '..' in u_arcname: + raise DistlibException('invalid entry in ' + 'wheel: %r' % u_arcname) + + # The signature file won't be in RECORD, + # and we don't currently don't do anything with it + if u_arcname.endswith('/RECORD.jws'): + continue + row = records[u_arcname] + if row[2] and str(zinfo.file_size) != row[2]: + raise DistlibException('size mismatch for ' + '%s' % u_arcname) + if row[1]: + kind, value = row[1].split('=', 1) + with zf.open(arcname) as bf: + data = bf.read() + _, digest = self.get_hash(data, kind) + if digest != value: + raise DistlibException('digest mismatch for ' + '%s' % arcname) + + def update(self, modifier, dest_dir=None, **kwargs): + """ + Update the contents of a wheel in a generic way. The modifier should + be a callable which expects a dictionary argument: its keys are + archive-entry paths, and its values are absolute filesystem paths + where the contents the corresponding archive entries can be found. The + modifier is free to change the contents of the files pointed to, add + new entries and remove entries, before returning. This method will + extract the entire contents of the wheel to a temporary location, call + the modifier, and then use the passed (and possibly updated) + dictionary to write a new wheel. If ``dest_dir`` is specified, the new + wheel is written there -- otherwise, the original wheel is overwritten. + + The modifier should return True if it updated the wheel, else False. + This method returns the same value the modifier returns. + """ + + def get_version(path_map, info_dir): + version = path = None + key = '%s/%s' % (info_dir, METADATA_FILENAME) + if key not in path_map: + key = '%s/PKG-INFO' % info_dir + if key in path_map: + path = path_map[key] + version = Metadata(path=path).version + return version, path + + def update_version(version, path): + updated = None + try: + v = NormalizedVersion(version) + i = version.find('-') + if i < 0: + updated = '%s+1' % version + else: + parts = [int(s) for s in version[i + 1:].split('.')] + parts[-1] += 1 + updated = '%s+%s' % (version[:i], + '.'.join(str(i) for i in parts)) + except UnsupportedVersionError: + logger.debug('Cannot update non-compliant (PEP-440) ' + 'version %r', version) + if updated: + md = Metadata(path=path) + md.version = updated + legacy = not path.endswith(METADATA_FILENAME) + md.write(path=path, legacy=legacy) + logger.debug('Version updated from %r to %r', version, + updated) + + pathname = os.path.join(self.dirname, self.filename) + name_ver = '%s-%s' % (self.name, self.version) + info_dir = '%s.dist-info' % name_ver + record_name = posixpath.join(info_dir, 'RECORD') + with tempdir() as workdir: + with ZipFile(pathname, 'r') as zf: + path_map = {} + for zinfo in zf.infolist(): + arcname = zinfo.filename + if isinstance(arcname, text_type): + u_arcname = arcname + else: + u_arcname = arcname.decode('utf-8') + if u_arcname == record_name: + continue + if '..' in u_arcname: + raise DistlibException('invalid entry in ' + 'wheel: %r' % u_arcname) + zf.extract(zinfo, workdir) + path = os.path.join(workdir, convert_path(u_arcname)) + path_map[u_arcname] = path + + # Remember the version. + original_version, _ = get_version(path_map, info_dir) + # Files extracted. Call the modifier. + modified = modifier(path_map, **kwargs) + if modified: + # Something changed - need to build a new wheel. + current_version, path = get_version(path_map, info_dir) + if current_version and (current_version == original_version): + # Add or update local version to signify changes. + update_version(current_version, path) + # Decide where the new wheel goes. + if dest_dir is None: + fd, newpath = tempfile.mkstemp(suffix='.whl', + prefix='wheel-update-', + dir=workdir) + os.close(fd) + else: + if not os.path.isdir(dest_dir): + raise DistlibException('Not a directory: %r' % dest_dir) + newpath = os.path.join(dest_dir, self.filename) + archive_paths = list(path_map.items()) + distinfo = os.path.join(workdir, info_dir) + info = distinfo, info_dir + self.write_records(info, workdir, archive_paths) + self.build_zip(newpath, archive_paths) + if dest_dir is None: + shutil.copyfile(newpath, pathname) + return modified + +def compatible_tags(): + """ + Return (pyver, abi, arch) tuples compatible with this Python. + """ + versions = [VER_SUFFIX] + major = VER_SUFFIX[0] + for minor in range(sys.version_info[1] - 1, - 1, -1): + versions.append(''.join([major, str(minor)])) + + abis = [] + for suffix, _, _ in imp.get_suffixes(): + if suffix.startswith('.abi'): + abis.append(suffix.split('.', 2)[1]) + abis.sort() + if ABI != 'none': + abis.insert(0, ABI) + abis.append('none') + result = [] + + arches = [ARCH] + if sys.platform == 'darwin': + m = re.match(r'(\w+)_(\d+)_(\d+)_(\w+)$', ARCH) + if m: + name, major, minor, arch = m.groups() + minor = int(minor) + matches = [arch] + if arch in ('i386', 'ppc'): + matches.append('fat') + if arch in ('i386', 'ppc', 'x86_64'): + matches.append('fat3') + if arch in ('ppc64', 'x86_64'): + matches.append('fat64') + if arch in ('i386', 'x86_64'): + matches.append('intel') + if arch in ('i386', 'x86_64', 'intel', 'ppc', 'ppc64'): + matches.append('universal') + while minor >= 0: + for match in matches: + s = '%s_%s_%s_%s' % (name, major, minor, match) + if s != ARCH: # already there + arches.append(s) + minor -= 1 + + # Most specific - our Python version, ABI and arch + for abi in abis: + for arch in arches: + result.append((''.join((IMP_PREFIX, versions[0])), abi, arch)) + + # where no ABI / arch dependency, but IMP_PREFIX dependency + for i, version in enumerate(versions): + result.append((''.join((IMP_PREFIX, version)), 'none', 'any')) + if i == 0: + result.append((''.join((IMP_PREFIX, version[0])), 'none', 'any')) + + # no IMP_PREFIX, ABI or arch dependency + for i, version in enumerate(versions): + result.append((''.join(('py', version)), 'none', 'any')) + if i == 0: + result.append((''.join(('py', version[0])), 'none', 'any')) + return set(result) + + +COMPATIBLE_TAGS = compatible_tags() + +del compatible_tags + + +def is_compatible(wheel, tags=None): + if not isinstance(wheel, Wheel): + wheel = Wheel(wheel) # assume it's a filename + result = False + if tags is None: + tags = COMPATIBLE_TAGS + for ver, abi, arch in tags: + if ver in wheel.pyver and abi in wheel.abi and arch in wheel.arch: + result = True + break + return result diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distro.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distro.py new file mode 100644 index 0000000..aa4defc --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distro.py @@ -0,0 +1,1197 @@ +# Copyright 2015,2016,2017 Nir Cohen +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +""" +The ``distro`` package (``distro`` stands for Linux Distribution) provides +information about the Linux distribution it runs on, such as a reliable +machine-readable distro ID, or version information. + +It is a renewed alternative implementation for Python's original +:py:func:`platform.linux_distribution` function, but it provides much more +functionality. An alternative implementation became necessary because Python +3.5 deprecated this function, and Python 3.7 is expected to remove it +altogether. Its predecessor function :py:func:`platform.dist` was already +deprecated since Python 2.6 and is also expected to be removed in Python 3.7. +Still, there are many cases in which access to OS distribution information +is needed. See `Python issue 1322 <https://bugs.python.org/issue1322>`_ for +more information. +""" + +import os +import re +import sys +import json +import shlex +import logging +import argparse +import subprocess + + +_UNIXCONFDIR = os.environ.get('UNIXCONFDIR', '/etc') +_OS_RELEASE_BASENAME = 'os-release' + +#: Translation table for normalizing the "ID" attribute defined in os-release +#: files, for use by the :func:`distro.id` method. +#: +#: * Key: Value as defined in the os-release file, translated to lower case, +#: with blanks translated to underscores. +#: +#: * Value: Normalized value. +NORMALIZED_OS_ID = {} + +#: Translation table for normalizing the "Distributor ID" attribute returned by +#: the lsb_release command, for use by the :func:`distro.id` method. +#: +#: * Key: Value as returned by the lsb_release command, translated to lower +#: case, with blanks translated to underscores. +#: +#: * Value: Normalized value. +NORMALIZED_LSB_ID = { + 'enterpriseenterprise': 'oracle', # Oracle Enterprise Linux + 'redhatenterpriseworkstation': 'rhel', # RHEL 6, 7 Workstation + 'redhatenterpriseserver': 'rhel', # RHEL 6, 7 Server +} + +#: Translation table for normalizing the distro ID derived from the file name +#: of distro release files, for use by the :func:`distro.id` method. +#: +#: * Key: Value as derived from the file name of a distro release file, +#: translated to lower case, with blanks translated to underscores. +#: +#: * Value: Normalized value. +NORMALIZED_DISTRO_ID = { + 'redhat': 'rhel', # RHEL 6.x, 7.x +} + +# Pattern for content of distro release file (reversed) +_DISTRO_RELEASE_CONTENT_REVERSED_PATTERN = re.compile( + r'(?:[^)]*\)(.*)\()? *(?:STL )?([\d.+\-a-z]*\d) *(?:esaeler *)?(.+)') + +# Pattern for base file name of distro release file +_DISTRO_RELEASE_BASENAME_PATTERN = re.compile( + r'(\w+)[-_](release|version)$') + +# Base file names to be ignored when searching for distro release file +_DISTRO_RELEASE_IGNORE_BASENAMES = ( + 'debian_version', + 'lsb-release', + 'oem-release', + _OS_RELEASE_BASENAME, + 'system-release' +) + + +def linux_distribution(full_distribution_name=True): + """ + Return information about the current OS distribution as a tuple + ``(id_name, version, codename)`` with items as follows: + + * ``id_name``: If *full_distribution_name* is false, the result of + :func:`distro.id`. Otherwise, the result of :func:`distro.name`. + + * ``version``: The result of :func:`distro.version`. + + * ``codename``: The result of :func:`distro.codename`. + + The interface of this function is compatible with the original + :py:func:`platform.linux_distribution` function, supporting a subset of + its parameters. + + The data it returns may not exactly be the same, because it uses more data + sources than the original function, and that may lead to different data if + the OS distribution is not consistent across multiple data sources it + provides (there are indeed such distributions ...). + + Another reason for differences is the fact that the :func:`distro.id` + method normalizes the distro ID string to a reliable machine-readable value + for a number of popular OS distributions. + """ + return _distro.linux_distribution(full_distribution_name) + + +def id(): + """ + Return the distro ID of the current distribution, as a + machine-readable string. + + For a number of OS distributions, the returned distro ID value is + *reliable*, in the sense that it is documented and that it does not change + across releases of the distribution. + + This package maintains the following reliable distro ID values: + + ============== ========================================= + Distro ID Distribution + ============== ========================================= + "ubuntu" Ubuntu + "debian" Debian + "rhel" RedHat Enterprise Linux + "centos" CentOS + "fedora" Fedora + "sles" SUSE Linux Enterprise Server + "opensuse" openSUSE + "amazon" Amazon Linux + "arch" Arch Linux + "cloudlinux" CloudLinux OS + "exherbo" Exherbo Linux + "gentoo" GenToo Linux + "ibm_powerkvm" IBM PowerKVM + "kvmibm" KVM for IBM z Systems + "linuxmint" Linux Mint + "mageia" Mageia + "mandriva" Mandriva Linux + "parallels" Parallels + "pidora" Pidora + "raspbian" Raspbian + "oracle" Oracle Linux (and Oracle Enterprise Linux) + "scientific" Scientific Linux + "slackware" Slackware + "xenserver" XenServer + "openbsd" OpenBSD + "netbsd" NetBSD + "freebsd" FreeBSD + ============== ========================================= + + If you have a need to get distros for reliable IDs added into this set, + or if you find that the :func:`distro.id` function returns a different + distro ID for one of the listed distros, please create an issue in the + `distro issue tracker`_. + + **Lookup hierarchy and transformations:** + + First, the ID is obtained from the following sources, in the specified + order. The first available and non-empty value is used: + + * the value of the "ID" attribute of the os-release file, + + * the value of the "Distributor ID" attribute returned by the lsb_release + command, + + * the first part of the file name of the distro release file, + + The so determined ID value then passes the following transformations, + before it is returned by this method: + + * it is translated to lower case, + + * blanks (which should not be there anyway) are translated to underscores, + + * a normalization of the ID is performed, based upon + `normalization tables`_. The purpose of this normalization is to ensure + that the ID is as reliable as possible, even across incompatible changes + in the OS distributions. A common reason for an incompatible change is + the addition of an os-release file, or the addition of the lsb_release + command, with ID values that differ from what was previously determined + from the distro release file name. + """ + return _distro.id() + + +def name(pretty=False): + """ + Return the name of the current OS distribution, as a human-readable + string. + + If *pretty* is false, the name is returned without version or codename. + (e.g. "CentOS Linux") + + If *pretty* is true, the version and codename are appended. + (e.g. "CentOS Linux 7.1.1503 (Core)") + + **Lookup hierarchy:** + + The name is obtained from the following sources, in the specified order. + The first available and non-empty value is used: + + * If *pretty* is false: + + - the value of the "NAME" attribute of the os-release file, + + - the value of the "Distributor ID" attribute returned by the lsb_release + command, + + - the value of the "<name>" field of the distro release file. + + * If *pretty* is true: + + - the value of the "PRETTY_NAME" attribute of the os-release file, + + - the value of the "Description" attribute returned by the lsb_release + command, + + - the value of the "<name>" field of the distro release file, appended + with the value of the pretty version ("<version_id>" and "<codename>" + fields) of the distro release file, if available. + """ + return _distro.name(pretty) + + +def version(pretty=False, best=False): + """ + Return the version of the current OS distribution, as a human-readable + string. + + If *pretty* is false, the version is returned without codename (e.g. + "7.0"). + + If *pretty* is true, the codename in parenthesis is appended, if the + codename is non-empty (e.g. "7.0 (Maipo)"). + + Some distributions provide version numbers with different precisions in + the different sources of distribution information. Examining the different + sources in a fixed priority order does not always yield the most precise + version (e.g. for Debian 8.2, or CentOS 7.1). + + The *best* parameter can be used to control the approach for the returned + version: + + If *best* is false, the first non-empty version number in priority order of + the examined sources is returned. + + If *best* is true, the most precise version number out of all examined + sources is returned. + + **Lookup hierarchy:** + + In all cases, the version number is obtained from the following sources. + If *best* is false, this order represents the priority order: + + * the value of the "VERSION_ID" attribute of the os-release file, + * the value of the "Release" attribute returned by the lsb_release + command, + * the version number parsed from the "<version_id>" field of the first line + of the distro release file, + * the version number parsed from the "PRETTY_NAME" attribute of the + os-release file, if it follows the format of the distro release files. + * the version number parsed from the "Description" attribute returned by + the lsb_release command, if it follows the format of the distro release + files. + """ + return _distro.version(pretty, best) + + +def version_parts(best=False): + """ + Return the version of the current OS distribution as a tuple + ``(major, minor, build_number)`` with items as follows: + + * ``major``: The result of :func:`distro.major_version`. + + * ``minor``: The result of :func:`distro.minor_version`. + + * ``build_number``: The result of :func:`distro.build_number`. + + For a description of the *best* parameter, see the :func:`distro.version` + method. + """ + return _distro.version_parts(best) + + +def major_version(best=False): + """ + Return the major version of the current OS distribution, as a string, + if provided. + Otherwise, the empty string is returned. The major version is the first + part of the dot-separated version string. + + For a description of the *best* parameter, see the :func:`distro.version` + method. + """ + return _distro.major_version(best) + + +def minor_version(best=False): + """ + Return the minor version of the current OS distribution, as a string, + if provided. + Otherwise, the empty string is returned. The minor version is the second + part of the dot-separated version string. + + For a description of the *best* parameter, see the :func:`distro.version` + method. + """ + return _distro.minor_version(best) + + +def build_number(best=False): + """ + Return the build number of the current OS distribution, as a string, + if provided. + Otherwise, the empty string is returned. The build number is the third part + of the dot-separated version string. + + For a description of the *best* parameter, see the :func:`distro.version` + method. + """ + return _distro.build_number(best) + + +def like(): + """ + Return a space-separated list of distro IDs of distributions that are + closely related to the current OS distribution in regards to packaging + and programming interfaces, for example distributions the current + distribution is a derivative from. + + **Lookup hierarchy:** + + This information item is only provided by the os-release file. + For details, see the description of the "ID_LIKE" attribute in the + `os-release man page + <http://www.freedesktop.org/software/systemd/man/os-release.html>`_. + """ + return _distro.like() + + +def codename(): + """ + Return the codename for the release of the current OS distribution, + as a string. + + If the distribution does not have a codename, an empty string is returned. + + Note that the returned codename is not always really a codename. For + example, openSUSE returns "x86_64". This function does not handle such + cases in any special way and just returns the string it finds, if any. + + **Lookup hierarchy:** + + * the codename within the "VERSION" attribute of the os-release file, if + provided, + + * the value of the "Codename" attribute returned by the lsb_release + command, + + * the value of the "<codename>" field of the distro release file. + """ + return _distro.codename() + + +def info(pretty=False, best=False): + """ + Return certain machine-readable information items about the current OS + distribution in a dictionary, as shown in the following example: + + .. sourcecode:: python + + { + 'id': 'rhel', + 'version': '7.0', + 'version_parts': { + 'major': '7', + 'minor': '0', + 'build_number': '' + }, + 'like': 'fedora', + 'codename': 'Maipo' + } + + The dictionary structure and keys are always the same, regardless of which + information items are available in the underlying data sources. The values + for the various keys are as follows: + + * ``id``: The result of :func:`distro.id`. + + * ``version``: The result of :func:`distro.version`. + + * ``version_parts -> major``: The result of :func:`distro.major_version`. + + * ``version_parts -> minor``: The result of :func:`distro.minor_version`. + + * ``version_parts -> build_number``: The result of + :func:`distro.build_number`. + + * ``like``: The result of :func:`distro.like`. + + * ``codename``: The result of :func:`distro.codename`. + + For a description of the *pretty* and *best* parameters, see the + :func:`distro.version` method. + """ + return _distro.info(pretty, best) + + +def os_release_info(): + """ + Return a dictionary containing key-value pairs for the information items + from the os-release file data source of the current OS distribution. + + See `os-release file`_ for details about these information items. + """ + return _distro.os_release_info() + + +def lsb_release_info(): + """ + Return a dictionary containing key-value pairs for the information items + from the lsb_release command data source of the current OS distribution. + + See `lsb_release command output`_ for details about these information + items. + """ + return _distro.lsb_release_info() + + +def distro_release_info(): + """ + Return a dictionary containing key-value pairs for the information items + from the distro release file data source of the current OS distribution. + + See `distro release file`_ for details about these information items. + """ + return _distro.distro_release_info() + + +def uname_info(): + """ + Return a dictionary containing key-value pairs for the information items + from the distro release file data source of the current OS distribution. + """ + return _distro.uname_info() + + +def os_release_attr(attribute): + """ + Return a single named information item from the os-release file data source + of the current OS distribution. + + Parameters: + + * ``attribute`` (string): Key of the information item. + + Returns: + + * (string): Value of the information item, if the item exists. + The empty string, if the item does not exist. + + See `os-release file`_ for details about these information items. + """ + return _distro.os_release_attr(attribute) + + +def lsb_release_attr(attribute): + """ + Return a single named information item from the lsb_release command output + data source of the current OS distribution. + + Parameters: + + * ``attribute`` (string): Key of the information item. + + Returns: + + * (string): Value of the information item, if the item exists. + The empty string, if the item does not exist. + + See `lsb_release command output`_ for details about these information + items. + """ + return _distro.lsb_release_attr(attribute) + + +def distro_release_attr(attribute): + """ + Return a single named information item from the distro release file + data source of the current OS distribution. + + Parameters: + + * ``attribute`` (string): Key of the information item. + + Returns: + + * (string): Value of the information item, if the item exists. + The empty string, if the item does not exist. + + See `distro release file`_ for details about these information items. + """ + return _distro.distro_release_attr(attribute) + + +def uname_attr(attribute): + """ + Return a single named information item from the distro release file + data source of the current OS distribution. + + Parameters: + + * ``attribute`` (string): Key of the information item. + + Returns: + + * (string): Value of the information item, if the item exists. + The empty string, if the item does not exist. + """ + return _distro.uname_attr(attribute) + + +class cached_property(object): + """A version of @property which caches the value. On access, it calls the + underlying function and sets the value in `__dict__` so future accesses + will not re-call the property. + """ + def __init__(self, f): + self._fname = f.__name__ + self._f = f + + def __get__(self, obj, owner): + assert obj is not None, 'call {} on an instance'.format(self._fname) + ret = obj.__dict__[self._fname] = self._f(obj) + return ret + + +class LinuxDistribution(object): + """ + Provides information about a OS distribution. + + This package creates a private module-global instance of this class with + default initialization arguments, that is used by the + `consolidated accessor functions`_ and `single source accessor functions`_. + By using default initialization arguments, that module-global instance + returns data about the current OS distribution (i.e. the distro this + package runs on). + + Normally, it is not necessary to create additional instances of this class. + However, in situations where control is needed over the exact data sources + that are used, instances of this class can be created with a specific + distro release file, or a specific os-release file, or without invoking the + lsb_release command. + """ + + def __init__(self, + include_lsb=True, + os_release_file='', + distro_release_file='', + include_uname=True): + """ + The initialization method of this class gathers information from the + available data sources, and stores that in private instance attributes. + Subsequent access to the information items uses these private instance + attributes, so that the data sources are read only once. + + Parameters: + + * ``include_lsb`` (bool): Controls whether the + `lsb_release command output`_ is included as a data source. + + If the lsb_release command is not available in the program execution + path, the data source for the lsb_release command will be empty. + + * ``os_release_file`` (string): The path name of the + `os-release file`_ that is to be used as a data source. + + An empty string (the default) will cause the default path name to + be used (see `os-release file`_ for details). + + If the specified or defaulted os-release file does not exist, the + data source for the os-release file will be empty. + + * ``distro_release_file`` (string): The path name of the + `distro release file`_ that is to be used as a data source. + + An empty string (the default) will cause a default search algorithm + to be used (see `distro release file`_ for details). + + If the specified distro release file does not exist, or if no default + distro release file can be found, the data source for the distro + release file will be empty. + + * ``include_name`` (bool): Controls whether uname command output is + included as a data source. If the uname command is not available in + the program execution path the data source for the uname command will + be empty. + + Public instance attributes: + + * ``os_release_file`` (string): The path name of the + `os-release file`_ that is actually used as a data source. The + empty string if no distro release file is used as a data source. + + * ``distro_release_file`` (string): The path name of the + `distro release file`_ that is actually used as a data source. The + empty string if no distro release file is used as a data source. + + * ``include_lsb`` (bool): The result of the ``include_lsb`` parameter. + This controls whether the lsb information will be loaded. + + * ``include_uname`` (bool): The result of the ``include_uname`` + parameter. This controls whether the uname information will + be loaded. + + Raises: + + * :py:exc:`IOError`: Some I/O issue with an os-release file or distro + release file. + + * :py:exc:`subprocess.CalledProcessError`: The lsb_release command had + some issue (other than not being available in the program execution + path). + + * :py:exc:`UnicodeError`: A data source has unexpected characters or + uses an unexpected encoding. + """ + self.os_release_file = os_release_file or \ + os.path.join(_UNIXCONFDIR, _OS_RELEASE_BASENAME) + self.distro_release_file = distro_release_file or '' # updated later + self.include_lsb = include_lsb + self.include_uname = include_uname + + def __repr__(self): + """Return repr of all info + """ + return \ + "LinuxDistribution(" \ + "os_release_file={self.os_release_file!r}, " \ + "distro_release_file={self.distro_release_file!r}, " \ + "include_lsb={self.include_lsb!r}, " \ + "include_uname={self.include_uname!r}, " \ + "_os_release_info={self._os_release_info!r}, " \ + "_lsb_release_info={self._lsb_release_info!r}, " \ + "_distro_release_info={self._distro_release_info!r}, " \ + "_uname_info={self._uname_info!r})".format( + self=self) + + def linux_distribution(self, full_distribution_name=True): + """ + Return information about the OS distribution that is compatible + with Python's :func:`platform.linux_distribution`, supporting a subset + of its parameters. + + For details, see :func:`distro.linux_distribution`. + """ + return ( + self.name() if full_distribution_name else self.id(), + self.version(), + self.codename() + ) + + def id(self): + """Return the distro ID of the OS distribution, as a string. + + For details, see :func:`distro.id`. + """ + def normalize(distro_id, table): + distro_id = distro_id.lower().replace(' ', '_') + return table.get(distro_id, distro_id) + + distro_id = self.os_release_attr('id') + if distro_id: + return normalize(distro_id, NORMALIZED_OS_ID) + + distro_id = self.lsb_release_attr('distributor_id') + if distro_id: + return normalize(distro_id, NORMALIZED_LSB_ID) + + distro_id = self.distro_release_attr('id') + if distro_id: + return normalize(distro_id, NORMALIZED_DISTRO_ID) + + distro_id = self.uname_attr('id') + if distro_id: + return normalize(distro_id, NORMALIZED_DISTRO_ID) + + return '' + + def name(self, pretty=False): + """ + Return the name of the OS distribution, as a string. + + For details, see :func:`distro.name`. + """ + name = self.os_release_attr('name') \ + or self.lsb_release_attr('distributor_id') \ + or self.distro_release_attr('name') \ + or self.uname_attr('name') + if pretty: + name = self.os_release_attr('pretty_name') \ + or self.lsb_release_attr('description') + if not name: + name = self.distro_release_attr('name') \ + or self.uname_attr('name') + version = self.version(pretty=True) + if version: + name = name + ' ' + version + return name or '' + + def version(self, pretty=False, best=False): + """ + Return the version of the OS distribution, as a string. + + For details, see :func:`distro.version`. + """ + versions = [ + self.os_release_attr('version_id'), + self.lsb_release_attr('release'), + self.distro_release_attr('version_id'), + self._parse_distro_release_content( + self.os_release_attr('pretty_name')).get('version_id', ''), + self._parse_distro_release_content( + self.lsb_release_attr('description')).get('version_id', ''), + self.uname_attr('release') + ] + version = '' + if best: + # This algorithm uses the last version in priority order that has + # the best precision. If the versions are not in conflict, that + # does not matter; otherwise, using the last one instead of the + # first one might be considered a surprise. + for v in versions: + if v.count(".") > version.count(".") or version == '': + version = v + else: + for v in versions: + if v != '': + version = v + break + if pretty and version and self.codename(): + version = u'{0} ({1})'.format(version, self.codename()) + return version + + def version_parts(self, best=False): + """ + Return the version of the OS distribution, as a tuple of version + numbers. + + For details, see :func:`distro.version_parts`. + """ + version_str = self.version(best=best) + if version_str: + version_regex = re.compile(r'(\d+)\.?(\d+)?\.?(\d+)?') + matches = version_regex.match(version_str) + if matches: + major, minor, build_number = matches.groups() + return major, minor or '', build_number or '' + return '', '', '' + + def major_version(self, best=False): + """ + Return the major version number of the current distribution. + + For details, see :func:`distro.major_version`. + """ + return self.version_parts(best)[0] + + def minor_version(self, best=False): + """ + Return the minor version number of the current distribution. + + For details, see :func:`distro.minor_version`. + """ + return self.version_parts(best)[1] + + def build_number(self, best=False): + """ + Return the build number of the current distribution. + + For details, see :func:`distro.build_number`. + """ + return self.version_parts(best)[2] + + def like(self): + """ + Return the IDs of distributions that are like the OS distribution. + + For details, see :func:`distro.like`. + """ + return self.os_release_attr('id_like') or '' + + def codename(self): + """ + Return the codename of the OS distribution. + + For details, see :func:`distro.codename`. + """ + return self.os_release_attr('codename') \ + or self.lsb_release_attr('codename') \ + or self.distro_release_attr('codename') \ + or '' + + def info(self, pretty=False, best=False): + """ + Return certain machine-readable information about the OS + distribution. + + For details, see :func:`distro.info`. + """ + return dict( + id=self.id(), + version=self.version(pretty, best), + version_parts=dict( + major=self.major_version(best), + minor=self.minor_version(best), + build_number=self.build_number(best) + ), + like=self.like(), + codename=self.codename(), + ) + + def os_release_info(self): + """ + Return a dictionary containing key-value pairs for the information + items from the os-release file data source of the OS distribution. + + For details, see :func:`distro.os_release_info`. + """ + return self._os_release_info + + def lsb_release_info(self): + """ + Return a dictionary containing key-value pairs for the information + items from the lsb_release command data source of the OS + distribution. + + For details, see :func:`distro.lsb_release_info`. + """ + return self._lsb_release_info + + def distro_release_info(self): + """ + Return a dictionary containing key-value pairs for the information + items from the distro release file data source of the OS + distribution. + + For details, see :func:`distro.distro_release_info`. + """ + return self._distro_release_info + + def uname_info(self): + """ + Return a dictionary containing key-value pairs for the information + items from the uname command data source of the OS distribution. + + For details, see :func:`distro.uname_info`. + """ + + def os_release_attr(self, attribute): + """ + Return a single named information item from the os-release file data + source of the OS distribution. + + For details, see :func:`distro.os_release_attr`. + """ + return self._os_release_info.get(attribute, '') + + def lsb_release_attr(self, attribute): + """ + Return a single named information item from the lsb_release command + output data source of the OS distribution. + + For details, see :func:`distro.lsb_release_attr`. + """ + return self._lsb_release_info.get(attribute, '') + + def distro_release_attr(self, attribute): + """ + Return a single named information item from the distro release file + data source of the OS distribution. + + For details, see :func:`distro.distro_release_attr`. + """ + return self._distro_release_info.get(attribute, '') + + def uname_attr(self, attribute): + """ + Return a single named information item from the uname command + output data source of the OS distribution. + + For details, see :func:`distro.uname_release_attr`. + """ + return self._uname_info.get(attribute, '') + + @cached_property + def _os_release_info(self): + """ + Get the information items from the specified os-release file. + + Returns: + A dictionary containing all information items. + """ + if os.path.isfile(self.os_release_file): + with open(self.os_release_file) as release_file: + return self._parse_os_release_content(release_file) + return {} + + @staticmethod + def _parse_os_release_content(lines): + """ + Parse the lines of an os-release file. + + Parameters: + + * lines: Iterable through the lines in the os-release file. + Each line must be a unicode string or a UTF-8 encoded byte + string. + + Returns: + A dictionary containing all information items. + """ + props = {} + lexer = shlex.shlex(lines, posix=True) + lexer.whitespace_split = True + + # The shlex module defines its `wordchars` variable using literals, + # making it dependent on the encoding of the Python source file. + # In Python 2.6 and 2.7, the shlex source file is encoded in + # 'iso-8859-1', and the `wordchars` variable is defined as a byte + # string. This causes a UnicodeDecodeError to be raised when the + # parsed content is a unicode object. The following fix resolves that + # (... but it should be fixed in shlex...): + if sys.version_info[0] == 2 and isinstance(lexer.wordchars, bytes): + lexer.wordchars = lexer.wordchars.decode('iso-8859-1') + + tokens = list(lexer) + for token in tokens: + # At this point, all shell-like parsing has been done (i.e. + # comments processed, quotes and backslash escape sequences + # processed, multi-line values assembled, trailing newlines + # stripped, etc.), so the tokens are now either: + # * variable assignments: var=value + # * commands or their arguments (not allowed in os-release) + if '=' in token: + k, v = token.split('=', 1) + if isinstance(v, bytes): + v = v.decode('utf-8') + props[k.lower()] = v + if k == 'VERSION': + # this handles cases in which the codename is in + # the `(CODENAME)` (rhel, centos, fedora) format + # or in the `, CODENAME` format (Ubuntu). + codename = re.search(r'(\(\D+\))|,(\s+)?\D+', v) + if codename: + codename = codename.group() + codename = codename.strip('()') + codename = codename.strip(',') + codename = codename.strip() + # codename appears within paranthese. + props['codename'] = codename + else: + props['codename'] = '' + else: + # Ignore any tokens that are not variable assignments + pass + return props + + @cached_property + def _lsb_release_info(self): + """ + Get the information items from the lsb_release command output. + + Returns: + A dictionary containing all information items. + """ + if not self.include_lsb: + return {} + with open(os.devnull, 'w') as devnull: + try: + cmd = ('lsb_release', '-a') + stdout = subprocess.check_output(cmd, stderr=devnull) + except OSError: # Command not found + return {} + content = stdout.decode(sys.getfilesystemencoding()).splitlines() + return self._parse_lsb_release_content(content) + + @staticmethod + def _parse_lsb_release_content(lines): + """ + Parse the output of the lsb_release command. + + Parameters: + + * lines: Iterable through the lines of the lsb_release output. + Each line must be a unicode string or a UTF-8 encoded byte + string. + + Returns: + A dictionary containing all information items. + """ + props = {} + for line in lines: + kv = line.strip('\n').split(':', 1) + if len(kv) != 2: + # Ignore lines without colon. + continue + k, v = kv + props.update({k.replace(' ', '_').lower(): v.strip()}) + return props + + @cached_property + def _uname_info(self): + with open(os.devnull, 'w') as devnull: + try: + cmd = ('uname', '-rs') + stdout = subprocess.check_output(cmd, stderr=devnull) + except OSError: + return {} + content = stdout.decode(sys.getfilesystemencoding()).splitlines() + return self._parse_uname_content(content) + + @staticmethod + def _parse_uname_content(lines): + props = {} + match = re.search(r'^([^\s]+)\s+([\d\.]+)', lines[0].strip()) + if match: + name, version = match.groups() + + # This is to prevent the Linux kernel version from + # appearing as the 'best' version on otherwise + # identifiable distributions. + if name == 'Linux': + return {} + props['id'] = name.lower() + props['name'] = name + props['release'] = version + return props + + @cached_property + def _distro_release_info(self): + """ + Get the information items from the specified distro release file. + + Returns: + A dictionary containing all information items. + """ + if self.distro_release_file: + # If it was specified, we use it and parse what we can, even if + # its file name or content does not match the expected pattern. + distro_info = self._parse_distro_release_file( + self.distro_release_file) + basename = os.path.basename(self.distro_release_file) + # The file name pattern for user-specified distro release files + # is somewhat more tolerant (compared to when searching for the + # file), because we want to use what was specified as best as + # possible. + match = _DISTRO_RELEASE_BASENAME_PATTERN.match(basename) + if match: + distro_info['id'] = match.group(1) + return distro_info + else: + try: + basenames = os.listdir(_UNIXCONFDIR) + # We sort for repeatability in cases where there are multiple + # distro specific files; e.g. CentOS, Oracle, Enterprise all + # containing `redhat-release` on top of their own. + basenames.sort() + except OSError: + # This may occur when /etc is not readable but we can't be + # sure about the *-release files. Check common entries of + # /etc for information. If they turn out to not be there the + # error is handled in `_parse_distro_release_file()`. + basenames = ['SuSE-release', + 'arch-release', + 'base-release', + 'centos-release', + 'fedora-release', + 'gentoo-release', + 'mageia-release', + 'mandrake-release', + 'mandriva-release', + 'mandrivalinux-release', + 'manjaro-release', + 'oracle-release', + 'redhat-release', + 'sl-release', + 'slackware-version'] + for basename in basenames: + if basename in _DISTRO_RELEASE_IGNORE_BASENAMES: + continue + match = _DISTRO_RELEASE_BASENAME_PATTERN.match(basename) + if match: + filepath = os.path.join(_UNIXCONFDIR, basename) + distro_info = self._parse_distro_release_file(filepath) + if 'name' in distro_info: + # The name is always present if the pattern matches + self.distro_release_file = filepath + distro_info['id'] = match.group(1) + return distro_info + return {} + + def _parse_distro_release_file(self, filepath): + """ + Parse a distro release file. + + Parameters: + + * filepath: Path name of the distro release file. + + Returns: + A dictionary containing all information items. + """ + try: + with open(filepath) as fp: + # Only parse the first line. For instance, on SLES there + # are multiple lines. We don't want them... + return self._parse_distro_release_content(fp.readline()) + except (OSError, IOError): + # Ignore not being able to read a specific, seemingly version + # related file. + # See https://github.com/nir0s/distro/issues/162 + return {} + + @staticmethod + def _parse_distro_release_content(line): + """ + Parse a line from a distro release file. + + Parameters: + * line: Line from the distro release file. Must be a unicode string + or a UTF-8 encoded byte string. + + Returns: + A dictionary containing all information items. + """ + if isinstance(line, bytes): + line = line.decode('utf-8') + matches = _DISTRO_RELEASE_CONTENT_REVERSED_PATTERN.match( + line.strip()[::-1]) + distro_info = {} + if matches: + # regexp ensures non-None + distro_info['name'] = matches.group(3)[::-1] + if matches.group(2): + distro_info['version_id'] = matches.group(2)[::-1] + if matches.group(1): + distro_info['codename'] = matches.group(1)[::-1] + elif line: + distro_info['name'] = line.strip() + return distro_info + + +_distro = LinuxDistribution() + + +def main(): + logger = logging.getLogger(__name__) + logger.setLevel(logging.DEBUG) + logger.addHandler(logging.StreamHandler(sys.stdout)) + + parser = argparse.ArgumentParser(description="OS distro info tool") + parser.add_argument( + '--json', + '-j', + help="Output in machine readable format", + action="store_true") + args = parser.parse_args() + + if args.json: + logger.info(json.dumps(info(), indent=4, sort_keys=True)) + else: + logger.info('Name: %s', name(pretty=True)) + distribution_version = version(pretty=True) + logger.info('Version: %s', distribution_version) + distribution_codename = codename() + logger.info('Codename: %s', distribution_codename) + + +if __name__ == '__main__': + main() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/__init__.py new file mode 100644 index 0000000..0491234 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/__init__.py @@ -0,0 +1,35 @@ +""" +HTML parsing library based on the `WHATWG HTML specification +<https://whatwg.org/html>`_. The parser is designed to be compatible with +existing HTML found in the wild and implements well-defined error recovery that +is largely compatible with modern desktop web browsers. + +Example usage:: + + from pip._vendor import html5lib + with open("my_document.html", "rb") as f: + tree = html5lib.parse(f) + +For convenience, this module re-exports the following names: + +* :func:`~.html5parser.parse` +* :func:`~.html5parser.parseFragment` +* :class:`~.html5parser.HTMLParser` +* :func:`~.treebuilders.getTreeBuilder` +* :func:`~.treewalkers.getTreeWalker` +* :func:`~.serializer.serialize` +""" + +from __future__ import absolute_import, division, unicode_literals + +from .html5parser import HTMLParser, parse, parseFragment +from .treebuilders import getTreeBuilder +from .treewalkers import getTreeWalker +from .serializer import serialize + +__all__ = ["HTMLParser", "parse", "parseFragment", "getTreeBuilder", + "getTreeWalker", "serialize"] + +# this has to be at the top level, see how setup.py parses this +#: Distribution version number. +__version__ = "1.0.1" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_ihatexml.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_ihatexml.py new file mode 100644 index 0000000..4c77717 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_ihatexml.py @@ -0,0 +1,288 @@ +from __future__ import absolute_import, division, unicode_literals + +import re +import warnings + +from .constants import DataLossWarning + +baseChar = """ +[#x0041-#x005A] | [#x0061-#x007A] | [#x00C0-#x00D6] | [#x00D8-#x00F6] | +[#x00F8-#x00FF] | [#x0100-#x0131] | [#x0134-#x013E] | [#x0141-#x0148] | +[#x014A-#x017E] | [#x0180-#x01C3] | [#x01CD-#x01F0] | [#x01F4-#x01F5] | +[#x01FA-#x0217] | [#x0250-#x02A8] | [#x02BB-#x02C1] | #x0386 | +[#x0388-#x038A] | #x038C | [#x038E-#x03A1] | [#x03A3-#x03CE] | +[#x03D0-#x03D6] | #x03DA | #x03DC | #x03DE | #x03E0 | [#x03E2-#x03F3] | +[#x0401-#x040C] | [#x040E-#x044F] | [#x0451-#x045C] | [#x045E-#x0481] | +[#x0490-#x04C4] | [#x04C7-#x04C8] | [#x04CB-#x04CC] | [#x04D0-#x04EB] | +[#x04EE-#x04F5] | [#x04F8-#x04F9] | [#x0531-#x0556] | #x0559 | +[#x0561-#x0586] | [#x05D0-#x05EA] | [#x05F0-#x05F2] | [#x0621-#x063A] | +[#x0641-#x064A] | [#x0671-#x06B7] | [#x06BA-#x06BE] | [#x06C0-#x06CE] | +[#x06D0-#x06D3] | #x06D5 | [#x06E5-#x06E6] | [#x0905-#x0939] | #x093D | +[#x0958-#x0961] | [#x0985-#x098C] | [#x098F-#x0990] | [#x0993-#x09A8] | +[#x09AA-#x09B0] | #x09B2 | [#x09B6-#x09B9] | [#x09DC-#x09DD] | +[#x09DF-#x09E1] | [#x09F0-#x09F1] | [#x0A05-#x0A0A] | [#x0A0F-#x0A10] | +[#x0A13-#x0A28] | [#x0A2A-#x0A30] | [#x0A32-#x0A33] | [#x0A35-#x0A36] | +[#x0A38-#x0A39] | [#x0A59-#x0A5C] | #x0A5E | [#x0A72-#x0A74] | +[#x0A85-#x0A8B] | #x0A8D | [#x0A8F-#x0A91] | [#x0A93-#x0AA8] | +[#x0AAA-#x0AB0] | [#x0AB2-#x0AB3] | [#x0AB5-#x0AB9] | #x0ABD | #x0AE0 | +[#x0B05-#x0B0C] | [#x0B0F-#x0B10] | [#x0B13-#x0B28] | [#x0B2A-#x0B30] | +[#x0B32-#x0B33] | [#x0B36-#x0B39] | #x0B3D | [#x0B5C-#x0B5D] | +[#x0B5F-#x0B61] | [#x0B85-#x0B8A] | [#x0B8E-#x0B90] | [#x0B92-#x0B95] | +[#x0B99-#x0B9A] | #x0B9C | [#x0B9E-#x0B9F] | [#x0BA3-#x0BA4] | +[#x0BA8-#x0BAA] | [#x0BAE-#x0BB5] | [#x0BB7-#x0BB9] | [#x0C05-#x0C0C] | +[#x0C0E-#x0C10] | [#x0C12-#x0C28] | [#x0C2A-#x0C33] | [#x0C35-#x0C39] | +[#x0C60-#x0C61] | [#x0C85-#x0C8C] | [#x0C8E-#x0C90] | [#x0C92-#x0CA8] | +[#x0CAA-#x0CB3] | [#x0CB5-#x0CB9] | #x0CDE | [#x0CE0-#x0CE1] | +[#x0D05-#x0D0C] | [#x0D0E-#x0D10] | [#x0D12-#x0D28] | [#x0D2A-#x0D39] | +[#x0D60-#x0D61] | [#x0E01-#x0E2E] | #x0E30 | [#x0E32-#x0E33] | +[#x0E40-#x0E45] | [#x0E81-#x0E82] | #x0E84 | [#x0E87-#x0E88] | #x0E8A | +#x0E8D | [#x0E94-#x0E97] | [#x0E99-#x0E9F] | [#x0EA1-#x0EA3] | #x0EA5 | +#x0EA7 | [#x0EAA-#x0EAB] | [#x0EAD-#x0EAE] | #x0EB0 | [#x0EB2-#x0EB3] | +#x0EBD | [#x0EC0-#x0EC4] | [#x0F40-#x0F47] | [#x0F49-#x0F69] | +[#x10A0-#x10C5] | [#x10D0-#x10F6] | #x1100 | [#x1102-#x1103] | +[#x1105-#x1107] | #x1109 | [#x110B-#x110C] | [#x110E-#x1112] | #x113C | +#x113E | #x1140 | #x114C | #x114E | #x1150 | [#x1154-#x1155] | #x1159 | +[#x115F-#x1161] | #x1163 | #x1165 | #x1167 | #x1169 | [#x116D-#x116E] | +[#x1172-#x1173] | #x1175 | #x119E | #x11A8 | #x11AB | [#x11AE-#x11AF] | +[#x11B7-#x11B8] | #x11BA | [#x11BC-#x11C2] | #x11EB | #x11F0 | #x11F9 | +[#x1E00-#x1E9B] | [#x1EA0-#x1EF9] | [#x1F00-#x1F15] | [#x1F18-#x1F1D] | +[#x1F20-#x1F45] | [#x1F48-#x1F4D] | [#x1F50-#x1F57] | #x1F59 | #x1F5B | +#x1F5D | [#x1F5F-#x1F7D] | [#x1F80-#x1FB4] | [#x1FB6-#x1FBC] | #x1FBE | +[#x1FC2-#x1FC4] | [#x1FC6-#x1FCC] | [#x1FD0-#x1FD3] | [#x1FD6-#x1FDB] | +[#x1FE0-#x1FEC] | [#x1FF2-#x1FF4] | [#x1FF6-#x1FFC] | #x2126 | +[#x212A-#x212B] | #x212E | [#x2180-#x2182] | [#x3041-#x3094] | +[#x30A1-#x30FA] | [#x3105-#x312C] | [#xAC00-#xD7A3]""" + +ideographic = """[#x4E00-#x9FA5] | #x3007 | [#x3021-#x3029]""" + +combiningCharacter = """ +[#x0300-#x0345] | [#x0360-#x0361] | [#x0483-#x0486] | [#x0591-#x05A1] | +[#x05A3-#x05B9] | [#x05BB-#x05BD] | #x05BF | [#x05C1-#x05C2] | #x05C4 | +[#x064B-#x0652] | #x0670 | [#x06D6-#x06DC] | [#x06DD-#x06DF] | +[#x06E0-#x06E4] | [#x06E7-#x06E8] | [#x06EA-#x06ED] | [#x0901-#x0903] | +#x093C | [#x093E-#x094C] | #x094D | [#x0951-#x0954] | [#x0962-#x0963] | +[#x0981-#x0983] | #x09BC | #x09BE | #x09BF | [#x09C0-#x09C4] | +[#x09C7-#x09C8] | [#x09CB-#x09CD] | #x09D7 | [#x09E2-#x09E3] | #x0A02 | +#x0A3C | #x0A3E | #x0A3F | [#x0A40-#x0A42] | [#x0A47-#x0A48] | +[#x0A4B-#x0A4D] | [#x0A70-#x0A71] | [#x0A81-#x0A83] | #x0ABC | +[#x0ABE-#x0AC5] | [#x0AC7-#x0AC9] | [#x0ACB-#x0ACD] | [#x0B01-#x0B03] | +#x0B3C | [#x0B3E-#x0B43] | [#x0B47-#x0B48] | [#x0B4B-#x0B4D] | +[#x0B56-#x0B57] | [#x0B82-#x0B83] | [#x0BBE-#x0BC2] | [#x0BC6-#x0BC8] | +[#x0BCA-#x0BCD] | #x0BD7 | [#x0C01-#x0C03] | [#x0C3E-#x0C44] | +[#x0C46-#x0C48] | [#x0C4A-#x0C4D] | [#x0C55-#x0C56] | [#x0C82-#x0C83] | +[#x0CBE-#x0CC4] | [#x0CC6-#x0CC8] | [#x0CCA-#x0CCD] | [#x0CD5-#x0CD6] | +[#x0D02-#x0D03] | [#x0D3E-#x0D43] | [#x0D46-#x0D48] | [#x0D4A-#x0D4D] | +#x0D57 | #x0E31 | [#x0E34-#x0E3A] | [#x0E47-#x0E4E] | #x0EB1 | +[#x0EB4-#x0EB9] | [#x0EBB-#x0EBC] | [#x0EC8-#x0ECD] | [#x0F18-#x0F19] | +#x0F35 | #x0F37 | #x0F39 | #x0F3E | #x0F3F | [#x0F71-#x0F84] | +[#x0F86-#x0F8B] | [#x0F90-#x0F95] | #x0F97 | [#x0F99-#x0FAD] | +[#x0FB1-#x0FB7] | #x0FB9 | [#x20D0-#x20DC] | #x20E1 | [#x302A-#x302F] | +#x3099 | #x309A""" + +digit = """ +[#x0030-#x0039] | [#x0660-#x0669] | [#x06F0-#x06F9] | [#x0966-#x096F] | +[#x09E6-#x09EF] | [#x0A66-#x0A6F] | [#x0AE6-#x0AEF] | [#x0B66-#x0B6F] | +[#x0BE7-#x0BEF] | [#x0C66-#x0C6F] | [#x0CE6-#x0CEF] | [#x0D66-#x0D6F] | +[#x0E50-#x0E59] | [#x0ED0-#x0ED9] | [#x0F20-#x0F29]""" + +extender = """ +#x00B7 | #x02D0 | #x02D1 | #x0387 | #x0640 | #x0E46 | #x0EC6 | #x3005 | +#[#x3031-#x3035] | [#x309D-#x309E] | [#x30FC-#x30FE]""" + +letter = " | ".join([baseChar, ideographic]) + +# Without the +name = " | ".join([letter, digit, ".", "-", "_", combiningCharacter, + extender]) +nameFirst = " | ".join([letter, "_"]) + +reChar = re.compile(r"#x([\d|A-F]{4,4})") +reCharRange = re.compile(r"\[#x([\d|A-F]{4,4})-#x([\d|A-F]{4,4})\]") + + +def charStringToList(chars): + charRanges = [item.strip() for item in chars.split(" | ")] + rv = [] + for item in charRanges: + foundMatch = False + for regexp in (reChar, reCharRange): + match = regexp.match(item) + if match is not None: + rv.append([hexToInt(item) for item in match.groups()]) + if len(rv[-1]) == 1: + rv[-1] = rv[-1] * 2 + foundMatch = True + break + if not foundMatch: + assert len(item) == 1 + + rv.append([ord(item)] * 2) + rv = normaliseCharList(rv) + return rv + + +def normaliseCharList(charList): + charList = sorted(charList) + for item in charList: + assert item[1] >= item[0] + rv = [] + i = 0 + while i < len(charList): + j = 1 + rv.append(charList[i]) + while i + j < len(charList) and charList[i + j][0] <= rv[-1][1] + 1: + rv[-1][1] = charList[i + j][1] + j += 1 + i += j + return rv + +# We don't really support characters above the BMP :( +max_unicode = int("FFFF", 16) + + +def missingRanges(charList): + rv = [] + if charList[0] != 0: + rv.append([0, charList[0][0] - 1]) + for i, item in enumerate(charList[:-1]): + rv.append([item[1] + 1, charList[i + 1][0] - 1]) + if charList[-1][1] != max_unicode: + rv.append([charList[-1][1] + 1, max_unicode]) + return rv + + +def listToRegexpStr(charList): + rv = [] + for item in charList: + if item[0] == item[1]: + rv.append(escapeRegexp(chr(item[0]))) + else: + rv.append(escapeRegexp(chr(item[0])) + "-" + + escapeRegexp(chr(item[1]))) + return "[%s]" % "".join(rv) + + +def hexToInt(hex_str): + return int(hex_str, 16) + + +def escapeRegexp(string): + specialCharacters = (".", "^", "$", "*", "+", "?", "{", "}", + "[", "]", "|", "(", ")", "-") + for char in specialCharacters: + string = string.replace(char, "\\" + char) + + return string + +# output from the above +nonXmlNameBMPRegexp = re.compile('[\x00-,/:-@\\[-\\^`\\{-\xb6\xb8-\xbf\xd7\xf7\u0132-\u0133\u013f-\u0140\u0149\u017f\u01c4-\u01cc\u01f1-\u01f3\u01f6-\u01f9\u0218-\u024f\u02a9-\u02ba\u02c2-\u02cf\u02d2-\u02ff\u0346-\u035f\u0362-\u0385\u038b\u038d\u03a2\u03cf\u03d7-\u03d9\u03db\u03dd\u03df\u03e1\u03f4-\u0400\u040d\u0450\u045d\u0482\u0487-\u048f\u04c5-\u04c6\u04c9-\u04ca\u04cd-\u04cf\u04ec-\u04ed\u04f6-\u04f7\u04fa-\u0530\u0557-\u0558\u055a-\u0560\u0587-\u0590\u05a2\u05ba\u05be\u05c0\u05c3\u05c5-\u05cf\u05eb-\u05ef\u05f3-\u0620\u063b-\u063f\u0653-\u065f\u066a-\u066f\u06b8-\u06b9\u06bf\u06cf\u06d4\u06e9\u06ee-\u06ef\u06fa-\u0900\u0904\u093a-\u093b\u094e-\u0950\u0955-\u0957\u0964-\u0965\u0970-\u0980\u0984\u098d-\u098e\u0991-\u0992\u09a9\u09b1\u09b3-\u09b5\u09ba-\u09bb\u09bd\u09c5-\u09c6\u09c9-\u09ca\u09ce-\u09d6\u09d8-\u09db\u09de\u09e4-\u09e5\u09f2-\u0a01\u0a03-\u0a04\u0a0b-\u0a0e\u0a11-\u0a12\u0a29\u0a31\u0a34\u0a37\u0a3a-\u0a3b\u0a3d\u0a43-\u0a46\u0a49-\u0a4a\u0a4e-\u0a58\u0a5d\u0a5f-\u0a65\u0a75-\u0a80\u0a84\u0a8c\u0a8e\u0a92\u0aa9\u0ab1\u0ab4\u0aba-\u0abb\u0ac6\u0aca\u0ace-\u0adf\u0ae1-\u0ae5\u0af0-\u0b00\u0b04\u0b0d-\u0b0e\u0b11-\u0b12\u0b29\u0b31\u0b34-\u0b35\u0b3a-\u0b3b\u0b44-\u0b46\u0b49-\u0b4a\u0b4e-\u0b55\u0b58-\u0b5b\u0b5e\u0b62-\u0b65\u0b70-\u0b81\u0b84\u0b8b-\u0b8d\u0b91\u0b96-\u0b98\u0b9b\u0b9d\u0ba0-\u0ba2\u0ba5-\u0ba7\u0bab-\u0bad\u0bb6\u0bba-\u0bbd\u0bc3-\u0bc5\u0bc9\u0bce-\u0bd6\u0bd8-\u0be6\u0bf0-\u0c00\u0c04\u0c0d\u0c11\u0c29\u0c34\u0c3a-\u0c3d\u0c45\u0c49\u0c4e-\u0c54\u0c57-\u0c5f\u0c62-\u0c65\u0c70-\u0c81\u0c84\u0c8d\u0c91\u0ca9\u0cb4\u0cba-\u0cbd\u0cc5\u0cc9\u0cce-\u0cd4\u0cd7-\u0cdd\u0cdf\u0ce2-\u0ce5\u0cf0-\u0d01\u0d04\u0d0d\u0d11\u0d29\u0d3a-\u0d3d\u0d44-\u0d45\u0d49\u0d4e-\u0d56\u0d58-\u0d5f\u0d62-\u0d65\u0d70-\u0e00\u0e2f\u0e3b-\u0e3f\u0e4f\u0e5a-\u0e80\u0e83\u0e85-\u0e86\u0e89\u0e8b-\u0e8c\u0e8e-\u0e93\u0e98\u0ea0\u0ea4\u0ea6\u0ea8-\u0ea9\u0eac\u0eaf\u0eba\u0ebe-\u0ebf\u0ec5\u0ec7\u0ece-\u0ecf\u0eda-\u0f17\u0f1a-\u0f1f\u0f2a-\u0f34\u0f36\u0f38\u0f3a-\u0f3d\u0f48\u0f6a-\u0f70\u0f85\u0f8c-\u0f8f\u0f96\u0f98\u0fae-\u0fb0\u0fb8\u0fba-\u109f\u10c6-\u10cf\u10f7-\u10ff\u1101\u1104\u1108\u110a\u110d\u1113-\u113b\u113d\u113f\u1141-\u114b\u114d\u114f\u1151-\u1153\u1156-\u1158\u115a-\u115e\u1162\u1164\u1166\u1168\u116a-\u116c\u116f-\u1171\u1174\u1176-\u119d\u119f-\u11a7\u11a9-\u11aa\u11ac-\u11ad\u11b0-\u11b6\u11b9\u11bb\u11c3-\u11ea\u11ec-\u11ef\u11f1-\u11f8\u11fa-\u1dff\u1e9c-\u1e9f\u1efa-\u1eff\u1f16-\u1f17\u1f1e-\u1f1f\u1f46-\u1f47\u1f4e-\u1f4f\u1f58\u1f5a\u1f5c\u1f5e\u1f7e-\u1f7f\u1fb5\u1fbd\u1fbf-\u1fc1\u1fc5\u1fcd-\u1fcf\u1fd4-\u1fd5\u1fdc-\u1fdf\u1fed-\u1ff1\u1ff5\u1ffd-\u20cf\u20dd-\u20e0\u20e2-\u2125\u2127-\u2129\u212c-\u212d\u212f-\u217f\u2183-\u3004\u3006\u3008-\u3020\u3030\u3036-\u3040\u3095-\u3098\u309b-\u309c\u309f-\u30a0\u30fb\u30ff-\u3104\u312d-\u4dff\u9fa6-\uabff\ud7a4-\uffff]') # noqa + +nonXmlNameFirstBMPRegexp = re.compile('[\x00-@\\[-\\^`\\{-\xbf\xd7\xf7\u0132-\u0133\u013f-\u0140\u0149\u017f\u01c4-\u01cc\u01f1-\u01f3\u01f6-\u01f9\u0218-\u024f\u02a9-\u02ba\u02c2-\u0385\u0387\u038b\u038d\u03a2\u03cf\u03d7-\u03d9\u03db\u03dd\u03df\u03e1\u03f4-\u0400\u040d\u0450\u045d\u0482-\u048f\u04c5-\u04c6\u04c9-\u04ca\u04cd-\u04cf\u04ec-\u04ed\u04f6-\u04f7\u04fa-\u0530\u0557-\u0558\u055a-\u0560\u0587-\u05cf\u05eb-\u05ef\u05f3-\u0620\u063b-\u0640\u064b-\u0670\u06b8-\u06b9\u06bf\u06cf\u06d4\u06d6-\u06e4\u06e7-\u0904\u093a-\u093c\u093e-\u0957\u0962-\u0984\u098d-\u098e\u0991-\u0992\u09a9\u09b1\u09b3-\u09b5\u09ba-\u09db\u09de\u09e2-\u09ef\u09f2-\u0a04\u0a0b-\u0a0e\u0a11-\u0a12\u0a29\u0a31\u0a34\u0a37\u0a3a-\u0a58\u0a5d\u0a5f-\u0a71\u0a75-\u0a84\u0a8c\u0a8e\u0a92\u0aa9\u0ab1\u0ab4\u0aba-\u0abc\u0abe-\u0adf\u0ae1-\u0b04\u0b0d-\u0b0e\u0b11-\u0b12\u0b29\u0b31\u0b34-\u0b35\u0b3a-\u0b3c\u0b3e-\u0b5b\u0b5e\u0b62-\u0b84\u0b8b-\u0b8d\u0b91\u0b96-\u0b98\u0b9b\u0b9d\u0ba0-\u0ba2\u0ba5-\u0ba7\u0bab-\u0bad\u0bb6\u0bba-\u0c04\u0c0d\u0c11\u0c29\u0c34\u0c3a-\u0c5f\u0c62-\u0c84\u0c8d\u0c91\u0ca9\u0cb4\u0cba-\u0cdd\u0cdf\u0ce2-\u0d04\u0d0d\u0d11\u0d29\u0d3a-\u0d5f\u0d62-\u0e00\u0e2f\u0e31\u0e34-\u0e3f\u0e46-\u0e80\u0e83\u0e85-\u0e86\u0e89\u0e8b-\u0e8c\u0e8e-\u0e93\u0e98\u0ea0\u0ea4\u0ea6\u0ea8-\u0ea9\u0eac\u0eaf\u0eb1\u0eb4-\u0ebc\u0ebe-\u0ebf\u0ec5-\u0f3f\u0f48\u0f6a-\u109f\u10c6-\u10cf\u10f7-\u10ff\u1101\u1104\u1108\u110a\u110d\u1113-\u113b\u113d\u113f\u1141-\u114b\u114d\u114f\u1151-\u1153\u1156-\u1158\u115a-\u115e\u1162\u1164\u1166\u1168\u116a-\u116c\u116f-\u1171\u1174\u1176-\u119d\u119f-\u11a7\u11a9-\u11aa\u11ac-\u11ad\u11b0-\u11b6\u11b9\u11bb\u11c3-\u11ea\u11ec-\u11ef\u11f1-\u11f8\u11fa-\u1dff\u1e9c-\u1e9f\u1efa-\u1eff\u1f16-\u1f17\u1f1e-\u1f1f\u1f46-\u1f47\u1f4e-\u1f4f\u1f58\u1f5a\u1f5c\u1f5e\u1f7e-\u1f7f\u1fb5\u1fbd\u1fbf-\u1fc1\u1fc5\u1fcd-\u1fcf\u1fd4-\u1fd5\u1fdc-\u1fdf\u1fed-\u1ff1\u1ff5\u1ffd-\u2125\u2127-\u2129\u212c-\u212d\u212f-\u217f\u2183-\u3006\u3008-\u3020\u302a-\u3040\u3095-\u30a0\u30fb-\u3104\u312d-\u4dff\u9fa6-\uabff\ud7a4-\uffff]') # noqa + +# Simpler things +nonPubidCharRegexp = re.compile("[^\x20\x0D\x0Aa-zA-Z0-9\\-'()+,./:=?;!*#@$_%]") + + +class InfosetFilter(object): + replacementRegexp = re.compile(r"U[\dA-F]{5,5}") + + def __init__(self, + dropXmlnsLocalName=False, + dropXmlnsAttrNs=False, + preventDoubleDashComments=False, + preventDashAtCommentEnd=False, + replaceFormFeedCharacters=True, + preventSingleQuotePubid=False): + + self.dropXmlnsLocalName = dropXmlnsLocalName + self.dropXmlnsAttrNs = dropXmlnsAttrNs + + self.preventDoubleDashComments = preventDoubleDashComments + self.preventDashAtCommentEnd = preventDashAtCommentEnd + + self.replaceFormFeedCharacters = replaceFormFeedCharacters + + self.preventSingleQuotePubid = preventSingleQuotePubid + + self.replaceCache = {} + + def coerceAttribute(self, name, namespace=None): + if self.dropXmlnsLocalName and name.startswith("xmlns:"): + warnings.warn("Attributes cannot begin with xmlns", DataLossWarning) + return None + elif (self.dropXmlnsAttrNs and + namespace == "http://www.w3.org/2000/xmlns/"): + warnings.warn("Attributes cannot be in the xml namespace", DataLossWarning) + return None + else: + return self.toXmlName(name) + + def coerceElement(self, name): + return self.toXmlName(name) + + def coerceComment(self, data): + if self.preventDoubleDashComments: + while "--" in data: + warnings.warn("Comments cannot contain adjacent dashes", DataLossWarning) + data = data.replace("--", "- -") + if data.endswith("-"): + warnings.warn("Comments cannot end in a dash", DataLossWarning) + data += " " + return data + + def coerceCharacters(self, data): + if self.replaceFormFeedCharacters: + for _ in range(data.count("\x0C")): + warnings.warn("Text cannot contain U+000C", DataLossWarning) + data = data.replace("\x0C", " ") + # Other non-xml characters + return data + + def coercePubid(self, data): + dataOutput = data + for char in nonPubidCharRegexp.findall(data): + warnings.warn("Coercing non-XML pubid", DataLossWarning) + replacement = self.getReplacementCharacter(char) + dataOutput = dataOutput.replace(char, replacement) + if self.preventSingleQuotePubid and dataOutput.find("'") >= 0: + warnings.warn("Pubid cannot contain single quote", DataLossWarning) + dataOutput = dataOutput.replace("'", self.getReplacementCharacter("'")) + return dataOutput + + def toXmlName(self, name): + nameFirst = name[0] + nameRest = name[1:] + m = nonXmlNameFirstBMPRegexp.match(nameFirst) + if m: + warnings.warn("Coercing non-XML name", DataLossWarning) + nameFirstOutput = self.getReplacementCharacter(nameFirst) + else: + nameFirstOutput = nameFirst + + nameRestOutput = nameRest + replaceChars = set(nonXmlNameBMPRegexp.findall(nameRest)) + for char in replaceChars: + warnings.warn("Coercing non-XML name", DataLossWarning) + replacement = self.getReplacementCharacter(char) + nameRestOutput = nameRestOutput.replace(char, replacement) + return nameFirstOutput + nameRestOutput + + def getReplacementCharacter(self, char): + if char in self.replaceCache: + replacement = self.replaceCache[char] + else: + replacement = self.escapeChar(char) + return replacement + + def fromXmlName(self, name): + for item in set(self.replacementRegexp.findall(name)): + name = name.replace(item, self.unescapeChar(item)) + return name + + def escapeChar(self, char): + replacement = "U%05X" % ord(char) + self.replaceCache[char] = replacement + return replacement + + def unescapeChar(self, charcode): + return chr(int(charcode[1:], 16)) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_inputstream.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_inputstream.py new file mode 100644 index 0000000..a65e55f --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_inputstream.py @@ -0,0 +1,923 @@ +from __future__ import absolute_import, division, unicode_literals + +from pip._vendor.six import text_type, binary_type +from pip._vendor.six.moves import http_client, urllib + +import codecs +import re + +from pip._vendor import webencodings + +from .constants import EOF, spaceCharacters, asciiLetters, asciiUppercase +from .constants import _ReparseException +from . import _utils + +from io import StringIO + +try: + from io import BytesIO +except ImportError: + BytesIO = StringIO + +# Non-unicode versions of constants for use in the pre-parser +spaceCharactersBytes = frozenset([item.encode("ascii") for item in spaceCharacters]) +asciiLettersBytes = frozenset([item.encode("ascii") for item in asciiLetters]) +asciiUppercaseBytes = frozenset([item.encode("ascii") for item in asciiUppercase]) +spacesAngleBrackets = spaceCharactersBytes | frozenset([b">", b"<"]) + + +invalid_unicode_no_surrogate = "[\u0001-\u0008\u000B\u000E-\u001F\u007F-\u009F\uFDD0-\uFDEF\uFFFE\uFFFF\U0001FFFE\U0001FFFF\U0002FFFE\U0002FFFF\U0003FFFE\U0003FFFF\U0004FFFE\U0004FFFF\U0005FFFE\U0005FFFF\U0006FFFE\U0006FFFF\U0007FFFE\U0007FFFF\U0008FFFE\U0008FFFF\U0009FFFE\U0009FFFF\U000AFFFE\U000AFFFF\U000BFFFE\U000BFFFF\U000CFFFE\U000CFFFF\U000DFFFE\U000DFFFF\U000EFFFE\U000EFFFF\U000FFFFE\U000FFFFF\U0010FFFE\U0010FFFF]" # noqa + +if _utils.supports_lone_surrogates: + # Use one extra step of indirection and create surrogates with + # eval. Not using this indirection would introduce an illegal + # unicode literal on platforms not supporting such lone + # surrogates. + assert invalid_unicode_no_surrogate[-1] == "]" and invalid_unicode_no_surrogate.count("]") == 1 + invalid_unicode_re = re.compile(invalid_unicode_no_surrogate[:-1] + + eval('"\\uD800-\\uDFFF"') + # pylint:disable=eval-used + "]") +else: + invalid_unicode_re = re.compile(invalid_unicode_no_surrogate) + +non_bmp_invalid_codepoints = set([0x1FFFE, 0x1FFFF, 0x2FFFE, 0x2FFFF, 0x3FFFE, + 0x3FFFF, 0x4FFFE, 0x4FFFF, 0x5FFFE, 0x5FFFF, + 0x6FFFE, 0x6FFFF, 0x7FFFE, 0x7FFFF, 0x8FFFE, + 0x8FFFF, 0x9FFFE, 0x9FFFF, 0xAFFFE, 0xAFFFF, + 0xBFFFE, 0xBFFFF, 0xCFFFE, 0xCFFFF, 0xDFFFE, + 0xDFFFF, 0xEFFFE, 0xEFFFF, 0xFFFFE, 0xFFFFF, + 0x10FFFE, 0x10FFFF]) + +ascii_punctuation_re = re.compile("[\u0009-\u000D\u0020-\u002F\u003A-\u0040\u005C\u005B-\u0060\u007B-\u007E]") + +# Cache for charsUntil() +charsUntilRegEx = {} + + +class BufferedStream(object): + """Buffering for streams that do not have buffering of their own + + The buffer is implemented as a list of chunks on the assumption that + joining many strings will be slow since it is O(n**2) + """ + + def __init__(self, stream): + self.stream = stream + self.buffer = [] + self.position = [-1, 0] # chunk number, offset + + def tell(self): + pos = 0 + for chunk in self.buffer[:self.position[0]]: + pos += len(chunk) + pos += self.position[1] + return pos + + def seek(self, pos): + assert pos <= self._bufferedBytes() + offset = pos + i = 0 + while len(self.buffer[i]) < offset: + offset -= len(self.buffer[i]) + i += 1 + self.position = [i, offset] + + def read(self, bytes): + if not self.buffer: + return self._readStream(bytes) + elif (self.position[0] == len(self.buffer) and + self.position[1] == len(self.buffer[-1])): + return self._readStream(bytes) + else: + return self._readFromBuffer(bytes) + + def _bufferedBytes(self): + return sum([len(item) for item in self.buffer]) + + def _readStream(self, bytes): + data = self.stream.read(bytes) + self.buffer.append(data) + self.position[0] += 1 + self.position[1] = len(data) + return data + + def _readFromBuffer(self, bytes): + remainingBytes = bytes + rv = [] + bufferIndex = self.position[0] + bufferOffset = self.position[1] + while bufferIndex < len(self.buffer) and remainingBytes != 0: + assert remainingBytes > 0 + bufferedData = self.buffer[bufferIndex] + + if remainingBytes <= len(bufferedData) - bufferOffset: + bytesToRead = remainingBytes + self.position = [bufferIndex, bufferOffset + bytesToRead] + else: + bytesToRead = len(bufferedData) - bufferOffset + self.position = [bufferIndex, len(bufferedData)] + bufferIndex += 1 + rv.append(bufferedData[bufferOffset:bufferOffset + bytesToRead]) + remainingBytes -= bytesToRead + + bufferOffset = 0 + + if remainingBytes: + rv.append(self._readStream(remainingBytes)) + + return b"".join(rv) + + +def HTMLInputStream(source, **kwargs): + # Work around Python bug #20007: read(0) closes the connection. + # http://bugs.python.org/issue20007 + if (isinstance(source, http_client.HTTPResponse) or + # Also check for addinfourl wrapping HTTPResponse + (isinstance(source, urllib.response.addbase) and + isinstance(source.fp, http_client.HTTPResponse))): + isUnicode = False + elif hasattr(source, "read"): + isUnicode = isinstance(source.read(0), text_type) + else: + isUnicode = isinstance(source, text_type) + + if isUnicode: + encodings = [x for x in kwargs if x.endswith("_encoding")] + if encodings: + raise TypeError("Cannot set an encoding with a unicode input, set %r" % encodings) + + return HTMLUnicodeInputStream(source, **kwargs) + else: + return HTMLBinaryInputStream(source, **kwargs) + + +class HTMLUnicodeInputStream(object): + """Provides a unicode stream of characters to the HTMLTokenizer. + + This class takes care of character encoding and removing or replacing + incorrect byte-sequences and also provides column and line tracking. + + """ + + _defaultChunkSize = 10240 + + def __init__(self, source): + """Initialises the HTMLInputStream. + + HTMLInputStream(source, [encoding]) -> Normalized stream from source + for use by html5lib. + + source can be either a file-object, local filename or a string. + + The optional encoding parameter must be a string that indicates + the encoding. If specified, that encoding will be used, + regardless of any BOM or later declaration (such as in a meta + element) + + """ + + if not _utils.supports_lone_surrogates: + # Such platforms will have already checked for such + # surrogate errors, so no need to do this checking. + self.reportCharacterErrors = None + elif len("\U0010FFFF") == 1: + self.reportCharacterErrors = self.characterErrorsUCS4 + else: + self.reportCharacterErrors = self.characterErrorsUCS2 + + # List of where new lines occur + self.newLines = [0] + + self.charEncoding = (lookupEncoding("utf-8"), "certain") + self.dataStream = self.openStream(source) + + self.reset() + + def reset(self): + self.chunk = "" + self.chunkSize = 0 + self.chunkOffset = 0 + self.errors = [] + + # number of (complete) lines in previous chunks + self.prevNumLines = 0 + # number of columns in the last line of the previous chunk + self.prevNumCols = 0 + + # Deal with CR LF and surrogates split over chunk boundaries + self._bufferedCharacter = None + + def openStream(self, source): + """Produces a file object from source. + + source can be either a file object, local filename or a string. + + """ + # Already a file object + if hasattr(source, 'read'): + stream = source + else: + stream = StringIO(source) + + return stream + + def _position(self, offset): + chunk = self.chunk + nLines = chunk.count('\n', 0, offset) + positionLine = self.prevNumLines + nLines + lastLinePos = chunk.rfind('\n', 0, offset) + if lastLinePos == -1: + positionColumn = self.prevNumCols + offset + else: + positionColumn = offset - (lastLinePos + 1) + return (positionLine, positionColumn) + + def position(self): + """Returns (line, col) of the current position in the stream.""" + line, col = self._position(self.chunkOffset) + return (line + 1, col) + + def char(self): + """ Read one character from the stream or queue if available. Return + EOF when EOF is reached. + """ + # Read a new chunk from the input stream if necessary + if self.chunkOffset >= self.chunkSize: + if not self.readChunk(): + return EOF + + chunkOffset = self.chunkOffset + char = self.chunk[chunkOffset] + self.chunkOffset = chunkOffset + 1 + + return char + + def readChunk(self, chunkSize=None): + if chunkSize is None: + chunkSize = self._defaultChunkSize + + self.prevNumLines, self.prevNumCols = self._position(self.chunkSize) + + self.chunk = "" + self.chunkSize = 0 + self.chunkOffset = 0 + + data = self.dataStream.read(chunkSize) + + # Deal with CR LF and surrogates broken across chunks + if self._bufferedCharacter: + data = self._bufferedCharacter + data + self._bufferedCharacter = None + elif not data: + # We have no more data, bye-bye stream + return False + + if len(data) > 1: + lastv = ord(data[-1]) + if lastv == 0x0D or 0xD800 <= lastv <= 0xDBFF: + self._bufferedCharacter = data[-1] + data = data[:-1] + + if self.reportCharacterErrors: + self.reportCharacterErrors(data) + + # Replace invalid characters + data = data.replace("\r\n", "\n") + data = data.replace("\r", "\n") + + self.chunk = data + self.chunkSize = len(data) + + return True + + def characterErrorsUCS4(self, data): + for _ in range(len(invalid_unicode_re.findall(data))): + self.errors.append("invalid-codepoint") + + def characterErrorsUCS2(self, data): + # Someone picked the wrong compile option + # You lose + skip = False + for match in invalid_unicode_re.finditer(data): + if skip: + continue + codepoint = ord(match.group()) + pos = match.start() + # Pretty sure there should be endianness issues here + if _utils.isSurrogatePair(data[pos:pos + 2]): + # We have a surrogate pair! + char_val = _utils.surrogatePairToCodepoint(data[pos:pos + 2]) + if char_val in non_bmp_invalid_codepoints: + self.errors.append("invalid-codepoint") + skip = True + elif (codepoint >= 0xD800 and codepoint <= 0xDFFF and + pos == len(data) - 1): + self.errors.append("invalid-codepoint") + else: + skip = False + self.errors.append("invalid-codepoint") + + def charsUntil(self, characters, opposite=False): + """ Returns a string of characters from the stream up to but not + including any character in 'characters' or EOF. 'characters' must be + a container that supports the 'in' method and iteration over its + characters. + """ + + # Use a cache of regexps to find the required characters + try: + chars = charsUntilRegEx[(characters, opposite)] + except KeyError: + if __debug__: + for c in characters: + assert(ord(c) < 128) + regex = "".join(["\\x%02x" % ord(c) for c in characters]) + if not opposite: + regex = "^%s" % regex + chars = charsUntilRegEx[(characters, opposite)] = re.compile("[%s]+" % regex) + + rv = [] + + while True: + # Find the longest matching prefix + m = chars.match(self.chunk, self.chunkOffset) + if m is None: + # If nothing matched, and it wasn't because we ran out of chunk, + # then stop + if self.chunkOffset != self.chunkSize: + break + else: + end = m.end() + # If not the whole chunk matched, return everything + # up to the part that didn't match + if end != self.chunkSize: + rv.append(self.chunk[self.chunkOffset:end]) + self.chunkOffset = end + break + # If the whole remainder of the chunk matched, + # use it all and read the next chunk + rv.append(self.chunk[self.chunkOffset:]) + if not self.readChunk(): + # Reached EOF + break + + r = "".join(rv) + return r + + def unget(self, char): + # Only one character is allowed to be ungotten at once - it must + # be consumed again before any further call to unget + if char is not None: + if self.chunkOffset == 0: + # unget is called quite rarely, so it's a good idea to do + # more work here if it saves a bit of work in the frequently + # called char and charsUntil. + # So, just prepend the ungotten character onto the current + # chunk: + self.chunk = char + self.chunk + self.chunkSize += 1 + else: + self.chunkOffset -= 1 + assert self.chunk[self.chunkOffset] == char + + +class HTMLBinaryInputStream(HTMLUnicodeInputStream): + """Provides a unicode stream of characters to the HTMLTokenizer. + + This class takes care of character encoding and removing or replacing + incorrect byte-sequences and also provides column and line tracking. + + """ + + def __init__(self, source, override_encoding=None, transport_encoding=None, + same_origin_parent_encoding=None, likely_encoding=None, + default_encoding="windows-1252", useChardet=True): + """Initialises the HTMLInputStream. + + HTMLInputStream(source, [encoding]) -> Normalized stream from source + for use by html5lib. + + source can be either a file-object, local filename or a string. + + The optional encoding parameter must be a string that indicates + the encoding. If specified, that encoding will be used, + regardless of any BOM or later declaration (such as in a meta + element) + + """ + # Raw Stream - for unicode objects this will encode to utf-8 and set + # self.charEncoding as appropriate + self.rawStream = self.openStream(source) + + HTMLUnicodeInputStream.__init__(self, self.rawStream) + + # Encoding Information + # Number of bytes to use when looking for a meta element with + # encoding information + self.numBytesMeta = 1024 + # Number of bytes to use when using detecting encoding using chardet + self.numBytesChardet = 100 + # Things from args + self.override_encoding = override_encoding + self.transport_encoding = transport_encoding + self.same_origin_parent_encoding = same_origin_parent_encoding + self.likely_encoding = likely_encoding + self.default_encoding = default_encoding + + # Determine encoding + self.charEncoding = self.determineEncoding(useChardet) + assert self.charEncoding[0] is not None + + # Call superclass + self.reset() + + def reset(self): + self.dataStream = self.charEncoding[0].codec_info.streamreader(self.rawStream, 'replace') + HTMLUnicodeInputStream.reset(self) + + def openStream(self, source): + """Produces a file object from source. + + source can be either a file object, local filename or a string. + + """ + # Already a file object + if hasattr(source, 'read'): + stream = source + else: + stream = BytesIO(source) + + try: + stream.seek(stream.tell()) + except: # pylint:disable=bare-except + stream = BufferedStream(stream) + + return stream + + def determineEncoding(self, chardet=True): + # BOMs take precedence over everything + # This will also read past the BOM if present + charEncoding = self.detectBOM(), "certain" + if charEncoding[0] is not None: + return charEncoding + + # If we've been overriden, we've been overriden + charEncoding = lookupEncoding(self.override_encoding), "certain" + if charEncoding[0] is not None: + return charEncoding + + # Now check the transport layer + charEncoding = lookupEncoding(self.transport_encoding), "certain" + if charEncoding[0] is not None: + return charEncoding + + # Look for meta elements with encoding information + charEncoding = self.detectEncodingMeta(), "tentative" + if charEncoding[0] is not None: + return charEncoding + + # Parent document encoding + charEncoding = lookupEncoding(self.same_origin_parent_encoding), "tentative" + if charEncoding[0] is not None and not charEncoding[0].name.startswith("utf-16"): + return charEncoding + + # "likely" encoding + charEncoding = lookupEncoding(self.likely_encoding), "tentative" + if charEncoding[0] is not None: + return charEncoding + + # Guess with chardet, if available + if chardet: + try: + from pip._vendor.chardet.universaldetector import UniversalDetector + except ImportError: + pass + else: + buffers = [] + detector = UniversalDetector() + while not detector.done: + buffer = self.rawStream.read(self.numBytesChardet) + assert isinstance(buffer, bytes) + if not buffer: + break + buffers.append(buffer) + detector.feed(buffer) + detector.close() + encoding = lookupEncoding(detector.result['encoding']) + self.rawStream.seek(0) + if encoding is not None: + return encoding, "tentative" + + # Try the default encoding + charEncoding = lookupEncoding(self.default_encoding), "tentative" + if charEncoding[0] is not None: + return charEncoding + + # Fallback to html5lib's default if even that hasn't worked + return lookupEncoding("windows-1252"), "tentative" + + def changeEncoding(self, newEncoding): + assert self.charEncoding[1] != "certain" + newEncoding = lookupEncoding(newEncoding) + if newEncoding is None: + return + if newEncoding.name in ("utf-16be", "utf-16le"): + newEncoding = lookupEncoding("utf-8") + assert newEncoding is not None + elif newEncoding == self.charEncoding[0]: + self.charEncoding = (self.charEncoding[0], "certain") + else: + self.rawStream.seek(0) + self.charEncoding = (newEncoding, "certain") + self.reset() + raise _ReparseException("Encoding changed from %s to %s" % (self.charEncoding[0], newEncoding)) + + def detectBOM(self): + """Attempts to detect at BOM at the start of the stream. If + an encoding can be determined from the BOM return the name of the + encoding otherwise return None""" + bomDict = { + codecs.BOM_UTF8: 'utf-8', + codecs.BOM_UTF16_LE: 'utf-16le', codecs.BOM_UTF16_BE: 'utf-16be', + codecs.BOM_UTF32_LE: 'utf-32le', codecs.BOM_UTF32_BE: 'utf-32be' + } + + # Go to beginning of file and read in 4 bytes + string = self.rawStream.read(4) + assert isinstance(string, bytes) + + # Try detecting the BOM using bytes from the string + encoding = bomDict.get(string[:3]) # UTF-8 + seek = 3 + if not encoding: + # Need to detect UTF-32 before UTF-16 + encoding = bomDict.get(string) # UTF-32 + seek = 4 + if not encoding: + encoding = bomDict.get(string[:2]) # UTF-16 + seek = 2 + + # Set the read position past the BOM if one was found, otherwise + # set it to the start of the stream + if encoding: + self.rawStream.seek(seek) + return lookupEncoding(encoding) + else: + self.rawStream.seek(0) + return None + + def detectEncodingMeta(self): + """Report the encoding declared by the meta element + """ + buffer = self.rawStream.read(self.numBytesMeta) + assert isinstance(buffer, bytes) + parser = EncodingParser(buffer) + self.rawStream.seek(0) + encoding = parser.getEncoding() + + if encoding is not None and encoding.name in ("utf-16be", "utf-16le"): + encoding = lookupEncoding("utf-8") + + return encoding + + +class EncodingBytes(bytes): + """String-like object with an associated position and various extra methods + If the position is ever greater than the string length then an exception is + raised""" + def __new__(self, value): + assert isinstance(value, bytes) + return bytes.__new__(self, value.lower()) + + def __init__(self, value): + # pylint:disable=unused-argument + self._position = -1 + + def __iter__(self): + return self + + def __next__(self): + p = self._position = self._position + 1 + if p >= len(self): + raise StopIteration + elif p < 0: + raise TypeError + return self[p:p + 1] + + def next(self): + # Py2 compat + return self.__next__() + + def previous(self): + p = self._position + if p >= len(self): + raise StopIteration + elif p < 0: + raise TypeError + self._position = p = p - 1 + return self[p:p + 1] + + def setPosition(self, position): + if self._position >= len(self): + raise StopIteration + self._position = position + + def getPosition(self): + if self._position >= len(self): + raise StopIteration + if self._position >= 0: + return self._position + else: + return None + + position = property(getPosition, setPosition) + + def getCurrentByte(self): + return self[self.position:self.position + 1] + + currentByte = property(getCurrentByte) + + def skip(self, chars=spaceCharactersBytes): + """Skip past a list of characters""" + p = self.position # use property for the error-checking + while p < len(self): + c = self[p:p + 1] + if c not in chars: + self._position = p + return c + p += 1 + self._position = p + return None + + def skipUntil(self, chars): + p = self.position + while p < len(self): + c = self[p:p + 1] + if c in chars: + self._position = p + return c + p += 1 + self._position = p + return None + + def matchBytes(self, bytes): + """Look for a sequence of bytes at the start of a string. If the bytes + are found return True and advance the position to the byte after the + match. Otherwise return False and leave the position alone""" + p = self.position + data = self[p:p + len(bytes)] + rv = data.startswith(bytes) + if rv: + self.position += len(bytes) + return rv + + def jumpTo(self, bytes): + """Look for the next sequence of bytes matching a given sequence. If + a match is found advance the position to the last byte of the match""" + newPosition = self[self.position:].find(bytes) + if newPosition > -1: + # XXX: This is ugly, but I can't see a nicer way to fix this. + if self._position == -1: + self._position = 0 + self._position += (newPosition + len(bytes) - 1) + return True + else: + raise StopIteration + + +class EncodingParser(object): + """Mini parser for detecting character encoding from meta elements""" + + def __init__(self, data): + """string - the data to work on for encoding detection""" + self.data = EncodingBytes(data) + self.encoding = None + + def getEncoding(self): + methodDispatch = ( + (b"<!--", self.handleComment), + (b"<meta", self.handleMeta), + (b"</", self.handlePossibleEndTag), + (b"<!", self.handleOther), + (b"<?", self.handleOther), + (b"<", self.handlePossibleStartTag)) + for _ in self.data: + keepParsing = True + for key, method in methodDispatch: + if self.data.matchBytes(key): + try: + keepParsing = method() + break + except StopIteration: + keepParsing = False + break + if not keepParsing: + break + + return self.encoding + + def handleComment(self): + """Skip over comments""" + return self.data.jumpTo(b"-->") + + def handleMeta(self): + if self.data.currentByte not in spaceCharactersBytes: + # if we have <meta not followed by a space so just keep going + return True + # We have a valid meta element we want to search for attributes + hasPragma = False + pendingEncoding = None + while True: + # Try to find the next attribute after the current position + attr = self.getAttribute() + if attr is None: + return True + else: + if attr[0] == b"http-equiv": + hasPragma = attr[1] == b"content-type" + if hasPragma and pendingEncoding is not None: + self.encoding = pendingEncoding + return False + elif attr[0] == b"charset": + tentativeEncoding = attr[1] + codec = lookupEncoding(tentativeEncoding) + if codec is not None: + self.encoding = codec + return False + elif attr[0] == b"content": + contentParser = ContentAttrParser(EncodingBytes(attr[1])) + tentativeEncoding = contentParser.parse() + if tentativeEncoding is not None: + codec = lookupEncoding(tentativeEncoding) + if codec is not None: + if hasPragma: + self.encoding = codec + return False + else: + pendingEncoding = codec + + def handlePossibleStartTag(self): + return self.handlePossibleTag(False) + + def handlePossibleEndTag(self): + next(self.data) + return self.handlePossibleTag(True) + + def handlePossibleTag(self, endTag): + data = self.data + if data.currentByte not in asciiLettersBytes: + # If the next byte is not an ascii letter either ignore this + # fragment (possible start tag case) or treat it according to + # handleOther + if endTag: + data.previous() + self.handleOther() + return True + + c = data.skipUntil(spacesAngleBrackets) + if c == b"<": + # return to the first step in the overall "two step" algorithm + # reprocessing the < byte + data.previous() + else: + # Read all attributes + attr = self.getAttribute() + while attr is not None: + attr = self.getAttribute() + return True + + def handleOther(self): + return self.data.jumpTo(b">") + + def getAttribute(self): + """Return a name,value pair for the next attribute in the stream, + if one is found, or None""" + data = self.data + # Step 1 (skip chars) + c = data.skip(spaceCharactersBytes | frozenset([b"/"])) + assert c is None or len(c) == 1 + # Step 2 + if c in (b">", None): + return None + # Step 3 + attrName = [] + attrValue = [] + # Step 4 attribute name + while True: + if c == b"=" and attrName: + break + elif c in spaceCharactersBytes: + # Step 6! + c = data.skip() + break + elif c in (b"/", b">"): + return b"".join(attrName), b"" + elif c in asciiUppercaseBytes: + attrName.append(c.lower()) + elif c is None: + return None + else: + attrName.append(c) + # Step 5 + c = next(data) + # Step 7 + if c != b"=": + data.previous() + return b"".join(attrName), b"" + # Step 8 + next(data) + # Step 9 + c = data.skip() + # Step 10 + if c in (b"'", b'"'): + # 10.1 + quoteChar = c + while True: + # 10.2 + c = next(data) + # 10.3 + if c == quoteChar: + next(data) + return b"".join(attrName), b"".join(attrValue) + # 10.4 + elif c in asciiUppercaseBytes: + attrValue.append(c.lower()) + # 10.5 + else: + attrValue.append(c) + elif c == b">": + return b"".join(attrName), b"" + elif c in asciiUppercaseBytes: + attrValue.append(c.lower()) + elif c is None: + return None + else: + attrValue.append(c) + # Step 11 + while True: + c = next(data) + if c in spacesAngleBrackets: + return b"".join(attrName), b"".join(attrValue) + elif c in asciiUppercaseBytes: + attrValue.append(c.lower()) + elif c is None: + return None + else: + attrValue.append(c) + + +class ContentAttrParser(object): + def __init__(self, data): + assert isinstance(data, bytes) + self.data = data + + def parse(self): + try: + # Check if the attr name is charset + # otherwise return + self.data.jumpTo(b"charset") + self.data.position += 1 + self.data.skip() + if not self.data.currentByte == b"=": + # If there is no = sign keep looking for attrs + return None + self.data.position += 1 + self.data.skip() + # Look for an encoding between matching quote marks + if self.data.currentByte in (b'"', b"'"): + quoteMark = self.data.currentByte + self.data.position += 1 + oldPosition = self.data.position + if self.data.jumpTo(quoteMark): + return self.data[oldPosition:self.data.position] + else: + return None + else: + # Unquoted value + oldPosition = self.data.position + try: + self.data.skipUntil(spaceCharactersBytes) + return self.data[oldPosition:self.data.position] + except StopIteration: + # Return the whole remaining value + return self.data[oldPosition:] + except StopIteration: + return None + + +def lookupEncoding(encoding): + """Return the python codec name corresponding to an encoding or None if the + string doesn't correspond to a valid encoding.""" + if isinstance(encoding, binary_type): + try: + encoding = encoding.decode("ascii") + except UnicodeDecodeError: + return None + + if encoding is not None: + try: + return webencodings.lookup(encoding) + except AttributeError: + return None + else: + return None diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_tokenizer.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_tokenizer.py new file mode 100644 index 0000000..178f6e7 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_tokenizer.py @@ -0,0 +1,1721 @@ +from __future__ import absolute_import, division, unicode_literals + +from pip._vendor.six import unichr as chr + +from collections import deque + +from .constants import spaceCharacters +from .constants import entities +from .constants import asciiLetters, asciiUpper2Lower +from .constants import digits, hexDigits, EOF +from .constants import tokenTypes, tagTokenTypes +from .constants import replacementCharacters + +from ._inputstream import HTMLInputStream + +from ._trie import Trie + +entitiesTrie = Trie(entities) + + +class HTMLTokenizer(object): + """ This class takes care of tokenizing HTML. + + * self.currentToken + Holds the token that is currently being processed. + + * self.state + Holds a reference to the method to be invoked... XXX + + * self.stream + Points to HTMLInputStream object. + """ + + def __init__(self, stream, parser=None, **kwargs): + + self.stream = HTMLInputStream(stream, **kwargs) + self.parser = parser + + # Setup the initial tokenizer state + self.escapeFlag = False + self.lastFourChars = [] + self.state = self.dataState + self.escape = False + + # The current token being created + self.currentToken = None + super(HTMLTokenizer, self).__init__() + + def __iter__(self): + """ This is where the magic happens. + + We do our usually processing through the states and when we have a token + to return we yield the token which pauses processing until the next token + is requested. + """ + self.tokenQueue = deque([]) + # Start processing. When EOF is reached self.state will return False + # instead of True and the loop will terminate. + while self.state(): + while self.stream.errors: + yield {"type": tokenTypes["ParseError"], "data": self.stream.errors.pop(0)} + while self.tokenQueue: + yield self.tokenQueue.popleft() + + def consumeNumberEntity(self, isHex): + """This function returns either U+FFFD or the character based on the + decimal or hexadecimal representation. It also discards ";" if present. + If not present self.tokenQueue.append({"type": tokenTypes["ParseError"]}) is invoked. + """ + + allowed = digits + radix = 10 + if isHex: + allowed = hexDigits + radix = 16 + + charStack = [] + + # Consume all the characters that are in range while making sure we + # don't hit an EOF. + c = self.stream.char() + while c in allowed and c is not EOF: + charStack.append(c) + c = self.stream.char() + + # Convert the set of characters consumed to an int. + charAsInt = int("".join(charStack), radix) + + # Certain characters get replaced with others + if charAsInt in replacementCharacters: + char = replacementCharacters[charAsInt] + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "illegal-codepoint-for-numeric-entity", + "datavars": {"charAsInt": charAsInt}}) + elif ((0xD800 <= charAsInt <= 0xDFFF) or + (charAsInt > 0x10FFFF)): + char = "\uFFFD" + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "illegal-codepoint-for-numeric-entity", + "datavars": {"charAsInt": charAsInt}}) + else: + # Should speed up this check somehow (e.g. move the set to a constant) + if ((0x0001 <= charAsInt <= 0x0008) or + (0x000E <= charAsInt <= 0x001F) or + (0x007F <= charAsInt <= 0x009F) or + (0xFDD0 <= charAsInt <= 0xFDEF) or + charAsInt in frozenset([0x000B, 0xFFFE, 0xFFFF, 0x1FFFE, + 0x1FFFF, 0x2FFFE, 0x2FFFF, 0x3FFFE, + 0x3FFFF, 0x4FFFE, 0x4FFFF, 0x5FFFE, + 0x5FFFF, 0x6FFFE, 0x6FFFF, 0x7FFFE, + 0x7FFFF, 0x8FFFE, 0x8FFFF, 0x9FFFE, + 0x9FFFF, 0xAFFFE, 0xAFFFF, 0xBFFFE, + 0xBFFFF, 0xCFFFE, 0xCFFFF, 0xDFFFE, + 0xDFFFF, 0xEFFFE, 0xEFFFF, 0xFFFFE, + 0xFFFFF, 0x10FFFE, 0x10FFFF])): + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": + "illegal-codepoint-for-numeric-entity", + "datavars": {"charAsInt": charAsInt}}) + try: + # Try/except needed as UCS-2 Python builds' unichar only works + # within the BMP. + char = chr(charAsInt) + except ValueError: + v = charAsInt - 0x10000 + char = chr(0xD800 | (v >> 10)) + chr(0xDC00 | (v & 0x3FF)) + + # Discard the ; if present. Otherwise, put it back on the queue and + # invoke parseError on parser. + if c != ";": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "numeric-entity-without-semicolon"}) + self.stream.unget(c) + + return char + + def consumeEntity(self, allowedChar=None, fromAttribute=False): + # Initialise to the default output for when no entity is matched + output = "&" + + charStack = [self.stream.char()] + if (charStack[0] in spaceCharacters or charStack[0] in (EOF, "<", "&") or + (allowedChar is not None and allowedChar == charStack[0])): + self.stream.unget(charStack[0]) + + elif charStack[0] == "#": + # Read the next character to see if it's hex or decimal + hex = False + charStack.append(self.stream.char()) + if charStack[-1] in ("x", "X"): + hex = True + charStack.append(self.stream.char()) + + # charStack[-1] should be the first digit + if (hex and charStack[-1] in hexDigits) \ + or (not hex and charStack[-1] in digits): + # At least one digit found, so consume the whole number + self.stream.unget(charStack[-1]) + output = self.consumeNumberEntity(hex) + else: + # No digits found + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "expected-numeric-entity"}) + self.stream.unget(charStack.pop()) + output = "&" + "".join(charStack) + + else: + # At this point in the process might have named entity. Entities + # are stored in the global variable "entities". + # + # Consume characters and compare to these to a substring of the + # entity names in the list until the substring no longer matches. + while (charStack[-1] is not EOF): + if not entitiesTrie.has_keys_with_prefix("".join(charStack)): + break + charStack.append(self.stream.char()) + + # At this point we have a string that starts with some characters + # that may match an entity + # Try to find the longest entity the string will match to take care + # of ¬i for instance. + try: + entityName = entitiesTrie.longest_prefix("".join(charStack[:-1])) + entityLength = len(entityName) + except KeyError: + entityName = None + + if entityName is not None: + if entityName[-1] != ";": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "named-entity-without-semicolon"}) + if (entityName[-1] != ";" and fromAttribute and + (charStack[entityLength] in asciiLetters or + charStack[entityLength] in digits or + charStack[entityLength] == "=")): + self.stream.unget(charStack.pop()) + output = "&" + "".join(charStack) + else: + output = entities[entityName] + self.stream.unget(charStack.pop()) + output += "".join(charStack[entityLength:]) + else: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-named-entity"}) + self.stream.unget(charStack.pop()) + output = "&" + "".join(charStack) + + if fromAttribute: + self.currentToken["data"][-1][1] += output + else: + if output in spaceCharacters: + tokenType = "SpaceCharacters" + else: + tokenType = "Characters" + self.tokenQueue.append({"type": tokenTypes[tokenType], "data": output}) + + def processEntityInAttribute(self, allowedChar): + """This method replaces the need for "entityInAttributeValueState". + """ + self.consumeEntity(allowedChar=allowedChar, fromAttribute=True) + + def emitCurrentToken(self): + """This method is a generic handler for emitting the tags. It also sets + the state to "data" because that's what's needed after a token has been + emitted. + """ + token = self.currentToken + # Add token to the queue to be yielded + if (token["type"] in tagTokenTypes): + token["name"] = token["name"].translate(asciiUpper2Lower) + if token["type"] == tokenTypes["EndTag"]: + if token["data"]: + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "attributes-in-end-tag"}) + if token["selfClosing"]: + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "self-closing-flag-on-end-tag"}) + self.tokenQueue.append(token) + self.state = self.dataState + + # Below are the various tokenizer states worked out. + def dataState(self): + data = self.stream.char() + if data == "&": + self.state = self.entityDataState + elif data == "<": + self.state = self.tagOpenState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "\u0000"}) + elif data is EOF: + # Tokenization ends. + return False + elif data in spaceCharacters: + # Directly after emitting a token you switch back to the "data + # state". At that point spaceCharacters are important so they are + # emitted separately. + self.tokenQueue.append({"type": tokenTypes["SpaceCharacters"], "data": + data + self.stream.charsUntil(spaceCharacters, True)}) + # No need to update lastFourChars here, since the first space will + # have already been appended to lastFourChars and will have broken + # any <!-- or --> sequences + else: + chars = self.stream.charsUntil(("&", "<", "\u0000")) + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": + data + chars}) + return True + + def entityDataState(self): + self.consumeEntity() + self.state = self.dataState + return True + + def rcdataState(self): + data = self.stream.char() + if data == "&": + self.state = self.characterReferenceInRcdata + elif data == "<": + self.state = self.rcdataLessThanSignState + elif data == EOF: + # Tokenization ends. + return False + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "\uFFFD"}) + elif data in spaceCharacters: + # Directly after emitting a token you switch back to the "data + # state". At that point spaceCharacters are important so they are + # emitted separately. + self.tokenQueue.append({"type": tokenTypes["SpaceCharacters"], "data": + data + self.stream.charsUntil(spaceCharacters, True)}) + # No need to update lastFourChars here, since the first space will + # have already been appended to lastFourChars and will have broken + # any <!-- or --> sequences + else: + chars = self.stream.charsUntil(("&", "<", "\u0000")) + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": + data + chars}) + return True + + def characterReferenceInRcdata(self): + self.consumeEntity() + self.state = self.rcdataState + return True + + def rawtextState(self): + data = self.stream.char() + if data == "<": + self.state = self.rawtextLessThanSignState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "\uFFFD"}) + elif data == EOF: + # Tokenization ends. + return False + else: + chars = self.stream.charsUntil(("<", "\u0000")) + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": + data + chars}) + return True + + def scriptDataState(self): + data = self.stream.char() + if data == "<": + self.state = self.scriptDataLessThanSignState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "\uFFFD"}) + elif data == EOF: + # Tokenization ends. + return False + else: + chars = self.stream.charsUntil(("<", "\u0000")) + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": + data + chars}) + return True + + def plaintextState(self): + data = self.stream.char() + if data == EOF: + # Tokenization ends. + return False + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "\uFFFD"}) + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": + data + self.stream.charsUntil("\u0000")}) + return True + + def tagOpenState(self): + data = self.stream.char() + if data == "!": + self.state = self.markupDeclarationOpenState + elif data == "/": + self.state = self.closeTagOpenState + elif data in asciiLetters: + self.currentToken = {"type": tokenTypes["StartTag"], + "name": data, "data": [], + "selfClosing": False, + "selfClosingAcknowledged": False} + self.state = self.tagNameState + elif data == ">": + # XXX In theory it could be something besides a tag name. But + # do we really care? + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-tag-name-but-got-right-bracket"}) + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "<>"}) + self.state = self.dataState + elif data == "?": + # XXX In theory it could be something besides a tag name. But + # do we really care? + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-tag-name-but-got-question-mark"}) + self.stream.unget(data) + self.state = self.bogusCommentState + else: + # XXX + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-tag-name"}) + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "<"}) + self.stream.unget(data) + self.state = self.dataState + return True + + def closeTagOpenState(self): + data = self.stream.char() + if data in asciiLetters: + self.currentToken = {"type": tokenTypes["EndTag"], "name": data, + "data": [], "selfClosing": False} + self.state = self.tagNameState + elif data == ">": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-closing-tag-but-got-right-bracket"}) + self.state = self.dataState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-closing-tag-but-got-eof"}) + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "</"}) + self.state = self.dataState + else: + # XXX data can be _'_... + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-closing-tag-but-got-char", + "datavars": {"data": data}}) + self.stream.unget(data) + self.state = self.bogusCommentState + return True + + def tagNameState(self): + data = self.stream.char() + if data in spaceCharacters: + self.state = self.beforeAttributeNameState + elif data == ">": + self.emitCurrentToken() + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-tag-name"}) + self.state = self.dataState + elif data == "/": + self.state = self.selfClosingStartTagState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["name"] += "\uFFFD" + else: + self.currentToken["name"] += data + # (Don't use charsUntil here, because tag names are + # very short and it's faster to not do anything fancy) + return True + + def rcdataLessThanSignState(self): + data = self.stream.char() + if data == "/": + self.temporaryBuffer = "" + self.state = self.rcdataEndTagOpenState + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "<"}) + self.stream.unget(data) + self.state = self.rcdataState + return True + + def rcdataEndTagOpenState(self): + data = self.stream.char() + if data in asciiLetters: + self.temporaryBuffer += data + self.state = self.rcdataEndTagNameState + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "</"}) + self.stream.unget(data) + self.state = self.rcdataState + return True + + def rcdataEndTagNameState(self): + appropriate = self.currentToken and self.currentToken["name"].lower() == self.temporaryBuffer.lower() + data = self.stream.char() + if data in spaceCharacters and appropriate: + self.currentToken = {"type": tokenTypes["EndTag"], + "name": self.temporaryBuffer, + "data": [], "selfClosing": False} + self.state = self.beforeAttributeNameState + elif data == "/" and appropriate: + self.currentToken = {"type": tokenTypes["EndTag"], + "name": self.temporaryBuffer, + "data": [], "selfClosing": False} + self.state = self.selfClosingStartTagState + elif data == ">" and appropriate: + self.currentToken = {"type": tokenTypes["EndTag"], + "name": self.temporaryBuffer, + "data": [], "selfClosing": False} + self.emitCurrentToken() + self.state = self.dataState + elif data in asciiLetters: + self.temporaryBuffer += data + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "</" + self.temporaryBuffer}) + self.stream.unget(data) + self.state = self.rcdataState + return True + + def rawtextLessThanSignState(self): + data = self.stream.char() + if data == "/": + self.temporaryBuffer = "" + self.state = self.rawtextEndTagOpenState + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "<"}) + self.stream.unget(data) + self.state = self.rawtextState + return True + + def rawtextEndTagOpenState(self): + data = self.stream.char() + if data in asciiLetters: + self.temporaryBuffer += data + self.state = self.rawtextEndTagNameState + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "</"}) + self.stream.unget(data) + self.state = self.rawtextState + return True + + def rawtextEndTagNameState(self): + appropriate = self.currentToken and self.currentToken["name"].lower() == self.temporaryBuffer.lower() + data = self.stream.char() + if data in spaceCharacters and appropriate: + self.currentToken = {"type": tokenTypes["EndTag"], + "name": self.temporaryBuffer, + "data": [], "selfClosing": False} + self.state = self.beforeAttributeNameState + elif data == "/" and appropriate: + self.currentToken = {"type": tokenTypes["EndTag"], + "name": self.temporaryBuffer, + "data": [], "selfClosing": False} + self.state = self.selfClosingStartTagState + elif data == ">" and appropriate: + self.currentToken = {"type": tokenTypes["EndTag"], + "name": self.temporaryBuffer, + "data": [], "selfClosing": False} + self.emitCurrentToken() + self.state = self.dataState + elif data in asciiLetters: + self.temporaryBuffer += data + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "</" + self.temporaryBuffer}) + self.stream.unget(data) + self.state = self.rawtextState + return True + + def scriptDataLessThanSignState(self): + data = self.stream.char() + if data == "/": + self.temporaryBuffer = "" + self.state = self.scriptDataEndTagOpenState + elif data == "!": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "<!"}) + self.state = self.scriptDataEscapeStartState + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "<"}) + self.stream.unget(data) + self.state = self.scriptDataState + return True + + def scriptDataEndTagOpenState(self): + data = self.stream.char() + if data in asciiLetters: + self.temporaryBuffer += data + self.state = self.scriptDataEndTagNameState + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "</"}) + self.stream.unget(data) + self.state = self.scriptDataState + return True + + def scriptDataEndTagNameState(self): + appropriate = self.currentToken and self.currentToken["name"].lower() == self.temporaryBuffer.lower() + data = self.stream.char() + if data in spaceCharacters and appropriate: + self.currentToken = {"type": tokenTypes["EndTag"], + "name": self.temporaryBuffer, + "data": [], "selfClosing": False} + self.state = self.beforeAttributeNameState + elif data == "/" and appropriate: + self.currentToken = {"type": tokenTypes["EndTag"], + "name": self.temporaryBuffer, + "data": [], "selfClosing": False} + self.state = self.selfClosingStartTagState + elif data == ">" and appropriate: + self.currentToken = {"type": tokenTypes["EndTag"], + "name": self.temporaryBuffer, + "data": [], "selfClosing": False} + self.emitCurrentToken() + self.state = self.dataState + elif data in asciiLetters: + self.temporaryBuffer += data + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "</" + self.temporaryBuffer}) + self.stream.unget(data) + self.state = self.scriptDataState + return True + + def scriptDataEscapeStartState(self): + data = self.stream.char() + if data == "-": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "-"}) + self.state = self.scriptDataEscapeStartDashState + else: + self.stream.unget(data) + self.state = self.scriptDataState + return True + + def scriptDataEscapeStartDashState(self): + data = self.stream.char() + if data == "-": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "-"}) + self.state = self.scriptDataEscapedDashDashState + else: + self.stream.unget(data) + self.state = self.scriptDataState + return True + + def scriptDataEscapedState(self): + data = self.stream.char() + if data == "-": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "-"}) + self.state = self.scriptDataEscapedDashState + elif data == "<": + self.state = self.scriptDataEscapedLessThanSignState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "\uFFFD"}) + elif data == EOF: + self.state = self.dataState + else: + chars = self.stream.charsUntil(("<", "-", "\u0000")) + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": + data + chars}) + return True + + def scriptDataEscapedDashState(self): + data = self.stream.char() + if data == "-": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "-"}) + self.state = self.scriptDataEscapedDashDashState + elif data == "<": + self.state = self.scriptDataEscapedLessThanSignState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "\uFFFD"}) + self.state = self.scriptDataEscapedState + elif data == EOF: + self.state = self.dataState + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": data}) + self.state = self.scriptDataEscapedState + return True + + def scriptDataEscapedDashDashState(self): + data = self.stream.char() + if data == "-": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "-"}) + elif data == "<": + self.state = self.scriptDataEscapedLessThanSignState + elif data == ">": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": ">"}) + self.state = self.scriptDataState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "\uFFFD"}) + self.state = self.scriptDataEscapedState + elif data == EOF: + self.state = self.dataState + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": data}) + self.state = self.scriptDataEscapedState + return True + + def scriptDataEscapedLessThanSignState(self): + data = self.stream.char() + if data == "/": + self.temporaryBuffer = "" + self.state = self.scriptDataEscapedEndTagOpenState + elif data in asciiLetters: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "<" + data}) + self.temporaryBuffer = data + self.state = self.scriptDataDoubleEscapeStartState + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "<"}) + self.stream.unget(data) + self.state = self.scriptDataEscapedState + return True + + def scriptDataEscapedEndTagOpenState(self): + data = self.stream.char() + if data in asciiLetters: + self.temporaryBuffer = data + self.state = self.scriptDataEscapedEndTagNameState + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "</"}) + self.stream.unget(data) + self.state = self.scriptDataEscapedState + return True + + def scriptDataEscapedEndTagNameState(self): + appropriate = self.currentToken and self.currentToken["name"].lower() == self.temporaryBuffer.lower() + data = self.stream.char() + if data in spaceCharacters and appropriate: + self.currentToken = {"type": tokenTypes["EndTag"], + "name": self.temporaryBuffer, + "data": [], "selfClosing": False} + self.state = self.beforeAttributeNameState + elif data == "/" and appropriate: + self.currentToken = {"type": tokenTypes["EndTag"], + "name": self.temporaryBuffer, + "data": [], "selfClosing": False} + self.state = self.selfClosingStartTagState + elif data == ">" and appropriate: + self.currentToken = {"type": tokenTypes["EndTag"], + "name": self.temporaryBuffer, + "data": [], "selfClosing": False} + self.emitCurrentToken() + self.state = self.dataState + elif data in asciiLetters: + self.temporaryBuffer += data + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "</" + self.temporaryBuffer}) + self.stream.unget(data) + self.state = self.scriptDataEscapedState + return True + + def scriptDataDoubleEscapeStartState(self): + data = self.stream.char() + if data in (spaceCharacters | frozenset(("/", ">"))): + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": data}) + if self.temporaryBuffer.lower() == "script": + self.state = self.scriptDataDoubleEscapedState + else: + self.state = self.scriptDataEscapedState + elif data in asciiLetters: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": data}) + self.temporaryBuffer += data + else: + self.stream.unget(data) + self.state = self.scriptDataEscapedState + return True + + def scriptDataDoubleEscapedState(self): + data = self.stream.char() + if data == "-": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "-"}) + self.state = self.scriptDataDoubleEscapedDashState + elif data == "<": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "<"}) + self.state = self.scriptDataDoubleEscapedLessThanSignState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "\uFFFD"}) + elif data == EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-script-in-script"}) + self.state = self.dataState + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": data}) + return True + + def scriptDataDoubleEscapedDashState(self): + data = self.stream.char() + if data == "-": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "-"}) + self.state = self.scriptDataDoubleEscapedDashDashState + elif data == "<": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "<"}) + self.state = self.scriptDataDoubleEscapedLessThanSignState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "\uFFFD"}) + self.state = self.scriptDataDoubleEscapedState + elif data == EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-script-in-script"}) + self.state = self.dataState + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": data}) + self.state = self.scriptDataDoubleEscapedState + return True + + def scriptDataDoubleEscapedDashDashState(self): + data = self.stream.char() + if data == "-": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "-"}) + elif data == "<": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "<"}) + self.state = self.scriptDataDoubleEscapedLessThanSignState + elif data == ">": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": ">"}) + self.state = self.scriptDataState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": "\uFFFD"}) + self.state = self.scriptDataDoubleEscapedState + elif data == EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-script-in-script"}) + self.state = self.dataState + else: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": data}) + self.state = self.scriptDataDoubleEscapedState + return True + + def scriptDataDoubleEscapedLessThanSignState(self): + data = self.stream.char() + if data == "/": + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": "/"}) + self.temporaryBuffer = "" + self.state = self.scriptDataDoubleEscapeEndState + else: + self.stream.unget(data) + self.state = self.scriptDataDoubleEscapedState + return True + + def scriptDataDoubleEscapeEndState(self): + data = self.stream.char() + if data in (spaceCharacters | frozenset(("/", ">"))): + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": data}) + if self.temporaryBuffer.lower() == "script": + self.state = self.scriptDataEscapedState + else: + self.state = self.scriptDataDoubleEscapedState + elif data in asciiLetters: + self.tokenQueue.append({"type": tokenTypes["Characters"], "data": data}) + self.temporaryBuffer += data + else: + self.stream.unget(data) + self.state = self.scriptDataDoubleEscapedState + return True + + def beforeAttributeNameState(self): + data = self.stream.char() + if data in spaceCharacters: + self.stream.charsUntil(spaceCharacters, True) + elif data in asciiLetters: + self.currentToken["data"].append([data, ""]) + self.state = self.attributeNameState + elif data == ">": + self.emitCurrentToken() + elif data == "/": + self.state = self.selfClosingStartTagState + elif data in ("'", '"', "=", "<"): + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "invalid-character-in-attribute-name"}) + self.currentToken["data"].append([data, ""]) + self.state = self.attributeNameState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["data"].append(["\uFFFD", ""]) + self.state = self.attributeNameState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-attribute-name-but-got-eof"}) + self.state = self.dataState + else: + self.currentToken["data"].append([data, ""]) + self.state = self.attributeNameState + return True + + def attributeNameState(self): + data = self.stream.char() + leavingThisState = True + emitToken = False + if data == "=": + self.state = self.beforeAttributeValueState + elif data in asciiLetters: + self.currentToken["data"][-1][0] += data +\ + self.stream.charsUntil(asciiLetters, True) + leavingThisState = False + elif data == ">": + # XXX If we emit here the attributes are converted to a dict + # without being checked and when the code below runs we error + # because data is a dict not a list + emitToken = True + elif data in spaceCharacters: + self.state = self.afterAttributeNameState + elif data == "/": + self.state = self.selfClosingStartTagState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["data"][-1][0] += "\uFFFD" + leavingThisState = False + elif data in ("'", '"', "<"): + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": + "invalid-character-in-attribute-name"}) + self.currentToken["data"][-1][0] += data + leavingThisState = False + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "eof-in-attribute-name"}) + self.state = self.dataState + else: + self.currentToken["data"][-1][0] += data + leavingThisState = False + + if leavingThisState: + # Attributes are not dropped at this stage. That happens when the + # start tag token is emitted so values can still be safely appended + # to attributes, but we do want to report the parse error in time. + self.currentToken["data"][-1][0] = ( + self.currentToken["data"][-1][0].translate(asciiUpper2Lower)) + for name, _ in self.currentToken["data"][:-1]: + if self.currentToken["data"][-1][0] == name: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "duplicate-attribute"}) + break + # XXX Fix for above XXX + if emitToken: + self.emitCurrentToken() + return True + + def afterAttributeNameState(self): + data = self.stream.char() + if data in spaceCharacters: + self.stream.charsUntil(spaceCharacters, True) + elif data == "=": + self.state = self.beforeAttributeValueState + elif data == ">": + self.emitCurrentToken() + elif data in asciiLetters: + self.currentToken["data"].append([data, ""]) + self.state = self.attributeNameState + elif data == "/": + self.state = self.selfClosingStartTagState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["data"].append(["\uFFFD", ""]) + self.state = self.attributeNameState + elif data in ("'", '"', "<"): + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "invalid-character-after-attribute-name"}) + self.currentToken["data"].append([data, ""]) + self.state = self.attributeNameState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-end-of-tag-but-got-eof"}) + self.state = self.dataState + else: + self.currentToken["data"].append([data, ""]) + self.state = self.attributeNameState + return True + + def beforeAttributeValueState(self): + data = self.stream.char() + if data in spaceCharacters: + self.stream.charsUntil(spaceCharacters, True) + elif data == "\"": + self.state = self.attributeValueDoubleQuotedState + elif data == "&": + self.state = self.attributeValueUnQuotedState + self.stream.unget(data) + elif data == "'": + self.state = self.attributeValueSingleQuotedState + elif data == ">": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-attribute-value-but-got-right-bracket"}) + self.emitCurrentToken() + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["data"][-1][1] += "\uFFFD" + self.state = self.attributeValueUnQuotedState + elif data in ("=", "<", "`"): + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "equals-in-unquoted-attribute-value"}) + self.currentToken["data"][-1][1] += data + self.state = self.attributeValueUnQuotedState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-attribute-value-but-got-eof"}) + self.state = self.dataState + else: + self.currentToken["data"][-1][1] += data + self.state = self.attributeValueUnQuotedState + return True + + def attributeValueDoubleQuotedState(self): + data = self.stream.char() + if data == "\"": + self.state = self.afterAttributeValueState + elif data == "&": + self.processEntityInAttribute('"') + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["data"][-1][1] += "\uFFFD" + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-attribute-value-double-quote"}) + self.state = self.dataState + else: + self.currentToken["data"][-1][1] += data +\ + self.stream.charsUntil(("\"", "&", "\u0000")) + return True + + def attributeValueSingleQuotedState(self): + data = self.stream.char() + if data == "'": + self.state = self.afterAttributeValueState + elif data == "&": + self.processEntityInAttribute("'") + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["data"][-1][1] += "\uFFFD" + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-attribute-value-single-quote"}) + self.state = self.dataState + else: + self.currentToken["data"][-1][1] += data +\ + self.stream.charsUntil(("'", "&", "\u0000")) + return True + + def attributeValueUnQuotedState(self): + data = self.stream.char() + if data in spaceCharacters: + self.state = self.beforeAttributeNameState + elif data == "&": + self.processEntityInAttribute(">") + elif data == ">": + self.emitCurrentToken() + elif data in ('"', "'", "=", "<", "`"): + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-character-in-unquoted-attribute-value"}) + self.currentToken["data"][-1][1] += data + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["data"][-1][1] += "\uFFFD" + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-attribute-value-no-quotes"}) + self.state = self.dataState + else: + self.currentToken["data"][-1][1] += data + self.stream.charsUntil( + frozenset(("&", ">", '"', "'", "=", "<", "`", "\u0000")) | spaceCharacters) + return True + + def afterAttributeValueState(self): + data = self.stream.char() + if data in spaceCharacters: + self.state = self.beforeAttributeNameState + elif data == ">": + self.emitCurrentToken() + elif data == "/": + self.state = self.selfClosingStartTagState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-EOF-after-attribute-value"}) + self.stream.unget(data) + self.state = self.dataState + else: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-character-after-attribute-value"}) + self.stream.unget(data) + self.state = self.beforeAttributeNameState + return True + + def selfClosingStartTagState(self): + data = self.stream.char() + if data == ">": + self.currentToken["selfClosing"] = True + self.emitCurrentToken() + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": + "unexpected-EOF-after-solidus-in-tag"}) + self.stream.unget(data) + self.state = self.dataState + else: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-character-after-solidus-in-tag"}) + self.stream.unget(data) + self.state = self.beforeAttributeNameState + return True + + def bogusCommentState(self): + # Make a new comment token and give it as value all the characters + # until the first > or EOF (charsUntil checks for EOF automatically) + # and emit it. + data = self.stream.charsUntil(">") + data = data.replace("\u0000", "\uFFFD") + self.tokenQueue.append( + {"type": tokenTypes["Comment"], "data": data}) + + # Eat the character directly after the bogus comment which is either a + # ">" or an EOF. + self.stream.char() + self.state = self.dataState + return True + + def markupDeclarationOpenState(self): + charStack = [self.stream.char()] + if charStack[-1] == "-": + charStack.append(self.stream.char()) + if charStack[-1] == "-": + self.currentToken = {"type": tokenTypes["Comment"], "data": ""} + self.state = self.commentStartState + return True + elif charStack[-1] in ('d', 'D'): + matched = True + for expected in (('o', 'O'), ('c', 'C'), ('t', 'T'), + ('y', 'Y'), ('p', 'P'), ('e', 'E')): + charStack.append(self.stream.char()) + if charStack[-1] not in expected: + matched = False + break + if matched: + self.currentToken = {"type": tokenTypes["Doctype"], + "name": "", + "publicId": None, "systemId": None, + "correct": True} + self.state = self.doctypeState + return True + elif (charStack[-1] == "[" and + self.parser is not None and + self.parser.tree.openElements and + self.parser.tree.openElements[-1].namespace != self.parser.tree.defaultNamespace): + matched = True + for expected in ["C", "D", "A", "T", "A", "["]: + charStack.append(self.stream.char()) + if charStack[-1] != expected: + matched = False + break + if matched: + self.state = self.cdataSectionState + return True + + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-dashes-or-doctype"}) + + while charStack: + self.stream.unget(charStack.pop()) + self.state = self.bogusCommentState + return True + + def commentStartState(self): + data = self.stream.char() + if data == "-": + self.state = self.commentStartDashState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["data"] += "\uFFFD" + elif data == ">": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "incorrect-comment"}) + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-comment"}) + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.currentToken["data"] += data + self.state = self.commentState + return True + + def commentStartDashState(self): + data = self.stream.char() + if data == "-": + self.state = self.commentEndState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["data"] += "-\uFFFD" + elif data == ">": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "incorrect-comment"}) + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-comment"}) + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.currentToken["data"] += "-" + data + self.state = self.commentState + return True + + def commentState(self): + data = self.stream.char() + if data == "-": + self.state = self.commentEndDashState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["data"] += "\uFFFD" + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "eof-in-comment"}) + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.currentToken["data"] += data + \ + self.stream.charsUntil(("-", "\u0000")) + return True + + def commentEndDashState(self): + data = self.stream.char() + if data == "-": + self.state = self.commentEndState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["data"] += "-\uFFFD" + self.state = self.commentState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-comment-end-dash"}) + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.currentToken["data"] += "-" + data + self.state = self.commentState + return True + + def commentEndState(self): + data = self.stream.char() + if data == ">": + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["data"] += "--\uFFFD" + self.state = self.commentState + elif data == "!": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-bang-after-double-dash-in-comment"}) + self.state = self.commentEndBangState + elif data == "-": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-dash-after-double-dash-in-comment"}) + self.currentToken["data"] += data + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-comment-double-dash"}) + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + # XXX + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-char-in-comment"}) + self.currentToken["data"] += "--" + data + self.state = self.commentState + return True + + def commentEndBangState(self): + data = self.stream.char() + if data == ">": + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data == "-": + self.currentToken["data"] += "--!" + self.state = self.commentEndDashState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["data"] += "--!\uFFFD" + self.state = self.commentState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-comment-end-bang-state"}) + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.currentToken["data"] += "--!" + data + self.state = self.commentState + return True + + def doctypeState(self): + data = self.stream.char() + if data in spaceCharacters: + self.state = self.beforeDoctypeNameState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-doctype-name-but-got-eof"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "need-space-after-doctype"}) + self.stream.unget(data) + self.state = self.beforeDoctypeNameState + return True + + def beforeDoctypeNameState(self): + data = self.stream.char() + if data in spaceCharacters: + pass + elif data == ">": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-doctype-name-but-got-right-bracket"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["name"] = "\uFFFD" + self.state = self.doctypeNameState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-doctype-name-but-got-eof"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.currentToken["name"] = data + self.state = self.doctypeNameState + return True + + def doctypeNameState(self): + data = self.stream.char() + if data in spaceCharacters: + self.currentToken["name"] = self.currentToken["name"].translate(asciiUpper2Lower) + self.state = self.afterDoctypeNameState + elif data == ">": + self.currentToken["name"] = self.currentToken["name"].translate(asciiUpper2Lower) + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["name"] += "\uFFFD" + self.state = self.doctypeNameState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-doctype-name"}) + self.currentToken["correct"] = False + self.currentToken["name"] = self.currentToken["name"].translate(asciiUpper2Lower) + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.currentToken["name"] += data + return True + + def afterDoctypeNameState(self): + data = self.stream.char() + if data in spaceCharacters: + pass + elif data == ">": + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data is EOF: + self.currentToken["correct"] = False + self.stream.unget(data) + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-doctype"}) + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + if data in ("p", "P"): + matched = True + for expected in (("u", "U"), ("b", "B"), ("l", "L"), + ("i", "I"), ("c", "C")): + data = self.stream.char() + if data not in expected: + matched = False + break + if matched: + self.state = self.afterDoctypePublicKeywordState + return True + elif data in ("s", "S"): + matched = True + for expected in (("y", "Y"), ("s", "S"), ("t", "T"), + ("e", "E"), ("m", "M")): + data = self.stream.char() + if data not in expected: + matched = False + break + if matched: + self.state = self.afterDoctypeSystemKeywordState + return True + + # All the characters read before the current 'data' will be + # [a-zA-Z], so they're garbage in the bogus doctype and can be + # discarded; only the latest character might be '>' or EOF + # and needs to be ungetted + self.stream.unget(data) + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "expected-space-or-right-bracket-in-doctype", "datavars": + {"data": data}}) + self.currentToken["correct"] = False + self.state = self.bogusDoctypeState + + return True + + def afterDoctypePublicKeywordState(self): + data = self.stream.char() + if data in spaceCharacters: + self.state = self.beforeDoctypePublicIdentifierState + elif data in ("'", '"'): + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-char-in-doctype"}) + self.stream.unget(data) + self.state = self.beforeDoctypePublicIdentifierState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.stream.unget(data) + self.state = self.beforeDoctypePublicIdentifierState + return True + + def beforeDoctypePublicIdentifierState(self): + data = self.stream.char() + if data in spaceCharacters: + pass + elif data == "\"": + self.currentToken["publicId"] = "" + self.state = self.doctypePublicIdentifierDoubleQuotedState + elif data == "'": + self.currentToken["publicId"] = "" + self.state = self.doctypePublicIdentifierSingleQuotedState + elif data == ">": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-end-of-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-char-in-doctype"}) + self.currentToken["correct"] = False + self.state = self.bogusDoctypeState + return True + + def doctypePublicIdentifierDoubleQuotedState(self): + data = self.stream.char() + if data == "\"": + self.state = self.afterDoctypePublicIdentifierState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["publicId"] += "\uFFFD" + elif data == ">": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-end-of-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.currentToken["publicId"] += data + return True + + def doctypePublicIdentifierSingleQuotedState(self): + data = self.stream.char() + if data == "'": + self.state = self.afterDoctypePublicIdentifierState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["publicId"] += "\uFFFD" + elif data == ">": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-end-of-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.currentToken["publicId"] += data + return True + + def afterDoctypePublicIdentifierState(self): + data = self.stream.char() + if data in spaceCharacters: + self.state = self.betweenDoctypePublicAndSystemIdentifiersState + elif data == ">": + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data == '"': + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-char-in-doctype"}) + self.currentToken["systemId"] = "" + self.state = self.doctypeSystemIdentifierDoubleQuotedState + elif data == "'": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-char-in-doctype"}) + self.currentToken["systemId"] = "" + self.state = self.doctypeSystemIdentifierSingleQuotedState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-char-in-doctype"}) + self.currentToken["correct"] = False + self.state = self.bogusDoctypeState + return True + + def betweenDoctypePublicAndSystemIdentifiersState(self): + data = self.stream.char() + if data in spaceCharacters: + pass + elif data == ">": + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data == '"': + self.currentToken["systemId"] = "" + self.state = self.doctypeSystemIdentifierDoubleQuotedState + elif data == "'": + self.currentToken["systemId"] = "" + self.state = self.doctypeSystemIdentifierSingleQuotedState + elif data == EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-char-in-doctype"}) + self.currentToken["correct"] = False + self.state = self.bogusDoctypeState + return True + + def afterDoctypeSystemKeywordState(self): + data = self.stream.char() + if data in spaceCharacters: + self.state = self.beforeDoctypeSystemIdentifierState + elif data in ("'", '"'): + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-char-in-doctype"}) + self.stream.unget(data) + self.state = self.beforeDoctypeSystemIdentifierState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.stream.unget(data) + self.state = self.beforeDoctypeSystemIdentifierState + return True + + def beforeDoctypeSystemIdentifierState(self): + data = self.stream.char() + if data in spaceCharacters: + pass + elif data == "\"": + self.currentToken["systemId"] = "" + self.state = self.doctypeSystemIdentifierDoubleQuotedState + elif data == "'": + self.currentToken["systemId"] = "" + self.state = self.doctypeSystemIdentifierSingleQuotedState + elif data == ">": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-char-in-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-char-in-doctype"}) + self.currentToken["correct"] = False + self.state = self.bogusDoctypeState + return True + + def doctypeSystemIdentifierDoubleQuotedState(self): + data = self.stream.char() + if data == "\"": + self.state = self.afterDoctypeSystemIdentifierState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["systemId"] += "\uFFFD" + elif data == ">": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-end-of-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.currentToken["systemId"] += data + return True + + def doctypeSystemIdentifierSingleQuotedState(self): + data = self.stream.char() + if data == "'": + self.state = self.afterDoctypeSystemIdentifierState + elif data == "\u0000": + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + self.currentToken["systemId"] += "\uFFFD" + elif data == ">": + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-end-of-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.currentToken["systemId"] += data + return True + + def afterDoctypeSystemIdentifierState(self): + data = self.stream.char() + if data in spaceCharacters: + pass + elif data == ">": + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data is EOF: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "eof-in-doctype"}) + self.currentToken["correct"] = False + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + self.tokenQueue.append({"type": tokenTypes["ParseError"], "data": + "unexpected-char-in-doctype"}) + self.state = self.bogusDoctypeState + return True + + def bogusDoctypeState(self): + data = self.stream.char() + if data == ">": + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + elif data is EOF: + # XXX EMIT + self.stream.unget(data) + self.tokenQueue.append(self.currentToken) + self.state = self.dataState + else: + pass + return True + + def cdataSectionState(self): + data = [] + while True: + data.append(self.stream.charsUntil("]")) + data.append(self.stream.charsUntil(">")) + char = self.stream.char() + if char == EOF: + break + else: + assert char == ">" + if data[-1][-2:] == "]]": + data[-1] = data[-1][:-2] + break + else: + data.append(char) + + data = "".join(data) # pylint:disable=redefined-variable-type + # Deal with null here rather than in the parser + nullCount = data.count("\u0000") + if nullCount > 0: + for _ in range(nullCount): + self.tokenQueue.append({"type": tokenTypes["ParseError"], + "data": "invalid-codepoint"}) + data = data.replace("\u0000", "\uFFFD") + if data: + self.tokenQueue.append({"type": tokenTypes["Characters"], + "data": data}) + self.state = self.dataState + return True diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/__init__.py new file mode 100644 index 0000000..a5ba4bf --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/__init__.py @@ -0,0 +1,14 @@ +from __future__ import absolute_import, division, unicode_literals + +from .py import Trie as PyTrie + +Trie = PyTrie + +# pylint:disable=wrong-import-position +try: + from .datrie import Trie as DATrie +except ImportError: + pass +else: + Trie = DATrie +# pylint:enable=wrong-import-position diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/_base.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/_base.py new file mode 100644 index 0000000..a1158bb --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/_base.py @@ -0,0 +1,37 @@ +from __future__ import absolute_import, division, unicode_literals + +from collections import Mapping + + +class Trie(Mapping): + """Abstract base class for tries""" + + def keys(self, prefix=None): + # pylint:disable=arguments-differ + keys = super(Trie, self).keys() + + if prefix is None: + return set(keys) + + return {x for x in keys if x.startswith(prefix)} + + def has_keys_with_prefix(self, prefix): + for key in self.keys(): + if key.startswith(prefix): + return True + + return False + + def longest_prefix(self, prefix): + if prefix in self: + return prefix + + for i in range(1, len(prefix) + 1): + if prefix[:-i] in self: + return prefix[:-i] + + raise KeyError(prefix) + + def longest_prefix_item(self, prefix): + lprefix = self.longest_prefix(prefix) + return (lprefix, self[lprefix]) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/datrie.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/datrie.py new file mode 100644 index 0000000..e2e5f86 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/datrie.py @@ -0,0 +1,44 @@ +from __future__ import absolute_import, division, unicode_literals + +from datrie import Trie as DATrie +from pip._vendor.six import text_type + +from ._base import Trie as ABCTrie + + +class Trie(ABCTrie): + def __init__(self, data): + chars = set() + for key in data.keys(): + if not isinstance(key, text_type): + raise TypeError("All keys must be strings") + for char in key: + chars.add(char) + + self._data = DATrie("".join(chars)) + for key, value in data.items(): + self._data[key] = value + + def __contains__(self, key): + return key in self._data + + def __len__(self): + return len(self._data) + + def __iter__(self): + raise NotImplementedError() + + def __getitem__(self, key): + return self._data[key] + + def keys(self, prefix=None): + return self._data.keys(prefix) + + def has_keys_with_prefix(self, prefix): + return self._data.has_keys_with_prefix(prefix) + + def longest_prefix(self, prefix): + return self._data.longest_prefix(prefix) + + def longest_prefix_item(self, prefix): + return self._data.longest_prefix_item(prefix) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/py.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/py.py new file mode 100644 index 0000000..c178b21 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/py.py @@ -0,0 +1,67 @@ +from __future__ import absolute_import, division, unicode_literals +from pip._vendor.six import text_type + +from bisect import bisect_left + +from ._base import Trie as ABCTrie + + +class Trie(ABCTrie): + def __init__(self, data): + if not all(isinstance(x, text_type) for x in data.keys()): + raise TypeError("All keys must be strings") + + self._data = data + self._keys = sorted(data.keys()) + self._cachestr = "" + self._cachepoints = (0, len(data)) + + def __contains__(self, key): + return key in self._data + + def __len__(self): + return len(self._data) + + def __iter__(self): + return iter(self._data) + + def __getitem__(self, key): + return self._data[key] + + def keys(self, prefix=None): + if prefix is None or prefix == "" or not self._keys: + return set(self._keys) + + if prefix.startswith(self._cachestr): + lo, hi = self._cachepoints + start = i = bisect_left(self._keys, prefix, lo, hi) + else: + start = i = bisect_left(self._keys, prefix) + + keys = set() + if start == len(self._keys): + return keys + + while self._keys[i].startswith(prefix): + keys.add(self._keys[i]) + i += 1 + + self._cachestr = prefix + self._cachepoints = (start, i) + + return keys + + def has_keys_with_prefix(self, prefix): + if prefix in self._data: + return True + + if prefix.startswith(self._cachestr): + lo, hi = self._cachepoints + i = bisect_left(self._keys, prefix, lo, hi) + else: + i = bisect_left(self._keys, prefix) + + if i == len(self._keys): + return False + + return self._keys[i].startswith(prefix) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_utils.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_utils.py new file mode 100644 index 0000000..0703afb --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_utils.py @@ -0,0 +1,124 @@ +from __future__ import absolute_import, division, unicode_literals + +from types import ModuleType + +from pip._vendor.six import text_type + +try: + import xml.etree.cElementTree as default_etree +except ImportError: + import xml.etree.ElementTree as default_etree + + +__all__ = ["default_etree", "MethodDispatcher", "isSurrogatePair", + "surrogatePairToCodepoint", "moduleFactoryFactory", + "supports_lone_surrogates"] + + +# Platforms not supporting lone surrogates (\uD800-\uDFFF) should be +# caught by the below test. In general this would be any platform +# using UTF-16 as its encoding of unicode strings, such as +# Jython. This is because UTF-16 itself is based on the use of such +# surrogates, and there is no mechanism to further escape such +# escapes. +try: + _x = eval('"\\uD800"') # pylint:disable=eval-used + if not isinstance(_x, text_type): + # We need this with u"" because of http://bugs.jython.org/issue2039 + _x = eval('u"\\uD800"') # pylint:disable=eval-used + assert isinstance(_x, text_type) +except: # pylint:disable=bare-except + supports_lone_surrogates = False +else: + supports_lone_surrogates = True + + +class MethodDispatcher(dict): + """Dict with 2 special properties: + + On initiation, keys that are lists, sets or tuples are converted to + multiple keys so accessing any one of the items in the original + list-like object returns the matching value + + md = MethodDispatcher({("foo", "bar"):"baz"}) + md["foo"] == "baz" + + A default value which can be set through the default attribute. + """ + + def __init__(self, items=()): + # Using _dictEntries instead of directly assigning to self is about + # twice as fast. Please do careful performance testing before changing + # anything here. + _dictEntries = [] + for name, value in items: + if isinstance(name, (list, tuple, frozenset, set)): + for item in name: + _dictEntries.append((item, value)) + else: + _dictEntries.append((name, value)) + dict.__init__(self, _dictEntries) + assert len(self) == len(_dictEntries) + self.default = None + + def __getitem__(self, key): + return dict.get(self, key, self.default) + + +# Some utility functions to deal with weirdness around UCS2 vs UCS4 +# python builds + +def isSurrogatePair(data): + return (len(data) == 2 and + ord(data[0]) >= 0xD800 and ord(data[0]) <= 0xDBFF and + ord(data[1]) >= 0xDC00 and ord(data[1]) <= 0xDFFF) + + +def surrogatePairToCodepoint(data): + char_val = (0x10000 + (ord(data[0]) - 0xD800) * 0x400 + + (ord(data[1]) - 0xDC00)) + return char_val + +# Module Factory Factory (no, this isn't Java, I know) +# Here to stop this being duplicated all over the place. + + +def moduleFactoryFactory(factory): + moduleCache = {} + + def moduleFactory(baseModule, *args, **kwargs): + if isinstance(ModuleType.__name__, type("")): + name = "_%s_factory" % baseModule.__name__ + else: + name = b"_%s_factory" % baseModule.__name__ + + kwargs_tuple = tuple(kwargs.items()) + + try: + return moduleCache[name][args][kwargs_tuple] + except KeyError: + mod = ModuleType(name) + objs = factory(baseModule, *args, **kwargs) + mod.__dict__.update(objs) + if "name" not in moduleCache: + moduleCache[name] = {} + if "args" not in moduleCache[name]: + moduleCache[name][args] = {} + if "kwargs" not in moduleCache[name][args]: + moduleCache[name][args][kwargs_tuple] = {} + moduleCache[name][args][kwargs_tuple] = mod + return mod + + return moduleFactory + + +def memoize(func): + cache = {} + + def wrapped(*args, **kwargs): + key = (tuple(args), tuple(kwargs.items())) + if key not in cache: + cache[key] = func(*args, **kwargs) + return cache[key] + + return wrapped diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/constants.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/constants.py new file mode 100644 index 0000000..1ff8041 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/constants.py @@ -0,0 +1,2947 @@ +from __future__ import absolute_import, division, unicode_literals + +import string + +EOF = None + +E = { + "null-character": + "Null character in input stream, replaced with U+FFFD.", + "invalid-codepoint": + "Invalid codepoint in stream.", + "incorrectly-placed-solidus": + "Solidus (/) incorrectly placed in tag.", + "incorrect-cr-newline-entity": + "Incorrect CR newline entity, replaced with LF.", + "illegal-windows-1252-entity": + "Entity used with illegal number (windows-1252 reference).", + "cant-convert-numeric-entity": + "Numeric entity couldn't be converted to character " + "(codepoint U+%(charAsInt)08x).", + "illegal-codepoint-for-numeric-entity": + "Numeric entity represents an illegal codepoint: " + "U+%(charAsInt)08x.", + "numeric-entity-without-semicolon": + "Numeric entity didn't end with ';'.", + "expected-numeric-entity-but-got-eof": + "Numeric entity expected. Got end of file instead.", + "expected-numeric-entity": + "Numeric entity expected but none found.", + "named-entity-without-semicolon": + "Named entity didn't end with ';'.", + "expected-named-entity": + "Named entity expected. Got none.", + "attributes-in-end-tag": + "End tag contains unexpected attributes.", + 'self-closing-flag-on-end-tag': + "End tag contains unexpected self-closing flag.", + "expected-tag-name-but-got-right-bracket": + "Expected tag name. Got '>' instead.", + "expected-tag-name-but-got-question-mark": + "Expected tag name. Got '?' instead. (HTML doesn't " + "support processing instructions.)", + "expected-tag-name": + "Expected tag name. Got something else instead", + "expected-closing-tag-but-got-right-bracket": + "Expected closing tag. Got '>' instead. Ignoring '</>'.", + "expected-closing-tag-but-got-eof": + "Expected closing tag. Unexpected end of file.", + "expected-closing-tag-but-got-char": + "Expected closing tag. Unexpected character '%(data)s' found.", + "eof-in-tag-name": + "Unexpected end of file in the tag name.", + "expected-attribute-name-but-got-eof": + "Unexpected end of file. Expected attribute name instead.", + "eof-in-attribute-name": + "Unexpected end of file in attribute name.", + "invalid-character-in-attribute-name": + "Invalid character in attribute name", + "duplicate-attribute": + "Dropped duplicate attribute on tag.", + "expected-end-of-tag-name-but-got-eof": + "Unexpected end of file. Expected = or end of tag.", + "expected-attribute-value-but-got-eof": + "Unexpected end of file. Expected attribute value.", + "expected-attribute-value-but-got-right-bracket": + "Expected attribute value. Got '>' instead.", + 'equals-in-unquoted-attribute-value': + "Unexpected = in unquoted attribute", + 'unexpected-character-in-unquoted-attribute-value': + "Unexpected character in unquoted attribute", + "invalid-character-after-attribute-name": + "Unexpected character after attribute name.", + "unexpected-character-after-attribute-value": + "Unexpected character after attribute value.", + "eof-in-attribute-value-double-quote": + "Unexpected end of file in attribute value (\").", + "eof-in-attribute-value-single-quote": + "Unexpected end of file in attribute value (').", + "eof-in-attribute-value-no-quotes": + "Unexpected end of file in attribute value.", + "unexpected-EOF-after-solidus-in-tag": + "Unexpected end of file in tag. Expected >", + "unexpected-character-after-solidus-in-tag": + "Unexpected character after / in tag. Expected >", + "expected-dashes-or-doctype": + "Expected '--' or 'DOCTYPE'. Not found.", + "unexpected-bang-after-double-dash-in-comment": + "Unexpected ! after -- in comment", + "unexpected-space-after-double-dash-in-comment": + "Unexpected space after -- in comment", + "incorrect-comment": + "Incorrect comment.", + "eof-in-comment": + "Unexpected end of file in comment.", + "eof-in-comment-end-dash": + "Unexpected end of file in comment (-)", + "unexpected-dash-after-double-dash-in-comment": + "Unexpected '-' after '--' found in comment.", + "eof-in-comment-double-dash": + "Unexpected end of file in comment (--).", + "eof-in-comment-end-space-state": + "Unexpected end of file in comment.", + "eof-in-comment-end-bang-state": + "Unexpected end of file in comment.", + "unexpected-char-in-comment": + "Unexpected character in comment found.", + "need-space-after-doctype": + "No space after literal string 'DOCTYPE'.", + "expected-doctype-name-but-got-right-bracket": + "Unexpected > character. Expected DOCTYPE name.", + "expected-doctype-name-but-got-eof": + "Unexpected end of file. Expected DOCTYPE name.", + "eof-in-doctype-name": + "Unexpected end of file in DOCTYPE name.", + "eof-in-doctype": + "Unexpected end of file in DOCTYPE.", + "expected-space-or-right-bracket-in-doctype": + "Expected space or '>'. Got '%(data)s'", + "unexpected-end-of-doctype": + "Unexpected end of DOCTYPE.", + "unexpected-char-in-doctype": + "Unexpected character in DOCTYPE.", + "eof-in-innerhtml": + "XXX innerHTML EOF", + "unexpected-doctype": + "Unexpected DOCTYPE. Ignored.", + "non-html-root": + "html needs to be the first start tag.", + "expected-doctype-but-got-eof": + "Unexpected End of file. Expected DOCTYPE.", + "unknown-doctype": + "Erroneous DOCTYPE.", + "expected-doctype-but-got-chars": + "Unexpected non-space characters. Expected DOCTYPE.", + "expected-doctype-but-got-start-tag": + "Unexpected start tag (%(name)s). Expected DOCTYPE.", + "expected-doctype-but-got-end-tag": + "Unexpected end tag (%(name)s). Expected DOCTYPE.", + "end-tag-after-implied-root": + "Unexpected end tag (%(name)s) after the (implied) root element.", + "expected-named-closing-tag-but-got-eof": + "Unexpected end of file. Expected end tag (%(name)s).", + "two-heads-are-not-better-than-one": + "Unexpected start tag head in existing head. Ignored.", + "unexpected-end-tag": + "Unexpected end tag (%(name)s). Ignored.", + "unexpected-start-tag-out-of-my-head": + "Unexpected start tag (%(name)s) that can be in head. Moved.", + "unexpected-start-tag": + "Unexpected start tag (%(name)s).", + "missing-end-tag": + "Missing end tag (%(name)s).", + "missing-end-tags": + "Missing end tags (%(name)s).", + "unexpected-start-tag-implies-end-tag": + "Unexpected start tag (%(startName)s) " + "implies end tag (%(endName)s).", + "unexpected-start-tag-treated-as": + "Unexpected start tag (%(originalName)s). Treated as %(newName)s.", + "deprecated-tag": + "Unexpected start tag %(name)s. Don't use it!", + "unexpected-start-tag-ignored": + "Unexpected start tag %(name)s. Ignored.", + "expected-one-end-tag-but-got-another": + "Unexpected end tag (%(gotName)s). " + "Missing end tag (%(expectedName)s).", + "end-tag-too-early": + "End tag (%(name)s) seen too early. Expected other end tag.", + "end-tag-too-early-named": + "Unexpected end tag (%(gotName)s). Expected end tag (%(expectedName)s).", + "end-tag-too-early-ignored": + "End tag (%(name)s) seen too early. Ignored.", + "adoption-agency-1.1": + "End tag (%(name)s) violates step 1, " + "paragraph 1 of the adoption agency algorithm.", + "adoption-agency-1.2": + "End tag (%(name)s) violates step 1, " + "paragraph 2 of the adoption agency algorithm.", + "adoption-agency-1.3": + "End tag (%(name)s) violates step 1, " + "paragraph 3 of the adoption agency algorithm.", + "adoption-agency-4.4": + "End tag (%(name)s) violates step 4, " + "paragraph 4 of the adoption agency algorithm.", + "unexpected-end-tag-treated-as": + "Unexpected end tag (%(originalName)s). Treated as %(newName)s.", + "no-end-tag": + "This element (%(name)s) has no end tag.", + "unexpected-implied-end-tag-in-table": + "Unexpected implied end tag (%(name)s) in the table phase.", + "unexpected-implied-end-tag-in-table-body": + "Unexpected implied end tag (%(name)s) in the table body phase.", + "unexpected-char-implies-table-voodoo": + "Unexpected non-space characters in " + "table context caused voodoo mode.", + "unexpected-hidden-input-in-table": + "Unexpected input with type hidden in table context.", + "unexpected-form-in-table": + "Unexpected form in table context.", + "unexpected-start-tag-implies-table-voodoo": + "Unexpected start tag (%(name)s) in " + "table context caused voodoo mode.", + "unexpected-end-tag-implies-table-voodoo": + "Unexpected end tag (%(name)s) in " + "table context caused voodoo mode.", + "unexpected-cell-in-table-body": + "Unexpected table cell start tag (%(name)s) " + "in the table body phase.", + "unexpected-cell-end-tag": + "Got table cell end tag (%(name)s) " + "while required end tags are missing.", + "unexpected-end-tag-in-table-body": + "Unexpected end tag (%(name)s) in the table body phase. Ignored.", + "unexpected-implied-end-tag-in-table-row": + "Unexpected implied end tag (%(name)s) in the table row phase.", + "unexpected-end-tag-in-table-row": + "Unexpected end tag (%(name)s) in the table row phase. Ignored.", + "unexpected-select-in-select": + "Unexpected select start tag in the select phase " + "treated as select end tag.", + "unexpected-input-in-select": + "Unexpected input start tag in the select phase.", + "unexpected-start-tag-in-select": + "Unexpected start tag token (%(name)s in the select phase. " + "Ignored.", + "unexpected-end-tag-in-select": + "Unexpected end tag (%(name)s) in the select phase. Ignored.", + "unexpected-table-element-start-tag-in-select-in-table": + "Unexpected table element start tag (%(name)s) in the select in table phase.", + "unexpected-table-element-end-tag-in-select-in-table": + "Unexpected table element end tag (%(name)s) in the select in table phase.", + "unexpected-char-after-body": + "Unexpected non-space characters in the after body phase.", + "unexpected-start-tag-after-body": + "Unexpected start tag token (%(name)s)" + " in the after body phase.", + "unexpected-end-tag-after-body": + "Unexpected end tag token (%(name)s)" + " in the after body phase.", + "unexpected-char-in-frameset": + "Unexpected characters in the frameset phase. Characters ignored.", + "unexpected-start-tag-in-frameset": + "Unexpected start tag token (%(name)s)" + " in the frameset phase. Ignored.", + "unexpected-frameset-in-frameset-innerhtml": + "Unexpected end tag token (frameset) " + "in the frameset phase (innerHTML).", + "unexpected-end-tag-in-frameset": + "Unexpected end tag token (%(name)s)" + " in the frameset phase. Ignored.", + "unexpected-char-after-frameset": + "Unexpected non-space characters in the " + "after frameset phase. Ignored.", + "unexpected-start-tag-after-frameset": + "Unexpected start tag (%(name)s)" + " in the after frameset phase. Ignored.", + "unexpected-end-tag-after-frameset": + "Unexpected end tag (%(name)s)" + " in the after frameset phase. Ignored.", + "unexpected-end-tag-after-body-innerhtml": + "Unexpected end tag after body(innerHtml)", + "expected-eof-but-got-char": + "Unexpected non-space characters. Expected end of file.", + "expected-eof-but-got-start-tag": + "Unexpected start tag (%(name)s)" + ". Expected end of file.", + "expected-eof-but-got-end-tag": + "Unexpected end tag (%(name)s)" + ". Expected end of file.", + "eof-in-table": + "Unexpected end of file. Expected table content.", + "eof-in-select": + "Unexpected end of file. Expected select content.", + "eof-in-frameset": + "Unexpected end of file. Expected frameset content.", + "eof-in-script-in-script": + "Unexpected end of file. Expected script content.", + "eof-in-foreign-lands": + "Unexpected end of file. Expected foreign content", + "non-void-element-with-trailing-solidus": + "Trailing solidus not allowed on element %(name)s", + "unexpected-html-element-in-foreign-content": + "Element %(name)s not allowed in a non-html context", + "unexpected-end-tag-before-html": + "Unexpected end tag (%(name)s) before html.", + "unexpected-inhead-noscript-tag": + "Element %(name)s not allowed in a inhead-noscript context", + "eof-in-head-noscript": + "Unexpected end of file. Expected inhead-noscript content", + "char-in-head-noscript": + "Unexpected non-space character. Expected inhead-noscript content", + "XXX-undefined-error": + "Undefined error (this sucks and should be fixed)", +} + +namespaces = { + "html": "http://www.w3.org/1999/xhtml", + "mathml": "http://www.w3.org/1998/Math/MathML", + "svg": "http://www.w3.org/2000/svg", + "xlink": "http://www.w3.org/1999/xlink", + "xml": "http://www.w3.org/XML/1998/namespace", + "xmlns": "http://www.w3.org/2000/xmlns/" +} + +scopingElements = frozenset([ + (namespaces["html"], "applet"), + (namespaces["html"], "caption"), + (namespaces["html"], "html"), + (namespaces["html"], "marquee"), + (namespaces["html"], "object"), + (namespaces["html"], "table"), + (namespaces["html"], "td"), + (namespaces["html"], "th"), + (namespaces["mathml"], "mi"), + (namespaces["mathml"], "mo"), + (namespaces["mathml"], "mn"), + (namespaces["mathml"], "ms"), + (namespaces["mathml"], "mtext"), + (namespaces["mathml"], "annotation-xml"), + (namespaces["svg"], "foreignObject"), + (namespaces["svg"], "desc"), + (namespaces["svg"], "title"), +]) + +formattingElements = frozenset([ + (namespaces["html"], "a"), + (namespaces["html"], "b"), + (namespaces["html"], "big"), + (namespaces["html"], "code"), + (namespaces["html"], "em"), + (namespaces["html"], "font"), + (namespaces["html"], "i"), + (namespaces["html"], "nobr"), + (namespaces["html"], "s"), + (namespaces["html"], "small"), + (namespaces["html"], "strike"), + (namespaces["html"], "strong"), + (namespaces["html"], "tt"), + (namespaces["html"], "u") +]) + +specialElements = frozenset([ + (namespaces["html"], "address"), + (namespaces["html"], "applet"), + (namespaces["html"], "area"), + (namespaces["html"], "article"), + (namespaces["html"], "aside"), + (namespaces["html"], "base"), + (namespaces["html"], "basefont"), + (namespaces["html"], "bgsound"), + (namespaces["html"], "blockquote"), + (namespaces["html"], "body"), + (namespaces["html"], "br"), + (namespaces["html"], "button"), + (namespaces["html"], "caption"), + (namespaces["html"], "center"), + (namespaces["html"], "col"), + (namespaces["html"], "colgroup"), + (namespaces["html"], "command"), + (namespaces["html"], "dd"), + (namespaces["html"], "details"), + (namespaces["html"], "dir"), + (namespaces["html"], "div"), + (namespaces["html"], "dl"), + (namespaces["html"], "dt"), + (namespaces["html"], "embed"), + (namespaces["html"], "fieldset"), + (namespaces["html"], "figure"), + (namespaces["html"], "footer"), + (namespaces["html"], "form"), + (namespaces["html"], "frame"), + (namespaces["html"], "frameset"), + (namespaces["html"], "h1"), + (namespaces["html"], "h2"), + (namespaces["html"], "h3"), + (namespaces["html"], "h4"), + (namespaces["html"], "h5"), + (namespaces["html"], "h6"), + (namespaces["html"], "head"), + (namespaces["html"], "header"), + (namespaces["html"], "hr"), + (namespaces["html"], "html"), + (namespaces["html"], "iframe"), + # Note that image is commented out in the spec as "this isn't an + # element that can end up on the stack, so it doesn't matter," + (namespaces["html"], "image"), + (namespaces["html"], "img"), + (namespaces["html"], "input"), + (namespaces["html"], "isindex"), + (namespaces["html"], "li"), + (namespaces["html"], "link"), + (namespaces["html"], "listing"), + (namespaces["html"], "marquee"), + (namespaces["html"], "menu"), + (namespaces["html"], "meta"), + (namespaces["html"], "nav"), + (namespaces["html"], "noembed"), + (namespaces["html"], "noframes"), + (namespaces["html"], "noscript"), + (namespaces["html"], "object"), + (namespaces["html"], "ol"), + (namespaces["html"], "p"), + (namespaces["html"], "param"), + (namespaces["html"], "plaintext"), + (namespaces["html"], "pre"), + (namespaces["html"], "script"), + (namespaces["html"], "section"), + (namespaces["html"], "select"), + (namespaces["html"], "style"), + (namespaces["html"], "table"), + (namespaces["html"], "tbody"), + (namespaces["html"], "td"), + (namespaces["html"], "textarea"), + (namespaces["html"], "tfoot"), + (namespaces["html"], "th"), + (namespaces["html"], "thead"), + (namespaces["html"], "title"), + (namespaces["html"], "tr"), + (namespaces["html"], "ul"), + (namespaces["html"], "wbr"), + (namespaces["html"], "xmp"), + (namespaces["svg"], "foreignObject") +]) + +htmlIntegrationPointElements = frozenset([ + (namespaces["mathml"], "annotation-xml"), + (namespaces["svg"], "foreignObject"), + (namespaces["svg"], "desc"), + (namespaces["svg"], "title") +]) + +mathmlTextIntegrationPointElements = frozenset([ + (namespaces["mathml"], "mi"), + (namespaces["mathml"], "mo"), + (namespaces["mathml"], "mn"), + (namespaces["mathml"], "ms"), + (namespaces["mathml"], "mtext") +]) + +adjustSVGAttributes = { + "attributename": "attributeName", + "attributetype": "attributeType", + "basefrequency": "baseFrequency", + "baseprofile": "baseProfile", + "calcmode": "calcMode", + "clippathunits": "clipPathUnits", + "contentscripttype": "contentScriptType", + "contentstyletype": "contentStyleType", + "diffuseconstant": "diffuseConstant", + "edgemode": "edgeMode", + "externalresourcesrequired": "externalResourcesRequired", + "filterres": "filterRes", + "filterunits": "filterUnits", + "glyphref": "glyphRef", + "gradienttransform": "gradientTransform", + "gradientunits": "gradientUnits", + "kernelmatrix": "kernelMatrix", + "kernelunitlength": "kernelUnitLength", + "keypoints": "keyPoints", + "keysplines": "keySplines", + "keytimes": "keyTimes", + "lengthadjust": "lengthAdjust", + "limitingconeangle": "limitingConeAngle", + "markerheight": "markerHeight", + "markerunits": "markerUnits", + "markerwidth": "markerWidth", + "maskcontentunits": "maskContentUnits", + "maskunits": "maskUnits", + "numoctaves": "numOctaves", + "pathlength": "pathLength", + "patterncontentunits": "patternContentUnits", + "patterntransform": "patternTransform", + "patternunits": "patternUnits", + "pointsatx": "pointsAtX", + "pointsaty": "pointsAtY", + "pointsatz": "pointsAtZ", + "preservealpha": "preserveAlpha", + "preserveaspectratio": "preserveAspectRatio", + "primitiveunits": "primitiveUnits", + "refx": "refX", + "refy": "refY", + "repeatcount": "repeatCount", + "repeatdur": "repeatDur", + "requiredextensions": "requiredExtensions", + "requiredfeatures": "requiredFeatures", + "specularconstant": "specularConstant", + "specularexponent": "specularExponent", + "spreadmethod": "spreadMethod", + "startoffset": "startOffset", + "stddeviation": "stdDeviation", + "stitchtiles": "stitchTiles", + "surfacescale": "surfaceScale", + "systemlanguage": "systemLanguage", + "tablevalues": "tableValues", + "targetx": "targetX", + "targety": "targetY", + "textlength": "textLength", + "viewbox": "viewBox", + "viewtarget": "viewTarget", + "xchannelselector": "xChannelSelector", + "ychannelselector": "yChannelSelector", + "zoomandpan": "zoomAndPan" +} + +adjustMathMLAttributes = {"definitionurl": "definitionURL"} + +adjustForeignAttributes = { + "xlink:actuate": ("xlink", "actuate", namespaces["xlink"]), + "xlink:arcrole": ("xlink", "arcrole", namespaces["xlink"]), + "xlink:href": ("xlink", "href", namespaces["xlink"]), + "xlink:role": ("xlink", "role", namespaces["xlink"]), + "xlink:show": ("xlink", "show", namespaces["xlink"]), + "xlink:title": ("xlink", "title", namespaces["xlink"]), + "xlink:type": ("xlink", "type", namespaces["xlink"]), + "xml:base": ("xml", "base", namespaces["xml"]), + "xml:lang": ("xml", "lang", namespaces["xml"]), + "xml:space": ("xml", "space", namespaces["xml"]), + "xmlns": (None, "xmlns", namespaces["xmlns"]), + "xmlns:xlink": ("xmlns", "xlink", namespaces["xmlns"]) +} + +unadjustForeignAttributes = dict([((ns, local), qname) for qname, (prefix, local, ns) in + adjustForeignAttributes.items()]) + +spaceCharacters = frozenset([ + "\t", + "\n", + "\u000C", + " ", + "\r" +]) + +tableInsertModeElements = frozenset([ + "table", + "tbody", + "tfoot", + "thead", + "tr" +]) + +asciiLowercase = frozenset(string.ascii_lowercase) +asciiUppercase = frozenset(string.ascii_uppercase) +asciiLetters = frozenset(string.ascii_letters) +digits = frozenset(string.digits) +hexDigits = frozenset(string.hexdigits) + +asciiUpper2Lower = dict([(ord(c), ord(c.lower())) + for c in string.ascii_uppercase]) + +# Heading elements need to be ordered +headingElements = ( + "h1", + "h2", + "h3", + "h4", + "h5", + "h6" +) + +voidElements = frozenset([ + "base", + "command", + "event-source", + "link", + "meta", + "hr", + "br", + "img", + "embed", + "param", + "area", + "col", + "input", + "source", + "track" +]) + +cdataElements = frozenset(['title', 'textarea']) + +rcdataElements = frozenset([ + 'style', + 'script', + 'xmp', + 'iframe', + 'noembed', + 'noframes', + 'noscript' +]) + +booleanAttributes = { + "": frozenset(["irrelevant", "itemscope"]), + "style": frozenset(["scoped"]), + "img": frozenset(["ismap"]), + "audio": frozenset(["autoplay", "controls"]), + "video": frozenset(["autoplay", "controls"]), + "script": frozenset(["defer", "async"]), + "details": frozenset(["open"]), + "datagrid": frozenset(["multiple", "disabled"]), + "command": frozenset(["hidden", "disabled", "checked", "default"]), + "hr": frozenset(["noshade"]), + "menu": frozenset(["autosubmit"]), + "fieldset": frozenset(["disabled", "readonly"]), + "option": frozenset(["disabled", "readonly", "selected"]), + "optgroup": frozenset(["disabled", "readonly"]), + "button": frozenset(["disabled", "autofocus"]), + "input": frozenset(["disabled", "readonly", "required", "autofocus", "checked", "ismap"]), + "select": frozenset(["disabled", "readonly", "autofocus", "multiple"]), + "output": frozenset(["disabled", "readonly"]), + "iframe": frozenset(["seamless"]), +} + +# entitiesWindows1252 has to be _ordered_ and needs to have an index. It +# therefore can't be a frozenset. +entitiesWindows1252 = ( + 8364, # 0x80 0x20AC EURO SIGN + 65533, # 0x81 UNDEFINED + 8218, # 0x82 0x201A SINGLE LOW-9 QUOTATION MARK + 402, # 0x83 0x0192 LATIN SMALL LETTER F WITH HOOK + 8222, # 0x84 0x201E DOUBLE LOW-9 QUOTATION MARK + 8230, # 0x85 0x2026 HORIZONTAL ELLIPSIS + 8224, # 0x86 0x2020 DAGGER + 8225, # 0x87 0x2021 DOUBLE DAGGER + 710, # 0x88 0x02C6 MODIFIER LETTER CIRCUMFLEX ACCENT + 8240, # 0x89 0x2030 PER MILLE SIGN + 352, # 0x8A 0x0160 LATIN CAPITAL LETTER S WITH CARON + 8249, # 0x8B 0x2039 SINGLE LEFT-POINTING ANGLE QUOTATION MARK + 338, # 0x8C 0x0152 LATIN CAPITAL LIGATURE OE + 65533, # 0x8D UNDEFINED + 381, # 0x8E 0x017D LATIN CAPITAL LETTER Z WITH CARON + 65533, # 0x8F UNDEFINED + 65533, # 0x90 UNDEFINED + 8216, # 0x91 0x2018 LEFT SINGLE QUOTATION MARK + 8217, # 0x92 0x2019 RIGHT SINGLE QUOTATION MARK + 8220, # 0x93 0x201C LEFT DOUBLE QUOTATION MARK + 8221, # 0x94 0x201D RIGHT DOUBLE QUOTATION MARK + 8226, # 0x95 0x2022 BULLET + 8211, # 0x96 0x2013 EN DASH + 8212, # 0x97 0x2014 EM DASH + 732, # 0x98 0x02DC SMALL TILDE + 8482, # 0x99 0x2122 TRADE MARK SIGN + 353, # 0x9A 0x0161 LATIN SMALL LETTER S WITH CARON + 8250, # 0x9B 0x203A SINGLE RIGHT-POINTING ANGLE QUOTATION MARK + 339, # 0x9C 0x0153 LATIN SMALL LIGATURE OE + 65533, # 0x9D UNDEFINED + 382, # 0x9E 0x017E LATIN SMALL LETTER Z WITH CARON + 376 # 0x9F 0x0178 LATIN CAPITAL LETTER Y WITH DIAERESIS +) + +xmlEntities = frozenset(['lt;', 'gt;', 'amp;', 'apos;', 'quot;']) + +entities = { + "AElig": "\xc6", + "AElig;": "\xc6", + "AMP": "&", + "AMP;": "&", + "Aacute": "\xc1", + "Aacute;": "\xc1", + "Abreve;": "\u0102", + "Acirc": "\xc2", + "Acirc;": "\xc2", + "Acy;": "\u0410", + "Afr;": "\U0001d504", + "Agrave": "\xc0", + "Agrave;": "\xc0", + "Alpha;": "\u0391", + "Amacr;": "\u0100", + "And;": "\u2a53", + "Aogon;": "\u0104", + "Aopf;": "\U0001d538", + "ApplyFunction;": "\u2061", + "Aring": "\xc5", + "Aring;": "\xc5", + "Ascr;": "\U0001d49c", + "Assign;": "\u2254", + "Atilde": "\xc3", + "Atilde;": "\xc3", + "Auml": "\xc4", + "Auml;": "\xc4", + "Backslash;": "\u2216", + "Barv;": "\u2ae7", + "Barwed;": "\u2306", + "Bcy;": "\u0411", + "Because;": "\u2235", + "Bernoullis;": "\u212c", + "Beta;": "\u0392", + "Bfr;": "\U0001d505", + "Bopf;": "\U0001d539", + "Breve;": "\u02d8", + "Bscr;": "\u212c", + "Bumpeq;": "\u224e", + "CHcy;": "\u0427", + "COPY": "\xa9", + "COPY;": "\xa9", + "Cacute;": "\u0106", + "Cap;": "\u22d2", + "CapitalDifferentialD;": "\u2145", + "Cayleys;": "\u212d", + "Ccaron;": "\u010c", + "Ccedil": "\xc7", + "Ccedil;": "\xc7", + "Ccirc;": "\u0108", + "Cconint;": "\u2230", + "Cdot;": "\u010a", + "Cedilla;": "\xb8", + "CenterDot;": "\xb7", + "Cfr;": "\u212d", + "Chi;": "\u03a7", + "CircleDot;": "\u2299", + "CircleMinus;": "\u2296", + "CirclePlus;": "\u2295", + "CircleTimes;": "\u2297", + "ClockwiseContourIntegral;": "\u2232", + "CloseCurlyDoubleQuote;": "\u201d", + "CloseCurlyQuote;": "\u2019", + "Colon;": "\u2237", + "Colone;": "\u2a74", + "Congruent;": "\u2261", + "Conint;": "\u222f", + "ContourIntegral;": "\u222e", + "Copf;": "\u2102", + "Coproduct;": "\u2210", + "CounterClockwiseContourIntegral;": "\u2233", + "Cross;": "\u2a2f", + "Cscr;": "\U0001d49e", + "Cup;": "\u22d3", + "CupCap;": "\u224d", + "DD;": "\u2145", + "DDotrahd;": "\u2911", + "DJcy;": "\u0402", + "DScy;": "\u0405", + "DZcy;": "\u040f", + "Dagger;": "\u2021", + "Darr;": "\u21a1", + "Dashv;": "\u2ae4", + "Dcaron;": "\u010e", + "Dcy;": "\u0414", + "Del;": "\u2207", + "Delta;": "\u0394", + "Dfr;": "\U0001d507", + "DiacriticalAcute;": "\xb4", + "DiacriticalDot;": "\u02d9", + "DiacriticalDoubleAcute;": "\u02dd", + "DiacriticalGrave;": "`", + "DiacriticalTilde;": "\u02dc", + "Diamond;": "\u22c4", + "DifferentialD;": "\u2146", + "Dopf;": "\U0001d53b", + "Dot;": "\xa8", + "DotDot;": "\u20dc", + "DotEqual;": "\u2250", + "DoubleContourIntegral;": "\u222f", + "DoubleDot;": "\xa8", + "DoubleDownArrow;": "\u21d3", + "DoubleLeftArrow;": "\u21d0", + "DoubleLeftRightArrow;": "\u21d4", + "DoubleLeftTee;": "\u2ae4", + "DoubleLongLeftArrow;": "\u27f8", + "DoubleLongLeftRightArrow;": "\u27fa", + "DoubleLongRightArrow;": "\u27f9", + "DoubleRightArrow;": "\u21d2", + "DoubleRightTee;": "\u22a8", + "DoubleUpArrow;": "\u21d1", + "DoubleUpDownArrow;": "\u21d5", + "DoubleVerticalBar;": "\u2225", + "DownArrow;": "\u2193", + "DownArrowBar;": "\u2913", + "DownArrowUpArrow;": "\u21f5", + "DownBreve;": "\u0311", + "DownLeftRightVector;": "\u2950", + "DownLeftTeeVector;": "\u295e", + "DownLeftVector;": "\u21bd", + "DownLeftVectorBar;": "\u2956", + "DownRightTeeVector;": "\u295f", + "DownRightVector;": "\u21c1", + "DownRightVectorBar;": "\u2957", + "DownTee;": "\u22a4", + "DownTeeArrow;": "\u21a7", + "Downarrow;": "\u21d3", + "Dscr;": "\U0001d49f", + "Dstrok;": "\u0110", + "ENG;": "\u014a", + "ETH": "\xd0", + "ETH;": "\xd0", + "Eacute": "\xc9", + "Eacute;": "\xc9", + "Ecaron;": "\u011a", + "Ecirc": "\xca", + "Ecirc;": "\xca", + "Ecy;": "\u042d", + "Edot;": "\u0116", + "Efr;": "\U0001d508", + "Egrave": "\xc8", + "Egrave;": "\xc8", + "Element;": "\u2208", + "Emacr;": "\u0112", + "EmptySmallSquare;": "\u25fb", + "EmptyVerySmallSquare;": "\u25ab", + "Eogon;": "\u0118", + "Eopf;": "\U0001d53c", + "Epsilon;": "\u0395", + "Equal;": "\u2a75", + "EqualTilde;": "\u2242", + "Equilibrium;": "\u21cc", + "Escr;": "\u2130", + "Esim;": "\u2a73", + "Eta;": "\u0397", + "Euml": "\xcb", + "Euml;": "\xcb", + "Exists;": "\u2203", + "ExponentialE;": "\u2147", + "Fcy;": "\u0424", + "Ffr;": "\U0001d509", + "FilledSmallSquare;": "\u25fc", + "FilledVerySmallSquare;": "\u25aa", + "Fopf;": "\U0001d53d", + "ForAll;": "\u2200", + "Fouriertrf;": "\u2131", + "Fscr;": "\u2131", + "GJcy;": "\u0403", + "GT": ">", + "GT;": ">", + "Gamma;": "\u0393", + "Gammad;": "\u03dc", + "Gbreve;": "\u011e", + "Gcedil;": "\u0122", + "Gcirc;": "\u011c", + "Gcy;": "\u0413", + "Gdot;": "\u0120", + "Gfr;": "\U0001d50a", + "Gg;": "\u22d9", + "Gopf;": "\U0001d53e", + "GreaterEqual;": "\u2265", + "GreaterEqualLess;": "\u22db", + "GreaterFullEqual;": "\u2267", + "GreaterGreater;": "\u2aa2", + "GreaterLess;": "\u2277", + "GreaterSlantEqual;": "\u2a7e", + "GreaterTilde;": "\u2273", + "Gscr;": "\U0001d4a2", + "Gt;": "\u226b", + "HARDcy;": "\u042a", + "Hacek;": "\u02c7", + "Hat;": "^", + "Hcirc;": "\u0124", + "Hfr;": "\u210c", + "HilbertSpace;": "\u210b", + "Hopf;": "\u210d", + "HorizontalLine;": "\u2500", + "Hscr;": "\u210b", + "Hstrok;": "\u0126", + "HumpDownHump;": "\u224e", + "HumpEqual;": "\u224f", + "IEcy;": "\u0415", + "IJlig;": "\u0132", + "IOcy;": "\u0401", + "Iacute": "\xcd", + "Iacute;": "\xcd", + "Icirc": "\xce", + "Icirc;": "\xce", + "Icy;": "\u0418", + "Idot;": "\u0130", + "Ifr;": "\u2111", + "Igrave": "\xcc", + "Igrave;": "\xcc", + "Im;": "\u2111", + "Imacr;": "\u012a", + "ImaginaryI;": "\u2148", + "Implies;": "\u21d2", + "Int;": "\u222c", + "Integral;": "\u222b", + "Intersection;": "\u22c2", + "InvisibleComma;": "\u2063", + "InvisibleTimes;": "\u2062", + "Iogon;": "\u012e", + "Iopf;": "\U0001d540", + "Iota;": "\u0399", + "Iscr;": "\u2110", + "Itilde;": "\u0128", + "Iukcy;": "\u0406", + "Iuml": "\xcf", + "Iuml;": "\xcf", + "Jcirc;": "\u0134", + "Jcy;": "\u0419", + "Jfr;": "\U0001d50d", + "Jopf;": "\U0001d541", + "Jscr;": "\U0001d4a5", + "Jsercy;": "\u0408", + "Jukcy;": "\u0404", + "KHcy;": "\u0425", + "KJcy;": "\u040c", + "Kappa;": "\u039a", + "Kcedil;": "\u0136", + "Kcy;": "\u041a", + "Kfr;": "\U0001d50e", + "Kopf;": "\U0001d542", + "Kscr;": "\U0001d4a6", + "LJcy;": "\u0409", + "LT": "<", + "LT;": "<", + "Lacute;": "\u0139", + "Lambda;": "\u039b", + "Lang;": "\u27ea", + "Laplacetrf;": "\u2112", + "Larr;": "\u219e", + "Lcaron;": "\u013d", + "Lcedil;": "\u013b", + "Lcy;": "\u041b", + "LeftAngleBracket;": "\u27e8", + "LeftArrow;": "\u2190", + "LeftArrowBar;": "\u21e4", + "LeftArrowRightArrow;": "\u21c6", + "LeftCeiling;": "\u2308", + "LeftDoubleBracket;": "\u27e6", + "LeftDownTeeVector;": "\u2961", + "LeftDownVector;": "\u21c3", + "LeftDownVectorBar;": "\u2959", + "LeftFloor;": "\u230a", + "LeftRightArrow;": "\u2194", + "LeftRightVector;": "\u294e", + "LeftTee;": "\u22a3", + "LeftTeeArrow;": "\u21a4", + "LeftTeeVector;": "\u295a", + "LeftTriangle;": "\u22b2", + "LeftTriangleBar;": "\u29cf", + "LeftTriangleEqual;": "\u22b4", + "LeftUpDownVector;": "\u2951", + "LeftUpTeeVector;": "\u2960", + "LeftUpVector;": "\u21bf", + "LeftUpVectorBar;": "\u2958", + "LeftVector;": "\u21bc", + "LeftVectorBar;": "\u2952", + "Leftarrow;": "\u21d0", + "Leftrightarrow;": "\u21d4", + "LessEqualGreater;": "\u22da", + "LessFullEqual;": "\u2266", + "LessGreater;": "\u2276", + "LessLess;": "\u2aa1", + "LessSlantEqual;": "\u2a7d", + "LessTilde;": "\u2272", + "Lfr;": "\U0001d50f", + "Ll;": "\u22d8", + "Lleftarrow;": "\u21da", + "Lmidot;": "\u013f", + "LongLeftArrow;": "\u27f5", + "LongLeftRightArrow;": "\u27f7", + "LongRightArrow;": "\u27f6", + "Longleftarrow;": "\u27f8", + "Longleftrightarrow;": "\u27fa", + "Longrightarrow;": "\u27f9", + "Lopf;": "\U0001d543", + "LowerLeftArrow;": "\u2199", + "LowerRightArrow;": "\u2198", + "Lscr;": "\u2112", + "Lsh;": "\u21b0", + "Lstrok;": "\u0141", + "Lt;": "\u226a", + "Map;": "\u2905", + "Mcy;": "\u041c", + "MediumSpace;": "\u205f", + "Mellintrf;": "\u2133", + "Mfr;": "\U0001d510", + "MinusPlus;": "\u2213", + "Mopf;": "\U0001d544", + "Mscr;": "\u2133", + "Mu;": "\u039c", + "NJcy;": "\u040a", + "Nacute;": "\u0143", + "Ncaron;": "\u0147", + "Ncedil;": "\u0145", + "Ncy;": "\u041d", + "NegativeMediumSpace;": "\u200b", + "NegativeThickSpace;": "\u200b", + "NegativeThinSpace;": "\u200b", + "NegativeVeryThinSpace;": "\u200b", + "NestedGreaterGreater;": "\u226b", + "NestedLessLess;": "\u226a", + "NewLine;": "\n", + "Nfr;": "\U0001d511", + "NoBreak;": "\u2060", + "NonBreakingSpace;": "\xa0", + "Nopf;": "\u2115", + "Not;": "\u2aec", + "NotCongruent;": "\u2262", + "NotCupCap;": "\u226d", + "NotDoubleVerticalBar;": "\u2226", + "NotElement;": "\u2209", + "NotEqual;": "\u2260", + "NotEqualTilde;": "\u2242\u0338", + "NotExists;": "\u2204", + "NotGreater;": "\u226f", + "NotGreaterEqual;": "\u2271", + "NotGreaterFullEqual;": "\u2267\u0338", + "NotGreaterGreater;": "\u226b\u0338", + "NotGreaterLess;": "\u2279", + "NotGreaterSlantEqual;": "\u2a7e\u0338", + "NotGreaterTilde;": "\u2275", + "NotHumpDownHump;": "\u224e\u0338", + "NotHumpEqual;": "\u224f\u0338", + "NotLeftTriangle;": "\u22ea", + "NotLeftTriangleBar;": "\u29cf\u0338", + "NotLeftTriangleEqual;": "\u22ec", + "NotLess;": "\u226e", + "NotLessEqual;": "\u2270", + "NotLessGreater;": "\u2278", + "NotLessLess;": "\u226a\u0338", + "NotLessSlantEqual;": "\u2a7d\u0338", + "NotLessTilde;": "\u2274", + "NotNestedGreaterGreater;": "\u2aa2\u0338", + "NotNestedLessLess;": "\u2aa1\u0338", + "NotPrecedes;": "\u2280", + "NotPrecedesEqual;": "\u2aaf\u0338", + "NotPrecedesSlantEqual;": "\u22e0", + "NotReverseElement;": "\u220c", + "NotRightTriangle;": "\u22eb", + "NotRightTriangleBar;": "\u29d0\u0338", + "NotRightTriangleEqual;": "\u22ed", + "NotSquareSubset;": "\u228f\u0338", + "NotSquareSubsetEqual;": "\u22e2", + "NotSquareSuperset;": "\u2290\u0338", + "NotSquareSupersetEqual;": "\u22e3", + "NotSubset;": "\u2282\u20d2", + "NotSubsetEqual;": "\u2288", + "NotSucceeds;": "\u2281", + "NotSucceedsEqual;": "\u2ab0\u0338", + "NotSucceedsSlantEqual;": "\u22e1", + "NotSucceedsTilde;": "\u227f\u0338", + "NotSuperset;": "\u2283\u20d2", + "NotSupersetEqual;": "\u2289", + "NotTilde;": "\u2241", + "NotTildeEqual;": "\u2244", + "NotTildeFullEqual;": "\u2247", + "NotTildeTilde;": "\u2249", + "NotVerticalBar;": "\u2224", + "Nscr;": "\U0001d4a9", + "Ntilde": "\xd1", + "Ntilde;": "\xd1", + "Nu;": "\u039d", + "OElig;": "\u0152", + "Oacute": "\xd3", + "Oacute;": "\xd3", + "Ocirc": "\xd4", + "Ocirc;": "\xd4", + "Ocy;": "\u041e", + "Odblac;": "\u0150", + "Ofr;": "\U0001d512", + "Ograve": "\xd2", + "Ograve;": "\xd2", + "Omacr;": "\u014c", + "Omega;": "\u03a9", + "Omicron;": "\u039f", + "Oopf;": "\U0001d546", + "OpenCurlyDoubleQuote;": "\u201c", + "OpenCurlyQuote;": "\u2018", + "Or;": "\u2a54", + "Oscr;": "\U0001d4aa", + "Oslash": "\xd8", + "Oslash;": "\xd8", + "Otilde": "\xd5", + "Otilde;": "\xd5", + "Otimes;": "\u2a37", + "Ouml": "\xd6", + "Ouml;": "\xd6", + "OverBar;": "\u203e", + "OverBrace;": "\u23de", + "OverBracket;": "\u23b4", + "OverParenthesis;": "\u23dc", + "PartialD;": "\u2202", + "Pcy;": "\u041f", + "Pfr;": "\U0001d513", + "Phi;": "\u03a6", + "Pi;": "\u03a0", + "PlusMinus;": "\xb1", + "Poincareplane;": "\u210c", + "Popf;": "\u2119", + "Pr;": "\u2abb", + "Precedes;": "\u227a", + "PrecedesEqual;": "\u2aaf", + "PrecedesSlantEqual;": "\u227c", + "PrecedesTilde;": "\u227e", + "Prime;": "\u2033", + "Product;": "\u220f", + "Proportion;": "\u2237", + "Proportional;": "\u221d", + "Pscr;": "\U0001d4ab", + "Psi;": "\u03a8", + "QUOT": "\"", + "QUOT;": "\"", + "Qfr;": "\U0001d514", + "Qopf;": "\u211a", + "Qscr;": "\U0001d4ac", + "RBarr;": "\u2910", + "REG": "\xae", + "REG;": "\xae", + "Racute;": "\u0154", + "Rang;": "\u27eb", + "Rarr;": "\u21a0", + "Rarrtl;": "\u2916", + "Rcaron;": "\u0158", + "Rcedil;": "\u0156", + "Rcy;": "\u0420", + "Re;": "\u211c", + "ReverseElement;": "\u220b", + "ReverseEquilibrium;": "\u21cb", + "ReverseUpEquilibrium;": "\u296f", + "Rfr;": "\u211c", + "Rho;": "\u03a1", + "RightAngleBracket;": "\u27e9", + "RightArrow;": "\u2192", + "RightArrowBar;": "\u21e5", + "RightArrowLeftArrow;": "\u21c4", + "RightCeiling;": "\u2309", + "RightDoubleBracket;": "\u27e7", + "RightDownTeeVector;": "\u295d", + "RightDownVector;": "\u21c2", + "RightDownVectorBar;": "\u2955", + "RightFloor;": "\u230b", + "RightTee;": "\u22a2", + "RightTeeArrow;": "\u21a6", + "RightTeeVector;": "\u295b", + "RightTriangle;": "\u22b3", + "RightTriangleBar;": "\u29d0", + "RightTriangleEqual;": "\u22b5", + "RightUpDownVector;": "\u294f", + "RightUpTeeVector;": "\u295c", + "RightUpVector;": "\u21be", + "RightUpVectorBar;": "\u2954", + "RightVector;": "\u21c0", + "RightVectorBar;": "\u2953", + "Rightarrow;": "\u21d2", + "Ropf;": "\u211d", + "RoundImplies;": "\u2970", + "Rrightarrow;": "\u21db", + "Rscr;": "\u211b", + "Rsh;": "\u21b1", + "RuleDelayed;": "\u29f4", + "SHCHcy;": "\u0429", + "SHcy;": "\u0428", + "SOFTcy;": "\u042c", + "Sacute;": "\u015a", + "Sc;": "\u2abc", + "Scaron;": "\u0160", + "Scedil;": "\u015e", + "Scirc;": "\u015c", + "Scy;": "\u0421", + "Sfr;": "\U0001d516", + "ShortDownArrow;": "\u2193", + "ShortLeftArrow;": "\u2190", + "ShortRightArrow;": "\u2192", + "ShortUpArrow;": "\u2191", + "Sigma;": "\u03a3", + "SmallCircle;": "\u2218", + "Sopf;": "\U0001d54a", + "Sqrt;": "\u221a", + "Square;": "\u25a1", + "SquareIntersection;": "\u2293", + "SquareSubset;": "\u228f", + "SquareSubsetEqual;": "\u2291", + "SquareSuperset;": "\u2290", + "SquareSupersetEqual;": "\u2292", + "SquareUnion;": "\u2294", + "Sscr;": "\U0001d4ae", + "Star;": "\u22c6", + "Sub;": "\u22d0", + "Subset;": "\u22d0", + "SubsetEqual;": "\u2286", + "Succeeds;": "\u227b", + "SucceedsEqual;": "\u2ab0", + "SucceedsSlantEqual;": "\u227d", + "SucceedsTilde;": "\u227f", + "SuchThat;": "\u220b", + "Sum;": "\u2211", + "Sup;": "\u22d1", + "Superset;": "\u2283", + "SupersetEqual;": "\u2287", + "Supset;": "\u22d1", + "THORN": "\xde", + "THORN;": "\xde", + "TRADE;": "\u2122", + "TSHcy;": "\u040b", + "TScy;": "\u0426", + "Tab;": "\t", + "Tau;": "\u03a4", + "Tcaron;": "\u0164", + "Tcedil;": "\u0162", + "Tcy;": "\u0422", + "Tfr;": "\U0001d517", + "Therefore;": "\u2234", + "Theta;": "\u0398", + "ThickSpace;": "\u205f\u200a", + "ThinSpace;": "\u2009", + "Tilde;": "\u223c", + "TildeEqual;": "\u2243", + "TildeFullEqual;": "\u2245", + "TildeTilde;": "\u2248", + "Topf;": "\U0001d54b", + "TripleDot;": "\u20db", + "Tscr;": "\U0001d4af", + "Tstrok;": "\u0166", + "Uacute": "\xda", + "Uacute;": "\xda", + "Uarr;": "\u219f", + "Uarrocir;": "\u2949", + "Ubrcy;": "\u040e", + "Ubreve;": "\u016c", + "Ucirc": "\xdb", + "Ucirc;": "\xdb", + "Ucy;": "\u0423", + "Udblac;": "\u0170", + "Ufr;": "\U0001d518", + "Ugrave": "\xd9", + "Ugrave;": "\xd9", + "Umacr;": "\u016a", + "UnderBar;": "_", + "UnderBrace;": "\u23df", + "UnderBracket;": "\u23b5", + "UnderParenthesis;": "\u23dd", + "Union;": "\u22c3", + "UnionPlus;": "\u228e", + "Uogon;": "\u0172", + "Uopf;": "\U0001d54c", + "UpArrow;": "\u2191", + "UpArrowBar;": "\u2912", + "UpArrowDownArrow;": "\u21c5", + "UpDownArrow;": "\u2195", + "UpEquilibrium;": "\u296e", + "UpTee;": "\u22a5", + "UpTeeArrow;": "\u21a5", + "Uparrow;": "\u21d1", + "Updownarrow;": "\u21d5", + "UpperLeftArrow;": "\u2196", + "UpperRightArrow;": "\u2197", + "Upsi;": "\u03d2", + "Upsilon;": "\u03a5", + "Uring;": "\u016e", + "Uscr;": "\U0001d4b0", + "Utilde;": "\u0168", + "Uuml": "\xdc", + "Uuml;": "\xdc", + "VDash;": "\u22ab", + "Vbar;": "\u2aeb", + "Vcy;": "\u0412", + "Vdash;": "\u22a9", + "Vdashl;": "\u2ae6", + "Vee;": "\u22c1", + "Verbar;": "\u2016", + "Vert;": "\u2016", + "VerticalBar;": "\u2223", + "VerticalLine;": "|", + "VerticalSeparator;": "\u2758", + "VerticalTilde;": "\u2240", + "VeryThinSpace;": "\u200a", + "Vfr;": "\U0001d519", + "Vopf;": "\U0001d54d", + "Vscr;": "\U0001d4b1", + "Vvdash;": "\u22aa", + "Wcirc;": "\u0174", + "Wedge;": "\u22c0", + "Wfr;": "\U0001d51a", + "Wopf;": "\U0001d54e", + "Wscr;": "\U0001d4b2", + "Xfr;": "\U0001d51b", + "Xi;": "\u039e", + "Xopf;": "\U0001d54f", + "Xscr;": "\U0001d4b3", + "YAcy;": "\u042f", + "YIcy;": "\u0407", + "YUcy;": "\u042e", + "Yacute": "\xdd", + "Yacute;": "\xdd", + "Ycirc;": "\u0176", + "Ycy;": "\u042b", + "Yfr;": "\U0001d51c", + "Yopf;": "\U0001d550", + "Yscr;": "\U0001d4b4", + "Yuml;": "\u0178", + "ZHcy;": "\u0416", + "Zacute;": "\u0179", + "Zcaron;": "\u017d", + "Zcy;": "\u0417", + "Zdot;": "\u017b", + "ZeroWidthSpace;": "\u200b", + "Zeta;": "\u0396", + "Zfr;": "\u2128", + "Zopf;": "\u2124", + "Zscr;": "\U0001d4b5", + "aacute": "\xe1", + "aacute;": "\xe1", + "abreve;": "\u0103", + "ac;": "\u223e", + "acE;": "\u223e\u0333", + "acd;": "\u223f", + "acirc": "\xe2", + "acirc;": "\xe2", + "acute": "\xb4", + "acute;": "\xb4", + "acy;": "\u0430", + "aelig": "\xe6", + "aelig;": "\xe6", + "af;": "\u2061", + "afr;": "\U0001d51e", + "agrave": "\xe0", + "agrave;": "\xe0", + "alefsym;": "\u2135", + "aleph;": "\u2135", + "alpha;": "\u03b1", + "amacr;": "\u0101", + "amalg;": "\u2a3f", + "amp": "&", + "amp;": "&", + "and;": "\u2227", + "andand;": "\u2a55", + "andd;": "\u2a5c", + "andslope;": "\u2a58", + "andv;": "\u2a5a", + "ang;": "\u2220", + "ange;": "\u29a4", + "angle;": "\u2220", + "angmsd;": "\u2221", + "angmsdaa;": "\u29a8", + "angmsdab;": "\u29a9", + "angmsdac;": "\u29aa", + "angmsdad;": "\u29ab", + "angmsdae;": "\u29ac", + "angmsdaf;": "\u29ad", + "angmsdag;": "\u29ae", + "angmsdah;": "\u29af", + "angrt;": "\u221f", + "angrtvb;": "\u22be", + "angrtvbd;": "\u299d", + "angsph;": "\u2222", + "angst;": "\xc5", + "angzarr;": "\u237c", + "aogon;": "\u0105", + "aopf;": "\U0001d552", + "ap;": "\u2248", + "apE;": "\u2a70", + "apacir;": "\u2a6f", + "ape;": "\u224a", + "apid;": "\u224b", + "apos;": "'", + "approx;": "\u2248", + "approxeq;": "\u224a", + "aring": "\xe5", + "aring;": "\xe5", + "ascr;": "\U0001d4b6", + "ast;": "*", + "asymp;": "\u2248", + "asympeq;": "\u224d", + "atilde": "\xe3", + "atilde;": "\xe3", + "auml": "\xe4", + "auml;": "\xe4", + "awconint;": "\u2233", + "awint;": "\u2a11", + "bNot;": "\u2aed", + "backcong;": "\u224c", + "backepsilon;": "\u03f6", + "backprime;": "\u2035", + "backsim;": "\u223d", + "backsimeq;": "\u22cd", + "barvee;": "\u22bd", + "barwed;": "\u2305", + "barwedge;": "\u2305", + "bbrk;": "\u23b5", + "bbrktbrk;": "\u23b6", + "bcong;": "\u224c", + "bcy;": "\u0431", + "bdquo;": "\u201e", + "becaus;": "\u2235", + "because;": "\u2235", + "bemptyv;": "\u29b0", + "bepsi;": "\u03f6", + "bernou;": "\u212c", + "beta;": "\u03b2", + "beth;": "\u2136", + "between;": "\u226c", + "bfr;": "\U0001d51f", + "bigcap;": "\u22c2", + "bigcirc;": "\u25ef", + "bigcup;": "\u22c3", + "bigodot;": "\u2a00", + "bigoplus;": "\u2a01", + "bigotimes;": "\u2a02", + "bigsqcup;": "\u2a06", + "bigstar;": "\u2605", + "bigtriangledown;": "\u25bd", + "bigtriangleup;": "\u25b3", + "biguplus;": "\u2a04", + "bigvee;": "\u22c1", + "bigwedge;": "\u22c0", + "bkarow;": "\u290d", + "blacklozenge;": "\u29eb", + "blacksquare;": "\u25aa", + "blacktriangle;": "\u25b4", + "blacktriangledown;": "\u25be", + "blacktriangleleft;": "\u25c2", + "blacktriangleright;": "\u25b8", + "blank;": "\u2423", + "blk12;": "\u2592", + "blk14;": "\u2591", + "blk34;": "\u2593", + "block;": "\u2588", + "bne;": "=\u20e5", + "bnequiv;": "\u2261\u20e5", + "bnot;": "\u2310", + "bopf;": "\U0001d553", + "bot;": "\u22a5", + "bottom;": "\u22a5", + "bowtie;": "\u22c8", + "boxDL;": "\u2557", + "boxDR;": "\u2554", + "boxDl;": "\u2556", + "boxDr;": "\u2553", + "boxH;": "\u2550", + "boxHD;": "\u2566", + "boxHU;": "\u2569", + "boxHd;": "\u2564", + "boxHu;": "\u2567", + "boxUL;": "\u255d", + "boxUR;": "\u255a", + "boxUl;": "\u255c", + "boxUr;": "\u2559", + "boxV;": "\u2551", + "boxVH;": "\u256c", + "boxVL;": "\u2563", + "boxVR;": "\u2560", + "boxVh;": "\u256b", + "boxVl;": "\u2562", + "boxVr;": "\u255f", + "boxbox;": "\u29c9", + "boxdL;": "\u2555", + "boxdR;": "\u2552", + "boxdl;": "\u2510", + "boxdr;": "\u250c", + "boxh;": "\u2500", + "boxhD;": "\u2565", + "boxhU;": "\u2568", + "boxhd;": "\u252c", + "boxhu;": "\u2534", + "boxminus;": "\u229f", + "boxplus;": "\u229e", + "boxtimes;": "\u22a0", + "boxuL;": "\u255b", + "boxuR;": "\u2558", + "boxul;": "\u2518", + "boxur;": "\u2514", + "boxv;": "\u2502", + "boxvH;": "\u256a", + "boxvL;": "\u2561", + "boxvR;": "\u255e", + "boxvh;": "\u253c", + "boxvl;": "\u2524", + "boxvr;": "\u251c", + "bprime;": "\u2035", + "breve;": "\u02d8", + "brvbar": "\xa6", + "brvbar;": "\xa6", + "bscr;": "\U0001d4b7", + "bsemi;": "\u204f", + "bsim;": "\u223d", + "bsime;": "\u22cd", + "bsol;": "\\", + "bsolb;": "\u29c5", + "bsolhsub;": "\u27c8", + "bull;": "\u2022", + "bullet;": "\u2022", + "bump;": "\u224e", + "bumpE;": "\u2aae", + "bumpe;": "\u224f", + "bumpeq;": "\u224f", + "cacute;": "\u0107", + "cap;": "\u2229", + "capand;": "\u2a44", + "capbrcup;": "\u2a49", + "capcap;": "\u2a4b", + "capcup;": "\u2a47", + "capdot;": "\u2a40", + "caps;": "\u2229\ufe00", + "caret;": "\u2041", + "caron;": "\u02c7", + "ccaps;": "\u2a4d", + "ccaron;": "\u010d", + "ccedil": "\xe7", + "ccedil;": "\xe7", + "ccirc;": "\u0109", + "ccups;": "\u2a4c", + "ccupssm;": "\u2a50", + "cdot;": "\u010b", + "cedil": "\xb8", + "cedil;": "\xb8", + "cemptyv;": "\u29b2", + "cent": "\xa2", + "cent;": "\xa2", + "centerdot;": "\xb7", + "cfr;": "\U0001d520", + "chcy;": "\u0447", + "check;": "\u2713", + "checkmark;": "\u2713", + "chi;": "\u03c7", + "cir;": "\u25cb", + "cirE;": "\u29c3", + "circ;": "\u02c6", + "circeq;": "\u2257", + "circlearrowleft;": "\u21ba", + "circlearrowright;": "\u21bb", + "circledR;": "\xae", + "circledS;": "\u24c8", + "circledast;": "\u229b", + "circledcirc;": "\u229a", + "circleddash;": "\u229d", + "cire;": "\u2257", + "cirfnint;": "\u2a10", + "cirmid;": "\u2aef", + "cirscir;": "\u29c2", + "clubs;": "\u2663", + "clubsuit;": "\u2663", + "colon;": ":", + "colone;": "\u2254", + "coloneq;": "\u2254", + "comma;": ",", + "commat;": "@", + "comp;": "\u2201", + "compfn;": "\u2218", + "complement;": "\u2201", + "complexes;": "\u2102", + "cong;": "\u2245", + "congdot;": "\u2a6d", + "conint;": "\u222e", + "copf;": "\U0001d554", + "coprod;": "\u2210", + "copy": "\xa9", + "copy;": "\xa9", + "copysr;": "\u2117", + "crarr;": "\u21b5", + "cross;": "\u2717", + "cscr;": "\U0001d4b8", + "csub;": "\u2acf", + "csube;": "\u2ad1", + "csup;": "\u2ad0", + "csupe;": "\u2ad2", + "ctdot;": "\u22ef", + "cudarrl;": "\u2938", + "cudarrr;": "\u2935", + "cuepr;": "\u22de", + "cuesc;": "\u22df", + "cularr;": "\u21b6", + "cularrp;": "\u293d", + "cup;": "\u222a", + "cupbrcap;": "\u2a48", + "cupcap;": "\u2a46", + "cupcup;": "\u2a4a", + "cupdot;": "\u228d", + "cupor;": "\u2a45", + "cups;": "\u222a\ufe00", + "curarr;": "\u21b7", + "curarrm;": "\u293c", + "curlyeqprec;": "\u22de", + "curlyeqsucc;": "\u22df", + "curlyvee;": "\u22ce", + "curlywedge;": "\u22cf", + "curren": "\xa4", + "curren;": "\xa4", + "curvearrowleft;": "\u21b6", + "curvearrowright;": "\u21b7", + "cuvee;": "\u22ce", + "cuwed;": "\u22cf", + "cwconint;": "\u2232", + "cwint;": "\u2231", + "cylcty;": "\u232d", + "dArr;": "\u21d3", + "dHar;": "\u2965", + "dagger;": "\u2020", + "daleth;": "\u2138", + "darr;": "\u2193", + "dash;": "\u2010", + "dashv;": "\u22a3", + "dbkarow;": "\u290f", + "dblac;": "\u02dd", + "dcaron;": "\u010f", + "dcy;": "\u0434", + "dd;": "\u2146", + "ddagger;": "\u2021", + "ddarr;": "\u21ca", + "ddotseq;": "\u2a77", + "deg": "\xb0", + "deg;": "\xb0", + "delta;": "\u03b4", + "demptyv;": "\u29b1", + "dfisht;": "\u297f", + "dfr;": "\U0001d521", + "dharl;": "\u21c3", + "dharr;": "\u21c2", + "diam;": "\u22c4", + "diamond;": "\u22c4", + "diamondsuit;": "\u2666", + "diams;": "\u2666", + "die;": "\xa8", + "digamma;": "\u03dd", + "disin;": "\u22f2", + "div;": "\xf7", + "divide": "\xf7", + "divide;": "\xf7", + "divideontimes;": "\u22c7", + "divonx;": "\u22c7", + "djcy;": "\u0452", + "dlcorn;": "\u231e", + "dlcrop;": "\u230d", + "dollar;": "$", + "dopf;": "\U0001d555", + "dot;": "\u02d9", + "doteq;": "\u2250", + "doteqdot;": "\u2251", + "dotminus;": "\u2238", + "dotplus;": "\u2214", + "dotsquare;": "\u22a1", + "doublebarwedge;": "\u2306", + "downarrow;": "\u2193", + "downdownarrows;": "\u21ca", + "downharpoonleft;": "\u21c3", + "downharpoonright;": "\u21c2", + "drbkarow;": "\u2910", + "drcorn;": "\u231f", + "drcrop;": "\u230c", + "dscr;": "\U0001d4b9", + "dscy;": "\u0455", + "dsol;": "\u29f6", + "dstrok;": "\u0111", + "dtdot;": "\u22f1", + "dtri;": "\u25bf", + "dtrif;": "\u25be", + "duarr;": "\u21f5", + "duhar;": "\u296f", + "dwangle;": "\u29a6", + "dzcy;": "\u045f", + "dzigrarr;": "\u27ff", + "eDDot;": "\u2a77", + "eDot;": "\u2251", + "eacute": "\xe9", + "eacute;": "\xe9", + "easter;": "\u2a6e", + "ecaron;": "\u011b", + "ecir;": "\u2256", + "ecirc": "\xea", + "ecirc;": "\xea", + "ecolon;": "\u2255", + "ecy;": "\u044d", + "edot;": "\u0117", + "ee;": "\u2147", + "efDot;": "\u2252", + "efr;": "\U0001d522", + "eg;": "\u2a9a", + "egrave": "\xe8", + "egrave;": "\xe8", + "egs;": "\u2a96", + "egsdot;": "\u2a98", + "el;": "\u2a99", + "elinters;": "\u23e7", + "ell;": "\u2113", + "els;": "\u2a95", + "elsdot;": "\u2a97", + "emacr;": "\u0113", + "empty;": "\u2205", + "emptyset;": "\u2205", + "emptyv;": "\u2205", + "emsp13;": "\u2004", + "emsp14;": "\u2005", + "emsp;": "\u2003", + "eng;": "\u014b", + "ensp;": "\u2002", + "eogon;": "\u0119", + "eopf;": "\U0001d556", + "epar;": "\u22d5", + "eparsl;": "\u29e3", + "eplus;": "\u2a71", + "epsi;": "\u03b5", + "epsilon;": "\u03b5", + "epsiv;": "\u03f5", + "eqcirc;": "\u2256", + "eqcolon;": "\u2255", + "eqsim;": "\u2242", + "eqslantgtr;": "\u2a96", + "eqslantless;": "\u2a95", + "equals;": "=", + "equest;": "\u225f", + "equiv;": "\u2261", + "equivDD;": "\u2a78", + "eqvparsl;": "\u29e5", + "erDot;": "\u2253", + "erarr;": "\u2971", + "escr;": "\u212f", + "esdot;": "\u2250", + "esim;": "\u2242", + "eta;": "\u03b7", + "eth": "\xf0", + "eth;": "\xf0", + "euml": "\xeb", + "euml;": "\xeb", + "euro;": "\u20ac", + "excl;": "!", + "exist;": "\u2203", + "expectation;": "\u2130", + "exponentiale;": "\u2147", + "fallingdotseq;": "\u2252", + "fcy;": "\u0444", + "female;": "\u2640", + "ffilig;": "\ufb03", + "fflig;": "\ufb00", + "ffllig;": "\ufb04", + "ffr;": "\U0001d523", + "filig;": "\ufb01", + "fjlig;": "fj", + "flat;": "\u266d", + "fllig;": "\ufb02", + "fltns;": "\u25b1", + "fnof;": "\u0192", + "fopf;": "\U0001d557", + "forall;": "\u2200", + "fork;": "\u22d4", + "forkv;": "\u2ad9", + "fpartint;": "\u2a0d", + "frac12": "\xbd", + "frac12;": "\xbd", + "frac13;": "\u2153", + "frac14": "\xbc", + "frac14;": "\xbc", + "frac15;": "\u2155", + "frac16;": "\u2159", + "frac18;": "\u215b", + "frac23;": "\u2154", + "frac25;": "\u2156", + "frac34": "\xbe", + "frac34;": "\xbe", + "frac35;": "\u2157", + "frac38;": "\u215c", + "frac45;": "\u2158", + "frac56;": "\u215a", + "frac58;": "\u215d", + "frac78;": "\u215e", + "frasl;": "\u2044", + "frown;": "\u2322", + "fscr;": "\U0001d4bb", + "gE;": "\u2267", + "gEl;": "\u2a8c", + "gacute;": "\u01f5", + "gamma;": "\u03b3", + "gammad;": "\u03dd", + "gap;": "\u2a86", + "gbreve;": "\u011f", + "gcirc;": "\u011d", + "gcy;": "\u0433", + "gdot;": "\u0121", + "ge;": "\u2265", + "gel;": "\u22db", + "geq;": "\u2265", + "geqq;": "\u2267", + "geqslant;": "\u2a7e", + "ges;": "\u2a7e", + "gescc;": "\u2aa9", + "gesdot;": "\u2a80", + "gesdoto;": "\u2a82", + "gesdotol;": "\u2a84", + "gesl;": "\u22db\ufe00", + "gesles;": "\u2a94", + "gfr;": "\U0001d524", + "gg;": "\u226b", + "ggg;": "\u22d9", + "gimel;": "\u2137", + "gjcy;": "\u0453", + "gl;": "\u2277", + "glE;": "\u2a92", + "gla;": "\u2aa5", + "glj;": "\u2aa4", + "gnE;": "\u2269", + "gnap;": "\u2a8a", + "gnapprox;": "\u2a8a", + "gne;": "\u2a88", + "gneq;": "\u2a88", + "gneqq;": "\u2269", + "gnsim;": "\u22e7", + "gopf;": "\U0001d558", + "grave;": "`", + "gscr;": "\u210a", + "gsim;": "\u2273", + "gsime;": "\u2a8e", + "gsiml;": "\u2a90", + "gt": ">", + "gt;": ">", + "gtcc;": "\u2aa7", + "gtcir;": "\u2a7a", + "gtdot;": "\u22d7", + "gtlPar;": "\u2995", + "gtquest;": "\u2a7c", + "gtrapprox;": "\u2a86", + "gtrarr;": "\u2978", + "gtrdot;": "\u22d7", + "gtreqless;": "\u22db", + "gtreqqless;": "\u2a8c", + "gtrless;": "\u2277", + "gtrsim;": "\u2273", + "gvertneqq;": "\u2269\ufe00", + "gvnE;": "\u2269\ufe00", + "hArr;": "\u21d4", + "hairsp;": "\u200a", + "half;": "\xbd", + "hamilt;": "\u210b", + "hardcy;": "\u044a", + "harr;": "\u2194", + "harrcir;": "\u2948", + "harrw;": "\u21ad", + "hbar;": "\u210f", + "hcirc;": "\u0125", + "hearts;": "\u2665", + "heartsuit;": "\u2665", + "hellip;": "\u2026", + "hercon;": "\u22b9", + "hfr;": "\U0001d525", + "hksearow;": "\u2925", + "hkswarow;": "\u2926", + "hoarr;": "\u21ff", + "homtht;": "\u223b", + "hookleftarrow;": "\u21a9", + "hookrightarrow;": "\u21aa", + "hopf;": "\U0001d559", + "horbar;": "\u2015", + "hscr;": "\U0001d4bd", + "hslash;": "\u210f", + "hstrok;": "\u0127", + "hybull;": "\u2043", + "hyphen;": "\u2010", + "iacute": "\xed", + "iacute;": "\xed", + "ic;": "\u2063", + "icirc": "\xee", + "icirc;": "\xee", + "icy;": "\u0438", + "iecy;": "\u0435", + "iexcl": "\xa1", + "iexcl;": "\xa1", + "iff;": "\u21d4", + "ifr;": "\U0001d526", + "igrave": "\xec", + "igrave;": "\xec", + "ii;": "\u2148", + "iiiint;": "\u2a0c", + "iiint;": "\u222d", + "iinfin;": "\u29dc", + "iiota;": "\u2129", + "ijlig;": "\u0133", + "imacr;": "\u012b", + "image;": "\u2111", + "imagline;": "\u2110", + "imagpart;": "\u2111", + "imath;": "\u0131", + "imof;": "\u22b7", + "imped;": "\u01b5", + "in;": "\u2208", + "incare;": "\u2105", + "infin;": "\u221e", + "infintie;": "\u29dd", + "inodot;": "\u0131", + "int;": "\u222b", + "intcal;": "\u22ba", + "integers;": "\u2124", + "intercal;": "\u22ba", + "intlarhk;": "\u2a17", + "intprod;": "\u2a3c", + "iocy;": "\u0451", + "iogon;": "\u012f", + "iopf;": "\U0001d55a", + "iota;": "\u03b9", + "iprod;": "\u2a3c", + "iquest": "\xbf", + "iquest;": "\xbf", + "iscr;": "\U0001d4be", + "isin;": "\u2208", + "isinE;": "\u22f9", + "isindot;": "\u22f5", + "isins;": "\u22f4", + "isinsv;": "\u22f3", + "isinv;": "\u2208", + "it;": "\u2062", + "itilde;": "\u0129", + "iukcy;": "\u0456", + "iuml": "\xef", + "iuml;": "\xef", + "jcirc;": "\u0135", + "jcy;": "\u0439", + "jfr;": "\U0001d527", + "jmath;": "\u0237", + "jopf;": "\U0001d55b", + "jscr;": "\U0001d4bf", + "jsercy;": "\u0458", + "jukcy;": "\u0454", + "kappa;": "\u03ba", + "kappav;": "\u03f0", + "kcedil;": "\u0137", + "kcy;": "\u043a", + "kfr;": "\U0001d528", + "kgreen;": "\u0138", + "khcy;": "\u0445", + "kjcy;": "\u045c", + "kopf;": "\U0001d55c", + "kscr;": "\U0001d4c0", + "lAarr;": "\u21da", + "lArr;": "\u21d0", + "lAtail;": "\u291b", + "lBarr;": "\u290e", + "lE;": "\u2266", + "lEg;": "\u2a8b", + "lHar;": "\u2962", + "lacute;": "\u013a", + "laemptyv;": "\u29b4", + "lagran;": "\u2112", + "lambda;": "\u03bb", + "lang;": "\u27e8", + "langd;": "\u2991", + "langle;": "\u27e8", + "lap;": "\u2a85", + "laquo": "\xab", + "laquo;": "\xab", + "larr;": "\u2190", + "larrb;": "\u21e4", + "larrbfs;": "\u291f", + "larrfs;": "\u291d", + "larrhk;": "\u21a9", + "larrlp;": "\u21ab", + "larrpl;": "\u2939", + "larrsim;": "\u2973", + "larrtl;": "\u21a2", + "lat;": "\u2aab", + "latail;": "\u2919", + "late;": "\u2aad", + "lates;": "\u2aad\ufe00", + "lbarr;": "\u290c", + "lbbrk;": "\u2772", + "lbrace;": "{", + "lbrack;": "[", + "lbrke;": "\u298b", + "lbrksld;": "\u298f", + "lbrkslu;": "\u298d", + "lcaron;": "\u013e", + "lcedil;": "\u013c", + "lceil;": "\u2308", + "lcub;": "{", + "lcy;": "\u043b", + "ldca;": "\u2936", + "ldquo;": "\u201c", + "ldquor;": "\u201e", + "ldrdhar;": "\u2967", + "ldrushar;": "\u294b", + "ldsh;": "\u21b2", + "le;": "\u2264", + "leftarrow;": "\u2190", + "leftarrowtail;": "\u21a2", + "leftharpoondown;": "\u21bd", + "leftharpoonup;": "\u21bc", + "leftleftarrows;": "\u21c7", + "leftrightarrow;": "\u2194", + "leftrightarrows;": "\u21c6", + "leftrightharpoons;": "\u21cb", + "leftrightsquigarrow;": "\u21ad", + "leftthreetimes;": "\u22cb", + "leg;": "\u22da", + "leq;": "\u2264", + "leqq;": "\u2266", + "leqslant;": "\u2a7d", + "les;": "\u2a7d", + "lescc;": "\u2aa8", + "lesdot;": "\u2a7f", + "lesdoto;": "\u2a81", + "lesdotor;": "\u2a83", + "lesg;": "\u22da\ufe00", + "lesges;": "\u2a93", + "lessapprox;": "\u2a85", + "lessdot;": "\u22d6", + "lesseqgtr;": "\u22da", + "lesseqqgtr;": "\u2a8b", + "lessgtr;": "\u2276", + "lesssim;": "\u2272", + "lfisht;": "\u297c", + "lfloor;": "\u230a", + "lfr;": "\U0001d529", + "lg;": "\u2276", + "lgE;": "\u2a91", + "lhard;": "\u21bd", + "lharu;": "\u21bc", + "lharul;": "\u296a", + "lhblk;": "\u2584", + "ljcy;": "\u0459", + "ll;": "\u226a", + "llarr;": "\u21c7", + "llcorner;": "\u231e", + "llhard;": "\u296b", + "lltri;": "\u25fa", + "lmidot;": "\u0140", + "lmoust;": "\u23b0", + "lmoustache;": "\u23b0", + "lnE;": "\u2268", + "lnap;": "\u2a89", + "lnapprox;": "\u2a89", + "lne;": "\u2a87", + "lneq;": "\u2a87", + "lneqq;": "\u2268", + "lnsim;": "\u22e6", + "loang;": "\u27ec", + "loarr;": "\u21fd", + "lobrk;": "\u27e6", + "longleftarrow;": "\u27f5", + "longleftrightarrow;": "\u27f7", + "longmapsto;": "\u27fc", + "longrightarrow;": "\u27f6", + "looparrowleft;": "\u21ab", + "looparrowright;": "\u21ac", + "lopar;": "\u2985", + "lopf;": "\U0001d55d", + "loplus;": "\u2a2d", + "lotimes;": "\u2a34", + "lowast;": "\u2217", + "lowbar;": "_", + "loz;": "\u25ca", + "lozenge;": "\u25ca", + "lozf;": "\u29eb", + "lpar;": "(", + "lparlt;": "\u2993", + "lrarr;": "\u21c6", + "lrcorner;": "\u231f", + "lrhar;": "\u21cb", + "lrhard;": "\u296d", + "lrm;": "\u200e", + "lrtri;": "\u22bf", + "lsaquo;": "\u2039", + "lscr;": "\U0001d4c1", + "lsh;": "\u21b0", + "lsim;": "\u2272", + "lsime;": "\u2a8d", + "lsimg;": "\u2a8f", + "lsqb;": "[", + "lsquo;": "\u2018", + "lsquor;": "\u201a", + "lstrok;": "\u0142", + "lt": "<", + "lt;": "<", + "ltcc;": "\u2aa6", + "ltcir;": "\u2a79", + "ltdot;": "\u22d6", + "lthree;": "\u22cb", + "ltimes;": "\u22c9", + "ltlarr;": "\u2976", + "ltquest;": "\u2a7b", + "ltrPar;": "\u2996", + "ltri;": "\u25c3", + "ltrie;": "\u22b4", + "ltrif;": "\u25c2", + "lurdshar;": "\u294a", + "luruhar;": "\u2966", + "lvertneqq;": "\u2268\ufe00", + "lvnE;": "\u2268\ufe00", + "mDDot;": "\u223a", + "macr": "\xaf", + "macr;": "\xaf", + "male;": "\u2642", + "malt;": "\u2720", + "maltese;": "\u2720", + "map;": "\u21a6", + "mapsto;": "\u21a6", + "mapstodown;": "\u21a7", + "mapstoleft;": "\u21a4", + "mapstoup;": "\u21a5", + "marker;": "\u25ae", + "mcomma;": "\u2a29", + "mcy;": "\u043c", + "mdash;": "\u2014", + "measuredangle;": "\u2221", + "mfr;": "\U0001d52a", + "mho;": "\u2127", + "micro": "\xb5", + "micro;": "\xb5", + "mid;": "\u2223", + "midast;": "*", + "midcir;": "\u2af0", + "middot": "\xb7", + "middot;": "\xb7", + "minus;": "\u2212", + "minusb;": "\u229f", + "minusd;": "\u2238", + "minusdu;": "\u2a2a", + "mlcp;": "\u2adb", + "mldr;": "\u2026", + "mnplus;": "\u2213", + "models;": "\u22a7", + "mopf;": "\U0001d55e", + "mp;": "\u2213", + "mscr;": "\U0001d4c2", + "mstpos;": "\u223e", + "mu;": "\u03bc", + "multimap;": "\u22b8", + "mumap;": "\u22b8", + "nGg;": "\u22d9\u0338", + "nGt;": "\u226b\u20d2", + "nGtv;": "\u226b\u0338", + "nLeftarrow;": "\u21cd", + "nLeftrightarrow;": "\u21ce", + "nLl;": "\u22d8\u0338", + "nLt;": "\u226a\u20d2", + "nLtv;": "\u226a\u0338", + "nRightarrow;": "\u21cf", + "nVDash;": "\u22af", + "nVdash;": "\u22ae", + "nabla;": "\u2207", + "nacute;": "\u0144", + "nang;": "\u2220\u20d2", + "nap;": "\u2249", + "napE;": "\u2a70\u0338", + "napid;": "\u224b\u0338", + "napos;": "\u0149", + "napprox;": "\u2249", + "natur;": "\u266e", + "natural;": "\u266e", + "naturals;": "\u2115", + "nbsp": "\xa0", + "nbsp;": "\xa0", + "nbump;": "\u224e\u0338", + "nbumpe;": "\u224f\u0338", + "ncap;": "\u2a43", + "ncaron;": "\u0148", + "ncedil;": "\u0146", + "ncong;": "\u2247", + "ncongdot;": "\u2a6d\u0338", + "ncup;": "\u2a42", + "ncy;": "\u043d", + "ndash;": "\u2013", + "ne;": "\u2260", + "neArr;": "\u21d7", + "nearhk;": "\u2924", + "nearr;": "\u2197", + "nearrow;": "\u2197", + "nedot;": "\u2250\u0338", + "nequiv;": "\u2262", + "nesear;": "\u2928", + "nesim;": "\u2242\u0338", + "nexist;": "\u2204", + "nexists;": "\u2204", + "nfr;": "\U0001d52b", + "ngE;": "\u2267\u0338", + "nge;": "\u2271", + "ngeq;": "\u2271", + "ngeqq;": "\u2267\u0338", + "ngeqslant;": "\u2a7e\u0338", + "nges;": "\u2a7e\u0338", + "ngsim;": "\u2275", + "ngt;": "\u226f", + "ngtr;": "\u226f", + "nhArr;": "\u21ce", + "nharr;": "\u21ae", + "nhpar;": "\u2af2", + "ni;": "\u220b", + "nis;": "\u22fc", + "nisd;": "\u22fa", + "niv;": "\u220b", + "njcy;": "\u045a", + "nlArr;": "\u21cd", + "nlE;": "\u2266\u0338", + "nlarr;": "\u219a", + "nldr;": "\u2025", + "nle;": "\u2270", + "nleftarrow;": "\u219a", + "nleftrightarrow;": "\u21ae", + "nleq;": "\u2270", + "nleqq;": "\u2266\u0338", + "nleqslant;": "\u2a7d\u0338", + "nles;": "\u2a7d\u0338", + "nless;": "\u226e", + "nlsim;": "\u2274", + "nlt;": "\u226e", + "nltri;": "\u22ea", + "nltrie;": "\u22ec", + "nmid;": "\u2224", + "nopf;": "\U0001d55f", + "not": "\xac", + "not;": "\xac", + "notin;": "\u2209", + "notinE;": "\u22f9\u0338", + "notindot;": "\u22f5\u0338", + "notinva;": "\u2209", + "notinvb;": "\u22f7", + "notinvc;": "\u22f6", + "notni;": "\u220c", + "notniva;": "\u220c", + "notnivb;": "\u22fe", + "notnivc;": "\u22fd", + "npar;": "\u2226", + "nparallel;": "\u2226", + "nparsl;": "\u2afd\u20e5", + "npart;": "\u2202\u0338", + "npolint;": "\u2a14", + "npr;": "\u2280", + "nprcue;": "\u22e0", + "npre;": "\u2aaf\u0338", + "nprec;": "\u2280", + "npreceq;": "\u2aaf\u0338", + "nrArr;": "\u21cf", + "nrarr;": "\u219b", + "nrarrc;": "\u2933\u0338", + "nrarrw;": "\u219d\u0338", + "nrightarrow;": "\u219b", + "nrtri;": "\u22eb", + "nrtrie;": "\u22ed", + "nsc;": "\u2281", + "nsccue;": "\u22e1", + "nsce;": "\u2ab0\u0338", + "nscr;": "\U0001d4c3", + "nshortmid;": "\u2224", + "nshortparallel;": "\u2226", + "nsim;": "\u2241", + "nsime;": "\u2244", + "nsimeq;": "\u2244", + "nsmid;": "\u2224", + "nspar;": "\u2226", + "nsqsube;": "\u22e2", + "nsqsupe;": "\u22e3", + "nsub;": "\u2284", + "nsubE;": "\u2ac5\u0338", + "nsube;": "\u2288", + "nsubset;": "\u2282\u20d2", + "nsubseteq;": "\u2288", + "nsubseteqq;": "\u2ac5\u0338", + "nsucc;": "\u2281", + "nsucceq;": "\u2ab0\u0338", + "nsup;": "\u2285", + "nsupE;": "\u2ac6\u0338", + "nsupe;": "\u2289", + "nsupset;": "\u2283\u20d2", + "nsupseteq;": "\u2289", + "nsupseteqq;": "\u2ac6\u0338", + "ntgl;": "\u2279", + "ntilde": "\xf1", + "ntilde;": "\xf1", + "ntlg;": "\u2278", + "ntriangleleft;": "\u22ea", + "ntrianglelefteq;": "\u22ec", + "ntriangleright;": "\u22eb", + "ntrianglerighteq;": "\u22ed", + "nu;": "\u03bd", + "num;": "#", + "numero;": "\u2116", + "numsp;": "\u2007", + "nvDash;": "\u22ad", + "nvHarr;": "\u2904", + "nvap;": "\u224d\u20d2", + "nvdash;": "\u22ac", + "nvge;": "\u2265\u20d2", + "nvgt;": ">\u20d2", + "nvinfin;": "\u29de", + "nvlArr;": "\u2902", + "nvle;": "\u2264\u20d2", + "nvlt;": "<\u20d2", + "nvltrie;": "\u22b4\u20d2", + "nvrArr;": "\u2903", + "nvrtrie;": "\u22b5\u20d2", + "nvsim;": "\u223c\u20d2", + "nwArr;": "\u21d6", + "nwarhk;": "\u2923", + "nwarr;": "\u2196", + "nwarrow;": "\u2196", + "nwnear;": "\u2927", + "oS;": "\u24c8", + "oacute": "\xf3", + "oacute;": "\xf3", + "oast;": "\u229b", + "ocir;": "\u229a", + "ocirc": "\xf4", + "ocirc;": "\xf4", + "ocy;": "\u043e", + "odash;": "\u229d", + "odblac;": "\u0151", + "odiv;": "\u2a38", + "odot;": "\u2299", + "odsold;": "\u29bc", + "oelig;": "\u0153", + "ofcir;": "\u29bf", + "ofr;": "\U0001d52c", + "ogon;": "\u02db", + "ograve": "\xf2", + "ograve;": "\xf2", + "ogt;": "\u29c1", + "ohbar;": "\u29b5", + "ohm;": "\u03a9", + "oint;": "\u222e", + "olarr;": "\u21ba", + "olcir;": "\u29be", + "olcross;": "\u29bb", + "oline;": "\u203e", + "olt;": "\u29c0", + "omacr;": "\u014d", + "omega;": "\u03c9", + "omicron;": "\u03bf", + "omid;": "\u29b6", + "ominus;": "\u2296", + "oopf;": "\U0001d560", + "opar;": "\u29b7", + "operp;": "\u29b9", + "oplus;": "\u2295", + "or;": "\u2228", + "orarr;": "\u21bb", + "ord;": "\u2a5d", + "order;": "\u2134", + "orderof;": "\u2134", + "ordf": "\xaa", + "ordf;": "\xaa", + "ordm": "\xba", + "ordm;": "\xba", + "origof;": "\u22b6", + "oror;": "\u2a56", + "orslope;": "\u2a57", + "orv;": "\u2a5b", + "oscr;": "\u2134", + "oslash": "\xf8", + "oslash;": "\xf8", + "osol;": "\u2298", + "otilde": "\xf5", + "otilde;": "\xf5", + "otimes;": "\u2297", + "otimesas;": "\u2a36", + "ouml": "\xf6", + "ouml;": "\xf6", + "ovbar;": "\u233d", + "par;": "\u2225", + "para": "\xb6", + "para;": "\xb6", + "parallel;": "\u2225", + "parsim;": "\u2af3", + "parsl;": "\u2afd", + "part;": "\u2202", + "pcy;": "\u043f", + "percnt;": "%", + "period;": ".", + "permil;": "\u2030", + "perp;": "\u22a5", + "pertenk;": "\u2031", + "pfr;": "\U0001d52d", + "phi;": "\u03c6", + "phiv;": "\u03d5", + "phmmat;": "\u2133", + "phone;": "\u260e", + "pi;": "\u03c0", + "pitchfork;": "\u22d4", + "piv;": "\u03d6", + "planck;": "\u210f", + "planckh;": "\u210e", + "plankv;": "\u210f", + "plus;": "+", + "plusacir;": "\u2a23", + "plusb;": "\u229e", + "pluscir;": "\u2a22", + "plusdo;": "\u2214", + "plusdu;": "\u2a25", + "pluse;": "\u2a72", + "plusmn": "\xb1", + "plusmn;": "\xb1", + "plussim;": "\u2a26", + "plustwo;": "\u2a27", + "pm;": "\xb1", + "pointint;": "\u2a15", + "popf;": "\U0001d561", + "pound": "\xa3", + "pound;": "\xa3", + "pr;": "\u227a", + "prE;": "\u2ab3", + "prap;": "\u2ab7", + "prcue;": "\u227c", + "pre;": "\u2aaf", + "prec;": "\u227a", + "precapprox;": "\u2ab7", + "preccurlyeq;": "\u227c", + "preceq;": "\u2aaf", + "precnapprox;": "\u2ab9", + "precneqq;": "\u2ab5", + "precnsim;": "\u22e8", + "precsim;": "\u227e", + "prime;": "\u2032", + "primes;": "\u2119", + "prnE;": "\u2ab5", + "prnap;": "\u2ab9", + "prnsim;": "\u22e8", + "prod;": "\u220f", + "profalar;": "\u232e", + "profline;": "\u2312", + "profsurf;": "\u2313", + "prop;": "\u221d", + "propto;": "\u221d", + "prsim;": "\u227e", + "prurel;": "\u22b0", + "pscr;": "\U0001d4c5", + "psi;": "\u03c8", + "puncsp;": "\u2008", + "qfr;": "\U0001d52e", + "qint;": "\u2a0c", + "qopf;": "\U0001d562", + "qprime;": "\u2057", + "qscr;": "\U0001d4c6", + "quaternions;": "\u210d", + "quatint;": "\u2a16", + "quest;": "?", + "questeq;": "\u225f", + "quot": "\"", + "quot;": "\"", + "rAarr;": "\u21db", + "rArr;": "\u21d2", + "rAtail;": "\u291c", + "rBarr;": "\u290f", + "rHar;": "\u2964", + "race;": "\u223d\u0331", + "racute;": "\u0155", + "radic;": "\u221a", + "raemptyv;": "\u29b3", + "rang;": "\u27e9", + "rangd;": "\u2992", + "range;": "\u29a5", + "rangle;": "\u27e9", + "raquo": "\xbb", + "raquo;": "\xbb", + "rarr;": "\u2192", + "rarrap;": "\u2975", + "rarrb;": "\u21e5", + "rarrbfs;": "\u2920", + "rarrc;": "\u2933", + "rarrfs;": "\u291e", + "rarrhk;": "\u21aa", + "rarrlp;": "\u21ac", + "rarrpl;": "\u2945", + "rarrsim;": "\u2974", + "rarrtl;": "\u21a3", + "rarrw;": "\u219d", + "ratail;": "\u291a", + "ratio;": "\u2236", + "rationals;": "\u211a", + "rbarr;": "\u290d", + "rbbrk;": "\u2773", + "rbrace;": "}", + "rbrack;": "]", + "rbrke;": "\u298c", + "rbrksld;": "\u298e", + "rbrkslu;": "\u2990", + "rcaron;": "\u0159", + "rcedil;": "\u0157", + "rceil;": "\u2309", + "rcub;": "}", + "rcy;": "\u0440", + "rdca;": "\u2937", + "rdldhar;": "\u2969", + "rdquo;": "\u201d", + "rdquor;": "\u201d", + "rdsh;": "\u21b3", + "real;": "\u211c", + "realine;": "\u211b", + "realpart;": "\u211c", + "reals;": "\u211d", + "rect;": "\u25ad", + "reg": "\xae", + "reg;": "\xae", + "rfisht;": "\u297d", + "rfloor;": "\u230b", + "rfr;": "\U0001d52f", + "rhard;": "\u21c1", + "rharu;": "\u21c0", + "rharul;": "\u296c", + "rho;": "\u03c1", + "rhov;": "\u03f1", + "rightarrow;": "\u2192", + "rightarrowtail;": "\u21a3", + "rightharpoondown;": "\u21c1", + "rightharpoonup;": "\u21c0", + "rightleftarrows;": "\u21c4", + "rightleftharpoons;": "\u21cc", + "rightrightarrows;": "\u21c9", + "rightsquigarrow;": "\u219d", + "rightthreetimes;": "\u22cc", + "ring;": "\u02da", + "risingdotseq;": "\u2253", + "rlarr;": "\u21c4", + "rlhar;": "\u21cc", + "rlm;": "\u200f", + "rmoust;": "\u23b1", + "rmoustache;": "\u23b1", + "rnmid;": "\u2aee", + "roang;": "\u27ed", + "roarr;": "\u21fe", + "robrk;": "\u27e7", + "ropar;": "\u2986", + "ropf;": "\U0001d563", + "roplus;": "\u2a2e", + "rotimes;": "\u2a35", + "rpar;": ")", + "rpargt;": "\u2994", + "rppolint;": "\u2a12", + "rrarr;": "\u21c9", + "rsaquo;": "\u203a", + "rscr;": "\U0001d4c7", + "rsh;": "\u21b1", + "rsqb;": "]", + "rsquo;": "\u2019", + "rsquor;": "\u2019", + "rthree;": "\u22cc", + "rtimes;": "\u22ca", + "rtri;": "\u25b9", + "rtrie;": "\u22b5", + "rtrif;": "\u25b8", + "rtriltri;": "\u29ce", + "ruluhar;": "\u2968", + "rx;": "\u211e", + "sacute;": "\u015b", + "sbquo;": "\u201a", + "sc;": "\u227b", + "scE;": "\u2ab4", + "scap;": "\u2ab8", + "scaron;": "\u0161", + "sccue;": "\u227d", + "sce;": "\u2ab0", + "scedil;": "\u015f", + "scirc;": "\u015d", + "scnE;": "\u2ab6", + "scnap;": "\u2aba", + "scnsim;": "\u22e9", + "scpolint;": "\u2a13", + "scsim;": "\u227f", + "scy;": "\u0441", + "sdot;": "\u22c5", + "sdotb;": "\u22a1", + "sdote;": "\u2a66", + "seArr;": "\u21d8", + "searhk;": "\u2925", + "searr;": "\u2198", + "searrow;": "\u2198", + "sect": "\xa7", + "sect;": "\xa7", + "semi;": ";", + "seswar;": "\u2929", + "setminus;": "\u2216", + "setmn;": "\u2216", + "sext;": "\u2736", + "sfr;": "\U0001d530", + "sfrown;": "\u2322", + "sharp;": "\u266f", + "shchcy;": "\u0449", + "shcy;": "\u0448", + "shortmid;": "\u2223", + "shortparallel;": "\u2225", + "shy": "\xad", + "shy;": "\xad", + "sigma;": "\u03c3", + "sigmaf;": "\u03c2", + "sigmav;": "\u03c2", + "sim;": "\u223c", + "simdot;": "\u2a6a", + "sime;": "\u2243", + "simeq;": "\u2243", + "simg;": "\u2a9e", + "simgE;": "\u2aa0", + "siml;": "\u2a9d", + "simlE;": "\u2a9f", + "simne;": "\u2246", + "simplus;": "\u2a24", + "simrarr;": "\u2972", + "slarr;": "\u2190", + "smallsetminus;": "\u2216", + "smashp;": "\u2a33", + "smeparsl;": "\u29e4", + "smid;": "\u2223", + "smile;": "\u2323", + "smt;": "\u2aaa", + "smte;": "\u2aac", + "smtes;": "\u2aac\ufe00", + "softcy;": "\u044c", + "sol;": "/", + "solb;": "\u29c4", + "solbar;": "\u233f", + "sopf;": "\U0001d564", + "spades;": "\u2660", + "spadesuit;": "\u2660", + "spar;": "\u2225", + "sqcap;": "\u2293", + "sqcaps;": "\u2293\ufe00", + "sqcup;": "\u2294", + "sqcups;": "\u2294\ufe00", + "sqsub;": "\u228f", + "sqsube;": "\u2291", + "sqsubset;": "\u228f", + "sqsubseteq;": "\u2291", + "sqsup;": "\u2290", + "sqsupe;": "\u2292", + "sqsupset;": "\u2290", + "sqsupseteq;": "\u2292", + "squ;": "\u25a1", + "square;": "\u25a1", + "squarf;": "\u25aa", + "squf;": "\u25aa", + "srarr;": "\u2192", + "sscr;": "\U0001d4c8", + "ssetmn;": "\u2216", + "ssmile;": "\u2323", + "sstarf;": "\u22c6", + "star;": "\u2606", + "starf;": "\u2605", + "straightepsilon;": "\u03f5", + "straightphi;": "\u03d5", + "strns;": "\xaf", + "sub;": "\u2282", + "subE;": "\u2ac5", + "subdot;": "\u2abd", + "sube;": "\u2286", + "subedot;": "\u2ac3", + "submult;": "\u2ac1", + "subnE;": "\u2acb", + "subne;": "\u228a", + "subplus;": "\u2abf", + "subrarr;": "\u2979", + "subset;": "\u2282", + "subseteq;": "\u2286", + "subseteqq;": "\u2ac5", + "subsetneq;": "\u228a", + "subsetneqq;": "\u2acb", + "subsim;": "\u2ac7", + "subsub;": "\u2ad5", + "subsup;": "\u2ad3", + "succ;": "\u227b", + "succapprox;": "\u2ab8", + "succcurlyeq;": "\u227d", + "succeq;": "\u2ab0", + "succnapprox;": "\u2aba", + "succneqq;": "\u2ab6", + "succnsim;": "\u22e9", + "succsim;": "\u227f", + "sum;": "\u2211", + "sung;": "\u266a", + "sup1": "\xb9", + "sup1;": "\xb9", + "sup2": "\xb2", + "sup2;": "\xb2", + "sup3": "\xb3", + "sup3;": "\xb3", + "sup;": "\u2283", + "supE;": "\u2ac6", + "supdot;": "\u2abe", + "supdsub;": "\u2ad8", + "supe;": "\u2287", + "supedot;": "\u2ac4", + "suphsol;": "\u27c9", + "suphsub;": "\u2ad7", + "suplarr;": "\u297b", + "supmult;": "\u2ac2", + "supnE;": "\u2acc", + "supne;": "\u228b", + "supplus;": "\u2ac0", + "supset;": "\u2283", + "supseteq;": "\u2287", + "supseteqq;": "\u2ac6", + "supsetneq;": "\u228b", + "supsetneqq;": "\u2acc", + "supsim;": "\u2ac8", + "supsub;": "\u2ad4", + "supsup;": "\u2ad6", + "swArr;": "\u21d9", + "swarhk;": "\u2926", + "swarr;": "\u2199", + "swarrow;": "\u2199", + "swnwar;": "\u292a", + "szlig": "\xdf", + "szlig;": "\xdf", + "target;": "\u2316", + "tau;": "\u03c4", + "tbrk;": "\u23b4", + "tcaron;": "\u0165", + "tcedil;": "\u0163", + "tcy;": "\u0442", + "tdot;": "\u20db", + "telrec;": "\u2315", + "tfr;": "\U0001d531", + "there4;": "\u2234", + "therefore;": "\u2234", + "theta;": "\u03b8", + "thetasym;": "\u03d1", + "thetav;": "\u03d1", + "thickapprox;": "\u2248", + "thicksim;": "\u223c", + "thinsp;": "\u2009", + "thkap;": "\u2248", + "thksim;": "\u223c", + "thorn": "\xfe", + "thorn;": "\xfe", + "tilde;": "\u02dc", + "times": "\xd7", + "times;": "\xd7", + "timesb;": "\u22a0", + "timesbar;": "\u2a31", + "timesd;": "\u2a30", + "tint;": "\u222d", + "toea;": "\u2928", + "top;": "\u22a4", + "topbot;": "\u2336", + "topcir;": "\u2af1", + "topf;": "\U0001d565", + "topfork;": "\u2ada", + "tosa;": "\u2929", + "tprime;": "\u2034", + "trade;": "\u2122", + "triangle;": "\u25b5", + "triangledown;": "\u25bf", + "triangleleft;": "\u25c3", + "trianglelefteq;": "\u22b4", + "triangleq;": "\u225c", + "triangleright;": "\u25b9", + "trianglerighteq;": "\u22b5", + "tridot;": "\u25ec", + "trie;": "\u225c", + "triminus;": "\u2a3a", + "triplus;": "\u2a39", + "trisb;": "\u29cd", + "tritime;": "\u2a3b", + "trpezium;": "\u23e2", + "tscr;": "\U0001d4c9", + "tscy;": "\u0446", + "tshcy;": "\u045b", + "tstrok;": "\u0167", + "twixt;": "\u226c", + "twoheadleftarrow;": "\u219e", + "twoheadrightarrow;": "\u21a0", + "uArr;": "\u21d1", + "uHar;": "\u2963", + "uacute": "\xfa", + "uacute;": "\xfa", + "uarr;": "\u2191", + "ubrcy;": "\u045e", + "ubreve;": "\u016d", + "ucirc": "\xfb", + "ucirc;": "\xfb", + "ucy;": "\u0443", + "udarr;": "\u21c5", + "udblac;": "\u0171", + "udhar;": "\u296e", + "ufisht;": "\u297e", + "ufr;": "\U0001d532", + "ugrave": "\xf9", + "ugrave;": "\xf9", + "uharl;": "\u21bf", + "uharr;": "\u21be", + "uhblk;": "\u2580", + "ulcorn;": "\u231c", + "ulcorner;": "\u231c", + "ulcrop;": "\u230f", + "ultri;": "\u25f8", + "umacr;": "\u016b", + "uml": "\xa8", + "uml;": "\xa8", + "uogon;": "\u0173", + "uopf;": "\U0001d566", + "uparrow;": "\u2191", + "updownarrow;": "\u2195", + "upharpoonleft;": "\u21bf", + "upharpoonright;": "\u21be", + "uplus;": "\u228e", + "upsi;": "\u03c5", + "upsih;": "\u03d2", + "upsilon;": "\u03c5", + "upuparrows;": "\u21c8", + "urcorn;": "\u231d", + "urcorner;": "\u231d", + "urcrop;": "\u230e", + "uring;": "\u016f", + "urtri;": "\u25f9", + "uscr;": "\U0001d4ca", + "utdot;": "\u22f0", + "utilde;": "\u0169", + "utri;": "\u25b5", + "utrif;": "\u25b4", + "uuarr;": "\u21c8", + "uuml": "\xfc", + "uuml;": "\xfc", + "uwangle;": "\u29a7", + "vArr;": "\u21d5", + "vBar;": "\u2ae8", + "vBarv;": "\u2ae9", + "vDash;": "\u22a8", + "vangrt;": "\u299c", + "varepsilon;": "\u03f5", + "varkappa;": "\u03f0", + "varnothing;": "\u2205", + "varphi;": "\u03d5", + "varpi;": "\u03d6", + "varpropto;": "\u221d", + "varr;": "\u2195", + "varrho;": "\u03f1", + "varsigma;": "\u03c2", + "varsubsetneq;": "\u228a\ufe00", + "varsubsetneqq;": "\u2acb\ufe00", + "varsupsetneq;": "\u228b\ufe00", + "varsupsetneqq;": "\u2acc\ufe00", + "vartheta;": "\u03d1", + "vartriangleleft;": "\u22b2", + "vartriangleright;": "\u22b3", + "vcy;": "\u0432", + "vdash;": "\u22a2", + "vee;": "\u2228", + "veebar;": "\u22bb", + "veeeq;": "\u225a", + "vellip;": "\u22ee", + "verbar;": "|", + "vert;": "|", + "vfr;": "\U0001d533", + "vltri;": "\u22b2", + "vnsub;": "\u2282\u20d2", + "vnsup;": "\u2283\u20d2", + "vopf;": "\U0001d567", + "vprop;": "\u221d", + "vrtri;": "\u22b3", + "vscr;": "\U0001d4cb", + "vsubnE;": "\u2acb\ufe00", + "vsubne;": "\u228a\ufe00", + "vsupnE;": "\u2acc\ufe00", + "vsupne;": "\u228b\ufe00", + "vzigzag;": "\u299a", + "wcirc;": "\u0175", + "wedbar;": "\u2a5f", + "wedge;": "\u2227", + "wedgeq;": "\u2259", + "weierp;": "\u2118", + "wfr;": "\U0001d534", + "wopf;": "\U0001d568", + "wp;": "\u2118", + "wr;": "\u2240", + "wreath;": "\u2240", + "wscr;": "\U0001d4cc", + "xcap;": "\u22c2", + "xcirc;": "\u25ef", + "xcup;": "\u22c3", + "xdtri;": "\u25bd", + "xfr;": "\U0001d535", + "xhArr;": "\u27fa", + "xharr;": "\u27f7", + "xi;": "\u03be", + "xlArr;": "\u27f8", + "xlarr;": "\u27f5", + "xmap;": "\u27fc", + "xnis;": "\u22fb", + "xodot;": "\u2a00", + "xopf;": "\U0001d569", + "xoplus;": "\u2a01", + "xotime;": "\u2a02", + "xrArr;": "\u27f9", + "xrarr;": "\u27f6", + "xscr;": "\U0001d4cd", + "xsqcup;": "\u2a06", + "xuplus;": "\u2a04", + "xutri;": "\u25b3", + "xvee;": "\u22c1", + "xwedge;": "\u22c0", + "yacute": "\xfd", + "yacute;": "\xfd", + "yacy;": "\u044f", + "ycirc;": "\u0177", + "ycy;": "\u044b", + "yen": "\xa5", + "yen;": "\xa5", + "yfr;": "\U0001d536", + "yicy;": "\u0457", + "yopf;": "\U0001d56a", + "yscr;": "\U0001d4ce", + "yucy;": "\u044e", + "yuml": "\xff", + "yuml;": "\xff", + "zacute;": "\u017a", + "zcaron;": "\u017e", + "zcy;": "\u0437", + "zdot;": "\u017c", + "zeetrf;": "\u2128", + "zeta;": "\u03b6", + "zfr;": "\U0001d537", + "zhcy;": "\u0436", + "zigrarr;": "\u21dd", + "zopf;": "\U0001d56b", + "zscr;": "\U0001d4cf", + "zwj;": "\u200d", + "zwnj;": "\u200c", +} + +replacementCharacters = { + 0x0: "\uFFFD", + 0x0d: "\u000D", + 0x80: "\u20AC", + 0x81: "\u0081", + 0x82: "\u201A", + 0x83: "\u0192", + 0x84: "\u201E", + 0x85: "\u2026", + 0x86: "\u2020", + 0x87: "\u2021", + 0x88: "\u02C6", + 0x89: "\u2030", + 0x8A: "\u0160", + 0x8B: "\u2039", + 0x8C: "\u0152", + 0x8D: "\u008D", + 0x8E: "\u017D", + 0x8F: "\u008F", + 0x90: "\u0090", + 0x91: "\u2018", + 0x92: "\u2019", + 0x93: "\u201C", + 0x94: "\u201D", + 0x95: "\u2022", + 0x96: "\u2013", + 0x97: "\u2014", + 0x98: "\u02DC", + 0x99: "\u2122", + 0x9A: "\u0161", + 0x9B: "\u203A", + 0x9C: "\u0153", + 0x9D: "\u009D", + 0x9E: "\u017E", + 0x9F: "\u0178", +} + +tokenTypes = { + "Doctype": 0, + "Characters": 1, + "SpaceCharacters": 2, + "StartTag": 3, + "EndTag": 4, + "EmptyTag": 5, + "Comment": 6, + "ParseError": 7 +} + +tagTokenTypes = frozenset([tokenTypes["StartTag"], tokenTypes["EndTag"], + tokenTypes["EmptyTag"]]) + + +prefixes = dict([(v, k) for k, v in namespaces.items()]) +prefixes["http://www.w3.org/1998/Math/MathML"] = "math" + + +class DataLossWarning(UserWarning): + """Raised when the current tree is unable to represent the input data""" + pass + + +class _ReparseException(Exception): + pass diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/alphabeticalattributes.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/alphabeticalattributes.py new file mode 100644 index 0000000..5ba926e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/alphabeticalattributes.py @@ -0,0 +1,29 @@ +from __future__ import absolute_import, division, unicode_literals + +from . import base + +from collections import OrderedDict + + +def _attr_key(attr): + """Return an appropriate key for an attribute for sorting + + Attributes have a namespace that can be either ``None`` or a string. We + can't compare the two because they're different types, so we convert + ``None`` to an empty string first. + + """ + return (attr[0][0] or ''), attr[0][1] + + +class Filter(base.Filter): + """Alphabetizes attributes for elements""" + def __iter__(self): + for token in base.Filter.__iter__(self): + if token["type"] in ("StartTag", "EmptyTag"): + attrs = OrderedDict() + for name, value in sorted(token["data"].items(), + key=_attr_key): + attrs[name] = value + token["data"] = attrs + yield token diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/base.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/base.py new file mode 100644 index 0000000..c7dbaed --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/base.py @@ -0,0 +1,12 @@ +from __future__ import absolute_import, division, unicode_literals + + +class Filter(object): + def __init__(self, source): + self.source = source + + def __iter__(self): + return iter(self.source) + + def __getattr__(self, name): + return getattr(self.source, name) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/inject_meta_charset.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/inject_meta_charset.py new file mode 100644 index 0000000..aefb5c8 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/inject_meta_charset.py @@ -0,0 +1,73 @@ +from __future__ import absolute_import, division, unicode_literals + +from . import base + + +class Filter(base.Filter): + """Injects ``<meta charset=ENCODING>`` tag into head of document""" + def __init__(self, source, encoding): + """Creates a Filter + + :arg source: the source token stream + + :arg encoding: the encoding to set + + """ + base.Filter.__init__(self, source) + self.encoding = encoding + + def __iter__(self): + state = "pre_head" + meta_found = (self.encoding is None) + pending = [] + + for token in base.Filter.__iter__(self): + type = token["type"] + if type == "StartTag": + if token["name"].lower() == "head": + state = "in_head" + + elif type == "EmptyTag": + if token["name"].lower() == "meta": + # replace charset with actual encoding + has_http_equiv_content_type = False + for (namespace, name), value in token["data"].items(): + if namespace is not None: + continue + elif name.lower() == 'charset': + token["data"][(namespace, name)] = self.encoding + meta_found = True + break + elif name == 'http-equiv' and value.lower() == 'content-type': + has_http_equiv_content_type = True + else: + if has_http_equiv_content_type and (None, "content") in token["data"]: + token["data"][(None, "content")] = 'text/html; charset=%s' % self.encoding + meta_found = True + + elif token["name"].lower() == "head" and not meta_found: + # insert meta into empty head + yield {"type": "StartTag", "name": "head", + "data": token["data"]} + yield {"type": "EmptyTag", "name": "meta", + "data": {(None, "charset"): self.encoding}} + yield {"type": "EndTag", "name": "head"} + meta_found = True + continue + + elif type == "EndTag": + if token["name"].lower() == "head" and pending: + # insert meta into head (if necessary) and flush pending queue + yield pending.pop(0) + if not meta_found: + yield {"type": "EmptyTag", "name": "meta", + "data": {(None, "charset"): self.encoding}} + while pending: + yield pending.pop(0) + meta_found = True + state = "post_head" + + if state == "in_head": + pending.append(token) + else: + yield token diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/lint.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/lint.py new file mode 100644 index 0000000..fcc07ee --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/lint.py @@ -0,0 +1,93 @@ +from __future__ import absolute_import, division, unicode_literals + +from pip._vendor.six import text_type + +from . import base +from ..constants import namespaces, voidElements + +from ..constants import spaceCharacters +spaceCharacters = "".join(spaceCharacters) + + +class Filter(base.Filter): + """Lints the token stream for errors + + If it finds any errors, it'll raise an ``AssertionError``. + + """ + def __init__(self, source, require_matching_tags=True): + """Creates a Filter + + :arg source: the source token stream + + :arg require_matching_tags: whether or not to require matching tags + + """ + super(Filter, self).__init__(source) + self.require_matching_tags = require_matching_tags + + def __iter__(self): + open_elements = [] + for token in base.Filter.__iter__(self): + type = token["type"] + if type in ("StartTag", "EmptyTag"): + namespace = token["namespace"] + name = token["name"] + assert namespace is None or isinstance(namespace, text_type) + assert namespace != "" + assert isinstance(name, text_type) + assert name != "" + assert isinstance(token["data"], dict) + if (not namespace or namespace == namespaces["html"]) and name in voidElements: + assert type == "EmptyTag" + else: + assert type == "StartTag" + if type == "StartTag" and self.require_matching_tags: + open_elements.append((namespace, name)) + for (namespace, name), value in token["data"].items(): + assert namespace is None or isinstance(namespace, text_type) + assert namespace != "" + assert isinstance(name, text_type) + assert name != "" + assert isinstance(value, text_type) + + elif type == "EndTag": + namespace = token["namespace"] + name = token["name"] + assert namespace is None or isinstance(namespace, text_type) + assert namespace != "" + assert isinstance(name, text_type) + assert name != "" + if (not namespace or namespace == namespaces["html"]) and name in voidElements: + assert False, "Void element reported as EndTag token: %(tag)s" % {"tag": name} + elif self.require_matching_tags: + start = open_elements.pop() + assert start == (namespace, name) + + elif type == "Comment": + data = token["data"] + assert isinstance(data, text_type) + + elif type in ("Characters", "SpaceCharacters"): + data = token["data"] + assert isinstance(data, text_type) + assert data != "" + if type == "SpaceCharacters": + assert data.strip(spaceCharacters) == "" + + elif type == "Doctype": + name = token["name"] + assert name is None or isinstance(name, text_type) + assert token["publicId"] is None or isinstance(name, text_type) + assert token["systemId"] is None or isinstance(name, text_type) + + elif type == "Entity": + assert isinstance(token["name"], text_type) + + elif type == "SerializerError": + assert isinstance(token["data"], text_type) + + else: + assert False, "Unknown token type: %(type)s" % {"type": type} + + yield token diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/optionaltags.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/optionaltags.py new file mode 100644 index 0000000..4a86501 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/optionaltags.py @@ -0,0 +1,207 @@ +from __future__ import absolute_import, division, unicode_literals + +from . import base + + +class Filter(base.Filter): + """Removes optional tags from the token stream""" + def slider(self): + previous1 = previous2 = None + for token in self.source: + if previous1 is not None: + yield previous2, previous1, token + previous2 = previous1 + previous1 = token + if previous1 is not None: + yield previous2, previous1, None + + def __iter__(self): + for previous, token, next in self.slider(): + type = token["type"] + if type == "StartTag": + if (token["data"] or + not self.is_optional_start(token["name"], previous, next)): + yield token + elif type == "EndTag": + if not self.is_optional_end(token["name"], next): + yield token + else: + yield token + + def is_optional_start(self, tagname, previous, next): + type = next and next["type"] or None + if tagname in 'html': + # An html element's start tag may be omitted if the first thing + # inside the html element is not a space character or a comment. + return type not in ("Comment", "SpaceCharacters") + elif tagname == 'head': + # A head element's start tag may be omitted if the first thing + # inside the head element is an element. + # XXX: we also omit the start tag if the head element is empty + if type in ("StartTag", "EmptyTag"): + return True + elif type == "EndTag": + return next["name"] == "head" + elif tagname == 'body': + # A body element's start tag may be omitted if the first thing + # inside the body element is not a space character or a comment, + # except if the first thing inside the body element is a script + # or style element and the node immediately preceding the body + # element is a head element whose end tag has been omitted. + if type in ("Comment", "SpaceCharacters"): + return False + elif type == "StartTag": + # XXX: we do not look at the preceding event, so we never omit + # the body element's start tag if it's followed by a script or + # a style element. + return next["name"] not in ('script', 'style') + else: + return True + elif tagname == 'colgroup': + # A colgroup element's start tag may be omitted if the first thing + # inside the colgroup element is a col element, and if the element + # is not immediately preceded by another colgroup element whose + # end tag has been omitted. + if type in ("StartTag", "EmptyTag"): + # XXX: we do not look at the preceding event, so instead we never + # omit the colgroup element's end tag when it is immediately + # followed by another colgroup element. See is_optional_end. + return next["name"] == "col" + else: + return False + elif tagname == 'tbody': + # A tbody element's start tag may be omitted if the first thing + # inside the tbody element is a tr element, and if the element is + # not immediately preceded by a tbody, thead, or tfoot element + # whose end tag has been omitted. + if type == "StartTag": + # omit the thead and tfoot elements' end tag when they are + # immediately followed by a tbody element. See is_optional_end. + if previous and previous['type'] == 'EndTag' and \ + previous['name'] in ('tbody', 'thead', 'tfoot'): + return False + return next["name"] == 'tr' + else: + return False + return False + + def is_optional_end(self, tagname, next): + type = next and next["type"] or None + if tagname in ('html', 'head', 'body'): + # An html element's end tag may be omitted if the html element + # is not immediately followed by a space character or a comment. + return type not in ("Comment", "SpaceCharacters") + elif tagname in ('li', 'optgroup', 'tr'): + # A li element's end tag may be omitted if the li element is + # immediately followed by another li element or if there is + # no more content in the parent element. + # An optgroup element's end tag may be omitted if the optgroup + # element is immediately followed by another optgroup element, + # or if there is no more content in the parent element. + # A tr element's end tag may be omitted if the tr element is + # immediately followed by another tr element, or if there is + # no more content in the parent element. + if type == "StartTag": + return next["name"] == tagname + else: + return type == "EndTag" or type is None + elif tagname in ('dt', 'dd'): + # A dt element's end tag may be omitted if the dt element is + # immediately followed by another dt element or a dd element. + # A dd element's end tag may be omitted if the dd element is + # immediately followed by another dd element or a dt element, + # or if there is no more content in the parent element. + if type == "StartTag": + return next["name"] in ('dt', 'dd') + elif tagname == 'dd': + return type == "EndTag" or type is None + else: + return False + elif tagname == 'p': + # A p element's end tag may be omitted if the p element is + # immediately followed by an address, article, aside, + # blockquote, datagrid, dialog, dir, div, dl, fieldset, + # footer, form, h1, h2, h3, h4, h5, h6, header, hr, menu, + # nav, ol, p, pre, section, table, or ul, element, or if + # there is no more content in the parent element. + if type in ("StartTag", "EmptyTag"): + return next["name"] in ('address', 'article', 'aside', + 'blockquote', 'datagrid', 'dialog', + 'dir', 'div', 'dl', 'fieldset', 'footer', + 'form', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6', + 'header', 'hr', 'menu', 'nav', 'ol', + 'p', 'pre', 'section', 'table', 'ul') + else: + return type == "EndTag" or type is None + elif tagname == 'option': + # An option element's end tag may be omitted if the option + # element is immediately followed by another option element, + # or if it is immediately followed by an <code>optgroup</code> + # element, or if there is no more content in the parent + # element. + if type == "StartTag": + return next["name"] in ('option', 'optgroup') + else: + return type == "EndTag" or type is None + elif tagname in ('rt', 'rp'): + # An rt element's end tag may be omitted if the rt element is + # immediately followed by an rt or rp element, or if there is + # no more content in the parent element. + # An rp element's end tag may be omitted if the rp element is + # immediately followed by an rt or rp element, or if there is + # no more content in the parent element. + if type == "StartTag": + return next["name"] in ('rt', 'rp') + else: + return type == "EndTag" or type is None + elif tagname == 'colgroup': + # A colgroup element's end tag may be omitted if the colgroup + # element is not immediately followed by a space character or + # a comment. + if type in ("Comment", "SpaceCharacters"): + return False + elif type == "StartTag": + # XXX: we also look for an immediately following colgroup + # element. See is_optional_start. + return next["name"] != 'colgroup' + else: + return True + elif tagname in ('thead', 'tbody'): + # A thead element's end tag may be omitted if the thead element + # is immediately followed by a tbody or tfoot element. + # A tbody element's end tag may be omitted if the tbody element + # is immediately followed by a tbody or tfoot element, or if + # there is no more content in the parent element. + # A tfoot element's end tag may be omitted if the tfoot element + # is immediately followed by a tbody element, or if there is no + # more content in the parent element. + # XXX: we never omit the end tag when the following element is + # a tbody. See is_optional_start. + if type == "StartTag": + return next["name"] in ['tbody', 'tfoot'] + elif tagname == 'tbody': + return type == "EndTag" or type is None + else: + return False + elif tagname == 'tfoot': + # A tfoot element's end tag may be omitted if the tfoot element + # is immediately followed by a tbody element, or if there is no + # more content in the parent element. + # XXX: we never omit the end tag when the following element is + # a tbody. See is_optional_start. + if type == "StartTag": + return next["name"] == 'tbody' + else: + return type == "EndTag" or type is None + elif tagname in ('td', 'th'): + # A td element's end tag may be omitted if the td element is + # immediately followed by a td or th element, or if there is + # no more content in the parent element. + # A th element's end tag may be omitted if the th element is + # immediately followed by a td or th element, or if there is + # no more content in the parent element. + if type == "StartTag": + return next["name"] in ('td', 'th') + else: + return type == "EndTag" or type is None + return False diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/sanitizer.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/sanitizer.py new file mode 100644 index 0000000..af8e77b --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/sanitizer.py @@ -0,0 +1,896 @@ +from __future__ import absolute_import, division, unicode_literals + +import re +from xml.sax.saxutils import escape, unescape + +from pip._vendor.six.moves import urllib_parse as urlparse + +from . import base +from ..constants import namespaces, prefixes + +__all__ = ["Filter"] + + +allowed_elements = frozenset(( + (namespaces['html'], 'a'), + (namespaces['html'], 'abbr'), + (namespaces['html'], 'acronym'), + (namespaces['html'], 'address'), + (namespaces['html'], 'area'), + (namespaces['html'], 'article'), + (namespaces['html'], 'aside'), + (namespaces['html'], 'audio'), + (namespaces['html'], 'b'), + (namespaces['html'], 'big'), + (namespaces['html'], 'blockquote'), + (namespaces['html'], 'br'), + (namespaces['html'], 'button'), + (namespaces['html'], 'canvas'), + (namespaces['html'], 'caption'), + (namespaces['html'], 'center'), + (namespaces['html'], 'cite'), + (namespaces['html'], 'code'), + (namespaces['html'], 'col'), + (namespaces['html'], 'colgroup'), + (namespaces['html'], 'command'), + (namespaces['html'], 'datagrid'), + (namespaces['html'], 'datalist'), + (namespaces['html'], 'dd'), + (namespaces['html'], 'del'), + (namespaces['html'], 'details'), + (namespaces['html'], 'dfn'), + (namespaces['html'], 'dialog'), + (namespaces['html'], 'dir'), + (namespaces['html'], 'div'), + (namespaces['html'], 'dl'), + (namespaces['html'], 'dt'), + (namespaces['html'], 'em'), + (namespaces['html'], 'event-source'), + (namespaces['html'], 'fieldset'), + (namespaces['html'], 'figcaption'), + (namespaces['html'], 'figure'), + (namespaces['html'], 'footer'), + (namespaces['html'], 'font'), + (namespaces['html'], 'form'), + (namespaces['html'], 'header'), + (namespaces['html'], 'h1'), + (namespaces['html'], 'h2'), + (namespaces['html'], 'h3'), + (namespaces['html'], 'h4'), + (namespaces['html'], 'h5'), + (namespaces['html'], 'h6'), + (namespaces['html'], 'hr'), + (namespaces['html'], 'i'), + (namespaces['html'], 'img'), + (namespaces['html'], 'input'), + (namespaces['html'], 'ins'), + (namespaces['html'], 'keygen'), + (namespaces['html'], 'kbd'), + (namespaces['html'], 'label'), + (namespaces['html'], 'legend'), + (namespaces['html'], 'li'), + (namespaces['html'], 'm'), + (namespaces['html'], 'map'), + (namespaces['html'], 'menu'), + (namespaces['html'], 'meter'), + (namespaces['html'], 'multicol'), + (namespaces['html'], 'nav'), + (namespaces['html'], 'nextid'), + (namespaces['html'], 'ol'), + (namespaces['html'], 'output'), + (namespaces['html'], 'optgroup'), + (namespaces['html'], 'option'), + (namespaces['html'], 'p'), + (namespaces['html'], 'pre'), + (namespaces['html'], 'progress'), + (namespaces['html'], 'q'), + (namespaces['html'], 's'), + (namespaces['html'], 'samp'), + (namespaces['html'], 'section'), + (namespaces['html'], 'select'), + (namespaces['html'], 'small'), + (namespaces['html'], 'sound'), + (namespaces['html'], 'source'), + (namespaces['html'], 'spacer'), + (namespaces['html'], 'span'), + (namespaces['html'], 'strike'), + (namespaces['html'], 'strong'), + (namespaces['html'], 'sub'), + (namespaces['html'], 'sup'), + (namespaces['html'], 'table'), + (namespaces['html'], 'tbody'), + (namespaces['html'], 'td'), + (namespaces['html'], 'textarea'), + (namespaces['html'], 'time'), + (namespaces['html'], 'tfoot'), + (namespaces['html'], 'th'), + (namespaces['html'], 'thead'), + (namespaces['html'], 'tr'), + (namespaces['html'], 'tt'), + (namespaces['html'], 'u'), + (namespaces['html'], 'ul'), + (namespaces['html'], 'var'), + (namespaces['html'], 'video'), + (namespaces['mathml'], 'maction'), + (namespaces['mathml'], 'math'), + (namespaces['mathml'], 'merror'), + (namespaces['mathml'], 'mfrac'), + (namespaces['mathml'], 'mi'), + (namespaces['mathml'], 'mmultiscripts'), + (namespaces['mathml'], 'mn'), + (namespaces['mathml'], 'mo'), + (namespaces['mathml'], 'mover'), + (namespaces['mathml'], 'mpadded'), + (namespaces['mathml'], 'mphantom'), + (namespaces['mathml'], 'mprescripts'), + (namespaces['mathml'], 'mroot'), + (namespaces['mathml'], 'mrow'), + (namespaces['mathml'], 'mspace'), + (namespaces['mathml'], 'msqrt'), + (namespaces['mathml'], 'mstyle'), + (namespaces['mathml'], 'msub'), + (namespaces['mathml'], 'msubsup'), + (namespaces['mathml'], 'msup'), + (namespaces['mathml'], 'mtable'), + (namespaces['mathml'], 'mtd'), + (namespaces['mathml'], 'mtext'), + (namespaces['mathml'], 'mtr'), + (namespaces['mathml'], 'munder'), + (namespaces['mathml'], 'munderover'), + (namespaces['mathml'], 'none'), + (namespaces['svg'], 'a'), + (namespaces['svg'], 'animate'), + (namespaces['svg'], 'animateColor'), + (namespaces['svg'], 'animateMotion'), + (namespaces['svg'], 'animateTransform'), + (namespaces['svg'], 'clipPath'), + (namespaces['svg'], 'circle'), + (namespaces['svg'], 'defs'), + (namespaces['svg'], 'desc'), + (namespaces['svg'], 'ellipse'), + (namespaces['svg'], 'font-face'), + (namespaces['svg'], 'font-face-name'), + (namespaces['svg'], 'font-face-src'), + (namespaces['svg'], 'g'), + (namespaces['svg'], 'glyph'), + (namespaces['svg'], 'hkern'), + (namespaces['svg'], 'linearGradient'), + (namespaces['svg'], 'line'), + (namespaces['svg'], 'marker'), + (namespaces['svg'], 'metadata'), + (namespaces['svg'], 'missing-glyph'), + (namespaces['svg'], 'mpath'), + (namespaces['svg'], 'path'), + (namespaces['svg'], 'polygon'), + (namespaces['svg'], 'polyline'), + (namespaces['svg'], 'radialGradient'), + (namespaces['svg'], 'rect'), + (namespaces['svg'], 'set'), + (namespaces['svg'], 'stop'), + (namespaces['svg'], 'svg'), + (namespaces['svg'], 'switch'), + (namespaces['svg'], 'text'), + (namespaces['svg'], 'title'), + (namespaces['svg'], 'tspan'), + (namespaces['svg'], 'use'), +)) + +allowed_attributes = frozenset(( + # HTML attributes + (None, 'abbr'), + (None, 'accept'), + (None, 'accept-charset'), + (None, 'accesskey'), + (None, 'action'), + (None, 'align'), + (None, 'alt'), + (None, 'autocomplete'), + (None, 'autofocus'), + (None, 'axis'), + (None, 'background'), + (None, 'balance'), + (None, 'bgcolor'), + (None, 'bgproperties'), + (None, 'border'), + (None, 'bordercolor'), + (None, 'bordercolordark'), + (None, 'bordercolorlight'), + (None, 'bottompadding'), + (None, 'cellpadding'), + (None, 'cellspacing'), + (None, 'ch'), + (None, 'challenge'), + (None, 'char'), + (None, 'charoff'), + (None, 'choff'), + (None, 'charset'), + (None, 'checked'), + (None, 'cite'), + (None, 'class'), + (None, 'clear'), + (None, 'color'), + (None, 'cols'), + (None, 'colspan'), + (None, 'compact'), + (None, 'contenteditable'), + (None, 'controls'), + (None, 'coords'), + (None, 'data'), + (None, 'datafld'), + (None, 'datapagesize'), + (None, 'datasrc'), + (None, 'datetime'), + (None, 'default'), + (None, 'delay'), + (None, 'dir'), + (None, 'disabled'), + (None, 'draggable'), + (None, 'dynsrc'), + (None, 'enctype'), + (None, 'end'), + (None, 'face'), + (None, 'for'), + (None, 'form'), + (None, 'frame'), + (None, 'galleryimg'), + (None, 'gutter'), + (None, 'headers'), + (None, 'height'), + (None, 'hidefocus'), + (None, 'hidden'), + (None, 'high'), + (None, 'href'), + (None, 'hreflang'), + (None, 'hspace'), + (None, 'icon'), + (None, 'id'), + (None, 'inputmode'), + (None, 'ismap'), + (None, 'keytype'), + (None, 'label'), + (None, 'leftspacing'), + (None, 'lang'), + (None, 'list'), + (None, 'longdesc'), + (None, 'loop'), + (None, 'loopcount'), + (None, 'loopend'), + (None, 'loopstart'), + (None, 'low'), + (None, 'lowsrc'), + (None, 'max'), + (None, 'maxlength'), + (None, 'media'), + (None, 'method'), + (None, 'min'), + (None, 'multiple'), + (None, 'name'), + (None, 'nohref'), + (None, 'noshade'), + (None, 'nowrap'), + (None, 'open'), + (None, 'optimum'), + (None, 'pattern'), + (None, 'ping'), + (None, 'point-size'), + (None, 'poster'), + (None, 'pqg'), + (None, 'preload'), + (None, 'prompt'), + (None, 'radiogroup'), + (None, 'readonly'), + (None, 'rel'), + (None, 'repeat-max'), + (None, 'repeat-min'), + (None, 'replace'), + (None, 'required'), + (None, 'rev'), + (None, 'rightspacing'), + (None, 'rows'), + (None, 'rowspan'), + (None, 'rules'), + (None, 'scope'), + (None, 'selected'), + (None, 'shape'), + (None, 'size'), + (None, 'span'), + (None, 'src'), + (None, 'start'), + (None, 'step'), + (None, 'style'), + (None, 'summary'), + (None, 'suppress'), + (None, 'tabindex'), + (None, 'target'), + (None, 'template'), + (None, 'title'), + (None, 'toppadding'), + (None, 'type'), + (None, 'unselectable'), + (None, 'usemap'), + (None, 'urn'), + (None, 'valign'), + (None, 'value'), + (None, 'variable'), + (None, 'volume'), + (None, 'vspace'), + (None, 'vrml'), + (None, 'width'), + (None, 'wrap'), + (namespaces['xml'], 'lang'), + # MathML attributes + (None, 'actiontype'), + (None, 'align'), + (None, 'columnalign'), + (None, 'columnalign'), + (None, 'columnalign'), + (None, 'columnlines'), + (None, 'columnspacing'), + (None, 'columnspan'), + (None, 'depth'), + (None, 'display'), + (None, 'displaystyle'), + (None, 'equalcolumns'), + (None, 'equalrows'), + (None, 'fence'), + (None, 'fontstyle'), + (None, 'fontweight'), + (None, 'frame'), + (None, 'height'), + (None, 'linethickness'), + (None, 'lspace'), + (None, 'mathbackground'), + (None, 'mathcolor'), + (None, 'mathvariant'), + (None, 'mathvariant'), + (None, 'maxsize'), + (None, 'minsize'), + (None, 'other'), + (None, 'rowalign'), + (None, 'rowalign'), + (None, 'rowalign'), + (None, 'rowlines'), + (None, 'rowspacing'), + (None, 'rowspan'), + (None, 'rspace'), + (None, 'scriptlevel'), + (None, 'selection'), + (None, 'separator'), + (None, 'stretchy'), + (None, 'width'), + (None, 'width'), + (namespaces['xlink'], 'href'), + (namespaces['xlink'], 'show'), + (namespaces['xlink'], 'type'), + # SVG attributes + (None, 'accent-height'), + (None, 'accumulate'), + (None, 'additive'), + (None, 'alphabetic'), + (None, 'arabic-form'), + (None, 'ascent'), + (None, 'attributeName'), + (None, 'attributeType'), + (None, 'baseProfile'), + (None, 'bbox'), + (None, 'begin'), + (None, 'by'), + (None, 'calcMode'), + (None, 'cap-height'), + (None, 'class'), + (None, 'clip-path'), + (None, 'color'), + (None, 'color-rendering'), + (None, 'content'), + (None, 'cx'), + (None, 'cy'), + (None, 'd'), + (None, 'dx'), + (None, 'dy'), + (None, 'descent'), + (None, 'display'), + (None, 'dur'), + (None, 'end'), + (None, 'fill'), + (None, 'fill-opacity'), + (None, 'fill-rule'), + (None, 'font-family'), + (None, 'font-size'), + (None, 'font-stretch'), + (None, 'font-style'), + (None, 'font-variant'), + (None, 'font-weight'), + (None, 'from'), + (None, 'fx'), + (None, 'fy'), + (None, 'g1'), + (None, 'g2'), + (None, 'glyph-name'), + (None, 'gradientUnits'), + (None, 'hanging'), + (None, 'height'), + (None, 'horiz-adv-x'), + (None, 'horiz-origin-x'), + (None, 'id'), + (None, 'ideographic'), + (None, 'k'), + (None, 'keyPoints'), + (None, 'keySplines'), + (None, 'keyTimes'), + (None, 'lang'), + (None, 'marker-end'), + (None, 'marker-mid'), + (None, 'marker-start'), + (None, 'markerHeight'), + (None, 'markerUnits'), + (None, 'markerWidth'), + (None, 'mathematical'), + (None, 'max'), + (None, 'min'), + (None, 'name'), + (None, 'offset'), + (None, 'opacity'), + (None, 'orient'), + (None, 'origin'), + (None, 'overline-position'), + (None, 'overline-thickness'), + (None, 'panose-1'), + (None, 'path'), + (None, 'pathLength'), + (None, 'points'), + (None, 'preserveAspectRatio'), + (None, 'r'), + (None, 'refX'), + (None, 'refY'), + (None, 'repeatCount'), + (None, 'repeatDur'), + (None, 'requiredExtensions'), + (None, 'requiredFeatures'), + (None, 'restart'), + (None, 'rotate'), + (None, 'rx'), + (None, 'ry'), + (None, 'slope'), + (None, 'stemh'), + (None, 'stemv'), + (None, 'stop-color'), + (None, 'stop-opacity'), + (None, 'strikethrough-position'), + (None, 'strikethrough-thickness'), + (None, 'stroke'), + (None, 'stroke-dasharray'), + (None, 'stroke-dashoffset'), + (None, 'stroke-linecap'), + (None, 'stroke-linejoin'), + (None, 'stroke-miterlimit'), + (None, 'stroke-opacity'), + (None, 'stroke-width'), + (None, 'systemLanguage'), + (None, 'target'), + (None, 'text-anchor'), + (None, 'to'), + (None, 'transform'), + (None, 'type'), + (None, 'u1'), + (None, 'u2'), + (None, 'underline-position'), + (None, 'underline-thickness'), + (None, 'unicode'), + (None, 'unicode-range'), + (None, 'units-per-em'), + (None, 'values'), + (None, 'version'), + (None, 'viewBox'), + (None, 'visibility'), + (None, 'width'), + (None, 'widths'), + (None, 'x'), + (None, 'x-height'), + (None, 'x1'), + (None, 'x2'), + (namespaces['xlink'], 'actuate'), + (namespaces['xlink'], 'arcrole'), + (namespaces['xlink'], 'href'), + (namespaces['xlink'], 'role'), + (namespaces['xlink'], 'show'), + (namespaces['xlink'], 'title'), + (namespaces['xlink'], 'type'), + (namespaces['xml'], 'base'), + (namespaces['xml'], 'lang'), + (namespaces['xml'], 'space'), + (None, 'y'), + (None, 'y1'), + (None, 'y2'), + (None, 'zoomAndPan'), +)) + +attr_val_is_uri = frozenset(( + (None, 'href'), + (None, 'src'), + (None, 'cite'), + (None, 'action'), + (None, 'longdesc'), + (None, 'poster'), + (None, 'background'), + (None, 'datasrc'), + (None, 'dynsrc'), + (None, 'lowsrc'), + (None, 'ping'), + (namespaces['xlink'], 'href'), + (namespaces['xml'], 'base'), +)) + +svg_attr_val_allows_ref = frozenset(( + (None, 'clip-path'), + (None, 'color-profile'), + (None, 'cursor'), + (None, 'fill'), + (None, 'filter'), + (None, 'marker'), + (None, 'marker-start'), + (None, 'marker-mid'), + (None, 'marker-end'), + (None, 'mask'), + (None, 'stroke'), +)) + +svg_allow_local_href = frozenset(( + (None, 'altGlyph'), + (None, 'animate'), + (None, 'animateColor'), + (None, 'animateMotion'), + (None, 'animateTransform'), + (None, 'cursor'), + (None, 'feImage'), + (None, 'filter'), + (None, 'linearGradient'), + (None, 'pattern'), + (None, 'radialGradient'), + (None, 'textpath'), + (None, 'tref'), + (None, 'set'), + (None, 'use') +)) + +allowed_css_properties = frozenset(( + 'azimuth', + 'background-color', + 'border-bottom-color', + 'border-collapse', + 'border-color', + 'border-left-color', + 'border-right-color', + 'border-top-color', + 'clear', + 'color', + 'cursor', + 'direction', + 'display', + 'elevation', + 'float', + 'font', + 'font-family', + 'font-size', + 'font-style', + 'font-variant', + 'font-weight', + 'height', + 'letter-spacing', + 'line-height', + 'overflow', + 'pause', + 'pause-after', + 'pause-before', + 'pitch', + 'pitch-range', + 'richness', + 'speak', + 'speak-header', + 'speak-numeral', + 'speak-punctuation', + 'speech-rate', + 'stress', + 'text-align', + 'text-decoration', + 'text-indent', + 'unicode-bidi', + 'vertical-align', + 'voice-family', + 'volume', + 'white-space', + 'width', +)) + +allowed_css_keywords = frozenset(( + 'auto', + 'aqua', + 'black', + 'block', + 'blue', + 'bold', + 'both', + 'bottom', + 'brown', + 'center', + 'collapse', + 'dashed', + 'dotted', + 'fuchsia', + 'gray', + 'green', + '!important', + 'italic', + 'left', + 'lime', + 'maroon', + 'medium', + 'none', + 'navy', + 'normal', + 'nowrap', + 'olive', + 'pointer', + 'purple', + 'red', + 'right', + 'solid', + 'silver', + 'teal', + 'top', + 'transparent', + 'underline', + 'white', + 'yellow', +)) + +allowed_svg_properties = frozenset(( + 'fill', + 'fill-opacity', + 'fill-rule', + 'stroke', + 'stroke-width', + 'stroke-linecap', + 'stroke-linejoin', + 'stroke-opacity', +)) + +allowed_protocols = frozenset(( + 'ed2k', + 'ftp', + 'http', + 'https', + 'irc', + 'mailto', + 'news', + 'gopher', + 'nntp', + 'telnet', + 'webcal', + 'xmpp', + 'callto', + 'feed', + 'urn', + 'aim', + 'rsync', + 'tag', + 'ssh', + 'sftp', + 'rtsp', + 'afs', + 'data', +)) + +allowed_content_types = frozenset(( + 'image/png', + 'image/jpeg', + 'image/gif', + 'image/webp', + 'image/bmp', + 'text/plain', +)) + + +data_content_type = re.compile(r''' + ^ + # Match a content type <application>/<type> + (?P<content_type>[-a-zA-Z0-9.]+/[-a-zA-Z0-9.]+) + # Match any character set and encoding + (?:(?:;charset=(?:[-a-zA-Z0-9]+)(?:;(?:base64))?) + |(?:;(?:base64))?(?:;charset=(?:[-a-zA-Z0-9]+))?) + # Assume the rest is data + ,.* + $ + ''', + re.VERBOSE) + + +class Filter(base.Filter): + """Sanitizes token stream of XHTML+MathML+SVG and of inline style attributes""" + def __init__(self, + source, + allowed_elements=allowed_elements, + allowed_attributes=allowed_attributes, + allowed_css_properties=allowed_css_properties, + allowed_css_keywords=allowed_css_keywords, + allowed_svg_properties=allowed_svg_properties, + allowed_protocols=allowed_protocols, + allowed_content_types=allowed_content_types, + attr_val_is_uri=attr_val_is_uri, + svg_attr_val_allows_ref=svg_attr_val_allows_ref, + svg_allow_local_href=svg_allow_local_href): + """Creates a Filter + + :arg allowed_elements: set of elements to allow--everything else will + be escaped + + :arg allowed_attributes: set of attributes to allow in + elements--everything else will be stripped + + :arg allowed_css_properties: set of CSS properties to allow--everything + else will be stripped + + :arg allowed_css_keywords: set of CSS keywords to allow--everything + else will be stripped + + :arg allowed_svg_properties: set of SVG properties to allow--everything + else will be removed + + :arg allowed_protocols: set of allowed protocols for URIs + + :arg allowed_content_types: set of allowed content types for ``data`` URIs. + + :arg attr_val_is_uri: set of attributes that have URI values--values + that have a scheme not listed in ``allowed_protocols`` are removed + + :arg svg_attr_val_allows_ref: set of SVG attributes that can have + references + + :arg svg_allow_local_href: set of SVG elements that can have local + hrefs--these are removed + + """ + super(Filter, self).__init__(source) + self.allowed_elements = allowed_elements + self.allowed_attributes = allowed_attributes + self.allowed_css_properties = allowed_css_properties + self.allowed_css_keywords = allowed_css_keywords + self.allowed_svg_properties = allowed_svg_properties + self.allowed_protocols = allowed_protocols + self.allowed_content_types = allowed_content_types + self.attr_val_is_uri = attr_val_is_uri + self.svg_attr_val_allows_ref = svg_attr_val_allows_ref + self.svg_allow_local_href = svg_allow_local_href + + def __iter__(self): + for token in base.Filter.__iter__(self): + token = self.sanitize_token(token) + if token: + yield token + + # Sanitize the +html+, escaping all elements not in ALLOWED_ELEMENTS, and + # stripping out all attributes not in ALLOWED_ATTRIBUTES. Style attributes + # are parsed, and a restricted set, specified by ALLOWED_CSS_PROPERTIES and + # ALLOWED_CSS_KEYWORDS, are allowed through. attributes in ATTR_VAL_IS_URI + # are scanned, and only URI schemes specified in ALLOWED_PROTOCOLS are + # allowed. + # + # sanitize_html('<script> do_nasty_stuff() </script>') + # => <script> do_nasty_stuff() </script> + # sanitize_html('<a href="javascript: sucker();">Click here for $100</a>') + # => <a>Click here for $100</a> + def sanitize_token(self, token): + + # accommodate filters which use token_type differently + token_type = token["type"] + if token_type in ("StartTag", "EndTag", "EmptyTag"): + name = token["name"] + namespace = token["namespace"] + if ((namespace, name) in self.allowed_elements or + (namespace is None and + (namespaces["html"], name) in self.allowed_elements)): + return self.allowed_token(token) + else: + return self.disallowed_token(token) + elif token_type == "Comment": + pass + else: + return token + + def allowed_token(self, token): + if "data" in token: + attrs = token["data"] + attr_names = set(attrs.keys()) + + # Remove forbidden attributes + for to_remove in (attr_names - self.allowed_attributes): + del token["data"][to_remove] + attr_names.remove(to_remove) + + # Remove attributes with disallowed URL values + for attr in (attr_names & self.attr_val_is_uri): + assert attr in attrs + # I don't have a clue where this regexp comes from or why it matches those + # characters, nor why we call unescape. I just know it's always been here. + # Should you be worried by this comment in a sanitizer? Yes. On the other hand, all + # this will do is remove *more* than it otherwise would. + val_unescaped = re.sub("[`\x00-\x20\x7f-\xa0\\s]+", '', + unescape(attrs[attr])).lower() + # remove replacement characters from unescaped characters + val_unescaped = val_unescaped.replace("\ufffd", "") + try: + uri = urlparse.urlparse(val_unescaped) + except ValueError: + uri = None + del attrs[attr] + if uri and uri.scheme: + if uri.scheme not in self.allowed_protocols: + del attrs[attr] + if uri.scheme == 'data': + m = data_content_type.match(uri.path) + if not m: + del attrs[attr] + elif m.group('content_type') not in self.allowed_content_types: + del attrs[attr] + + for attr in self.svg_attr_val_allows_ref: + if attr in attrs: + attrs[attr] = re.sub(r'url\s*\(\s*[^#\s][^)]+?\)', + ' ', + unescape(attrs[attr])) + if (token["name"] in self.svg_allow_local_href and + (namespaces['xlink'], 'href') in attrs and re.search(r'^\s*[^#\s].*', + attrs[(namespaces['xlink'], 'href')])): + del attrs[(namespaces['xlink'], 'href')] + if (None, 'style') in attrs: + attrs[(None, 'style')] = self.sanitize_css(attrs[(None, 'style')]) + token["data"] = attrs + return token + + def disallowed_token(self, token): + token_type = token["type"] + if token_type == "EndTag": + token["data"] = "</%s>" % token["name"] + elif token["data"]: + assert token_type in ("StartTag", "EmptyTag") + attrs = [] + for (ns, name), v in token["data"].items(): + attrs.append(' %s="%s"' % (name if ns is None else "%s:%s" % (prefixes[ns], name), escape(v))) + token["data"] = "<%s%s>" % (token["name"], ''.join(attrs)) + else: + token["data"] = "<%s>" % token["name"] + if token.get("selfClosing"): + token["data"] = token["data"][:-1] + "/>" + + token["type"] = "Characters" + + del token["name"] + return token + + def sanitize_css(self, style): + # disallow urls + style = re.compile(r'url\s*\(\s*[^\s)]+?\s*\)\s*').sub(' ', style) + + # gauntlet + if not re.match(r"""^([:,;#%.\sa-zA-Z0-9!]|\w-\w|'[\s\w]+'|"[\s\w]+"|\([\d,\s]+\))*$""", style): + return '' + if not re.match(r"^\s*([-\w]+\s*:[^:;]*(;\s*|$))*$", style): + return '' + + clean = [] + for prop, value in re.findall(r"([-\w]+)\s*:\s*([^:;]*)", style): + if not value: + continue + if prop.lower() in self.allowed_css_properties: + clean.append(prop + ': ' + value + ';') + elif prop.split('-')[0].lower() in ['background', 'border', 'margin', + 'padding']: + for keyword in value.split(): + if keyword not in self.allowed_css_keywords and \ + not re.match(r"^(#[0-9a-fA-F]+|rgb\(\d+%?,\d*%?,?\d*%?\)?|\d{0,2}\.?\d{0,2}(cm|em|ex|in|mm|pc|pt|px|%|,|\))?)$", keyword): # noqa + break + else: + clean.append(prop + ': ' + value + ';') + elif prop.lower() in self.allowed_svg_properties: + clean.append(prop + ': ' + value + ';') + + return ' '.join(clean) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/whitespace.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/whitespace.py new file mode 100644 index 0000000..0d12584 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/whitespace.py @@ -0,0 +1,38 @@ +from __future__ import absolute_import, division, unicode_literals + +import re + +from . import base +from ..constants import rcdataElements, spaceCharacters +spaceCharacters = "".join(spaceCharacters) + +SPACES_REGEX = re.compile("[%s]+" % spaceCharacters) + + +class Filter(base.Filter): + """Collapses whitespace except in pre, textarea, and script elements""" + spacePreserveElements = frozenset(["pre", "textarea"] + list(rcdataElements)) + + def __iter__(self): + preserve = 0 + for token in base.Filter.__iter__(self): + type = token["type"] + if type == "StartTag" \ + and (preserve or token["name"] in self.spacePreserveElements): + preserve += 1 + + elif type == "EndTag" and preserve: + preserve -= 1 + + elif not preserve and type == "SpaceCharacters" and token["data"]: + # Test on token["data"] above to not introduce spaces where there were not + token["data"] = " " + + elif not preserve and type == "Characters": + token["data"] = collapse_spaces(token["data"]) + + yield token + + +def collapse_spaces(text): + return SPACES_REGEX.sub(' ', text) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/html5parser.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/html5parser.py new file mode 100644 index 0000000..ae41a13 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/html5parser.py @@ -0,0 +1,2791 @@ +from __future__ import absolute_import, division, unicode_literals +from pip._vendor.six import with_metaclass, viewkeys + +import types +from collections import OrderedDict + +from . import _inputstream +from . import _tokenizer + +from . import treebuilders +from .treebuilders.base import Marker + +from . import _utils +from .constants import ( + spaceCharacters, asciiUpper2Lower, + specialElements, headingElements, cdataElements, rcdataElements, + tokenTypes, tagTokenTypes, + namespaces, + htmlIntegrationPointElements, mathmlTextIntegrationPointElements, + adjustForeignAttributes as adjustForeignAttributesMap, + adjustMathMLAttributes, adjustSVGAttributes, + E, + _ReparseException +) + + +def parse(doc, treebuilder="etree", namespaceHTMLElements=True, **kwargs): + """Parse an HTML document as a string or file-like object into a tree + + :arg doc: the document to parse as a string or file-like object + + :arg treebuilder: the treebuilder to use when parsing + + :arg namespaceHTMLElements: whether or not to namespace HTML elements + + :returns: parsed tree + + Example: + + >>> from html5lib.html5parser import parse + >>> parse('<html><body><p>This is a doc</p></body></html>') + <Element u'{http://www.w3.org/1999/xhtml}html' at 0x7feac4909db0> + + """ + tb = treebuilders.getTreeBuilder(treebuilder) + p = HTMLParser(tb, namespaceHTMLElements=namespaceHTMLElements) + return p.parse(doc, **kwargs) + + +def parseFragment(doc, container="div", treebuilder="etree", namespaceHTMLElements=True, **kwargs): + """Parse an HTML fragment as a string or file-like object into a tree + + :arg doc: the fragment to parse as a string or file-like object + + :arg container: the container context to parse the fragment in + + :arg treebuilder: the treebuilder to use when parsing + + :arg namespaceHTMLElements: whether or not to namespace HTML elements + + :returns: parsed tree + + Example: + + >>> from html5lib.html5libparser import parseFragment + >>> parseFragment('<b>this is a fragment</b>') + <Element u'DOCUMENT_FRAGMENT' at 0x7feac484b090> + + """ + tb = treebuilders.getTreeBuilder(treebuilder) + p = HTMLParser(tb, namespaceHTMLElements=namespaceHTMLElements) + return p.parseFragment(doc, container=container, **kwargs) + + +def method_decorator_metaclass(function): + class Decorated(type): + def __new__(meta, classname, bases, classDict): + for attributeName, attribute in classDict.items(): + if isinstance(attribute, types.FunctionType): + attribute = function(attribute) + + classDict[attributeName] = attribute + return type.__new__(meta, classname, bases, classDict) + return Decorated + + +class HTMLParser(object): + """HTML parser + + Generates a tree structure from a stream of (possibly malformed) HTML. + + """ + + def __init__(self, tree=None, strict=False, namespaceHTMLElements=True, debug=False): + """ + :arg tree: a treebuilder class controlling the type of tree that will be + returned. Built in treebuilders can be accessed through + html5lib.treebuilders.getTreeBuilder(treeType) + + :arg strict: raise an exception when a parse error is encountered + + :arg namespaceHTMLElements: whether or not to namespace HTML elements + + :arg debug: whether or not to enable debug mode which logs things + + Example: + + >>> from html5lib.html5parser import HTMLParser + >>> parser = HTMLParser() # generates parser with etree builder + >>> parser = HTMLParser('lxml', strict=True) # generates parser with lxml builder which is strict + + """ + + # Raise an exception on the first error encountered + self.strict = strict + + if tree is None: + tree = treebuilders.getTreeBuilder("etree") + self.tree = tree(namespaceHTMLElements) + self.errors = [] + + self.phases = dict([(name, cls(self, self.tree)) for name, cls in + getPhases(debug).items()]) + + def _parse(self, stream, innerHTML=False, container="div", scripting=False, **kwargs): + + self.innerHTMLMode = innerHTML + self.container = container + self.scripting = scripting + self.tokenizer = _tokenizer.HTMLTokenizer(stream, parser=self, **kwargs) + self.reset() + + try: + self.mainLoop() + except _ReparseException: + self.reset() + self.mainLoop() + + def reset(self): + self.tree.reset() + self.firstStartTag = False + self.errors = [] + self.log = [] # only used with debug mode + # "quirks" / "limited quirks" / "no quirks" + self.compatMode = "no quirks" + + if self.innerHTMLMode: + self.innerHTML = self.container.lower() + + if self.innerHTML in cdataElements: + self.tokenizer.state = self.tokenizer.rcdataState + elif self.innerHTML in rcdataElements: + self.tokenizer.state = self.tokenizer.rawtextState + elif self.innerHTML == 'plaintext': + self.tokenizer.state = self.tokenizer.plaintextState + else: + # state already is data state + # self.tokenizer.state = self.tokenizer.dataState + pass + self.phase = self.phases["beforeHtml"] + self.phase.insertHtmlElement() + self.resetInsertionMode() + else: + self.innerHTML = False # pylint:disable=redefined-variable-type + self.phase = self.phases["initial"] + + self.lastPhase = None + + self.beforeRCDataPhase = None + + self.framesetOK = True + + @property + def documentEncoding(self): + """Name of the character encoding that was used to decode the input stream, or + :obj:`None` if that is not determined yet + + """ + if not hasattr(self, 'tokenizer'): + return None + return self.tokenizer.stream.charEncoding[0].name + + def isHTMLIntegrationPoint(self, element): + if (element.name == "annotation-xml" and + element.namespace == namespaces["mathml"]): + return ("encoding" in element.attributes and + element.attributes["encoding"].translate( + asciiUpper2Lower) in + ("text/html", "application/xhtml+xml")) + else: + return (element.namespace, element.name) in htmlIntegrationPointElements + + def isMathMLTextIntegrationPoint(self, element): + return (element.namespace, element.name) in mathmlTextIntegrationPointElements + + def mainLoop(self): + CharactersToken = tokenTypes["Characters"] + SpaceCharactersToken = tokenTypes["SpaceCharacters"] + StartTagToken = tokenTypes["StartTag"] + EndTagToken = tokenTypes["EndTag"] + CommentToken = tokenTypes["Comment"] + DoctypeToken = tokenTypes["Doctype"] + ParseErrorToken = tokenTypes["ParseError"] + + for token in self.normalizedTokens(): + prev_token = None + new_token = token + while new_token is not None: + prev_token = new_token + currentNode = self.tree.openElements[-1] if self.tree.openElements else None + currentNodeNamespace = currentNode.namespace if currentNode else None + currentNodeName = currentNode.name if currentNode else None + + type = new_token["type"] + + if type == ParseErrorToken: + self.parseError(new_token["data"], new_token.get("datavars", {})) + new_token = None + else: + if (len(self.tree.openElements) == 0 or + currentNodeNamespace == self.tree.defaultNamespace or + (self.isMathMLTextIntegrationPoint(currentNode) and + ((type == StartTagToken and + token["name"] not in frozenset(["mglyph", "malignmark"])) or + type in (CharactersToken, SpaceCharactersToken))) or + (currentNodeNamespace == namespaces["mathml"] and + currentNodeName == "annotation-xml" and + type == StartTagToken and + token["name"] == "svg") or + (self.isHTMLIntegrationPoint(currentNode) and + type in (StartTagToken, CharactersToken, SpaceCharactersToken))): + phase = self.phase + else: + phase = self.phases["inForeignContent"] + + if type == CharactersToken: + new_token = phase.processCharacters(new_token) + elif type == SpaceCharactersToken: + new_token = phase.processSpaceCharacters(new_token) + elif type == StartTagToken: + new_token = phase.processStartTag(new_token) + elif type == EndTagToken: + new_token = phase.processEndTag(new_token) + elif type == CommentToken: + new_token = phase.processComment(new_token) + elif type == DoctypeToken: + new_token = phase.processDoctype(new_token) + + if (type == StartTagToken and prev_token["selfClosing"] and + not prev_token["selfClosingAcknowledged"]): + self.parseError("non-void-element-with-trailing-solidus", + {"name": prev_token["name"]}) + + # When the loop finishes it's EOF + reprocess = True + phases = [] + while reprocess: + phases.append(self.phase) + reprocess = self.phase.processEOF() + if reprocess: + assert self.phase not in phases + + def normalizedTokens(self): + for token in self.tokenizer: + yield self.normalizeToken(token) + + def parse(self, stream, *args, **kwargs): + """Parse a HTML document into a well-formed tree + + :arg stream: a file-like object or string containing the HTML to be parsed + + The optional encoding parameter must be a string that indicates + the encoding. If specified, that encoding will be used, + regardless of any BOM or later declaration (such as in a meta + element). + + :arg scripting: treat noscript elements as if JavaScript was turned on + + :returns: parsed tree + + Example: + + >>> from html5lib.html5parser import HTMLParser + >>> parser = HTMLParser() + >>> parser.parse('<html><body><p>This is a doc</p></body></html>') + <Element u'{http://www.w3.org/1999/xhtml}html' at 0x7feac4909db0> + + """ + self._parse(stream, False, None, *args, **kwargs) + return self.tree.getDocument() + + def parseFragment(self, stream, *args, **kwargs): + """Parse a HTML fragment into a well-formed tree fragment + + :arg container: name of the element we're setting the innerHTML + property if set to None, default to 'div' + + :arg stream: a file-like object or string containing the HTML to be parsed + + The optional encoding parameter must be a string that indicates + the encoding. If specified, that encoding will be used, + regardless of any BOM or later declaration (such as in a meta + element) + + :arg scripting: treat noscript elements as if JavaScript was turned on + + :returns: parsed tree + + Example: + + >>> from html5lib.html5libparser import HTMLParser + >>> parser = HTMLParser() + >>> parser.parseFragment('<b>this is a fragment</b>') + <Element u'DOCUMENT_FRAGMENT' at 0x7feac484b090> + + """ + self._parse(stream, True, *args, **kwargs) + return self.tree.getFragment() + + def parseError(self, errorcode="XXX-undefined-error", datavars=None): + # XXX The idea is to make errorcode mandatory. + if datavars is None: + datavars = {} + self.errors.append((self.tokenizer.stream.position(), errorcode, datavars)) + if self.strict: + raise ParseError(E[errorcode] % datavars) + + def normalizeToken(self, token): + # HTML5 specific normalizations to the token stream + if token["type"] == tokenTypes["StartTag"]: + raw = token["data"] + token["data"] = OrderedDict(raw) + if len(raw) > len(token["data"]): + # we had some duplicated attribute, fix so first wins + token["data"].update(raw[::-1]) + + return token + + def adjustMathMLAttributes(self, token): + adjust_attributes(token, adjustMathMLAttributes) + + def adjustSVGAttributes(self, token): + adjust_attributes(token, adjustSVGAttributes) + + def adjustForeignAttributes(self, token): + adjust_attributes(token, adjustForeignAttributesMap) + + def reparseTokenNormal(self, token): + # pylint:disable=unused-argument + self.parser.phase() + + def resetInsertionMode(self): + # The name of this method is mostly historical. (It's also used in the + # specification.) + last = False + newModes = { + "select": "inSelect", + "td": "inCell", + "th": "inCell", + "tr": "inRow", + "tbody": "inTableBody", + "thead": "inTableBody", + "tfoot": "inTableBody", + "caption": "inCaption", + "colgroup": "inColumnGroup", + "table": "inTable", + "head": "inBody", + "body": "inBody", + "frameset": "inFrameset", + "html": "beforeHead" + } + for node in self.tree.openElements[::-1]: + nodeName = node.name + new_phase = None + if node == self.tree.openElements[0]: + assert self.innerHTML + last = True + nodeName = self.innerHTML + # Check for conditions that should only happen in the innerHTML + # case + if nodeName in ("select", "colgroup", "head", "html"): + assert self.innerHTML + + if not last and node.namespace != self.tree.defaultNamespace: + continue + + if nodeName in newModes: + new_phase = self.phases[newModes[nodeName]] + break + elif last: + new_phase = self.phases["inBody"] + break + + self.phase = new_phase + + def parseRCDataRawtext(self, token, contentType): + # Generic RCDATA/RAWTEXT Parsing algorithm + assert contentType in ("RAWTEXT", "RCDATA") + + self.tree.insertElement(token) + + if contentType == "RAWTEXT": + self.tokenizer.state = self.tokenizer.rawtextState + else: + self.tokenizer.state = self.tokenizer.rcdataState + + self.originalPhase = self.phase + + self.phase = self.phases["text"] + + +@_utils.memoize +def getPhases(debug): + def log(function): + """Logger that records which phase processes each token""" + type_names = dict((value, key) for key, value in + tokenTypes.items()) + + def wrapped(self, *args, **kwargs): + if function.__name__.startswith("process") and len(args) > 0: + token = args[0] + try: + info = {"type": type_names[token['type']]} + except: + raise + if token['type'] in tagTokenTypes: + info["name"] = token['name'] + + self.parser.log.append((self.parser.tokenizer.state.__name__, + self.parser.phase.__class__.__name__, + self.__class__.__name__, + function.__name__, + info)) + return function(self, *args, **kwargs) + else: + return function(self, *args, **kwargs) + return wrapped + + def getMetaclass(use_metaclass, metaclass_func): + if use_metaclass: + return method_decorator_metaclass(metaclass_func) + else: + return type + + # pylint:disable=unused-argument + class Phase(with_metaclass(getMetaclass(debug, log))): + """Base class for helper object that implements each phase of processing + """ + + def __init__(self, parser, tree): + self.parser = parser + self.tree = tree + + def processEOF(self): + raise NotImplementedError + + def processComment(self, token): + # For most phases the following is correct. Where it's not it will be + # overridden. + self.tree.insertComment(token, self.tree.openElements[-1]) + + def processDoctype(self, token): + self.parser.parseError("unexpected-doctype") + + def processCharacters(self, token): + self.tree.insertText(token["data"]) + + def processSpaceCharacters(self, token): + self.tree.insertText(token["data"]) + + def processStartTag(self, token): + return self.startTagHandler[token["name"]](token) + + def startTagHtml(self, token): + if not self.parser.firstStartTag and token["name"] == "html": + self.parser.parseError("non-html-root") + # XXX Need a check here to see if the first start tag token emitted is + # this token... If it's not, invoke self.parser.parseError(). + for attr, value in token["data"].items(): + if attr not in self.tree.openElements[0].attributes: + self.tree.openElements[0].attributes[attr] = value + self.parser.firstStartTag = False + + def processEndTag(self, token): + return self.endTagHandler[token["name"]](token) + + class InitialPhase(Phase): + def processSpaceCharacters(self, token): + pass + + def processComment(self, token): + self.tree.insertComment(token, self.tree.document) + + def processDoctype(self, token): + name = token["name"] + publicId = token["publicId"] + systemId = token["systemId"] + correct = token["correct"] + + if (name != "html" or publicId is not None or + systemId is not None and systemId != "about:legacy-compat"): + self.parser.parseError("unknown-doctype") + + if publicId is None: + publicId = "" + + self.tree.insertDoctype(token) + + if publicId != "": + publicId = publicId.translate(asciiUpper2Lower) + + if (not correct or token["name"] != "html" or + publicId.startswith( + ("+//silmaril//dtd html pro v0r11 19970101//", + "-//advasoft ltd//dtd html 3.0 aswedit + extensions//", + "-//as//dtd html 3.0 aswedit + extensions//", + "-//ietf//dtd html 2.0 level 1//", + "-//ietf//dtd html 2.0 level 2//", + "-//ietf//dtd html 2.0 strict level 1//", + "-//ietf//dtd html 2.0 strict level 2//", + "-//ietf//dtd html 2.0 strict//", + "-//ietf//dtd html 2.0//", + "-//ietf//dtd html 2.1e//", + "-//ietf//dtd html 3.0//", + "-//ietf//dtd html 3.2 final//", + "-//ietf//dtd html 3.2//", + "-//ietf//dtd html 3//", + "-//ietf//dtd html level 0//", + "-//ietf//dtd html level 1//", + "-//ietf//dtd html level 2//", + "-//ietf//dtd html level 3//", + "-//ietf//dtd html strict level 0//", + "-//ietf//dtd html strict level 1//", + "-//ietf//dtd html strict level 2//", + "-//ietf//dtd html strict level 3//", + "-//ietf//dtd html strict//", + "-//ietf//dtd html//", + "-//metrius//dtd metrius presentational//", + "-//microsoft//dtd internet explorer 2.0 html strict//", + "-//microsoft//dtd internet explorer 2.0 html//", + "-//microsoft//dtd internet explorer 2.0 tables//", + "-//microsoft//dtd internet explorer 3.0 html strict//", + "-//microsoft//dtd internet explorer 3.0 html//", + "-//microsoft//dtd internet explorer 3.0 tables//", + "-//netscape comm. corp.//dtd html//", + "-//netscape comm. corp.//dtd strict html//", + "-//o'reilly and associates//dtd html 2.0//", + "-//o'reilly and associates//dtd html extended 1.0//", + "-//o'reilly and associates//dtd html extended relaxed 1.0//", + "-//softquad software//dtd hotmetal pro 6.0::19990601::extensions to html 4.0//", + "-//softquad//dtd hotmetal pro 4.0::19971010::extensions to html 4.0//", + "-//spyglass//dtd html 2.0 extended//", + "-//sq//dtd html 2.0 hotmetal + extensions//", + "-//sun microsystems corp.//dtd hotjava html//", + "-//sun microsystems corp.//dtd hotjava strict html//", + "-//w3c//dtd html 3 1995-03-24//", + "-//w3c//dtd html 3.2 draft//", + "-//w3c//dtd html 3.2 final//", + "-//w3c//dtd html 3.2//", + "-//w3c//dtd html 3.2s draft//", + "-//w3c//dtd html 4.0 frameset//", + "-//w3c//dtd html 4.0 transitional//", + "-//w3c//dtd html experimental 19960712//", + "-//w3c//dtd html experimental 970421//", + "-//w3c//dtd w3 html//", + "-//w3o//dtd w3 html 3.0//", + "-//webtechs//dtd mozilla html 2.0//", + "-//webtechs//dtd mozilla html//")) or + publicId in ("-//w3o//dtd w3 html strict 3.0//en//", + "-/w3c/dtd html 4.0 transitional/en", + "html") or + publicId.startswith( + ("-//w3c//dtd html 4.01 frameset//", + "-//w3c//dtd html 4.01 transitional//")) and + systemId is None or + systemId and systemId.lower() == "http://www.ibm.com/data/dtd/v11/ibmxhtml1-transitional.dtd"): + self.parser.compatMode = "quirks" + elif (publicId.startswith( + ("-//w3c//dtd xhtml 1.0 frameset//", + "-//w3c//dtd xhtml 1.0 transitional//")) or + publicId.startswith( + ("-//w3c//dtd html 4.01 frameset//", + "-//w3c//dtd html 4.01 transitional//")) and + systemId is not None): + self.parser.compatMode = "limited quirks" + + self.parser.phase = self.parser.phases["beforeHtml"] + + def anythingElse(self): + self.parser.compatMode = "quirks" + self.parser.phase = self.parser.phases["beforeHtml"] + + def processCharacters(self, token): + self.parser.parseError("expected-doctype-but-got-chars") + self.anythingElse() + return token + + def processStartTag(self, token): + self.parser.parseError("expected-doctype-but-got-start-tag", + {"name": token["name"]}) + self.anythingElse() + return token + + def processEndTag(self, token): + self.parser.parseError("expected-doctype-but-got-end-tag", + {"name": token["name"]}) + self.anythingElse() + return token + + def processEOF(self): + self.parser.parseError("expected-doctype-but-got-eof") + self.anythingElse() + return True + + class BeforeHtmlPhase(Phase): + # helper methods + def insertHtmlElement(self): + self.tree.insertRoot(impliedTagToken("html", "StartTag")) + self.parser.phase = self.parser.phases["beforeHead"] + + # other + def processEOF(self): + self.insertHtmlElement() + return True + + def processComment(self, token): + self.tree.insertComment(token, self.tree.document) + + def processSpaceCharacters(self, token): + pass + + def processCharacters(self, token): + self.insertHtmlElement() + return token + + def processStartTag(self, token): + if token["name"] == "html": + self.parser.firstStartTag = True + self.insertHtmlElement() + return token + + def processEndTag(self, token): + if token["name"] not in ("head", "body", "html", "br"): + self.parser.parseError("unexpected-end-tag-before-html", + {"name": token["name"]}) + else: + self.insertHtmlElement() + return token + + class BeforeHeadPhase(Phase): + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + ("head", self.startTagHead) + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([ + (("head", "body", "html", "br"), self.endTagImplyHead) + ]) + self.endTagHandler.default = self.endTagOther + + def processEOF(self): + self.startTagHead(impliedTagToken("head", "StartTag")) + return True + + def processSpaceCharacters(self, token): + pass + + def processCharacters(self, token): + self.startTagHead(impliedTagToken("head", "StartTag")) + return token + + def startTagHtml(self, token): + return self.parser.phases["inBody"].processStartTag(token) + + def startTagHead(self, token): + self.tree.insertElement(token) + self.tree.headPointer = self.tree.openElements[-1] + self.parser.phase = self.parser.phases["inHead"] + + def startTagOther(self, token): + self.startTagHead(impliedTagToken("head", "StartTag")) + return token + + def endTagImplyHead(self, token): + self.startTagHead(impliedTagToken("head", "StartTag")) + return token + + def endTagOther(self, token): + self.parser.parseError("end-tag-after-implied-root", + {"name": token["name"]}) + + class InHeadPhase(Phase): + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + ("title", self.startTagTitle), + (("noframes", "style"), self.startTagNoFramesStyle), + ("noscript", self.startTagNoscript), + ("script", self.startTagScript), + (("base", "basefont", "bgsound", "command", "link"), + self.startTagBaseLinkCommand), + ("meta", self.startTagMeta), + ("head", self.startTagHead) + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([ + ("head", self.endTagHead), + (("br", "html", "body"), self.endTagHtmlBodyBr) + ]) + self.endTagHandler.default = self.endTagOther + + # the real thing + def processEOF(self): + self.anythingElse() + return True + + def processCharacters(self, token): + self.anythingElse() + return token + + def startTagHtml(self, token): + return self.parser.phases["inBody"].processStartTag(token) + + def startTagHead(self, token): + self.parser.parseError("two-heads-are-not-better-than-one") + + def startTagBaseLinkCommand(self, token): + self.tree.insertElement(token) + self.tree.openElements.pop() + token["selfClosingAcknowledged"] = True + + def startTagMeta(self, token): + self.tree.insertElement(token) + self.tree.openElements.pop() + token["selfClosingAcknowledged"] = True + + attributes = token["data"] + if self.parser.tokenizer.stream.charEncoding[1] == "tentative": + if "charset" in attributes: + self.parser.tokenizer.stream.changeEncoding(attributes["charset"]) + elif ("content" in attributes and + "http-equiv" in attributes and + attributes["http-equiv"].lower() == "content-type"): + # Encoding it as UTF-8 here is a hack, as really we should pass + # the abstract Unicode string, and just use the + # ContentAttrParser on that, but using UTF-8 allows all chars + # to be encoded and as a ASCII-superset works. + data = _inputstream.EncodingBytes(attributes["content"].encode("utf-8")) + parser = _inputstream.ContentAttrParser(data) + codec = parser.parse() + self.parser.tokenizer.stream.changeEncoding(codec) + + def startTagTitle(self, token): + self.parser.parseRCDataRawtext(token, "RCDATA") + + def startTagNoFramesStyle(self, token): + # Need to decide whether to implement the scripting-disabled case + self.parser.parseRCDataRawtext(token, "RAWTEXT") + + def startTagNoscript(self, token): + if self.parser.scripting: + self.parser.parseRCDataRawtext(token, "RAWTEXT") + else: + self.tree.insertElement(token) + self.parser.phase = self.parser.phases["inHeadNoscript"] + + def startTagScript(self, token): + self.tree.insertElement(token) + self.parser.tokenizer.state = self.parser.tokenizer.scriptDataState + self.parser.originalPhase = self.parser.phase + self.parser.phase = self.parser.phases["text"] + + def startTagOther(self, token): + self.anythingElse() + return token + + def endTagHead(self, token): + node = self.parser.tree.openElements.pop() + assert node.name == "head", "Expected head got %s" % node.name + self.parser.phase = self.parser.phases["afterHead"] + + def endTagHtmlBodyBr(self, token): + self.anythingElse() + return token + + def endTagOther(self, token): + self.parser.parseError("unexpected-end-tag", {"name": token["name"]}) + + def anythingElse(self): + self.endTagHead(impliedTagToken("head")) + + class InHeadNoscriptPhase(Phase): + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + (("basefont", "bgsound", "link", "meta", "noframes", "style"), self.startTagBaseLinkCommand), + (("head", "noscript"), self.startTagHeadNoscript), + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([ + ("noscript", self.endTagNoscript), + ("br", self.endTagBr), + ]) + self.endTagHandler.default = self.endTagOther + + def processEOF(self): + self.parser.parseError("eof-in-head-noscript") + self.anythingElse() + return True + + def processComment(self, token): + return self.parser.phases["inHead"].processComment(token) + + def processCharacters(self, token): + self.parser.parseError("char-in-head-noscript") + self.anythingElse() + return token + + def processSpaceCharacters(self, token): + return self.parser.phases["inHead"].processSpaceCharacters(token) + + def startTagHtml(self, token): + return self.parser.phases["inBody"].processStartTag(token) + + def startTagBaseLinkCommand(self, token): + return self.parser.phases["inHead"].processStartTag(token) + + def startTagHeadNoscript(self, token): + self.parser.parseError("unexpected-start-tag", {"name": token["name"]}) + + def startTagOther(self, token): + self.parser.parseError("unexpected-inhead-noscript-tag", {"name": token["name"]}) + self.anythingElse() + return token + + def endTagNoscript(self, token): + node = self.parser.tree.openElements.pop() + assert node.name == "noscript", "Expected noscript got %s" % node.name + self.parser.phase = self.parser.phases["inHead"] + + def endTagBr(self, token): + self.parser.parseError("unexpected-inhead-noscript-tag", {"name": token["name"]}) + self.anythingElse() + return token + + def endTagOther(self, token): + self.parser.parseError("unexpected-end-tag", {"name": token["name"]}) + + def anythingElse(self): + # Caller must raise parse error first! + self.endTagNoscript(impliedTagToken("noscript")) + + class AfterHeadPhase(Phase): + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + ("body", self.startTagBody), + ("frameset", self.startTagFrameset), + (("base", "basefont", "bgsound", "link", "meta", "noframes", "script", + "style", "title"), + self.startTagFromHead), + ("head", self.startTagHead) + ]) + self.startTagHandler.default = self.startTagOther + self.endTagHandler = _utils.MethodDispatcher([(("body", "html", "br"), + self.endTagHtmlBodyBr)]) + self.endTagHandler.default = self.endTagOther + + def processEOF(self): + self.anythingElse() + return True + + def processCharacters(self, token): + self.anythingElse() + return token + + def startTagHtml(self, token): + return self.parser.phases["inBody"].processStartTag(token) + + def startTagBody(self, token): + self.parser.framesetOK = False + self.tree.insertElement(token) + self.parser.phase = self.parser.phases["inBody"] + + def startTagFrameset(self, token): + self.tree.insertElement(token) + self.parser.phase = self.parser.phases["inFrameset"] + + def startTagFromHead(self, token): + self.parser.parseError("unexpected-start-tag-out-of-my-head", + {"name": token["name"]}) + self.tree.openElements.append(self.tree.headPointer) + self.parser.phases["inHead"].processStartTag(token) + for node in self.tree.openElements[::-1]: + if node.name == "head": + self.tree.openElements.remove(node) + break + + def startTagHead(self, token): + self.parser.parseError("unexpected-start-tag", {"name": token["name"]}) + + def startTagOther(self, token): + self.anythingElse() + return token + + def endTagHtmlBodyBr(self, token): + self.anythingElse() + return token + + def endTagOther(self, token): + self.parser.parseError("unexpected-end-tag", {"name": token["name"]}) + + def anythingElse(self): + self.tree.insertElement(impliedTagToken("body", "StartTag")) + self.parser.phase = self.parser.phases["inBody"] + self.parser.framesetOK = True + + class InBodyPhase(Phase): + # http://www.whatwg.org/specs/web-apps/current-work/#parsing-main-inbody + # the really-really-really-very crazy mode + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + # Set this to the default handler + self.processSpaceCharacters = self.processSpaceCharactersNonPre + + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + (("base", "basefont", "bgsound", "command", "link", "meta", + "script", "style", "title"), + self.startTagProcessInHead), + ("body", self.startTagBody), + ("frameset", self.startTagFrameset), + (("address", "article", "aside", "blockquote", "center", "details", + "dir", "div", "dl", "fieldset", "figcaption", "figure", + "footer", "header", "hgroup", "main", "menu", "nav", "ol", "p", + "section", "summary", "ul"), + self.startTagCloseP), + (headingElements, self.startTagHeading), + (("pre", "listing"), self.startTagPreListing), + ("form", self.startTagForm), + (("li", "dd", "dt"), self.startTagListItem), + ("plaintext", self.startTagPlaintext), + ("a", self.startTagA), + (("b", "big", "code", "em", "font", "i", "s", "small", "strike", + "strong", "tt", "u"), self.startTagFormatting), + ("nobr", self.startTagNobr), + ("button", self.startTagButton), + (("applet", "marquee", "object"), self.startTagAppletMarqueeObject), + ("xmp", self.startTagXmp), + ("table", self.startTagTable), + (("area", "br", "embed", "img", "keygen", "wbr"), + self.startTagVoidFormatting), + (("param", "source", "track"), self.startTagParamSource), + ("input", self.startTagInput), + ("hr", self.startTagHr), + ("image", self.startTagImage), + ("isindex", self.startTagIsIndex), + ("textarea", self.startTagTextarea), + ("iframe", self.startTagIFrame), + ("noscript", self.startTagNoscript), + (("noembed", "noframes"), self.startTagRawtext), + ("select", self.startTagSelect), + (("rp", "rt"), self.startTagRpRt), + (("option", "optgroup"), self.startTagOpt), + (("math"), self.startTagMath), + (("svg"), self.startTagSvg), + (("caption", "col", "colgroup", "frame", "head", + "tbody", "td", "tfoot", "th", "thead", + "tr"), self.startTagMisplaced) + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([ + ("body", self.endTagBody), + ("html", self.endTagHtml), + (("address", "article", "aside", "blockquote", "button", "center", + "details", "dialog", "dir", "div", "dl", "fieldset", "figcaption", "figure", + "footer", "header", "hgroup", "listing", "main", "menu", "nav", "ol", "pre", + "section", "summary", "ul"), self.endTagBlock), + ("form", self.endTagForm), + ("p", self.endTagP), + (("dd", "dt", "li"), self.endTagListItem), + (headingElements, self.endTagHeading), + (("a", "b", "big", "code", "em", "font", "i", "nobr", "s", "small", + "strike", "strong", "tt", "u"), self.endTagFormatting), + (("applet", "marquee", "object"), self.endTagAppletMarqueeObject), + ("br", self.endTagBr), + ]) + self.endTagHandler.default = self.endTagOther + + def isMatchingFormattingElement(self, node1, node2): + return (node1.name == node2.name and + node1.namespace == node2.namespace and + node1.attributes == node2.attributes) + + # helper + def addFormattingElement(self, token): + self.tree.insertElement(token) + element = self.tree.openElements[-1] + + matchingElements = [] + for node in self.tree.activeFormattingElements[::-1]: + if node is Marker: + break + elif self.isMatchingFormattingElement(node, element): + matchingElements.append(node) + + assert len(matchingElements) <= 3 + if len(matchingElements) == 3: + self.tree.activeFormattingElements.remove(matchingElements[-1]) + self.tree.activeFormattingElements.append(element) + + # the real deal + def processEOF(self): + allowed_elements = frozenset(("dd", "dt", "li", "p", "tbody", "td", + "tfoot", "th", "thead", "tr", "body", + "html")) + for node in self.tree.openElements[::-1]: + if node.name not in allowed_elements: + self.parser.parseError("expected-closing-tag-but-got-eof") + break + # Stop parsing + + def processSpaceCharactersDropNewline(self, token): + # Sometimes (start of <pre>, <listing>, and <textarea> blocks) we + # want to drop leading newlines + data = token["data"] + self.processSpaceCharacters = self.processSpaceCharactersNonPre + if (data.startswith("\n") and + self.tree.openElements[-1].name in ("pre", "listing", "textarea") and + not self.tree.openElements[-1].hasContent()): + data = data[1:] + if data: + self.tree.reconstructActiveFormattingElements() + self.tree.insertText(data) + + def processCharacters(self, token): + if token["data"] == "\u0000": + # The tokenizer should always emit null on its own + return + self.tree.reconstructActiveFormattingElements() + self.tree.insertText(token["data"]) + # This must be bad for performance + if (self.parser.framesetOK and + any([char not in spaceCharacters + for char in token["data"]])): + self.parser.framesetOK = False + + def processSpaceCharactersNonPre(self, token): + self.tree.reconstructActiveFormattingElements() + self.tree.insertText(token["data"]) + + def startTagProcessInHead(self, token): + return self.parser.phases["inHead"].processStartTag(token) + + def startTagBody(self, token): + self.parser.parseError("unexpected-start-tag", {"name": "body"}) + if (len(self.tree.openElements) == 1 or + self.tree.openElements[1].name != "body"): + assert self.parser.innerHTML + else: + self.parser.framesetOK = False + for attr, value in token["data"].items(): + if attr not in self.tree.openElements[1].attributes: + self.tree.openElements[1].attributes[attr] = value + + def startTagFrameset(self, token): + self.parser.parseError("unexpected-start-tag", {"name": "frameset"}) + if (len(self.tree.openElements) == 1 or self.tree.openElements[1].name != "body"): + assert self.parser.innerHTML + elif not self.parser.framesetOK: + pass + else: + if self.tree.openElements[1].parent: + self.tree.openElements[1].parent.removeChild(self.tree.openElements[1]) + while self.tree.openElements[-1].name != "html": + self.tree.openElements.pop() + self.tree.insertElement(token) + self.parser.phase = self.parser.phases["inFrameset"] + + def startTagCloseP(self, token): + if self.tree.elementInScope("p", variant="button"): + self.endTagP(impliedTagToken("p")) + self.tree.insertElement(token) + + def startTagPreListing(self, token): + if self.tree.elementInScope("p", variant="button"): + self.endTagP(impliedTagToken("p")) + self.tree.insertElement(token) + self.parser.framesetOK = False + self.processSpaceCharacters = self.processSpaceCharactersDropNewline + + def startTagForm(self, token): + if self.tree.formPointer: + self.parser.parseError("unexpected-start-tag", {"name": "form"}) + else: + if self.tree.elementInScope("p", variant="button"): + self.endTagP(impliedTagToken("p")) + self.tree.insertElement(token) + self.tree.formPointer = self.tree.openElements[-1] + + def startTagListItem(self, token): + self.parser.framesetOK = False + + stopNamesMap = {"li": ["li"], + "dt": ["dt", "dd"], + "dd": ["dt", "dd"]} + stopNames = stopNamesMap[token["name"]] + for node in reversed(self.tree.openElements): + if node.name in stopNames: + self.parser.phase.processEndTag( + impliedTagToken(node.name, "EndTag")) + break + if (node.nameTuple in specialElements and + node.name not in ("address", "div", "p")): + break + + if self.tree.elementInScope("p", variant="button"): + self.parser.phase.processEndTag( + impliedTagToken("p", "EndTag")) + + self.tree.insertElement(token) + + def startTagPlaintext(self, token): + if self.tree.elementInScope("p", variant="button"): + self.endTagP(impliedTagToken("p")) + self.tree.insertElement(token) + self.parser.tokenizer.state = self.parser.tokenizer.plaintextState + + def startTagHeading(self, token): + if self.tree.elementInScope("p", variant="button"): + self.endTagP(impliedTagToken("p")) + if self.tree.openElements[-1].name in headingElements: + self.parser.parseError("unexpected-start-tag", {"name": token["name"]}) + self.tree.openElements.pop() + self.tree.insertElement(token) + + def startTagA(self, token): + afeAElement = self.tree.elementInActiveFormattingElements("a") + if afeAElement: + self.parser.parseError("unexpected-start-tag-implies-end-tag", + {"startName": "a", "endName": "a"}) + self.endTagFormatting(impliedTagToken("a")) + if afeAElement in self.tree.openElements: + self.tree.openElements.remove(afeAElement) + if afeAElement in self.tree.activeFormattingElements: + self.tree.activeFormattingElements.remove(afeAElement) + self.tree.reconstructActiveFormattingElements() + self.addFormattingElement(token) + + def startTagFormatting(self, token): + self.tree.reconstructActiveFormattingElements() + self.addFormattingElement(token) + + def startTagNobr(self, token): + self.tree.reconstructActiveFormattingElements() + if self.tree.elementInScope("nobr"): + self.parser.parseError("unexpected-start-tag-implies-end-tag", + {"startName": "nobr", "endName": "nobr"}) + self.processEndTag(impliedTagToken("nobr")) + # XXX Need tests that trigger the following + self.tree.reconstructActiveFormattingElements() + self.addFormattingElement(token) + + def startTagButton(self, token): + if self.tree.elementInScope("button"): + self.parser.parseError("unexpected-start-tag-implies-end-tag", + {"startName": "button", "endName": "button"}) + self.processEndTag(impliedTagToken("button")) + return token + else: + self.tree.reconstructActiveFormattingElements() + self.tree.insertElement(token) + self.parser.framesetOK = False + + def startTagAppletMarqueeObject(self, token): + self.tree.reconstructActiveFormattingElements() + self.tree.insertElement(token) + self.tree.activeFormattingElements.append(Marker) + self.parser.framesetOK = False + + def startTagXmp(self, token): + if self.tree.elementInScope("p", variant="button"): + self.endTagP(impliedTagToken("p")) + self.tree.reconstructActiveFormattingElements() + self.parser.framesetOK = False + self.parser.parseRCDataRawtext(token, "RAWTEXT") + + def startTagTable(self, token): + if self.parser.compatMode != "quirks": + if self.tree.elementInScope("p", variant="button"): + self.processEndTag(impliedTagToken("p")) + self.tree.insertElement(token) + self.parser.framesetOK = False + self.parser.phase = self.parser.phases["inTable"] + + def startTagVoidFormatting(self, token): + self.tree.reconstructActiveFormattingElements() + self.tree.insertElement(token) + self.tree.openElements.pop() + token["selfClosingAcknowledged"] = True + self.parser.framesetOK = False + + def startTagInput(self, token): + framesetOK = self.parser.framesetOK + self.startTagVoidFormatting(token) + if ("type" in token["data"] and + token["data"]["type"].translate(asciiUpper2Lower) == "hidden"): + # input type=hidden doesn't change framesetOK + self.parser.framesetOK = framesetOK + + def startTagParamSource(self, token): + self.tree.insertElement(token) + self.tree.openElements.pop() + token["selfClosingAcknowledged"] = True + + def startTagHr(self, token): + if self.tree.elementInScope("p", variant="button"): + self.endTagP(impliedTagToken("p")) + self.tree.insertElement(token) + self.tree.openElements.pop() + token["selfClosingAcknowledged"] = True + self.parser.framesetOK = False + + def startTagImage(self, token): + # No really... + self.parser.parseError("unexpected-start-tag-treated-as", + {"originalName": "image", "newName": "img"}) + self.processStartTag(impliedTagToken("img", "StartTag", + attributes=token["data"], + selfClosing=token["selfClosing"])) + + def startTagIsIndex(self, token): + self.parser.parseError("deprecated-tag", {"name": "isindex"}) + if self.tree.formPointer: + return + form_attrs = {} + if "action" in token["data"]: + form_attrs["action"] = token["data"]["action"] + self.processStartTag(impliedTagToken("form", "StartTag", + attributes=form_attrs)) + self.processStartTag(impliedTagToken("hr", "StartTag")) + self.processStartTag(impliedTagToken("label", "StartTag")) + # XXX Localization ... + if "prompt" in token["data"]: + prompt = token["data"]["prompt"] + else: + prompt = "This is a searchable index. Enter search keywords: " + self.processCharacters( + {"type": tokenTypes["Characters"], "data": prompt}) + attributes = token["data"].copy() + if "action" in attributes: + del attributes["action"] + if "prompt" in attributes: + del attributes["prompt"] + attributes["name"] = "isindex" + self.processStartTag(impliedTagToken("input", "StartTag", + attributes=attributes, + selfClosing=token["selfClosing"])) + self.processEndTag(impliedTagToken("label")) + self.processStartTag(impliedTagToken("hr", "StartTag")) + self.processEndTag(impliedTagToken("form")) + + def startTagTextarea(self, token): + self.tree.insertElement(token) + self.parser.tokenizer.state = self.parser.tokenizer.rcdataState + self.processSpaceCharacters = self.processSpaceCharactersDropNewline + self.parser.framesetOK = False + + def startTagIFrame(self, token): + self.parser.framesetOK = False + self.startTagRawtext(token) + + def startTagNoscript(self, token): + if self.parser.scripting: + self.startTagRawtext(token) + else: + self.startTagOther(token) + + def startTagRawtext(self, token): + """iframe, noembed noframes, noscript(if scripting enabled)""" + self.parser.parseRCDataRawtext(token, "RAWTEXT") + + def startTagOpt(self, token): + if self.tree.openElements[-1].name == "option": + self.parser.phase.processEndTag(impliedTagToken("option")) + self.tree.reconstructActiveFormattingElements() + self.parser.tree.insertElement(token) + + def startTagSelect(self, token): + self.tree.reconstructActiveFormattingElements() + self.tree.insertElement(token) + self.parser.framesetOK = False + if self.parser.phase in (self.parser.phases["inTable"], + self.parser.phases["inCaption"], + self.parser.phases["inColumnGroup"], + self.parser.phases["inTableBody"], + self.parser.phases["inRow"], + self.parser.phases["inCell"]): + self.parser.phase = self.parser.phases["inSelectInTable"] + else: + self.parser.phase = self.parser.phases["inSelect"] + + def startTagRpRt(self, token): + if self.tree.elementInScope("ruby"): + self.tree.generateImpliedEndTags() + if self.tree.openElements[-1].name != "ruby": + self.parser.parseError() + self.tree.insertElement(token) + + def startTagMath(self, token): + self.tree.reconstructActiveFormattingElements() + self.parser.adjustMathMLAttributes(token) + self.parser.adjustForeignAttributes(token) + token["namespace"] = namespaces["mathml"] + self.tree.insertElement(token) + # Need to get the parse error right for the case where the token + # has a namespace not equal to the xmlns attribute + if token["selfClosing"]: + self.tree.openElements.pop() + token["selfClosingAcknowledged"] = True + + def startTagSvg(self, token): + self.tree.reconstructActiveFormattingElements() + self.parser.adjustSVGAttributes(token) + self.parser.adjustForeignAttributes(token) + token["namespace"] = namespaces["svg"] + self.tree.insertElement(token) + # Need to get the parse error right for the case where the token + # has a namespace not equal to the xmlns attribute + if token["selfClosing"]: + self.tree.openElements.pop() + token["selfClosingAcknowledged"] = True + + def startTagMisplaced(self, token): + """ Elements that should be children of other elements that have a + different insertion mode; here they are ignored + "caption", "col", "colgroup", "frame", "frameset", "head", + "option", "optgroup", "tbody", "td", "tfoot", "th", "thead", + "tr", "noscript" + """ + self.parser.parseError("unexpected-start-tag-ignored", {"name": token["name"]}) + + def startTagOther(self, token): + self.tree.reconstructActiveFormattingElements() + self.tree.insertElement(token) + + def endTagP(self, token): + if not self.tree.elementInScope("p", variant="button"): + self.startTagCloseP(impliedTagToken("p", "StartTag")) + self.parser.parseError("unexpected-end-tag", {"name": "p"}) + self.endTagP(impliedTagToken("p", "EndTag")) + else: + self.tree.generateImpliedEndTags("p") + if self.tree.openElements[-1].name != "p": + self.parser.parseError("unexpected-end-tag", {"name": "p"}) + node = self.tree.openElements.pop() + while node.name != "p": + node = self.tree.openElements.pop() + + def endTagBody(self, token): + if not self.tree.elementInScope("body"): + self.parser.parseError() + return + elif self.tree.openElements[-1].name != "body": + for node in self.tree.openElements[2:]: + if node.name not in frozenset(("dd", "dt", "li", "optgroup", + "option", "p", "rp", "rt", + "tbody", "td", "tfoot", + "th", "thead", "tr", "body", + "html")): + # Not sure this is the correct name for the parse error + self.parser.parseError( + "expected-one-end-tag-but-got-another", + {"gotName": "body", "expectedName": node.name}) + break + self.parser.phase = self.parser.phases["afterBody"] + + def endTagHtml(self, token): + # We repeat the test for the body end tag token being ignored here + if self.tree.elementInScope("body"): + self.endTagBody(impliedTagToken("body")) + return token + + def endTagBlock(self, token): + # Put us back in the right whitespace handling mode + if token["name"] == "pre": + self.processSpaceCharacters = self.processSpaceCharactersNonPre + inScope = self.tree.elementInScope(token["name"]) + if inScope: + self.tree.generateImpliedEndTags() + if self.tree.openElements[-1].name != token["name"]: + self.parser.parseError("end-tag-too-early", {"name": token["name"]}) + if inScope: + node = self.tree.openElements.pop() + while node.name != token["name"]: + node = self.tree.openElements.pop() + + def endTagForm(self, token): + node = self.tree.formPointer + self.tree.formPointer = None + if node is None or not self.tree.elementInScope(node): + self.parser.parseError("unexpected-end-tag", + {"name": "form"}) + else: + self.tree.generateImpliedEndTags() + if self.tree.openElements[-1] != node: + self.parser.parseError("end-tag-too-early-ignored", + {"name": "form"}) + self.tree.openElements.remove(node) + + def endTagListItem(self, token): + if token["name"] == "li": + variant = "list" + else: + variant = None + if not self.tree.elementInScope(token["name"], variant=variant): + self.parser.parseError("unexpected-end-tag", {"name": token["name"]}) + else: + self.tree.generateImpliedEndTags(exclude=token["name"]) + if self.tree.openElements[-1].name != token["name"]: + self.parser.parseError( + "end-tag-too-early", + {"name": token["name"]}) + node = self.tree.openElements.pop() + while node.name != token["name"]: + node = self.tree.openElements.pop() + + def endTagHeading(self, token): + for item in headingElements: + if self.tree.elementInScope(item): + self.tree.generateImpliedEndTags() + break + if self.tree.openElements[-1].name != token["name"]: + self.parser.parseError("end-tag-too-early", {"name": token["name"]}) + + for item in headingElements: + if self.tree.elementInScope(item): + item = self.tree.openElements.pop() + while item.name not in headingElements: + item = self.tree.openElements.pop() + break + + def endTagFormatting(self, token): + """The much-feared adoption agency algorithm""" + # http://svn.whatwg.org/webapps/complete.html#adoptionAgency revision 7867 + # XXX Better parseError messages appreciated. + + # Step 1 + outerLoopCounter = 0 + + # Step 2 + while outerLoopCounter < 8: + + # Step 3 + outerLoopCounter += 1 + + # Step 4: + + # Let the formatting element be the last element in + # the list of active formatting elements that: + # - is between the end of the list and the last scope + # marker in the list, if any, or the start of the list + # otherwise, and + # - has the same tag name as the token. + formattingElement = self.tree.elementInActiveFormattingElements( + token["name"]) + if (not formattingElement or + (formattingElement in self.tree.openElements and + not self.tree.elementInScope(formattingElement.name))): + # If there is no such node, then abort these steps + # and instead act as described in the "any other + # end tag" entry below. + self.endTagOther(token) + return + + # Otherwise, if there is such a node, but that node is + # not in the stack of open elements, then this is a + # parse error; remove the element from the list, and + # abort these steps. + elif formattingElement not in self.tree.openElements: + self.parser.parseError("adoption-agency-1.2", {"name": token["name"]}) + self.tree.activeFormattingElements.remove(formattingElement) + return + + # Otherwise, if there is such a node, and that node is + # also in the stack of open elements, but the element + # is not in scope, then this is a parse error; ignore + # the token, and abort these steps. + elif not self.tree.elementInScope(formattingElement.name): + self.parser.parseError("adoption-agency-4.4", {"name": token["name"]}) + return + + # Otherwise, there is a formatting element and that + # element is in the stack and is in scope. If the + # element is not the current node, this is a parse + # error. In any case, proceed with the algorithm as + # written in the following steps. + else: + if formattingElement != self.tree.openElements[-1]: + self.parser.parseError("adoption-agency-1.3", {"name": token["name"]}) + + # Step 5: + + # Let the furthest block be the topmost node in the + # stack of open elements that is lower in the stack + # than the formatting element, and is an element in + # the special category. There might not be one. + afeIndex = self.tree.openElements.index(formattingElement) + furthestBlock = None + for element in self.tree.openElements[afeIndex:]: + if element.nameTuple in specialElements: + furthestBlock = element + break + + # Step 6: + + # If there is no furthest block, then the UA must + # first pop all the nodes from the bottom of the stack + # of open elements, from the current node up to and + # including the formatting element, then remove the + # formatting element from the list of active + # formatting elements, and finally abort these steps. + if furthestBlock is None: + element = self.tree.openElements.pop() + while element != formattingElement: + element = self.tree.openElements.pop() + self.tree.activeFormattingElements.remove(element) + return + + # Step 7 + commonAncestor = self.tree.openElements[afeIndex - 1] + + # Step 8: + # The bookmark is supposed to help us identify where to reinsert + # nodes in step 15. We have to ensure that we reinsert nodes after + # the node before the active formatting element. Note the bookmark + # can move in step 9.7 + bookmark = self.tree.activeFormattingElements.index(formattingElement) + + # Step 9 + lastNode = node = furthestBlock + innerLoopCounter = 0 + + index = self.tree.openElements.index(node) + while innerLoopCounter < 3: + innerLoopCounter += 1 + # Node is element before node in open elements + index -= 1 + node = self.tree.openElements[index] + if node not in self.tree.activeFormattingElements: + self.tree.openElements.remove(node) + continue + # Step 9.6 + if node == formattingElement: + break + # Step 9.7 + if lastNode == furthestBlock: + bookmark = self.tree.activeFormattingElements.index(node) + 1 + # Step 9.8 + clone = node.cloneNode() + # Replace node with clone + self.tree.activeFormattingElements[ + self.tree.activeFormattingElements.index(node)] = clone + self.tree.openElements[ + self.tree.openElements.index(node)] = clone + node = clone + # Step 9.9 + # Remove lastNode from its parents, if any + if lastNode.parent: + lastNode.parent.removeChild(lastNode) + node.appendChild(lastNode) + # Step 9.10 + lastNode = node + + # Step 10 + # Foster parent lastNode if commonAncestor is a + # table, tbody, tfoot, thead, or tr we need to foster + # parent the lastNode + if lastNode.parent: + lastNode.parent.removeChild(lastNode) + + if commonAncestor.name in frozenset(("table", "tbody", "tfoot", "thead", "tr")): + parent, insertBefore = self.tree.getTableMisnestedNodePosition() + parent.insertBefore(lastNode, insertBefore) + else: + commonAncestor.appendChild(lastNode) + + # Step 11 + clone = formattingElement.cloneNode() + + # Step 12 + furthestBlock.reparentChildren(clone) + + # Step 13 + furthestBlock.appendChild(clone) + + # Step 14 + self.tree.activeFormattingElements.remove(formattingElement) + self.tree.activeFormattingElements.insert(bookmark, clone) + + # Step 15 + self.tree.openElements.remove(formattingElement) + self.tree.openElements.insert( + self.tree.openElements.index(furthestBlock) + 1, clone) + + def endTagAppletMarqueeObject(self, token): + if self.tree.elementInScope(token["name"]): + self.tree.generateImpliedEndTags() + if self.tree.openElements[-1].name != token["name"]: + self.parser.parseError("end-tag-too-early", {"name": token["name"]}) + + if self.tree.elementInScope(token["name"]): + element = self.tree.openElements.pop() + while element.name != token["name"]: + element = self.tree.openElements.pop() + self.tree.clearActiveFormattingElements() + + def endTagBr(self, token): + self.parser.parseError("unexpected-end-tag-treated-as", + {"originalName": "br", "newName": "br element"}) + self.tree.reconstructActiveFormattingElements() + self.tree.insertElement(impliedTagToken("br", "StartTag")) + self.tree.openElements.pop() + + def endTagOther(self, token): + for node in self.tree.openElements[::-1]: + if node.name == token["name"]: + self.tree.generateImpliedEndTags(exclude=token["name"]) + if self.tree.openElements[-1].name != token["name"]: + self.parser.parseError("unexpected-end-tag", {"name": token["name"]}) + while self.tree.openElements.pop() != node: + pass + break + else: + if node.nameTuple in specialElements: + self.parser.parseError("unexpected-end-tag", {"name": token["name"]}) + break + + class TextPhase(Phase): + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + self.startTagHandler = _utils.MethodDispatcher([]) + self.startTagHandler.default = self.startTagOther + self.endTagHandler = _utils.MethodDispatcher([ + ("script", self.endTagScript)]) + self.endTagHandler.default = self.endTagOther + + def processCharacters(self, token): + self.tree.insertText(token["data"]) + + def processEOF(self): + self.parser.parseError("expected-named-closing-tag-but-got-eof", + {"name": self.tree.openElements[-1].name}) + self.tree.openElements.pop() + self.parser.phase = self.parser.originalPhase + return True + + def startTagOther(self, token): + assert False, "Tried to process start tag %s in RCDATA/RAWTEXT mode" % token['name'] + + def endTagScript(self, token): + node = self.tree.openElements.pop() + assert node.name == "script" + self.parser.phase = self.parser.originalPhase + # The rest of this method is all stuff that only happens if + # document.write works + + def endTagOther(self, token): + self.tree.openElements.pop() + self.parser.phase = self.parser.originalPhase + + class InTablePhase(Phase): + # http://www.whatwg.org/specs/web-apps/current-work/#in-table + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + ("caption", self.startTagCaption), + ("colgroup", self.startTagColgroup), + ("col", self.startTagCol), + (("tbody", "tfoot", "thead"), self.startTagRowGroup), + (("td", "th", "tr"), self.startTagImplyTbody), + ("table", self.startTagTable), + (("style", "script"), self.startTagStyleScript), + ("input", self.startTagInput), + ("form", self.startTagForm) + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([ + ("table", self.endTagTable), + (("body", "caption", "col", "colgroup", "html", "tbody", "td", + "tfoot", "th", "thead", "tr"), self.endTagIgnore) + ]) + self.endTagHandler.default = self.endTagOther + + # helper methods + def clearStackToTableContext(self): + # "clear the stack back to a table context" + while self.tree.openElements[-1].name not in ("table", "html"): + # self.parser.parseError("unexpected-implied-end-tag-in-table", + # {"name": self.tree.openElements[-1].name}) + self.tree.openElements.pop() + # When the current node is <html> it's an innerHTML case + + # processing methods + def processEOF(self): + if self.tree.openElements[-1].name != "html": + self.parser.parseError("eof-in-table") + else: + assert self.parser.innerHTML + # Stop parsing + + def processSpaceCharacters(self, token): + originalPhase = self.parser.phase + self.parser.phase = self.parser.phases["inTableText"] + self.parser.phase.originalPhase = originalPhase + self.parser.phase.processSpaceCharacters(token) + + def processCharacters(self, token): + originalPhase = self.parser.phase + self.parser.phase = self.parser.phases["inTableText"] + self.parser.phase.originalPhase = originalPhase + self.parser.phase.processCharacters(token) + + def insertText(self, token): + # If we get here there must be at least one non-whitespace character + # Do the table magic! + self.tree.insertFromTable = True + self.parser.phases["inBody"].processCharacters(token) + self.tree.insertFromTable = False + + def startTagCaption(self, token): + self.clearStackToTableContext() + self.tree.activeFormattingElements.append(Marker) + self.tree.insertElement(token) + self.parser.phase = self.parser.phases["inCaption"] + + def startTagColgroup(self, token): + self.clearStackToTableContext() + self.tree.insertElement(token) + self.parser.phase = self.parser.phases["inColumnGroup"] + + def startTagCol(self, token): + self.startTagColgroup(impliedTagToken("colgroup", "StartTag")) + return token + + def startTagRowGroup(self, token): + self.clearStackToTableContext() + self.tree.insertElement(token) + self.parser.phase = self.parser.phases["inTableBody"] + + def startTagImplyTbody(self, token): + self.startTagRowGroup(impliedTagToken("tbody", "StartTag")) + return token + + def startTagTable(self, token): + self.parser.parseError("unexpected-start-tag-implies-end-tag", + {"startName": "table", "endName": "table"}) + self.parser.phase.processEndTag(impliedTagToken("table")) + if not self.parser.innerHTML: + return token + + def startTagStyleScript(self, token): + return self.parser.phases["inHead"].processStartTag(token) + + def startTagInput(self, token): + if ("type" in token["data"] and + token["data"]["type"].translate(asciiUpper2Lower) == "hidden"): + self.parser.parseError("unexpected-hidden-input-in-table") + self.tree.insertElement(token) + # XXX associate with form + self.tree.openElements.pop() + else: + self.startTagOther(token) + + def startTagForm(self, token): + self.parser.parseError("unexpected-form-in-table") + if self.tree.formPointer is None: + self.tree.insertElement(token) + self.tree.formPointer = self.tree.openElements[-1] + self.tree.openElements.pop() + + def startTagOther(self, token): + self.parser.parseError("unexpected-start-tag-implies-table-voodoo", {"name": token["name"]}) + # Do the table magic! + self.tree.insertFromTable = True + self.parser.phases["inBody"].processStartTag(token) + self.tree.insertFromTable = False + + def endTagTable(self, token): + if self.tree.elementInScope("table", variant="table"): + self.tree.generateImpliedEndTags() + if self.tree.openElements[-1].name != "table": + self.parser.parseError("end-tag-too-early-named", + {"gotName": "table", + "expectedName": self.tree.openElements[-1].name}) + while self.tree.openElements[-1].name != "table": + self.tree.openElements.pop() + self.tree.openElements.pop() + self.parser.resetInsertionMode() + else: + # innerHTML case + assert self.parser.innerHTML + self.parser.parseError() + + def endTagIgnore(self, token): + self.parser.parseError("unexpected-end-tag", {"name": token["name"]}) + + def endTagOther(self, token): + self.parser.parseError("unexpected-end-tag-implies-table-voodoo", {"name": token["name"]}) + # Do the table magic! + self.tree.insertFromTable = True + self.parser.phases["inBody"].processEndTag(token) + self.tree.insertFromTable = False + + class InTableTextPhase(Phase): + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + self.originalPhase = None + self.characterTokens = [] + + def flushCharacters(self): + data = "".join([item["data"] for item in self.characterTokens]) + if any([item not in spaceCharacters for item in data]): + token = {"type": tokenTypes["Characters"], "data": data} + self.parser.phases["inTable"].insertText(token) + elif data: + self.tree.insertText(data) + self.characterTokens = [] + + def processComment(self, token): + self.flushCharacters() + self.parser.phase = self.originalPhase + return token + + def processEOF(self): + self.flushCharacters() + self.parser.phase = self.originalPhase + return True + + def processCharacters(self, token): + if token["data"] == "\u0000": + return + self.characterTokens.append(token) + + def processSpaceCharacters(self, token): + # pretty sure we should never reach here + self.characterTokens.append(token) + # assert False + + def processStartTag(self, token): + self.flushCharacters() + self.parser.phase = self.originalPhase + return token + + def processEndTag(self, token): + self.flushCharacters() + self.parser.phase = self.originalPhase + return token + + class InCaptionPhase(Phase): + # http://www.whatwg.org/specs/web-apps/current-work/#in-caption + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + (("caption", "col", "colgroup", "tbody", "td", "tfoot", "th", + "thead", "tr"), self.startTagTableElement) + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([ + ("caption", self.endTagCaption), + ("table", self.endTagTable), + (("body", "col", "colgroup", "html", "tbody", "td", "tfoot", "th", + "thead", "tr"), self.endTagIgnore) + ]) + self.endTagHandler.default = self.endTagOther + + def ignoreEndTagCaption(self): + return not self.tree.elementInScope("caption", variant="table") + + def processEOF(self): + self.parser.phases["inBody"].processEOF() + + def processCharacters(self, token): + return self.parser.phases["inBody"].processCharacters(token) + + def startTagTableElement(self, token): + self.parser.parseError() + # XXX Have to duplicate logic here to find out if the tag is ignored + ignoreEndTag = self.ignoreEndTagCaption() + self.parser.phase.processEndTag(impliedTagToken("caption")) + if not ignoreEndTag: + return token + + def startTagOther(self, token): + return self.parser.phases["inBody"].processStartTag(token) + + def endTagCaption(self, token): + if not self.ignoreEndTagCaption(): + # AT this code is quite similar to endTagTable in "InTable" + self.tree.generateImpliedEndTags() + if self.tree.openElements[-1].name != "caption": + self.parser.parseError("expected-one-end-tag-but-got-another", + {"gotName": "caption", + "expectedName": self.tree.openElements[-1].name}) + while self.tree.openElements[-1].name != "caption": + self.tree.openElements.pop() + self.tree.openElements.pop() + self.tree.clearActiveFormattingElements() + self.parser.phase = self.parser.phases["inTable"] + else: + # innerHTML case + assert self.parser.innerHTML + self.parser.parseError() + + def endTagTable(self, token): + self.parser.parseError() + ignoreEndTag = self.ignoreEndTagCaption() + self.parser.phase.processEndTag(impliedTagToken("caption")) + if not ignoreEndTag: + return token + + def endTagIgnore(self, token): + self.parser.parseError("unexpected-end-tag", {"name": token["name"]}) + + def endTagOther(self, token): + return self.parser.phases["inBody"].processEndTag(token) + + class InColumnGroupPhase(Phase): + # http://www.whatwg.org/specs/web-apps/current-work/#in-column + + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + ("col", self.startTagCol) + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([ + ("colgroup", self.endTagColgroup), + ("col", self.endTagCol) + ]) + self.endTagHandler.default = self.endTagOther + + def ignoreEndTagColgroup(self): + return self.tree.openElements[-1].name == "html" + + def processEOF(self): + if self.tree.openElements[-1].name == "html": + assert self.parser.innerHTML + return + else: + ignoreEndTag = self.ignoreEndTagColgroup() + self.endTagColgroup(impliedTagToken("colgroup")) + if not ignoreEndTag: + return True + + def processCharacters(self, token): + ignoreEndTag = self.ignoreEndTagColgroup() + self.endTagColgroup(impliedTagToken("colgroup")) + if not ignoreEndTag: + return token + + def startTagCol(self, token): + self.tree.insertElement(token) + self.tree.openElements.pop() + token["selfClosingAcknowledged"] = True + + def startTagOther(self, token): + ignoreEndTag = self.ignoreEndTagColgroup() + self.endTagColgroup(impliedTagToken("colgroup")) + if not ignoreEndTag: + return token + + def endTagColgroup(self, token): + if self.ignoreEndTagColgroup(): + # innerHTML case + assert self.parser.innerHTML + self.parser.parseError() + else: + self.tree.openElements.pop() + self.parser.phase = self.parser.phases["inTable"] + + def endTagCol(self, token): + self.parser.parseError("no-end-tag", {"name": "col"}) + + def endTagOther(self, token): + ignoreEndTag = self.ignoreEndTagColgroup() + self.endTagColgroup(impliedTagToken("colgroup")) + if not ignoreEndTag: + return token + + class InTableBodyPhase(Phase): + # http://www.whatwg.org/specs/web-apps/current-work/#in-table0 + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + ("tr", self.startTagTr), + (("td", "th"), self.startTagTableCell), + (("caption", "col", "colgroup", "tbody", "tfoot", "thead"), + self.startTagTableOther) + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([ + (("tbody", "tfoot", "thead"), self.endTagTableRowGroup), + ("table", self.endTagTable), + (("body", "caption", "col", "colgroup", "html", "td", "th", + "tr"), self.endTagIgnore) + ]) + self.endTagHandler.default = self.endTagOther + + # helper methods + def clearStackToTableBodyContext(self): + while self.tree.openElements[-1].name not in ("tbody", "tfoot", + "thead", "html"): + # self.parser.parseError("unexpected-implied-end-tag-in-table", + # {"name": self.tree.openElements[-1].name}) + self.tree.openElements.pop() + if self.tree.openElements[-1].name == "html": + assert self.parser.innerHTML + + # the rest + def processEOF(self): + self.parser.phases["inTable"].processEOF() + + def processSpaceCharacters(self, token): + return self.parser.phases["inTable"].processSpaceCharacters(token) + + def processCharacters(self, token): + return self.parser.phases["inTable"].processCharacters(token) + + def startTagTr(self, token): + self.clearStackToTableBodyContext() + self.tree.insertElement(token) + self.parser.phase = self.parser.phases["inRow"] + + def startTagTableCell(self, token): + self.parser.parseError("unexpected-cell-in-table-body", + {"name": token["name"]}) + self.startTagTr(impliedTagToken("tr", "StartTag")) + return token + + def startTagTableOther(self, token): + # XXX AT Any ideas on how to share this with endTagTable? + if (self.tree.elementInScope("tbody", variant="table") or + self.tree.elementInScope("thead", variant="table") or + self.tree.elementInScope("tfoot", variant="table")): + self.clearStackToTableBodyContext() + self.endTagTableRowGroup( + impliedTagToken(self.tree.openElements[-1].name)) + return token + else: + # innerHTML case + assert self.parser.innerHTML + self.parser.parseError() + + def startTagOther(self, token): + return self.parser.phases["inTable"].processStartTag(token) + + def endTagTableRowGroup(self, token): + if self.tree.elementInScope(token["name"], variant="table"): + self.clearStackToTableBodyContext() + self.tree.openElements.pop() + self.parser.phase = self.parser.phases["inTable"] + else: + self.parser.parseError("unexpected-end-tag-in-table-body", + {"name": token["name"]}) + + def endTagTable(self, token): + if (self.tree.elementInScope("tbody", variant="table") or + self.tree.elementInScope("thead", variant="table") or + self.tree.elementInScope("tfoot", variant="table")): + self.clearStackToTableBodyContext() + self.endTagTableRowGroup( + impliedTagToken(self.tree.openElements[-1].name)) + return token + else: + # innerHTML case + assert self.parser.innerHTML + self.parser.parseError() + + def endTagIgnore(self, token): + self.parser.parseError("unexpected-end-tag-in-table-body", + {"name": token["name"]}) + + def endTagOther(self, token): + return self.parser.phases["inTable"].processEndTag(token) + + class InRowPhase(Phase): + # http://www.whatwg.org/specs/web-apps/current-work/#in-row + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + (("td", "th"), self.startTagTableCell), + (("caption", "col", "colgroup", "tbody", "tfoot", "thead", + "tr"), self.startTagTableOther) + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([ + ("tr", self.endTagTr), + ("table", self.endTagTable), + (("tbody", "tfoot", "thead"), self.endTagTableRowGroup), + (("body", "caption", "col", "colgroup", "html", "td", "th"), + self.endTagIgnore) + ]) + self.endTagHandler.default = self.endTagOther + + # helper methods (XXX unify this with other table helper methods) + def clearStackToTableRowContext(self): + while self.tree.openElements[-1].name not in ("tr", "html"): + self.parser.parseError("unexpected-implied-end-tag-in-table-row", + {"name": self.tree.openElements[-1].name}) + self.tree.openElements.pop() + + def ignoreEndTagTr(self): + return not self.tree.elementInScope("tr", variant="table") + + # the rest + def processEOF(self): + self.parser.phases["inTable"].processEOF() + + def processSpaceCharacters(self, token): + return self.parser.phases["inTable"].processSpaceCharacters(token) + + def processCharacters(self, token): + return self.parser.phases["inTable"].processCharacters(token) + + def startTagTableCell(self, token): + self.clearStackToTableRowContext() + self.tree.insertElement(token) + self.parser.phase = self.parser.phases["inCell"] + self.tree.activeFormattingElements.append(Marker) + + def startTagTableOther(self, token): + ignoreEndTag = self.ignoreEndTagTr() + self.endTagTr(impliedTagToken("tr")) + # XXX how are we sure it's always ignored in the innerHTML case? + if not ignoreEndTag: + return token + + def startTagOther(self, token): + return self.parser.phases["inTable"].processStartTag(token) + + def endTagTr(self, token): + if not self.ignoreEndTagTr(): + self.clearStackToTableRowContext() + self.tree.openElements.pop() + self.parser.phase = self.parser.phases["inTableBody"] + else: + # innerHTML case + assert self.parser.innerHTML + self.parser.parseError() + + def endTagTable(self, token): + ignoreEndTag = self.ignoreEndTagTr() + self.endTagTr(impliedTagToken("tr")) + # Reprocess the current tag if the tr end tag was not ignored + # XXX how are we sure it's always ignored in the innerHTML case? + if not ignoreEndTag: + return token + + def endTagTableRowGroup(self, token): + if self.tree.elementInScope(token["name"], variant="table"): + self.endTagTr(impliedTagToken("tr")) + return token + else: + self.parser.parseError() + + def endTagIgnore(self, token): + self.parser.parseError("unexpected-end-tag-in-table-row", + {"name": token["name"]}) + + def endTagOther(self, token): + return self.parser.phases["inTable"].processEndTag(token) + + class InCellPhase(Phase): + # http://www.whatwg.org/specs/web-apps/current-work/#in-cell + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + (("caption", "col", "colgroup", "tbody", "td", "tfoot", "th", + "thead", "tr"), self.startTagTableOther) + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([ + (("td", "th"), self.endTagTableCell), + (("body", "caption", "col", "colgroup", "html"), self.endTagIgnore), + (("table", "tbody", "tfoot", "thead", "tr"), self.endTagImply) + ]) + self.endTagHandler.default = self.endTagOther + + # helper + def closeCell(self): + if self.tree.elementInScope("td", variant="table"): + self.endTagTableCell(impliedTagToken("td")) + elif self.tree.elementInScope("th", variant="table"): + self.endTagTableCell(impliedTagToken("th")) + + # the rest + def processEOF(self): + self.parser.phases["inBody"].processEOF() + + def processCharacters(self, token): + return self.parser.phases["inBody"].processCharacters(token) + + def startTagTableOther(self, token): + if (self.tree.elementInScope("td", variant="table") or + self.tree.elementInScope("th", variant="table")): + self.closeCell() + return token + else: + # innerHTML case + assert self.parser.innerHTML + self.parser.parseError() + + def startTagOther(self, token): + return self.parser.phases["inBody"].processStartTag(token) + + def endTagTableCell(self, token): + if self.tree.elementInScope(token["name"], variant="table"): + self.tree.generateImpliedEndTags(token["name"]) + if self.tree.openElements[-1].name != token["name"]: + self.parser.parseError("unexpected-cell-end-tag", + {"name": token["name"]}) + while True: + node = self.tree.openElements.pop() + if node.name == token["name"]: + break + else: + self.tree.openElements.pop() + self.tree.clearActiveFormattingElements() + self.parser.phase = self.parser.phases["inRow"] + else: + self.parser.parseError("unexpected-end-tag", {"name": token["name"]}) + + def endTagIgnore(self, token): + self.parser.parseError("unexpected-end-tag", {"name": token["name"]}) + + def endTagImply(self, token): + if self.tree.elementInScope(token["name"], variant="table"): + self.closeCell() + return token + else: + # sometimes innerHTML case + self.parser.parseError() + + def endTagOther(self, token): + return self.parser.phases["inBody"].processEndTag(token) + + class InSelectPhase(Phase): + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + ("option", self.startTagOption), + ("optgroup", self.startTagOptgroup), + ("select", self.startTagSelect), + (("input", "keygen", "textarea"), self.startTagInput), + ("script", self.startTagScript) + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([ + ("option", self.endTagOption), + ("optgroup", self.endTagOptgroup), + ("select", self.endTagSelect) + ]) + self.endTagHandler.default = self.endTagOther + + # http://www.whatwg.org/specs/web-apps/current-work/#in-select + def processEOF(self): + if self.tree.openElements[-1].name != "html": + self.parser.parseError("eof-in-select") + else: + assert self.parser.innerHTML + + def processCharacters(self, token): + if token["data"] == "\u0000": + return + self.tree.insertText(token["data"]) + + def startTagOption(self, token): + # We need to imply </option> if <option> is the current node. + if self.tree.openElements[-1].name == "option": + self.tree.openElements.pop() + self.tree.insertElement(token) + + def startTagOptgroup(self, token): + if self.tree.openElements[-1].name == "option": + self.tree.openElements.pop() + if self.tree.openElements[-1].name == "optgroup": + self.tree.openElements.pop() + self.tree.insertElement(token) + + def startTagSelect(self, token): + self.parser.parseError("unexpected-select-in-select") + self.endTagSelect(impliedTagToken("select")) + + def startTagInput(self, token): + self.parser.parseError("unexpected-input-in-select") + if self.tree.elementInScope("select", variant="select"): + self.endTagSelect(impliedTagToken("select")) + return token + else: + assert self.parser.innerHTML + + def startTagScript(self, token): + return self.parser.phases["inHead"].processStartTag(token) + + def startTagOther(self, token): + self.parser.parseError("unexpected-start-tag-in-select", + {"name": token["name"]}) + + def endTagOption(self, token): + if self.tree.openElements[-1].name == "option": + self.tree.openElements.pop() + else: + self.parser.parseError("unexpected-end-tag-in-select", + {"name": "option"}) + + def endTagOptgroup(self, token): + # </optgroup> implicitly closes <option> + if (self.tree.openElements[-1].name == "option" and + self.tree.openElements[-2].name == "optgroup"): + self.tree.openElements.pop() + # It also closes </optgroup> + if self.tree.openElements[-1].name == "optgroup": + self.tree.openElements.pop() + # But nothing else + else: + self.parser.parseError("unexpected-end-tag-in-select", + {"name": "optgroup"}) + + def endTagSelect(self, token): + if self.tree.elementInScope("select", variant="select"): + node = self.tree.openElements.pop() + while node.name != "select": + node = self.tree.openElements.pop() + self.parser.resetInsertionMode() + else: + # innerHTML case + assert self.parser.innerHTML + self.parser.parseError() + + def endTagOther(self, token): + self.parser.parseError("unexpected-end-tag-in-select", + {"name": token["name"]}) + + class InSelectInTablePhase(Phase): + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + self.startTagHandler = _utils.MethodDispatcher([ + (("caption", "table", "tbody", "tfoot", "thead", "tr", "td", "th"), + self.startTagTable) + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([ + (("caption", "table", "tbody", "tfoot", "thead", "tr", "td", "th"), + self.endTagTable) + ]) + self.endTagHandler.default = self.endTagOther + + def processEOF(self): + self.parser.phases["inSelect"].processEOF() + + def processCharacters(self, token): + return self.parser.phases["inSelect"].processCharacters(token) + + def startTagTable(self, token): + self.parser.parseError("unexpected-table-element-start-tag-in-select-in-table", {"name": token["name"]}) + self.endTagOther(impliedTagToken("select")) + return token + + def startTagOther(self, token): + return self.parser.phases["inSelect"].processStartTag(token) + + def endTagTable(self, token): + self.parser.parseError("unexpected-table-element-end-tag-in-select-in-table", {"name": token["name"]}) + if self.tree.elementInScope(token["name"], variant="table"): + self.endTagOther(impliedTagToken("select")) + return token + + def endTagOther(self, token): + return self.parser.phases["inSelect"].processEndTag(token) + + class InForeignContentPhase(Phase): + breakoutElements = frozenset(["b", "big", "blockquote", "body", "br", + "center", "code", "dd", "div", "dl", "dt", + "em", "embed", "h1", "h2", "h3", + "h4", "h5", "h6", "head", "hr", "i", "img", + "li", "listing", "menu", "meta", "nobr", + "ol", "p", "pre", "ruby", "s", "small", + "span", "strong", "strike", "sub", "sup", + "table", "tt", "u", "ul", "var"]) + + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + def adjustSVGTagNames(self, token): + replacements = {"altglyph": "altGlyph", + "altglyphdef": "altGlyphDef", + "altglyphitem": "altGlyphItem", + "animatecolor": "animateColor", + "animatemotion": "animateMotion", + "animatetransform": "animateTransform", + "clippath": "clipPath", + "feblend": "feBlend", + "fecolormatrix": "feColorMatrix", + "fecomponenttransfer": "feComponentTransfer", + "fecomposite": "feComposite", + "feconvolvematrix": "feConvolveMatrix", + "fediffuselighting": "feDiffuseLighting", + "fedisplacementmap": "feDisplacementMap", + "fedistantlight": "feDistantLight", + "feflood": "feFlood", + "fefunca": "feFuncA", + "fefuncb": "feFuncB", + "fefuncg": "feFuncG", + "fefuncr": "feFuncR", + "fegaussianblur": "feGaussianBlur", + "feimage": "feImage", + "femerge": "feMerge", + "femergenode": "feMergeNode", + "femorphology": "feMorphology", + "feoffset": "feOffset", + "fepointlight": "fePointLight", + "fespecularlighting": "feSpecularLighting", + "fespotlight": "feSpotLight", + "fetile": "feTile", + "feturbulence": "feTurbulence", + "foreignobject": "foreignObject", + "glyphref": "glyphRef", + "lineargradient": "linearGradient", + "radialgradient": "radialGradient", + "textpath": "textPath"} + + if token["name"] in replacements: + token["name"] = replacements[token["name"]] + + def processCharacters(self, token): + if token["data"] == "\u0000": + token["data"] = "\uFFFD" + elif (self.parser.framesetOK and + any(char not in spaceCharacters for char in token["data"])): + self.parser.framesetOK = False + Phase.processCharacters(self, token) + + def processStartTag(self, token): + currentNode = self.tree.openElements[-1] + if (token["name"] in self.breakoutElements or + (token["name"] == "font" and + set(token["data"].keys()) & set(["color", "face", "size"]))): + self.parser.parseError("unexpected-html-element-in-foreign-content", + {"name": token["name"]}) + while (self.tree.openElements[-1].namespace != + self.tree.defaultNamespace and + not self.parser.isHTMLIntegrationPoint(self.tree.openElements[-1]) and + not self.parser.isMathMLTextIntegrationPoint(self.tree.openElements[-1])): + self.tree.openElements.pop() + return token + + else: + if currentNode.namespace == namespaces["mathml"]: + self.parser.adjustMathMLAttributes(token) + elif currentNode.namespace == namespaces["svg"]: + self.adjustSVGTagNames(token) + self.parser.adjustSVGAttributes(token) + self.parser.adjustForeignAttributes(token) + token["namespace"] = currentNode.namespace + self.tree.insertElement(token) + if token["selfClosing"]: + self.tree.openElements.pop() + token["selfClosingAcknowledged"] = True + + def processEndTag(self, token): + nodeIndex = len(self.tree.openElements) - 1 + node = self.tree.openElements[-1] + if node.name.translate(asciiUpper2Lower) != token["name"]: + self.parser.parseError("unexpected-end-tag", {"name": token["name"]}) + + while True: + if node.name.translate(asciiUpper2Lower) == token["name"]: + # XXX this isn't in the spec but it seems necessary + if self.parser.phase == self.parser.phases["inTableText"]: + self.parser.phase.flushCharacters() + self.parser.phase = self.parser.phase.originalPhase + while self.tree.openElements.pop() != node: + assert self.tree.openElements + new_token = None + break + nodeIndex -= 1 + + node = self.tree.openElements[nodeIndex] + if node.namespace != self.tree.defaultNamespace: + continue + else: + new_token = self.parser.phase.processEndTag(token) + break + return new_token + + class AfterBodyPhase(Phase): + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml) + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([("html", self.endTagHtml)]) + self.endTagHandler.default = self.endTagOther + + def processEOF(self): + # Stop parsing + pass + + def processComment(self, token): + # This is needed because data is to be appended to the <html> element + # here and not to whatever is currently open. + self.tree.insertComment(token, self.tree.openElements[0]) + + def processCharacters(self, token): + self.parser.parseError("unexpected-char-after-body") + self.parser.phase = self.parser.phases["inBody"] + return token + + def startTagHtml(self, token): + return self.parser.phases["inBody"].processStartTag(token) + + def startTagOther(self, token): + self.parser.parseError("unexpected-start-tag-after-body", + {"name": token["name"]}) + self.parser.phase = self.parser.phases["inBody"] + return token + + def endTagHtml(self, name): + if self.parser.innerHTML: + self.parser.parseError("unexpected-end-tag-after-body-innerhtml") + else: + self.parser.phase = self.parser.phases["afterAfterBody"] + + def endTagOther(self, token): + self.parser.parseError("unexpected-end-tag-after-body", + {"name": token["name"]}) + self.parser.phase = self.parser.phases["inBody"] + return token + + class InFramesetPhase(Phase): + # http://www.whatwg.org/specs/web-apps/current-work/#in-frameset + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + ("frameset", self.startTagFrameset), + ("frame", self.startTagFrame), + ("noframes", self.startTagNoframes) + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([ + ("frameset", self.endTagFrameset) + ]) + self.endTagHandler.default = self.endTagOther + + def processEOF(self): + if self.tree.openElements[-1].name != "html": + self.parser.parseError("eof-in-frameset") + else: + assert self.parser.innerHTML + + def processCharacters(self, token): + self.parser.parseError("unexpected-char-in-frameset") + + def startTagFrameset(self, token): + self.tree.insertElement(token) + + def startTagFrame(self, token): + self.tree.insertElement(token) + self.tree.openElements.pop() + + def startTagNoframes(self, token): + return self.parser.phases["inBody"].processStartTag(token) + + def startTagOther(self, token): + self.parser.parseError("unexpected-start-tag-in-frameset", + {"name": token["name"]}) + + def endTagFrameset(self, token): + if self.tree.openElements[-1].name == "html": + # innerHTML case + self.parser.parseError("unexpected-frameset-in-frameset-innerhtml") + else: + self.tree.openElements.pop() + if (not self.parser.innerHTML and + self.tree.openElements[-1].name != "frameset"): + # If we're not in innerHTML mode and the current node is not a + # "frameset" element (anymore) then switch. + self.parser.phase = self.parser.phases["afterFrameset"] + + def endTagOther(self, token): + self.parser.parseError("unexpected-end-tag-in-frameset", + {"name": token["name"]}) + + class AfterFramesetPhase(Phase): + # http://www.whatwg.org/specs/web-apps/current-work/#after3 + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + ("noframes", self.startTagNoframes) + ]) + self.startTagHandler.default = self.startTagOther + + self.endTagHandler = _utils.MethodDispatcher([ + ("html", self.endTagHtml) + ]) + self.endTagHandler.default = self.endTagOther + + def processEOF(self): + # Stop parsing + pass + + def processCharacters(self, token): + self.parser.parseError("unexpected-char-after-frameset") + + def startTagNoframes(self, token): + return self.parser.phases["inHead"].processStartTag(token) + + def startTagOther(self, token): + self.parser.parseError("unexpected-start-tag-after-frameset", + {"name": token["name"]}) + + def endTagHtml(self, token): + self.parser.phase = self.parser.phases["afterAfterFrameset"] + + def endTagOther(self, token): + self.parser.parseError("unexpected-end-tag-after-frameset", + {"name": token["name"]}) + + class AfterAfterBodyPhase(Phase): + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml) + ]) + self.startTagHandler.default = self.startTagOther + + def processEOF(self): + pass + + def processComment(self, token): + self.tree.insertComment(token, self.tree.document) + + def processSpaceCharacters(self, token): + return self.parser.phases["inBody"].processSpaceCharacters(token) + + def processCharacters(self, token): + self.parser.parseError("expected-eof-but-got-char") + self.parser.phase = self.parser.phases["inBody"] + return token + + def startTagHtml(self, token): + return self.parser.phases["inBody"].processStartTag(token) + + def startTagOther(self, token): + self.parser.parseError("expected-eof-but-got-start-tag", + {"name": token["name"]}) + self.parser.phase = self.parser.phases["inBody"] + return token + + def processEndTag(self, token): + self.parser.parseError("expected-eof-but-got-end-tag", + {"name": token["name"]}) + self.parser.phase = self.parser.phases["inBody"] + return token + + class AfterAfterFramesetPhase(Phase): + def __init__(self, parser, tree): + Phase.__init__(self, parser, tree) + + self.startTagHandler = _utils.MethodDispatcher([ + ("html", self.startTagHtml), + ("noframes", self.startTagNoFrames) + ]) + self.startTagHandler.default = self.startTagOther + + def processEOF(self): + pass + + def processComment(self, token): + self.tree.insertComment(token, self.tree.document) + + def processSpaceCharacters(self, token): + return self.parser.phases["inBody"].processSpaceCharacters(token) + + def processCharacters(self, token): + self.parser.parseError("expected-eof-but-got-char") + + def startTagHtml(self, token): + return self.parser.phases["inBody"].processStartTag(token) + + def startTagNoFrames(self, token): + return self.parser.phases["inHead"].processStartTag(token) + + def startTagOther(self, token): + self.parser.parseError("expected-eof-but-got-start-tag", + {"name": token["name"]}) + + def processEndTag(self, token): + self.parser.parseError("expected-eof-but-got-end-tag", + {"name": token["name"]}) + # pylint:enable=unused-argument + + return { + "initial": InitialPhase, + "beforeHtml": BeforeHtmlPhase, + "beforeHead": BeforeHeadPhase, + "inHead": InHeadPhase, + "inHeadNoscript": InHeadNoscriptPhase, + "afterHead": AfterHeadPhase, + "inBody": InBodyPhase, + "text": TextPhase, + "inTable": InTablePhase, + "inTableText": InTableTextPhase, + "inCaption": InCaptionPhase, + "inColumnGroup": InColumnGroupPhase, + "inTableBody": InTableBodyPhase, + "inRow": InRowPhase, + "inCell": InCellPhase, + "inSelect": InSelectPhase, + "inSelectInTable": InSelectInTablePhase, + "inForeignContent": InForeignContentPhase, + "afterBody": AfterBodyPhase, + "inFrameset": InFramesetPhase, + "afterFrameset": AfterFramesetPhase, + "afterAfterBody": AfterAfterBodyPhase, + "afterAfterFrameset": AfterAfterFramesetPhase, + # XXX after after frameset + } + + +def adjust_attributes(token, replacements): + needs_adjustment = viewkeys(token['data']) & viewkeys(replacements) + if needs_adjustment: + token['data'] = OrderedDict((replacements.get(k, k), v) + for k, v in token['data'].items()) + + +def impliedTagToken(name, type="EndTag", attributes=None, + selfClosing=False): + if attributes is None: + attributes = {} + return {"type": tokenTypes[type], "name": name, "data": attributes, + "selfClosing": selfClosing} + + +class ParseError(Exception): + """Error in parsed document""" + pass diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/serializer.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/serializer.py new file mode 100644 index 0000000..53f4d44 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/serializer.py @@ -0,0 +1,409 @@ +from __future__ import absolute_import, division, unicode_literals +from pip._vendor.six import text_type + +import re + +from codecs import register_error, xmlcharrefreplace_errors + +from .constants import voidElements, booleanAttributes, spaceCharacters +from .constants import rcdataElements, entities, xmlEntities +from . import treewalkers, _utils +from xml.sax.saxutils import escape + +_quoteAttributeSpecChars = "".join(spaceCharacters) + "\"'=<>`" +_quoteAttributeSpec = re.compile("[" + _quoteAttributeSpecChars + "]") +_quoteAttributeLegacy = re.compile("[" + _quoteAttributeSpecChars + + "\x00\x01\x02\x03\x04\x05\x06\x07\x08\t\n" + "\x0b\x0c\r\x0e\x0f\x10\x11\x12\x13\x14\x15" + "\x16\x17\x18\x19\x1a\x1b\x1c\x1d\x1e\x1f" + "\x20\x2f\x60\xa0\u1680\u180e\u180f\u2000" + "\u2001\u2002\u2003\u2004\u2005\u2006\u2007" + "\u2008\u2009\u200a\u2028\u2029\u202f\u205f" + "\u3000]") + + +_encode_entity_map = {} +_is_ucs4 = len("\U0010FFFF") == 1 +for k, v in list(entities.items()): + # skip multi-character entities + if ((_is_ucs4 and len(v) > 1) or + (not _is_ucs4 and len(v) > 2)): + continue + if v != "&": + if len(v) == 2: + v = _utils.surrogatePairToCodepoint(v) + else: + v = ord(v) + if v not in _encode_entity_map or k.islower(): + # prefer < over < and similarly for &, >, etc. + _encode_entity_map[v] = k + + +def htmlentityreplace_errors(exc): + if isinstance(exc, (UnicodeEncodeError, UnicodeTranslateError)): + res = [] + codepoints = [] + skip = False + for i, c in enumerate(exc.object[exc.start:exc.end]): + if skip: + skip = False + continue + index = i + exc.start + if _utils.isSurrogatePair(exc.object[index:min([exc.end, index + 2])]): + codepoint = _utils.surrogatePairToCodepoint(exc.object[index:index + 2]) + skip = True + else: + codepoint = ord(c) + codepoints.append(codepoint) + for cp in codepoints: + e = _encode_entity_map.get(cp) + if e: + res.append("&") + res.append(e) + if not e.endswith(";"): + res.append(";") + else: + res.append("&#x%s;" % (hex(cp)[2:])) + return ("".join(res), exc.end) + else: + return xmlcharrefreplace_errors(exc) + + +register_error("htmlentityreplace", htmlentityreplace_errors) + + +def serialize(input, tree="etree", encoding=None, **serializer_opts): + """Serializes the input token stream using the specified treewalker + + :arg input: the token stream to serialize + + :arg tree: the treewalker to use + + :arg encoding: the encoding to use + + :arg serializer_opts: any options to pass to the + :py:class:`html5lib.serializer.HTMLSerializer` that gets created + + :returns: the tree serialized as a string + + Example: + + >>> from html5lib.html5parser import parse + >>> from html5lib.serializer import serialize + >>> token_stream = parse('<html><body><p>Hi!</p></body></html>') + >>> serialize(token_stream, omit_optional_tags=False) + '<html><head></head><body><p>Hi!</p></body></html>' + + """ + # XXX: Should we cache this? + walker = treewalkers.getTreeWalker(tree) + s = HTMLSerializer(**serializer_opts) + return s.render(walker(input), encoding) + + +class HTMLSerializer(object): + + # attribute quoting options + quote_attr_values = "legacy" # be secure by default + quote_char = '"' + use_best_quote_char = True + + # tag syntax options + omit_optional_tags = True + minimize_boolean_attributes = True + use_trailing_solidus = False + space_before_trailing_solidus = True + + # escaping options + escape_lt_in_attrs = False + escape_rcdata = False + resolve_entities = True + + # miscellaneous options + alphabetical_attributes = False + inject_meta_charset = True + strip_whitespace = False + sanitize = False + + options = ("quote_attr_values", "quote_char", "use_best_quote_char", + "omit_optional_tags", "minimize_boolean_attributes", + "use_trailing_solidus", "space_before_trailing_solidus", + "escape_lt_in_attrs", "escape_rcdata", "resolve_entities", + "alphabetical_attributes", "inject_meta_charset", + "strip_whitespace", "sanitize") + + def __init__(self, **kwargs): + """Initialize HTMLSerializer + + :arg inject_meta_charset: Whether or not to inject the meta charset. + + Defaults to ``True``. + + :arg quote_attr_values: Whether to quote attribute values that don't + require quoting per legacy browser behavior (``"legacy"``), when + required by the standard (``"spec"``), or always (``"always"``). + + Defaults to ``"legacy"``. + + :arg quote_char: Use given quote character for attribute quoting. + + Defaults to ``"`` which will use double quotes unless attribute + value contains a double quote, in which case single quotes are + used. + + :arg escape_lt_in_attrs: Whether or not to escape ``<`` in attribute + values. + + Defaults to ``False``. + + :arg escape_rcdata: Whether to escape characters that need to be + escaped within normal elements within rcdata elements such as + style. + + Defaults to ``False``. + + :arg resolve_entities: Whether to resolve named character entities that + appear in the source tree. The XML predefined entities < > + & " ' are unaffected by this setting. + + Defaults to ``True``. + + :arg strip_whitespace: Whether to remove semantically meaningless + whitespace. (This compresses all whitespace to a single space + except within ``pre``.) + + Defaults to ``False``. + + :arg minimize_boolean_attributes: Shortens boolean attributes to give + just the attribute value, for example:: + + <input disabled="disabled"> + + becomes:: + + <input disabled> + + Defaults to ``True``. + + :arg use_trailing_solidus: Includes a close-tag slash at the end of the + start tag of void elements (empty elements whose end tag is + forbidden). E.g. ``<hr/>``. + + Defaults to ``False``. + + :arg space_before_trailing_solidus: Places a space immediately before + the closing slash in a tag using a trailing solidus. E.g. + ``<hr />``. Requires ``use_trailing_solidus=True``. + + Defaults to ``True``. + + :arg sanitize: Strip all unsafe or unknown constructs from output. + See :py:class:`html5lib.filters.sanitizer.Filter`. + + Defaults to ``False``. + + :arg omit_optional_tags: Omit start/end tags that are optional. + + Defaults to ``True``. + + :arg alphabetical_attributes: Reorder attributes to be in alphabetical order. + + Defaults to ``False``. + + """ + unexpected_args = frozenset(kwargs) - frozenset(self.options) + if len(unexpected_args) > 0: + raise TypeError("__init__() got an unexpected keyword argument '%s'" % next(iter(unexpected_args))) + if 'quote_char' in kwargs: + self.use_best_quote_char = False + for attr in self.options: + setattr(self, attr, kwargs.get(attr, getattr(self, attr))) + self.errors = [] + self.strict = False + + def encode(self, string): + assert(isinstance(string, text_type)) + if self.encoding: + return string.encode(self.encoding, "htmlentityreplace") + else: + return string + + def encodeStrict(self, string): + assert(isinstance(string, text_type)) + if self.encoding: + return string.encode(self.encoding, "strict") + else: + return string + + def serialize(self, treewalker, encoding=None): + # pylint:disable=too-many-nested-blocks + self.encoding = encoding + in_cdata = False + self.errors = [] + + if encoding and self.inject_meta_charset: + from .filters.inject_meta_charset import Filter + treewalker = Filter(treewalker, encoding) + # Alphabetical attributes is here under the assumption that none of + # the later filters add or change order of attributes; it needs to be + # before the sanitizer so escaped elements come out correctly + if self.alphabetical_attributes: + from .filters.alphabeticalattributes import Filter + treewalker = Filter(treewalker) + # WhitespaceFilter should be used before OptionalTagFilter + # for maximum efficiently of this latter filter + if self.strip_whitespace: + from .filters.whitespace import Filter + treewalker = Filter(treewalker) + if self.sanitize: + from .filters.sanitizer import Filter + treewalker = Filter(treewalker) + if self.omit_optional_tags: + from .filters.optionaltags import Filter + treewalker = Filter(treewalker) + + for token in treewalker: + type = token["type"] + if type == "Doctype": + doctype = "<!DOCTYPE %s" % token["name"] + + if token["publicId"]: + doctype += ' PUBLIC "%s"' % token["publicId"] + elif token["systemId"]: + doctype += " SYSTEM" + if token["systemId"]: + if token["systemId"].find('"') >= 0: + if token["systemId"].find("'") >= 0: + self.serializeError("System identifer contains both single and double quote characters") + quote_char = "'" + else: + quote_char = '"' + doctype += " %s%s%s" % (quote_char, token["systemId"], quote_char) + + doctype += ">" + yield self.encodeStrict(doctype) + + elif type in ("Characters", "SpaceCharacters"): + if type == "SpaceCharacters" or in_cdata: + if in_cdata and token["data"].find("</") >= 0: + self.serializeError("Unexpected </ in CDATA") + yield self.encode(token["data"]) + else: + yield self.encode(escape(token["data"])) + + elif type in ("StartTag", "EmptyTag"): + name = token["name"] + yield self.encodeStrict("<%s" % name) + if name in rcdataElements and not self.escape_rcdata: + in_cdata = True + elif in_cdata: + self.serializeError("Unexpected child element of a CDATA element") + for (_, attr_name), attr_value in token["data"].items(): + # TODO: Add namespace support here + k = attr_name + v = attr_value + yield self.encodeStrict(' ') + + yield self.encodeStrict(k) + if not self.minimize_boolean_attributes or \ + (k not in booleanAttributes.get(name, tuple()) and + k not in booleanAttributes.get("", tuple())): + yield self.encodeStrict("=") + if self.quote_attr_values == "always" or len(v) == 0: + quote_attr = True + elif self.quote_attr_values == "spec": + quote_attr = _quoteAttributeSpec.search(v) is not None + elif self.quote_attr_values == "legacy": + quote_attr = _quoteAttributeLegacy.search(v) is not None + else: + raise ValueError("quote_attr_values must be one of: " + "'always', 'spec', or 'legacy'") + v = v.replace("&", "&") + if self.escape_lt_in_attrs: + v = v.replace("<", "<") + if quote_attr: + quote_char = self.quote_char + if self.use_best_quote_char: + if "'" in v and '"' not in v: + quote_char = '"' + elif '"' in v and "'" not in v: + quote_char = "'" + if quote_char == "'": + v = v.replace("'", "'") + else: + v = v.replace('"', """) + yield self.encodeStrict(quote_char) + yield self.encode(v) + yield self.encodeStrict(quote_char) + else: + yield self.encode(v) + if name in voidElements and self.use_trailing_solidus: + if self.space_before_trailing_solidus: + yield self.encodeStrict(" /") + else: + yield self.encodeStrict("/") + yield self.encode(">") + + elif type == "EndTag": + name = token["name"] + if name in rcdataElements: + in_cdata = False + elif in_cdata: + self.serializeError("Unexpected child element of a CDATA element") + yield self.encodeStrict("</%s>" % name) + + elif type == "Comment": + data = token["data"] + if data.find("--") >= 0: + self.serializeError("Comment contains --") + yield self.encodeStrict("<!--%s-->" % token["data"]) + + elif type == "Entity": + name = token["name"] + key = name + ";" + if key not in entities: + self.serializeError("Entity %s not recognized" % name) + if self.resolve_entities and key not in xmlEntities: + data = entities[key] + else: + data = "&%s;" % name + yield self.encodeStrict(data) + + else: + self.serializeError(token["data"]) + + def render(self, treewalker, encoding=None): + """Serializes the stream from the treewalker into a string + + :arg treewalker: the treewalker to serialize + + :arg encoding: the string encoding to use + + :returns: the serialized tree + + Example: + + >>> from html5lib import parse, getTreeWalker + >>> from html5lib.serializer import HTMLSerializer + >>> token_stream = parse('<html><body>Hi!</body></html>') + >>> walker = getTreeWalker('etree') + >>> serializer = HTMLSerializer(omit_optional_tags=False) + >>> serializer.render(walker(token_stream)) + '<html><head></head><body>Hi!</body></html>' + + """ + if encoding: + return b"".join(list(self.serialize(treewalker, encoding))) + else: + return "".join(list(self.serialize(treewalker))) + + def serializeError(self, data="XXX ERROR MESSAGE NEEDED"): + # XXX The idea is to make data mandatory. + self.errors.append(data) + if self.strict: + raise SerializeError + + +class SerializeError(Exception): + """Error in serialized tree""" + pass diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/__init__.py new file mode 100644 index 0000000..7ef5959 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/__init__.py @@ -0,0 +1,30 @@ +"""Tree adapters let you convert from one tree structure to another + +Example: + +.. code-block:: python + + from pip._vendor import html5lib + from pip._vendor.html5lib.treeadapters import genshi + + doc = '<html><body>Hi!</body></html>' + treebuilder = html5lib.getTreeBuilder('etree') + parser = html5lib.HTMLParser(tree=treebuilder) + tree = parser.parse(doc) + TreeWalker = html5lib.getTreeWalker('etree') + + genshi_tree = genshi.to_genshi(TreeWalker(tree)) + +""" +from __future__ import absolute_import, division, unicode_literals + +from . import sax + +__all__ = ["sax"] + +try: + from . import genshi # noqa +except ImportError: + pass +else: + __all__.append("genshi") diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/genshi.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/genshi.py new file mode 100644 index 0000000..61d5fb6 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/genshi.py @@ -0,0 +1,54 @@ +from __future__ import absolute_import, division, unicode_literals + +from genshi.core import QName, Attrs +from genshi.core import START, END, TEXT, COMMENT, DOCTYPE + + +def to_genshi(walker): + """Convert a tree to a genshi tree + + :arg walker: the treewalker to use to walk the tree to convert it + + :returns: generator of genshi nodes + + """ + text = [] + for token in walker: + type = token["type"] + if type in ("Characters", "SpaceCharacters"): + text.append(token["data"]) + elif text: + yield TEXT, "".join(text), (None, -1, -1) + text = [] + + if type in ("StartTag", "EmptyTag"): + if token["namespace"]: + name = "{%s}%s" % (token["namespace"], token["name"]) + else: + name = token["name"] + attrs = Attrs([(QName("{%s}%s" % attr if attr[0] is not None else attr[1]), value) + for attr, value in token["data"].items()]) + yield (START, (QName(name), attrs), (None, -1, -1)) + if type == "EmptyTag": + type = "EndTag" + + if type == "EndTag": + if token["namespace"]: + name = "{%s}%s" % (token["namespace"], token["name"]) + else: + name = token["name"] + + yield END, QName(name), (None, -1, -1) + + elif type == "Comment": + yield COMMENT, token["data"], (None, -1, -1) + + elif type == "Doctype": + yield DOCTYPE, (token["name"], token["publicId"], + token["systemId"]), (None, -1, -1) + + else: + pass # FIXME: What to do? + + if text: + yield TEXT, "".join(text), (None, -1, -1) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/sax.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/sax.py new file mode 100644 index 0000000..f4ccea5 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/sax.py @@ -0,0 +1,50 @@ +from __future__ import absolute_import, division, unicode_literals + +from xml.sax.xmlreader import AttributesNSImpl + +from ..constants import adjustForeignAttributes, unadjustForeignAttributes + +prefix_mapping = {} +for prefix, localName, namespace in adjustForeignAttributes.values(): + if prefix is not None: + prefix_mapping[prefix] = namespace + + +def to_sax(walker, handler): + """Call SAX-like content handler based on treewalker walker + + :arg walker: the treewalker to use to walk the tree to convert it + + :arg handler: SAX handler to use + + """ + handler.startDocument() + for prefix, namespace in prefix_mapping.items(): + handler.startPrefixMapping(prefix, namespace) + + for token in walker: + type = token["type"] + if type == "Doctype": + continue + elif type in ("StartTag", "EmptyTag"): + attrs = AttributesNSImpl(token["data"], + unadjustForeignAttributes) + handler.startElementNS((token["namespace"], token["name"]), + token["name"], + attrs) + if type == "EmptyTag": + handler.endElementNS((token["namespace"], token["name"]), + token["name"]) + elif type == "EndTag": + handler.endElementNS((token["namespace"], token["name"]), + token["name"]) + elif type in ("Characters", "SpaceCharacters"): + handler.characters(token["data"]) + elif type == "Comment": + pass + else: + assert False, "Unknown token type" + + for prefix, namespace in prefix_mapping.items(): + handler.endPrefixMapping(prefix) + handler.endDocument() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/__init__.py new file mode 100644 index 0000000..d44447e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/__init__.py @@ -0,0 +1,88 @@ +"""A collection of modules for building different kinds of trees from HTML +documents. + +To create a treebuilder for a new type of tree, you need to do +implement several things: + +1. A set of classes for various types of elements: Document, Doctype, Comment, + Element. These must implement the interface of ``base.treebuilders.Node`` + (although comment nodes have a different signature for their constructor, + see ``treebuilders.etree.Comment``) Textual content may also be implemented + as another node type, or not, as your tree implementation requires. + +2. A treebuilder object (called ``TreeBuilder`` by convention) that inherits + from ``treebuilders.base.TreeBuilder``. This has 4 required attributes: + + * ``documentClass`` - the class to use for the bottommost node of a document + * ``elementClass`` - the class to use for HTML Elements + * ``commentClass`` - the class to use for comments + * ``doctypeClass`` - the class to use for doctypes + + It also has one required method: + + * ``getDocument`` - Returns the root node of the complete document tree + +3. If you wish to run the unit tests, you must also create a ``testSerializer`` + method on your treebuilder which accepts a node and returns a string + containing Node and its children serialized according to the format used in + the unittests + +""" + +from __future__ import absolute_import, division, unicode_literals + +from .._utils import default_etree + +treeBuilderCache = {} + + +def getTreeBuilder(treeType, implementation=None, **kwargs): + """Get a TreeBuilder class for various types of trees with built-in support + + :arg treeType: the name of the tree type required (case-insensitive). Supported + values are: + + * "dom" - A generic builder for DOM implementations, defaulting to a + xml.dom.minidom based implementation. + * "etree" - A generic builder for tree implementations exposing an + ElementTree-like interface, defaulting to xml.etree.cElementTree if + available and xml.etree.ElementTree if not. + * "lxml" - A etree-based builder for lxml.etree, handling limitations + of lxml's implementation. + + :arg implementation: (Currently applies to the "etree" and "dom" tree + types). A module implementing the tree type e.g. xml.etree.ElementTree + or xml.etree.cElementTree. + + :arg kwargs: Any additional options to pass to the TreeBuilder when + creating it. + + Example: + + >>> from html5lib.treebuilders import getTreeBuilder + >>> builder = getTreeBuilder('etree') + + """ + + treeType = treeType.lower() + if treeType not in treeBuilderCache: + if treeType == "dom": + from . import dom + # Come up with a sane default (pref. from the stdlib) + if implementation is None: + from xml.dom import minidom + implementation = minidom + # NEVER cache here, caching is done in the dom submodule + return dom.getDomModule(implementation, **kwargs).TreeBuilder + elif treeType == "lxml": + from . import etree_lxml + treeBuilderCache[treeType] = etree_lxml.TreeBuilder + elif treeType == "etree": + from . import etree + if implementation is None: + implementation = default_etree + # NEVER cache here, caching is done in the etree submodule + return etree.getETreeModule(implementation, **kwargs).TreeBuilder + else: + raise ValueError("""Unrecognised treebuilder "%s" """ % treeType) + return treeBuilderCache.get(treeType) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/base.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/base.py new file mode 100644 index 0000000..73973db --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/base.py @@ -0,0 +1,417 @@ +from __future__ import absolute_import, division, unicode_literals +from pip._vendor.six import text_type + +from ..constants import scopingElements, tableInsertModeElements, namespaces + +# The scope markers are inserted when entering object elements, +# marquees, table cells, and table captions, and are used to prevent formatting +# from "leaking" into tables, object elements, and marquees. +Marker = None + +listElementsMap = { + None: (frozenset(scopingElements), False), + "button": (frozenset(scopingElements | set([(namespaces["html"], "button")])), False), + "list": (frozenset(scopingElements | set([(namespaces["html"], "ol"), + (namespaces["html"], "ul")])), False), + "table": (frozenset([(namespaces["html"], "html"), + (namespaces["html"], "table")]), False), + "select": (frozenset([(namespaces["html"], "optgroup"), + (namespaces["html"], "option")]), True) +} + + +class Node(object): + """Represents an item in the tree""" + def __init__(self, name): + """Creates a Node + + :arg name: The tag name associated with the node + + """ + # The tag name assocaited with the node + self.name = name + # The parent of the current node (or None for the document node) + self.parent = None + # The value of the current node (applies to text nodes and comments) + self.value = None + # A dict holding name -> value pairs for attributes of the node + self.attributes = {} + # A list of child nodes of the current node. This must include all + # elements but not necessarily other node types. + self.childNodes = [] + # A list of miscellaneous flags that can be set on the node. + self._flags = [] + + def __str__(self): + attributesStr = " ".join(["%s=\"%s\"" % (name, value) + for name, value in + self.attributes.items()]) + if attributesStr: + return "<%s %s>" % (self.name, attributesStr) + else: + return "<%s>" % (self.name) + + def __repr__(self): + return "<%s>" % (self.name) + + def appendChild(self, node): + """Insert node as a child of the current node + + :arg node: the node to insert + + """ + raise NotImplementedError + + def insertText(self, data, insertBefore=None): + """Insert data as text in the current node, positioned before the + start of node insertBefore or to the end of the node's text. + + :arg data: the data to insert + + :arg insertBefore: True if you want to insert the text before the node + and False if you want to insert it after the node + + """ + raise NotImplementedError + + def insertBefore(self, node, refNode): + """Insert node as a child of the current node, before refNode in the + list of child nodes. Raises ValueError if refNode is not a child of + the current node + + :arg node: the node to insert + + :arg refNode: the child node to insert the node before + + """ + raise NotImplementedError + + def removeChild(self, node): + """Remove node from the children of the current node + + :arg node: the child node to remove + + """ + raise NotImplementedError + + def reparentChildren(self, newParent): + """Move all the children of the current node to newParent. + This is needed so that trees that don't store text as nodes move the + text in the correct way + + :arg newParent: the node to move all this node's children to + + """ + # XXX - should this method be made more general? + for child in self.childNodes: + newParent.appendChild(child) + self.childNodes = [] + + def cloneNode(self): + """Return a shallow copy of the current node i.e. a node with the same + name and attributes but with no parent or child nodes + """ + raise NotImplementedError + + def hasContent(self): + """Return true if the node has children or text, false otherwise + """ + raise NotImplementedError + + +class ActiveFormattingElements(list): + def append(self, node): + equalCount = 0 + if node != Marker: + for element in self[::-1]: + if element == Marker: + break + if self.nodesEqual(element, node): + equalCount += 1 + if equalCount == 3: + self.remove(element) + break + list.append(self, node) + + def nodesEqual(self, node1, node2): + if not node1.nameTuple == node2.nameTuple: + return False + + if not node1.attributes == node2.attributes: + return False + + return True + + +class TreeBuilder(object): + """Base treebuilder implementation + + * documentClass - the class to use for the bottommost node of a document + * elementClass - the class to use for HTML Elements + * commentClass - the class to use for comments + * doctypeClass - the class to use for doctypes + + """ + # pylint:disable=not-callable + + # Document class + documentClass = None + + # The class to use for creating a node + elementClass = None + + # The class to use for creating comments + commentClass = None + + # The class to use for creating doctypes + doctypeClass = None + + # Fragment class + fragmentClass = None + + def __init__(self, namespaceHTMLElements): + """Create a TreeBuilder + + :arg namespaceHTMLElements: whether or not to namespace HTML elements + + """ + if namespaceHTMLElements: + self.defaultNamespace = "http://www.w3.org/1999/xhtml" + else: + self.defaultNamespace = None + self.reset() + + def reset(self): + self.openElements = [] + self.activeFormattingElements = ActiveFormattingElements() + + # XXX - rename these to headElement, formElement + self.headPointer = None + self.formPointer = None + + self.insertFromTable = False + + self.document = self.documentClass() + + def elementInScope(self, target, variant=None): + + # If we pass a node in we match that. if we pass a string + # match any node with that name + exactNode = hasattr(target, "nameTuple") + if not exactNode: + if isinstance(target, text_type): + target = (namespaces["html"], target) + assert isinstance(target, tuple) + + listElements, invert = listElementsMap[variant] + + for node in reversed(self.openElements): + if exactNode and node == target: + return True + elif not exactNode and node.nameTuple == target: + return True + elif (invert ^ (node.nameTuple in listElements)): + return False + + assert False # We should never reach this point + + def reconstructActiveFormattingElements(self): + # Within this algorithm the order of steps described in the + # specification is not quite the same as the order of steps in the + # code. It should still do the same though. + + # Step 1: stop the algorithm when there's nothing to do. + if not self.activeFormattingElements: + return + + # Step 2 and step 3: we start with the last element. So i is -1. + i = len(self.activeFormattingElements) - 1 + entry = self.activeFormattingElements[i] + if entry == Marker or entry in self.openElements: + return + + # Step 6 + while entry != Marker and entry not in self.openElements: + if i == 0: + # This will be reset to 0 below + i = -1 + break + i -= 1 + # Step 5: let entry be one earlier in the list. + entry = self.activeFormattingElements[i] + + while True: + # Step 7 + i += 1 + + # Step 8 + entry = self.activeFormattingElements[i] + clone = entry.cloneNode() # Mainly to get a new copy of the attributes + + # Step 9 + element = self.insertElement({"type": "StartTag", + "name": clone.name, + "namespace": clone.namespace, + "data": clone.attributes}) + + # Step 10 + self.activeFormattingElements[i] = element + + # Step 11 + if element == self.activeFormattingElements[-1]: + break + + def clearActiveFormattingElements(self): + entry = self.activeFormattingElements.pop() + while self.activeFormattingElements and entry != Marker: + entry = self.activeFormattingElements.pop() + + def elementInActiveFormattingElements(self, name): + """Check if an element exists between the end of the active + formatting elements and the last marker. If it does, return it, else + return false""" + + for item in self.activeFormattingElements[::-1]: + # Check for Marker first because if it's a Marker it doesn't have a + # name attribute. + if item == Marker: + break + elif item.name == name: + return item + return False + + def insertRoot(self, token): + element = self.createElement(token) + self.openElements.append(element) + self.document.appendChild(element) + + def insertDoctype(self, token): + name = token["name"] + publicId = token["publicId"] + systemId = token["systemId"] + + doctype = self.doctypeClass(name, publicId, systemId) + self.document.appendChild(doctype) + + def insertComment(self, token, parent=None): + if parent is None: + parent = self.openElements[-1] + parent.appendChild(self.commentClass(token["data"])) + + def createElement(self, token): + """Create an element but don't insert it anywhere""" + name = token["name"] + namespace = token.get("namespace", self.defaultNamespace) + element = self.elementClass(name, namespace) + element.attributes = token["data"] + return element + + def _getInsertFromTable(self): + return self._insertFromTable + + def _setInsertFromTable(self, value): + """Switch the function used to insert an element from the + normal one to the misnested table one and back again""" + self._insertFromTable = value + if value: + self.insertElement = self.insertElementTable + else: + self.insertElement = self.insertElementNormal + + insertFromTable = property(_getInsertFromTable, _setInsertFromTable) + + def insertElementNormal(self, token): + name = token["name"] + assert isinstance(name, text_type), "Element %s not unicode" % name + namespace = token.get("namespace", self.defaultNamespace) + element = self.elementClass(name, namespace) + element.attributes = token["data"] + self.openElements[-1].appendChild(element) + self.openElements.append(element) + return element + + def insertElementTable(self, token): + """Create an element and insert it into the tree""" + element = self.createElement(token) + if self.openElements[-1].name not in tableInsertModeElements: + return self.insertElementNormal(token) + else: + # We should be in the InTable mode. This means we want to do + # special magic element rearranging + parent, insertBefore = self.getTableMisnestedNodePosition() + if insertBefore is None: + parent.appendChild(element) + else: + parent.insertBefore(element, insertBefore) + self.openElements.append(element) + return element + + def insertText(self, data, parent=None): + """Insert text data.""" + if parent is None: + parent = self.openElements[-1] + + if (not self.insertFromTable or (self.insertFromTable and + self.openElements[-1].name + not in tableInsertModeElements)): + parent.insertText(data) + else: + # We should be in the InTable mode. This means we want to do + # special magic element rearranging + parent, insertBefore = self.getTableMisnestedNodePosition() + parent.insertText(data, insertBefore) + + def getTableMisnestedNodePosition(self): + """Get the foster parent element, and sibling to insert before + (or None) when inserting a misnested table node""" + # The foster parent element is the one which comes before the most + # recently opened table element + # XXX - this is really inelegant + lastTable = None + fosterParent = None + insertBefore = None + for elm in self.openElements[::-1]: + if elm.name == "table": + lastTable = elm + break + if lastTable: + # XXX - we should really check that this parent is actually a + # node here + if lastTable.parent: + fosterParent = lastTable.parent + insertBefore = lastTable + else: + fosterParent = self.openElements[ + self.openElements.index(lastTable) - 1] + else: + fosterParent = self.openElements[0] + return fosterParent, insertBefore + + def generateImpliedEndTags(self, exclude=None): + name = self.openElements[-1].name + # XXX td, th and tr are not actually needed + if (name in frozenset(("dd", "dt", "li", "option", "optgroup", "p", "rp", "rt")) and + name != exclude): + self.openElements.pop() + # XXX This is not entirely what the specification says. We should + # investigate it more closely. + self.generateImpliedEndTags(exclude) + + def getDocument(self): + """Return the final tree""" + return self.document + + def getFragment(self): + """Return the final fragment""" + # assert self.innerHTML + fragment = self.fragmentClass() + self.openElements[0].reparentChildren(fragment) + return fragment + + def testSerializer(self, node): + """Serialize the subtree of node in the format required by unit tests + + :arg node: the node from which to start serializing + + """ + raise NotImplementedError diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/dom.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/dom.py new file mode 100644 index 0000000..dcfac22 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/dom.py @@ -0,0 +1,236 @@ +from __future__ import absolute_import, division, unicode_literals + + +from collections import MutableMapping +from xml.dom import minidom, Node +import weakref + +from . import base +from .. import constants +from ..constants import namespaces +from .._utils import moduleFactoryFactory + + +def getDomBuilder(DomImplementation): + Dom = DomImplementation + + class AttrList(MutableMapping): + def __init__(self, element): + self.element = element + + def __iter__(self): + return iter(self.element.attributes.keys()) + + def __setitem__(self, name, value): + if isinstance(name, tuple): + raise NotImplementedError + else: + attr = self.element.ownerDocument.createAttribute(name) + attr.value = value + self.element.attributes[name] = attr + + def __len__(self): + return len(self.element.attributes) + + def items(self): + return list(self.element.attributes.items()) + + def values(self): + return list(self.element.attributes.values()) + + def __getitem__(self, name): + if isinstance(name, tuple): + raise NotImplementedError + else: + return self.element.attributes[name].value + + def __delitem__(self, name): + if isinstance(name, tuple): + raise NotImplementedError + else: + del self.element.attributes[name] + + class NodeBuilder(base.Node): + def __init__(self, element): + base.Node.__init__(self, element.nodeName) + self.element = element + + namespace = property(lambda self: hasattr(self.element, "namespaceURI") and + self.element.namespaceURI or None) + + def appendChild(self, node): + node.parent = self + self.element.appendChild(node.element) + + def insertText(self, data, insertBefore=None): + text = self.element.ownerDocument.createTextNode(data) + if insertBefore: + self.element.insertBefore(text, insertBefore.element) + else: + self.element.appendChild(text) + + def insertBefore(self, node, refNode): + self.element.insertBefore(node.element, refNode.element) + node.parent = self + + def removeChild(self, node): + if node.element.parentNode == self.element: + self.element.removeChild(node.element) + node.parent = None + + def reparentChildren(self, newParent): + while self.element.hasChildNodes(): + child = self.element.firstChild + self.element.removeChild(child) + newParent.element.appendChild(child) + self.childNodes = [] + + def getAttributes(self): + return AttrList(self.element) + + def setAttributes(self, attributes): + if attributes: + for name, value in list(attributes.items()): + if isinstance(name, tuple): + if name[0] is not None: + qualifiedName = (name[0] + ":" + name[1]) + else: + qualifiedName = name[1] + self.element.setAttributeNS(name[2], qualifiedName, + value) + else: + self.element.setAttribute( + name, value) + attributes = property(getAttributes, setAttributes) + + def cloneNode(self): + return NodeBuilder(self.element.cloneNode(False)) + + def hasContent(self): + return self.element.hasChildNodes() + + def getNameTuple(self): + if self.namespace is None: + return namespaces["html"], self.name + else: + return self.namespace, self.name + + nameTuple = property(getNameTuple) + + class TreeBuilder(base.TreeBuilder): # pylint:disable=unused-variable + def documentClass(self): + self.dom = Dom.getDOMImplementation().createDocument(None, None, None) + return weakref.proxy(self) + + def insertDoctype(self, token): + name = token["name"] + publicId = token["publicId"] + systemId = token["systemId"] + + domimpl = Dom.getDOMImplementation() + doctype = domimpl.createDocumentType(name, publicId, systemId) + self.document.appendChild(NodeBuilder(doctype)) + if Dom == minidom: + doctype.ownerDocument = self.dom + + def elementClass(self, name, namespace=None): + if namespace is None and self.defaultNamespace is None: + node = self.dom.createElement(name) + else: + node = self.dom.createElementNS(namespace, name) + + return NodeBuilder(node) + + def commentClass(self, data): + return NodeBuilder(self.dom.createComment(data)) + + def fragmentClass(self): + return NodeBuilder(self.dom.createDocumentFragment()) + + def appendChild(self, node): + self.dom.appendChild(node.element) + + def testSerializer(self, element): + return testSerializer(element) + + def getDocument(self): + return self.dom + + def getFragment(self): + return base.TreeBuilder.getFragment(self).element + + def insertText(self, data, parent=None): + data = data + if parent != self: + base.TreeBuilder.insertText(self, data, parent) + else: + # HACK: allow text nodes as children of the document node + if hasattr(self.dom, '_child_node_types'): + # pylint:disable=protected-access + if Node.TEXT_NODE not in self.dom._child_node_types: + self.dom._child_node_types = list(self.dom._child_node_types) + self.dom._child_node_types.append(Node.TEXT_NODE) + self.dom.appendChild(self.dom.createTextNode(data)) + + implementation = DomImplementation + name = None + + def testSerializer(element): + element.normalize() + rv = [] + + def serializeElement(element, indent=0): + if element.nodeType == Node.DOCUMENT_TYPE_NODE: + if element.name: + if element.publicId or element.systemId: + publicId = element.publicId or "" + systemId = element.systemId or "" + rv.append("""|%s<!DOCTYPE %s "%s" "%s">""" % + (' ' * indent, element.name, publicId, systemId)) + else: + rv.append("|%s<!DOCTYPE %s>" % (' ' * indent, element.name)) + else: + rv.append("|%s<!DOCTYPE >" % (' ' * indent,)) + elif element.nodeType == Node.DOCUMENT_NODE: + rv.append("#document") + elif element.nodeType == Node.DOCUMENT_FRAGMENT_NODE: + rv.append("#document-fragment") + elif element.nodeType == Node.COMMENT_NODE: + rv.append("|%s<!-- %s -->" % (' ' * indent, element.nodeValue)) + elif element.nodeType == Node.TEXT_NODE: + rv.append("|%s\"%s\"" % (' ' * indent, element.nodeValue)) + else: + if (hasattr(element, "namespaceURI") and + element.namespaceURI is not None): + name = "%s %s" % (constants.prefixes[element.namespaceURI], + element.nodeName) + else: + name = element.nodeName + rv.append("|%s<%s>" % (' ' * indent, name)) + if element.hasAttributes(): + attributes = [] + for i in range(len(element.attributes)): + attr = element.attributes.item(i) + name = attr.nodeName + value = attr.value + ns = attr.namespaceURI + if ns: + name = "%s %s" % (constants.prefixes[ns], attr.localName) + else: + name = attr.nodeName + attributes.append((name, value)) + + for name, value in sorted(attributes): + rv.append('|%s%s="%s"' % (' ' * (indent + 2), name, value)) + indent += 2 + for child in element.childNodes: + serializeElement(child, indent) + serializeElement(element, 0) + + return "\n".join(rv) + + return locals() + + +# The actual means to get a module! +getDomModule = moduleFactoryFactory(getDomBuilder) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/etree.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/etree.py new file mode 100644 index 0000000..0dedf44 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/etree.py @@ -0,0 +1,340 @@ +from __future__ import absolute_import, division, unicode_literals +# pylint:disable=protected-access + +from pip._vendor.six import text_type + +import re + +from . import base +from .. import _ihatexml +from .. import constants +from ..constants import namespaces +from .._utils import moduleFactoryFactory + +tag_regexp = re.compile("{([^}]*)}(.*)") + + +def getETreeBuilder(ElementTreeImplementation, fullTree=False): + ElementTree = ElementTreeImplementation + ElementTreeCommentType = ElementTree.Comment("asd").tag + + class Element(base.Node): + def __init__(self, name, namespace=None): + self._name = name + self._namespace = namespace + self._element = ElementTree.Element(self._getETreeTag(name, + namespace)) + if namespace is None: + self.nameTuple = namespaces["html"], self._name + else: + self.nameTuple = self._namespace, self._name + self.parent = None + self._childNodes = [] + self._flags = [] + + def _getETreeTag(self, name, namespace): + if namespace is None: + etree_tag = name + else: + etree_tag = "{%s}%s" % (namespace, name) + return etree_tag + + def _setName(self, name): + self._name = name + self._element.tag = self._getETreeTag(self._name, self._namespace) + + def _getName(self): + return self._name + + name = property(_getName, _setName) + + def _setNamespace(self, namespace): + self._namespace = namespace + self._element.tag = self._getETreeTag(self._name, self._namespace) + + def _getNamespace(self): + return self._namespace + + namespace = property(_getNamespace, _setNamespace) + + def _getAttributes(self): + return self._element.attrib + + def _setAttributes(self, attributes): + # Delete existing attributes first + # XXX - there may be a better way to do this... + for key in list(self._element.attrib.keys()): + del self._element.attrib[key] + for key, value in attributes.items(): + if isinstance(key, tuple): + name = "{%s}%s" % (key[2], key[1]) + else: + name = key + self._element.set(name, value) + + attributes = property(_getAttributes, _setAttributes) + + def _getChildNodes(self): + return self._childNodes + + def _setChildNodes(self, value): + del self._element[:] + self._childNodes = [] + for element in value: + self.insertChild(element) + + childNodes = property(_getChildNodes, _setChildNodes) + + def hasContent(self): + """Return true if the node has children or text""" + return bool(self._element.text or len(self._element)) + + def appendChild(self, node): + self._childNodes.append(node) + self._element.append(node._element) + node.parent = self + + def insertBefore(self, node, refNode): + index = list(self._element).index(refNode._element) + self._element.insert(index, node._element) + node.parent = self + + def removeChild(self, node): + self._childNodes.remove(node) + self._element.remove(node._element) + node.parent = None + + def insertText(self, data, insertBefore=None): + if not(len(self._element)): + if not self._element.text: + self._element.text = "" + self._element.text += data + elif insertBefore is None: + # Insert the text as the tail of the last child element + if not self._element[-1].tail: + self._element[-1].tail = "" + self._element[-1].tail += data + else: + # Insert the text before the specified node + children = list(self._element) + index = children.index(insertBefore._element) + if index > 0: + if not self._element[index - 1].tail: + self._element[index - 1].tail = "" + self._element[index - 1].tail += data + else: + if not self._element.text: + self._element.text = "" + self._element.text += data + + def cloneNode(self): + element = type(self)(self.name, self.namespace) + for name, value in self.attributes.items(): + element.attributes[name] = value + return element + + def reparentChildren(self, newParent): + if newParent.childNodes: + newParent.childNodes[-1]._element.tail += self._element.text + else: + if not newParent._element.text: + newParent._element.text = "" + if self._element.text is not None: + newParent._element.text += self._element.text + self._element.text = "" + base.Node.reparentChildren(self, newParent) + + class Comment(Element): + def __init__(self, data): + # Use the superclass constructor to set all properties on the + # wrapper element + self._element = ElementTree.Comment(data) + self.parent = None + self._childNodes = [] + self._flags = [] + + def _getData(self): + return self._element.text + + def _setData(self, value): + self._element.text = value + + data = property(_getData, _setData) + + class DocumentType(Element): + def __init__(self, name, publicId, systemId): + Element.__init__(self, "<!DOCTYPE>") + self._element.text = name + self.publicId = publicId + self.systemId = systemId + + def _getPublicId(self): + return self._element.get("publicId", "") + + def _setPublicId(self, value): + if value is not None: + self._element.set("publicId", value) + + publicId = property(_getPublicId, _setPublicId) + + def _getSystemId(self): + return self._element.get("systemId", "") + + def _setSystemId(self, value): + if value is not None: + self._element.set("systemId", value) + + systemId = property(_getSystemId, _setSystemId) + + class Document(Element): + def __init__(self): + Element.__init__(self, "DOCUMENT_ROOT") + + class DocumentFragment(Element): + def __init__(self): + Element.__init__(self, "DOCUMENT_FRAGMENT") + + def testSerializer(element): + rv = [] + + def serializeElement(element, indent=0): + if not(hasattr(element, "tag")): + element = element.getroot() + if element.tag == "<!DOCTYPE>": + if element.get("publicId") or element.get("systemId"): + publicId = element.get("publicId") or "" + systemId = element.get("systemId") or "" + rv.append("""<!DOCTYPE %s "%s" "%s">""" % + (element.text, publicId, systemId)) + else: + rv.append("<!DOCTYPE %s>" % (element.text,)) + elif element.tag == "DOCUMENT_ROOT": + rv.append("#document") + if element.text is not None: + rv.append("|%s\"%s\"" % (' ' * (indent + 2), element.text)) + if element.tail is not None: + raise TypeError("Document node cannot have tail") + if hasattr(element, "attrib") and len(element.attrib): + raise TypeError("Document node cannot have attributes") + elif element.tag == ElementTreeCommentType: + rv.append("|%s<!-- %s -->" % (' ' * indent, element.text)) + else: + assert isinstance(element.tag, text_type), \ + "Expected unicode, got %s, %s" % (type(element.tag), element.tag) + nsmatch = tag_regexp.match(element.tag) + + if nsmatch is None: + name = element.tag + else: + ns, name = nsmatch.groups() + prefix = constants.prefixes[ns] + name = "%s %s" % (prefix, name) + rv.append("|%s<%s>" % (' ' * indent, name)) + + if hasattr(element, "attrib"): + attributes = [] + for name, value in element.attrib.items(): + nsmatch = tag_regexp.match(name) + if nsmatch is not None: + ns, name = nsmatch.groups() + prefix = constants.prefixes[ns] + attr_string = "%s %s" % (prefix, name) + else: + attr_string = name + attributes.append((attr_string, value)) + + for name, value in sorted(attributes): + rv.append('|%s%s="%s"' % (' ' * (indent + 2), name, value)) + if element.text: + rv.append("|%s\"%s\"" % (' ' * (indent + 2), element.text)) + indent += 2 + for child in element: + serializeElement(child, indent) + if element.tail: + rv.append("|%s\"%s\"" % (' ' * (indent - 2), element.tail)) + serializeElement(element, 0) + + return "\n".join(rv) + + def tostring(element): # pylint:disable=unused-variable + """Serialize an element and its child nodes to a string""" + rv = [] + filter = _ihatexml.InfosetFilter() + + def serializeElement(element): + if isinstance(element, ElementTree.ElementTree): + element = element.getroot() + + if element.tag == "<!DOCTYPE>": + if element.get("publicId") or element.get("systemId"): + publicId = element.get("publicId") or "" + systemId = element.get("systemId") or "" + rv.append("""<!DOCTYPE %s PUBLIC "%s" "%s">""" % + (element.text, publicId, systemId)) + else: + rv.append("<!DOCTYPE %s>" % (element.text,)) + elif element.tag == "DOCUMENT_ROOT": + if element.text is not None: + rv.append(element.text) + if element.tail is not None: + raise TypeError("Document node cannot have tail") + if hasattr(element, "attrib") and len(element.attrib): + raise TypeError("Document node cannot have attributes") + + for child in element: + serializeElement(child) + + elif element.tag == ElementTreeCommentType: + rv.append("<!--%s-->" % (element.text,)) + else: + # This is assumed to be an ordinary element + if not element.attrib: + rv.append("<%s>" % (filter.fromXmlName(element.tag),)) + else: + attr = " ".join(["%s=\"%s\"" % ( + filter.fromXmlName(name), value) + for name, value in element.attrib.items()]) + rv.append("<%s %s>" % (element.tag, attr)) + if element.text: + rv.append(element.text) + + for child in element: + serializeElement(child) + + rv.append("</%s>" % (element.tag,)) + + if element.tail: + rv.append(element.tail) + + serializeElement(element) + + return "".join(rv) + + class TreeBuilder(base.TreeBuilder): # pylint:disable=unused-variable + documentClass = Document + doctypeClass = DocumentType + elementClass = Element + commentClass = Comment + fragmentClass = DocumentFragment + implementation = ElementTreeImplementation + + def testSerializer(self, element): + return testSerializer(element) + + def getDocument(self): + if fullTree: + return self.document._element + else: + if self.defaultNamespace is not None: + return self.document._element.find( + "{%s}html" % self.defaultNamespace) + else: + return self.document._element.find("html") + + def getFragment(self): + return base.TreeBuilder.getFragment(self)._element + + return locals() + + +getETreeModule = moduleFactoryFactory(getETreeBuilder) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/etree_lxml.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/etree_lxml.py new file mode 100644 index 0000000..ca12a99 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/etree_lxml.py @@ -0,0 +1,366 @@ +"""Module for supporting the lxml.etree library. The idea here is to use as much +of the native library as possible, without using fragile hacks like custom element +names that break between releases. The downside of this is that we cannot represent +all possible trees; specifically the following are known to cause problems: + +Text or comments as siblings of the root element +Docypes with no name + +When any of these things occur, we emit a DataLossWarning +""" + +from __future__ import absolute_import, division, unicode_literals +# pylint:disable=protected-access + +import warnings +import re +import sys + +from . import base +from ..constants import DataLossWarning +from .. import constants +from . import etree as etree_builders +from .. import _ihatexml + +import lxml.etree as etree + + +fullTree = True +tag_regexp = re.compile("{([^}]*)}(.*)") + +comment_type = etree.Comment("asd").tag + + +class DocumentType(object): + def __init__(self, name, publicId, systemId): + self.name = name + self.publicId = publicId + self.systemId = systemId + + +class Document(object): + def __init__(self): + self._elementTree = None + self._childNodes = [] + + def appendChild(self, element): + self._elementTree.getroot().addnext(element._element) + + def _getChildNodes(self): + return self._childNodes + + childNodes = property(_getChildNodes) + + +def testSerializer(element): + rv = [] + infosetFilter = _ihatexml.InfosetFilter(preventDoubleDashComments=True) + + def serializeElement(element, indent=0): + if not hasattr(element, "tag"): + if hasattr(element, "getroot"): + # Full tree case + rv.append("#document") + if element.docinfo.internalDTD: + if not (element.docinfo.public_id or + element.docinfo.system_url): + dtd_str = "<!DOCTYPE %s>" % element.docinfo.root_name + else: + dtd_str = """<!DOCTYPE %s "%s" "%s">""" % ( + element.docinfo.root_name, + element.docinfo.public_id, + element.docinfo.system_url) + rv.append("|%s%s" % (' ' * (indent + 2), dtd_str)) + next_element = element.getroot() + while next_element.getprevious() is not None: + next_element = next_element.getprevious() + while next_element is not None: + serializeElement(next_element, indent + 2) + next_element = next_element.getnext() + elif isinstance(element, str) or isinstance(element, bytes): + # Text in a fragment + assert isinstance(element, str) or sys.version_info[0] == 2 + rv.append("|%s\"%s\"" % (' ' * indent, element)) + else: + # Fragment case + rv.append("#document-fragment") + for next_element in element: + serializeElement(next_element, indent + 2) + elif element.tag == comment_type: + rv.append("|%s<!-- %s -->" % (' ' * indent, element.text)) + if hasattr(element, "tail") and element.tail: + rv.append("|%s\"%s\"" % (' ' * indent, element.tail)) + else: + assert isinstance(element, etree._Element) + nsmatch = etree_builders.tag_regexp.match(element.tag) + if nsmatch is not None: + ns = nsmatch.group(1) + tag = nsmatch.group(2) + prefix = constants.prefixes[ns] + rv.append("|%s<%s %s>" % (' ' * indent, prefix, + infosetFilter.fromXmlName(tag))) + else: + rv.append("|%s<%s>" % (' ' * indent, + infosetFilter.fromXmlName(element.tag))) + + if hasattr(element, "attrib"): + attributes = [] + for name, value in element.attrib.items(): + nsmatch = tag_regexp.match(name) + if nsmatch is not None: + ns, name = nsmatch.groups() + name = infosetFilter.fromXmlName(name) + prefix = constants.prefixes[ns] + attr_string = "%s %s" % (prefix, name) + else: + attr_string = infosetFilter.fromXmlName(name) + attributes.append((attr_string, value)) + + for name, value in sorted(attributes): + rv.append('|%s%s="%s"' % (' ' * (indent + 2), name, value)) + + if element.text: + rv.append("|%s\"%s\"" % (' ' * (indent + 2), element.text)) + indent += 2 + for child in element: + serializeElement(child, indent) + if hasattr(element, "tail") and element.tail: + rv.append("|%s\"%s\"" % (' ' * (indent - 2), element.tail)) + serializeElement(element, 0) + + return "\n".join(rv) + + +def tostring(element): + """Serialize an element and its child nodes to a string""" + rv = [] + + def serializeElement(element): + if not hasattr(element, "tag"): + if element.docinfo.internalDTD: + if element.docinfo.doctype: + dtd_str = element.docinfo.doctype + else: + dtd_str = "<!DOCTYPE %s>" % element.docinfo.root_name + rv.append(dtd_str) + serializeElement(element.getroot()) + + elif element.tag == comment_type: + rv.append("<!--%s-->" % (element.text,)) + + else: + # This is assumed to be an ordinary element + if not element.attrib: + rv.append("<%s>" % (element.tag,)) + else: + attr = " ".join(["%s=\"%s\"" % (name, value) + for name, value in element.attrib.items()]) + rv.append("<%s %s>" % (element.tag, attr)) + if element.text: + rv.append(element.text) + + for child in element: + serializeElement(child) + + rv.append("</%s>" % (element.tag,)) + + if hasattr(element, "tail") and element.tail: + rv.append(element.tail) + + serializeElement(element) + + return "".join(rv) + + +class TreeBuilder(base.TreeBuilder): + documentClass = Document + doctypeClass = DocumentType + elementClass = None + commentClass = None + fragmentClass = Document + implementation = etree + + def __init__(self, namespaceHTMLElements, fullTree=False): + builder = etree_builders.getETreeModule(etree, fullTree=fullTree) + infosetFilter = self.infosetFilter = _ihatexml.InfosetFilter(preventDoubleDashComments=True) + self.namespaceHTMLElements = namespaceHTMLElements + + class Attributes(dict): + def __init__(self, element, value=None): + if value is None: + value = {} + self._element = element + dict.__init__(self, value) # pylint:disable=non-parent-init-called + for key, value in self.items(): + if isinstance(key, tuple): + name = "{%s}%s" % (key[2], infosetFilter.coerceAttribute(key[1])) + else: + name = infosetFilter.coerceAttribute(key) + self._element._element.attrib[name] = value + + def __setitem__(self, key, value): + dict.__setitem__(self, key, value) + if isinstance(key, tuple): + name = "{%s}%s" % (key[2], infosetFilter.coerceAttribute(key[1])) + else: + name = infosetFilter.coerceAttribute(key) + self._element._element.attrib[name] = value + + class Element(builder.Element): + def __init__(self, name, namespace): + name = infosetFilter.coerceElement(name) + builder.Element.__init__(self, name, namespace=namespace) + self._attributes = Attributes(self) + + def _setName(self, name): + self._name = infosetFilter.coerceElement(name) + self._element.tag = self._getETreeTag( + self._name, self._namespace) + + def _getName(self): + return infosetFilter.fromXmlName(self._name) + + name = property(_getName, _setName) + + def _getAttributes(self): + return self._attributes + + def _setAttributes(self, attributes): + self._attributes = Attributes(self, attributes) + + attributes = property(_getAttributes, _setAttributes) + + def insertText(self, data, insertBefore=None): + data = infosetFilter.coerceCharacters(data) + builder.Element.insertText(self, data, insertBefore) + + def appendChild(self, child): + builder.Element.appendChild(self, child) + + class Comment(builder.Comment): + def __init__(self, data): + data = infosetFilter.coerceComment(data) + builder.Comment.__init__(self, data) + + def _setData(self, data): + data = infosetFilter.coerceComment(data) + self._element.text = data + + def _getData(self): + return self._element.text + + data = property(_getData, _setData) + + self.elementClass = Element + self.commentClass = Comment + # self.fragmentClass = builder.DocumentFragment + base.TreeBuilder.__init__(self, namespaceHTMLElements) + + def reset(self): + base.TreeBuilder.reset(self) + self.insertComment = self.insertCommentInitial + self.initial_comments = [] + self.doctype = None + + def testSerializer(self, element): + return testSerializer(element) + + def getDocument(self): + if fullTree: + return self.document._elementTree + else: + return self.document._elementTree.getroot() + + def getFragment(self): + fragment = [] + element = self.openElements[0]._element + if element.text: + fragment.append(element.text) + fragment.extend(list(element)) + if element.tail: + fragment.append(element.tail) + return fragment + + def insertDoctype(self, token): + name = token["name"] + publicId = token["publicId"] + systemId = token["systemId"] + + if not name: + warnings.warn("lxml cannot represent empty doctype", DataLossWarning) + self.doctype = None + else: + coercedName = self.infosetFilter.coerceElement(name) + if coercedName != name: + warnings.warn("lxml cannot represent non-xml doctype", DataLossWarning) + + doctype = self.doctypeClass(coercedName, publicId, systemId) + self.doctype = doctype + + def insertCommentInitial(self, data, parent=None): + assert parent is None or parent is self.document + assert self.document._elementTree is None + self.initial_comments.append(data) + + def insertCommentMain(self, data, parent=None): + if (parent == self.document and + self.document._elementTree.getroot()[-1].tag == comment_type): + warnings.warn("lxml cannot represent adjacent comments beyond the root elements", DataLossWarning) + super(TreeBuilder, self).insertComment(data, parent) + + def insertRoot(self, token): + # Because of the way libxml2 works, it doesn't seem to be possible to + # alter information like the doctype after the tree has been parsed. + # Therefore we need to use the built-in parser to create our initial + # tree, after which we can add elements like normal + docStr = "" + if self.doctype: + assert self.doctype.name + docStr += "<!DOCTYPE %s" % self.doctype.name + if (self.doctype.publicId is not None or + self.doctype.systemId is not None): + docStr += (' PUBLIC "%s" ' % + (self.infosetFilter.coercePubid(self.doctype.publicId or ""))) + if self.doctype.systemId: + sysid = self.doctype.systemId + if sysid.find("'") >= 0 and sysid.find('"') >= 0: + warnings.warn("DOCTYPE system cannot contain single and double quotes", DataLossWarning) + sysid = sysid.replace("'", 'U00027') + if sysid.find("'") >= 0: + docStr += '"%s"' % sysid + else: + docStr += "'%s'" % sysid + else: + docStr += "''" + docStr += ">" + if self.doctype.name != token["name"]: + warnings.warn("lxml cannot represent doctype with a different name to the root element", DataLossWarning) + docStr += "<THIS_SHOULD_NEVER_APPEAR_PUBLICLY/>" + root = etree.fromstring(docStr) + + # Append the initial comments: + for comment_token in self.initial_comments: + comment = self.commentClass(comment_token["data"]) + root.addprevious(comment._element) + + # Create the root document and add the ElementTree to it + self.document = self.documentClass() + self.document._elementTree = root.getroottree() + + # Give the root element the right name + name = token["name"] + namespace = token.get("namespace", self.defaultNamespace) + if namespace is None: + etree_tag = name + else: + etree_tag = "{%s}%s" % (namespace, name) + root.tag = etree_tag + + # Add the root element to the internal child/open data structures + root_element = self.elementClass(name, namespace) + root_element._element = root + self.document._childNodes.append(root_element) + self.openElements.append(root_element) + + # Reset to the default insert comment function + self.insertComment = self.insertCommentMain diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/__init__.py new file mode 100644 index 0000000..9bec207 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/__init__.py @@ -0,0 +1,154 @@ +"""A collection of modules for iterating through different kinds of +tree, generating tokens identical to those produced by the tokenizer +module. + +To create a tree walker for a new type of tree, you need to do +implement a tree walker object (called TreeWalker by convention) that +implements a 'serialize' method taking a tree as sole argument and +returning an iterator generating tokens. +""" + +from __future__ import absolute_import, division, unicode_literals + +from .. import constants +from .._utils import default_etree + +__all__ = ["getTreeWalker", "pprint"] + +treeWalkerCache = {} + + +def getTreeWalker(treeType, implementation=None, **kwargs): + """Get a TreeWalker class for various types of tree with built-in support + + :arg str treeType: the name of the tree type required (case-insensitive). + Supported values are: + + * "dom": The xml.dom.minidom DOM implementation + * "etree": A generic walker for tree implementations exposing an + elementtree-like interface (known to work with ElementTree, + cElementTree and lxml.etree). + * "lxml": Optimized walker for lxml.etree + * "genshi": a Genshi stream + + :arg implementation: A module implementing the tree type e.g. + xml.etree.ElementTree or cElementTree (Currently applies to the "etree" + tree type only). + + :arg kwargs: keyword arguments passed to the etree walker--for other + walkers, this has no effect + + :returns: a TreeWalker class + + """ + + treeType = treeType.lower() + if treeType not in treeWalkerCache: + if treeType == "dom": + from . import dom + treeWalkerCache[treeType] = dom.TreeWalker + elif treeType == "genshi": + from . import genshi + treeWalkerCache[treeType] = genshi.TreeWalker + elif treeType == "lxml": + from . import etree_lxml + treeWalkerCache[treeType] = etree_lxml.TreeWalker + elif treeType == "etree": + from . import etree + if implementation is None: + implementation = default_etree + # XXX: NEVER cache here, caching is done in the etree submodule + return etree.getETreeModule(implementation, **kwargs).TreeWalker + return treeWalkerCache.get(treeType) + + +def concatenateCharacterTokens(tokens): + pendingCharacters = [] + for token in tokens: + type = token["type"] + if type in ("Characters", "SpaceCharacters"): + pendingCharacters.append(token["data"]) + else: + if pendingCharacters: + yield {"type": "Characters", "data": "".join(pendingCharacters)} + pendingCharacters = [] + yield token + if pendingCharacters: + yield {"type": "Characters", "data": "".join(pendingCharacters)} + + +def pprint(walker): + """Pretty printer for tree walkers + + Takes a TreeWalker instance and pretty prints the output of walking the tree. + + :arg walker: a TreeWalker instance + + """ + output = [] + indent = 0 + for token in concatenateCharacterTokens(walker): + type = token["type"] + if type in ("StartTag", "EmptyTag"): + # tag name + if token["namespace"] and token["namespace"] != constants.namespaces["html"]: + if token["namespace"] in constants.prefixes: + ns = constants.prefixes[token["namespace"]] + else: + ns = token["namespace"] + name = "%s %s" % (ns, token["name"]) + else: + name = token["name"] + output.append("%s<%s>" % (" " * indent, name)) + indent += 2 + # attributes (sorted for consistent ordering) + attrs = token["data"] + for (namespace, localname), value in sorted(attrs.items()): + if namespace: + if namespace in constants.prefixes: + ns = constants.prefixes[namespace] + else: + ns = namespace + name = "%s %s" % (ns, localname) + else: + name = localname + output.append("%s%s=\"%s\"" % (" " * indent, name, value)) + # self-closing + if type == "EmptyTag": + indent -= 2 + + elif type == "EndTag": + indent -= 2 + + elif type == "Comment": + output.append("%s<!-- %s -->" % (" " * indent, token["data"])) + + elif type == "Doctype": + if token["name"]: + if token["publicId"]: + output.append("""%s<!DOCTYPE %s "%s" "%s">""" % + (" " * indent, + token["name"], + token["publicId"], + token["systemId"] if token["systemId"] else "")) + elif token["systemId"]: + output.append("""%s<!DOCTYPE %s "" "%s">""" % + (" " * indent, + token["name"], + token["systemId"])) + else: + output.append("%s<!DOCTYPE %s>" % (" " * indent, + token["name"])) + else: + output.append("%s<!DOCTYPE >" % (" " * indent,)) + + elif type == "Characters": + output.append("%s\"%s\"" % (" " * indent, token["data"])) + + elif type == "SpaceCharacters": + assert False, "concatenateCharacterTokens should have got rid of all Space tokens" + + else: + raise ValueError("Unknown token type, %s" % type) + + return "\n".join(output) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/base.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/base.py new file mode 100644 index 0000000..80c474c --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/base.py @@ -0,0 +1,252 @@ +from __future__ import absolute_import, division, unicode_literals + +from xml.dom import Node +from ..constants import namespaces, voidElements, spaceCharacters + +__all__ = ["DOCUMENT", "DOCTYPE", "TEXT", "ELEMENT", "COMMENT", "ENTITY", "UNKNOWN", + "TreeWalker", "NonRecursiveTreeWalker"] + +DOCUMENT = Node.DOCUMENT_NODE +DOCTYPE = Node.DOCUMENT_TYPE_NODE +TEXT = Node.TEXT_NODE +ELEMENT = Node.ELEMENT_NODE +COMMENT = Node.COMMENT_NODE +ENTITY = Node.ENTITY_NODE +UNKNOWN = "<#UNKNOWN#>" + +spaceCharacters = "".join(spaceCharacters) + + +class TreeWalker(object): + """Walks a tree yielding tokens + + Tokens are dicts that all have a ``type`` field specifying the type of the + token. + + """ + def __init__(self, tree): + """Creates a TreeWalker + + :arg tree: the tree to walk + + """ + self.tree = tree + + def __iter__(self): + raise NotImplementedError + + def error(self, msg): + """Generates an error token with the given message + + :arg msg: the error message + + :returns: SerializeError token + + """ + return {"type": "SerializeError", "data": msg} + + def emptyTag(self, namespace, name, attrs, hasChildren=False): + """Generates an EmptyTag token + + :arg namespace: the namespace of the token--can be ``None`` + + :arg name: the name of the element + + :arg attrs: the attributes of the element as a dict + + :arg hasChildren: whether or not to yield a SerializationError because + this tag shouldn't have children + + :returns: EmptyTag token + + """ + yield {"type": "EmptyTag", "name": name, + "namespace": namespace, + "data": attrs} + if hasChildren: + yield self.error("Void element has children") + + def startTag(self, namespace, name, attrs): + """Generates a StartTag token + + :arg namespace: the namespace of the token--can be ``None`` + + :arg name: the name of the element + + :arg attrs: the attributes of the element as a dict + + :returns: StartTag token + + """ + return {"type": "StartTag", + "name": name, + "namespace": namespace, + "data": attrs} + + def endTag(self, namespace, name): + """Generates an EndTag token + + :arg namespace: the namespace of the token--can be ``None`` + + :arg name: the name of the element + + :returns: EndTag token + + """ + return {"type": "EndTag", + "name": name, + "namespace": namespace} + + def text(self, data): + """Generates SpaceCharacters and Characters tokens + + Depending on what's in the data, this generates one or more + ``SpaceCharacters`` and ``Characters`` tokens. + + For example: + + >>> from html5lib.treewalkers.base import TreeWalker + >>> # Give it an empty tree just so it instantiates + >>> walker = TreeWalker([]) + >>> list(walker.text('')) + [] + >>> list(walker.text(' ')) + [{u'data': ' ', u'type': u'SpaceCharacters'}] + >>> list(walker.text(' abc ')) # doctest: +NORMALIZE_WHITESPACE + [{u'data': ' ', u'type': u'SpaceCharacters'}, + {u'data': u'abc', u'type': u'Characters'}, + {u'data': u' ', u'type': u'SpaceCharacters'}] + + :arg data: the text data + + :returns: one or more ``SpaceCharacters`` and ``Characters`` tokens + + """ + data = data + middle = data.lstrip(spaceCharacters) + left = data[:len(data) - len(middle)] + if left: + yield {"type": "SpaceCharacters", "data": left} + data = middle + middle = data.rstrip(spaceCharacters) + right = data[len(middle):] + if middle: + yield {"type": "Characters", "data": middle} + if right: + yield {"type": "SpaceCharacters", "data": right} + + def comment(self, data): + """Generates a Comment token + + :arg data: the comment + + :returns: Comment token + + """ + return {"type": "Comment", "data": data} + + def doctype(self, name, publicId=None, systemId=None): + """Generates a Doctype token + + :arg name: + + :arg publicId: + + :arg systemId: + + :returns: the Doctype token + + """ + return {"type": "Doctype", + "name": name, + "publicId": publicId, + "systemId": systemId} + + def entity(self, name): + """Generates an Entity token + + :arg name: the entity name + + :returns: an Entity token + + """ + return {"type": "Entity", "name": name} + + def unknown(self, nodeType): + """Handles unknown node types""" + return self.error("Unknown node type: " + nodeType) + + +class NonRecursiveTreeWalker(TreeWalker): + def getNodeDetails(self, node): + raise NotImplementedError + + def getFirstChild(self, node): + raise NotImplementedError + + def getNextSibling(self, node): + raise NotImplementedError + + def getParentNode(self, node): + raise NotImplementedError + + def __iter__(self): + currentNode = self.tree + while currentNode is not None: + details = self.getNodeDetails(currentNode) + type, details = details[0], details[1:] + hasChildren = False + + if type == DOCTYPE: + yield self.doctype(*details) + + elif type == TEXT: + for token in self.text(*details): + yield token + + elif type == ELEMENT: + namespace, name, attributes, hasChildren = details + if (not namespace or namespace == namespaces["html"]) and name in voidElements: + for token in self.emptyTag(namespace, name, attributes, + hasChildren): + yield token + hasChildren = False + else: + yield self.startTag(namespace, name, attributes) + + elif type == COMMENT: + yield self.comment(details[0]) + + elif type == ENTITY: + yield self.entity(details[0]) + + elif type == DOCUMENT: + hasChildren = True + + else: + yield self.unknown(details[0]) + + if hasChildren: + firstChild = self.getFirstChild(currentNode) + else: + firstChild = None + + if firstChild is not None: + currentNode = firstChild + else: + while currentNode is not None: + details = self.getNodeDetails(currentNode) + type, details = details[0], details[1:] + if type == ELEMENT: + namespace, name, attributes, hasChildren = details + if (namespace and namespace != namespaces["html"]) or name not in voidElements: + yield self.endTag(namespace, name) + if self.tree is currentNode: + currentNode = None + break + nextSibling = self.getNextSibling(currentNode) + if nextSibling is not None: + currentNode = nextSibling + break + else: + currentNode = self.getParentNode(currentNode) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/dom.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/dom.py new file mode 100644 index 0000000..b0c89b0 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/dom.py @@ -0,0 +1,43 @@ +from __future__ import absolute_import, division, unicode_literals + +from xml.dom import Node + +from . import base + + +class TreeWalker(base.NonRecursiveTreeWalker): + def getNodeDetails(self, node): + if node.nodeType == Node.DOCUMENT_TYPE_NODE: + return base.DOCTYPE, node.name, node.publicId, node.systemId + + elif node.nodeType in (Node.TEXT_NODE, Node.CDATA_SECTION_NODE): + return base.TEXT, node.nodeValue + + elif node.nodeType == Node.ELEMENT_NODE: + attrs = {} + for attr in list(node.attributes.keys()): + attr = node.getAttributeNode(attr) + if attr.namespaceURI: + attrs[(attr.namespaceURI, attr.localName)] = attr.value + else: + attrs[(None, attr.name)] = attr.value + return (base.ELEMENT, node.namespaceURI, node.nodeName, + attrs, node.hasChildNodes()) + + elif node.nodeType == Node.COMMENT_NODE: + return base.COMMENT, node.nodeValue + + elif node.nodeType in (Node.DOCUMENT_NODE, Node.DOCUMENT_FRAGMENT_NODE): + return (base.DOCUMENT,) + + else: + return base.UNKNOWN, node.nodeType + + def getFirstChild(self, node): + return node.firstChild + + def getNextSibling(self, node): + return node.nextSibling + + def getParentNode(self, node): + return node.parentNode diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/etree.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/etree.py new file mode 100644 index 0000000..95fc0c1 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/etree.py @@ -0,0 +1,130 @@ +from __future__ import absolute_import, division, unicode_literals + +from collections import OrderedDict +import re + +from pip._vendor.six import string_types + +from . import base +from .._utils import moduleFactoryFactory + +tag_regexp = re.compile("{([^}]*)}(.*)") + + +def getETreeBuilder(ElementTreeImplementation): + ElementTree = ElementTreeImplementation + ElementTreeCommentType = ElementTree.Comment("asd").tag + + class TreeWalker(base.NonRecursiveTreeWalker): # pylint:disable=unused-variable + """Given the particular ElementTree representation, this implementation, + to avoid using recursion, returns "nodes" as tuples with the following + content: + + 1. The current element + + 2. The index of the element relative to its parent + + 3. A stack of ancestor elements + + 4. A flag "text", "tail" or None to indicate if the current node is a + text node; either the text or tail of the current element (1) + """ + def getNodeDetails(self, node): + if isinstance(node, tuple): # It might be the root Element + elt, _, _, flag = node + if flag in ("text", "tail"): + return base.TEXT, getattr(elt, flag) + else: + node = elt + + if not(hasattr(node, "tag")): + node = node.getroot() + + if node.tag in ("DOCUMENT_ROOT", "DOCUMENT_FRAGMENT"): + return (base.DOCUMENT,) + + elif node.tag == "<!DOCTYPE>": + return (base.DOCTYPE, node.text, + node.get("publicId"), node.get("systemId")) + + elif node.tag == ElementTreeCommentType: + return base.COMMENT, node.text + + else: + assert isinstance(node.tag, string_types), type(node.tag) + # This is assumed to be an ordinary element + match = tag_regexp.match(node.tag) + if match: + namespace, tag = match.groups() + else: + namespace = None + tag = node.tag + attrs = OrderedDict() + for name, value in list(node.attrib.items()): + match = tag_regexp.match(name) + if match: + attrs[(match.group(1), match.group(2))] = value + else: + attrs[(None, name)] = value + return (base.ELEMENT, namespace, tag, + attrs, len(node) or node.text) + + def getFirstChild(self, node): + if isinstance(node, tuple): + element, key, parents, flag = node + else: + element, key, parents, flag = node, None, [], None + + if flag in ("text", "tail"): + return None + else: + if element.text: + return element, key, parents, "text" + elif len(element): + parents.append(element) + return element[0], 0, parents, None + else: + return None + + def getNextSibling(self, node): + if isinstance(node, tuple): + element, key, parents, flag = node + else: + return None + + if flag == "text": + if len(element): + parents.append(element) + return element[0], 0, parents, None + else: + return None + else: + if element.tail and flag != "tail": + return element, key, parents, "tail" + elif key < len(parents[-1]) - 1: + return parents[-1][key + 1], key + 1, parents, None + else: + return None + + def getParentNode(self, node): + if isinstance(node, tuple): + element, key, parents, flag = node + else: + return None + + if flag == "text": + if not parents: + return element + else: + return element, key, parents, None + else: + parent = parents.pop() + if not parents: + return parent + else: + assert list(parents[-1]).count(parent) == 1 + return parent, list(parents[-1]).index(parent), parents, None + + return locals() + +getETreeModule = moduleFactoryFactory(getETreeBuilder) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/etree_lxml.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/etree_lxml.py new file mode 100644 index 0000000..e81ddf3 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/etree_lxml.py @@ -0,0 +1,213 @@ +from __future__ import absolute_import, division, unicode_literals +from pip._vendor.six import text_type + +from lxml import etree +from ..treebuilders.etree import tag_regexp + +from . import base + +from .. import _ihatexml + + +def ensure_str(s): + if s is None: + return None + elif isinstance(s, text_type): + return s + else: + return s.decode("ascii", "strict") + + +class Root(object): + def __init__(self, et): + self.elementtree = et + self.children = [] + + try: + if et.docinfo.internalDTD: + self.children.append(Doctype(self, + ensure_str(et.docinfo.root_name), + ensure_str(et.docinfo.public_id), + ensure_str(et.docinfo.system_url))) + except AttributeError: + pass + + try: + node = et.getroot() + except AttributeError: + node = et + + while node.getprevious() is not None: + node = node.getprevious() + while node is not None: + self.children.append(node) + node = node.getnext() + + self.text = None + self.tail = None + + def __getitem__(self, key): + return self.children[key] + + def getnext(self): + return None + + def __len__(self): + return 1 + + +class Doctype(object): + def __init__(self, root_node, name, public_id, system_id): + self.root_node = root_node + self.name = name + self.public_id = public_id + self.system_id = system_id + + self.text = None + self.tail = None + + def getnext(self): + return self.root_node.children[1] + + +class FragmentRoot(Root): + def __init__(self, children): + self.children = [FragmentWrapper(self, child) for child in children] + self.text = self.tail = None + + def getnext(self): + return None + + +class FragmentWrapper(object): + def __init__(self, fragment_root, obj): + self.root_node = fragment_root + self.obj = obj + if hasattr(self.obj, 'text'): + self.text = ensure_str(self.obj.text) + else: + self.text = None + if hasattr(self.obj, 'tail'): + self.tail = ensure_str(self.obj.tail) + else: + self.tail = None + + def __getattr__(self, name): + return getattr(self.obj, name) + + def getnext(self): + siblings = self.root_node.children + idx = siblings.index(self) + if idx < len(siblings) - 1: + return siblings[idx + 1] + else: + return None + + def __getitem__(self, key): + return self.obj[key] + + def __bool__(self): + return bool(self.obj) + + def getparent(self): + return None + + def __str__(self): + return str(self.obj) + + def __unicode__(self): + return str(self.obj) + + def __len__(self): + return len(self.obj) + + +class TreeWalker(base.NonRecursiveTreeWalker): + def __init__(self, tree): + # pylint:disable=redefined-variable-type + if isinstance(tree, list): + self.fragmentChildren = set(tree) + tree = FragmentRoot(tree) + else: + self.fragmentChildren = set() + tree = Root(tree) + base.NonRecursiveTreeWalker.__init__(self, tree) + self.filter = _ihatexml.InfosetFilter() + + def getNodeDetails(self, node): + if isinstance(node, tuple): # Text node + node, key = node + assert key in ("text", "tail"), "Text nodes are text or tail, found %s" % key + return base.TEXT, ensure_str(getattr(node, key)) + + elif isinstance(node, Root): + return (base.DOCUMENT,) + + elif isinstance(node, Doctype): + return base.DOCTYPE, node.name, node.public_id, node.system_id + + elif isinstance(node, FragmentWrapper) and not hasattr(node, "tag"): + return base.TEXT, ensure_str(node.obj) + + elif node.tag == etree.Comment: + return base.COMMENT, ensure_str(node.text) + + elif node.tag == etree.Entity: + return base.ENTITY, ensure_str(node.text)[1:-1] # strip &; + + else: + # This is assumed to be an ordinary element + match = tag_regexp.match(ensure_str(node.tag)) + if match: + namespace, tag = match.groups() + else: + namespace = None + tag = ensure_str(node.tag) + attrs = {} + for name, value in list(node.attrib.items()): + name = ensure_str(name) + value = ensure_str(value) + match = tag_regexp.match(name) + if match: + attrs[(match.group(1), match.group(2))] = value + else: + attrs[(None, name)] = value + return (base.ELEMENT, namespace, self.filter.fromXmlName(tag), + attrs, len(node) > 0 or node.text) + + def getFirstChild(self, node): + assert not isinstance(node, tuple), "Text nodes have no children" + + assert len(node) or node.text, "Node has no children" + if node.text: + return (node, "text") + else: + return node[0] + + def getNextSibling(self, node): + if isinstance(node, tuple): # Text node + node, key = node + assert key in ("text", "tail"), "Text nodes are text or tail, found %s" % key + if key == "text": + # XXX: we cannot use a "bool(node) and node[0] or None" construct here + # because node[0] might evaluate to False if it has no child element + if len(node): + return node[0] + else: + return None + else: # tail + return node.getnext() + + return (node, "tail") if node.tail else node.getnext() + + def getParentNode(self, node): + if isinstance(node, tuple): # Text node + node, key = node + assert key in ("text", "tail"), "Text nodes are text or tail, found %s" % key + if key == "text": + return node + # else: fallback to "normal" processing + elif node in self.fragmentChildren: + return None + + return node.getparent() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/genshi.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/genshi.py new file mode 100644 index 0000000..7483be2 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/genshi.py @@ -0,0 +1,69 @@ +from __future__ import absolute_import, division, unicode_literals + +from genshi.core import QName +from genshi.core import START, END, XML_NAMESPACE, DOCTYPE, TEXT +from genshi.core import START_NS, END_NS, START_CDATA, END_CDATA, PI, COMMENT + +from . import base + +from ..constants import voidElements, namespaces + + +class TreeWalker(base.TreeWalker): + def __iter__(self): + # Buffer the events so we can pass in the following one + previous = None + for event in self.tree: + if previous is not None: + for token in self.tokens(previous, event): + yield token + previous = event + + # Don't forget the final event! + if previous is not None: + for token in self.tokens(previous, None): + yield token + + def tokens(self, event, next): + kind, data, _ = event + if kind == START: + tag, attribs = data + name = tag.localname + namespace = tag.namespace + converted_attribs = {} + for k, v in attribs: + if isinstance(k, QName): + converted_attribs[(k.namespace, k.localname)] = v + else: + converted_attribs[(None, k)] = v + + if namespace == namespaces["html"] and name in voidElements: + for token in self.emptyTag(namespace, name, converted_attribs, + not next or next[0] != END or + next[1] != tag): + yield token + else: + yield self.startTag(namespace, name, converted_attribs) + + elif kind == END: + name = data.localname + namespace = data.namespace + if namespace != namespaces["html"] or name not in voidElements: + yield self.endTag(namespace, name) + + elif kind == COMMENT: + yield self.comment(data) + + elif kind == TEXT: + for token in self.text(data): + yield token + + elif kind == DOCTYPE: + yield self.doctype(*data) + + elif kind in (XML_NAMESPACE, DOCTYPE, START_NS, END_NS, + START_CDATA, END_CDATA, PI): + pass + + else: + yield self.unknown(kind) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/__init__.py new file mode 100644 index 0000000..847bf93 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/__init__.py @@ -0,0 +1,2 @@ +from .package_data import __version__ +from .core import * diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/codec.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/codec.py new file mode 100644 index 0000000..98c65ea --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/codec.py @@ -0,0 +1,118 @@ +from .core import encode, decode, alabel, ulabel, IDNAError +import codecs +import re + +_unicode_dots_re = re.compile(u'[\u002e\u3002\uff0e\uff61]') + +class Codec(codecs.Codec): + + def encode(self, data, errors='strict'): + + if errors != 'strict': + raise IDNAError("Unsupported error handling \"{0}\"".format(errors)) + + if not data: + return "", 0 + + return encode(data), len(data) + + def decode(self, data, errors='strict'): + + if errors != 'strict': + raise IDNAError("Unsupported error handling \"{0}\"".format(errors)) + + if not data: + return u"", 0 + + return decode(data), len(data) + +class IncrementalEncoder(codecs.BufferedIncrementalEncoder): + def _buffer_encode(self, data, errors, final): + if errors != 'strict': + raise IDNAError("Unsupported error handling \"{0}\"".format(errors)) + + if not data: + return ("", 0) + + labels = _unicode_dots_re.split(data) + trailing_dot = u'' + if labels: + if not labels[-1]: + trailing_dot = '.' + del labels[-1] + elif not final: + # Keep potentially unfinished label until the next call + del labels[-1] + if labels: + trailing_dot = '.' + + result = [] + size = 0 + for label in labels: + result.append(alabel(label)) + if size: + size += 1 + size += len(label) + + # Join with U+002E + result = ".".join(result) + trailing_dot + size += len(trailing_dot) + return (result, size) + +class IncrementalDecoder(codecs.BufferedIncrementalDecoder): + def _buffer_decode(self, data, errors, final): + if errors != 'strict': + raise IDNAError("Unsupported error handling \"{0}\"".format(errors)) + + if not data: + return (u"", 0) + + # IDNA allows decoding to operate on Unicode strings, too. + if isinstance(data, unicode): + labels = _unicode_dots_re.split(data) + else: + # Must be ASCII string + data = str(data) + unicode(data, "ascii") + labels = data.split(".") + + trailing_dot = u'' + if labels: + if not labels[-1]: + trailing_dot = u'.' + del labels[-1] + elif not final: + # Keep potentially unfinished label until the next call + del labels[-1] + if labels: + trailing_dot = u'.' + + result = [] + size = 0 + for label in labels: + result.append(ulabel(label)) + if size: + size += 1 + size += len(label) + + result = u".".join(result) + trailing_dot + size += len(trailing_dot) + return (result, size) + + +class StreamWriter(Codec, codecs.StreamWriter): + pass + +class StreamReader(Codec, codecs.StreamReader): + pass + +def getregentry(): + return codecs.CodecInfo( + name='idna', + encode=Codec().encode, + decode=Codec().decode, + incrementalencoder=IncrementalEncoder, + incrementaldecoder=IncrementalDecoder, + streamwriter=StreamWriter, + streamreader=StreamReader, + ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/compat.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/compat.py new file mode 100644 index 0000000..4d47f33 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/compat.py @@ -0,0 +1,12 @@ +from .core import * +from .codec import * + +def ToASCII(label): + return encode(label) + +def ToUnicode(label): + return decode(label) + +def nameprep(s): + raise NotImplementedError("IDNA 2008 does not utilise nameprep protocol") + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/core.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/core.py new file mode 100644 index 0000000..104624a --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/core.py @@ -0,0 +1,396 @@ +from . import idnadata +import bisect +import unicodedata +import re +import sys +from .intranges import intranges_contain + +_virama_combining_class = 9 +_alabel_prefix = b'xn--' +_unicode_dots_re = re.compile(u'[\u002e\u3002\uff0e\uff61]') + +if sys.version_info[0] == 3: + unicode = str + unichr = chr + +class IDNAError(UnicodeError): + """ Base exception for all IDNA-encoding related problems """ + pass + + +class IDNABidiError(IDNAError): + """ Exception when bidirectional requirements are not satisfied """ + pass + + +class InvalidCodepoint(IDNAError): + """ Exception when a disallowed or unallocated codepoint is used """ + pass + + +class InvalidCodepointContext(IDNAError): + """ Exception when the codepoint is not valid in the context it is used """ + pass + + +def _combining_class(cp): + v = unicodedata.combining(unichr(cp)) + if v == 0: + if not unicodedata.name(unichr(cp)): + raise ValueError("Unknown character in unicodedata") + return v + +def _is_script(cp, script): + return intranges_contain(ord(cp), idnadata.scripts[script]) + +def _punycode(s): + return s.encode('punycode') + +def _unot(s): + return 'U+{0:04X}'.format(s) + + +def valid_label_length(label): + + if len(label) > 63: + return False + return True + + +def valid_string_length(label, trailing_dot): + + if len(label) > (254 if trailing_dot else 253): + return False + return True + + +def check_bidi(label, check_ltr=False): + + # Bidi rules should only be applied if string contains RTL characters + bidi_label = False + for (idx, cp) in enumerate(label, 1): + direction = unicodedata.bidirectional(cp) + if direction == '': + # String likely comes from a newer version of Unicode + raise IDNABidiError('Unknown directionality in label {0} at position {1}'.format(repr(label), idx)) + if direction in ['R', 'AL', 'AN']: + bidi_label = True + if not bidi_label and not check_ltr: + return True + + # Bidi rule 1 + direction = unicodedata.bidirectional(label[0]) + if direction in ['R', 'AL']: + rtl = True + elif direction == 'L': + rtl = False + else: + raise IDNABidiError('First codepoint in label {0} must be directionality L, R or AL'.format(repr(label))) + + valid_ending = False + number_type = False + for (idx, cp) in enumerate(label, 1): + direction = unicodedata.bidirectional(cp) + + if rtl: + # Bidi rule 2 + if not direction in ['R', 'AL', 'AN', 'EN', 'ES', 'CS', 'ET', 'ON', 'BN', 'NSM']: + raise IDNABidiError('Invalid direction for codepoint at position {0} in a right-to-left label'.format(idx)) + # Bidi rule 3 + if direction in ['R', 'AL', 'EN', 'AN']: + valid_ending = True + elif direction != 'NSM': + valid_ending = False + # Bidi rule 4 + if direction in ['AN', 'EN']: + if not number_type: + number_type = direction + else: + if number_type != direction: + raise IDNABidiError('Can not mix numeral types in a right-to-left label') + else: + # Bidi rule 5 + if not direction in ['L', 'EN', 'ES', 'CS', 'ET', 'ON', 'BN', 'NSM']: + raise IDNABidiError('Invalid direction for codepoint at position {0} in a left-to-right label'.format(idx)) + # Bidi rule 6 + if direction in ['L', 'EN']: + valid_ending = True + elif direction != 'NSM': + valid_ending = False + + if not valid_ending: + raise IDNABidiError('Label ends with illegal codepoint directionality') + + return True + + +def check_initial_combiner(label): + + if unicodedata.category(label[0])[0] == 'M': + raise IDNAError('Label begins with an illegal combining character') + return True + + +def check_hyphen_ok(label): + + if label[2:4] == '--': + raise IDNAError('Label has disallowed hyphens in 3rd and 4th position') + if label[0] == '-' or label[-1] == '-': + raise IDNAError('Label must not start or end with a hyphen') + return True + + +def check_nfc(label): + + if unicodedata.normalize('NFC', label) != label: + raise IDNAError('Label must be in Normalization Form C') + + +def valid_contextj(label, pos): + + cp_value = ord(label[pos]) + + if cp_value == 0x200c: + + if pos > 0: + if _combining_class(ord(label[pos - 1])) == _virama_combining_class: + return True + + ok = False + for i in range(pos-1, -1, -1): + joining_type = idnadata.joining_types.get(ord(label[i])) + if joining_type == ord('T'): + continue + if joining_type in [ord('L'), ord('D')]: + ok = True + break + + if not ok: + return False + + ok = False + for i in range(pos+1, len(label)): + joining_type = idnadata.joining_types.get(ord(label[i])) + if joining_type == ord('T'): + continue + if joining_type in [ord('R'), ord('D')]: + ok = True + break + return ok + + if cp_value == 0x200d: + + if pos > 0: + if _combining_class(ord(label[pos - 1])) == _virama_combining_class: + return True + return False + + else: + + return False + + +def valid_contexto(label, pos, exception=False): + + cp_value = ord(label[pos]) + + if cp_value == 0x00b7: + if 0 < pos < len(label)-1: + if ord(label[pos - 1]) == 0x006c and ord(label[pos + 1]) == 0x006c: + return True + return False + + elif cp_value == 0x0375: + if pos < len(label)-1 and len(label) > 1: + return _is_script(label[pos + 1], 'Greek') + return False + + elif cp_value == 0x05f3 or cp_value == 0x05f4: + if pos > 0: + return _is_script(label[pos - 1], 'Hebrew') + return False + + elif cp_value == 0x30fb: + for cp in label: + if cp == u'\u30fb': + continue + if _is_script(cp, 'Hiragana') or _is_script(cp, 'Katakana') or _is_script(cp, 'Han'): + return True + return False + + elif 0x660 <= cp_value <= 0x669: + for cp in label: + if 0x6f0 <= ord(cp) <= 0x06f9: + return False + return True + + elif 0x6f0 <= cp_value <= 0x6f9: + for cp in label: + if 0x660 <= ord(cp) <= 0x0669: + return False + return True + + +def check_label(label): + + if isinstance(label, (bytes, bytearray)): + label = label.decode('utf-8') + if len(label) == 0: + raise IDNAError('Empty Label') + + check_nfc(label) + check_hyphen_ok(label) + check_initial_combiner(label) + + for (pos, cp) in enumerate(label): + cp_value = ord(cp) + if intranges_contain(cp_value, idnadata.codepoint_classes['PVALID']): + continue + elif intranges_contain(cp_value, idnadata.codepoint_classes['CONTEXTJ']): + try: + if not valid_contextj(label, pos): + raise InvalidCodepointContext('Joiner {0} not allowed at position {1} in {2}'.format( + _unot(cp_value), pos+1, repr(label))) + except ValueError: + raise IDNAError('Unknown codepoint adjacent to joiner {0} at position {1} in {2}'.format( + _unot(cp_value), pos+1, repr(label))) + elif intranges_contain(cp_value, idnadata.codepoint_classes['CONTEXTO']): + if not valid_contexto(label, pos): + raise InvalidCodepointContext('Codepoint {0} not allowed at position {1} in {2}'.format(_unot(cp_value), pos+1, repr(label))) + else: + raise InvalidCodepoint('Codepoint {0} at position {1} of {2} not allowed'.format(_unot(cp_value), pos+1, repr(label))) + + check_bidi(label) + + +def alabel(label): + + try: + label = label.encode('ascii') + ulabel(label) + if not valid_label_length(label): + raise IDNAError('Label too long') + return label + except UnicodeEncodeError: + pass + + if not label: + raise IDNAError('No Input') + + label = unicode(label) + check_label(label) + label = _punycode(label) + label = _alabel_prefix + label + + if not valid_label_length(label): + raise IDNAError('Label too long') + + return label + + +def ulabel(label): + + if not isinstance(label, (bytes, bytearray)): + try: + label = label.encode('ascii') + except UnicodeEncodeError: + check_label(label) + return label + + label = label.lower() + if label.startswith(_alabel_prefix): + label = label[len(_alabel_prefix):] + else: + check_label(label) + return label.decode('ascii') + + label = label.decode('punycode') + check_label(label) + return label + + +def uts46_remap(domain, std3_rules=True, transitional=False): + """Re-map the characters in the string according to UTS46 processing.""" + from .uts46data import uts46data + output = u"" + try: + for pos, char in enumerate(domain): + code_point = ord(char) + uts46row = uts46data[code_point if code_point < 256 else + bisect.bisect_left(uts46data, (code_point, "Z")) - 1] + status = uts46row[1] + replacement = uts46row[2] if len(uts46row) == 3 else None + if (status == "V" or + (status == "D" and not transitional) or + (status == "3" and not std3_rules and replacement is None)): + output += char + elif replacement is not None and (status == "M" or + (status == "3" and not std3_rules) or + (status == "D" and transitional)): + output += replacement + elif status != "I": + raise IndexError() + return unicodedata.normalize("NFC", output) + except IndexError: + raise InvalidCodepoint( + "Codepoint {0} not allowed at position {1} in {2}".format( + _unot(code_point), pos + 1, repr(domain))) + + +def encode(s, strict=False, uts46=False, std3_rules=False, transitional=False): + + if isinstance(s, (bytes, bytearray)): + s = s.decode("ascii") + if uts46: + s = uts46_remap(s, std3_rules, transitional) + trailing_dot = False + result = [] + if strict: + labels = s.split('.') + else: + labels = _unicode_dots_re.split(s) + if not labels or labels == ['']: + raise IDNAError('Empty domain') + if labels[-1] == '': + del labels[-1] + trailing_dot = True + for label in labels: + s = alabel(label) + if s: + result.append(s) + else: + raise IDNAError('Empty label') + if trailing_dot: + result.append(b'') + s = b'.'.join(result) + if not valid_string_length(s, trailing_dot): + raise IDNAError('Domain too long') + return s + + +def decode(s, strict=False, uts46=False, std3_rules=False): + + if isinstance(s, (bytes, bytearray)): + s = s.decode("ascii") + if uts46: + s = uts46_remap(s, std3_rules, False) + trailing_dot = False + result = [] + if not strict: + labels = _unicode_dots_re.split(s) + else: + labels = s.split(u'.') + if not labels or labels == ['']: + raise IDNAError('Empty domain') + if not labels[-1]: + del labels[-1] + trailing_dot = True + for label in labels: + s = ulabel(label) + if s: + result.append(s) + else: + raise IDNAError('Empty label') + if trailing_dot: + result.append(u'') + return u'.'.join(result) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/idnadata.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/idnadata.py new file mode 100644 index 0000000..a80c959 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/idnadata.py @@ -0,0 +1,1979 @@ +# This file is automatically generated by tools/idna-data + +__version__ = "11.0.0" +scripts = { + 'Greek': ( + 0x37000000374, + 0x37500000378, + 0x37a0000037e, + 0x37f00000380, + 0x38400000385, + 0x38600000387, + 0x3880000038b, + 0x38c0000038d, + 0x38e000003a2, + 0x3a3000003e2, + 0x3f000000400, + 0x1d2600001d2b, + 0x1d5d00001d62, + 0x1d6600001d6b, + 0x1dbf00001dc0, + 0x1f0000001f16, + 0x1f1800001f1e, + 0x1f2000001f46, + 0x1f4800001f4e, + 0x1f5000001f58, + 0x1f5900001f5a, + 0x1f5b00001f5c, + 0x1f5d00001f5e, + 0x1f5f00001f7e, + 0x1f8000001fb5, + 0x1fb600001fc5, + 0x1fc600001fd4, + 0x1fd600001fdc, + 0x1fdd00001ff0, + 0x1ff200001ff5, + 0x1ff600001fff, + 0x212600002127, + 0xab650000ab66, + 0x101400001018f, + 0x101a0000101a1, + 0x1d2000001d246, + ), + 'Han': ( + 0x2e8000002e9a, + 0x2e9b00002ef4, + 0x2f0000002fd6, + 0x300500003006, + 0x300700003008, + 0x30210000302a, + 0x30380000303c, + 0x340000004db6, + 0x4e0000009ff0, + 0xf9000000fa6e, + 0xfa700000fada, + 0x200000002a6d7, + 0x2a7000002b735, + 0x2b7400002b81e, + 0x2b8200002cea2, + 0x2ceb00002ebe1, + 0x2f8000002fa1e, + ), + 'Hebrew': ( + 0x591000005c8, + 0x5d0000005eb, + 0x5ef000005f5, + 0xfb1d0000fb37, + 0xfb380000fb3d, + 0xfb3e0000fb3f, + 0xfb400000fb42, + 0xfb430000fb45, + 0xfb460000fb50, + ), + 'Hiragana': ( + 0x304100003097, + 0x309d000030a0, + 0x1b0010001b11f, + 0x1f2000001f201, + ), + 'Katakana': ( + 0x30a1000030fb, + 0x30fd00003100, + 0x31f000003200, + 0x32d0000032ff, + 0x330000003358, + 0xff660000ff70, + 0xff710000ff9e, + 0x1b0000001b001, + ), +} +joining_types = { + 0x600: 85, + 0x601: 85, + 0x602: 85, + 0x603: 85, + 0x604: 85, + 0x605: 85, + 0x608: 85, + 0x60b: 85, + 0x620: 68, + 0x621: 85, + 0x622: 82, + 0x623: 82, + 0x624: 82, + 0x625: 82, + 0x626: 68, + 0x627: 82, + 0x628: 68, + 0x629: 82, + 0x62a: 68, + 0x62b: 68, + 0x62c: 68, + 0x62d: 68, + 0x62e: 68, + 0x62f: 82, + 0x630: 82, + 0x631: 82, + 0x632: 82, + 0x633: 68, + 0x634: 68, + 0x635: 68, + 0x636: 68, + 0x637: 68, + 0x638: 68, + 0x639: 68, + 0x63a: 68, + 0x63b: 68, + 0x63c: 68, + 0x63d: 68, + 0x63e: 68, + 0x63f: 68, + 0x640: 67, + 0x641: 68, + 0x642: 68, + 0x643: 68, + 0x644: 68, + 0x645: 68, + 0x646: 68, + 0x647: 68, + 0x648: 82, + 0x649: 68, + 0x64a: 68, + 0x66e: 68, + 0x66f: 68, + 0x671: 82, + 0x672: 82, + 0x673: 82, + 0x674: 85, + 0x675: 82, + 0x676: 82, + 0x677: 82, + 0x678: 68, + 0x679: 68, + 0x67a: 68, + 0x67b: 68, + 0x67c: 68, + 0x67d: 68, + 0x67e: 68, + 0x67f: 68, + 0x680: 68, + 0x681: 68, + 0x682: 68, + 0x683: 68, + 0x684: 68, + 0x685: 68, + 0x686: 68, + 0x687: 68, + 0x688: 82, + 0x689: 82, + 0x68a: 82, + 0x68b: 82, + 0x68c: 82, + 0x68d: 82, + 0x68e: 82, + 0x68f: 82, + 0x690: 82, + 0x691: 82, + 0x692: 82, + 0x693: 82, + 0x694: 82, + 0x695: 82, + 0x696: 82, + 0x697: 82, + 0x698: 82, + 0x699: 82, + 0x69a: 68, + 0x69b: 68, + 0x69c: 68, + 0x69d: 68, + 0x69e: 68, + 0x69f: 68, + 0x6a0: 68, + 0x6a1: 68, + 0x6a2: 68, + 0x6a3: 68, + 0x6a4: 68, + 0x6a5: 68, + 0x6a6: 68, + 0x6a7: 68, + 0x6a8: 68, + 0x6a9: 68, + 0x6aa: 68, + 0x6ab: 68, + 0x6ac: 68, + 0x6ad: 68, + 0x6ae: 68, + 0x6af: 68, + 0x6b0: 68, + 0x6b1: 68, + 0x6b2: 68, + 0x6b3: 68, + 0x6b4: 68, + 0x6b5: 68, + 0x6b6: 68, + 0x6b7: 68, + 0x6b8: 68, + 0x6b9: 68, + 0x6ba: 68, + 0x6bb: 68, + 0x6bc: 68, + 0x6bd: 68, + 0x6be: 68, + 0x6bf: 68, + 0x6c0: 82, + 0x6c1: 68, + 0x6c2: 68, + 0x6c3: 82, + 0x6c4: 82, + 0x6c5: 82, + 0x6c6: 82, + 0x6c7: 82, + 0x6c8: 82, + 0x6c9: 82, + 0x6ca: 82, + 0x6cb: 82, + 0x6cc: 68, + 0x6cd: 82, + 0x6ce: 68, + 0x6cf: 82, + 0x6d0: 68, + 0x6d1: 68, + 0x6d2: 82, + 0x6d3: 82, + 0x6d5: 82, + 0x6dd: 85, + 0x6ee: 82, + 0x6ef: 82, + 0x6fa: 68, + 0x6fb: 68, + 0x6fc: 68, + 0x6ff: 68, + 0x70f: 84, + 0x710: 82, + 0x712: 68, + 0x713: 68, + 0x714: 68, + 0x715: 82, + 0x716: 82, + 0x717: 82, + 0x718: 82, + 0x719: 82, + 0x71a: 68, + 0x71b: 68, + 0x71c: 68, + 0x71d: 68, + 0x71e: 82, + 0x71f: 68, + 0x720: 68, + 0x721: 68, + 0x722: 68, + 0x723: 68, + 0x724: 68, + 0x725: 68, + 0x726: 68, + 0x727: 68, + 0x728: 82, + 0x729: 68, + 0x72a: 82, + 0x72b: 68, + 0x72c: 82, + 0x72d: 68, + 0x72e: 68, + 0x72f: 82, + 0x74d: 82, + 0x74e: 68, + 0x74f: 68, + 0x750: 68, + 0x751: 68, + 0x752: 68, + 0x753: 68, + 0x754: 68, + 0x755: 68, + 0x756: 68, + 0x757: 68, + 0x758: 68, + 0x759: 82, + 0x75a: 82, + 0x75b: 82, + 0x75c: 68, + 0x75d: 68, + 0x75e: 68, + 0x75f: 68, + 0x760: 68, + 0x761: 68, + 0x762: 68, + 0x763: 68, + 0x764: 68, + 0x765: 68, + 0x766: 68, + 0x767: 68, + 0x768: 68, + 0x769: 68, + 0x76a: 68, + 0x76b: 82, + 0x76c: 82, + 0x76d: 68, + 0x76e: 68, + 0x76f: 68, + 0x770: 68, + 0x771: 82, + 0x772: 68, + 0x773: 82, + 0x774: 82, + 0x775: 68, + 0x776: 68, + 0x777: 68, + 0x778: 82, + 0x779: 82, + 0x77a: 68, + 0x77b: 68, + 0x77c: 68, + 0x77d: 68, + 0x77e: 68, + 0x77f: 68, + 0x7ca: 68, + 0x7cb: 68, + 0x7cc: 68, + 0x7cd: 68, + 0x7ce: 68, + 0x7cf: 68, + 0x7d0: 68, + 0x7d1: 68, + 0x7d2: 68, + 0x7d3: 68, + 0x7d4: 68, + 0x7d5: 68, + 0x7d6: 68, + 0x7d7: 68, + 0x7d8: 68, + 0x7d9: 68, + 0x7da: 68, + 0x7db: 68, + 0x7dc: 68, + 0x7dd: 68, + 0x7de: 68, + 0x7df: 68, + 0x7e0: 68, + 0x7e1: 68, + 0x7e2: 68, + 0x7e3: 68, + 0x7e4: 68, + 0x7e5: 68, + 0x7e6: 68, + 0x7e7: 68, + 0x7e8: 68, + 0x7e9: 68, + 0x7ea: 68, + 0x7fa: 67, + 0x840: 82, + 0x841: 68, + 0x842: 68, + 0x843: 68, + 0x844: 68, + 0x845: 68, + 0x846: 82, + 0x847: 82, + 0x848: 68, + 0x849: 82, + 0x84a: 68, + 0x84b: 68, + 0x84c: 68, + 0x84d: 68, + 0x84e: 68, + 0x84f: 68, + 0x850: 68, + 0x851: 68, + 0x852: 68, + 0x853: 68, + 0x854: 82, + 0x855: 68, + 0x856: 85, + 0x857: 85, + 0x858: 85, + 0x860: 68, + 0x861: 85, + 0x862: 68, + 0x863: 68, + 0x864: 68, + 0x865: 68, + 0x866: 85, + 0x867: 82, + 0x868: 68, + 0x869: 82, + 0x86a: 82, + 0x8a0: 68, + 0x8a1: 68, + 0x8a2: 68, + 0x8a3: 68, + 0x8a4: 68, + 0x8a5: 68, + 0x8a6: 68, + 0x8a7: 68, + 0x8a8: 68, + 0x8a9: 68, + 0x8aa: 82, + 0x8ab: 82, + 0x8ac: 82, + 0x8ad: 85, + 0x8ae: 82, + 0x8af: 68, + 0x8b0: 68, + 0x8b1: 82, + 0x8b2: 82, + 0x8b3: 68, + 0x8b4: 68, + 0x8b6: 68, + 0x8b7: 68, + 0x8b8: 68, + 0x8b9: 82, + 0x8ba: 68, + 0x8bb: 68, + 0x8bc: 68, + 0x8bd: 68, + 0x8e2: 85, + 0x1806: 85, + 0x1807: 68, + 0x180a: 67, + 0x180e: 85, + 0x1820: 68, + 0x1821: 68, + 0x1822: 68, + 0x1823: 68, + 0x1824: 68, + 0x1825: 68, + 0x1826: 68, + 0x1827: 68, + 0x1828: 68, + 0x1829: 68, + 0x182a: 68, + 0x182b: 68, + 0x182c: 68, + 0x182d: 68, + 0x182e: 68, + 0x182f: 68, + 0x1830: 68, + 0x1831: 68, + 0x1832: 68, + 0x1833: 68, + 0x1834: 68, + 0x1835: 68, + 0x1836: 68, + 0x1837: 68, + 0x1838: 68, + 0x1839: 68, + 0x183a: 68, + 0x183b: 68, + 0x183c: 68, + 0x183d: 68, + 0x183e: 68, + 0x183f: 68, + 0x1840: 68, + 0x1841: 68, + 0x1842: 68, + 0x1843: 68, + 0x1844: 68, + 0x1845: 68, + 0x1846: 68, + 0x1847: 68, + 0x1848: 68, + 0x1849: 68, + 0x184a: 68, + 0x184b: 68, + 0x184c: 68, + 0x184d: 68, + 0x184e: 68, + 0x184f: 68, + 0x1850: 68, + 0x1851: 68, + 0x1852: 68, + 0x1853: 68, + 0x1854: 68, + 0x1855: 68, + 0x1856: 68, + 0x1857: 68, + 0x1858: 68, + 0x1859: 68, + 0x185a: 68, + 0x185b: 68, + 0x185c: 68, + 0x185d: 68, + 0x185e: 68, + 0x185f: 68, + 0x1860: 68, + 0x1861: 68, + 0x1862: 68, + 0x1863: 68, + 0x1864: 68, + 0x1865: 68, + 0x1866: 68, + 0x1867: 68, + 0x1868: 68, + 0x1869: 68, + 0x186a: 68, + 0x186b: 68, + 0x186c: 68, + 0x186d: 68, + 0x186e: 68, + 0x186f: 68, + 0x1870: 68, + 0x1871: 68, + 0x1872: 68, + 0x1873: 68, + 0x1874: 68, + 0x1875: 68, + 0x1876: 68, + 0x1877: 68, + 0x1878: 68, + 0x1880: 85, + 0x1881: 85, + 0x1882: 85, + 0x1883: 85, + 0x1884: 85, + 0x1885: 84, + 0x1886: 84, + 0x1887: 68, + 0x1888: 68, + 0x1889: 68, + 0x188a: 68, + 0x188b: 68, + 0x188c: 68, + 0x188d: 68, + 0x188e: 68, + 0x188f: 68, + 0x1890: 68, + 0x1891: 68, + 0x1892: 68, + 0x1893: 68, + 0x1894: 68, + 0x1895: 68, + 0x1896: 68, + 0x1897: 68, + 0x1898: 68, + 0x1899: 68, + 0x189a: 68, + 0x189b: 68, + 0x189c: 68, + 0x189d: 68, + 0x189e: 68, + 0x189f: 68, + 0x18a0: 68, + 0x18a1: 68, + 0x18a2: 68, + 0x18a3: 68, + 0x18a4: 68, + 0x18a5: 68, + 0x18a6: 68, + 0x18a7: 68, + 0x18a8: 68, + 0x18aa: 68, + 0x200c: 85, + 0x200d: 67, + 0x202f: 85, + 0x2066: 85, + 0x2067: 85, + 0x2068: 85, + 0x2069: 85, + 0xa840: 68, + 0xa841: 68, + 0xa842: 68, + 0xa843: 68, + 0xa844: 68, + 0xa845: 68, + 0xa846: 68, + 0xa847: 68, + 0xa848: 68, + 0xa849: 68, + 0xa84a: 68, + 0xa84b: 68, + 0xa84c: 68, + 0xa84d: 68, + 0xa84e: 68, + 0xa84f: 68, + 0xa850: 68, + 0xa851: 68, + 0xa852: 68, + 0xa853: 68, + 0xa854: 68, + 0xa855: 68, + 0xa856: 68, + 0xa857: 68, + 0xa858: 68, + 0xa859: 68, + 0xa85a: 68, + 0xa85b: 68, + 0xa85c: 68, + 0xa85d: 68, + 0xa85e: 68, + 0xa85f: 68, + 0xa860: 68, + 0xa861: 68, + 0xa862: 68, + 0xa863: 68, + 0xa864: 68, + 0xa865: 68, + 0xa866: 68, + 0xa867: 68, + 0xa868: 68, + 0xa869: 68, + 0xa86a: 68, + 0xa86b: 68, + 0xa86c: 68, + 0xa86d: 68, + 0xa86e: 68, + 0xa86f: 68, + 0xa870: 68, + 0xa871: 68, + 0xa872: 76, + 0xa873: 85, + 0x10ac0: 68, + 0x10ac1: 68, + 0x10ac2: 68, + 0x10ac3: 68, + 0x10ac4: 68, + 0x10ac5: 82, + 0x10ac6: 85, + 0x10ac7: 82, + 0x10ac8: 85, + 0x10ac9: 82, + 0x10aca: 82, + 0x10acb: 85, + 0x10acc: 85, + 0x10acd: 76, + 0x10ace: 82, + 0x10acf: 82, + 0x10ad0: 82, + 0x10ad1: 82, + 0x10ad2: 82, + 0x10ad3: 68, + 0x10ad4: 68, + 0x10ad5: 68, + 0x10ad6: 68, + 0x10ad7: 76, + 0x10ad8: 68, + 0x10ad9: 68, + 0x10ada: 68, + 0x10adb: 68, + 0x10adc: 68, + 0x10add: 82, + 0x10ade: 68, + 0x10adf: 68, + 0x10ae0: 68, + 0x10ae1: 82, + 0x10ae2: 85, + 0x10ae3: 85, + 0x10ae4: 82, + 0x10aeb: 68, + 0x10aec: 68, + 0x10aed: 68, + 0x10aee: 68, + 0x10aef: 82, + 0x10b80: 68, + 0x10b81: 82, + 0x10b82: 68, + 0x10b83: 82, + 0x10b84: 82, + 0x10b85: 82, + 0x10b86: 68, + 0x10b87: 68, + 0x10b88: 68, + 0x10b89: 82, + 0x10b8a: 68, + 0x10b8b: 68, + 0x10b8c: 82, + 0x10b8d: 68, + 0x10b8e: 82, + 0x10b8f: 82, + 0x10b90: 68, + 0x10b91: 82, + 0x10ba9: 82, + 0x10baa: 82, + 0x10bab: 82, + 0x10bac: 82, + 0x10bad: 68, + 0x10bae: 68, + 0x10baf: 85, + 0x10d00: 76, + 0x10d01: 68, + 0x10d02: 68, + 0x10d03: 68, + 0x10d04: 68, + 0x10d05: 68, + 0x10d06: 68, + 0x10d07: 68, + 0x10d08: 68, + 0x10d09: 68, + 0x10d0a: 68, + 0x10d0b: 68, + 0x10d0c: 68, + 0x10d0d: 68, + 0x10d0e: 68, + 0x10d0f: 68, + 0x10d10: 68, + 0x10d11: 68, + 0x10d12: 68, + 0x10d13: 68, + 0x10d14: 68, + 0x10d15: 68, + 0x10d16: 68, + 0x10d17: 68, + 0x10d18: 68, + 0x10d19: 68, + 0x10d1a: 68, + 0x10d1b: 68, + 0x10d1c: 68, + 0x10d1d: 68, + 0x10d1e: 68, + 0x10d1f: 68, + 0x10d20: 68, + 0x10d21: 68, + 0x10d22: 82, + 0x10d23: 68, + 0x10f30: 68, + 0x10f31: 68, + 0x10f32: 68, + 0x10f33: 82, + 0x10f34: 68, + 0x10f35: 68, + 0x10f36: 68, + 0x10f37: 68, + 0x10f38: 68, + 0x10f39: 68, + 0x10f3a: 68, + 0x10f3b: 68, + 0x10f3c: 68, + 0x10f3d: 68, + 0x10f3e: 68, + 0x10f3f: 68, + 0x10f40: 68, + 0x10f41: 68, + 0x10f42: 68, + 0x10f43: 68, + 0x10f44: 68, + 0x10f45: 85, + 0x10f51: 68, + 0x10f52: 68, + 0x10f53: 68, + 0x10f54: 82, + 0x110bd: 85, + 0x110cd: 85, + 0x1e900: 68, + 0x1e901: 68, + 0x1e902: 68, + 0x1e903: 68, + 0x1e904: 68, + 0x1e905: 68, + 0x1e906: 68, + 0x1e907: 68, + 0x1e908: 68, + 0x1e909: 68, + 0x1e90a: 68, + 0x1e90b: 68, + 0x1e90c: 68, + 0x1e90d: 68, + 0x1e90e: 68, + 0x1e90f: 68, + 0x1e910: 68, + 0x1e911: 68, + 0x1e912: 68, + 0x1e913: 68, + 0x1e914: 68, + 0x1e915: 68, + 0x1e916: 68, + 0x1e917: 68, + 0x1e918: 68, + 0x1e919: 68, + 0x1e91a: 68, + 0x1e91b: 68, + 0x1e91c: 68, + 0x1e91d: 68, + 0x1e91e: 68, + 0x1e91f: 68, + 0x1e920: 68, + 0x1e921: 68, + 0x1e922: 68, + 0x1e923: 68, + 0x1e924: 68, + 0x1e925: 68, + 0x1e926: 68, + 0x1e927: 68, + 0x1e928: 68, + 0x1e929: 68, + 0x1e92a: 68, + 0x1e92b: 68, + 0x1e92c: 68, + 0x1e92d: 68, + 0x1e92e: 68, + 0x1e92f: 68, + 0x1e930: 68, + 0x1e931: 68, + 0x1e932: 68, + 0x1e933: 68, + 0x1e934: 68, + 0x1e935: 68, + 0x1e936: 68, + 0x1e937: 68, + 0x1e938: 68, + 0x1e939: 68, + 0x1e93a: 68, + 0x1e93b: 68, + 0x1e93c: 68, + 0x1e93d: 68, + 0x1e93e: 68, + 0x1e93f: 68, + 0x1e940: 68, + 0x1e941: 68, + 0x1e942: 68, + 0x1e943: 68, +} +codepoint_classes = { + 'PVALID': ( + 0x2d0000002e, + 0x300000003a, + 0x610000007b, + 0xdf000000f7, + 0xf800000100, + 0x10100000102, + 0x10300000104, + 0x10500000106, + 0x10700000108, + 0x1090000010a, + 0x10b0000010c, + 0x10d0000010e, + 0x10f00000110, + 0x11100000112, + 0x11300000114, + 0x11500000116, + 0x11700000118, + 0x1190000011a, + 0x11b0000011c, + 0x11d0000011e, + 0x11f00000120, + 0x12100000122, + 0x12300000124, + 0x12500000126, + 0x12700000128, + 0x1290000012a, + 0x12b0000012c, + 0x12d0000012e, + 0x12f00000130, + 0x13100000132, + 0x13500000136, + 0x13700000139, + 0x13a0000013b, + 0x13c0000013d, + 0x13e0000013f, + 0x14200000143, + 0x14400000145, + 0x14600000147, + 0x14800000149, + 0x14b0000014c, + 0x14d0000014e, + 0x14f00000150, + 0x15100000152, + 0x15300000154, + 0x15500000156, + 0x15700000158, + 0x1590000015a, + 0x15b0000015c, + 0x15d0000015e, + 0x15f00000160, + 0x16100000162, + 0x16300000164, + 0x16500000166, + 0x16700000168, + 0x1690000016a, + 0x16b0000016c, + 0x16d0000016e, + 0x16f00000170, + 0x17100000172, + 0x17300000174, + 0x17500000176, + 0x17700000178, + 0x17a0000017b, + 0x17c0000017d, + 0x17e0000017f, + 0x18000000181, + 0x18300000184, + 0x18500000186, + 0x18800000189, + 0x18c0000018e, + 0x19200000193, + 0x19500000196, + 0x1990000019c, + 0x19e0000019f, + 0x1a1000001a2, + 0x1a3000001a4, + 0x1a5000001a6, + 0x1a8000001a9, + 0x1aa000001ac, + 0x1ad000001ae, + 0x1b0000001b1, + 0x1b4000001b5, + 0x1b6000001b7, + 0x1b9000001bc, + 0x1bd000001c4, + 0x1ce000001cf, + 0x1d0000001d1, + 0x1d2000001d3, + 0x1d4000001d5, + 0x1d6000001d7, + 0x1d8000001d9, + 0x1da000001db, + 0x1dc000001de, + 0x1df000001e0, + 0x1e1000001e2, + 0x1e3000001e4, + 0x1e5000001e6, + 0x1e7000001e8, + 0x1e9000001ea, + 0x1eb000001ec, + 0x1ed000001ee, + 0x1ef000001f1, + 0x1f5000001f6, + 0x1f9000001fa, + 0x1fb000001fc, + 0x1fd000001fe, + 0x1ff00000200, + 0x20100000202, + 0x20300000204, + 0x20500000206, + 0x20700000208, + 0x2090000020a, + 0x20b0000020c, + 0x20d0000020e, + 0x20f00000210, + 0x21100000212, + 0x21300000214, + 0x21500000216, + 0x21700000218, + 0x2190000021a, + 0x21b0000021c, + 0x21d0000021e, + 0x21f00000220, + 0x22100000222, + 0x22300000224, + 0x22500000226, + 0x22700000228, + 0x2290000022a, + 0x22b0000022c, + 0x22d0000022e, + 0x22f00000230, + 0x23100000232, + 0x2330000023a, + 0x23c0000023d, + 0x23f00000241, + 0x24200000243, + 0x24700000248, + 0x2490000024a, + 0x24b0000024c, + 0x24d0000024e, + 0x24f000002b0, + 0x2b9000002c2, + 0x2c6000002d2, + 0x2ec000002ed, + 0x2ee000002ef, + 0x30000000340, + 0x34200000343, + 0x3460000034f, + 0x35000000370, + 0x37100000372, + 0x37300000374, + 0x37700000378, + 0x37b0000037e, + 0x39000000391, + 0x3ac000003cf, + 0x3d7000003d8, + 0x3d9000003da, + 0x3db000003dc, + 0x3dd000003de, + 0x3df000003e0, + 0x3e1000003e2, + 0x3e3000003e4, + 0x3e5000003e6, + 0x3e7000003e8, + 0x3e9000003ea, + 0x3eb000003ec, + 0x3ed000003ee, + 0x3ef000003f0, + 0x3f3000003f4, + 0x3f8000003f9, + 0x3fb000003fd, + 0x43000000460, + 0x46100000462, + 0x46300000464, + 0x46500000466, + 0x46700000468, + 0x4690000046a, + 0x46b0000046c, + 0x46d0000046e, + 0x46f00000470, + 0x47100000472, + 0x47300000474, + 0x47500000476, + 0x47700000478, + 0x4790000047a, + 0x47b0000047c, + 0x47d0000047e, + 0x47f00000480, + 0x48100000482, + 0x48300000488, + 0x48b0000048c, + 0x48d0000048e, + 0x48f00000490, + 0x49100000492, + 0x49300000494, + 0x49500000496, + 0x49700000498, + 0x4990000049a, + 0x49b0000049c, + 0x49d0000049e, + 0x49f000004a0, + 0x4a1000004a2, + 0x4a3000004a4, + 0x4a5000004a6, + 0x4a7000004a8, + 0x4a9000004aa, + 0x4ab000004ac, + 0x4ad000004ae, + 0x4af000004b0, + 0x4b1000004b2, + 0x4b3000004b4, + 0x4b5000004b6, + 0x4b7000004b8, + 0x4b9000004ba, + 0x4bb000004bc, + 0x4bd000004be, + 0x4bf000004c0, + 0x4c2000004c3, + 0x4c4000004c5, + 0x4c6000004c7, + 0x4c8000004c9, + 0x4ca000004cb, + 0x4cc000004cd, + 0x4ce000004d0, + 0x4d1000004d2, + 0x4d3000004d4, + 0x4d5000004d6, + 0x4d7000004d8, + 0x4d9000004da, + 0x4db000004dc, + 0x4dd000004de, + 0x4df000004e0, + 0x4e1000004e2, + 0x4e3000004e4, + 0x4e5000004e6, + 0x4e7000004e8, + 0x4e9000004ea, + 0x4eb000004ec, + 0x4ed000004ee, + 0x4ef000004f0, + 0x4f1000004f2, + 0x4f3000004f4, + 0x4f5000004f6, + 0x4f7000004f8, + 0x4f9000004fa, + 0x4fb000004fc, + 0x4fd000004fe, + 0x4ff00000500, + 0x50100000502, + 0x50300000504, + 0x50500000506, + 0x50700000508, + 0x5090000050a, + 0x50b0000050c, + 0x50d0000050e, + 0x50f00000510, + 0x51100000512, + 0x51300000514, + 0x51500000516, + 0x51700000518, + 0x5190000051a, + 0x51b0000051c, + 0x51d0000051e, + 0x51f00000520, + 0x52100000522, + 0x52300000524, + 0x52500000526, + 0x52700000528, + 0x5290000052a, + 0x52b0000052c, + 0x52d0000052e, + 0x52f00000530, + 0x5590000055a, + 0x56000000587, + 0x58800000589, + 0x591000005be, + 0x5bf000005c0, + 0x5c1000005c3, + 0x5c4000005c6, + 0x5c7000005c8, + 0x5d0000005eb, + 0x5ef000005f3, + 0x6100000061b, + 0x62000000640, + 0x64100000660, + 0x66e00000675, + 0x679000006d4, + 0x6d5000006dd, + 0x6df000006e9, + 0x6ea000006f0, + 0x6fa00000700, + 0x7100000074b, + 0x74d000007b2, + 0x7c0000007f6, + 0x7fd000007fe, + 0x8000000082e, + 0x8400000085c, + 0x8600000086b, + 0x8a0000008b5, + 0x8b6000008be, + 0x8d3000008e2, + 0x8e300000958, + 0x96000000964, + 0x96600000970, + 0x97100000984, + 0x9850000098d, + 0x98f00000991, + 0x993000009a9, + 0x9aa000009b1, + 0x9b2000009b3, + 0x9b6000009ba, + 0x9bc000009c5, + 0x9c7000009c9, + 0x9cb000009cf, + 0x9d7000009d8, + 0x9e0000009e4, + 0x9e6000009f2, + 0x9fc000009fd, + 0x9fe000009ff, + 0xa0100000a04, + 0xa0500000a0b, + 0xa0f00000a11, + 0xa1300000a29, + 0xa2a00000a31, + 0xa3200000a33, + 0xa3500000a36, + 0xa3800000a3a, + 0xa3c00000a3d, + 0xa3e00000a43, + 0xa4700000a49, + 0xa4b00000a4e, + 0xa5100000a52, + 0xa5c00000a5d, + 0xa6600000a76, + 0xa8100000a84, + 0xa8500000a8e, + 0xa8f00000a92, + 0xa9300000aa9, + 0xaaa00000ab1, + 0xab200000ab4, + 0xab500000aba, + 0xabc00000ac6, + 0xac700000aca, + 0xacb00000ace, + 0xad000000ad1, + 0xae000000ae4, + 0xae600000af0, + 0xaf900000b00, + 0xb0100000b04, + 0xb0500000b0d, + 0xb0f00000b11, + 0xb1300000b29, + 0xb2a00000b31, + 0xb3200000b34, + 0xb3500000b3a, + 0xb3c00000b45, + 0xb4700000b49, + 0xb4b00000b4e, + 0xb5600000b58, + 0xb5f00000b64, + 0xb6600000b70, + 0xb7100000b72, + 0xb8200000b84, + 0xb8500000b8b, + 0xb8e00000b91, + 0xb9200000b96, + 0xb9900000b9b, + 0xb9c00000b9d, + 0xb9e00000ba0, + 0xba300000ba5, + 0xba800000bab, + 0xbae00000bba, + 0xbbe00000bc3, + 0xbc600000bc9, + 0xbca00000bce, + 0xbd000000bd1, + 0xbd700000bd8, + 0xbe600000bf0, + 0xc0000000c0d, + 0xc0e00000c11, + 0xc1200000c29, + 0xc2a00000c3a, + 0xc3d00000c45, + 0xc4600000c49, + 0xc4a00000c4e, + 0xc5500000c57, + 0xc5800000c5b, + 0xc6000000c64, + 0xc6600000c70, + 0xc8000000c84, + 0xc8500000c8d, + 0xc8e00000c91, + 0xc9200000ca9, + 0xcaa00000cb4, + 0xcb500000cba, + 0xcbc00000cc5, + 0xcc600000cc9, + 0xcca00000cce, + 0xcd500000cd7, + 0xcde00000cdf, + 0xce000000ce4, + 0xce600000cf0, + 0xcf100000cf3, + 0xd0000000d04, + 0xd0500000d0d, + 0xd0e00000d11, + 0xd1200000d45, + 0xd4600000d49, + 0xd4a00000d4f, + 0xd5400000d58, + 0xd5f00000d64, + 0xd6600000d70, + 0xd7a00000d80, + 0xd8200000d84, + 0xd8500000d97, + 0xd9a00000db2, + 0xdb300000dbc, + 0xdbd00000dbe, + 0xdc000000dc7, + 0xdca00000dcb, + 0xdcf00000dd5, + 0xdd600000dd7, + 0xdd800000de0, + 0xde600000df0, + 0xdf200000df4, + 0xe0100000e33, + 0xe3400000e3b, + 0xe4000000e4f, + 0xe5000000e5a, + 0xe8100000e83, + 0xe8400000e85, + 0xe8700000e89, + 0xe8a00000e8b, + 0xe8d00000e8e, + 0xe9400000e98, + 0xe9900000ea0, + 0xea100000ea4, + 0xea500000ea6, + 0xea700000ea8, + 0xeaa00000eac, + 0xead00000eb3, + 0xeb400000eba, + 0xebb00000ebe, + 0xec000000ec5, + 0xec600000ec7, + 0xec800000ece, + 0xed000000eda, + 0xede00000ee0, + 0xf0000000f01, + 0xf0b00000f0c, + 0xf1800000f1a, + 0xf2000000f2a, + 0xf3500000f36, + 0xf3700000f38, + 0xf3900000f3a, + 0xf3e00000f43, + 0xf4400000f48, + 0xf4900000f4d, + 0xf4e00000f52, + 0xf5300000f57, + 0xf5800000f5c, + 0xf5d00000f69, + 0xf6a00000f6d, + 0xf7100000f73, + 0xf7400000f75, + 0xf7a00000f81, + 0xf8200000f85, + 0xf8600000f93, + 0xf9400000f98, + 0xf9900000f9d, + 0xf9e00000fa2, + 0xfa300000fa7, + 0xfa800000fac, + 0xfad00000fb9, + 0xfba00000fbd, + 0xfc600000fc7, + 0x10000000104a, + 0x10500000109e, + 0x10d0000010fb, + 0x10fd00001100, + 0x120000001249, + 0x124a0000124e, + 0x125000001257, + 0x125800001259, + 0x125a0000125e, + 0x126000001289, + 0x128a0000128e, + 0x1290000012b1, + 0x12b2000012b6, + 0x12b8000012bf, + 0x12c0000012c1, + 0x12c2000012c6, + 0x12c8000012d7, + 0x12d800001311, + 0x131200001316, + 0x13180000135b, + 0x135d00001360, + 0x138000001390, + 0x13a0000013f6, + 0x14010000166d, + 0x166f00001680, + 0x16810000169b, + 0x16a0000016eb, + 0x16f1000016f9, + 0x17000000170d, + 0x170e00001715, + 0x172000001735, + 0x174000001754, + 0x17600000176d, + 0x176e00001771, + 0x177200001774, + 0x1780000017b4, + 0x17b6000017d4, + 0x17d7000017d8, + 0x17dc000017de, + 0x17e0000017ea, + 0x18100000181a, + 0x182000001879, + 0x1880000018ab, + 0x18b0000018f6, + 0x19000000191f, + 0x19200000192c, + 0x19300000193c, + 0x19460000196e, + 0x197000001975, + 0x1980000019ac, + 0x19b0000019ca, + 0x19d0000019da, + 0x1a0000001a1c, + 0x1a2000001a5f, + 0x1a6000001a7d, + 0x1a7f00001a8a, + 0x1a9000001a9a, + 0x1aa700001aa8, + 0x1ab000001abe, + 0x1b0000001b4c, + 0x1b5000001b5a, + 0x1b6b00001b74, + 0x1b8000001bf4, + 0x1c0000001c38, + 0x1c4000001c4a, + 0x1c4d00001c7e, + 0x1cd000001cd3, + 0x1cd400001cfa, + 0x1d0000001d2c, + 0x1d2f00001d30, + 0x1d3b00001d3c, + 0x1d4e00001d4f, + 0x1d6b00001d78, + 0x1d7900001d9b, + 0x1dc000001dfa, + 0x1dfb00001e00, + 0x1e0100001e02, + 0x1e0300001e04, + 0x1e0500001e06, + 0x1e0700001e08, + 0x1e0900001e0a, + 0x1e0b00001e0c, + 0x1e0d00001e0e, + 0x1e0f00001e10, + 0x1e1100001e12, + 0x1e1300001e14, + 0x1e1500001e16, + 0x1e1700001e18, + 0x1e1900001e1a, + 0x1e1b00001e1c, + 0x1e1d00001e1e, + 0x1e1f00001e20, + 0x1e2100001e22, + 0x1e2300001e24, + 0x1e2500001e26, + 0x1e2700001e28, + 0x1e2900001e2a, + 0x1e2b00001e2c, + 0x1e2d00001e2e, + 0x1e2f00001e30, + 0x1e3100001e32, + 0x1e3300001e34, + 0x1e3500001e36, + 0x1e3700001e38, + 0x1e3900001e3a, + 0x1e3b00001e3c, + 0x1e3d00001e3e, + 0x1e3f00001e40, + 0x1e4100001e42, + 0x1e4300001e44, + 0x1e4500001e46, + 0x1e4700001e48, + 0x1e4900001e4a, + 0x1e4b00001e4c, + 0x1e4d00001e4e, + 0x1e4f00001e50, + 0x1e5100001e52, + 0x1e5300001e54, + 0x1e5500001e56, + 0x1e5700001e58, + 0x1e5900001e5a, + 0x1e5b00001e5c, + 0x1e5d00001e5e, + 0x1e5f00001e60, + 0x1e6100001e62, + 0x1e6300001e64, + 0x1e6500001e66, + 0x1e6700001e68, + 0x1e6900001e6a, + 0x1e6b00001e6c, + 0x1e6d00001e6e, + 0x1e6f00001e70, + 0x1e7100001e72, + 0x1e7300001e74, + 0x1e7500001e76, + 0x1e7700001e78, + 0x1e7900001e7a, + 0x1e7b00001e7c, + 0x1e7d00001e7e, + 0x1e7f00001e80, + 0x1e8100001e82, + 0x1e8300001e84, + 0x1e8500001e86, + 0x1e8700001e88, + 0x1e8900001e8a, + 0x1e8b00001e8c, + 0x1e8d00001e8e, + 0x1e8f00001e90, + 0x1e9100001e92, + 0x1e9300001e94, + 0x1e9500001e9a, + 0x1e9c00001e9e, + 0x1e9f00001ea0, + 0x1ea100001ea2, + 0x1ea300001ea4, + 0x1ea500001ea6, + 0x1ea700001ea8, + 0x1ea900001eaa, + 0x1eab00001eac, + 0x1ead00001eae, + 0x1eaf00001eb0, + 0x1eb100001eb2, + 0x1eb300001eb4, + 0x1eb500001eb6, + 0x1eb700001eb8, + 0x1eb900001eba, + 0x1ebb00001ebc, + 0x1ebd00001ebe, + 0x1ebf00001ec0, + 0x1ec100001ec2, + 0x1ec300001ec4, + 0x1ec500001ec6, + 0x1ec700001ec8, + 0x1ec900001eca, + 0x1ecb00001ecc, + 0x1ecd00001ece, + 0x1ecf00001ed0, + 0x1ed100001ed2, + 0x1ed300001ed4, + 0x1ed500001ed6, + 0x1ed700001ed8, + 0x1ed900001eda, + 0x1edb00001edc, + 0x1edd00001ede, + 0x1edf00001ee0, + 0x1ee100001ee2, + 0x1ee300001ee4, + 0x1ee500001ee6, + 0x1ee700001ee8, + 0x1ee900001eea, + 0x1eeb00001eec, + 0x1eed00001eee, + 0x1eef00001ef0, + 0x1ef100001ef2, + 0x1ef300001ef4, + 0x1ef500001ef6, + 0x1ef700001ef8, + 0x1ef900001efa, + 0x1efb00001efc, + 0x1efd00001efe, + 0x1eff00001f08, + 0x1f1000001f16, + 0x1f2000001f28, + 0x1f3000001f38, + 0x1f4000001f46, + 0x1f5000001f58, + 0x1f6000001f68, + 0x1f7000001f71, + 0x1f7200001f73, + 0x1f7400001f75, + 0x1f7600001f77, + 0x1f7800001f79, + 0x1f7a00001f7b, + 0x1f7c00001f7d, + 0x1fb000001fb2, + 0x1fb600001fb7, + 0x1fc600001fc7, + 0x1fd000001fd3, + 0x1fd600001fd8, + 0x1fe000001fe3, + 0x1fe400001fe8, + 0x1ff600001ff7, + 0x214e0000214f, + 0x218400002185, + 0x2c3000002c5f, + 0x2c6100002c62, + 0x2c6500002c67, + 0x2c6800002c69, + 0x2c6a00002c6b, + 0x2c6c00002c6d, + 0x2c7100002c72, + 0x2c7300002c75, + 0x2c7600002c7c, + 0x2c8100002c82, + 0x2c8300002c84, + 0x2c8500002c86, + 0x2c8700002c88, + 0x2c8900002c8a, + 0x2c8b00002c8c, + 0x2c8d00002c8e, + 0x2c8f00002c90, + 0x2c9100002c92, + 0x2c9300002c94, + 0x2c9500002c96, + 0x2c9700002c98, + 0x2c9900002c9a, + 0x2c9b00002c9c, + 0x2c9d00002c9e, + 0x2c9f00002ca0, + 0x2ca100002ca2, + 0x2ca300002ca4, + 0x2ca500002ca6, + 0x2ca700002ca8, + 0x2ca900002caa, + 0x2cab00002cac, + 0x2cad00002cae, + 0x2caf00002cb0, + 0x2cb100002cb2, + 0x2cb300002cb4, + 0x2cb500002cb6, + 0x2cb700002cb8, + 0x2cb900002cba, + 0x2cbb00002cbc, + 0x2cbd00002cbe, + 0x2cbf00002cc0, + 0x2cc100002cc2, + 0x2cc300002cc4, + 0x2cc500002cc6, + 0x2cc700002cc8, + 0x2cc900002cca, + 0x2ccb00002ccc, + 0x2ccd00002cce, + 0x2ccf00002cd0, + 0x2cd100002cd2, + 0x2cd300002cd4, + 0x2cd500002cd6, + 0x2cd700002cd8, + 0x2cd900002cda, + 0x2cdb00002cdc, + 0x2cdd00002cde, + 0x2cdf00002ce0, + 0x2ce100002ce2, + 0x2ce300002ce5, + 0x2cec00002ced, + 0x2cee00002cf2, + 0x2cf300002cf4, + 0x2d0000002d26, + 0x2d2700002d28, + 0x2d2d00002d2e, + 0x2d3000002d68, + 0x2d7f00002d97, + 0x2da000002da7, + 0x2da800002daf, + 0x2db000002db7, + 0x2db800002dbf, + 0x2dc000002dc7, + 0x2dc800002dcf, + 0x2dd000002dd7, + 0x2dd800002ddf, + 0x2de000002e00, + 0x2e2f00002e30, + 0x300500003008, + 0x302a0000302e, + 0x303c0000303d, + 0x304100003097, + 0x30990000309b, + 0x309d0000309f, + 0x30a1000030fb, + 0x30fc000030ff, + 0x310500003130, + 0x31a0000031bb, + 0x31f000003200, + 0x340000004db6, + 0x4e0000009ff0, + 0xa0000000a48d, + 0xa4d00000a4fe, + 0xa5000000a60d, + 0xa6100000a62c, + 0xa6410000a642, + 0xa6430000a644, + 0xa6450000a646, + 0xa6470000a648, + 0xa6490000a64a, + 0xa64b0000a64c, + 0xa64d0000a64e, + 0xa64f0000a650, + 0xa6510000a652, + 0xa6530000a654, + 0xa6550000a656, + 0xa6570000a658, + 0xa6590000a65a, + 0xa65b0000a65c, + 0xa65d0000a65e, + 0xa65f0000a660, + 0xa6610000a662, + 0xa6630000a664, + 0xa6650000a666, + 0xa6670000a668, + 0xa6690000a66a, + 0xa66b0000a66c, + 0xa66d0000a670, + 0xa6740000a67e, + 0xa67f0000a680, + 0xa6810000a682, + 0xa6830000a684, + 0xa6850000a686, + 0xa6870000a688, + 0xa6890000a68a, + 0xa68b0000a68c, + 0xa68d0000a68e, + 0xa68f0000a690, + 0xa6910000a692, + 0xa6930000a694, + 0xa6950000a696, + 0xa6970000a698, + 0xa6990000a69a, + 0xa69b0000a69c, + 0xa69e0000a6e6, + 0xa6f00000a6f2, + 0xa7170000a720, + 0xa7230000a724, + 0xa7250000a726, + 0xa7270000a728, + 0xa7290000a72a, + 0xa72b0000a72c, + 0xa72d0000a72e, + 0xa72f0000a732, + 0xa7330000a734, + 0xa7350000a736, + 0xa7370000a738, + 0xa7390000a73a, + 0xa73b0000a73c, + 0xa73d0000a73e, + 0xa73f0000a740, + 0xa7410000a742, + 0xa7430000a744, + 0xa7450000a746, + 0xa7470000a748, + 0xa7490000a74a, + 0xa74b0000a74c, + 0xa74d0000a74e, + 0xa74f0000a750, + 0xa7510000a752, + 0xa7530000a754, + 0xa7550000a756, + 0xa7570000a758, + 0xa7590000a75a, + 0xa75b0000a75c, + 0xa75d0000a75e, + 0xa75f0000a760, + 0xa7610000a762, + 0xa7630000a764, + 0xa7650000a766, + 0xa7670000a768, + 0xa7690000a76a, + 0xa76b0000a76c, + 0xa76d0000a76e, + 0xa76f0000a770, + 0xa7710000a779, + 0xa77a0000a77b, + 0xa77c0000a77d, + 0xa77f0000a780, + 0xa7810000a782, + 0xa7830000a784, + 0xa7850000a786, + 0xa7870000a789, + 0xa78c0000a78d, + 0xa78e0000a790, + 0xa7910000a792, + 0xa7930000a796, + 0xa7970000a798, + 0xa7990000a79a, + 0xa79b0000a79c, + 0xa79d0000a79e, + 0xa79f0000a7a0, + 0xa7a10000a7a2, + 0xa7a30000a7a4, + 0xa7a50000a7a6, + 0xa7a70000a7a8, + 0xa7a90000a7aa, + 0xa7af0000a7b0, + 0xa7b50000a7b6, + 0xa7b70000a7b8, + 0xa7b90000a7ba, + 0xa7f70000a7f8, + 0xa7fa0000a828, + 0xa8400000a874, + 0xa8800000a8c6, + 0xa8d00000a8da, + 0xa8e00000a8f8, + 0xa8fb0000a8fc, + 0xa8fd0000a92e, + 0xa9300000a954, + 0xa9800000a9c1, + 0xa9cf0000a9da, + 0xa9e00000a9ff, + 0xaa000000aa37, + 0xaa400000aa4e, + 0xaa500000aa5a, + 0xaa600000aa77, + 0xaa7a0000aac3, + 0xaadb0000aade, + 0xaae00000aaf0, + 0xaaf20000aaf7, + 0xab010000ab07, + 0xab090000ab0f, + 0xab110000ab17, + 0xab200000ab27, + 0xab280000ab2f, + 0xab300000ab5b, + 0xab600000ab66, + 0xabc00000abeb, + 0xabec0000abee, + 0xabf00000abfa, + 0xac000000d7a4, + 0xfa0e0000fa10, + 0xfa110000fa12, + 0xfa130000fa15, + 0xfa1f0000fa20, + 0xfa210000fa22, + 0xfa230000fa25, + 0xfa270000fa2a, + 0xfb1e0000fb1f, + 0xfe200000fe30, + 0xfe730000fe74, + 0x100000001000c, + 0x1000d00010027, + 0x100280001003b, + 0x1003c0001003e, + 0x1003f0001004e, + 0x100500001005e, + 0x10080000100fb, + 0x101fd000101fe, + 0x102800001029d, + 0x102a0000102d1, + 0x102e0000102e1, + 0x1030000010320, + 0x1032d00010341, + 0x103420001034a, + 0x103500001037b, + 0x103800001039e, + 0x103a0000103c4, + 0x103c8000103d0, + 0x104280001049e, + 0x104a0000104aa, + 0x104d8000104fc, + 0x1050000010528, + 0x1053000010564, + 0x1060000010737, + 0x1074000010756, + 0x1076000010768, + 0x1080000010806, + 0x1080800010809, + 0x1080a00010836, + 0x1083700010839, + 0x1083c0001083d, + 0x1083f00010856, + 0x1086000010877, + 0x108800001089f, + 0x108e0000108f3, + 0x108f4000108f6, + 0x1090000010916, + 0x109200001093a, + 0x10980000109b8, + 0x109be000109c0, + 0x10a0000010a04, + 0x10a0500010a07, + 0x10a0c00010a14, + 0x10a1500010a18, + 0x10a1900010a36, + 0x10a3800010a3b, + 0x10a3f00010a40, + 0x10a6000010a7d, + 0x10a8000010a9d, + 0x10ac000010ac8, + 0x10ac900010ae7, + 0x10b0000010b36, + 0x10b4000010b56, + 0x10b6000010b73, + 0x10b8000010b92, + 0x10c0000010c49, + 0x10cc000010cf3, + 0x10d0000010d28, + 0x10d3000010d3a, + 0x10f0000010f1d, + 0x10f2700010f28, + 0x10f3000010f51, + 0x1100000011047, + 0x1106600011070, + 0x1107f000110bb, + 0x110d0000110e9, + 0x110f0000110fa, + 0x1110000011135, + 0x1113600011140, + 0x1114400011147, + 0x1115000011174, + 0x1117600011177, + 0x11180000111c5, + 0x111c9000111cd, + 0x111d0000111db, + 0x111dc000111dd, + 0x1120000011212, + 0x1121300011238, + 0x1123e0001123f, + 0x1128000011287, + 0x1128800011289, + 0x1128a0001128e, + 0x1128f0001129e, + 0x1129f000112a9, + 0x112b0000112eb, + 0x112f0000112fa, + 0x1130000011304, + 0x113050001130d, + 0x1130f00011311, + 0x1131300011329, + 0x1132a00011331, + 0x1133200011334, + 0x113350001133a, + 0x1133b00011345, + 0x1134700011349, + 0x1134b0001134e, + 0x1135000011351, + 0x1135700011358, + 0x1135d00011364, + 0x113660001136d, + 0x1137000011375, + 0x114000001144b, + 0x114500001145a, + 0x1145e0001145f, + 0x11480000114c6, + 0x114c7000114c8, + 0x114d0000114da, + 0x11580000115b6, + 0x115b8000115c1, + 0x115d8000115de, + 0x1160000011641, + 0x1164400011645, + 0x116500001165a, + 0x11680000116b8, + 0x116c0000116ca, + 0x117000001171b, + 0x1171d0001172c, + 0x117300001173a, + 0x118000001183b, + 0x118c0000118ea, + 0x118ff00011900, + 0x11a0000011a3f, + 0x11a4700011a48, + 0x11a5000011a84, + 0x11a8600011a9a, + 0x11a9d00011a9e, + 0x11ac000011af9, + 0x11c0000011c09, + 0x11c0a00011c37, + 0x11c3800011c41, + 0x11c5000011c5a, + 0x11c7200011c90, + 0x11c9200011ca8, + 0x11ca900011cb7, + 0x11d0000011d07, + 0x11d0800011d0a, + 0x11d0b00011d37, + 0x11d3a00011d3b, + 0x11d3c00011d3e, + 0x11d3f00011d48, + 0x11d5000011d5a, + 0x11d6000011d66, + 0x11d6700011d69, + 0x11d6a00011d8f, + 0x11d9000011d92, + 0x11d9300011d99, + 0x11da000011daa, + 0x11ee000011ef7, + 0x120000001239a, + 0x1248000012544, + 0x130000001342f, + 0x1440000014647, + 0x1680000016a39, + 0x16a4000016a5f, + 0x16a6000016a6a, + 0x16ad000016aee, + 0x16af000016af5, + 0x16b0000016b37, + 0x16b4000016b44, + 0x16b5000016b5a, + 0x16b6300016b78, + 0x16b7d00016b90, + 0x16e6000016e80, + 0x16f0000016f45, + 0x16f5000016f7f, + 0x16f8f00016fa0, + 0x16fe000016fe2, + 0x17000000187f2, + 0x1880000018af3, + 0x1b0000001b11f, + 0x1b1700001b2fc, + 0x1bc000001bc6b, + 0x1bc700001bc7d, + 0x1bc800001bc89, + 0x1bc900001bc9a, + 0x1bc9d0001bc9f, + 0x1da000001da37, + 0x1da3b0001da6d, + 0x1da750001da76, + 0x1da840001da85, + 0x1da9b0001daa0, + 0x1daa10001dab0, + 0x1e0000001e007, + 0x1e0080001e019, + 0x1e01b0001e022, + 0x1e0230001e025, + 0x1e0260001e02b, + 0x1e8000001e8c5, + 0x1e8d00001e8d7, + 0x1e9220001e94b, + 0x1e9500001e95a, + 0x200000002a6d7, + 0x2a7000002b735, + 0x2b7400002b81e, + 0x2b8200002cea2, + 0x2ceb00002ebe1, + ), + 'CONTEXTJ': ( + 0x200c0000200e, + ), + 'CONTEXTO': ( + 0xb7000000b8, + 0x37500000376, + 0x5f3000005f5, + 0x6600000066a, + 0x6f0000006fa, + 0x30fb000030fc, + ), +} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/intranges.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/intranges.py new file mode 100644 index 0000000..fa8a735 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/intranges.py @@ -0,0 +1,53 @@ +""" +Given a list of integers, made up of (hopefully) a small number of long runs +of consecutive integers, compute a representation of the form +((start1, end1), (start2, end2) ...). Then answer the question "was x present +in the original list?" in time O(log(# runs)). +""" + +import bisect + +def intranges_from_list(list_): + """Represent a list of integers as a sequence of ranges: + ((start_0, end_0), (start_1, end_1), ...), such that the original + integers are exactly those x such that start_i <= x < end_i for some i. + + Ranges are encoded as single integers (start << 32 | end), not as tuples. + """ + + sorted_list = sorted(list_) + ranges = [] + last_write = -1 + for i in range(len(sorted_list)): + if i+1 < len(sorted_list): + if sorted_list[i] == sorted_list[i+1]-1: + continue + current_range = sorted_list[last_write+1:i+1] + ranges.append(_encode_range(current_range[0], current_range[-1] + 1)) + last_write = i + + return tuple(ranges) + +def _encode_range(start, end): + return (start << 32) | end + +def _decode_range(r): + return (r >> 32), (r & ((1 << 32) - 1)) + + +def intranges_contain(int_, ranges): + """Determine if `int_` falls into one of the ranges in `ranges`.""" + tuple_ = _encode_range(int_, 0) + pos = bisect.bisect_left(ranges, tuple_) + # we could be immediately ahead of a tuple (start, end) + # with start < int_ <= end + if pos > 0: + left, right = _decode_range(ranges[pos-1]) + if left <= int_ < right: + return True + # or we could be immediately behind a tuple (int_, end) + if pos < len(ranges): + left, _ = _decode_range(ranges[pos]) + if left == int_: + return True + return False diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/package_data.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/package_data.py new file mode 100644 index 0000000..257e898 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/package_data.py @@ -0,0 +1,2 @@ +__version__ = '2.8' + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/uts46data.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/uts46data.py new file mode 100644 index 0000000..a68ed4c --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/uts46data.py @@ -0,0 +1,8205 @@ +# This file is automatically generated by tools/idna-data +# vim: set fileencoding=utf-8 : + +"""IDNA Mapping Table from UTS46.""" + + +__version__ = "11.0.0" +def _seg_0(): + return [ + (0x0, '3'), + (0x1, '3'), + (0x2, '3'), + (0x3, '3'), + (0x4, '3'), + (0x5, '3'), + (0x6, '3'), + (0x7, '3'), + (0x8, '3'), + (0x9, '3'), + (0xA, '3'), + (0xB, '3'), + (0xC, '3'), + (0xD, '3'), + (0xE, '3'), + (0xF, '3'), + (0x10, '3'), + (0x11, '3'), + (0x12, '3'), + (0x13, '3'), + (0x14, '3'), + (0x15, '3'), + (0x16, '3'), + (0x17, '3'), + (0x18, '3'), + (0x19, '3'), + (0x1A, '3'), + (0x1B, '3'), + (0x1C, '3'), + (0x1D, '3'), + (0x1E, '3'), + (0x1F, '3'), + (0x20, '3'), + (0x21, '3'), + (0x22, '3'), + (0x23, '3'), + (0x24, '3'), + (0x25, '3'), + (0x26, '3'), + (0x27, '3'), + (0x28, '3'), + (0x29, '3'), + (0x2A, '3'), + (0x2B, '3'), + (0x2C, '3'), + (0x2D, 'V'), + (0x2E, 'V'), + (0x2F, '3'), + (0x30, 'V'), + (0x31, 'V'), + (0x32, 'V'), + (0x33, 'V'), + (0x34, 'V'), + (0x35, 'V'), + (0x36, 'V'), + (0x37, 'V'), + (0x38, 'V'), + (0x39, 'V'), + (0x3A, '3'), + (0x3B, '3'), + (0x3C, '3'), + (0x3D, '3'), + (0x3E, '3'), + (0x3F, '3'), + (0x40, '3'), + (0x41, 'M', u'a'), + (0x42, 'M', u'b'), + (0x43, 'M', u'c'), + (0x44, 'M', u'd'), + (0x45, 'M', u'e'), + (0x46, 'M', u'f'), + (0x47, 'M', u'g'), + (0x48, 'M', u'h'), + (0x49, 'M', u'i'), + (0x4A, 'M', u'j'), + (0x4B, 'M', u'k'), + (0x4C, 'M', u'l'), + (0x4D, 'M', u'm'), + (0x4E, 'M', u'n'), + (0x4F, 'M', u'o'), + (0x50, 'M', u'p'), + (0x51, 'M', u'q'), + (0x52, 'M', u'r'), + (0x53, 'M', u's'), + (0x54, 'M', u't'), + (0x55, 'M', u'u'), + (0x56, 'M', u'v'), + (0x57, 'M', u'w'), + (0x58, 'M', u'x'), + (0x59, 'M', u'y'), + (0x5A, 'M', u'z'), + (0x5B, '3'), + (0x5C, '3'), + (0x5D, '3'), + (0x5E, '3'), + (0x5F, '3'), + (0x60, '3'), + (0x61, 'V'), + (0x62, 'V'), + (0x63, 'V'), + ] + +def _seg_1(): + return [ + (0x64, 'V'), + (0x65, 'V'), + (0x66, 'V'), + (0x67, 'V'), + (0x68, 'V'), + (0x69, 'V'), + (0x6A, 'V'), + (0x6B, 'V'), + (0x6C, 'V'), + (0x6D, 'V'), + (0x6E, 'V'), + (0x6F, 'V'), + (0x70, 'V'), + (0x71, 'V'), + (0x72, 'V'), + (0x73, 'V'), + (0x74, 'V'), + (0x75, 'V'), + (0x76, 'V'), + (0x77, 'V'), + (0x78, 'V'), + (0x79, 'V'), + (0x7A, 'V'), + (0x7B, '3'), + (0x7C, '3'), + (0x7D, '3'), + (0x7E, '3'), + (0x7F, '3'), + (0x80, 'X'), + (0x81, 'X'), + (0x82, 'X'), + (0x83, 'X'), + (0x84, 'X'), + (0x85, 'X'), + (0x86, 'X'), + (0x87, 'X'), + (0x88, 'X'), + (0x89, 'X'), + (0x8A, 'X'), + (0x8B, 'X'), + (0x8C, 'X'), + (0x8D, 'X'), + (0x8E, 'X'), + (0x8F, 'X'), + (0x90, 'X'), + (0x91, 'X'), + (0x92, 'X'), + (0x93, 'X'), + (0x94, 'X'), + (0x95, 'X'), + (0x96, 'X'), + (0x97, 'X'), + (0x98, 'X'), + (0x99, 'X'), + (0x9A, 'X'), + (0x9B, 'X'), + (0x9C, 'X'), + (0x9D, 'X'), + (0x9E, 'X'), + (0x9F, 'X'), + (0xA0, '3', u' '), + (0xA1, 'V'), + (0xA2, 'V'), + (0xA3, 'V'), + (0xA4, 'V'), + (0xA5, 'V'), + (0xA6, 'V'), + (0xA7, 'V'), + (0xA8, '3', u' ̈'), + (0xA9, 'V'), + (0xAA, 'M', u'a'), + (0xAB, 'V'), + (0xAC, 'V'), + (0xAD, 'I'), + (0xAE, 'V'), + (0xAF, '3', u' ̄'), + (0xB0, 'V'), + (0xB1, 'V'), + (0xB2, 'M', u'2'), + (0xB3, 'M', u'3'), + (0xB4, '3', u' ́'), + (0xB5, 'M', u'μ'), + (0xB6, 'V'), + (0xB7, 'V'), + (0xB8, '3', u' ̧'), + (0xB9, 'M', u'1'), + (0xBA, 'M', u'o'), + (0xBB, 'V'), + (0xBC, 'M', u'1⁄4'), + (0xBD, 'M', u'1⁄2'), + (0xBE, 'M', u'3⁄4'), + (0xBF, 'V'), + (0xC0, 'M', u'à'), + (0xC1, 'M', u'á'), + (0xC2, 'M', u'â'), + (0xC3, 'M', u'ã'), + (0xC4, 'M', u'ä'), + (0xC5, 'M', u'å'), + (0xC6, 'M', u'æ'), + (0xC7, 'M', u'ç'), + ] + +def _seg_2(): + return [ + (0xC8, 'M', u'è'), + (0xC9, 'M', u'é'), + (0xCA, 'M', u'ê'), + (0xCB, 'M', u'ë'), + (0xCC, 'M', u'ì'), + (0xCD, 'M', u'í'), + (0xCE, 'M', u'î'), + (0xCF, 'M', u'ï'), + (0xD0, 'M', u'ð'), + (0xD1, 'M', u'ñ'), + (0xD2, 'M', u'ò'), + (0xD3, 'M', u'ó'), + (0xD4, 'M', u'ô'), + (0xD5, 'M', u'õ'), + (0xD6, 'M', u'ö'), + (0xD7, 'V'), + (0xD8, 'M', u'ø'), + (0xD9, 'M', u'ù'), + (0xDA, 'M', u'ú'), + (0xDB, 'M', u'û'), + (0xDC, 'M', u'ü'), + (0xDD, 'M', u'ý'), + (0xDE, 'M', u'þ'), + (0xDF, 'D', u'ss'), + (0xE0, 'V'), + (0xE1, 'V'), + (0xE2, 'V'), + (0xE3, 'V'), + (0xE4, 'V'), + (0xE5, 'V'), + (0xE6, 'V'), + (0xE7, 'V'), + (0xE8, 'V'), + (0xE9, 'V'), + (0xEA, 'V'), + (0xEB, 'V'), + (0xEC, 'V'), + (0xED, 'V'), + (0xEE, 'V'), + (0xEF, 'V'), + (0xF0, 'V'), + (0xF1, 'V'), + (0xF2, 'V'), + (0xF3, 'V'), + (0xF4, 'V'), + (0xF5, 'V'), + (0xF6, 'V'), + (0xF7, 'V'), + (0xF8, 'V'), + (0xF9, 'V'), + (0xFA, 'V'), + (0xFB, 'V'), + (0xFC, 'V'), + (0xFD, 'V'), + (0xFE, 'V'), + (0xFF, 'V'), + (0x100, 'M', u'ā'), + (0x101, 'V'), + (0x102, 'M', u'ă'), + (0x103, 'V'), + (0x104, 'M', u'ą'), + (0x105, 'V'), + (0x106, 'M', u'ć'), + (0x107, 'V'), + (0x108, 'M', u'ĉ'), + (0x109, 'V'), + (0x10A, 'M', u'ċ'), + (0x10B, 'V'), + (0x10C, 'M', u'č'), + (0x10D, 'V'), + (0x10E, 'M', u'ď'), + (0x10F, 'V'), + (0x110, 'M', u'đ'), + (0x111, 'V'), + (0x112, 'M', u'ē'), + (0x113, 'V'), + (0x114, 'M', u'ĕ'), + (0x115, 'V'), + (0x116, 'M', u'ė'), + (0x117, 'V'), + (0x118, 'M', u'ę'), + (0x119, 'V'), + (0x11A, 'M', u'ě'), + (0x11B, 'V'), + (0x11C, 'M', u'ĝ'), + (0x11D, 'V'), + (0x11E, 'M', u'ğ'), + (0x11F, 'V'), + (0x120, 'M', u'ġ'), + (0x121, 'V'), + (0x122, 'M', u'ģ'), + (0x123, 'V'), + (0x124, 'M', u'ĥ'), + (0x125, 'V'), + (0x126, 'M', u'ħ'), + (0x127, 'V'), + (0x128, 'M', u'ĩ'), + (0x129, 'V'), + (0x12A, 'M', u'ī'), + (0x12B, 'V'), + ] + +def _seg_3(): + return [ + (0x12C, 'M', u'ĭ'), + (0x12D, 'V'), + (0x12E, 'M', u'į'), + (0x12F, 'V'), + (0x130, 'M', u'i̇'), + (0x131, 'V'), + (0x132, 'M', u'ij'), + (0x134, 'M', u'ĵ'), + (0x135, 'V'), + (0x136, 'M', u'ķ'), + (0x137, 'V'), + (0x139, 'M', u'ĺ'), + (0x13A, 'V'), + (0x13B, 'M', u'ļ'), + (0x13C, 'V'), + (0x13D, 'M', u'ľ'), + (0x13E, 'V'), + (0x13F, 'M', u'l·'), + (0x141, 'M', u'ł'), + (0x142, 'V'), + (0x143, 'M', u'ń'), + (0x144, 'V'), + (0x145, 'M', u'ņ'), + (0x146, 'V'), + (0x147, 'M', u'ň'), + (0x148, 'V'), + (0x149, 'M', u'ʼn'), + (0x14A, 'M', u'ŋ'), + (0x14B, 'V'), + (0x14C, 'M', u'ō'), + (0x14D, 'V'), + (0x14E, 'M', u'ŏ'), + (0x14F, 'V'), + (0x150, 'M', u'ő'), + (0x151, 'V'), + (0x152, 'M', u'œ'), + (0x153, 'V'), + (0x154, 'M', u'ŕ'), + (0x155, 'V'), + (0x156, 'M', u'ŗ'), + (0x157, 'V'), + (0x158, 'M', u'ř'), + (0x159, 'V'), + (0x15A, 'M', u'ś'), + (0x15B, 'V'), + (0x15C, 'M', u'ŝ'), + (0x15D, 'V'), + (0x15E, 'M', u'ş'), + (0x15F, 'V'), + (0x160, 'M', u'š'), + (0x161, 'V'), + (0x162, 'M', u'ţ'), + (0x163, 'V'), + (0x164, 'M', u'ť'), + (0x165, 'V'), + (0x166, 'M', u'ŧ'), + (0x167, 'V'), + (0x168, 'M', u'ũ'), + (0x169, 'V'), + (0x16A, 'M', u'ū'), + (0x16B, 'V'), + (0x16C, 'M', u'ŭ'), + (0x16D, 'V'), + (0x16E, 'M', u'ů'), + (0x16F, 'V'), + (0x170, 'M', u'ű'), + (0x171, 'V'), + (0x172, 'M', u'ų'), + (0x173, 'V'), + (0x174, 'M', u'ŵ'), + (0x175, 'V'), + (0x176, 'M', u'ŷ'), + (0x177, 'V'), + (0x178, 'M', u'ÿ'), + (0x179, 'M', u'ź'), + (0x17A, 'V'), + (0x17B, 'M', u'ż'), + (0x17C, 'V'), + (0x17D, 'M', u'ž'), + (0x17E, 'V'), + (0x17F, 'M', u's'), + (0x180, 'V'), + (0x181, 'M', u'ɓ'), + (0x182, 'M', u'ƃ'), + (0x183, 'V'), + (0x184, 'M', u'ƅ'), + (0x185, 'V'), + (0x186, 'M', u'ɔ'), + (0x187, 'M', u'ƈ'), + (0x188, 'V'), + (0x189, 'M', u'ɖ'), + (0x18A, 'M', u'ɗ'), + (0x18B, 'M', u'ƌ'), + (0x18C, 'V'), + (0x18E, 'M', u'ǝ'), + (0x18F, 'M', u'ə'), + (0x190, 'M', u'ɛ'), + (0x191, 'M', u'ƒ'), + (0x192, 'V'), + (0x193, 'M', u'ɠ'), + ] + +def _seg_4(): + return [ + (0x194, 'M', u'ɣ'), + (0x195, 'V'), + (0x196, 'M', u'ɩ'), + (0x197, 'M', u'ɨ'), + (0x198, 'M', u'ƙ'), + (0x199, 'V'), + (0x19C, 'M', u'ɯ'), + (0x19D, 'M', u'ɲ'), + (0x19E, 'V'), + (0x19F, 'M', u'ɵ'), + (0x1A0, 'M', u'ơ'), + (0x1A1, 'V'), + (0x1A2, 'M', u'ƣ'), + (0x1A3, 'V'), + (0x1A4, 'M', u'ƥ'), + (0x1A5, 'V'), + (0x1A6, 'M', u'ʀ'), + (0x1A7, 'M', u'ƨ'), + (0x1A8, 'V'), + (0x1A9, 'M', u'ʃ'), + (0x1AA, 'V'), + (0x1AC, 'M', u'ƭ'), + (0x1AD, 'V'), + (0x1AE, 'M', u'ʈ'), + (0x1AF, 'M', u'ư'), + (0x1B0, 'V'), + (0x1B1, 'M', u'ʊ'), + (0x1B2, 'M', u'ʋ'), + (0x1B3, 'M', u'ƴ'), + (0x1B4, 'V'), + (0x1B5, 'M', u'ƶ'), + (0x1B6, 'V'), + (0x1B7, 'M', u'ʒ'), + (0x1B8, 'M', u'ƹ'), + (0x1B9, 'V'), + (0x1BC, 'M', u'ƽ'), + (0x1BD, 'V'), + (0x1C4, 'M', u'dž'), + (0x1C7, 'M', u'lj'), + (0x1CA, 'M', u'nj'), + (0x1CD, 'M', u'ǎ'), + (0x1CE, 'V'), + (0x1CF, 'M', u'ǐ'), + (0x1D0, 'V'), + (0x1D1, 'M', u'ǒ'), + (0x1D2, 'V'), + (0x1D3, 'M', u'ǔ'), + (0x1D4, 'V'), + (0x1D5, 'M', u'ǖ'), + (0x1D6, 'V'), + (0x1D7, 'M', u'ǘ'), + (0x1D8, 'V'), + (0x1D9, 'M', u'ǚ'), + (0x1DA, 'V'), + (0x1DB, 'M', u'ǜ'), + (0x1DC, 'V'), + (0x1DE, 'M', u'ǟ'), + (0x1DF, 'V'), + (0x1E0, 'M', u'ǡ'), + (0x1E1, 'V'), + (0x1E2, 'M', u'ǣ'), + (0x1E3, 'V'), + (0x1E4, 'M', u'ǥ'), + (0x1E5, 'V'), + (0x1E6, 'M', u'ǧ'), + (0x1E7, 'V'), + (0x1E8, 'M', u'ǩ'), + (0x1E9, 'V'), + (0x1EA, 'M', u'ǫ'), + (0x1EB, 'V'), + (0x1EC, 'M', u'ǭ'), + (0x1ED, 'V'), + (0x1EE, 'M', u'ǯ'), + (0x1EF, 'V'), + (0x1F1, 'M', u'dz'), + (0x1F4, 'M', u'ǵ'), + (0x1F5, 'V'), + (0x1F6, 'M', u'ƕ'), + (0x1F7, 'M', u'ƿ'), + (0x1F8, 'M', u'ǹ'), + (0x1F9, 'V'), + (0x1FA, 'M', u'ǻ'), + (0x1FB, 'V'), + (0x1FC, 'M', u'ǽ'), + (0x1FD, 'V'), + (0x1FE, 'M', u'ǿ'), + (0x1FF, 'V'), + (0x200, 'M', u'ȁ'), + (0x201, 'V'), + (0x202, 'M', u'ȃ'), + (0x203, 'V'), + (0x204, 'M', u'ȅ'), + (0x205, 'V'), + (0x206, 'M', u'ȇ'), + (0x207, 'V'), + (0x208, 'M', u'ȉ'), + (0x209, 'V'), + (0x20A, 'M', u'ȋ'), + (0x20B, 'V'), + (0x20C, 'M', u'ȍ'), + ] + +def _seg_5(): + return [ + (0x20D, 'V'), + (0x20E, 'M', u'ȏ'), + (0x20F, 'V'), + (0x210, 'M', u'ȑ'), + (0x211, 'V'), + (0x212, 'M', u'ȓ'), + (0x213, 'V'), + (0x214, 'M', u'ȕ'), + (0x215, 'V'), + (0x216, 'M', u'ȗ'), + (0x217, 'V'), + (0x218, 'M', u'ș'), + (0x219, 'V'), + (0x21A, 'M', u'ț'), + (0x21B, 'V'), + (0x21C, 'M', u'ȝ'), + (0x21D, 'V'), + (0x21E, 'M', u'ȟ'), + (0x21F, 'V'), + (0x220, 'M', u'ƞ'), + (0x221, 'V'), + (0x222, 'M', u'ȣ'), + (0x223, 'V'), + (0x224, 'M', u'ȥ'), + (0x225, 'V'), + (0x226, 'M', u'ȧ'), + (0x227, 'V'), + (0x228, 'M', u'ȩ'), + (0x229, 'V'), + (0x22A, 'M', u'ȫ'), + (0x22B, 'V'), + (0x22C, 'M', u'ȭ'), + (0x22D, 'V'), + (0x22E, 'M', u'ȯ'), + (0x22F, 'V'), + (0x230, 'M', u'ȱ'), + (0x231, 'V'), + (0x232, 'M', u'ȳ'), + (0x233, 'V'), + (0x23A, 'M', u'ⱥ'), + (0x23B, 'M', u'ȼ'), + (0x23C, 'V'), + (0x23D, 'M', u'ƚ'), + (0x23E, 'M', u'ⱦ'), + (0x23F, 'V'), + (0x241, 'M', u'ɂ'), + (0x242, 'V'), + (0x243, 'M', u'ƀ'), + (0x244, 'M', u'ʉ'), + (0x245, 'M', u'ʌ'), + (0x246, 'M', u'ɇ'), + (0x247, 'V'), + (0x248, 'M', u'ɉ'), + (0x249, 'V'), + (0x24A, 'M', u'ɋ'), + (0x24B, 'V'), + (0x24C, 'M', u'ɍ'), + (0x24D, 'V'), + (0x24E, 'M', u'ɏ'), + (0x24F, 'V'), + (0x2B0, 'M', u'h'), + (0x2B1, 'M', u'ɦ'), + (0x2B2, 'M', u'j'), + (0x2B3, 'M', u'r'), + (0x2B4, 'M', u'ɹ'), + (0x2B5, 'M', u'ɻ'), + (0x2B6, 'M', u'ʁ'), + (0x2B7, 'M', u'w'), + (0x2B8, 'M', u'y'), + (0x2B9, 'V'), + (0x2D8, '3', u' ̆'), + (0x2D9, '3', u' ̇'), + (0x2DA, '3', u' ̊'), + (0x2DB, '3', u' ̨'), + (0x2DC, '3', u' ̃'), + (0x2DD, '3', u' ̋'), + (0x2DE, 'V'), + (0x2E0, 'M', u'ɣ'), + (0x2E1, 'M', u'l'), + (0x2E2, 'M', u's'), + (0x2E3, 'M', u'x'), + (0x2E4, 'M', u'ʕ'), + (0x2E5, 'V'), + (0x340, 'M', u'̀'), + (0x341, 'M', u'́'), + (0x342, 'V'), + (0x343, 'M', u'̓'), + (0x344, 'M', u'̈́'), + (0x345, 'M', u'ι'), + (0x346, 'V'), + (0x34F, 'I'), + (0x350, 'V'), + (0x370, 'M', u'ͱ'), + (0x371, 'V'), + (0x372, 'M', u'ͳ'), + (0x373, 'V'), + (0x374, 'M', u'ʹ'), + (0x375, 'V'), + (0x376, 'M', u'ͷ'), + (0x377, 'V'), + ] + +def _seg_6(): + return [ + (0x378, 'X'), + (0x37A, '3', u' ι'), + (0x37B, 'V'), + (0x37E, '3', u';'), + (0x37F, 'M', u'ϳ'), + (0x380, 'X'), + (0x384, '3', u' ́'), + (0x385, '3', u' ̈́'), + (0x386, 'M', u'ά'), + (0x387, 'M', u'·'), + (0x388, 'M', u'έ'), + (0x389, 'M', u'ή'), + (0x38A, 'M', u'ί'), + (0x38B, 'X'), + (0x38C, 'M', u'ό'), + (0x38D, 'X'), + (0x38E, 'M', u'ύ'), + (0x38F, 'M', u'ώ'), + (0x390, 'V'), + (0x391, 'M', u'α'), + (0x392, 'M', u'β'), + (0x393, 'M', u'γ'), + (0x394, 'M', u'δ'), + (0x395, 'M', u'ε'), + (0x396, 'M', u'ζ'), + (0x397, 'M', u'η'), + (0x398, 'M', u'θ'), + (0x399, 'M', u'ι'), + (0x39A, 'M', u'κ'), + (0x39B, 'M', u'λ'), + (0x39C, 'M', u'μ'), + (0x39D, 'M', u'ν'), + (0x39E, 'M', u'ξ'), + (0x39F, 'M', u'ο'), + (0x3A0, 'M', u'π'), + (0x3A1, 'M', u'ρ'), + (0x3A2, 'X'), + (0x3A3, 'M', u'σ'), + (0x3A4, 'M', u'τ'), + (0x3A5, 'M', u'υ'), + (0x3A6, 'M', u'φ'), + (0x3A7, 'M', u'χ'), + (0x3A8, 'M', u'ψ'), + (0x3A9, 'M', u'ω'), + (0x3AA, 'M', u'ϊ'), + (0x3AB, 'M', u'ϋ'), + (0x3AC, 'V'), + (0x3C2, 'D', u'σ'), + (0x3C3, 'V'), + (0x3CF, 'M', u'ϗ'), + (0x3D0, 'M', u'β'), + (0x3D1, 'M', u'θ'), + (0x3D2, 'M', u'υ'), + (0x3D3, 'M', u'ύ'), + (0x3D4, 'M', u'ϋ'), + (0x3D5, 'M', u'φ'), + (0x3D6, 'M', u'π'), + (0x3D7, 'V'), + (0x3D8, 'M', u'ϙ'), + (0x3D9, 'V'), + (0x3DA, 'M', u'ϛ'), + (0x3DB, 'V'), + (0x3DC, 'M', u'ϝ'), + (0x3DD, 'V'), + (0x3DE, 'M', u'ϟ'), + (0x3DF, 'V'), + (0x3E0, 'M', u'ϡ'), + (0x3E1, 'V'), + (0x3E2, 'M', u'ϣ'), + (0x3E3, 'V'), + (0x3E4, 'M', u'ϥ'), + (0x3E5, 'V'), + (0x3E6, 'M', u'ϧ'), + (0x3E7, 'V'), + (0x3E8, 'M', u'ϩ'), + (0x3E9, 'V'), + (0x3EA, 'M', u'ϫ'), + (0x3EB, 'V'), + (0x3EC, 'M', u'ϭ'), + (0x3ED, 'V'), + (0x3EE, 'M', u'ϯ'), + (0x3EF, 'V'), + (0x3F0, 'M', u'κ'), + (0x3F1, 'M', u'ρ'), + (0x3F2, 'M', u'σ'), + (0x3F3, 'V'), + (0x3F4, 'M', u'θ'), + (0x3F5, 'M', u'ε'), + (0x3F6, 'V'), + (0x3F7, 'M', u'ϸ'), + (0x3F8, 'V'), + (0x3F9, 'M', u'σ'), + (0x3FA, 'M', u'ϻ'), + (0x3FB, 'V'), + (0x3FD, 'M', u'ͻ'), + (0x3FE, 'M', u'ͼ'), + (0x3FF, 'M', u'ͽ'), + (0x400, 'M', u'ѐ'), + (0x401, 'M', u'ё'), + (0x402, 'M', u'ђ'), + ] + +def _seg_7(): + return [ + (0x403, 'M', u'ѓ'), + (0x404, 'M', u'є'), + (0x405, 'M', u'ѕ'), + (0x406, 'M', u'і'), + (0x407, 'M', u'ї'), + (0x408, 'M', u'ј'), + (0x409, 'M', u'љ'), + (0x40A, 'M', u'њ'), + (0x40B, 'M', u'ћ'), + (0x40C, 'M', u'ќ'), + (0x40D, 'M', u'ѝ'), + (0x40E, 'M', u'ў'), + (0x40F, 'M', u'џ'), + (0x410, 'M', u'а'), + (0x411, 'M', u'б'), + (0x412, 'M', u'в'), + (0x413, 'M', u'г'), + (0x414, 'M', u'д'), + (0x415, 'M', u'е'), + (0x416, 'M', u'ж'), + (0x417, 'M', u'з'), + (0x418, 'M', u'и'), + (0x419, 'M', u'й'), + (0x41A, 'M', u'к'), + (0x41B, 'M', u'л'), + (0x41C, 'M', u'м'), + (0x41D, 'M', u'н'), + (0x41E, 'M', u'о'), + (0x41F, 'M', u'п'), + (0x420, 'M', u'р'), + (0x421, 'M', u'с'), + (0x422, 'M', u'т'), + (0x423, 'M', u'у'), + (0x424, 'M', u'ф'), + (0x425, 'M', u'х'), + (0x426, 'M', u'ц'), + (0x427, 'M', u'ч'), + (0x428, 'M', u'ш'), + (0x429, 'M', u'щ'), + (0x42A, 'M', u'ъ'), + (0x42B, 'M', u'ы'), + (0x42C, 'M', u'ь'), + (0x42D, 'M', u'э'), + (0x42E, 'M', u'ю'), + (0x42F, 'M', u'я'), + (0x430, 'V'), + (0x460, 'M', u'ѡ'), + (0x461, 'V'), + (0x462, 'M', u'ѣ'), + (0x463, 'V'), + (0x464, 'M', u'ѥ'), + (0x465, 'V'), + (0x466, 'M', u'ѧ'), + (0x467, 'V'), + (0x468, 'M', u'ѩ'), + (0x469, 'V'), + (0x46A, 'M', u'ѫ'), + (0x46B, 'V'), + (0x46C, 'M', u'ѭ'), + (0x46D, 'V'), + (0x46E, 'M', u'ѯ'), + (0x46F, 'V'), + (0x470, 'M', u'ѱ'), + (0x471, 'V'), + (0x472, 'M', u'ѳ'), + (0x473, 'V'), + (0x474, 'M', u'ѵ'), + (0x475, 'V'), + (0x476, 'M', u'ѷ'), + (0x477, 'V'), + (0x478, 'M', u'ѹ'), + (0x479, 'V'), + (0x47A, 'M', u'ѻ'), + (0x47B, 'V'), + (0x47C, 'M', u'ѽ'), + (0x47D, 'V'), + (0x47E, 'M', u'ѿ'), + (0x47F, 'V'), + (0x480, 'M', u'ҁ'), + (0x481, 'V'), + (0x48A, 'M', u'ҋ'), + (0x48B, 'V'), + (0x48C, 'M', u'ҍ'), + (0x48D, 'V'), + (0x48E, 'M', u'ҏ'), + (0x48F, 'V'), + (0x490, 'M', u'ґ'), + (0x491, 'V'), + (0x492, 'M', u'ғ'), + (0x493, 'V'), + (0x494, 'M', u'ҕ'), + (0x495, 'V'), + (0x496, 'M', u'җ'), + (0x497, 'V'), + (0x498, 'M', u'ҙ'), + (0x499, 'V'), + (0x49A, 'M', u'қ'), + (0x49B, 'V'), + (0x49C, 'M', u'ҝ'), + (0x49D, 'V'), + ] + +def _seg_8(): + return [ + (0x49E, 'M', u'ҟ'), + (0x49F, 'V'), + (0x4A0, 'M', u'ҡ'), + (0x4A1, 'V'), + (0x4A2, 'M', u'ң'), + (0x4A3, 'V'), + (0x4A4, 'M', u'ҥ'), + (0x4A5, 'V'), + (0x4A6, 'M', u'ҧ'), + (0x4A7, 'V'), + (0x4A8, 'M', u'ҩ'), + (0x4A9, 'V'), + (0x4AA, 'M', u'ҫ'), + (0x4AB, 'V'), + (0x4AC, 'M', u'ҭ'), + (0x4AD, 'V'), + (0x4AE, 'M', u'ү'), + (0x4AF, 'V'), + (0x4B0, 'M', u'ұ'), + (0x4B1, 'V'), + (0x4B2, 'M', u'ҳ'), + (0x4B3, 'V'), + (0x4B4, 'M', u'ҵ'), + (0x4B5, 'V'), + (0x4B6, 'M', u'ҷ'), + (0x4B7, 'V'), + (0x4B8, 'M', u'ҹ'), + (0x4B9, 'V'), + (0x4BA, 'M', u'һ'), + (0x4BB, 'V'), + (0x4BC, 'M', u'ҽ'), + (0x4BD, 'V'), + (0x4BE, 'M', u'ҿ'), + (0x4BF, 'V'), + (0x4C0, 'X'), + (0x4C1, 'M', u'ӂ'), + (0x4C2, 'V'), + (0x4C3, 'M', u'ӄ'), + (0x4C4, 'V'), + (0x4C5, 'M', u'ӆ'), + (0x4C6, 'V'), + (0x4C7, 'M', u'ӈ'), + (0x4C8, 'V'), + (0x4C9, 'M', u'ӊ'), + (0x4CA, 'V'), + (0x4CB, 'M', u'ӌ'), + (0x4CC, 'V'), + (0x4CD, 'M', u'ӎ'), + (0x4CE, 'V'), + (0x4D0, 'M', u'ӑ'), + (0x4D1, 'V'), + (0x4D2, 'M', u'ӓ'), + (0x4D3, 'V'), + (0x4D4, 'M', u'ӕ'), + (0x4D5, 'V'), + (0x4D6, 'M', u'ӗ'), + (0x4D7, 'V'), + (0x4D8, 'M', u'ә'), + (0x4D9, 'V'), + (0x4DA, 'M', u'ӛ'), + (0x4DB, 'V'), + (0x4DC, 'M', u'ӝ'), + (0x4DD, 'V'), + (0x4DE, 'M', u'ӟ'), + (0x4DF, 'V'), + (0x4E0, 'M', u'ӡ'), + (0x4E1, 'V'), + (0x4E2, 'M', u'ӣ'), + (0x4E3, 'V'), + (0x4E4, 'M', u'ӥ'), + (0x4E5, 'V'), + (0x4E6, 'M', u'ӧ'), + (0x4E7, 'V'), + (0x4E8, 'M', u'ө'), + (0x4E9, 'V'), + (0x4EA, 'M', u'ӫ'), + (0x4EB, 'V'), + (0x4EC, 'M', u'ӭ'), + (0x4ED, 'V'), + (0x4EE, 'M', u'ӯ'), + (0x4EF, 'V'), + (0x4F0, 'M', u'ӱ'), + (0x4F1, 'V'), + (0x4F2, 'M', u'ӳ'), + (0x4F3, 'V'), + (0x4F4, 'M', u'ӵ'), + (0x4F5, 'V'), + (0x4F6, 'M', u'ӷ'), + (0x4F7, 'V'), + (0x4F8, 'M', u'ӹ'), + (0x4F9, 'V'), + (0x4FA, 'M', u'ӻ'), + (0x4FB, 'V'), + (0x4FC, 'M', u'ӽ'), + (0x4FD, 'V'), + (0x4FE, 'M', u'ӿ'), + (0x4FF, 'V'), + (0x500, 'M', u'ԁ'), + (0x501, 'V'), + (0x502, 'M', u'ԃ'), + ] + +def _seg_9(): + return [ + (0x503, 'V'), + (0x504, 'M', u'ԅ'), + (0x505, 'V'), + (0x506, 'M', u'ԇ'), + (0x507, 'V'), + (0x508, 'M', u'ԉ'), + (0x509, 'V'), + (0x50A, 'M', u'ԋ'), + (0x50B, 'V'), + (0x50C, 'M', u'ԍ'), + (0x50D, 'V'), + (0x50E, 'M', u'ԏ'), + (0x50F, 'V'), + (0x510, 'M', u'ԑ'), + (0x511, 'V'), + (0x512, 'M', u'ԓ'), + (0x513, 'V'), + (0x514, 'M', u'ԕ'), + (0x515, 'V'), + (0x516, 'M', u'ԗ'), + (0x517, 'V'), + (0x518, 'M', u'ԙ'), + (0x519, 'V'), + (0x51A, 'M', u'ԛ'), + (0x51B, 'V'), + (0x51C, 'M', u'ԝ'), + (0x51D, 'V'), + (0x51E, 'M', u'ԟ'), + (0x51F, 'V'), + (0x520, 'M', u'ԡ'), + (0x521, 'V'), + (0x522, 'M', u'ԣ'), + (0x523, 'V'), + (0x524, 'M', u'ԥ'), + (0x525, 'V'), + (0x526, 'M', u'ԧ'), + (0x527, 'V'), + (0x528, 'M', u'ԩ'), + (0x529, 'V'), + (0x52A, 'M', u'ԫ'), + (0x52B, 'V'), + (0x52C, 'M', u'ԭ'), + (0x52D, 'V'), + (0x52E, 'M', u'ԯ'), + (0x52F, 'V'), + (0x530, 'X'), + (0x531, 'M', u'ա'), + (0x532, 'M', u'բ'), + (0x533, 'M', u'գ'), + (0x534, 'M', u'դ'), + (0x535, 'M', u'ե'), + (0x536, 'M', u'զ'), + (0x537, 'M', u'է'), + (0x538, 'M', u'ը'), + (0x539, 'M', u'թ'), + (0x53A, 'M', u'ժ'), + (0x53B, 'M', u'ի'), + (0x53C, 'M', u'լ'), + (0x53D, 'M', u'խ'), + (0x53E, 'M', u'ծ'), + (0x53F, 'M', u'կ'), + (0x540, 'M', u'հ'), + (0x541, 'M', u'ձ'), + (0x542, 'M', u'ղ'), + (0x543, 'M', u'ճ'), + (0x544, 'M', u'մ'), + (0x545, 'M', u'յ'), + (0x546, 'M', u'ն'), + (0x547, 'M', u'շ'), + (0x548, 'M', u'ո'), + (0x549, 'M', u'չ'), + (0x54A, 'M', u'պ'), + (0x54B, 'M', u'ջ'), + (0x54C, 'M', u'ռ'), + (0x54D, 'M', u'ս'), + (0x54E, 'M', u'վ'), + (0x54F, 'M', u'տ'), + (0x550, 'M', u'ր'), + (0x551, 'M', u'ց'), + (0x552, 'M', u'ւ'), + (0x553, 'M', u'փ'), + (0x554, 'M', u'ք'), + (0x555, 'M', u'օ'), + (0x556, 'M', u'ֆ'), + (0x557, 'X'), + (0x559, 'V'), + (0x587, 'M', u'եւ'), + (0x588, 'V'), + (0x58B, 'X'), + (0x58D, 'V'), + (0x590, 'X'), + (0x591, 'V'), + (0x5C8, 'X'), + (0x5D0, 'V'), + (0x5EB, 'X'), + (0x5EF, 'V'), + (0x5F5, 'X'), + (0x606, 'V'), + (0x61C, 'X'), + (0x61E, 'V'), + ] + +def _seg_10(): + return [ + (0x675, 'M', u'اٴ'), + (0x676, 'M', u'وٴ'), + (0x677, 'M', u'ۇٴ'), + (0x678, 'M', u'يٴ'), + (0x679, 'V'), + (0x6DD, 'X'), + (0x6DE, 'V'), + (0x70E, 'X'), + (0x710, 'V'), + (0x74B, 'X'), + (0x74D, 'V'), + (0x7B2, 'X'), + (0x7C0, 'V'), + (0x7FB, 'X'), + (0x7FD, 'V'), + (0x82E, 'X'), + (0x830, 'V'), + (0x83F, 'X'), + (0x840, 'V'), + (0x85C, 'X'), + (0x85E, 'V'), + (0x85F, 'X'), + (0x860, 'V'), + (0x86B, 'X'), + (0x8A0, 'V'), + (0x8B5, 'X'), + (0x8B6, 'V'), + (0x8BE, 'X'), + (0x8D3, 'V'), + (0x8E2, 'X'), + (0x8E3, 'V'), + (0x958, 'M', u'क़'), + (0x959, 'M', u'ख़'), + (0x95A, 'M', u'ग़'), + (0x95B, 'M', u'ज़'), + (0x95C, 'M', u'ड़'), + (0x95D, 'M', u'ढ़'), + (0x95E, 'M', u'फ़'), + (0x95F, 'M', u'य़'), + (0x960, 'V'), + (0x984, 'X'), + (0x985, 'V'), + (0x98D, 'X'), + (0x98F, 'V'), + (0x991, 'X'), + (0x993, 'V'), + (0x9A9, 'X'), + (0x9AA, 'V'), + (0x9B1, 'X'), + (0x9B2, 'V'), + (0x9B3, 'X'), + (0x9B6, 'V'), + (0x9BA, 'X'), + (0x9BC, 'V'), + (0x9C5, 'X'), + (0x9C7, 'V'), + (0x9C9, 'X'), + (0x9CB, 'V'), + (0x9CF, 'X'), + (0x9D7, 'V'), + (0x9D8, 'X'), + (0x9DC, 'M', u'ড়'), + (0x9DD, 'M', u'ঢ়'), + (0x9DE, 'X'), + (0x9DF, 'M', u'য়'), + (0x9E0, 'V'), + (0x9E4, 'X'), + (0x9E6, 'V'), + (0x9FF, 'X'), + (0xA01, 'V'), + (0xA04, 'X'), + (0xA05, 'V'), + (0xA0B, 'X'), + (0xA0F, 'V'), + (0xA11, 'X'), + (0xA13, 'V'), + (0xA29, 'X'), + (0xA2A, 'V'), + (0xA31, 'X'), + (0xA32, 'V'), + (0xA33, 'M', u'ਲ਼'), + (0xA34, 'X'), + (0xA35, 'V'), + (0xA36, 'M', u'ਸ਼'), + (0xA37, 'X'), + (0xA38, 'V'), + (0xA3A, 'X'), + (0xA3C, 'V'), + (0xA3D, 'X'), + (0xA3E, 'V'), + (0xA43, 'X'), + (0xA47, 'V'), + (0xA49, 'X'), + (0xA4B, 'V'), + (0xA4E, 'X'), + (0xA51, 'V'), + (0xA52, 'X'), + (0xA59, 'M', u'ਖ਼'), + (0xA5A, 'M', u'ਗ਼'), + (0xA5B, 'M', u'ਜ਼'), + ] + +def _seg_11(): + return [ + (0xA5C, 'V'), + (0xA5D, 'X'), + (0xA5E, 'M', u'ਫ਼'), + (0xA5F, 'X'), + (0xA66, 'V'), + (0xA77, 'X'), + (0xA81, 'V'), + (0xA84, 'X'), + (0xA85, 'V'), + (0xA8E, 'X'), + (0xA8F, 'V'), + (0xA92, 'X'), + (0xA93, 'V'), + (0xAA9, 'X'), + (0xAAA, 'V'), + (0xAB1, 'X'), + (0xAB2, 'V'), + (0xAB4, 'X'), + (0xAB5, 'V'), + (0xABA, 'X'), + (0xABC, 'V'), + (0xAC6, 'X'), + (0xAC7, 'V'), + (0xACA, 'X'), + (0xACB, 'V'), + (0xACE, 'X'), + (0xAD0, 'V'), + (0xAD1, 'X'), + (0xAE0, 'V'), + (0xAE4, 'X'), + (0xAE6, 'V'), + (0xAF2, 'X'), + (0xAF9, 'V'), + (0xB00, 'X'), + (0xB01, 'V'), + (0xB04, 'X'), + (0xB05, 'V'), + (0xB0D, 'X'), + (0xB0F, 'V'), + (0xB11, 'X'), + (0xB13, 'V'), + (0xB29, 'X'), + (0xB2A, 'V'), + (0xB31, 'X'), + (0xB32, 'V'), + (0xB34, 'X'), + (0xB35, 'V'), + (0xB3A, 'X'), + (0xB3C, 'V'), + (0xB45, 'X'), + (0xB47, 'V'), + (0xB49, 'X'), + (0xB4B, 'V'), + (0xB4E, 'X'), + (0xB56, 'V'), + (0xB58, 'X'), + (0xB5C, 'M', u'ଡ଼'), + (0xB5D, 'M', u'ଢ଼'), + (0xB5E, 'X'), + (0xB5F, 'V'), + (0xB64, 'X'), + (0xB66, 'V'), + (0xB78, 'X'), + (0xB82, 'V'), + (0xB84, 'X'), + (0xB85, 'V'), + (0xB8B, 'X'), + (0xB8E, 'V'), + (0xB91, 'X'), + (0xB92, 'V'), + (0xB96, 'X'), + (0xB99, 'V'), + (0xB9B, 'X'), + (0xB9C, 'V'), + (0xB9D, 'X'), + (0xB9E, 'V'), + (0xBA0, 'X'), + (0xBA3, 'V'), + (0xBA5, 'X'), + (0xBA8, 'V'), + (0xBAB, 'X'), + (0xBAE, 'V'), + (0xBBA, 'X'), + (0xBBE, 'V'), + (0xBC3, 'X'), + (0xBC6, 'V'), + (0xBC9, 'X'), + (0xBCA, 'V'), + (0xBCE, 'X'), + (0xBD0, 'V'), + (0xBD1, 'X'), + (0xBD7, 'V'), + (0xBD8, 'X'), + (0xBE6, 'V'), + (0xBFB, 'X'), + (0xC00, 'V'), + (0xC0D, 'X'), + (0xC0E, 'V'), + (0xC11, 'X'), + (0xC12, 'V'), + ] + +def _seg_12(): + return [ + (0xC29, 'X'), + (0xC2A, 'V'), + (0xC3A, 'X'), + (0xC3D, 'V'), + (0xC45, 'X'), + (0xC46, 'V'), + (0xC49, 'X'), + (0xC4A, 'V'), + (0xC4E, 'X'), + (0xC55, 'V'), + (0xC57, 'X'), + (0xC58, 'V'), + (0xC5B, 'X'), + (0xC60, 'V'), + (0xC64, 'X'), + (0xC66, 'V'), + (0xC70, 'X'), + (0xC78, 'V'), + (0xC8D, 'X'), + (0xC8E, 'V'), + (0xC91, 'X'), + (0xC92, 'V'), + (0xCA9, 'X'), + (0xCAA, 'V'), + (0xCB4, 'X'), + (0xCB5, 'V'), + (0xCBA, 'X'), + (0xCBC, 'V'), + (0xCC5, 'X'), + (0xCC6, 'V'), + (0xCC9, 'X'), + (0xCCA, 'V'), + (0xCCE, 'X'), + (0xCD5, 'V'), + (0xCD7, 'X'), + (0xCDE, 'V'), + (0xCDF, 'X'), + (0xCE0, 'V'), + (0xCE4, 'X'), + (0xCE6, 'V'), + (0xCF0, 'X'), + (0xCF1, 'V'), + (0xCF3, 'X'), + (0xD00, 'V'), + (0xD04, 'X'), + (0xD05, 'V'), + (0xD0D, 'X'), + (0xD0E, 'V'), + (0xD11, 'X'), + (0xD12, 'V'), + (0xD45, 'X'), + (0xD46, 'V'), + (0xD49, 'X'), + (0xD4A, 'V'), + (0xD50, 'X'), + (0xD54, 'V'), + (0xD64, 'X'), + (0xD66, 'V'), + (0xD80, 'X'), + (0xD82, 'V'), + (0xD84, 'X'), + (0xD85, 'V'), + (0xD97, 'X'), + (0xD9A, 'V'), + (0xDB2, 'X'), + (0xDB3, 'V'), + (0xDBC, 'X'), + (0xDBD, 'V'), + (0xDBE, 'X'), + (0xDC0, 'V'), + (0xDC7, 'X'), + (0xDCA, 'V'), + (0xDCB, 'X'), + (0xDCF, 'V'), + (0xDD5, 'X'), + (0xDD6, 'V'), + (0xDD7, 'X'), + (0xDD8, 'V'), + (0xDE0, 'X'), + (0xDE6, 'V'), + (0xDF0, 'X'), + (0xDF2, 'V'), + (0xDF5, 'X'), + (0xE01, 'V'), + (0xE33, 'M', u'ํา'), + (0xE34, 'V'), + (0xE3B, 'X'), + (0xE3F, 'V'), + (0xE5C, 'X'), + (0xE81, 'V'), + (0xE83, 'X'), + (0xE84, 'V'), + (0xE85, 'X'), + (0xE87, 'V'), + (0xE89, 'X'), + (0xE8A, 'V'), + (0xE8B, 'X'), + (0xE8D, 'V'), + (0xE8E, 'X'), + (0xE94, 'V'), + ] + +def _seg_13(): + return [ + (0xE98, 'X'), + (0xE99, 'V'), + (0xEA0, 'X'), + (0xEA1, 'V'), + (0xEA4, 'X'), + (0xEA5, 'V'), + (0xEA6, 'X'), + (0xEA7, 'V'), + (0xEA8, 'X'), + (0xEAA, 'V'), + (0xEAC, 'X'), + (0xEAD, 'V'), + (0xEB3, 'M', u'ໍາ'), + (0xEB4, 'V'), + (0xEBA, 'X'), + (0xEBB, 'V'), + (0xEBE, 'X'), + (0xEC0, 'V'), + (0xEC5, 'X'), + (0xEC6, 'V'), + (0xEC7, 'X'), + (0xEC8, 'V'), + (0xECE, 'X'), + (0xED0, 'V'), + (0xEDA, 'X'), + (0xEDC, 'M', u'ຫນ'), + (0xEDD, 'M', u'ຫມ'), + (0xEDE, 'V'), + (0xEE0, 'X'), + (0xF00, 'V'), + (0xF0C, 'M', u'་'), + (0xF0D, 'V'), + (0xF43, 'M', u'གྷ'), + (0xF44, 'V'), + (0xF48, 'X'), + (0xF49, 'V'), + (0xF4D, 'M', u'ཌྷ'), + (0xF4E, 'V'), + (0xF52, 'M', u'དྷ'), + (0xF53, 'V'), + (0xF57, 'M', u'བྷ'), + (0xF58, 'V'), + (0xF5C, 'M', u'ཛྷ'), + (0xF5D, 'V'), + (0xF69, 'M', u'ཀྵ'), + (0xF6A, 'V'), + (0xF6D, 'X'), + (0xF71, 'V'), + (0xF73, 'M', u'ཱི'), + (0xF74, 'V'), + (0xF75, 'M', u'ཱུ'), + (0xF76, 'M', u'ྲྀ'), + (0xF77, 'M', u'ྲཱྀ'), + (0xF78, 'M', u'ླྀ'), + (0xF79, 'M', u'ླཱྀ'), + (0xF7A, 'V'), + (0xF81, 'M', u'ཱྀ'), + (0xF82, 'V'), + (0xF93, 'M', u'ྒྷ'), + (0xF94, 'V'), + (0xF98, 'X'), + (0xF99, 'V'), + (0xF9D, 'M', u'ྜྷ'), + (0xF9E, 'V'), + (0xFA2, 'M', u'ྡྷ'), + (0xFA3, 'V'), + (0xFA7, 'M', u'ྦྷ'), + (0xFA8, 'V'), + (0xFAC, 'M', u'ྫྷ'), + (0xFAD, 'V'), + (0xFB9, 'M', u'ྐྵ'), + (0xFBA, 'V'), + (0xFBD, 'X'), + (0xFBE, 'V'), + (0xFCD, 'X'), + (0xFCE, 'V'), + (0xFDB, 'X'), + (0x1000, 'V'), + (0x10A0, 'X'), + (0x10C7, 'M', u'ⴧ'), + (0x10C8, 'X'), + (0x10CD, 'M', u'ⴭ'), + (0x10CE, 'X'), + (0x10D0, 'V'), + (0x10FC, 'M', u'ნ'), + (0x10FD, 'V'), + (0x115F, 'X'), + (0x1161, 'V'), + (0x1249, 'X'), + (0x124A, 'V'), + (0x124E, 'X'), + (0x1250, 'V'), + (0x1257, 'X'), + (0x1258, 'V'), + (0x1259, 'X'), + (0x125A, 'V'), + (0x125E, 'X'), + (0x1260, 'V'), + (0x1289, 'X'), + (0x128A, 'V'), + ] + +def _seg_14(): + return [ + (0x128E, 'X'), + (0x1290, 'V'), + (0x12B1, 'X'), + (0x12B2, 'V'), + (0x12B6, 'X'), + (0x12B8, 'V'), + (0x12BF, 'X'), + (0x12C0, 'V'), + (0x12C1, 'X'), + (0x12C2, 'V'), + (0x12C6, 'X'), + (0x12C8, 'V'), + (0x12D7, 'X'), + (0x12D8, 'V'), + (0x1311, 'X'), + (0x1312, 'V'), + (0x1316, 'X'), + (0x1318, 'V'), + (0x135B, 'X'), + (0x135D, 'V'), + (0x137D, 'X'), + (0x1380, 'V'), + (0x139A, 'X'), + (0x13A0, 'V'), + (0x13F6, 'X'), + (0x13F8, 'M', u'Ᏸ'), + (0x13F9, 'M', u'Ᏹ'), + (0x13FA, 'M', u'Ᏺ'), + (0x13FB, 'M', u'Ᏻ'), + (0x13FC, 'M', u'Ᏼ'), + (0x13FD, 'M', u'Ᏽ'), + (0x13FE, 'X'), + (0x1400, 'V'), + (0x1680, 'X'), + (0x1681, 'V'), + (0x169D, 'X'), + (0x16A0, 'V'), + (0x16F9, 'X'), + (0x1700, 'V'), + (0x170D, 'X'), + (0x170E, 'V'), + (0x1715, 'X'), + (0x1720, 'V'), + (0x1737, 'X'), + (0x1740, 'V'), + (0x1754, 'X'), + (0x1760, 'V'), + (0x176D, 'X'), + (0x176E, 'V'), + (0x1771, 'X'), + (0x1772, 'V'), + (0x1774, 'X'), + (0x1780, 'V'), + (0x17B4, 'X'), + (0x17B6, 'V'), + (0x17DE, 'X'), + (0x17E0, 'V'), + (0x17EA, 'X'), + (0x17F0, 'V'), + (0x17FA, 'X'), + (0x1800, 'V'), + (0x1806, 'X'), + (0x1807, 'V'), + (0x180B, 'I'), + (0x180E, 'X'), + (0x1810, 'V'), + (0x181A, 'X'), + (0x1820, 'V'), + (0x1879, 'X'), + (0x1880, 'V'), + (0x18AB, 'X'), + (0x18B0, 'V'), + (0x18F6, 'X'), + (0x1900, 'V'), + (0x191F, 'X'), + (0x1920, 'V'), + (0x192C, 'X'), + (0x1930, 'V'), + (0x193C, 'X'), + (0x1940, 'V'), + (0x1941, 'X'), + (0x1944, 'V'), + (0x196E, 'X'), + (0x1970, 'V'), + (0x1975, 'X'), + (0x1980, 'V'), + (0x19AC, 'X'), + (0x19B0, 'V'), + (0x19CA, 'X'), + (0x19D0, 'V'), + (0x19DB, 'X'), + (0x19DE, 'V'), + (0x1A1C, 'X'), + (0x1A1E, 'V'), + (0x1A5F, 'X'), + (0x1A60, 'V'), + (0x1A7D, 'X'), + (0x1A7F, 'V'), + (0x1A8A, 'X'), + (0x1A90, 'V'), + ] + +def _seg_15(): + return [ + (0x1A9A, 'X'), + (0x1AA0, 'V'), + (0x1AAE, 'X'), + (0x1AB0, 'V'), + (0x1ABF, 'X'), + (0x1B00, 'V'), + (0x1B4C, 'X'), + (0x1B50, 'V'), + (0x1B7D, 'X'), + (0x1B80, 'V'), + (0x1BF4, 'X'), + (0x1BFC, 'V'), + (0x1C38, 'X'), + (0x1C3B, 'V'), + (0x1C4A, 'X'), + (0x1C4D, 'V'), + (0x1C80, 'M', u'в'), + (0x1C81, 'M', u'д'), + (0x1C82, 'M', u'о'), + (0x1C83, 'M', u'с'), + (0x1C84, 'M', u'т'), + (0x1C86, 'M', u'ъ'), + (0x1C87, 'M', u'ѣ'), + (0x1C88, 'M', u'ꙋ'), + (0x1C89, 'X'), + (0x1CC0, 'V'), + (0x1CC8, 'X'), + (0x1CD0, 'V'), + (0x1CFA, 'X'), + (0x1D00, 'V'), + (0x1D2C, 'M', u'a'), + (0x1D2D, 'M', u'æ'), + (0x1D2E, 'M', u'b'), + (0x1D2F, 'V'), + (0x1D30, 'M', u'd'), + (0x1D31, 'M', u'e'), + (0x1D32, 'M', u'ǝ'), + (0x1D33, 'M', u'g'), + (0x1D34, 'M', u'h'), + (0x1D35, 'M', u'i'), + (0x1D36, 'M', u'j'), + (0x1D37, 'M', u'k'), + (0x1D38, 'M', u'l'), + (0x1D39, 'M', u'm'), + (0x1D3A, 'M', u'n'), + (0x1D3B, 'V'), + (0x1D3C, 'M', u'o'), + (0x1D3D, 'M', u'ȣ'), + (0x1D3E, 'M', u'p'), + (0x1D3F, 'M', u'r'), + (0x1D40, 'M', u't'), + (0x1D41, 'M', u'u'), + (0x1D42, 'M', u'w'), + (0x1D43, 'M', u'a'), + (0x1D44, 'M', u'ɐ'), + (0x1D45, 'M', u'ɑ'), + (0x1D46, 'M', u'ᴂ'), + (0x1D47, 'M', u'b'), + (0x1D48, 'M', u'd'), + (0x1D49, 'M', u'e'), + (0x1D4A, 'M', u'ə'), + (0x1D4B, 'M', u'ɛ'), + (0x1D4C, 'M', u'ɜ'), + (0x1D4D, 'M', u'g'), + (0x1D4E, 'V'), + (0x1D4F, 'M', u'k'), + (0x1D50, 'M', u'm'), + (0x1D51, 'M', u'ŋ'), + (0x1D52, 'M', u'o'), + (0x1D53, 'M', u'ɔ'), + (0x1D54, 'M', u'ᴖ'), + (0x1D55, 'M', u'ᴗ'), + (0x1D56, 'M', u'p'), + (0x1D57, 'M', u't'), + (0x1D58, 'M', u'u'), + (0x1D59, 'M', u'ᴝ'), + (0x1D5A, 'M', u'ɯ'), + (0x1D5B, 'M', u'v'), + (0x1D5C, 'M', u'ᴥ'), + (0x1D5D, 'M', u'β'), + (0x1D5E, 'M', u'γ'), + (0x1D5F, 'M', u'δ'), + (0x1D60, 'M', u'φ'), + (0x1D61, 'M', u'χ'), + (0x1D62, 'M', u'i'), + (0x1D63, 'M', u'r'), + (0x1D64, 'M', u'u'), + (0x1D65, 'M', u'v'), + (0x1D66, 'M', u'β'), + (0x1D67, 'M', u'γ'), + (0x1D68, 'M', u'ρ'), + (0x1D69, 'M', u'φ'), + (0x1D6A, 'M', u'χ'), + (0x1D6B, 'V'), + (0x1D78, 'M', u'н'), + (0x1D79, 'V'), + (0x1D9B, 'M', u'ɒ'), + (0x1D9C, 'M', u'c'), + (0x1D9D, 'M', u'ɕ'), + (0x1D9E, 'M', u'ð'), + ] + +def _seg_16(): + return [ + (0x1D9F, 'M', u'ɜ'), + (0x1DA0, 'M', u'f'), + (0x1DA1, 'M', u'ɟ'), + (0x1DA2, 'M', u'ɡ'), + (0x1DA3, 'M', u'ɥ'), + (0x1DA4, 'M', u'ɨ'), + (0x1DA5, 'M', u'ɩ'), + (0x1DA6, 'M', u'ɪ'), + (0x1DA7, 'M', u'ᵻ'), + (0x1DA8, 'M', u'ʝ'), + (0x1DA9, 'M', u'ɭ'), + (0x1DAA, 'M', u'ᶅ'), + (0x1DAB, 'M', u'ʟ'), + (0x1DAC, 'M', u'ɱ'), + (0x1DAD, 'M', u'ɰ'), + (0x1DAE, 'M', u'ɲ'), + (0x1DAF, 'M', u'ɳ'), + (0x1DB0, 'M', u'ɴ'), + (0x1DB1, 'M', u'ɵ'), + (0x1DB2, 'M', u'ɸ'), + (0x1DB3, 'M', u'ʂ'), + (0x1DB4, 'M', u'ʃ'), + (0x1DB5, 'M', u'ƫ'), + (0x1DB6, 'M', u'ʉ'), + (0x1DB7, 'M', u'ʊ'), + (0x1DB8, 'M', u'ᴜ'), + (0x1DB9, 'M', u'ʋ'), + (0x1DBA, 'M', u'ʌ'), + (0x1DBB, 'M', u'z'), + (0x1DBC, 'M', u'ʐ'), + (0x1DBD, 'M', u'ʑ'), + (0x1DBE, 'M', u'ʒ'), + (0x1DBF, 'M', u'θ'), + (0x1DC0, 'V'), + (0x1DFA, 'X'), + (0x1DFB, 'V'), + (0x1E00, 'M', u'ḁ'), + (0x1E01, 'V'), + (0x1E02, 'M', u'ḃ'), + (0x1E03, 'V'), + (0x1E04, 'M', u'ḅ'), + (0x1E05, 'V'), + (0x1E06, 'M', u'ḇ'), + (0x1E07, 'V'), + (0x1E08, 'M', u'ḉ'), + (0x1E09, 'V'), + (0x1E0A, 'M', u'ḋ'), + (0x1E0B, 'V'), + (0x1E0C, 'M', u'ḍ'), + (0x1E0D, 'V'), + (0x1E0E, 'M', u'ḏ'), + (0x1E0F, 'V'), + (0x1E10, 'M', u'ḑ'), + (0x1E11, 'V'), + (0x1E12, 'M', u'ḓ'), + (0x1E13, 'V'), + (0x1E14, 'M', u'ḕ'), + (0x1E15, 'V'), + (0x1E16, 'M', u'ḗ'), + (0x1E17, 'V'), + (0x1E18, 'M', u'ḙ'), + (0x1E19, 'V'), + (0x1E1A, 'M', u'ḛ'), + (0x1E1B, 'V'), + (0x1E1C, 'M', u'ḝ'), + (0x1E1D, 'V'), + (0x1E1E, 'M', u'ḟ'), + (0x1E1F, 'V'), + (0x1E20, 'M', u'ḡ'), + (0x1E21, 'V'), + (0x1E22, 'M', u'ḣ'), + (0x1E23, 'V'), + (0x1E24, 'M', u'ḥ'), + (0x1E25, 'V'), + (0x1E26, 'M', u'ḧ'), + (0x1E27, 'V'), + (0x1E28, 'M', u'ḩ'), + (0x1E29, 'V'), + (0x1E2A, 'M', u'ḫ'), + (0x1E2B, 'V'), + (0x1E2C, 'M', u'ḭ'), + (0x1E2D, 'V'), + (0x1E2E, 'M', u'ḯ'), + (0x1E2F, 'V'), + (0x1E30, 'M', u'ḱ'), + (0x1E31, 'V'), + (0x1E32, 'M', u'ḳ'), + (0x1E33, 'V'), + (0x1E34, 'M', u'ḵ'), + (0x1E35, 'V'), + (0x1E36, 'M', u'ḷ'), + (0x1E37, 'V'), + (0x1E38, 'M', u'ḹ'), + (0x1E39, 'V'), + (0x1E3A, 'M', u'ḻ'), + (0x1E3B, 'V'), + (0x1E3C, 'M', u'ḽ'), + (0x1E3D, 'V'), + (0x1E3E, 'M', u'ḿ'), + (0x1E3F, 'V'), + ] + +def _seg_17(): + return [ + (0x1E40, 'M', u'ṁ'), + (0x1E41, 'V'), + (0x1E42, 'M', u'ṃ'), + (0x1E43, 'V'), + (0x1E44, 'M', u'ṅ'), + (0x1E45, 'V'), + (0x1E46, 'M', u'ṇ'), + (0x1E47, 'V'), + (0x1E48, 'M', u'ṉ'), + (0x1E49, 'V'), + (0x1E4A, 'M', u'ṋ'), + (0x1E4B, 'V'), + (0x1E4C, 'M', u'ṍ'), + (0x1E4D, 'V'), + (0x1E4E, 'M', u'ṏ'), + (0x1E4F, 'V'), + (0x1E50, 'M', u'ṑ'), + (0x1E51, 'V'), + (0x1E52, 'M', u'ṓ'), + (0x1E53, 'V'), + (0x1E54, 'M', u'ṕ'), + (0x1E55, 'V'), + (0x1E56, 'M', u'ṗ'), + (0x1E57, 'V'), + (0x1E58, 'M', u'ṙ'), + (0x1E59, 'V'), + (0x1E5A, 'M', u'ṛ'), + (0x1E5B, 'V'), + (0x1E5C, 'M', u'ṝ'), + (0x1E5D, 'V'), + (0x1E5E, 'M', u'ṟ'), + (0x1E5F, 'V'), + (0x1E60, 'M', u'ṡ'), + (0x1E61, 'V'), + (0x1E62, 'M', u'ṣ'), + (0x1E63, 'V'), + (0x1E64, 'M', u'ṥ'), + (0x1E65, 'V'), + (0x1E66, 'M', u'ṧ'), + (0x1E67, 'V'), + (0x1E68, 'M', u'ṩ'), + (0x1E69, 'V'), + (0x1E6A, 'M', u'ṫ'), + (0x1E6B, 'V'), + (0x1E6C, 'M', u'ṭ'), + (0x1E6D, 'V'), + (0x1E6E, 'M', u'ṯ'), + (0x1E6F, 'V'), + (0x1E70, 'M', u'ṱ'), + (0x1E71, 'V'), + (0x1E72, 'M', u'ṳ'), + (0x1E73, 'V'), + (0x1E74, 'M', u'ṵ'), + (0x1E75, 'V'), + (0x1E76, 'M', u'ṷ'), + (0x1E77, 'V'), + (0x1E78, 'M', u'ṹ'), + (0x1E79, 'V'), + (0x1E7A, 'M', u'ṻ'), + (0x1E7B, 'V'), + (0x1E7C, 'M', u'ṽ'), + (0x1E7D, 'V'), + (0x1E7E, 'M', u'ṿ'), + (0x1E7F, 'V'), + (0x1E80, 'M', u'ẁ'), + (0x1E81, 'V'), + (0x1E82, 'M', u'ẃ'), + (0x1E83, 'V'), + (0x1E84, 'M', u'ẅ'), + (0x1E85, 'V'), + (0x1E86, 'M', u'ẇ'), + (0x1E87, 'V'), + (0x1E88, 'M', u'ẉ'), + (0x1E89, 'V'), + (0x1E8A, 'M', u'ẋ'), + (0x1E8B, 'V'), + (0x1E8C, 'M', u'ẍ'), + (0x1E8D, 'V'), + (0x1E8E, 'M', u'ẏ'), + (0x1E8F, 'V'), + (0x1E90, 'M', u'ẑ'), + (0x1E91, 'V'), + (0x1E92, 'M', u'ẓ'), + (0x1E93, 'V'), + (0x1E94, 'M', u'ẕ'), + (0x1E95, 'V'), + (0x1E9A, 'M', u'aʾ'), + (0x1E9B, 'M', u'ṡ'), + (0x1E9C, 'V'), + (0x1E9E, 'M', u'ss'), + (0x1E9F, 'V'), + (0x1EA0, 'M', u'ạ'), + (0x1EA1, 'V'), + (0x1EA2, 'M', u'ả'), + (0x1EA3, 'V'), + (0x1EA4, 'M', u'ấ'), + (0x1EA5, 'V'), + (0x1EA6, 'M', u'ầ'), + (0x1EA7, 'V'), + (0x1EA8, 'M', u'ẩ'), + ] + +def _seg_18(): + return [ + (0x1EA9, 'V'), + (0x1EAA, 'M', u'ẫ'), + (0x1EAB, 'V'), + (0x1EAC, 'M', u'ậ'), + (0x1EAD, 'V'), + (0x1EAE, 'M', u'ắ'), + (0x1EAF, 'V'), + (0x1EB0, 'M', u'ằ'), + (0x1EB1, 'V'), + (0x1EB2, 'M', u'ẳ'), + (0x1EB3, 'V'), + (0x1EB4, 'M', u'ẵ'), + (0x1EB5, 'V'), + (0x1EB6, 'M', u'ặ'), + (0x1EB7, 'V'), + (0x1EB8, 'M', u'ẹ'), + (0x1EB9, 'V'), + (0x1EBA, 'M', u'ẻ'), + (0x1EBB, 'V'), + (0x1EBC, 'M', u'ẽ'), + (0x1EBD, 'V'), + (0x1EBE, 'M', u'ế'), + (0x1EBF, 'V'), + (0x1EC0, 'M', u'ề'), + (0x1EC1, 'V'), + (0x1EC2, 'M', u'ể'), + (0x1EC3, 'V'), + (0x1EC4, 'M', u'ễ'), + (0x1EC5, 'V'), + (0x1EC6, 'M', u'ệ'), + (0x1EC7, 'V'), + (0x1EC8, 'M', u'ỉ'), + (0x1EC9, 'V'), + (0x1ECA, 'M', u'ị'), + (0x1ECB, 'V'), + (0x1ECC, 'M', u'ọ'), + (0x1ECD, 'V'), + (0x1ECE, 'M', u'ỏ'), + (0x1ECF, 'V'), + (0x1ED0, 'M', u'ố'), + (0x1ED1, 'V'), + (0x1ED2, 'M', u'ồ'), + (0x1ED3, 'V'), + (0x1ED4, 'M', u'ổ'), + (0x1ED5, 'V'), + (0x1ED6, 'M', u'ỗ'), + (0x1ED7, 'V'), + (0x1ED8, 'M', u'ộ'), + (0x1ED9, 'V'), + (0x1EDA, 'M', u'ớ'), + (0x1EDB, 'V'), + (0x1EDC, 'M', u'ờ'), + (0x1EDD, 'V'), + (0x1EDE, 'M', u'ở'), + (0x1EDF, 'V'), + (0x1EE0, 'M', u'ỡ'), + (0x1EE1, 'V'), + (0x1EE2, 'M', u'ợ'), + (0x1EE3, 'V'), + (0x1EE4, 'M', u'ụ'), + (0x1EE5, 'V'), + (0x1EE6, 'M', u'ủ'), + (0x1EE7, 'V'), + (0x1EE8, 'M', u'ứ'), + (0x1EE9, 'V'), + (0x1EEA, 'M', u'ừ'), + (0x1EEB, 'V'), + (0x1EEC, 'M', u'ử'), + (0x1EED, 'V'), + (0x1EEE, 'M', u'ữ'), + (0x1EEF, 'V'), + (0x1EF0, 'M', u'ự'), + (0x1EF1, 'V'), + (0x1EF2, 'M', u'ỳ'), + (0x1EF3, 'V'), + (0x1EF4, 'M', u'ỵ'), + (0x1EF5, 'V'), + (0x1EF6, 'M', u'ỷ'), + (0x1EF7, 'V'), + (0x1EF8, 'M', u'ỹ'), + (0x1EF9, 'V'), + (0x1EFA, 'M', u'ỻ'), + (0x1EFB, 'V'), + (0x1EFC, 'M', u'ỽ'), + (0x1EFD, 'V'), + (0x1EFE, 'M', u'ỿ'), + (0x1EFF, 'V'), + (0x1F08, 'M', u'ἀ'), + (0x1F09, 'M', u'ἁ'), + (0x1F0A, 'M', u'ἂ'), + (0x1F0B, 'M', u'ἃ'), + (0x1F0C, 'M', u'ἄ'), + (0x1F0D, 'M', u'ἅ'), + (0x1F0E, 'M', u'ἆ'), + (0x1F0F, 'M', u'ἇ'), + (0x1F10, 'V'), + (0x1F16, 'X'), + (0x1F18, 'M', u'ἐ'), + (0x1F19, 'M', u'ἑ'), + (0x1F1A, 'M', u'ἒ'), + ] + +def _seg_19(): + return [ + (0x1F1B, 'M', u'ἓ'), + (0x1F1C, 'M', u'ἔ'), + (0x1F1D, 'M', u'ἕ'), + (0x1F1E, 'X'), + (0x1F20, 'V'), + (0x1F28, 'M', u'ἠ'), + (0x1F29, 'M', u'ἡ'), + (0x1F2A, 'M', u'ἢ'), + (0x1F2B, 'M', u'ἣ'), + (0x1F2C, 'M', u'ἤ'), + (0x1F2D, 'M', u'ἥ'), + (0x1F2E, 'M', u'ἦ'), + (0x1F2F, 'M', u'ἧ'), + (0x1F30, 'V'), + (0x1F38, 'M', u'ἰ'), + (0x1F39, 'M', u'ἱ'), + (0x1F3A, 'M', u'ἲ'), + (0x1F3B, 'M', u'ἳ'), + (0x1F3C, 'M', u'ἴ'), + (0x1F3D, 'M', u'ἵ'), + (0x1F3E, 'M', u'ἶ'), + (0x1F3F, 'M', u'ἷ'), + (0x1F40, 'V'), + (0x1F46, 'X'), + (0x1F48, 'M', u'ὀ'), + (0x1F49, 'M', u'ὁ'), + (0x1F4A, 'M', u'ὂ'), + (0x1F4B, 'M', u'ὃ'), + (0x1F4C, 'M', u'ὄ'), + (0x1F4D, 'M', u'ὅ'), + (0x1F4E, 'X'), + (0x1F50, 'V'), + (0x1F58, 'X'), + (0x1F59, 'M', u'ὑ'), + (0x1F5A, 'X'), + (0x1F5B, 'M', u'ὓ'), + (0x1F5C, 'X'), + (0x1F5D, 'M', u'ὕ'), + (0x1F5E, 'X'), + (0x1F5F, 'M', u'ὗ'), + (0x1F60, 'V'), + (0x1F68, 'M', u'ὠ'), + (0x1F69, 'M', u'ὡ'), + (0x1F6A, 'M', u'ὢ'), + (0x1F6B, 'M', u'ὣ'), + (0x1F6C, 'M', u'ὤ'), + (0x1F6D, 'M', u'ὥ'), + (0x1F6E, 'M', u'ὦ'), + (0x1F6F, 'M', u'ὧ'), + (0x1F70, 'V'), + (0x1F71, 'M', u'ά'), + (0x1F72, 'V'), + (0x1F73, 'M', u'έ'), + (0x1F74, 'V'), + (0x1F75, 'M', u'ή'), + (0x1F76, 'V'), + (0x1F77, 'M', u'ί'), + (0x1F78, 'V'), + (0x1F79, 'M', u'ό'), + (0x1F7A, 'V'), + (0x1F7B, 'M', u'ύ'), + (0x1F7C, 'V'), + (0x1F7D, 'M', u'ώ'), + (0x1F7E, 'X'), + (0x1F80, 'M', u'ἀι'), + (0x1F81, 'M', u'ἁι'), + (0x1F82, 'M', u'ἂι'), + (0x1F83, 'M', u'ἃι'), + (0x1F84, 'M', u'ἄι'), + (0x1F85, 'M', u'ἅι'), + (0x1F86, 'M', u'ἆι'), + (0x1F87, 'M', u'ἇι'), + (0x1F88, 'M', u'ἀι'), + (0x1F89, 'M', u'ἁι'), + (0x1F8A, 'M', u'ἂι'), + (0x1F8B, 'M', u'ἃι'), + (0x1F8C, 'M', u'ἄι'), + (0x1F8D, 'M', u'ἅι'), + (0x1F8E, 'M', u'ἆι'), + (0x1F8F, 'M', u'ἇι'), + (0x1F90, 'M', u'ἠι'), + (0x1F91, 'M', u'ἡι'), + (0x1F92, 'M', u'ἢι'), + (0x1F93, 'M', u'ἣι'), + (0x1F94, 'M', u'ἤι'), + (0x1F95, 'M', u'ἥι'), + (0x1F96, 'M', u'ἦι'), + (0x1F97, 'M', u'ἧι'), + (0x1F98, 'M', u'ἠι'), + (0x1F99, 'M', u'ἡι'), + (0x1F9A, 'M', u'ἢι'), + (0x1F9B, 'M', u'ἣι'), + (0x1F9C, 'M', u'ἤι'), + (0x1F9D, 'M', u'ἥι'), + (0x1F9E, 'M', u'ἦι'), + (0x1F9F, 'M', u'ἧι'), + (0x1FA0, 'M', u'ὠι'), + (0x1FA1, 'M', u'ὡι'), + (0x1FA2, 'M', u'ὢι'), + (0x1FA3, 'M', u'ὣι'), + ] + +def _seg_20(): + return [ + (0x1FA4, 'M', u'ὤι'), + (0x1FA5, 'M', u'ὥι'), + (0x1FA6, 'M', u'ὦι'), + (0x1FA7, 'M', u'ὧι'), + (0x1FA8, 'M', u'ὠι'), + (0x1FA9, 'M', u'ὡι'), + (0x1FAA, 'M', u'ὢι'), + (0x1FAB, 'M', u'ὣι'), + (0x1FAC, 'M', u'ὤι'), + (0x1FAD, 'M', u'ὥι'), + (0x1FAE, 'M', u'ὦι'), + (0x1FAF, 'M', u'ὧι'), + (0x1FB0, 'V'), + (0x1FB2, 'M', u'ὰι'), + (0x1FB3, 'M', u'αι'), + (0x1FB4, 'M', u'άι'), + (0x1FB5, 'X'), + (0x1FB6, 'V'), + (0x1FB7, 'M', u'ᾶι'), + (0x1FB8, 'M', u'ᾰ'), + (0x1FB9, 'M', u'ᾱ'), + (0x1FBA, 'M', u'ὰ'), + (0x1FBB, 'M', u'ά'), + (0x1FBC, 'M', u'αι'), + (0x1FBD, '3', u' ̓'), + (0x1FBE, 'M', u'ι'), + (0x1FBF, '3', u' ̓'), + (0x1FC0, '3', u' ͂'), + (0x1FC1, '3', u' ̈͂'), + (0x1FC2, 'M', u'ὴι'), + (0x1FC3, 'M', u'ηι'), + (0x1FC4, 'M', u'ήι'), + (0x1FC5, 'X'), + (0x1FC6, 'V'), + (0x1FC7, 'M', u'ῆι'), + (0x1FC8, 'M', u'ὲ'), + (0x1FC9, 'M', u'έ'), + (0x1FCA, 'M', u'ὴ'), + (0x1FCB, 'M', u'ή'), + (0x1FCC, 'M', u'ηι'), + (0x1FCD, '3', u' ̓̀'), + (0x1FCE, '3', u' ̓́'), + (0x1FCF, '3', u' ̓͂'), + (0x1FD0, 'V'), + (0x1FD3, 'M', u'ΐ'), + (0x1FD4, 'X'), + (0x1FD6, 'V'), + (0x1FD8, 'M', u'ῐ'), + (0x1FD9, 'M', u'ῑ'), + (0x1FDA, 'M', u'ὶ'), + (0x1FDB, 'M', u'ί'), + (0x1FDC, 'X'), + (0x1FDD, '3', u' ̔̀'), + (0x1FDE, '3', u' ̔́'), + (0x1FDF, '3', u' ̔͂'), + (0x1FE0, 'V'), + (0x1FE3, 'M', u'ΰ'), + (0x1FE4, 'V'), + (0x1FE8, 'M', u'ῠ'), + (0x1FE9, 'M', u'ῡ'), + (0x1FEA, 'M', u'ὺ'), + (0x1FEB, 'M', u'ύ'), + (0x1FEC, 'M', u'ῥ'), + (0x1FED, '3', u' ̈̀'), + (0x1FEE, '3', u' ̈́'), + (0x1FEF, '3', u'`'), + (0x1FF0, 'X'), + (0x1FF2, 'M', u'ὼι'), + (0x1FF3, 'M', u'ωι'), + (0x1FF4, 'M', u'ώι'), + (0x1FF5, 'X'), + (0x1FF6, 'V'), + (0x1FF7, 'M', u'ῶι'), + (0x1FF8, 'M', u'ὸ'), + (0x1FF9, 'M', u'ό'), + (0x1FFA, 'M', u'ὼ'), + (0x1FFB, 'M', u'ώ'), + (0x1FFC, 'M', u'ωι'), + (0x1FFD, '3', u' ́'), + (0x1FFE, '3', u' ̔'), + (0x1FFF, 'X'), + (0x2000, '3', u' '), + (0x200B, 'I'), + (0x200C, 'D', u''), + (0x200E, 'X'), + (0x2010, 'V'), + (0x2011, 'M', u'‐'), + (0x2012, 'V'), + (0x2017, '3', u' ̳'), + (0x2018, 'V'), + (0x2024, 'X'), + (0x2027, 'V'), + (0x2028, 'X'), + (0x202F, '3', u' '), + (0x2030, 'V'), + (0x2033, 'M', u'′′'), + (0x2034, 'M', u'′′′'), + (0x2035, 'V'), + (0x2036, 'M', u'‵‵'), + (0x2037, 'M', u'‵‵‵'), + ] + +def _seg_21(): + return [ + (0x2038, 'V'), + (0x203C, '3', u'!!'), + (0x203D, 'V'), + (0x203E, '3', u' ̅'), + (0x203F, 'V'), + (0x2047, '3', u'??'), + (0x2048, '3', u'?!'), + (0x2049, '3', u'!?'), + (0x204A, 'V'), + (0x2057, 'M', u'′′′′'), + (0x2058, 'V'), + (0x205F, '3', u' '), + (0x2060, 'I'), + (0x2061, 'X'), + (0x2064, 'I'), + (0x2065, 'X'), + (0x2070, 'M', u'0'), + (0x2071, 'M', u'i'), + (0x2072, 'X'), + (0x2074, 'M', u'4'), + (0x2075, 'M', u'5'), + (0x2076, 'M', u'6'), + (0x2077, 'M', u'7'), + (0x2078, 'M', u'8'), + (0x2079, 'M', u'9'), + (0x207A, '3', u'+'), + (0x207B, 'M', u'−'), + (0x207C, '3', u'='), + (0x207D, '3', u'('), + (0x207E, '3', u')'), + (0x207F, 'M', u'n'), + (0x2080, 'M', u'0'), + (0x2081, 'M', u'1'), + (0x2082, 'M', u'2'), + (0x2083, 'M', u'3'), + (0x2084, 'M', u'4'), + (0x2085, 'M', u'5'), + (0x2086, 'M', u'6'), + (0x2087, 'M', u'7'), + (0x2088, 'M', u'8'), + (0x2089, 'M', u'9'), + (0x208A, '3', u'+'), + (0x208B, 'M', u'−'), + (0x208C, '3', u'='), + (0x208D, '3', u'('), + (0x208E, '3', u')'), + (0x208F, 'X'), + (0x2090, 'M', u'a'), + (0x2091, 'M', u'e'), + (0x2092, 'M', u'o'), + (0x2093, 'M', u'x'), + (0x2094, 'M', u'ə'), + (0x2095, 'M', u'h'), + (0x2096, 'M', u'k'), + (0x2097, 'M', u'l'), + (0x2098, 'M', u'm'), + (0x2099, 'M', u'n'), + (0x209A, 'M', u'p'), + (0x209B, 'M', u's'), + (0x209C, 'M', u't'), + (0x209D, 'X'), + (0x20A0, 'V'), + (0x20A8, 'M', u'rs'), + (0x20A9, 'V'), + (0x20C0, 'X'), + (0x20D0, 'V'), + (0x20F1, 'X'), + (0x2100, '3', u'a/c'), + (0x2101, '3', u'a/s'), + (0x2102, 'M', u'c'), + (0x2103, 'M', u'°c'), + (0x2104, 'V'), + (0x2105, '3', u'c/o'), + (0x2106, '3', u'c/u'), + (0x2107, 'M', u'ɛ'), + (0x2108, 'V'), + (0x2109, 'M', u'°f'), + (0x210A, 'M', u'g'), + (0x210B, 'M', u'h'), + (0x210F, 'M', u'ħ'), + (0x2110, 'M', u'i'), + (0x2112, 'M', u'l'), + (0x2114, 'V'), + (0x2115, 'M', u'n'), + (0x2116, 'M', u'no'), + (0x2117, 'V'), + (0x2119, 'M', u'p'), + (0x211A, 'M', u'q'), + (0x211B, 'M', u'r'), + (0x211E, 'V'), + (0x2120, 'M', u'sm'), + (0x2121, 'M', u'tel'), + (0x2122, 'M', u'tm'), + (0x2123, 'V'), + (0x2124, 'M', u'z'), + (0x2125, 'V'), + (0x2126, 'M', u'ω'), + (0x2127, 'V'), + (0x2128, 'M', u'z'), + (0x2129, 'V'), + ] + +def _seg_22(): + return [ + (0x212A, 'M', u'k'), + (0x212B, 'M', u'å'), + (0x212C, 'M', u'b'), + (0x212D, 'M', u'c'), + (0x212E, 'V'), + (0x212F, 'M', u'e'), + (0x2131, 'M', u'f'), + (0x2132, 'X'), + (0x2133, 'M', u'm'), + (0x2134, 'M', u'o'), + (0x2135, 'M', u'א'), + (0x2136, 'M', u'ב'), + (0x2137, 'M', u'ג'), + (0x2138, 'M', u'ד'), + (0x2139, 'M', u'i'), + (0x213A, 'V'), + (0x213B, 'M', u'fax'), + (0x213C, 'M', u'π'), + (0x213D, 'M', u'γ'), + (0x213F, 'M', u'π'), + (0x2140, 'M', u'∑'), + (0x2141, 'V'), + (0x2145, 'M', u'd'), + (0x2147, 'M', u'e'), + (0x2148, 'M', u'i'), + (0x2149, 'M', u'j'), + (0x214A, 'V'), + (0x2150, 'M', u'1⁄7'), + (0x2151, 'M', u'1⁄9'), + (0x2152, 'M', u'1⁄10'), + (0x2153, 'M', u'1⁄3'), + (0x2154, 'M', u'2⁄3'), + (0x2155, 'M', u'1⁄5'), + (0x2156, 'M', u'2⁄5'), + (0x2157, 'M', u'3⁄5'), + (0x2158, 'M', u'4⁄5'), + (0x2159, 'M', u'1⁄6'), + (0x215A, 'M', u'5⁄6'), + (0x215B, 'M', u'1⁄8'), + (0x215C, 'M', u'3⁄8'), + (0x215D, 'M', u'5⁄8'), + (0x215E, 'M', u'7⁄8'), + (0x215F, 'M', u'1⁄'), + (0x2160, 'M', u'i'), + (0x2161, 'M', u'ii'), + (0x2162, 'M', u'iii'), + (0x2163, 'M', u'iv'), + (0x2164, 'M', u'v'), + (0x2165, 'M', u'vi'), + (0x2166, 'M', u'vii'), + (0x2167, 'M', u'viii'), + (0x2168, 'M', u'ix'), + (0x2169, 'M', u'x'), + (0x216A, 'M', u'xi'), + (0x216B, 'M', u'xii'), + (0x216C, 'M', u'l'), + (0x216D, 'M', u'c'), + (0x216E, 'M', u'd'), + (0x216F, 'M', u'm'), + (0x2170, 'M', u'i'), + (0x2171, 'M', u'ii'), + (0x2172, 'M', u'iii'), + (0x2173, 'M', u'iv'), + (0x2174, 'M', u'v'), + (0x2175, 'M', u'vi'), + (0x2176, 'M', u'vii'), + (0x2177, 'M', u'viii'), + (0x2178, 'M', u'ix'), + (0x2179, 'M', u'x'), + (0x217A, 'M', u'xi'), + (0x217B, 'M', u'xii'), + (0x217C, 'M', u'l'), + (0x217D, 'M', u'c'), + (0x217E, 'M', u'd'), + (0x217F, 'M', u'm'), + (0x2180, 'V'), + (0x2183, 'X'), + (0x2184, 'V'), + (0x2189, 'M', u'0⁄3'), + (0x218A, 'V'), + (0x218C, 'X'), + (0x2190, 'V'), + (0x222C, 'M', u'∫∫'), + (0x222D, 'M', u'∫∫∫'), + (0x222E, 'V'), + (0x222F, 'M', u'∮∮'), + (0x2230, 'M', u'∮∮∮'), + (0x2231, 'V'), + (0x2260, '3'), + (0x2261, 'V'), + (0x226E, '3'), + (0x2270, 'V'), + (0x2329, 'M', u'〈'), + (0x232A, 'M', u'〉'), + (0x232B, 'V'), + (0x2427, 'X'), + (0x2440, 'V'), + (0x244B, 'X'), + (0x2460, 'M', u'1'), + (0x2461, 'M', u'2'), + ] + +def _seg_23(): + return [ + (0x2462, 'M', u'3'), + (0x2463, 'M', u'4'), + (0x2464, 'M', u'5'), + (0x2465, 'M', u'6'), + (0x2466, 'M', u'7'), + (0x2467, 'M', u'8'), + (0x2468, 'M', u'9'), + (0x2469, 'M', u'10'), + (0x246A, 'M', u'11'), + (0x246B, 'M', u'12'), + (0x246C, 'M', u'13'), + (0x246D, 'M', u'14'), + (0x246E, 'M', u'15'), + (0x246F, 'M', u'16'), + (0x2470, 'M', u'17'), + (0x2471, 'M', u'18'), + (0x2472, 'M', u'19'), + (0x2473, 'M', u'20'), + (0x2474, '3', u'(1)'), + (0x2475, '3', u'(2)'), + (0x2476, '3', u'(3)'), + (0x2477, '3', u'(4)'), + (0x2478, '3', u'(5)'), + (0x2479, '3', u'(6)'), + (0x247A, '3', u'(7)'), + (0x247B, '3', u'(8)'), + (0x247C, '3', u'(9)'), + (0x247D, '3', u'(10)'), + (0x247E, '3', u'(11)'), + (0x247F, '3', u'(12)'), + (0x2480, '3', u'(13)'), + (0x2481, '3', u'(14)'), + (0x2482, '3', u'(15)'), + (0x2483, '3', u'(16)'), + (0x2484, '3', u'(17)'), + (0x2485, '3', u'(18)'), + (0x2486, '3', u'(19)'), + (0x2487, '3', u'(20)'), + (0x2488, 'X'), + (0x249C, '3', u'(a)'), + (0x249D, '3', u'(b)'), + (0x249E, '3', u'(c)'), + (0x249F, '3', u'(d)'), + (0x24A0, '3', u'(e)'), + (0x24A1, '3', u'(f)'), + (0x24A2, '3', u'(g)'), + (0x24A3, '3', u'(h)'), + (0x24A4, '3', u'(i)'), + (0x24A5, '3', u'(j)'), + (0x24A6, '3', u'(k)'), + (0x24A7, '3', u'(l)'), + (0x24A8, '3', u'(m)'), + (0x24A9, '3', u'(n)'), + (0x24AA, '3', u'(o)'), + (0x24AB, '3', u'(p)'), + (0x24AC, '3', u'(q)'), + (0x24AD, '3', u'(r)'), + (0x24AE, '3', u'(s)'), + (0x24AF, '3', u'(t)'), + (0x24B0, '3', u'(u)'), + (0x24B1, '3', u'(v)'), + (0x24B2, '3', u'(w)'), + (0x24B3, '3', u'(x)'), + (0x24B4, '3', u'(y)'), + (0x24B5, '3', u'(z)'), + (0x24B6, 'M', u'a'), + (0x24B7, 'M', u'b'), + (0x24B8, 'M', u'c'), + (0x24B9, 'M', u'd'), + (0x24BA, 'M', u'e'), + (0x24BB, 'M', u'f'), + (0x24BC, 'M', u'g'), + (0x24BD, 'M', u'h'), + (0x24BE, 'M', u'i'), + (0x24BF, 'M', u'j'), + (0x24C0, 'M', u'k'), + (0x24C1, 'M', u'l'), + (0x24C2, 'M', u'm'), + (0x24C3, 'M', u'n'), + (0x24C4, 'M', u'o'), + (0x24C5, 'M', u'p'), + (0x24C6, 'M', u'q'), + (0x24C7, 'M', u'r'), + (0x24C8, 'M', u's'), + (0x24C9, 'M', u't'), + (0x24CA, 'M', u'u'), + (0x24CB, 'M', u'v'), + (0x24CC, 'M', u'w'), + (0x24CD, 'M', u'x'), + (0x24CE, 'M', u'y'), + (0x24CF, 'M', u'z'), + (0x24D0, 'M', u'a'), + (0x24D1, 'M', u'b'), + (0x24D2, 'M', u'c'), + (0x24D3, 'M', u'd'), + (0x24D4, 'M', u'e'), + (0x24D5, 'M', u'f'), + (0x24D6, 'M', u'g'), + (0x24D7, 'M', u'h'), + (0x24D8, 'M', u'i'), + ] + +def _seg_24(): + return [ + (0x24D9, 'M', u'j'), + (0x24DA, 'M', u'k'), + (0x24DB, 'M', u'l'), + (0x24DC, 'M', u'm'), + (0x24DD, 'M', u'n'), + (0x24DE, 'M', u'o'), + (0x24DF, 'M', u'p'), + (0x24E0, 'M', u'q'), + (0x24E1, 'M', u'r'), + (0x24E2, 'M', u's'), + (0x24E3, 'M', u't'), + (0x24E4, 'M', u'u'), + (0x24E5, 'M', u'v'), + (0x24E6, 'M', u'w'), + (0x24E7, 'M', u'x'), + (0x24E8, 'M', u'y'), + (0x24E9, 'M', u'z'), + (0x24EA, 'M', u'0'), + (0x24EB, 'V'), + (0x2A0C, 'M', u'∫∫∫∫'), + (0x2A0D, 'V'), + (0x2A74, '3', u'::='), + (0x2A75, '3', u'=='), + (0x2A76, '3', u'==='), + (0x2A77, 'V'), + (0x2ADC, 'M', u'⫝̸'), + (0x2ADD, 'V'), + (0x2B74, 'X'), + (0x2B76, 'V'), + (0x2B96, 'X'), + (0x2B98, 'V'), + (0x2BC9, 'X'), + (0x2BCA, 'V'), + (0x2BFF, 'X'), + (0x2C00, 'M', u'ⰰ'), + (0x2C01, 'M', u'ⰱ'), + (0x2C02, 'M', u'ⰲ'), + (0x2C03, 'M', u'ⰳ'), + (0x2C04, 'M', u'ⰴ'), + (0x2C05, 'M', u'ⰵ'), + (0x2C06, 'M', u'ⰶ'), + (0x2C07, 'M', u'ⰷ'), + (0x2C08, 'M', u'ⰸ'), + (0x2C09, 'M', u'ⰹ'), + (0x2C0A, 'M', u'ⰺ'), + (0x2C0B, 'M', u'ⰻ'), + (0x2C0C, 'M', u'ⰼ'), + (0x2C0D, 'M', u'ⰽ'), + (0x2C0E, 'M', u'ⰾ'), + (0x2C0F, 'M', u'ⰿ'), + (0x2C10, 'M', u'ⱀ'), + (0x2C11, 'M', u'ⱁ'), + (0x2C12, 'M', u'ⱂ'), + (0x2C13, 'M', u'ⱃ'), + (0x2C14, 'M', u'ⱄ'), + (0x2C15, 'M', u'ⱅ'), + (0x2C16, 'M', u'ⱆ'), + (0x2C17, 'M', u'ⱇ'), + (0x2C18, 'M', u'ⱈ'), + (0x2C19, 'M', u'ⱉ'), + (0x2C1A, 'M', u'ⱊ'), + (0x2C1B, 'M', u'ⱋ'), + (0x2C1C, 'M', u'ⱌ'), + (0x2C1D, 'M', u'ⱍ'), + (0x2C1E, 'M', u'ⱎ'), + (0x2C1F, 'M', u'ⱏ'), + (0x2C20, 'M', u'ⱐ'), + (0x2C21, 'M', u'ⱑ'), + (0x2C22, 'M', u'ⱒ'), + (0x2C23, 'M', u'ⱓ'), + (0x2C24, 'M', u'ⱔ'), + (0x2C25, 'M', u'ⱕ'), + (0x2C26, 'M', u'ⱖ'), + (0x2C27, 'M', u'ⱗ'), + (0x2C28, 'M', u'ⱘ'), + (0x2C29, 'M', u'ⱙ'), + (0x2C2A, 'M', u'ⱚ'), + (0x2C2B, 'M', u'ⱛ'), + (0x2C2C, 'M', u'ⱜ'), + (0x2C2D, 'M', u'ⱝ'), + (0x2C2E, 'M', u'ⱞ'), + (0x2C2F, 'X'), + (0x2C30, 'V'), + (0x2C5F, 'X'), + (0x2C60, 'M', u'ⱡ'), + (0x2C61, 'V'), + (0x2C62, 'M', u'ɫ'), + (0x2C63, 'M', u'ᵽ'), + (0x2C64, 'M', u'ɽ'), + (0x2C65, 'V'), + (0x2C67, 'M', u'ⱨ'), + (0x2C68, 'V'), + (0x2C69, 'M', u'ⱪ'), + (0x2C6A, 'V'), + (0x2C6B, 'M', u'ⱬ'), + (0x2C6C, 'V'), + (0x2C6D, 'M', u'ɑ'), + (0x2C6E, 'M', u'ɱ'), + (0x2C6F, 'M', u'ɐ'), + (0x2C70, 'M', u'ɒ'), + ] + +def _seg_25(): + return [ + (0x2C71, 'V'), + (0x2C72, 'M', u'ⱳ'), + (0x2C73, 'V'), + (0x2C75, 'M', u'ⱶ'), + (0x2C76, 'V'), + (0x2C7C, 'M', u'j'), + (0x2C7D, 'M', u'v'), + (0x2C7E, 'M', u'ȿ'), + (0x2C7F, 'M', u'ɀ'), + (0x2C80, 'M', u'ⲁ'), + (0x2C81, 'V'), + (0x2C82, 'M', u'ⲃ'), + (0x2C83, 'V'), + (0x2C84, 'M', u'ⲅ'), + (0x2C85, 'V'), + (0x2C86, 'M', u'ⲇ'), + (0x2C87, 'V'), + (0x2C88, 'M', u'ⲉ'), + (0x2C89, 'V'), + (0x2C8A, 'M', u'ⲋ'), + (0x2C8B, 'V'), + (0x2C8C, 'M', u'ⲍ'), + (0x2C8D, 'V'), + (0x2C8E, 'M', u'ⲏ'), + (0x2C8F, 'V'), + (0x2C90, 'M', u'ⲑ'), + (0x2C91, 'V'), + (0x2C92, 'M', u'ⲓ'), + (0x2C93, 'V'), + (0x2C94, 'M', u'ⲕ'), + (0x2C95, 'V'), + (0x2C96, 'M', u'ⲗ'), + (0x2C97, 'V'), + (0x2C98, 'M', u'ⲙ'), + (0x2C99, 'V'), + (0x2C9A, 'M', u'ⲛ'), + (0x2C9B, 'V'), + (0x2C9C, 'M', u'ⲝ'), + (0x2C9D, 'V'), + (0x2C9E, 'M', u'ⲟ'), + (0x2C9F, 'V'), + (0x2CA0, 'M', u'ⲡ'), + (0x2CA1, 'V'), + (0x2CA2, 'M', u'ⲣ'), + (0x2CA3, 'V'), + (0x2CA4, 'M', u'ⲥ'), + (0x2CA5, 'V'), + (0x2CA6, 'M', u'ⲧ'), + (0x2CA7, 'V'), + (0x2CA8, 'M', u'ⲩ'), + (0x2CA9, 'V'), + (0x2CAA, 'M', u'ⲫ'), + (0x2CAB, 'V'), + (0x2CAC, 'M', u'ⲭ'), + (0x2CAD, 'V'), + (0x2CAE, 'M', u'ⲯ'), + (0x2CAF, 'V'), + (0x2CB0, 'M', u'ⲱ'), + (0x2CB1, 'V'), + (0x2CB2, 'M', u'ⲳ'), + (0x2CB3, 'V'), + (0x2CB4, 'M', u'ⲵ'), + (0x2CB5, 'V'), + (0x2CB6, 'M', u'ⲷ'), + (0x2CB7, 'V'), + (0x2CB8, 'M', u'ⲹ'), + (0x2CB9, 'V'), + (0x2CBA, 'M', u'ⲻ'), + (0x2CBB, 'V'), + (0x2CBC, 'M', u'ⲽ'), + (0x2CBD, 'V'), + (0x2CBE, 'M', u'ⲿ'), + (0x2CBF, 'V'), + (0x2CC0, 'M', u'ⳁ'), + (0x2CC1, 'V'), + (0x2CC2, 'M', u'ⳃ'), + (0x2CC3, 'V'), + (0x2CC4, 'M', u'ⳅ'), + (0x2CC5, 'V'), + (0x2CC6, 'M', u'ⳇ'), + (0x2CC7, 'V'), + (0x2CC8, 'M', u'ⳉ'), + (0x2CC9, 'V'), + (0x2CCA, 'M', u'ⳋ'), + (0x2CCB, 'V'), + (0x2CCC, 'M', u'ⳍ'), + (0x2CCD, 'V'), + (0x2CCE, 'M', u'ⳏ'), + (0x2CCF, 'V'), + (0x2CD0, 'M', u'ⳑ'), + (0x2CD1, 'V'), + (0x2CD2, 'M', u'ⳓ'), + (0x2CD3, 'V'), + (0x2CD4, 'M', u'ⳕ'), + (0x2CD5, 'V'), + (0x2CD6, 'M', u'ⳗ'), + (0x2CD7, 'V'), + (0x2CD8, 'M', u'ⳙ'), + (0x2CD9, 'V'), + (0x2CDA, 'M', u'ⳛ'), + ] + +def _seg_26(): + return [ + (0x2CDB, 'V'), + (0x2CDC, 'M', u'ⳝ'), + (0x2CDD, 'V'), + (0x2CDE, 'M', u'ⳟ'), + (0x2CDF, 'V'), + (0x2CE0, 'M', u'ⳡ'), + (0x2CE1, 'V'), + (0x2CE2, 'M', u'ⳣ'), + (0x2CE3, 'V'), + (0x2CEB, 'M', u'ⳬ'), + (0x2CEC, 'V'), + (0x2CED, 'M', u'ⳮ'), + (0x2CEE, 'V'), + (0x2CF2, 'M', u'ⳳ'), + (0x2CF3, 'V'), + (0x2CF4, 'X'), + (0x2CF9, 'V'), + (0x2D26, 'X'), + (0x2D27, 'V'), + (0x2D28, 'X'), + (0x2D2D, 'V'), + (0x2D2E, 'X'), + (0x2D30, 'V'), + (0x2D68, 'X'), + (0x2D6F, 'M', u'ⵡ'), + (0x2D70, 'V'), + (0x2D71, 'X'), + (0x2D7F, 'V'), + (0x2D97, 'X'), + (0x2DA0, 'V'), + (0x2DA7, 'X'), + (0x2DA8, 'V'), + (0x2DAF, 'X'), + (0x2DB0, 'V'), + (0x2DB7, 'X'), + (0x2DB8, 'V'), + (0x2DBF, 'X'), + (0x2DC0, 'V'), + (0x2DC7, 'X'), + (0x2DC8, 'V'), + (0x2DCF, 'X'), + (0x2DD0, 'V'), + (0x2DD7, 'X'), + (0x2DD8, 'V'), + (0x2DDF, 'X'), + (0x2DE0, 'V'), + (0x2E4F, 'X'), + (0x2E80, 'V'), + (0x2E9A, 'X'), + (0x2E9B, 'V'), + (0x2E9F, 'M', u'母'), + (0x2EA0, 'V'), + (0x2EF3, 'M', u'龟'), + (0x2EF4, 'X'), + (0x2F00, 'M', u'一'), + (0x2F01, 'M', u'丨'), + (0x2F02, 'M', u'丶'), + (0x2F03, 'M', u'丿'), + (0x2F04, 'M', u'乙'), + (0x2F05, 'M', u'亅'), + (0x2F06, 'M', u'二'), + (0x2F07, 'M', u'亠'), + (0x2F08, 'M', u'人'), + (0x2F09, 'M', u'儿'), + (0x2F0A, 'M', u'入'), + (0x2F0B, 'M', u'八'), + (0x2F0C, 'M', u'冂'), + (0x2F0D, 'M', u'冖'), + (0x2F0E, 'M', u'冫'), + (0x2F0F, 'M', u'几'), + (0x2F10, 'M', u'凵'), + (0x2F11, 'M', u'刀'), + (0x2F12, 'M', u'力'), + (0x2F13, 'M', u'勹'), + (0x2F14, 'M', u'匕'), + (0x2F15, 'M', u'匚'), + (0x2F16, 'M', u'匸'), + (0x2F17, 'M', u'十'), + (0x2F18, 'M', u'卜'), + (0x2F19, 'M', u'卩'), + (0x2F1A, 'M', u'厂'), + (0x2F1B, 'M', u'厶'), + (0x2F1C, 'M', u'又'), + (0x2F1D, 'M', u'口'), + (0x2F1E, 'M', u'囗'), + (0x2F1F, 'M', u'土'), + (0x2F20, 'M', u'士'), + (0x2F21, 'M', u'夂'), + (0x2F22, 'M', u'夊'), + (0x2F23, 'M', u'夕'), + (0x2F24, 'M', u'大'), + (0x2F25, 'M', u'女'), + (0x2F26, 'M', u'子'), + (0x2F27, 'M', u'宀'), + (0x2F28, 'M', u'寸'), + (0x2F29, 'M', u'小'), + (0x2F2A, 'M', u'尢'), + (0x2F2B, 'M', u'尸'), + (0x2F2C, 'M', u'屮'), + (0x2F2D, 'M', u'山'), + ] + +def _seg_27(): + return [ + (0x2F2E, 'M', u'巛'), + (0x2F2F, 'M', u'工'), + (0x2F30, 'M', u'己'), + (0x2F31, 'M', u'巾'), + (0x2F32, 'M', u'干'), + (0x2F33, 'M', u'幺'), + (0x2F34, 'M', u'广'), + (0x2F35, 'M', u'廴'), + (0x2F36, 'M', u'廾'), + (0x2F37, 'M', u'弋'), + (0x2F38, 'M', u'弓'), + (0x2F39, 'M', u'彐'), + (0x2F3A, 'M', u'彡'), + (0x2F3B, 'M', u'彳'), + (0x2F3C, 'M', u'心'), + (0x2F3D, 'M', u'戈'), + (0x2F3E, 'M', u'戶'), + (0x2F3F, 'M', u'手'), + (0x2F40, 'M', u'支'), + (0x2F41, 'M', u'攴'), + (0x2F42, 'M', u'文'), + (0x2F43, 'M', u'斗'), + (0x2F44, 'M', u'斤'), + (0x2F45, 'M', u'方'), + (0x2F46, 'M', u'无'), + (0x2F47, 'M', u'日'), + (0x2F48, 'M', u'曰'), + (0x2F49, 'M', u'月'), + (0x2F4A, 'M', u'木'), + (0x2F4B, 'M', u'欠'), + (0x2F4C, 'M', u'止'), + (0x2F4D, 'M', u'歹'), + (0x2F4E, 'M', u'殳'), + (0x2F4F, 'M', u'毋'), + (0x2F50, 'M', u'比'), + (0x2F51, 'M', u'毛'), + (0x2F52, 'M', u'氏'), + (0x2F53, 'M', u'气'), + (0x2F54, 'M', u'水'), + (0x2F55, 'M', u'火'), + (0x2F56, 'M', u'爪'), + (0x2F57, 'M', u'父'), + (0x2F58, 'M', u'爻'), + (0x2F59, 'M', u'爿'), + (0x2F5A, 'M', u'片'), + (0x2F5B, 'M', u'牙'), + (0x2F5C, 'M', u'牛'), + (0x2F5D, 'M', u'犬'), + (0x2F5E, 'M', u'玄'), + (0x2F5F, 'M', u'玉'), + (0x2F60, 'M', u'瓜'), + (0x2F61, 'M', u'瓦'), + (0x2F62, 'M', u'甘'), + (0x2F63, 'M', u'生'), + (0x2F64, 'M', u'用'), + (0x2F65, 'M', u'田'), + (0x2F66, 'M', u'疋'), + (0x2F67, 'M', u'疒'), + (0x2F68, 'M', u'癶'), + (0x2F69, 'M', u'白'), + (0x2F6A, 'M', u'皮'), + (0x2F6B, 'M', u'皿'), + (0x2F6C, 'M', u'目'), + (0x2F6D, 'M', u'矛'), + (0x2F6E, 'M', u'矢'), + (0x2F6F, 'M', u'石'), + (0x2F70, 'M', u'示'), + (0x2F71, 'M', u'禸'), + (0x2F72, 'M', u'禾'), + (0x2F73, 'M', u'穴'), + (0x2F74, 'M', u'立'), + (0x2F75, 'M', u'竹'), + (0x2F76, 'M', u'米'), + (0x2F77, 'M', u'糸'), + (0x2F78, 'M', u'缶'), + (0x2F79, 'M', u'网'), + (0x2F7A, 'M', u'羊'), + (0x2F7B, 'M', u'羽'), + (0x2F7C, 'M', u'老'), + (0x2F7D, 'M', u'而'), + (0x2F7E, 'M', u'耒'), + (0x2F7F, 'M', u'耳'), + (0x2F80, 'M', u'聿'), + (0x2F81, 'M', u'肉'), + (0x2F82, 'M', u'臣'), + (0x2F83, 'M', u'自'), + (0x2F84, 'M', u'至'), + (0x2F85, 'M', u'臼'), + (0x2F86, 'M', u'舌'), + (0x2F87, 'M', u'舛'), + (0x2F88, 'M', u'舟'), + (0x2F89, 'M', u'艮'), + (0x2F8A, 'M', u'色'), + (0x2F8B, 'M', u'艸'), + (0x2F8C, 'M', u'虍'), + (0x2F8D, 'M', u'虫'), + (0x2F8E, 'M', u'血'), + (0x2F8F, 'M', u'行'), + (0x2F90, 'M', u'衣'), + (0x2F91, 'M', u'襾'), + ] + +def _seg_28(): + return [ + (0x2F92, 'M', u'見'), + (0x2F93, 'M', u'角'), + (0x2F94, 'M', u'言'), + (0x2F95, 'M', u'谷'), + (0x2F96, 'M', u'豆'), + (0x2F97, 'M', u'豕'), + (0x2F98, 'M', u'豸'), + (0x2F99, 'M', u'貝'), + (0x2F9A, 'M', u'赤'), + (0x2F9B, 'M', u'走'), + (0x2F9C, 'M', u'足'), + (0x2F9D, 'M', u'身'), + (0x2F9E, 'M', u'車'), + (0x2F9F, 'M', u'辛'), + (0x2FA0, 'M', u'辰'), + (0x2FA1, 'M', u'辵'), + (0x2FA2, 'M', u'邑'), + (0x2FA3, 'M', u'酉'), + (0x2FA4, 'M', u'釆'), + (0x2FA5, 'M', u'里'), + (0x2FA6, 'M', u'金'), + (0x2FA7, 'M', u'長'), + (0x2FA8, 'M', u'門'), + (0x2FA9, 'M', u'阜'), + (0x2FAA, 'M', u'隶'), + (0x2FAB, 'M', u'隹'), + (0x2FAC, 'M', u'雨'), + (0x2FAD, 'M', u'靑'), + (0x2FAE, 'M', u'非'), + (0x2FAF, 'M', u'面'), + (0x2FB0, 'M', u'革'), + (0x2FB1, 'M', u'韋'), + (0x2FB2, 'M', u'韭'), + (0x2FB3, 'M', u'音'), + (0x2FB4, 'M', u'頁'), + (0x2FB5, 'M', u'風'), + (0x2FB6, 'M', u'飛'), + (0x2FB7, 'M', u'食'), + (0x2FB8, 'M', u'首'), + (0x2FB9, 'M', u'香'), + (0x2FBA, 'M', u'馬'), + (0x2FBB, 'M', u'骨'), + (0x2FBC, 'M', u'高'), + (0x2FBD, 'M', u'髟'), + (0x2FBE, 'M', u'鬥'), + (0x2FBF, 'M', u'鬯'), + (0x2FC0, 'M', u'鬲'), + (0x2FC1, 'M', u'鬼'), + (0x2FC2, 'M', u'魚'), + (0x2FC3, 'M', u'鳥'), + (0x2FC4, 'M', u'鹵'), + (0x2FC5, 'M', u'鹿'), + (0x2FC6, 'M', u'麥'), + (0x2FC7, 'M', u'麻'), + (0x2FC8, 'M', u'黃'), + (0x2FC9, 'M', u'黍'), + (0x2FCA, 'M', u'黑'), + (0x2FCB, 'M', u'黹'), + (0x2FCC, 'M', u'黽'), + (0x2FCD, 'M', u'鼎'), + (0x2FCE, 'M', u'鼓'), + (0x2FCF, 'M', u'鼠'), + (0x2FD0, 'M', u'鼻'), + (0x2FD1, 'M', u'齊'), + (0x2FD2, 'M', u'齒'), + (0x2FD3, 'M', u'龍'), + (0x2FD4, 'M', u'龜'), + (0x2FD5, 'M', u'龠'), + (0x2FD6, 'X'), + (0x3000, '3', u' '), + (0x3001, 'V'), + (0x3002, 'M', u'.'), + (0x3003, 'V'), + (0x3036, 'M', u'〒'), + (0x3037, 'V'), + (0x3038, 'M', u'十'), + (0x3039, 'M', u'卄'), + (0x303A, 'M', u'卅'), + (0x303B, 'V'), + (0x3040, 'X'), + (0x3041, 'V'), + (0x3097, 'X'), + (0x3099, 'V'), + (0x309B, '3', u' ゙'), + (0x309C, '3', u' ゚'), + (0x309D, 'V'), + (0x309F, 'M', u'より'), + (0x30A0, 'V'), + (0x30FF, 'M', u'コト'), + (0x3100, 'X'), + (0x3105, 'V'), + (0x3130, 'X'), + (0x3131, 'M', u'ᄀ'), + (0x3132, 'M', u'ᄁ'), + (0x3133, 'M', u'ᆪ'), + (0x3134, 'M', u'ᄂ'), + (0x3135, 'M', u'ᆬ'), + (0x3136, 'M', u'ᆭ'), + (0x3137, 'M', u'ᄃ'), + (0x3138, 'M', u'ᄄ'), + ] + +def _seg_29(): + return [ + (0x3139, 'M', u'ᄅ'), + (0x313A, 'M', u'ᆰ'), + (0x313B, 'M', u'ᆱ'), + (0x313C, 'M', u'ᆲ'), + (0x313D, 'M', u'ᆳ'), + (0x313E, 'M', u'ᆴ'), + (0x313F, 'M', u'ᆵ'), + (0x3140, 'M', u'ᄚ'), + (0x3141, 'M', u'ᄆ'), + (0x3142, 'M', u'ᄇ'), + (0x3143, 'M', u'ᄈ'), + (0x3144, 'M', u'ᄡ'), + (0x3145, 'M', u'ᄉ'), + (0x3146, 'M', u'ᄊ'), + (0x3147, 'M', u'ᄋ'), + (0x3148, 'M', u'ᄌ'), + (0x3149, 'M', u'ᄍ'), + (0x314A, 'M', u'ᄎ'), + (0x314B, 'M', u'ᄏ'), + (0x314C, 'M', u'ᄐ'), + (0x314D, 'M', u'ᄑ'), + (0x314E, 'M', u'ᄒ'), + (0x314F, 'M', u'ᅡ'), + (0x3150, 'M', u'ᅢ'), + (0x3151, 'M', u'ᅣ'), + (0x3152, 'M', u'ᅤ'), + (0x3153, 'M', u'ᅥ'), + (0x3154, 'M', u'ᅦ'), + (0x3155, 'M', u'ᅧ'), + (0x3156, 'M', u'ᅨ'), + (0x3157, 'M', u'ᅩ'), + (0x3158, 'M', u'ᅪ'), + (0x3159, 'M', u'ᅫ'), + (0x315A, 'M', u'ᅬ'), + (0x315B, 'M', u'ᅭ'), + (0x315C, 'M', u'ᅮ'), + (0x315D, 'M', u'ᅯ'), + (0x315E, 'M', u'ᅰ'), + (0x315F, 'M', u'ᅱ'), + (0x3160, 'M', u'ᅲ'), + (0x3161, 'M', u'ᅳ'), + (0x3162, 'M', u'ᅴ'), + (0x3163, 'M', u'ᅵ'), + (0x3164, 'X'), + (0x3165, 'M', u'ᄔ'), + (0x3166, 'M', u'ᄕ'), + (0x3167, 'M', u'ᇇ'), + (0x3168, 'M', u'ᇈ'), + (0x3169, 'M', u'ᇌ'), + (0x316A, 'M', u'ᇎ'), + (0x316B, 'M', u'ᇓ'), + (0x316C, 'M', u'ᇗ'), + (0x316D, 'M', u'ᇙ'), + (0x316E, 'M', u'ᄜ'), + (0x316F, 'M', u'ᇝ'), + (0x3170, 'M', u'ᇟ'), + (0x3171, 'M', u'ᄝ'), + (0x3172, 'M', u'ᄞ'), + (0x3173, 'M', u'ᄠ'), + (0x3174, 'M', u'ᄢ'), + (0x3175, 'M', u'ᄣ'), + (0x3176, 'M', u'ᄧ'), + (0x3177, 'M', u'ᄩ'), + (0x3178, 'M', u'ᄫ'), + (0x3179, 'M', u'ᄬ'), + (0x317A, 'M', u'ᄭ'), + (0x317B, 'M', u'ᄮ'), + (0x317C, 'M', u'ᄯ'), + (0x317D, 'M', u'ᄲ'), + (0x317E, 'M', u'ᄶ'), + (0x317F, 'M', u'ᅀ'), + (0x3180, 'M', u'ᅇ'), + (0x3181, 'M', u'ᅌ'), + (0x3182, 'M', u'ᇱ'), + (0x3183, 'M', u'ᇲ'), + (0x3184, 'M', u'ᅗ'), + (0x3185, 'M', u'ᅘ'), + (0x3186, 'M', u'ᅙ'), + (0x3187, 'M', u'ᆄ'), + (0x3188, 'M', u'ᆅ'), + (0x3189, 'M', u'ᆈ'), + (0x318A, 'M', u'ᆑ'), + (0x318B, 'M', u'ᆒ'), + (0x318C, 'M', u'ᆔ'), + (0x318D, 'M', u'ᆞ'), + (0x318E, 'M', u'ᆡ'), + (0x318F, 'X'), + (0x3190, 'V'), + (0x3192, 'M', u'一'), + (0x3193, 'M', u'二'), + (0x3194, 'M', u'三'), + (0x3195, 'M', u'四'), + (0x3196, 'M', u'上'), + (0x3197, 'M', u'中'), + (0x3198, 'M', u'下'), + (0x3199, 'M', u'甲'), + (0x319A, 'M', u'乙'), + (0x319B, 'M', u'丙'), + (0x319C, 'M', u'丁'), + (0x319D, 'M', u'天'), + ] + +def _seg_30(): + return [ + (0x319E, 'M', u'地'), + (0x319F, 'M', u'人'), + (0x31A0, 'V'), + (0x31BB, 'X'), + (0x31C0, 'V'), + (0x31E4, 'X'), + (0x31F0, 'V'), + (0x3200, '3', u'(ᄀ)'), + (0x3201, '3', u'(ᄂ)'), + (0x3202, '3', u'(ᄃ)'), + (0x3203, '3', u'(ᄅ)'), + (0x3204, '3', u'(ᄆ)'), + (0x3205, '3', u'(ᄇ)'), + (0x3206, '3', u'(ᄉ)'), + (0x3207, '3', u'(ᄋ)'), + (0x3208, '3', u'(ᄌ)'), + (0x3209, '3', u'(ᄎ)'), + (0x320A, '3', u'(ᄏ)'), + (0x320B, '3', u'(ᄐ)'), + (0x320C, '3', u'(ᄑ)'), + (0x320D, '3', u'(ᄒ)'), + (0x320E, '3', u'(가)'), + (0x320F, '3', u'(나)'), + (0x3210, '3', u'(다)'), + (0x3211, '3', u'(라)'), + (0x3212, '3', u'(마)'), + (0x3213, '3', u'(바)'), + (0x3214, '3', u'(사)'), + (0x3215, '3', u'(아)'), + (0x3216, '3', u'(자)'), + (0x3217, '3', u'(차)'), + (0x3218, '3', u'(카)'), + (0x3219, '3', u'(타)'), + (0x321A, '3', u'(파)'), + (0x321B, '3', u'(하)'), + (0x321C, '3', u'(주)'), + (0x321D, '3', u'(오전)'), + (0x321E, '3', u'(오후)'), + (0x321F, 'X'), + (0x3220, '3', u'(一)'), + (0x3221, '3', u'(二)'), + (0x3222, '3', u'(三)'), + (0x3223, '3', u'(四)'), + (0x3224, '3', u'(五)'), + (0x3225, '3', u'(六)'), + (0x3226, '3', u'(七)'), + (0x3227, '3', u'(八)'), + (0x3228, '3', u'(九)'), + (0x3229, '3', u'(十)'), + (0x322A, '3', u'(月)'), + (0x322B, '3', u'(火)'), + (0x322C, '3', u'(水)'), + (0x322D, '3', u'(木)'), + (0x322E, '3', u'(金)'), + (0x322F, '3', u'(土)'), + (0x3230, '3', u'(日)'), + (0x3231, '3', u'(株)'), + (0x3232, '3', u'(有)'), + (0x3233, '3', u'(社)'), + (0x3234, '3', u'(名)'), + (0x3235, '3', u'(特)'), + (0x3236, '3', u'(財)'), + (0x3237, '3', u'(祝)'), + (0x3238, '3', u'(労)'), + (0x3239, '3', u'(代)'), + (0x323A, '3', u'(呼)'), + (0x323B, '3', u'(学)'), + (0x323C, '3', u'(監)'), + (0x323D, '3', u'(企)'), + (0x323E, '3', u'(資)'), + (0x323F, '3', u'(協)'), + (0x3240, '3', u'(祭)'), + (0x3241, '3', u'(休)'), + (0x3242, '3', u'(自)'), + (0x3243, '3', u'(至)'), + (0x3244, 'M', u'問'), + (0x3245, 'M', u'幼'), + (0x3246, 'M', u'文'), + (0x3247, 'M', u'箏'), + (0x3248, 'V'), + (0x3250, 'M', u'pte'), + (0x3251, 'M', u'21'), + (0x3252, 'M', u'22'), + (0x3253, 'M', u'23'), + (0x3254, 'M', u'24'), + (0x3255, 'M', u'25'), + (0x3256, 'M', u'26'), + (0x3257, 'M', u'27'), + (0x3258, 'M', u'28'), + (0x3259, 'M', u'29'), + (0x325A, 'M', u'30'), + (0x325B, 'M', u'31'), + (0x325C, 'M', u'32'), + (0x325D, 'M', u'33'), + (0x325E, 'M', u'34'), + (0x325F, 'M', u'35'), + (0x3260, 'M', u'ᄀ'), + (0x3261, 'M', u'ᄂ'), + (0x3262, 'M', u'ᄃ'), + (0x3263, 'M', u'ᄅ'), + ] + +def _seg_31(): + return [ + (0x3264, 'M', u'ᄆ'), + (0x3265, 'M', u'ᄇ'), + (0x3266, 'M', u'ᄉ'), + (0x3267, 'M', u'ᄋ'), + (0x3268, 'M', u'ᄌ'), + (0x3269, 'M', u'ᄎ'), + (0x326A, 'M', u'ᄏ'), + (0x326B, 'M', u'ᄐ'), + (0x326C, 'M', u'ᄑ'), + (0x326D, 'M', u'ᄒ'), + (0x326E, 'M', u'가'), + (0x326F, 'M', u'나'), + (0x3270, 'M', u'다'), + (0x3271, 'M', u'라'), + (0x3272, 'M', u'마'), + (0x3273, 'M', u'바'), + (0x3274, 'M', u'사'), + (0x3275, 'M', u'아'), + (0x3276, 'M', u'자'), + (0x3277, 'M', u'차'), + (0x3278, 'M', u'카'), + (0x3279, 'M', u'타'), + (0x327A, 'M', u'파'), + (0x327B, 'M', u'하'), + (0x327C, 'M', u'참고'), + (0x327D, 'M', u'주의'), + (0x327E, 'M', u'우'), + (0x327F, 'V'), + (0x3280, 'M', u'一'), + (0x3281, 'M', u'二'), + (0x3282, 'M', u'三'), + (0x3283, 'M', u'四'), + (0x3284, 'M', u'五'), + (0x3285, 'M', u'六'), + (0x3286, 'M', u'七'), + (0x3287, 'M', u'八'), + (0x3288, 'M', u'九'), + (0x3289, 'M', u'十'), + (0x328A, 'M', u'月'), + (0x328B, 'M', u'火'), + (0x328C, 'M', u'水'), + (0x328D, 'M', u'木'), + (0x328E, 'M', u'金'), + (0x328F, 'M', u'土'), + (0x3290, 'M', u'日'), + (0x3291, 'M', u'株'), + (0x3292, 'M', u'有'), + (0x3293, 'M', u'社'), + (0x3294, 'M', u'名'), + (0x3295, 'M', u'特'), + (0x3296, 'M', u'財'), + (0x3297, 'M', u'祝'), + (0x3298, 'M', u'労'), + (0x3299, 'M', u'秘'), + (0x329A, 'M', u'男'), + (0x329B, 'M', u'女'), + (0x329C, 'M', u'適'), + (0x329D, 'M', u'優'), + (0x329E, 'M', u'印'), + (0x329F, 'M', u'注'), + (0x32A0, 'M', u'項'), + (0x32A1, 'M', u'休'), + (0x32A2, 'M', u'写'), + (0x32A3, 'M', u'正'), + (0x32A4, 'M', u'上'), + (0x32A5, 'M', u'中'), + (0x32A6, 'M', u'下'), + (0x32A7, 'M', u'左'), + (0x32A8, 'M', u'右'), + (0x32A9, 'M', u'医'), + (0x32AA, 'M', u'宗'), + (0x32AB, 'M', u'学'), + (0x32AC, 'M', u'監'), + (0x32AD, 'M', u'企'), + (0x32AE, 'M', u'資'), + (0x32AF, 'M', u'協'), + (0x32B0, 'M', u'夜'), + (0x32B1, 'M', u'36'), + (0x32B2, 'M', u'37'), + (0x32B3, 'M', u'38'), + (0x32B4, 'M', u'39'), + (0x32B5, 'M', u'40'), + (0x32B6, 'M', u'41'), + (0x32B7, 'M', u'42'), + (0x32B8, 'M', u'43'), + (0x32B9, 'M', u'44'), + (0x32BA, 'M', u'45'), + (0x32BB, 'M', u'46'), + (0x32BC, 'M', u'47'), + (0x32BD, 'M', u'48'), + (0x32BE, 'M', u'49'), + (0x32BF, 'M', u'50'), + (0x32C0, 'M', u'1月'), + (0x32C1, 'M', u'2月'), + (0x32C2, 'M', u'3月'), + (0x32C3, 'M', u'4月'), + (0x32C4, 'M', u'5月'), + (0x32C5, 'M', u'6月'), + (0x32C6, 'M', u'7月'), + (0x32C7, 'M', u'8月'), + ] + +def _seg_32(): + return [ + (0x32C8, 'M', u'9月'), + (0x32C9, 'M', u'10月'), + (0x32CA, 'M', u'11月'), + (0x32CB, 'M', u'12月'), + (0x32CC, 'M', u'hg'), + (0x32CD, 'M', u'erg'), + (0x32CE, 'M', u'ev'), + (0x32CF, 'M', u'ltd'), + (0x32D0, 'M', u'ア'), + (0x32D1, 'M', u'イ'), + (0x32D2, 'M', u'ウ'), + (0x32D3, 'M', u'エ'), + (0x32D4, 'M', u'オ'), + (0x32D5, 'M', u'カ'), + (0x32D6, 'M', u'キ'), + (0x32D7, 'M', u'ク'), + (0x32D8, 'M', u'ケ'), + (0x32D9, 'M', u'コ'), + (0x32DA, 'M', u'サ'), + (0x32DB, 'M', u'シ'), + (0x32DC, 'M', u'ス'), + (0x32DD, 'M', u'セ'), + (0x32DE, 'M', u'ソ'), + (0x32DF, 'M', u'タ'), + (0x32E0, 'M', u'チ'), + (0x32E1, 'M', u'ツ'), + (0x32E2, 'M', u'テ'), + (0x32E3, 'M', u'ト'), + (0x32E4, 'M', u'ナ'), + (0x32E5, 'M', u'ニ'), + (0x32E6, 'M', u'ヌ'), + (0x32E7, 'M', u'ネ'), + (0x32E8, 'M', u'ノ'), + (0x32E9, 'M', u'ハ'), + (0x32EA, 'M', u'ヒ'), + (0x32EB, 'M', u'フ'), + (0x32EC, 'M', u'ヘ'), + (0x32ED, 'M', u'ホ'), + (0x32EE, 'M', u'マ'), + (0x32EF, 'M', u'ミ'), + (0x32F0, 'M', u'ム'), + (0x32F1, 'M', u'メ'), + (0x32F2, 'M', u'モ'), + (0x32F3, 'M', u'ヤ'), + (0x32F4, 'M', u'ユ'), + (0x32F5, 'M', u'ヨ'), + (0x32F6, 'M', u'ラ'), + (0x32F7, 'M', u'リ'), + (0x32F8, 'M', u'ル'), + (0x32F9, 'M', u'レ'), + (0x32FA, 'M', u'ロ'), + (0x32FB, 'M', u'ワ'), + (0x32FC, 'M', u'ヰ'), + (0x32FD, 'M', u'ヱ'), + (0x32FE, 'M', u'ヲ'), + (0x32FF, 'X'), + (0x3300, 'M', u'アパート'), + (0x3301, 'M', u'アルファ'), + (0x3302, 'M', u'アンペア'), + (0x3303, 'M', u'アール'), + (0x3304, 'M', u'イニング'), + (0x3305, 'M', u'インチ'), + (0x3306, 'M', u'ウォン'), + (0x3307, 'M', u'エスクード'), + (0x3308, 'M', u'エーカー'), + (0x3309, 'M', u'オンス'), + (0x330A, 'M', u'オーム'), + (0x330B, 'M', u'カイリ'), + (0x330C, 'M', u'カラット'), + (0x330D, 'M', u'カロリー'), + (0x330E, 'M', u'ガロン'), + (0x330F, 'M', u'ガンマ'), + (0x3310, 'M', u'ギガ'), + (0x3311, 'M', u'ギニー'), + (0x3312, 'M', u'キュリー'), + (0x3313, 'M', u'ギルダー'), + (0x3314, 'M', u'キロ'), + (0x3315, 'M', u'キログラム'), + (0x3316, 'M', u'キロメートル'), + (0x3317, 'M', u'キロワット'), + (0x3318, 'M', u'グラム'), + (0x3319, 'M', u'グラムトン'), + (0x331A, 'M', u'クルゼイロ'), + (0x331B, 'M', u'クローネ'), + (0x331C, 'M', u'ケース'), + (0x331D, 'M', u'コルナ'), + (0x331E, 'M', u'コーポ'), + (0x331F, 'M', u'サイクル'), + (0x3320, 'M', u'サンチーム'), + (0x3321, 'M', u'シリング'), + (0x3322, 'M', u'センチ'), + (0x3323, 'M', u'セント'), + (0x3324, 'M', u'ダース'), + (0x3325, 'M', u'デシ'), + (0x3326, 'M', u'ドル'), + (0x3327, 'M', u'トン'), + (0x3328, 'M', u'ナノ'), + (0x3329, 'M', u'ノット'), + (0x332A, 'M', u'ハイツ'), + (0x332B, 'M', u'パーセント'), + ] + +def _seg_33(): + return [ + (0x332C, 'M', u'パーツ'), + (0x332D, 'M', u'バーレル'), + (0x332E, 'M', u'ピアストル'), + (0x332F, 'M', u'ピクル'), + (0x3330, 'M', u'ピコ'), + (0x3331, 'M', u'ビル'), + (0x3332, 'M', u'ファラッド'), + (0x3333, 'M', u'フィート'), + (0x3334, 'M', u'ブッシェル'), + (0x3335, 'M', u'フラン'), + (0x3336, 'M', u'ヘクタール'), + (0x3337, 'M', u'ペソ'), + (0x3338, 'M', u'ペニヒ'), + (0x3339, 'M', u'ヘルツ'), + (0x333A, 'M', u'ペンス'), + (0x333B, 'M', u'ページ'), + (0x333C, 'M', u'ベータ'), + (0x333D, 'M', u'ポイント'), + (0x333E, 'M', u'ボルト'), + (0x333F, 'M', u'ホン'), + (0x3340, 'M', u'ポンド'), + (0x3341, 'M', u'ホール'), + (0x3342, 'M', u'ホーン'), + (0x3343, 'M', u'マイクロ'), + (0x3344, 'M', u'マイル'), + (0x3345, 'M', u'マッハ'), + (0x3346, 'M', u'マルク'), + (0x3347, 'M', u'マンション'), + (0x3348, 'M', u'ミクロン'), + (0x3349, 'M', u'ミリ'), + (0x334A, 'M', u'ミリバール'), + (0x334B, 'M', u'メガ'), + (0x334C, 'M', u'メガトン'), + (0x334D, 'M', u'メートル'), + (0x334E, 'M', u'ヤード'), + (0x334F, 'M', u'ヤール'), + (0x3350, 'M', u'ユアン'), + (0x3351, 'M', u'リットル'), + (0x3352, 'M', u'リラ'), + (0x3353, 'M', u'ルピー'), + (0x3354, 'M', u'ルーブル'), + (0x3355, 'M', u'レム'), + (0x3356, 'M', u'レントゲン'), + (0x3357, 'M', u'ワット'), + (0x3358, 'M', u'0点'), + (0x3359, 'M', u'1点'), + (0x335A, 'M', u'2点'), + (0x335B, 'M', u'3点'), + (0x335C, 'M', u'4点'), + (0x335D, 'M', u'5点'), + (0x335E, 'M', u'6点'), + (0x335F, 'M', u'7点'), + (0x3360, 'M', u'8点'), + (0x3361, 'M', u'9点'), + (0x3362, 'M', u'10点'), + (0x3363, 'M', u'11点'), + (0x3364, 'M', u'12点'), + (0x3365, 'M', u'13点'), + (0x3366, 'M', u'14点'), + (0x3367, 'M', u'15点'), + (0x3368, 'M', u'16点'), + (0x3369, 'M', u'17点'), + (0x336A, 'M', u'18点'), + (0x336B, 'M', u'19点'), + (0x336C, 'M', u'20点'), + (0x336D, 'M', u'21点'), + (0x336E, 'M', u'22点'), + (0x336F, 'M', u'23点'), + (0x3370, 'M', u'24点'), + (0x3371, 'M', u'hpa'), + (0x3372, 'M', u'da'), + (0x3373, 'M', u'au'), + (0x3374, 'M', u'bar'), + (0x3375, 'M', u'ov'), + (0x3376, 'M', u'pc'), + (0x3377, 'M', u'dm'), + (0x3378, 'M', u'dm2'), + (0x3379, 'M', u'dm3'), + (0x337A, 'M', u'iu'), + (0x337B, 'M', u'平成'), + (0x337C, 'M', u'昭和'), + (0x337D, 'M', u'大正'), + (0x337E, 'M', u'明治'), + (0x337F, 'M', u'株式会社'), + (0x3380, 'M', u'pa'), + (0x3381, 'M', u'na'), + (0x3382, 'M', u'μa'), + (0x3383, 'M', u'ma'), + (0x3384, 'M', u'ka'), + (0x3385, 'M', u'kb'), + (0x3386, 'M', u'mb'), + (0x3387, 'M', u'gb'), + (0x3388, 'M', u'cal'), + (0x3389, 'M', u'kcal'), + (0x338A, 'M', u'pf'), + (0x338B, 'M', u'nf'), + (0x338C, 'M', u'μf'), + (0x338D, 'M', u'μg'), + (0x338E, 'M', u'mg'), + (0x338F, 'M', u'kg'), + ] + +def _seg_34(): + return [ + (0x3390, 'M', u'hz'), + (0x3391, 'M', u'khz'), + (0x3392, 'M', u'mhz'), + (0x3393, 'M', u'ghz'), + (0x3394, 'M', u'thz'), + (0x3395, 'M', u'μl'), + (0x3396, 'M', u'ml'), + (0x3397, 'M', u'dl'), + (0x3398, 'M', u'kl'), + (0x3399, 'M', u'fm'), + (0x339A, 'M', u'nm'), + (0x339B, 'M', u'μm'), + (0x339C, 'M', u'mm'), + (0x339D, 'M', u'cm'), + (0x339E, 'M', u'km'), + (0x339F, 'M', u'mm2'), + (0x33A0, 'M', u'cm2'), + (0x33A1, 'M', u'm2'), + (0x33A2, 'M', u'km2'), + (0x33A3, 'M', u'mm3'), + (0x33A4, 'M', u'cm3'), + (0x33A5, 'M', u'm3'), + (0x33A6, 'M', u'km3'), + (0x33A7, 'M', u'm∕s'), + (0x33A8, 'M', u'm∕s2'), + (0x33A9, 'M', u'pa'), + (0x33AA, 'M', u'kpa'), + (0x33AB, 'M', u'mpa'), + (0x33AC, 'M', u'gpa'), + (0x33AD, 'M', u'rad'), + (0x33AE, 'M', u'rad∕s'), + (0x33AF, 'M', u'rad∕s2'), + (0x33B0, 'M', u'ps'), + (0x33B1, 'M', u'ns'), + (0x33B2, 'M', u'μs'), + (0x33B3, 'M', u'ms'), + (0x33B4, 'M', u'pv'), + (0x33B5, 'M', u'nv'), + (0x33B6, 'M', u'μv'), + (0x33B7, 'M', u'mv'), + (0x33B8, 'M', u'kv'), + (0x33B9, 'M', u'mv'), + (0x33BA, 'M', u'pw'), + (0x33BB, 'M', u'nw'), + (0x33BC, 'M', u'μw'), + (0x33BD, 'M', u'mw'), + (0x33BE, 'M', u'kw'), + (0x33BF, 'M', u'mw'), + (0x33C0, 'M', u'kω'), + (0x33C1, 'M', u'mω'), + (0x33C2, 'X'), + (0x33C3, 'M', u'bq'), + (0x33C4, 'M', u'cc'), + (0x33C5, 'M', u'cd'), + (0x33C6, 'M', u'c∕kg'), + (0x33C7, 'X'), + (0x33C8, 'M', u'db'), + (0x33C9, 'M', u'gy'), + (0x33CA, 'M', u'ha'), + (0x33CB, 'M', u'hp'), + (0x33CC, 'M', u'in'), + (0x33CD, 'M', u'kk'), + (0x33CE, 'M', u'km'), + (0x33CF, 'M', u'kt'), + (0x33D0, 'M', u'lm'), + (0x33D1, 'M', u'ln'), + (0x33D2, 'M', u'log'), + (0x33D3, 'M', u'lx'), + (0x33D4, 'M', u'mb'), + (0x33D5, 'M', u'mil'), + (0x33D6, 'M', u'mol'), + (0x33D7, 'M', u'ph'), + (0x33D8, 'X'), + (0x33D9, 'M', u'ppm'), + (0x33DA, 'M', u'pr'), + (0x33DB, 'M', u'sr'), + (0x33DC, 'M', u'sv'), + (0x33DD, 'M', u'wb'), + (0x33DE, 'M', u'v∕m'), + (0x33DF, 'M', u'a∕m'), + (0x33E0, 'M', u'1日'), + (0x33E1, 'M', u'2日'), + (0x33E2, 'M', u'3日'), + (0x33E3, 'M', u'4日'), + (0x33E4, 'M', u'5日'), + (0x33E5, 'M', u'6日'), + (0x33E6, 'M', u'7日'), + (0x33E7, 'M', u'8日'), + (0x33E8, 'M', u'9日'), + (0x33E9, 'M', u'10日'), + (0x33EA, 'M', u'11日'), + (0x33EB, 'M', u'12日'), + (0x33EC, 'M', u'13日'), + (0x33ED, 'M', u'14日'), + (0x33EE, 'M', u'15日'), + (0x33EF, 'M', u'16日'), + (0x33F0, 'M', u'17日'), + (0x33F1, 'M', u'18日'), + (0x33F2, 'M', u'19日'), + (0x33F3, 'M', u'20日'), + ] + +def _seg_35(): + return [ + (0x33F4, 'M', u'21日'), + (0x33F5, 'M', u'22日'), + (0x33F6, 'M', u'23日'), + (0x33F7, 'M', u'24日'), + (0x33F8, 'M', u'25日'), + (0x33F9, 'M', u'26日'), + (0x33FA, 'M', u'27日'), + (0x33FB, 'M', u'28日'), + (0x33FC, 'M', u'29日'), + (0x33FD, 'M', u'30日'), + (0x33FE, 'M', u'31日'), + (0x33FF, 'M', u'gal'), + (0x3400, 'V'), + (0x4DB6, 'X'), + (0x4DC0, 'V'), + (0x9FF0, 'X'), + (0xA000, 'V'), + (0xA48D, 'X'), + (0xA490, 'V'), + (0xA4C7, 'X'), + (0xA4D0, 'V'), + (0xA62C, 'X'), + (0xA640, 'M', u'ꙁ'), + (0xA641, 'V'), + (0xA642, 'M', u'ꙃ'), + (0xA643, 'V'), + (0xA644, 'M', u'ꙅ'), + (0xA645, 'V'), + (0xA646, 'M', u'ꙇ'), + (0xA647, 'V'), + (0xA648, 'M', u'ꙉ'), + (0xA649, 'V'), + (0xA64A, 'M', u'ꙋ'), + (0xA64B, 'V'), + (0xA64C, 'M', u'ꙍ'), + (0xA64D, 'V'), + (0xA64E, 'M', u'ꙏ'), + (0xA64F, 'V'), + (0xA650, 'M', u'ꙑ'), + (0xA651, 'V'), + (0xA652, 'M', u'ꙓ'), + (0xA653, 'V'), + (0xA654, 'M', u'ꙕ'), + (0xA655, 'V'), + (0xA656, 'M', u'ꙗ'), + (0xA657, 'V'), + (0xA658, 'M', u'ꙙ'), + (0xA659, 'V'), + (0xA65A, 'M', u'ꙛ'), + (0xA65B, 'V'), + (0xA65C, 'M', u'ꙝ'), + (0xA65D, 'V'), + (0xA65E, 'M', u'ꙟ'), + (0xA65F, 'V'), + (0xA660, 'M', u'ꙡ'), + (0xA661, 'V'), + (0xA662, 'M', u'ꙣ'), + (0xA663, 'V'), + (0xA664, 'M', u'ꙥ'), + (0xA665, 'V'), + (0xA666, 'M', u'ꙧ'), + (0xA667, 'V'), + (0xA668, 'M', u'ꙩ'), + (0xA669, 'V'), + (0xA66A, 'M', u'ꙫ'), + (0xA66B, 'V'), + (0xA66C, 'M', u'ꙭ'), + (0xA66D, 'V'), + (0xA680, 'M', u'ꚁ'), + (0xA681, 'V'), + (0xA682, 'M', u'ꚃ'), + (0xA683, 'V'), + (0xA684, 'M', u'ꚅ'), + (0xA685, 'V'), + (0xA686, 'M', u'ꚇ'), + (0xA687, 'V'), + (0xA688, 'M', u'ꚉ'), + (0xA689, 'V'), + (0xA68A, 'M', u'ꚋ'), + (0xA68B, 'V'), + (0xA68C, 'M', u'ꚍ'), + (0xA68D, 'V'), + (0xA68E, 'M', u'ꚏ'), + (0xA68F, 'V'), + (0xA690, 'M', u'ꚑ'), + (0xA691, 'V'), + (0xA692, 'M', u'ꚓ'), + (0xA693, 'V'), + (0xA694, 'M', u'ꚕ'), + (0xA695, 'V'), + (0xA696, 'M', u'ꚗ'), + (0xA697, 'V'), + (0xA698, 'M', u'ꚙ'), + (0xA699, 'V'), + (0xA69A, 'M', u'ꚛ'), + (0xA69B, 'V'), + (0xA69C, 'M', u'ъ'), + (0xA69D, 'M', u'ь'), + (0xA69E, 'V'), + (0xA6F8, 'X'), + ] + +def _seg_36(): + return [ + (0xA700, 'V'), + (0xA722, 'M', u'ꜣ'), + (0xA723, 'V'), + (0xA724, 'M', u'ꜥ'), + (0xA725, 'V'), + (0xA726, 'M', u'ꜧ'), + (0xA727, 'V'), + (0xA728, 'M', u'ꜩ'), + (0xA729, 'V'), + (0xA72A, 'M', u'ꜫ'), + (0xA72B, 'V'), + (0xA72C, 'M', u'ꜭ'), + (0xA72D, 'V'), + (0xA72E, 'M', u'ꜯ'), + (0xA72F, 'V'), + (0xA732, 'M', u'ꜳ'), + (0xA733, 'V'), + (0xA734, 'M', u'ꜵ'), + (0xA735, 'V'), + (0xA736, 'M', u'ꜷ'), + (0xA737, 'V'), + (0xA738, 'M', u'ꜹ'), + (0xA739, 'V'), + (0xA73A, 'M', u'ꜻ'), + (0xA73B, 'V'), + (0xA73C, 'M', u'ꜽ'), + (0xA73D, 'V'), + (0xA73E, 'M', u'ꜿ'), + (0xA73F, 'V'), + (0xA740, 'M', u'ꝁ'), + (0xA741, 'V'), + (0xA742, 'M', u'ꝃ'), + (0xA743, 'V'), + (0xA744, 'M', u'ꝅ'), + (0xA745, 'V'), + (0xA746, 'M', u'ꝇ'), + (0xA747, 'V'), + (0xA748, 'M', u'ꝉ'), + (0xA749, 'V'), + (0xA74A, 'M', u'ꝋ'), + (0xA74B, 'V'), + (0xA74C, 'M', u'ꝍ'), + (0xA74D, 'V'), + (0xA74E, 'M', u'ꝏ'), + (0xA74F, 'V'), + (0xA750, 'M', u'ꝑ'), + (0xA751, 'V'), + (0xA752, 'M', u'ꝓ'), + (0xA753, 'V'), + (0xA754, 'M', u'ꝕ'), + (0xA755, 'V'), + (0xA756, 'M', u'ꝗ'), + (0xA757, 'V'), + (0xA758, 'M', u'ꝙ'), + (0xA759, 'V'), + (0xA75A, 'M', u'ꝛ'), + (0xA75B, 'V'), + (0xA75C, 'M', u'ꝝ'), + (0xA75D, 'V'), + (0xA75E, 'M', u'ꝟ'), + (0xA75F, 'V'), + (0xA760, 'M', u'ꝡ'), + (0xA761, 'V'), + (0xA762, 'M', u'ꝣ'), + (0xA763, 'V'), + (0xA764, 'M', u'ꝥ'), + (0xA765, 'V'), + (0xA766, 'M', u'ꝧ'), + (0xA767, 'V'), + (0xA768, 'M', u'ꝩ'), + (0xA769, 'V'), + (0xA76A, 'M', u'ꝫ'), + (0xA76B, 'V'), + (0xA76C, 'M', u'ꝭ'), + (0xA76D, 'V'), + (0xA76E, 'M', u'ꝯ'), + (0xA76F, 'V'), + (0xA770, 'M', u'ꝯ'), + (0xA771, 'V'), + (0xA779, 'M', u'ꝺ'), + (0xA77A, 'V'), + (0xA77B, 'M', u'ꝼ'), + (0xA77C, 'V'), + (0xA77D, 'M', u'ᵹ'), + (0xA77E, 'M', u'ꝿ'), + (0xA77F, 'V'), + (0xA780, 'M', u'ꞁ'), + (0xA781, 'V'), + (0xA782, 'M', u'ꞃ'), + (0xA783, 'V'), + (0xA784, 'M', u'ꞅ'), + (0xA785, 'V'), + (0xA786, 'M', u'ꞇ'), + (0xA787, 'V'), + (0xA78B, 'M', u'ꞌ'), + (0xA78C, 'V'), + (0xA78D, 'M', u'ɥ'), + (0xA78E, 'V'), + (0xA790, 'M', u'ꞑ'), + (0xA791, 'V'), + ] + +def _seg_37(): + return [ + (0xA792, 'M', u'ꞓ'), + (0xA793, 'V'), + (0xA796, 'M', u'ꞗ'), + (0xA797, 'V'), + (0xA798, 'M', u'ꞙ'), + (0xA799, 'V'), + (0xA79A, 'M', u'ꞛ'), + (0xA79B, 'V'), + (0xA79C, 'M', u'ꞝ'), + (0xA79D, 'V'), + (0xA79E, 'M', u'ꞟ'), + (0xA79F, 'V'), + (0xA7A0, 'M', u'ꞡ'), + (0xA7A1, 'V'), + (0xA7A2, 'M', u'ꞣ'), + (0xA7A3, 'V'), + (0xA7A4, 'M', u'ꞥ'), + (0xA7A5, 'V'), + (0xA7A6, 'M', u'ꞧ'), + (0xA7A7, 'V'), + (0xA7A8, 'M', u'ꞩ'), + (0xA7A9, 'V'), + (0xA7AA, 'M', u'ɦ'), + (0xA7AB, 'M', u'ɜ'), + (0xA7AC, 'M', u'ɡ'), + (0xA7AD, 'M', u'ɬ'), + (0xA7AE, 'M', u'ɪ'), + (0xA7AF, 'V'), + (0xA7B0, 'M', u'ʞ'), + (0xA7B1, 'M', u'ʇ'), + (0xA7B2, 'M', u'ʝ'), + (0xA7B3, 'M', u'ꭓ'), + (0xA7B4, 'M', u'ꞵ'), + (0xA7B5, 'V'), + (0xA7B6, 'M', u'ꞷ'), + (0xA7B7, 'V'), + (0xA7B8, 'X'), + (0xA7B9, 'V'), + (0xA7BA, 'X'), + (0xA7F7, 'V'), + (0xA7F8, 'M', u'ħ'), + (0xA7F9, 'M', u'œ'), + (0xA7FA, 'V'), + (0xA82C, 'X'), + (0xA830, 'V'), + (0xA83A, 'X'), + (0xA840, 'V'), + (0xA878, 'X'), + (0xA880, 'V'), + (0xA8C6, 'X'), + (0xA8CE, 'V'), + (0xA8DA, 'X'), + (0xA8E0, 'V'), + (0xA954, 'X'), + (0xA95F, 'V'), + (0xA97D, 'X'), + (0xA980, 'V'), + (0xA9CE, 'X'), + (0xA9CF, 'V'), + (0xA9DA, 'X'), + (0xA9DE, 'V'), + (0xA9FF, 'X'), + (0xAA00, 'V'), + (0xAA37, 'X'), + (0xAA40, 'V'), + (0xAA4E, 'X'), + (0xAA50, 'V'), + (0xAA5A, 'X'), + (0xAA5C, 'V'), + (0xAAC3, 'X'), + (0xAADB, 'V'), + (0xAAF7, 'X'), + (0xAB01, 'V'), + (0xAB07, 'X'), + (0xAB09, 'V'), + (0xAB0F, 'X'), + (0xAB11, 'V'), + (0xAB17, 'X'), + (0xAB20, 'V'), + (0xAB27, 'X'), + (0xAB28, 'V'), + (0xAB2F, 'X'), + (0xAB30, 'V'), + (0xAB5C, 'M', u'ꜧ'), + (0xAB5D, 'M', u'ꬷ'), + (0xAB5E, 'M', u'ɫ'), + (0xAB5F, 'M', u'ꭒ'), + (0xAB60, 'V'), + (0xAB66, 'X'), + (0xAB70, 'M', u'Ꭰ'), + (0xAB71, 'M', u'Ꭱ'), + (0xAB72, 'M', u'Ꭲ'), + (0xAB73, 'M', u'Ꭳ'), + (0xAB74, 'M', u'Ꭴ'), + (0xAB75, 'M', u'Ꭵ'), + (0xAB76, 'M', u'Ꭶ'), + (0xAB77, 'M', u'Ꭷ'), + (0xAB78, 'M', u'Ꭸ'), + (0xAB79, 'M', u'Ꭹ'), + (0xAB7A, 'M', u'Ꭺ'), + ] + +def _seg_38(): + return [ + (0xAB7B, 'M', u'Ꭻ'), + (0xAB7C, 'M', u'Ꭼ'), + (0xAB7D, 'M', u'Ꭽ'), + (0xAB7E, 'M', u'Ꭾ'), + (0xAB7F, 'M', u'Ꭿ'), + (0xAB80, 'M', u'Ꮀ'), + (0xAB81, 'M', u'Ꮁ'), + (0xAB82, 'M', u'Ꮂ'), + (0xAB83, 'M', u'Ꮃ'), + (0xAB84, 'M', u'Ꮄ'), + (0xAB85, 'M', u'Ꮅ'), + (0xAB86, 'M', u'Ꮆ'), + (0xAB87, 'M', u'Ꮇ'), + (0xAB88, 'M', u'Ꮈ'), + (0xAB89, 'M', u'Ꮉ'), + (0xAB8A, 'M', u'Ꮊ'), + (0xAB8B, 'M', u'Ꮋ'), + (0xAB8C, 'M', u'Ꮌ'), + (0xAB8D, 'M', u'Ꮍ'), + (0xAB8E, 'M', u'Ꮎ'), + (0xAB8F, 'M', u'Ꮏ'), + (0xAB90, 'M', u'Ꮐ'), + (0xAB91, 'M', u'Ꮑ'), + (0xAB92, 'M', u'Ꮒ'), + (0xAB93, 'M', u'Ꮓ'), + (0xAB94, 'M', u'Ꮔ'), + (0xAB95, 'M', u'Ꮕ'), + (0xAB96, 'M', u'Ꮖ'), + (0xAB97, 'M', u'Ꮗ'), + (0xAB98, 'M', u'Ꮘ'), + (0xAB99, 'M', u'Ꮙ'), + (0xAB9A, 'M', u'Ꮚ'), + (0xAB9B, 'M', u'Ꮛ'), + (0xAB9C, 'M', u'Ꮜ'), + (0xAB9D, 'M', u'Ꮝ'), + (0xAB9E, 'M', u'Ꮞ'), + (0xAB9F, 'M', u'Ꮟ'), + (0xABA0, 'M', u'Ꮠ'), + (0xABA1, 'M', u'Ꮡ'), + (0xABA2, 'M', u'Ꮢ'), + (0xABA3, 'M', u'Ꮣ'), + (0xABA4, 'M', u'Ꮤ'), + (0xABA5, 'M', u'Ꮥ'), + (0xABA6, 'M', u'Ꮦ'), + (0xABA7, 'M', u'Ꮧ'), + (0xABA8, 'M', u'Ꮨ'), + (0xABA9, 'M', u'Ꮩ'), + (0xABAA, 'M', u'Ꮪ'), + (0xABAB, 'M', u'Ꮫ'), + (0xABAC, 'M', u'Ꮬ'), + (0xABAD, 'M', u'Ꮭ'), + (0xABAE, 'M', u'Ꮮ'), + (0xABAF, 'M', u'Ꮯ'), + (0xABB0, 'M', u'Ꮰ'), + (0xABB1, 'M', u'Ꮱ'), + (0xABB2, 'M', u'Ꮲ'), + (0xABB3, 'M', u'Ꮳ'), + (0xABB4, 'M', u'Ꮴ'), + (0xABB5, 'M', u'Ꮵ'), + (0xABB6, 'M', u'Ꮶ'), + (0xABB7, 'M', u'Ꮷ'), + (0xABB8, 'M', u'Ꮸ'), + (0xABB9, 'M', u'Ꮹ'), + (0xABBA, 'M', u'Ꮺ'), + (0xABBB, 'M', u'Ꮻ'), + (0xABBC, 'M', u'Ꮼ'), + (0xABBD, 'M', u'Ꮽ'), + (0xABBE, 'M', u'Ꮾ'), + (0xABBF, 'M', u'Ꮿ'), + (0xABC0, 'V'), + (0xABEE, 'X'), + (0xABF0, 'V'), + (0xABFA, 'X'), + (0xAC00, 'V'), + (0xD7A4, 'X'), + (0xD7B0, 'V'), + (0xD7C7, 'X'), + (0xD7CB, 'V'), + (0xD7FC, 'X'), + (0xF900, 'M', u'豈'), + (0xF901, 'M', u'更'), + (0xF902, 'M', u'車'), + (0xF903, 'M', u'賈'), + (0xF904, 'M', u'滑'), + (0xF905, 'M', u'串'), + (0xF906, 'M', u'句'), + (0xF907, 'M', u'龜'), + (0xF909, 'M', u'契'), + (0xF90A, 'M', u'金'), + (0xF90B, 'M', u'喇'), + (0xF90C, 'M', u'奈'), + (0xF90D, 'M', u'懶'), + (0xF90E, 'M', u'癩'), + (0xF90F, 'M', u'羅'), + (0xF910, 'M', u'蘿'), + (0xF911, 'M', u'螺'), + (0xF912, 'M', u'裸'), + (0xF913, 'M', u'邏'), + (0xF914, 'M', u'樂'), + (0xF915, 'M', u'洛'), + ] + +def _seg_39(): + return [ + (0xF916, 'M', u'烙'), + (0xF917, 'M', u'珞'), + (0xF918, 'M', u'落'), + (0xF919, 'M', u'酪'), + (0xF91A, 'M', u'駱'), + (0xF91B, 'M', u'亂'), + (0xF91C, 'M', u'卵'), + (0xF91D, 'M', u'欄'), + (0xF91E, 'M', u'爛'), + (0xF91F, 'M', u'蘭'), + (0xF920, 'M', u'鸞'), + (0xF921, 'M', u'嵐'), + (0xF922, 'M', u'濫'), + (0xF923, 'M', u'藍'), + (0xF924, 'M', u'襤'), + (0xF925, 'M', u'拉'), + (0xF926, 'M', u'臘'), + (0xF927, 'M', u'蠟'), + (0xF928, 'M', u'廊'), + (0xF929, 'M', u'朗'), + (0xF92A, 'M', u'浪'), + (0xF92B, 'M', u'狼'), + (0xF92C, 'M', u'郎'), + (0xF92D, 'M', u'來'), + (0xF92E, 'M', u'冷'), + (0xF92F, 'M', u'勞'), + (0xF930, 'M', u'擄'), + (0xF931, 'M', u'櫓'), + (0xF932, 'M', u'爐'), + (0xF933, 'M', u'盧'), + (0xF934, 'M', u'老'), + (0xF935, 'M', u'蘆'), + (0xF936, 'M', u'虜'), + (0xF937, 'M', u'路'), + (0xF938, 'M', u'露'), + (0xF939, 'M', u'魯'), + (0xF93A, 'M', u'鷺'), + (0xF93B, 'M', u'碌'), + (0xF93C, 'M', u'祿'), + (0xF93D, 'M', u'綠'), + (0xF93E, 'M', u'菉'), + (0xF93F, 'M', u'錄'), + (0xF940, 'M', u'鹿'), + (0xF941, 'M', u'論'), + (0xF942, 'M', u'壟'), + (0xF943, 'M', u'弄'), + (0xF944, 'M', u'籠'), + (0xF945, 'M', u'聾'), + (0xF946, 'M', u'牢'), + (0xF947, 'M', u'磊'), + (0xF948, 'M', u'賂'), + (0xF949, 'M', u'雷'), + (0xF94A, 'M', u'壘'), + (0xF94B, 'M', u'屢'), + (0xF94C, 'M', u'樓'), + (0xF94D, 'M', u'淚'), + (0xF94E, 'M', u'漏'), + (0xF94F, 'M', u'累'), + (0xF950, 'M', u'縷'), + (0xF951, 'M', u'陋'), + (0xF952, 'M', u'勒'), + (0xF953, 'M', u'肋'), + (0xF954, 'M', u'凜'), + (0xF955, 'M', u'凌'), + (0xF956, 'M', u'稜'), + (0xF957, 'M', u'綾'), + (0xF958, 'M', u'菱'), + (0xF959, 'M', u'陵'), + (0xF95A, 'M', u'讀'), + (0xF95B, 'M', u'拏'), + (0xF95C, 'M', u'樂'), + (0xF95D, 'M', u'諾'), + (0xF95E, 'M', u'丹'), + (0xF95F, 'M', u'寧'), + (0xF960, 'M', u'怒'), + (0xF961, 'M', u'率'), + (0xF962, 'M', u'異'), + (0xF963, 'M', u'北'), + (0xF964, 'M', u'磻'), + (0xF965, 'M', u'便'), + (0xF966, 'M', u'復'), + (0xF967, 'M', u'不'), + (0xF968, 'M', u'泌'), + (0xF969, 'M', u'數'), + (0xF96A, 'M', u'索'), + (0xF96B, 'M', u'參'), + (0xF96C, 'M', u'塞'), + (0xF96D, 'M', u'省'), + (0xF96E, 'M', u'葉'), + (0xF96F, 'M', u'說'), + (0xF970, 'M', u'殺'), + (0xF971, 'M', u'辰'), + (0xF972, 'M', u'沈'), + (0xF973, 'M', u'拾'), + (0xF974, 'M', u'若'), + (0xF975, 'M', u'掠'), + (0xF976, 'M', u'略'), + (0xF977, 'M', u'亮'), + (0xF978, 'M', u'兩'), + (0xF979, 'M', u'凉'), + ] + +def _seg_40(): + return [ + (0xF97A, 'M', u'梁'), + (0xF97B, 'M', u'糧'), + (0xF97C, 'M', u'良'), + (0xF97D, 'M', u'諒'), + (0xF97E, 'M', u'量'), + (0xF97F, 'M', u'勵'), + (0xF980, 'M', u'呂'), + (0xF981, 'M', u'女'), + (0xF982, 'M', u'廬'), + (0xF983, 'M', u'旅'), + (0xF984, 'M', u'濾'), + (0xF985, 'M', u'礪'), + (0xF986, 'M', u'閭'), + (0xF987, 'M', u'驪'), + (0xF988, 'M', u'麗'), + (0xF989, 'M', u'黎'), + (0xF98A, 'M', u'力'), + (0xF98B, 'M', u'曆'), + (0xF98C, 'M', u'歷'), + (0xF98D, 'M', u'轢'), + (0xF98E, 'M', u'年'), + (0xF98F, 'M', u'憐'), + (0xF990, 'M', u'戀'), + (0xF991, 'M', u'撚'), + (0xF992, 'M', u'漣'), + (0xF993, 'M', u'煉'), + (0xF994, 'M', u'璉'), + (0xF995, 'M', u'秊'), + (0xF996, 'M', u'練'), + (0xF997, 'M', u'聯'), + (0xF998, 'M', u'輦'), + (0xF999, 'M', u'蓮'), + (0xF99A, 'M', u'連'), + (0xF99B, 'M', u'鍊'), + (0xF99C, 'M', u'列'), + (0xF99D, 'M', u'劣'), + (0xF99E, 'M', u'咽'), + (0xF99F, 'M', u'烈'), + (0xF9A0, 'M', u'裂'), + (0xF9A1, 'M', u'說'), + (0xF9A2, 'M', u'廉'), + (0xF9A3, 'M', u'念'), + (0xF9A4, 'M', u'捻'), + (0xF9A5, 'M', u'殮'), + (0xF9A6, 'M', u'簾'), + (0xF9A7, 'M', u'獵'), + (0xF9A8, 'M', u'令'), + (0xF9A9, 'M', u'囹'), + (0xF9AA, 'M', u'寧'), + (0xF9AB, 'M', u'嶺'), + (0xF9AC, 'M', u'怜'), + (0xF9AD, 'M', u'玲'), + (0xF9AE, 'M', u'瑩'), + (0xF9AF, 'M', u'羚'), + (0xF9B0, 'M', u'聆'), + (0xF9B1, 'M', u'鈴'), + (0xF9B2, 'M', u'零'), + (0xF9B3, 'M', u'靈'), + (0xF9B4, 'M', u'領'), + (0xF9B5, 'M', u'例'), + (0xF9B6, 'M', u'禮'), + (0xF9B7, 'M', u'醴'), + (0xF9B8, 'M', u'隸'), + (0xF9B9, 'M', u'惡'), + (0xF9BA, 'M', u'了'), + (0xF9BB, 'M', u'僚'), + (0xF9BC, 'M', u'寮'), + (0xF9BD, 'M', u'尿'), + (0xF9BE, 'M', u'料'), + (0xF9BF, 'M', u'樂'), + (0xF9C0, 'M', u'燎'), + (0xF9C1, 'M', u'療'), + (0xF9C2, 'M', u'蓼'), + (0xF9C3, 'M', u'遼'), + (0xF9C4, 'M', u'龍'), + (0xF9C5, 'M', u'暈'), + (0xF9C6, 'M', u'阮'), + (0xF9C7, 'M', u'劉'), + (0xF9C8, 'M', u'杻'), + (0xF9C9, 'M', u'柳'), + (0xF9CA, 'M', u'流'), + (0xF9CB, 'M', u'溜'), + (0xF9CC, 'M', u'琉'), + (0xF9CD, 'M', u'留'), + (0xF9CE, 'M', u'硫'), + (0xF9CF, 'M', u'紐'), + (0xF9D0, 'M', u'類'), + (0xF9D1, 'M', u'六'), + (0xF9D2, 'M', u'戮'), + (0xF9D3, 'M', u'陸'), + (0xF9D4, 'M', u'倫'), + (0xF9D5, 'M', u'崙'), + (0xF9D6, 'M', u'淪'), + (0xF9D7, 'M', u'輪'), + (0xF9D8, 'M', u'律'), + (0xF9D9, 'M', u'慄'), + (0xF9DA, 'M', u'栗'), + (0xF9DB, 'M', u'率'), + (0xF9DC, 'M', u'隆'), + (0xF9DD, 'M', u'利'), + ] + +def _seg_41(): + return [ + (0xF9DE, 'M', u'吏'), + (0xF9DF, 'M', u'履'), + (0xF9E0, 'M', u'易'), + (0xF9E1, 'M', u'李'), + (0xF9E2, 'M', u'梨'), + (0xF9E3, 'M', u'泥'), + (0xF9E4, 'M', u'理'), + (0xF9E5, 'M', u'痢'), + (0xF9E6, 'M', u'罹'), + (0xF9E7, 'M', u'裏'), + (0xF9E8, 'M', u'裡'), + (0xF9E9, 'M', u'里'), + (0xF9EA, 'M', u'離'), + (0xF9EB, 'M', u'匿'), + (0xF9EC, 'M', u'溺'), + (0xF9ED, 'M', u'吝'), + (0xF9EE, 'M', u'燐'), + (0xF9EF, 'M', u'璘'), + (0xF9F0, 'M', u'藺'), + (0xF9F1, 'M', u'隣'), + (0xF9F2, 'M', u'鱗'), + (0xF9F3, 'M', u'麟'), + (0xF9F4, 'M', u'林'), + (0xF9F5, 'M', u'淋'), + (0xF9F6, 'M', u'臨'), + (0xF9F7, 'M', u'立'), + (0xF9F8, 'M', u'笠'), + (0xF9F9, 'M', u'粒'), + (0xF9FA, 'M', u'狀'), + (0xF9FB, 'M', u'炙'), + (0xF9FC, 'M', u'識'), + (0xF9FD, 'M', u'什'), + (0xF9FE, 'M', u'茶'), + (0xF9FF, 'M', u'刺'), + (0xFA00, 'M', u'切'), + (0xFA01, 'M', u'度'), + (0xFA02, 'M', u'拓'), + (0xFA03, 'M', u'糖'), + (0xFA04, 'M', u'宅'), + (0xFA05, 'M', u'洞'), + (0xFA06, 'M', u'暴'), + (0xFA07, 'M', u'輻'), + (0xFA08, 'M', u'行'), + (0xFA09, 'M', u'降'), + (0xFA0A, 'M', u'見'), + (0xFA0B, 'M', u'廓'), + (0xFA0C, 'M', u'兀'), + (0xFA0D, 'M', u'嗀'), + (0xFA0E, 'V'), + (0xFA10, 'M', u'塚'), + (0xFA11, 'V'), + (0xFA12, 'M', u'晴'), + (0xFA13, 'V'), + (0xFA15, 'M', u'凞'), + (0xFA16, 'M', u'猪'), + (0xFA17, 'M', u'益'), + (0xFA18, 'M', u'礼'), + (0xFA19, 'M', u'神'), + (0xFA1A, 'M', u'祥'), + (0xFA1B, 'M', u'福'), + (0xFA1C, 'M', u'靖'), + (0xFA1D, 'M', u'精'), + (0xFA1E, 'M', u'羽'), + (0xFA1F, 'V'), + (0xFA20, 'M', u'蘒'), + (0xFA21, 'V'), + (0xFA22, 'M', u'諸'), + (0xFA23, 'V'), + (0xFA25, 'M', u'逸'), + (0xFA26, 'M', u'都'), + (0xFA27, 'V'), + (0xFA2A, 'M', u'飯'), + (0xFA2B, 'M', u'飼'), + (0xFA2C, 'M', u'館'), + (0xFA2D, 'M', u'鶴'), + (0xFA2E, 'M', u'郞'), + (0xFA2F, 'M', u'隷'), + (0xFA30, 'M', u'侮'), + (0xFA31, 'M', u'僧'), + (0xFA32, 'M', u'免'), + (0xFA33, 'M', u'勉'), + (0xFA34, 'M', u'勤'), + (0xFA35, 'M', u'卑'), + (0xFA36, 'M', u'喝'), + (0xFA37, 'M', u'嘆'), + (0xFA38, 'M', u'器'), + (0xFA39, 'M', u'塀'), + (0xFA3A, 'M', u'墨'), + (0xFA3B, 'M', u'層'), + (0xFA3C, 'M', u'屮'), + (0xFA3D, 'M', u'悔'), + (0xFA3E, 'M', u'慨'), + (0xFA3F, 'M', u'憎'), + (0xFA40, 'M', u'懲'), + (0xFA41, 'M', u'敏'), + (0xFA42, 'M', u'既'), + (0xFA43, 'M', u'暑'), + (0xFA44, 'M', u'梅'), + (0xFA45, 'M', u'海'), + (0xFA46, 'M', u'渚'), + ] + +def _seg_42(): + return [ + (0xFA47, 'M', u'漢'), + (0xFA48, 'M', u'煮'), + (0xFA49, 'M', u'爫'), + (0xFA4A, 'M', u'琢'), + (0xFA4B, 'M', u'碑'), + (0xFA4C, 'M', u'社'), + (0xFA4D, 'M', u'祉'), + (0xFA4E, 'M', u'祈'), + (0xFA4F, 'M', u'祐'), + (0xFA50, 'M', u'祖'), + (0xFA51, 'M', u'祝'), + (0xFA52, 'M', u'禍'), + (0xFA53, 'M', u'禎'), + (0xFA54, 'M', u'穀'), + (0xFA55, 'M', u'突'), + (0xFA56, 'M', u'節'), + (0xFA57, 'M', u'練'), + (0xFA58, 'M', u'縉'), + (0xFA59, 'M', u'繁'), + (0xFA5A, 'M', u'署'), + (0xFA5B, 'M', u'者'), + (0xFA5C, 'M', u'臭'), + (0xFA5D, 'M', u'艹'), + (0xFA5F, 'M', u'著'), + (0xFA60, 'M', u'褐'), + (0xFA61, 'M', u'視'), + (0xFA62, 'M', u'謁'), + (0xFA63, 'M', u'謹'), + (0xFA64, 'M', u'賓'), + (0xFA65, 'M', u'贈'), + (0xFA66, 'M', u'辶'), + (0xFA67, 'M', u'逸'), + (0xFA68, 'M', u'難'), + (0xFA69, 'M', u'響'), + (0xFA6A, 'M', u'頻'), + (0xFA6B, 'M', u'恵'), + (0xFA6C, 'M', u'𤋮'), + (0xFA6D, 'M', u'舘'), + (0xFA6E, 'X'), + (0xFA70, 'M', u'並'), + (0xFA71, 'M', u'况'), + (0xFA72, 'M', u'全'), + (0xFA73, 'M', u'侀'), + (0xFA74, 'M', u'充'), + (0xFA75, 'M', u'冀'), + (0xFA76, 'M', u'勇'), + (0xFA77, 'M', u'勺'), + (0xFA78, 'M', u'喝'), + (0xFA79, 'M', u'啕'), + (0xFA7A, 'M', u'喙'), + (0xFA7B, 'M', u'嗢'), + (0xFA7C, 'M', u'塚'), + (0xFA7D, 'M', u'墳'), + (0xFA7E, 'M', u'奄'), + (0xFA7F, 'M', u'奔'), + (0xFA80, 'M', u'婢'), + (0xFA81, 'M', u'嬨'), + (0xFA82, 'M', u'廒'), + (0xFA83, 'M', u'廙'), + (0xFA84, 'M', u'彩'), + (0xFA85, 'M', u'徭'), + (0xFA86, 'M', u'惘'), + (0xFA87, 'M', u'慎'), + (0xFA88, 'M', u'愈'), + (0xFA89, 'M', u'憎'), + (0xFA8A, 'M', u'慠'), + (0xFA8B, 'M', u'懲'), + (0xFA8C, 'M', u'戴'), + (0xFA8D, 'M', u'揄'), + (0xFA8E, 'M', u'搜'), + (0xFA8F, 'M', u'摒'), + (0xFA90, 'M', u'敖'), + (0xFA91, 'M', u'晴'), + (0xFA92, 'M', u'朗'), + (0xFA93, 'M', u'望'), + (0xFA94, 'M', u'杖'), + (0xFA95, 'M', u'歹'), + (0xFA96, 'M', u'殺'), + (0xFA97, 'M', u'流'), + (0xFA98, 'M', u'滛'), + (0xFA99, 'M', u'滋'), + (0xFA9A, 'M', u'漢'), + (0xFA9B, 'M', u'瀞'), + (0xFA9C, 'M', u'煮'), + (0xFA9D, 'M', u'瞧'), + (0xFA9E, 'M', u'爵'), + (0xFA9F, 'M', u'犯'), + (0xFAA0, 'M', u'猪'), + (0xFAA1, 'M', u'瑱'), + (0xFAA2, 'M', u'甆'), + (0xFAA3, 'M', u'画'), + (0xFAA4, 'M', u'瘝'), + (0xFAA5, 'M', u'瘟'), + (0xFAA6, 'M', u'益'), + (0xFAA7, 'M', u'盛'), + (0xFAA8, 'M', u'直'), + (0xFAA9, 'M', u'睊'), + (0xFAAA, 'M', u'着'), + (0xFAAB, 'M', u'磌'), + (0xFAAC, 'M', u'窱'), + ] + +def _seg_43(): + return [ + (0xFAAD, 'M', u'節'), + (0xFAAE, 'M', u'类'), + (0xFAAF, 'M', u'絛'), + (0xFAB0, 'M', u'練'), + (0xFAB1, 'M', u'缾'), + (0xFAB2, 'M', u'者'), + (0xFAB3, 'M', u'荒'), + (0xFAB4, 'M', u'華'), + (0xFAB5, 'M', u'蝹'), + (0xFAB6, 'M', u'襁'), + (0xFAB7, 'M', u'覆'), + (0xFAB8, 'M', u'視'), + (0xFAB9, 'M', u'調'), + (0xFABA, 'M', u'諸'), + (0xFABB, 'M', u'請'), + (0xFABC, 'M', u'謁'), + (0xFABD, 'M', u'諾'), + (0xFABE, 'M', u'諭'), + (0xFABF, 'M', u'謹'), + (0xFAC0, 'M', u'變'), + (0xFAC1, 'M', u'贈'), + (0xFAC2, 'M', u'輸'), + (0xFAC3, 'M', u'遲'), + (0xFAC4, 'M', u'醙'), + (0xFAC5, 'M', u'鉶'), + (0xFAC6, 'M', u'陼'), + (0xFAC7, 'M', u'難'), + (0xFAC8, 'M', u'靖'), + (0xFAC9, 'M', u'韛'), + (0xFACA, 'M', u'響'), + (0xFACB, 'M', u'頋'), + (0xFACC, 'M', u'頻'), + (0xFACD, 'M', u'鬒'), + (0xFACE, 'M', u'龜'), + (0xFACF, 'M', u'𢡊'), + (0xFAD0, 'M', u'𢡄'), + (0xFAD1, 'M', u'𣏕'), + (0xFAD2, 'M', u'㮝'), + (0xFAD3, 'M', u'䀘'), + (0xFAD4, 'M', u'䀹'), + (0xFAD5, 'M', u'𥉉'), + (0xFAD6, 'M', u'𥳐'), + (0xFAD7, 'M', u'𧻓'), + (0xFAD8, 'M', u'齃'), + (0xFAD9, 'M', u'龎'), + (0xFADA, 'X'), + (0xFB00, 'M', u'ff'), + (0xFB01, 'M', u'fi'), + (0xFB02, 'M', u'fl'), + (0xFB03, 'M', u'ffi'), + (0xFB04, 'M', u'ffl'), + (0xFB05, 'M', u'st'), + (0xFB07, 'X'), + (0xFB13, 'M', u'մն'), + (0xFB14, 'M', u'մե'), + (0xFB15, 'M', u'մի'), + (0xFB16, 'M', u'վն'), + (0xFB17, 'M', u'մխ'), + (0xFB18, 'X'), + (0xFB1D, 'M', u'יִ'), + (0xFB1E, 'V'), + (0xFB1F, 'M', u'ײַ'), + (0xFB20, 'M', u'ע'), + (0xFB21, 'M', u'א'), + (0xFB22, 'M', u'ד'), + (0xFB23, 'M', u'ה'), + (0xFB24, 'M', u'כ'), + (0xFB25, 'M', u'ל'), + (0xFB26, 'M', u'ם'), + (0xFB27, 'M', u'ר'), + (0xFB28, 'M', u'ת'), + (0xFB29, '3', u'+'), + (0xFB2A, 'M', u'שׁ'), + (0xFB2B, 'M', u'שׂ'), + (0xFB2C, 'M', u'שּׁ'), + (0xFB2D, 'M', u'שּׂ'), + (0xFB2E, 'M', u'אַ'), + (0xFB2F, 'M', u'אָ'), + (0xFB30, 'M', u'אּ'), + (0xFB31, 'M', u'בּ'), + (0xFB32, 'M', u'גּ'), + (0xFB33, 'M', u'דּ'), + (0xFB34, 'M', u'הּ'), + (0xFB35, 'M', u'וּ'), + (0xFB36, 'M', u'זּ'), + (0xFB37, 'X'), + (0xFB38, 'M', u'טּ'), + (0xFB39, 'M', u'יּ'), + (0xFB3A, 'M', u'ךּ'), + (0xFB3B, 'M', u'כּ'), + (0xFB3C, 'M', u'לּ'), + (0xFB3D, 'X'), + (0xFB3E, 'M', u'מּ'), + (0xFB3F, 'X'), + (0xFB40, 'M', u'נּ'), + (0xFB41, 'M', u'סּ'), + (0xFB42, 'X'), + (0xFB43, 'M', u'ףּ'), + (0xFB44, 'M', u'פּ'), + (0xFB45, 'X'), + ] + +def _seg_44(): + return [ + (0xFB46, 'M', u'צּ'), + (0xFB47, 'M', u'קּ'), + (0xFB48, 'M', u'רּ'), + (0xFB49, 'M', u'שּ'), + (0xFB4A, 'M', u'תּ'), + (0xFB4B, 'M', u'וֹ'), + (0xFB4C, 'M', u'בֿ'), + (0xFB4D, 'M', u'כֿ'), + (0xFB4E, 'M', u'פֿ'), + (0xFB4F, 'M', u'אל'), + (0xFB50, 'M', u'ٱ'), + (0xFB52, 'M', u'ٻ'), + (0xFB56, 'M', u'پ'), + (0xFB5A, 'M', u'ڀ'), + (0xFB5E, 'M', u'ٺ'), + (0xFB62, 'M', u'ٿ'), + (0xFB66, 'M', u'ٹ'), + (0xFB6A, 'M', u'ڤ'), + (0xFB6E, 'M', u'ڦ'), + (0xFB72, 'M', u'ڄ'), + (0xFB76, 'M', u'ڃ'), + (0xFB7A, 'M', u'چ'), + (0xFB7E, 'M', u'ڇ'), + (0xFB82, 'M', u'ڍ'), + (0xFB84, 'M', u'ڌ'), + (0xFB86, 'M', u'ڎ'), + (0xFB88, 'M', u'ڈ'), + (0xFB8A, 'M', u'ژ'), + (0xFB8C, 'M', u'ڑ'), + (0xFB8E, 'M', u'ک'), + (0xFB92, 'M', u'گ'), + (0xFB96, 'M', u'ڳ'), + (0xFB9A, 'M', u'ڱ'), + (0xFB9E, 'M', u'ں'), + (0xFBA0, 'M', u'ڻ'), + (0xFBA4, 'M', u'ۀ'), + (0xFBA6, 'M', u'ہ'), + (0xFBAA, 'M', u'ھ'), + (0xFBAE, 'M', u'ے'), + (0xFBB0, 'M', u'ۓ'), + (0xFBB2, 'V'), + (0xFBC2, 'X'), + (0xFBD3, 'M', u'ڭ'), + (0xFBD7, 'M', u'ۇ'), + (0xFBD9, 'M', u'ۆ'), + (0xFBDB, 'M', u'ۈ'), + (0xFBDD, 'M', u'ۇٴ'), + (0xFBDE, 'M', u'ۋ'), + (0xFBE0, 'M', u'ۅ'), + (0xFBE2, 'M', u'ۉ'), + (0xFBE4, 'M', u'ې'), + (0xFBE8, 'M', u'ى'), + (0xFBEA, 'M', u'ئا'), + (0xFBEC, 'M', u'ئە'), + (0xFBEE, 'M', u'ئو'), + (0xFBF0, 'M', u'ئۇ'), + (0xFBF2, 'M', u'ئۆ'), + (0xFBF4, 'M', u'ئۈ'), + (0xFBF6, 'M', u'ئې'), + (0xFBF9, 'M', u'ئى'), + (0xFBFC, 'M', u'ی'), + (0xFC00, 'M', u'ئج'), + (0xFC01, 'M', u'ئح'), + (0xFC02, 'M', u'ئم'), + (0xFC03, 'M', u'ئى'), + (0xFC04, 'M', u'ئي'), + (0xFC05, 'M', u'بج'), + (0xFC06, 'M', u'بح'), + (0xFC07, 'M', u'بخ'), + (0xFC08, 'M', u'بم'), + (0xFC09, 'M', u'بى'), + (0xFC0A, 'M', u'بي'), + (0xFC0B, 'M', u'تج'), + (0xFC0C, 'M', u'تح'), + (0xFC0D, 'M', u'تخ'), + (0xFC0E, 'M', u'تم'), + (0xFC0F, 'M', u'تى'), + (0xFC10, 'M', u'تي'), + (0xFC11, 'M', u'ثج'), + (0xFC12, 'M', u'ثم'), + (0xFC13, 'M', u'ثى'), + (0xFC14, 'M', u'ثي'), + (0xFC15, 'M', u'جح'), + (0xFC16, 'M', u'جم'), + (0xFC17, 'M', u'حج'), + (0xFC18, 'M', u'حم'), + (0xFC19, 'M', u'خج'), + (0xFC1A, 'M', u'خح'), + (0xFC1B, 'M', u'خم'), + (0xFC1C, 'M', u'سج'), + (0xFC1D, 'M', u'سح'), + (0xFC1E, 'M', u'سخ'), + (0xFC1F, 'M', u'سم'), + (0xFC20, 'M', u'صح'), + (0xFC21, 'M', u'صم'), + (0xFC22, 'M', u'ضج'), + (0xFC23, 'M', u'ضح'), + (0xFC24, 'M', u'ضخ'), + (0xFC25, 'M', u'ضم'), + (0xFC26, 'M', u'طح'), + ] + +def _seg_45(): + return [ + (0xFC27, 'M', u'طم'), + (0xFC28, 'M', u'ظم'), + (0xFC29, 'M', u'عج'), + (0xFC2A, 'M', u'عم'), + (0xFC2B, 'M', u'غج'), + (0xFC2C, 'M', u'غم'), + (0xFC2D, 'M', u'فج'), + (0xFC2E, 'M', u'فح'), + (0xFC2F, 'M', u'فخ'), + (0xFC30, 'M', u'فم'), + (0xFC31, 'M', u'فى'), + (0xFC32, 'M', u'في'), + (0xFC33, 'M', u'قح'), + (0xFC34, 'M', u'قم'), + (0xFC35, 'M', u'قى'), + (0xFC36, 'M', u'قي'), + (0xFC37, 'M', u'كا'), + (0xFC38, 'M', u'كج'), + (0xFC39, 'M', u'كح'), + (0xFC3A, 'M', u'كخ'), + (0xFC3B, 'M', u'كل'), + (0xFC3C, 'M', u'كم'), + (0xFC3D, 'M', u'كى'), + (0xFC3E, 'M', u'كي'), + (0xFC3F, 'M', u'لج'), + (0xFC40, 'M', u'لح'), + (0xFC41, 'M', u'لخ'), + (0xFC42, 'M', u'لم'), + (0xFC43, 'M', u'لى'), + (0xFC44, 'M', u'لي'), + (0xFC45, 'M', u'مج'), + (0xFC46, 'M', u'مح'), + (0xFC47, 'M', u'مخ'), + (0xFC48, 'M', u'مم'), + (0xFC49, 'M', u'مى'), + (0xFC4A, 'M', u'مي'), + (0xFC4B, 'M', u'نج'), + (0xFC4C, 'M', u'نح'), + (0xFC4D, 'M', u'نخ'), + (0xFC4E, 'M', u'نم'), + (0xFC4F, 'M', u'نى'), + (0xFC50, 'M', u'ني'), + (0xFC51, 'M', u'هج'), + (0xFC52, 'M', u'هم'), + (0xFC53, 'M', u'هى'), + (0xFC54, 'M', u'هي'), + (0xFC55, 'M', u'يج'), + (0xFC56, 'M', u'يح'), + (0xFC57, 'M', u'يخ'), + (0xFC58, 'M', u'يم'), + (0xFC59, 'M', u'يى'), + (0xFC5A, 'M', u'يي'), + (0xFC5B, 'M', u'ذٰ'), + (0xFC5C, 'M', u'رٰ'), + (0xFC5D, 'M', u'ىٰ'), + (0xFC5E, '3', u' ٌّ'), + (0xFC5F, '3', u' ٍّ'), + (0xFC60, '3', u' َّ'), + (0xFC61, '3', u' ُّ'), + (0xFC62, '3', u' ِّ'), + (0xFC63, '3', u' ّٰ'), + (0xFC64, 'M', u'ئر'), + (0xFC65, 'M', u'ئز'), + (0xFC66, 'M', u'ئم'), + (0xFC67, 'M', u'ئن'), + (0xFC68, 'M', u'ئى'), + (0xFC69, 'M', u'ئي'), + (0xFC6A, 'M', u'بر'), + (0xFC6B, 'M', u'بز'), + (0xFC6C, 'M', u'بم'), + (0xFC6D, 'M', u'بن'), + (0xFC6E, 'M', u'بى'), + (0xFC6F, 'M', u'بي'), + (0xFC70, 'M', u'تر'), + (0xFC71, 'M', u'تز'), + (0xFC72, 'M', u'تم'), + (0xFC73, 'M', u'تن'), + (0xFC74, 'M', u'تى'), + (0xFC75, 'M', u'تي'), + (0xFC76, 'M', u'ثر'), + (0xFC77, 'M', u'ثز'), + (0xFC78, 'M', u'ثم'), + (0xFC79, 'M', u'ثن'), + (0xFC7A, 'M', u'ثى'), + (0xFC7B, 'M', u'ثي'), + (0xFC7C, 'M', u'فى'), + (0xFC7D, 'M', u'في'), + (0xFC7E, 'M', u'قى'), + (0xFC7F, 'M', u'قي'), + (0xFC80, 'M', u'كا'), + (0xFC81, 'M', u'كل'), + (0xFC82, 'M', u'كم'), + (0xFC83, 'M', u'كى'), + (0xFC84, 'M', u'كي'), + (0xFC85, 'M', u'لم'), + (0xFC86, 'M', u'لى'), + (0xFC87, 'M', u'لي'), + (0xFC88, 'M', u'ما'), + (0xFC89, 'M', u'مم'), + (0xFC8A, 'M', u'نر'), + ] + +def _seg_46(): + return [ + (0xFC8B, 'M', u'نز'), + (0xFC8C, 'M', u'نم'), + (0xFC8D, 'M', u'نن'), + (0xFC8E, 'M', u'نى'), + (0xFC8F, 'M', u'ني'), + (0xFC90, 'M', u'ىٰ'), + (0xFC91, 'M', u'ير'), + (0xFC92, 'M', u'يز'), + (0xFC93, 'M', u'يم'), + (0xFC94, 'M', u'ين'), + (0xFC95, 'M', u'يى'), + (0xFC96, 'M', u'يي'), + (0xFC97, 'M', u'ئج'), + (0xFC98, 'M', u'ئح'), + (0xFC99, 'M', u'ئخ'), + (0xFC9A, 'M', u'ئم'), + (0xFC9B, 'M', u'ئه'), + (0xFC9C, 'M', u'بج'), + (0xFC9D, 'M', u'بح'), + (0xFC9E, 'M', u'بخ'), + (0xFC9F, 'M', u'بم'), + (0xFCA0, 'M', u'به'), + (0xFCA1, 'M', u'تج'), + (0xFCA2, 'M', u'تح'), + (0xFCA3, 'M', u'تخ'), + (0xFCA4, 'M', u'تم'), + (0xFCA5, 'M', u'ته'), + (0xFCA6, 'M', u'ثم'), + (0xFCA7, 'M', u'جح'), + (0xFCA8, 'M', u'جم'), + (0xFCA9, 'M', u'حج'), + (0xFCAA, 'M', u'حم'), + (0xFCAB, 'M', u'خج'), + (0xFCAC, 'M', u'خم'), + (0xFCAD, 'M', u'سج'), + (0xFCAE, 'M', u'سح'), + (0xFCAF, 'M', u'سخ'), + (0xFCB0, 'M', u'سم'), + (0xFCB1, 'M', u'صح'), + (0xFCB2, 'M', u'صخ'), + (0xFCB3, 'M', u'صم'), + (0xFCB4, 'M', u'ضج'), + (0xFCB5, 'M', u'ضح'), + (0xFCB6, 'M', u'ضخ'), + (0xFCB7, 'M', u'ضم'), + (0xFCB8, 'M', u'طح'), + (0xFCB9, 'M', u'ظم'), + (0xFCBA, 'M', u'عج'), + (0xFCBB, 'M', u'عم'), + (0xFCBC, 'M', u'غج'), + (0xFCBD, 'M', u'غم'), + (0xFCBE, 'M', u'فج'), + (0xFCBF, 'M', u'فح'), + (0xFCC0, 'M', u'فخ'), + (0xFCC1, 'M', u'فم'), + (0xFCC2, 'M', u'قح'), + (0xFCC3, 'M', u'قم'), + (0xFCC4, 'M', u'كج'), + (0xFCC5, 'M', u'كح'), + (0xFCC6, 'M', u'كخ'), + (0xFCC7, 'M', u'كل'), + (0xFCC8, 'M', u'كم'), + (0xFCC9, 'M', u'لج'), + (0xFCCA, 'M', u'لح'), + (0xFCCB, 'M', u'لخ'), + (0xFCCC, 'M', u'لم'), + (0xFCCD, 'M', u'له'), + (0xFCCE, 'M', u'مج'), + (0xFCCF, 'M', u'مح'), + (0xFCD0, 'M', u'مخ'), + (0xFCD1, 'M', u'مم'), + (0xFCD2, 'M', u'نج'), + (0xFCD3, 'M', u'نح'), + (0xFCD4, 'M', u'نخ'), + (0xFCD5, 'M', u'نم'), + (0xFCD6, 'M', u'نه'), + (0xFCD7, 'M', u'هج'), + (0xFCD8, 'M', u'هم'), + (0xFCD9, 'M', u'هٰ'), + (0xFCDA, 'M', u'يج'), + (0xFCDB, 'M', u'يح'), + (0xFCDC, 'M', u'يخ'), + (0xFCDD, 'M', u'يم'), + (0xFCDE, 'M', u'يه'), + (0xFCDF, 'M', u'ئم'), + (0xFCE0, 'M', u'ئه'), + (0xFCE1, 'M', u'بم'), + (0xFCE2, 'M', u'به'), + (0xFCE3, 'M', u'تم'), + (0xFCE4, 'M', u'ته'), + (0xFCE5, 'M', u'ثم'), + (0xFCE6, 'M', u'ثه'), + (0xFCE7, 'M', u'سم'), + (0xFCE8, 'M', u'سه'), + (0xFCE9, 'M', u'شم'), + (0xFCEA, 'M', u'شه'), + (0xFCEB, 'M', u'كل'), + (0xFCEC, 'M', u'كم'), + (0xFCED, 'M', u'لم'), + (0xFCEE, 'M', u'نم'), + ] + +def _seg_47(): + return [ + (0xFCEF, 'M', u'نه'), + (0xFCF0, 'M', u'يم'), + (0xFCF1, 'M', u'يه'), + (0xFCF2, 'M', u'ـَّ'), + (0xFCF3, 'M', u'ـُّ'), + (0xFCF4, 'M', u'ـِّ'), + (0xFCF5, 'M', u'طى'), + (0xFCF6, 'M', u'طي'), + (0xFCF7, 'M', u'عى'), + (0xFCF8, 'M', u'عي'), + (0xFCF9, 'M', u'غى'), + (0xFCFA, 'M', u'غي'), + (0xFCFB, 'M', u'سى'), + (0xFCFC, 'M', u'سي'), + (0xFCFD, 'M', u'شى'), + (0xFCFE, 'M', u'شي'), + (0xFCFF, 'M', u'حى'), + (0xFD00, 'M', u'حي'), + (0xFD01, 'M', u'جى'), + (0xFD02, 'M', u'جي'), + (0xFD03, 'M', u'خى'), + (0xFD04, 'M', u'خي'), + (0xFD05, 'M', u'صى'), + (0xFD06, 'M', u'صي'), + (0xFD07, 'M', u'ضى'), + (0xFD08, 'M', u'ضي'), + (0xFD09, 'M', u'شج'), + (0xFD0A, 'M', u'شح'), + (0xFD0B, 'M', u'شخ'), + (0xFD0C, 'M', u'شم'), + (0xFD0D, 'M', u'شر'), + (0xFD0E, 'M', u'سر'), + (0xFD0F, 'M', u'صر'), + (0xFD10, 'M', u'ضر'), + (0xFD11, 'M', u'طى'), + (0xFD12, 'M', u'طي'), + (0xFD13, 'M', u'عى'), + (0xFD14, 'M', u'عي'), + (0xFD15, 'M', u'غى'), + (0xFD16, 'M', u'غي'), + (0xFD17, 'M', u'سى'), + (0xFD18, 'M', u'سي'), + (0xFD19, 'M', u'شى'), + (0xFD1A, 'M', u'شي'), + (0xFD1B, 'M', u'حى'), + (0xFD1C, 'M', u'حي'), + (0xFD1D, 'M', u'جى'), + (0xFD1E, 'M', u'جي'), + (0xFD1F, 'M', u'خى'), + (0xFD20, 'M', u'خي'), + (0xFD21, 'M', u'صى'), + (0xFD22, 'M', u'صي'), + (0xFD23, 'M', u'ضى'), + (0xFD24, 'M', u'ضي'), + (0xFD25, 'M', u'شج'), + (0xFD26, 'M', u'شح'), + (0xFD27, 'M', u'شخ'), + (0xFD28, 'M', u'شم'), + (0xFD29, 'M', u'شر'), + (0xFD2A, 'M', u'سر'), + (0xFD2B, 'M', u'صر'), + (0xFD2C, 'M', u'ضر'), + (0xFD2D, 'M', u'شج'), + (0xFD2E, 'M', u'شح'), + (0xFD2F, 'M', u'شخ'), + (0xFD30, 'M', u'شم'), + (0xFD31, 'M', u'سه'), + (0xFD32, 'M', u'شه'), + (0xFD33, 'M', u'طم'), + (0xFD34, 'M', u'سج'), + (0xFD35, 'M', u'سح'), + (0xFD36, 'M', u'سخ'), + (0xFD37, 'M', u'شج'), + (0xFD38, 'M', u'شح'), + (0xFD39, 'M', u'شخ'), + (0xFD3A, 'M', u'طم'), + (0xFD3B, 'M', u'ظم'), + (0xFD3C, 'M', u'اً'), + (0xFD3E, 'V'), + (0xFD40, 'X'), + (0xFD50, 'M', u'تجم'), + (0xFD51, 'M', u'تحج'), + (0xFD53, 'M', u'تحم'), + (0xFD54, 'M', u'تخم'), + (0xFD55, 'M', u'تمج'), + (0xFD56, 'M', u'تمح'), + (0xFD57, 'M', u'تمخ'), + (0xFD58, 'M', u'جمح'), + (0xFD5A, 'M', u'حمي'), + (0xFD5B, 'M', u'حمى'), + (0xFD5C, 'M', u'سحج'), + (0xFD5D, 'M', u'سجح'), + (0xFD5E, 'M', u'سجى'), + (0xFD5F, 'M', u'سمح'), + (0xFD61, 'M', u'سمج'), + (0xFD62, 'M', u'سمم'), + (0xFD64, 'M', u'صحح'), + (0xFD66, 'M', u'صمم'), + (0xFD67, 'M', u'شحم'), + (0xFD69, 'M', u'شجي'), + ] + +def _seg_48(): + return [ + (0xFD6A, 'M', u'شمخ'), + (0xFD6C, 'M', u'شمم'), + (0xFD6E, 'M', u'ضحى'), + (0xFD6F, 'M', u'ضخم'), + (0xFD71, 'M', u'طمح'), + (0xFD73, 'M', u'طمم'), + (0xFD74, 'M', u'طمي'), + (0xFD75, 'M', u'عجم'), + (0xFD76, 'M', u'عمم'), + (0xFD78, 'M', u'عمى'), + (0xFD79, 'M', u'غمم'), + (0xFD7A, 'M', u'غمي'), + (0xFD7B, 'M', u'غمى'), + (0xFD7C, 'M', u'فخم'), + (0xFD7E, 'M', u'قمح'), + (0xFD7F, 'M', u'قمم'), + (0xFD80, 'M', u'لحم'), + (0xFD81, 'M', u'لحي'), + (0xFD82, 'M', u'لحى'), + (0xFD83, 'M', u'لجج'), + (0xFD85, 'M', u'لخم'), + (0xFD87, 'M', u'لمح'), + (0xFD89, 'M', u'محج'), + (0xFD8A, 'M', u'محم'), + (0xFD8B, 'M', u'محي'), + (0xFD8C, 'M', u'مجح'), + (0xFD8D, 'M', u'مجم'), + (0xFD8E, 'M', u'مخج'), + (0xFD8F, 'M', u'مخم'), + (0xFD90, 'X'), + (0xFD92, 'M', u'مجخ'), + (0xFD93, 'M', u'همج'), + (0xFD94, 'M', u'همم'), + (0xFD95, 'M', u'نحم'), + (0xFD96, 'M', u'نحى'), + (0xFD97, 'M', u'نجم'), + (0xFD99, 'M', u'نجى'), + (0xFD9A, 'M', u'نمي'), + (0xFD9B, 'M', u'نمى'), + (0xFD9C, 'M', u'يمم'), + (0xFD9E, 'M', u'بخي'), + (0xFD9F, 'M', u'تجي'), + (0xFDA0, 'M', u'تجى'), + (0xFDA1, 'M', u'تخي'), + (0xFDA2, 'M', u'تخى'), + (0xFDA3, 'M', u'تمي'), + (0xFDA4, 'M', u'تمى'), + (0xFDA5, 'M', u'جمي'), + (0xFDA6, 'M', u'جحى'), + (0xFDA7, 'M', u'جمى'), + (0xFDA8, 'M', u'سخى'), + (0xFDA9, 'M', u'صحي'), + (0xFDAA, 'M', u'شحي'), + (0xFDAB, 'M', u'ضحي'), + (0xFDAC, 'M', u'لجي'), + (0xFDAD, 'M', u'لمي'), + (0xFDAE, 'M', u'يحي'), + (0xFDAF, 'M', u'يجي'), + (0xFDB0, 'M', u'يمي'), + (0xFDB1, 'M', u'ممي'), + (0xFDB2, 'M', u'قمي'), + (0xFDB3, 'M', u'نحي'), + (0xFDB4, 'M', u'قمح'), + (0xFDB5, 'M', u'لحم'), + (0xFDB6, 'M', u'عمي'), + (0xFDB7, 'M', u'كمي'), + (0xFDB8, 'M', u'نجح'), + (0xFDB9, 'M', u'مخي'), + (0xFDBA, 'M', u'لجم'), + (0xFDBB, 'M', u'كمم'), + (0xFDBC, 'M', u'لجم'), + (0xFDBD, 'M', u'نجح'), + (0xFDBE, 'M', u'جحي'), + (0xFDBF, 'M', u'حجي'), + (0xFDC0, 'M', u'مجي'), + (0xFDC1, 'M', u'فمي'), + (0xFDC2, 'M', u'بحي'), + (0xFDC3, 'M', u'كمم'), + (0xFDC4, 'M', u'عجم'), + (0xFDC5, 'M', u'صمم'), + (0xFDC6, 'M', u'سخي'), + (0xFDC7, 'M', u'نجي'), + (0xFDC8, 'X'), + (0xFDF0, 'M', u'صلے'), + (0xFDF1, 'M', u'قلے'), + (0xFDF2, 'M', u'الله'), + (0xFDF3, 'M', u'اكبر'), + (0xFDF4, 'M', u'محمد'), + (0xFDF5, 'M', u'صلعم'), + (0xFDF6, 'M', u'رسول'), + (0xFDF7, 'M', u'عليه'), + (0xFDF8, 'M', u'وسلم'), + (0xFDF9, 'M', u'صلى'), + (0xFDFA, '3', u'صلى الله عليه وسلم'), + (0xFDFB, '3', u'جل جلاله'), + (0xFDFC, 'M', u'ریال'), + (0xFDFD, 'V'), + (0xFDFE, 'X'), + (0xFE00, 'I'), + (0xFE10, '3', u','), + ] + +def _seg_49(): + return [ + (0xFE11, 'M', u'、'), + (0xFE12, 'X'), + (0xFE13, '3', u':'), + (0xFE14, '3', u';'), + (0xFE15, '3', u'!'), + (0xFE16, '3', u'?'), + (0xFE17, 'M', u'〖'), + (0xFE18, 'M', u'〗'), + (0xFE19, 'X'), + (0xFE20, 'V'), + (0xFE30, 'X'), + (0xFE31, 'M', u'—'), + (0xFE32, 'M', u'–'), + (0xFE33, '3', u'_'), + (0xFE35, '3', u'('), + (0xFE36, '3', u')'), + (0xFE37, '3', u'{'), + (0xFE38, '3', u'}'), + (0xFE39, 'M', u'〔'), + (0xFE3A, 'M', u'〕'), + (0xFE3B, 'M', u'【'), + (0xFE3C, 'M', u'】'), + (0xFE3D, 'M', u'《'), + (0xFE3E, 'M', u'》'), + (0xFE3F, 'M', u'〈'), + (0xFE40, 'M', u'〉'), + (0xFE41, 'M', u'「'), + (0xFE42, 'M', u'」'), + (0xFE43, 'M', u'『'), + (0xFE44, 'M', u'』'), + (0xFE45, 'V'), + (0xFE47, '3', u'['), + (0xFE48, '3', u']'), + (0xFE49, '3', u' ̅'), + (0xFE4D, '3', u'_'), + (0xFE50, '3', u','), + (0xFE51, 'M', u'、'), + (0xFE52, 'X'), + (0xFE54, '3', u';'), + (0xFE55, '3', u':'), + (0xFE56, '3', u'?'), + (0xFE57, '3', u'!'), + (0xFE58, 'M', u'—'), + (0xFE59, '3', u'('), + (0xFE5A, '3', u')'), + (0xFE5B, '3', u'{'), + (0xFE5C, '3', u'}'), + (0xFE5D, 'M', u'〔'), + (0xFE5E, 'M', u'〕'), + (0xFE5F, '3', u'#'), + (0xFE60, '3', u'&'), + (0xFE61, '3', u'*'), + (0xFE62, '3', u'+'), + (0xFE63, 'M', u'-'), + (0xFE64, '3', u'<'), + (0xFE65, '3', u'>'), + (0xFE66, '3', u'='), + (0xFE67, 'X'), + (0xFE68, '3', u'\\'), + (0xFE69, '3', u'$'), + (0xFE6A, '3', u'%'), + (0xFE6B, '3', u'@'), + (0xFE6C, 'X'), + (0xFE70, '3', u' ً'), + (0xFE71, 'M', u'ـً'), + (0xFE72, '3', u' ٌ'), + (0xFE73, 'V'), + (0xFE74, '3', u' ٍ'), + (0xFE75, 'X'), + (0xFE76, '3', u' َ'), + (0xFE77, 'M', u'ـَ'), + (0xFE78, '3', u' ُ'), + (0xFE79, 'M', u'ـُ'), + (0xFE7A, '3', u' ِ'), + (0xFE7B, 'M', u'ـِ'), + (0xFE7C, '3', u' ّ'), + (0xFE7D, 'M', u'ـّ'), + (0xFE7E, '3', u' ْ'), + (0xFE7F, 'M', u'ـْ'), + (0xFE80, 'M', u'ء'), + (0xFE81, 'M', u'آ'), + (0xFE83, 'M', u'أ'), + (0xFE85, 'M', u'ؤ'), + (0xFE87, 'M', u'إ'), + (0xFE89, 'M', u'ئ'), + (0xFE8D, 'M', u'ا'), + (0xFE8F, 'M', u'ب'), + (0xFE93, 'M', u'ة'), + (0xFE95, 'M', u'ت'), + (0xFE99, 'M', u'ث'), + (0xFE9D, 'M', u'ج'), + (0xFEA1, 'M', u'ح'), + (0xFEA5, 'M', u'خ'), + (0xFEA9, 'M', u'د'), + (0xFEAB, 'M', u'ذ'), + (0xFEAD, 'M', u'ر'), + (0xFEAF, 'M', u'ز'), + (0xFEB1, 'M', u'س'), + (0xFEB5, 'M', u'ش'), + (0xFEB9, 'M', u'ص'), + ] + +def _seg_50(): + return [ + (0xFEBD, 'M', u'ض'), + (0xFEC1, 'M', u'ط'), + (0xFEC5, 'M', u'ظ'), + (0xFEC9, 'M', u'ع'), + (0xFECD, 'M', u'غ'), + (0xFED1, 'M', u'ف'), + (0xFED5, 'M', u'ق'), + (0xFED9, 'M', u'ك'), + (0xFEDD, 'M', u'ل'), + (0xFEE1, 'M', u'م'), + (0xFEE5, 'M', u'ن'), + (0xFEE9, 'M', u'ه'), + (0xFEED, 'M', u'و'), + (0xFEEF, 'M', u'ى'), + (0xFEF1, 'M', u'ي'), + (0xFEF5, 'M', u'لآ'), + (0xFEF7, 'M', u'لأ'), + (0xFEF9, 'M', u'لإ'), + (0xFEFB, 'M', u'لا'), + (0xFEFD, 'X'), + (0xFEFF, 'I'), + (0xFF00, 'X'), + (0xFF01, '3', u'!'), + (0xFF02, '3', u'"'), + (0xFF03, '3', u'#'), + (0xFF04, '3', u'$'), + (0xFF05, '3', u'%'), + (0xFF06, '3', u'&'), + (0xFF07, '3', u'\''), + (0xFF08, '3', u'('), + (0xFF09, '3', u')'), + (0xFF0A, '3', u'*'), + (0xFF0B, '3', u'+'), + (0xFF0C, '3', u','), + (0xFF0D, 'M', u'-'), + (0xFF0E, 'M', u'.'), + (0xFF0F, '3', u'/'), + (0xFF10, 'M', u'0'), + (0xFF11, 'M', u'1'), + (0xFF12, 'M', u'2'), + (0xFF13, 'M', u'3'), + (0xFF14, 'M', u'4'), + (0xFF15, 'M', u'5'), + (0xFF16, 'M', u'6'), + (0xFF17, 'M', u'7'), + (0xFF18, 'M', u'8'), + (0xFF19, 'M', u'9'), + (0xFF1A, '3', u':'), + (0xFF1B, '3', u';'), + (0xFF1C, '3', u'<'), + (0xFF1D, '3', u'='), + (0xFF1E, '3', u'>'), + (0xFF1F, '3', u'?'), + (0xFF20, '3', u'@'), + (0xFF21, 'M', u'a'), + (0xFF22, 'M', u'b'), + (0xFF23, 'M', u'c'), + (0xFF24, 'M', u'd'), + (0xFF25, 'M', u'e'), + (0xFF26, 'M', u'f'), + (0xFF27, 'M', u'g'), + (0xFF28, 'M', u'h'), + (0xFF29, 'M', u'i'), + (0xFF2A, 'M', u'j'), + (0xFF2B, 'M', u'k'), + (0xFF2C, 'M', u'l'), + (0xFF2D, 'M', u'm'), + (0xFF2E, 'M', u'n'), + (0xFF2F, 'M', u'o'), + (0xFF30, 'M', u'p'), + (0xFF31, 'M', u'q'), + (0xFF32, 'M', u'r'), + (0xFF33, 'M', u's'), + (0xFF34, 'M', u't'), + (0xFF35, 'M', u'u'), + (0xFF36, 'M', u'v'), + (0xFF37, 'M', u'w'), + (0xFF38, 'M', u'x'), + (0xFF39, 'M', u'y'), + (0xFF3A, 'M', u'z'), + (0xFF3B, '3', u'['), + (0xFF3C, '3', u'\\'), + (0xFF3D, '3', u']'), + (0xFF3E, '3', u'^'), + (0xFF3F, '3', u'_'), + (0xFF40, '3', u'`'), + (0xFF41, 'M', u'a'), + (0xFF42, 'M', u'b'), + (0xFF43, 'M', u'c'), + (0xFF44, 'M', u'd'), + (0xFF45, 'M', u'e'), + (0xFF46, 'M', u'f'), + (0xFF47, 'M', u'g'), + (0xFF48, 'M', u'h'), + (0xFF49, 'M', u'i'), + (0xFF4A, 'M', u'j'), + (0xFF4B, 'M', u'k'), + (0xFF4C, 'M', u'l'), + (0xFF4D, 'M', u'm'), + (0xFF4E, 'M', u'n'), + ] + +def _seg_51(): + return [ + (0xFF4F, 'M', u'o'), + (0xFF50, 'M', u'p'), + (0xFF51, 'M', u'q'), + (0xFF52, 'M', u'r'), + (0xFF53, 'M', u's'), + (0xFF54, 'M', u't'), + (0xFF55, 'M', u'u'), + (0xFF56, 'M', u'v'), + (0xFF57, 'M', u'w'), + (0xFF58, 'M', u'x'), + (0xFF59, 'M', u'y'), + (0xFF5A, 'M', u'z'), + (0xFF5B, '3', u'{'), + (0xFF5C, '3', u'|'), + (0xFF5D, '3', u'}'), + (0xFF5E, '3', u'~'), + (0xFF5F, 'M', u'⦅'), + (0xFF60, 'M', u'⦆'), + (0xFF61, 'M', u'.'), + (0xFF62, 'M', u'「'), + (0xFF63, 'M', u'」'), + (0xFF64, 'M', u'、'), + (0xFF65, 'M', u'・'), + (0xFF66, 'M', u'ヲ'), + (0xFF67, 'M', u'ァ'), + (0xFF68, 'M', u'ィ'), + (0xFF69, 'M', u'ゥ'), + (0xFF6A, 'M', u'ェ'), + (0xFF6B, 'M', u'ォ'), + (0xFF6C, 'M', u'ャ'), + (0xFF6D, 'M', u'ュ'), + (0xFF6E, 'M', u'ョ'), + (0xFF6F, 'M', u'ッ'), + (0xFF70, 'M', u'ー'), + (0xFF71, 'M', u'ア'), + (0xFF72, 'M', u'イ'), + (0xFF73, 'M', u'ウ'), + (0xFF74, 'M', u'エ'), + (0xFF75, 'M', u'オ'), + (0xFF76, 'M', u'カ'), + (0xFF77, 'M', u'キ'), + (0xFF78, 'M', u'ク'), + (0xFF79, 'M', u'ケ'), + (0xFF7A, 'M', u'コ'), + (0xFF7B, 'M', u'サ'), + (0xFF7C, 'M', u'シ'), + (0xFF7D, 'M', u'ス'), + (0xFF7E, 'M', u'セ'), + (0xFF7F, 'M', u'ソ'), + (0xFF80, 'M', u'タ'), + (0xFF81, 'M', u'チ'), + (0xFF82, 'M', u'ツ'), + (0xFF83, 'M', u'テ'), + (0xFF84, 'M', u'ト'), + (0xFF85, 'M', u'ナ'), + (0xFF86, 'M', u'ニ'), + (0xFF87, 'M', u'ヌ'), + (0xFF88, 'M', u'ネ'), + (0xFF89, 'M', u'ノ'), + (0xFF8A, 'M', u'ハ'), + (0xFF8B, 'M', u'ヒ'), + (0xFF8C, 'M', u'フ'), + (0xFF8D, 'M', u'ヘ'), + (0xFF8E, 'M', u'ホ'), + (0xFF8F, 'M', u'マ'), + (0xFF90, 'M', u'ミ'), + (0xFF91, 'M', u'ム'), + (0xFF92, 'M', u'メ'), + (0xFF93, 'M', u'モ'), + (0xFF94, 'M', u'ヤ'), + (0xFF95, 'M', u'ユ'), + (0xFF96, 'M', u'ヨ'), + (0xFF97, 'M', u'ラ'), + (0xFF98, 'M', u'リ'), + (0xFF99, 'M', u'ル'), + (0xFF9A, 'M', u'レ'), + (0xFF9B, 'M', u'ロ'), + (0xFF9C, 'M', u'ワ'), + (0xFF9D, 'M', u'ン'), + (0xFF9E, 'M', u'゙'), + (0xFF9F, 'M', u'゚'), + (0xFFA0, 'X'), + (0xFFA1, 'M', u'ᄀ'), + (0xFFA2, 'M', u'ᄁ'), + (0xFFA3, 'M', u'ᆪ'), + (0xFFA4, 'M', u'ᄂ'), + (0xFFA5, 'M', u'ᆬ'), + (0xFFA6, 'M', u'ᆭ'), + (0xFFA7, 'M', u'ᄃ'), + (0xFFA8, 'M', u'ᄄ'), + (0xFFA9, 'M', u'ᄅ'), + (0xFFAA, 'M', u'ᆰ'), + (0xFFAB, 'M', u'ᆱ'), + (0xFFAC, 'M', u'ᆲ'), + (0xFFAD, 'M', u'ᆳ'), + (0xFFAE, 'M', u'ᆴ'), + (0xFFAF, 'M', u'ᆵ'), + (0xFFB0, 'M', u'ᄚ'), + (0xFFB1, 'M', u'ᄆ'), + (0xFFB2, 'M', u'ᄇ'), + ] + +def _seg_52(): + return [ + (0xFFB3, 'M', u'ᄈ'), + (0xFFB4, 'M', u'ᄡ'), + (0xFFB5, 'M', u'ᄉ'), + (0xFFB6, 'M', u'ᄊ'), + (0xFFB7, 'M', u'ᄋ'), + (0xFFB8, 'M', u'ᄌ'), + (0xFFB9, 'M', u'ᄍ'), + (0xFFBA, 'M', u'ᄎ'), + (0xFFBB, 'M', u'ᄏ'), + (0xFFBC, 'M', u'ᄐ'), + (0xFFBD, 'M', u'ᄑ'), + (0xFFBE, 'M', u'ᄒ'), + (0xFFBF, 'X'), + (0xFFC2, 'M', u'ᅡ'), + (0xFFC3, 'M', u'ᅢ'), + (0xFFC4, 'M', u'ᅣ'), + (0xFFC5, 'M', u'ᅤ'), + (0xFFC6, 'M', u'ᅥ'), + (0xFFC7, 'M', u'ᅦ'), + (0xFFC8, 'X'), + (0xFFCA, 'M', u'ᅧ'), + (0xFFCB, 'M', u'ᅨ'), + (0xFFCC, 'M', u'ᅩ'), + (0xFFCD, 'M', u'ᅪ'), + (0xFFCE, 'M', u'ᅫ'), + (0xFFCF, 'M', u'ᅬ'), + (0xFFD0, 'X'), + (0xFFD2, 'M', u'ᅭ'), + (0xFFD3, 'M', u'ᅮ'), + (0xFFD4, 'M', u'ᅯ'), + (0xFFD5, 'M', u'ᅰ'), + (0xFFD6, 'M', u'ᅱ'), + (0xFFD7, 'M', u'ᅲ'), + (0xFFD8, 'X'), + (0xFFDA, 'M', u'ᅳ'), + (0xFFDB, 'M', u'ᅴ'), + (0xFFDC, 'M', u'ᅵ'), + (0xFFDD, 'X'), + (0xFFE0, 'M', u'¢'), + (0xFFE1, 'M', u'£'), + (0xFFE2, 'M', u'¬'), + (0xFFE3, '3', u' ̄'), + (0xFFE4, 'M', u'¦'), + (0xFFE5, 'M', u'¥'), + (0xFFE6, 'M', u'₩'), + (0xFFE7, 'X'), + (0xFFE8, 'M', u'│'), + (0xFFE9, 'M', u'←'), + (0xFFEA, 'M', u'↑'), + (0xFFEB, 'M', u'→'), + (0xFFEC, 'M', u'↓'), + (0xFFED, 'M', u'■'), + (0xFFEE, 'M', u'○'), + (0xFFEF, 'X'), + (0x10000, 'V'), + (0x1000C, 'X'), + (0x1000D, 'V'), + (0x10027, 'X'), + (0x10028, 'V'), + (0x1003B, 'X'), + (0x1003C, 'V'), + (0x1003E, 'X'), + (0x1003F, 'V'), + (0x1004E, 'X'), + (0x10050, 'V'), + (0x1005E, 'X'), + (0x10080, 'V'), + (0x100FB, 'X'), + (0x10100, 'V'), + (0x10103, 'X'), + (0x10107, 'V'), + (0x10134, 'X'), + (0x10137, 'V'), + (0x1018F, 'X'), + (0x10190, 'V'), + (0x1019C, 'X'), + (0x101A0, 'V'), + (0x101A1, 'X'), + (0x101D0, 'V'), + (0x101FE, 'X'), + (0x10280, 'V'), + (0x1029D, 'X'), + (0x102A0, 'V'), + (0x102D1, 'X'), + (0x102E0, 'V'), + (0x102FC, 'X'), + (0x10300, 'V'), + (0x10324, 'X'), + (0x1032D, 'V'), + (0x1034B, 'X'), + (0x10350, 'V'), + (0x1037B, 'X'), + (0x10380, 'V'), + (0x1039E, 'X'), + (0x1039F, 'V'), + (0x103C4, 'X'), + (0x103C8, 'V'), + (0x103D6, 'X'), + (0x10400, 'M', u'𐐨'), + (0x10401, 'M', u'𐐩'), + ] + +def _seg_53(): + return [ + (0x10402, 'M', u'𐐪'), + (0x10403, 'M', u'𐐫'), + (0x10404, 'M', u'𐐬'), + (0x10405, 'M', u'𐐭'), + (0x10406, 'M', u'𐐮'), + (0x10407, 'M', u'𐐯'), + (0x10408, 'M', u'𐐰'), + (0x10409, 'M', u'𐐱'), + (0x1040A, 'M', u'𐐲'), + (0x1040B, 'M', u'𐐳'), + (0x1040C, 'M', u'𐐴'), + (0x1040D, 'M', u'𐐵'), + (0x1040E, 'M', u'𐐶'), + (0x1040F, 'M', u'𐐷'), + (0x10410, 'M', u'𐐸'), + (0x10411, 'M', u'𐐹'), + (0x10412, 'M', u'𐐺'), + (0x10413, 'M', u'𐐻'), + (0x10414, 'M', u'𐐼'), + (0x10415, 'M', u'𐐽'), + (0x10416, 'M', u'𐐾'), + (0x10417, 'M', u'𐐿'), + (0x10418, 'M', u'𐑀'), + (0x10419, 'M', u'𐑁'), + (0x1041A, 'M', u'𐑂'), + (0x1041B, 'M', u'𐑃'), + (0x1041C, 'M', u'𐑄'), + (0x1041D, 'M', u'𐑅'), + (0x1041E, 'M', u'𐑆'), + (0x1041F, 'M', u'𐑇'), + (0x10420, 'M', u'𐑈'), + (0x10421, 'M', u'𐑉'), + (0x10422, 'M', u'𐑊'), + (0x10423, 'M', u'𐑋'), + (0x10424, 'M', u'𐑌'), + (0x10425, 'M', u'𐑍'), + (0x10426, 'M', u'𐑎'), + (0x10427, 'M', u'𐑏'), + (0x10428, 'V'), + (0x1049E, 'X'), + (0x104A0, 'V'), + (0x104AA, 'X'), + (0x104B0, 'M', u'𐓘'), + (0x104B1, 'M', u'𐓙'), + (0x104B2, 'M', u'𐓚'), + (0x104B3, 'M', u'𐓛'), + (0x104B4, 'M', u'𐓜'), + (0x104B5, 'M', u'𐓝'), + (0x104B6, 'M', u'𐓞'), + (0x104B7, 'M', u'𐓟'), + (0x104B8, 'M', u'𐓠'), + (0x104B9, 'M', u'𐓡'), + (0x104BA, 'M', u'𐓢'), + (0x104BB, 'M', u'𐓣'), + (0x104BC, 'M', u'𐓤'), + (0x104BD, 'M', u'𐓥'), + (0x104BE, 'M', u'𐓦'), + (0x104BF, 'M', u'𐓧'), + (0x104C0, 'M', u'𐓨'), + (0x104C1, 'M', u'𐓩'), + (0x104C2, 'M', u'𐓪'), + (0x104C3, 'M', u'𐓫'), + (0x104C4, 'M', u'𐓬'), + (0x104C5, 'M', u'𐓭'), + (0x104C6, 'M', u'𐓮'), + (0x104C7, 'M', u'𐓯'), + (0x104C8, 'M', u'𐓰'), + (0x104C9, 'M', u'𐓱'), + (0x104CA, 'M', u'𐓲'), + (0x104CB, 'M', u'𐓳'), + (0x104CC, 'M', u'𐓴'), + (0x104CD, 'M', u'𐓵'), + (0x104CE, 'M', u'𐓶'), + (0x104CF, 'M', u'𐓷'), + (0x104D0, 'M', u'𐓸'), + (0x104D1, 'M', u'𐓹'), + (0x104D2, 'M', u'𐓺'), + (0x104D3, 'M', u'𐓻'), + (0x104D4, 'X'), + (0x104D8, 'V'), + (0x104FC, 'X'), + (0x10500, 'V'), + (0x10528, 'X'), + (0x10530, 'V'), + (0x10564, 'X'), + (0x1056F, 'V'), + (0x10570, 'X'), + (0x10600, 'V'), + (0x10737, 'X'), + (0x10740, 'V'), + (0x10756, 'X'), + (0x10760, 'V'), + (0x10768, 'X'), + (0x10800, 'V'), + (0x10806, 'X'), + (0x10808, 'V'), + (0x10809, 'X'), + (0x1080A, 'V'), + (0x10836, 'X'), + (0x10837, 'V'), + ] + +def _seg_54(): + return [ + (0x10839, 'X'), + (0x1083C, 'V'), + (0x1083D, 'X'), + (0x1083F, 'V'), + (0x10856, 'X'), + (0x10857, 'V'), + (0x1089F, 'X'), + (0x108A7, 'V'), + (0x108B0, 'X'), + (0x108E0, 'V'), + (0x108F3, 'X'), + (0x108F4, 'V'), + (0x108F6, 'X'), + (0x108FB, 'V'), + (0x1091C, 'X'), + (0x1091F, 'V'), + (0x1093A, 'X'), + (0x1093F, 'V'), + (0x10940, 'X'), + (0x10980, 'V'), + (0x109B8, 'X'), + (0x109BC, 'V'), + (0x109D0, 'X'), + (0x109D2, 'V'), + (0x10A04, 'X'), + (0x10A05, 'V'), + (0x10A07, 'X'), + (0x10A0C, 'V'), + (0x10A14, 'X'), + (0x10A15, 'V'), + (0x10A18, 'X'), + (0x10A19, 'V'), + (0x10A36, 'X'), + (0x10A38, 'V'), + (0x10A3B, 'X'), + (0x10A3F, 'V'), + (0x10A49, 'X'), + (0x10A50, 'V'), + (0x10A59, 'X'), + (0x10A60, 'V'), + (0x10AA0, 'X'), + (0x10AC0, 'V'), + (0x10AE7, 'X'), + (0x10AEB, 'V'), + (0x10AF7, 'X'), + (0x10B00, 'V'), + (0x10B36, 'X'), + (0x10B39, 'V'), + (0x10B56, 'X'), + (0x10B58, 'V'), + (0x10B73, 'X'), + (0x10B78, 'V'), + (0x10B92, 'X'), + (0x10B99, 'V'), + (0x10B9D, 'X'), + (0x10BA9, 'V'), + (0x10BB0, 'X'), + (0x10C00, 'V'), + (0x10C49, 'X'), + (0x10C80, 'M', u'𐳀'), + (0x10C81, 'M', u'𐳁'), + (0x10C82, 'M', u'𐳂'), + (0x10C83, 'M', u'𐳃'), + (0x10C84, 'M', u'𐳄'), + (0x10C85, 'M', u'𐳅'), + (0x10C86, 'M', u'𐳆'), + (0x10C87, 'M', u'𐳇'), + (0x10C88, 'M', u'𐳈'), + (0x10C89, 'M', u'𐳉'), + (0x10C8A, 'M', u'𐳊'), + (0x10C8B, 'M', u'𐳋'), + (0x10C8C, 'M', u'𐳌'), + (0x10C8D, 'M', u'𐳍'), + (0x10C8E, 'M', u'𐳎'), + (0x10C8F, 'M', u'𐳏'), + (0x10C90, 'M', u'𐳐'), + (0x10C91, 'M', u'𐳑'), + (0x10C92, 'M', u'𐳒'), + (0x10C93, 'M', u'𐳓'), + (0x10C94, 'M', u'𐳔'), + (0x10C95, 'M', u'𐳕'), + (0x10C96, 'M', u'𐳖'), + (0x10C97, 'M', u'𐳗'), + (0x10C98, 'M', u'𐳘'), + (0x10C99, 'M', u'𐳙'), + (0x10C9A, 'M', u'𐳚'), + (0x10C9B, 'M', u'𐳛'), + (0x10C9C, 'M', u'𐳜'), + (0x10C9D, 'M', u'𐳝'), + (0x10C9E, 'M', u'𐳞'), + (0x10C9F, 'M', u'𐳟'), + (0x10CA0, 'M', u'𐳠'), + (0x10CA1, 'M', u'𐳡'), + (0x10CA2, 'M', u'𐳢'), + (0x10CA3, 'M', u'𐳣'), + (0x10CA4, 'M', u'𐳤'), + (0x10CA5, 'M', u'𐳥'), + (0x10CA6, 'M', u'𐳦'), + (0x10CA7, 'M', u'𐳧'), + (0x10CA8, 'M', u'𐳨'), + ] + +def _seg_55(): + return [ + (0x10CA9, 'M', u'𐳩'), + (0x10CAA, 'M', u'𐳪'), + (0x10CAB, 'M', u'𐳫'), + (0x10CAC, 'M', u'𐳬'), + (0x10CAD, 'M', u'𐳭'), + (0x10CAE, 'M', u'𐳮'), + (0x10CAF, 'M', u'𐳯'), + (0x10CB0, 'M', u'𐳰'), + (0x10CB1, 'M', u'𐳱'), + (0x10CB2, 'M', u'𐳲'), + (0x10CB3, 'X'), + (0x10CC0, 'V'), + (0x10CF3, 'X'), + (0x10CFA, 'V'), + (0x10D28, 'X'), + (0x10D30, 'V'), + (0x10D3A, 'X'), + (0x10E60, 'V'), + (0x10E7F, 'X'), + (0x10F00, 'V'), + (0x10F28, 'X'), + (0x10F30, 'V'), + (0x10F5A, 'X'), + (0x11000, 'V'), + (0x1104E, 'X'), + (0x11052, 'V'), + (0x11070, 'X'), + (0x1107F, 'V'), + (0x110BD, 'X'), + (0x110BE, 'V'), + (0x110C2, 'X'), + (0x110D0, 'V'), + (0x110E9, 'X'), + (0x110F0, 'V'), + (0x110FA, 'X'), + (0x11100, 'V'), + (0x11135, 'X'), + (0x11136, 'V'), + (0x11147, 'X'), + (0x11150, 'V'), + (0x11177, 'X'), + (0x11180, 'V'), + (0x111CE, 'X'), + (0x111D0, 'V'), + (0x111E0, 'X'), + (0x111E1, 'V'), + (0x111F5, 'X'), + (0x11200, 'V'), + (0x11212, 'X'), + (0x11213, 'V'), + (0x1123F, 'X'), + (0x11280, 'V'), + (0x11287, 'X'), + (0x11288, 'V'), + (0x11289, 'X'), + (0x1128A, 'V'), + (0x1128E, 'X'), + (0x1128F, 'V'), + (0x1129E, 'X'), + (0x1129F, 'V'), + (0x112AA, 'X'), + (0x112B0, 'V'), + (0x112EB, 'X'), + (0x112F0, 'V'), + (0x112FA, 'X'), + (0x11300, 'V'), + (0x11304, 'X'), + (0x11305, 'V'), + (0x1130D, 'X'), + (0x1130F, 'V'), + (0x11311, 'X'), + (0x11313, 'V'), + (0x11329, 'X'), + (0x1132A, 'V'), + (0x11331, 'X'), + (0x11332, 'V'), + (0x11334, 'X'), + (0x11335, 'V'), + (0x1133A, 'X'), + (0x1133B, 'V'), + (0x11345, 'X'), + (0x11347, 'V'), + (0x11349, 'X'), + (0x1134B, 'V'), + (0x1134E, 'X'), + (0x11350, 'V'), + (0x11351, 'X'), + (0x11357, 'V'), + (0x11358, 'X'), + (0x1135D, 'V'), + (0x11364, 'X'), + (0x11366, 'V'), + (0x1136D, 'X'), + (0x11370, 'V'), + (0x11375, 'X'), + (0x11400, 'V'), + (0x1145A, 'X'), + (0x1145B, 'V'), + (0x1145C, 'X'), + (0x1145D, 'V'), + ] + +def _seg_56(): + return [ + (0x1145F, 'X'), + (0x11480, 'V'), + (0x114C8, 'X'), + (0x114D0, 'V'), + (0x114DA, 'X'), + (0x11580, 'V'), + (0x115B6, 'X'), + (0x115B8, 'V'), + (0x115DE, 'X'), + (0x11600, 'V'), + (0x11645, 'X'), + (0x11650, 'V'), + (0x1165A, 'X'), + (0x11660, 'V'), + (0x1166D, 'X'), + (0x11680, 'V'), + (0x116B8, 'X'), + (0x116C0, 'V'), + (0x116CA, 'X'), + (0x11700, 'V'), + (0x1171B, 'X'), + (0x1171D, 'V'), + (0x1172C, 'X'), + (0x11730, 'V'), + (0x11740, 'X'), + (0x11800, 'V'), + (0x1183C, 'X'), + (0x118A0, 'M', u'𑣀'), + (0x118A1, 'M', u'𑣁'), + (0x118A2, 'M', u'𑣂'), + (0x118A3, 'M', u'𑣃'), + (0x118A4, 'M', u'𑣄'), + (0x118A5, 'M', u'𑣅'), + (0x118A6, 'M', u'𑣆'), + (0x118A7, 'M', u'𑣇'), + (0x118A8, 'M', u'𑣈'), + (0x118A9, 'M', u'𑣉'), + (0x118AA, 'M', u'𑣊'), + (0x118AB, 'M', u'𑣋'), + (0x118AC, 'M', u'𑣌'), + (0x118AD, 'M', u'𑣍'), + (0x118AE, 'M', u'𑣎'), + (0x118AF, 'M', u'𑣏'), + (0x118B0, 'M', u'𑣐'), + (0x118B1, 'M', u'𑣑'), + (0x118B2, 'M', u'𑣒'), + (0x118B3, 'M', u'𑣓'), + (0x118B4, 'M', u'𑣔'), + (0x118B5, 'M', u'𑣕'), + (0x118B6, 'M', u'𑣖'), + (0x118B7, 'M', u'𑣗'), + (0x118B8, 'M', u'𑣘'), + (0x118B9, 'M', u'𑣙'), + (0x118BA, 'M', u'𑣚'), + (0x118BB, 'M', u'𑣛'), + (0x118BC, 'M', u'𑣜'), + (0x118BD, 'M', u'𑣝'), + (0x118BE, 'M', u'𑣞'), + (0x118BF, 'M', u'𑣟'), + (0x118C0, 'V'), + (0x118F3, 'X'), + (0x118FF, 'V'), + (0x11900, 'X'), + (0x11A00, 'V'), + (0x11A48, 'X'), + (0x11A50, 'V'), + (0x11A84, 'X'), + (0x11A86, 'V'), + (0x11AA3, 'X'), + (0x11AC0, 'V'), + (0x11AF9, 'X'), + (0x11C00, 'V'), + (0x11C09, 'X'), + (0x11C0A, 'V'), + (0x11C37, 'X'), + (0x11C38, 'V'), + (0x11C46, 'X'), + (0x11C50, 'V'), + (0x11C6D, 'X'), + (0x11C70, 'V'), + (0x11C90, 'X'), + (0x11C92, 'V'), + (0x11CA8, 'X'), + (0x11CA9, 'V'), + (0x11CB7, 'X'), + (0x11D00, 'V'), + (0x11D07, 'X'), + (0x11D08, 'V'), + (0x11D0A, 'X'), + (0x11D0B, 'V'), + (0x11D37, 'X'), + (0x11D3A, 'V'), + (0x11D3B, 'X'), + (0x11D3C, 'V'), + (0x11D3E, 'X'), + (0x11D3F, 'V'), + (0x11D48, 'X'), + (0x11D50, 'V'), + (0x11D5A, 'X'), + (0x11D60, 'V'), + ] + +def _seg_57(): + return [ + (0x11D66, 'X'), + (0x11D67, 'V'), + (0x11D69, 'X'), + (0x11D6A, 'V'), + (0x11D8F, 'X'), + (0x11D90, 'V'), + (0x11D92, 'X'), + (0x11D93, 'V'), + (0x11D99, 'X'), + (0x11DA0, 'V'), + (0x11DAA, 'X'), + (0x11EE0, 'V'), + (0x11EF9, 'X'), + (0x12000, 'V'), + (0x1239A, 'X'), + (0x12400, 'V'), + (0x1246F, 'X'), + (0x12470, 'V'), + (0x12475, 'X'), + (0x12480, 'V'), + (0x12544, 'X'), + (0x13000, 'V'), + (0x1342F, 'X'), + (0x14400, 'V'), + (0x14647, 'X'), + (0x16800, 'V'), + (0x16A39, 'X'), + (0x16A40, 'V'), + (0x16A5F, 'X'), + (0x16A60, 'V'), + (0x16A6A, 'X'), + (0x16A6E, 'V'), + (0x16A70, 'X'), + (0x16AD0, 'V'), + (0x16AEE, 'X'), + (0x16AF0, 'V'), + (0x16AF6, 'X'), + (0x16B00, 'V'), + (0x16B46, 'X'), + (0x16B50, 'V'), + (0x16B5A, 'X'), + (0x16B5B, 'V'), + (0x16B62, 'X'), + (0x16B63, 'V'), + (0x16B78, 'X'), + (0x16B7D, 'V'), + (0x16B90, 'X'), + (0x16E60, 'V'), + (0x16E9B, 'X'), + (0x16F00, 'V'), + (0x16F45, 'X'), + (0x16F50, 'V'), + (0x16F7F, 'X'), + (0x16F8F, 'V'), + (0x16FA0, 'X'), + (0x16FE0, 'V'), + (0x16FE2, 'X'), + (0x17000, 'V'), + (0x187F2, 'X'), + (0x18800, 'V'), + (0x18AF3, 'X'), + (0x1B000, 'V'), + (0x1B11F, 'X'), + (0x1B170, 'V'), + (0x1B2FC, 'X'), + (0x1BC00, 'V'), + (0x1BC6B, 'X'), + (0x1BC70, 'V'), + (0x1BC7D, 'X'), + (0x1BC80, 'V'), + (0x1BC89, 'X'), + (0x1BC90, 'V'), + (0x1BC9A, 'X'), + (0x1BC9C, 'V'), + (0x1BCA0, 'I'), + (0x1BCA4, 'X'), + (0x1D000, 'V'), + (0x1D0F6, 'X'), + (0x1D100, 'V'), + (0x1D127, 'X'), + (0x1D129, 'V'), + (0x1D15E, 'M', u'𝅗𝅥'), + (0x1D15F, 'M', u'𝅘𝅥'), + (0x1D160, 'M', u'𝅘𝅥𝅮'), + (0x1D161, 'M', u'𝅘𝅥𝅯'), + (0x1D162, 'M', u'𝅘𝅥𝅰'), + (0x1D163, 'M', u'𝅘𝅥𝅱'), + (0x1D164, 'M', u'𝅘𝅥𝅲'), + (0x1D165, 'V'), + (0x1D173, 'X'), + (0x1D17B, 'V'), + (0x1D1BB, 'M', u'𝆹𝅥'), + (0x1D1BC, 'M', u'𝆺𝅥'), + (0x1D1BD, 'M', u'𝆹𝅥𝅮'), + (0x1D1BE, 'M', u'𝆺𝅥𝅮'), + (0x1D1BF, 'M', u'𝆹𝅥𝅯'), + (0x1D1C0, 'M', u'𝆺𝅥𝅯'), + (0x1D1C1, 'V'), + (0x1D1E9, 'X'), + (0x1D200, 'V'), + ] + +def _seg_58(): + return [ + (0x1D246, 'X'), + (0x1D2E0, 'V'), + (0x1D2F4, 'X'), + (0x1D300, 'V'), + (0x1D357, 'X'), + (0x1D360, 'V'), + (0x1D379, 'X'), + (0x1D400, 'M', u'a'), + (0x1D401, 'M', u'b'), + (0x1D402, 'M', u'c'), + (0x1D403, 'M', u'd'), + (0x1D404, 'M', u'e'), + (0x1D405, 'M', u'f'), + (0x1D406, 'M', u'g'), + (0x1D407, 'M', u'h'), + (0x1D408, 'M', u'i'), + (0x1D409, 'M', u'j'), + (0x1D40A, 'M', u'k'), + (0x1D40B, 'M', u'l'), + (0x1D40C, 'M', u'm'), + (0x1D40D, 'M', u'n'), + (0x1D40E, 'M', u'o'), + (0x1D40F, 'M', u'p'), + (0x1D410, 'M', u'q'), + (0x1D411, 'M', u'r'), + (0x1D412, 'M', u's'), + (0x1D413, 'M', u't'), + (0x1D414, 'M', u'u'), + (0x1D415, 'M', u'v'), + (0x1D416, 'M', u'w'), + (0x1D417, 'M', u'x'), + (0x1D418, 'M', u'y'), + (0x1D419, 'M', u'z'), + (0x1D41A, 'M', u'a'), + (0x1D41B, 'M', u'b'), + (0x1D41C, 'M', u'c'), + (0x1D41D, 'M', u'd'), + (0x1D41E, 'M', u'e'), + (0x1D41F, 'M', u'f'), + (0x1D420, 'M', u'g'), + (0x1D421, 'M', u'h'), + (0x1D422, 'M', u'i'), + (0x1D423, 'M', u'j'), + (0x1D424, 'M', u'k'), + (0x1D425, 'M', u'l'), + (0x1D426, 'M', u'm'), + (0x1D427, 'M', u'n'), + (0x1D428, 'M', u'o'), + (0x1D429, 'M', u'p'), + (0x1D42A, 'M', u'q'), + (0x1D42B, 'M', u'r'), + (0x1D42C, 'M', u's'), + (0x1D42D, 'M', u't'), + (0x1D42E, 'M', u'u'), + (0x1D42F, 'M', u'v'), + (0x1D430, 'M', u'w'), + (0x1D431, 'M', u'x'), + (0x1D432, 'M', u'y'), + (0x1D433, 'M', u'z'), + (0x1D434, 'M', u'a'), + (0x1D435, 'M', u'b'), + (0x1D436, 'M', u'c'), + (0x1D437, 'M', u'd'), + (0x1D438, 'M', u'e'), + (0x1D439, 'M', u'f'), + (0x1D43A, 'M', u'g'), + (0x1D43B, 'M', u'h'), + (0x1D43C, 'M', u'i'), + (0x1D43D, 'M', u'j'), + (0x1D43E, 'M', u'k'), + (0x1D43F, 'M', u'l'), + (0x1D440, 'M', u'm'), + (0x1D441, 'M', u'n'), + (0x1D442, 'M', u'o'), + (0x1D443, 'M', u'p'), + (0x1D444, 'M', u'q'), + (0x1D445, 'M', u'r'), + (0x1D446, 'M', u's'), + (0x1D447, 'M', u't'), + (0x1D448, 'M', u'u'), + (0x1D449, 'M', u'v'), + (0x1D44A, 'M', u'w'), + (0x1D44B, 'M', u'x'), + (0x1D44C, 'M', u'y'), + (0x1D44D, 'M', u'z'), + (0x1D44E, 'M', u'a'), + (0x1D44F, 'M', u'b'), + (0x1D450, 'M', u'c'), + (0x1D451, 'M', u'd'), + (0x1D452, 'M', u'e'), + (0x1D453, 'M', u'f'), + (0x1D454, 'M', u'g'), + (0x1D455, 'X'), + (0x1D456, 'M', u'i'), + (0x1D457, 'M', u'j'), + (0x1D458, 'M', u'k'), + (0x1D459, 'M', u'l'), + (0x1D45A, 'M', u'm'), + (0x1D45B, 'M', u'n'), + (0x1D45C, 'M', u'o'), + ] + +def _seg_59(): + return [ + (0x1D45D, 'M', u'p'), + (0x1D45E, 'M', u'q'), + (0x1D45F, 'M', u'r'), + (0x1D460, 'M', u's'), + (0x1D461, 'M', u't'), + (0x1D462, 'M', u'u'), + (0x1D463, 'M', u'v'), + (0x1D464, 'M', u'w'), + (0x1D465, 'M', u'x'), + (0x1D466, 'M', u'y'), + (0x1D467, 'M', u'z'), + (0x1D468, 'M', u'a'), + (0x1D469, 'M', u'b'), + (0x1D46A, 'M', u'c'), + (0x1D46B, 'M', u'd'), + (0x1D46C, 'M', u'e'), + (0x1D46D, 'M', u'f'), + (0x1D46E, 'M', u'g'), + (0x1D46F, 'M', u'h'), + (0x1D470, 'M', u'i'), + (0x1D471, 'M', u'j'), + (0x1D472, 'M', u'k'), + (0x1D473, 'M', u'l'), + (0x1D474, 'M', u'm'), + (0x1D475, 'M', u'n'), + (0x1D476, 'M', u'o'), + (0x1D477, 'M', u'p'), + (0x1D478, 'M', u'q'), + (0x1D479, 'M', u'r'), + (0x1D47A, 'M', u's'), + (0x1D47B, 'M', u't'), + (0x1D47C, 'M', u'u'), + (0x1D47D, 'M', u'v'), + (0x1D47E, 'M', u'w'), + (0x1D47F, 'M', u'x'), + (0x1D480, 'M', u'y'), + (0x1D481, 'M', u'z'), + (0x1D482, 'M', u'a'), + (0x1D483, 'M', u'b'), + (0x1D484, 'M', u'c'), + (0x1D485, 'M', u'd'), + (0x1D486, 'M', u'e'), + (0x1D487, 'M', u'f'), + (0x1D488, 'M', u'g'), + (0x1D489, 'M', u'h'), + (0x1D48A, 'M', u'i'), + (0x1D48B, 'M', u'j'), + (0x1D48C, 'M', u'k'), + (0x1D48D, 'M', u'l'), + (0x1D48E, 'M', u'm'), + (0x1D48F, 'M', u'n'), + (0x1D490, 'M', u'o'), + (0x1D491, 'M', u'p'), + (0x1D492, 'M', u'q'), + (0x1D493, 'M', u'r'), + (0x1D494, 'M', u's'), + (0x1D495, 'M', u't'), + (0x1D496, 'M', u'u'), + (0x1D497, 'M', u'v'), + (0x1D498, 'M', u'w'), + (0x1D499, 'M', u'x'), + (0x1D49A, 'M', u'y'), + (0x1D49B, 'M', u'z'), + (0x1D49C, 'M', u'a'), + (0x1D49D, 'X'), + (0x1D49E, 'M', u'c'), + (0x1D49F, 'M', u'd'), + (0x1D4A0, 'X'), + (0x1D4A2, 'M', u'g'), + (0x1D4A3, 'X'), + (0x1D4A5, 'M', u'j'), + (0x1D4A6, 'M', u'k'), + (0x1D4A7, 'X'), + (0x1D4A9, 'M', u'n'), + (0x1D4AA, 'M', u'o'), + (0x1D4AB, 'M', u'p'), + (0x1D4AC, 'M', u'q'), + (0x1D4AD, 'X'), + (0x1D4AE, 'M', u's'), + (0x1D4AF, 'M', u't'), + (0x1D4B0, 'M', u'u'), + (0x1D4B1, 'M', u'v'), + (0x1D4B2, 'M', u'w'), + (0x1D4B3, 'M', u'x'), + (0x1D4B4, 'M', u'y'), + (0x1D4B5, 'M', u'z'), + (0x1D4B6, 'M', u'a'), + (0x1D4B7, 'M', u'b'), + (0x1D4B8, 'M', u'c'), + (0x1D4B9, 'M', u'd'), + (0x1D4BA, 'X'), + (0x1D4BB, 'M', u'f'), + (0x1D4BC, 'X'), + (0x1D4BD, 'M', u'h'), + (0x1D4BE, 'M', u'i'), + (0x1D4BF, 'M', u'j'), + (0x1D4C0, 'M', u'k'), + (0x1D4C1, 'M', u'l'), + (0x1D4C2, 'M', u'm'), + (0x1D4C3, 'M', u'n'), + ] + +def _seg_60(): + return [ + (0x1D4C4, 'X'), + (0x1D4C5, 'M', u'p'), + (0x1D4C6, 'M', u'q'), + (0x1D4C7, 'M', u'r'), + (0x1D4C8, 'M', u's'), + (0x1D4C9, 'M', u't'), + (0x1D4CA, 'M', u'u'), + (0x1D4CB, 'M', u'v'), + (0x1D4CC, 'M', u'w'), + (0x1D4CD, 'M', u'x'), + (0x1D4CE, 'M', u'y'), + (0x1D4CF, 'M', u'z'), + (0x1D4D0, 'M', u'a'), + (0x1D4D1, 'M', u'b'), + (0x1D4D2, 'M', u'c'), + (0x1D4D3, 'M', u'd'), + (0x1D4D4, 'M', u'e'), + (0x1D4D5, 'M', u'f'), + (0x1D4D6, 'M', u'g'), + (0x1D4D7, 'M', u'h'), + (0x1D4D8, 'M', u'i'), + (0x1D4D9, 'M', u'j'), + (0x1D4DA, 'M', u'k'), + (0x1D4DB, 'M', u'l'), + (0x1D4DC, 'M', u'm'), + (0x1D4DD, 'M', u'n'), + (0x1D4DE, 'M', u'o'), + (0x1D4DF, 'M', u'p'), + (0x1D4E0, 'M', u'q'), + (0x1D4E1, 'M', u'r'), + (0x1D4E2, 'M', u's'), + (0x1D4E3, 'M', u't'), + (0x1D4E4, 'M', u'u'), + (0x1D4E5, 'M', u'v'), + (0x1D4E6, 'M', u'w'), + (0x1D4E7, 'M', u'x'), + (0x1D4E8, 'M', u'y'), + (0x1D4E9, 'M', u'z'), + (0x1D4EA, 'M', u'a'), + (0x1D4EB, 'M', u'b'), + (0x1D4EC, 'M', u'c'), + (0x1D4ED, 'M', u'd'), + (0x1D4EE, 'M', u'e'), + (0x1D4EF, 'M', u'f'), + (0x1D4F0, 'M', u'g'), + (0x1D4F1, 'M', u'h'), + (0x1D4F2, 'M', u'i'), + (0x1D4F3, 'M', u'j'), + (0x1D4F4, 'M', u'k'), + (0x1D4F5, 'M', u'l'), + (0x1D4F6, 'M', u'm'), + (0x1D4F7, 'M', u'n'), + (0x1D4F8, 'M', u'o'), + (0x1D4F9, 'M', u'p'), + (0x1D4FA, 'M', u'q'), + (0x1D4FB, 'M', u'r'), + (0x1D4FC, 'M', u's'), + (0x1D4FD, 'M', u't'), + (0x1D4FE, 'M', u'u'), + (0x1D4FF, 'M', u'v'), + (0x1D500, 'M', u'w'), + (0x1D501, 'M', u'x'), + (0x1D502, 'M', u'y'), + (0x1D503, 'M', u'z'), + (0x1D504, 'M', u'a'), + (0x1D505, 'M', u'b'), + (0x1D506, 'X'), + (0x1D507, 'M', u'd'), + (0x1D508, 'M', u'e'), + (0x1D509, 'M', u'f'), + (0x1D50A, 'M', u'g'), + (0x1D50B, 'X'), + (0x1D50D, 'M', u'j'), + (0x1D50E, 'M', u'k'), + (0x1D50F, 'M', u'l'), + (0x1D510, 'M', u'm'), + (0x1D511, 'M', u'n'), + (0x1D512, 'M', u'o'), + (0x1D513, 'M', u'p'), + (0x1D514, 'M', u'q'), + (0x1D515, 'X'), + (0x1D516, 'M', u's'), + (0x1D517, 'M', u't'), + (0x1D518, 'M', u'u'), + (0x1D519, 'M', u'v'), + (0x1D51A, 'M', u'w'), + (0x1D51B, 'M', u'x'), + (0x1D51C, 'M', u'y'), + (0x1D51D, 'X'), + (0x1D51E, 'M', u'a'), + (0x1D51F, 'M', u'b'), + (0x1D520, 'M', u'c'), + (0x1D521, 'M', u'd'), + (0x1D522, 'M', u'e'), + (0x1D523, 'M', u'f'), + (0x1D524, 'M', u'g'), + (0x1D525, 'M', u'h'), + (0x1D526, 'M', u'i'), + (0x1D527, 'M', u'j'), + (0x1D528, 'M', u'k'), + ] + +def _seg_61(): + return [ + (0x1D529, 'M', u'l'), + (0x1D52A, 'M', u'm'), + (0x1D52B, 'M', u'n'), + (0x1D52C, 'M', u'o'), + (0x1D52D, 'M', u'p'), + (0x1D52E, 'M', u'q'), + (0x1D52F, 'M', u'r'), + (0x1D530, 'M', u's'), + (0x1D531, 'M', u't'), + (0x1D532, 'M', u'u'), + (0x1D533, 'M', u'v'), + (0x1D534, 'M', u'w'), + (0x1D535, 'M', u'x'), + (0x1D536, 'M', u'y'), + (0x1D537, 'M', u'z'), + (0x1D538, 'M', u'a'), + (0x1D539, 'M', u'b'), + (0x1D53A, 'X'), + (0x1D53B, 'M', u'd'), + (0x1D53C, 'M', u'e'), + (0x1D53D, 'M', u'f'), + (0x1D53E, 'M', u'g'), + (0x1D53F, 'X'), + (0x1D540, 'M', u'i'), + (0x1D541, 'M', u'j'), + (0x1D542, 'M', u'k'), + (0x1D543, 'M', u'l'), + (0x1D544, 'M', u'm'), + (0x1D545, 'X'), + (0x1D546, 'M', u'o'), + (0x1D547, 'X'), + (0x1D54A, 'M', u's'), + (0x1D54B, 'M', u't'), + (0x1D54C, 'M', u'u'), + (0x1D54D, 'M', u'v'), + (0x1D54E, 'M', u'w'), + (0x1D54F, 'M', u'x'), + (0x1D550, 'M', u'y'), + (0x1D551, 'X'), + (0x1D552, 'M', u'a'), + (0x1D553, 'M', u'b'), + (0x1D554, 'M', u'c'), + (0x1D555, 'M', u'd'), + (0x1D556, 'M', u'e'), + (0x1D557, 'M', u'f'), + (0x1D558, 'M', u'g'), + (0x1D559, 'M', u'h'), + (0x1D55A, 'M', u'i'), + (0x1D55B, 'M', u'j'), + (0x1D55C, 'M', u'k'), + (0x1D55D, 'M', u'l'), + (0x1D55E, 'M', u'm'), + (0x1D55F, 'M', u'n'), + (0x1D560, 'M', u'o'), + (0x1D561, 'M', u'p'), + (0x1D562, 'M', u'q'), + (0x1D563, 'M', u'r'), + (0x1D564, 'M', u's'), + (0x1D565, 'M', u't'), + (0x1D566, 'M', u'u'), + (0x1D567, 'M', u'v'), + (0x1D568, 'M', u'w'), + (0x1D569, 'M', u'x'), + (0x1D56A, 'M', u'y'), + (0x1D56B, 'M', u'z'), + (0x1D56C, 'M', u'a'), + (0x1D56D, 'M', u'b'), + (0x1D56E, 'M', u'c'), + (0x1D56F, 'M', u'd'), + (0x1D570, 'M', u'e'), + (0x1D571, 'M', u'f'), + (0x1D572, 'M', u'g'), + (0x1D573, 'M', u'h'), + (0x1D574, 'M', u'i'), + (0x1D575, 'M', u'j'), + (0x1D576, 'M', u'k'), + (0x1D577, 'M', u'l'), + (0x1D578, 'M', u'm'), + (0x1D579, 'M', u'n'), + (0x1D57A, 'M', u'o'), + (0x1D57B, 'M', u'p'), + (0x1D57C, 'M', u'q'), + (0x1D57D, 'M', u'r'), + (0x1D57E, 'M', u's'), + (0x1D57F, 'M', u't'), + (0x1D580, 'M', u'u'), + (0x1D581, 'M', u'v'), + (0x1D582, 'M', u'w'), + (0x1D583, 'M', u'x'), + (0x1D584, 'M', u'y'), + (0x1D585, 'M', u'z'), + (0x1D586, 'M', u'a'), + (0x1D587, 'M', u'b'), + (0x1D588, 'M', u'c'), + (0x1D589, 'M', u'd'), + (0x1D58A, 'M', u'e'), + (0x1D58B, 'M', u'f'), + (0x1D58C, 'M', u'g'), + (0x1D58D, 'M', u'h'), + (0x1D58E, 'M', u'i'), + ] + +def _seg_62(): + return [ + (0x1D58F, 'M', u'j'), + (0x1D590, 'M', u'k'), + (0x1D591, 'M', u'l'), + (0x1D592, 'M', u'm'), + (0x1D593, 'M', u'n'), + (0x1D594, 'M', u'o'), + (0x1D595, 'M', u'p'), + (0x1D596, 'M', u'q'), + (0x1D597, 'M', u'r'), + (0x1D598, 'M', u's'), + (0x1D599, 'M', u't'), + (0x1D59A, 'M', u'u'), + (0x1D59B, 'M', u'v'), + (0x1D59C, 'M', u'w'), + (0x1D59D, 'M', u'x'), + (0x1D59E, 'M', u'y'), + (0x1D59F, 'M', u'z'), + (0x1D5A0, 'M', u'a'), + (0x1D5A1, 'M', u'b'), + (0x1D5A2, 'M', u'c'), + (0x1D5A3, 'M', u'd'), + (0x1D5A4, 'M', u'e'), + (0x1D5A5, 'M', u'f'), + (0x1D5A6, 'M', u'g'), + (0x1D5A7, 'M', u'h'), + (0x1D5A8, 'M', u'i'), + (0x1D5A9, 'M', u'j'), + (0x1D5AA, 'M', u'k'), + (0x1D5AB, 'M', u'l'), + (0x1D5AC, 'M', u'm'), + (0x1D5AD, 'M', u'n'), + (0x1D5AE, 'M', u'o'), + (0x1D5AF, 'M', u'p'), + (0x1D5B0, 'M', u'q'), + (0x1D5B1, 'M', u'r'), + (0x1D5B2, 'M', u's'), + (0x1D5B3, 'M', u't'), + (0x1D5B4, 'M', u'u'), + (0x1D5B5, 'M', u'v'), + (0x1D5B6, 'M', u'w'), + (0x1D5B7, 'M', u'x'), + (0x1D5B8, 'M', u'y'), + (0x1D5B9, 'M', u'z'), + (0x1D5BA, 'M', u'a'), + (0x1D5BB, 'M', u'b'), + (0x1D5BC, 'M', u'c'), + (0x1D5BD, 'M', u'd'), + (0x1D5BE, 'M', u'e'), + (0x1D5BF, 'M', u'f'), + (0x1D5C0, 'M', u'g'), + (0x1D5C1, 'M', u'h'), + (0x1D5C2, 'M', u'i'), + (0x1D5C3, 'M', u'j'), + (0x1D5C4, 'M', u'k'), + (0x1D5C5, 'M', u'l'), + (0x1D5C6, 'M', u'm'), + (0x1D5C7, 'M', u'n'), + (0x1D5C8, 'M', u'o'), + (0x1D5C9, 'M', u'p'), + (0x1D5CA, 'M', u'q'), + (0x1D5CB, 'M', u'r'), + (0x1D5CC, 'M', u's'), + (0x1D5CD, 'M', u't'), + (0x1D5CE, 'M', u'u'), + (0x1D5CF, 'M', u'v'), + (0x1D5D0, 'M', u'w'), + (0x1D5D1, 'M', u'x'), + (0x1D5D2, 'M', u'y'), + (0x1D5D3, 'M', u'z'), + (0x1D5D4, 'M', u'a'), + (0x1D5D5, 'M', u'b'), + (0x1D5D6, 'M', u'c'), + (0x1D5D7, 'M', u'd'), + (0x1D5D8, 'M', u'e'), + (0x1D5D9, 'M', u'f'), + (0x1D5DA, 'M', u'g'), + (0x1D5DB, 'M', u'h'), + (0x1D5DC, 'M', u'i'), + (0x1D5DD, 'M', u'j'), + (0x1D5DE, 'M', u'k'), + (0x1D5DF, 'M', u'l'), + (0x1D5E0, 'M', u'm'), + (0x1D5E1, 'M', u'n'), + (0x1D5E2, 'M', u'o'), + (0x1D5E3, 'M', u'p'), + (0x1D5E4, 'M', u'q'), + (0x1D5E5, 'M', u'r'), + (0x1D5E6, 'M', u's'), + (0x1D5E7, 'M', u't'), + (0x1D5E8, 'M', u'u'), + (0x1D5E9, 'M', u'v'), + (0x1D5EA, 'M', u'w'), + (0x1D5EB, 'M', u'x'), + (0x1D5EC, 'M', u'y'), + (0x1D5ED, 'M', u'z'), + (0x1D5EE, 'M', u'a'), + (0x1D5EF, 'M', u'b'), + (0x1D5F0, 'M', u'c'), + (0x1D5F1, 'M', u'd'), + (0x1D5F2, 'M', u'e'), + ] + +def _seg_63(): + return [ + (0x1D5F3, 'M', u'f'), + (0x1D5F4, 'M', u'g'), + (0x1D5F5, 'M', u'h'), + (0x1D5F6, 'M', u'i'), + (0x1D5F7, 'M', u'j'), + (0x1D5F8, 'M', u'k'), + (0x1D5F9, 'M', u'l'), + (0x1D5FA, 'M', u'm'), + (0x1D5FB, 'M', u'n'), + (0x1D5FC, 'M', u'o'), + (0x1D5FD, 'M', u'p'), + (0x1D5FE, 'M', u'q'), + (0x1D5FF, 'M', u'r'), + (0x1D600, 'M', u's'), + (0x1D601, 'M', u't'), + (0x1D602, 'M', u'u'), + (0x1D603, 'M', u'v'), + (0x1D604, 'M', u'w'), + (0x1D605, 'M', u'x'), + (0x1D606, 'M', u'y'), + (0x1D607, 'M', u'z'), + (0x1D608, 'M', u'a'), + (0x1D609, 'M', u'b'), + (0x1D60A, 'M', u'c'), + (0x1D60B, 'M', u'd'), + (0x1D60C, 'M', u'e'), + (0x1D60D, 'M', u'f'), + (0x1D60E, 'M', u'g'), + (0x1D60F, 'M', u'h'), + (0x1D610, 'M', u'i'), + (0x1D611, 'M', u'j'), + (0x1D612, 'M', u'k'), + (0x1D613, 'M', u'l'), + (0x1D614, 'M', u'm'), + (0x1D615, 'M', u'n'), + (0x1D616, 'M', u'o'), + (0x1D617, 'M', u'p'), + (0x1D618, 'M', u'q'), + (0x1D619, 'M', u'r'), + (0x1D61A, 'M', u's'), + (0x1D61B, 'M', u't'), + (0x1D61C, 'M', u'u'), + (0x1D61D, 'M', u'v'), + (0x1D61E, 'M', u'w'), + (0x1D61F, 'M', u'x'), + (0x1D620, 'M', u'y'), + (0x1D621, 'M', u'z'), + (0x1D622, 'M', u'a'), + (0x1D623, 'M', u'b'), + (0x1D624, 'M', u'c'), + (0x1D625, 'M', u'd'), + (0x1D626, 'M', u'e'), + (0x1D627, 'M', u'f'), + (0x1D628, 'M', u'g'), + (0x1D629, 'M', u'h'), + (0x1D62A, 'M', u'i'), + (0x1D62B, 'M', u'j'), + (0x1D62C, 'M', u'k'), + (0x1D62D, 'M', u'l'), + (0x1D62E, 'M', u'm'), + (0x1D62F, 'M', u'n'), + (0x1D630, 'M', u'o'), + (0x1D631, 'M', u'p'), + (0x1D632, 'M', u'q'), + (0x1D633, 'M', u'r'), + (0x1D634, 'M', u's'), + (0x1D635, 'M', u't'), + (0x1D636, 'M', u'u'), + (0x1D637, 'M', u'v'), + (0x1D638, 'M', u'w'), + (0x1D639, 'M', u'x'), + (0x1D63A, 'M', u'y'), + (0x1D63B, 'M', u'z'), + (0x1D63C, 'M', u'a'), + (0x1D63D, 'M', u'b'), + (0x1D63E, 'M', u'c'), + (0x1D63F, 'M', u'd'), + (0x1D640, 'M', u'e'), + (0x1D641, 'M', u'f'), + (0x1D642, 'M', u'g'), + (0x1D643, 'M', u'h'), + (0x1D644, 'M', u'i'), + (0x1D645, 'M', u'j'), + (0x1D646, 'M', u'k'), + (0x1D647, 'M', u'l'), + (0x1D648, 'M', u'm'), + (0x1D649, 'M', u'n'), + (0x1D64A, 'M', u'o'), + (0x1D64B, 'M', u'p'), + (0x1D64C, 'M', u'q'), + (0x1D64D, 'M', u'r'), + (0x1D64E, 'M', u's'), + (0x1D64F, 'M', u't'), + (0x1D650, 'M', u'u'), + (0x1D651, 'M', u'v'), + (0x1D652, 'M', u'w'), + (0x1D653, 'M', u'x'), + (0x1D654, 'M', u'y'), + (0x1D655, 'M', u'z'), + (0x1D656, 'M', u'a'), + ] + +def _seg_64(): + return [ + (0x1D657, 'M', u'b'), + (0x1D658, 'M', u'c'), + (0x1D659, 'M', u'd'), + (0x1D65A, 'M', u'e'), + (0x1D65B, 'M', u'f'), + (0x1D65C, 'M', u'g'), + (0x1D65D, 'M', u'h'), + (0x1D65E, 'M', u'i'), + (0x1D65F, 'M', u'j'), + (0x1D660, 'M', u'k'), + (0x1D661, 'M', u'l'), + (0x1D662, 'M', u'm'), + (0x1D663, 'M', u'n'), + (0x1D664, 'M', u'o'), + (0x1D665, 'M', u'p'), + (0x1D666, 'M', u'q'), + (0x1D667, 'M', u'r'), + (0x1D668, 'M', u's'), + (0x1D669, 'M', u't'), + (0x1D66A, 'M', u'u'), + (0x1D66B, 'M', u'v'), + (0x1D66C, 'M', u'w'), + (0x1D66D, 'M', u'x'), + (0x1D66E, 'M', u'y'), + (0x1D66F, 'M', u'z'), + (0x1D670, 'M', u'a'), + (0x1D671, 'M', u'b'), + (0x1D672, 'M', u'c'), + (0x1D673, 'M', u'd'), + (0x1D674, 'M', u'e'), + (0x1D675, 'M', u'f'), + (0x1D676, 'M', u'g'), + (0x1D677, 'M', u'h'), + (0x1D678, 'M', u'i'), + (0x1D679, 'M', u'j'), + (0x1D67A, 'M', u'k'), + (0x1D67B, 'M', u'l'), + (0x1D67C, 'M', u'm'), + (0x1D67D, 'M', u'n'), + (0x1D67E, 'M', u'o'), + (0x1D67F, 'M', u'p'), + (0x1D680, 'M', u'q'), + (0x1D681, 'M', u'r'), + (0x1D682, 'M', u's'), + (0x1D683, 'M', u't'), + (0x1D684, 'M', u'u'), + (0x1D685, 'M', u'v'), + (0x1D686, 'M', u'w'), + (0x1D687, 'M', u'x'), + (0x1D688, 'M', u'y'), + (0x1D689, 'M', u'z'), + (0x1D68A, 'M', u'a'), + (0x1D68B, 'M', u'b'), + (0x1D68C, 'M', u'c'), + (0x1D68D, 'M', u'd'), + (0x1D68E, 'M', u'e'), + (0x1D68F, 'M', u'f'), + (0x1D690, 'M', u'g'), + (0x1D691, 'M', u'h'), + (0x1D692, 'M', u'i'), + (0x1D693, 'M', u'j'), + (0x1D694, 'M', u'k'), + (0x1D695, 'M', u'l'), + (0x1D696, 'M', u'm'), + (0x1D697, 'M', u'n'), + (0x1D698, 'M', u'o'), + (0x1D699, 'M', u'p'), + (0x1D69A, 'M', u'q'), + (0x1D69B, 'M', u'r'), + (0x1D69C, 'M', u's'), + (0x1D69D, 'M', u't'), + (0x1D69E, 'M', u'u'), + (0x1D69F, 'M', u'v'), + (0x1D6A0, 'M', u'w'), + (0x1D6A1, 'M', u'x'), + (0x1D6A2, 'M', u'y'), + (0x1D6A3, 'M', u'z'), + (0x1D6A4, 'M', u'ı'), + (0x1D6A5, 'M', u'ȷ'), + (0x1D6A6, 'X'), + (0x1D6A8, 'M', u'α'), + (0x1D6A9, 'M', u'β'), + (0x1D6AA, 'M', u'γ'), + (0x1D6AB, 'M', u'δ'), + (0x1D6AC, 'M', u'ε'), + (0x1D6AD, 'M', u'ζ'), + (0x1D6AE, 'M', u'η'), + (0x1D6AF, 'M', u'θ'), + (0x1D6B0, 'M', u'ι'), + (0x1D6B1, 'M', u'κ'), + (0x1D6B2, 'M', u'λ'), + (0x1D6B3, 'M', u'μ'), + (0x1D6B4, 'M', u'ν'), + (0x1D6B5, 'M', u'ξ'), + (0x1D6B6, 'M', u'ο'), + (0x1D6B7, 'M', u'π'), + (0x1D6B8, 'M', u'ρ'), + (0x1D6B9, 'M', u'θ'), + (0x1D6BA, 'M', u'σ'), + (0x1D6BB, 'M', u'τ'), + ] + +def _seg_65(): + return [ + (0x1D6BC, 'M', u'υ'), + (0x1D6BD, 'M', u'φ'), + (0x1D6BE, 'M', u'χ'), + (0x1D6BF, 'M', u'ψ'), + (0x1D6C0, 'M', u'ω'), + (0x1D6C1, 'M', u'∇'), + (0x1D6C2, 'M', u'α'), + (0x1D6C3, 'M', u'β'), + (0x1D6C4, 'M', u'γ'), + (0x1D6C5, 'M', u'δ'), + (0x1D6C6, 'M', u'ε'), + (0x1D6C7, 'M', u'ζ'), + (0x1D6C8, 'M', u'η'), + (0x1D6C9, 'M', u'θ'), + (0x1D6CA, 'M', u'ι'), + (0x1D6CB, 'M', u'κ'), + (0x1D6CC, 'M', u'λ'), + (0x1D6CD, 'M', u'μ'), + (0x1D6CE, 'M', u'ν'), + (0x1D6CF, 'M', u'ξ'), + (0x1D6D0, 'M', u'ο'), + (0x1D6D1, 'M', u'π'), + (0x1D6D2, 'M', u'ρ'), + (0x1D6D3, 'M', u'σ'), + (0x1D6D5, 'M', u'τ'), + (0x1D6D6, 'M', u'υ'), + (0x1D6D7, 'M', u'φ'), + (0x1D6D8, 'M', u'χ'), + (0x1D6D9, 'M', u'ψ'), + (0x1D6DA, 'M', u'ω'), + (0x1D6DB, 'M', u'∂'), + (0x1D6DC, 'M', u'ε'), + (0x1D6DD, 'M', u'θ'), + (0x1D6DE, 'M', u'κ'), + (0x1D6DF, 'M', u'φ'), + (0x1D6E0, 'M', u'ρ'), + (0x1D6E1, 'M', u'π'), + (0x1D6E2, 'M', u'α'), + (0x1D6E3, 'M', u'β'), + (0x1D6E4, 'M', u'γ'), + (0x1D6E5, 'M', u'δ'), + (0x1D6E6, 'M', u'ε'), + (0x1D6E7, 'M', u'ζ'), + (0x1D6E8, 'M', u'η'), + (0x1D6E9, 'M', u'θ'), + (0x1D6EA, 'M', u'ι'), + (0x1D6EB, 'M', u'κ'), + (0x1D6EC, 'M', u'λ'), + (0x1D6ED, 'M', u'μ'), + (0x1D6EE, 'M', u'ν'), + (0x1D6EF, 'M', u'ξ'), + (0x1D6F0, 'M', u'ο'), + (0x1D6F1, 'M', u'π'), + (0x1D6F2, 'M', u'ρ'), + (0x1D6F3, 'M', u'θ'), + (0x1D6F4, 'M', u'σ'), + (0x1D6F5, 'M', u'τ'), + (0x1D6F6, 'M', u'υ'), + (0x1D6F7, 'M', u'φ'), + (0x1D6F8, 'M', u'χ'), + (0x1D6F9, 'M', u'ψ'), + (0x1D6FA, 'M', u'ω'), + (0x1D6FB, 'M', u'∇'), + (0x1D6FC, 'M', u'α'), + (0x1D6FD, 'M', u'β'), + (0x1D6FE, 'M', u'γ'), + (0x1D6FF, 'M', u'δ'), + (0x1D700, 'M', u'ε'), + (0x1D701, 'M', u'ζ'), + (0x1D702, 'M', u'η'), + (0x1D703, 'M', u'θ'), + (0x1D704, 'M', u'ι'), + (0x1D705, 'M', u'κ'), + (0x1D706, 'M', u'λ'), + (0x1D707, 'M', u'μ'), + (0x1D708, 'M', u'ν'), + (0x1D709, 'M', u'ξ'), + (0x1D70A, 'M', u'ο'), + (0x1D70B, 'M', u'π'), + (0x1D70C, 'M', u'ρ'), + (0x1D70D, 'M', u'σ'), + (0x1D70F, 'M', u'τ'), + (0x1D710, 'M', u'υ'), + (0x1D711, 'M', u'φ'), + (0x1D712, 'M', u'χ'), + (0x1D713, 'M', u'ψ'), + (0x1D714, 'M', u'ω'), + (0x1D715, 'M', u'∂'), + (0x1D716, 'M', u'ε'), + (0x1D717, 'M', u'θ'), + (0x1D718, 'M', u'κ'), + (0x1D719, 'M', u'φ'), + (0x1D71A, 'M', u'ρ'), + (0x1D71B, 'M', u'π'), + (0x1D71C, 'M', u'α'), + (0x1D71D, 'M', u'β'), + (0x1D71E, 'M', u'γ'), + (0x1D71F, 'M', u'δ'), + (0x1D720, 'M', u'ε'), + (0x1D721, 'M', u'ζ'), + ] + +def _seg_66(): + return [ + (0x1D722, 'M', u'η'), + (0x1D723, 'M', u'θ'), + (0x1D724, 'M', u'ι'), + (0x1D725, 'M', u'κ'), + (0x1D726, 'M', u'λ'), + (0x1D727, 'M', u'μ'), + (0x1D728, 'M', u'ν'), + (0x1D729, 'M', u'ξ'), + (0x1D72A, 'M', u'ο'), + (0x1D72B, 'M', u'π'), + (0x1D72C, 'M', u'ρ'), + (0x1D72D, 'M', u'θ'), + (0x1D72E, 'M', u'σ'), + (0x1D72F, 'M', u'τ'), + (0x1D730, 'M', u'υ'), + (0x1D731, 'M', u'φ'), + (0x1D732, 'M', u'χ'), + (0x1D733, 'M', u'ψ'), + (0x1D734, 'M', u'ω'), + (0x1D735, 'M', u'∇'), + (0x1D736, 'M', u'α'), + (0x1D737, 'M', u'β'), + (0x1D738, 'M', u'γ'), + (0x1D739, 'M', u'δ'), + (0x1D73A, 'M', u'ε'), + (0x1D73B, 'M', u'ζ'), + (0x1D73C, 'M', u'η'), + (0x1D73D, 'M', u'θ'), + (0x1D73E, 'M', u'ι'), + (0x1D73F, 'M', u'κ'), + (0x1D740, 'M', u'λ'), + (0x1D741, 'M', u'μ'), + (0x1D742, 'M', u'ν'), + (0x1D743, 'M', u'ξ'), + (0x1D744, 'M', u'ο'), + (0x1D745, 'M', u'π'), + (0x1D746, 'M', u'ρ'), + (0x1D747, 'M', u'σ'), + (0x1D749, 'M', u'τ'), + (0x1D74A, 'M', u'υ'), + (0x1D74B, 'M', u'φ'), + (0x1D74C, 'M', u'χ'), + (0x1D74D, 'M', u'ψ'), + (0x1D74E, 'M', u'ω'), + (0x1D74F, 'M', u'∂'), + (0x1D750, 'M', u'ε'), + (0x1D751, 'M', u'θ'), + (0x1D752, 'M', u'κ'), + (0x1D753, 'M', u'φ'), + (0x1D754, 'M', u'ρ'), + (0x1D755, 'M', u'π'), + (0x1D756, 'M', u'α'), + (0x1D757, 'M', u'β'), + (0x1D758, 'M', u'γ'), + (0x1D759, 'M', u'δ'), + (0x1D75A, 'M', u'ε'), + (0x1D75B, 'M', u'ζ'), + (0x1D75C, 'M', u'η'), + (0x1D75D, 'M', u'θ'), + (0x1D75E, 'M', u'ι'), + (0x1D75F, 'M', u'κ'), + (0x1D760, 'M', u'λ'), + (0x1D761, 'M', u'μ'), + (0x1D762, 'M', u'ν'), + (0x1D763, 'M', u'ξ'), + (0x1D764, 'M', u'ο'), + (0x1D765, 'M', u'π'), + (0x1D766, 'M', u'ρ'), + (0x1D767, 'M', u'θ'), + (0x1D768, 'M', u'σ'), + (0x1D769, 'M', u'τ'), + (0x1D76A, 'M', u'υ'), + (0x1D76B, 'M', u'φ'), + (0x1D76C, 'M', u'χ'), + (0x1D76D, 'M', u'ψ'), + (0x1D76E, 'M', u'ω'), + (0x1D76F, 'M', u'∇'), + (0x1D770, 'M', u'α'), + (0x1D771, 'M', u'β'), + (0x1D772, 'M', u'γ'), + (0x1D773, 'M', u'δ'), + (0x1D774, 'M', u'ε'), + (0x1D775, 'M', u'ζ'), + (0x1D776, 'M', u'η'), + (0x1D777, 'M', u'θ'), + (0x1D778, 'M', u'ι'), + (0x1D779, 'M', u'κ'), + (0x1D77A, 'M', u'λ'), + (0x1D77B, 'M', u'μ'), + (0x1D77C, 'M', u'ν'), + (0x1D77D, 'M', u'ξ'), + (0x1D77E, 'M', u'ο'), + (0x1D77F, 'M', u'π'), + (0x1D780, 'M', u'ρ'), + (0x1D781, 'M', u'σ'), + (0x1D783, 'M', u'τ'), + (0x1D784, 'M', u'υ'), + (0x1D785, 'M', u'φ'), + (0x1D786, 'M', u'χ'), + (0x1D787, 'M', u'ψ'), + ] + +def _seg_67(): + return [ + (0x1D788, 'M', u'ω'), + (0x1D789, 'M', u'∂'), + (0x1D78A, 'M', u'ε'), + (0x1D78B, 'M', u'θ'), + (0x1D78C, 'M', u'κ'), + (0x1D78D, 'M', u'φ'), + (0x1D78E, 'M', u'ρ'), + (0x1D78F, 'M', u'π'), + (0x1D790, 'M', u'α'), + (0x1D791, 'M', u'β'), + (0x1D792, 'M', u'γ'), + (0x1D793, 'M', u'δ'), + (0x1D794, 'M', u'ε'), + (0x1D795, 'M', u'ζ'), + (0x1D796, 'M', u'η'), + (0x1D797, 'M', u'θ'), + (0x1D798, 'M', u'ι'), + (0x1D799, 'M', u'κ'), + (0x1D79A, 'M', u'λ'), + (0x1D79B, 'M', u'μ'), + (0x1D79C, 'M', u'ν'), + (0x1D79D, 'M', u'ξ'), + (0x1D79E, 'M', u'ο'), + (0x1D79F, 'M', u'π'), + (0x1D7A0, 'M', u'ρ'), + (0x1D7A1, 'M', u'θ'), + (0x1D7A2, 'M', u'σ'), + (0x1D7A3, 'M', u'τ'), + (0x1D7A4, 'M', u'υ'), + (0x1D7A5, 'M', u'φ'), + (0x1D7A6, 'M', u'χ'), + (0x1D7A7, 'M', u'ψ'), + (0x1D7A8, 'M', u'ω'), + (0x1D7A9, 'M', u'∇'), + (0x1D7AA, 'M', u'α'), + (0x1D7AB, 'M', u'β'), + (0x1D7AC, 'M', u'γ'), + (0x1D7AD, 'M', u'δ'), + (0x1D7AE, 'M', u'ε'), + (0x1D7AF, 'M', u'ζ'), + (0x1D7B0, 'M', u'η'), + (0x1D7B1, 'M', u'θ'), + (0x1D7B2, 'M', u'ι'), + (0x1D7B3, 'M', u'κ'), + (0x1D7B4, 'M', u'λ'), + (0x1D7B5, 'M', u'μ'), + (0x1D7B6, 'M', u'ν'), + (0x1D7B7, 'M', u'ξ'), + (0x1D7B8, 'M', u'ο'), + (0x1D7B9, 'M', u'π'), + (0x1D7BA, 'M', u'ρ'), + (0x1D7BB, 'M', u'σ'), + (0x1D7BD, 'M', u'τ'), + (0x1D7BE, 'M', u'υ'), + (0x1D7BF, 'M', u'φ'), + (0x1D7C0, 'M', u'χ'), + (0x1D7C1, 'M', u'ψ'), + (0x1D7C2, 'M', u'ω'), + (0x1D7C3, 'M', u'∂'), + (0x1D7C4, 'M', u'ε'), + (0x1D7C5, 'M', u'θ'), + (0x1D7C6, 'M', u'κ'), + (0x1D7C7, 'M', u'φ'), + (0x1D7C8, 'M', u'ρ'), + (0x1D7C9, 'M', u'π'), + (0x1D7CA, 'M', u'ϝ'), + (0x1D7CC, 'X'), + (0x1D7CE, 'M', u'0'), + (0x1D7CF, 'M', u'1'), + (0x1D7D0, 'M', u'2'), + (0x1D7D1, 'M', u'3'), + (0x1D7D2, 'M', u'4'), + (0x1D7D3, 'M', u'5'), + (0x1D7D4, 'M', u'6'), + (0x1D7D5, 'M', u'7'), + (0x1D7D6, 'M', u'8'), + (0x1D7D7, 'M', u'9'), + (0x1D7D8, 'M', u'0'), + (0x1D7D9, 'M', u'1'), + (0x1D7DA, 'M', u'2'), + (0x1D7DB, 'M', u'3'), + (0x1D7DC, 'M', u'4'), + (0x1D7DD, 'M', u'5'), + (0x1D7DE, 'M', u'6'), + (0x1D7DF, 'M', u'7'), + (0x1D7E0, 'M', u'8'), + (0x1D7E1, 'M', u'9'), + (0x1D7E2, 'M', u'0'), + (0x1D7E3, 'M', u'1'), + (0x1D7E4, 'M', u'2'), + (0x1D7E5, 'M', u'3'), + (0x1D7E6, 'M', u'4'), + (0x1D7E7, 'M', u'5'), + (0x1D7E8, 'M', u'6'), + (0x1D7E9, 'M', u'7'), + (0x1D7EA, 'M', u'8'), + (0x1D7EB, 'M', u'9'), + (0x1D7EC, 'M', u'0'), + (0x1D7ED, 'M', u'1'), + (0x1D7EE, 'M', u'2'), + ] + +def _seg_68(): + return [ + (0x1D7EF, 'M', u'3'), + (0x1D7F0, 'M', u'4'), + (0x1D7F1, 'M', u'5'), + (0x1D7F2, 'M', u'6'), + (0x1D7F3, 'M', u'7'), + (0x1D7F4, 'M', u'8'), + (0x1D7F5, 'M', u'9'), + (0x1D7F6, 'M', u'0'), + (0x1D7F7, 'M', u'1'), + (0x1D7F8, 'M', u'2'), + (0x1D7F9, 'M', u'3'), + (0x1D7FA, 'M', u'4'), + (0x1D7FB, 'M', u'5'), + (0x1D7FC, 'M', u'6'), + (0x1D7FD, 'M', u'7'), + (0x1D7FE, 'M', u'8'), + (0x1D7FF, 'M', u'9'), + (0x1D800, 'V'), + (0x1DA8C, 'X'), + (0x1DA9B, 'V'), + (0x1DAA0, 'X'), + (0x1DAA1, 'V'), + (0x1DAB0, 'X'), + (0x1E000, 'V'), + (0x1E007, 'X'), + (0x1E008, 'V'), + (0x1E019, 'X'), + (0x1E01B, 'V'), + (0x1E022, 'X'), + (0x1E023, 'V'), + (0x1E025, 'X'), + (0x1E026, 'V'), + (0x1E02B, 'X'), + (0x1E800, 'V'), + (0x1E8C5, 'X'), + (0x1E8C7, 'V'), + (0x1E8D7, 'X'), + (0x1E900, 'M', u'𞤢'), + (0x1E901, 'M', u'𞤣'), + (0x1E902, 'M', u'𞤤'), + (0x1E903, 'M', u'𞤥'), + (0x1E904, 'M', u'𞤦'), + (0x1E905, 'M', u'𞤧'), + (0x1E906, 'M', u'𞤨'), + (0x1E907, 'M', u'𞤩'), + (0x1E908, 'M', u'𞤪'), + (0x1E909, 'M', u'𞤫'), + (0x1E90A, 'M', u'𞤬'), + (0x1E90B, 'M', u'𞤭'), + (0x1E90C, 'M', u'𞤮'), + (0x1E90D, 'M', u'𞤯'), + (0x1E90E, 'M', u'𞤰'), + (0x1E90F, 'M', u'𞤱'), + (0x1E910, 'M', u'𞤲'), + (0x1E911, 'M', u'𞤳'), + (0x1E912, 'M', u'𞤴'), + (0x1E913, 'M', u'𞤵'), + (0x1E914, 'M', u'𞤶'), + (0x1E915, 'M', u'𞤷'), + (0x1E916, 'M', u'𞤸'), + (0x1E917, 'M', u'𞤹'), + (0x1E918, 'M', u'𞤺'), + (0x1E919, 'M', u'𞤻'), + (0x1E91A, 'M', u'𞤼'), + (0x1E91B, 'M', u'𞤽'), + (0x1E91C, 'M', u'𞤾'), + (0x1E91D, 'M', u'𞤿'), + (0x1E91E, 'M', u'𞥀'), + (0x1E91F, 'M', u'𞥁'), + (0x1E920, 'M', u'𞥂'), + (0x1E921, 'M', u'𞥃'), + (0x1E922, 'V'), + (0x1E94B, 'X'), + (0x1E950, 'V'), + (0x1E95A, 'X'), + (0x1E95E, 'V'), + (0x1E960, 'X'), + (0x1EC71, 'V'), + (0x1ECB5, 'X'), + (0x1EE00, 'M', u'ا'), + (0x1EE01, 'M', u'ب'), + (0x1EE02, 'M', u'ج'), + (0x1EE03, 'M', u'د'), + (0x1EE04, 'X'), + (0x1EE05, 'M', u'و'), + (0x1EE06, 'M', u'ز'), + (0x1EE07, 'M', u'ح'), + (0x1EE08, 'M', u'ط'), + (0x1EE09, 'M', u'ي'), + (0x1EE0A, 'M', u'ك'), + (0x1EE0B, 'M', u'ل'), + (0x1EE0C, 'M', u'م'), + (0x1EE0D, 'M', u'ن'), + (0x1EE0E, 'M', u'س'), + (0x1EE0F, 'M', u'ع'), + (0x1EE10, 'M', u'ف'), + (0x1EE11, 'M', u'ص'), + (0x1EE12, 'M', u'ق'), + (0x1EE13, 'M', u'ر'), + (0x1EE14, 'M', u'ش'), + ] + +def _seg_69(): + return [ + (0x1EE15, 'M', u'ت'), + (0x1EE16, 'M', u'ث'), + (0x1EE17, 'M', u'خ'), + (0x1EE18, 'M', u'ذ'), + (0x1EE19, 'M', u'ض'), + (0x1EE1A, 'M', u'ظ'), + (0x1EE1B, 'M', u'غ'), + (0x1EE1C, 'M', u'ٮ'), + (0x1EE1D, 'M', u'ں'), + (0x1EE1E, 'M', u'ڡ'), + (0x1EE1F, 'M', u'ٯ'), + (0x1EE20, 'X'), + (0x1EE21, 'M', u'ب'), + (0x1EE22, 'M', u'ج'), + (0x1EE23, 'X'), + (0x1EE24, 'M', u'ه'), + (0x1EE25, 'X'), + (0x1EE27, 'M', u'ح'), + (0x1EE28, 'X'), + (0x1EE29, 'M', u'ي'), + (0x1EE2A, 'M', u'ك'), + (0x1EE2B, 'M', u'ل'), + (0x1EE2C, 'M', u'م'), + (0x1EE2D, 'M', u'ن'), + (0x1EE2E, 'M', u'س'), + (0x1EE2F, 'M', u'ع'), + (0x1EE30, 'M', u'ف'), + (0x1EE31, 'M', u'ص'), + (0x1EE32, 'M', u'ق'), + (0x1EE33, 'X'), + (0x1EE34, 'M', u'ش'), + (0x1EE35, 'M', u'ت'), + (0x1EE36, 'M', u'ث'), + (0x1EE37, 'M', u'خ'), + (0x1EE38, 'X'), + (0x1EE39, 'M', u'ض'), + (0x1EE3A, 'X'), + (0x1EE3B, 'M', u'غ'), + (0x1EE3C, 'X'), + (0x1EE42, 'M', u'ج'), + (0x1EE43, 'X'), + (0x1EE47, 'M', u'ح'), + (0x1EE48, 'X'), + (0x1EE49, 'M', u'ي'), + (0x1EE4A, 'X'), + (0x1EE4B, 'M', u'ل'), + (0x1EE4C, 'X'), + (0x1EE4D, 'M', u'ن'), + (0x1EE4E, 'M', u'س'), + (0x1EE4F, 'M', u'ع'), + (0x1EE50, 'X'), + (0x1EE51, 'M', u'ص'), + (0x1EE52, 'M', u'ق'), + (0x1EE53, 'X'), + (0x1EE54, 'M', u'ش'), + (0x1EE55, 'X'), + (0x1EE57, 'M', u'خ'), + (0x1EE58, 'X'), + (0x1EE59, 'M', u'ض'), + (0x1EE5A, 'X'), + (0x1EE5B, 'M', u'غ'), + (0x1EE5C, 'X'), + (0x1EE5D, 'M', u'ں'), + (0x1EE5E, 'X'), + (0x1EE5F, 'M', u'ٯ'), + (0x1EE60, 'X'), + (0x1EE61, 'M', u'ب'), + (0x1EE62, 'M', u'ج'), + (0x1EE63, 'X'), + (0x1EE64, 'M', u'ه'), + (0x1EE65, 'X'), + (0x1EE67, 'M', u'ح'), + (0x1EE68, 'M', u'ط'), + (0x1EE69, 'M', u'ي'), + (0x1EE6A, 'M', u'ك'), + (0x1EE6B, 'X'), + (0x1EE6C, 'M', u'م'), + (0x1EE6D, 'M', u'ن'), + (0x1EE6E, 'M', u'س'), + (0x1EE6F, 'M', u'ع'), + (0x1EE70, 'M', u'ف'), + (0x1EE71, 'M', u'ص'), + (0x1EE72, 'M', u'ق'), + (0x1EE73, 'X'), + (0x1EE74, 'M', u'ش'), + (0x1EE75, 'M', u'ت'), + (0x1EE76, 'M', u'ث'), + (0x1EE77, 'M', u'خ'), + (0x1EE78, 'X'), + (0x1EE79, 'M', u'ض'), + (0x1EE7A, 'M', u'ظ'), + (0x1EE7B, 'M', u'غ'), + (0x1EE7C, 'M', u'ٮ'), + (0x1EE7D, 'X'), + (0x1EE7E, 'M', u'ڡ'), + (0x1EE7F, 'X'), + (0x1EE80, 'M', u'ا'), + (0x1EE81, 'M', u'ب'), + (0x1EE82, 'M', u'ج'), + (0x1EE83, 'M', u'د'), + ] + +def _seg_70(): + return [ + (0x1EE84, 'M', u'ه'), + (0x1EE85, 'M', u'و'), + (0x1EE86, 'M', u'ز'), + (0x1EE87, 'M', u'ح'), + (0x1EE88, 'M', u'ط'), + (0x1EE89, 'M', u'ي'), + (0x1EE8A, 'X'), + (0x1EE8B, 'M', u'ل'), + (0x1EE8C, 'M', u'م'), + (0x1EE8D, 'M', u'ن'), + (0x1EE8E, 'M', u'س'), + (0x1EE8F, 'M', u'ع'), + (0x1EE90, 'M', u'ف'), + (0x1EE91, 'M', u'ص'), + (0x1EE92, 'M', u'ق'), + (0x1EE93, 'M', u'ر'), + (0x1EE94, 'M', u'ش'), + (0x1EE95, 'M', u'ت'), + (0x1EE96, 'M', u'ث'), + (0x1EE97, 'M', u'خ'), + (0x1EE98, 'M', u'ذ'), + (0x1EE99, 'M', u'ض'), + (0x1EE9A, 'M', u'ظ'), + (0x1EE9B, 'M', u'غ'), + (0x1EE9C, 'X'), + (0x1EEA1, 'M', u'ب'), + (0x1EEA2, 'M', u'ج'), + (0x1EEA3, 'M', u'د'), + (0x1EEA4, 'X'), + (0x1EEA5, 'M', u'و'), + (0x1EEA6, 'M', u'ز'), + (0x1EEA7, 'M', u'ح'), + (0x1EEA8, 'M', u'ط'), + (0x1EEA9, 'M', u'ي'), + (0x1EEAA, 'X'), + (0x1EEAB, 'M', u'ل'), + (0x1EEAC, 'M', u'م'), + (0x1EEAD, 'M', u'ن'), + (0x1EEAE, 'M', u'س'), + (0x1EEAF, 'M', u'ع'), + (0x1EEB0, 'M', u'ف'), + (0x1EEB1, 'M', u'ص'), + (0x1EEB2, 'M', u'ق'), + (0x1EEB3, 'M', u'ر'), + (0x1EEB4, 'M', u'ش'), + (0x1EEB5, 'M', u'ت'), + (0x1EEB6, 'M', u'ث'), + (0x1EEB7, 'M', u'خ'), + (0x1EEB8, 'M', u'ذ'), + (0x1EEB9, 'M', u'ض'), + (0x1EEBA, 'M', u'ظ'), + (0x1EEBB, 'M', u'غ'), + (0x1EEBC, 'X'), + (0x1EEF0, 'V'), + (0x1EEF2, 'X'), + (0x1F000, 'V'), + (0x1F02C, 'X'), + (0x1F030, 'V'), + (0x1F094, 'X'), + (0x1F0A0, 'V'), + (0x1F0AF, 'X'), + (0x1F0B1, 'V'), + (0x1F0C0, 'X'), + (0x1F0C1, 'V'), + (0x1F0D0, 'X'), + (0x1F0D1, 'V'), + (0x1F0F6, 'X'), + (0x1F101, '3', u'0,'), + (0x1F102, '3', u'1,'), + (0x1F103, '3', u'2,'), + (0x1F104, '3', u'3,'), + (0x1F105, '3', u'4,'), + (0x1F106, '3', u'5,'), + (0x1F107, '3', u'6,'), + (0x1F108, '3', u'7,'), + (0x1F109, '3', u'8,'), + (0x1F10A, '3', u'9,'), + (0x1F10B, 'V'), + (0x1F10D, 'X'), + (0x1F110, '3', u'(a)'), + (0x1F111, '3', u'(b)'), + (0x1F112, '3', u'(c)'), + (0x1F113, '3', u'(d)'), + (0x1F114, '3', u'(e)'), + (0x1F115, '3', u'(f)'), + (0x1F116, '3', u'(g)'), + (0x1F117, '3', u'(h)'), + (0x1F118, '3', u'(i)'), + (0x1F119, '3', u'(j)'), + (0x1F11A, '3', u'(k)'), + (0x1F11B, '3', u'(l)'), + (0x1F11C, '3', u'(m)'), + (0x1F11D, '3', u'(n)'), + (0x1F11E, '3', u'(o)'), + (0x1F11F, '3', u'(p)'), + (0x1F120, '3', u'(q)'), + (0x1F121, '3', u'(r)'), + (0x1F122, '3', u'(s)'), + (0x1F123, '3', u'(t)'), + (0x1F124, '3', u'(u)'), + ] + +def _seg_71(): + return [ + (0x1F125, '3', u'(v)'), + (0x1F126, '3', u'(w)'), + (0x1F127, '3', u'(x)'), + (0x1F128, '3', u'(y)'), + (0x1F129, '3', u'(z)'), + (0x1F12A, 'M', u'〔s〕'), + (0x1F12B, 'M', u'c'), + (0x1F12C, 'M', u'r'), + (0x1F12D, 'M', u'cd'), + (0x1F12E, 'M', u'wz'), + (0x1F12F, 'V'), + (0x1F130, 'M', u'a'), + (0x1F131, 'M', u'b'), + (0x1F132, 'M', u'c'), + (0x1F133, 'M', u'd'), + (0x1F134, 'M', u'e'), + (0x1F135, 'M', u'f'), + (0x1F136, 'M', u'g'), + (0x1F137, 'M', u'h'), + (0x1F138, 'M', u'i'), + (0x1F139, 'M', u'j'), + (0x1F13A, 'M', u'k'), + (0x1F13B, 'M', u'l'), + (0x1F13C, 'M', u'm'), + (0x1F13D, 'M', u'n'), + (0x1F13E, 'M', u'o'), + (0x1F13F, 'M', u'p'), + (0x1F140, 'M', u'q'), + (0x1F141, 'M', u'r'), + (0x1F142, 'M', u's'), + (0x1F143, 'M', u't'), + (0x1F144, 'M', u'u'), + (0x1F145, 'M', u'v'), + (0x1F146, 'M', u'w'), + (0x1F147, 'M', u'x'), + (0x1F148, 'M', u'y'), + (0x1F149, 'M', u'z'), + (0x1F14A, 'M', u'hv'), + (0x1F14B, 'M', u'mv'), + (0x1F14C, 'M', u'sd'), + (0x1F14D, 'M', u'ss'), + (0x1F14E, 'M', u'ppv'), + (0x1F14F, 'M', u'wc'), + (0x1F150, 'V'), + (0x1F16A, 'M', u'mc'), + (0x1F16B, 'M', u'md'), + (0x1F16C, 'X'), + (0x1F170, 'V'), + (0x1F190, 'M', u'dj'), + (0x1F191, 'V'), + (0x1F1AD, 'X'), + (0x1F1E6, 'V'), + (0x1F200, 'M', u'ほか'), + (0x1F201, 'M', u'ココ'), + (0x1F202, 'M', u'サ'), + (0x1F203, 'X'), + (0x1F210, 'M', u'手'), + (0x1F211, 'M', u'字'), + (0x1F212, 'M', u'双'), + (0x1F213, 'M', u'デ'), + (0x1F214, 'M', u'二'), + (0x1F215, 'M', u'多'), + (0x1F216, 'M', u'解'), + (0x1F217, 'M', u'天'), + (0x1F218, 'M', u'交'), + (0x1F219, 'M', u'映'), + (0x1F21A, 'M', u'無'), + (0x1F21B, 'M', u'料'), + (0x1F21C, 'M', u'前'), + (0x1F21D, 'M', u'後'), + (0x1F21E, 'M', u'再'), + (0x1F21F, 'M', u'新'), + (0x1F220, 'M', u'初'), + (0x1F221, 'M', u'終'), + (0x1F222, 'M', u'生'), + (0x1F223, 'M', u'販'), + (0x1F224, 'M', u'声'), + (0x1F225, 'M', u'吹'), + (0x1F226, 'M', u'演'), + (0x1F227, 'M', u'投'), + (0x1F228, 'M', u'捕'), + (0x1F229, 'M', u'一'), + (0x1F22A, 'M', u'三'), + (0x1F22B, 'M', u'遊'), + (0x1F22C, 'M', u'左'), + (0x1F22D, 'M', u'中'), + (0x1F22E, 'M', u'右'), + (0x1F22F, 'M', u'指'), + (0x1F230, 'M', u'走'), + (0x1F231, 'M', u'打'), + (0x1F232, 'M', u'禁'), + (0x1F233, 'M', u'空'), + (0x1F234, 'M', u'合'), + (0x1F235, 'M', u'満'), + (0x1F236, 'M', u'有'), + (0x1F237, 'M', u'月'), + (0x1F238, 'M', u'申'), + (0x1F239, 'M', u'割'), + (0x1F23A, 'M', u'営'), + (0x1F23B, 'M', u'配'), + ] + +def _seg_72(): + return [ + (0x1F23C, 'X'), + (0x1F240, 'M', u'〔本〕'), + (0x1F241, 'M', u'〔三〕'), + (0x1F242, 'M', u'〔二〕'), + (0x1F243, 'M', u'〔安〕'), + (0x1F244, 'M', u'〔点〕'), + (0x1F245, 'M', u'〔打〕'), + (0x1F246, 'M', u'〔盗〕'), + (0x1F247, 'M', u'〔勝〕'), + (0x1F248, 'M', u'〔敗〕'), + (0x1F249, 'X'), + (0x1F250, 'M', u'得'), + (0x1F251, 'M', u'可'), + (0x1F252, 'X'), + (0x1F260, 'V'), + (0x1F266, 'X'), + (0x1F300, 'V'), + (0x1F6D5, 'X'), + (0x1F6E0, 'V'), + (0x1F6ED, 'X'), + (0x1F6F0, 'V'), + (0x1F6FA, 'X'), + (0x1F700, 'V'), + (0x1F774, 'X'), + (0x1F780, 'V'), + (0x1F7D9, 'X'), + (0x1F800, 'V'), + (0x1F80C, 'X'), + (0x1F810, 'V'), + (0x1F848, 'X'), + (0x1F850, 'V'), + (0x1F85A, 'X'), + (0x1F860, 'V'), + (0x1F888, 'X'), + (0x1F890, 'V'), + (0x1F8AE, 'X'), + (0x1F900, 'V'), + (0x1F90C, 'X'), + (0x1F910, 'V'), + (0x1F93F, 'X'), + (0x1F940, 'V'), + (0x1F971, 'X'), + (0x1F973, 'V'), + (0x1F977, 'X'), + (0x1F97A, 'V'), + (0x1F97B, 'X'), + (0x1F97C, 'V'), + (0x1F9A3, 'X'), + (0x1F9B0, 'V'), + (0x1F9BA, 'X'), + (0x1F9C0, 'V'), + (0x1F9C3, 'X'), + (0x1F9D0, 'V'), + (0x1FA00, 'X'), + (0x1FA60, 'V'), + (0x1FA6E, 'X'), + (0x20000, 'V'), + (0x2A6D7, 'X'), + (0x2A700, 'V'), + (0x2B735, 'X'), + (0x2B740, 'V'), + (0x2B81E, 'X'), + (0x2B820, 'V'), + (0x2CEA2, 'X'), + (0x2CEB0, 'V'), + (0x2EBE1, 'X'), + (0x2F800, 'M', u'丽'), + (0x2F801, 'M', u'丸'), + (0x2F802, 'M', u'乁'), + (0x2F803, 'M', u'𠄢'), + (0x2F804, 'M', u'你'), + (0x2F805, 'M', u'侮'), + (0x2F806, 'M', u'侻'), + (0x2F807, 'M', u'倂'), + (0x2F808, 'M', u'偺'), + (0x2F809, 'M', u'備'), + (0x2F80A, 'M', u'僧'), + (0x2F80B, 'M', u'像'), + (0x2F80C, 'M', u'㒞'), + (0x2F80D, 'M', u'𠘺'), + (0x2F80E, 'M', u'免'), + (0x2F80F, 'M', u'兔'), + (0x2F810, 'M', u'兤'), + (0x2F811, 'M', u'具'), + (0x2F812, 'M', u'𠔜'), + (0x2F813, 'M', u'㒹'), + (0x2F814, 'M', u'內'), + (0x2F815, 'M', u'再'), + (0x2F816, 'M', u'𠕋'), + (0x2F817, 'M', u'冗'), + (0x2F818, 'M', u'冤'), + (0x2F819, 'M', u'仌'), + (0x2F81A, 'M', u'冬'), + (0x2F81B, 'M', u'况'), + (0x2F81C, 'M', u'𩇟'), + (0x2F81D, 'M', u'凵'), + (0x2F81E, 'M', u'刃'), + (0x2F81F, 'M', u'㓟'), + (0x2F820, 'M', u'刻'), + (0x2F821, 'M', u'剆'), + ] + +def _seg_73(): + return [ + (0x2F822, 'M', u'割'), + (0x2F823, 'M', u'剷'), + (0x2F824, 'M', u'㔕'), + (0x2F825, 'M', u'勇'), + (0x2F826, 'M', u'勉'), + (0x2F827, 'M', u'勤'), + (0x2F828, 'M', u'勺'), + (0x2F829, 'M', u'包'), + (0x2F82A, 'M', u'匆'), + (0x2F82B, 'M', u'北'), + (0x2F82C, 'M', u'卉'), + (0x2F82D, 'M', u'卑'), + (0x2F82E, 'M', u'博'), + (0x2F82F, 'M', u'即'), + (0x2F830, 'M', u'卽'), + (0x2F831, 'M', u'卿'), + (0x2F834, 'M', u'𠨬'), + (0x2F835, 'M', u'灰'), + (0x2F836, 'M', u'及'), + (0x2F837, 'M', u'叟'), + (0x2F838, 'M', u'𠭣'), + (0x2F839, 'M', u'叫'), + (0x2F83A, 'M', u'叱'), + (0x2F83B, 'M', u'吆'), + (0x2F83C, 'M', u'咞'), + (0x2F83D, 'M', u'吸'), + (0x2F83E, 'M', u'呈'), + (0x2F83F, 'M', u'周'), + (0x2F840, 'M', u'咢'), + (0x2F841, 'M', u'哶'), + (0x2F842, 'M', u'唐'), + (0x2F843, 'M', u'啓'), + (0x2F844, 'M', u'啣'), + (0x2F845, 'M', u'善'), + (0x2F847, 'M', u'喙'), + (0x2F848, 'M', u'喫'), + (0x2F849, 'M', u'喳'), + (0x2F84A, 'M', u'嗂'), + (0x2F84B, 'M', u'圖'), + (0x2F84C, 'M', u'嘆'), + (0x2F84D, 'M', u'圗'), + (0x2F84E, 'M', u'噑'), + (0x2F84F, 'M', u'噴'), + (0x2F850, 'M', u'切'), + (0x2F851, 'M', u'壮'), + (0x2F852, 'M', u'城'), + (0x2F853, 'M', u'埴'), + (0x2F854, 'M', u'堍'), + (0x2F855, 'M', u'型'), + (0x2F856, 'M', u'堲'), + (0x2F857, 'M', u'報'), + (0x2F858, 'M', u'墬'), + (0x2F859, 'M', u'𡓤'), + (0x2F85A, 'M', u'売'), + (0x2F85B, 'M', u'壷'), + (0x2F85C, 'M', u'夆'), + (0x2F85D, 'M', u'多'), + (0x2F85E, 'M', u'夢'), + (0x2F85F, 'M', u'奢'), + (0x2F860, 'M', u'𡚨'), + (0x2F861, 'M', u'𡛪'), + (0x2F862, 'M', u'姬'), + (0x2F863, 'M', u'娛'), + (0x2F864, 'M', u'娧'), + (0x2F865, 'M', u'姘'), + (0x2F866, 'M', u'婦'), + (0x2F867, 'M', u'㛮'), + (0x2F868, 'X'), + (0x2F869, 'M', u'嬈'), + (0x2F86A, 'M', u'嬾'), + (0x2F86C, 'M', u'𡧈'), + (0x2F86D, 'M', u'寃'), + (0x2F86E, 'M', u'寘'), + (0x2F86F, 'M', u'寧'), + (0x2F870, 'M', u'寳'), + (0x2F871, 'M', u'𡬘'), + (0x2F872, 'M', u'寿'), + (0x2F873, 'M', u'将'), + (0x2F874, 'X'), + (0x2F875, 'M', u'尢'), + (0x2F876, 'M', u'㞁'), + (0x2F877, 'M', u'屠'), + (0x2F878, 'M', u'屮'), + (0x2F879, 'M', u'峀'), + (0x2F87A, 'M', u'岍'), + (0x2F87B, 'M', u'𡷤'), + (0x2F87C, 'M', u'嵃'), + (0x2F87D, 'M', u'𡷦'), + (0x2F87E, 'M', u'嵮'), + (0x2F87F, 'M', u'嵫'), + (0x2F880, 'M', u'嵼'), + (0x2F881, 'M', u'巡'), + (0x2F882, 'M', u'巢'), + (0x2F883, 'M', u'㠯'), + (0x2F884, 'M', u'巽'), + (0x2F885, 'M', u'帨'), + (0x2F886, 'M', u'帽'), + (0x2F887, 'M', u'幩'), + (0x2F888, 'M', u'㡢'), + (0x2F889, 'M', u'𢆃'), + ] + +def _seg_74(): + return [ + (0x2F88A, 'M', u'㡼'), + (0x2F88B, 'M', u'庰'), + (0x2F88C, 'M', u'庳'), + (0x2F88D, 'M', u'庶'), + (0x2F88E, 'M', u'廊'), + (0x2F88F, 'M', u'𪎒'), + (0x2F890, 'M', u'廾'), + (0x2F891, 'M', u'𢌱'), + (0x2F893, 'M', u'舁'), + (0x2F894, 'M', u'弢'), + (0x2F896, 'M', u'㣇'), + (0x2F897, 'M', u'𣊸'), + (0x2F898, 'M', u'𦇚'), + (0x2F899, 'M', u'形'), + (0x2F89A, 'M', u'彫'), + (0x2F89B, 'M', u'㣣'), + (0x2F89C, 'M', u'徚'), + (0x2F89D, 'M', u'忍'), + (0x2F89E, 'M', u'志'), + (0x2F89F, 'M', u'忹'), + (0x2F8A0, 'M', u'悁'), + (0x2F8A1, 'M', u'㤺'), + (0x2F8A2, 'M', u'㤜'), + (0x2F8A3, 'M', u'悔'), + (0x2F8A4, 'M', u'𢛔'), + (0x2F8A5, 'M', u'惇'), + (0x2F8A6, 'M', u'慈'), + (0x2F8A7, 'M', u'慌'), + (0x2F8A8, 'M', u'慎'), + (0x2F8A9, 'M', u'慌'), + (0x2F8AA, 'M', u'慺'), + (0x2F8AB, 'M', u'憎'), + (0x2F8AC, 'M', u'憲'), + (0x2F8AD, 'M', u'憤'), + (0x2F8AE, 'M', u'憯'), + (0x2F8AF, 'M', u'懞'), + (0x2F8B0, 'M', u'懲'), + (0x2F8B1, 'M', u'懶'), + (0x2F8B2, 'M', u'成'), + (0x2F8B3, 'M', u'戛'), + (0x2F8B4, 'M', u'扝'), + (0x2F8B5, 'M', u'抱'), + (0x2F8B6, 'M', u'拔'), + (0x2F8B7, 'M', u'捐'), + (0x2F8B8, 'M', u'𢬌'), + (0x2F8B9, 'M', u'挽'), + (0x2F8BA, 'M', u'拼'), + (0x2F8BB, 'M', u'捨'), + (0x2F8BC, 'M', u'掃'), + (0x2F8BD, 'M', u'揤'), + (0x2F8BE, 'M', u'𢯱'), + (0x2F8BF, 'M', u'搢'), + (0x2F8C0, 'M', u'揅'), + (0x2F8C1, 'M', u'掩'), + (0x2F8C2, 'M', u'㨮'), + (0x2F8C3, 'M', u'摩'), + (0x2F8C4, 'M', u'摾'), + (0x2F8C5, 'M', u'撝'), + (0x2F8C6, 'M', u'摷'), + (0x2F8C7, 'M', u'㩬'), + (0x2F8C8, 'M', u'敏'), + (0x2F8C9, 'M', u'敬'), + (0x2F8CA, 'M', u'𣀊'), + (0x2F8CB, 'M', u'旣'), + (0x2F8CC, 'M', u'書'), + (0x2F8CD, 'M', u'晉'), + (0x2F8CE, 'M', u'㬙'), + (0x2F8CF, 'M', u'暑'), + (0x2F8D0, 'M', u'㬈'), + (0x2F8D1, 'M', u'㫤'), + (0x2F8D2, 'M', u'冒'), + (0x2F8D3, 'M', u'冕'), + (0x2F8D4, 'M', u'最'), + (0x2F8D5, 'M', u'暜'), + (0x2F8D6, 'M', u'肭'), + (0x2F8D7, 'M', u'䏙'), + (0x2F8D8, 'M', u'朗'), + (0x2F8D9, 'M', u'望'), + (0x2F8DA, 'M', u'朡'), + (0x2F8DB, 'M', u'杞'), + (0x2F8DC, 'M', u'杓'), + (0x2F8DD, 'M', u'𣏃'), + (0x2F8DE, 'M', u'㭉'), + (0x2F8DF, 'M', u'柺'), + (0x2F8E0, 'M', u'枅'), + (0x2F8E1, 'M', u'桒'), + (0x2F8E2, 'M', u'梅'), + (0x2F8E3, 'M', u'𣑭'), + (0x2F8E4, 'M', u'梎'), + (0x2F8E5, 'M', u'栟'), + (0x2F8E6, 'M', u'椔'), + (0x2F8E7, 'M', u'㮝'), + (0x2F8E8, 'M', u'楂'), + (0x2F8E9, 'M', u'榣'), + (0x2F8EA, 'M', u'槪'), + (0x2F8EB, 'M', u'檨'), + (0x2F8EC, 'M', u'𣚣'), + (0x2F8ED, 'M', u'櫛'), + (0x2F8EE, 'M', u'㰘'), + (0x2F8EF, 'M', u'次'), + ] + +def _seg_75(): + return [ + (0x2F8F0, 'M', u'𣢧'), + (0x2F8F1, 'M', u'歔'), + (0x2F8F2, 'M', u'㱎'), + (0x2F8F3, 'M', u'歲'), + (0x2F8F4, 'M', u'殟'), + (0x2F8F5, 'M', u'殺'), + (0x2F8F6, 'M', u'殻'), + (0x2F8F7, 'M', u'𣪍'), + (0x2F8F8, 'M', u'𡴋'), + (0x2F8F9, 'M', u'𣫺'), + (0x2F8FA, 'M', u'汎'), + (0x2F8FB, 'M', u'𣲼'), + (0x2F8FC, 'M', u'沿'), + (0x2F8FD, 'M', u'泍'), + (0x2F8FE, 'M', u'汧'), + (0x2F8FF, 'M', u'洖'), + (0x2F900, 'M', u'派'), + (0x2F901, 'M', u'海'), + (0x2F902, 'M', u'流'), + (0x2F903, 'M', u'浩'), + (0x2F904, 'M', u'浸'), + (0x2F905, 'M', u'涅'), + (0x2F906, 'M', u'𣴞'), + (0x2F907, 'M', u'洴'), + (0x2F908, 'M', u'港'), + (0x2F909, 'M', u'湮'), + (0x2F90A, 'M', u'㴳'), + (0x2F90B, 'M', u'滋'), + (0x2F90C, 'M', u'滇'), + (0x2F90D, 'M', u'𣻑'), + (0x2F90E, 'M', u'淹'), + (0x2F90F, 'M', u'潮'), + (0x2F910, 'M', u'𣽞'), + (0x2F911, 'M', u'𣾎'), + (0x2F912, 'M', u'濆'), + (0x2F913, 'M', u'瀹'), + (0x2F914, 'M', u'瀞'), + (0x2F915, 'M', u'瀛'), + (0x2F916, 'M', u'㶖'), + (0x2F917, 'M', u'灊'), + (0x2F918, 'M', u'災'), + (0x2F919, 'M', u'灷'), + (0x2F91A, 'M', u'炭'), + (0x2F91B, 'M', u'𠔥'), + (0x2F91C, 'M', u'煅'), + (0x2F91D, 'M', u'𤉣'), + (0x2F91E, 'M', u'熜'), + (0x2F91F, 'X'), + (0x2F920, 'M', u'爨'), + (0x2F921, 'M', u'爵'), + (0x2F922, 'M', u'牐'), + (0x2F923, 'M', u'𤘈'), + (0x2F924, 'M', u'犀'), + (0x2F925, 'M', u'犕'), + (0x2F926, 'M', u'𤜵'), + (0x2F927, 'M', u'𤠔'), + (0x2F928, 'M', u'獺'), + (0x2F929, 'M', u'王'), + (0x2F92A, 'M', u'㺬'), + (0x2F92B, 'M', u'玥'), + (0x2F92C, 'M', u'㺸'), + (0x2F92E, 'M', u'瑇'), + (0x2F92F, 'M', u'瑜'), + (0x2F930, 'M', u'瑱'), + (0x2F931, 'M', u'璅'), + (0x2F932, 'M', u'瓊'), + (0x2F933, 'M', u'㼛'), + (0x2F934, 'M', u'甤'), + (0x2F935, 'M', u'𤰶'), + (0x2F936, 'M', u'甾'), + (0x2F937, 'M', u'𤲒'), + (0x2F938, 'M', u'異'), + (0x2F939, 'M', u'𢆟'), + (0x2F93A, 'M', u'瘐'), + (0x2F93B, 'M', u'𤾡'), + (0x2F93C, 'M', u'𤾸'), + (0x2F93D, 'M', u'𥁄'), + (0x2F93E, 'M', u'㿼'), + (0x2F93F, 'M', u'䀈'), + (0x2F940, 'M', u'直'), + (0x2F941, 'M', u'𥃳'), + (0x2F942, 'M', u'𥃲'), + (0x2F943, 'M', u'𥄙'), + (0x2F944, 'M', u'𥄳'), + (0x2F945, 'M', u'眞'), + (0x2F946, 'M', u'真'), + (0x2F948, 'M', u'睊'), + (0x2F949, 'M', u'䀹'), + (0x2F94A, 'M', u'瞋'), + (0x2F94B, 'M', u'䁆'), + (0x2F94C, 'M', u'䂖'), + (0x2F94D, 'M', u'𥐝'), + (0x2F94E, 'M', u'硎'), + (0x2F94F, 'M', u'碌'), + (0x2F950, 'M', u'磌'), + (0x2F951, 'M', u'䃣'), + (0x2F952, 'M', u'𥘦'), + (0x2F953, 'M', u'祖'), + (0x2F954, 'M', u'𥚚'), + (0x2F955, 'M', u'𥛅'), + ] + +def _seg_76(): + return [ + (0x2F956, 'M', u'福'), + (0x2F957, 'M', u'秫'), + (0x2F958, 'M', u'䄯'), + (0x2F959, 'M', u'穀'), + (0x2F95A, 'M', u'穊'), + (0x2F95B, 'M', u'穏'), + (0x2F95C, 'M', u'𥥼'), + (0x2F95D, 'M', u'𥪧'), + (0x2F95F, 'X'), + (0x2F960, 'M', u'䈂'), + (0x2F961, 'M', u'𥮫'), + (0x2F962, 'M', u'篆'), + (0x2F963, 'M', u'築'), + (0x2F964, 'M', u'䈧'), + (0x2F965, 'M', u'𥲀'), + (0x2F966, 'M', u'糒'), + (0x2F967, 'M', u'䊠'), + (0x2F968, 'M', u'糨'), + (0x2F969, 'M', u'糣'), + (0x2F96A, 'M', u'紀'), + (0x2F96B, 'M', u'𥾆'), + (0x2F96C, 'M', u'絣'), + (0x2F96D, 'M', u'䌁'), + (0x2F96E, 'M', u'緇'), + (0x2F96F, 'M', u'縂'), + (0x2F970, 'M', u'繅'), + (0x2F971, 'M', u'䌴'), + (0x2F972, 'M', u'𦈨'), + (0x2F973, 'M', u'𦉇'), + (0x2F974, 'M', u'䍙'), + (0x2F975, 'M', u'𦋙'), + (0x2F976, 'M', u'罺'), + (0x2F977, 'M', u'𦌾'), + (0x2F978, 'M', u'羕'), + (0x2F979, 'M', u'翺'), + (0x2F97A, 'M', u'者'), + (0x2F97B, 'M', u'𦓚'), + (0x2F97C, 'M', u'𦔣'), + (0x2F97D, 'M', u'聠'), + (0x2F97E, 'M', u'𦖨'), + (0x2F97F, 'M', u'聰'), + (0x2F980, 'M', u'𣍟'), + (0x2F981, 'M', u'䏕'), + (0x2F982, 'M', u'育'), + (0x2F983, 'M', u'脃'), + (0x2F984, 'M', u'䐋'), + (0x2F985, 'M', u'脾'), + (0x2F986, 'M', u'媵'), + (0x2F987, 'M', u'𦞧'), + (0x2F988, 'M', u'𦞵'), + (0x2F989, 'M', u'𣎓'), + (0x2F98A, 'M', u'𣎜'), + (0x2F98B, 'M', u'舁'), + (0x2F98C, 'M', u'舄'), + (0x2F98D, 'M', u'辞'), + (0x2F98E, 'M', u'䑫'), + (0x2F98F, 'M', u'芑'), + (0x2F990, 'M', u'芋'), + (0x2F991, 'M', u'芝'), + (0x2F992, 'M', u'劳'), + (0x2F993, 'M', u'花'), + (0x2F994, 'M', u'芳'), + (0x2F995, 'M', u'芽'), + (0x2F996, 'M', u'苦'), + (0x2F997, 'M', u'𦬼'), + (0x2F998, 'M', u'若'), + (0x2F999, 'M', u'茝'), + (0x2F99A, 'M', u'荣'), + (0x2F99B, 'M', u'莭'), + (0x2F99C, 'M', u'茣'), + (0x2F99D, 'M', u'莽'), + (0x2F99E, 'M', u'菧'), + (0x2F99F, 'M', u'著'), + (0x2F9A0, 'M', u'荓'), + (0x2F9A1, 'M', u'菊'), + (0x2F9A2, 'M', u'菌'), + (0x2F9A3, 'M', u'菜'), + (0x2F9A4, 'M', u'𦰶'), + (0x2F9A5, 'M', u'𦵫'), + (0x2F9A6, 'M', u'𦳕'), + (0x2F9A7, 'M', u'䔫'), + (0x2F9A8, 'M', u'蓱'), + (0x2F9A9, 'M', u'蓳'), + (0x2F9AA, 'M', u'蔖'), + (0x2F9AB, 'M', u'𧏊'), + (0x2F9AC, 'M', u'蕤'), + (0x2F9AD, 'M', u'𦼬'), + (0x2F9AE, 'M', u'䕝'), + (0x2F9AF, 'M', u'䕡'), + (0x2F9B0, 'M', u'𦾱'), + (0x2F9B1, 'M', u'𧃒'), + (0x2F9B2, 'M', u'䕫'), + (0x2F9B3, 'M', u'虐'), + (0x2F9B4, 'M', u'虜'), + (0x2F9B5, 'M', u'虧'), + (0x2F9B6, 'M', u'虩'), + (0x2F9B7, 'M', u'蚩'), + (0x2F9B8, 'M', u'蚈'), + (0x2F9B9, 'M', u'蜎'), + (0x2F9BA, 'M', u'蛢'), + ] + +def _seg_77(): + return [ + (0x2F9BB, 'M', u'蝹'), + (0x2F9BC, 'M', u'蜨'), + (0x2F9BD, 'M', u'蝫'), + (0x2F9BE, 'M', u'螆'), + (0x2F9BF, 'X'), + (0x2F9C0, 'M', u'蟡'), + (0x2F9C1, 'M', u'蠁'), + (0x2F9C2, 'M', u'䗹'), + (0x2F9C3, 'M', u'衠'), + (0x2F9C4, 'M', u'衣'), + (0x2F9C5, 'M', u'𧙧'), + (0x2F9C6, 'M', u'裗'), + (0x2F9C7, 'M', u'裞'), + (0x2F9C8, 'M', u'䘵'), + (0x2F9C9, 'M', u'裺'), + (0x2F9CA, 'M', u'㒻'), + (0x2F9CB, 'M', u'𧢮'), + (0x2F9CC, 'M', u'𧥦'), + (0x2F9CD, 'M', u'䚾'), + (0x2F9CE, 'M', u'䛇'), + (0x2F9CF, 'M', u'誠'), + (0x2F9D0, 'M', u'諭'), + (0x2F9D1, 'M', u'變'), + (0x2F9D2, 'M', u'豕'), + (0x2F9D3, 'M', u'𧲨'), + (0x2F9D4, 'M', u'貫'), + (0x2F9D5, 'M', u'賁'), + (0x2F9D6, 'M', u'贛'), + (0x2F9D7, 'M', u'起'), + (0x2F9D8, 'M', u'𧼯'), + (0x2F9D9, 'M', u'𠠄'), + (0x2F9DA, 'M', u'跋'), + (0x2F9DB, 'M', u'趼'), + (0x2F9DC, 'M', u'跰'), + (0x2F9DD, 'M', u'𠣞'), + (0x2F9DE, 'M', u'軔'), + (0x2F9DF, 'M', u'輸'), + (0x2F9E0, 'M', u'𨗒'), + (0x2F9E1, 'M', u'𨗭'), + (0x2F9E2, 'M', u'邔'), + (0x2F9E3, 'M', u'郱'), + (0x2F9E4, 'M', u'鄑'), + (0x2F9E5, 'M', u'𨜮'), + (0x2F9E6, 'M', u'鄛'), + (0x2F9E7, 'M', u'鈸'), + (0x2F9E8, 'M', u'鋗'), + (0x2F9E9, 'M', u'鋘'), + (0x2F9EA, 'M', u'鉼'), + (0x2F9EB, 'M', u'鏹'), + (0x2F9EC, 'M', u'鐕'), + (0x2F9ED, 'M', u'𨯺'), + (0x2F9EE, 'M', u'開'), + (0x2F9EF, 'M', u'䦕'), + (0x2F9F0, 'M', u'閷'), + (0x2F9F1, 'M', u'𨵷'), + (0x2F9F2, 'M', u'䧦'), + (0x2F9F3, 'M', u'雃'), + (0x2F9F4, 'M', u'嶲'), + (0x2F9F5, 'M', u'霣'), + (0x2F9F6, 'M', u'𩅅'), + (0x2F9F7, 'M', u'𩈚'), + (0x2F9F8, 'M', u'䩮'), + (0x2F9F9, 'M', u'䩶'), + (0x2F9FA, 'M', u'韠'), + (0x2F9FB, 'M', u'𩐊'), + (0x2F9FC, 'M', u'䪲'), + (0x2F9FD, 'M', u'𩒖'), + (0x2F9FE, 'M', u'頋'), + (0x2FA00, 'M', u'頩'), + (0x2FA01, 'M', u'𩖶'), + (0x2FA02, 'M', u'飢'), + (0x2FA03, 'M', u'䬳'), + (0x2FA04, 'M', u'餩'), + (0x2FA05, 'M', u'馧'), + (0x2FA06, 'M', u'駂'), + (0x2FA07, 'M', u'駾'), + (0x2FA08, 'M', u'䯎'), + (0x2FA09, 'M', u'𩬰'), + (0x2FA0A, 'M', u'鬒'), + (0x2FA0B, 'M', u'鱀'), + (0x2FA0C, 'M', u'鳽'), + (0x2FA0D, 'M', u'䳎'), + (0x2FA0E, 'M', u'䳭'), + (0x2FA0F, 'M', u'鵧'), + (0x2FA10, 'M', u'𪃎'), + (0x2FA11, 'M', u'䳸'), + (0x2FA12, 'M', u'𪄅'), + (0x2FA13, 'M', u'𪈎'), + (0x2FA14, 'M', u'𪊑'), + (0x2FA15, 'M', u'麻'), + (0x2FA16, 'M', u'䵖'), + (0x2FA17, 'M', u'黹'), + (0x2FA18, 'M', u'黾'), + (0x2FA19, 'M', u'鼅'), + (0x2FA1A, 'M', u'鼏'), + (0x2FA1B, 'M', u'鼖'), + (0x2FA1C, 'M', u'鼻'), + (0x2FA1D, 'M', u'𪘀'), + (0x2FA1E, 'X'), + (0xE0100, 'I'), + ] + +def _seg_78(): + return [ + (0xE01F0, 'X'), + ] + +uts46data = tuple( + _seg_0() + + _seg_1() + + _seg_2() + + _seg_3() + + _seg_4() + + _seg_5() + + _seg_6() + + _seg_7() + + _seg_8() + + _seg_9() + + _seg_10() + + _seg_11() + + _seg_12() + + _seg_13() + + _seg_14() + + _seg_15() + + _seg_16() + + _seg_17() + + _seg_18() + + _seg_19() + + _seg_20() + + _seg_21() + + _seg_22() + + _seg_23() + + _seg_24() + + _seg_25() + + _seg_26() + + _seg_27() + + _seg_28() + + _seg_29() + + _seg_30() + + _seg_31() + + _seg_32() + + _seg_33() + + _seg_34() + + _seg_35() + + _seg_36() + + _seg_37() + + _seg_38() + + _seg_39() + + _seg_40() + + _seg_41() + + _seg_42() + + _seg_43() + + _seg_44() + + _seg_45() + + _seg_46() + + _seg_47() + + _seg_48() + + _seg_49() + + _seg_50() + + _seg_51() + + _seg_52() + + _seg_53() + + _seg_54() + + _seg_55() + + _seg_56() + + _seg_57() + + _seg_58() + + _seg_59() + + _seg_60() + + _seg_61() + + _seg_62() + + _seg_63() + + _seg_64() + + _seg_65() + + _seg_66() + + _seg_67() + + _seg_68() + + _seg_69() + + _seg_70() + + _seg_71() + + _seg_72() + + _seg_73() + + _seg_74() + + _seg_75() + + _seg_76() + + _seg_77() + + _seg_78() +) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/ipaddress.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/ipaddress.py new file mode 100644 index 0000000..f2d0766 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/ipaddress.py @@ -0,0 +1,2419 @@ +# Copyright 2007 Google Inc. +# Licensed to PSF under a Contributor Agreement. + +"""A fast, lightweight IPv4/IPv6 manipulation library in Python. + +This library is used to create/poke/manipulate IPv4 and IPv6 addresses +and networks. + +""" + +from __future__ import unicode_literals + + +import itertools +import struct + +__version__ = '1.0.22' + +# Compatibility functions +_compat_int_types = (int,) +try: + _compat_int_types = (int, long) +except NameError: + pass +try: + _compat_str = unicode +except NameError: + _compat_str = str + assert bytes != str +if b'\0'[0] == 0: # Python 3 semantics + def _compat_bytes_to_byte_vals(byt): + return byt +else: + def _compat_bytes_to_byte_vals(byt): + return [struct.unpack(b'!B', b)[0] for b in byt] +try: + _compat_int_from_byte_vals = int.from_bytes +except AttributeError: + def _compat_int_from_byte_vals(bytvals, endianess): + assert endianess == 'big' + res = 0 + for bv in bytvals: + assert isinstance(bv, _compat_int_types) + res = (res << 8) + bv + return res + + +def _compat_to_bytes(intval, length, endianess): + assert isinstance(intval, _compat_int_types) + assert endianess == 'big' + if length == 4: + if intval < 0 or intval >= 2 ** 32: + raise struct.error("integer out of range for 'I' format code") + return struct.pack(b'!I', intval) + elif length == 16: + if intval < 0 or intval >= 2 ** 128: + raise struct.error("integer out of range for 'QQ' format code") + return struct.pack(b'!QQ', intval >> 64, intval & 0xffffffffffffffff) + else: + raise NotImplementedError() + + +if hasattr(int, 'bit_length'): + # Not int.bit_length , since that won't work in 2.7 where long exists + def _compat_bit_length(i): + return i.bit_length() +else: + def _compat_bit_length(i): + for res in itertools.count(): + if i >> res == 0: + return res + + +def _compat_range(start, end, step=1): + assert step > 0 + i = start + while i < end: + yield i + i += step + + +class _TotalOrderingMixin(object): + __slots__ = () + + # Helper that derives the other comparison operations from + # __lt__ and __eq__ + # We avoid functools.total_ordering because it doesn't handle + # NotImplemented correctly yet (http://bugs.python.org/issue10042) + def __eq__(self, other): + raise NotImplementedError + + def __ne__(self, other): + equal = self.__eq__(other) + if equal is NotImplemented: + return NotImplemented + return not equal + + def __lt__(self, other): + raise NotImplementedError + + def __le__(self, other): + less = self.__lt__(other) + if less is NotImplemented or not less: + return self.__eq__(other) + return less + + def __gt__(self, other): + less = self.__lt__(other) + if less is NotImplemented: + return NotImplemented + equal = self.__eq__(other) + if equal is NotImplemented: + return NotImplemented + return not (less or equal) + + def __ge__(self, other): + less = self.__lt__(other) + if less is NotImplemented: + return NotImplemented + return not less + + +IPV4LENGTH = 32 +IPV6LENGTH = 128 + + +class AddressValueError(ValueError): + """A Value Error related to the address.""" + + +class NetmaskValueError(ValueError): + """A Value Error related to the netmask.""" + + +def ip_address(address): + """Take an IP string/int and return an object of the correct type. + + Args: + address: A string or integer, the IP address. Either IPv4 or + IPv6 addresses may be supplied; integers less than 2**32 will + be considered to be IPv4 by default. + + Returns: + An IPv4Address or IPv6Address object. + + Raises: + ValueError: if the *address* passed isn't either a v4 or a v6 + address + + """ + try: + return IPv4Address(address) + except (AddressValueError, NetmaskValueError): + pass + + try: + return IPv6Address(address) + except (AddressValueError, NetmaskValueError): + pass + + if isinstance(address, bytes): + raise AddressValueError( + '%r does not appear to be an IPv4 or IPv6 address. ' + 'Did you pass in a bytes (str in Python 2) instead of' + ' a unicode object?' % address) + + raise ValueError('%r does not appear to be an IPv4 or IPv6 address' % + address) + + +def ip_network(address, strict=True): + """Take an IP string/int and return an object of the correct type. + + Args: + address: A string or integer, the IP network. Either IPv4 or + IPv6 networks may be supplied; integers less than 2**32 will + be considered to be IPv4 by default. + + Returns: + An IPv4Network or IPv6Network object. + + Raises: + ValueError: if the string passed isn't either a v4 or a v6 + address. Or if the network has host bits set. + + """ + try: + return IPv4Network(address, strict) + except (AddressValueError, NetmaskValueError): + pass + + try: + return IPv6Network(address, strict) + except (AddressValueError, NetmaskValueError): + pass + + if isinstance(address, bytes): + raise AddressValueError( + '%r does not appear to be an IPv4 or IPv6 network. ' + 'Did you pass in a bytes (str in Python 2) instead of' + ' a unicode object?' % address) + + raise ValueError('%r does not appear to be an IPv4 or IPv6 network' % + address) + + +def ip_interface(address): + """Take an IP string/int and return an object of the correct type. + + Args: + address: A string or integer, the IP address. Either IPv4 or + IPv6 addresses may be supplied; integers less than 2**32 will + be considered to be IPv4 by default. + + Returns: + An IPv4Interface or IPv6Interface object. + + Raises: + ValueError: if the string passed isn't either a v4 or a v6 + address. + + Notes: + The IPv?Interface classes describe an Address on a particular + Network, so they're basically a combination of both the Address + and Network classes. + + """ + try: + return IPv4Interface(address) + except (AddressValueError, NetmaskValueError): + pass + + try: + return IPv6Interface(address) + except (AddressValueError, NetmaskValueError): + pass + + raise ValueError('%r does not appear to be an IPv4 or IPv6 interface' % + address) + + +def v4_int_to_packed(address): + """Represent an address as 4 packed bytes in network (big-endian) order. + + Args: + address: An integer representation of an IPv4 IP address. + + Returns: + The integer address packed as 4 bytes in network (big-endian) order. + + Raises: + ValueError: If the integer is negative or too large to be an + IPv4 IP address. + + """ + try: + return _compat_to_bytes(address, 4, 'big') + except (struct.error, OverflowError): + raise ValueError("Address negative or too large for IPv4") + + +def v6_int_to_packed(address): + """Represent an address as 16 packed bytes in network (big-endian) order. + + Args: + address: An integer representation of an IPv6 IP address. + + Returns: + The integer address packed as 16 bytes in network (big-endian) order. + + """ + try: + return _compat_to_bytes(address, 16, 'big') + except (struct.error, OverflowError): + raise ValueError("Address negative or too large for IPv6") + + +def _split_optional_netmask(address): + """Helper to split the netmask and raise AddressValueError if needed""" + addr = _compat_str(address).split('/') + if len(addr) > 2: + raise AddressValueError("Only one '/' permitted in %r" % address) + return addr + + +def _find_address_range(addresses): + """Find a sequence of sorted deduplicated IPv#Address. + + Args: + addresses: a list of IPv#Address objects. + + Yields: + A tuple containing the first and last IP addresses in the sequence. + + """ + it = iter(addresses) + first = last = next(it) + for ip in it: + if ip._ip != last._ip + 1: + yield first, last + first = ip + last = ip + yield first, last + + +def _count_righthand_zero_bits(number, bits): + """Count the number of zero bits on the right hand side. + + Args: + number: an integer. + bits: maximum number of bits to count. + + Returns: + The number of zero bits on the right hand side of the number. + + """ + if number == 0: + return bits + return min(bits, _compat_bit_length(~number & (number - 1))) + + +def summarize_address_range(first, last): + """Summarize a network range given the first and last IP addresses. + + Example: + >>> list(summarize_address_range(IPv4Address('192.0.2.0'), + ... IPv4Address('192.0.2.130'))) + ... #doctest: +NORMALIZE_WHITESPACE + [IPv4Network('192.0.2.0/25'), IPv4Network('192.0.2.128/31'), + IPv4Network('192.0.2.130/32')] + + Args: + first: the first IPv4Address or IPv6Address in the range. + last: the last IPv4Address or IPv6Address in the range. + + Returns: + An iterator of the summarized IPv(4|6) network objects. + + Raise: + TypeError: + If the first and last objects are not IP addresses. + If the first and last objects are not the same version. + ValueError: + If the last object is not greater than the first. + If the version of the first address is not 4 or 6. + + """ + if (not (isinstance(first, _BaseAddress) and + isinstance(last, _BaseAddress))): + raise TypeError('first and last must be IP addresses, not networks') + if first.version != last.version: + raise TypeError("%s and %s are not of the same version" % ( + first, last)) + if first > last: + raise ValueError('last IP address must be greater than first') + + if first.version == 4: + ip = IPv4Network + elif first.version == 6: + ip = IPv6Network + else: + raise ValueError('unknown IP version') + + ip_bits = first._max_prefixlen + first_int = first._ip + last_int = last._ip + while first_int <= last_int: + nbits = min(_count_righthand_zero_bits(first_int, ip_bits), + _compat_bit_length(last_int - first_int + 1) - 1) + net = ip((first_int, ip_bits - nbits)) + yield net + first_int += 1 << nbits + if first_int - 1 == ip._ALL_ONES: + break + + +def _collapse_addresses_internal(addresses): + """Loops through the addresses, collapsing concurrent netblocks. + + Example: + + ip1 = IPv4Network('192.0.2.0/26') + ip2 = IPv4Network('192.0.2.64/26') + ip3 = IPv4Network('192.0.2.128/26') + ip4 = IPv4Network('192.0.2.192/26') + + _collapse_addresses_internal([ip1, ip2, ip3, ip4]) -> + [IPv4Network('192.0.2.0/24')] + + This shouldn't be called directly; it is called via + collapse_addresses([]). + + Args: + addresses: A list of IPv4Network's or IPv6Network's + + Returns: + A list of IPv4Network's or IPv6Network's depending on what we were + passed. + + """ + # First merge + to_merge = list(addresses) + subnets = {} + while to_merge: + net = to_merge.pop() + supernet = net.supernet() + existing = subnets.get(supernet) + if existing is None: + subnets[supernet] = net + elif existing != net: + # Merge consecutive subnets + del subnets[supernet] + to_merge.append(supernet) + # Then iterate over resulting networks, skipping subsumed subnets + last = None + for net in sorted(subnets.values()): + if last is not None: + # Since they are sorted, + # last.network_address <= net.network_address is a given. + if last.broadcast_address >= net.broadcast_address: + continue + yield net + last = net + + +def collapse_addresses(addresses): + """Collapse a list of IP objects. + + Example: + collapse_addresses([IPv4Network('192.0.2.0/25'), + IPv4Network('192.0.2.128/25')]) -> + [IPv4Network('192.0.2.0/24')] + + Args: + addresses: An iterator of IPv4Network or IPv6Network objects. + + Returns: + An iterator of the collapsed IPv(4|6)Network objects. + + Raises: + TypeError: If passed a list of mixed version objects. + + """ + addrs = [] + ips = [] + nets = [] + + # split IP addresses and networks + for ip in addresses: + if isinstance(ip, _BaseAddress): + if ips and ips[-1]._version != ip._version: + raise TypeError("%s and %s are not of the same version" % ( + ip, ips[-1])) + ips.append(ip) + elif ip._prefixlen == ip._max_prefixlen: + if ips and ips[-1]._version != ip._version: + raise TypeError("%s and %s are not of the same version" % ( + ip, ips[-1])) + try: + ips.append(ip.ip) + except AttributeError: + ips.append(ip.network_address) + else: + if nets and nets[-1]._version != ip._version: + raise TypeError("%s and %s are not of the same version" % ( + ip, nets[-1])) + nets.append(ip) + + # sort and dedup + ips = sorted(set(ips)) + + # find consecutive address ranges in the sorted sequence and summarize them + if ips: + for first, last in _find_address_range(ips): + addrs.extend(summarize_address_range(first, last)) + + return _collapse_addresses_internal(addrs + nets) + + +def get_mixed_type_key(obj): + """Return a key suitable for sorting between networks and addresses. + + Address and Network objects are not sortable by default; they're + fundamentally different so the expression + + IPv4Address('192.0.2.0') <= IPv4Network('192.0.2.0/24') + + doesn't make any sense. There are some times however, where you may wish + to have ipaddress sort these for you anyway. If you need to do this, you + can use this function as the key= argument to sorted(). + + Args: + obj: either a Network or Address object. + Returns: + appropriate key. + + """ + if isinstance(obj, _BaseNetwork): + return obj._get_networks_key() + elif isinstance(obj, _BaseAddress): + return obj._get_address_key() + return NotImplemented + + +class _IPAddressBase(_TotalOrderingMixin): + + """The mother class.""" + + __slots__ = () + + @property + def exploded(self): + """Return the longhand version of the IP address as a string.""" + return self._explode_shorthand_ip_string() + + @property + def compressed(self): + """Return the shorthand version of the IP address as a string.""" + return _compat_str(self) + + @property + def reverse_pointer(self): + """The name of the reverse DNS pointer for the IP address, e.g.: + >>> ipaddress.ip_address("127.0.0.1").reverse_pointer + '1.0.0.127.in-addr.arpa' + >>> ipaddress.ip_address("2001:db8::1").reverse_pointer + '1.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.8.b.d.0.1.0.0.2.ip6.arpa' + + """ + return self._reverse_pointer() + + @property + def version(self): + msg = '%200s has no version specified' % (type(self),) + raise NotImplementedError(msg) + + def _check_int_address(self, address): + if address < 0: + msg = "%d (< 0) is not permitted as an IPv%d address" + raise AddressValueError(msg % (address, self._version)) + if address > self._ALL_ONES: + msg = "%d (>= 2**%d) is not permitted as an IPv%d address" + raise AddressValueError(msg % (address, self._max_prefixlen, + self._version)) + + def _check_packed_address(self, address, expected_len): + address_len = len(address) + if address_len != expected_len: + msg = ( + '%r (len %d != %d) is not permitted as an IPv%d address. ' + 'Did you pass in a bytes (str in Python 2) instead of' + ' a unicode object?') + raise AddressValueError(msg % (address, address_len, + expected_len, self._version)) + + @classmethod + def _ip_int_from_prefix(cls, prefixlen): + """Turn the prefix length into a bitwise netmask + + Args: + prefixlen: An integer, the prefix length. + + Returns: + An integer. + + """ + return cls._ALL_ONES ^ (cls._ALL_ONES >> prefixlen) + + @classmethod + def _prefix_from_ip_int(cls, ip_int): + """Return prefix length from the bitwise netmask. + + Args: + ip_int: An integer, the netmask in expanded bitwise format + + Returns: + An integer, the prefix length. + + Raises: + ValueError: If the input intermingles zeroes & ones + """ + trailing_zeroes = _count_righthand_zero_bits(ip_int, + cls._max_prefixlen) + prefixlen = cls._max_prefixlen - trailing_zeroes + leading_ones = ip_int >> trailing_zeroes + all_ones = (1 << prefixlen) - 1 + if leading_ones != all_ones: + byteslen = cls._max_prefixlen // 8 + details = _compat_to_bytes(ip_int, byteslen, 'big') + msg = 'Netmask pattern %r mixes zeroes & ones' + raise ValueError(msg % details) + return prefixlen + + @classmethod + def _report_invalid_netmask(cls, netmask_str): + msg = '%r is not a valid netmask' % netmask_str + raise NetmaskValueError(msg) + + @classmethod + def _prefix_from_prefix_string(cls, prefixlen_str): + """Return prefix length from a numeric string + + Args: + prefixlen_str: The string to be converted + + Returns: + An integer, the prefix length. + + Raises: + NetmaskValueError: If the input is not a valid netmask + """ + # int allows a leading +/- as well as surrounding whitespace, + # so we ensure that isn't the case + if not _BaseV4._DECIMAL_DIGITS.issuperset(prefixlen_str): + cls._report_invalid_netmask(prefixlen_str) + try: + prefixlen = int(prefixlen_str) + except ValueError: + cls._report_invalid_netmask(prefixlen_str) + if not (0 <= prefixlen <= cls._max_prefixlen): + cls._report_invalid_netmask(prefixlen_str) + return prefixlen + + @classmethod + def _prefix_from_ip_string(cls, ip_str): + """Turn a netmask/hostmask string into a prefix length + + Args: + ip_str: The netmask/hostmask to be converted + + Returns: + An integer, the prefix length. + + Raises: + NetmaskValueError: If the input is not a valid netmask/hostmask + """ + # Parse the netmask/hostmask like an IP address. + try: + ip_int = cls._ip_int_from_string(ip_str) + except AddressValueError: + cls._report_invalid_netmask(ip_str) + + # Try matching a netmask (this would be /1*0*/ as a bitwise regexp). + # Note that the two ambiguous cases (all-ones and all-zeroes) are + # treated as netmasks. + try: + return cls._prefix_from_ip_int(ip_int) + except ValueError: + pass + + # Invert the bits, and try matching a /0+1+/ hostmask instead. + ip_int ^= cls._ALL_ONES + try: + return cls._prefix_from_ip_int(ip_int) + except ValueError: + cls._report_invalid_netmask(ip_str) + + def __reduce__(self): + return self.__class__, (_compat_str(self),) + + +class _BaseAddress(_IPAddressBase): + + """A generic IP object. + + This IP class contains the version independent methods which are + used by single IP addresses. + """ + + __slots__ = () + + def __int__(self): + return self._ip + + def __eq__(self, other): + try: + return (self._ip == other._ip and + self._version == other._version) + except AttributeError: + return NotImplemented + + def __lt__(self, other): + if not isinstance(other, _IPAddressBase): + return NotImplemented + if not isinstance(other, _BaseAddress): + raise TypeError('%s and %s are not of the same type' % ( + self, other)) + if self._version != other._version: + raise TypeError('%s and %s are not of the same version' % ( + self, other)) + if self._ip != other._ip: + return self._ip < other._ip + return False + + # Shorthand for Integer addition and subtraction. This is not + # meant to ever support addition/subtraction of addresses. + def __add__(self, other): + if not isinstance(other, _compat_int_types): + return NotImplemented + return self.__class__(int(self) + other) + + def __sub__(self, other): + if not isinstance(other, _compat_int_types): + return NotImplemented + return self.__class__(int(self) - other) + + def __repr__(self): + return '%s(%r)' % (self.__class__.__name__, _compat_str(self)) + + def __str__(self): + return _compat_str(self._string_from_ip_int(self._ip)) + + def __hash__(self): + return hash(hex(int(self._ip))) + + def _get_address_key(self): + return (self._version, self) + + def __reduce__(self): + return self.__class__, (self._ip,) + + +class _BaseNetwork(_IPAddressBase): + + """A generic IP network object. + + This IP class contains the version independent methods which are + used by networks. + + """ + def __init__(self, address): + self._cache = {} + + def __repr__(self): + return '%s(%r)' % (self.__class__.__name__, _compat_str(self)) + + def __str__(self): + return '%s/%d' % (self.network_address, self.prefixlen) + + def hosts(self): + """Generate Iterator over usable hosts in a network. + + This is like __iter__ except it doesn't return the network + or broadcast addresses. + + """ + network = int(self.network_address) + broadcast = int(self.broadcast_address) + for x in _compat_range(network + 1, broadcast): + yield self._address_class(x) + + def __iter__(self): + network = int(self.network_address) + broadcast = int(self.broadcast_address) + for x in _compat_range(network, broadcast + 1): + yield self._address_class(x) + + def __getitem__(self, n): + network = int(self.network_address) + broadcast = int(self.broadcast_address) + if n >= 0: + if network + n > broadcast: + raise IndexError('address out of range') + return self._address_class(network + n) + else: + n += 1 + if broadcast + n < network: + raise IndexError('address out of range') + return self._address_class(broadcast + n) + + def __lt__(self, other): + if not isinstance(other, _IPAddressBase): + return NotImplemented + if not isinstance(other, _BaseNetwork): + raise TypeError('%s and %s are not of the same type' % ( + self, other)) + if self._version != other._version: + raise TypeError('%s and %s are not of the same version' % ( + self, other)) + if self.network_address != other.network_address: + return self.network_address < other.network_address + if self.netmask != other.netmask: + return self.netmask < other.netmask + return False + + def __eq__(self, other): + try: + return (self._version == other._version and + self.network_address == other.network_address and + int(self.netmask) == int(other.netmask)) + except AttributeError: + return NotImplemented + + def __hash__(self): + return hash(int(self.network_address) ^ int(self.netmask)) + + def __contains__(self, other): + # always false if one is v4 and the other is v6. + if self._version != other._version: + return False + # dealing with another network. + if isinstance(other, _BaseNetwork): + return False + # dealing with another address + else: + # address + return (int(self.network_address) <= int(other._ip) <= + int(self.broadcast_address)) + + def overlaps(self, other): + """Tell if self is partly contained in other.""" + return self.network_address in other or ( + self.broadcast_address in other or ( + other.network_address in self or ( + other.broadcast_address in self))) + + @property + def broadcast_address(self): + x = self._cache.get('broadcast_address') + if x is None: + x = self._address_class(int(self.network_address) | + int(self.hostmask)) + self._cache['broadcast_address'] = x + return x + + @property + def hostmask(self): + x = self._cache.get('hostmask') + if x is None: + x = self._address_class(int(self.netmask) ^ self._ALL_ONES) + self._cache['hostmask'] = x + return x + + @property + def with_prefixlen(self): + return '%s/%d' % (self.network_address, self._prefixlen) + + @property + def with_netmask(self): + return '%s/%s' % (self.network_address, self.netmask) + + @property + def with_hostmask(self): + return '%s/%s' % (self.network_address, self.hostmask) + + @property + def num_addresses(self): + """Number of hosts in the current subnet.""" + return int(self.broadcast_address) - int(self.network_address) + 1 + + @property + def _address_class(self): + # Returning bare address objects (rather than interfaces) allows for + # more consistent behaviour across the network address, broadcast + # address and individual host addresses. + msg = '%200s has no associated address class' % (type(self),) + raise NotImplementedError(msg) + + @property + def prefixlen(self): + return self._prefixlen + + def address_exclude(self, other): + """Remove an address from a larger block. + + For example: + + addr1 = ip_network('192.0.2.0/28') + addr2 = ip_network('192.0.2.1/32') + list(addr1.address_exclude(addr2)) = + [IPv4Network('192.0.2.0/32'), IPv4Network('192.0.2.2/31'), + IPv4Network('192.0.2.4/30'), IPv4Network('192.0.2.8/29')] + + or IPv6: + + addr1 = ip_network('2001:db8::1/32') + addr2 = ip_network('2001:db8::1/128') + list(addr1.address_exclude(addr2)) = + [ip_network('2001:db8::1/128'), + ip_network('2001:db8::2/127'), + ip_network('2001:db8::4/126'), + ip_network('2001:db8::8/125'), + ... + ip_network('2001:db8:8000::/33')] + + Args: + other: An IPv4Network or IPv6Network object of the same type. + + Returns: + An iterator of the IPv(4|6)Network objects which is self + minus other. + + Raises: + TypeError: If self and other are of differing address + versions, or if other is not a network object. + ValueError: If other is not completely contained by self. + + """ + if not self._version == other._version: + raise TypeError("%s and %s are not of the same version" % ( + self, other)) + + if not isinstance(other, _BaseNetwork): + raise TypeError("%s is not a network object" % other) + + if not other.subnet_of(self): + raise ValueError('%s not contained in %s' % (other, self)) + if other == self: + return + + # Make sure we're comparing the network of other. + other = other.__class__('%s/%s' % (other.network_address, + other.prefixlen)) + + s1, s2 = self.subnets() + while s1 != other and s2 != other: + if other.subnet_of(s1): + yield s2 + s1, s2 = s1.subnets() + elif other.subnet_of(s2): + yield s1 + s1, s2 = s2.subnets() + else: + # If we got here, there's a bug somewhere. + raise AssertionError('Error performing exclusion: ' + 's1: %s s2: %s other: %s' % + (s1, s2, other)) + if s1 == other: + yield s2 + elif s2 == other: + yield s1 + else: + # If we got here, there's a bug somewhere. + raise AssertionError('Error performing exclusion: ' + 's1: %s s2: %s other: %s' % + (s1, s2, other)) + + def compare_networks(self, other): + """Compare two IP objects. + + This is only concerned about the comparison of the integer + representation of the network addresses. This means that the + host bits aren't considered at all in this method. If you want + to compare host bits, you can easily enough do a + 'HostA._ip < HostB._ip' + + Args: + other: An IP object. + + Returns: + If the IP versions of self and other are the same, returns: + + -1 if self < other: + eg: IPv4Network('192.0.2.0/25') < IPv4Network('192.0.2.128/25') + IPv6Network('2001:db8::1000/124') < + IPv6Network('2001:db8::2000/124') + 0 if self == other + eg: IPv4Network('192.0.2.0/24') == IPv4Network('192.0.2.0/24') + IPv6Network('2001:db8::1000/124') == + IPv6Network('2001:db8::1000/124') + 1 if self > other + eg: IPv4Network('192.0.2.128/25') > IPv4Network('192.0.2.0/25') + IPv6Network('2001:db8::2000/124') > + IPv6Network('2001:db8::1000/124') + + Raises: + TypeError if the IP versions are different. + + """ + # does this need to raise a ValueError? + if self._version != other._version: + raise TypeError('%s and %s are not of the same type' % ( + self, other)) + # self._version == other._version below here: + if self.network_address < other.network_address: + return -1 + if self.network_address > other.network_address: + return 1 + # self.network_address == other.network_address below here: + if self.netmask < other.netmask: + return -1 + if self.netmask > other.netmask: + return 1 + return 0 + + def _get_networks_key(self): + """Network-only key function. + + Returns an object that identifies this address' network and + netmask. This function is a suitable "key" argument for sorted() + and list.sort(). + + """ + return (self._version, self.network_address, self.netmask) + + def subnets(self, prefixlen_diff=1, new_prefix=None): + """The subnets which join to make the current subnet. + + In the case that self contains only one IP + (self._prefixlen == 32 for IPv4 or self._prefixlen == 128 + for IPv6), yield an iterator with just ourself. + + Args: + prefixlen_diff: An integer, the amount the prefix length + should be increased by. This should not be set if + new_prefix is also set. + new_prefix: The desired new prefix length. This must be a + larger number (smaller prefix) than the existing prefix. + This should not be set if prefixlen_diff is also set. + + Returns: + An iterator of IPv(4|6) objects. + + Raises: + ValueError: The prefixlen_diff is too small or too large. + OR + prefixlen_diff and new_prefix are both set or new_prefix + is a smaller number than the current prefix (smaller + number means a larger network) + + """ + if self._prefixlen == self._max_prefixlen: + yield self + return + + if new_prefix is not None: + if new_prefix < self._prefixlen: + raise ValueError('new prefix must be longer') + if prefixlen_diff != 1: + raise ValueError('cannot set prefixlen_diff and new_prefix') + prefixlen_diff = new_prefix - self._prefixlen + + if prefixlen_diff < 0: + raise ValueError('prefix length diff must be > 0') + new_prefixlen = self._prefixlen + prefixlen_diff + + if new_prefixlen > self._max_prefixlen: + raise ValueError( + 'prefix length diff %d is invalid for netblock %s' % ( + new_prefixlen, self)) + + start = int(self.network_address) + end = int(self.broadcast_address) + 1 + step = (int(self.hostmask) + 1) >> prefixlen_diff + for new_addr in _compat_range(start, end, step): + current = self.__class__((new_addr, new_prefixlen)) + yield current + + def supernet(self, prefixlen_diff=1, new_prefix=None): + """The supernet containing the current network. + + Args: + prefixlen_diff: An integer, the amount the prefix length of + the network should be decreased by. For example, given a + /24 network and a prefixlen_diff of 3, a supernet with a + /21 netmask is returned. + + Returns: + An IPv4 network object. + + Raises: + ValueError: If self.prefixlen - prefixlen_diff < 0. I.e., you have + a negative prefix length. + OR + If prefixlen_diff and new_prefix are both set or new_prefix is a + larger number than the current prefix (larger number means a + smaller network) + + """ + if self._prefixlen == 0: + return self + + if new_prefix is not None: + if new_prefix > self._prefixlen: + raise ValueError('new prefix must be shorter') + if prefixlen_diff != 1: + raise ValueError('cannot set prefixlen_diff and new_prefix') + prefixlen_diff = self._prefixlen - new_prefix + + new_prefixlen = self.prefixlen - prefixlen_diff + if new_prefixlen < 0: + raise ValueError( + 'current prefixlen is %d, cannot have a prefixlen_diff of %d' % + (self.prefixlen, prefixlen_diff)) + return self.__class__(( + int(self.network_address) & (int(self.netmask) << prefixlen_diff), + new_prefixlen)) + + @property + def is_multicast(self): + """Test if the address is reserved for multicast use. + + Returns: + A boolean, True if the address is a multicast address. + See RFC 2373 2.7 for details. + + """ + return (self.network_address.is_multicast and + self.broadcast_address.is_multicast) + + @staticmethod + def _is_subnet_of(a, b): + try: + # Always false if one is v4 and the other is v6. + if a._version != b._version: + raise TypeError("%s and %s are not of the same version" (a, b)) + return (b.network_address <= a.network_address and + b.broadcast_address >= a.broadcast_address) + except AttributeError: + raise TypeError("Unable to test subnet containment " + "between %s and %s" % (a, b)) + + def subnet_of(self, other): + """Return True if this network is a subnet of other.""" + return self._is_subnet_of(self, other) + + def supernet_of(self, other): + """Return True if this network is a supernet of other.""" + return self._is_subnet_of(other, self) + + @property + def is_reserved(self): + """Test if the address is otherwise IETF reserved. + + Returns: + A boolean, True if the address is within one of the + reserved IPv6 Network ranges. + + """ + return (self.network_address.is_reserved and + self.broadcast_address.is_reserved) + + @property + def is_link_local(self): + """Test if the address is reserved for link-local. + + Returns: + A boolean, True if the address is reserved per RFC 4291. + + """ + return (self.network_address.is_link_local and + self.broadcast_address.is_link_local) + + @property + def is_private(self): + """Test if this address is allocated for private networks. + + Returns: + A boolean, True if the address is reserved per + iana-ipv4-special-registry or iana-ipv6-special-registry. + + """ + return (self.network_address.is_private and + self.broadcast_address.is_private) + + @property + def is_global(self): + """Test if this address is allocated for public networks. + + Returns: + A boolean, True if the address is not reserved per + iana-ipv4-special-registry or iana-ipv6-special-registry. + + """ + return not self.is_private + + @property + def is_unspecified(self): + """Test if the address is unspecified. + + Returns: + A boolean, True if this is the unspecified address as defined in + RFC 2373 2.5.2. + + """ + return (self.network_address.is_unspecified and + self.broadcast_address.is_unspecified) + + @property + def is_loopback(self): + """Test if the address is a loopback address. + + Returns: + A boolean, True if the address is a loopback address as defined in + RFC 2373 2.5.3. + + """ + return (self.network_address.is_loopback and + self.broadcast_address.is_loopback) + + +class _BaseV4(object): + + """Base IPv4 object. + + The following methods are used by IPv4 objects in both single IP + addresses and networks. + + """ + + __slots__ = () + _version = 4 + # Equivalent to 255.255.255.255 or 32 bits of 1's. + _ALL_ONES = (2 ** IPV4LENGTH) - 1 + _DECIMAL_DIGITS = frozenset('0123456789') + + # the valid octets for host and netmasks. only useful for IPv4. + _valid_mask_octets = frozenset([255, 254, 252, 248, 240, 224, 192, 128, 0]) + + _max_prefixlen = IPV4LENGTH + # There are only a handful of valid v4 netmasks, so we cache them all + # when constructed (see _make_netmask()). + _netmask_cache = {} + + def _explode_shorthand_ip_string(self): + return _compat_str(self) + + @classmethod + def _make_netmask(cls, arg): + """Make a (netmask, prefix_len) tuple from the given argument. + + Argument can be: + - an integer (the prefix length) + - a string representing the prefix length (e.g. "24") + - a string representing the prefix netmask (e.g. "255.255.255.0") + """ + if arg not in cls._netmask_cache: + if isinstance(arg, _compat_int_types): + prefixlen = arg + else: + try: + # Check for a netmask in prefix length form + prefixlen = cls._prefix_from_prefix_string(arg) + except NetmaskValueError: + # Check for a netmask or hostmask in dotted-quad form. + # This may raise NetmaskValueError. + prefixlen = cls._prefix_from_ip_string(arg) + netmask = IPv4Address(cls._ip_int_from_prefix(prefixlen)) + cls._netmask_cache[arg] = netmask, prefixlen + return cls._netmask_cache[arg] + + @classmethod + def _ip_int_from_string(cls, ip_str): + """Turn the given IP string into an integer for comparison. + + Args: + ip_str: A string, the IP ip_str. + + Returns: + The IP ip_str as an integer. + + Raises: + AddressValueError: if ip_str isn't a valid IPv4 Address. + + """ + if not ip_str: + raise AddressValueError('Address cannot be empty') + + octets = ip_str.split('.') + if len(octets) != 4: + raise AddressValueError("Expected 4 octets in %r" % ip_str) + + try: + return _compat_int_from_byte_vals( + map(cls._parse_octet, octets), 'big') + except ValueError as exc: + raise AddressValueError("%s in %r" % (exc, ip_str)) + + @classmethod + def _parse_octet(cls, octet_str): + """Convert a decimal octet into an integer. + + Args: + octet_str: A string, the number to parse. + + Returns: + The octet as an integer. + + Raises: + ValueError: if the octet isn't strictly a decimal from [0..255]. + + """ + if not octet_str: + raise ValueError("Empty octet not permitted") + # Whitelist the characters, since int() allows a lot of bizarre stuff. + if not cls._DECIMAL_DIGITS.issuperset(octet_str): + msg = "Only decimal digits permitted in %r" + raise ValueError(msg % octet_str) + # We do the length check second, since the invalid character error + # is likely to be more informative for the user + if len(octet_str) > 3: + msg = "At most 3 characters permitted in %r" + raise ValueError(msg % octet_str) + # Convert to integer (we know digits are legal) + octet_int = int(octet_str, 10) + # Any octets that look like they *might* be written in octal, + # and which don't look exactly the same in both octal and + # decimal are rejected as ambiguous + if octet_int > 7 and octet_str[0] == '0': + msg = "Ambiguous (octal/decimal) value in %r not permitted" + raise ValueError(msg % octet_str) + if octet_int > 255: + raise ValueError("Octet %d (> 255) not permitted" % octet_int) + return octet_int + + @classmethod + def _string_from_ip_int(cls, ip_int): + """Turns a 32-bit integer into dotted decimal notation. + + Args: + ip_int: An integer, the IP address. + + Returns: + The IP address as a string in dotted decimal notation. + + """ + return '.'.join(_compat_str(struct.unpack(b'!B', b)[0] + if isinstance(b, bytes) + else b) + for b in _compat_to_bytes(ip_int, 4, 'big')) + + def _is_hostmask(self, ip_str): + """Test if the IP string is a hostmask (rather than a netmask). + + Args: + ip_str: A string, the potential hostmask. + + Returns: + A boolean, True if the IP string is a hostmask. + + """ + bits = ip_str.split('.') + try: + parts = [x for x in map(int, bits) if x in self._valid_mask_octets] + except ValueError: + return False + if len(parts) != len(bits): + return False + if parts[0] < parts[-1]: + return True + return False + + def _reverse_pointer(self): + """Return the reverse DNS pointer name for the IPv4 address. + + This implements the method described in RFC1035 3.5. + + """ + reverse_octets = _compat_str(self).split('.')[::-1] + return '.'.join(reverse_octets) + '.in-addr.arpa' + + @property + def max_prefixlen(self): + return self._max_prefixlen + + @property + def version(self): + return self._version + + +class IPv4Address(_BaseV4, _BaseAddress): + + """Represent and manipulate single IPv4 Addresses.""" + + __slots__ = ('_ip', '__weakref__') + + def __init__(self, address): + + """ + Args: + address: A string or integer representing the IP + + Additionally, an integer can be passed, so + IPv4Address('192.0.2.1') == IPv4Address(3221225985). + or, more generally + IPv4Address(int(IPv4Address('192.0.2.1'))) == + IPv4Address('192.0.2.1') + + Raises: + AddressValueError: If ipaddress isn't a valid IPv4 address. + + """ + # Efficient constructor from integer. + if isinstance(address, _compat_int_types): + self._check_int_address(address) + self._ip = address + return + + # Constructing from a packed address + if isinstance(address, bytes): + self._check_packed_address(address, 4) + bvs = _compat_bytes_to_byte_vals(address) + self._ip = _compat_int_from_byte_vals(bvs, 'big') + return + + # Assume input argument to be string or any object representation + # which converts into a formatted IP string. + addr_str = _compat_str(address) + if '/' in addr_str: + raise AddressValueError("Unexpected '/' in %r" % address) + self._ip = self._ip_int_from_string(addr_str) + + @property + def packed(self): + """The binary representation of this address.""" + return v4_int_to_packed(self._ip) + + @property + def is_reserved(self): + """Test if the address is otherwise IETF reserved. + + Returns: + A boolean, True if the address is within the + reserved IPv4 Network range. + + """ + return self in self._constants._reserved_network + + @property + def is_private(self): + """Test if this address is allocated for private networks. + + Returns: + A boolean, True if the address is reserved per + iana-ipv4-special-registry. + + """ + return any(self in net for net in self._constants._private_networks) + + @property + def is_global(self): + return ( + self not in self._constants._public_network and + not self.is_private) + + @property + def is_multicast(self): + """Test if the address is reserved for multicast use. + + Returns: + A boolean, True if the address is multicast. + See RFC 3171 for details. + + """ + return self in self._constants._multicast_network + + @property + def is_unspecified(self): + """Test if the address is unspecified. + + Returns: + A boolean, True if this is the unspecified address as defined in + RFC 5735 3. + + """ + return self == self._constants._unspecified_address + + @property + def is_loopback(self): + """Test if the address is a loopback address. + + Returns: + A boolean, True if the address is a loopback per RFC 3330. + + """ + return self in self._constants._loopback_network + + @property + def is_link_local(self): + """Test if the address is reserved for link-local. + + Returns: + A boolean, True if the address is link-local per RFC 3927. + + """ + return self in self._constants._linklocal_network + + +class IPv4Interface(IPv4Address): + + def __init__(self, address): + if isinstance(address, (bytes, _compat_int_types)): + IPv4Address.__init__(self, address) + self.network = IPv4Network(self._ip) + self._prefixlen = self._max_prefixlen + return + + if isinstance(address, tuple): + IPv4Address.__init__(self, address[0]) + if len(address) > 1: + self._prefixlen = int(address[1]) + else: + self._prefixlen = self._max_prefixlen + + self.network = IPv4Network(address, strict=False) + self.netmask = self.network.netmask + self.hostmask = self.network.hostmask + return + + addr = _split_optional_netmask(address) + IPv4Address.__init__(self, addr[0]) + + self.network = IPv4Network(address, strict=False) + self._prefixlen = self.network._prefixlen + + self.netmask = self.network.netmask + self.hostmask = self.network.hostmask + + def __str__(self): + return '%s/%d' % (self._string_from_ip_int(self._ip), + self.network.prefixlen) + + def __eq__(self, other): + address_equal = IPv4Address.__eq__(self, other) + if not address_equal or address_equal is NotImplemented: + return address_equal + try: + return self.network == other.network + except AttributeError: + # An interface with an associated network is NOT the + # same as an unassociated address. That's why the hash + # takes the extra info into account. + return False + + def __lt__(self, other): + address_less = IPv4Address.__lt__(self, other) + if address_less is NotImplemented: + return NotImplemented + try: + return (self.network < other.network or + self.network == other.network and address_less) + except AttributeError: + # We *do* allow addresses and interfaces to be sorted. The + # unassociated address is considered less than all interfaces. + return False + + def __hash__(self): + return self._ip ^ self._prefixlen ^ int(self.network.network_address) + + __reduce__ = _IPAddressBase.__reduce__ + + @property + def ip(self): + return IPv4Address(self._ip) + + @property + def with_prefixlen(self): + return '%s/%s' % (self._string_from_ip_int(self._ip), + self._prefixlen) + + @property + def with_netmask(self): + return '%s/%s' % (self._string_from_ip_int(self._ip), + self.netmask) + + @property + def with_hostmask(self): + return '%s/%s' % (self._string_from_ip_int(self._ip), + self.hostmask) + + +class IPv4Network(_BaseV4, _BaseNetwork): + + """This class represents and manipulates 32-bit IPv4 network + addresses.. + + Attributes: [examples for IPv4Network('192.0.2.0/27')] + .network_address: IPv4Address('192.0.2.0') + .hostmask: IPv4Address('0.0.0.31') + .broadcast_address: IPv4Address('192.0.2.32') + .netmask: IPv4Address('255.255.255.224') + .prefixlen: 27 + + """ + # Class to use when creating address objects + _address_class = IPv4Address + + def __init__(self, address, strict=True): + + """Instantiate a new IPv4 network object. + + Args: + address: A string or integer representing the IP [& network]. + '192.0.2.0/24' + '192.0.2.0/255.255.255.0' + '192.0.0.2/0.0.0.255' + are all functionally the same in IPv4. Similarly, + '192.0.2.1' + '192.0.2.1/255.255.255.255' + '192.0.2.1/32' + are also functionally equivalent. That is to say, failing to + provide a subnetmask will create an object with a mask of /32. + + If the mask (portion after the / in the argument) is given in + dotted quad form, it is treated as a netmask if it starts with a + non-zero field (e.g. /255.0.0.0 == /8) and as a hostmask if it + starts with a zero field (e.g. 0.255.255.255 == /8), with the + single exception of an all-zero mask which is treated as a + netmask == /0. If no mask is given, a default of /32 is used. + + Additionally, an integer can be passed, so + IPv4Network('192.0.2.1') == IPv4Network(3221225985) + or, more generally + IPv4Interface(int(IPv4Interface('192.0.2.1'))) == + IPv4Interface('192.0.2.1') + + Raises: + AddressValueError: If ipaddress isn't a valid IPv4 address. + NetmaskValueError: If the netmask isn't valid for + an IPv4 address. + ValueError: If strict is True and a network address is not + supplied. + + """ + _BaseNetwork.__init__(self, address) + + # Constructing from a packed address or integer + if isinstance(address, (_compat_int_types, bytes)): + self.network_address = IPv4Address(address) + self.netmask, self._prefixlen = self._make_netmask( + self._max_prefixlen) + # fixme: address/network test here. + return + + if isinstance(address, tuple): + if len(address) > 1: + arg = address[1] + else: + # We weren't given an address[1] + arg = self._max_prefixlen + self.network_address = IPv4Address(address[0]) + self.netmask, self._prefixlen = self._make_netmask(arg) + packed = int(self.network_address) + if packed & int(self.netmask) != packed: + if strict: + raise ValueError('%s has host bits set' % self) + else: + self.network_address = IPv4Address(packed & + int(self.netmask)) + return + + # Assume input argument to be string or any object representation + # which converts into a formatted IP prefix string. + addr = _split_optional_netmask(address) + self.network_address = IPv4Address(self._ip_int_from_string(addr[0])) + + if len(addr) == 2: + arg = addr[1] + else: + arg = self._max_prefixlen + self.netmask, self._prefixlen = self._make_netmask(arg) + + if strict: + if (IPv4Address(int(self.network_address) & int(self.netmask)) != + self.network_address): + raise ValueError('%s has host bits set' % self) + self.network_address = IPv4Address(int(self.network_address) & + int(self.netmask)) + + if self._prefixlen == (self._max_prefixlen - 1): + self.hosts = self.__iter__ + + @property + def is_global(self): + """Test if this address is allocated for public networks. + + Returns: + A boolean, True if the address is not reserved per + iana-ipv4-special-registry. + + """ + return (not (self.network_address in IPv4Network('100.64.0.0/10') and + self.broadcast_address in IPv4Network('100.64.0.0/10')) and + not self.is_private) + + +class _IPv4Constants(object): + + _linklocal_network = IPv4Network('169.254.0.0/16') + + _loopback_network = IPv4Network('127.0.0.0/8') + + _multicast_network = IPv4Network('224.0.0.0/4') + + _public_network = IPv4Network('100.64.0.0/10') + + _private_networks = [ + IPv4Network('0.0.0.0/8'), + IPv4Network('10.0.0.0/8'), + IPv4Network('127.0.0.0/8'), + IPv4Network('169.254.0.0/16'), + IPv4Network('172.16.0.0/12'), + IPv4Network('192.0.0.0/29'), + IPv4Network('192.0.0.170/31'), + IPv4Network('192.0.2.0/24'), + IPv4Network('192.168.0.0/16'), + IPv4Network('198.18.0.0/15'), + IPv4Network('198.51.100.0/24'), + IPv4Network('203.0.113.0/24'), + IPv4Network('240.0.0.0/4'), + IPv4Network('255.255.255.255/32'), + ] + + _reserved_network = IPv4Network('240.0.0.0/4') + + _unspecified_address = IPv4Address('0.0.0.0') + + +IPv4Address._constants = _IPv4Constants + + +class _BaseV6(object): + + """Base IPv6 object. + + The following methods are used by IPv6 objects in both single IP + addresses and networks. + + """ + + __slots__ = () + _version = 6 + _ALL_ONES = (2 ** IPV6LENGTH) - 1 + _HEXTET_COUNT = 8 + _HEX_DIGITS = frozenset('0123456789ABCDEFabcdef') + _max_prefixlen = IPV6LENGTH + + # There are only a bunch of valid v6 netmasks, so we cache them all + # when constructed (see _make_netmask()). + _netmask_cache = {} + + @classmethod + def _make_netmask(cls, arg): + """Make a (netmask, prefix_len) tuple from the given argument. + + Argument can be: + - an integer (the prefix length) + - a string representing the prefix length (e.g. "24") + - a string representing the prefix netmask (e.g. "255.255.255.0") + """ + if arg not in cls._netmask_cache: + if isinstance(arg, _compat_int_types): + prefixlen = arg + else: + prefixlen = cls._prefix_from_prefix_string(arg) + netmask = IPv6Address(cls._ip_int_from_prefix(prefixlen)) + cls._netmask_cache[arg] = netmask, prefixlen + return cls._netmask_cache[arg] + + @classmethod + def _ip_int_from_string(cls, ip_str): + """Turn an IPv6 ip_str into an integer. + + Args: + ip_str: A string, the IPv6 ip_str. + + Returns: + An int, the IPv6 address + + Raises: + AddressValueError: if ip_str isn't a valid IPv6 Address. + + """ + if not ip_str: + raise AddressValueError('Address cannot be empty') + + parts = ip_str.split(':') + + # An IPv6 address needs at least 2 colons (3 parts). + _min_parts = 3 + if len(parts) < _min_parts: + msg = "At least %d parts expected in %r" % (_min_parts, ip_str) + raise AddressValueError(msg) + + # If the address has an IPv4-style suffix, convert it to hexadecimal. + if '.' in parts[-1]: + try: + ipv4_int = IPv4Address(parts.pop())._ip + except AddressValueError as exc: + raise AddressValueError("%s in %r" % (exc, ip_str)) + parts.append('%x' % ((ipv4_int >> 16) & 0xFFFF)) + parts.append('%x' % (ipv4_int & 0xFFFF)) + + # An IPv6 address can't have more than 8 colons (9 parts). + # The extra colon comes from using the "::" notation for a single + # leading or trailing zero part. + _max_parts = cls._HEXTET_COUNT + 1 + if len(parts) > _max_parts: + msg = "At most %d colons permitted in %r" % ( + _max_parts - 1, ip_str) + raise AddressValueError(msg) + + # Disregarding the endpoints, find '::' with nothing in between. + # This indicates that a run of zeroes has been skipped. + skip_index = None + for i in _compat_range(1, len(parts) - 1): + if not parts[i]: + if skip_index is not None: + # Can't have more than one '::' + msg = "At most one '::' permitted in %r" % ip_str + raise AddressValueError(msg) + skip_index = i + + # parts_hi is the number of parts to copy from above/before the '::' + # parts_lo is the number of parts to copy from below/after the '::' + if skip_index is not None: + # If we found a '::', then check if it also covers the endpoints. + parts_hi = skip_index + parts_lo = len(parts) - skip_index - 1 + if not parts[0]: + parts_hi -= 1 + if parts_hi: + msg = "Leading ':' only permitted as part of '::' in %r" + raise AddressValueError(msg % ip_str) # ^: requires ^:: + if not parts[-1]: + parts_lo -= 1 + if parts_lo: + msg = "Trailing ':' only permitted as part of '::' in %r" + raise AddressValueError(msg % ip_str) # :$ requires ::$ + parts_skipped = cls._HEXTET_COUNT - (parts_hi + parts_lo) + if parts_skipped < 1: + msg = "Expected at most %d other parts with '::' in %r" + raise AddressValueError(msg % (cls._HEXTET_COUNT - 1, ip_str)) + else: + # Otherwise, allocate the entire address to parts_hi. The + # endpoints could still be empty, but _parse_hextet() will check + # for that. + if len(parts) != cls._HEXTET_COUNT: + msg = "Exactly %d parts expected without '::' in %r" + raise AddressValueError(msg % (cls._HEXTET_COUNT, ip_str)) + if not parts[0]: + msg = "Leading ':' only permitted as part of '::' in %r" + raise AddressValueError(msg % ip_str) # ^: requires ^:: + if not parts[-1]: + msg = "Trailing ':' only permitted as part of '::' in %r" + raise AddressValueError(msg % ip_str) # :$ requires ::$ + parts_hi = len(parts) + parts_lo = 0 + parts_skipped = 0 + + try: + # Now, parse the hextets into a 128-bit integer. + ip_int = 0 + for i in range(parts_hi): + ip_int <<= 16 + ip_int |= cls._parse_hextet(parts[i]) + ip_int <<= 16 * parts_skipped + for i in range(-parts_lo, 0): + ip_int <<= 16 + ip_int |= cls._parse_hextet(parts[i]) + return ip_int + except ValueError as exc: + raise AddressValueError("%s in %r" % (exc, ip_str)) + + @classmethod + def _parse_hextet(cls, hextet_str): + """Convert an IPv6 hextet string into an integer. + + Args: + hextet_str: A string, the number to parse. + + Returns: + The hextet as an integer. + + Raises: + ValueError: if the input isn't strictly a hex number from + [0..FFFF]. + + """ + # Whitelist the characters, since int() allows a lot of bizarre stuff. + if not cls._HEX_DIGITS.issuperset(hextet_str): + raise ValueError("Only hex digits permitted in %r" % hextet_str) + # We do the length check second, since the invalid character error + # is likely to be more informative for the user + if len(hextet_str) > 4: + msg = "At most 4 characters permitted in %r" + raise ValueError(msg % hextet_str) + # Length check means we can skip checking the integer value + return int(hextet_str, 16) + + @classmethod + def _compress_hextets(cls, hextets): + """Compresses a list of hextets. + + Compresses a list of strings, replacing the longest continuous + sequence of "0" in the list with "" and adding empty strings at + the beginning or at the end of the string such that subsequently + calling ":".join(hextets) will produce the compressed version of + the IPv6 address. + + Args: + hextets: A list of strings, the hextets to compress. + + Returns: + A list of strings. + + """ + best_doublecolon_start = -1 + best_doublecolon_len = 0 + doublecolon_start = -1 + doublecolon_len = 0 + for index, hextet in enumerate(hextets): + if hextet == '0': + doublecolon_len += 1 + if doublecolon_start == -1: + # Start of a sequence of zeros. + doublecolon_start = index + if doublecolon_len > best_doublecolon_len: + # This is the longest sequence of zeros so far. + best_doublecolon_len = doublecolon_len + best_doublecolon_start = doublecolon_start + else: + doublecolon_len = 0 + doublecolon_start = -1 + + if best_doublecolon_len > 1: + best_doublecolon_end = (best_doublecolon_start + + best_doublecolon_len) + # For zeros at the end of the address. + if best_doublecolon_end == len(hextets): + hextets += [''] + hextets[best_doublecolon_start:best_doublecolon_end] = [''] + # For zeros at the beginning of the address. + if best_doublecolon_start == 0: + hextets = [''] + hextets + + return hextets + + @classmethod + def _string_from_ip_int(cls, ip_int=None): + """Turns a 128-bit integer into hexadecimal notation. + + Args: + ip_int: An integer, the IP address. + + Returns: + A string, the hexadecimal representation of the address. + + Raises: + ValueError: The address is bigger than 128 bits of all ones. + + """ + if ip_int is None: + ip_int = int(cls._ip) + + if ip_int > cls._ALL_ONES: + raise ValueError('IPv6 address is too large') + + hex_str = '%032x' % ip_int + hextets = ['%x' % int(hex_str[x:x + 4], 16) for x in range(0, 32, 4)] + + hextets = cls._compress_hextets(hextets) + return ':'.join(hextets) + + def _explode_shorthand_ip_string(self): + """Expand a shortened IPv6 address. + + Args: + ip_str: A string, the IPv6 address. + + Returns: + A string, the expanded IPv6 address. + + """ + if isinstance(self, IPv6Network): + ip_str = _compat_str(self.network_address) + elif isinstance(self, IPv6Interface): + ip_str = _compat_str(self.ip) + else: + ip_str = _compat_str(self) + + ip_int = self._ip_int_from_string(ip_str) + hex_str = '%032x' % ip_int + parts = [hex_str[x:x + 4] for x in range(0, 32, 4)] + if isinstance(self, (_BaseNetwork, IPv6Interface)): + return '%s/%d' % (':'.join(parts), self._prefixlen) + return ':'.join(parts) + + def _reverse_pointer(self): + """Return the reverse DNS pointer name for the IPv6 address. + + This implements the method described in RFC3596 2.5. + + """ + reverse_chars = self.exploded[::-1].replace(':', '') + return '.'.join(reverse_chars) + '.ip6.arpa' + + @property + def max_prefixlen(self): + return self._max_prefixlen + + @property + def version(self): + return self._version + + +class IPv6Address(_BaseV6, _BaseAddress): + + """Represent and manipulate single IPv6 Addresses.""" + + __slots__ = ('_ip', '__weakref__') + + def __init__(self, address): + """Instantiate a new IPv6 address object. + + Args: + address: A string or integer representing the IP + + Additionally, an integer can be passed, so + IPv6Address('2001:db8::') == + IPv6Address(42540766411282592856903984951653826560) + or, more generally + IPv6Address(int(IPv6Address('2001:db8::'))) == + IPv6Address('2001:db8::') + + Raises: + AddressValueError: If address isn't a valid IPv6 address. + + """ + # Efficient constructor from integer. + if isinstance(address, _compat_int_types): + self._check_int_address(address) + self._ip = address + return + + # Constructing from a packed address + if isinstance(address, bytes): + self._check_packed_address(address, 16) + bvs = _compat_bytes_to_byte_vals(address) + self._ip = _compat_int_from_byte_vals(bvs, 'big') + return + + # Assume input argument to be string or any object representation + # which converts into a formatted IP string. + addr_str = _compat_str(address) + if '/' in addr_str: + raise AddressValueError("Unexpected '/' in %r" % address) + self._ip = self._ip_int_from_string(addr_str) + + @property + def packed(self): + """The binary representation of this address.""" + return v6_int_to_packed(self._ip) + + @property + def is_multicast(self): + """Test if the address is reserved for multicast use. + + Returns: + A boolean, True if the address is a multicast address. + See RFC 2373 2.7 for details. + + """ + return self in self._constants._multicast_network + + @property + def is_reserved(self): + """Test if the address is otherwise IETF reserved. + + Returns: + A boolean, True if the address is within one of the + reserved IPv6 Network ranges. + + """ + return any(self in x for x in self._constants._reserved_networks) + + @property + def is_link_local(self): + """Test if the address is reserved for link-local. + + Returns: + A boolean, True if the address is reserved per RFC 4291. + + """ + return self in self._constants._linklocal_network + + @property + def is_site_local(self): + """Test if the address is reserved for site-local. + + Note that the site-local address space has been deprecated by RFC 3879. + Use is_private to test if this address is in the space of unique local + addresses as defined by RFC 4193. + + Returns: + A boolean, True if the address is reserved per RFC 3513 2.5.6. + + """ + return self in self._constants._sitelocal_network + + @property + def is_private(self): + """Test if this address is allocated for private networks. + + Returns: + A boolean, True if the address is reserved per + iana-ipv6-special-registry. + + """ + return any(self in net for net in self._constants._private_networks) + + @property + def is_global(self): + """Test if this address is allocated for public networks. + + Returns: + A boolean, true if the address is not reserved per + iana-ipv6-special-registry. + + """ + return not self.is_private + + @property + def is_unspecified(self): + """Test if the address is unspecified. + + Returns: + A boolean, True if this is the unspecified address as defined in + RFC 2373 2.5.2. + + """ + return self._ip == 0 + + @property + def is_loopback(self): + """Test if the address is a loopback address. + + Returns: + A boolean, True if the address is a loopback address as defined in + RFC 2373 2.5.3. + + """ + return self._ip == 1 + + @property + def ipv4_mapped(self): + """Return the IPv4 mapped address. + + Returns: + If the IPv6 address is a v4 mapped address, return the + IPv4 mapped address. Return None otherwise. + + """ + if (self._ip >> 32) != 0xFFFF: + return None + return IPv4Address(self._ip & 0xFFFFFFFF) + + @property + def teredo(self): + """Tuple of embedded teredo IPs. + + Returns: + Tuple of the (server, client) IPs or None if the address + doesn't appear to be a teredo address (doesn't start with + 2001::/32) + + """ + if (self._ip >> 96) != 0x20010000: + return None + return (IPv4Address((self._ip >> 64) & 0xFFFFFFFF), + IPv4Address(~self._ip & 0xFFFFFFFF)) + + @property + def sixtofour(self): + """Return the IPv4 6to4 embedded address. + + Returns: + The IPv4 6to4-embedded address if present or None if the + address doesn't appear to contain a 6to4 embedded address. + + """ + if (self._ip >> 112) != 0x2002: + return None + return IPv4Address((self._ip >> 80) & 0xFFFFFFFF) + + +class IPv6Interface(IPv6Address): + + def __init__(self, address): + if isinstance(address, (bytes, _compat_int_types)): + IPv6Address.__init__(self, address) + self.network = IPv6Network(self._ip) + self._prefixlen = self._max_prefixlen + return + if isinstance(address, tuple): + IPv6Address.__init__(self, address[0]) + if len(address) > 1: + self._prefixlen = int(address[1]) + else: + self._prefixlen = self._max_prefixlen + self.network = IPv6Network(address, strict=False) + self.netmask = self.network.netmask + self.hostmask = self.network.hostmask + return + + addr = _split_optional_netmask(address) + IPv6Address.__init__(self, addr[0]) + self.network = IPv6Network(address, strict=False) + self.netmask = self.network.netmask + self._prefixlen = self.network._prefixlen + self.hostmask = self.network.hostmask + + def __str__(self): + return '%s/%d' % (self._string_from_ip_int(self._ip), + self.network.prefixlen) + + def __eq__(self, other): + address_equal = IPv6Address.__eq__(self, other) + if not address_equal or address_equal is NotImplemented: + return address_equal + try: + return self.network == other.network + except AttributeError: + # An interface with an associated network is NOT the + # same as an unassociated address. That's why the hash + # takes the extra info into account. + return False + + def __lt__(self, other): + address_less = IPv6Address.__lt__(self, other) + if address_less is NotImplemented: + return NotImplemented + try: + return (self.network < other.network or + self.network == other.network and address_less) + except AttributeError: + # We *do* allow addresses and interfaces to be sorted. The + # unassociated address is considered less than all interfaces. + return False + + def __hash__(self): + return self._ip ^ self._prefixlen ^ int(self.network.network_address) + + __reduce__ = _IPAddressBase.__reduce__ + + @property + def ip(self): + return IPv6Address(self._ip) + + @property + def with_prefixlen(self): + return '%s/%s' % (self._string_from_ip_int(self._ip), + self._prefixlen) + + @property + def with_netmask(self): + return '%s/%s' % (self._string_from_ip_int(self._ip), + self.netmask) + + @property + def with_hostmask(self): + return '%s/%s' % (self._string_from_ip_int(self._ip), + self.hostmask) + + @property + def is_unspecified(self): + return self._ip == 0 and self.network.is_unspecified + + @property + def is_loopback(self): + return self._ip == 1 and self.network.is_loopback + + +class IPv6Network(_BaseV6, _BaseNetwork): + + """This class represents and manipulates 128-bit IPv6 networks. + + Attributes: [examples for IPv6('2001:db8::1000/124')] + .network_address: IPv6Address('2001:db8::1000') + .hostmask: IPv6Address('::f') + .broadcast_address: IPv6Address('2001:db8::100f') + .netmask: IPv6Address('ffff:ffff:ffff:ffff:ffff:ffff:ffff:fff0') + .prefixlen: 124 + + """ + + # Class to use when creating address objects + _address_class = IPv6Address + + def __init__(self, address, strict=True): + """Instantiate a new IPv6 Network object. + + Args: + address: A string or integer representing the IPv6 network or the + IP and prefix/netmask. + '2001:db8::/128' + '2001:db8:0000:0000:0000:0000:0000:0000/128' + '2001:db8::' + are all functionally the same in IPv6. That is to say, + failing to provide a subnetmask will create an object with + a mask of /128. + + Additionally, an integer can be passed, so + IPv6Network('2001:db8::') == + IPv6Network(42540766411282592856903984951653826560) + or, more generally + IPv6Network(int(IPv6Network('2001:db8::'))) == + IPv6Network('2001:db8::') + + strict: A boolean. If true, ensure that we have been passed + A true network address, eg, 2001:db8::1000/124 and not an + IP address on a network, eg, 2001:db8::1/124. + + Raises: + AddressValueError: If address isn't a valid IPv6 address. + NetmaskValueError: If the netmask isn't valid for + an IPv6 address. + ValueError: If strict was True and a network address was not + supplied. + + """ + _BaseNetwork.__init__(self, address) + + # Efficient constructor from integer or packed address + if isinstance(address, (bytes, _compat_int_types)): + self.network_address = IPv6Address(address) + self.netmask, self._prefixlen = self._make_netmask( + self._max_prefixlen) + return + + if isinstance(address, tuple): + if len(address) > 1: + arg = address[1] + else: + arg = self._max_prefixlen + self.netmask, self._prefixlen = self._make_netmask(arg) + self.network_address = IPv6Address(address[0]) + packed = int(self.network_address) + if packed & int(self.netmask) != packed: + if strict: + raise ValueError('%s has host bits set' % self) + else: + self.network_address = IPv6Address(packed & + int(self.netmask)) + return + + # Assume input argument to be string or any object representation + # which converts into a formatted IP prefix string. + addr = _split_optional_netmask(address) + + self.network_address = IPv6Address(self._ip_int_from_string(addr[0])) + + if len(addr) == 2: + arg = addr[1] + else: + arg = self._max_prefixlen + self.netmask, self._prefixlen = self._make_netmask(arg) + + if strict: + if (IPv6Address(int(self.network_address) & int(self.netmask)) != + self.network_address): + raise ValueError('%s has host bits set' % self) + self.network_address = IPv6Address(int(self.network_address) & + int(self.netmask)) + + if self._prefixlen == (self._max_prefixlen - 1): + self.hosts = self.__iter__ + + def hosts(self): + """Generate Iterator over usable hosts in a network. + + This is like __iter__ except it doesn't return the + Subnet-Router anycast address. + + """ + network = int(self.network_address) + broadcast = int(self.broadcast_address) + for x in _compat_range(network + 1, broadcast + 1): + yield self._address_class(x) + + @property + def is_site_local(self): + """Test if the address is reserved for site-local. + + Note that the site-local address space has been deprecated by RFC 3879. + Use is_private to test if this address is in the space of unique local + addresses as defined by RFC 4193. + + Returns: + A boolean, True if the address is reserved per RFC 3513 2.5.6. + + """ + return (self.network_address.is_site_local and + self.broadcast_address.is_site_local) + + +class _IPv6Constants(object): + + _linklocal_network = IPv6Network('fe80::/10') + + _multicast_network = IPv6Network('ff00::/8') + + _private_networks = [ + IPv6Network('::1/128'), + IPv6Network('::/128'), + IPv6Network('::ffff:0:0/96'), + IPv6Network('100::/64'), + IPv6Network('2001::/23'), + IPv6Network('2001:2::/48'), + IPv6Network('2001:db8::/32'), + IPv6Network('2001:10::/28'), + IPv6Network('fc00::/7'), + IPv6Network('fe80::/10'), + ] + + _reserved_networks = [ + IPv6Network('::/8'), IPv6Network('100::/8'), + IPv6Network('200::/7'), IPv6Network('400::/6'), + IPv6Network('800::/5'), IPv6Network('1000::/4'), + IPv6Network('4000::/3'), IPv6Network('6000::/3'), + IPv6Network('8000::/3'), IPv6Network('A000::/3'), + IPv6Network('C000::/3'), IPv6Network('E000::/4'), + IPv6Network('F000::/5'), IPv6Network('F800::/6'), + IPv6Network('FE00::/9'), + ] + + _sitelocal_network = IPv6Network('fec0::/10') + + +IPv6Address._constants = _IPv6Constants diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/__init__.py new file mode 100644 index 0000000..a6f44a5 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/__init__.py @@ -0,0 +1,347 @@ +# -*- coding: utf-8 -*- + +""" +lockfile.py - Platform-independent advisory file locks. + +Requires Python 2.5 unless you apply 2.4.diff +Locking is done on a per-thread basis instead of a per-process basis. + +Usage: + +>>> lock = LockFile('somefile') +>>> try: +... lock.acquire() +... except AlreadyLocked: +... print 'somefile', 'is locked already.' +... except LockFailed: +... print 'somefile', 'can\\'t be locked.' +... else: +... print 'got lock' +got lock +>>> print lock.is_locked() +True +>>> lock.release() + +>>> lock = LockFile('somefile') +>>> print lock.is_locked() +False +>>> with lock: +... print lock.is_locked() +True +>>> print lock.is_locked() +False + +>>> lock = LockFile('somefile') +>>> # It is okay to lock twice from the same thread... +>>> with lock: +... lock.acquire() +... +>>> # Though no counter is kept, so you can't unlock multiple times... +>>> print lock.is_locked() +False + +Exceptions: + + Error - base class for other exceptions + LockError - base class for all locking exceptions + AlreadyLocked - Another thread or process already holds the lock + LockFailed - Lock failed for some other reason + UnlockError - base class for all unlocking exceptions + AlreadyUnlocked - File was not locked. + NotMyLock - File was locked but not by the current thread/process +""" + +from __future__ import absolute_import + +import functools +import os +import socket +import threading +import warnings + +# Work with PEP8 and non-PEP8 versions of threading module. +if not hasattr(threading, "current_thread"): + threading.current_thread = threading.currentThread +if not hasattr(threading.Thread, "get_name"): + threading.Thread.get_name = threading.Thread.getName + +__all__ = ['Error', 'LockError', 'LockTimeout', 'AlreadyLocked', + 'LockFailed', 'UnlockError', 'NotLocked', 'NotMyLock', + 'LinkFileLock', 'MkdirFileLock', 'SQLiteFileLock', + 'LockBase', 'locked'] + + +class Error(Exception): + """ + Base class for other exceptions. + + >>> try: + ... raise Error + ... except Exception: + ... pass + """ + pass + + +class LockError(Error): + """ + Base class for error arising from attempts to acquire the lock. + + >>> try: + ... raise LockError + ... except Error: + ... pass + """ + pass + + +class LockTimeout(LockError): + """Raised when lock creation fails within a user-defined period of time. + + >>> try: + ... raise LockTimeout + ... except LockError: + ... pass + """ + pass + + +class AlreadyLocked(LockError): + """Some other thread/process is locking the file. + + >>> try: + ... raise AlreadyLocked + ... except LockError: + ... pass + """ + pass + + +class LockFailed(LockError): + """Lock file creation failed for some other reason. + + >>> try: + ... raise LockFailed + ... except LockError: + ... pass + """ + pass + + +class UnlockError(Error): + """ + Base class for errors arising from attempts to release the lock. + + >>> try: + ... raise UnlockError + ... except Error: + ... pass + """ + pass + + +class NotLocked(UnlockError): + """Raised when an attempt is made to unlock an unlocked file. + + >>> try: + ... raise NotLocked + ... except UnlockError: + ... pass + """ + pass + + +class NotMyLock(UnlockError): + """Raised when an attempt is made to unlock a file someone else locked. + + >>> try: + ... raise NotMyLock + ... except UnlockError: + ... pass + """ + pass + + +class _SharedBase(object): + def __init__(self, path): + self.path = path + + def acquire(self, timeout=None): + """ + Acquire the lock. + + * If timeout is omitted (or None), wait forever trying to lock the + file. + + * If timeout > 0, try to acquire the lock for that many seconds. If + the lock period expires and the file is still locked, raise + LockTimeout. + + * If timeout <= 0, raise AlreadyLocked immediately if the file is + already locked. + """ + raise NotImplemented("implement in subclass") + + def release(self): + """ + Release the lock. + + If the file is not locked, raise NotLocked. + """ + raise NotImplemented("implement in subclass") + + def __enter__(self): + """ + Context manager support. + """ + self.acquire() + return self + + def __exit__(self, *_exc): + """ + Context manager support. + """ + self.release() + + def __repr__(self): + return "<%s: %r>" % (self.__class__.__name__, self.path) + + +class LockBase(_SharedBase): + """Base class for platform-specific lock classes.""" + def __init__(self, path, threaded=True, timeout=None): + """ + >>> lock = LockBase('somefile') + >>> lock = LockBase('somefile', threaded=False) + """ + super(LockBase, self).__init__(path) + self.lock_file = os.path.abspath(path) + ".lock" + self.hostname = socket.gethostname() + self.pid = os.getpid() + if threaded: + t = threading.current_thread() + # Thread objects in Python 2.4 and earlier do not have ident + # attrs. Worm around that. + ident = getattr(t, "ident", hash(t)) + self.tname = "-%x" % (ident & 0xffffffff) + else: + self.tname = "" + dirname = os.path.dirname(self.lock_file) + + # unique name is mostly about the current process, but must + # also contain the path -- otherwise, two adjacent locked + # files conflict (one file gets locked, creating lock-file and + # unique file, the other one gets locked, creating lock-file + # and overwriting the already existing lock-file, then one + # gets unlocked, deleting both lock-file and unique file, + # finally the last lock errors out upon releasing. + self.unique_name = os.path.join(dirname, + "%s%s.%s%s" % (self.hostname, + self.tname, + self.pid, + hash(self.path))) + self.timeout = timeout + + def is_locked(self): + """ + Tell whether or not the file is locked. + """ + raise NotImplemented("implement in subclass") + + def i_am_locking(self): + """ + Return True if this object is locking the file. + """ + raise NotImplemented("implement in subclass") + + def break_lock(self): + """ + Remove a lock. Useful if a locking thread failed to unlock. + """ + raise NotImplemented("implement in subclass") + + def __repr__(self): + return "<%s: %r -- %r>" % (self.__class__.__name__, self.unique_name, + self.path) + + +def _fl_helper(cls, mod, *args, **kwds): + warnings.warn("Import from %s module instead of lockfile package" % mod, + DeprecationWarning, stacklevel=2) + # This is a bit funky, but it's only for awhile. The way the unit tests + # are constructed this function winds up as an unbound method, so it + # actually takes three args, not two. We want to toss out self. + if not isinstance(args[0], str): + # We are testing, avoid the first arg + args = args[1:] + if len(args) == 1 and not kwds: + kwds["threaded"] = True + return cls(*args, **kwds) + + +def LinkFileLock(*args, **kwds): + """Factory function provided for backwards compatibility. + + Do not use in new code. Instead, import LinkLockFile from the + lockfile.linklockfile module. + """ + from . import linklockfile + return _fl_helper(linklockfile.LinkLockFile, "lockfile.linklockfile", + *args, **kwds) + + +def MkdirFileLock(*args, **kwds): + """Factory function provided for backwards compatibility. + + Do not use in new code. Instead, import MkdirLockFile from the + lockfile.mkdirlockfile module. + """ + from . import mkdirlockfile + return _fl_helper(mkdirlockfile.MkdirLockFile, "lockfile.mkdirlockfile", + *args, **kwds) + + +def SQLiteFileLock(*args, **kwds): + """Factory function provided for backwards compatibility. + + Do not use in new code. Instead, import SQLiteLockFile from the + lockfile.mkdirlockfile module. + """ + from . import sqlitelockfile + return _fl_helper(sqlitelockfile.SQLiteLockFile, "lockfile.sqlitelockfile", + *args, **kwds) + + +def locked(path, timeout=None): + """Decorator which enables locks for decorated function. + + Arguments: + - path: path for lockfile. + - timeout (optional): Timeout for acquiring lock. + + Usage: + @locked('/var/run/myname', timeout=0) + def myname(...): + ... + """ + def decor(func): + @functools.wraps(func) + def wrapper(*args, **kwargs): + lock = FileLock(path, timeout=timeout) + lock.acquire() + try: + return func(*args, **kwargs) + finally: + lock.release() + return wrapper + return decor + + +if hasattr(os, "link"): + from . import linklockfile as _llf + LockFile = _llf.LinkLockFile +else: + from . import mkdirlockfile as _mlf + LockFile = _mlf.MkdirLockFile + +FileLock = LockFile diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/linklockfile.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/linklockfile.py new file mode 100644 index 0000000..2ca9be0 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/linklockfile.py @@ -0,0 +1,73 @@ +from __future__ import absolute_import + +import time +import os + +from . import (LockBase, LockFailed, NotLocked, NotMyLock, LockTimeout, + AlreadyLocked) + + +class LinkLockFile(LockBase): + """Lock access to a file using atomic property of link(2). + + >>> lock = LinkLockFile('somefile') + >>> lock = LinkLockFile('somefile', threaded=False) + """ + + def acquire(self, timeout=None): + try: + open(self.unique_name, "wb").close() + except IOError: + raise LockFailed("failed to create %s" % self.unique_name) + + timeout = timeout if timeout is not None else self.timeout + end_time = time.time() + if timeout is not None and timeout > 0: + end_time += timeout + + while True: + # Try and create a hard link to it. + try: + os.link(self.unique_name, self.lock_file) + except OSError: + # Link creation failed. Maybe we've double-locked? + nlinks = os.stat(self.unique_name).st_nlink + if nlinks == 2: + # The original link plus the one I created == 2. We're + # good to go. + return + else: + # Otherwise the lock creation failed. + if timeout is not None and time.time() > end_time: + os.unlink(self.unique_name) + if timeout > 0: + raise LockTimeout("Timeout waiting to acquire" + " lock for %s" % + self.path) + else: + raise AlreadyLocked("%s is already locked" % + self.path) + time.sleep(timeout is not None and timeout / 10 or 0.1) + else: + # Link creation succeeded. We're good to go. + return + + def release(self): + if not self.is_locked(): + raise NotLocked("%s is not locked" % self.path) + elif not os.path.exists(self.unique_name): + raise NotMyLock("%s is locked, but not by me" % self.path) + os.unlink(self.unique_name) + os.unlink(self.lock_file) + + def is_locked(self): + return os.path.exists(self.lock_file) + + def i_am_locking(self): + return (self.is_locked() and + os.path.exists(self.unique_name) and + os.stat(self.unique_name).st_nlink == 2) + + def break_lock(self): + if os.path.exists(self.lock_file): + os.unlink(self.lock_file) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/mkdirlockfile.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/mkdirlockfile.py new file mode 100644 index 0000000..05a8c96 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/mkdirlockfile.py @@ -0,0 +1,84 @@ +from __future__ import absolute_import, division + +import time +import os +import sys +import errno + +from . import (LockBase, LockFailed, NotLocked, NotMyLock, LockTimeout, + AlreadyLocked) + + +class MkdirLockFile(LockBase): + """Lock file by creating a directory.""" + def __init__(self, path, threaded=True, timeout=None): + """ + >>> lock = MkdirLockFile('somefile') + >>> lock = MkdirLockFile('somefile', threaded=False) + """ + LockBase.__init__(self, path, threaded, timeout) + # Lock file itself is a directory. Place the unique file name into + # it. + self.unique_name = os.path.join(self.lock_file, + "%s.%s%s" % (self.hostname, + self.tname, + self.pid)) + + def acquire(self, timeout=None): + timeout = timeout if timeout is not None else self.timeout + end_time = time.time() + if timeout is not None and timeout > 0: + end_time += timeout + + if timeout is None: + wait = 0.1 + else: + wait = max(0, timeout / 10) + + while True: + try: + os.mkdir(self.lock_file) + except OSError: + err = sys.exc_info()[1] + if err.errno == errno.EEXIST: + # Already locked. + if os.path.exists(self.unique_name): + # Already locked by me. + return + if timeout is not None and time.time() > end_time: + if timeout > 0: + raise LockTimeout("Timeout waiting to acquire" + " lock for %s" % + self.path) + else: + # Someone else has the lock. + raise AlreadyLocked("%s is already locked" % + self.path) + time.sleep(wait) + else: + # Couldn't create the lock for some other reason + raise LockFailed("failed to create %s" % self.lock_file) + else: + open(self.unique_name, "wb").close() + return + + def release(self): + if not self.is_locked(): + raise NotLocked("%s is not locked" % self.path) + elif not os.path.exists(self.unique_name): + raise NotMyLock("%s is locked, but not by me" % self.path) + os.unlink(self.unique_name) + os.rmdir(self.lock_file) + + def is_locked(self): + return os.path.exists(self.lock_file) + + def i_am_locking(self): + return (self.is_locked() and + os.path.exists(self.unique_name)) + + def break_lock(self): + if os.path.exists(self.lock_file): + for name in os.listdir(self.lock_file): + os.unlink(os.path.join(self.lock_file, name)) + os.rmdir(self.lock_file) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/pidlockfile.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/pidlockfile.py new file mode 100644 index 0000000..069e85b --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/pidlockfile.py @@ -0,0 +1,190 @@ +# -*- coding: utf-8 -*- + +# pidlockfile.py +# +# Copyright © 2008–2009 Ben Finney <ben+python@benfinney.id.au> +# +# This is free software: you may copy, modify, and/or distribute this work +# under the terms of the Python Software Foundation License, version 2 or +# later as published by the Python Software Foundation. +# No warranty expressed or implied. See the file LICENSE.PSF-2 for details. + +""" Lockfile behaviour implemented via Unix PID files. + """ + +from __future__ import absolute_import + +import errno +import os +import time + +from . import (LockBase, AlreadyLocked, LockFailed, NotLocked, NotMyLock, + LockTimeout) + + +class PIDLockFile(LockBase): + """ Lockfile implemented as a Unix PID file. + + The lock file is a normal file named by the attribute `path`. + A lock's PID file contains a single line of text, containing + the process ID (PID) of the process that acquired the lock. + + >>> lock = PIDLockFile('somefile') + >>> lock = PIDLockFile('somefile') + """ + + def __init__(self, path, threaded=False, timeout=None): + # pid lockfiles don't support threaded operation, so always force + # False as the threaded arg. + LockBase.__init__(self, path, False, timeout) + self.unique_name = self.path + + def read_pid(self): + """ Get the PID from the lock file. + """ + return read_pid_from_pidfile(self.path) + + def is_locked(self): + """ Test if the lock is currently held. + + The lock is held if the PID file for this lock exists. + + """ + return os.path.exists(self.path) + + def i_am_locking(self): + """ Test if the lock is held by the current process. + + Returns ``True`` if the current process ID matches the + number stored in the PID file. + """ + return self.is_locked() and os.getpid() == self.read_pid() + + def acquire(self, timeout=None): + """ Acquire the lock. + + Creates the PID file for this lock, or raises an error if + the lock could not be acquired. + """ + + timeout = timeout if timeout is not None else self.timeout + end_time = time.time() + if timeout is not None and timeout > 0: + end_time += timeout + + while True: + try: + write_pid_to_pidfile(self.path) + except OSError as exc: + if exc.errno == errno.EEXIST: + # The lock creation failed. Maybe sleep a bit. + if time.time() > end_time: + if timeout is not None and timeout > 0: + raise LockTimeout("Timeout waiting to acquire" + " lock for %s" % + self.path) + else: + raise AlreadyLocked("%s is already locked" % + self.path) + time.sleep(timeout is not None and timeout / 10 or 0.1) + else: + raise LockFailed("failed to create %s" % self.path) + else: + return + + def release(self): + """ Release the lock. + + Removes the PID file to release the lock, or raises an + error if the current process does not hold the lock. + + """ + if not self.is_locked(): + raise NotLocked("%s is not locked" % self.path) + if not self.i_am_locking(): + raise NotMyLock("%s is locked, but not by me" % self.path) + remove_existing_pidfile(self.path) + + def break_lock(self): + """ Break an existing lock. + + Removes the PID file if it already exists, otherwise does + nothing. + + """ + remove_existing_pidfile(self.path) + + +def read_pid_from_pidfile(pidfile_path): + """ Read the PID recorded in the named PID file. + + Read and return the numeric PID recorded as text in the named + PID file. If the PID file cannot be read, or if the content is + not a valid PID, return ``None``. + + """ + pid = None + try: + pidfile = open(pidfile_path, 'r') + except IOError: + pass + else: + # According to the FHS 2.3 section on PID files in /var/run: + # + # The file must consist of the process identifier in + # ASCII-encoded decimal, followed by a newline character. + # + # Programs that read PID files should be somewhat flexible + # in what they accept; i.e., they should ignore extra + # whitespace, leading zeroes, absence of the trailing + # newline, or additional lines in the PID file. + + line = pidfile.readline().strip() + try: + pid = int(line) + except ValueError: + pass + pidfile.close() + + return pid + + +def write_pid_to_pidfile(pidfile_path): + """ Write the PID in the named PID file. + + Get the numeric process ID (“PID”) of the current process + and write it to the named file as a line of text. + + """ + open_flags = (os.O_CREAT | os.O_EXCL | os.O_WRONLY) + open_mode = 0o644 + pidfile_fd = os.open(pidfile_path, open_flags, open_mode) + pidfile = os.fdopen(pidfile_fd, 'w') + + # According to the FHS 2.3 section on PID files in /var/run: + # + # The file must consist of the process identifier in + # ASCII-encoded decimal, followed by a newline character. For + # example, if crond was process number 25, /var/run/crond.pid + # would contain three characters: two, five, and newline. + + pid = os.getpid() + pidfile.write("%s\n" % pid) + pidfile.close() + + +def remove_existing_pidfile(pidfile_path): + """ Remove the named PID file if it exists. + + Removing a PID file that doesn't already exist puts us in the + desired state, so we ignore the condition if the file does not + exist. + + """ + try: + os.remove(pidfile_path) + except OSError as exc: + if exc.errno == errno.ENOENT: + pass + else: + raise diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/sqlitelockfile.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/sqlitelockfile.py new file mode 100644 index 0000000..f997e24 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/sqlitelockfile.py @@ -0,0 +1,156 @@ +from __future__ import absolute_import, division + +import time +import os + +try: + unicode +except NameError: + unicode = str + +from . import LockBase, NotLocked, NotMyLock, LockTimeout, AlreadyLocked + + +class SQLiteLockFile(LockBase): + "Demonstrate SQL-based locking." + + testdb = None + + def __init__(self, path, threaded=True, timeout=None): + """ + >>> lock = SQLiteLockFile('somefile') + >>> lock = SQLiteLockFile('somefile', threaded=False) + """ + LockBase.__init__(self, path, threaded, timeout) + self.lock_file = unicode(self.lock_file) + self.unique_name = unicode(self.unique_name) + + if SQLiteLockFile.testdb is None: + import tempfile + _fd, testdb = tempfile.mkstemp() + os.close(_fd) + os.unlink(testdb) + del _fd, tempfile + SQLiteLockFile.testdb = testdb + + import sqlite3 + self.connection = sqlite3.connect(SQLiteLockFile.testdb) + + c = self.connection.cursor() + try: + c.execute("create table locks" + "(" + " lock_file varchar(32)," + " unique_name varchar(32)" + ")") + except sqlite3.OperationalError: + pass + else: + self.connection.commit() + import atexit + atexit.register(os.unlink, SQLiteLockFile.testdb) + + def acquire(self, timeout=None): + timeout = timeout if timeout is not None else self.timeout + end_time = time.time() + if timeout is not None and timeout > 0: + end_time += timeout + + if timeout is None: + wait = 0.1 + elif timeout <= 0: + wait = 0 + else: + wait = timeout / 10 + + cursor = self.connection.cursor() + + while True: + if not self.is_locked(): + # Not locked. Try to lock it. + cursor.execute("insert into locks" + " (lock_file, unique_name)" + " values" + " (?, ?)", + (self.lock_file, self.unique_name)) + self.connection.commit() + + # Check to see if we are the only lock holder. + cursor.execute("select * from locks" + " where unique_name = ?", + (self.unique_name,)) + rows = cursor.fetchall() + if len(rows) > 1: + # Nope. Someone else got there. Remove our lock. + cursor.execute("delete from locks" + " where unique_name = ?", + (self.unique_name,)) + self.connection.commit() + else: + # Yup. We're done, so go home. + return + else: + # Check to see if we are the only lock holder. + cursor.execute("select * from locks" + " where unique_name = ?", + (self.unique_name,)) + rows = cursor.fetchall() + if len(rows) == 1: + # We're the locker, so go home. + return + + # Maybe we should wait a bit longer. + if timeout is not None and time.time() > end_time: + if timeout > 0: + # No more waiting. + raise LockTimeout("Timeout waiting to acquire" + " lock for %s" % + self.path) + else: + # Someone else has the lock and we are impatient.. + raise AlreadyLocked("%s is already locked" % self.path) + + # Well, okay. We'll give it a bit longer. + time.sleep(wait) + + def release(self): + if not self.is_locked(): + raise NotLocked("%s is not locked" % self.path) + if not self.i_am_locking(): + raise NotMyLock("%s is locked, but not by me (by %s)" % + (self.unique_name, self._who_is_locking())) + cursor = self.connection.cursor() + cursor.execute("delete from locks" + " where unique_name = ?", + (self.unique_name,)) + self.connection.commit() + + def _who_is_locking(self): + cursor = self.connection.cursor() + cursor.execute("select unique_name from locks" + " where lock_file = ?", + (self.lock_file,)) + return cursor.fetchone()[0] + + def is_locked(self): + cursor = self.connection.cursor() + cursor.execute("select * from locks" + " where lock_file = ?", + (self.lock_file,)) + rows = cursor.fetchall() + return not not rows + + def i_am_locking(self): + cursor = self.connection.cursor() + cursor.execute("select * from locks" + " where lock_file = ?" + " and unique_name = ?", + (self.lock_file, self.unique_name)) + return not not cursor.fetchall() + + def break_lock(self): + cursor = self.connection.cursor() + cursor.execute("delete from locks" + " where lock_file = ?", + (self.lock_file,)) + self.connection.commit() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/symlinklockfile.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/symlinklockfile.py new file mode 100644 index 0000000..23b41f5 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/symlinklockfile.py @@ -0,0 +1,70 @@ +from __future__ import absolute_import + +import os +import time + +from . import (LockBase, NotLocked, NotMyLock, LockTimeout, + AlreadyLocked) + + +class SymlinkLockFile(LockBase): + """Lock access to a file using symlink(2).""" + + def __init__(self, path, threaded=True, timeout=None): + # super(SymlinkLockFile).__init(...) + LockBase.__init__(self, path, threaded, timeout) + # split it back! + self.unique_name = os.path.split(self.unique_name)[1] + + def acquire(self, timeout=None): + # Hopefully unnecessary for symlink. + # try: + # open(self.unique_name, "wb").close() + # except IOError: + # raise LockFailed("failed to create %s" % self.unique_name) + timeout = timeout if timeout is not None else self.timeout + end_time = time.time() + if timeout is not None and timeout > 0: + end_time += timeout + + while True: + # Try and create a symbolic link to it. + try: + os.symlink(self.unique_name, self.lock_file) + except OSError: + # Link creation failed. Maybe we've double-locked? + if self.i_am_locking(): + # Linked to out unique name. Proceed. + return + else: + # Otherwise the lock creation failed. + if timeout is not None and time.time() > end_time: + if timeout > 0: + raise LockTimeout("Timeout waiting to acquire" + " lock for %s" % + self.path) + else: + raise AlreadyLocked("%s is already locked" % + self.path) + time.sleep(timeout / 10 if timeout is not None else 0.1) + else: + # Link creation succeeded. We're good to go. + return + + def release(self): + if not self.is_locked(): + raise NotLocked("%s is not locked" % self.path) + elif not self.i_am_locking(): + raise NotMyLock("%s is locked, but not by me" % self.path) + os.unlink(self.lock_file) + + def is_locked(self): + return os.path.islink(self.lock_file) + + def i_am_locking(self): + return (os.path.islink(self.lock_file) + and os.readlink(self.lock_file) == self.unique_name) + + def break_lock(self): + if os.path.islink(self.lock_file): # exists && link + os.unlink(self.lock_file) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/__init__.py new file mode 100644 index 0000000..2afca5a --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/__init__.py @@ -0,0 +1,66 @@ +# coding: utf-8 +from pip._vendor.msgpack._version import version +from pip._vendor.msgpack.exceptions import * + +from collections import namedtuple + + +class ExtType(namedtuple('ExtType', 'code data')): + """ExtType represents ext type in msgpack.""" + def __new__(cls, code, data): + if not isinstance(code, int): + raise TypeError("code must be int") + if not isinstance(data, bytes): + raise TypeError("data must be bytes") + if not 0 <= code <= 127: + raise ValueError("code must be 0~127") + return super(ExtType, cls).__new__(cls, code, data) + + +import os +if os.environ.get('MSGPACK_PUREPYTHON'): + from pip._vendor.msgpack.fallback import Packer, unpackb, Unpacker +else: + try: + from pip._vendor.msgpack._packer import Packer + from pip._vendor.msgpack._unpacker import unpackb, Unpacker + except ImportError: + from pip._vendor.msgpack.fallback import Packer, unpackb, Unpacker + + +def pack(o, stream, **kwargs): + """ + Pack object `o` and write it to `stream` + + See :class:`Packer` for options. + """ + packer = Packer(**kwargs) + stream.write(packer.pack(o)) + + +def packb(o, **kwargs): + """ + Pack object `o` and return packed bytes + + See :class:`Packer` for options. + """ + return Packer(**kwargs).pack(o) + + +def unpack(stream, **kwargs): + """ + Unpack an object from `stream`. + + Raises `ExtraData` when `stream` contains extra bytes. + See :class:`Unpacker` for options. + """ + data = stream.read() + return unpackb(data, **kwargs) + + +# alias for compatibility to simplejson/marshal/pickle. +load = unpack +loads = unpackb + +dump = pack +dumps = packb diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/_version.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/_version.py new file mode 100644 index 0000000..d28f0de --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/_version.py @@ -0,0 +1 @@ +version = (0, 5, 6) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/exceptions.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/exceptions.py new file mode 100644 index 0000000..9766881 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/exceptions.py @@ -0,0 +1,41 @@ +class UnpackException(Exception): + """Deprecated. Use Exception instead to catch all exception during unpacking.""" + + +class BufferFull(UnpackException): + pass + + +class OutOfData(UnpackException): + pass + + +class UnpackValueError(UnpackException, ValueError): + """Deprecated. Use ValueError instead.""" + + +class ExtraData(UnpackValueError): + def __init__(self, unpacked, extra): + self.unpacked = unpacked + self.extra = extra + + def __str__(self): + return "unpack(b) received extra data." + + +class PackException(Exception): + """Deprecated. Use Exception instead to catch all exception during packing.""" + + +class PackValueError(PackException, ValueError): + """PackValueError is raised when type of input data is supported but it's value is unsupported. + + Deprecated. Use ValueError instead. + """ + + +class PackOverflowError(PackValueError, OverflowError): + """PackOverflowError is raised when integer value is out of range of msgpack support [-2**31, 2**32). + + Deprecated. Use ValueError instead. + """ diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/fallback.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/fallback.py new file mode 100644 index 0000000..9418421 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/fallback.py @@ -0,0 +1,977 @@ +"""Fallback pure Python implementation of msgpack""" + +import sys +import struct +import warnings + +if sys.version_info[0] == 3: + PY3 = True + int_types = int + Unicode = str + xrange = range + def dict_iteritems(d): + return d.items() +else: + PY3 = False + int_types = (int, long) + Unicode = unicode + def dict_iteritems(d): + return d.iteritems() + + +if hasattr(sys, 'pypy_version_info'): + # cStringIO is slow on PyPy, StringIO is faster. However: PyPy's own + # StringBuilder is fastest. + from __pypy__ import newlist_hint + try: + from __pypy__.builders import BytesBuilder as StringBuilder + except ImportError: + from __pypy__.builders import StringBuilder + USING_STRINGBUILDER = True + class StringIO(object): + def __init__(self, s=b''): + if s: + self.builder = StringBuilder(len(s)) + self.builder.append(s) + else: + self.builder = StringBuilder() + def write(self, s): + if isinstance(s, memoryview): + s = s.tobytes() + elif isinstance(s, bytearray): + s = bytes(s) + self.builder.append(s) + def getvalue(self): + return self.builder.build() +else: + USING_STRINGBUILDER = False + from io import BytesIO as StringIO + newlist_hint = lambda size: [] + + +from pip._vendor.msgpack.exceptions import ( + BufferFull, + OutOfData, + UnpackValueError, + PackValueError, + PackOverflowError, + ExtraData) + +from pip._vendor.msgpack import ExtType + + +EX_SKIP = 0 +EX_CONSTRUCT = 1 +EX_READ_ARRAY_HEADER = 2 +EX_READ_MAP_HEADER = 3 + +TYPE_IMMEDIATE = 0 +TYPE_ARRAY = 1 +TYPE_MAP = 2 +TYPE_RAW = 3 +TYPE_BIN = 4 +TYPE_EXT = 5 + +DEFAULT_RECURSE_LIMIT = 511 + + +def _check_type_strict(obj, t, type=type, tuple=tuple): + if type(t) is tuple: + return type(obj) in t + else: + return type(obj) is t + + +def _get_data_from_buffer(obj): + try: + view = memoryview(obj) + except TypeError: + # try to use legacy buffer protocol if 2.7, otherwise re-raise + if not PY3: + view = memoryview(buffer(obj)) + warnings.warn("using old buffer interface to unpack %s; " + "this leads to unpacking errors if slicing is used and " + "will be removed in a future version" % type(obj), + RuntimeWarning) + else: + raise + if view.itemsize != 1: + raise ValueError("cannot unpack from multi-byte object") + return view + + +def unpack(stream, **kwargs): + warnings.warn( + "Direct calling implementation's unpack() is deprecated, Use msgpack.unpack() or unpackb() instead.", + PendingDeprecationWarning) + data = stream.read() + return unpackb(data, **kwargs) + + +def unpackb(packed, **kwargs): + """ + Unpack an object from `packed`. + + Raises `ExtraData` when `packed` contains extra bytes. + See :class:`Unpacker` for options. + """ + unpacker = Unpacker(None, **kwargs) + unpacker.feed(packed) + try: + ret = unpacker._unpack() + except OutOfData: + raise UnpackValueError("Data is not enough.") + if unpacker._got_extradata(): + raise ExtraData(ret, unpacker._get_extradata()) + return ret + + +class Unpacker(object): + """Streaming unpacker. + + arguments: + + :param file_like: + File-like object having `.read(n)` method. + If specified, unpacker reads serialized data from it and :meth:`feed()` is not usable. + + :param int read_size: + Used as `file_like.read(read_size)`. (default: `min(16*1024, max_buffer_size)`) + + :param bool use_list: + If true, unpack msgpack array to Python list. + Otherwise, unpack to Python tuple. (default: True) + + :param bool raw: + If true, unpack msgpack raw to Python bytes (default). + Otherwise, unpack to Python str (or unicode on Python 2) by decoding + with UTF-8 encoding (recommended). + Currently, the default is true, but it will be changed to false in + near future. So you must specify it explicitly for keeping backward + compatibility. + + *encoding* option which is deprecated overrides this option. + + :param callable object_hook: + When specified, it should be callable. + Unpacker calls it with a dict argument after unpacking msgpack map. + (See also simplejson) + + :param callable object_pairs_hook: + When specified, it should be callable. + Unpacker calls it with a list of key-value pairs after unpacking msgpack map. + (See also simplejson) + + :param str encoding: + Encoding used for decoding msgpack raw. + If it is None (default), msgpack raw is deserialized to Python bytes. + + :param str unicode_errors: + (deprecated) Used for decoding msgpack raw with *encoding*. + (default: `'strict'`) + + :param int max_buffer_size: + Limits size of data waiting unpacked. 0 means system's INT_MAX (default). + Raises `BufferFull` exception when it is insufficient. + You should set this parameter when unpacking data from untrusted source. + + :param int max_str_len: + Limits max length of str. (default: 2**31-1) + + :param int max_bin_len: + Limits max length of bin. (default: 2**31-1) + + :param int max_array_len: + Limits max length of array. (default: 2**31-1) + + :param int max_map_len: + Limits max length of map. (default: 2**31-1) + + + example of streaming deserialize from file-like object:: + + unpacker = Unpacker(file_like, raw=False) + for o in unpacker: + process(o) + + example of streaming deserialize from socket:: + + unpacker = Unpacker(raw=False) + while True: + buf = sock.recv(1024**2) + if not buf: + break + unpacker.feed(buf) + for o in unpacker: + process(o) + """ + + def __init__(self, file_like=None, read_size=0, use_list=True, raw=True, + object_hook=None, object_pairs_hook=None, list_hook=None, + encoding=None, unicode_errors=None, max_buffer_size=0, + ext_hook=ExtType, + max_str_len=2147483647, # 2**32-1 + max_bin_len=2147483647, + max_array_len=2147483647, + max_map_len=2147483647, + max_ext_len=2147483647): + + if encoding is not None: + warnings.warn( + "encoding is deprecated, Use raw=False instead.", + PendingDeprecationWarning) + + if unicode_errors is None: + unicode_errors = 'strict' + + if file_like is None: + self._feeding = True + else: + if not callable(file_like.read): + raise TypeError("`file_like.read` must be callable") + self.file_like = file_like + self._feeding = False + + #: array of bytes fed. + self._buffer = bytearray() + # Some very old pythons don't support `struct.unpack_from()` with a + # `bytearray`. So we wrap it in a `buffer()` there. + if sys.version_info < (2, 7, 6): + self._buffer_view = buffer(self._buffer) + else: + self._buffer_view = self._buffer + #: Which position we currently reads + self._buff_i = 0 + + # When Unpacker is used as an iterable, between the calls to next(), + # the buffer is not "consumed" completely, for efficiency sake. + # Instead, it is done sloppily. To make sure we raise BufferFull at + # the correct moments, we have to keep track of how sloppy we were. + # Furthermore, when the buffer is incomplete (that is: in the case + # we raise an OutOfData) we need to rollback the buffer to the correct + # state, which _buf_checkpoint records. + self._buf_checkpoint = 0 + + self._max_buffer_size = max_buffer_size or 2**31-1 + if read_size > self._max_buffer_size: + raise ValueError("read_size must be smaller than max_buffer_size") + self._read_size = read_size or min(self._max_buffer_size, 16*1024) + self._raw = bool(raw) + self._encoding = encoding + self._unicode_errors = unicode_errors + self._use_list = use_list + self._list_hook = list_hook + self._object_hook = object_hook + self._object_pairs_hook = object_pairs_hook + self._ext_hook = ext_hook + self._max_str_len = max_str_len + self._max_bin_len = max_bin_len + self._max_array_len = max_array_len + self._max_map_len = max_map_len + self._max_ext_len = max_ext_len + self._stream_offset = 0 + + if list_hook is not None and not callable(list_hook): + raise TypeError('`list_hook` is not callable') + if object_hook is not None and not callable(object_hook): + raise TypeError('`object_hook` is not callable') + if object_pairs_hook is not None and not callable(object_pairs_hook): + raise TypeError('`object_pairs_hook` is not callable') + if object_hook is not None and object_pairs_hook is not None: + raise TypeError("object_pairs_hook and object_hook are mutually " + "exclusive") + if not callable(ext_hook): + raise TypeError("`ext_hook` is not callable") + + def feed(self, next_bytes): + assert self._feeding + view = _get_data_from_buffer(next_bytes) + if (len(self._buffer) - self._buff_i + len(view) > self._max_buffer_size): + raise BufferFull + + # Strip buffer before checkpoint before reading file. + if self._buf_checkpoint > 0: + del self._buffer[:self._buf_checkpoint] + self._buff_i -= self._buf_checkpoint + self._buf_checkpoint = 0 + + self._buffer += view + + def _consume(self): + """ Gets rid of the used parts of the buffer. """ + self._stream_offset += self._buff_i - self._buf_checkpoint + self._buf_checkpoint = self._buff_i + + def _got_extradata(self): + return self._buff_i < len(self._buffer) + + def _get_extradata(self): + return self._buffer[self._buff_i:] + + def read_bytes(self, n): + return self._read(n) + + def _read(self, n): + # (int) -> bytearray + self._reserve(n) + i = self._buff_i + self._buff_i = i+n + return self._buffer[i:i+n] + + def _reserve(self, n): + remain_bytes = len(self._buffer) - self._buff_i - n + + # Fast path: buffer has n bytes already + if remain_bytes >= 0: + return + + if self._feeding: + self._buff_i = self._buf_checkpoint + raise OutOfData + + # Strip buffer before checkpoint before reading file. + if self._buf_checkpoint > 0: + del self._buffer[:self._buf_checkpoint] + self._buff_i -= self._buf_checkpoint + self._buf_checkpoint = 0 + + # Read from file + remain_bytes = -remain_bytes + while remain_bytes > 0: + to_read_bytes = max(self._read_size, remain_bytes) + read_data = self.file_like.read(to_read_bytes) + if not read_data: + break + assert isinstance(read_data, bytes) + self._buffer += read_data + remain_bytes -= len(read_data) + + if len(self._buffer) < n + self._buff_i: + self._buff_i = 0 # rollback + raise OutOfData + + def _read_header(self, execute=EX_CONSTRUCT): + typ = TYPE_IMMEDIATE + n = 0 + obj = None + self._reserve(1) + b = self._buffer[self._buff_i] + self._buff_i += 1 + if b & 0b10000000 == 0: + obj = b + elif b & 0b11100000 == 0b11100000: + obj = -1 - (b ^ 0xff) + elif b & 0b11100000 == 0b10100000: + n = b & 0b00011111 + typ = TYPE_RAW + if n > self._max_str_len: + raise UnpackValueError("%s exceeds max_str_len(%s)", n, self._max_str_len) + obj = self._read(n) + elif b & 0b11110000 == 0b10010000: + n = b & 0b00001111 + typ = TYPE_ARRAY + if n > self._max_array_len: + raise UnpackValueError("%s exceeds max_array_len(%s)", n, self._max_array_len) + elif b & 0b11110000 == 0b10000000: + n = b & 0b00001111 + typ = TYPE_MAP + if n > self._max_map_len: + raise UnpackValueError("%s exceeds max_map_len(%s)", n, self._max_map_len) + elif b == 0xc0: + obj = None + elif b == 0xc2: + obj = False + elif b == 0xc3: + obj = True + elif b == 0xc4: + typ = TYPE_BIN + self._reserve(1) + n = self._buffer[self._buff_i] + self._buff_i += 1 + if n > self._max_bin_len: + raise UnpackValueError("%s exceeds max_bin_len(%s)" % (n, self._max_bin_len)) + obj = self._read(n) + elif b == 0xc5: + typ = TYPE_BIN + self._reserve(2) + n = struct.unpack_from(">H", self._buffer_view, self._buff_i)[0] + self._buff_i += 2 + if n > self._max_bin_len: + raise UnpackValueError("%s exceeds max_bin_len(%s)" % (n, self._max_bin_len)) + obj = self._read(n) + elif b == 0xc6: + typ = TYPE_BIN + self._reserve(4) + n = struct.unpack_from(">I", self._buffer_view, self._buff_i)[0] + self._buff_i += 4 + if n > self._max_bin_len: + raise UnpackValueError("%s exceeds max_bin_len(%s)" % (n, self._max_bin_len)) + obj = self._read(n) + elif b == 0xc7: # ext 8 + typ = TYPE_EXT + self._reserve(2) + L, n = struct.unpack_from('Bb', self._buffer_view, self._buff_i) + self._buff_i += 2 + if L > self._max_ext_len: + raise UnpackValueError("%s exceeds max_ext_len(%s)" % (L, self._max_ext_len)) + obj = self._read(L) + elif b == 0xc8: # ext 16 + typ = TYPE_EXT + self._reserve(3) + L, n = struct.unpack_from('>Hb', self._buffer_view, self._buff_i) + self._buff_i += 3 + if L > self._max_ext_len: + raise UnpackValueError("%s exceeds max_ext_len(%s)" % (L, self._max_ext_len)) + obj = self._read(L) + elif b == 0xc9: # ext 32 + typ = TYPE_EXT + self._reserve(5) + L, n = struct.unpack_from('>Ib', self._buffer_view, self._buff_i) + self._buff_i += 5 + if L > self._max_ext_len: + raise UnpackValueError("%s exceeds max_ext_len(%s)" % (L, self._max_ext_len)) + obj = self._read(L) + elif b == 0xca: + self._reserve(4) + obj = struct.unpack_from(">f", self._buffer_view, self._buff_i)[0] + self._buff_i += 4 + elif b == 0xcb: + self._reserve(8) + obj = struct.unpack_from(">d", self._buffer_view, self._buff_i)[0] + self._buff_i += 8 + elif b == 0xcc: + self._reserve(1) + obj = self._buffer[self._buff_i] + self._buff_i += 1 + elif b == 0xcd: + self._reserve(2) + obj = struct.unpack_from(">H", self._buffer_view, self._buff_i)[0] + self._buff_i += 2 + elif b == 0xce: + self._reserve(4) + obj = struct.unpack_from(">I", self._buffer_view, self._buff_i)[0] + self._buff_i += 4 + elif b == 0xcf: + self._reserve(8) + obj = struct.unpack_from(">Q", self._buffer_view, self._buff_i)[0] + self._buff_i += 8 + elif b == 0xd0: + self._reserve(1) + obj = struct.unpack_from("b", self._buffer_view, self._buff_i)[0] + self._buff_i += 1 + elif b == 0xd1: + self._reserve(2) + obj = struct.unpack_from(">h", self._buffer_view, self._buff_i)[0] + self._buff_i += 2 + elif b == 0xd2: + self._reserve(4) + obj = struct.unpack_from(">i", self._buffer_view, self._buff_i)[0] + self._buff_i += 4 + elif b == 0xd3: + self._reserve(8) + obj = struct.unpack_from(">q", self._buffer_view, self._buff_i)[0] + self._buff_i += 8 + elif b == 0xd4: # fixext 1 + typ = TYPE_EXT + if self._max_ext_len < 1: + raise UnpackValueError("%s exceeds max_ext_len(%s)" % (1, self._max_ext_len)) + self._reserve(2) + n, obj = struct.unpack_from("b1s", self._buffer_view, self._buff_i) + self._buff_i += 2 + elif b == 0xd5: # fixext 2 + typ = TYPE_EXT + if self._max_ext_len < 2: + raise UnpackValueError("%s exceeds max_ext_len(%s)" % (2, self._max_ext_len)) + self._reserve(3) + n, obj = struct.unpack_from("b2s", self._buffer_view, self._buff_i) + self._buff_i += 3 + elif b == 0xd6: # fixext 4 + typ = TYPE_EXT + if self._max_ext_len < 4: + raise UnpackValueError("%s exceeds max_ext_len(%s)" % (4, self._max_ext_len)) + self._reserve(5) + n, obj = struct.unpack_from("b4s", self._buffer_view, self._buff_i) + self._buff_i += 5 + elif b == 0xd7: # fixext 8 + typ = TYPE_EXT + if self._max_ext_len < 8: + raise UnpackValueError("%s exceeds max_ext_len(%s)" % (8, self._max_ext_len)) + self._reserve(9) + n, obj = struct.unpack_from("b8s", self._buffer_view, self._buff_i) + self._buff_i += 9 + elif b == 0xd8: # fixext 16 + typ = TYPE_EXT + if self._max_ext_len < 16: + raise UnpackValueError("%s exceeds max_ext_len(%s)" % (16, self._max_ext_len)) + self._reserve(17) + n, obj = struct.unpack_from("b16s", self._buffer_view, self._buff_i) + self._buff_i += 17 + elif b == 0xd9: + typ = TYPE_RAW + self._reserve(1) + n = self._buffer[self._buff_i] + self._buff_i += 1 + if n > self._max_str_len: + raise UnpackValueError("%s exceeds max_str_len(%s)", n, self._max_str_len) + obj = self._read(n) + elif b == 0xda: + typ = TYPE_RAW + self._reserve(2) + n, = struct.unpack_from(">H", self._buffer_view, self._buff_i) + self._buff_i += 2 + if n > self._max_str_len: + raise UnpackValueError("%s exceeds max_str_len(%s)", n, self._max_str_len) + obj = self._read(n) + elif b == 0xdb: + typ = TYPE_RAW + self._reserve(4) + n, = struct.unpack_from(">I", self._buffer_view, self._buff_i) + self._buff_i += 4 + if n > self._max_str_len: + raise UnpackValueError("%s exceeds max_str_len(%s)", n, self._max_str_len) + obj = self._read(n) + elif b == 0xdc: + typ = TYPE_ARRAY + self._reserve(2) + n, = struct.unpack_from(">H", self._buffer_view, self._buff_i) + self._buff_i += 2 + if n > self._max_array_len: + raise UnpackValueError("%s exceeds max_array_len(%s)", n, self._max_array_len) + elif b == 0xdd: + typ = TYPE_ARRAY + self._reserve(4) + n, = struct.unpack_from(">I", self._buffer_view, self._buff_i) + self._buff_i += 4 + if n > self._max_array_len: + raise UnpackValueError("%s exceeds max_array_len(%s)", n, self._max_array_len) + elif b == 0xde: + self._reserve(2) + n, = struct.unpack_from(">H", self._buffer_view, self._buff_i) + self._buff_i += 2 + if n > self._max_map_len: + raise UnpackValueError("%s exceeds max_map_len(%s)", n, self._max_map_len) + typ = TYPE_MAP + elif b == 0xdf: + self._reserve(4) + n, = struct.unpack_from(">I", self._buffer_view, self._buff_i) + self._buff_i += 4 + if n > self._max_map_len: + raise UnpackValueError("%s exceeds max_map_len(%s)", n, self._max_map_len) + typ = TYPE_MAP + else: + raise UnpackValueError("Unknown header: 0x%x" % b) + return typ, n, obj + + def _unpack(self, execute=EX_CONSTRUCT): + typ, n, obj = self._read_header(execute) + + if execute == EX_READ_ARRAY_HEADER: + if typ != TYPE_ARRAY: + raise UnpackValueError("Expected array") + return n + if execute == EX_READ_MAP_HEADER: + if typ != TYPE_MAP: + raise UnpackValueError("Expected map") + return n + # TODO should we eliminate the recursion? + if typ == TYPE_ARRAY: + if execute == EX_SKIP: + for i in xrange(n): + # TODO check whether we need to call `list_hook` + self._unpack(EX_SKIP) + return + ret = newlist_hint(n) + for i in xrange(n): + ret.append(self._unpack(EX_CONSTRUCT)) + if self._list_hook is not None: + ret = self._list_hook(ret) + # TODO is the interaction between `list_hook` and `use_list` ok? + return ret if self._use_list else tuple(ret) + if typ == TYPE_MAP: + if execute == EX_SKIP: + for i in xrange(n): + # TODO check whether we need to call hooks + self._unpack(EX_SKIP) + self._unpack(EX_SKIP) + return + if self._object_pairs_hook is not None: + ret = self._object_pairs_hook( + (self._unpack(EX_CONSTRUCT), + self._unpack(EX_CONSTRUCT)) + for _ in xrange(n)) + else: + ret = {} + for _ in xrange(n): + key = self._unpack(EX_CONSTRUCT) + ret[key] = self._unpack(EX_CONSTRUCT) + if self._object_hook is not None: + ret = self._object_hook(ret) + return ret + if execute == EX_SKIP: + return + if typ == TYPE_RAW: + if self._encoding is not None: + obj = obj.decode(self._encoding, self._unicode_errors) + elif self._raw: + obj = bytes(obj) + else: + obj = obj.decode('utf_8') + return obj + if typ == TYPE_EXT: + return self._ext_hook(n, bytes(obj)) + if typ == TYPE_BIN: + return bytes(obj) + assert typ == TYPE_IMMEDIATE + return obj + + def __iter__(self): + return self + + def __next__(self): + try: + ret = self._unpack(EX_CONSTRUCT) + self._consume() + return ret + except OutOfData: + self._consume() + raise StopIteration + + next = __next__ + + def skip(self, write_bytes=None): + self._unpack(EX_SKIP) + if write_bytes is not None: + warnings.warn("`write_bytes` option is deprecated. Use `.tell()` instead.", DeprecationWarning) + write_bytes(self._buffer[self._buf_checkpoint:self._buff_i]) + self._consume() + + def unpack(self, write_bytes=None): + ret = self._unpack(EX_CONSTRUCT) + if write_bytes is not None: + warnings.warn("`write_bytes` option is deprecated. Use `.tell()` instead.", DeprecationWarning) + write_bytes(self._buffer[self._buf_checkpoint:self._buff_i]) + self._consume() + return ret + + def read_array_header(self, write_bytes=None): + ret = self._unpack(EX_READ_ARRAY_HEADER) + if write_bytes is not None: + warnings.warn("`write_bytes` option is deprecated. Use `.tell()` instead.", DeprecationWarning) + write_bytes(self._buffer[self._buf_checkpoint:self._buff_i]) + self._consume() + return ret + + def read_map_header(self, write_bytes=None): + ret = self._unpack(EX_READ_MAP_HEADER) + if write_bytes is not None: + warnings.warn("`write_bytes` option is deprecated. Use `.tell()` instead.", DeprecationWarning) + write_bytes(self._buffer[self._buf_checkpoint:self._buff_i]) + self._consume() + return ret + + def tell(self): + return self._stream_offset + + +class Packer(object): + """ + MessagePack Packer + + usage: + + packer = Packer() + astream.write(packer.pack(a)) + astream.write(packer.pack(b)) + + Packer's constructor has some keyword arguments: + + :param callable default: + Convert user type to builtin type that Packer supports. + See also simplejson's document. + + :param bool use_single_float: + Use single precision float type for float. (default: False) + + :param bool autoreset: + Reset buffer after each pack and return its content as `bytes`. (default: True). + If set this to false, use `bytes()` to get content and `.reset()` to clear buffer. + + :param bool use_bin_type: + Use bin type introduced in msgpack spec 2.0 for bytes. + It also enables str8 type for unicode. + + :param bool strict_types: + If set to true, types will be checked to be exact. Derived classes + from serializeable types will not be serialized and will be + treated as unsupported type and forwarded to default. + Additionally tuples will not be serialized as lists. + This is useful when trying to implement accurate serialization + for python types. + + :param str encoding: + (deprecated) Convert unicode to bytes with this encoding. (default: 'utf-8') + + :param str unicode_errors: + Error handler for encoding unicode. (default: 'strict') + """ + def __init__(self, default=None, encoding=None, unicode_errors=None, + use_single_float=False, autoreset=True, use_bin_type=False, + strict_types=False): + if encoding is None: + encoding = 'utf_8' + else: + warnings.warn( + "encoding is deprecated, Use raw=False instead.", + PendingDeprecationWarning) + + if unicode_errors is None: + unicode_errors = 'strict' + + self._strict_types = strict_types + self._use_float = use_single_float + self._autoreset = autoreset + self._use_bin_type = use_bin_type + self._encoding = encoding + self._unicode_errors = unicode_errors + self._buffer = StringIO() + if default is not None: + if not callable(default): + raise TypeError("default must be callable") + self._default = default + + def _pack(self, obj, nest_limit=DEFAULT_RECURSE_LIMIT, + check=isinstance, check_type_strict=_check_type_strict): + default_used = False + if self._strict_types: + check = check_type_strict + list_types = list + else: + list_types = (list, tuple) + while True: + if nest_limit < 0: + raise PackValueError("recursion limit exceeded") + if obj is None: + return self._buffer.write(b"\xc0") + if check(obj, bool): + if obj: + return self._buffer.write(b"\xc3") + return self._buffer.write(b"\xc2") + if check(obj, int_types): + if 0 <= obj < 0x80: + return self._buffer.write(struct.pack("B", obj)) + if -0x20 <= obj < 0: + return self._buffer.write(struct.pack("b", obj)) + if 0x80 <= obj <= 0xff: + return self._buffer.write(struct.pack("BB", 0xcc, obj)) + if -0x80 <= obj < 0: + return self._buffer.write(struct.pack(">Bb", 0xd0, obj)) + if 0xff < obj <= 0xffff: + return self._buffer.write(struct.pack(">BH", 0xcd, obj)) + if -0x8000 <= obj < -0x80: + return self._buffer.write(struct.pack(">Bh", 0xd1, obj)) + if 0xffff < obj <= 0xffffffff: + return self._buffer.write(struct.pack(">BI", 0xce, obj)) + if -0x80000000 <= obj < -0x8000: + return self._buffer.write(struct.pack(">Bi", 0xd2, obj)) + if 0xffffffff < obj <= 0xffffffffffffffff: + return self._buffer.write(struct.pack(">BQ", 0xcf, obj)) + if -0x8000000000000000 <= obj < -0x80000000: + return self._buffer.write(struct.pack(">Bq", 0xd3, obj)) + if not default_used and self._default is not None: + obj = self._default(obj) + default_used = True + continue + raise PackOverflowError("Integer value out of range") + if check(obj, (bytes, bytearray)): + n = len(obj) + if n >= 2**32: + raise PackValueError("%s is too large" % type(obj).__name__) + self._pack_bin_header(n) + return self._buffer.write(obj) + if check(obj, Unicode): + if self._encoding is None: + raise TypeError( + "Can't encode unicode string: " + "no encoding is specified") + obj = obj.encode(self._encoding, self._unicode_errors) + n = len(obj) + if n >= 2**32: + raise PackValueError("String is too large") + self._pack_raw_header(n) + return self._buffer.write(obj) + if check(obj, memoryview): + n = len(obj) * obj.itemsize + if n >= 2**32: + raise PackValueError("Memoryview is too large") + self._pack_bin_header(n) + return self._buffer.write(obj) + if check(obj, float): + if self._use_float: + return self._buffer.write(struct.pack(">Bf", 0xca, obj)) + return self._buffer.write(struct.pack(">Bd", 0xcb, obj)) + if check(obj, ExtType): + code = obj.code + data = obj.data + assert isinstance(code, int) + assert isinstance(data, bytes) + L = len(data) + if L == 1: + self._buffer.write(b'\xd4') + elif L == 2: + self._buffer.write(b'\xd5') + elif L == 4: + self._buffer.write(b'\xd6') + elif L == 8: + self._buffer.write(b'\xd7') + elif L == 16: + self._buffer.write(b'\xd8') + elif L <= 0xff: + self._buffer.write(struct.pack(">BB", 0xc7, L)) + elif L <= 0xffff: + self._buffer.write(struct.pack(">BH", 0xc8, L)) + else: + self._buffer.write(struct.pack(">BI", 0xc9, L)) + self._buffer.write(struct.pack("b", code)) + self._buffer.write(data) + return + if check(obj, list_types): + n = len(obj) + self._pack_array_header(n) + for i in xrange(n): + self._pack(obj[i], nest_limit - 1) + return + if check(obj, dict): + return self._pack_map_pairs(len(obj), dict_iteritems(obj), + nest_limit - 1) + if not default_used and self._default is not None: + obj = self._default(obj) + default_used = 1 + continue + raise TypeError("Cannot serialize %r" % (obj, )) + + def pack(self, obj): + try: + self._pack(obj) + except: + self._buffer = StringIO() # force reset + raise + ret = self._buffer.getvalue() + if self._autoreset: + self._buffer = StringIO() + elif USING_STRINGBUILDER: + self._buffer = StringIO(ret) + return ret + + def pack_map_pairs(self, pairs): + self._pack_map_pairs(len(pairs), pairs) + ret = self._buffer.getvalue() + if self._autoreset: + self._buffer = StringIO() + elif USING_STRINGBUILDER: + self._buffer = StringIO(ret) + return ret + + def pack_array_header(self, n): + if n >= 2**32: + raise PackValueError + self._pack_array_header(n) + ret = self._buffer.getvalue() + if self._autoreset: + self._buffer = StringIO() + elif USING_STRINGBUILDER: + self._buffer = StringIO(ret) + return ret + + def pack_map_header(self, n): + if n >= 2**32: + raise PackValueError + self._pack_map_header(n) + ret = self._buffer.getvalue() + if self._autoreset: + self._buffer = StringIO() + elif USING_STRINGBUILDER: + self._buffer = StringIO(ret) + return ret + + def pack_ext_type(self, typecode, data): + if not isinstance(typecode, int): + raise TypeError("typecode must have int type.") + if not 0 <= typecode <= 127: + raise ValueError("typecode should be 0-127") + if not isinstance(data, bytes): + raise TypeError("data must have bytes type") + L = len(data) + if L > 0xffffffff: + raise PackValueError("Too large data") + if L == 1: + self._buffer.write(b'\xd4') + elif L == 2: + self._buffer.write(b'\xd5') + elif L == 4: + self._buffer.write(b'\xd6') + elif L == 8: + self._buffer.write(b'\xd7') + elif L == 16: + self._buffer.write(b'\xd8') + elif L <= 0xff: + self._buffer.write(b'\xc7' + struct.pack('B', L)) + elif L <= 0xffff: + self._buffer.write(b'\xc8' + struct.pack('>H', L)) + else: + self._buffer.write(b'\xc9' + struct.pack('>I', L)) + self._buffer.write(struct.pack('B', typecode)) + self._buffer.write(data) + + def _pack_array_header(self, n): + if n <= 0x0f: + return self._buffer.write(struct.pack('B', 0x90 + n)) + if n <= 0xffff: + return self._buffer.write(struct.pack(">BH", 0xdc, n)) + if n <= 0xffffffff: + return self._buffer.write(struct.pack(">BI", 0xdd, n)) + raise PackValueError("Array is too large") + + def _pack_map_header(self, n): + if n <= 0x0f: + return self._buffer.write(struct.pack('B', 0x80 + n)) + if n <= 0xffff: + return self._buffer.write(struct.pack(">BH", 0xde, n)) + if n <= 0xffffffff: + return self._buffer.write(struct.pack(">BI", 0xdf, n)) + raise PackValueError("Dict is too large") + + def _pack_map_pairs(self, n, pairs, nest_limit=DEFAULT_RECURSE_LIMIT): + self._pack_map_header(n) + for (k, v) in pairs: + self._pack(k, nest_limit - 1) + self._pack(v, nest_limit - 1) + + def _pack_raw_header(self, n): + if n <= 0x1f: + self._buffer.write(struct.pack('B', 0xa0 + n)) + elif self._use_bin_type and n <= 0xff: + self._buffer.write(struct.pack('>BB', 0xd9, n)) + elif n <= 0xffff: + self._buffer.write(struct.pack(">BH", 0xda, n)) + elif n <= 0xffffffff: + self._buffer.write(struct.pack(">BI", 0xdb, n)) + else: + raise PackValueError('Raw is too large') + + def _pack_bin_header(self, n): + if not self._use_bin_type: + return self._pack_raw_header(n) + elif n <= 0xff: + return self._buffer.write(struct.pack('>BB', 0xc4, n)) + elif n <= 0xffff: + return self._buffer.write(struct.pack(">BH", 0xc5, n)) + elif n <= 0xffffffff: + return self._buffer.write(struct.pack(">BI", 0xc6, n)) + else: + raise PackValueError('Bin is too large') + + def bytes(self): + return self._buffer.getvalue() + + def reset(self): + self._buffer = StringIO() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/__about__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/__about__.py new file mode 100644 index 0000000..7481c9e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/__about__.py @@ -0,0 +1,27 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +__all__ = [ + "__title__", + "__summary__", + "__uri__", + "__version__", + "__author__", + "__email__", + "__license__", + "__copyright__", +] + +__title__ = "packaging" +__summary__ = "Core utilities for Python packages" +__uri__ = "https://github.com/pypa/packaging" + +__version__ = "19.0" + +__author__ = "Donald Stufft and individual contributors" +__email__ = "donald@stufft.io" + +__license__ = "BSD or Apache License, Version 2.0" +__copyright__ = "Copyright 2014-2019 %s" % __author__ diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/__init__.py new file mode 100644 index 0000000..a0cf67d --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/__init__.py @@ -0,0 +1,26 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +from .__about__ import ( + __author__, + __copyright__, + __email__, + __license__, + __summary__, + __title__, + __uri__, + __version__, +) + +__all__ = [ + "__title__", + "__summary__", + "__uri__", + "__version__", + "__author__", + "__email__", + "__license__", + "__copyright__", +] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/_compat.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/_compat.py new file mode 100644 index 0000000..25da473 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/_compat.py @@ -0,0 +1,31 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +import sys + + +PY2 = sys.version_info[0] == 2 +PY3 = sys.version_info[0] == 3 + +# flake8: noqa + +if PY3: + string_types = (str,) +else: + string_types = (basestring,) + + +def with_metaclass(meta, *bases): + """ + Create a base class with a metaclass. + """ + # This requires a bit of explanation: the basic idea is to make a dummy + # metaclass for one level of class instantiation that replaces itself with + # the actual metaclass. + class metaclass(meta): + def __new__(cls, name, this_bases, d): + return meta(name, bases, d) + + return type.__new__(metaclass, "temporary_class", (), {}) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/_structures.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/_structures.py new file mode 100644 index 0000000..68dcca6 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/_structures.py @@ -0,0 +1,68 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + + +class Infinity(object): + def __repr__(self): + return "Infinity" + + def __hash__(self): + return hash(repr(self)) + + def __lt__(self, other): + return False + + def __le__(self, other): + return False + + def __eq__(self, other): + return isinstance(other, self.__class__) + + def __ne__(self, other): + return not isinstance(other, self.__class__) + + def __gt__(self, other): + return True + + def __ge__(self, other): + return True + + def __neg__(self): + return NegativeInfinity + + +Infinity = Infinity() + + +class NegativeInfinity(object): + def __repr__(self): + return "-Infinity" + + def __hash__(self): + return hash(repr(self)) + + def __lt__(self, other): + return True + + def __le__(self, other): + return True + + def __eq__(self, other): + return isinstance(other, self.__class__) + + def __ne__(self, other): + return not isinstance(other, self.__class__) + + def __gt__(self, other): + return False + + def __ge__(self, other): + return False + + def __neg__(self): + return Infinity + + +NegativeInfinity = NegativeInfinity() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/markers.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/markers.py new file mode 100644 index 0000000..5482476 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/markers.py @@ -0,0 +1,296 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +import operator +import os +import platform +import sys + +from pip._vendor.pyparsing import ParseException, ParseResults, stringStart, stringEnd +from pip._vendor.pyparsing import ZeroOrMore, Group, Forward, QuotedString +from pip._vendor.pyparsing import Literal as L # noqa + +from ._compat import string_types +from .specifiers import Specifier, InvalidSpecifier + + +__all__ = [ + "InvalidMarker", + "UndefinedComparison", + "UndefinedEnvironmentName", + "Marker", + "default_environment", +] + + +class InvalidMarker(ValueError): + """ + An invalid marker was found, users should refer to PEP 508. + """ + + +class UndefinedComparison(ValueError): + """ + An invalid operation was attempted on a value that doesn't support it. + """ + + +class UndefinedEnvironmentName(ValueError): + """ + A name was attempted to be used that does not exist inside of the + environment. + """ + + +class Node(object): + def __init__(self, value): + self.value = value + + def __str__(self): + return str(self.value) + + def __repr__(self): + return "<{0}({1!r})>".format(self.__class__.__name__, str(self)) + + def serialize(self): + raise NotImplementedError + + +class Variable(Node): + def serialize(self): + return str(self) + + +class Value(Node): + def serialize(self): + return '"{0}"'.format(self) + + +class Op(Node): + def serialize(self): + return str(self) + + +VARIABLE = ( + L("implementation_version") + | L("platform_python_implementation") + | L("implementation_name") + | L("python_full_version") + | L("platform_release") + | L("platform_version") + | L("platform_machine") + | L("platform_system") + | L("python_version") + | L("sys_platform") + | L("os_name") + | L("os.name") + | L("sys.platform") # PEP-345 + | L("platform.version") # PEP-345 + | L("platform.machine") # PEP-345 + | L("platform.python_implementation") # PEP-345 + | L("python_implementation") # PEP-345 + | L("extra") # undocumented setuptools legacy +) +ALIASES = { + "os.name": "os_name", + "sys.platform": "sys_platform", + "platform.version": "platform_version", + "platform.machine": "platform_machine", + "platform.python_implementation": "platform_python_implementation", + "python_implementation": "platform_python_implementation", +} +VARIABLE.setParseAction(lambda s, l, t: Variable(ALIASES.get(t[0], t[0]))) + +VERSION_CMP = ( + L("===") | L("==") | L(">=") | L("<=") | L("!=") | L("~=") | L(">") | L("<") +) + +MARKER_OP = VERSION_CMP | L("not in") | L("in") +MARKER_OP.setParseAction(lambda s, l, t: Op(t[0])) + +MARKER_VALUE = QuotedString("'") | QuotedString('"') +MARKER_VALUE.setParseAction(lambda s, l, t: Value(t[0])) + +BOOLOP = L("and") | L("or") + +MARKER_VAR = VARIABLE | MARKER_VALUE + +MARKER_ITEM = Group(MARKER_VAR + MARKER_OP + MARKER_VAR) +MARKER_ITEM.setParseAction(lambda s, l, t: tuple(t[0])) + +LPAREN = L("(").suppress() +RPAREN = L(")").suppress() + +MARKER_EXPR = Forward() +MARKER_ATOM = MARKER_ITEM | Group(LPAREN + MARKER_EXPR + RPAREN) +MARKER_EXPR << MARKER_ATOM + ZeroOrMore(BOOLOP + MARKER_EXPR) + +MARKER = stringStart + MARKER_EXPR + stringEnd + + +def _coerce_parse_result(results): + if isinstance(results, ParseResults): + return [_coerce_parse_result(i) for i in results] + else: + return results + + +def _format_marker(marker, first=True): + assert isinstance(marker, (list, tuple, string_types)) + + # Sometimes we have a structure like [[...]] which is a single item list + # where the single item is itself it's own list. In that case we want skip + # the rest of this function so that we don't get extraneous () on the + # outside. + if ( + isinstance(marker, list) + and len(marker) == 1 + and isinstance(marker[0], (list, tuple)) + ): + return _format_marker(marker[0]) + + if isinstance(marker, list): + inner = (_format_marker(m, first=False) for m in marker) + if first: + return " ".join(inner) + else: + return "(" + " ".join(inner) + ")" + elif isinstance(marker, tuple): + return " ".join([m.serialize() for m in marker]) + else: + return marker + + +_operators = { + "in": lambda lhs, rhs: lhs in rhs, + "not in": lambda lhs, rhs: lhs not in rhs, + "<": operator.lt, + "<=": operator.le, + "==": operator.eq, + "!=": operator.ne, + ">=": operator.ge, + ">": operator.gt, +} + + +def _eval_op(lhs, op, rhs): + try: + spec = Specifier("".join([op.serialize(), rhs])) + except InvalidSpecifier: + pass + else: + return spec.contains(lhs) + + oper = _operators.get(op.serialize()) + if oper is None: + raise UndefinedComparison( + "Undefined {0!r} on {1!r} and {2!r}.".format(op, lhs, rhs) + ) + + return oper(lhs, rhs) + + +_undefined = object() + + +def _get_env(environment, name): + value = environment.get(name, _undefined) + + if value is _undefined: + raise UndefinedEnvironmentName( + "{0!r} does not exist in evaluation environment.".format(name) + ) + + return value + + +def _evaluate_markers(markers, environment): + groups = [[]] + + for marker in markers: + assert isinstance(marker, (list, tuple, string_types)) + + if isinstance(marker, list): + groups[-1].append(_evaluate_markers(marker, environment)) + elif isinstance(marker, tuple): + lhs, op, rhs = marker + + if isinstance(lhs, Variable): + lhs_value = _get_env(environment, lhs.value) + rhs_value = rhs.value + else: + lhs_value = lhs.value + rhs_value = _get_env(environment, rhs.value) + + groups[-1].append(_eval_op(lhs_value, op, rhs_value)) + else: + assert marker in ["and", "or"] + if marker == "or": + groups.append([]) + + return any(all(item) for item in groups) + + +def format_full_version(info): + version = "{0.major}.{0.minor}.{0.micro}".format(info) + kind = info.releaselevel + if kind != "final": + version += kind[0] + str(info.serial) + return version + + +def default_environment(): + if hasattr(sys, "implementation"): + iver = format_full_version(sys.implementation.version) + implementation_name = sys.implementation.name + else: + iver = "0" + implementation_name = "" + + return { + "implementation_name": implementation_name, + "implementation_version": iver, + "os_name": os.name, + "platform_machine": platform.machine(), + "platform_release": platform.release(), + "platform_system": platform.system(), + "platform_version": platform.version(), + "python_full_version": platform.python_version(), + "platform_python_implementation": platform.python_implementation(), + "python_version": platform.python_version()[:3], + "sys_platform": sys.platform, + } + + +class Marker(object): + def __init__(self, marker): + try: + self._markers = _coerce_parse_result(MARKER.parseString(marker)) + except ParseException as e: + err_str = "Invalid marker: {0!r}, parse error at {1!r}".format( + marker, marker[e.loc : e.loc + 8] + ) + raise InvalidMarker(err_str) + + def __str__(self): + return _format_marker(self._markers) + + def __repr__(self): + return "<Marker({0!r})>".format(str(self)) + + def evaluate(self, environment=None): + """Evaluate a marker. + + Return the boolean from evaluating the given marker against the + environment. environment is an optional argument to override all or + part of the determined environment. + + The environment is determined from the current Python process. + """ + current_environment = default_environment() + if environment is not None: + current_environment.update(environment) + + return _evaluate_markers(self._markers, current_environment) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/requirements.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/requirements.py new file mode 100644 index 0000000..dbc5f11 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/requirements.py @@ -0,0 +1,138 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +import string +import re + +from pip._vendor.pyparsing import stringStart, stringEnd, originalTextFor, ParseException +from pip._vendor.pyparsing import ZeroOrMore, Word, Optional, Regex, Combine +from pip._vendor.pyparsing import Literal as L # noqa +from pip._vendor.six.moves.urllib import parse as urlparse + +from .markers import MARKER_EXPR, Marker +from .specifiers import LegacySpecifier, Specifier, SpecifierSet + + +class InvalidRequirement(ValueError): + """ + An invalid requirement was found, users should refer to PEP 508. + """ + + +ALPHANUM = Word(string.ascii_letters + string.digits) + +LBRACKET = L("[").suppress() +RBRACKET = L("]").suppress() +LPAREN = L("(").suppress() +RPAREN = L(")").suppress() +COMMA = L(",").suppress() +SEMICOLON = L(";").suppress() +AT = L("@").suppress() + +PUNCTUATION = Word("-_.") +IDENTIFIER_END = ALPHANUM | (ZeroOrMore(PUNCTUATION) + ALPHANUM) +IDENTIFIER = Combine(ALPHANUM + ZeroOrMore(IDENTIFIER_END)) + +NAME = IDENTIFIER("name") +EXTRA = IDENTIFIER + +URI = Regex(r"[^ ]+")("url") +URL = AT + URI + +EXTRAS_LIST = EXTRA + ZeroOrMore(COMMA + EXTRA) +EXTRAS = (LBRACKET + Optional(EXTRAS_LIST) + RBRACKET)("extras") + +VERSION_PEP440 = Regex(Specifier._regex_str, re.VERBOSE | re.IGNORECASE) +VERSION_LEGACY = Regex(LegacySpecifier._regex_str, re.VERBOSE | re.IGNORECASE) + +VERSION_ONE = VERSION_PEP440 ^ VERSION_LEGACY +VERSION_MANY = Combine( + VERSION_ONE + ZeroOrMore(COMMA + VERSION_ONE), joinString=",", adjacent=False +)("_raw_spec") +_VERSION_SPEC = Optional(((LPAREN + VERSION_MANY + RPAREN) | VERSION_MANY)) +_VERSION_SPEC.setParseAction(lambda s, l, t: t._raw_spec or "") + +VERSION_SPEC = originalTextFor(_VERSION_SPEC)("specifier") +VERSION_SPEC.setParseAction(lambda s, l, t: t[1]) + +MARKER_EXPR = originalTextFor(MARKER_EXPR())("marker") +MARKER_EXPR.setParseAction( + lambda s, l, t: Marker(s[t._original_start : t._original_end]) +) +MARKER_SEPARATOR = SEMICOLON +MARKER = MARKER_SEPARATOR + MARKER_EXPR + +VERSION_AND_MARKER = VERSION_SPEC + Optional(MARKER) +URL_AND_MARKER = URL + Optional(MARKER) + +NAMED_REQUIREMENT = NAME + Optional(EXTRAS) + (URL_AND_MARKER | VERSION_AND_MARKER) + +REQUIREMENT = stringStart + NAMED_REQUIREMENT + stringEnd +# pyparsing isn't thread safe during initialization, so we do it eagerly, see +# issue #104 +REQUIREMENT.parseString("x[]") + + +class Requirement(object): + """Parse a requirement. + + Parse a given requirement string into its parts, such as name, specifier, + URL, and extras. Raises InvalidRequirement on a badly-formed requirement + string. + """ + + # TODO: Can we test whether something is contained within a requirement? + # If so how do we do that? Do we need to test against the _name_ of + # the thing as well as the version? What about the markers? + # TODO: Can we normalize the name and extra name? + + def __init__(self, requirement_string): + try: + req = REQUIREMENT.parseString(requirement_string) + except ParseException as e: + raise InvalidRequirement( + 'Parse error at "{0!r}": {1}'.format( + requirement_string[e.loc : e.loc + 8], e.msg + ) + ) + + self.name = req.name + if req.url: + parsed_url = urlparse.urlparse(req.url) + if parsed_url.scheme == "file": + if urlparse.urlunparse(parsed_url) != req.url: + raise InvalidRequirement("Invalid URL given") + elif not (parsed_url.scheme and parsed_url.netloc) or ( + not parsed_url.scheme and not parsed_url.netloc + ): + raise InvalidRequirement("Invalid URL: {0}".format(req.url)) + self.url = req.url + else: + self.url = None + self.extras = set(req.extras.asList() if req.extras else []) + self.specifier = SpecifierSet(req.specifier) + self.marker = req.marker if req.marker else None + + def __str__(self): + parts = [self.name] + + if self.extras: + parts.append("[{0}]".format(",".join(sorted(self.extras)))) + + if self.specifier: + parts.append(str(self.specifier)) + + if self.url: + parts.append("@ {0}".format(self.url)) + if self.marker: + parts.append(" ") + + if self.marker: + parts.append("; {0}".format(self.marker)) + + return "".join(parts) + + def __repr__(self): + return "<Requirement({0!r})>".format(str(self)) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/specifiers.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/specifiers.py new file mode 100644 index 0000000..743576a --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/specifiers.py @@ -0,0 +1,749 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +import abc +import functools +import itertools +import re + +from ._compat import string_types, with_metaclass +from .version import Version, LegacyVersion, parse + + +class InvalidSpecifier(ValueError): + """ + An invalid specifier was found, users should refer to PEP 440. + """ + + +class BaseSpecifier(with_metaclass(abc.ABCMeta, object)): + @abc.abstractmethod + def __str__(self): + """ + Returns the str representation of this Specifier like object. This + should be representative of the Specifier itself. + """ + + @abc.abstractmethod + def __hash__(self): + """ + Returns a hash value for this Specifier like object. + """ + + @abc.abstractmethod + def __eq__(self, other): + """ + Returns a boolean representing whether or not the two Specifier like + objects are equal. + """ + + @abc.abstractmethod + def __ne__(self, other): + """ + Returns a boolean representing whether or not the two Specifier like + objects are not equal. + """ + + @abc.abstractproperty + def prereleases(self): + """ + Returns whether or not pre-releases as a whole are allowed by this + specifier. + """ + + @prereleases.setter + def prereleases(self, value): + """ + Sets whether or not pre-releases as a whole are allowed by this + specifier. + """ + + @abc.abstractmethod + def contains(self, item, prereleases=None): + """ + Determines if the given item is contained within this specifier. + """ + + @abc.abstractmethod + def filter(self, iterable, prereleases=None): + """ + Takes an iterable of items and filters them so that only items which + are contained within this specifier are allowed in it. + """ + + +class _IndividualSpecifier(BaseSpecifier): + + _operators = {} + + def __init__(self, spec="", prereleases=None): + match = self._regex.search(spec) + if not match: + raise InvalidSpecifier("Invalid specifier: '{0}'".format(spec)) + + self._spec = (match.group("operator").strip(), match.group("version").strip()) + + # Store whether or not this Specifier should accept prereleases + self._prereleases = prereleases + + def __repr__(self): + pre = ( + ", prereleases={0!r}".format(self.prereleases) + if self._prereleases is not None + else "" + ) + + return "<{0}({1!r}{2})>".format(self.__class__.__name__, str(self), pre) + + def __str__(self): + return "{0}{1}".format(*self._spec) + + def __hash__(self): + return hash(self._spec) + + def __eq__(self, other): + if isinstance(other, string_types): + try: + other = self.__class__(other) + except InvalidSpecifier: + return NotImplemented + elif not isinstance(other, self.__class__): + return NotImplemented + + return self._spec == other._spec + + def __ne__(self, other): + if isinstance(other, string_types): + try: + other = self.__class__(other) + except InvalidSpecifier: + return NotImplemented + elif not isinstance(other, self.__class__): + return NotImplemented + + return self._spec != other._spec + + def _get_operator(self, op): + return getattr(self, "_compare_{0}".format(self._operators[op])) + + def _coerce_version(self, version): + if not isinstance(version, (LegacyVersion, Version)): + version = parse(version) + return version + + @property + def operator(self): + return self._spec[0] + + @property + def version(self): + return self._spec[1] + + @property + def prereleases(self): + return self._prereleases + + @prereleases.setter + def prereleases(self, value): + self._prereleases = value + + def __contains__(self, item): + return self.contains(item) + + def contains(self, item, prereleases=None): + # Determine if prereleases are to be allowed or not. + if prereleases is None: + prereleases = self.prereleases + + # Normalize item to a Version or LegacyVersion, this allows us to have + # a shortcut for ``"2.0" in Specifier(">=2") + item = self._coerce_version(item) + + # Determine if we should be supporting prereleases in this specifier + # or not, if we do not support prereleases than we can short circuit + # logic if this version is a prereleases. + if item.is_prerelease and not prereleases: + return False + + # Actually do the comparison to determine if this item is contained + # within this Specifier or not. + return self._get_operator(self.operator)(item, self.version) + + def filter(self, iterable, prereleases=None): + yielded = False + found_prereleases = [] + + kw = {"prereleases": prereleases if prereleases is not None else True} + + # Attempt to iterate over all the values in the iterable and if any of + # them match, yield them. + for version in iterable: + parsed_version = self._coerce_version(version) + + if self.contains(parsed_version, **kw): + # If our version is a prerelease, and we were not set to allow + # prereleases, then we'll store it for later incase nothing + # else matches this specifier. + if parsed_version.is_prerelease and not ( + prereleases or self.prereleases + ): + found_prereleases.append(version) + # Either this is not a prerelease, or we should have been + # accepting prereleases from the beginning. + else: + yielded = True + yield version + + # Now that we've iterated over everything, determine if we've yielded + # any values, and if we have not and we have any prereleases stored up + # then we will go ahead and yield the prereleases. + if not yielded and found_prereleases: + for version in found_prereleases: + yield version + + +class LegacySpecifier(_IndividualSpecifier): + + _regex_str = r""" + (?P<operator>(==|!=|<=|>=|<|>)) + \s* + (?P<version> + [^,;\s)]* # Since this is a "legacy" specifier, and the version + # string can be just about anything, we match everything + # except for whitespace, a semi-colon for marker support, + # a closing paren since versions can be enclosed in + # them, and a comma since it's a version separator. + ) + """ + + _regex = re.compile(r"^\s*" + _regex_str + r"\s*$", re.VERBOSE | re.IGNORECASE) + + _operators = { + "==": "equal", + "!=": "not_equal", + "<=": "less_than_equal", + ">=": "greater_than_equal", + "<": "less_than", + ">": "greater_than", + } + + def _coerce_version(self, version): + if not isinstance(version, LegacyVersion): + version = LegacyVersion(str(version)) + return version + + def _compare_equal(self, prospective, spec): + return prospective == self._coerce_version(spec) + + def _compare_not_equal(self, prospective, spec): + return prospective != self._coerce_version(spec) + + def _compare_less_than_equal(self, prospective, spec): + return prospective <= self._coerce_version(spec) + + def _compare_greater_than_equal(self, prospective, spec): + return prospective >= self._coerce_version(spec) + + def _compare_less_than(self, prospective, spec): + return prospective < self._coerce_version(spec) + + def _compare_greater_than(self, prospective, spec): + return prospective > self._coerce_version(spec) + + +def _require_version_compare(fn): + @functools.wraps(fn) + def wrapped(self, prospective, spec): + if not isinstance(prospective, Version): + return False + return fn(self, prospective, spec) + + return wrapped + + +class Specifier(_IndividualSpecifier): + + _regex_str = r""" + (?P<operator>(~=|==|!=|<=|>=|<|>|===)) + (?P<version> + (?: + # The identity operators allow for an escape hatch that will + # do an exact string match of the version you wish to install. + # This will not be parsed by PEP 440 and we cannot determine + # any semantic meaning from it. This operator is discouraged + # but included entirely as an escape hatch. + (?<====) # Only match for the identity operator + \s* + [^\s]* # We just match everything, except for whitespace + # since we are only testing for strict identity. + ) + | + (?: + # The (non)equality operators allow for wild card and local + # versions to be specified so we have to define these two + # operators separately to enable that. + (?<===|!=) # Only match for equals and not equals + + \s* + v? + (?:[0-9]+!)? # epoch + [0-9]+(?:\.[0-9]+)* # release + (?: # pre release + [-_\.]? + (a|b|c|rc|alpha|beta|pre|preview) + [-_\.]? + [0-9]* + )? + (?: # post release + (?:-[0-9]+)|(?:[-_\.]?(post|rev|r)[-_\.]?[0-9]*) + )? + + # You cannot use a wild card and a dev or local version + # together so group them with a | and make them optional. + (?: + (?:[-_\.]?dev[-_\.]?[0-9]*)? # dev release + (?:\+[a-z0-9]+(?:[-_\.][a-z0-9]+)*)? # local + | + \.\* # Wild card syntax of .* + )? + ) + | + (?: + # The compatible operator requires at least two digits in the + # release segment. + (?<=~=) # Only match for the compatible operator + + \s* + v? + (?:[0-9]+!)? # epoch + [0-9]+(?:\.[0-9]+)+ # release (We have a + instead of a *) + (?: # pre release + [-_\.]? + (a|b|c|rc|alpha|beta|pre|preview) + [-_\.]? + [0-9]* + )? + (?: # post release + (?:-[0-9]+)|(?:[-_\.]?(post|rev|r)[-_\.]?[0-9]*) + )? + (?:[-_\.]?dev[-_\.]?[0-9]*)? # dev release + ) + | + (?: + # All other operators only allow a sub set of what the + # (non)equality operators do. Specifically they do not allow + # local versions to be specified nor do they allow the prefix + # matching wild cards. + (?<!==|!=|~=) # We have special cases for these + # operators so we want to make sure they + # don't match here. + + \s* + v? + (?:[0-9]+!)? # epoch + [0-9]+(?:\.[0-9]+)* # release + (?: # pre release + [-_\.]? + (a|b|c|rc|alpha|beta|pre|preview) + [-_\.]? + [0-9]* + )? + (?: # post release + (?:-[0-9]+)|(?:[-_\.]?(post|rev|r)[-_\.]?[0-9]*) + )? + (?:[-_\.]?dev[-_\.]?[0-9]*)? # dev release + ) + ) + """ + + _regex = re.compile(r"^\s*" + _regex_str + r"\s*$", re.VERBOSE | re.IGNORECASE) + + _operators = { + "~=": "compatible", + "==": "equal", + "!=": "not_equal", + "<=": "less_than_equal", + ">=": "greater_than_equal", + "<": "less_than", + ">": "greater_than", + "===": "arbitrary", + } + + @_require_version_compare + def _compare_compatible(self, prospective, spec): + # Compatible releases have an equivalent combination of >= and ==. That + # is that ~=2.2 is equivalent to >=2.2,==2.*. This allows us to + # implement this in terms of the other specifiers instead of + # implementing it ourselves. The only thing we need to do is construct + # the other specifiers. + + # We want everything but the last item in the version, but we want to + # ignore post and dev releases and we want to treat the pre-release as + # it's own separate segment. + prefix = ".".join( + list( + itertools.takewhile( + lambda x: (not x.startswith("post") and not x.startswith("dev")), + _version_split(spec), + ) + )[:-1] + ) + + # Add the prefix notation to the end of our string + prefix += ".*" + + return self._get_operator(">=")(prospective, spec) and self._get_operator("==")( + prospective, prefix + ) + + @_require_version_compare + def _compare_equal(self, prospective, spec): + # We need special logic to handle prefix matching + if spec.endswith(".*"): + # In the case of prefix matching we want to ignore local segment. + prospective = Version(prospective.public) + # Split the spec out by dots, and pretend that there is an implicit + # dot in between a release segment and a pre-release segment. + spec = _version_split(spec[:-2]) # Remove the trailing .* + + # Split the prospective version out by dots, and pretend that there + # is an implicit dot in between a release segment and a pre-release + # segment. + prospective = _version_split(str(prospective)) + + # Shorten the prospective version to be the same length as the spec + # so that we can determine if the specifier is a prefix of the + # prospective version or not. + prospective = prospective[: len(spec)] + + # Pad out our two sides with zeros so that they both equal the same + # length. + spec, prospective = _pad_version(spec, prospective) + else: + # Convert our spec string into a Version + spec = Version(spec) + + # If the specifier does not have a local segment, then we want to + # act as if the prospective version also does not have a local + # segment. + if not spec.local: + prospective = Version(prospective.public) + + return prospective == spec + + @_require_version_compare + def _compare_not_equal(self, prospective, spec): + return not self._compare_equal(prospective, spec) + + @_require_version_compare + def _compare_less_than_equal(self, prospective, spec): + return prospective <= Version(spec) + + @_require_version_compare + def _compare_greater_than_equal(self, prospective, spec): + return prospective >= Version(spec) + + @_require_version_compare + def _compare_less_than(self, prospective, spec): + # Convert our spec to a Version instance, since we'll want to work with + # it as a version. + spec = Version(spec) + + # Check to see if the prospective version is less than the spec + # version. If it's not we can short circuit and just return False now + # instead of doing extra unneeded work. + if not prospective < spec: + return False + + # This special case is here so that, unless the specifier itself + # includes is a pre-release version, that we do not accept pre-release + # versions for the version mentioned in the specifier (e.g. <3.1 should + # not match 3.1.dev0, but should match 3.0.dev0). + if not spec.is_prerelease and prospective.is_prerelease: + if Version(prospective.base_version) == Version(spec.base_version): + return False + + # If we've gotten to here, it means that prospective version is both + # less than the spec version *and* it's not a pre-release of the same + # version in the spec. + return True + + @_require_version_compare + def _compare_greater_than(self, prospective, spec): + # Convert our spec to a Version instance, since we'll want to work with + # it as a version. + spec = Version(spec) + + # Check to see if the prospective version is greater than the spec + # version. If it's not we can short circuit and just return False now + # instead of doing extra unneeded work. + if not prospective > spec: + return False + + # This special case is here so that, unless the specifier itself + # includes is a post-release version, that we do not accept + # post-release versions for the version mentioned in the specifier + # (e.g. >3.1 should not match 3.0.post0, but should match 3.2.post0). + if not spec.is_postrelease and prospective.is_postrelease: + if Version(prospective.base_version) == Version(spec.base_version): + return False + + # Ensure that we do not allow a local version of the version mentioned + # in the specifier, which is technically greater than, to match. + if prospective.local is not None: + if Version(prospective.base_version) == Version(spec.base_version): + return False + + # If we've gotten to here, it means that prospective version is both + # greater than the spec version *and* it's not a pre-release of the + # same version in the spec. + return True + + def _compare_arbitrary(self, prospective, spec): + return str(prospective).lower() == str(spec).lower() + + @property + def prereleases(self): + # If there is an explicit prereleases set for this, then we'll just + # blindly use that. + if self._prereleases is not None: + return self._prereleases + + # Look at all of our specifiers and determine if they are inclusive + # operators, and if they are if they are including an explicit + # prerelease. + operator, version = self._spec + if operator in ["==", ">=", "<=", "~=", "==="]: + # The == specifier can include a trailing .*, if it does we + # want to remove before parsing. + if operator == "==" and version.endswith(".*"): + version = version[:-2] + + # Parse the version, and if it is a pre-release than this + # specifier allows pre-releases. + if parse(version).is_prerelease: + return True + + return False + + @prereleases.setter + def prereleases(self, value): + self._prereleases = value + + +_prefix_regex = re.compile(r"^([0-9]+)((?:a|b|c|rc)[0-9]+)$") + + +def _version_split(version): + result = [] + for item in version.split("."): + match = _prefix_regex.search(item) + if match: + result.extend(match.groups()) + else: + result.append(item) + return result + + +def _pad_version(left, right): + left_split, right_split = [], [] + + # Get the release segment of our versions + left_split.append(list(itertools.takewhile(lambda x: x.isdigit(), left))) + right_split.append(list(itertools.takewhile(lambda x: x.isdigit(), right))) + + # Get the rest of our versions + left_split.append(left[len(left_split[0]) :]) + right_split.append(right[len(right_split[0]) :]) + + # Insert our padding + left_split.insert(1, ["0"] * max(0, len(right_split[0]) - len(left_split[0]))) + right_split.insert(1, ["0"] * max(0, len(left_split[0]) - len(right_split[0]))) + + return (list(itertools.chain(*left_split)), list(itertools.chain(*right_split))) + + +class SpecifierSet(BaseSpecifier): + def __init__(self, specifiers="", prereleases=None): + # Split on , to break each indidivual specifier into it's own item, and + # strip each item to remove leading/trailing whitespace. + specifiers = [s.strip() for s in specifiers.split(",") if s.strip()] + + # Parsed each individual specifier, attempting first to make it a + # Specifier and falling back to a LegacySpecifier. + parsed = set() + for specifier in specifiers: + try: + parsed.add(Specifier(specifier)) + except InvalidSpecifier: + parsed.add(LegacySpecifier(specifier)) + + # Turn our parsed specifiers into a frozen set and save them for later. + self._specs = frozenset(parsed) + + # Store our prereleases value so we can use it later to determine if + # we accept prereleases or not. + self._prereleases = prereleases + + def __repr__(self): + pre = ( + ", prereleases={0!r}".format(self.prereleases) + if self._prereleases is not None + else "" + ) + + return "<SpecifierSet({0!r}{1})>".format(str(self), pre) + + def __str__(self): + return ",".join(sorted(str(s) for s in self._specs)) + + def __hash__(self): + return hash(self._specs) + + def __and__(self, other): + if isinstance(other, string_types): + other = SpecifierSet(other) + elif not isinstance(other, SpecifierSet): + return NotImplemented + + specifier = SpecifierSet() + specifier._specs = frozenset(self._specs | other._specs) + + if self._prereleases is None and other._prereleases is not None: + specifier._prereleases = other._prereleases + elif self._prereleases is not None and other._prereleases is None: + specifier._prereleases = self._prereleases + elif self._prereleases == other._prereleases: + specifier._prereleases = self._prereleases + else: + raise ValueError( + "Cannot combine SpecifierSets with True and False prerelease " + "overrides." + ) + + return specifier + + def __eq__(self, other): + if isinstance(other, string_types): + other = SpecifierSet(other) + elif isinstance(other, _IndividualSpecifier): + other = SpecifierSet(str(other)) + elif not isinstance(other, SpecifierSet): + return NotImplemented + + return self._specs == other._specs + + def __ne__(self, other): + if isinstance(other, string_types): + other = SpecifierSet(other) + elif isinstance(other, _IndividualSpecifier): + other = SpecifierSet(str(other)) + elif not isinstance(other, SpecifierSet): + return NotImplemented + + return self._specs != other._specs + + def __len__(self): + return len(self._specs) + + def __iter__(self): + return iter(self._specs) + + @property + def prereleases(self): + # If we have been given an explicit prerelease modifier, then we'll + # pass that through here. + if self._prereleases is not None: + return self._prereleases + + # If we don't have any specifiers, and we don't have a forced value, + # then we'll just return None since we don't know if this should have + # pre-releases or not. + if not self._specs: + return None + + # Otherwise we'll see if any of the given specifiers accept + # prereleases, if any of them do we'll return True, otherwise False. + return any(s.prereleases for s in self._specs) + + @prereleases.setter + def prereleases(self, value): + self._prereleases = value + + def __contains__(self, item): + return self.contains(item) + + def contains(self, item, prereleases=None): + # Ensure that our item is a Version or LegacyVersion instance. + if not isinstance(item, (LegacyVersion, Version)): + item = parse(item) + + # Determine if we're forcing a prerelease or not, if we're not forcing + # one for this particular filter call, then we'll use whatever the + # SpecifierSet thinks for whether or not we should support prereleases. + if prereleases is None: + prereleases = self.prereleases + + # We can determine if we're going to allow pre-releases by looking to + # see if any of the underlying items supports them. If none of them do + # and this item is a pre-release then we do not allow it and we can + # short circuit that here. + # Note: This means that 1.0.dev1 would not be contained in something + # like >=1.0.devabc however it would be in >=1.0.debabc,>0.0.dev0 + if not prereleases and item.is_prerelease: + return False + + # We simply dispatch to the underlying specs here to make sure that the + # given version is contained within all of them. + # Note: This use of all() here means that an empty set of specifiers + # will always return True, this is an explicit design decision. + return all(s.contains(item, prereleases=prereleases) for s in self._specs) + + def filter(self, iterable, prereleases=None): + # Determine if we're forcing a prerelease or not, if we're not forcing + # one for this particular filter call, then we'll use whatever the + # SpecifierSet thinks for whether or not we should support prereleases. + if prereleases is None: + prereleases = self.prereleases + + # If we have any specifiers, then we want to wrap our iterable in the + # filter method for each one, this will act as a logical AND amongst + # each specifier. + if self._specs: + for spec in self._specs: + iterable = spec.filter(iterable, prereleases=bool(prereleases)) + return iterable + # If we do not have any specifiers, then we need to have a rough filter + # which will filter out any pre-releases, unless there are no final + # releases, and which will filter out LegacyVersion in general. + else: + filtered = [] + found_prereleases = [] + + for item in iterable: + # Ensure that we some kind of Version class for this item. + if not isinstance(item, (LegacyVersion, Version)): + parsed_version = parse(item) + else: + parsed_version = item + + # Filter out any item which is parsed as a LegacyVersion + if isinstance(parsed_version, LegacyVersion): + continue + + # Store any item which is a pre-release for later unless we've + # already found a final version or we are accepting prereleases + if parsed_version.is_prerelease and not prereleases: + if not filtered: + found_prereleases.append(item) + else: + filtered.append(item) + + # If we've found no items except for pre-releases, then we'll go + # ahead and use the pre-releases + if not filtered and found_prereleases and prereleases is None: + return found_prereleases + + return filtered diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/utils.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/utils.py new file mode 100644 index 0000000..8841878 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/utils.py @@ -0,0 +1,57 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +import re + +from .version import InvalidVersion, Version + + +_canonicalize_regex = re.compile(r"[-_.]+") + + +def canonicalize_name(name): + # This is taken from PEP 503. + return _canonicalize_regex.sub("-", name).lower() + + +def canonicalize_version(version): + """ + This is very similar to Version.__str__, but has one subtle differences + with the way it handles the release segment. + """ + + try: + version = Version(version) + except InvalidVersion: + # Legacy versions cannot be normalized + return version + + parts = [] + + # Epoch + if version.epoch != 0: + parts.append("{0}!".format(version.epoch)) + + # Release segment + # NB: This strips trailing '.0's to normalize + parts.append(re.sub(r"(\.0)+$", "", ".".join(str(x) for x in version.release))) + + # Pre-release + if version.pre is not None: + parts.append("".join(str(x) for x in version.pre)) + + # Post-release + if version.post is not None: + parts.append(".post{0}".format(version.post)) + + # Development release + if version.dev is not None: + parts.append(".dev{0}".format(version.dev)) + + # Local version segment + if version.local is not None: + parts.append("+{0}".format(version.local)) + + return "".join(parts) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/version.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/version.py new file mode 100644 index 0000000..95157a1 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/version.py @@ -0,0 +1,420 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +import collections +import itertools +import re + +from ._structures import Infinity + + +__all__ = ["parse", "Version", "LegacyVersion", "InvalidVersion", "VERSION_PATTERN"] + + +_Version = collections.namedtuple( + "_Version", ["epoch", "release", "dev", "pre", "post", "local"] +) + + +def parse(version): + """ + Parse the given version string and return either a :class:`Version` object + or a :class:`LegacyVersion` object depending on if the given version is + a valid PEP 440 version or a legacy version. + """ + try: + return Version(version) + except InvalidVersion: + return LegacyVersion(version) + + +class InvalidVersion(ValueError): + """ + An invalid version was found, users should refer to PEP 440. + """ + + +class _BaseVersion(object): + def __hash__(self): + return hash(self._key) + + def __lt__(self, other): + return self._compare(other, lambda s, o: s < o) + + def __le__(self, other): + return self._compare(other, lambda s, o: s <= o) + + def __eq__(self, other): + return self._compare(other, lambda s, o: s == o) + + def __ge__(self, other): + return self._compare(other, lambda s, o: s >= o) + + def __gt__(self, other): + return self._compare(other, lambda s, o: s > o) + + def __ne__(self, other): + return self._compare(other, lambda s, o: s != o) + + def _compare(self, other, method): + if not isinstance(other, _BaseVersion): + return NotImplemented + + return method(self._key, other._key) + + +class LegacyVersion(_BaseVersion): + def __init__(self, version): + self._version = str(version) + self._key = _legacy_cmpkey(self._version) + + def __str__(self): + return self._version + + def __repr__(self): + return "<LegacyVersion({0})>".format(repr(str(self))) + + @property + def public(self): + return self._version + + @property + def base_version(self): + return self._version + + @property + def epoch(self): + return -1 + + @property + def release(self): + return None + + @property + def pre(self): + return None + + @property + def post(self): + return None + + @property + def dev(self): + return None + + @property + def local(self): + return None + + @property + def is_prerelease(self): + return False + + @property + def is_postrelease(self): + return False + + @property + def is_devrelease(self): + return False + + +_legacy_version_component_re = re.compile(r"(\d+ | [a-z]+ | \.| -)", re.VERBOSE) + +_legacy_version_replacement_map = { + "pre": "c", + "preview": "c", + "-": "final-", + "rc": "c", + "dev": "@", +} + + +def _parse_version_parts(s): + for part in _legacy_version_component_re.split(s): + part = _legacy_version_replacement_map.get(part, part) + + if not part or part == ".": + continue + + if part[:1] in "0123456789": + # pad for numeric comparison + yield part.zfill(8) + else: + yield "*" + part + + # ensure that alpha/beta/candidate are before final + yield "*final" + + +def _legacy_cmpkey(version): + # We hardcode an epoch of -1 here. A PEP 440 version can only have a epoch + # greater than or equal to 0. This will effectively put the LegacyVersion, + # which uses the defacto standard originally implemented by setuptools, + # as before all PEP 440 versions. + epoch = -1 + + # This scheme is taken from pkg_resources.parse_version setuptools prior to + # it's adoption of the packaging library. + parts = [] + for part in _parse_version_parts(version.lower()): + if part.startswith("*"): + # remove "-" before a prerelease tag + if part < "*final": + while parts and parts[-1] == "*final-": + parts.pop() + + # remove trailing zeros from each series of numeric parts + while parts and parts[-1] == "00000000": + parts.pop() + + parts.append(part) + parts = tuple(parts) + + return epoch, parts + + +# Deliberately not anchored to the start and end of the string, to make it +# easier for 3rd party code to reuse +VERSION_PATTERN = r""" + v? + (?: + (?:(?P<epoch>[0-9]+)!)? # epoch + (?P<release>[0-9]+(?:\.[0-9]+)*) # release segment + (?P<pre> # pre-release + [-_\.]? + (?P<pre_l>(a|b|c|rc|alpha|beta|pre|preview)) + [-_\.]? + (?P<pre_n>[0-9]+)? + )? + (?P<post> # post release + (?:-(?P<post_n1>[0-9]+)) + | + (?: + [-_\.]? + (?P<post_l>post|rev|r) + [-_\.]? + (?P<post_n2>[0-9]+)? + ) + )? + (?P<dev> # dev release + [-_\.]? + (?P<dev_l>dev) + [-_\.]? + (?P<dev_n>[0-9]+)? + )? + ) + (?:\+(?P<local>[a-z0-9]+(?:[-_\.][a-z0-9]+)*))? # local version +""" + + +class Version(_BaseVersion): + + _regex = re.compile(r"^\s*" + VERSION_PATTERN + r"\s*$", re.VERBOSE | re.IGNORECASE) + + def __init__(self, version): + # Validate the version and parse it into pieces + match = self._regex.search(version) + if not match: + raise InvalidVersion("Invalid version: '{0}'".format(version)) + + # Store the parsed out pieces of the version + self._version = _Version( + epoch=int(match.group("epoch")) if match.group("epoch") else 0, + release=tuple(int(i) for i in match.group("release").split(".")), + pre=_parse_letter_version(match.group("pre_l"), match.group("pre_n")), + post=_parse_letter_version( + match.group("post_l"), match.group("post_n1") or match.group("post_n2") + ), + dev=_parse_letter_version(match.group("dev_l"), match.group("dev_n")), + local=_parse_local_version(match.group("local")), + ) + + # Generate a key which will be used for sorting + self._key = _cmpkey( + self._version.epoch, + self._version.release, + self._version.pre, + self._version.post, + self._version.dev, + self._version.local, + ) + + def __repr__(self): + return "<Version({0})>".format(repr(str(self))) + + def __str__(self): + parts = [] + + # Epoch + if self.epoch != 0: + parts.append("{0}!".format(self.epoch)) + + # Release segment + parts.append(".".join(str(x) for x in self.release)) + + # Pre-release + if self.pre is not None: + parts.append("".join(str(x) for x in self.pre)) + + # Post-release + if self.post is not None: + parts.append(".post{0}".format(self.post)) + + # Development release + if self.dev is not None: + parts.append(".dev{0}".format(self.dev)) + + # Local version segment + if self.local is not None: + parts.append("+{0}".format(self.local)) + + return "".join(parts) + + @property + def epoch(self): + return self._version.epoch + + @property + def release(self): + return self._version.release + + @property + def pre(self): + return self._version.pre + + @property + def post(self): + return self._version.post[1] if self._version.post else None + + @property + def dev(self): + return self._version.dev[1] if self._version.dev else None + + @property + def local(self): + if self._version.local: + return ".".join(str(x) for x in self._version.local) + else: + return None + + @property + def public(self): + return str(self).split("+", 1)[0] + + @property + def base_version(self): + parts = [] + + # Epoch + if self.epoch != 0: + parts.append("{0}!".format(self.epoch)) + + # Release segment + parts.append(".".join(str(x) for x in self.release)) + + return "".join(parts) + + @property + def is_prerelease(self): + return self.dev is not None or self.pre is not None + + @property + def is_postrelease(self): + return self.post is not None + + @property + def is_devrelease(self): + return self.dev is not None + + +def _parse_letter_version(letter, number): + if letter: + # We consider there to be an implicit 0 in a pre-release if there is + # not a numeral associated with it. + if number is None: + number = 0 + + # We normalize any letters to their lower case form + letter = letter.lower() + + # We consider some words to be alternate spellings of other words and + # in those cases we want to normalize the spellings to our preferred + # spelling. + if letter == "alpha": + letter = "a" + elif letter == "beta": + letter = "b" + elif letter in ["c", "pre", "preview"]: + letter = "rc" + elif letter in ["rev", "r"]: + letter = "post" + + return letter, int(number) + if not letter and number: + # We assume if we are given a number, but we are not given a letter + # then this is using the implicit post release syntax (e.g. 1.0-1) + letter = "post" + + return letter, int(number) + + +_local_version_separators = re.compile(r"[\._-]") + + +def _parse_local_version(local): + """ + Takes a string like abc.1.twelve and turns it into ("abc", 1, "twelve"). + """ + if local is not None: + return tuple( + part.lower() if not part.isdigit() else int(part) + for part in _local_version_separators.split(local) + ) + + +def _cmpkey(epoch, release, pre, post, dev, local): + # When we compare a release version, we want to compare it with all of the + # trailing zeros removed. So we'll use a reverse the list, drop all the now + # leading zeros until we come to something non zero, then take the rest + # re-reverse it back into the correct order and make it a tuple and use + # that for our sorting key. + release = tuple( + reversed(list(itertools.dropwhile(lambda x: x == 0, reversed(release)))) + ) + + # We need to "trick" the sorting algorithm to put 1.0.dev0 before 1.0a0. + # We'll do this by abusing the pre segment, but we _only_ want to do this + # if there is not a pre or a post segment. If we have one of those then + # the normal sorting rules will handle this case correctly. + if pre is None and post is None and dev is not None: + pre = -Infinity + # Versions without a pre-release (except as noted above) should sort after + # those with one. + elif pre is None: + pre = Infinity + + # Versions without a post segment should sort before those with one. + if post is None: + post = -Infinity + + # Versions without a development segment should sort after those with one. + if dev is None: + dev = Infinity + + if local is None: + # Versions without a local segment should sort before those with one. + local = -Infinity + else: + # Versions with a local segment need that segment parsed to implement + # the sorting rules in PEP440. + # - Alpha numeric segments sort before numeric segments + # - Alpha numeric segments sort lexicographically + # - Numeric segments sort numerically + # - Shorter versions sort before longer versions when the prefixes + # match exactly + local = tuple((i, "") if isinstance(i, int) else (-Infinity, i) for i in local) + + return epoch, release, pre, post, dev, local diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/__init__.py new file mode 100644 index 0000000..9c1a098 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/__init__.py @@ -0,0 +1,4 @@ +"""Wrappers to build Python packages using PEP 517 hooks +""" + +__version__ = '0.5.0' diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/_in_process.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/_in_process.py new file mode 100644 index 0000000..d6524b6 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/_in_process.py @@ -0,0 +1,207 @@ +"""This is invoked in a subprocess to call the build backend hooks. + +It expects: +- Command line args: hook_name, control_dir +- Environment variable: PEP517_BUILD_BACKEND=entry.point:spec +- control_dir/input.json: + - {"kwargs": {...}} + +Results: +- control_dir/output.json + - {"return_val": ...} +""" +from glob import glob +from importlib import import_module +import os +from os.path import join as pjoin +import re +import shutil +import sys + +# This is run as a script, not a module, so it can't do a relative import +import compat + + +class BackendUnavailable(Exception): + """Raised if we cannot import the backend""" + + +def _build_backend(): + """Find and load the build backend""" + ep = os.environ['PEP517_BUILD_BACKEND'] + mod_path, _, obj_path = ep.partition(':') + try: + obj = import_module(mod_path) + except ImportError: + raise BackendUnavailable + if obj_path: + for path_part in obj_path.split('.'): + obj = getattr(obj, path_part) + return obj + + +def get_requires_for_build_wheel(config_settings): + """Invoke the optional get_requires_for_build_wheel hook + + Returns [] if the hook is not defined. + """ + backend = _build_backend() + try: + hook = backend.get_requires_for_build_wheel + except AttributeError: + return [] + else: + return hook(config_settings) + + +def prepare_metadata_for_build_wheel(metadata_directory, config_settings): + """Invoke optional prepare_metadata_for_build_wheel + + Implements a fallback by building a wheel if the hook isn't defined. + """ + backend = _build_backend() + try: + hook = backend.prepare_metadata_for_build_wheel + except AttributeError: + return _get_wheel_metadata_from_wheel(backend, metadata_directory, + config_settings) + else: + return hook(metadata_directory, config_settings) + + +WHEEL_BUILT_MARKER = 'PEP517_ALREADY_BUILT_WHEEL' + + +def _dist_info_files(whl_zip): + """Identify the .dist-info folder inside a wheel ZipFile.""" + res = [] + for path in whl_zip.namelist(): + m = re.match(r'[^/\\]+-[^/\\]+\.dist-info/', path) + if m: + res.append(path) + if res: + return res + raise Exception("No .dist-info folder found in wheel") + + +def _get_wheel_metadata_from_wheel( + backend, metadata_directory, config_settings): + """Build a wheel and extract the metadata from it. + + Fallback for when the build backend does not + define the 'get_wheel_metadata' hook. + """ + from zipfile import ZipFile + whl_basename = backend.build_wheel(metadata_directory, config_settings) + with open(os.path.join(metadata_directory, WHEEL_BUILT_MARKER), 'wb'): + pass # Touch marker file + + whl_file = os.path.join(metadata_directory, whl_basename) + with ZipFile(whl_file) as zipf: + dist_info = _dist_info_files(zipf) + zipf.extractall(path=metadata_directory, members=dist_info) + return dist_info[0].split('/')[0] + + +def _find_already_built_wheel(metadata_directory): + """Check for a wheel already built during the get_wheel_metadata hook. + """ + if not metadata_directory: + return None + metadata_parent = os.path.dirname(metadata_directory) + if not os.path.isfile(pjoin(metadata_parent, WHEEL_BUILT_MARKER)): + return None + + whl_files = glob(os.path.join(metadata_parent, '*.whl')) + if not whl_files: + print('Found wheel built marker, but no .whl files') + return None + if len(whl_files) > 1: + print('Found multiple .whl files; unspecified behaviour. ' + 'Will call build_wheel.') + return None + + # Exactly one .whl file + return whl_files[0] + + +def build_wheel(wheel_directory, config_settings, metadata_directory=None): + """Invoke the mandatory build_wheel hook. + + If a wheel was already built in the + prepare_metadata_for_build_wheel fallback, this + will copy it rather than rebuilding the wheel. + """ + prebuilt_whl = _find_already_built_wheel(metadata_directory) + if prebuilt_whl: + shutil.copy2(prebuilt_whl, wheel_directory) + return os.path.basename(prebuilt_whl) + + return _build_backend().build_wheel(wheel_directory, config_settings, + metadata_directory) + + +def get_requires_for_build_sdist(config_settings): + """Invoke the optional get_requires_for_build_wheel hook + + Returns [] if the hook is not defined. + """ + backend = _build_backend() + try: + hook = backend.get_requires_for_build_sdist + except AttributeError: + return [] + else: + return hook(config_settings) + + +class _DummyException(Exception): + """Nothing should ever raise this exception""" + + +class GotUnsupportedOperation(Exception): + """For internal use when backend raises UnsupportedOperation""" + + +def build_sdist(sdist_directory, config_settings): + """Invoke the mandatory build_sdist hook.""" + backend = _build_backend() + try: + return backend.build_sdist(sdist_directory, config_settings) + except getattr(backend, 'UnsupportedOperation', _DummyException): + raise GotUnsupportedOperation + + +HOOK_NAMES = { + 'get_requires_for_build_wheel', + 'prepare_metadata_for_build_wheel', + 'build_wheel', + 'get_requires_for_build_sdist', + 'build_sdist', +} + + +def main(): + if len(sys.argv) < 3: + sys.exit("Needs args: hook_name, control_dir") + hook_name = sys.argv[1] + control_dir = sys.argv[2] + if hook_name not in HOOK_NAMES: + sys.exit("Unknown hook: %s" % hook_name) + hook = globals()[hook_name] + + hook_input = compat.read_json(pjoin(control_dir, 'input.json')) + + json_out = {'unsupported': False, 'return_val': None} + try: + json_out['return_val'] = hook(**hook_input['kwargs']) + except BackendUnavailable: + json_out['no_backend'] = True + except GotUnsupportedOperation: + json_out['unsupported'] = True + + compat.write_json(json_out, pjoin(control_dir, 'output.json'), indent=2) + + +if __name__ == '__main__': + main() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/build.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/build.py new file mode 100644 index 0000000..ac6c949 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/build.py @@ -0,0 +1,108 @@ +"""Build a project using PEP 517 hooks. +""" +import argparse +import logging +import os +import contextlib +from pip._vendor import pytoml +import shutil +import errno +import tempfile + +from .envbuild import BuildEnvironment +from .wrappers import Pep517HookCaller + +log = logging.getLogger(__name__) + + +@contextlib.contextmanager +def tempdir(): + td = tempfile.mkdtemp() + try: + yield td + finally: + shutil.rmtree(td) + + +def _do_build(hooks, env, dist, dest): + get_requires_name = 'get_requires_for_build_{dist}'.format(**locals()) + get_requires = getattr(hooks, get_requires_name) + reqs = get_requires({}) + log.info('Got build requires: %s', reqs) + + env.pip_install(reqs) + log.info('Installed dynamic build dependencies') + + with tempdir() as td: + log.info('Trying to build %s in %s', dist, td) + build_name = 'build_{dist}'.format(**locals()) + build = getattr(hooks, build_name) + filename = build(td, {}) + source = os.path.join(td, filename) + shutil.move(source, os.path.join(dest, os.path.basename(filename))) + + +def mkdir_p(*args, **kwargs): + """Like `mkdir`, but does not raise an exception if the + directory already exists. + """ + try: + return os.mkdir(*args, **kwargs) + except OSError as exc: + if exc.errno != errno.EEXIST: + raise + + +def build(source_dir, dist, dest=None): + pyproject = os.path.join(source_dir, 'pyproject.toml') + dest = os.path.join(source_dir, dest or 'dist') + mkdir_p(dest) + + with open(pyproject) as f: + pyproject_data = pytoml.load(f) + # Ensure the mandatory data can be loaded + buildsys = pyproject_data['build-system'] + requires = buildsys['requires'] + backend = buildsys['build-backend'] + + hooks = Pep517HookCaller(source_dir, backend) + + with BuildEnvironment() as env: + env.pip_install(requires) + _do_build(hooks, env, dist, dest) + + +parser = argparse.ArgumentParser() +parser.add_argument( + 'source_dir', + help="A directory containing pyproject.toml", +) +parser.add_argument( + '--binary', '-b', + action='store_true', + default=False, +) +parser.add_argument( + '--source', '-s', + action='store_true', + default=False, +) +parser.add_argument( + '--out-dir', '-o', + help="Destination in which to save the builds relative to source dir", +) + + +def main(args): + # determine which dists to build + dists = list(filter(None, ( + 'sdist' if args.source or not args.binary else None, + 'wheel' if args.binary or not args.source else None, + ))) + + for dist in dists: + build(args.source_dir, dist, args.out_dir) + + +if __name__ == '__main__': + main(parser.parse_args()) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/check.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/check.py new file mode 100644 index 0000000..f4cdc6b --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/check.py @@ -0,0 +1,202 @@ +"""Check a project and backend by attempting to build using PEP 517 hooks. +""" +import argparse +import logging +import os +from os.path import isfile, join as pjoin +from pip._vendor.pytoml import TomlError, load as toml_load +import shutil +from subprocess import CalledProcessError +import sys +import tarfile +from tempfile import mkdtemp +import zipfile + +from .colorlog import enable_colourful_output +from .envbuild import BuildEnvironment +from .wrappers import Pep517HookCaller + +log = logging.getLogger(__name__) + + +def check_build_sdist(hooks, build_sys_requires): + with BuildEnvironment() as env: + try: + env.pip_install(build_sys_requires) + log.info('Installed static build dependencies') + except CalledProcessError: + log.error('Failed to install static build dependencies') + return False + + try: + reqs = hooks.get_requires_for_build_sdist({}) + log.info('Got build requires: %s', reqs) + except Exception: + log.error('Failure in get_requires_for_build_sdist', exc_info=True) + return False + + try: + env.pip_install(reqs) + log.info('Installed dynamic build dependencies') + except CalledProcessError: + log.error('Failed to install dynamic build dependencies') + return False + + td = mkdtemp() + log.info('Trying to build sdist in %s', td) + try: + try: + filename = hooks.build_sdist(td, {}) + log.info('build_sdist returned %r', filename) + except Exception: + log.info('Failure in build_sdist', exc_info=True) + return False + + if not filename.endswith('.tar.gz'): + log.error( + "Filename %s doesn't have .tar.gz extension", filename) + return False + + path = pjoin(td, filename) + if isfile(path): + log.info("Output file %s exists", path) + else: + log.error("Output file %s does not exist", path) + return False + + if tarfile.is_tarfile(path): + log.info("Output file is a tar file") + else: + log.error("Output file is not a tar file") + return False + + finally: + shutil.rmtree(td) + + return True + + +def check_build_wheel(hooks, build_sys_requires): + with BuildEnvironment() as env: + try: + env.pip_install(build_sys_requires) + log.info('Installed static build dependencies') + except CalledProcessError: + log.error('Failed to install static build dependencies') + return False + + try: + reqs = hooks.get_requires_for_build_wheel({}) + log.info('Got build requires: %s', reqs) + except Exception: + log.error('Failure in get_requires_for_build_sdist', exc_info=True) + return False + + try: + env.pip_install(reqs) + log.info('Installed dynamic build dependencies') + except CalledProcessError: + log.error('Failed to install dynamic build dependencies') + return False + + td = mkdtemp() + log.info('Trying to build wheel in %s', td) + try: + try: + filename = hooks.build_wheel(td, {}) + log.info('build_wheel returned %r', filename) + except Exception: + log.info('Failure in build_wheel', exc_info=True) + return False + + if not filename.endswith('.whl'): + log.error("Filename %s doesn't have .whl extension", filename) + return False + + path = pjoin(td, filename) + if isfile(path): + log.info("Output file %s exists", path) + else: + log.error("Output file %s does not exist", path) + return False + + if zipfile.is_zipfile(path): + log.info("Output file is a zip file") + else: + log.error("Output file is not a zip file") + return False + + finally: + shutil.rmtree(td) + + return True + + +def check(source_dir): + pyproject = pjoin(source_dir, 'pyproject.toml') + if isfile(pyproject): + log.info('Found pyproject.toml') + else: + log.error('Missing pyproject.toml') + return False + + try: + with open(pyproject) as f: + pyproject_data = toml_load(f) + # Ensure the mandatory data can be loaded + buildsys = pyproject_data['build-system'] + requires = buildsys['requires'] + backend = buildsys['build-backend'] + log.info('Loaded pyproject.toml') + except (TomlError, KeyError): + log.error("Invalid pyproject.toml", exc_info=True) + return False + + hooks = Pep517HookCaller(source_dir, backend) + + sdist_ok = check_build_sdist(hooks, requires) + wheel_ok = check_build_wheel(hooks, requires) + + if not sdist_ok: + log.warning('Sdist checks failed; scroll up to see') + if not wheel_ok: + log.warning('Wheel checks failed') + + return sdist_ok + + +def main(argv=None): + ap = argparse.ArgumentParser() + ap.add_argument( + 'source_dir', + help="A directory containing pyproject.toml") + args = ap.parse_args(argv) + + enable_colourful_output() + + ok = check(args.source_dir) + + if ok: + print(ansi('Checks passed', 'green')) + else: + print(ansi('Checks failed', 'red')) + sys.exit(1) + + +ansi_codes = { + 'reset': '\x1b[0m', + 'bold': '\x1b[1m', + 'red': '\x1b[31m', + 'green': '\x1b[32m', +} + + +def ansi(s, attr): + if os.name != 'nt' and sys.stdout.isatty(): + return ansi_codes[attr] + str(s) + ansi_codes['reset'] + else: + return str(s) + + +if __name__ == '__main__': + main() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/colorlog.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/colorlog.py new file mode 100644 index 0000000..69c8a59 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/colorlog.py @@ -0,0 +1,115 @@ +"""Nicer log formatting with colours. + +Code copied from Tornado, Apache licensed. +""" +# Copyright 2012 Facebook +# +# Licensed under the Apache License, Version 2.0 (the "License"); you may +# not use this file except in compliance with the License. You may obtain +# a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT +# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the +# License for the specific language governing permissions and limitations +# under the License. + +import logging +import sys + +try: + import curses +except ImportError: + curses = None + + +def _stderr_supports_color(): + color = False + if curses and hasattr(sys.stderr, 'isatty') and sys.stderr.isatty(): + try: + curses.setupterm() + if curses.tigetnum("colors") > 0: + color = True + except Exception: + pass + return color + + +class LogFormatter(logging.Formatter): + """Log formatter with colour support + """ + DEFAULT_COLORS = { + logging.INFO: 2, # Green + logging.WARNING: 3, # Yellow + logging.ERROR: 1, # Red + logging.CRITICAL: 1, + } + + def __init__(self, color=True, datefmt=None): + r""" + :arg bool color: Enables color support. + :arg string fmt: Log message format. + It will be applied to the attributes dict of log records. The + text between ``%(color)s`` and ``%(end_color)s`` will be colored + depending on the level if color support is on. + :arg dict colors: color mappings from logging level to terminal color + code + :arg string datefmt: Datetime format. + Used for formatting ``(asctime)`` placeholder in ``prefix_fmt``. + .. versionchanged:: 3.2 + Added ``fmt`` and ``datefmt`` arguments. + """ + logging.Formatter.__init__(self, datefmt=datefmt) + self._colors = {} + if color and _stderr_supports_color(): + # The curses module has some str/bytes confusion in + # python3. Until version 3.2.3, most methods return + # bytes, but only accept strings. In addition, we want to + # output these strings with the logging module, which + # works with unicode strings. The explicit calls to + # unicode() below are harmless in python2 but will do the + # right conversion in python 3. + fg_color = (curses.tigetstr("setaf") or + curses.tigetstr("setf") or "") + if (3, 0) < sys.version_info < (3, 2, 3): + fg_color = str(fg_color, "ascii") + + for levelno, code in self.DEFAULT_COLORS.items(): + self._colors[levelno] = str( + curses.tparm(fg_color, code), "ascii") + self._normal = str(curses.tigetstr("sgr0"), "ascii") + + scr = curses.initscr() + self.termwidth = scr.getmaxyx()[1] + curses.endwin() + else: + self._normal = '' + # Default width is usually 80, but too wide is + # worse than too narrow + self.termwidth = 70 + + def formatMessage(self, record): + mlen = len(record.message) + right_text = '{initial}-{name}'.format(initial=record.levelname[0], + name=record.name) + if mlen + len(right_text) < self.termwidth: + space = ' ' * (self.termwidth - (mlen + len(right_text))) + else: + space = ' ' + + if record.levelno in self._colors: + start_color = self._colors[record.levelno] + end_color = self._normal + else: + start_color = end_color = '' + + return record.message + space + start_color + right_text + end_color + + +def enable_colourful_output(level=logging.INFO): + handler = logging.StreamHandler() + handler.setFormatter(LogFormatter()) + logging.root.addHandler(handler) + logging.root.setLevel(level) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/compat.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/compat.py new file mode 100644 index 0000000..01c66fc --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/compat.py @@ -0,0 +1,23 @@ +"""Handle reading and writing JSON in UTF-8, on Python 3 and 2.""" +import json +import sys + +if sys.version_info[0] >= 3: + # Python 3 + def write_json(obj, path, **kwargs): + with open(path, 'w', encoding='utf-8') as f: + json.dump(obj, f, **kwargs) + + def read_json(path): + with open(path, 'r', encoding='utf-8') as f: + return json.load(f) + +else: + # Python 2 + def write_json(obj, path, **kwargs): + with open(path, 'wb') as f: + json.dump(obj, f, encoding='utf-8', **kwargs) + + def read_json(path): + with open(path, 'rb') as f: + return json.load(f) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/envbuild.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/envbuild.py new file mode 100644 index 0000000..f7ac5f4 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/envbuild.py @@ -0,0 +1,158 @@ +"""Build wheels/sdists by installing build deps to a temporary environment. +""" + +import os +import logging +from pip._vendor import pytoml +import shutil +from subprocess import check_call +import sys +from sysconfig import get_paths +from tempfile import mkdtemp + +from .wrappers import Pep517HookCaller + +log = logging.getLogger(__name__) + + +def _load_pyproject(source_dir): + with open(os.path.join(source_dir, 'pyproject.toml')) as f: + pyproject_data = pytoml.load(f) + buildsys = pyproject_data['build-system'] + return buildsys['requires'], buildsys['build-backend'] + + +class BuildEnvironment(object): + """Context manager to install build deps in a simple temporary environment + + Based on code I wrote for pip, which is MIT licensed. + """ + # Copyright (c) 2008-2016 The pip developers (see AUTHORS.txt file) + # + # Permission is hereby granted, free of charge, to any person obtaining + # a copy of this software and associated documentation files (the + # "Software"), to deal in the Software without restriction, including + # without limitation the rights to use, copy, modify, merge, publish, + # distribute, sublicense, and/or sell copies of the Software, and to + # permit persons to whom the Software is furnished to do so, subject to + # the following conditions: + # + # The above copyright notice and this permission notice shall be + # included in all copies or substantial portions of the Software. + # + # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, + # EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF + # MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND + # NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE + # LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION + # OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION + # WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. + + path = None + + def __init__(self, cleanup=True): + self._cleanup = cleanup + + def __enter__(self): + self.path = mkdtemp(prefix='pep517-build-env-') + log.info('Temporary build environment: %s', self.path) + + self.save_path = os.environ.get('PATH', None) + self.save_pythonpath = os.environ.get('PYTHONPATH', None) + + install_scheme = 'nt' if (os.name == 'nt') else 'posix_prefix' + install_dirs = get_paths(install_scheme, vars={ + 'base': self.path, + 'platbase': self.path, + }) + + scripts = install_dirs['scripts'] + if self.save_path: + os.environ['PATH'] = scripts + os.pathsep + self.save_path + else: + os.environ['PATH'] = scripts + os.pathsep + os.defpath + + if install_dirs['purelib'] == install_dirs['platlib']: + lib_dirs = install_dirs['purelib'] + else: + lib_dirs = install_dirs['purelib'] + os.pathsep + \ + install_dirs['platlib'] + if self.save_pythonpath: + os.environ['PYTHONPATH'] = lib_dirs + os.pathsep + \ + self.save_pythonpath + else: + os.environ['PYTHONPATH'] = lib_dirs + + return self + + def pip_install(self, reqs): + """Install dependencies into this env by calling pip in a subprocess""" + if not reqs: + return + log.info('Calling pip to install %s', reqs) + check_call([ + sys.executable, '-m', 'pip', 'install', '--ignore-installed', + '--prefix', self.path] + list(reqs)) + + def __exit__(self, exc_type, exc_val, exc_tb): + needs_cleanup = ( + self._cleanup and + self.path is not None and + os.path.isdir(self.path) + ) + if needs_cleanup: + shutil.rmtree(self.path) + + if self.save_path is None: + os.environ.pop('PATH', None) + else: + os.environ['PATH'] = self.save_path + + if self.save_pythonpath is None: + os.environ.pop('PYTHONPATH', None) + else: + os.environ['PYTHONPATH'] = self.save_pythonpath + + +def build_wheel(source_dir, wheel_dir, config_settings=None): + """Build a wheel from a source directory using PEP 517 hooks. + + :param str source_dir: Source directory containing pyproject.toml + :param str wheel_dir: Target directory to create wheel in + :param dict config_settings: Options to pass to build backend + + This is a blocking function which will run pip in a subprocess to install + build requirements. + """ + if config_settings is None: + config_settings = {} + requires, backend = _load_pyproject(source_dir) + hooks = Pep517HookCaller(source_dir, backend) + + with BuildEnvironment() as env: + env.pip_install(requires) + reqs = hooks.get_requires_for_build_wheel(config_settings) + env.pip_install(reqs) + return hooks.build_wheel(wheel_dir, config_settings) + + +def build_sdist(source_dir, sdist_dir, config_settings=None): + """Build an sdist from a source directory using PEP 517 hooks. + + :param str source_dir: Source directory containing pyproject.toml + :param str sdist_dir: Target directory to place sdist in + :param dict config_settings: Options to pass to build backend + + This is a blocking function which will run pip in a subprocess to install + build requirements. + """ + if config_settings is None: + config_settings = {} + requires, backend = _load_pyproject(source_dir) + hooks = Pep517HookCaller(source_dir, backend) + + with BuildEnvironment() as env: + env.pip_install(requires) + reqs = hooks.get_requires_for_build_sdist(config_settings) + env.pip_install(reqs) + return hooks.build_sdist(sdist_dir, config_settings) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/wrappers.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/wrappers.py new file mode 100644 index 0000000..b14b899 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/wrappers.py @@ -0,0 +1,163 @@ +from contextlib import contextmanager +import os +from os.path import dirname, abspath, join as pjoin +import shutil +from subprocess import check_call +import sys +from tempfile import mkdtemp + +from . import compat + +_in_proc_script = pjoin(dirname(abspath(__file__)), '_in_process.py') + + +@contextmanager +def tempdir(): + td = mkdtemp() + try: + yield td + finally: + shutil.rmtree(td) + + +class BackendUnavailable(Exception): + """Will be raised if the backend cannot be imported in the hook process.""" + + +class UnsupportedOperation(Exception): + """May be raised by build_sdist if the backend indicates that it can't.""" + + +def default_subprocess_runner(cmd, cwd=None, extra_environ=None): + """The default method of calling the wrapper subprocess.""" + env = os.environ.copy() + if extra_environ: + env.update(extra_environ) + + check_call(cmd, cwd=cwd, env=env) + + +class Pep517HookCaller(object): + """A wrapper around a source directory to be built with a PEP 517 backend. + + source_dir : The path to the source directory, containing pyproject.toml. + backend : The build backend spec, as per PEP 517, from pyproject.toml. + """ + def __init__(self, source_dir, build_backend): + self.source_dir = abspath(source_dir) + self.build_backend = build_backend + self._subprocess_runner = default_subprocess_runner + + # TODO: Is this over-engineered? Maybe frontends only need to + # set this when creating the wrapper, not on every call. + @contextmanager + def subprocess_runner(self, runner): + prev = self._subprocess_runner + self._subprocess_runner = runner + yield + self._subprocess_runner = prev + + def get_requires_for_build_wheel(self, config_settings=None): + """Identify packages required for building a wheel + + Returns a list of dependency specifications, e.g.: + ["wheel >= 0.25", "setuptools"] + + This does not include requirements specified in pyproject.toml. + It returns the result of calling the equivalently named hook in a + subprocess. + """ + return self._call_hook('get_requires_for_build_wheel', { + 'config_settings': config_settings + }) + + def prepare_metadata_for_build_wheel( + self, metadata_directory, config_settings=None): + """Prepare a *.dist-info folder with metadata for this project. + + Returns the name of the newly created folder. + + If the build backend defines a hook with this name, it will be called + in a subprocess. If not, the backend will be asked to build a wheel, + and the dist-info extracted from that. + """ + return self._call_hook('prepare_metadata_for_build_wheel', { + 'metadata_directory': abspath(metadata_directory), + 'config_settings': config_settings, + }) + + def build_wheel( + self, wheel_directory, config_settings=None, + metadata_directory=None): + """Build a wheel from this project. + + Returns the name of the newly created file. + + In general, this will call the 'build_wheel' hook in the backend. + However, if that was previously called by + 'prepare_metadata_for_build_wheel', and the same metadata_directory is + used, the previously built wheel will be copied to wheel_directory. + """ + if metadata_directory is not None: + metadata_directory = abspath(metadata_directory) + return self._call_hook('build_wheel', { + 'wheel_directory': abspath(wheel_directory), + 'config_settings': config_settings, + 'metadata_directory': metadata_directory, + }) + + def get_requires_for_build_sdist(self, config_settings=None): + """Identify packages required for building a wheel + + Returns a list of dependency specifications, e.g.: + ["setuptools >= 26"] + + This does not include requirements specified in pyproject.toml. + It returns the result of calling the equivalently named hook in a + subprocess. + """ + return self._call_hook('get_requires_for_build_sdist', { + 'config_settings': config_settings + }) + + def build_sdist(self, sdist_directory, config_settings=None): + """Build an sdist from this project. + + Returns the name of the newly created file. + + This calls the 'build_sdist' backend hook in a subprocess. + """ + return self._call_hook('build_sdist', { + 'sdist_directory': abspath(sdist_directory), + 'config_settings': config_settings, + }) + + def _call_hook(self, hook_name, kwargs): + # On Python 2, pytoml returns Unicode values (which is correct) but the + # environment passed to check_call needs to contain string values. We + # convert here by encoding using ASCII (the backend can only contain + # letters, digits and _, . and : characters, and will be used as a + # Python identifier, so non-ASCII content is wrong on Python 2 in + # any case). + if sys.version_info[0] == 2: + build_backend = self.build_backend.encode('ASCII') + else: + build_backend = self.build_backend + + with tempdir() as td: + compat.write_json({'kwargs': kwargs}, pjoin(td, 'input.json'), + indent=2) + + # Run the hook in a subprocess + self._subprocess_runner( + [sys.executable, _in_proc_script, hook_name, td], + cwd=self.source_dir, + extra_environ={'PEP517_BUILD_BACKEND': build_backend} + ) + + data = compat.read_json(pjoin(td, 'output.json')) + if data.get('unsupported'): + raise UnsupportedOperation + if data.get('no_backend'): + raise BackendUnavailable + return data['return_val'] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pkg_resources/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pkg_resources/__init__.py new file mode 100644 index 0000000..9c4fd8e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pkg_resources/__init__.py @@ -0,0 +1,3171 @@ +# coding: utf-8 +""" +Package resource API +-------------------- + +A resource is a logical file contained within a package, or a logical +subdirectory thereof. The package resource API expects resource names +to have their path parts separated with ``/``, *not* whatever the local +path separator is. Do not use os.path operations to manipulate resource +names being passed into the API. + +The package resource API is designed to work with normal filesystem packages, +.egg files, and unpacked .egg files. It can also work in a limited way with +.zip files and with custom PEP 302 loaders that support the ``get_data()`` +method. +""" + +from __future__ import absolute_import + +import sys +import os +import io +import time +import re +import types +import zipfile +import zipimport +import warnings +import stat +import functools +import pkgutil +import operator +import platform +import collections +import plistlib +import email.parser +import errno +import tempfile +import textwrap +import itertools +import inspect +from pkgutil import get_importer + +try: + import _imp +except ImportError: + # Python 3.2 compatibility + import imp as _imp + +try: + FileExistsError +except NameError: + FileExistsError = OSError + +from pip._vendor import six +from pip._vendor.six.moves import urllib, map, filter + +# capture these to bypass sandboxing +from os import utime +try: + from os import mkdir, rename, unlink + WRITE_SUPPORT = True +except ImportError: + # no write support, probably under GAE + WRITE_SUPPORT = False + +from os import open as os_open +from os.path import isdir, split + +try: + import importlib.machinery as importlib_machinery + # access attribute to force import under delayed import mechanisms. + importlib_machinery.__name__ +except ImportError: + importlib_machinery = None + +from . import py31compat +from pip._vendor import appdirs +from pip._vendor import packaging +__import__('pip._vendor.packaging.version') +__import__('pip._vendor.packaging.specifiers') +__import__('pip._vendor.packaging.requirements') +__import__('pip._vendor.packaging.markers') + + +__metaclass__ = type + + +if (3, 0) < sys.version_info < (3, 4): + raise RuntimeError("Python 3.4 or later is required") + +if six.PY2: + # Those builtin exceptions are only defined in Python 3 + PermissionError = None + NotADirectoryError = None + +# declare some globals that will be defined later to +# satisfy the linters. +require = None +working_set = None +add_activation_listener = None +resources_stream = None +cleanup_resources = None +resource_dir = None +resource_stream = None +set_extraction_path = None +resource_isdir = None +resource_string = None +iter_entry_points = None +resource_listdir = None +resource_filename = None +resource_exists = None +_distribution_finders = None +_namespace_handlers = None +_namespace_packages = None + + +class PEP440Warning(RuntimeWarning): + """ + Used when there is an issue with a version or specifier not complying with + PEP 440. + """ + + +def parse_version(v): + try: + return packaging.version.Version(v) + except packaging.version.InvalidVersion: + return packaging.version.LegacyVersion(v) + + +_state_vars = {} + + +def _declare_state(vartype, **kw): + globals().update(kw) + _state_vars.update(dict.fromkeys(kw, vartype)) + + +def __getstate__(): + state = {} + g = globals() + for k, v in _state_vars.items(): + state[k] = g['_sget_' + v](g[k]) + return state + + +def __setstate__(state): + g = globals() + for k, v in state.items(): + g['_sset_' + _state_vars[k]](k, g[k], v) + return state + + +def _sget_dict(val): + return val.copy() + + +def _sset_dict(key, ob, state): + ob.clear() + ob.update(state) + + +def _sget_object(val): + return val.__getstate__() + + +def _sset_object(key, ob, state): + ob.__setstate__(state) + + +_sget_none = _sset_none = lambda *args: None + + +def get_supported_platform(): + """Return this platform's maximum compatible version. + + distutils.util.get_platform() normally reports the minimum version + of Mac OS X that would be required to *use* extensions produced by + distutils. But what we want when checking compatibility is to know the + version of Mac OS X that we are *running*. To allow usage of packages that + explicitly require a newer version of Mac OS X, we must also know the + current version of the OS. + + If this condition occurs for any other platform with a version in its + platform strings, this function should be extended accordingly. + """ + plat = get_build_platform() + m = macosVersionString.match(plat) + if m is not None and sys.platform == "darwin": + try: + plat = 'macosx-%s-%s' % ('.'.join(_macosx_vers()[:2]), m.group(3)) + except ValueError: + # not Mac OS X + pass + return plat + + +__all__ = [ + # Basic resource access and distribution/entry point discovery + 'require', 'run_script', 'get_provider', 'get_distribution', + 'load_entry_point', 'get_entry_map', 'get_entry_info', + 'iter_entry_points', + 'resource_string', 'resource_stream', 'resource_filename', + 'resource_listdir', 'resource_exists', 'resource_isdir', + + # Environmental control + 'declare_namespace', 'working_set', 'add_activation_listener', + 'find_distributions', 'set_extraction_path', 'cleanup_resources', + 'get_default_cache', + + # Primary implementation classes + 'Environment', 'WorkingSet', 'ResourceManager', + 'Distribution', 'Requirement', 'EntryPoint', + + # Exceptions + 'ResolutionError', 'VersionConflict', 'DistributionNotFound', + 'UnknownExtra', 'ExtractionError', + + # Warnings + 'PEP440Warning', + + # Parsing functions and string utilities + 'parse_requirements', 'parse_version', 'safe_name', 'safe_version', + 'get_platform', 'compatible_platforms', 'yield_lines', 'split_sections', + 'safe_extra', 'to_filename', 'invalid_marker', 'evaluate_marker', + + # filesystem utilities + 'ensure_directory', 'normalize_path', + + # Distribution "precedence" constants + 'EGG_DIST', 'BINARY_DIST', 'SOURCE_DIST', 'CHECKOUT_DIST', 'DEVELOP_DIST', + + # "Provider" interfaces, implementations, and registration/lookup APIs + 'IMetadataProvider', 'IResourceProvider', 'FileMetadata', + 'PathMetadata', 'EggMetadata', 'EmptyProvider', 'empty_provider', + 'NullProvider', 'EggProvider', 'DefaultProvider', 'ZipProvider', + 'register_finder', 'register_namespace_handler', 'register_loader_type', + 'fixup_namespace_packages', 'get_importer', + + # Warnings + 'PkgResourcesDeprecationWarning', + + # Deprecated/backward compatibility only + 'run_main', 'AvailableDistributions', +] + + +class ResolutionError(Exception): + """Abstract base for dependency resolution errors""" + + def __repr__(self): + return self.__class__.__name__ + repr(self.args) + + +class VersionConflict(ResolutionError): + """ + An already-installed version conflicts with the requested version. + + Should be initialized with the installed Distribution and the requested + Requirement. + """ + + _template = "{self.dist} is installed but {self.req} is required" + + @property + def dist(self): + return self.args[0] + + @property + def req(self): + return self.args[1] + + def report(self): + return self._template.format(**locals()) + + def with_context(self, required_by): + """ + If required_by is non-empty, return a version of self that is a + ContextualVersionConflict. + """ + if not required_by: + return self + args = self.args + (required_by,) + return ContextualVersionConflict(*args) + + +class ContextualVersionConflict(VersionConflict): + """ + A VersionConflict that accepts a third parameter, the set of the + requirements that required the installed Distribution. + """ + + _template = VersionConflict._template + ' by {self.required_by}' + + @property + def required_by(self): + return self.args[2] + + +class DistributionNotFound(ResolutionError): + """A requested distribution was not found""" + + _template = ("The '{self.req}' distribution was not found " + "and is required by {self.requirers_str}") + + @property + def req(self): + return self.args[0] + + @property + def requirers(self): + return self.args[1] + + @property + def requirers_str(self): + if not self.requirers: + return 'the application' + return ', '.join(self.requirers) + + def report(self): + return self._template.format(**locals()) + + def __str__(self): + return self.report() + + +class UnknownExtra(ResolutionError): + """Distribution doesn't have an "extra feature" of the given name""" + + +_provider_factories = {} + +PY_MAJOR = sys.version[:3] +EGG_DIST = 3 +BINARY_DIST = 2 +SOURCE_DIST = 1 +CHECKOUT_DIST = 0 +DEVELOP_DIST = -1 + + +def register_loader_type(loader_type, provider_factory): + """Register `provider_factory` to make providers for `loader_type` + + `loader_type` is the type or class of a PEP 302 ``module.__loader__``, + and `provider_factory` is a function that, passed a *module* object, + returns an ``IResourceProvider`` for that module. + """ + _provider_factories[loader_type] = provider_factory + + +def get_provider(moduleOrReq): + """Return an IResourceProvider for the named module or requirement""" + if isinstance(moduleOrReq, Requirement): + return working_set.find(moduleOrReq) or require(str(moduleOrReq))[0] + try: + module = sys.modules[moduleOrReq] + except KeyError: + __import__(moduleOrReq) + module = sys.modules[moduleOrReq] + loader = getattr(module, '__loader__', None) + return _find_adapter(_provider_factories, loader)(module) + + +def _macosx_vers(_cache=[]): + if not _cache: + version = platform.mac_ver()[0] + # fallback for MacPorts + if version == '': + plist = '/System/Library/CoreServices/SystemVersion.plist' + if os.path.exists(plist): + if hasattr(plistlib, 'readPlist'): + plist_content = plistlib.readPlist(plist) + if 'ProductVersion' in plist_content: + version = plist_content['ProductVersion'] + + _cache.append(version.split('.')) + return _cache[0] + + +def _macosx_arch(machine): + return {'PowerPC': 'ppc', 'Power_Macintosh': 'ppc'}.get(machine, machine) + + +def get_build_platform(): + """Return this platform's string for platform-specific distributions + + XXX Currently this is the same as ``distutils.util.get_platform()``, but it + needs some hacks for Linux and Mac OS X. + """ + from sysconfig import get_platform + + plat = get_platform() + if sys.platform == "darwin" and not plat.startswith('macosx-'): + try: + version = _macosx_vers() + machine = os.uname()[4].replace(" ", "_") + return "macosx-%d.%d-%s" % ( + int(version[0]), int(version[1]), + _macosx_arch(machine), + ) + except ValueError: + # if someone is running a non-Mac darwin system, this will fall + # through to the default implementation + pass + return plat + + +macosVersionString = re.compile(r"macosx-(\d+)\.(\d+)-(.*)") +darwinVersionString = re.compile(r"darwin-(\d+)\.(\d+)\.(\d+)-(.*)") +# XXX backward compat +get_platform = get_build_platform + + +def compatible_platforms(provided, required): + """Can code for the `provided` platform run on the `required` platform? + + Returns true if either platform is ``None``, or the platforms are equal. + + XXX Needs compatibility checks for Linux and other unixy OSes. + """ + if provided is None or required is None or provided == required: + # easy case + return True + + # Mac OS X special cases + reqMac = macosVersionString.match(required) + if reqMac: + provMac = macosVersionString.match(provided) + + # is this a Mac package? + if not provMac: + # this is backwards compatibility for packages built before + # setuptools 0.6. All packages built after this point will + # use the new macosx designation. + provDarwin = darwinVersionString.match(provided) + if provDarwin: + dversion = int(provDarwin.group(1)) + macosversion = "%s.%s" % (reqMac.group(1), reqMac.group(2)) + if dversion == 7 and macosversion >= "10.3" or \ + dversion == 8 and macosversion >= "10.4": + return True + # egg isn't macosx or legacy darwin + return False + + # are they the same major version and machine type? + if provMac.group(1) != reqMac.group(1) or \ + provMac.group(3) != reqMac.group(3): + return False + + # is the required OS major update >= the provided one? + if int(provMac.group(2)) > int(reqMac.group(2)): + return False + + return True + + # XXX Linux and other platforms' special cases should go here + return False + + +def run_script(dist_spec, script_name): + """Locate distribution `dist_spec` and run its `script_name` script""" + ns = sys._getframe(1).f_globals + name = ns['__name__'] + ns.clear() + ns['__name__'] = name + require(dist_spec)[0].run_script(script_name, ns) + + +# backward compatibility +run_main = run_script + + +def get_distribution(dist): + """Return a current distribution object for a Requirement or string""" + if isinstance(dist, six.string_types): + dist = Requirement.parse(dist) + if isinstance(dist, Requirement): + dist = get_provider(dist) + if not isinstance(dist, Distribution): + raise TypeError("Expected string, Requirement, or Distribution", dist) + return dist + + +def load_entry_point(dist, group, name): + """Return `name` entry point of `group` for `dist` or raise ImportError""" + return get_distribution(dist).load_entry_point(group, name) + + +def get_entry_map(dist, group=None): + """Return the entry point map for `group`, or the full entry map""" + return get_distribution(dist).get_entry_map(group) + + +def get_entry_info(dist, group, name): + """Return the EntryPoint object for `group`+`name`, or ``None``""" + return get_distribution(dist).get_entry_info(group, name) + + +class IMetadataProvider: + def has_metadata(name): + """Does the package's distribution contain the named metadata?""" + + def get_metadata(name): + """The named metadata resource as a string""" + + def get_metadata_lines(name): + """Yield named metadata resource as list of non-blank non-comment lines + + Leading and trailing whitespace is stripped from each line, and lines + with ``#`` as the first non-blank character are omitted.""" + + def metadata_isdir(name): + """Is the named metadata a directory? (like ``os.path.isdir()``)""" + + def metadata_listdir(name): + """List of metadata names in the directory (like ``os.listdir()``)""" + + def run_script(script_name, namespace): + """Execute the named script in the supplied namespace dictionary""" + + +class IResourceProvider(IMetadataProvider): + """An object that provides access to package resources""" + + def get_resource_filename(manager, resource_name): + """Return a true filesystem path for `resource_name` + + `manager` must be an ``IResourceManager``""" + + def get_resource_stream(manager, resource_name): + """Return a readable file-like object for `resource_name` + + `manager` must be an ``IResourceManager``""" + + def get_resource_string(manager, resource_name): + """Return a string containing the contents of `resource_name` + + `manager` must be an ``IResourceManager``""" + + def has_resource(resource_name): + """Does the package contain the named resource?""" + + def resource_isdir(resource_name): + """Is the named resource a directory? (like ``os.path.isdir()``)""" + + def resource_listdir(resource_name): + """List of resource names in the directory (like ``os.listdir()``)""" + + +class WorkingSet: + """A collection of active distributions on sys.path (or a similar list)""" + + def __init__(self, entries=None): + """Create working set from list of path entries (default=sys.path)""" + self.entries = [] + self.entry_keys = {} + self.by_key = {} + self.callbacks = [] + + if entries is None: + entries = sys.path + + for entry in entries: + self.add_entry(entry) + + @classmethod + def _build_master(cls): + """ + Prepare the master working set. + """ + ws = cls() + try: + from __main__ import __requires__ + except ImportError: + # The main program does not list any requirements + return ws + + # ensure the requirements are met + try: + ws.require(__requires__) + except VersionConflict: + return cls._build_from_requirements(__requires__) + + return ws + + @classmethod + def _build_from_requirements(cls, req_spec): + """ + Build a working set from a requirement spec. Rewrites sys.path. + """ + # try it without defaults already on sys.path + # by starting with an empty path + ws = cls([]) + reqs = parse_requirements(req_spec) + dists = ws.resolve(reqs, Environment()) + for dist in dists: + ws.add(dist) + + # add any missing entries from sys.path + for entry in sys.path: + if entry not in ws.entries: + ws.add_entry(entry) + + # then copy back to sys.path + sys.path[:] = ws.entries + return ws + + def add_entry(self, entry): + """Add a path item to ``.entries``, finding any distributions on it + + ``find_distributions(entry, True)`` is used to find distributions + corresponding to the path entry, and they are added. `entry` is + always appended to ``.entries``, even if it is already present. + (This is because ``sys.path`` can contain the same value more than + once, and the ``.entries`` of the ``sys.path`` WorkingSet should always + equal ``sys.path``.) + """ + self.entry_keys.setdefault(entry, []) + self.entries.append(entry) + for dist in find_distributions(entry, True): + self.add(dist, entry, False) + + def __contains__(self, dist): + """True if `dist` is the active distribution for its project""" + return self.by_key.get(dist.key) == dist + + def find(self, req): + """Find a distribution matching requirement `req` + + If there is an active distribution for the requested project, this + returns it as long as it meets the version requirement specified by + `req`. But, if there is an active distribution for the project and it + does *not* meet the `req` requirement, ``VersionConflict`` is raised. + If there is no active distribution for the requested project, ``None`` + is returned. + """ + dist = self.by_key.get(req.key) + if dist is not None and dist not in req: + # XXX add more info + raise VersionConflict(dist, req) + return dist + + def iter_entry_points(self, group, name=None): + """Yield entry point objects from `group` matching `name` + + If `name` is None, yields all entry points in `group` from all + distributions in the working set, otherwise only ones matching + both `group` and `name` are yielded (in distribution order). + """ + return ( + entry + for dist in self + for entry in dist.get_entry_map(group).values() + if name is None or name == entry.name + ) + + def run_script(self, requires, script_name): + """Locate distribution for `requires` and run `script_name` script""" + ns = sys._getframe(1).f_globals + name = ns['__name__'] + ns.clear() + ns['__name__'] = name + self.require(requires)[0].run_script(script_name, ns) + + def __iter__(self): + """Yield distributions for non-duplicate projects in the working set + + The yield order is the order in which the items' path entries were + added to the working set. + """ + seen = {} + for item in self.entries: + if item not in self.entry_keys: + # workaround a cache issue + continue + + for key in self.entry_keys[item]: + if key not in seen: + seen[key] = 1 + yield self.by_key[key] + + def add(self, dist, entry=None, insert=True, replace=False): + """Add `dist` to working set, associated with `entry` + + If `entry` is unspecified, it defaults to the ``.location`` of `dist`. + On exit from this routine, `entry` is added to the end of the working + set's ``.entries`` (if it wasn't already present). + + `dist` is only added to the working set if it's for a project that + doesn't already have a distribution in the set, unless `replace=True`. + If it's added, any callbacks registered with the ``subscribe()`` method + will be called. + """ + if insert: + dist.insert_on(self.entries, entry, replace=replace) + + if entry is None: + entry = dist.location + keys = self.entry_keys.setdefault(entry, []) + keys2 = self.entry_keys.setdefault(dist.location, []) + if not replace and dist.key in self.by_key: + # ignore hidden distros + return + + self.by_key[dist.key] = dist + if dist.key not in keys: + keys.append(dist.key) + if dist.key not in keys2: + keys2.append(dist.key) + self._added_new(dist) + + def resolve(self, requirements, env=None, installer=None, + replace_conflicting=False, extras=None): + """List all distributions needed to (recursively) meet `requirements` + + `requirements` must be a sequence of ``Requirement`` objects. `env`, + if supplied, should be an ``Environment`` instance. If + not supplied, it defaults to all distributions available within any + entry or distribution in the working set. `installer`, if supplied, + will be invoked with each requirement that cannot be met by an + already-installed distribution; it should return a ``Distribution`` or + ``None``. + + Unless `replace_conflicting=True`, raises a VersionConflict exception + if + any requirements are found on the path that have the correct name but + the wrong version. Otherwise, if an `installer` is supplied it will be + invoked to obtain the correct version of the requirement and activate + it. + + `extras` is a list of the extras to be used with these requirements. + This is important because extra requirements may look like `my_req; + extra = "my_extra"`, which would otherwise be interpreted as a purely + optional requirement. Instead, we want to be able to assert that these + requirements are truly required. + """ + + # set up the stack + requirements = list(requirements)[::-1] + # set of processed requirements + processed = {} + # key -> dist + best = {} + to_activate = [] + + req_extras = _ReqExtras() + + # Mapping of requirement to set of distributions that required it; + # useful for reporting info about conflicts. + required_by = collections.defaultdict(set) + + while requirements: + # process dependencies breadth-first + req = requirements.pop(0) + if req in processed: + # Ignore cyclic or redundant dependencies + continue + + if not req_extras.markers_pass(req, extras): + continue + + dist = best.get(req.key) + if dist is None: + # Find the best distribution and add it to the map + dist = self.by_key.get(req.key) + if dist is None or (dist not in req and replace_conflicting): + ws = self + if env is None: + if dist is None: + env = Environment(self.entries) + else: + # Use an empty environment and workingset to avoid + # any further conflicts with the conflicting + # distribution + env = Environment([]) + ws = WorkingSet([]) + dist = best[req.key] = env.best_match( + req, ws, installer, + replace_conflicting=replace_conflicting + ) + if dist is None: + requirers = required_by.get(req, None) + raise DistributionNotFound(req, requirers) + to_activate.append(dist) + if dist not in req: + # Oops, the "best" so far conflicts with a dependency + dependent_req = required_by[req] + raise VersionConflict(dist, req).with_context(dependent_req) + + # push the new requirements onto the stack + new_requirements = dist.requires(req.extras)[::-1] + requirements.extend(new_requirements) + + # Register the new requirements needed by req + for new_requirement in new_requirements: + required_by[new_requirement].add(req.project_name) + req_extras[new_requirement] = req.extras + + processed[req] = True + + # return list of distros to activate + return to_activate + + def find_plugins( + self, plugin_env, full_env=None, installer=None, fallback=True): + """Find all activatable distributions in `plugin_env` + + Example usage:: + + distributions, errors = working_set.find_plugins( + Environment(plugin_dirlist) + ) + # add plugins+libs to sys.path + map(working_set.add, distributions) + # display errors + print('Could not load', errors) + + The `plugin_env` should be an ``Environment`` instance that contains + only distributions that are in the project's "plugin directory" or + directories. The `full_env`, if supplied, should be an ``Environment`` + contains all currently-available distributions. If `full_env` is not + supplied, one is created automatically from the ``WorkingSet`` this + method is called on, which will typically mean that every directory on + ``sys.path`` will be scanned for distributions. + + `installer` is a standard installer callback as used by the + ``resolve()`` method. The `fallback` flag indicates whether we should + attempt to resolve older versions of a plugin if the newest version + cannot be resolved. + + This method returns a 2-tuple: (`distributions`, `error_info`), where + `distributions` is a list of the distributions found in `plugin_env` + that were loadable, along with any other distributions that are needed + to resolve their dependencies. `error_info` is a dictionary mapping + unloadable plugin distributions to an exception instance describing the + error that occurred. Usually this will be a ``DistributionNotFound`` or + ``VersionConflict`` instance. + """ + + plugin_projects = list(plugin_env) + # scan project names in alphabetic order + plugin_projects.sort() + + error_info = {} + distributions = {} + + if full_env is None: + env = Environment(self.entries) + env += plugin_env + else: + env = full_env + plugin_env + + shadow_set = self.__class__([]) + # put all our entries in shadow_set + list(map(shadow_set.add, self)) + + for project_name in plugin_projects: + + for dist in plugin_env[project_name]: + + req = [dist.as_requirement()] + + try: + resolvees = shadow_set.resolve(req, env, installer) + + except ResolutionError as v: + # save error info + error_info[dist] = v + if fallback: + # try the next older version of project + continue + else: + # give up on this project, keep going + break + + else: + list(map(shadow_set.add, resolvees)) + distributions.update(dict.fromkeys(resolvees)) + + # success, no need to try any more versions of this project + break + + distributions = list(distributions) + distributions.sort() + + return distributions, error_info + + def require(self, *requirements): + """Ensure that distributions matching `requirements` are activated + + `requirements` must be a string or a (possibly-nested) sequence + thereof, specifying the distributions and versions required. The + return value is a sequence of the distributions that needed to be + activated to fulfill the requirements; all relevant distributions are + included, even if they were already activated in this working set. + """ + needed = self.resolve(parse_requirements(requirements)) + + for dist in needed: + self.add(dist) + + return needed + + def subscribe(self, callback, existing=True): + """Invoke `callback` for all distributions + + If `existing=True` (default), + call on all existing ones, as well. + """ + if callback in self.callbacks: + return + self.callbacks.append(callback) + if not existing: + return + for dist in self: + callback(dist) + + def _added_new(self, dist): + for callback in self.callbacks: + callback(dist) + + def __getstate__(self): + return ( + self.entries[:], self.entry_keys.copy(), self.by_key.copy(), + self.callbacks[:] + ) + + def __setstate__(self, e_k_b_c): + entries, keys, by_key, callbacks = e_k_b_c + self.entries = entries[:] + self.entry_keys = keys.copy() + self.by_key = by_key.copy() + self.callbacks = callbacks[:] + + +class _ReqExtras(dict): + """ + Map each requirement to the extras that demanded it. + """ + + def markers_pass(self, req, extras=None): + """ + Evaluate markers for req against each extra that + demanded it. + + Return False if the req has a marker and fails + evaluation. Otherwise, return True. + """ + extra_evals = ( + req.marker.evaluate({'extra': extra}) + for extra in self.get(req, ()) + (extras or (None,)) + ) + return not req.marker or any(extra_evals) + + +class Environment: + """Searchable snapshot of distributions on a search path""" + + def __init__( + self, search_path=None, platform=get_supported_platform(), + python=PY_MAJOR): + """Snapshot distributions available on a search path + + Any distributions found on `search_path` are added to the environment. + `search_path` should be a sequence of ``sys.path`` items. If not + supplied, ``sys.path`` is used. + + `platform` is an optional string specifying the name of the platform + that platform-specific distributions must be compatible with. If + unspecified, it defaults to the current platform. `python` is an + optional string naming the desired version of Python (e.g. ``'3.6'``); + it defaults to the current version. + + You may explicitly set `platform` (and/or `python`) to ``None`` if you + wish to map *all* distributions, not just those compatible with the + running platform or Python version. + """ + self._distmap = {} + self.platform = platform + self.python = python + self.scan(search_path) + + def can_add(self, dist): + """Is distribution `dist` acceptable for this environment? + + The distribution must match the platform and python version + requirements specified when this environment was created, or False + is returned. + """ + py_compat = ( + self.python is None + or dist.py_version is None + or dist.py_version == self.python + ) + return py_compat and compatible_platforms(dist.platform, self.platform) + + def remove(self, dist): + """Remove `dist` from the environment""" + self._distmap[dist.key].remove(dist) + + def scan(self, search_path=None): + """Scan `search_path` for distributions usable in this environment + + Any distributions found are added to the environment. + `search_path` should be a sequence of ``sys.path`` items. If not + supplied, ``sys.path`` is used. Only distributions conforming to + the platform/python version defined at initialization are added. + """ + if search_path is None: + search_path = sys.path + + for item in search_path: + for dist in find_distributions(item): + self.add(dist) + + def __getitem__(self, project_name): + """Return a newest-to-oldest list of distributions for `project_name` + + Uses case-insensitive `project_name` comparison, assuming all the + project's distributions use their project's name converted to all + lowercase as their key. + + """ + distribution_key = project_name.lower() + return self._distmap.get(distribution_key, []) + + def add(self, dist): + """Add `dist` if we ``can_add()`` it and it has not already been added + """ + if self.can_add(dist) and dist.has_version(): + dists = self._distmap.setdefault(dist.key, []) + if dist not in dists: + dists.append(dist) + dists.sort(key=operator.attrgetter('hashcmp'), reverse=True) + + def best_match( + self, req, working_set, installer=None, replace_conflicting=False): + """Find distribution best matching `req` and usable on `working_set` + + This calls the ``find(req)`` method of the `working_set` to see if a + suitable distribution is already active. (This may raise + ``VersionConflict`` if an unsuitable version of the project is already + active in the specified `working_set`.) If a suitable distribution + isn't active, this method returns the newest distribution in the + environment that meets the ``Requirement`` in `req`. If no suitable + distribution is found, and `installer` is supplied, then the result of + calling the environment's ``obtain(req, installer)`` method will be + returned. + """ + try: + dist = working_set.find(req) + except VersionConflict: + if not replace_conflicting: + raise + dist = None + if dist is not None: + return dist + for dist in self[req.key]: + if dist in req: + return dist + # try to download/install + return self.obtain(req, installer) + + def obtain(self, requirement, installer=None): + """Obtain a distribution matching `requirement` (e.g. via download) + + Obtain a distro that matches requirement (e.g. via download). In the + base ``Environment`` class, this routine just returns + ``installer(requirement)``, unless `installer` is None, in which case + None is returned instead. This method is a hook that allows subclasses + to attempt other ways of obtaining a distribution before falling back + to the `installer` argument.""" + if installer is not None: + return installer(requirement) + + def __iter__(self): + """Yield the unique project names of the available distributions""" + for key in self._distmap.keys(): + if self[key]: + yield key + + def __iadd__(self, other): + """In-place addition of a distribution or environment""" + if isinstance(other, Distribution): + self.add(other) + elif isinstance(other, Environment): + for project in other: + for dist in other[project]: + self.add(dist) + else: + raise TypeError("Can't add %r to environment" % (other,)) + return self + + def __add__(self, other): + """Add an environment or distribution to an environment""" + new = self.__class__([], platform=None, python=None) + for env in self, other: + new += env + return new + + +# XXX backward compatibility +AvailableDistributions = Environment + + +class ExtractionError(RuntimeError): + """An error occurred extracting a resource + + The following attributes are available from instances of this exception: + + manager + The resource manager that raised this exception + + cache_path + The base directory for resource extraction + + original_error + The exception instance that caused extraction to fail + """ + + +class ResourceManager: + """Manage resource extraction and packages""" + extraction_path = None + + def __init__(self): + self.cached_files = {} + + def resource_exists(self, package_or_requirement, resource_name): + """Does the named resource exist?""" + return get_provider(package_or_requirement).has_resource(resource_name) + + def resource_isdir(self, package_or_requirement, resource_name): + """Is the named resource an existing directory?""" + return get_provider(package_or_requirement).resource_isdir( + resource_name + ) + + def resource_filename(self, package_or_requirement, resource_name): + """Return a true filesystem path for specified resource""" + return get_provider(package_or_requirement).get_resource_filename( + self, resource_name + ) + + def resource_stream(self, package_or_requirement, resource_name): + """Return a readable file-like object for specified resource""" + return get_provider(package_or_requirement).get_resource_stream( + self, resource_name + ) + + def resource_string(self, package_or_requirement, resource_name): + """Return specified resource as a string""" + return get_provider(package_or_requirement).get_resource_string( + self, resource_name + ) + + def resource_listdir(self, package_or_requirement, resource_name): + """List the contents of the named resource directory""" + return get_provider(package_or_requirement).resource_listdir( + resource_name + ) + + def extraction_error(self): + """Give an error message for problems extracting file(s)""" + + old_exc = sys.exc_info()[1] + cache_path = self.extraction_path or get_default_cache() + + tmpl = textwrap.dedent(""" + Can't extract file(s) to egg cache + + The following error occurred while trying to extract file(s) + to the Python egg cache: + + {old_exc} + + The Python egg cache directory is currently set to: + + {cache_path} + + Perhaps your account does not have write access to this directory? + You can change the cache directory by setting the PYTHON_EGG_CACHE + environment variable to point to an accessible directory. + """).lstrip() + err = ExtractionError(tmpl.format(**locals())) + err.manager = self + err.cache_path = cache_path + err.original_error = old_exc + raise err + + def get_cache_path(self, archive_name, names=()): + """Return absolute location in cache for `archive_name` and `names` + + The parent directory of the resulting path will be created if it does + not already exist. `archive_name` should be the base filename of the + enclosing egg (which may not be the name of the enclosing zipfile!), + including its ".egg" extension. `names`, if provided, should be a + sequence of path name parts "under" the egg's extraction location. + + This method should only be called by resource providers that need to + obtain an extraction location, and only for names they intend to + extract, as it tracks the generated names for possible cleanup later. + """ + extract_path = self.extraction_path or get_default_cache() + target_path = os.path.join(extract_path, archive_name + '-tmp', *names) + try: + _bypass_ensure_directory(target_path) + except Exception: + self.extraction_error() + + self._warn_unsafe_extraction_path(extract_path) + + self.cached_files[target_path] = 1 + return target_path + + @staticmethod + def _warn_unsafe_extraction_path(path): + """ + If the default extraction path is overridden and set to an insecure + location, such as /tmp, it opens up an opportunity for an attacker to + replace an extracted file with an unauthorized payload. Warn the user + if a known insecure location is used. + + See Distribute #375 for more details. + """ + if os.name == 'nt' and not path.startswith(os.environ['windir']): + # On Windows, permissions are generally restrictive by default + # and temp directories are not writable by other users, so + # bypass the warning. + return + mode = os.stat(path).st_mode + if mode & stat.S_IWOTH or mode & stat.S_IWGRP: + msg = ( + "%s is writable by group/others and vulnerable to attack " + "when " + "used with get_resource_filename. Consider a more secure " + "location (set with .set_extraction_path or the " + "PYTHON_EGG_CACHE environment variable)." % path + ) + warnings.warn(msg, UserWarning) + + def postprocess(self, tempname, filename): + """Perform any platform-specific postprocessing of `tempname` + + This is where Mac header rewrites should be done; other platforms don't + have anything special they should do. + + Resource providers should call this method ONLY after successfully + extracting a compressed resource. They must NOT call it on resources + that are already in the filesystem. + + `tempname` is the current (temporary) name of the file, and `filename` + is the name it will be renamed to by the caller after this routine + returns. + """ + + if os.name == 'posix': + # Make the resource executable + mode = ((os.stat(tempname).st_mode) | 0o555) & 0o7777 + os.chmod(tempname, mode) + + def set_extraction_path(self, path): + """Set the base path where resources will be extracted to, if needed. + + If you do not call this routine before any extractions take place, the + path defaults to the return value of ``get_default_cache()``. (Which + is based on the ``PYTHON_EGG_CACHE`` environment variable, with various + platform-specific fallbacks. See that routine's documentation for more + details.) + + Resources are extracted to subdirectories of this path based upon + information given by the ``IResourceProvider``. You may set this to a + temporary directory, but then you must call ``cleanup_resources()`` to + delete the extracted files when done. There is no guarantee that + ``cleanup_resources()`` will be able to remove all extracted files. + + (Note: you may not change the extraction path for a given resource + manager once resources have been extracted, unless you first call + ``cleanup_resources()``.) + """ + if self.cached_files: + raise ValueError( + "Can't change extraction path, files already extracted" + ) + + self.extraction_path = path + + def cleanup_resources(self, force=False): + """ + Delete all extracted resource files and directories, returning a list + of the file and directory names that could not be successfully removed. + This function does not have any concurrency protection, so it should + generally only be called when the extraction path is a temporary + directory exclusive to a single process. This method is not + automatically called; you must call it explicitly or register it as an + ``atexit`` function if you wish to ensure cleanup of a temporary + directory used for extractions. + """ + # XXX + + +def get_default_cache(): + """ + Return the ``PYTHON_EGG_CACHE`` environment variable + or a platform-relevant user cache dir for an app + named "Python-Eggs". + """ + return ( + os.environ.get('PYTHON_EGG_CACHE') + or appdirs.user_cache_dir(appname='Python-Eggs') + ) + + +def safe_name(name): + """Convert an arbitrary string to a standard distribution name + + Any runs of non-alphanumeric/. characters are replaced with a single '-'. + """ + return re.sub('[^A-Za-z0-9.]+', '-', name) + + +def safe_version(version): + """ + Convert an arbitrary string to a standard version string + """ + try: + # normalize the version + return str(packaging.version.Version(version)) + except packaging.version.InvalidVersion: + version = version.replace(' ', '.') + return re.sub('[^A-Za-z0-9.]+', '-', version) + + +def safe_extra(extra): + """Convert an arbitrary string to a standard 'extra' name + + Any runs of non-alphanumeric characters are replaced with a single '_', + and the result is always lowercased. + """ + return re.sub('[^A-Za-z0-9.-]+', '_', extra).lower() + + +def to_filename(name): + """Convert a project or version name to its filename-escaped form + + Any '-' characters are currently replaced with '_'. + """ + return name.replace('-', '_') + + +def invalid_marker(text): + """ + Validate text as a PEP 508 environment marker; return an exception + if invalid or False otherwise. + """ + try: + evaluate_marker(text) + except SyntaxError as e: + e.filename = None + e.lineno = None + return e + return False + + +def evaluate_marker(text, extra=None): + """ + Evaluate a PEP 508 environment marker. + Return a boolean indicating the marker result in this environment. + Raise SyntaxError if marker is invalid. + + This implementation uses the 'pyparsing' module. + """ + try: + marker = packaging.markers.Marker(text) + return marker.evaluate() + except packaging.markers.InvalidMarker as e: + raise SyntaxError(e) + + +class NullProvider: + """Try to implement resources and metadata for arbitrary PEP 302 loaders""" + + egg_name = None + egg_info = None + loader = None + + def __init__(self, module): + self.loader = getattr(module, '__loader__', None) + self.module_path = os.path.dirname(getattr(module, '__file__', '')) + + def get_resource_filename(self, manager, resource_name): + return self._fn(self.module_path, resource_name) + + def get_resource_stream(self, manager, resource_name): + return io.BytesIO(self.get_resource_string(manager, resource_name)) + + def get_resource_string(self, manager, resource_name): + return self._get(self._fn(self.module_path, resource_name)) + + def has_resource(self, resource_name): + return self._has(self._fn(self.module_path, resource_name)) + + def has_metadata(self, name): + return self.egg_info and self._has(self._fn(self.egg_info, name)) + + def get_metadata(self, name): + if not self.egg_info: + return "" + value = self._get(self._fn(self.egg_info, name)) + return value.decode('utf-8') if six.PY3 else value + + def get_metadata_lines(self, name): + return yield_lines(self.get_metadata(name)) + + def resource_isdir(self, resource_name): + return self._isdir(self._fn(self.module_path, resource_name)) + + def metadata_isdir(self, name): + return self.egg_info and self._isdir(self._fn(self.egg_info, name)) + + def resource_listdir(self, resource_name): + return self._listdir(self._fn(self.module_path, resource_name)) + + def metadata_listdir(self, name): + if self.egg_info: + return self._listdir(self._fn(self.egg_info, name)) + return [] + + def run_script(self, script_name, namespace): + script = 'scripts/' + script_name + if not self.has_metadata(script): + raise ResolutionError( + "Script {script!r} not found in metadata at {self.egg_info!r}" + .format(**locals()), + ) + script_text = self.get_metadata(script).replace('\r\n', '\n') + script_text = script_text.replace('\r', '\n') + script_filename = self._fn(self.egg_info, script) + namespace['__file__'] = script_filename + if os.path.exists(script_filename): + source = open(script_filename).read() + code = compile(source, script_filename, 'exec') + exec(code, namespace, namespace) + else: + from linecache import cache + cache[script_filename] = ( + len(script_text), 0, script_text.split('\n'), script_filename + ) + script_code = compile(script_text, script_filename, 'exec') + exec(script_code, namespace, namespace) + + def _has(self, path): + raise NotImplementedError( + "Can't perform this operation for unregistered loader type" + ) + + def _isdir(self, path): + raise NotImplementedError( + "Can't perform this operation for unregistered loader type" + ) + + def _listdir(self, path): + raise NotImplementedError( + "Can't perform this operation for unregistered loader type" + ) + + def _fn(self, base, resource_name): + if resource_name: + return os.path.join(base, *resource_name.split('/')) + return base + + def _get(self, path): + if hasattr(self.loader, 'get_data'): + return self.loader.get_data(path) + raise NotImplementedError( + "Can't perform this operation for loaders without 'get_data()'" + ) + + +register_loader_type(object, NullProvider) + + +class EggProvider(NullProvider): + """Provider based on a virtual filesystem""" + + def __init__(self, module): + NullProvider.__init__(self, module) + self._setup_prefix() + + def _setup_prefix(self): + # we assume here that our metadata may be nested inside a "basket" + # of multiple eggs; that's why we use module_path instead of .archive + path = self.module_path + old = None + while path != old: + if _is_egg_path(path): + self.egg_name = os.path.basename(path) + self.egg_info = os.path.join(path, 'EGG-INFO') + self.egg_root = path + break + old = path + path, base = os.path.split(path) + + +class DefaultProvider(EggProvider): + """Provides access to package resources in the filesystem""" + + def _has(self, path): + return os.path.exists(path) + + def _isdir(self, path): + return os.path.isdir(path) + + def _listdir(self, path): + return os.listdir(path) + + def get_resource_stream(self, manager, resource_name): + return open(self._fn(self.module_path, resource_name), 'rb') + + def _get(self, path): + with open(path, 'rb') as stream: + return stream.read() + + @classmethod + def _register(cls): + loader_names = 'SourceFileLoader', 'SourcelessFileLoader', + for name in loader_names: + loader_cls = getattr(importlib_machinery, name, type(None)) + register_loader_type(loader_cls, cls) + + +DefaultProvider._register() + + +class EmptyProvider(NullProvider): + """Provider that returns nothing for all requests""" + + module_path = None + + _isdir = _has = lambda self, path: False + + def _get(self, path): + return '' + + def _listdir(self, path): + return [] + + def __init__(self): + pass + + +empty_provider = EmptyProvider() + + +class ZipManifests(dict): + """ + zip manifest builder + """ + + @classmethod + def build(cls, path): + """ + Build a dictionary similar to the zipimport directory + caches, except instead of tuples, store ZipInfo objects. + + Use a platform-specific path separator (os.sep) for the path keys + for compatibility with pypy on Windows. + """ + with zipfile.ZipFile(path) as zfile: + items = ( + ( + name.replace('/', os.sep), + zfile.getinfo(name), + ) + for name in zfile.namelist() + ) + return dict(items) + + load = build + + +class MemoizedZipManifests(ZipManifests): + """ + Memoized zipfile manifests. + """ + manifest_mod = collections.namedtuple('manifest_mod', 'manifest mtime') + + def load(self, path): + """ + Load a manifest at path or return a suitable manifest already loaded. + """ + path = os.path.normpath(path) + mtime = os.stat(path).st_mtime + + if path not in self or self[path].mtime != mtime: + manifest = self.build(path) + self[path] = self.manifest_mod(manifest, mtime) + + return self[path].manifest + + +class ZipProvider(EggProvider): + """Resource support for zips and eggs""" + + eagers = None + _zip_manifests = MemoizedZipManifests() + + def __init__(self, module): + EggProvider.__init__(self, module) + self.zip_pre = self.loader.archive + os.sep + + def _zipinfo_name(self, fspath): + # Convert a virtual filename (full path to file) into a zipfile subpath + # usable with the zipimport directory cache for our target archive + fspath = fspath.rstrip(os.sep) + if fspath == self.loader.archive: + return '' + if fspath.startswith(self.zip_pre): + return fspath[len(self.zip_pre):] + raise AssertionError( + "%s is not a subpath of %s" % (fspath, self.zip_pre) + ) + + def _parts(self, zip_path): + # Convert a zipfile subpath into an egg-relative path part list. + # pseudo-fs path + fspath = self.zip_pre + zip_path + if fspath.startswith(self.egg_root + os.sep): + return fspath[len(self.egg_root) + 1:].split(os.sep) + raise AssertionError( + "%s is not a subpath of %s" % (fspath, self.egg_root) + ) + + @property + def zipinfo(self): + return self._zip_manifests.load(self.loader.archive) + + def get_resource_filename(self, manager, resource_name): + if not self.egg_name: + raise NotImplementedError( + "resource_filename() only supported for .egg, not .zip" + ) + # no need to lock for extraction, since we use temp names + zip_path = self._resource_to_zip(resource_name) + eagers = self._get_eager_resources() + if '/'.join(self._parts(zip_path)) in eagers: + for name in eagers: + self._extract_resource(manager, self._eager_to_zip(name)) + return self._extract_resource(manager, zip_path) + + @staticmethod + def _get_date_and_size(zip_stat): + size = zip_stat.file_size + # ymdhms+wday, yday, dst + date_time = zip_stat.date_time + (0, 0, -1) + # 1980 offset already done + timestamp = time.mktime(date_time) + return timestamp, size + + def _extract_resource(self, manager, zip_path): + + if zip_path in self._index(): + for name in self._index()[zip_path]: + last = self._extract_resource( + manager, os.path.join(zip_path, name) + ) + # return the extracted directory name + return os.path.dirname(last) + + timestamp, size = self._get_date_and_size(self.zipinfo[zip_path]) + + if not WRITE_SUPPORT: + raise IOError('"os.rename" and "os.unlink" are not supported ' + 'on this platform') + try: + + real_path = manager.get_cache_path( + self.egg_name, self._parts(zip_path) + ) + + if self._is_current(real_path, zip_path): + return real_path + + outf, tmpnam = _mkstemp( + ".$extract", + dir=os.path.dirname(real_path), + ) + os.write(outf, self.loader.get_data(zip_path)) + os.close(outf) + utime(tmpnam, (timestamp, timestamp)) + manager.postprocess(tmpnam, real_path) + + try: + rename(tmpnam, real_path) + + except os.error: + if os.path.isfile(real_path): + if self._is_current(real_path, zip_path): + # the file became current since it was checked above, + # so proceed. + return real_path + # Windows, del old file and retry + elif os.name == 'nt': + unlink(real_path) + rename(tmpnam, real_path) + return real_path + raise + + except os.error: + # report a user-friendly error + manager.extraction_error() + + return real_path + + def _is_current(self, file_path, zip_path): + """ + Return True if the file_path is current for this zip_path + """ + timestamp, size = self._get_date_and_size(self.zipinfo[zip_path]) + if not os.path.isfile(file_path): + return False + stat = os.stat(file_path) + if stat.st_size != size or stat.st_mtime != timestamp: + return False + # check that the contents match + zip_contents = self.loader.get_data(zip_path) + with open(file_path, 'rb') as f: + file_contents = f.read() + return zip_contents == file_contents + + def _get_eager_resources(self): + if self.eagers is None: + eagers = [] + for name in ('native_libs.txt', 'eager_resources.txt'): + if self.has_metadata(name): + eagers.extend(self.get_metadata_lines(name)) + self.eagers = eagers + return self.eagers + + def _index(self): + try: + return self._dirindex + except AttributeError: + ind = {} + for path in self.zipinfo: + parts = path.split(os.sep) + while parts: + parent = os.sep.join(parts[:-1]) + if parent in ind: + ind[parent].append(parts[-1]) + break + else: + ind[parent] = [parts.pop()] + self._dirindex = ind + return ind + + def _has(self, fspath): + zip_path = self._zipinfo_name(fspath) + return zip_path in self.zipinfo or zip_path in self._index() + + def _isdir(self, fspath): + return self._zipinfo_name(fspath) in self._index() + + def _listdir(self, fspath): + return list(self._index().get(self._zipinfo_name(fspath), ())) + + def _eager_to_zip(self, resource_name): + return self._zipinfo_name(self._fn(self.egg_root, resource_name)) + + def _resource_to_zip(self, resource_name): + return self._zipinfo_name(self._fn(self.module_path, resource_name)) + + +register_loader_type(zipimport.zipimporter, ZipProvider) + + +class FileMetadata(EmptyProvider): + """Metadata handler for standalone PKG-INFO files + + Usage:: + + metadata = FileMetadata("/path/to/PKG-INFO") + + This provider rejects all data and metadata requests except for PKG-INFO, + which is treated as existing, and will be the contents of the file at + the provided location. + """ + + def __init__(self, path): + self.path = path + + def has_metadata(self, name): + return name == 'PKG-INFO' and os.path.isfile(self.path) + + def get_metadata(self, name): + if name != 'PKG-INFO': + raise KeyError("No metadata except PKG-INFO is available") + + with io.open(self.path, encoding='utf-8', errors="replace") as f: + metadata = f.read() + self._warn_on_replacement(metadata) + return metadata + + def _warn_on_replacement(self, metadata): + # Python 2.7 compat for: replacement_char = '�' + replacement_char = b'\xef\xbf\xbd'.decode('utf-8') + if replacement_char in metadata: + tmpl = "{self.path} could not be properly decoded in UTF-8" + msg = tmpl.format(**locals()) + warnings.warn(msg) + + def get_metadata_lines(self, name): + return yield_lines(self.get_metadata(name)) + + +class PathMetadata(DefaultProvider): + """Metadata provider for egg directories + + Usage:: + + # Development eggs: + + egg_info = "/path/to/PackageName.egg-info" + base_dir = os.path.dirname(egg_info) + metadata = PathMetadata(base_dir, egg_info) + dist_name = os.path.splitext(os.path.basename(egg_info))[0] + dist = Distribution(basedir, project_name=dist_name, metadata=metadata) + + # Unpacked egg directories: + + egg_path = "/path/to/PackageName-ver-pyver-etc.egg" + metadata = PathMetadata(egg_path, os.path.join(egg_path,'EGG-INFO')) + dist = Distribution.from_filename(egg_path, metadata=metadata) + """ + + def __init__(self, path, egg_info): + self.module_path = path + self.egg_info = egg_info + + +class EggMetadata(ZipProvider): + """Metadata provider for .egg files""" + + def __init__(self, importer): + """Create a metadata provider from a zipimporter""" + + self.zip_pre = importer.archive + os.sep + self.loader = importer + if importer.prefix: + self.module_path = os.path.join(importer.archive, importer.prefix) + else: + self.module_path = importer.archive + self._setup_prefix() + + +_declare_state('dict', _distribution_finders={}) + + +def register_finder(importer_type, distribution_finder): + """Register `distribution_finder` to find distributions in sys.path items + + `importer_type` is the type or class of a PEP 302 "Importer" (sys.path item + handler), and `distribution_finder` is a callable that, passed a path + item and the importer instance, yields ``Distribution`` instances found on + that path item. See ``pkg_resources.find_on_path`` for an example.""" + _distribution_finders[importer_type] = distribution_finder + + +def find_distributions(path_item, only=False): + """Yield distributions accessible via `path_item`""" + importer = get_importer(path_item) + finder = _find_adapter(_distribution_finders, importer) + return finder(importer, path_item, only) + + +def find_eggs_in_zip(importer, path_item, only=False): + """ + Find eggs in zip files; possibly multiple nested eggs. + """ + if importer.archive.endswith('.whl'): + # wheels are not supported with this finder + # they don't have PKG-INFO metadata, and won't ever contain eggs + return + metadata = EggMetadata(importer) + if metadata.has_metadata('PKG-INFO'): + yield Distribution.from_filename(path_item, metadata=metadata) + if only: + # don't yield nested distros + return + for subitem in metadata.resource_listdir('/'): + if _is_egg_path(subitem): + subpath = os.path.join(path_item, subitem) + dists = find_eggs_in_zip(zipimport.zipimporter(subpath), subpath) + for dist in dists: + yield dist + elif subitem.lower().endswith('.dist-info'): + subpath = os.path.join(path_item, subitem) + submeta = EggMetadata(zipimport.zipimporter(subpath)) + submeta.egg_info = subpath + yield Distribution.from_location(path_item, subitem, submeta) + + +register_finder(zipimport.zipimporter, find_eggs_in_zip) + + +def find_nothing(importer, path_item, only=False): + return () + + +register_finder(object, find_nothing) + + +def _by_version_descending(names): + """ + Given a list of filenames, return them in descending order + by version number. + + >>> names = 'bar', 'foo', 'Python-2.7.10.egg', 'Python-2.7.2.egg' + >>> _by_version_descending(names) + ['Python-2.7.10.egg', 'Python-2.7.2.egg', 'foo', 'bar'] + >>> names = 'Setuptools-1.2.3b1.egg', 'Setuptools-1.2.3.egg' + >>> _by_version_descending(names) + ['Setuptools-1.2.3.egg', 'Setuptools-1.2.3b1.egg'] + >>> names = 'Setuptools-1.2.3b1.egg', 'Setuptools-1.2.3.post1.egg' + >>> _by_version_descending(names) + ['Setuptools-1.2.3.post1.egg', 'Setuptools-1.2.3b1.egg'] + """ + def _by_version(name): + """ + Parse each component of the filename + """ + name, ext = os.path.splitext(name) + parts = itertools.chain(name.split('-'), [ext]) + return [packaging.version.parse(part) for part in parts] + + return sorted(names, key=_by_version, reverse=True) + + +def find_on_path(importer, path_item, only=False): + """Yield distributions accessible on a sys.path directory""" + path_item = _normalize_cached(path_item) + + if _is_unpacked_egg(path_item): + yield Distribution.from_filename( + path_item, metadata=PathMetadata( + path_item, os.path.join(path_item, 'EGG-INFO') + ) + ) + return + + entries = safe_listdir(path_item) + + # for performance, before sorting by version, + # screen entries for only those that will yield + # distributions + filtered = ( + entry + for entry in entries + if dist_factory(path_item, entry, only) + ) + + # scan for .egg and .egg-info in directory + path_item_entries = _by_version_descending(filtered) + for entry in path_item_entries: + fullpath = os.path.join(path_item, entry) + factory = dist_factory(path_item, entry, only) + for dist in factory(fullpath): + yield dist + + +def dist_factory(path_item, entry, only): + """ + Return a dist_factory for a path_item and entry + """ + lower = entry.lower() + is_meta = any(map(lower.endswith, ('.egg-info', '.dist-info'))) + return ( + distributions_from_metadata + if is_meta else + find_distributions + if not only and _is_egg_path(entry) else + resolve_egg_link + if not only and lower.endswith('.egg-link') else + NoDists() + ) + + +class NoDists: + """ + >>> bool(NoDists()) + False + + >>> list(NoDists()('anything')) + [] + """ + def __bool__(self): + return False + if six.PY2: + __nonzero__ = __bool__ + + def __call__(self, fullpath): + return iter(()) + + +def safe_listdir(path): + """ + Attempt to list contents of path, but suppress some exceptions. + """ + try: + return os.listdir(path) + except (PermissionError, NotADirectoryError): + pass + except OSError as e: + # Ignore the directory if does not exist, not a directory or + # permission denied + ignorable = ( + e.errno in (errno.ENOTDIR, errno.EACCES, errno.ENOENT) + # Python 2 on Windows needs to be handled this way :( + or getattr(e, "winerror", None) == 267 + ) + if not ignorable: + raise + return () + + +def distributions_from_metadata(path): + root = os.path.dirname(path) + if os.path.isdir(path): + if len(os.listdir(path)) == 0: + # empty metadata dir; skip + return + metadata = PathMetadata(root, path) + else: + metadata = FileMetadata(path) + entry = os.path.basename(path) + yield Distribution.from_location( + root, entry, metadata, precedence=DEVELOP_DIST, + ) + + +def non_empty_lines(path): + """ + Yield non-empty lines from file at path + """ + with open(path) as f: + for line in f: + line = line.strip() + if line: + yield line + + +def resolve_egg_link(path): + """ + Given a path to an .egg-link, resolve distributions + present in the referenced path. + """ + referenced_paths = non_empty_lines(path) + resolved_paths = ( + os.path.join(os.path.dirname(path), ref) + for ref in referenced_paths + ) + dist_groups = map(find_distributions, resolved_paths) + return next(dist_groups, ()) + + +register_finder(pkgutil.ImpImporter, find_on_path) + +if hasattr(importlib_machinery, 'FileFinder'): + register_finder(importlib_machinery.FileFinder, find_on_path) + +_declare_state('dict', _namespace_handlers={}) +_declare_state('dict', _namespace_packages={}) + + +def register_namespace_handler(importer_type, namespace_handler): + """Register `namespace_handler` to declare namespace packages + + `importer_type` is the type or class of a PEP 302 "Importer" (sys.path item + handler), and `namespace_handler` is a callable like this:: + + def namespace_handler(importer, path_entry, moduleName, module): + # return a path_entry to use for child packages + + Namespace handlers are only called if the importer object has already + agreed that it can handle the relevant path item, and they should only + return a subpath if the module __path__ does not already contain an + equivalent subpath. For an example namespace handler, see + ``pkg_resources.file_ns_handler``. + """ + _namespace_handlers[importer_type] = namespace_handler + + +def _handle_ns(packageName, path_item): + """Ensure that named package includes a subpath of path_item (if needed)""" + + importer = get_importer(path_item) + if importer is None: + return None + + # capture warnings due to #1111 + with warnings.catch_warnings(): + warnings.simplefilter("ignore") + loader = importer.find_module(packageName) + + if loader is None: + return None + module = sys.modules.get(packageName) + if module is None: + module = sys.modules[packageName] = types.ModuleType(packageName) + module.__path__ = [] + _set_parent_ns(packageName) + elif not hasattr(module, '__path__'): + raise TypeError("Not a package:", packageName) + handler = _find_adapter(_namespace_handlers, importer) + subpath = handler(importer, path_item, packageName, module) + if subpath is not None: + path = module.__path__ + path.append(subpath) + loader.load_module(packageName) + _rebuild_mod_path(path, packageName, module) + return subpath + + +def _rebuild_mod_path(orig_path, package_name, module): + """ + Rebuild module.__path__ ensuring that all entries are ordered + corresponding to their sys.path order + """ + sys_path = [_normalize_cached(p) for p in sys.path] + + def safe_sys_path_index(entry): + """ + Workaround for #520 and #513. + """ + try: + return sys_path.index(entry) + except ValueError: + return float('inf') + + def position_in_sys_path(path): + """ + Return the ordinal of the path based on its position in sys.path + """ + path_parts = path.split(os.sep) + module_parts = package_name.count('.') + 1 + parts = path_parts[:-module_parts] + return safe_sys_path_index(_normalize_cached(os.sep.join(parts))) + + new_path = sorted(orig_path, key=position_in_sys_path) + new_path = [_normalize_cached(p) for p in new_path] + + if isinstance(module.__path__, list): + module.__path__[:] = new_path + else: + module.__path__ = new_path + + +def declare_namespace(packageName): + """Declare that package 'packageName' is a namespace package""" + + _imp.acquire_lock() + try: + if packageName in _namespace_packages: + return + + path = sys.path + parent, _, _ = packageName.rpartition('.') + + if parent: + declare_namespace(parent) + if parent not in _namespace_packages: + __import__(parent) + try: + path = sys.modules[parent].__path__ + except AttributeError: + raise TypeError("Not a package:", parent) + + # Track what packages are namespaces, so when new path items are added, + # they can be updated + _namespace_packages.setdefault(parent or None, []).append(packageName) + _namespace_packages.setdefault(packageName, []) + + for path_item in path: + # Ensure all the parent's path items are reflected in the child, + # if they apply + _handle_ns(packageName, path_item) + + finally: + _imp.release_lock() + + +def fixup_namespace_packages(path_item, parent=None): + """Ensure that previously-declared namespace packages include path_item""" + _imp.acquire_lock() + try: + for package in _namespace_packages.get(parent, ()): + subpath = _handle_ns(package, path_item) + if subpath: + fixup_namespace_packages(subpath, package) + finally: + _imp.release_lock() + + +def file_ns_handler(importer, path_item, packageName, module): + """Compute an ns-package subpath for a filesystem or zipfile importer""" + + subpath = os.path.join(path_item, packageName.split('.')[-1]) + normalized = _normalize_cached(subpath) + for item in module.__path__: + if _normalize_cached(item) == normalized: + break + else: + # Only return the path if it's not already there + return subpath + + +register_namespace_handler(pkgutil.ImpImporter, file_ns_handler) +register_namespace_handler(zipimport.zipimporter, file_ns_handler) + +if hasattr(importlib_machinery, 'FileFinder'): + register_namespace_handler(importlib_machinery.FileFinder, file_ns_handler) + + +def null_ns_handler(importer, path_item, packageName, module): + return None + + +register_namespace_handler(object, null_ns_handler) + + +def normalize_path(filename): + """Normalize a file/dir name for comparison purposes""" + return os.path.normcase(os.path.realpath(os.path.normpath(_cygwin_patch(filename)))) + + +def _cygwin_patch(filename): # pragma: nocover + """ + Contrary to POSIX 2008, on Cygwin, getcwd (3) contains + symlink components. Using + os.path.abspath() works around this limitation. A fix in os.getcwd() + would probably better, in Cygwin even more so, except + that this seems to be by design... + """ + return os.path.abspath(filename) if sys.platform == 'cygwin' else filename + + +def _normalize_cached(filename, _cache={}): + try: + return _cache[filename] + except KeyError: + _cache[filename] = result = normalize_path(filename) + return result + + +def _is_egg_path(path): + """ + Determine if given path appears to be an egg. + """ + return path.lower().endswith('.egg') + + +def _is_unpacked_egg(path): + """ + Determine if given path appears to be an unpacked egg. + """ + return ( + _is_egg_path(path) and + os.path.isfile(os.path.join(path, 'EGG-INFO', 'PKG-INFO')) + ) + + +def _set_parent_ns(packageName): + parts = packageName.split('.') + name = parts.pop() + if parts: + parent = '.'.join(parts) + setattr(sys.modules[parent], name, sys.modules[packageName]) + + +def yield_lines(strs): + """Yield non-empty/non-comment lines of a string or sequence""" + if isinstance(strs, six.string_types): + for s in strs.splitlines(): + s = s.strip() + # skip blank lines/comments + if s and not s.startswith('#'): + yield s + else: + for ss in strs: + for s in yield_lines(ss): + yield s + + +MODULE = re.compile(r"\w+(\.\w+)*$").match +EGG_NAME = re.compile( + r""" + (?P<name>[^-]+) ( + -(?P<ver>[^-]+) ( + -py(?P<pyver>[^-]+) ( + -(?P<plat>.+) + )? + )? + )? + """, + re.VERBOSE | re.IGNORECASE, +).match + + +class EntryPoint: + """Object representing an advertised importable object""" + + def __init__(self, name, module_name, attrs=(), extras=(), dist=None): + if not MODULE(module_name): + raise ValueError("Invalid module name", module_name) + self.name = name + self.module_name = module_name + self.attrs = tuple(attrs) + self.extras = tuple(extras) + self.dist = dist + + def __str__(self): + s = "%s = %s" % (self.name, self.module_name) + if self.attrs: + s += ':' + '.'.join(self.attrs) + if self.extras: + s += ' [%s]' % ','.join(self.extras) + return s + + def __repr__(self): + return "EntryPoint.parse(%r)" % str(self) + + def load(self, require=True, *args, **kwargs): + """ + Require packages for this EntryPoint, then resolve it. + """ + if not require or args or kwargs: + warnings.warn( + "Parameters to load are deprecated. Call .resolve and " + ".require separately.", + PkgResourcesDeprecationWarning, + stacklevel=2, + ) + if require: + self.require(*args, **kwargs) + return self.resolve() + + def resolve(self): + """ + Resolve the entry point from its module and attrs. + """ + module = __import__(self.module_name, fromlist=['__name__'], level=0) + try: + return functools.reduce(getattr, self.attrs, module) + except AttributeError as exc: + raise ImportError(str(exc)) + + def require(self, env=None, installer=None): + if self.extras and not self.dist: + raise UnknownExtra("Can't require() without a distribution", self) + + # Get the requirements for this entry point with all its extras and + # then resolve them. We have to pass `extras` along when resolving so + # that the working set knows what extras we want. Otherwise, for + # dist-info distributions, the working set will assume that the + # requirements for that extra are purely optional and skip over them. + reqs = self.dist.requires(self.extras) + items = working_set.resolve(reqs, env, installer, extras=self.extras) + list(map(working_set.add, items)) + + pattern = re.compile( + r'\s*' + r'(?P<name>.+?)\s*' + r'=\s*' + r'(?P<module>[\w.]+)\s*' + r'(:\s*(?P<attr>[\w.]+))?\s*' + r'(?P<extras>\[.*\])?\s*$' + ) + + @classmethod + def parse(cls, src, dist=None): + """Parse a single entry point from string `src` + + Entry point syntax follows the form:: + + name = some.module:some.attr [extra1, extra2] + + The entry name and module name are required, but the ``:attrs`` and + ``[extras]`` parts are optional + """ + m = cls.pattern.match(src) + if not m: + msg = "EntryPoint must be in 'name=module:attrs [extras]' format" + raise ValueError(msg, src) + res = m.groupdict() + extras = cls._parse_extras(res['extras']) + attrs = res['attr'].split('.') if res['attr'] else () + return cls(res['name'], res['module'], attrs, extras, dist) + + @classmethod + def _parse_extras(cls, extras_spec): + if not extras_spec: + return () + req = Requirement.parse('x' + extras_spec) + if req.specs: + raise ValueError() + return req.extras + + @classmethod + def parse_group(cls, group, lines, dist=None): + """Parse an entry point group""" + if not MODULE(group): + raise ValueError("Invalid group name", group) + this = {} + for line in yield_lines(lines): + ep = cls.parse(line, dist) + if ep.name in this: + raise ValueError("Duplicate entry point", group, ep.name) + this[ep.name] = ep + return this + + @classmethod + def parse_map(cls, data, dist=None): + """Parse a map of entry point groups""" + if isinstance(data, dict): + data = data.items() + else: + data = split_sections(data) + maps = {} + for group, lines in data: + if group is None: + if not lines: + continue + raise ValueError("Entry points must be listed in groups") + group = group.strip() + if group in maps: + raise ValueError("Duplicate group name", group) + maps[group] = cls.parse_group(group, lines, dist) + return maps + + +def _remove_md5_fragment(location): + if not location: + return '' + parsed = urllib.parse.urlparse(location) + if parsed[-1].startswith('md5='): + return urllib.parse.urlunparse(parsed[:-1] + ('',)) + return location + + +def _version_from_file(lines): + """ + Given an iterable of lines from a Metadata file, return + the value of the Version field, if present, or None otherwise. + """ + def is_version_line(line): + return line.lower().startswith('version:') + version_lines = filter(is_version_line, lines) + line = next(iter(version_lines), '') + _, _, value = line.partition(':') + return safe_version(value.strip()) or None + + +class Distribution: + """Wrap an actual or potential sys.path entry w/metadata""" + PKG_INFO = 'PKG-INFO' + + def __init__( + self, location=None, metadata=None, project_name=None, + version=None, py_version=PY_MAJOR, platform=None, + precedence=EGG_DIST): + self.project_name = safe_name(project_name or 'Unknown') + if version is not None: + self._version = safe_version(version) + self.py_version = py_version + self.platform = platform + self.location = location + self.precedence = precedence + self._provider = metadata or empty_provider + + @classmethod + def from_location(cls, location, basename, metadata=None, **kw): + project_name, version, py_version, platform = [None] * 4 + basename, ext = os.path.splitext(basename) + if ext.lower() in _distributionImpl: + cls = _distributionImpl[ext.lower()] + + match = EGG_NAME(basename) + if match: + project_name, version, py_version, platform = match.group( + 'name', 'ver', 'pyver', 'plat' + ) + return cls( + location, metadata, project_name=project_name, version=version, + py_version=py_version, platform=platform, **kw + )._reload_version() + + def _reload_version(self): + return self + + @property + def hashcmp(self): + return ( + self.parsed_version, + self.precedence, + self.key, + _remove_md5_fragment(self.location), + self.py_version or '', + self.platform or '', + ) + + def __hash__(self): + return hash(self.hashcmp) + + def __lt__(self, other): + return self.hashcmp < other.hashcmp + + def __le__(self, other): + return self.hashcmp <= other.hashcmp + + def __gt__(self, other): + return self.hashcmp > other.hashcmp + + def __ge__(self, other): + return self.hashcmp >= other.hashcmp + + def __eq__(self, other): + if not isinstance(other, self.__class__): + # It's not a Distribution, so they are not equal + return False + return self.hashcmp == other.hashcmp + + def __ne__(self, other): + return not self == other + + # These properties have to be lazy so that we don't have to load any + # metadata until/unless it's actually needed. (i.e., some distributions + # may not know their name or version without loading PKG-INFO) + + @property + def key(self): + try: + return self._key + except AttributeError: + self._key = key = self.project_name.lower() + return key + + @property + def parsed_version(self): + if not hasattr(self, "_parsed_version"): + self._parsed_version = parse_version(self.version) + + return self._parsed_version + + def _warn_legacy_version(self): + LV = packaging.version.LegacyVersion + is_legacy = isinstance(self._parsed_version, LV) + if not is_legacy: + return + + # While an empty version is technically a legacy version and + # is not a valid PEP 440 version, it's also unlikely to + # actually come from someone and instead it is more likely that + # it comes from setuptools attempting to parse a filename and + # including it in the list. So for that we'll gate this warning + # on if the version is anything at all or not. + if not self.version: + return + + tmpl = textwrap.dedent(""" + '{project_name} ({version})' is being parsed as a legacy, + non PEP 440, + version. You may find odd behavior and sort order. + In particular it will be sorted as less than 0.0. It + is recommended to migrate to PEP 440 compatible + versions. + """).strip().replace('\n', ' ') + + warnings.warn(tmpl.format(**vars(self)), PEP440Warning) + + @property + def version(self): + try: + return self._version + except AttributeError: + version = _version_from_file(self._get_metadata(self.PKG_INFO)) + if version is None: + tmpl = "Missing 'Version:' header and/or %s file" + raise ValueError(tmpl % self.PKG_INFO, self) + return version + + @property + def _dep_map(self): + """ + A map of extra to its list of (direct) requirements + for this distribution, including the null extra. + """ + try: + return self.__dep_map + except AttributeError: + self.__dep_map = self._filter_extras(self._build_dep_map()) + return self.__dep_map + + @staticmethod + def _filter_extras(dm): + """ + Given a mapping of extras to dependencies, strip off + environment markers and filter out any dependencies + not matching the markers. + """ + for extra in list(filter(None, dm)): + new_extra = extra + reqs = dm.pop(extra) + new_extra, _, marker = extra.partition(':') + fails_marker = marker and ( + invalid_marker(marker) + or not evaluate_marker(marker) + ) + if fails_marker: + reqs = [] + new_extra = safe_extra(new_extra) or None + + dm.setdefault(new_extra, []).extend(reqs) + return dm + + def _build_dep_map(self): + dm = {} + for name in 'requires.txt', 'depends.txt': + for extra, reqs in split_sections(self._get_metadata(name)): + dm.setdefault(extra, []).extend(parse_requirements(reqs)) + return dm + + def requires(self, extras=()): + """List of Requirements needed for this distro if `extras` are used""" + dm = self._dep_map + deps = [] + deps.extend(dm.get(None, ())) + for ext in extras: + try: + deps.extend(dm[safe_extra(ext)]) + except KeyError: + raise UnknownExtra( + "%s has no such extra feature %r" % (self, ext) + ) + return deps + + def _get_metadata(self, name): + if self.has_metadata(name): + for line in self.get_metadata_lines(name): + yield line + + def activate(self, path=None, replace=False): + """Ensure distribution is importable on `path` (default=sys.path)""" + if path is None: + path = sys.path + self.insert_on(path, replace=replace) + if path is sys.path: + fixup_namespace_packages(self.location) + for pkg in self._get_metadata('namespace_packages.txt'): + if pkg in sys.modules: + declare_namespace(pkg) + + def egg_name(self): + """Return what this distribution's standard .egg filename should be""" + filename = "%s-%s-py%s" % ( + to_filename(self.project_name), to_filename(self.version), + self.py_version or PY_MAJOR + ) + + if self.platform: + filename += '-' + self.platform + return filename + + def __repr__(self): + if self.location: + return "%s (%s)" % (self, self.location) + else: + return str(self) + + def __str__(self): + try: + version = getattr(self, 'version', None) + except ValueError: + version = None + version = version or "[unknown version]" + return "%s %s" % (self.project_name, version) + + def __getattr__(self, attr): + """Delegate all unrecognized public attributes to .metadata provider""" + if attr.startswith('_'): + raise AttributeError(attr) + return getattr(self._provider, attr) + + def __dir__(self): + return list( + set(super(Distribution, self).__dir__()) + | set( + attr for attr in self._provider.__dir__() + if not attr.startswith('_') + ) + ) + + if not hasattr(object, '__dir__'): + # python 2.7 not supported + del __dir__ + + @classmethod + def from_filename(cls, filename, metadata=None, **kw): + return cls.from_location( + _normalize_cached(filename), os.path.basename(filename), metadata, + **kw + ) + + def as_requirement(self): + """Return a ``Requirement`` that matches this distribution exactly""" + if isinstance(self.parsed_version, packaging.version.Version): + spec = "%s==%s" % (self.project_name, self.parsed_version) + else: + spec = "%s===%s" % (self.project_name, self.parsed_version) + + return Requirement.parse(spec) + + def load_entry_point(self, group, name): + """Return the `name` entry point of `group` or raise ImportError""" + ep = self.get_entry_info(group, name) + if ep is None: + raise ImportError("Entry point %r not found" % ((group, name),)) + return ep.load() + + def get_entry_map(self, group=None): + """Return the entry point map for `group`, or the full entry map""" + try: + ep_map = self._ep_map + except AttributeError: + ep_map = self._ep_map = EntryPoint.parse_map( + self._get_metadata('entry_points.txt'), self + ) + if group is not None: + return ep_map.get(group, {}) + return ep_map + + def get_entry_info(self, group, name): + """Return the EntryPoint object for `group`+`name`, or ``None``""" + return self.get_entry_map(group).get(name) + + def insert_on(self, path, loc=None, replace=False): + """Ensure self.location is on path + + If replace=False (default): + - If location is already in path anywhere, do nothing. + - Else: + - If it's an egg and its parent directory is on path, + insert just ahead of the parent. + - Else: add to the end of path. + If replace=True: + - If location is already on path anywhere (not eggs) + or higher priority than its parent (eggs) + do nothing. + - Else: + - If it's an egg and its parent directory is on path, + insert just ahead of the parent, + removing any lower-priority entries. + - Else: add it to the front of path. + """ + + loc = loc or self.location + if not loc: + return + + nloc = _normalize_cached(loc) + bdir = os.path.dirname(nloc) + npath = [(p and _normalize_cached(p) or p) for p in path] + + for p, item in enumerate(npath): + if item == nloc: + if replace: + break + else: + # don't modify path (even removing duplicates) if + # found and not replace + return + elif item == bdir and self.precedence == EGG_DIST: + # if it's an .egg, give it precedence over its directory + # UNLESS it's already been added to sys.path and replace=False + if (not replace) and nloc in npath[p:]: + return + if path is sys.path: + self.check_version_conflict() + path.insert(p, loc) + npath.insert(p, nloc) + break + else: + if path is sys.path: + self.check_version_conflict() + if replace: + path.insert(0, loc) + else: + path.append(loc) + return + + # p is the spot where we found or inserted loc; now remove duplicates + while True: + try: + np = npath.index(nloc, p + 1) + except ValueError: + break + else: + del npath[np], path[np] + # ha! + p = np + + return + + def check_version_conflict(self): + if self.key == 'setuptools': + # ignore the inevitable setuptools self-conflicts :( + return + + nsp = dict.fromkeys(self._get_metadata('namespace_packages.txt')) + loc = normalize_path(self.location) + for modname in self._get_metadata('top_level.txt'): + if (modname not in sys.modules or modname in nsp + or modname in _namespace_packages): + continue + if modname in ('pkg_resources', 'setuptools', 'site'): + continue + fn = getattr(sys.modules[modname], '__file__', None) + if fn and (normalize_path(fn).startswith(loc) or + fn.startswith(self.location)): + continue + issue_warning( + "Module %s was already imported from %s, but %s is being added" + " to sys.path" % (modname, fn, self.location), + ) + + def has_version(self): + try: + self.version + except ValueError: + issue_warning("Unbuilt egg for " + repr(self)) + return False + return True + + def clone(self, **kw): + """Copy this distribution, substituting in any changed keyword args""" + names = 'project_name version py_version platform location precedence' + for attr in names.split(): + kw.setdefault(attr, getattr(self, attr, None)) + kw.setdefault('metadata', self._provider) + return self.__class__(**kw) + + @property + def extras(self): + return [dep for dep in self._dep_map if dep] + + +class EggInfoDistribution(Distribution): + def _reload_version(self): + """ + Packages installed by distutils (e.g. numpy or scipy), + which uses an old safe_version, and so + their version numbers can get mangled when + converted to filenames (e.g., 1.11.0.dev0+2329eae to + 1.11.0.dev0_2329eae). These distributions will not be + parsed properly + downstream by Distribution and safe_version, so + take an extra step and try to get the version number from + the metadata file itself instead of the filename. + """ + md_version = _version_from_file(self._get_metadata(self.PKG_INFO)) + if md_version: + self._version = md_version + return self + + +class DistInfoDistribution(Distribution): + """ + Wrap an actual or potential sys.path entry + w/metadata, .dist-info style. + """ + PKG_INFO = 'METADATA' + EQEQ = re.compile(r"([\(,])\s*(\d.*?)\s*([,\)])") + + @property + def _parsed_pkg_info(self): + """Parse and cache metadata""" + try: + return self._pkg_info + except AttributeError: + metadata = self.get_metadata(self.PKG_INFO) + self._pkg_info = email.parser.Parser().parsestr(metadata) + return self._pkg_info + + @property + def _dep_map(self): + try: + return self.__dep_map + except AttributeError: + self.__dep_map = self._compute_dependencies() + return self.__dep_map + + def _compute_dependencies(self): + """Recompute this distribution's dependencies.""" + dm = self.__dep_map = {None: []} + + reqs = [] + # Including any condition expressions + for req in self._parsed_pkg_info.get_all('Requires-Dist') or []: + reqs.extend(parse_requirements(req)) + + def reqs_for_extra(extra): + for req in reqs: + if not req.marker or req.marker.evaluate({'extra': extra}): + yield req + + common = frozenset(reqs_for_extra(None)) + dm[None].extend(common) + + for extra in self._parsed_pkg_info.get_all('Provides-Extra') or []: + s_extra = safe_extra(extra.strip()) + dm[s_extra] = list(frozenset(reqs_for_extra(extra)) - common) + + return dm + + +_distributionImpl = { + '.egg': Distribution, + '.egg-info': EggInfoDistribution, + '.dist-info': DistInfoDistribution, +} + + +def issue_warning(*args, **kw): + level = 1 + g = globals() + try: + # find the first stack frame that is *not* code in + # the pkg_resources module, to use for the warning + while sys._getframe(level).f_globals is g: + level += 1 + except ValueError: + pass + warnings.warn(stacklevel=level + 1, *args, **kw) + + +class RequirementParseError(ValueError): + def __str__(self): + return ' '.join(self.args) + + +def parse_requirements(strs): + """Yield ``Requirement`` objects for each specification in `strs` + + `strs` must be a string, or a (possibly-nested) iterable thereof. + """ + # create a steppable iterator, so we can handle \-continuations + lines = iter(yield_lines(strs)) + + for line in lines: + # Drop comments -- a hash without a space may be in a URL. + if ' #' in line: + line = line[:line.find(' #')] + # If there is a line continuation, drop it, and append the next line. + if line.endswith('\\'): + line = line[:-2].strip() + try: + line += next(lines) + except StopIteration: + return + yield Requirement(line) + + +class Requirement(packaging.requirements.Requirement): + def __init__(self, requirement_string): + """DO NOT CALL THIS UNDOCUMENTED METHOD; use Requirement.parse()!""" + try: + super(Requirement, self).__init__(requirement_string) + except packaging.requirements.InvalidRequirement as e: + raise RequirementParseError(str(e)) + self.unsafe_name = self.name + project_name = safe_name(self.name) + self.project_name, self.key = project_name, project_name.lower() + self.specs = [ + (spec.operator, spec.version) for spec in self.specifier] + self.extras = tuple(map(safe_extra, self.extras)) + self.hashCmp = ( + self.key, + self.specifier, + frozenset(self.extras), + str(self.marker) if self.marker else None, + ) + self.__hash = hash(self.hashCmp) + + def __eq__(self, other): + return ( + isinstance(other, Requirement) and + self.hashCmp == other.hashCmp + ) + + def __ne__(self, other): + return not self == other + + def __contains__(self, item): + if isinstance(item, Distribution): + if item.key != self.key: + return False + + item = item.version + + # Allow prereleases always in order to match the previous behavior of + # this method. In the future this should be smarter and follow PEP 440 + # more accurately. + return self.specifier.contains(item, prereleases=True) + + def __hash__(self): + return self.__hash + + def __repr__(self): + return "Requirement.parse(%r)" % str(self) + + @staticmethod + def parse(s): + req, = parse_requirements(s) + return req + + +def _always_object(classes): + """ + Ensure object appears in the mro even + for old-style classes. + """ + if object not in classes: + return classes + (object,) + return classes + + +def _find_adapter(registry, ob): + """Return an adapter factory for `ob` from `registry`""" + types = _always_object(inspect.getmro(getattr(ob, '__class__', type(ob)))) + for t in types: + if t in registry: + return registry[t] + + +def ensure_directory(path): + """Ensure that the parent directory of `path` exists""" + dirname = os.path.dirname(path) + py31compat.makedirs(dirname, exist_ok=True) + + +def _bypass_ensure_directory(path): + """Sandbox-bypassing version of ensure_directory()""" + if not WRITE_SUPPORT: + raise IOError('"os.mkdir" not supported on this platform.') + dirname, filename = split(path) + if dirname and filename and not isdir(dirname): + _bypass_ensure_directory(dirname) + try: + mkdir(dirname, 0o755) + except FileExistsError: + pass + + +def split_sections(s): + """Split a string or iterable thereof into (section, content) pairs + + Each ``section`` is a stripped version of the section header ("[section]") + and each ``content`` is a list of stripped lines excluding blank lines and + comment-only lines. If there are any such lines before the first section + header, they're returned in a first ``section`` of ``None``. + """ + section = None + content = [] + for line in yield_lines(s): + if line.startswith("["): + if line.endswith("]"): + if section or content: + yield section, content + section = line[1:-1].strip() + content = [] + else: + raise ValueError("Invalid section heading", line) + else: + content.append(line) + + # wrap up last segment + yield section, content + + +def _mkstemp(*args, **kw): + old_open = os.open + try: + # temporarily bypass sandboxing + os.open = os_open + return tempfile.mkstemp(*args, **kw) + finally: + # and then put it back + os.open = old_open + + +# Silence the PEP440Warning by default, so that end users don't get hit by it +# randomly just because they use pkg_resources. We want to append the rule +# because we want earlier uses of filterwarnings to take precedence over this +# one. +warnings.filterwarnings("ignore", category=PEP440Warning, append=True) + + +# from jaraco.functools 1.3 +def _call_aside(f, *args, **kwargs): + f(*args, **kwargs) + return f + + +@_call_aside +def _initialize(g=globals()): + "Set up global resource manager (deliberately not state-saved)" + manager = ResourceManager() + g['_manager'] = manager + g.update( + (name, getattr(manager, name)) + for name in dir(manager) + if not name.startswith('_') + ) + + +@_call_aside +def _initialize_master_working_set(): + """ + Prepare the master working set and make the ``require()`` + API available. + + This function has explicit effects on the global state + of pkg_resources. It is intended to be invoked once at + the initialization of this module. + + Invocation by other packages is unsupported and done + at their own risk. + """ + working_set = WorkingSet._build_master() + _declare_state('object', working_set=working_set) + + require = working_set.require + iter_entry_points = working_set.iter_entry_points + add_activation_listener = working_set.subscribe + run_script = working_set.run_script + # backward compatibility + run_main = run_script + # Activate all distributions already on sys.path with replace=False and + # ensure that all distributions added to the working set in the future + # (e.g. by calling ``require()``) will get activated as well, + # with higher priority (replace=True). + tuple( + dist.activate(replace=False) + for dist in working_set + ) + add_activation_listener( + lambda dist: dist.activate(replace=True), + existing=False, + ) + working_set.entries = [] + # match order + list(map(working_set.add_entry, sys.path)) + globals().update(locals()) + +class PkgResourcesDeprecationWarning(Warning): + """ + Base class for warning about deprecations in ``pkg_resources`` + + This class is not derived from ``DeprecationWarning``, and as such is + visible by default. + """ diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pkg_resources/py31compat.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pkg_resources/py31compat.py new file mode 100644 index 0000000..a2d3007 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pkg_resources/py31compat.py @@ -0,0 +1,23 @@ +import os +import errno +import sys + +from pip._vendor import six + + +def _makedirs_31(path, exist_ok=False): + try: + os.makedirs(path) + except OSError as exc: + if not exist_ok or exc.errno != errno.EEXIST: + raise + + +# rely on compatibility behavior until mode considerations +# and exists_ok considerations are disentangled. +# See https://github.com/pypa/setuptools/pull/1083#issuecomment-315168663 +needs_makedirs = ( + six.PY2 or + (3, 4) <= sys.version_info < (3, 4, 1) +) +makedirs = _makedirs_31 if needs_makedirs else os.makedirs diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/__init__.py new file mode 100644 index 0000000..a41f65d --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/__init__.py @@ -0,0 +1,127 @@ +# Copyright (c) 2012 Giorgos Verigakis <verigak@gmail.com> +# +# Permission to use, copy, modify, and distribute this software for any +# purpose with or without fee is hereby granted, provided that the above +# copyright notice and this permission notice appear in all copies. +# +# THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +# WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +# MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +# ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +# WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +# ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +# OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. + +from __future__ import division + +from collections import deque +from datetime import timedelta +from math import ceil +from sys import stderr +from time import time + + +__version__ = '1.4' + + +class Infinite(object): + file = stderr + sma_window = 10 # Simple Moving Average window + + def __init__(self, *args, **kwargs): + self.index = 0 + self.start_ts = time() + self.avg = 0 + self._ts = self.start_ts + self._xput = deque(maxlen=self.sma_window) + for key, val in kwargs.items(): + setattr(self, key, val) + + def __getitem__(self, key): + if key.startswith('_'): + return None + return getattr(self, key, None) + + @property + def elapsed(self): + return int(time() - self.start_ts) + + @property + def elapsed_td(self): + return timedelta(seconds=self.elapsed) + + def update_avg(self, n, dt): + if n > 0: + self._xput.append(dt / n) + self.avg = sum(self._xput) / len(self._xput) + + def update(self): + pass + + def start(self): + pass + + def finish(self): + pass + + def next(self, n=1): + now = time() + dt = now - self._ts + self.update_avg(n, dt) + self._ts = now + self.index = self.index + n + self.update() + + def iter(self, it): + try: + for x in it: + yield x + self.next() + finally: + self.finish() + + +class Progress(Infinite): + def __init__(self, *args, **kwargs): + super(Progress, self).__init__(*args, **kwargs) + self.max = kwargs.get('max', 100) + + @property + def eta(self): + return int(ceil(self.avg * self.remaining)) + + @property + def eta_td(self): + return timedelta(seconds=self.eta) + + @property + def percent(self): + return self.progress * 100 + + @property + def progress(self): + return min(1, self.index / self.max) + + @property + def remaining(self): + return max(self.max - self.index, 0) + + def start(self): + self.update() + + def goto(self, index): + incr = index - self.index + self.next(incr) + + def iter(self, it): + try: + self.max = len(it) + except TypeError: + pass + + try: + for x in it: + yield x + self.next() + finally: + self.finish() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/bar.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/bar.py new file mode 100644 index 0000000..025e61c --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/bar.py @@ -0,0 +1,94 @@ +# -*- coding: utf-8 -*- + +# Copyright (c) 2012 Giorgos Verigakis <verigak@gmail.com> +# +# Permission to use, copy, modify, and distribute this software for any +# purpose with or without fee is hereby granted, provided that the above +# copyright notice and this permission notice appear in all copies. +# +# THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +# WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +# MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +# ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +# WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +# ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +# OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. + +from __future__ import unicode_literals + +import sys + +from . import Progress +from .helpers import WritelnMixin + + +class Bar(WritelnMixin, Progress): + width = 32 + message = '' + suffix = '%(index)d/%(max)d' + bar_prefix = ' |' + bar_suffix = '| ' + empty_fill = ' ' + fill = '#' + hide_cursor = True + + def update(self): + filled_length = int(self.width * self.progress) + empty_length = self.width - filled_length + + message = self.message % self + bar = self.fill * filled_length + empty = self.empty_fill * empty_length + suffix = self.suffix % self + line = ''.join([message, self.bar_prefix, bar, empty, self.bar_suffix, + suffix]) + self.writeln(line) + + +class ChargingBar(Bar): + suffix = '%(percent)d%%' + bar_prefix = ' ' + bar_suffix = ' ' + empty_fill = '∙' + fill = '█' + + +class FillingSquaresBar(ChargingBar): + empty_fill = '▢' + fill = '▣' + + +class FillingCirclesBar(ChargingBar): + empty_fill = '◯' + fill = '◉' + + +class IncrementalBar(Bar): + if sys.platform.startswith('win'): + phases = (u' ', u'▌', u'█') + else: + phases = (' ', '▏', '▎', '▍', '▌', '▋', '▊', '▉', '█') + + def update(self): + nphases = len(self.phases) + filled_len = self.width * self.progress + nfull = int(filled_len) # Number of full chars + phase = int((filled_len - nfull) * nphases) # Phase of last char + nempty = self.width - nfull # Number of empty chars + + message = self.message % self + bar = self.phases[-1] * nfull + current = self.phases[phase] if phase > 0 else '' + empty = self.empty_fill * max(0, nempty - len(current)) + suffix = self.suffix % self + line = ''.join([message, self.bar_prefix, bar, current, empty, + self.bar_suffix, suffix]) + self.writeln(line) + + +class PixelBar(IncrementalBar): + phases = ('⡀', '⡄', '⡆', '⡇', '⣇', '⣧', '⣷', '⣿') + + +class ShadyBar(IncrementalBar): + phases = (' ', '░', '▒', '▓', '█') diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/counter.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/counter.py new file mode 100644 index 0000000..6b45a1e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/counter.py @@ -0,0 +1,48 @@ +# -*- coding: utf-8 -*- + +# Copyright (c) 2012 Giorgos Verigakis <verigak@gmail.com> +# +# Permission to use, copy, modify, and distribute this software for any +# purpose with or without fee is hereby granted, provided that the above +# copyright notice and this permission notice appear in all copies. +# +# THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +# WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +# MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +# ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +# WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +# ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +# OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. + +from __future__ import unicode_literals +from . import Infinite, Progress +from .helpers import WriteMixin + + +class Counter(WriteMixin, Infinite): + message = '' + hide_cursor = True + + def update(self): + self.write(str(self.index)) + + +class Countdown(WriteMixin, Progress): + hide_cursor = True + + def update(self): + self.write(str(self.remaining)) + + +class Stack(WriteMixin, Progress): + phases = (' ', '▁', '▂', '▃', '▄', '▅', '▆', '▇', '█') + hide_cursor = True + + def update(self): + nphases = len(self.phases) + i = min(nphases - 1, int(self.progress * nphases)) + self.write(self.phases[i]) + + +class Pie(Stack): + phases = ('○', '◔', '◑', '◕', '●') diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/helpers.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/helpers.py new file mode 100644 index 0000000..0cde44e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/helpers.py @@ -0,0 +1,91 @@ +# Copyright (c) 2012 Giorgos Verigakis <verigak@gmail.com> +# +# Permission to use, copy, modify, and distribute this software for any +# purpose with or without fee is hereby granted, provided that the above +# copyright notice and this permission notice appear in all copies. +# +# THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +# WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +# MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +# ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +# WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +# ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +# OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. + +from __future__ import print_function + + +HIDE_CURSOR = '\x1b[?25l' +SHOW_CURSOR = '\x1b[?25h' + + +class WriteMixin(object): + hide_cursor = False + + def __init__(self, message=None, **kwargs): + super(WriteMixin, self).__init__(**kwargs) + self._width = 0 + if message: + self.message = message + + if self.file and self.file.isatty(): + if self.hide_cursor: + print(HIDE_CURSOR, end='', file=self.file) + print(self.message, end='', file=self.file) + self.file.flush() + + def write(self, s): + if self.file and self.file.isatty(): + b = '\b' * self._width + c = s.ljust(self._width) + print(b + c, end='', file=self.file) + self._width = max(self._width, len(s)) + self.file.flush() + + def finish(self): + if self.file and self.file.isatty() and self.hide_cursor: + print(SHOW_CURSOR, end='', file=self.file) + + +class WritelnMixin(object): + hide_cursor = False + + def __init__(self, message=None, **kwargs): + super(WritelnMixin, self).__init__(**kwargs) + if message: + self.message = message + + if self.file and self.file.isatty() and self.hide_cursor: + print(HIDE_CURSOR, end='', file=self.file) + + def clearln(self): + if self.file and self.file.isatty(): + print('\r\x1b[K', end='', file=self.file) + + def writeln(self, line): + if self.file and self.file.isatty(): + self.clearln() + print(line, end='', file=self.file) + self.file.flush() + + def finish(self): + if self.file and self.file.isatty(): + print(file=self.file) + if self.hide_cursor: + print(SHOW_CURSOR, end='', file=self.file) + + +from signal import signal, SIGINT +from sys import exit + + +class SigIntMixin(object): + """Registers a signal handler that calls finish on SIGINT""" + + def __init__(self, *args, **kwargs): + super(SigIntMixin, self).__init__(*args, **kwargs) + signal(SIGINT, self._sigint_handler) + + def _sigint_handler(self, signum, frame): + self.finish() + exit(0) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/spinner.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/spinner.py new file mode 100644 index 0000000..464c7b2 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/spinner.py @@ -0,0 +1,44 @@ +# -*- coding: utf-8 -*- + +# Copyright (c) 2012 Giorgos Verigakis <verigak@gmail.com> +# +# Permission to use, copy, modify, and distribute this software for any +# purpose with or without fee is hereby granted, provided that the above +# copyright notice and this permission notice appear in all copies. +# +# THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +# WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +# MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +# ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +# WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +# ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +# OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. + +from __future__ import unicode_literals +from . import Infinite +from .helpers import WriteMixin + + +class Spinner(WriteMixin, Infinite): + message = '' + phases = ('-', '\\', '|', '/') + hide_cursor = True + + def update(self): + i = self.index % len(self.phases) + self.write(self.phases[i]) + + +class PieSpinner(Spinner): + phases = ['◷', '◶', '◵', '◴'] + + +class MoonSpinner(Spinner): + phases = ['◑', '◒', '◐', '◓'] + + +class LineSpinner(Spinner): + phases = ['⎺', '⎻', '⎼', '⎽', '⎼', '⎻'] + +class PixelSpinner(Spinner): + phases = ['⣾','⣷', '⣯', '⣟', '⡿', '⢿', '⣻', '⣽'] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pyparsing.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pyparsing.py new file mode 100644 index 0000000..bea4d9c --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pyparsing.py @@ -0,0 +1,6452 @@ +#-*- coding: utf-8 -*- +# module pyparsing.py +# +# Copyright (c) 2003-2019 Paul T. McGuire +# +# Permission is hereby granted, free of charge, to any person obtaining +# a copy of this software and associated documentation files (the +# "Software"), to deal in the Software without restriction, including +# without limitation the rights to use, copy, modify, merge, publish, +# distribute, sublicense, and/or sell copies of the Software, and to +# permit persons to whom the Software is furnished to do so, subject to +# the following conditions: +# +# The above copyright notice and this permission notice shall be +# included in all copies or substantial portions of the Software. +# +# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +# EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +# MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. +# IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY +# CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, +# TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE +# SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. +# + +__doc__ = \ +""" +pyparsing module - Classes and methods to define and execute parsing grammars +============================================================================= + +The pyparsing module is an alternative approach to creating and +executing simple grammars, vs. the traditional lex/yacc approach, or the +use of regular expressions. With pyparsing, you don't need to learn +a new syntax for defining grammars or matching expressions - the parsing +module provides a library of classes that you use to construct the +grammar directly in Python. + +Here is a program to parse "Hello, World!" (or any greeting of the form +``"<salutation>, <addressee>!"``), built up using :class:`Word`, +:class:`Literal`, and :class:`And` elements +(the :class:`'+'<ParserElement.__add__>` operators create :class:`And` expressions, +and the strings are auto-converted to :class:`Literal` expressions):: + + from pip._vendor.pyparsing import Word, alphas + + # define grammar of a greeting + greet = Word(alphas) + "," + Word(alphas) + "!" + + hello = "Hello, World!" + print (hello, "->", greet.parseString(hello)) + +The program outputs the following:: + + Hello, World! -> ['Hello', ',', 'World', '!'] + +The Python representation of the grammar is quite readable, owing to the +self-explanatory class names, and the use of '+', '|' and '^' operators. + +The :class:`ParseResults` object returned from +:class:`ParserElement.parseString` can be +accessed as a nested list, a dictionary, or an object with named +attributes. + +The pyparsing module handles some of the problems that are typically +vexing when writing text parsers: + + - extra or missing whitespace (the above program will also handle + "Hello,World!", "Hello , World !", etc.) + - quoted strings + - embedded comments + + +Getting Started - +----------------- +Visit the classes :class:`ParserElement` and :class:`ParseResults` to +see the base classes that most other pyparsing +classes inherit from. Use the docstrings for examples of how to: + + - construct literal match expressions from :class:`Literal` and + :class:`CaselessLiteral` classes + - construct character word-group expressions using the :class:`Word` + class + - see how to create repetitive expressions using :class:`ZeroOrMore` + and :class:`OneOrMore` classes + - use :class:`'+'<And>`, :class:`'|'<MatchFirst>`, :class:`'^'<Or>`, + and :class:`'&'<Each>` operators to combine simple expressions into + more complex ones + - associate names with your parsed results using + :class:`ParserElement.setResultsName` + - find some helpful expression short-cuts like :class:`delimitedList` + and :class:`oneOf` + - find more useful common expressions in the :class:`pyparsing_common` + namespace class +""" + +__version__ = "2.3.1" +__versionTime__ = "09 Jan 2019 23:26 UTC" +__author__ = "Paul McGuire <ptmcg@users.sourceforge.net>" + +import string +from weakref import ref as wkref +import copy +import sys +import warnings +import re +import sre_constants +import collections +import pprint +import traceback +import types +from datetime import datetime + +try: + # Python 3 + from itertools import filterfalse +except ImportError: + from itertools import ifilterfalse as filterfalse + +try: + from _thread import RLock +except ImportError: + from threading import RLock + +try: + # Python 3 + from collections.abc import Iterable + from collections.abc import MutableMapping +except ImportError: + # Python 2.7 + from collections import Iterable + from collections import MutableMapping + +try: + from collections import OrderedDict as _OrderedDict +except ImportError: + try: + from ordereddict import OrderedDict as _OrderedDict + except ImportError: + _OrderedDict = None + +try: + from types import SimpleNamespace +except ImportError: + class SimpleNamespace: pass + + +#~ sys.stderr.write( "testing pyparsing module, version %s, %s\n" % (__version__,__versionTime__ ) ) + +__all__ = [ +'And', 'CaselessKeyword', 'CaselessLiteral', 'CharsNotIn', 'Combine', 'Dict', 'Each', 'Empty', +'FollowedBy', 'Forward', 'GoToColumn', 'Group', 'Keyword', 'LineEnd', 'LineStart', 'Literal', +'PrecededBy', 'MatchFirst', 'NoMatch', 'NotAny', 'OneOrMore', 'OnlyOnce', 'Optional', 'Or', +'ParseBaseException', 'ParseElementEnhance', 'ParseException', 'ParseExpression', 'ParseFatalException', +'ParseResults', 'ParseSyntaxException', 'ParserElement', 'QuotedString', 'RecursiveGrammarException', +'Regex', 'SkipTo', 'StringEnd', 'StringStart', 'Suppress', 'Token', 'TokenConverter', +'White', 'Word', 'WordEnd', 'WordStart', 'ZeroOrMore', 'Char', +'alphanums', 'alphas', 'alphas8bit', 'anyCloseTag', 'anyOpenTag', 'cStyleComment', 'col', +'commaSeparatedList', 'commonHTMLEntity', 'countedArray', 'cppStyleComment', 'dblQuotedString', +'dblSlashComment', 'delimitedList', 'dictOf', 'downcaseTokens', 'empty', 'hexnums', +'htmlComment', 'javaStyleComment', 'line', 'lineEnd', 'lineStart', 'lineno', +'makeHTMLTags', 'makeXMLTags', 'matchOnlyAtCol', 'matchPreviousExpr', 'matchPreviousLiteral', +'nestedExpr', 'nullDebugAction', 'nums', 'oneOf', 'opAssoc', 'operatorPrecedence', 'printables', +'punc8bit', 'pythonStyleComment', 'quotedString', 'removeQuotes', 'replaceHTMLEntity', +'replaceWith', 'restOfLine', 'sglQuotedString', 'srange', 'stringEnd', +'stringStart', 'traceParseAction', 'unicodeString', 'upcaseTokens', 'withAttribute', +'indentedBlock', 'originalTextFor', 'ungroup', 'infixNotation','locatedExpr', 'withClass', +'CloseMatch', 'tokenMap', 'pyparsing_common', 'pyparsing_unicode', 'unicode_set', +] + +system_version = tuple(sys.version_info)[:3] +PY_3 = system_version[0] == 3 +if PY_3: + _MAX_INT = sys.maxsize + basestring = str + unichr = chr + unicode = str + _ustr = str + + # build list of single arg builtins, that can be used as parse actions + singleArgBuiltins = [sum, len, sorted, reversed, list, tuple, set, any, all, min, max] + +else: + _MAX_INT = sys.maxint + range = xrange + + def _ustr(obj): + """Drop-in replacement for str(obj) that tries to be Unicode + friendly. It first tries str(obj). If that fails with + a UnicodeEncodeError, then it tries unicode(obj). It then + < returns the unicode object | encodes it with the default + encoding | ... >. + """ + if isinstance(obj,unicode): + return obj + + try: + # If this works, then _ustr(obj) has the same behaviour as str(obj), so + # it won't break any existing code. + return str(obj) + + except UnicodeEncodeError: + # Else encode it + ret = unicode(obj).encode(sys.getdefaultencoding(), 'xmlcharrefreplace') + xmlcharref = Regex(r'&#\d+;') + xmlcharref.setParseAction(lambda t: '\\u' + hex(int(t[0][2:-1]))[2:]) + return xmlcharref.transformString(ret) + + # build list of single arg builtins, tolerant of Python version, that can be used as parse actions + singleArgBuiltins = [] + import __builtin__ + for fname in "sum len sorted reversed list tuple set any all min max".split(): + try: + singleArgBuiltins.append(getattr(__builtin__,fname)) + except AttributeError: + continue + +_generatorType = type((y for y in range(1))) + +def _xml_escape(data): + """Escape &, <, >, ", ', etc. in a string of data.""" + + # ampersand must be replaced first + from_symbols = '&><"\'' + to_symbols = ('&'+s+';' for s in "amp gt lt quot apos".split()) + for from_,to_ in zip(from_symbols, to_symbols): + data = data.replace(from_, to_) + return data + +alphas = string.ascii_uppercase + string.ascii_lowercase +nums = "0123456789" +hexnums = nums + "ABCDEFabcdef" +alphanums = alphas + nums +_bslash = chr(92) +printables = "".join(c for c in string.printable if c not in string.whitespace) + +class ParseBaseException(Exception): + """base exception class for all parsing runtime exceptions""" + # Performance tuning: we construct a *lot* of these, so keep this + # constructor as small and fast as possible + def __init__( self, pstr, loc=0, msg=None, elem=None ): + self.loc = loc + if msg is None: + self.msg = pstr + self.pstr = "" + else: + self.msg = msg + self.pstr = pstr + self.parserElement = elem + self.args = (pstr, loc, msg) + + @classmethod + def _from_exception(cls, pe): + """ + internal factory method to simplify creating one type of ParseException + from another - avoids having __init__ signature conflicts among subclasses + """ + return cls(pe.pstr, pe.loc, pe.msg, pe.parserElement) + + def __getattr__( self, aname ): + """supported attributes by name are: + - lineno - returns the line number of the exception text + - col - returns the column number of the exception text + - line - returns the line containing the exception text + """ + if( aname == "lineno" ): + return lineno( self.loc, self.pstr ) + elif( aname in ("col", "column") ): + return col( self.loc, self.pstr ) + elif( aname == "line" ): + return line( self.loc, self.pstr ) + else: + raise AttributeError(aname) + + def __str__( self ): + return "%s (at char %d), (line:%d, col:%d)" % \ + ( self.msg, self.loc, self.lineno, self.column ) + def __repr__( self ): + return _ustr(self) + def markInputline( self, markerString = ">!<" ): + """Extracts the exception line from the input string, and marks + the location of the exception with a special symbol. + """ + line_str = self.line + line_column = self.column - 1 + if markerString: + line_str = "".join((line_str[:line_column], + markerString, line_str[line_column:])) + return line_str.strip() + def __dir__(self): + return "lineno col line".split() + dir(type(self)) + +class ParseException(ParseBaseException): + """ + Exception thrown when parse expressions don't match class; + supported attributes by name are: + - lineno - returns the line number of the exception text + - col - returns the column number of the exception text + - line - returns the line containing the exception text + + Example:: + + try: + Word(nums).setName("integer").parseString("ABC") + except ParseException as pe: + print(pe) + print("column: {}".format(pe.col)) + + prints:: + + Expected integer (at char 0), (line:1, col:1) + column: 1 + + """ + + @staticmethod + def explain(exc, depth=16): + """ + Method to take an exception and translate the Python internal traceback into a list + of the pyparsing expressions that caused the exception to be raised. + + Parameters: + + - exc - exception raised during parsing (need not be a ParseException, in support + of Python exceptions that might be raised in a parse action) + - depth (default=16) - number of levels back in the stack trace to list expression + and function names; if None, the full stack trace names will be listed; if 0, only + the failing input line, marker, and exception string will be shown + + Returns a multi-line string listing the ParserElements and/or function names in the + exception's stack trace. + + Note: the diagnostic output will include string representations of the expressions + that failed to parse. These representations will be more helpful if you use `setName` to + give identifiable names to your expressions. Otherwise they will use the default string + forms, which may be cryptic to read. + + explain() is only supported under Python 3. + """ + import inspect + + if depth is None: + depth = sys.getrecursionlimit() + ret = [] + if isinstance(exc, ParseBaseException): + ret.append(exc.line) + ret.append(' ' * (exc.col - 1) + '^') + ret.append("{0}: {1}".format(type(exc).__name__, exc)) + + if depth > 0: + callers = inspect.getinnerframes(exc.__traceback__, context=depth) + seen = set() + for i, ff in enumerate(callers[-depth:]): + frm = ff.frame + + f_self = frm.f_locals.get('self', None) + if isinstance(f_self, ParserElement): + if frm.f_code.co_name not in ('parseImpl', '_parseNoCache'): + continue + if f_self in seen: + continue + seen.add(f_self) + + self_type = type(f_self) + ret.append("{0}.{1} - {2}".format(self_type.__module__, + self_type.__name__, + f_self)) + elif f_self is not None: + self_type = type(f_self) + ret.append("{0}.{1}".format(self_type.__module__, + self_type.__name__)) + else: + code = frm.f_code + if code.co_name in ('wrapper', '<module>'): + continue + + ret.append("{0}".format(code.co_name)) + + depth -= 1 + if not depth: + break + + return '\n'.join(ret) + + +class ParseFatalException(ParseBaseException): + """user-throwable exception thrown when inconsistent parse content + is found; stops all parsing immediately""" + pass + +class ParseSyntaxException(ParseFatalException): + """just like :class:`ParseFatalException`, but thrown internally + when an :class:`ErrorStop<And._ErrorStop>` ('-' operator) indicates + that parsing is to stop immediately because an unbacktrackable + syntax error has been found. + """ + pass + +#~ class ReparseException(ParseBaseException): + #~ """Experimental class - parse actions can raise this exception to cause + #~ pyparsing to reparse the input string: + #~ - with a modified input string, and/or + #~ - with a modified start location + #~ Set the values of the ReparseException in the constructor, and raise the + #~ exception in a parse action to cause pyparsing to use the new string/location. + #~ Setting the values as None causes no change to be made. + #~ """ + #~ def __init_( self, newstring, restartLoc ): + #~ self.newParseText = newstring + #~ self.reparseLoc = restartLoc + +class RecursiveGrammarException(Exception): + """exception thrown by :class:`ParserElement.validate` if the + grammar could be improperly recursive + """ + def __init__( self, parseElementList ): + self.parseElementTrace = parseElementList + + def __str__( self ): + return "RecursiveGrammarException: %s" % self.parseElementTrace + +class _ParseResultsWithOffset(object): + def __init__(self,p1,p2): + self.tup = (p1,p2) + def __getitem__(self,i): + return self.tup[i] + def __repr__(self): + return repr(self.tup[0]) + def setOffset(self,i): + self.tup = (self.tup[0],i) + +class ParseResults(object): + """Structured parse results, to provide multiple means of access to + the parsed data: + + - as a list (``len(results)``) + - by list index (``results[0], results[1]``, etc.) + - by attribute (``results.<resultsName>`` - see :class:`ParserElement.setResultsName`) + + Example:: + + integer = Word(nums) + date_str = (integer.setResultsName("year") + '/' + + integer.setResultsName("month") + '/' + + integer.setResultsName("day")) + # equivalent form: + # date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + # parseString returns a ParseResults object + result = date_str.parseString("1999/12/31") + + def test(s, fn=repr): + print("%s -> %s" % (s, fn(eval(s)))) + test("list(result)") + test("result[0]") + test("result['month']") + test("result.day") + test("'month' in result") + test("'minutes' in result") + test("result.dump()", str) + + prints:: + + list(result) -> ['1999', '/', '12', '/', '31'] + result[0] -> '1999' + result['month'] -> '12' + result.day -> '31' + 'month' in result -> True + 'minutes' in result -> False + result.dump() -> ['1999', '/', '12', '/', '31'] + - day: 31 + - month: 12 + - year: 1999 + """ + def __new__(cls, toklist=None, name=None, asList=True, modal=True ): + if isinstance(toklist, cls): + return toklist + retobj = object.__new__(cls) + retobj.__doinit = True + return retobj + + # Performance tuning: we construct a *lot* of these, so keep this + # constructor as small and fast as possible + def __init__( self, toklist=None, name=None, asList=True, modal=True, isinstance=isinstance ): + if self.__doinit: + self.__doinit = False + self.__name = None + self.__parent = None + self.__accumNames = {} + self.__asList = asList + self.__modal = modal + if toklist is None: + toklist = [] + if isinstance(toklist, list): + self.__toklist = toklist[:] + elif isinstance(toklist, _generatorType): + self.__toklist = list(toklist) + else: + self.__toklist = [toklist] + self.__tokdict = dict() + + if name is not None and name: + if not modal: + self.__accumNames[name] = 0 + if isinstance(name,int): + name = _ustr(name) # will always return a str, but use _ustr for consistency + self.__name = name + if not (isinstance(toklist, (type(None), basestring, list)) and toklist in (None,'',[])): + if isinstance(toklist,basestring): + toklist = [ toklist ] + if asList: + if isinstance(toklist,ParseResults): + self[name] = _ParseResultsWithOffset(ParseResults(toklist.__toklist), 0) + else: + self[name] = _ParseResultsWithOffset(ParseResults(toklist[0]),0) + self[name].__name = name + else: + try: + self[name] = toklist[0] + except (KeyError,TypeError,IndexError): + self[name] = toklist + + def __getitem__( self, i ): + if isinstance( i, (int,slice) ): + return self.__toklist[i] + else: + if i not in self.__accumNames: + return self.__tokdict[i][-1][0] + else: + return ParseResults([ v[0] for v in self.__tokdict[i] ]) + + def __setitem__( self, k, v, isinstance=isinstance ): + if isinstance(v,_ParseResultsWithOffset): + self.__tokdict[k] = self.__tokdict.get(k,list()) + [v] + sub = v[0] + elif isinstance(k,(int,slice)): + self.__toklist[k] = v + sub = v + else: + self.__tokdict[k] = self.__tokdict.get(k,list()) + [_ParseResultsWithOffset(v,0)] + sub = v + if isinstance(sub,ParseResults): + sub.__parent = wkref(self) + + def __delitem__( self, i ): + if isinstance(i,(int,slice)): + mylen = len( self.__toklist ) + del self.__toklist[i] + + # convert int to slice + if isinstance(i, int): + if i < 0: + i += mylen + i = slice(i, i+1) + # get removed indices + removed = list(range(*i.indices(mylen))) + removed.reverse() + # fixup indices in token dictionary + for name,occurrences in self.__tokdict.items(): + for j in removed: + for k, (value, position) in enumerate(occurrences): + occurrences[k] = _ParseResultsWithOffset(value, position - (position > j)) + else: + del self.__tokdict[i] + + def __contains__( self, k ): + return k in self.__tokdict + + def __len__( self ): return len( self.__toklist ) + def __bool__(self): return ( not not self.__toklist ) + __nonzero__ = __bool__ + def __iter__( self ): return iter( self.__toklist ) + def __reversed__( self ): return iter( self.__toklist[::-1] ) + def _iterkeys( self ): + if hasattr(self.__tokdict, "iterkeys"): + return self.__tokdict.iterkeys() + else: + return iter(self.__tokdict) + + def _itervalues( self ): + return (self[k] for k in self._iterkeys()) + + def _iteritems( self ): + return ((k, self[k]) for k in self._iterkeys()) + + if PY_3: + keys = _iterkeys + """Returns an iterator of all named result keys.""" + + values = _itervalues + """Returns an iterator of all named result values.""" + + items = _iteritems + """Returns an iterator of all named result key-value tuples.""" + + else: + iterkeys = _iterkeys + """Returns an iterator of all named result keys (Python 2.x only).""" + + itervalues = _itervalues + """Returns an iterator of all named result values (Python 2.x only).""" + + iteritems = _iteritems + """Returns an iterator of all named result key-value tuples (Python 2.x only).""" + + def keys( self ): + """Returns all named result keys (as a list in Python 2.x, as an iterator in Python 3.x).""" + return list(self.iterkeys()) + + def values( self ): + """Returns all named result values (as a list in Python 2.x, as an iterator in Python 3.x).""" + return list(self.itervalues()) + + def items( self ): + """Returns all named result key-values (as a list of tuples in Python 2.x, as an iterator in Python 3.x).""" + return list(self.iteritems()) + + def haskeys( self ): + """Since keys() returns an iterator, this method is helpful in bypassing + code that looks for the existence of any defined results names.""" + return bool(self.__tokdict) + + def pop( self, *args, **kwargs): + """ + Removes and returns item at specified index (default= ``last``). + Supports both ``list`` and ``dict`` semantics for ``pop()``. If + passed no argument or an integer argument, it will use ``list`` + semantics and pop tokens from the list of parsed tokens. If passed + a non-integer argument (most likely a string), it will use ``dict`` + semantics and pop the corresponding value from any defined results + names. A second default return value argument is supported, just as in + ``dict.pop()``. + + Example:: + + def remove_first(tokens): + tokens.pop(0) + print(OneOrMore(Word(nums)).parseString("0 123 321")) # -> ['0', '123', '321'] + print(OneOrMore(Word(nums)).addParseAction(remove_first).parseString("0 123 321")) # -> ['123', '321'] + + label = Word(alphas) + patt = label("LABEL") + OneOrMore(Word(nums)) + print(patt.parseString("AAB 123 321").dump()) + + # Use pop() in a parse action to remove named result (note that corresponding value is not + # removed from list form of results) + def remove_LABEL(tokens): + tokens.pop("LABEL") + return tokens + patt.addParseAction(remove_LABEL) + print(patt.parseString("AAB 123 321").dump()) + + prints:: + + ['AAB', '123', '321'] + - LABEL: AAB + + ['AAB', '123', '321'] + """ + if not args: + args = [-1] + for k,v in kwargs.items(): + if k == 'default': + args = (args[0], v) + else: + raise TypeError("pop() got an unexpected keyword argument '%s'" % k) + if (isinstance(args[0], int) or + len(args) == 1 or + args[0] in self): + index = args[0] + ret = self[index] + del self[index] + return ret + else: + defaultvalue = args[1] + return defaultvalue + + def get(self, key, defaultValue=None): + """ + Returns named result matching the given key, or if there is no + such name, then returns the given ``defaultValue`` or ``None`` if no + ``defaultValue`` is specified. + + Similar to ``dict.get()``. + + Example:: + + integer = Word(nums) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + result = date_str.parseString("1999/12/31") + print(result.get("year")) # -> '1999' + print(result.get("hour", "not specified")) # -> 'not specified' + print(result.get("hour")) # -> None + """ + if key in self: + return self[key] + else: + return defaultValue + + def insert( self, index, insStr ): + """ + Inserts new element at location index in the list of parsed tokens. + + Similar to ``list.insert()``. + + Example:: + + print(OneOrMore(Word(nums)).parseString("0 123 321")) # -> ['0', '123', '321'] + + # use a parse action to insert the parse location in the front of the parsed results + def insert_locn(locn, tokens): + tokens.insert(0, locn) + print(OneOrMore(Word(nums)).addParseAction(insert_locn).parseString("0 123 321")) # -> [0, '0', '123', '321'] + """ + self.__toklist.insert(index, insStr) + # fixup indices in token dictionary + for name,occurrences in self.__tokdict.items(): + for k, (value, position) in enumerate(occurrences): + occurrences[k] = _ParseResultsWithOffset(value, position + (position > index)) + + def append( self, item ): + """ + Add single element to end of ParseResults list of elements. + + Example:: + + print(OneOrMore(Word(nums)).parseString("0 123 321")) # -> ['0', '123', '321'] + + # use a parse action to compute the sum of the parsed integers, and add it to the end + def append_sum(tokens): + tokens.append(sum(map(int, tokens))) + print(OneOrMore(Word(nums)).addParseAction(append_sum).parseString("0 123 321")) # -> ['0', '123', '321', 444] + """ + self.__toklist.append(item) + + def extend( self, itemseq ): + """ + Add sequence of elements to end of ParseResults list of elements. + + Example:: + + patt = OneOrMore(Word(alphas)) + + # use a parse action to append the reverse of the matched strings, to make a palindrome + def make_palindrome(tokens): + tokens.extend(reversed([t[::-1] for t in tokens])) + return ''.join(tokens) + print(patt.addParseAction(make_palindrome).parseString("lskdj sdlkjf lksd")) # -> 'lskdjsdlkjflksddsklfjkldsjdksl' + """ + if isinstance(itemseq, ParseResults): + self += itemseq + else: + self.__toklist.extend(itemseq) + + def clear( self ): + """ + Clear all elements and results names. + """ + del self.__toklist[:] + self.__tokdict.clear() + + def __getattr__( self, name ): + try: + return self[name] + except KeyError: + return "" + + if name in self.__tokdict: + if name not in self.__accumNames: + return self.__tokdict[name][-1][0] + else: + return ParseResults([ v[0] for v in self.__tokdict[name] ]) + else: + return "" + + def __add__( self, other ): + ret = self.copy() + ret += other + return ret + + def __iadd__( self, other ): + if other.__tokdict: + offset = len(self.__toklist) + addoffset = lambda a: offset if a<0 else a+offset + otheritems = other.__tokdict.items() + otherdictitems = [(k, _ParseResultsWithOffset(v[0],addoffset(v[1])) ) + for (k,vlist) in otheritems for v in vlist] + for k,v in otherdictitems: + self[k] = v + if isinstance(v[0],ParseResults): + v[0].__parent = wkref(self) + + self.__toklist += other.__toklist + self.__accumNames.update( other.__accumNames ) + return self + + def __radd__(self, other): + if isinstance(other,int) and other == 0: + # useful for merging many ParseResults using sum() builtin + return self.copy() + else: + # this may raise a TypeError - so be it + return other + self + + def __repr__( self ): + return "(%s, %s)" % ( repr( self.__toklist ), repr( self.__tokdict ) ) + + def __str__( self ): + return '[' + ', '.join(_ustr(i) if isinstance(i, ParseResults) else repr(i) for i in self.__toklist) + ']' + + def _asStringList( self, sep='' ): + out = [] + for item in self.__toklist: + if out and sep: + out.append(sep) + if isinstance( item, ParseResults ): + out += item._asStringList() + else: + out.append( _ustr(item) ) + return out + + def asList( self ): + """ + Returns the parse results as a nested list of matching tokens, all converted to strings. + + Example:: + + patt = OneOrMore(Word(alphas)) + result = patt.parseString("sldkj lsdkj sldkj") + # even though the result prints in string-like form, it is actually a pyparsing ParseResults + print(type(result), result) # -> <class 'pyparsing.ParseResults'> ['sldkj', 'lsdkj', 'sldkj'] + + # Use asList() to create an actual list + result_list = result.asList() + print(type(result_list), result_list) # -> <class 'list'> ['sldkj', 'lsdkj', 'sldkj'] + """ + return [res.asList() if isinstance(res,ParseResults) else res for res in self.__toklist] + + def asDict( self ): + """ + Returns the named parse results as a nested dictionary. + + Example:: + + integer = Word(nums) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + result = date_str.parseString('12/31/1999') + print(type(result), repr(result)) # -> <class 'pyparsing.ParseResults'> (['12', '/', '31', '/', '1999'], {'day': [('1999', 4)], 'year': [('12', 0)], 'month': [('31', 2)]}) + + result_dict = result.asDict() + print(type(result_dict), repr(result_dict)) # -> <class 'dict'> {'day': '1999', 'year': '12', 'month': '31'} + + # even though a ParseResults supports dict-like access, sometime you just need to have a dict + import json + print(json.dumps(result)) # -> Exception: TypeError: ... is not JSON serializable + print(json.dumps(result.asDict())) # -> {"month": "31", "day": "1999", "year": "12"} + """ + if PY_3: + item_fn = self.items + else: + item_fn = self.iteritems + + def toItem(obj): + if isinstance(obj, ParseResults): + if obj.haskeys(): + return obj.asDict() + else: + return [toItem(v) for v in obj] + else: + return obj + + return dict((k,toItem(v)) for k,v in item_fn()) + + def copy( self ): + """ + Returns a new copy of a :class:`ParseResults` object. + """ + ret = ParseResults( self.__toklist ) + ret.__tokdict = dict(self.__tokdict.items()) + ret.__parent = self.__parent + ret.__accumNames.update( self.__accumNames ) + ret.__name = self.__name + return ret + + def asXML( self, doctag=None, namedItemsOnly=False, indent="", formatted=True ): + """ + (Deprecated) Returns the parse results as XML. Tags are created for tokens and lists that have defined results names. + """ + nl = "\n" + out = [] + namedItems = dict((v[1],k) for (k,vlist) in self.__tokdict.items() + for v in vlist) + nextLevelIndent = indent + " " + + # collapse out indents if formatting is not desired + if not formatted: + indent = "" + nextLevelIndent = "" + nl = "" + + selfTag = None + if doctag is not None: + selfTag = doctag + else: + if self.__name: + selfTag = self.__name + + if not selfTag: + if namedItemsOnly: + return "" + else: + selfTag = "ITEM" + + out += [ nl, indent, "<", selfTag, ">" ] + + for i,res in enumerate(self.__toklist): + if isinstance(res,ParseResults): + if i in namedItems: + out += [ res.asXML(namedItems[i], + namedItemsOnly and doctag is None, + nextLevelIndent, + formatted)] + else: + out += [ res.asXML(None, + namedItemsOnly and doctag is None, + nextLevelIndent, + formatted)] + else: + # individual token, see if there is a name for it + resTag = None + if i in namedItems: + resTag = namedItems[i] + if not resTag: + if namedItemsOnly: + continue + else: + resTag = "ITEM" + xmlBodyText = _xml_escape(_ustr(res)) + out += [ nl, nextLevelIndent, "<", resTag, ">", + xmlBodyText, + "</", resTag, ">" ] + + out += [ nl, indent, "</", selfTag, ">" ] + return "".join(out) + + def __lookup(self,sub): + for k,vlist in self.__tokdict.items(): + for v,loc in vlist: + if sub is v: + return k + return None + + def getName(self): + r""" + Returns the results name for this token expression. Useful when several + different expressions might match at a particular location. + + Example:: + + integer = Word(nums) + ssn_expr = Regex(r"\d\d\d-\d\d-\d\d\d\d") + house_number_expr = Suppress('#') + Word(nums, alphanums) + user_data = (Group(house_number_expr)("house_number") + | Group(ssn_expr)("ssn") + | Group(integer)("age")) + user_info = OneOrMore(user_data) + + result = user_info.parseString("22 111-22-3333 #221B") + for item in result: + print(item.getName(), ':', item[0]) + + prints:: + + age : 22 + ssn : 111-22-3333 + house_number : 221B + """ + if self.__name: + return self.__name + elif self.__parent: + par = self.__parent() + if par: + return par.__lookup(self) + else: + return None + elif (len(self) == 1 and + len(self.__tokdict) == 1 and + next(iter(self.__tokdict.values()))[0][1] in (0,-1)): + return next(iter(self.__tokdict.keys())) + else: + return None + + def dump(self, indent='', depth=0, full=True): + """ + Diagnostic method for listing out the contents of + a :class:`ParseResults`. Accepts an optional ``indent`` argument so + that this string can be embedded in a nested display of other data. + + Example:: + + integer = Word(nums) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + result = date_str.parseString('12/31/1999') + print(result.dump()) + + prints:: + + ['12', '/', '31', '/', '1999'] + - day: 1999 + - month: 31 + - year: 12 + """ + out = [] + NL = '\n' + out.append( indent+_ustr(self.asList()) ) + if full: + if self.haskeys(): + items = sorted((str(k), v) for k,v in self.items()) + for k,v in items: + if out: + out.append(NL) + out.append( "%s%s- %s: " % (indent,(' '*depth), k) ) + if isinstance(v,ParseResults): + if v: + out.append( v.dump(indent,depth+1) ) + else: + out.append(_ustr(v)) + else: + out.append(repr(v)) + elif any(isinstance(vv,ParseResults) for vv in self): + v = self + for i,vv in enumerate(v): + if isinstance(vv,ParseResults): + out.append("\n%s%s[%d]:\n%s%s%s" % (indent,(' '*(depth)),i,indent,(' '*(depth+1)),vv.dump(indent,depth+1) )) + else: + out.append("\n%s%s[%d]:\n%s%s%s" % (indent,(' '*(depth)),i,indent,(' '*(depth+1)),_ustr(vv))) + + return "".join(out) + + def pprint(self, *args, **kwargs): + """ + Pretty-printer for parsed results as a list, using the + `pprint <https://docs.python.org/3/library/pprint.html>`_ module. + Accepts additional positional or keyword args as defined for + `pprint.pprint <https://docs.python.org/3/library/pprint.html#pprint.pprint>`_ . + + Example:: + + ident = Word(alphas, alphanums) + num = Word(nums) + func = Forward() + term = ident | num | Group('(' + func + ')') + func <<= ident + Group(Optional(delimitedList(term))) + result = func.parseString("fna a,b,(fnb c,d,200),100") + result.pprint(width=40) + + prints:: + + ['fna', + ['a', + 'b', + ['(', 'fnb', ['c', 'd', '200'], ')'], + '100']] + """ + pprint.pprint(self.asList(), *args, **kwargs) + + # add support for pickle protocol + def __getstate__(self): + return ( self.__toklist, + ( self.__tokdict.copy(), + self.__parent is not None and self.__parent() or None, + self.__accumNames, + self.__name ) ) + + def __setstate__(self,state): + self.__toklist = state[0] + (self.__tokdict, + par, + inAccumNames, + self.__name) = state[1] + self.__accumNames = {} + self.__accumNames.update(inAccumNames) + if par is not None: + self.__parent = wkref(par) + else: + self.__parent = None + + def __getnewargs__(self): + return self.__toklist, self.__name, self.__asList, self.__modal + + def __dir__(self): + return (dir(type(self)) + list(self.keys())) + +MutableMapping.register(ParseResults) + +def col (loc,strg): + """Returns current column within a string, counting newlines as line separators. + The first column is number 1. + + Note: the default parsing behavior is to expand tabs in the input string + before starting the parsing process. See + :class:`ParserElement.parseString` for more + information on parsing strings containing ``<TAB>`` s, and suggested + methods to maintain a consistent view of the parsed string, the parse + location, and line and column positions within the parsed string. + """ + s = strg + return 1 if 0<loc<len(s) and s[loc-1] == '\n' else loc - s.rfind("\n", 0, loc) + +def lineno(loc,strg): + """Returns current line number within a string, counting newlines as line separators. + The first line is number 1. + + Note - the default parsing behavior is to expand tabs in the input string + before starting the parsing process. See :class:`ParserElement.parseString` + for more information on parsing strings containing ``<TAB>`` s, and + suggested methods to maintain a consistent view of the parsed string, the + parse location, and line and column positions within the parsed string. + """ + return strg.count("\n",0,loc) + 1 + +def line( loc, strg ): + """Returns the line of text containing loc within a string, counting newlines as line separators. + """ + lastCR = strg.rfind("\n", 0, loc) + nextCR = strg.find("\n", loc) + if nextCR >= 0: + return strg[lastCR+1:nextCR] + else: + return strg[lastCR+1:] + +def _defaultStartDebugAction( instring, loc, expr ): + print (("Match " + _ustr(expr) + " at loc " + _ustr(loc) + "(%d,%d)" % ( lineno(loc,instring), col(loc,instring) ))) + +def _defaultSuccessDebugAction( instring, startloc, endloc, expr, toks ): + print ("Matched " + _ustr(expr) + " -> " + str(toks.asList())) + +def _defaultExceptionDebugAction( instring, loc, expr, exc ): + print ("Exception raised:" + _ustr(exc)) + +def nullDebugAction(*args): + """'Do-nothing' debug action, to suppress debugging output during parsing.""" + pass + +# Only works on Python 3.x - nonlocal is toxic to Python 2 installs +#~ 'decorator to trim function calls to match the arity of the target' +#~ def _trim_arity(func, maxargs=3): + #~ if func in singleArgBuiltins: + #~ return lambda s,l,t: func(t) + #~ limit = 0 + #~ foundArity = False + #~ def wrapper(*args): + #~ nonlocal limit,foundArity + #~ while 1: + #~ try: + #~ ret = func(*args[limit:]) + #~ foundArity = True + #~ return ret + #~ except TypeError: + #~ if limit == maxargs or foundArity: + #~ raise + #~ limit += 1 + #~ continue + #~ return wrapper + +# this version is Python 2.x-3.x cross-compatible +'decorator to trim function calls to match the arity of the target' +def _trim_arity(func, maxargs=2): + if func in singleArgBuiltins: + return lambda s,l,t: func(t) + limit = [0] + foundArity = [False] + + # traceback return data structure changed in Py3.5 - normalize back to plain tuples + if system_version[:2] >= (3,5): + def extract_stack(limit=0): + # special handling for Python 3.5.0 - extra deep call stack by 1 + offset = -3 if system_version == (3,5,0) else -2 + frame_summary = traceback.extract_stack(limit=-offset+limit-1)[offset] + return [frame_summary[:2]] + def extract_tb(tb, limit=0): + frames = traceback.extract_tb(tb, limit=limit) + frame_summary = frames[-1] + return [frame_summary[:2]] + else: + extract_stack = traceback.extract_stack + extract_tb = traceback.extract_tb + + # synthesize what would be returned by traceback.extract_stack at the call to + # user's parse action 'func', so that we don't incur call penalty at parse time + + LINE_DIFF = 6 + # IF ANY CODE CHANGES, EVEN JUST COMMENTS OR BLANK LINES, BETWEEN THE NEXT LINE AND + # THE CALL TO FUNC INSIDE WRAPPER, LINE_DIFF MUST BE MODIFIED!!!! + this_line = extract_stack(limit=2)[-1] + pa_call_line_synth = (this_line[0], this_line[1]+LINE_DIFF) + + def wrapper(*args): + while 1: + try: + ret = func(*args[limit[0]:]) + foundArity[0] = True + return ret + except TypeError: + # re-raise TypeErrors if they did not come from our arity testing + if foundArity[0]: + raise + else: + try: + tb = sys.exc_info()[-1] + if not extract_tb(tb, limit=2)[-1][:2] == pa_call_line_synth: + raise + finally: + del tb + + if limit[0] <= maxargs: + limit[0] += 1 + continue + raise + + # copy func name to wrapper for sensible debug output + func_name = "<parse action>" + try: + func_name = getattr(func, '__name__', + getattr(func, '__class__').__name__) + except Exception: + func_name = str(func) + wrapper.__name__ = func_name + + return wrapper + +class ParserElement(object): + """Abstract base level parser element class.""" + DEFAULT_WHITE_CHARS = " \n\t\r" + verbose_stacktrace = False + + @staticmethod + def setDefaultWhitespaceChars( chars ): + r""" + Overrides the default whitespace chars + + Example:: + + # default whitespace chars are space, <TAB> and newline + OneOrMore(Word(alphas)).parseString("abc def\nghi jkl") # -> ['abc', 'def', 'ghi', 'jkl'] + + # change to just treat newline as significant + ParserElement.setDefaultWhitespaceChars(" \t") + OneOrMore(Word(alphas)).parseString("abc def\nghi jkl") # -> ['abc', 'def'] + """ + ParserElement.DEFAULT_WHITE_CHARS = chars + + @staticmethod + def inlineLiteralsUsing(cls): + """ + Set class to be used for inclusion of string literals into a parser. + + Example:: + + # default literal class used is Literal + integer = Word(nums) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + date_str.parseString("1999/12/31") # -> ['1999', '/', '12', '/', '31'] + + + # change to Suppress + ParserElement.inlineLiteralsUsing(Suppress) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + date_str.parseString("1999/12/31") # -> ['1999', '12', '31'] + """ + ParserElement._literalStringClass = cls + + def __init__( self, savelist=False ): + self.parseAction = list() + self.failAction = None + #~ self.name = "<unknown>" # don't define self.name, let subclasses try/except upcall + self.strRepr = None + self.resultsName = None + self.saveAsList = savelist + self.skipWhitespace = True + self.whiteChars = set(ParserElement.DEFAULT_WHITE_CHARS) + self.copyDefaultWhiteChars = True + self.mayReturnEmpty = False # used when checking for left-recursion + self.keepTabs = False + self.ignoreExprs = list() + self.debug = False + self.streamlined = False + self.mayIndexError = True # used to optimize exception handling for subclasses that don't advance parse index + self.errmsg = "" + self.modalResults = True # used to mark results names as modal (report only last) or cumulative (list all) + self.debugActions = ( None, None, None ) #custom debug actions + self.re = None + self.callPreparse = True # used to avoid redundant calls to preParse + self.callDuringTry = False + + def copy( self ): + """ + Make a copy of this :class:`ParserElement`. Useful for defining + different parse actions for the same parsing pattern, using copies of + the original parse element. + + Example:: + + integer = Word(nums).setParseAction(lambda toks: int(toks[0])) + integerK = integer.copy().addParseAction(lambda toks: toks[0]*1024) + Suppress("K") + integerM = integer.copy().addParseAction(lambda toks: toks[0]*1024*1024) + Suppress("M") + + print(OneOrMore(integerK | integerM | integer).parseString("5K 100 640K 256M")) + + prints:: + + [5120, 100, 655360, 268435456] + + Equivalent form of ``expr.copy()`` is just ``expr()``:: + + integerM = integer().addParseAction(lambda toks: toks[0]*1024*1024) + Suppress("M") + """ + cpy = copy.copy( self ) + cpy.parseAction = self.parseAction[:] + cpy.ignoreExprs = self.ignoreExprs[:] + if self.copyDefaultWhiteChars: + cpy.whiteChars = ParserElement.DEFAULT_WHITE_CHARS + return cpy + + def setName( self, name ): + """ + Define name for this expression, makes debugging and exception messages clearer. + + Example:: + + Word(nums).parseString("ABC") # -> Exception: Expected W:(0123...) (at char 0), (line:1, col:1) + Word(nums).setName("integer").parseString("ABC") # -> Exception: Expected integer (at char 0), (line:1, col:1) + """ + self.name = name + self.errmsg = "Expected " + self.name + if hasattr(self,"exception"): + self.exception.msg = self.errmsg + return self + + def setResultsName( self, name, listAllMatches=False ): + """ + Define name for referencing matching tokens as a nested attribute + of the returned parse results. + NOTE: this returns a *copy* of the original :class:`ParserElement` object; + this is so that the client can define a basic element, such as an + integer, and reference it in multiple places with different names. + + You can also set results names using the abbreviated syntax, + ``expr("name")`` in place of ``expr.setResultsName("name")`` + - see :class:`__call__`. + + Example:: + + date_str = (integer.setResultsName("year") + '/' + + integer.setResultsName("month") + '/' + + integer.setResultsName("day")) + + # equivalent form: + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + """ + newself = self.copy() + if name.endswith("*"): + name = name[:-1] + listAllMatches=True + newself.resultsName = name + newself.modalResults = not listAllMatches + return newself + + def setBreak(self,breakFlag = True): + """Method to invoke the Python pdb debugger when this element is + about to be parsed. Set ``breakFlag`` to True to enable, False to + disable. + """ + if breakFlag: + _parseMethod = self._parse + def breaker(instring, loc, doActions=True, callPreParse=True): + import pdb + pdb.set_trace() + return _parseMethod( instring, loc, doActions, callPreParse ) + breaker._originalParseMethod = _parseMethod + self._parse = breaker + else: + if hasattr(self._parse,"_originalParseMethod"): + self._parse = self._parse._originalParseMethod + return self + + def setParseAction( self, *fns, **kwargs ): + """ + Define one or more actions to perform when successfully matching parse element definition. + Parse action fn is a callable method with 0-3 arguments, called as ``fn(s,loc,toks)`` , + ``fn(loc,toks)`` , ``fn(toks)`` , or just ``fn()`` , where: + + - s = the original string being parsed (see note below) + - loc = the location of the matching substring + - toks = a list of the matched tokens, packaged as a :class:`ParseResults` object + + If the functions in fns modify the tokens, they can return them as the return + value from fn, and the modified list of tokens will replace the original. + Otherwise, fn does not need to return any value. + + Optional keyword arguments: + - callDuringTry = (default= ``False`` ) indicate if parse action should be run during lookaheads and alternate testing + + Note: the default parsing behavior is to expand tabs in the input string + before starting the parsing process. See :class:`parseString for more + information on parsing strings containing ``<TAB>`` s, and suggested + methods to maintain a consistent view of the parsed string, the parse + location, and line and column positions within the parsed string. + + Example:: + + integer = Word(nums) + date_str = integer + '/' + integer + '/' + integer + + date_str.parseString("1999/12/31") # -> ['1999', '/', '12', '/', '31'] + + # use parse action to convert to ints at parse time + integer = Word(nums).setParseAction(lambda toks: int(toks[0])) + date_str = integer + '/' + integer + '/' + integer + + # note that integer fields are now ints, not strings + date_str.parseString("1999/12/31") # -> [1999, '/', 12, '/', 31] + """ + self.parseAction = list(map(_trim_arity, list(fns))) + self.callDuringTry = kwargs.get("callDuringTry", False) + return self + + def addParseAction( self, *fns, **kwargs ): + """ + Add one or more parse actions to expression's list of parse actions. See :class:`setParseAction`. + + See examples in :class:`copy`. + """ + self.parseAction += list(map(_trim_arity, list(fns))) + self.callDuringTry = self.callDuringTry or kwargs.get("callDuringTry", False) + return self + + def addCondition(self, *fns, **kwargs): + """Add a boolean predicate function to expression's list of parse actions. See + :class:`setParseAction` for function call signatures. Unlike ``setParseAction``, + functions passed to ``addCondition`` need to return boolean success/fail of the condition. + + Optional keyword arguments: + - message = define a custom message to be used in the raised exception + - fatal = if True, will raise ParseFatalException to stop parsing immediately; otherwise will raise ParseException + + Example:: + + integer = Word(nums).setParseAction(lambda toks: int(toks[0])) + year_int = integer.copy() + year_int.addCondition(lambda toks: toks[0] >= 2000, message="Only support years 2000 and later") + date_str = year_int + '/' + integer + '/' + integer + + result = date_str.parseString("1999/12/31") # -> Exception: Only support years 2000 and later (at char 0), (line:1, col:1) + """ + msg = kwargs.get("message", "failed user-defined condition") + exc_type = ParseFatalException if kwargs.get("fatal", False) else ParseException + for fn in fns: + fn = _trim_arity(fn) + def pa(s,l,t): + if not bool(fn(s,l,t)): + raise exc_type(s,l,msg) + self.parseAction.append(pa) + self.callDuringTry = self.callDuringTry or kwargs.get("callDuringTry", False) + return self + + def setFailAction( self, fn ): + """Define action to perform if parsing fails at this expression. + Fail acton fn is a callable function that takes the arguments + ``fn(s,loc,expr,err)`` where: + - s = string being parsed + - loc = location where expression match was attempted and failed + - expr = the parse expression that failed + - err = the exception thrown + The function returns no value. It may throw :class:`ParseFatalException` + if it is desired to stop parsing immediately.""" + self.failAction = fn + return self + + def _skipIgnorables( self, instring, loc ): + exprsFound = True + while exprsFound: + exprsFound = False + for e in self.ignoreExprs: + try: + while 1: + loc,dummy = e._parse( instring, loc ) + exprsFound = True + except ParseException: + pass + return loc + + def preParse( self, instring, loc ): + if self.ignoreExprs: + loc = self._skipIgnorables( instring, loc ) + + if self.skipWhitespace: + wt = self.whiteChars + instrlen = len(instring) + while loc < instrlen and instring[loc] in wt: + loc += 1 + + return loc + + def parseImpl( self, instring, loc, doActions=True ): + return loc, [] + + def postParse( self, instring, loc, tokenlist ): + return tokenlist + + #~ @profile + def _parseNoCache( self, instring, loc, doActions=True, callPreParse=True ): + debugging = ( self.debug ) #and doActions ) + + if debugging or self.failAction: + #~ print ("Match",self,"at loc",loc,"(%d,%d)" % ( lineno(loc,instring), col(loc,instring) )) + if (self.debugActions[0] ): + self.debugActions[0]( instring, loc, self ) + if callPreParse and self.callPreparse: + preloc = self.preParse( instring, loc ) + else: + preloc = loc + tokensStart = preloc + try: + try: + loc,tokens = self.parseImpl( instring, preloc, doActions ) + except IndexError: + raise ParseException( instring, len(instring), self.errmsg, self ) + except ParseBaseException as err: + #~ print ("Exception raised:", err) + if self.debugActions[2]: + self.debugActions[2]( instring, tokensStart, self, err ) + if self.failAction: + self.failAction( instring, tokensStart, self, err ) + raise + else: + if callPreParse and self.callPreparse: + preloc = self.preParse( instring, loc ) + else: + preloc = loc + tokensStart = preloc + if self.mayIndexError or preloc >= len(instring): + try: + loc,tokens = self.parseImpl( instring, preloc, doActions ) + except IndexError: + raise ParseException( instring, len(instring), self.errmsg, self ) + else: + loc,tokens = self.parseImpl( instring, preloc, doActions ) + + tokens = self.postParse( instring, loc, tokens ) + + retTokens = ParseResults( tokens, self.resultsName, asList=self.saveAsList, modal=self.modalResults ) + if self.parseAction and (doActions or self.callDuringTry): + if debugging: + try: + for fn in self.parseAction: + try: + tokens = fn( instring, tokensStart, retTokens ) + except IndexError as parse_action_exc: + exc = ParseException("exception raised in parse action") + exc.__cause__ = parse_action_exc + raise exc + + if tokens is not None and tokens is not retTokens: + retTokens = ParseResults( tokens, + self.resultsName, + asList=self.saveAsList and isinstance(tokens,(ParseResults,list)), + modal=self.modalResults ) + except ParseBaseException as err: + #~ print "Exception raised in user parse action:", err + if (self.debugActions[2] ): + self.debugActions[2]( instring, tokensStart, self, err ) + raise + else: + for fn in self.parseAction: + try: + tokens = fn( instring, tokensStart, retTokens ) + except IndexError as parse_action_exc: + exc = ParseException("exception raised in parse action") + exc.__cause__ = parse_action_exc + raise exc + + if tokens is not None and tokens is not retTokens: + retTokens = ParseResults( tokens, + self.resultsName, + asList=self.saveAsList and isinstance(tokens,(ParseResults,list)), + modal=self.modalResults ) + if debugging: + #~ print ("Matched",self,"->",retTokens.asList()) + if (self.debugActions[1] ): + self.debugActions[1]( instring, tokensStart, loc, self, retTokens ) + + return loc, retTokens + + def tryParse( self, instring, loc ): + try: + return self._parse( instring, loc, doActions=False )[0] + except ParseFatalException: + raise ParseException( instring, loc, self.errmsg, self) + + def canParseNext(self, instring, loc): + try: + self.tryParse(instring, loc) + except (ParseException, IndexError): + return False + else: + return True + + class _UnboundedCache(object): + def __init__(self): + cache = {} + self.not_in_cache = not_in_cache = object() + + def get(self, key): + return cache.get(key, not_in_cache) + + def set(self, key, value): + cache[key] = value + + def clear(self): + cache.clear() + + def cache_len(self): + return len(cache) + + self.get = types.MethodType(get, self) + self.set = types.MethodType(set, self) + self.clear = types.MethodType(clear, self) + self.__len__ = types.MethodType(cache_len, self) + + if _OrderedDict is not None: + class _FifoCache(object): + def __init__(self, size): + self.not_in_cache = not_in_cache = object() + + cache = _OrderedDict() + + def get(self, key): + return cache.get(key, not_in_cache) + + def set(self, key, value): + cache[key] = value + while len(cache) > size: + try: + cache.popitem(False) + except KeyError: + pass + + def clear(self): + cache.clear() + + def cache_len(self): + return len(cache) + + self.get = types.MethodType(get, self) + self.set = types.MethodType(set, self) + self.clear = types.MethodType(clear, self) + self.__len__ = types.MethodType(cache_len, self) + + else: + class _FifoCache(object): + def __init__(self, size): + self.not_in_cache = not_in_cache = object() + + cache = {} + key_fifo = collections.deque([], size) + + def get(self, key): + return cache.get(key, not_in_cache) + + def set(self, key, value): + cache[key] = value + while len(key_fifo) > size: + cache.pop(key_fifo.popleft(), None) + key_fifo.append(key) + + def clear(self): + cache.clear() + key_fifo.clear() + + def cache_len(self): + return len(cache) + + self.get = types.MethodType(get, self) + self.set = types.MethodType(set, self) + self.clear = types.MethodType(clear, self) + self.__len__ = types.MethodType(cache_len, self) + + # argument cache for optimizing repeated calls when backtracking through recursive expressions + packrat_cache = {} # this is set later by enabledPackrat(); this is here so that resetCache() doesn't fail + packrat_cache_lock = RLock() + packrat_cache_stats = [0, 0] + + # this method gets repeatedly called during backtracking with the same arguments - + # we can cache these arguments and save ourselves the trouble of re-parsing the contained expression + def _parseCache( self, instring, loc, doActions=True, callPreParse=True ): + HIT, MISS = 0, 1 + lookup = (self, instring, loc, callPreParse, doActions) + with ParserElement.packrat_cache_lock: + cache = ParserElement.packrat_cache + value = cache.get(lookup) + if value is cache.not_in_cache: + ParserElement.packrat_cache_stats[MISS] += 1 + try: + value = self._parseNoCache(instring, loc, doActions, callPreParse) + except ParseBaseException as pe: + # cache a copy of the exception, without the traceback + cache.set(lookup, pe.__class__(*pe.args)) + raise + else: + cache.set(lookup, (value[0], value[1].copy())) + return value + else: + ParserElement.packrat_cache_stats[HIT] += 1 + if isinstance(value, Exception): + raise value + return (value[0], value[1].copy()) + + _parse = _parseNoCache + + @staticmethod + def resetCache(): + ParserElement.packrat_cache.clear() + ParserElement.packrat_cache_stats[:] = [0] * len(ParserElement.packrat_cache_stats) + + _packratEnabled = False + @staticmethod + def enablePackrat(cache_size_limit=128): + """Enables "packrat" parsing, which adds memoizing to the parsing logic. + Repeated parse attempts at the same string location (which happens + often in many complex grammars) can immediately return a cached value, + instead of re-executing parsing/validating code. Memoizing is done of + both valid results and parsing exceptions. + + Parameters: + + - cache_size_limit - (default= ``128``) - if an integer value is provided + will limit the size of the packrat cache; if None is passed, then + the cache size will be unbounded; if 0 is passed, the cache will + be effectively disabled. + + This speedup may break existing programs that use parse actions that + have side-effects. For this reason, packrat parsing is disabled when + you first import pyparsing. To activate the packrat feature, your + program must call the class method :class:`ParserElement.enablePackrat`. + For best results, call ``enablePackrat()`` immediately after + importing pyparsing. + + Example:: + + from pip._vendor import pyparsing + pyparsing.ParserElement.enablePackrat() + """ + if not ParserElement._packratEnabled: + ParserElement._packratEnabled = True + if cache_size_limit is None: + ParserElement.packrat_cache = ParserElement._UnboundedCache() + else: + ParserElement.packrat_cache = ParserElement._FifoCache(cache_size_limit) + ParserElement._parse = ParserElement._parseCache + + def parseString( self, instring, parseAll=False ): + """ + Execute the parse expression with the given string. + This is the main interface to the client code, once the complete + expression has been built. + + If you want the grammar to require that the entire input string be + successfully parsed, then set ``parseAll`` to True (equivalent to ending + the grammar with ``StringEnd()``). + + Note: ``parseString`` implicitly calls ``expandtabs()`` on the input string, + in order to report proper column numbers in parse actions. + If the input string contains tabs and + the grammar uses parse actions that use the ``loc`` argument to index into the + string being parsed, you can ensure you have a consistent view of the input + string by: + + - calling ``parseWithTabs`` on your grammar before calling ``parseString`` + (see :class:`parseWithTabs`) + - define your parse action using the full ``(s,loc,toks)`` signature, and + reference the input string using the parse action's ``s`` argument + - explictly expand the tabs in your input string before calling + ``parseString`` + + Example:: + + Word('a').parseString('aaaaabaaa') # -> ['aaaaa'] + Word('a').parseString('aaaaabaaa', parseAll=True) # -> Exception: Expected end of text + """ + ParserElement.resetCache() + if not self.streamlined: + self.streamline() + #~ self.saveAsList = True + for e in self.ignoreExprs: + e.streamline() + if not self.keepTabs: + instring = instring.expandtabs() + try: + loc, tokens = self._parse( instring, 0 ) + if parseAll: + loc = self.preParse( instring, loc ) + se = Empty() + StringEnd() + se._parse( instring, loc ) + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clears out pyparsing internal stack trace + raise exc + else: + return tokens + + def scanString( self, instring, maxMatches=_MAX_INT, overlap=False ): + """ + Scan the input string for expression matches. Each match will return the + matching tokens, start location, and end location. May be called with optional + ``maxMatches`` argument, to clip scanning after 'n' matches are found. If + ``overlap`` is specified, then overlapping matches will be reported. + + Note that the start and end locations are reported relative to the string + being parsed. See :class:`parseString` for more information on parsing + strings with embedded tabs. + + Example:: + + source = "sldjf123lsdjjkf345sldkjf879lkjsfd987" + print(source) + for tokens,start,end in Word(alphas).scanString(source): + print(' '*start + '^'*(end-start)) + print(' '*start + tokens[0]) + + prints:: + + sldjf123lsdjjkf345sldkjf879lkjsfd987 + ^^^^^ + sldjf + ^^^^^^^ + lsdjjkf + ^^^^^^ + sldkjf + ^^^^^^ + lkjsfd + """ + if not self.streamlined: + self.streamline() + for e in self.ignoreExprs: + e.streamline() + + if not self.keepTabs: + instring = _ustr(instring).expandtabs() + instrlen = len(instring) + loc = 0 + preparseFn = self.preParse + parseFn = self._parse + ParserElement.resetCache() + matches = 0 + try: + while loc <= instrlen and matches < maxMatches: + try: + preloc = preparseFn( instring, loc ) + nextLoc,tokens = parseFn( instring, preloc, callPreParse=False ) + except ParseException: + loc = preloc+1 + else: + if nextLoc > loc: + matches += 1 + yield tokens, preloc, nextLoc + if overlap: + nextloc = preparseFn( instring, loc ) + if nextloc > loc: + loc = nextLoc + else: + loc += 1 + else: + loc = nextLoc + else: + loc = preloc+1 + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clears out pyparsing internal stack trace + raise exc + + def transformString( self, instring ): + """ + Extension to :class:`scanString`, to modify matching text with modified tokens that may + be returned from a parse action. To use ``transformString``, define a grammar and + attach a parse action to it that modifies the returned token list. + Invoking ``transformString()`` on a target string will then scan for matches, + and replace the matched text patterns according to the logic in the parse + action. ``transformString()`` returns the resulting transformed string. + + Example:: + + wd = Word(alphas) + wd.setParseAction(lambda toks: toks[0].title()) + + print(wd.transformString("now is the winter of our discontent made glorious summer by this sun of york.")) + + prints:: + + Now Is The Winter Of Our Discontent Made Glorious Summer By This Sun Of York. + """ + out = [] + lastE = 0 + # force preservation of <TAB>s, to minimize unwanted transformation of string, and to + # keep string locs straight between transformString and scanString + self.keepTabs = True + try: + for t,s,e in self.scanString( instring ): + out.append( instring[lastE:s] ) + if t: + if isinstance(t,ParseResults): + out += t.asList() + elif isinstance(t,list): + out += t + else: + out.append(t) + lastE = e + out.append(instring[lastE:]) + out = [o for o in out if o] + return "".join(map(_ustr,_flatten(out))) + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clears out pyparsing internal stack trace + raise exc + + def searchString( self, instring, maxMatches=_MAX_INT ): + """ + Another extension to :class:`scanString`, simplifying the access to the tokens found + to match the given parse expression. May be called with optional + ``maxMatches`` argument, to clip searching after 'n' matches are found. + + Example:: + + # a capitalized word starts with an uppercase letter, followed by zero or more lowercase letters + cap_word = Word(alphas.upper(), alphas.lower()) + + print(cap_word.searchString("More than Iron, more than Lead, more than Gold I need Electricity")) + + # the sum() builtin can be used to merge results into a single ParseResults object + print(sum(cap_word.searchString("More than Iron, more than Lead, more than Gold I need Electricity"))) + + prints:: + + [['More'], ['Iron'], ['Lead'], ['Gold'], ['I'], ['Electricity']] + ['More', 'Iron', 'Lead', 'Gold', 'I', 'Electricity'] + """ + try: + return ParseResults([ t for t,s,e in self.scanString( instring, maxMatches ) ]) + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clears out pyparsing internal stack trace + raise exc + + def split(self, instring, maxsplit=_MAX_INT, includeSeparators=False): + """ + Generator method to split a string using the given expression as a separator. + May be called with optional ``maxsplit`` argument, to limit the number of splits; + and the optional ``includeSeparators`` argument (default= ``False``), if the separating + matching text should be included in the split results. + + Example:: + + punc = oneOf(list(".,;:/-!?")) + print(list(punc.split("This, this?, this sentence, is badly punctuated!"))) + + prints:: + + ['This', ' this', '', ' this sentence', ' is badly punctuated', ''] + """ + splits = 0 + last = 0 + for t,s,e in self.scanString(instring, maxMatches=maxsplit): + yield instring[last:s] + if includeSeparators: + yield t[0] + last = e + yield instring[last:] + + def __add__(self, other ): + """ + Implementation of + operator - returns :class:`And`. Adding strings to a ParserElement + converts them to :class:`Literal`s by default. + + Example:: + + greet = Word(alphas) + "," + Word(alphas) + "!" + hello = "Hello, World!" + print (hello, "->", greet.parseString(hello)) + + prints:: + + Hello, World! -> ['Hello', ',', 'World', '!'] + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return And( [ self, other ] ) + + def __radd__(self, other ): + """ + Implementation of + operator when left operand is not a :class:`ParserElement` + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other + self + + def __sub__(self, other): + """ + Implementation of - operator, returns :class:`And` with error stop + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return self + And._ErrorStop() + other + + def __rsub__(self, other ): + """ + Implementation of - operator when left operand is not a :class:`ParserElement` + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other - self + + def __mul__(self,other): + """ + Implementation of * operator, allows use of ``expr * 3`` in place of + ``expr + expr + expr``. Expressions may also me multiplied by a 2-integer + tuple, similar to ``{min,max}`` multipliers in regular expressions. Tuples + may also include ``None`` as in: + - ``expr*(n,None)`` or ``expr*(n,)`` is equivalent + to ``expr*n + ZeroOrMore(expr)`` + (read as "at least n instances of ``expr``") + - ``expr*(None,n)`` is equivalent to ``expr*(0,n)`` + (read as "0 to n instances of ``expr``") + - ``expr*(None,None)`` is equivalent to ``ZeroOrMore(expr)`` + - ``expr*(1,None)`` is equivalent to ``OneOrMore(expr)`` + + Note that ``expr*(None,n)`` does not raise an exception if + more than n exprs exist in the input stream; that is, + ``expr*(None,n)`` does not enforce a maximum number of expr + occurrences. If this behavior is desired, then write + ``expr*(None,n) + ~expr`` + """ + if isinstance(other,int): + minElements, optElements = other,0 + elif isinstance(other,tuple): + other = (other + (None, None))[:2] + if other[0] is None: + other = (0, other[1]) + if isinstance(other[0],int) and other[1] is None: + if other[0] == 0: + return ZeroOrMore(self) + if other[0] == 1: + return OneOrMore(self) + else: + return self*other[0] + ZeroOrMore(self) + elif isinstance(other[0],int) and isinstance(other[1],int): + minElements, optElements = other + optElements -= minElements + else: + raise TypeError("cannot multiply 'ParserElement' and ('%s','%s') objects", type(other[0]),type(other[1])) + else: + raise TypeError("cannot multiply 'ParserElement' and '%s' objects", type(other)) + + if minElements < 0: + raise ValueError("cannot multiply ParserElement by negative value") + if optElements < 0: + raise ValueError("second tuple value must be greater or equal to first tuple value") + if minElements == optElements == 0: + raise ValueError("cannot multiply ParserElement by 0 or (0,0)") + + if (optElements): + def makeOptionalList(n): + if n>1: + return Optional(self + makeOptionalList(n-1)) + else: + return Optional(self) + if minElements: + if minElements == 1: + ret = self + makeOptionalList(optElements) + else: + ret = And([self]*minElements) + makeOptionalList(optElements) + else: + ret = makeOptionalList(optElements) + else: + if minElements == 1: + ret = self + else: + ret = And([self]*minElements) + return ret + + def __rmul__(self, other): + return self.__mul__(other) + + def __or__(self, other ): + """ + Implementation of | operator - returns :class:`MatchFirst` + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return MatchFirst( [ self, other ] ) + + def __ror__(self, other ): + """ + Implementation of | operator when left operand is not a :class:`ParserElement` + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other | self + + def __xor__(self, other ): + """ + Implementation of ^ operator - returns :class:`Or` + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return Or( [ self, other ] ) + + def __rxor__(self, other ): + """ + Implementation of ^ operator when left operand is not a :class:`ParserElement` + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other ^ self + + def __and__(self, other ): + """ + Implementation of & operator - returns :class:`Each` + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return Each( [ self, other ] ) + + def __rand__(self, other ): + """ + Implementation of & operator when left operand is not a :class:`ParserElement` + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other & self + + def __invert__( self ): + """ + Implementation of ~ operator - returns :class:`NotAny` + """ + return NotAny( self ) + + def __call__(self, name=None): + """ + Shortcut for :class:`setResultsName`, with ``listAllMatches=False``. + + If ``name`` is given with a trailing ``'*'`` character, then ``listAllMatches`` will be + passed as ``True``. + + If ``name` is omitted, same as calling :class:`copy`. + + Example:: + + # these are equivalent + userdata = Word(alphas).setResultsName("name") + Word(nums+"-").setResultsName("socsecno") + userdata = Word(alphas)("name") + Word(nums+"-")("socsecno") + """ + if name is not None: + return self.setResultsName(name) + else: + return self.copy() + + def suppress( self ): + """ + Suppresses the output of this :class:`ParserElement`; useful to keep punctuation from + cluttering up returned output. + """ + return Suppress( self ) + + def leaveWhitespace( self ): + """ + Disables the skipping of whitespace before matching the characters in the + :class:`ParserElement`'s defined pattern. This is normally only used internally by + the pyparsing module, but may be needed in some whitespace-sensitive grammars. + """ + self.skipWhitespace = False + return self + + def setWhitespaceChars( self, chars ): + """ + Overrides the default whitespace chars + """ + self.skipWhitespace = True + self.whiteChars = chars + self.copyDefaultWhiteChars = False + return self + + def parseWithTabs( self ): + """ + Overrides default behavior to expand ``<TAB>``s to spaces before parsing the input string. + Must be called before ``parseString`` when the input grammar contains elements that + match ``<TAB>`` characters. + """ + self.keepTabs = True + return self + + def ignore( self, other ): + """ + Define expression to be ignored (e.g., comments) while doing pattern + matching; may be called repeatedly, to define multiple comment or other + ignorable patterns. + + Example:: + + patt = OneOrMore(Word(alphas)) + patt.parseString('ablaj /* comment */ lskjd') # -> ['ablaj'] + + patt.ignore(cStyleComment) + patt.parseString('ablaj /* comment */ lskjd') # -> ['ablaj', 'lskjd'] + """ + if isinstance(other, basestring): + other = Suppress(other) + + if isinstance( other, Suppress ): + if other not in self.ignoreExprs: + self.ignoreExprs.append(other) + else: + self.ignoreExprs.append( Suppress( other.copy() ) ) + return self + + def setDebugActions( self, startAction, successAction, exceptionAction ): + """ + Enable display of debugging messages while doing pattern matching. + """ + self.debugActions = (startAction or _defaultStartDebugAction, + successAction or _defaultSuccessDebugAction, + exceptionAction or _defaultExceptionDebugAction) + self.debug = True + return self + + def setDebug( self, flag=True ): + """ + Enable display of debugging messages while doing pattern matching. + Set ``flag`` to True to enable, False to disable. + + Example:: + + wd = Word(alphas).setName("alphaword") + integer = Word(nums).setName("numword") + term = wd | integer + + # turn on debugging for wd + wd.setDebug() + + OneOrMore(term).parseString("abc 123 xyz 890") + + prints:: + + Match alphaword at loc 0(1,1) + Matched alphaword -> ['abc'] + Match alphaword at loc 3(1,4) + Exception raised:Expected alphaword (at char 4), (line:1, col:5) + Match alphaword at loc 7(1,8) + Matched alphaword -> ['xyz'] + Match alphaword at loc 11(1,12) + Exception raised:Expected alphaword (at char 12), (line:1, col:13) + Match alphaword at loc 15(1,16) + Exception raised:Expected alphaword (at char 15), (line:1, col:16) + + The output shown is that produced by the default debug actions - custom debug actions can be + specified using :class:`setDebugActions`. Prior to attempting + to match the ``wd`` expression, the debugging message ``"Match <exprname> at loc <n>(<line>,<col>)"`` + is shown. Then if the parse succeeds, a ``"Matched"`` message is shown, or an ``"Exception raised"`` + message is shown. Also note the use of :class:`setName` to assign a human-readable name to the expression, + which makes debugging and exception messages easier to understand - for instance, the default + name created for the :class:`Word` expression without calling ``setName`` is ``"W:(ABCD...)"``. + """ + if flag: + self.setDebugActions( _defaultStartDebugAction, _defaultSuccessDebugAction, _defaultExceptionDebugAction ) + else: + self.debug = False + return self + + def __str__( self ): + return self.name + + def __repr__( self ): + return _ustr(self) + + def streamline( self ): + self.streamlined = True + self.strRepr = None + return self + + def checkRecursion( self, parseElementList ): + pass + + def validate( self, validateTrace=[] ): + """ + Check defined expressions for valid structure, check for infinite recursive definitions. + """ + self.checkRecursion( [] ) + + def parseFile( self, file_or_filename, parseAll=False ): + """ + Execute the parse expression on the given file or filename. + If a filename is specified (instead of a file object), + the entire file is opened, read, and closed before parsing. + """ + try: + file_contents = file_or_filename.read() + except AttributeError: + with open(file_or_filename, "r") as f: + file_contents = f.read() + try: + return self.parseString(file_contents, parseAll) + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clears out pyparsing internal stack trace + raise exc + + def __eq__(self,other): + if isinstance(other, ParserElement): + return self is other or vars(self) == vars(other) + elif isinstance(other, basestring): + return self.matches(other) + else: + return super(ParserElement,self)==other + + def __ne__(self,other): + return not (self == other) + + def __hash__(self): + return hash(id(self)) + + def __req__(self,other): + return self == other + + def __rne__(self,other): + return not (self == other) + + def matches(self, testString, parseAll=True): + """ + Method for quick testing of a parser against a test string. Good for simple + inline microtests of sub expressions while building up larger parser. + + Parameters: + - testString - to test against this expression for a match + - parseAll - (default= ``True``) - flag to pass to :class:`parseString` when running tests + + Example:: + + expr = Word(nums) + assert expr.matches("100") + """ + try: + self.parseString(_ustr(testString), parseAll=parseAll) + return True + except ParseBaseException: + return False + + def runTests(self, tests, parseAll=True, comment='#', + fullDump=True, printResults=True, failureTests=False, postParse=None): + """ + Execute the parse expression on a series of test strings, showing each + test, the parsed results or where the parse failed. Quick and easy way to + run a parse expression against a list of sample strings. + + Parameters: + - tests - a list of separate test strings, or a multiline string of test strings + - parseAll - (default= ``True``) - flag to pass to :class:`parseString` when running tests + - comment - (default= ``'#'``) - expression for indicating embedded comments in the test + string; pass None to disable comment filtering + - fullDump - (default= ``True``) - dump results as list followed by results names in nested outline; + if False, only dump nested list + - printResults - (default= ``True``) prints test output to stdout + - failureTests - (default= ``False``) indicates if these tests are expected to fail parsing + - postParse - (default= ``None``) optional callback for successful parse results; called as + `fn(test_string, parse_results)` and returns a string to be added to the test output + + Returns: a (success, results) tuple, where success indicates that all tests succeeded + (or failed if ``failureTests`` is True), and the results contain a list of lines of each + test's output + + Example:: + + number_expr = pyparsing_common.number.copy() + + result = number_expr.runTests(''' + # unsigned integer + 100 + # negative integer + -100 + # float with scientific notation + 6.02e23 + # integer with scientific notation + 1e-12 + ''') + print("Success" if result[0] else "Failed!") + + result = number_expr.runTests(''' + # stray character + 100Z + # missing leading digit before '.' + -.100 + # too many '.' + 3.14.159 + ''', failureTests=True) + print("Success" if result[0] else "Failed!") + + prints:: + + # unsigned integer + 100 + [100] + + # negative integer + -100 + [-100] + + # float with scientific notation + 6.02e23 + [6.02e+23] + + # integer with scientific notation + 1e-12 + [1e-12] + + Success + + # stray character + 100Z + ^ + FAIL: Expected end of text (at char 3), (line:1, col:4) + + # missing leading digit before '.' + -.100 + ^ + FAIL: Expected {real number with scientific notation | real number | signed integer} (at char 0), (line:1, col:1) + + # too many '.' + 3.14.159 + ^ + FAIL: Expected end of text (at char 4), (line:1, col:5) + + Success + + Each test string must be on a single line. If you want to test a string that spans multiple + lines, create a test like this:: + + expr.runTest(r"this is a test\\n of strings that spans \\n 3 lines") + + (Note that this is a raw string literal, you must include the leading 'r'.) + """ + if isinstance(tests, basestring): + tests = list(map(str.strip, tests.rstrip().splitlines())) + if isinstance(comment, basestring): + comment = Literal(comment) + allResults = [] + comments = [] + success = True + for t in tests: + if comment is not None and comment.matches(t, False) or comments and not t: + comments.append(t) + continue + if not t: + continue + out = ['\n'.join(comments), t] + comments = [] + try: + # convert newline marks to actual newlines, and strip leading BOM if present + t = t.replace(r'\n','\n').lstrip('\ufeff') + result = self.parseString(t, parseAll=parseAll) + out.append(result.dump(full=fullDump)) + success = success and not failureTests + if postParse is not None: + try: + pp_value = postParse(t, result) + if pp_value is not None: + out.append(str(pp_value)) + except Exception as e: + out.append("{0} failed: {1}: {2}".format(postParse.__name__, type(e).__name__, e)) + except ParseBaseException as pe: + fatal = "(FATAL)" if isinstance(pe, ParseFatalException) else "" + if '\n' in t: + out.append(line(pe.loc, t)) + out.append(' '*(col(pe.loc,t)-1) + '^' + fatal) + else: + out.append(' '*pe.loc + '^' + fatal) + out.append("FAIL: " + str(pe)) + success = success and failureTests + result = pe + except Exception as exc: + out.append("FAIL-EXCEPTION: " + str(exc)) + success = success and failureTests + result = exc + + if printResults: + if fullDump: + out.append('') + print('\n'.join(out)) + + allResults.append((t, result)) + + return success, allResults + + +class Token(ParserElement): + """Abstract :class:`ParserElement` subclass, for defining atomic + matching patterns. + """ + def __init__( self ): + super(Token,self).__init__( savelist=False ) + + +class Empty(Token): + """An empty token, will always match. + """ + def __init__( self ): + super(Empty,self).__init__() + self.name = "Empty" + self.mayReturnEmpty = True + self.mayIndexError = False + + +class NoMatch(Token): + """A token that will never match. + """ + def __init__( self ): + super(NoMatch,self).__init__() + self.name = "NoMatch" + self.mayReturnEmpty = True + self.mayIndexError = False + self.errmsg = "Unmatchable token" + + def parseImpl( self, instring, loc, doActions=True ): + raise ParseException(instring, loc, self.errmsg, self) + + +class Literal(Token): + """Token to exactly match a specified string. + + Example:: + + Literal('blah').parseString('blah') # -> ['blah'] + Literal('blah').parseString('blahfooblah') # -> ['blah'] + Literal('blah').parseString('bla') # -> Exception: Expected "blah" + + For case-insensitive matching, use :class:`CaselessLiteral`. + + For keyword matching (force word break before and after the matched string), + use :class:`Keyword` or :class:`CaselessKeyword`. + """ + def __init__( self, matchString ): + super(Literal,self).__init__() + self.match = matchString + self.matchLen = len(matchString) + try: + self.firstMatchChar = matchString[0] + except IndexError: + warnings.warn("null string passed to Literal; use Empty() instead", + SyntaxWarning, stacklevel=2) + self.__class__ = Empty + self.name = '"%s"' % _ustr(self.match) + self.errmsg = "Expected " + self.name + self.mayReturnEmpty = False + self.mayIndexError = False + + # Performance tuning: this routine gets called a *lot* + # if this is a single character match string and the first character matches, + # short-circuit as quickly as possible, and avoid calling startswith + #~ @profile + def parseImpl( self, instring, loc, doActions=True ): + if (instring[loc] == self.firstMatchChar and + (self.matchLen==1 or instring.startswith(self.match,loc)) ): + return loc+self.matchLen, self.match + raise ParseException(instring, loc, self.errmsg, self) +_L = Literal +ParserElement._literalStringClass = Literal + +class Keyword(Token): + """Token to exactly match a specified string as a keyword, that is, + it must be immediately followed by a non-keyword character. Compare + with :class:`Literal`: + + - ``Literal("if")`` will match the leading ``'if'`` in + ``'ifAndOnlyIf'``. + - ``Keyword("if")`` will not; it will only match the leading + ``'if'`` in ``'if x=1'``, or ``'if(y==2)'`` + + Accepts two optional constructor arguments in addition to the + keyword string: + + - ``identChars`` is a string of characters that would be valid + identifier characters, defaulting to all alphanumerics + "_" and + "$" + - ``caseless`` allows case-insensitive matching, default is ``False``. + + Example:: + + Keyword("start").parseString("start") # -> ['start'] + Keyword("start").parseString("starting") # -> Exception + + For case-insensitive matching, use :class:`CaselessKeyword`. + """ + DEFAULT_KEYWORD_CHARS = alphanums+"_$" + + def __init__( self, matchString, identChars=None, caseless=False ): + super(Keyword,self).__init__() + if identChars is None: + identChars = Keyword.DEFAULT_KEYWORD_CHARS + self.match = matchString + self.matchLen = len(matchString) + try: + self.firstMatchChar = matchString[0] + except IndexError: + warnings.warn("null string passed to Keyword; use Empty() instead", + SyntaxWarning, stacklevel=2) + self.name = '"%s"' % self.match + self.errmsg = "Expected " + self.name + self.mayReturnEmpty = False + self.mayIndexError = False + self.caseless = caseless + if caseless: + self.caselessmatch = matchString.upper() + identChars = identChars.upper() + self.identChars = set(identChars) + + def parseImpl( self, instring, loc, doActions=True ): + if self.caseless: + if ( (instring[ loc:loc+self.matchLen ].upper() == self.caselessmatch) and + (loc >= len(instring)-self.matchLen or instring[loc+self.matchLen].upper() not in self.identChars) and + (loc == 0 or instring[loc-1].upper() not in self.identChars) ): + return loc+self.matchLen, self.match + else: + if (instring[loc] == self.firstMatchChar and + (self.matchLen==1 or instring.startswith(self.match,loc)) and + (loc >= len(instring)-self.matchLen or instring[loc+self.matchLen] not in self.identChars) and + (loc == 0 or instring[loc-1] not in self.identChars) ): + return loc+self.matchLen, self.match + raise ParseException(instring, loc, self.errmsg, self) + + def copy(self): + c = super(Keyword,self).copy() + c.identChars = Keyword.DEFAULT_KEYWORD_CHARS + return c + + @staticmethod + def setDefaultKeywordChars( chars ): + """Overrides the default Keyword chars + """ + Keyword.DEFAULT_KEYWORD_CHARS = chars + +class CaselessLiteral(Literal): + """Token to match a specified string, ignoring case of letters. + Note: the matched results will always be in the case of the given + match string, NOT the case of the input text. + + Example:: + + OneOrMore(CaselessLiteral("CMD")).parseString("cmd CMD Cmd10") # -> ['CMD', 'CMD', 'CMD'] + + (Contrast with example for :class:`CaselessKeyword`.) + """ + def __init__( self, matchString ): + super(CaselessLiteral,self).__init__( matchString.upper() ) + # Preserve the defining literal. + self.returnString = matchString + self.name = "'%s'" % self.returnString + self.errmsg = "Expected " + self.name + + def parseImpl( self, instring, loc, doActions=True ): + if instring[ loc:loc+self.matchLen ].upper() == self.match: + return loc+self.matchLen, self.returnString + raise ParseException(instring, loc, self.errmsg, self) + +class CaselessKeyword(Keyword): + """ + Caseless version of :class:`Keyword`. + + Example:: + + OneOrMore(CaselessKeyword("CMD")).parseString("cmd CMD Cmd10") # -> ['CMD', 'CMD'] + + (Contrast with example for :class:`CaselessLiteral`.) + """ + def __init__( self, matchString, identChars=None ): + super(CaselessKeyword,self).__init__( matchString, identChars, caseless=True ) + +class CloseMatch(Token): + """A variation on :class:`Literal` which matches "close" matches, + that is, strings with at most 'n' mismatching characters. + :class:`CloseMatch` takes parameters: + + - ``match_string`` - string to be matched + - ``maxMismatches`` - (``default=1``) maximum number of + mismatches allowed to count as a match + + The results from a successful parse will contain the matched text + from the input string and the following named results: + + - ``mismatches`` - a list of the positions within the + match_string where mismatches were found + - ``original`` - the original match_string used to compare + against the input string + + If ``mismatches`` is an empty list, then the match was an exact + match. + + Example:: + + patt = CloseMatch("ATCATCGAATGGA") + patt.parseString("ATCATCGAAXGGA") # -> (['ATCATCGAAXGGA'], {'mismatches': [[9]], 'original': ['ATCATCGAATGGA']}) + patt.parseString("ATCAXCGAAXGGA") # -> Exception: Expected 'ATCATCGAATGGA' (with up to 1 mismatches) (at char 0), (line:1, col:1) + + # exact match + patt.parseString("ATCATCGAATGGA") # -> (['ATCATCGAATGGA'], {'mismatches': [[]], 'original': ['ATCATCGAATGGA']}) + + # close match allowing up to 2 mismatches + patt = CloseMatch("ATCATCGAATGGA", maxMismatches=2) + patt.parseString("ATCAXCGAAXGGA") # -> (['ATCAXCGAAXGGA'], {'mismatches': [[4, 9]], 'original': ['ATCATCGAATGGA']}) + """ + def __init__(self, match_string, maxMismatches=1): + super(CloseMatch,self).__init__() + self.name = match_string + self.match_string = match_string + self.maxMismatches = maxMismatches + self.errmsg = "Expected %r (with up to %d mismatches)" % (self.match_string, self.maxMismatches) + self.mayIndexError = False + self.mayReturnEmpty = False + + def parseImpl( self, instring, loc, doActions=True ): + start = loc + instrlen = len(instring) + maxloc = start + len(self.match_string) + + if maxloc <= instrlen: + match_string = self.match_string + match_stringloc = 0 + mismatches = [] + maxMismatches = self.maxMismatches + + for match_stringloc,s_m in enumerate(zip(instring[loc:maxloc], self.match_string)): + src,mat = s_m + if src != mat: + mismatches.append(match_stringloc) + if len(mismatches) > maxMismatches: + break + else: + loc = match_stringloc + 1 + results = ParseResults([instring[start:loc]]) + results['original'] = self.match_string + results['mismatches'] = mismatches + return loc, results + + raise ParseException(instring, loc, self.errmsg, self) + + +class Word(Token): + """Token for matching words composed of allowed character sets. + Defined with string containing all allowed initial characters, an + optional string containing allowed body characters (if omitted, + defaults to the initial character set), and an optional minimum, + maximum, and/or exact length. The default value for ``min`` is + 1 (a minimum value < 1 is not valid); the default values for + ``max`` and ``exact`` are 0, meaning no maximum or exact + length restriction. An optional ``excludeChars`` parameter can + list characters that might be found in the input ``bodyChars`` + string; useful to define a word of all printables except for one or + two characters, for instance. + + :class:`srange` is useful for defining custom character set strings + for defining ``Word`` expressions, using range notation from + regular expression character sets. + + A common mistake is to use :class:`Word` to match a specific literal + string, as in ``Word("Address")``. Remember that :class:`Word` + uses the string argument to define *sets* of matchable characters. + This expression would match "Add", "AAA", "dAred", or any other word + made up of the characters 'A', 'd', 'r', 'e', and 's'. To match an + exact literal string, use :class:`Literal` or :class:`Keyword`. + + pyparsing includes helper strings for building Words: + + - :class:`alphas` + - :class:`nums` + - :class:`alphanums` + - :class:`hexnums` + - :class:`alphas8bit` (alphabetic characters in ASCII range 128-255 + - accented, tilded, umlauted, etc.) + - :class:`punc8bit` (non-alphabetic characters in ASCII range + 128-255 - currency, symbols, superscripts, diacriticals, etc.) + - :class:`printables` (any non-whitespace character) + + Example:: + + # a word composed of digits + integer = Word(nums) # equivalent to Word("0123456789") or Word(srange("0-9")) + + # a word with a leading capital, and zero or more lowercase + capital_word = Word(alphas.upper(), alphas.lower()) + + # hostnames are alphanumeric, with leading alpha, and '-' + hostname = Word(alphas, alphanums+'-') + + # roman numeral (not a strict parser, accepts invalid mix of characters) + roman = Word("IVXLCDM") + + # any string of non-whitespace characters, except for ',' + csv_value = Word(printables, excludeChars=",") + """ + def __init__( self, initChars, bodyChars=None, min=1, max=0, exact=0, asKeyword=False, excludeChars=None ): + super(Word,self).__init__() + if excludeChars: + initChars = ''.join(c for c in initChars if c not in excludeChars) + if bodyChars: + bodyChars = ''.join(c for c in bodyChars if c not in excludeChars) + self.initCharsOrig = initChars + self.initChars = set(initChars) + if bodyChars : + self.bodyCharsOrig = bodyChars + self.bodyChars = set(bodyChars) + else: + self.bodyCharsOrig = initChars + self.bodyChars = set(initChars) + + self.maxSpecified = max > 0 + + if min < 1: + raise ValueError("cannot specify a minimum length < 1; use Optional(Word()) if zero-length word is permitted") + + self.minLen = min + + if max > 0: + self.maxLen = max + else: + self.maxLen = _MAX_INT + + if exact > 0: + self.maxLen = exact + self.minLen = exact + + self.name = _ustr(self) + self.errmsg = "Expected " + self.name + self.mayIndexError = False + self.asKeyword = asKeyword + + if ' ' not in self.initCharsOrig+self.bodyCharsOrig and (min==1 and max==0 and exact==0): + if self.bodyCharsOrig == self.initCharsOrig: + self.reString = "[%s]+" % _escapeRegexRangeChars(self.initCharsOrig) + elif len(self.initCharsOrig) == 1: + self.reString = "%s[%s]*" % \ + (re.escape(self.initCharsOrig), + _escapeRegexRangeChars(self.bodyCharsOrig),) + else: + self.reString = "[%s][%s]*" % \ + (_escapeRegexRangeChars(self.initCharsOrig), + _escapeRegexRangeChars(self.bodyCharsOrig),) + if self.asKeyword: + self.reString = r"\b"+self.reString+r"\b" + try: + self.re = re.compile( self.reString ) + except Exception: + self.re = None + + def parseImpl( self, instring, loc, doActions=True ): + if self.re: + result = self.re.match(instring,loc) + if not result: + raise ParseException(instring, loc, self.errmsg, self) + + loc = result.end() + return loc, result.group() + + if not(instring[ loc ] in self.initChars): + raise ParseException(instring, loc, self.errmsg, self) + + start = loc + loc += 1 + instrlen = len(instring) + bodychars = self.bodyChars + maxloc = start + self.maxLen + maxloc = min( maxloc, instrlen ) + while loc < maxloc and instring[loc] in bodychars: + loc += 1 + + throwException = False + if loc - start < self.minLen: + throwException = True + if self.maxSpecified and loc < instrlen and instring[loc] in bodychars: + throwException = True + if self.asKeyword: + if (start>0 and instring[start-1] in bodychars) or (loc<instrlen and instring[loc] in bodychars): + throwException = True + + if throwException: + raise ParseException(instring, loc, self.errmsg, self) + + return loc, instring[start:loc] + + def __str__( self ): + try: + return super(Word,self).__str__() + except Exception: + pass + + + if self.strRepr is None: + + def charsAsStr(s): + if len(s)>4: + return s[:4]+"..." + else: + return s + + if ( self.initCharsOrig != self.bodyCharsOrig ): + self.strRepr = "W:(%s,%s)" % ( charsAsStr(self.initCharsOrig), charsAsStr(self.bodyCharsOrig) ) + else: + self.strRepr = "W:(%s)" % charsAsStr(self.initCharsOrig) + + return self.strRepr + + +class Char(Word): + """A short-cut class for defining ``Word(characters, exact=1)``, + when defining a match of any single character in a string of + characters. + """ + def __init__(self, charset): + super(Char, self).__init__(charset, exact=1) + self.reString = "[%s]" % _escapeRegexRangeChars(self.initCharsOrig) + self.re = re.compile( self.reString ) + + +class Regex(Token): + r"""Token for matching strings that match a given regular + expression. Defined with string specifying the regular expression in + a form recognized by the stdlib Python `re module <https://docs.python.org/3/library/re.html>`_. + If the given regex contains named groups (defined using ``(?P<name>...)``), + these will be preserved as named parse results. + + Example:: + + realnum = Regex(r"[+-]?\d+\.\d*") + date = Regex(r'(?P<year>\d{4})-(?P<month>\d\d?)-(?P<day>\d\d?)') + # ref: https://stackoverflow.com/questions/267399/how-do-you-match-only-valid-roman-numerals-with-a-regular-expression + roman = Regex(r"M{0,4}(CM|CD|D?{0,3})(XC|XL|L?X{0,3})(IX|IV|V?I{0,3})") + """ + compiledREtype = type(re.compile("[A-Z]")) + def __init__( self, pattern, flags=0, asGroupList=False, asMatch=False): + """The parameters ``pattern`` and ``flags`` are passed + to the ``re.compile()`` function as-is. See the Python + `re module <https://docs.python.org/3/library/re.html>`_ module for an + explanation of the acceptable patterns and flags. + """ + super(Regex,self).__init__() + + if isinstance(pattern, basestring): + if not pattern: + warnings.warn("null string passed to Regex; use Empty() instead", + SyntaxWarning, stacklevel=2) + + self.pattern = pattern + self.flags = flags + + try: + self.re = re.compile(self.pattern, self.flags) + self.reString = self.pattern + except sre_constants.error: + warnings.warn("invalid pattern (%s) passed to Regex" % pattern, + SyntaxWarning, stacklevel=2) + raise + + elif isinstance(pattern, Regex.compiledREtype): + self.re = pattern + self.pattern = \ + self.reString = str(pattern) + self.flags = flags + + else: + raise ValueError("Regex may only be constructed with a string or a compiled RE object") + + self.name = _ustr(self) + self.errmsg = "Expected " + self.name + self.mayIndexError = False + self.mayReturnEmpty = True + self.asGroupList = asGroupList + self.asMatch = asMatch + + def parseImpl( self, instring, loc, doActions=True ): + result = self.re.match(instring,loc) + if not result: + raise ParseException(instring, loc, self.errmsg, self) + + loc = result.end() + if self.asMatch: + ret = result + elif self.asGroupList: + ret = result.groups() + else: + ret = ParseResults(result.group()) + d = result.groupdict() + if d: + for k, v in d.items(): + ret[k] = v + return loc,ret + + def __str__( self ): + try: + return super(Regex,self).__str__() + except Exception: + pass + + if self.strRepr is None: + self.strRepr = "Re:(%s)" % repr(self.pattern) + + return self.strRepr + + def sub(self, repl): + """ + Return Regex with an attached parse action to transform the parsed + result as if called using `re.sub(expr, repl, string) <https://docs.python.org/3/library/re.html#re.sub>`_. + + Example:: + + make_html = Regex(r"(\w+):(.*?):").sub(r"<\1>\2</\1>") + print(make_html.transformString("h1:main title:")) + # prints "<h1>main title</h1>" + """ + if self.asGroupList: + warnings.warn("cannot use sub() with Regex(asGroupList=True)", + SyntaxWarning, stacklevel=2) + raise SyntaxError() + + if self.asMatch and callable(repl): + warnings.warn("cannot use sub() with a callable with Regex(asMatch=True)", + SyntaxWarning, stacklevel=2) + raise SyntaxError() + + if self.asMatch: + def pa(tokens): + return tokens[0].expand(repl) + else: + def pa(tokens): + return self.re.sub(repl, tokens[0]) + return self.addParseAction(pa) + +class QuotedString(Token): + r""" + Token for matching strings that are delimited by quoting characters. + + Defined with the following parameters: + + - quoteChar - string of one or more characters defining the + quote delimiting string + - escChar - character to escape quotes, typically backslash + (default= ``None`` ) + - escQuote - special quote sequence to escape an embedded quote + string (such as SQL's ``""`` to escape an embedded ``"``) + (default= ``None`` ) + - multiline - boolean indicating whether quotes can span + multiple lines (default= ``False`` ) + - unquoteResults - boolean indicating whether the matched text + should be unquoted (default= ``True`` ) + - endQuoteChar - string of one or more characters defining the + end of the quote delimited string (default= ``None`` => same as + quoteChar) + - convertWhitespaceEscapes - convert escaped whitespace + (``'\t'``, ``'\n'``, etc.) to actual whitespace + (default= ``True`` ) + + Example:: + + qs = QuotedString('"') + print(qs.searchString('lsjdf "This is the quote" sldjf')) + complex_qs = QuotedString('{{', endQuoteChar='}}') + print(complex_qs.searchString('lsjdf {{This is the "quote"}} sldjf')) + sql_qs = QuotedString('"', escQuote='""') + print(sql_qs.searchString('lsjdf "This is the quote with ""embedded"" quotes" sldjf')) + + prints:: + + [['This is the quote']] + [['This is the "quote"']] + [['This is the quote with "embedded" quotes']] + """ + def __init__( self, quoteChar, escChar=None, escQuote=None, multiline=False, unquoteResults=True, endQuoteChar=None, convertWhitespaceEscapes=True): + super(QuotedString,self).__init__() + + # remove white space from quote chars - wont work anyway + quoteChar = quoteChar.strip() + if not quoteChar: + warnings.warn("quoteChar cannot be the empty string",SyntaxWarning,stacklevel=2) + raise SyntaxError() + + if endQuoteChar is None: + endQuoteChar = quoteChar + else: + endQuoteChar = endQuoteChar.strip() + if not endQuoteChar: + warnings.warn("endQuoteChar cannot be the empty string",SyntaxWarning,stacklevel=2) + raise SyntaxError() + + self.quoteChar = quoteChar + self.quoteCharLen = len(quoteChar) + self.firstQuoteChar = quoteChar[0] + self.endQuoteChar = endQuoteChar + self.endQuoteCharLen = len(endQuoteChar) + self.escChar = escChar + self.escQuote = escQuote + self.unquoteResults = unquoteResults + self.convertWhitespaceEscapes = convertWhitespaceEscapes + + if multiline: + self.flags = re.MULTILINE | re.DOTALL + self.pattern = r'%s(?:[^%s%s]' % \ + ( re.escape(self.quoteChar), + _escapeRegexRangeChars(self.endQuoteChar[0]), + (escChar is not None and _escapeRegexRangeChars(escChar) or '') ) + else: + self.flags = 0 + self.pattern = r'%s(?:[^%s\n\r%s]' % \ + ( re.escape(self.quoteChar), + _escapeRegexRangeChars(self.endQuoteChar[0]), + (escChar is not None and _escapeRegexRangeChars(escChar) or '') ) + if len(self.endQuoteChar) > 1: + self.pattern += ( + '|(?:' + ')|(?:'.join("%s[^%s]" % (re.escape(self.endQuoteChar[:i]), + _escapeRegexRangeChars(self.endQuoteChar[i])) + for i in range(len(self.endQuoteChar)-1,0,-1)) + ')' + ) + if escQuote: + self.pattern += (r'|(?:%s)' % re.escape(escQuote)) + if escChar: + self.pattern += (r'|(?:%s.)' % re.escape(escChar)) + self.escCharReplacePattern = re.escape(self.escChar)+"(.)" + self.pattern += (r')*%s' % re.escape(self.endQuoteChar)) + + try: + self.re = re.compile(self.pattern, self.flags) + self.reString = self.pattern + except sre_constants.error: + warnings.warn("invalid pattern (%s) passed to Regex" % self.pattern, + SyntaxWarning, stacklevel=2) + raise + + self.name = _ustr(self) + self.errmsg = "Expected " + self.name + self.mayIndexError = False + self.mayReturnEmpty = True + + def parseImpl( self, instring, loc, doActions=True ): + result = instring[loc] == self.firstQuoteChar and self.re.match(instring,loc) or None + if not result: + raise ParseException(instring, loc, self.errmsg, self) + + loc = result.end() + ret = result.group() + + if self.unquoteResults: + + # strip off quotes + ret = ret[self.quoteCharLen:-self.endQuoteCharLen] + + if isinstance(ret,basestring): + # replace escaped whitespace + if '\\' in ret and self.convertWhitespaceEscapes: + ws_map = { + r'\t' : '\t', + r'\n' : '\n', + r'\f' : '\f', + r'\r' : '\r', + } + for wslit,wschar in ws_map.items(): + ret = ret.replace(wslit, wschar) + + # replace escaped characters + if self.escChar: + ret = re.sub(self.escCharReplacePattern, r"\g<1>", ret) + + # replace escaped quotes + if self.escQuote: + ret = ret.replace(self.escQuote, self.endQuoteChar) + + return loc, ret + + def __str__( self ): + try: + return super(QuotedString,self).__str__() + except Exception: + pass + + if self.strRepr is None: + self.strRepr = "quoted string, starting with %s ending with %s" % (self.quoteChar, self.endQuoteChar) + + return self.strRepr + + +class CharsNotIn(Token): + """Token for matching words composed of characters *not* in a given + set (will include whitespace in matched characters if not listed in + the provided exclusion set - see example). Defined with string + containing all disallowed characters, and an optional minimum, + maximum, and/or exact length. The default value for ``min`` is + 1 (a minimum value < 1 is not valid); the default values for + ``max`` and ``exact`` are 0, meaning no maximum or exact + length restriction. + + Example:: + + # define a comma-separated-value as anything that is not a ',' + csv_value = CharsNotIn(',') + print(delimitedList(csv_value).parseString("dkls,lsdkjf,s12 34,@!#,213")) + + prints:: + + ['dkls', 'lsdkjf', 's12 34', '@!#', '213'] + """ + def __init__( self, notChars, min=1, max=0, exact=0 ): + super(CharsNotIn,self).__init__() + self.skipWhitespace = False + self.notChars = notChars + + if min < 1: + raise ValueError( + "cannot specify a minimum length < 1; use " + + "Optional(CharsNotIn()) if zero-length char group is permitted") + + self.minLen = min + + if max > 0: + self.maxLen = max + else: + self.maxLen = _MAX_INT + + if exact > 0: + self.maxLen = exact + self.minLen = exact + + self.name = _ustr(self) + self.errmsg = "Expected " + self.name + self.mayReturnEmpty = ( self.minLen == 0 ) + self.mayIndexError = False + + def parseImpl( self, instring, loc, doActions=True ): + if instring[loc] in self.notChars: + raise ParseException(instring, loc, self.errmsg, self) + + start = loc + loc += 1 + notchars = self.notChars + maxlen = min( start+self.maxLen, len(instring) ) + while loc < maxlen and \ + (instring[loc] not in notchars): + loc += 1 + + if loc - start < self.minLen: + raise ParseException(instring, loc, self.errmsg, self) + + return loc, instring[start:loc] + + def __str__( self ): + try: + return super(CharsNotIn, self).__str__() + except Exception: + pass + + if self.strRepr is None: + if len(self.notChars) > 4: + self.strRepr = "!W:(%s...)" % self.notChars[:4] + else: + self.strRepr = "!W:(%s)" % self.notChars + + return self.strRepr + +class White(Token): + """Special matching class for matching whitespace. Normally, + whitespace is ignored by pyparsing grammars. This class is included + when some whitespace structures are significant. Define with + a string containing the whitespace characters to be matched; default + is ``" \\t\\r\\n"``. Also takes optional ``min``, + ``max``, and ``exact`` arguments, as defined for the + :class:`Word` class. + """ + whiteStrs = { + ' ' : '<SP>', + '\t': '<TAB>', + '\n': '<LF>', + '\r': '<CR>', + '\f': '<FF>', + 'u\00A0': '<NBSP>', + 'u\1680': '<OGHAM_SPACE_MARK>', + 'u\180E': '<MONGOLIAN_VOWEL_SEPARATOR>', + 'u\2000': '<EN_QUAD>', + 'u\2001': '<EM_QUAD>', + 'u\2002': '<EN_SPACE>', + 'u\2003': '<EM_SPACE>', + 'u\2004': '<THREE-PER-EM_SPACE>', + 'u\2005': '<FOUR-PER-EM_SPACE>', + 'u\2006': '<SIX-PER-EM_SPACE>', + 'u\2007': '<FIGURE_SPACE>', + 'u\2008': '<PUNCTUATION_SPACE>', + 'u\2009': '<THIN_SPACE>', + 'u\200A': '<HAIR_SPACE>', + 'u\200B': '<ZERO_WIDTH_SPACE>', + 'u\202F': '<NNBSP>', + 'u\205F': '<MMSP>', + 'u\3000': '<IDEOGRAPHIC_SPACE>', + } + def __init__(self, ws=" \t\r\n", min=1, max=0, exact=0): + super(White,self).__init__() + self.matchWhite = ws + self.setWhitespaceChars( "".join(c for c in self.whiteChars if c not in self.matchWhite) ) + #~ self.leaveWhitespace() + self.name = ("".join(White.whiteStrs[c] for c in self.matchWhite)) + self.mayReturnEmpty = True + self.errmsg = "Expected " + self.name + + self.minLen = min + + if max > 0: + self.maxLen = max + else: + self.maxLen = _MAX_INT + + if exact > 0: + self.maxLen = exact + self.minLen = exact + + def parseImpl( self, instring, loc, doActions=True ): + if not(instring[ loc ] in self.matchWhite): + raise ParseException(instring, loc, self.errmsg, self) + start = loc + loc += 1 + maxloc = start + self.maxLen + maxloc = min( maxloc, len(instring) ) + while loc < maxloc and instring[loc] in self.matchWhite: + loc += 1 + + if loc - start < self.minLen: + raise ParseException(instring, loc, self.errmsg, self) + + return loc, instring[start:loc] + + +class _PositionToken(Token): + def __init__( self ): + super(_PositionToken,self).__init__() + self.name=self.__class__.__name__ + self.mayReturnEmpty = True + self.mayIndexError = False + +class GoToColumn(_PositionToken): + """Token to advance to a specific column of input text; useful for + tabular report scraping. + """ + def __init__( self, colno ): + super(GoToColumn,self).__init__() + self.col = colno + + def preParse( self, instring, loc ): + if col(loc,instring) != self.col: + instrlen = len(instring) + if self.ignoreExprs: + loc = self._skipIgnorables( instring, loc ) + while loc < instrlen and instring[loc].isspace() and col( loc, instring ) != self.col : + loc += 1 + return loc + + def parseImpl( self, instring, loc, doActions=True ): + thiscol = col( loc, instring ) + if thiscol > self.col: + raise ParseException( instring, loc, "Text not in expected column", self ) + newloc = loc + self.col - thiscol + ret = instring[ loc: newloc ] + return newloc, ret + + +class LineStart(_PositionToken): + """Matches if current position is at the beginning of a line within + the parse string + + Example:: + + test = '''\ + AAA this line + AAA and this line + AAA but not this one + B AAA and definitely not this one + ''' + + for t in (LineStart() + 'AAA' + restOfLine).searchString(test): + print(t) + + prints:: + + ['AAA', ' this line'] + ['AAA', ' and this line'] + + """ + def __init__( self ): + super(LineStart,self).__init__() + self.errmsg = "Expected start of line" + + def parseImpl( self, instring, loc, doActions=True ): + if col(loc, instring) == 1: + return loc, [] + raise ParseException(instring, loc, self.errmsg, self) + +class LineEnd(_PositionToken): + """Matches if current position is at the end of a line within the + parse string + """ + def __init__( self ): + super(LineEnd,self).__init__() + self.setWhitespaceChars( ParserElement.DEFAULT_WHITE_CHARS.replace("\n","") ) + self.errmsg = "Expected end of line" + + def parseImpl( self, instring, loc, doActions=True ): + if loc<len(instring): + if instring[loc] == "\n": + return loc+1, "\n" + else: + raise ParseException(instring, loc, self.errmsg, self) + elif loc == len(instring): + return loc+1, [] + else: + raise ParseException(instring, loc, self.errmsg, self) + +class StringStart(_PositionToken): + """Matches if current position is at the beginning of the parse + string + """ + def __init__( self ): + super(StringStart,self).__init__() + self.errmsg = "Expected start of text" + + def parseImpl( self, instring, loc, doActions=True ): + if loc != 0: + # see if entire string up to here is just whitespace and ignoreables + if loc != self.preParse( instring, 0 ): + raise ParseException(instring, loc, self.errmsg, self) + return loc, [] + +class StringEnd(_PositionToken): + """Matches if current position is at the end of the parse string + """ + def __init__( self ): + super(StringEnd,self).__init__() + self.errmsg = "Expected end of text" + + def parseImpl( self, instring, loc, doActions=True ): + if loc < len(instring): + raise ParseException(instring, loc, self.errmsg, self) + elif loc == len(instring): + return loc+1, [] + elif loc > len(instring): + return loc, [] + else: + raise ParseException(instring, loc, self.errmsg, self) + +class WordStart(_PositionToken): + """Matches if the current position is at the beginning of a Word, + and is not preceded by any character in a given set of + ``wordChars`` (default= ``printables``). To emulate the + ``\b`` behavior of regular expressions, use + ``WordStart(alphanums)``. ``WordStart`` will also match at + the beginning of the string being parsed, or at the beginning of + a line. + """ + def __init__(self, wordChars = printables): + super(WordStart,self).__init__() + self.wordChars = set(wordChars) + self.errmsg = "Not at the start of a word" + + def parseImpl(self, instring, loc, doActions=True ): + if loc != 0: + if (instring[loc-1] in self.wordChars or + instring[loc] not in self.wordChars): + raise ParseException(instring, loc, self.errmsg, self) + return loc, [] + +class WordEnd(_PositionToken): + """Matches if the current position is at the end of a Word, and is + not followed by any character in a given set of ``wordChars`` + (default= ``printables``). To emulate the ``\b`` behavior of + regular expressions, use ``WordEnd(alphanums)``. ``WordEnd`` + will also match at the end of the string being parsed, or at the end + of a line. + """ + def __init__(self, wordChars = printables): + super(WordEnd,self).__init__() + self.wordChars = set(wordChars) + self.skipWhitespace = False + self.errmsg = "Not at the end of a word" + + def parseImpl(self, instring, loc, doActions=True ): + instrlen = len(instring) + if instrlen>0 and loc<instrlen: + if (instring[loc] in self.wordChars or + instring[loc-1] not in self.wordChars): + raise ParseException(instring, loc, self.errmsg, self) + return loc, [] + + +class ParseExpression(ParserElement): + """Abstract subclass of ParserElement, for combining and + post-processing parsed tokens. + """ + def __init__( self, exprs, savelist = False ): + super(ParseExpression,self).__init__(savelist) + if isinstance( exprs, _generatorType ): + exprs = list(exprs) + + if isinstance( exprs, basestring ): + self.exprs = [ ParserElement._literalStringClass( exprs ) ] + elif isinstance( exprs, Iterable ): + exprs = list(exprs) + # if sequence of strings provided, wrap with Literal + if all(isinstance(expr, basestring) for expr in exprs): + exprs = map(ParserElement._literalStringClass, exprs) + self.exprs = list(exprs) + else: + try: + self.exprs = list( exprs ) + except TypeError: + self.exprs = [ exprs ] + self.callPreparse = False + + def __getitem__( self, i ): + return self.exprs[i] + + def append( self, other ): + self.exprs.append( other ) + self.strRepr = None + return self + + def leaveWhitespace( self ): + """Extends ``leaveWhitespace`` defined in base class, and also invokes ``leaveWhitespace`` on + all contained expressions.""" + self.skipWhitespace = False + self.exprs = [ e.copy() for e in self.exprs ] + for e in self.exprs: + e.leaveWhitespace() + return self + + def ignore( self, other ): + if isinstance( other, Suppress ): + if other not in self.ignoreExprs: + super( ParseExpression, self).ignore( other ) + for e in self.exprs: + e.ignore( self.ignoreExprs[-1] ) + else: + super( ParseExpression, self).ignore( other ) + for e in self.exprs: + e.ignore( self.ignoreExprs[-1] ) + return self + + def __str__( self ): + try: + return super(ParseExpression,self).__str__() + except Exception: + pass + + if self.strRepr is None: + self.strRepr = "%s:(%s)" % ( self.__class__.__name__, _ustr(self.exprs) ) + return self.strRepr + + def streamline( self ): + super(ParseExpression,self).streamline() + + for e in self.exprs: + e.streamline() + + # collapse nested And's of the form And( And( And( a,b), c), d) to And( a,b,c,d ) + # but only if there are no parse actions or resultsNames on the nested And's + # (likewise for Or's and MatchFirst's) + if ( len(self.exprs) == 2 ): + other = self.exprs[0] + if ( isinstance( other, self.__class__ ) and + not(other.parseAction) and + other.resultsName is None and + not other.debug ): + self.exprs = other.exprs[:] + [ self.exprs[1] ] + self.strRepr = None + self.mayReturnEmpty |= other.mayReturnEmpty + self.mayIndexError |= other.mayIndexError + + other = self.exprs[-1] + if ( isinstance( other, self.__class__ ) and + not(other.parseAction) and + other.resultsName is None and + not other.debug ): + self.exprs = self.exprs[:-1] + other.exprs[:] + self.strRepr = None + self.mayReturnEmpty |= other.mayReturnEmpty + self.mayIndexError |= other.mayIndexError + + self.errmsg = "Expected " + _ustr(self) + + return self + + def setResultsName( self, name, listAllMatches=False ): + ret = super(ParseExpression,self).setResultsName(name,listAllMatches) + return ret + + def validate( self, validateTrace=[] ): + tmp = validateTrace[:]+[self] + for e in self.exprs: + e.validate(tmp) + self.checkRecursion( [] ) + + def copy(self): + ret = super(ParseExpression,self).copy() + ret.exprs = [e.copy() for e in self.exprs] + return ret + +class And(ParseExpression): + """ + Requires all given :class:`ParseExpression` s to be found in the given order. + Expressions may be separated by whitespace. + May be constructed using the ``'+'`` operator. + May also be constructed using the ``'-'`` operator, which will + suppress backtracking. + + Example:: + + integer = Word(nums) + name_expr = OneOrMore(Word(alphas)) + + expr = And([integer("id"),name_expr("name"),integer("age")]) + # more easily written as: + expr = integer("id") + name_expr("name") + integer("age") + """ + + class _ErrorStop(Empty): + def __init__(self, *args, **kwargs): + super(And._ErrorStop,self).__init__(*args, **kwargs) + self.name = '-' + self.leaveWhitespace() + + def __init__( self, exprs, savelist = True ): + super(And,self).__init__(exprs, savelist) + self.mayReturnEmpty = all(e.mayReturnEmpty for e in self.exprs) + self.setWhitespaceChars( self.exprs[0].whiteChars ) + self.skipWhitespace = self.exprs[0].skipWhitespace + self.callPreparse = True + + def streamline(self): + super(And, self).streamline() + self.mayReturnEmpty = all(e.mayReturnEmpty for e in self.exprs) + return self + + def parseImpl( self, instring, loc, doActions=True ): + # pass False as last arg to _parse for first element, since we already + # pre-parsed the string as part of our And pre-parsing + loc, resultlist = self.exprs[0]._parse( instring, loc, doActions, callPreParse=False ) + errorStop = False + for e in self.exprs[1:]: + if isinstance(e, And._ErrorStop): + errorStop = True + continue + if errorStop: + try: + loc, exprtokens = e._parse( instring, loc, doActions ) + except ParseSyntaxException: + raise + except ParseBaseException as pe: + pe.__traceback__ = None + raise ParseSyntaxException._from_exception(pe) + except IndexError: + raise ParseSyntaxException(instring, len(instring), self.errmsg, self) + else: + loc, exprtokens = e._parse( instring, loc, doActions ) + if exprtokens or exprtokens.haskeys(): + resultlist += exprtokens + return loc, resultlist + + def __iadd__(self, other ): + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + return self.append( other ) #And( [ self, other ] ) + + def checkRecursion( self, parseElementList ): + subRecCheckList = parseElementList[:] + [ self ] + for e in self.exprs: + e.checkRecursion( subRecCheckList ) + if not e.mayReturnEmpty: + break + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + " ".join(_ustr(e) for e in self.exprs) + "}" + + return self.strRepr + + +class Or(ParseExpression): + """Requires that at least one :class:`ParseExpression` is found. If + two expressions match, the expression that matches the longest + string will be used. May be constructed using the ``'^'`` + operator. + + Example:: + + # construct Or using '^' operator + + number = Word(nums) ^ Combine(Word(nums) + '.' + Word(nums)) + print(number.searchString("123 3.1416 789")) + + prints:: + + [['123'], ['3.1416'], ['789']] + """ + def __init__( self, exprs, savelist = False ): + super(Or,self).__init__(exprs, savelist) + if self.exprs: + self.mayReturnEmpty = any(e.mayReturnEmpty for e in self.exprs) + else: + self.mayReturnEmpty = True + + def streamline(self): + super(Or, self).streamline() + self.saveAsList = any(e.saveAsList for e in self.exprs) + return self + + def parseImpl( self, instring, loc, doActions=True ): + maxExcLoc = -1 + maxException = None + matches = [] + for e in self.exprs: + try: + loc2 = e.tryParse( instring, loc ) + except ParseException as err: + err.__traceback__ = None + if err.loc > maxExcLoc: + maxException = err + maxExcLoc = err.loc + except IndexError: + if len(instring) > maxExcLoc: + maxException = ParseException(instring,len(instring),e.errmsg,self) + maxExcLoc = len(instring) + else: + # save match among all matches, to retry longest to shortest + matches.append((loc2, e)) + + if matches: + matches.sort(key=lambda x: -x[0]) + for _,e in matches: + try: + return e._parse( instring, loc, doActions ) + except ParseException as err: + err.__traceback__ = None + if err.loc > maxExcLoc: + maxException = err + maxExcLoc = err.loc + + if maxException is not None: + maxException.msg = self.errmsg + raise maxException + else: + raise ParseException(instring, loc, "no defined alternatives to match", self) + + + def __ixor__(self, other ): + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + return self.append( other ) #Or( [ self, other ] ) + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + " ^ ".join(_ustr(e) for e in self.exprs) + "}" + + return self.strRepr + + def checkRecursion( self, parseElementList ): + subRecCheckList = parseElementList[:] + [ self ] + for e in self.exprs: + e.checkRecursion( subRecCheckList ) + + +class MatchFirst(ParseExpression): + """Requires that at least one :class:`ParseExpression` is found. If + two expressions match, the first one listed is the one that will + match. May be constructed using the ``'|'`` operator. + + Example:: + + # construct MatchFirst using '|' operator + + # watch the order of expressions to match + number = Word(nums) | Combine(Word(nums) + '.' + Word(nums)) + print(number.searchString("123 3.1416 789")) # Fail! -> [['123'], ['3'], ['1416'], ['789']] + + # put more selective expression first + number = Combine(Word(nums) + '.' + Word(nums)) | Word(nums) + print(number.searchString("123 3.1416 789")) # Better -> [['123'], ['3.1416'], ['789']] + """ + def __init__( self, exprs, savelist = False ): + super(MatchFirst,self).__init__(exprs, savelist) + if self.exprs: + self.mayReturnEmpty = any(e.mayReturnEmpty for e in self.exprs) + # self.saveAsList = any(e.saveAsList for e in self.exprs) + else: + self.mayReturnEmpty = True + + def streamline(self): + super(MatchFirst, self).streamline() + self.saveAsList = any(e.saveAsList for e in self.exprs) + return self + + def parseImpl( self, instring, loc, doActions=True ): + maxExcLoc = -1 + maxException = None + for e in self.exprs: + try: + ret = e._parse( instring, loc, doActions ) + return ret + except ParseException as err: + if err.loc > maxExcLoc: + maxException = err + maxExcLoc = err.loc + except IndexError: + if len(instring) > maxExcLoc: + maxException = ParseException(instring,len(instring),e.errmsg,self) + maxExcLoc = len(instring) + + # only got here if no expression matched, raise exception for match that made it the furthest + else: + if maxException is not None: + maxException.msg = self.errmsg + raise maxException + else: + raise ParseException(instring, loc, "no defined alternatives to match", self) + + def __ior__(self, other ): + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + return self.append( other ) #MatchFirst( [ self, other ] ) + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + " | ".join(_ustr(e) for e in self.exprs) + "}" + + return self.strRepr + + def checkRecursion( self, parseElementList ): + subRecCheckList = parseElementList[:] + [ self ] + for e in self.exprs: + e.checkRecursion( subRecCheckList ) + + +class Each(ParseExpression): + """Requires all given :class:`ParseExpression` s to be found, but in + any order. Expressions may be separated by whitespace. + + May be constructed using the ``'&'`` operator. + + Example:: + + color = oneOf("RED ORANGE YELLOW GREEN BLUE PURPLE BLACK WHITE BROWN") + shape_type = oneOf("SQUARE CIRCLE TRIANGLE STAR HEXAGON OCTAGON") + integer = Word(nums) + shape_attr = "shape:" + shape_type("shape") + posn_attr = "posn:" + Group(integer("x") + ',' + integer("y"))("posn") + color_attr = "color:" + color("color") + size_attr = "size:" + integer("size") + + # use Each (using operator '&') to accept attributes in any order + # (shape and posn are required, color and size are optional) + shape_spec = shape_attr & posn_attr & Optional(color_attr) & Optional(size_attr) + + shape_spec.runTests(''' + shape: SQUARE color: BLACK posn: 100, 120 + shape: CIRCLE size: 50 color: BLUE posn: 50,80 + color:GREEN size:20 shape:TRIANGLE posn:20,40 + ''' + ) + + prints:: + + shape: SQUARE color: BLACK posn: 100, 120 + ['shape:', 'SQUARE', 'color:', 'BLACK', 'posn:', ['100', ',', '120']] + - color: BLACK + - posn: ['100', ',', '120'] + - x: 100 + - y: 120 + - shape: SQUARE + + + shape: CIRCLE size: 50 color: BLUE posn: 50,80 + ['shape:', 'CIRCLE', 'size:', '50', 'color:', 'BLUE', 'posn:', ['50', ',', '80']] + - color: BLUE + - posn: ['50', ',', '80'] + - x: 50 + - y: 80 + - shape: CIRCLE + - size: 50 + + + color: GREEN size: 20 shape: TRIANGLE posn: 20,40 + ['color:', 'GREEN', 'size:', '20', 'shape:', 'TRIANGLE', 'posn:', ['20', ',', '40']] + - color: GREEN + - posn: ['20', ',', '40'] + - x: 20 + - y: 40 + - shape: TRIANGLE + - size: 20 + """ + def __init__( self, exprs, savelist = True ): + super(Each,self).__init__(exprs, savelist) + self.mayReturnEmpty = all(e.mayReturnEmpty for e in self.exprs) + self.skipWhitespace = True + self.initExprGroups = True + self.saveAsList = True + + def streamline(self): + super(Each, self).streamline() + self.mayReturnEmpty = all(e.mayReturnEmpty for e in self.exprs) + return self + + def parseImpl( self, instring, loc, doActions=True ): + if self.initExprGroups: + self.opt1map = dict((id(e.expr),e) for e in self.exprs if isinstance(e,Optional)) + opt1 = [ e.expr for e in self.exprs if isinstance(e,Optional) ] + opt2 = [ e for e in self.exprs if e.mayReturnEmpty and not isinstance(e,Optional)] + self.optionals = opt1 + opt2 + self.multioptionals = [ e.expr for e in self.exprs if isinstance(e,ZeroOrMore) ] + self.multirequired = [ e.expr for e in self.exprs if isinstance(e,OneOrMore) ] + self.required = [ e for e in self.exprs if not isinstance(e,(Optional,ZeroOrMore,OneOrMore)) ] + self.required += self.multirequired + self.initExprGroups = False + tmpLoc = loc + tmpReqd = self.required[:] + tmpOpt = self.optionals[:] + matchOrder = [] + + keepMatching = True + while keepMatching: + tmpExprs = tmpReqd + tmpOpt + self.multioptionals + self.multirequired + failed = [] + for e in tmpExprs: + try: + tmpLoc = e.tryParse( instring, tmpLoc ) + except ParseException: + failed.append(e) + else: + matchOrder.append(self.opt1map.get(id(e),e)) + if e in tmpReqd: + tmpReqd.remove(e) + elif e in tmpOpt: + tmpOpt.remove(e) + if len(failed) == len(tmpExprs): + keepMatching = False + + if tmpReqd: + missing = ", ".join(_ustr(e) for e in tmpReqd) + raise ParseException(instring,loc,"Missing one or more required elements (%s)" % missing ) + + # add any unmatched Optionals, in case they have default values defined + matchOrder += [e for e in self.exprs if isinstance(e,Optional) and e.expr in tmpOpt] + + resultlist = [] + for e in matchOrder: + loc,results = e._parse(instring,loc,doActions) + resultlist.append(results) + + finalResults = sum(resultlist, ParseResults([])) + return loc, finalResults + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + " & ".join(_ustr(e) for e in self.exprs) + "}" + + return self.strRepr + + def checkRecursion( self, parseElementList ): + subRecCheckList = parseElementList[:] + [ self ] + for e in self.exprs: + e.checkRecursion( subRecCheckList ) + + +class ParseElementEnhance(ParserElement): + """Abstract subclass of :class:`ParserElement`, for combining and + post-processing parsed tokens. + """ + def __init__( self, expr, savelist=False ): + super(ParseElementEnhance,self).__init__(savelist) + if isinstance( expr, basestring ): + if issubclass(ParserElement._literalStringClass, Token): + expr = ParserElement._literalStringClass(expr) + else: + expr = ParserElement._literalStringClass(Literal(expr)) + self.expr = expr + self.strRepr = None + if expr is not None: + self.mayIndexError = expr.mayIndexError + self.mayReturnEmpty = expr.mayReturnEmpty + self.setWhitespaceChars( expr.whiteChars ) + self.skipWhitespace = expr.skipWhitespace + self.saveAsList = expr.saveAsList + self.callPreparse = expr.callPreparse + self.ignoreExprs.extend(expr.ignoreExprs) + + def parseImpl( self, instring, loc, doActions=True ): + if self.expr is not None: + return self.expr._parse( instring, loc, doActions, callPreParse=False ) + else: + raise ParseException("",loc,self.errmsg,self) + + def leaveWhitespace( self ): + self.skipWhitespace = False + self.expr = self.expr.copy() + if self.expr is not None: + self.expr.leaveWhitespace() + return self + + def ignore( self, other ): + if isinstance( other, Suppress ): + if other not in self.ignoreExprs: + super( ParseElementEnhance, self).ignore( other ) + if self.expr is not None: + self.expr.ignore( self.ignoreExprs[-1] ) + else: + super( ParseElementEnhance, self).ignore( other ) + if self.expr is not None: + self.expr.ignore( self.ignoreExprs[-1] ) + return self + + def streamline( self ): + super(ParseElementEnhance,self).streamline() + if self.expr is not None: + self.expr.streamline() + return self + + def checkRecursion( self, parseElementList ): + if self in parseElementList: + raise RecursiveGrammarException( parseElementList+[self] ) + subRecCheckList = parseElementList[:] + [ self ] + if self.expr is not None: + self.expr.checkRecursion( subRecCheckList ) + + def validate( self, validateTrace=[] ): + tmp = validateTrace[:]+[self] + if self.expr is not None: + self.expr.validate(tmp) + self.checkRecursion( [] ) + + def __str__( self ): + try: + return super(ParseElementEnhance,self).__str__() + except Exception: + pass + + if self.strRepr is None and self.expr is not None: + self.strRepr = "%s:(%s)" % ( self.__class__.__name__, _ustr(self.expr) ) + return self.strRepr + + +class FollowedBy(ParseElementEnhance): + """Lookahead matching of the given parse expression. + ``FollowedBy`` does *not* advance the parsing position within + the input string, it only verifies that the specified parse + expression matches at the current position. ``FollowedBy`` + always returns a null token list. If any results names are defined + in the lookahead expression, those *will* be returned for access by + name. + + Example:: + + # use FollowedBy to match a label only if it is followed by a ':' + data_word = Word(alphas) + label = data_word + FollowedBy(':') + attr_expr = Group(label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) + + OneOrMore(attr_expr).parseString("shape: SQUARE color: BLACK posn: upper left").pprint() + + prints:: + + [['shape', 'SQUARE'], ['color', 'BLACK'], ['posn', 'upper left']] + """ + def __init__( self, expr ): + super(FollowedBy,self).__init__(expr) + self.mayReturnEmpty = True + + def parseImpl( self, instring, loc, doActions=True ): + _, ret = self.expr._parse(instring, loc, doActions=doActions) + del ret[:] + return loc, ret + + +class PrecededBy(ParseElementEnhance): + """Lookbehind matching of the given parse expression. + ``PrecededBy`` does not advance the parsing position within the + input string, it only verifies that the specified parse expression + matches prior to the current position. ``PrecededBy`` always + returns a null token list, but if a results name is defined on the + given expression, it is returned. + + Parameters: + + - expr - expression that must match prior to the current parse + location + - retreat - (default= ``None``) - (int) maximum number of characters + to lookbehind prior to the current parse location + + If the lookbehind expression is a string, Literal, Keyword, or + a Word or CharsNotIn with a specified exact or maximum length, then + the retreat parameter is not required. Otherwise, retreat must be + specified to give a maximum number of characters to look back from + the current parse position for a lookbehind match. + + Example:: + + # VB-style variable names with type prefixes + int_var = PrecededBy("#") + pyparsing_common.identifier + str_var = PrecededBy("$") + pyparsing_common.identifier + + """ + def __init__(self, expr, retreat=None): + super(PrecededBy, self).__init__(expr) + self.expr = self.expr().leaveWhitespace() + self.mayReturnEmpty = True + self.mayIndexError = False + self.exact = False + if isinstance(expr, str): + retreat = len(expr) + self.exact = True + elif isinstance(expr, (Literal, Keyword)): + retreat = expr.matchLen + self.exact = True + elif isinstance(expr, (Word, CharsNotIn)) and expr.maxLen != _MAX_INT: + retreat = expr.maxLen + self.exact = True + elif isinstance(expr, _PositionToken): + retreat = 0 + self.exact = True + self.retreat = retreat + self.errmsg = "not preceded by " + str(expr) + self.skipWhitespace = False + + def parseImpl(self, instring, loc=0, doActions=True): + if self.exact: + if loc < self.retreat: + raise ParseException(instring, loc, self.errmsg) + start = loc - self.retreat + _, ret = self.expr._parse(instring, start) + else: + # retreat specified a maximum lookbehind window, iterate + test_expr = self.expr + StringEnd() + instring_slice = instring[:loc] + last_expr = ParseException(instring, loc, self.errmsg) + for offset in range(1, min(loc, self.retreat+1)): + try: + _, ret = test_expr._parse(instring_slice, loc-offset) + except ParseBaseException as pbe: + last_expr = pbe + else: + break + else: + raise last_expr + # return empty list of tokens, but preserve any defined results names + del ret[:] + return loc, ret + + +class NotAny(ParseElementEnhance): + """Lookahead to disallow matching with the given parse expression. + ``NotAny`` does *not* advance the parsing position within the + input string, it only verifies that the specified parse expression + does *not* match at the current position. Also, ``NotAny`` does + *not* skip over leading whitespace. ``NotAny`` always returns + a null token list. May be constructed using the '~' operator. + + Example:: + + AND, OR, NOT = map(CaselessKeyword, "AND OR NOT".split()) + + # take care not to mistake keywords for identifiers + ident = ~(AND | OR | NOT) + Word(alphas) + boolean_term = Optional(NOT) + ident + + # very crude boolean expression - to support parenthesis groups and + # operation hierarchy, use infixNotation + boolean_expr = boolean_term + ZeroOrMore((AND | OR) + boolean_term) + + # integers that are followed by "." are actually floats + integer = Word(nums) + ~Char(".") + """ + def __init__( self, expr ): + super(NotAny,self).__init__(expr) + #~ self.leaveWhitespace() + self.skipWhitespace = False # do NOT use self.leaveWhitespace(), don't want to propagate to exprs + self.mayReturnEmpty = True + self.errmsg = "Found unwanted token, "+_ustr(self.expr) + + def parseImpl( self, instring, loc, doActions=True ): + if self.expr.canParseNext(instring, loc): + raise ParseException(instring, loc, self.errmsg, self) + return loc, [] + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "~{" + _ustr(self.expr) + "}" + + return self.strRepr + +class _MultipleMatch(ParseElementEnhance): + def __init__( self, expr, stopOn=None): + super(_MultipleMatch, self).__init__(expr) + self.saveAsList = True + ender = stopOn + if isinstance(ender, basestring): + ender = ParserElement._literalStringClass(ender) + self.not_ender = ~ender if ender is not None else None + + def parseImpl( self, instring, loc, doActions=True ): + self_expr_parse = self.expr._parse + self_skip_ignorables = self._skipIgnorables + check_ender = self.not_ender is not None + if check_ender: + try_not_ender = self.not_ender.tryParse + + # must be at least one (but first see if we are the stopOn sentinel; + # if so, fail) + if check_ender: + try_not_ender(instring, loc) + loc, tokens = self_expr_parse( instring, loc, doActions, callPreParse=False ) + try: + hasIgnoreExprs = (not not self.ignoreExprs) + while 1: + if check_ender: + try_not_ender(instring, loc) + if hasIgnoreExprs: + preloc = self_skip_ignorables( instring, loc ) + else: + preloc = loc + loc, tmptokens = self_expr_parse( instring, preloc, doActions ) + if tmptokens or tmptokens.haskeys(): + tokens += tmptokens + except (ParseException,IndexError): + pass + + return loc, tokens + +class OneOrMore(_MultipleMatch): + """Repetition of one or more of the given expression. + + Parameters: + - expr - expression that must match one or more times + - stopOn - (default= ``None``) - expression for a terminating sentinel + (only required if the sentinel would ordinarily match the repetition + expression) + + Example:: + + data_word = Word(alphas) + label = data_word + FollowedBy(':') + attr_expr = Group(label + Suppress(':') + OneOrMore(data_word).setParseAction(' '.join)) + + text = "shape: SQUARE posn: upper left color: BLACK" + OneOrMore(attr_expr).parseString(text).pprint() # Fail! read 'color' as data instead of next label -> [['shape', 'SQUARE color']] + + # use stopOn attribute for OneOrMore to avoid reading label string as part of the data + attr_expr = Group(label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) + OneOrMore(attr_expr).parseString(text).pprint() # Better -> [['shape', 'SQUARE'], ['posn', 'upper left'], ['color', 'BLACK']] + + # could also be written as + (attr_expr * (1,)).parseString(text).pprint() + """ + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + _ustr(self.expr) + "}..." + + return self.strRepr + +class ZeroOrMore(_MultipleMatch): + """Optional repetition of zero or more of the given expression. + + Parameters: + - expr - expression that must match zero or more times + - stopOn - (default= ``None``) - expression for a terminating sentinel + (only required if the sentinel would ordinarily match the repetition + expression) + + Example: similar to :class:`OneOrMore` + """ + def __init__( self, expr, stopOn=None): + super(ZeroOrMore,self).__init__(expr, stopOn=stopOn) + self.mayReturnEmpty = True + + def parseImpl( self, instring, loc, doActions=True ): + try: + return super(ZeroOrMore, self).parseImpl(instring, loc, doActions) + except (ParseException,IndexError): + return loc, [] + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "[" + _ustr(self.expr) + "]..." + + return self.strRepr + +class _NullToken(object): + def __bool__(self): + return False + __nonzero__ = __bool__ + def __str__(self): + return "" + +_optionalNotMatched = _NullToken() +class Optional(ParseElementEnhance): + """Optional matching of the given expression. + + Parameters: + - expr - expression that must match zero or more times + - default (optional) - value to be returned if the optional expression is not found. + + Example:: + + # US postal code can be a 5-digit zip, plus optional 4-digit qualifier + zip = Combine(Word(nums, exact=5) + Optional('-' + Word(nums, exact=4))) + zip.runTests(''' + # traditional ZIP code + 12345 + + # ZIP+4 form + 12101-0001 + + # invalid ZIP + 98765- + ''') + + prints:: + + # traditional ZIP code + 12345 + ['12345'] + + # ZIP+4 form + 12101-0001 + ['12101-0001'] + + # invalid ZIP + 98765- + ^ + FAIL: Expected end of text (at char 5), (line:1, col:6) + """ + def __init__( self, expr, default=_optionalNotMatched ): + super(Optional,self).__init__( expr, savelist=False ) + self.saveAsList = self.expr.saveAsList + self.defaultValue = default + self.mayReturnEmpty = True + + def parseImpl( self, instring, loc, doActions=True ): + try: + loc, tokens = self.expr._parse( instring, loc, doActions, callPreParse=False ) + except (ParseException,IndexError): + if self.defaultValue is not _optionalNotMatched: + if self.expr.resultsName: + tokens = ParseResults([ self.defaultValue ]) + tokens[self.expr.resultsName] = self.defaultValue + else: + tokens = [ self.defaultValue ] + else: + tokens = [] + return loc, tokens + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "[" + _ustr(self.expr) + "]" + + return self.strRepr + +class SkipTo(ParseElementEnhance): + """Token for skipping over all undefined text until the matched + expression is found. + + Parameters: + - expr - target expression marking the end of the data to be skipped + - include - (default= ``False``) if True, the target expression is also parsed + (the skipped text and target expression are returned as a 2-element list). + - ignore - (default= ``None``) used to define grammars (typically quoted strings and + comments) that might contain false matches to the target expression + - failOn - (default= ``None``) define expressions that are not allowed to be + included in the skipped test; if found before the target expression is found, + the SkipTo is not a match + + Example:: + + report = ''' + Outstanding Issues Report - 1 Jan 2000 + + # | Severity | Description | Days Open + -----+----------+-------------------------------------------+----------- + 101 | Critical | Intermittent system crash | 6 + 94 | Cosmetic | Spelling error on Login ('log|n') | 14 + 79 | Minor | System slow when running too many reports | 47 + ''' + integer = Word(nums) + SEP = Suppress('|') + # use SkipTo to simply match everything up until the next SEP + # - ignore quoted strings, so that a '|' character inside a quoted string does not match + # - parse action will call token.strip() for each matched token, i.e., the description body + string_data = SkipTo(SEP, ignore=quotedString) + string_data.setParseAction(tokenMap(str.strip)) + ticket_expr = (integer("issue_num") + SEP + + string_data("sev") + SEP + + string_data("desc") + SEP + + integer("days_open")) + + for tkt in ticket_expr.searchString(report): + print tkt.dump() + + prints:: + + ['101', 'Critical', 'Intermittent system crash', '6'] + - days_open: 6 + - desc: Intermittent system crash + - issue_num: 101 + - sev: Critical + ['94', 'Cosmetic', "Spelling error on Login ('log|n')", '14'] + - days_open: 14 + - desc: Spelling error on Login ('log|n') + - issue_num: 94 + - sev: Cosmetic + ['79', 'Minor', 'System slow when running too many reports', '47'] + - days_open: 47 + - desc: System slow when running too many reports + - issue_num: 79 + - sev: Minor + """ + def __init__( self, other, include=False, ignore=None, failOn=None ): + super( SkipTo, self ).__init__( other ) + self.ignoreExpr = ignore + self.mayReturnEmpty = True + self.mayIndexError = False + self.includeMatch = include + self.saveAsList = False + if isinstance(failOn, basestring): + self.failOn = ParserElement._literalStringClass(failOn) + else: + self.failOn = failOn + self.errmsg = "No match found for "+_ustr(self.expr) + + def parseImpl( self, instring, loc, doActions=True ): + startloc = loc + instrlen = len(instring) + expr = self.expr + expr_parse = self.expr._parse + self_failOn_canParseNext = self.failOn.canParseNext if self.failOn is not None else None + self_ignoreExpr_tryParse = self.ignoreExpr.tryParse if self.ignoreExpr is not None else None + + tmploc = loc + while tmploc <= instrlen: + if self_failOn_canParseNext is not None: + # break if failOn expression matches + if self_failOn_canParseNext(instring, tmploc): + break + + if self_ignoreExpr_tryParse is not None: + # advance past ignore expressions + while 1: + try: + tmploc = self_ignoreExpr_tryParse(instring, tmploc) + except ParseBaseException: + break + + try: + expr_parse(instring, tmploc, doActions=False, callPreParse=False) + except (ParseException, IndexError): + # no match, advance loc in string + tmploc += 1 + else: + # matched skipto expr, done + break + + else: + # ran off the end of the input string without matching skipto expr, fail + raise ParseException(instring, loc, self.errmsg, self) + + # build up return values + loc = tmploc + skiptext = instring[startloc:loc] + skipresult = ParseResults(skiptext) + + if self.includeMatch: + loc, mat = expr_parse(instring,loc,doActions,callPreParse=False) + skipresult += mat + + return loc, skipresult + +class Forward(ParseElementEnhance): + """Forward declaration of an expression to be defined later - + used for recursive grammars, such as algebraic infix notation. + When the expression is known, it is assigned to the ``Forward`` + variable using the '<<' operator. + + Note: take care when assigning to ``Forward`` not to overlook + precedence of operators. + + Specifically, '|' has a lower precedence than '<<', so that:: + + fwdExpr << a | b | c + + will actually be evaluated as:: + + (fwdExpr << a) | b | c + + thereby leaving b and c out as parseable alternatives. It is recommended that you + explicitly group the values inserted into the ``Forward``:: + + fwdExpr << (a | b | c) + + Converting to use the '<<=' operator instead will avoid this problem. + + See :class:`ParseResults.pprint` for an example of a recursive + parser created using ``Forward``. + """ + def __init__( self, other=None ): + super(Forward,self).__init__( other, savelist=False ) + + def __lshift__( self, other ): + if isinstance( other, basestring ): + other = ParserElement._literalStringClass(other) + self.expr = other + self.strRepr = None + self.mayIndexError = self.expr.mayIndexError + self.mayReturnEmpty = self.expr.mayReturnEmpty + self.setWhitespaceChars( self.expr.whiteChars ) + self.skipWhitespace = self.expr.skipWhitespace + self.saveAsList = self.expr.saveAsList + self.ignoreExprs.extend(self.expr.ignoreExprs) + return self + + def __ilshift__(self, other): + return self << other + + def leaveWhitespace( self ): + self.skipWhitespace = False + return self + + def streamline( self ): + if not self.streamlined: + self.streamlined = True + if self.expr is not None: + self.expr.streamline() + return self + + def validate( self, validateTrace=[] ): + if self not in validateTrace: + tmp = validateTrace[:]+[self] + if self.expr is not None: + self.expr.validate(tmp) + self.checkRecursion([]) + + def __str__( self ): + if hasattr(self,"name"): + return self.name + return self.__class__.__name__ + ": ..." + + # stubbed out for now - creates awful memory and perf issues + self._revertClass = self.__class__ + self.__class__ = _ForwardNoRecurse + try: + if self.expr is not None: + retString = _ustr(self.expr) + else: + retString = "None" + finally: + self.__class__ = self._revertClass + return self.__class__.__name__ + ": " + retString + + def copy(self): + if self.expr is not None: + return super(Forward,self).copy() + else: + ret = Forward() + ret <<= self + return ret + +class _ForwardNoRecurse(Forward): + def __str__( self ): + return "..." + +class TokenConverter(ParseElementEnhance): + """ + Abstract subclass of :class:`ParseExpression`, for converting parsed results. + """ + def __init__( self, expr, savelist=False ): + super(TokenConverter,self).__init__( expr )#, savelist ) + self.saveAsList = False + +class Combine(TokenConverter): + """Converter to concatenate all matching tokens to a single string. + By default, the matching patterns must also be contiguous in the + input string; this can be disabled by specifying + ``'adjacent=False'`` in the constructor. + + Example:: + + real = Word(nums) + '.' + Word(nums) + print(real.parseString('3.1416')) # -> ['3', '.', '1416'] + # will also erroneously match the following + print(real.parseString('3. 1416')) # -> ['3', '.', '1416'] + + real = Combine(Word(nums) + '.' + Word(nums)) + print(real.parseString('3.1416')) # -> ['3.1416'] + # no match when there are internal spaces + print(real.parseString('3. 1416')) # -> Exception: Expected W:(0123...) + """ + def __init__( self, expr, joinString="", adjacent=True ): + super(Combine,self).__init__( expr ) + # suppress whitespace-stripping in contained parse expressions, but re-enable it on the Combine itself + if adjacent: + self.leaveWhitespace() + self.adjacent = adjacent + self.skipWhitespace = True + self.joinString = joinString + self.callPreparse = True + + def ignore( self, other ): + if self.adjacent: + ParserElement.ignore(self, other) + else: + super( Combine, self).ignore( other ) + return self + + def postParse( self, instring, loc, tokenlist ): + retToks = tokenlist.copy() + del retToks[:] + retToks += ParseResults([ "".join(tokenlist._asStringList(self.joinString)) ], modal=self.modalResults) + + if self.resultsName and retToks.haskeys(): + return [ retToks ] + else: + return retToks + +class Group(TokenConverter): + """Converter to return the matched tokens as a list - useful for + returning tokens of :class:`ZeroOrMore` and :class:`OneOrMore` expressions. + + Example:: + + ident = Word(alphas) + num = Word(nums) + term = ident | num + func = ident + Optional(delimitedList(term)) + print(func.parseString("fn a,b,100")) # -> ['fn', 'a', 'b', '100'] + + func = ident + Group(Optional(delimitedList(term))) + print(func.parseString("fn a,b,100")) # -> ['fn', ['a', 'b', '100']] + """ + def __init__( self, expr ): + super(Group,self).__init__( expr ) + self.saveAsList = expr.saveAsList + + def postParse( self, instring, loc, tokenlist ): + return [ tokenlist ] + +class Dict(TokenConverter): + """Converter to return a repetitive expression as a list, but also + as a dictionary. Each element can also be referenced using the first + token in the expression as its key. Useful for tabular report + scraping when the first column can be used as a item key. + + Example:: + + data_word = Word(alphas) + label = data_word + FollowedBy(':') + attr_expr = Group(label + Suppress(':') + OneOrMore(data_word).setParseAction(' '.join)) + + text = "shape: SQUARE posn: upper left color: light blue texture: burlap" + attr_expr = (label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) + + # print attributes as plain groups + print(OneOrMore(attr_expr).parseString(text).dump()) + + # instead of OneOrMore(expr), parse using Dict(OneOrMore(Group(expr))) - Dict will auto-assign names + result = Dict(OneOrMore(Group(attr_expr))).parseString(text) + print(result.dump()) + + # access named fields as dict entries, or output as dict + print(result['shape']) + print(result.asDict()) + + prints:: + + ['shape', 'SQUARE', 'posn', 'upper left', 'color', 'light blue', 'texture', 'burlap'] + [['shape', 'SQUARE'], ['posn', 'upper left'], ['color', 'light blue'], ['texture', 'burlap']] + - color: light blue + - posn: upper left + - shape: SQUARE + - texture: burlap + SQUARE + {'color': 'light blue', 'posn': 'upper left', 'texture': 'burlap', 'shape': 'SQUARE'} + + See more examples at :class:`ParseResults` of accessing fields by results name. + """ + def __init__( self, expr ): + super(Dict,self).__init__( expr ) + self.saveAsList = True + + def postParse( self, instring, loc, tokenlist ): + for i,tok in enumerate(tokenlist): + if len(tok) == 0: + continue + ikey = tok[0] + if isinstance(ikey,int): + ikey = _ustr(tok[0]).strip() + if len(tok)==1: + tokenlist[ikey] = _ParseResultsWithOffset("",i) + elif len(tok)==2 and not isinstance(tok[1],ParseResults): + tokenlist[ikey] = _ParseResultsWithOffset(tok[1],i) + else: + dictvalue = tok.copy() #ParseResults(i) + del dictvalue[0] + if len(dictvalue)!= 1 or (isinstance(dictvalue,ParseResults) and dictvalue.haskeys()): + tokenlist[ikey] = _ParseResultsWithOffset(dictvalue,i) + else: + tokenlist[ikey] = _ParseResultsWithOffset(dictvalue[0],i) + + if self.resultsName: + return [ tokenlist ] + else: + return tokenlist + + +class Suppress(TokenConverter): + """Converter for ignoring the results of a parsed expression. + + Example:: + + source = "a, b, c,d" + wd = Word(alphas) + wd_list1 = wd + ZeroOrMore(',' + wd) + print(wd_list1.parseString(source)) + + # often, delimiters that are useful during parsing are just in the + # way afterward - use Suppress to keep them out of the parsed output + wd_list2 = wd + ZeroOrMore(Suppress(',') + wd) + print(wd_list2.parseString(source)) + + prints:: + + ['a', ',', 'b', ',', 'c', ',', 'd'] + ['a', 'b', 'c', 'd'] + + (See also :class:`delimitedList`.) + """ + def postParse( self, instring, loc, tokenlist ): + return [] + + def suppress( self ): + return self + + +class OnlyOnce(object): + """Wrapper for parse actions, to ensure they are only called once. + """ + def __init__(self, methodCall): + self.callable = _trim_arity(methodCall) + self.called = False + def __call__(self,s,l,t): + if not self.called: + results = self.callable(s,l,t) + self.called = True + return results + raise ParseException(s,l,"") + def reset(self): + self.called = False + +def traceParseAction(f): + """Decorator for debugging parse actions. + + When the parse action is called, this decorator will print + ``">> entering method-name(line:<current_source_line>, <parse_location>, <matched_tokens>)"``. + When the parse action completes, the decorator will print + ``"<<"`` followed by the returned value, or any exception that the parse action raised. + + Example:: + + wd = Word(alphas) + + @traceParseAction + def remove_duplicate_chars(tokens): + return ''.join(sorted(set(''.join(tokens)))) + + wds = OneOrMore(wd).setParseAction(remove_duplicate_chars) + print(wds.parseString("slkdjs sld sldd sdlf sdljf")) + + prints:: + + >>entering remove_duplicate_chars(line: 'slkdjs sld sldd sdlf sdljf', 0, (['slkdjs', 'sld', 'sldd', 'sdlf', 'sdljf'], {})) + <<leaving remove_duplicate_chars (ret: 'dfjkls') + ['dfjkls'] + """ + f = _trim_arity(f) + def z(*paArgs): + thisFunc = f.__name__ + s,l,t = paArgs[-3:] + if len(paArgs)>3: + thisFunc = paArgs[0].__class__.__name__ + '.' + thisFunc + sys.stderr.write( ">>entering %s(line: '%s', %d, %r)\n" % (thisFunc,line(l,s),l,t) ) + try: + ret = f(*paArgs) + except Exception as exc: + sys.stderr.write( "<<leaving %s (exception: %s)\n" % (thisFunc,exc) ) + raise + sys.stderr.write( "<<leaving %s (ret: %r)\n" % (thisFunc,ret) ) + return ret + try: + z.__name__ = f.__name__ + except AttributeError: + pass + return z + +# +# global helpers +# +def delimitedList( expr, delim=",", combine=False ): + """Helper to define a delimited list of expressions - the delimiter + defaults to ','. By default, the list elements and delimiters can + have intervening whitespace, and comments, but this can be + overridden by passing ``combine=True`` in the constructor. If + ``combine`` is set to ``True``, the matching tokens are + returned as a single token string, with the delimiters included; + otherwise, the matching tokens are returned as a list of tokens, + with the delimiters suppressed. + + Example:: + + delimitedList(Word(alphas)).parseString("aa,bb,cc") # -> ['aa', 'bb', 'cc'] + delimitedList(Word(hexnums), delim=':', combine=True).parseString("AA:BB:CC:DD:EE") # -> ['AA:BB:CC:DD:EE'] + """ + dlName = _ustr(expr)+" ["+_ustr(delim)+" "+_ustr(expr)+"]..." + if combine: + return Combine( expr + ZeroOrMore( delim + expr ) ).setName(dlName) + else: + return ( expr + ZeroOrMore( Suppress( delim ) + expr ) ).setName(dlName) + +def countedArray( expr, intExpr=None ): + """Helper to define a counted list of expressions. + + This helper defines a pattern of the form:: + + integer expr expr expr... + + where the leading integer tells how many expr expressions follow. + The matched tokens returns the array of expr tokens as a list - the + leading count token is suppressed. + + If ``intExpr`` is specified, it should be a pyparsing expression + that produces an integer value. + + Example:: + + countedArray(Word(alphas)).parseString('2 ab cd ef') # -> ['ab', 'cd'] + + # in this parser, the leading integer value is given in binary, + # '10' indicating that 2 values are in the array + binaryConstant = Word('01').setParseAction(lambda t: int(t[0], 2)) + countedArray(Word(alphas), intExpr=binaryConstant).parseString('10 ab cd ef') # -> ['ab', 'cd'] + """ + arrayExpr = Forward() + def countFieldParseAction(s,l,t): + n = t[0] + arrayExpr << (n and Group(And([expr]*n)) or Group(empty)) + return [] + if intExpr is None: + intExpr = Word(nums).setParseAction(lambda t:int(t[0])) + else: + intExpr = intExpr.copy() + intExpr.setName("arrayLen") + intExpr.addParseAction(countFieldParseAction, callDuringTry=True) + return ( intExpr + arrayExpr ).setName('(len) ' + _ustr(expr) + '...') + +def _flatten(L): + ret = [] + for i in L: + if isinstance(i,list): + ret.extend(_flatten(i)) + else: + ret.append(i) + return ret + +def matchPreviousLiteral(expr): + """Helper to define an expression that is indirectly defined from + the tokens matched in a previous expression, that is, it looks for + a 'repeat' of a previous expression. For example:: + + first = Word(nums) + second = matchPreviousLiteral(first) + matchExpr = first + ":" + second + + will match ``"1:1"``, but not ``"1:2"``. Because this + matches a previous literal, will also match the leading + ``"1:1"`` in ``"1:10"``. If this is not desired, use + :class:`matchPreviousExpr`. Do *not* use with packrat parsing + enabled. + """ + rep = Forward() + def copyTokenToRepeater(s,l,t): + if t: + if len(t) == 1: + rep << t[0] + else: + # flatten t tokens + tflat = _flatten(t.asList()) + rep << And(Literal(tt) for tt in tflat) + else: + rep << Empty() + expr.addParseAction(copyTokenToRepeater, callDuringTry=True) + rep.setName('(prev) ' + _ustr(expr)) + return rep + +def matchPreviousExpr(expr): + """Helper to define an expression that is indirectly defined from + the tokens matched in a previous expression, that is, it looks for + a 'repeat' of a previous expression. For example:: + + first = Word(nums) + second = matchPreviousExpr(first) + matchExpr = first + ":" + second + + will match ``"1:1"``, but not ``"1:2"``. Because this + matches by expressions, will *not* match the leading ``"1:1"`` + in ``"1:10"``; the expressions are evaluated first, and then + compared, so ``"1"`` is compared with ``"10"``. Do *not* use + with packrat parsing enabled. + """ + rep = Forward() + e2 = expr.copy() + rep <<= e2 + def copyTokenToRepeater(s,l,t): + matchTokens = _flatten(t.asList()) + def mustMatchTheseTokens(s,l,t): + theseTokens = _flatten(t.asList()) + if theseTokens != matchTokens: + raise ParseException("",0,"") + rep.setParseAction( mustMatchTheseTokens, callDuringTry=True ) + expr.addParseAction(copyTokenToRepeater, callDuringTry=True) + rep.setName('(prev) ' + _ustr(expr)) + return rep + +def _escapeRegexRangeChars(s): + #~ escape these chars: ^-] + for c in r"\^-]": + s = s.replace(c,_bslash+c) + s = s.replace("\n",r"\n") + s = s.replace("\t",r"\t") + return _ustr(s) + +def oneOf( strs, caseless=False, useRegex=True ): + """Helper to quickly define a set of alternative Literals, and makes + sure to do longest-first testing when there is a conflict, + regardless of the input order, but returns + a :class:`MatchFirst` for best performance. + + Parameters: + + - strs - a string of space-delimited literals, or a collection of + string literals + - caseless - (default= ``False``) - treat all literals as + caseless + - useRegex - (default= ``True``) - as an optimization, will + generate a Regex object; otherwise, will generate + a :class:`MatchFirst` object (if ``caseless=True``, or if + creating a :class:`Regex` raises an exception) + + Example:: + + comp_oper = oneOf("< = > <= >= !=") + var = Word(alphas) + number = Word(nums) + term = var | number + comparison_expr = term + comp_oper + term + print(comparison_expr.searchString("B = 12 AA=23 B<=AA AA>12")) + + prints:: + + [['B', '=', '12'], ['AA', '=', '23'], ['B', '<=', 'AA'], ['AA', '>', '12']] + """ + if caseless: + isequal = ( lambda a,b: a.upper() == b.upper() ) + masks = ( lambda a,b: b.upper().startswith(a.upper()) ) + parseElementClass = CaselessLiteral + else: + isequal = ( lambda a,b: a == b ) + masks = ( lambda a,b: b.startswith(a) ) + parseElementClass = Literal + + symbols = [] + if isinstance(strs,basestring): + symbols = strs.split() + elif isinstance(strs, Iterable): + symbols = list(strs) + else: + warnings.warn("Invalid argument to oneOf, expected string or iterable", + SyntaxWarning, stacklevel=2) + if not symbols: + return NoMatch() + + i = 0 + while i < len(symbols)-1: + cur = symbols[i] + for j,other in enumerate(symbols[i+1:]): + if ( isequal(other, cur) ): + del symbols[i+j+1] + break + elif ( masks(cur, other) ): + del symbols[i+j+1] + symbols.insert(i,other) + cur = other + break + else: + i += 1 + + if not caseless and useRegex: + #~ print (strs,"->", "|".join( [ _escapeRegexChars(sym) for sym in symbols] )) + try: + if len(symbols)==len("".join(symbols)): + return Regex( "[%s]" % "".join(_escapeRegexRangeChars(sym) for sym in symbols) ).setName(' | '.join(symbols)) + else: + return Regex( "|".join(re.escape(sym) for sym in symbols) ).setName(' | '.join(symbols)) + except Exception: + warnings.warn("Exception creating Regex for oneOf, building MatchFirst", + SyntaxWarning, stacklevel=2) + + + # last resort, just use MatchFirst + return MatchFirst(parseElementClass(sym) for sym in symbols).setName(' | '.join(symbols)) + +def dictOf( key, value ): + """Helper to easily and clearly define a dictionary by specifying + the respective patterns for the key and value. Takes care of + defining the :class:`Dict`, :class:`ZeroOrMore`, and + :class:`Group` tokens in the proper order. The key pattern + can include delimiting markers or punctuation, as long as they are + suppressed, thereby leaving the significant key text. The value + pattern can include named results, so that the :class:`Dict` results + can include named token fields. + + Example:: + + text = "shape: SQUARE posn: upper left color: light blue texture: burlap" + attr_expr = (label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) + print(OneOrMore(attr_expr).parseString(text).dump()) + + attr_label = label + attr_value = Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join) + + # similar to Dict, but simpler call format + result = dictOf(attr_label, attr_value).parseString(text) + print(result.dump()) + print(result['shape']) + print(result.shape) # object attribute access works too + print(result.asDict()) + + prints:: + + [['shape', 'SQUARE'], ['posn', 'upper left'], ['color', 'light blue'], ['texture', 'burlap']] + - color: light blue + - posn: upper left + - shape: SQUARE + - texture: burlap + SQUARE + SQUARE + {'color': 'light blue', 'shape': 'SQUARE', 'posn': 'upper left', 'texture': 'burlap'} + """ + return Dict(OneOrMore(Group(key + value))) + +def originalTextFor(expr, asString=True): + """Helper to return the original, untokenized text for a given + expression. Useful to restore the parsed fields of an HTML start + tag into the raw tag text itself, or to revert separate tokens with + intervening whitespace back to the original matching input text. By + default, returns astring containing the original parsed text. + + If the optional ``asString`` argument is passed as + ``False``, then the return value is + a :class:`ParseResults` containing any results names that + were originally matched, and a single token containing the original + matched text from the input string. So if the expression passed to + :class:`originalTextFor` contains expressions with defined + results names, you must set ``asString`` to ``False`` if you + want to preserve those results name values. + + Example:: + + src = "this is test <b> bold <i>text</i> </b> normal text " + for tag in ("b","i"): + opener,closer = makeHTMLTags(tag) + patt = originalTextFor(opener + SkipTo(closer) + closer) + print(patt.searchString(src)[0]) + + prints:: + + ['<b> bold <i>text</i> </b>'] + ['<i>text</i>'] + """ + locMarker = Empty().setParseAction(lambda s,loc,t: loc) + endlocMarker = locMarker.copy() + endlocMarker.callPreparse = False + matchExpr = locMarker("_original_start") + expr + endlocMarker("_original_end") + if asString: + extractText = lambda s,l,t: s[t._original_start:t._original_end] + else: + def extractText(s,l,t): + t[:] = [s[t.pop('_original_start'):t.pop('_original_end')]] + matchExpr.setParseAction(extractText) + matchExpr.ignoreExprs = expr.ignoreExprs + return matchExpr + +def ungroup(expr): + """Helper to undo pyparsing's default grouping of And expressions, + even if all but one are non-empty. + """ + return TokenConverter(expr).setParseAction(lambda t:t[0]) + +def locatedExpr(expr): + """Helper to decorate a returned token with its starting and ending + locations in the input string. + + This helper adds the following results names: + + - locn_start = location where matched expression begins + - locn_end = location where matched expression ends + - value = the actual parsed results + + Be careful if the input text contains ``<TAB>`` characters, you + may want to call :class:`ParserElement.parseWithTabs` + + Example:: + + wd = Word(alphas) + for match in locatedExpr(wd).searchString("ljsdf123lksdjjf123lkkjj1222"): + print(match) + + prints:: + + [[0, 'ljsdf', 5]] + [[8, 'lksdjjf', 15]] + [[18, 'lkkjj', 23]] + """ + locator = Empty().setParseAction(lambda s,l,t: l) + return Group(locator("locn_start") + expr("value") + locator.copy().leaveWhitespace()("locn_end")) + + +# convenience constants for positional expressions +empty = Empty().setName("empty") +lineStart = LineStart().setName("lineStart") +lineEnd = LineEnd().setName("lineEnd") +stringStart = StringStart().setName("stringStart") +stringEnd = StringEnd().setName("stringEnd") + +_escapedPunc = Word( _bslash, r"\[]-*.$+^?()~ ", exact=2 ).setParseAction(lambda s,l,t:t[0][1]) +_escapedHexChar = Regex(r"\\0?[xX][0-9a-fA-F]+").setParseAction(lambda s,l,t:unichr(int(t[0].lstrip(r'\0x'),16))) +_escapedOctChar = Regex(r"\\0[0-7]+").setParseAction(lambda s,l,t:unichr(int(t[0][1:],8))) +_singleChar = _escapedPunc | _escapedHexChar | _escapedOctChar | CharsNotIn(r'\]', exact=1) +_charRange = Group(_singleChar + Suppress("-") + _singleChar) +_reBracketExpr = Literal("[") + Optional("^").setResultsName("negate") + Group( OneOrMore( _charRange | _singleChar ) ).setResultsName("body") + "]" + +def srange(s): + r"""Helper to easily define string ranges for use in Word + construction. Borrows syntax from regexp '[]' string range + definitions:: + + srange("[0-9]") -> "0123456789" + srange("[a-z]") -> "abcdefghijklmnopqrstuvwxyz" + srange("[a-z$_]") -> "abcdefghijklmnopqrstuvwxyz$_" + + The input string must be enclosed in []'s, and the returned string + is the expanded character set joined into a single string. The + values enclosed in the []'s may be: + + - a single character + - an escaped character with a leading backslash (such as ``\-`` + or ``\]``) + - an escaped hex character with a leading ``'\x'`` + (``\x21``, which is a ``'!'`` character) (``\0x##`` + is also supported for backwards compatibility) + - an escaped octal character with a leading ``'\0'`` + (``\041``, which is a ``'!'`` character) + - a range of any of the above, separated by a dash (``'a-z'``, + etc.) + - any combination of the above (``'aeiouy'``, + ``'a-zA-Z0-9_$'``, etc.) + """ + _expanded = lambda p: p if not isinstance(p,ParseResults) else ''.join(unichr(c) for c in range(ord(p[0]),ord(p[1])+1)) + try: + return "".join(_expanded(part) for part in _reBracketExpr.parseString(s).body) + except Exception: + return "" + +def matchOnlyAtCol(n): + """Helper method for defining parse actions that require matching at + a specific column in the input text. + """ + def verifyCol(strg,locn,toks): + if col(locn,strg) != n: + raise ParseException(strg,locn,"matched token not at column %d" % n) + return verifyCol + +def replaceWith(replStr): + """Helper method for common parse actions that simply return + a literal value. Especially useful when used with + :class:`transformString<ParserElement.transformString>` (). + + Example:: + + num = Word(nums).setParseAction(lambda toks: int(toks[0])) + na = oneOf("N/A NA").setParseAction(replaceWith(math.nan)) + term = na | num + + OneOrMore(term).parseString("324 234 N/A 234") # -> [324, 234, nan, 234] + """ + return lambda s,l,t: [replStr] + +def removeQuotes(s,l,t): + """Helper parse action for removing quotation marks from parsed + quoted strings. + + Example:: + + # by default, quotation marks are included in parsed results + quotedString.parseString("'Now is the Winter of our Discontent'") # -> ["'Now is the Winter of our Discontent'"] + + # use removeQuotes to strip quotation marks from parsed results + quotedString.setParseAction(removeQuotes) + quotedString.parseString("'Now is the Winter of our Discontent'") # -> ["Now is the Winter of our Discontent"] + """ + return t[0][1:-1] + +def tokenMap(func, *args): + """Helper to define a parse action by mapping a function to all + elements of a ParseResults list. If any additional args are passed, + they are forwarded to the given function as additional arguments + after the token, as in + ``hex_integer = Word(hexnums).setParseAction(tokenMap(int, 16))``, + which will convert the parsed data to an integer using base 16. + + Example (compare the last to example in :class:`ParserElement.transformString`:: + + hex_ints = OneOrMore(Word(hexnums)).setParseAction(tokenMap(int, 16)) + hex_ints.runTests(''' + 00 11 22 aa FF 0a 0d 1a + ''') + + upperword = Word(alphas).setParseAction(tokenMap(str.upper)) + OneOrMore(upperword).runTests(''' + my kingdom for a horse + ''') + + wd = Word(alphas).setParseAction(tokenMap(str.title)) + OneOrMore(wd).setParseAction(' '.join).runTests(''' + now is the winter of our discontent made glorious summer by this sun of york + ''') + + prints:: + + 00 11 22 aa FF 0a 0d 1a + [0, 17, 34, 170, 255, 10, 13, 26] + + my kingdom for a horse + ['MY', 'KINGDOM', 'FOR', 'A', 'HORSE'] + + now is the winter of our discontent made glorious summer by this sun of york + ['Now Is The Winter Of Our Discontent Made Glorious Summer By This Sun Of York'] + """ + def pa(s,l,t): + return [func(tokn, *args) for tokn in t] + + try: + func_name = getattr(func, '__name__', + getattr(func, '__class__').__name__) + except Exception: + func_name = str(func) + pa.__name__ = func_name + + return pa + +upcaseTokens = tokenMap(lambda t: _ustr(t).upper()) +"""(Deprecated) Helper parse action to convert tokens to upper case. +Deprecated in favor of :class:`pyparsing_common.upcaseTokens`""" + +downcaseTokens = tokenMap(lambda t: _ustr(t).lower()) +"""(Deprecated) Helper parse action to convert tokens to lower case. +Deprecated in favor of :class:`pyparsing_common.downcaseTokens`""" + +def _makeTags(tagStr, xml): + """Internal helper to construct opening and closing tag expressions, given a tag name""" + if isinstance(tagStr,basestring): + resname = tagStr + tagStr = Keyword(tagStr, caseless=not xml) + else: + resname = tagStr.name + + tagAttrName = Word(alphas,alphanums+"_-:") + if (xml): + tagAttrValue = dblQuotedString.copy().setParseAction( removeQuotes ) + openTag = Suppress("<") + tagStr("tag") + \ + Dict(ZeroOrMore(Group( tagAttrName + Suppress("=") + tagAttrValue ))) + \ + Optional("/",default=[False]).setResultsName("empty").setParseAction(lambda s,l,t:t[0]=='/') + Suppress(">") + else: + printablesLessRAbrack = "".join(c for c in printables if c not in ">") + tagAttrValue = quotedString.copy().setParseAction( removeQuotes ) | Word(printablesLessRAbrack) + openTag = Suppress("<") + tagStr("tag") + \ + Dict(ZeroOrMore(Group( tagAttrName.setParseAction(downcaseTokens) + \ + Optional( Suppress("=") + tagAttrValue ) ))) + \ + Optional("/",default=[False]).setResultsName("empty").setParseAction(lambda s,l,t:t[0]=='/') + Suppress(">") + closeTag = Combine(_L("</") + tagStr + ">") + + openTag = openTag.setResultsName("start"+"".join(resname.replace(":"," ").title().split())).setName("<%s>" % resname) + closeTag = closeTag.setResultsName("end"+"".join(resname.replace(":"," ").title().split())).setName("</%s>" % resname) + openTag.tag = resname + closeTag.tag = resname + return openTag, closeTag + +def makeHTMLTags(tagStr): + """Helper to construct opening and closing tag expressions for HTML, + given a tag name. Matches tags in either upper or lower case, + attributes with namespaces and with quoted or unquoted values. + + Example:: + + text = '<td>More info at the <a href="https://github.com/pyparsing/pyparsing/wiki">pyparsing</a> wiki page</td>' + # makeHTMLTags returns pyparsing expressions for the opening and + # closing tags as a 2-tuple + a,a_end = makeHTMLTags("A") + link_expr = a + SkipTo(a_end)("link_text") + a_end + + for link in link_expr.searchString(text): + # attributes in the <A> tag (like "href" shown here) are + # also accessible as named results + print(link.link_text, '->', link.href) + + prints:: + + pyparsing -> https://github.com/pyparsing/pyparsing/wiki + """ + return _makeTags( tagStr, False ) + +def makeXMLTags(tagStr): + """Helper to construct opening and closing tag expressions for XML, + given a tag name. Matches tags only in the given upper/lower case. + + Example: similar to :class:`makeHTMLTags` + """ + return _makeTags( tagStr, True ) + +def withAttribute(*args,**attrDict): + """Helper to create a validating parse action to be used with start + tags created with :class:`makeXMLTags` or + :class:`makeHTMLTags`. Use ``withAttribute`` to qualify + a starting tag with a required attribute value, to avoid false + matches on common tags such as ``<TD>`` or ``<DIV>``. + + Call ``withAttribute`` with a series of attribute names and + values. Specify the list of filter attributes names and values as: + + - keyword arguments, as in ``(align="right")``, or + - as an explicit dict with ``**`` operator, when an attribute + name is also a Python reserved word, as in ``**{"class":"Customer", "align":"right"}`` + - a list of name-value tuples, as in ``(("ns1:class", "Customer"), ("ns2:align","right"))`` + + For attribute names with a namespace prefix, you must use the second + form. Attribute names are matched insensitive to upper/lower case. + + If just testing for ``class`` (with or without a namespace), use + :class:`withClass`. + + To verify that the attribute exists, but without specifying a value, + pass ``withAttribute.ANY_VALUE`` as the value. + + Example:: + + html = ''' + <div> + Some text + <div type="grid">1 4 0 1 0</div> + <div type="graph">1,3 2,3 1,1</div> + <div>this has no type</div> + </div> + + ''' + div,div_end = makeHTMLTags("div") + + # only match div tag having a type attribute with value "grid" + div_grid = div().setParseAction(withAttribute(type="grid")) + grid_expr = div_grid + SkipTo(div | div_end)("body") + for grid_header in grid_expr.searchString(html): + print(grid_header.body) + + # construct a match with any div tag having a type attribute, regardless of the value + div_any_type = div().setParseAction(withAttribute(type=withAttribute.ANY_VALUE)) + div_expr = div_any_type + SkipTo(div | div_end)("body") + for div_header in div_expr.searchString(html): + print(div_header.body) + + prints:: + + 1 4 0 1 0 + + 1 4 0 1 0 + 1,3 2,3 1,1 + """ + if args: + attrs = args[:] + else: + attrs = attrDict.items() + attrs = [(k,v) for k,v in attrs] + def pa(s,l,tokens): + for attrName,attrValue in attrs: + if attrName not in tokens: + raise ParseException(s,l,"no matching attribute " + attrName) + if attrValue != withAttribute.ANY_VALUE and tokens[attrName] != attrValue: + raise ParseException(s,l,"attribute '%s' has value '%s', must be '%s'" % + (attrName, tokens[attrName], attrValue)) + return pa +withAttribute.ANY_VALUE = object() + +def withClass(classname, namespace=''): + """Simplified version of :class:`withAttribute` when + matching on a div class - made difficult because ``class`` is + a reserved word in Python. + + Example:: + + html = ''' + <div> + Some text + <div class="grid">1 4 0 1 0</div> + <div class="graph">1,3 2,3 1,1</div> + <div>this <div> has no class</div> + </div> + + ''' + div,div_end = makeHTMLTags("div") + div_grid = div().setParseAction(withClass("grid")) + + grid_expr = div_grid + SkipTo(div | div_end)("body") + for grid_header in grid_expr.searchString(html): + print(grid_header.body) + + div_any_type = div().setParseAction(withClass(withAttribute.ANY_VALUE)) + div_expr = div_any_type + SkipTo(div | div_end)("body") + for div_header in div_expr.searchString(html): + print(div_header.body) + + prints:: + + 1 4 0 1 0 + + 1 4 0 1 0 + 1,3 2,3 1,1 + """ + classattr = "%s:class" % namespace if namespace else "class" + return withAttribute(**{classattr : classname}) + +opAssoc = SimpleNamespace() +opAssoc.LEFT = object() +opAssoc.RIGHT = object() + +def infixNotation( baseExpr, opList, lpar=Suppress('('), rpar=Suppress(')') ): + """Helper method for constructing grammars of expressions made up of + operators working in a precedence hierarchy. Operators may be unary + or binary, left- or right-associative. Parse actions can also be + attached to operator expressions. The generated parser will also + recognize the use of parentheses to override operator precedences + (see example below). + + Note: if you define a deep operator list, you may see performance + issues when using infixNotation. See + :class:`ParserElement.enablePackrat` for a mechanism to potentially + improve your parser performance. + + Parameters: + - baseExpr - expression representing the most basic element for the + nested + - opList - list of tuples, one for each operator precedence level + in the expression grammar; each tuple is of the form ``(opExpr, + numTerms, rightLeftAssoc, parseAction)``, where: + + - opExpr is the pyparsing expression for the operator; may also + be a string, which will be converted to a Literal; if numTerms + is 3, opExpr is a tuple of two expressions, for the two + operators separating the 3 terms + - numTerms is the number of terms for this operator (must be 1, + 2, or 3) + - rightLeftAssoc is the indicator whether the operator is right + or left associative, using the pyparsing-defined constants + ``opAssoc.RIGHT`` and ``opAssoc.LEFT``. + - parseAction is the parse action to be associated with + expressions matching this operator expression (the parse action + tuple member may be omitted); if the parse action is passed + a tuple or list of functions, this is equivalent to calling + ``setParseAction(*fn)`` + (:class:`ParserElement.setParseAction`) + - lpar - expression for matching left-parentheses + (default= ``Suppress('(')``) + - rpar - expression for matching right-parentheses + (default= ``Suppress(')')``) + + Example:: + + # simple example of four-function arithmetic with ints and + # variable names + integer = pyparsing_common.signed_integer + varname = pyparsing_common.identifier + + arith_expr = infixNotation(integer | varname, + [ + ('-', 1, opAssoc.RIGHT), + (oneOf('* /'), 2, opAssoc.LEFT), + (oneOf('+ -'), 2, opAssoc.LEFT), + ]) + + arith_expr.runTests(''' + 5+3*6 + (5+3)*6 + -2--11 + ''', fullDump=False) + + prints:: + + 5+3*6 + [[5, '+', [3, '*', 6]]] + + (5+3)*6 + [[[5, '+', 3], '*', 6]] + + -2--11 + [[['-', 2], '-', ['-', 11]]] + """ + # captive version of FollowedBy that does not do parse actions or capture results names + class _FB(FollowedBy): + def parseImpl(self, instring, loc, doActions=True): + self.expr.tryParse(instring, loc) + return loc, [] + + ret = Forward() + lastExpr = baseExpr | ( lpar + ret + rpar ) + for i,operDef in enumerate(opList): + opExpr,arity,rightLeftAssoc,pa = (operDef + (None,))[:4] + termName = "%s term" % opExpr if arity < 3 else "%s%s term" % opExpr + if arity == 3: + if opExpr is None or len(opExpr) != 2: + raise ValueError( + "if numterms=3, opExpr must be a tuple or list of two expressions") + opExpr1, opExpr2 = opExpr + thisExpr = Forward().setName(termName) + if rightLeftAssoc == opAssoc.LEFT: + if arity == 1: + matchExpr = _FB(lastExpr + opExpr) + Group( lastExpr + OneOrMore( opExpr ) ) + elif arity == 2: + if opExpr is not None: + matchExpr = _FB(lastExpr + opExpr + lastExpr) + Group( lastExpr + OneOrMore( opExpr + lastExpr ) ) + else: + matchExpr = _FB(lastExpr+lastExpr) + Group( lastExpr + OneOrMore(lastExpr) ) + elif arity == 3: + matchExpr = _FB(lastExpr + opExpr1 + lastExpr + opExpr2 + lastExpr) + \ + Group( lastExpr + opExpr1 + lastExpr + opExpr2 + lastExpr ) + else: + raise ValueError("operator must be unary (1), binary (2), or ternary (3)") + elif rightLeftAssoc == opAssoc.RIGHT: + if arity == 1: + # try to avoid LR with this extra test + if not isinstance(opExpr, Optional): + opExpr = Optional(opExpr) + matchExpr = _FB(opExpr.expr + thisExpr) + Group( opExpr + thisExpr ) + elif arity == 2: + if opExpr is not None: + matchExpr = _FB(lastExpr + opExpr + thisExpr) + Group( lastExpr + OneOrMore( opExpr + thisExpr ) ) + else: + matchExpr = _FB(lastExpr + thisExpr) + Group( lastExpr + OneOrMore( thisExpr ) ) + elif arity == 3: + matchExpr = _FB(lastExpr + opExpr1 + thisExpr + opExpr2 + thisExpr) + \ + Group( lastExpr + opExpr1 + thisExpr + opExpr2 + thisExpr ) + else: + raise ValueError("operator must be unary (1), binary (2), or ternary (3)") + else: + raise ValueError("operator must indicate right or left associativity") + if pa: + if isinstance(pa, (tuple, list)): + matchExpr.setParseAction(*pa) + else: + matchExpr.setParseAction(pa) + thisExpr <<= ( matchExpr.setName(termName) | lastExpr ) + lastExpr = thisExpr + ret <<= lastExpr + return ret + +operatorPrecedence = infixNotation +"""(Deprecated) Former name of :class:`infixNotation`, will be +dropped in a future release.""" + +dblQuotedString = Combine(Regex(r'"(?:[^"\n\r\\]|(?:"")|(?:\\(?:[^x]|x[0-9a-fA-F]+)))*')+'"').setName("string enclosed in double quotes") +sglQuotedString = Combine(Regex(r"'(?:[^'\n\r\\]|(?:'')|(?:\\(?:[^x]|x[0-9a-fA-F]+)))*")+"'").setName("string enclosed in single quotes") +quotedString = Combine(Regex(r'"(?:[^"\n\r\\]|(?:"")|(?:\\(?:[^x]|x[0-9a-fA-F]+)))*')+'"'| + Regex(r"'(?:[^'\n\r\\]|(?:'')|(?:\\(?:[^x]|x[0-9a-fA-F]+)))*")+"'").setName("quotedString using single or double quotes") +unicodeString = Combine(_L('u') + quotedString.copy()).setName("unicode string literal") + +def nestedExpr(opener="(", closer=")", content=None, ignoreExpr=quotedString.copy()): + """Helper method for defining nested lists enclosed in opening and + closing delimiters ("(" and ")" are the default). + + Parameters: + - opener - opening character for a nested list + (default= ``"("``); can also be a pyparsing expression + - closer - closing character for a nested list + (default= ``")"``); can also be a pyparsing expression + - content - expression for items within the nested lists + (default= ``None``) + - ignoreExpr - expression for ignoring opening and closing + delimiters (default= :class:`quotedString`) + + If an expression is not provided for the content argument, the + nested expression will capture all whitespace-delimited content + between delimiters as a list of separate values. + + Use the ``ignoreExpr`` argument to define expressions that may + contain opening or closing characters that should not be treated as + opening or closing characters for nesting, such as quotedString or + a comment expression. Specify multiple expressions using an + :class:`Or` or :class:`MatchFirst`. The default is + :class:`quotedString`, but if no expressions are to be ignored, then + pass ``None`` for this argument. + + Example:: + + data_type = oneOf("void int short long char float double") + decl_data_type = Combine(data_type + Optional(Word('*'))) + ident = Word(alphas+'_', alphanums+'_') + number = pyparsing_common.number + arg = Group(decl_data_type + ident) + LPAR,RPAR = map(Suppress, "()") + + code_body = nestedExpr('{', '}', ignoreExpr=(quotedString | cStyleComment)) + + c_function = (decl_data_type("type") + + ident("name") + + LPAR + Optional(delimitedList(arg), [])("args") + RPAR + + code_body("body")) + c_function.ignore(cStyleComment) + + source_code = ''' + int is_odd(int x) { + return (x%2); + } + + int dec_to_hex(char hchar) { + if (hchar >= '0' && hchar <= '9') { + return (ord(hchar)-ord('0')); + } else { + return (10+ord(hchar)-ord('A')); + } + } + ''' + for func in c_function.searchString(source_code): + print("%(name)s (%(type)s) args: %(args)s" % func) + + + prints:: + + is_odd (int) args: [['int', 'x']] + dec_to_hex (int) args: [['char', 'hchar']] + """ + if opener == closer: + raise ValueError("opening and closing strings cannot be the same") + if content is None: + if isinstance(opener,basestring) and isinstance(closer,basestring): + if len(opener) == 1 and len(closer)==1: + if ignoreExpr is not None: + content = (Combine(OneOrMore(~ignoreExpr + + CharsNotIn(opener+closer+ParserElement.DEFAULT_WHITE_CHARS,exact=1)) + ).setParseAction(lambda t:t[0].strip())) + else: + content = (empty.copy()+CharsNotIn(opener+closer+ParserElement.DEFAULT_WHITE_CHARS + ).setParseAction(lambda t:t[0].strip())) + else: + if ignoreExpr is not None: + content = (Combine(OneOrMore(~ignoreExpr + + ~Literal(opener) + ~Literal(closer) + + CharsNotIn(ParserElement.DEFAULT_WHITE_CHARS,exact=1)) + ).setParseAction(lambda t:t[0].strip())) + else: + content = (Combine(OneOrMore(~Literal(opener) + ~Literal(closer) + + CharsNotIn(ParserElement.DEFAULT_WHITE_CHARS,exact=1)) + ).setParseAction(lambda t:t[0].strip())) + else: + raise ValueError("opening and closing arguments must be strings if no content expression is given") + ret = Forward() + if ignoreExpr is not None: + ret <<= Group( Suppress(opener) + ZeroOrMore( ignoreExpr | ret | content ) + Suppress(closer) ) + else: + ret <<= Group( Suppress(opener) + ZeroOrMore( ret | content ) + Suppress(closer) ) + ret.setName('nested %s%s expression' % (opener,closer)) + return ret + +def indentedBlock(blockStatementExpr, indentStack, indent=True): + """Helper method for defining space-delimited indentation blocks, + such as those used to define block statements in Python source code. + + Parameters: + + - blockStatementExpr - expression defining syntax of statement that + is repeated within the indented block + - indentStack - list created by caller to manage indentation stack + (multiple statementWithIndentedBlock expressions within a single + grammar should share a common indentStack) + - indent - boolean indicating whether block must be indented beyond + the the current level; set to False for block of left-most + statements (default= ``True``) + + A valid block must contain at least one ``blockStatement``. + + Example:: + + data = ''' + def A(z): + A1 + B = 100 + G = A2 + A2 + A3 + B + def BB(a,b,c): + BB1 + def BBA(): + bba1 + bba2 + bba3 + C + D + def spam(x,y): + def eggs(z): + pass + ''' + + + indentStack = [1] + stmt = Forward() + + identifier = Word(alphas, alphanums) + funcDecl = ("def" + identifier + Group( "(" + Optional( delimitedList(identifier) ) + ")" ) + ":") + func_body = indentedBlock(stmt, indentStack) + funcDef = Group( funcDecl + func_body ) + + rvalue = Forward() + funcCall = Group(identifier + "(" + Optional(delimitedList(rvalue)) + ")") + rvalue << (funcCall | identifier | Word(nums)) + assignment = Group(identifier + "=" + rvalue) + stmt << ( funcDef | assignment | identifier ) + + module_body = OneOrMore(stmt) + + parseTree = module_body.parseString(data) + parseTree.pprint() + + prints:: + + [['def', + 'A', + ['(', 'z', ')'], + ':', + [['A1'], [['B', '=', '100']], [['G', '=', 'A2']], ['A2'], ['A3']]], + 'B', + ['def', + 'BB', + ['(', 'a', 'b', 'c', ')'], + ':', + [['BB1'], [['def', 'BBA', ['(', ')'], ':', [['bba1'], ['bba2'], ['bba3']]]]]], + 'C', + 'D', + ['def', + 'spam', + ['(', 'x', 'y', ')'], + ':', + [[['def', 'eggs', ['(', 'z', ')'], ':', [['pass']]]]]]] + """ + def checkPeerIndent(s,l,t): + if l >= len(s): return + curCol = col(l,s) + if curCol != indentStack[-1]: + if curCol > indentStack[-1]: + raise ParseFatalException(s,l,"illegal nesting") + raise ParseException(s,l,"not a peer entry") + + def checkSubIndent(s,l,t): + curCol = col(l,s) + if curCol > indentStack[-1]: + indentStack.append( curCol ) + else: + raise ParseException(s,l,"not a subentry") + + def checkUnindent(s,l,t): + if l >= len(s): return + curCol = col(l,s) + if not(indentStack and curCol < indentStack[-1] and curCol <= indentStack[-2]): + raise ParseException(s,l,"not an unindent") + indentStack.pop() + + NL = OneOrMore(LineEnd().setWhitespaceChars("\t ").suppress()) + INDENT = (Empty() + Empty().setParseAction(checkSubIndent)).setName('INDENT') + PEER = Empty().setParseAction(checkPeerIndent).setName('') + UNDENT = Empty().setParseAction(checkUnindent).setName('UNINDENT') + if indent: + smExpr = Group( Optional(NL) + + #~ FollowedBy(blockStatementExpr) + + INDENT + (OneOrMore( PEER + Group(blockStatementExpr) + Optional(NL) )) + UNDENT) + else: + smExpr = Group( Optional(NL) + + (OneOrMore( PEER + Group(blockStatementExpr) + Optional(NL) )) ) + blockStatementExpr.ignore(_bslash + LineEnd()) + return smExpr.setName('indented block') + +alphas8bit = srange(r"[\0xc0-\0xd6\0xd8-\0xf6\0xf8-\0xff]") +punc8bit = srange(r"[\0xa1-\0xbf\0xd7\0xf7]") + +anyOpenTag,anyCloseTag = makeHTMLTags(Word(alphas,alphanums+"_:").setName('any tag')) +_htmlEntityMap = dict(zip("gt lt amp nbsp quot apos".split(),'><& "\'')) +commonHTMLEntity = Regex('&(?P<entity>' + '|'.join(_htmlEntityMap.keys()) +");").setName("common HTML entity") +def replaceHTMLEntity(t): + """Helper parser action to replace common HTML entities with their special characters""" + return _htmlEntityMap.get(t.entity) + +# it's easy to get these comment structures wrong - they're very common, so may as well make them available +cStyleComment = Combine(Regex(r"/\*(?:[^*]|\*(?!/))*") + '*/').setName("C style comment") +"Comment of the form ``/* ... */``" + +htmlComment = Regex(r"<!--[\s\S]*?-->").setName("HTML comment") +"Comment of the form ``<!-- ... -->``" + +restOfLine = Regex(r".*").leaveWhitespace().setName("rest of line") +dblSlashComment = Regex(r"//(?:\\\n|[^\n])*").setName("// comment") +"Comment of the form ``// ... (to end of line)``" + +cppStyleComment = Combine(Regex(r"/\*(?:[^*]|\*(?!/))*") + '*/'| dblSlashComment).setName("C++ style comment") +"Comment of either form :class:`cStyleComment` or :class:`dblSlashComment`" + +javaStyleComment = cppStyleComment +"Same as :class:`cppStyleComment`" + +pythonStyleComment = Regex(r"#.*").setName("Python style comment") +"Comment of the form ``# ... (to end of line)``" + +_commasepitem = Combine(OneOrMore(Word(printables, excludeChars=',') + + Optional( Word(" \t") + + ~Literal(",") + ~LineEnd() ) ) ).streamline().setName("commaItem") +commaSeparatedList = delimitedList( Optional( quotedString.copy() | _commasepitem, default="") ).setName("commaSeparatedList") +"""(Deprecated) Predefined expression of 1 or more printable words or +quoted strings, separated by commas. + +This expression is deprecated in favor of :class:`pyparsing_common.comma_separated_list`. +""" + +# some other useful expressions - using lower-case class name since we are really using this as a namespace +class pyparsing_common: + """Here are some common low-level expressions that may be useful in + jump-starting parser development: + + - numeric forms (:class:`integers<integer>`, :class:`reals<real>`, + :class:`scientific notation<sci_real>`) + - common :class:`programming identifiers<identifier>` + - network addresses (:class:`MAC<mac_address>`, + :class:`IPv4<ipv4_address>`, :class:`IPv6<ipv6_address>`) + - ISO8601 :class:`dates<iso8601_date>` and + :class:`datetime<iso8601_datetime>` + - :class:`UUID<uuid>` + - :class:`comma-separated list<comma_separated_list>` + + Parse actions: + + - :class:`convertToInteger` + - :class:`convertToFloat` + - :class:`convertToDate` + - :class:`convertToDatetime` + - :class:`stripHTMLTags` + - :class:`upcaseTokens` + - :class:`downcaseTokens` + + Example:: + + pyparsing_common.number.runTests(''' + # any int or real number, returned as the appropriate type + 100 + -100 + +100 + 3.14159 + 6.02e23 + 1e-12 + ''') + + pyparsing_common.fnumber.runTests(''' + # any int or real number, returned as float + 100 + -100 + +100 + 3.14159 + 6.02e23 + 1e-12 + ''') + + pyparsing_common.hex_integer.runTests(''' + # hex numbers + 100 + FF + ''') + + pyparsing_common.fraction.runTests(''' + # fractions + 1/2 + -3/4 + ''') + + pyparsing_common.mixed_integer.runTests(''' + # mixed fractions + 1 + 1/2 + -3/4 + 1-3/4 + ''') + + import uuid + pyparsing_common.uuid.setParseAction(tokenMap(uuid.UUID)) + pyparsing_common.uuid.runTests(''' + # uuid + 12345678-1234-5678-1234-567812345678 + ''') + + prints:: + + # any int or real number, returned as the appropriate type + 100 + [100] + + -100 + [-100] + + +100 + [100] + + 3.14159 + [3.14159] + + 6.02e23 + [6.02e+23] + + 1e-12 + [1e-12] + + # any int or real number, returned as float + 100 + [100.0] + + -100 + [-100.0] + + +100 + [100.0] + + 3.14159 + [3.14159] + + 6.02e23 + [6.02e+23] + + 1e-12 + [1e-12] + + # hex numbers + 100 + [256] + + FF + [255] + + # fractions + 1/2 + [0.5] + + -3/4 + [-0.75] + + # mixed fractions + 1 + [1] + + 1/2 + [0.5] + + -3/4 + [-0.75] + + 1-3/4 + [1.75] + + # uuid + 12345678-1234-5678-1234-567812345678 + [UUID('12345678-1234-5678-1234-567812345678')] + """ + + convertToInteger = tokenMap(int) + """ + Parse action for converting parsed integers to Python int + """ + + convertToFloat = tokenMap(float) + """ + Parse action for converting parsed numbers to Python float + """ + + integer = Word(nums).setName("integer").setParseAction(convertToInteger) + """expression that parses an unsigned integer, returns an int""" + + hex_integer = Word(hexnums).setName("hex integer").setParseAction(tokenMap(int,16)) + """expression that parses a hexadecimal integer, returns an int""" + + signed_integer = Regex(r'[+-]?\d+').setName("signed integer").setParseAction(convertToInteger) + """expression that parses an integer with optional leading sign, returns an int""" + + fraction = (signed_integer().setParseAction(convertToFloat) + '/' + signed_integer().setParseAction(convertToFloat)).setName("fraction") + """fractional expression of an integer divided by an integer, returns a float""" + fraction.addParseAction(lambda t: t[0]/t[-1]) + + mixed_integer = (fraction | signed_integer + Optional(Optional('-').suppress() + fraction)).setName("fraction or mixed integer-fraction") + """mixed integer of the form 'integer - fraction', with optional leading integer, returns float""" + mixed_integer.addParseAction(sum) + + real = Regex(r'[+-]?\d+\.\d*').setName("real number").setParseAction(convertToFloat) + """expression that parses a floating point number and returns a float""" + + sci_real = Regex(r'[+-]?\d+([eE][+-]?\d+|\.\d*([eE][+-]?\d+)?)').setName("real number with scientific notation").setParseAction(convertToFloat) + """expression that parses a floating point number with optional + scientific notation and returns a float""" + + # streamlining this expression makes the docs nicer-looking + number = (sci_real | real | signed_integer).streamline() + """any numeric expression, returns the corresponding Python type""" + + fnumber = Regex(r'[+-]?\d+\.?\d*([eE][+-]?\d+)?').setName("fnumber").setParseAction(convertToFloat) + """any int or real number, returned as float""" + + identifier = Word(alphas+'_', alphanums+'_').setName("identifier") + """typical code identifier (leading alpha or '_', followed by 0 or more alphas, nums, or '_')""" + + ipv4_address = Regex(r'(25[0-5]|2[0-4][0-9]|1?[0-9]{1,2})(\.(25[0-5]|2[0-4][0-9]|1?[0-9]{1,2})){3}').setName("IPv4 address") + "IPv4 address (``0.0.0.0 - 255.255.255.255``)" + + _ipv6_part = Regex(r'[0-9a-fA-F]{1,4}').setName("hex_integer") + _full_ipv6_address = (_ipv6_part + (':' + _ipv6_part)*7).setName("full IPv6 address") + _short_ipv6_address = (Optional(_ipv6_part + (':' + _ipv6_part)*(0,6)) + "::" + Optional(_ipv6_part + (':' + _ipv6_part)*(0,6))).setName("short IPv6 address") + _short_ipv6_address.addCondition(lambda t: sum(1 for tt in t if pyparsing_common._ipv6_part.matches(tt)) < 8) + _mixed_ipv6_address = ("::ffff:" + ipv4_address).setName("mixed IPv6 address") + ipv6_address = Combine((_full_ipv6_address | _mixed_ipv6_address | _short_ipv6_address).setName("IPv6 address")).setName("IPv6 address") + "IPv6 address (long, short, or mixed form)" + + mac_address = Regex(r'[0-9a-fA-F]{2}([:.-])[0-9a-fA-F]{2}(?:\1[0-9a-fA-F]{2}){4}').setName("MAC address") + "MAC address xx:xx:xx:xx:xx (may also have '-' or '.' delimiters)" + + @staticmethod + def convertToDate(fmt="%Y-%m-%d"): + """ + Helper to create a parse action for converting parsed date string to Python datetime.date + + Params - + - fmt - format to be passed to datetime.strptime (default= ``"%Y-%m-%d"``) + + Example:: + + date_expr = pyparsing_common.iso8601_date.copy() + date_expr.setParseAction(pyparsing_common.convertToDate()) + print(date_expr.parseString("1999-12-31")) + + prints:: + + [datetime.date(1999, 12, 31)] + """ + def cvt_fn(s,l,t): + try: + return datetime.strptime(t[0], fmt).date() + except ValueError as ve: + raise ParseException(s, l, str(ve)) + return cvt_fn + + @staticmethod + def convertToDatetime(fmt="%Y-%m-%dT%H:%M:%S.%f"): + """Helper to create a parse action for converting parsed + datetime string to Python datetime.datetime + + Params - + - fmt - format to be passed to datetime.strptime (default= ``"%Y-%m-%dT%H:%M:%S.%f"``) + + Example:: + + dt_expr = pyparsing_common.iso8601_datetime.copy() + dt_expr.setParseAction(pyparsing_common.convertToDatetime()) + print(dt_expr.parseString("1999-12-31T23:59:59.999")) + + prints:: + + [datetime.datetime(1999, 12, 31, 23, 59, 59, 999000)] + """ + def cvt_fn(s,l,t): + try: + return datetime.strptime(t[0], fmt) + except ValueError as ve: + raise ParseException(s, l, str(ve)) + return cvt_fn + + iso8601_date = Regex(r'(?P<year>\d{4})(?:-(?P<month>\d\d)(?:-(?P<day>\d\d))?)?').setName("ISO8601 date") + "ISO8601 date (``yyyy-mm-dd``)" + + iso8601_datetime = Regex(r'(?P<year>\d{4})-(?P<month>\d\d)-(?P<day>\d\d)[T ](?P<hour>\d\d):(?P<minute>\d\d)(:(?P<second>\d\d(\.\d*)?)?)?(?P<tz>Z|[+-]\d\d:?\d\d)?').setName("ISO8601 datetime") + "ISO8601 datetime (``yyyy-mm-ddThh:mm:ss.s(Z|+-00:00)``) - trailing seconds, milliseconds, and timezone optional; accepts separating ``'T'`` or ``' '``" + + uuid = Regex(r'[0-9a-fA-F]{8}(-[0-9a-fA-F]{4}){3}-[0-9a-fA-F]{12}').setName("UUID") + "UUID (``xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx``)" + + _html_stripper = anyOpenTag.suppress() | anyCloseTag.suppress() + @staticmethod + def stripHTMLTags(s, l, tokens): + """Parse action to remove HTML tags from web page HTML source + + Example:: + + # strip HTML links from normal text + text = '<td>More info at the <a href="https://github.com/pyparsing/pyparsing/wiki">pyparsing</a> wiki page</td>' + td,td_end = makeHTMLTags("TD") + table_text = td + SkipTo(td_end).setParseAction(pyparsing_common.stripHTMLTags)("body") + td_end + print(table_text.parseString(text).body) + + Prints:: + + More info at the pyparsing wiki page + """ + return pyparsing_common._html_stripper.transformString(tokens[0]) + + _commasepitem = Combine(OneOrMore(~Literal(",") + ~LineEnd() + Word(printables, excludeChars=',') + + Optional( White(" \t") ) ) ).streamline().setName("commaItem") + comma_separated_list = delimitedList( Optional( quotedString.copy() | _commasepitem, default="") ).setName("comma separated list") + """Predefined expression of 1 or more printable words or quoted strings, separated by commas.""" + + upcaseTokens = staticmethod(tokenMap(lambda t: _ustr(t).upper())) + """Parse action to convert tokens to upper case.""" + + downcaseTokens = staticmethod(tokenMap(lambda t: _ustr(t).lower())) + """Parse action to convert tokens to lower case.""" + + +class _lazyclassproperty(object): + def __init__(self, fn): + self.fn = fn + self.__doc__ = fn.__doc__ + self.__name__ = fn.__name__ + + def __get__(self, obj, cls): + if cls is None: + cls = type(obj) + if not hasattr(cls, '_intern') or any(cls._intern is getattr(superclass, '_intern', []) for superclass in cls.__mro__[1:]): + cls._intern = {} + attrname = self.fn.__name__ + if attrname not in cls._intern: + cls._intern[attrname] = self.fn(cls) + return cls._intern[attrname] + + +class unicode_set(object): + """ + A set of Unicode characters, for language-specific strings for + ``alphas``, ``nums``, ``alphanums``, and ``printables``. + A unicode_set is defined by a list of ranges in the Unicode character + set, in a class attribute ``_ranges``, such as:: + + _ranges = [(0x0020, 0x007e), (0x00a0, 0x00ff),] + + A unicode set can also be defined using multiple inheritance of other unicode sets:: + + class CJK(Chinese, Japanese, Korean): + pass + """ + _ranges = [] + + @classmethod + def _get_chars_for_ranges(cls): + ret = [] + for cc in cls.__mro__: + if cc is unicode_set: + break + for rr in cc._ranges: + ret.extend(range(rr[0], rr[-1]+1)) + return [unichr(c) for c in sorted(set(ret))] + + @_lazyclassproperty + def printables(cls): + "all non-whitespace characters in this range" + return u''.join(filterfalse(unicode.isspace, cls._get_chars_for_ranges())) + + @_lazyclassproperty + def alphas(cls): + "all alphabetic characters in this range" + return u''.join(filter(unicode.isalpha, cls._get_chars_for_ranges())) + + @_lazyclassproperty + def nums(cls): + "all numeric digit characters in this range" + return u''.join(filter(unicode.isdigit, cls._get_chars_for_ranges())) + + @_lazyclassproperty + def alphanums(cls): + "all alphanumeric characters in this range" + return cls.alphas + cls.nums + + +class pyparsing_unicode(unicode_set): + """ + A namespace class for defining common language unicode_sets. + """ + _ranges = [(32, sys.maxunicode)] + + class Latin1(unicode_set): + "Unicode set for Latin-1 Unicode Character Range" + _ranges = [(0x0020, 0x007e), (0x00a0, 0x00ff),] + + class LatinA(unicode_set): + "Unicode set for Latin-A Unicode Character Range" + _ranges = [(0x0100, 0x017f),] + + class LatinB(unicode_set): + "Unicode set for Latin-B Unicode Character Range" + _ranges = [(0x0180, 0x024f),] + + class Greek(unicode_set): + "Unicode set for Greek Unicode Character Ranges" + _ranges = [ + (0x0370, 0x03ff), (0x1f00, 0x1f15), (0x1f18, 0x1f1d), (0x1f20, 0x1f45), (0x1f48, 0x1f4d), + (0x1f50, 0x1f57), (0x1f59,), (0x1f5b,), (0x1f5d,), (0x1f5f, 0x1f7d), (0x1f80, 0x1fb4), (0x1fb6, 0x1fc4), + (0x1fc6, 0x1fd3), (0x1fd6, 0x1fdb), (0x1fdd, 0x1fef), (0x1ff2, 0x1ff4), (0x1ff6, 0x1ffe), + ] + + class Cyrillic(unicode_set): + "Unicode set for Cyrillic Unicode Character Range" + _ranges = [(0x0400, 0x04ff)] + + class Chinese(unicode_set): + "Unicode set for Chinese Unicode Character Range" + _ranges = [(0x4e00, 0x9fff), (0x3000, 0x303f), ] + + class Japanese(unicode_set): + "Unicode set for Japanese Unicode Character Range, combining Kanji, Hiragana, and Katakana ranges" + _ranges = [ ] + + class Kanji(unicode_set): + "Unicode set for Kanji Unicode Character Range" + _ranges = [(0x4E00, 0x9Fbf), (0x3000, 0x303f), ] + + class Hiragana(unicode_set): + "Unicode set for Hiragana Unicode Character Range" + _ranges = [(0x3040, 0x309f), ] + + class Katakana(unicode_set): + "Unicode set for Katakana Unicode Character Range" + _ranges = [(0x30a0, 0x30ff), ] + + class Korean(unicode_set): + "Unicode set for Korean Unicode Character Range" + _ranges = [(0xac00, 0xd7af), (0x1100, 0x11ff), (0x3130, 0x318f), (0xa960, 0xa97f), (0xd7b0, 0xd7ff), (0x3000, 0x303f), ] + + class CJK(Chinese, Japanese, Korean): + "Unicode set for combined Chinese, Japanese, and Korean (CJK) Unicode Character Range" + pass + + class Thai(unicode_set): + "Unicode set for Thai Unicode Character Range" + _ranges = [(0x0e01, 0x0e3a), (0x0e3f, 0x0e5b), ] + + class Arabic(unicode_set): + "Unicode set for Arabic Unicode Character Range" + _ranges = [(0x0600, 0x061b), (0x061e, 0x06ff), (0x0700, 0x077f), ] + + class Hebrew(unicode_set): + "Unicode set for Hebrew Unicode Character Range" + _ranges = [(0x0590, 0x05ff), ] + + class Devanagari(unicode_set): + "Unicode set for Devanagari Unicode Character Range" + _ranges = [(0x0900, 0x097f), (0xa8e0, 0xa8ff)] + +pyparsing_unicode.Japanese._ranges = (pyparsing_unicode.Japanese.Kanji._ranges + + pyparsing_unicode.Japanese.Hiragana._ranges + + pyparsing_unicode.Japanese.Katakana._ranges) + +# define ranges in language character sets +if PY_3: + setattr(pyparsing_unicode, "العربية", pyparsing_unicode.Arabic) + setattr(pyparsing_unicode, "中文", pyparsing_unicode.Chinese) + setattr(pyparsing_unicode, "кириллица", pyparsing_unicode.Cyrillic) + setattr(pyparsing_unicode, "Ελληνικά", pyparsing_unicode.Greek) + setattr(pyparsing_unicode, "עִברִית", pyparsing_unicode.Hebrew) + setattr(pyparsing_unicode, "日本語", pyparsing_unicode.Japanese) + setattr(pyparsing_unicode.Japanese, "漢字", pyparsing_unicode.Japanese.Kanji) + setattr(pyparsing_unicode.Japanese, "カタカナ", pyparsing_unicode.Japanese.Katakana) + setattr(pyparsing_unicode.Japanese, "ひらがな", pyparsing_unicode.Japanese.Hiragana) + setattr(pyparsing_unicode, "한국어", pyparsing_unicode.Korean) + setattr(pyparsing_unicode, "ไทย", pyparsing_unicode.Thai) + setattr(pyparsing_unicode, "देवनागरी", pyparsing_unicode.Devanagari) + + +if __name__ == "__main__": + + selectToken = CaselessLiteral("select") + fromToken = CaselessLiteral("from") + + ident = Word(alphas, alphanums + "_$") + + columnName = delimitedList(ident, ".", combine=True).setParseAction(upcaseTokens) + columnNameList = Group(delimitedList(columnName)).setName("columns") + columnSpec = ('*' | columnNameList) + + tableName = delimitedList(ident, ".", combine=True).setParseAction(upcaseTokens) + tableNameList = Group(delimitedList(tableName)).setName("tables") + + simpleSQL = selectToken("command") + columnSpec("columns") + fromToken + tableNameList("tables") + + # demo runTests method, including embedded comments in test string + simpleSQL.runTests(""" + # '*' as column list and dotted table name + select * from SYS.XYZZY + + # caseless match on "SELECT", and casts back to "select" + SELECT * from XYZZY, ABC + + # list of column names, and mixed case SELECT keyword + Select AA,BB,CC from Sys.dual + + # multiple tables + Select A, B, C from Sys.dual, Table2 + + # invalid SELECT keyword - should fail + Xelect A, B, C from Sys.dual + + # incomplete command - should fail + Select + + # invalid column name - should fail + Select ^^^ frox Sys.dual + + """) + + pyparsing_common.number.runTests(""" + 100 + -100 + +100 + 3.14159 + 6.02e23 + 1e-12 + """) + + # any int or real number, returned as float + pyparsing_common.fnumber.runTests(""" + 100 + -100 + +100 + 3.14159 + 6.02e23 + 1e-12 + """) + + pyparsing_common.hex_integer.runTests(""" + 100 + FF + """) + + import uuid + pyparsing_common.uuid.setParseAction(tokenMap(uuid.UUID)) + pyparsing_common.uuid.runTests(""" + 12345678-1234-5678-1234-567812345678 + """) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/__init__.py new file mode 100644 index 0000000..8ed060f --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/__init__.py @@ -0,0 +1,4 @@ +from .core import TomlError +from .parser import load, loads +from .test import translate_to_test +from .writer import dump, dumps \ No newline at end of file diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/core.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/core.py new file mode 100644 index 0000000..c182734 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/core.py @@ -0,0 +1,13 @@ +class TomlError(RuntimeError): + def __init__(self, message, line, col, filename): + RuntimeError.__init__(self, message, line, col, filename) + self.message = message + self.line = line + self.col = col + self.filename = filename + + def __str__(self): + return '{}({}, {}): {}'.format(self.filename, self.line, self.col, self.message) + + def __repr__(self): + return 'TomlError({!r}, {!r}, {!r}, {!r})'.format(self.message, self.line, self.col, self.filename) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/parser.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/parser.py new file mode 100644 index 0000000..3493aa6 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/parser.py @@ -0,0 +1,341 @@ +import string, re, sys, datetime +from .core import TomlError +from .utils import rfc3339_re, parse_rfc3339_re + +if sys.version_info[0] == 2: + _chr = unichr +else: + _chr = chr + +def load(fin, translate=lambda t, x, v: v, object_pairs_hook=dict): + return loads(fin.read(), translate=translate, object_pairs_hook=object_pairs_hook, filename=getattr(fin, 'name', repr(fin))) + +def loads(s, filename='<string>', translate=lambda t, x, v: v, object_pairs_hook=dict): + if isinstance(s, bytes): + s = s.decode('utf-8') + + s = s.replace('\r\n', '\n') + + root = object_pairs_hook() + tables = object_pairs_hook() + scope = root + + src = _Source(s, filename=filename) + ast = _p_toml(src, object_pairs_hook=object_pairs_hook) + + def error(msg): + raise TomlError(msg, pos[0], pos[1], filename) + + def process_value(v, object_pairs_hook): + kind, text, value, pos = v + if kind == 'str' and value.startswith('\n'): + value = value[1:] + if kind == 'array': + if value and any(k != value[0][0] for k, t, v, p in value[1:]): + error('array-type-mismatch') + value = [process_value(item, object_pairs_hook=object_pairs_hook) for item in value] + elif kind == 'table': + value = object_pairs_hook([(k, process_value(value[k], object_pairs_hook=object_pairs_hook)) for k in value]) + return translate(kind, text, value) + + for kind, value, pos in ast: + if kind == 'kv': + k, v = value + if k in scope: + error('duplicate_keys. Key "{0}" was used more than once.'.format(k)) + scope[k] = process_value(v, object_pairs_hook=object_pairs_hook) + else: + is_table_array = (kind == 'table_array') + cur = tables + for name in value[:-1]: + if isinstance(cur.get(name), list): + d, cur = cur[name][-1] + else: + d, cur = cur.setdefault(name, (None, object_pairs_hook())) + + scope = object_pairs_hook() + name = value[-1] + if name not in cur: + if is_table_array: + cur[name] = [(scope, object_pairs_hook())] + else: + cur[name] = (scope, object_pairs_hook()) + elif isinstance(cur[name], list): + if not is_table_array: + error('table_type_mismatch') + cur[name].append((scope, object_pairs_hook())) + else: + if is_table_array: + error('table_type_mismatch') + old_scope, next_table = cur[name] + if old_scope is not None: + error('duplicate_tables') + cur[name] = (scope, next_table) + + def merge_tables(scope, tables): + if scope is None: + scope = object_pairs_hook() + for k in tables: + if k in scope: + error('key_table_conflict') + v = tables[k] + if isinstance(v, list): + scope[k] = [merge_tables(sc, tbl) for sc, tbl in v] + else: + scope[k] = merge_tables(v[0], v[1]) + return scope + + return merge_tables(root, tables) + +class _Source: + def __init__(self, s, filename=None): + self.s = s + self._pos = (1, 1) + self._last = None + self._filename = filename + self.backtrack_stack = [] + + def last(self): + return self._last + + def pos(self): + return self._pos + + def fail(self): + return self._expect(None) + + def consume_dot(self): + if self.s: + self._last = self.s[0] + self.s = self[1:] + self._advance(self._last) + return self._last + return None + + def expect_dot(self): + return self._expect(self.consume_dot()) + + def consume_eof(self): + if not self.s: + self._last = '' + return True + return False + + def expect_eof(self): + return self._expect(self.consume_eof()) + + def consume(self, s): + if self.s.startswith(s): + self.s = self.s[len(s):] + self._last = s + self._advance(s) + return True + return False + + def expect(self, s): + return self._expect(self.consume(s)) + + def consume_re(self, re): + m = re.match(self.s) + if m: + self.s = self.s[len(m.group(0)):] + self._last = m + self._advance(m.group(0)) + return m + return None + + def expect_re(self, re): + return self._expect(self.consume_re(re)) + + def __enter__(self): + self.backtrack_stack.append((self.s, self._pos)) + + def __exit__(self, type, value, traceback): + if type is None: + self.backtrack_stack.pop() + else: + self.s, self._pos = self.backtrack_stack.pop() + return type == TomlError + + def commit(self): + self.backtrack_stack[-1] = (self.s, self._pos) + + def _expect(self, r): + if not r: + raise TomlError('msg', self._pos[0], self._pos[1], self._filename) + return r + + def _advance(self, s): + suffix_pos = s.rfind('\n') + if suffix_pos == -1: + self._pos = (self._pos[0], self._pos[1] + len(s)) + else: + self._pos = (self._pos[0] + s.count('\n'), len(s) - suffix_pos) + +_ews_re = re.compile(r'(?:[ \t]|#[^\n]*\n|#[^\n]*\Z|\n)*') +def _p_ews(s): + s.expect_re(_ews_re) + +_ws_re = re.compile(r'[ \t]*') +def _p_ws(s): + s.expect_re(_ws_re) + +_escapes = { 'b': '\b', 'n': '\n', 'r': '\r', 't': '\t', '"': '"', + '\\': '\\', 'f': '\f' } + +_basicstr_re = re.compile(r'[^"\\\000-\037]*') +_short_uni_re = re.compile(r'u([0-9a-fA-F]{4})') +_long_uni_re = re.compile(r'U([0-9a-fA-F]{8})') +_escapes_re = re.compile(r'[btnfr\"\\]') +_newline_esc_re = re.compile('\n[ \t\n]*') +def _p_basicstr_content(s, content=_basicstr_re): + res = [] + while True: + res.append(s.expect_re(content).group(0)) + if not s.consume('\\'): + break + if s.consume_re(_newline_esc_re): + pass + elif s.consume_re(_short_uni_re) or s.consume_re(_long_uni_re): + v = int(s.last().group(1), 16) + if 0xd800 <= v < 0xe000: + s.fail() + res.append(_chr(v)) + else: + s.expect_re(_escapes_re) + res.append(_escapes[s.last().group(0)]) + return ''.join(res) + +_key_re = re.compile(r'[0-9a-zA-Z-_]+') +def _p_key(s): + with s: + s.expect('"') + r = _p_basicstr_content(s, _basicstr_re) + s.expect('"') + return r + if s.consume('\''): + if s.consume('\'\''): + r = s.expect_re(_litstr_ml_re).group(0) + s.expect('\'\'\'') + else: + r = s.expect_re(_litstr_re).group(0) + s.expect('\'') + return r + return s.expect_re(_key_re).group(0) + +_float_re = re.compile(r'[+-]?(?:0|[1-9](?:_?\d)*)(?:\.\d(?:_?\d)*)?(?:[eE][+-]?(?:\d(?:_?\d)*))?') + +_basicstr_ml_re = re.compile(r'(?:""?(?!")|[^"\\\000-\011\013-\037])*') +_litstr_re = re.compile(r"[^'\000\010\012-\037]*") +_litstr_ml_re = re.compile(r"(?:(?:|'|'')(?:[^'\000-\010\013-\037]))*") +def _p_value(s, object_pairs_hook): + pos = s.pos() + + if s.consume('true'): + return 'bool', s.last(), True, pos + if s.consume('false'): + return 'bool', s.last(), False, pos + + if s.consume('"'): + if s.consume('""'): + r = _p_basicstr_content(s, _basicstr_ml_re) + s.expect('"""') + else: + r = _p_basicstr_content(s, _basicstr_re) + s.expect('"') + return 'str', r, r, pos + + if s.consume('\''): + if s.consume('\'\''): + r = s.expect_re(_litstr_ml_re).group(0) + s.expect('\'\'\'') + else: + r = s.expect_re(_litstr_re).group(0) + s.expect('\'') + return 'str', r, r, pos + + if s.consume_re(rfc3339_re): + m = s.last() + return 'datetime', m.group(0), parse_rfc3339_re(m), pos + + if s.consume_re(_float_re): + m = s.last().group(0) + r = m.replace('_','') + if '.' in m or 'e' in m or 'E' in m: + return 'float', m, float(r), pos + else: + return 'int', m, int(r, 10), pos + + if s.consume('['): + items = [] + with s: + while True: + _p_ews(s) + items.append(_p_value(s, object_pairs_hook=object_pairs_hook)) + s.commit() + _p_ews(s) + s.expect(',') + s.commit() + _p_ews(s) + s.expect(']') + return 'array', None, items, pos + + if s.consume('{'): + _p_ws(s) + items = object_pairs_hook() + if not s.consume('}'): + k = _p_key(s) + _p_ws(s) + s.expect('=') + _p_ws(s) + items[k] = _p_value(s, object_pairs_hook=object_pairs_hook) + _p_ws(s) + while s.consume(','): + _p_ws(s) + k = _p_key(s) + _p_ws(s) + s.expect('=') + _p_ws(s) + items[k] = _p_value(s, object_pairs_hook=object_pairs_hook) + _p_ws(s) + s.expect('}') + return 'table', None, items, pos + + s.fail() + +def _p_stmt(s, object_pairs_hook): + pos = s.pos() + if s.consume( '['): + is_array = s.consume('[') + _p_ws(s) + keys = [_p_key(s)] + _p_ws(s) + while s.consume('.'): + _p_ws(s) + keys.append(_p_key(s)) + _p_ws(s) + s.expect(']') + if is_array: + s.expect(']') + return 'table_array' if is_array else 'table', keys, pos + + key = _p_key(s) + _p_ws(s) + s.expect('=') + _p_ws(s) + value = _p_value(s, object_pairs_hook=object_pairs_hook) + return 'kv', (key, value), pos + +_stmtsep_re = re.compile(r'(?:[ \t]*(?:#[^\n]*)?\n)+[ \t]*') +def _p_toml(s, object_pairs_hook): + stmts = [] + _p_ews(s) + with s: + stmts.append(_p_stmt(s, object_pairs_hook=object_pairs_hook)) + while True: + s.commit() + s.expect_re(_stmtsep_re) + stmts.append(_p_stmt(s, object_pairs_hook=object_pairs_hook)) + _p_ews(s) + s.expect_eof() + return stmts diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/test.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/test.py new file mode 100644 index 0000000..ec8abfc --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/test.py @@ -0,0 +1,30 @@ +import datetime +from .utils import format_rfc3339 + +try: + _string_types = (str, unicode) + _int_types = (int, long) +except NameError: + _string_types = str + _int_types = int + +def translate_to_test(v): + if isinstance(v, dict): + return { k: translate_to_test(v) for k, v in v.items() } + if isinstance(v, list): + a = [translate_to_test(x) for x in v] + if v and isinstance(v[0], dict): + return a + else: + return {'type': 'array', 'value': a} + if isinstance(v, datetime.datetime): + return {'type': 'datetime', 'value': format_rfc3339(v)} + if isinstance(v, bool): + return {'type': 'bool', 'value': 'true' if v else 'false'} + if isinstance(v, _int_types): + return {'type': 'integer', 'value': str(v)} + if isinstance(v, float): + return {'type': 'float', 'value': '{:.17}'.format(v)} + if isinstance(v, _string_types): + return {'type': 'string', 'value': v} + raise RuntimeError('unexpected value: {!r}'.format(v)) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/utils.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/utils.py new file mode 100644 index 0000000..636a680 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/utils.py @@ -0,0 +1,67 @@ +import datetime +import re + +rfc3339_re = re.compile(r'(\d{4})-(\d{2})-(\d{2})T(\d{2}):(\d{2}):(\d{2})(\.\d+)?(?:Z|([+-]\d{2}):(\d{2}))') + +def parse_rfc3339(v): + m = rfc3339_re.match(v) + if not m or m.group(0) != v: + return None + return parse_rfc3339_re(m) + +def parse_rfc3339_re(m): + r = map(int, m.groups()[:6]) + if m.group(7): + micro = float(m.group(7)) + else: + micro = 0 + + if m.group(8): + g = int(m.group(8), 10) * 60 + int(m.group(9), 10) + tz = _TimeZone(datetime.timedelta(0, g * 60)) + else: + tz = _TimeZone(datetime.timedelta(0, 0)) + + y, m, d, H, M, S = r + return datetime.datetime(y, m, d, H, M, S, int(micro * 1000000), tz) + + +def format_rfc3339(v): + offs = v.utcoffset() + offs = int(offs.total_seconds()) // 60 if offs is not None else 0 + + if offs == 0: + suffix = 'Z' + else: + if offs > 0: + suffix = '+' + else: + suffix = '-' + offs = -offs + suffix = '{0}{1:02}:{2:02}'.format(suffix, offs // 60, offs % 60) + + if v.microsecond: + return v.strftime('%Y-%m-%dT%H:%M:%S.%f') + suffix + else: + return v.strftime('%Y-%m-%dT%H:%M:%S') + suffix + +class _TimeZone(datetime.tzinfo): + def __init__(self, offset): + self._offset = offset + + def utcoffset(self, dt): + return self._offset + + def dst(self, dt): + return None + + def tzname(self, dt): + m = self._offset.total_seconds() // 60 + if m < 0: + res = '-' + m = -m + else: + res = '+' + h = m // 60 + m = m - h * 60 + return '{}{:.02}{:.02}'.format(res, h, m) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/writer.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/writer.py new file mode 100644 index 0000000..73b5089 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/writer.py @@ -0,0 +1,106 @@ +from __future__ import unicode_literals +import io, datetime, math, string, sys + +from .utils import format_rfc3339 + +if sys.version_info[0] == 3: + long = int + unicode = str + + +def dumps(obj, sort_keys=False): + fout = io.StringIO() + dump(obj, fout, sort_keys=sort_keys) + return fout.getvalue() + + +_escapes = {'\n': 'n', '\r': 'r', '\\': '\\', '\t': 't', '\b': 'b', '\f': 'f', '"': '"'} + + +def _escape_string(s): + res = [] + start = 0 + + def flush(): + if start != i: + res.append(s[start:i]) + return i + 1 + + i = 0 + while i < len(s): + c = s[i] + if c in '"\\\n\r\t\b\f': + start = flush() + res.append('\\' + _escapes[c]) + elif ord(c) < 0x20: + start = flush() + res.append('\\u%04x' % ord(c)) + i += 1 + + flush() + return '"' + ''.join(res) + '"' + + +_key_chars = string.digits + string.ascii_letters + '-_' +def _escape_id(s): + if any(c not in _key_chars for c in s): + return _escape_string(s) + return s + + +def _format_value(v): + if isinstance(v, bool): + return 'true' if v else 'false' + if isinstance(v, int) or isinstance(v, long): + return unicode(v) + if isinstance(v, float): + if math.isnan(v) or math.isinf(v): + raise ValueError("{0} is not a valid TOML value".format(v)) + else: + return repr(v) + elif isinstance(v, unicode) or isinstance(v, bytes): + return _escape_string(v) + elif isinstance(v, datetime.datetime): + return format_rfc3339(v) + elif isinstance(v, list): + return '[{0}]'.format(', '.join(_format_value(obj) for obj in v)) + elif isinstance(v, dict): + return '{{{0}}}'.format(', '.join('{} = {}'.format(_escape_id(k), _format_value(obj)) for k, obj in v.items())) + else: + raise RuntimeError(v) + + +def dump(obj, fout, sort_keys=False): + tables = [((), obj, False)] + + while tables: + name, table, is_array = tables.pop() + if name: + section_name = '.'.join(_escape_id(c) for c in name) + if is_array: + fout.write('[[{0}]]\n'.format(section_name)) + else: + fout.write('[{0}]\n'.format(section_name)) + + table_keys = sorted(table.keys()) if sort_keys else table.keys() + new_tables = [] + has_kv = False + for k in table_keys: + v = table[k] + if isinstance(v, dict): + new_tables.append((name + (k,), v, False)) + elif isinstance(v, list) and v and all(isinstance(o, dict) for o in v): + new_tables.extend((name + (k,), d, True) for d in v) + elif v is None: + # based on mojombo's comment: https://github.com/toml-lang/toml/issues/146#issuecomment-25019344 + fout.write( + '#{} = null # To use: uncomment and replace null with value\n'.format(_escape_id(k))) + has_kv = True + else: + fout.write('{0} = {1}\n'.format(_escape_id(k), _format_value(v))) + has_kv = True + + tables.extend(reversed(new_tables)) + + if (name or has_kv) and tables: + fout.write('\n') diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/__init__.py new file mode 100644 index 0000000..80c4ce1 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/__init__.py @@ -0,0 +1,133 @@ +# -*- coding: utf-8 -*- + +# __ +# /__) _ _ _ _ _/ _ +# / ( (- (/ (/ (- _) / _) +# / + +""" +Requests HTTP Library +~~~~~~~~~~~~~~~~~~~~~ + +Requests is an HTTP library, written in Python, for human beings. Basic GET +usage: + + >>> import requests + >>> r = requests.get('https://www.python.org') + >>> r.status_code + 200 + >>> 'Python is a programming language' in r.content + True + +... or POST: + + >>> payload = dict(key1='value1', key2='value2') + >>> r = requests.post('https://httpbin.org/post', data=payload) + >>> print(r.text) + { + ... + "form": { + "key2": "value2", + "key1": "value1" + }, + ... + } + +The other HTTP methods are supported - see `requests.api`. Full documentation +is at <http://python-requests.org>. + +:copyright: (c) 2017 by Kenneth Reitz. +:license: Apache 2.0, see LICENSE for more details. +""" + +from pip._vendor import urllib3 +from pip._vendor import chardet +import warnings +from .exceptions import RequestsDependencyWarning + + +def check_compatibility(urllib3_version, chardet_version): + urllib3_version = urllib3_version.split('.') + assert urllib3_version != ['dev'] # Verify urllib3 isn't installed from git. + + # Sometimes, urllib3 only reports its version as 16.1. + if len(urllib3_version) == 2: + urllib3_version.append('0') + + # Check urllib3 for compatibility. + major, minor, patch = urllib3_version # noqa: F811 + major, minor, patch = int(major), int(minor), int(patch) + # urllib3 >= 1.21.1, <= 1.24 + assert major == 1 + assert minor >= 21 + assert minor <= 24 + + # Check chardet for compatibility. + major, minor, patch = chardet_version.split('.')[:3] + major, minor, patch = int(major), int(minor), int(patch) + # chardet >= 3.0.2, < 3.1.0 + assert major == 3 + assert minor < 1 + assert patch >= 2 + + +def _check_cryptography(cryptography_version): + # cryptography < 1.3.4 + try: + cryptography_version = list(map(int, cryptography_version.split('.'))) + except ValueError: + return + + if cryptography_version < [1, 3, 4]: + warning = 'Old version of cryptography ({}) may cause slowdown.'.format(cryptography_version) + warnings.warn(warning, RequestsDependencyWarning) + +# Check imported dependencies for compatibility. +try: + check_compatibility(urllib3.__version__, chardet.__version__) +except (AssertionError, ValueError): + warnings.warn("urllib3 ({}) or chardet ({}) doesn't match a supported " + "version!".format(urllib3.__version__, chardet.__version__), + RequestsDependencyWarning) + +# Attempt to enable urllib3's SNI support, if possible +from pip._internal.utils.compat import WINDOWS +if not WINDOWS: + try: + from pip._vendor.urllib3.contrib import pyopenssl + pyopenssl.inject_into_urllib3() + + # Check cryptography version + from cryptography import __version__ as cryptography_version + _check_cryptography(cryptography_version) + except ImportError: + pass + +# urllib3's DependencyWarnings should be silenced. +from pip._vendor.urllib3.exceptions import DependencyWarning +warnings.simplefilter('ignore', DependencyWarning) + +from .__version__ import __title__, __description__, __url__, __version__ +from .__version__ import __build__, __author__, __author_email__, __license__ +from .__version__ import __copyright__, __cake__ + +from . import utils +from . import packages +from .models import Request, Response, PreparedRequest +from .api import request, get, head, post, patch, put, delete, options +from .sessions import session, Session +from .status_codes import codes +from .exceptions import ( + RequestException, Timeout, URLRequired, + TooManyRedirects, HTTPError, ConnectionError, + FileModeWarning, ConnectTimeout, ReadTimeout +) + +# Set default logging handler to avoid "No handler found" warnings. +import logging +from logging import NullHandler + +logging.getLogger(__name__).addHandler(NullHandler()) + +# FileModeWarnings go off per the default. +warnings.simplefilter('default', FileModeWarning, append=True) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/__version__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/__version__.py new file mode 100644 index 0000000..f5b5d03 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/__version__.py @@ -0,0 +1,14 @@ +# .-. .-. .-. . . .-. .-. .-. .-. +# |( |- |.| | | |- `-. | `-. +# ' ' `-' `-`.`-' `-' `-' ' `-' + +__title__ = 'requests' +__description__ = 'Python HTTP for Humans.' +__url__ = 'http://python-requests.org' +__version__ = '2.21.0' +__build__ = 0x022100 +__author__ = 'Kenneth Reitz' +__author_email__ = 'me@kennethreitz.org' +__license__ = 'Apache 2.0' +__copyright__ = 'Copyright 2018 Kenneth Reitz' +__cake__ = u'\u2728 \U0001f370 \u2728' diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/_internal_utils.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/_internal_utils.py new file mode 100644 index 0000000..759d9a5 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/_internal_utils.py @@ -0,0 +1,42 @@ +# -*- coding: utf-8 -*- + +""" +requests._internal_utils +~~~~~~~~~~~~~~ + +Provides utility functions that are consumed internally by Requests +which depend on extremely few external helpers (such as compat) +""" + +from .compat import is_py2, builtin_str, str + + +def to_native_string(string, encoding='ascii'): + """Given a string object, regardless of type, returns a representation of + that string in the native string type, encoding and decoding where + necessary. This assumes ASCII unless told otherwise. + """ + if isinstance(string, builtin_str): + out = string + else: + if is_py2: + out = string.encode(encoding) + else: + out = string.decode(encoding) + + return out + + +def unicode_is_ascii(u_string): + """Determine if unicode string only contains ASCII characters. + + :param str u_string: unicode string to check. Must be unicode + and not Python 2 `str`. + :rtype: bool + """ + assert isinstance(u_string, str) + try: + u_string.encode('ascii') + return True + except UnicodeEncodeError: + return False diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/adapters.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/adapters.py new file mode 100644 index 0000000..c30e7c9 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/adapters.py @@ -0,0 +1,533 @@ +# -*- coding: utf-8 -*- + +""" +requests.adapters +~~~~~~~~~~~~~~~~~ + +This module contains the transport adapters that Requests uses to define +and maintain connections. +""" + +import os.path +import socket + +from pip._vendor.urllib3.poolmanager import PoolManager, proxy_from_url +from pip._vendor.urllib3.response import HTTPResponse +from pip._vendor.urllib3.util import parse_url +from pip._vendor.urllib3.util import Timeout as TimeoutSauce +from pip._vendor.urllib3.util.retry import Retry +from pip._vendor.urllib3.exceptions import ClosedPoolError +from pip._vendor.urllib3.exceptions import ConnectTimeoutError +from pip._vendor.urllib3.exceptions import HTTPError as _HTTPError +from pip._vendor.urllib3.exceptions import MaxRetryError +from pip._vendor.urllib3.exceptions import NewConnectionError +from pip._vendor.urllib3.exceptions import ProxyError as _ProxyError +from pip._vendor.urllib3.exceptions import ProtocolError +from pip._vendor.urllib3.exceptions import ReadTimeoutError +from pip._vendor.urllib3.exceptions import SSLError as _SSLError +from pip._vendor.urllib3.exceptions import ResponseError +from pip._vendor.urllib3.exceptions import LocationValueError + +from .models import Response +from .compat import urlparse, basestring +from .utils import (DEFAULT_CA_BUNDLE_PATH, extract_zipped_paths, + get_encoding_from_headers, prepend_scheme_if_needed, + get_auth_from_url, urldefragauth, select_proxy) +from .structures import CaseInsensitiveDict +from .cookies import extract_cookies_to_jar +from .exceptions import (ConnectionError, ConnectTimeout, ReadTimeout, SSLError, + ProxyError, RetryError, InvalidSchema, InvalidProxyURL, + InvalidURL) +from .auth import _basic_auth_str + +try: + from pip._vendor.urllib3.contrib.socks import SOCKSProxyManager +except ImportError: + def SOCKSProxyManager(*args, **kwargs): + raise InvalidSchema("Missing dependencies for SOCKS support.") + +DEFAULT_POOLBLOCK = False +DEFAULT_POOLSIZE = 10 +DEFAULT_RETRIES = 0 +DEFAULT_POOL_TIMEOUT = None + + +class BaseAdapter(object): + """The Base Transport Adapter""" + + def __init__(self): + super(BaseAdapter, self).__init__() + + def send(self, request, stream=False, timeout=None, verify=True, + cert=None, proxies=None): + """Sends PreparedRequest object. Returns Response object. + + :param request: The :class:`PreparedRequest <PreparedRequest>` being sent. + :param stream: (optional) Whether to stream the request content. + :param timeout: (optional) How long to wait for the server to send + data before giving up, as a float, or a :ref:`(connect timeout, + read timeout) <timeouts>` tuple. + :type timeout: float or tuple + :param verify: (optional) Either a boolean, in which case it controls whether we verify + the server's TLS certificate, or a string, in which case it must be a path + to a CA bundle to use + :param cert: (optional) Any user-provided SSL certificate to be trusted. + :param proxies: (optional) The proxies dictionary to apply to the request. + """ + raise NotImplementedError + + def close(self): + """Cleans up adapter specific items.""" + raise NotImplementedError + + +class HTTPAdapter(BaseAdapter): + """The built-in HTTP Adapter for urllib3. + + Provides a general-case interface for Requests sessions to contact HTTP and + HTTPS urls by implementing the Transport Adapter interface. This class will + usually be created by the :class:`Session <Session>` class under the + covers. + + :param pool_connections: The number of urllib3 connection pools to cache. + :param pool_maxsize: The maximum number of connections to save in the pool. + :param max_retries: The maximum number of retries each connection + should attempt. Note, this applies only to failed DNS lookups, socket + connections and connection timeouts, never to requests where data has + made it to the server. By default, Requests does not retry failed + connections. If you need granular control over the conditions under + which we retry a request, import urllib3's ``Retry`` class and pass + that instead. + :param pool_block: Whether the connection pool should block for connections. + + Usage:: + + >>> import requests + >>> s = requests.Session() + >>> a = requests.adapters.HTTPAdapter(max_retries=3) + >>> s.mount('http://', a) + """ + __attrs__ = ['max_retries', 'config', '_pool_connections', '_pool_maxsize', + '_pool_block'] + + def __init__(self, pool_connections=DEFAULT_POOLSIZE, + pool_maxsize=DEFAULT_POOLSIZE, max_retries=DEFAULT_RETRIES, + pool_block=DEFAULT_POOLBLOCK): + if max_retries == DEFAULT_RETRIES: + self.max_retries = Retry(0, read=False) + else: + self.max_retries = Retry.from_int(max_retries) + self.config = {} + self.proxy_manager = {} + + super(HTTPAdapter, self).__init__() + + self._pool_connections = pool_connections + self._pool_maxsize = pool_maxsize + self._pool_block = pool_block + + self.init_poolmanager(pool_connections, pool_maxsize, block=pool_block) + + def __getstate__(self): + return {attr: getattr(self, attr, None) for attr in self.__attrs__} + + def __setstate__(self, state): + # Can't handle by adding 'proxy_manager' to self.__attrs__ because + # self.poolmanager uses a lambda function, which isn't pickleable. + self.proxy_manager = {} + self.config = {} + + for attr, value in state.items(): + setattr(self, attr, value) + + self.init_poolmanager(self._pool_connections, self._pool_maxsize, + block=self._pool_block) + + def init_poolmanager(self, connections, maxsize, block=DEFAULT_POOLBLOCK, **pool_kwargs): + """Initializes a urllib3 PoolManager. + + This method should not be called from user code, and is only + exposed for use when subclassing the + :class:`HTTPAdapter <requests.adapters.HTTPAdapter>`. + + :param connections: The number of urllib3 connection pools to cache. + :param maxsize: The maximum number of connections to save in the pool. + :param block: Block when no free connections are available. + :param pool_kwargs: Extra keyword arguments used to initialize the Pool Manager. + """ + # save these values for pickling + self._pool_connections = connections + self._pool_maxsize = maxsize + self._pool_block = block + + self.poolmanager = PoolManager(num_pools=connections, maxsize=maxsize, + block=block, strict=True, **pool_kwargs) + + def proxy_manager_for(self, proxy, **proxy_kwargs): + """Return urllib3 ProxyManager for the given proxy. + + This method should not be called from user code, and is only + exposed for use when subclassing the + :class:`HTTPAdapter <requests.adapters.HTTPAdapter>`. + + :param proxy: The proxy to return a urllib3 ProxyManager for. + :param proxy_kwargs: Extra keyword arguments used to configure the Proxy Manager. + :returns: ProxyManager + :rtype: urllib3.ProxyManager + """ + if proxy in self.proxy_manager: + manager = self.proxy_manager[proxy] + elif proxy.lower().startswith('socks'): + username, password = get_auth_from_url(proxy) + manager = self.proxy_manager[proxy] = SOCKSProxyManager( + proxy, + username=username, + password=password, + num_pools=self._pool_connections, + maxsize=self._pool_maxsize, + block=self._pool_block, + **proxy_kwargs + ) + else: + proxy_headers = self.proxy_headers(proxy) + manager = self.proxy_manager[proxy] = proxy_from_url( + proxy, + proxy_headers=proxy_headers, + num_pools=self._pool_connections, + maxsize=self._pool_maxsize, + block=self._pool_block, + **proxy_kwargs) + + return manager + + def cert_verify(self, conn, url, verify, cert): + """Verify a SSL certificate. This method should not be called from user + code, and is only exposed for use when subclassing the + :class:`HTTPAdapter <requests.adapters.HTTPAdapter>`. + + :param conn: The urllib3 connection object associated with the cert. + :param url: The requested URL. + :param verify: Either a boolean, in which case it controls whether we verify + the server's TLS certificate, or a string, in which case it must be a path + to a CA bundle to use + :param cert: The SSL certificate to verify. + """ + if url.lower().startswith('https') and verify: + + cert_loc = None + + # Allow self-specified cert location. + if verify is not True: + cert_loc = verify + + if not cert_loc: + cert_loc = extract_zipped_paths(DEFAULT_CA_BUNDLE_PATH) + + if not cert_loc or not os.path.exists(cert_loc): + raise IOError("Could not find a suitable TLS CA certificate bundle, " + "invalid path: {}".format(cert_loc)) + + conn.cert_reqs = 'CERT_REQUIRED' + + if not os.path.isdir(cert_loc): + conn.ca_certs = cert_loc + else: + conn.ca_cert_dir = cert_loc + else: + conn.cert_reqs = 'CERT_NONE' + conn.ca_certs = None + conn.ca_cert_dir = None + + if cert: + if not isinstance(cert, basestring): + conn.cert_file = cert[0] + conn.key_file = cert[1] + else: + conn.cert_file = cert + conn.key_file = None + if conn.cert_file and not os.path.exists(conn.cert_file): + raise IOError("Could not find the TLS certificate file, " + "invalid path: {}".format(conn.cert_file)) + if conn.key_file and not os.path.exists(conn.key_file): + raise IOError("Could not find the TLS key file, " + "invalid path: {}".format(conn.key_file)) + + def build_response(self, req, resp): + """Builds a :class:`Response <requests.Response>` object from a urllib3 + response. This should not be called from user code, and is only exposed + for use when subclassing the + :class:`HTTPAdapter <requests.adapters.HTTPAdapter>` + + :param req: The :class:`PreparedRequest <PreparedRequest>` used to generate the response. + :param resp: The urllib3 response object. + :rtype: requests.Response + """ + response = Response() + + # Fallback to None if there's no status_code, for whatever reason. + response.status_code = getattr(resp, 'status', None) + + # Make headers case-insensitive. + response.headers = CaseInsensitiveDict(getattr(resp, 'headers', {})) + + # Set encoding. + response.encoding = get_encoding_from_headers(response.headers) + response.raw = resp + response.reason = response.raw.reason + + if isinstance(req.url, bytes): + response.url = req.url.decode('utf-8') + else: + response.url = req.url + + # Add new cookies from the server. + extract_cookies_to_jar(response.cookies, req, resp) + + # Give the Response some context. + response.request = req + response.connection = self + + return response + + def get_connection(self, url, proxies=None): + """Returns a urllib3 connection for the given URL. This should not be + called from user code, and is only exposed for use when subclassing the + :class:`HTTPAdapter <requests.adapters.HTTPAdapter>`. + + :param url: The URL to connect to. + :param proxies: (optional) A Requests-style dictionary of proxies used on this request. + :rtype: urllib3.ConnectionPool + """ + proxy = select_proxy(url, proxies) + + if proxy: + proxy = prepend_scheme_if_needed(proxy, 'http') + proxy_url = parse_url(proxy) + if not proxy_url.host: + raise InvalidProxyURL("Please check proxy URL. It is malformed" + " and could be missing the host.") + proxy_manager = self.proxy_manager_for(proxy) + conn = proxy_manager.connection_from_url(url) + else: + # Only scheme should be lower case + parsed = urlparse(url) + url = parsed.geturl() + conn = self.poolmanager.connection_from_url(url) + + return conn + + def close(self): + """Disposes of any internal state. + + Currently, this closes the PoolManager and any active ProxyManager, + which closes any pooled connections. + """ + self.poolmanager.clear() + for proxy in self.proxy_manager.values(): + proxy.clear() + + def request_url(self, request, proxies): + """Obtain the url to use when making the final request. + + If the message is being sent through a HTTP proxy, the full URL has to + be used. Otherwise, we should only use the path portion of the URL. + + This should not be called from user code, and is only exposed for use + when subclassing the + :class:`HTTPAdapter <requests.adapters.HTTPAdapter>`. + + :param request: The :class:`PreparedRequest <PreparedRequest>` being sent. + :param proxies: A dictionary of schemes or schemes and hosts to proxy URLs. + :rtype: str + """ + proxy = select_proxy(request.url, proxies) + scheme = urlparse(request.url).scheme + + is_proxied_http_request = (proxy and scheme != 'https') + using_socks_proxy = False + if proxy: + proxy_scheme = urlparse(proxy).scheme.lower() + using_socks_proxy = proxy_scheme.startswith('socks') + + url = request.path_url + if is_proxied_http_request and not using_socks_proxy: + url = urldefragauth(request.url) + + return url + + def add_headers(self, request, **kwargs): + """Add any headers needed by the connection. As of v2.0 this does + nothing by default, but is left for overriding by users that subclass + the :class:`HTTPAdapter <requests.adapters.HTTPAdapter>`. + + This should not be called from user code, and is only exposed for use + when subclassing the + :class:`HTTPAdapter <requests.adapters.HTTPAdapter>`. + + :param request: The :class:`PreparedRequest <PreparedRequest>` to add headers to. + :param kwargs: The keyword arguments from the call to send(). + """ + pass + + def proxy_headers(self, proxy): + """Returns a dictionary of the headers to add to any request sent + through a proxy. This works with urllib3 magic to ensure that they are + correctly sent to the proxy, rather than in a tunnelled request if + CONNECT is being used. + + This should not be called from user code, and is only exposed for use + when subclassing the + :class:`HTTPAdapter <requests.adapters.HTTPAdapter>`. + + :param proxy: The url of the proxy being used for this request. + :rtype: dict + """ + headers = {} + username, password = get_auth_from_url(proxy) + + if username: + headers['Proxy-Authorization'] = _basic_auth_str(username, + password) + + return headers + + def send(self, request, stream=False, timeout=None, verify=True, cert=None, proxies=None): + """Sends PreparedRequest object. Returns Response object. + + :param request: The :class:`PreparedRequest <PreparedRequest>` being sent. + :param stream: (optional) Whether to stream the request content. + :param timeout: (optional) How long to wait for the server to send + data before giving up, as a float, or a :ref:`(connect timeout, + read timeout) <timeouts>` tuple. + :type timeout: float or tuple or urllib3 Timeout object + :param verify: (optional) Either a boolean, in which case it controls whether + we verify the server's TLS certificate, or a string, in which case it + must be a path to a CA bundle to use + :param cert: (optional) Any user-provided SSL certificate to be trusted. + :param proxies: (optional) The proxies dictionary to apply to the request. + :rtype: requests.Response + """ + + try: + conn = self.get_connection(request.url, proxies) + except LocationValueError as e: + raise InvalidURL(e, request=request) + + self.cert_verify(conn, request.url, verify, cert) + url = self.request_url(request, proxies) + self.add_headers(request, stream=stream, timeout=timeout, verify=verify, cert=cert, proxies=proxies) + + chunked = not (request.body is None or 'Content-Length' in request.headers) + + if isinstance(timeout, tuple): + try: + connect, read = timeout + timeout = TimeoutSauce(connect=connect, read=read) + except ValueError as e: + # this may raise a string formatting error. + err = ("Invalid timeout {}. Pass a (connect, read) " + "timeout tuple, or a single float to set " + "both timeouts to the same value".format(timeout)) + raise ValueError(err) + elif isinstance(timeout, TimeoutSauce): + pass + else: + timeout = TimeoutSauce(connect=timeout, read=timeout) + + try: + if not chunked: + resp = conn.urlopen( + method=request.method, + url=url, + body=request.body, + headers=request.headers, + redirect=False, + assert_same_host=False, + preload_content=False, + decode_content=False, + retries=self.max_retries, + timeout=timeout + ) + + # Send the request. + else: + if hasattr(conn, 'proxy_pool'): + conn = conn.proxy_pool + + low_conn = conn._get_conn(timeout=DEFAULT_POOL_TIMEOUT) + + try: + low_conn.putrequest(request.method, + url, + skip_accept_encoding=True) + + for header, value in request.headers.items(): + low_conn.putheader(header, value) + + low_conn.endheaders() + + for i in request.body: + low_conn.send(hex(len(i))[2:].encode('utf-8')) + low_conn.send(b'\r\n') + low_conn.send(i) + low_conn.send(b'\r\n') + low_conn.send(b'0\r\n\r\n') + + # Receive the response from the server + try: + # For Python 2.7, use buffering of HTTP responses + r = low_conn.getresponse(buffering=True) + except TypeError: + # For compatibility with Python 3.3+ + r = low_conn.getresponse() + + resp = HTTPResponse.from_httplib( + r, + pool=conn, + connection=low_conn, + preload_content=False, + decode_content=False + ) + except: + # If we hit any problems here, clean up the connection. + # Then, reraise so that we can handle the actual exception. + low_conn.close() + raise + + except (ProtocolError, socket.error) as err: + raise ConnectionError(err, request=request) + + except MaxRetryError as e: + if isinstance(e.reason, ConnectTimeoutError): + # TODO: Remove this in 3.0.0: see #2811 + if not isinstance(e.reason, NewConnectionError): + raise ConnectTimeout(e, request=request) + + if isinstance(e.reason, ResponseError): + raise RetryError(e, request=request) + + if isinstance(e.reason, _ProxyError): + raise ProxyError(e, request=request) + + if isinstance(e.reason, _SSLError): + # This branch is for urllib3 v1.22 and later. + raise SSLError(e, request=request) + + raise ConnectionError(e, request=request) + + except ClosedPoolError as e: + raise ConnectionError(e, request=request) + + except _ProxyError as e: + raise ProxyError(e) + + except (_SSLError, _HTTPError) as e: + if isinstance(e, _SSLError): + # This branch is for urllib3 versions earlier than v1.22 + raise SSLError(e, request=request) + elif isinstance(e, ReadTimeoutError): + raise ReadTimeout(e, request=request) + else: + raise + + return self.build_response(request, resp) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/api.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/api.py new file mode 100644 index 0000000..abada96 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/api.py @@ -0,0 +1,158 @@ +# -*- coding: utf-8 -*- + +""" +requests.api +~~~~~~~~~~~~ + +This module implements the Requests API. + +:copyright: (c) 2012 by Kenneth Reitz. +:license: Apache2, see LICENSE for more details. +""" + +from . import sessions + + +def request(method, url, **kwargs): + """Constructs and sends a :class:`Request <Request>`. + + :param method: method for the new :class:`Request` object. + :param url: URL for the new :class:`Request` object. + :param params: (optional) Dictionary, list of tuples or bytes to send + in the body of the :class:`Request`. + :param data: (optional) Dictionary, list of tuples, bytes, or file-like + object to send in the body of the :class:`Request`. + :param json: (optional) A JSON serializable Python object to send in the body of the :class:`Request`. + :param headers: (optional) Dictionary of HTTP Headers to send with the :class:`Request`. + :param cookies: (optional) Dict or CookieJar object to send with the :class:`Request`. + :param files: (optional) Dictionary of ``'name': file-like-objects`` (or ``{'name': file-tuple}``) for multipart encoding upload. + ``file-tuple`` can be a 2-tuple ``('filename', fileobj)``, 3-tuple ``('filename', fileobj, 'content_type')`` + or a 4-tuple ``('filename', fileobj, 'content_type', custom_headers)``, where ``'content-type'`` is a string + defining the content type of the given file and ``custom_headers`` a dict-like object containing additional headers + to add for the file. + :param auth: (optional) Auth tuple to enable Basic/Digest/Custom HTTP Auth. + :param timeout: (optional) How many seconds to wait for the server to send data + before giving up, as a float, or a :ref:`(connect timeout, read + timeout) <timeouts>` tuple. + :type timeout: float or tuple + :param allow_redirects: (optional) Boolean. Enable/disable GET/OPTIONS/POST/PUT/PATCH/DELETE/HEAD redirection. Defaults to ``True``. + :type allow_redirects: bool + :param proxies: (optional) Dictionary mapping protocol to the URL of the proxy. + :param verify: (optional) Either a boolean, in which case it controls whether we verify + the server's TLS certificate, or a string, in which case it must be a path + to a CA bundle to use. Defaults to ``True``. + :param stream: (optional) if ``False``, the response content will be immediately downloaded. + :param cert: (optional) if String, path to ssl client cert file (.pem). If Tuple, ('cert', 'key') pair. + :return: :class:`Response <Response>` object + :rtype: requests.Response + + Usage:: + + >>> import requests + >>> req = requests.request('GET', 'https://httpbin.org/get') + <Response [200]> + """ + + # By using the 'with' statement we are sure the session is closed, thus we + # avoid leaving sockets open which can trigger a ResourceWarning in some + # cases, and look like a memory leak in others. + with sessions.Session() as session: + return session.request(method=method, url=url, **kwargs) + + +def get(url, params=None, **kwargs): + r"""Sends a GET request. + + :param url: URL for the new :class:`Request` object. + :param params: (optional) Dictionary, list of tuples or bytes to send + in the body of the :class:`Request`. + :param \*\*kwargs: Optional arguments that ``request`` takes. + :return: :class:`Response <Response>` object + :rtype: requests.Response + """ + + kwargs.setdefault('allow_redirects', True) + return request('get', url, params=params, **kwargs) + + +def options(url, **kwargs): + r"""Sends an OPTIONS request. + + :param url: URL for the new :class:`Request` object. + :param \*\*kwargs: Optional arguments that ``request`` takes. + :return: :class:`Response <Response>` object + :rtype: requests.Response + """ + + kwargs.setdefault('allow_redirects', True) + return request('options', url, **kwargs) + + +def head(url, **kwargs): + r"""Sends a HEAD request. + + :param url: URL for the new :class:`Request` object. + :param \*\*kwargs: Optional arguments that ``request`` takes. + :return: :class:`Response <Response>` object + :rtype: requests.Response + """ + + kwargs.setdefault('allow_redirects', False) + return request('head', url, **kwargs) + + +def post(url, data=None, json=None, **kwargs): + r"""Sends a POST request. + + :param url: URL for the new :class:`Request` object. + :param data: (optional) Dictionary, list of tuples, bytes, or file-like + object to send in the body of the :class:`Request`. + :param json: (optional) json data to send in the body of the :class:`Request`. + :param \*\*kwargs: Optional arguments that ``request`` takes. + :return: :class:`Response <Response>` object + :rtype: requests.Response + """ + + return request('post', url, data=data, json=json, **kwargs) + + +def put(url, data=None, **kwargs): + r"""Sends a PUT request. + + :param url: URL for the new :class:`Request` object. + :param data: (optional) Dictionary, list of tuples, bytes, or file-like + object to send in the body of the :class:`Request`. + :param json: (optional) json data to send in the body of the :class:`Request`. + :param \*\*kwargs: Optional arguments that ``request`` takes. + :return: :class:`Response <Response>` object + :rtype: requests.Response + """ + + return request('put', url, data=data, **kwargs) + + +def patch(url, data=None, **kwargs): + r"""Sends a PATCH request. + + :param url: URL for the new :class:`Request` object. + :param data: (optional) Dictionary, list of tuples, bytes, or file-like + object to send in the body of the :class:`Request`. + :param json: (optional) json data to send in the body of the :class:`Request`. + :param \*\*kwargs: Optional arguments that ``request`` takes. + :return: :class:`Response <Response>` object + :rtype: requests.Response + """ + + return request('patch', url, data=data, **kwargs) + + +def delete(url, **kwargs): + r"""Sends a DELETE request. + + :param url: URL for the new :class:`Request` object. + :param \*\*kwargs: Optional arguments that ``request`` takes. + :return: :class:`Response <Response>` object + :rtype: requests.Response + """ + + return request('delete', url, **kwargs) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/auth.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/auth.py new file mode 100644 index 0000000..bdde51c --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/auth.py @@ -0,0 +1,305 @@ +# -*- coding: utf-8 -*- + +""" +requests.auth +~~~~~~~~~~~~~ + +This module contains the authentication handlers for Requests. +""" + +import os +import re +import time +import hashlib +import threading +import warnings + +from base64 import b64encode + +from .compat import urlparse, str, basestring +from .cookies import extract_cookies_to_jar +from ._internal_utils import to_native_string +from .utils import parse_dict_header + +CONTENT_TYPE_FORM_URLENCODED = 'application/x-www-form-urlencoded' +CONTENT_TYPE_MULTI_PART = 'multipart/form-data' + + +def _basic_auth_str(username, password): + """Returns a Basic Auth string.""" + + # "I want us to put a big-ol' comment on top of it that + # says that this behaviour is dumb but we need to preserve + # it because people are relying on it." + # - Lukasa + # + # These are here solely to maintain backwards compatibility + # for things like ints. This will be removed in 3.0.0. + if not isinstance(username, basestring): + warnings.warn( + "Non-string usernames will no longer be supported in Requests " + "3.0.0. Please convert the object you've passed in ({!r}) to " + "a string or bytes object in the near future to avoid " + "problems.".format(username), + category=DeprecationWarning, + ) + username = str(username) + + if not isinstance(password, basestring): + warnings.warn( + "Non-string passwords will no longer be supported in Requests " + "3.0.0. Please convert the object you've passed in ({!r}) to " + "a string or bytes object in the near future to avoid " + "problems.".format(password), + category=DeprecationWarning, + ) + password = str(password) + # -- End Removal -- + + if isinstance(username, str): + username = username.encode('latin1') + + if isinstance(password, str): + password = password.encode('latin1') + + authstr = 'Basic ' + to_native_string( + b64encode(b':'.join((username, password))).strip() + ) + + return authstr + + +class AuthBase(object): + """Base class that all auth implementations derive from""" + + def __call__(self, r): + raise NotImplementedError('Auth hooks must be callable.') + + +class HTTPBasicAuth(AuthBase): + """Attaches HTTP Basic Authentication to the given Request object.""" + + def __init__(self, username, password): + self.username = username + self.password = password + + def __eq__(self, other): + return all([ + self.username == getattr(other, 'username', None), + self.password == getattr(other, 'password', None) + ]) + + def __ne__(self, other): + return not self == other + + def __call__(self, r): + r.headers['Authorization'] = _basic_auth_str(self.username, self.password) + return r + + +class HTTPProxyAuth(HTTPBasicAuth): + """Attaches HTTP Proxy Authentication to a given Request object.""" + + def __call__(self, r): + r.headers['Proxy-Authorization'] = _basic_auth_str(self.username, self.password) + return r + + +class HTTPDigestAuth(AuthBase): + """Attaches HTTP Digest Authentication to the given Request object.""" + + def __init__(self, username, password): + self.username = username + self.password = password + # Keep state in per-thread local storage + self._thread_local = threading.local() + + def init_per_thread_state(self): + # Ensure state is initialized just once per-thread + if not hasattr(self._thread_local, 'init'): + self._thread_local.init = True + self._thread_local.last_nonce = '' + self._thread_local.nonce_count = 0 + self._thread_local.chal = {} + self._thread_local.pos = None + self._thread_local.num_401_calls = None + + def build_digest_header(self, method, url): + """ + :rtype: str + """ + + realm = self._thread_local.chal['realm'] + nonce = self._thread_local.chal['nonce'] + qop = self._thread_local.chal.get('qop') + algorithm = self._thread_local.chal.get('algorithm') + opaque = self._thread_local.chal.get('opaque') + hash_utf8 = None + + if algorithm is None: + _algorithm = 'MD5' + else: + _algorithm = algorithm.upper() + # lambdas assume digest modules are imported at the top level + if _algorithm == 'MD5' or _algorithm == 'MD5-SESS': + def md5_utf8(x): + if isinstance(x, str): + x = x.encode('utf-8') + return hashlib.md5(x).hexdigest() + hash_utf8 = md5_utf8 + elif _algorithm == 'SHA': + def sha_utf8(x): + if isinstance(x, str): + x = x.encode('utf-8') + return hashlib.sha1(x).hexdigest() + hash_utf8 = sha_utf8 + elif _algorithm == 'SHA-256': + def sha256_utf8(x): + if isinstance(x, str): + x = x.encode('utf-8') + return hashlib.sha256(x).hexdigest() + hash_utf8 = sha256_utf8 + elif _algorithm == 'SHA-512': + def sha512_utf8(x): + if isinstance(x, str): + x = x.encode('utf-8') + return hashlib.sha512(x).hexdigest() + hash_utf8 = sha512_utf8 + + KD = lambda s, d: hash_utf8("%s:%s" % (s, d)) + + if hash_utf8 is None: + return None + + # XXX not implemented yet + entdig = None + p_parsed = urlparse(url) + #: path is request-uri defined in RFC 2616 which should not be empty + path = p_parsed.path or "/" + if p_parsed.query: + path += '?' + p_parsed.query + + A1 = '%s:%s:%s' % (self.username, realm, self.password) + A2 = '%s:%s' % (method, path) + + HA1 = hash_utf8(A1) + HA2 = hash_utf8(A2) + + if nonce == self._thread_local.last_nonce: + self._thread_local.nonce_count += 1 + else: + self._thread_local.nonce_count = 1 + ncvalue = '%08x' % self._thread_local.nonce_count + s = str(self._thread_local.nonce_count).encode('utf-8') + s += nonce.encode('utf-8') + s += time.ctime().encode('utf-8') + s += os.urandom(8) + + cnonce = (hashlib.sha1(s).hexdigest()[:16]) + if _algorithm == 'MD5-SESS': + HA1 = hash_utf8('%s:%s:%s' % (HA1, nonce, cnonce)) + + if not qop: + respdig = KD(HA1, "%s:%s" % (nonce, HA2)) + elif qop == 'auth' or 'auth' in qop.split(','): + noncebit = "%s:%s:%s:%s:%s" % ( + nonce, ncvalue, cnonce, 'auth', HA2 + ) + respdig = KD(HA1, noncebit) + else: + # XXX handle auth-int. + return None + + self._thread_local.last_nonce = nonce + + # XXX should the partial digests be encoded too? + base = 'username="%s", realm="%s", nonce="%s", uri="%s", ' \ + 'response="%s"' % (self.username, realm, nonce, path, respdig) + if opaque: + base += ', opaque="%s"' % opaque + if algorithm: + base += ', algorithm="%s"' % algorithm + if entdig: + base += ', digest="%s"' % entdig + if qop: + base += ', qop="auth", nc=%s, cnonce="%s"' % (ncvalue, cnonce) + + return 'Digest %s' % (base) + + def handle_redirect(self, r, **kwargs): + """Reset num_401_calls counter on redirects.""" + if r.is_redirect: + self._thread_local.num_401_calls = 1 + + def handle_401(self, r, **kwargs): + """ + Takes the given response and tries digest-auth, if needed. + + :rtype: requests.Response + """ + + # If response is not 4xx, do not auth + # See https://github.com/requests/requests/issues/3772 + if not 400 <= r.status_code < 500: + self._thread_local.num_401_calls = 1 + return r + + if self._thread_local.pos is not None: + # Rewind the file position indicator of the body to where + # it was to resend the request. + r.request.body.seek(self._thread_local.pos) + s_auth = r.headers.get('www-authenticate', '') + + if 'digest' in s_auth.lower() and self._thread_local.num_401_calls < 2: + + self._thread_local.num_401_calls += 1 + pat = re.compile(r'digest ', flags=re.IGNORECASE) + self._thread_local.chal = parse_dict_header(pat.sub('', s_auth, count=1)) + + # Consume content and release the original connection + # to allow our new request to reuse the same one. + r.content + r.close() + prep = r.request.copy() + extract_cookies_to_jar(prep._cookies, r.request, r.raw) + prep.prepare_cookies(prep._cookies) + + prep.headers['Authorization'] = self.build_digest_header( + prep.method, prep.url) + _r = r.connection.send(prep, **kwargs) + _r.history.append(r) + _r.request = prep + + return _r + + self._thread_local.num_401_calls = 1 + return r + + def __call__(self, r): + # Initialize per-thread state, if needed + self.init_per_thread_state() + # If we have a saved nonce, skip the 401 + if self._thread_local.last_nonce: + r.headers['Authorization'] = self.build_digest_header(r.method, r.url) + try: + self._thread_local.pos = r.body.tell() + except AttributeError: + # In the case of HTTPDigestAuth being reused and the body of + # the previous request was a file-like object, pos has the + # file position of the previous body. Ensure it's set to + # None. + self._thread_local.pos = None + r.register_hook('response', self.handle_401) + r.register_hook('response', self.handle_redirect) + self._thread_local.num_401_calls = 1 + + return r + + def __eq__(self, other): + return all([ + self.username == getattr(other, 'username', None), + self.password == getattr(other, 'password', None) + ]) + + def __ne__(self, other): + return not self == other diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/certs.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/certs.py new file mode 100644 index 0000000..06a594e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/certs.py @@ -0,0 +1,18 @@ +#!/usr/bin/env python +# -*- coding: utf-8 -*- + +""" +requests.certs +~~~~~~~~~~~~~~ + +This module returns the preferred default CA certificate bundle. There is +only one — the one from the certifi package. + +If you are packaging Requests, e.g., for a Linux distribution or a managed +environment, you can change the definition of where() to return a separately +packaged CA bundle. +""" +from pip._vendor.certifi import where + +if __name__ == '__main__': + print(where()) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/compat.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/compat.py new file mode 100644 index 0000000..6a86893 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/compat.py @@ -0,0 +1,74 @@ +# -*- coding: utf-8 -*- + +""" +requests.compat +~~~~~~~~~~~~~~~ + +This module handles import compatibility issues between Python 2 and +Python 3. +""" + +from pip._vendor import chardet + +import sys + +# ------- +# Pythons +# ------- + +# Syntax sugar. +_ver = sys.version_info + +#: Python 2.x? +is_py2 = (_ver[0] == 2) + +#: Python 3.x? +is_py3 = (_ver[0] == 3) + +# Note: We've patched out simplejson support in pip because it prevents +# upgrading simplejson on Windows. +# try: +# import simplejson as json +# except (ImportError, SyntaxError): +# # simplejson does not support Python 3.2, it throws a SyntaxError +# # because of u'...' Unicode literals. +import json + +# --------- +# Specifics +# --------- + +if is_py2: + from urllib import ( + quote, unquote, quote_plus, unquote_plus, urlencode, getproxies, + proxy_bypass, proxy_bypass_environment, getproxies_environment) + from urlparse import urlparse, urlunparse, urljoin, urlsplit, urldefrag + from urllib2 import parse_http_list + import cookielib + from Cookie import Morsel + from StringIO import StringIO + from collections import Callable, Mapping, MutableMapping, OrderedDict + + + builtin_str = str + bytes = str + str = unicode + basestring = basestring + numeric_types = (int, long, float) + integer_types = (int, long) + +elif is_py3: + from urllib.parse import urlparse, urlunparse, urljoin, urlsplit, urlencode, quote, unquote, quote_plus, unquote_plus, urldefrag + from urllib.request import parse_http_list, getproxies, proxy_bypass, proxy_bypass_environment, getproxies_environment + from http import cookiejar as cookielib + from http.cookies import Morsel + from io import StringIO + from collections import OrderedDict + from collections.abc import Callable, Mapping, MutableMapping + + builtin_str = str + str = str + bytes = bytes + basestring = (str, bytes) + numeric_types = (int, float) + integer_types = (int,) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/cookies.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/cookies.py new file mode 100644 index 0000000..56fccd9 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/cookies.py @@ -0,0 +1,549 @@ +# -*- coding: utf-8 -*- + +""" +requests.cookies +~~~~~~~~~~~~~~~~ + +Compatibility code to be able to use `cookielib.CookieJar` with requests. + +requests.utils imports from here, so be careful with imports. +""" + +import copy +import time +import calendar + +from ._internal_utils import to_native_string +from .compat import cookielib, urlparse, urlunparse, Morsel, MutableMapping + +try: + import threading +except ImportError: + import dummy_threading as threading + + +class MockRequest(object): + """Wraps a `requests.Request` to mimic a `urllib2.Request`. + + The code in `cookielib.CookieJar` expects this interface in order to correctly + manage cookie policies, i.e., determine whether a cookie can be set, given the + domains of the request and the cookie. + + The original request object is read-only. The client is responsible for collecting + the new headers via `get_new_headers()` and interpreting them appropriately. You + probably want `get_cookie_header`, defined below. + """ + + def __init__(self, request): + self._r = request + self._new_headers = {} + self.type = urlparse(self._r.url).scheme + + def get_type(self): + return self.type + + def get_host(self): + return urlparse(self._r.url).netloc + + def get_origin_req_host(self): + return self.get_host() + + def get_full_url(self): + # Only return the response's URL if the user hadn't set the Host + # header + if not self._r.headers.get('Host'): + return self._r.url + # If they did set it, retrieve it and reconstruct the expected domain + host = to_native_string(self._r.headers['Host'], encoding='utf-8') + parsed = urlparse(self._r.url) + # Reconstruct the URL as we expect it + return urlunparse([ + parsed.scheme, host, parsed.path, parsed.params, parsed.query, + parsed.fragment + ]) + + def is_unverifiable(self): + return True + + def has_header(self, name): + return name in self._r.headers or name in self._new_headers + + def get_header(self, name, default=None): + return self._r.headers.get(name, self._new_headers.get(name, default)) + + def add_header(self, key, val): + """cookielib has no legitimate use for this method; add it back if you find one.""" + raise NotImplementedError("Cookie headers should be added with add_unredirected_header()") + + def add_unredirected_header(self, name, value): + self._new_headers[name] = value + + def get_new_headers(self): + return self._new_headers + + @property + def unverifiable(self): + return self.is_unverifiable() + + @property + def origin_req_host(self): + return self.get_origin_req_host() + + @property + def host(self): + return self.get_host() + + +class MockResponse(object): + """Wraps a `httplib.HTTPMessage` to mimic a `urllib.addinfourl`. + + ...what? Basically, expose the parsed HTTP headers from the server response + the way `cookielib` expects to see them. + """ + + def __init__(self, headers): + """Make a MockResponse for `cookielib` to read. + + :param headers: a httplib.HTTPMessage or analogous carrying the headers + """ + self._headers = headers + + def info(self): + return self._headers + + def getheaders(self, name): + self._headers.getheaders(name) + + +def extract_cookies_to_jar(jar, request, response): + """Extract the cookies from the response into a CookieJar. + + :param jar: cookielib.CookieJar (not necessarily a RequestsCookieJar) + :param request: our own requests.Request object + :param response: urllib3.HTTPResponse object + """ + if not (hasattr(response, '_original_response') and + response._original_response): + return + # the _original_response field is the wrapped httplib.HTTPResponse object, + req = MockRequest(request) + # pull out the HTTPMessage with the headers and put it in the mock: + res = MockResponse(response._original_response.msg) + jar.extract_cookies(res, req) + + +def get_cookie_header(jar, request): + """ + Produce an appropriate Cookie header string to be sent with `request`, or None. + + :rtype: str + """ + r = MockRequest(request) + jar.add_cookie_header(r) + return r.get_new_headers().get('Cookie') + + +def remove_cookie_by_name(cookiejar, name, domain=None, path=None): + """Unsets a cookie by name, by default over all domains and paths. + + Wraps CookieJar.clear(), is O(n). + """ + clearables = [] + for cookie in cookiejar: + if cookie.name != name: + continue + if domain is not None and domain != cookie.domain: + continue + if path is not None and path != cookie.path: + continue + clearables.append((cookie.domain, cookie.path, cookie.name)) + + for domain, path, name in clearables: + cookiejar.clear(domain, path, name) + + +class CookieConflictError(RuntimeError): + """There are two cookies that meet the criteria specified in the cookie jar. + Use .get and .set and include domain and path args in order to be more specific. + """ + + +class RequestsCookieJar(cookielib.CookieJar, MutableMapping): + """Compatibility class; is a cookielib.CookieJar, but exposes a dict + interface. + + This is the CookieJar we create by default for requests and sessions that + don't specify one, since some clients may expect response.cookies and + session.cookies to support dict operations. + + Requests does not use the dict interface internally; it's just for + compatibility with external client code. All requests code should work + out of the box with externally provided instances of ``CookieJar``, e.g. + ``LWPCookieJar`` and ``FileCookieJar``. + + Unlike a regular CookieJar, this class is pickleable. + + .. warning:: dictionary operations that are normally O(1) may be O(n). + """ + + def get(self, name, default=None, domain=None, path=None): + """Dict-like get() that also supports optional domain and path args in + order to resolve naming collisions from using one cookie jar over + multiple domains. + + .. warning:: operation is O(n), not O(1). + """ + try: + return self._find_no_duplicates(name, domain, path) + except KeyError: + return default + + def set(self, name, value, **kwargs): + """Dict-like set() that also supports optional domain and path args in + order to resolve naming collisions from using one cookie jar over + multiple domains. + """ + # support client code that unsets cookies by assignment of a None value: + if value is None: + remove_cookie_by_name(self, name, domain=kwargs.get('domain'), path=kwargs.get('path')) + return + + if isinstance(value, Morsel): + c = morsel_to_cookie(value) + else: + c = create_cookie(name, value, **kwargs) + self.set_cookie(c) + return c + + def iterkeys(self): + """Dict-like iterkeys() that returns an iterator of names of cookies + from the jar. + + .. seealso:: itervalues() and iteritems(). + """ + for cookie in iter(self): + yield cookie.name + + def keys(self): + """Dict-like keys() that returns a list of names of cookies from the + jar. + + .. seealso:: values() and items(). + """ + return list(self.iterkeys()) + + def itervalues(self): + """Dict-like itervalues() that returns an iterator of values of cookies + from the jar. + + .. seealso:: iterkeys() and iteritems(). + """ + for cookie in iter(self): + yield cookie.value + + def values(self): + """Dict-like values() that returns a list of values of cookies from the + jar. + + .. seealso:: keys() and items(). + """ + return list(self.itervalues()) + + def iteritems(self): + """Dict-like iteritems() that returns an iterator of name-value tuples + from the jar. + + .. seealso:: iterkeys() and itervalues(). + """ + for cookie in iter(self): + yield cookie.name, cookie.value + + def items(self): + """Dict-like items() that returns a list of name-value tuples from the + jar. Allows client-code to call ``dict(RequestsCookieJar)`` and get a + vanilla python dict of key value pairs. + + .. seealso:: keys() and values(). + """ + return list(self.iteritems()) + + def list_domains(self): + """Utility method to list all the domains in the jar.""" + domains = [] + for cookie in iter(self): + if cookie.domain not in domains: + domains.append(cookie.domain) + return domains + + def list_paths(self): + """Utility method to list all the paths in the jar.""" + paths = [] + for cookie in iter(self): + if cookie.path not in paths: + paths.append(cookie.path) + return paths + + def multiple_domains(self): + """Returns True if there are multiple domains in the jar. + Returns False otherwise. + + :rtype: bool + """ + domains = [] + for cookie in iter(self): + if cookie.domain is not None and cookie.domain in domains: + return True + domains.append(cookie.domain) + return False # there is only one domain in jar + + def get_dict(self, domain=None, path=None): + """Takes as an argument an optional domain and path and returns a plain + old Python dict of name-value pairs of cookies that meet the + requirements. + + :rtype: dict + """ + dictionary = {} + for cookie in iter(self): + if ( + (domain is None or cookie.domain == domain) and + (path is None or cookie.path == path) + ): + dictionary[cookie.name] = cookie.value + return dictionary + + def __contains__(self, name): + try: + return super(RequestsCookieJar, self).__contains__(name) + except CookieConflictError: + return True + + def __getitem__(self, name): + """Dict-like __getitem__() for compatibility with client code. Throws + exception if there are more than one cookie with name. In that case, + use the more explicit get() method instead. + + .. warning:: operation is O(n), not O(1). + """ + return self._find_no_duplicates(name) + + def __setitem__(self, name, value): + """Dict-like __setitem__ for compatibility with client code. Throws + exception if there is already a cookie of that name in the jar. In that + case, use the more explicit set() method instead. + """ + self.set(name, value) + + def __delitem__(self, name): + """Deletes a cookie given a name. Wraps ``cookielib.CookieJar``'s + ``remove_cookie_by_name()``. + """ + remove_cookie_by_name(self, name) + + def set_cookie(self, cookie, *args, **kwargs): + if hasattr(cookie.value, 'startswith') and cookie.value.startswith('"') and cookie.value.endswith('"'): + cookie.value = cookie.value.replace('\\"', '') + return super(RequestsCookieJar, self).set_cookie(cookie, *args, **kwargs) + + def update(self, other): + """Updates this jar with cookies from another CookieJar or dict-like""" + if isinstance(other, cookielib.CookieJar): + for cookie in other: + self.set_cookie(copy.copy(cookie)) + else: + super(RequestsCookieJar, self).update(other) + + def _find(self, name, domain=None, path=None): + """Requests uses this method internally to get cookie values. + + If there are conflicting cookies, _find arbitrarily chooses one. + See _find_no_duplicates if you want an exception thrown if there are + conflicting cookies. + + :param name: a string containing name of cookie + :param domain: (optional) string containing domain of cookie + :param path: (optional) string containing path of cookie + :return: cookie.value + """ + for cookie in iter(self): + if cookie.name == name: + if domain is None or cookie.domain == domain: + if path is None or cookie.path == path: + return cookie.value + + raise KeyError('name=%r, domain=%r, path=%r' % (name, domain, path)) + + def _find_no_duplicates(self, name, domain=None, path=None): + """Both ``__get_item__`` and ``get`` call this function: it's never + used elsewhere in Requests. + + :param name: a string containing name of cookie + :param domain: (optional) string containing domain of cookie + :param path: (optional) string containing path of cookie + :raises KeyError: if cookie is not found + :raises CookieConflictError: if there are multiple cookies + that match name and optionally domain and path + :return: cookie.value + """ + toReturn = None + for cookie in iter(self): + if cookie.name == name: + if domain is None or cookie.domain == domain: + if path is None or cookie.path == path: + if toReturn is not None: # if there are multiple cookies that meet passed in criteria + raise CookieConflictError('There are multiple cookies with name, %r' % (name)) + toReturn = cookie.value # we will eventually return this as long as no cookie conflict + + if toReturn: + return toReturn + raise KeyError('name=%r, domain=%r, path=%r' % (name, domain, path)) + + def __getstate__(self): + """Unlike a normal CookieJar, this class is pickleable.""" + state = self.__dict__.copy() + # remove the unpickleable RLock object + state.pop('_cookies_lock') + return state + + def __setstate__(self, state): + """Unlike a normal CookieJar, this class is pickleable.""" + self.__dict__.update(state) + if '_cookies_lock' not in self.__dict__: + self._cookies_lock = threading.RLock() + + def copy(self): + """Return a copy of this RequestsCookieJar.""" + new_cj = RequestsCookieJar() + new_cj.set_policy(self.get_policy()) + new_cj.update(self) + return new_cj + + def get_policy(self): + """Return the CookiePolicy instance used.""" + return self._policy + + +def _copy_cookie_jar(jar): + if jar is None: + return None + + if hasattr(jar, 'copy'): + # We're dealing with an instance of RequestsCookieJar + return jar.copy() + # We're dealing with a generic CookieJar instance + new_jar = copy.copy(jar) + new_jar.clear() + for cookie in jar: + new_jar.set_cookie(copy.copy(cookie)) + return new_jar + + +def create_cookie(name, value, **kwargs): + """Make a cookie from underspecified parameters. + + By default, the pair of `name` and `value` will be set for the domain '' + and sent on every request (this is sometimes called a "supercookie"). + """ + result = { + 'version': 0, + 'name': name, + 'value': value, + 'port': None, + 'domain': '', + 'path': '/', + 'secure': False, + 'expires': None, + 'discard': True, + 'comment': None, + 'comment_url': None, + 'rest': {'HttpOnly': None}, + 'rfc2109': False, + } + + badargs = set(kwargs) - set(result) + if badargs: + err = 'create_cookie() got unexpected keyword arguments: %s' + raise TypeError(err % list(badargs)) + + result.update(kwargs) + result['port_specified'] = bool(result['port']) + result['domain_specified'] = bool(result['domain']) + result['domain_initial_dot'] = result['domain'].startswith('.') + result['path_specified'] = bool(result['path']) + + return cookielib.Cookie(**result) + + +def morsel_to_cookie(morsel): + """Convert a Morsel object into a Cookie containing the one k/v pair.""" + + expires = None + if morsel['max-age']: + try: + expires = int(time.time() + int(morsel['max-age'])) + except ValueError: + raise TypeError('max-age: %s must be integer' % morsel['max-age']) + elif morsel['expires']: + time_template = '%a, %d-%b-%Y %H:%M:%S GMT' + expires = calendar.timegm( + time.strptime(morsel['expires'], time_template) + ) + return create_cookie( + comment=morsel['comment'], + comment_url=bool(morsel['comment']), + discard=False, + domain=morsel['domain'], + expires=expires, + name=morsel.key, + path=morsel['path'], + port=None, + rest={'HttpOnly': morsel['httponly']}, + rfc2109=False, + secure=bool(morsel['secure']), + value=morsel.value, + version=morsel['version'] or 0, + ) + + +def cookiejar_from_dict(cookie_dict, cookiejar=None, overwrite=True): + """Returns a CookieJar from a key/value dictionary. + + :param cookie_dict: Dict of key/values to insert into CookieJar. + :param cookiejar: (optional) A cookiejar to add the cookies to. + :param overwrite: (optional) If False, will not replace cookies + already in the jar with new ones. + :rtype: CookieJar + """ + if cookiejar is None: + cookiejar = RequestsCookieJar() + + if cookie_dict is not None: + names_from_jar = [cookie.name for cookie in cookiejar] + for name in cookie_dict: + if overwrite or (name not in names_from_jar): + cookiejar.set_cookie(create_cookie(name, cookie_dict[name])) + + return cookiejar + + +def merge_cookies(cookiejar, cookies): + """Add cookies to cookiejar and returns a merged CookieJar. + + :param cookiejar: CookieJar object to add the cookies to. + :param cookies: Dictionary or CookieJar object to be added. + :rtype: CookieJar + """ + if not isinstance(cookiejar, cookielib.CookieJar): + raise ValueError('You can only merge into CookieJar') + + if isinstance(cookies, dict): + cookiejar = cookiejar_from_dict( + cookies, cookiejar=cookiejar, overwrite=False) + elif isinstance(cookies, cookielib.CookieJar): + try: + cookiejar.update(cookies) + except AttributeError: + for cookie_in_jar in cookies: + cookiejar.set_cookie(cookie_in_jar) + + return cookiejar diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/exceptions.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/exceptions.py new file mode 100644 index 0000000..a91e1fd --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/exceptions.py @@ -0,0 +1,126 @@ +# -*- coding: utf-8 -*- + +""" +requests.exceptions +~~~~~~~~~~~~~~~~~~~ + +This module contains the set of Requests' exceptions. +""" +from pip._vendor.urllib3.exceptions import HTTPError as BaseHTTPError + + +class RequestException(IOError): + """There was an ambiguous exception that occurred while handling your + request. + """ + + def __init__(self, *args, **kwargs): + """Initialize RequestException with `request` and `response` objects.""" + response = kwargs.pop('response', None) + self.response = response + self.request = kwargs.pop('request', None) + if (response is not None and not self.request and + hasattr(response, 'request')): + self.request = self.response.request + super(RequestException, self).__init__(*args, **kwargs) + + +class HTTPError(RequestException): + """An HTTP error occurred.""" + + +class ConnectionError(RequestException): + """A Connection error occurred.""" + + +class ProxyError(ConnectionError): + """A proxy error occurred.""" + + +class SSLError(ConnectionError): + """An SSL error occurred.""" + + +class Timeout(RequestException): + """The request timed out. + + Catching this error will catch both + :exc:`~requests.exceptions.ConnectTimeout` and + :exc:`~requests.exceptions.ReadTimeout` errors. + """ + + +class ConnectTimeout(ConnectionError, Timeout): + """The request timed out while trying to connect to the remote server. + + Requests that produced this error are safe to retry. + """ + + +class ReadTimeout(Timeout): + """The server did not send any data in the allotted amount of time.""" + + +class URLRequired(RequestException): + """A valid URL is required to make a request.""" + + +class TooManyRedirects(RequestException): + """Too many redirects.""" + + +class MissingSchema(RequestException, ValueError): + """The URL schema (e.g. http or https) is missing.""" + + +class InvalidSchema(RequestException, ValueError): + """See defaults.py for valid schemas.""" + + +class InvalidURL(RequestException, ValueError): + """The URL provided was somehow invalid.""" + + +class InvalidHeader(RequestException, ValueError): + """The header value provided was somehow invalid.""" + + +class InvalidProxyURL(InvalidURL): + """The proxy URL provided is invalid.""" + + +class ChunkedEncodingError(RequestException): + """The server declared chunked encoding but sent an invalid chunk.""" + + +class ContentDecodingError(RequestException, BaseHTTPError): + """Failed to decode response content""" + + +class StreamConsumedError(RequestException, TypeError): + """The content for this response was already consumed""" + + +class RetryError(RequestException): + """Custom retries logic failed""" + + +class UnrewindableBodyError(RequestException): + """Requests encountered an error when trying to rewind a body""" + +# Warnings + + +class RequestsWarning(Warning): + """Base warning for Requests.""" + pass + + +class FileModeWarning(RequestsWarning, DeprecationWarning): + """A file was opened in text mode, but Requests determined its binary length.""" + pass + + +class RequestsDependencyWarning(RequestsWarning): + """An imported dependency doesn't match the expected version range.""" + pass diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/help.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/help.py new file mode 100644 index 0000000..3c3072b --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/help.py @@ -0,0 +1,119 @@ +"""Module containing bug report helper(s).""" +from __future__ import print_function + +import json +import platform +import sys +import ssl + +from pip._vendor import idna +from pip._vendor import urllib3 +from pip._vendor import chardet + +from . import __version__ as requests_version + +try: + from pip._vendor.urllib3.contrib import pyopenssl +except ImportError: + pyopenssl = None + OpenSSL = None + cryptography = None +else: + import OpenSSL + import cryptography + + +def _implementation(): + """Return a dict with the Python implementation and version. + + Provide both the name and the version of the Python implementation + currently running. For example, on CPython 2.7.5 it will return + {'name': 'CPython', 'version': '2.7.5'}. + + This function works best on CPython and PyPy: in particular, it probably + doesn't work for Jython or IronPython. Future investigation should be done + to work out the correct shape of the code for those platforms. + """ + implementation = platform.python_implementation() + + if implementation == 'CPython': + implementation_version = platform.python_version() + elif implementation == 'PyPy': + implementation_version = '%s.%s.%s' % (sys.pypy_version_info.major, + sys.pypy_version_info.minor, + sys.pypy_version_info.micro) + if sys.pypy_version_info.releaselevel != 'final': + implementation_version = ''.join([ + implementation_version, sys.pypy_version_info.releaselevel + ]) + elif implementation == 'Jython': + implementation_version = platform.python_version() # Complete Guess + elif implementation == 'IronPython': + implementation_version = platform.python_version() # Complete Guess + else: + implementation_version = 'Unknown' + + return {'name': implementation, 'version': implementation_version} + + +def info(): + """Generate information for a bug report.""" + try: + platform_info = { + 'system': platform.system(), + 'release': platform.release(), + } + except IOError: + platform_info = { + 'system': 'Unknown', + 'release': 'Unknown', + } + + implementation_info = _implementation() + urllib3_info = {'version': urllib3.__version__} + chardet_info = {'version': chardet.__version__} + + pyopenssl_info = { + 'version': None, + 'openssl_version': '', + } + if OpenSSL: + pyopenssl_info = { + 'version': OpenSSL.__version__, + 'openssl_version': '%x' % OpenSSL.SSL.OPENSSL_VERSION_NUMBER, + } + cryptography_info = { + 'version': getattr(cryptography, '__version__', ''), + } + idna_info = { + 'version': getattr(idna, '__version__', ''), + } + + system_ssl = ssl.OPENSSL_VERSION_NUMBER + system_ssl_info = { + 'version': '%x' % system_ssl if system_ssl is not None else '' + } + + return { + 'platform': platform_info, + 'implementation': implementation_info, + 'system_ssl': system_ssl_info, + 'using_pyopenssl': pyopenssl is not None, + 'pyOpenSSL': pyopenssl_info, + 'urllib3': urllib3_info, + 'chardet': chardet_info, + 'cryptography': cryptography_info, + 'idna': idna_info, + 'requests': { + 'version': requests_version, + }, + } + + +def main(): + """Pretty-print the bug information as JSON.""" + print(json.dumps(info(), sort_keys=True, indent=2)) + + +if __name__ == '__main__': + main() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/hooks.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/hooks.py new file mode 100644 index 0000000..7a51f21 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/hooks.py @@ -0,0 +1,34 @@ +# -*- coding: utf-8 -*- + +""" +requests.hooks +~~~~~~~~~~~~~~ + +This module provides the capabilities for the Requests hooks system. + +Available hooks: + +``response``: + The response generated from a Request. +""" +HOOKS = ['response'] + + +def default_hooks(): + return {event: [] for event in HOOKS} + +# TODO: response is the only one + + +def dispatch_hook(key, hooks, hook_data, **kwargs): + """Dispatches a hook dictionary on a given piece of data.""" + hooks = hooks or {} + hooks = hooks.get(key) + if hooks: + if hasattr(hooks, '__call__'): + hooks = [hooks] + for hook in hooks: + _hook_data = hook(hook_data, **kwargs) + if _hook_data is not None: + hook_data = _hook_data + return hook_data diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/models.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/models.py new file mode 100644 index 0000000..0839957 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/models.py @@ -0,0 +1,953 @@ +# -*- coding: utf-8 -*- + +""" +requests.models +~~~~~~~~~~~~~~~ + +This module contains the primary objects that power Requests. +""" + +import datetime +import sys + +# Import encoding now, to avoid implicit import later. +# Implicit import within threads may cause LookupError when standard library is in a ZIP, +# such as in Embedded Python. See https://github.com/requests/requests/issues/3578. +import encodings.idna + +from pip._vendor.urllib3.fields import RequestField +from pip._vendor.urllib3.filepost import encode_multipart_formdata +from pip._vendor.urllib3.util import parse_url +from pip._vendor.urllib3.exceptions import ( + DecodeError, ReadTimeoutError, ProtocolError, LocationParseError) + +from io import UnsupportedOperation +from .hooks import default_hooks +from .structures import CaseInsensitiveDict + +from .auth import HTTPBasicAuth +from .cookies import cookiejar_from_dict, get_cookie_header, _copy_cookie_jar +from .exceptions import ( + HTTPError, MissingSchema, InvalidURL, ChunkedEncodingError, + ContentDecodingError, ConnectionError, StreamConsumedError) +from ._internal_utils import to_native_string, unicode_is_ascii +from .utils import ( + guess_filename, get_auth_from_url, requote_uri, + stream_decode_response_unicode, to_key_val_list, parse_header_links, + iter_slices, guess_json_utf, super_len, check_header_validity) +from .compat import ( + Callable, Mapping, + cookielib, urlunparse, urlsplit, urlencode, str, bytes, + is_py2, chardet, builtin_str, basestring) +from .compat import json as complexjson +from .status_codes import codes + +#: The set of HTTP status codes that indicate an automatically +#: processable redirect. +REDIRECT_STATI = ( + codes.moved, # 301 + codes.found, # 302 + codes.other, # 303 + codes.temporary_redirect, # 307 + codes.permanent_redirect, # 308 +) + +DEFAULT_REDIRECT_LIMIT = 30 +CONTENT_CHUNK_SIZE = 10 * 1024 +ITER_CHUNK_SIZE = 512 + + +class RequestEncodingMixin(object): + @property + def path_url(self): + """Build the path URL to use.""" + + url = [] + + p = urlsplit(self.url) + + path = p.path + if not path: + path = '/' + + url.append(path) + + query = p.query + if query: + url.append('?') + url.append(query) + + return ''.join(url) + + @staticmethod + def _encode_params(data): + """Encode parameters in a piece of data. + + Will successfully encode parameters when passed as a dict or a list of + 2-tuples. Order is retained if data is a list of 2-tuples but arbitrary + if parameters are supplied as a dict. + """ + + if isinstance(data, (str, bytes)): + return data + elif hasattr(data, 'read'): + return data + elif hasattr(data, '__iter__'): + result = [] + for k, vs in to_key_val_list(data): + if isinstance(vs, basestring) or not hasattr(vs, '__iter__'): + vs = [vs] + for v in vs: + if v is not None: + result.append( + (k.encode('utf-8') if isinstance(k, str) else k, + v.encode('utf-8') if isinstance(v, str) else v)) + return urlencode(result, doseq=True) + else: + return data + + @staticmethod + def _encode_files(files, data): + """Build the body for a multipart/form-data request. + + Will successfully encode files when passed as a dict or a list of + tuples. Order is retained if data is a list of tuples but arbitrary + if parameters are supplied as a dict. + The tuples may be 2-tuples (filename, fileobj), 3-tuples (filename, fileobj, contentype) + or 4-tuples (filename, fileobj, contentype, custom_headers). + """ + if (not files): + raise ValueError("Files must be provided.") + elif isinstance(data, basestring): + raise ValueError("Data must not be a string.") + + new_fields = [] + fields = to_key_val_list(data or {}) + files = to_key_val_list(files or {}) + + for field, val in fields: + if isinstance(val, basestring) or not hasattr(val, '__iter__'): + val = [val] + for v in val: + if v is not None: + # Don't call str() on bytestrings: in Py3 it all goes wrong. + if not isinstance(v, bytes): + v = str(v) + + new_fields.append( + (field.decode('utf-8') if isinstance(field, bytes) else field, + v.encode('utf-8') if isinstance(v, str) else v)) + + for (k, v) in files: + # support for explicit filename + ft = None + fh = None + if isinstance(v, (tuple, list)): + if len(v) == 2: + fn, fp = v + elif len(v) == 3: + fn, fp, ft = v + else: + fn, fp, ft, fh = v + else: + fn = guess_filename(v) or k + fp = v + + if isinstance(fp, (str, bytes, bytearray)): + fdata = fp + elif hasattr(fp, 'read'): + fdata = fp.read() + elif fp is None: + continue + else: + fdata = fp + + rf = RequestField(name=k, data=fdata, filename=fn, headers=fh) + rf.make_multipart(content_type=ft) + new_fields.append(rf) + + body, content_type = encode_multipart_formdata(new_fields) + + return body, content_type + + +class RequestHooksMixin(object): + def register_hook(self, event, hook): + """Properly register a hook.""" + + if event not in self.hooks: + raise ValueError('Unsupported event specified, with event name "%s"' % (event)) + + if isinstance(hook, Callable): + self.hooks[event].append(hook) + elif hasattr(hook, '__iter__'): + self.hooks[event].extend(h for h in hook if isinstance(h, Callable)) + + def deregister_hook(self, event, hook): + """Deregister a previously registered hook. + Returns True if the hook existed, False if not. + """ + + try: + self.hooks[event].remove(hook) + return True + except ValueError: + return False + + +class Request(RequestHooksMixin): + """A user-created :class:`Request <Request>` object. + + Used to prepare a :class:`PreparedRequest <PreparedRequest>`, which is sent to the server. + + :param method: HTTP method to use. + :param url: URL to send. + :param headers: dictionary of headers to send. + :param files: dictionary of {filename: fileobject} files to multipart upload. + :param data: the body to attach to the request. If a dictionary or + list of tuples ``[(key, value)]`` is provided, form-encoding will + take place. + :param json: json for the body to attach to the request (if files or data is not specified). + :param params: URL parameters to append to the URL. If a dictionary or + list of tuples ``[(key, value)]`` is provided, form-encoding will + take place. + :param auth: Auth handler or (user, pass) tuple. + :param cookies: dictionary or CookieJar of cookies to attach to this request. + :param hooks: dictionary of callback hooks, for internal usage. + + Usage:: + + >>> import requests + >>> req = requests.Request('GET', 'https://httpbin.org/get') + >>> req.prepare() + <PreparedRequest [GET]> + """ + + def __init__(self, + method=None, url=None, headers=None, files=None, data=None, + params=None, auth=None, cookies=None, hooks=None, json=None): + + # Default empty dicts for dict params. + data = [] if data is None else data + files = [] if files is None else files + headers = {} if headers is None else headers + params = {} if params is None else params + hooks = {} if hooks is None else hooks + + self.hooks = default_hooks() + for (k, v) in list(hooks.items()): + self.register_hook(event=k, hook=v) + + self.method = method + self.url = url + self.headers = headers + self.files = files + self.data = data + self.json = json + self.params = params + self.auth = auth + self.cookies = cookies + + def __repr__(self): + return '<Request [%s]>' % (self.method) + + def prepare(self): + """Constructs a :class:`PreparedRequest <PreparedRequest>` for transmission and returns it.""" + p = PreparedRequest() + p.prepare( + method=self.method, + url=self.url, + headers=self.headers, + files=self.files, + data=self.data, + json=self.json, + params=self.params, + auth=self.auth, + cookies=self.cookies, + hooks=self.hooks, + ) + return p + + +class PreparedRequest(RequestEncodingMixin, RequestHooksMixin): + """The fully mutable :class:`PreparedRequest <PreparedRequest>` object, + containing the exact bytes that will be sent to the server. + + Generated from either a :class:`Request <Request>` object or manually. + + Usage:: + + >>> import requests + >>> req = requests.Request('GET', 'https://httpbin.org/get') + >>> r = req.prepare() + <PreparedRequest [GET]> + + >>> s = requests.Session() + >>> s.send(r) + <Response [200]> + """ + + def __init__(self): + #: HTTP verb to send to the server. + self.method = None + #: HTTP URL to send the request to. + self.url = None + #: dictionary of HTTP headers. + self.headers = None + # The `CookieJar` used to create the Cookie header will be stored here + # after prepare_cookies is called + self._cookies = None + #: request body to send to the server. + self.body = None + #: dictionary of callback hooks, for internal usage. + self.hooks = default_hooks() + #: integer denoting starting position of a readable file-like body. + self._body_position = None + + def prepare(self, + method=None, url=None, headers=None, files=None, data=None, + params=None, auth=None, cookies=None, hooks=None, json=None): + """Prepares the entire request with the given parameters.""" + + self.prepare_method(method) + self.prepare_url(url, params) + self.prepare_headers(headers) + self.prepare_cookies(cookies) + self.prepare_body(data, files, json) + self.prepare_auth(auth, url) + + # Note that prepare_auth must be last to enable authentication schemes + # such as OAuth to work on a fully prepared request. + + # This MUST go after prepare_auth. Authenticators could add a hook + self.prepare_hooks(hooks) + + def __repr__(self): + return '<PreparedRequest [%s]>' % (self.method) + + def copy(self): + p = PreparedRequest() + p.method = self.method + p.url = self.url + p.headers = self.headers.copy() if self.headers is not None else None + p._cookies = _copy_cookie_jar(self._cookies) + p.body = self.body + p.hooks = self.hooks + p._body_position = self._body_position + return p + + def prepare_method(self, method): + """Prepares the given HTTP method.""" + self.method = method + if self.method is not None: + self.method = to_native_string(self.method.upper()) + + @staticmethod + def _get_idna_encoded_host(host): + from pip._vendor import idna + + try: + host = idna.encode(host, uts46=True).decode('utf-8') + except idna.IDNAError: + raise UnicodeError + return host + + def prepare_url(self, url, params): + """Prepares the given HTTP URL.""" + #: Accept objects that have string representations. + #: We're unable to blindly call unicode/str functions + #: as this will include the bytestring indicator (b'') + #: on python 3.x. + #: https://github.com/requests/requests/pull/2238 + if isinstance(url, bytes): + url = url.decode('utf8') + else: + url = unicode(url) if is_py2 else str(url) + + # Remove leading whitespaces from url + url = url.lstrip() + + # Don't do any URL preparation for non-HTTP schemes like `mailto`, + # `data` etc to work around exceptions from `url_parse`, which + # handles RFC 3986 only. + if ':' in url and not url.lower().startswith('http'): + self.url = url + return + + # Support for unicode domain names and paths. + try: + scheme, auth, host, port, path, query, fragment = parse_url(url) + except LocationParseError as e: + raise InvalidURL(*e.args) + + if not scheme: + error = ("Invalid URL {0!r}: No schema supplied. Perhaps you meant http://{0}?") + error = error.format(to_native_string(url, 'utf8')) + + raise MissingSchema(error) + + if not host: + raise InvalidURL("Invalid URL %r: No host supplied" % url) + + # In general, we want to try IDNA encoding the hostname if the string contains + # non-ASCII characters. This allows users to automatically get the correct IDNA + # behaviour. For strings containing only ASCII characters, we need to also verify + # it doesn't start with a wildcard (*), before allowing the unencoded hostname. + if not unicode_is_ascii(host): + try: + host = self._get_idna_encoded_host(host) + except UnicodeError: + raise InvalidURL('URL has an invalid label.') + elif host.startswith(u'*'): + raise InvalidURL('URL has an invalid label.') + + # Carefully reconstruct the network location + netloc = auth or '' + if netloc: + netloc += '@' + netloc += host + if port: + netloc += ':' + str(port) + + # Bare domains aren't valid URLs. + if not path: + path = '/' + + if is_py2: + if isinstance(scheme, str): + scheme = scheme.encode('utf-8') + if isinstance(netloc, str): + netloc = netloc.encode('utf-8') + if isinstance(path, str): + path = path.encode('utf-8') + if isinstance(query, str): + query = query.encode('utf-8') + if isinstance(fragment, str): + fragment = fragment.encode('utf-8') + + if isinstance(params, (str, bytes)): + params = to_native_string(params) + + enc_params = self._encode_params(params) + if enc_params: + if query: + query = '%s&%s' % (query, enc_params) + else: + query = enc_params + + url = requote_uri(urlunparse([scheme, netloc, path, None, query, fragment])) + self.url = url + + def prepare_headers(self, headers): + """Prepares the given HTTP headers.""" + + self.headers = CaseInsensitiveDict() + if headers: + for header in headers.items(): + # Raise exception on invalid header value. + check_header_validity(header) + name, value = header + self.headers[to_native_string(name)] = value + + def prepare_body(self, data, files, json=None): + """Prepares the given HTTP body data.""" + + # Check if file, fo, generator, iterator. + # If not, run through normal process. + + # Nottin' on you. + body = None + content_type = None + + if not data and json is not None: + # urllib3 requires a bytes-like body. Python 2's json.dumps + # provides this natively, but Python 3 gives a Unicode string. + content_type = 'application/json' + body = complexjson.dumps(json) + if not isinstance(body, bytes): + body = body.encode('utf-8') + + is_stream = all([ + hasattr(data, '__iter__'), + not isinstance(data, (basestring, list, tuple, Mapping)) + ]) + + try: + length = super_len(data) + except (TypeError, AttributeError, UnsupportedOperation): + length = None + + if is_stream: + body = data + + if getattr(body, 'tell', None) is not None: + # Record the current file position before reading. + # This will allow us to rewind a file in the event + # of a redirect. + try: + self._body_position = body.tell() + except (IOError, OSError): + # This differentiates from None, allowing us to catch + # a failed `tell()` later when trying to rewind the body + self._body_position = object() + + if files: + raise NotImplementedError('Streamed bodies and files are mutually exclusive.') + + if length: + self.headers['Content-Length'] = builtin_str(length) + else: + self.headers['Transfer-Encoding'] = 'chunked' + else: + # Multi-part file uploads. + if files: + (body, content_type) = self._encode_files(files, data) + else: + if data: + body = self._encode_params(data) + if isinstance(data, basestring) or hasattr(data, 'read'): + content_type = None + else: + content_type = 'application/x-www-form-urlencoded' + + self.prepare_content_length(body) + + # Add content-type if it wasn't explicitly provided. + if content_type and ('content-type' not in self.headers): + self.headers['Content-Type'] = content_type + + self.body = body + + def prepare_content_length(self, body): + """Prepare Content-Length header based on request method and body""" + if body is not None: + length = super_len(body) + if length: + # If length exists, set it. Otherwise, we fallback + # to Transfer-Encoding: chunked. + self.headers['Content-Length'] = builtin_str(length) + elif self.method not in ('GET', 'HEAD') and self.headers.get('Content-Length') is None: + # Set Content-Length to 0 for methods that can have a body + # but don't provide one. (i.e. not GET or HEAD) + self.headers['Content-Length'] = '0' + + def prepare_auth(self, auth, url=''): + """Prepares the given HTTP auth data.""" + + # If no Auth is explicitly provided, extract it from the URL first. + if auth is None: + url_auth = get_auth_from_url(self.url) + auth = url_auth if any(url_auth) else None + + if auth: + if isinstance(auth, tuple) and len(auth) == 2: + # special-case basic HTTP auth + auth = HTTPBasicAuth(*auth) + + # Allow auth to make its changes. + r = auth(self) + + # Update self to reflect the auth changes. + self.__dict__.update(r.__dict__) + + # Recompute Content-Length + self.prepare_content_length(self.body) + + def prepare_cookies(self, cookies): + """Prepares the given HTTP cookie data. + + This function eventually generates a ``Cookie`` header from the + given cookies using cookielib. Due to cookielib's design, the header + will not be regenerated if it already exists, meaning this function + can only be called once for the life of the + :class:`PreparedRequest <PreparedRequest>` object. Any subsequent calls + to ``prepare_cookies`` will have no actual effect, unless the "Cookie" + header is removed beforehand. + """ + if isinstance(cookies, cookielib.CookieJar): + self._cookies = cookies + else: + self._cookies = cookiejar_from_dict(cookies) + + cookie_header = get_cookie_header(self._cookies, self) + if cookie_header is not None: + self.headers['Cookie'] = cookie_header + + def prepare_hooks(self, hooks): + """Prepares the given hooks.""" + # hooks can be passed as None to the prepare method and to this + # method. To prevent iterating over None, simply use an empty list + # if hooks is False-y + hooks = hooks or [] + for event in hooks: + self.register_hook(event, hooks[event]) + + +class Response(object): + """The :class:`Response <Response>` object, which contains a + server's response to an HTTP request. + """ + + __attrs__ = [ + '_content', 'status_code', 'headers', 'url', 'history', + 'encoding', 'reason', 'cookies', 'elapsed', 'request' + ] + + def __init__(self): + self._content = False + self._content_consumed = False + self._next = None + + #: Integer Code of responded HTTP Status, e.g. 404 or 200. + self.status_code = None + + #: Case-insensitive Dictionary of Response Headers. + #: For example, ``headers['content-encoding']`` will return the + #: value of a ``'Content-Encoding'`` response header. + self.headers = CaseInsensitiveDict() + + #: File-like object representation of response (for advanced usage). + #: Use of ``raw`` requires that ``stream=True`` be set on the request. + # This requirement does not apply for use internally to Requests. + self.raw = None + + #: Final URL location of Response. + self.url = None + + #: Encoding to decode with when accessing r.text. + self.encoding = None + + #: A list of :class:`Response <Response>` objects from + #: the history of the Request. Any redirect responses will end + #: up here. The list is sorted from the oldest to the most recent request. + self.history = [] + + #: Textual reason of responded HTTP Status, e.g. "Not Found" or "OK". + self.reason = None + + #: A CookieJar of Cookies the server sent back. + self.cookies = cookiejar_from_dict({}) + + #: The amount of time elapsed between sending the request + #: and the arrival of the response (as a timedelta). + #: This property specifically measures the time taken between sending + #: the first byte of the request and finishing parsing the headers. It + #: is therefore unaffected by consuming the response content or the + #: value of the ``stream`` keyword argument. + self.elapsed = datetime.timedelta(0) + + #: The :class:`PreparedRequest <PreparedRequest>` object to which this + #: is a response. + self.request = None + + def __enter__(self): + return self + + def __exit__(self, *args): + self.close() + + def __getstate__(self): + # Consume everything; accessing the content attribute makes + # sure the content has been fully read. + if not self._content_consumed: + self.content + + return {attr: getattr(self, attr, None) for attr in self.__attrs__} + + def __setstate__(self, state): + for name, value in state.items(): + setattr(self, name, value) + + # pickled objects do not have .raw + setattr(self, '_content_consumed', True) + setattr(self, 'raw', None) + + def __repr__(self): + return '<Response [%s]>' % (self.status_code) + + def __bool__(self): + """Returns True if :attr:`status_code` is less than 400. + + This attribute checks if the status code of the response is between + 400 and 600 to see if there was a client error or a server error. If + the status code, is between 200 and 400, this will return True. This + is **not** a check to see if the response code is ``200 OK``. + """ + return self.ok + + def __nonzero__(self): + """Returns True if :attr:`status_code` is less than 400. + + This attribute checks if the status code of the response is between + 400 and 600 to see if there was a client error or a server error. If + the status code, is between 200 and 400, this will return True. This + is **not** a check to see if the response code is ``200 OK``. + """ + return self.ok + + def __iter__(self): + """Allows you to use a response as an iterator.""" + return self.iter_content(128) + + @property + def ok(self): + """Returns True if :attr:`status_code` is less than 400, False if not. + + This attribute checks if the status code of the response is between + 400 and 600 to see if there was a client error or a server error. If + the status code is between 200 and 400, this will return True. This + is **not** a check to see if the response code is ``200 OK``. + """ + try: + self.raise_for_status() + except HTTPError: + return False + return True + + @property + def is_redirect(self): + """True if this Response is a well-formed HTTP redirect that could have + been processed automatically (by :meth:`Session.resolve_redirects`). + """ + return ('location' in self.headers and self.status_code in REDIRECT_STATI) + + @property + def is_permanent_redirect(self): + """True if this Response one of the permanent versions of redirect.""" + return ('location' in self.headers and self.status_code in (codes.moved_permanently, codes.permanent_redirect)) + + @property + def next(self): + """Returns a PreparedRequest for the next request in a redirect chain, if there is one.""" + return self._next + + @property + def apparent_encoding(self): + """The apparent encoding, provided by the chardet library.""" + return chardet.detect(self.content)['encoding'] + + def iter_content(self, chunk_size=1, decode_unicode=False): + """Iterates over the response data. When stream=True is set on the + request, this avoids reading the content at once into memory for + large responses. The chunk size is the number of bytes it should + read into memory. This is not necessarily the length of each item + returned as decoding can take place. + + chunk_size must be of type int or None. A value of None will + function differently depending on the value of `stream`. + stream=True will read data as it arrives in whatever size the + chunks are received. If stream=False, data is returned as + a single chunk. + + If decode_unicode is True, content will be decoded using the best + available encoding based on the response. + """ + + def generate(): + # Special case for urllib3. + if hasattr(self.raw, 'stream'): + try: + for chunk in self.raw.stream(chunk_size, decode_content=True): + yield chunk + except ProtocolError as e: + raise ChunkedEncodingError(e) + except DecodeError as e: + raise ContentDecodingError(e) + except ReadTimeoutError as e: + raise ConnectionError(e) + else: + # Standard file-like object. + while True: + chunk = self.raw.read(chunk_size) + if not chunk: + break + yield chunk + + self._content_consumed = True + + if self._content_consumed and isinstance(self._content, bool): + raise StreamConsumedError() + elif chunk_size is not None and not isinstance(chunk_size, int): + raise TypeError("chunk_size must be an int, it is instead a %s." % type(chunk_size)) + # simulate reading small chunks of the content + reused_chunks = iter_slices(self._content, chunk_size) + + stream_chunks = generate() + + chunks = reused_chunks if self._content_consumed else stream_chunks + + if decode_unicode: + chunks = stream_decode_response_unicode(chunks, self) + + return chunks + + def iter_lines(self, chunk_size=ITER_CHUNK_SIZE, decode_unicode=False, delimiter=None): + """Iterates over the response data, one line at a time. When + stream=True is set on the request, this avoids reading the + content at once into memory for large responses. + + .. note:: This method is not reentrant safe. + """ + + pending = None + + for chunk in self.iter_content(chunk_size=chunk_size, decode_unicode=decode_unicode): + + if pending is not None: + chunk = pending + chunk + + if delimiter: + lines = chunk.split(delimiter) + else: + lines = chunk.splitlines() + + if lines and lines[-1] and chunk and lines[-1][-1] == chunk[-1]: + pending = lines.pop() + else: + pending = None + + for line in lines: + yield line + + if pending is not None: + yield pending + + @property + def content(self): + """Content of the response, in bytes.""" + + if self._content is False: + # Read the contents. + if self._content_consumed: + raise RuntimeError( + 'The content for this response was already consumed') + + if self.status_code == 0 or self.raw is None: + self._content = None + else: + self._content = b''.join(self.iter_content(CONTENT_CHUNK_SIZE)) or b'' + + self._content_consumed = True + # don't need to release the connection; that's been handled by urllib3 + # since we exhausted the data. + return self._content + + @property + def text(self): + """Content of the response, in unicode. + + If Response.encoding is None, encoding will be guessed using + ``chardet``. + + The encoding of the response content is determined based solely on HTTP + headers, following RFC 2616 to the letter. If you can take advantage of + non-HTTP knowledge to make a better guess at the encoding, you should + set ``r.encoding`` appropriately before accessing this property. + """ + + # Try charset from content-type + content = None + encoding = self.encoding + + if not self.content: + return str('') + + # Fallback to auto-detected encoding. + if self.encoding is None: + encoding = self.apparent_encoding + + # Decode unicode from given encoding. + try: + content = str(self.content, encoding, errors='replace') + except (LookupError, TypeError): + # A LookupError is raised if the encoding was not found which could + # indicate a misspelling or similar mistake. + # + # A TypeError can be raised if encoding is None + # + # So we try blindly encoding. + content = str(self.content, errors='replace') + + return content + + def json(self, **kwargs): + r"""Returns the json-encoded content of a response, if any. + + :param \*\*kwargs: Optional arguments that ``json.loads`` takes. + :raises ValueError: If the response body does not contain valid json. + """ + + if not self.encoding and self.content and len(self.content) > 3: + # No encoding set. JSON RFC 4627 section 3 states we should expect + # UTF-8, -16 or -32. Detect which one to use; If the detection or + # decoding fails, fall back to `self.text` (using chardet to make + # a best guess). + encoding = guess_json_utf(self.content) + if encoding is not None: + try: + return complexjson.loads( + self.content.decode(encoding), **kwargs + ) + except UnicodeDecodeError: + # Wrong UTF codec detected; usually because it's not UTF-8 + # but some other 8-bit codec. This is an RFC violation, + # and the server didn't bother to tell us what codec *was* + # used. + pass + return complexjson.loads(self.text, **kwargs) + + @property + def links(self): + """Returns the parsed header links of the response, if any.""" + + header = self.headers.get('link') + + # l = MultiDict() + l = {} + + if header: + links = parse_header_links(header) + + for link in links: + key = link.get('rel') or link.get('url') + l[key] = link + + return l + + def raise_for_status(self): + """Raises stored :class:`HTTPError`, if one occurred.""" + + http_error_msg = '' + if isinstance(self.reason, bytes): + # We attempt to decode utf-8 first because some servers + # choose to localize their reason strings. If the string + # isn't utf-8, we fall back to iso-8859-1 for all other + # encodings. (See PR #3538) + try: + reason = self.reason.decode('utf-8') + except UnicodeDecodeError: + reason = self.reason.decode('iso-8859-1') + else: + reason = self.reason + + if 400 <= self.status_code < 500: + http_error_msg = u'%s Client Error: %s for url: %s' % (self.status_code, reason, self.url) + + elif 500 <= self.status_code < 600: + http_error_msg = u'%s Server Error: %s for url: %s' % (self.status_code, reason, self.url) + + if http_error_msg: + raise HTTPError(http_error_msg, response=self) + + def close(self): + """Releases the connection back to the pool. Once this method has been + called the underlying ``raw`` object must not be accessed again. + + *Note: Should not normally need to be called explicitly.* + """ + if not self._content_consumed: + self.raw.close() + + release_conn = getattr(self.raw, 'release_conn', None) + if release_conn is not None: + release_conn() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/packages.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/packages.py new file mode 100644 index 0000000..9582fa7 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/packages.py @@ -0,0 +1,16 @@ +import sys + +# This code exists for backwards compatibility reasons. +# I don't like it either. Just look the other way. :) + +for package in ('urllib3', 'idna', 'chardet'): + vendored_package = "pip._vendor." + package + locals()[package] = __import__(vendored_package) + # This traversal is apparently necessary such that the identities are + # preserved (requests.packages.urllib3.* is urllib3.*) + for mod in list(sys.modules): + if mod == vendored_package or mod.startswith(vendored_package + '.'): + unprefixed_mod = mod[len("pip._vendor."):] + sys.modules['pip._vendor.requests.packages.' + unprefixed_mod] = sys.modules[mod] + +# Kinda cool, though, right? diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/sessions.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/sessions.py new file mode 100644 index 0000000..d73d700 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/sessions.py @@ -0,0 +1,770 @@ +# -*- coding: utf-8 -*- + +""" +requests.session +~~~~~~~~~~~~~~~~ + +This module provides a Session object to manage and persist settings across +requests (cookies, auth, proxies). +""" +import os +import sys +import time +from datetime import timedelta + +from .auth import _basic_auth_str +from .compat import cookielib, is_py3, OrderedDict, urljoin, urlparse, Mapping +from .cookies import ( + cookiejar_from_dict, extract_cookies_to_jar, RequestsCookieJar, merge_cookies) +from .models import Request, PreparedRequest, DEFAULT_REDIRECT_LIMIT +from .hooks import default_hooks, dispatch_hook +from ._internal_utils import to_native_string +from .utils import to_key_val_list, default_headers, DEFAULT_PORTS +from .exceptions import ( + TooManyRedirects, InvalidSchema, ChunkedEncodingError, ContentDecodingError) + +from .structures import CaseInsensitiveDict +from .adapters import HTTPAdapter + +from .utils import ( + requote_uri, get_environ_proxies, get_netrc_auth, should_bypass_proxies, + get_auth_from_url, rewind_body +) + +from .status_codes import codes + +# formerly defined here, reexposed here for backward compatibility +from .models import REDIRECT_STATI + +# Preferred clock, based on which one is more accurate on a given system. +if sys.platform == 'win32': + try: # Python 3.4+ + preferred_clock = time.perf_counter + except AttributeError: # Earlier than Python 3. + preferred_clock = time.clock +else: + preferred_clock = time.time + + +def merge_setting(request_setting, session_setting, dict_class=OrderedDict): + """Determines appropriate setting for a given request, taking into account + the explicit setting on that request, and the setting in the session. If a + setting is a dictionary, they will be merged together using `dict_class` + """ + + if session_setting is None: + return request_setting + + if request_setting is None: + return session_setting + + # Bypass if not a dictionary (e.g. verify) + if not ( + isinstance(session_setting, Mapping) and + isinstance(request_setting, Mapping) + ): + return request_setting + + merged_setting = dict_class(to_key_val_list(session_setting)) + merged_setting.update(to_key_val_list(request_setting)) + + # Remove keys that are set to None. Extract keys first to avoid altering + # the dictionary during iteration. + none_keys = [k for (k, v) in merged_setting.items() if v is None] + for key in none_keys: + del merged_setting[key] + + return merged_setting + + +def merge_hooks(request_hooks, session_hooks, dict_class=OrderedDict): + """Properly merges both requests and session hooks. + + This is necessary because when request_hooks == {'response': []}, the + merge breaks Session hooks entirely. + """ + if session_hooks is None or session_hooks.get('response') == []: + return request_hooks + + if request_hooks is None or request_hooks.get('response') == []: + return session_hooks + + return merge_setting(request_hooks, session_hooks, dict_class) + + +class SessionRedirectMixin(object): + + def get_redirect_target(self, resp): + """Receives a Response. Returns a redirect URI or ``None``""" + # Due to the nature of how requests processes redirects this method will + # be called at least once upon the original response and at least twice + # on each subsequent redirect response (if any). + # If a custom mixin is used to handle this logic, it may be advantageous + # to cache the redirect location onto the response object as a private + # attribute. + if resp.is_redirect: + location = resp.headers['location'] + # Currently the underlying http module on py3 decode headers + # in latin1, but empirical evidence suggests that latin1 is very + # rarely used with non-ASCII characters in HTTP headers. + # It is more likely to get UTF8 header rather than latin1. + # This causes incorrect handling of UTF8 encoded location headers. + # To solve this, we re-encode the location in latin1. + if is_py3: + location = location.encode('latin1') + return to_native_string(location, 'utf8') + return None + + def should_strip_auth(self, old_url, new_url): + """Decide whether Authorization header should be removed when redirecting""" + old_parsed = urlparse(old_url) + new_parsed = urlparse(new_url) + if old_parsed.hostname != new_parsed.hostname: + return True + # Special case: allow http -> https redirect when using the standard + # ports. This isn't specified by RFC 7235, but is kept to avoid + # breaking backwards compatibility with older versions of requests + # that allowed any redirects on the same host. + if (old_parsed.scheme == 'http' and old_parsed.port in (80, None) + and new_parsed.scheme == 'https' and new_parsed.port in (443, None)): + return False + + # Handle default port usage corresponding to scheme. + changed_port = old_parsed.port != new_parsed.port + changed_scheme = old_parsed.scheme != new_parsed.scheme + default_port = (DEFAULT_PORTS.get(old_parsed.scheme, None), None) + if (not changed_scheme and old_parsed.port in default_port + and new_parsed.port in default_port): + return False + + # Standard case: root URI must match + return changed_port or changed_scheme + + def resolve_redirects(self, resp, req, stream=False, timeout=None, + verify=True, cert=None, proxies=None, yield_requests=False, **adapter_kwargs): + """Receives a Response. Returns a generator of Responses or Requests.""" + + hist = [] # keep track of history + + url = self.get_redirect_target(resp) + previous_fragment = urlparse(req.url).fragment + while url: + prepared_request = req.copy() + + # Update history and keep track of redirects. + # resp.history must ignore the original request in this loop + hist.append(resp) + resp.history = hist[1:] + + try: + resp.content # Consume socket so it can be released + except (ChunkedEncodingError, ContentDecodingError, RuntimeError): + resp.raw.read(decode_content=False) + + if len(resp.history) >= self.max_redirects: + raise TooManyRedirects('Exceeded %s redirects.' % self.max_redirects, response=resp) + + # Release the connection back into the pool. + resp.close() + + # Handle redirection without scheme (see: RFC 1808 Section 4) + if url.startswith('//'): + parsed_rurl = urlparse(resp.url) + url = '%s:%s' % (to_native_string(parsed_rurl.scheme), url) + + # Normalize url case and attach previous fragment if needed (RFC 7231 7.1.2) + parsed = urlparse(url) + if parsed.fragment == '' and previous_fragment: + parsed = parsed._replace(fragment=previous_fragment) + elif parsed.fragment: + previous_fragment = parsed.fragment + url = parsed.geturl() + + # Facilitate relative 'location' headers, as allowed by RFC 7231. + # (e.g. '/path/to/resource' instead of 'http://domain.tld/path/to/resource') + # Compliant with RFC3986, we percent encode the url. + if not parsed.netloc: + url = urljoin(resp.url, requote_uri(url)) + else: + url = requote_uri(url) + + prepared_request.url = to_native_string(url) + + self.rebuild_method(prepared_request, resp) + + # https://github.com/requests/requests/issues/1084 + if resp.status_code not in (codes.temporary_redirect, codes.permanent_redirect): + # https://github.com/requests/requests/issues/3490 + purged_headers = ('Content-Length', 'Content-Type', 'Transfer-Encoding') + for header in purged_headers: + prepared_request.headers.pop(header, None) + prepared_request.body = None + + headers = prepared_request.headers + try: + del headers['Cookie'] + except KeyError: + pass + + # Extract any cookies sent on the response to the cookiejar + # in the new request. Because we've mutated our copied prepared + # request, use the old one that we haven't yet touched. + extract_cookies_to_jar(prepared_request._cookies, req, resp.raw) + merge_cookies(prepared_request._cookies, self.cookies) + prepared_request.prepare_cookies(prepared_request._cookies) + + # Rebuild auth and proxy information. + proxies = self.rebuild_proxies(prepared_request, proxies) + self.rebuild_auth(prepared_request, resp) + + # A failed tell() sets `_body_position` to `object()`. This non-None + # value ensures `rewindable` will be True, allowing us to raise an + # UnrewindableBodyError, instead of hanging the connection. + rewindable = ( + prepared_request._body_position is not None and + ('Content-Length' in headers or 'Transfer-Encoding' in headers) + ) + + # Attempt to rewind consumed file-like object. + if rewindable: + rewind_body(prepared_request) + + # Override the original request. + req = prepared_request + + if yield_requests: + yield req + else: + + resp = self.send( + req, + stream=stream, + timeout=timeout, + verify=verify, + cert=cert, + proxies=proxies, + allow_redirects=False, + **adapter_kwargs + ) + + extract_cookies_to_jar(self.cookies, prepared_request, resp.raw) + + # extract redirect url, if any, for the next loop + url = self.get_redirect_target(resp) + yield resp + + def rebuild_auth(self, prepared_request, response): + """When being redirected we may want to strip authentication from the + request to avoid leaking credentials. This method intelligently removes + and reapplies authentication where possible to avoid credential loss. + """ + headers = prepared_request.headers + url = prepared_request.url + + if 'Authorization' in headers and self.should_strip_auth(response.request.url, url): + # If we get redirected to a new host, we should strip out any + # authentication headers. + del headers['Authorization'] + + # .netrc might have more auth for us on our new host. + new_auth = get_netrc_auth(url) if self.trust_env else None + if new_auth is not None: + prepared_request.prepare_auth(new_auth) + + return + + def rebuild_proxies(self, prepared_request, proxies): + """This method re-evaluates the proxy configuration by considering the + environment variables. If we are redirected to a URL covered by + NO_PROXY, we strip the proxy configuration. Otherwise, we set missing + proxy keys for this URL (in case they were stripped by a previous + redirect). + + This method also replaces the Proxy-Authorization header where + necessary. + + :rtype: dict + """ + proxies = proxies if proxies is not None else {} + headers = prepared_request.headers + url = prepared_request.url + scheme = urlparse(url).scheme + new_proxies = proxies.copy() + no_proxy = proxies.get('no_proxy') + + bypass_proxy = should_bypass_proxies(url, no_proxy=no_proxy) + if self.trust_env and not bypass_proxy: + environ_proxies = get_environ_proxies(url, no_proxy=no_proxy) + + proxy = environ_proxies.get(scheme, environ_proxies.get('all')) + + if proxy: + new_proxies.setdefault(scheme, proxy) + + if 'Proxy-Authorization' in headers: + del headers['Proxy-Authorization'] + + try: + username, password = get_auth_from_url(new_proxies[scheme]) + except KeyError: + username, password = None, None + + if username and password: + headers['Proxy-Authorization'] = _basic_auth_str(username, password) + + return new_proxies + + def rebuild_method(self, prepared_request, response): + """When being redirected we may want to change the method of the request + based on certain specs or browser behavior. + """ + method = prepared_request.method + + # https://tools.ietf.org/html/rfc7231#section-6.4.4 + if response.status_code == codes.see_other and method != 'HEAD': + method = 'GET' + + # Do what the browsers do, despite standards... + # First, turn 302s into GETs. + if response.status_code == codes.found and method != 'HEAD': + method = 'GET' + + # Second, if a POST is responded to with a 301, turn it into a GET. + # This bizarre behaviour is explained in Issue 1704. + if response.status_code == codes.moved and method == 'POST': + method = 'GET' + + prepared_request.method = method + + +class Session(SessionRedirectMixin): + """A Requests session. + + Provides cookie persistence, connection-pooling, and configuration. + + Basic Usage:: + + >>> import requests + >>> s = requests.Session() + >>> s.get('https://httpbin.org/get') + <Response [200]> + + Or as a context manager:: + + >>> with requests.Session() as s: + >>> s.get('https://httpbin.org/get') + <Response [200]> + """ + + __attrs__ = [ + 'headers', 'cookies', 'auth', 'proxies', 'hooks', 'params', 'verify', + 'cert', 'prefetch', 'adapters', 'stream', 'trust_env', + 'max_redirects', + ] + + def __init__(self): + + #: A case-insensitive dictionary of headers to be sent on each + #: :class:`Request <Request>` sent from this + #: :class:`Session <Session>`. + self.headers = default_headers() + + #: Default Authentication tuple or object to attach to + #: :class:`Request <Request>`. + self.auth = None + + #: Dictionary mapping protocol or protocol and host to the URL of the proxy + #: (e.g. {'http': 'foo.bar:3128', 'http://host.name': 'foo.bar:4012'}) to + #: be used on each :class:`Request <Request>`. + self.proxies = {} + + #: Event-handling hooks. + self.hooks = default_hooks() + + #: Dictionary of querystring data to attach to each + #: :class:`Request <Request>`. The dictionary values may be lists for + #: representing multivalued query parameters. + self.params = {} + + #: Stream response content default. + self.stream = False + + #: SSL Verification default. + self.verify = True + + #: SSL client certificate default, if String, path to ssl client + #: cert file (.pem). If Tuple, ('cert', 'key') pair. + self.cert = None + + #: Maximum number of redirects allowed. If the request exceeds this + #: limit, a :class:`TooManyRedirects` exception is raised. + #: This defaults to requests.models.DEFAULT_REDIRECT_LIMIT, which is + #: 30. + self.max_redirects = DEFAULT_REDIRECT_LIMIT + + #: Trust environment settings for proxy configuration, default + #: authentication and similar. + self.trust_env = True + + #: A CookieJar containing all currently outstanding cookies set on this + #: session. By default it is a + #: :class:`RequestsCookieJar <requests.cookies.RequestsCookieJar>`, but + #: may be any other ``cookielib.CookieJar`` compatible object. + self.cookies = cookiejar_from_dict({}) + + # Default connection adapters. + self.adapters = OrderedDict() + self.mount('https://', HTTPAdapter()) + self.mount('http://', HTTPAdapter()) + + def __enter__(self): + return self + + def __exit__(self, *args): + self.close() + + def prepare_request(self, request): + """Constructs a :class:`PreparedRequest <PreparedRequest>` for + transmission and returns it. The :class:`PreparedRequest` has settings + merged from the :class:`Request <Request>` instance and those of the + :class:`Session`. + + :param request: :class:`Request` instance to prepare with this + session's settings. + :rtype: requests.PreparedRequest + """ + cookies = request.cookies or {} + + # Bootstrap CookieJar. + if not isinstance(cookies, cookielib.CookieJar): + cookies = cookiejar_from_dict(cookies) + + # Merge with session cookies + merged_cookies = merge_cookies( + merge_cookies(RequestsCookieJar(), self.cookies), cookies) + + # Set environment's basic authentication if not explicitly set. + auth = request.auth + if self.trust_env and not auth and not self.auth: + auth = get_netrc_auth(request.url) + + p = PreparedRequest() + p.prepare( + method=request.method.upper(), + url=request.url, + files=request.files, + data=request.data, + json=request.json, + headers=merge_setting(request.headers, self.headers, dict_class=CaseInsensitiveDict), + params=merge_setting(request.params, self.params), + auth=merge_setting(auth, self.auth), + cookies=merged_cookies, + hooks=merge_hooks(request.hooks, self.hooks), + ) + return p + + def request(self, method, url, + params=None, data=None, headers=None, cookies=None, files=None, + auth=None, timeout=None, allow_redirects=True, proxies=None, + hooks=None, stream=None, verify=None, cert=None, json=None): + """Constructs a :class:`Request <Request>`, prepares it and sends it. + Returns :class:`Response <Response>` object. + + :param method: method for the new :class:`Request` object. + :param url: URL for the new :class:`Request` object. + :param params: (optional) Dictionary or bytes to be sent in the query + string for the :class:`Request`. + :param data: (optional) Dictionary, list of tuples, bytes, or file-like + object to send in the body of the :class:`Request`. + :param json: (optional) json to send in the body of the + :class:`Request`. + :param headers: (optional) Dictionary of HTTP Headers to send with the + :class:`Request`. + :param cookies: (optional) Dict or CookieJar object to send with the + :class:`Request`. + :param files: (optional) Dictionary of ``'filename': file-like-objects`` + for multipart encoding upload. + :param auth: (optional) Auth tuple or callable to enable + Basic/Digest/Custom HTTP Auth. + :param timeout: (optional) How long to wait for the server to send + data before giving up, as a float, or a :ref:`(connect timeout, + read timeout) <timeouts>` tuple. + :type timeout: float or tuple + :param allow_redirects: (optional) Set to True by default. + :type allow_redirects: bool + :param proxies: (optional) Dictionary mapping protocol or protocol and + hostname to the URL of the proxy. + :param stream: (optional) whether to immediately download the response + content. Defaults to ``False``. + :param verify: (optional) Either a boolean, in which case it controls whether we verify + the server's TLS certificate, or a string, in which case it must be a path + to a CA bundle to use. Defaults to ``True``. + :param cert: (optional) if String, path to ssl client cert file (.pem). + If Tuple, ('cert', 'key') pair. + :rtype: requests.Response + """ + # Create the Request. + req = Request( + method=method.upper(), + url=url, + headers=headers, + files=files, + data=data or {}, + json=json, + params=params or {}, + auth=auth, + cookies=cookies, + hooks=hooks, + ) + prep = self.prepare_request(req) + + proxies = proxies or {} + + settings = self.merge_environment_settings( + prep.url, proxies, stream, verify, cert + ) + + # Send the request. + send_kwargs = { + 'timeout': timeout, + 'allow_redirects': allow_redirects, + } + send_kwargs.update(settings) + resp = self.send(prep, **send_kwargs) + + return resp + + def get(self, url, **kwargs): + r"""Sends a GET request. Returns :class:`Response` object. + + :param url: URL for the new :class:`Request` object. + :param \*\*kwargs: Optional arguments that ``request`` takes. + :rtype: requests.Response + """ + + kwargs.setdefault('allow_redirects', True) + return self.request('GET', url, **kwargs) + + def options(self, url, **kwargs): + r"""Sends a OPTIONS request. Returns :class:`Response` object. + + :param url: URL for the new :class:`Request` object. + :param \*\*kwargs: Optional arguments that ``request`` takes. + :rtype: requests.Response + """ + + kwargs.setdefault('allow_redirects', True) + return self.request('OPTIONS', url, **kwargs) + + def head(self, url, **kwargs): + r"""Sends a HEAD request. Returns :class:`Response` object. + + :param url: URL for the new :class:`Request` object. + :param \*\*kwargs: Optional arguments that ``request`` takes. + :rtype: requests.Response + """ + + kwargs.setdefault('allow_redirects', False) + return self.request('HEAD', url, **kwargs) + + def post(self, url, data=None, json=None, **kwargs): + r"""Sends a POST request. Returns :class:`Response` object. + + :param url: URL for the new :class:`Request` object. + :param data: (optional) Dictionary, list of tuples, bytes, or file-like + object to send in the body of the :class:`Request`. + :param json: (optional) json to send in the body of the :class:`Request`. + :param \*\*kwargs: Optional arguments that ``request`` takes. + :rtype: requests.Response + """ + + return self.request('POST', url, data=data, json=json, **kwargs) + + def put(self, url, data=None, **kwargs): + r"""Sends a PUT request. Returns :class:`Response` object. + + :param url: URL for the new :class:`Request` object. + :param data: (optional) Dictionary, list of tuples, bytes, or file-like + object to send in the body of the :class:`Request`. + :param \*\*kwargs: Optional arguments that ``request`` takes. + :rtype: requests.Response + """ + + return self.request('PUT', url, data=data, **kwargs) + + def patch(self, url, data=None, **kwargs): + r"""Sends a PATCH request. Returns :class:`Response` object. + + :param url: URL for the new :class:`Request` object. + :param data: (optional) Dictionary, list of tuples, bytes, or file-like + object to send in the body of the :class:`Request`. + :param \*\*kwargs: Optional arguments that ``request`` takes. + :rtype: requests.Response + """ + + return self.request('PATCH', url, data=data, **kwargs) + + def delete(self, url, **kwargs): + r"""Sends a DELETE request. Returns :class:`Response` object. + + :param url: URL for the new :class:`Request` object. + :param \*\*kwargs: Optional arguments that ``request`` takes. + :rtype: requests.Response + """ + + return self.request('DELETE', url, **kwargs) + + def send(self, request, **kwargs): + """Send a given PreparedRequest. + + :rtype: requests.Response + """ + # Set defaults that the hooks can utilize to ensure they always have + # the correct parameters to reproduce the previous request. + kwargs.setdefault('stream', self.stream) + kwargs.setdefault('verify', self.verify) + kwargs.setdefault('cert', self.cert) + kwargs.setdefault('proxies', self.proxies) + + # It's possible that users might accidentally send a Request object. + # Guard against that specific failure case. + if isinstance(request, Request): + raise ValueError('You can only send PreparedRequests.') + + # Set up variables needed for resolve_redirects and dispatching of hooks + allow_redirects = kwargs.pop('allow_redirects', True) + stream = kwargs.get('stream') + hooks = request.hooks + + # Get the appropriate adapter to use + adapter = self.get_adapter(url=request.url) + + # Start time (approximately) of the request + start = preferred_clock() + + # Send the request + r = adapter.send(request, **kwargs) + + # Total elapsed time of the request (approximately) + elapsed = preferred_clock() - start + r.elapsed = timedelta(seconds=elapsed) + + # Response manipulation hooks + r = dispatch_hook('response', hooks, r, **kwargs) + + # Persist cookies + if r.history: + + # If the hooks create history then we want those cookies too + for resp in r.history: + extract_cookies_to_jar(self.cookies, resp.request, resp.raw) + + extract_cookies_to_jar(self.cookies, request, r.raw) + + # Redirect resolving generator. + gen = self.resolve_redirects(r, request, **kwargs) + + # Resolve redirects if allowed. + history = [resp for resp in gen] if allow_redirects else [] + + # Shuffle things around if there's history. + if history: + # Insert the first (original) request at the start + history.insert(0, r) + # Get the last request made + r = history.pop() + r.history = history + + # If redirects aren't being followed, store the response on the Request for Response.next(). + if not allow_redirects: + try: + r._next = next(self.resolve_redirects(r, request, yield_requests=True, **kwargs)) + except StopIteration: + pass + + if not stream: + r.content + + return r + + def merge_environment_settings(self, url, proxies, stream, verify, cert): + """ + Check the environment and merge it with some settings. + + :rtype: dict + """ + # Gather clues from the surrounding environment. + if self.trust_env: + # Set environment's proxies. + no_proxy = proxies.get('no_proxy') if proxies is not None else None + env_proxies = get_environ_proxies(url, no_proxy=no_proxy) + for (k, v) in env_proxies.items(): + proxies.setdefault(k, v) + + # Look for requests environment configuration and be compatible + # with cURL. + if verify is True or verify is None: + verify = (os.environ.get('REQUESTS_CA_BUNDLE') or + os.environ.get('CURL_CA_BUNDLE')) + + # Merge all the kwargs. + proxies = merge_setting(proxies, self.proxies) + stream = merge_setting(stream, self.stream) + verify = merge_setting(verify, self.verify) + cert = merge_setting(cert, self.cert) + + return {'verify': verify, 'proxies': proxies, 'stream': stream, + 'cert': cert} + + def get_adapter(self, url): + """ + Returns the appropriate connection adapter for the given URL. + + :rtype: requests.adapters.BaseAdapter + """ + for (prefix, adapter) in self.adapters.items(): + + if url.lower().startswith(prefix.lower()): + return adapter + + # Nothing matches :-/ + raise InvalidSchema("No connection adapters were found for '%s'" % url) + + def close(self): + """Closes all adapters and as such the session""" + for v in self.adapters.values(): + v.close() + + def mount(self, prefix, adapter): + """Registers a connection adapter to a prefix. + + Adapters are sorted in descending order by prefix length. + """ + self.adapters[prefix] = adapter + keys_to_move = [k for k in self.adapters if len(k) < len(prefix)] + + for key in keys_to_move: + self.adapters[key] = self.adapters.pop(key) + + def __getstate__(self): + state = {attr: getattr(self, attr, None) for attr in self.__attrs__} + return state + + def __setstate__(self, state): + for attr, value in state.items(): + setattr(self, attr, value) + + +def session(): + """ + Returns a :class:`Session` for context-management. + + .. deprecated:: 1.0.0 + + This method has been deprecated since version 1.0.0 and is only kept for + backwards compatibility. New code should use :class:`~requests.sessions.Session` + to create a session. This may be removed at a future date. + + :rtype: Session + """ + return Session() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/status_codes.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/status_codes.py new file mode 100644 index 0000000..813e8c4 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/status_codes.py @@ -0,0 +1,120 @@ +# -*- coding: utf-8 -*- + +r""" +The ``codes`` object defines a mapping from common names for HTTP statuses +to their numerical codes, accessible either as attributes or as dictionary +items. + +>>> requests.codes['temporary_redirect'] +307 +>>> requests.codes.teapot +418 +>>> requests.codes['\o/'] +200 + +Some codes have multiple names, and both upper- and lower-case versions of +the names are allowed. For example, ``codes.ok``, ``codes.OK``, and +``codes.okay`` all correspond to the HTTP status code 200. +""" + +from .structures import LookupDict + +_codes = { + + # Informational. + 100: ('continue',), + 101: ('switching_protocols',), + 102: ('processing',), + 103: ('checkpoint',), + 122: ('uri_too_long', 'request_uri_too_long'), + 200: ('ok', 'okay', 'all_ok', 'all_okay', 'all_good', '\\o/', '✓'), + 201: ('created',), + 202: ('accepted',), + 203: ('non_authoritative_info', 'non_authoritative_information'), + 204: ('no_content',), + 205: ('reset_content', 'reset'), + 206: ('partial_content', 'partial'), + 207: ('multi_status', 'multiple_status', 'multi_stati', 'multiple_stati'), + 208: ('already_reported',), + 226: ('im_used',), + + # Redirection. + 300: ('multiple_choices',), + 301: ('moved_permanently', 'moved', '\\o-'), + 302: ('found',), + 303: ('see_other', 'other'), + 304: ('not_modified',), + 305: ('use_proxy',), + 306: ('switch_proxy',), + 307: ('temporary_redirect', 'temporary_moved', 'temporary'), + 308: ('permanent_redirect', + 'resume_incomplete', 'resume',), # These 2 to be removed in 3.0 + + # Client Error. + 400: ('bad_request', 'bad'), + 401: ('unauthorized',), + 402: ('payment_required', 'payment'), + 403: ('forbidden',), + 404: ('not_found', '-o-'), + 405: ('method_not_allowed', 'not_allowed'), + 406: ('not_acceptable',), + 407: ('proxy_authentication_required', 'proxy_auth', 'proxy_authentication'), + 408: ('request_timeout', 'timeout'), + 409: ('conflict',), + 410: ('gone',), + 411: ('length_required',), + 412: ('precondition_failed', 'precondition'), + 413: ('request_entity_too_large',), + 414: ('request_uri_too_large',), + 415: ('unsupported_media_type', 'unsupported_media', 'media_type'), + 416: ('requested_range_not_satisfiable', 'requested_range', 'range_not_satisfiable'), + 417: ('expectation_failed',), + 418: ('im_a_teapot', 'teapot', 'i_am_a_teapot'), + 421: ('misdirected_request',), + 422: ('unprocessable_entity', 'unprocessable'), + 423: ('locked',), + 424: ('failed_dependency', 'dependency'), + 425: ('unordered_collection', 'unordered'), + 426: ('upgrade_required', 'upgrade'), + 428: ('precondition_required', 'precondition'), + 429: ('too_many_requests', 'too_many'), + 431: ('header_fields_too_large', 'fields_too_large'), + 444: ('no_response', 'none'), + 449: ('retry_with', 'retry'), + 450: ('blocked_by_windows_parental_controls', 'parental_controls'), + 451: ('unavailable_for_legal_reasons', 'legal_reasons'), + 499: ('client_closed_request',), + + # Server Error. + 500: ('internal_server_error', 'server_error', '/o\\', '✗'), + 501: ('not_implemented',), + 502: ('bad_gateway',), + 503: ('service_unavailable', 'unavailable'), + 504: ('gateway_timeout',), + 505: ('http_version_not_supported', 'http_version'), + 506: ('variant_also_negotiates',), + 507: ('insufficient_storage',), + 509: ('bandwidth_limit_exceeded', 'bandwidth'), + 510: ('not_extended',), + 511: ('network_authentication_required', 'network_auth', 'network_authentication'), +} + +codes = LookupDict(name='status_codes') + +def _init(): + for code, titles in _codes.items(): + for title in titles: + setattr(codes, title, code) + if not title.startswith(('\\', '/')): + setattr(codes, title.upper(), code) + + def doc(code): + names = ', '.join('``%s``' % n for n in _codes[code]) + return '* %d: %s' % (code, names) + + global __doc__ + __doc__ = (__doc__ + '\n' + + '\n'.join(doc(code) for code in sorted(_codes)) + if __doc__ is not None else None) + +_init() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/structures.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/structures.py new file mode 100644 index 0000000..da930e2 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/structures.py @@ -0,0 +1,103 @@ +# -*- coding: utf-8 -*- + +""" +requests.structures +~~~~~~~~~~~~~~~~~~~ + +Data structures that power Requests. +""" + +from .compat import OrderedDict, Mapping, MutableMapping + + +class CaseInsensitiveDict(MutableMapping): + """A case-insensitive ``dict``-like object. + + Implements all methods and operations of + ``MutableMapping`` as well as dict's ``copy``. Also + provides ``lower_items``. + + All keys are expected to be strings. The structure remembers the + case of the last key to be set, and ``iter(instance)``, + ``keys()``, ``items()``, ``iterkeys()``, and ``iteritems()`` + will contain case-sensitive keys. However, querying and contains + testing is case insensitive:: + + cid = CaseInsensitiveDict() + cid['Accept'] = 'application/json' + cid['aCCEPT'] == 'application/json' # True + list(cid) == ['Accept'] # True + + For example, ``headers['content-encoding']`` will return the + value of a ``'Content-Encoding'`` response header, regardless + of how the header name was originally stored. + + If the constructor, ``.update``, or equality comparison + operations are given keys that have equal ``.lower()``s, the + behavior is undefined. + """ + + def __init__(self, data=None, **kwargs): + self._store = OrderedDict() + if data is None: + data = {} + self.update(data, **kwargs) + + def __setitem__(self, key, value): + # Use the lowercased key for lookups, but store the actual + # key alongside the value. + self._store[key.lower()] = (key, value) + + def __getitem__(self, key): + return self._store[key.lower()][1] + + def __delitem__(self, key): + del self._store[key.lower()] + + def __iter__(self): + return (casedkey for casedkey, mappedvalue in self._store.values()) + + def __len__(self): + return len(self._store) + + def lower_items(self): + """Like iteritems(), but with all lowercase keys.""" + return ( + (lowerkey, keyval[1]) + for (lowerkey, keyval) + in self._store.items() + ) + + def __eq__(self, other): + if isinstance(other, Mapping): + other = CaseInsensitiveDict(other) + else: + return NotImplemented + # Compare insensitively + return dict(self.lower_items()) == dict(other.lower_items()) + + # Copy is required + def copy(self): + return CaseInsensitiveDict(self._store.values()) + + def __repr__(self): + return str(dict(self.items())) + + +class LookupDict(dict): + """Dictionary lookup object.""" + + def __init__(self, name=None): + self.name = name + super(LookupDict, self).__init__() + + def __repr__(self): + return '<lookup \'%s\'>' % (self.name) + + def __getitem__(self, key): + # We allow fall-through here, so values default to None + + return self.__dict__.get(key, None) + + def get(self, key, default=None): + return self.__dict__.get(key, default) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/utils.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/utils.py new file mode 100644 index 0000000..8170a8d --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/utils.py @@ -0,0 +1,977 @@ +# -*- coding: utf-8 -*- + +""" +requests.utils +~~~~~~~~~~~~~~ + +This module provides utility functions that are used within Requests +that are also useful for external consumption. +""" + +import codecs +import contextlib +import io +import os +import re +import socket +import struct +import sys +import tempfile +import warnings +import zipfile + +from .__version__ import __version__ +from . import certs +# to_native_string is unused here, but imported here for backwards compatibility +from ._internal_utils import to_native_string +from .compat import parse_http_list as _parse_list_header +from .compat import ( + quote, urlparse, bytes, str, OrderedDict, unquote, getproxies, + proxy_bypass, urlunparse, basestring, integer_types, is_py3, + proxy_bypass_environment, getproxies_environment, Mapping) +from .cookies import cookiejar_from_dict +from .structures import CaseInsensitiveDict +from .exceptions import ( + InvalidURL, InvalidHeader, FileModeWarning, UnrewindableBodyError) + +NETRC_FILES = ('.netrc', '_netrc') + +DEFAULT_CA_BUNDLE_PATH = certs.where() + +DEFAULT_PORTS = {'http': 80, 'https': 443} + + +if sys.platform == 'win32': + # provide a proxy_bypass version on Windows without DNS lookups + + def proxy_bypass_registry(host): + try: + if is_py3: + import winreg + else: + import _winreg as winreg + except ImportError: + return False + + try: + internetSettings = winreg.OpenKey(winreg.HKEY_CURRENT_USER, + r'Software\Microsoft\Windows\CurrentVersion\Internet Settings') + # ProxyEnable could be REG_SZ or REG_DWORD, normalizing it + proxyEnable = int(winreg.QueryValueEx(internetSettings, + 'ProxyEnable')[0]) + # ProxyOverride is almost always a string + proxyOverride = winreg.QueryValueEx(internetSettings, + 'ProxyOverride')[0] + except OSError: + return False + if not proxyEnable or not proxyOverride: + return False + + # make a check value list from the registry entry: replace the + # '<local>' string by the localhost entry and the corresponding + # canonical entry. + proxyOverride = proxyOverride.split(';') + # now check if we match one of the registry values. + for test in proxyOverride: + if test == '<local>': + if '.' not in host: + return True + test = test.replace(".", r"\.") # mask dots + test = test.replace("*", r".*") # change glob sequence + test = test.replace("?", r".") # change glob char + if re.match(test, host, re.I): + return True + return False + + def proxy_bypass(host): # noqa + """Return True, if the host should be bypassed. + + Checks proxy settings gathered from the environment, if specified, + or the registry. + """ + if getproxies_environment(): + return proxy_bypass_environment(host) + else: + return proxy_bypass_registry(host) + + +def dict_to_sequence(d): + """Returns an internal sequence dictionary update.""" + + if hasattr(d, 'items'): + d = d.items() + + return d + + +def super_len(o): + total_length = None + current_position = 0 + + if hasattr(o, '__len__'): + total_length = len(o) + + elif hasattr(o, 'len'): + total_length = o.len + + elif hasattr(o, 'fileno'): + try: + fileno = o.fileno() + except io.UnsupportedOperation: + pass + else: + total_length = os.fstat(fileno).st_size + + # Having used fstat to determine the file length, we need to + # confirm that this file was opened up in binary mode. + if 'b' not in o.mode: + warnings.warn(( + "Requests has determined the content-length for this " + "request using the binary size of the file: however, the " + "file has been opened in text mode (i.e. without the 'b' " + "flag in the mode). This may lead to an incorrect " + "content-length. In Requests 3.0, support will be removed " + "for files in text mode."), + FileModeWarning + ) + + if hasattr(o, 'tell'): + try: + current_position = o.tell() + except (OSError, IOError): + # This can happen in some weird situations, such as when the file + # is actually a special file descriptor like stdin. In this + # instance, we don't know what the length is, so set it to zero and + # let requests chunk it instead. + if total_length is not None: + current_position = total_length + else: + if hasattr(o, 'seek') and total_length is None: + # StringIO and BytesIO have seek but no useable fileno + try: + # seek to end of file + o.seek(0, 2) + total_length = o.tell() + + # seek back to current position to support + # partially read file-like objects + o.seek(current_position or 0) + except (OSError, IOError): + total_length = 0 + + if total_length is None: + total_length = 0 + + return max(0, total_length - current_position) + + +def get_netrc_auth(url, raise_errors=False): + """Returns the Requests tuple auth for a given url from netrc.""" + + try: + from netrc import netrc, NetrcParseError + + netrc_path = None + + for f in NETRC_FILES: + try: + loc = os.path.expanduser('~/{}'.format(f)) + except KeyError: + # os.path.expanduser can fail when $HOME is undefined and + # getpwuid fails. See https://bugs.python.org/issue20164 & + # https://github.com/requests/requests/issues/1846 + return + + if os.path.exists(loc): + netrc_path = loc + break + + # Abort early if there isn't one. + if netrc_path is None: + return + + ri = urlparse(url) + + # Strip port numbers from netloc. This weird `if...encode`` dance is + # used for Python 3.2, which doesn't support unicode literals. + splitstr = b':' + if isinstance(url, str): + splitstr = splitstr.decode('ascii') + host = ri.netloc.split(splitstr)[0] + + try: + _netrc = netrc(netrc_path).authenticators(host) + if _netrc: + # Return with login / password + login_i = (0 if _netrc[0] else 1) + return (_netrc[login_i], _netrc[2]) + except (NetrcParseError, IOError): + # If there was a parsing error or a permissions issue reading the file, + # we'll just skip netrc auth unless explicitly asked to raise errors. + if raise_errors: + raise + + # AppEngine hackiness. + except (ImportError, AttributeError): + pass + + +def guess_filename(obj): + """Tries to guess the filename of the given object.""" + name = getattr(obj, 'name', None) + if (name and isinstance(name, basestring) and name[0] != '<' and + name[-1] != '>'): + return os.path.basename(name) + + +def extract_zipped_paths(path): + """Replace nonexistent paths that look like they refer to a member of a zip + archive with the location of an extracted copy of the target, or else + just return the provided path unchanged. + """ + if os.path.exists(path): + # this is already a valid path, no need to do anything further + return path + + # find the first valid part of the provided path and treat that as a zip archive + # assume the rest of the path is the name of a member in the archive + archive, member = os.path.split(path) + while archive and not os.path.exists(archive): + archive, prefix = os.path.split(archive) + member = '/'.join([prefix, member]) + + if not zipfile.is_zipfile(archive): + return path + + zip_file = zipfile.ZipFile(archive) + if member not in zip_file.namelist(): + return path + + # we have a valid zip archive and a valid member of that archive + tmp = tempfile.gettempdir() + extracted_path = os.path.join(tmp, *member.split('/')) + if not os.path.exists(extracted_path): + extracted_path = zip_file.extract(member, path=tmp) + + return extracted_path + + +def from_key_val_list(value): + """Take an object and test to see if it can be represented as a + dictionary. Unless it can not be represented as such, return an + OrderedDict, e.g., + + :: + + >>> from_key_val_list([('key', 'val')]) + OrderedDict([('key', 'val')]) + >>> from_key_val_list('string') + ValueError: cannot encode objects that are not 2-tuples + >>> from_key_val_list({'key': 'val'}) + OrderedDict([('key', 'val')]) + + :rtype: OrderedDict + """ + if value is None: + return None + + if isinstance(value, (str, bytes, bool, int)): + raise ValueError('cannot encode objects that are not 2-tuples') + + return OrderedDict(value) + + +def to_key_val_list(value): + """Take an object and test to see if it can be represented as a + dictionary. If it can be, return a list of tuples, e.g., + + :: + + >>> to_key_val_list([('key', 'val')]) + [('key', 'val')] + >>> to_key_val_list({'key': 'val'}) + [('key', 'val')] + >>> to_key_val_list('string') + ValueError: cannot encode objects that are not 2-tuples. + + :rtype: list + """ + if value is None: + return None + + if isinstance(value, (str, bytes, bool, int)): + raise ValueError('cannot encode objects that are not 2-tuples') + + if isinstance(value, Mapping): + value = value.items() + + return list(value) + + +# From mitsuhiko/werkzeug (used with permission). +def parse_list_header(value): + """Parse lists as described by RFC 2068 Section 2. + + In particular, parse comma-separated lists where the elements of + the list may include quoted-strings. A quoted-string could + contain a comma. A non-quoted string could have quotes in the + middle. Quotes are removed automatically after parsing. + + It basically works like :func:`parse_set_header` just that items + may appear multiple times and case sensitivity is preserved. + + The return value is a standard :class:`list`: + + >>> parse_list_header('token, "quoted value"') + ['token', 'quoted value'] + + To create a header from the :class:`list` again, use the + :func:`dump_header` function. + + :param value: a string with a list header. + :return: :class:`list` + :rtype: list + """ + result = [] + for item in _parse_list_header(value): + if item[:1] == item[-1:] == '"': + item = unquote_header_value(item[1:-1]) + result.append(item) + return result + + +# From mitsuhiko/werkzeug (used with permission). +def parse_dict_header(value): + """Parse lists of key, value pairs as described by RFC 2068 Section 2 and + convert them into a python dict: + + >>> d = parse_dict_header('foo="is a fish", bar="as well"') + >>> type(d) is dict + True + >>> sorted(d.items()) + [('bar', 'as well'), ('foo', 'is a fish')] + + If there is no value for a key it will be `None`: + + >>> parse_dict_header('key_without_value') + {'key_without_value': None} + + To create a header from the :class:`dict` again, use the + :func:`dump_header` function. + + :param value: a string with a dict header. + :return: :class:`dict` + :rtype: dict + """ + result = {} + for item in _parse_list_header(value): + if '=' not in item: + result[item] = None + continue + name, value = item.split('=', 1) + if value[:1] == value[-1:] == '"': + value = unquote_header_value(value[1:-1]) + result[name] = value + return result + + +# From mitsuhiko/werkzeug (used with permission). +def unquote_header_value(value, is_filename=False): + r"""Unquotes a header value. (Reversal of :func:`quote_header_value`). + This does not use the real unquoting but what browsers are actually + using for quoting. + + :param value: the header value to unquote. + :rtype: str + """ + if value and value[0] == value[-1] == '"': + # this is not the real unquoting, but fixing this so that the + # RFC is met will result in bugs with internet explorer and + # probably some other browsers as well. IE for example is + # uploading files with "C:\foo\bar.txt" as filename + value = value[1:-1] + + # if this is a filename and the starting characters look like + # a UNC path, then just return the value without quotes. Using the + # replace sequence below on a UNC path has the effect of turning + # the leading double slash into a single slash and then + # _fix_ie_filename() doesn't work correctly. See #458. + if not is_filename or value[:2] != '\\\\': + return value.replace('\\\\', '\\').replace('\\"', '"') + return value + + +def dict_from_cookiejar(cj): + """Returns a key/value dictionary from a CookieJar. + + :param cj: CookieJar object to extract cookies from. + :rtype: dict + """ + + cookie_dict = {} + + for cookie in cj: + cookie_dict[cookie.name] = cookie.value + + return cookie_dict + + +def add_dict_to_cookiejar(cj, cookie_dict): + """Returns a CookieJar from a key/value dictionary. + + :param cj: CookieJar to insert cookies into. + :param cookie_dict: Dict of key/values to insert into CookieJar. + :rtype: CookieJar + """ + + return cookiejar_from_dict(cookie_dict, cj) + + +def get_encodings_from_content(content): + """Returns encodings from given content string. + + :param content: bytestring to extract encodings from. + """ + warnings.warn(( + 'In requests 3.0, get_encodings_from_content will be removed. For ' + 'more information, please see the discussion on issue #2266. (This' + ' warning should only appear once.)'), + DeprecationWarning) + + charset_re = re.compile(r'<meta.*?charset=["\']*(.+?)["\'>]', flags=re.I) + pragma_re = re.compile(r'<meta.*?content=["\']*;?charset=(.+?)["\'>]', flags=re.I) + xml_re = re.compile(r'^<\?xml.*?encoding=["\']*(.+?)["\'>]') + + return (charset_re.findall(content) + + pragma_re.findall(content) + + xml_re.findall(content)) + + +def _parse_content_type_header(header): + """Returns content type and parameters from given header + + :param header: string + :return: tuple containing content type and dictionary of + parameters + """ + + tokens = header.split(';') + content_type, params = tokens[0].strip(), tokens[1:] + params_dict = {} + items_to_strip = "\"' " + + for param in params: + param = param.strip() + if param: + key, value = param, True + index_of_equals = param.find("=") + if index_of_equals != -1: + key = param[:index_of_equals].strip(items_to_strip) + value = param[index_of_equals + 1:].strip(items_to_strip) + params_dict[key.lower()] = value + return content_type, params_dict + + +def get_encoding_from_headers(headers): + """Returns encodings from given HTTP Header Dict. + + :param headers: dictionary to extract encoding from. + :rtype: str + """ + + content_type = headers.get('content-type') + + if not content_type: + return None + + content_type, params = _parse_content_type_header(content_type) + + if 'charset' in params: + return params['charset'].strip("'\"") + + if 'text' in content_type: + return 'ISO-8859-1' + + +def stream_decode_response_unicode(iterator, r): + """Stream decodes a iterator.""" + + if r.encoding is None: + for item in iterator: + yield item + return + + decoder = codecs.getincrementaldecoder(r.encoding)(errors='replace') + for chunk in iterator: + rv = decoder.decode(chunk) + if rv: + yield rv + rv = decoder.decode(b'', final=True) + if rv: + yield rv + + +def iter_slices(string, slice_length): + """Iterate over slices of a string.""" + pos = 0 + if slice_length is None or slice_length <= 0: + slice_length = len(string) + while pos < len(string): + yield string[pos:pos + slice_length] + pos += slice_length + + +def get_unicode_from_response(r): + """Returns the requested content back in unicode. + + :param r: Response object to get unicode content from. + + Tried: + + 1. charset from content-type + 2. fall back and replace all unicode characters + + :rtype: str + """ + warnings.warn(( + 'In requests 3.0, get_unicode_from_response will be removed. For ' + 'more information, please see the discussion on issue #2266. (This' + ' warning should only appear once.)'), + DeprecationWarning) + + tried_encodings = [] + + # Try charset from content-type + encoding = get_encoding_from_headers(r.headers) + + if encoding: + try: + return str(r.content, encoding) + except UnicodeError: + tried_encodings.append(encoding) + + # Fall back: + try: + return str(r.content, encoding, errors='replace') + except TypeError: + return r.content + + +# The unreserved URI characters (RFC 3986) +UNRESERVED_SET = frozenset( + "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz" + "0123456789-._~") + + +def unquote_unreserved(uri): + """Un-escape any percent-escape sequences in a URI that are unreserved + characters. This leaves all reserved, illegal and non-ASCII bytes encoded. + + :rtype: str + """ + parts = uri.split('%') + for i in range(1, len(parts)): + h = parts[i][0:2] + if len(h) == 2 and h.isalnum(): + try: + c = chr(int(h, 16)) + except ValueError: + raise InvalidURL("Invalid percent-escape sequence: '%s'" % h) + + if c in UNRESERVED_SET: + parts[i] = c + parts[i][2:] + else: + parts[i] = '%' + parts[i] + else: + parts[i] = '%' + parts[i] + return ''.join(parts) + + +def requote_uri(uri): + """Re-quote the given URI. + + This function passes the given URI through an unquote/quote cycle to + ensure that it is fully and consistently quoted. + + :rtype: str + """ + safe_with_percent = "!#$%&'()*+,/:;=?@[]~" + safe_without_percent = "!#$&'()*+,/:;=?@[]~" + try: + # Unquote only the unreserved characters + # Then quote only illegal characters (do not quote reserved, + # unreserved, or '%') + return quote(unquote_unreserved(uri), safe=safe_with_percent) + except InvalidURL: + # We couldn't unquote the given URI, so let's try quoting it, but + # there may be unquoted '%'s in the URI. We need to make sure they're + # properly quoted so they do not cause issues elsewhere. + return quote(uri, safe=safe_without_percent) + + +def address_in_network(ip, net): + """This function allows you to check if an IP belongs to a network subnet + + Example: returns True if ip = 192.168.1.1 and net = 192.168.1.0/24 + returns False if ip = 192.168.1.1 and net = 192.168.100.0/24 + + :rtype: bool + """ + ipaddr = struct.unpack('=L', socket.inet_aton(ip))[0] + netaddr, bits = net.split('/') + netmask = struct.unpack('=L', socket.inet_aton(dotted_netmask(int(bits))))[0] + network = struct.unpack('=L', socket.inet_aton(netaddr))[0] & netmask + return (ipaddr & netmask) == (network & netmask) + + +def dotted_netmask(mask): + """Converts mask from /xx format to xxx.xxx.xxx.xxx + + Example: if mask is 24 function returns 255.255.255.0 + + :rtype: str + """ + bits = 0xffffffff ^ (1 << 32 - mask) - 1 + return socket.inet_ntoa(struct.pack('>I', bits)) + + +def is_ipv4_address(string_ip): + """ + :rtype: bool + """ + try: + socket.inet_aton(string_ip) + except socket.error: + return False + return True + + +def is_valid_cidr(string_network): + """ + Very simple check of the cidr format in no_proxy variable. + + :rtype: bool + """ + if string_network.count('/') == 1: + try: + mask = int(string_network.split('/')[1]) + except ValueError: + return False + + if mask < 1 or mask > 32: + return False + + try: + socket.inet_aton(string_network.split('/')[0]) + except socket.error: + return False + else: + return False + return True + + +@contextlib.contextmanager +def set_environ(env_name, value): + """Set the environment variable 'env_name' to 'value' + + Save previous value, yield, and then restore the previous value stored in + the environment variable 'env_name'. + + If 'value' is None, do nothing""" + value_changed = value is not None + if value_changed: + old_value = os.environ.get(env_name) + os.environ[env_name] = value + try: + yield + finally: + if value_changed: + if old_value is None: + del os.environ[env_name] + else: + os.environ[env_name] = old_value + + +def should_bypass_proxies(url, no_proxy): + """ + Returns whether we should bypass proxies or not. + + :rtype: bool + """ + # Prioritize lowercase environment variables over uppercase + # to keep a consistent behaviour with other http projects (curl, wget). + get_proxy = lambda k: os.environ.get(k) or os.environ.get(k.upper()) + + # First check whether no_proxy is defined. If it is, check that the URL + # we're getting isn't in the no_proxy list. + no_proxy_arg = no_proxy + if no_proxy is None: + no_proxy = get_proxy('no_proxy') + parsed = urlparse(url) + + if parsed.hostname is None: + # URLs don't always have hostnames, e.g. file:/// urls. + return True + + if no_proxy: + # We need to check whether we match here. We need to see if we match + # the end of the hostname, both with and without the port. + no_proxy = ( + host for host in no_proxy.replace(' ', '').split(',') if host + ) + + if is_ipv4_address(parsed.hostname): + for proxy_ip in no_proxy: + if is_valid_cidr(proxy_ip): + if address_in_network(parsed.hostname, proxy_ip): + return True + elif parsed.hostname == proxy_ip: + # If no_proxy ip was defined in plain IP notation instead of cidr notation & + # matches the IP of the index + return True + else: + host_with_port = parsed.hostname + if parsed.port: + host_with_port += ':{}'.format(parsed.port) + + for host in no_proxy: + if parsed.hostname.endswith(host) or host_with_port.endswith(host): + # The URL does match something in no_proxy, so we don't want + # to apply the proxies on this URL. + return True + + with set_environ('no_proxy', no_proxy_arg): + # parsed.hostname can be `None` in cases such as a file URI. + try: + bypass = proxy_bypass(parsed.hostname) + except (TypeError, socket.gaierror): + bypass = False + + if bypass: + return True + + return False + + +def get_environ_proxies(url, no_proxy=None): + """ + Return a dict of environment proxies. + + :rtype: dict + """ + if should_bypass_proxies(url, no_proxy=no_proxy): + return {} + else: + return getproxies() + + +def select_proxy(url, proxies): + """Select a proxy for the url, if applicable. + + :param url: The url being for the request + :param proxies: A dictionary of schemes or schemes and hosts to proxy URLs + """ + proxies = proxies or {} + urlparts = urlparse(url) + if urlparts.hostname is None: + return proxies.get(urlparts.scheme, proxies.get('all')) + + proxy_keys = [ + urlparts.scheme + '://' + urlparts.hostname, + urlparts.scheme, + 'all://' + urlparts.hostname, + 'all', + ] + proxy = None + for proxy_key in proxy_keys: + if proxy_key in proxies: + proxy = proxies[proxy_key] + break + + return proxy + + +def default_user_agent(name="python-requests"): + """ + Return a string representing the default user agent. + + :rtype: str + """ + return '%s/%s' % (name, __version__) + + +def default_headers(): + """ + :rtype: requests.structures.CaseInsensitiveDict + """ + return CaseInsensitiveDict({ + 'User-Agent': default_user_agent(), + 'Accept-Encoding': ', '.join(('gzip', 'deflate')), + 'Accept': '*/*', + 'Connection': 'keep-alive', + }) + + +def parse_header_links(value): + """Return a list of parsed link headers proxies. + + i.e. Link: <http:/.../front.jpeg>; rel=front; type="image/jpeg",<http://.../back.jpeg>; rel=back;type="image/jpeg" + + :rtype: list + """ + + links = [] + + replace_chars = ' \'"' + + value = value.strip(replace_chars) + if not value: + return links + + for val in re.split(', *<', value): + try: + url, params = val.split(';', 1) + except ValueError: + url, params = val, '' + + link = {'url': url.strip('<> \'"')} + + for param in params.split(';'): + try: + key, value = param.split('=') + except ValueError: + break + + link[key.strip(replace_chars)] = value.strip(replace_chars) + + links.append(link) + + return links + + +# Null bytes; no need to recreate these on each call to guess_json_utf +_null = '\x00'.encode('ascii') # encoding to ASCII for Python 3 +_null2 = _null * 2 +_null3 = _null * 3 + + +def guess_json_utf(data): + """ + :rtype: str + """ + # JSON always starts with two ASCII characters, so detection is as + # easy as counting the nulls and from their location and count + # determine the encoding. Also detect a BOM, if present. + sample = data[:4] + if sample in (codecs.BOM_UTF32_LE, codecs.BOM_UTF32_BE): + return 'utf-32' # BOM included + if sample[:3] == codecs.BOM_UTF8: + return 'utf-8-sig' # BOM included, MS style (discouraged) + if sample[:2] in (codecs.BOM_UTF16_LE, codecs.BOM_UTF16_BE): + return 'utf-16' # BOM included + nullcount = sample.count(_null) + if nullcount == 0: + return 'utf-8' + if nullcount == 2: + if sample[::2] == _null2: # 1st and 3rd are null + return 'utf-16-be' + if sample[1::2] == _null2: # 2nd and 4th are null + return 'utf-16-le' + # Did not detect 2 valid UTF-16 ascii-range characters + if nullcount == 3: + if sample[:3] == _null3: + return 'utf-32-be' + if sample[1:] == _null3: + return 'utf-32-le' + # Did not detect a valid UTF-32 ascii-range character + return None + + +def prepend_scheme_if_needed(url, new_scheme): + """Given a URL that may or may not have a scheme, prepend the given scheme. + Does not replace a present scheme with the one provided as an argument. + + :rtype: str + """ + scheme, netloc, path, params, query, fragment = urlparse(url, new_scheme) + + # urlparse is a finicky beast, and sometimes decides that there isn't a + # netloc present. Assume that it's being over-cautious, and switch netloc + # and path if urlparse decided there was no netloc. + if not netloc: + netloc, path = path, netloc + + return urlunparse((scheme, netloc, path, params, query, fragment)) + + +def get_auth_from_url(url): + """Given a url with authentication components, extract them into a tuple of + username,password. + + :rtype: (str,str) + """ + parsed = urlparse(url) + + try: + auth = (unquote(parsed.username), unquote(parsed.password)) + except (AttributeError, TypeError): + auth = ('', '') + + return auth + + +# Moved outside of function to avoid recompile every call +_CLEAN_HEADER_REGEX_BYTE = re.compile(b'^\\S[^\\r\\n]*$|^$') +_CLEAN_HEADER_REGEX_STR = re.compile(r'^\S[^\r\n]*$|^$') + + +def check_header_validity(header): + """Verifies that header value is a string which doesn't contain + leading whitespace or return characters. This prevents unintended + header injection. + + :param header: tuple, in the format (name, value). + """ + name, value = header + + if isinstance(value, bytes): + pat = _CLEAN_HEADER_REGEX_BYTE + else: + pat = _CLEAN_HEADER_REGEX_STR + try: + if not pat.match(value): + raise InvalidHeader("Invalid return character or leading space in header: %s" % name) + except TypeError: + raise InvalidHeader("Value for header {%s: %s} must be of type str or " + "bytes, not %s" % (name, value, type(value))) + + +def urldefragauth(url): + """ + Given a url remove the fragment and the authentication part. + + :rtype: str + """ + scheme, netloc, path, params, query, fragment = urlparse(url) + + # see func:`prepend_scheme_if_needed` + if not netloc: + netloc, path = path, netloc + + netloc = netloc.rsplit('@', 1)[-1] + + return urlunparse((scheme, netloc, path, params, query, '')) + + +def rewind_body(prepared_request): + """Move file pointer back to its recorded starting position + so it can be read again on redirect. + """ + body_seek = getattr(prepared_request.body, 'seek', None) + if body_seek is not None and isinstance(prepared_request._body_position, integer_types): + try: + body_seek(prepared_request._body_position) + except (IOError, OSError): + raise UnrewindableBodyError("An error occurred when rewinding request " + "body for redirect.") + else: + raise UnrewindableBodyError("Unable to rewind request body for redirect.") diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/retrying.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/retrying.py new file mode 100644 index 0000000..6d1e627 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/retrying.py @@ -0,0 +1,267 @@ +## Copyright 2013-2014 Ray Holder +## +## Licensed under the Apache License, Version 2.0 (the "License"); +## you may not use this file except in compliance with the License. +## You may obtain a copy of the License at +## +## http://www.apache.org/licenses/LICENSE-2.0 +## +## Unless required by applicable law or agreed to in writing, software +## distributed under the License is distributed on an "AS IS" BASIS, +## WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +## See the License for the specific language governing permissions and +## limitations under the License. + +import random +from pip._vendor import six +import sys +import time +import traceback + + +# sys.maxint / 2, since Python 3.2 doesn't have a sys.maxint... +MAX_WAIT = 1073741823 + + +def retry(*dargs, **dkw): + """ + Decorator function that instantiates the Retrying object + @param *dargs: positional arguments passed to Retrying object + @param **dkw: keyword arguments passed to the Retrying object + """ + # support both @retry and @retry() as valid syntax + if len(dargs) == 1 and callable(dargs[0]): + def wrap_simple(f): + + @six.wraps(f) + def wrapped_f(*args, **kw): + return Retrying().call(f, *args, **kw) + + return wrapped_f + + return wrap_simple(dargs[0]) + + else: + def wrap(f): + + @six.wraps(f) + def wrapped_f(*args, **kw): + return Retrying(*dargs, **dkw).call(f, *args, **kw) + + return wrapped_f + + return wrap + + +class Retrying(object): + + def __init__(self, + stop=None, wait=None, + stop_max_attempt_number=None, + stop_max_delay=None, + wait_fixed=None, + wait_random_min=None, wait_random_max=None, + wait_incrementing_start=None, wait_incrementing_increment=None, + wait_exponential_multiplier=None, wait_exponential_max=None, + retry_on_exception=None, + retry_on_result=None, + wrap_exception=False, + stop_func=None, + wait_func=None, + wait_jitter_max=None): + + self._stop_max_attempt_number = 5 if stop_max_attempt_number is None else stop_max_attempt_number + self._stop_max_delay = 100 if stop_max_delay is None else stop_max_delay + self._wait_fixed = 1000 if wait_fixed is None else wait_fixed + self._wait_random_min = 0 if wait_random_min is None else wait_random_min + self._wait_random_max = 1000 if wait_random_max is None else wait_random_max + self._wait_incrementing_start = 0 if wait_incrementing_start is None else wait_incrementing_start + self._wait_incrementing_increment = 100 if wait_incrementing_increment is None else wait_incrementing_increment + self._wait_exponential_multiplier = 1 if wait_exponential_multiplier is None else wait_exponential_multiplier + self._wait_exponential_max = MAX_WAIT if wait_exponential_max is None else wait_exponential_max + self._wait_jitter_max = 0 if wait_jitter_max is None else wait_jitter_max + + # TODO add chaining of stop behaviors + # stop behavior + stop_funcs = [] + if stop_max_attempt_number is not None: + stop_funcs.append(self.stop_after_attempt) + + if stop_max_delay is not None: + stop_funcs.append(self.stop_after_delay) + + if stop_func is not None: + self.stop = stop_func + + elif stop is None: + self.stop = lambda attempts, delay: any(f(attempts, delay) for f in stop_funcs) + + else: + self.stop = getattr(self, stop) + + # TODO add chaining of wait behaviors + # wait behavior + wait_funcs = [lambda *args, **kwargs: 0] + if wait_fixed is not None: + wait_funcs.append(self.fixed_sleep) + + if wait_random_min is not None or wait_random_max is not None: + wait_funcs.append(self.random_sleep) + + if wait_incrementing_start is not None or wait_incrementing_increment is not None: + wait_funcs.append(self.incrementing_sleep) + + if wait_exponential_multiplier is not None or wait_exponential_max is not None: + wait_funcs.append(self.exponential_sleep) + + if wait_func is not None: + self.wait = wait_func + + elif wait is None: + self.wait = lambda attempts, delay: max(f(attempts, delay) for f in wait_funcs) + + else: + self.wait = getattr(self, wait) + + # retry on exception filter + if retry_on_exception is None: + self._retry_on_exception = self.always_reject + else: + self._retry_on_exception = retry_on_exception + + # TODO simplify retrying by Exception types + # retry on result filter + if retry_on_result is None: + self._retry_on_result = self.never_reject + else: + self._retry_on_result = retry_on_result + + self._wrap_exception = wrap_exception + + def stop_after_attempt(self, previous_attempt_number, delay_since_first_attempt_ms): + """Stop after the previous attempt >= stop_max_attempt_number.""" + return previous_attempt_number >= self._stop_max_attempt_number + + def stop_after_delay(self, previous_attempt_number, delay_since_first_attempt_ms): + """Stop after the time from the first attempt >= stop_max_delay.""" + return delay_since_first_attempt_ms >= self._stop_max_delay + + def no_sleep(self, previous_attempt_number, delay_since_first_attempt_ms): + """Don't sleep at all before retrying.""" + return 0 + + def fixed_sleep(self, previous_attempt_number, delay_since_first_attempt_ms): + """Sleep a fixed amount of time between each retry.""" + return self._wait_fixed + + def random_sleep(self, previous_attempt_number, delay_since_first_attempt_ms): + """Sleep a random amount of time between wait_random_min and wait_random_max""" + return random.randint(self._wait_random_min, self._wait_random_max) + + def incrementing_sleep(self, previous_attempt_number, delay_since_first_attempt_ms): + """ + Sleep an incremental amount of time after each attempt, starting at + wait_incrementing_start and incrementing by wait_incrementing_increment + """ + result = self._wait_incrementing_start + (self._wait_incrementing_increment * (previous_attempt_number - 1)) + if result < 0: + result = 0 + return result + + def exponential_sleep(self, previous_attempt_number, delay_since_first_attempt_ms): + exp = 2 ** previous_attempt_number + result = self._wait_exponential_multiplier * exp + if result > self._wait_exponential_max: + result = self._wait_exponential_max + if result < 0: + result = 0 + return result + + def never_reject(self, result): + return False + + def always_reject(self, result): + return True + + def should_reject(self, attempt): + reject = False + if attempt.has_exception: + reject |= self._retry_on_exception(attempt.value[1]) + else: + reject |= self._retry_on_result(attempt.value) + + return reject + + def call(self, fn, *args, **kwargs): + start_time = int(round(time.time() * 1000)) + attempt_number = 1 + while True: + try: + attempt = Attempt(fn(*args, **kwargs), attempt_number, False) + except: + tb = sys.exc_info() + attempt = Attempt(tb, attempt_number, True) + + if not self.should_reject(attempt): + return attempt.get(self._wrap_exception) + + delay_since_first_attempt_ms = int(round(time.time() * 1000)) - start_time + if self.stop(attempt_number, delay_since_first_attempt_ms): + if not self._wrap_exception and attempt.has_exception: + # get() on an attempt with an exception should cause it to be raised, but raise just in case + raise attempt.get() + else: + raise RetryError(attempt) + else: + sleep = self.wait(attempt_number, delay_since_first_attempt_ms) + if self._wait_jitter_max: + jitter = random.random() * self._wait_jitter_max + sleep = sleep + max(0, jitter) + time.sleep(sleep / 1000.0) + + attempt_number += 1 + + +class Attempt(object): + """ + An Attempt encapsulates a call to a target function that may end as a + normal return value from the function or an Exception depending on what + occurred during the execution. + """ + + def __init__(self, value, attempt_number, has_exception): + self.value = value + self.attempt_number = attempt_number + self.has_exception = has_exception + + def get(self, wrap_exception=False): + """ + Return the return value of this Attempt instance or raise an Exception. + If wrap_exception is true, this Attempt is wrapped inside of a + RetryError before being raised. + """ + if self.has_exception: + if wrap_exception: + raise RetryError(self) + else: + six.reraise(self.value[0], self.value[1], self.value[2]) + else: + return self.value + + def __repr__(self): + if self.has_exception: + return "Attempts: {0}, Error:\n{1}".format(self.attempt_number, "".join(traceback.format_tb(self.value[2]))) + else: + return "Attempts: {0}, Value: {1}".format(self.attempt_number, self.value) + + +class RetryError(Exception): + """ + A RetryError encapsulates the last Attempt instance right before giving up. + """ + + def __init__(self, last_attempt): + self.last_attempt = last_attempt + + def __str__(self): + return "RetryError[{0}]".format(self.last_attempt) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/six.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/six.py new file mode 100644 index 0000000..89b2188 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/six.py @@ -0,0 +1,952 @@ +# Copyright (c) 2010-2018 Benjamin Peterson +# +# Permission is hereby granted, free of charge, to any person obtaining a copy +# of this software and associated documentation files (the "Software"), to deal +# in the Software without restriction, including without limitation the rights +# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +# copies of the Software, and to permit persons to whom the Software is +# furnished to do so, subject to the following conditions: +# +# The above copyright notice and this permission notice shall be included in all +# copies or substantial portions of the Software. +# +# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +# SOFTWARE. + +"""Utilities for writing code that runs on Python 2 and 3""" + +from __future__ import absolute_import + +import functools +import itertools +import operator +import sys +import types + +__author__ = "Benjamin Peterson <benjamin@python.org>" +__version__ = "1.12.0" + + +# Useful for very coarse version differentiation. +PY2 = sys.version_info[0] == 2 +PY3 = sys.version_info[0] == 3 +PY34 = sys.version_info[0:2] >= (3, 4) + +if PY3: + string_types = str, + integer_types = int, + class_types = type, + text_type = str + binary_type = bytes + + MAXSIZE = sys.maxsize +else: + string_types = basestring, + integer_types = (int, long) + class_types = (type, types.ClassType) + text_type = unicode + binary_type = str + + if sys.platform.startswith("java"): + # Jython always uses 32 bits. + MAXSIZE = int((1 << 31) - 1) + else: + # It's possible to have sizeof(long) != sizeof(Py_ssize_t). + class X(object): + + def __len__(self): + return 1 << 31 + try: + len(X()) + except OverflowError: + # 32-bit + MAXSIZE = int((1 << 31) - 1) + else: + # 64-bit + MAXSIZE = int((1 << 63) - 1) + del X + + +def _add_doc(func, doc): + """Add documentation to a function.""" + func.__doc__ = doc + + +def _import_module(name): + """Import module, returning the module after the last dot.""" + __import__(name) + return sys.modules[name] + + +class _LazyDescr(object): + + def __init__(self, name): + self.name = name + + def __get__(self, obj, tp): + result = self._resolve() + setattr(obj, self.name, result) # Invokes __set__. + try: + # This is a bit ugly, but it avoids running this again by + # removing this descriptor. + delattr(obj.__class__, self.name) + except AttributeError: + pass + return result + + +class MovedModule(_LazyDescr): + + def __init__(self, name, old, new=None): + super(MovedModule, self).__init__(name) + if PY3: + if new is None: + new = name + self.mod = new + else: + self.mod = old + + def _resolve(self): + return _import_module(self.mod) + + def __getattr__(self, attr): + _module = self._resolve() + value = getattr(_module, attr) + setattr(self, attr, value) + return value + + +class _LazyModule(types.ModuleType): + + def __init__(self, name): + super(_LazyModule, self).__init__(name) + self.__doc__ = self.__class__.__doc__ + + def __dir__(self): + attrs = ["__doc__", "__name__"] + attrs += [attr.name for attr in self._moved_attributes] + return attrs + + # Subclasses should override this + _moved_attributes = [] + + +class MovedAttribute(_LazyDescr): + + def __init__(self, name, old_mod, new_mod, old_attr=None, new_attr=None): + super(MovedAttribute, self).__init__(name) + if PY3: + if new_mod is None: + new_mod = name + self.mod = new_mod + if new_attr is None: + if old_attr is None: + new_attr = name + else: + new_attr = old_attr + self.attr = new_attr + else: + self.mod = old_mod + if old_attr is None: + old_attr = name + self.attr = old_attr + + def _resolve(self): + module = _import_module(self.mod) + return getattr(module, self.attr) + + +class _SixMetaPathImporter(object): + + """ + A meta path importer to import six.moves and its submodules. + + This class implements a PEP302 finder and loader. It should be compatible + with Python 2.5 and all existing versions of Python3 + """ + + def __init__(self, six_module_name): + self.name = six_module_name + self.known_modules = {} + + def _add_module(self, mod, *fullnames): + for fullname in fullnames: + self.known_modules[self.name + "." + fullname] = mod + + def _get_module(self, fullname): + return self.known_modules[self.name + "." + fullname] + + def find_module(self, fullname, path=None): + if fullname in self.known_modules: + return self + return None + + def __get_module(self, fullname): + try: + return self.known_modules[fullname] + except KeyError: + raise ImportError("This loader does not know module " + fullname) + + def load_module(self, fullname): + try: + # in case of a reload + return sys.modules[fullname] + except KeyError: + pass + mod = self.__get_module(fullname) + if isinstance(mod, MovedModule): + mod = mod._resolve() + else: + mod.__loader__ = self + sys.modules[fullname] = mod + return mod + + def is_package(self, fullname): + """ + Return true, if the named module is a package. + + We need this method to get correct spec objects with + Python 3.4 (see PEP451) + """ + return hasattr(self.__get_module(fullname), "__path__") + + def get_code(self, fullname): + """Return None + + Required, if is_package is implemented""" + self.__get_module(fullname) # eventually raises ImportError + return None + get_source = get_code # same as get_code + +_importer = _SixMetaPathImporter(__name__) + + +class _MovedItems(_LazyModule): + + """Lazy loading of moved objects""" + __path__ = [] # mark as package + + +_moved_attributes = [ + MovedAttribute("cStringIO", "cStringIO", "io", "StringIO"), + MovedAttribute("filter", "itertools", "builtins", "ifilter", "filter"), + MovedAttribute("filterfalse", "itertools", "itertools", "ifilterfalse", "filterfalse"), + MovedAttribute("input", "__builtin__", "builtins", "raw_input", "input"), + MovedAttribute("intern", "__builtin__", "sys"), + MovedAttribute("map", "itertools", "builtins", "imap", "map"), + MovedAttribute("getcwd", "os", "os", "getcwdu", "getcwd"), + MovedAttribute("getcwdb", "os", "os", "getcwd", "getcwdb"), + MovedAttribute("getoutput", "commands", "subprocess"), + MovedAttribute("range", "__builtin__", "builtins", "xrange", "range"), + MovedAttribute("reload_module", "__builtin__", "importlib" if PY34 else "imp", "reload"), + MovedAttribute("reduce", "__builtin__", "functools"), + MovedAttribute("shlex_quote", "pipes", "shlex", "quote"), + MovedAttribute("StringIO", "StringIO", "io"), + MovedAttribute("UserDict", "UserDict", "collections"), + MovedAttribute("UserList", "UserList", "collections"), + MovedAttribute("UserString", "UserString", "collections"), + MovedAttribute("xrange", "__builtin__", "builtins", "xrange", "range"), + MovedAttribute("zip", "itertools", "builtins", "izip", "zip"), + MovedAttribute("zip_longest", "itertools", "itertools", "izip_longest", "zip_longest"), + MovedModule("builtins", "__builtin__"), + MovedModule("configparser", "ConfigParser"), + MovedModule("copyreg", "copy_reg"), + MovedModule("dbm_gnu", "gdbm", "dbm.gnu"), + MovedModule("_dummy_thread", "dummy_thread", "_dummy_thread"), + MovedModule("http_cookiejar", "cookielib", "http.cookiejar"), + MovedModule("http_cookies", "Cookie", "http.cookies"), + MovedModule("html_entities", "htmlentitydefs", "html.entities"), + MovedModule("html_parser", "HTMLParser", "html.parser"), + MovedModule("http_client", "httplib", "http.client"), + MovedModule("email_mime_base", "email.MIMEBase", "email.mime.base"), + MovedModule("email_mime_image", "email.MIMEImage", "email.mime.image"), + MovedModule("email_mime_multipart", "email.MIMEMultipart", "email.mime.multipart"), + MovedModule("email_mime_nonmultipart", "email.MIMENonMultipart", "email.mime.nonmultipart"), + MovedModule("email_mime_text", "email.MIMEText", "email.mime.text"), + MovedModule("BaseHTTPServer", "BaseHTTPServer", "http.server"), + MovedModule("CGIHTTPServer", "CGIHTTPServer", "http.server"), + MovedModule("SimpleHTTPServer", "SimpleHTTPServer", "http.server"), + MovedModule("cPickle", "cPickle", "pickle"), + MovedModule("queue", "Queue"), + MovedModule("reprlib", "repr"), + MovedModule("socketserver", "SocketServer"), + MovedModule("_thread", "thread", "_thread"), + MovedModule("tkinter", "Tkinter"), + MovedModule("tkinter_dialog", "Dialog", "tkinter.dialog"), + MovedModule("tkinter_filedialog", "FileDialog", "tkinter.filedialog"), + MovedModule("tkinter_scrolledtext", "ScrolledText", "tkinter.scrolledtext"), + MovedModule("tkinter_simpledialog", "SimpleDialog", "tkinter.simpledialog"), + MovedModule("tkinter_tix", "Tix", "tkinter.tix"), + MovedModule("tkinter_ttk", "ttk", "tkinter.ttk"), + MovedModule("tkinter_constants", "Tkconstants", "tkinter.constants"), + MovedModule("tkinter_dnd", "Tkdnd", "tkinter.dnd"), + MovedModule("tkinter_colorchooser", "tkColorChooser", + "tkinter.colorchooser"), + MovedModule("tkinter_commondialog", "tkCommonDialog", + "tkinter.commondialog"), + MovedModule("tkinter_tkfiledialog", "tkFileDialog", "tkinter.filedialog"), + MovedModule("tkinter_font", "tkFont", "tkinter.font"), + MovedModule("tkinter_messagebox", "tkMessageBox", "tkinter.messagebox"), + MovedModule("tkinter_tksimpledialog", "tkSimpleDialog", + "tkinter.simpledialog"), + MovedModule("urllib_parse", __name__ + ".moves.urllib_parse", "urllib.parse"), + MovedModule("urllib_error", __name__ + ".moves.urllib_error", "urllib.error"), + MovedModule("urllib", __name__ + ".moves.urllib", __name__ + ".moves.urllib"), + MovedModule("urllib_robotparser", "robotparser", "urllib.robotparser"), + MovedModule("xmlrpc_client", "xmlrpclib", "xmlrpc.client"), + MovedModule("xmlrpc_server", "SimpleXMLRPCServer", "xmlrpc.server"), +] +# Add windows specific modules. +if sys.platform == "win32": + _moved_attributes += [ + MovedModule("winreg", "_winreg"), + ] + +for attr in _moved_attributes: + setattr(_MovedItems, attr.name, attr) + if isinstance(attr, MovedModule): + _importer._add_module(attr, "moves." + attr.name) +del attr + +_MovedItems._moved_attributes = _moved_attributes + +moves = _MovedItems(__name__ + ".moves") +_importer._add_module(moves, "moves") + + +class Module_six_moves_urllib_parse(_LazyModule): + + """Lazy loading of moved objects in six.moves.urllib_parse""" + + +_urllib_parse_moved_attributes = [ + MovedAttribute("ParseResult", "urlparse", "urllib.parse"), + MovedAttribute("SplitResult", "urlparse", "urllib.parse"), + MovedAttribute("parse_qs", "urlparse", "urllib.parse"), + MovedAttribute("parse_qsl", "urlparse", "urllib.parse"), + MovedAttribute("urldefrag", "urlparse", "urllib.parse"), + MovedAttribute("urljoin", "urlparse", "urllib.parse"), + MovedAttribute("urlparse", "urlparse", "urllib.parse"), + MovedAttribute("urlsplit", "urlparse", "urllib.parse"), + MovedAttribute("urlunparse", "urlparse", "urllib.parse"), + MovedAttribute("urlunsplit", "urlparse", "urllib.parse"), + MovedAttribute("quote", "urllib", "urllib.parse"), + MovedAttribute("quote_plus", "urllib", "urllib.parse"), + MovedAttribute("unquote", "urllib", "urllib.parse"), + MovedAttribute("unquote_plus", "urllib", "urllib.parse"), + MovedAttribute("unquote_to_bytes", "urllib", "urllib.parse", "unquote", "unquote_to_bytes"), + MovedAttribute("urlencode", "urllib", "urllib.parse"), + MovedAttribute("splitquery", "urllib", "urllib.parse"), + MovedAttribute("splittag", "urllib", "urllib.parse"), + MovedAttribute("splituser", "urllib", "urllib.parse"), + MovedAttribute("splitvalue", "urllib", "urllib.parse"), + MovedAttribute("uses_fragment", "urlparse", "urllib.parse"), + MovedAttribute("uses_netloc", "urlparse", "urllib.parse"), + MovedAttribute("uses_params", "urlparse", "urllib.parse"), + MovedAttribute("uses_query", "urlparse", "urllib.parse"), + MovedAttribute("uses_relative", "urlparse", "urllib.parse"), +] +for attr in _urllib_parse_moved_attributes: + setattr(Module_six_moves_urllib_parse, attr.name, attr) +del attr + +Module_six_moves_urllib_parse._moved_attributes = _urllib_parse_moved_attributes + +_importer._add_module(Module_six_moves_urllib_parse(__name__ + ".moves.urllib_parse"), + "moves.urllib_parse", "moves.urllib.parse") + + +class Module_six_moves_urllib_error(_LazyModule): + + """Lazy loading of moved objects in six.moves.urllib_error""" + + +_urllib_error_moved_attributes = [ + MovedAttribute("URLError", "urllib2", "urllib.error"), + MovedAttribute("HTTPError", "urllib2", "urllib.error"), + MovedAttribute("ContentTooShortError", "urllib", "urllib.error"), +] +for attr in _urllib_error_moved_attributes: + setattr(Module_six_moves_urllib_error, attr.name, attr) +del attr + +Module_six_moves_urllib_error._moved_attributes = _urllib_error_moved_attributes + +_importer._add_module(Module_six_moves_urllib_error(__name__ + ".moves.urllib.error"), + "moves.urllib_error", "moves.urllib.error") + + +class Module_six_moves_urllib_request(_LazyModule): + + """Lazy loading of moved objects in six.moves.urllib_request""" + + +_urllib_request_moved_attributes = [ + MovedAttribute("urlopen", "urllib2", "urllib.request"), + MovedAttribute("install_opener", "urllib2", "urllib.request"), + MovedAttribute("build_opener", "urllib2", "urllib.request"), + MovedAttribute("pathname2url", "urllib", "urllib.request"), + MovedAttribute("url2pathname", "urllib", "urllib.request"), + MovedAttribute("getproxies", "urllib", "urllib.request"), + MovedAttribute("Request", "urllib2", "urllib.request"), + MovedAttribute("OpenerDirector", "urllib2", "urllib.request"), + MovedAttribute("HTTPDefaultErrorHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPRedirectHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPCookieProcessor", "urllib2", "urllib.request"), + MovedAttribute("ProxyHandler", "urllib2", "urllib.request"), + MovedAttribute("BaseHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPPasswordMgr", "urllib2", "urllib.request"), + MovedAttribute("HTTPPasswordMgrWithDefaultRealm", "urllib2", "urllib.request"), + MovedAttribute("AbstractBasicAuthHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPBasicAuthHandler", "urllib2", "urllib.request"), + MovedAttribute("ProxyBasicAuthHandler", "urllib2", "urllib.request"), + MovedAttribute("AbstractDigestAuthHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPDigestAuthHandler", "urllib2", "urllib.request"), + MovedAttribute("ProxyDigestAuthHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPSHandler", "urllib2", "urllib.request"), + MovedAttribute("FileHandler", "urllib2", "urllib.request"), + MovedAttribute("FTPHandler", "urllib2", "urllib.request"), + MovedAttribute("CacheFTPHandler", "urllib2", "urllib.request"), + MovedAttribute("UnknownHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPErrorProcessor", "urllib2", "urllib.request"), + MovedAttribute("urlretrieve", "urllib", "urllib.request"), + MovedAttribute("urlcleanup", "urllib", "urllib.request"), + MovedAttribute("URLopener", "urllib", "urllib.request"), + MovedAttribute("FancyURLopener", "urllib", "urllib.request"), + MovedAttribute("proxy_bypass", "urllib", "urllib.request"), + MovedAttribute("parse_http_list", "urllib2", "urllib.request"), + MovedAttribute("parse_keqv_list", "urllib2", "urllib.request"), +] +for attr in _urllib_request_moved_attributes: + setattr(Module_six_moves_urllib_request, attr.name, attr) +del attr + +Module_six_moves_urllib_request._moved_attributes = _urllib_request_moved_attributes + +_importer._add_module(Module_six_moves_urllib_request(__name__ + ".moves.urllib.request"), + "moves.urllib_request", "moves.urllib.request") + + +class Module_six_moves_urllib_response(_LazyModule): + + """Lazy loading of moved objects in six.moves.urllib_response""" + + +_urllib_response_moved_attributes = [ + MovedAttribute("addbase", "urllib", "urllib.response"), + MovedAttribute("addclosehook", "urllib", "urllib.response"), + MovedAttribute("addinfo", "urllib", "urllib.response"), + MovedAttribute("addinfourl", "urllib", "urllib.response"), +] +for attr in _urllib_response_moved_attributes: + setattr(Module_six_moves_urllib_response, attr.name, attr) +del attr + +Module_six_moves_urllib_response._moved_attributes = _urllib_response_moved_attributes + +_importer._add_module(Module_six_moves_urllib_response(__name__ + ".moves.urllib.response"), + "moves.urllib_response", "moves.urllib.response") + + +class Module_six_moves_urllib_robotparser(_LazyModule): + + """Lazy loading of moved objects in six.moves.urllib_robotparser""" + + +_urllib_robotparser_moved_attributes = [ + MovedAttribute("RobotFileParser", "robotparser", "urllib.robotparser"), +] +for attr in _urllib_robotparser_moved_attributes: + setattr(Module_six_moves_urllib_robotparser, attr.name, attr) +del attr + +Module_six_moves_urllib_robotparser._moved_attributes = _urllib_robotparser_moved_attributes + +_importer._add_module(Module_six_moves_urllib_robotparser(__name__ + ".moves.urllib.robotparser"), + "moves.urllib_robotparser", "moves.urllib.robotparser") + + +class Module_six_moves_urllib(types.ModuleType): + + """Create a six.moves.urllib namespace that resembles the Python 3 namespace""" + __path__ = [] # mark as package + parse = _importer._get_module("moves.urllib_parse") + error = _importer._get_module("moves.urllib_error") + request = _importer._get_module("moves.urllib_request") + response = _importer._get_module("moves.urllib_response") + robotparser = _importer._get_module("moves.urllib_robotparser") + + def __dir__(self): + return ['parse', 'error', 'request', 'response', 'robotparser'] + +_importer._add_module(Module_six_moves_urllib(__name__ + ".moves.urllib"), + "moves.urllib") + + +def add_move(move): + """Add an item to six.moves.""" + setattr(_MovedItems, move.name, move) + + +def remove_move(name): + """Remove item from six.moves.""" + try: + delattr(_MovedItems, name) + except AttributeError: + try: + del moves.__dict__[name] + except KeyError: + raise AttributeError("no such move, %r" % (name,)) + + +if PY3: + _meth_func = "__func__" + _meth_self = "__self__" + + _func_closure = "__closure__" + _func_code = "__code__" + _func_defaults = "__defaults__" + _func_globals = "__globals__" +else: + _meth_func = "im_func" + _meth_self = "im_self" + + _func_closure = "func_closure" + _func_code = "func_code" + _func_defaults = "func_defaults" + _func_globals = "func_globals" + + +try: + advance_iterator = next +except NameError: + def advance_iterator(it): + return it.next() +next = advance_iterator + + +try: + callable = callable +except NameError: + def callable(obj): + return any("__call__" in klass.__dict__ for klass in type(obj).__mro__) + + +if PY3: + def get_unbound_function(unbound): + return unbound + + create_bound_method = types.MethodType + + def create_unbound_method(func, cls): + return func + + Iterator = object +else: + def get_unbound_function(unbound): + return unbound.im_func + + def create_bound_method(func, obj): + return types.MethodType(func, obj, obj.__class__) + + def create_unbound_method(func, cls): + return types.MethodType(func, None, cls) + + class Iterator(object): + + def next(self): + return type(self).__next__(self) + + callable = callable +_add_doc(get_unbound_function, + """Get the function out of a possibly unbound function""") + + +get_method_function = operator.attrgetter(_meth_func) +get_method_self = operator.attrgetter(_meth_self) +get_function_closure = operator.attrgetter(_func_closure) +get_function_code = operator.attrgetter(_func_code) +get_function_defaults = operator.attrgetter(_func_defaults) +get_function_globals = operator.attrgetter(_func_globals) + + +if PY3: + def iterkeys(d, **kw): + return iter(d.keys(**kw)) + + def itervalues(d, **kw): + return iter(d.values(**kw)) + + def iteritems(d, **kw): + return iter(d.items(**kw)) + + def iterlists(d, **kw): + return iter(d.lists(**kw)) + + viewkeys = operator.methodcaller("keys") + + viewvalues = operator.methodcaller("values") + + viewitems = operator.methodcaller("items") +else: + def iterkeys(d, **kw): + return d.iterkeys(**kw) + + def itervalues(d, **kw): + return d.itervalues(**kw) + + def iteritems(d, **kw): + return d.iteritems(**kw) + + def iterlists(d, **kw): + return d.iterlists(**kw) + + viewkeys = operator.methodcaller("viewkeys") + + viewvalues = operator.methodcaller("viewvalues") + + viewitems = operator.methodcaller("viewitems") + +_add_doc(iterkeys, "Return an iterator over the keys of a dictionary.") +_add_doc(itervalues, "Return an iterator over the values of a dictionary.") +_add_doc(iteritems, + "Return an iterator over the (key, value) pairs of a dictionary.") +_add_doc(iterlists, + "Return an iterator over the (key, [values]) pairs of a dictionary.") + + +if PY3: + def b(s): + return s.encode("latin-1") + + def u(s): + return s + unichr = chr + import struct + int2byte = struct.Struct(">B").pack + del struct + byte2int = operator.itemgetter(0) + indexbytes = operator.getitem + iterbytes = iter + import io + StringIO = io.StringIO + BytesIO = io.BytesIO + _assertCountEqual = "assertCountEqual" + if sys.version_info[1] <= 1: + _assertRaisesRegex = "assertRaisesRegexp" + _assertRegex = "assertRegexpMatches" + else: + _assertRaisesRegex = "assertRaisesRegex" + _assertRegex = "assertRegex" +else: + def b(s): + return s + # Workaround for standalone backslash + + def u(s): + return unicode(s.replace(r'\\', r'\\\\'), "unicode_escape") + unichr = unichr + int2byte = chr + + def byte2int(bs): + return ord(bs[0]) + + def indexbytes(buf, i): + return ord(buf[i]) + iterbytes = functools.partial(itertools.imap, ord) + import StringIO + StringIO = BytesIO = StringIO.StringIO + _assertCountEqual = "assertItemsEqual" + _assertRaisesRegex = "assertRaisesRegexp" + _assertRegex = "assertRegexpMatches" +_add_doc(b, """Byte literal""") +_add_doc(u, """Text literal""") + + +def assertCountEqual(self, *args, **kwargs): + return getattr(self, _assertCountEqual)(*args, **kwargs) + + +def assertRaisesRegex(self, *args, **kwargs): + return getattr(self, _assertRaisesRegex)(*args, **kwargs) + + +def assertRegex(self, *args, **kwargs): + return getattr(self, _assertRegex)(*args, **kwargs) + + +if PY3: + exec_ = getattr(moves.builtins, "exec") + + def reraise(tp, value, tb=None): + try: + if value is None: + value = tp() + if value.__traceback__ is not tb: + raise value.with_traceback(tb) + raise value + finally: + value = None + tb = None + +else: + def exec_(_code_, _globs_=None, _locs_=None): + """Execute code in a namespace.""" + if _globs_ is None: + frame = sys._getframe(1) + _globs_ = frame.f_globals + if _locs_ is None: + _locs_ = frame.f_locals + del frame + elif _locs_ is None: + _locs_ = _globs_ + exec("""exec _code_ in _globs_, _locs_""") + + exec_("""def reraise(tp, value, tb=None): + try: + raise tp, value, tb + finally: + tb = None +""") + + +if sys.version_info[:2] == (3, 2): + exec_("""def raise_from(value, from_value): + try: + if from_value is None: + raise value + raise value from from_value + finally: + value = None +""") +elif sys.version_info[:2] > (3, 2): + exec_("""def raise_from(value, from_value): + try: + raise value from from_value + finally: + value = None +""") +else: + def raise_from(value, from_value): + raise value + + +print_ = getattr(moves.builtins, "print", None) +if print_ is None: + def print_(*args, **kwargs): + """The new-style print function for Python 2.4 and 2.5.""" + fp = kwargs.pop("file", sys.stdout) + if fp is None: + return + + def write(data): + if not isinstance(data, basestring): + data = str(data) + # If the file has an encoding, encode unicode with it. + if (isinstance(fp, file) and + isinstance(data, unicode) and + fp.encoding is not None): + errors = getattr(fp, "errors", None) + if errors is None: + errors = "strict" + data = data.encode(fp.encoding, errors) + fp.write(data) + want_unicode = False + sep = kwargs.pop("sep", None) + if sep is not None: + if isinstance(sep, unicode): + want_unicode = True + elif not isinstance(sep, str): + raise TypeError("sep must be None or a string") + end = kwargs.pop("end", None) + if end is not None: + if isinstance(end, unicode): + want_unicode = True + elif not isinstance(end, str): + raise TypeError("end must be None or a string") + if kwargs: + raise TypeError("invalid keyword arguments to print()") + if not want_unicode: + for arg in args: + if isinstance(arg, unicode): + want_unicode = True + break + if want_unicode: + newline = unicode("\n") + space = unicode(" ") + else: + newline = "\n" + space = " " + if sep is None: + sep = space + if end is None: + end = newline + for i, arg in enumerate(args): + if i: + write(sep) + write(arg) + write(end) +if sys.version_info[:2] < (3, 3): + _print = print_ + + def print_(*args, **kwargs): + fp = kwargs.get("file", sys.stdout) + flush = kwargs.pop("flush", False) + _print(*args, **kwargs) + if flush and fp is not None: + fp.flush() + +_add_doc(reraise, """Reraise an exception.""") + +if sys.version_info[0:2] < (3, 4): + def wraps(wrapped, assigned=functools.WRAPPER_ASSIGNMENTS, + updated=functools.WRAPPER_UPDATES): + def wrapper(f): + f = functools.wraps(wrapped, assigned, updated)(f) + f.__wrapped__ = wrapped + return f + return wrapper +else: + wraps = functools.wraps + + +def with_metaclass(meta, *bases): + """Create a base class with a metaclass.""" + # This requires a bit of explanation: the basic idea is to make a dummy + # metaclass for one level of class instantiation that replaces itself with + # the actual metaclass. + class metaclass(type): + + def __new__(cls, name, this_bases, d): + return meta(name, bases, d) + + @classmethod + def __prepare__(cls, name, this_bases): + return meta.__prepare__(name, bases) + return type.__new__(metaclass, 'temporary_class', (), {}) + + +def add_metaclass(metaclass): + """Class decorator for creating a class with a metaclass.""" + def wrapper(cls): + orig_vars = cls.__dict__.copy() + slots = orig_vars.get('__slots__') + if slots is not None: + if isinstance(slots, str): + slots = [slots] + for slots_var in slots: + orig_vars.pop(slots_var) + orig_vars.pop('__dict__', None) + orig_vars.pop('__weakref__', None) + if hasattr(cls, '__qualname__'): + orig_vars['__qualname__'] = cls.__qualname__ + return metaclass(cls.__name__, cls.__bases__, orig_vars) + return wrapper + + +def ensure_binary(s, encoding='utf-8', errors='strict'): + """Coerce **s** to six.binary_type. + + For Python 2: + - `unicode` -> encoded to `str` + - `str` -> `str` + + For Python 3: + - `str` -> encoded to `bytes` + - `bytes` -> `bytes` + """ + if isinstance(s, text_type): + return s.encode(encoding, errors) + elif isinstance(s, binary_type): + return s + else: + raise TypeError("not expecting type '%s'" % type(s)) + + +def ensure_str(s, encoding='utf-8', errors='strict'): + """Coerce *s* to `str`. + + For Python 2: + - `unicode` -> encoded to `str` + - `str` -> `str` + + For Python 3: + - `str` -> `str` + - `bytes` -> decoded to `str` + """ + if not isinstance(s, (text_type, binary_type)): + raise TypeError("not expecting type '%s'" % type(s)) + if PY2 and isinstance(s, text_type): + s = s.encode(encoding, errors) + elif PY3 and isinstance(s, binary_type): + s = s.decode(encoding, errors) + return s + + +def ensure_text(s, encoding='utf-8', errors='strict'): + """Coerce *s* to six.text_type. + + For Python 2: + - `unicode` -> `unicode` + - `str` -> `unicode` + + For Python 3: + - `str` -> `str` + - `bytes` -> decoded to `str` + """ + if isinstance(s, binary_type): + return s.decode(encoding, errors) + elif isinstance(s, text_type): + return s + else: + raise TypeError("not expecting type '%s'" % type(s)) + + + +def python_2_unicode_compatible(klass): + """ + A decorator that defines __unicode__ and __str__ methods under Python 2. + Under Python 3 it does nothing. + + To support Python 2 and 3 with a single code base, define a __str__ method + returning text and apply this decorator to the class. + """ + if PY2: + if '__str__' not in klass.__dict__: + raise ValueError("@python_2_unicode_compatible cannot be applied " + "to %s because it doesn't define __str__()." % + klass.__name__) + klass.__unicode__ = klass.__str__ + klass.__str__ = lambda self: self.__unicode__().encode('utf-8') + return klass + + +# Complete the moves implementation. +# This code is at the end of this module to speed up module loading. +# Turn this module into a package. +__path__ = [] # required for PEP 302 and PEP 451 +__package__ = __name__ # see PEP 366 @ReservedAssignment +if globals().get("__spec__") is not None: + __spec__.submodule_search_locations = [] # PEP 451 @UndefinedVariable +# Remove other six meta path importers, since they cause problems. This can +# happen if six is removed from sys.modules and then reloaded. (Setuptools does +# this for some reason.) +if sys.meta_path: + for i, importer in enumerate(sys.meta_path): + # Here's some real nastiness: Another "instance" of the six module might + # be floating around. Therefore, we can't use isinstance() to check for + # the six meta path importer, since the other six instance will have + # inserted an importer with different class. + if (type(importer).__name__ == "_SixMetaPathImporter" and + importer.name == __name__): + del sys.meta_path[i] + break + del i, importer +# Finally, add the importer to the meta path import hook. +sys.meta_path.append(_importer) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/__init__.py new file mode 100644 index 0000000..148a9c3 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/__init__.py @@ -0,0 +1,92 @@ +""" +urllib3 - Thread-safe connection pooling and re-using. +""" + +from __future__ import absolute_import +import warnings + +from .connectionpool import ( + HTTPConnectionPool, + HTTPSConnectionPool, + connection_from_url +) + +from . import exceptions +from .filepost import encode_multipart_formdata +from .poolmanager import PoolManager, ProxyManager, proxy_from_url +from .response import HTTPResponse +from .util.request import make_headers +from .util.url import get_host +from .util.timeout import Timeout +from .util.retry import Retry + + +# Set default logging handler to avoid "No handler found" warnings. +import logging +from logging import NullHandler + +__author__ = 'Andrey Petrov (andrey.petrov@shazow.net)' +__license__ = 'MIT' +__version__ = '1.24.1' + +__all__ = ( + 'HTTPConnectionPool', + 'HTTPSConnectionPool', + 'PoolManager', + 'ProxyManager', + 'HTTPResponse', + 'Retry', + 'Timeout', + 'add_stderr_logger', + 'connection_from_url', + 'disable_warnings', + 'encode_multipart_formdata', + 'get_host', + 'make_headers', + 'proxy_from_url', +) + +logging.getLogger(__name__).addHandler(NullHandler()) + + +def add_stderr_logger(level=logging.DEBUG): + """ + Helper for quickly adding a StreamHandler to the logger. Useful for + debugging. + + Returns the handler after adding it. + """ + # This method needs to be in this __init__.py to get the __name__ correct + # even if urllib3 is vendored within another package. + logger = logging.getLogger(__name__) + handler = logging.StreamHandler() + handler.setFormatter(logging.Formatter('%(asctime)s %(levelname)s %(message)s')) + logger.addHandler(handler) + logger.setLevel(level) + logger.debug('Added a stderr logging handler to logger: %s', __name__) + return handler + + +# ... Clean up. +del NullHandler + + +# All warning filters *must* be appended unless you're really certain that they +# shouldn't be: otherwise, it's very hard for users to use most Python +# mechanisms to silence them. +# SecurityWarning's always go off by default. +warnings.simplefilter('always', exceptions.SecurityWarning, append=True) +# SubjectAltNameWarning's should go off once per host +warnings.simplefilter('default', exceptions.SubjectAltNameWarning, append=True) +# InsecurePlatformWarning's don't vary between requests, so we keep it default. +warnings.simplefilter('default', exceptions.InsecurePlatformWarning, + append=True) +# SNIMissingWarnings should go off only once. +warnings.simplefilter('default', exceptions.SNIMissingWarning, append=True) + + +def disable_warnings(category=exceptions.HTTPWarning): + """ + Helper for quickly disabling all urllib3 warnings. + """ + warnings.simplefilter('ignore', category) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/_collections.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/_collections.py new file mode 100644 index 0000000..34f2381 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/_collections.py @@ -0,0 +1,329 @@ +from __future__ import absolute_import +try: + from collections.abc import Mapping, MutableMapping +except ImportError: + from collections import Mapping, MutableMapping +try: + from threading import RLock +except ImportError: # Platform-specific: No threads available + class RLock: + def __enter__(self): + pass + + def __exit__(self, exc_type, exc_value, traceback): + pass + + +from collections import OrderedDict +from .exceptions import InvalidHeader +from .packages.six import iterkeys, itervalues, PY3 + + +__all__ = ['RecentlyUsedContainer', 'HTTPHeaderDict'] + + +_Null = object() + + +class RecentlyUsedContainer(MutableMapping): + """ + Provides a thread-safe dict-like container which maintains up to + ``maxsize`` keys while throwing away the least-recently-used keys beyond + ``maxsize``. + + :param maxsize: + Maximum number of recent elements to retain. + + :param dispose_func: + Every time an item is evicted from the container, + ``dispose_func(value)`` is called. Callback which will get called + """ + + ContainerCls = OrderedDict + + def __init__(self, maxsize=10, dispose_func=None): + self._maxsize = maxsize + self.dispose_func = dispose_func + + self._container = self.ContainerCls() + self.lock = RLock() + + def __getitem__(self, key): + # Re-insert the item, moving it to the end of the eviction line. + with self.lock: + item = self._container.pop(key) + self._container[key] = item + return item + + def __setitem__(self, key, value): + evicted_value = _Null + with self.lock: + # Possibly evict the existing value of 'key' + evicted_value = self._container.get(key, _Null) + self._container[key] = value + + # If we didn't evict an existing value, we might have to evict the + # least recently used item from the beginning of the container. + if len(self._container) > self._maxsize: + _key, evicted_value = self._container.popitem(last=False) + + if self.dispose_func and evicted_value is not _Null: + self.dispose_func(evicted_value) + + def __delitem__(self, key): + with self.lock: + value = self._container.pop(key) + + if self.dispose_func: + self.dispose_func(value) + + def __len__(self): + with self.lock: + return len(self._container) + + def __iter__(self): + raise NotImplementedError('Iteration over this class is unlikely to be threadsafe.') + + def clear(self): + with self.lock: + # Copy pointers to all values, then wipe the mapping + values = list(itervalues(self._container)) + self._container.clear() + + if self.dispose_func: + for value in values: + self.dispose_func(value) + + def keys(self): + with self.lock: + return list(iterkeys(self._container)) + + +class HTTPHeaderDict(MutableMapping): + """ + :param headers: + An iterable of field-value pairs. Must not contain multiple field names + when compared case-insensitively. + + :param kwargs: + Additional field-value pairs to pass in to ``dict.update``. + + A ``dict`` like container for storing HTTP Headers. + + Field names are stored and compared case-insensitively in compliance with + RFC 7230. Iteration provides the first case-sensitive key seen for each + case-insensitive pair. + + Using ``__setitem__`` syntax overwrites fields that compare equal + case-insensitively in order to maintain ``dict``'s api. For fields that + compare equal, instead create a new ``HTTPHeaderDict`` and use ``.add`` + in a loop. + + If multiple fields that are equal case-insensitively are passed to the + constructor or ``.update``, the behavior is undefined and some will be + lost. + + >>> headers = HTTPHeaderDict() + >>> headers.add('Set-Cookie', 'foo=bar') + >>> headers.add('set-cookie', 'baz=quxx') + >>> headers['content-length'] = '7' + >>> headers['SET-cookie'] + 'foo=bar, baz=quxx' + >>> headers['Content-Length'] + '7' + """ + + def __init__(self, headers=None, **kwargs): + super(HTTPHeaderDict, self).__init__() + self._container = OrderedDict() + if headers is not None: + if isinstance(headers, HTTPHeaderDict): + self._copy_from(headers) + else: + self.extend(headers) + if kwargs: + self.extend(kwargs) + + def __setitem__(self, key, val): + self._container[key.lower()] = [key, val] + return self._container[key.lower()] + + def __getitem__(self, key): + val = self._container[key.lower()] + return ', '.join(val[1:]) + + def __delitem__(self, key): + del self._container[key.lower()] + + def __contains__(self, key): + return key.lower() in self._container + + def __eq__(self, other): + if not isinstance(other, Mapping) and not hasattr(other, 'keys'): + return False + if not isinstance(other, type(self)): + other = type(self)(other) + return (dict((k.lower(), v) for k, v in self.itermerged()) == + dict((k.lower(), v) for k, v in other.itermerged())) + + def __ne__(self, other): + return not self.__eq__(other) + + if not PY3: # Python 2 + iterkeys = MutableMapping.iterkeys + itervalues = MutableMapping.itervalues + + __marker = object() + + def __len__(self): + return len(self._container) + + def __iter__(self): + # Only provide the originally cased names + for vals in self._container.values(): + yield vals[0] + + def pop(self, key, default=__marker): + '''D.pop(k[,d]) -> v, remove specified key and return the corresponding value. + If key is not found, d is returned if given, otherwise KeyError is raised. + ''' + # Using the MutableMapping function directly fails due to the private marker. + # Using ordinary dict.pop would expose the internal structures. + # So let's reinvent the wheel. + try: + value = self[key] + except KeyError: + if default is self.__marker: + raise + return default + else: + del self[key] + return value + + def discard(self, key): + try: + del self[key] + except KeyError: + pass + + def add(self, key, val): + """Adds a (name, value) pair, doesn't overwrite the value if it already + exists. + + >>> headers = HTTPHeaderDict(foo='bar') + >>> headers.add('Foo', 'baz') + >>> headers['foo'] + 'bar, baz' + """ + key_lower = key.lower() + new_vals = [key, val] + # Keep the common case aka no item present as fast as possible + vals = self._container.setdefault(key_lower, new_vals) + if new_vals is not vals: + vals.append(val) + + def extend(self, *args, **kwargs): + """Generic import function for any type of header-like object. + Adapted version of MutableMapping.update in order to insert items + with self.add instead of self.__setitem__ + """ + if len(args) > 1: + raise TypeError("extend() takes at most 1 positional " + "arguments ({0} given)".format(len(args))) + other = args[0] if len(args) >= 1 else () + + if isinstance(other, HTTPHeaderDict): + for key, val in other.iteritems(): + self.add(key, val) + elif isinstance(other, Mapping): + for key in other: + self.add(key, other[key]) + elif hasattr(other, "keys"): + for key in other.keys(): + self.add(key, other[key]) + else: + for key, value in other: + self.add(key, value) + + for key, value in kwargs.items(): + self.add(key, value) + + def getlist(self, key, default=__marker): + """Returns a list of all the values for the named field. Returns an + empty list if the key doesn't exist.""" + try: + vals = self._container[key.lower()] + except KeyError: + if default is self.__marker: + return [] + return default + else: + return vals[1:] + + # Backwards compatibility for httplib + getheaders = getlist + getallmatchingheaders = getlist + iget = getlist + + # Backwards compatibility for http.cookiejar + get_all = getlist + + def __repr__(self): + return "%s(%s)" % (type(self).__name__, dict(self.itermerged())) + + def _copy_from(self, other): + for key in other: + val = other.getlist(key) + if isinstance(val, list): + # Don't need to convert tuples + val = list(val) + self._container[key.lower()] = [key] + val + + def copy(self): + clone = type(self)() + clone._copy_from(self) + return clone + + def iteritems(self): + """Iterate over all header lines, including duplicate ones.""" + for key in self: + vals = self._container[key.lower()] + for val in vals[1:]: + yield vals[0], val + + def itermerged(self): + """Iterate over all headers, merging duplicate ones together.""" + for key in self: + val = self._container[key.lower()] + yield val[0], ', '.join(val[1:]) + + def items(self): + return list(self.iteritems()) + + @classmethod + def from_httplib(cls, message): # Python 2 + """Read headers from a Python 2 httplib message object.""" + # python2.7 does not expose a proper API for exporting multiheaders + # efficiently. This function re-reads raw lines from the message + # object and extracts the multiheaders properly. + obs_fold_continued_leaders = (' ', '\t') + headers = [] + + for line in message.headers: + if line.startswith(obs_fold_continued_leaders): + if not headers: + # We received a header line that starts with OWS as described + # in RFC-7230 S3.2.4. This indicates a multiline header, but + # there exists no previous header to which we can attach it. + raise InvalidHeader( + 'Header continuation with no previous header: %s' % line + ) + else: + key, value = headers[-1] + headers[-1] = (key, value + ' ' + line.strip()) + continue + + key, value = line.split(':', 1) + headers.append((key, value.strip())) + + return cls(headers) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connection.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connection.py new file mode 100644 index 0000000..02b3665 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connection.py @@ -0,0 +1,391 @@ +from __future__ import absolute_import +import datetime +import logging +import os +import socket +from socket import error as SocketError, timeout as SocketTimeout +import warnings +from .packages import six +from .packages.six.moves.http_client import HTTPConnection as _HTTPConnection +from .packages.six.moves.http_client import HTTPException # noqa: F401 + +try: # Compiled with SSL? + import ssl + BaseSSLError = ssl.SSLError +except (ImportError, AttributeError): # Platform-specific: No SSL. + ssl = None + + class BaseSSLError(BaseException): + pass + + +try: # Python 3: + # Not a no-op, we're adding this to the namespace so it can be imported. + ConnectionError = ConnectionError +except NameError: # Python 2: + class ConnectionError(Exception): + pass + + +from .exceptions import ( + NewConnectionError, + ConnectTimeoutError, + SubjectAltNameWarning, + SystemTimeWarning, +) +from .packages.ssl_match_hostname import match_hostname, CertificateError + +from .util.ssl_ import ( + resolve_cert_reqs, + resolve_ssl_version, + assert_fingerprint, + create_urllib3_context, + ssl_wrap_socket +) + + +from .util import connection + +from ._collections import HTTPHeaderDict + +log = logging.getLogger(__name__) + +port_by_scheme = { + 'http': 80, + 'https': 443, +} + +# When updating RECENT_DATE, move it to within two years of the current date, +# and not less than 6 months ago. +# Example: if Today is 2018-01-01, then RECENT_DATE should be any date on or +# after 2016-01-01 (today - 2 years) AND before 2017-07-01 (today - 6 months) +RECENT_DATE = datetime.date(2017, 6, 30) + + +class DummyConnection(object): + """Used to detect a failed ConnectionCls import.""" + pass + + +class HTTPConnection(_HTTPConnection, object): + """ + Based on httplib.HTTPConnection but provides an extra constructor + backwards-compatibility layer between older and newer Pythons. + + Additional keyword parameters are used to configure attributes of the connection. + Accepted parameters include: + + - ``strict``: See the documentation on :class:`urllib3.connectionpool.HTTPConnectionPool` + - ``source_address``: Set the source address for the current connection. + - ``socket_options``: Set specific options on the underlying socket. If not specified, then + defaults are loaded from ``HTTPConnection.default_socket_options`` which includes disabling + Nagle's algorithm (sets TCP_NODELAY to 1) unless the connection is behind a proxy. + + For example, if you wish to enable TCP Keep Alive in addition to the defaults, + you might pass:: + + HTTPConnection.default_socket_options + [ + (socket.SOL_SOCKET, socket.SO_KEEPALIVE, 1), + ] + + Or you may want to disable the defaults by passing an empty list (e.g., ``[]``). + """ + + default_port = port_by_scheme['http'] + + #: Disable Nagle's algorithm by default. + #: ``[(socket.IPPROTO_TCP, socket.TCP_NODELAY, 1)]`` + default_socket_options = [(socket.IPPROTO_TCP, socket.TCP_NODELAY, 1)] + + #: Whether this connection verifies the host's certificate. + is_verified = False + + def __init__(self, *args, **kw): + if six.PY3: # Python 3 + kw.pop('strict', None) + + # Pre-set source_address. + self.source_address = kw.get('source_address') + + #: The socket options provided by the user. If no options are + #: provided, we use the default options. + self.socket_options = kw.pop('socket_options', self.default_socket_options) + + _HTTPConnection.__init__(self, *args, **kw) + + @property + def host(self): + """ + Getter method to remove any trailing dots that indicate the hostname is an FQDN. + + In general, SSL certificates don't include the trailing dot indicating a + fully-qualified domain name, and thus, they don't validate properly when + checked against a domain name that includes the dot. In addition, some + servers may not expect to receive the trailing dot when provided. + + However, the hostname with trailing dot is critical to DNS resolution; doing a + lookup with the trailing dot will properly only resolve the appropriate FQDN, + whereas a lookup without a trailing dot will search the system's search domain + list. Thus, it's important to keep the original host around for use only in + those cases where it's appropriate (i.e., when doing DNS lookup to establish the + actual TCP connection across which we're going to send HTTP requests). + """ + return self._dns_host.rstrip('.') + + @host.setter + def host(self, value): + """ + Setter for the `host` property. + + We assume that only urllib3 uses the _dns_host attribute; httplib itself + only uses `host`, and it seems reasonable that other libraries follow suit. + """ + self._dns_host = value + + def _new_conn(self): + """ Establish a socket connection and set nodelay settings on it. + + :return: New socket connection. + """ + extra_kw = {} + if self.source_address: + extra_kw['source_address'] = self.source_address + + if self.socket_options: + extra_kw['socket_options'] = self.socket_options + + try: + conn = connection.create_connection( + (self._dns_host, self.port), self.timeout, **extra_kw) + + except SocketTimeout as e: + raise ConnectTimeoutError( + self, "Connection to %s timed out. (connect timeout=%s)" % + (self.host, self.timeout)) + + except SocketError as e: + raise NewConnectionError( + self, "Failed to establish a new connection: %s" % e) + + return conn + + def _prepare_conn(self, conn): + self.sock = conn + if self._tunnel_host: + # TODO: Fix tunnel so it doesn't depend on self.sock state. + self._tunnel() + # Mark this connection as not reusable + self.auto_open = 0 + + def connect(self): + conn = self._new_conn() + self._prepare_conn(conn) + + def request_chunked(self, method, url, body=None, headers=None): + """ + Alternative to the common request method, which sends the + body with chunked encoding and not as one block + """ + headers = HTTPHeaderDict(headers if headers is not None else {}) + skip_accept_encoding = 'accept-encoding' in headers + skip_host = 'host' in headers + self.putrequest( + method, + url, + skip_accept_encoding=skip_accept_encoding, + skip_host=skip_host + ) + for header, value in headers.items(): + self.putheader(header, value) + if 'transfer-encoding' not in headers: + self.putheader('Transfer-Encoding', 'chunked') + self.endheaders() + + if body is not None: + stringish_types = six.string_types + (bytes,) + if isinstance(body, stringish_types): + body = (body,) + for chunk in body: + if not chunk: + continue + if not isinstance(chunk, bytes): + chunk = chunk.encode('utf8') + len_str = hex(len(chunk))[2:] + self.send(len_str.encode('utf-8')) + self.send(b'\r\n') + self.send(chunk) + self.send(b'\r\n') + + # After the if clause, to always have a closed body + self.send(b'0\r\n\r\n') + + +class HTTPSConnection(HTTPConnection): + default_port = port_by_scheme['https'] + + ssl_version = None + + def __init__(self, host, port=None, key_file=None, cert_file=None, + strict=None, timeout=socket._GLOBAL_DEFAULT_TIMEOUT, + ssl_context=None, server_hostname=None, **kw): + + HTTPConnection.__init__(self, host, port, strict=strict, + timeout=timeout, **kw) + + self.key_file = key_file + self.cert_file = cert_file + self.ssl_context = ssl_context + self.server_hostname = server_hostname + + # Required property for Google AppEngine 1.9.0 which otherwise causes + # HTTPS requests to go out as HTTP. (See Issue #356) + self._protocol = 'https' + + def connect(self): + conn = self._new_conn() + self._prepare_conn(conn) + + if self.ssl_context is None: + self.ssl_context = create_urllib3_context( + ssl_version=resolve_ssl_version(None), + cert_reqs=resolve_cert_reqs(None), + ) + + self.sock = ssl_wrap_socket( + sock=conn, + keyfile=self.key_file, + certfile=self.cert_file, + ssl_context=self.ssl_context, + server_hostname=self.server_hostname + ) + + +class VerifiedHTTPSConnection(HTTPSConnection): + """ + Based on httplib.HTTPSConnection but wraps the socket with + SSL certification. + """ + cert_reqs = None + ca_certs = None + ca_cert_dir = None + ssl_version = None + assert_fingerprint = None + + def set_cert(self, key_file=None, cert_file=None, + cert_reqs=None, ca_certs=None, + assert_hostname=None, assert_fingerprint=None, + ca_cert_dir=None): + """ + This method should only be called once, before the connection is used. + """ + # If cert_reqs is not provided, we can try to guess. If the user gave + # us a cert database, we assume they want to use it: otherwise, if + # they gave us an SSL Context object we should use whatever is set for + # it. + if cert_reqs is None: + if ca_certs or ca_cert_dir: + cert_reqs = 'CERT_REQUIRED' + elif self.ssl_context is not None: + cert_reqs = self.ssl_context.verify_mode + + self.key_file = key_file + self.cert_file = cert_file + self.cert_reqs = cert_reqs + self.assert_hostname = assert_hostname + self.assert_fingerprint = assert_fingerprint + self.ca_certs = ca_certs and os.path.expanduser(ca_certs) + self.ca_cert_dir = ca_cert_dir and os.path.expanduser(ca_cert_dir) + + def connect(self): + # Add certificate verification + conn = self._new_conn() + hostname = self.host + + if self._tunnel_host: + self.sock = conn + # Calls self._set_hostport(), so self.host is + # self._tunnel_host below. + self._tunnel() + # Mark this connection as not reusable + self.auto_open = 0 + + # Override the host with the one we're requesting data from. + hostname = self._tunnel_host + + server_hostname = hostname + if self.server_hostname is not None: + server_hostname = self.server_hostname + + is_time_off = datetime.date.today() < RECENT_DATE + if is_time_off: + warnings.warn(( + 'System time is way off (before {0}). This will probably ' + 'lead to SSL verification errors').format(RECENT_DATE), + SystemTimeWarning + ) + + # Wrap socket using verification with the root certs in + # trusted_root_certs + if self.ssl_context is None: + self.ssl_context = create_urllib3_context( + ssl_version=resolve_ssl_version(self.ssl_version), + cert_reqs=resolve_cert_reqs(self.cert_reqs), + ) + + context = self.ssl_context + context.verify_mode = resolve_cert_reqs(self.cert_reqs) + self.sock = ssl_wrap_socket( + sock=conn, + keyfile=self.key_file, + certfile=self.cert_file, + ca_certs=self.ca_certs, + ca_cert_dir=self.ca_cert_dir, + server_hostname=server_hostname, + ssl_context=context) + + if self.assert_fingerprint: + assert_fingerprint(self.sock.getpeercert(binary_form=True), + self.assert_fingerprint) + elif context.verify_mode != ssl.CERT_NONE \ + and not getattr(context, 'check_hostname', False) \ + and self.assert_hostname is not False: + # While urllib3 attempts to always turn off hostname matching from + # the TLS library, this cannot always be done. So we check whether + # the TLS Library still thinks it's matching hostnames. + cert = self.sock.getpeercert() + if not cert.get('subjectAltName', ()): + warnings.warn(( + 'Certificate for {0} has no `subjectAltName`, falling back to check for a ' + '`commonName` for now. This feature is being removed by major browsers and ' + 'deprecated by RFC 2818. (See https://github.com/shazow/urllib3/issues/497 ' + 'for details.)'.format(hostname)), + SubjectAltNameWarning + ) + _match_hostname(cert, self.assert_hostname or server_hostname) + + self.is_verified = ( + context.verify_mode == ssl.CERT_REQUIRED or + self.assert_fingerprint is not None + ) + + +def _match_hostname(cert, asserted_hostname): + try: + match_hostname(cert, asserted_hostname) + except CertificateError as e: + log.error( + 'Certificate did not match expected hostname: %s. ' + 'Certificate: %s', asserted_hostname, cert + ) + # Add cert to exception and reraise so client code can inspect + # the cert when catching the exception, if they want to + e._peer_cert = cert + raise + + +if ssl: + # Make a copy for testing. + UnverifiedHTTPSConnection = HTTPSConnection + HTTPSConnection = VerifiedHTTPSConnection +else: + HTTPSConnection = DummyConnection diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connectionpool.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connectionpool.py new file mode 100644 index 0000000..f7a8f19 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connectionpool.py @@ -0,0 +1,896 @@ +from __future__ import absolute_import +import errno +import logging +import sys +import warnings + +from socket import error as SocketError, timeout as SocketTimeout +import socket + + +from .exceptions import ( + ClosedPoolError, + ProtocolError, + EmptyPoolError, + HeaderParsingError, + HostChangedError, + LocationValueError, + MaxRetryError, + ProxyError, + ReadTimeoutError, + SSLError, + TimeoutError, + InsecureRequestWarning, + NewConnectionError, +) +from .packages.ssl_match_hostname import CertificateError +from .packages import six +from .packages.six.moves import queue +from .connection import ( + port_by_scheme, + DummyConnection, + HTTPConnection, HTTPSConnection, VerifiedHTTPSConnection, + HTTPException, BaseSSLError, +) +from .request import RequestMethods +from .response import HTTPResponse + +from .util.connection import is_connection_dropped +from .util.request import set_file_position +from .util.response import assert_header_parsing +from .util.retry import Retry +from .util.timeout import Timeout +from .util.url import get_host, Url, NORMALIZABLE_SCHEMES +from .util.queue import LifoQueue + + +xrange = six.moves.xrange + +log = logging.getLogger(__name__) + +_Default = object() + + +# Pool objects +class ConnectionPool(object): + """ + Base class for all connection pools, such as + :class:`.HTTPConnectionPool` and :class:`.HTTPSConnectionPool`. + """ + + scheme = None + QueueCls = LifoQueue + + def __init__(self, host, port=None): + if not host: + raise LocationValueError("No host specified.") + + self.host = _ipv6_host(host, self.scheme) + self._proxy_host = host.lower() + self.port = port + + def __str__(self): + return '%s(host=%r, port=%r)' % (type(self).__name__, + self.host, self.port) + + def __enter__(self): + return self + + def __exit__(self, exc_type, exc_val, exc_tb): + self.close() + # Return False to re-raise any potential exceptions + return False + + def close(self): + """ + Close all pooled connections and disable the pool. + """ + pass + + +# This is taken from http://hg.python.org/cpython/file/7aaba721ebc0/Lib/socket.py#l252 +_blocking_errnos = {errno.EAGAIN, errno.EWOULDBLOCK} + + +class HTTPConnectionPool(ConnectionPool, RequestMethods): + """ + Thread-safe connection pool for one host. + + :param host: + Host used for this HTTP Connection (e.g. "localhost"), passed into + :class:`httplib.HTTPConnection`. + + :param port: + Port used for this HTTP Connection (None is equivalent to 80), passed + into :class:`httplib.HTTPConnection`. + + :param strict: + Causes BadStatusLine to be raised if the status line can't be parsed + as a valid HTTP/1.0 or 1.1 status line, passed into + :class:`httplib.HTTPConnection`. + + .. note:: + Only works in Python 2. This parameter is ignored in Python 3. + + :param timeout: + Socket timeout in seconds for each individual connection. This can + be a float or integer, which sets the timeout for the HTTP request, + or an instance of :class:`urllib3.util.Timeout` which gives you more + fine-grained control over request timeouts. After the constructor has + been parsed, this is always a `urllib3.util.Timeout` object. + + :param maxsize: + Number of connections to save that can be reused. More than 1 is useful + in multithreaded situations. If ``block`` is set to False, more + connections will be created but they will not be saved once they've + been used. + + :param block: + If set to True, no more than ``maxsize`` connections will be used at + a time. When no free connections are available, the call will block + until a connection has been released. This is a useful side effect for + particular multithreaded situations where one does not want to use more + than maxsize connections per host to prevent flooding. + + :param headers: + Headers to include with all requests, unless other headers are given + explicitly. + + :param retries: + Retry configuration to use by default with requests in this pool. + + :param _proxy: + Parsed proxy URL, should not be used directly, instead, see + :class:`urllib3.connectionpool.ProxyManager`" + + :param _proxy_headers: + A dictionary with proxy headers, should not be used directly, + instead, see :class:`urllib3.connectionpool.ProxyManager`" + + :param \\**conn_kw: + Additional parameters are used to create fresh :class:`urllib3.connection.HTTPConnection`, + :class:`urllib3.connection.HTTPSConnection` instances. + """ + + scheme = 'http' + ConnectionCls = HTTPConnection + ResponseCls = HTTPResponse + + def __init__(self, host, port=None, strict=False, + timeout=Timeout.DEFAULT_TIMEOUT, maxsize=1, block=False, + headers=None, retries=None, + _proxy=None, _proxy_headers=None, + **conn_kw): + ConnectionPool.__init__(self, host, port) + RequestMethods.__init__(self, headers) + + self.strict = strict + + if not isinstance(timeout, Timeout): + timeout = Timeout.from_float(timeout) + + if retries is None: + retries = Retry.DEFAULT + + self.timeout = timeout + self.retries = retries + + self.pool = self.QueueCls(maxsize) + self.block = block + + self.proxy = _proxy + self.proxy_headers = _proxy_headers or {} + + # Fill the queue up so that doing get() on it will block properly + for _ in xrange(maxsize): + self.pool.put(None) + + # These are mostly for testing and debugging purposes. + self.num_connections = 0 + self.num_requests = 0 + self.conn_kw = conn_kw + + if self.proxy: + # Enable Nagle's algorithm for proxies, to avoid packet fragmentation. + # We cannot know if the user has added default socket options, so we cannot replace the + # list. + self.conn_kw.setdefault('socket_options', []) + + def _new_conn(self): + """ + Return a fresh :class:`HTTPConnection`. + """ + self.num_connections += 1 + log.debug("Starting new HTTP connection (%d): %s:%s", + self.num_connections, self.host, self.port or "80") + + conn = self.ConnectionCls(host=self.host, port=self.port, + timeout=self.timeout.connect_timeout, + strict=self.strict, **self.conn_kw) + return conn + + def _get_conn(self, timeout=None): + """ + Get a connection. Will return a pooled connection if one is available. + + If no connections are available and :prop:`.block` is ``False``, then a + fresh connection is returned. + + :param timeout: + Seconds to wait before giving up and raising + :class:`urllib3.exceptions.EmptyPoolError` if the pool is empty and + :prop:`.block` is ``True``. + """ + conn = None + try: + conn = self.pool.get(block=self.block, timeout=timeout) + + except AttributeError: # self.pool is None + raise ClosedPoolError(self, "Pool is closed.") + + except queue.Empty: + if self.block: + raise EmptyPoolError(self, + "Pool reached maximum size and no more " + "connections are allowed.") + pass # Oh well, we'll create a new connection then + + # If this is a persistent connection, check if it got disconnected + if conn and is_connection_dropped(conn): + log.debug("Resetting dropped connection: %s", self.host) + conn.close() + if getattr(conn, 'auto_open', 1) == 0: + # This is a proxied connection that has been mutated by + # httplib._tunnel() and cannot be reused (since it would + # attempt to bypass the proxy) + conn = None + + return conn or self._new_conn() + + def _put_conn(self, conn): + """ + Put a connection back into the pool. + + :param conn: + Connection object for the current host and port as returned by + :meth:`._new_conn` or :meth:`._get_conn`. + + If the pool is already full, the connection is closed and discarded + because we exceeded maxsize. If connections are discarded frequently, + then maxsize should be increased. + + If the pool is closed, then the connection will be closed and discarded. + """ + try: + self.pool.put(conn, block=False) + return # Everything is dandy, done. + except AttributeError: + # self.pool is None. + pass + except queue.Full: + # This should never happen if self.block == True + log.warning( + "Connection pool is full, discarding connection: %s", + self.host) + + # Connection never got put back into the pool, close it. + if conn: + conn.close() + + def _validate_conn(self, conn): + """ + Called right before a request is made, after the socket is created. + """ + pass + + def _prepare_proxy(self, conn): + # Nothing to do for HTTP connections. + pass + + def _get_timeout(self, timeout): + """ Helper that always returns a :class:`urllib3.util.Timeout` """ + if timeout is _Default: + return self.timeout.clone() + + if isinstance(timeout, Timeout): + return timeout.clone() + else: + # User passed us an int/float. This is for backwards compatibility, + # can be removed later + return Timeout.from_float(timeout) + + def _raise_timeout(self, err, url, timeout_value): + """Is the error actually a timeout? Will raise a ReadTimeout or pass""" + + if isinstance(err, SocketTimeout): + raise ReadTimeoutError(self, url, "Read timed out. (read timeout=%s)" % timeout_value) + + # See the above comment about EAGAIN in Python 3. In Python 2 we have + # to specifically catch it and throw the timeout error + if hasattr(err, 'errno') and err.errno in _blocking_errnos: + raise ReadTimeoutError(self, url, "Read timed out. (read timeout=%s)" % timeout_value) + + # Catch possible read timeouts thrown as SSL errors. If not the + # case, rethrow the original. We need to do this because of: + # http://bugs.python.org/issue10272 + if 'timed out' in str(err) or 'did not complete (read)' in str(err): # Python < 2.7.4 + raise ReadTimeoutError(self, url, "Read timed out. (read timeout=%s)" % timeout_value) + + def _make_request(self, conn, method, url, timeout=_Default, chunked=False, + **httplib_request_kw): + """ + Perform a request on a given urllib connection object taken from our + pool. + + :param conn: + a connection from one of our connection pools + + :param timeout: + Socket timeout in seconds for the request. This can be a + float or integer, which will set the same timeout value for + the socket connect and the socket read, or an instance of + :class:`urllib3.util.Timeout`, which gives you more fine-grained + control over your timeouts. + """ + self.num_requests += 1 + + timeout_obj = self._get_timeout(timeout) + timeout_obj.start_connect() + conn.timeout = timeout_obj.connect_timeout + + # Trigger any extra validation we need to do. + try: + self._validate_conn(conn) + except (SocketTimeout, BaseSSLError) as e: + # Py2 raises this as a BaseSSLError, Py3 raises it as socket timeout. + self._raise_timeout(err=e, url=url, timeout_value=conn.timeout) + raise + + # conn.request() calls httplib.*.request, not the method in + # urllib3.request. It also calls makefile (recv) on the socket. + if chunked: + conn.request_chunked(method, url, **httplib_request_kw) + else: + conn.request(method, url, **httplib_request_kw) + + # Reset the timeout for the recv() on the socket + read_timeout = timeout_obj.read_timeout + + # App Engine doesn't have a sock attr + if getattr(conn, 'sock', None): + # In Python 3 socket.py will catch EAGAIN and return None when you + # try and read into the file pointer created by http.client, which + # instead raises a BadStatusLine exception. Instead of catching + # the exception and assuming all BadStatusLine exceptions are read + # timeouts, check for a zero timeout before making the request. + if read_timeout == 0: + raise ReadTimeoutError( + self, url, "Read timed out. (read timeout=%s)" % read_timeout) + if read_timeout is Timeout.DEFAULT_TIMEOUT: + conn.sock.settimeout(socket.getdefaulttimeout()) + else: # None or a value + conn.sock.settimeout(read_timeout) + + # Receive the response from the server + try: + try: # Python 2.7, use buffering of HTTP responses + httplib_response = conn.getresponse(buffering=True) + except TypeError: # Python 3 + try: + httplib_response = conn.getresponse() + except Exception as e: + # Remove the TypeError from the exception chain in Python 3; + # otherwise it looks like a programming error was the cause. + six.raise_from(e, None) + except (SocketTimeout, BaseSSLError, SocketError) as e: + self._raise_timeout(err=e, url=url, timeout_value=read_timeout) + raise + + # AppEngine doesn't have a version attr. + http_version = getattr(conn, '_http_vsn_str', 'HTTP/?') + log.debug("%s://%s:%s \"%s %s %s\" %s %s", self.scheme, self.host, self.port, + method, url, http_version, httplib_response.status, + httplib_response.length) + + try: + assert_header_parsing(httplib_response.msg) + except (HeaderParsingError, TypeError) as hpe: # Platform-specific: Python 3 + log.warning( + 'Failed to parse headers (url=%s): %s', + self._absolute_url(url), hpe, exc_info=True) + + return httplib_response + + def _absolute_url(self, path): + return Url(scheme=self.scheme, host=self.host, port=self.port, path=path).url + + def close(self): + """ + Close all pooled connections and disable the pool. + """ + if self.pool is None: + return + # Disable access to the pool + old_pool, self.pool = self.pool, None + + try: + while True: + conn = old_pool.get(block=False) + if conn: + conn.close() + + except queue.Empty: + pass # Done. + + def is_same_host(self, url): + """ + Check if the given ``url`` is a member of the same host as this + connection pool. + """ + if url.startswith('/'): + return True + + # TODO: Add optional support for socket.gethostbyname checking. + scheme, host, port = get_host(url) + + host = _ipv6_host(host, self.scheme) + + # Use explicit default port for comparison when none is given + if self.port and not port: + port = port_by_scheme.get(scheme) + elif not self.port and port == port_by_scheme.get(scheme): + port = None + + return (scheme, host, port) == (self.scheme, self.host, self.port) + + def urlopen(self, method, url, body=None, headers=None, retries=None, + redirect=True, assert_same_host=True, timeout=_Default, + pool_timeout=None, release_conn=None, chunked=False, + body_pos=None, **response_kw): + """ + Get a connection from the pool and perform an HTTP request. This is the + lowest level call for making a request, so you'll need to specify all + the raw details. + + .. note:: + + More commonly, it's appropriate to use a convenience method provided + by :class:`.RequestMethods`, such as :meth:`request`. + + .. note:: + + `release_conn` will only behave as expected if + `preload_content=False` because we want to make + `preload_content=False` the default behaviour someday soon without + breaking backwards compatibility. + + :param method: + HTTP request method (such as GET, POST, PUT, etc.) + + :param body: + Data to send in the request body (useful for creating + POST requests, see HTTPConnectionPool.post_url for + more convenience). + + :param headers: + Dictionary of custom headers to send, such as User-Agent, + If-None-Match, etc. If None, pool headers are used. If provided, + these headers completely replace any pool-specific headers. + + :param retries: + Configure the number of retries to allow before raising a + :class:`~urllib3.exceptions.MaxRetryError` exception. + + Pass ``None`` to retry until you receive a response. Pass a + :class:`~urllib3.util.retry.Retry` object for fine-grained control + over different types of retries. + Pass an integer number to retry connection errors that many times, + but no other types of errors. Pass zero to never retry. + + If ``False``, then retries are disabled and any exception is raised + immediately. Also, instead of raising a MaxRetryError on redirects, + the redirect response will be returned. + + :type retries: :class:`~urllib3.util.retry.Retry`, False, or an int. + + :param redirect: + If True, automatically handle redirects (status codes 301, 302, + 303, 307, 308). Each redirect counts as a retry. Disabling retries + will disable redirect, too. + + :param assert_same_host: + If ``True``, will make sure that the host of the pool requests is + consistent else will raise HostChangedError. When False, you can + use the pool on an HTTP proxy and request foreign hosts. + + :param timeout: + If specified, overrides the default timeout for this one + request. It may be a float (in seconds) or an instance of + :class:`urllib3.util.Timeout`. + + :param pool_timeout: + If set and the pool is set to block=True, then this method will + block for ``pool_timeout`` seconds and raise EmptyPoolError if no + connection is available within the time period. + + :param release_conn: + If False, then the urlopen call will not release the connection + back into the pool once a response is received (but will release if + you read the entire contents of the response such as when + `preload_content=True`). This is useful if you're not preloading + the response's content immediately. You will need to call + ``r.release_conn()`` on the response ``r`` to return the connection + back into the pool. If None, it takes the value of + ``response_kw.get('preload_content', True)``. + + :param chunked: + If True, urllib3 will send the body using chunked transfer + encoding. Otherwise, urllib3 will send the body using the standard + content-length form. Defaults to False. + + :param int body_pos: + Position to seek to in file-like body in the event of a retry or + redirect. Typically this won't need to be set because urllib3 will + auto-populate the value when needed. + + :param \\**response_kw: + Additional parameters are passed to + :meth:`urllib3.response.HTTPResponse.from_httplib` + """ + if headers is None: + headers = self.headers + + if not isinstance(retries, Retry): + retries = Retry.from_int(retries, redirect=redirect, default=self.retries) + + if release_conn is None: + release_conn = response_kw.get('preload_content', True) + + # Check host + if assert_same_host and not self.is_same_host(url): + raise HostChangedError(self, url, retries) + + conn = None + + # Track whether `conn` needs to be released before + # returning/raising/recursing. Update this variable if necessary, and + # leave `release_conn` constant throughout the function. That way, if + # the function recurses, the original value of `release_conn` will be + # passed down into the recursive call, and its value will be respected. + # + # See issue #651 [1] for details. + # + # [1] <https://github.com/shazow/urllib3/issues/651> + release_this_conn = release_conn + + # Merge the proxy headers. Only do this in HTTP. We have to copy the + # headers dict so we can safely change it without those changes being + # reflected in anyone else's copy. + if self.scheme == 'http': + headers = headers.copy() + headers.update(self.proxy_headers) + + # Must keep the exception bound to a separate variable or else Python 3 + # complains about UnboundLocalError. + err = None + + # Keep track of whether we cleanly exited the except block. This + # ensures we do proper cleanup in finally. + clean_exit = False + + # Rewind body position, if needed. Record current position + # for future rewinds in the event of a redirect/retry. + body_pos = set_file_position(body, body_pos) + + try: + # Request a connection from the queue. + timeout_obj = self._get_timeout(timeout) + conn = self._get_conn(timeout=pool_timeout) + + conn.timeout = timeout_obj.connect_timeout + + is_new_proxy_conn = self.proxy is not None and not getattr(conn, 'sock', None) + if is_new_proxy_conn: + self._prepare_proxy(conn) + + # Make the request on the httplib connection object. + httplib_response = self._make_request(conn, method, url, + timeout=timeout_obj, + body=body, headers=headers, + chunked=chunked) + + # If we're going to release the connection in ``finally:``, then + # the response doesn't need to know about the connection. Otherwise + # it will also try to release it and we'll have a double-release + # mess. + response_conn = conn if not release_conn else None + + # Pass method to Response for length checking + response_kw['request_method'] = method + + # Import httplib's response into our own wrapper object + response = self.ResponseCls.from_httplib(httplib_response, + pool=self, + connection=response_conn, + retries=retries, + **response_kw) + + # Everything went great! + clean_exit = True + + except queue.Empty: + # Timed out by queue. + raise EmptyPoolError(self, "No pool connections are available.") + + except (TimeoutError, HTTPException, SocketError, ProtocolError, + BaseSSLError, SSLError, CertificateError) as e: + # Discard the connection for these exceptions. It will be + # replaced during the next _get_conn() call. + clean_exit = False + if isinstance(e, (BaseSSLError, CertificateError)): + e = SSLError(e) + elif isinstance(e, (SocketError, NewConnectionError)) and self.proxy: + e = ProxyError('Cannot connect to proxy.', e) + elif isinstance(e, (SocketError, HTTPException)): + e = ProtocolError('Connection aborted.', e) + + retries = retries.increment(method, url, error=e, _pool=self, + _stacktrace=sys.exc_info()[2]) + retries.sleep() + + # Keep track of the error for the retry warning. + err = e + + finally: + if not clean_exit: + # We hit some kind of exception, handled or otherwise. We need + # to throw the connection away unless explicitly told not to. + # Close the connection, set the variable to None, and make sure + # we put the None back in the pool to avoid leaking it. + conn = conn and conn.close() + release_this_conn = True + + if release_this_conn: + # Put the connection back to be reused. If the connection is + # expired then it will be None, which will get replaced with a + # fresh connection during _get_conn. + self._put_conn(conn) + + if not conn: + # Try again + log.warning("Retrying (%r) after connection " + "broken by '%r': %s", retries, err, url) + return self.urlopen(method, url, body, headers, retries, + redirect, assert_same_host, + timeout=timeout, pool_timeout=pool_timeout, + release_conn=release_conn, body_pos=body_pos, + **response_kw) + + def drain_and_release_conn(response): + try: + # discard any remaining response body, the connection will be + # released back to the pool once the entire response is read + response.read() + except (TimeoutError, HTTPException, SocketError, ProtocolError, + BaseSSLError, SSLError) as e: + pass + + # Handle redirect? + redirect_location = redirect and response.get_redirect_location() + if redirect_location: + if response.status == 303: + method = 'GET' + + try: + retries = retries.increment(method, url, response=response, _pool=self) + except MaxRetryError: + if retries.raise_on_redirect: + # Drain and release the connection for this response, since + # we're not returning it to be released manually. + drain_and_release_conn(response) + raise + return response + + # drain and return the connection to the pool before recursing + drain_and_release_conn(response) + + retries.sleep_for_retry(response) + log.debug("Redirecting %s -> %s", url, redirect_location) + return self.urlopen( + method, redirect_location, body, headers, + retries=retries, redirect=redirect, + assert_same_host=assert_same_host, + timeout=timeout, pool_timeout=pool_timeout, + release_conn=release_conn, body_pos=body_pos, + **response_kw) + + # Check if we should retry the HTTP response. + has_retry_after = bool(response.getheader('Retry-After')) + if retries.is_retry(method, response.status, has_retry_after): + try: + retries = retries.increment(method, url, response=response, _pool=self) + except MaxRetryError: + if retries.raise_on_status: + # Drain and release the connection for this response, since + # we're not returning it to be released manually. + drain_and_release_conn(response) + raise + return response + + # drain and return the connection to the pool before recursing + drain_and_release_conn(response) + + retries.sleep(response) + log.debug("Retry: %s", url) + return self.urlopen( + method, url, body, headers, + retries=retries, redirect=redirect, + assert_same_host=assert_same_host, + timeout=timeout, pool_timeout=pool_timeout, + release_conn=release_conn, + body_pos=body_pos, **response_kw) + + return response + + +class HTTPSConnectionPool(HTTPConnectionPool): + """ + Same as :class:`.HTTPConnectionPool`, but HTTPS. + + When Python is compiled with the :mod:`ssl` module, then + :class:`.VerifiedHTTPSConnection` is used, which *can* verify certificates, + instead of :class:`.HTTPSConnection`. + + :class:`.VerifiedHTTPSConnection` uses one of ``assert_fingerprint``, + ``assert_hostname`` and ``host`` in this order to verify connections. + If ``assert_hostname`` is False, no verification is done. + + The ``key_file``, ``cert_file``, ``cert_reqs``, ``ca_certs``, + ``ca_cert_dir``, and ``ssl_version`` are only used if :mod:`ssl` is + available and are fed into :meth:`urllib3.util.ssl_wrap_socket` to upgrade + the connection socket into an SSL socket. + """ + + scheme = 'https' + ConnectionCls = HTTPSConnection + + def __init__(self, host, port=None, + strict=False, timeout=Timeout.DEFAULT_TIMEOUT, maxsize=1, + block=False, headers=None, retries=None, + _proxy=None, _proxy_headers=None, + key_file=None, cert_file=None, cert_reqs=None, + ca_certs=None, ssl_version=None, + assert_hostname=None, assert_fingerprint=None, + ca_cert_dir=None, **conn_kw): + + HTTPConnectionPool.__init__(self, host, port, strict, timeout, maxsize, + block, headers, retries, _proxy, _proxy_headers, + **conn_kw) + + if ca_certs and cert_reqs is None: + cert_reqs = 'CERT_REQUIRED' + + self.key_file = key_file + self.cert_file = cert_file + self.cert_reqs = cert_reqs + self.ca_certs = ca_certs + self.ca_cert_dir = ca_cert_dir + self.ssl_version = ssl_version + self.assert_hostname = assert_hostname + self.assert_fingerprint = assert_fingerprint + + def _prepare_conn(self, conn): + """ + Prepare the ``connection`` for :meth:`urllib3.util.ssl_wrap_socket` + and establish the tunnel if proxy is used. + """ + + if isinstance(conn, VerifiedHTTPSConnection): + conn.set_cert(key_file=self.key_file, + cert_file=self.cert_file, + cert_reqs=self.cert_reqs, + ca_certs=self.ca_certs, + ca_cert_dir=self.ca_cert_dir, + assert_hostname=self.assert_hostname, + assert_fingerprint=self.assert_fingerprint) + conn.ssl_version = self.ssl_version + return conn + + def _prepare_proxy(self, conn): + """ + Establish tunnel connection early, because otherwise httplib + would improperly set Host: header to proxy's IP:port. + """ + conn.set_tunnel(self._proxy_host, self.port, self.proxy_headers) + conn.connect() + + def _new_conn(self): + """ + Return a fresh :class:`httplib.HTTPSConnection`. + """ + self.num_connections += 1 + log.debug("Starting new HTTPS connection (%d): %s:%s", + self.num_connections, self.host, self.port or "443") + + if not self.ConnectionCls or self.ConnectionCls is DummyConnection: + raise SSLError("Can't connect to HTTPS URL because the SSL " + "module is not available.") + + actual_host = self.host + actual_port = self.port + if self.proxy is not None: + actual_host = self.proxy.host + actual_port = self.proxy.port + + conn = self.ConnectionCls(host=actual_host, port=actual_port, + timeout=self.timeout.connect_timeout, + strict=self.strict, **self.conn_kw) + + return self._prepare_conn(conn) + + def _validate_conn(self, conn): + """ + Called right before a request is made, after the socket is created. + """ + super(HTTPSConnectionPool, self)._validate_conn(conn) + + # Force connect early to allow us to validate the connection. + if not getattr(conn, 'sock', None): # AppEngine might not have `.sock` + conn.connect() + + if not conn.is_verified: + warnings.warn(( + 'Unverified HTTPS request is being made. ' + 'Adding certificate verification is strongly advised. See: ' + 'https://urllib3.readthedocs.io/en/latest/advanced-usage.html' + '#ssl-warnings'), + InsecureRequestWarning) + + +def connection_from_url(url, **kw): + """ + Given a url, return an :class:`.ConnectionPool` instance of its host. + + This is a shortcut for not having to parse out the scheme, host, and port + of the url before creating an :class:`.ConnectionPool` instance. + + :param url: + Absolute URL string that must include the scheme. Port is optional. + + :param \\**kw: + Passes additional parameters to the constructor of the appropriate + :class:`.ConnectionPool`. Useful for specifying things like + timeout, maxsize, headers, etc. + + Example:: + + >>> conn = connection_from_url('http://google.com/') + >>> r = conn.request('GET', '/') + """ + scheme, host, port = get_host(url) + port = port or port_by_scheme.get(scheme, 80) + if scheme == 'https': + return HTTPSConnectionPool(host, port=port, **kw) + else: + return HTTPConnectionPool(host, port=port, **kw) + + +def _ipv6_host(host, scheme): + """ + Process IPv6 address literals + """ + + # httplib doesn't like it when we include brackets in IPv6 addresses + # Specifically, if we include brackets but also pass the port then + # httplib crazily doubles up the square brackets on the Host header. + # Instead, we need to make sure we never pass ``None`` as the port. + # However, for backward compatibility reasons we can't actually + # *assert* that. See http://bugs.python.org/issue28539 + # + # Also if an IPv6 address literal has a zone identifier, the + # percent sign might be URIencoded, convert it back into ASCII + if host.startswith('[') and host.endswith(']'): + host = host.replace('%25', '%').strip('[]') + if scheme in NORMALIZABLE_SCHEMES: + host = host.lower() + return host diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_appengine_environ.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_appengine_environ.py new file mode 100644 index 0000000..f3e0094 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_appengine_environ.py @@ -0,0 +1,30 @@ +""" +This module provides means to detect the App Engine environment. +""" + +import os + + +def is_appengine(): + return (is_local_appengine() or + is_prod_appengine() or + is_prod_appengine_mvms()) + + +def is_appengine_sandbox(): + return is_appengine() and not is_prod_appengine_mvms() + + +def is_local_appengine(): + return ('APPENGINE_RUNTIME' in os.environ and + 'Development/' in os.environ['SERVER_SOFTWARE']) + + +def is_prod_appengine(): + return ('APPENGINE_RUNTIME' in os.environ and + 'Google App Engine/' in os.environ['SERVER_SOFTWARE'] and + not is_prod_appengine_mvms()) + + +def is_prod_appengine_mvms(): + return os.environ.get('GAE_VM', False) == 'true' diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/bindings.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/bindings.py new file mode 100644 index 0000000..bcf41c0 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/bindings.py @@ -0,0 +1,593 @@ +""" +This module uses ctypes to bind a whole bunch of functions and constants from +SecureTransport. The goal here is to provide the low-level API to +SecureTransport. These are essentially the C-level functions and constants, and +they're pretty gross to work with. + +This code is a bastardised version of the code found in Will Bond's oscrypto +library. An enormous debt is owed to him for blazing this trail for us. For +that reason, this code should be considered to be covered both by urllib3's +license and by oscrypto's: + + Copyright (c) 2015-2016 Will Bond <will@wbond.net> + + Permission is hereby granted, free of charge, to any person obtaining a + copy of this software and associated documentation files (the "Software"), + to deal in the Software without restriction, including without limitation + the rights to use, copy, modify, merge, publish, distribute, sublicense, + and/or sell copies of the Software, and to permit persons to whom the + Software is furnished to do so, subject to the following conditions: + + The above copyright notice and this permission notice shall be included in + all copies or substantial portions of the Software. + + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING + FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER + DEALINGS IN THE SOFTWARE. +""" +from __future__ import absolute_import + +import platform +from ctypes.util import find_library +from ctypes import ( + c_void_p, c_int32, c_char_p, c_size_t, c_byte, c_uint32, c_ulong, c_long, + c_bool +) +from ctypes import CDLL, POINTER, CFUNCTYPE + + +security_path = find_library('Security') +if not security_path: + raise ImportError('The library Security could not be found') + + +core_foundation_path = find_library('CoreFoundation') +if not core_foundation_path: + raise ImportError('The library CoreFoundation could not be found') + + +version = platform.mac_ver()[0] +version_info = tuple(map(int, version.split('.'))) +if version_info < (10, 8): + raise OSError( + 'Only OS X 10.8 and newer are supported, not %s.%s' % ( + version_info[0], version_info[1] + ) + ) + +Security = CDLL(security_path, use_errno=True) +CoreFoundation = CDLL(core_foundation_path, use_errno=True) + +Boolean = c_bool +CFIndex = c_long +CFStringEncoding = c_uint32 +CFData = c_void_p +CFString = c_void_p +CFArray = c_void_p +CFMutableArray = c_void_p +CFDictionary = c_void_p +CFError = c_void_p +CFType = c_void_p +CFTypeID = c_ulong + +CFTypeRef = POINTER(CFType) +CFAllocatorRef = c_void_p + +OSStatus = c_int32 + +CFDataRef = POINTER(CFData) +CFStringRef = POINTER(CFString) +CFArrayRef = POINTER(CFArray) +CFMutableArrayRef = POINTER(CFMutableArray) +CFDictionaryRef = POINTER(CFDictionary) +CFArrayCallBacks = c_void_p +CFDictionaryKeyCallBacks = c_void_p +CFDictionaryValueCallBacks = c_void_p + +SecCertificateRef = POINTER(c_void_p) +SecExternalFormat = c_uint32 +SecExternalItemType = c_uint32 +SecIdentityRef = POINTER(c_void_p) +SecItemImportExportFlags = c_uint32 +SecItemImportExportKeyParameters = c_void_p +SecKeychainRef = POINTER(c_void_p) +SSLProtocol = c_uint32 +SSLCipherSuite = c_uint32 +SSLContextRef = POINTER(c_void_p) +SecTrustRef = POINTER(c_void_p) +SSLConnectionRef = c_uint32 +SecTrustResultType = c_uint32 +SecTrustOptionFlags = c_uint32 +SSLProtocolSide = c_uint32 +SSLConnectionType = c_uint32 +SSLSessionOption = c_uint32 + + +try: + Security.SecItemImport.argtypes = [ + CFDataRef, + CFStringRef, + POINTER(SecExternalFormat), + POINTER(SecExternalItemType), + SecItemImportExportFlags, + POINTER(SecItemImportExportKeyParameters), + SecKeychainRef, + POINTER(CFArrayRef), + ] + Security.SecItemImport.restype = OSStatus + + Security.SecCertificateGetTypeID.argtypes = [] + Security.SecCertificateGetTypeID.restype = CFTypeID + + Security.SecIdentityGetTypeID.argtypes = [] + Security.SecIdentityGetTypeID.restype = CFTypeID + + Security.SecKeyGetTypeID.argtypes = [] + Security.SecKeyGetTypeID.restype = CFTypeID + + Security.SecCertificateCreateWithData.argtypes = [ + CFAllocatorRef, + CFDataRef + ] + Security.SecCertificateCreateWithData.restype = SecCertificateRef + + Security.SecCertificateCopyData.argtypes = [ + SecCertificateRef + ] + Security.SecCertificateCopyData.restype = CFDataRef + + Security.SecCopyErrorMessageString.argtypes = [ + OSStatus, + c_void_p + ] + Security.SecCopyErrorMessageString.restype = CFStringRef + + Security.SecIdentityCreateWithCertificate.argtypes = [ + CFTypeRef, + SecCertificateRef, + POINTER(SecIdentityRef) + ] + Security.SecIdentityCreateWithCertificate.restype = OSStatus + + Security.SecKeychainCreate.argtypes = [ + c_char_p, + c_uint32, + c_void_p, + Boolean, + c_void_p, + POINTER(SecKeychainRef) + ] + Security.SecKeychainCreate.restype = OSStatus + + Security.SecKeychainDelete.argtypes = [ + SecKeychainRef + ] + Security.SecKeychainDelete.restype = OSStatus + + Security.SecPKCS12Import.argtypes = [ + CFDataRef, + CFDictionaryRef, + POINTER(CFArrayRef) + ] + Security.SecPKCS12Import.restype = OSStatus + + SSLReadFunc = CFUNCTYPE(OSStatus, SSLConnectionRef, c_void_p, POINTER(c_size_t)) + SSLWriteFunc = CFUNCTYPE(OSStatus, SSLConnectionRef, POINTER(c_byte), POINTER(c_size_t)) + + Security.SSLSetIOFuncs.argtypes = [ + SSLContextRef, + SSLReadFunc, + SSLWriteFunc + ] + Security.SSLSetIOFuncs.restype = OSStatus + + Security.SSLSetPeerID.argtypes = [ + SSLContextRef, + c_char_p, + c_size_t + ] + Security.SSLSetPeerID.restype = OSStatus + + Security.SSLSetCertificate.argtypes = [ + SSLContextRef, + CFArrayRef + ] + Security.SSLSetCertificate.restype = OSStatus + + Security.SSLSetCertificateAuthorities.argtypes = [ + SSLContextRef, + CFTypeRef, + Boolean + ] + Security.SSLSetCertificateAuthorities.restype = OSStatus + + Security.SSLSetConnection.argtypes = [ + SSLContextRef, + SSLConnectionRef + ] + Security.SSLSetConnection.restype = OSStatus + + Security.SSLSetPeerDomainName.argtypes = [ + SSLContextRef, + c_char_p, + c_size_t + ] + Security.SSLSetPeerDomainName.restype = OSStatus + + Security.SSLHandshake.argtypes = [ + SSLContextRef + ] + Security.SSLHandshake.restype = OSStatus + + Security.SSLRead.argtypes = [ + SSLContextRef, + c_char_p, + c_size_t, + POINTER(c_size_t) + ] + Security.SSLRead.restype = OSStatus + + Security.SSLWrite.argtypes = [ + SSLContextRef, + c_char_p, + c_size_t, + POINTER(c_size_t) + ] + Security.SSLWrite.restype = OSStatus + + Security.SSLClose.argtypes = [ + SSLContextRef + ] + Security.SSLClose.restype = OSStatus + + Security.SSLGetNumberSupportedCiphers.argtypes = [ + SSLContextRef, + POINTER(c_size_t) + ] + Security.SSLGetNumberSupportedCiphers.restype = OSStatus + + Security.SSLGetSupportedCiphers.argtypes = [ + SSLContextRef, + POINTER(SSLCipherSuite), + POINTER(c_size_t) + ] + Security.SSLGetSupportedCiphers.restype = OSStatus + + Security.SSLSetEnabledCiphers.argtypes = [ + SSLContextRef, + POINTER(SSLCipherSuite), + c_size_t + ] + Security.SSLSetEnabledCiphers.restype = OSStatus + + Security.SSLGetNumberEnabledCiphers.argtype = [ + SSLContextRef, + POINTER(c_size_t) + ] + Security.SSLGetNumberEnabledCiphers.restype = OSStatus + + Security.SSLGetEnabledCiphers.argtypes = [ + SSLContextRef, + POINTER(SSLCipherSuite), + POINTER(c_size_t) + ] + Security.SSLGetEnabledCiphers.restype = OSStatus + + Security.SSLGetNegotiatedCipher.argtypes = [ + SSLContextRef, + POINTER(SSLCipherSuite) + ] + Security.SSLGetNegotiatedCipher.restype = OSStatus + + Security.SSLGetNegotiatedProtocolVersion.argtypes = [ + SSLContextRef, + POINTER(SSLProtocol) + ] + Security.SSLGetNegotiatedProtocolVersion.restype = OSStatus + + Security.SSLCopyPeerTrust.argtypes = [ + SSLContextRef, + POINTER(SecTrustRef) + ] + Security.SSLCopyPeerTrust.restype = OSStatus + + Security.SecTrustSetAnchorCertificates.argtypes = [ + SecTrustRef, + CFArrayRef + ] + Security.SecTrustSetAnchorCertificates.restype = OSStatus + + Security.SecTrustSetAnchorCertificatesOnly.argstypes = [ + SecTrustRef, + Boolean + ] + Security.SecTrustSetAnchorCertificatesOnly.restype = OSStatus + + Security.SecTrustEvaluate.argtypes = [ + SecTrustRef, + POINTER(SecTrustResultType) + ] + Security.SecTrustEvaluate.restype = OSStatus + + Security.SecTrustGetCertificateCount.argtypes = [ + SecTrustRef + ] + Security.SecTrustGetCertificateCount.restype = CFIndex + + Security.SecTrustGetCertificateAtIndex.argtypes = [ + SecTrustRef, + CFIndex + ] + Security.SecTrustGetCertificateAtIndex.restype = SecCertificateRef + + Security.SSLCreateContext.argtypes = [ + CFAllocatorRef, + SSLProtocolSide, + SSLConnectionType + ] + Security.SSLCreateContext.restype = SSLContextRef + + Security.SSLSetSessionOption.argtypes = [ + SSLContextRef, + SSLSessionOption, + Boolean + ] + Security.SSLSetSessionOption.restype = OSStatus + + Security.SSLSetProtocolVersionMin.argtypes = [ + SSLContextRef, + SSLProtocol + ] + Security.SSLSetProtocolVersionMin.restype = OSStatus + + Security.SSLSetProtocolVersionMax.argtypes = [ + SSLContextRef, + SSLProtocol + ] + Security.SSLSetProtocolVersionMax.restype = OSStatus + + Security.SecCopyErrorMessageString.argtypes = [ + OSStatus, + c_void_p + ] + Security.SecCopyErrorMessageString.restype = CFStringRef + + Security.SSLReadFunc = SSLReadFunc + Security.SSLWriteFunc = SSLWriteFunc + Security.SSLContextRef = SSLContextRef + Security.SSLProtocol = SSLProtocol + Security.SSLCipherSuite = SSLCipherSuite + Security.SecIdentityRef = SecIdentityRef + Security.SecKeychainRef = SecKeychainRef + Security.SecTrustRef = SecTrustRef + Security.SecTrustResultType = SecTrustResultType + Security.SecExternalFormat = SecExternalFormat + Security.OSStatus = OSStatus + + Security.kSecImportExportPassphrase = CFStringRef.in_dll( + Security, 'kSecImportExportPassphrase' + ) + Security.kSecImportItemIdentity = CFStringRef.in_dll( + Security, 'kSecImportItemIdentity' + ) + + # CoreFoundation time! + CoreFoundation.CFRetain.argtypes = [ + CFTypeRef + ] + CoreFoundation.CFRetain.restype = CFTypeRef + + CoreFoundation.CFRelease.argtypes = [ + CFTypeRef + ] + CoreFoundation.CFRelease.restype = None + + CoreFoundation.CFGetTypeID.argtypes = [ + CFTypeRef + ] + CoreFoundation.CFGetTypeID.restype = CFTypeID + + CoreFoundation.CFStringCreateWithCString.argtypes = [ + CFAllocatorRef, + c_char_p, + CFStringEncoding + ] + CoreFoundation.CFStringCreateWithCString.restype = CFStringRef + + CoreFoundation.CFStringGetCStringPtr.argtypes = [ + CFStringRef, + CFStringEncoding + ] + CoreFoundation.CFStringGetCStringPtr.restype = c_char_p + + CoreFoundation.CFStringGetCString.argtypes = [ + CFStringRef, + c_char_p, + CFIndex, + CFStringEncoding + ] + CoreFoundation.CFStringGetCString.restype = c_bool + + CoreFoundation.CFDataCreate.argtypes = [ + CFAllocatorRef, + c_char_p, + CFIndex + ] + CoreFoundation.CFDataCreate.restype = CFDataRef + + CoreFoundation.CFDataGetLength.argtypes = [ + CFDataRef + ] + CoreFoundation.CFDataGetLength.restype = CFIndex + + CoreFoundation.CFDataGetBytePtr.argtypes = [ + CFDataRef + ] + CoreFoundation.CFDataGetBytePtr.restype = c_void_p + + CoreFoundation.CFDictionaryCreate.argtypes = [ + CFAllocatorRef, + POINTER(CFTypeRef), + POINTER(CFTypeRef), + CFIndex, + CFDictionaryKeyCallBacks, + CFDictionaryValueCallBacks + ] + CoreFoundation.CFDictionaryCreate.restype = CFDictionaryRef + + CoreFoundation.CFDictionaryGetValue.argtypes = [ + CFDictionaryRef, + CFTypeRef + ] + CoreFoundation.CFDictionaryGetValue.restype = CFTypeRef + + CoreFoundation.CFArrayCreate.argtypes = [ + CFAllocatorRef, + POINTER(CFTypeRef), + CFIndex, + CFArrayCallBacks, + ] + CoreFoundation.CFArrayCreate.restype = CFArrayRef + + CoreFoundation.CFArrayCreateMutable.argtypes = [ + CFAllocatorRef, + CFIndex, + CFArrayCallBacks + ] + CoreFoundation.CFArrayCreateMutable.restype = CFMutableArrayRef + + CoreFoundation.CFArrayAppendValue.argtypes = [ + CFMutableArrayRef, + c_void_p + ] + CoreFoundation.CFArrayAppendValue.restype = None + + CoreFoundation.CFArrayGetCount.argtypes = [ + CFArrayRef + ] + CoreFoundation.CFArrayGetCount.restype = CFIndex + + CoreFoundation.CFArrayGetValueAtIndex.argtypes = [ + CFArrayRef, + CFIndex + ] + CoreFoundation.CFArrayGetValueAtIndex.restype = c_void_p + + CoreFoundation.kCFAllocatorDefault = CFAllocatorRef.in_dll( + CoreFoundation, 'kCFAllocatorDefault' + ) + CoreFoundation.kCFTypeArrayCallBacks = c_void_p.in_dll(CoreFoundation, 'kCFTypeArrayCallBacks') + CoreFoundation.kCFTypeDictionaryKeyCallBacks = c_void_p.in_dll( + CoreFoundation, 'kCFTypeDictionaryKeyCallBacks' + ) + CoreFoundation.kCFTypeDictionaryValueCallBacks = c_void_p.in_dll( + CoreFoundation, 'kCFTypeDictionaryValueCallBacks' + ) + + CoreFoundation.CFTypeRef = CFTypeRef + CoreFoundation.CFArrayRef = CFArrayRef + CoreFoundation.CFStringRef = CFStringRef + CoreFoundation.CFDictionaryRef = CFDictionaryRef + +except (AttributeError): + raise ImportError('Error initializing ctypes') + + +class CFConst(object): + """ + A class object that acts as essentially a namespace for CoreFoundation + constants. + """ + kCFStringEncodingUTF8 = CFStringEncoding(0x08000100) + + +class SecurityConst(object): + """ + A class object that acts as essentially a namespace for Security constants. + """ + kSSLSessionOptionBreakOnServerAuth = 0 + + kSSLProtocol2 = 1 + kSSLProtocol3 = 2 + kTLSProtocol1 = 4 + kTLSProtocol11 = 7 + kTLSProtocol12 = 8 + + kSSLClientSide = 1 + kSSLStreamType = 0 + + kSecFormatPEMSequence = 10 + + kSecTrustResultInvalid = 0 + kSecTrustResultProceed = 1 + # This gap is present on purpose: this was kSecTrustResultConfirm, which + # is deprecated. + kSecTrustResultDeny = 3 + kSecTrustResultUnspecified = 4 + kSecTrustResultRecoverableTrustFailure = 5 + kSecTrustResultFatalTrustFailure = 6 + kSecTrustResultOtherError = 7 + + errSSLProtocol = -9800 + errSSLWouldBlock = -9803 + errSSLClosedGraceful = -9805 + errSSLClosedNoNotify = -9816 + errSSLClosedAbort = -9806 + + errSSLXCertChainInvalid = -9807 + errSSLCrypto = -9809 + errSSLInternal = -9810 + errSSLCertExpired = -9814 + errSSLCertNotYetValid = -9815 + errSSLUnknownRootCert = -9812 + errSSLNoRootCert = -9813 + errSSLHostNameMismatch = -9843 + errSSLPeerHandshakeFail = -9824 + errSSLPeerUserCancelled = -9839 + errSSLWeakPeerEphemeralDHKey = -9850 + errSSLServerAuthCompleted = -9841 + errSSLRecordOverflow = -9847 + + errSecVerifyFailed = -67808 + errSecNoTrustSettings = -25263 + errSecItemNotFound = -25300 + errSecInvalidTrustSettings = -25262 + + # Cipher suites. We only pick the ones our default cipher string allows. + TLS_ECDHE_ECDSA_WITH_AES_256_GCM_SHA384 = 0xC02C + TLS_ECDHE_RSA_WITH_AES_256_GCM_SHA384 = 0xC030 + TLS_ECDHE_ECDSA_WITH_AES_128_GCM_SHA256 = 0xC02B + TLS_ECDHE_RSA_WITH_AES_128_GCM_SHA256 = 0xC02F + TLS_DHE_DSS_WITH_AES_256_GCM_SHA384 = 0x00A3 + TLS_DHE_RSA_WITH_AES_256_GCM_SHA384 = 0x009F + TLS_DHE_DSS_WITH_AES_128_GCM_SHA256 = 0x00A2 + TLS_DHE_RSA_WITH_AES_128_GCM_SHA256 = 0x009E + TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA384 = 0xC024 + TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA384 = 0xC028 + TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA = 0xC00A + TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA = 0xC014 + TLS_DHE_RSA_WITH_AES_256_CBC_SHA256 = 0x006B + TLS_DHE_DSS_WITH_AES_256_CBC_SHA256 = 0x006A + TLS_DHE_RSA_WITH_AES_256_CBC_SHA = 0x0039 + TLS_DHE_DSS_WITH_AES_256_CBC_SHA = 0x0038 + TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA256 = 0xC023 + TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA256 = 0xC027 + TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA = 0xC009 + TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA = 0xC013 + TLS_DHE_RSA_WITH_AES_128_CBC_SHA256 = 0x0067 + TLS_DHE_DSS_WITH_AES_128_CBC_SHA256 = 0x0040 + TLS_DHE_RSA_WITH_AES_128_CBC_SHA = 0x0033 + TLS_DHE_DSS_WITH_AES_128_CBC_SHA = 0x0032 + TLS_RSA_WITH_AES_256_GCM_SHA384 = 0x009D + TLS_RSA_WITH_AES_128_GCM_SHA256 = 0x009C + TLS_RSA_WITH_AES_256_CBC_SHA256 = 0x003D + TLS_RSA_WITH_AES_128_CBC_SHA256 = 0x003C + TLS_RSA_WITH_AES_256_CBC_SHA = 0x0035 + TLS_RSA_WITH_AES_128_CBC_SHA = 0x002F + TLS_AES_128_GCM_SHA256 = 0x1301 + TLS_AES_256_GCM_SHA384 = 0x1302 + TLS_CHACHA20_POLY1305_SHA256 = 0x1303 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/low_level.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/low_level.py new file mode 100644 index 0000000..b13cd9e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/low_level.py @@ -0,0 +1,346 @@ +""" +Low-level helpers for the SecureTransport bindings. + +These are Python functions that are not directly related to the high-level APIs +but are necessary to get them to work. They include a whole bunch of low-level +CoreFoundation messing about and memory management. The concerns in this module +are almost entirely about trying to avoid memory leaks and providing +appropriate and useful assistance to the higher-level code. +""" +import base64 +import ctypes +import itertools +import re +import os +import ssl +import tempfile + +from .bindings import Security, CoreFoundation, CFConst + + +# This regular expression is used to grab PEM data out of a PEM bundle. +_PEM_CERTS_RE = re.compile( + b"-----BEGIN CERTIFICATE-----\n(.*?)\n-----END CERTIFICATE-----", re.DOTALL +) + + +def _cf_data_from_bytes(bytestring): + """ + Given a bytestring, create a CFData object from it. This CFData object must + be CFReleased by the caller. + """ + return CoreFoundation.CFDataCreate( + CoreFoundation.kCFAllocatorDefault, bytestring, len(bytestring) + ) + + +def _cf_dictionary_from_tuples(tuples): + """ + Given a list of Python tuples, create an associated CFDictionary. + """ + dictionary_size = len(tuples) + + # We need to get the dictionary keys and values out in the same order. + keys = (t[0] for t in tuples) + values = (t[1] for t in tuples) + cf_keys = (CoreFoundation.CFTypeRef * dictionary_size)(*keys) + cf_values = (CoreFoundation.CFTypeRef * dictionary_size)(*values) + + return CoreFoundation.CFDictionaryCreate( + CoreFoundation.kCFAllocatorDefault, + cf_keys, + cf_values, + dictionary_size, + CoreFoundation.kCFTypeDictionaryKeyCallBacks, + CoreFoundation.kCFTypeDictionaryValueCallBacks, + ) + + +def _cf_string_to_unicode(value): + """ + Creates a Unicode string from a CFString object. Used entirely for error + reporting. + + Yes, it annoys me quite a lot that this function is this complex. + """ + value_as_void_p = ctypes.cast(value, ctypes.POINTER(ctypes.c_void_p)) + + string = CoreFoundation.CFStringGetCStringPtr( + value_as_void_p, + CFConst.kCFStringEncodingUTF8 + ) + if string is None: + buffer = ctypes.create_string_buffer(1024) + result = CoreFoundation.CFStringGetCString( + value_as_void_p, + buffer, + 1024, + CFConst.kCFStringEncodingUTF8 + ) + if not result: + raise OSError('Error copying C string from CFStringRef') + string = buffer.value + if string is not None: + string = string.decode('utf-8') + return string + + +def _assert_no_error(error, exception_class=None): + """ + Checks the return code and throws an exception if there is an error to + report + """ + if error == 0: + return + + cf_error_string = Security.SecCopyErrorMessageString(error, None) + output = _cf_string_to_unicode(cf_error_string) + CoreFoundation.CFRelease(cf_error_string) + + if output is None or output == u'': + output = u'OSStatus %s' % error + + if exception_class is None: + exception_class = ssl.SSLError + + raise exception_class(output) + + +def _cert_array_from_pem(pem_bundle): + """ + Given a bundle of certs in PEM format, turns them into a CFArray of certs + that can be used to validate a cert chain. + """ + # Normalize the PEM bundle's line endings. + pem_bundle = pem_bundle.replace(b"\r\n", b"\n") + + der_certs = [ + base64.b64decode(match.group(1)) + for match in _PEM_CERTS_RE.finditer(pem_bundle) + ] + if not der_certs: + raise ssl.SSLError("No root certificates specified") + + cert_array = CoreFoundation.CFArrayCreateMutable( + CoreFoundation.kCFAllocatorDefault, + 0, + ctypes.byref(CoreFoundation.kCFTypeArrayCallBacks) + ) + if not cert_array: + raise ssl.SSLError("Unable to allocate memory!") + + try: + for der_bytes in der_certs: + certdata = _cf_data_from_bytes(der_bytes) + if not certdata: + raise ssl.SSLError("Unable to allocate memory!") + cert = Security.SecCertificateCreateWithData( + CoreFoundation.kCFAllocatorDefault, certdata + ) + CoreFoundation.CFRelease(certdata) + if not cert: + raise ssl.SSLError("Unable to build cert object!") + + CoreFoundation.CFArrayAppendValue(cert_array, cert) + CoreFoundation.CFRelease(cert) + except Exception: + # We need to free the array before the exception bubbles further. + # We only want to do that if an error occurs: otherwise, the caller + # should free. + CoreFoundation.CFRelease(cert_array) + + return cert_array + + +def _is_cert(item): + """ + Returns True if a given CFTypeRef is a certificate. + """ + expected = Security.SecCertificateGetTypeID() + return CoreFoundation.CFGetTypeID(item) == expected + + +def _is_identity(item): + """ + Returns True if a given CFTypeRef is an identity. + """ + expected = Security.SecIdentityGetTypeID() + return CoreFoundation.CFGetTypeID(item) == expected + + +def _temporary_keychain(): + """ + This function creates a temporary Mac keychain that we can use to work with + credentials. This keychain uses a one-time password and a temporary file to + store the data. We expect to have one keychain per socket. The returned + SecKeychainRef must be freed by the caller, including calling + SecKeychainDelete. + + Returns a tuple of the SecKeychainRef and the path to the temporary + directory that contains it. + """ + # Unfortunately, SecKeychainCreate requires a path to a keychain. This + # means we cannot use mkstemp to use a generic temporary file. Instead, + # we're going to create a temporary directory and a filename to use there. + # This filename will be 8 random bytes expanded into base64. We also need + # some random bytes to password-protect the keychain we're creating, so we + # ask for 40 random bytes. + random_bytes = os.urandom(40) + filename = base64.b16encode(random_bytes[:8]).decode('utf-8') + password = base64.b16encode(random_bytes[8:]) # Must be valid UTF-8 + tempdirectory = tempfile.mkdtemp() + + keychain_path = os.path.join(tempdirectory, filename).encode('utf-8') + + # We now want to create the keychain itself. + keychain = Security.SecKeychainRef() + status = Security.SecKeychainCreate( + keychain_path, + len(password), + password, + False, + None, + ctypes.byref(keychain) + ) + _assert_no_error(status) + + # Having created the keychain, we want to pass it off to the caller. + return keychain, tempdirectory + + +def _load_items_from_file(keychain, path): + """ + Given a single file, loads all the trust objects from it into arrays and + the keychain. + Returns a tuple of lists: the first list is a list of identities, the + second a list of certs. + """ + certificates = [] + identities = [] + result_array = None + + with open(path, 'rb') as f: + raw_filedata = f.read() + + try: + filedata = CoreFoundation.CFDataCreate( + CoreFoundation.kCFAllocatorDefault, + raw_filedata, + len(raw_filedata) + ) + result_array = CoreFoundation.CFArrayRef() + result = Security.SecItemImport( + filedata, # cert data + None, # Filename, leaving it out for now + None, # What the type of the file is, we don't care + None, # what's in the file, we don't care + 0, # import flags + None, # key params, can include passphrase in the future + keychain, # The keychain to insert into + ctypes.byref(result_array) # Results + ) + _assert_no_error(result) + + # A CFArray is not very useful to us as an intermediary + # representation, so we are going to extract the objects we want + # and then free the array. We don't need to keep hold of keys: the + # keychain already has them! + result_count = CoreFoundation.CFArrayGetCount(result_array) + for index in range(result_count): + item = CoreFoundation.CFArrayGetValueAtIndex( + result_array, index + ) + item = ctypes.cast(item, CoreFoundation.CFTypeRef) + + if _is_cert(item): + CoreFoundation.CFRetain(item) + certificates.append(item) + elif _is_identity(item): + CoreFoundation.CFRetain(item) + identities.append(item) + finally: + if result_array: + CoreFoundation.CFRelease(result_array) + + CoreFoundation.CFRelease(filedata) + + return (identities, certificates) + + +def _load_client_cert_chain(keychain, *paths): + """ + Load certificates and maybe keys from a number of files. Has the end goal + of returning a CFArray containing one SecIdentityRef, and then zero or more + SecCertificateRef objects, suitable for use as a client certificate trust + chain. + """ + # Ok, the strategy. + # + # This relies on knowing that macOS will not give you a SecIdentityRef + # unless you have imported a key into a keychain. This is a somewhat + # artificial limitation of macOS (for example, it doesn't necessarily + # affect iOS), but there is nothing inside Security.framework that lets you + # get a SecIdentityRef without having a key in a keychain. + # + # So the policy here is we take all the files and iterate them in order. + # Each one will use SecItemImport to have one or more objects loaded from + # it. We will also point at a keychain that macOS can use to work with the + # private key. + # + # Once we have all the objects, we'll check what we actually have. If we + # already have a SecIdentityRef in hand, fab: we'll use that. Otherwise, + # we'll take the first certificate (which we assume to be our leaf) and + # ask the keychain to give us a SecIdentityRef with that cert's associated + # key. + # + # We'll then return a CFArray containing the trust chain: one + # SecIdentityRef and then zero-or-more SecCertificateRef objects. The + # responsibility for freeing this CFArray will be with the caller. This + # CFArray must remain alive for the entire connection, so in practice it + # will be stored with a single SSLSocket, along with the reference to the + # keychain. + certificates = [] + identities = [] + + # Filter out bad paths. + paths = (path for path in paths if path) + + try: + for file_path in paths: + new_identities, new_certs = _load_items_from_file( + keychain, file_path + ) + identities.extend(new_identities) + certificates.extend(new_certs) + + # Ok, we have everything. The question is: do we have an identity? If + # not, we want to grab one from the first cert we have. + if not identities: + new_identity = Security.SecIdentityRef() + status = Security.SecIdentityCreateWithCertificate( + keychain, + certificates[0], + ctypes.byref(new_identity) + ) + _assert_no_error(status) + identities.append(new_identity) + + # We now want to release the original certificate, as we no longer + # need it. + CoreFoundation.CFRelease(certificates.pop(0)) + + # We now need to build a new CFArray that holds the trust chain. + trust_chain = CoreFoundation.CFArrayCreateMutable( + CoreFoundation.kCFAllocatorDefault, + 0, + ctypes.byref(CoreFoundation.kCFTypeArrayCallBacks), + ) + for item in itertools.chain(identities, certificates): + # ArrayAppendValue does a CFRetain on the item. That's fine, + # because the finally block will release our other refs to them. + CoreFoundation.CFArrayAppendValue(trust_chain, item) + + return trust_chain + finally: + for obj in itertools.chain(identities, certificates): + CoreFoundation.CFRelease(obj) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/appengine.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/appengine.py new file mode 100644 index 0000000..9b42952 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/appengine.py @@ -0,0 +1,289 @@ +""" +This module provides a pool manager that uses Google App Engine's +`URLFetch Service <https://cloud.google.com/appengine/docs/python/urlfetch>`_. + +Example usage:: + + from pip._vendor.urllib3 import PoolManager + from pip._vendor.urllib3.contrib.appengine import AppEngineManager, is_appengine_sandbox + + if is_appengine_sandbox(): + # AppEngineManager uses AppEngine's URLFetch API behind the scenes + http = AppEngineManager() + else: + # PoolManager uses a socket-level API behind the scenes + http = PoolManager() + + r = http.request('GET', 'https://google.com/') + +There are `limitations <https://cloud.google.com/appengine/docs/python/\ +urlfetch/#Python_Quotas_and_limits>`_ to the URLFetch service and it may not be +the best choice for your application. There are three options for using +urllib3 on Google App Engine: + +1. You can use :class:`AppEngineManager` with URLFetch. URLFetch is + cost-effective in many circumstances as long as your usage is within the + limitations. +2. You can use a normal :class:`~urllib3.PoolManager` by enabling sockets. + Sockets also have `limitations and restrictions + <https://cloud.google.com/appengine/docs/python/sockets/\ + #limitations-and-restrictions>`_ and have a lower free quota than URLFetch. + To use sockets, be sure to specify the following in your ``app.yaml``:: + + env_variables: + GAE_USE_SOCKETS_HTTPLIB : 'true' + +3. If you are using `App Engine Flexible +<https://cloud.google.com/appengine/docs/flexible/>`_, you can use the standard +:class:`PoolManager` without any configuration or special environment variables. +""" + +from __future__ import absolute_import +import io +import logging +import warnings +from ..packages.six.moves.urllib.parse import urljoin + +from ..exceptions import ( + HTTPError, + HTTPWarning, + MaxRetryError, + ProtocolError, + TimeoutError, + SSLError +) + +from ..request import RequestMethods +from ..response import HTTPResponse +from ..util.timeout import Timeout +from ..util.retry import Retry +from . import _appengine_environ + +try: + from google.appengine.api import urlfetch +except ImportError: + urlfetch = None + + +log = logging.getLogger(__name__) + + +class AppEnginePlatformWarning(HTTPWarning): + pass + + +class AppEnginePlatformError(HTTPError): + pass + + +class AppEngineManager(RequestMethods): + """ + Connection manager for Google App Engine sandbox applications. + + This manager uses the URLFetch service directly instead of using the + emulated httplib, and is subject to URLFetch limitations as described in + the App Engine documentation `here + <https://cloud.google.com/appengine/docs/python/urlfetch>`_. + + Notably it will raise an :class:`AppEnginePlatformError` if: + * URLFetch is not available. + * If you attempt to use this on App Engine Flexible, as full socket + support is available. + * If a request size is more than 10 megabytes. + * If a response size is more than 32 megabtyes. + * If you use an unsupported request method such as OPTIONS. + + Beyond those cases, it will raise normal urllib3 errors. + """ + + def __init__(self, headers=None, retries=None, validate_certificate=True, + urlfetch_retries=True): + if not urlfetch: + raise AppEnginePlatformError( + "URLFetch is not available in this environment.") + + if is_prod_appengine_mvms(): + raise AppEnginePlatformError( + "Use normal urllib3.PoolManager instead of AppEngineManager" + "on Managed VMs, as using URLFetch is not necessary in " + "this environment.") + + warnings.warn( + "urllib3 is using URLFetch on Google App Engine sandbox instead " + "of sockets. To use sockets directly instead of URLFetch see " + "https://urllib3.readthedocs.io/en/latest/reference/urllib3.contrib.html.", + AppEnginePlatformWarning) + + RequestMethods.__init__(self, headers) + self.validate_certificate = validate_certificate + self.urlfetch_retries = urlfetch_retries + + self.retries = retries or Retry.DEFAULT + + def __enter__(self): + return self + + def __exit__(self, exc_type, exc_val, exc_tb): + # Return False to re-raise any potential exceptions + return False + + def urlopen(self, method, url, body=None, headers=None, + retries=None, redirect=True, timeout=Timeout.DEFAULT_TIMEOUT, + **response_kw): + + retries = self._get_retries(retries, redirect) + + try: + follow_redirects = ( + redirect and + retries.redirect != 0 and + retries.total) + response = urlfetch.fetch( + url, + payload=body, + method=method, + headers=headers or {}, + allow_truncated=False, + follow_redirects=self.urlfetch_retries and follow_redirects, + deadline=self._get_absolute_timeout(timeout), + validate_certificate=self.validate_certificate, + ) + except urlfetch.DeadlineExceededError as e: + raise TimeoutError(self, e) + + except urlfetch.InvalidURLError as e: + if 'too large' in str(e): + raise AppEnginePlatformError( + "URLFetch request too large, URLFetch only " + "supports requests up to 10mb in size.", e) + raise ProtocolError(e) + + except urlfetch.DownloadError as e: + if 'Too many redirects' in str(e): + raise MaxRetryError(self, url, reason=e) + raise ProtocolError(e) + + except urlfetch.ResponseTooLargeError as e: + raise AppEnginePlatformError( + "URLFetch response too large, URLFetch only supports" + "responses up to 32mb in size.", e) + + except urlfetch.SSLCertificateError as e: + raise SSLError(e) + + except urlfetch.InvalidMethodError as e: + raise AppEnginePlatformError( + "URLFetch does not support method: %s" % method, e) + + http_response = self._urlfetch_response_to_http_response( + response, retries=retries, **response_kw) + + # Handle redirect? + redirect_location = redirect and http_response.get_redirect_location() + if redirect_location: + # Check for redirect response + if (self.urlfetch_retries and retries.raise_on_redirect): + raise MaxRetryError(self, url, "too many redirects") + else: + if http_response.status == 303: + method = 'GET' + + try: + retries = retries.increment(method, url, response=http_response, _pool=self) + except MaxRetryError: + if retries.raise_on_redirect: + raise MaxRetryError(self, url, "too many redirects") + return http_response + + retries.sleep_for_retry(http_response) + log.debug("Redirecting %s -> %s", url, redirect_location) + redirect_url = urljoin(url, redirect_location) + return self.urlopen( + method, redirect_url, body, headers, + retries=retries, redirect=redirect, + timeout=timeout, **response_kw) + + # Check if we should retry the HTTP response. + has_retry_after = bool(http_response.getheader('Retry-After')) + if retries.is_retry(method, http_response.status, has_retry_after): + retries = retries.increment( + method, url, response=http_response, _pool=self) + log.debug("Retry: %s", url) + retries.sleep(http_response) + return self.urlopen( + method, url, + body=body, headers=headers, + retries=retries, redirect=redirect, + timeout=timeout, **response_kw) + + return http_response + + def _urlfetch_response_to_http_response(self, urlfetch_resp, **response_kw): + + if is_prod_appengine(): + # Production GAE handles deflate encoding automatically, but does + # not remove the encoding header. + content_encoding = urlfetch_resp.headers.get('content-encoding') + + if content_encoding == 'deflate': + del urlfetch_resp.headers['content-encoding'] + + transfer_encoding = urlfetch_resp.headers.get('transfer-encoding') + # We have a full response's content, + # so let's make sure we don't report ourselves as chunked data. + if transfer_encoding == 'chunked': + encodings = transfer_encoding.split(",") + encodings.remove('chunked') + urlfetch_resp.headers['transfer-encoding'] = ','.join(encodings) + + original_response = HTTPResponse( + # In order for decoding to work, we must present the content as + # a file-like object. + body=io.BytesIO(urlfetch_resp.content), + msg=urlfetch_resp.header_msg, + headers=urlfetch_resp.headers, + status=urlfetch_resp.status_code, + **response_kw + ) + + return HTTPResponse( + body=io.BytesIO(urlfetch_resp.content), + headers=urlfetch_resp.headers, + status=urlfetch_resp.status_code, + original_response=original_response, + **response_kw + ) + + def _get_absolute_timeout(self, timeout): + if timeout is Timeout.DEFAULT_TIMEOUT: + return None # Defer to URLFetch's default. + if isinstance(timeout, Timeout): + if timeout._read is not None or timeout._connect is not None: + warnings.warn( + "URLFetch does not support granular timeout settings, " + "reverting to total or default URLFetch timeout.", + AppEnginePlatformWarning) + return timeout.total + return timeout + + def _get_retries(self, retries, redirect): + if not isinstance(retries, Retry): + retries = Retry.from_int( + retries, redirect=redirect, default=self.retries) + + if retries.connect or retries.read or retries.redirect: + warnings.warn( + "URLFetch only supports total retries and does not " + "recognize connect, read, or redirect retry parameters.", + AppEnginePlatformWarning) + + return retries + + +# Alias methods from _appengine_environ to maintain public API interface. + +is_appengine = _appengine_environ.is_appengine +is_appengine_sandbox = _appengine_environ.is_appengine_sandbox +is_local_appengine = _appengine_environ.is_local_appengine +is_prod_appengine = _appengine_environ.is_prod_appengine +is_prod_appengine_mvms = _appengine_environ.is_prod_appengine_mvms diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/ntlmpool.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/ntlmpool.py new file mode 100644 index 0000000..8ea127c --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/ntlmpool.py @@ -0,0 +1,111 @@ +""" +NTLM authenticating pool, contributed by erikcederstran + +Issue #10, see: http://code.google.com/p/urllib3/issues/detail?id=10 +""" +from __future__ import absolute_import + +from logging import getLogger +from ntlm import ntlm + +from .. import HTTPSConnectionPool +from ..packages.six.moves.http_client import HTTPSConnection + + +log = getLogger(__name__) + + +class NTLMConnectionPool(HTTPSConnectionPool): + """ + Implements an NTLM authentication version of an urllib3 connection pool + """ + + scheme = 'https' + + def __init__(self, user, pw, authurl, *args, **kwargs): + """ + authurl is a random URL on the server that is protected by NTLM. + user is the Windows user, probably in the DOMAIN\\username format. + pw is the password for the user. + """ + super(NTLMConnectionPool, self).__init__(*args, **kwargs) + self.authurl = authurl + self.rawuser = user + user_parts = user.split('\\', 1) + self.domain = user_parts[0].upper() + self.user = user_parts[1] + self.pw = pw + + def _new_conn(self): + # Performs the NTLM handshake that secures the connection. The socket + # must be kept open while requests are performed. + self.num_connections += 1 + log.debug('Starting NTLM HTTPS connection no. %d: https://%s%s', + self.num_connections, self.host, self.authurl) + + headers = {'Connection': 'Keep-Alive'} + req_header = 'Authorization' + resp_header = 'www-authenticate' + + conn = HTTPSConnection(host=self.host, port=self.port) + + # Send negotiation message + headers[req_header] = ( + 'NTLM %s' % ntlm.create_NTLM_NEGOTIATE_MESSAGE(self.rawuser)) + log.debug('Request headers: %s', headers) + conn.request('GET', self.authurl, None, headers) + res = conn.getresponse() + reshdr = dict(res.getheaders()) + log.debug('Response status: %s %s', res.status, res.reason) + log.debug('Response headers: %s', reshdr) + log.debug('Response data: %s [...]', res.read(100)) + + # Remove the reference to the socket, so that it can not be closed by + # the response object (we want to keep the socket open) + res.fp = None + + # Server should respond with a challenge message + auth_header_values = reshdr[resp_header].split(', ') + auth_header_value = None + for s in auth_header_values: + if s[:5] == 'NTLM ': + auth_header_value = s[5:] + if auth_header_value is None: + raise Exception('Unexpected %s response header: %s' % + (resp_header, reshdr[resp_header])) + + # Send authentication message + ServerChallenge, NegotiateFlags = \ + ntlm.parse_NTLM_CHALLENGE_MESSAGE(auth_header_value) + auth_msg = ntlm.create_NTLM_AUTHENTICATE_MESSAGE(ServerChallenge, + self.user, + self.domain, + self.pw, + NegotiateFlags) + headers[req_header] = 'NTLM %s' % auth_msg + log.debug('Request headers: %s', headers) + conn.request('GET', self.authurl, None, headers) + res = conn.getresponse() + log.debug('Response status: %s %s', res.status, res.reason) + log.debug('Response headers: %s', dict(res.getheaders())) + log.debug('Response data: %s [...]', res.read()[:100]) + if res.status != 200: + if res.status == 401: + raise Exception('Server rejected request: wrong ' + 'username or password') + raise Exception('Wrong server response: %s %s' % + (res.status, res.reason)) + + res.fp = None + log.debug('Connection established') + return conn + + def urlopen(self, method, url, body=None, headers=None, retries=3, + redirect=True, assert_same_host=True): + if headers is None: + headers = {} + headers['Connection'] = 'Keep-Alive' + return super(NTLMConnectionPool, self).urlopen(method, url, body, + headers, retries, + redirect, + assert_same_host) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/pyopenssl.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/pyopenssl.py new file mode 100644 index 0000000..363667c --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/pyopenssl.py @@ -0,0 +1,466 @@ +""" +SSL with SNI_-support for Python 2. Follow these instructions if you would +like to verify SSL certificates in Python 2. Note, the default libraries do +*not* do certificate checking; you need to do additional work to validate +certificates yourself. + +This needs the following packages installed: + +* pyOpenSSL (tested with 16.0.0) +* cryptography (minimum 1.3.4, from pyopenssl) +* idna (minimum 2.0, from cryptography) + +However, pyopenssl depends on cryptography, which depends on idna, so while we +use all three directly here we end up having relatively few packages required. + +You can install them with the following command: + + pip install pyopenssl cryptography idna + +To activate certificate checking, call +:func:`~urllib3.contrib.pyopenssl.inject_into_urllib3` from your Python code +before you begin making HTTP requests. This can be done in a ``sitecustomize`` +module, or at any other time before your application begins using ``urllib3``, +like this:: + + try: + import urllib3.contrib.pyopenssl + urllib3.contrib.pyopenssl.inject_into_urllib3() + except ImportError: + pass + +Now you can use :mod:`urllib3` as you normally would, and it will support SNI +when the required modules are installed. + +Activating this module also has the positive side effect of disabling SSL/TLS +compression in Python 2 (see `CRIME attack`_). + +If you want to configure the default list of supported cipher suites, you can +set the ``urllib3.contrib.pyopenssl.DEFAULT_SSL_CIPHER_LIST`` variable. + +.. _sni: https://en.wikipedia.org/wiki/Server_Name_Indication +.. _crime attack: https://en.wikipedia.org/wiki/CRIME_(security_exploit) +""" +from __future__ import absolute_import + +import OpenSSL.SSL +from cryptography import x509 +from cryptography.hazmat.backends.openssl import backend as openssl_backend +from cryptography.hazmat.backends.openssl.x509 import _Certificate +try: + from cryptography.x509 import UnsupportedExtension +except ImportError: + # UnsupportedExtension is gone in cryptography >= 2.1.0 + class UnsupportedExtension(Exception): + pass + +from socket import timeout, error as SocketError +from io import BytesIO + +try: # Platform-specific: Python 2 + from socket import _fileobject +except ImportError: # Platform-specific: Python 3 + _fileobject = None + from ..packages.backports.makefile import backport_makefile + +import logging +import ssl +from ..packages import six +import sys + +from .. import util + +__all__ = ['inject_into_urllib3', 'extract_from_urllib3'] + +# SNI always works. +HAS_SNI = True + +# Map from urllib3 to PyOpenSSL compatible parameter-values. +_openssl_versions = { + ssl.PROTOCOL_SSLv23: OpenSSL.SSL.SSLv23_METHOD, + ssl.PROTOCOL_TLSv1: OpenSSL.SSL.TLSv1_METHOD, +} + +if hasattr(ssl, 'PROTOCOL_TLSv1_1') and hasattr(OpenSSL.SSL, 'TLSv1_1_METHOD'): + _openssl_versions[ssl.PROTOCOL_TLSv1_1] = OpenSSL.SSL.TLSv1_1_METHOD + +if hasattr(ssl, 'PROTOCOL_TLSv1_2') and hasattr(OpenSSL.SSL, 'TLSv1_2_METHOD'): + _openssl_versions[ssl.PROTOCOL_TLSv1_2] = OpenSSL.SSL.TLSv1_2_METHOD + +try: + _openssl_versions.update({ssl.PROTOCOL_SSLv3: OpenSSL.SSL.SSLv3_METHOD}) +except AttributeError: + pass + +_stdlib_to_openssl_verify = { + ssl.CERT_NONE: OpenSSL.SSL.VERIFY_NONE, + ssl.CERT_OPTIONAL: OpenSSL.SSL.VERIFY_PEER, + ssl.CERT_REQUIRED: + OpenSSL.SSL.VERIFY_PEER + OpenSSL.SSL.VERIFY_FAIL_IF_NO_PEER_CERT, +} +_openssl_to_stdlib_verify = dict( + (v, k) for k, v in _stdlib_to_openssl_verify.items() +) + +# OpenSSL will only write 16K at a time +SSL_WRITE_BLOCKSIZE = 16384 + +orig_util_HAS_SNI = util.HAS_SNI +orig_util_SSLContext = util.ssl_.SSLContext + + +log = logging.getLogger(__name__) + + +def inject_into_urllib3(): + 'Monkey-patch urllib3 with PyOpenSSL-backed SSL-support.' + + _validate_dependencies_met() + + util.ssl_.SSLContext = PyOpenSSLContext + util.HAS_SNI = HAS_SNI + util.ssl_.HAS_SNI = HAS_SNI + util.IS_PYOPENSSL = True + util.ssl_.IS_PYOPENSSL = True + + +def extract_from_urllib3(): + 'Undo monkey-patching by :func:`inject_into_urllib3`.' + + util.ssl_.SSLContext = orig_util_SSLContext + util.HAS_SNI = orig_util_HAS_SNI + util.ssl_.HAS_SNI = orig_util_HAS_SNI + util.IS_PYOPENSSL = False + util.ssl_.IS_PYOPENSSL = False + + +def _validate_dependencies_met(): + """ + Verifies that PyOpenSSL's package-level dependencies have been met. + Throws `ImportError` if they are not met. + """ + # Method added in `cryptography==1.1`; not available in older versions + from cryptography.x509.extensions import Extensions + if getattr(Extensions, "get_extension_for_class", None) is None: + raise ImportError("'cryptography' module missing required functionality. " + "Try upgrading to v1.3.4 or newer.") + + # pyOpenSSL 0.14 and above use cryptography for OpenSSL bindings. The _x509 + # attribute is only present on those versions. + from OpenSSL.crypto import X509 + x509 = X509() + if getattr(x509, "_x509", None) is None: + raise ImportError("'pyOpenSSL' module missing required functionality. " + "Try upgrading to v0.14 or newer.") + + +def _dnsname_to_stdlib(name): + """ + Converts a dNSName SubjectAlternativeName field to the form used by the + standard library on the given Python version. + + Cryptography produces a dNSName as a unicode string that was idna-decoded + from ASCII bytes. We need to idna-encode that string to get it back, and + then on Python 3 we also need to convert to unicode via UTF-8 (the stdlib + uses PyUnicode_FromStringAndSize on it, which decodes via UTF-8). + + If the name cannot be idna-encoded then we return None signalling that + the name given should be skipped. + """ + def idna_encode(name): + """ + Borrowed wholesale from the Python Cryptography Project. It turns out + that we can't just safely call `idna.encode`: it can explode for + wildcard names. This avoids that problem. + """ + from pip._vendor import idna + + try: + for prefix in [u'*.', u'.']: + if name.startswith(prefix): + name = name[len(prefix):] + return prefix.encode('ascii') + idna.encode(name) + return idna.encode(name) + except idna.core.IDNAError: + return None + + name = idna_encode(name) + if name is None: + return None + elif sys.version_info >= (3, 0): + name = name.decode('utf-8') + return name + + +def get_subj_alt_name(peer_cert): + """ + Given an PyOpenSSL certificate, provides all the subject alternative names. + """ + # Pass the cert to cryptography, which has much better APIs for this. + if hasattr(peer_cert, "to_cryptography"): + cert = peer_cert.to_cryptography() + else: + # This is technically using private APIs, but should work across all + # relevant versions before PyOpenSSL got a proper API for this. + cert = _Certificate(openssl_backend, peer_cert._x509) + + # We want to find the SAN extension. Ask Cryptography to locate it (it's + # faster than looping in Python) + try: + ext = cert.extensions.get_extension_for_class( + x509.SubjectAlternativeName + ).value + except x509.ExtensionNotFound: + # No such extension, return the empty list. + return [] + except (x509.DuplicateExtension, UnsupportedExtension, + x509.UnsupportedGeneralNameType, UnicodeError) as e: + # A problem has been found with the quality of the certificate. Assume + # no SAN field is present. + log.warning( + "A problem was encountered with the certificate that prevented " + "urllib3 from finding the SubjectAlternativeName field. This can " + "affect certificate validation. The error was %s", + e, + ) + return [] + + # We want to return dNSName and iPAddress fields. We need to cast the IPs + # back to strings because the match_hostname function wants them as + # strings. + # Sadly the DNS names need to be idna encoded and then, on Python 3, UTF-8 + # decoded. This is pretty frustrating, but that's what the standard library + # does with certificates, and so we need to attempt to do the same. + # We also want to skip over names which cannot be idna encoded. + names = [ + ('DNS', name) for name in map(_dnsname_to_stdlib, ext.get_values_for_type(x509.DNSName)) + if name is not None + ] + names.extend( + ('IP Address', str(name)) + for name in ext.get_values_for_type(x509.IPAddress) + ) + + return names + + +class WrappedSocket(object): + '''API-compatibility wrapper for Python OpenSSL's Connection-class. + + Note: _makefile_refs, _drop() and _reuse() are needed for the garbage + collector of pypy. + ''' + + def __init__(self, connection, socket, suppress_ragged_eofs=True): + self.connection = connection + self.socket = socket + self.suppress_ragged_eofs = suppress_ragged_eofs + self._makefile_refs = 0 + self._closed = False + + def fileno(self): + return self.socket.fileno() + + # Copy-pasted from Python 3.5 source code + def _decref_socketios(self): + if self._makefile_refs > 0: + self._makefile_refs -= 1 + if self._closed: + self.close() + + def recv(self, *args, **kwargs): + try: + data = self.connection.recv(*args, **kwargs) + except OpenSSL.SSL.SysCallError as e: + if self.suppress_ragged_eofs and e.args == (-1, 'Unexpected EOF'): + return b'' + else: + raise SocketError(str(e)) + except OpenSSL.SSL.ZeroReturnError as e: + if self.connection.get_shutdown() == OpenSSL.SSL.RECEIVED_SHUTDOWN: + return b'' + else: + raise + except OpenSSL.SSL.WantReadError: + if not util.wait_for_read(self.socket, self.socket.gettimeout()): + raise timeout('The read operation timed out') + else: + return self.recv(*args, **kwargs) + else: + return data + + def recv_into(self, *args, **kwargs): + try: + return self.connection.recv_into(*args, **kwargs) + except OpenSSL.SSL.SysCallError as e: + if self.suppress_ragged_eofs and e.args == (-1, 'Unexpected EOF'): + return 0 + else: + raise SocketError(str(e)) + except OpenSSL.SSL.ZeroReturnError as e: + if self.connection.get_shutdown() == OpenSSL.SSL.RECEIVED_SHUTDOWN: + return 0 + else: + raise + except OpenSSL.SSL.WantReadError: + if not util.wait_for_read(self.socket, self.socket.gettimeout()): + raise timeout('The read operation timed out') + else: + return self.recv_into(*args, **kwargs) + + def settimeout(self, timeout): + return self.socket.settimeout(timeout) + + def _send_until_done(self, data): + while True: + try: + return self.connection.send(data) + except OpenSSL.SSL.WantWriteError: + if not util.wait_for_write(self.socket, self.socket.gettimeout()): + raise timeout() + continue + except OpenSSL.SSL.SysCallError as e: + raise SocketError(str(e)) + + def sendall(self, data): + total_sent = 0 + while total_sent < len(data): + sent = self._send_until_done(data[total_sent:total_sent + SSL_WRITE_BLOCKSIZE]) + total_sent += sent + + def shutdown(self): + # FIXME rethrow compatible exceptions should we ever use this + self.connection.shutdown() + + def close(self): + if self._makefile_refs < 1: + try: + self._closed = True + return self.connection.close() + except OpenSSL.SSL.Error: + return + else: + self._makefile_refs -= 1 + + def getpeercert(self, binary_form=False): + x509 = self.connection.get_peer_certificate() + + if not x509: + return x509 + + if binary_form: + return OpenSSL.crypto.dump_certificate( + OpenSSL.crypto.FILETYPE_ASN1, + x509) + + return { + 'subject': ( + (('commonName', x509.get_subject().CN),), + ), + 'subjectAltName': get_subj_alt_name(x509) + } + + def _reuse(self): + self._makefile_refs += 1 + + def _drop(self): + if self._makefile_refs < 1: + self.close() + else: + self._makefile_refs -= 1 + + +if _fileobject: # Platform-specific: Python 2 + def makefile(self, mode, bufsize=-1): + self._makefile_refs += 1 + return _fileobject(self, mode, bufsize, close=True) +else: # Platform-specific: Python 3 + makefile = backport_makefile + +WrappedSocket.makefile = makefile + + +class PyOpenSSLContext(object): + """ + I am a wrapper class for the PyOpenSSL ``Context`` object. I am responsible + for translating the interface of the standard library ``SSLContext`` object + to calls into PyOpenSSL. + """ + def __init__(self, protocol): + self.protocol = _openssl_versions[protocol] + self._ctx = OpenSSL.SSL.Context(self.protocol) + self._options = 0 + self.check_hostname = False + + @property + def options(self): + return self._options + + @options.setter + def options(self, value): + self._options = value + self._ctx.set_options(value) + + @property + def verify_mode(self): + return _openssl_to_stdlib_verify[self._ctx.get_verify_mode()] + + @verify_mode.setter + def verify_mode(self, value): + self._ctx.set_verify( + _stdlib_to_openssl_verify[value], + _verify_callback + ) + + def set_default_verify_paths(self): + self._ctx.set_default_verify_paths() + + def set_ciphers(self, ciphers): + if isinstance(ciphers, six.text_type): + ciphers = ciphers.encode('utf-8') + self._ctx.set_cipher_list(ciphers) + + def load_verify_locations(self, cafile=None, capath=None, cadata=None): + if cafile is not None: + cafile = cafile.encode('utf-8') + if capath is not None: + capath = capath.encode('utf-8') + self._ctx.load_verify_locations(cafile, capath) + if cadata is not None: + self._ctx.load_verify_locations(BytesIO(cadata)) + + def load_cert_chain(self, certfile, keyfile=None, password=None): + self._ctx.use_certificate_chain_file(certfile) + if password is not None: + self._ctx.set_passwd_cb(lambda max_length, prompt_twice, userdata: password) + self._ctx.use_privatekey_file(keyfile or certfile) + + def wrap_socket(self, sock, server_side=False, + do_handshake_on_connect=True, suppress_ragged_eofs=True, + server_hostname=None): + cnx = OpenSSL.SSL.Connection(self._ctx, sock) + + if isinstance(server_hostname, six.text_type): # Platform-specific: Python 3 + server_hostname = server_hostname.encode('utf-8') + + if server_hostname is not None: + cnx.set_tlsext_host_name(server_hostname) + + cnx.set_connect_state() + + while True: + try: + cnx.do_handshake() + except OpenSSL.SSL.WantReadError: + if not util.wait_for_read(sock, sock.gettimeout()): + raise timeout('select timed out') + continue + except OpenSSL.SSL.Error as e: + raise ssl.SSLError('bad handshake: %r' % e) + break + + return WrappedSocket(cnx, sock) + + +def _verify_callback(cnx, x509, err_no, err_depth, return_code): + return err_no == 0 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/securetransport.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/securetransport.py new file mode 100644 index 0000000..77cb59e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/securetransport.py @@ -0,0 +1,804 @@ +""" +SecureTranport support for urllib3 via ctypes. + +This makes platform-native TLS available to urllib3 users on macOS without the +use of a compiler. This is an important feature because the Python Package +Index is moving to become a TLSv1.2-or-higher server, and the default OpenSSL +that ships with macOS is not capable of doing TLSv1.2. The only way to resolve +this is to give macOS users an alternative solution to the problem, and that +solution is to use SecureTransport. + +We use ctypes here because this solution must not require a compiler. That's +because pip is not allowed to require a compiler either. + +This is not intended to be a seriously long-term solution to this problem. +The hope is that PEP 543 will eventually solve this issue for us, at which +point we can retire this contrib module. But in the short term, we need to +solve the impending tire fire that is Python on Mac without this kind of +contrib module. So...here we are. + +To use this module, simply import and inject it:: + + import urllib3.contrib.securetransport + urllib3.contrib.securetransport.inject_into_urllib3() + +Happy TLSing! +""" +from __future__ import absolute_import + +import contextlib +import ctypes +import errno +import os.path +import shutil +import socket +import ssl +import threading +import weakref + +from .. import util +from ._securetransport.bindings import ( + Security, SecurityConst, CoreFoundation +) +from ._securetransport.low_level import ( + _assert_no_error, _cert_array_from_pem, _temporary_keychain, + _load_client_cert_chain +) + +try: # Platform-specific: Python 2 + from socket import _fileobject +except ImportError: # Platform-specific: Python 3 + _fileobject = None + from ..packages.backports.makefile import backport_makefile + +__all__ = ['inject_into_urllib3', 'extract_from_urllib3'] + +# SNI always works +HAS_SNI = True + +orig_util_HAS_SNI = util.HAS_SNI +orig_util_SSLContext = util.ssl_.SSLContext + +# This dictionary is used by the read callback to obtain a handle to the +# calling wrapped socket. This is a pretty silly approach, but for now it'll +# do. I feel like I should be able to smuggle a handle to the wrapped socket +# directly in the SSLConnectionRef, but for now this approach will work I +# guess. +# +# We need to lock around this structure for inserts, but we don't do it for +# reads/writes in the callbacks. The reasoning here goes as follows: +# +# 1. It is not possible to call into the callbacks before the dictionary is +# populated, so once in the callback the id must be in the dictionary. +# 2. The callbacks don't mutate the dictionary, they only read from it, and +# so cannot conflict with any of the insertions. +# +# This is good: if we had to lock in the callbacks we'd drastically slow down +# the performance of this code. +_connection_refs = weakref.WeakValueDictionary() +_connection_ref_lock = threading.Lock() + +# Limit writes to 16kB. This is OpenSSL's limit, but we'll cargo-cult it over +# for no better reason than we need *a* limit, and this one is right there. +SSL_WRITE_BLOCKSIZE = 16384 + +# This is our equivalent of util.ssl_.DEFAULT_CIPHERS, but expanded out to +# individual cipher suites. We need to do this because this is how +# SecureTransport wants them. +CIPHER_SUITES = [ + SecurityConst.TLS_AES_256_GCM_SHA384, + SecurityConst.TLS_CHACHA20_POLY1305_SHA256, + SecurityConst.TLS_AES_128_GCM_SHA256, + SecurityConst.TLS_ECDHE_ECDSA_WITH_AES_256_GCM_SHA384, + SecurityConst.TLS_ECDHE_RSA_WITH_AES_256_GCM_SHA384, + SecurityConst.TLS_ECDHE_ECDSA_WITH_AES_128_GCM_SHA256, + SecurityConst.TLS_ECDHE_RSA_WITH_AES_128_GCM_SHA256, + SecurityConst.TLS_DHE_DSS_WITH_AES_256_GCM_SHA384, + SecurityConst.TLS_DHE_RSA_WITH_AES_256_GCM_SHA384, + SecurityConst.TLS_DHE_DSS_WITH_AES_128_GCM_SHA256, + SecurityConst.TLS_DHE_RSA_WITH_AES_128_GCM_SHA256, + SecurityConst.TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA384, + SecurityConst.TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA384, + SecurityConst.TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA, + SecurityConst.TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA, + SecurityConst.TLS_DHE_RSA_WITH_AES_256_CBC_SHA256, + SecurityConst.TLS_DHE_DSS_WITH_AES_256_CBC_SHA256, + SecurityConst.TLS_DHE_RSA_WITH_AES_256_CBC_SHA, + SecurityConst.TLS_DHE_DSS_WITH_AES_256_CBC_SHA, + SecurityConst.TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA256, + SecurityConst.TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA256, + SecurityConst.TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA, + SecurityConst.TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA, + SecurityConst.TLS_DHE_RSA_WITH_AES_128_CBC_SHA256, + SecurityConst.TLS_DHE_DSS_WITH_AES_128_CBC_SHA256, + SecurityConst.TLS_DHE_RSA_WITH_AES_128_CBC_SHA, + SecurityConst.TLS_DHE_DSS_WITH_AES_128_CBC_SHA, + SecurityConst.TLS_RSA_WITH_AES_256_GCM_SHA384, + SecurityConst.TLS_RSA_WITH_AES_128_GCM_SHA256, + SecurityConst.TLS_RSA_WITH_AES_256_CBC_SHA256, + SecurityConst.TLS_RSA_WITH_AES_128_CBC_SHA256, + SecurityConst.TLS_RSA_WITH_AES_256_CBC_SHA, + SecurityConst.TLS_RSA_WITH_AES_128_CBC_SHA, +] + +# Basically this is simple: for PROTOCOL_SSLv23 we turn it into a low of +# TLSv1 and a high of TLSv1.2. For everything else, we pin to that version. +_protocol_to_min_max = { + ssl.PROTOCOL_SSLv23: (SecurityConst.kTLSProtocol1, SecurityConst.kTLSProtocol12), +} + +if hasattr(ssl, "PROTOCOL_SSLv2"): + _protocol_to_min_max[ssl.PROTOCOL_SSLv2] = ( + SecurityConst.kSSLProtocol2, SecurityConst.kSSLProtocol2 + ) +if hasattr(ssl, "PROTOCOL_SSLv3"): + _protocol_to_min_max[ssl.PROTOCOL_SSLv3] = ( + SecurityConst.kSSLProtocol3, SecurityConst.kSSLProtocol3 + ) +if hasattr(ssl, "PROTOCOL_TLSv1"): + _protocol_to_min_max[ssl.PROTOCOL_TLSv1] = ( + SecurityConst.kTLSProtocol1, SecurityConst.kTLSProtocol1 + ) +if hasattr(ssl, "PROTOCOL_TLSv1_1"): + _protocol_to_min_max[ssl.PROTOCOL_TLSv1_1] = ( + SecurityConst.kTLSProtocol11, SecurityConst.kTLSProtocol11 + ) +if hasattr(ssl, "PROTOCOL_TLSv1_2"): + _protocol_to_min_max[ssl.PROTOCOL_TLSv1_2] = ( + SecurityConst.kTLSProtocol12, SecurityConst.kTLSProtocol12 + ) +if hasattr(ssl, "PROTOCOL_TLS"): + _protocol_to_min_max[ssl.PROTOCOL_TLS] = _protocol_to_min_max[ssl.PROTOCOL_SSLv23] + + +def inject_into_urllib3(): + """ + Monkey-patch urllib3 with SecureTransport-backed SSL-support. + """ + util.ssl_.SSLContext = SecureTransportContext + util.HAS_SNI = HAS_SNI + util.ssl_.HAS_SNI = HAS_SNI + util.IS_SECURETRANSPORT = True + util.ssl_.IS_SECURETRANSPORT = True + + +def extract_from_urllib3(): + """ + Undo monkey-patching by :func:`inject_into_urllib3`. + """ + util.ssl_.SSLContext = orig_util_SSLContext + util.HAS_SNI = orig_util_HAS_SNI + util.ssl_.HAS_SNI = orig_util_HAS_SNI + util.IS_SECURETRANSPORT = False + util.ssl_.IS_SECURETRANSPORT = False + + +def _read_callback(connection_id, data_buffer, data_length_pointer): + """ + SecureTransport read callback. This is called by ST to request that data + be returned from the socket. + """ + wrapped_socket = None + try: + wrapped_socket = _connection_refs.get(connection_id) + if wrapped_socket is None: + return SecurityConst.errSSLInternal + base_socket = wrapped_socket.socket + + requested_length = data_length_pointer[0] + + timeout = wrapped_socket.gettimeout() + error = None + read_count = 0 + + try: + while read_count < requested_length: + if timeout is None or timeout >= 0: + if not util.wait_for_read(base_socket, timeout): + raise socket.error(errno.EAGAIN, 'timed out') + + remaining = requested_length - read_count + buffer = (ctypes.c_char * remaining).from_address( + data_buffer + read_count + ) + chunk_size = base_socket.recv_into(buffer, remaining) + read_count += chunk_size + if not chunk_size: + if not read_count: + return SecurityConst.errSSLClosedGraceful + break + except (socket.error) as e: + error = e.errno + + if error is not None and error != errno.EAGAIN: + data_length_pointer[0] = read_count + if error == errno.ECONNRESET or error == errno.EPIPE: + return SecurityConst.errSSLClosedAbort + raise + + data_length_pointer[0] = read_count + + if read_count != requested_length: + return SecurityConst.errSSLWouldBlock + + return 0 + except Exception as e: + if wrapped_socket is not None: + wrapped_socket._exception = e + return SecurityConst.errSSLInternal + + +def _write_callback(connection_id, data_buffer, data_length_pointer): + """ + SecureTransport write callback. This is called by ST to request that data + actually be sent on the network. + """ + wrapped_socket = None + try: + wrapped_socket = _connection_refs.get(connection_id) + if wrapped_socket is None: + return SecurityConst.errSSLInternal + base_socket = wrapped_socket.socket + + bytes_to_write = data_length_pointer[0] + data = ctypes.string_at(data_buffer, bytes_to_write) + + timeout = wrapped_socket.gettimeout() + error = None + sent = 0 + + try: + while sent < bytes_to_write: + if timeout is None or timeout >= 0: + if not util.wait_for_write(base_socket, timeout): + raise socket.error(errno.EAGAIN, 'timed out') + chunk_sent = base_socket.send(data) + sent += chunk_sent + + # This has some needless copying here, but I'm not sure there's + # much value in optimising this data path. + data = data[chunk_sent:] + except (socket.error) as e: + error = e.errno + + if error is not None and error != errno.EAGAIN: + data_length_pointer[0] = sent + if error == errno.ECONNRESET or error == errno.EPIPE: + return SecurityConst.errSSLClosedAbort + raise + + data_length_pointer[0] = sent + + if sent != bytes_to_write: + return SecurityConst.errSSLWouldBlock + + return 0 + except Exception as e: + if wrapped_socket is not None: + wrapped_socket._exception = e + return SecurityConst.errSSLInternal + + +# We need to keep these two objects references alive: if they get GC'd while +# in use then SecureTransport could attempt to call a function that is in freed +# memory. That would be...uh...bad. Yeah, that's the word. Bad. +_read_callback_pointer = Security.SSLReadFunc(_read_callback) +_write_callback_pointer = Security.SSLWriteFunc(_write_callback) + + +class WrappedSocket(object): + """ + API-compatibility wrapper for Python's OpenSSL wrapped socket object. + + Note: _makefile_refs, _drop(), and _reuse() are needed for the garbage + collector of PyPy. + """ + def __init__(self, socket): + self.socket = socket + self.context = None + self._makefile_refs = 0 + self._closed = False + self._exception = None + self._keychain = None + self._keychain_dir = None + self._client_cert_chain = None + + # We save off the previously-configured timeout and then set it to + # zero. This is done because we use select and friends to handle the + # timeouts, but if we leave the timeout set on the lower socket then + # Python will "kindly" call select on that socket again for us. Avoid + # that by forcing the timeout to zero. + self._timeout = self.socket.gettimeout() + self.socket.settimeout(0) + + @contextlib.contextmanager + def _raise_on_error(self): + """ + A context manager that can be used to wrap calls that do I/O from + SecureTransport. If any of the I/O callbacks hit an exception, this + context manager will correctly propagate the exception after the fact. + This avoids silently swallowing those exceptions. + + It also correctly forces the socket closed. + """ + self._exception = None + + # We explicitly don't catch around this yield because in the unlikely + # event that an exception was hit in the block we don't want to swallow + # it. + yield + if self._exception is not None: + exception, self._exception = self._exception, None + self.close() + raise exception + + def _set_ciphers(self): + """ + Sets up the allowed ciphers. By default this matches the set in + util.ssl_.DEFAULT_CIPHERS, at least as supported by macOS. This is done + custom and doesn't allow changing at this time, mostly because parsing + OpenSSL cipher strings is going to be a freaking nightmare. + """ + ciphers = (Security.SSLCipherSuite * len(CIPHER_SUITES))(*CIPHER_SUITES) + result = Security.SSLSetEnabledCiphers( + self.context, ciphers, len(CIPHER_SUITES) + ) + _assert_no_error(result) + + def _custom_validate(self, verify, trust_bundle): + """ + Called when we have set custom validation. We do this in two cases: + first, when cert validation is entirely disabled; and second, when + using a custom trust DB. + """ + # If we disabled cert validation, just say: cool. + if not verify: + return + + # We want data in memory, so load it up. + if os.path.isfile(trust_bundle): + with open(trust_bundle, 'rb') as f: + trust_bundle = f.read() + + cert_array = None + trust = Security.SecTrustRef() + + try: + # Get a CFArray that contains the certs we want. + cert_array = _cert_array_from_pem(trust_bundle) + + # Ok, now the hard part. We want to get the SecTrustRef that ST has + # created for this connection, shove our CAs into it, tell ST to + # ignore everything else it knows, and then ask if it can build a + # chain. This is a buuuunch of code. + result = Security.SSLCopyPeerTrust( + self.context, ctypes.byref(trust) + ) + _assert_no_error(result) + if not trust: + raise ssl.SSLError("Failed to copy trust reference") + + result = Security.SecTrustSetAnchorCertificates(trust, cert_array) + _assert_no_error(result) + + result = Security.SecTrustSetAnchorCertificatesOnly(trust, True) + _assert_no_error(result) + + trust_result = Security.SecTrustResultType() + result = Security.SecTrustEvaluate( + trust, ctypes.byref(trust_result) + ) + _assert_no_error(result) + finally: + if trust: + CoreFoundation.CFRelease(trust) + + if cert_array is not None: + CoreFoundation.CFRelease(cert_array) + + # Ok, now we can look at what the result was. + successes = ( + SecurityConst.kSecTrustResultUnspecified, + SecurityConst.kSecTrustResultProceed + ) + if trust_result.value not in successes: + raise ssl.SSLError( + "certificate verify failed, error code: %d" % + trust_result.value + ) + + def handshake(self, + server_hostname, + verify, + trust_bundle, + min_version, + max_version, + client_cert, + client_key, + client_key_passphrase): + """ + Actually performs the TLS handshake. This is run automatically by + wrapped socket, and shouldn't be needed in user code. + """ + # First, we do the initial bits of connection setup. We need to create + # a context, set its I/O funcs, and set the connection reference. + self.context = Security.SSLCreateContext( + None, SecurityConst.kSSLClientSide, SecurityConst.kSSLStreamType + ) + result = Security.SSLSetIOFuncs( + self.context, _read_callback_pointer, _write_callback_pointer + ) + _assert_no_error(result) + + # Here we need to compute the handle to use. We do this by taking the + # id of self modulo 2**31 - 1. If this is already in the dictionary, we + # just keep incrementing by one until we find a free space. + with _connection_ref_lock: + handle = id(self) % 2147483647 + while handle in _connection_refs: + handle = (handle + 1) % 2147483647 + _connection_refs[handle] = self + + result = Security.SSLSetConnection(self.context, handle) + _assert_no_error(result) + + # If we have a server hostname, we should set that too. + if server_hostname: + if not isinstance(server_hostname, bytes): + server_hostname = server_hostname.encode('utf-8') + + result = Security.SSLSetPeerDomainName( + self.context, server_hostname, len(server_hostname) + ) + _assert_no_error(result) + + # Setup the ciphers. + self._set_ciphers() + + # Set the minimum and maximum TLS versions. + result = Security.SSLSetProtocolVersionMin(self.context, min_version) + _assert_no_error(result) + result = Security.SSLSetProtocolVersionMax(self.context, max_version) + _assert_no_error(result) + + # If there's a trust DB, we need to use it. We do that by telling + # SecureTransport to break on server auth. We also do that if we don't + # want to validate the certs at all: we just won't actually do any + # authing in that case. + if not verify or trust_bundle is not None: + result = Security.SSLSetSessionOption( + self.context, + SecurityConst.kSSLSessionOptionBreakOnServerAuth, + True + ) + _assert_no_error(result) + + # If there's a client cert, we need to use it. + if client_cert: + self._keychain, self._keychain_dir = _temporary_keychain() + self._client_cert_chain = _load_client_cert_chain( + self._keychain, client_cert, client_key + ) + result = Security.SSLSetCertificate( + self.context, self._client_cert_chain + ) + _assert_no_error(result) + + while True: + with self._raise_on_error(): + result = Security.SSLHandshake(self.context) + + if result == SecurityConst.errSSLWouldBlock: + raise socket.timeout("handshake timed out") + elif result == SecurityConst.errSSLServerAuthCompleted: + self._custom_validate(verify, trust_bundle) + continue + else: + _assert_no_error(result) + break + + def fileno(self): + return self.socket.fileno() + + # Copy-pasted from Python 3.5 source code + def _decref_socketios(self): + if self._makefile_refs > 0: + self._makefile_refs -= 1 + if self._closed: + self.close() + + def recv(self, bufsiz): + buffer = ctypes.create_string_buffer(bufsiz) + bytes_read = self.recv_into(buffer, bufsiz) + data = buffer[:bytes_read] + return data + + def recv_into(self, buffer, nbytes=None): + # Read short on EOF. + if self._closed: + return 0 + + if nbytes is None: + nbytes = len(buffer) + + buffer = (ctypes.c_char * nbytes).from_buffer(buffer) + processed_bytes = ctypes.c_size_t(0) + + with self._raise_on_error(): + result = Security.SSLRead( + self.context, buffer, nbytes, ctypes.byref(processed_bytes) + ) + + # There are some result codes that we want to treat as "not always + # errors". Specifically, those are errSSLWouldBlock, + # errSSLClosedGraceful, and errSSLClosedNoNotify. + if (result == SecurityConst.errSSLWouldBlock): + # If we didn't process any bytes, then this was just a time out. + # However, we can get errSSLWouldBlock in situations when we *did* + # read some data, and in those cases we should just read "short" + # and return. + if processed_bytes.value == 0: + # Timed out, no data read. + raise socket.timeout("recv timed out") + elif result in (SecurityConst.errSSLClosedGraceful, SecurityConst.errSSLClosedNoNotify): + # The remote peer has closed this connection. We should do so as + # well. Note that we don't actually return here because in + # principle this could actually be fired along with return data. + # It's unlikely though. + self.close() + else: + _assert_no_error(result) + + # Ok, we read and probably succeeded. We should return whatever data + # was actually read. + return processed_bytes.value + + def settimeout(self, timeout): + self._timeout = timeout + + def gettimeout(self): + return self._timeout + + def send(self, data): + processed_bytes = ctypes.c_size_t(0) + + with self._raise_on_error(): + result = Security.SSLWrite( + self.context, data, len(data), ctypes.byref(processed_bytes) + ) + + if result == SecurityConst.errSSLWouldBlock and processed_bytes.value == 0: + # Timed out + raise socket.timeout("send timed out") + else: + _assert_no_error(result) + + # We sent, and probably succeeded. Tell them how much we sent. + return processed_bytes.value + + def sendall(self, data): + total_sent = 0 + while total_sent < len(data): + sent = self.send(data[total_sent:total_sent + SSL_WRITE_BLOCKSIZE]) + total_sent += sent + + def shutdown(self): + with self._raise_on_error(): + Security.SSLClose(self.context) + + def close(self): + # TODO: should I do clean shutdown here? Do I have to? + if self._makefile_refs < 1: + self._closed = True + if self.context: + CoreFoundation.CFRelease(self.context) + self.context = None + if self._client_cert_chain: + CoreFoundation.CFRelease(self._client_cert_chain) + self._client_cert_chain = None + if self._keychain: + Security.SecKeychainDelete(self._keychain) + CoreFoundation.CFRelease(self._keychain) + shutil.rmtree(self._keychain_dir) + self._keychain = self._keychain_dir = None + return self.socket.close() + else: + self._makefile_refs -= 1 + + def getpeercert(self, binary_form=False): + # Urgh, annoying. + # + # Here's how we do this: + # + # 1. Call SSLCopyPeerTrust to get hold of the trust object for this + # connection. + # 2. Call SecTrustGetCertificateAtIndex for index 0 to get the leaf. + # 3. To get the CN, call SecCertificateCopyCommonName and process that + # string so that it's of the appropriate type. + # 4. To get the SAN, we need to do something a bit more complex: + # a. Call SecCertificateCopyValues to get the data, requesting + # kSecOIDSubjectAltName. + # b. Mess about with this dictionary to try to get the SANs out. + # + # This is gross. Really gross. It's going to be a few hundred LoC extra + # just to repeat something that SecureTransport can *already do*. So my + # operating assumption at this time is that what we want to do is + # instead to just flag to urllib3 that it shouldn't do its own hostname + # validation when using SecureTransport. + if not binary_form: + raise ValueError( + "SecureTransport only supports dumping binary certs" + ) + trust = Security.SecTrustRef() + certdata = None + der_bytes = None + + try: + # Grab the trust store. + result = Security.SSLCopyPeerTrust( + self.context, ctypes.byref(trust) + ) + _assert_no_error(result) + if not trust: + # Probably we haven't done the handshake yet. No biggie. + return None + + cert_count = Security.SecTrustGetCertificateCount(trust) + if not cert_count: + # Also a case that might happen if we haven't handshaked. + # Handshook? Handshaken? + return None + + leaf = Security.SecTrustGetCertificateAtIndex(trust, 0) + assert leaf + + # Ok, now we want the DER bytes. + certdata = Security.SecCertificateCopyData(leaf) + assert certdata + + data_length = CoreFoundation.CFDataGetLength(certdata) + data_buffer = CoreFoundation.CFDataGetBytePtr(certdata) + der_bytes = ctypes.string_at(data_buffer, data_length) + finally: + if certdata: + CoreFoundation.CFRelease(certdata) + if trust: + CoreFoundation.CFRelease(trust) + + return der_bytes + + def _reuse(self): + self._makefile_refs += 1 + + def _drop(self): + if self._makefile_refs < 1: + self.close() + else: + self._makefile_refs -= 1 + + +if _fileobject: # Platform-specific: Python 2 + def makefile(self, mode, bufsize=-1): + self._makefile_refs += 1 + return _fileobject(self, mode, bufsize, close=True) +else: # Platform-specific: Python 3 + def makefile(self, mode="r", buffering=None, *args, **kwargs): + # We disable buffering with SecureTransport because it conflicts with + # the buffering that ST does internally (see issue #1153 for more). + buffering = 0 + return backport_makefile(self, mode, buffering, *args, **kwargs) + +WrappedSocket.makefile = makefile + + +class SecureTransportContext(object): + """ + I am a wrapper class for the SecureTransport library, to translate the + interface of the standard library ``SSLContext`` object to calls into + SecureTransport. + """ + def __init__(self, protocol): + self._min_version, self._max_version = _protocol_to_min_max[protocol] + self._options = 0 + self._verify = False + self._trust_bundle = None + self._client_cert = None + self._client_key = None + self._client_key_passphrase = None + + @property + def check_hostname(self): + """ + SecureTransport cannot have its hostname checking disabled. For more, + see the comment on getpeercert() in this file. + """ + return True + + @check_hostname.setter + def check_hostname(self, value): + """ + SecureTransport cannot have its hostname checking disabled. For more, + see the comment on getpeercert() in this file. + """ + pass + + @property + def options(self): + # TODO: Well, crap. + # + # So this is the bit of the code that is the most likely to cause us + # trouble. Essentially we need to enumerate all of the SSL options that + # users might want to use and try to see if we can sensibly translate + # them, or whether we should just ignore them. + return self._options + + @options.setter + def options(self, value): + # TODO: Update in line with above. + self._options = value + + @property + def verify_mode(self): + return ssl.CERT_REQUIRED if self._verify else ssl.CERT_NONE + + @verify_mode.setter + def verify_mode(self, value): + self._verify = True if value == ssl.CERT_REQUIRED else False + + def set_default_verify_paths(self): + # So, this has to do something a bit weird. Specifically, what it does + # is nothing. + # + # This means that, if we had previously had load_verify_locations + # called, this does not undo that. We need to do that because it turns + # out that the rest of the urllib3 code will attempt to load the + # default verify paths if it hasn't been told about any paths, even if + # the context itself was sometime earlier. We resolve that by just + # ignoring it. + pass + + def load_default_certs(self): + return self.set_default_verify_paths() + + def set_ciphers(self, ciphers): + # For now, we just require the default cipher string. + if ciphers != util.ssl_.DEFAULT_CIPHERS: + raise ValueError( + "SecureTransport doesn't support custom cipher strings" + ) + + def load_verify_locations(self, cafile=None, capath=None, cadata=None): + # OK, we only really support cadata and cafile. + if capath is not None: + raise ValueError( + "SecureTransport does not support cert directories" + ) + + self._trust_bundle = cafile or cadata + + def load_cert_chain(self, certfile, keyfile=None, password=None): + self._client_cert = certfile + self._client_key = keyfile + self._client_cert_passphrase = password + + def wrap_socket(self, sock, server_side=False, + do_handshake_on_connect=True, suppress_ragged_eofs=True, + server_hostname=None): + # So, what do we do here? Firstly, we assert some properties. This is a + # stripped down shim, so there is some functionality we don't support. + # See PEP 543 for the real deal. + assert not server_side + assert do_handshake_on_connect + assert suppress_ragged_eofs + + # Ok, we're good to go. Now we want to create the wrapped socket object + # and store it in the appropriate place. + wrapped_socket = WrappedSocket(sock) + + # Now we can handshake + wrapped_socket.handshake( + server_hostname, self._verify, self._trust_bundle, + self._min_version, self._max_version, self._client_cert, + self._client_key, self._client_key_passphrase + ) + return wrapped_socket diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/socks.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/socks.py new file mode 100644 index 0000000..811e312 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/socks.py @@ -0,0 +1,192 @@ +# -*- coding: utf-8 -*- +""" +This module contains provisional support for SOCKS proxies from within +urllib3. This module supports SOCKS4 (specifically the SOCKS4A variant) and +SOCKS5. To enable its functionality, either install PySocks or install this +module with the ``socks`` extra. + +The SOCKS implementation supports the full range of urllib3 features. It also +supports the following SOCKS features: + +- SOCKS4 +- SOCKS4a +- SOCKS5 +- Usernames and passwords for the SOCKS proxy + +Known Limitations: + +- Currently PySocks does not support contacting remote websites via literal + IPv6 addresses. Any such connection attempt will fail. You must use a domain + name. +- Currently PySocks does not support IPv6 connections to the SOCKS proxy. Any + such connection attempt will fail. +""" +from __future__ import absolute_import + +try: + import socks +except ImportError: + import warnings + from ..exceptions import DependencyWarning + + warnings.warn(( + 'SOCKS support in urllib3 requires the installation of optional ' + 'dependencies: specifically, PySocks. For more information, see ' + 'https://urllib3.readthedocs.io/en/latest/contrib.html#socks-proxies' + ), + DependencyWarning + ) + raise + +from socket import error as SocketError, timeout as SocketTimeout + +from ..connection import ( + HTTPConnection, HTTPSConnection +) +from ..connectionpool import ( + HTTPConnectionPool, HTTPSConnectionPool +) +from ..exceptions import ConnectTimeoutError, NewConnectionError +from ..poolmanager import PoolManager +from ..util.url import parse_url + +try: + import ssl +except ImportError: + ssl = None + + +class SOCKSConnection(HTTPConnection): + """ + A plain-text HTTP connection that connects via a SOCKS proxy. + """ + def __init__(self, *args, **kwargs): + self._socks_options = kwargs.pop('_socks_options') + super(SOCKSConnection, self).__init__(*args, **kwargs) + + def _new_conn(self): + """ + Establish a new connection via the SOCKS proxy. + """ + extra_kw = {} + if self.source_address: + extra_kw['source_address'] = self.source_address + + if self.socket_options: + extra_kw['socket_options'] = self.socket_options + + try: + conn = socks.create_connection( + (self.host, self.port), + proxy_type=self._socks_options['socks_version'], + proxy_addr=self._socks_options['proxy_host'], + proxy_port=self._socks_options['proxy_port'], + proxy_username=self._socks_options['username'], + proxy_password=self._socks_options['password'], + proxy_rdns=self._socks_options['rdns'], + timeout=self.timeout, + **extra_kw + ) + + except SocketTimeout as e: + raise ConnectTimeoutError( + self, "Connection to %s timed out. (connect timeout=%s)" % + (self.host, self.timeout)) + + except socks.ProxyError as e: + # This is fragile as hell, but it seems to be the only way to raise + # useful errors here. + if e.socket_err: + error = e.socket_err + if isinstance(error, SocketTimeout): + raise ConnectTimeoutError( + self, + "Connection to %s timed out. (connect timeout=%s)" % + (self.host, self.timeout) + ) + else: + raise NewConnectionError( + self, + "Failed to establish a new connection: %s" % error + ) + else: + raise NewConnectionError( + self, + "Failed to establish a new connection: %s" % e + ) + + except SocketError as e: # Defensive: PySocks should catch all these. + raise NewConnectionError( + self, "Failed to establish a new connection: %s" % e) + + return conn + + +# We don't need to duplicate the Verified/Unverified distinction from +# urllib3/connection.py here because the HTTPSConnection will already have been +# correctly set to either the Verified or Unverified form by that module. This +# means the SOCKSHTTPSConnection will automatically be the correct type. +class SOCKSHTTPSConnection(SOCKSConnection, HTTPSConnection): + pass + + +class SOCKSHTTPConnectionPool(HTTPConnectionPool): + ConnectionCls = SOCKSConnection + + +class SOCKSHTTPSConnectionPool(HTTPSConnectionPool): + ConnectionCls = SOCKSHTTPSConnection + + +class SOCKSProxyManager(PoolManager): + """ + A version of the urllib3 ProxyManager that routes connections via the + defined SOCKS proxy. + """ + pool_classes_by_scheme = { + 'http': SOCKSHTTPConnectionPool, + 'https': SOCKSHTTPSConnectionPool, + } + + def __init__(self, proxy_url, username=None, password=None, + num_pools=10, headers=None, **connection_pool_kw): + parsed = parse_url(proxy_url) + + if username is None and password is None and parsed.auth is not None: + split = parsed.auth.split(':') + if len(split) == 2: + username, password = split + if parsed.scheme == 'socks5': + socks_version = socks.PROXY_TYPE_SOCKS5 + rdns = False + elif parsed.scheme == 'socks5h': + socks_version = socks.PROXY_TYPE_SOCKS5 + rdns = True + elif parsed.scheme == 'socks4': + socks_version = socks.PROXY_TYPE_SOCKS4 + rdns = False + elif parsed.scheme == 'socks4a': + socks_version = socks.PROXY_TYPE_SOCKS4 + rdns = True + else: + raise ValueError( + "Unable to determine SOCKS version from %s" % proxy_url + ) + + self.proxy_url = proxy_url + + socks_options = { + 'socks_version': socks_version, + 'proxy_host': parsed.host, + 'proxy_port': parsed.port, + 'username': username, + 'password': password, + 'rdns': rdns + } + connection_pool_kw['_socks_options'] = socks_options + + super(SOCKSProxyManager, self).__init__( + num_pools, headers, **connection_pool_kw + ) + + self.pool_classes_by_scheme = SOCKSProxyManager.pool_classes_by_scheme diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/exceptions.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/exceptions.py new file mode 100644 index 0000000..7bbaa98 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/exceptions.py @@ -0,0 +1,246 @@ +from __future__ import absolute_import +from .packages.six.moves.http_client import ( + IncompleteRead as httplib_IncompleteRead +) +# Base Exceptions + + +class HTTPError(Exception): + "Base exception used by this module." + pass + + +class HTTPWarning(Warning): + "Base warning used by this module." + pass + + +class PoolError(HTTPError): + "Base exception for errors caused within a pool." + def __init__(self, pool, message): + self.pool = pool + HTTPError.__init__(self, "%s: %s" % (pool, message)) + + def __reduce__(self): + # For pickling purposes. + return self.__class__, (None, None) + + +class RequestError(PoolError): + "Base exception for PoolErrors that have associated URLs." + def __init__(self, pool, url, message): + self.url = url + PoolError.__init__(self, pool, message) + + def __reduce__(self): + # For pickling purposes. + return self.__class__, (None, self.url, None) + + +class SSLError(HTTPError): + "Raised when SSL certificate fails in an HTTPS connection." + pass + + +class ProxyError(HTTPError): + "Raised when the connection to a proxy fails." + pass + + +class DecodeError(HTTPError): + "Raised when automatic decoding based on Content-Type fails." + pass + + +class ProtocolError(HTTPError): + "Raised when something unexpected happens mid-request/response." + pass + + +#: Renamed to ProtocolError but aliased for backwards compatibility. +ConnectionError = ProtocolError + + +# Leaf Exceptions + +class MaxRetryError(RequestError): + """Raised when the maximum number of retries is exceeded. + + :param pool: The connection pool + :type pool: :class:`~urllib3.connectionpool.HTTPConnectionPool` + :param string url: The requested Url + :param exceptions.Exception reason: The underlying error + + """ + + def __init__(self, pool, url, reason=None): + self.reason = reason + + message = "Max retries exceeded with url: %s (Caused by %r)" % ( + url, reason) + + RequestError.__init__(self, pool, url, message) + + +class HostChangedError(RequestError): + "Raised when an existing pool gets a request for a foreign host." + + def __init__(self, pool, url, retries=3): + message = "Tried to open a foreign host with url: %s" % url + RequestError.__init__(self, pool, url, message) + self.retries = retries + + +class TimeoutStateError(HTTPError): + """ Raised when passing an invalid state to a timeout """ + pass + + +class TimeoutError(HTTPError): + """ Raised when a socket timeout error occurs. + + Catching this error will catch both :exc:`ReadTimeoutErrors + <ReadTimeoutError>` and :exc:`ConnectTimeoutErrors <ConnectTimeoutError>`. + """ + pass + + +class ReadTimeoutError(TimeoutError, RequestError): + "Raised when a socket timeout occurs while receiving data from a server" + pass + + +# This timeout error does not have a URL attached and needs to inherit from the +# base HTTPError +class ConnectTimeoutError(TimeoutError): + "Raised when a socket timeout occurs while connecting to a server" + pass + + +class NewConnectionError(ConnectTimeoutError, PoolError): + "Raised when we fail to establish a new connection. Usually ECONNREFUSED." + pass + + +class EmptyPoolError(PoolError): + "Raised when a pool runs out of connections and no more are allowed." + pass + + +class ClosedPoolError(PoolError): + "Raised when a request enters a pool after the pool has been closed." + pass + + +class LocationValueError(ValueError, HTTPError): + "Raised when there is something wrong with a given URL input." + pass + + +class LocationParseError(LocationValueError): + "Raised when get_host or similar fails to parse the URL input." + + def __init__(self, location): + message = "Failed to parse: %s" % location + HTTPError.__init__(self, message) + + self.location = location + + +class ResponseError(HTTPError): + "Used as a container for an error reason supplied in a MaxRetryError." + GENERIC_ERROR = 'too many error responses' + SPECIFIC_ERROR = 'too many {status_code} error responses' + + +class SecurityWarning(HTTPWarning): + "Warned when performing security reducing actions" + pass + + +class SubjectAltNameWarning(SecurityWarning): + "Warned when connecting to a host with a certificate missing a SAN." + pass + + +class InsecureRequestWarning(SecurityWarning): + "Warned when making an unverified HTTPS request." + pass + + +class SystemTimeWarning(SecurityWarning): + "Warned when system time is suspected to be wrong" + pass + + +class InsecurePlatformWarning(SecurityWarning): + "Warned when certain SSL configuration is not available on a platform." + pass + + +class SNIMissingWarning(HTTPWarning): + "Warned when making a HTTPS request without SNI available." + pass + + +class DependencyWarning(HTTPWarning): + """ + Warned when an attempt is made to import a module with missing optional + dependencies. + """ + pass + + +class ResponseNotChunked(ProtocolError, ValueError): + "Response needs to be chunked in order to read it as chunks." + pass + + +class BodyNotHttplibCompatible(HTTPError): + """ + Body should be httplib.HTTPResponse like (have an fp attribute which + returns raw chunks) for read_chunked(). + """ + pass + + +class IncompleteRead(HTTPError, httplib_IncompleteRead): + """ + Response length doesn't match expected Content-Length + + Subclass of http_client.IncompleteRead to allow int value + for `partial` to avoid creating large objects on streamed + reads. + """ + def __init__(self, partial, expected): + super(IncompleteRead, self).__init__(partial, expected) + + def __repr__(self): + return ('IncompleteRead(%i bytes read, ' + '%i more expected)' % (self.partial, self.expected)) + + +class InvalidHeader(HTTPError): + "The header provided was somehow invalid." + pass + + +class ProxySchemeUnknown(AssertionError, ValueError): + "ProxyManager does not support the supplied scheme" + # TODO(t-8ch): Stop inheriting from AssertionError in v2.0. + + def __init__(self, scheme): + message = "Not supported proxy scheme %s" % scheme + super(ProxySchemeUnknown, self).__init__(message) + + +class HeaderParsingError(HTTPError): + "Raised by assert_header_parsing, but we convert it to a log.warning statement." + def __init__(self, defects, unparsed_data): + message = '%s, unparsed data: %r' % (defects or 'Unknown', unparsed_data) + super(HeaderParsingError, self).__init__(message) + + +class UnrewindableBodyError(HTTPError): + "urllib3 encountered an error when trying to rewind a body" + pass diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/fields.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/fields.py new file mode 100644 index 0000000..37fe64a --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/fields.py @@ -0,0 +1,178 @@ +from __future__ import absolute_import +import email.utils +import mimetypes + +from .packages import six + + +def guess_content_type(filename, default='application/octet-stream'): + """ + Guess the "Content-Type" of a file. + + :param filename: + The filename to guess the "Content-Type" of using :mod:`mimetypes`. + :param default: + If no "Content-Type" can be guessed, default to `default`. + """ + if filename: + return mimetypes.guess_type(filename)[0] or default + return default + + +def format_header_param(name, value): + """ + Helper function to format and quote a single header parameter. + + Particularly useful for header parameters which might contain + non-ASCII values, like file names. This follows RFC 2231, as + suggested by RFC 2388 Section 4.4. + + :param name: + The name of the parameter, a string expected to be ASCII only. + :param value: + The value of the parameter, provided as a unicode string. + """ + if not any(ch in value for ch in '"\\\r\n'): + result = '%s="%s"' % (name, value) + try: + result.encode('ascii') + except (UnicodeEncodeError, UnicodeDecodeError): + pass + else: + return result + if not six.PY3 and isinstance(value, six.text_type): # Python 2: + value = value.encode('utf-8') + value = email.utils.encode_rfc2231(value, 'utf-8') + value = '%s*=%s' % (name, value) + return value + + +class RequestField(object): + """ + A data container for request body parameters. + + :param name: + The name of this request field. + :param data: + The data/value body. + :param filename: + An optional filename of the request field. + :param headers: + An optional dict-like object of headers to initially use for the field. + """ + def __init__(self, name, data, filename=None, headers=None): + self._name = name + self._filename = filename + self.data = data + self.headers = {} + if headers: + self.headers = dict(headers) + + @classmethod + def from_tuples(cls, fieldname, value): + """ + A :class:`~urllib3.fields.RequestField` factory from old-style tuple parameters. + + Supports constructing :class:`~urllib3.fields.RequestField` from + parameter of key/value strings AND key/filetuple. A filetuple is a + (filename, data, MIME type) tuple where the MIME type is optional. + For example:: + + 'foo': 'bar', + 'fakefile': ('foofile.txt', 'contents of foofile'), + 'realfile': ('barfile.txt', open('realfile').read()), + 'typedfile': ('bazfile.bin', open('bazfile').read(), 'image/jpeg'), + 'nonamefile': 'contents of nonamefile field', + + Field names and filenames must be unicode. + """ + if isinstance(value, tuple): + if len(value) == 3: + filename, data, content_type = value + else: + filename, data = value + content_type = guess_content_type(filename) + else: + filename = None + content_type = None + data = value + + request_param = cls(fieldname, data, filename=filename) + request_param.make_multipart(content_type=content_type) + + return request_param + + def _render_part(self, name, value): + """ + Overridable helper function to format a single header parameter. + + :param name: + The name of the parameter, a string expected to be ASCII only. + :param value: + The value of the parameter, provided as a unicode string. + """ + return format_header_param(name, value) + + def _render_parts(self, header_parts): + """ + Helper function to format and quote a single header. + + Useful for single headers that are composed of multiple items. E.g., + 'Content-Disposition' fields. + + :param header_parts: + A sequence of (k, v) tuples or a :class:`dict` of (k, v) to format + as `k1="v1"; k2="v2"; ...`. + """ + parts = [] + iterable = header_parts + if isinstance(header_parts, dict): + iterable = header_parts.items() + + for name, value in iterable: + if value is not None: + parts.append(self._render_part(name, value)) + + return '; '.join(parts) + + def render_headers(self): + """ + Renders the headers for this request field. + """ + lines = [] + + sort_keys = ['Content-Disposition', 'Content-Type', 'Content-Location'] + for sort_key in sort_keys: + if self.headers.get(sort_key, False): + lines.append('%s: %s' % (sort_key, self.headers[sort_key])) + + for header_name, header_value in self.headers.items(): + if header_name not in sort_keys: + if header_value: + lines.append('%s: %s' % (header_name, header_value)) + + lines.append('\r\n') + return '\r\n'.join(lines) + + def make_multipart(self, content_disposition=None, content_type=None, + content_location=None): + """ + Makes this request field into a multipart request field. + + This method overrides "Content-Disposition", "Content-Type" and + "Content-Location" headers to the request parameter. + + :param content_type: + The 'Content-Type' of the request body. + :param content_location: + The 'Content-Location' of the request body. + + """ + self.headers['Content-Disposition'] = content_disposition or 'form-data' + self.headers['Content-Disposition'] += '; '.join([ + '', self._render_parts( + (('name', self._name), ('filename', self._filename)) + ) + ]) + self.headers['Content-Type'] = content_type + self.headers['Content-Location'] = content_location diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/filepost.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/filepost.py new file mode 100644 index 0000000..78f1e19 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/filepost.py @@ -0,0 +1,98 @@ +from __future__ import absolute_import +import binascii +import codecs +import os + +from io import BytesIO + +from .packages import six +from .packages.six import b +from .fields import RequestField + +writer = codecs.lookup('utf-8')[3] + + +def choose_boundary(): + """ + Our embarrassingly-simple replacement for mimetools.choose_boundary. + """ + boundary = binascii.hexlify(os.urandom(16)) + if six.PY3: + boundary = boundary.decode('ascii') + return boundary + + +def iter_field_objects(fields): + """ + Iterate over fields. + + Supports list of (k, v) tuples and dicts, and lists of + :class:`~urllib3.fields.RequestField`. + + """ + if isinstance(fields, dict): + i = six.iteritems(fields) + else: + i = iter(fields) + + for field in i: + if isinstance(field, RequestField): + yield field + else: + yield RequestField.from_tuples(*field) + + +def iter_fields(fields): + """ + .. deprecated:: 1.6 + + Iterate over fields. + + The addition of :class:`~urllib3.fields.RequestField` makes this function + obsolete. Instead, use :func:`iter_field_objects`, which returns + :class:`~urllib3.fields.RequestField` objects. + + Supports list of (k, v) tuples and dicts. + """ + if isinstance(fields, dict): + return ((k, v) for k, v in six.iteritems(fields)) + + return ((k, v) for k, v in fields) + + +def encode_multipart_formdata(fields, boundary=None): + """ + Encode a dictionary of ``fields`` using the multipart/form-data MIME format. + + :param fields: + Dictionary of fields or list of (key, :class:`~urllib3.fields.RequestField`). + + :param boundary: + If not specified, then a random boundary will be generated using + :func:`urllib3.filepost.choose_boundary`. + """ + body = BytesIO() + if boundary is None: + boundary = choose_boundary() + + for field in iter_field_objects(fields): + body.write(b('--%s\r\n' % (boundary))) + + writer(body).write(field.render_headers()) + data = field.data + + if isinstance(data, int): + data = str(data) # Backwards compatibility + + if isinstance(data, six.text_type): + writer(body).write(data) + else: + body.write(data) + + body.write(b'\r\n') + + body.write(b('--%s--\r\n' % (boundary))) + + content_type = str('multipart/form-data; boundary=%s' % boundary) + + return body.getvalue(), content_type diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/__init__.py new file mode 100644 index 0000000..170e974 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/__init__.py @@ -0,0 +1,5 @@ +from __future__ import absolute_import + +from . import ssl_match_hostname + +__all__ = ('ssl_match_hostname', ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/backports/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/backports/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/backports/makefile.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/backports/makefile.py new file mode 100644 index 0000000..740db37 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/backports/makefile.py @@ -0,0 +1,53 @@ +# -*- coding: utf-8 -*- +""" +backports.makefile +~~~~~~~~~~~~~~~~~~ + +Backports the Python 3 ``socket.makefile`` method for use with anything that +wants to create a "fake" socket object. +""" +import io + +from socket import SocketIO + + +def backport_makefile(self, mode="r", buffering=None, encoding=None, + errors=None, newline=None): + """ + Backport of ``socket.makefile`` from Python 3.5. + """ + if not set(mode) <= {"r", "w", "b"}: + raise ValueError( + "invalid mode %r (only r, w, b allowed)" % (mode,) + ) + writing = "w" in mode + reading = "r" in mode or not writing + assert reading or writing + binary = "b" in mode + rawmode = "" + if reading: + rawmode += "r" + if writing: + rawmode += "w" + raw = SocketIO(self, rawmode) + self._makefile_refs += 1 + if buffering is None: + buffering = -1 + if buffering < 0: + buffering = io.DEFAULT_BUFFER_SIZE + if buffering == 0: + if not binary: + raise ValueError("unbuffered streams must be binary") + return raw + if reading and writing: + buffer = io.BufferedRWPair(raw, raw, buffering) + elif reading: + buffer = io.BufferedReader(raw, buffering) + else: + assert writing + buffer = io.BufferedWriter(raw, buffering) + if binary: + return buffer + text = io.TextIOWrapper(buffer, encoding, errors, newline) + text.mode = mode + return text diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/six.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/six.py new file mode 100644 index 0000000..190c023 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/six.py @@ -0,0 +1,868 @@ +"""Utilities for writing code that runs on Python 2 and 3""" + +# Copyright (c) 2010-2015 Benjamin Peterson +# +# Permission is hereby granted, free of charge, to any person obtaining a copy +# of this software and associated documentation files (the "Software"), to deal +# in the Software without restriction, including without limitation the rights +# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +# copies of the Software, and to permit persons to whom the Software is +# furnished to do so, subject to the following conditions: +# +# The above copyright notice and this permission notice shall be included in all +# copies or substantial portions of the Software. +# +# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +# SOFTWARE. + +from __future__ import absolute_import + +import functools +import itertools +import operator +import sys +import types + +__author__ = "Benjamin Peterson <benjamin@python.org>" +__version__ = "1.10.0" + + +# Useful for very coarse version differentiation. +PY2 = sys.version_info[0] == 2 +PY3 = sys.version_info[0] == 3 +PY34 = sys.version_info[0:2] >= (3, 4) + +if PY3: + string_types = str, + integer_types = int, + class_types = type, + text_type = str + binary_type = bytes + + MAXSIZE = sys.maxsize +else: + string_types = basestring, + integer_types = (int, long) + class_types = (type, types.ClassType) + text_type = unicode + binary_type = str + + if sys.platform.startswith("java"): + # Jython always uses 32 bits. + MAXSIZE = int((1 << 31) - 1) + else: + # It's possible to have sizeof(long) != sizeof(Py_ssize_t). + class X(object): + + def __len__(self): + return 1 << 31 + try: + len(X()) + except OverflowError: + # 32-bit + MAXSIZE = int((1 << 31) - 1) + else: + # 64-bit + MAXSIZE = int((1 << 63) - 1) + del X + + +def _add_doc(func, doc): + """Add documentation to a function.""" + func.__doc__ = doc + + +def _import_module(name): + """Import module, returning the module after the last dot.""" + __import__(name) + return sys.modules[name] + + +class _LazyDescr(object): + + def __init__(self, name): + self.name = name + + def __get__(self, obj, tp): + result = self._resolve() + setattr(obj, self.name, result) # Invokes __set__. + try: + # This is a bit ugly, but it avoids running this again by + # removing this descriptor. + delattr(obj.__class__, self.name) + except AttributeError: + pass + return result + + +class MovedModule(_LazyDescr): + + def __init__(self, name, old, new=None): + super(MovedModule, self).__init__(name) + if PY3: + if new is None: + new = name + self.mod = new + else: + self.mod = old + + def _resolve(self): + return _import_module(self.mod) + + def __getattr__(self, attr): + _module = self._resolve() + value = getattr(_module, attr) + setattr(self, attr, value) + return value + + +class _LazyModule(types.ModuleType): + + def __init__(self, name): + super(_LazyModule, self).__init__(name) + self.__doc__ = self.__class__.__doc__ + + def __dir__(self): + attrs = ["__doc__", "__name__"] + attrs += [attr.name for attr in self._moved_attributes] + return attrs + + # Subclasses should override this + _moved_attributes = [] + + +class MovedAttribute(_LazyDescr): + + def __init__(self, name, old_mod, new_mod, old_attr=None, new_attr=None): + super(MovedAttribute, self).__init__(name) + if PY3: + if new_mod is None: + new_mod = name + self.mod = new_mod + if new_attr is None: + if old_attr is None: + new_attr = name + else: + new_attr = old_attr + self.attr = new_attr + else: + self.mod = old_mod + if old_attr is None: + old_attr = name + self.attr = old_attr + + def _resolve(self): + module = _import_module(self.mod) + return getattr(module, self.attr) + + +class _SixMetaPathImporter(object): + + """ + A meta path importer to import six.moves and its submodules. + + This class implements a PEP302 finder and loader. It should be compatible + with Python 2.5 and all existing versions of Python3 + """ + + def __init__(self, six_module_name): + self.name = six_module_name + self.known_modules = {} + + def _add_module(self, mod, *fullnames): + for fullname in fullnames: + self.known_modules[self.name + "." + fullname] = mod + + def _get_module(self, fullname): + return self.known_modules[self.name + "." + fullname] + + def find_module(self, fullname, path=None): + if fullname in self.known_modules: + return self + return None + + def __get_module(self, fullname): + try: + return self.known_modules[fullname] + except KeyError: + raise ImportError("This loader does not know module " + fullname) + + def load_module(self, fullname): + try: + # in case of a reload + return sys.modules[fullname] + except KeyError: + pass + mod = self.__get_module(fullname) + if isinstance(mod, MovedModule): + mod = mod._resolve() + else: + mod.__loader__ = self + sys.modules[fullname] = mod + return mod + + def is_package(self, fullname): + """ + Return true, if the named module is a package. + + We need this method to get correct spec objects with + Python 3.4 (see PEP451) + """ + return hasattr(self.__get_module(fullname), "__path__") + + def get_code(self, fullname): + """Return None + + Required, if is_package is implemented""" + self.__get_module(fullname) # eventually raises ImportError + return None + get_source = get_code # same as get_code + +_importer = _SixMetaPathImporter(__name__) + + +class _MovedItems(_LazyModule): + + """Lazy loading of moved objects""" + __path__ = [] # mark as package + + +_moved_attributes = [ + MovedAttribute("cStringIO", "cStringIO", "io", "StringIO"), + MovedAttribute("filter", "itertools", "builtins", "ifilter", "filter"), + MovedAttribute("filterfalse", "itertools", "itertools", "ifilterfalse", "filterfalse"), + MovedAttribute("input", "__builtin__", "builtins", "raw_input", "input"), + MovedAttribute("intern", "__builtin__", "sys"), + MovedAttribute("map", "itertools", "builtins", "imap", "map"), + MovedAttribute("getcwd", "os", "os", "getcwdu", "getcwd"), + MovedAttribute("getcwdb", "os", "os", "getcwd", "getcwdb"), + MovedAttribute("range", "__builtin__", "builtins", "xrange", "range"), + MovedAttribute("reload_module", "__builtin__", "importlib" if PY34 else "imp", "reload"), + MovedAttribute("reduce", "__builtin__", "functools"), + MovedAttribute("shlex_quote", "pipes", "shlex", "quote"), + MovedAttribute("StringIO", "StringIO", "io"), + MovedAttribute("UserDict", "UserDict", "collections"), + MovedAttribute("UserList", "UserList", "collections"), + MovedAttribute("UserString", "UserString", "collections"), + MovedAttribute("xrange", "__builtin__", "builtins", "xrange", "range"), + MovedAttribute("zip", "itertools", "builtins", "izip", "zip"), + MovedAttribute("zip_longest", "itertools", "itertools", "izip_longest", "zip_longest"), + MovedModule("builtins", "__builtin__"), + MovedModule("configparser", "ConfigParser"), + MovedModule("copyreg", "copy_reg"), + MovedModule("dbm_gnu", "gdbm", "dbm.gnu"), + MovedModule("_dummy_thread", "dummy_thread", "_dummy_thread"), + MovedModule("http_cookiejar", "cookielib", "http.cookiejar"), + MovedModule("http_cookies", "Cookie", "http.cookies"), + MovedModule("html_entities", "htmlentitydefs", "html.entities"), + MovedModule("html_parser", "HTMLParser", "html.parser"), + MovedModule("http_client", "httplib", "http.client"), + MovedModule("email_mime_multipart", "email.MIMEMultipart", "email.mime.multipart"), + MovedModule("email_mime_nonmultipart", "email.MIMENonMultipart", "email.mime.nonmultipart"), + MovedModule("email_mime_text", "email.MIMEText", "email.mime.text"), + MovedModule("email_mime_base", "email.MIMEBase", "email.mime.base"), + MovedModule("BaseHTTPServer", "BaseHTTPServer", "http.server"), + MovedModule("CGIHTTPServer", "CGIHTTPServer", "http.server"), + MovedModule("SimpleHTTPServer", "SimpleHTTPServer", "http.server"), + MovedModule("cPickle", "cPickle", "pickle"), + MovedModule("queue", "Queue"), + MovedModule("reprlib", "repr"), + MovedModule("socketserver", "SocketServer"), + MovedModule("_thread", "thread", "_thread"), + MovedModule("tkinter", "Tkinter"), + MovedModule("tkinter_dialog", "Dialog", "tkinter.dialog"), + MovedModule("tkinter_filedialog", "FileDialog", "tkinter.filedialog"), + MovedModule("tkinter_scrolledtext", "ScrolledText", "tkinter.scrolledtext"), + MovedModule("tkinter_simpledialog", "SimpleDialog", "tkinter.simpledialog"), + MovedModule("tkinter_tix", "Tix", "tkinter.tix"), + MovedModule("tkinter_ttk", "ttk", "tkinter.ttk"), + MovedModule("tkinter_constants", "Tkconstants", "tkinter.constants"), + MovedModule("tkinter_dnd", "Tkdnd", "tkinter.dnd"), + MovedModule("tkinter_colorchooser", "tkColorChooser", + "tkinter.colorchooser"), + MovedModule("tkinter_commondialog", "tkCommonDialog", + "tkinter.commondialog"), + MovedModule("tkinter_tkfiledialog", "tkFileDialog", "tkinter.filedialog"), + MovedModule("tkinter_font", "tkFont", "tkinter.font"), + MovedModule("tkinter_messagebox", "tkMessageBox", "tkinter.messagebox"), + MovedModule("tkinter_tksimpledialog", "tkSimpleDialog", + "tkinter.simpledialog"), + MovedModule("urllib_parse", __name__ + ".moves.urllib_parse", "urllib.parse"), + MovedModule("urllib_error", __name__ + ".moves.urllib_error", "urllib.error"), + MovedModule("urllib", __name__ + ".moves.urllib", __name__ + ".moves.urllib"), + MovedModule("urllib_robotparser", "robotparser", "urllib.robotparser"), + MovedModule("xmlrpc_client", "xmlrpclib", "xmlrpc.client"), + MovedModule("xmlrpc_server", "SimpleXMLRPCServer", "xmlrpc.server"), +] +# Add windows specific modules. +if sys.platform == "win32": + _moved_attributes += [ + MovedModule("winreg", "_winreg"), + ] + +for attr in _moved_attributes: + setattr(_MovedItems, attr.name, attr) + if isinstance(attr, MovedModule): + _importer._add_module(attr, "moves." + attr.name) +del attr + +_MovedItems._moved_attributes = _moved_attributes + +moves = _MovedItems(__name__ + ".moves") +_importer._add_module(moves, "moves") + + +class Module_six_moves_urllib_parse(_LazyModule): + + """Lazy loading of moved objects in six.moves.urllib_parse""" + + +_urllib_parse_moved_attributes = [ + MovedAttribute("ParseResult", "urlparse", "urllib.parse"), + MovedAttribute("SplitResult", "urlparse", "urllib.parse"), + MovedAttribute("parse_qs", "urlparse", "urllib.parse"), + MovedAttribute("parse_qsl", "urlparse", "urllib.parse"), + MovedAttribute("urldefrag", "urlparse", "urllib.parse"), + MovedAttribute("urljoin", "urlparse", "urllib.parse"), + MovedAttribute("urlparse", "urlparse", "urllib.parse"), + MovedAttribute("urlsplit", "urlparse", "urllib.parse"), + MovedAttribute("urlunparse", "urlparse", "urllib.parse"), + MovedAttribute("urlunsplit", "urlparse", "urllib.parse"), + MovedAttribute("quote", "urllib", "urllib.parse"), + MovedAttribute("quote_plus", "urllib", "urllib.parse"), + MovedAttribute("unquote", "urllib", "urllib.parse"), + MovedAttribute("unquote_plus", "urllib", "urllib.parse"), + MovedAttribute("urlencode", "urllib", "urllib.parse"), + MovedAttribute("splitquery", "urllib", "urllib.parse"), + MovedAttribute("splittag", "urllib", "urllib.parse"), + MovedAttribute("splituser", "urllib", "urllib.parse"), + MovedAttribute("uses_fragment", "urlparse", "urllib.parse"), + MovedAttribute("uses_netloc", "urlparse", "urllib.parse"), + MovedAttribute("uses_params", "urlparse", "urllib.parse"), + MovedAttribute("uses_query", "urlparse", "urllib.parse"), + MovedAttribute("uses_relative", "urlparse", "urllib.parse"), +] +for attr in _urllib_parse_moved_attributes: + setattr(Module_six_moves_urllib_parse, attr.name, attr) +del attr + +Module_six_moves_urllib_parse._moved_attributes = _urllib_parse_moved_attributes + +_importer._add_module(Module_six_moves_urllib_parse(__name__ + ".moves.urllib_parse"), + "moves.urllib_parse", "moves.urllib.parse") + + +class Module_six_moves_urllib_error(_LazyModule): + + """Lazy loading of moved objects in six.moves.urllib_error""" + + +_urllib_error_moved_attributes = [ + MovedAttribute("URLError", "urllib2", "urllib.error"), + MovedAttribute("HTTPError", "urllib2", "urllib.error"), + MovedAttribute("ContentTooShortError", "urllib", "urllib.error"), +] +for attr in _urllib_error_moved_attributes: + setattr(Module_six_moves_urllib_error, attr.name, attr) +del attr + +Module_six_moves_urllib_error._moved_attributes = _urllib_error_moved_attributes + +_importer._add_module(Module_six_moves_urllib_error(__name__ + ".moves.urllib.error"), + "moves.urllib_error", "moves.urllib.error") + + +class Module_six_moves_urllib_request(_LazyModule): + + """Lazy loading of moved objects in six.moves.urllib_request""" + + +_urllib_request_moved_attributes = [ + MovedAttribute("urlopen", "urllib2", "urllib.request"), + MovedAttribute("install_opener", "urllib2", "urllib.request"), + MovedAttribute("build_opener", "urllib2", "urllib.request"), + MovedAttribute("pathname2url", "urllib", "urllib.request"), + MovedAttribute("url2pathname", "urllib", "urllib.request"), + MovedAttribute("getproxies", "urllib", "urllib.request"), + MovedAttribute("Request", "urllib2", "urllib.request"), + MovedAttribute("OpenerDirector", "urllib2", "urllib.request"), + MovedAttribute("HTTPDefaultErrorHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPRedirectHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPCookieProcessor", "urllib2", "urllib.request"), + MovedAttribute("ProxyHandler", "urllib2", "urllib.request"), + MovedAttribute("BaseHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPPasswordMgr", "urllib2", "urllib.request"), + MovedAttribute("HTTPPasswordMgrWithDefaultRealm", "urllib2", "urllib.request"), + MovedAttribute("AbstractBasicAuthHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPBasicAuthHandler", "urllib2", "urllib.request"), + MovedAttribute("ProxyBasicAuthHandler", "urllib2", "urllib.request"), + MovedAttribute("AbstractDigestAuthHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPDigestAuthHandler", "urllib2", "urllib.request"), + MovedAttribute("ProxyDigestAuthHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPSHandler", "urllib2", "urllib.request"), + MovedAttribute("FileHandler", "urllib2", "urllib.request"), + MovedAttribute("FTPHandler", "urllib2", "urllib.request"), + MovedAttribute("CacheFTPHandler", "urllib2", "urllib.request"), + MovedAttribute("UnknownHandler", "urllib2", "urllib.request"), + MovedAttribute("HTTPErrorProcessor", "urllib2", "urllib.request"), + MovedAttribute("urlretrieve", "urllib", "urllib.request"), + MovedAttribute("urlcleanup", "urllib", "urllib.request"), + MovedAttribute("URLopener", "urllib", "urllib.request"), + MovedAttribute("FancyURLopener", "urllib", "urllib.request"), + MovedAttribute("proxy_bypass", "urllib", "urllib.request"), +] +for attr in _urllib_request_moved_attributes: + setattr(Module_six_moves_urllib_request, attr.name, attr) +del attr + +Module_six_moves_urllib_request._moved_attributes = _urllib_request_moved_attributes + +_importer._add_module(Module_six_moves_urllib_request(__name__ + ".moves.urllib.request"), + "moves.urllib_request", "moves.urllib.request") + + +class Module_six_moves_urllib_response(_LazyModule): + + """Lazy loading of moved objects in six.moves.urllib_response""" + + +_urllib_response_moved_attributes = [ + MovedAttribute("addbase", "urllib", "urllib.response"), + MovedAttribute("addclosehook", "urllib", "urllib.response"), + MovedAttribute("addinfo", "urllib", "urllib.response"), + MovedAttribute("addinfourl", "urllib", "urllib.response"), +] +for attr in _urllib_response_moved_attributes: + setattr(Module_six_moves_urllib_response, attr.name, attr) +del attr + +Module_six_moves_urllib_response._moved_attributes = _urllib_response_moved_attributes + +_importer._add_module(Module_six_moves_urllib_response(__name__ + ".moves.urllib.response"), + "moves.urllib_response", "moves.urllib.response") + + +class Module_six_moves_urllib_robotparser(_LazyModule): + + """Lazy loading of moved objects in six.moves.urllib_robotparser""" + + +_urllib_robotparser_moved_attributes = [ + MovedAttribute("RobotFileParser", "robotparser", "urllib.robotparser"), +] +for attr in _urllib_robotparser_moved_attributes: + setattr(Module_six_moves_urllib_robotparser, attr.name, attr) +del attr + +Module_six_moves_urllib_robotparser._moved_attributes = _urllib_robotparser_moved_attributes + +_importer._add_module(Module_six_moves_urllib_robotparser(__name__ + ".moves.urllib.robotparser"), + "moves.urllib_robotparser", "moves.urllib.robotparser") + + +class Module_six_moves_urllib(types.ModuleType): + + """Create a six.moves.urllib namespace that resembles the Python 3 namespace""" + __path__ = [] # mark as package + parse = _importer._get_module("moves.urllib_parse") + error = _importer._get_module("moves.urllib_error") + request = _importer._get_module("moves.urllib_request") + response = _importer._get_module("moves.urllib_response") + robotparser = _importer._get_module("moves.urllib_robotparser") + + def __dir__(self): + return ['parse', 'error', 'request', 'response', 'robotparser'] + +_importer._add_module(Module_six_moves_urllib(__name__ + ".moves.urllib"), + "moves.urllib") + + +def add_move(move): + """Add an item to six.moves.""" + setattr(_MovedItems, move.name, move) + + +def remove_move(name): + """Remove item from six.moves.""" + try: + delattr(_MovedItems, name) + except AttributeError: + try: + del moves.__dict__[name] + except KeyError: + raise AttributeError("no such move, %r" % (name,)) + + +if PY3: + _meth_func = "__func__" + _meth_self = "__self__" + + _func_closure = "__closure__" + _func_code = "__code__" + _func_defaults = "__defaults__" + _func_globals = "__globals__" +else: + _meth_func = "im_func" + _meth_self = "im_self" + + _func_closure = "func_closure" + _func_code = "func_code" + _func_defaults = "func_defaults" + _func_globals = "func_globals" + + +try: + advance_iterator = next +except NameError: + def advance_iterator(it): + return it.next() +next = advance_iterator + + +try: + callable = callable +except NameError: + def callable(obj): + return any("__call__" in klass.__dict__ for klass in type(obj).__mro__) + + +if PY3: + def get_unbound_function(unbound): + return unbound + + create_bound_method = types.MethodType + + def create_unbound_method(func, cls): + return func + + Iterator = object +else: + def get_unbound_function(unbound): + return unbound.im_func + + def create_bound_method(func, obj): + return types.MethodType(func, obj, obj.__class__) + + def create_unbound_method(func, cls): + return types.MethodType(func, None, cls) + + class Iterator(object): + + def next(self): + return type(self).__next__(self) + + callable = callable +_add_doc(get_unbound_function, + """Get the function out of a possibly unbound function""") + + +get_method_function = operator.attrgetter(_meth_func) +get_method_self = operator.attrgetter(_meth_self) +get_function_closure = operator.attrgetter(_func_closure) +get_function_code = operator.attrgetter(_func_code) +get_function_defaults = operator.attrgetter(_func_defaults) +get_function_globals = operator.attrgetter(_func_globals) + + +if PY3: + def iterkeys(d, **kw): + return iter(d.keys(**kw)) + + def itervalues(d, **kw): + return iter(d.values(**kw)) + + def iteritems(d, **kw): + return iter(d.items(**kw)) + + def iterlists(d, **kw): + return iter(d.lists(**kw)) + + viewkeys = operator.methodcaller("keys") + + viewvalues = operator.methodcaller("values") + + viewitems = operator.methodcaller("items") +else: + def iterkeys(d, **kw): + return d.iterkeys(**kw) + + def itervalues(d, **kw): + return d.itervalues(**kw) + + def iteritems(d, **kw): + return d.iteritems(**kw) + + def iterlists(d, **kw): + return d.iterlists(**kw) + + viewkeys = operator.methodcaller("viewkeys") + + viewvalues = operator.methodcaller("viewvalues") + + viewitems = operator.methodcaller("viewitems") + +_add_doc(iterkeys, "Return an iterator over the keys of a dictionary.") +_add_doc(itervalues, "Return an iterator over the values of a dictionary.") +_add_doc(iteritems, + "Return an iterator over the (key, value) pairs of a dictionary.") +_add_doc(iterlists, + "Return an iterator over the (key, [values]) pairs of a dictionary.") + + +if PY3: + def b(s): + return s.encode("latin-1") + + def u(s): + return s + unichr = chr + import struct + int2byte = struct.Struct(">B").pack + del struct + byte2int = operator.itemgetter(0) + indexbytes = operator.getitem + iterbytes = iter + import io + StringIO = io.StringIO + BytesIO = io.BytesIO + _assertCountEqual = "assertCountEqual" + if sys.version_info[1] <= 1: + _assertRaisesRegex = "assertRaisesRegexp" + _assertRegex = "assertRegexpMatches" + else: + _assertRaisesRegex = "assertRaisesRegex" + _assertRegex = "assertRegex" +else: + def b(s): + return s + # Workaround for standalone backslash + + def u(s): + return unicode(s.replace(r'\\', r'\\\\'), "unicode_escape") + unichr = unichr + int2byte = chr + + def byte2int(bs): + return ord(bs[0]) + + def indexbytes(buf, i): + return ord(buf[i]) + iterbytes = functools.partial(itertools.imap, ord) + import StringIO + StringIO = BytesIO = StringIO.StringIO + _assertCountEqual = "assertItemsEqual" + _assertRaisesRegex = "assertRaisesRegexp" + _assertRegex = "assertRegexpMatches" +_add_doc(b, """Byte literal""") +_add_doc(u, """Text literal""") + + +def assertCountEqual(self, *args, **kwargs): + return getattr(self, _assertCountEqual)(*args, **kwargs) + + +def assertRaisesRegex(self, *args, **kwargs): + return getattr(self, _assertRaisesRegex)(*args, **kwargs) + + +def assertRegex(self, *args, **kwargs): + return getattr(self, _assertRegex)(*args, **kwargs) + + +if PY3: + exec_ = getattr(moves.builtins, "exec") + + def reraise(tp, value, tb=None): + if value is None: + value = tp() + if value.__traceback__ is not tb: + raise value.with_traceback(tb) + raise value + +else: + def exec_(_code_, _globs_=None, _locs_=None): + """Execute code in a namespace.""" + if _globs_ is None: + frame = sys._getframe(1) + _globs_ = frame.f_globals + if _locs_ is None: + _locs_ = frame.f_locals + del frame + elif _locs_ is None: + _locs_ = _globs_ + exec("""exec _code_ in _globs_, _locs_""") + + exec_("""def reraise(tp, value, tb=None): + raise tp, value, tb +""") + + +if sys.version_info[:2] == (3, 2): + exec_("""def raise_from(value, from_value): + if from_value is None: + raise value + raise value from from_value +""") +elif sys.version_info[:2] > (3, 2): + exec_("""def raise_from(value, from_value): + raise value from from_value +""") +else: + def raise_from(value, from_value): + raise value + + +print_ = getattr(moves.builtins, "print", None) +if print_ is None: + def print_(*args, **kwargs): + """The new-style print function for Python 2.4 and 2.5.""" + fp = kwargs.pop("file", sys.stdout) + if fp is None: + return + + def write(data): + if not isinstance(data, basestring): + data = str(data) + # If the file has an encoding, encode unicode with it. + if (isinstance(fp, file) and + isinstance(data, unicode) and + fp.encoding is not None): + errors = getattr(fp, "errors", None) + if errors is None: + errors = "strict" + data = data.encode(fp.encoding, errors) + fp.write(data) + want_unicode = False + sep = kwargs.pop("sep", None) + if sep is not None: + if isinstance(sep, unicode): + want_unicode = True + elif not isinstance(sep, str): + raise TypeError("sep must be None or a string") + end = kwargs.pop("end", None) + if end is not None: + if isinstance(end, unicode): + want_unicode = True + elif not isinstance(end, str): + raise TypeError("end must be None or a string") + if kwargs: + raise TypeError("invalid keyword arguments to print()") + if not want_unicode: + for arg in args: + if isinstance(arg, unicode): + want_unicode = True + break + if want_unicode: + newline = unicode("\n") + space = unicode(" ") + else: + newline = "\n" + space = " " + if sep is None: + sep = space + if end is None: + end = newline + for i, arg in enumerate(args): + if i: + write(sep) + write(arg) + write(end) +if sys.version_info[:2] < (3, 3): + _print = print_ + + def print_(*args, **kwargs): + fp = kwargs.get("file", sys.stdout) + flush = kwargs.pop("flush", False) + _print(*args, **kwargs) + if flush and fp is not None: + fp.flush() + +_add_doc(reraise, """Reraise an exception.""") + +if sys.version_info[0:2] < (3, 4): + def wraps(wrapped, assigned=functools.WRAPPER_ASSIGNMENTS, + updated=functools.WRAPPER_UPDATES): + def wrapper(f): + f = functools.wraps(wrapped, assigned, updated)(f) + f.__wrapped__ = wrapped + return f + return wrapper +else: + wraps = functools.wraps + + +def with_metaclass(meta, *bases): + """Create a base class with a metaclass.""" + # This requires a bit of explanation: the basic idea is to make a dummy + # metaclass for one level of class instantiation that replaces itself with + # the actual metaclass. + class metaclass(meta): + + def __new__(cls, name, this_bases, d): + return meta(name, bases, d) + return type.__new__(metaclass, 'temporary_class', (), {}) + + +def add_metaclass(metaclass): + """Class decorator for creating a class with a metaclass.""" + def wrapper(cls): + orig_vars = cls.__dict__.copy() + slots = orig_vars.get('__slots__') + if slots is not None: + if isinstance(slots, str): + slots = [slots] + for slots_var in slots: + orig_vars.pop(slots_var) + orig_vars.pop('__dict__', None) + orig_vars.pop('__weakref__', None) + return metaclass(cls.__name__, cls.__bases__, orig_vars) + return wrapper + + +def python_2_unicode_compatible(klass): + """ + A decorator that defines __unicode__ and __str__ methods under Python 2. + Under Python 3 it does nothing. + + To support Python 2 and 3 with a single code base, define a __str__ method + returning text and apply this decorator to the class. + """ + if PY2: + if '__str__' not in klass.__dict__: + raise ValueError("@python_2_unicode_compatible cannot be applied " + "to %s because it doesn't define __str__()." % + klass.__name__) + klass.__unicode__ = klass.__str__ + klass.__str__ = lambda self: self.__unicode__().encode('utf-8') + return klass + + +# Complete the moves implementation. +# This code is at the end of this module to speed up module loading. +# Turn this module into a package. +__path__ = [] # required for PEP 302 and PEP 451 +__package__ = __name__ # see PEP 366 @ReservedAssignment +if globals().get("__spec__") is not None: + __spec__.submodule_search_locations = [] # PEP 451 @UndefinedVariable +# Remove other six meta path importers, since they cause problems. This can +# happen if six is removed from sys.modules and then reloaded. (Setuptools does +# this for some reason.) +if sys.meta_path: + for i, importer in enumerate(sys.meta_path): + # Here's some real nastiness: Another "instance" of the six module might + # be floating around. Therefore, we can't use isinstance() to check for + # the six meta path importer, since the other six instance will have + # inserted an importer with different class. + if (type(importer).__name__ == "_SixMetaPathImporter" and + importer.name == __name__): + del sys.meta_path[i] + break + del i, importer +# Finally, add the importer to the meta path import hook. +sys.meta_path.append(_importer) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py new file mode 100644 index 0000000..d6594eb --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py @@ -0,0 +1,19 @@ +import sys + +try: + # Our match_hostname function is the same as 3.5's, so we only want to + # import the match_hostname function if it's at least that good. + if sys.version_info < (3, 5): + raise ImportError("Fallback to vendored code") + + from ssl import CertificateError, match_hostname +except ImportError: + try: + # Backport of the function from a pypi module + from backports.ssl_match_hostname import CertificateError, match_hostname + except ImportError: + # Our vendored copy + from ._implementation import CertificateError, match_hostname + +# Not needed, but documenting what we provide. +__all__ = ('CertificateError', 'match_hostname') diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/_implementation.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/_implementation.py new file mode 100644 index 0000000..970cf65 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/_implementation.py @@ -0,0 +1,156 @@ +"""The match_hostname() function from Python 3.3.3, essential when using SSL.""" + +# Note: This file is under the PSF license as the code comes from the python +# stdlib. http://docs.python.org/3/license.html + +import re +import sys + +# ipaddress has been backported to 2.6+ in pypi. If it is installed on the +# system, use it to handle IPAddress ServerAltnames (this was added in +# python-3.5) otherwise only do DNS matching. This allows +# backports.ssl_match_hostname to continue to be used in Python 2.7. +try: + from pip._vendor import ipaddress +except ImportError: + ipaddress = None + +__version__ = '3.5.0.1' + + +class CertificateError(ValueError): + pass + + +def _dnsname_match(dn, hostname, max_wildcards=1): + """Matching according to RFC 6125, section 6.4.3 + + http://tools.ietf.org/html/rfc6125#section-6.4.3 + """ + pats = [] + if not dn: + return False + + # Ported from python3-syntax: + # leftmost, *remainder = dn.split(r'.') + parts = dn.split(r'.') + leftmost = parts[0] + remainder = parts[1:] + + wildcards = leftmost.count('*') + if wildcards > max_wildcards: + # Issue #17980: avoid denials of service by refusing more + # than one wildcard per fragment. A survey of established + # policy among SSL implementations showed it to be a + # reasonable choice. + raise CertificateError( + "too many wildcards in certificate DNS name: " + repr(dn)) + + # speed up common case w/o wildcards + if not wildcards: + return dn.lower() == hostname.lower() + + # RFC 6125, section 6.4.3, subitem 1. + # The client SHOULD NOT attempt to match a presented identifier in which + # the wildcard character comprises a label other than the left-most label. + if leftmost == '*': + # When '*' is a fragment by itself, it matches a non-empty dotless + # fragment. + pats.append('[^.]+') + elif leftmost.startswith('xn--') or hostname.startswith('xn--'): + # RFC 6125, section 6.4.3, subitem 3. + # The client SHOULD NOT attempt to match a presented identifier + # where the wildcard character is embedded within an A-label or + # U-label of an internationalized domain name. + pats.append(re.escape(leftmost)) + else: + # Otherwise, '*' matches any dotless string, e.g. www* + pats.append(re.escape(leftmost).replace(r'\*', '[^.]*')) + + # add the remaining fragments, ignore any wildcards + for frag in remainder: + pats.append(re.escape(frag)) + + pat = re.compile(r'\A' + r'\.'.join(pats) + r'\Z', re.IGNORECASE) + return pat.match(hostname) + + +def _to_unicode(obj): + if isinstance(obj, str) and sys.version_info < (3,): + obj = unicode(obj, encoding='ascii', errors='strict') + return obj + +def _ipaddress_match(ipname, host_ip): + """Exact matching of IP addresses. + + RFC 6125 explicitly doesn't define an algorithm for this + (section 1.7.2 - "Out of Scope"). + """ + # OpenSSL may add a trailing newline to a subjectAltName's IP address + # Divergence from upstream: ipaddress can't handle byte str + ip = ipaddress.ip_address(_to_unicode(ipname).rstrip()) + return ip == host_ip + + +def match_hostname(cert, hostname): + """Verify that *cert* (in decoded format as returned by + SSLSocket.getpeercert()) matches the *hostname*. RFC 2818 and RFC 6125 + rules are followed, but IP addresses are not accepted for *hostname*. + + CertificateError is raised on failure. On success, the function + returns nothing. + """ + if not cert: + raise ValueError("empty or no certificate, match_hostname needs a " + "SSL socket or SSL context with either " + "CERT_OPTIONAL or CERT_REQUIRED") + try: + # Divergence from upstream: ipaddress can't handle byte str + host_ip = ipaddress.ip_address(_to_unicode(hostname)) + except ValueError: + # Not an IP address (common case) + host_ip = None + except UnicodeError: + # Divergence from upstream: Have to deal with ipaddress not taking + # byte strings. addresses should be all ascii, so we consider it not + # an ipaddress in this case + host_ip = None + except AttributeError: + # Divergence from upstream: Make ipaddress library optional + if ipaddress is None: + host_ip = None + else: + raise + dnsnames = [] + san = cert.get('subjectAltName', ()) + for key, value in san: + if key == 'DNS': + if host_ip is None and _dnsname_match(value, hostname): + return + dnsnames.append(value) + elif key == 'IP Address': + if host_ip is not None and _ipaddress_match(value, host_ip): + return + dnsnames.append(value) + if not dnsnames: + # The subject is only checked when there is no dNSName entry + # in subjectAltName + for sub in cert.get('subject', ()): + for key, value in sub: + # XXX according to RFC 2818, the most specific Common Name + # must be used. + if key == 'commonName': + if _dnsname_match(value, hostname): + return + dnsnames.append(value) + if len(dnsnames) > 1: + raise CertificateError("hostname %r " + "doesn't match either of %s" + % (hostname, ', '.join(map(repr, dnsnames)))) + elif len(dnsnames) == 1: + raise CertificateError("hostname %r " + "doesn't match %r" + % (hostname, dnsnames[0])) + else: + raise CertificateError("no appropriate commonName or " + "subjectAltName fields were found") diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/poolmanager.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/poolmanager.py new file mode 100644 index 0000000..fe5491c --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/poolmanager.py @@ -0,0 +1,450 @@ +from __future__ import absolute_import +import collections +import functools +import logging + +from ._collections import RecentlyUsedContainer +from .connectionpool import HTTPConnectionPool, HTTPSConnectionPool +from .connectionpool import port_by_scheme +from .exceptions import LocationValueError, MaxRetryError, ProxySchemeUnknown +from .packages.six.moves.urllib.parse import urljoin +from .request import RequestMethods +from .util.url import parse_url +from .util.retry import Retry + + +__all__ = ['PoolManager', 'ProxyManager', 'proxy_from_url'] + + +log = logging.getLogger(__name__) + +SSL_KEYWORDS = ('key_file', 'cert_file', 'cert_reqs', 'ca_certs', + 'ssl_version', 'ca_cert_dir', 'ssl_context') + +# All known keyword arguments that could be provided to the pool manager, its +# pools, or the underlying connections. This is used to construct a pool key. +_key_fields = ( + 'key_scheme', # str + 'key_host', # str + 'key_port', # int + 'key_timeout', # int or float or Timeout + 'key_retries', # int or Retry + 'key_strict', # bool + 'key_block', # bool + 'key_source_address', # str + 'key_key_file', # str + 'key_cert_file', # str + 'key_cert_reqs', # str + 'key_ca_certs', # str + 'key_ssl_version', # str + 'key_ca_cert_dir', # str + 'key_ssl_context', # instance of ssl.SSLContext or urllib3.util.ssl_.SSLContext + 'key_maxsize', # int + 'key_headers', # dict + 'key__proxy', # parsed proxy url + 'key__proxy_headers', # dict + 'key_socket_options', # list of (level (int), optname (int), value (int or str)) tuples + 'key__socks_options', # dict + 'key_assert_hostname', # bool or string + 'key_assert_fingerprint', # str + 'key_server_hostname', #str +) + +#: The namedtuple class used to construct keys for the connection pool. +#: All custom key schemes should include the fields in this key at a minimum. +PoolKey = collections.namedtuple('PoolKey', _key_fields) + + +def _default_key_normalizer(key_class, request_context): + """ + Create a pool key out of a request context dictionary. + + According to RFC 3986, both the scheme and host are case-insensitive. + Therefore, this function normalizes both before constructing the pool + key for an HTTPS request. If you wish to change this behaviour, provide + alternate callables to ``key_fn_by_scheme``. + + :param key_class: + The class to use when constructing the key. This should be a namedtuple + with the ``scheme`` and ``host`` keys at a minimum. + :type key_class: namedtuple + :param request_context: + A dictionary-like object that contain the context for a request. + :type request_context: dict + + :return: A namedtuple that can be used as a connection pool key. + :rtype: PoolKey + """ + # Since we mutate the dictionary, make a copy first + context = request_context.copy() + context['scheme'] = context['scheme'].lower() + context['host'] = context['host'].lower() + + # These are both dictionaries and need to be transformed into frozensets + for key in ('headers', '_proxy_headers', '_socks_options'): + if key in context and context[key] is not None: + context[key] = frozenset(context[key].items()) + + # The socket_options key may be a list and needs to be transformed into a + # tuple. + socket_opts = context.get('socket_options') + if socket_opts is not None: + context['socket_options'] = tuple(socket_opts) + + # Map the kwargs to the names in the namedtuple - this is necessary since + # namedtuples can't have fields starting with '_'. + for key in list(context.keys()): + context['key_' + key] = context.pop(key) + + # Default to ``None`` for keys missing from the context + for field in key_class._fields: + if field not in context: + context[field] = None + + return key_class(**context) + + +#: A dictionary that maps a scheme to a callable that creates a pool key. +#: This can be used to alter the way pool keys are constructed, if desired. +#: Each PoolManager makes a copy of this dictionary so they can be configured +#: globally here, or individually on the instance. +key_fn_by_scheme = { + 'http': functools.partial(_default_key_normalizer, PoolKey), + 'https': functools.partial(_default_key_normalizer, PoolKey), +} + +pool_classes_by_scheme = { + 'http': HTTPConnectionPool, + 'https': HTTPSConnectionPool, +} + + +class PoolManager(RequestMethods): + """ + Allows for arbitrary requests while transparently keeping track of + necessary connection pools for you. + + :param num_pools: + Number of connection pools to cache before discarding the least + recently used pool. + + :param headers: + Headers to include with all requests, unless other headers are given + explicitly. + + :param \\**connection_pool_kw: + Additional parameters are used to create fresh + :class:`urllib3.connectionpool.ConnectionPool` instances. + + Example:: + + >>> manager = PoolManager(num_pools=2) + >>> r = manager.request('GET', 'http://google.com/') + >>> r = manager.request('GET', 'http://google.com/mail') + >>> r = manager.request('GET', 'http://yahoo.com/') + >>> len(manager.pools) + 2 + + """ + + proxy = None + + def __init__(self, num_pools=10, headers=None, **connection_pool_kw): + RequestMethods.__init__(self, headers) + self.connection_pool_kw = connection_pool_kw + self.pools = RecentlyUsedContainer(num_pools, + dispose_func=lambda p: p.close()) + + # Locally set the pool classes and keys so other PoolManagers can + # override them. + self.pool_classes_by_scheme = pool_classes_by_scheme + self.key_fn_by_scheme = key_fn_by_scheme.copy() + + def __enter__(self): + return self + + def __exit__(self, exc_type, exc_val, exc_tb): + self.clear() + # Return False to re-raise any potential exceptions + return False + + def _new_pool(self, scheme, host, port, request_context=None): + """ + Create a new :class:`ConnectionPool` based on host, port, scheme, and + any additional pool keyword arguments. + + If ``request_context`` is provided, it is provided as keyword arguments + to the pool class used. This method is used to actually create the + connection pools handed out by :meth:`connection_from_url` and + companion methods. It is intended to be overridden for customization. + """ + pool_cls = self.pool_classes_by_scheme[scheme] + if request_context is None: + request_context = self.connection_pool_kw.copy() + + # Although the context has everything necessary to create the pool, + # this function has historically only used the scheme, host, and port + # in the positional args. When an API change is acceptable these can + # be removed. + for key in ('scheme', 'host', 'port'): + request_context.pop(key, None) + + if scheme == 'http': + for kw in SSL_KEYWORDS: + request_context.pop(kw, None) + + return pool_cls(host, port, **request_context) + + def clear(self): + """ + Empty our store of pools and direct them all to close. + + This will not affect in-flight connections, but they will not be + re-used after completion. + """ + self.pools.clear() + + def connection_from_host(self, host, port=None, scheme='http', pool_kwargs=None): + """ + Get a :class:`ConnectionPool` based on the host, port, and scheme. + + If ``port`` isn't given, it will be derived from the ``scheme`` using + ``urllib3.connectionpool.port_by_scheme``. If ``pool_kwargs`` is + provided, it is merged with the instance's ``connection_pool_kw`` + variable and used to create the new connection pool, if one is + needed. + """ + + if not host: + raise LocationValueError("No host specified.") + + request_context = self._merge_pool_kwargs(pool_kwargs) + request_context['scheme'] = scheme or 'http' + if not port: + port = port_by_scheme.get(request_context['scheme'].lower(), 80) + request_context['port'] = port + request_context['host'] = host + + return self.connection_from_context(request_context) + + def connection_from_context(self, request_context): + """ + Get a :class:`ConnectionPool` based on the request context. + + ``request_context`` must at least contain the ``scheme`` key and its + value must be a key in ``key_fn_by_scheme`` instance variable. + """ + scheme = request_context['scheme'].lower() + pool_key_constructor = self.key_fn_by_scheme[scheme] + pool_key = pool_key_constructor(request_context) + + return self.connection_from_pool_key(pool_key, request_context=request_context) + + def connection_from_pool_key(self, pool_key, request_context=None): + """ + Get a :class:`ConnectionPool` based on the provided pool key. + + ``pool_key`` should be a namedtuple that only contains immutable + objects. At a minimum it must have the ``scheme``, ``host``, and + ``port`` fields. + """ + with self.pools.lock: + # If the scheme, host, or port doesn't match existing open + # connections, open a new ConnectionPool. + pool = self.pools.get(pool_key) + if pool: + return pool + + # Make a fresh ConnectionPool of the desired type + scheme = request_context['scheme'] + host = request_context['host'] + port = request_context['port'] + pool = self._new_pool(scheme, host, port, request_context=request_context) + self.pools[pool_key] = pool + + return pool + + def connection_from_url(self, url, pool_kwargs=None): + """ + Similar to :func:`urllib3.connectionpool.connection_from_url`. + + If ``pool_kwargs`` is not provided and a new pool needs to be + constructed, ``self.connection_pool_kw`` is used to initialize + the :class:`urllib3.connectionpool.ConnectionPool`. If ``pool_kwargs`` + is provided, it is used instead. Note that if a new pool does not + need to be created for the request, the provided ``pool_kwargs`` are + not used. + """ + u = parse_url(url) + return self.connection_from_host(u.host, port=u.port, scheme=u.scheme, + pool_kwargs=pool_kwargs) + + def _merge_pool_kwargs(self, override): + """ + Merge a dictionary of override values for self.connection_pool_kw. + + This does not modify self.connection_pool_kw and returns a new dict. + Any keys in the override dictionary with a value of ``None`` are + removed from the merged dictionary. + """ + base_pool_kwargs = self.connection_pool_kw.copy() + if override: + for key, value in override.items(): + if value is None: + try: + del base_pool_kwargs[key] + except KeyError: + pass + else: + base_pool_kwargs[key] = value + return base_pool_kwargs + + def urlopen(self, method, url, redirect=True, **kw): + """ + Same as :meth:`urllib3.connectionpool.HTTPConnectionPool.urlopen` + with custom cross-host redirect logic and only sends the request-uri + portion of the ``url``. + + The given ``url`` parameter must be absolute, such that an appropriate + :class:`urllib3.connectionpool.ConnectionPool` can be chosen for it. + """ + u = parse_url(url) + conn = self.connection_from_host(u.host, port=u.port, scheme=u.scheme) + + kw['assert_same_host'] = False + kw['redirect'] = False + + if 'headers' not in kw: + kw['headers'] = self.headers.copy() + + if self.proxy is not None and u.scheme == "http": + response = conn.urlopen(method, url, **kw) + else: + response = conn.urlopen(method, u.request_uri, **kw) + + redirect_location = redirect and response.get_redirect_location() + if not redirect_location: + return response + + # Support relative URLs for redirecting. + redirect_location = urljoin(url, redirect_location) + + # RFC 7231, Section 6.4.4 + if response.status == 303: + method = 'GET' + + retries = kw.get('retries') + if not isinstance(retries, Retry): + retries = Retry.from_int(retries, redirect=redirect) + + # Strip headers marked as unsafe to forward to the redirected location. + # Check remove_headers_on_redirect to avoid a potential network call within + # conn.is_same_host() which may use socket.gethostbyname() in the future. + if (retries.remove_headers_on_redirect + and not conn.is_same_host(redirect_location)): + for header in retries.remove_headers_on_redirect: + kw['headers'].pop(header, None) + + try: + retries = retries.increment(method, url, response=response, _pool=conn) + except MaxRetryError: + if retries.raise_on_redirect: + raise + return response + + kw['retries'] = retries + kw['redirect'] = redirect + + log.info("Redirecting %s -> %s", url, redirect_location) + return self.urlopen(method, redirect_location, **kw) + + +class ProxyManager(PoolManager): + """ + Behaves just like :class:`PoolManager`, but sends all requests through + the defined proxy, using the CONNECT method for HTTPS URLs. + + :param proxy_url: + The URL of the proxy to be used. + + :param proxy_headers: + A dictionary containing headers that will be sent to the proxy. In case + of HTTP they are being sent with each request, while in the + HTTPS/CONNECT case they are sent only once. Could be used for proxy + authentication. + + Example: + >>> proxy = urllib3.ProxyManager('http://localhost:3128/') + >>> r1 = proxy.request('GET', 'http://google.com/') + >>> r2 = proxy.request('GET', 'http://httpbin.org/') + >>> len(proxy.pools) + 1 + >>> r3 = proxy.request('GET', 'https://httpbin.org/') + >>> r4 = proxy.request('GET', 'https://twitter.com/') + >>> len(proxy.pools) + 3 + + """ + + def __init__(self, proxy_url, num_pools=10, headers=None, + proxy_headers=None, **connection_pool_kw): + + if isinstance(proxy_url, HTTPConnectionPool): + proxy_url = '%s://%s:%i' % (proxy_url.scheme, proxy_url.host, + proxy_url.port) + proxy = parse_url(proxy_url) + if not proxy.port: + port = port_by_scheme.get(proxy.scheme, 80) + proxy = proxy._replace(port=port) + + if proxy.scheme not in ("http", "https"): + raise ProxySchemeUnknown(proxy.scheme) + + self.proxy = proxy + self.proxy_headers = proxy_headers or {} + + connection_pool_kw['_proxy'] = self.proxy + connection_pool_kw['_proxy_headers'] = self.proxy_headers + + super(ProxyManager, self).__init__( + num_pools, headers, **connection_pool_kw) + + def connection_from_host(self, host, port=None, scheme='http', pool_kwargs=None): + if scheme == "https": + return super(ProxyManager, self).connection_from_host( + host, port, scheme, pool_kwargs=pool_kwargs) + + return super(ProxyManager, self).connection_from_host( + self.proxy.host, self.proxy.port, self.proxy.scheme, pool_kwargs=pool_kwargs) + + def _set_proxy_headers(self, url, headers=None): + """ + Sets headers needed by proxies: specifically, the Accept and Host + headers. Only sets headers not provided by the user. + """ + headers_ = {'Accept': '*/*'} + + netloc = parse_url(url).netloc + if netloc: + headers_['Host'] = netloc + + if headers: + headers_.update(headers) + return headers_ + + def urlopen(self, method, url, redirect=True, **kw): + "Same as HTTP(S)ConnectionPool.urlopen, ``url`` must be absolute." + u = parse_url(url) + + if u.scheme == "http": + # For proxied HTTPS requests, httplib sets the necessary headers + # on the CONNECT to the proxy. For HTTP, we'll definitely + # need to set 'Host' at the very least. + headers = kw.get('headers', self.headers) + kw['headers'] = self._set_proxy_headers(url, headers) + + return super(ProxyManager, self).urlopen(method, url, redirect=redirect, **kw) + + +def proxy_from_url(url, **kw): + return ProxyManager(proxy_url=url, **kw) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/request.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/request.py new file mode 100644 index 0000000..8f2f44b --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/request.py @@ -0,0 +1,150 @@ +from __future__ import absolute_import + +from .filepost import encode_multipart_formdata +from .packages.six.moves.urllib.parse import urlencode + + +__all__ = ['RequestMethods'] + + +class RequestMethods(object): + """ + Convenience mixin for classes who implement a :meth:`urlopen` method, such + as :class:`~urllib3.connectionpool.HTTPConnectionPool` and + :class:`~urllib3.poolmanager.PoolManager`. + + Provides behavior for making common types of HTTP request methods and + decides which type of request field encoding to use. + + Specifically, + + :meth:`.request_encode_url` is for sending requests whose fields are + encoded in the URL (such as GET, HEAD, DELETE). + + :meth:`.request_encode_body` is for sending requests whose fields are + encoded in the *body* of the request using multipart or www-form-urlencoded + (such as for POST, PUT, PATCH). + + :meth:`.request` is for making any kind of request, it will look up the + appropriate encoding format and use one of the above two methods to make + the request. + + Initializer parameters: + + :param headers: + Headers to include with all requests, unless other headers are given + explicitly. + """ + + _encode_url_methods = {'DELETE', 'GET', 'HEAD', 'OPTIONS'} + + def __init__(self, headers=None): + self.headers = headers or {} + + def urlopen(self, method, url, body=None, headers=None, + encode_multipart=True, multipart_boundary=None, + **kw): # Abstract + raise NotImplementedError("Classes extending RequestMethods must implement " + "their own ``urlopen`` method.") + + def request(self, method, url, fields=None, headers=None, **urlopen_kw): + """ + Make a request using :meth:`urlopen` with the appropriate encoding of + ``fields`` based on the ``method`` used. + + This is a convenience method that requires the least amount of manual + effort. It can be used in most situations, while still having the + option to drop down to more specific methods when necessary, such as + :meth:`request_encode_url`, :meth:`request_encode_body`, + or even the lowest level :meth:`urlopen`. + """ + method = method.upper() + + urlopen_kw['request_url'] = url + + if method in self._encode_url_methods: + return self.request_encode_url(method, url, fields=fields, + headers=headers, + **urlopen_kw) + else: + return self.request_encode_body(method, url, fields=fields, + headers=headers, + **urlopen_kw) + + def request_encode_url(self, method, url, fields=None, headers=None, + **urlopen_kw): + """ + Make a request using :meth:`urlopen` with the ``fields`` encoded in + the url. This is useful for request methods like GET, HEAD, DELETE, etc. + """ + if headers is None: + headers = self.headers + + extra_kw = {'headers': headers} + extra_kw.update(urlopen_kw) + + if fields: + url += '?' + urlencode(fields) + + return self.urlopen(method, url, **extra_kw) + + def request_encode_body(self, method, url, fields=None, headers=None, + encode_multipart=True, multipart_boundary=None, + **urlopen_kw): + """ + Make a request using :meth:`urlopen` with the ``fields`` encoded in + the body. This is useful for request methods like POST, PUT, PATCH, etc. + + When ``encode_multipart=True`` (default), then + :meth:`urllib3.filepost.encode_multipart_formdata` is used to encode + the payload with the appropriate content type. Otherwise + :meth:`urllib.urlencode` is used with the + 'application/x-www-form-urlencoded' content type. + + Multipart encoding must be used when posting files, and it's reasonably + safe to use it in other times too. However, it may break request + signing, such as with OAuth. + + Supports an optional ``fields`` parameter of key/value strings AND + key/filetuple. A filetuple is a (filename, data, MIME type) tuple where + the MIME type is optional. For example:: + + fields = { + 'foo': 'bar', + 'fakefile': ('foofile.txt', 'contents of foofile'), + 'realfile': ('barfile.txt', open('realfile').read()), + 'typedfile': ('bazfile.bin', open('bazfile').read(), + 'image/jpeg'), + 'nonamefile': 'contents of nonamefile field', + } + + When uploading a file, providing a filename (the first parameter of the + tuple) is optional but recommended to best mimic behavior of browsers. + + Note that if ``headers`` are supplied, the 'Content-Type' header will + be overwritten because it depends on the dynamic random boundary string + which is used to compose the body of the request. The random boundary + string can be explicitly set with the ``multipart_boundary`` parameter. + """ + if headers is None: + headers = self.headers + + extra_kw = {'headers': {}} + + if fields: + if 'body' in urlopen_kw: + raise TypeError( + "request got values for both 'fields' and 'body', can only specify one.") + + if encode_multipart: + body, content_type = encode_multipart_formdata(fields, boundary=multipart_boundary) + else: + body, content_type = urlencode(fields), 'application/x-www-form-urlencoded' + + extra_kw['body'] = body + extra_kw['headers'] = {'Content-Type': content_type} + + extra_kw['headers'].update(headers) + extra_kw.update(urlopen_kw) + + return self.urlopen(method, url, **extra_kw) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/response.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/response.py new file mode 100644 index 0000000..c112690 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/response.py @@ -0,0 +1,705 @@ +from __future__ import absolute_import +from contextlib import contextmanager +import zlib +import io +import logging +from socket import timeout as SocketTimeout +from socket import error as SocketError + +from ._collections import HTTPHeaderDict +from .exceptions import ( + BodyNotHttplibCompatible, ProtocolError, DecodeError, ReadTimeoutError, + ResponseNotChunked, IncompleteRead, InvalidHeader +) +from .packages.six import string_types as basestring, PY3 +from .packages.six.moves import http_client as httplib +from .connection import HTTPException, BaseSSLError +from .util.response import is_fp_closed, is_response_to_head + +log = logging.getLogger(__name__) + + +class DeflateDecoder(object): + + def __init__(self): + self._first_try = True + self._data = b'' + self._obj = zlib.decompressobj() + + def __getattr__(self, name): + return getattr(self._obj, name) + + def decompress(self, data): + if not data: + return data + + if not self._first_try: + return self._obj.decompress(data) + + self._data += data + try: + decompressed = self._obj.decompress(data) + if decompressed: + self._first_try = False + self._data = None + return decompressed + except zlib.error: + self._first_try = False + self._obj = zlib.decompressobj(-zlib.MAX_WBITS) + try: + return self.decompress(self._data) + finally: + self._data = None + + +class GzipDecoderState(object): + + FIRST_MEMBER = 0 + OTHER_MEMBERS = 1 + SWALLOW_DATA = 2 + + +class GzipDecoder(object): + + def __init__(self): + self._obj = zlib.decompressobj(16 + zlib.MAX_WBITS) + self._state = GzipDecoderState.FIRST_MEMBER + + def __getattr__(self, name): + return getattr(self._obj, name) + + def decompress(self, data): + ret = bytearray() + if self._state == GzipDecoderState.SWALLOW_DATA or not data: + return bytes(ret) + while True: + try: + ret += self._obj.decompress(data) + except zlib.error: + previous_state = self._state + # Ignore data after the first error + self._state = GzipDecoderState.SWALLOW_DATA + if previous_state == GzipDecoderState.OTHER_MEMBERS: + # Allow trailing garbage acceptable in other gzip clients + return bytes(ret) + raise + data = self._obj.unused_data + if not data: + return bytes(ret) + self._state = GzipDecoderState.OTHER_MEMBERS + self._obj = zlib.decompressobj(16 + zlib.MAX_WBITS) + + +class MultiDecoder(object): + """ + From RFC7231: + If one or more encodings have been applied to a representation, the + sender that applied the encodings MUST generate a Content-Encoding + header field that lists the content codings in the order in which + they were applied. + """ + + def __init__(self, modes): + self._decoders = [_get_decoder(m.strip()) for m in modes.split(',')] + + def flush(self): + return self._decoders[0].flush() + + def decompress(self, data): + for d in reversed(self._decoders): + data = d.decompress(data) + return data + + +def _get_decoder(mode): + if ',' in mode: + return MultiDecoder(mode) + + if mode == 'gzip': + return GzipDecoder() + + return DeflateDecoder() + + +class HTTPResponse(io.IOBase): + """ + HTTP Response container. + + Backwards-compatible to httplib's HTTPResponse but the response ``body`` is + loaded and decoded on-demand when the ``data`` property is accessed. This + class is also compatible with the Python standard library's :mod:`io` + module, and can hence be treated as a readable object in the context of that + framework. + + Extra parameters for behaviour not present in httplib.HTTPResponse: + + :param preload_content: + If True, the response's body will be preloaded during construction. + + :param decode_content: + If True, will attempt to decode the body based on the + 'content-encoding' header. + + :param original_response: + When this HTTPResponse wrapper is generated from an httplib.HTTPResponse + object, it's convenient to include the original for debug purposes. It's + otherwise unused. + + :param retries: + The retries contains the last :class:`~urllib3.util.retry.Retry` that + was used during the request. + + :param enforce_content_length: + Enforce content length checking. Body returned by server must match + value of Content-Length header, if present. Otherwise, raise error. + """ + + CONTENT_DECODERS = ['gzip', 'deflate'] + REDIRECT_STATUSES = [301, 302, 303, 307, 308] + + def __init__(self, body='', headers=None, status=0, version=0, reason=None, + strict=0, preload_content=True, decode_content=True, + original_response=None, pool=None, connection=None, msg=None, + retries=None, enforce_content_length=False, + request_method=None, request_url=None): + + if isinstance(headers, HTTPHeaderDict): + self.headers = headers + else: + self.headers = HTTPHeaderDict(headers) + self.status = status + self.version = version + self.reason = reason + self.strict = strict + self.decode_content = decode_content + self.retries = retries + self.enforce_content_length = enforce_content_length + + self._decoder = None + self._body = None + self._fp = None + self._original_response = original_response + self._fp_bytes_read = 0 + self.msg = msg + self._request_url = request_url + + if body and isinstance(body, (basestring, bytes)): + self._body = body + + self._pool = pool + self._connection = connection + + if hasattr(body, 'read'): + self._fp = body + + # Are we using the chunked-style of transfer encoding? + self.chunked = False + self.chunk_left = None + tr_enc = self.headers.get('transfer-encoding', '').lower() + # Don't incur the penalty of creating a list and then discarding it + encodings = (enc.strip() for enc in tr_enc.split(",")) + if "chunked" in encodings: + self.chunked = True + + # Determine length of response + self.length_remaining = self._init_length(request_method) + + # If requested, preload the body. + if preload_content and not self._body: + self._body = self.read(decode_content=decode_content) + + def get_redirect_location(self): + """ + Should we redirect and where to? + + :returns: Truthy redirect location string if we got a redirect status + code and valid location. ``None`` if redirect status and no + location. ``False`` if not a redirect status code. + """ + if self.status in self.REDIRECT_STATUSES: + return self.headers.get('location') + + return False + + def release_conn(self): + if not self._pool or not self._connection: + return + + self._pool._put_conn(self._connection) + self._connection = None + + @property + def data(self): + # For backwords-compat with earlier urllib3 0.4 and earlier. + if self._body: + return self._body + + if self._fp: + return self.read(cache_content=True) + + @property + def connection(self): + return self._connection + + def isclosed(self): + return is_fp_closed(self._fp) + + def tell(self): + """ + Obtain the number of bytes pulled over the wire so far. May differ from + the amount of content returned by :meth:``HTTPResponse.read`` if bytes + are encoded on the wire (e.g, compressed). + """ + return self._fp_bytes_read + + def _init_length(self, request_method): + """ + Set initial length value for Response content if available. + """ + length = self.headers.get('content-length') + + if length is not None: + if self.chunked: + # This Response will fail with an IncompleteRead if it can't be + # received as chunked. This method falls back to attempt reading + # the response before raising an exception. + log.warning("Received response with both Content-Length and " + "Transfer-Encoding set. This is expressly forbidden " + "by RFC 7230 sec 3.3.2. Ignoring Content-Length and " + "attempting to process response as Transfer-Encoding: " + "chunked.") + return None + + try: + # RFC 7230 section 3.3.2 specifies multiple content lengths can + # be sent in a single Content-Length header + # (e.g. Content-Length: 42, 42). This line ensures the values + # are all valid ints and that as long as the `set` length is 1, + # all values are the same. Otherwise, the header is invalid. + lengths = set([int(val) for val in length.split(',')]) + if len(lengths) > 1: + raise InvalidHeader("Content-Length contained multiple " + "unmatching values (%s)" % length) + length = lengths.pop() + except ValueError: + length = None + else: + if length < 0: + length = None + + # Convert status to int for comparison + # In some cases, httplib returns a status of "_UNKNOWN" + try: + status = int(self.status) + except ValueError: + status = 0 + + # Check for responses that shouldn't include a body + if status in (204, 304) or 100 <= status < 200 or request_method == 'HEAD': + length = 0 + + return length + + def _init_decoder(self): + """ + Set-up the _decoder attribute if necessary. + """ + # Note: content-encoding value should be case-insensitive, per RFC 7230 + # Section 3.2 + content_encoding = self.headers.get('content-encoding', '').lower() + if self._decoder is None: + if content_encoding in self.CONTENT_DECODERS: + self._decoder = _get_decoder(content_encoding) + elif ',' in content_encoding: + encodings = [e.strip() for e in content_encoding.split(',') if e.strip() in self.CONTENT_DECODERS] + if len(encodings): + self._decoder = _get_decoder(content_encoding) + + def _decode(self, data, decode_content, flush_decoder): + """ + Decode the data passed in and potentially flush the decoder. + """ + try: + if decode_content and self._decoder: + data = self._decoder.decompress(data) + except (IOError, zlib.error) as e: + content_encoding = self.headers.get('content-encoding', '').lower() + raise DecodeError( + "Received response with content-encoding: %s, but " + "failed to decode it." % content_encoding, e) + + if flush_decoder and decode_content: + data += self._flush_decoder() + + return data + + def _flush_decoder(self): + """ + Flushes the decoder. Should only be called if the decoder is actually + being used. + """ + if self._decoder: + buf = self._decoder.decompress(b'') + return buf + self._decoder.flush() + + return b'' + + @contextmanager + def _error_catcher(self): + """ + Catch low-level python exceptions, instead re-raising urllib3 + variants, so that low-level exceptions are not leaked in the + high-level api. + + On exit, release the connection back to the pool. + """ + clean_exit = False + + try: + try: + yield + + except SocketTimeout: + # FIXME: Ideally we'd like to include the url in the ReadTimeoutError but + # there is yet no clean way to get at it from this context. + raise ReadTimeoutError(self._pool, None, 'Read timed out.') + + except BaseSSLError as e: + # FIXME: Is there a better way to differentiate between SSLErrors? + if 'read operation timed out' not in str(e): # Defensive: + # This shouldn't happen but just in case we're missing an edge + # case, let's avoid swallowing SSL errors. + raise + + raise ReadTimeoutError(self._pool, None, 'Read timed out.') + + except (HTTPException, SocketError) as e: + # This includes IncompleteRead. + raise ProtocolError('Connection broken: %r' % e, e) + + # If no exception is thrown, we should avoid cleaning up + # unnecessarily. + clean_exit = True + finally: + # If we didn't terminate cleanly, we need to throw away our + # connection. + if not clean_exit: + # The response may not be closed but we're not going to use it + # anymore so close it now to ensure that the connection is + # released back to the pool. + if self._original_response: + self._original_response.close() + + # Closing the response may not actually be sufficient to close + # everything, so if we have a hold of the connection close that + # too. + if self._connection: + self._connection.close() + + # If we hold the original response but it's closed now, we should + # return the connection back to the pool. + if self._original_response and self._original_response.isclosed(): + self.release_conn() + + def read(self, amt=None, decode_content=None, cache_content=False): + """ + Similar to :meth:`httplib.HTTPResponse.read`, but with two additional + parameters: ``decode_content`` and ``cache_content``. + + :param amt: + How much of the content to read. If specified, caching is skipped + because it doesn't make sense to cache partial content as the full + response. + + :param decode_content: + If True, will attempt to decode the body based on the + 'content-encoding' header. + + :param cache_content: + If True, will save the returned data such that the same result is + returned despite of the state of the underlying file object. This + is useful if you want the ``.data`` property to continue working + after having ``.read()`` the file object. (Overridden if ``amt`` is + set.) + """ + self._init_decoder() + if decode_content is None: + decode_content = self.decode_content + + if self._fp is None: + return + + flush_decoder = False + data = None + + with self._error_catcher(): + if amt is None: + # cStringIO doesn't like amt=None + data = self._fp.read() + flush_decoder = True + else: + cache_content = False + data = self._fp.read(amt) + if amt != 0 and not data: # Platform-specific: Buggy versions of Python. + # Close the connection when no data is returned + # + # This is redundant to what httplib/http.client _should_ + # already do. However, versions of python released before + # December 15, 2012 (http://bugs.python.org/issue16298) do + # not properly close the connection in all cases. There is + # no harm in redundantly calling close. + self._fp.close() + flush_decoder = True + if self.enforce_content_length and self.length_remaining not in (0, None): + # This is an edge case that httplib failed to cover due + # to concerns of backward compatibility. We're + # addressing it here to make sure IncompleteRead is + # raised during streaming, so all calls with incorrect + # Content-Length are caught. + raise IncompleteRead(self._fp_bytes_read, self.length_remaining) + + if data: + self._fp_bytes_read += len(data) + if self.length_remaining is not None: + self.length_remaining -= len(data) + + data = self._decode(data, decode_content, flush_decoder) + + if cache_content: + self._body = data + + return data + + def stream(self, amt=2**16, decode_content=None): + """ + A generator wrapper for the read() method. A call will block until + ``amt`` bytes have been read from the connection or until the + connection is closed. + + :param amt: + How much of the content to read. The generator will return up to + much data per iteration, but may return less. This is particularly + likely when using compressed data. However, the empty string will + never be returned. + + :param decode_content: + If True, will attempt to decode the body based on the + 'content-encoding' header. + """ + if self.chunked and self.supports_chunked_reads(): + for line in self.read_chunked(amt, decode_content=decode_content): + yield line + else: + while not is_fp_closed(self._fp): + data = self.read(amt=amt, decode_content=decode_content) + + if data: + yield data + + @classmethod + def from_httplib(ResponseCls, r, **response_kw): + """ + Given an :class:`httplib.HTTPResponse` instance ``r``, return a + corresponding :class:`urllib3.response.HTTPResponse` object. + + Remaining parameters are passed to the HTTPResponse constructor, along + with ``original_response=r``. + """ + headers = r.msg + + if not isinstance(headers, HTTPHeaderDict): + if PY3: # Python 3 + headers = HTTPHeaderDict(headers.items()) + else: # Python 2 + headers = HTTPHeaderDict.from_httplib(headers) + + # HTTPResponse objects in Python 3 don't have a .strict attribute + strict = getattr(r, 'strict', 0) + resp = ResponseCls(body=r, + headers=headers, + status=r.status, + version=r.version, + reason=r.reason, + strict=strict, + original_response=r, + **response_kw) + return resp + + # Backwards-compatibility methods for httplib.HTTPResponse + def getheaders(self): + return self.headers + + def getheader(self, name, default=None): + return self.headers.get(name, default) + + # Backwards compatibility for http.cookiejar + def info(self): + return self.headers + + # Overrides from io.IOBase + def close(self): + if not self.closed: + self._fp.close() + + if self._connection: + self._connection.close() + + @property + def closed(self): + if self._fp is None: + return True + elif hasattr(self._fp, 'isclosed'): + return self._fp.isclosed() + elif hasattr(self._fp, 'closed'): + return self._fp.closed + else: + return True + + def fileno(self): + if self._fp is None: + raise IOError("HTTPResponse has no file to get a fileno from") + elif hasattr(self._fp, "fileno"): + return self._fp.fileno() + else: + raise IOError("The file-like object this HTTPResponse is wrapped " + "around has no file descriptor") + + def flush(self): + if self._fp is not None and hasattr(self._fp, 'flush'): + return self._fp.flush() + + def readable(self): + # This method is required for `io` module compatibility. + return True + + def readinto(self, b): + # This method is required for `io` module compatibility. + temp = self.read(len(b)) + if len(temp) == 0: + return 0 + else: + b[:len(temp)] = temp + return len(temp) + + def supports_chunked_reads(self): + """ + Checks if the underlying file-like object looks like a + httplib.HTTPResponse object. We do this by testing for the fp + attribute. If it is present we assume it returns raw chunks as + processed by read_chunked(). + """ + return hasattr(self._fp, 'fp') + + def _update_chunk_length(self): + # First, we'll figure out length of a chunk and then + # we'll try to read it from socket. + if self.chunk_left is not None: + return + line = self._fp.fp.readline() + line = line.split(b';', 1)[0] + try: + self.chunk_left = int(line, 16) + except ValueError: + # Invalid chunked protocol response, abort. + self.close() + raise httplib.IncompleteRead(line) + + def _handle_chunk(self, amt): + returned_chunk = None + if amt is None: + chunk = self._fp._safe_read(self.chunk_left) + returned_chunk = chunk + self._fp._safe_read(2) # Toss the CRLF at the end of the chunk. + self.chunk_left = None + elif amt < self.chunk_left: + value = self._fp._safe_read(amt) + self.chunk_left = self.chunk_left - amt + returned_chunk = value + elif amt == self.chunk_left: + value = self._fp._safe_read(amt) + self._fp._safe_read(2) # Toss the CRLF at the end of the chunk. + self.chunk_left = None + returned_chunk = value + else: # amt > self.chunk_left + returned_chunk = self._fp._safe_read(self.chunk_left) + self._fp._safe_read(2) # Toss the CRLF at the end of the chunk. + self.chunk_left = None + return returned_chunk + + def read_chunked(self, amt=None, decode_content=None): + """ + Similar to :meth:`HTTPResponse.read`, but with an additional + parameter: ``decode_content``. + + :param amt: + How much of the content to read. If specified, caching is skipped + because it doesn't make sense to cache partial content as the full + response. + + :param decode_content: + If True, will attempt to decode the body based on the + 'content-encoding' header. + """ + self._init_decoder() + # FIXME: Rewrite this method and make it a class with a better structured logic. + if not self.chunked: + raise ResponseNotChunked( + "Response is not chunked. " + "Header 'transfer-encoding: chunked' is missing.") + if not self.supports_chunked_reads(): + raise BodyNotHttplibCompatible( + "Body should be httplib.HTTPResponse like. " + "It should have have an fp attribute which returns raw chunks.") + + with self._error_catcher(): + # Don't bother reading the body of a HEAD request. + if self._original_response and is_response_to_head(self._original_response): + self._original_response.close() + return + + # If a response is already read and closed + # then return immediately. + if self._fp.fp is None: + return + + while True: + self._update_chunk_length() + if self.chunk_left == 0: + break + chunk = self._handle_chunk(amt) + decoded = self._decode(chunk, decode_content=decode_content, + flush_decoder=False) + if decoded: + yield decoded + + if decode_content: + # On CPython and PyPy, we should never need to flush the + # decoder. However, on Jython we *might* need to, so + # lets defensively do it anyway. + decoded = self._flush_decoder() + if decoded: # Platform-specific: Jython. + yield decoded + + # Chunk content ends with \r\n: discard it. + while True: + line = self._fp.fp.readline() + if not line: + # Some sites may not end with '\r\n'. + break + if line == b'\r\n': + break + + # We read everything; close the "file". + if self._original_response: + self._original_response.close() + + def geturl(self): + """ + Returns the URL that was the source of this response. + If the request that generated this response redirected, this method + will return the final redirect location. + """ + if self.retries is not None and len(self.retries.history): + return self.retries.history[-1].redirect_location + else: + return self._request_url diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/__init__.py new file mode 100644 index 0000000..2f2770b --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/__init__.py @@ -0,0 +1,54 @@ +from __future__ import absolute_import +# For backwards compatibility, provide imports that used to be here. +from .connection import is_connection_dropped +from .request import make_headers +from .response import is_fp_closed +from .ssl_ import ( + SSLContext, + HAS_SNI, + IS_PYOPENSSL, + IS_SECURETRANSPORT, + assert_fingerprint, + resolve_cert_reqs, + resolve_ssl_version, + ssl_wrap_socket, +) +from .timeout import ( + current_time, + Timeout, +) + +from .retry import Retry +from .url import ( + get_host, + parse_url, + split_first, + Url, +) +from .wait import ( + wait_for_read, + wait_for_write +) + +__all__ = ( + 'HAS_SNI', + 'IS_PYOPENSSL', + 'IS_SECURETRANSPORT', + 'SSLContext', + 'Retry', + 'Timeout', + 'Url', + 'assert_fingerprint', + 'current_time', + 'is_connection_dropped', + 'is_fp_closed', + 'get_host', + 'parse_url', + 'make_headers', + 'resolve_cert_reqs', + 'resolve_ssl_version', + 'split_first', + 'ssl_wrap_socket', + 'wait_for_read', + 'wait_for_write' +) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/connection.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/connection.py new file mode 100644 index 0000000..5ad70b2 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/connection.py @@ -0,0 +1,134 @@ +from __future__ import absolute_import +import socket +from .wait import NoWayToWaitForSocketError, wait_for_read +from ..contrib import _appengine_environ + + +def is_connection_dropped(conn): # Platform-specific + """ + Returns True if the connection is dropped and should be closed. + + :param conn: + :class:`httplib.HTTPConnection` object. + + Note: For platforms like AppEngine, this will always return ``False`` to + let the platform handle connection recycling transparently for us. + """ + sock = getattr(conn, 'sock', False) + if sock is False: # Platform-specific: AppEngine + return False + if sock is None: # Connection already closed (such as by httplib). + return True + try: + # Returns True if readable, which here means it's been dropped + return wait_for_read(sock, timeout=0.0) + except NoWayToWaitForSocketError: # Platform-specific: AppEngine + return False + + +# This function is copied from socket.py in the Python 2.7 standard +# library test suite. Added to its signature is only `socket_options`. +# One additional modification is that we avoid binding to IPv6 servers +# discovered in DNS if the system doesn't have IPv6 functionality. +def create_connection(address, timeout=socket._GLOBAL_DEFAULT_TIMEOUT, + source_address=None, socket_options=None): + """Connect to *address* and return the socket object. + + Convenience function. Connect to *address* (a 2-tuple ``(host, + port)``) and return the socket object. Passing the optional + *timeout* parameter will set the timeout on the socket instance + before attempting to connect. If no *timeout* is supplied, the + global default timeout setting returned by :func:`getdefaulttimeout` + is used. If *source_address* is set it must be a tuple of (host, port) + for the socket to bind as a source address before making the connection. + An host of '' or port 0 tells the OS to use the default. + """ + + host, port = address + if host.startswith('['): + host = host.strip('[]') + err = None + + # Using the value from allowed_gai_family() in the context of getaddrinfo lets + # us select whether to work with IPv4 DNS records, IPv6 records, or both. + # The original create_connection function always returns all records. + family = allowed_gai_family() + + for res in socket.getaddrinfo(host, port, family, socket.SOCK_STREAM): + af, socktype, proto, canonname, sa = res + sock = None + try: + sock = socket.socket(af, socktype, proto) + + # If provided, set socket level options before connecting. + _set_socket_options(sock, socket_options) + + if timeout is not socket._GLOBAL_DEFAULT_TIMEOUT: + sock.settimeout(timeout) + if source_address: + sock.bind(source_address) + sock.connect(sa) + return sock + + except socket.error as e: + err = e + if sock is not None: + sock.close() + sock = None + + if err is not None: + raise err + + raise socket.error("getaddrinfo returns an empty list") + + +def _set_socket_options(sock, options): + if options is None: + return + + for opt in options: + sock.setsockopt(*opt) + + +def allowed_gai_family(): + """This function is designed to work in the context of + getaddrinfo, where family=socket.AF_UNSPEC is the default and + will perform a DNS search for both IPv6 and IPv4 records.""" + + family = socket.AF_INET + if HAS_IPV6: + family = socket.AF_UNSPEC + return family + + +def _has_ipv6(host): + """ Returns True if the system can bind an IPv6 address. """ + sock = None + has_ipv6 = False + + # App Engine doesn't support IPV6 sockets and actually has a quota on the + # number of sockets that can be used, so just early out here instead of + # creating a socket needlessly. + # See https://github.com/urllib3/urllib3/issues/1446 + if _appengine_environ.is_appengine_sandbox(): + return False + + if socket.has_ipv6: + # has_ipv6 returns true if cPython was compiled with IPv6 support. + # It does not tell us if the system has IPv6 support enabled. To + # determine that we must bind to an IPv6 address. + # https://github.com/shazow/urllib3/pull/611 + # https://bugs.python.org/issue658327 + try: + sock = socket.socket(socket.AF_INET6) + sock.bind((host, 0)) + has_ipv6 = True + except Exception: + pass + + if sock: + sock.close() + return has_ipv6 + + +HAS_IPV6 = _has_ipv6('::1') diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/queue.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/queue.py new file mode 100644 index 0000000..d3d379a --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/queue.py @@ -0,0 +1,21 @@ +import collections +from ..packages import six +from ..packages.six.moves import queue + +if six.PY2: + # Queue is imported for side effects on MS Windows. See issue #229. + import Queue as _unused_module_Queue # noqa: F401 + + +class LifoQueue(queue.Queue): + def _init(self, _): + self.queue = collections.deque() + + def _qsize(self, len=len): + return len(self.queue) + + def _put(self, item): + self.queue.append(item) + + def _get(self): + return self.queue.pop() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/request.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/request.py new file mode 100644 index 0000000..3ddfcd5 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/request.py @@ -0,0 +1,118 @@ +from __future__ import absolute_import +from base64 import b64encode + +from ..packages.six import b, integer_types +from ..exceptions import UnrewindableBodyError + +ACCEPT_ENCODING = 'gzip,deflate' +_FAILEDTELL = object() + + +def make_headers(keep_alive=None, accept_encoding=None, user_agent=None, + basic_auth=None, proxy_basic_auth=None, disable_cache=None): + """ + Shortcuts for generating request headers. + + :param keep_alive: + If ``True``, adds 'connection: keep-alive' header. + + :param accept_encoding: + Can be a boolean, list, or string. + ``True`` translates to 'gzip,deflate'. + List will get joined by comma. + String will be used as provided. + + :param user_agent: + String representing the user-agent you want, such as + "python-urllib3/0.6" + + :param basic_auth: + Colon-separated username:password string for 'authorization: basic ...' + auth header. + + :param proxy_basic_auth: + Colon-separated username:password string for 'proxy-authorization: basic ...' + auth header. + + :param disable_cache: + If ``True``, adds 'cache-control: no-cache' header. + + Example:: + + >>> make_headers(keep_alive=True, user_agent="Batman/1.0") + {'connection': 'keep-alive', 'user-agent': 'Batman/1.0'} + >>> make_headers(accept_encoding=True) + {'accept-encoding': 'gzip,deflate'} + """ + headers = {} + if accept_encoding: + if isinstance(accept_encoding, str): + pass + elif isinstance(accept_encoding, list): + accept_encoding = ','.join(accept_encoding) + else: + accept_encoding = ACCEPT_ENCODING + headers['accept-encoding'] = accept_encoding + + if user_agent: + headers['user-agent'] = user_agent + + if keep_alive: + headers['connection'] = 'keep-alive' + + if basic_auth: + headers['authorization'] = 'Basic ' + \ + b64encode(b(basic_auth)).decode('utf-8') + + if proxy_basic_auth: + headers['proxy-authorization'] = 'Basic ' + \ + b64encode(b(proxy_basic_auth)).decode('utf-8') + + if disable_cache: + headers['cache-control'] = 'no-cache' + + return headers + + +def set_file_position(body, pos): + """ + If a position is provided, move file to that point. + Otherwise, we'll attempt to record a position for future use. + """ + if pos is not None: + rewind_body(body, pos) + elif getattr(body, 'tell', None) is not None: + try: + pos = body.tell() + except (IOError, OSError): + # This differentiates from None, allowing us to catch + # a failed `tell()` later when trying to rewind the body. + pos = _FAILEDTELL + + return pos + + +def rewind_body(body, body_pos): + """ + Attempt to rewind body to a certain position. + Primarily used for request redirects and retries. + + :param body: + File-like object that supports seek. + + :param int pos: + Position to seek to in file. + """ + body_seek = getattr(body, 'seek', None) + if body_seek is not None and isinstance(body_pos, integer_types): + try: + body_seek(body_pos) + except (IOError, OSError): + raise UnrewindableBodyError("An error occurred when rewinding request " + "body for redirect/retry.") + elif body_pos is _FAILEDTELL: + raise UnrewindableBodyError("Unable to record file position for rewinding " + "request body during a redirect/retry.") + else: + raise ValueError("body_pos must be of type integer, " + "instead it was %s." % type(body_pos)) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/response.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/response.py new file mode 100644 index 0000000..3d54864 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/response.py @@ -0,0 +1,87 @@ +from __future__ import absolute_import +from ..packages.six.moves import http_client as httplib + +from ..exceptions import HeaderParsingError + + +def is_fp_closed(obj): + """ + Checks whether a given file-like object is closed. + + :param obj: + The file-like object to check. + """ + + try: + # Check `isclosed()` first, in case Python3 doesn't set `closed`. + # GH Issue #928 + return obj.isclosed() + except AttributeError: + pass + + try: + # Check via the official file-like-object way. + return obj.closed + except AttributeError: + pass + + try: + # Check if the object is a container for another file-like object that + # gets released on exhaustion (e.g. HTTPResponse). + return obj.fp is None + except AttributeError: + pass + + raise ValueError("Unable to determine whether fp is closed.") + + +def assert_header_parsing(headers): + """ + Asserts whether all headers have been successfully parsed. + Extracts encountered errors from the result of parsing headers. + + Only works on Python 3. + + :param headers: Headers to verify. + :type headers: `httplib.HTTPMessage`. + + :raises urllib3.exceptions.HeaderParsingError: + If parsing errors are found. + """ + + # This will fail silently if we pass in the wrong kind of parameter. + # To make debugging easier add an explicit check. + if not isinstance(headers, httplib.HTTPMessage): + raise TypeError('expected httplib.Message, got {0}.'.format( + type(headers))) + + defects = getattr(headers, 'defects', None) + get_payload = getattr(headers, 'get_payload', None) + + unparsed_data = None + if get_payload: + # get_payload is actually email.message.Message.get_payload; + # we're only interested in the result if it's not a multipart message + if not headers.is_multipart(): + payload = get_payload() + + if isinstance(payload, (bytes, str)): + unparsed_data = payload + + if defects or unparsed_data: + raise HeaderParsingError(defects=defects, unparsed_data=unparsed_data) + + +def is_response_to_head(response): + """ + Checks whether the request of a response has been a HEAD-request. + Handles the quirks of AppEngine. + + :param conn: + :type conn: :class:`httplib.HTTPResponse` + """ + # FIXME: Can we do this somehow without accessing private httplib _method? + method = response._method + if isinstance(method, int): # Platform-specific: Appengine + return method == 3 + return method.upper() == 'HEAD' diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/retry.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/retry.py new file mode 100644 index 0000000..e7d0abd --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/retry.py @@ -0,0 +1,411 @@ +from __future__ import absolute_import +import time +import logging +from collections import namedtuple +from itertools import takewhile +import email +import re + +from ..exceptions import ( + ConnectTimeoutError, + MaxRetryError, + ProtocolError, + ReadTimeoutError, + ResponseError, + InvalidHeader, +) +from ..packages import six + + +log = logging.getLogger(__name__) + + +# Data structure for representing the metadata of requests that result in a retry. +RequestHistory = namedtuple('RequestHistory', ["method", "url", "error", + "status", "redirect_location"]) + + +class Retry(object): + """ Retry configuration. + + Each retry attempt will create a new Retry object with updated values, so + they can be safely reused. + + Retries can be defined as a default for a pool:: + + retries = Retry(connect=5, read=2, redirect=5) + http = PoolManager(retries=retries) + response = http.request('GET', 'http://example.com/') + + Or per-request (which overrides the default for the pool):: + + response = http.request('GET', 'http://example.com/', retries=Retry(10)) + + Retries can be disabled by passing ``False``:: + + response = http.request('GET', 'http://example.com/', retries=False) + + Errors will be wrapped in :class:`~urllib3.exceptions.MaxRetryError` unless + retries are disabled, in which case the causing exception will be raised. + + :param int total: + Total number of retries to allow. Takes precedence over other counts. + + Set to ``None`` to remove this constraint and fall back on other + counts. It's a good idea to set this to some sensibly-high value to + account for unexpected edge cases and avoid infinite retry loops. + + Set to ``0`` to fail on the first retry. + + Set to ``False`` to disable and imply ``raise_on_redirect=False``. + + :param int connect: + How many connection-related errors to retry on. + + These are errors raised before the request is sent to the remote server, + which we assume has not triggered the server to process the request. + + Set to ``0`` to fail on the first retry of this type. + + :param int read: + How many times to retry on read errors. + + These errors are raised after the request was sent to the server, so the + request may have side-effects. + + Set to ``0`` to fail on the first retry of this type. + + :param int redirect: + How many redirects to perform. Limit this to avoid infinite redirect + loops. + + A redirect is a HTTP response with a status code 301, 302, 303, 307 or + 308. + + Set to ``0`` to fail on the first retry of this type. + + Set to ``False`` to disable and imply ``raise_on_redirect=False``. + + :param int status: + How many times to retry on bad status codes. + + These are retries made on responses, where status code matches + ``status_forcelist``. + + Set to ``0`` to fail on the first retry of this type. + + :param iterable method_whitelist: + Set of uppercased HTTP method verbs that we should retry on. + + By default, we only retry on methods which are considered to be + idempotent (multiple requests with the same parameters end with the + same state). See :attr:`Retry.DEFAULT_METHOD_WHITELIST`. + + Set to a ``False`` value to retry on any verb. + + :param iterable status_forcelist: + A set of integer HTTP status codes that we should force a retry on. + A retry is initiated if the request method is in ``method_whitelist`` + and the response status code is in ``status_forcelist``. + + By default, this is disabled with ``None``. + + :param float backoff_factor: + A backoff factor to apply between attempts after the second try + (most errors are resolved immediately by a second try without a + delay). urllib3 will sleep for:: + + {backoff factor} * (2 ** ({number of total retries} - 1)) + + seconds. If the backoff_factor is 0.1, then :func:`.sleep` will sleep + for [0.0s, 0.2s, 0.4s, ...] between retries. It will never be longer + than :attr:`Retry.BACKOFF_MAX`. + + By default, backoff is disabled (set to 0). + + :param bool raise_on_redirect: Whether, if the number of redirects is + exhausted, to raise a MaxRetryError, or to return a response with a + response code in the 3xx range. + + :param bool raise_on_status: Similar meaning to ``raise_on_redirect``: + whether we should raise an exception, or return a response, + if status falls in ``status_forcelist`` range and retries have + been exhausted. + + :param tuple history: The history of the request encountered during + each call to :meth:`~Retry.increment`. The list is in the order + the requests occurred. Each list item is of class :class:`RequestHistory`. + + :param bool respect_retry_after_header: + Whether to respect Retry-After header on status codes defined as + :attr:`Retry.RETRY_AFTER_STATUS_CODES` or not. + + :param iterable remove_headers_on_redirect: + Sequence of headers to remove from the request when a response + indicating a redirect is returned before firing off the redirected + request. + """ + + DEFAULT_METHOD_WHITELIST = frozenset([ + 'HEAD', 'GET', 'PUT', 'DELETE', 'OPTIONS', 'TRACE']) + + RETRY_AFTER_STATUS_CODES = frozenset([413, 429, 503]) + + DEFAULT_REDIRECT_HEADERS_BLACKLIST = frozenset(['Authorization']) + + #: Maximum backoff time. + BACKOFF_MAX = 120 + + def __init__(self, total=10, connect=None, read=None, redirect=None, status=None, + method_whitelist=DEFAULT_METHOD_WHITELIST, status_forcelist=None, + backoff_factor=0, raise_on_redirect=True, raise_on_status=True, + history=None, respect_retry_after_header=True, + remove_headers_on_redirect=DEFAULT_REDIRECT_HEADERS_BLACKLIST): + + self.total = total + self.connect = connect + self.read = read + self.status = status + + if redirect is False or total is False: + redirect = 0 + raise_on_redirect = False + + self.redirect = redirect + self.status_forcelist = status_forcelist or set() + self.method_whitelist = method_whitelist + self.backoff_factor = backoff_factor + self.raise_on_redirect = raise_on_redirect + self.raise_on_status = raise_on_status + self.history = history or tuple() + self.respect_retry_after_header = respect_retry_after_header + self.remove_headers_on_redirect = remove_headers_on_redirect + + def new(self, **kw): + params = dict( + total=self.total, + connect=self.connect, read=self.read, redirect=self.redirect, status=self.status, + method_whitelist=self.method_whitelist, + status_forcelist=self.status_forcelist, + backoff_factor=self.backoff_factor, + raise_on_redirect=self.raise_on_redirect, + raise_on_status=self.raise_on_status, + history=self.history, + remove_headers_on_redirect=self.remove_headers_on_redirect + ) + params.update(kw) + return type(self)(**params) + + @classmethod + def from_int(cls, retries, redirect=True, default=None): + """ Backwards-compatibility for the old retries format.""" + if retries is None: + retries = default if default is not None else cls.DEFAULT + + if isinstance(retries, Retry): + return retries + + redirect = bool(redirect) and None + new_retries = cls(retries, redirect=redirect) + log.debug("Converted retries value: %r -> %r", retries, new_retries) + return new_retries + + def get_backoff_time(self): + """ Formula for computing the current backoff + + :rtype: float + """ + # We want to consider only the last consecutive errors sequence (Ignore redirects). + consecutive_errors_len = len(list(takewhile(lambda x: x.redirect_location is None, + reversed(self.history)))) + if consecutive_errors_len <= 1: + return 0 + + backoff_value = self.backoff_factor * (2 ** (consecutive_errors_len - 1)) + return min(self.BACKOFF_MAX, backoff_value) + + def parse_retry_after(self, retry_after): + # Whitespace: https://tools.ietf.org/html/rfc7230#section-3.2.4 + if re.match(r"^\s*[0-9]+\s*$", retry_after): + seconds = int(retry_after) + else: + retry_date_tuple = email.utils.parsedate(retry_after) + if retry_date_tuple is None: + raise InvalidHeader("Invalid Retry-After header: %s" % retry_after) + retry_date = time.mktime(retry_date_tuple) + seconds = retry_date - time.time() + + if seconds < 0: + seconds = 0 + + return seconds + + def get_retry_after(self, response): + """ Get the value of Retry-After in seconds. """ + + retry_after = response.getheader("Retry-After") + + if retry_after is None: + return None + + return self.parse_retry_after(retry_after) + + def sleep_for_retry(self, response=None): + retry_after = self.get_retry_after(response) + if retry_after: + time.sleep(retry_after) + return True + + return False + + def _sleep_backoff(self): + backoff = self.get_backoff_time() + if backoff <= 0: + return + time.sleep(backoff) + + def sleep(self, response=None): + """ Sleep between retry attempts. + + This method will respect a server's ``Retry-After`` response header + and sleep the duration of the time requested. If that is not present, it + will use an exponential backoff. By default, the backoff factor is 0 and + this method will return immediately. + """ + + if response: + slept = self.sleep_for_retry(response) + if slept: + return + + self._sleep_backoff() + + def _is_connection_error(self, err): + """ Errors when we're fairly sure that the server did not receive the + request, so it should be safe to retry. + """ + return isinstance(err, ConnectTimeoutError) + + def _is_read_error(self, err): + """ Errors that occur after the request has been started, so we should + assume that the server began processing it. + """ + return isinstance(err, (ReadTimeoutError, ProtocolError)) + + def _is_method_retryable(self, method): + """ Checks if a given HTTP method should be retried upon, depending if + it is included on the method whitelist. + """ + if self.method_whitelist and method.upper() not in self.method_whitelist: + return False + + return True + + def is_retry(self, method, status_code, has_retry_after=False): + """ Is this method/status code retryable? (Based on whitelists and control + variables such as the number of total retries to allow, whether to + respect the Retry-After header, whether this header is present, and + whether the returned status code is on the list of status codes to + be retried upon on the presence of the aforementioned header) + """ + if not self._is_method_retryable(method): + return False + + if self.status_forcelist and status_code in self.status_forcelist: + return True + + return (self.total and self.respect_retry_after_header and + has_retry_after and (status_code in self.RETRY_AFTER_STATUS_CODES)) + + def is_exhausted(self): + """ Are we out of retries? """ + retry_counts = (self.total, self.connect, self.read, self.redirect, self.status) + retry_counts = list(filter(None, retry_counts)) + if not retry_counts: + return False + + return min(retry_counts) < 0 + + def increment(self, method=None, url=None, response=None, error=None, + _pool=None, _stacktrace=None): + """ Return a new Retry object with incremented retry counters. + + :param response: A response object, or None, if the server did not + return a response. + :type response: :class:`~urllib3.response.HTTPResponse` + :param Exception error: An error encountered during the request, or + None if the response was received successfully. + + :return: A new ``Retry`` object. + """ + if self.total is False and error: + # Disabled, indicate to re-raise the error. + raise six.reraise(type(error), error, _stacktrace) + + total = self.total + if total is not None: + total -= 1 + + connect = self.connect + read = self.read + redirect = self.redirect + status_count = self.status + cause = 'unknown' + status = None + redirect_location = None + + if error and self._is_connection_error(error): + # Connect retry? + if connect is False: + raise six.reraise(type(error), error, _stacktrace) + elif connect is not None: + connect -= 1 + + elif error and self._is_read_error(error): + # Read retry? + if read is False or not self._is_method_retryable(method): + raise six.reraise(type(error), error, _stacktrace) + elif read is not None: + read -= 1 + + elif response and response.get_redirect_location(): + # Redirect retry? + if redirect is not None: + redirect -= 1 + cause = 'too many redirects' + redirect_location = response.get_redirect_location() + status = response.status + + else: + # Incrementing because of a server error like a 500 in + # status_forcelist and a the given method is in the whitelist + cause = ResponseError.GENERIC_ERROR + if response and response.status: + if status_count is not None: + status_count -= 1 + cause = ResponseError.SPECIFIC_ERROR.format( + status_code=response.status) + status = response.status + + history = self.history + (RequestHistory(method, url, error, status, redirect_location),) + + new_retry = self.new( + total=total, + connect=connect, read=read, redirect=redirect, status=status_count, + history=history) + + if new_retry.is_exhausted(): + raise MaxRetryError(_pool, url, error or ResponseError(cause)) + + log.debug("Incremented Retry for (url='%s'): %r", url, new_retry) + + return new_retry + + def __repr__(self): + return ('{cls.__name__}(total={self.total}, connect={self.connect}, ' + 'read={self.read}, redirect={self.redirect}, status={self.status})').format( + cls=type(self), self=self) + + +# For backwards compatibility (equivalent to pre-v1.9): +Retry.DEFAULT = Retry(3) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/ssl_.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/ssl_.py new file mode 100644 index 0000000..dfc553f --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/ssl_.py @@ -0,0 +1,381 @@ +from __future__ import absolute_import +import errno +import warnings +import hmac +import socket + +from binascii import hexlify, unhexlify +from hashlib import md5, sha1, sha256 + +from ..exceptions import SSLError, InsecurePlatformWarning, SNIMissingWarning +from ..packages import six + + +SSLContext = None +HAS_SNI = False +IS_PYOPENSSL = False +IS_SECURETRANSPORT = False + +# Maps the length of a digest to a possible hash function producing this digest +HASHFUNC_MAP = { + 32: md5, + 40: sha1, + 64: sha256, +} + + +def _const_compare_digest_backport(a, b): + """ + Compare two digests of equal length in constant time. + + The digests must be of type str/bytes. + Returns True if the digests match, and False otherwise. + """ + result = abs(len(a) - len(b)) + for l, r in zip(bytearray(a), bytearray(b)): + result |= l ^ r + return result == 0 + + +_const_compare_digest = getattr(hmac, 'compare_digest', + _const_compare_digest_backport) + + +try: # Test for SSL features + import ssl + from ssl import wrap_socket, CERT_NONE, PROTOCOL_SSLv23 + from ssl import HAS_SNI # Has SNI? +except ImportError: + pass + + +try: + from ssl import OP_NO_SSLv2, OP_NO_SSLv3, OP_NO_COMPRESSION +except ImportError: + OP_NO_SSLv2, OP_NO_SSLv3 = 0x1000000, 0x2000000 + OP_NO_COMPRESSION = 0x20000 + + +# Python 2.7 doesn't have inet_pton on non-Linux so we fallback on inet_aton in +# those cases. This means that we can only detect IPv4 addresses in this case. +if hasattr(socket, 'inet_pton'): + inet_pton = socket.inet_pton +else: + # Maybe we can use ipaddress if the user has urllib3[secure]? + try: + from pip._vendor import ipaddress + + def inet_pton(_, host): + if isinstance(host, bytes): + host = host.decode('ascii') + return ipaddress.ip_address(host) + + except ImportError: # Platform-specific: Non-Linux + def inet_pton(_, host): + return socket.inet_aton(host) + + +# A secure default. +# Sources for more information on TLS ciphers: +# +# - https://wiki.mozilla.org/Security/Server_Side_TLS +# - https://www.ssllabs.com/projects/best-practices/index.html +# - https://hynek.me/articles/hardening-your-web-servers-ssl-ciphers/ +# +# The general intent is: +# - Prefer TLS 1.3 cipher suites +# - prefer cipher suites that offer perfect forward secrecy (DHE/ECDHE), +# - prefer ECDHE over DHE for better performance, +# - prefer any AES-GCM and ChaCha20 over any AES-CBC for better performance and +# security, +# - prefer AES-GCM over ChaCha20 because hardware-accelerated AES is common, +# - disable NULL authentication, MD5 MACs and DSS for security reasons. +DEFAULT_CIPHERS = ':'.join([ + 'TLS13-AES-256-GCM-SHA384', + 'TLS13-CHACHA20-POLY1305-SHA256', + 'TLS13-AES-128-GCM-SHA256', + 'ECDH+AESGCM', + 'ECDH+CHACHA20', + 'DH+AESGCM', + 'DH+CHACHA20', + 'ECDH+AES256', + 'DH+AES256', + 'ECDH+AES128', + 'DH+AES', + 'RSA+AESGCM', + 'RSA+AES', + '!aNULL', + '!eNULL', + '!MD5', +]) + +try: + from ssl import SSLContext # Modern SSL? +except ImportError: + import sys + + class SSLContext(object): # Platform-specific: Python 2 + def __init__(self, protocol_version): + self.protocol = protocol_version + # Use default values from a real SSLContext + self.check_hostname = False + self.verify_mode = ssl.CERT_NONE + self.ca_certs = None + self.options = 0 + self.certfile = None + self.keyfile = None + self.ciphers = None + + def load_cert_chain(self, certfile, keyfile): + self.certfile = certfile + self.keyfile = keyfile + + def load_verify_locations(self, cafile=None, capath=None): + self.ca_certs = cafile + + if capath is not None: + raise SSLError("CA directories not supported in older Pythons") + + def set_ciphers(self, cipher_suite): + self.ciphers = cipher_suite + + def wrap_socket(self, socket, server_hostname=None, server_side=False): + warnings.warn( + 'A true SSLContext object is not available. This prevents ' + 'urllib3 from configuring SSL appropriately and may cause ' + 'certain SSL connections to fail. You can upgrade to a newer ' + 'version of Python to solve this. For more information, see ' + 'https://urllib3.readthedocs.io/en/latest/advanced-usage.html' + '#ssl-warnings', + InsecurePlatformWarning + ) + kwargs = { + 'keyfile': self.keyfile, + 'certfile': self.certfile, + 'ca_certs': self.ca_certs, + 'cert_reqs': self.verify_mode, + 'ssl_version': self.protocol, + 'server_side': server_side, + } + return wrap_socket(socket, ciphers=self.ciphers, **kwargs) + + +def assert_fingerprint(cert, fingerprint): + """ + Checks if given fingerprint matches the supplied certificate. + + :param cert: + Certificate as bytes object. + :param fingerprint: + Fingerprint as string of hexdigits, can be interspersed by colons. + """ + + fingerprint = fingerprint.replace(':', '').lower() + digest_length = len(fingerprint) + hashfunc = HASHFUNC_MAP.get(digest_length) + if not hashfunc: + raise SSLError( + 'Fingerprint of invalid length: {0}'.format(fingerprint)) + + # We need encode() here for py32; works on py2 and p33. + fingerprint_bytes = unhexlify(fingerprint.encode()) + + cert_digest = hashfunc(cert).digest() + + if not _const_compare_digest(cert_digest, fingerprint_bytes): + raise SSLError('Fingerprints did not match. Expected "{0}", got "{1}".' + .format(fingerprint, hexlify(cert_digest))) + + +def resolve_cert_reqs(candidate): + """ + Resolves the argument to a numeric constant, which can be passed to + the wrap_socket function/method from the ssl module. + Defaults to :data:`ssl.CERT_NONE`. + If given a string it is assumed to be the name of the constant in the + :mod:`ssl` module or its abbreviation. + (So you can specify `REQUIRED` instead of `CERT_REQUIRED`. + If it's neither `None` nor a string we assume it is already the numeric + constant which can directly be passed to wrap_socket. + """ + if candidate is None: + return CERT_NONE + + if isinstance(candidate, str): + res = getattr(ssl, candidate, None) + if res is None: + res = getattr(ssl, 'CERT_' + candidate) + return res + + return candidate + + +def resolve_ssl_version(candidate): + """ + like resolve_cert_reqs + """ + if candidate is None: + return PROTOCOL_SSLv23 + + if isinstance(candidate, str): + res = getattr(ssl, candidate, None) + if res is None: + res = getattr(ssl, 'PROTOCOL_' + candidate) + return res + + return candidate + + +def create_urllib3_context(ssl_version=None, cert_reqs=None, + options=None, ciphers=None): + """All arguments have the same meaning as ``ssl_wrap_socket``. + + By default, this function does a lot of the same work that + ``ssl.create_default_context`` does on Python 3.4+. It: + + - Disables SSLv2, SSLv3, and compression + - Sets a restricted set of server ciphers + + If you wish to enable SSLv3, you can do:: + + from pip._vendor.urllib3.util import ssl_ + context = ssl_.create_urllib3_context() + context.options &= ~ssl_.OP_NO_SSLv3 + + You can do the same to enable compression (substituting ``COMPRESSION`` + for ``SSLv3`` in the last line above). + + :param ssl_version: + The desired protocol version to use. This will default to + PROTOCOL_SSLv23 which will negotiate the highest protocol that both + the server and your installation of OpenSSL support. + :param cert_reqs: + Whether to require the certificate verification. This defaults to + ``ssl.CERT_REQUIRED``. + :param options: + Specific OpenSSL options. These default to ``ssl.OP_NO_SSLv2``, + ``ssl.OP_NO_SSLv3``, ``ssl.OP_NO_COMPRESSION``. + :param ciphers: + Which cipher suites to allow the server to select. + :returns: + Constructed SSLContext object with specified options + :rtype: SSLContext + """ + context = SSLContext(ssl_version or ssl.PROTOCOL_SSLv23) + + context.set_ciphers(ciphers or DEFAULT_CIPHERS) + + # Setting the default here, as we may have no ssl module on import + cert_reqs = ssl.CERT_REQUIRED if cert_reqs is None else cert_reqs + + if options is None: + options = 0 + # SSLv2 is easily broken and is considered harmful and dangerous + options |= OP_NO_SSLv2 + # SSLv3 has several problems and is now dangerous + options |= OP_NO_SSLv3 + # Disable compression to prevent CRIME attacks for OpenSSL 1.0+ + # (issue #309) + options |= OP_NO_COMPRESSION + + context.options |= options + + context.verify_mode = cert_reqs + if getattr(context, 'check_hostname', None) is not None: # Platform-specific: Python 3.2 + # We do our own verification, including fingerprints and alternative + # hostnames. So disable it here + context.check_hostname = False + return context + + +def ssl_wrap_socket(sock, keyfile=None, certfile=None, cert_reqs=None, + ca_certs=None, server_hostname=None, + ssl_version=None, ciphers=None, ssl_context=None, + ca_cert_dir=None): + """ + All arguments except for server_hostname, ssl_context, and ca_cert_dir have + the same meaning as they do when using :func:`ssl.wrap_socket`. + + :param server_hostname: + When SNI is supported, the expected hostname of the certificate + :param ssl_context: + A pre-made :class:`SSLContext` object. If none is provided, one will + be created using :func:`create_urllib3_context`. + :param ciphers: + A string of ciphers we wish the client to support. + :param ca_cert_dir: + A directory containing CA certificates in multiple separate files, as + supported by OpenSSL's -CApath flag or the capath argument to + SSLContext.load_verify_locations(). + """ + context = ssl_context + if context is None: + # Note: This branch of code and all the variables in it are no longer + # used by urllib3 itself. We should consider deprecating and removing + # this code. + context = create_urllib3_context(ssl_version, cert_reqs, + ciphers=ciphers) + + if ca_certs or ca_cert_dir: + try: + context.load_verify_locations(ca_certs, ca_cert_dir) + except IOError as e: # Platform-specific: Python 2.7 + raise SSLError(e) + # Py33 raises FileNotFoundError which subclasses OSError + # These are not equivalent unless we check the errno attribute + except OSError as e: # Platform-specific: Python 3.3 and beyond + if e.errno == errno.ENOENT: + raise SSLError(e) + raise + elif getattr(context, 'load_default_certs', None) is not None: + # try to load OS default certs; works well on Windows (require Python3.4+) + context.load_default_certs() + + if certfile: + context.load_cert_chain(certfile, keyfile) + + # If we detect server_hostname is an IP address then the SNI + # extension should not be used according to RFC3546 Section 3.1 + # We shouldn't warn the user if SNI isn't available but we would + # not be using SNI anyways due to IP address for server_hostname. + if ((server_hostname is not None and not is_ipaddress(server_hostname)) + or IS_SECURETRANSPORT): + if HAS_SNI and server_hostname is not None: + return context.wrap_socket(sock, server_hostname=server_hostname) + + warnings.warn( + 'An HTTPS request has been made, but the SNI (Server Name ' + 'Indication) extension to TLS is not available on this platform. ' + 'This may cause the server to present an incorrect TLS ' + 'certificate, which can cause validation failures. You can upgrade to ' + 'a newer version of Python to solve this. For more information, see ' + 'https://urllib3.readthedocs.io/en/latest/advanced-usage.html' + '#ssl-warnings', + SNIMissingWarning + ) + + return context.wrap_socket(sock) + + +def is_ipaddress(hostname): + """Detects whether the hostname given is an IP address. + + :param str hostname: Hostname to examine. + :return: True if the hostname is an IP address, False otherwise. + """ + if six.PY3 and isinstance(hostname, bytes): + # IDN A-label bytes are ASCII compatible. + hostname = hostname.decode('ascii') + + families = [socket.AF_INET] + if hasattr(socket, 'AF_INET6'): + families.append(socket.AF_INET6) + + for af in families: + try: + inet_pton(af, hostname) + except (socket.error, ValueError, OSError): + pass + else: + return True + return False diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/timeout.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/timeout.py new file mode 100644 index 0000000..cec817e --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/timeout.py @@ -0,0 +1,242 @@ +from __future__ import absolute_import +# The default socket timeout, used by httplib to indicate that no timeout was +# specified by the user +from socket import _GLOBAL_DEFAULT_TIMEOUT +import time + +from ..exceptions import TimeoutStateError + +# A sentinel value to indicate that no timeout was specified by the user in +# urllib3 +_Default = object() + + +# Use time.monotonic if available. +current_time = getattr(time, "monotonic", time.time) + + +class Timeout(object): + """ Timeout configuration. + + Timeouts can be defined as a default for a pool:: + + timeout = Timeout(connect=2.0, read=7.0) + http = PoolManager(timeout=timeout) + response = http.request('GET', 'http://example.com/') + + Or per-request (which overrides the default for the pool):: + + response = http.request('GET', 'http://example.com/', timeout=Timeout(10)) + + Timeouts can be disabled by setting all the parameters to ``None``:: + + no_timeout = Timeout(connect=None, read=None) + response = http.request('GET', 'http://example.com/, timeout=no_timeout) + + + :param total: + This combines the connect and read timeouts into one; the read timeout + will be set to the time leftover from the connect attempt. In the + event that both a connect timeout and a total are specified, or a read + timeout and a total are specified, the shorter timeout will be applied. + + Defaults to None. + + :type total: integer, float, or None + + :param connect: + The maximum amount of time to wait for a connection attempt to a server + to succeed. Omitting the parameter will default the connect timeout to + the system default, probably `the global default timeout in socket.py + <http://hg.python.org/cpython/file/603b4d593758/Lib/socket.py#l535>`_. + None will set an infinite timeout for connection attempts. + + :type connect: integer, float, or None + + :param read: + The maximum amount of time to wait between consecutive + read operations for a response from the server. Omitting + the parameter will default the read timeout to the system + default, probably `the global default timeout in socket.py + <http://hg.python.org/cpython/file/603b4d593758/Lib/socket.py#l535>`_. + None will set an infinite timeout. + + :type read: integer, float, or None + + .. note:: + + Many factors can affect the total amount of time for urllib3 to return + an HTTP response. + + For example, Python's DNS resolver does not obey the timeout specified + on the socket. Other factors that can affect total request time include + high CPU load, high swap, the program running at a low priority level, + or other behaviors. + + In addition, the read and total timeouts only measure the time between + read operations on the socket connecting the client and the server, + not the total amount of time for the request to return a complete + response. For most requests, the timeout is raised because the server + has not sent the first byte in the specified time. This is not always + the case; if a server streams one byte every fifteen seconds, a timeout + of 20 seconds will not trigger, even though the request will take + several minutes to complete. + + If your goal is to cut off any request after a set amount of wall clock + time, consider having a second "watcher" thread to cut off a slow + request. + """ + + #: A sentinel object representing the default timeout value + DEFAULT_TIMEOUT = _GLOBAL_DEFAULT_TIMEOUT + + def __init__(self, total=None, connect=_Default, read=_Default): + self._connect = self._validate_timeout(connect, 'connect') + self._read = self._validate_timeout(read, 'read') + self.total = self._validate_timeout(total, 'total') + self._start_connect = None + + def __str__(self): + return '%s(connect=%r, read=%r, total=%r)' % ( + type(self).__name__, self._connect, self._read, self.total) + + @classmethod + def _validate_timeout(cls, value, name): + """ Check that a timeout attribute is valid. + + :param value: The timeout value to validate + :param name: The name of the timeout attribute to validate. This is + used to specify in error messages. + :return: The validated and casted version of the given value. + :raises ValueError: If it is a numeric value less than or equal to + zero, or the type is not an integer, float, or None. + """ + if value is _Default: + return cls.DEFAULT_TIMEOUT + + if value is None or value is cls.DEFAULT_TIMEOUT: + return value + + if isinstance(value, bool): + raise ValueError("Timeout cannot be a boolean value. It must " + "be an int, float or None.") + try: + float(value) + except (TypeError, ValueError): + raise ValueError("Timeout value %s was %s, but it must be an " + "int, float or None." % (name, value)) + + try: + if value <= 0: + raise ValueError("Attempted to set %s timeout to %s, but the " + "timeout cannot be set to a value less " + "than or equal to 0." % (name, value)) + except TypeError: # Python 3 + raise ValueError("Timeout value %s was %s, but it must be an " + "int, float or None." % (name, value)) + + return value + + @classmethod + def from_float(cls, timeout): + """ Create a new Timeout from a legacy timeout value. + + The timeout value used by httplib.py sets the same timeout on the + connect(), and recv() socket requests. This creates a :class:`Timeout` + object that sets the individual timeouts to the ``timeout`` value + passed to this function. + + :param timeout: The legacy timeout value. + :type timeout: integer, float, sentinel default object, or None + :return: Timeout object + :rtype: :class:`Timeout` + """ + return Timeout(read=timeout, connect=timeout) + + def clone(self): + """ Create a copy of the timeout object + + Timeout properties are stored per-pool but each request needs a fresh + Timeout object to ensure each one has its own start/stop configured. + + :return: a copy of the timeout object + :rtype: :class:`Timeout` + """ + # We can't use copy.deepcopy because that will also create a new object + # for _GLOBAL_DEFAULT_TIMEOUT, which socket.py uses as a sentinel to + # detect the user default. + return Timeout(connect=self._connect, read=self._read, + total=self.total) + + def start_connect(self): + """ Start the timeout clock, used during a connect() attempt + + :raises urllib3.exceptions.TimeoutStateError: if you attempt + to start a timer that has been started already. + """ + if self._start_connect is not None: + raise TimeoutStateError("Timeout timer has already been started.") + self._start_connect = current_time() + return self._start_connect + + def get_connect_duration(self): + """ Gets the time elapsed since the call to :meth:`start_connect`. + + :return: Elapsed time. + :rtype: float + :raises urllib3.exceptions.TimeoutStateError: if you attempt + to get duration for a timer that hasn't been started. + """ + if self._start_connect is None: + raise TimeoutStateError("Can't get connect duration for timer " + "that has not started.") + return current_time() - self._start_connect + + @property + def connect_timeout(self): + """ Get the value to use when setting a connection timeout. + + This will be a positive float or integer, the value None + (never timeout), or the default system timeout. + + :return: Connect timeout. + :rtype: int, float, :attr:`Timeout.DEFAULT_TIMEOUT` or None + """ + if self.total is None: + return self._connect + + if self._connect is None or self._connect is self.DEFAULT_TIMEOUT: + return self.total + + return min(self._connect, self.total) + + @property + def read_timeout(self): + """ Get the value for the read timeout. + + This assumes some time has elapsed in the connection timeout and + computes the read timeout appropriately. + + If self.total is set, the read timeout is dependent on the amount of + time taken by the connect timeout. If the connection time has not been + established, a :exc:`~urllib3.exceptions.TimeoutStateError` will be + raised. + + :return: Value to use for the read timeout. + :rtype: int, float, :attr:`Timeout.DEFAULT_TIMEOUT` or None + :raises urllib3.exceptions.TimeoutStateError: If :meth:`start_connect` + has not yet been called on this object. + """ + if (self.total is not None and + self.total is not self.DEFAULT_TIMEOUT and + self._read is not None and + self._read is not self.DEFAULT_TIMEOUT): + # In case the connect timeout has not yet been established. + if self._start_connect is None: + return self._read + return max(0, min(self.total - self.get_connect_duration(), + self._read)) + elif self.total is not None and self.total is not self.DEFAULT_TIMEOUT: + return max(0, self.total - self.get_connect_duration()) + else: + return self._read diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/url.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/url.py new file mode 100644 index 0000000..6b6f996 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/url.py @@ -0,0 +1,230 @@ +from __future__ import absolute_import +from collections import namedtuple + +from ..exceptions import LocationParseError + + +url_attrs = ['scheme', 'auth', 'host', 'port', 'path', 'query', 'fragment'] + +# We only want to normalize urls with an HTTP(S) scheme. +# urllib3 infers URLs without a scheme (None) to be http. +NORMALIZABLE_SCHEMES = ('http', 'https', None) + + +class Url(namedtuple('Url', url_attrs)): + """ + Datastructure for representing an HTTP URL. Used as a return value for + :func:`parse_url`. Both the scheme and host are normalized as they are + both case-insensitive according to RFC 3986. + """ + __slots__ = () + + def __new__(cls, scheme=None, auth=None, host=None, port=None, path=None, + query=None, fragment=None): + if path and not path.startswith('/'): + path = '/' + path + if scheme: + scheme = scheme.lower() + if host and scheme in NORMALIZABLE_SCHEMES: + host = host.lower() + return super(Url, cls).__new__(cls, scheme, auth, host, port, path, + query, fragment) + + @property + def hostname(self): + """For backwards-compatibility with urlparse. We're nice like that.""" + return self.host + + @property + def request_uri(self): + """Absolute path including the query string.""" + uri = self.path or '/' + + if self.query is not None: + uri += '?' + self.query + + return uri + + @property + def netloc(self): + """Network location including host and port""" + if self.port: + return '%s:%d' % (self.host, self.port) + return self.host + + @property + def url(self): + """ + Convert self into a url + + This function should more or less round-trip with :func:`.parse_url`. The + returned url may not be exactly the same as the url inputted to + :func:`.parse_url`, but it should be equivalent by the RFC (e.g., urls + with a blank port will have : removed). + + Example: :: + + >>> U = parse_url('http://google.com/mail/') + >>> U.url + 'http://google.com/mail/' + >>> Url('http', 'username:password', 'host.com', 80, + ... '/path', 'query', 'fragment').url + 'http://username:password@host.com:80/path?query#fragment' + """ + scheme, auth, host, port, path, query, fragment = self + url = '' + + # We use "is not None" we want things to happen with empty strings (or 0 port) + if scheme is not None: + url += scheme + '://' + if auth is not None: + url += auth + '@' + if host is not None: + url += host + if port is not None: + url += ':' + str(port) + if path is not None: + url += path + if query is not None: + url += '?' + query + if fragment is not None: + url += '#' + fragment + + return url + + def __str__(self): + return self.url + + +def split_first(s, delims): + """ + Given a string and an iterable of delimiters, split on the first found + delimiter. Return two split parts and the matched delimiter. + + If not found, then the first part is the full input string. + + Example:: + + >>> split_first('foo/bar?baz', '?/=') + ('foo', 'bar?baz', '/') + >>> split_first('foo/bar?baz', '123') + ('foo/bar?baz', '', None) + + Scales linearly with number of delims. Not ideal for large number of delims. + """ + min_idx = None + min_delim = None + for d in delims: + idx = s.find(d) + if idx < 0: + continue + + if min_idx is None or idx < min_idx: + min_idx = idx + min_delim = d + + if min_idx is None or min_idx < 0: + return s, '', None + + return s[:min_idx], s[min_idx + 1:], min_delim + + +def parse_url(url): + """ + Given a url, return a parsed :class:`.Url` namedtuple. Best-effort is + performed to parse incomplete urls. Fields not provided will be None. + + Partly backwards-compatible with :mod:`urlparse`. + + Example:: + + >>> parse_url('http://google.com/mail/') + Url(scheme='http', host='google.com', port=None, path='/mail/', ...) + >>> parse_url('google.com:80') + Url(scheme=None, host='google.com', port=80, path=None, ...) + >>> parse_url('/foo?bar') + Url(scheme=None, host=None, port=None, path='/foo', query='bar', ...) + """ + + # While this code has overlap with stdlib's urlparse, it is much + # simplified for our needs and less annoying. + # Additionally, this implementations does silly things to be optimal + # on CPython. + + if not url: + # Empty + return Url() + + scheme = None + auth = None + host = None + port = None + path = None + fragment = None + query = None + + # Scheme + if '://' in url: + scheme, url = url.split('://', 1) + + # Find the earliest Authority Terminator + # (http://tools.ietf.org/html/rfc3986#section-3.2) + url, path_, delim = split_first(url, ['/', '?', '#']) + + if delim: + # Reassemble the path + path = delim + path_ + + # Auth + if '@' in url: + # Last '@' denotes end of auth part + auth, url = url.rsplit('@', 1) + + # IPv6 + if url and url[0] == '[': + host, url = url.split(']', 1) + host += ']' + + # Port + if ':' in url: + _host, port = url.split(':', 1) + + if not host: + host = _host + + if port: + # If given, ports must be integers. No whitespace, no plus or + # minus prefixes, no non-integer digits such as ^2 (superscript). + if not port.isdigit(): + raise LocationParseError(url) + try: + port = int(port) + except ValueError: + raise LocationParseError(url) + else: + # Blank ports are cool, too. (rfc3986#section-3.2.3) + port = None + + elif not host and url: + host = url + + if not path: + return Url(scheme, auth, host, port, path, query, fragment) + + # Fragment + if '#' in path: + path, fragment = path.split('#', 1) + + # Query + if '?' in path: + path, query = path.split('?', 1) + + return Url(scheme, auth, host, port, path, query, fragment) + + +def get_host(url): + """ + Deprecated. Use :func:`parse_url` instead. + """ + p = parse_url(url) + return p.scheme or 'http', p.hostname, p.port diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/wait.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/wait.py new file mode 100644 index 0000000..4db71ba --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/wait.py @@ -0,0 +1,150 @@ +import errno +from functools import partial +import select +import sys +try: + from time import monotonic +except ImportError: + from time import time as monotonic + +__all__ = ["NoWayToWaitForSocketError", "wait_for_read", "wait_for_write"] + + +class NoWayToWaitForSocketError(Exception): + pass + + +# How should we wait on sockets? +# +# There are two types of APIs you can use for waiting on sockets: the fancy +# modern stateful APIs like epoll/kqueue, and the older stateless APIs like +# select/poll. The stateful APIs are more efficient when you have a lots of +# sockets to keep track of, because you can set them up once and then use them +# lots of times. But we only ever want to wait on a single socket at a time +# and don't want to keep track of state, so the stateless APIs are actually +# more efficient. So we want to use select() or poll(). +# +# Now, how do we choose between select() and poll()? On traditional Unixes, +# select() has a strange calling convention that makes it slow, or fail +# altogether, for high-numbered file descriptors. The point of poll() is to fix +# that, so on Unixes, we prefer poll(). +# +# On Windows, there is no poll() (or at least Python doesn't provide a wrapper +# for it), but that's OK, because on Windows, select() doesn't have this +# strange calling convention; plain select() works fine. +# +# So: on Windows we use select(), and everywhere else we use poll(). We also +# fall back to select() in case poll() is somehow broken or missing. + +if sys.version_info >= (3, 5): + # Modern Python, that retries syscalls by default + def _retry_on_intr(fn, timeout): + return fn(timeout) +else: + # Old and broken Pythons. + def _retry_on_intr(fn, timeout): + if timeout is None: + deadline = float("inf") + else: + deadline = monotonic() + timeout + + while True: + try: + return fn(timeout) + # OSError for 3 <= pyver < 3.5, select.error for pyver <= 2.7 + except (OSError, select.error) as e: + # 'e.args[0]' incantation works for both OSError and select.error + if e.args[0] != errno.EINTR: + raise + else: + timeout = deadline - monotonic() + if timeout < 0: + timeout = 0 + if timeout == float("inf"): + timeout = None + continue + + +def select_wait_for_socket(sock, read=False, write=False, timeout=None): + if not read and not write: + raise RuntimeError("must specify at least one of read=True, write=True") + rcheck = [] + wcheck = [] + if read: + rcheck.append(sock) + if write: + wcheck.append(sock) + # When doing a non-blocking connect, most systems signal success by + # marking the socket writable. Windows, though, signals success by marked + # it as "exceptional". We paper over the difference by checking the write + # sockets for both conditions. (The stdlib selectors module does the same + # thing.) + fn = partial(select.select, rcheck, wcheck, wcheck) + rready, wready, xready = _retry_on_intr(fn, timeout) + return bool(rready or wready or xready) + + +def poll_wait_for_socket(sock, read=False, write=False, timeout=None): + if not read and not write: + raise RuntimeError("must specify at least one of read=True, write=True") + mask = 0 + if read: + mask |= select.POLLIN + if write: + mask |= select.POLLOUT + poll_obj = select.poll() + poll_obj.register(sock, mask) + + # For some reason, poll() takes timeout in milliseconds + def do_poll(t): + if t is not None: + t *= 1000 + return poll_obj.poll(t) + + return bool(_retry_on_intr(do_poll, timeout)) + + +def null_wait_for_socket(*args, **kwargs): + raise NoWayToWaitForSocketError("no select-equivalent available") + + +def _have_working_poll(): + # Apparently some systems have a select.poll that fails as soon as you try + # to use it, either due to strange configuration or broken monkeypatching + # from libraries like eventlet/greenlet. + try: + poll_obj = select.poll() + _retry_on_intr(poll_obj.poll, 0) + except (AttributeError, OSError): + return False + else: + return True + + +def wait_for_socket(*args, **kwargs): + # We delay choosing which implementation to use until the first time we're + # called. We could do it at import time, but then we might make the wrong + # decision if someone goes wild with monkeypatching select.poll after + # we're imported. + global wait_for_socket + if _have_working_poll(): + wait_for_socket = poll_wait_for_socket + elif hasattr(select, "select"): + wait_for_socket = select_wait_for_socket + else: # Platform-specific: Appengine. + wait_for_socket = null_wait_for_socket + return wait_for_socket(*args, **kwargs) + + +def wait_for_read(sock, timeout=None): + """ Waits for reading to be available on a given socket. + Returns True if the socket is readable, or False if the timeout expired. + """ + return wait_for_socket(sock, read=True, timeout=timeout) + + +def wait_for_write(sock, timeout=None): + """ Waits for writing to be available on a given socket. + Returns True if the socket is readable, or False if the timeout expired. + """ + return wait_for_socket(sock, write=True, timeout=timeout) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/__init__.py new file mode 100644 index 0000000..d21d697 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/__init__.py @@ -0,0 +1,342 @@ +# coding: utf-8 +""" + + webencodings + ~~~~~~~~~~~~ + + This is a Python implementation of the `WHATWG Encoding standard + <http://encoding.spec.whatwg.org/>`. See README for details. + + :copyright: Copyright 2012 by Simon Sapin + :license: BSD, see LICENSE for details. + +""" + +from __future__ import unicode_literals + +import codecs + +from .labels import LABELS + + +VERSION = '0.5.1' + + +# Some names in Encoding are not valid Python aliases. Remap these. +PYTHON_NAMES = { + 'iso-8859-8-i': 'iso-8859-8', + 'x-mac-cyrillic': 'mac-cyrillic', + 'macintosh': 'mac-roman', + 'windows-874': 'cp874'} + +CACHE = {} + + +def ascii_lower(string): + r"""Transform (only) ASCII letters to lower case: A-Z is mapped to a-z. + + :param string: An Unicode string. + :returns: A new Unicode string. + + This is used for `ASCII case-insensitive + <http://encoding.spec.whatwg.org/#ascii-case-insensitive>`_ + matching of encoding labels. + The same matching is also used, among other things, + for `CSS keywords <http://dev.w3.org/csswg/css-values/#keywords>`_. + + This is different from the :meth:`~py:str.lower` method of Unicode strings + which also affect non-ASCII characters, + sometimes mapping them into the ASCII range: + + >>> keyword = u'Bac\N{KELVIN SIGN}ground' + >>> assert keyword.lower() == u'background' + >>> assert ascii_lower(keyword) != keyword.lower() + >>> assert ascii_lower(keyword) == u'bac\N{KELVIN SIGN}ground' + + """ + # This turns out to be faster than unicode.translate() + return string.encode('utf8').lower().decode('utf8') + + +def lookup(label): + """ + Look for an encoding by its label. + This is the spec’s `get an encoding + <http://encoding.spec.whatwg.org/#concept-encoding-get>`_ algorithm. + Supported labels are listed there. + + :param label: A string. + :returns: + An :class:`Encoding` object, or :obj:`None` for an unknown label. + + """ + # Only strip ASCII whitespace: U+0009, U+000A, U+000C, U+000D, and U+0020. + label = ascii_lower(label.strip('\t\n\f\r ')) + name = LABELS.get(label) + if name is None: + return None + encoding = CACHE.get(name) + if encoding is None: + if name == 'x-user-defined': + from .x_user_defined import codec_info + else: + python_name = PYTHON_NAMES.get(name, name) + # Any python_name value that gets to here should be valid. + codec_info = codecs.lookup(python_name) + encoding = Encoding(name, codec_info) + CACHE[name] = encoding + return encoding + + +def _get_encoding(encoding_or_label): + """ + Accept either an encoding object or label. + + :param encoding: An :class:`Encoding` object or a label string. + :returns: An :class:`Encoding` object. + :raises: :exc:`~exceptions.LookupError` for an unknown label. + + """ + if hasattr(encoding_or_label, 'codec_info'): + return encoding_or_label + + encoding = lookup(encoding_or_label) + if encoding is None: + raise LookupError('Unknown encoding label: %r' % encoding_or_label) + return encoding + + +class Encoding(object): + """Reresents a character encoding such as UTF-8, + that can be used for decoding or encoding. + + .. attribute:: name + + Canonical name of the encoding + + .. attribute:: codec_info + + The actual implementation of the encoding, + a stdlib :class:`~codecs.CodecInfo` object. + See :func:`codecs.register`. + + """ + def __init__(self, name, codec_info): + self.name = name + self.codec_info = codec_info + + def __repr__(self): + return '<Encoding %s>' % self.name + + +#: The UTF-8 encoding. Should be used for new content and formats. +UTF8 = lookup('utf-8') + +_UTF16LE = lookup('utf-16le') +_UTF16BE = lookup('utf-16be') + + +def decode(input, fallback_encoding, errors='replace'): + """ + Decode a single string. + + :param input: A byte string + :param fallback_encoding: + An :class:`Encoding` object or a label string. + The encoding to use if :obj:`input` does note have a BOM. + :param errors: Type of error handling. See :func:`codecs.register`. + :raises: :exc:`~exceptions.LookupError` for an unknown encoding label. + :return: + A ``(output, encoding)`` tuple of an Unicode string + and an :obj:`Encoding`. + + """ + # Fail early if `encoding` is an invalid label. + fallback_encoding = _get_encoding(fallback_encoding) + bom_encoding, input = _detect_bom(input) + encoding = bom_encoding or fallback_encoding + return encoding.codec_info.decode(input, errors)[0], encoding + + +def _detect_bom(input): + """Return (bom_encoding, input), with any BOM removed from the input.""" + if input.startswith(b'\xFF\xFE'): + return _UTF16LE, input[2:] + if input.startswith(b'\xFE\xFF'): + return _UTF16BE, input[2:] + if input.startswith(b'\xEF\xBB\xBF'): + return UTF8, input[3:] + return None, input + + +def encode(input, encoding=UTF8, errors='strict'): + """ + Encode a single string. + + :param input: An Unicode string. + :param encoding: An :class:`Encoding` object or a label string. + :param errors: Type of error handling. See :func:`codecs.register`. + :raises: :exc:`~exceptions.LookupError` for an unknown encoding label. + :return: A byte string. + + """ + return _get_encoding(encoding).codec_info.encode(input, errors)[0] + + +def iter_decode(input, fallback_encoding, errors='replace'): + """ + "Pull"-based decoder. + + :param input: + An iterable of byte strings. + + The input is first consumed just enough to determine the encoding + based on the precense of a BOM, + then consumed on demand when the return value is. + :param fallback_encoding: + An :class:`Encoding` object or a label string. + The encoding to use if :obj:`input` does note have a BOM. + :param errors: Type of error handling. See :func:`codecs.register`. + :raises: :exc:`~exceptions.LookupError` for an unknown encoding label. + :returns: + An ``(output, encoding)`` tuple. + :obj:`output` is an iterable of Unicode strings, + :obj:`encoding` is the :obj:`Encoding` that is being used. + + """ + + decoder = IncrementalDecoder(fallback_encoding, errors) + generator = _iter_decode_generator(input, decoder) + encoding = next(generator) + return generator, encoding + + +def _iter_decode_generator(input, decoder): + """Return a generator that first yields the :obj:`Encoding`, + then yields output chukns as Unicode strings. + + """ + decode = decoder.decode + input = iter(input) + for chunck in input: + output = decode(chunck) + if output: + assert decoder.encoding is not None + yield decoder.encoding + yield output + break + else: + # Input exhausted without determining the encoding + output = decode(b'', final=True) + assert decoder.encoding is not None + yield decoder.encoding + if output: + yield output + return + + for chunck in input: + output = decode(chunck) + if output: + yield output + output = decode(b'', final=True) + if output: + yield output + + +def iter_encode(input, encoding=UTF8, errors='strict'): + """ + “Pull”-based encoder. + + :param input: An iterable of Unicode strings. + :param encoding: An :class:`Encoding` object or a label string. + :param errors: Type of error handling. See :func:`codecs.register`. + :raises: :exc:`~exceptions.LookupError` for an unknown encoding label. + :returns: An iterable of byte strings. + + """ + # Fail early if `encoding` is an invalid label. + encode = IncrementalEncoder(encoding, errors).encode + return _iter_encode_generator(input, encode) + + +def _iter_encode_generator(input, encode): + for chunck in input: + output = encode(chunck) + if output: + yield output + output = encode('', final=True) + if output: + yield output + + +class IncrementalDecoder(object): + """ + “Push”-based decoder. + + :param fallback_encoding: + An :class:`Encoding` object or a label string. + The encoding to use if :obj:`input` does note have a BOM. + :param errors: Type of error handling. See :func:`codecs.register`. + :raises: :exc:`~exceptions.LookupError` for an unknown encoding label. + + """ + def __init__(self, fallback_encoding, errors='replace'): + # Fail early if `encoding` is an invalid label. + self._fallback_encoding = _get_encoding(fallback_encoding) + self._errors = errors + self._buffer = b'' + self._decoder = None + #: The actual :class:`Encoding` that is being used, + #: or :obj:`None` if that is not determined yet. + #: (Ie. if there is not enough input yet to determine + #: if there is a BOM.) + self.encoding = None # Not known yet. + + def decode(self, input, final=False): + """Decode one chunk of the input. + + :param input: A byte string. + :param final: + Indicate that no more input is available. + Must be :obj:`True` if this is the last call. + :returns: An Unicode string. + + """ + decoder = self._decoder + if decoder is not None: + return decoder(input, final) + + input = self._buffer + input + encoding, input = _detect_bom(input) + if encoding is None: + if len(input) < 3 and not final: # Not enough data yet. + self._buffer = input + return '' + else: # No BOM + encoding = self._fallback_encoding + decoder = encoding.codec_info.incrementaldecoder(self._errors).decode + self._decoder = decoder + self.encoding = encoding + return decoder(input, final) + + +class IncrementalEncoder(object): + """ + “Push”-based encoder. + + :param encoding: An :class:`Encoding` object or a label string. + :param errors: Type of error handling. See :func:`codecs.register`. + :raises: :exc:`~exceptions.LookupError` for an unknown encoding label. + + .. method:: encode(input, final=False) + + :param input: An Unicode string. + :param final: + Indicate that no more input is available. + Must be :obj:`True` if this is the last call. + :returns: A byte string. + + """ + def __init__(self, encoding=UTF8, errors='strict'): + encoding = _get_encoding(encoding) + self.encode = encoding.codec_info.incrementalencoder(errors).encode diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/labels.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/labels.py new file mode 100644 index 0000000..29cbf91 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/labels.py @@ -0,0 +1,231 @@ +""" + + webencodings.labels + ~~~~~~~~~~~~~~~~~~~ + + Map encoding labels to their name. + + :copyright: Copyright 2012 by Simon Sapin + :license: BSD, see LICENSE for details. + +""" + +# XXX Do not edit! +# This file is automatically generated by mklabels.py + +LABELS = { + 'unicode-1-1-utf-8': 'utf-8', + 'utf-8': 'utf-8', + 'utf8': 'utf-8', + '866': 'ibm866', + 'cp866': 'ibm866', + 'csibm866': 'ibm866', + 'ibm866': 'ibm866', + 'csisolatin2': 'iso-8859-2', + 'iso-8859-2': 'iso-8859-2', + 'iso-ir-101': 'iso-8859-2', + 'iso8859-2': 'iso-8859-2', + 'iso88592': 'iso-8859-2', + 'iso_8859-2': 'iso-8859-2', + 'iso_8859-2:1987': 'iso-8859-2', + 'l2': 'iso-8859-2', + 'latin2': 'iso-8859-2', + 'csisolatin3': 'iso-8859-3', + 'iso-8859-3': 'iso-8859-3', + 'iso-ir-109': 'iso-8859-3', + 'iso8859-3': 'iso-8859-3', + 'iso88593': 'iso-8859-3', + 'iso_8859-3': 'iso-8859-3', + 'iso_8859-3:1988': 'iso-8859-3', + 'l3': 'iso-8859-3', + 'latin3': 'iso-8859-3', + 'csisolatin4': 'iso-8859-4', + 'iso-8859-4': 'iso-8859-4', + 'iso-ir-110': 'iso-8859-4', + 'iso8859-4': 'iso-8859-4', + 'iso88594': 'iso-8859-4', + 'iso_8859-4': 'iso-8859-4', + 'iso_8859-4:1988': 'iso-8859-4', + 'l4': 'iso-8859-4', + 'latin4': 'iso-8859-4', + 'csisolatincyrillic': 'iso-8859-5', + 'cyrillic': 'iso-8859-5', + 'iso-8859-5': 'iso-8859-5', + 'iso-ir-144': 'iso-8859-5', + 'iso8859-5': 'iso-8859-5', + 'iso88595': 'iso-8859-5', + 'iso_8859-5': 'iso-8859-5', + 'iso_8859-5:1988': 'iso-8859-5', + 'arabic': 'iso-8859-6', + 'asmo-708': 'iso-8859-6', + 'csiso88596e': 'iso-8859-6', + 'csiso88596i': 'iso-8859-6', + 'csisolatinarabic': 'iso-8859-6', + 'ecma-114': 'iso-8859-6', + 'iso-8859-6': 'iso-8859-6', + 'iso-8859-6-e': 'iso-8859-6', + 'iso-8859-6-i': 'iso-8859-6', + 'iso-ir-127': 'iso-8859-6', + 'iso8859-6': 'iso-8859-6', + 'iso88596': 'iso-8859-6', + 'iso_8859-6': 'iso-8859-6', + 'iso_8859-6:1987': 'iso-8859-6', + 'csisolatingreek': 'iso-8859-7', + 'ecma-118': 'iso-8859-7', + 'elot_928': 'iso-8859-7', + 'greek': 'iso-8859-7', + 'greek8': 'iso-8859-7', + 'iso-8859-7': 'iso-8859-7', + 'iso-ir-126': 'iso-8859-7', + 'iso8859-7': 'iso-8859-7', + 'iso88597': 'iso-8859-7', + 'iso_8859-7': 'iso-8859-7', + 'iso_8859-7:1987': 'iso-8859-7', + 'sun_eu_greek': 'iso-8859-7', + 'csiso88598e': 'iso-8859-8', + 'csisolatinhebrew': 'iso-8859-8', + 'hebrew': 'iso-8859-8', + 'iso-8859-8': 'iso-8859-8', + 'iso-8859-8-e': 'iso-8859-8', + 'iso-ir-138': 'iso-8859-8', + 'iso8859-8': 'iso-8859-8', + 'iso88598': 'iso-8859-8', + 'iso_8859-8': 'iso-8859-8', + 'iso_8859-8:1988': 'iso-8859-8', + 'visual': 'iso-8859-8', + 'csiso88598i': 'iso-8859-8-i', + 'iso-8859-8-i': 'iso-8859-8-i', + 'logical': 'iso-8859-8-i', + 'csisolatin6': 'iso-8859-10', + 'iso-8859-10': 'iso-8859-10', + 'iso-ir-157': 'iso-8859-10', + 'iso8859-10': 'iso-8859-10', + 'iso885910': 'iso-8859-10', + 'l6': 'iso-8859-10', + 'latin6': 'iso-8859-10', + 'iso-8859-13': 'iso-8859-13', + 'iso8859-13': 'iso-8859-13', + 'iso885913': 'iso-8859-13', + 'iso-8859-14': 'iso-8859-14', + 'iso8859-14': 'iso-8859-14', + 'iso885914': 'iso-8859-14', + 'csisolatin9': 'iso-8859-15', + 'iso-8859-15': 'iso-8859-15', + 'iso8859-15': 'iso-8859-15', + 'iso885915': 'iso-8859-15', + 'iso_8859-15': 'iso-8859-15', + 'l9': 'iso-8859-15', + 'iso-8859-16': 'iso-8859-16', + 'cskoi8r': 'koi8-r', + 'koi': 'koi8-r', + 'koi8': 'koi8-r', + 'koi8-r': 'koi8-r', + 'koi8_r': 'koi8-r', + 'koi8-u': 'koi8-u', + 'csmacintosh': 'macintosh', + 'mac': 'macintosh', + 'macintosh': 'macintosh', + 'x-mac-roman': 'macintosh', + 'dos-874': 'windows-874', + 'iso-8859-11': 'windows-874', + 'iso8859-11': 'windows-874', + 'iso885911': 'windows-874', + 'tis-620': 'windows-874', + 'windows-874': 'windows-874', + 'cp1250': 'windows-1250', + 'windows-1250': 'windows-1250', + 'x-cp1250': 'windows-1250', + 'cp1251': 'windows-1251', + 'windows-1251': 'windows-1251', + 'x-cp1251': 'windows-1251', + 'ansi_x3.4-1968': 'windows-1252', + 'ascii': 'windows-1252', + 'cp1252': 'windows-1252', + 'cp819': 'windows-1252', + 'csisolatin1': 'windows-1252', + 'ibm819': 'windows-1252', + 'iso-8859-1': 'windows-1252', + 'iso-ir-100': 'windows-1252', + 'iso8859-1': 'windows-1252', + 'iso88591': 'windows-1252', + 'iso_8859-1': 'windows-1252', + 'iso_8859-1:1987': 'windows-1252', + 'l1': 'windows-1252', + 'latin1': 'windows-1252', + 'us-ascii': 'windows-1252', + 'windows-1252': 'windows-1252', + 'x-cp1252': 'windows-1252', + 'cp1253': 'windows-1253', + 'windows-1253': 'windows-1253', + 'x-cp1253': 'windows-1253', + 'cp1254': 'windows-1254', + 'csisolatin5': 'windows-1254', + 'iso-8859-9': 'windows-1254', + 'iso-ir-148': 'windows-1254', + 'iso8859-9': 'windows-1254', + 'iso88599': 'windows-1254', + 'iso_8859-9': 'windows-1254', + 'iso_8859-9:1989': 'windows-1254', + 'l5': 'windows-1254', + 'latin5': 'windows-1254', + 'windows-1254': 'windows-1254', + 'x-cp1254': 'windows-1254', + 'cp1255': 'windows-1255', + 'windows-1255': 'windows-1255', + 'x-cp1255': 'windows-1255', + 'cp1256': 'windows-1256', + 'windows-1256': 'windows-1256', + 'x-cp1256': 'windows-1256', + 'cp1257': 'windows-1257', + 'windows-1257': 'windows-1257', + 'x-cp1257': 'windows-1257', + 'cp1258': 'windows-1258', + 'windows-1258': 'windows-1258', + 'x-cp1258': 'windows-1258', + 'x-mac-cyrillic': 'x-mac-cyrillic', + 'x-mac-ukrainian': 'x-mac-cyrillic', + 'chinese': 'gbk', + 'csgb2312': 'gbk', + 'csiso58gb231280': 'gbk', + 'gb2312': 'gbk', + 'gb_2312': 'gbk', + 'gb_2312-80': 'gbk', + 'gbk': 'gbk', + 'iso-ir-58': 'gbk', + 'x-gbk': 'gbk', + 'gb18030': 'gb18030', + 'hz-gb-2312': 'hz-gb-2312', + 'big5': 'big5', + 'big5-hkscs': 'big5', + 'cn-big5': 'big5', + 'csbig5': 'big5', + 'x-x-big5': 'big5', + 'cseucpkdfmtjapanese': 'euc-jp', + 'euc-jp': 'euc-jp', + 'x-euc-jp': 'euc-jp', + 'csiso2022jp': 'iso-2022-jp', + 'iso-2022-jp': 'iso-2022-jp', + 'csshiftjis': 'shift_jis', + 'ms_kanji': 'shift_jis', + 'shift-jis': 'shift_jis', + 'shift_jis': 'shift_jis', + 'sjis': 'shift_jis', + 'windows-31j': 'shift_jis', + 'x-sjis': 'shift_jis', + 'cseuckr': 'euc-kr', + 'csksc56011987': 'euc-kr', + 'euc-kr': 'euc-kr', + 'iso-ir-149': 'euc-kr', + 'korean': 'euc-kr', + 'ks_c_5601-1987': 'euc-kr', + 'ks_c_5601-1989': 'euc-kr', + 'ksc5601': 'euc-kr', + 'ksc_5601': 'euc-kr', + 'windows-949': 'euc-kr', + 'csiso2022kr': 'iso-2022-kr', + 'iso-2022-kr': 'iso-2022-kr', + 'utf-16be': 'utf-16be', + 'utf-16': 'utf-16le', + 'utf-16le': 'utf-16le', + 'x-user-defined': 'x-user-defined', +} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/mklabels.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/mklabels.py new file mode 100644 index 0000000..295dc92 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/mklabels.py @@ -0,0 +1,59 @@ +""" + + webencodings.mklabels + ~~~~~~~~~~~~~~~~~~~~~ + + Regenarate the webencodings.labels module. + + :copyright: Copyright 2012 by Simon Sapin + :license: BSD, see LICENSE for details. + +""" + +import json +try: + from urllib import urlopen +except ImportError: + from urllib.request import urlopen + + +def assert_lower(string): + assert string == string.lower() + return string + + +def generate(url): + parts = ['''\ +""" + + webencodings.labels + ~~~~~~~~~~~~~~~~~~~ + + Map encoding labels to their name. + + :copyright: Copyright 2012 by Simon Sapin + :license: BSD, see LICENSE for details. + +""" + +# XXX Do not edit! +# This file is automatically generated by mklabels.py + +LABELS = { +'''] + labels = [ + (repr(assert_lower(label)).lstrip('u'), + repr(encoding['name']).lstrip('u')) + for category in json.loads(urlopen(url).read().decode('ascii')) + for encoding in category['encodings'] + for label in encoding['labels']] + max_len = max(len(label) for label, name in labels) + parts.extend( + ' %s:%s %s,\n' % (label, ' ' * (max_len - len(label)), name) + for label, name in labels) + parts.append('}') + return ''.join(parts) + + +if __name__ == '__main__': + print(generate('http://encoding.spec.whatwg.org/encodings.json')) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/tests.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/tests.py new file mode 100644 index 0000000..e12c10d --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/tests.py @@ -0,0 +1,153 @@ +# coding: utf-8 +""" + + webencodings.tests + ~~~~~~~~~~~~~~~~~~ + + A basic test suite for Encoding. + + :copyright: Copyright 2012 by Simon Sapin + :license: BSD, see LICENSE for details. + +""" + +from __future__ import unicode_literals + +from . import (lookup, LABELS, decode, encode, iter_decode, iter_encode, + IncrementalDecoder, IncrementalEncoder, UTF8) + + +def assert_raises(exception, function, *args, **kwargs): + try: + function(*args, **kwargs) + except exception: + return + else: # pragma: no cover + raise AssertionError('Did not raise %s.' % exception) + + +def test_labels(): + assert lookup('utf-8').name == 'utf-8' + assert lookup('Utf-8').name == 'utf-8' + assert lookup('UTF-8').name == 'utf-8' + assert lookup('utf8').name == 'utf-8' + assert lookup('utf8').name == 'utf-8' + assert lookup('utf8 ').name == 'utf-8' + assert lookup(' \r\nutf8\t').name == 'utf-8' + assert lookup('u8') is None # Python label. + assert lookup('utf-8 ') is None # Non-ASCII white space. + + assert lookup('US-ASCII').name == 'windows-1252' + assert lookup('iso-8859-1').name == 'windows-1252' + assert lookup('latin1').name == 'windows-1252' + assert lookup('LATIN1').name == 'windows-1252' + assert lookup('latin-1') is None + assert lookup('LATİN1') is None # ASCII-only case insensitivity. + + +def test_all_labels(): + for label in LABELS: + assert decode(b'', label) == ('', lookup(label)) + assert encode('', label) == b'' + for repeat in [0, 1, 12]: + output, _ = iter_decode([b''] * repeat, label) + assert list(output) == [] + assert list(iter_encode([''] * repeat, label)) == [] + decoder = IncrementalDecoder(label) + assert decoder.decode(b'') == '' + assert decoder.decode(b'', final=True) == '' + encoder = IncrementalEncoder(label) + assert encoder.encode('') == b'' + assert encoder.encode('', final=True) == b'' + # All encoding names are valid labels too: + for name in set(LABELS.values()): + assert lookup(name).name == name + + +def test_invalid_label(): + assert_raises(LookupError, decode, b'\xEF\xBB\xBF\xc3\xa9', 'invalid') + assert_raises(LookupError, encode, 'é', 'invalid') + assert_raises(LookupError, iter_decode, [], 'invalid') + assert_raises(LookupError, iter_encode, [], 'invalid') + assert_raises(LookupError, IncrementalDecoder, 'invalid') + assert_raises(LookupError, IncrementalEncoder, 'invalid') + + +def test_decode(): + assert decode(b'\x80', 'latin1') == ('€', lookup('latin1')) + assert decode(b'\x80', lookup('latin1')) == ('€', lookup('latin1')) + assert decode(b'\xc3\xa9', 'utf8') == ('é', lookup('utf8')) + assert decode(b'\xc3\xa9', UTF8) == ('é', lookup('utf8')) + assert decode(b'\xc3\xa9', 'ascii') == ('é', lookup('ascii')) + assert decode(b'\xEF\xBB\xBF\xc3\xa9', 'ascii') == ('é', lookup('utf8')) # UTF-8 with BOM + + assert decode(b'\xFE\xFF\x00\xe9', 'ascii') == ('é', lookup('utf-16be')) # UTF-16-BE with BOM + assert decode(b'\xFF\xFE\xe9\x00', 'ascii') == ('é', lookup('utf-16le')) # UTF-16-LE with BOM + assert decode(b'\xFE\xFF\xe9\x00', 'ascii') == ('\ue900', lookup('utf-16be')) + assert decode(b'\xFF\xFE\x00\xe9', 'ascii') == ('\ue900', lookup('utf-16le')) + + assert decode(b'\x00\xe9', 'UTF-16BE') == ('é', lookup('utf-16be')) + assert decode(b'\xe9\x00', 'UTF-16LE') == ('é', lookup('utf-16le')) + assert decode(b'\xe9\x00', 'UTF-16') == ('é', lookup('utf-16le')) + + assert decode(b'\xe9\x00', 'UTF-16BE') == ('\ue900', lookup('utf-16be')) + assert decode(b'\x00\xe9', 'UTF-16LE') == ('\ue900', lookup('utf-16le')) + assert decode(b'\x00\xe9', 'UTF-16') == ('\ue900', lookup('utf-16le')) + + +def test_encode(): + assert encode('é', 'latin1') == b'\xe9' + assert encode('é', 'utf8') == b'\xc3\xa9' + assert encode('é', 'utf8') == b'\xc3\xa9' + assert encode('é', 'utf-16') == b'\xe9\x00' + assert encode('é', 'utf-16le') == b'\xe9\x00' + assert encode('é', 'utf-16be') == b'\x00\xe9' + + +def test_iter_decode(): + def iter_decode_to_string(input, fallback_encoding): + output, _encoding = iter_decode(input, fallback_encoding) + return ''.join(output) + assert iter_decode_to_string([], 'latin1') == '' + assert iter_decode_to_string([b''], 'latin1') == '' + assert iter_decode_to_string([b'\xe9'], 'latin1') == 'é' + assert iter_decode_to_string([b'hello'], 'latin1') == 'hello' + assert iter_decode_to_string([b'he', b'llo'], 'latin1') == 'hello' + assert iter_decode_to_string([b'hell', b'o'], 'latin1') == 'hello' + assert iter_decode_to_string([b'\xc3\xa9'], 'latin1') == 'é' + assert iter_decode_to_string([b'\xEF\xBB\xBF\xc3\xa9'], 'latin1') == 'é' + assert iter_decode_to_string([ + b'\xEF\xBB\xBF', b'\xc3', b'\xa9'], 'latin1') == 'é' + assert iter_decode_to_string([ + b'\xEF\xBB\xBF', b'a', b'\xc3'], 'latin1') == 'a\uFFFD' + assert iter_decode_to_string([ + b'', b'\xEF', b'', b'', b'\xBB\xBF\xc3', b'\xa9'], 'latin1') == 'é' + assert iter_decode_to_string([b'\xEF\xBB\xBF'], 'latin1') == '' + assert iter_decode_to_string([b'\xEF\xBB'], 'latin1') == 'ï»' + assert iter_decode_to_string([b'\xFE\xFF\x00\xe9'], 'latin1') == 'é' + assert iter_decode_to_string([b'\xFF\xFE\xe9\x00'], 'latin1') == 'é' + assert iter_decode_to_string([ + b'', b'\xFF', b'', b'', b'\xFE\xe9', b'\x00'], 'latin1') == 'é' + assert iter_decode_to_string([ + b'', b'h\xe9', b'llo'], 'x-user-defined') == 'h\uF7E9llo' + + +def test_iter_encode(): + assert b''.join(iter_encode([], 'latin1')) == b'' + assert b''.join(iter_encode([''], 'latin1')) == b'' + assert b''.join(iter_encode(['é'], 'latin1')) == b'\xe9' + assert b''.join(iter_encode(['', 'é', '', ''], 'latin1')) == b'\xe9' + assert b''.join(iter_encode(['', 'é', '', ''], 'utf-16')) == b'\xe9\x00' + assert b''.join(iter_encode(['', 'é', '', ''], 'utf-16le')) == b'\xe9\x00' + assert b''.join(iter_encode(['', 'é', '', ''], 'utf-16be')) == b'\x00\xe9' + assert b''.join(iter_encode([ + '', 'h\uF7E9', '', 'llo'], 'x-user-defined')) == b'h\xe9llo' + + +def test_x_user_defined(): + encoded = b'2,\x0c\x0b\x1aO\xd9#\xcb\x0f\xc9\xbbt\xcf\xa8\xca' + decoded = '2,\x0c\x0b\x1aO\uf7d9#\uf7cb\x0f\uf7c9\uf7bbt\uf7cf\uf7a8\uf7ca' + encoded = b'aa' + decoded = 'aa' + assert decode(encoded, 'x-user-defined') == (decoded, lookup('x-user-defined')) + assert encode(decoded, 'x-user-defined') == encoded diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/x_user_defined.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/x_user_defined.py new file mode 100644 index 0000000..d16e326 --- /dev/null +++ b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/x_user_defined.py @@ -0,0 +1,325 @@ +# coding: utf-8 +""" + + webencodings.x_user_defined + ~~~~~~~~~~~~~~~~~~~~~~~~~~~ + + An implementation of the x-user-defined encoding. + + :copyright: Copyright 2012 by Simon Sapin + :license: BSD, see LICENSE for details. + +""" + +from __future__ import unicode_literals + +import codecs + + +### Codec APIs + +class Codec(codecs.Codec): + + def encode(self, input, errors='strict'): + return codecs.charmap_encode(input, errors, encoding_table) + + def decode(self, input, errors='strict'): + return codecs.charmap_decode(input, errors, decoding_table) + + +class IncrementalEncoder(codecs.IncrementalEncoder): + def encode(self, input, final=False): + return codecs.charmap_encode(input, self.errors, encoding_table)[0] + + +class IncrementalDecoder(codecs.IncrementalDecoder): + def decode(self, input, final=False): + return codecs.charmap_decode(input, self.errors, decoding_table)[0] + + +class StreamWriter(Codec, codecs.StreamWriter): + pass + + +class StreamReader(Codec, codecs.StreamReader): + pass + + +### encodings module API + +codec_info = codecs.CodecInfo( + name='x-user-defined', + encode=Codec().encode, + decode=Codec().decode, + incrementalencoder=IncrementalEncoder, + incrementaldecoder=IncrementalDecoder, + streamreader=StreamReader, + streamwriter=StreamWriter, +) + + +### Decoding Table + +# Python 3: +# for c in range(256): print(' %r' % chr(c if c < 128 else c + 0xF700)) +decoding_table = ( + '\x00' + '\x01' + '\x02' + '\x03' + '\x04' + '\x05' + '\x06' + '\x07' + '\x08' + '\t' + '\n' + '\x0b' + '\x0c' + '\r' + '\x0e' + '\x0f' + '\x10' + '\x11' + '\x12' + '\x13' + '\x14' + '\x15' + '\x16' + '\x17' + '\x18' + '\x19' + '\x1a' + '\x1b' + '\x1c' + '\x1d' + '\x1e' + '\x1f' + ' ' + '!' + '"' + '#' + '$' + '%' + '&' + "'" + '(' + ')' + '*' + '+' + ',' + '-' + '.' + '/' + '0' + '1' + '2' + '3' + '4' + '5' + '6' + '7' + '8' + '9' + ':' + ';' + '<' + '=' + '>' + '?' + '@' + 'A' + 'B' + 'C' + 'D' + 'E' + 'F' + 'G' + 'H' + 'I' + 'J' + 'K' + 'L' + 'M' + 'N' + 'O' + 'P' + 'Q' + 'R' + 'S' + 'T' + 'U' + 'V' + 'W' + 'X' + 'Y' + 'Z' + '[' + '\\' + ']' + '^' + '_' + '`' + 'a' + 'b' + 'c' + 'd' + 'e' + 'f' + 'g' + 'h' + 'i' + 'j' + 'k' + 'l' + 'm' + 'n' + 'o' + 'p' + 'q' + 'r' + 's' + 't' + 'u' + 'v' + 'w' + 'x' + 'y' + 'z' + '{' + '|' + '}' + '~' + '\x7f' + '\uf780' + '\uf781' + '\uf782' + '\uf783' + '\uf784' + '\uf785' + '\uf786' + '\uf787' + '\uf788' + '\uf789' + '\uf78a' + '\uf78b' + '\uf78c' + '\uf78d' + '\uf78e' + '\uf78f' + '\uf790' + '\uf791' + '\uf792' + '\uf793' + '\uf794' + '\uf795' + '\uf796' + '\uf797' + '\uf798' + '\uf799' + '\uf79a' + '\uf79b' + '\uf79c' + '\uf79d' + '\uf79e' + '\uf79f' + '\uf7a0' + '\uf7a1' + '\uf7a2' + '\uf7a3' + '\uf7a4' + '\uf7a5' + '\uf7a6' + '\uf7a7' + '\uf7a8' + '\uf7a9' + '\uf7aa' + '\uf7ab' + '\uf7ac' + '\uf7ad' + '\uf7ae' + '\uf7af' + '\uf7b0' + '\uf7b1' + '\uf7b2' + '\uf7b3' + '\uf7b4' + '\uf7b5' + '\uf7b6' + '\uf7b7' + '\uf7b8' + '\uf7b9' + '\uf7ba' + '\uf7bb' + '\uf7bc' + '\uf7bd' + '\uf7be' + '\uf7bf' + '\uf7c0' + '\uf7c1' + '\uf7c2' + '\uf7c3' + '\uf7c4' + '\uf7c5' + '\uf7c6' + '\uf7c7' + '\uf7c8' + '\uf7c9' + '\uf7ca' + '\uf7cb' + '\uf7cc' + '\uf7cd' + '\uf7ce' + '\uf7cf' + '\uf7d0' + '\uf7d1' + '\uf7d2' + '\uf7d3' + '\uf7d4' + '\uf7d5' + '\uf7d6' + '\uf7d7' + '\uf7d8' + '\uf7d9' + '\uf7da' + '\uf7db' + '\uf7dc' + '\uf7dd' + '\uf7de' + '\uf7df' + '\uf7e0' + '\uf7e1' + '\uf7e2' + '\uf7e3' + '\uf7e4' + '\uf7e5' + '\uf7e6' + '\uf7e7' + '\uf7e8' + '\uf7e9' + '\uf7ea' + '\uf7eb' + '\uf7ec' + '\uf7ed' + '\uf7ee' + '\uf7ef' + '\uf7f0' + '\uf7f1' + '\uf7f2' + '\uf7f3' + '\uf7f4' + '\uf7f5' + '\uf7f6' + '\uf7f7' + '\uf7f8' + '\uf7f9' + '\uf7fa' + '\uf7fb' + '\uf7fc' + '\uf7fd' + '\uf7fe' + '\uf7ff' +) + +### Encoding table +encoding_table = codecs.charmap_build(decoding_table) diff --git a/venv/Lib/site-packages/setuptools-40.8.0-py3.7.egg b/venv/Lib/site-packages/setuptools-40.8.0-py3.7.egg new file mode 100644 index 0000000000000000000000000000000000000000..470208aa7d8a7d60d95acc6de19365509c6f9a07 GIT binary patch literal 571911 zcmZU)b981wvo{*scAnUp*tRFO?I$)Twrx#pI}>x_Ol;e}dC$4``_5VSk6NpD_3A>e z>ff&FU7L)A$=J%C$=MPS&dMC1128l;ayGL!vNHpaGaCZ<0i@1mF0PI)4i2`?3~bDd zT#U>Nj-ITHoQ!4`7Nh_@L^u~qGkbuUhnWe$(bL7!!Tx&=z+eI(wX$<`0J;F2J)P+R z4$i#)88A8;xmYq<**lv7U8tG=!~SoMk+JiCW~iyinW<=Kcmd`>2Rp$3)yrt&U}tA! zZ^~$9<m_qiz1+pf))w&p$~Sg!aB+448ae*A1~U&U7wZ4Rqo$!D1(1>pks`vG**cpc z!T|tgCYBE0t^ur^0rn0qfN$#oCJsQLnTZSFzq~eg0Dd#SXTSXem|NMJG5()bO19qy zm;r$Qy**Yg0AnK)8-R<$|1kCcw?%+&y8$jhPk@nyk(K>_%lgk=nH&9=J?2)3a7wb^ z5EvjJATS^ya1si-iXGxs-%ozug#1na(`QCUPlibrq+lTgvA=$bM(u%Y1OPO%$R=Gw z(*$uXD?73!jCOt$mPNKJ*1IPBA<lW(e^+)4#p;=QYUhKKG%3G8(5FCR$Xo+tSn|Co zd0K627J%nAZOa_%E~6Gm2bY+7zVIE}#Cm1^#o+(fDn1u!Wr)&h+-wLC5JW@}5Y%t0 z#3dyeq!lC-nUrMzdr+;h23+Gn@m-Go1of5TO+u9(ar=jWKcr^Yy7&j1y&-D^2TX$; zFHxvI-}KWLo17x?wt9R48A@)OAY1R8aVgEv^AE$*Cs^>$0}|f*Ed*!{zTkM06%n11 zp9DxPXCu&`ykCY~>DXGs^0*Dou|F8JikCbqJlKq*L`vC42^bXTQR!T4Js`-2@4_)X z?{cPOvdXiq7<+DUj>832p>j(-N6~E9LxoXfvoPQd%IRlI4uv)T76ZCqIr$nRB@bCD zv5Ofvz4=Dl<V3Ngn|`Ixcv0^excs_Hi3kgZrvXUvJU^c9Ej}Do?iiXcYyqm=-%dzP zEo3lo_fvI%{g#zAYJ2$G3G#rSV7|YDcD50eaDLkzux?rWa1L!w9ix9_Nr;!g45&)# zub2p@n;ZI<Hw#1$w!<a(^BdWPq4_8qu_A}Ruz;>ZG=#9!u)hc=C`rxtV=q}pXbt^Q zX*J33C9cEG#{|(pdL1zUuxHuNC74s}1A6i-ayax+IT%d)Y3bwYBh>3a%O<Z-HuKgf zFpM6f;y!qxlk8lrp+t)g^V0A>^P`Ml02)dTFY#zG>3qt{wS!H#-uryuT9<t4WXn87 z2^FRpPAn;RCjBw!Fmu#tc<gKMhBnS+HH1zeLum%6jVnx>)&ew50eKGj%_OFp1|2oj zLJIL}gK0Ep^IHKf%U4(p2Xrr|<Z9z5R04fNy=*xG5vwUuANAtOMiXP5TD|clvI-36 zRk?3318G*pN$UZ#B`upTqQJUufr$Ri<<e^E1y=ui!1+_qxtXk4#au6UGHNNsdKc7U z(-YA>&e26Pzxin%BxXV6x^ld`o|8mq1npcnLjY}e!FE`<mfBmf#;XqL6Jr|{S;@ga zntk-A`ZFX3cAO`c<9e<wmxT}QKa&CK!%Gz)>@d=yDU&I3bA|1gumD2s#9=Jygaqj` zw}l46!h~+X&kEUH8%~X_-gh1-v;?08jpvo~<e%}sDPlauu$LG;KJrHDj*`tv#sh28 z=5pp;lc=%`txD=j(Ub$)d<+~RiVyov*3v_ZQdP;<e-x>Py85^{z`zb~>pRrC{hm{; z-Uwvq->Ax#ce}9mZPBmwJ)+m32Oyt5RaJ=PYI_xK5}os0k|o=iks_>~*aF3WGiSAI zKm>CQ%M*(RIpgUH{X`eOPe#@%tL2jCF4UFDpFTiPkEgwOY~W_chWt?>;*c>?{uX}v z4r^(YAVSPV5q5<7V)#=G4G4;~T$jN6mX)<RY}cNvh|5nUQ4J&OZ=m47G2uJO{`dM+ z;D}<#UOo6^9j1wQ6?b_<(Tk?Cagv15g9v*XeW!)9Xmw{3<g3h=MA94leeZ+B;VJCB zP0)1Y8NZ~&k<Pif$;Lh(o3EhL%xg6U;v7ZqCrU|xB8#1ao3R+FhC<9>%fknxCch|0 z#3-5!lu9?3VxK*YN^y$96xDNCzDSrp1FI?Vu*+)E)v)Ae;8zFU7TcZ?E741>H$$_e zr#y{ech*mpW&52?sHa@vw?;ZZXvNI)<00pj-r`8@v6jfydoIM>7hAf(J9R+CqvQ2A zM*V*P`yVLtLY<s{_=YlaED(_Y!0!KnG8IL&pQ7R_j4mE7DVp-m-)Po-rm??5Bqo2s z#_z35@zCVP<K#Rnv>!PT4xt2+{OA3Z@tGv>xxrg{(ieH#xZR_(azv0wzsJ@9zGUjO zwru2L;>_*g{rdLa^X*l!|M_(7ap&pi0^}-$`5!ec{A#UC{}WVGy+8OOzmYEfKeosA z0zxL_{7B&9sY?5%Yt`>1P8*$Sa(-cWA5F$LBeLODncx#s<;$}ZCb1Z<yPqsde}w4p ztqmQA!zbzr(MmS?=E=^r!1t0|r)mg@Xt{*R$je<f>fzv=S>O#Fcdd1^_su_qCEROL zyOkK&U(LCg?Ltl+poZz%)`<@4DdC!qRbi)p@VyFOzhwyv2Me@eKz_N&A@&2SgVY&Z z`S1wXMA(o{@ao41V?bAw)d=L)CZoYGyLJ{_;5Y_FjRvtrS*Sx(=2euf<>f*t-@IIK zBPxeZI3dU;5l9AG4FIY?jGc}62GNo}KA1`@DcE;-fMEKtDXX65N;Gt(E|~yt=@j!W z1r@f=;{F@Ka#E_co}g4o?LE3#gAR1PC8M<Wr5%DxodjUHM@i?LUx%)0&3$SGnJKtO z3FD6^LLY_#Q}4&=4c@^_cT~kT5_G=efuVrij5eg-&y@CG6y9Bi#UiLmwqd!jL{3u$ zR7J;*sfh_DJ#nsBr{OnsKg~Tk`!%y?*);%|$qPhb*}r$^s~xFTQ=r|zj0HoX5epTy znHRvvL#wZ@;MxKlKJHnJ5#^{AC!fIiV_pKxC!sEMG9JkcRRU+Uc2~|qFUI>Q-FkjU z5sqmOk`*j+#-#jRL*MeT_`@F<1>F=xT<{d5X~B<P#$ee6wVmhRg(ozOc3=b$-2AY% zB&0vR^6QKk2Xl1wgk6^emG^8$|IA{?^0X3o4{?1t8Zg{|>z|!OsJej^zHYJ)zbwWW z_xBvpqN!jp`C#Rd+0mSV1`({E#^H5Zx^c%)TDBQ}GQNAtGgwk&%IlTrU#{Ki<u^Vu zgBM32PQvzBO$xm!Qb1ESP*W^6bPhuylQ+($#37M3@h&9agHE!Me~Ma&QQL&+Dz8BG zq5X|&s;p?jI}&w*KiSn-|0DB=!NxN6Ov*p?NMnZHQ;Vl@L37t4>QKac4U5TvHh@(Q zU*bb!a%H-LsXu#sSEfaa;41H8P9?kG-tgku)k|9F@67HT_9||!L>PuOVG}lG;M@Gq z=%35>t*t$z2ZUiLrB&I76Hd!bkO&-~#pCg!_zk=w!zH&luf`tir-E1%se0pztPP zy<Fu^xfoVduEmE2EJ7!;fp_8ffjq0*D5;PUIdP=bq06p3mMcIg0EZA1=gkwL@HSN` zM4sdsNUI9a=O9<l7>pyRy8L=N101eUKJw4uSgc9N2%q+v?-K8h!F2@qDTZml{2y~X zg|HMf+_c2G@Bs92F`)>Tc2FuM^f1&5D?+}%n~b;#3hu(;R;jWu4&h<L3x5hsU8c;2 z)W(QQN{QH=^EGXH0)iPggzx5B0C?q#%wQ$b8V9nh1CQ&%TWy?sY+O*}OO2gXs&75% zSVce1n0FC7WJjr@=J_bOQH@+@b<-~AjL`_TSuowCsMAY}5NRzk(X&8xJ@BBXBV}+o zj96J|$g!Ps{nQcrc7hdy-?^Ysey1x<-mB0QOg#s0erZ?W#{R5Zg|9ENeys<tn9X^Q zvyk6Oz9Ro`nB-hF*hu|`$E$B5{GTvsYUXHWZ)#?5;%Q)OWpCsBUwAn+hBN@c5c=EQ zyVDU@VD{t2gqjad86H&5q<53VX=iS6N-t-{+lop=q{BG)_L!xXr8Slas3%o_X^d@K zeBkXWMc}0A4R^8@s6yEfk~VAi%S>>yi)&`dI#hyrA_i4^RM~p3c>xC}B}wql*Gi17 zm2Xt_QKTTN(so_htrG)n4LEW#?c-0Xi{C2hvSx?MKla0@{<lNJxY}ApU?3nh@E{<# z|I;Be`|teRz|q0V-sQiYQJ=D32cY!aVR#0f7jUbJoHnbe{hs2FM2WKCw6x0)XmrZ! z0f!1}j$ZCb@4xfCGch0Tf~n5759Br~xw%XMaR*Nt_uOnj-XbD+-t?%}aYyMmYqLh8 z2y)Y{z@Ofm-#Jq!^0X?x>rTs~jt*!|>@-7H7T-%E08i_G=|ad^a7jcP%CwIOvgVPF z0H)AF^hn5}cr}uZ=(ixESM#a2CFS}>MnDp?hiS=E(I`*W4KssJfmv-6YTKpmNK4Pl z7|Z<3ae>TTbV+<nRc<HoP^H^!NHq_v>KG$xxM^x|rE<o|=}kXZjcWm!70C_%y|*+5 zD`w$syc3;=cm9Ld#tJKZG1t31zbG~q-szptg}tV#L<_)}?FmVs$|e9?fvVpxPDqHo zTVT#)Y3UKa*_6pSQLZdGLP4TcBu-HTCItUt&LNK1+2^>(AxBM+d1c7|w)>zW6qas& zXmYyV4&uBi<2pPzGK$ZfkEdkZ*WF=j3Mv?EhLwF;9Z*evaM2f?YR$rR1GPIKgA$1R z_YskKa0rsWA=F#nEEQntH9;ux+?s}Ux=D(lW0;heJde61r<cUHfG!h&Bq9>&zCAm! zUoovR9sl9E#hwNF2jNq`^6iEfTqKwL@m$mO4Gk$}R0MTKQdBrT=kL;;2|U^Qqs&D> zr~WjRbl_)**!@Rh8*HyTO4g|Yiz&_oq<12*A!o~w*rw<!6{7QdQ?djuj_24{*x=$W zXB`)PuK$O}`^(!~9<P66xW!?jAJZMT({=M&pQ-Sk9A34fw*pklb<H|$>b4y5peu@^ z0|(IUjR|@p6+p@oPfq`EVgJ?c!12~|L1w3kZ!eg2G8ztnWilc|O>O1j#MJDCxQq{7 z7{}1OV;%DApdO>0WMA-qM>d#2_=3cDM9Y2?=KqXrpqZ1a70~RzqIxe<L4kpmCiVbK zIm0TWr9}cN)Z8o8OTt`N_wUdUxB5`Z&<!Ma1clX$cza9B=|P6)u*7M-t`J^TBY7|N z;?k1POgKEq|5nVb3z|Uvt&sAYzO$+Sn@YJjI2zcRxtZDi2OMPO>1(2ACg~WZC&zYZ zM-}3jWEiHI7-SR}4rvt_Xc(x+W@cy(!TyKr$nQEh32ONV__s{ZZ~9*qr<au@gR_yj z+1~$L@t?{$xyaKV9tZ-`oDce62i(!d!r<F^2UnnpnKP5Y_r-ygi-Ey+4L#X?;e|hv z0(j5U_)9VZF9fBNm@{d*U%(n!O#ZK)qK14esi0j5-7=mqXoDFK1=8Ec>g}AOyY)JE zrb1<L@%v`r5tlDQJik)WH;2cyXGWRB=1|S|g?!B(You3@i;s_wi@|(($Sk9JqGh$l z!tC+>{-ED!*V*xUfwSUY)oALJ89QC-YN2*2Nc$#+n%;Ednzggq;<e9E{)krNV>R-> zi=i&<v_|>HO|z^@pdLpQ-^8X~%Bu)-YSnvP&~WuvJ)`~jqv5=%#?TuYiK>l<voqwE zmS|^7h<{WJ0(q7Ku|nD2x$uT9k!h>O^|o*OaI2vZ7lD_`W}uTgL-c`XlJK4FTB_Fk z;X<KS%51*%DMxUwLu7}xT^h(F;#ojwie7SE4|8J6FHlwXrlA@`qL+T*D-0v{BQqVn z-P3;j)~VM_XamkOe64M_W&3e_-(EuE{euGvL0k)Q{+Skb0dSa4P`QHx$}G$}+zIvV zxoP^!tVs3p6=g~2m$=2qEfURz7uz-a%&hbKA*;uiq8Y>XNYD1rlR-T53%6$LCH%~F z7cVV)$~$8f1j+f6e);xx>qBmm<$hyC6w0I_w?@6RBx&`HS(_p8HTu>p;J_9#(!P6o z@#kt=Z-vCyKUL0>&u%w=JGaU?_E67lwn>c>5x+KuCHC`pn=N~|C)@gJP`a!V@3xMf zb^D4Ee6$^*Mz=UnP^>!9SKlT2w1A3m@*e3$`_#o>eoPLL*04Cu_Oj5Wy0tcfL${Ra zeWmYp?RwaBtvFdg!sz-69X{gM=1o9H$7NQ_tB~NV#Hf!8w&U8fBF<#LdABz(zF#tT zw<!2_uu9jiA?<!X>Y+o+IjiX01$s@_BJU`#zsn&%?zB)_Ju3$i^vhIyBA)MEu>W4) zC&1MTHvjPkZaVIS#5yI%v~~;V&6yTKRLBvgM!Ven2%mK6kUTj5Uh0Wl&N$V2Mq&FG zN8!ObIxHY{4`zA_t{%&Y00uOBB8o8gtm+p!@UIUD{jLHYayZI@Je!x7Gop(FLU>fN zF~X6n*5dNQbtfm&R(E>W$Kn0`LzX-9y!)A5yTyqO*SL)k1plu++h%*l$fyIPfC1d8 z&-Z(Aw9C8zgk<QOa?om<_0rOu?Y!6YliW*FSrZ4)JWf5;9e+c_yDVd<re26~{ie^O zh&L^BrAb4<fCXEQvs18RkQ&Bp@-9tN3M-;Jpw@YO>^NBJcR|;6A^%;Tf<M2Q237KA z+%p>NQfOvq$XCNB*|=A39L3=_Uk$ezHwQslU)hh|<2zZ9S~&c`MN0HI%{+88X%<q0 zDvI-j9TRCT-(HOKcF_B*`}OuxTE$8HawuQlb9jlg&E5tbxr&B_5dVQrI(O~dJQ|u8 z*C<(ZZV<n6Hc6@0ZMjY5^SFlUu+UMyz0$q9<WX)39u^jR{Ep=b*X4gRJZ(C9H;DQW z0R4Vnn|I>m>Anb(AH_gm+xCvbbWF;$?a0ZVo$1*Qn1&>>LB7AVYVY~2O^`na7(n;A zuUO^tt+AE6#-JYQ3W)%}ZfU1!oS?{_Dp}8JT?E4N1)U|7)md$qU`bhauCUmEWrJ7A z`2ko}Ry=|SWfcDbiv%(6UWx-`kNBOa(7PODgsgqfTWsd+m&}}sdS_D2lpQquc=xa= z17>ozL~xiRVFCRe`MeGy_oRNoFp_Xc4br!)n^x#Ttq=AM)`o{0_1jfH9j{CO+--U) z%}o^u4(e)`vT-SBdK#PFld#wa3>`p}Pxxf`75k*E9e@wm?Z^7Ptx0aNXs}?|rql+F zj>7EpZUJOHydnRjw(0K{1Tr>Vw3vogj_z{-fSr4?Rn&6@2T04&E9@c)+Y|X`>km$j zAet$t4lJlbgHJ!8B<oL1Qygm-wZeM#w>nzOtK(<wJJTNCjJ2jpUid-$)%39%b3l<H zz_^)kEQKdN=4XDqM`RQF@r8^?aR>POJNnW&CxEjP9IP!8;P<0@848^id9ttVOC{G% z=)oh7WC#(&G!4Sm3BT`}QuEJh5MjE)_;)D0n1>;DKxs;`*wzM&aaM~s#ZTAFpbo4W z&XG>Aj|xm}<{>lfScFneNZ4(ZYYWo8YEbpM(=Rme!ku=c)J%C8K^%#CV26RByh@7h z4L64%YSH>0x?PJ3*r<0F=qQ~=;0+cAUqff7<On+_klkoaT<=t#V{*cE*fM^qKf2=C z>&~`!EiL;RJHe9FkKiG3(z6UEFiq?p8ta=PM?RRniNy&%hBCn*t4~wWA|ZUV`wtF6 zdbYXF4dg>g+=;q2b~{D0hR=BYL^@V0))@T_PBiH6d_E$I{Tt=7+BHJ2)x~UGmAxNB zh;Lc^(Uk>!nETDW-7oV382c2rnLg^l55oN<9NOx+G1m>VzVE{u9ERO#$)@!<auHg5 ze2x{auI!MWKUFi1t1nkT9e{zfZLmDWfRtd!4Y!P|E&X&8{Lmut?*&8+3~{tt*28nH zaCDtM`(CydCI&3kMcvMl{kev|p`#13BjeaQdSg96cLL0bxnb1}vFc^GC-m&~wfcN) z0`h9F>i5xNsP^P`PAZb2@>K)WSjXC7dhy^%6$gVbQ2rSY;w1+p={Z7vjc$YTUo!VO z1oPw+o*L&w4%IUpyfm0043G;8{)Ah9sqdJh8fB|>fuhbjYjqK24amBkY46y1T_X%Z z#Q^fd(!Pp{YIUbeb4&f9fQr7q**KInpHYy&e{SFlYL#l$F&_E0xBoyO`<kqyAhf8F zDlaEa=ysfGdCHCb-G>dhz5n>qqG?~PTb@UTS7~p{1=E(!(A+1CDhszFHhG-k80t^| z&-ze}g*K&cfno4EUNb3L6Wxayd{vn|BXE1&5W(O6Oqy3mqY}}th^*6oQ=`xN*d5-5 z*&L)?t-dR+<sk3-JB7cHfR@2Uo%}1nxY5#)1RDFjSWflGb*Cd}cv2Hm5H$*#X`-;F zd`si3RN|#TGf~@dgC4hG^CGrdge$acsFwe|3JEEr)sV!B9##Rv|B|^K?w4DUF2>q{ z`44cGy8A&vJq^Ifxstw4B8u4FX!sf(ZZ(v7<jRygUvMj5Am`lbvN&S#IO4l!-OI{k zgx2!|<mDcXNq~+tRRuFlNEbPX3(++@_u@>Z7pQ4GU^P}q=0yd(p$Ta>3r|}A11v4l z%hiSwrTOeiRbHYNQm#ge){rFrm~Lmch^&iWA4iDNbu66$(R8BzvtpOQ-n8EE-qB!P zwAcBPa)`lAqx>xca8-d8PBN-YK?Xz12r^_I^aCN9huW2eBZeE!u`7Knr%pAhH~D%H zs~ze?8hhZ_qR476B{EX6>{^1^$5%rzHK+`3$X?g2Er@g6Q)^~iluxX$bOB$ySMba8 z_WfYZ9p*fa$$;PYPUGp};>=-_&wHmw;B6wx;_LA>%l$I!h^fc-X7NnrrG}q47p{b7 zQtDc_?{A0>4Ifycxqez2m%{7GPJ>lVE8T+8#H_v_;!nYfAVtIr@86OGpW(0kc2#dq zaA!OI!4dlUPzDa)uk>HayU3xFKaw@p4(3|Gs2|Uq1)d(uzRK0hP*HLzQ8ZJrGPcJQ z2?JR?#=UM~;c#;;eL-j!Fey`7D$!b=-t`Pl(OPC?{~&08P6sYn9K7#9x;W`n9id8w zo+4!cbTv4|#mg>F-U_v`97A)%LLRo)$J$XZaC!diXKa*VGbksW7h1~hMjjr(t)_Xk z6v?J;N&31s+DjV`acZrDs=LLkd$j9D^MFx&!s&KeCS}JWhv53e=#M9G6Swb3xH#b; z3MNkG6$V0F4!vBq4J5Vbf=!e}ugMuUP5vcO3^%Q^<?KnQ3wI#ggPMFUEff`as`Xsy zR~}Kp6r#{P^kXI!_+$~r?@y#y7|gT0^&t6-e$ToB3$S=c+5RN39K)IH9cb4|vH82Q z#|TLF<qeSac|7jAat-i5T8o=Omh=Ae+O1Q=I+aj^owXATZQ2Ar?6kkL{i+Z@10tg^ zJ8WN(6qN&7y%v*~2EP`rwe^|~Gp;$Jq^Si0+E^Uqg%5p%`_##hiaLHUW*;~s(X!}5 z2y8ZgymZ&)TCr{o4|o&>H{^?4u5p(egx;Y!alrA7o00YD@i2<_*SDMffpCiuPt^2# zGg)YPIAp85$+SQw-FXK7`c0quf}h?yR;26mbG2+0L`=&c&*i|6=v>&$&V@?G|1iQd z^5K+<UlEb8o`7L=kv^Q^`eR==EX-1t==qL+1)PKzK`Gh^Eh4r6Hs?VrY2f*2@NX^m zg|`*t6VM^D9vUi^EtCwJA^YcT6(Y)7BxVKbu{z-&lYaa}vt^Wj$5)Eulw2tv%lR$` z$n^&&ZwU--PKWZVOTmb|N*H~%Xvo<N<6wxnVHK}!Rhwz-?K*W{t4`YJhA4qq)iP=u zxu34L5A$CyuZW2>4vXC0w=XY&KPs<}@4yGE2cBk-5IW(uh>0QIY2R;;`+ihi58jw4 zcbBYG7rbQI7P{5(R;KK^H(ITmk53aWmw0C_@~VJ)j;~?9i)Auuvb+b4dvD@u4iB^| z%9U|W`E=3;dM9vF&C}e4d0?T7k`UvUVTizStB)j-diTu|nO2<<;QK;nV3y7!E%WEh z>4q<iYl2neu57ZhN-r3V1haW5`LdbL)-Lz;xnLA9*G<=%DxEL0rX}o<X2Oev!IX7a zpO}NRk3O=sy#IXK#~~DrMet>onqNktiSXqR!3zxllTV9INXY4JvN&vZR+di$JKGx9 zEAIJ0skXK(8FW-_v_XtF2Z@D37iT2Yp_GM9{U}|S5unr@M8+&<`>H7v2T?d*tusYf zDX%a+ZC3wl^LECsVq7SPtAwfp1`uALqx~L$fSAS)#}I;KfZeFFV5<YX6v{CT7Orv) zxr??Q33HH!^M6)zt!G^744cVxeQD9{trc=iv>2e=zn=zxfaip-iB4PBkg((Z%8{O^ zEG$veKqf{5je4O8l<(Rd9;>qME@0nrcYZ3pPxry+A<Ry+_9IKe$yetF$-Ly;guNTk zLikyuGobQslHgJzem9i%G@cgnp}h#Dx|~Jt1+)d@Y;{pdmqCPVS}}P3uthgd0H1FR zs&WzGO6%1OY%Q+F`65N&1y>#b2TACPlT9L6fBVLW9&Py>W%Yj9gr$8NOuypb;rYq` z>**X<2PTy_l#;Di{EhWmXZ}RL5|M|bP)@ymqmXgJa{>uWBjCYj%13Q+4cUdTT%Wgi zc3%%n3{-sXbgsjRTjTo(vsz$;Pl6s3{w-Q8^SeRV8zhjT&lbd}4y~AM)!a~i_r8b2 zd>1BL<+Ox2vW>bYD(`ccNhs685}HMB9CUKy;zrm)bKzFa8sPgf^?R504mbaGIab9P z`8y!0$mx2}<hkHZ0!?|)oY*M24>D9<938G<*>+MS2}3Ha?RVD-t_}RqwWtD#)EB8{ zR^@jx)iwSnLKR~vL7S00#A-rv83aP7j?sAmQEdX)w$x1MC-~)Z@2l`dfP4o{wgN|V zv)S4%eeDLZAC9C{oXk@PlgVa02C7Ko83uHk>TbG1{%8by;JBN+!5Y_}D%*U8%1S~t zfsDfp@qZ5kR~}@RZPs#-U0-j2tM<Vp^64_U@sYK#k2d`aF*@|)Np&AH=Us_G@^L;L zs*c}DM}yc+2!5QS7?K$)2OTLW+ATK$*3bDuL1EoFu2oV?tBE<Jkin!S;vGf2^|-28 zjN)&DN;yA-;qE+ts6?wMkBi?BGFX@gG(yhMaUVjCB{R$TbIY;X7m92k7{5TJ%n&BS zo?gL(FvIk|V5(m7wFz!NXbrHFv~2xc`7_S*5hK?5UcVk7$kY)s8XImQ02X|C_y;<z zwF{2;4_()FCUU3#Oh$6HX$1N|E!MY&e5Bs31DwO$RI;0U`5~z{kA(w8%dXGvLB)T% z)NEHx-mck@f<CDMkb_zH=2v;g%n*b=u>5>}$^L%fD<8g06D9@kJ=o(8$n$bZ{NOth z1^&L`U`@8@ucV1#Nw(sruV`C3$R&o$yEzu5_L05pn|8v(ve=a42B7Nj5}jsKe$I*F zbUFH2*F!U%Onw3~*3vwK*q0-J@$(V+{2mYc7b&#Mo1iU~nZd=YL9iQ`PM&bYFIfvA z#zd^~lT;kY5nwZT^mI9Jd5#EOc#WHbS#OaO*0KQ6PQ$(NY6Dxs2JDs*un$0$r@7=9 zE1g@ou~Mi3)jpbnTAc)lzgt#;cxo%_J}jtA%=Uu<@vhz+N_(T*x|>K{)dN`1aPL-& z^?usac?ae_=HVs*!IMwQK1DVN0eETg%8n=qt@hZzyw0uRvIQ0D0;(<y)9~qTlSasu zdzvah0;9)R(sdFfirB;1Enw%g^+vg-iq3weFY&<C2{EAc^~?SSpQt#lf(w4n-|F`m zf_;UA6iczTLWUCN3x|Y2Xui@y!Sj!w3g1vPrFOX;)(W3(U{#U$d4@4h-$2tnfJZrS zOXEbw=C&7H+et<yy(hAXn?e{TOm;+W66Py{7gzJH0VNum=269GKhnw2;^^rtY6<M! z2^A#?*ibG!n&wx>9@+L4rtg`M5<GY)1Eo89sUIw^7qc0sorwMTjF^`<z+`y2SIJMq z?Tr5NRJn}-WFwER^pB-H3ss(=8~Ve@^>dB$Z*-k?*}u2OBj2k6U=#I3&;q_9k;vYJ zl45^r#gn_&)1TVB!XFd;B?ddQFRC3kRsa%by6vFQk2$|p{Hp^8(a+_YUWDTzE9eP{ z$~CM@f)qtJL>u;C%h_dyk*;Kq9zr&CQ_J5Wtl@;SYWvM0M09J2xc)w-L&x%!W@l_; z$e(jIPTXMIR#n5Ysn~3aV8fOZJLek#u2tAtYs#W0Nx)C@yt5}N9|u=8uXjaQ@`+`% z%p{P^3dap>JZNolb~)BlKUnY0D_~{acC6p5ClQ;LsTw14Q;1`EZ10S^zXCEeojSvi z`Vrv%b8~FltLN-8B5thrwwlwkb}vYT!4F9U(?>Of-OTmMwWhr;J7@J)mPmzkaxwu+ zCZc`A_gfcI#*f^jW?L~C0Fj0MvXP83A|Phh{!0$$JNR89h;_?I<oDi%C!o;%*~vv6 z#^4qXdbo&(2+PfR>wpOlrAqA$vHYW7_ST_xiW(Z?Pw)^gdhW{^qqhltn}~?qtt=|h zBR+&m^YaD)F#_MNGRs=4>LeGYj3XnTH$L5U<d2@JnavBv$qTNbfD&cBdcq*Y29no< zlEbYR2Zrx<M68J^q5P<NmAqm@<K1P_ciV!oPkNNMhp-|Vvbk{)YPfp#e2v%zhK#Kr z0gw6@Bazi%D>GLdeyBquQ=cx^0Lh2O2AU;0_wG6q=NXCvT+<Db#RP}0>C@8*UeV_Z z>GrVO!Tcw0D_6wo9Bm74g=2)L<jaU;m*T=xbB>&`9gs>wO;9o!GZ2ENjhRvSk!+qn z0yzX7$IbA=@+a`t&SuEXO{%$&mv?(xq>txu=Cnm^CafSwR)d|WV~1SaU9(Tu4Hlcu z5k5A5<hFa-d~4d>NF=P-!?>R#2Fd@A`woG-f`O4nWD^v3xGqNE22Y4W(S))@csB`A z&8od>*j7bvK?&Jmb(Ee26b|C^pm(6pd_#W0;Bce!8N?&_=elbfQ3oUpgqp2f)*8pe zlSjcjh>aQFdYFW`q(V-(2c~R-9kk?jc4WDYn%*6E0WIYGKyorsIX_*tpAhQ3)k*?N zHX;1ncb`+D%d;>=c$h895EFYP;mMD9)H4Jre=cv}v<-#t!wzL(;nf`a$0+s<O%2?< zOZ3WMO_|ECm_rD*g+`3}vrPe<u-d-Td3#L=MOQgEmbUwNW(OUl=Yipb7!{JKOm@IP z#ZK(d^?psxhGveMyBM=!BEUlE>mKFJF(C554)i<Uj%{Ca1X8?W70CP|q&?uO%6C7y ziOk#KRhvs|1Y_Ty|7{N~XRRI*MDbhsuPkx6mZ)jX_4rC@Zi+ovzvaRXO~3^=_#)zM zHebK!pu)9+fXvUp<Kd~m1{lIw`G%wA&2?*U?51WavA7*V-n<?eaa0mS>3&>~g0ak& zSPK>&o{SA%mhgxM$%TGc{RoLD8HKii_=r|I6T-FhGk~aIPwrqEs`aIoPKgQG72(l7 zKGKO|__Fv4_o^^T8Uv!FbDq&4O~Z_&>C+U+{d?+a9V}<2Qj}&4Z7`G~lW!-DEbM~n zho8@H!@5@Z_F|QoqW$;@mYRFt5o$6rx!U&_g>3LL;emdx&ZC7`Q-o)NjcqwzsU*&s zBpY>3;!g95wp#*II$4Xix^z<7MI03n4w6VS@fTCE`sn+jb*$^3lNJTPK^$lb@ydzd zSFwJY3=7Qpgf1;P(<#-_j=SyNL-@ylF_OU73DC|qBqGqamY(Vm`YDpFqH##EH4h}l zu|`ISXm>U_O4|cZb&Nftt$uX5hfLyOSxvg7=;#8*OF;RX?NyN`#e;e1PeR@aJ#9Ur zX6rzBLkCnn%)ao{sI7eBQ;-OSEY(Sv?5WMRRcnz6i-g&zO2(#61S0gblp^BNVptj* zQ4d3e52x#b@|3l8%uF!<CF4q)=lr0Epbgo2SSt2SC4XNZ$rQWrVvs?gsH446^i8FB z*PO9>fU>-5VLtgT9b>}E_i!$zrNc|xILZlg99ApW{{F#$dLs)Sz#<_t$=$TNEs=n{ zlq2<I9vlE9k2uKg;Rt0X+$y@uq}XXK6|_ycQ!@VwYPEVyU7@lhcVXCN?Wnp&MJ&-& zQ58x^7$KqpoUn-_<yW*0_f-svEDE(YvJ#AX&Z(doIFiw$BSCjSSj^sLzxSyycvwtA z3Qd8>t})XMtY<SHfUB44Iw-_j^n*)ono~_ax@ZE8EXk4c$eaOo9F61qn5Ma$<ZZFY z(=E-N^CKQ#y#0!fVCmxbUy?p%pGln$&o_7~m};a!iF+`%YoYWIrCA^|GEG1x`f*%@ zHH3fhM}$A_e0AcfME?ZD0m<~Zkm6u`h^<*UkjROH_C$0`q5e_9^385?fsl~fj*ssZ zI-F5hkCb(owFS-xz!nf$Ntq-jbw$dMLD)hNF`uo$le1z|Sc9<^3HHUATVyJ4D?317 zo2Z13xcFWNOOqv#HY~-?ENPAQ7R7?uE!PT&x)MATXzpo;qh0NVAlTlnezpc}4z%iF z;7<+SXtYxx`bh9zCZw?gH8n8L)7Ky6Wo%pxnU{$@F7|b?$PQnDqShT4@s!kHDM`$i zU^iOW!xkSxTnk~dPCwIH)zJ%i>=)`Gumw-dQ6x9Ljl~ljY(6(hLL1J}5#@f}jWpS2 zD-$TnG|J&Qo4yZ3p>@Z<Fb|eQkI4l@7zC||gAFVo&1y3QZFQf3nIlIFz^sZ*mk!f` z(h#uLR?&M160W&wM6Iou3Xq6~{}m~~AiYFOUtC}XVjLWRh$Xl1?um%z=w<%<=N#=b z8)6m>o7g>Mgk_&rx@U+)X#8{WD$9mK#Pp~+kys1dLOf=^4S-2c`xU)Zh@Wl?{RBC! zsXirMtx&cE4uS1&rz%eGiTnB~FJ%heMH<9w4hmC!=CocmQEKrxkIX-(fZjSo60z$p zi-5rpczA1uh#^D?g<-zUKGz0qlU&Y@2FfU%!f%O;V)5P*pP*;go+8_Q1Wo$}W;v(J zg_!6@YzEq(6S}YPBN@jM-`nJtI~j$sd2<$19+^7Ba_p6>JL{hk$rTf^T0lJss0!n6 z+UTOkAj}>bH(W}y(Un`*Mp49TYzfIYhiucZ>wr&zkSVj4R25NAqgZC_8bw2x_#=|7 z$VE3j#t$be%cH0gLNFqQ6)>UIdRf$=#uCvmi-sZDME9ISJN9Lg8rvnEyk(k>xEMI> zjJS))_E5z2532yGCREY4wd3=#q`i?N)bh}Ey1(>_5>p|rLxM=@k7UNKalHsvrBR7& z*rgk#e-Sv%Or=B-yYok-IY8lLlyj)PGZnsXcA;UF8)0aqi;9qG^l`NH?0T5<L87qM zD4c8wG$I{ouq~Vd58=|@0CCI7g@=l^<9oU=OlE$;3F$20p$ww;u`gg+%6Tkc6czBr zK3SC}K=+9B5aNcU>#nNI#cO3riIGrS{yjw5F)^kLs*DSBX0^wHJn$Hi$>zcKvhaPf zcQYz>hEs@OR+NwXOa+LD65+^8cvPC|`$Rvro5cfwXJIk%kctR3?z)rM{Gk}tuf|>) zbwZRUwSk9d*kv~ynqBfTxue6Ai2P19b<UUMmE)%mS;wp92I3G8G@L*5&Ur|SMNa`_ zYsfD!DnVZJ`X`;+<mZ!)+XWI0FFn5x-2(>U-Rt#|ikwO9BD6MnLA2JNM~CWxBB!Ff z$98nx7l?Ctut6ki$b^T_Ya!qSUY&)`Zfkh<9TQS-EqcRLH#)Z;n@Uq}B<Zr0+he#t z)%n#qd^lftXiAf;sE+NDDgl0rx+3bi(&#AyL)?C`4a-v%2N=X*ZQuPMYo<|!!9l;q zpcg0@Zeeoj{a~=cTfe&Q2K0Dd_@v;`1Bid^W7_B0c^`;4fRz^fg+n4S2_&}Ujle-b zgHh|0HdUtf{bP}yb2Jfk$A@GRpA*<I2|3mu$>uIhuOjJy4Lb4>{dQ(wvk_YUz>SOM zlvsFbG~@~wvK~SR(>2o|wWGTcBi~ueeS>&LIv4w6xljfmgL`*4w_xaFshC}rx+a^C zPQq?Pl0z&Xa2`Fz=`%-H)(P{NG<tnXp9Jt91qsK#Ojj@MVI{NgeO5B;qoNY_y)B-= z<H9kKuKuL}r#ujRj{)0Nurc@5rR`ocD~U==+6oX7)KkZ{n{x&ew3MzN48$JUX)~F< zMhU-CFh?(d3<XEXO{f#GSCVHTKK>(Fz_?X&^q~q*8XNVn2G5gB-ZP<wZA#xHu`HZL z2&~;iyqO)}dZojA@{EsEOCU133LxYnq$OFF+nbN;P9?)}oz}KqF4C0lejRsZyqRDH zN<l1a*yFW1*83q>g_IX7=bSPDHHZ4prYqFI2CU&#Nh8Z65}(am(HuF=`cLF%sZ6_B zKeIw#V02kko97C5A@q*PQsiySZj{IZK0Eq!jYbo_x08pd4-%F9>Yc4B+ME~HJxl5@ zbGvw^uqMFF%D8c}wI`$Gd~jg;yOQ)78v1pG{w%<*RB2874j4-lkXil-^_Q_)w+}j> zZu(MiCeJ@?=LcstT7^!-qkKE}XoU2-CC66?X3r`#0*yoc6(%Ryrn6Lx*?f7*VT@03 z>S<h2+DCqH*HH`}oz4S=Vc*r6RjP8y?dr3L8}W~UVmY`W2>*oO<B!MoW(hIu!gz!G zn)XO?dl3ObAxW+tyFsqUr0frdaQHTj4kcF@JRY-X2{kCkPaP4zJdgm@@`6)^jCRdm zY1gw#8<yIVq&nMG`GxQ|ynE8us5!J2Jx;lcLqJzG-DG^U1W=tf!=virGPu$iNC7Yg zskZWLNtry*Il6>X)`)cj>cN)0-1Mw<<Z7})7Tx8ivPT9*%GyXzXF74Nf%W7-uHa}2 zn~kiCf8J8dPysfwZ-E*m{==LUT3u5>My~uV7Ts(x%9S80y`t(@q34rqEx^%Vx@RMS zY&%8_r|svKo#U>xu07`So!NfVCkH|9JqMX#<Uz%lj@hAhE*Xc=`&Zu%jjA%Rg@76T zk%Eyx*EZ=pF@ZbZ1`^U@rB^?r*lynpZU2=JF}<e9w%zV4-U~%wx%VQhWO5Z^bAHTW zhq6KCS%a=w+LS;6F{a&eg!t7(1GdhFIo0m#4f^KX7%3r^*w&IgjkR@ju7wAB{4|`6 zLO~qM>Fv3^wFVh1Q>L$6nq>|DyERu%`Yo<QUAiPyc4Mfpw4lU~kzgSxgy7``-`*85 z@P}B#0?*iY7xD9qt&#AN9XZoM;+o8sYQ}(qs<A+aeL0^)(lW4E6DOl}t9KPs*UBS5 z#cYARwtJ7}74I}|b`!<(fnxS+C^?f=r+EsCqYI$$yE(?qH6-exYdifGwrf}V(7%5X z<`WDr*yR&HUIfwa3jGjzMr2~Qas&i_+@ib27+a@5{(Bll(Swj#!d)RU*kV+NgFaB2 z<&|JYqg9OlXAP1++(-QxWox<Wa@cMtmc4R{$33R$p@KbP3S^u*o~~L|QPxf}A?euZ z8)r)E?!k>s(GY|<LP?AiyV3BPRmC)Z6&<+~hHl0-KljGrP+zH!3%DVY>d+@!cvEO- zMb_b=%CTvxgjYU1Js*2%+v6O-3>Xfy67o9(0~SFlU0S6>vJ(((Z|{2nS?UXTr`w_4 zh%MHSxEe{UZ|8)qu~wxIkLK-mjQ1wb2h<s*7}M>LMG8tL6|{?xV<H?j<s08!>t(nQ z*aAs17=vz0^8rz`3YZFiSC-!Q`4k_YBR!^)7I>9VjH%v9=opoc>UR3;<+)w%8o+_Q zJuD}xs#W5a8m2mj0>`DA7%4YmDHZUh*PM@jNmmr|2$s6&KKN<=I5`W%f9TU}l*4uu z!D}FHLbl$yO$|pi(#<O@rhgxY6`_{yrxFU|W1oN{LN7R>V8a(glk9<sh_V{zCG?MS zA@OderdP$1FSIbKU#KP3y>Vb<%Q1}2kP;?lDtX@Ws%DF@Wo5D*71wU7d5mhPir$DN zfrYI+s6($GrJ={Ik<HF45F|TOW@HL0`r0NwMY}{DCs6o|l&_IWQWklT_8Ke|mOPjn z*(_0NnI$u>s_t@S!~d$&L&X*c%XJiFq{;=`69aoo(%>1MPR0{Olsy)8O>3+u-F4#D zb)sw<`+;0b6LScT?nq#?ng|_)8eY6|SU1V!tl80j^dg8<I-l^Qw8ENNcMInC`OkLj zYbY5)6m_HO1*LpK^gb)CKaPt&hQBbL{35d&9NP3Sa$dN$0a~bw_)jz+(Qfa~t$lf) zWz#?)oYb9AM^hj(Oh#8$7&qAtgUDY!u1I^K7U|p-VPyNhob1sI1meO%3rnQH_Mn|H za+mT;h)?KG@LjS=Ob{-2QL>lI$<;T}@;qelW=9I?aM-#W#t^kS)zEajy)@*4M6@iU z<zzI2h1F!<utqO#u}->A%jT?WDECXW&gsHRxLkN_82P5uzrI;H*_zuQtr5idjOstM zD1%dL_fR~+pw;N3H#*N8j_d7PSi#fHF2(h)I<sV{P!(xM(>nqR;UN~2NG>jqzy4~5 zN@=>H?p&Vj_pV+97Jv}mp=T}`opDJm!|h#e^C2L|RB}Z_$~AEzrg7XQboq*;WLRqx z+Th<)cwX<&*VrX<8u_cz_2gZ{$wag(4EMWdBcP`Lo^RJ(83%S*#VUI)+l$-*Q4H9c zx1-x1@m-RKl7o)xqcGWNn19$#S-9vmTcU$gI>_Q{)uj$35m@|;cG9UP=z(N`3&5yb zD}1UG_K}^eh%rfo_=zcglU~Uh+vL)msP(5lcm{T*PBbKF{<6@60T4^#h~ISO#p1*j z;MZztwSXUCyvp8|VhY_AriSVqn4lUm`Ozj9gbQAj>-!F7zVvr|47Fm%8QXlP6gNz^ zP3xZq85Leo@@Pk-;FI_6Gi9+^NUTB~flR&C68B+2803g86?po<;<-6{zE~v}Hc}?b z+2#?ynV6_a%~c2YeJC-xE>RGEZWj_bJ4F}+T(tz_fD2!9SCD3cPCbtb3K!2UmrYgF zb}PyXMXKr4fYMsUnV*pgiX*ji&2Q-VB60&V#TS)F&RYR!0qp|G&pm5}yN{56GDniz ztLcWcFX1&Yr2IaE!%8lg!pZx)2_MTViRi*e5}mu;RE#*gyUTl{NNhJU#XNep_Tkcz zL3BdP^cKd)H_OD%+DJ<%P3iYtH*;{tL2#Jn*%({Hx$pF8-rk9lNn9|7g7eGuRuL-3 zW!X|F5Po@LTt*Nn{IambRUmJZ%wR-6P@i)ryV0LZM`&e^tX6TWTVy&wN`<0Ws>Tkd z7;qPe$Nk8eV()uA3n^xJ165c&;jCtDV$Y6cVU6qnDhVQ68o%)Cl{3TQ@wm}p%5A|P zbiv?$i9wV_!I2LONEKh=LKo!H>yQ6szaN=e#e*&%2!WCd9g+E1{PRUA_3$Ypi#aNt z4+#mD681@E8s9!JiuTyw*Rk%Q&tz+)`wloGL1H}b7xpy7+YqS<McIH)SIIfAe7+yx z(Y9`?%22HDSx2MWj2Xvp&+UvA@_G><{YMbiR841iM<xhc@W_9u;nwFw-fTiM3dM7p zEy$CzkrY9U6dh{OkH8F?0PJZ(tv@)_4B|Y}p7KF;Kq!%vigYugH3i$s>ctU^l|D-F z_}MNe@&nprAq90^Py6mq2c7X49=ozd*q>9#LHL)Nnvc$;s243^Y{t6Eyed?!3ooNb z@7!7HF^08^4wF`DHC4j(ai`=$4~mi}c)effHMA0qbdmZ?>!Auq*_3<Tg{NH2rz`zs z`#D?6u4%2wG<?cmqK&`GCT2oE`Spp3Qmcr1R+q9)OQUV*WHPjloKmbj9Sa3Bxe{AJ zT$Q7sXz=(qu5n~yh3_mf?g=9+Hk<pngCdY)_U{qc^ca;(_>%MK$A6;>8v&9tjnJOw zNC`T)y8Ox4Ody(S{igw$uHRjKLqHLD)Bx${8fgMrPeCs!Q=zbzvj(Vx0Qu0Lt(Wio z?9}S}(rO4pQ|0EJw`{4gFOwOEQsF4jHf&|4ZA<?2Qk1l=U1Fep-HMqH<c1`dNuumB zPBM;P@lsOg`#y^9T;orsju%q{uTf>QNkz?%sjhj|4`~Y2cs4F4nFY8M=I(`z)i+GJ zXB+LY-99CTeka-UxEV>L55Cw!i4<S2Cs#B1?*>g!KVA(w!O{a>mTQFEL!E%ny(6|x z#l6-onaR)CifMB^e@;r#%Qi+x-~WNvh<>(_*&p+5NWf0N&R{MV9@yZgTOqhB`yng6 zls0Q{?LO2!Sf$>~(;o?4Sri6@_O?y;A5V(uzj!ZF2u9QZj^j_M>a^o3@wCf&rlzc6 zuZ&e!FYulpJR^+EL_6!AjfRy1&Kx5|ySnz3L#AU$kkM`!2?P;uo5&BM`=A2EjM2^t z&#L#f-;(H;XEvPvT;aunV>;EqkxG`jk-Uk=2IQrlRT?iAX1K<*446mdx@Z1P|0$%T zt(SzEmrmv{47okKEsHBu8~OUPK~ik5J73veRnO&h+1=ms!#apPB9GtqF%27(YeKJ= zX(@%0e*4^e(%`O-7VDxosqP0hV1U}-rz><3c^IO&AIGj9Y8u)@e(*BT47aGw!Ux09 zImqk}2MK<73AX1JKQ15xDmRq-hM$W>(Xu&^)jEnU8$t2}{y1p8iKQ)g9=hPXPe-&A z9e%tR+!j2C$s9TXOo)-l(nvMPRB_~YXO%o!)gRAll<KZ`6FG=KkNMD|TyPHkYt%*6 zX&u$tGvPmUII>4^Vn^dsXv?Wmm9kfy2V1}DwMk~TaKdoim`b|fg?f;kK|Iry`O5dX z5=wB_BK?J3(sv@ecM{Y?q3Q=ja#wd+pkDn(_u9J%no`-9?M@>I6MLxPrp-onnN`{i ze41^KQfw{~6AgZOOe>UC!BB3)j}@*oL@^u^{{|Pjebr2?*iExBcVL>pt0vKI31*6w zh^0NGt!k}AIIFFF@`#$^=-szgLdi0gcc&4Z1wyNGZHgc({(Q9J;DX{|#<4)Q-1kPC zP-JvF{=@nGj~Ti<V`%A7EZ*xcY(<7Dk02k0EbrJ9NI>;+lHCSY6cCL;lKJ<uI9*mw z#?G&k4>smy!L<F$<9Ds8-Sf*gDA8c4PL>{wD<_&fYb7Pbe^cJ+0%hc)x(m_p<U}Ug z^#1q!b1gbt_W_~EMt7rD6<R5l*?RRl*d3#GHr1pNoFh<VqssRVlke<-nXz!exO5Ky z(x{*Hzr-~)1dU(Ujl<v$_}*&bWt0Im-eW{|N~^9L>#t7uVCy&H-a46+pk{9OFM=Pj z!!n>4cfeqU^ll>1fQ`&c7bOR%9yjK~uHS^~h7B$q>N8NSI0WrP*^;!~WOA<0gnTy4 zdV>|ZDybef18L6P#cV=c>Kv({7YP^9LQY;+x8`QxcHG7&5@C~&8>iTK`r+{585&tQ zNW|<4Jdl+!6zu2~rcd*TSXm{aape;$=|wr1eywK`7oX6>`S!Q1NoiZ%eotx9OMLGy zGY$%a;vH5@ys?r^40%fS)VwU?+HditRDsxQ6g35<2BdtGNS*nk4zxF&iYh4>o_FWC zwpc&??{~%bQP*VyfXCsmK{%BEX7}c+hE~u}jFA|}nqz>fJ#M6bMJ2Ranx}5!Na(L| zd^wl4Ze}Dr0&PsmPGCYXMIcN#q_9cI`TLF{ul_Oa<Xde^<CXmei;me;n-FeO-FSps zNkhZ*)Akyu2e~U{><x$4-K_=p7vNen?_Sg87MwR8d#VD-<P2<dJF-qQXMI$;IqyHy zF!)e|TbD7!8dl7#@>0Kx%-m`&UD{>jLb4no3aHiZ-6M)GT&jtwXR?B+yLC3^dKxD> zb2!6NPx^lVKS030`KtTq5T7*bV!ay$yc&WL)3okwkfq%5c0QvV43fodj6&Lp7(#|9 zQ}tIYdePO__QdN(6c#Y1`Y?#e=GVow7IJY~Ni1y^*xvCY#A!HG@}#TcNYp6%&+Jk2 zyWjn81XSoz^H1;zAi#^WD`+_Mm`|@6_r2~Zc503IW_~N#=ZVQ?7M_sYZMIuke=BYp zVt_en$?Wh;a@qylB?9kpQ!S`sT*Q;;hX>n;Ye$#wIP|%~(ZnvtL1Y>^^(ENADLOz5 zze8ET;tS5vr8}HXWAZhfCJES>X(N7ZwkGdfhn8qiD!LWoh0b;bo;x~@HM6a&6z^_# z2TyPLQTN<S?Q*mJXzaC@stc{eCF5ysSJoG$X2}+N#^BUi4~HpmrgidY@zj5t*e`^P zx0OHldS1OeIL7>t>?wjcK=gw!U^*3!-`!R%`HdOYYhEr(DFPU>UM>3%BS~e#<Z2vT zZi{sRB1stryYzMDg8Jp+Ww%#}X$yKZ=sbMYY|1A*9T6yvb|Yq8Iny#Pt}|)5Q!jc0 zEPG;(7Tp8nCg(=s+y<~)t}QvUjv75P?5TF*eeAplkg}qFi^qxeAl+-8)n_vGXxd}h zCoj;;JVJIM7D>9cCNFT1%X?>zOut}})5*f!-_IGB!ku+QSq4kqaPIVI{1RV^OY1me zE~4PAofC~IMU5uF!89o5))h3HNBKh++nN_J)V5K^Y(NmY6la+I8_;hi0#4&|%Q|45 z9gnmDx9YEz5U&b<c>VcvvjRDFxy8i8blx-MiI%12f9iUnSkLJ&Ee((4i-;Cf8ygTp z22;tQ#Wh+An`5TfV9s?oyl%ZXD8vPWNcl8XD3H&@zR3~q>|)0xQDzc}$U<&QWQW&F z7#V1a1>gHlp%*zdyIvzM`WeL_uRC=j>xxrAGIw*xYT@G-mzV8f9t@`wGwQ`Y@&q2l zLmYV0fnBXu&}*CHC`9jwCI<MKYNHHH$MT|<S0+^e+1<io%FoynnkKQns5W$ONJtW6 znI-`Wd??6#K`<~jV7=u80$53cvY*s&mx2WPF!u#_`I;0tey(}$1cwL5gXB7`%N*{~ z;o$6lKRy1B;`ql$$N!w4e>xcB3t^FKnxA?k%fAsS+<&U-lFAPQAc3ms2xbfy_p<tt zZ=G(~4cpi@YA!<ISi_jUjRwp6CAz3?^OrSnRn=VH@?&rzFfKky)_6F`aG~-+$E9Zf zs_J;`!qS;!HP$ad9f=pcC)V5-XC?#I4Qrh;@qZ=9VREH&&iwOxBiAvn!(<>)za!_w z&#SR%yaBuCAUUtA#-}tP`DD|O;#%K7F56kLVxo8BR|WPUUI1@L3YP+gnVcBu8XOiJ z^MrH;730x_18Rq8or})NxA+``neiE0gHK<aX1{y%`+!<9fG@ODo9KzaRIV=<MCOxb z=lzFD!;FIw+OzR?2W<KWm)6EOo|U;XL_|KnWsZfy>n8qP24C9c<9Ih-t<+!yHLMq{ zPQ=B5?_09mUQ9)H(KL8RYC<$Mz)8TfB6T-BOTZ9^XqTkYKz2%n&O4B+`xa+MUzT3f z*|y@hGg$2~rv~&tK#_I3+_y>6!-*kO68fHh9dDai+BlNDhvq3Lp?P0Rz<aRQ>v-bB z(uab-0tQbdCbvWH*vs0@->~{fLR^7$y3-v&!+rex(Pxx>4aVe@59Q_MB*rxSP11L{ z-}t@#{#s*M@Yrw5y$h@XI@=Ao8J_0}Kbs(>3Y`$?O>P)lSb$d`%9Q|z2Zw+S2BT4E z-|X``y0i9o5bv~*QZHs?@tZx}2EIP`?X+t0KkhbV`||Zra}eCOc=?`jc#oTpn>@01 z_g)6mf8hR>@R{lB58nI5{pmT7{`Pd^(49>|>5jFLK#CT3e`gZ=5x`0MsT=8lbx$X~ z3*Q+}1d86z=jE)K!{xc%ERKIa7?G%6eaKJ$`Z@VJbF1`JCV11ddsmPA&`rBMSc-U^ zlJ1T7LIeN8$0CB8jP3K|P$AWMKQi=qdfjW9_LW~e(XihxBHoRJ`v!9t)}5L1Y@ND? zVYNS0ZLF{;mbomb0U-T=|7sr&vQO=6$rBYGc4|CIsh^@$f(aeeTkiiS2J)Nr&(w*_ zYwB*+0^8W-fTmr`Rl?6F%$hQaCO#oX^(5;aC7G3HhQD8bU*jbQ|Luk1zuEWt-ZC6# z-<HcL+?#F-&-}%E?t4~<cGL6*S1;|bWgJ7o>a-Iww0GL(s0)m0bk5lBfhH$%lp_G+ zctB$m<jUC~d>4NjA^?M%7EL`5-U$++H~}PsQeTnk_K444Fg*O_EE>&u(#*T`GbRpn zoIM%`TiULc)n-Ur*_mJumYLm-7s><vnAI}C`WDSIih8AX>_dDyUp1ST%F&kd#0eD* z@k%VMBt~#Rv|2j0wW$CoJm+S&D*e&4;|ZPY|2vE*b`JjUFs6luV4}UJ{~lwK@m?fu z&ufxZFyfB&ooW$+OI}8SQx%WlLGYFygolIfZG`Rj`WN*Kc#mt5S1MRDEWXf^f9rZK zY9n$$YGy|Fd$rlD+9wYmwlKKW2BhUS=W<6SwX2$kW&IEx*4oX()%B$}OXOFZo8=Kq zrkWk=kH_qn>Mb5$e)%OiI8cU3tn^!bfHeS;zb<F^yE(twlzbstk|W`;Q!)Y8I7MyW zuQ3yml|}ouI(}_9STxPUi(;K`K5QbWs4p1ui2Z{wM~{P&=MO&;5EYN;u1%+ivFqYj zci^TAgN6V7SB@2XS$td{q72fn;(f&io3>mPlvje)bRZuV)#cUZc#A$&Ed~Bs^O6o@ zJ^23n^rF361MR1Dl^~i^Jo60o6l9%Q7D4KdJkRaf68qp2s*}_#;4zsC)VrANOSOsT z<Db4is5C2x3^p;^XHWhck5^#^c2!Y3#{7ZOMA$X7-Bh(W;SnJu&k_D!u0}SCJbwIB z*w~AfDP7#C-o!1;)!+uVkn|=r#$;MluVo`&w!@EGqiBVK`hQO^FVUrlYL_}3bx0k6 zZi5kbX6F4EQ!8_a6&vOi)aj#4tv1kgOh@?(%5SvYShv!n9%%YJ^i>On0qxGPxDbd& zhg>!c{SL&bUsczf!C!jK(Ci0yVSX42AkWJcpgOSz;sh7vZbiqzWeKZ%^4qb&0e^w2 zUZTUURHTF<?VM2o0xwCHPLOE^@!}fclN;ySG{V8Z8z&^HP%=Vb?L#-V;b;(WLkG$+ zskRdNr6I@Hjf0EPWbwSb)E|dI3#Z4`U%baqk-e|hn{BZ)zHR9wo;}*u@QzM4j#xHg zMkas;z%LB#&IS*n;H@J}&_r3R%8cA)xYWgV?L}ntWx2q_GcD)HMt4z|-yzKPy4+YJ zI8cNe4DP^+M<8pqUl6nbdgWlwZAyM+)xeUif+&gj)jMd`m*2eOo;S;RY&qdbD|+!a z6e`n6!~l}Q1cl%fYZxr1QKc)1#;qk)bBMy7*F@VMaJ#JW8NB%OpO0U@`qS&dp4Zn+ zvr+e!xDhA2x4-ZzbQ*Ji<f7+CB9{s~{0nM7XGaBx-Uih>*xj1QE(tX>_KJ=tXNc|n zB4a2Vh&Cb0Xt`Iy3juJ;`2GFzn1i6rqSt@D?w{2j_f-Z0s;n;t_ae?@btUM6WB4N4 zrFfWW!c31;>B2%4p+hWFDXkpNmbR3EP)_z}I>`oaY3P4~o&SoSpk9i9L&r4xy91%Y zLWnjNTsU5NGNUBWY9V5k%(A+e+!UA!s6<~v)@~3jC)3j?ns<Wcd*I`2#z~u_(~$cG zFqZ+A`@HXUAmw{Gdl#@K<i4$0_Ay2mXsWm0g%&bzoMY_AqQX~HTX<RAT+EBi<HHjx z6YR$qL4m>GBM*nw2KOa)z@Q6QCn|{QqLMLkGFURdl>bq!zAox&fs2qzq5fmF!UIMP zvWsoC)XGI}#gb@CEr+zPd!+wAVym#06v)rjvRJFg58aFU&$)!Tw@Lkn^+4E8Y%VgY z&xKJb8+2WUDZa$}fEf(yEK1d5Qvn8n7?+XTH*)_A39F#zm}e+BO989OL}9gCp`)L& z(rLMbT1sGJ4ui$Rs@!y&{fIwDmnfz|O{zK5<y=F@kB2}SWJ2kRuGAxPixmCM#IVz_ zdwW`P!XWS)6@S@R2+^fJn{6mVsn#Gw(tyPQ5JeoeeqG))7|9i2t^E=g0Fd^&ybhJy z(1}5RMqmD@C^z};5kd_IwiyywcQ9@+gO0r{aP+<I`|fWf$&|TYz!V(+#ZH#u2jcP- z`c~q$OT@D;+j3~(M}IWWZ+Sryhn<YN!UsV#1&6~nF3}y1ky2_=P-4!Ifa9Y-qR=ZH zxE8)9+R)|TJUGX5n)M#)mofLzEy!YrBW*32+s|LQa2?6cPv{I-!%iT`NP8C#<ThH% z_)ehV#Gw{EN#g0~{(^@Y;=SY!>>p$cT{jW<gq;V$me0HCAL%Nb?uqf+ShNwQ9(mWu zK#-zCK163}#tKYv1V4{3+!+1)^sKepi-0LU(nO`Mo_2z|n<#e_fH<->iv<%ND;Aog zKk_xF3lOqq@m5<VS0>4s!L{6Z-$rEG1y2jz{La}@*-h8jr_o@c`)S+4@}@1Q5|~Ij z8(m7g+dgS2FB<nT4z}OwmHbvy_`2*dHSFKzXy;@@DUk)bIu{f=N>30ddEMs*(5fxB z^X7QbhQg5BtN>L%b%VLbayy|+QTcugudiWwk;hNYMf!@d<nOx|uFrTg{uQ{f6?Cz4 zTO)_Cr+^SkDgkB5-L(=S^54rfEB35O*pcq1EuvNH4r9bo53T|VopbDoi$NfA#4#uy zy-cmTWiz{uq5{U~01Wh7R2&q-OyZ1#p!nuY@@{;a2G_aIu;%E!^BtPdPd1pxt{`w& zta0G>eE!_YLoz8KyO|l4e@Z>a4@1<v0nP=??W;Ve(aEIJjwN>ia>Lzg?-K=IIe|NJ z(!zyD)5NycmWgigCz(DWUtDTzwsv<jzq)BZy`2{zNABpqa}&`+eF(4O;P@Xu&4!Q2 zpnv?>;>+WI{{163r3(y)Q=VyVbyfH>fVx3*9R8i(T;o4O2f4Fs?u{``%TU?QQbs4v zP+p5G4kuk2Q;-zO4{`odiyJ|+GX;=H%!#HJhqayYC0Tzr+(2`teQ0P!{8n6kTo)?{ z4Gg2OQq((kM<r9yL3g*tic<bOhDfOQ43#By3p6^2$=r8uUcP%VdHc=j>FYP|Qe^Js zYbI@j!v>AZI4U*~;P-94tm^ASmm9$owLx-i`7?0kMMdf~dPs7mj#j2vD$SC;$)nst zX&Rx#TS-Dhgd!RnN|y`gsW*`jgP|Kol7)!&(KQa?HrowG{!{of>QQd4QA4>(+#C5n z2-+NW<xW73lNeE4hrJGA)PI{(-2adVlC+F?DjmOy35fXB@X?ki2G44o4GogIKO<ne zk2WiUzVBxeu3fS=FeBuh?}~Z^Bg)9O+JR&I$f}kyqIpp1bicnGMf7vzLo_eS8B#XQ zE5NsSCH01`%Gov6T)Al8muYPUL&IQ8T1+btcNZ+e&onHTN@ZRyNxAPLNdbV-KiLoE zVUBXT^v|A2hgs%5L+;z-Upz_9hVQwXedvL-oaD2DA{>tw>#D5hz`=znaq**Qy)PwF znm~wg!C{h!qm@(4C-BMYI^Os~hFTTTy=?OB`GQ&<!6PVH@T;#Gg(SC3bhg~k(jrXg zv4f0`(a-pIZ70MHwHq1~s$l3}RL{uoPB-JGc8{Kq`0TOvJV=m9N&5q)+C4hCgQ~i> zyv4+9voo7Sg<h$N>0=SQs>%eyp`3*8g?jl810RWC&as<W|76J~Cl;KYhr>0z+Hg>l z&^%dI7cF_op!;XoH#^TH$#T~pJK@$Fjwh$gck^!ifW#F<;s7C;ndymuNy-cI$Q)W? zLZh|o+*MJ1qcy!1)1RlBH2g)E3Sl9fpmd)ubHF*vN$f5T=kGhQUOll2KtF1|UZ)BS z2`nTfC!&T>%QCblACfd#CiN-3S5Z7)|HS|g&$#KiRx)DXy|D4qHA(Adf6aT-8=^7w z1Z>G_I6Chlh}$`63jd~d7=QN2;jPUb&0<Fq57d#;JaxQN8=kSEHZ4Z=n6En{ighlX z(d>g9+V1*blO-eok^3;DRF_m3*Y*?0^&b%k(^2+@(Fmxm+7k-XQIq_Adfp$0lXeku z`r_REg~F;)?t8-~TG75%vKd%Ez0zNwXIF5kW4@^cUz_#3SYlO|(|==M5%#FyCHV%^ zDnBuDn)A^)3Hv;Jh;w_mX&x$=!;y)%b+*}cNoGkd`cC06HtJLj)Ji9DgbI%tV$Pn5 z*?uH_D+a_$X8N&rXp^+6ah_}DZCTYKb+#x$s!3@oi`8qrh|ryOS59}x<lQ@r&~ec^ zQ_hbVaZ;|Mj}9Izm>=@sQ^Nnhl{=|X@~ZLsA=}_EqcWA34-KnJ98T5b-syxfy{u;q z`m~=&4B?nr>GtGM477(S7RcaOhx_4UMX5c3=N2fam>ud{-FRzxV74^%zNoMiinSR? zhU?Gre-g7dBIc9Kygk8e1?ZXb|NY<pGcW__G`JXi|Djxb|KS4vKOe*~mUiPhZ<{Ex zaKR+W_~B1(>3<GW{;)D0-Ce0W3P}6r-JgzsAL^gk)wU<ibkMSs4Y3C+|88-hLg!9l zZjR<e&NB&0=g1Ce&o3`+PNg0Kca%LxpVekX(eY>sH4lxqogsManf40(4$yXl4g9*I zOWcH=X<|)|LK~&1YcNv<GS0g1U`m?UbCCEx;EjhJS3>vx=<LyX00UmP1$C%T>e80; zJaN7GqjKU;o>|3jYV_DE=kc;ft0|;2xthoCK?q;%@W16|MyamvTq%VaDRte?#v^jH zZ~8fg<#|(%2b-9+VBOv;!|Ysid4xV#futULc<P_lPuR`e@&$LC1cb@A{Jvo;%MmIf zp3%LFejHuU7|B><hFb};R7SRYZPPW}2QRqv58B?6NC$&mjiU(A?&=0O5f5M-gWDIi znE)Qci|(x0S^8iC#CQn;2^o0c3P7hIxFLf&#uKa;31aBUPd{t!8pkX0BR36V8pm1U zZR__T$;_sSW>fZUi0ZJCpRJZ?W@jwk(rM7K%b1E^P)K0}rHp5qJ>>AEqD3|gAQC*` zN=K4TH90`a4u_F7oF(z9*o?^s5cxoVbf|Q+CPdOvy4qD^zHzYpr#<jgnpBH*an!ct z@FAs;8>?i_oKC|iJE}k}xdNwCO^H^1D9~{1Y7Zv&_AFRP6iySZWb+e+uCYg~KzK7I zb90b-(3Kzzchr=nz|xab2V$xNb*n~RuoM02JL9v#V?+A}4GieP3R@+oX$T6vt6mHt z7BjUp^BLKh<8=%~iUhOXH{unbf2qDOzD^E%)r!gA7n<~c=femj>Hyn@ZgZC2$Pv%W zdd`j;gZ%btIS9DM+p7}jM#5qy9zmFAk@wcWLkX5C6EkOAbey+RTaj_71r}^35eKU! z;CLg}ioTkQ(%u%~UQ|8@M5uxDLW7waSCHIuTbd2&xh~Ou09$33i)YQSWe>P|YI0g6 zyKXPEO1v9=Cxymf5Q;-VK!!kwQwNC8OCqE~W~J{1uW8Ni4yGmr`JwbO8f$+cG+UIi zrv~`W9c^<_p(2$>r&-%9l44_GP-7kJFPt;{h)W+K*Zv77Ay_sicBR{gb1JweMmkp5 zfrdrsO^<RV-n)SMh&%l~DUW8kO!cnOUly!(HM!Vn4oBb++8OK~c1qqo5mEayrSj#3 zuz1z#0d)Cdk)F``@POcMR+4kE^SSx9Hy4<cjef_dR~Kq=QBZWnqG|9S$*l>JaQ^ra z?pgHXXY`wcvUe`j>g=8%{Sa_K=iPC>b%F86kKvuqFCOcA@sp1qViH0Evh?}uMu(R2 z$A5=0dN_BDRM9EIzS#U??S`kt8UscPEDznlaj2=rtXHxHUN1puSrQ#N$xKID4IOUO zl7ZEgIpe|X3afhC#0|%oz~l_xJ@2S}&bsMCF|}VwHinT{RMs1gfQFtV+(b3HbX5=K zG+mdw6SFdSyztNR1kJDkjnHKF_vTLS;Lj+q(=p4P!h8-m@?b6xD|^h$Ew`q(E?$3I z5zUd%nKmDB!3U%{b=wCrdFSG?OVV@O^hGYFqRDN<IN%|rn?K>4tv0;Qt^|i$OL#9! z1(Nz7H=gQ>JK{K&H`>{n@}Nr(<g|_coj|EtiDD()Gp(My6YQ(7%uCLmVk24*rgydA z3d)-`6|0c$EDJ+Am_@<GoXnchJIXcl61kxlwU_*ngLIlI<}Yltk%Kt#i`hegbTXrZ z&bT{JJbIxs{T<8(fiX3ud9orJ-D~bTAmyR-9ql~ge+)0hr};h|g}1RwW@=xRr2GDy zQh<fqZhe<nHPrCn6PIq6_M5qJcvjTA;Z3m`(o@IOjWb~DbTcW}vElJXfvDy2EkMf& zoo%NjH;ATvm)2LJD}vfr$Oi;Z1<o_zwRuZJSjep}-<Q+~orHQJg>#k};~Rqr;;ZI) z#o;G%05lmY{~qp`OL*em;@3=UBQ_yhrfV`BXjvRpA)Y0!(Fwxs1}t{GPh3vL&wQf^ zQ1bf6a@|ZOc=QC6)zhI0#Odi07_BC1WV?r>Ad7Vna2zhj(+#>PQZX~)D6RF3b(mN{ z1LauEp8=He#^#LJlPI?@+!>#ViD`K1DtVC|3KP0+o<3K?Wb3u#hXOy%>#yIYQXwB@ zFE8t6&9*>Om2~0j8j$U9EWr+@bfgu^eUUL({<<o?J3xitNf#BzCzj}7Rugp{(qH+D zSFhhafBA+?VEFavvu7{fx^J&uzj*a7b}d%BlL@M%pa2SpzbHjzCMDr-i(U34%Js5# zG0bqm9o}N-GOW^}WXnaP<7fZqOZRm1v*`2^7Q>E=qeQcZu2_VVj03Sf#3M!Eq#0qW zJjbw?7@=rJk7B1jiVpUA5NQ2H)?Qbua86NywjT2Wdk+}w4HUzD#&Of0uE)J89`2NM z{js9K$c5w;M3|NZs|?S|ljkqKeeu=n)5-IfZ{Lj_MZ}$|(PNRqrrGkAAP3BuVq$t; zL2AfKezBu_m8-rJCI^U(yOcKt%Pir290lIv&nNUx9#_NF9j{`iG{0Q<%<0F&J0&$W z6`Y9+;ixZnql^_of_X#2C!S55!fjDvB@`;Q2)h~d;UCidhg?*0(WNnU>6-?{F+7Wu zJTf@qMacE6Dan0j41xmqUt&_I_+Lxz_N!s{VjoB23b=_HB{l<v9C#ACj@9)gKwIW7 zZ&oiuJ&VXn@RCXRlT5ZSz~l5Mf;VvLm6RDIcrW*Fb$aYGzPRj@6R}6I>E-U`lAk1L zsp$ZXjW(SIDU(g75gBY`U><~KO8I|drb!GcG}0_9Dmz!T*2qp2sCQ9BW>&&RMz&Xl zRFMlqhw<Y=a0>GtE)7P;QL2I~OuP^-%PY5By3eGjCx%mM6p44WGlj6y4iQxYtO!zZ zxu!Thl>e#?RTyWGLL#JQj$6gCnx=NPQnEc+KI&42z|#i4kLEY=+=~W!sS!Y`6O}(~ ztM|o{0t^^Z4oq!ek}~)r3xGi)e5-eDTg!3+_qp!yG$eG1Gt)I`b=s)5lfO>LkmW4@ zMr-0v!V4~@#3iFKPl3w`#6__&U674e^)lDcl>!_&i}XD$T*m0rb&Qt%@_AE^VEb2; zG)*03viX*Zo*X@fkG~?F|I7^i%P0EPM#80&Y#tI%hR#>+=8O&GY>Q-^v5V@JK=R7o z`QUfKyAx7C@t2m|I0L8xR2p}HrhuFo0EiukC2jsSJ$#40kDU%Yq}&~Yz!@Fw>l60x zjgUz>HDPM?qA_(J7@jqWuu~ik#d*b1RU3x-<ZzsII#935jxn@*JYrL*H@@_cLZ%zR z0kN48*yh6&g9$^p1p+);zu>VtV0Ua$65fFSByq~E|GK197ud*WJKHm8RkVt+N60}3 zO0%xi^+rIc`;om1ybgw5@1P15V&keZ#fD4oiEfLiKAJ>CteZ7!pnR*QHo17KwO7G< z^NIEekJJU^ETMxHRkL-YFqw@=CRYgJD$SabwBr4{W_?|($vpwV9{ujKM|7VY{qFJS z>EtNA5em|2ZaZ}iMXokkN>eZvfEJtKpsE)(9Sml}B+GwQyQ%F<i)_l%Q3~W@sip*4 zR+r%r3r8tzyPQd&w4V0}hHySS+S21#K7)0J>E#1TsbD~Rs1pr`uy9P~3t8*LE_YF- z6J_BX;_LF(g%Ge|!W;`UPNbH66u){0c52IWcTZHUy2K2l12rZM(I}?!?)ljhy7UEN zN>uL9a@SZ?3BqtY>KTw7cj})D`zua5%nuAq(*g6N9roBU0(kZ3#SB;`=nYdXh~ycZ z8wzT1FmbgKtbgi=90Uj{w_t#@d}o0y0sr#|NZzDt!~)t^Lc%CT5xy37nOZY!)e)s7 zKu0nh-8mInCSj2#lO)h&%&wWTzxX-cr*jDrirgI?MJs!c%b7=Llz5n?`8vBbXd<pT zI`@`pm{MU<Kt<25bF*R&+~e55BL*Is{fjc&t}s^8s|6DaigoLyMyISFN?&+QkAaIB z`S_>Q)p{2=bHkq5$bXF*o2Z)%eu;%AVXL_mb}36YXyXM~mkZ1i#=heeTY*y5I0D83 z%MNRFF2mU2yBU2R_X6p^^$eo(DLIJse5%3q!*-Qe9BZ!O=|pAftR%5om+!G^_HuVD z$7i09rB%f6!*$ZneaHuIgbFLk4P~~PNx^W`>z&hG#$XBUOP(w29--c)lQ$f*HTw8X z353P_bFyxCo;5csOu!9it8R~V*>nlmp5~LjN<bWGBs*@$cY8Hiaw|RsKxushqPsEY zNeg?xF5}RgLt1#hg)V3vFtmB7y!PFNd**{4!)x>?dtFmWOvgc~-k`!WY;^=!b+S|Q z(R1H>lvO<%ykMV4`vCMhTSXv#l^(E9pR`XU828Vr@$GW?D=;`v3hY}Ibpng}^BQ_Z z65^kuGDm>ouUy$(J`WEu%7g+zTz<}V)nZ}o?Hc$)cJ?<TwCNJDK&(?PW5xoOz2bz5 zliBX_wjw3!%nWJdOpHAZo{$-BU0mK2PheuR=6xhXJ!@*NGzkLN>Fc*I|2_Nc(WBp^ znLT?(5XY#cncdE_;pZb&ceNsZ-Jsgu`ysV?_D!oLi**Xc1%;UoN7*e%P<W-03`Lf+ zWpz_=A<#T~ilh+_a6=>+dK7woORBony16JWsFeAJP@>WSqBkxcdvYPsG_8CSa8d#2 zs4ej}W!v2a24l6=WvxXadUi(#?$(m%Ix>-xQinnZdD#bCm(Mw1$)0q`jjztczo5?g zN%z*0k#L(cS8|HU5VL9;HfU~!s5OvHDc^e1i_&qA{DKa@Cxg1K*Yk3N_Su@!VO)}7 zhiD*jRK;4CoAdf5SDKbN;VX*{aw9W{j@#5P9mv*%M%_^vy*qi7_TA$sMs#lm__2uq z9eMW%&DY<fJL4%v(s6WK@<quJXeO*)rN}73fJ-U>uUc8xHE6|Toe&!|?RK9kQ706{ z6mHhWZ#FV&KE%I(a!{}z8#u`pA{D$T?duO)w4m820529J@G*IC@EfG>wwcSxPo0z% z(301ThZS>pC?_Q?pGRb@&MuY(5IK7Hp$xbU+96qR1xZ?)RB~{X%DBOX(>B3W(3stz zqx2*?pJ0jGJ@5|>zJC4uo3CCFA;`68-1_kQ+fRqz=kVXrgMT<2<(y~*uyyk4>DN(X zJ{!6N!#|w<3!=f7XaD>7{L_&+Eywr>u9of-db---a|$R-w{S3!wtks^8o3_+;UM}` z{(*sw<@n~`zIgM;*Kc2B|A}8-{`uAGH!q$&efwg3pfhx#d#G<a1@zxI+<eUjrgbT1 zX2d|OD?i7Cr4=f{m=z(r8gmc(;`gkYRCK0zuG*8~NUC@9pJ>Ci0+JvTq7m=h(7?E> zs?DL4t5&r?WswU;5yf%~-3T0pZE&4DH{Zf$G$k}4P||Ap7WKeWbxrtd)J7se+5gY4 zC*XhAhYLYrj?@#)i0bAs?u<N4UF60apZ!mP8a}~trH&^0wp|cBgA|PH?34C<0Am`A zEu47D%KY1@BG&c#s~vi56({OX)+3yID<yi;$-pt41Bk`sB|Xj_6zfYMmJc3W-{N1r z%3ylOOWrP#l^??xg_+v<X;hn@5?GAHG77321^wc`Jc4iq_Y_Scz^BC;Hgr?+O->2h zQ7<x=GDzh-2R0V9D7lV{awm2H<vJkAxnC}Kacw31oL*mQn(p?lT1$ihzTVPjeVG9% zs{nPLh-Q^1!+4)MXv2+Zjy5xl{uH55xVgMClq{3X^efy?b}B;kzEBNZIYR#Q#yXRt zQA)-qZ%jZ@OMQYBX7MMiFgwn8i5^9XDD7&fabsK0w9?{yJ98D|$L1h+Gn6NFn4G0# zmZF_3Q8V$x(*(`JlF+;<e4xtu{R!&~i33@JxR{{amg+f%K&f164Byn(b#q(4z*mM+ z`bs+<xe8ZB;1G4l%Mj>T|6Fdw>4DxQ9>t$uyWwO6$HP)lvKJj{s9*Ib9K)FM?7NbK zBB>e>T%l8bahhTNnoCyQ@*8+_woL#{61$=FM^9m>IO&#E!ZL(gG~5G?%U+|l<hH_! zp^Ly5)HzpYk*8D)oI(Ml%$4?T;3Sqvhe2coWOgi1*N|^*vE-8C$Ooe6%<Ey!<qs|! z9ga#*a+{|9T2Mnqi_E_}&IpRo%wU*f7Lw4&IU3!^EVyDmA9Fv7%OH&a>8ulc9nE0y zefz-VO&K^IFaPupqv+X5qAj1oFVDWe&4I0p8$5v@uoWIzZ8Q2q0t`>?%kR(f2j8Dl zi+>oXq=f$@tH1DtNY!83^(@U#VTm3JnJO^l=jAd%{zT-M0*t9YR4+`kc2{qT4}dLL zu#nxjPyz5HN~0?r6S`*$L3~1g<LoI`YF#{*J^k$5zxvM6WCB2WnLH0CHUPq_IXi-5 z|I_IcqJz_EaD1mz?x#J62P{02on5dwP1Laz$&w^k#1v+ihp-wQx8$hCloW{c>_K+3 zZ7J;yh$#cgS|ZE9yrK?mka3cm!vsYPD=X5*+Ix^(CUf$8q*5-H{0p;*Q<)HIa5m}| z6Rw{P`0s%US5pR-9^;q6xsk1<(6K&Y1y45{B=pAcak_ZR(HEXJewE9LduJ5gTZbzc zIH5NGJ;AC$T{*!#OkSnIfPa9=zVYNw7|Ov1<bQ215!aIAkFkw4-mHWw=?5WMcb#B% zW97-xpJSG`?>f+RaFprI1QRNf6g|GT3`MO~gyL5{*Me7SkSEf5S6k_v{u}jKuH0$E z#m6R!6}A}+zFe`0R&gfpK5MKU{&SGCDrAZ6${e~?6^N1j7+{~t6Vw@+G%(J%QQf_V zcoESKvMc-@q!?PGx~H>$ZM1<#;iGV8n`lMF@1K$o(9LIwLMMHUw5D?oHzrqK8iwi1 zV04Kcwx~(5d!1}xsC^{FNhWfY7KoDsqx%#;s9~?_ZF!H~HaAr3C@*paY$}!o4R@Qz zcf$Yn`TNTxYFdbo!@GS4N0;`Dem}S8KuAFM^mlX00RZo^b^}b=<YxZ6$pTFrm`qNC zH3Ug?!R6PEd@WUYXb@;<+^(0)>VgNA!xuTF3RGcodo)%C>OL6B$)GF5$3RgHE%DF@ zMXCZ12ZM1KHmKd|d^HZ#g#-r_CJM3OAT-ukEo=x$k-6Md2tzX#(7VW4yvL1IKd^5l zO~C@m+L)%!DzdS9QDlvB?4d>-M_jdT%s2oVZYpDGT{<&>T~2xTi72`)C{Fi5j=51M zf<F9;1h-Jc1jXb9FtGThz@CsB5Kmo#VT=oqj=(yVX{<iIqbF&ktKzG!8ezrl(|2p2 zf2d%bQMD`dQD`vWuYxbm-;s&q?L&<((uF<!w?9uPGmXtGnb1Xc^bBK%P$J5@pmF{h zq?@Ck0uVA`ZS2C5Pfq_j`TFVqeEnwZicKWmHnCBtYR0&zPBKr^zlM=>tc`sDi!~6j zIn3Iq88woQxULf&wRYgPk^haflYW+HVR2ugM$R7S79eb(%Z`|(M>?9hE)K$QU&2PV z%%+QX!@%#L2IroOIt*r`%UZv20pTdSAa68kqip=A*^99Y)HiG6u>c((5ypA;Ap5NY z;5+KcMWGFX&4mX_BFK-&>Hx4rRJhYzMYhxE%s@F0MK_XpFqw{+K@y{okx<Ko$K6M* z3jtv<CS4(i#R;HK@43b<*-q#W0Mae|k`zmVR(_{#yrMbq$qAeUnHbz${n<~=??nG# z<Z-W#uoM=#v+JP?(?17~`iqtIl{vdA+N;^ks^`rvIpq7;^*By6a3?YG@VeZEzb4s{ z;QWtLeRv9klx>h|qIeTE2ns#o?0c;U_;9FM{&A6lSC`&$MR$2mmTh@8`xkDd-vdbH z$3Z&j2X*;zgZgq0q>mfamwN_P{?H3b1Gl}vLM^l~(u4@|WYUSCd+EHz0#<=sV%ecn zve<##ZuB>1^kG4b)Ra#4OsT$ebySJ%z-YwPyDQ)XCByLsBRW(^jABUf<Bq3*$yrL9 zS<l&U>YV^`x7ik0pyk7DjkUztkB&K{<xZl=@+=!xd6|zn2SPVa7=RT!8ZvSS5<;SU zgB~>1tK%?G^QT-?Zv{m->mOHs0$wnRsXKkE-Aiya@P9iDQIMJ>>JxkG8F@(K67@%H zU>2jn;Us+NFm{;GN?)c8`=7LB&{6Jqsw8$sAmSw9%kr|A?fORk)wj+m#^#y&ieCCQ z;?h7uU}zYtXIw}UqZk9^ZZ-yee}A08QTE*xmvEBI2Zkfvl(Vb4nh`1&nT$rChxQj& z0hCoy7##fD-#+pz1)qy094@TybdAP}jkUPABQwJz!WwS)3q>_lEo=Sq3g^Xca|-3E z*w}Gw2!cqBt;=JEDovc9L}{%=rQ=HWMzbOJZERb)=zS{an!Rnj`Q^48ESK3OY7iu) z2H9E-99%{gNzJNiKA22G%djL)V{Fp4&Zr8Ld$&;Xxg#HX3o=?h$LoJHv|1_r41Tgl z^XF{%lR*D@L{TpnB@RlI3TR-H9S<+}8YUsTo0PQj?61w1=o#e(Zsv0U3?#Ioc;Yz) zBym(+Sc~i>=T)m_TdZ(jZCqgnj$pz85rKu3ud_$_qZ}@wkjrghVc6Aa&V^8Ks>?NP zPUG-V%g`^&)Y#i_NU(q-m63gk`0s1vXfqpM6Z!Gv^<dNLgV!5xMHqY#^XFX8T? z9{Y)REacsTfO|5SP|~!nuvbtrB3D6v)R8d^il_C6T6f@U%#H)7HuzRmCD~O;A;y3p z4*^d;Y3X2gogq3(JOcSi7K}_S&55N7sCIYZC-ZVeI^jJ&2~V9Gn2fK0TWFKkl$t}% z2{Z}}w(ebL+nxtZlczRFDbT;0fq!IxCbMiZg^$0;^-aCUC#<Pbs}BFh(YCrweWi2V zAb6eA^>IV+^P8Ua*4!%qZbd$p3pJWiHVX`c0$Hb`cq}}sSk%@}zJ6b=o0{A;Z;JIb z<!z|vqJ+!HO`+ZeVBEW8Iz)+AH%0)Ycg59P#_NKN+@k1XeFRJ|Vn{H4kzY9B7o$BT z8~yx-d}HbPDE&IA0C{K%DWwE-<1DIWJ8|vh4_uS3NMEsCNm>v2pKhfszQ3{(b&6O6 za8L6N&9K8s=<InFq8f5`<wzSwUxw~yqt3Li!CIOqIJ15jPbY=pu)_{c&u<Ku7ao9! zPRwt*1{k%54b;m*E8Q{D@z<`?tc;CT06l9%%TIzhb7Vz#4Z~@7r_3C%C0D!(dzT^b z7%|?V;Tir)h~gXTyuu<;L<$?k1@E7;rZVMod%kFCdD=0BgYOZR;4eBqm_NqK@i82Z z%)DfoDQjlJMKT$p8bUrZ=m-BDMP=xEgC5+<cHOBuZD=h&X(^9P-DK@{b|r*nQ5KXt z<dd~?E2XXIp3v@ImaDkv<DG?}R5;&TZ_yf+JJoq?mBl^>aL&x7Bg0y$?=gdtuZ$uJ zUSY?A^tiNCE?m>zvB;BHXXu)X7);^5=7Vvf28>Z;%hfCyU5=(NK%1rw@(OSklSbnz zbhz^GDAk2RidM8Y^fFM=b#`HOed){c1sgm_gp>A{*;F__gd%MMP6U%*+cHmDbUVRY zNkWHP7x-ki4#Y+-I=7ztLNr8FB^}a58QjDAl$@@Q;eV^0_+5vmyYcCXJ8BEy)H}~r zEpVqcR1Hh6T^NWTC`aS1ma(I6_A&am1dZcE?Blj{jr-iPwcD;i*?>bLGyJ3-8Di3d zVqO0P<^H<v-91k69pdU`5lunKLr`<-K$1|#d~ILG5f9I$CklTyJ9c=sWfH7Eo*%|* zjf-R5_mg&qQK-PBX*fM4ehJb3d5QA%hGXfsH43knHH8kZwinB4Mz0XhPP}g3sh|{* zDr_EDq9^f@=KCfT1t<ohb3xcm@HRY|g`FnIJG}~gVuPdOvKh8p5W0qu+8E!@6<Q=( z{wKZGAv)xrNa5Z1ha+`5Ru3&j)ks&BSg#&#)#t*pnn#Vu9Y|MUJ(rcQ0vObDF<i=0 z7w|6orz1sV|Mc;g`>meds@9hh6hHm(o}+O$@u+#`OmYFZ(0FF9^42n${kK4oO{a!o zoK9KSMv@pFg!q2I40W^3a@X&Jl`@+pw6LO#i1o&+a>jSb$w@x}NOZA}Tw0(X3pL)| zu4^QFL%M}010}g-Ovvj>=#h9WMa-Dr2XfcNr_;dU4cPf9y*fq8*@;Q8yHGk+0u>df z5uhvl&~|P2tnBeY>qb6UFEZeN>3~rYE?UZ<gK<}qDOZ%A%o=k22vw|;6-u}Rngy~e zgQ^oGN3uNRYD7NQTS*_b!zOz*IgtY9<25-+0O%kP#bePdJ9II{D;mTRE|KxFhfrE) z!n8k&+XEZ}iDt4}m<To5D78z3NB2i$<LoVIIn7Re%4kj-Hl5;#r&GI4R<#x43A+l? zBx;{Ak$lJ;|L-Lia$LE$_!9cyz;ZUVsTho(mx~aL6J{b3c8o18Bu(*AX~cQGyTxoD z<80n!QeG&JK)gs4ODDi=*r9NFw$xzOHICUfDb(HYyMbuDRN3Fq6|_J-u+Qd(Q1VWv zG!)FRB<c3xaLqM=XP#Oej3>P3k~GnhWJ6MIUD~)d{s6LERhQ5P*s-cvSDPK1Cd~YY zsrUXHE^+q-ath&i;vE-LICis?Oo;pTrP}D$0N=rvMz}dap-<Qc_A%r5d4u+rtcXMG zeoI)*u(~V_{O&j6B3)m%4jR>(1#h_G;uNW5cqnI^lz1i`9)9TevCHvO*4vvB4N}88 z%5ErA<ib2BG>fDxE(o0#z<tgi`{^<t`q2`4Ak|lk9i#n_vXZ#npR0#-i-9FQP`LP| z1`f&)lWn7<`8+%`Z`v2K5ytL??Ba&*m)*G>x%5SnmVHdwG!O|52#SNlgA*372?2fc z>Z=!T->R*eDZ&L7@u75Xh||u`6^9v6-_(8$&5De8i4Z|Cc_IQiTRk~X?@eN*1mu2Y zk$z|a0ZC`q&ayXa>cuh)KGKh*^+XymT+uDnZBs{$>SU`B2fMg;uL<0L@cWL09q*&W zq|yh&=C<v;(si9!X@2x}1v||*#%-zfVAn!;ODsq;`yxZ%9(K1gC(A**B{z)jU6s^B z*T~iBo?v=V+z((gF!5+o3EihB!B3ZRq!$MTRz}=<b<R8u{*^dLSH*9-OG_h;<rmK~ z_3U_$DvKPBPO^db@Q92kM_i7CgU747d|$Ed*SLfrpkwW*&Ej$>oy(<NQO<|ihQw(Y zLDCS@t6sH9l4srYMm@?lyhMORs~IWP;ig$lC`>)2#ziuu?@Iztqsz@g=rF}3JqcSS zw9yIOaWW=|6Mrk9;ULHyk5)0WpZE=~hLm19340M}4^7G+>G7O2HI&6|(orYM;1)I8 zLgUm^br9o$l)={gi9U<kHV*go-V4>X+foy~C(=uB@^kc*xGfAve<L-6$@}S(mLqSW zk#p~%n=FxK!d`A9M9ZR$VK%WMI8GPgjxbt>?(4i_mFlsG+efUzMLGPYMr$mw=X6XC zf%>5WT-<F^VrSCr6lt!ZLrXvm5!)h#8fBYY?NUA*?e?PGRGTe1m{Dnk9Z<BQzJ$#H zN^#q)=afz)E^bNXK7&vZRZJVJg7c+zB8%s21_7l|T_}N;xZnuou5YbDm@`y_I(Pn! z&WB&b@U?+bpTRiNyY{(+h%51smbA|S$M~9b^_XY#k~J*&uOo%(wSrZ;O1O+%!lcW~ zm-V8tdgegsEb#B)#UB<jbqQWM-NBqP^8s8;dD#L3onPiy9(T1PX=YZfcILdm9Y4E5 z+cq()4JN!Y;XGq;kn@Lz9D&24yDeoAh7HSZ3d{^Jr$iR+6(A<>ndN{3?F#(zxW?Jz z{PE-bQ9du<Kl=2u&p-R;vM8+^rg=P($D>?4ro)n><eZ1s$%Q{n;yK8hYSQ`6n_E~c zAW%2BR(20~zQGFE*%#OBmP*#{c2lw-Ce>OlC3#4=Iz;&F`gu2PPWiear*L&AjY`n= zq>r%<!@tf`4zE84ZGW7XZ<jhyL8RV&@LVT!{~$hU?gRP8nXeQHo3UF)k&`yS@9P)u zo<4v2?kUrz7ys+U|BAD@4bQ$Gj?Xdk#_;=j{(zEp49~{jkIqMjz0^Uyo{?#A3cz%b z{X8QfJ&VH-2`lzG&?)fvPTHq-HHF+dP7e_-B=%f;ME9+mqFS<wcAe8)FuIh!qit1T zCa<<=_<d{G<GS?!%&Tz5>6$0j=Pn%}kn$zuq_HUwDT9(UOga_Vm-8M^BQyA)NRyqN zo&RhlnAkn-D0}IAIf(<nx*%euqAHk`t$)gu*M2az%MiZ_kKmFS4#ddQ9^=U#klyL+ zJl?M#+WkIVBV#-gC$4q^WAF}4>muRKBO}Dty{Q2(ZHBlK@*DCkSEs<?Pn^nR@Px_v z&j~&lKkNhq0Q^wVrJE=sP~0EO8g0SR$Rkc=e!~Hrx*7~1%5(30HSbvYQ)X-0V{*?* zFMXSGM`TY-jj#^dqvII2I;XI0bQbNK8}G^}JI*@OFn)Olov2YnS!&6NX`h5~TK)-F z{(X{Sm$a2H5d0*0-HZ=@mRSFgKR1ctWVcC3g^_V>6imZ&xoj?gB~K;6KjHuazMt3a zhBMXy78IHy3l8-Iz`h5tG;@?E&8wu`wz6fW^_xtgH_E{k#cZ$^25&;V(W$c`4SSR? zCNf&=_%cKRp4q25wLNl-D@7Xy4VZL%0xNqQ<UsVbiH*gVt_U`X`o1h@oA$oZG!j{m zJ(805@kS;HNGdOGY^i748Yd_#;r=B<ceSY0&QfPn1S9#X_-~g3M6>9U9j?fRtA=XY z?~dydlY@+WW(Z16-z-A@<0zW}i@9Mq<!VJO>6HzZ2gX_*rLDI2{jtd1g^$D291WCo zp_3F?D^3^}$0#MrQT80}+f4KAX2-`c8Vp}FN%6Q)1jfg3#;GFv=FL|@@XsJS8Yu7x z%Y4<-vnQ190guQKUl;|K(1O>9YuV6ScCzDaj>D`rEO4;8lVcCiAC>^y0nraW)Aje? z$10g%T*sfCCsVW}^_cYLr;_W!q`=UR9Hh6KX7!Txvcorfe0D$cC1OyMQ+T8f(9rvV zSZvQtli)Z78FS4W6UN=h!RvMQ>h-(q+0(DS%HI9u<=gC=SI=KR`{wHxuim|Qo&l5m zm)Fm~AZpZg;u!sAFU!hKROU7BLnT8@3@+y0dgd<aqzv$=PBtw$`DCO?5#^;ccOH?K zZS7KHD1Q}X=k3j-;hM%-F1o%l9EBP_*c*;YZ&9K!<l}+~k{eBq+_Ml6{Hk6!oYxw? zc$9+>N>{GWL*P+1VdA_UlQ6bz;sryx@eJdjQ&|8yas1&R!e^eju-!%PtFxbkZ8$}{ zuyvG3E=-UTjhCbOvy&)p|5+5bzb6_!ne?C=n{Ll$5VzS~IvYX`KbWDL5&hy|a(-Q_ zOE@5=3@J?@a7N>DAPE88HitHZ%fC5syWL0hM57skAbTo<2_oL`bCf;Be2}O?l!82{ zKE5q>6lX$#nG`!osYQs5l8Q$@jI&u7Xe3*)&ti^2ob2+n;ettM=Tk53tOZosNU#wn zrPQ!Y1CBy_i`i@|nU0g%M2F|OF21a*nG|__+&|fbLE-zSx$ctfbe`*U1e|#51#o{D zyP))t`$}ah)C^m^eG}%shIGeu@@t7#k$698jR^^DzF9X^kHqme&2oNBI-X3Rg}fHv zr~nd+lC(;=p3?7_Crq4WgOpVASmzPcLFGy~SjDHgu;s1UNfb@;)Gk{T?EgXzUCqUm zO&?Qz-Fb3Rr3F;rg{uX)1IV;Nfe%(eb2h_h$yg*x>%o{_hhIk;Kt%EbtslY-PWy(% zW$r(zRMCfLn{$~v6&x)m&N(3}7-B1sdA}Xw{ey0q9MMvK0MO3NAigaLZx>&OYPI|P zF~>y%vA-^%K|7RIV+J>AuJt(aPF?I!jG5dq>bG#xFPaa>+!}Qv&gnie<B`EGM62)K zynOd!^7fn4)7Ni|+lM%VzGhZqa0v6dxdteQp_er}LlON^+ldw)aWgZKB5Wt|D}uHJ zSvZLnbx8swwE{fWH8SV7cU`n;KSM`z@XP+F`KRCguEVflHL4f1zX^RC36{J+akQY> z5_}RAEQzHmKwcpKLwR{jf&<;Os{#;%>DddE?WR*{GnE?d#PqLV>CG;aZv;2f81LcX znf!7tX&!M|O9m;uDM$^gcA!~8gXIt<n<;bRSOF2gj;T01J<2mL5>a)=ddGou{NhEq zP)7mLH1PNc8jqS1cJBt1)EJL2C#x)^y<G}CiQ+^W5=~tO6Okgb^*Y49oUCogPmn-n zOw5O8ak`U^)OL6tH<4yKEUE!U!`Y{qi_xOf)X$Qn!N*TH+hkW9OwQlod(!`;Kl80c zF+ht$PN%rf1z);$zCJ7<;*+BclW1hyRR+W#ae;DT9qd^HA&NKGSYU9K(0jpkIsr+d zW-^R_rPN*ca<eYh71j$QLIP3{QBbR(5h;y}^zh`%#{L5h{9#=}?^muEa;!x|>U zUu`$&Id=h~VX8}+2u%4Xdy8ao#^)wTY{A9K$WT0X>6B2#0HQ819qe|9_PZ<WX$SoQ zv^5N&xq+$wjrBpZ0tI7ACWU_l$~?;LkD2$8Q#I;~^>$eTD1BMd^8;;JFM(NPyKA$M z=zrC}k*g}28e?xk${>t6T*~~wDeJ;_hllKB1PF)DT$e!WPlBZw%kbRwdBpt5-->lH zYjRgJB72;FE*0@$YbHfo&CB7UuL#N_U35d^0->9KHE^UNSzV!#ullhZUY<C$tKJN6 zVK)Hd`S(m08coc_CDQD9xvVZq=E?b@1wN@fZj1Nje8luk+n!`vhvaMiMGpSu*<d1V z2IrJ|fd1xZIoHJXqTi73LFLD!vAFq%-cjmJgcqo^>m)-W=|2_gHM(Q5V8~RD(UdC~ zMy&Pe8Vj?Ok|P3J2bCQtGd|)MC%|`wGNw~{`|0V+tax8kOT2`0CPD9zaUt9wqDIv~ z&|eUaOSxE(inU?RT{et%gGtRIJ}NIsQC=ab5+_ztJic$PiA#cAF0}9<{w@<|jV;~a zl`79=bU<{~4FwJ_$-}1bZJTXt&xPUS=X%{S^ICy;aSJ?f)n11eq*-D>kMH;!Af{#= z;k6ZPnrOT+O?^0Eb{-gY1Leg0EyP`G>BQx9okMgcK#+iATYqfZwr$(CZQGh)V%xSk zu{p8rWM}uXcyIgA$39eD>Qz^LAML5e@fRgkRFrqrhI`(_(lKF&W4*Unl($hi8y>_5 zJva1>;Ppw~%BFX)fyOUS&g&puNy#_|CLrxafLi~^6>cI<V&I>C{Jv+^!V{`~*2i7O zJA~PD1u^x(NEEY*_)t9y<vgIW?>|mjDU;M-U}zuXx`terN6FTjYa&d>yC~iGtnc~B z0^8|RN16<lxK_A+OwIfFB;s`Hom|F(%ksMNL5vU-gjA}#u%q_wV&x-wGtXbNF~4HC zR{Ojb7OCJDE*2!GgY!HYO%}7n;GlbMKNpfttt9P4`W}}xj8gHswlT2J=|RZ)PmRO@ zA=FbZt7+KQ^i_$Z-wl>xZh})(t7huDzu`@<3lbrWx#1~ST&*JshY}5$GfkfKb8*TR zuPsYe8Z1A5Xu?@<SctNkXi-^{Qlpn>h0u8ahja2j4U#ea$>LJ~gp>6DG_g4Uyp#Xi zAnEAE!eruL=V;{m&mpO%B<B#q2-kC>;dx#nsfTG&RauG4V^t=1j<5+`GLl-JDC$(c zw>ua3ew31Xa&q!|HmXI?pFFP;zJudKRZc-9?SPZG2L1>^A9x*#1fHJAaUL4>oLV-q zRiQ`+#3M)4R(2_}9QsEaNaFS@70yUX-|`>h3i%S@6vX$cbw>v=Iy?hMD#OsWT^`cj zNH-pKNQK>wzHM`NZhJ0{EmR{r@g+BCtP|2^&k$#2*+=hUeh8n&ZH2dvO=xv~4Wwfz zk$&C<U?B@`7A=(n@g#wpDnY3^0%jJ^hLMcLBU&!(*c^XYgrL@yQH|5JQ<2HoOs}b< za=FnNpOT@*y(miOEHh-1xA>P&t2TW~6>~Va)*~G5`0!>8^zG|q(gSnKt23|-ihX@A zo41HUpLVshxjw5OoHQwNc>A}{!{`S;HPNQWP1-Bue;Y;rGXwvE4)ibh|8<D|-TylS z2JZjN!w$~>)8z^Je^MC!V6>!!0tDn|2n0m<|2|;k=xA!??D8*<SGpJOo1Dqtb!GkY zn-a+hvTw<*+<BZV_6FSixobP)XT=JsMT%&oOr?@^LfXnVSzZZ#MSj&a)Ig*{N&p^v z5091aBt<Yq%B3ffpueNL*-??%dJLBLd*N{wcZ_h<IJPz}|4Pz1ScnhWs1F^1J-qe+ zw0Mgo4$RT&<CXR6=jX+m?W<fn_tViGc!v@BX)T(|F;t3!OIpXPWF{V;%i`5v4Knx= zJ3rqFm}=DNW<4={yD@z9ngX$!31ht2Ucij~Id^L>x)jfYhBC1o7f*Z{Pu-GhY0@z+ z&&HTzhhOF{dm}@|HeLJWSte!BLk$lya;tZ~13ACPQ1;>4<6J;f#y-PyBbWdm?cUF& zZoadF|Hx3d7$_04!$i73bSo~#5l?*oA}>2bpM1v|YwYv4Ly1xlY*;ekC3iT%P9nDK z2dQ?Ir~Udn7g8tc^<!uD`TBtZhd{foPXFqPH=wbptEs804fK8h_SHkj`Jnx>aD@Nz zBFg(S{9`{;f*mG&%1W36>yD889~pLB>_X&$5>A&t9(By&+tUjMuFahIxTqBH__~BY zN|I0h>iCH&(va-C1O98#l^i)FGpC&5(tp@1A?AV;chiW~(j9L=sJs~Aa4a2>7|>9x zf97iMNg7xZ4|p7skHD+nkPqRrs_*fxMZVFvs{A5*4Bi;WS{21*({ys|(XUYLMuy3X z%9_t8C|9Kq*ak&$T%1LGYyXPE!>#ATT(+1u>jT*^mf8z4a=9dsSPDHH?dPZtFdfP+ z(v<B_wO(eJjZ>+aGO}jhPPh&$MCBwQO+y$X8uzIAcDg}jBpiEo(+K(WQ55AwW(3_d zOn)EY*VT^uXEJ&nFmWU){RTTj0%yMq?%Aeha|{?jGlY)rW-l6f6kHTkMn%gB?|BY3 zjfQJU-YX0Plo`SZw8qD{vTMeSF?HJTK7x729v!af#SF|5#%8S^#_t+#gSle7vXo{( zsY6a5K^dJo>Ne|~9wBu2%=nn*oHpMjHbK$GhWT~khxH7f#3~HD8YdMsW@%iIQ~E$` z3m)|sQtI^nZPhL)(THv3C95BR;ba3t#CKyvbM1e$*^8q52zg-KgO5d#2MJ<T?n_gu zG*CJfG{nKp;bu%}tc41m*TJVy>VJ>AX=*@4R0?kw&Y=RlFuwPvk|LqF(enxmF2OdT z$&mV!iloB`vvf9X?P}#qLG+Ol>f;uI0W}5L4q1j56CWhM*qV@c=*BEdHuXCphLkNh z_Kbt*;;@u~&0~1uQ$tsS*;U{O=TYiWb!ErxW6KT`9*uZ6ItovK79Orao3nDj2{Zd) zl4-6w)hP{2%d>y5$*zqvO~m05VN$_#f!N3cs>fqosx&6axOjkJ$HwyxZAxU+obydQ z)gPRi4;|&<)>ImV)}0T=k)dbfV?$Erey3e05LS62eLwLI5~3^5Mc$(;o(78$9Xeu> z0S|!%$^uDzPm7NfjbgJ#37Mmi^Ve6B#kp1kNKRxhdzuXbk%xZLtwaIk0Sl;^K%{em zQ-Bc`h_Ns(mqC?YpzuX_k$fJZkcwEU5`7E$akNr&UULnlK^8AZJN?nmXu{b_KCun@ z^Bv%Z0bEN0$0+l#Ub1=BTxDzE1PUY9xF!k{?B8bzMTvxgXxM*}YPs(E{klqxM`#_Z z{v!Kx-uAl#w_xJ221j-9gmS@R2JZ<kzH}y`&SckqTz=f-f8KUK_nO_<u0m^dvz9BB zi<-Eh3Xwyt>_I0v794~)=i;tv%R==LeqNV7GCvx9e|5cS-??ORk=aPWE%^d-%n6-g z8Qg$4XcrTmt@%TBvyLDg&p;S&LWF}d82$i5mALqNx~+M+-5nPP*#n6m2q8&NgxnK4 zHDVuQl@xNzdo=IztItas^QRSyet^^C!#|ku^aYzFisN)}76(2y^7WzdY53!}UhCF5 zHE2!YmHLlLXS^ZMb<|TAO0v{SwV6u6p7o~r0Tjs>%D^altU}~CHA`+HP@T8XoC;IX z?CCAFMkA-qfH|fY<_+l@vC(6Z{v7_GY$_oL7-H;`(XiOn<;(Ey4P|~l1OAqP;*Bo2 z1BC72UKRsEWg6nOEyn72A~G`C5nyLDw!QtFTr=5<MJYLOft;JDo<(@^_Qh&g_M9MJ zuL9@2fyk|x`}@c*#uFwSoun)&&?IK;$y87uN2_qXtxl!RM=kw*ys?mlE3=eYPqz$6 zQTp8owVHdi-MpqNYBA<Ec#i>@@E|4q_#NtOa4j2@hb@K$E7+YnDIK<)Sviy6utymr zMV->jD5FXa;Fe*4hb~}kXtBTrIwCsh(ibR80^lnSFiRDKOw`@AC_`1aNE%tGPH*I2 ziDYu(5qUhrZUtVBVVZwn47uy|kA0kBt9v9EnTlJ`e_L2@UyiW`utzEqKm^$p2s{=! z4lk6u`#!ghz&J0OVq4CuQDdc(?^zdRCPbT3Q2^($Cs9J=>k$5_1Imx_8Y@w<+4l#2 zl@g8_*dZF`hR(K!zV-)B<Bp!$s5pEJ0DY|A?TsA-)<i%_WFHCFN2JY#!TsGcqsti* z6&bC^k?CJrp1m}=ZWP&N@CU9@oh3?;!?cVUsL{e5d0Wb0R4=jm=N30pq{W0t9w2<Q z_7dSRH#ZxwVKGL8C5nyQNGQ`qN-Qq3Asl6B@c4Nfu7Z>cXMq^;x&m$kbC0Lj?d9T> zXWaYqa%z_~_pQHX7t)IDy%~sMf^A+)@~<F@Y95e1<fINxtw$gf%??Ad{G_@DCzt~F z&4DceqNvhBs`Q`Cf{!n*59sGlhw`+Rh-4XMvkZYgchkN><CtGk3tT$X9u@jp<c8pi zV0g-(4F*pu-vn>&Foe#+Ev>*7Kz|**&ZqWLS6QZINla}nO=4oc0k$r`uAF*)wb(ON zQGbc;tN0Cv)6>i0xtH9S^N1WGV0`NU8X|y^c6O6MOKm}P<Zfmr<fN8aW^;j-bQEg- zwMI)wpqG=M_to4T+N~wrlT*U8!r>xYUG0dG(OlmS9UGvk*)~8MHBqhLLRIlNyZ{s{ z&aBmkk*>3JV4bNuV^E6ZJ|_C93F9L>lwhR^b5kH=q&3@-Z=4BZW0N}MdC6YZBh(95 zDq}#NL^e{lX)2qW9GmRt)nXIRR?0EJHOudv?~FH3)&WY~=j7WjuCLgcPq#ohQ#6Iu zvm3nX%~tVQ*;JX@ag@>UQ2?W6V}7%6n5D~2JymrS#U$aX=B!(lt!xfvV4yIeRFWOZ z{P*01?=NCi1Z}03VD(;`xb*%S>@DEB&)%S+pNb%9fkgS8Ju&${tlBV1o$@#|o;$5k zq$S+XMEe5jYjA--WX{Y&q1wh_!h+7k)!t$Es6LHud(~!42VS|cj4hI;;XoImEpm+k zQq;P`)db(NhCl3ML!x$L*p*7P<8Vkl+E{Eu;{B0@iz+)t5(1Pyl1`Ior_=+<yMU&c z1@ycm1OzOx8I2u^jeF=iUk0D;-FBstl=Oc7uT<HjVld;Ha+iOh`I;=e&uMYpA^r+A zKMr`<9Lm*_9Rw^!RvXfQ6N=5EP$My})0^>#ImkD_4g~;u1Az-(HcVcxa60n3gcWzD z23rHO*}Ca4xXZiiu~Amv?$0SUE*aMJ4C|&=`j54B8t>Va7V8D3JNf(^-$R$??B(w7 z?$ld1XoAvS40mQ%c&dA}Kt5hg!y_ox(QvOH365XNid*|Y;Pq;O&iK<Dk#+oFvpcM1 z9<Ndovze&8;+T)vGQs#(pU{AZhu_1krQA_<Ua$KFi*`+k5AAz$5rjBzIV-{W4kghC z&-w1@FCGx^_e~31N&VomMPa&;BKfRF^C75ii%aX`{Px_m#-vdvKQ>4{-fI=~5Lhlw z1h|Tf2sZJ4xa;{6zhwcZw0|<8K7ebbbU}F_9b^WgMhFJeHbKFpRv%v1_c6Uj2G;jz z3cU39ck_wE`lLF4Y&^|7P0m14bw2|^Yc&`uzxmx5?YEujoevFl4+5ldPqwm1FF3fp zX&P0~Xm*LtH1hqYY3_N-{oLkKUgDdMMqV~&(sZ<HzTye)nZDH>PGp~t7R;(kof;Lf zXMz|Nu~=BeQ?xSM=jkXvPn9u#99QoK;&IKScISJDJjXysy)&4lyz`l10W_bcF^yuj z;N&~4qZ;2>{e?1rR4gy}j24#_Ye_Q8vv3qE%k6FnezD`|y{V0OZOIWNnncSErFlXa zV!#}F@k%(Ci-Zw(9s!y>1R%{kJ=ILILgu&1Thww$L&VBGk1)mRSaG!djaVUudtYD% z6&jehD;fj`@2%%vFrt{{z=AmB`4Ao#9HBs65j-NYRv9Qw98Yfcp1(j?(1l@RW6f{Y z2eCPseFAwCi-^jR_Y(VA0OwK5I@w}wC-bkTSth@PRohwl8boGwGuJl?dm~S@Ic4aq z@PvPeIVJDx8<R3}OM0sb9Wbt6yyFbaG$u!@>ITDgZ=yn6eGh)uX}hvtrR{)wU0+H6 zs8raV>+zQ_DQ~h>vz~9b1^JL8W+R;3Yw8Q;)(n;mHJ=Pd3wLkM<Hv6|Xqz{B4-;Ep zowPW**OWw<HrY-z;)CMd44=zEB?U+V-wRRSz+b~!GwAwrWr)&d(4qu{+|6?-UA(mM zUO(Va(DPb=zE3g5_&gUG;&>~1KM)x*S}vj1CtOl_uub||<Y{C~=OL&&B2sZCB`%m_ z6O=+b6f9HO>4Bn05`(jsPD4LN67>r1duIgf^7ziI>u91EKRQ5K&^OPfc2>UEnngOu zhI-Lj*)0m8D<6ym$+!fpL?(sZN2Dc^{;#i}Cnl8yZ_Lx|xj?BFm=BQovpL`NeSz)U z^OF<<9*LWsUOukA^KP5m?itKT+OPfIXB@qATbk)jerZ86q0boB`sWGP%LwFz4Z2h` z9x^HD3P@<#{z{zoo+GZ>Z<hT(mw@3#ibZV3txQ03kac;Ergc^1FP=jzp?NQr5(&<V z8F&fynSy0m0o~Ye*AlG}$jjTdZSN=4gd=DAJ6_kWpxf~%liNS8miB`XA^4lg7x3=j z?(jZANiH>$F!JvmT*AnD*WB$!RMQ|IRP<=j@69pMNY>@=mRVa5W3Kk`%XZ7sI8Gg# z%A`<?lN*+-QwQ<7rP%5r22a(+Ed%jGQjC!~d7o?hiM?(S)e|5h`S7_ov*A02Yfr|< z2)X6AU=!ln3^(MUMm&$e;?doz^pMdh2+eEP{T~slJg@s_&krXIP0l0p$auv&LJKaE zI3$5FF<`YPvspvs5xZ%=6Ylx^xdMZ9D5HaWx@Gpmxfi^(9O7A`@L8oI3zki77qLAZ z?o>Y8wjs|tl*X$3_CqD?_n@z60^8%Wk=IgaVShf0HHE7Fa`&ZF(ml%i)SRf&zgK6z zP_+oJ)51$U{~;LELLu<zGr+@q$*YA6>k^=i_1`W=q?J6j1vEoL8)$KB>h&S&Z0BBW zQz(yC;-n+@A5PS~xX0xE^pdwRcZi*Xe6jap?rQ8jxaB>d>o={LC_4bt$DN2__)JPO zOz@gEc=Wq=UDycyVNP>`w+t&{kH)|6g#fdy97%liz=@U2no2YeoJs4RC=<z8`^xCo zvV4?Bt2kgY!;q%dyhy8IbgrEV|8+(|5_g)oVI$$$=Y)r5JKi+b?a;^dIp4wC?LET2 zZa-Te1^mH*Al0GnRu$*!%NIgJRguno+Vrrpy#Mw`YQ>DcOUh>jS|0I*q0<0HO5T0i zLr}XcBe%+cL4h?-(LQK#!ZSjc(__B)iqlpJgM@9gK-Q|oTTh_auBEM}FHi#O?L>&z zy5;#!;a$!eM8JlF*;a6d>?8e{kT|!<f&R=UHCur{W-3zLe#S>G`jA=BhMTEynhcXE zpIpY}Tvt6~M|OZ}Op0M_fUaFpOC>=&Z7V}4RyQ!~qLG|qq~O9ZZn-$_%A^x`#Exo+ zLHKZWnCq-pL<n5q9d6^sRUBddloE6t#((7()}<G%A4ko@z!!<vwWZY5U{6~=qKuBX z(+sukuNq+`OQEh>lT?nfw9tF=mS6cctd*8WHC&_T-g@<3by|cX-1b9l8@;HuHdDsC zNBnWyT3cP>5wK?kR%-ASD>ba*MO&^do>Ekw{TmH!%am|ol+NA+;9~hA*~t+%!~BlX zwk!1_=?0F25b%|&a;=*KxQ9gk<nPzrKS|T2vekw!Mqbkhxhv+325T8lZy!gmKmVs4 zWsVryptl4B<Pi-DMEw7@qa3{)jhtPq>@EH^q%QsJd^Xt|Pha>Ien6|XYRf~FZOg7& z?Q`_ToV0hj893bAwhuj@=27gL(k0W1FFjRm9Qqz0kbs1w+!y$Ku4_7RWJno-AVLNV z85v%Jt@!g4k`3MYVq%zQW+9p`6a+dTe_-A3*WHrxay5iF&%tqQY!cpaY%UBS2QEDM zp%EYlV*YqMG)or0UKD4Rnq?hpC8iH}DU(vH4rn1;s4>R}FA_@yf3jlcj*V!cfUDsT zue&kIM59purBKT;pXUaN4nb~?4XbhqR6Q<RR?{U_^v4}G%Su?l6ofeRWz8qoLf2UP zYsD=!NmxDGz$0`bNbTmmw8R-jA(Rc=PpViKT-D4yccP|9YNl390){G7@W+%tJ+B-k z#Wh=+2P!C0nRv?!T4Z2HJaX(2?T4JTcm2~eIsF7V7^`fpf1*41gp8kn3`;!}m~T4f zw=6j-Sn?o{<-8j~1srRrqIu-5G^2QpLGFo)k7Qu&qF0j8&_w2FF6evtAA@8ivcURL zEB>s%8jP}*oH%8i&CV+1_eeWq6mMq2BqlK9_b}cwJp)o%%PDkqlMk5TPQs@aq{0B8 zqXwpS5FcfAK@_U#F<ORlJ&$?N<%AoLkPwYI#DER|CY(z=u)5vu_syNAZ3`ib4<LV! z!o9Mdp&NrQPfWomj!g!{AN+1_eA~WHpWC6GDT~mz?R<m2bv{lg{T}FN{qCLJO+O59 z9|n)-0N>V^`>s7IRlm1$#<g9a1`jAlL<6N?Aa)Lbb3O@52KU`dUqpr0{OhY5yl+03 zyc@h;(fT>yYxi64kD2|Q*@TZxhu~F#UazlnLjd<39AV#<&)X+FYx9Tk%MnpL%trXw z!1eB)hvV(n^EW?R`xgn^A^el`$?`>C-}=Y($I#w~#>brd{{Eug>F)F5m!AFA(XN%% zwZlzMWU$31Lu=n=Npv01JPtLL-{;wfo;R4B{m_p)!i#>7=;vj(x7RC#KZ-wsK@Znb zOTY%tT3qlIhYw_A&WVG*5NxDg`D65+;BrP6928T6p9G<I{BJabld+KPPKi19win<n z;1v#vREoDng>Vtgu_2>+^zN_66#24;Gm30fs+A=~ck=q{puoh>Qt0Xlr-`a})|pJo z6psn06^-AOAiG)e|2}r}ZT+SZpD{BeiV~>Y5iEP8qv0^Yt8+csY3@B;<MHs&p?O0W z+%)bqvg9okHJ;GT|2E>zE0;%S0?24nr0%cx-FUIBBL5AW(1LG4uF5Cn%uqN12U_$` zI?92h?osUNxd{~QapwoTPjJq4)@Py~Bczbh|6aWPpr)(~O6djdRb<qbBQ^F}Y{$+$ z6e&W_#JUWRgUReC?vowk)a&O|h;Ap;=TGLUo;`%&5$TcG0{UH<N#eo1+76Vi1vHec zO9JWT2hWlRkMy!jG5z-d2z#Ir3V2f?c=n}VJZSYR6_9dgkxLjVe~91$frDtI(+(Hw zi0%76G5axl$ecHwRU;4;Ja*?93o4ULk?&@2xXGDSmO`C5_q#~b?}twie^>O@Od!lE zo`PdK_hr|?;_w$?7HK<98W7J`z^>oC-zWBm+U5Pjfa5<NSA>FnFm9%WuF%VDpuDtR z-zW{E?HWTP3nqoV&ja-hXgYmLp|mGUd6%L3g`GWdJjiPfMm@`tD2yvaH--`@j}vcJ z?pO)6mqHD3n3teRb<(KWDWF=hn!x!<|CaDn6z_G_?^R18h<^+^$a;4Ab_xp)2`t9N zfB8%R*j@e#&XOAu3iz{gb#Y3b9Pjz>I<AMI3q_TLLkr+BA522ednqp1KJ;fE=ks3c zMRUNMI%FjDb;&pkDNYz6ai`8jkPj_p>}~>#-Ev1P2(AIw_NdG+Gg&HUA1;Jc%#^_N zj+M%cr4B%k1pT<*M$dQiT~tL?gj=qE)ki_?os#+>r3P|!E3Qw9Zu=kz&-zDMG9^1` zV64U=5J{rHQ9iI=oTS(Xtu_)XRnnZWTXo(@Gm;c@fS9}$)gs@Y*iUdj5&{C9CduJE zo`dr*7aWRMGjl#UObugx;7|o4IO+4bcY3^_X*&XaiihUMIqyVp6>$lfF4+yW{x!HX zO@F|i5Hf0juvO^f&|_*7CMgOUgjk|ds7qQfD~iITZfB9DiX=<&t`HKqEWc2oLW(u( zsgh6MtjlnGwZiq_BPmu<J<DX-FfbB$zW=?RvQj=`W#)?A&!WQn^~s{bcX~RN3;zf~ z?nE~-zDWvjA`T;Ur3Xqz)QoPKmlilzH_f>gl5i-o6$Ha?x#Aq5TayVzLsWHM$hN@0 zda*jFQRXLa=*?rNwOLQ0SV%XpE2V^_6<la90g#>0Kr&yN?}vdSheEu;!~^KJY2R8& zprGvkq{+3GR!Ab|f?yCzgFQ!hfQ&P^SInz1Il_;d9~!EAjggpcNmUL5vnX#vcO(EU zi`(9^f+cF8+s7+7!nc=pY8vl{#LHdPLDUXrXTUlCP8i;%;XB!l*COiQ4q~88J<!_B zAvg?5-@_>np*$&y$MuMHXa>PGDOi0J6W(z`uhac?n?70Ug8U4{uW&(-6M~0mFnJ!H zFcZCPK;o&<;%P$SANd7X(SFW?6h-D8$m`#V5MMrS)`3N{po2)*^w5E(h>GS4i^qvF z+qd<WXOlU}yphbrmwuYR{tnNM8k*GaFyRxFE`}NmoIMg|fxF7;>1=);{Ms8E!lQ=i zqJ)c(`SYfRP&aU>#fF#r<rdFtrU=3=0bL!~WSU5}jB2g#uAonl?=Sr5mo^L#bFOq( z|Ag6kfXP3D@${~=G01r5!F6UfC+PIntCb9I#x*`5#a=Q^Mk1-rpRt5p76?L&Pfqc4 zRTAjPBRWzH7!zbi|1IUF`89f{Hu6+T#12>GvbC)`!STU0D7zDvtc8C0XK1@{9JUET zgGm&=!VILZtaVL7T+GBU<khse@`fmdQ^?3!YXU$xAT$6V#9h2>epcb=V|r~OxU`OI zW83O4Dx0k`h6A~L#k#DJq!&4S3C>$}WV_6vIXLb{v8`T%ArLTk(j;auQaVh${(^<} zP*lHd#N1=g2^E55*WB3H;^T)g6@thQsekZ#W4{2)hb(CDCGnVf4#ux@Tzjx`!uNZZ z0(jEGh+9v+5_OEu^!t)_LGcCS75Qdq_+Wh*&qf<KQN9AO7{797D=+AA8$0KuOl3zE z>h9hix&y(b_WGs}A98(}^HHjA93KW4#37%7U+qi#7LI2Hiba5WchGNVrgHorR;_u8 z*q_*k1jtwG8j%C??<x{{0bud%uPT_Y^m2sVqZyB?njiKM3vjC^V>7|oz!ws8htzqP zWNI>v5~t3Pu8g+9svj`?uL7j#4Z2Z%yZz7r^Ec+V_#^YKERG4SdxRJ~-Qp&Z<jIao z!t?;kCH!fNC9hBaOas!a??#dc;(pYe&Q5`XQ;LHx%`f!KS2dC9HotR3JpIPERPDVK z*{`dMl+^QnC1;D|j0q!Oash*xWLf_>gvtx4#-V!xzVR$HM~fIE36KJDcRBx<kL{NT zhG!3!METmcbzJn4O)=z$oAqgMZvL#b$Z&|gb>Pdi6LTh)lv2ogB>milwohstU^3)q z%S32~=-)nh-6m*2^AFbCOhDf#2BY={<c;IxPu`iC7r+6gTtdG_0nqX2j$(2LH~BO9 z_1uoowi-Ndq5@ueq#0KH3`x#7h%?KhC+KRlzZA&ll2hK+pCy&5vbB;`PN!^f$f&+2 zm9c>E$qq#^knO6+x3KV<yx5gZ8H@OaM@H)qz5o+w@_4LTWIy4k`;-mlxIj}TOG}Ow zD92U?j5>L8TV`q)PVS=&7f&FL(mn%;q=Gih;)A?05^tOpMl%-dM86q3YT}*1&`mqQ zr0&naTAhW}lk!UXe<AG8gUhB2<WZ4lnU|gM>^U-VtcPhgFfl>pFL{FfN>4tHL4O8e zR~E0QLpOHfE*j!jB~xkf>z7xW5#mK~@=@M|btSsNv*QoGulwQm1v9&pmarKcSi$%= z1Z@>aW(tbiyY}tX{&Js416O+2#r#!f`{UVd{CTihxmOlB`v8*H-v?rXz@Uaq=JXpT zDq+DhaZo9!nE+r>ts||pC_=%`6*+f=Gz(LsIpG5pb72p#P$(g{PdoC(22UZ45e#KG zO$T3*2$l$voV^Jp@yy-R;_nhanj;NvVpa`OLeWo=%4$9c0+aO>ONE@<{R3bdWQy!z zy=4@5E3t?~C2SX<xz`dP3xh%7qDSY}u3X@C?za_|AjbSokS!wIFNVgQt%D?t8b|_p zR-#uAkqCvtq;#G9Eq~}r98st_urYILfaZ?0EQL{ADW`=DBWWg7R+u0*Gw4lDRmaNM z2M#?zk4(%aJ$CvRZ59K)PbB+|4igSyASEa)`yF!L2u3Al;XASuMT&)-8Tw}l)mC@E zmkNt{=4#>}?T;2v0@s;W1k}p9qB@`jo9K^EB0`sVu8Let4xo%rQXQipJTXYrXY<Nv zM2p<U^Yp1A%+|x8YUUD%3%Ud`f=Mp;5(gEGT|sk}I)Jp0B10`WCJI$@+m)jz*AFDg zo;Pi?5UGI$a!ghpEc__*aTr7FwPT1ru?|@ePx16-jt{YBIqmi1xq(33v;3kD4MS7! z4~S=H|F{_I!T;pD_DV7rgb>e5E3d<_qf9;Bj_>%J0>)t25SZg1itdkj$aU=De2<Ax zGP182FHk?NaL1Ss@rB?>WvV<_#2RyuhZ-XMEy^0^5!RoR$l(TYWSgvB(1Dcwcjt5) zDBh%>SC|l3RXSXJm-t+{ZuPfV&(+&0((HkvPu`ls{;+epDJ>7~AQMg-$t!C3DywH_ zE1^7A?MwNHf&h^|bPA8`q!OIiJ{W%00I<SZN!dVt;hqy3Z&WbCd8O2yWJY<RUw_na zH0YmLMzUd*ZnV-VCe2gM0^vOq^Zcg*S518dg?ngu;}-=5e2*RXF6YtdI1Qs0g>A^A zkn1+R<2BZ}c}Yig@cu2u4d??c{d2B!tcUm-Q6L1GFP7Xe^QNRf@mvj@q?Q@t<a#IG zszSe~-us0)UDc}*JyL5)O-HNyXC;Fk&nRd|RA_X9hlO<G7hIvnqKgHIpwi2qK<2_9 z4;B>^-BbDP!E;-l;v@`w-<I?Hz9AABKv?<;9T0<OpBHm2y5<g3kf+@xuuqhAoNqu% zZh?{JrJ{m)Rw0>)Kh29GJS?Oihaq@E4DMNBB|_Jcja9iTWA+i42WdPH&1yhymLsk6 zh(*3;2t^jiDbB$!_RHOLv(K9i`jx=lq&jsgIM|p$h0?=tu&eEtT<jn;q6!Y;LOxQu zI~hEHEFqPS2gH)6Eq9d-UEgvz%Bb9dq&`{cr3Qc>HA=N*M5<uH`kS#4L^{Kxg0X;r zgeVE@YJ%ET^6U!KNeW}Q-?1}EBh?@jG3F6|w0T%nM`8%74;l%oL+jegndYXjWWtW~ z9H4aZId2_!FuRcbP4Y$xpyFq#Kzu-Itm6;|!*`^<rBkL?&mowtzRs`^B-*_#qDcN? zc}||5`+z)zxVY23Ji4j`X<t7+cJ@L@{3Yot_M2GH1dA`EnSCWLA{fr_;-&{h(*z36 zwgK`_AL+-89F(VUT%rpiIQHz~7pPEs?WKnm2}%lUGVNarVhAOCh2<>l!wC0DKjlfa zD=qEFY~_QLA*;vU`8<zl-20pTxb1myq$nb=x5(nl1g_{C*?mY#we+Rcqj+aN9mYIK zfe?v&)@lzPs{P~&_9Di<t_?Mu<SrtFlrzZ9J1##@e13nS$S^&w34M&uUr_)83&+DK z-aU3$;O=d=xBpdRScT7Uc>{xlW78L@V%X6Nhobxop(c$jSIaN)nI}I(2=f76`}PeJ zYzL{U`RxspZi)Q1En;J>&HdsPn(ZfQ>-&Lp9I+rTZ=I@}-e8G_-)m2&XoHoW{<(3z zyV42c&rmU^qQuo~${fDOR#<aPTMtRcYn@a)l=3xEA`DRDWtcB=#P6#`k|ZW-%2=Ln z?7SSJDJ^DU9ySckjd;hkSH;<H7_(U&p{?|=QU7}T8|KkhJQSvEMPi}yJUlyWIb4aE zbvFTXo+JoAQ^BAVsXC^l$~_=t9#}eJ%rZ$()(QMhH1qJSNQ^`jY$253XrhT3)zvh0 zYpD{dZcJj>fC`Vq^X~CFW_H{?&^WKJaSTOY8#y~anv)!KuSZDc6U4(wg6Vkl+Ee!c zm;FD{m)?r1SNqU_y4WEE`+EziKWAFv+>}r5*<;ieCK5?AM}DNEgU6c>d>9zLSlxYR zaFWHth3&rH@^1<@F@+15OV>P_{peZ+%565!?WG-u+$>{mpoP}%+Xakng^ZL-y&_t& zrJe&@6dR-+e0K{r*#%p$kS1uynVwGODb;x*tamdf>#sV7PH)xCU=Oa`a-)_+j2-$* zb|=ylkFg`CuMD20XrMp}6FAMORZEnqn4BHQzy&>tuD(BfS9Xx|HqC{Ya8Gj-9FBi4 zSC19=fLP>}{Ae-gynTzQhn-fP3z^J0-{Or~mm`}D^Y-;P?E!#LhXx1PdO79bT+(^I zK~qq*mv1u2e2xiQHE}RE%aCBAV$(E!WK2JuDq(8C&V!Vk#XRt><Yf;&R$#S*=DyuP zkCm<SXkjq5UyEOokhk>T8{0_42V<!;lpB;s1gqy$LL--wDNp9Qt7Sb=DjLK?v@x9q z><+fc;c5(>*9FZ6B_;rC;t@6cWx@Gn|CwEhXW=8~aSE;o9q3lptW?L0^r@AtHH(+} z6C6&NELp1{BAWT#H^h7^V#IhJA4T(xh!inFH@{F?P~{pe6>5({*&l4{o@kvLjUJ14 zh^ipF88!rvzr~iQ&LM@7R(G6}Cn-$C5C~4-^opA1Vb=PGqduSP_T_ifjb2;qGPnmN z==e^#+HEO8I>=2}zWRl)7Y?iQ6j>g7o=h+2k7%s|5*?=S8R9%T3FbI)!0HcJc-?0u zF7~o_#?sbhc@3065@!t(d-lk!w|3<=wRkvjgOsMUGvqU~*ewN#O)gNzxUQDWoWENT zBJLV!jT<CM2ymHT5le4L#cFO?qt@R-;1$#0YcQJ%^6IXQ^W#*cEO4*8^GUTR>wP%* ziqI0-(*~xdJT#T1_bpW&;#U$JtbfTDm8O5jMu&`v*|9?6pzC1KH`FXra3mC$geK96 z3^uYBNG~Cl6oc|!>QXR88WQq*5V*tpMSXbv6D?#0OFDfEA&uU-jinA=gHO~wpk+pG z-OI^+TOddSaff&+3bcKgcmF1z`Bm%_L=<Wr#n}p_W`8m57Cfi5I(>pAldSi1{L2Bq z)`8cz*}g3d7OEysnDA)P7B(ZR3IeGBU4H+IV$inTH4{jGuyK_IS-hWHvQl`gNB)qm z4`|ZPZ<);2O$QbZ%<7q^Ld*kAby|aT<`%5EKGE8QKkUIUA_v2puF%skK9%ksdD(OS z2kA#^ciw=Y#v@_-Z7{~CeAo?}0Ue`#T)YU#IA{m>^j!}WR`YK?qk}iEX20;<VH8mb zI0m*oODjLp{*(Ew<+iVAPw>!K_}f1LFfV91!q5>PuqgBzinwo|b5J>k8VA1qk&W(w zeP<XbslkY+@NSLXQg0lFA~Ln4j;p@%@J6`d$iV%98wcb2ii-^V{1fbpBBlMIo`ZRs z)9zQkYm=i6tptSrKMNK8z14-9=A9lgCZ<c|JmuiIG}HcLH)Qyj26zpbp+KI3L2}$1 zMo#aSnPstOjoP&isbMM+*j_HgcZ<yL)Co!34()*iYNcIHoMpe%=zrKg>&LQiirsj2 zy!P_DC*jsQ9}Vje&AiXcjv3aaetjf~`=_-SeNQfP7rjqZZ5#}^5VZp`J%oiQNGn_d zdv?btG0Wr)9<{|`<U!7G^;L`+XpCq>z-@svWvbgy@fpH3)oM=FYo{t)pnZ>4Paq^e zdqZKBVhJgh9)mW>>ln|<JjY0Nl&EaMLq7WlO67SJMeDpRhT=r|W?X!{Pp{BBbVc|@ zRS1E}^V5q7gQvb1o#E%quSO*uNHqK>-nQH*uv4Hf+(G^3m4_i4qGug8Gd%vKgRnz6 zn<BO)vA^}jK5`|NHe(n3ErdaCh5LvTY&u0mIQtGho~i|PG;@(V9$yyH>m>`|zkCwK zUHc=YW5wsaWz1bj{m|?NaM%m%kab)4v2==%|C-E?D+PSD2Ti1Vp<rSJ;euySG7*=x zv%V{HAmMg-*wA19lZ!cz=xz3&n=J|V(|hOQ>)}>S5q-hMtqsORvM1r=N5s=_>lylk zw9wOuc6_XgnaVo*P*^%wpl0l_W6Zwmjs62kFc=Aa{M!q4_UuWl8t_p$CPJihBd}5i z(w?d7_FfRP%+)Vy*~HlB4!cgjcBHXfY8$>3CT%Fp2h9tU`iYyN-|$g^GdbAyvI^rz zSlM8Y+Z(`m*;PR=L)Rg{MO^W*XD~_zW%ng$`rc_+TV@brHU4P-I1_}4SaO`}*-Fv| zZNP!UxymcOIc8ZVrpo)1v*oDUN<*kYxK9eXqKanuV8EU=3=~xW=f^1u)OQ<|=)Dpw zLkpoxO4{NQ8UX`y8t8!|lsr>LDMw!LCrWH<mvR)g+6{QUW?-FZX*VCNPje+<ro?u! zh*8ETcU;WGs$M#u{JAhn83#eOrC?&YZTiY4yejwan`o7QT1_H5-e+GQwIq<&^IY-x z#E>j-L%fHYvS(*V0^mhLtEpD=%@TDcfDTFXlDLDOPuotj=EO<Ly_%i6=yy@2Tl)1@ zbWTSa*(jy>svQ)2*D#20{z7dm1(0M-Gm5o$dDlVD=<=->cxy-m9$6x}H|*wKW$P5A ze?8Db2(_&ns6ej#Nt`kbvofVEq;>Uv^<V*_D4pn&$k86RVBOV(+Z^lSNP@1AT^3Zg ziVKLPRY<7FGX7Wl#p(MJ>81^X)mi~foIdC>LHuDHxCp&J122Q^<IAX<&0)K-HfQ8! zD?!QAa&&xaNR625iLq;&KkNhjHlxl$sW6!VGd%B<qFZ~K5A8)`cJgk^;sQ^G$o?3< zI8KT-@ZHz3q@vSA$~RA}6e)I0($MpQFc;7R;m9JwoPl4TvImJVECkbINoD}92=NGw zIcsUXeOpMNZrEC(N%9H6R&(}Px_X8v#LyLNKU36A6gC>pC_!a3(#OlCs*wU#f_utB z+OQ)5;?M2L_XxVb4V#s}$UU9}p30B}Da3q0BRtv#Os5rEL{UxdOG<mSy?1!W9`LX9 zwE5L@-ars;&(T?*%NzJdn`ovx@z|u?m$mgB_>NX0?1Hpu$BAHhl|7O8u_6Yv<-<t6 zg}?(vtJ3U6IZVgjkn<>0Q)YI86_QHy#&0d_S!<eLgj!GA_+Ug~zlDAkOtd`fops<9 zHLNCDlb*&WfkTh?9KnU4nOk(frkQ!lk&~-sf}z@is=_&z<2{60W5!=QXk!yLlNq8V zo~g)IC3W#6W-)bSoy2P(<K-iT{|!ZD#`jb1HN-UPdZ+DGTiOR1e4kxw7|?-T;lKw^ zU|-?kTPj^(Tf#OF;47>ugTJ`8!n*Y2WzXH14yvB7-!9!gC*_wSmuF-uGa$S>AVP)> z&;7b8>-umdy1c4zkc8@QP~7s@_E4!k_nrx17Z)kSdd4AU!mt&`A8Ziu%uZ0%`nhf` zk{=WuZ{DJ$#v8dep%bT}L*`a5A`9zOFTu*NBknVMhTe)G+NxCVl=-I!TgF(l75J@h z3!%7>+efynH>ShOK>XvuO|-*Y9#U;^Ym}E7)os;$3JG)x-U;Ixw(H8rQoQAK%aB!~ zTkFm<T<W6jfa{*AJm-jMd6P-$vI>i!q1@DVePRZ<LZ<h|0GZZ7+Qw4F-5*`3jp=9M zzWT*E|1@F-Ud^4!HZSILl1{yXWGtHEDS8yY&BkOEptVcL@W*4G_D(s?zWPHbOH2;> zToy}}XoE!U(m^x!IusxYpjFb`5|vmdMeTlMp1`D?^mVP!gOXutt3r<0M>TL*WX&P! zUom?;CnrP({cs<e`W=3hK72YQJ>T%${STaNJg#II-N;0YZ)u_`mTsRI1785uM=)bQ z4s`Aur=tayg`V{k^#qAv@J`<K+ot-U&N*)m)>VV}C{5T6e#pBUn^A4GciSV2Kru}_ z_3FKdgtFyzbW9&Nzy$zVpHW=iERF}D{-#2lr>V3vx>PDjw)G(^w?<kW9Uo*J?q6f5 zdM}?R*6M6a-Kim;^|KY4Mu#4^?ICh<1lTl5qQc^SHIJ|N?AGU?VHHvdGd2_Tj|+cN zz@$$i2N$v3<ILC-<!}>+{&{rv6|#vj)riry{i-~#6SGdwJ)pCP<v%UmD=PoFseTSH ztoVY)c^)trBrQ*iD%)5A@8H9)x<#?(1F;fzyXvi~rdzgFZAkp#!AOVpX%Pz#Vn0FW zK{Kp}@nM?~C;sCTR818M_lp`7A-gJ8i3dz_YQ!}Qf|e)F!nLA&rTE9PX~DS4#}N`u zd;nnJ+i+l=a!vB4xs=vjg?mn&VvvEPd4Hj673fNNl^|vATkd*GaiVY|Hq6|(Kj0z^ z)eEkiDx$25N0wQ=%XE$foYij~YGSZJic8B}4NF^wFVxf-0+X=xg>tsc>Ozy?=PkS5 z*`?=BnKr7e;DHdu<>z*4tE?Xz06ls4_aI}@&{+u^1-|Ei<JDMKUsgV#BQti&U=(mv zyeUjH`^Ao`ibmW0DiL=aLMP@2JAxTe4PK|bSa^v%I{i{51J8sFn>4GT!hC@wx2-Cp zmmn2rReXBMx0P!q1dYuEogFS$x+I}44$-^jDy2pLM$?IH`B6+a`{sVaXCA3}9dZ>> z{?XS2jf`WASLd3gZLo6tsE7^3#)i8+*s)X1H}a=`)*l>A&aJxaz1pTVh29DZNgh$h zf|O!im{!X++w~Q!Sru^ns&Q9ZnUEfxunHw4^chIN4X<|c^pv$oL8k9zoj6V25`W9y zuEs4q6MjwdISi#+OBa6=vWOVSU^OlYA+Eq?rRz=W3h$S+y^H~>Q+Jmpn`~te4yrX0 zjtbkF&6fqf+3GH5@l+)K$J-9!n1z=wqBGh^Xa|lgaM@0oE>jg=+ODmqaMe^xRyOU- z+osBB(N$rDaIB-hSQf1e(*d4VE7+u@2xvtmXi=NX#6-v&<BP8YEv8P)2(U`c<BCs0 zp`yUa6MZdV;zbD6SZ3Mch?AR0!k|)~khl$u^Gu_3$d#2OLwVfUKsKAcO|sPVdu<#A z?3YVfPbpKjSi>|_IV9DlT`_ye(FjChLYI2LLGlPJtGBvtjjXxOcI`6H^r{&ToFb0r zpcU)lR&YIgGCI(6?%1*RaTrLCxZPAghIVtrPCKFcHaeA=A)*soP5mD-rg93at)|Q0 z#cm+9HlnRD%nopNg+~kPk{H2*4mG``R?NwN4cyML$xs4pqx5L*vN@2COnvWU7^&_I z-mlN^uEC+LrI;2s*E=E~z~UIF&ik$XV1ffV*j!VhtRlsibBytZ!+korj`*Fjx8R1+ z<=={<T|YDR>@En~L1{=i@K-IN(2P1#89q%XCIAktrlUUM{&3S;VkS_w2nL6)l(SHU z7OITtaIw~Bf9@E3B3~_+f#0sb5`dbo<C>oL)cziEb=v@Hu_f3YUF-~RUpK4aR}R|h z61Dr9Va|Sd)DB}#%^U2yWvuTaicj>#k*pV!45}7<JpZ;USeHrLK61kBco-pV%O(D# zE*=5+Jh#Mj$4#pH#1YpIQ}R&C<96<5U=9hQGt%@y=7zVe?@$O;&}`N|$FX?$Ly{_k zEO(W#f?^Ha@Ob<em+*h#PTvL6r#(Tl57WkeU6DwC3J2jb;o+=vmrpyMFqzlGj-HJh z!JynfWiZeA9*&*3Zt8He*nt_(AIy`Fh+`nO{P^9TlU277$5EUKTwLPF^j}OUUUdVk zcj34bR_=_!t#JJb)$b^3kUx9=bXaMv$cZR<N6!M6aYtsD?4G!UTd6w6f!KMI03Li1 zquU3XOH|~4pN35$Rs`#}P7YUHl`Bf5+ZSA>-*G)96yId@yqkhCI=F#QI2gR>g*>D* zk>pIehVVVKlUaIPZb>>CB;~sBi>3v$Be-`{t!+GV`1-cFLc`_={%$@RKdbb}h5>p| zwcvW}Ea5F{D)n&yZEc^#@=u*YgLis+i18y!NO({}&&TrrW0F&ZvdCkbG{(FOV!o^n zsZIj<6nxci7Hz-J>KiWgMwu(<&>#w<hXt0Y6`VZLkjP^0Mv2o=V4ILa7*rBD_ZA1Q z^PXIArF>#%&TE~=d7eabqN~g;3g{`79til=tjp1GYH~piXQ*{wyAd&C+$hl`xB%+s zh2(1Z+uajh)(~w@v4*d%ST{;ntW*xfndkwZ!c3cVR4+1f^%VMf%}?>7cB6j1PdqA$ zw|N<v@dQ4>{S<7m=nVYo&!@8<eP?D#el~28SlZBhHTY70OzMM;;04*@ER|k0ts~{h zx9c;4hk>SMO2`Sap(>s98UcX^u^OyD-x=778e48LNmBlWj_k>0uj7UF__3Y7^}KLg zTzZd0LJ%V8c;q>^#2NKI<MP-j?_E^3XJr01NV?oeTX_W__5wUAAN*H6By!u;L%{Q^ z&ZvKa{XN4X6TVT@hy+^x1Z#Tqn|@G>U@yAbduGIYwQLM_yjYNa;5bOTXV=5GvixuU zZ!qxlrr|ez5A8e1w*IcOzgGOc>6vck-yrJjz(Bi4g(JGU&W7|ua;PaC;6a}6ZV?-~ zV~AJyYqqsvZ2XV6;%Z_KW-DPJU=mr;2#60@Rqa!6Q4`Oi-fF$HG`})*#WDYF!QK1w zNAE1wL(l_YZvb&Y<zRu<Ko%$<D=i1K+HAz7tYq={XuYU4cIScJsX-Vmk7#tw!@q1b zCq^qM`S|1{x7b2n<rkY=(1!u2kVS-=B_xx<_QOG+P~Pc{)8T8*xk#lC?y)~lPXe#` zRpLP@o>_2Qg>{v6_iJI>KHGWHIdO8*()J1$m@Mv;6HLO=5}53SFXPt=0vC@MnTOvP zj7V(M<*){R7zg(718Ay|bII{te=G7c{iYUH&v)udO%?=gzph5b>w9~5cGpe?f)yMc zOiaEiHceE9=5Bc(XQ{!In`x{^s|A1QwJKH=k)031gSuh*)MMG&vRZ=WVdvVGfmil? zH|ssj(;IALY(G!L4)SZ34TRJ8IL^gfW08=NOu8qb>Lbvyw-zpUPAF7=ho5U}!A+Q~ zW>Q1t{IXEaZvl+@kw3Q6BQ|pwAhIylq;Pq+V?3?mG~g7s)g%sQIhFVXWP~N7irPWL zTI|^a;72W%xyUJj$;Sr<wG#&B7G7zmWDH#=PY}-hiLKi2y-I|y)m@bzs2E~ZuAZUT zod3>e$Sf#P&hT|r_(4wUqO=gbq?3v!vq_Wjb3k#ju<ab#qNE^%-LO%0&HV^WI?&MW z!PGLuJZ`ybMd4^hfL0qwJ_@oF6ZR!S1>?{aFRL1LZ;jz9IW*O(NgA**=kk^>@|<>I zUYsMhfD5kDot%nQN|~(<XblY_ZFZa%G{sh2Rk=0j8|X<etdVy<^xPEQ;yjHTbmA-W zU%K)$2rzsMoE(`80`7=K!nX-ecgoNaNjfaqgq%WPYOq^i&s(6qd-e61oup67br4qo z8zZz_a-8stPP*^p=HP}9gq^}x{RMKQv$b*@r81COv=lbVcSJYJ?BW7X#mK9*X?PiS zEPK-%=ZogC%@6D%3taEMzTFcBWXaWHLPRNw4ALZXE}294kDX@D0-ntL+JG=#dYtrG zn*2)hX)A}5<uB|&^;N&hY)4L^O^3pGR=g-TB>O6!n~oNo3AgJ_sj)*<c4aePM1v&o zWdtuUJ*u3v4<C5x7Uuc5KjH#Vg9N+z8q2m1`$JCr)Q~yho{0bpL;}8?VhS-`U4hif z%$~PA_|mq?RvH+Mp~=E8Ly!cF%ek@#IFeNvV>gX?uxb-C`x_3B5_zm`q&CY+gb%m5 zZOyZh!?DV1(25f0(g^kA3#83E(UfF4Jfn5UxJ6oogHuu%g{Blkw78<UmKOcy-qz!2 z=*A}4C%qCAq`h8E9ix~CjLzEDgYr#Z3|EEhxp*KhLL|YHy*Z_f1r3!QyHoO=P|(io z_t|UiUR#!u`pDs(kzW@Rk{nUT@4i*jQxtf5vM8}P`bR~+#@2j$zrjC|hRaqWpRTVm z6@DFNS5`!(==+=DIb+``<dPuO&bl9&ANJZBF|{_@WByskj69VfdG5t}Oq14Zow9$V zC;~7dJy>Mh`S94dHkAF+bl6C16aThjdt=pU1{dIUq3`vy(k>sI8?m5i%k~*3PM$&` zUUx5ak(?Dx_#U7U`botcHJ5>1)DM%lr`c0?<4k|Yd^@9HI8GgZ0Jp8P1X3Zjz=SQS z7tT`_>K)4iJMDxtRXv4j6wkqO2UMv_Q^{T!n<k9tN@RATwz3K$9}5&-MWRTiWx9YB zb&k)R5OD*PukC`uR3^A%-Q1#mvNR@2(_XaK`=yM}gqfd7Z_Ls7IQXg34hyqV!vk|k z`(;pOd5hTfz!5ZIwX5NR_X3j{F1gPB18hK(zZVQXe)G8X)sq{x1;%Dj&xBVED!Wad z>BhuF(M+ke^ZxPS_R}Xf;sjRC&(8Re%iD9w4n8TB4`Kpn<Z-%8lPkxmOwC8ru``k@ zYT;Lme1fQCic(E$10K(uX7O}<0y^PeLYM2fG}j(ObB{^6!dBGf5j;T8p)Ef2vB4aw zm-|6EC_r2x!LJhq><Ov~QnECzK$2#Lw2wlU^!g8~{GUdZb#C~x0Zls-)*4=BAeUS> zNh{=ZwOBat(3VbrhvUF2Dg!%6ydOYkf!Sva>9q4kmXm)uU@=r1*2RocbrHPT<5Ev- zmjweYN8H?l^-V4++qAPAdMg|&<PC-P50G%5B`5PUaoj_nXcgBSQA?K-I%zfvf<YK| zUeMJ_2d0BhX>?gYMk4HqZ@iLe>x7?=BgruunruO}*P~2(_M<@dK&!`dvQBL2Gc82! zcsAApAg9^V9R`mA=+HNg{u6qP53z2ozG`$xn=URxBmO&TbfV6QM*bk<O|v(ny18sV znV2oyH&3xZiQQ*;ACn<Nn_b{+P*8kP$-T6c%O!quCJJF>X5%^OY?Xm+Gud507yfWS z1q|k9U^(FZS)L&am@vnDmyWP46_}225Kks0Wz6f2lTps$>Cij6NT+nh;xyt|irEp; z6)xMjNULkbe_&EUZ0iynLOoU=QjrjWV0PGdh>xvDM!r2#E@qq-o!ry6i?gTf!eeUs zprne2$F6B*G>NKBsv9cfC@4f{$2zS6JfZA>+tg7j;fD0`sz8-UVb7Gj*N7viQ4Pr| zb#<P?!D-!fA^KNK<ar*69A3HEBZ9wq>{08u1F&<fG_g~-Zh1O0pJB4=1(2R9<ZY>m z!h==adW&WW+r~BF1<DW~Yz6Dy*S6V1Jqno=rfj;jK<8+Rm{A%b75hlvqarWMKDz(I zCPya6ABBh)Q?Skww<7s2r(H$3`pjre`w<bYyirGZ%!`>|f=q2xi<iu$O5Y|a5yu>8 z^3mW+Vg(?XOwxZQ0oB8VZW9zNIAEn7Qh8mX1+F0dXmjHjce?OV^rg8%BuD@za~=W@ z8C`@lh^;kOPkK*hVTK-!C&<ZATGCAF%fTA-jX(j=WJa?T5J=4E=FpCIQtdx#_7$lY z`x&i?zewM?=RGape27sMrg4Fo)kqxphSKN89?-A;dhdvT`=d)8S+Egn$9`m0Ct-CG z1ufVjD5bY+Rz>>PRjxUsV_0?=v{icSh$$9o+L6|*P@S}l!=_}+>w2D)NS9Z5PkE*C zRdPRphJg%P8VzE(GDVsJf>tom5}{k#0Ux@!<hqf*54}nxm2{fH35P+<k}RH7m`70R zqH~4W-Tl3nyTfOD&!5B4zEZ92JrA~D{yo@v^=voT`F{K5ce@8su=}^&m%;!3@!$}i zzj(3x^6(&d^(J__zy0zDf&xXJ?jHWM3#AUf-wj^w{(MN!0n{@+4t%q-y}utEz6zfI z_;M%MdwH-2t^D+6`}OPHH<8hw7ueL(-QdM5__??H>@)Z<804Wt5|OvOOLn7I)5t6y zA|i&IEF5PB4OcV-3NTmyT0efEJ78(eS~phze(B#V{W~Re!Mj=3EEC=S+cwL#opP0J z5^D9G5PqfDDP9NTbWDme*o!2*X+AGxd%<LTZXjLykSVs&?KT@P{}y}ayf?Hkfpx-K z8j-zD*lThLr=K`BFDGK^p>1Mo%R@g)ZW~+1h95Y7p=;&>02pcm*@+jkidurlTBd0M zrAzu{75uc@XvzT8iY2cTk_t$h3_MBJ0_}Qbl2Kwh5&v1hmn|RaDCdpNW0P||5qaO9 zRI|Lq3lTY`%X-k^5SZO!<TvV(M;lb^4HOJnX|g_QCoq3UN&zOdWat{0EN9E8zA5z? z*=m)#rJ1gF`=lgdqÝdUUfWfwZc6~U>GOV4(nZ~wS|IQ;4Ry~Euh@aZ=Pi0a^N z_O^OkNFk6UPVzEg{#Z#yV>vi*iNB)iJsq)zrsjAc7(C<C=1=D-Ech8z-8qL2g_N+~ zb{)5EE?+^TMLJGOOXYQ?!7zXoE&%VfRwic}`W*$Na^h5StU|GYw0LXVH*N9B2-|v_ zot>w_FBcPx&nVHT;1ykLC8ziY-s2xAvdq7^&f!gdj1_wRs2)<5$Mh^qPt#GHIjp;p z$G2r3V5TegBJd*)w(W|}?w+3rtqE=+urxzV>{ICWN%<olI6^0{r`0Z|dFPeHY0>AU z+*gCRGntdP496a^2b&03G_J~3q^#mLu|R9u6IjwXH46tf>9}3#KO}(Y^0=XT!WZX- z^(21MRIQAM7ZI;-j#a(?A&6m|JZca3XpeX()WWcLh-9`fU#$}f$x7Z@#=z|{ODi$v zmaO!wgj1=idQOqkIGyMcwrT6Ve{m7L7tgbcEWd(nn5dkN3~c{Vmjhu4mRmVLA)-f4 zUR*zvJ##)oiO6XmkoqPeqjI}(dTHb<_ZL6}Y^(IG3L9>ji*#1Az=l9fWoVlq?x;Lo z7cnZQGD<oot5tA3?M&lqR`~BuXSFJh&uL?J92lJ^qYI@Rm?WoFzewO%R;H$#x?H^` zvqQY`X{69)Tf(yp`1$U;8Fj`x`7C_-tCzU(OebXB<1Yb&sS`fRc-2r~oueu46c4kB zRvTN250gmn7|H|{k1r`RA<KOf?$c=&WQ1vX=J-=`hwx%s1q*2O2M+fawqq>rrkvOp z?efqD1e4Ox6$zPBjONq%1h$~dBnZi(0m#>jLS8@=3Y~2*jDLe(aBl<~IUIycRd?AS zbw7pUl6hSujE=^b;>$cmYp*e!onn;qlwuD!C6TcQ+B4Fk9~RfHK)0%Q`3sK!sNBj) zGr4157~Tv5<qd;VO<V%!z4n1I<$41b%8snWC9iKM(T}dklnom+oF=8xRpv!{mXe_w zK@^$yL!)=2_+$o&6rCmBuWSYs9s|CipM~psz_5O(cO$XzaidOJ00r3n^|g&JaCg%F zHJu+^K~12(xO)ShR$eSNA9v%m>OuZicSnD9WX3Ol2-erug0H?<`ytr)@~an}6%5F~ zT;EuWuv!#+_2rk3zJk9SUw!?>qc6Ys@+)IE-Tif*Ud9uoCY5ty=RMwD2}UUBJIT=e z7@o9Dy@Ab-h)8SEjAppruww&rjadbp{o38at>~Fp+~)8u)3=H%J9Y0~<sbz?-*rQj zLo9$Wxk@QcN^L<rZQl?UDQsuE+GQ@H;IiiJAfDjrJqGxC8J|G`3MhIz+1*(Gb_$TE zJ6ggs!oTdQG!;K>hHL8^j|PK5F9<Px3Lq|6>qWS2WXa|_-4}1Vc}8t+LkQ{!6?Sgf z0mZ^rYrGi;*_&3{*===W9f|8Vu!}n>9;1$)lSX1khOAx>xB;WN20giP76D&xYT3}F zE6#DgJ(=*0dFc_27gAf1&;~W)5Q|m}I4cSkjx#-(R|W!PL(<xME2M`(hA&?o?rt(! z>r`aHeO#IM8=IQDuS&?4Z)<1-2OXNUcT)nSpOW4u&Xj;2qk1SEsqHc1TpN^&&6q)^ zqDVsgG9nTR5C`iDMv>0YICc_a^msH#G4^v6X{3hs_k2!00Q~1TVUFxo+oQ)PCq;6Z zQhXECl*aE2drx8A9jw$rmY#733~uibgD%>)LV~hc(~z~Y!<)zI+mqE&VAZEgwf!~P zwN9Pw`bK^1Yyhy2r+0xs=U7iRsKnkX+Xwg2oY3q@GszWgcP+tyB}Tv?$;Ks;RoJ=T zU>OF7I@)aL=$$ohpS+}X=QL?EFIC1lLZGtWhTULIQq$p1PvP)%!F=!pzdoN(Yyyu{ z<O}wHqzoCCz-MSl$ffXXd?NcCS{j~HU^LteMX#IMI+XZ?94AT1#b#>*Qhx2c*Il^5 z*K~%Uc=Twk8_5~8$}M2yw8Xb<v4ddBG*D-zhSatUOL^+f?8At{6u|)MaZHfLxtyqI zCZj+OLBt9hj-|Rw9M27K)_eyKajgtVk?jjfB$H|Oy<r%odu4aX^)iz&4Tg$|zqasU zHsRS7hw7v!VCo|NC_Z*pWvU!?d`&l2RI^Frm$&z;Y|EzPEZg$^)6DR`Sh^MCnORwp z%K4B^v`IlyK1Wwz%Q|$(yso!t>jWr=PKlqO+IVeVgr8;{R0U@fiCy_3)7G}uf23W9 zWyW#a$D{6P7M5t^8R2Q5cVq2Vr<9LIz2OJy2WDI6;|NA|g9ld_*u|Wdet@Z)w`>_e zRMRJk9^)AOC@8*s0*@#8RnLNfR*eip=h!jRIdGKd6T>uERV35HEi;9ykpe;m!kxvV zi};LjfnM4BwqLdqQEI?@3`bcXk%jVUMyi+e^qLKh1UB6uqtKwz`kiBr($bKtYOqEE z%~P@JrS2ls)QIFO!W(7lED{zTO#B+u@d~}WuTqTd2DCBG6ZZK~p(LeK7<ii+w*&{} zy4A>8SK1Tos$h(CtHg+JdYsY+W7?*tw&g~7u1!MbnKFmOI0o@~5|23~Ts%Qt3D(xP z?S|<2F%8P;b33bY%Z_|S%W?XAbn|ige0&>n`mAb5PM<rer<TcYu6XAD{v9uVOt749 z#v)-#QbbX-S>!=y)25BlqOspqHTU6Ix);<LQdJdTHIp%4D`)u?4JhKkcub~u#WOw= z)UI#Hmq+VucS&uxJ(!8fu;1jvad_(FWb&$pB{?W%<Fnp%L}FZ?4Z%^Q-BKLDR7$2S zU}=nnM~P0TTPISoN)0sQv1#V!vHkmrKieZ#PIyrg7eqjKcDZ?s|5}w6&&GofpAOGM zbjSWEleB|*erbw)GvrJVPD@O=$`jb9VFqNc(#FNNn3)>zDsx0zgk{4_wh%Fz`2xTn zGl~ek<H9j*e`*;-@_$nbMH2-#?ryI}DkA4Yyf9T8#Yok<lO!OTN({@Qlr(Ztq}~_? z3$lx_<3+9Rv;dyQ6|{=-BM1(Ba$>26Z1o5y&#_4D$3bZf@|oUS)9DoE6Q*-={Vm73 zL20M~W!KaEzxA30wG+csqQ089ApT+li^zQneYEV}Si>6!!TnZ;d`XmZI6^9^1aJL- zqQbp2F*X?8zgzAwx5(hy)CMo@@LklyteZ9Yj35X@kmFhaYD6RBzKR5)*Mx~4w68=D zVs)9|kRfJqHCiA#)*Os2*xTrictR#e3Rka%fi>cg91U86v*J#TD?GHk9I~ENYK=5b zYe9{Q3In3tfP2n1pu&#K;{P^g56kVjHuz8*GN8}l@p2NcMK*Q#mIDc0;RBp9P~o(U zFo+fsur-9^J8joH2I;NoR)<|tgk4&YjAJ)>s3k?wyJ?=F13pA=`A*GlF+L~jGcv(4 zMk3xZS9s2?s$@DNy+14_CVLl}#73-73kD<_VN10_)vE8Xs`Dbhva=E#8YgIdZII=1 z5QRf_MTwfIW_>8P*V)aD1rnqDP*@3xdA(>i7&HYO%W~*6TS|LFG{o7%`$?SrvQDLJ zDA_DRMEsS{(JZ`SOvBdmbpeM0teTGL3Vx7j)M@;TJ5$ecZ?_=#oA8?-B-ZhKI>j}e zh-NKxN8Db00RrkGWLjl&$Ce(ko22@soU!te6^BTan#*TL-6*$XkCzuK72UaS;GhZE zw%c-GU+JU)^-Z-aZa@o@gpNW<rZvnCx_J(<50C2_xW-j^j3z))7O#9!)vzMl$}dGM zVs#JXA}?lLmA5ZR85KLSlKaf^vTC0$$-m2q8k+F*OKr3Nui&q<B0o)4#u8e!)bW@3 zPCPnqYi6msKCm6;)W!Xl3WvjnQN7?E$Ldz*R4!Q<4#9=XgPM+~mg{sU;yY>f`R>p* za#ug^h7LY#Sc0KM*{W}M3O4Q;T+0w?#kzCQ0f0>VFmI&T#8`&)>R!l$TKs7=EFx|5 z4XaqmK_6aoIj4k|i?;Jt(V-`qwrnvLP~CZMDza(Dg(W<)wpCmx)Y+`m!j#EIBGX>M zKW8Ryei|D<QKJnN{T|5e&h`;j@{CV0OpC5I+I*;dMa@wfa~a8UM-gQ~yRD1RYVy>O zJMYq(;~(X}4f`LxMif46yIPD&#z3DqJK6t#3(Al44;fkw&4EzwtiC<fsS7*mp{j0P zhK2fK%QZlVB!%IYW5yn_LGo797{RueXs8&G*u#2gYJ;@SiJo*OdP}_(G1Z4|w;zj~ zEft1N+c`ju$OU3?s_*pLW3suQr8Bg+di$p_v3CXJrw5ir>sYMPTPvhmM5$_8VhFDA zS%Koz=MGyMe)P81*wv7RP<>=+hh?kt!}7~p8-969eLmi%haZotZVPL=^+Ne5i{!Qo z<ab#dA7x?u_biIlSa2KbbdMg%SRFq4PdbstbseT@mGi{<s^^LIcDmMw3x|aKCrw?% zJaEF6u%ddPxp`OtD}AaE^B^f!yH@N_llj<+Ew`m*a)&~MC2hz&)Po(x8NqmoDHJ^8 zT|8WZukmG9Y>X+iI~y6YRZCt6N2}GIyMgsa{E9tMhd*W~s8mYEe5kiw%GKz#uOZ>a zbrHadPFz(zXy7<dcc{uZKe@HAVWcXlc?8iHNkdvO#ze445f0@ds|7FI(u5na&eR8< zARIv%jGIBFe9*|Tz>5|QW58uR{MiEzD-3l8k@itz5&swo?PnAv1n(ot0o&_gbdC@n zTl8(!DgAZIMRjOszFPF6z1|SVNTCm!H5CeUZLSZzaQLbiCq**GbgnJinNaof^fYfH zXoYKwsG+g+pI$on05aAjfTo^C-~A<5B6@=aZbSGA{;I^Ud+sa%UpY~mYJv=&5H1%< z{|f`L=(geDHN*TCp?jg_euQ!UkX$c1fvS&+5a>Q%zMSix=_TC)X6Z7<&(fugpSvt) zUGJ7lTGzY7vetF)u(X{G>pyl4yE`0yV0{cvQ%VtriDeTpX&EQK&Xe%ySo-w;=6Y9S zUt!7X1+6RL4|HkAp!~?hTh_NOE*IvAr;oOJ7dH6E8vmGU{9c`Vi<c7~hb1fk-r^L= zjI&y^+d5hHpGdf&3pOS$^7+|$AQ2EQ%{z6u?n7(zBCdw@dJXQ?K5>92wtP9c7I&BN zYpxLXzSYI(-e3980r;e19@HZfaEwZT%4<)1LlEXM65yMC_^XJ^E`c#@@LYYg76og^ zHD;)7@i)NK5*itkYvpSo_T3gn$TdMb$ZJc9ps(OwC1gL(=)iD-W+~E$W1jFF(3wmw z#o(d>ETch2eu|OZ)a}2@z!sBPPmTEcfW)V`k9RZp{oY{|yx2RyNI>WSUccd7eRyH$ zZN>y^G-{AC;m!7AZq8)OA!k7~y8?S8Y#Cge``tX@b4j28E^6|14^vsxZ=$awL|R+a zwsy%&_18F(tBc;%T%T^MA)K{s7xx6&W>g8oASR;uQ)vNp2+T$NzSP){pxJ?r=oa3G zUu4$0x^j=k)gEK8*<eVRr5KU?ZT(p66I)y5J;SpFw=}$*CSWzSk%W`q3mc7UOTxuQ zZ!J=S$`#T+a>e_!yO~9COM-rxT-oT}0xUFl{N*UyJSI+k9Neefduau8O!RV>_ZZvi zsAWjJAF1s~pn^m-<ZzPf8(%wCc?`S^I?`B28ET;;S&Hu5<1y|j)10?g4Et<&<4p3i zbYxrSy-^#mXy4h&tyIBeX^&BX(Ug^3$ZegIY-Zcs<fm0a%I+z;NMSJQN%Af@D`E_+ zTlQ#UGHlAUKNYW_F;k4Ku|*<H;<0Q^$vY4PDkBE`L#UFD<BG$=jL{J8g&sdzwvhvY zoe=LNhpm9>)oIeQu||_-I;D*(>jzK<;06Q>*XF4oxDyGF3>Pn$)teqXqI`eaDp+p^ zvm(Dt$F7lJzy{b1jwS}fDrsjWA_i{vTLer|hf-zYPX0@o3y@<4j}$C|kEZ5IGf05e z94Jx)3%l?zhwAAmo`f!OX2pAWY@^V|;UT4Aoh8W_c6PK~B#&3Xzhr?0Tp;O4bST%6 zh#y-3&rz}|0eyY$3Ob%WR{=x-c8ME_LYKC2EOlo|0JR`q=X1%>qMVDbr5=Dj%&9Av z<Z5S3#A!kv2@%$|@33S<!4#c9IZ`tPYrvzgh=NYMhk?x`dKgz}@6_#Mp&`#Pn%2(y zS$RFm$=ADss}Rp_u>0a@&hid*tnPyaZ0Ehz;Ei(c!-DK+N1zAjc&mCt;Kn&==EgZ; z+g`)s%uX~mD&q27=H(<Qbx;VFE8O-ehEL5fEU57*%Jn=iL@s)2+LvvMXF?D(=C@Ix z2ETBEEQVeG5KD8rs<UZ0omyDdYY&>9Hkl8QcgyA9g3YZV^SU<%tJ!7Ts)btf<Bp-X z1TQR1_#Rt=g*L(zXNtywg)e6(lVuTOc4-qz{D$88e0BzmFl%~y9?FrE9jjB`0*X`e zNzSd<EwGzKL7s`TGH<44v>Bt(b6DIb2_Bv?=Yr*nB+K&(gTqm`cr#}IreEi2k<?LR zpxLyr{d@sz4a;)6XN!8?T<Dy=^Ijpa4l)rMaYrcN#MoL|W`_uIXt&POvzv`!@!#~U z!Lax8j^#y+D|eEP(n`+FB}avU9UXm_k%8n*_ho}W!4%}ErDu#V6DV>FQ!UBjI42kR z|JfdF7Lwf-)XBMI7iufVyE$xP*v);7wmZ(%3WArB!<>9(#~@WveA>!9fqEPsnAM}$ z1)>@z!@!@kO~!4$&oqc8Q0oZUH}?Z<=qH#wj6_MurVUAruepC1b7w8=urz(dHN?l( z&nGu_qyurB<2}%HGp?fxA-O`kR>X$dZ!of_CJ2nUM~ykHftqb~k>tvHj;sy>DFSsO zaVn2`O0U9R_0(-=xtZv4wq`%-Ovcn6)T|qK?T}*K7(XZQ|E>|m89#1(>ZSD!)=9Bh z7Q`t74xkd8wQyIPkDJH7#%{{0&^k=1?*hJl?QU8sx~&yL*4|WCbrVTinlbySg0(iB zB4y^c^w)vOz6`F>P~({9h?Ww^v~^hXSdy#hYH?_|ogplv8Y)pp+mPZR)-2ptcDW<W zVl%UMqoy6BO*YNo^}bv6m94l?JB6NL92Tvwo&Tgy6oLeG$PwR0l$g$-78rSp=Rhu$ zZV3C+(jA0qprO^MqiR^@l)&ZNB%5jcPDREVzS#bGxcBl9L<>ODB%Upkb`Eg&XmCPW z8IGeI`d|mUuvV4d90y!caa?MUPFOw3gy#g;Ku)2a;He(Zhl$dRldzDBn{^F%=Y2iW znjceAIgqMmgd>U<!e@tW)>S>H_zjeS#5rK?ycaxCFi}e2gu!J*?vZzx?N&olM`;!& z=m=~}FtxzN<90{Ool(`{i-aH+`LG#)rQYxF9%;o0u;On166!AjF=#waI3~<0A@fSu z-6-C6r<{y`IbGj)G%3fw{Bm*n=!-Am$;B_HU;p`=$;B__>G+$k|J<=FOCE0m;bwQD zjAleRguo~vcP%s9dv9PY2La+W*2hM=LH9n-#Dk#wkM8{t;PvT&Pg&cn!+k*~b>F7k z3~}pVX$9QaHU5Dg4-mi7_8<T7lvf{V)c?|jv8)vLds(Sl0@WWz#^U4k-35ZX?(}!v z>p5wr_I+sC@|U|X@^-yuk{i3ZJkQ*1+$dugaAWhWB7rGpXSLmwPz>+NE!(|P0eEa| zPPcMF(2h3sh*$Ki#Z0vOrpt(@y7CpV?ki=dY(l+_6Rz$we0kuxnptqqBnfx-(G>{c zEHJ%L=xxvAgr94ST~x<)lQByh?bV<kvhgjkx<W{IoFr$=lNH9SKHTEcQQ&6*vR#Oa zF}VVu6}q(qN*n3?e=aT8GBA|QN)&1Qg76}hUWNI{IMxL!p=$Br=7!`)iB(vOu9%{m z<RTq!Q1}T+chlHVR+||dY4owBKj5nbRQT+?cSZnh>(D?-qhjeR;;KS{+XhHVqDnf# zy)z>ys;*LCCR2-r;b&P%<06u^XtCslRfhnQbXot0hXfKUneQ0-HKu|(>Y|P&i3pU$ z4j}Q4Mj*WzmzH!{8JMB-43G+K-j1r+7(8ISTp+Nj;GIJ7U5!=LB9SlM*9+qqNr<6A zl~$9a;qT#-djX(3vJOR;<6&LV8bL)0Dv-u$iONP)<W1vo5}Zx)BF*P;TA5F$Z2Cku zVC9^`fL`at#lXtK@Y<V&;U%=US5n-OpSZnOr@<>|?^)g63vBN@)!qTO_w<^z+y~Ge zRQWr$*Rt+#<!@0;1N8)Ruk6}l#XY1f%m{;`NO7s-nNrBdl2>P%ajKblhMI09FNHo` zTx~j}gv(9vD6SdT+$DaG)3fsmR&I5LdUa<q*p5oG2;;zHN`DP?Qd5|rqfAsrwdiRc z<Gp;#K%Fv=G-6dC_BPAo7H@4|1Pgg(dQ(NFAJrnSI-EY(7c1?`)V8g;4Uliv3V`pl zO&XYS?~d@JD9qVZj9Lyl-5jezv^iTd(ggxML7~W>Ubxd4{F0{`2meF4KN_A+knv?9 zRJ1ID{@BR_Wy2g7qw`znvlfJr%qWf>=4@TG$Cq@Ebb75c{4w2isqIMicG3_T3))Pe z&KG{}h2Te1T@gZ->8@_ErQIX5n^{^>B6R2%1}Y?#hUj}>N1tON(h;W>#f>_GW+s#T ziZfCFGbwT%oD-j#MV(+g(9)1vu(r_wHGsz8@|&Qnv_mR@1B+5Rn4Sm)pDfrbC{>L9 zy`RKm^Y?c-9DVjU*yApm@E3TA=+B-&YPb0`?C}L_n$eY-ip+>qkbqpIt%)RcB(8x; zVmZ_{LSxqhLioSqpq3|HI_hFO-Qy@Y>S8<m4O`%E2wUFrAESZpvBUZVSQIcQ_)CD` zFM+}5_>TpmW&O4~l3Je1M?tmXZfdfRpcfqf!G1mL7g%A_<rVNoFN{kBN})PV4)Amz zS9u|hyRFRlyCh4fpt5(ukaGwV*Nc0}${f|WW}txcrE1IIb_-Z6b5?4@;j6Vd9bfU2 zkcj0<BfE~evNgap#%x^AH-ouHk{Dg}+maXU<76G(U7FBQUl~QsOhO(m-+YCi8Rp^M z!f?v3PAQdP*cn9MZa(aP_Lq*!ZkZoZA*?oFV(6eu&nfT!63Kxg!BYTcQidNVF?udw zg=&r_rJt?Dbh-!?IRQb$FZzcDPft88Q0dly*ff#$K?21&`^iF%;gvTOExFPwtI{mV z5#;a&zi7~oXW5HZ&T@S>x^JvuU!zuhxZyA!kF}>9%R#Mc6XWF&AJa#s2LT$w&~okT zb2W-i+u8W$W`Gg8QzIZh?RpkRtbt3+_mVR@K*|00lHK>FL}5bK&21!@vmzlkDDzwn zUG7AfpUi#unRCB%o`4{OcT?Zvmk7&G#%>`A<8aPJD0~CAYFR?i>*eQZt06YGphrl? z5&lDO@XKedRBfN5ctRse{N8d><SB1h$2D^ehl)C^#_&eN)1U>d(dJcL;3aE0z%OBE zC(aPeD4(97B1>gwK`Rgp2>f~J@y)@Ad=yxh8f**VaX`7ke&XgL-sUFBWir{?a9Em1 z40d`|dAN-y=%c_~BFA-93|>XW$67|@;)WiO{D{Js5SEQZDhdf^wAMeU;CH419`}Q0 z(Ar@+Ke4C&7Bk=1Gaohir(CO3kT(pw`^Rkm+h!YQ6DAv`VKAid0SAD8GF_s^oyFgv zfZHto{vV6~Kb{<T+<njDpUx+0>TkRD?;C4BMy*LncRV_6B@}pMrL#1ZK~&&DVEjQ} zi{0A!nH**)v*t8WsX0^D%f!J(U#AyPAglQdQ~i~2=9#eh_s;wG(=>}fpaoW>A+Vuy zk(|x3nBi@Ww^RtjQ0(X~h*S$85xqBfPD`!(@4gJ_ewan%_kV+mqxu=AYOamN-N~lz zQsE5HvH$+Rk|O6^)HfkM?lpomgavwyK}RU!Z-Sz87APt%>sh$5k~q};r2Orf+b^Rd z;TpbfZ*~pK-o8n}j;GZnqpsnsF9f2qc-Js$D7AT70}nbG8Y>LYq})i~U=W2?M)A?T zWQVRs60sznek+-j%0{|ZU%N@h*FZ5I$I|J1Y8>0KP7Na;jphZJaF+uy&d1}Uk>E@M z-isCARgs#G6;2m`;QmF^wh}{T_6W<*Wr?uXgtNgZI-gbQ2cF8Qj&Uq?FHE=qE#Wrq z9x4HbyUo!xdPkcZ%`+&KL?_pF-yjWjO?JGab@vv;(?j(7#gUWJL{(eRirJSfIF~OD zr%_XX*b=6~f!7w8U*Og0>|4MsxMniMi2J(92TQu>omC5GjhE}kK2pNZGIH|FsZprE zWdc}98Oh5Y!+nszgc(R^Q<t6NI_O&4cb5awc0VuSa0~zRMD<<55xU;i(P%O<ey&@I zethQ7cj*PT?`_`J^~3BKNC_S{2$CEB8~W<Dv~Ej9uoq{^85{4Chi}Igt;`u&rL{7_ z+&a9Ki_0*1ah{+%Q9@x((2Vidc|1XG&yK4`X{UK}u&`V#B5JP2I}Cmey8|p_t=Dl8 z9U86qVmwXbi$tZ-qN`<ZPy!TBpDbJE0wolgzX`d&?z8h<zWOc5P3~x**WYyq{|m+; zmYTlan|QqKAOI{XKaLRg@qME^z1y|a#xbac72){9xvzkt8a=n@RLig%2Lt%yoCS>o zK~o!GML3nS0~fNP<i*|3lfSj;WJyE)9M}9GXUBiz*|A3ZaxLOVn)g5S2>+q9z~lbS zqepo6Ayfa4wk7|n_+xtijnn(8SiZzR)<plY#{WZ!fXDq0&l-nGy8G1sscns;L**Y6 z{BN9KMED99f*)zJ|5)e$p=7}0{*z~&r)0?hvoAS{R-gBOwJq|Od9|Hgx6ZHbCzevp z+MPnvCryx9JWaMp1K8@-eV!N9XwEisWDJ{BZ|YnfXb>v_S<nt>dooe>FKpH1HPhHb z1vfTLnrAlNVoOrAJxeA2NB4gBhH?<cBeEzZ4XoSDjq;+dp-aB*7!ihM^*3!{p6qVq z)3mBk)64NvOCu7=KId}3S;d$6o(`p&v|dwS8k=!k#g0kJz(#G@!M=5R%0>m#U_a>e zJI!)sJ}Q$@mb+=DTiR&_Y(g^O1nt}eAuY%qW1e%JUSrKADm<gI%Gq60GN!M_E2m|P z>p;qhXH!0}@LnMoUB44W?dDrV+UcCsV&v_itjLrdWes>VnWOzOSt8DAk11}T&5uRK zbl`N}9M~j@FOxc*>9X-X<Ct_jI?RMhF$Q3KR~m#07E>D$Vw@<ovP!vesX@9(>6U@Y z*)4upgE~G{hORRh=PAde;*x=$?MdPHiQ(Nw4qDpibefOnc+q$==X}H`30WhvDPx%f zS=9sRmuQer>QNOVvJJsZYF0wnW@g{^oY!?NN))R+3J_Uk`y9LiK3}9`nFO&=GbdnV zXPsT4$F@Tdm8tXBV&q^OqFyA=xbdINva5~W3ZJx$>go}z(dt_>4By2OjCS6W=haQg z#=9|IZVD+XDsbb4n5Md-u@+lhsp!P?BB`hbqFf(!OszyI1??D+?2MuMXRL*VWYy}g z)q+uu4iE+_34fAF-Ao0ZlZ7t<83$o9I2&M^*{Nt=*=2s5b5IXjmd*g-&9`c82^Q<v z;bhq?KBJ<UPZV@i$2*rpsY=PLT`_NCfr)hhYxPZ<xgWV!#ZcA>Aayc{e+eGm*WJ7S zFqo7Vzl^&*9ghl&xbdhwaAitH2i5f?*<o-Wul*?K^7GZqG8^J|oAj->3tLCrgs22; zRiPnUtD8@j%vVZl?iNwbZ>le<oM#7bt7`0j1Vy&@pcgbX>mDZk%t&LVRu?%W@v}(9 zA5=fJ{efh_Z1?V_n3?D&JDbE5T)a*sJq3XA8HVj?t~<Tl7P1dB`x*tPue*#3ZYZ3T za<CagT$Y&58mt9~U)%zeizow__HZ%4^?U<dl{u<;R1<hQiO-sW{(raWIiNt4*k~Pu zk^)a+6A^Ej#35O{T1E74_<p0v%Mv<0K!+_?L|1X0w`x(`s0KfMm0(O$r~&Q$7BuX) z@Y6Vw&^a|T(1oYDtFhbvfu59xZ(Gf}v2{DbUnf2p1?wA+f_K;d48Hzm&FrsnF7q0@ zzhK8Dg`a@at_N%3dbHm26vdOBE-b8f<TCyippO9P7Y@)y@@yS}u&y3r&}<M9f-ibe z5Mo51&2>unzWJrEi_M1r3=Mz1+GqfUD~@J;9dYDpDsD9%sO=1B{n2V8TK^Io|LTJp z|FY5eR~FeF*2lH-Jip2~s6k9&SI6@a+c25}H}fAA9km~fK!VJt&SQ4SG&q-v)F%F9 zq~S1kn41CmX|P}`aqlhHEX%id=l#|A#t`Bn>7c`=pd6?C3?5@yJPSWjsC}G02_GX` zo<xrUD^GeIL)(MiPKb*EVkc7`W9&;z8$mKIBT@<Kl%hAfQB^rY#vY?GrIBUVY|E`S z2)5CNGs`8Uu^6cm!blfH7%DMhD)iudK8>?JS~(KaCPjhxNE_&>TjOK_XarCi_@a<^ zx{sR4Cvll_Bwma)U7+*>>xa0Sl7%9ZH0oxkAESbk8IV^O%^GrFbKZ0sky;C+M@edf z&QF`+_S2nbgTVkMsBPbe`N1v58(z$nV_NtBMH~9U{W(}cI#YZ0YG=gZ5Cm1PLeo^% zAdVd^crsg9jia2EW=bfM5$X_X&8lt;H~*m-3cP{F;bp6Rzu6+Jn9;=>P9lY=U|BYy z^(ER6ivMc%!^{|nASBU*KKH5Lhv-(jb#&Y=-|S%HTGe8hR1=|cA_^GKe8lmHsjouw zr<mz3G16ZVl+=ws-4sgQ0UtRx7#xfXL@F((!FRMv!M_>hr~fG7&?WXZD}xa>@+j4Y z9YH(R&#g$CL1?4^i3JAd1~k}ARfjL95~%rwGYKkw3-XaiPBNP0Wvy}$T}2xjJ;7QK zMH2ajGITpA8(>Rj3>0xE->yKOIsp{<5><+?a*~D38R!(99;&QQJ;%33XBw?9PQYvm zdKRpD;{R}rZ#u>ghsm$44k2DOfQ5*bT+YM<k!0x%PfVdGnQx-m8~tjY%WtW5FlS#P zhpckgSJmbislyr!B{lDDZFyX#vZNJB0uL1xY?8Sp7R%0s7M!%sJ;|q~I=&6lF~4^2 zW*1D6iSR9LDs9#N;Jz#5GGnb^Iu6_n6BH)BjiGX4McM&=ou^2k2`9uM21qbK&O1Xz zC|(oeTcu_VzRRU1g|kVFb6T2BNGF(%iX5wuLrOV6u{I<=Wn++&v0Q*mFyfoU)-T$w z++KULA@z;1<By!Xs(MZrHO5wfy^a}q77&FrJC71w0b(L06vPlV?$^r4#ndH>GP#&@ z<YyXs+p)Su13+F_=26~$jTe(eMWyt@>a4F>=jA0^OM@k|<W%FYXAqBvKO4kp3rnqx z+rP>kanZ&QrD2<AhloLgxJ!qwwK99Fd#@W&`h{on=}g{{x<D=r<q_uA1j&csE(ss9 zOxD2YAVtc~R>r!(5aV#v!TC>Olf1A@R70y1g0W>rVYY<b#0cB}ht?#WVB+#RxQef> zaB_el9gfiqU82`3-gML2BU)2Eyvx$U!>|F5V@f2>z<E{SO#rQbF$i(+^LsBi@6hll zFPe9&B_JDW$l(oXHcm&J=}m_sSJx)WyNt%<(l3wkTkbIBMynNox(6Tw@vX1bKSjJP zs2JlbokOnVsW3xisdp&PQ71F#Am1kAY<%l>6}EI*01;oi5`3wGu<dCwR+6`WteIn+ zh{6Rg?5c4-w;`De(1s*2Y!vQs45wlV!ShP?5K0?_J|_UGjw4^U@`jCFHh~sH(QHQw zJ3Zx`$}3J@8*P$yh_a<oo1zdgljMbXs-X3W9o%_uj)+e7wBbfNnva?nxllA#5l#!S z4`dX9%_+L2;L)cCZP`26M{y`yh?YTzNOyTQ;Ma~Fg!*tVF=%iNWS}{4x7+ne#`6p{ zHF90wP$A<7wkBUi?W)vTvENejbdtvs47VI%@+vsEjZjJ=`-*0buLf%y$;KleD5W@G z9oTx(U*Bjx2JCpl8g)e5(m_ID1f%aB3cf+-Ig!w3osTmU7)A8DzJ&Hp#DDoJPScVT zcEX7c|BlnMv{J{`?!ePnf6y{DRi1M)PH(kGgY_>4>tBB3MW3@V(+c_!j9RrC7Y54+ zw=upWcyjE{(=sY<Qt(mV59c;C?WN}<dir4Fkq7wgsN6&0NA#=#S!SY5yyeChlBJg< zog@v<xA*q_DV^$DfJg2nz!#pdinpV44~;MG*!v=ZGrl;9x1l=tEijAy7T831Qx9pa zaj)Tv6xq7o+Sl40(CfXiYM}*Vi^46<5c{<EC`-;9t`eaR?6iUE;HIk4eq7FCj6xwM zCUqmUfkvW>SI5&ydXdn950`!OaHUvjSad3}KjVsT-x{HtOS55o^N1Vs-%EyOsvQNh zh_7^@XSQ`VlA)?77APPnlI#}U!GfHgW>8~33bpHBSa{hYNrPemLow82r!zT64GQ`d z_Bi4mjm=INZnr3+>!LQ5bh{Nuur*c501ASYk|OO;+*-J{A1nFHmn@CLJm6rO8bQ?; z!>p9Gviw{hoh!Mf@8Qu!_W?^{HD3s8RcKMvXO#5P%#$&-9jLE@#D4C+&AJ@aSsQM_ zBp!Q_@8S<X{<J0t8WXNiK$x(=Mk4&jGaN0DG&Bd*a!r8@M4^je4e+oL;(=#NoqBw3 z(e>=BZ)#>tX~A9M3$({GpMv)^u7D?R1)cEu_Tlz^uj7#ZED^=(b1YaVt{17J(}W21 z5tT%rEgsPZO6YECmJB$<o(~UB1<VHpv@lVXs$PG+$N8k-UmDKs+_N3n40b6%qgIFa z5sZb1s-#)6`fRq(Bz`pM&0J+YPxF$y0be)!yFc&jzCPT0^|J0T)coi@HkA45gV_*` zgS6jMUoD6g=E}ENC1sfA85H&1?MTgr6)arJ-1VM!htryQIZoFQOxT}(!uiDyF@kyM zy^YYj+V%+whoh=tDvpX`0uvFN=UYg;$FK4!2vgbu-7zB7fR*D+>UW#r%LVEoUn&fY z!trH-TV|bo3IF3UamGoi*Bnb0piRd$hi;G9p(LJM#n&bG_fCDJ7TrF&26J?W3CxQM zyEn7b_?nd=^wxj74Q2K)$uC_P*0=cez+dKM2GTZk$?rnK4~;uZE|cN|hAr)_I&dle z5r=M-Ns3}xqIE;($Bf2AnmihFr*X-RURccx0>s$Ixmam54HWtE&rawSI@OK7@DGbN zmB8hnqC=h_w5g9NJ22ZC#m2q2WjW9PdUQ;xneNFXK6g{}@-v;?mwq1KqV8#)e;|nN zqGZ4wtkf|F_#8z(kP!NSYV8}MxJyK)N&D}2puhw;o{Aqla3NeI*JP8X*;2@n!|34& z9850MArtow&Zkfrsfk3E7V`pb^aqAXaqH?XsHe*pRm9K_n*Nx)!elVZRv44XmI=&P zVqfPBGzu=X4WPOdF^HBf`k2_wSmCH;tFKq;Vqeb;Q*g_<OZ@mS0yGbqe6w`&U@`XS zEU{@`-N#dcvCyI%4po|BKjZ3lJ}*1n;B&)piSg-9L(PF|VwT{sVkYIxiNpAOT&<Pq zV~Kmg>!hG`MwFO*j>F#MgKYug1m5hNB~_{XLE_;4B(LtPy6LHL29|TaRsad>k?GMY za*iJ5l+u~K?%{=6QT0b@F`8ra{*v#ifs>(3pO<Ay2G_K}F7tG(E$%qQ2&!WQ(!YYg z&WapuP(BLh#^6$QMD%<_q2PSf?dE+CLTmkOZLJ4lcSwA=?zd46Q_A;x4R;KY%rH%# z1v4_1=!fq$!~ObP|LG@7UAfJ|YLgQF^`V;-CuR_~8|kQyn1oJLObjrE1MxVGs{~+~ z*JLpqAhW(=+nVMu!&^R`;T@AWBiBLWZxqTg?xos=I_YVrC%(hA@vhS4?7Z)$r(FuU zN?*6L@vCfdy$8<*1~7#a6BwLtzs1qe54xIL4nBCdwcfpnIM6Bl4zIU>Id#PncYB00 zT?W-vUgwq=<ry0S;-#&ml%Q+Fcsx#3W<P9Gp^DLOq9Pqb9r6&ok>##0d=1x7mJC(4 z2{u8bnmDV4QPN_=axa*2mcE$e>DhUlK|hOhRAQL@VTYD{=YMsKK8<9zyisv*7i{s$ z=$ou@U1#%FDM-&5t<sL;#~=^25JSIBDQ1Q0@U7F3WfXV5mDtiIGd$aUzWw9=;qZsu zzyI{=&9mXo_uFp{V9_cZmk&C_|JAXLm0Bf?D5wcxiz9-nS@76%vIrs_TOfj<5=Mh< z3G8VU*iwicc*pktuxKOW{vAaduh`<-UH;wjid9C@9C|j(SBsj|L*I<4cOJS>dBYY^ zUj3t4nEe;c(q&SG^@FCR^qoZ!Ya~sbcxcEfl-;-?G6ct}|5}c*5YubQG4u&3W3rPs zyl;ax#G9i=!*#osPic*$MGa&8P#1iEeK|;9kk8u*Q~o%Tca#WeJa?7~{op=$UT!xZ zi>BjuoQAvWPp~$*Y@kVuYyCSSy>D}~QuZ^t+~6+TkPK1li2qvR9r1`WmDN2X7ax*R z1g^xC@J5sH$B_8J5Ov!ENG$Ah9V$YJ@{U$SDHPg;`Zi%c;-CPyp;10ZG>YPsjv}$( z#p<S|Fj3}IrjC`em~luFfubEj7>s%BjDnZ14jY9z_ygX2Yd>9&>{q+6x+v)Eym;2> zInvx{Iu77@urnR6uXVJiKRiM|f8&oK6Y#fiC(o(^GYN3w7VZiu#68ko?}JrB&Ttx< zanFWmx`y2gUUS0aM3Elr?B!%=7@X2VWa5|3ERw>Mk{6?Dca+d!*1omu@v%1B+i#`x z>UM{B|48r7@9fp9P9pNRv3gax0N6??QN?QI<n5M;KK0yfncQuCXr=8f*GJ<(vtYrr z9Aw(S8Al_gs*gvJzmI(PZ;<W&do)^lHK3#3;v25ZxJV_gUS{MH)c(et-nBz6e;uv7 ztW{GCM;R7zn7S&M=0LraS~)HC?ST<SDA;*l_w6RA$gO$SFwyT*(orZfEG3{(U)xSm z^dH$ct>W)qNShe`t`Do}y|Tkzzv+2$o=kOdR;%#IbCl1siuG~Eq{!B9SU!`FT&ymS zF*F*xEYKFN%%aUbo(#~amK)ruRvD8@51$}k*J6Q%6>E&O*)_RY<RyEy(sY>33mU~h z+!**(qEcTQZGh}@mS#u{eU1$$zin75b@NCxjI~>mJvtMC6k5<60&3XQJu?nP!Wrt0 z2UjtdKn1FG|Jur@C8m<G1UlP?JMh2nwzm(z`)=DZrFCN()kS}%qRh6#qptNF(>K5G z*5l}I21iHV9K+MD!WBO1TJ3g^Z<e<Fv)i)o*3SVOgtYkPGn|ZdV{&^dn_k{C@w*as z4qLEu*oK{zkYo0U7>|;%)w1A0ZWx2S#k_MGT3yr92CX<9GSr_J62cczusSXHw{K(j z9xA49cYfWod+U*}Xl7u-_h|~%N?%ga=oS?<elM3~KQAo${d{Z^FiOW^qd$?S;pR2( za@|^+lJ29(E~M8$J!?KP1RAV9(fU^{dekLgP^52=`VXjF0|Sk$J6!AWmTtk3KAh=n z0BkSKy>ZOOr{;varkO55G$+fo+(H4@X)`K^Q<SR`x*Nf$5&ukQmJ(`{2YnnhN7M7E zU&>+>K_TqWaN2y0s>Wgzd`7h1Vy0FPTUnSny>2mcOix+eZgA!&Hkw)*#1ENU*soix z9(k(V$$Jp2`*cytUYTS}v3d)SG=hozP}n|p)0P?4k7^Egyqv16iU!NXsy=>R*HMzQ zc6c)h=)(<-ep+^ctLc+OC@5W$&_l5>(4}02$NH+jOmvd@XA-r9-6wbfigZYlAL)Cz zKE)-$OHB9j5ab_y!|4UV*TDJs+PtC+F{YseZ`Ld=rfHW;&_;vUadGl9+nho{5S=5X zb|OKViao@1StL3DfuB|91D27MmX1?wafECDLgL;!NF@S@!Ahye@J1}#={mLdt)=jz zLZyNgzq<)Ik}9<>SHdWTuE9o`#DthE*FwM3O{62hBk}G58ak?>ijDxFk|%>)1MBk% z1<4|b+r0{&rf28m2|}_oaxMl{3&T6_ae@S*@~EwYDoe!Cm~E_>s@U$8q8KwYxmrUc z-~k@}1+H?FUaUw@mY}@<zAWPGjKefZvz8^Q1O>BbK_Bm|k_t&~Y^XAlP+`<i?I1*F zo@PQ+|9Vl!Q+Dq}#(-x;3UQXxWuR)esem0R&79VWQW{mOzaZC*$Jl{R?`9CZNu~*% z1|?%BL!PUc*y?m9h6MFA$zcXVU%_PN60w5ap^dZdp%b8i?FG2k*bk6MJKNja>OQkG z-Yyb+NKweHC76jA;*ArOkmR6eP+xZ&)k&1~zQBKyF0bEi*&QezrVyo$Q7)SJdR=P( zNZr)Xh?&t}XmOOmc`}*d>={I&BVQmYjf3m{dyf5hV?4nt`5U){`|vz@=Pg%$eUet_ zT!ueRk_u+uj@-R{u(P)(q`1EEb${c_FY&+(r}d1&*;mj}{5zjc;yFD@s*!e8!gesk zxwL}THMeX@GN@j|hI2hV$tM^>0mbxkRHQR>bQ-5Id<AeZzH2nDmp%>>r~$j+M9!uz z^cJWr?<sy_Zdc?aXx<`wLT%!S&`NyEYiDhJ<Ixvie)Z?Czv+;35j|zT0x$dU)N5z2 zyCKO8l)=v^o~0FfkRieTGbwU}N$GEKM=MZ`XWU3};UNLC;)yC<TolM}svY*61Lb*M zRvbovv=xTojihQ&-J(~riu#5Vq5@#I9vSu}P`m{JzydL$FA1{~q$lMK2+NT}!$d@z zGcs3Vd!lLj&bB%-g8&me=}2eqZ$IzvJbU5y<GV-9q_$#eBcw7i_m^&DjC@pH4tbZB z7HjIHN_wx{>O`GY^wRiCRL6Q(6e}B$3bxkiw7azyF~h<yu~JHJNqh&Z*%p2FPfM+F zOepTHx9TGrh$v?@!p#U*ef=8EFq9tHgxAbysmJP(-t{|wbM@;LnqzIW>fkF7($Szp z{cbC#%sA9<8&h=$e6}X~tu&^8FDfey>fbAbWpvx|463yqb6`y+#(}=YB^?Hw(AJu{ zZBa^f75i;zU0EtY+e{_sitq_A*se+EKczL*>tQ3v2K!QwSY3)9eg(_%9Z%2Gj19Wr zOH(U=qwt{-UP-O^-EySs(!&?qKM(g_9y$%NRI#inD&;GnMj!?Jx+*IYrd8nfrddlh zLz>y3^`QFh47v;dS(iWNa(mz*R!ZlL+-+-}z9Wa*T9Zhw$mO=yJW=U=RKMkEu`NJ- zk?0%g&e7-P@dMPU4U-bKQ#kgYCGXzg?#%`mO{fkFqmX%8BW0ItOE25##pfmV<39G| zZM)jT{)9y`;6D4BUKYMxe-@3~!f`KZjNGeo@uK(+!&`kq{taVQRHrF_g@G5Hw<nzk z*3$>{%&zKp+m>nwCK;fps>7<*O}O*nxXLbs$`Niqidt9Urf5caH2uk89CYTY6;Vy? zpt#O+#kOdkceVgiA65#AhdQb({Xy>x?b_h1$mg@r)iFa~?W_3UxXJq(x85H-2Cp8S z^qO0yVsp7>9cg}~r2%shEYQ9iJD8^wF!NA;MRgC1HaQw3speHJN>FIoQi^al^2mkt zIP2%td68e$F5-<13^_DZ>&qA(o13f~P{RdfyOSzfw}d0?KMzO`_*O$&vCTH#gC-#~ zuqSJFyYvuEGR?N>kc!40k5}xh@8Y1P$5x;1G9P^rn2Xe-qF*f%d3!kH=2?khG~*Yy z4N=AVZcbz=amH(32fHQ*7YE#Imj@`|`DQ=~9la-Cv|N;^ksNJ)0TRw&Fz^JhSP&~h zRrka;2z`gC&s-KlPrbKJCJsP8_-Qlzyo^4Vt4(X<p1r>D-T+iUtH0j38=K++A;s+j zbzpJx9tt!;nO7(zW!QHp#iC0Tr7~pQxu|hD#(7gwyx=B9&RD5rO!Fw2DK;VcePRsw z{47iVS?9+{GgMbr!Rzbl95X#6l6+4Z+%qh05p?pd&Y#BiIkZ!j6z`F`#_I2#_u*e& zKc?Ijm<8dc7fHlNNy!<^#H^H(adKM>k1dGgl53GIB1YWG=9uh;F<*3!9`uj@@^<{- z?cnYBzNrYp5c_qxE_UrYiHj$1$M3(m>GkpV6h?Ip58jUd!Vkvrwfr>oS@)pX)6L+# zs%D!HACg;5ewh@fll%&$wuisYG0ZZEO%FG|`tzf2zIk|_U-id%|2m)dX^#8o_}3@p zR-Y7DeNl*&eVo*O+?NUL*Av)Od8rY<c)u2XaTD&m_-*IeZ_oa+13w?#^unKae*1a< zxBb8TEWh`D{%!AXzy0kmd;Ghho)UR;{AQQZ=5BF*Ttg7;9Budi>sYHced;WU+QG@1 zO8XoK4IOd_T(NPZRDD!l-C<F!8&XTw9#EWr!{|rvCOE~Un;aOXpO%B*AYs#FAz&<i zBQ(s>pix6Ko5Yz;po^th&uHbW;}|g5je(sCfwl(1xJQp>aeFhkkU~d$TrClPrKE>x zt>h&}9lN!U*kb=MkA^~}%i3z@6Vzo0d6-53|GH3aaqKZ0j117eNIuRP%&h7?EtLgj zDZp6*_VRz*d(-YVZe(Hj`#tCWhfaGOHmxQt%61k-Qm!o9iJz<39$UGyPzq0rY)Oo` zg-u#kB+YMsYr#@Lqe;q3mU)LWk;!hLP$&R}LZOyC;F}kqyw*l*BH-TP4*~8a8s{+G zR}VLUAC<^JYNje?7&YH?*RVg=ES;-|&kpfnu(BmGhJxb4p*RWNG?4EX>e<R#MCuu3 zsU&x4OjW6!n{#uMqP6-MqFNIndi_-8_Xwy9e-CY1Mbw&)avs0kv3t>x`@^O5MMv$P zeM3S+uiu@?_aI;S#yIY2-0g*bEJ9{~j<QZjR|Bxy=V)cqgMWgD3i$d_&JgZK@xF%$ z(a(w_gskODx36;}-ePtohoRm^r2XrB43l43gTAL^i#vJ`c-OE$W2y5O0P0!9Go*ls z>l%cYZR8`oC`N#!*|P@nu*)ms5V}egch$y%13^<wjh)3@0?&)C0&Pt-Fqj1?78w9~ z1YAz=4jXwCF!ch6cP1mC<B&<iX97#aMU+u~&jt#aA_ozY!n2r0$T(cZs#k@$mly>7 z4CUuHf8DPYAZ1llitCG!v4Q;?(eZdZ$g`0Qlz(xSlNAPcmh68pe5%b1%;C<<5#MDS z^AT0Iq2?DfRPq=o&UBOs1*TVyRPRuC)cfmuPYN9?*PkCYP>D~>XnO|}G2|S;Mz!l8 z1ltyz5<~{^r!-21eWk{&Co_X5dsnr?8HWGBFC+XyCK41l12fMLoYG~ARGyuF!Ts4; z-L+UAb2!-GFGaI}W0H1vN@|1R=iW&a>-6r1L~&FMdOx4kB!|YWc#yyA1e&_Ks-?~t zZP#vY%FSB{K{T$eBpxv%a&r?vrTAqKLL){j)H>X*#Q_3v#TALb94n6XvV-NwE5@fz zId*xwT`PgB9UWB`P@P>=M51IcQV5xP3+)rkOincuRMrWGX3AJWa}RBm;4XEQpT!w& z6-%UIQIrxJ@y03#Z{a}<&*(!qmGk1@<nnBQ$3$Tbcq6)iBR}3RV;+{vi%f*`vOCJQ z{mx;Qld>pfN-PfYVS%d4@nb%?vf~f4mN<0}2@B2$EUR&G7MK0gsKW)rf`d~;^mU<} z?p2aM%QO;nk_DHaxtvx$3dL5S8VN$d(XT3FBgup~Kc9y%KtzztPRtk<tgC6eprl1Y zJ}n(<lqj>U*K_$j%Ou-oiF+lyO?=y1>R#!}O>et$>HF3jnzaOj@u*`a9C&{CasS}? z{__`4DG-12$;*S?{r!a}+-dD@k$k(^{^@RUw>YYWFRGKsyK=Wf96aJLx^9*O1H&E$ zkmw=u!<$z?R>kRxr&g=4lG9aFZGBbp9F7jB|DGh0b{x*SiFQg>91eZfwxgtsTkRSs zhH<rPb^6BUYiQ~LR6L@)4v$t&hd28bJzn@(nVtZ>!ZXMJkoi2GquHi4Orl0BT~8aW zI)x{%2eQI=CWeZiETig_hzLj58Xa9VwRH7*32I<3sRY_AL#4iibXe-$YYwCT$}S9V z1Qm$2IBC}XNX0G=^?P><xBW6zoxP|c2HATmOIK5ruB;?|PX(!iY<beGt|2XHNB_Mw zdkZ2@S#bfm-~tsOazHoF_3x(&WL4inTbqEuQMx#%JVbqT2{}<mo04LVnwhmrLfd8| zBt?~yA-O7dfRt9>=P*Vp^G4u2UoK7gBn~N`1fpsNuu43txVpb6I>T%NJ-w>t@Ke+z zM4J)*vtXN{d?8e9w4~Sx7du%}Y|6!^RmE<?k8u;aC<gsmdQo&~yC11;Hi0I?A_)=S zG^>Z*q(Na&5yL87aN(ysa8^GQ95~7Ut4%7HR~Pf+q<ULP(Q@!~tF;rO`Ppnm^g{F9 zLoKxBR@2C-r5Cq*oCqq;qmQLI4<7J;9|gKnG8$id6}*-8DR&Dzmx-U&MPKMlR-#{( z;+>?p7vtIU(T6zY3JvG;E8z4uYze}~9O&AZpfv^q)Oo9fLJ<mUEv$f~HVyOuC4XIx zx-uQV?W3xhoH5Ag1mQQ}Z?0oF)mQfh#=NS&Lvc~^$z^cbG56ojCwHMwn{kyzAJMF# z)Asfnj5Gy|xtyK#b)q%ZgRI)8NlZB?Q&NQ*CHOvO9y1lafM31yL6HuM-ucfbY0=t< z9z0C{=d(NMM(aVmK>Jz4YUsGhHSrr)#&1v`{{axSRkW7SOXXA*bfO9c{4yP17BZwb z?@#QWTp<r?1mLy)`kVRCh%qdC($F?avetk6X+Hir!94>cE*cm)b;al`ALZO2!x(D& zUT1RtUMA|$zGHuGSBNfwCgOVTB@A{=jCtyswl6X?SBB0drIi=PSNSh#%zU{rWPW}N z^YTB3-LqhU(QhkwNgbS?45)t#89Dnx+Gk|Mi{_<9wV*+u4YUhjMZ4h7tYNS>L6^#I zDv%294;4b&8+Frfg91_&SBf+HOA~|SPKRh!kUC;n!LfC9<iF!f5tra}nt?okffqRP z0=IxwSiZyaC<=e$p(E<CP1Ss=4-_b|U=CZ1D3Oh3O)a%~HdjJyLzyV(QO&^$m1M=@ z<Tq}DhB!JroE;uc4-ZH24K%eoD8?!(q6xpka$2fntke;*Y?cchD@NVuLvJacC|Qy2 zb7YGfCW)Unflvo2rf^TuG5l{cinrdp+S`%ll=0y##^(pSkG<z3dcOb6dpxDbd#}C6 zC-nH4Tlyv--S7@@QEUUTW<aV@Tp{2D9Kf+_E2V^@l0bk9|0V}yc`Ns@h8aj#^3SHS zL`jx_q?fkWiW_A3U;KKIXK!=cP*upbL^n-En`Y?Rz|CD;M0<hlcWD~ARf7&&p#P?V z(}#;Ai#+GVD1D^e({yPyspLak-c}Yzs{GzO68s6p554tuUa8otoF&xR16N8A=>k|K zfa5lOGl|*Y8$RuH-ea*>%H!O*@5Tq?z42f^9C>I~$HvckZ!=}dC*m`82?(lZY-IXx zWHhQ-c1#XD(|j_9;Vrt;Y|=M592Xvb0rqGdAgo1x8BqZOUC#p?XYo&Snnc01@2_>t zV2ty{E(`4|hEZ2N`ERMussc*&S?&R59E={K)-cToJgPs((iEU2@ey__%cWZFB-!j2 zYFknn$AJ?%%OY|*>W2u?7`m*-F0YToYcWNi8N?ET&N%6!J5_@d<Q_gQ@c~+BnpiAq zpX6B{r)sH-6JUP9<HT_p4Ye8?9fvmZ>Wf03>-uFIZhm33(KdtX2!sP*SId^|4=PwE zPGAaKH8ZiKDMB*`bw18d`=gPvCe6t5RR)@7=QU|X9Ms{7;mQl_WUW>c=hWTZT~4() z=*#Ome9Td@ORxCl@tg;O3OF}?k4<GZb*1Ea;i7<w<p0ExaA*@tNxJk0fN1Q18q1d_ z_^$5SNn+3Z{hU>av$~|htAIWbVW&~e_EhExu&*6r)Q%YDQZ^aPo2t6Dj6DV<Lf(Wi zzX<^OSeb(b7mX|%4MZ1_+p`Qp`=P<}ks?n=y^phKltuL_%jNdt23RiD+Xjv=Zl+6} z9_Mf0KR<ZN$#KlR7@q0UIIfp8c!9~Fdis&40y^(IyJK02QZf*rlW2Jd5-Awq=!k_@ zQj>hBAkIN^IEmDvp1A1A30>(g_WpC68P%uS96rYU78rgAXF?J4<4#8ubo>M69lGoz zyW?4ZYMfL!ra9$Y080IgnOudQh@>o%>O_dwa$D3zD}-8f*TZSXK5)AFT-BX1ADb_J zyqU5BFRW%-pJ0}3Ene(@0H&fK?5qgjlk+6hQQnp#Q8e6@MOKP&V)Fs1i(yz>-Mps~ zDUU=9ZQo>IjM+;}zB;9<6s|`iW^28Pad-0}oMvaa(!w4d-vB~q+1vh@^3Rl`RcIxy zjdRTOFcC&EXt8*4qZ7szCdO~M-waa3Gd|9hLt%kYZ_#(SQodh!@K$<RO%L?1HUtRA z;#`TFOMn=*(fqDn&M)wKf2R7V7(a)ctyt6_kMsMvF;xg6uP5VanNbI?;@o<_C4a~9 zxgB?3vi6MR8(wuz`tm>6szW*i)*L*pTyfmnmDiecEcnQ)Y=xb0<u$gF*++08njU`4 zWw=yhrjG;gT15zx(Z80g-S=6!eiqo@c<t)dt6=IWoj6Cla`v}lXcDhViup0uhmmrs za3+E7czCQV(}0q&#%GPmbd34V?5qX}7x+Z!QZb~W#U+Pf(6hHWB~ehbDIn5$-SMZh zhTsjnHCEP5bx!jUrjHp<4=}ioKPFTPCllIr(T@dDZ8S`41YLs1W2b<&y>oU)h23Xy zbq~p|U`F-G7t8|fKF8V^v}dJW$O3m*iL9LKVW@SG0&Tho{AHR=_<~!d0Vu7MY%oX! zR@jac;D;s*K2^HV@Cwkl4zo$Jlssz21btK%^*JD$E{MS6fYJlvQ<%&@a1Mns+6RW7 zzxf`H7$)J>H0J|P!0f35^L2(c-Xc=E=M-VhFQ|!j-?4&GX^B)_P9Wi|E>lrwFw%v5 zzHiJzT(=2<fNa;ly)GZsfH6FMH-i?@>cK01V@wt>79-{_?(*=H(JOAX{n6Vo+C&7Z zj@@uRna#dPCb?#l_X1n3zPZ^kRavrmrW=l58tTAnf5k4k?yn#*YYM7|)?*q}AdTM4 zCq#h~)4=3F1jC78z3`5SS+l>@XsaoWUuizAP8LfZ*;$EI8@Jmfo}TZI<!TtNj$Oq_ zzPG7b)voya_zB!CjJcR1Mfol|6?Udf(0T=dq&1l)6g<kaAxg-Vx}PvfM8&#)p|fmd zR@J?Ow-SSF0^Dholl}khs8=hr5{p7i?jl3Af3ox#V|c=UJ&IeRAEw>3=O!A*+bat5 z#m6elPcp>}N=i4Du|SOH2NfLh1tl^W^HqYxM?y^o{qy_+MNaJa%V~|{{LvBa8T!xF zyc`dSa0=$Z+TM;fO1y&?&$ir#){jc;B?<8(cb-I{<jnLzn;ELYHuiiXs4UGT1!?pY zUI1QI>gC7t1)*Ct_vgag*Uh774YmW(dsy~I6#%L>Qm2q-qj9a<bDvjN7RDP+W&7Os zs|pMuFt2~_F%*5>L{7ctjq0Cg1go^!XrUK0>|eSk75VJ7CB1Pdf$u2^#=C=o()?_f z&unb0u#h3U;0dk^w!ABNu65*qgo!{EZu<8D9AxwD_K~}h4$&plDFOq$My{~8l+;YS z0JCH<be4C|U+3NVln&id+u8mt?j$!7C2mDE7B`(5RvcX<jg~D$6fya*kNc3<Vo62t z8uNcmIW@Xc#_e5sm2Q-QvrT$v<0X%$J($4^%ho6;pye@!dQ(nYsQwdn-&)C73V6w( zm06`%TdRTGKjDMDs6t1DMfDn@UaB(PlRmG|VlsxXL)FMRTb*hAOI~Q9q-pjo2|sie z-i}_5@|V*eP+k;C!`x^Gsw56eTLDhuelM=422c{?S9oIHXQ%M<$dMu_v|FAPeGnur zrs&~>k%Bi%4LNN9%P6%1&)jyz<lwK$>XA6po7s4h5Py@?JD|k8mrYOMRCn**`2~I} zX-{Y=02P`RuCMv=K?FopWhw2XZZj_f=dRo6tIBDfHO@YwUfrc8*r;B~{l|f&y^4K@ zBbP~|^rhNex2F4gu`c5yMt-<M2Nb0n%!&x68ivw5MP}3C_K+|X0Rm2dN?!@<9J+9U znf*Y3?_E0Zrg=kaD@9(<0<okEhVgug%g+>a0%3~WC~6wGWMZ63#(}1Xa0Fml5&P8p zr&yJGvX?awfeFxVZ5{<|V1#BajodX9)WeB3U4vl#K_yCm<i9}^2VFG)HmqhdM8poT zx)`nOml7_dMNmguBBcstwjc)(epI-WMSvb>LLpD{qAGO21hDSl29e`V0n%@kRA^cb zqT1|WOukNTE&(QabziLvxTuH0cI4%Pyf9gO%|LBe<{1CrVI)Tl13_tx)hz<-jpzAg zIK+imf@|BNQc2kH7OcnOvtG~aNUN&R7U=x-NooaUe@W>i^&g%-Ho8OFg0`dYBk@v* zm7e&?MQJn?9_X;{?N`T8VGk?rGcWUt%j4~BwVEY_yw)mWBYN9jVCav5rJt{+Lj#~N ziL#kG1f@!(snDxwf#Ji|VOMzgiX-Ko#iy`5D4nBt72m|N$t58%UY1S>)$%$Ap2nyO zxNYM3xh%J1mq=z8nNBXoQd`cK+bQ4V+H5K|UyDkSJs6Kp(TrOy4xQm-4qNStviwi3 zEMF;c-?1Qo9tsB3HkCuCU69L<{nW-kMSFCusRVL<xE9r#Xwq#Tm7+i}EZ5LGZf!h> z9yD7ITVF(!6?svZTPRyQN~3m-EAV%ywOUBp)h|z9PFEL3O~jnQdae*uN0+x1RIA<j zK3({*A?<?u<ZjVu`Oi%*FL(3SGke=Hbz9E)!eS4gxIr5vye=7U23&EZMB+#zuuX?W zxD{m)7TTI@>}Lp5AxwA#f{KgEF@Y8IV0RWuFUkepn)%-vzba!2SKP_9s1uNMLLFM* zk5wTU-J#W`ZGwhl70pM@s1(mGz~rZwhGW8m;%q!cSCKL_RZR;8=nSy|EWlM8kY_EG z^YGEN3jm*hIJG^<hR3}udbb%h-eGi6w>Zx4PAXy^g>Jp7C404ZeYiNk!kninE6;mH zq}As>6K}QoZ_9dXz#AX|O@wVNjhHwauvS+H=$`08(!Q**kkhVWa}<xp<_bO=U|hCr z)_<FmdXJ_=ER1!XE$ZEP`lk@4L4sN=OaEa7%AY>2NU8h#XFNMtf!JPQ{+@y{YoHL4 zjtIv>F+QQzNF1gLD+<Hc?;#9ZT4<s8da+P^C%T|ricm#0J!-&Y7xk)NEJt5|QaKv1 z1Oc}{_$+GdxWY64Q<k6|h2MO}+Hja~c^7$^JjKws1v<A{f1u+bo&Rk+_c+G@n5Eu* z+M|J;EB`qnyx$SweGdbC+xLD#lDxx{&u=L_{pT3)fyV&JVaQtN6r?%!?n6zMWHBn* zQ>w%-qv*8(ue2_u2esK^{$xJIJh8Kdt73JT(x=igxe`B%WXlSKY_*RlV<J$+>HZ`F zrjSVfq=M%4e+134p!qcGo_zvaiIgn<(9vmh`DslhK3`Fy?2ZQ%`Uj@V%abI2{q#xn z^7ZbE@192gc)Gv;@^8_1ub)1B5k21j@oDtx$Jej+pThUuz5k6UY(Vt*^~=A#kZGrj zvuu)gR7zz9^vz#?+<pBt+I#+b52_!$eh%>A%bSDU*U|S+|GxX(%NNnhy#xGLf?8~A z!42W6!MRMoHYrk>K_KC$669oDj7%N;K~=t^VEo4N;T;)5)Y6(XhqwgsEuktB9#PK# zq+bM)z9sy?p-%r-fiwJ|(xwr75_=mCB{_!K7$rQudQc-6VwDw-Hd=(*huMWbdSZS# z@_#}E(M~-hGB%y^B<`hZDo{Xvz=K}uScE0IV`wMbRO}#pE{OZN4bN*SRF{tpA>4?n z26l5g9~}TQFA|E);;=Cq>PSs0rn#DvG@?;!eLam@8-BJQuBIj-(LQ>#ZtKJR=IW2u z)33a`T!>c!)!bND@XTbUx*O~1L$7KH{mPqy_vlx<#+5KK4A;YNTou1jZTvz2YIJ^D zU&jY2{sCA{I=zO|s(j7}1ZvB^HBiwACERD1n=Z}`x1(0G^dW;J3Bi>qpf=XWFOSxJ zy8QUmCCek*udgbJ^5fGGO}wfliaaV4<f{-p7;oo=>c2}Pg^rkwk(rK>J0Bx&Lbe4B zsJ=s`4eE#`q=w~EYQuK-VFjfKbcj@5-4dxb%A|T2B9+FhOe_uImgnXQ`!3|Wzng)V zZ=)56--jrn<Uku(@o`VdCjOk$Mo6TDO`^rQSSY)7((gfsu}^UD3Oh~thD&-|@Y7Nu zWaWZICXBa&<(uXMunh)Q1*bGjxEGS2RIq`gFfHgM`3@lVYt(K?!-0AJWbs?|@}K#1 z%;u$~ep={yYri!KwdraYwhOijVu@~vCY(TCG_|Cywe3L10u@S2!n3TK4JZ3L7N7GJ zg!x{y?Y8PT2S6F<L8Qx=p>qn+iS{K4Ufar5TfaKb^T`i7<h8$?IUJ)b;%k?Nlc&lA zTqC=tQCbVmsI{d8JISEYo_Fg_FZ7V=R&RANXh<Bs0aveAy%elygmKsB@t_r5SZ9GB zJ4zaWWMs|Ld`3(R`B#Ou2)TtK5RS!ydqq{E$@zJMm@>8kBn;|eh)|#kpwg)^ed;<+ zkRHg8eVsQk9q(iXG2G2zp92EGSthMkBB;6^nu}FOxH-i?DDX0Yx#0)O{<ny<FQP`q zJ3eK-9vz0}Bc0brv!Mca!>EgH$8cu8jLz^L-%D|$6j#CZy@t*hx7?C&Ls5*_jP#MK zR1xOJL1Pq)fj1gRv#H5aYc$RdP0fDqkA`VhF9-$6b))P<Cu}0zVm?f4#gqqAy-wOr z?oDZ+DWUu+6l9<OM?qFrki8NOKOLRXOn;ByBT8SUE8Tpu_#;+g4>+<(XDp{n?-zh% zp(dKjYZ9yy3&V-W<ct`5^(<FulPtcHLVsnDDq0AGE(PdfDEN<msHyO&RHoqzZZ-7b z%86Hwb$oBhP$l<7rfXF?XjVGdP|dJkjjiXO+o)2NOO34tGi$d{tD38rCxPOg7Y<dB z&q9*14OjppG$XMItBL3Jk9>AqGNyi1lMnZ(S<wtCj%hcPz7VA=sO6ze!oyt^OGLU4 zl{`FGB$x&8r;j7zvRS?XTpmkgMLLz~^|1nr+#c;)pnQ9DtGv2b4WJR)?A$;Yx9o=P zLKsX1!tWsqDTHwD`Q?HvKtX?-f5+*fM09_@zVa7$+$P^!^13zQRuaQB;XZ|T{H-y* zy{r5xQvXUpal+EtCkl*XlU1)mnhy<`vr5DqEsZ}@K{X#=hUiif#rMbK^Xx3odNv1} z3TMN&*eq69vzBHAg1T)(C+iyLCdsbJ`=a7Hlbo(&gNo?)oc~4d?tPAa!{FZL)BZ_c z8*GxlF6WN{S>H#<cx<SWDjX>T((U?KN7>*ayDStfp>8yq4+eaWAWP20mX~-DYoQtQ z6^!MX9p?iR$EQDIYf=&BG^%ZiTR>PUSqI}q>YHs98^D%efZL+vnjB()CJN)ZSO*>8 zn{2MWW;SoC0KaWW0s|QHJdY<YN840~0(QKzL0ghqRHLJ>6!Gmh3(w%-<;GolrwJIs zmO02zW-(M{TgpYgR0L35cap&*!L|3D^bEn{Biq30HkE<x(o#QkAGGum=p)|CShl-@ zdr@`Z&==#`?&!AM0_MC<Q!TPLV)V!*yn|c&1Mm&mwiCy<ii2Qc#?<z}0f4f9G=59- zE92zoB9o=p>!r+RiA_)KU$vDCdftDIGrCLW_o{gd!{;JO<2{aEygVRw8is_^e^i@A z7uks1r6$wyBs-<Z&TMPxr)s=iUc+Y;v}Qg+@LG+OM)8`z{eFV8FdWfGwBlaC0o*l| z{Md;C$}8W_hCiB~^<P(R04pW_tg28|F=>9li!N9Ubd|A)u`N&$@?MB22Qu|J4cMf? z3-$p=spC${e8hKz++@`;oJu+2c73g_0<(e=5KH<90vqdS5dY#Yl+1*_Sn-yQ#Y$!O z(Ka!X7dl#l<tu@_vdB(4eUscS3g^7DmFU=Ey5{v&^vof=s8qJ???_s?0L@Mu5|Zvj zL(KmIeBJRuO3)CL9f?#5nF}_#<3KeyDc}W$V#x>JNNBjkU`N9Hz54rL@39>rbmEwq z@E+a>y}wSbe2fDg^W3U5psfT)1OM~Y9iA$MFUkFMU`xAyJ2D86E}|7sLA0<*82x#= z#Pb_J3$CdR=#p~<et5iK$6H~@7}64V6TauQ;aSX&h0$4vvRr3v+tw+ay%TpYORdhn zlrhgcjmxdf2W}!|n4^fxrUN$H6AZPDvLMEP5?9O430TOlT#x@kA7IDB6yF->21`?o za<mLw^(<n_R%ZR7;ZqI0&>J$Z1+t}^x(g96#j*(69rn?E0z^X18zkuxI)a)ja+Rt> zmy9mP^Fa@-f&s=9W5o@PJK)q(MFO-K)a}CsvgaS^WV`SzE7%ie@-znI`lRX~PMxEx z2q(Vu1dQPA!4~;9J2zseGG&okqulL)Hmz5D4l{9tXmM}ZQ_ws3GD0Q)M-r-eP8oY} z4g#zZC5!R5<9?4&z?sCYlw+geyg;;mKTX4Jse8wDt_<o5LVAIa4&g}h7)#(Ttsxz7 z(gs_!Wh}1Iy(np=^+hNP=JZDv(5vP1X0y4vh;HrvmT_rqF(VlhOvzsXz;D2>oo4?1 z7<N?jhkZ<i1gv2H$}F;*6*UJ-j!D9}GjKvOmHD3)6=&{B{LpOCi|-W#{_2Ql+p21$ zeABSHwDV^=sJE;5z|pPvK<CALFd(y*WPJQ{-krH8^W*V&pnN|AIZ(v?dI!Y$5iVAW z1*0pL30MJ%xo$^W%)S`Ueo!WY+Y-gPkukON(ke<*!@<HgEDpc=M7&DdGA7203m%eT zqjE`PI#|Y|%gOdk);11~Q7QV}iGF-TmRcF+Vd>>?Djd<FH+t0Q^-ue==-2)P4kCkj zVcU7AUi~u92B@$V<~vY26qx~8P}ZGoKO!kZ4@j-y#A?um9@eEa0T35>mE8fp0P>JR z?4QqHQ7_ywt&Il{AGwcwAW(7bAti<ItG3o#jrH~Q*5dm85nZMt9QW1NUw!$-qlWto zI#GF7vaCN|UnmsC!$&nwo(y#-)D^6*pZYL@T?%z4`pN!&w)=d46TM<f=~_|1qNIV* zqk4*|E`V#b$a!(|i@LW6tG6({dxutkAhMqJT<~_Z3d_PpT0mhS5wP!~w+graqm{a? zQC)4P{6srsSvT~N47P5&Tk3twp^@TIfw2s$iY)#j?Zjf$#<pkO9Kga4ujWE%2OB-o z)Rd5Jr6V%<1yOSARDiJ{%J~BvrOTgFG+A9Pd2`;M9E?}m-bpkdDIYa{6WZVLA`l}1 zz)q>+T@b&TgET*&{Z)G)xZA6{wJwkXX4&*KpSe~L({p`4C=zRvGJ&^v!p=A_G+?22 z2Xok+odXOlOE|#*<&hU~kgIZQnBo-=zRLdEImpnth1=p@qp3_81UsB7sUyQ%(2a)j z<e*E?dedS`n%Ce-YtH81$~z-EWrMB)u(+J`k>Ol|L^0-c@SN}vv61+8$3yZSsVjM^ ze|k34>Eogk;!-Bs?Kn&hgD7g^D~^N;L0d^jBcmiwvnW$GB0N?SK{ZY$xrU`}G5ZDw zic@bK=O<%zXAm4O6?8&E#<D!oHQ&s1)UQh64o;inDehh+vFYV}hF4XjNP1or=ri-0 z3pb)x^#4Ex+*n^<_p=a1C>LBuZ*si5$Fw=olf39o`yAS4@#i{<p5R6L%SrA9scGP6 ztzkam>(Y-b>){G=4aPhJL~(Ax*XJWT*Q4fV78RGpEFVVQX;z$taMhnLd<uO1kRquS zu-N-uB*r8k43LZzXCG61?T=4k^po0Pe0n{q)dNsl4}GX#ehsgG=#Ma;5SDzy=oM(O zad8GL3nXB2teB0_era^6#<mbpAAVU9GX-~E7?k79(^v4uY6GvOI+xXxYVKhe)IQ8J zt<=D&a5<xc(tIL#CMiMztOR42gS*N>5F4xYMX~T?X6d5e!?TD}fo(Z(1$a^Kumzcb zjpO+tW8tk3caHu<r{KZZ9GbH$V}gD&Z!#C{iFtiImf0y7hYs=TZN2qCM^n|gZN~MD zAB$Gh^L41y`VZM8fijGvJpaHnJI`lYe`~{?pf^h1fq|s3Cpdy(Nh3m!QrmbE7x~-U zRzY&CP{-ibgOv_qT|SD#7HBvCvvV>)7u|Ei@bLsMT{7W`3F|g{^WkKH%~=iBKZTW0 z3;@4ZasYh!Ma_wcV7jm=c|e0^#%47ykwwi2VR(&}d;>$UX;_m)`s;^;vtlpsJzmOR zVvOnWuo8L6Yc%#tVOI3w>xbn|C{$%9zWf?HLEMbg_^a|ViZAhHWlto3Gd)=qc14fA z{JPX5!h3}Ssq(Z?J3gP03==>>B2^*={Ro^+74t}yFfNX#;T*sAf*tq(|G1qRR+n*n zu|j??s!wzn!?yURS18j*V-JFB3Bx2<WC}yTlrXl6K@1mNAr_^9$zMG5tzp><Z4u0} z8S<u2W>p4Mna%>n0XpM-bu4q=7s-9Isyz;qq9g6ubR~Y}n7WxWog!t0X_3={ouwUZ zUZY#EuZ-o54Oe0(_mWn`&Im(LCM8>&sCQf2hO}XgM35qj-F@zGdJ~f7nJ#4m_e%Xm zsJ+AqvJfyT)E|{rCG;xXxzJ!N>zp?2ouJ8+64=B^s9dGmyazwk@h0f49>OYg%d`mt zt4t5Ipz#1X-Ctqcg{h8@oLu{ALntfK!f7OYU0PJFOvBF|3}C8aTk8=+N}@|2p%l;; zF|F6OBTt!KnIb`p$9RfWHoRoy8&GvQ8GkB(-if9e-UpxfiVtZePS)e&`OIFxIIZLI z@pMw}X>lvh4af8Tpoa$-rDx(W61D`-Q6`|^cZe8sP~BczGx$yT@5n96`a@qOseuIL zWE;%MZpa}OFVISP6EBP&kuIH#0#BGH0Jh4Y%NCU0Ow)^O+FMBxr^>>93U#NMwiL)5 zX3F{%t(6;OWFx}$Ntbj&3AUAgpwTA*a&vSLK(*Itehl*im&Hl{9r8VDNolM8h61CP zF$uWi`DlDGN|iql^b5EW>v}jur^5UOCdssq)`HU5e`_mX?f(J}gqzVUJIC8K;HD&~ zGGG=}B~;|i@C3DzgYozrO#r)jFUR$bhHnbCj-T*`T_#9*meT3@jMQ_epPI_LaK0W9 zdgin(PfI5kJ=%J=wxI5HbPWHgc}_=YI8M(=JqM$a<JzF`rkQi#N+gWB3xranA77Gh zHum_K6notWmpNN5!O0IPDFY2Rqv$ye0d#`YemzPD2{Zk2JZHEtZi9ZeKf}<@XxBtz zphCdF3dpAv<bPBex{9tRrtfN1?2Sh-3^O%IbB;KJRNS_sY^=YSQe>hvI|H;Q(=l{u zXlB8iJdgIT<l0x}L^o`8f-|2qc(e}0ye9HY;dq&6#<fJ@XL__sI1M^gR2@bXpwdm5 z&LLj9DwFLDinIQS-_mat_?b#pgtDM_-m9uu7Qxez6{jo0RfNx7PPJgX3Pxp7GT8S^ z1iLs1>}{_!1F<J;t+2tj<0-BmI+N1O7BN`@W*&4ZhE*xX(1Q6$Q6ApM4`0Q|({o7` z^sg-a*QLX_0%d3Gsxby`<)D8nKXdJxuR=pOWqsF#)m+lwyOXzYO>ZB4;&|<$H)TI? zytCYle0!=pFqh`X$1wi5*CC$=;Q}MB5;KRL`r>3hh=%!aJms*Jz>7K1Q0{xnb*89m zpApkDel!{lzpQ?aCQ*vDzZf&kWKhM@`Q{db1>|5hjBS*(C9-5y76Jhv#zusJHU%3S z_}G>DRwB&pMhowr4HiyZ3ykyPo1fh>I!<6)^~1-6;@(i+5iLoV!oAIaBW`=lRWwQ| zM~u0iKkynG*KDt9xoB%UJ*62aU7#zuC>+h<RsqDG8p+#)5Hli|y02Dd7auWTnA?Y- zaZpshBLWRCv<xzF7rAfR^v!LgL=^J|B}?dZ7udlFePvA+LY6wo!~<>rF=6`YKqo_2 z)OdWU&5TlOslc>DgL+I#fF_69?wxXkpU%hgA`19tf1`zUnA^$<5WU8a2OJH7y|XV7 z`rcJ7>-`Kof24?9yU_rR6ZB$lXJCH==PojkxyhDht9z{D*yQW%OO&7qeFtg}@Cu<x zQO+qXlVrp!pCcvk)?<_d6&%xSj{M+gPO96DmNs1K>-%NjTBXy?a%Z)2h|ijI{vzuI zyrG+-Wg!Vf#qGOl^=j72?{AyQdTZkWFpAX;`Os&C+t`j{RAH&<R1wiz5wBvcI{U4T zd}V$58+4~i#y%K1l+8r~Q3eW5^D)gEuoUq)O7RN#?8xoI6PNeGo}f_=?N!UX?R8y@ zH?F=elVAf^I+m93-v02#CO7n)Z+EytoG}Mwue<I!O#zbv{=!{PU5M#XRtEf)@wqC5 zT{L4>ku`$%GQ>>>en2V!2E3XAH0$@Jjk=c)bU7z%w642WvNMcT>`@D|lNCHJxNjuh zz+o8eG#ZY3*<hQGl=$^^AegHj2Vsp!f}=vE(&tmrtZi^US~wzBpuoa*dt?8x+iY$M zk~E}K+Zt=Ca6B5QTtP{gHF{V<Y=0y!>|a?AkDD9nGCs6!FgJ1~FWP(hJzjBPPe)+G z6-F|6<BzIds(y_Hg}gc+b<I0r;SLk0KZMoWqd`XqWfqTh-S9gnqbN&{)7JVrCLh#% z{)8OhGW>H)JI(sKyU}<^@K7y8<->4k`^bDipdLbYDSIzVUnTSD_vHb+IPB{qJLjKZ zdW83w@|kh>a`Rc5dC&U|$t3g)^Dy9GO)qtNDKt{jhL$LkX-RIHpTL$5(zXmW!(j<H zG)=#x*@hNi_lkfyDBwTZB{$2C=jd6c3<ittG@Ec-9Hk*=(B1K1J{)P`kW}!5cOPvq z7;xpP`?vQo9*{BWF}dkL#rYJf9M7kNY!Zjj{>|cj-BDIkBGnXX-3MqiOM3H?9Jrzf zFPmUhv?;uzEjWUtB1Ed0ORLM4;K8JFb##2f*GhJu&&CbDHi_^Q?;Q5k)mjjk?L)|^ zw=4rAti^r9++DyJ5Q`qHjeO7}lH&S}V5v^~m_i;ctLC!_-*Mopa7)_Z`KVrQ$-yWq zsCOEtkj<O#I;}DQd5+UMrxJd#vlf4;iA!9armnleyti|<XoX$`+6g5jveo2Ee*wyO zUXCjJ!dsH|m0$EqVZG_ohB~?F6H@nN)AU5=V!}s?NXkVQZ-9nuPC@LE!XUa=LN|2z z)72r<)zmt^)LIala;vIB0^2Okpx<qm#hs>~!aLlZa*&_!1}(QDa=>Yba$t<lDIdmq zK!->gjZsOj4to*H^X>JrHd<UnVZpRNDzz+tuxgV*)wKn2C7#>cAv+k;!!`m%=b?@q z^uP6IXD?4qfTv@G>wZal>cHO!Wj8|fT1Tk_8tT&Ocqo8nT!NZhWNvSj+Z)tW$EWCy zb0+d(QAODQOy$y83EG-M_0P7W7P8hvbl<#nDL|Am@9fEFVK|(X$YUD}^=g^h*X^1B zvQR4vkAPK&Jx88hfS*33>Ebfvq!CY67J+G@<KbOPrkZ=v&9>6(23)BFVq-C$Pf70) zXCN)7Q8(=gaq6O4n!M<Bup^j<>;ff85yXO1gkJPYTfeU32nmdVD;eH_p3Kl=Kp(26 z!b3<MWqb3f)?!nH7I^bBDq~qPcQljPWt0Itwuou4yM<O`!Epi;{a~FTT_P!)DMdw= zFiPFt2z1+unJI~x)dbk6Ab=_8i5;0q4|r_8b<MY)R87h=W7m0`;Py!8oBb>2ta=kv zD}LBP&k5L|Rfg4<AX?L8!&VJ0Un1vm;~*FW|2EA?O2CC6JyMF4VquPo`BY^uqHL`g zO$60*IG&^K;{BaFJIrTi<K7<BDcyM^Aktm}Zvlb~I~n?FC89>40$osx%W-ZJ-{>Zb zbdb)f?!g&EiKm#1LlUoqAqBLh29fejxlu={^h4%($oLN%h;{m2><LuMXQlhRVCVn) zzpw({SLO16by6DQCwX_w20%E-z5IB7dTMU1^l&$oEU#vTK21ALN_5+TNThuA(ldbR z)Wb)&y{mX<2agsxF_q_6Je&;_2XEM!{`r-Ph1=l;+rg(dDU_w=I<P9p_>CSZO<adH zY&Z3|d9w(|?il&<3{N%e9Ti4#Yb(BSB4{)3SAL_sVMb)@bg9f<O=yf#lQgmmLstZt zzkT^X{t!xKF3t!{!q(}{(SQtu&`y`EZ<rhvs?!>uv4J0=U0H%tN<UKd>h3Oa(Zk7a zPoo!Q#X}g60ADV=0NsQ0-p@r;40`w<{OJMXf<Hf>#MO*?XU9ySivH6?g7Zrybl}+Q zX_T~85jyM)dg>qk7s{%Cp*WoOu5RQhdTUD?0fteCfFv_Op?C80`Jj**pSFJHYZ*^G zPIn?!{;$csNwzyZb;cBz*)!Iao*0V&!55G}QKks2*ls+K8h<5^Dxf<Le7hJ6T2)^^ z3Y#DB&7UqWTE8sdl+nwl(<X)~gY7LA<964K(Oo3|U0@n_r}e`Tr6|zAQZf!2q(z-L z?c%7OY;bU5=p@8MFZlwhG2oehbyLRIj`3X>&)nV^-YrU~!rQtZ)RLC|LW;O8(2NO? z0iK7FF_4i&nHay?(J9XhMT=dnK_e?bQF&r)PgEnnA|tp1|Bp@w<Kt`)o#g|N2nu?L zGt*VaoA4&^a63-pROM33JtGD)>Axp%!ka#`5cy7JeBwB;Hx%bq@~XBQAOREPv<ia) zf@E?w(s{~Cyr>7J?2B}({5BuCq100>&tSFRJ}bPXg#p?*Py4+d>^iVtAQ{=fKzAQS zfePaS1pNHOmc7BP6!<F}R8vLIDnj2om7*Ca+X{NmfVC`XqU4KyYbXD2_-68=U*yXh zVzBng3&nUU6>dYzq>HyecM{3H&`ao$W$E#8+C?W`b%T?!9L|DxSBmHXplA6zx(w4Z zw1zpw<q&zz?e1<qe!RK2xB2AB=F_LPQTKU?llKO6ovD>Bq_SO$qqcU(qsH-xexORI zFlLHBE4<25ytcq#g_m<S;(oz1)`dm1Q6n-5<D|HVcXC#6g8<EGOM$L01kOC6JDy`~ z``zg@yVNWJ))pE`xpv!&*nk2OVghQ>9N_w6ex#}ubSx*6A$`8Y;8D)4sR|%KeK3E3 z@Lc4AOiYMnsQ9G1!Ym&QpgBrCL2{p}su>f@iw3pQEwRqLfUq;9jP6wE8d)MhgwWSv z-ipGu1P4(>W)7mWP>>5qaYn%$DI(hBQXl61z;2W2xHs=28AqnytaMtic%9L%Uc0r8 zC_9e2y(mAa*$dc=7jCZ{wM%&)kUd5k9Fey=`Vz;qgDS@usq!+FfNHJv8ocVEY{qIF z=;wy^u3%dtJ0`X!gW4ODZq8h@*VbFLlJGmohR3}ug3TLc+!-pmq75l5R#M0=3%5Cs za;^1cq;nP%^+fqsdlr~xbv{FlyzE5jT#P=vGe?(c;i8kth_+F_nc5xok~U7JqkE%z z9gjxp`U{-}0*QEaq$kv3GXVl&mh>BG#ZXClP5FA5!&zABn`0WIpJ{d$Q&0CX?1Nh% z>p3(FQj%RIpODt<V0y{hiX&4c2AwrQQ_D?j35e$PsAeKc>0nYdU{f{2WjiMWWObut zUk@A0z?!(Ey~NqQU+KWoPeb<=07iRBm^S)y6vK*Fow~X2_Ey>QBF4lKUrqD3{qekT zQn)VP4@M<s)h}pWPxCH1PHFGDlj&I5vrtqbX04hP_tBVPq7V=OQw@=LCHkusmWEkW zL;HtpR#ST4a{VSb0_yuP$1RHt4#I{wMGk@>9{z)Lp_-yJ6;hL!p`z_Kntn4JwSV=s z-7P9ITAQu-hJ{tsanX~F_y*8@oOd&J1nU<j)>NiX+^U1hODPpLr`FC?b7S2M5|_WP z$2V52r3RFhc`q+8&~Qqc;k_%T+q7?~YEQ;G#Ss=Hu@VIF^C|97dgmg`#-6WYgn_DJ zdXr1i`yY&7(_rS)GRwm_q!o8}baNNF6T=pP9nMO(K9%0cYDq=2QZ@nonPCwWANA^+ zsVEiBMZSjt@?br8W-|^BG-EYAf?2kF2?jZLX|m-(j#nb%LVh<9Obw@1iL3d%ViM#P zI63~qD7FJc`5m~#@ui&~#^9JBI*HAe@`!IN^`#t*BAIp0r9Pw_&JR_(sKL#MhZJM3 zkMLrWc=bEx82H?BqL0i{@{LGmy%ur=uOfJ{aZAQS6g$vyFc&X-S{$%|$cY}#8AZ+& z%TN_{b%B)_3h+Cp&S%>axe))WNN~MwuPy{Dkh~<=ix4-7{tyhQlNa4=lD~$d$Gg|r z=u|nn8jb9oe*uP6gb7IT--^xXr-qQnD6qveK7@y{yu!iDr6x2sK<oN$+Bq%;S#h?e z9k|{1@!=>=r}($x^^9K6Vz)2Kxy{IrAZ@=qNl-&XR4?)YEI}RaV_tAiT}Orh+x=zU z@17gBiaMyAj_bk&K2qCK!RvUKo#%Lr<zyf|wTuU2AZamcDC1A~Dh)TMbk0Mi!02Rv zwm;CRQ&^9PvKxH^*e6T@hRI$KI^iLjS<`fThE3eCyZSLSM9zxi=`iCvORgIVgo>ns ze=;570~%(>45_lzU8N17J01-3u8s<!s_8NYt|opsENUY{Pg#oAX{w^KK-V&0^q9F| zNP&n@GCI~{km6zg*Nl%U#I{fK5m_(+zEoc>a=sXLG=zSgJxNtnAxiqB(bTg_X)&e8 zIqSHvXJl3YrK#~7<|qYk<cgux7pfnI6O61ze)2S><1P5QgE5nKwt<03HuN?#=gE-8 z{BdPuNo6#T^{-V)7lmxvFUBKn6HCR{1a52eNGRIrKFq7=1`doL1EAJM6z%SAZ#;+| zZ*A}H!uOrl#)7-CcDwc%)dJgO%)Y^9io3h!(Z&OQM1{8K5xf<pc63EwtAL}WhEs~n zMUK()(F{0Jhw&^u-i)#)*%u}xHy@iHj-*nMw~AZO6m3!jngVy~!~k;uOoY#-_9os_ z7%Gkv)&*3dOsKAcqC{;eN(L3ht1pMg<ADr!?H<XA9fzaL*{WEmSxkT%7=dIE024jO zra`C)Lm7|*&&=G@dUOJL2X8`(CVolc=PHhVHa(q_9Y02Q!SzN)n(RTR`QkL{tCr(b zu6X{uxg5>1cYkB>Xb}#A*dTwK54Jbzh9qQ@!Kjus)i1`JWz+D5K6GbYYj81)S3laK zgPQ_TZ^*M-cTO=e_*J_v4sN(5{G76*mSfy$3a_;`j{*jsiJn%8iU|U3)JxGo@PoF3 z7TV8it$?*)AfguyaKckE0pQvn?Y-Mj@0%Q8Ch4cXf167!F9b;irh%hnUq$M2M%L_j zC=lp<OH>45imfqtBFBxLIE~_K<%|}!9cfGnVwXcc^uiYkAIAMViku*{p-2I8o@{U9 zFYWcFpN43xrXpdGL~;9WafH{lx@wiU7{*dwrqp1Esd??Mq+0MW($t#fO~&QJ8~3l$ zJtRDiVQ<{cHqY|O2?c8<)<F@=@QsxrLM#J6i`j;rV0VC57by0jc}vQsig@I+@ExJp zK2A!^yOLf@sHHB(K}<#Y8cnm+RmB1^I?oEsuto8t;M6>o618=w^8DA8Nh&g54zR?| z^7goa1<?E(!SX#$6djQGO#!^dC)|jJg%UDa*5BNuB~QiFxGIurAH-*=y;655m?|6k zLo#@iZ^5v6eI?hWYbDMAphRYD8q)~iT`?LN&PN!di-c2#3{oo|4e(!MXlSp%(o#$= zidK&i$uOE2Fc54Xof{N7Z*7K)5LWC7qs;ScKyM}vk;a$<maB<tcXoJKbZhqKcFOu# z?p0JzJIv9)-aBoM{}H?4#kH}?=*X#r4viEV9%Gf^nTw8w!Zg`9X{i-%`;ZEpKfpsP z>{V4!n_knUpgMWk#GA^y3utqW<}u?62+RGk{(s;uwX*w^?-O+kk19XIq1u9o`i{*7 zaoC8q4w&j{?}+M=RozVcrx;o20NQvqo~qP_+A*IsUe$Yz@MPD3QcQV(?5qE)&Y;2? z?NYip<8M0~>t4XJQ#KRIm|wYjaU9I=4}RF^c+t@;JGEg9r`ZKPpvE{J1u0D|T=c?- z3XJrCiUy^jC)I7(P%AnHi9iRq)IBrCOnRe2B@u53(n!pxiPRBBMc2?fih-tjsCE=H zU--*&FOS{cl^&8Cdu$@3hC=xqYb{U8+HGrRY>gYTNb9*h7rPsYB!`H%zIDov;{r8j z8hITi2DeSz%r#_bHCEYiW6eTyV>%v|;_d)F-i%S64(auEpUI|e|H_-dwl9Tq7eIrp zE^N$fvwci4geHduLan1DHwPmn+9FC=?jqwuD}u+_0~n6AeWnDfY(o}$^Gwk)Hr98W zsI82)j&~xE0DI9^e+P-Qb-%w8ZQX~bBiuj+OgR}Fj2zY}mP-;J$7$Rz1#!cK0dSb? z4#ov(rciZ?>**jnEfT2foeNN+!K0eT9T*DA0-WW8!Qn2dzIjk+b3j<GJ_<TrM+=L} zZK7650@rg!ye-+T4949bNF0QIsN2X2n~#EG0?#%h8%#SN^<;hX-MOTZh5TSL!gEAk zq?z(b+|k7C5KD`VIoz59SQdomvDItnDJlpDw7|Gx2P_fV?qTPO_N?i(xhbCj@S~vi z2Db?TxZ-xGy@|eiZER&So+LG|sak!r^a5I})%Ct@sN@flXu9qf6#+N(Et+`b?2V?9 z-udREQ|nm28CC9a^HFbX4c%&m$wo@mmGXXf)N^k!VaplWkpkHdg+Vk}<cwLP1{pM! zZwLujFQgnx!&UZ5GhRvDDRODad#l}Ylgmm@K{=G^FEei57=ee;$nl;)nJekaK{?F? z1EvMcDYIU$aHEO2oY&ro0OS!*7G5YE0-Mb!0}1DjbC^YiTRW$_?d5f$oULj6bkA}X z*VzlSr`h*oj#iB#OJ80T5j!@!&feA5!S3Uo8=JLB?=IP;**TC~c$={a6-AAs-|Ink z414qK{C)H*+!FZqygzbg1-snH%YnhqMen4w@nCRX^nU)Czn%a5b8BN`qqL1MM<>7w zg#2}s*byp7uaBf)-fn+|uec$2+4A1D_%*Z+FE<{PZVsp;<CQo%@pJduQbk2!7|?Gs z-wf|fVww!}Ta{BBzZ|$s0U(~Nv_^M0SmUTq0mi$^1hZhL$8n)^*gCl*hz}?NINf6V zL3)i$A3a#!(Bg>bDnR{`Wla%X{wXYn$drd)e(9&Yq445;qn6$q`%9J=g=`&eLD%tG zFhydbkJ4lIUa>b2&D%)bPp5d5-9BpEYyM^Jr*D(`zoJ;@KHi8Hk23PVb_-dcZs2=X z<U$*)zy#2T>)*ED{r#xD-uOCeoa{E99j(QS!Olnh?%6ca)}YM+2RfM64%gq+>S^l> za&6O1zU<D*O+ss5-nN}~Yx5}miea-ft>6GiK)1g-)Vq%SzS<`mmFtM~#4pCP=OaY> zsHQ2}Lg2`qNSkcJ1<Ce=wkK}Tau9E^`ZRwG%<Vka#<1F6EN;h6LhJY^?*D7+nV-a? z{1o^R738Lc5+)LuUCUOrn}7oeGttE&J1RLZPqDH!r<hhNNtI$$oz$ovuU6Fa0^`Iv zYJF_@(E4~hosKUGeFuk{WIn}AapWgat$kE;AS%r$ZJMs=Pk6>SDUV`|b<^01;&n=2 z{l%AGeH{miW{qEM(d@Vjpij^GKc5eVqw(aIX)&9>y?A%|Yem(+bg=T`s(<O|#ISxE z5;`4WzJn17`()Y%eJzYlm6an@jeeoeZW-n(V7NA!A)d5QkET-+gd@5dU2EaAjDWFq z+E$NqD@GV7rXl-kr0i;X0t=FMGGkzdCx2o|QKFM(>|Gr;Zcw2BUyg3-A#i8;yK0bo zSGB`;wVNn``tLSca74d2>*LPMwj{OBYC>43%Zxi%WBuKoJ2xg}Eh?<Z+m>xk09iC9 zQx<Ep{&9cMpIsUl4vyn4rL<p!<+{Rh{oyh!1-W^WlZxh2ThL_3<F^#Gl2tC``kX~Q zA}hwqZTwn;2J%_ADam=MJe5rH69bBC<^A#evPM@52x7PKPgpvgzj&a`a_{JgXU{^D z&1j-;4#ge!#0!%`Nw%~rv*OU*y0E*VHH9141f}nkzriN7*3!yP_kK`^jy6|%3NySa zQWm!O4Pm>i)r~t*Zz97pMr@T=Xr?*G1{Py9?9TSagJe{7E?_5m<-o7*a~%JDRt8P; zU*`R(aPOm3rOHo8x$dgac+M$-lwDrS6qG-o_D?PmGg$hRqGyCrkqXbG8bBuW4olV1 zqR_uL3`ajOFk{D)igN~=Abxjyc<VZHWk!RUrlhisL-`yNa$@3*6^M!Mo}{`eky7Q3 zH31TpU6#3IdrDMAl^erWu~f*Mjp7X|6V?4II3|w@ykg+lvgMvCytg|yN&RM#V#<&D zS#|z|QBvMY7z)<9%@B;tT2j5ZzZ<>SEek`Eo-jIR%~9su4=Ho0QRW92wco7pKruXB z$IAyB58)*7Fv9lXU*mZR&+&)>f1pA7<{vh6awq3V(N<%AWak4q?f(^1+<Jzy{&aAH zIdE84sEVrx6XY__!wbxU#R+u=bu$Am8nHXbWQ`iyhspkFHW#;l#MMw_vR;>xwHM<H zy`}$+^yZX*X+Djf^b0)x!ZfQH`mR{qbJjz-OH!1wE2H4OkVcC;5ezWF;On2D-z$`k zE2f${05n==c9}%T7=|{D?qwoy!y=bgXRaNiww|MXXA}~5rc#NaUdp(#lcRy$2Fa?c z`JDIltk=`WS8fzBp-IK+_|)F1pRj?u%@D>nKc-={9<|W)ZAQTXpRC4TWuVRqHuVPy ztK+5Y);`#k*`uL+8sSOJ2s51jnl)=S=#-j9l))OwVqI1_ASW8p0UUqvMat?@dHH4( zYS!eeLU*~Vg*@2Fx~2N(#z%3wxk5k7;F{C<=pZj<MN-OmzrG%|TG7Tvlx5MgXVH2V zt@ol<<`#ll!RvOqp$r7CU6{$6DoHGDPYt~K0*r^3(K*nq2P>cN6wk&^_7;oq0v*{x z3}^k>AP-|0h*e_@0T$pqvh3i(VFx|K4q$cma*T>GB_E$+J{&?Z3Km3O+9V2Jj;H5U zLsQnlEgf6b(Y3xzBisO6U&4=#M~~neK79Z`zHs>RGP<{GKl}qPs{i--i|?Mi`~kl{ zd-<9yg7MGyFJHfT>bhlr8mhF3RX;E2%&3^}%aiD(!+fJ35bk#x?i+^t_>#5OZvZY- z`3Jx)2V<a2$L0GE?TU;X4yV&dGitt=g9ju98v?jT1FS`nRbZZ;<}=F1#N587Bd!1u z-J$nCrFts7POWaDwk$t1NJI(+Oi!@P2?e7I>JBLaOfq~hpP)&maTGGk%lfvf0HSqc zi~ZmK1vE~c<d~fiPmA@S$i!)3m~)#fFl;G-EjA+y0O@^_y&coE+P^ZlHyxJ4n-a&H zSRIqb7o(Lir)-iRhB+ssye;M~mN#Z@D$gRk*40<Ku*sy+yWv2{3(s}3lQSbS80{8a z5$nqy)U(jVeRk^JYw=#5(F@8JCXD)J_*HH`Y<&*U)HLH_LfEI@@Zx{-OWX`hH;nrS z9@(%@!JA4Sa8piFc!a@<R6G^2Bc${XZn0}|r?Dw+SQ9}#0pkDEg;DQ#@K-4{s+$7e zIn9x0#nyuKhOv?+Y4H{*Ga36NhJWezVR`kFsgJPqQF>I_NvXr#)^IKU7)(3}+Ujoa z$Eo)IY14)FQCS14E-03&=(o3P_sQPQBDE8Thmp23H2E*~q1@};V^oKrm4wosbgd%B z7A5_FPSj^X2ZrsJTaOtWJ!!rK5&P{%)W_201<OWr$!z!|%?Hx*G9h(@qRu{$^1h%Y z>il<NBkEbwt8XR5_@-|yHn!}<E3B{MW}L<mAWkA6P6>93sf!D(t-Hkz>WEa`GPe3_ znJS~+2R3~_*tYKMjG9;PT(m;()P}8Ur>3k`7rNF#3zS^9-9l*XBJA>B(qtQYoyGtj z)7dZYlM@Z^^ibJuoT*IUKzcATDWF7NgabWO8Wg<M8L98f?Xr|nb!}_b+rj0C`Lf56 zGT`0<33!^HY{zG_*<|zneX~n9FZ$<wZXY<yFy1k5w(e&;5xxb<;56U54`9VX;f_Ob zV?r1TuT&Uw{0d^L@J}0!*&O<0+sM*P*+)2|8}CY1Ip~khwc&SW?YyXFo$id!J4hN@ zi1ajcI7AGwDA^uph_2NEnK66H+dFbNmEL%3cZcRjGU%V@QH*4dF$C4cC_>|oI%ym@ zUkv96prqM_Yku!G!!`_vSJU(dgyshNE7DVJr1E5C$E2|nEgAo?md6Tdkrr=64r#so z{{HD!-``hVd=!RR4Fs2`MR;F`uKp5|R`B~*a;8<-EC;BeJ@uIwxQ0!X$%GD8>Aib6 zQ*g&zL>S5_3td#HbN#yvETfb55Th`r#f45S&LEA3U5v|(x)AjGc+*6qW_a#keZ%hU zfX2xs`Ftz0s#$g_TFCUZN>5ncs}RAcm7+xICp1%Z01XaAj5iB}wYsomm}rOeWJjU7 z_2l{g?O1(32E8sLsjw(=%+^BsK!XMw0vqR_q8Ytm=OGglQ|(75(Mccu_2p9bD+7x5 zy7rtUeX9qwDnF3V`=_Jrc#3B8ab0?SYajGn<-6xZGispj-McZ#=u^Ha!9-C`XUv6a z7QMQhoylm(bdEr?-d@DcAR3>0_pV|(Si^?B2PeVtFrT6`A)yJ+7|)v<i=zoSh)p)w z(2Ur!>17fn@u+BRGF$*=0M}D`wXw<IQ%weaguv)8{s5^FG`k>LD4+D-3F~H#!IJAh zFsO`dMmCBogH{73Z0FFmb5wBNE`92D*?_YNJU?M~IURiAgeD>N@g_<L%Q0U-WBh)B za9u}q+Na4$&T}_*-X4tAg`9P!vLwjg0kKs;RSjCWxMg}R*~qls3TW=W_($jecK3gL zdZV1gmWM1nn+?(7sHFDW>h<65xR2hzu##L+E*Z@(C;4`KI_>x3omTWPT8~=M`quq2 z5T|rDIfLTqgJ=W(Yo)EK3Ol4SJHu^pOqGKL1JCS;;>YPE6i(s4phyAF<GOpXLt6<O zBvKDx*EwT1yNoar<4Dtk*9ud_X|#in$Yttn`P}C26@sWzrHc==jAH;AQ3tWRj#SU; z+QP_{Z3x0yp7q$b+W>S$9Gn_q`$<t>Ug*2jz9V+_Oy{np^*y>=M#E506XCC@NePfT zRB?53RxB7NtPs-9lGikHD-z>dOJNOiRRY`ElD=hO&MY-KS;a&1$gVL@+(7GYkVphf z90XJ!;$xE<)zfg8GD?bRV!psa`xWT7?c_Xt%SvSULXpJq%~4q!T?*2FqBaLSJf@jB z<!caS&vji`Yfxsliqb^+C3J>mwg=Ix83TrC;N=KW7PZf|ql&r3=4FIWTSGd+@}}~w z(6p#w#CYP0%xpM-ytZ<~UvS=DtatZ6iJ^H3;nbq*MTSDPc~#f9l`m%Eh{NntPTT2- z8Z-OncCA*Dh~J=v3B~Wl&9hLZReFoH^4|@MN@fi4s+JfHXLxDQg^Zee{gab^7o8xE zRa`f-yOX(?BS7JFVj1f<*hmSB)pt@;{B~RE=Y!cd@Z<B-**AJyB}l)`zAB0?-3@uF zlsCaY-FCR@e#IUB&o<@q0Ggf1fKZKow@}9oG<P#ch5m{7K?acOu;VZ*?=*hz%0k|Z z3`e>VnLGdczs8f@q8Ovie@BO<roB!*Z|*;RcHnS2{o?iW@4i0>@WB2E4mB^7Jy1gC z8BfV?c|6&tB*FtY=Wkm_|D*=zimCgoUaMC|(Qpj+wDC7^L|_xcA*N*UGD*-)^?U-4 zjaHTppX@QufyOzCXE*PWZ^&66O28DkY@&W$mu6GuXifn-^jTL$A}4R~1|FN}9EfRO z$K5_f#cQf$^Tx1H=0%2~$?yoL)H-8>oD&A0Zp?Kgww{WWE`s#}=HpXz=_XMU8NNC1 zqXEo_;uO-grb=It+jeZXizq2_lk5|)gA-)ki9HX4nr~`1Tam{jpICUDCt7<{AwUsz z5B8s8u9aBINRkIYOqnJn9`&trIBMrBj^)WQ{glDPFz=paqkb_Yr{6JJ5s*b@1Uu^# zt&=a&bU_hq)ewMs*1}ienKsSIsdzNgZqvgt$|G6P@0zsNS^+$Q)3qL0fWng>UEy># z4W(&7w?nLxWA5z0utXI5#!JH|a8lF$8wNm7ahn%u5p<<wJmG~nnhy{1=@1&H*}4yN zmzK0jbj<v^p0bCY<#gBy9mAcX0EF@j2>mzp<QvIaaY~q}Z*!Jd<FDgf-^H_mTBcoB z95BcXRTmJK2dO|TQzXFtUyR-BafO=%g=H*5P!{oebRUp?Yas|Ao25bKSc2FXJ?0jW z{CXf06j^19(8X2?8v!zl2Xz749ShxpN@;)!nX{a(S|oL$l%pD>5Ef$<Q${eMRHR)u z!`5&-?)hWg;`Xi_Mt`H?0?BRRrYX=DQ^!n@vOZViq_n!SX_sf~%rp)$#XL*AfppuV zDKN}wa1`Gj5BoE;0r^I|hsqkx?6QFy^jw;nRjchJi_}CsN3}4VQ8-kdLrdU7?7QJf zLibKa^_wX1S)5x+xU%4e=`teYKuS)(xc5j#FQS4v+pGXNT?~?Uv86EU472jsa7RVh zF`Eif5V&!}nww5x769`F2C5@|Xl3-YPiY~&)almBv}ApQ;h^%KwnMd50F*L3DOG{3 z5STffzNSK$6`BCVPRpULT%+;0*5JKpW^MOpQfr_`EpjTcsOny&gw645_oDkK6m8hz zxZJ8ruSJa&N*@IUciY1SR+5j_9^CuFYa5=`{fCW>Mx)hop8+snymJiHJe+XU;Yvx` zYp30Qlt#5RsNV(_U%LlizBoE^EEP*=v~8saN4Aoz<6{X`XmB>LJbvMyt=3V=!<iFr zcrn7!v{?CB8mZwLV~I}4RTJy1@p@AgIIlP|wI?Jli|~^yCCKxL+OsKDVCrqx6ZGIn zG@!L8!OSXYz24q@C>*zOXHs@maJZnKc(%}6<_XP#%V-O>J3d(4ElS12`qSmNw<ABB zAiT31F(rVat!ShK5Aq4xs8k1$_JtDFB{A>tw5M*{?Okhs0({xq>tj!u#Q<6w(gs<g zxE(`w?kCeR79N_0b%zk%j=jC@EWm&oPZKVbU_u5Wd8TrbKE6!M>{^R76^&o6cqd$R z6|qWb3MsOvK_N5_&iJ9K(aY5HKIo#azIwJQ=C($;6Wo!?eC129T3ZzrTW%o{{RMCv z!n9;R*UZFp$rUj8lAm%HR)k&dRyfjVX<-^sOs_>g4ks<xfcPvNB^z}P@P)>#`1?U! zE=QtZ^~#}r@s>;H4jOISTloFgIz=H$XBeP{t~!JB-E%e7CnRlE7YYcAA2n0At@)i= zoGZ@<F5gr!g*5XK^U^E^!<hak>p6hzlJ#u6@Nw7kZIG$P;p47p(~ews63Y)*(+gq$ zu4}rSX=q6^>Rg*wo>}`dN1xkAT~?VdNH_5;g;OC41}TXJ!D!BvfvoOLveoEU3Bdti z1_krPByJ^Fq5xSj#Fd3qsbN_e6oKjjjsjREVbi33Wwl7&`K9a{0YVSD+R#Z!-9R}t zFf_2%(e$R{$wa45I+<hqOK5tKqp^v0*l^A7g|V=T!BUHpZ#UaN#fPKA>EYqgHT;U> zI{tHbNN?U9UB8ndVe0kzy;^;(7S~EqY@FB=z408+jbuzpf?#pF1eLf(4b}uIwc0XN z;`&-#ix;D!VqI8Ne)&`+xvpd?AGMDT{;X0`eZ=b)pYRx)Vcg40-R<lrwK<uW2dw=? zYpTANPbD@t4Xk3Nz*!voa63+7WiJii>y(z7+{!2&Z5r9|bK9YoZxMEZn<hTvMm`Cc zc``7OEI9!*sQ{oDX%AJUU#TxtOREr%4bzMb7{b1P0xzkufd+5t-?&!~LH(_1NyVaU z7+cj<TdLo>CFS{7(ngWl1&MOX%GDvdXcGrl=(g-A2Vmkmx<3z?<H{kj(B(|A+Ai|E zme7@mg;x&!o{9jYl7Lh9v<YQex*ZTe*aJG75JyEbP#g7DBp=cskMr3@o{t3H4A9Bi zZ363hX7xWRTf@C8ORpOz>xa7Gk$PD&>_dgB3aDpp)QFaNBj?W+9Y}-o5+j9RM$FiN z7ZFu;6`&vhq~wTg6;o|R>u?U8gNc&1`!vOHwaOZH2m{(@b)@YQbFpkhJKoEwH64~Y zq(rnM9bgj1d*7WKY}`nPic+RK)_yakdrC7$p@31<9H}X6uMhMvEKH`30nycky9(n$ z#~)0m0py;}IG{cfGCCQIVGx)>J4On5chHf5G>f*+M7S_cjSM@Eys0M@s_V12Rzs&) z>$nF$W!w>+f2pL6_46$O6-@jy57RYnSAgArwfj1K4S&cmW0GhsbsEJ<-8Fc`O{If( z`WU*z?jf}+^oPEwIr~K7OtkB$`(}1I$oF`z)m^Y1qt@PzJcN@N|Hk!7S7FtmBqqPj zz$r-=!+y#^F>HbI`~k^8Qg0vCF}d++L7pH)lxl#68rq1W9_o?`-I}=l52=)k@qF6N zJG65LOosXt8@n^^^-zZ%y{ku80pxTF<#%^CU^j8!-;|4&n*j26X5-Eo$Ud|J&hT%z zE%YU&*O*7FwqA=q|D20sYO&hawQwzoB?W?@1{$0_9F~ZWHDS&g)@9&Y>uWy5U4$3{ zSV<a(@W@zjBvC>UW9r6zw&NByh>7ne<lF|k<6W{htrvB+uZ->{<Wf&YE6OvyO3BY- zAK~EZ+U<4?e&OPK=VS`7W9S!0%3ygSQ80&@l9aZU+uu|=B8QHqC1F6t^g&5R?^<Y? zFIFeTyyBfWkk$Oe)hkheZ{cxGZHW?$Wra_+0?4X#gv4oz2?jn?@x8aVL)tOK#7acV zH9@*hz{B)zVAUx95}?)=D>C#)1iED8*BIS3_xAJ2(`UOs?jLmi_WkpNr=7j;cVE9r zbwtccc4$9~LohcvK4?7zX@UAlkb)yZ^Fd+l{k!z3I#SVzPdD~UVqWOazjWwPJ#W|S zBNLzg*7N93HFE-l{C6bEsye_DqqQ-nwEj`EUKXV_Dc!Rcc|3~Dx8-};Rp!1{rYWVX zv23sdBlEQgaMx7z+92on%Ih(#ii2^RHvMK6v;#$L#xiwQrn_8Axf<-xdNWeBU2}J( zKx8{k6iD;l<H5Llo*d)fH#0c4;aKr4372?-3EK3Jg*j<LiWL8B%V0Q`9JN`buID6W z^I*SFdq$;_=(;&m@zRV{yAnr9%3W;nSL&dvJ+K&aRAI{Vt4h-u*W0eqQGAjcOD7X) zlZndBS(SyQq&5*$POcbJ2@Q$ZYj&88veVol66MEp+fK|u*I<Yd9G}YpE#+S!U9M8* zDVstUsyf0KXXMnaU0Vg_b+0=})bV(bQ^YpX_V+o}GnujRkm)6F>5^ZLIbgBdI;m3T zQ#43oi^y*%LNU;U-Lom+E`c1MutgNvX4)y?k;qS+tf$5<J0wf=l&%Bg3!sXdGezuO zxf5n#xK4^)=beRciR~u8x?<k0V?9HOf!EjNqwnC+?uJvv{q?~9dh9m#_;He@$7$DX z@$qA)NiMjX_|oU`an>q5*(f~`t?${dPh3P`$q$ov>1FADhH{ylo)$h;)W^Dp;)jSS zkKb|)ZAWdH3$>UHy$!<CU$6<78+gbnFr-@n9B!V#$sRZMxQF2m)+7XT2Z<V9aY&Ec zQ@X8Dr=0`!!1V8C?6sxU6fQHy{-mL$XD~c5iW7_Snt<q#V5*aBcsr;DM-J&4p3_^e zn{F=|Y+ZG*UTSY^D@qLbYe~jy5!zPNgYkzgc*t^92%BxhMm6h=J~n1(b1gwREjx4> zj(hWg(G*$v4FNg@$&~b9nj;NGB_~oT@_>4vN^`=e>q@IQIPStkt2yR;7`jjXZr2h# z4*!aO>a`=c?50<?UE6I@qCO{w`1(4Wqv_#y=Hc!JKcg@7?*n+?fJYGGX9(BFkAui& zlphfPbXP<hc$LDN8bQdrWUrTK08|SLAirXikx!X#gudT{J*T1ClcgO(1{UnnJN$FG zT5n7zkmK22{95V?vOR_Nk)H?&IcE1P@1DQP^C|D|<p_wVIY8AG<v*@(Dp5};`R3ET zF)nb5;GIf#hbj(!``NbSH|<92sH~q*MR%5z#E<X*eFh6-;JJbJLEt&f23qa!>q8g0 zxuQSz1gH@K2GdKc_%)<@Ge54P)Jl|C);;mInN2{}?j^eFD#xYjUKR7>sy_WV>VJ~K zhlUfmuhO}VYi#*sa9(<|Wuuf!eMx6W(Oh-OF#-{!#dKwc5HI!}2JIx&v1x%gHFtbC z!*E_Yxv)uy`uxR{r!UZ<Em3)XU@xgiWaQ2xab;a&Ao{xF)zhc1BQJAM365R50*;38 zqef~G1U>qq{*NzQO#1pfCsUjZm4S&)^P;!$7yBjs!<~Og!>96DsZ>Exb1f2j52lBf zk%B;6BuI8(5`@pvx9P$MBBBr|7uGi;Dp?X<(dg;to~;>KJ4WtVkOL#L?D^GkA4MFM z9cCK057*yy*BkJ+_XYm>3csG<*AxDFa)iqSvucN`W-Tmqe1cWK#NuBbF%QW`moHV6 zIrzF~L*+T1%~jDjH-%+L4dY(SveO#nMnb3Bryx?zE`P`-5ob_Ne(g_^_!Q1iu)K$p zXmng~-1sP)jEh)@)k|wTTc1bqVT~a1ArmoSa3+OQ?epZ@S6ewf+^GT0Yu73vh}(Gc zJio*x9<9aoZ=@xQI=)iYS_Xq85jiAmqlt`TB_qgAg>RFp6_w!jb>ts7!S<(-N*E#T zw@Wd%+zy=Pvjp8A@pql`nDuA10+S?>&Fg7Sp>~Q~Uw}vK5<8z_!&AHhZczC58XVi- z=F>}sB4s@%hdd~j4+b>mSa29+Z?paYoo`?O<aJ-ba_au!J+dCUcXW;4KD$p=LpUDy z?n^tZJ;3U6U~oiQ#~P||RfJ>p{d-Zf*^KVpzacv^B!+EXH@o#&qtQMr4&NNz`?k^8 zkpoMVU)~HtpoXA2w}c6fU!LIF6%93^H|6Ydwl%Co8V9IG6X<yG2Dv~P<@@)^*6MI{ z-TvutbcAHGVD8^vg);XE;RM6j!&a+WtuyxB$>c+Z>N@f;mt(iKws`bZ3`m9M{*^On ztU-m>!VM$-Gt4#*bFVMZ*c-G;q-0M3-F>UTOi0`30n%N+({!k<HG?b8$U6(jPNoZ4 zkx$TANf6!35@2J~VwyL~^FhK0oU&>w>iVrNfgr}wA;o!I?V3P;%r!%t#_HNZZB?9j z92NU{HpC7l9<$7zLl0xcle0HEcNBRwZ+rR;fo#Ce4l~C|vZdOlW;>2m8adId(-Mu6 zXSn)mnkz?Esjh`#YT?8iVt7zPehPU~;Bz-~i<b<Gv16m31NI`2cMrXl1A-Hvj)C1l z&F+mhk-Y;P7>#W?fGTGWl3Lk@vQ45$ZVim&rh>hYjV`=`?dF1W*218n$Gdj&?W-`O zCS(MR8rAd>EGz1#43IEWdl|IfU?=pTDHum-q`a%6=;!%x(l8+u)h^k?%HzpUh@a$2 zolpA|EqYj>GpzEcEVk5_otqR$iajf~@Gt)^x_wsGP&jE)fp5XH4wtYhXoWkB$#hKW zY>G2r6g|+2`MzUg0*>+-28F;BDA>`Q5c^?wZ)=!!JL)0h@%+`>hg<#0+lQscU*O{} z>|=}5^EWTQ`eMBW#d<Is0EJ?VztKu4-(d%9el_b4bLTBS5NPgS{rKbaCtLG*zvn!q z>DI7Q8K>J;Xb$RHPGkx@HpFJx5C35NoQFe1PIO*BL({UVmrpVbT~z%J`{li-t3?~K z(|PA)25?__q4yUh=B=<hTi^hDhr+s{SrH|MLd67CNo`U^6_OAR{L?Y88#K5?6B!qd zr_2Z3OHbBHPaZT|4_lAEb{~GxT;Iqy9(dsMM$6O5`w3S{eLwj~ohJ*!KYVXRo}z_4 zMw27%WwE4B&z{|u;8R|13)|O){MPS#9d10h|L~UW5Bu+|ll(#?sAMH7x5lis9NGR5 z(`QD=*B0~uUsvV{qL;`W<;6i5#G<~tC=mK8^J@dYG~93cU8r}|eo3kSF*u4d7u)d5 zb#r%LH~jZ&i>sH`VOu?MN|hF7o1Uy~JaCG6OSMhEz2tK5!DLE3Xf7o|a~TnuzcU$v zoX5p-<B^*HO0pn$`N)G9SisI|ZLc@oD(*UMH`be9`Y<b5gN&=tay$QFZF=0J-6|vH zuG!nI*EX_@q_#?>T3wo(@>gG2k_n3X#!lLZ*;4G%fy}VJk(qls&Iv{BQs>pac5VnY zOk$X9me$I9G^{3{XjiN{(XyBB&*b{!qnmnLPBr3F%3>(aSah}^d<wn_;Lt9*P0bVv zl?+f|wImTCBZq6O5<w?#pH17h06}at>*d}4FdM9Zq8p~hYAI^%wZ_r6hrKn&ztQRV z$04U~nInCxle)<?jV&&~Uaxt)CvkfcxSVh%C#jn5qptRr^#nO|>#^;pev}Qo<G<)> zug^YNnCE&F7$TnHW|bHb4bE^u8%W9pdVhwuUPgX#<SL|&q13fM<l=I{e5o~R@=gkk zHB|jj|4Fk!JXpbO1SsPaaCBNV{jgzLsihV3p+qg0R<1bd5v-UG4Si@+FHiQv=3(z% z&C#fu&40mkf97(x%B4xj5_cP;aG`vU@T46Ye6>K8Iw62<($1eA=^xjGyYs02ZM~u| zDv3o|d-2IS=?-V0<t1de6B%Wo(JBcP@VbB{)ZVyTM5BHeX5nBwJ~!Tc#?dP=6upkr zKkkZf^^T^)C=zNlk!{(|M0T&7!t=>^M3YtRSmbLZc$UGWJo~;a51|~vliSY3mBm<* z9FVrt3Ny5jFP+$CO)atRq4)hRUNNBumVle+B~8!}LxO#x?sbtnt{au9HiE-OQ&qO^ z<1Ex)g1E`XqxO2^(b4q={PXY#oyw1{Ti?>ZSFLp8rk)%&mlvvEJ-Cs5MU9(Q%$eTG zhf%V31@b%o4;UK=!cFntP2Eg~4(aD6m`+B_2<!R|%|CQn7D9z?xPu|hI#SVx^ISk) zi;~(VZg%!r{oa>yW&wZ*)rEeaI^?`rf^Bw+WsM~3=@)Etx4G$9=dD&z3LoS}x+0Fq z`}c4edRryz0ZEHJTRC<;h4SzZ<Q9*nN}rR=VCRpvqOWw5YNzqY0-Zd85A{^eN6`)5 z2SeTPfa%MdBrv+yK?JTtlyK*)XteT$oy=d@$&B8+DSPs!cE88{yY8$)p_;Ck&l@*M zd$ZX%s(TN=-8^i$kLp+M%>Q9`uY{#|7QK77DgGZNCcx`i_BO|8dc--JHQ}Oe*Wv%5 zadyAUUIF}w44R~ZI5`>4w&T11Xxtq(?)GA7MP!%}egcW5Cd<z{s9M+2CG2@eE8Ls- zMIJH9ZJ>x6Ld^pL)DR8bDX8#Fxp}Mbq3E8VK|v!E{NjX4Fx|Rwv|s_1HPHrO=~$HI zK$haNKwYy{)GmdsDc@O1`uom8DmJ=-CQV%9*4JNu4F~4NgO=k(TvmVKr|r-=!MZ7& z+SBMkOP{by!%Xwz?W}V$DqFhY$4%a>KgzJ8G#Ckr@hOgAopJD;>Np*<bzs8H`|T|f zT111Ck~P0|vX(1!xF5G!41}|@AP(++zj^nE&AV@!cTYaW;-D$Jc!A)T-(rzCU0rR# z%vM@1)O2vk%-&<c&=^%Ln%Tl7bFlGX^U>Gv|0X=T_4=W9<r+$(jR$G;=xhEDUaYUL z|Mu(Z_gheMh^27)?W?WJJe%$u_F%88!yeecM=*}FGkA8`Gmm=NB|m^eopUD8*SHAT z?%m=c3Zj?rX$*&rUQbA#{<N#c%SXz^sC^I};e)gBe9BKYseFGlpXI6-^n?@1(UXKu ztJs(NxA<!I>&`!~@z8@WH@~GymEA;SgI(q2D!Y4dcD6YjZh}BqB>%i#Ypkzt!o<6& zqZJyADn-O*v|u=g{lTDbeo-nR0Qf6~j#XmoH<UYcGIOG{?_JdnYRa&v7S(PHg;57w zAq9PPlQiUSpfa2=oJXw<NBTjXu<14az@ENSpGM%1{>Z}y8nAWfQhP#YJ8N?()jijd zFu)Wq7H$sCRk>On<!n>VLU$CvWVVQ@wAoydvQ(Z-$HV9%Kc-B${G2@~S75kz7$dHQ z$yyb-5%T>3XYKX)%5R#;ms;$lvtBTN&%qPl&45gXIts^`$h*T3N;-jZL~=PmCP@v( zZ0xz&dGQn4GAstpu0i>EIV%kiy|EM3O2o4vw+uOI6>~yox+<N?oT=M{)jKM13)e_+ z4y|>o0$pwlx4`~v&ClW<vXm=t6jdMTd`G66+G1{HJ2!+9vYq*))^3q&yd$(apU%up zXv(C44O)>4wqq|w?Ag9E$ITd~BBdO)@c<BAkI^V0N%1F>rj!$u3JhF3p4;F+W^%X0 zK_p34IQ;j2^-rQs2QBA19gMOPcRItYKk9ViO`{;r2YGi!7~)Tu=ovmL3NyR8gdRO) zf~It^JeII-JseWYe5%}1QN`2wi>=lj59Y%Wg?i^|0jJY6iklP`kya*q>-%g>PJ+4* zTG@N*pj@&6Td3|#YkXS74kV1orjW#dVie&(wqW{1)7f<CqxQ*wrY=?V$rO@ZV*aFi zq;K_bM||_weT}G?Bx-Gsdc^ZA1q5;EzDLiJH5WJ8pjOTIVBe0k0gDQ(fF8lfFe%RB z@Hp@FC|2OmL`1+S*oqZ+NLyPNXJ@#B2^3I9XFNGD0ZM7T@r*L`m<%1Z4);5{$6NoK zf4ph_{U87Q=Re%5`mS04Dsw6<&-l&L{ik~eF-w8)9#B3;mor$UdO2ALTv#_k4W!ZT z<2|<(9Rg8dPu8#upLJ<uQma6zOxL0b?#J$K`uK6Wx2L*uSu}g|Y~Wc#=x_@>PGuNr z^f-+?5NULPr8itq{Sk*BaIpf}Sw&ws0SVfc|N8>?K3tdxfZ~j;dXWYdFd64CR)Ua= zt4BZm^b?}<E{G1yF&iLknK7m_Ass^)*SyCy<tf?iluUFyV;qUot&NeETUGuJy;#lo zu^KUHRwUt;jPyRxKyQh0o{QkEjCvUB{|``00|XQR000O8gbGGZnOIF)NF4wGl63$8 z8~^|SaBF8@a%FRGb#h~6b1z?ZWo~3|axZgfcrI{xtv&s7+qROw>#x8m(=qj)%1fNI zbCan%RcxivJ%63#H0|YiI1~w4tSOQuNZWdE?tj1C1wewIlI3_Z5drKj7K_DV@xkSA zIQ*OiVUPt}uvMJ0#}uBUJLbhcXW81#Sei$I#Sy#SW^4F4W^UxOx5MFZFnGmI<7Ar# zck7H<-iRH)e)IZ!`0oeyfk%J3n*gwQ##0eTgI553&C^XFL;z$0!PY$G%PqT0-6-S! zn5|OIS-fK2+D-5Hm}N0kwPgw6vv`@gL4>Tiz+AEgasZpHfslw-*`u3s;>;By_5v3u zGC%h64UaN6!x~pX2yL{oHD|+x!WfRI8lSr%&;xd{R2Q<x09u@b1h~l3z(Xoy0P@1z zM?Q3M7;FMn2cnZW1ds#5xqx;cw_~=6{a}T^oEn$p%P<h@G4lf?zRWYo6qxDp2(h3o z{|Wsec!;b44eTLmamgV;VLb^7HdCS!nDe-fH`Uez$kQrMBdC@WmLG%YsMbHZmthVf ztl}_?AEgdNet_)~@2UH4pwwN)51g7LyFH3C;8^m3eUX%1tct|i4MVo%N^(#&$l0y5 zDn%Yd26_;<Axq+vDy_HHmP~w_vc=WMn=h03l+70GdVclW>}-0*hLZ)Phhz3-cJt}# z^9=)t`Q-BE4|esDO)mdn|Cn8#joI|~>-luCU{`Y>HoLe!pG_fmc6oaK`D}LiEBgSL zmsdCJe0DLr0kSt&RHY&|n=X*t#dLo936hf!v-8=_A7dc(advZwbU$9r*@RtB<~Os` z&*zglyZ$`CzFJIyg)<<0IlKHghkB+L)5{wh>V-Tu{S6Xq@o92?j+Ftm$!BQ89Jyqt zSJ!{cXTN^BVV|zf&!&+1VG7($KAcZwWze+K^U3UD%+4kklV7KVbp>>=g$O8lWM4i_ zF%#>Yz`xU*+0`XB=Je|FW)8_Qv~_+{Ab*)Hreijl&lV__kMpYwY$gg8aIT09U|voo z9Ta-CZvX_-pBK}DBs-f<&Vkwjk!3?QxIGxGQczjPS>;)ta>rr81~maRPQ)P$4@ag4 z1C_tZBQJ~NQ0R;REKMaN24!@!IMr#fEsC;j!o^_VIBpJuIEC6y*sx)=*iTE9^-Dt5 z&yLf(pND|<0Og>g67P-u=C%DA>>;%0v*4>dBvT47TTpQ~6`Uz}811VSm_1Z<)Ny-o z{l_to0M2YpGKg03*Vnh~<b)kV@!Rg=w^;nHwfz0@E&KU|S#QVe-3UasVgUMnz~B$f zO?2mw1Q0h%$CMv{6~5zXQ2=RK;DumQi){Rr`5Ax8C|gpYyk!u%=~m}1w;4(q3oa(V zFJ}KcRm^VOClUOM4|pheD_2WbaGBN4oQ2%6Fplm<Ej(Jpr0it-6pL=)an#^Cj{=<M zS~$n{$ck6Qa1y#1^y$V1E0tyfO}{n#(|vG<BgsGhy<-0@=SVkvbhiSnzhG~VfpjM9 z0;-e*w8668u%CWnZ{LjA_w0@2uoQ|UI?Im0uEt<gmmx<hy>`I_qx|BPMIvDTaiY`L zTSwrdla0zMNjmIzD<(q^92X_{=kpZ|yO4u6TQJ?Mj27v?l*5>enBui4&eCla7Km8C zTcc5t$)7x)Wb6vGa|N@?G)?2Qit-91^gT$ZlDShxO*u(gKfc?G){k#%w0s`2-(dig zEL`7rz<03F!i>?2P!a*3XX4l03iMK>EyD4PZV`fFhV38~G7<2riAw|IfIE<f+=|={ zFR9O@agt?YC3T#MaT=7l%w2(Pq73NN3@B$srH&@<NV)@~>uA&w1@RRNZ-F1F7S6f* zuk9HZURu)+sTbgLWlAx|%wQM)Fw@37Xd?cYcz3)+1G+F869W@msyxhapdkqdl5zOJ zt&u?*<eL#o<FcNyLLAY!h#um57-5bhur9k>EzxxW-vs`-I2c)e7lJ1SJ{Qax%zcOh zU!a?-M2%o~;A?{Us!>V#CVnV@e3V&`zyxF0##5+S2NjT($uSzy7#)*Ld4Mg$BLQqf zYSfof21N&6fJf$ENPQ|hb4M>ir-a~hNBr^RGL9;pn!~hd8AK)PBfFqdZG<_u7<oV$ z1&+j<_5=%+%9z<CBG6JS<BvT9-2jAU7!B2mRI_7BaJ9jwsf=oRi@jF}3ljz<h1;XK z4{n%axgumadN>oMhJu&1j3w%*&Nby$hpXysIl;*U&2amVT<T<l){ah=jV<h%N-Evf z1!m=bkT$0iY$eXmUxx|<ymffQs^Iyy2KRRW#3yNC(4)c>t{!Cd8&pxp)q_Xe)&)mo zBvasM=1XE142FPZTj(=DPt$;wxq%#G4U)*~ZFQg(gY}tX4b_0gn|#0=tcOOQ%rBDd zgR!Xi;PHqx_l`+NjlKSHiBN6SW$$#62O!<%ZXnGELA5Y~e@$!9f~l)&HbawEuzMSs zwpQ<MPyx{;)jGdBO<7@oI*plzRHH!Kp^Y)lZE1@No3aR=E&%M>&DPQf;dN&~`xq0p z0YI3Rvb9>Ep*Iri#hM77Y#c;_b_Brh#g)DCJ8VgbreawyAcY)VDV&(Er`K;^AG1{u z`9KoU!`OvKSR`k9$S!f~VFQ(;D@@eT6EC)=>>uP7P#D708VK6RQtKkxO^|SJiw1QK zT4;q5tJCB0)S#*`_fh;9sbVxE|NcLtHgqtJZlleiG5Z@V97Ciej0(~0>3lSO1x$;s zR_gp(vif&6w1@D&#)ZWr)@U$<&RT^b4ceSTpI1{^2li`w9b?j_y5)o6WwyInZB+mU zcXf`DaNRTA)!2p$+1>iGtr}Ljb^qYo7Kbi%1HqXbWmIepX+%h62Y(*aC5khKmFU54 ziqvpc5aszTp?yvd*4H>9Txb}QX>F^qWO!yHD_*NKp~_`2gkQGE=<`4X5$*(f+@e8Y z_@T9RsU!>kw>e==YfgZUlyc$2lw-E7t!kLm#8MeKfp8MnyLaz;dO({_{F_S}S(<~| z2XcQC!F}D;v_?@R?Q)&|1;990d#qrA*D>wjf;7P(rYUaUiiCSi8f`&lu|QVl@vZ%i z0hb&t?Yke0#jnYrYUJ7#g?HM~Yvj7&$OYHUP)Y>FO_g4G%<Cgl%I2>;Nbw{fFa?Vu zDJBZ;o6PobhkDK*03(OlU@J$RFo#{MmB2Jo6LFq;%894eAUT1i$Q4E2VBi!p;7R)& zs(o8yswIV<Wqcz{_uH6eF_VTi&R#G?$tTqvTQ2pb<jFxr<~DA6kIX5dL4B>xEFstY z*rB(eownH(y5p5Z5aa(v&S>0<zY0QVEWzt7SWGN)$cNEP1tpAn>ZP@EVf;1-RueTy zGuc5qh>|>$OAf`GT!EO3rtYItz{!VBYEWO)LJn+67tY2_`o*LG@TY?WXrK4!BTy{L z|7C7oKK7$8+wse%Wfy+xMt6LN44(=h`Orm*8xvRyNjbQ}U^!H4ns;Q@sep(Rem8YL z_u9x7=LTJvVjc1)=dV1@2t5g4kxl)I`S>7<I<U>*QyWSh7@q}C&jOD$&V2UbFyyqY z*vTq_pM#^TQT6klsFFX8T&DIwfBJ@s@ULLUs89g-(@ny`t#B^e-(xmvkY>`Pt#(){ ze3&h5gZ1KQ72G9w;6s+~l+xES-HwoKQ?5jwY#n@VgY%ag=Pr_?8=mnOer(KY19$v< zv)MY?I^`~n>3X^f&_-gNWeH4j@qNJmbW_P7CU7)D0*mdkcn1X`g@KPXWYK}T2^~Bm z%M>nVP<jg<Mv-F|Ae}_YzW8)=aeiH-2tDcU7|DDXKn<GXO3P(Q8z$elLFjA(nDsX~ z=n7OqBq-m$m|aXSn%M|$m*6|-Msd_Z8hn^8>J_9N72pwBmGDg^hX@kT4nlZ}S0(hJ zl0$?DsErW9e!982Uhwomc3U%tx<klh8;#RnXH|qo#x4pA@;$3KZF#%sc-Mh<FXuVq zF_BMg2!G`~Cz$`Chc=LuC#lj)d~Aggv3JiiQSwgdMK_~{oiHp$kFCh=$rVDd8}--& z=J<gd#$@x(iYHZOtFk_Hyv9?K_z0;c83U$|l<-oV=zOj33zgQ|uE|y4dI^$Vl-x-@ zY4TTr>m!&2<Z#@`AB~Q=y;#{jfvX>l1<5`vn7!x<j*uN$NopEpW^WHizNDcZir$TS z6$m&8<J4Qnv9i+H{VC?0>YT>zs==3m*<ZzGgSVQ>9yz5P-A8>@7?{1%zptujcK;$J zUB!`7#*f95A`o}XK^k?#g@Co-GFIAiA=4k?iZ&Tg{mrUtcXnUZ?{3-c)b~6M!H&u4 z8c6G9GwmnRcCuZAP#AI!?<2`^t=~&hLuisR-A%HOSZ`Smmub9=v(j0qB^6_4ZX2zq zO_(O0;kL*OH9^QkpX;LVMQxh<{o;IneOgX*icmS#-Qs;U-)E0O<j0SKHlkp4?y+Lu zzjlcR?=B4i`t9*h?g}-xD*mqbDjHk@o^qKT^{Co%I~bT}gbkYNo{>J4E%#yM>8rY5 zP#)4&HzVZ%ZToIyu?=LKJNpu2C{+M=aEn?-1H5h`k9!P0nkSmLtyIq&4CMLBNp&l! zp>@O2pq(!&)r<{C#_1*<Wyn(vD00jpcgS89ZQJYfpy~j|vzI}og8g@^$cvxT6$mvr zb{hqAeGZ;{b~w6Z_Al`g-0%=&fPuwN>fRlQ{AV0Q2cnwr&&3re?gMf2=p{Ah(ZO{W zdq0I$-yh9M!dyHbH;)diR3RQ(Z3+u(+{}JHDoGa>De3k=+^o>$=VIoSiE;0?3NUIo zf;MV?e6~^{frw{e>>Z2_5bow6>p|$Iyq}Mq;?1<+Vdsdtt<I#qcDg#P_D&)#6Ky#W z_F}eAjlFygI;OuJ)7%cvbJX;5m9N|Grkc50zB^}J@<6}Yj4S=w%8W}{`_H(a=jYR^ zlYHFkFB_=1M{+3cDXec`q~65wVy#c@T1S0BrCo2^Tf3j$67E5IOPIZS+s@Z>^;RiM zm)=%Iyi0G3wNM+0oqC&cFi#@;W}2($RdrWo?ytRo7biSwS3q4w=NTWk|6%AL0p6j* zJ4oP>f&UT$c+iWTdko;M>c0aYppG?-L-6l-mZb5M+KPWJ_FNSo(()@3+F5|t8@epW z4iad8&iKj&Z=dYPCpYrL13Lm~&ACtPyp)bS4Y^KZj|*{N+W`A%`w~WIJN<<Xxdwyq z7^nWl-8Z4}CCJvQzvkQxHwV$2EJc>OUIy(8yh)y|U)soTLWsKSn^4m2I}7mG@>?|U z+fbqwemkaKiobXX0o=2F5&p~gKXtt|e<6*}5nWV#sTj#_zRXeqRLUX69}b#<0Llxw z8|BF%*x<d^XWwUZqZ@hK7g4~ubL%X(cqMWde!KtL<?-z2!7A*7d{~9s>&13)_gp`= za2`87*_xnt`LY_k?#&it_V8y#5=Y-~^HUS7d$cllf0q`-sgKrM)JfIRp^t#;g|Xmk z@IVeFfbST;1h?ChEz!HiLWivO9Sjovz|kO)cMOLP2A@A3wDR=~h^n-Aj|c_d91@z) z?lDmwLVdeoVH|8#M@Ct&|KOM-5>DUcb)UV?(>fHchlM?LuB337+LieIn%BeWvz5>6 z<!=3J9!Ty~!D>%*liQ_;o$o$^2A!td%{X%#nnqXcMdErov<(-0v&0v4@E*RtCSOAB zecKv=i1YHjER?iyF}-bnP`&Pt{?(p%dM5_))I7E)W;yFgTsh$PMlS3FVV51XFM(>; zB9WfgMAeP_uSbM&G-gNCZhTP9kdKlndM@c7-9A&<yA^y-r6y&?=E%Ap<PmE%W`G-E zc#;jivr#IgR<G7GX#`Q0g2<^l=oNH1yVQaQ%&A0HL!nff6;<8^(yyskYAxT#+3{|A z<Fz6*WU@BwRWEa#ug`ufs#=*fj6hnsw<fw{_FXz;-!W?Sc!csW-*k2Gr5FeAc4I^q zhn^f~Xq2In$ufMxGFeEF=n~~Am*px^pi2mR3q%&fQ?<;OI~GEg>r@ryE{vCMs6bQ# zA<8$Es!a$s^w`z{D8k3C2AJu#78HrDCR8#y+F+(}$}aT5^&jxUgoC%PG58L>Yx|T9 zRQF#(?-~6shfNj33bLj#2r?VVSfc^{0MR;@$%E&Hp}VBFWc6cD{Tc+{cx_hfMq3Lz z9k+p<A-V?lI4>1iPH$-5%hy>W3OPe`pnQ|Y^35MpPxUKOd9;l4$ai$)5KCn=8BhhX zvpt&H9Eq#m13OWHZZ0T^b75&=6}+xZVyM6-UMQNiVUa|il^rOZH$znqZiTJXy1`)! zf34k7Z)yok|CK=rMlTRTM<w!AeZ)|mLA|c!)Dm3>D<`dO39DmNW$E|%5mrx!gHBB@ z;?uPCfH7l%)&G@eGNzj<Wf-rHUi(z>gtoe43J}0Tou#Rq1W=GhMNkp7=>2g3p?BO0 zvo$iYl(Fi@kgY@vU4dc5TG33yR>zdKtp^PNYB+|;>&DYSHQdq?cB3koHVc48>z;3g zg|B`8?f$XN-T@uoCLn?^^cl-2D9CPn1=dC(po?R>2uP?l{4fyNZhQ%4;y(oZ5u0Vo zPU;M5I3NwNbZ9`!Ms&l=aub8N?na<ufUg>~-JL?>NXtHXUYAI0vqzrQArjr_k7sp< z#5Q_k-_Fnw&+3o@<{6z*fFMp`<FvqGu{hTgGAn!w@C#)uENTN8HeUwnbknVkS0GI~ zlBFG#RNHpZB2G<X+egy^_H=X~SSJSQZu-<y&!hiUvVPlBMbi>3t(N&u*z!`CHN^Wu z(f4o6MO)sAK^YiNZ;cKE{7)G=DoB>*o{Y*CMA<Qh1(Y%NAlF{dk2U=H!*FEdf?CxS znrMh}47jHHU>7KZ`&wPujePz@K?hAZfI(0R0ni!%pG_`<m{R(sO@xSTouZ--h^b3d zLb}HoSSZa-VJ6L{f8}n7E^<9jdeZ7HbR}Hln_KqN343GQD3-W$dTV{o@Ay+m(8x@N z4U8HrL0!0+x8}-|uSQ1Lv!cD~8P@D+yJ}I!EA}N$@7+{-9vJ^Mb0gmk!NFonPyqp+ z)q01@so;&4uv4CduE(wP=%4>Q8Z-QX2Mkc4U>q(yH__V{g_g>Px>{mZ*#@O|*0P0z zIQ1d_>+4(76c;LJE%Viw1s!Pl>T7U2YUpI~axz{P!)Ulx@%E~XFNcp2dt_>DML`YS zEp=6AR&}{YWoa+KP}%2c<6fFr*t+Ey{ZwR@g=E-5azKmnoXYWytV+4saH%yx#hmz? zo8AdI5#p2Tfm%2u3EGgt$f{#k>N1*paAgLKUA4Wep3WM~Nq|3b&oRQ)$vqtX+A~NW z0ZjX!a@wr1vP4a3W0oyjqW8!+c&(AKbcnnxu|^FPSO?+l299<BqX5frIN7po!$=}v zu#*zU%9ch9tP*TcGf&iTOYY`?%+OmGjta--gt4a*)xafFK*}>N!=qyy>vFT$HY1Y+ zD^0Oo0;^QTkb<cIw@oQ+88KOCBq<6f65L+tB}D}at0H#0qmZfck`AQnWN^Zz;&Q_- z+(Eh^s~9!5`nYF-IPjNA3DcR11k>V`16jj6h_IJ_$v&+V50p`8n_Mvz@`((Ed^~#J zQXi6YaL3eA^zhk{-r9RTXP0?RS(r*zOUs?u5?L}zl5J)5=NIw0N5$p{*n?tY3=I;P zL$Y3jK@dZ^T{6NhQ79F;Vf`|{VW27l4r9(o{PBB{Z9^_G%H0g~9E#X)?<n@$vHe43 zAg&T%RT8$7IH3SDcmRsh7nvXDS;YbYc&n;QJ6qk^!A~V{%Xc%kwzY%t5W!>_Z;v6+ z*a&Lf5@H!aq*E+ORsdeHnT!>M++%PiTnCVkjuEou6W1P*jENUycAY89;AjQI2Z@bP zY7J%xq0YV{-;J?KY|WE4+cgWS|L8nN7)pff3}tSiISqzZ8m~8gWI=l<zuGYD5;gwl zg^t0DebbU?(Y9pSwr$(CZQHhO+qP}nwr%e+c2)Jh(fx96L`R&5^#N<-m@$z#GCwsG zE0_QP#Qf1k<LyGc9Rj!fKO+vqql5;pr@%R5&k89IA}Jff*f4bg3ryu%KoyS9$!4n= z$tNFIQj#U2q*AoM$;0{V0;`ZQPh66tVTc)ts^4$H)Isg>u@2XX`q!M~>Vw#|;sU(e za0L2Yrz21DXvO8;EI3t&vUktwFiwIXV5|;~$3XRbO#_mqB{JSQ;aQy5Dx}an*|9a9 zDH3v@<9w3DZe<ODWbzr_5G#JP%XWI%F>lR~U_3EI#7=yz-{&nfa4jA^_5uus`x^X6 zB}rDLASqg4+RC~n52Z9{skTDWrRp#!$Z;+r3~IiD#22b7vlB-|o%0~HP%>v=7?e|^ zXTYe!{uI&}7_VHu{}uTe(N=BzC%Q&veM;l|p3B_G5gRmnlPj)fK)?R1iS`7L2WtXJ zg<(yn2n!)$&Dm1t6+@a~2Gly+D|{pwe{|7-6U<@1BvBB(#&6}0t(QLR#ZJYWHohVo z8u~?!QHHp#IiNfGk?gejWy;slmp`8~Y0UWcip2NST%kuiiHy%Dw-WsH@n!4Gq=V_a zmSTi*`3A96-K4)Tu&t@a2J}P4Mbm=Hv1_Y1M{5sf6{@02gYi$QvS%tuYi<!59vE~n zF*`(dVgC?51r0mef;+1oW_2>vQ7b^}%Z0kkpUOz&YVePl?jms^{$v~WcFIiiIL!m) zb64~o=(5}Kt_d|Vpwt5O#p<)z75)K$Ci;t&%C)7MPp*{jSu`!&a!tZ8#hB-cO31FS z*jg7}NDez!DWg;^Rpe(BaUKvKXY5(H@MoCuhFnxR2*-crEDK52lRXGE;0z5Ak7X;% zWpE$^*A$06>0z5Z#hJxy&0^-~+doyC7B%d0@`BwedA?V}PP!Q4azfR&rn;Y47PcO5 zY|PRDJR0%ww4j8;v7J#Z>!UJ)AuZekE01O+@mL}77)RBYHfV2sTj+oeU2y#?70<3Z z82XK+(#s%%j@PJ&l+R<3IcpNgcm)Lr5XTY|XVte7Y=?Meic-Hd01JxvO9e_@F9?fT zF&WOVi9lzO%od;|Y9gMPbKGmqeTrar%~w_P!rjOMI+m0G$eF@#N?6%p;zSt#s2oFO z<X^xe;Fttmnvcj$bLJab|3#rOMZF-P>w;sCWXeLA<qNl)7GvT3y-;g?uq{4yUO~mw zKO@jjB#1j1rG-BvknNwt1fs_$<f|~i1)>7l4&$k?&BUsUi7v|5=(1ZlQ~M5zbv#r0 zUS5Hob|E5z?xK9acg<%_6_4y7YyHRp2c4Y<T2+gQcht0~)+X?q?%ypg+%7abUVfYB z<f3?p_5xFJ9EOG6nxAx|zrOXw0O%?Kq^(ulQ_ZVyzpg5aIz+4q`*b4@Y?$i$>w^VU zqB({yu5_%^6T5sFCMUK~E`Oif!BscRde+ko0?v3AHLsvp5D9^80)m&3vmNuW(PdV9 z$l%56%GY6pkBhSopStn)5WonLl^jD6hf$^>=5KD}`J435a*m$gk)6OBOfT*#Y()@I zKAZ^FLym1b6_@F*n7Sj5?;-BW_Of0PPTfCQmZR8Tq2VM|kbc?OVK3&UsLSfehblrA zse;PW?jZ_FVTrnOrrTwx^peH``Vrf%AlZSmtXcRFHJu4W>;igB>F#;c8hcjVAw5fm za-8?g)__n53GqW+u=-abN+wOlvEd5p0_Ny*tV~iq#ic|z-$gIZqtf*Q>wU0pkmWxT zDXbt2&BozT90>QCB}qn^R*>fv{J#=FNL|f>_qACdhBWj9vrlNG$t@{}D?l+oo?aw^ z@y4iO_noA$3+ueB?{<x)VZ20LWBnMrMlbkf5os(ime?m@j1(r6|ALX{sas1XR?_wb zm}`le0$wV$mmZ3TP8I|x+5)zP*Lo|C-s*o8hB<kxkU4T0vvJ>8E98z&m(m7d<;LxM z!w|*L@QM9KkQn>H2GdB%#=-1&G=ir>*(#arQ_<1HgZ*y?mWNVfED{g^U;zjKfad?p zz&aQjTN|2N+L_bq>l+%`ySnJ>|6^obm1M0?7+`wO)gw~&mSnWkl+e)H^ut4&Xk;!+ zX~vQ%kQ?JnZ8{VD``eORoGsxT^J>U>doN)0#Gn`w1SQPzTLFb}w*q)Ywu`|r5kbCD z0>Xjra_*M?^pvnZMDZbPU%}LEPlL7GN^gDtI8Iv{#%l!4_v7XH-RG}`wT<vJ)3hc7 z#m50desQj1ZwQYkGgCnDMv)<JSv~LsDha1tC{h+oHli<t50F7sfwC_wbDJ8%a>%P8 z4Z0<Ts!3TIBRzrls3zoTQ4%s%YV4XI9I;sP+cS7=@$IK;vR4$x+%Rul9i)iZtyd>w z-)zk0#TBCr?bjIFW~Z!7uKIsUylSYELp{y{dxub%NI(cXp3diBX=`v`FqKx!Toy+_ z@4I&sPh!B^GC7=^mAjL}RwYX^onDpo(k|K-;P{wS%ffp{4ilWVC(Y)ikzQ^@l?%)G zSGnk)&-L^@_=OEwM@k>UQ#*<2#j=c`N2jb)r1SjqS1=59@b!GTCF-?1;8}5i%Wtaw z{ZCRo&@F8W;~%7e{~)FQuOPLwv;4n^$|mqzk1)WDy8A;pwznV%UG5e7+fm@?*11rQ zc0?{=*icVA4*Gs^Dbm%VU-L@y^LxYJ7tb@i2PnMtbpQ;yXE41gD8<7t5kWZ32n-Y9 zk*}}bR@lP&5SYtP-W>MzS`U=^S$cEz>Ue8$5YnCfdHHy7<ElX~8#N|Ubdw$6P<$2g zsq6{F;EGZf5WG;#f$wAmRtB*SCkkEEdT=B{bJ))mLTstRzWCmpAH>SoAg=_jOy;aW z(z4!VNBtn)!KkR-5*0JD&en2g(cSosDMB)yEjay@rE-c~{39Cb0omMt1m*oQ|Eai^ zrEPr0T9|YI$d}%?%hqmf)`+M|hd|37GiAM{>wH>6_~H>=`MCejH9P$S^gj!HW+`<% z{jb0}zyJVL|4o67?QI<lUH;#S!DdA0y;g^LC3HiScAy(Q5Y9ePfG9msq9~1+ytAP# zN@ZKBSuTC<cPHT_qpYP%GTZZh>I|6&&n{?>6S%Vz0-tL;L3U;Mh$DIk44{OA6w>Fr z7qdC-s%C)Iry#@b(Hbi2TnXr-Zg~63HkSeRE;8!*a`63f^!J9kh^7r2P}OFNU<otf z9MOFKL@0zEzKDS2GHRh?t%^4UF#e1zmlzAc9Yer;-~(l6%=}zm*esrnw8SWWp#j-< zl2ggWu#}Ukl-Fl(n7%*LfM#5KJKR2X-?%j(zN`N2u2-2`It1?B4T6uS*y4pStrn0o zg8V!Dz@s!pgwsltev!ZDEu$i<)pS)6PCgCJEU{TToTBzodMG<sTRmdbNb%-Ml7eQ4 z7zjjf)0p!yOFh;E$G3EBQaplQMXOwpUo0HoskqIAm)JtP5yxN;0gh3kGw8m|FhgGJ zoWRs{0EvS;Y1(Vm#>eQ@CaP|d_*8=1hP35Gq+ZQCdD^hyq&L>TRBu)9?Q|u|*J(ZG z;l*UO+Ep@mOn{xmKAqAxsn!#4jx4!0fj+4!njd%-$}eB(nZ`H1?l72=4tZ=7bt*J$ zReQL8-}(vspDpqEU4rENuO%Wt0RZU!o0f2PadI_was4ND`PUY^$-MT#3<zQFzfsD~ z0V0a4jY{EuB}yd}(nWP?z~CKBY_0JUA8)J(Ss*DzE*A>)V}0Ip^yll$8z@VHWT-*; z%UTo)OoF!zp<3k@flweq+FT5p-5ymUN9CsJXoK8Z<gsSV9r5=>2wb+ydF%DQaxm5- zZqA(^ne}T=!+~A9&0`Ac+tdvjnB<ciz4hss(2<nXp&<!Gkd-<!Ox98dJk^zL6Py!G zOlbl(xr(fW_iKnHPUP5zh$?DUj{$NOh*KIxA<hj8nJY=Jft!8?LWjV{2jWqg^!K3} zbHL$LPk<aS(LV~X?7UviQ7A*G=!s+)ETY{W9#B+V28bB@h}>oSAx<7)2dfZ%a)f=l zTZs#hV76i)vR*Tu+w^nuBG;0jTl?3lq)(H4Ha5Pm@*gD;goTX#9^%w9pp&?-?b8~+ zpz-4EA^TuhXTL)d?f$nVhWur*EF?d{@nZ4DTN1=4<m9-xEYA_{OA~B_UqJr}AHzHH z4mcD500+T;x1wzgovclr{s+2J%x$}Ej@MoN!7BJPh1i75O+YX)-GN&#w80Wtwo8y` zRv5uVOYK@3D+ww~wpqWgyy0jODW|2o6T-9!=kvqPOVW=HdXP;tQqqTR%ci6hQ8{Ws z_L54r6y(lw5hXu_5Zl%1qB*B`&Se9}&N3a8nyelYeo}JA$*Nc&Z|@g(=;Q=ysnw&+ z%kI<g>QY0EO4hlIl@>uDIcqYg$#>p`Z6-M<w+d-0%1wn#)KUpD?KwCS+4fi)4q0U- z9IG+XNjnf~Y)R#BykuEN?E(YFN>4>efeNR{AUPPYYRdTl)i1gmWnD9*4E&q!4s_(% z_MaYUPSl!1PE^QmptQ=Q&%U_<u+_OKC%}4_57P2h6`+bYX{s!xs0;|m$D2BnFr}+> z)7B5X&)>3~+^4sg;E&%yP37?u_OW}WzQ{>_Y_iKUsl;!*EOXGB;Xmd<If#!*DmU{p z6uBiHP?;?ST4ySI>na!!ipxD4Xa`Ve7gKd3CoNsGQ%1{mGGxgtvr|ZL_Ht^-K>mS& zp80>~Q@|M^e*o^c(NK4Lg!g(7Y97<lS8WG1T?<nGCg55iSaab5222keP~HLnTENac zF(C(e;0#~a*!+tn94pQ&Ljk#RR}3tsl5kQeIDwOCF?HZJT7p>7xY1O$8*p#;(8uW1 z&`Z#l^OM!$N;{2^+aJ;Jrs_yK%9WIaXT@O(42{_#0_@;*;KLRZWeo+kvT_9r^$`lo z1I$MVQEAvWhPB#LSn*$O1j|nh@uLKBs1s={Br~C)nq!0s{TyIpF=5ZQpbPBW0;4=k zLsunSW<hD$8PifG#`!t4Dq79ImPJSHSux<E$PrqpSO^}5<91pk0Ky%I*5l9N34`bF zJBVM*CK$v>l$52EO{KDglDDX5iPdIH90uem3lRQ>$8DH^5*$Q&L?Oo8f}DehFK%68 z?T~R(UP72X-MZwE)!&^U{HK*?&$R@&0#{bQk2~@FPCx0=)5)XT%cDJ{5C(Ne0}E{p zar${yGtVL*(x(lHU9t3~e*-u&?nvO(@({rzjP182py3@2UrsU$io4?tbq^?kY`1fP zUxL=DMzj=z0J5<{+;t@bqhd_lAceU=NcDUFu<z#xK}uhMh}f0G;miYacJYC_xloKH z<OPK$%s7qhqdc%~sw6coB_Q23{pckHgp4;AWQin;ZeAW;eT3q<5ww+y4J~8#QF+b2 zVqtQv4c@NXq?Os{fmnYF1*~aI1h-!QY$%@c&NxO$oBNIA^R%Hi22xWUofb-!Gt9)b zW5Wz2DvOECaYdZWVB1v0oLZg4ay#@73B336^mO(5A@qIw8S34B`q*(*`@M~Qd)@N( zKJ5KoAAed{DU{!%r}Nj>D?6XqO+BR^G8m(35jKnoD2MyuJS9A^B-O@Sk8b8?2<T+h zz>q=pw712QA%?&76gKW@yV=Xj&!_YiFso><eUAaJqe-u5h^^9(oURMy`tI<7H>iq$ z!JSbrVcxEWdtq`y%tyweGuednb!+U<@mmlI7fdlo1Tw9JD4r~BM*YxE+kezYuZX8~ z9#)GR9d}k4P(80!9A~f@RVUFyoTYh$==YP=@v6^(;$|6pooI0av@XxVf4HjpniNSz z=PXtTE!Xf?rkN@ffPIN)xNO`IA_qH7o~g>&;_VN`AX{3cI3!Y{RSC>ZBWzh~)u6lx z2n%dTy28o7%3@#PXJoO{nfMUjTQf}fpj7+k{es3qQ-~1Liaeq>Z!le$eiDUSK?A42 zwWruLZ%4V(46u2!u`NjcnVGaoC7JY+wR0Qo6E90806=<!PiTo`Vid7^OSx`a1`U7_ zIzj~OSGF*+rwT<L_^Gd6$64ZR;-9Xn!0AtCB`o(+rsC3DX-g1kfQ6jE26Js2;U!X< z8Pz0~z%VqmgVsk6X-%Rw9Lc-yFrr1FT#|L3q-MrS^u+mrh`!ydgz~vTwbykP*1^rO zw+K91&57yAEngL<qNuuXD1dN}+#L5u8!WH1_bx!s{P_aHhV@`Zc>-;nM1rre2nsbD zZt_hHoe<_A?q$J&6e=b=-n!J5h31a7aFy_qYCVwc`r;jT31MS@>oCZo8g_<`*~rMG zGn{+&%_vO%%5NwLjG6KhqGHc=Kp(ioG%aPRZm!qVD(!ra>3f-`{~?VU`g=@!uXTEl z%E70FF<6KjG%H-nM2)&JHkY*D9jiU-%pl#300C_6vBpid9>U;J0ZjcVWssq;SWB3O z%a3J(c@h(a^8lWr(9vfF#N-lAW|g52C$X0Zs$;;fwdi}!wx;u~r!8AIAsqRFfKj4C zO-c7FJpX{w(p#z}kN4w_3L`UCib8e+FmRofHk@<umZeO=m!kk}PDrR6F<#Z&UT%VI z$*wrAOduh{rKCHckZ}NK_e`<)xg567w1pRp86*g9^<pxdTFsi2^at@eBT(QxQy?NM zf>eeEV42e;me5Uu_n=p|cFkH=DHMSB+wwTz!sVM<a$)1~<6t|o?elQlHEET#mhF&n z)@O9b;M0~7@ps1>=B#0G7W7XfCCE1Na|C8krE9aJKL`YO@+Gk|c&0W3yj2Fpr_8is z58sR9q6hg_dro9zaF&I&*f$n$>P`%^>s^}?tDj6mpZ;5|{Xl`jz-{5H78muV)$M*_ zO&5G~6HKEL(`ZpuCRMO`aJb~#oeRj)ZQABSVfui}ayYVuBR?aA>AQ-`t@7NaF*m1D z2h@wRqG7{O=*Wzkl$W$Lw(-gjGy#kv33YjHP}+HQXHcM&*!p%<8{}RhI{b_~RPEw~ z3&#!BgD)9V<Zz|8!@uDremCeM?NpwznP6lP{KYxQ948Bo<e@O5h)8bY%GrkeJehn# z&RnnYpM{|KxKT4>m7`(~H!c?CM-B%!GSJf?ycQ1c;K6^H-R2|-zv2hC0CR!t(#H>G z9cKa8sg4(N=|3*x;rN+oToga=b~(%MCe{)o;26nA*dQ9SetO&ydkBtVJBI0DUN+@j zXHOH&&7R7a?tPc2KJVq_CuGuwDY({}u3tG7tjyGmDY*%i(1O3j*naI-ph{Dmejos9 zuh&V5PG#5i85C>~;DPX;oT@Rct)m1fTPl`X<XI^+`IWy2o_@Mtn9}L|KkQ`03eUCr zlwP`N<^%U1W`-NorMvTJ#QNkmtcG%{k#Wv7p14<n2sE$^Ehk!4CDSqKS)6Q(>@kDi zH4&dm7Svr<<*#lCOg4g|O}J}kO}9C#gj}ZiUqxhq8bHT~$L7*~%E<<Q8Ab>0IsN>C zR>Uyeu|Vi<)o)-&<F~3*Ui)NP2k-$a#^(nWy9jc74sqJ)S7M1-%{ftt9A{Vfur=7v z1DxZ`h}v0hBm+U4_Wf}Rb6H-%;+JSa$bs>(SK{-sM~y>@Cw~F{^Eg==hP&+p1^@tz z2mnC;U)%<qOdVY<olI>_?OgunOqr^Fot({v@H?kp=!6e97Sidqlo_*p9r`YD6{!!Z zkJqb%k(=mCqCteTQ!M%OR!1^0M3y;*53_Xl^IEui=M<90o+)rmLk^K=8S0#3PAvo~ zsVJ&Er06NEAo;FF(54n$FhK1g!;&4YhfK#LR!jVx?SDilqdfY`!)Nc|gMwVdMt-cw z5k0I$sOp{5sAL=rnu8)^LV64z&~AoPyU{iwDXAbOm2*1OzLsOFm{e2UbVMSl&_;_v zkJyJsQ!kZt(Hg#V!<HQ8S#f|#D;Q8GWm%yr9f9=9J{yHBEsUPe21y>I>LVH=e>doP zg$@r2#(oLr8gh&zt?Griv?3g1o*i@K0~th*@wNbTBH__b6sq)tO!Y&UGy9R^2=RzL z2Iy1A;BZ$MVKdPiE@tDMtN6%Vkqq;Cn9(SJ91@3Mn*Rs>MAYrxev{Tlg=fC`8ceJR z2@+`gsy8mLfAlZ1iO4WJY>~QQN{BsrVt84U8go=oO_QtHgWLpIJ>HSozOZjSBPH#$ z)~N;rOIbU|{8EHZ9g|#JNZOorjylOnj-$H;;rnJ=Z607~i1LlY3N3#ZF#1|elDImg zWpsz3DxK#V(+8$j2=w#UByvA!bB#gMJM};1)nX+Vx;TD+{3z8llEj+Q5zJN1gR(?~ zQb!uACmv|A`XSN?S)8wBcV9&m5D^{DdKA}4HJxJ<M3F<8<Xm2kpi_6rq7N4=%jmVz zkpmarEcuhxon<=KiWtweopyBeriCXW&A61DryakP&vxtB`JoM`A7dIgFE_Xmc47U* zW@)1_K?g!X*fa>hAy;KCnu&o9XnFNCXt&uQ3rHjGU?b%oQUkS5cT5o6WD{Kx<4wia z@x$>n{Dqan4HsJpBZQ6!G65GtARv$!fI5OB6XrM*6;^|BeB7fzvQ=s$h-JL@!k+fH zKr)~O9Pab5>#;@v<k~eu6rlhl$=>led2Q`2=)+;skQmVAsbJRUz^@M+>r1sxjQ-r2 zA_vsbf^8t#;k3bX9q3lK=`VKOX!g8G$J@-`fUc{5|H<HOj#CA>ge@LC__9)Z{o!kZ z8N2$z6}l5vmh3mOU^TUj&Vddxl<DA;J^=-cD2p}WffzTC^2&l!-lxG`JEg^e(Rwe0 zAQRLbehRHr^@vw7c68$5oohtG1A^LxQ?z718_*XJ7avQo)^^hhT^<bY*CM*)R-3Qn z`*DqG!CYk@&lG&sQ6Q6Uw_t+sidu=hxn6eNMNBt%ECxw}@;p}9DQp2H*81Ss0a0wg znO@e4T1hsv2Dm<8L)I+;*8Eh0dKI$X;gKb%`%o9q^M}``sv?J6@%?R-1FBqsFW{}$ zNiQ`!n47k~xjDRVI&YUuz+Es_5QqS770zv0bo*^4Y`l&?Nww434SF|Ymh4<RYD0l- zleRFItb$d*Kg18bSBmWo2~J(58hi7|lr>a!I|dc&y(*knx6=pZP$r=-F9rj&cAaAu zA8$~ioirD&X5dP#^Sbfz6oU5r{D~0DFzW6EfvP}vA0Y#i6Uhdee#!!nnJ9EK0q9Pb zjJ<m=f7RfVT`!oX%g~*|6bbcb8e1o?(7Ck)M1cTG3Ud#Disv*XYl47;q1<g@#i3>< zfMGXLCsx(zNezC~`~o&$*k+0fR#{%$+!szM0ygAMpO;G7xBI>7G&4?GYK`I7jD<RR z1d&AFyR17h&NLTcO5%s%21V&0ZPy^(q%Z5hMbOo&LCdn}Y@;_*?NjEJWkTlydmav| zi<b{)s>iE~#3@D?q5thQJz4*~{jKeG8f1u<qgCHKO&^Khyt?o+Jp1`XY7QE<8z#4Y z$cIXF)mnOH%?f@jsLp(<i6ziC!OHBP6R@KdW;-#k21=h}PHqkT0df_ezHxdI5{#>9 z^TnIO&~x#PqE*S^zw|%(GF}KxMAgWKZoLWz%YJKmcS}H7_jlei%;FMkXI(~<TjJ6v z4PBvz43i?49kO@Ud=c?<bvyJDTJa`t4192?2GTpo%WHLS1$ryf7b!|*GHiF)q{==k zF%i{7kcw%x_&OS9Ul?_Gr3w)9XrNC*A8;Se54Y7bRvG3#96KC9d=U~?7=(4!<aWgc zuTNlHgT7_cJK-y7*Wo#H2pHR28<Nie7ZU%FmuCcN=uC&40dT%hw*ufI1f3@p4oa`M zQpB%e89P<J9e#JJ>xh89|Gkm<hz7^RV*mhn+5!O3{udjWvxBLzrJ3dbeHyvtwRXm4 zPuhQ>9$Qh%Ou6LTY}cPNpK?UHPpfj0qmm<aC8gGKfJkh{nsWdbR*X6Q`+9B1Qx-U= zkaDEs)@+zc>j-ASg7q!LzQ85Zr+q@zIRl+JFu$pVBAIC3q~erTGo4wJY(|(YwkDmb zlKy=9B4zS$OucK9<3n$qs(w0X_{hVHM_!bp*gU`QYq?!A$xV5As9vt$<N0+Li`h_O z?yAa)#b%%|ty=n6R@Dx0-&B=cqg4mBIblMEorq4w+fh?(>g4FyX}8we(;@MAT2+-T zBBQEWgY8+^AD^u0mrHDPY@&K@3XD5dBPar|6F>7KbzfDb@G1zW{ED~oC=j2cM<7+y zcw7ZmFi)R#D^=y#G?_g*ili_LRhV+=SW9W*jS&=^Tz{ftqW$JdY6V)1qp*I`(t{?- z=iQ#9>6ba}_1;Ud_9&~X{&F!Y2$Vl)Ai%E=Y_iLt*yh@V*ieH?bI74djX|gwZKXS7 zfS2A;q53$RZJ)&d`@!K_a5In(O}ef44G9})c6mMD|Bmm$AXjy{Z@Lx(fD819*%xAJ zVU@_bV5&HK@gbu(<TZF49bK3-S}K??56HhSrLmxdC@)}a5~@X|$p)l8>lh&ni}50b zg`;$23_dmEO2tdCzSQIZO>B=)ydrE7KS>j!b;FLGXs~^Pg&vRLHBNFD9r`zX5HJm> zOm#nU3WY-}s;Lyp!LCVD;wA^cj#PqZ@~aF=!DWD@3ZNz}@-O&Bw70SD)IOTEO&|JM zb(dBk+6LE-;ky<Pl~k2)8lM277k}$6av<_Hje$`}GDVaXFqL~3>5m2GrW|<~wJ^DA z6JYFW^rZ%~0sPRt$<wuQcQAPq)Cn^^ZB>DHx-nnq<aX7~@V9j27$rU6v<~ze4oEKv zfyEMx%>WuJW+slur-IC&-Jk<)UTX%Llf6zqvbw~~(u;_1NCZ_=78VEPfN2rcJEU3} zRdlUov*yX>5a4iVhq2S1(J6-wgKqI3dO2y9G>dQT(fdrm>LYpuB9IL8RGB1reE1BF zbJIPJK`|7v;6b@58qs8002s=HXsx+Z*oMZ6=23+1cpYI4^%DuJeYbIWS|`%(G$#kF ztYP%YWB74=e0ZgW0RVA$1}+QEbcccRfQ1F@;4s;9*H%4PaJSE3#V9v_R-D)`Z0u%y z>*+8)nLR*(O;wA$Oa?SrlT01foT@>T4eSg^`|&g=RLgZQ!Q;7;VAQ`3e=B}AkPyX9 z>c#ccHCpMU7|3&QoPyRh&>G@olrVg)mdYj%NNElphM5HphM(e#k;6m5#p68$ZG0U8 z`%{e|&&KpgG+=q%e;E%pH4AX-qDP?@J|AjGrxd59@M1c~4FV3P4dusi#qcCx@a!tF z6wRC@?8o!?xgJMLE8Bm7|0=MPho!k-W%U<5hGo#Bw9`p2SGTJ=N6md9$+YEksx>hH z;STN&6Atjfv67IcpG4;6{7hMP4TF9JmvLKuR>YS%Z*m+PNOoU2aj_uF8f(Km>p`_S z5{UNcS<=pGwsPS+CQeXknm-Ozs9*12*#Ag@p>(!!*BUlFG4;m)U2XVoi`dWF{3>!# zKJ9dx25w&@mP#k3b(xQ!`!c+nxCeQxK^uj?T?JlZ#Oj|}jNKr$9s*hN3XrE={COt0 z=n=JA7V4}=_uTl5o1n%Ke$F<C=CSQ1w@p=^(+SiSzTo?McZRDaeFNAdI!6DHSL&{1 zXldYyBnID+sskh}`!|GEi+-fV<N&lA+BLZbd&}|r+CKR7>=A%R@RTS=HV-~CKIB+C z1O*ba$SKqwYqD+Is%IDh%x;0_DKwt~xSWEEt<W45vNrH1Ab?xPC>h3Y;cpU6eY5Kx zgMldPJaaE%z@g3#XghsQB(E)ev$XRlM@o)kGkBA3k<}A@kwOyknd@2rJS^N-O;K&c znq4OljzOwfj!lSxdGe5fV|?EW@V|&DlJ??Y<u6;7l_LT8T&yq9?JQfmXv~Sx5rjd$ z@&sjqTk~_;*gCcjM~nurV06A}7m#VLm@Ub_b$ZkBc(a1|w1Xi)fsjvNZmR1YZ<J74 zz)P%CVA#8J(CZjuNT+CQhA=p`eG{?x*OE)gDY6ZAA62`Pph@v(MsAB+@fA8B*8>_$ z>dt%(j!rHvt(dO3A;TvqGP7NG$6mOZpdXtO$RL2Ka#digk{~$RU@M$Rq4$gks*7%< z>s_S)Uh4u8FsEPvK+|)?4HlOXRU{LCa5;(v7%n?}+_<*p6PytUHa9CoCd${@4E9uN z)S7Z!Vg0$A**QPFv~pORKUKp2Xro3(VLg}75GOqE(W&I32#U?+PI1~aPJ5>7N$k9b zXi<tbUfLgdGhpSmuZoEi7_8Qprq*Vn(Lw&&S~iaNX)VXjcI=P@=2%MNXfFa+A#g^R zWU*dyvz?+4_+^t`r_z_2K(lc&oZxtP5RS$aaAe-9zH{V}!i4G$slHiaLj1+8B_?4N zM6(^y2F8Kz>R^Bt6?WLayq&PdlfmlyJS$bbCm)_Xd0jktJw15^`RV7yY_0j!!}auq z(Idy(GUt!`{p!Wa#W&;tD$(Q$Lz^rhm;tYyXp_X_p2RRe<hqPS&a`=e`{`55aIIYH zI7stl6Jun^y8<<LlkOnN26ZUWiiAPMmUw6K&r%gtU79YfsAsS!>Wy%u=SegXEtNPK zI0a^wQf5z9LbKI0qJ}Db5fUOUoFrPfq7MyBWsgq`OAAa133M3MinCFls=JF|24oPR zRdykH6mn8~M?`Z=;5qDh1i>3#=7$~IIR9eb_xpM2W}l?><NUtfuJ8AK8ohS67i*Nz ziyk%s0`nC3^G8s+W02SjrpS5G^Cd|S6{#)#qR16HM<Ljgc2VuQ#q)CT!7Ds>b~--a zMf{?3qjy`Neih+Z!YyIfTPV0>?`mlWHm*TZxN>MG1uo0&ji&}ujHM_~1cRkXxbwwp z!y*2TQ)d7e9{c%}7yR~db$E=|^TGt5V>W#LG4N@d^8heb4fy+UtGA^Xp1xMX=M3re zvJ8zn)E=kl-GtQKyI>tvq~28rrdL+|;h`y?0=y=3aAEUAe;VtTrxO;2$tRzIbkRB@ zyxu79+r7g%)9|c$ldSfLY(5tT4}+?bsZj_W%C^#NXMi&bAh?&3tsgOyx5ogcK{8I; zwY_!?K#11DJoH)xMR)&60iS@7A0{1Trqpehk<%g$L*pK9hLX+k$7lu|Y#-jHGa%D! zQVGh%qZK+Q8>c^;FIRn16-*nC(Y((L+6KxG4CBx!HV+R8UZ;)rl*!l1)tuGm#VH6n zOrdWKB!?_PZeKjD2snUS_thB;4I76>=ob7KCNyuJ<L>DB&ShepNZhzsxjBU{M6V@Y zfS_ZjVFAt5zwRgO%uQYnCygMx#PVwcal;U7TGtx9yMhVPSmfONQX$)w-aO;0B^wYb zTj%Hu2%?^196xa7$N+~%$KrxYdh5EF<(ZaA;&K8UjfO*3r86Vp$E#sIO20n}=JV+0 z{n9^|-;>2_6g;&$>eTI4oIRB9Uitg_B0?*>SNvayFa@Lb#~vTc+;a5Wr6;;}5T#vt z`=)K~Zj@1L0DTi;I{?D3?zz+QF3LV=V%bvZ8iiEtyARdsO%8&Kj}?VmG|Bn~OyfRn zfv<M_3~{WqJ6yoORKg#0m7+x>>lk5>7`g!UddFdToc(Ujpj{!>^+~-07b&#s2IR26 z028!;+ELV%`0CU=0Hj1)>}17fotgLqC-W_*UBW}Ja8!N%PGosMCYuVuPV!<9cMalw zf1I&>Klyz9MWhxG<!z_Mb_xKc?oXn_FKK+u=*yYW*8(u?!A-g)6Chx739?R~dK&)> zL9k$lC^^MlHg)KIY^qa9#uG*wykuLZk?-9k9m2EW0B=jN{9+gcf+9(ZX#Ma$%e{a2 zF9{=NxI@3eUH0_@^n#tsmA7aMOUH$^y%Q;3Q;H@B^0Qrdj**tn+h?d&zKk$W<q5pi z&Vsy%mh+-+yAnzzFyw|bYGfrGnED|HiWy0cL)FSDDGvIT?0V7doy;VbEL;SrlmWME zjd^1ffBosfa0*~M06QL;K&o(+Ju~QL@6c4`Yr`X}$(8wa(E3rp%a`-~n><SEUq)bT zt>6jqN1v?BvVnA?DDO;`_No^D{%;Mv#BwZV>&ON%iF1a}A{Q~;n-LOI$Ms~rDBus= zC(Uw?i}|BG*-5P&SqCpV4|+Z|ZrHo$Bad&~J_f>q75TddPvCF-%v>J6<$=S^BuR2I z#rHME7DMMwh|!!B3<T9j&!7n9!oLT`lpWz-+ch)+vQiM}Any4olJh{xb<BKin}Zbd zc|V4$?%geA4xoRg{+3rW{*%CT##W10zH#3@BRSNTFePlsa;HmOV_GZ|YHM4(u9V87 zgN8~)TOBSUBblpdNFp`~aQ~c?JTLQ`X`E1VdPd^AS(4cdn%JP_AA9eNICCRU&Okpw zWSx?$#8zU5zULhRnsH+8WFE8P_t7DkF=CG(@yQviK;a_beB87@wOm|Yk1m^?%bqY$ z_2<oIDg|^}6<9uR!f7V;$6|WonnGKAgGP9<T;#T4iNiS+_G7|yKSZfq%Mh;lFQ3;n zHiBK>6sW((HY6b=QfiD#<j)s8OP$m>rZmr|Uq*-#7Dz#nvRpyAKo<{&PgJDgb9pN0 zgbj2^V%{y%8N2MCl4#g|W-e3f)|QFp#Q@>%6H=dJNqKN1GiNEg>S86Gft6xQbSl#( zv+6b>yP&`h9?1gOhbuV9aI<4mNIljD?Uq9@J50pSjpdreHSjP#KR7|z`ctQ`wDhNe zxs%Z)ST_9L<`R}C#v<M_902C?e}Ktw2DXhkg{fFr^*0wQm`!<f$foxsuY190yEK5b zC!OLPu}|L#L>imGDJhC^aDbC<`oegdf@5lCwE?KQzy=c==m0m`o6!U6)_l(od-?^7 zJIS^s5)o48OO^yH^GO06kPCHJQEu|%!nl+`9#{;!VmRT}%}LGl_@=BEqIBMJpt)#C zpI11Lm$PHU^d5y%7&qVhvK_4l^TMc^t4sKHjE#u$=p4t3xyrPKhh?H2-ja>1DWFtG z$2Y=vWw~Nq$Xu`Nj^5NA3OS*k=I=J%cxA?b9~V9Yvg9<Jx{)OxcG0utQ_JEU7I+)p zLp-nb!zO%@HW34#;HbBK?lw$IA4UpVhqJ5th<uMeiay;6c`wiPZqbwlObDB)L#j%4 zNVN)-9m77~9mIvZX;h+^<l`8f^lma3Gl{0Q{>ZSf>_1$#Bra)&MoH`iILfY(atV3J z!%Hl1#-imw2k5_X+x^Yumar_6<Ir?siYdbz9x!{%%Pf?h$6HGwRh<LiydS!itpRN| z<a9@@HBQ$wnjh=D)mi|np?a|u!7neAIk$X#<X<*Ft04(KxBDf1-~z?})woZcDU|xU z%Fv7DIw9@d;1!%o&3}6pt<W*Pa)N@bwTV?=bP{{nf7Ls?q`9c%72vGLdK942lH*C1 z-E?R!zB6=gnSjwqzt%k_&iGZFzWqtc_H8v^fd4?0fUa|f%7x4PLE?SyUKKD)`lXV( zILQ})RIS=nhGxWQ)O%ADhDlMAAg>jATv>385*~e7aQ?OnCkk5cW>Nh5Y*!Ywmr8bg zfV4y6(|aZ5;W(MNrmd5|XzZJn6BLTXcFX-ZbYfcTguf4f+l8|<uUj;57x5#n;;y2* zEAGXl*(%<X_xAqW94&lvmmkJ;i*moXB3#U((>JF7dH`HUz5SUHRX&M@B=>j&GdYH; z^FY^7@MY3yxTQ27@b)Mg=BIR7M}4gby6F_D9RIAUs(a`F)RSu(9AtB<74G(PF_0eb zl3=ge={`M2BD@n5-R8OB5~d!27*#DBZprNc<ux<U-{vmM;k&i$Vd5O7IL>e)HkK-k zp`>MAql|rWxQ=slZ!TOx1B}gO1R7YOA!A*8dwvG<L=MBOv8{LIv8JM@RHL(6?W7$> z3@b#`FUn=@?*@u{x2!buE4I*Lk5i()6n~usI+a}?W@DP0s<5D-)s@i;Q8&4ineH#> zna($@*^=V%o?zLocl+~pAOzlNR5|4JaJ*o`8$PT~Z$sp6lJ{+SAV>XW$g6L<u2dT> zrq4HWUjbn=H(J+r$1d?9wOvGl7t}@**#|LQfk!PV1YCaLcsR<a1}_3D-YukAmfz{H z7H6U++TX@}4%jTD7Zj~}{v>LA7AVi6IOF^s8o}t+&Iq5}FNM1SD_ocA9<Kn(KpT|; z6lLnObutJ0K!{t86*mTAXd*Gt;6=f~Ylz)*nylzO50IB*$kF2K>gL1e<+vA3!dpal zQ+jKRz)73Bn>)ZXYoiwoo39+r#{60{E0hZx2Yx<@$gnp1fML0YN$Hv8qR8f1L$~*a zJq2zh1~uj`?09Db4w1&F9nph>*BapIM7Ng~I}Qd7f772V+ashX&q!ozcuys1vW#1B zH2IYigzuIr5g2F1Ic@&I8rHpuS5~4uPL^F&ukjR<(+AMbgfO$}XIu^dY!dhD;8w?b zcWW;g>kP0|Z9_=t+l1|kDb0`V%7zy+;n-+9-}(C|mM{C>ti+zjgZ=B-)ryNRZ@r2) zAjDffUSW>s5Lc=}G36M|OPprtI*z8fMo}Of2xODD43lxFDf3p*K@?b4a4+mO7Y^L; zc_51##>&GxdH5{bFa?bElSTSo18DKIsm^aGJ50&`G_`}R+-KL;s_k>`bm(-QH_-~q zqa+L^b_S-dj;lgGxzIh7j;^M-uLW0y#9-ioPOyAIg?#?Go1Wv85_{-mm|4%Ws+KsE z<6fW9%0^CwLWX&c1%qzsw#wVo{!Ud$%9A&6nNM?&SbKY-SWaQnLY$Lm@78ZLLhBX* zhVP0kQW7@3Oj~bMqH*-zn21Us5Xk!Tww2iA;@xNo^eEYm9RFV67>~lGz0%!)A+qor z66~5|NM*U6)@_?tkmX%Se{g|(v1A;EOh1+zyC@khzG>pO02+=OYbE1a?mJyKcVP@N z)4_KL$kuyW4c%%Ubd0;O_;r!^@6^#YrD|yqkZs=RdkE^*&uqkJMSjJ>+}jpB7uu3B z--7u4ZN~PLpx^u#`14IFKTW(*RL7XG_heHRrhRMd)t`tog(<v$%89ofJb!bT=g48N z@-jD6ybgC(8Lj>K)V)L6g#+^gqNI2>vw<K9(`lfBs~uf=*vqOKwz>=yYR2R6x4hRb z2R8b}Iz9NeRK1!n>yvueDobTViSvFJT2i&(^l&!rOe{U!iR+#blVGr!BNZ|Dg^H3D z?myN63@SUkG2JTtPg!m}_QBhL+D0|~1v%20Ztp>sRJ@OQuE?^CoVdw7)m}TtSyx5o zD1~QAcc@|BHdbnxX)riZq1DxJ!fc*xbRxD^S)>{2k43*7;6u_<9!%U4sSdm{<%9Jp zoe{UGXSUOvqEjp1TBJb!5jc1&CYj1n>u8UUpnhGlQB_?_upSyk#EsA6cu}={c=4-c zvpX)FR#GzQ5?5+sm>jxr5vVQD!aJWXIq4!Zx~t?F=;E`|?#TFGSJ=|ZtdF5`Jk2Xx z%)S68noW+ITa@&Pv0ep3UVD7M7x1Zv{FxXSMp>lMR>Cwu5;iuT!T^TbGKI76CmT3i zkfh_(WRZ=(a*2cAN!R=ZQ{cn>qe|e^x?6=%>(bl4QsJQOqe0ak;bQd7BgW<bj4)+B zMDKZ$>Rr<ivEanLRN5dc8q=%Itm}c>$O?p=sxS$oVmGMt7rU2~XFh}7^X3!3n|Jt2 z3{&|Hj_*Z%a<8ms_b`NJj6xWL!vDn_2;Vz$-PgZm7-Mj$4i;)x-5J^D(LG}59Pzb` zEUJFHdV<4*0{MmAvM8IKNg(KIAc#JG-lj)tsGaUe<0!AY&2PWZ6XT`AI)m}7#qxG> zUcgvdanQ|KzoRpGEDjSKO!BziU_0t;HXh><ZF4J*d9M1kibehNOjiI$Tuj(P@qU^? z;zv}GeiG*_5T@+F-ftu0MhwN_Vw%)RV~|v%D#SKe*rf#Vb;F~XyE`g%1GFV#)cdP! zjGvP)IGr4TTPCcDrk}g)AS5GJG!4-|gWjAkC#iIo8yfpXE#)>q5TH>R)Bip#PvR`@ zC*zW1GLtQ4^V%b&q5$QpzRLC`$efVQv$#uCS$wAZ*XOOY*4b(!4enE9AhIaUsBP6J zgq!EY!cTq}<uX$3Ge*`opQ_?pH42k}i7@Q`IQC&#`}es|$0+>q%UgCcl2W#=i7Ae} zI^cvF)@<f1ml~}O;9@JM_rQ0U2asI62dtuZre!<ka9oW5nh<A1r2+T(;D0k4qgUkc zi2nq;rT;#P|AN_Yb+NShA8y`OL0Wo*0io|)-N%Jq_a;pA50S@1Be-E=C@MV>;kL}K zK~{?7)%ALInHK_#a9E}febd13qL|AXq7!?un?oBZ{-nWk7{;Z9#E7rR#gqf<1zY<q zjP-*Aj_rd{pmL{OK`&*)_4h5kn323n+IDyL?6=>O@x^qUutc+)+yG06h4R6C%{r(U z_UE7?5r))O7lr6}VYt$6h8S6?!55)J5Z}nbn21##HpZ7(xdAL#8=q;A{W6NmUxthj zgsN3Ok8LaSehJ3j1#r5j<eV7isjTYq)TDXxRi<KC*LUHEu5z!gG<2X3nlt#>)MskX zl!oqExbtgfO#~Uv_Hq6`rnrAosj9G11uloV9ePpr|EYX{yB{kwgarT~`NtOhH_~{w ze^imBz1_dUo@&`TZ?hr&)aeH<u_HI8X>#7~w&rnIE`4(4O?KpQB>Oe^Qi%#NSw|TN zPSIC>?cZ;L3Luu8OxX72k|9g~6OY?#@N^%<dHAQQ8l{~o9oTopI47D%(okhanI=ln zUQtt8RidXVF#r7Nib4MCX+0r!6uhEZ7Bv{>ffp-IM5jdN?fhC?966Gi^7rBP54<?J zxwzY4P`+iU)i5@ag=Q61b!s1Yf94XAVl-2FD@tX}F-?8ZpiFgWhK$*?SLLY*QIlw; z3+<6*>7ywv`PrL9$)>DWP^?I0bJ17`QKjTUU~XasPx{{qr+6j{E$UQu_!gWD&|*o| zYf~X>HM_}Uqcl`aUw#Z2vSf~V!kI!2d<dT)rnOWUF`|aE!g~8t9=SVh__*loe{zJi zWO(uWxj28m%$z>I-=B+JNrn!RvowGmZ6<Nio&?L@5YI5PS;^rD|9o%;Gbd4-))`Zq z6UkH9Z%WqRpjPY8>}ry^;ORwz5wFS|$TWWsV~j9xvp|A_{&JSFzHD>$CWJJp0U=Gs zbBG0`G^&spfl^T#xFnvss$l)vkbWrEZ&)t|?p3k}o0Exyze;G7jN?q3HnUrrqdi80 zXsG4l<wx1}W3vqPiOlwIG><M-FTILMd}?0QqQ;<j>F$v<lW(@`FJ)d<H5f2pHD>0o z55hV0r-^G)?lj+6QJ70&$=euTs)qJ)BTYlhin^7ia%lOBcB*nOsa|%Alh`2v+DjN{ z(~Ov&K1`ia)zy<G8k0U~uPjA^cu{2Qk9;=s)7IS9Bq$%<{F^hyy*SpKCPj%8$D=H< zqM@4LMM(4^kDXKVLoW@(YCk`m8+dM;bNtaQ^xii7(U$sd9ccNY8}wX5Tvuqvi5e51 zQl+(^4c^csJ|$;GRmVh@9qq%-qWef!BCF#rSTrVz(=H3Cn>4Laiqyf;>fO+Pb2l|x zOo^v%VpHwBj51a2vPNQd&d(!J5!1j2M@;f1n<)MmT+F`Z0Lx*s7qVCLLY|+UX%0f` zU-FOnhtUT^j9(Mgg|oOy96g;ZOg;Kmszwe!^l6sp$N|E(q1VhCLTPhn^$&-`SHr@{ zsSvWyPFF$3@p_}#W&GxI)Z>{306SB|0iQcm!`Q<^fRhxF9tloI<eA((uMIvB?V`dT z@$7whNb1uSfj6QbxqwkR3})xg$G!X9F@*s?aUAM0YL1Y4{2DSs%)J96lDzixPoCI5 zdB^tw_Kket0f&@e5(Wg^?*ohewHzD>Srlj{@LOGNXsSY%Dkcv($6MyCn&PR>wtPOc z4DZ#%4K3=d2^Zlyf;=q9md=Px2Fm1&0OI#2sj6r;qU_BS@%3x)mvjO@{yx|Df13CI z{@T9hQg#<eZ;BgrB6LlINIq+V`m;&aGfyICXoTep(lZ;rU-uXwB7##>2-gQQLO0Kt zbPF+HN+5HPjS;~{Uw>3zHqfh2I-sJ71q?<!7*!d<qtx&QW^4DC#6j)}IWB+5ZG;|4 zyh{!_HHb0+OHefE(EAHW5;^1B6<$OT>Y)BF9<n{d<V@qunU)X_6}pj__M>|hDS-G` zVkM)UAu^#kvrs)dlFXE;tyPel9hRnByE^6w;6P;t*yjjj#$sfmkX22>tfc0{q?&k8 z#vXAn01|VUdk;WH&8Wb>Y84a5WQ9M(Z7#XS1yt%>kaRIuAK2E3QbA81u?ThRN@NYu zKl?wm@+x6Og66+XpPHmcDygi;iou48Qo7^LL#>`{tBrl^OAlbhT1QR&!)vyp;TF!W z)GrLr^4f5c7;qu&0ms51x*M^MwCGTDqG}d0q-vE&Q}ex$Y19PS(VY2&z6XOkTCx>H z2lnUQ8}=>2{VkQ{{Pm0cRH~ddwr=uETE!S7-M%SWs$=v>u9P?h%#*EE+x0Uu$B!Kr z#$TGm+ghD7!yP41rWQyl+u>yb$NFwb)v**OVro1p-TYD`0V^A#5LQyw0OINnqEg)v zL7~1AK*pr#f@Nn|h_gV1Q4GM;9JIrFB^@7H*xz@c_bv&Rk+!TCC|NE9okhoIsK1zf zT9^R);q`L*4HNY9<KFwacVYS=^=lt>e^#itG2qJSZ8$W+4m=Sx_4LE8IXWJyPjX({ z$DtQL9urT!dj$H;KRoSt_p^0G((8N7(|$?(Ib-n4;3tFS@HjB}6`1@67J_-@h8?WU zLYud(I$lyM0chLSA*llOYL+3>cAa6!NBgul(q9U>OVMwyTP&xcz83PqGmZqq<@5D; z?z2Pq4#|K4GkGS@3-qn?W$l1?U50+QJyR#xy;)tdFO1S7Fq`{GY|exB8*K9o;90P( z#szfT#bCEo{~D)4$CY;WXamz-76<?8slae_dHbUqV|<3+Vlz4da{`L|Iesrs&fmxV ze#j!IShV|6vK03zfCDQ;pVGLiXvu6Z$_Y(|&8(auky|mti$dm0mX#f-5>1V9by}@& zp+P#K%-v#~YY-_vJmRvK%K-iZBf8jJM&|Ta+tN=wXH`nt+s4`|fr<cwxOsYP&d^S& zUCITwtB{<?d`dXOVB%5Sxi;-|!R>x1Aw`>gpg}1{yswLF4}P{$n5Q`bJ}71(czlc% zR5*GDFnf66JZ!|(0#TgK`k=ea=i1gfp4EK5VAzIMb+PnHDnRDXy2t^{izTK^TnMXS zF)Q&rKOuh7fId>Z^DKGkG0GDpB!?;s(?Yx$NPN2GpElkb(Kq=fg9pG9aad^J0n8S8 zQb0##5LKz-q%3!!9XAe}(nHDf+kgp!JaGsc89uR~3QrddJ8v5tGGCjF+7;$SHQBWC z7Ii$!mzDwlX<l)>EFm!sV~wkc*zcS3z-53W-$jVFu)zHLJ=*|%zIloWKV{89s=Z7V zXYoq2TK#WOxpjl4JTnLORsEFR%J!!WFKtO6KU_)#2JHwz18Zr{42-rt11l`v{r>0D zcf}$KHB!v3a80ivgoaHuv;{jf&|qH4y|zN}`43)A7^O|QEWIXZx9uidOz9pY@Y%3l zyN2j6x6_xEva;>gyMP^7F(ZB+eEpwPxbxrXKEI^z^)@G6=ixnaygHmkHk2O0$M+HI zdsv^OIOaEYF6V5wKPr_y{pAqS&&_lDS5)<y5oDo$;cdWzGxLb8LS?hG@G|Ck?TDZB zNm(VTX7+zs-J!~MFiU>4(g2F%CwCmXliJi9a|*R*Iy?<O=_Oz(v{aHtSMrK~kQe+; z2HnzPktFy%HyA~J2hv*$6y}@bNe+5d%bR?YWT5YYBST0^WEW>x{|{I1)Sg+_h1&-8 z#Ac;p+p5^MZ6{A`+qP}nM#Z*mJE?HhKG|!1@4@^5V_w&oqmSNayIat%Sx=kKntmW5 zRdd|F>RFS+@+e~^L7Z|jQ|T8fv2TxQLr|He=H@FpB!E#oMRGGhC+Y{H4K;jQ<U-wG zoTeqyy|g9m#w1R>8E@%)K2)2?+?gipFG%}YxY5mAah>SshmwmEfyRep(|qrKyY}#S zS-icXDJ^J^2PYq;{8SU|Af<ex!c72&NPf0#aS7Jd5VxUY`z}KdYqj%(q5!a5%rF9F z1_7Cm9r)Vf)*l}19tikOK`*Agw`z1<@BXE*h3V`?9>SC%X2|#J<|_0P$va@ciF9%J zGf^@n=qS17L)Q;sn!aFc+hkS-TX#u+TJ2jT=;e-epWUU_?Qo4Xib<y6v#ckXV+&%| ziVvyIvf{4+2-tZ2Z6%>#@fqV3@JlZiuWFzgQ+qR%Yu)9h<;Jg|O0to|p_4XxOtdnj z>izXa1^dzz5!xuig;jsjlp1$qz*z+LY8|=LL)dvwyoom4t?*}i@-tXC3@s*-%claD zz;CLw#09b~oiw^YlNAg9%we}*;miQG8UE;k=oNx%vZ+I?$Pn<bwYfsUElnRJQk{A& z4CfRri@ywc#$h0k0-);R!o=85i!R5Q?Zzrvx?aL*&V=7AvNbZ&NE!ukD<~axQdi4O z(N<6s)5m5L6?2K#1EUs6nAV>Xq!r<$W&?vZd8<zggp^k!at|qL!X>*Ke!MKr^jw>` zAkPF6G4IJ9jRD{S*-YN(YzCcXrU(ocZ*QQ_N)EVbLVf2LCyvE?_W<NsS}esM`4RP< znf*7bJv%~^qbuc1Yi1s?*6rhb%G?@hD~AoxI(sr1zZ;opTbKQ9V(kt4ZRPA?8YhYD zCn*!@!RoDKjHysfMGk(u%ClFTnb2LS?4oyNNfEQ=F0#=%T&Q;#F*(R<GHeNI1+pTt zEenw9)!(qvpJMp~{dMm`3XZc8O+%iSYSK6c`0miSsGR84RX$SoCXYUGD;aEMX>4wg z9rdnj#4FVx*drGk8e3bQzB)`S=2Gl6E9VzlNZD#LTc~E8CmPQ)Ra<jzF-t>rk~cVZ zN_DA|^1TaK-QMqqY~Wro@3PT7C(>mk&qjFaqxFE9$IEMwpxNRh$c`RP>s`@iqt8QD zf|gT&ViR3=4`;~MoZN{{8U;t(R5cAj%){-;#AZjDQoN@%bkRL0SG8-2v`WKmyiQi6 zu*7Ma&P3~Y9cI1lKTU(4x|)uoh|Ieoelsu2orYM%_?|t8*eClI-*G1~?6tGjCx6-N zV)1tZzd`@^qV|w|-yidjUmk!40r>|#{wI0e#LdaX!R8<A|NoQW&8jl7i@%Y&Uur2> zLrG?X&>g|y*Lm#HCM=t(+6d6x6C_)MjUYD+$TY8fOUGR}vt{*P0*X~RWtXVcy5H(9 zJ&btT=B`{iHK9*-iO+{uJ8wa+GI3|uZ(jEPLT>i<hGy>Q3We(O(|<r4Cj>3e%AJdz z6Q^xU6$UFFOxS`VW`gh&4d>4CN`~eI;{)U3*WKR&;RTlUhLCZamYwvY?~*ZaQ%;P6 z_~2XQRTQQ4RN94>@J#2xr7;F8JEtNoD$jdyY`<B4MV?~NFVoG8+i`)@ilpR`oXnm~ zOc_cAS|>dIf&HWZJYiTX9PJ(=hbEMbOHf$=R2A0qy{SH%d%L@A7c#g|`ZI?(t>?y! z{O3XliCD7gfnPw*EKP7y>sJssBQm2mCHtOec!h@hGgt#tXTn%RI;m_}1@lxM1M(7r zq)5)HzZEAP?N_i94X*S6F}{l;U>xHDms@hYH=QdV+vU7UPEhO-sXEY!zhrt$AYmD9 z1eND(B57!&rZF6x8%iuxHm~($Fo`Ey#G&IvtsTvfnLHQ>K6`29hrp{lZhkP9$ao{1 zD`sTkl-kV$BsEg_KwFqL$Z}T@{qRf0kFyt>L&od(DpWiHMri!>^ke^_{$O_OSATN* zF%af3az@*74{hvJ*Hsp6BHx9ZirrOq8f3ZveI&v;DH)d`Gm2!%u28BTF3-?T9aR%$ z;GA1<c#?crJbCzFHecMGe93$&DwdyWYG+sQrp<L11yf9{2}XSgskz9?MBWvzEnWOc zwZ7HI@GEJT&4=#|wHs+F=BHhhQe;0P3$%Cxs?Z)Ae^_v}sFC;zR&vZ~+SuVY1cWmQ zC&(JtuN;zZg_4DW0SO!j2#26Va28Tc@Ed|&jy{?C7`$4DrEelSm3daVS7oCc!kEdI z<zJm_3k&8vwgnDuDh&aU`vAcn!PRe>`iZY_=r>!J7`os;`zr#9TyC)M%^7Sh2ZWhK zr@IET@UiQ&JcGwSj^IY@S-|ZCZ1e$VVg{^?j(!>QM)LM8Bv8L@K>KVg*yr7;@gZt1 z9rRkf7;^c1r>lk9yVRGJ8QCkHcwX1)IwOfDSO`VNyZdN#)GFL`Byd$V(56Nu4&>jj z=twtyd#U?lPm<0i^!_PTeB@E#=ce1LEWsAS2o$bAVBCpaJl6KGzYoVRTAgj1cA1b; z*A0GFQ-KVF@694oyzKc8d_LE=bB_9tUUvMaP{8=NmmN)<ob8-!ZGrz33jcQp7i)ON zZVV%T>*X2}4idPloU&Lb^o8s~v^?<Zg)HPz-~{T%Q(F*6OxTTeCe9)5>`d~COLj<Q zz_g*Zb1`$>j99j7_q5-r7&Ti|okpL&NRlMCe9m61lNnlZDoogv{=k!T1X?-MoA)kY z`+-=sYtv!8t!C6<4u_C?M#OI9Q+gVmw;_$46rU{~ovW@?3~Q}|PPQ<QKnI<3E@<q% z=!HJ{{_BNeuXB&&eS`L}OjV!16(oOd_giNcUQT#}+}0L1S?+<{7bsenN=iVYxi(li zHNx)hRQi}}46G2(_Tog1v?7zJ&AP4}s_sC3w0?g%kct;h)tt&zH^lB9iaAym9L}P# zsqRy3m<K}tDk2%wB^@C{bSgm9_Dg^$^*}Jy3$IPS4Asw|46#&E62aIh&xOS8yRY+L znG(pxh%ESBp_|g&)Iu?&8TSgSnc_SJdxHs<8+1la9WU*k=Q;!6>0ufv1X6iK-Oomz z5NL2H#%fUa0iBildBy`bDKlw!`P;Ra794?|+YW09S>=J&hYA`5WysXTj9mcrB&oqe zRKGulM$(9T##*Pt&rVPmK-w>xUld2-uQt@zNv9#AUUQlBfXUQW@_SH|Jw8w7MRd^7 z^^Dzv0;b{zns*d5-O6g5^MA4Hl<$K4XM+lahbD4v#X#X=4;3cWTA(emM{`Q%TT@>- zAY0RKrL7a=`w{}svGXF|bxE~Xj9G;!i>KvX+fiqO*}Tnwr5iI&Bt-5*T}qqDe**gq zd$$bg4bM|~&4C@}fZ*+0_-knlj|o=t=Kzq<n|3?rji(8<+;(b~pS5G>0wNE+3lyuI zOGNYI){Gb7tBoC<UfGg*w8KI}sNdCdsoXhXuz1m112I{%bWQSfn2(%&jA{bMH|Ls5 zy~_&Bv3FGCP>RG$y&-JqBVaa#*$GlD-EZfLHDM)t7!(`8m#EXOhF-~+l>~dIgFohO zM!1`AZ3VAy(SOo#8P%NI+<fWpr5&MsLWRlK^?qU2!nZ_)n#8OJwe?^Tj|b%*3Qnpg zf`p%K!6kECE<<TGEMj2p;hrle{IG7kN7DA~E-zC)n&M~+ri1t<$iH@3``fLqB4S7# zrcO2aFnX5Ke&94L4ph?6Os-}4Ft6{|1Irk9p-+em3-T+$t8mdMX8~ik?^3tQ6I-U_ zzW3gW_`bjxjaHoGrJGBoWOuNHYS`@?8flqmEp*DWa78@Kooh78-<*f$k+3MRI2(gG z-E-4@7MP!xkcANjN>nncA1r-;ti0t51s*JDqAbs~mF1=7jgS7&Y+(F)oQIOmwdj`R zKx$aR@hbyD+$y(4q>-H~AzKa0C^VHS5|KrK-LU8M>XA4cEXA9w5o7KDdN&#f8zVA} zaE}O^(GzGjK5twE!9=K^so78zJtU)Dr(yxMn-P!ROv*R3<0$($UrVB(D6XO?^>d`7 zbZV;qn_cx!6<}g@zP`EC!LiC}@)b_;=uV`Ig+@})Pq*E<85L4II1%yFGKjOKJ8;Zw zRQcwo<5cENu5X(4J1Z3$K1L(1AztT@O&+6Jq(21E{!1fK{xRv>*eOx8z7ZB@vBwdO zrXE$)VS7AvlyG+?9xg6kO)43}P_@}^ntKcbbG57ta!Z!UYlm_i`w+B23AnALalx2H zFP>*0A)wvXA-KgwSf98ui~|&?|F!9YMlnH`EQT)$(IHUZJ6u^wR%XC9&LcrXUwe1V zu7sEi&4M(U@4DJ%pPikk>WudFOU_rJ;wd?f)0yNkPg<s#-vLP=QS9FWV}A<cEgzw> z2)jlP^7HQuL=y%?F3Yk~gyfxI)!xH8xw!1mHI%j+2jJDN9J#Z#8{)J~&{%b`jmu(V z38>S(j}r_}SOmRiVQb52!Q44vKu>2Uf^C&v&+W97l6Yn<xi`Qi@A`i{N0T*2duxK| z0k%mZWOWMH;Bd=p<#<q{D}y|+%j2(|7YYa-ibU7>pA-_z*|qJnoj0*o8g<Kr?%T>q zQdduI2b4I|zZ5lfkh598n06GN(3BN6>*c&3o)PuDcrR2J)-qQnZP~ia(mZV@lNTBS zxtY1BO1I7y@B5Mj-BN*`mw*TK5M;Vik&}>rn&J<-)i-F-B)s)XxKIX8raOD4D`~Tq z*lmjoR6za+n~)eVjPL79&JbJ_?S+yh&NpiZeNuv>@jj>nBNl|{ble9>IX@`5$*DDu ziiv<iCf3in?lgHcyY26?Ff`R<ek==6<2$E1eiO&hOmUCzVTC_sme#d#J)MNplU<Fs z7}7OU@t^Ei>I|^5sc_|23J#>*WDTWmhMhq+nx4Vq31V-B$$025cj3y^6&UMsc4zHw zPuF^|{fDH1DiRG3ba$zsVGbPN#ox}FQK_`+>amA`!_A*YrbpPm<Gp158OoiZVK=j= zx8tNSKR;xA`{lM;QVH%04<hb57I&kp2M7P2STWD+gvcXWuO|+UTbp$EQOB4g@m{P& zVl^*s4ZC&)QCiXb`ir=|RuM;$_fH86f0a6cQ!#sJC#2#D^{g-kjgHib+`TtqK7w^{ z(EKIQ04+{rxEZ%*!&6>3*C4!SC=Ey=PaHb=zK&hG4hP}Mf(pzvIZ8#yW~rSTV$uRP z`pN1dtAu6ert?q+-EXpn!bbmjeKrSwtbH0bXgFL*!kNq;o&aV%Hru5D*pBYDV$0c5 z<r3OX#*#L)kty4=Y0X4g%foIf*Z4CgcS}_JB4`UC^tW>KGlWGx-e&y9qo{G>+)|?K zN<<u!HFxK}ee=+CESQ`&)AOuFjMqNwkZ0nCz}rF~#rhZ3*i<HJoOlTir)8LYRWYQl z0z$oYwPy#bd`1REM~6qt+uSyHVb9}Q?6d1ko+k4fF$54T0Kqpmh1y4F&-qAq?5{g? z9B3HiX0#x%O#Fxk6q(a+bEWhs^g{Og+aqh?bJP0^a;5#cE@@NT)*>~o<_nya^h8um zoW@a8O_uCJ=d5s!u|~r74DBmQZkkD(=xh@!e4>z8A@ydut-y{cR4Phr|JZ-@H)1LC zjZ^(olP5z1ng3xE)<LmS(gO=wrJQn_4ym2$oh>z@l77Lhl*{K|kvF>7r6%PMwhps1 z3>LFBHmX?wZ;Q~x@D$#Pt_<I*^!w=U)8c8n7Gcg4q~*J?px+oA0x5QQe8j4G^xA5j zK<1?loM_Cb#pWCM3$)F0TbpbeG6Bhef$@sAOeX}N%OrV*$}amOdl9sQ{cSx2#XKs! zey=FHpVaTA*N3u42(dzo^!)aG7s{hhh|%ROVfFr%A^!!erpnPDAvxill6;I1E;yJM zQq;pzFxOyQ^~avj<nyQQVvjbbEfl$b@VCnrNN%KNt{Ev->l<@)e1jfh8)U#4Z3ogp z+cI8F-kkR<TSV4fc~UR74cK-9?x@ECuHSn9_ezLRg(4aGuY6qp_YnQ3j5Ic}b1*S7 zaQZi^({nX&u=y7S_iturGR=rEzyJrB?Jlij@(=nALc9+_P(Lh#V@dg2B@4~ovp_x> zlzu00CsjvSrA@KiQG)V3_*fbNmb~2vBW1*9>eIrHZ8$B*Oc`v&SsY7uhxnGSwhwIi zeA)VH_RQK)$3lxFxrB-Sknr#kc=!!%h3K~rir&;w-oD*bcmET5*tHT$-H5|R&gZ`X zcBqL$EhGp?9~KD6um4?&frF8`g^P*a|2NS6w}fVOsn`uRq@H)RIs~wZ>H-muQ-jFI zdB|BQL~F1g@L-uK6q(J!6(s1jt*5>>lW~ilt(isW`l}eB%=jmFQ{op-Z_$a#PKxTP zmV-mt%-pVuxEeJVn$*KGJ_-0gYL++Go;<oW$2#VQ>pj<!8c^<P4@_UxHeM%kG#OC7 zS=YxqLpqhZ;;oMQY)BC+=T9@x=Q%g^nGK@YQULAv`=9uC&*QM{CkN9|m0F3BvWgTN zzv`)rklPoIJ2bCcx++|_o+G-o7~7VsE!}*!gBPk7u4R8O?#lkg+@=&B+Zeyv?L{@s z_Rz6KTb&aly%D)XZHG1~q;6hEhXDTMnq3nB$GuUjRMEA!TGLiw;(dHx*3z!+U9nav zi#FOqIF>DlOzC6`5Nrk;1;TOFlgViq=+s`Z0^tR#7~i1qn%Q+Tj&|F@^}jHr+m|UO zbTd=#{rh2rR^(OlsObGW0*~r5QPEVpFf625oP^iY;Xw4F?>y)a&_7<!F{_0Uzu?#O z-^;vavP|Fo{k_LQs`ln#T6Si#yLM{DS9}7DW{OO*lB)|C1OsyG88$@%b7QS(lNwtI zb{k_AWDD`2{{qo!kwzFO#*R%N1|mYRuZ8Pnu+#wOVu-rcsI2Assfi2$5@H>6C|+Jj zb9x1%KL^eKl+|@K)4gpe{G>fpMP`32OPG*2CRcr+J{MAeoi^N@x4oqZ(}d+JUQZYl z7Woo1yBRBeromP`lHEiGqFpGuN6?&vl{K5!i2TVLfSQ31N_G;-W!6E7>j5ebxggv5 z43%k&ilHU!(rmo{(2t|T0~BGM5@N2>4E;VtIt-#ox6Uj{C=l<)2Bk2Qti&v^*-X~B zGowZm#>o3a0wRoJh&Go9Tg^>{017o7RCK0DR$gq`9m+MKbMKcqmY9@|w`J%;q&RD5 z5)9!KBab@uWQ<E3%P+i_&6pQ}ltK7IogtxME4NXlk0lAl4Pr~sgNR>I&3sp_>G}f7 zQ0h`TegB0JJ5Sf%b$?f8Hrvl3*O}ux6;-pgbrozeSITAS>b7YKeWD6+#Ig^961Qhr zL@PWR0PeUC0G~CkIv95b1Y@OpI2Bc6Xlvlde)?>}>T{`Dx^l7nXv0m8r&fA2Iia_P zF=!Z7c#KXuL(Vtu8-8R^Bi`SLdB|#i_I)$ri<fNOQngQw9Hwnbt9Jno$2An}K+-T^ z+!;4!(7#Qpn;RBhUFZ>%b=_$Fp-{42bL=#o(cso?b>_OJz`gL&lsoGbGsm~`TRf8{ z<T6xI2u3YT<t~LOojxJdlB4R~@4q5m;yRU?SDWiwrx4@+nc6%R*UV%gP{p<X4Bey4 z*9yxPLbv5HI~2iy^tp5v1=c!S&PMEN<Bj;$DRlt8=ooRH|54^^APRm8TRSafcQ6Y2 zJbKNgeB09+l`J4a7}~zm?}hn!7n(u^J=}UDfK6el*S}r+lVv3-`mhf#BDyNcJQyi< zieCmFFpz0Q(K?Zk2q(pz!~~CWphH;WV*&hCYqqFe{({t&-d9C;moeQwmT=_YL2=VF zR{jx{bJWpJ<ag+A1UKX-yCn})&hh8qYyCZF4!MqpeZyM_1umPyuY(B&6zWCze6R!P z7~r1Qan1iT*^)hFB6*92J<wLUd-z?uttjJkFvfM<K>Bp0&!pM^I`#Y$2ZaIR#e|)Q zeI@}hnio6Cb_+ViI=6Y#@Yli^HvHzxMOjiY`B&u`@1Pz!cNxisz3GAMD6jT3ry#xr zcOYG?9HYJF5oBfMa(JJtKA<F?!O<k$wyq#Y1><yz06)6%UvU02#*0k@FwpaZQ`#dY z<@jhtWd-%OLDHz6tTJCbm6wDUm>kVK|D&J0i0>C^3|4E_-V+H~dMubOEzgs0f@l}a z_3yS*UgiMIF$%Tgfh4F7WU4Z$wPS}>d6yJNbGPKRKYa&+0j9%mnxr=_oBfwAeo>8# z3WPn6kD^kSoj0o!wk6v+ms!{$L1S_Z2`&`mTx38ji1F_*T7eCCuZ9C2Z`|wNuiR1Q zKA$-5K@ZWpw{Hv7Ua<wH)s;{_f*N9igF_f2`y{t1_-^yRr}-|UjqNqqLz0LkNC*AC zb&bOPft0Ni_g~HGDQdq?=7#Xi<=5kR_Y}e_sVCixj$!(o{;LBy21c+s-Fp{E;L z;c_p<qI4tQcJXCDdPLY>1lP=e;~V~!rh-JIo9E#5N6sxAQu>Xntvlv%5;`4ga0>_- zWRF^c6p*bc;?xQNFGfR*<cNUvZ=*#?7~n3)+nx9u1Q}Z(FU9zSH<dxqm<n1qwMFqH zC_~G2MEAnDa~Grw3AJ1Kd_Tn1v>yA1ewB*`weD{bL$gR*N9J3ya~X)gj3+k$?e36% zr(Y|4ir^hMz9g|Xh_XKD6Go7P4=)hdW?Wn++$gwwgfRnwh<1p<rAe#i1CDe1QL|=u z_X;4&rH6a^@WpS8pb-NR$MHYq2wi%2wtC$De)U^7s$nc#V0pej(|S5`^H8A&qE4_1 zkNOt#q=h;f3tsbih@b}OL5N4W3(0(x@TN8_-WEF%+F1Hv1i$u4B5+2EE$zZC^~Arr zHoe~CbbNm#Bfh%6*$`)Q%N8g48$A6-ABxI*WAFB_@nt~>0`iYi|9=}_hRzm1V?ApV zCxd^7{M5gYzRk8L9lic+Zt;PbC6aDXP`Jf02=SJ!Me#0mw3vLmB4*}I@d8OjJh_N3 z&ly7Jd^%<Xmk0U5I?}t_&DulD<_^P^+S;|;+|T6jaliF@xU_ibKnqJ^ll;J4&HnDV zXu23HmsO!ZzpYp($k2IB8fe^;8wHh{6fkJ0`hqe{x+u~Zpc>Yx!rLmn&>_+J5jYem z{+jiP0KRSbvB_HTWHi}rc)(5C_%qUx8#EiMl|i|08|d_>T;%=tMU}aNXo7@@sjTDJ z$lW4!DJb%pJf<e`)JNdBMoUJ)-&Ytr8{kNu;`?n<BP^-aNDgk@6N$soR6qbV${5-7 zz5yMU$?1a_eCEc~m>aYdMKh8Np6Of|*%je;fefB<k3rohVQK)=8R`j4&?oLHq}+hX zI9k#9Qy%DhBB-C9DRqeYIIhtRMO$R$F{+Ji3|@7Q92dcx5nxDT4?*3uR^?E!vsFp% zN+67M&}p{*OJZoH4h@SixAc+5A`GXbL>t5?A9qn1`TWhoHqrd`F-=1*!JD@MTaKi! zCH%qp1I&M(a<1CP4}QddFdEd3atC2Mn-$woT_AKUIm!xaEfpgBtT_()nZ4u19iiAq zinu+C;_c!sX5_E?`^}m#*I?^bfx*(#L||QwS`G)=vFRtX0Krc^g83z1v%OpvE^lEe z7suV4KU4BEZG;IY8Cy&{^>f*xDI8Apb9EWsLnc>U_g52AMPf3@QiZbF$Gx}g;L+*( z^Vj?(v_@7aQRGJ4T&o?u8d}Z>`QmNW#X|wsnvMX<4%(Uay%UCJM)uwNqd7FTK<+Z~ zw_Erh=SX~X@^;OGBn>V-QN6}QvM!W!e<5IfMtp!xG8!RP;FZ(I)9;D;&6)szI|D-J zm!jCu!uZ^L6umsXb#_s-EiKXdH+`7;vwAo8mQO*ZIWp-k3rS9yHPTM_nQ{W{PIX7V zQvT{Wvb@+eH?XhOaTIn7&Au435teKkFM_!p&%b}06%~VB1>(@Pty;S9x`k)lKH~&r zAO=SXwao=mN{okCqFK;3SQl804XOFhFosDB4Kv}W%U1VDPfx%6m?-KkpnMNWO%rJE zFnRX17}k1Ja4-<PW1#;8hbYavbAfdp*rrgbajqkFW0GDGV-WNVCd}C@IUbUY!{k!6 z+q`_>or7I?egEqOX^X1i0aw*U-*`?bYT{TT5YOWKaOB2_Ov;B4nt72Xivp1Q0VSpk zVW7bmgwdQmw>*)!0JOh-<z;1?Q3BIO<ZN^JRa#i-`<jbq4T;CeRduGTGy#A_MRdnv z<U9TTVad@N9e=ML(_48=B2@L}E8S@}F>u<`b+W=->i97n!{Mhs?1|?%@8#^8E8R<P zrb*_J^=mm%?r_?pf**h9DMGLGZF0BkC#0S?kJX4snx>XiAduOF!v-GW$uA`@AV`rH z`<iL0!%2anrwjft)Ee2ArN?4d*4B~u7(JR}p8h)9yI|IaE6~b8Ohj~yQt`*PbMhd& zuF9flBmTYl%wWYV3Mp~0HUvvkB^P=>PQyxHmm}tEx|$&fyVoFTSQW_^35bkg`5Yh@ zalrI9FH!TMOFZ9IBF3%NwUq6>R_=s1OVRKsJGhjK?#pZ|M~|;YQW_Hi60{EzL;`I! z@mf(KJZZoaM|UxrQ>}=8!ne`-y-R&mA$y9Au7p~jcl=20DdK)YE%`|Ocibh5IXqCK zI9ZEl%Czni{*m8~(8-+Gl!}0kf3xOmmR6<UB-fK4{{DDD^9n!|PhbxYABcoqLDm(| z+!<u;?2at;VG-E1m+{$euu}s`ZP$y12yARv&Dg6nstD7kpg&#KzPh$hdv|-^U&DRJ zyKrS!40?RCKlDNkYOM@MQFSd<%9fe&d6v|^j~&rZ;X)B+Rk5_vWHCnvvhpazQ@j~O zO{(F(e<cX)tIdU1d+qkigJWCgH$`VoCzVZ^tWFW_QLuLp&h?WKxqxs<QS>n;jfpmA zA2BQd`*1)uUk^{p)D)4S5KNUzC2^oz1TBojD5LlnT_}6n96}z9v=q+Bo#%2ieSfMy zEmLx=Is@G#FInri?g~B<Jd|zfVw`aIGlCl+9PHjO#c+dH9sl6i5wF9!;r)4?QN5!0 zcvbNJ5a$wlV+XF1X%MnT(ZFK8S!ocTkCHybAY7L$G3Yi57UZxLZ*TLSXpSC*b$Eq7 ztlhvBg<rJ6!xDP4rP138t>kU<(8XS<ecv420o<z$Y=h5ILjzbQAjy64=7!p7%n-$a z8A9J3ZGA<q0*TtMDvO<}R?}YG#(f$X*sM`0&vmgCdvF@Pdvzn?`s@|{?zZO0@yWJw z$){NLuTfD4_qgl4?*r%IZ{g6!L7#{G{3DBfJjD<;qJAJVFQQUjnn5!imc0~z#e)lV z%@sz2y)Q<Zg0s)GjaazDD*PF(R-5E2yYo`ah}+;z$7lRgZ#oy+=;pQm=0UjB^_2k` zG7TS|fdhjqu7yEc;#5S<JQ#rIg&BOC+iqUj>6LYGcG4qxy4g{wiZ7cnosph11hfRj z?ZHhnVj<dfV|n~?U%X`4{8nMzWKmF>M5Im_@(Q#v_t{i5ox3W^pY@C+t?qb@GrZ5m zn@w5T#|2&!NxTM=ktjWLk9-;YLwd=4-KfVqD-=1v=h>%{uELGAAzZo+O{<H<eYd>B zPmI<4%yipps7Rs3$x{P|RZIhJXS80Ajgt|aBkVOFL96~})Uet{Z%;Q-=Y@aVybOIO zeMsfbA#5Y<52FP<rk0HIODoAsj>;(-B(hQWhIhe`OqrbTI<tVS4~|Un(7_b7G=q9# zSI8saL5j7+b8Q*aYYETBQ56pe)($1<v;_ri8<U@#-;Pm&L#skT!;7@=UZ2YKa0pO% z3qfnuU&qP0cqm1)6E@ouSa9|6XPf98axu7M4%z}V`{KUkW|boTCJ$e}j7c0v$FgYL z)rnJHu;nCqwwR|r{|N>`>Vob9c~$@o5a<cS!1k;)yum9IJUlqa-{ExY7LlRiEPQ!t z%EJl`9$J=>=t{`o;U<yxojUXz({*Y;S(<p(y?WDQxBdEi{dRr~pOO?2L(VO2aB5RP z5dz$;FXLVQKn!fo<$j;Y&57NoBju0k93YE!F}e&ML4Ee$31kjO;o@X1N?hz_-_gn$ z8|h9PVbAz1&_K9l!H&JJ4IR!IRq4h_{IMxPPIc~EP-<mciJ9Ce1iH1DSAg2zqD(u6 zxj*y*KSM1Vkj1CsJ>XN%<BW;Fbyf5%3)x96<H^^Wdf({iN84id4$X9FVnxcFvFx6b zkEmJd@QIdfaQw5B#=(BxyaR~0^>65lMS8lA1|A{ru#!or;ly=HT>k=Rc`gW7g`pn+ zJSLT%$nR{zmxNpBu(-*;`XsJbQL>r;7e>2Z+Kt#qwWrk~dj&6OAn5ThqwI~??rncU zC3%kX3{57)8H!FSu|_sU@GoQk{HAv2(=YFVnE$cVQK)z8poRQoSC-IT%_o+)-mc$B zsV4T6admg7hhsEKEVo#;{F=#X*21@wb^g4q>relGk%OlY4-22De`P8NC<yxhR;xxp z3tDC-IukdO%WhvU<v&Zmz1TeyH%T%#0c=PleP9A}c?D7|6J&LaYe-4EA<6K_3A@De z&Qi1?o}l>9KW=KKrs|Sg*4IndCF^$}bJtJm<pk>fNl4Q`3hoQ3pqdp5Wwk5nhl~lW zu05wWw@CDJU(ViF-oNfb5MM?%nVHR|vmB4J(wYBRKdyJ9a7ONK^%j2H@RfdZw10or z!hW4de;OgQk{?W2yu(NCWVyuN^gk^-%j|s1E_m-WZu{;CA$sdId`*Ball>*U2t?GN zzJ6BkefeBM+)T>O)`+7hoMt}E^}0aty#Ma%Df5Q${EF{Jxt?JyT_YdZY8y9fZS<_r zF@CXszNzo*&p~`CM%=y`{7^eMb+O+x42+NL7Pb_<W&70thlS$`r<-zWkvkO>$uUO( z<l!x~)3zj%yPxKO=d9mFJY60DL3VlN^)m8pq_^L!@(oD&-q5q!QSqKHF1+Xa+#=zr zlL+wqockfTs`@4QlX|4Oquk=jd*1t2e`(^dWbnJSCMeJ&oBd3Gb5D?FCNFjEown_k zZ>Qk<`{o<gm$j&XAF3VRI)K?ux#v*hn3h{v%Dik}v~Xv)<bs()mV;)MWrL%+pl`EZ z2C<s?$9GFHTL#7(;FvrT_I~}fDj~VS-e6IaNvDUb%$jlKP0izsEoH?Rr_KV`f||OJ zk}Y~OaP~lRVVoM*cWo0Pj{|No^9KMp8I5bPz(obGE%X`D@obGL-Pg>eHJoDKGH98{ z@5fHRrW6PHqIpl%*;<^~3T|MbZSD-Jrs~i*>6&Cgy#eQ6_n|@|uMcMG9NL1JCXitz z_=2XM5<&$-bFKN-2&`J1Z)oS=9ol`E{prS1jRwvaDmLneWhE%r5ap3GyALK6oyx{9 z>eecFj69BxXSp_MRt=|etKnd(B6TN8iFxM_BNHPegN2I|8h)SZQ{z%ZL&1aJG^*$U z4YkYu>Q<Iu2^QC!$^-t^xYxNM^<qrW&{&X|C~pQD!4to&N$(xu-GXFJhEx>q#IhQ* zfY#@@VNj&^es`GbAmGPaLz)SDFL7di`Pr2TQGeVFXjC^lseH=Pq`{MRO$2o|5#aq~ z7o}HXpovCD+_qL%7t+#z!H1jBYYK<e!o)m;jFH?yM$FNc>`nb3DW=YZoy=-#gO3nq zqm0dgU`t=!v56a5A8<LOdL0Ot3yB|;MSz%*Fhyh%NzY^cBeKD9n&u_@CW5^<o1ujD z$;b<m72GfL<F|NPvL67i(W%HjBa)b|Mlt*S=dM$yo85q-$8ypT^sl<vx>*@6nL&7S z4G?L&%o2;ffE3YP9{qQhwnU*zi!`51ST|X`&cwzPdwKbgT*rSuOr$1m#E!S&o_20x zJgc?k(~<!ZKU({~xlbRwT**laW@lN?sw`$x9fvtM#HVZhjA>Wk00N)X{v2+HOI^i2 zF`vx4OIMIcsD2<le|xs@IXO51!=$8_P76|^I`V_#dq-FNV0b?k4p&kt*22nDsP)I> zEyL*TR?OSGbR|1#0g~a@<X)i1fzPCAg9B;AO<_{Ekf0D0+>bCVbM|aabS4wg`6p{g z2&>1)J*-V*c^83fjm&m1ujP%CccS8w%)l=YsR!&XC)Hn)G*7txzf$MK8VPJqR8XAa zlD|R2t<yt2g4KO`S%!8lx!^c9ofI$@*Z@J_JaGsOBGJUJ=y(-Q+Hlsg?7(YtAVKX) zt+>l-3#>b3;ZrDJTRg81h8;f?1>$M(mE)3(b_GmXU=Jr66{-o)9C9!V0lT=O=#^+J zXdwF6S(wddt>4MNm`WhFg$mp>Dt=P~AM{V7*`Nw*En&OkZGMF9L=QS%mz8p>-{-|i zN{gz={38#=$gJ;p9NA3p{rzSSw_o8ybof_x+Q4rzWeXq(;fSiApWFmL=m<p1%6avg zuD(e1Q8C{)?djNT<p*#Py>r7!#juZQQbktm#KSQY#36pofl^7*x;=?j?2|GtilK1^ z44ppMbk3705zO~OHm6y%&#DGG6NO?Fa`$BNwQ8k;S3@48b(z1PCc6&oy!8xX(Y9Xz zsfvT&gqo!W<WZyFL_7?Xjp}qWkIc;7TW5BP$J0LqZ<lR>>E5s(Xs!`PFKlus{P`Fj zU(TfhX07Zav9Q>*5@!S=RvhU1;Vi{F=O<J(bU&`h8R)GCH6OhL!R|XwRZ=pywpvQx zs$Iy8ZTv>W#<{?r$)}=An+7Xx_mpk1+DT1<8IvkZ#bAJ)W5#syge#`-5l%R#f_O&3 zdOZ?V_|Js+W@jr9jDe&G3d6ia<Ge6(ka1jMKr-*LY)K$ZTyYB^c6ahIT?)hrWGl;8 z>YZaLE8nuce|iRm>CJ#af2wq7rIkJhj6m)y8Hj}fixI?c4u`=xbw3KPlvd62appX> zgM?=X8p8V}eN`_2h@a>z#j?o<pGRb+U2{UVX>d1^(uri0^@JAO9LViik}(wcve8~? zrYt;9oA4&uEKkX$0>f_;FfHRN#HYePn&XJ$rOG8&7RA*v;t|jM-m&r;^F+o=xk|Oe z*Pfs!D>_*_H)&^XXa6w7#i@^)xOlRz9p-;$gJ&I|KQGR=t|BGwoJAn|ua{tzMQd+8 z*2)WalEFGLwiI~tnb94ryN2MJWUbg*@E5n@!@rwn6c%!1J6#UYk81PPgSl<hsKF}K zPbhtKsnHJDKI+xJ#+~<?x(jt)EmEu7usD;GRhFQU8mb`NZP4WxtbMfmmVpvXf+$EK zh!~a!AsTLsnH)8i$Ir||<;IYp`0f6FE-Gu~f97h@(S*ce>s>O3Wp7&W%>{iHKf{sV z&PtM8kqO+(hq@@ZA>_Og))J+23#X}j=J3cYvBlN|INNrGbg7Jn;W4hv&hV34YZ(f% z7t>{wJE?bT+Tc;Nhj?^@?4u;56}xw#uyvl{!^ZiQSgUYy`?X0+uAVP9Mjh(Yx(a8M zq%^=hv{W-$Xt7o^fWeypK7kMuH78T}$*r35bQ*b!$M)gea1uM;Ai9OzNRYV45uN!5 z8lf1cn)7IvsSlSmZ7ea{sWW>FSrVy(;N>xuU}?N!Vw2ei1SVujsk@YC0$M+TNT8Dg z|6WRA3vgUPQp;BV$F;jYS&VFI(uCInEx1`SVst|Jt+7?dyoJ06oCDvjeX4%c?i5_B z(YV;KxLib%%U!FyT?xVq$AADJ`pWJo@g8Q-&ic0O=PToVTWA(w%K+<?KNTB7v@r|t zC#;{KOSINXN{JJ0jI&sf!NPW#@JMb{!!PkhiI+|CK(r5J--XmN?mNWvAtGe>*<bcY z>M%JhGPvAeXAYHb4JOeUKB3lk1O%?0bHMzVQFiZJAsb6ma1oXqMR&#(5*DK6Enr%I zl`I=EE5Q`<t(X!#)DM+oEXY+h5wQ}rz<q;vpd8$7+@Cy#=dMMmN|`}CPdkyes^r3X z^m7)9u}z`1>F07)D=UXwB5ejRWct}^b!$1DV#i&=rtEHY+TCjDEv;KOE<>Vu>@FnB zrj~sIQA}x%?C;eRhV*Ennt@=BvRUoS$d5`db~5#1Do<~J?j2n|sT{-rBUrA;QgI8F z<e2B^Puho*F_9SdBC90RMg^}+EAt>eK-{ertJ86_G`?Cz15&nMJEC)k;cvgkyj-|+ zMNM);_YBQ{U+L6v$c4>EI08M$EQ_kB7+Wdoc8zg54N8-wO%m8VwSI>+!!nv2qVF|E zim4x6#S%r0v!ts!?${YyRhoGK?|9_CDmK_Txc!FT>-i<z`w@eK*$An#hXD|hs2aQ% z5Nb?%yvdJVvzm+`rXXq*BUkrT@XY-F!^j1GbW4ODg16|fYnl|WE^8h3@KEGQF~(bc z=MAT}?r&N>U#3etFpsSouc9-D1`+|>+k8F!fxhQB9ZYhrlAHzXs~1N1<X>mb1iA6% zJ+42O3ITA)-3$~X7&bt4dzNy#dx&XS&JKJL=i&HY`bdh_{b+84OMT?wn0;8h8IaS` zFw{E3MGdFMMn(eOoy6GA4OtHL-Dap%aX}al3ALP5GG%i&r6R3hGpaB}mem<T6<+5k zIfuU+R%ECSit0%`-&ylsE0@R49*1N=QbnoU#m-~GZ|%ALr3ZHan)bLUgF=?Qjye%Q zg^J~3e$o(gGUPmC@>qPXU+0K-oWI5ahtKlP^g4n2yXPv;y-+-ct4wr<=g#i{;K<7f zlNFIA8LgPSg);0uZ;#{|ie|<^R+4Om(YW_Tk3^g_WicRc=CFR2KcO4u7f7E8i1rRb z4|ozrkjMEs3Q@6kU4Zo3h0MKi20Q2_-N%BM(c9*0Q8-d{$UvU!w5JNDijK~2G*2XJ zwbagqC3t|%m6J{zICHd_O|(YkHCcD&e0XIgEB*K`x6_g~j&T0nKfq#rOXz&6-_fCi zcJskjp1+!Dlzl8;>_EVJP>5hp-ab<U`av=X@~P2DS4O+W#?cpihV;R*C*Ic95wZWF z`N1;e(8AgVK4<E|54{0REvuD%BojddGmM^#_3lVSvk4_9WY>a16HIQWZ-ISIYmX8^ z?(USPyQOT^G(?f+VR+QkEd4lQ<KjRD(~lC=>dr*gi=&VM<&$f$_n8$&vsrb5)(;t0 zyz)qM&p?a3#AZR&d)gj*Zs8-3Q2_YXz43b);F}dG<W7A{;{7Vh(5hfyNuC#p>emCq zQ2sPe;9Fx$*EP`hTgq4NPlfCvxpN7BtbT06n;H0!eJ}raPAmi%ci7)Tn&54742eK6 z#XPz?Ym@wPb_;-8I$Kl(0jy~PDmM%RIaXBpnIMWN<(5(y@sTk8wuMc7%{G(9RGPBb zO%JYSBaF0x9{Tzq7gnV}y6Y?3QvZAA?ANF4>--p|GC|)bNM6$Qh~Y(%1g}>fq|M3% ztAB51z%^aT`aoZgJMY6v+?fijxvBrL{z6<J@MQcdF|uD01-$lPl-Zq*yS06?S9C(c zg3Vv)n+B!rRD>oc6Mjux+L{-2u}DU9&PF;4!_csnDpxJDQ>9(%Z$PNo2)`2TRgl~> z%bD%1L#YdPG+F_zq_19>CBG-V!l|u>WkH=D29td=yX!=`i&|<@pb1+pXuAPx+%fZ< z-rr?`hnHH>Un~J<nkO4UHz++j(Kiy2E>xT-Q>L;x#SLVFol-TR+VvX;dE0qcuNo-3 zgK!_SvV6Znw*f9cWq%Urzau>$pNA^Jr@eI=SMWCS=i*Abp+HFI@kw`~z-I+x&z^%V zY=T0-Z80O(x<>b3%&a;3>8xNJus*qT`GE3Vy?a5hkiS3_iT2YSK8KJHtMDr+_Lb;Z zECBX{wNMoKYu`mzWPKuS5nP@(jQmY1ZjRbmpOv$8QzBhc`m8s6y!z9<|8}S~z`eG! zBJ#;8KTFxotm(JlHn%Feq2)%DEo~|2y60hQ%67y4^z1)Pl*1SNDjJVA=NAk}Uv3Oi zTx{)Ae;fpU%+tJ*D~REk(6}N%t=62R!RwCOcS`2rIsq-fB=g##M3&scgW$%Ez!u-g zyAGt&GJODax?9uSqwUoAbT-waQ47o>WHb|RuA<Jn=*8`siTx36=x_eZ{iGhK_BsS$ zWAc?Vfd?-WM2jU?hoF+$Cu034gkFr=C^SE)(t6;%mt<RKAU%)V#j#V|=%2!HPD;S$ zf6Q%2%MpMXR2HfoE8x#Ec)AX}Q`Mz3DdW}Ql(Fm$m30j%VN*e?<|onaeg#c{HY^D- z59gnxA)w)6Ry4gT=_{)&q*NxmGu(?bj)6Hx=1r?%-!DSoeIz6?o_euystGIgok&<_ znEEHyfWyhiqo+{IJSs9`Hl6=Ud<GCSk;N+293`=WsX@BGO-Rd9%DDevLN||mmC-Pk zwu&%C(nAoF+3&ZD&h&90W<$cETT6>yt|^W-AF|gMZEF8fy)OJxz?4xdAd$!1;*%m= z;+sEq1}g8M+M%*WWp@w!NeX8%H^5e?N*mW|!F)&^8g>8s4Ixg6vPS@8Y=fRQud<%s ze0<sUmnsR&hKs?%t@h$Y1vNrpuEa`ra}k!zj{K>69EkG`UKif)*p*!$mn)N%gG<S^ zryrdmYfn(xXHlRs;3H*Ws*w`8>liKv_&nK#Gfwz!&>$R?i9hs&FU*%ZZ0%rn#mPpV z)B;L(c8g{8-#YjT0(r-`#N=`xMMD(RJ9|^z?<fy{K0NudtgncPeJh?*=<x;P2#V>! z`9PK#aGn3AhL9g$A1=>l4s$Py)X@vJx=_*^V6~HklLmN=Cxb)vmCxXXWVZ3Z&aWd( zwWQGO{1)YQ6X#xSzzGp4mTGzmtemrjjf4b`mx()+iyeC9WPK$ub`&1M|DXd;k`}nF zZ3T0JqJ%u$>JOU~Z%vJNq9;Dq6+P@0pUi=egFja&Q|VC37d>MOhMAwNprXXw9@3|k zZ4E`zJ#DvoO~27#_yC^P?;YZJ+6d_7>%S^V%HeUhYWE1_z|+NV&lp>6G8W<S1BYfw z4cdnM%^1s1n6uK%w!XLQO5ASM%LIStHww+zzZPBpNqG|f(Y<O_OPA7M=sOi*!gBhT zk~&UTg@F1<L3NzSLSw=tS9#9Cy*g>d!M*Tjm!5b_XkclMC(>lSDxO}B_z#IC&&m<r zsNVLI;XN~}8J4Uv_LNOBIUDyy2DKddoXK^jEN3X1Q50<Owq(!`2vEBU0?=E`AL_Ia z+x_o>hPyIdzW5NnT@!}8AlvNW{@reRbPztNF^2*+PymIt&HahcO%L*g6RB16Sq$On z%EXdHBp6-u8?0w!7U#@*?OHY@4Dgvij9##PM!(Z?*%d6(7EP~!09`cj*xg5+Nn+kR zR|LKK2Xsxcbbt4hLEroeNw}|{A&n_Q%hLo6L>&p7FBd@$>l&^hIah(ynU#vUSEdeM zI2R*S;%CO*!Hx+$z5XkpB?QMH-hT)@J__F?jzoP^n8kRJhhfJ_Wn{ep7I4~y;2H77 z2_J=ceI5T)Dekw<p@&u3asdwVfobBa&57ms$B4E^_0{}OFQDY+7sSEHjCQz5(biw2 zJ|8aV^Emc918p0jS8#y(v1@sxrGQKyw%B%51{Rqs;|v7q@E9wtpSC7`*>DJ`Pf?tz zJR<VQ68I^gVxflwDqRP(7B#x;EjnJ&N<vVy8a}#ir^Y~KVvp!iMrqhxuZL;e!7Jwl z2o_Jz?E#6utDJY?0?T{&2Sc`(p!V;TG@o4ih$jVq(LCin)Wdm5rW6f#Fau}$TYXf$ zBV$_pP+4C{J-|<hQ{y*6?MrU9VpM~Ew*74=Ia{kruz-gqI;d7yC<yo}D~U!bIr+Yo zP;fj~F)rvGMS&oqFf!Z)XwyrRH+RibK6V8TzNV#2?8M{Gu7$_9PEY5w7M-2zV=Lix z?oOltg6@u5Vm!b#-IW^nGq5%SIz-?RK8=^5i?2mwNzDq<J^ItOmSeq%%KBA5niy&z zT4SM#hn<*4<A*C|!$Hbt7?CFTK$R@qd4Eb2|Nbn`CV;Hd8Q=S`&dm>!P}MO%>=F*g zt2Sp1I62*QcBX|yTDlqi+c#9`r%EV4vq%zmAnGn%AeR?^)UoUC5oNAeU!vbyPKc9K z2!PR{htQ2-enu!;J^9Vn1?0aI4!dZpeA}F483+Vf8wPpJh}q3mVA2Y_VelEYhf;(0 z&=#s%n539>H5kkG@*Sc&I!ii>^&2DZX<@)SQgHJ@2$}rX6Zz$fkg`~goF@_E+A6y` z$;G)Gi}kxOYae18-$GmPrwfQ!mz<$P#8uY7TZR=|v|*?fT8Teo8eT^NtGJnJXBJyD zA#MWw`C#~Pk|aYHD?FbRJIeBHF1@p-r3EZQGfH})c0=V16GV9YOKTAp7OR$HiZEi3 zHYO|=6>3=iwo&?0x3v6?5Nt-*l3^~fJ1bddkPa7|W7gc?$Yp+yjD<5dscULuX*VW} z>_2GBF_mblEZz!IjO4{cmn)oAy73MmCeRc;D1U+s>NhC2-oO;4#%DXvht0Qbgzk$O zGMc$WeiinrKV1t|AhTIw@^1X8Nvmk|m&nOuJfIsYS~+N)ch+Oh)H5Q3;$XOEL>mx1 z3#m;^2iPS%k?Z1VUEIyg?VZYaK#zkeYh=mVTF5YT9qEm3D+~_zu+Rn}+W2aYE<tiW zTey`wsm)u9K+{ssG&Bm2Ra|*{{D?j0eN(|lfpm0qzTY<Q8K`21UyXV4<MJP41gVtz zX_J}QCK*=A3VNrm2d1`&nZ+Wz5s8>2M!d&PQyo(W+B&s5E@}dIL6A?5WgS<(A^YeB zb@d6EQdNT_;oMc<|9lLS;UcgQ({l6rPd1I2eRN2sb90F2|6M!yje6_LU8IH<(C!vH z6P<Gmp2uaKv5te-o?~y-E_?fkLYK62)*4_yQ<{&ucZvqymeC4Zt<`J}sV!9fJ4g7$ z>9@Nqaub4?Wl4v`sU3zL?sR%O?zGijbK4*X<_d%a+wlfQKTeGJ!X4}LaqAF2nM3Bq zkCbR#21*3l6QM34XJ>q4KcP&eQTfu!$gu;Mp-`WcjN7%Yq7G_f!{HW7c|~MGD|5)f z(-4K9l$AefOjHD<P)JQw7*mHVqV9A?@=KI5DkpR!{<8C7%Mf2mxaUQ}T59!(X>SRG za0%Q~rG^w`un~**>2v}(Dn%z~=Sqtu!!|`Y?Lbc#%H!o0q8y)|=tf7&EoRe`yKXq_ zqy&@6*sa?I#B|~Gff=fl{7Xj>m6@&VuGU}SS2*oqq-gbE^RwNff-gkXCeS-5*5_r1 zt$>-a@~^L>Iq7-bKc?P;dP2GAMnOW-pkK6zmh%DY2Ajtf4`xIL$?6eN#lH)&Bqu2z zZYiSlpZ-2UCu}496k$fLVYUu)cMTM^=i+4ebzw*AN|yxtb@%f&d=4PT0Mn-U_?2|{ z2s_QN@rH|gZ|u<*r@kdEUEKjUs8lJs&l0N{xp4&H>anVkWrA}>L)FUxP7Hr?M~?uQ z8BE02ekspopo}hzn=wS;I>GjaA^h#BURh3fEYADqGT7|<W2&xquq&E%BR8U6>lCb$ z$1`XvAaw1D-N5A?H{zICj=`Udj#qigwIKs84-56n915PHfucrBB^$0Bnj7=lc$DZO z049W-)|EqkW+t9l^P1<UO+QlTwc`acCE2NVf3BdXjsNwn0kr1zJ{=plW-zWcuGm?Q zh(gB`$1D-auWmN_`fbHpXMyMMzRM?`@9eBwko|!7v0itGQOam)CAzKEN0qX3+wo#X zY{!qa3IF4d%##tKJ0)uQQ^#{0F|uGY;iNkG9ogLUQL^y)XD(V3ZLXqbCDwH1eDZXZ zMwmz9ESGW&OJ#rF5LC&c)Sd|46P(kNgOS*G+0E-iRV$J3RjkI2mOh+-?_eD~TiS~& zEp7Xa3!5j<iZRCj16)9(zv7A~xJz}#LayG`Xh{KwRrjt|v+=R6v9VzV`J}!kx#XFc z*w54F7S;>4A}q6(q;<G7P-%V4T7J}w5|vGs@W!`oreb>bQ^0wNiBt;u`%!#%3H?rf zjTjt{>Z#fsT1Hh*oUAb6DnRuGWpGGp3@ze9{0g%8aZ9M;akJ{`1!;H1f=49_d5;!A z7eJ+kV0g20>q6p+kuy-M{8mddDDDE3?9nKA6DW8Y3iD_sL!nP^T{|F-t&JW9%5JmY zzy5n&^7TsTcD8nF_2Hc=(~`kmB3UN*4NJ9LOjiyIq}oI~=diVH`*M>s)~8eCG&w?# z>B*!zrdFA*MydUiD^dExCv1&|R0+_!ddT@l>=?VpBnFnkL!#I>s0^Qa^0nktTdl1h zXE|TTs$z9PO}@^adJnMdhN)hC@gVd#t{FJ=L?fsL(u<Q-$4F=6@C-c^g44NdWy_U{ zCE+soKV4S)Rb?eg8q{$@q-NV)Ch4CnE%L3>%!vYDzjXvPDAD}SmUuuf(Qopt!_oLX zbhTw6*e}USX#jfBD3|+rI+0II`g`enx8gjbs~bb`ylxu9*Wr2dEH-c6&B?a|PSH%r znQFw@aW9atNV*<X_$po7jHgzts#nWhi8_X!7(}0{j{X8t+x=$W4#Z|r9H-jV`fk60 z{uB#R>*Ic7quSi%D8&Gg=2|ik`80(^f*3pOc~S-8`kf|465Z5anuwe+YOZcYvuvKl zzzCnFhdWe2wJb%On?}FE$$vedBtLCo^p{shwxlww4D|Mt;dLDk&L5IW6FJiIq0x4( z<x-05d_h2a)eh2JOXe5GU<99C>-N$IE<x#T`hyC#K;h_=MaUNjKO!n!->8+QXu7h* zWL4hK8X=>yhKF&xfwZp}wL}!`movN+HCJ8qW-r~W>9g9YIFL=nxmqVwYw^-}3|-|x zsHbk=Ox>h#Vsh7S@x6rPybLZanp)jz^Lc1Y1vUl@FN|C2a<GUSF{D5xj1VFIC3~^d zkRYfRno;o=TqCfZx<g$SPtfuuQf2CoDALXLWr94$P47g^kmyr@=+TMxW<j>}M^dmq zZccoXjTx@<P%A}$t}+_10l#%6I^rcSt!9<9Cp%y)V<^D@ogf*B>pXq*vfdNF<JeN0 zflkG8ak&J<;kD&BDPHpRVi*|=@{|z&brn3R#mv^w<|v(cw0T;>*f3QpLj{{pfhEz{ z(5@6PNVF}!BASOxM(*$)#5CwhFlxprTX=(%U8|k0r6+(Hlxu;xI)rUQzFe@|&NIkH zw#t`*kh0OOogVrAX~T+POGBIcIszx-Z9wqOVBa)c!oFDuont#^pNyg+=g~bd)cL2- zl)U6JP0Pnf9pH%2T!yfHio}!7=tKTInt|&ZB<2{DMfy7MK__Qo^U%>6e<rQtbm6g2 zk!Lev)KbZ+6GEO)ONTHoePTElNL(~aogYoFr5_KDS{6%+Lw^iAA(PHZ&^}>xh4iK= z^Er8(n@-oc6l{tyRQd>)ac&z9fr3`Yu+_d88?tSh<LwPM`MZ|eP7QqJaG55Bo$^$w z4J7fY#XtIk0kp6zws6lo=*|CEwTXPC%7SA+Hro0tnVwLFx;8$TR9tr{9isASuPWpE zvLkgJByPMNRMKKZ3^)+gCJGg5vt$b!v4!>Bj=xG{;B&2q-gb_eb&kKv_j&z7Qi-ib zgXjz-F1DApK#FAZ(jQM{c90lsV#_~f^eWt1vI#vdoQDTqHvtA{&DFI-_G|_xrRgvP z>>X%hJF_Erz>qZK5E|)8Un71QjtYrD*Bxubt&p;Hp&2h$yv)Ii6EAMOtisE>&}%q9 zvq(Ncpd=W|^{@vl)+PL$#B7%fFDsvkc!M#c1Pl#wQu%1Bx~$J}Od4Bwtj0~(qj3$x zxJw|*`huq<m(gV|JOqY@EliqYq`L3of8f&nO#^>bI-%fROa_d5F}WA|l`JzGj})F* z>gQ_c7FHH^MFJh*fxLd;fz|!+0fv?};;cxgtDE^+GjPp~BU~vAxM3-?bTZzIws3pG z@W(~P;f1ztx(13!23F+R!X7Z%RaYP2>3L>3IZ}lCZQRd3b8q2EX==^0wy^kX{8~@d zWf#=yUKTzMNy{KlY{h^p4zIkFLsx2SVl5S_L_NCVXgmEmB<;euHNZp<rC_6g?Od(n zqLgZ{H*K`iMc^d+$Jeol4&YCLo?xE0g><lpPv~&q_I7Dv8#k|A8s|@Gv^Sf?$8n{+ zHLbEEZC)j*wvdS94ar$NQ7QpH1*o;m1d1W<xV-+6HgoIvN@sDNOx-nfJE;9O5aN=X zC3DG2$+XbXY+CPSJ3d%8R~}R}Hmax3ZxdQ`Sk_)WoankXVcr|kw3bUZNqGz+za#CY z$^^7|1RCErjDdb@&7*6fE&k~}Q-BVwQ$|M&v3ME*<7vj9*EI2EwCwuYmRSP#7$(b8 z*jo8mU<{&SBn?K!%y5~JszKJR&VLk9<LB8jI@mXi?#f|v{S_bl9Nl(hIyW4~#sY2@ zFlX-yr*79v(_uWwei5&^yYV{tdAt@qhu6|);JRje?h$s&ewE!OKh18bPqN$09qe}F zcDOzBL~3|Cy4u{XJ?zf!+7I^-c$0_mJ=g^UMQ17p&*-l0#E-l7Oe^C$Q+LBP1AVmA z7pLLZguAIS=WS<zJ)R%-*>=SM2!^`5LHz45Gy~l?-=A5q3Oa8}DFSdn5(6zn7+=QK z-rLdk8=r^vOVbs~OA{2DEt#sAK<(#olgj?F?25BN?fb{@%$4@ml3t&|fU`59%KTb4 zEqoU=SXkV5ghbRWJgz5iF-1N!XGKC=%)kBZZ(qTojs?o+7rylxW^A(<TFuV8<$=)S zli~Fs$I=8yTOtoMHY7VHKlO^G+1gN$UPi}s1Fz-!0Qc80A5K~fvH`6%kcxuubaXcL zwFSQb(2gJ`SOa0{rqHurUPk^qBED>N9N9R&FyeHFp3KJYe(O@|dxt5Z@-}06AS|B& zT5d3ff^o<KwYi~Y1az}NjEOF&?3@SEAr<s>?eOPX$mF4y??CpdNC3n~1F#hp2J{XC zDnP1jcVRXC5rdS|vN&zBxovwY78@Od_E9b-SuqI;YTcfO<cbO%0rtRQQx8VHIu$#E z-B8Z2*sAXJ?3p};*H9n_KO0Yk?zJj|6E~V#7Uw`MCtD6#qoQ(o;>H|IutLJ;)>d=W z*uimSj<=f*;k+F>_IIB_#~ze&F)HP^dtoqqIum`0oh-_3;W}xuvUM#dO&}Y6V2=uZ zEB)pBXmWJW&w9}u$fg$u(8L2(4j`)B?I>cQdbfcyaSb>j>vY3k)NLXu-AjLP5v^_n zQWyFNgNAGXx^`p|kmB~w=nsk94HfL~AGS9@;dr2XP~$xR9=HyZj~4*<4GqatI#clx z>89mwf`W?c<B}_(TB0S&&^Pkf(I66lM9(QhaSYw-B~E_iWArfQO$P^>O>=gPC_C%7 zLkVhG+yM-${c5w|7?N{fG~b8*OStD*+@gV71MK^so`~^MKf;>9D+$jj#f_XzpKa6V zH@HBt&VV6oJ?wckE^+Pa1OeX6C<neSZtieVU_d4pm}J9kBPeU3@_g{dT2DcRr|!Uc zs7HBqy~)0eijT*jik9Xtpvbpz3PS#}EhlhP3}6(o_;Mu(%h8_y!(CBK*(o&3x}liw z9-RZuLFo6p^}dPT&{m1D&$Gmr=VP1)kgTh%<w^J`R5&I>X@-T4*oM!+3aG4X0W<I< z^qc1D0!vtF?&6_<rXJD>sCAa3r^M0kfOY9lQ_D@Ea&t(12Fkg24Y{RkjXI~y>AX|E zNG{U%aIJSAutLjX<7D3Hh-~PGvbW%3!CYMQD4+7m5H?T{oQvd3q@1T?(UmMWsU9I} zRM!g$m8EN{M^RHnciW4wkHz5fAvSwBJa>KPJ4^^HzU3$c$NmOitGhJ%L^=urcuf?Q zGHLWde^VJJ-@vde=fyxRb_4EgqK|!vGI1t&P7G8+;w!B<=5O?o!Hd69W^f)Hm~hdh z4vfw&G#1g?Ao6)_gKt<u#*j*1sV*aKdVen(s|`L6DMhK!-s`Vimm&r~#|5rbluUyd z{0qiRXH%&!DSqYruJh17QZDT3Vt3Q7?gF%0z|vJ>sm<m!WO2E9jcRh8fMjQsvM;5` z0L|HLi}UhZTU#gKhaUX{N<%YftUS~(t*txq@Y|;vlh|Rj$1zDBM*KgJ5b9)1^JwoS zr5TslqH_S*zx^FWIXV+PLhH6cJ(q_{n2V-fK(iUAY%zYUi^E{5#~`g;DSfGsMcMkl zp<WiSmx>7nHZY9#%O8IglfW)(m%d+GH5m%`k;h-cpz(I8!Ja4IOCH~^zfFKQ@Ky%D z0Q6qQT+~s<0%jlIa|OWrBLMF>5kPwx%cF-z()WGAytBu{dd3RK=p>IHhPNA$McwqL z06-o;4$sUqFYI(vg(aOxyveLE%uoGaFxw_{@XyF0>7}jt(1;24rx7a|{OLc<2OV-d zEoXIxwzxZ80tO{)+Zx*eTp^7i>3~8Opa6X_1%d31aj?M_@*~OVm<*P?RxQY#UK#^- zuWKBRnF2x<A<NZ*G}mhHk{@7m(Oz@o%l^?Xdq%&6M_xjW!)QIKqm@C7iEqlIaa=_z z=acX43=b#(8=Q(oLh1-Qh(=Ho12{o}s3F(=zlK)B3ewqF-yYPY+X2qzC374D(yUsw zm`0E*VZ@u{r7jlO#?|4F_w+UTkXMJYPdXdGk-@Qc6RMf}dq6N|vki9oSX;Rc?6fT~ z*5=b(OkTG(G2q^KS|4yX^x%MNqL1|^BtBHRmXu=DJbjSOSa)9`ZxH}(W_n5PPE0Ck zMFD^&MJ=dP-i0<y+u1Tn4?UaU)<0_RYA4`>Kw5CiMfAFZ(#KBDn+%VZv%K`7Q~Eqq zo^SQXqa&pS7AXz75u65e_Br~4k%@x;XI01lhpI20Ojf<)|E_8+Hvs7@=s!`fmW%b0 zUZChCt;jqRNcMofSTGFGiU1uA?Zaq|2ek4K(!nCWPbk^=1?=?1_Z+ByJKEvdtbm?B zf*?WXK8>CG_-C4S75cyia}j;$CQwzKl`D7jI60jA*<yhf6zIexld(nGY4vfWK5L~0 zV=25NNz^UtIvz(?s=VXzyD(g$v(kqu6cp=2UnF>f4Jo57srfiem}vDE`t%2JnbgX) zI6<=$IR~D#4Qr_(K5D)v7Zp(kw4fc(16-l_B2*H{d$a$RoOjcwaJ3>N3W?DlVb&9j z!b^O(WD8!&?<vmp)}dg`^XiaVkp)SLOIUTRxAXj*m%fhTQ>W!ViR4_uYie3F!%G{0 z-|KAsP}2@b$36BeK6)z}T)j*-%yi5NCL0aye!&+;%9}n-Ol6A!w17xufgT7v1`8vV zv-LNl{x(;C`<k-168-Hn{mrSroz>qe^tU(kw<`VZfd00!6uS}=Uc>|-SJ#E)n7qXY z+TxnpQFgGV4|=t9D;-7iTD_P4{eqsxf*Q80g}gIr=|!;f>l{qbCCfIADHW5lfRmvR zEjFr<DICTLU5Dk;MW1LIN&xG=4N=x>@NA;~XtD>t&7ePdi_IpY!fn7+s3PP>U-)CD zbA5a8zRNTdCDpf^y_ofv=h%ydy(py!0eMlNcA)@C<CRhb<fLq+)WRNc7iPgulu1^^ zPL!k0RLr>gZYMbA2*vX1qP#01b7BBTQC)!Ds71uUpO9H!KY@$In4OLr#76{Rm{KEq zXXP=mM`G%7&G4lkUuFX?tBk(b!zO<o@GY-F)@B8i4l-8Vl~fB=N$x)V$uM`%y^^~# z2b0`A3Ay{T!K=9&CzsOcj|b6DNP5J$hKM1_)s!AR1|`=Ep>hMW!8VG-MfKfC;y!+P zR95SSNV6cIQveE&t+l)9!f}Zy?y+qy!JpFVinZ2X>Tq4gji|Pxt@W`E*CnnDO7a`D zbrx+Mj~hK}LavxQglS+d+=gDO6*r|6yZX=p>O}|07LHoPeXjTnm#L+>kImQgqEj`z zuLvW@y>w$2jzA_-X{y`(m^^_Ne}u*yP93vljw4#n&CrzHPAQvCW}l|x81*rDbGr@F zc(sAwZ59JRK(=2ZC|yHpj#`O@DP3PGM^fM!Ak_N!3oI0VHvL(9B5+<ZQPQ3an$N~r zqZdSd%K@<SL5#E?s5GJ1QL9IW;s&z$p(=x#Lzd(f#uhmS)g}Cv$+ftPjh<(_Crsep zMXQw~R;U%1S{@<QCJe@yguxi&Nkr+IN=`;D>tWYVU9rWQw@Ma&ipNt!ZveGB;}9?w zvdm1VwXIrc6{6!oqt=F80;}$O!`0cF<5EU~PEjG*r;RHbk~FRXe^bD<4i+=x$p5Al zl|cs14=UP(rZ3<kDjT7hek1)?CtCtDh=I9!!h=qoA|QR+$D->Hn1l}JAUYvppbQ6^ zb)dlhWC5$g^O_YnxR%Z-P98;&t#1@R^8uUBWGA2;w9mxN-CRd%>9u9(O<Qyga;<MU zl;ayrVVhEJPnIAi!{VRR%ka`4<Zzr5a4gwS?4|#T!SY`?j2(XCD|2U+alU(?kisK1 zZraZ{5{JhzwtgLr8oh{Uiml)01~^YGHQ#m>syFH|#1+@(zP=p@1whfFtAK<=d(2h? z=bHs3)zUMi`p&;w{e6k(mNSkIqylA7lcxGPCMk2j!Sb}*=<67_@78YfXt_`0;Dl46 zK<c6SI_;%gc=>9+PWPz^y36BzNOF2TC~JLTXDS=_h9{M46C0e4^`nl$?M>)@#_1pX zbxq?K5FbNBn0!$9*HAgH#Q3I-we+3&Y{PyzU+0LeuiDQ-m}2WwNT;#W(b*&dtHtU1 z4-<RC#)lS~A=SxJ>l3NcEs?<#Xx!8Eov$Hf7b3y7bbgJivq}f=rLVFN3?-LPhjX}z zSzxc92NSik3o-Q4r}Wr3Rsw^DVLH{Hx4fZUxt7Ci_Fy1U9Ht)t^3(7UeGLHXiVf+u z(bbDi+W@eg{_03_svlwZ0RYA!4V<Z~LO;Q~zpKy59mGp5i8(sfizGd<^RAP33^jel zbgXwjMJW2eK-Jo`&^~8A>*bC<771DhM9^k6Q2;oe+*qI3CS{O#+$~4SN{o?h#cYez zm$p-hO;S~P;**ESq54tV<Buno%}7;=@rbyu%;NEi`yNiSovIC02zkN&4U<T-iBy>! zmzpxja>01kG1!!OhZ3IUc(;i%s$Wr@UY>u*Ck%k(u~?U#xLV}KbBBflTw=D@-NVr= zDvO}PCm(L>qBpSVbo6|d0bVz<tzP;Ux4sYrUmV0)5TR2CPAFZ5<O<BFm>4~1MBg!G zu$^M-H>~NS!nJJSZ|4A`Z5H57YtKWETanA1o1nJwj44h;)2|HpqCYDEnOO(0?Y`_4 zknK90N!*1xqdlo7y>!*rx_PM2#1QYwol<@ob7#phkKHcikTc&sXHp_2<NJ;`n!fmM z*knB9II>=_+hv|a5~~xLKzbN%5?f_)23i?Rl}#Ad2RQY7&JsY8e!vE-Rcdt%1_^b^ zDpJKOmjp404k^j@LB*tWEnZI=FFD?8F8J<I6WOv-S#1~K1N%G~Ki^^eD<I@Jz4;?j zA17e>tuFl`kWkL(tXz!(A8jbzk$m5V?@LO5lzb21`~1?MB;VQ51~-+4lJAe<`;^ir zlJAe>drs+(@jV^h+t8xgu-Y$Zr|Z-$tE1`I$Qtc5amDJ?%2hBTt!PY+Ll`nw4CLNb zf)^)VDrS|9I;w(XBeA`9H!q3gtMB%kjIyAFO^%MH3($09wb0;*tWU+yDJV8t5tc#U z|B87RR$mn|!=3LB$19wHQBN7n+PYZECGGx{y26Mw9sUdOe|2F*uAu8L;^ZsaUMjQW zRqn~pgMm*^^O<4SUx?KC94N{2wwqW6+^g^E&%Ler$eDsZ-ccs4ohlpLolXZ1nm zKMx{$JMj`7e-PWe6ED%sgV^ewcu6c>y6O0@(EjPFvxSxBF5rwakZN~z$>}f<{QY%J zv%9*{L+I#2pC*j)g@b~W35}Cdl|f#fMD7MI`m?%l6{O2fa`$Sr`b6i#)!P}T3Gz)k zH>uU<Nj77sTzoYivsa&Qo=B?CBV*OBR4c{^n(KV@9Np5(HY<$s=&+Qj+Q!u$ZCO`c zbRtleG@rq!9SPUe?)fWr0sD3(Vq=IaiB%eLolqC9wuR}1Gf8!f9I^Nc7TC4?%GZ_b z)o=Fsuyen6CaLmGY$x+`FnEI2kKUYE`UMi&j+Rbf`XfRjDE-@-yYL;H7eV&~uUZCf zyaJh3BeiQq_(C^-sZSb+Y?7cZvAA2`&h&PYZ@F#7EXwT$Ws}(`7Z9hV)SCK}iBfLq zG`!`MPRCn%Dd+sTK~AOR%yh?d1$;kjbSBp3Y~kUV%2ZkfZkCr6;ht3(QSbm2WY6cI zBT7mo!$L1rFr*ky>}pF3gyqlu{K8t=au(USu1+n*9joB|y`h)jiQeI*OEC=XOnJ-v z(mLrDzrjP7o@F!2IEXFrdfasLP2aM(rn8kV3yfjLi#Rj?ipI*LMvyUOCO&e?b>MkD zKRlgU2ht95iS^UJpd8H1V^Cn2cI!HpRGU4vuvbkde<#aKoj83AoGwTiD6B4lSH}T& zx6Gd|n{8pcEB=S+;*;S@w5dz9^x!E;XiIBNxkFuMYMUay-0rTVQ$EuBXPlOfdqF|> zR-4+=G?%H>Pze=4b%Arztx9v8lV4~Vv`VQhgBkL#pd`NI4vlRchL(we9zdflt;8zv zB^h#BW%S~b=*R2>&a$#St{Hgx4kBpQ47PLSwxiLM%CeUEE2T?_?X~?81DI;KBy9>+ z8d{2{!+6je&9;SY=b#yQT%Id_vL|>{8oP*9p0e@|XwXslD{Kq&p|p(QC;$p~m1IZ@ zgXg4D@nF~uz%!`*L%osNZE4Uvy>VLlNK2#HbbJED2p{0nGE-%b7lRQ_N$DLa98wH3 zn0s;<-wO>Z5LU5rnqhc>%EXRru}?-O1Rgw0!O&y|yAK4x>uH_5mc_B4xxN$kRjWm_ zpmXt95olX+o@`X*I9V1)Q`h4OHTTg>jOTS>fMF@rx?ugCq`D7$q4jr=Smd*m5HC6+ zO}DwJ@-8z_9T%nR6WNVJwO%aX=r_p%s&?U?YnAQ42A>jR5k~?EcCG`&5PuMvJvhZ{ zJBRTS@=e;i7~CY8I#Ursj}p;mo|M=oIn$rAd>4L*rs^et*Av76662xttZV?svsg*z z8v9f!$LU;S&yz3dx4)C3m!K$*$5YtpIT>@hYds#-)u+9yx?(_;o89z<cbHj<N5D+; zfPWqX!?_QjaPk3FSe)*E7a?HSu8-Ghxi6yI&>mf>#8M<48t|BwyPM5CIxdO<3=t}x zB4uKL#UNh#3p<={sEgk54ikJp*W}f5pNAYQatP}4*3uXBBMuTDFmf|VHWV<>-oTqa z+`8n}a`)qG2}Ud7F;}SLoVzeAYWM&WGqVVl2VzWcJhiVa`PBKRKjBftj!r2%*e+!Z zoY;kt2+>tu>_;v4IMyl0ZE{S@J%U=USD(qi`(bv+vs1L(Fv7X|Y_48guVX+?KX^Bk z9L)+|l+#H^q|2PutFqAOfp^s+te~NB#fVjbfyyG~PbKFJP&c!1{>_4eZL(;}r=Ok# zjjD(BBM5!yWFjyudQEaCG|_ivfM+fqtT6COm$RY1U2pLbgYBq2brVoVA6SO%=fws5 zK!ly*RM2KnBDl`EL{E^vWQPzZ;;)kDFB;g9O^E}Wlt|*ZCQ8cUkn`3+w^Z-~JFsco z3ustLDbY7WWq3*+Ul?f*l?@F)eKY(NPdp8;aN~@M?Hrh_X2(U@;uzdu)=z{<QS*SA znFq+;jf$XQFpRc!!z9{y0wa)y&jNCvNW>pSy|_uQx|gos&%&wg%PnH?87N~7aamqL zH*}37vf(z6T@h-^s`Yqj@gC;IQRxKs#|=pA2jP)$`og%rsLr?$a^30}+&G&q!rG?~ z*M914Ry)9pfk!l51*}^4P0#l*geXnNKCP3<GlQ8q3T7g%?^c^?JhfiGAyjRt@u>AC zZ5^-WqO3wji@n|?1{?Iaf5#ir0o4$FC8-qtRSe>W0u(pgLgE+{A8&*^HtW7Wux9n# zoeUMfDs*TwJA}hBA}firg68dGu}#7ikxVmjgXcdCU}Em<D~WS|j(hQV)2y&O3p&}1 z#}8t#BRPZTfWf_&v=6L?^dqDL@5YnSh48!*Qt%ixfH~Q7^4!VKPoBv-D)$XsB)tG- z0f>qM^T4OZlTA4efZHfEi4K6>kg=o?K1{l&z+yWGPXaud2HqbyqrA_NW8^eBi}f@d zGIPqz77XQQ=Z|`8p)SPCf~PVrTk5W<@mU`n-ZPOr$rFlOt<Gc;P*E@k+#`UVZJS8e znUtX+@DJ}Pn5$eK0-g8w4L616ZV0XXgPCNhRVL+8o|BKWC<9V1(3D#^j-6_XFBW)- zzO?!YCT7avyhaR|MR_daahZ;V=t(wq0%Mh6J3@cGR|5+B^0alp4`ywhh0fQ*3+ovS zG(%0<kCNNI42luR_1eSv+QWI;!?S2^0uU^=W!_p3`5cFJ+bNt-(@w5n(e<B`uSmpi zppA1-|G?Ly@LkhBWs9P<cxsEU6X;Sye^$eB%nx5i))oj$Yc#3ALiZ#NcsV3+ev_{i zZQX5eqOIGFbMTHL7Kb|B&(p(yPOJ?8LuOqWhMJu72)&65eLQ{b^vL=d6rv1ui9bN^ z-cw6TSF;E()btoKybaf$rqH*e$(g0<eaL@1QTM~3DCY$GB_4DEM%}ri`M4b`%S%0p zSl#hpo*F9kxY?1I{r51QLB7dvYOtrWXxCh1>|ggKtZ6`~=TXFZ$#L9mLl?4JBWYg| zwRq{H2u5wkM<S9Nm=mxY3FAA?=C`5r9GnN8glO~}M-Gwks6ms5-v2fx?Zb^*dRVU* z{E0!|G1$$>(1uf+Jl%L&U)A!^+gMn;s|(|Ae~A`=PVq%(80V!Y4dYadaW3-G&oXq% z!=QH^DUVlygPKA*@R+S`IuG=`hklCdZLTiJZAxLxi6;zI!N8Vg>#tO0({PkA&f1NH z2kT{8uP*b`85~A|bkW!Jy=ciEzlqtVU7UQ&s4l=lJtJEu{>=8-MaKehfN0R@-6t7a zG<OFzG58u<-+DCiY%k?6vfdGcr|@8!J;%WBZ0?fRj%>JSJca~Ii#B3j97*UCI*{bk zJ1Y7x!{pltfQRi(Fv46f{l(vPHkb;%vEfZGCHPLukB#&<?L3AvcXQy{gIgCM|9Cq6 z*y!CKr;f7SAEYySDlx5w2CU<a4YT}Rwo}V7DBQe0pZ*QN5=W(B(NsQ~9Qez`|Ee~F z0{aS&D9mD~bK$N+at05)qoHqfZwmY<i{pd!=E94>+{V9p=<?s`LCKvXaR%UC1H0^8 z3zzR6wHS{?$B<=0q1&|WGM>EOl%a$zVCqJPeMT4^Fw(iqjAL~z87h1PI3gbTQY3Fb zc$CMZ6}B5HkcD8($XTRT$HBW0gQwwxCzO8+8K*AmBi^{WEJl{~!SL39$RJCR%lw_n z<pmpz{ss4vyLiW4f_w)qZ?!0wt?MU}W2d8`#VP#2>1iwXR}5vyGXQ~U6QlW|JG+Lz zJhLC;PT*r2eyrn3y@_}PvVteoabtC#dM}S26<n7Jsz(5{a3y0@t@SbGV}n}XCkCIu z*c3SiDUm_mzW{jht_H^k8&b#z#_E`!3$i=jg_L(4?@JAMp4-E`<6%K|9Ar2TTGvk? zZ=C*O;N58w;Jet!%hM34TcX#5?&@Ocdvt8^6T|mmo|PhyMLZq}$Vw!O1a*l3M2;HK zzijRU56kg>Vlk(>H)J|V>Hu26^&x;>0#^a9jwOP;stt(JS}hJmTHyhSIJ2c$<m4Q3 zjFI(p6e`V_$etN>EB04p<VCM%KxQE8D5yFf-v7wnKMw^M-Wgz(#nm*mVon^)DoqfB z7jeAY%#3e+0*GX9#!a<Fui`Q)Zr6!?C>pCwe?r^AQv(hP`_8f?%Fb{L?3Fmp`bXvY z*27$~Tu2?ND%T&Y%q@?Ub8?2ViXUPr$|gaRA3(W<;qhIT1f%4YTd)#rj^BXINiOnx z;gQhdF&An=RhAkz{aYb3E^&uE19hY#>;_)>o?v0pu}fn6jD=m8u9hN-Y<_U(CU^qx z4Kvk(@762NRl?@)hAnQb2=mpB)+UZlcHq?}B^7g-^<2A{@bz1a4BmIR3=f{WLbq1p zu8B@R@8hg&^4g5Y0iI!BaDUZUZG*XXbZeu(P?iXqI$zzwYpGZTsWgMhOgfTlt~E7G zhy}2?A2x%}88sTi<-u_CCDQ(2m`QP94oWfbzbkgH>J(HbuY`p=<vu@82AR(l`AjrE zV)9{+CXm6{3Y_b~;Qr9hxOJcemc<>HH<puQg>OfCOreG5GNme}DXkZ9e^O{i9B!%^ z?q7oTbjEw})y;RdP<X(XRIF!_{06wzU?ZnuWJu_4lUl{AWkTpqco5VwURnLi3KmZC z>MxOB+A7Q2jtoTtVT|BkQZ5@aHt~$bKqNmOI5o{JkoM7W{3czSq3dC;#TAJ63Tr^4 zO^AFhl4DnCv_5io9EPbyj;}(S?Qt?ytu}-IEB<g9eC=-sHHRCnjc36Gf5O4`vc@Bq zc+i0{<<f!;Y5oOuI9=YzI~oPKT-R@xtn05qIg5oB8<>LIfeP+gUBOLNB3+|DKC|O0 z9e1|?rK$M9ldXdK2pH<-!nX|7ah#74fA|{|#O63|snPhmLyK>TD;iUGjikOWls~A} zn?XTh{(7@oC#ZMvs8Q|`;OeLo<l45y>7Yf%p%zK!70tRnzomH`YLT}`YmrdJjtcU2 z)XKh@Lw8@LJOT`9NKVSRnN4lQLlw8iRY6^Bh=YDxh7(Wf9dWhd)>uyo+B@N%VvGk4 z;o3Rq^6R1GB?k4bcxa_94m}ka;+Mea0SU?wYf?kMD-IpNl%pKS&&dx!9LL?m1IiE% zC~twvlhTs(&KVg{maqXO?H>{w1{9$8My6~x3Q#KQTiI-s<EoC&aD~-<A=6jn5hNvs zB}3l3;3_0WHXv(SQaPvbh){k)IluK9Bhi;gIXffkTS!)>lb3Xj`uNB&S(l6=tIMn! z)r!10+u}FE;Fg_C0aOd1l8mXSVU)-O<-=YWpn*F*i+~5cwar<|TiWR_l<Jrk%?7qp zj%l|3)1Tuooz3*#S+EN{JaNoe7Mn4Y^`4xmv|H4A!EvUEI?l*j$z&|}e}Fj)FlXfz zQE-U_ZdA@*$aza5XT}xZ&ce5|axQ%i!~M^w%woprtPC_G=sdRd?=G`yAmwJISd%_c zCo?3=&BP2UN4X4k582KrL^kiJm{E=Rye(hP0+V#YRaFps63-mX6(>K!<s>D-M?XVt z^KHpryraUV&3H>5n<y9x^;;W3ZysG3JPLXfK<>H3lgvV}d%jAr1Bm+;<Os)r7+`+j zoxI~tL0$>6#JI8fTJkmuN<6f=7<f*tzc6EEYlRB`heX*%sxQF6KP@Xd8>B}E+s=kW z9eUctArW%OS-7B4ePP;Ne8NzOK|KQbS6+RDhYHERqGAvOA!artIrC0I1%Mg^P-}z) zUJW{DW(`GvE0H;yXS6hDadH-8J&>9&GaRFsG@h}!wE~R>0LdO<(2PgX<_f*qnqW|7 z6rKJe<91MF!J|@^nyD@xgF+9wQ0_IJM7f5fTS2V*NKWVxgE~KWRKCVB8OK>5H`rRt z9+1<OnV6&>z8<=RA7OG90}W%Z@`eU}N<Q6tP}A5R%EUPsr3abaoYfw^qrcLmNVj|G ztae<bI71K5!jO$Wyowu%qt_+Qr)f@wl7N{j^I_P{bknyY=sRr5SGSnh;K4TY9YKfg zXIOG|H?HyGx!lmvPlaJXo=k5&m|R=aH*@~+fW97aM2nj62t>(*g@McaZvfctr9XX6 z_vgH9ReH2<%r=C)!;aDHes0(;-rs!<G_3fB(OZd#%jC87tHHUS;K>`s>^cXocG=9N zrzZ`(!w&g6y88fgTz`0AcwUi_Y5XvbJqOd6v)wF^&PXgZlsIH1P5)5=V`tm)f|PS7 z2GzZ@p!n8juY+sLU<xi!800xH2o0RXHHB;G0w@tMnnPz?Rn>1_WmWZ*Lp>~dXbc|0 ztIr_aKT$v186MyLT=(h%&w?<LwEl{8zC{e|z>Nn{oOySywH>urSwg{lz(9O5;wEX@ z+;lZ${RH=tbtN{9tO9s|W2ur5I41_&xM3;xJlciNGHS5`Y+*H6g7k8k#mDbR#e+mD zKEV^TuzdmWEx&^sy0QpswJqFoDHGR5f><m8q9~h+IVrczJ-2mPUu*T(c=C-u1y4YV z-X$K4xaoTrbkA`f31OXuZy2l1psO86#K(VwrdCQQ===oFAEPC+^q(4uB~HUD*BBzv zNq&Pz2LjiA6ikTMmvH^5q3XUGzabPtm>RdX7n_yHt<NIr0Rk%_gP#kr*1EljBMD-o z2nXcT1ACBg*W>wiEHeoqBN-$1y(NrX$Xw#~Ts#Nv0JfhK1Gw9BxJ<xdRG}TNzU(Us zK7r@g9Y9EfxczN-(SlgM#>!>$yd?&SFG-Q7iTiA}qid8QAa$g?Tw%zhsC%(}dN(Hk zmuf7H&cxI3*EkrF#GnuBVTGn7@RY9iXD@fF>^qGWj0ScvJc=0}bJz(SW;?4-eC!f9 z)IHZ>Y<f=HI31?-9&s+oQ7gpao*X0c7qS4bGVteX$gH{)vW@_b3*tgdg1f4LyR1h1 zT@am<NC=aa-(Xc-A>)luunMk@YV&$Kd8&kAgx9vQWi6L8WwVZ72bb;CySCMwc-VG; z_4GK7YdS>E=%o~%!Csk-z2ebRbSW9>jXM~=2w`ANbF_=w=dm=bw2-yL0W$Fz?j-NQ zZ9lqTfXIu%lQ<27O{z{A-J}ZEq>_Ksq)PG>`>OY)xNmG(*%}3!HC|!OO7Ul}Sfl1S zoeHZyC2?D$nw`#VjAw?heS81;_Wg_D+wHs8kYw#q?OTBD!{0h&4cd$#-);!XY1Ji7 zYrwXY=xu>U81~|W@h#Sr9K8+34g-@H{R%BGcIYkG4Qj9HH4N?ZEyJI93-v}pUPB=) zw=lxaiFA{Q+v~%vaS6da<M==f{4614thuDUu)`e+6k+CnB*2o%xEBE(A8dUiYSQPP zbk2vAm7`m)3pAraCLXu80O|-~R{XgGZ7+gobB2q})rqP628-hKyjPa59KbYAUaK5n zFw%|w)CN0~P}xGq?@O+B(JA|IB#JIbNbhu<yp7(HU?QgPosy`_QcLkQ%y%xJ@4k%r z^D+Mi@TgeXBE5+)L<$)bHLhUiH#Jb-FWC+^vyb9%O<!g!$hhb>iT+y8OMme4aKLWD zd4++zb9nu28hr!+)MDB=45tt2pY7FyWsb6+9t!2N6*$tXpG!uv#Dj}(;gt^!(ra#N zFVK%3A;$iSIlMs{KeG06Q!H^5cXxC=jqe?%49_Y>+v4g;avywQKRcupuroo-J|Twj z|08W1NB^*QbesMI+jP#+KHR2j=#Pg1*aRcJCefG^dSgniY>Wtv$zhG@aMQIj^usks zdVfV4H0Bn>rE5A13(f6LY*|Tg1GLJh)_2?MyQPWrmc4A7r7BR%2zvjZfj`)rXyC7B z3?DzE?|;SL{m7^9?irpIWyVCqp5(NsA15Up7v*c{e_sVNPlt)7+GU{$*=RlsIq#+3 zXAr5rP^D(C6QukqyGz)ZDZXs(ugILt%f0v;N6_xVua=OG(Tjk?w&(C+Nz1g+$KQkB zg&_%Gw&9P(;BuxJfBpgn{GQK1uO!b;m_jr5T(Nrj<3A)%PY9zPg1mg|l;}~mBswTh zX`MpP{NaiW`r4kQ2Y(5Tt#@9a$}bY@or0VT@>Z*1nEI|v{fAiax2lw8i-ul!hb*>< zt%7smyf>t&cgh!|*9^Z3cS@;RwMG5{Q82dVIUT3PAT9wGPsNkVEe5$Lw26ge4>e5* zxh}YgD=xmwx#^tO5}~z%Rvov?@%10!56;AQgLB@_=~c`3;_p4h3>)T!Hm41#%@!zQ znqG#5m2u(VNEsHpY=JUdCh~S+wFUQ+^Q}{(eCx_It++mh!TNo;c<OgAXTLE61lsrC zSFFf7|2wfFI|58PqN~Y~!nc%5DVwW9n-VBY8I8h&-$ntNVcBhv@>{3Ud!S5m#DBwb z)qv$rz~B(vZk;o_mMeZ?#)ZM8V-+fFEB?!0I1aZXZUQzR`GFM6s4doBTm%2gJ~@CM zP_f5@vGcywpF8y*67*=fy@}mlYAJ$5b4LY+bf#hw?t_D#+cF(b*KnB^73WEU)A5Gf zuN(!|uoOnB94<?<!Ku0|I|D3!Bt;Coh>Y1T2A)S2!GIE6nPNYKWR(SyhQBJ~vXY_; zEaJ;vUw~mD7I1h_lK9tIG@vG1_2?5Z@B}1mDc9FC2B7?=+d~x#gi`!z;Em(x4?(oa zVMn`^-^m?64wl0hH#K$RcAs`Bqmx4#DPci%^`ZXgv)A{Df%&+ZL6iIRrEC0k39G&n z=3~?wMZGMZMF(IZcJGoS;D9^c(6@dMxJ+2JbiKVkUktFVvDNwF6aS8}3UWS3&gh&y zJMjA(TU?3d7)0M5s>n#7Kc2n~>W=h*6#F~V5PhXXh+gBScYb_z3rH_U>;qsK3uzgt zBiV=3Js$k^DBk0Vrs;?vpa&br#(mWl^XgluAus(eJ*ud#r;c?^pIYCGI+68`MRf^R zbQSw)D=S;?yMX(S(FdG{eeAM|fpbjtW0V096Z?(Mx3c9vpgFYQ&!mVlf&#VONwTou zASkB4XCLI=QmVwdHWou8lT>+S8c-$f7?l3fna-%v$*3~-qi<0qhQHAZfP0{^o?06I zv3@qK9IIu$+jnJ+ysbYv6NnRXK`ZjywMZQK0u4>YJ*2AK3s?_)FsXkAWTzqA&=<WX zNy?EZ2Q8N}{|9(U%0ODievi{gu3o^*WOwCZkm@HasU!427shF$1wpU->F@!NBZt0B z`zeMf&4NcwE@0SPQ5&6wM`j(i{-Y>~nwk+o-`NVHr%U@KXy!bOJF@jxdYP<ywcJ=z z%!?2(I`^vhuU0+&t2HUVc-#TXZzq?KU&<xqHxHO1oiRn;i2PcybInYCO(XJ~my}=p zJ+Cb#+q7Oy+q!Y?XxTkA_1m)R?)p|Ap9!9m9t`md+<wkOKiI)~xYm>S-8BQN2{*VP zgLzp0#B_G|(4&`iE|1E#eiROdJg|5E6)nME^(ssJUL>;&7doI9ryx_CfvHW{82aF3 z{g?dmKm^aL$Oxl20(vdCkFD{-*K{xa^uO3{<<J8chP!{(lmDRmr$33^U%<NmTYW#C z#Y5!(qrUeh_GfOxv3dhfH~beK#3Im#*xf|eu)CQyu)BqN**%Xg!TW7=A$zsb1?*lx zZ)f*e^k#OSO|N73Idm$!&!rRCJ)er~UQE;3y@YE2i5NPy4NltkpO{oZFR*(R?PmAI z^gO$}>7UvC9(tVJm(#=SzLLJm?yKk?c3(|jWOpBZp552dXV`rmeUjZJx}DuO(Ez(| zrkfKeyo?j}^dU@r87E-r{p=A>k)X@j<8~I*!5&d5(>vJXllXW$d&FNMptIQ{26xeE z?D07^p~W8Y_qJ&kd)$qW9IJbF!xaY(N<}2ik;+a^06p-R-?9Czyd!mSBIS+$tG#al zh_Xr>e&+&=I67mZp`wn7W?@F528`4o3}QJt++`JYgh80NHN3Bv5*-|98Qx|yE7P{E z%r5qA+t*(5vfV&j@V1KS78P4qY`%QMSGW>jA@e`aIqwWJD6ZeXec$f?{X6)0-uGOe zb9v8so^zh_Jj7?cLOahmnO<!_gg!$u*}^9&wE^j3nrCP(YHh%B(WjdFglGd+iazDk zCsZ4-M)WaJpD=Aep6IiT`e?KP1)@(J#U@-kuSmou!WSE$Hi$ed%D3_rO6?CDCJB39 zCuE}|lG6LPzwVKeTfh_YR9+M6`jl^up2*4<F5^)2^qbnzHNgv$fEbi5<1PX9sjdkX zeuCK$>v|VmZ~NWK!B!BZui=MBI*XZFX)tOCJS<WDQXcNQh@w2l+~9Aom(&K5phk&m zuROf`8@?Xq%T>PnxiBmGk<K@XrQxUQsnp4RewE7D=c&}6Je2csK0~cNOCHY<vKMLI zU?6fALcOLyy<8K#uZm?pG_SNK6spV<dQ}DFr^SdQ=kkt?D9ATONZmKs4%<9eqiCa_ z7{qV3KYnk&=D{!0)94eR(a#XU@TAy=!G@k7TzqY?fck4(e>y3e-d6M;CL)^)cxkMJ zn*)tHGu9;GW(2phlj{X_Y`m140G?xFO)^exub0~o%Y)mw4|#V~UBmWCb!Xb_b&`hO z!$jgNv{njz1=(DH4uV9jy@!#IWM9tbApr9~1-^}#{~sX#_w4mjSB(cB)LDV-7b@1P zQ1JEq8Cj!t0KS+$)i$IkD=!mEs8c<bP{(Iw+ApZ=U#qkOt5$Q0RjYG4W>55*5FJ<F zA+>)gvtL$NZ@=`4JN)VNCv?nqzUlWEYVVL+mG(B7?5I1ux?sDGafdteFdSR~Ubk<A z|6T?-3NRg;H>fsAQnN@>n<RyNYZgiEjWT-^$^E1^cNmx6xFnXu-YB&<Nio)|gE-JQ zFmMsWCJBbt_~!8dIMD!+0J8uz0HFYC0L2q%b^T}Uj>N~?!4<$2!0iOL6WlIvyTI)R zw;S9(aQndR2e;oTNB)M9b;<g~!gx1Ux(Hw+z+>p6hju*HupKe<eWtY+eek>VZ4qb= zPh2N^S3e$Yi=7ZY*a@SqTzaJ+%I(^L<@SC8E&bvSQeRJ>T&8^zfql~b1nCouyj>3e z%>pn2)F#QMpQ%|SvwuTc?_1J(zwyZ$aTDVV_SH8Klk`H3Pt5H;@gUM*pM4{<e~T!q zw&5iL|GZxY=M8}00lW)v1mGmVIe-g0NZ*7(TZe%g3T`O4A>f99s|HsMt`b}&xC(F; z;L5?3`}YlPBj!oyZ-7vM*-!fPO_B_-_UQ}q?%xl-etv!D^Zno0e9ODZM62{nv=^O8 zZl9SpB?S+SARf?Nz$a#90#z!6jDhYv4dh%CH%2Jj>)EQ|oA{4i_XDBhH1wyC3jyPp z^Mqo9h+`>jiV9(k!iv2}gP$g9`bC4(bR)@`7%8`DuAqwUjD8fJv4j-N!p*B?kive- zjg}F)HgOj#OknoX9lF1~<i(+p|EQz+>MgpDULsp`@4n=}MVI&z-Ss(o{Vh6frtmb) z;E^F2$Y=)k<8J=2YlTrLQ~Ph^h55-*zfMR$wL{<P$Y^s-6z=fmCd_+@Zs)ZU4O^Za zFQNri-^ypS2|HdAH@$wP_HKGnJ9tFeMwsw2F8Kz9BOZ4WM%foD6;1J>7~~oQFLGym z2n2x_&e(js!fui?4vEihRA!d2_7J^;W{=xW4pLiG)jwlUpr{*fay=(XJF2Q~A5?+S zeTk^RKsGx>g4g}tI0$u;hqt5uUd+b*5l}kRvzd54C3<e7p1&iWyF}08gLrfGMItK3 zh7>$Uvo{JE#Q!<)--G`F<+3bhGDc$;8HL{-#B1UB#&-#?9wb_)`heV;UF~LP5iVka z)6kb<Q92EsDHe&*{V{k2_UOAM+=xnp8ug*NV)i^m^NlnLxd-V<+zeEm(+>|}dv?*l zu|^?D3<UO|pM<;TVKs$0qQBaQe}D)+H^M0qfVVeJZJuJkEZw5CUzTwpd(aG}YZh@F zqsYr7;ieb;4@94R!E^RX#f6jctB84#+#b%sljScwC(A7__@6AV@uqa8c~k*MTjWB< zYaR*V5OPrmC4||Le0jh9n-QqmPR4WIGiDTTM|oLwnpccWejb@+zEQaR0?~(qQU+W* z<U9RUa%WX4JnrzGMh`V1(G##8=u$~0tFQzMQMi>R1pk3(7*SZp3rcv*rcr=vr6*(m z9rhzQxl=E9hz7j8RwRh^CSKQXF;Y`K)T{*>xrp87c_W4`2JKu}7;0u>9K+}wZ?_XG z7-;t58ipk-GT}<C+fC<Z_~tT*_`G5_vD_<U-oh|Bo=f9H<^As_R}qr?qmBx{sV4IN zYTh_2l{bc`3L&_{9#LE+?vIxk62sLQM$15fdiT(~3r1&RxSZa7hgh@l?gHLgaI>-Y z&Ed1%Y@n76pS}JL=iK$Y^0$s9;Yz%=u=%%ghP#>GTS)w^LRid*52!2JbpX*8FSCmm z7ozI&c=BGkNsc&hYCc8Drz&Go6kGtQT0>gOJ5NDxyGDu+XsaHjqY~tf2bCEq#^u>L z*((mq8F#aHzQVmS1@30QT}6&!@n#TS)si|QwY}VI;mmXXG9KB_k<Y+Z(Z~4gz;?9Y zE_y`>EPxdu(#^-<|M0C1yrDC#b_&|y*&?wYqK2?<#@%1l{sxP}D3}l7nLsBshW!M& z__Du2bwIw*-iDKJK<(5;t|r?LcW{ArL#WghVEZA0lYu9%4}ppDu?NKc)2fB!Azbx% zjD*<mxZU<cBs-!>AA<JMTytxK7HnikEm%&xP(8eB8a$xsE?2O<PtA>m=-g-$OTJ(^ zCtrj`{2I~0`OqEpVJ{b=+J8cIK)JN1Ud}31@1L-DM7k#R*2|zg_O99!whoi+@&xeT zAhUO9?DfaAhLG|JfV3h;-*3H@lWUK!p9ZgTV*GbHuMb_ePr+%3{$d$0F}PT`R`5Cf zs(;T3k$vLG>Bp+`@8iv@eR6KnJ_#3RZ<DekDl1U0f^EYHsAWV9*S~(I5czYryGI`? zp$czUXsUj<O9ehs3$q+1Gg%`MSwW+FQb#oUv$Ecte!mXn_5H3;Pn^gheLHwNAIKo@ zq#P4~hRM00f{l}4z)6h4FRzG~n@;-weguAH^QhtZ75VeS@GGIeAhdDF^ORrN1+Uv@ z!GGxh8-H<w{0ip&xA_%<!?65{n8y!LrU1|e&;rm5a1@{p;NUNQEPe$G<K0;4Fo0PA z3!eX<;8$LJ!OO20Ul^8OdHH$LCm4DA@8G!wfO+9>@GCFAaHISR$@jm+uZVf4gR>GK z51<Hu1=tKw1@O!ZKNi12+vqL${~*9ofYuj&B!0!aIhK_vyeAhelo<CAj$i<&vmP7n z`boHv_5mpu)}u?5u;YQW*n#p%624Dx$f+?jHY`)9kkcb(#d&hX985V5dX$hUe1g(B zS1}yfjX<WOJ^^Kx@Q0mv{|v|^La|ZJ3`k|2-RUC~;M_@B4(m?e1N5I=&2i-IBn-p- zJN+4k51+nap@49?KQA#FDTEWEHXxTu`1a}R9g?rzDe?=XSq2-LPg3r)vs3md*onBc zJa)I+U74@!C2AY89f4>jJ4wE3$hBxfv;pB7Gw&_jPh4h?W2eM316+XcB`j5Y@P!;8 z!MX#BQ(30d(1l`V21N?=M+ohYb@n(+Eag5OJf=A9AQ@(6S^`iW45h*p#!UA(^?9Pi zlE}4;BDr67voB>jGrCfZ7%{~?PDyfQo%yJwg359{w;A{1n*uOPav}b!As2_Wm)LPJ zIcioNJq5K}<6YZ;sAKsKMN}P9=!A9c67n{Ct^;#ZX{4Zh)&9{C%~$<3YN|Vq7ra&b z1C7F0N5tdc3RIe1^9GqfBwJ?07}T3JQ6I+SC{#}$PKEAB$+V0hS9UuIHw>|X95Sf2 zB#BiMy-LDP;s8@XtiNseLazUs$z5J@M$nOs-TVEMo}0(M$lw@^C8~r-Nx0l8AZv@n zzcf`fMsoe$E12M6OwSF7h68-ozZ554zCJpsuD5ymQU1sbrpxWt9<>JZ_1RDHj6)vY za0hai)r_mdYw;wjx^8ne{RGNW$OtDx+aoTbf-!Di0ONR`sQ3$&g>zHv0>i4&9x*pI z&C=~sq*=am$<i!6?s1{WWCS_F0%0|GjTf%$@bb$6PkID<yau4?2CMc&X4d8v+EE0D zG`=3c_>0a3R6sRIGz!?*qk|7>9?FJCdUTLYjyS=p7qg1R!(d@o215I~#t9n+vDgZa zj!>$wVQ_C9XNpiEcL$v*l6Uyb6rRibw}_2&jSKp+dPI&37jD@>q;M5G{BQSff5OYp zNqNzDObyOc5fITMk<0h`nLiYj@kD(Vvr56u2cB#BZmOFB-zN^59xOd1YC}Vz9Cwn! zGpR%pae;PrGRd4u`HJ(XGcj6eq=sy8+HpOB+~8+`2b2=J%k5(i=jy6D6D62dwEPoV zun((|_k<`i?MAaqBZdEXhTg>`SBFqk5BzrTqP(l4qQ&mkshoHvgrEB!W{c-%c;^B4 ziR8p5fGB?JQrS^Bt|tlFcBOrbg5hESLnCGs^;rTm1@Q|TYzwjpfCUFQa#~$7Xbq%x zg;_*Mr4?8p=PG3ytvF`NPD-OSu{Y{m+xUtWo@;{w#v%3%B*E8>5Y0Z?9YGPT9|(lj zYzvTe0k>_hXm@j)7Ij3pshv;Z@f~iDQgqhjRKDkDSCb!8d6-n{aQV$cY-`%<bdbpP z=lTl)j*50V7EasGPpv=i>9EE`g<O&)G+v?2D!<m^F=IR4vmPmA?Q{<s7*Gx_1=MnD zfn1Hk5en3$=^oclCA)|bu3!un)}V<pdQ2+W;B!nm*H<JRX1`E}z6DsLG>5*KXEGi7 zRv0W<(EWy!j*2!%#W}5Bsj6B{_MA}9ztbS3pbG2BbW&qi*((GIw;Yvz;&g`FJr58s zJ<qi^>CfTF2c{Nhx)x#Pdqg2ilD2otipl|UcAe%-oG+eT-zg9qgGYd%h!)ST@5lm1 zvlWu!k+i~nmPZ{Pz|(f1V5?Esh@$@x-B%_BW!fs*V=CI&7N>kZiX*fO0}qj1gG^Lf z?3*1RyOqy5sr`bTj0J_IVGNYWqN^VSuW{tG0gp8qUt=oHaUn=Ycw-TK*aevuiLi3J zIAj2w2#8`FjHGSC3*~LXj3>x<)8-lpBht+V@P=lG1ku~@8Ig5pbDHbCN81Jt`^;}W zP@u4zN>)GV*vR_qj!!S6P^#z~<ncXn*-g7yfgdQ>hb$CYK~mRu1i1p8KS#ncUsW0i zuv88IWoqERRgt0*r)6lwDGQA_tp=~sd>#B(Vub(JuYv!zltI8cH0)H0hMhK`VW+KS zPI5}@G4HgOhcbOEJcT(bx&aNMh(^gb?B<W63C`mY$Dt<Z_?v#>&y4(-yPt<e`IP<q zR);~*US!8cT*S-rx4OL+n+!trF?Iu=gLl<rXCuxyGCE}~5y1a;@mwcg(FGAMy^N-y z(zK_!dA*<5>(vfJyQd}EA<UqVfd{0{XoqhgLf>voO(B-JXbG-~-e%*^03&ee6&~=F zkxWq&9#*lN>=KcsJeb~$P+jyFF;r8nM>%R$)t`tQ6QOUa%H3`h3YsJQiuV_SoX2~V zlXxi$+)3Elu^Z<FJhNm^5Z*q9Q?H*TlnhDUQ+ri%zR|Ttq@^YUxsgT0Qf1_30!B;p z*dftEy;S=dq#KRGBD{S8_3TpZ528Nvh^7JcBDX=!Du9ZUYrEJ#Msz{$hkSQe35817 z`<NI`!A%uT*81<Frc(?_rChhha7wndvO<k-8_urE>F7ZHtb<h1eo7UsLTy1tqeTY) z3LqC<!4k3`9(Eoz3ITE2KnUPWejaij$iN^4K(yuWDWjC}ppQqVaU3cZ!!)Qwj7X>C zW}y!Dn0XrTVAF&~8QBuLpT?-}VRb}RS1clCI!LrpyKXfKnFq=Ivwi{}Xj>2+$Bn@z zHVP#&uf{WbqZ|$Kac3!4!^5f@Epc@Nchii^?RO4Xae{<JPY{*j4z8bUC~H5*?c_#i zLI;MAU+svd+F@^UkQRjbtpoKZI-+>JQrn2TFF<<|X(4z!4s9rexW!%NMs~STc=G_N z99U$5mFM*$x`8T#{BIU+b9gi(2vZy=ppNtB?J!wo8HFQl)Yx33M>lQJPelc`w9IG+ zca@3|ivyRgAmO>keU`3JoK}^nLHeg<M8gKLy`=rTJRQDN&kkP*t{|vB?$K9}=oWB$ zZxmnY(JpOolMwA5l_$x5pFFe!H%>*(&r~Bc-_Y?KK|`<~q<P+TO^wuVi=>5DBXxgG z&Xq>}0Fw>mWoV6u!bj!Q{f+u7UggwsXGWhzmYRYGY?<ydg0N6YbTWqH2}~)@AAJ(l zetjQ1Lbcy;xxP&?vffWQHGV5T`&(%+!Hhh{8jvxpP#%c??N9b=kcXcc++G{R-WpuT zPPaEo>`ju`3)aBcuQo`fU&l7VQv*CT#<l@p-XY=6L>-H5V@IH7AGcN7`w3sa!pqy^ zBqYu|%2I4rHInGuSbtWk;~hd^;+!<$r~Z@5o=1n7lWIs3CHu!rG9_tGt)D2gKI)%1 zk0y5A$LqUM+&KhLNfEzppbK$Mam|NzMLz&Vfdna<G9~hL!Y|}R?YFjpQxBQaRQ9@o zVTHXtv&R(=Pvucm4YN}gABUeeDw7L>5p1TbIu31%+nAZ@K8uH?jcht<9e38y<-8v} z5+IE0Gg{p4doUJ^ocT^*$c@5z(foSFm>8~~C2H5=@z@1Qus6xE5N?k+Ln2+)gAp_s z!PP~M3YLVcM;^u9c5Vc`%X`lsRx@e6=S4M4dEp^4`gC4)b_E1^_$*h@Vp}xB2I{Jh zao;V5fgMqw>|J$c`;vEft{CO!Kjkk16%C(uOxzm0s~K&P97G{T_}+{__lygt+`O_W z0D}qh?k}{A-b84*LcL`sG&0{Hl+p<X*5FX>$6Kbr$Db;!Kz_M7+mR9Ky2%bRd&QS9 zxKK#N{=Iv1H$Muqv0s*|sxIUAe_B;_kz6L%X^(Or0W%R(fx?8NQO$-S42puq=3`a$ zvsiA18m)mZ@8BRaZL{j}Vks(jRBw@6WUdZMdxm-JP_ea$=50WPO08{ZYRakqhW)tK zD5?68ZLS>|tFX#rkFWo=P6v(139k2IDnhqJV{Ej}r0cjzN)1$Ds&8p30jP%B5s*+3 zdtCJ>3$>()&$~`hflVYH)oH-(0~R0QmFRQYFH}`-7=s@mWn2B(79EvUzJ#*MbDfEk z6xyZ@V}+ThTlfebaSqCAzPz8FWct#yZPfA*s^n2s?SpJlX%89ftw_m+(Iem;3|>FN zuOJktN-s9mpRtc@S?E*#e6jrT!mFs1xWC%X{=`otc-mDc(0x3Jco)iWlk7d^vNxmG zIf4+C<P9fs2Q68`3(Z6@x=q-LYTEQI*&T0_tvcX@D}2SGNxxIE=rH_vM_eLo0<aCh zO#-K+<-%Aa*379#Vd&OO6fV63BemF%graq;r^q=VMhJxn?IePdDB;BjZq(iMS~co! zdJs=6;afnCFO;wYYQhmv%r)d#6&h@Gny>-lX9*8glk@CGr}?OtH2+QEHKb18C?ry+ zd<M*N8X|j21y708=^Aos8G0?LQ=cii5VGJiaEd;A)fC<2oub!Q`p>chwqd5|r-n?? zAHftIGbC|6P3(Gr7&KSI+At1h-&AoHy_@JwSG(?Wm%$?1h2E*2i5dvQ%Vd(pIeL=t zh0SyDeWTO0NPfAdp_K!L5JN0pDA6DQA6P37S`f!huBu}vcqph(_{N9;Oi<q^?QKC? zYVaNAQ!>qG@n{V8G>p@vm>_n9y<V=f$1q%Prp_Wa3Wv5)ef2OsqvBi32*Cn#x@)vi z$i-Wes8JrZs-yaK&NVHN*Z2D@q#;yn(~;8+)txMKZS`-+ja$9@LM54eWEPYGlyaIS zE>pN!My;zmDmsCL*CE3gRTsTlLR7c*?ZGN&1HzCH4Ho7>Pwgc>4cr>+yzrRGgd`0U zqArso`uhcLtEZ(sx=Lem`c&1ssOquDD^XN~X2E{$2&L({u@J<PAPo&_aD>wKcW_;R z>F*-Y1aZHx7B#E(X@AJxoEkHQUFw|szI(n<1PzxBg>aLIY9VL|M<^jc`6M~Mb}e$w zJs2~E>mpho?<==h<XNJw-Y+UC5!t|IxRw$;zhqDkYK64-3+E!Kwn_Ead`LsoxT@^9 z0b{ht#k6}pX;oD>;mVTH?^GUij6szh28Ck+sU)`1MxN`pNHT?^Z@|QytuqSEHmYF@ zntLVCt#66`S;ECXiDQf%MP)vBZ>A)zp^tBhXq4$YYeIFspG-Q|duIC46j&K&(cN>E z-O%k8`YSxNVV00xNt*=E1^R^tD#;;5Hngd}yQ2U}V(^{k^@R^OZ9vrSC|;C9rX!vl zqYLUca9k#33a`KA#rqZr$jlOSLlG7pp$IpLk}WyDvk18|H{DE1#T$j(EFrnVf1EaN zzG}7rMA%H8>&D&4Sd`2cP{~$ywkuw>|4dKf-IL|)L|v^q_AGm^>cBD8{txTVD@GoV zF(|o_$*#$&17~6~l<X*7zG}Y$!t-GcX#y9+M`JNJd$`Qe{)JwBNAGUW9X+6roeSM7 z8ayga^TL5js0B(Wjc);>nosx0)w1JigHa~-1be#b7@Hyr+qy=!WbqC4U#T-kw(!9p zpk7qIp6`u1A?uP|wqJCkiqz9ljrPOx%JZltl?$6el%<|UN5Uy8zed)AJF;r^3bf<5 zus^neoexvdx3OQbw^p^Y7f^DyfgJ~4t>6_1UgumpSFNTvFC2h$;9Q|jKRWIi&A3BL z=(h~APkt8WkT)Lj@0+=gc;^sJ^hEXx-k{W;U|V<zd_5mVhq9;AQc{JnD#BY1c6=Bt z8F;j08CdSncRDiKwOueB=RP9te?Q`TQdR>5E0%s~vqC$M9F^TF#5{t#=)%-NWXMMM zYY%(XO{4^fhj&?5?c~=c%Tbp^h;Zp)lFKI#dx~>eD!(VJz0r}=r9G>vQa~;}^-@)} zTTa)ddunyz(z@op8vTIk{kmj}Jev(m=0@{}dz<%3VBY_7z>%RwyI}B1q4H!Jz)cf= zO3NyK*fS5(Pvg5ybS<09A3h^E3~Ft?RR#nqa>EaACd4XE-BW~l4|{puIP$0vTc?1W zYo-yin43|7h02jQdKOAF98o*cN6+R}vQs_r@?@5+T^wM$9LyHsan`yT1+UV%4eBO+ z7n076iK7F8qjLt>rM#+k$><pvF##jq>xpQq7?40@DUCcM7^nt}ITK?}z?dOES;}av znZaqe^NP2@_#pS(K=-)W=jr|VM{s#D2-*{>$I4`QZ%(cH={ocak{G(2iGlJS#-^%5 zy^&BZ(B9*bgg(KJ;tk!lm|!lzrjWa2Hq8%wPB+ZtvIa+v+M(~#wy5kV$q6iDtz^MO zRn?pDvS1XetdS+eL*tS=co08Xd$jy!XS~D~9n1yCV@RVc*u_D+yNca<wS}Q<y;JY@ z$J=v23{QHXy&3jCdSN-44Y5_YgV{rkvQd0ct-)QhBrw1=Lz~mh1(JXlEfR|xmTl;x zmUDzUA>ML`pMZN^cuRf}p0kbPgJ|t_SVyTVpjHC7^9>RDZtMW4qpBKfh;4|w3=h<f ztU9(aFrfo2Q2-;L+J6jamp=K{u~4{m^aHB>BXzbzZBtO%M5rCB+J9X2z5`!@3mYZ0 zZSbrOu7~4+pOMR2TsrT72~PmJyCx-I^N8B9ys9RB^o#`5b?SMWnGn(9x~aEiw?&dl zXrY0#q-MZWMdWm!Av^0ZD!VO=sB)l_+{NmG#+&O=T3NjT&(95=F!y(B^-8>l^7g}I zTe;KTH=wHKC8WPP?9}CNjyeVl>(lizAVRtvOU6gK8evq7hEb7kzy7drlb%<r4k+^N zmtkalj9bd~%cEFTzGGxUf=&mW-|;&#cDn5K1KRrXDb8dm$#s;y4rqL}C77Jq<1iw6 zo%Cv{I8dZ`$!@rTvVshh49`HBm2a=;3ub>~8MQp$A;ZDahl2$lF2lnNKBzG<aAvUU zb{srGG;%c=Jp<Ur&wfbSnEESdCJEjlgvwuCp}fk;j+XZX;t(1wbt&?BhQx{>cRM?X zaY2HeC14fVPy2-Po=%?U@Bp!+5NYJTVpVna0CFCk9V-Wjc{MbmWl<M&;V$5}oR5sd z>l~fAf5!RF+^DC?Px1IP!A1%Y^1bosF5NfmwPYOn#A8F0afqQZ4u=R=U{Fsw77r8n z-88pQ&TH)UEu%2?E4rJ3LJ-mZnh~~K_R);+CF`yBf3TR(wT`uxa-vK`;a5JJgORWv z_2|_$H1O`oX{*T@Xwo<1<P1zSJHnCE(x`W<UBOLyloe!Za@<aRn^91WA~vi%RMCf4 zk&IIxM2&~lN4YV*^^7iv;R0gxZLHj8aNE#Ank=FLPbce$GAwpcGCL=kohjVIl5^zI zZeb$pcYA+tIlaA)n^lgCKG%evdIhV1oEgaZn<hP4a@65*Qy;Gnv8d4w%sl|N155@` z+XWrBC#Is0Q2Jf2DdKeQ8Yj;FE~U6;;5F(l_@;gj88g!lAHq!oZ9OqHzg5dd!umg3 z+r&<d!%Y}qb|FO^139Uxb<n^~`c9JBo$w&Xhnes|%9$L8n6s)lCJ>x8+QX`96-^+a z-*6Mmg*XK^vE%ts3LvL}?lpwMG#CUS7-yf3y{XdB4Nvk)15{VS*bQCs*HQF<m5r$A z-ly?|D_kLvFHwi}>OM6aM19r5-t)v*SD%}kD4eo-8v55(95A5}gUkeYt`dhk`Z&u` z{p)V7)2VNUnGZPWJ{)r&6LZmSt{CV^v}05^{V2?{5ioWn?2JltAC6{B4yhpRH4@I{ z=MQ)1VZbws-e*N==&@GZ3h!X$3^8*$ZUIs7&L#fM4A9nC|3hTcqn(OEX)kea2@MZn zZBYu>wHFowSjh}-oofUx0XQ@j7<;}j_jA;$!Z+hN{r3TU2(jUpUEda%4a=bIm;|-O zUKLKx@ulH5jjhIT#b&;eTw`!kMT<T4u<ZXDMh3Kylzqq|wV!rpK{0z3qIo|-+r&)} zVga|xXjJON8X&ae6SuqLd-!f~&F(k4=hx))3p>8^u;vqO75x)A;Dv?Vuu{zzUJN9e z!QgBFx@o?Ur0~4|wny&<1R?=}5AaJognDMHE7W*huWfo07cj!0cF9KQQ8VK7CT%^N z7>C1)y)BN>fpZJIN$H!EzR4M4=SI$OlN<E|64%Z6wM$@}lW{Nt{G=`!Odq{^HGZF} zs<%<^r{1k|<Or(jePr3|J46OfeH?zcs;UFzL&B+GgSK8(T}9$_!m{}2CL$XwT|XKK zfc25~z5rEqK5D#tUq2A#PF7XTgqLJhbt*Vbdci$_4*3c@CK6>~q%opTk`-p;VYVra zc-#se9_x#$s-Iyi%gE;CeBsV+(!?ZyBTI&qeGmqSs`^)uYh{J-?K>YZTsGFcqm}XE ziO1l0yZq6$<nTeR`Y9Sm6U#q%LM&fZmEb1SJ$66!1T>(i>L(E80Afu=n1SMBaRcxl zHvuAk@iBf1ic;~8B;VMP2UUy1x^iJ@7AZto9yqAw3?=+YAH<Vl;%Ja-H#85TE>1~+ zc0`lWnHWbZEju_^X&a=M^~F?lZv6}f`O!g16&&tFSS7qxakpW>c7AK5Vz?Mct*Yxg z)OF{BY+r5-K3=1U&bh)(gD*hAPQpajkb#lg6dJyQPAU9pGMF}#NoBqFBNnF>iwtL# z$_qHtP$7XZdgM4rg}IB#H+=1KV3wFKoc<KIA$R=%@#gcVd@4a^6Nh}Xr~uazQlP$! z@{h%$Ku(W?Yr|7M1w9*_EEE@emTJ22e^=yXAFZ%vqZSSwU954*bixYk=%dGn`c}`{ zd=oiZZq*L33xvtVC^PB$AgU*ZYhxo~xK?&DtlK!@8QT4XSe%IpQX8&a_{C>rEr-lY zi#_(PQd00Jm{S0b$BO)qfKvu>ydMvMKPT9st=E20NL<)VwBm>0xor!X!J#G!i&V%6 zz}dK;?-KruXAfMT@TXF;tI9X78r-ELY7wJ8L)AAwa2jE8kw1%l=0Pu4dtO4+<+S2) zW&`^t9yi5K1DAaw)3P#42munrawpIvLa>sYRKeFqP54}*3hFJfSwh^mq5;fHTzQtT z_*rVrO@@0>h7!8@tR$GIs_-i=V7qlpW|r_^!;np#u@-_A-STOv9}@aqAqjPEkV4g5 z!Q=qGalI6ZGIY5ub25d3k)ny+*=e}#g!dP+iMIVtvW`-UtzTF(AX02y9cM{Ezp!&R zML7UbezsT)N2MM_-s?RYEz>9*JUj%cHH9L|{Xz<6(kH9v%N9Ph&@<#tm}(<>WnDl; zbWTOR+}-X-sG4<XE)!`kXuwFw86nm}WiRfQS5|blLCT6Ft|>y51^Zjg19QVE9SV&6 z)D=%%@a<$Vk-f_%_G%HOcZ#X<kU?WU<P<t9>NAnQ2Xf1i(=F_5MC*70nUftEsD_2j zCX**nsSh`z7NP0Kak{?jX5)!Sh&rNc()X&GMrfF=3K$BHz6($9AUTwVX5i*h$ysV~ zp&!=En}w!A?{34pxW7+rvJ%DISPB}9z;njFYWL>gt#a)ptDJ9ep@9ZE@P#*i>6s(h z`Ma_7je%RwR`+Z;&5Hz%LP#QcKzs}1MFI7UM}0<kSs@EsIXZwFDa00f2oZ9fv)lEa z_J^$xZH8jYA50sh?YI8Hcb!7JHR$_uyr>3QM?wkI%xUs&=z!^m9U0v?3En1rR^Z8A z_^M#gqJkq3aGlO|lk=P&dU^$2DPX1{enovkc%zO_JbR^?M6v2ESTL5L7B&_5Fhwo{ z9=nn4L-DpNd~t4akb}jFHZzq*p|C)dEuS>}rPn5}BrA%=5?O7G>kOegUQ#i(GO{*4 zTw0f<+P_JzdcUsn0+L#1`YL}w@`g2n3m)u3aFLjqi7wDDQ_uy<CC;{3ZsUWUOYRD< z9b@~l(so=@GsbnRzwb8Naj8qNndDntqXt84(`?na+s_3N7AL0xyI=-WhkDp`jE`kQ zBH{{D@6vVtQ}0Ll<Xf|hU+xO#N9CbJqk@<}5x<WDdcctd-vw}4Fd2?RgTd-8<ADm< z0<@}}Qvxd{K}FWU%R~#3bz~RrLcaeDTbl2kVc&#tNo<NalO@p;*nmbx!`H*RE7Ov= zD$}Xom1Y$3?uT5sT|C*1M9T3J8{tfX507v5SsTBcTK{EW^vW@EE^uiw%(iXt={<(3 zAS(y%jsmjGjwYq~#s}*H>~->dhyJ+gKpmdqHx<xR{F8WwpeCB#fRfRlbSBH4n<M3p zoW3nFc->i~sRvDG*Ba$Lht-^-W(-VcL9T$B33lL|^nLO6CV33kxA{0^5}o5_XG2a= zAL1CY56CLy{D4blk*(H#T%m*%3irZzz{k}N(;)6K3a8B2WKMl6tarOmtqv+vqBBw# zp(m7thoHmP&7I`?go{`MsPTv_VXqk_2bS9_6u?2G33F57BOyXhc$_d9x5Qe3TtN{{ zJ+eRWBFF4<I$eQ~M$QGH-$$s1x)l#=KZ1E?v@px;nV#@+tIu?)^N}Mkpimr4pYLyk z1<YB|^~x*xuQ&|nh&YME(8e1=UbaXb`lEaww3b1@^VOVAN6wK|F11m(8)e0t<Y-co z56Xt6r4tq#2X|7qeI4EcZG-*^1mEdEfx>XwmFJx<U(EB}oV^psM?9K@%E7RC_fyZY z5)caGxrgX-a$+sr`dCXONDl2FLQjjb9Tm+nIh}Y?(<!{X1IbME;`Qh79<v1&Qkawx z(;Ac+Z-kK%B;f-Irh699qqqd&KOc9y_lj@x0BiSrye%%It|O$gV@kFow8JbV(npR^ zzTzk!#Lq{P;Ub`))R95-fwcp5F{@U=ciAq-u~RdJ&>iH`c)N3nL_$h(&Q&-J?X{z0 zPjIcMiqX*Giiln=VehbQl*V$m+BVAKxM?t=jKZIvAW2(*t_<KuVOod2MOJT%j$=>p z`j!ZNJI|ey^*Ji)TvJJ7ya5S}#3J5&;pPBQlQwIB>c&jr{w%9#M%l1kX0b<j=tK#k zk4G|);=z2}2bv;$zt-D3(p;oVTg4vgC?uTF5we-_J0stShiNB`nZnlJ4_WeWHBrLh z9$^BYgrfomhikqOxI&)sq*^>Q)x|ZQR9|g}4(x(7je(k^Y(5D31ISOIW|g~U3LhDh zbB^jdMiFpmgwqj6Q)v6hj;3S^J&<oiMLT3I>*XuXx#siwI;gAr9w=A><(@e-q})y3 zavwzbUJ>1xsa#`B&Jk`MU(t+hnw2R$Gc@IWG-bh>uXGHAOAihSpGw1VU`~O72~oZ{ zFeFO<Y7#}(3zH&zfr2)YlhsT~s+l4VOWfl<lZQPsc>y^J?L_LQQ+O|rP(Lt)`d6=t z`r`^gve+xIAX4Vx!a@_-@0(@vUnSmJ<6R{(diBc7xb&YTOKP;p>x}pCI%7@9AYNF5 zM2&0KJ~emCJ_$ReN3WE!p~6>daHQaNkno2!-rbKgz6%bLeK3JI4KP*o3q{GI-8^oV z@Z=i*HD%J8tCU1W)wv#mMY;<QEhnJ-m|&426@+oJJPIF|X4Q^S?LVyA-`A6P&ty3} zExvY4>{)i4YXA2ro7WVhS90T=@ouyNJ1Qop-z7sInZwW@AA6Q-Sna2kQr~}_6H6bh zqA@vCpZl{CQRcT(*uKcC@^j`OmDNO!FO*P-s;Zb6Bq3N6ThYkHXn!DDNVz$JeYJmk zj9h(Hdr*;&8IUwHU$tN5HmJ#2?U_YAiPFh(s1ch`doxrj0NUEMy#BlbVttrD@;IK@ z@)s9DgnVt8+Ny;AZ`u%;FDnai&4=gl)=2n2bi?i7Gtm{UI)G>J(w_LqYIYRl;Fye? zA_tDSWU2$lF%O=@)dE6Bxb;ekffoTipP{V1$%8}IAPzJtK_Qu-kW5fWCMYBm6p{%F z$v1=o=5vahmJeUe2$a6Ab^$r*KX%AMH>u9vCQZhGF3*6uaFrb4^lRMB^2l!@r&(t| z=KkxO_IgS0C-!e8wR+_hcx#eG2eEj-FXfy1S06*os{ic2r@m*Hw*VReS^>TR2n3=v z3}7z65`Z-T1pp5N)BrpS@CLxU0LKAZ0lEPc{g4hI8XyzE0`M@vqX0Vqo(I?ua0;LW zpdFwGKz@Z`)BsZeW&uP4ECu)pfCXR&z#9NZ06quk1{gg6WdYm{kO+_tU;(HC*beYK zz?%T?12hA)19SrfyBTI8z-)kf-KblUVb%ha0Bi<$4B#bz-vAs2Xa@Kapc^0zNc&j; z(E#_8&1(POg-{*yn|K{F_W>PqYPpVSUaj+nz4L~S*)>6TRhoQLVUamc!<K5+nOTi_ zV<D@_EzL7)@~x%Cnlfu?uDQH?POxvhT&vl{ntj7GGs+qG$0U?;MR}T%Qq0Gki@xAz zDnXC@!je3VaT8lmT0#Oj*0i?B3{g<$!SrcmBxDYRFy!5vuC&ZtLSo%fo@*^EW9O7@ z!g8#7K-5SvV3=a2oXKTM87pIkzd1}EQv`p|mrM!6k>}e;U1ybWMMd-x4<-V!3Dt}& zkO`Ek<$Aq70Dto$86%0Ti8d||QZV;KMrIj<ppqJ-HyFj5f;I4Cn2lu{;irHYOc0|` zfTMsvd}a1ci)WZy;z>CYsZ1Ua7^D~xJW@Gov`RhZrm-R8#@`$|VdA8)$y26krrk0< ze8$XMXWe#t#Oyof+!=Y--BEMr&A%r)CRV#3?%w-!@e30Y^+}787vKND62sDE#+1~w z^o-1`<=H=3u`*}X>NTddxq0UNbp?f%2aAeJO3NOymb2XY4I4K-{K)2tEnCSpv%Uno z)L2?r!kVq{{s5zAQkkXj{}LvOxf@z65uTP1d=t(7ag&P5ldNVlx@l%M(^SNf=S4ox z@kK?YxtP|<m9T}yW{ufuEwySGW)yU8`jTa7Y19W_nY6`A7x}z0iOUS}i<b`iq|T3w znmZ~uzC>dxD=R9@HL-;-WC~2>nqm_SOB49Bthu<1#i3YKYJwqIVAdpPJY^RZuC<!1 zn>2+`XRFnm%NA{#6KpIpo65~FuuE7|E=yAQ<bG?prkpD)E44z1*;K5_2jq)Ot!Bsr z9*aqwITTxpU(~4JJ2dfwXmF6XA#L#zpD%|kC@j~Q%FE5gYl}8%@;GZ@$vRC5WVPN* zV-=PZvW2Fi!iP!r!RZ(uz7a&p3@J5hxpnZa*;L9|eQ}+mS<Gr6YH?{f3w3?a47p=< ztmbmA2tJp5O|Ge^2n&OjLY(f%EiEo1pYE(XbBnCEY4W*}T+*flPtzb$CFQJ@%VnYR z@Q(y078Myxg|zNi@4K<y<nt~m<<=Ew%F9f-X3|_R08B-G4d&ZkcMWMTZ{5wb^HS4k zd$R?AbZJShdCrZuhX=PvECX{w{00li6T|P0#&E8L%sT!k6qrqA6kCjU&voj!p|EsF zzYV6FKWw^kHt#y==3%-r4r;%?(8_YAqQMTro+J@5-rQmHUtL;))ApUvP&j*&iPf9` zT`~UkCi5xwbt$~(nb#NQ`otC6$h@%(z8e@Z*fPG~D#p2INStCAc7<#KtO<EI3LYF9 zfB1G06Xls$6GR_HyL{+JZ#6%}nai;t94V>dM-CN%*{Qg&1Q()0>~9?ITnSf>4Y<Md zBYyHwhsc;=>tHT{UMnprHkYsv8{<X~8`orA$6>^BZ@%Pv%7;me#SgX&=UgvZm<3L6 zbObYup)l84T3(vZYBCE+EfXRlyzQ}sPI?$G7-G+vGly9K>+?D*RIS7W5x9~EOG-DC z+zaK3N%YuF(}IJIG+L}iqz8a=sv9XjPlji?_`K8S*$K}I@%d*y&yV{&Z})kA!smI1 z&-0T$&w)1Eqqa&LEXcA)ZI5oVg#-k^id<b?4G2X>+KjduSY2n`8g0z7!FmgeveAfF zfi$yhH8x1az_MIWP@qr*Z7eI>P*&!*9{=lyy6%Sl&GP<T9d`9!GEhp_`>VRfpMQ)> zpFhbB{`scg=JO}L!9P!0%|E*N{|SCq_i4fZ^azj){@v)$Zv;pN|D-qgH#h?R-oL+9 zfBXx9Ki@asup6$jSa1LL8?EnPy@&cp2*YTr+-9$;e)Oj`j#~aP=g%JB{=|+apL%-d zGrM*_`}601@%#%f?s;kN%dfop+P>HS?U!%->dk+D>({^e?eE^+f8gMu-@o(jd+&cx zSAV$S$R8S;jvhOH;^ZGsoo+t!;n{P4`sm}9Pd@#u_0OMw(RTjJuiF3e^#!5hKU|&v z`OUXo7yo*x`@5drzRTbL(0^sX{dY4&!!tZL#1Q?X>;I1~|G%9f9X|Y@qWzPTV~dMp zao2!h^58dHV}PFqA2z{{F&OU5%e!+Ep{0xlhKV;2o*4Kz!VWV_OV@j!mjSngk7?#I z*5et^t>emBhPj_BB6-{ov@*K!W!6I6lQ5X9xu{Mc$-LIei8R~&rV{c9<zW7pFXoAP zVLq4#q}zmfV0ui8X_zz<%USbGB#$I(A$dwK;H>4MUzRzq#4Ns~bM(njT0%V1IMFq+ zm=@Dve2j;2Fq{D<U)*EK0#>YaLmEp6WAx7`H(QsjwEz#Wc#vYo9S;awVk&3jbCIhw zmX>j4#E-tyY#0ONXj*4pSh_Ku$w<?uM%_Ipamf;b6BG>?03v`7poQ3x_JJxx&7lFH z9iTa&RiJU8ji9NZ#jxSvm#}Q<vW)a_W)ASY`0m+HnzNQ<1OCN%#9awxZ33>MIJLBt zrK@A|-?6gdfn{^I4kcrm=6hhJEd(-l_qF4q^b@-0MA!5Faj4EO{OFMIcc=S@pY#cT zeTI&CZ-#&PV?N;v=II#SJpb^a<$o3HAKpA9{MXvy%STrmr}Ne^2%d*4r|#bC<8kS} z;ln4#>zJ7M>!-hC(e?5C;r{EVe{kvb!+&KQtlPUj&n-jZm8K4cJ(4<nd(6xBFV8oh z&wip~zWvGY;diXiF?X%-53d`Nf6XfYaNm9nU9Ds8Tz&oe-ews-J-V?)*H3@%rt7C) zT6z8OJGc3V5ADzJr>~#>y=Sf;p1$Y$_@8*iKYZwS`NV599Djd&RX1!oOWwRb9tDT5 zU(b=pbxitYZ&A!>+`MjMuKD}dnabaHrjjaIWG*pVO{_VA?vy34)*}6Sa|x^!jS$A- z=|ci;lY34eO5|ClLN=+?npRk{uE<PRM&@ZIft;0y(O`M}cUhX5^~p5ZRFYQ&bi;R; ztD!WHD>5e)7MYitip>!FQ$~-w@CnvJwlLRJlx8OTf`GSliP^N?e3k$AgSpU*vlu2q zo>pWATH+R|xSGf3<yi^N0TSOslrl`4P+D9J36~U>K=ECOE6pdNl*78;i+QB6dDIj7 z8`B`Z>6^;T%mNx}va(zm5(V+h2SCvjnc1rly+@wz*}e0&;J=abIja>~+2ffk&nPJ% zW##EN<^qugiJ>@hFfmmQ*bN)}k#uo+qIoU1Zk^d`gz93~U66>h3EBE$m{+CAW>XnC z++bcJ&-5T;CBejqRbc)gU5q_|8=L05#U;5`b1@kO^}hZ<eR%xSFl~H-kzqoxHJ0fO z_}m8AWSWW!^T?P1%7?jEp6+vovH;)2Q<VGg*?ZCwhi?SMZtM*o?BDchuXM7Lx)^Ai zXXIJX)?^GZJ<=tmraW<L5JuDQ0cX#q_mCcmFUd<QD=eYi{D1@t)DP}#rm=W>0mHYB zjQy(um?guc$YQGGS%rD#gaVT_z0`m^#S1sFX6Ep<^MTR&GU*5U)i8`no=Nw_Neg7l zQaH19lhJG?1ZPPu9hT7B7HsSE!rTYNar(=v#}YJ78X2F2>`O0%@2i}QTzF!hm8G&p z86_KlI%Qrb7^IqMcdYVYAoflb{YvQf3q8Bj=N&#gz<Hr0sfa5tz`Pf7`T1rmjP0+b zOA-vGGFnaOiK#MgTcnqI8i)~mV?kT!==X$g_<cdT1b-ih(?P~GIeej?9CHE336}0X z!uutuQ5y6*%&JU6QE9n2J1~#Y(IVm>&phi>n`InZ#<8T1ezCHcK>YH2W`RxOEQf{0 zGieM=B4sA4*<0I8e;>fQ1#$H0|4fs$5DzHgnFsW#OZ7{DAIK{LW~oG$3gem#X68>c zP2RG6`aV-S$em#QVAb->M)52Zw3cJd<?+{EAOH3H=lRt|#Cu(duSkRX>bQ8%>1wG5 z|8VJ#h}*w@|NDPSzt+9;>j@tu{s-{aIJSzu)G;doQ2x{w{C}S>=7lnIo-rvCT|7g> z>!&E8h@y#T=moD81OcFYt3q@~h;FbLHqs|-yqFeUm6)$u^cw?klL+WPP4u59zQ>F2 z3F5m^Op_}5r-^Qsn18ldc9H0h8!H+Bm~er1W*Do8YoHk4CgNNvy4%EXyBJ<2=7Sdi zQ55HS@qLeo&&y(YuZjK#MEp*P;UA0Pp+U4QJZ<J_b6=PFFZvG`{$GthT=@UqpL*CI z4c83&`-h_aqy2_IbfDqGZ;Jn8@%}M?|G$p`@%R7uP$(D&beL4Gco`O~HQP3An<o0d z`UQ3Oyh7c|7uwLa6QkQ=Bkn$kU%&U$y_#Y2tsJ1PPITYC!T9l_yC348eyRPXiOgSK z5?)#{eEwVZkSEj~mGbGTPc_WyPc5I`eRce^EuXhtW|+IS(3D00N%!s&#PI*FxqJJ> z_#gFM!d#6j+N<{b3S2s->suXDc2URFgvB$vCQ?PK=we^H#UHM%eS(gxr6<9~HTy+y zaSd01iyv|81sz$7-vAfsiyCmpg1Zu2q-nyzod9nC*E(h*xJSU91ny(tBCU`I?i6qn z!JP_j+h25qme>a_j<dJgb;K%|8r+SDJh*sv)%BH*!LO$cTpVnz;Nqs}NpMd+b7O$? z7t&FfFV@M!USRuJpzn8G(lJi~YzKG@pa!4{zy`1ppbVe@U?qSNAQ@l*Ks3NyfJlJZ z0J8wX0W<(%0HFXO0BQgwfE=Ljuh1s|!e43pHgH=2ngNagybJIaz{>zH0z3z>9bhv+ z8NdknV4q{3&cQZ?K7Z`CzYSZ(U$ST|XU>rEgYBdVcya<W%x@@vWh<lUyDrjwYGYdZ za7l0IXH5M2(l<lB)KloV_W1ce<2ODaj(Hr5S^%7Raa^FK5L6U<4&V~N7^qkzz)}Fb zDC0>J%TT&_14HEE7}Pn1H{1UTfR{b*1TX*;{VyN@|CXGJbjVL8{ygc6x^+w*z)FC0 zfT82({{T=+0|XQR000O8gbGGZVsOse1(^T<03-nb6#xJLb7gdOaCC2PY;!MTY-uev zG%jU$W$e9qd{jlYIDR|bO*$JlEDd3k1{#b8A=)kp4ceD<hTGE7_(Vkq5sfk^s0_Im za70YJ9VboMBX7o;aU9=_%Q(+v7Ds1T6|+DVc9122N^q^FMZ#hd*84l>RCm%unD@TF z&-c$SAJVsOt*5F^ovlvQExBj8WR)bz27jh0NvkCB&nNxQ|61X%_wY5nrGKVv8L`R| z+%jU?oQKO@^A|k+lLhxb>MFbcvBw_QTn{|tTA)AXdiXJy|JK`Gk3Rn3L*uft(%tbo z`d!Ae?t1#!nTfyotIy4xM&X~&Oo!*;{Op;x!!vMI%FJ?l_M3SxJ?%3m&~xC-JK^~s z50}ls@;zZJEtaGQpS4NZ|6sQz;@YH9QbtOeB<+EhM?~D>Jow2LUAIW_aEc_^@ki=@ zO7ksZu;3qzTScN!;_<`x3xd+O*%m1`8NgW<>1^8nVzB?Ge{GVqJmu2K<FtnsYw#Sp zD-IC$-F9If7eF&^!Grf}_e;_%SBN^LE8%bdh53B&f1JoBeR&-ggfSU_^;vr6s~I<6 zWTZYqU!`<-4*o$t-~T~R|KGp=i~rQ{47WoK&vR$1Va=VRhL^Zq$~5H;<xbW3))i!j zRHNDS)CAbsH8^R<|E6~Ai1^biYUBx1Eo<VwOiA*zdyWLljy6am)yQ;9khN8rOCOSl zS77~$ydraK#i<#(&1{HWUU6!q?y72E+TYI_-kYJaP3%0s2Wn8Q2lLt+tTR-zK9=HX zheEcos<{DP1KuOmMdp%KP^fQGq0yp{%I3LMm1*u$l`U~kZ?KMRD6&W@o8k5aSc7V; zcPTTKdzBgWn-l-Azd3iQmEX<+<X4&fgT9d8vtA8{+@%z=Pi3|8iZqp-4mE52maAq> z#i{YSt-)u`Smp>d>))x7kQ+%vF!G$+mx52f+owjRx$^-uHSBl0_)UF)GAwcDOLEoU zBntXw$f4J9xc^PzZK7}r6c&T7MxY>!IOXZsp_)yq*{oWdDhg-l4hX_ibBa`N(}Ii! z=m|yYv7~CTAs|#ifUOa#$2sBKvLuP7b2YA5z9bz1dx7%B`X(imVFLSDS%q&ZYf@P! ze<uTjjVgOi447v#@65)im)#ZkUb!Ae_P+Y0@xC;E;c!z|gY2-%&O}NbgkaDO{tXZe zkEyZ~O86;BUY7xARqXjv4d?JXV1TM>G^ae=FG0#w3!n-2QKa4`ugHT}U+9STW1qZk z3(pmq?Zs7JY5`xxIYh+9*ggo2)Cc(58!dWoPYoo>FVy(1IpSxnJIpFm>l<W^h-zE; z2Wg0C9Uc>_e9c!qP6a%E>4Gf3OJr&2B`IdH6euf(iD(FfuWi6WV*q&mYBqt<XL$nN z<=Fz>3NIkZ6w@>bX?x)FMQ|8KEw`#!@5{2D8DWvCnl*=Kr|G=@6X4u9Z;(B=8`<OI zpN;t53aOqN9MOGhB<P;+k4%~4*%|)8-9}Wv4^6_)bo`mc8yu1pxeFF~)^h+F;LZFw zkjr#_cK}g#2IK_<n;(R_RV?7cX)VB?{9;dYF<>tH*wYNJxrlNWD*Da=>ToVUY)5Q! zzVjJA)LHxi8v=&-(<u@DAf)%zGk`;7L3gRK(G1&v4Yiog`wk$Y1+n=T2yWBqPgMIW zQSI17wHcSFHY7USGk){M@%1jmRY3`(0#nywcLMBOpo{~qdOua!allwuUctz1mZt{a z%qDIW8IS)hVAevC-?}5{-LmBCK-oqZ7A~g}oSQ$Dq!P9P7FCe7@)S9-=AmX$Ez}u# z*nBEK$ZVel%C<m}Uqg|Abu-`H8{wb$S)53i^|WUE)+iKPvb_f$1=xB*AwVGNr0@2- zlsgqfi0LUr0M}-95x{&TNbI;D$xyKD6wwc5l>{C3G@H)T`;zHWzF4Rcf97~Zr+n30 zyD&!{E>#qa)3T{#17rt^<*i#3YoMusvQ*Nu6Us9CgimoGuxNOSDX+9&1MjoLQ&Qy> z_A4M*Jtd9DR!S0UF*;3sB!Ay3s3lM|=h08%lRO3>jucs=CoF=3<-=1z48$t@7dJ{o z{A!@Vz^c^92bq}8Hu3v@-kn`FH>zfx>fKu|%PUesHJW2$x@Mc0rAHf5B&42{DdH^u z1gk~~i#vMLVjc~hC?QDVnZg!k_d`TjaX=?-giy7TiDTi$EY~1KJ#rdWx*+!jDr*6v z&mTF3i=V52#V)=jg&Nz6>kNo2_Hi<lixj6sQ>lr6x=SGo%&a>Y{*zn98H0WzD=ChQ zy<v?5S#G4*f~@%s;%8eBzXo)grg7d92;1BNm;%Srk*ZPeFt^TLuCff?*#Qt3jSh@c zjqfZlA)WfyG&lScNLwo?OQR#;J&0*f4GOT#&v-2sGwYKQmV9FXd51;?lxkxtvK#Hn z0NVwC@Lhj`5r~Q5+_hg!VUTU$vmg_VY-~U=+YrxOeinzNiF?nOW{}0Z%0yRHCZ-md z5F#xyq4IQE&4|^?eag)Hek_(W5TmH$999J=UJ8p^bp*q{oM2dW-F_#mZdlte5vM!{ z*a=pzdN;|xuJP9Em-FBlNopja7Ab;DkTuUvPcwgDv?Li#X4Hwe1Vuhh6d82MBIDyl zK9>-OA9T;>r=ali_9;0&x$4(Mj<)gFMnR@dQ@hgWJP){41}k}^T6@YKjM(>HVUdi_ zhpTgUP7hf7114u(mu`__eIPJ49pxRM754WaQ~TtCr}fcT%V4a<iD=Ji)!I(GaR`bx zL-EX-cBP;~8_6FTeJOA&KshtEn%)!ol?Yf`KU{?+Y%>w|Y3?}~In)V}Z7SOf%jpBi zupA@b$00$MRRGjxCe45vvH#9)k?MW7BNb)#d0vaOw!cI~J9QN*RWZA_UJlj+sD!;? zdjPWVn$ZZCeOMlJ53;&JGyw4`JZvl`zAh4_cw*|R!H7JIJ<WhvdC-~~?r%|zx_s5B z1%!@SG!W<PJFkQx`wIIIagKyc#SzsS0P-7gF3z<8MX!kuQ-Im(aHxW;za?OtHnj}+ zJ+IkIs&?wV8dJ^#LkyTTSbe~VTJ#T)vaNSvXOTDaB2b(vCS8jvj%Mdu#^B^;-3e_Y zYmPnz@0-O~5F^f70-}}b-M3%@43y-+aLb}`z$esI@4QX_u2l1Os2zvZ+S67-i0Dm` zV4rN>33{2lW^RrgOIIUP^G#>jF5><Oh^XH<)n8@%pOTH*Y`!r$_sx*|y6)TpZWxqf zR&0Lbf*Sx7Jr%=Ei}K_(Kh2TVyp2ilbVPdsGZ*>{H5;{1^A{g?Ng-G-K=G6;uUU{o za7-2%34}FW8RPIi==KSDnBR9Lj#>-O?T|u<(472(krK|emcieH5Xb<&Fd#&IS066? zH+!}`JS6lRRvR!n9Sd%kSL_U|w#5Gh<iGELXy1a%)Q)||p;WC`Ft1h(XM=EE!kPj` z>rH{$XfM4`yrja5RqHc*_Uz@$)o>rgs({(7pDY1*(yRNZW^KT1(%b9h;XVm7!T&(z zDQT!AmFHvr@NFPb+?EaHKv24^1^!y0JUlr3wZUJf-V%FZHp#Q9T;B)&palGgA`oc7 zA1VY-jz4Yq)2VN7tH^Xq(P@B`7w><N?JLQs(cCbF?RBYI?lNF;)wVuz=nEVivkoBF zQXxhEI+ht=_4R7l1|6(}u}ujW+_7LxV6}Ok{w)n!K~~uwFpirgo*jYJk{HU$lBykA zbHJ!^$RP%G#;Xr?SHC#)WwpDHrpI3&R%>}S<<cIAN8KrM+#Y|O(w)N>kGfXmxH|qi zx+}x*cuYT$AzQr4RTFWUVt=d~RnJbC>+A)^?X{^|I?PseAIK6r2K{p_7?eCg;oEXx z#9f$B{ta}=MMIDlpK~lx<A5m3f>fII*a>W5a~yw*Sq`kXAZu2PFFKWW$rfZgw0;Wn zIZDb(Z5=H^>kgoC!BIN`W%W0+{@E%k%4VuVwN7=kD^^*{lvgNLqqR+a5eM3{F~FJ$ zyQ9AY$%ocb2~&VqLBb9mhVES;@C!bMGBZeTxxsMI?J7apvQ7p0nXkK?au(DJeIN*V za_+eEE}@8lG-!OAk39BGN$}VgY2lm#S<thygq>m=!_(aJRqtsnJ?K5I%Rz6QCa=cU zqaUCy3$Mq5-i>;uTKIx{IYjH9!y=D|wLL-aVUhF-CN+vA3~OtH-p@tSyO{JBk%VFG z7129(u%MroL7Hzpijv1Fyc6`X0EIRJ=F}=b<3)*Yb&4e9CFpAaG_q~EAaL$fBTrgl z4$Ny+st2g3VIIc{2Wk(YO7<Jd1hCuD>M(Gbb>es}YvK$oZQ?i`_{E8sO^wV&U9F&> zzD@NW*2V{61V#rzqRQJAEPRf7CqMgka?{)RG|@CWhb^DRmItZ;!ELIyV?hu`LK_ie zTjLer7%cp0SK%#uAQgr|(Mr|4&(y+~X)G4rg4zZ0Rm`=SAA`w^ji<WQyn~pFD$1o? zU3G1`JW-cTsqXIvG3Y-b7uy)K0r8w41U(4tGdMZ`Xx%~_A_O=qF>e?%5F6>8n68CT z(H#=j*gG*z3#o3v41F{oJPdK{L6HB}qEOK-Pk_okZYau1vA%#Ld-*YVSv?Y2y#r(u zP*)ZMYUZQRMq0|ud+WRPFb$Pg<6BT;Kvq62M0=GTL&2{?P<OSXCBSM+h8!pv)dFGQ z2_-{zqGk%THs~%W8MU2a8&!-2!5f!GZh&H8z)FVHs1OUxc&}o#T2Y<fe^w~tvrvDU z1E7`O_X7r##9zEwPXJJQAGNkNdv-^yY3eB_>ebrj?C8B0@cITN2N>8+x#}5IA&y;( z5=;>gf#o$Mf%Q{a^(qQY1=^eC%s~FTLmR*<nowA>KbHoLIQWKZFblwGFGpdau*jhe zAwp73*|HwOY-#+@S5Wm1OlqeZQgo+5c~TmRa$s4UkRMMuAwO+N=Ai_u&zSV{K{(1~ z`*Z-$J{JT`d8KW-(dvlZi8_JHvy+b@g9WIG#;Q!nYgsw~8MliBI1mU=Tqj9>))IsA z6=?19%PWUY2eRm>SmG{_v`j3TZ@hxwoKpw@AIVQJ6M{Ao{X%GF!H@xNts9)ct!}gu zvMc|15XsiDJJhOXZ4b^lO?*CD*a$^Xje#PKes=*t{WLt)$yo3nP#BDP?g9&IS)7hm zh5QB(5J_Ll2O-#dJ&E_m`dR;0zCam32N5j@ba`!pB_g94zRWUtS^qR(6BFw6yO2fQ z0?OshYDX<9Mf#zeBmL86SAK5Fvnx+`%8PcW%mQ2?4Tzk+fg}uIJ%Kd|-n$SuPyl2= zo4=bGwC)Ue>H<~uS}g$Tsi{{1eT^2gKD1N2Jk+j@Qfm)qLwE>;2gbuPgfm3Y7HZe4 zu~=fRU2GrED5NR-<a!cRKRgE`^KCvXP*aLah^pC|lpjRaSGS<y#kx@lWP?C*e0mF+ z2TkYsW)W#)o6PMO;uW^F5+(proChHr#IHtliH>vOiwKV#j$sf&%da8=aF<v-r^zg9 z#hO#FUQkoL2NxW{Rho~j+$Z>&$c{=16@Xd>f&>XGD+6&O#oUo78BH#^IjO8_OnT`u zRATmNIndMRA<WlIAZ_1)fG@>}V}+!_F585UtRKUJFNKalQ}@98?;(}{h_VbDPgy4A z!z0%FVjVChd9XQ<Vj@{rV%;U8F&S~ZS&5XUn9jZskA3RVSE7w*s>w-a<Gy0n%J%!& zDH>0{^D@xPj7fjXvPc#=bQYo-?JwaAg#6W`pNC-80l8`$k<zT?!vKP#<1pNYVnjZ` zD~J9l66a##PD<<~Lv@g~BMiWHIKCIC#!&~EcUABC1)2Q!n6)rfPl<hv5i?XK^IuW% z7XCCo!>Q)SQ11||_h%vjUTyd~cN}u26S_U<<r*|}0(+dRif4XTgK<D&RWKVvH_~jJ z1I*$dpuQh*4iZu6@ZfJj)N-@|r;CAE4Lk^5^)Ze1Uu25$P=HW4_$!d003XkU0`N4Q zo<@|uVD#rBKR{OH>ta>)WMA;?j6QN6<!=bXlv$!P;0-C1KQh@8y_J$SlT{s}SY31y z#)vh+^{e8B^%nlpBn)oi{}F#~>?fWR;_p|+pU+GX&p#K$-wUXlPXh|_%dR5DxZ_lp zb{Dt*f`GTG<Q_?yU1(3=13c<Zwah+g4-Qk->D}<K)>anaR;lLj96;U~^RCWF!R%^I zS5&UC3Ta;NMTv-ko&$w1q7_yCbv;G&5(yt+UvUhJNX;K<OezL;mICVVAAs%Q&`W&Y zHE|llKRW|}Pa2=dIyj!S9JAs^C0Dw#zK>Z`fKn~zAsGuik-mBeCX9mw)46;D_5L5A zd-G3x6#fvn7jL;Ko|mRR1uNMwF&>56lKkjtpiA5M$uqc$wN%!`KRu0BC;N?1JQ%j$ zL`D{;3mz<M09N_N5h&4#*jIHx#{wq-UwA6aY-}LwG?suWt2-b%3elUniP(pGCTK4Q zSqIlJ+6r!%ECl%IorEN0qnZwjXiknAp6^0?)dg$2ggxOXVIu<Urv)W>-?S^X*(E3n z9S*XnT=j`W`z2wuDH!%`FT7EHHjgZAGc#FHXVBX!Kl9%>D@A89Z2TU=#*;Ql4xv<N zcrDr>AWvkCWxE5`MsqtX{c4=<rR7THQ&L&^qpf-_(5tB^8)%mS-b{uN|F7$aUiDrh ztm0ctXC6eesWv4pze8o)_>{?*_#+>?-BwaoLc0yQ@SYp6?j;-e7Fx%qb8kIN#?6q~ z1TnTg+k0dABhedSW<52r*#Y*1%X1`<XBLiII1Rd$&8D6VdJiqQQFO2TdewVsL8j{M zEKgP1i)}7_yy2C!H0YJLQyUc<h?c9x(6fJ70^weM7>5#TqhfA1H&9FC7Q9OU<K~7h zz<!(`U~}PFt_Ii_$;&-KdzZMg$##g69p^IIoB6L591A)0TSO__5wxk+<g4Bm-3IXY z<Hx_Hm{}OJh#E8Pb*UDqqbLVuD7`Eg89fGty0XrIG4ZUV=dH$#dVX_X7`(9UELuZ= zDHXX$ZVX$=Vj3=TgP0dXgY4PHA~zOjEOOuj1WCx1Q8_gSHx#M8SW1GAFx;-eZ2{U< z0_K=c<VargKn@6J`^$%dn#pVXOHyT7j`^Kw8f9)k)KTzPmM!(*>+O?sV5C|=sxy9; zE$Mc}lwxCy$qsXImdaA99jcikuc(bV<aN#b>#=0x)NN_jSc++l*HpE0X|U(M3)UQ9 zrvj{v?e{H<qGH4L_?B%kH}NXK2;(MGvsE2<`kQ!v<{>-KK=iwSr}wB&Y4;(hqEeMb zwakFAm_WAliQNEDc$Sq&q9thNGL&)64bYN4kWYdUH43iO`-tR!+{8^-vH-xAO8`Lo z%*iTt<+t0#hRe+-rNo9yQ;OK5+J_SB928q%1uhP-?IkRV`*42N3Xf@i)&>vSp2K}Q z{^kkOEcWaSc=ziHe;ts|bD*bKOeS5vvbQ7^ye!mkSp}7^8W+2eyU`wf4n$GK*k-mD z<@kb;thQ~YDOatL1YhZ!MPkmT6OhN-sO6$Tc~r2h1~N8oL*q&lXiUS=LR~VqW_pP= z)Lc;n0(5$i)j^g&K^7SAf~WN>u=HhEdJq}4>(G*2+i4fp>=$aWRQu$D3QggAdtbUQ zv8+q?MPZH6t5Z?ugh4s2t@JG$ui!q`G`A0b{0alz?*%ezC=(9Lp~Jnz4j|e)l(lGt zR?SAmdt42FKx(c0TvIRHbZMP9eNkUkUbkVgyzV(i8;pc;NRC+*woxssQ_GswNdG2C zdLca<=Ct;-4ceN)HY(noa_9*F$B2T^Rqcoe#wP-?MAH65;FUz+x6rI{$|6@ygn$nk zHaZ`apI-`#R}NLA;M!5-5NcFLXOSG*jw8@nEQiKX%oI5^ngX|Lj~boR<<OV(c8@mD z=)7MJIq9uT4j~_isx~Ca#Zti7;0So@wDBsN4uSpJ7)4(5WrqBbRNnV@pevOk;mE7o z(HZRvC2%xLqYm0w8uscjsOOj!hOlFOK6DP&k-X;Hi~ze=D)x3LtYJ0kTe80v+kiaT z4(tXR#-W`=)vD|tHtQH+T=cl~gSxs)YGaG#l_j0HZC4Xl>-;6Go@e-I-WBM>FsO7o z5xRcLvf@s7^W$4}C|=@adPYkCWZcrmG+)IAmtt)86~pAm(-n3?j$DP?Nb7oG_PI3f z56RCttr+;p(rrfP!*b{t4gO<t=wB3gTn@cNf%)1)MrXMk`X1<m(W%R!%@n;@uG$S1 zt-2h+yWMP>?Jw-3rGcWC0+8!R)x1sWj#IG_FfuqIKWd{9iKUxO{(?Rl(9l}Ub}Vlb z5DI^k5p*aV;V8+gP@_b8p^(5-9QyK!S+?66{O(}B61nYowclM5yImpa2h;pmC@nTA zz@DP%=dVmm451uad=}U3dY5LO9ljx!622iZrqOvg(=b%ZYINZOZmJ@t$O}^Oky)Nz z633?4IGQ!Aqd)xmwA2#$qvFokK$t&xWK&$Pk}?R}idk_dy=Rqp>z;B1I$97mhp0H6 zDqdhMW;HN9PdSuzG`AUw@nuJ`_e8OL>j^(FvRSxw19SHgF5`}tA<d&U!XT*%+p3sb z74OEU?NGPo0@A>00<dN~js;mwWOBaIS-8}ySR1RYs<|n)9X)ff3gsifS~IU+HS4kc zG#FREY@pPGD3(^?&6h(Nv~Rr0gro**eiZd8y|=I8+)s2R4rE~*K&A3Ly8SG@LW!)q zm#iw=_!GEO3DlpgtSE1S^v^nCy_9vYOJY%i9`xmDiAEEMz&W+79rGi#;-w=5?l1PE zzYxf4!kX8BRxR9Rev_#8$9`aXE_1uW&U$Jpzd<{QHq7sB0|A0%y?Pq=u&EvpiBwe8 zJv9XVU~i{B0CFtC9ACSVb5wY*(j7E8Xo&^(P+v$$gTv!5oaUY`S53t+!pXcE2hLHR ziWqnm%vbw*i<XTqd88SD@TA82Kx~ReSzIv=(}>)28uHOOd79gw*8%C7z;2<dz98EG zEZ4<%b%0Qg5jX%rjNQxocM`rjw1MzzyP!Zme;o=y)qYP+A&?tQ_jWG*smfx0ASAT^ zUy~ws@6o!ctisi9Zc~j7DSU-Du_E+qn6Q2VRoBJ@ncqDp4#IO(od2qWn6ctLt^YTH z9~(sv;7RBi6C2b8(Ow+32Ss+M#|O198H`YC{V(X|k#@?0JPuI=sdGQv30Kkys01fd znP65Zb--$z0Zey%6AT9NGvt84>8jkPOw(WRLKoY7PO!~aiEXk5jA)8)pkEV1o8HTA zmz6fsx5qcq6E;~ukbpJ;e&=X;@H<b-g5O2@Z-`FEp0BuRo}P|e6kao96+kGmql;i6 zLBJJ#3<AqiiB?U#UhiM=wB=g8w`w$|P*n6*NS^4S_-nf2Ps-67F#bW{ocIKidpSOV z&<@8ZP}YI?Tr7uVd;-5qg(q^T8HBbzdBqmuSA5>}=%eUu&_>YqHSIBiD9I;&Z<;Vr z0JU$zcXB9&Y|F_RhI~&m5&a#|a_H@q`k-Q_)3OADBu9P=(Z#GI`aC>~BAF|YVf!PR zx;^?7r5umyiGstFICX?cN0CmB+;g4=$JWsjlK~s1MKUX}e8jJA#|+U4qNqz#;CGaE zHT>pjBjNWdtsng6%T+m|21itmR~79g0+#4Gv|hm2rbbVkqo|bV;d5ee=Ht(F{F#P7 zYBBp9`XCs411hoqVNW*Rqx9^Gn_A}p-}e>#laML8sGaN@T{`Q05VRNP1jDmjT>|g& zIG+a1ZrBP?+Sg1+vs2`OCfvn1Xvck%mST??@HXlW6i1&-A)P%6N|3@fhqIbc8?s9o zXbfs8FDkBn(h)E+Or@bHExkDWWF|xuz)N8|{7k@@Qiur#jQZ&yX1|_XctJhO`WZw3 z*InX%Kn?|Hs$nfd+j7WD4w-XoYFU23`u$o77-eCO9LynV<=rGlBBU8!R|+*y9}xcG z0)D7Kdl=NS^UOX7;kK?1+p{4Mh%nLizH;RUfGZVc1r-;EJiu({yTRVT?De=4Z#H`C zmxKUOhW!&>W2pcP#w*NJya$&qRgD`>Z7%$t*B%1pSF&g`@!^2Q#Cn^~7yl_l_&~7i z8}tVQ;Tw49@RGS-g4pf`BG3yRgFs}G6p$4h0hqGvHLrkP!M9#1N~S8n>oQ|BOS_Rw zHU>~}Zg6<dEP1AwL9IYK4ytnxOjoVLu0V(luZbF=_q^7tVydGe_H;v$qf&u|Wg?3< zYQJ9v_+u7(zmfe-rt`b^h0zf`S8m23EhcmF!S_Y;H>hEcyrRbFOwqA6Uo6e&wCXkp zI@HM2IIJV%u-eU{%vd&V35>(MYNHihHWYKcidF^FDnEA{nxV5E>4h$Z^WH}lEM|rL z!H7^VK>Y{RvphGzp3E;{Wd&U(fUbSks%CvOzcS^LdlENU#GZteDMQ7!E9iq+cXvwU z2UGcNE8q^4oKLGm1Lm>n1>)@ok-wp(5oD2Ui{MT8>~gd$HJwA=7rKihMX+Zda205s z|MY1gO?VNe0wQF@CufnAfT8I@bc&112~;hs$9I>fnO_B^V=iPl+%BXOQGfUQo3v!a zJ4(+3Z4&OOXe7jk#crbMeCR#2a<UfFdHZ`}@vElO_Z}JdGOG^gj)<DV=Ut0gM?&lx ztc9jJ^F87^I5I!Jg#Hd%b`*q@z8xr|?+dU_l^y549MSE;LFh0j%$tOQj(%^ruV-$L zji%jU-r>Ox&*+&4Rm(Z&f9QTItaO_<16RG`D@2h1+u@J+9Nu&-&#Vbpw;P>TEjS)g zju@SN7WG;M%BfUeS?kAbc|-x@RBuK8QBA%2qQd;Owz$1-kpNatQzLfo*D&HX)u_p) zEqqG9D=B?=BE3JQckQ8glJcDSDv>9g!w2Uek#c_VReTF37%9yLfy0Z)A5Q7=QM!m- z1f7D98Cy);{cO3W%k?I=(EhjYC264x&EP}dMbiC84#I)oJM1^#;~bokr=0Vi)0>j4 zAAnKa8x`I5OlWL=4)6z;Fq&b5$6+>sF`494hI7Fm?$y=wm4$W>Ha!xXe)aFkO%D-G zEAo`HiubHulic_coV{)c(7JVL7}{x@h+t4rHrv8q=<fS?waU~0ioc#DD7M17BPjk5 zhvL^KNl^qSPAcA$`nvxCic9+yd)f(+4=XVKL3W5Rb2svr13v`D)dkEi{+0}kqYIet z74P@@+GH>CdV$zoF2J}GcEjz$qq!DVQ&6%<=s~{gZ?r}S^4rN-5*F~9zmZk*3@C(Q zYnRQhd+&*cG2hc3xy8aC0m)!_WTq9DlXqBkKa2F#!@;sIfDO;ETBMteiLH`WdNa#x zZC7#(Et`+=2w%ruW&>2^HqP{4ay4WgkC`Et@FY9-SK4?QEFuqa#YCI@uylBzYPi3U zOx$#E#hxcm6#h*L`5ua8tO+|i4E=?E1TLoJ;Kc89TPLRIH+3jE4m4+9&kFON$gVP% zUd4x^gD$&0+s_)I^LI`F0iaQrSy4`?<_XzoJr^#@iKQA-b6mz&$Tv0HD05J=8v4Iy zT)3~;?dJy!BbDPxsn}Tl2<;VWc4QEj$!p4TdY3y<Gk6U|b!c)Rs2;!~Ysgre*u&A{ zHs@gYL3d8K&yJrREB1UTrU3iD++))D3S*n;os`noBFT|wQFJLgivEulnh7pxkKD}q z^Y+Ow6SLShzICr@E{F8@EHuuXrsz7wIB(JW^FpK^z*I*A|MWxS?%0sxs&;(<WJ-Z~ z94wL*+24U%fhu#(qgwhOhKkSa#j^tl5Gep+n$UQKbwiPpV%)@0hah_pSXGxFNWE|` zN+G|t?m5Ik$Pw!|7#S@cqO(V4fPG>->9FXd)v^YX1<VE&#AzUq=h2Q5$pp5S!Ba-k zR>f5io%#i`?)q#H2)r#z>f>7#WXHvM1bBS$m8+IDs@9r-;a-nY!hws^Pc<@3Z^eeL z`rGGN(HWK9pjNeOLyV^#77ZpBR;>FSOxenppm&LJIl5D4tKM@<cExw6GpPr?Oy`-m z1#IZd|HZ|P%Vc@9r(l!TW|cwr%+d4SmZYBJL<B}H+qX_QicPwY3>5=;&LByO+%k;w z0f~*Zds-3e&!|?AKdyS~AetVQoP&j7V-2w<SL1m_UQcf7M2}=X4qh6iOo?Qtd&nTf zXT#5OQBEIE(|}n0oJ-IZ3|HXJ+lkJuqV2KlKzPPEDVBz*51b)9%-VPmrGuB>N-XD| zlX7o;(tdr}J~c9_6VH5D52(h(gOc8dqvZ{n1W}_8cOFEjGY@tzOc<+zx8h?(i%7T@ z;T&9pK4X(x)sADTx3S#K)lQtNo)R8{&hPD@U8#Fj`R}I$`c#>!?C-=iYql;zGt2SQ zFv_J4py;M^>05$nUu8@>d>U2pLFg|1?r<8LO={Hv?Y%}TRvdd9UwVm`1nJK2-t+Gv z4<Qo;$mP%(0%4~dIxe;W**<hk8KEqbLLeKVT}x8Ed*x?8AeHQHOSPrJIsuQ@u^lDQ zb495rlt6UE1#w<BegnCdrKn~d+Q#ZDCP?~M0oKfe1(H-zFkb6dQ7}X6Ei#usDvs@; z1I;WP#6hvX@s!(_S*W~f)<W%i6tm31ELShH091Js$7v(uS#uk#<IoE)Q8cG#(a02w z>TOt<-B1jJ|1PKwYtex$)~CUW7&wam7e>)$L67+Y!RQ~L#V7dS4+Ojm`GXJlg?5n6 zs<2ZEYvU953s0w9zr5mr5?W#%rVodu?IiCfl~p4>n=G%i-94%SDK-*z!iO$TClJ2l z<`#sY6dRw8P6Rlotd8waR@-Q*oA9K<V?^%~k>msty+_bM)H|qee9QH5XHFE}9iUEB z)1+n{`VJS)nLnePJ8bh&p*Bn>hxcjXEY);AwOooH_A-{ZOC?RgLxC`@Sb<;Y82REv zA@0!vm3i(vQ2@k+pt}_9U(->wm<2k+sRb|tBNJOOptw&zDpUq~HELj3?O%OIdtNsl zr3`;RB6Nu5BLBPJp+CyA5SfO`guMbnf)v|F?-R|=f$)fUc)scE^=CXF&<6PgHyN2L z&L(~R293ZU-@*~t0WZd+jYp8!rHg#0FUN#;Az@8gLgRSp4bnIe*h|R8uuz7=0$XPx z)dyWLJv;e3JJ2R{K#e?=twg5wQskBO{_wpv_;bKt=Ij&i07d#U9t+Alx6C$Npt13t zML(`aBEz7jHQ2{xw!&%)V7F=<#*|C%Atu17{I<eQBa_k6wS73BVvezZ4QCj1!{N}S zwOBoFLr=2M<|3rbuTC**U^RQ|7kt0W@4mAE#?pmHvF?mrA+Na00;pZ%_tq^MpyX{2 zu$r4ALEC)vU3t&NKip17gHo2IhHCVW*^e?wxkLlmd_)!YBO9nw0#yJWYy4O#nvL)% zt9%pbxjqT<u{$%#X$SK`9(3dpuF7;6k=4UeMP01Ld+{PEJ&P!GcqCrxH81KuFB1eR zur^Ss+pQKYvmz~fS*Sm@hx-oJ6s>PXnhRr~XmuryR4lcjQXm~nhFKRd>QnH<i2hOR zCgcXU41<CAqZ0ACjLt!e98h0mvMZLU;9GB~3)n@Eddxbg$@}pFIw4Cl<k`&k>^8}~ zfO8mNKh6oTa#w(TabJ>uj*EXvr)@hEuADCcAJqD(#wy&DlJE%2i|8O4du(+U>9d{0 zF8?T;MsaAo!|nq{sQHnD3~e*4rak}`@DMy`#pr}ylV;~<Par+BUxzF+{PR^}wO#(1 zSYi2XhGZdR6m6hwTP3Z1s*7*jizSJU76=R#{-WYMDSCxwLobcdR~$wC_sn^HbfbOn zQL&;;=L@eTXyWb3G%;3eoH?iWZM3(2m&o}5<c#ey&Yacz6OnDS?~11}pDnibA}*u} z57Oj4cZ3Xj_UW$pY9W8I<2-=gBnMchw_eXeam)_lSTu(YVqbOjr|1c(vRHs^P|&em zDlCvgm!rUH-5jufi|!o8Df@zGrOD6XRwkZ`t~8?*CO4>+psl|DDyR(ga_AdL*k?$4 zel{N2K#{i$MUxLw6@Kp)(5{x+!ZS1dg+ScpXCrY^Jf>iVdyIBf!E}q3E3YV!SEv^6 zsYTAbZBXY8!vLU)bX&l>E0DKY{~iEKDag@3RwF;UZ1s6$J`P8~x}MV5Ew;+&pI}*N zxkl8c4K<=!TDIcd45D3qZ15_Z4R=dd;ofd6bCu13$FWxRfw%CFGX3G%j+iw()1gL| zW&@d9jT<CD-=eKJG{YtXft9OP;x=cK8Qs&fXP{P_YGmG{FtWq8;kjMw5oHZ>wUUVc zNH%&86y#`E7u;>p#>y-D$SV|!cl#pTEV*WwvdpSjcPS1F#+Fz&d$%wA7I#Vu2I<@I z2u6wZlajn$`dS#c%A?pfgj91IM{Qb;aWqTIM8m+~wW4opMc>wnzOALc&CFCIcV-77 zOODv6Q}W7GByzLSOj4JE<938(_0uTiA-WdeBJQ(OY>-qCdt2}8@>aj74IBkD5FtRV z=eAU`Zt`sMEdK*8I*|U>!JD78dW&pw=y@2i)h^sln(-Zp*&xE9WqJv5p5KUN+N7+a zEO&!a8usG3e72e6*+xI(kh#iDnSX(q+YF1T501ZprZiv=?jvp1dh@eKO%v_Mqpf>z z&Hq8<wp!YsCFgLtDh+CBw-1FGv&dDbFbGmmeG*;Rifm!~%ow_nIl}h4DUcbqPs6}o zG`9sK_ILgY2yxo})F8ENqrB2THG8%a4yo0^jm$dC68l_atvror^3*`cw#+|h=;Z2< z#dT#@rbDPUR+_l%pBk)|ZCe%^guD}T<>x^zQY&Mhp?~^5?0{tIeL&`(xli=d&ig|@ z)$p*AeWH7!6ZOZT^LgliGzLb%vKuphqT#_p{w0h%zw2AnO;C)C**!3<M-}u=>#`_- z3Q~%C>U7dm?<Jd^G3kC3x%K|5&!Ge6G5Bq?PdzRO7HROgJ#7#wtIVaT+J|<!CqQm# zMEdKk)gD!uL3Uq=zuzd3^cgB+E{bT@1{j5?-FOK>7}mg7l1nJdxiH6|q#Pw82Uf~0 zN%7yKdm1zH<Bd(h#wJ5z0Y+3tk%;gel!vJh^%3EG-ZuWBh(p&6eEpkv#cKF#B0Qb! z)^-ggAmBKIjn#PT3&ORV99Jm=*D-VC$?4=`0onhBQcdBMHm$G9Wb8{i_QlRi$c^sl zPUM8_R!35bhf*3{BwKxmS8sIdipZU!eUG5r3@ZURT4iEXZGyv9x_Z3l^mxy|;60*D z7u&;X#7Xj3VQCw(plndNFiVO>H5LPmz*0&bNpW<5%%X#iUWvVKGb(T_EM!MRt&JR# zjApaVZ%MlVNWaB#0g&Q7r^kE#1@Fl~&ffb2ApMr~9{@>lJ%RLFs%H^;)+XDq_G1YJ z$A4mw^$B`+YUA-(9NWlW0uE3DiNgc%GMcu0C*XOQh`ntO?qY3+)p(jHUwx8IEAIas zrIuO}GS8o(gqG7K^YrG;l>Q>V#`0E^>V5tw3O*55LqyRTgRb&B={!n{$nfcRNm5Jy zZ9;14vR|5`2fZXon?Xc1N6RnKIRpr0y%axV$FkP!Mf1I>WtmP)H?rP@2$S4&%_CyZ zv**!-i2aS%k(yS%0_`^{LlNN{E3r!$YN*6blA?yn4tzl7>g|+yRTpv1qb@N+5MwD$ zt(?#g(W4AX53j8eh6dc$v!5XPZHQ5z!Qk2GW-LnVJ0i9;@{@H50ki3B1-xTfJD~#B zX*vi0uFKG@MpVlh^atPyPgr|256k**Y>RC-o$W7@CIqnqK;Aov8*9$f7-vj%m|<%y zmA@P%0SjcF{ggL(KOjEmKQ+57Nsfq`&40QjX^LoFkmqujU`&TU0=Vl2m^3kpnWw7a zZJc<UF5X<?ZH{>BE8gadH=B4{EZ*9wdyJ?WMSLY9UJ=x2@2i4%+4&ZT7qjv6BQ!@$ z$lEASL&0IhXa_=(e{M|@vwQJhbDRn)c+0nmY4nRK64R*Vp%LiB8EDx%$qmd%8w?e# z#beRlPOZ0blZ59Gf##m-n${HbAqH-BJr~nk(8Jcu-vD&yn-7zPc@}V%ztR-l_ghq( z5A700ca^4CD8_ex-8Iiwv#gJH#pk*AZ^>4A8G4~?qO%aDv+r-a=2>_Xr}9l_NkHn} z8%S24XQ^eU*kRNSd;zwdpJ)O>C32rdsXT+LVi8$Td~pkkywdhW6c3uP4%*YKJ@4?z zE4K3Y`o}d&1jbkWPckj|sy}dtab1Pn%aBa?BR5-O{V=v##D*!BZB*%)_%wGxFm9A! zN`KN?6&ryi^j1)1g|>QsKAGbN6!_iKg@REUS1>#^vB4nAxaW`B0P4r|xLv0-uEXG# z?W_Qso21nx{35awzWiY|K`;QS{d~nC(_~X~)Uvkr+Gq5E{If4m@W8VOw6y^8^tC94 z)%vt7UPozU?)uzgw%1y;LE$GI?X}r*C`^mLDBC!6UJYBrQ*&5R4x|~aM~$YGa8b@% z<XAqQFIv~-j1DyQ;dR}P=ouj9e%hBdIY<mD#@&Y^+7*#QsEe>X+zrW_o2^DBTc8nE z<TjhUN5e&qrGxxz0~Ehz1k#b%T}HDDAc)?C-r46(ZIp5TymlFg(JE^Ij@17fbe@en z{x(lnt(kSPR6x*qjnGfU;nD_rcCxLYY^U%r9-ab3l|x5qV|HrxGMKb#OKiZ0mbg-t z4_Vm;zS4zFd(X*L8z85=0*zO+D%ia4T_D$me)}Mv&vU!z`l<Y2<hoCGKozGv2Li0Y z>(DaLR#TI0oEf;_82re_E)>l1enehA5m%2z$mAkw79Aqdvy4fR1{9Y=_me`1LbDut ziR7S3^FUcrKI~7I*Vym-FPyJ!0k)fWih~o*p7u(9;2<4dD#3De@0O>z!9MvAsm6<b zNex~NRh@mAEM8+E+nO^-vH$y06)vL+v(6rbOuhS}p#xTI=fs6Sg2-<$@>Cy^8TNcm zF#eG$4i<c-P$$*A9bCKi5><~UhXwnbm(i-Rn`o8i5?O7SwX9xbE3wwx%KQxu{)<ax z-~Abl!q>mYQOI^#=!TTD1+WH+SD!=&P3PMGBx?y$u4~9|WUN|tK()d|20wG~(R~o4 zX`eYn&1f-FgA8;zU`%)aGGSU50{y(WKtD5a7lxQ!JZA+Ht__UOKb_3ehZ&PzSr3y9 z0zb|({}a$gv4`>!Zk#6FXF-QyBRA*p?`d;|&Uh_FgG$(b`PXFs%)ti;D)vZGPOKN6 zuSmK}r01Sj_mzCdczuJ|DmnNSw0k3ZMY2|SZNk^_9YoOs-u3b`!cDL<kasp1dE5~& z&N<{~@JtWxFP|tRr8MB(P(E!99T@S}sq*CQs&%{S-M*j?=J}`<nYrq%*9U{>b^w%S zm+IZK;76GDI`+z2uNA7brd5p$?L-&FKeSW-rhJ8MY~|0>E2K_!a6=@yDd{t;jyoE< zEJ{fl)`d5okzWMS0o)YrXfd0_7$?bKkzv0j^Y5hPZ(Qn}Ws*-qa=FJvxjFx*<pyp8 zl_;GCH-o?Zz33!eo^;fr$1aq+SnX<Y@Xn!G@x*SKI#IPYd1@*P@w}a$xkj9`yDdk4 zq2@&W=3tpJ5!OMF?F?FL6?vtvf3duBdas)!K`E!W>VS3`yDbx>?*-{haaij>x?UhF zXhyEhE%t6&@Hw_11oy;!W-xw1RvV0D_5A}L+GtMfKaVWQs|CJ{G1VxL;i*&RbJz0W z9ovmoOI%dX?V5v|aQ+yIt|T(q%pEb1M+&6)4HV)InXDbC1iyHaraJstJh2XC>x<df z*>QG?Kk&UUs3XqS%b{f?@mHfH7A&);kyy2(aDvtk-Mo#uY_+!4rdn$eN27FUPvW)Q z2Dz*O_Hn@bu^cKQ|E9@~60GxjJab@l+V!kp_#TH6@tuv17Eu=Ac{q?7eTST<!|&sR z-E1>XIpiu%a5(iXC^DCCL0jO)61LIr-SO0wf!aehklGPc1x?4b*(Ko_mQI#61#{br z;n&&(IhX9OobU@ts$pyCnv2Xv1D^(R^o5lZmP1M+t`g%OsGRVhNpZMfW4BaJ_*GI| z6~;}doDfNh!+Ql{V=5;+pA?6?|FOQ66Ml(t=^_qgCiW`~(TM=X+#V*lVyQGZfc{|` zi0BvRh573edlOmzKovin^`3aVFCPE=gtk*Qqn|khqpuuCT$qvU_L4Zx$o7%D!hBCV z+hH6|kwa*DqQGlXJW!DcET@1~4*i@0Hm$@s+)Ep4oVIB9@mKaI%r@!>?Sh-ER_qhj z$sOe3IXV?#WLXkC5}xSuqi+in*%`W9Fze)j<g{Oiw7nv2dvaP#=Wk-)SQ{xa*veeO zqUEGSu#JGdQ#VOc;oUa0;@4((A!{Ap*2yn;Ew^K~6j=9>`yC~0tUERwnk^O029lfQ zw;n@s&w-d*^i)qxv|YkW2#)CKN~FZfpQr~76;ulc@=&1A%Z)P*ZGdqmL+fLlv1yq> zJo)E`iJTw1I>^@1g)ek>qw!}9OORdf=VvPrAsU~>-{%lD>{J933t85~8v%iK(Afj~ z{TmU-aWSZ68_65tS?a#=V3R}G^72_$0c47O%)@O!fWkI6fR_s3T@Mn$M~H#mgL)SG z4Y{&!Q_S5lJKF>g??Ejc;kE<Zdf#A}V1=xy{xCu3sY#sGEC9LN_rr6VS%v!n72&B| z@HD<HFrBlP(FGNBdVKJtfw(#{Xf>G5QOj`S^?)DumBif?1@ZdQ_DhL-%t$58>f8tX z_M@YMcxKZv2|UixebzGRUNDteDhucoZJx0>$EJ^FKG!6d{a1rD=cEz%=sjs9K2j%1 zzTa8&Ui{~$VJ0u6!9ZXCL9$Orbx+&k1%3g>q%EH!p|SIO$ftkU$}Qv+0HVea#M5R- zoHz+MT_cM8r|Ck<8CJ_OYp6#5CNjlBk_+A-=xxE`oj}X4+agR&Kn{jI4B-l|q&<YC zKS;%wNs;*$tw=5VZjIQ#-NGd-8cxMB3((IL<-R7Kl6MJt@2g$$D+tRPRBH>=uD=E? znVZSnz^ClP)X_&b6KY*9HQIN4(q&=2*uFkYj<Ff#T~Tl$7K~bOBmJWOfZejyJol^; zb}Ya;72_dfAfLlbD~%T6;jvQ#5}6V();l~$D!e20KAxJYBfb?Qfpe>7J>#)Ly#5t6 z`_yID>QvQilvj8#Wh=j;m6&e7o*C$_+IDRSEa1QTD$cvKUhtcyzlwR%8m5?13{NL{ z+VPrLy0WXn>(cBM-ZY(VEjmW=n}`H_sW}4SiEac>F?+@LVPlxhtgZ0Q(Ap8?>q8s$ zVO8x~Z#7b6sVEo;)v%UW2F^lNJM@FK?TE(un9bOJuZGkac%lP9u4>j}h#uOlRqeWC zqDz}HF-<Fi0l7h5*TjRUVL*W)coKXWZg^AQuwcBKu?#xrWY%LGje%Joz1tMUpdBfm zJ=)(yW8#;ZJz%)qkh9mtuEkB35NXek4k^S@f9HOI`uCxUBr<8no^Cx#WqTX!x9p{5 zKDG)`YgiTTj)o^Kq{~bW;K)k46<yiU8-h;d5QcW$?EE1L`DMrl@o*#l8?JhfmCsPi zf~ahsGRtpMBmIx5-W>~6G>%4gi4_FhF9=3#ZQb>f&uP5YpU@@_U0F0~Z8P%ZO`aNm zc-T7-CfD=}Tt|f8$|d|-eJtyzdys;C8DO6%5zU>VcsJ|Un9ko*hfy!kG8^rIJ!1XD zMwreWA(U;rd&DtC|JHEU_&xDssCX7Q;Qd5*n$910l_$2-k9ggg+5W;&T3^+A9s-x^ z9f`nq=%`qLKly6j8FdG6ta{H*f8<t+ry1P{b1}(fI?soY&~U~3t)?K=nE5erR0Q(s z?kcbxRp4m`LYEuAETArg{{HLr4BV<4y&HwwlSqS|uVSUFAy)3)s-;2i<*Fc2&B{=s z2Xbfv9u+EZ;eBy6@YFlw&$hgJP>;*nu+AN{-`9yf?oAaJKm}2WyignPibf!4TP`CC zWjcpa<&E))LX{F`YZjvG9NH^HWro~!fQ|!7k;a9dEB!;H3U1gX=<6uD;#Ro-AlfxG z`ss#Kz}U}?<U5|@_m~qevUmK8Sgt!?Qa`%pwS!mvE)UhYMlDnA0BO$N`Y)6;>2?Rx zS#JpK7lQ8^#03MM1E%xZr0{ZsOaLe-h=@go@SQIRf}Fle;622QYEf5t;>`uU2ZOS| zB^Vy|2(%XH_!vTS{*_R)6IPgu+@DqXZ3}d^#8Xp(UL$}NcmY%{|IIC!wjR^s1>^T4 z(jbCdk%M>NWCt2+k%`6}@jT1BGmH8YXEuye=k+YUaC^ee7W<E?=EdW@Sr5X%myaQj zO6Pnsf7T|OshF)!Ugvi>j8<Q4B)?(%#T)|Z3X$NpxGA(CuKy?eBKYa|<9B7D2U)Vm z*l7HE#Kru?;@4qq?&)9g?*H$a{_XvkYR5kHEj&W3$+MR)!xa(QsonQxs(vD{Dslf* z_uW=1%PwI}=-w5yZd5yV20S|gqdwNS%1S$-+-<<kro^wFDunR(cz6U}NhN~mp>};W z5JHPtkH6>X_Z<D6rQb93dzyYv(QhYm^gi#$uaUN>g;_7}kR;$&LjIZU$73va+(~9< z&k=Dngsy<vt@jIhH!SR}dbemP;VXb}{Ruk_Z&oAC3{-aF5%q;`e(%<}|6sD`Ac|Ek zzF-Tw55^u>;|D>>bj;oFAsGPNRto3#m#em*&2ObRuu0~i+1}cPLDl;`5J&I1g;_z? zh|75^pZ5+Z$Vayz8se8V_?K9_<SUpbY|h<Q<s?soS?FbebrnHfizf1Sx5WJ)e+cY` z&8A6}$sv`tS-LBv<CN9CRPU$gUy6hzp7ERW0<99(?&uzjh?~sAf1!uMrrLxP4K$OF z_H^32q)i0RPQ2-zcrftQr$I{JpbaP#<>V?noQZAzGHi|g!gM~k6xqzr<f;yA<cH%E zd>h7R+vZDl@XJkI9sEg8xbYU9BtOYR!XQ^rZ;XBd%@#l0hu;SryLHi$kA!&Ftjfiw z0M81y(VOn#M?rjEeHl*EhtY(YZ#*r+tp3~R+DAM(@#<4#NkcVoY@t148*W^p)VkvY z$$VL{clh~D38!a%qAQ3zsxN;Ba`DeLb^BBI*vI~Xk1B1(vQr3QI*J&07hmiVyeBV} zUj}F#o1q$~TNf1pkdJRou#Bn$DpF?zIEd_OLpRKi7uxTFd|D~OJWRlxry6Hk7viou z&p`NY{5SCN5u4&CMyi+4iIL`wcw!{Bn>!K-kBfwNDFM5^wnv}x(Peo*UhD`m<<;nT zH>FkWI1%vHl#k-IP)r@MBw4YKkLBKG^1_}JkpJF-Mkxm$Hd<JPkvnhY_2&}`x;8-d zo+<Bx_hm*hQ*jXL`Jw;D)E-AhF4!y0H@2Da;~S&+1Oj8mg<#Nezfu4rqcQd)Iyo_c zhiN}^6YJ#il|p}MY^0+dJeMw=vO}%0ekz-qOYRK(Vf2(T%5o*6EJqR|M8fO4%Lg<V z2MC~n(l7~C&GN5n@M3KKT6356qo-E2vI*L4jEw=nd|EH#{v0Wm!<W86#^X)giN_#2 zF?8k)%$IyU6}9V1y1!;s{t&#Y>k-@$Xa$iYgoks48>$OZJV!icG2^H(mF<It>MO>3 zxq;k%(~C4GeH<SQaE>UTeZU{gCJkd+lQ7o&vllL{GkEP=#Qq7WZh_kKcE$K+_{}V{ zEeI%6S~Az1t}N5!0$)nIZ~J*rnNmn`vgm0F+t9K7O^dc%Y4^(xmzL$($u`lp(o2`o zMTbW_5X0rrF*@I9Ujp^t%xrCtJ=IYmhxX%M%I$~9?j4ziVqA3%5q<lAY(`^Fe*_}H zGG+ONdeixfp9x>vKS3!_AJRaVlS98vL2+#^BtbWWAco_`J;hZ=<j|rN6tX~y{}6YE zF>{qca`ZHJ>9UMsQ1ecutC6etCW_lFDe?;qim_y1sie7-W&VM|>Y)2x@ezV*zk7ya zJP1h$=8RYXuUFbcebcTDunlTneZab2#T~0(Y_kZi<rhWqD-_pVNqfO^Xd$M7COI^5 zVb{l$llM<#xWgh4s~|36q8mACF*8t7^(Qz0h^e`DiK>c==cAs0;pR9vLRBE2bHq<I zl9fsw%&bL4C`j<*i2B(E)A_+-F{1d@19nEqJ8NCy_7%=^2j%Bb&82}W230lmcj<y! zebw{u+<(?zHcGVH6ZA)lPhuNg)tk;)@w&f8Ll;bqWyzDK-|YkS^dUqZLZK9WpuExw zQ!(4<OrMRnTi_(9Mtw?Bmh0t}I7V~EAfLzkL8^X*RW_yoWZEFMWj3q;KMy35^~Gi* zHpJ?cy!DEAgZzvI2otQfU=Vd$+^noJ<*HRyL?Su#GrVW!j9spJ$cjE|8xkTbZ-HPq zC)#q>G?!VasM&Zk3x1Esw&mc>%nzYPe=6OpgSE%rFr6nC;^qCZ-_ZN3fX1vD5k9kx z)(0T`M)aaS5MbXDI&P=o1yntYU)H!i%TG4n$Uoh#R65wZLG++}%reyBH%v^|GpYwD zW`m0VYw>RFUKp%AW%iS#1>1>Uq9}pI{j9;CR|6n8n$cxb!y7N4541Ojw{c*e#OgAg z?=K`%(REflP8qL3&1+N3@R)+PL4FRmeA$LIh!BZky#***RJc5x)v@2vSLhan^C@!G zu0+p9LeHqwrTTWYyb?NRY)C;A(B;|T0gBO(qS9Y2{ml;dqSwk(=dqg`F5b-%P5+B- zZq@}(-V8urva9>g{h+J3%^t0Tc<R$F=%h@Ckm=h#K=Trv8FxWvGC@+dh+fpu-|YBn z<>@zp>Mm$XUg_i-k=I1d{<yyHfcjbOYV>#hU0$7M=Z;Q4C;|z1#j3wb#{p==9#sHv zc-FFe;g@ZN{%2zDV)O~fk{Y|ofa=d{5F@fiqlwS30!Q|H+n@e0=74%NoKAR^pKk*6 zXXiw3fj%hSbMiC2a5VmY7Ht5TGI1BGQ+!Rtbp9k>B_7T79Ed)D7BOUhIbp~%SluT6 zavjvL6wkOt>~k8Dc!E#MP%0+62g@Nm^v18P!{ta<SOy?yxTL5G@p<ROC$W$hqOb5* zZwO!E>LH}YBJ;fPg6r-*5#sI1H?bG9R{R`R**<ilAId+kg>f{)1$=dFmy-x^NyKN5 z={+bv_bM93hy8v7NZW?^n8*p>oyatUkx4H@wDI+Db#D9gsm#_PuM6foj6)VZk1vDj zpw_akTIurEB<bOa8sf*XM`3ur2f1oFR?zOxcUZJO#cX|m?S=%rlZSQ2oP0=EJv^Uk z1~~=qy8$8yBFGh#4$Ymcxm0uMqB)d8=Abw>|AJe=6S5EuSNy{*`D)oI!#uC|<A110 z9-4jd1o@~MzrE(2^vrr3nAd1v4yvp}rGXi3K(z72aJ;i3z-%XBU~*_+M)TXcLF_3| z&HhLX$<Np}{<#~^J3`TRe+~>u9z;!bV<SzbbLj$d7DzXp+E0o8rg#p3eBk8H8YJQT zyN|ly-Gn!f-Z+}>M<2y^e{{*V53lPQA8}9?FezytytG>_aPwb$bTLB(Nm;M2Bbj+2 zO4@tzj^yKH7(y4V($|GfTc8+EIwXBi1uPe!0!5~#k}Fl>%*F&Ya=VG&P4b>zlp(K3 znG7Q^%!WSmo7B9GFo<g2J}N6T+C(|5DFJ<H{O;T+ey8CQXX8tYQI*Hr8tLx-eI?#4 zdhdYv*{!>v6F0(}HW1zx_QgcIzxs+8FY#{BZ-NjHue*p&Pu@TL4<DjVPhT<<w|&gb z4Y2Zj+(Z(m<e9iKNqhsT;I;U;&@RTN;=;KO-4$fpf~<j0?*jx6^ifs&#|2~bx@wrF zK5!YbLptfDOxU1}qvKw&*q95WGcj80McxBn1-$3<UI0FRRm8hnuCiOOfpM5@TJ*bv zk^9lm8T5X!V6eQRH#tM`_Z#sT_6EEsZma4&QU0~U*5@^V6ntfI^;kErfZnb_YeP6& zfO^5Su)638Qk(%^P#w=%7T&5xw7l~wI}deXE3#;%q`Q@Es7-y%8uA*U5tqMuTvxpy z=ET+URi(J;@*-62ub!7@#y;^^=kf19xQJ#i<|O?CG|56Wa_Ii^!gP@UF<MFywII}j zM4PhYZZ-1LAHw(7hKs|O2k`MFA6z&Fa>y3H!#)8ojY2%_m2*APp2vH9eRm|0=~-$7 zoy@}bma1WWx*C3J7HCC}y@KR_gBmW*@iV9GBS~79LUg)>?F)uWvi;#=V2{VccQ^o_ z{gKB^zjv>GYcOKJe=#z}Eo;Qb)`UG}2{P2+W9XcxWfrsD{_s`rt&^nK5Yu_tqsV5R zudgGUy<hh4@rRwiUWa<qz1e<NGT-mrw)8rMH3v}U+~O-J(9#3e4c=|~F{9a3SZ!Xd zlD9$e);^W)kEj-ZxMY5;7jW}%F_hdRhi0In;@vBUZpROcAsSYY>hcD8QFi#f-{`3- zv-;UATgQLlLMefE*ybTSyC63{cPQ4~rZe;?`cHKFy`V}=M3rl8o3J0t%DPWKMc+95 z3hmM#i=)?pjt-pQ1;MG2;7!@Ex)+U8BZ{ngYZqC`MYy$%-!nt#p!ji273Aj7S1@Lc zshc<BAwQn;UDt+7sz01h$Lujv4K5=Xm>?_8roAx$*Pk@bpUlI7_twfGyvB~*A<;!S zXjWt;j$&Nvji&RXd2}dOEo)P}ZE|P?)p-YA!uWZ5xtCR;y-x9h?1SHGgB;JJ#R$ri zqbVz1Eb39%&bYMnIMf$CK!w_t&Ptp<Z>J%+4QS8xGz3@vU<mH|aeN4H1Kiu94R5qk z_xtfdM@(^}N=v|-7=ik11Ttm~U}TH-SXYMt5W2MiRejU>`CKsq+D)P(08W_p0Jg^O z3Cj1@>KR?b63a^TiaG<sX*$QxrH_I|rndPDuh#AS`L!rd-5P(Zgg4d@-9qYMN05Ev z_jcg!4WQBd{{FD;U>_oSRhfD(h-8ax3fs!(xNwX)p4mZj!g6x!d1^6EBOZ{Ni0kD* zFj6v~ZD-r)mUuc4TICY<EpNTnjMEMS5M(t_VOJK@dFT;D%_cy8o8P-hPi1GKcme~$ z0yURD5P$`Q7Q(yHe*>g_MAb#ts*$^4I`%C}@5W`-_yU+zJzsY>PRtiHF}R;NIzBPk zydu`+Xx%+4B{tlXw|Nf4jFPfi;cPwi*SHsWuPqKWOcuH#<l>f-0Q*V+J6vo7@xtaY zW8=hR!3fx3ns7?kUIi~U0<7jw4~O}93KCj9HF)i}zcVp6x%|Xx(~OM}rQ>a3X&9oQ zSP^v(qjN2~|DC`iQd@Z~lmNbicXgiC9Owi1_tnB~RFb25w(w&wVHbfOGN6YH=waj` zS3-Wf$TwZ)qluo*+5->Xr?5`G9V%cU_bP(u<*sX9OK||uS-Sud(e;B4sk2c0b49d= znhUS5P`O67hxSx&J#CsGgv^NxA+wU4wdVuR&jx;<6L;1Yy9ddxNl4rCfwlvE*HxhH z&?oyZUrNw+ho5DQT^)DI@f;{&ZGLt-$fA)&7DS{;Fd67j8(ARW*=9O_GY8LqYL4)v zlhC`^^`>*iPcSj-t5pdKzSSSj+PezTZ>t;{Bk)iT4Wqy|xeEQ+m_EmQLQlmTLfL#< z$GwYT-lmtZh9NrzUIWb~9I@^-otbkGxm*3-F9bDGJ|vW$qpphM?9+e{i|(F^cfBPr z`?>_7N$<)f6TSK7&MuOh51dupdD}&D-{6AeLI*Sb;anuSF)Q9Cf;ky6hxLft==RI! z{Swiez$P-xw$grZoC@Fh6B;LHkd@5xqr2{2`Ub;YKS3c{P?9TvlH9No#kXiRP549e zp)KgA?!bWomel{kal%uQBZtQC9S5QD4sV0zhABc2fM|461YSB+7>@yhy+M>Zi)Y0_ zRS=NPajIQAo2Z=k3@(dp{OuJ;)?g7ha1ng_TUrD@SOg$61L8y;%1&Mc7p{R>U2DK6 zt~BGDe@koNmG~NXGqK@>YoLG*FNm!dL43tk3gSjHwnsP<j5|k&-}98h1)s2()#H;! z7kn>H&D$YA^9SJ{=~!?-e$3{2Ja&+=%$6Q7n@DVJuT9b9*$g5Ko-iV`*V?o!5oMzo z8-6~oHfq;z69KE%Uxjp)66q6qZTNM)67-+LFR9`8^PmlC0Kce5pI4hL{w3f``o12J z`0~kEVUSHrci@NH)UeVT#Lwz6e|j6ncG7qDl(ry#V{aEUHav=_kCN+Ku2!DL&G-fX zTIIqGs~lUpoa0aTsg<=z8Uc)N)ygR5SmmSf$rSAc<@&TBeyA_Vg6Y{9l>@JVY>dmn zI2Xp{;uridz7^v+#tXpACX8(h(pUW64pee%AyC<g57|H<#h3k7pC@p8^dJ6~2dqs! zCrCA$6LUlpq#Dtbq)DO)f;d~(Bqb)Ow0nY#r~}882F}twL8)Sbq@*VPm-FLK@5COr zLCrWpAno6ljj=Fr{Y5j1BN*<Z@22S~H+%G#<_D<JA~8QO7Zu6VB<80!X?}w7_HcYV zaeUh_j$<57LV#mjE5@~8+;)JAW(cS6wrq?i$ixKUH23*;^Rosu6Fjrl3Ja#&H!$Gf zzkE*|Ug2R8$l(<t;Npu!AeTQT0{Q$Q3S{tmMTCz}69JV^6@gMdSp=r@LJ^q7^F?3| zzgz?g_+=t6pF2fhG0%Lj>!cf(L>S2?Klu*|Bl+N5gpsW9PyW$$5RPvbVY+vEy$B=w z<*P&(`85BF2qUlNuZS>`8~%a_qdl2di*O5umxypHhUbegx>)lEMHs)$&8LenUa7!? zB8++w_lYnbPU6>!Fdb~p6=6Ic%ZG|E9-ZacB1{LKZ6Zu3l{??1FrIbh--<B0Qt(z0 z#sklMmk6URoj1Kp8_B|#v#ME}+&#}}sy8d`Rr=KHYgA&Y17gfqC}z2c$%dHkMa<H! znh0l*IVRyu4rJUVGTtGIx*%qwh$#{=xe!w$Vy+f3z>%|7h?wCbrT}98B4V;cj1OX7 z6ESE0E)WZ1UKBCWzjt>}_?+YiSu=Jt3ynk$T>fMI)fQgx*Gpfr6#NTavSh5!|8YIu zC6xe2K)AoweYs85PTj6l_lbR^ERzCe4UzXy4H`7i7=p<%B=h}$N!;r63UKLvb-_}? zT1u*#_1>!Z*-4h4n-IK#2wq=IwEL^mV!R8`=l^nPKwp2S8_*!z5oC2B;+uMovdkJV z>y_%1fLRC7jip1;hhy#@@tGK}^`cMzeu+(6i>uS2VYzBHesL75%J5hF`<P0^R~mb< z!6I=>qGQoV#b;VYzb-Psd*8V<+_ATl;cgaVsZ?76NrQP9ho?7;<uBezjOD*zur~fX z{~!8v9kP%i;)8V)>hwFs1l^VRR^8XjyWM|!e70^=(r4>F>i%3^(7F@9S4V7Ke6X%D zCMP~t=cz%avHXAk%{rF!rMrv3Ph4;$cA@|5<;yG+Z0Y(~AwfW#{#~54>BI3xG+Cr) z#wCnn_%*yCHCXX-$dsbp0R2(DkmJWHQ(!3ro6>_2%*J50J_&+37|hYf(U)RDhS`FA zE5Sd1pC~^hA>w?895iN#Pf^GJSY{tpZc^oD5Vl3@$>*8MP#HoOw*pWHJMk+lD7yCH ztKaIj4L6ywyBM8p^}8qHrvT9E?3+PyVF70EXF5;aL%SYntckCKqOoSWB%vNOlb_?} zef*=~@vmK1Jm_$oLz7p*55JA~zuBi4#wWZL->2wv0i0xw7aJ9CNVrjP{4dBse<$_W zs5tSLi*Hnn<%iy+or5)RUTWuHJ34aUko*+&=d25MD*ATqRJ=qs#Ln0NKEJCbUPX1Q zVy^<XlvLIjyOKX9nw)aUChv_mdCA=haZbRrx6+Z%ed1G2Prr%A?xJk80%RFea~$zc zHpTkEiw(c+1QE1FPoD-YqT5B)uG?3;?c@o+4AfN>bh|i=#{zRdBDV!Vp2A@-yp7IR zbXqHtb?{O2NO<_}gwKy0dX8KIoGTuUZ&(yhC;wA9R8H2JCcbMO9l)%j3|rN(z36SM zW7u?&{4bGwOIPw(N<M#=NdApTmb;RjlzcFrjOUSqpwNZwS#Jx!*AbArc^>69ovY&6 zO4rdjvO{m7nh6?s%Uj}{o_*U}bjRKHw}hK(S<rh>n~5c^Sx3%UE8qJ6+WQi)sE%ym z>IG;vyHQYZ?L>?iqT-SSZB4qRF^x8gf=e=H0zxB1gidp>LF0lp7~#q!G0SAvIA+Ey zllZcz$ruM*5H}=Iqhl7yV!Wiygk<8DsP{jos&3ODWb(e5_vZcY&228Hs%|Z(s!mm% zsycOw=2RZIgB^{mJTKgisf<-VbTAd5>>dOgJylOdZt0qqt!COe)U%@;#buiF&=@pg zu<_k*VtlvZIUJhYVPT|v;5~NcBSC56YdZbm`w0HMyZj3OZlGsE*u{oA_$sgEA53=X zP&#f-en@?&7jwB$a+qB)$hQjVd6mk2WoGXs?XpPkC7sw)3cC0Vl*0%qs1;yU<kx5$ zC_nRJms>uYH?o~0sxy%5FTX*)x9b4QH}VG6ohb<(yopdH!DnU>evR}&s#LpWi$rx3 zt~k3X2(<<k0}H7U!k9kL>Ya)rpWDYW9QF>4_<OLP54r=qX@z^R7LY)dm^)_jtrpZC zMcL5Ql~|D#@fa`DCTGR%=p+<}jv<7qC!{;>l)`Z`ti*gagQ(XHG|o`ZXczp3-HiTo z=RPu=d>Za(NR>WImt=Y3YCMMUji67j5=naHdGSWsva!qJ!hJKk-_?TZOz@V;2%Gn^ zcF6(wAHRH$t$G;hO-vf4q}BXdV^gop?M>+pZ>gZ?ZR8!4Si#BHJ&j$Pi{Fe}^$u^d z0g1_4orsb;J0x}k16~Co26-E`zF@o?LJVf#A$jBKOkDBtUe>Ui4iF9FL$@>B#00!O zLNM62V=eiT%PnO>WVvNFx*#6D8*JP079mt}ciAMyqHnP~`U(PHB49CJgW@ph(!+@3 zs1JZnY!`m8OAUx_D&RZGcD`0Ggj$U|4tZOWe7$WKYEj%&xTz*}9XgJSyI%)$L2unY zo8@3>Pj92aX1V0KUesImFYN1W)Z=Nk-VWt}^?bcSj00PmG4<0?itkRF@%78POS~8! zc@Gz{z>i++2mdwVSgGFItQ8C^aM8W|ekd|=u;t3af%1wCssaV{Cs6UbNNaU{y!QNw zKFWntx+}D*)2i-94_ZNc;Z!HPmoP5$_mhM*c}d6ZE_NQR!*=2W^zs1pFf+EjQMIY` zT6Rjm()(kA`T!G-%G@JIK0;58?USdea;t$n!6oUid^U*j0>Yip2kwH=lr}=#77Vpk zY{Ti87-qR7_B(IQ)(E}i_ky^V4?KCk8N*t33H>3SjX}KEACRSPQy-eHZd1c|6uNif zUio3X-OYx(<TWvwFH&KR{ps^RnmwW39%n#-w+PhR`vTh&_g^mPKQGPB<@osqwqwtw z8X{ic+`<>@1Gnz?`I&_$D6_C<BQgusDzorKTHR$}7KYYu3}6=Qr%8ZV!<*~r(7k4T zS3~!PbqwDez`cJEWfmX?#w~<{+p4QnqM@6d)`l5n51tC*q6`@<i6LDkar?S}t$Kco zcoJg__??NiSTAq|!u4P<2z_DhXOiavnXbr<z3>w~NC1OA@Bny)Hy``GXHgewWCc<6 z8D@CLYf<bhAFsR?^6~utqevf@u8I-z`{7t(kz1IHVyt+_KdV5=7(3On!bJX*n55}c z2B{L&iFn8VaV^yYx0-%>JA<xIi%Y$O9$!mcewx-n9<YI*X~G+gI!Xhw1=HAR6qz9$ z86l|yA`ZJ$tHeA#jk2pf^086*qV@(|x0at#`eqv*H=&D}C|gstlD3b6&dxq&pvXY0 zdI9t?p}W(vM~Jj0-zW~CLjU=A27uQ~Q5)x$0R+pWAl{cJtz^6XNhsMb4x;k%#w{WF zRXS@Yo7@z^*Zh0Xnnp#j>@ik6OBljQcBv|YcEOi4%aUxC@0KJ=X?kf7#A<xJ)+z0M z7wLyC=Ca+LtPCE|vPbOh$X$Vf9hO#4f;G8BBU~?02P@m99<6lPCLf5W@7F%39xmtv zUwZ2!6`W&r#qa>W2lZ65HD$^S0WOk5uf*(`isJmnN<2I1+jtOVHukktuq%z3et}NU z^`8WmrO*-?@&X~HIna4IYKHcBfo}VG&kR5T9LIcRwgUwg9o}&via6doe$oomsxcTQ z#j!BA79ya)#5k(!!x!<+IRruPoTulws-{xOPY7GpHw31)J>_-J`WgDSo~1%ry!CaW zJKc{jMHTQYwM5<neQ@b~s!V+7{Ph_7PuS_zDM9o~8_9l!Fd?5i0Nq$cuzJToQ;z5k zX@_o~PS8cR>BJO@@D<2xgifItfAfqVV{K;`vp$rcTZ)lCeTMpxxA=qk?grFHSRyyB z1Js8&a)En^+`JCc3A|quW_NYx?Ir_Cmq>b(?<V;%9#hdXT^?mx@id>?&@reB-Ih2_ zZR?M3S?3p~nk)&Y+0K}E$*2e-j;fg&Do@&gN71Q04jS4heq~Pyu!t8<^!Z@mkBWU% z1Y;Wqz`#(c2&T!B^E9$^aV90^!O4UR#s?^aM@@_lt`Q#Ske0w}&v#Y=5R1v=PzE_B z6IDn4HFqgk)9@}5>1^t#^LP<>g#7w?rbXT+?QTIWbnk@IvH|SaEer9EnxNaC$Kls% zta%2vrE`@@Qs0XX6yYUYfmzZdNq>=D=j5=QFnaNr(D@XD##o732fPnJd01Gs6EI@x zU~aq8XlfnBA>3Z$)}SP5f={QU@N&Aa4rM>jGw(`F-Xs<?G<RyB19qQ-W(qvrUJsv~ zRRf(hK@v<zCno})+kPhvdsp5d4Rc)Z!2~j`?us7e#_QzUojO_CTh|<9*U5Gi&GE%K z@J=nv4@L+Xp9qn(nCS&hXN{H5;lQw$mq{Xi!XriWrmUJt4f46Ca2m(1lNSU>?s32( z=s9|+ag#UbbLc98V~S|PReV}bb)~)Qtp?((GS^!}!@SuMs7!n|jluU}-I*YI$9(Q# zln3H#81wg`3}0=%-C)oF|KhlU#bz_wFWaSW(KoBRJ<sEn?t6Ieza+i@DahS+p*x!! zNkK0y@sF_yIINj%R7vc+dSHv|?eRCjAlNvGGEVdkk1%%3?-?!YxD#-Q`sxAB!X32E z$ZU5BFw@me)l&som#90+Nlxi)Tv|_+uEXmrV7_>vYAK--L(<oF>5`-BZi8jNv7!e( zv@j!9i5Z=SazVxlRGQ{p8VeLfML*%24R7I&;h)R-XL0e~RCdd~_p%~n+oa2tit#ru zVGt-u|DLeJ(qMe>Q5umm)W0uW)YZQ5;p8?s6cl$D$Hg6{(ECjGDoRb6#`i?3bkHg7 z;zBov17vOr(on(xIgb+TDQjD9#ntwi`~8v<-S!gPwMJnHs(%QQ_=_`_o)kNPo5=$N z9I8_dkV5<D=};P)hSEBCKZ&sd`O0+51;HX!QkA%<^8)`RVI|v98fF*FJyC9go?^>) z(7VLg?dWOJ`4(i2>|>S^@us$*0l}yw5to~|(Sf<bOH*b6tur-y-#@|6HSZNBbQ%Fe zn{rEE-$B!6`l-{OM49FbbTX!3C!TJq(x4E>iZNI+VvwBpBtONJo`n0)MT>Cd#pP&| zHvScry};Ag6T(^+{SAh0CtmtcD~wAuZV5|McG_xee@1=gdYiY-3{DPZCwI}|5+|;A zhoz#HM7w35aKN6p&nDI3B5ubyHRZq5vzINnCSGxrl9J;D@>SoL;Zndi;&{3Bu`Z|5 zL67mNbO$yIiIeX4<66!R#|lcV_rJ}wfR{xRaiITBFS(zh#&K6WkxZv?OFGjYCu?;u zt>Ds=Kx)b!xs_f5U5_%Df&u7EZ#f|xPCU`sL~xfn)wza;RL>fZPeoo?M0Kg+U|G|3 zc6&amC^T=rez+5GlpjdF|A0IjdQhJM0?1EXRr?Z%+rgM__?JLz+jMMsFXJvMPl<>1 zt#(F43nt<K6tv|*x?tnr`kAE27a!z2cmz%qgkUA6&qT_cS6uT!JCUfmo!Xy2^p2m& zR&V<as6z0aumHuF`a8z->kkgXJ#wO+c8@c`%jMOCYF3zp6_<)6UA>Emi?DldM#_uP zZrQsq7F^25jTtW*SyjrP=;(wX7&UA8novDgjXhZtaEX1u5y?*P2uh+;0hEe<2lp}L z-B01*U5oO7^z7UXa{gMr;ZhZQjlA{ZM--)H3!OF%rdiN)4Q-X@S@41K;GYR@f#ANy znBn*Qrx2;AS3WLORs!ckyDVo-ycR{NE*2|XUy2wlAAZDtTy!@WrC3zfQ=cXs#h^P* z(?ed@>QH&%A#7kD2|5_)M}5Sy{QhqP?mh|7u$IJhXK*&yO<8o9UdibqOhT#J?b5mQ zSeo};wpta7BVh&;**PqCe-*O?pK&>MCD-6t=55w6MK~*Q3)Q$qpWK3byM8GwdwjO4 zv43yNXM~^MQrE+7k-nwZSkzrX-Jgf#EwwbC1FWlGjmKdO6?~$8ton+0RCPt(#l;Vw zS>Et4FG@b?0dM8Z8~SF`MwpOVS!u7KA0?aKwheQs-Y<a*YPhzjQ<oD_3%N8cnw3h* zU)Y(!k*M49qQ<y|1rQ>QTh_$m5K-4`2(Rlz+RP!n%5Ov2?Y`zdJSIgfeTTDE)<>pE zEim}Y4W+aq#kk}-*J>hdd7brw;#hgpLtS<(@BJn~2&gSM>ucPob*0X+;wReIY(s<{ z-bDr?_He=oh~#pd%KHV=WoDaRniiqzOHD>5&?z<AwrNak-6MgDPK5^3wz|e!d$nr~ zsVH<8s3jHWlJZqW)elz0rjJ(4QU-P}O;o3bj_ylPe)*6Rxbi?dL6(0z;!X3f#Jp@p zrUuyxI(j>#!<0JY;)fU;nt`0f;=qWUD1v&3?z6TH!?{+PqdO=CjQT)6Ky$b#hAl%t z&lN6jewdYi2BFIT7^anXDyrJF**HFAv&(*HFnQU-IQ8~@ey{^yh>JT^<WLGq^r%cB z^w;m9?1f$WplSw@V*Uu(vHgk4lYf*hU9wlD>YYG6RZ9)2HMxrA2o)rcorGNELCg$S zw8F*%D;2B@vq?u&p)xeSI3?yUw?RXQndOhwd$A07<|8O9Toq$|1QV`VPpBZ`vOB3P z`CeP%L2sjy94myT>2_NVh~G+$Qhj2bUDsf*Vt%E{%{0g^6hCip&>(I8zgPX&+N-EX zUo^yLw=^!T2g-htUT0Xp<OdsS@OvF_Lih)~h}v>g{M0V}k&1>|d?=07%`O$9+^!G` zi5V+jLGIbofb+FoEpv2e*}aTT-lkH^!DV4|xNNb~D`IAtD4YD(@w8aH0XZG%U24*L zjwIjR(@~S!Q`nC;aO|;F8^;<vL1P`7g$8!phVL{zOWT6Sh{rsKSy`4yL#|OndLg8- zVlhxdTi^pc@aO4#<p){6Hi_g}x8XFh)o%HlvEnQ=j5I&Hy(~`^kZ022GbW>SxXPfn z3CU9>iNKlPJd|_h0!nN`bk9L_dxN=@_}_N05ec$xR9WnLDzy1G>e-DaAy|>5qnP+n z%Hj%sB@eHUXV;nhKx@1PbMNdlL#xKONuln=GMcAm;|H3J+3n;{M|3sMn0He<`BPyz zmp$zv582_DJ@x0LP5e}t>BlbBz-I`D0_9D=8b|BDzcfQHr9-=Egkd)D`z_;D!BaoK z{iij^U{7gtczF#KMwMw_^OIBZ*`X<hr%AzfDI?krE!Qr+$msS9q}yOTG+~qW%fI;! z3%S)&Z>%7ANw;OU;BwZeg)TMW71(~!)VIG=^J%R3;4+)_falFLOCPrLTFn#$I@lFA zhvhK9ujP3f2L5V&dJM~(DXU|adph04-Xa~3I*cBt3b~pvl06d6Lk`LBNnF@90Vf+u z5uI!#cbIH+DdWoJyyYUyITLQ>vaaoATpe7<Rh8_1m{#F|HsS6aKmJk~*ABR-!!1ST zeH?6mRrGU%?M^<}j+ZT~yWanMu<OB=N-N@cyF(ps>7>OfWtb{I5M!t+u(l!hWxSx| zHpyymF!x4v$n7}ZKE>`hG|3wuRJA{}EJE(2)A6^9a)|{d$24PRd!dd|-%w!!oAe1D zwTqWi9>fzRYL4kqEuQT=R{>#tO{?a*bjxXD#S!Gn#uKJr_)R?%rpAlg(r`%}WybLk zLdB~{dC3JDhjjC&OK`NhVlzIr*I~K&1lUBt^RG5(PnzW%HllOB8F<aOQtKQuOgyL5 z`c)IIe~`~2P=m2J;2pYhIe39WHET4;hv-%EAylQHcMpussRaFf>8u)#EU=sIvsc~x z>m{h)>>S(ruvxwl#yH0ey%QXTBsu>AJ5F}5Y+a?6F<qqf>*YxbJkpzLxgwx=`6;SL zQhsa|m0h^<04A_UsCQN+K-5>kD#kG%9_GWxeQX3DP$CB(z+(F=ASJAINZoKIbk&x) z+nFmP&v84nBq}#>Q2z6IN&&qcQi!d5Ne~&&)TY{!=L8XB#cwHwka>EW3SQBCvj<~N zyo&0YFPwsE#)H#qP`jsd%mN6pk{0X*2kH}$Kg3Fh4COn=6rCeNKOo0*5SIpTP_KjL zgp2P=J^d)kj@;v_QZUqp*JSk46(lK=Jb<UtX=blLW-*sbe5HWOnZ<roT0E#vtt#&v zNv|5_yE_$?xg%o^*e%swI8}3p*0R^Q26r5sxwUP{I4!kCZ!xYiQi6b{^9)PDSb;NV zNA6)~ReS?bYl8veg<=*K;{p!Uy0M~~Q>f-`K5=m1rQ}m96{hWNk5GhPzj#Yg(t%-@ z4m)Zxw6fy_qlV}XZ9z_?k_yLBt$X58hb}ALZC`z(L)i&ANi(J%Q(}I+1#`1U?B+e7 z$mhK3<_z|#C97C5hhu_s!2-C#Q1a9j>}(Ip8O){S_gDO9WL14ROe>8rQ6Bde8_H`O z8oBRQ|Jk>pj+&Vo+OIUoHOIS{FuGTu|Gnyrx}6f7_UUCndaT=|2ZaaEqeuHKpNe*Q zpf|98pbP@<AI7XiRZYUR8|CfxMRDs5CE3P!4B`N)6H%tKJsR*>y9J!R#x3FbmPTQe zaSQHh^wR@jD!Z)7ql71oTXe>)`|3V3gg00&!MInGqWHEOx7JxM3RF?%9%?pLLTBF@ zP7Wybd@7uYXOdCHpD$$WP9f5v)ZtyF;@`&Z6!i|a?4=A!8bydQXeIq$F$x=+DpS*Q zWtW3Q;tDQPGXTY7kKuAplS9&CWi^y16JZy4msfUI1#D3M&xBj&ne991*|zPd-@=hw zXOm7Kt1=n~P1J)JCvRK9_tYO+p>7kk3<#kc>d=P1g$ax$NT|dO^)KjE>#a`stBJg1 z19Gdo8sz<Iz+`F7cjYM>f*b4A_7R3nz`<?>zijAQ*h`+Vf^K~eTj3vdUWU)ox0X}T zuE4ZOYph&}kz0-nAK0sxj7YX^qgR<~6<d>HGwwKyyJaybJsU3VqMCYM@qTgDDShqB z<MwCX_t`8bY{m&EfE3bKaAsz&*hk)0?q3!;M2*<?TgD>-YbX~%7dbWZ<`3~&g2?M^ zRLX3!R6+CPteTT#RV``KG21rWN5Or62ivc$b|!_|#x@u$9wMk|nCY6ftxhLuAe(o; zV$+>WtC^v()f8N?ueK+J+Q%xwT-5`_Fa}}}rddu2>8r#1;dCb*xXfB`5rd4el`9%? zSU{Mu7^WYDiE9hP0$hTi7-p<mF~~0@*|A+mjNm-#hLLQk|1b`?xmoc^mgB}XJN2kg z06XIcx9aJ=4n3@jqWc=6Z^d{p+vUcJMeq&K(HbjoHUo9m%~rmYgoz>L&Lo507gU~? zWcbOE3j@w4>C)*m-5x55<+R8~?^q4j#$&72$B*l6tO&!6>9Ko+NP6XInzFma$Cr4l z4y6G`{?a~aHTHN-d2*N-n&#cDZDDL(bIW@GA%m^{45FHp%`|Yt2qvTe(edoQIfC9+ z5~jq&B~jA@V_;Swh>*pk+Z81+gAU>P^6fODFk!HDb)uR^H9JPQ+CC!GcSoA#6Va%8 z6NBn?VZKqEoVZFPsCD`7qrl>EPmogmZHgio@gBXPKY<bAhAcZRdGS``N}Ra)1_a_^ zW#y^$g<@IJ;*or|#BY!gjFq_ZZ28t$A>%xkZk(nio;t597Y%8;Q!Q^$4*$5%<o!{< zJQk4k^nlMc-ErvgCM0hsrqLQAd;uNf1mlhh4ceecqUD;U>NsQb9#mQ$L6uasmYt%( zk-O8OJK_6v`*N~CQr;i6tDyxfiK^DA1qH59NMpP|>cneY$6`#0Cw$Sour8cT1!g7p z19{{Tm?8k%>Xf!q4&Rpe$@{WhIskkNvh$-ppc-WOW{GP!YKa1rdnz$$!>E?H?o06s zF+loDdb}EXILj_aO;F}|MVZ8rwi+MbtNW&ENs^-l3(Ru-U2Muiw|v`}8Kev1ol-L{ zAsx!u`+%Qtja&8c`QD2_yQvyf)wD-2<<pBCw3IyQ6#+GOT=kQ#Hh+wXlCGZ43y^ew z?2L4``AHX-2rw>AyBCI0itVPv+&z>w+DcSWg7j;wK)sYePDSH7((pu@x%@FKUSV>6 zRbn+eB&#NjgbYsaw09b#MzcCAX{>J+(s^{dsKlWBsva=gVD;zNyAuZ%=s<OH$@{<= zg)xLavM7o_@fcr(>b?uzs}iXwpyiBl<!eax*LO<x5v-(H(NfB%)v6K*)CwLaJ|t(; zn!kM2ZnU4aNxOZ8O3ckS;kr~1bpC%@?3b8mqDB-jYUzIkS7aB6L3Zhk?=_TLhHou+ zDJHPuL*(Btro+{8f7n1y1y4vnzDN~~ogKi;b6M*y<lb#KaDL5o&-9fiEJms8s#rO0 zaiAny3_Y1{`N_EEa~w{_|Fjeb-VZ6=oN-DQxY+yUrPxHj9FRW$ODgvc&Dd$CqHM!t zc@b3>Q@5y1&a9pKLHT$Y)0l_*xY8~g+dMKpQ43T5MEPYF+PlcF9<W2`r&wrTF>s<W zpDGHKnxAmqZbk(^cHD0`246~1!Osa_j6BwlhCG!<%~aQTKc(tXhtThkUXL!Z9a8pp z6#Vczvz%4dSVxt^Fr(eZIWmQ#6x&<nHk`tr+-uzw3obP!nyRvAan1h(O|fiqYQ;gp zP*t|gw#DQN0S?`5ufBkcYnJ>{H>ye_x+4t~E>slbyI&bSF&FBIHH3&^E0)A(p-Npr zmm2m1E_UO}AvS<o+rS3gW-GTG7P1l#31cmXgb}i}jOsfISLB{$*QlJKX+XIo-cOf_ zehS7;?V>LZrCS99q(~seZ)|@?p4X?dOFu$;Y{uScJ6)4)F$p)}zk&EK4*wawm#m^> zxBMs_Ha=G8GufmDU${*==nIw(`Lxnuss3Gv67^R&2JRFlj>p-QkUSo5%NA}NPw*<> z{^N1I4Q<efgd4__VC+3DJB2<i!xa>gIO~f-=~3bfdk?ucpUx)9P(%jXdsq!96p~Te zzd9&n0WeTa*H^^j;@75fTTSW;XuDKsBm?qi6?)o??|#!8{(Wom?$c9u#0#Q|C=J7J z2Gy@w2tj)vUpQDy0{z&Rew5QbMzx`MsO38O*h00aUs;HBhBP3rUx+$%Th>#t)(WaO zz%HTgG-(Z&4_|^hYn}1gFp^@N345t51kT@-m<dDJLep$|=U64qh~J@AE$tmxXQ>lY zC>LO@Xcfj>8!MoBVE~Pq#tZSYNWV!4h*Y#Va>Jc9LrpmCZKq#4O|tJHc=YC~5;JKq z9sYViX5>Z@a+KV1P|pQ*KfHks9O*2chDARYkCw(Gosjp5OgwP55_3xey*uL%vM6Gy z;ppdk8Yd0Gw(>@+FVuTcC+fjyz^T}5DO?_e*Ei6_e&tV$&6OcVd)W6hK}^}cS}*`p z5#BjI$>p}{`gq4`d%V+FiI>r&R-89h?L<ze;s>Ej3Qv`GBYXAxP`VXo$HIz}TLnc~ zk&O4_2pNFOxeuUAZ$Y8O@Bpz@>*^)(R{7ZX3QTUq*mAJ+7Nd~=wL_2{A?&KdI!FPV zp`04Z95&NTP%Kaz%{$oME58#>P_bD9>+rD0U%UCV;jL2rz`F6o3K&cpk5Z_@O<)5s z2y9v+B!Ue<JlOPv-r1oiV#4ajXfNa&@Qwyr8Abu*)7`#$BXc&W-4tu|#tOs*h{$e( zredso6<0l^y@QbUa1qUFtiT(c(O51lK~QU~d{9G~#Z}Ac63N+x-Mm-y3zNN9f?#Tk zd#*dy&=gn^N#EKMVLD@`ejALHc$jrBl(KRaMov5}OUoZhXZb$51uxX9#Z`<BRQ=}? zf4SRPHz?2j4u@QYX=%b$Yco>MeCRXn-~Q>(M2xc6Sg+bwS5QP+J|?&~42h1vssPK; z8)*x;3;C?azjZGC)ba&p6wwj~QWR{`QF(0$*Fbs+Z%5#T*n&i)V(Df+d=|^M3-5!{ zFs{0cw~=4b8z20dqRn#mLW9C?)Bcn>(y(h9SPsQxy4-@rg4o-(>u3VNHbP*?w%%?} z+#^rf%=5ee{OV-8<@EB8`0OAz+*<uA8+~XKu$G@*er+?b8j1|bj@%yYg%i^x=N_Pw z^1P_z<#n>DwmHOLk4nbF1y1ogIzaU4qG>q|26G^>0BN8kn60AKSn&j5yWY_5Z;OY_ z*yA&<?YO9}7k}pk**ELhOhbto5zmeph_@&)Z(mP4rDgZw`dc5=CPf8fF9xMky?KDj zgz~&t!&Ru(4KPJ&nSi&MVm9~FY+h2cc?eR~hv91Gv+=m%;#jd8N0JUY5vAQ#8Fct} zRyoX6oBM39<AmbP{+Oy=s@!KYK3<EOg%jjg-Cb%ut}9_&5tC!9h%cv}Y7KVDdXet; zqKr%eX4y(div4)V2|E_1`F0^PJgwlx;RTW=!Wca0<;X>CQ+UpDFXkTj-xPseXvt*{ zY3J+HqhKm9Ma9Q}8K#!X^FoBI07g|w^pFIE2VV1@U$>pLPM4a1D!7{I8{{J;T`nQX z#e4~A2Cf<%qes@T`esw%`!osfi;xc+SWow%6G_0yE?GT7Pm0KAf*563@kGe?_wnID zmZ^!KEmqHb;#N@XHJbzH)7ha<sl_3Emu6{%nz+8C{RTnX0$?)7x1|><4@({)97(f$ zC^R}GZJMQCsJAC433czzL7xkOHG6kBrQ1Ue>7tz9%|92m)Eg_GrG~4<N;)gAnKcH* zyr!S!3%2#_umZXbTZb#B#~n4Zb-0lDKnWMSt2b7lVhN}==goxhyF0|4*nicxU(yBa z<=I8JaI}Xj5&ycj3vVOn?$<J{FA{JQf>4G@hs&?P7Xzi#WDb|t(F3K8nA;nm&oM<{ zM-1p*AXF(1y$rKaK1Y?!ouCpiauL0y@3^xjI|!G6-zoNIvZ9gB9aJ%(t#w_X_4IrU z(kNg5JZ5-wh`eHfqNFE&WtWoEYV_lrHG`6J8FS)Jm-O)tyaTXNE~x8bk$Cca6k^BK z>S^IrA_8wa{%|hNYtI^BYK#j!?xk=0`pa<(u-I68WA}X8VeZw7<qjh#$Lg@0W7?!j zOBD6;$Fh!lDL->wj~_7jdX$2TeRpW2@8r6jY>g19J_Fpec$2LB%1+k73*#NqCyvAu z4$CRyZ|VphVJRPg)P)CcYi0p14RpivqkdRdbfs~GJf+CL(wI_&%w?C?5Zy!1cD;+U z1xR!uU9xDlOS{r6rySC;RAc&HaDIIQ9X^Bz$CC_`Wqo`f$)OOlH#tZQmru=CxiUP7 z41*tp!8@>(m}C91&Vdvg@F2l(z|l8j>D^Sr+cEG|U#E`KS*XmtQQk+dI|q*OF$j3! zgrkq*xNr*fA)<E2LGnU>Lb623<b)FQL0=ezb?CuZ(M_T1<I-s4h5pDd(3=2TE?n)n z55W(sOW#9dn{t?ss3zGsKVT;8n{Jm5L!>C235Y$@55;5ApFxS4*_Yjv#*eA@f^fcr z{$uLR#iY|?>g|pK1m2P0%!Q7;-%G{Vx*BZW<^gFi0;SKdojpm4I545wu1TI~+%iXF z(AL^kd_iY2#vM(z_kUdRBW3kw1H@S$YMeoyF99L2d1i#b;5jCgJ2i&#Ns|5mjCv$_ z1=vZl#+TH=eI<3*`eMPRF)a6))bA1aU6Wj%TKSO}vJKPn8EqF%_Ng62VA2wVNMOzk z{H!1oAKh8l<$!R!KvA~!r1LZ>Xe~^}sx;~yG)^2G=q5tujKFDhGo40DEj4%O?KSgY zzInl3{VmL9dw4Htgl@~CY?gz|LZ}?g+nRKkr&{H?g>((YQW)6Ht1AjPf1U<dv;aFy z6;dQ8ix+LlWg3{y)e|#!`RY#vgs7^i@#=;Ai4f<Uc(>H=%Obj(bgl>|D8g`5EStN( zBgdn!1)j)Y0E#)F?1y>G$9O<+mj?GG?(2)oDqE=pB9k%CuWQ!TIAitsRcqqkpxoy^ z*@I<R#a7KIE4T{z=u=g(4z6#`nfsBW#-UHE$<pbU&2mb6QKwc-zh4(2DM1HWYvXKN zI`A{;y69cD>IsHTCNXTaCQZ^hs<gfk>*_HMZ<qpErm9bN8mNwtx_}hyW4{$f+AJUY zQ?eVKU)U{Ymi4kpyLoU7NW;q-@vLnJ-8^lchfQ@&JSwt*DyT}v6L%Td2_Tn3)pX;a zM-NFuYRMW_Gs*PG1eM!CW`~{ii;qQ#7A5B6SfsTzT-jc;{3VnSlx!GkOM4j7^Le~i zv?5+3dBZeCIcWJ-Ok@%T`xPbTcrW!h9_llv9o2Sp%H2+FzEHa7W06q+1$-$nTjKB% zNhW;CIMa=Bgz8!_%Ae=^FGRuBp%uHE0~teHi?e3Vxb_T%6r`E#Kc`U!*2P1ybk3u$ zU|{A7Qfu<H>A<E`X^mTh@`vJzGbEf}HNj9Fbmvg4){CnrgrT~QD!MRm9t$c7htOm+ zjmC@rq{~d2;5dr!dv_UXmV{^=k`6{=QI_^{VOUxTvS}V(ZW)4~uE!I?a=1TRvN>Pf ztU_j}MaNVQ6woWSfGw~cVI%nf@5P?R%IbEjM{G#nn+p{pp#K7S@)L}0OSaXF(_=Mf z02>B8<|uI2UE~gbHCEh36*;8B`-v|aGtr%ABDE$@ujb;6LyCF&SIAs_C??9A9>J*b z#;{e?tzPVvCK<hrid;VrccO2_jJ4njQmXXVH^<wPM+ynmTHy7^?h*#bZ#<5nV<tn; z)S99oO<L|AM@@vOT4NhqFMg6LolDC-<Qr~HzE2}0l`qnc6>m(wQzs6x)lAeoavL1F z{j!_I5K3bZf`ig>8^Jj_PS|flnWIl^iF@q2X593&I>v}Z7|cp!3=Kx-s0B``Rz4R* z`IPBYD09px@h^7W85=(#A{V$g*Na-{U?wpcawwn4$G+`6<WSDa^H*CT7$Ng~n=w>N zC(onlfzQpjfSrWJVF#Wd32zce!b?)~*rnpxY0?0vMD?c8-RERnR&gLls@X=_tmuvx z)t=5lw2bnC$6y4m1vWu<f{Aa?8#HIqo%uAW7rny#fFtpUL-(Ql_SP;~wkLUHW_s`d zFV%$N{Y$;hjL|8(Fxzh;#&{X*?D`ai)a!s@yWN2|37{-?Y9iDX@^21Z%#u5S5^_JK z_vO4!OUa@8$%&;u*(QDLqy%;Zy(S({)Af?C+u8+Js;4-m1K;r|BDKfBa(NM>61UmM zK#Mb0uB8*|Ie1wDwhx?c9g!QibP?r$WK)iQY%J&K56ic|-G$dx*}TzUTNzB1TF?O9 zx(YA@1L%J8;Y}dO-FHi~+>UCwZ*?ep@xK(AI~$uwqYxy&l*c1?R^6QLcYQRENy<5) za~gF}KANgv-?qB_r1w|sJb03H636<X^7$NgI<qlH9rLeIU@m{2O&8oVF6_Jnv?3l* zVzxyy?Up^2n4lhXzK-GLsvP88eS=|`x^9z3=y!gXR*01!%~3Z`<boXkV&DgqZ-D7v zCvqQt1@WU4d1xw=mb*nxL=-!{$H$h9G8UaENboJk>1eWTOc{!Lpz0HOnwD^73c2k> zJ!TlUggd17C!Duy`ssy1K(*E375jwlb)OrITk67_EZ>Vg9W@UqKGg1vN`!y%1zWyz z80|lS*NS~&ZL+hYo^yUXW1!&4K_>5E=tKv7hqL5P%O0wKm|oYTo)kCRRekxW5xxh# z6_N_DTsQz6Q7S#T{fRhECfV&pWZFdNdfvlsGwXP&oJtPTOUW%)gg;|hD2<RYD2_NN z4x2SOQ4GqL4*4b<x9IZgJ_C+nSAKXyzRfb(<mrZ>`~4yLHr?cC-w?F*^jwc1_WnNT z*xMIv+*(JK_M3#z3C1mJV*Ana8ohwH!MQg}VmKyo43h}Shhm3s`Qc3vO(shslO>VK zlE`F9WU?eOX%agFl6Z_Jk#BilyfNQ$NC<VH&|SR3b8oD8f#2okSGfK#IP|IYHfxmz z>$N)TJ3oDe=Ltrmq?m+dUCq?%*NW#I%DyzqK0%)xCH{~c<uuysfT3%r05w3LnD?y7 zSrr}cM0!X^)zVq<vChP%bmN30E~nIY5b8!rw;U<$nQvS1IcZI=c?Pvp+Mo*sSFzP8 zL0IJB0VmTgl=EleT3<uwmo2XyOV4s8-Mz~?gHL3=bW4Q@VN5E}oX3>$1^7T7MS5Q{ zQ2Cb*-`Md&U+%Sma?{OtLRN}7iL-qvdcVA2tm>;R;~gT}&`Cs6WU?JOys&OmHmP0e zbSAmr+CWsVlAP7a2O7eX+X0gf0sCAVQ2r?8TI>TuLMe^fw<0+R*Fqnwli(K+16F`{ zshiM?$KRWKO(j6!)KMR;NXDDMZN|rTv5UV0Lqqjh<s-@MLZZ8ro*|dlb>f`O=g;lZ zVMn*e&Aql<=!b!GyDS%af?3x-AST3)d3~MJE-5R`uAK<CdY3woPs*JEPWy40ku6@X zx~G%HOPw^sD(#owsHJgP@7_iJ{rs<gHsS4T@a*RBB!{gWYNHwK&0!LU4i2+96gXVM z;cqy6mc!RL+|FSmho5qImcy$Y_KachMh<V|@GcI^I9$WwdJf;^u#v-0IsBT#^Bih> zG8n;OEQdF8IF`dn9M0x2pF=l?<s3f2;RX(0<8TLuUvWr!@$@(x$)SV8xg3^pxQfH| z9B$^Yp2KDi|H|Q24o$HP#&bBD!$}<8#bFVL%Q$?P!wnq1#^H7j4|4c9hu?FkjpONZ zcs+-sIh?~`0f%KAR&)6Go`T+lp5Ppp$zaw!3~rjoV8=&(g}FQXbpBm^@^cD{TzO`p z#5~U>m|bOsf;qP&&t=Z{lq@j2JteuW($ZmJf&Owmt{lM?_{}`1l)xW-QcA?4Jacgg z#^uU2tIi}Prx+dc3ybs28H<F1l49yX6msSkxxiZ(_c!o5H~l&czA}5e@Fi|nG4(yP zG}lw;7KXVOsp)!B0r?Du6(I{qDaj=z#6w*08%FX-5&Q^AAjL$a<{>m(La|s>G^DLO zg7FUu%tUm-Bv@<Gr>3R`;d65m$)Ewu$r-al4CL0Nq*)m-_?XSew-7^iK{h;4vF<W> z4B&%=5Q71L0e&F{9=|DBL+fKRhZ?O;9~2y72n`F5i0o!GMRo5H9n-T{Y+Ua?ef#wv zV7~79f$@WG7@RQV#>AV34jY~{V&tgNH{Wt=@|dxfapP~h-D;bVVo#lTha+v$WM}%6 zsTtFzXJ*ZqIcxTvcl~P4-M_vkJ7;cgo-2P|LE*jgixw1@xbO3n3gW{1%N8wuV9C;D z%jxzyJ|3}HC|uw&yF8u}kC~82ULje|shOF~l{#gnO}Qh$O6*h9ZD~{5T&CZWG-`BY zn622H<8~Jn=H>{6P}K!FrRD`WKvp^6E(op#ZUITDs3ZqSs=#GVF{|kp70&hKcovxp zi*rjn9#^hVv}jmZMv*J0)CGiDEac=0G(<q`gG<e&qT5~KfiJF{1?GInz=9Hw3*rFd z0_ta&njge(RAkstv#kvc5#mnIOmhZMzEDtDYR)MwbuE}%w8)$%dJ2o@nTsK+g)Zi+ zu((ht%qc2dOrsCWLjOS9h>{CJn&*o1z;0etB6<RG9cE4w%;0rFNvQyNo$rF!F*_bt zsaOQ$oo~*~DJsImprjC|p}8ds+_dQ>49_j{3^C`6#ksUhDV{lPNEMd~9x+#d%)=l3 zXfG;C&naYi$9#{(eAA{`Tq4dZFqgV>a$U5zib^2ab_Et#UL!h`mp|_=R(aF2Sa}Nt zfOJW5u4~vYFOR@<k}w^N4RLHsB#+}iG8w;%#k9w0k4Awj$IW6wf4BZjKJPCq=}>oV z;cn?NT&a-vGvRK=aBdMwU}2$05Oa#!DhX?odPIMtyNv&yl49(7heKgu4@^5nfBYlH zw9hx~1F^nKz@Fz?SeWZlOOg5K<>V@JL;C^B!O{tAv#P&aJNR1wBv>dEK>wbH6fr+A z4Epc7e0ZR|93iJI3Hn4bQs~$jcwG01u2M`CDQG%x{E#`p<ylZzi~~#|(f~FCu~;m{ zLcKrdpV$>Zev-y?nIBg%)MQEV0#~uX^Mn4AyY!#qnJ1#>Qh)BzKW%UM(8&qdpxq^f z#eyF_j0U?uM%^%_F3k0ml$PWR=9z^ww<(E<{&I1$P7(cuf$w3%hLLeF{?7A27K?Mh zgIGMjxa9ug+aO&YBo(Xfy0EYe=54H*<Aw9X@PPX12X=jc{fQ3t8n7Dz?7!(?f2f1~ z;STmkI@s5Cus_<t9$a3&s(eK`43xT6<*QbfM+XJL2wYiN35X{pm1mT%hS4-(aB{}1 zau{D>5YEWJHAQnm`RZ~AMPL{%C@3%(Ldx9k``zwq#^3+zkNKKkg8z5zw`+e6;EaCm zSJBC@y^j?EKg}=v1%_W4@YDXnpBmQuuP*-o0nfE{TJYaZ0h+eoFMZlkfTr!I{e{0a z3iwBVe=q;|i-upIE%4hf&N9z;d;2fVZ(F`Qx@g)>2g_Hi^j1`^dT@1BwX~+@HxE7h z$l6CAd;E#tKKazs&pi9w^Xt~Xu;F(bU;O<aHof%nE3f|XwbwWQ#~W|H_4byn+unKi zPut(y@#osQox67Lso&eMZ~uXVhZ+wzz5l_HqsKlxe&R1DKl=ESPfs;}_W2iIp8o2L z-14>W>^Fb?w)MO3|MtVV^A|2&`thgBSFS4m@C2yq3C=H?0R5};|F2H}zkCAP_4oe~ z<?nEeU9ezmsk%%-^5D72oDPo}4U6ER?&;~n^YVr>OGY{&wshv-?#hKZqRXR(pHi~0 zoqa0I$k3YUatrDQn>bG_6$qIm7SZ@70S}JQ=Jpig8bx}JC%1rypXi$F5jpQi{pJ)? zE2N8QVf+|3#)<J^To8T{#)a`<cnm`_a|F?omqX*3=qcnTnBNzOo>IS!kXf$0Vpo7e zmdI@BCB@V+Q{*s5z<4k`hCzSm2fx#BcevEGm{~9lEV(~Zpv*VA&nR_yrp~<=<{W8l zT)B;>2j87JrGhONXSEq6Zqe;`XKpMyk`6KF%yUgBDPtjLWTs9ZHFB8U>16%^4?qX7 z0^|TkKov2j<p)IqB?AQn<pjkAr3QruWe7zHC5i<LPs-FOQ)gtwlVLFbM!UKmHEb@8 z2HY3qQ8<UEw+Lo43#ONp2we`m?H*142-05&C;junNdK%*(tosp^dH%~Iku^1ZQOt$ z5;^)|5~*23f+7E#1^~?gQ?7|b_W|JEm%3|W!$>TIkA?8D5I%NfbW`_QlN*=JT4M+~ z*^`iQAsT{qG{4r1kOXRn$c{P)*`3zjy>Bq-3+~b2ZpfR|{+mHd3|Z6L#T#c1CfziX zNl0r@v(BweLOheSghcfXB7Nt^*7kJAWJf0vvL=x!GG7u$NLp{;(Ldv55En+`MjJ`o z^qAHj%~4Ip+DLaqc6f#+SWALE+9XZ1mPEf{N}~3WU^nWCada>-jtqB4^$jC^^NghL z=x(I1C$_a`Gt0Z0))#{bIh#O88BZ%TOi#i_hmx@A!G1qmZ-jaS^V6R(sL^YPegZ&q z1Tp7D5px#s3lP8A)3=q?Otf2L3MM8YgqQ#i)5wTgO{kWHjtolD#6tP!!J8EVbrFnp z;f@;;PI`^bBfT_t5mRfo=7^@ST7x?zJ2->YX#<p1s5z3DcgGR45DRJcg7kV4v!*+V zYwgt>)6`aW*<%SQ8q3TEJdzWtBcYn@M4QCRQ3xe*kbWGb9|!5jjf|<)glS3G$l#<X z#5pe%a5fOr^oUwD&dHG1UGQ$<WfX<+?2drA!Xd6Of4!i8l%Ef=L*E4NVeY>%g^+u3 zZ&a<%7z2qB;LQsmF@QtN$f#OPw1GqeUeSP8G`K~NG`XX$_1C20G<71(DdCO%oX1J) z%|Ppo#T5o|g+g3lo^En$j6e^0;XoH*#OMikYa+BHLK8*e;zLOHythdA(QlIOn$0Af zw<9;qBco`XAy_tkTG#>od9NvijOOXa4S=#54g8v?t=2GnvcH_5j0AvCu5o}1l$AdZ zL#GpRW_nv(QJjALbT^ZbL-3}n-zh%9etfX3t7j4NIK27X&&yzbAKq1Jm>zo41M<*g zq|qN{*qwyTxw9?IePG^nXImInRwiQ1G7{q(P*%MRq!-}dD+?gR)oWxAH?6~?;ZQ$e zP&Z(n9@R|q8<^LTG0i=iqWpC9?mdJ&kWI)sH651Uj8NX5RDWl32<bf+Cj6f>*zx-q za2r3DnGr_y3IqI1fSZx@^7LqpYBn}S)`t7*tQmUb(tJWb<LT1)=C;N61ANoXBjn2G z3~KsCkbXeh{eXu00S)zoy!0Cx*W9ZK+DafDO^33fd5(lULwm@Ax(4?+5BM`^h+#qi zU5*T<Ba|jYOF}fyus#Iy&^;Jv&qTVv(ajy19g)G}4~6&*H2x^smxWTZithyx;6g$M ze8FjOIN&<^K3zXezOJ+W!`uhTs81N_lh=*(868RbOz+joYR2e~^QL8l+zsy(9%ock zFo_x+L87K(Nrq*s{%&7Rh!@^lzX)u15hQFav^zS^n4oVnLf_Vn#I9w1ZQRhv)B!>? zq~8PTs5|MA((R3~Rzq`elfG8Vah&a^yC}#n(B22(?zj<=HxCp{WB~NveIUMGqq=*# zwMI0DH5qEvye0d?0j+``O0V6tq}#|aHXcmZCjGs<fA|E@#Bba3uIU*@dO{w0LVP_v z-J4BK-D)G;;n}S2-sbcX1@vJ8`Y=M-cO(7Qa{35pqfxZoL_(e;NU!Pb)6}hl@p4^T zImYz>df3UwaKgu!?mTbMC;G=T+NVJKf_^bB&)<jp`;_?`36bD+sr5+xcVjdPcmQp- z>#J*CB;-wamvR52!F>AngghUJ*Ib5I0@??Mr^cm3L(du68r~e*6jB@H)@SRI)OvKQ zxUb~xd%8A*_2bY_0A2IG!rv!+_bMTO`6Kjof%KFWMZ!K%`*D~TLm5Xy8N(RQ`ths? zD35U3kH^J_-Q06j)Xt9B_-P7h66h&*dUR`BO@?J?;-CySwC5+nlKy@>iKr*!w)y~C zxh{-cH#&}7_kHiy*yf&1(Y4*(QQ0PyH_3>K){*E9Cbu!Wt-txUk&wQJ329Q}=)Ava zZR>B^>R%J2B|)P#MAJ8v^acJdAO{)YfPdUT8238XP6p$-%KU9565@k0TpP~I7|J#) z63RG&M6WfuW24%p{!?(@xs`PJ{97)9!GFs|F!-;Qi^$a6;VO1{as*cj+xbcnJVmJs zUBxip+6&(V-2G1}$#eN706h9xIfcT+5>IAf@w_4zn{kpSND7r-;ND>J_?9lyB?Lt3 z$SKY%f_eHmj5WO^Pb_jxEG%+O$ywk6-yf0GV!`D}@e~S$xj99dF1pVL<*aqOau&L- zasRO`78Wt^aKrVPMJ|}LU$5n}WLsXIhvFQp2^3<u55uOEELZ>morT4a{PVi$LeY%k z`(X~8T1I|A%vr1{B_fu@Z5U&wkjEUM2gVo>`>aK77a7OC=6D3rjZ<$MsU>z-kxRG+ zZHqoj-G}p+=PMK&(c^(KR~?=D8N~%OEx;$&<;K8}oPf(51NDGim!F%oX{C18Tyfq! zmnQ=<j}^HNb2pQ1p|VU8@+7)BOG@U8?umR;6)FJNLmt5|DLHOI^dL<Lt}=m~(eU*H zy8T7S@3jtBj(eiV1!b{;nr%fzCAs8onwJbL1d@ejTMCSG(O5oHQ`6CW67ZXuQ&gBo zX)0%)iyViV$F2Vi+{c3)yn|~n0d}iqVo@nX0HH(|v7s$fwcU<3ipE8(vj7ZV4=B|v zx{I0yxxNkkGgQel`dLsrlm<zw)>)F1$F~D*r~^LDzX{%<4sFGGneM`3Mi@>FCZ5{1 ztC=aFL<5k29c??;d?4vvgqTHE>t_|_xl#&pJXs~_xMMtFk>Db`I*$ja{bgG2kn4ce z9zr%!SJoDxb?c^yF3+M2mxp>O&SeA*rFt*cNmgO*d`{u7UQ2~gV40M%=@Lv<A+*y{ zO7mbMFVS?SyI5gXvKGbKI@I!S1MJX90h1Icd9kzr!%q<N^IaaG{AR5)B^|Orvjn9c zr}O7Kt3)jf@_C>y$hVcXHnd^ugK#PBUBFKZrB^C^!5Snvi}Zo1t7Ju9VdV!kOo*MN z6qS_no`gKiD1+l~BhLinW~wN-MFI2pbUR<ONEo)ufIea|?-4Ok8_6Wl;ka`=E`M%k zws!%nKS3M=>Uw65rx1k`Y-Dok^eL&%Q6q=t6%|3BuA2_@ObM5qWMT5A<}>>Z+O`!! z%pV~K)V|6lKtgjx!BuJ_|K(3}DwD(NXm7VmV)_6{K(@d8@gUEw`MbW_``7*_{Qvv; z_w(=P+Gpg3Q$wGE`PZSl%^&0+RTSqCChzKRi$5@X>)#mU3Y3-dur8zghaOA=k2b08 zTgM^F)S$91Ja~p@K=4L2R1kp27x2u7fx}P^!}z!GfNwo{ScFC%uZg=w!P}j`=zbk{ zznR-@+@8Yi89dB%?w-lvEFS-zJnbUxj+-E6!qx%$!t3F<26O-A9Oo4ruH@gn{CfqD z2d^YSaogv){RNKCMxNduxcgR)UnBp1oPUoEVP&C~Szx($tcRa_{@MQjv*G`%<Nwcw z|M&A>@tC@N*mrZ6&%YGyf7;Wv@CEzcwQ#_{7Vm%N^M9QNIz0cslSG1gZbMIppN%lU zXRlne@;d(c_oo<q;Y9{ltZTlE(7LRg!cE}6?sq4DXYL~U6;~Owa`^Ty^l#&E3-~|0 z;mZxZ$>|O9hF^6Z|FRdTX&Nvj(@y^Sq?z1v^4^mpul0ZA#HY=d2pO@Ah5X?v<D*bl zGTKu*`2X)3XRJfp&)fc|eQ(EucJgG5>^ywyWmdlB8vb3!U{ex<89ZGztZG;3QsMQY zKI$BE_Kz%Hm1j!e_E2uWc!}9nwm6&H)v0d+w@0b|FEV>~Zg1lD9^Ag3+he)CfZOA^ z-OBB~x!u6+ebo3aFneEa-^A_xxqUUa58!q)x0|_LKF{oGyKFtj?ANR1#_eS)KHRR# zJtcAbVl{qlzs&8i+^!b3f!mXx{^vrRKj1uIJz;gzaVbKjm+yJI%m`w1;N;N3p`Al3 zhvPU*<}iuF1P;v{nm8mJ{-9@2=I~1nn>qZL!xJ1H<*<pvgB&(+xSPXT4!3i-jl<0x zuIKPE4%c*uzk<Uh910v3aG1?u28UJ-lQ|sCVFHIH4he^$`u6QvZI8n`)Q6R~>!Jz& z9Jri6YJZ`osp6u}FV&~q&AzpM$NGVc%q;ScJQ?<XEPOM^+dQiC{;8w=DxaUL5Fc#w z7I={Z!1julJK=3wc)Rl7;KgmtBzUL5yFk+xFNPaS*j)C0LeI94x8TKly1s|k1b&CZ zn+|W$|B?yP-;*cTc6fCBQNt$(^ZtOt1P;v{{;ylJgbwu#yk)@}(hBfS7|<RAb2h+N zdNB9R0FS~OVbG9ffQA@CUIlj(z;EE)j$s4jA_L_n5xQUyi~uvjx8eN({3Co1-Y>z7 z@FRGSf>{Q5Hw=nd;J*OiBp47kg4qeMv=75U0C<GE9|frC%glO!clBj{<^c3^a|OUX z+>adw%s&iZW|SS+Gl2PN0QfD+s6;?s06q=_<r47oB)}U6LVpd7B^zL9JPR8Euo~XS zz`O?Fph1K@3+9Ue2i?H@Bmm6e<~)Flx%n}Gd*OW*%nblFgQ2Xt0sa8r<mR^k-Zlir z0q|1>@YE0%wi)34i7@`4JHYBhhCj++3>`{HG?<eBYM_%$0<#|A7<jE<9tY4njKxy{ z@EE)fa6bWX=5QDzLN#PI!12&&%mH^Rz@g)zPsKO^=8tFP;|BQnZGaoNKMAnk?T{A; zTL5tN?F=7;o46U_UvFpWwgQ}EWoaQi1@CU8D}cC1gysT(tu{_q0EbS1aTRd@*bMKN z=pW#nz<ifMz03jlyA&4xMu1P+Azg@nBfw#)zzcvm3E-QlEZu_u-<k+xB$yFioXE-? z;UDgRu@>An0ley9`66kAJOFPkx&z#v#>xR<@MIVZ!QBAx>B%hqX8|rx2Oa>-<p9S` z0h$Lh!h=&7%^*yf27FW)(Bw3#*MN)$Gs3(~R&EGC&0={p&xCrP$?{kR@EdsZz<<On zn48RE{zn7+3SPX5Nd{Ono8=4P!?RgfgnM8>*am(YP`BG%ynO+j0n??k;65AR={dmb zVLSjM?}2V29NIg;%zIc`Spc87hlPC-;B(o8#Dkyp0Jml{KidGdW-}Zp%wcAPzvkv< zfY;3hnt-tJ0Plcz378!K^X9U63IN`c$I3Pj;IVvYYv899;GlU>reID2ICmazYXD!I z$7v5>EjJ_lwt&@XE5JYB3;BhxwE(xwhkgy}bQ{2X7eKv$xd`Akc$3f_;QV43AHZCW z`?si@7R+A)%q(H_kOlCm5>~&@0{nuTYk?<e^1vJf{2=_&!~CBGxS^EQ??!<43(Q;w zu)7Gn8~BL^_?*aSay`JF3&9V##{yiq6v_e2WdL7V2KfZ@s{sGJ9LgQcwE!2FLtY}G zy#q}2LLGtmCV+*jf#$$m1W;QAWesLMz+wsSHHS71@DjYwg4zBMw4+C$+`ya!u<Q}m z9uY>aW$q?`Pr>^Zn4blB-=oYd06fjjs~?BH;t5voW`MJRk=YLJvjM*HTUK|k0$l$T z)C;&HY<-IN$pCM8nwjkYPs6K+cw~V0J_q%SbPn*@=a?Uav!7>aA#|^U_625ye^|%+ ze}LQ916_eT!l4_W%|iKG0e-uI(OWCPXMYEI20sYR8(I7a>)~CEv<)!g4?rtmMtBdr z7r~qj@bpVSS4L>pF9V<T3X4Aj;481NcwPl~2Hu;%j|_0&tBh9T0q%K~(L)2kpZ*B- z1%56AEP5Si1I!2?*bMar<_drd{{!#=a~Z(tTc95Va~8l)wy=6^26%2OGhYO_=}&+& z_(9lfJEON)fZg6><DDJgZ{K5hJ_)eb9-w3J9}BR$9>yRruK`%y2s8%%*8p5}7}^M! zmjH}vV)Y&k@bM4$cnUBH7}q)A2VwnDo=1RB90UBp{3O8R$5^^20RHX-^k3LU0G59O zc!L?C=~EUz!YiLLoDHW4Ind0?+4LFoGw`~xE<R&tAx2~Qe8$c^WI@|UxP_Y$9_D6* z=eQZ=`%xYr%?L+xGs1LkMwrjd2$yp+%AT*|W`u8YGs=K}#?1&(MjLTMi1N?qju7Q& z(H-FwZbs<hW`xVQe}uo~W|VW?%FPIyxPOFwzl1t4F^2#D0Z>Z=1QY-O00;nt3Pw)# zhI(m!i~s-t0096J0001UWps6LbZ>8Lb1!3TX)a}WW$e9wd{o8NID9vIliVbm+yyoe zB)|ee(V(JBG|MKiG1(B5;D(hA5t85|(sfHMhI;`Y2?X!1&CRftw%XdK+DftC2cO#K zu}?v;72GA50HX4vDhRbvqfT6^vBYE{Ywml_+}$K#pZDqe*ZcnQh7b40+%q$0&YW}R zoS8GT)%Wh;j2y@D@L$t7Za=60Il2G+uM7U?O#NdHw<qJxY5NU}-<)=j@4@xfbxq&@ zPSbtgv)+H-Ll1plvi{2h)+YHO>w^zjEAIAKzxVys58RZUomr45qs}wrpM2{Md-DIh zzNmc)d;XEV67J76r`adM-MGqPx3hbyU1axh_V2N~!JZHIr4Qck!~9p{=yq}3VuO*3 zy+mq8@HQH<3>h4E3|^M#X`ju6i#gFKY&|}wa9nC4Px8(=4LY&l59rpy01<ZhK73<; zvoCSntbc-*|Jz?{-&K9mrK9pc{oN!zut|b@{m}$M*jD~Z7%RuEx~XaPebRmKVAady zro;cYu7rbnoj2)V+~Gnj&!Cst`z^TeKi{JN|L^|`e>J3{KnS@FZGtm!RKDa{<}Ex_ zOK7O#Mx)>0rt32~PB|>tG}}3~qQKn2O%JUz1pl_BHkuat1?DG<3-a3dtdf<oabeV2 zGF`qVsBJOV`d51CHkQ|99I$B}X)7zEDK?GVgV5tz)5<Fyf7#p)pg9cGn*;@H%#9ss z(>p2+Ttoeey7p}sOu)4}TgH}gw!><mK!7(d*;9}Q_geBQySJs2w*z5mTxfLxS5|Vf z%y*P&E87f#u>4ghP+$UPb%(YWm_eFrLiZF{mWC<{EbdzRvuv!?(z3Zg;Kbnb&=`0$ ztrP=4heybO8EZmMvW$A3(BcA1jh8k+MtHYE<`K#j9%|XlXRQoX@L6(ZRZH<oDHrj9 z3QdkfO&J{=hl%o+ey(<;EGRu6w8&C=2?*df_;{$2Y66h8mpudev*EkjOZQ|Tva_O- zlTc>?ian9uS}%QyeYOy2CJ>~NbTrtG(-gpS+hL?%`|;$TazTJTt|glb@=51t?ESo( z2C?R~1+!RZ=d1OcS}Yz+cas5iWkEjuH%2d0Ff5G~58iE9SVLP`3Lgy1U$lt}TNfAP z2aZbL5f7eRO23!<B&92x3(TCfxDAR#HYtyu1~!@4-)@k{+QN3^D)_>QPll1hP7Vgo zNoEf+MVX*8#YNjW=$L#?`b8Vm(3(>j{V_fOoQ1(n1UN{Tm4F2vvvj0!nu{YYu2P-* z7~pifcyPi}de)T02^z4_u+U9AO~VanSpZCMo2F^Nf|f?$Jz)EGxRXQdX_$VS3wTZ* zyOXn)aZpf(pL1)uT$hvEkIJ|m=)2q&_E)%}EhcOa{I|gWJm~X$cPAvG(9kvMtZC4f zbH+J2NY1Z-WG&YW1ws8QfjM~O)x4#Cj{P&>)$Iom6Mz7|`M%vBIypK8#w8`}bkj>l zT~Ncy;pOc>0v-g@<kyy}*@&r@D`3e`YKSjz*J!!CUP`*J1xktTCwu|sgZ3qu!@`&& zw1`Xa2LT2sJoE~-(Q!7kE@jJ&q378U4%p@qzBRPTpzDJ+vomlC_^GqZ@kU5WGi?3< zOY<ANbXFQlEcG3M8kf;WvmkHhRT6ZNmHz>WZJCF9g;;*SG{oQRI}AD8bWs-5HU)(L zJ&+EvMU5l)6&|W|TnueaH*D@`Y#^`KuSj;-whMVFqxFXc-bkRp3O65z5(f3u_&Mw* zE!P56LE#*Y69}{gwT9!+1`E{JQhbwSLSaVvbwoCP*}-&yr7A&>wkiW=jFH?~9|6U) zXTw!BuOYc}@S%!t%f1yJylYgqfc@*|mbO-9()2wj$IySukS5QC^77oiJb<I~jfwu9 zn8G+FRB3DgA;(sLfKSUn0mlZm*Xpg=USLJ7<)uIWE$GS6tNd)#6}#JXRbs$0%vDZD z=X!IS0CJJpaw$_vZMl>!NBt?Fj4-p$0u?WXX3={xlLCM1PM)<!z-z7vn-VC<2jJ(- z_^j8eK3Pxzx7I+xES<0d>bL0z)NjE-5Ue>sWh*qU0Q6bGWk`qtHY(`cpeAQ|eO=Ja zJ$r$M9^f|9GV)@<Y-m}CFGOYJME&%Mk*PaX0&P@&Nz>G{*N|fXN2P;z{B=t{(SSp& z#PZ5gI)i;*2-1z;1~-4oDyF8<+1RHqw_Kw$8)W(-HagQcn?F@vEtm^PaP^&O*t;tv z7mk-iDllOio@X-W^&Ll1{D~paRS)SXHSWiZqk3z7`fzVSg%%J}0SYtKEOpbz<C^BC zVI<Oa)@mS3BdYKPBYAXwX4QingEpw4Q@_zPsHxp=^7Zxs3cs2P74@rfw=GQS1;+>C zQ(;GkY^4rJ@8re<I$r#v?Niujp&ZeA-h@QZ!m^3MN`F@C1rPldG^I|J<Nf6(r@YZa zZ<q}4N=%a`DX}4GJUJ1$oJx);A5M*Ym}WFR_1q0*Tr~BSr$NU0%L=y2*CXge1htSO zkxQvc*VIT?nvoCbfcqJsv!F%Fr#q)yiP`lD%&NOJyWB0$@X*CDkdRo&Wp;Zt+2o=B zodcZa>h{#qx7ZMq-|31Ef!d}SsEu6R^si7vyCw^CF}9+8KW8rE+INN>Wt`V<X+Wj7 z9}W9xnxmsRopkKNFUVX!u>yGAu2&0DvCC8ZyjLy4Z}eZU_>k(qW_d%q?bIt+ZZvf# zCab0tC1O<$@!Kw;qS^epf2aW<%m7hK4n<<Agb!ld$z|oUsgcjp2%nB55`f@1_N1t{ zK=wPfU0MejHow(q3pcdWf1d&NNa-9<-kg+5*G+@rp$O}u?;$$vL|aBKc!?~q_Bnc+ zrf(Zs1$A${hP+kCh#oQ5(9b|8ZCheOH>EC`sdQMqT5cXFxrTbZ0OAsqn5B8V5;nW( z9}AFxrfpR^Jb<`NO4#bwvy9|mEq6qkrk1h_^R}%rX<Id|Faix_1^sLW%dY3mAC<RS zP%c@Z)aG%CJPb+S{{UX2JP-#R=8C(a<5`Cm=vvYg?3eTGuDCRg-j~neFq}!3!vm>~ zs{)ulM@P(^;~-@wl$YQs=|Ni<Y!Cs=!tvWKqqc0yQA%5HU<B@YU?z@Emz2wV(=7vM zl@E=QsqkcLy3%P-dJJ+u@Nt)5jNr`-w`0mj#z;?!ly>pAP;jOW_c_8r1&!@+<&*LX z!*Ffzs2KP$^0<eb1>Ip8=s=en21c`-1;vQLAiPGeYfDo)49PmBLNIA>)*<Cj$XS4s z?^8ZDO5;Yr0OEEfYLNeiX7h@M#`b|u1eeAq3lRfP!@Hg;f36oI=^r6m|B413Uv+}g z$zz?r`lB{9w1uP@Pbj^b?GPCcYVZZlVAv*|51f)_2l}Nc1BZYUImv`~PLmI-6QX(B zKEkO3c*=n%jy>_VQ>;`lNT6JkEv%;Nb;$kD2r;-(x3n16thY5ePm?X0Y=+MEYuMe^ znJC|RNp7g|*v@%t)%uvdUXYqewaM{@oNli-%MV9W;U@X*^%hLXlUHFvo>XVA&&LF- zd^aXor7C-Ufjr+{KTDnuf@2Fii>F9wRh5qRjr}e2=gCEmH>7KnX0uUz>}zO*KLwER zYc+J{wM-vZs<IHBfVmHKx?(th^q`*%nNnIOVtJZcABPf`i3ii%^b8<h2b^iFjE-+h zE4f+9E?FsMl-wi>pjW|i*<z?Ho+AI*F(}OhyroH`v(P2jU3nXt-K<)m1$~hbz^pb4 z(G23UING76JmQMO!<`P7(By&!N)uT=>jqacUp|%ee9&4k0A>JJD97#ctPL|jfyNP{ zfG*V`dP49O3)xyI3wGJMaSaG3l#XQG!0NK-Z+ZG#zW!#_-wO1%S@=fJ<Y7sIJl;RP z!GnM59J(@3cS<^<H`wcA@+bc3bs(RSXufwC)uROr5xp=d#};mESaCF|F7gJ>PCB|D zMRmrJ8ekAoZNU_HA=SVqi5I{bKAH#4ObRPq#-y_7WMgANeY+zYb+VjtvAt&#Dv*R0 z^OCPRDov=-@25q#0?$?oq-w32L#ll05}xEZve!*2<D{`9d;2w@_^Z~*>GZ@+0GCE8 zc}MDwiSTheflR~S1zK?(mcv78zjIxRY*DJ#r9dTyXeJS$WG9awI~wW_@j4pH1?2Wn zbuV3m;^694_P+={V%Rb+<mz?%1#HLn=Q3*|Y9=j5P-#>P;y%7g=@MF+<D8UEs$<H1 z>%K{lOev)WpwHy7&_I&C3K{^wWdK~?4!#4F7KD20>JlQQT(E*n+3QX6WSTbt>@NJ% zM`QZj_@s#tt%ky&cg}lN7gb$dI23yjZC97O)71?HZtZkkxC1kdXKsyItL`Sfo6?D^ zt2Hmm;5>BITpUE9@yXt0+TBCy&B1eWx-H!EZ%{z3GRQZ{p-1CEZNoz#;ZSj#Sqbw> zga`GrbY4wdu5NRG1J5P%YQB+gZ*vd9^R@G8hU95&ZVjHz^MDny6jz+LH^-X}MHh%K zJ2mm;MOw5Ho`&FQC|Uwf-@wy1(Ocmu4o~suEWNg<*k*=OEc3?5W@nk^ireesO&5SE z0c-JPPJB6|FcSSc!@u@53R<;R%PoKr3rMTwTH#?^C#G)GR(;NK8`0DJpfN#g`n}sY z)&+l@i$i%U@FacsMliQgVQMF!ixYsp3NWel(jb4XZ!WyTz&J~PPsOTE)F*YOK#yRL zvifHO#Bsks|DKNq0z8QMqb!BqXckF>0#cwZux(|bsW)i_c$qegiXaPSk`p`%Fee#| zsp&!zMk(D>h$H1hAKqzhv98`SS<RSKNAJEJTC)mFVP6&6!#f$PL78{>Hr2uVo6!FK zPWaNv7gQj?{Q#hp?#E*5q)9$}pa*W(%Qb<&n}Y5xrrN^5zIi_L*O2K|3utD6=3vv1 zgKX!@?UReaN)iLF<H$34E<Crn%)ds<Noh8LQ~xXyxadVJo|_HXNK9=$6V#+lTG4Jy zj22>IuPUEco4ZxHOZkF_XU9NOE$xI)_B82l@N%bi8;umAElPi1h-yH4FHz`kS!$xN zUluZPwKsRmsdiVFl!Ik9p8>gHHIU{r(O>!2LG$;oMjAAN>00O8gzpl*-;M7{i*_nH z63u2#o~5!TLc2?@0bH@$<DlN4?f6*|;KL03&`v)Zhu#Ht7)}@<VEYjB5$cCi4Ve17 zWU4;1K%X5-coGIopg&B!5)GV%8_?<k)7$|D4BayiuXl~X>(AM9fL+%X<2ChmynX>a z?fZNNG$;24q(;Fm<o1RnBUM0CQoyENY10Mbg<BF*K(G5o*G_(mZw_|$+hc)cs_*5v zHTG1TUY3h@mcVV>etf~1efhdqvJCjSH4i^eRQ5}7&)HzM9ksVocod(CsMXz3UU{G! zT28$S7<<9!lTRN){-nx{Xh1@Onbxy}Qq;G=SoFhe{L(D=Cs9WnWh{3N2-vRYm<?Xa zal1;O9dvAI0!pB{2u0O-iG&QwV*=FrC%ofKn45kDE?(WvJjl5#A1-dK$c)o7MJ6oE z`gcZk;1#90o0GwcxE1<=*1;uu6LDQ20?AOT&x7Ol%OcdK?c@PUT<1r@=OKJCToNn< zDww_vebr94&j)+uc}N?UcrW#c9OtG2(ge}lOiv&JVXLE8=20KeFnf2x`zo-Ov{W9j z9H=zm#HhT)QyVG?R-u$F;QoZm0kYLYGsdCkm<|*j7pk=QQ(#n8)0V51c`))tv&jN= zi=fU|8}if!9{iG&G3b0YI#)zfz~@P7nr4BMt^*8BP!*OdP4rSR7qsdcllBE5v?h;J zuH}?90#^rl`pZmCDNT6<G8Jfx_)S@4Olyi}5MK^QP2$0DjhlXQBQ_8mF4>ro)~=<E zXvA?~MzpyEt=dHQqB5GVK}n!9wtkjGrhlQy=>br3R=QQ$Dsb{_7$pp8(ZV*PRxOaX zX*1+2hm7(#`VNp&DZW7#$=fe2psTS!Xv)@i8df9<+je2o@LbgEsw)nopGnufwWJwM z-%#jzkN|b>9=sknkJsRScI{=?<LpY=^#r?y+4Trq>5KtQ1IMU{R*OlW+7@=>A3dF; z&vYMn2>>}MlLTKx>uA-wZ*U6WNG8YiSAwVC;H6Gr`no@&gFedLM^B&hMut+EyT6xt z@hRjO^Ywo;+Sf-%|5EBGUq6K$LPuW=eg~*wJL)(q22je{#;Kt*h<T`sU0;Q3>r-FC zHE>D{Oa*+(l>-RCsm~sUo47p-(%KHqww5g4I7U2pNIclG9EL@uOSJWatI=-@iw6Ud zO_1bIkHq*oHTWcCb40`+{4N8OOhNFkw*qtsDF@`;!HCRAx0jK0FC*q&M&!Ln%$^O9 z4eC*-Rk~B5M(H+%3ewD~Dk&G<#9%E>w}%j3=(%h7neSOJ{A}p4;p7~9Zb4t6VE9u? zPaZtCT)sh`4K9)1&tz-dF{B<qY{bwdVYtMBXECYgGn|-b-T&Qirg-pJs6sfQvqR5u z_@wT|mi0sgz1VB7E|#)lf6a<zH0b#$E0A7QAS>ljR>~r2S<7XgRMB#It(4btd7~J- zUr4rxgQuQ*5X`Yw9$%hF1WDC<tH(Z!zq#ke;b&{lG@Ph6mfR*!Zh6!&SDsLw%-S-X zbqFlT5*q`!l>z()0dT4y0q_?DSS<$L!TW<^;7z=L9|nKC%VOXF-ZzPXy?9?P27Z^0 z<Uwu-1yQ)%;>(BJdMDH8OW0`87DUdglctjp3SMaM8TJu0b(^tVuQm`C1J8pNzXIYh zfas}C*BK?YT6}_nUK9h5;PhS0BR=tW4qvhJ6<Q{lfq9n0f1#>M4E`8~vz9~F&LFZP zx{^Bg>x6RJS$Bq>?Sm_ut5TosW^(=<>&Gfc>12I{bCNy3f!6`1Am#vl#UOh8qxwnZ zMt_zwM?Mk83(6%;PJIPw3|ylFnvtcF{G%Sgy2ZfndGK|I<gA@ff^txUm`K>Qlc^u( z4{znMtw8nn0VindBZUz$a2=G5ZT=;G{B{-69C6>mxZ8*A3<a^t?obfbf}4IekGT^t zG)?Vfnhq<8j%!;OZ)Jd;3=R|Zj5=05MNkn*AC>_}hvXntyyGotu3k5`U3`sGLkKNd zeqMO!WNcI;dX302Obg(A^UfW^?RC=zG<$pA!b$nqI`N4?*5M!H#Bb~Yar>(*{X60h z=c4%(dr*2<i9ICEQexj1gU`XYepY>pj<$dkHTNZY1Lq@`k=uuHrtjU3R)iS1`Ld?z z*{qUj4GALStx?mWg8rzcjS!~i|L{psbLv%OqQA%z1|le9V&DZ_FH9%3ywWN3yo1B| zn3l`mksr|6iIKO?&YriV>FQt`Qy#nE%a#R%@#VITdIMT{Q?fvs8QX%oMGX%9WY!6# z?nO=|XQG*U!I<6Fk9{Jj!B+gVFs=r-j|ip4bTY`1#;VYX0IAP05X|8LQ)ziV7)hl# z{i&TG2e4hr;rwl%p@d0RU1;RIM2Q})Xf=Z8=-_pAEe8<Q@5uSU#G`;#AyCiMB#`4q zc}${DppoUe;CXtCXi~AJV7I9u9F(I43SBP-UXC;N4yf4YI5xa&K=DL~>$t1>+{`q> zg8<pa0Qj1Y;Ga=4TZ8W~e#UVKR}FexL#)%xDA0Fd$(?+E#46?Kl<ALv$s@kDFdpSm zczzCs%)&S(8h;L!)Tt4mNsf27PT0&lI@XUFIHR262HqcOTtXOj07tw}VseV@oWlB= zYc`Eyhieq3fd`l#x{@_WXI8tMHjN=2k}vARiN=&lFuXMlKT9_f*6^P%b$e=Q3ox}3 znWJ2?tIsk9iIMlWq!}4CTXU8~4}@G73p*+kh@swNnbo~aQ13$vn!MFwpCfrSCcA`P zI}CH2(fNzkKzf?f>3B=-D`ZS~G8Uc16xNQb6jn5SQA;r=r6TOtI;>uiasXusD83TK zgkiDUDc$-4QcKFvyXwYh-flzkr7)VcJ4G6!zgYF|L#h!rY8O7+#jcpDvw=yTpfTev z#H82bx6*ZAGn-#yCI~q&@-Y;`Lg|LDlbHo@lJzHE9$V}2&(Y!NO?nB+0aRI>PH$;V zFudho$lg)I#=bNygb!|iTFBK0I`(OJsdQJ;ZAA$!E6=jCM9He{eR>3s>OT5a9})+1 zb9M6GXuiU%Hx1a1^?*Bp$uR({OBimOlekKVt2F`fSYHBH)EAsIPTPwQlt&}sH!Q7= zumQKt*vdv_4C^4FCmC&!soPHUd<gCR2bQd^5J`2svBCD{3YvC7(~h?9`1}SZ7oFwg zCSC939)bU_!~YZTe>|jD6oR>UkI#*s<^!NRZJOE~54oOkYq?JF^b#(V-|4r4VJxSi z6XEC-1Gt*E3$0tVXa`(FtvH@U=X5xEP7$;YXKJRpN$7AEa2?K>nH|n+;kCHKITzOk zNjB!&7Qq~jNYn8(_U5<5KqhjV>jajKUN9*RE$2hLLv?i@WPn4PQ^-)KtBc9w3dDzg zmYVR{yrjA-WMam)YEV)UA!}#{!{~-l7%8g+u4Pq0OA;kzRWX;uX^in*$DyWEnybrR ziupG`8%-nZNqL})3u;@wM_k=R06RhQDwl?&nl>Xyz+JlqIjcs?Ezzf?N{HM=I&cB# z)2We9(~NWV^)ATBscF!emAvmca7#j!CO2)lK}TK;U~HOJDL~cbimRKqH+OCRiR~P@ zh$R%U0@BdE$U^rbtz`+{5^d_J<hKRS$*KPS<<U&iUd3j8!(T(66=Q@$OacBa4{Fka z+F{)0s`F<eVU<{ljHNiE8A{A3^YAE)VD<U+36kCp7)3J?t}|_jd3S?GaXUIN8tZT^ zcP^9*{_z;_iO~g5FbcR*^!}9O^b5`~+xi_H@??6zkXYSJOs%>M!&9q9;xvz1i`(S} zcY4@aoMjyCEGoY_10xOR@h=Vq&%=`+T=%J;Fe#0rkk4WgJLemH3L!XqSgWZa=14xp z?1g9l{LQex!@P|(+n<WDTj&D2J$r=Rf`{4dH(_@B9g5~NPcVTdE<RMvce0ucpcxbX zXb253vM8=wRh<l}2|O3>WXK}xf(nKwEq6Ik&(D!FTJAj<Zov?T?sMxADJJM#!Jk5V zZh`LbVF_C9;x0A=T7?~49Y^V&MNzu-InW{`8of3zvEEXzbwT$3!0h!s|DBxh0OErC z$-j99$SI90Q!d@u^i`<pZ_1@H8*}{G%Yo+no9D+O@lz{M=yU2EM<#`5M3k^l-%g*I z$R>%>_B$<QTsx$-Q#F}Xp(mLVvkLShoOY=eYE*$fh7(Gpm%fT#=N#zg<HwKtPTcO~ zR%=Cx*cr3Bw!j>M|Ak#1Z!PQXTU>G5>u&V{s>w0piYK^Bb;Uxi-qmPH0f$xhu2!@0 zv97VPVFmf5z9zZknV8tm)8`h}3$`LGvzDZFxHM2{eau>Z)Ql39O_uP+w{50kdiGPm zd5MWs3i|s|e0K@`PJWFT9FOX$+8kO&RZpC(FySgd^#x^cNNNl%;zIliviNaJsN!+6 z>gok)cg2E7B@20v7C;w3rG{X5vvcc0;);<oP^<h_OEW0$0+j60D0mYnco_=wXeC3T zPj6j2Adan#9tFy7v){k|dtLJNO6hjCc5C(Fohs9k!CfL*Cio3YwOmYB4hy8(L_6oO zwQc)ylQh<+Q{*%`LXYXmq&lWnnXX2u{gW$E`okw|jfPYS(7Jla`A6&+yT>F3mcm1# z*f*#QpL+7O<WyU&tsiGOU&pFqbwN$O&YpS?u<VAZUVZT(^f;~=IP^p#s0GrClU2t^ zXXEe;Jrsh|xol<2m5L?dGWb7TR{K?DB}y99aYCeK+g&E<pDZo%t<ubi0$;y%1T`qp z{LhwnKrhj6@~y+s_&s#BWg*xv$x3MedeJDC`*}K%PfYrI>3g^0Jfo`{L-4$A8pGG& zdGjnbZ{E$xw*yYmOvssP#MyB#kg!O)9#!}%UE7SOR;;R5%Uy{&hMpKipQ?`j0#e)k zX5S9PW>Flc+SU4Qzk&V~3sURjeq*EB+~p|60FmZeG7$MRg++oGJM4K<1>yRgCPfn6 z)L)v2oH1&yZbh?fp2ffjpQeX9R6w;XMVp&Ozro3WJ)k5%ZDI76S4Xy_GOP^r_LSju z9S_bQl1dXf((<9vcCO`8itKzrKzr2=(p*dC7sg-&pIz(r(g!X<>2CUi3bsJu=#)js z7YIKhDqY{Gm8NLAvczOn-q0E$qq2sFal3)EuNbvN6zrEXyc9K8UG!!z-K^=e+Nn5@ zO~tudCsb?k(s&GA<w2;YZs1Jaq;O(#*KhH?gyg&oE-ji`-D>lBXiNn*1`IEZTk3MK zh#N7aKqZV2A^s(MvDA<ts27@1@fTbpu${U?T^3K!@+DGb>W?VW&Gu!2JjPA$M9h%r zQ-J8viS}kew)96*us?22e3FeBuJceUMSrd`8n6MsbtO9DB`>XJm9!^2U@T)O!2q2g z8HwvWee|;46TjowQk#KJ#d2}E1jOOB<v1x`^7UdE84U825dU=*JgLRZ*3jlCoq4o* zTEf^cRVqUTn@@oy(b&+g6fj7%Exsa}hfGH9@E*i8=t(eY#wlBPgOpvXovx)PfEko) zfw?+_Z9~3Xu-ncv$VRrxmw}M7(XE{x`Tl9cieXDboBKKfC*y5E@Xlc0G+e^ISqPnD zJ7=Gaq9W(fJuuYyr_hwV<T6dm$4DLEh|pYyuziZelg{Wv{ydt2>l-BI7?ef&I`Ba! zXJYfv(Hegyt>bjzu}_g_Gh)<I$*L1Vo={7NFfV;#I2TA<G)tWyO|PXN4~|+EONv8( z3_Br{&PvceVReP{rYZ9|d7PV0*SQpIiZN9B2$ykg8xDbjR>!c_z8D*_ZJOil4LA9_ zmfKDZeC2SNCWW2yRH_Xm@u|f>`hx+quq?K4&pYVN|5vq%e5J~QV?Z|A`YV~9P=>lT zKA2QocPSmB@@cOs<NC5AbsZ#byd6~1Vnhr$5Y;9M6>76&3mdV8_1%uYN@L)2t%u%r zj+u3izsmP{{X$ZStww|B3?weLm$pEPWb@J=Pi1zH7;Iw8KW6kQ+*+~;JuaMw2VOS; z258OIwL|u71}CNIFa+!!Xk$CGBY41&G~*B&=}BKBei@Dmi9pvKYs9UPvUQ;uFIK$F z!HW|wZoI6*%ev5OI6t#UK0%-)7|Qjq2Q1bl{G7yWmkTc|pNV*bF{1<w4RTWXXsf!c z&v8r|TX?L-P1mDw4a2xgAj|rKrzDrrWiC7fhK4Onnq#E8@8W;p()~>Xe^ol6;9g7y zjC(P;7y6YfGaHW-o>=PVYUmbL7IsAf9pHhye&B)C{qO;XmNnw6NT;it`C2n@&5a{m zDGaz_DYJAk-i)?zd&2O?MaAKTwr;uxibw`l<k`X=FxpjDAK>YEW;r=hg!^sW&pvZ+ z;Yn#~&9k<!_-p)HPt|1?)aqUqJ`PFCAWv+?fGZBKyp%&%YHVUH6{<u%y5eX%{W&D< z!nifSL=UB4qk!#Pt>dDUYOgnKw9-Z3B>TtLv4{@fPl29bp0|Z`u!v9SaNzcKX<{2U zuU#7FPieF_o5aU)rMxw*vLkI?C8@TMh~o{(Sv*lH0Y3$(waf&HA?~=m{*g9w>-b7% zah^=wHFP_u{WcKdlA9%S$x6wz(9vvK?`1naST<K4R5UiKr_XN_T60*|UOk-Xx;A0n z8`89vOE*b*3?jcH?WW2Ew0Q&?-#3hberwI6YoRUv={-|`4y{v0M+~ue8Uf>J#-G<T z@ny8^`r4LR0{0ju%Tw4|`B-2KqGBWsM#ju=nUShN)~(Ke6j9^n*)lrVH;nGeVRQWz zAN(BMc4ay@9LB~1ZWb_S?+T}G*Gto3Jji|#uerPNI{A6L7Cnd8(r4hhW_#`tcFTU1 z-6lWHZmCbQ+sqy8cH?%qJ@Z6rcsjb;+^#+B&hOd}_YioKhw(kw1p`HADhJQ#uI<E+ zyY@^g<2qA!!!-kawA2@;;n#$_sWRtnXMjDPANJXH#Q+F~y1POA>o7C}-8bK#S+EK^ zZ%Qcwa6l3REkqb!#?{{2(e@jkhxSX;70OE!6q+rWs+d6S=W&zD{;}+evqA0q$MDRR z_STYKpTU5$Goi}-S~o3x7c^K{+;@aT)Ga)&CvP!DJ~U@VLR-wg{q1jG!J&=?%I6op z^%`buvlv><&b#G-(BqTg^&rR61V~#V4>UF;J0?H%ily1wP>^0m$8-a)<@x~k*DxPW zS`4xQtu>H}g70*6HubdyzW~sVASPG?Vd<vOvtM3D{yQSRY;+viIKD9AbcdeI#_xXX zQtEq$DWUQ<V|gGfp8;BKFol9~$O5&wp=Jbhvp|fAE~xCB2ht%G^mXm<=UT|*p_lJK z_Nqt##76_L6%_{b4g)Gcs%>{+HT@BTl+&^}ZL+y-dny(i9fS5!E+$zq2?}c6o`&R# z3LOFVz+qDlM!h-}JA>U&&ac?2?)B`MJcZX#AO}AiPlWEZDuWX@npzg;KrJU*4q2n3 za(Uv$989o6!spgjbJW<uab=FTn-1Z;9Xj@RpFzhSlyWgD<+pobFnl@_eTtnd%5LF0 zX|l3)EhkMN8+~Ap3Vtj7<@;!IbkNUw(HzL87YES9162+ns@&};VxfAsfirOpI3eqF z!(Y^GA}QTVe{d14ZUj;n`Ur!DYyi4;WD=0#_Rr`KiQEkp?C&48H$dTdpnFi`JpUfJ z4wH`;0QU_I$x}L0@e%2!<!*w4itFQ&E1_DVCCbn@^4QTJ5`aX{DMN7#-RmVze&l2H zFy>7M2bxWDc8n-H>$gJ*YFXR?46FTWv)~w#b6_;zhyF{r=ULpMfm;LY`=6eO@lrp+ zn!zgx&nd-?oK2r?)95$2K(Wq%A#6SDc{MI^?dt>q-pnWmzAkR=a8Y1DCKs4w!)+rd zYoYRd@WxtCL4~L8z<H=gd3C+XzKn{G$DoRq<}aYgw{Z$W{<1A6a8wLn6tVbnB?!yW zp8vyLQB2t>G|Rf7nC~8)1I|I{_q+AJiQdpwiLuYK#Fyt|oClDstF7fp_$X93CPQh4 zg^t*U&%p|)tZV@@@Fet`=IR1VSZVI!p@60y(g~<_mZPV{(eHqD=}%M3O`&pgNPPy% zxpxh@rEHBlr_AZRQ@%(p()Vz!cOS4q%VOhX-sy;J=!dem;9|jCT=XcP^2!i4P!ODp z<V&QSr(@BTEH|khA!=0D3kj8_YpO?4Q$=^%i?ENy;PN3hdpJCIedjw&2rRzkC<Mp; z24AbYH2Oq33Icdd6qPb*^g(}987JSsuq@}rKrMCy?rfrueTg!0CU{N^R6^n_tvKdy z^pU}fzfopz9vql((WMTI&Mq_-(b^#Ld2NGlSVG2-N?)liBW`+sFB+>2J`X8HsnFi* zuUwZR20zCIu2hsvgBbh^#!P2ZsV^yh<@~Pm&^}Tw?CN57)2{9Uv|7N@Rbr{l<~3w- zxp|Fha-D!=XOyxprN{uy*=>vS@>^S5C*X%3{R2uvGia<l)G)2BJM!?`ry7&kVYJ6F zNghW0KaddWWK8pD?<J)fm)N3n0NKC&9Yr}h6Foxfwn06Yhf0`>rd~j^8K-P9eyoeb zV5-L;tz9X7sgOn4`oE!G7O<C!2?jPWjP}bPe-)F!E^C**Us^R83ipx6U&5gAcB#Rh zC*MmR-><(-fH&|~2EPFGUdCM1QN{vhAK!BY!22Tr?>G@adl}24hep!(eZjo5$HRKY z3drarj~|A&8<9ob^rrwo9zPDx%rr0TbW?>Tok+aNtT4<^{a-NKCUo%6$RX*at@+T1 z3HGNED;fOhKg|anayu<&b%wUMJ6!?>C2ZRo+W}l5jUnlPLKdI^eK7@r?2U1-!4~o( z$?2F3mb+Fh$emsq19q=#9FCa+LKY#*)q*tFYVVRCU~|!4bK}eY(Jy;Ozl29#LXE>{ zJ*uOXL5zuS%A;{yMJnf$@9hi^C;%IribX=|2s(&HP!j_<L4l|t*ZseSR>KO?*;wBm z)TG-1&gLa^90Ss<TD6!)kSk%to8+Y~7TCts;gI+AHTsZOhq6yP8^Dplv33)xnfrS{ zFlMt2cKTRbxen~KEil&R(_Bnmw>B~0-gsIca5wbefNP?U^(G`fRJoRvV$?i+kj+?k zUm<T10BvS^N$yTeDrrRlfF?yPs8imBHcZ>uGD#0To8Z<zYVT?%;DbO~aLYyXx`Wck zPR^SQkCwB%^r2JwJXD@<^~a+lr3Dr#4Z0DW26Xm0`h$^)g8ye#$Nz__FP=<Rz2pC` zYArVa=`83!QLmPZ^^#to=p?PkJQGOvfWBBT4A6=I9S!ZnXpIN7@(|L&BEC;3+4u$Q z^u+fZsDC@!;n}Q!o<D*hLFYb=o%{G_nsycXzy@;>eds1oRh^Y9cl0<pocq~gfff|# z#3YlkMcQfgail(Lr3Pauydz1}E$ccSM^~!6<MF#NT%xnmhbj~l>qB28c!CWnqb;fV zI82ym^%wf|2XUFy%C$H_vlBT7p0y2YsUbdUz9$zIQ3kZ29nb?@q4*+H63BbA|CXG0 z)2DE?A|wil(H~*f6O6)3e7Ix_Udit%&h^%zV9fLCkXn%iNs3EYb*#7Z{G6A*j^b0N z<vxkzT*7N=S~SB;8-U;IZ2eHv4oJs6_AEYnD;iwAOg7AP%n2qN4efrx7e>mPK21zz zivhHNNM(T@2s{Q0BbBrDH>3VGSAYAOvbPfb?KAz&slT1o-zxOCH}tnE{q2DMwz3qv z5))p;1Rz(}h2)sL#RuBrn%Yrzu%-`swR9^TMe|y{m;U{Np2mV2wycG`GivEYu=DF2 zOwc9EHjOD2ld^!5p%5)Ls*ouh#tB`A<<do;Xc|fY>%I+9)@$%=qW);I2fxjrKY5GI zCZfV^z*VRs<VIikW2SR`d+@%?G!rG&x0}6~^_S<^i-o-?r3e9eQJ{9A07>JOQUv6r zY^Bt~9&i_C!A_J(R>V$}qs~;!xcY7<IOYh&^6H|zD<N}Y07p?>fZeD?#K51BSzkYa zi^Z6ojvK^B1Ynp_BYS7%F|kKt>T=ESr5|5r11_tKzSzSie;)8HuR+#k1(XglR^63U z3sp((KK;osch9|&yE6xq+&u}o`?JBTxf>^!(&>)}(N9Qv#JGltA<5O09z6yn*9)O? z1GB+4io`|r-ALj-etA?@>xD?OAfQtK3XiR|yXnGli7D=}Z7#u|(&~z})?eyyUB->5 zwxg}}u@2WIt_(`@8?<#6Z5@vrJ!?X)m^*}NU@qK-UaJ*1r4+mR&;ja22gnwVTEu;> z_zah+rMZvI*Yu)OHN39~BgegTV;7D<CQ@mt+x?h4ffj#+#vD!^vt^DWTF=eUl-*7# zn@(n*rsEj(F?e&k4bphEf!}Qw13y5vUm_@7Lu!s%iG?X$Un)mZ;29v)`uGbh6n-}S zS$iUIUNTYAo(!7L##y5mM19Kvu=7ETv>&K6q1REXM~31CviYGZgPKE@<Q2viIR@1w z{FceJxQmURXS*j%;NC^6l_OTD6_;8bA=M@f#+Zb`7~@Gq>6%JTMlS1N*H2xs#hSND z7JrJzQ$ue6wL9YwFcz}ROsKW3T4)ub<3Xd=hFk)x?t8=4*_-21MuJXJA=#&mD;knC zt^t2jz_kt*GvmnrrWKVz2F?#E+JvSr;36s;p_zUo{Z}Vj0yBt#xq8BbPMsnkecQ*P z>kycP4(A{`A!48m2by)D!2V<btHbk}6*#z-&M8hFMUbs;6hHF;o6lq?pd7T%#LeAY zM{4P{W#~;?bPaN?Z#k6X8%$xFQf^O{AST1&pVZ6n(jVk-oD*;?*--4I|BAu#UpR~% ze&Z{1XO(fjd!UfQBQ<W?&o~l?$1%2k9gP~jh-iwf-{%H6Pc1dyb``2O>M+C=*XF*y z9S8+L(W0w>ghYGHRs-jo1trzeGo|{@zgzu%iRhLyjt`^)Wl)o*`Z*>kbHBmzwA<+G z7`N}%Zu4llPvhW(Q=&lXq4_%PrCfOVYQ9eQsR_Ev<9$eSdOav>ePL%R8~27Mm1`3l zoR0OQj>7Ft=zhlOANzGp;}{ShLqnK+Q25tSIj_X{rj51qo%w9TemP&~h^?>M&qA1D z>r+UlvD4AnBm%3&>G}^7d&9<u7MdZ|$x`bRsnRWx!4zoR)AXIMA!QdL!M1dMjjOXt z2k)h?vJVU;mr#duxQSU{ub&4KwX+K`^wOvF*f>@KgN9)`)t|S#p<TI_!)^9pAW<Bq z9{}>x@DY6t0PBhk>9*0;i%#1Bu$}(uNOGzlVfO(5#vu)ysjEUi!Mne!&&eIcOD%~x zI@XIMJ+bqylXna?eZ_RFcRxia`oBQc+O*I<XFluYjy@I%S_eeXW;Ia&IG)^CpV%g4 zka*lJN6Jc!k!{6ni`194Q;AJdRe9o*hsdG&QQPB>Czs7gRf+M4xUbCO@rwH%PP3h= z4OIwv!Tt@CNVADlnH-mzGRShlc-Ar4lzE2|p5=JAi888RQJh|$f5;~cfaI}Qmz}s; z<i>M{h67w;w%6Um(JU&9pu#5~ZtJ2qu<3O4e3k)TH?pl>`WLsp5CmTw#90ubQwL5c zU54Ze%&3?cJ!nMVF=eowV(T}o>7&B6Y~gR`0HbXd;7x1KLyudL%blB`w(*Q9PDInM z4EUlyD*>5V2e9qF>=lshI-E(|g*u}>sVBX3)z`XtsL#X@@5-H0ei?IT$uW=JF6EFj z-#uqiA|~VejyIaV_-@!_JmfgCUa;F`o<tI>6PZAI7;X|<WpM^t8BCQ;7}f_k^?c3} zK#_jH2CP+Tbqodxb;&AH#VeNtF^CQ+$@W3Tq;xG_PZ}>d-fJ%S?okujvQk-X7vKZ? zJQ+XVVf-r~<T$<gBT^qHVEL^s{UMN0&giUMjRGHSDBY2K--ho?N`I7m58(U!(w`*X z+0h0!m4=e<kKy~2(kGJdkK=nz>5uU}9p2l}qS~<9FKDOh)Ge!{>Db5`?KE-4>eR|r zFe0sJOpZesGFJ@b-c^DZCtfOMm5n;8f@CAHy>>S*iR7#A_M42dpoC41j;0IHbYr#9 z;E1eG#m^}yHd+yuLErz1c^6h+6*9w}?+?c-oPkkK8O++cSjr{s{*=1Hh%_Dk3-Et+ zVMMN=>o4NuE8AWwv*T6n!{G^0+=-XyDsAIRa+>WlB)v+9K+>Z3l6HlPQi(#-q{1q2 zwtsjwIqj4jrz~gnLFPXXB6>UV5*>dK+q@Gm(aeL`>YaE=EM2<k_^;6Z>8i7ZmF6zs zj5CmGcXi3>FcAFxbxpIoy3s@E=t7?+jPZqof|Lo3lTwvIUY<nm1}^%ux^NYw%T99l zYPI@A=fc(78K(*IO*%KJ)#phzW2jtwH6F89pKqQ>s?Q^1)vi=4#t540eDoaM(#tk0 zjPmHPl&RXr)gEnGS6y@>P?j{G!KfVx*VOL$D|P|<b|qqCh%1Rz8gZRa7p}I2>4h^% zb&MRb_zD)-wfxH0mF(4T_W7`Lzjr37@=a_f^K&qGg4U1ToLKq=655WIPGI^YLLw;r z+nT%Z9h?_I_XMw625!6pnN=gTYeo1%H-D*58i;I?pf0hvTi?#~c9L(oZN)6g?FMC& z*(etfr=`@I`jd%LZs|0<<&;jxTY4$y{JB9+rRB_Y$8!aIKWua+*5+*C;hD-*S_N*F zmlWZiRTxq502O4<=b$4>N+rWWFI6z47*FhKOACbM&;9(uTH10J*}1MxEyW$H;QhU! zm*9!s;iXG44DC#L%ly(h=@!4iLzkXqGs-xKE%AEXbn{K$vbd(Rl`jj7VaAI%GyjUl z%A-b*F=Zw`a>{k!c|AWoomvOd4swb0)4!k`%*<m@V3>C6I+j$MJ+`n{O(%aR%S@d( zeGHr~NEs-sE`e9a0e82|pDvqiVY@5-hw0*z;YzfrOSJUhDM@HcYfZUBU1n;VBEH=2 zuB1~w()(wemX3QtLHAah+R`+asnt*k6+m@?bJDF!bDWc3Xc@FhsV##U@~@yIzT*y! zZ5@V|iGdzKqb;q(D)A*5a$05d;*#jc>;ulSvOTUDc=`?^Xx0q2bLF<9(Ui)vmia5C zONi~Y{SgD0YPckA3RN0fil@VP&>PLRg>C1c8F*ZtD}J&kcvKp@h*h4l@(yUwQTZ!u z3-qD1jNvE%3U`%cNDG7Kq*C!<*bTrlsQp8|k=bo&&^*0yTKY&!quF$P0>lU(;L|cw zWsetw5l%_z9Vr}A3^SN}av0wW4J!~<v2vPWc!A2qj%=|{MkWLvJWRpRWCptr1i|ZR zoxGOCv7ouW6ZciCMYEuD@mLXPTXCLjROL8X7DrRp;|VqQ(M*izbzy*EDb%`P{hg$` z4}78ZcaT`*vy>1oIwDQCxvBClGf*8DrRx*fjYG9wEa2!j$pWf&;ht-i?Y{<}5@QiZ z0tt4m1H=%25ScwV#cMl<@e=Y)+PfIsB$+x>5kij=(Py5N*d{sCpR#-xeu$>(C4kox z!~qiHq4cb50LQafN#`2-R4K>lTw~9ZFX^|xlcJZPD38Ze*y%YLbGmCi9@W*Sy{o!n zK$V-_^o4hrS&B!%O!I($9s|R<51?@J0aaL>?td2{VA!sY*J`;hqTA3OU8%%UBpw>@ zn3lVn%{)3T06{>$zls425h|V{WnzHEAYS?lJDhH)i{9}L6MR6|<kfPYha4<&2<r3J z(iik24iX<Qax+Ob6fn@<z?(kYy5!b!_v35{Ml0blSE%EhyD%(j_y7_!vj~+3VoY#6 zwXZGt)cL1B;ZeknPANOsE@cdy*oBb@(N$jTM=kd_)+xtra!kuTf?BRupUJ@cVRpx} zQ?%SL!nyivu3lTOV?a(ncsG<B%?e(W(@969%beA#ve4*(chw@SprLWah*g1s$|B`Y zCFcxKH?wg5&4Pn%vS`YupPmGbs)zL>2z}^eA}}m^O>!qR(RXHmXD%MBFz`y3v!T9S zZ}Aa>?WjF<6HrDUScdKA#RdF8gq`A4&}L8~xX!smPmsT4hY%;?uaf648rYFdi36LI zNaDCAO3LDp^VUGORPX{juxZ>2Xjn-p(Kkb7cuF2$7-<ic4GlkiGyD`!JPogK<BW>! z9GI+T$3@xV7~EjiPlQQP^MIL|2gu%yilAXIjJ9>dB-(ibBanvA0&<^7#2-byxJj?N zm#*K>!l~`cEn@H)C}RzASzbXmbd4jj;Wm(65o*e+^>}IV9_GbS=>+!24M^+<;gN9q z!nnSu&bSbA-Rc<JIGZlQ+NTfKe(G&jJHU&9M>JgptXlU?&-XBdC{4#ct&_<!gPA!B zW+JZdR-0-(wO+p=RBfs8sP!go9k1o0tU^YMz1}1S8}zt;#~acC)ewCpsTBTI4C00Y z6gS*L;usVkZ-hHG>%Kp*X7${i3>CjBbZ9d>gu^l-D~Yp$=Ivv#O~MtCOfzwV=RXW! zV(#oKiF1FBd+~VFtgt)_I@yfJ4`Q$*IfLhb!M&HX53GjtBcucG#*@*7@VpXI@EA3K zIoWga+{w>Rp2<2Y_YGVmy#Qqah>8O9z^BHOO*syL+bA@N4uIW|v7`__OuDDQVmk*< z0z8=p-XA!lyw8zi<TN>p^)wtZbIQyX4CQC%k9upNF2u}&r!p>E>aMBrSsxtUGm$*W z6N+1{&SVl$Q7{MGBY>W5n@HA~l%XN;5AP|Mt6Uxeo%i<*H-+YI2(A2snPjO|Cgo9{ zlaI3~15z%~lv_BCoob3N7I=xiwE77qX3F8bMhuumc`V~`nU00%Nj7!@W0hb#LVvwi z0}A`{v~|D_W^J8?&ey{W>lq9*LrvL_lH0xviV?{5+Qa$U!+F}nvuJJt5G=N3-dYd& z9EWw=DV$K#POf0l^`DckNW^cTjdM`{z}KVjUDG~gi=wr7YKyNE=u$&}R>N`34_`*s z76?mgG^xNs_aqK@IV5m?ldlzR-ED88t=o-r@QxxDhdSNQ)5CvGtPKD|W?dPEnw;|p zy@?BbJbmr-$od%+q6~G3KS1x^Q%g!$vj{NM^cXU{4cDHg(6^(>nWgG|$bUOg_rstl z=LGvD9&`al-MORrxE(9YOFfBL-SJ?a8Y=a;*^!w2_b{G8zR7QDu&1(U*IZ=mU-u=f zX+WswQN()5aolY~7qVL;X<rewc<G}EMs3GOB9a@J6R;Zz<2%mgx1sbLoClqRX!IOM z4w3PwL6e8x|28J=!;M>dSg#oTi9z2n*v-h$hEtn7-FRAG)$-8WSXjHO3*&Epi57rP z@kMAD=cOkN<5Y}sF7ndPGIYwrpm!Z9k5_?%nnF78n5}L)5A?i;ev0dDt}e)JN@2{2 zCk$1=z?Np~uT*8zaFj95+Kq$<>t$N6F7wkF97ch3(bx37XvrSGiP@%IoP5iuF2F)P zBU>l_%=Xzu#{zMHXwc~0CmCBbcLy~w_!?T@dNlHEFXb<?-VuYR@L-xf$H4Dw?vmGz zY`ADVh6GECHey~JN$3+gkmS=lD*7<P<l6{<hwV);!dx%?#ou){m<qkI;Y}|k_)g1@ zjr2F|JccuObKu&8TNfbzcsl*q=-nTuj<Ve!q%(RdF|CFMtmBOhv;1AQQ_C?Z+`K-Y z{tdtqN2OuWR6d#<_{+rqsy2fH`wEXJ%wnf=;jTh*1`oWWp>K3=3j8RG<Ae3)!i&J% z#=m;#^55w}$(<u{2H;);yX;&Gm+v067>`89kYz%l+qCU6p1j|bp@c19>PClsMi?D1 z(z(oxV|6VVDtrVuA|CltByT@>l*gkLwi_ytg<#CcS)^9S!MhNHr{RMqlz$5ur!MOw z-nhCfMwa!#@Ya9GAWM<U{GH0>1sjb11^1G>c*k9Wd<QOXwJ4XZ>nD<9r=y|8Dg40c zX)E_v3}whO0D)-}qxqpbyN16!vmfJ5;A0wotm8?&iFgFEf+y8+V|AZ;FOMD-T$c)} zM*y^NC1X^r^)cmRgIeDw2A{y#6gdVdkwM<S0C@7Q2FC{*Qpg9!>X@DjvOC^|ly@EP zOAUCQ+rzx$VL^5rWH=96*H0jCoc?0q-DwiwyV%If(-5g!qSu7(>SF18bZqex!}npH zl_HQuJRS+iN+gQ}b%_8(jvCRwZ0-XO%kh3<F{ipWWI9Re09wHHA%I>2R{^e$C4#)F z4T#cOEe=Im;Q@&_v!z+&<Q#I0k@a*GD$SV4o*8v3_E%)&MXzT-W+3Y*s5&0r|H$4y z4+R+B8DN#g)ikwYP8`fCO%Q_@alG8jjBkAch-7cZO|?a@;xa03*NJ>68mmlyLfgSp z0}cxN&ax!R&TtFtl{n4%N9Fm}!(6glNFAyw*B`6QEsvCQa)z>sA7UxWCP9-QK)HqC z@m-b#qvVxauo7&J-+;|YF7kWfk<j8X7ivOPmKrzxTOl(pafdtub)+Kf244A|U}4g+ zOJe(sg<Y7gmLiI5esJd|cmnSYGu49c)+^6d!shRWEpDv{^VN>lCXP;a;MFE26?2*O zT)UX?^;?V#-gmeR51zY1w^rh=iB3Q7<E(7*+Kk5mo?%~bf7MuRgSmEeYootVmI#_U zU){oMsaOT6G=s@ZI+AOyH8o6#1+cguHiOR@H5$X^!Eo~>(*9tWNpWBfN-^-iD|WBy z6jUd#goQihK0i+ena>sZOf)`X@?noAkipmroa@2h{?O03b)W>6#T}P7mXl+JZ%2Ae zp@rr$r7ET=tru{AQfNmUZmJpXUxM~@#(VMA&3Cp?c)*ubtY?w@2DsK>Bd20yNa${p zTE(knLg-F-5Y#eWS^dij7Ebc&FOgr`D$CoB3`GKAjNo5VE*mp8@r=blBtIWGHO(!M z_R(?tCS9AM>tU|N6^Qo=Ye1t-h<q-RV^?XkK5};)hN(r4uR@#caWYk{HiQ2w{%{$5 z?QaJ)ha0YqXTb!2!ol{k#v_+_(19`K(t-_X{snb7UEat$8U?vr*Ke1s>#spMi-i^& zn1b7Z3hr86!A(^nU86rfv*RiqceengsrbN?t%CXp80zN2w+z*BoR1NI_!|_&<~VMt z(fGSVi*Jc58dG<Tq`ohdKd9E5K|x~vdb3(5sCV(GQSK7p>ZlXs+P1~%phd=^7D?w7 z&AL9nrFk4`k+(-{kx<2s3i5W;%D$OHcVDGE0t{(LPRhBNO>M<P6}QG!L0xQ!gMM3v z6Hn?Lakb*sSWgMsJK>&Uj0X<k+BxX*>!IW&2KBCZXr(O<Jrx<^m%!)&3Ca*_QbWHh z4jsUhqa4T2$qzsr$KAsN$`B4HZ-L5_(vtMf85vNPumL6Q9}*h|6rlG;rffF~P%7$M z*=&^Ks*cZah1Go_(^upXBqfF=L*BdKDkMfWAZuDuIj8Z6P<}!=zx5g;(U(X$J0t5` zNLHqkmvoK#_{cC>my9B-%d8sJio7`6;y1$JmYqxiR12VzjH#$$l*k0-!(JGmfjd2m zfCs&`%~{G@+UYNp>X;VI2DVd<X}12;pW`r{&Gg<`unRmqam-j2n=zF2o}8()Thw~N zai)nn&d6KIWGwi9fH?~=XXO=9aESzNRL)+=c}pT^#ueYr!nd<>E`1Ke{m-b(V#evL z3^XI?Jht`kF0*PN<z}T=lRi-=GbGE+#0)A&xeRs>+0H0LHt(pIQH}V#Enm+9lXSvW zRS<g;&m7GaCqKgFBqhQ}KSOQvZOLD}qr#@mcuO9eC>RR$TN^=d9$gqb3VIVj?zzO1 z%tEkxzDlqIi2D}g2*-dJV1D48yyH$mUJ0_qxUu<K@-_-eJhZtOcuuXqFk@wFg$n<N zMA=5FFTlV*Eh{=3q(=wa&W1!CdfLPx5pu{`xS&yeVcK1M!cd4oJp%bxUVVgz3dz5s zVh{r%W;P@_^G-npfEol)YlH+|4LWCL4Ml(}kvW@Zv@~aNau#DfkeV+u9HW>tp0T;L z0*wX$$sS?Qj7QPt3ccEzU{Gcho&F-@c2H!&qf(ZdsV*LaLJzu7?lqo7xrU@$L9F{o zPUsPXIzM<+zQ!>b$5|jZ*jmgUkkgf!n4}-R9=d}cVR9A&4P&qJh6a90KHYmz)7T!$ z#5owH2btZR)gHa0ztW^gw|nWVc3h=6Ll4iwkc~gQiW`Ze*Co!UX-<WbfSD`vVc5-d z)3+k%J8a2Ux0u-A!8Y?9L5J>VSaNkYuJPiz+|bcag<(LROm97yTwBvObN=ywz8-Nz zi<<BVM9GAOfy?`E0NC!OKYdR3=e%rHdbDrMHiW#xj?wIXZrCl}-+c`<toVk}TZxFv z<hAvy!MUH{$s5J&ItQ+H+03M;Ck?#A4*5E|`v7xXe|TVcUXhV${4kC^2h*6d-7JvK zNGvs!IAkSF|4{*BXWR0ElyfHr)xEQz_||8ygKNuR3NBC><T)@14V=U^g=^^oC=oE4 zLuXu7)o)*ARrQoZJuG@?3?9O(&mi4DQ9s)m9^d_3_v!-Af-sV_{)%+IMGWk~jR#Sj zd3Ub09ko|kLcx5%KzuUdCTZH-bTwrC1ox74B{q$$0(gL9sge*lCkEWOVJY`K+J(<D zYOw-rVKrES^m3WS$L~nRgG4Gm!4tHweF5+-zk?gPvIuLnE!=V`6W2z9SS$geD4U8o zDYwl%w{=-xYxUQ7@{K<QPe6*^B_52p>3bJ+&v70JVV#9<7^}^os~tzg$A5#SR!S)7 z`~=S*qb0NSpBjlJPQxqL7$VV0euGB`0@r>NOo-Q)aQ&&F>b@GkArwNG8n?C=o0Z6| z&m!sp0xKbdp9`_py1j@a31XuN2jtTOdysI~<N0<hGYKIh86)<+C5&9iT;ldzJO}Oo zwx1INxZ88MOu%7Op&hQi>?;aBf#=s9KuCkQ{cU*Bf>^%B%4PGsB?gHvNs*_C`)szO zYm^}%b)>vpVaTMYd$E0bHzxp>YAlV;#MAKCI2e({pbzU|g{CC%l&<$@FL$f#JB<~L z26iw!iWwer*a;kFJF8E8>=HQCJ=bAudQRIo9j5gjaW2VGE5zcS93%1<vH-9$@aJpD zthyAkjsT7e;zCS<yQ+b^tVaA@5S^1q2$PlHU{zcp<Bd?T3a*Z7^LjgZs)S*L*S4`` zEtfN8vyNW}m+jQMw$+??*mi*R^f-=dIz-Osr4*jQUYU)(;?YxdDH-XFI~cwQVPH*j zw2Ry4u{5l-khR1CGVvJhB=5m(Ke}Lm$cw>~I1PhMs!kc*qzcxgl7G~sO7ax@s`sV1 zZ){oF8U>m)USZ8j@n^4CqvkoC3adUPaa*IBoz88HXNItSd;j_N{fpt-?Yq~IWbIMy zTY&Au-#TOs+KeFIZV1Y0)g?`9z_yg=ZGlD@_Tq!_E!LDAy$!|=1Ctm13N0{p=q=a{ zYOm=v4DItR!=HEy^+rKnLm@1;Fv8A>bd!kN>%*;a3Bf(%_&^N&EFom9xum_Y!yO6~ zVdj4%z>>+h7Xcj~Y<(kY(&wIZ&WDthqg$^FG^0T#9=Emt>Ih+0{J8^dFM?=uhKtSB ziK+Ysi{kXWSC+3Fz%))?s~li3(vAMq20N2b*+R$fORjd&Df@6FiY`b<?{u8Jjoy-A zBBt-1lBmm4OYt?#cP^mszKr?vG5-hfs94z|y@@bH3K<hMu3+akHBjF#*$y|ekK%Am zUuG-Fxac;C{#wsVfAI2fz;42Mg@L?tc>Qe}eFOm1V%j(irw{3$?bU;2j<TN~3gxpE zIMS=1OGdK9gNtwBl@ATlYi?>U(2pJ=#{P;qyg?d2vi5RQEO8WfcXT|B?;WNL&niXR z;_69qAADgyJERn_GeOKgA%^k)BW)W;|FCy-oBjjabk5N}+@@>jkB0%+1S7pB(U=o@ zV@j@Uj0la%VU6i<)3r17!!<~He?=NJ<`%@IYdQ-H&FxNXSxImMw92T~ciZc`rHS;G zy=<GMDp1P^djFt-KiHdS;IC&4A3vk-f5qSZ$fxh_8J-qp#ze!O<g}<CCnX&h<!k7F zUj;Kyhl!@zWuXb#Xg&)$@1@>n5UIXUrDm@ar2HzoOW2qxzHIKV$ehf}z4#kP(C)&o zmXMCoi-5zn=kQ@k%e2wQ--F+UAqil%;g7}Oa;6!7{sIR4p3gw9B+pNnLNoSUv3mLA zKO|322%{c?ynO4F=ux&LIw((RokGw2;ff6U+McBce+iAPcV3{%FB0pWf}9KTR;yu{ z`mRj<hgk5ps+4AnhF*AwEVhZQf^*@#H>9a|$`_;848IC@N~v14Mg9U&Ft+A79jC=0 zE&&!##goe|2DvD-iG^ejHBAY*F1U#+F22mU>73URp|yfm9k<Kz^&jC6&ct_vbKcJB zRm=C{?>)r~8|H;Jrwysi7ARwyUWSF0apB-d85X;2fihes@^)dh1^1Klty80X>&i5( zxITu#`hB=~>US?^zcB*@+V|gAtjIe5JFy}=0!%uhtI3hVx0FjMo2x^c5-3a=jlzT9 zMgf{(*=>;WTc^@{piFYaf5URsfaOlW;1Jwyoin<YD}G_dg~6m_6)J2i{>xuD4!0w2 z0yZD{ffUQAE!JLK1OLiCIe;EevB!h4^S;%eJM|wD^k})giQQjnDS||EM+Js-reYHA zgM*&iG96FXaG4hs=ShOo@rK;590k^}6h^8XE=#k)sk$sX11x?dMGU-%jM***o<|nJ zfD&ApVn2gql?9T9zbfOhlA;SN;>%uNfMFpPaClIX_}5u9pe9@O=o2yU1SD)J*Vi)! zp!}xWLlp~zQv7M)jpOJKLA1$XN4u2Y$sIoqmctk~HFe{5pLQvulS3LQVL^5Eq5kNz z*Y}Bm`M8-ull%0gYy5QytG*NFW7Hc(y)2$Z2Vfy~?~)_nfIHsMw|)<}Ojxyay}dqP z46v=S)%oHR|BkT=az04T=$t(}@cSEET#4lvMBg5&$Vi|+p1uw0j`V>P`#aMReWgQ) zUgM^BetdNcNH0e017H~oX&I>_*@x3T9{lwv-s6d;>4+ep2OG!6ebp87>RYHGFa0k) zs;I7~j&)6+THlL0k@b#6bqQB=75ix`D_ifofcuWo2b_j|?6Qi1b4>MPlmQSE`;E@G zvgJOYIke!<q=+(t0=3;qvasMFD5k$>ALQOrs>HfB7DFSGRC#3@P$ljdl>XA0&ZyGK zs51AXZ&4+NztIbTd!VtNS{nYbem1Qft7X00cV&&dtv@;wh!b)_EArg6NF4bB4Nb*8 zq^jHtSPy(KsecA!ry<<X7riD)%8@7sEtfL?2Y5-!Kw8FrkJCu5Uck&`cjaM_>L)Cz zBlJKQ#%ZGkL9hGi@Bxq`hrUevDTXM`f=5j*VAxzy8=ZwmW*xTvqbP}*nh`<Y*$Sek zOZz2g<~)o$vh`PbnXG%Y+*ne~ix4n6_p11>Rz3c!H7UP%+yTmOCzp_4$|dAC511mI zF-6{p{93Vd%}jnxBl4S<lwbTkuPr6pv|dfyx^eDk**!J&+p_EK`c@yG37(T44Dk!x ze$GQb*ui?Z)|2?%H3O>&H@F~!d079%bawa9qnC9qkIJ@w6b^<wuy_6yEx}*)Dogxc zB(n?`I-nP)AXA%xsZH1z`ru^!m;CZT1kbC;2%|UxdM&q)t?|OwbT9q%zu0c&&;u8S zyMNY`|DgM)KZ)I6z`FlieLtSXL*)OXzV{~fXKur>dIL{4{1+a?BG8A}-9*>0yO}ny zyM=n$J&!KI`)za~d$rO9>|Q``XZKn3W_F)VuVeQ)bSk^gr4!gapNi~WOw-xDglhkZ z7&^5LPTKdMm{dV8uzMBlX7|PPJiEK;pV|E$dYs*t)5Gk(lD^9BtLPqfUrk?RcOQM8 z-Ph7**nJ&+lHDb`o!vLl0K0Fdn-eI!j1%_sAxwQ4Ct&IQ>=93qpv&3gb{5pZ9#JXN zJJ{os_;@>e#9twxv)LmCchPC=@i{i3#UAnZwrLi7+>MVMt9y3C6$cJVMI_CU%1%xI zJ@A*`vHh*QBXw~i<&FQVy>9`CvPv6%=K_p4I%A@tqK=7XVMd__jMN|uVmUh8WfgUV zL72ETyswuM9UN#G-exl^)3&Y5F7|EP*Ix3n-9TLMwu<Q%6<b(rzI?-1xDsF?^FPly z?+i02uHV0X-|qkYJNS6s_gtTIdCz&CbDr}&#Am%iJI^?oUTr^wK0`9u!Y3)U0qJ6z zXJ{^JZNPHTr<(eNXaiP?KIPOWR2#5H^f6JNFl|7d=(CLaXtV(ZqE8&fCR{tONW><> z7aO29h&(LHxAGNA?GGC!342~AWTPXJ()+i+?vavPz!UORUK8s2ly8on$jTQk<52YU zo7&Me!3&ds7?dsJE&=tat_c->g4q!3dKX=9``yaHRuHAH;fF^$i<w$!Flq=qEK&VZ z9`3q`qCCgk;BT*&)CQ8EMu}>#JiPoHz8>bwRlfVVFf00z&Nqpr;iu}U)X9B*mCD%X zsnnl5l=E>uL#;ha9?uZ67ir#LAaWN%y{16DTob&nie)}Due2r<s>~C5RR!dy#fT*5 z@{Wxt$Tvku-8a|{+dNmJXrrGP#Ba7ges90#!7tL&=o6sP&k(`zq}YbRhMpi?d~L9R z`fFT&Iw_joR`ebwBAW|%X{>~s1C2T})+FI(1h=!3>jiaeyp)>&o?~K7GEQx;m)j4^ zgWI_ed3RJ@!}dvaXWHy_l7`;HMB*&8RtkLu*<64Qf<&#ohmnwEU(V+t0P{ZuzKxjw zA0Yqt?DbMtjRzmpS%K^qD%Pt|@b&x|S)+CUzL-AMHl!#kFB40sQ$3bY$7f~QFR1Ka ztF!~FR&$C~t8+SLPxP7)9arBWwSOtIUshOezx0Yb{OR;3bj)_X>Gv3F?~q%S_BNU9 zs5`v6V7rcShdc8y99#ijw{L|1UIsV{FddsWs5VJbvq(~#B!zry7D?@mGJ6xr{iHW{ z7?<9-B$mY9D7809G1jYtIM6sSa1p~M35M4A=J5bH(EyPEvj8*zp#W+C#S>_C{b%it z#K+sg6~Gn1?F6?I+%9mt!0iUN8{9r{`@ro7x8Es8{)Ult$@;{?csEwM2w)??W9XxY zc0AUw9WnHMrnMJ+@VoSF5oiuiTqk>1KOSw1oe)0Q38SuDdZi!A?b?Cm_I?5_{o)Q% zUr(Q0rhO8DebW5|=@X2+T@L@v0x$y9CdsCssaYhme?waDThe;J@yQx-6XOi_)i)56 z^g@kK%<Vq$Aktu;eIv7fizutM;Uxn9yk7?A4S?SPybEvy;3U8~fD1cF--JP1hk+Xk zZYa1R;D&&!23HNP5?m#?3UC$R%E6WU_YG|$=1J&pfKY(hPx|ytk_@o+=?n7i-w(ci zetqZj{omMp%e%=$tMp8?7oACNpP4o#1rLoN9?)IDCuU^=RVsvxf$lsF<XjUsMkw6t z*{b22_>W!p1EJ$I^rw&u0ppnSgkpn;V<~Nl3So`HioHmKpC)ShMT69IBgvT<DYt2^ zpo;E{eiWXugcQue&8uaQ!hXt)mJzu&aThC0VD{1-y1%^S#i5b^sH6GnExM0hB3pFt zzU03}m-rIh^*MU|Ejn(d@HEZfks%q#Xa@G<ZvL=qg;6L|`)}lh`N>hgPDnqsL*MGi zXmd>z?(pU&%zKG$=d}_ITb>;+q6Jmo%4f6*J6;kuy?&+kZhBEWctqMpnD8<#`38j} z9(NK(*%vDnP4S@^<QfAna%X%91c4XM*nGUgZjv(&iO+6SW|pw_5WRzDkK0ZTQd?Bj zKVwj!s2gu`Jts;#s;X`uRDscbiKxIpHakRu*Ztl&2z8Q&x1;}F%*Oo@P&(AJnRq@W zdTyhhzayTzM9<=bcyskdA}Yp)6g)?>HwqcV|2gpAgZ}~LvMgpYMq?Klh2I{;YvK6D zcL}c^BwDBXfZUp0?Pg~YE@Fby(3fISIt`sE7KzdQF?a>`=({D{h)RPR^`W|A_B=)N zjWi0m2kA-N3{;)d4-a8`cG1AGMj=TI1oohxguCZqHHA5%zuJd?fCxS}!YL7ew>M60 zo?^c&-J-N#mT@6_&<v$(7I7S-$jc<*rWgGWM4x@ZbM{Kbg_H5Ch<TCR9?rp&<u5!Z z%PlYXpDeHOrgWuwQ~^g@<U+=49tq(Pa#05*gxQgNdB6Re5vbZu#&g~?W)yEnd0BOu zSBy-49+_pnQMmj9(T9Ul23$MjJN;F1XH_aZ?(m*Q4>cjt6R;iVQb{JOumlTHxRoXZ z|AA;2QCP+cN_fnsQGjcuCu9E|_9HmCQ!jUj2E4phB#8AUUe|9iQd2$DtOXjmh~4IS zBZe&o?Oa$GYGz^_!{{7uw-YNEX!hb7h9xXA;YzLBP3LF$<}!%*yka-8+$&_>!Z10W zOXEZ3{qH7M5t93(jtal2Ci4Dj-Z(3jH-@JQA-KXGQCubNkCzw{!_^r^%Rqs8_t3iw zMrUHUoZfwhShMi%0^VA1v$6Kg;j`Urpq34vz5Wj8-1WTjw~i&@O1!qP`L}Y0yP4iw zNc^orSj>nIs4Loa0MQmNvx^rOqU!Q^@?N<~jyP~?K1Io=Dq~U<TmY$BLt4r^PeE_H zMv4z;s~)AJ66B5tl^H3<<=HveD-O#Uce8iC!o4yD?q<JTMUG<eW)NQ0k~$)_z1(c! z%ya%S9@)>4&%jpE$N22PcC_FwdPN8<fE6Lq&Bx&X@U0EJp);*^3fkb=BC#K$hOlqO z-Cx!I28+Tdm=EEZKqobZ{RFxAvcExfK)%r4hLdkV?bJoCCfg5paDjG1sMHl;`yqmp zfhVsIfr;|52gLo;s)ghsT=jU2gxK)7-S$HyJEBP+g7(r}b8CYZY-C3*SWdi9J-llg zJfP_=SFpWL&5ecV+-MR@zF;{gUxY>c8qvY|&>i(*FBhWPe?oOYxwNNV&MH*zpRjjC zx+eA3%b+~=uG$l}4wLQj1n}P=vv+9h^~bb^kn#zDv?4~|Z@rb1Ymcv=2Cs5r{C7I9 z4_&rT!D)#8Vi_<oxLCMW@Hzdef6ob#ed5UJ$Ex%1<ISsma&FQ-2^VK?ld>Z!D^Rb3 zZNmttWkd|uzka3=`E$3sM;|Jo3U63ws(!ai1wK*>vm7QfStAiyL8E(8M>P7gvfiA2 zzYgT}{jN|?oX8=4J9s-E$RO{e920<s$+@6{jgw%&NsPiTuZWkMPWu0T1b$`nsNwk) z`SZi@E1|z2v~kGulwa8euiIzAf9U`le{qBS3g-T|`4xi0u>6Xc#}81Z0MG`|0?-U_ z6rc{^;4gkGegzBT-B{@`fLQ<wp8ucVS6+O<%dZ$;7?xjo`FYYO7<v2e;JF2WdEsyH zD=)rqqx=fV_rJuih<T@jvl1W=pa_5k*bGnw@XQN87QaH<=q>pFAiz<8))#&xe#N^v zmX#^ICl@W0821p4U;wDI9vklZNw|^r0Vx;Oqf3;q<AJo;f$~WbzE5z-sWCJ*EK{hE z(<5fZd2+-YOgRpEl#nTWg3>uxF&x>AK&GQU0cDo(hn;x;49Fxxu~E$oNM)Vf=_3^2 z+(}su>rUST^q*bLapdhJ48#39{TYT2pT1$CfN;4#FEJV^gcG7RAeTz`_UY>#lCRw< z@(ZL{1{<1BQtq>}Q}!v?iMX{qcDLJInXl|6Y8$d0foLW>Nxo{xwP-@L0pS`m?=9R< zTxO4Br^GV@T!8Q;ELD5(g&ZKkx&w<-S*Fv_g<@s~MGEvs2<?w`_Bc!|<vtxera0{& z8D?f$0#F_drNR`(O!qkTd7{LU$hC|jxnFj(FJ(G2x>Ai8F~vPjNpfYK`KY9V%5prn z8TaCw0x(N*A^xi&7l*Z%*l{sAYE~UR1+`n_UE6@DWBCq6R2@?2gmvu_@-};}19MYp zq@aA&{?QQ4SN%0=symJsyjA-Hjlx$)#N*%!RGMA$2AM!4TV})<)SER?AI9V;R8JpH zh3-hnw2UBEb~_0-46%V6GN`pAiB%K5O2SU!ZTLd2|C-5NUUEjzk&WH^{ga-X$G*tm z7>p&Vgh)xa+$kVyi^RV)RW(L({oX5>;9*S94Ty#VeAd4dCtkijI;pO=dHPZQ$PA{- z?baT(2J`jVPw|XH9^P;Va+lSNtHW#YB&)h^b2j}1%2UV)CqvsKE~0`lZeIZ7c%G>E z3zda)Q|to6s?i=XH#W`E?NX#!zH`aaEIsaVp~z$eIl=;AHFu2{uI%vg%K=Y%1be&& zpy&px_C#jZ<`vpe1cx-f9>4gD&IMFJHAplH*w~|k4{9FDhDUmIkWG#_!KxRtip9fV zVOIu1`?|&n8wRo13XhIZs<2^jZyjffP$72*ohg!c_{<cZ%lo&8jdYC*`m%aNjtduV z*+Ham6+8TI_iul~%g;%9(RfS^&QlQ((Ib(|_xhPX6qWHreHODy!OaJrYx!=fn*rY^ z4w@b;JtS&FL!lgZlEO2oL=tg<c6Kt!oJ#qM^Qbd1T4|()Y;f9fJ%QZdXMhKk61vOn zV-M%*syY)Tm{zp>6I!qjtC9DFC^GFvvrHp}|9FPp#U)pVP*e~6cJHFRtD~aD?$)WC zcqN3N`yOVC=Vy550r!dI#3z6#e(O@%Q8=zA3EFn0eT#zOVgN%UW)$^V0yG8j3ma?; zvI&3%2RL$CT{375q;`c_L`bC-SRm&rWg4wGX39=VqcyQN>Rj9SiWZ)0g964O_6;P# z*NqU(KH42Y5v?Bxgw|{ekaYpKZLer|bDI`*M7XJ)PvP+$ZjVxQ*5p*a=Vw=wA5(dl zRO)c~%|mQ!+Us<X$o1#?3jvObb~+YL+s{v}Kkw<V#zci&k|i`=q0K74*5WZ^JKnP% zDP-+*4;mOy4lV`Ma%+KHjlvNM)TQYj*H0z8h!L(}3>Ma)i86XjD%s$3Ogh(BBpqhI zP=~$+SfezDzL{q-9r{)nELqU~hLetpHb=!dtzN0BT21zxP|v^9Af%uQ>&bLdV^`TL z1PQksm44!MhTA<45HCH?wKnO`;m8N37H7H^Vdi^8Axo0Bcgu>(0djVo=1iO~o?YK5 z5F3L>fS`yL&#v#t0!FhHlH!rH!hM!U9Uj2bcA#LZQP_y0{}A0*CIw~MD%xWz+SwMT zd_IaJv<m|dkzIpKR9ftt9U!}v&pE06f}M;7g{5H(l*pp19|W&)<g@{gH5p%HD$a2s zNJn^M5q#JMnHGt#a=SQW0G$YkVjPU5ZNdxXZNiKv$amA`8VMuP%?9v>W`_jP+wd8Y zb!c;%>%2$X1`hkoZ#__;u$xL&Kk3-W`s|KRFQZVZ=o{qmJ#yJiyIFxBDA$K96k0)2 z*LMWD0-Zlc!ZKe~8VImd4gY0o;J;Ooq7kQMXv8TCjX13auhM)S{8wUx|JJX8|F)Dt zz&bSSREmb3HlSgrtz}MfO6)Q3w3ml6eJnhMIV!pV4Wfuf$v5ogkD>|A;}OT9Cg}K^ ze&WxJ{Fu9+hei36{rpykLC{`g$3|Sl%ksCny%w7cLiI6r1D}I;)nsQQ&NwnUWi1iF z|90_QCtuM85iY%qrl8War@48(pV;fw4nw=ACE6j(ppbzFq|RuEZy-Y7ZcI%fmbhpM zu8H1e<IeyiaOo8u@RgBFQ4=0kv777?k)=GC-i%OP^cOKyQ>{liYE{*rh#V84Z>q}O zZWIcdBm9c@7lNF}dz6!SDGS_5*xIoh=LI~oWKR&@K891TpCyzGN#0X?RdT-3wML|+ zCIh*VMZ{8N<Yod!OZ3<w(L%jc`x&Ggjlv?leF63CQtc0-KJ$pC0reucLCq?Fij!-* z*gr;eLGFiqcUK98O4$3D7*4@W6;9Ur@1mwt3`wP2x5jWvwzaZCjc*&yuFC1?K>e(P zRMCD)6|F*TK}MrR2LB2m7hS;;vL7CH9yJO9aoRu#;7ooVavsRQAO%3Q<?kt@l<}aC zN2hTdDi*^us6>oNr{rd#4)&ON8t`D#ghm<J61tzpsP18PL{(QTB4#>Bv{AcmH42#r z$^5f^0v~8w5FN*j!6r5eB{HwZGkc>P4e@bjDObb8sv9kFbpv<PjLYqJ4p?!5ghfvf zmEsPrpKK^=KgaFlMrc9@hL2zEh^E?MZ*q_pg!!!l^(Q)_c)e2Fh`TR9dlG3OcsmYl zD1^AhUFAl0xlwrY0ID2VWPz3E^&+}~DueuQ7H)HRG$RO894MfU^XKg_S!Ef8BW={! zT%$)fZP8Cf1-7)zXa{$diV%wfm#!e;xyOB$u27s-m8e1br)5OL2C==Q{k%LKzEsZ+ zUkI)ss6Ot|SCHryaC>hQU+K{<ZEuqh?H-jU$$p<av;#LzMa|DtBQ)R8@f<-zupgv( z-gQll)NhNVg;yhWe@)JnM*RSj4di8LjfcWV<<$L+`YT@L)N*G=pGB6Mf(LAw?lOX~ zP)T$$hT{oLDb62#64icvA3H*|-*CCUO);|GPdPPyD?a;MX)wWzJjNQ3F|1G?i2v<R z_G^%bpBda<8^qokT*pqgH%jbHlGqE@z}T-gNTpxLHo;Q^JT=C)0bkxB;m$-Ii)~{^ zpk^PpRoeRrU%$f3+v6l8&O6FdY*sar=-gO;R;uG2LSW*YG~uWIlgge)hnbUVND?Lc z$4oLMX-}=6D6~H6pE!>ucHPJ8yHVUZ1W-v4ziyxlaZYi~hjv9j07ZcWDVj1R@^!*5 z<V5Yawt-U*nbK7Dx`APZy*;zX6%SA4QB)1HQx+eGpEoL#3xW}BrmH#*ZHwEOndv@@ zhoy~dI%*wv*3jj=A3PEujO#O6-0piY7L1(vPGHE5!g<mBdc~L+uAe1p*W&Tm1xm0t z$*~Y_k2pgjUDksUG#J6vMUD!VgsVp$#ocyp1iZ_8&mUGZX}#w~HB5QoAu{@OUUqf` z1bO%@SI}ZxG{Xk!s*iEsErx*|QJ?Hxb!PjLcX+NC<>o)-F9H<}pLR^#8oa9+ZIK*A zAx8M#j6nB{3#Z(?vMB(A3G?nRw2a<FXt_eYWhOK--yoFI2?o~SQ0>QCrohLaDy%?$ zxjEaB5$d|h4l{ejmoT_cNX7oWdviBG3bV0ama3{Q<M)4BRdtbECf8|?avuRR5mSM} zgriZ-h9L}!g2m=zRrRx2ZiX7IfiLgiATw>V>hWSJDtA<Gky~W04oZ85dF)WJwTR|z zK!i%IZD?xBssD!kxYj7C`jBm|9T}^z%43hO|FupBjmQbE_hKqSw?t!Xw9cgKxJgP4 zRAH)bX(|DzhT0L3P!W4v^(YIqq>0bFPEmnPBp%gi!0iJTAK{hgbJ{OdRc;uAA0TC0 z{n-{Bl~ulkvdVLviIWuCrVV3-nW$U%2p(|`%4)v6pPpp;(zI>V@(`-zQC01OY*A?s z8SJe{$%fG*;2jKJKf<pd6sSrsHr1c8k8D}!Q~rFh{PDu8sFb+B+RgsNPb7HSRVdJX zJcxJ~%5anHJ>{}Dqt`it5S8Q&CvpcZS;7m=L@>Hd*okV|^ex#PZ<DP$;DjrD#iB{S zQ?ckU{CG!PB5VS%4ZuwTr=;b=SR>ZVsYhYx)=U&Gy#ph)*pGywb*rbyIUq&|g$V5= zf|4lV#RzWH-Sk>D>TY@vPb}eEK#nhzumfts5m3xE<X9CNY;>Bi0pe!~4^@-%>_(^g zsFyVVP2n}9PTwdbQm1?d%yJqcdrAdQiPY&Da%vfREvZwVDY_7{;4^TFK6}*^-Q=C3 z*H`+_vIDkZrs$`JOwk{~6df}paXn4!dVm--SHs#c4rkv~aTdLs=uKC<?sJ#HBHD%C zsh)`%2*b-{lEpcClJJGibMSqm)3r!`xu&6&1BDPnEM6$lAOIg&D-T)_$4;)QV<&hh zs89IDhyYAb-zV*DL0W3?9p+Oq&1dmw4E8jP)1;Unc7(lNuCvE5TyLh%A~y<$wo!fc zFg>H<TgwQ+0&}`+v{A^#Ta&0!9<{2Y`gP7VEs)pu`z)j(RBY3c(+$;~EOc%4Z^(^X zz57BXnS5jxlmV1-nk6n%xLHQ6t2-(>frQr~!x&W;y;?$4xAyJ9Drf`3kPr<P=0Q*G zB|Z(@8tlCAn8}1B4HKd+lOy{31#YXSr9HYzV{-ab)w`(bvBxV>RD)*0e(ngR>AA5G z#F8Kl4Qg<N()M?7U4ZHDBG3eJzpxfHtM+Ms$ljb9GlgC1ocq3ezEA`Wmkot*lZa{| zXbDFsAwc;gIlgu+a?U*%GllCSS|9H#w^-y^qORUADk%}!z-G9X5<I_TP!DQ_wD$|= zBB{1X_1Jt!L)5sc?6?7Aw8+J@dp&7YRX5?vlF{!}9(0UBl^q6!V*;rpw$VnO>$gZU zg`;o4#GI`&3e7gEVGEjjCD5&JiT+u_#XpH-j2%T~K6h`XB(0&3Z;EJ?={sveb-kZV zI@Wt;`q30v8E4VmbCuoD?H2kgJhWk!kX=ce1kVNfg$F9hAw@Q{slL0T07+u-o#*w1 z4>)Z=)b1!=ltZQ?o*bhK>Njv)CS?k*zvadI76{195_Cfm79ODpH;IxhIli+9xiUB1 zOiINYh1@J5xx#;(HgCRawg5!fOrGn;-N;y!%ok9}R(7^4UbX*BPvYH^<?KXVtvdEB zd#~!iG1dML>(47j9*;37xsl1P$*KcqVltHMC|$m4zXHPZVGd~m7sE$mF*kd-%+daZ zUVTUJZqFS(ppTsk-76YADo*plfl8<aN+^wQ0iv2u_sG?<<7$IZCiVn-y6PC4A`08O zMz&<}4fS8CGe@@Y!5^SrRKA|?jXELgl3li6bfb#Y(@~A~!}7}Ws3nyPn?aPNo<&E( zDJs84)`B~-YV``V<F~Lswt<}wQ_;7vU$M7VwX+vca<_pU2VSk<6$oDETsv2-rZ_Jg zfOOzop-w+K?itOvLrdtl46;vt7UqyQ9`Wy+xsQ0~5KZ(%_6y#i)Sh5lcnN$xA4Z3= zr_xeVg|RBaTMl-77%Ulhv}74r?$CESGTOCWFdgSUBJO`b;(Jn70|YCUerdBpJC7Wd z-73U9g1hL#)Ins(M)zwEd(};(1c--sSy%1k*CxwRmqdtg>0y$~Cl7myb6G0CC#=2E zk<+C;tEy5!E<N>9Rkd4A*QI-Eb>Y&w=Dr&Jfa?9aWQ#nT4NK-m^M`wz_eo&h|8l^Q zp+>u4@JXTaWE#Lt6Mjm|Dt_2A57JNLyG?X0o68?QBRC9dZM{_n1S)dF4{s*KDo))~ zgn18pdEPkks1RGHfShZl5wn<^QGtcZkvMu5N;Di%JJLtb=2fy&J@N8nmaSbJV7na5 z7U6N$x*7$q(zy-lCVdx@&W(wq1A?P-2H2&%s&>if85l7EBi`$YXsZ~IKx8S6JR=yW z28=lqV@|-BAwF5kXsnsRX}I%>x54-z_uN4DxY_6F{rN|5c`*pu6RO9`WO#2*t@`OY z^b3+0x}1rD@*c*fszSYyP%hBk<B^0u!H(h$-L{xuF2JUcyJR-a4}4BH%;d5LM~>Q| z@6xuY>?p|zEMu)?!9-QnoA9z=6sxR}CB#GHk~?@1KUsUU{AOpo#1<XQ1;=AZqb%6P zLA$$(-Fmf!p=`ZV@Ak*rb3hDFdZ4`-_C9)HIhhTyRk(xMLyfXgd{C{yU9%)Gz%@gg z)6E5vfEO(iiyM}0=%bc%ggPPKa)_URdtG=-ei5FtjpKu8?R8j3sVksX0=V-H5&CZI z0H~v?8f%Dch`S6A)Q+q=wlOfF11(ViBcR%U3}}}=`PQ*exOMacs{JE%wnJ@GP})SO z9jn@ZT=l*KUx5o7CA4kutPQS*<AI-%%UWDI?|=zU0J^&-C1CT2+OfQ<CVljb1k`ov zd7GIK(c-$Pw`I3Ql1gZyfwQD$z*I%#be|zR>o6+2EsUsgpp)Fi>Vn3b>rq-+y#de9 z4V^IecWd=Zyod7k!(>~z)803rs^%r6zdG#H<!_EU1`F%c^)etrx*SW!N4gqeRE&mE zk#E2LuyB)}SE~*v^6i&lWPFTU%J$2nSXI7bWI}>Y2c6&XJ2G~<?DYfM`tm8xWGTsY zl)VmUe6=N*oY~_rB6^+lYN<F-q<G10xPh{Q43rGdK$(?qujmVAe`6W7Jl`S1!P19= z1s^WM!wf#CF)?svu<LdlJV7*aH5okv*v8L(NZOeCD`+MO-XVm_UtOWR%E^wF_XOe) z8ZC7x@_B~DiXeA8JBV>Xf}JH`71>Ywg!7(Gp6BoYv7-=a<i286b@l*q9-SR42Z(t! zG@@lu7j)q+;J2KQjKk|3ow<L;`Oe&^r^!$8_%y*r3J~(W@#rqyH|(`!9Qwp#LzHod zp)wAK2v=ZGPdXM46ZqXUw@}V&?Dj3AF!d|Cn}I?Q(f*ndwp{knjPNDvt@eMgn9sG2 zwU%<COhn;VKAVG)upag3)iyNn?#OAY$r)(UH{;|COf);fk<-$scdK2&O?s3SWNLEU zPJNqEP>mustUOfFhgOk{Qy)Z)ht)^9F}?MSE{Nd*V)SjS+-7jw&_bFlq5)4Q>xeQe zc2P1rCz+io+{2P{<k4<nBI|d1e{VUxy^ot!j*LFngr0f@tALyt$oZQlJz8?q;c-(R zuMe@P(GJW#0Jj5722k4t9k(Z@qK{DeU9KtObnY4_&i*c?xMtur>Mr=Eeh(Ql(+?lQ zO#^K`F*Uzc%SOWbKU>?xPL0D&7+`iGMH~Y;sj79*z)kv2lG&Z`AjgN9@IcC$9EX^* zsyHSPoHg3Rs%jNYAfexI6U>D;1vatc`B4fWr-AM@gu*l!1R)q_pN_q$($Ec0@=60# zSHjp0UGmpa^njI(sOa9O@q{Z}A&@UohxO_{H5){I)xzHM#8_9Ko0}+{vU(c&*H#=b zp%8=21bD6zhdcT>%TfL7Zm!d*Z-$u<IO#qda~~6P(Qd97=t;C=R5$%7%(D?Nb|mbK zN^>8MW=syLAni30&gJJ1cjsZiGmGA5MQP}<R@@5jVC4)kb2@GTQSi<s{>==~)>!{T zWYeRaib82Gac>C?4`FRl3fHw476Mqw3~rrk1TFzMG!+<ozA*Q5)T+Wa<2n8J0elFt z;g?<C7MKmopzW9hwZ&c)PR{YA;Wmw}#&E@EzLH#Ha8pH#J@v5c{~AUHw2+j2$Rf3$ zc4t8`dljO2KSA5XO%P%Mx5{W#>cko#wBr-EyW@NKZgI`-H@fH7<n#+WzVoo=6Kxg! z6FK08h25}H%@<w_B$>hBYyi4xzL2Ewy#KaG?*;@S0f7(jOFV>nW~(dIcwMh;dJ`8g z!k~7^M(9y9;`AnMJ)0PZ!;8Hwj?sa03%p6`o0PuE8Di%~&Tx|(^#c;u&G@xTV4Rb2 zFarFfE*VT8y?Ql%pQ@_2QSYbTt#jlEs_K1Y+3Pz*22On(ez>Zt1LQ-(sbGV)UR7O1 z;&j5Y_~<4g8!TNv8VG>(k@mg-RdqgUynJ6j5amu*Rn3H#WL0%4I8A!NJ%A4R3Ogne zWnrW-qEC_)X5?YEDUEpC3LYNoi>j)hVJpkX=H-0h&Ti7gB!DAJhLn8}28gQqSCDIE zh4Ae=A23`t*1V&Y@#2Zc;CQ?I(Y568L9Y5K8b=e$KX^hcUsaXhCe%H4KlKDOps4C6 z5aj@3O+}c2;$v|G@E<n;B7X5PehP|G@s1?l*pUZSi^IBdVQCgAL|Gm<sO1bL{7E0g zlVaj%kZU(I527wkNq}}llhK(NM=C8lI9O>Lq?h%@RCI3r3<mkpK}i)H?nGE6yjF3y zVZe5NYoubh7)Y(E>pRqS=YwotZVf(OqlnJA!cBuOK*3JJMAwjkk=qm+zJg9E{An_n zHj_zZz4s#)rxl9~XO+qeIMYxefiQaHI7o%Li^(^9?Q&q2m@l0E6t^LF{Q&Xi^QU|& zL1q(&e6*+l*Ah~ozKrsZ#iBq?kArK&Q$7Vf8=Nc@7kid!y6}Hj<YgbNux6tc4jo;r zamjST3hd~k$A|h>&)R$wIa+Sj4zLS^$;Bu$>G~k5Cx&ZdBVxE#b~3EnIN=%E{e)PY zi3(C1u3h-WXJjph%u9<s_O4P=@F<v50FK9s{EvWB264O}4}d=>*rBc0eo;tV*i5wI zhv2zw3z@;8CJKvG$OypMxS#J5{)}f2T%Yi#QnIVcH?A7or6Xz)qdr5`H$QM1VR4Z^ zi+$!nFIRhBLe%B7;&EmJ`zIbZ#ZCj4eInDcGD`>n62x*R&?G{zlAKh**G5hFT%ro< zEwNcb+_$0u%u8H(mazC)YRyfCdr^iGy7{amn5e4oD=uKWbxdZK@L<D`O`Wk8f)(BJ zX{jF)`duLjb#9PC)m*{k0KRd(6pAu*xh-=tg@TcyiQU<0xb1}Z7qW@A{Z6uuQi`o# zSTi6}Y+W5^NkG4_b2mjf08xInSPVy{9z@>jJsK_3C>%UI1gSNJBFg<j3TDzLtLV!X zKDE#@<W87sBYI_BKt*&;MZMhJ?ntPbb!aXVX)b8MNXQu>)<R`3?v__pbhkmuiX*Nm zLX`#kTg?M=!zmpKjQrFUPhIfsWHFJw%O>_}5v6yEsq&CPV?N{*IxFfkk-rCW%aPM9 z>}*8qcmkP|9T}*Gh0P|DCs3&mH=-7y>Bn)pzU*e>iAab#qHEIks+vY<n5_yJ3Xi@E zPwyZ(l!j*D=2FR7YH^_-*2|lPrb6#-!@Ib@Pi?Xi#oSm58jQem#=dIz=HRVz?Io+6 zZ*ZZ320HMCH-71vBiZ@8vGk3BThCVaY&gw}1dc*TB6&c33*$ur^^8Y-MtE5v3tKrl zfEy{q7J3K~a-Fl=^`7>Jtq*O6V#^;)8>H>G{=s*hLc2BS`*Xag23bc!3DnGK@^0vW z>4zN|-8c!}CVW=l$zJ%XV9=t1BM@+%&UKUXoF0051zjm%rXhYseL{Gnj!!&$rI|#r z>Md9>mY^0k75FekE(0FBk?lkAwkv#bZgP-=#fmmFl}4ekK$I<?H2kI4Ca)wbip3IH zZH(&-p*vnuF}5<YHa=Whm!;ajNv?XouJQtsT4(wye?anvHG&Hs>_Tvnn3;(#&@WTa z1<EDPwpecCgPlw63a=ew`?At@Tv9W}b*sPcHrsKjOR$;bTV10DLu}J*)wtWw1rZh} zrvbZQ22+Q6*maDLWkVw33RCaWb^cTDNBQJivy5Nv3g$=Up+uvCm_HG}j{<tYkp<rc za9J=JjzfdN>Mi4e3fTg*s+>~-D<(lj*1*d|3zBtY7w$s7{|sB2@10@agmFo1iaC=d z(G%E!Mn=Qe!@DcflDI0<so#}m6!PweT)164*^OkKQ*b72w1vOewvCBx+nm_8ZQGdG zww+9D+nCt4PtN6kPW4rHS6}U_-n-U**Lp<8Z;^3!Wdaf6?4C4mda^XXP4pke86D~D zEtn=-Y;I0@Ln{cWA+BP98zy7Pi(iK!&Vesn?!3dk+Rg;<a`xEKW|cpZ+(YxoGq(H_ z=W?CNf1+qe4r8;rX&K$OG>Xb0WX)Ev4|&6uvI<OLWy}O?{4=0j|7AV++&+<ez^=5u zau_3L@0*$l%PA7<VKyL)QXPEwOPeNCFZ*ie2ctqi_q+FwEWs}jUNJ(KPOciu`A}E6 zbt+WDQz;iPD`DhQBnOA(4XjLMAG`-gse_c=hSM0-Vv#|lY*3^23Kl^*DesaH3CX)> zF<`Y0Y6fTvBFXYL@ZS)RTsU&+1jLI?gXQmtmxXqqAz1MTdYCpbOkAYr+&EUwIG5ii zkTB#a;L7A)+XaJ7YRo;3Q@_@7z#fNlL=4Oh;|S@tNZ`E{dJ{CI2=?ADWyy(8C#cXh zE4Ja73}qgeD<vX~hZYy3pyNQeDYg0FZ3Ei`eL;cloC*Z=+pqsQ&Zg6wyx+?Di!v(C zlMy`LSLgApJX4R12)*APcH-!0NW1l>E=?){e@Q4LAJu?|HpR%9?XI-&tE&rSOy*(l z@%RS65e!`^Eg5M6I~mI^I01=t7X+%r3w^e*4Rn{Ez^(H+((WE$_3Yh6OIK7wQq*W9 z)k4xVKtnb!9;?v3M@cX^Bc8ZRoR_<pAovi_4C2CAsoLkZMmJKg%p5X{cQEhX=@cO% zB;`1*!U22PTxcY3UtJbCH@g=Zu1jZdU1yU#?AW@_Hon(p!B7z0pPNf4spVe-`%m0J zGpt)w)h;U5NdERM1=5FmCOheolj=-cS<<Kr2r7Dzc-wpT2%wn6X61i2EVKJXQ)w=? zR;OcHFYbOK0#y(v&J@4b=e-G$LG0bLyum%MT_mkFgnvd!nl+2mkbcWevJ)O=K@pSQ zzr2H>ac9S>*uRT!0Gt<G2n-%()s569lyh68$-}ZV#G3P4&n681B9J8}Afw2d5AqFU zR6gJIPp2s~0alVz>=~CBlD&EG0+P70`TJ;Wi7_;9yq$<Bw=wPcA@y|o(fu1&S>-!E zr8@9o4kt^|rtG#Ofyk>a(pFlzwvo&<k}aOzT(nKbpI<!8EQdZUCVd&T&alDK2=Gw3 zQUeb9asdHQirpLxq*C9O$fC<INyOd(fozFMOEQub>BR8ToBO;;VZ6*9K%CH*B4?$_ z?(}gA{0zZwYPFGX`_O_7tJHObN=Li>LMUt3nI?C7WZRniI%G_qkK+?<54mL0mQADQ z(a$$rMzW)Xy6Qn9F;>fbtZoy0P~64hwaE?n{c2YBMgLsmZ^Br&x8j()Vc-*e7y>xp z7*rl$M8^uYcx+Q{4zRyjP3AKylSRaq+VKNLJ75rKDe^wj^b?5Df*l%opb1h<mtqw! z`K#7<R+8Ljj5)b!yIo~2G+eVRzn>{HS5OPp9QU(sZJU6(smM!r$b<>f2WANfyi%;x zFH8R@?f7M*NE1{SFmnFReQ!ioJZe>5?H;YXb2=jYvn2APu_}aDRHR{&5~-tT&5aJ3 z`w?nNv~vdfH2Zl)Yx}5pDI~;U#j`N$HR~O+m5pg!ri=1M%#S&iA!RCfG5@9ltgknB zeRTmF`lRvSapbJtVPFUbd)uV1R|J3Cts|z<Q^WkMB#v*FC0_WQ2QL3H&!N?D`J3I$ z=e&$rx}qNZON-7VhKOx9t^gTfM93Lf0u~Z$dz6X{zyRXS&9C}979_k(2+u+#NR*xz zFQXtqPDzS_ng|6w#vTlO<P@2if}l4AncQ9D3dDKJ?>Z{PUOv4|E<5Z`H{;)K{|9&X z!D@5rZq$yrRKtw_=<7W5$y4&0;>nJz+4B(1-6~N8qTaoi{xI`RjX-#+;`^efwA(DL z6@U$-3DgY)30lAk`=fs#`?CVT00<z903Mhd@ZL_q$j|EzAk@!zctUJKlwRN)hTcK| zHy{UM6~P`l4=fKa4?@5<#9$Gi3@`-}0igkV`Pt3uL-gVR!~uK|C*YX8KY1LR@bQrG z@cKYyz^m{#JiVEKYY-NYCJ<*3&`vB<;$CZiudOnz1cPPZWWW#d9`+xZ{|*2b+#LJ` zIS+>rR^nX)Fb8-}nzH=f2~ohi&veIQeg?vGvTTpF(5=1?{d*r8yT&T$rjp^UY>>by zKagU%oURe$VMJ6pMmxo9byr<Hl)+?WQPbY#EmvpPrCqr;nBg<P!aR=kGD4c{DC&`s zs5Ci}71jOE?1y>$(Vxf@<A9>2peY2*x!lw;3ahAa-1lH%LTU^j%y6)kS<^JBEo8W* zm}5mtV|1Ks)9+a2DX=KPsGnw7k~L-`g+*-?+QTV>uMFxpn<@h}kZ`;qp=0*PUR3k} z34t8A9%?C?CLSue;?VOiAHeUP7>gvLDuRs;L5bm6M9dT`C@&Gah#hk%BarpRC@sbW zXSdWJQwFh6!N1U--`nI#Hp(nbYfq9Bxm*Sx5wi#riARakvPp{fsHC1~e|QI%%V4jl zZcMqvvSf>i*L!$U%WTWlYw&{mXcNn0WlPcNc&dkji(Ivn@M`<r`4$ER`B5?|5o71O z7kOabWH@=T=^=Wu>Tr!;qn^oZ>5R3cx!vRF!v!oP1tKa^T51BnA*FHi4GxE$_ha-Z zl2&Vst+5-lb5UJWy+5P+<_l10rj%ZM^Nma%*^Z-0gOrnk=#4V<<&YFPo>XPZ++ktL zw(xr};aHS!=2ld+xIJxo{7+rTkZH`CC2g}MrYWkk?OURWg~cL-UV77zG{$QeQ^W-9 zZB#1!ThVk}bOtvSN4JO(6*V>0Bx`*LgE6$sVTK_JtTf6?V^w=w^iaO~Z_7X;4gF<O za~=~6w3_COs!Wy;1+&VftO<0R3>0e`rp)mvhB|3=Wjbl4mjhp`_L3}WYU*a8@U`Dn zV-N>X($%J;Aox*|S)8a^k$Q_||F~IhgUs#YTZwFLk#p(8Xent{(#9vIhODC4Ebch0 z492)*p^TfiWsJ~LP#Z!@3i`t&pZZQQ3A&L)#$bQ3TD7~})U5p;*YI)3F4UN`B(!v} z;DmAUnT2gPa;Z9Utbyc9^_HzEFN1^$N)gJs8l|PBBgwt0;&zIvYPGm)Pt=|-0hM1M zR3ba9`ZHmYe|HlHN{)_(B@@zgrGDL6zkP5|_v>&O&3t@9rrmU2n*ksr>I-+Yq3Z@` zL2tJ;)pW14VBysW=I?AFS>rJs(;5cRDnSF{B=i9eGm0{B9Xo7a6FkZFMTwdwYl5m3 z?Kb0b)|OxAEYSm3lF4t~;mCH)b$Vpb!31yF(>*)xSW?gj-=9N@#JIg_aIdGM8MyG2 zJ*&Xsl@zg*`K`nF^+<mI>&fL;*Kzs^#?jj#+Qw*CJ#04)CgUno_YT!?yO~6mA*O4H zHBc3l2M07hF1Fu`D-z0Kx;lyofoP}qiMSmr|6uw=Jt6L|@;z~Qw1BnpwmMLZ0-*~# z+$(J;wOF{ez6TQDJB6^(G=p<}x&U2j+Fxv`b%;3oVhA`Z#yTSggN}CH2VUc0lF>s5 zEwIPh^qOg4a(2$3%+dJ_E1H_R88enlFp{(=#Kc{f^}%wUnDm&2GwIA>8i4bAF6!Ua zgP=%li4f9K?8%!jhmn#GtFjA$K`|_vRboXD{!SG*zxd=s&DvkO7LM1TW}t6h&G=^G z-g)evJ$(C*J;G-0llW!=*ft7Vq;P0P8^mqmY#T#BL3<;$b#&k$Ma9;mTd>u2%(k#? zCL8)ZVWJx5!qoy;8m(E`B!+q$v=tQc6hLigs5cZ;k6Q7+&%-*dLcgZ&zI5<hAN80N zq*mT5JBD-pqNQ^A$KbwROLmU#DgO5H%WF>Ycf5W>`Kmoz^nE`-#>0MXoy^#QN`QYC zvA?i$0Do=w^r-lKzy$E`u<z92)HJBueLv$=U+e!3dy{}1Ft6M+t*!8VC}oY+{9-(w z!Qc5BjHSr+^gL$nbmf1)KlZ)-fT6$gu(+P6?Rs19UirREwfi`m^7A`i>3O}p-rn~6 z_b-2^=l;s;+D}2vuWfgf06Q}lpWAoufIvRmmhXOd&B^cWWIsio@3ZQ0Cf9Gy^=qPb z{rm0_EPtP0JNx@}s#OQ$+q3+=GiSSdV&{9-&!qR$jag)XnTLH4@w4#!JC5$VCz}Y5 z?<2S1Gbza^D$2-V#oyrWAG?;3e=axyTVEU_=GEjxrxQwkaWr^n1Uq65<_kwZJhQa) zidSwbP-}3U#Szo;KGsb2{<ubHdoDGx$0kA(Q^&2zve0G{Lt0gPnH=F**YbD-%f@F3 z@*U)%{#P3PQG|y9Um8TwMzDvzr%aSZ8VkyV#=Q(_9H|wNhZOz4s>1@kl%EJwn(iW} zhq0f&!86Y>$6B9;zF^=T9p=E01w^j5X*33`TIDQ^Ee&b(Fhj|%m0H~lK&W$%Hyp-8 zfYdUiGTV1bsANe=aWEN->t3+N1UWF*G}Be@V9XhlSSS_S;-zpHLk>hig~J38`y=Fq ztR_4KPzg`v1O2pM&ODVohrF1)^1PwC-G8Zd)~5~85B8?;H(f7RYw{V5DaIgQLmq=V zP$o9OH3b~aP07WTMt3{)4SNA5POb1{M(Iah`o*-MOs>z(`vngu9mgUo_g@ZW)AS!F z@i%Uz?_s$QP<}q4u^x7zelJFRyD&$mm|HyGH~EKtXy*jmJft5h>$?-;YB;6$%Z!jY zVbrBp+vocZr`@{)6eH(pX)oucJw|hnw;#J-=cRu3r;h`ECb(4_oqRL2!h3&8;6r&6 zxxBq5C!XkM*mGxm3yiuy$8L7rs%9D8s&5c#aT5KesJ`uYeBpGejjptPKHs)YvG{m9 z>P1)N{jN*SOZ7B8K5w{NU&9bCXKqSsbHDzY)ez)#AHTiix)1StpSZmaTCw2z`FX3b zTXRZpck$tah1KfKB#gMoyqVZ3PMU9a*&5ZnzOST@@3@sDQfU~|F>1+HaRyu^lhrK~ ze|kDWRiVWo4)2``1KTEf$q`B&Xp{)Cl`m$fsyEb(%BYDQS&#>0{RyAb_xNzr$Vh)2 zV_Ey1s0Qjh;FeaI&k{$?M1h8$o|+Lkh4`*47T0+LwJg-au<|?El>9x=ztuTnt!dl) z&-Zgs`)qV0Cb>|Ksxi3c9(s9O#>nxZ2GleV@{VvalT4<9rZy~8Dr$<rtxh=g6h(gW zK*vs$M^U}UBFY=i0%7-Q=J@0!Ft%kwgEkg2*zF{Qz#MA&S|#FN@tmu*zxOTwdJ^t9 zE73I9_S0!*D1Q-}9G<ct0VjY(<a0POFsi_>!r^=*I6HV0c+j@mX0KTWpBb*`#D_OQ zt-TqhsTGfzDr0eO>gy8EJP;a@^$mur=zkIFMDzONWFB=5k+rKjF=Bx|c7F-@xPL4# z*mwsf7zov|rkujPY=W;EXGB8ZkEQ{QhqbHaTseg{0ConIlizRFyylU^>_CTXFW?9+ zb{;Hhog0!mFwHZ~4m4($jbRyi=gEpocpR({#TKrC%w|fS<MAWt$E2yLY4W!|{6S$B z5w5ID>fJqo23ljIKP!RL$Oei=4J!^bLOhOwfs<JOF8Xs1!LZkx9^EwG2h6=OokF}V zF+@w|NInlr!Wd5|aWuLl%~_Lynn}{(rOa-iTc1DlZ$b<?yiHV&AhXC}W90^4NYe*j zS7t?PyBp^GDQ*zOBE#|LGSQ{LEXuHOtGd%Ce3C=^lsb8a;q6>F#^dAZ^~fhJ52vQ@ z?ZR+;eKn<yzN{^lMush6(v&@kC}*<MDoXXl4oC7f64W|5c@DOF@e%9*^&<#h5FBRV z^v=)4bpjfJO1a|ge<v$f#D3tKtdJ2>v}otxW{8`cBi<vJ;W<~%G{Myxt}lx9t#3#Z z__*^n4UpZV2@4r!wt$r(HX*NE)7p^nBk1h_b9gxYmPu+xM4;SDhj=KLew6kn7^Ma_ zEf-0F-p_zFJ(6dU-EQ!H<5T7u&DQ_aU%HzVyQM*GN->%`yj{^H_<nppeq9nB^wNo_ zl?Zw}YjdADwJeADwm*#v-{|rEe)p5^S^j%}4n;uv1@V(Q(GuCc$Vd&O@U@8k;g?H) z6vE_`!}tqDhevqeyp%FOydc8-1gsVf6e!QTQpj06+_nyrZJxrqD-B)ePg<?!0}hCN z666WL>_aX^_ej(=)Ly5eOcK>wX@qS`nqP~$Yr;t!4mCC)?Z=K`idh+Mm4~@QzNh`G zV`I?16H}M$C<p_fh<faC>k}6~Ghyga8}S7p@*x+oOAxi2FW5xOV{>HTq?h_i|Av6^ zr5D4m{qnt?>$yq*w*veA9#-&K_!-LYoVPn*7x`^;`^D(@-4h3N`~3Z)K#2+Aoc6oM z9SgmRb%V_&ll-mc4b0`aOK58xV|}&-rEtTL<ccp`ujhH;Z-&8LHEv#wobyh1-^*=5 zC&6B>Z~13&#H5}svaTkh_m|dFJjEj3pS#lvdDh7@dD`4<AD53t+T2zh)3nZ(*<{gg z$>%HN!JF@zcCYur7lKEfe(f0Q^~$FYXl<^Nb1gh&SH+RV;34KtawXBq6GOeuA%dD} zpTO9vVv4>Y)^|~R2RJqVC<2FbFg%T@9RS8@6t?|HU?;M6kwt%BHo*3Kh0Bz<O}sZ7 z^vdWTadkYz6{<Z-UpBPuhMse9$|?k1Y-8)X%OF)6_GU~tPn)~z(&L}lzS>eaZCvZ> ze|se-lJ@evPDcI@81ss0^vh!dy87?xdDm__^NjL9))4NndEj}_z2J37d9Zl^eKLO} zLM(kC0hV5Ee+mD!A6sHS5DUQI$C^m=V@@RV$IZL0ouvTu>sfrT*=qqZfMNk%FgNJE z699T(9*8<TeP#iyUdUJdT%+9SKDH1(zl)Y0IISVQ26I}o>G<2A%OWUuM_}ejJ4!zj z>cZ1bx_KW<Bh5E^NxKs>nUD8*cHzH^$|r44FRy(2?0kf=9=K7OfGiIO?Yv^d->6>j z|B!nz%hXAGl>l9o`;sUV3LWks!Uubpi<}|s8{g3Wsl3;q3;@(mdP2YtL?P07RG$2c z=QOIrMFziD%HP>PfB*O!pdbwbiV6S#AOXS9VshnZrOettw`1}E!2dpVGI4gXceb;$ zcA_`3vo*CaqqFxo<gtj`7jxZtS6lRCAY`3&<W2uXq&)4No?g|hiVN7Usy|^_wXRq! z2qSK$aqRdr_VL_RXq&QVNgx;q8LCBGsr%RSS&=m}e<z}0Q)ZuKv;lR>b_b!b%vNPb zu8`*SSxH7m`PoXNWr{MaLIuN9e<9QEuTKg5S-*ErZD`Hu)kWvj;*!x0h(BD7_OlK3 zdHpH3Ns8`-ENk<AN4Yq@QE3{|yCr631@GOHZ`l(z7r#ZO)_v@Ea;GnE^IafBH4dws z(L#j~yfD8yNA1-8^;7r`j(5AWe2=-N<P2tH;(ika5A-X5^eoaxrKj>r|9Z%alhR)w z;75C1@phx;+cvmG=>Z#Vi9gB03J<8lMer(5*}L4))zQ{YK9q}9*;17Px~2o`4jvH@ zVjQ*9S@vnQxGKr-$2-6f@?-OV@5XMGep#-b@ZAJvO4S2s9V)T7=^zx$F4RbuK=o)< zLH1MRdf)K^Fx;lR)*|$w0%<C2;U<CvfRwSKktY!lX~?Joend;iRp=JIOM9p9V$n&% zR%E-~Z^H`|tJUh>4Q@{GiQss<fUF;S#okEupdE+Gm}Ob3;Q~V7Ho2;jYx%nkh|#(4 z&)HB_Xk&AVZ8hNqd8vzyiWI7P=g2G~_&N#p76{&Xy3*FBV6t^dV6q>&n+`uQdJw3n z5B&;p>W~i6a*{~eU49DBRv?J>%9MY{6TW{r6aa|cKCH61Y}mn{-?1u6)S&dkgCzVK zpF<H&=_1TmZ%c)w3Yzd>06%ZMdF|a_sErsO$05I`KDcoEwS$eNbwL7K@r@s=A^|G? zRu}E18h{ew=X7t`N0JGbFdS`(+U*vk>gp!E)VqB2cCiS`zm|J+_o*G>f*>;JasUFL zWV+QBabH|u0O(1Rd-CIAx*#sU`DW9b!+zAXGW<kg^*`6Fdz@J6@7vplqwLawWE^^C z5uyF$kbsAwlYY>wl1Vyu3s8A*5s^B+o~=Vo3@hTgtvSPAQ02w>X#alyd$G*OeS>n- zNa%&J7i3O{S0?>F1=0XkIZs@Z+8@TyXcH<Vz3shq?TTjm+e(>%&f-i70YePBv%-c~ zRULe~t=g;(3wBD1^NGw-+_t4@mb?>mclP|qh;_DhBR6F)n}=gT+OLOnK?@3>OdqvM z$~CogKbZ_`*g*^HTmpM^uj$Y3Z-vj$%Q@GRQf>w~j`k0LJ|DC_;|4w<f?P~xtPFU= zZ_CDc{78Uk8UlWm2pjMO6AT@7@A_2*qu*`8r4<AHYv7;VCk3vw)ahD`^{rz7Fa(XL z49-tZS6LVs>O;H+I1H^f-EG-s-9A!@$8@}o&I$MO5~N5~e1$%R9m2YfCL`Y-q!!{j zbqlB7?W`5I8Cf?|qeEKKp`<Kj>SSiJD-C}AlqSwCrzRXmz~Ku&$>%>ZRw{Eu8rA8$ zJRB26r)wCK5H2RXgB5*Fy^AT*T#pY+q{&CbZbukJLX9hkb_@KPTK8?%DgkOT)Wjnz z+gui^^IrZTw!^CU(`sCWn}G9km!SQMl;z+wcpWcFp1;Rk2^A{-0V$XyZfKGq!0E|N z=)H9msPsF?5DaQxl!-y+seS(6b_p@HJQ5cI9x@jmztrtG^%OMK{1OmpKfqR<uyuxe zcj#W>J_LfC9H$IR#k1RAnBYS0u_J114H%&u7NkPyQ&dyv=_uuq0)C*ZeLa5|IDiSB z-&=shSjusQ(Ik8_a4UG@4>r1!RL@_C&JaNu2mYucGEMEbC@$;HE!vTb3PA$jc5B>I ziuqCFRQ^T}tFWOGMOq1qJDPG6t9ij2_zXl`6ZBu)WQ&(3806*9O%-LZQ6bv)pA5?X z3aj^%^!4$pWPEQS5QMbz^$Q9Hx`ueI01j0Csy8)fKZM(zz#*T8WgJGeOO{=UHc6*m zvlVLf?6$a9&wD1|cg^Z^A!f$oK)8?mY<e|$sH}IbHy3LU>Lq%h;JSMbK!s*wr7Dub zufdrbLYTF(=Gv#+lRXh2_pcel573RI(Lya_eCMHV5QWa_xC7Gh@~`e_!xCsh#nD$f zbKsa`M4JG466YA*&wa&4sN=&O7AO#?<rjAP)kmWlVW^=@s(>FNcorRkJjx|F2x>LG z&$%qTv@M7nfQDkEIhLl718(?zyw&}O`-ajnTWXPzdLw_?@()^wm>4Dvqh#S$a&b*s zFZ*B-4Mw+8uPKsbB}PUEP4YoQSGDX`XHCy_d>cw$Dz_~}a-92a+q=vM!|!a%zT>)L z03$>{EOI|cV*RKU7bmFya1&sWr+5B+w^)H(k}*JyN(sLAWXgk3U_^*g-}|9VAwSK^ zF9E_-1v?*86LK&8rE7=^eGp-*rNd?xCCblhr7k?UGGXA>8C=XFAjBuJz2UlP(gN9% zC_=LB#^HdG$Wc(tmM^r9hsaC=Y6=PhcP}P_`$#}&(+`uJ6X$1Pg*3qcVX1+PxT9t1 zl95xISP5G_;1qI(CV}v_>mQ2^9S++Kt@b-^tbn|vn551b+&~7Aw?(f+jxlv~X7mS) za6Soi42Jn|=wfB4>MVx|C0yc{PTM%U=tJL!K#6Es3|7Fz=(#)lRyl_crZ{arZ+Ekf zUN`E3U(yB&jkE!rXpg(VmR-%dCoX=N0G~cz0n~=9r#uGdQ`#!?H-sMX2wtw(G{0s$ zeP$Az3FD>)uZ>?88TYSx{<f0Xh?Ih1(}Fx=-{PM{D5Co$W;m|*IJ*7yvq^GHxWXQ= zx!CZ8+{Ea?qRp!v6ttLGmA_y~C3r7^M&jOvio~6VaqYg^{*>viz|OIQ?n416GO@~U zX)3XEsl=U=T~k!?v>5e!5Ur61MQNQXA@m=N>o56KC^Q0@zzQ6x6RgR6UMx>$31q8L zJ35{PoXqNqF3abA2aWYFV_$zOZM86dr?I4+LdhoxQ1_WqHIT*Ps@0K9{7%8VcOoa} z*>{*Ws`((D-UroiF>Ayhq0k^0_u1G{cA#DlO*xS}Set;2euadG_{J|9m%|pjF}`d{ z(e7VbpMH0Kl<JgLE)NIc)1R#Iq#)YBsk<f7ntXm*IN6hznV4I1SUxttLnk7VkZpzQ zK(G2|AP5GN<sYK(moN^}qF5<SornX*5F!>OW#7~IUU&KzJj2mLO=XLyhV=ZVXrE*Z zqevqd%%T*PigA6cxz!<Z+S;ZF{D7tK^kH&?_ewLwmcl{5xQY=EFcfJ9plCZxo}Y<d z0Ck=roG67C+@JQk0CAA&Xzl%kDCxq%q`-7~VUp6$32Khj8~`o8K!hhLa}dOw@tfz8 z)LO#A0tH3o*fyM>y=L@aY|Lsx-1#uRZ089<od?*@ZO3gbJb-7puw$UDSc)K=jg&&y zWXL&;(y8=Gy`JBly33=C;aajuM|JO=J-6rUNS0B*bzff3=j%sM>;Af$FofVy7XF05 zRgOm3m#GLK9<he%lH&fjYTJCP$;=RK9PPE!p;t;UC59A`U`9*JcR*)pPHkokQmejD z($~J8V5wtRnA$fb`JBZM5C%C*2zVV7b+!&b+MS#>R8am{WLK<=+@yItlWb~tLbqSn z8Yn>Dh|KEsUlz#GQql?`GUy7&5`j#76EW~((Oy~g$@^GctS1MbAjPiC@HmQ@;jab4 zcDjQ4;>)xkT|Jo2AS!OkjMGdIZ`lveU4^kQS-{{ufPMN@8m+mS3)D7UXnXzSH-)L- zpfGVz{s;Vu#R-1M?;E?TqDlWNooitIb`E_d+iNjVAz+h6<zFpIEf!bY8(I}~Ka?yq zZ7Q!NM1O=C7Eo580dzKzzJG}~hS2?l8%*JxFIHUWIa73y=EXaql(Ev<ms$Rw9a(i; ztg~<6$0?aV%gjvz_EqU^AV_`Xz_J|jo~ABJVM9x$E9M%p@WV6Ax9w#VtV&KuDP6Uw z>7Awv?npr?U0yG>XJXM8FZLs_xIs*-UetPE<~lRvhNc0kYaoE`IIIVVa1A{=Q)T^H z^BapJp^qr{bh?;HNU6FA1ALd%XrO;=dgjyO`0tM0F&=>#;QwrxqlvU86B<kF;hvAh zahTDC+(|?6lVcJTex2n?l8nsK+)EV04<9?92;9l1^2yZNW2Y`R8S8|OJUhl|67lc7 zkt1kx4Z+Dxh=_A}%hXGh_2~Z9)|pWfm>DdB^D2PvNB;uL^v189UsEDh!=C;{JCr`> zyMxd0bN~YBDGBr?LLsXnUh03eChxyLGZmC*f%sP=EZbuONowU}RB{1tzyLg4{NRJT zqWz6?*mGEf&+oO&jqMZ52|joglhsB>T<e}^w~5v6foE4!t5>_`<=>cppFDsAwcs8P ztyv_Yc~Y8|h#_?)yD^^Y6)B|=I^V!J{1e4eMr^lBNeM8{u>LiCW~y~*yFyw-{gJC| zfC{LfIV3}J7Tk4d3v-5uC-F}6!mCY#pq^Y>$p*~9oNmiEStq7PpwxM;E5Gh8pq9rw zooX!rHJx}Xk-np}l~OO*%arBV%B9uFN^KFgfsfo_{Ca+K597<7AM;Xn+)yDckC#;5 z-nfuKJhSfa;&;zV(XK7I*kpOS4N?U@XAiPI?FzNf_GF10do}msG!NzK2%QeE5^ld< z8kN1YR&Bps$@grtctSstKz@2BlE|2IgV$zP^^QONYI0>>cjP)wMGZW>IAy-=AoxR} z8#ohh=wrr$H_nPv!P>^iS%y7Y8;MoK1A`iIi@@Gem(M;pBn|7(ID|`fMSw?Q+qPpY z55>=47#mF?PdMqn^>(Zq?R@^Iws+P}l~ZZ8se_$N<cdUqaFgDyp4B(a!zQfT=@~;L z7&FOeX89<HZqvu$tsa@(p_TCi2>FCxii_)ARoL$iFh`_U0(_Ty2ro;=uF9376jP$x z9;T-U9jZR@u7TF{4DSO+tG)%p;X~{nU%8{daqysoZfcJxAYQ5<QuHYd`o<M=tP9MO zdyA=wI%b`C2XVhzK)n`VUon_^-Cp7Mh^8!W+W)$d&LMPepaNJ;|C<&{LX0~BRq;Ne z=1?=KTE2jkGlf?-X-txKeYD=VCYAV?J*i5Z8Or7~o?dRz8Uz5_sVc4@k{$;8Knf-$ zM+bp->`CT_T=W~1VuWYhnF9C(L%P(KnCpSddh74TA>+a`V5on>>nJiuwp`ynK{M+S zVA&!()uEY|#K;xdKD7?Osr3Dv)>?|;bt|4B>Q~~$FZsPU9Dh!JciOWjSkZpSt?~+V zZk&!6(VI9qRZw?Qgve=GA?FjDD{D+t7=(&`$WZy6%R_ze_UFhuY^6V1Owk@G7TOlQ zz1xO`3NlDphk={#(Xr%!065ltyzZ_ArGYjG@wuB|nPTL`Nr7Sn_U>Alc@}f{rHx&( zR2M35aFCz{Go8`?m}geD6OHiGjtrAvk>z#_7u*GDy`{;XArz+so<s_igb4cd416YV zn$i6-YbMS*rVx_k{5FzA-z8C?`;m!7itJI&HwC}WeXOP2q;$4|JhSx4hi8VpiCW&< z=!W+ti+SXXJHl0&M}a?E8d(?lS04(8VLp1B0|BoQrvE%S<6QLu(svBLJBstgjIA$q z4>I0C(cAo?_JEmqaNSyk`1ci)$Jt>2{LV!_z;BWHwpNLoR&ncT!CZ{mUJebP_z0%b z+|5>yP4Oa=Q5iV-9{`;WSapfD%#J+~X915|rtzc;=Gp#aau&3ow}7td6tpsWKJun4 zmTrteH_F5vgLO_G-_46>)qzxX`9AQ{hw#nEnf)NPDNfNvbL+|b{iyn7pMYPd&p7nO zfzLwMkr!#5WIe)5?6f0Z_kIs)F5h}Q=L?!w*SSP-MVTg>AfbdO3;$VRN^}=R=XY9j zHL8($sL?)vp7)PNU@bhvMmoSRgSt!Cqz?X9PK~CQ{li>FS{h?Q5GGp(m4hi{rEvO% zpOtYy9O35{tIH0u%_LllyRLooO>P%@5;rGmHG0+~Ctf}eve}1OBfUy<!g3zT$>>c` z2o;fluZv~$X|a|~@8;g1yS!EGOQOC--73O`cifvf_af)gNQr;GcO0*EM$45|IPh>1 z%4%s2F0p}{a71fLNj@K*%Id#EfL*5>#fTCXc(~~=Z%1cbW-y~{nc>a>BMSK}VNzzN z>C8Qw-c;3ljuJC=_%KI=5{qav(!KOg!Pb!21T*~nG#3H{#mUiJtU_E~G3lQKnNF+J zJ*ojSYMRJ7>4{I3BkYKO5U$+evxQF8x16H((7O^|N!;qJYdmqZOEjiJgw9x`LPt#C z*KPuj)%URj7$V0%63b_x6CqMW*FB*#Z6Dg5zlj~fKKj>3qq|DicvlP$%0rxn`aZ(1 z`=&y8oE>NI2%!6e)U>F0KkY84E0pA#$dN$h6b_b6L3QilcL-I%lX1S$-mti+_*|L4 zCzR?h*HmeKN<>95L&3FT{nYopCJoFGe$Wls_?_whXhHSxW4am+C7H5!JlmltU7d8P zk07X!=5#c=wO*2_y@VLBwZewzPxsOUQJsV3xNIrK`jJ@CjY1v{fLUsPz(*<qEQHVQ z`?zr7Pm?byUc(n}d*K(;jBVpP0kQ|owl7oHJiE3sUZ6wsxH0VJd9FP@PYR@2gT+0R z(mW(MSz5dGa1;pl1>F$+7igUt4{!*L{z5BgA{M9>b7Tisv09lHiY5vpqzi6B@(I#@ z+v$d{#%m3Kua%WtLJ2w3t=QG_H~zAvrZ10lQH=E$Ccic-xZn;ZQGv6g7h~jO?uIYs zgYYB)GvB)0xYBBI?}@VUpCcs^S@ca84sZJY(Kh_DIS78m9z0$_q9%TbW6dPqa!(Wg zlAli){MbnWFGrJK*h^OA6HId`v$p<VNqk}UQywsIT%$NH2~FlJVJ7CAYM=V;EvI}C z`n3|6BOuRy{+)v4>W*Tf+^wF;cNtPk|Aq5kH4>W`lqnMk04N0k0MP%dMjD&g>$x~v zSpVpeAxcxRnGA^C_o$5*0fZ(V{yzc>*i#*^NToS2NE>SlYYWcdrCYQl@Truj#E$_X z_jQ<e1B&ZV7*^`Ngv3pXS|O<sw|6$=g{3a0hEjJ|$``@lH~zujJcz}lN1##Ap`zMZ zO*bE>6A+hKm}dQo$z6q8QIGYdrJy}GR0eDuF~h!$9%Iz>6wqby1#lBtW#`3#6cU_u z51e+g-0wujgMh$VKU6|_jg%gR?|{a-psYbj?Z^tCuxQOBbkNtlNk9ceziaR$B(uRC z`^2=hfe47yO|=R6b=4^{gEZTX98p6851|L>Mo@|jFOS!xc9eXZ#70y2Tc_^wxTsgJ zDr#fOACzCEP-IujGuj2et3ydo*;=oTYn@BRc-G2x4;k$2P^1wG4`2w&NIs2Qx~MDR zS`r;x6li;)OIZ4tP0TnH3-J2Ymxp9tp^wX)pLevoXN<XjjILxZ{`<!b&HwPV{+cLQ zj7OX1ZLv?)cBp*5h4Q1}FCA~CR;ks+WP)dtEPTS$<ep(vXnjU<nho9Kc_LmDr0v1{ zx13tPXf1zqX28@>Ez$m8IZbShoqnoWt!`tt$%g#Z-4oav5~rzOU2+m;rE`I1u?KoZ zR&P)$s=0#LhJ0vJO{S92@b~%LE|i|QcuQ962MMmLnDv})W=h&peFi(n&5LqH@d3r( zTD5?)Jb5N(BT3eD8e{JKHOft!O!~DPb1Gut>l$`N*9B!)`*q*q?&IL|b+&)_NH6X9 zD1Cc&_qjCGdB5_sdvsTNu6F!%oOwQ>H^V=P8`ibu^XXFFLdzVmfWSQ<t#Z3&t%_P@ z5gAxDdKulz?>Y5-B06%KIIB5Yv071Kcd^gQ{#8!-XE9VVXyjwfxr*i1+7-fkBGf{b zr;&NWlP|Z2)MkX6XR+Vj5LM&3pgg#XqJjh%iv^C4@w`Z`s!v`D_;9kJ%w0B8NWvhJ zc%iF2RiuGd5BXrMc~@mur-M{(iEOQm)^3egPqCv(rk~$53()<RN2*<=(rPlyM>B0Y zprZKBE@B=?50$jkE#OW4r=ERU%#r8O5_x+77`|~ewdIawZM$+P961fa6&z%^OS}fq z-2|Bx87M|Ox8b4qTVGJ|z(<R5pi%5k)!Z8Kc$NEp&7L2lxeJ0uXnupDmIxeS)5_*U zc9WXK#5hFwQmVy+Pk3(kgQWo*>5+zo9|>+Yin#p4X++6Eu=*cIiUWp5^Bf9%%7TzS zv$H-5(>%O2&wQvyddfK;ohT)HiwwNe4dp_)xyqeV@Dku>;0RHp9T{ZQSU;RK*y+hY zz5@bkrt8C?-|~*OPMmEQJC!6);?zhWANlMk`X+@wV101Q?53=B1UTO*nSv=7tybGe zDq$7JOA7U<?LUZTti?td<lE53noUGYFl8DL`7{(q#f`j`iqs{?@FtVv?GAS3>kK#w z{9$+Jk$+e9<Y`VyAzC1nm{}Ah5w;$`Ec>XXqdo{U7MzrrBA{zHU&e22sYxNdkxdId zQIggRSo#T(;fH-h=omY7CKU}-Qz{w>q5YvrBRtT3TjLFWBQ)`8Fa?9RYtcy3<G}0F zS_5<1c~l!cKHF^gbI!qeV6Uy|3VuPIq}jH{38l$O6C-XI9y=^yDGh-8)Qd+TcFfG& zO-_he<XkSita^Eg)xJ87X$jL=<4$+Vxx7#Ea%P}c`+;sDG>z568GXa5Fk_~^-7yX^ zs#Wa{Can!XL3*RVBzCSD5l{8_Mi0?B16^u5*$HT#Lm+KB$M5Dj4{6a+(@o$}?Q0;8 z^5`{=+|Yty97iptCFq*$xO`Lmo%KWVjw{33xI&T@7mO11WP!HJv%3q@mB1dG^)+SQ z5J{@QL=&;(GXFHHg|iq0p+L<el^;U~RK~lYI|?;655Yz7Ejmna754p(<H4rdF=i>{ z)5u{f*u7F>fg=bQ%sHyIY{Zx&;}eoTX<EI_xwHoF;P*F#Aw+IaeK9MbzT;9yl@M30 zycOVia%AZH1Y_tdHn1&nOUmpe7}5K1z&N}CCzXwE$~P3cN5yV<r6w=0pCh8+7)nIp z9ck}Z3KMkRwYkX`%k)u402=m3>%7!tt#8cnb>TR$Q{Z@P<kGk%{8J}wD1Woo)f92n ziJKo=Z&$fuQ7D3dkVQ4519oSYHk!Cs=L5$zY!Ac|Y<lDhIkVZkxjOKH$E!^^`wI(7 zj6TWL`ZXA%_ZWG)gW|^f;!KzX`v({E`-|o@7CmWVW2V`ke$>kj0W&VYbvhm0X|O6m z*Wzm!&bEQE7jn4bA`@(U9-$!Q^Hw+cAQzO#(iv@qgGQxQ?<fYi!;^7(Pb6mpb_Tw_ z_io^KaPe&q?mx3nZhB#2e6y35=^$8#W6+|}F4ibS#8pfWN#zvJzyv-2d;O%)p{Z3= z--aL*)xx8lK9mqyg8}?YU@TXg$;3wMj`x?r0nm_+;H^zJgTFhobH2_yEWh|NCHCw4 z#qqnsFL|X0w>o;<>I-Z>J3jn>2Lrihkvy`H^kXIkjygY1OI5CcvIxDuShWHf5?5t; zwe@1d8~Y}PjQLO+y=Mmyb0bi8UpNRyw&vm0ID8D3)&Ju5rzvV%@1vx#0oM?tgZbH4 z5~h_pAv&ppzCmPmed5M<&<c$R>N}kGLt<sej%Hh62L92)vYZ1VXF{~6cNi8chkAn3 zwDF3AXLw?E+$m$VqVWwxgEJciVfvjjZS}%S;aWcI?4lc{sW~tgv<0~EK8{vIZV~eY z`Fq{<a&z~|*$lWw*zWH9*gfRN+}AP&P;LNK!qF4hlhi*8fe5IU5mI4@5y#u`=A@3( zU9QW&8xZ#s?IecvW9!HTAS0AnA)c7uI9g<yRQ6g~F#vRkQ3&wG6^&KG&#>Z)f!e0T zm@qhhllV<%X?9B$*!drAV2q_ZA>@2b<aBp>zhc+D3`~i0yq^t4X<YEzBdUU`RUx)M zPV3i(j{0Bj8fB<Zrt_=76b(#miW1jEZGE1w^2C|q7U`0C$|5aWpnL1*KGHI@OY5Uy z@SrwEb`Q*&#k%d`G5q3n+Sb6$(yA_+5qQp-p?N^P@>1M&)H6dexY(gK)h`@ze#WRv z)VEWCytO}5=q*O_GA=MUAC@~?C6?G=2zrlxVtqedpfHDM>fh9KT8-!K#Bfrp>>99> zQa}Qr4ukhXDB+waG0q4V6v}|!5t2bH2G+wvoJ4=Yug`{P^(At@M1-Wo<e4QoyUG;5 zV^hzDF9jf!iFY@{pPCt{j3O0MLiO~*`F0O=GE#i3Y;V4@4WzE(J@qrc6a05%unjZM z8({vK6$SwS<o`1=SU5TV%nO%3R!%r0^(Ss$k#N5&z>E>^NaTvs2C^#E9SfvrDoHuz zB25LQ^#yGqFNix~l)|OHKOd}2J@H|b8swE)uT1{XI=Yp#mX?-w{#?g`t{*2HS}YS4 z-8^HipJy+vF9+s)^vmb3Jls>$ccm&TtxH2SwHaLe{9F}m8zq;G6^uPD@6#XaDMzit ze4VuG*u5J)=UYbw)|a``KWF7uwyd|bhY>Jhg35DjQ*MPnF3p$Na2~6yf4*h1cwglC z_Khm^2&EsufAL$u2j6DLkZpv=p`D1@Dh_$OK;Zviw63Q*8}jwlc$#WqhkI`+>vWk* zy?0U8>xYq^=nh6;J--U?qse&e&?byTe>7>Qay|Fepf!#@EU^!_9k2QMjdOOV*H*ZA zIHw`*7sC1~9i(-X(gQ82EZFuR*G~Ah9)^i02_IOgMeX>$9(G-z54FJJYy%K_#bq~E zdX1vKYCja}u5W}zQZ-)TC5&<0mO8mLt)qrq9H6Y(XKld=O*4;5nn>4BH!Q%5f?AJu zRO+u_$;{9dVa_btZ6-tmiry1Ec!s?+Y$rS|`0pw{j%zF@>e4-Yw3a50S~A@_X}|CU zH&`BB+S#iE+K)OtwH~4>9kH5qSRN}noFB|P9j9kpX?JP%*O$<$z8&Qn_u8r<zA{r; zqreABH_j(Kv|OiZbdq~3?>YH%XGT0^47kA>ZMEnsRKT1v<*&9RUqC!@@qq5lob1~6 zhdMH|5HWCGnFjQR3rl5H*?n37Kq-%EDyh}3thB{QjrKfND8LKAbiMqyY6tHxhRRPv z4JT3UgzQ)2k5aR%oBmC~Vxl{(58fGv2JhY(f6dR31q|aXL$U$F-opY1jIO!)(P{Js zw@qlY@>zeotKL0&c2YDJ94l=$Hh<4r!h>2zO$XF-cu-qq`EkAz=dP+AV)KcgObg^J z@_wkbgrm$O-UcFg5H`}7^I!-%mq`nxT>cEgw@qD`T*7E@Mvl({-Dy7Q_~Aqm#R;$R zKC{}+Q`qWVQHp<l*e{|hj5F)Hbu8yD$~4EFu0Hf1-a>ANK5yPRFm4=55Hg^D+1SN1 z%x>lP=2}26>=O#05iR#?124^4Ji%zW)G<s<drjGgJRy<^Eff^)tJ+^6Xuh$U%$Bd{ zZVU5cu~5v1gH<Vg@XcFvW6uo>kK?-o7&<1Hy<KYBb#!w~UlHiPKK9-T^bYv)jgv>w z#rv4gunp@%RdPh~j9^XMk_CAba2kn)y}3kAE<W}dPBH)FTijFNSQwBE)+Znyqd)-P z2H9rRaPm#4;6Q9y9Tk<@l#58Nc5K+NiFT$gBQ$I<QLiI=7{J{zQoGjaZd8@8yr&0I z$b%?+{Pt5D`=cz*1tvr)fjrCjS30Qi(>t$@OITfPs)T17_})_B+){B_M?~Kvi<>Ar zGsF)z@4l)cAwup$w8BIfa_)Q@@@1Y7EMT}O9xhq%0q*&%@OU#8#X4%EM8_4xh^1Co zqGbb=<+I~#<aJTN#Dm7Q=v;!Dg?)y#U-Rm%dJ6~SL-6TtZQ`Pm-ZvYsP~<$`04P5e zla+c$kR2Ct)PT7^AS4}qtM8;5`F5^B%6gBzRf-a`kq17LJLaIZbtVi;oahLu1Tp5N z_>1y>V=m|dK~#+{Ab3rBetu1@v6eX>^)zh*-IY4*&t%+caPs5?|M%_7Ym{BjjC~GF z9kt@_gKVCe4FB5-6iYv&g)3){DD&6hPLDIG10|Ciu#=ny2Lu%kQkvq#?TLX~BJYK7 zh4|V)wAXCw+81j)<|rvELeH%DA&fW=7aYU)^hrdIrZh5JsS!~);o+luK&0VWczC2y zmSq`XMoY?c#8IuNZP}63IBDm{Sft(()F3V!8;V8AXHTMOPGJGW3ludD7@Ez2;T#SN zxM#R(#CyFI76nCnJ`nnOyF|M3nrJ3LNbFMJf-%hdt2T9S+oPN6l7Uv~3w*P4ov>)R z*Do9tRq}}`i%>Q$sY(4JJ{Y4yPJ7FyjXpgz?R2#bZLDX$Ui(;7rd5YTbvQpHylQfV z#g=p~l8a_lJpF=FG2ZW+GkWj>voiuLrT_*}4^eFFpET1dkL4-ASqTn;!@0CA)y~*m z*cK|N0Q`g=P{OXJ4}$U2CZ!SkUN5Nx-QUu2x-_n`JGA0CL9>~!x!=t}cDhuF8R8%y zAB~KlB`qdhy?(jdquK7T7BV2xrXr*3Nc#d6Z@<}8hZcpferG#fNmihXGXLQ8cpnXH zR!BYl_M=g0wX+nBh}8EF3A@y6qpb6>eC&=)>`8|gXGs#w+#Wx-Gw>=JSuqv~v)E}+ z=w|}S<H4WLYo`wM(6)#mdS@dU2l!331_@D|pDEuS?R@v4{DX9pAIx~S=c!L#aIU;Q zz~7F#VY}arq+TpRA@DdP#5_w(rs`@bP+1r6Ua(p~I}{O`Xt)Tm(^%Us1JVb^hCML8 z`}QidwWIuM+5qS9Tg^0)K3*ku&sXP%=>8rxeQS-_nq8m{^E0FO9Me15M{8!l15d#w ziiRS92ch=t+cNj+Zmr}EJ{*$#q0bMs3#uOeQ%+)oZ*q>|km|N_TB=oaQl6DB(m4E< zHB*R<kSHdnLI|{V8n^R1&=CYj>;b|$9DF_C4up-dQ4k=uEb^q~CJ{~ivn+!fO&nr6 z^?pK}$|Zam^SbmkUf{Dv226ds2dR8IR?|jy5}_4s5iXD!Ul*#c#BYWW7_45Y;RVjb zZAr1C*^Z6vR8R9K*9~CI9G!`}HNh3|hq9DVR~PnHde)e$H0GtLHAsK#8nwsi`wQYq zl4vXm5fZ!(PG?-<5rOKhq$U<~yrPNGv}#M1HYQU8N5geS;+(>ZMocLYnl#ibl-?<; ziz6^q_GrN2ohx*ba&@YJpgEt_uB={yPU6g>ErxloPeXxjhF$`du*d)bz1XPl7v?KL zZkOln#}I*mvMBt836y1PNVRnU^+@zctbGPhy}dglA)|_XuP>zmGwgx2R^2p5hCl-* zIdJkUqy`{#DhLv?XzdT!h7V_o7S3g;Lpd#-=S#~-({>=mc9Y_u#tKH=)^_ai+54TW zQDFw{^hkJsy!ul+e}*;`5Uj}_Tj7>jtD3ADb`Le3yq~I=m>ghdPlB74`zQZhM1;Ud zhMx`G3?R+0M!3`7yJ(FXfi2rrACJhDS%<<M7jbRC?=8D6Ysspd<(H^sLLU=;&a0!b z6#Sfp6aAX&mEif1)oE(tqueYjYqa-8(bjwDCKjMR_{{_Xh9=m-2*)t1feH9FH+d}C z0`lk{f;?k+_l{J44l&Tl1Mh=<NW^jMS=;+^e8BH{u6zpG!@f{Q-?K9ty3O$oGnFDk zK!G!uS;Z5rIQkuPy6B<5dG>hXB+ul3bIBOg|8^wdb8l?n&O$vv{Wg8d^pc?~uvSqR z7ZfpKSGtC&hTUMvFKLO{`7}~UV7c1#hmv*9@US_&A8UAiGi73qH+UEnjLrl{<Q{7@ zbnqfFfaF}8{$3w#r~PbU;=^stOXxC4_bPXi8T2gqi{K{ubMGgyn+Km69_H5=SvltW zMe{3~7=x;7vW!+koCNa5BSzX_rzs8gZjX(t)MoZ%Ya4HSkE*JV0>!@eT;O1~kf$yD zRrpa^?*5p=dAR96KFz!b2#9wl1`W3pLwxLv)%^M*0lN<M&Ze*H(vVFI5^~Jfwg@yf zarq~TDp(Un7V4d%fxQ01j&}WbfnOQ!@sMQp>^dOe=4&44iS$%P89GTYeCDD27&aQ( zUh=%%b%=f1I6E?3$NgZcb=zP((^UU{HVwPKoNz=RUVOn@gyw0OOUy(ptb*G^xH`Z# z{1lta7oO9`7j8RAL11gS9KUq*lnypzB$@&&C)U7GoQG|`7B0>9b4_o)$4H!C9A?I5 zHhJTRnLR~gKHW^k>w>;1N7Gh$Cu94_Y1RwqQ-O9rs)PPv+u$5+t6s54NZg^2n03&) zlFJ*F<i_&4+eUckwO7AY$|O#65GtVeikYxa**gsIcWLa;{W~*B-N0E#>YJ|;<kQ`) zus8hM*V~?&d1{ckaArE!s%g-$FAD`qo06E*U^#mra8)^>g_FSGYr-Hy=VmPk#O;W` z=AM`<@j`@fS<A!C_cRG}4z5fNPF=w3z@vrY>S(Nh7ezW~SAJ?X)wNOCz&5Pcp0$^J zudl$VVa^?0r+d-3sfGj$Hq0nIpHfF(v21lGi4|_Ud-Vn`pqh5nay+vaHi<eXrt$`; zJFc|exd3Rpg**gaL!gWNB58cumQ}1CgHSafd^vPt`ez5jP@*u~uT9j8PSnit2~R(n zSrzcgj3P9)3}?0>3l#=-11-ZOBi3DE3G1}7!obVZ2Z<YMkbh`axB29RHSPhwAl46M z7Sm0CpX}BT(l~U+G_x8JLj%)``_s%4AvcKVBv?_+7)V+VMO&KTk%gkm=YhWPPD!$# z_9t)B4La@rhpTgH41{TxaBL?V+qP}n+}O5l+qP}nwr$%wdoJJa2h3&n^h{UP(<mjK zicm%kuZNIQE4Jl~q6i?aB7yuoY|o}Y<$@D%Y5qBdpf`ZZMSs>{JMOJ*H8*-`#jajQ zMkeMzbN>Zf8bogeqTAd5bUWXmF^BZ?eSX?l%Wo5XCj+S-J)_bDUxMUTPZz2Rk+1=S zimuANPRxGyh&ofShKjb_aq*he57{WVi&fuQa)E&mu@jlFig*SRNGRK$fiIfq#;Fby zhTBl%z5~fNenC*7$v^7{n(N4QKtZf5@li`lL&S(!3X=XMvfWaiiYe_u+UXXZm_jv4 zf^YdY5q8M!`D8}%UU~d5Unl^Ucx;5yq9spx_@V`tv6-3`4Oo>pPPOy<2crU1!+Cya z!RfF_J1GJK^>Q1jQ9O?R;WK!gieP{#07p_B0ezIQFKV$^fL<-n6Z_onf-pXf1@muf z-`NrG)k~cZo8K$bV|_9%e`9$cp?y|=dJH*096G&DCajmgUH^?ZAL{tieq;oBB{-}M zmzWaKGOAvBJY?4mmAaD;{0}+dcD^~$-DeB6DQcX&j!AW=h07(00~i)zLJV+a$&Gs_ zGs{VVh6DSrXKRw%pa|Y{?4wmz`2`L{Oif4CGxp;V3EA{{Zw0~%sb;<%^)xonogp)R z%x?;E|Iw_;>R=+p1u41`99^aCI00^nK1Dhm|K(^U5^hr(0r3(3KaIYbEu5fq_plFD zw;gSm>AJ4}0?POtD=FI6Q~>UnvSCR2EscBxUx>_flX!z-N;fS>I|UmRxnU!8^9WdM zWt($f1YVg@YQrXVyvJM+`PkZo8yRR?YiEYuLhGH1&72E&VK7G1t+ds$W(EjTuE&Z1 zvBOufiJhi}mo(lRgcccTapeWJ7FtY9Ylx?7!<E4Pt%Y`&9)!(nI~y=ayq=802$MJ) z2`sIySczr{kU23pG6I6>SD>@v3Q5K;E)UK3Gpdui0Q{}nTuWZ5tW`_X<JC~ZfbU$x zzBZecjrS7yrlrVVLr;;#a{3OSWSide9um??xFF-q<3dDg+beaOmhMCVt2NmY1AKZ2 zrg$BVrnX{yRNyAbI{Q~Jk_PSQ5r@haK*3wkn0;xim(&{iRJrXjHP}3}=_Eyr9FSv% zSke`L(2xap-2(Pi%%$ud4h&#q9?}X1{D*>kZs9%ZA6b0N4F}K$NEg5yZAJx-tm}^Q zSXerz&Pd~6|GW~B>mXesV(123vx~>k_P@aBE(6hjZoxBA=`nxj2@cZl?o`tJau6Ix z+KF?psR&=y=DJ6n*VHl{NLkk$*>ns94}u0~#)%K4H2@llC|7iZvX=L&0!0F7*zg52 zjZItk>o_Z~;ppSqA5k=SG&u8V6<SCmsp8k_QaKn6NYJW*W~W-CZUn6D-9>)>Ht5Cb z@0I!3=K}EfKj`U<yG)f?uGdjZ==(D)Z?z%ZE(P&W+~-$uscwK&3g`!U?2Spc;ij&; z?}MaUXDG^tL1|$XXr8gFm=7nLVy6EwXh!qtg^@u?{g&*V%H{R_J_%);{eAHG8H`-z z>+*X4u4J3dnd$X>IT>Fhv(537_}S5L1b>uyK$b+XYv5UJx426g0NT;Y)&YX$554<@ z56E;QIANEj6T{)*esbt3=hVJR!jJlpBLTN?JqWzoJirw13Km&NVctHfU}HWM*3Z&c zC1#<-`b(AvdiBIWo@hLk8MIkxVV`VGX+*v?c_Z~;rE^u`9NXe-n}rHca#e$Z{h;8# zeQ<OiIQJ}k$RBeUh)(Kojhh*Wwv#D<hV!!*-b3$OLZwP#dS#G8*Ux@Pmm^2Ygrax7 z<_>4f>4i{tQEN}Ahh&Q8Idw8fOe@X&G9a>~hPNX~`rLpb{qoGt<}`y0_wQkHnt&e3 zLw_1_DBJbMD?cLv{jXuZXsTucTdKGP$TO^(+gV*zv{CScGV$Lp&WV0pn<2?M|D#5U zGWq@f1fFUPTOmziT;Sw1+i7vedK+1?$LfCSqAezNr8~BgC`;$hf~niJ74p4imZ?FB z%mjcI%xc7Xe(T*YyssImQ%zJRaB1<kfHC3yU8Oy-UVI9nZnSR1iJe+ha6^$I&q|`C zmIHE{KCz$uOLEKP{)TFG(D(=d6m47sr(E{))0xM1e4%h4hp>6e@TnP^nIxA)(6Pw$ z1G9@_J$fotpMT{sa_o}A*?hv`ZrcCgcH7_0J8sjJ2Og^sfU7@sxG~1?H#syp@%l@^ zJtRzHWz?-8jBGxeJ4x8%D}X)MIMP(2C@+p?HU8<;rf#*E1!~}5s5qR9wHel!Y>z!h zXO{71q)R~`3Ys4ISB&dq*^#Hb5WS@lQ~^^yAr0_^j@QJ@;*|_5)7#RO=&e+~lNBUj zgjio619L#TFbhwvoRT6xsYDmgT58@<bXxu!3~4LJq3r2+i9HAv9J6^`2p3tALJ;xV zFrQNpUp6O`o)|~-Q&LzNYBJ@~Nunsq*phNmT6dl=@B#1GU!p~;Nw93jy52%7nk++R zeo;|N2AHSb1Cv^@O7x8^Vr8W_Z(?(H{KpwQiH^^`{xGAZyAY)40>cNUL>WFmQHYT1 z@(bNO{cruPB<n2?gjd~cQvBleS-z57s{p=2G$42qk(f~;`aa-aMVm9d*8cT$+$$s^ zzAawT$-6}Y(ePfhwgZlO(wx8Jvu~C9?pOq}L%FvC=ZKtk10YextUhb9#5rUd=IJ^{ zMy#XvvH>9l=<ev&vJ+Zv;P@0p0a$Kp+CYmN2pMRsFMaGv1{v0sG`4H>AIy_~9rl{3 zq$VDIpKJMAZ(0b<r11GJ5R9^pyo9%bECHl*Gf1Uy+T~fzzEo8L@nJ;a8dvjjb~Hf( zfMIOS^C~ZN2;*nVaS(282ir(ry)HxTc4iXDl`B10^u^cOh0-#WGWrh-f$?AsjK*z8 z#PGiUx}k6^6ubcs^bC~IGEjN7F)0vVCX1Cqa>x@Whi)%!Y@g}vt3`zie9mlnm^)zI zQ(VUI0JNzcJ3gZ4O8Q-H;)t~=G)XkUdF+8-V8fmxWfM>tnG0K>`s*d6F)MLcdMC)u z@Ww8)BjjWh2iwz^|IGM;k;hE?Bi4>;kMO;g209`RE(hYKyZ6;CDKhGOFFQdz_&Yzt zx;_e7v?&IV=mW#z`&pm1Vmsqx8<`eH7Ic&UJkM_5Y~MD#M(u^pziVAbC!UbKH1EP| zmZITKs9~cKE)I(rEI<>kF)~VgPP^d#+glr#F?0lf>x2tW4X?b)OJEhkGnVHCVnxt+ zCc!4zphkv(D4H&OaceGFcZo<EH<PNmv})!1p|~@h@}2Jq5BzP1uD@dPcjW~RL}&>% zbaZ(B1?YTP4){)t;d(xu@P)f0^bmla4p&mb4$>~rckqicE0&y#Lr?%%_#)=lKR#sl z5Hu$(-)Xzq&b10WZPzq)t(^d_yykLh5S5})m1Io~!uge~)R2E@=5k8iXrrN;K-UYk zNYl|Noc&B;wMNgXo<okle}_8*?vw*PfkHXSXiY~%Un(|I@T&s{xJ3_mlBcJA5m*?S zB8U*K>EI~zy9EwWKprc%GO3C2a`zvDg@__=mk5U;31$iUG*0})Q?=n>!vq-_o*&sE zFTHWB$&8!76%$#$nNMG_V-{gVk<PiMca_&?RoIxAz>F3gsF4_lXs(&6STGp4%$>=; z?+J7-Fa@zbm?QksC_FF+BORDN@<Ni3J}kx%WOLYZlUxQsTfs=t@vZ8E06c%5Nd1eV zB7t6<03l?h4I4p06(XBRl9=Z|prTf0SXx*?BiKJMH(1H{Vx(bZKlpE{0<#EbdT;u5 zMGh%r++r62Ym>?809u^4mvlw@@%)3%j<7)qXs>nE$t-bGAwn+l2{F1d)Y6-8N_U=) z8a7LJIa17OOv>8c>W+~IHPkg^rJ5!(izX1P)N_!Az88s0KPOt3KiW&LVLB5Vz-;z$ zw&iue%oUkb8!tBsLG1bf73kspW~HNZbf2<$DJZi<RM!$Hre<6}bPxazU>{bs*i8-$ z;3~j8l|^0eU~lykrLX^o!YX7O^^K0R+R^lIh_)e3{nWw~r3d8X4K1baZ1jg}H}uE> zuwcM{NdKi-T{6k&yqXdZ_Ya+n_((xbCeFu}s4F#I9iA9e(cMk?Xp7-4DU0|4VFLts z>H56AJWC_k(9K$tK!)y-Q=eILw2ZJ)b%K>at<SMrvkYf5(!aoaLDA-CgttLjF3+`W zJQp#JC>lld?SAQC=k$M(NJ~h%gLZxhw*0Exzdxg>e-xk(?c?O8=@|SNW=Eteob@?t zwcd@eD!}*)8GIR51V?N{FS9+<a0D#SZrn66Cj<Xk(h!5ej!supa@&x3TyP3=4x(I* zEs<y)zVz8RCR)8@<CovF7MJhJhuFWIQ$qszw7*4}9XdyW4?-5u4VtxR0hlFbo1-xD z`hHE30Ps#n$yHDONd?Y>c0L`sqmI$1lP4JX;2Un|hNGdR=|qV!^2Q<g@*e7n1XlAZ z%;pVM!RhNf7gbZwt`!f0rM;NuS;=n=X_@Qy$>}JE%4PHVY|i~&AefvYp2Zt8j1KiM zv}Dgmurn*v_}OI-aop_c#b{0(z;d;eBp1XN5~HPALfDk@q&xLCWJ5Y~FxF1bVOf6s zrsdV+wNq0;ab5WVhUmx06jF;`bw!2tLf#u6FB$a@%hwkic`g~E$szrq$|oWUI1|ud zE3ZiGJUS~M#~~GcT-~25Jqh`Px^_#I1WJJU!%vCG%M+dcvIu=6V<#vk*VXf%>eu>d ze1?f`P=D{F%zrv$Si3}0Jqc+%G7Cw8HGWt)GK$3X=_VC1sLn7BC-ibKPc+^S_t15Q zPcO!OOl!bH8JHkJaL|*j{~J>Cu@khHVvzPAk|t*y^SS29l^~-QEYzScMk~D=zI{!7 z$<aVb1Ud>mNqf;*4VDWo{*X>4Ftn4St|m2u357N8?w|gV|LjNWegCK=7;QOgI%37D zvvYz$OSWV(>>yVXK|cp4y<_soW>0RV;XEx;+g08nqNG2Cgxxpzd^*4*1(SUEo>K)E zf+S87c`K-!_>-5_iqQ@f3Lfzz@04YMZsQ7tw5P@Ss$4T%D|9|a3G002pJ~==rf(ta zl#p#X&^#wGH$i5>=&iloKWIx#u;z4Hh`HlRqI&VN*GWVF2e%0*C$SpyN#}q;7&4-g z!Oliw8KXjr-jGyXvduFsHkUf{^O{jfiC1E##GJU<=Z|#}ZN6u<Hy713&3Uz-4ZWVK z`59g(4Zi<Y=OF1o7<&DmIx;h&&s_Str~ncs^C?;it>1-phoIv<_btFno&hGI%x{$6 zQRMHsLqVaxGyVJQ_x*UHd~@a!&(R<7WPUFJ^VSH5CTn+vcn!|OmB#JDPzLC<kKQ+g z17D1^u6xctuk3vR>5cCd4D&A2rF#2$J->ENY)EH<M%C^fxrJBd-?>s*47;R&MgZ{F zFzaylMy*e58Z3~GmS_$T3MSY3`zQNK_w?M}vvQe1V<1sMe>_js0t<9*l!RQi0WU4> zD5A=WfD@pp&N2*%iQVXnyF+LIF*K!BByli;p64L(Xv(Nz6G|U%^)+@TD~^iJJ>7Xq ze|DT^THCV}-EnrM^LYN6DlNY21!WEM@4G5BsWe_Tuvq=BT$BOj44L2A0MwQ$`ur7E zQgkBP!dZD~ont%F6(lT_Dc>1H;*f}48jO{^phssUbYrGKg!5cyjYOLDTo($d?6E4R zlPp}q;Mk?x$)EPZB({e0-e7Wc9<ZUz(g!!iq{!^|*uH<{j1A75vDa{%;E<7!7Y7v8 zGq|R5mW_`UD0{3i+199x%P1a5Jv+!WECa<N_QFRUR0*f(OY7~;N=;48hBmQ#mxCWy zGhVH_Cl}YkeSDY2Ie<C=)N+V$ccu6JoAEE9fw#E{T_87cnxOPWxnvP5dsnqg(9$G2 z#md`VGP&7`YPUpFa@y0^iVXa2WpJnqo_300x7fCrT^vyD(I`#s)_&>g?JLLTTVX3k zl=btkxcS61am*vn!q>t1de+Cqs0sK&qcML=(zG3c6@cCZKlVvtP|Eg<d_XK20j<Ak zj8cR2&2*~w<FeN}b=ip+C)1_COKb0Uv|?>>qJ4io75t_A)<a6~umf&1u}LCdpzI#V zj|k#d_$`^C6fAAikA<qX)7vfk{z@qn<Aho&!1Xf+N*_nmcDteXmU@5D6x#4XMUeA+ zNY`z*aBD40&_&|_UZf5*ogS?T`Tmzj`WQ_K&$h*UG>=_BiooJDOTix7!v+Xi^mGkn z$BCW}?nO|)zYNFi?tMPOdc6nHy@%oVg{fSQ&#M)f&I5u!u1r${E?J)7s21eo5S0<h zE7_5<*N6y@^}G^sp2Vo74i3^<%PAuLW1{Yrvpa%Q^uFNX16x*TL}`8N<@Paym*I=j zw^Fv<BK*NW0i<*`+(4}WtaBj2GqAcpI&FDe9LCVL?vIjVWQ@0C45qj5TfK33a_9QD z{yk%#AmHuvK^`vd1jQR_rh;+oq?G;fd_hr+I`S1i|5ldms<Ey#wl<$5tuQa{$cG<v z_3Y{4E61qksfcGdIL55QHV5DD9t3&kUx)pm8^qq!UDJ^EKb&<E@UELAQ)*cNNJ;Mz zNL)8>4|nI-P77jFcK~moOp^16k>D-w@=<M;9cAsbL%>qCgPaHS_ej*bDYtihW|a6b z=(ha9V%=v^&)99<@PQAB>Vu)+jb9|TvJNDfIoVmE#P=0Y^+Xhi6b$nB*XcJ7J}<)@ zX+=+BXEM;525-@F!TZxtZ&S0~16?GjFD?<@fAW!vS=CuJX50D76=`78-k+?VY@B$P z@z_;*KZjBpM;s-5AgIN@C|1&{7{y+1%a<&UpRJ99toZ5^;8p??RB_|BUm8H)Edb;z znmKm*c0vAtsiM^wykjYmw|Ni5fm%$lS8m*xrrh&}Xqrdl<3nZL436k`ReCmPo0P<j z8>$Qpb+B0jVreyv^FK2Fp~Kn@S7jS-!%N_1R?v7|?;vZo1uXr}n?Xu(8P~c#gLW`V znsLrcG6>|-<}XRdFz#|Y>*FA;5|?rY;BjeKhR%v!q@Eo?qRAM7f=5@;9KIa_V8lxt ze0q%h-pb*W`b<GTTgvb2l|B~9lJpZn82BhTF_qq2Hf+=}{*blK4usLA*WpdPm0tLP z1`Epi)1PpB(QlxQTxWp1*O2ek;K32%UnJ|5Es`sWaRN^*{^klTj>O3<Rx#T5lw0ia zHunSsq2JHtqsdmz#2SirV>qttgo`05XC&uWLjlSa|I>10;GT)!|E4AX7vEUz@__Mh z(vaa9F?ffuusAikopUCJPzHaU<!F5N@A!!ppnipo4U~A)H$K$Q9s~S&D8Zjd+f%ql zJWY=9Vr14-D*up#E5q@};M9|Qu-2fw-m*0OgeH>64ol)dqh`*YHM~szhHQRDJrs0l z_5SqsqktcW%;s{>HgKu+H+S;pOejT03Xr4O9Nc)J&{LDNEK#&V%n$JZAKrVmj1e*M zl^Q&8IPBy)op$1Z%7QG0APEF%-8KFyD?c_Vi?paLPnwycN=ZlR)_Tk9yv^Yy*YWK< zBp+-5tg0M2$E>3H(Y_RJq0T9GRmDTLYdAN=qT<`14okvhxeidI^p<#lFXGjdV*9DX z1D1!F?@|l^-znKa;=ajpR*E4bspl<4BFa0bMeRyu^T$J_%{DFYl(1~teib=2GZHY~ z7Z8d?%Sc&_FJDDp&ho_}m@7x3Q|%!@qSQNTy9>jK$foIHO#FZR?iL>-Nl#W1awITz zapg@qb8s>0mCyi!TDLh}@<a_aN|5qtG5YCTj*CO=-0O?Wj`nI~g7`^KqS`oC56%+f zF#2Q~l_g8nzvQMAEYaMJ<aUFjnDDl<-`wQj#Gk-&<qyrffu6y!kRVu_X|xv%nz|Nz z^ZSl!V~SqaEm`$=kZ^*5fE9sYb2=fh8Gq8F#bO6O)Ef4UI+4B|6=aqNWTD4G%C4F- z32I+3A#n{Yqgp@Pmjn!3`-xL6G}T#Xd{Zx}YlQt<x1MKpxNRj_IMSB9SRg#?oK-c> zal$@BBAaSnm2SOYm+$_(HvU~8H&PKzCkO^53r5%K>8^1cuAW~M{{xjORh!hF)f&Qf z1lH)cBu2j6Mpy=#b3t&Anp9cSxMlbAWn1Exy_s@OS*qZy^hr^kML|rj0)HIFc{A8` zzGsJ6g7z?`tiV$xxRG|w8mlJb_<;*g94ou``-|x<&t?6AYDONhdT<lcxj`VXYd_~o znY>ga*`ihJg^#p@%F~h2?gO%OXF+Dat*r{J>6I{EzP6)OI*uvqUyy|3;smpB5aYRe z=^vNbBw+*(IX?i6o={HNbuj(Ps?v&3TBCD2(v=#Z7f|^12kIbSGgupMZi%X>iCBkh z33+OBnM(`21O(`)ksE2_d~&HvZJd0Q6`~-0gkpCJHC7p&Sz7iX#RmV9%jldz?_%+d zTa`|Bp~$Y8?l!dA`lmOP4mTf9RK2?!ZKT2*$(R*6(M{=Qh$l`AH@XI!d#uRIu6uhv zJ)ir?c5&P+$ylhl{fvD)+v_46Kn$#*uo<pEyJ|_)D^fMoKb&3=iI}m$jsMI?RkREP zmB!pUI3%@oFzsi^KrWR*XIw-jRsur;gU`MppAxZu45$&dWgS@UZfqEZ?~qnpI+Cfq zeLp+1fUSH1o}`~t3FL0{`;W0MtJ7p5U5xkY5)UIUpNlXZaqVnll2MwIn6X!S1R-ld zR)s@3X<onE?JOBzwF<qg+*%1ea(!RazpyIMI^d4_x{{8vq|pH-p%aSI@S4>8Do8TD zjO={4<Aj+vXt2H&sg|`pxpngetK7@!w9<{6cDO8-2gu7kzHWpcyyIW?bMj$fK$fu2 zA6rf8e8^G%Y&Uap-jrT;J)=`sMTqft4N?1)IS}rqW8}qHSML{u@m||qGJT}24|kHJ z+wS*9SF19@cO0Cadp(hp0GfB19N#V9u@!O5qYBX;CY+n5xb_?_erC^~*lkxuz8%+v zV*K8tk;bMV!Zkk6S97zE+zoHe&e2WpjM3bN&nAI*UA@=yl84kS?~F97u21GRybW*3 zOyP{v&e$Dqj}nWz&n)oE>PHz*nqUKko0N6BJcsL)#~;+P@1M9I=Rdw~jYqI5u!_h- zvn8V-2vSJgi8JHOe|bFOr@@u@$#>e0pM0|~V*9*a^*HTpn3i}srEfeuN~=(Qka}o$ ztsx6NX2E-tjab)mka{}I@|v(YNz*1hlYzh^9d$0m^O+%|pt-qiXL_Wd(TJ94Qja+; z{0b8;B8>ehf<ep#TtnvZB~sY>>V71g#?h{7R*t!DL190SpkWN=q$u*q!H>SRUzz)_ zE-`b3P1$e8T|731GG1((>CvwJWv^VYIvPQoTeWks)QbLE5r>tT&c)J-)+;B2*>uWn z?`yw1v9;=Q$>aWGIGrC+mx4%3CS#pDG89rM(I=!yuLe>)G$gJzJ4p+$X#QKwAt16! zeeKM}gPfj|H+=Ch^N#NbEh5YN;PD<g&C=zVgFQgMjD9G`3hjA%?`CW<3bhW}sT-_^ zIgd{S-C!p<FupV3y3LoyPj~A~77P~cx9laH<h{Oi<igqhTy2TCoa8wwxuAaxHmum_ zucl}fVRL%j=5|(GJ%(>BIS8pRa6-yc{QI!YF)T`38Y+N+R!J>Pq<WdFR~`rToxxWs zQdM~f5Xvcw_Ww|l9mOGU+GlPWMOFk9UA>?W&jscQTFv9&T=p7~K26xqQhu(9+9$4P zn_>WcVV6Ux+-JfMk4yiaF<ICCB5ID<XQ)|xg4B0)aG{^S<7Z23t{MW&zL;XcMqm7d z2X^KnFD@CfK$IzkTZBs$Qh4g4EfwzDH+dr(*FQe)SJh4@qvXW<8G62+p4~?xwu0mV zOl)($AD_4ED3=?!$vRz<A3)MPE(F1v3(-X1k9=BP;xBlW@+JVO#!SOdLL5`g!S~W= zp;6Ix=o`hH9PT}&fhHck*$8dFjAqfZ?VfC&Q4sc*QvD!aTMW%_-p%gKzI%Wl+ym=p zsB`t6xXl4N*yRC;F16|)MbGF4av0EGwu?UTOnY$%0h4MK{=r%Z$#hT+(BO}`&a#JP zl0d=!I=wo2V>^X3XuFb)0nJ<Y&jJv%#8W0gRM}~gx@84TQ&4My{1r>>XL)A8YFro3 z!zt8Zoe<n~@$&Lgsc9WuS&FaBxpKx|*mlZVv*ZnQ!0|FIG@s@OPTJ(>O;jn2R5AcK zbk)9~ZgUC0h=Ws>L<4rXMPocAWYT?jp6}yj$IO&=icPBhT-3%2tNkSLP`Dq%2}@m7 zM%a6QEtsBn^&6chCAd*3WPo?^Qs1v9s#`2;((X{crelaJO-gry&K-X{OoCagjq#OI zgR{f*H`;dK$k%vLtgxe`cN*uPU+4~K%fs_}UamFWVP2n~rp9k)h_uw4XDg30?ESEA z%kb$3>>aXV8r`|O#@q3NF095%o9>}Y|DMM2o$)=NKqn13$gqd1+6~KTmyvXrI-zW3 zz$?IXYgPGPPIb_|lyi>ZzBZR(%%F3rR9P1-d%IO0X|w*9s(5ybiOt+qqHoWVbLTZT zbVpwT_G|7p4LJKXo6Q3p`Y^K!co&PlyN9l0T+IdU?lh#u*?tje&tO2=1CFWVX<K}) z6=wt8Lz%wdG^Q|89OucMA|;Y&uY|v&nq+nYRPxWWJ!y7lk0VKP>(T)5ds%VYx;=h4 znwl5mf@YS>w{z1vZ0H(r%fROQ^=#|=>mqw)Ocz7)3ngh5pkh>sQ=F5IC7TwTGY1=K z?7OP7NIMzHc(JzlivBuXtj@KAv*N|p=!$55rPbOQq-|V2j#Iz=NB*Bm<eJr~2}6~6 z!@WYsF7aOZRJFZx!ZODN0ZM0-G&w0x7@|z>3ab-wQbvSo0OXdg2wC|<apDPfJfXDs zhSkO0E|AU4H}>MY<>G+uEmd>v*1p?)z6ZUS;tL4<!of_51dNEDDp+~?6q!c+Q9*5| z8*Q~2BmJJ{pe0#0zTMl>X4Eb2Zw!*xH;r+WV?7FK^dMcqJOb$%zhYP#uyUZATY1&M zii6hk1`5U_!#!=ai}5FOwASyBwH7S$HYnUeMC=7D!C-nlJGnDXi>q!mXPnXO@bOEG z3ooL@TT1$t_WU(mQ3x5+4aYuU`XLswd%uG@dBgHrWi(Y%u8SFrlAh=XJBs+w*zzTc z#sXVm=A;nvC7dmfi8hz*@#8bbS$_!X?jKJu3vKRqDn|^EU9)ZX-Cp@3iWKtQD46Ee zG*7iv$^^Z}FoY}L*f70U1MkA4ri0|AQN<=V5a{>#5{O$=6k_wwvI}i4$XN}xKS;?F zZ`9%7PgJx%d8C!~fNTSrauiAqO=g)jT2~*4$xKdfavW(jw3ecOk$)+7Ti~*c5K=rj z%0xSPuuL%h2O^M<nkuIbUugHNw36hJ0d%%@WOhOVN6wPC!fO%mT%A4x*QXSxg3F92 z&JGAwgqE4i;S`M9wcXP;6<??JleHtp;s?^3?cKFY_@V4GbvEN2NLaT1u(9ux!&&Jm z)ONE&RVPS?+{CfIje3<l7r>4Y0;$(POv3E?F%b7pCBv28W@e{!w4o#FdU|q?EJw~e zIWcg~a+I`RYKxLV2=>1ao{IdbGITY3?o%95!qHP{nQp0u@^t@3=AzHgJ(K}k8Je8; z=&Bxy5aJA>bMRxXf#wTUI<)+bpr&3c`=b{|`!O_7Yo1{n$#dH=CL^sFtr`xgmC4Ua zZl*vlOx`e9hp6YImAOZgbH}^DBu4Uyj(_LWyg_!ar#gsyH3eeP0GZ(|XgIIz(n*&Y zjOcq(VXlNYeTV$cc6IFF6^RZ1ED_2!w}z1jS0ze;YCH%32*G^dX6ZFJBR2kWH!Wj; zZOH}F8dwUAD3%J)={;G}88yQk%e}bvj77hiU4CP_l~&1QD!lb+3+wavJO!wTC~~_Z z*ykxpa9SFG`!538MgZIubyd0V=7|dDiN$%O5MWtZ>q1G3XhoU2ZbYv@Fd!Y0LK{I7 ztF*1$P;<UE7WclLng#TTD&p4sW%n|B$UKFUL}=Q|c~glCqSwFCQf|BMi?qe7zZ@sa zC6}B}fn6P@ey^CzpgE{C6ggE!3?V?j^rrMhzk|!Mparl&`Dx)kvEni)G=ApB52bAk zWTU-A8pG)BUOIOemHcD>S%-!|C0+~NN1R_$fIV5agrK^s^+$>WmfRKi!$+#eG=ej; zX*CS!1l0BS=?fl_MmZy~2}MK2ct9HdNlClV@rZ)8POJK*SW8RWV}qIMbC_Bh+=(Fe zZOaq;dJjFucEMtC*ShkT%ifMo-NUIg=5GxHV{*AyctyY1F-9r3x=z6RpKhMBlPHQ- zntNb6o10&_4)pJTviX+d$;B~ZMRybBunMbjx-hb0VP@vLDn09BVfm)RIRS%gBeEF_ z$5)d<QYV>qOw^4PjDH*PfPdFJFGgPHIxCM(z$wSM(9A#DX`G{O1h|u*JCOi34udp3 zMab)*QplB{U+Ktk#*vHxq_@xIJW+E}-~v4rRudGOqTP!k;J+b5Ej&=N1+Je*y-qQd zvao8|m#VW{K^m2qKA~KEz`(!NyHi;zc63bo(4$&ellqRs`9k!)p!0=|oYLD6IBD>+ zV<GGOSOjjmf<tmha4uIQyNG*@{3}7GWjM!Tq}zk9eEr9Ay&+hqZKEdh0FzE`=(DVC z&rK$kY3%yX{nll8`Bil%8f51;UKYIg>ehgX;pB5fCGU)q5F45YqMn$83T;ie`;&EN zlPOCN+^-kqm3#?Qjxt!$_^D-euxczxMb%A{z&w<RrkK|K&<V#5SEqL)&O3EICS`yc zdv~@bvJ0?vW%}6DFs%u6S=-S3zCdJ8UZ%HKt$c#W?XW(fe)xF7py80Qt7;Fg5jBD$ zJlBK^(+*i8FTu;iU<`7ZAT4Iw!zQT!1~}G&(kUi7I3$T8;1e@;6%_7S0EI&2FCJNc zo1TovB%_bDtHAwac=VN*5Wby-5fjK!pV{KVbG<n#w|$EpA*I0~o6^VxifBhojlN*P z>`WZq5BPsAKkXIqH|szE0R3P90BHZU{204A8QVCT+uHo|{X{GG$7IpNbU*%CX+o-# zdIU^9S+apwkz3xWfHLlbnGYhC9GJR$bp{g3%NA+}8GdPe{IX&|x8_lw8v0s|uDI8f zdTlccek?>=s23$`b&6cE_#DEz#Z5-mG}bVE27voEBXnTa7|v>I6wsaTN8+|?WMAy= z*n6VSnqMts++yQt(MV}t6WD&FTA4obtd4ka1bf1P3w8S`(pK&7#6c7W*DXM1*6xQy zleSu?H3F*`C*Oy7#~$dZndOKUY++H!5p%UI<uHEZ<)`jg(@Tn7SZ!PGtT9#6u?4OO zBcRy5SIbHGrd{uaVCA9P+3yxO+^4}Ea;uoKJ8h5|W241E@>i~JnLG1m|3gL)oZB!~ znohkF?nl$9q1wxnAyJ~k6w%GScA>7ABC6=2UK;_D_>mmvJ<Agna}?J|8Y(-M2Lmel z04Ct-WL@%U0AU@8pa9h@Pk47O@A8M7R}WM+wnad#AG-C_u1nkIxW)9AXNDC44#gny zy0;3zwFrv>C)^Qg*?(RZB%ysv4{?e;?;*xN-GTy40I0GZks(T0>;k;{2t=*lKgoO1 z1yS!!aQmvZk4W2Q%1jCSB}9nDwO%?vlf&qDb||D<w2~?TH+<XUzPh`HMC~-JQU98O z<}q$MTSIV<)C)deq%Nihxc1dWuE>)TI59&gCq9=UnBfBU*{HANRI&}Q4DjP5fecR~ z)kPF9I$jB>Yglg5vn)GysdOG(m(j({5Vn41cq)fij$4<Z{1lLMhV+Rz!CfDu;nYH4 zC`mxNXf=tc!ZnmR_9O<*!Y66yLodNNr<Rt<U!NpMWf;@&LEh%hBni`6VIZD*`qC0k zTr(Uwd5JZL+(zeV%I*?06*QVIy~2Hl_hgw=u08c4aFr-1SY>X9*5GJGy#)47D2uvP z>E7t8H+BYjEZ9R*I7@8YS`%HxN_%fDl;h|K-QSFgJ+=$>`UCjC)c|tQ-)#a403Zni z0D%18YB04jH!%Ev$Gqxh%qA;>_p2IA6D)OpOP9;RRq-~;G${=bbpXCZd}s@TnK?BB zl>(*2@V!)TcWBa)7OS=Yin<$(g$=jkiG%1Zw7D6LREg%KHl;#}mgZ$gfhg;0Arobl z_0+Rfij-DUC3|(HMx*r*Os#2U!{2GzRk@YNV)ckhW0!auwaIsG<9@H<^@DRSpL^zP z-I-e28B@{Hzf|!P4I!l(md55L?i6a~TUKH_)(KTwn-;Q22`WmKQU=Bs4b53jvxN%2 zIUCl4CT<JdUmFnBMHACz%oA=hJ6;dr&GF5WQOj;<qN_v$WNwpp#nNQL-3ZQt$ozt} zmczuWMHW)k{pMtt;6%22Rk4IU-uA9&ocm!Rmw;m^yCDq?HtNB(zU`fnq{Pai193EM zzVlcWK^DR@Mnfyo<ZjI`<_ZM?zCyC@2T4h*OT0ESWq$1oQdNjFf3K?~M51dPX)5q< z7P=6%Hs}Ksl^dR2B+G9!lvF=UWvXw-SM0KgfR$TYT3aZLG~-6gY?>Q08yIFP#jP)E zFZ#o~y?#0E>oY}*q}g-_j!3F^T*B>gwVNeoSUIN9nE%na`H0V|?@p7jr1&(CY(Yo5 zmO55E!A+lRw5l(VR*efsP#+f5Gk6_SS789$4*-zbIwxDf$$;^}Q9G_~;X1h8QecAG zK(XO>j28yWJZHjlOz#|LQK%1$=|3>x>P-$2wusV6%?X?q+>(J^gboOR^_N0dt<abU zUkwE**ajw&sf(`{=a6*>Q%9hZ9o+QX4-TSV>~Ohw+#;A{FQW$e)08LhFXGPgIpc)< z2}!mfXsGSLwmW8&!sN1G=99CWhR@%o2gK)^Rgj)Q3HfJN-8Ahya<NrD?2j^j&5BQ` z%ZElWXOop1EGj{MFZX3lpG3_Dg;ce(JvxaU_V4aQ_fYcTG|rzquHmBy0X*?jA5TNF z;GnlGucb#y0B4#Gl-Viftca4Fms2DXp`uIjTDnPKcl-7YE9GN?>mb<Zs-)1TYUg#l znm^WDc`P}H37{H~X@nbZscVoSB0G(k{M>qDciYxDorIE9q+QVgI&d?ym-oGGA>%U> zY0X`pbh6~oP9Mqcy>NvY9ww5|7Dp#1C*ew<i084@XcOeY_u*}OUdP>DF5jOnUTq6^ z4SbJiS+GG9g*t>oQL10Ku|K@8e1iHXXJJceB}RF?1K&lU<vdU-8~7*OW4i|>>Ka|X zAjxa5S$G%$c?yU`yRDOx|M;F|iIw8)lPO^G9(jk=BdFTfT(&?0-*SZ!cC>TsmmF>@ z(2si1YL>oUodgYjH+j~%4EPHDCgMKqEnzd-kza-&BXs|Wf&3W8f7r|?4Fn9TaI4!7 zucQbX0>OGOZ{t2j+ZXlOtBM-Hy>jzz+Vhp9#ysTx(`Rs^quX)1-8rH|BQS^ke1YLC zqBd&|p)t#tZ`EQ3-nphJ(#q)up^46~X+ezc{JIGmuAz&Kn&6F2{`OxbGesVrTC;6c z+w{A;yG1fi&QXM<pTqq#R|cpdY4y*#*5>RYQMxl^&l3F(R(@Oq`c?~~w5XV^ChCw0 zDOIYIFFIHFl<x^Pr8N#ff!{$sWFLV^$<IV|p7d^X1SirSx_8}Gr^YL-US?|z7HhF- z8|yX3mk4V)Z-R9@MiNN>#be#Hk-?(Rd@H$XL1jziTpe5hva~s7sHe;3Y5R6S2f2M- zaW$)x2n@cebzM^HSbuS0Td>}2)A8uOj3Fp;wWhvM184*0?fG<EUc1KMUPhA?Nt;pA zSben?vh)|>z%96F2})!+zlDBL|F9&%0y}FHm@{XXcm;&Cg)|UDEu7c=Z(EKTle4`1 z*Os^b_2mEYC7W8=8vMU6SzXF@Q}kadjhb{ZFv+UEHF!5VLco9>0$u{9gl7V%xk$`Z zbva36XT;FY$4rm7WC03MXhG<MK?E09tZh&F`m-K=*v=yms1^}7+Ofm<Fq0KCU0V(E zn>wY=QXf7|CFaB*>ZmCo)duZB!|F%HzRjam;)oju(i{aqH1qoLJJtYb^(E}cDJVL> za2VWMyxqUL+kFQHfJm#yY*R=?Z~mqjQ0nnSP-(&l#b7_wlI9>_M}|YIDikb9lwA@q zwp8^doYRG7yrv=yxq~1jz=x-MNMPJud6F8zff^_x7&TT^g%Rgl!afok3(?A7Sh72f zg8OM-rJ>ZmqTTTU2;^-GV1SKc{>^521_()MXwixY=q9&#?vKGmmV)wTBcS9D9sKef zsKZ#rmL9tggi`5KNeqKmHh4-vcoQ@}Lhg`Q3U_EQ(5a}@hN}Jx(iVr4DVNw=KT!b8 z{1s42Gf?8`gc8|I+k2MJdSH{72a#(hWIkw{+dH<$LhkC#ZvbR04nlF~vVQlV=6Uo` zrO8Rl1et`5oIj!(f)x5P9KlhEygHIMApF)T*>VznJ3q;^fM7p}eCf?6*4!_UyfmJK zgFx)V17qN8Cs_e?S1JTEzllF|q}i5~2k+x3G1>B~LWTA-Dv$Z={{X|dB9fptVPYOI z^dQdzRDI6HmH|pgY0<<=Q00y2L&~Ya+MX`i_tWczb6W!m33};_`6tO~u;CSDoh@)7 zdQr_;<?k6hk4>|_36L8bu|5Q6w02_21s^S;qt3_pbJRpC!##HhxIAP4A}a~7%Kgf+ zR<vwIV<f#O%w(MJ+{buo#LN$8T{|41zGxJ+2JqQTP7r-KY1)WfuFOqW+-(>*#@9um zolI@l6x}}r#o2D5b!%iZZvWuRwgwOGjiLg;N>tRULpl?2t>*msngtKWf7M7~xsUd8 zb8o1pAo~i7Y=oesp;4%4%izJt&3h7|T)L(!A7N*nL<wn%I1;HzCdkq6L6GC_7Z?8- z={Mc7f{s8}eKMMKmWnEie;ByVA}zQCfzJel)@FltnVuIK^?I8Z6JzlR<LxbGhO?;S z1tyD_uGmw0Ztj27FDRk5EE1@!;;u;>(N#I2dM5ctd-@uBC22QkYD7fl=U~`^?SPqw zD3j_o!jzE(P?8JX7X5^+`_f3!P-f?Fv!>K(GEU^lWYusoEIeDFZpw#nm}}41(n{3L zk40;6xR|rdy*8dJLCY7eKvhO%7wyC<n2%bs!xP{-h<yw`4D<^O05>TWio}ns<btyU zp8t`-O)=rsP-;wyERJ3gR+>ef0i4FNvOz)6zh%e#83z@<Hd8x8L*2YWICwg*J5rpf z&SJn-hx#_ITVhPOfXTmpj{i<5?%+CMr_FRc(q@U9RVm36Rdxm!18*!##JDfTfUmaq zh-QyXACsn&n%<zautjigVEX*~_*oCcer|cY9KK0?`>K-cDEFGqgHi{*HQ@o>VoLmk zuIj&35#3;JPbgaPk&m6D5%CR4R;Rbt)I4juDB~^EZx!5}+R35>_Z8*jcH%H;(i!&6 z*!er10cH|<sEzy37|j<YgnW342UUs{#Z#AE_tH^dllYuVYoR&PQ?UcSL&-J5`Nf*% z0$2HIv>n|^v?aW_Zce@QS<XV)!)N7^DxYa%F#52?at`^PQ*`|AFkgh&Vx;ThdRpAo z*pxNv3rQ-Dg4lt}P9^JU_EyDVRR=4BKap0rAn9Tj^Ru$oYz?rxZkKEv)nu1kao>sJ zypp6hZEhCB4nKNwA|&-RP4(!yp#;?#w*4;^N0-pt@zoA3Kp~f|<G59f*QZ(=fx7-; z1;s*C0dwk1wNdi732h|vJ$O<jAhm)m;(5lGvmtH8KWJLO1{L;z*iw~a!;~cSR!b6H zh}8+qRZQv9b91NWh7FwoCf8Zucorj-+d3{cJgu?I`<qD%y!Xy76ep*rTcbuy3S$nh z&g{X87hdGYvN|Z)%cn9YjE~K&?EfMZ5Z=EiW~2U%>HvWMn{s99Y)-?(NNen7eAVsi zr99lu?#1faz#+lP0d0lP?*||-pI0Eod`Vizu#S+tH<GMFNZcR6Y-27p$l<33)Zb|7 z$Y@nuy>nsRogC>y*WLQM((*8<YL_|}1TjJ9>nD$8xfC9WDJ6~CaMU%+WXcA)_PNvJ z>;3D#pXfL<#m)3MHTB5-$jvl6rOMY9$mD=MI+$BxzvUzQdwTTq>WlKzVERRn=}GcE zo&E_cwUhPEe^_|=xXR-FyD0<j&Gx$=+Vk3dEA_tXLEJ0x^Y^E4ce1u^Ht~1+w$|t9 zq^c?^Kp2B3=Pn)1=F>Le>r?-i%LwiB2NomXwdus*fv^j{rXwC?ZBxK!bcZcI@v1xQ zD(Lk)mUk=c{g+I8n>I$vfZicwHzC7Fo6VHj2y=ns1{Q*P`H)l_93EO~$rG?wiJg`u zp6vZ33#@zb=?E1ptd8h59__Pr4{3Dz8~o$R_j7f_cY4j~vg}Ll*Cqvbow)z=u?9qN zP4&kj%_~OB*>UkAv?!FlhC!DuF%#6+RtFaRnbUTqzilvBJx749@fOQ&-?vNT_qX>q z^VdRL#2>){YXihIPpaog<AjF$h=^I)K5^dGZczpUyA&JMD&sm!Q$g>1&m?#SBOurI zUPLB8*U+b-2){LYmRf@X3r*}%%4A$AU;{OBws%3QwZ6;bFi+-^zPc)^WR3X&Kv2$% zC0UL0r>h-@zY(L14H9Zi9g|bKk&_Zu+j~1=<HZ_niocpmYb4daWzZsz-!Cq;OEC`G z7SBDpdvjszo?kr!K~twMIeCll5yyCAf>j8g+V>9>N}9j;cK$Ues@`J895Cq0r_diz z)z;V_YG|tF7Asl=c7``XW-#7qs^LDzJ4g(ALzy%46opx2O+~%x`vs3Nh<&dy?hVJ_ zP)*jybSj}gUL{!y%Zgo!69Qg&f{lmrN*>^&`bA&GxsTB)pv9;DPu;nH1K{qkFx|@% z9`NJE@jk(xP6awPrF134j7~*MN%DCS{50+(pWeHkFjA~Y=A_T!z!ns2xkQx!X01c( ze>Y-DekssE&<*j{wd2G%M-6UIx0_%mh%KQ{8v19HF4>#axzkQa11}~5xIgHsdZ+s9 znE!IS<?7qRS{pNX(Np`*lhWGgD8`|kCG^nXa=Y_=+b~K<DzT!evztp`p@bVL;_|>6 zF}mk%<HxoJUyG~64TQ^u#t+ECfzC>x!Xt^K=OGV^Y;vHdam#+VV=c{P=wN(9`T%4l z_sf8>hoxoufnqkgq_IyABciF5)4BoKbqH~@pZj>MWDP-L)~(g8$#6{*!J27+2-|g* znDYm$faUSvf4aCO3SC(i{j#FnWpVqErRt6d2%P)OR3F=I%i8ck?Yo@q9=Fu>4!~M7 z7<%r_Lix7SpSa)1h6$JCTP~<C>QSG{**PF&s{zhy#(+Wve5e80--%bYzkYJO?E1;I z;_*)b0KJ{C-2BXq&#%+tQRtUu!eKd!!cv8%whE!$^`)8gy7XoQr&(|SrN9)2yaBmJ zrwm>e7qPVPQ_Oz{(e-)F^?=x`W7r4XoFF|3_yIt{cSl$|Wx-ZUtve{4iLeF(x3mY@ z!df$)J>*Rvz+?e=Tu?h=!%C12p1{{J_x4NKG7^j~j1b8mGJd#`9$j~Z1j02u@Zs0f zxE5#=tnBXK9oU+4!*Fap-AI#KLqYs%opFw#vcw#yxs@&0Gc<8b*R>bs=X{mhh&c4M z=#0r=Q1MkE5c&srxv@Bm>C4MS=ML&GI8@D1jb$0y1BJ8{EZJdi=mmdhM%boIjZKa9 z#*B^7aivk$sgisYR!{h07!sS_=;n_$p7bj<$7Q|0)f{wJXaU@5qf39-*5W@7<WUS} zbomi1q(SRBl`}Auu@%uXLaJb1`Zppv?_Ic`k1elNxa95xl|n!4JNKs2zOg`z&RKqO zqaYj$r{aN84<-!Fo}X#knj`y>F>2Bpi<i@+HXN1l6$kbkFhsBP8rag!iZgab8{MxZ zVFTuHO|QjVgSrE(rx^G9{pE792JF&oMVk^y!X-zz2?a9EzbdX4>iaiE`h&9kJv(cE z`j|vO1g=s>XcLf`d17@LM1L)KI0sZ@q9f|1O#`Qaxeq1}&mzy_Wn<JRmBf#rq%+U3 z@W2@djZ@}y8`W)@(t83Z%9VTLYdg0BYd~+qN(^Q79k?hxsprsGNYyIYYZ_woM#RcI zpE!|AT7^Odz}40%h4i!yJ_15Q2~*Y!ao<Zu!<co)iY1`pwG@xq@W81I`A)N+>Z_K+ z!eCEQV816!+_|mEmm6W3mKj`=+te7$x5bnXqQjgnTzr&;u45W!97H}j#msOOS<Gt? zLY=X-xw-`B<}~5A2CmpLgihq_zxRKWUYjR4U9=VOB4b0edpO|xSa)JICKqekVIx2i zuD3F&TiCS7-plU|dReM)@XFh|N@DXcn`VZfVvxzG7z!y4KN3E2pyVj<VkdgYA2;(k z3C5aiGrOpq1uBG1`eT)B%Re^`VL>8Bn5vk3gAs3&7!QB$_lc3$m?tt(C|05yozCU2 z;T&s{>Up$|+ktC>j0D|IZBt8{$@65zDxXz3dRVC2=uTR@_y-ScU1m{%xZR@+5_7X= z97rdi+H7}LW1{UPTVD+0^jYgt;o(}Wna9GxiMcdBMkg&m*o7Xi&(gJ9HEcmA=LS54 zW`Ox)K?Sn>hhp+_)4KHUutQ-v7lS5CDS5otF+%S(l4Ry|?tADZ-~bQ;uLC)f6p0tY zrYtR0?o61M1)&$FOFRHh46=NL2bEE;<z}&Soc^O0Y>S;Y7Y_?oQo_PJ{aRL%q%SY> zNf=>OWXaT!38FPd`yNR{-^S^gWk$2L+n=RwdnosR@p~RaibA8afS8&VqFBYO8Tn2} zp3Pa>aZb<99)Lq6<P4UN!X#Gqi?Pskz|)%*PHq79>B)9ITC<E9fz4Zp<{1hTlvCR+ z6IIsBO#=|jNq?NoSSM>vr?C=SHRWkF@|R8^!?|I`bARCXSSE<<<IHQ?u)uJ^oeceH zS*H5|IaY5Xq>#-laYG&L!M36Bia2Ya@_wDpVSuwtM%?M#Bt4c;!El5Dn(Yo+Cdt_| z8<H1RurzjGc$vUWOQj}^d(Kz-8z(|V$F<!WSY*zb$-BYa0mR$1=tb|0{a3Ljbfe>U zP{y6^`SSN*aBi4_0--QB_Q%QI{%~xeT_FMU2|T>SHR5ws1>%@F3=WyaGv%W*pa<za zeXu4j=!>sV{0WfsjD(}`m7W30`igsqSID4;0z+^mR|x##sF<d@z}f)kLe$PkqZWqY zhSuj%{gI{<UO*<;?2GWg(REH(7&pxB{R(8|?g~zeB1__(b_tUPVR)mO(OV<UhR;ek z0R<~M4-EB#;24jxl}&`NOe|>M{E3hPze|SI#r{07E>$nji{o!M(NdRLyo>|SLo~1} ztTAV(TIaWPs3Fy2SqD12TD2?Mc8qIwObn7gtj~V@Sn5dYmW|7hXkNEhmTg?sIKmTF z+9!Fxc2<oVOIFhtu2HtEog57FdgqNAORcza27M6p+}3s{xQn8>qRydBub{-a#sb$w z-Jw9^h>=uEGKp01I<Pbg;scGlvt)5v{|5_Gt7t&T4r+&Y?l55Ye=6{XNmtY)Gjz|; zL<>bq4F{L8q2w>o#FsQQb~4B;KSHIbG%8N|>(EH;Cmx(`5t-lM*74P1D4qfACZ!}{ znlDw?>A=R^snI-#_QZV&5V=7uycj-tVHTR<5KaY$_sXs<m<WwYE@Sfkz}A-V{%{uQ z!E08H{wBv?FCVjc+>T`ucojt?{C@yfK&Za~eL{!m4M8dvvb9ha>~j9bHNclpI(F*@ zR+m)|<?5k4J(RD93iQxi3{ieEmL$j%{S)gw_)ncrTXS`zq$7Hxy)Gty?4MN&tQm>s zc}GyaRKO6?3xjfO;fDGZT}eriJ9u_#*M4Nx*+*)CKuEO}V<14Pfld+uz!?%PgJ-6O zm2P8FPIR(~v7oNqk%i(|PPy3LyBlRkLV$V6R~?mR6y^`pM{Wa}trSSrS~Z(gHL6Q_ zlI_S^H?@qD#*?h=Q$Xfdt&`IzcMHIoNG0z`-7y&wClbgsk}go`dMt;B*a7Fd6xpg& ztxJJQ4ABfCK*>%X6Fchb4)Hn~$_1qMP<0<&gY4kyQ}%-f#~HRv2)X*)egWI@%LPoE zh+0U?5fmELg1C>bQo4nf<~S#%k?NT8(7G#$E>lWr0mw6XJT#DGt%3#sa2WvCwS(;d zr3Im$+S&w5DHrmAr|flRc^a*l1gaPQ(<fqjY+_P7h*m>kFgoYGs*9?wZk&ZZh_<WS z-RbIq0=IU$F5HEg?qX(*MXT;1eVfvVtGhKf%HTY7#{!%`q4CMlWrE#9>MX%?a+)pN z`!7&{PZ{Ey<j~{sptj+Az~NAFn?(upN`wdTbN`(+ak;w9eFeTt?yR{Y-_hnChVSd{ ztQnSPwz)O<w%iG%kg2%hyuCTzbSSz=-0RfDy?1NTO86Rvui<D3d|iRBE79BFD-K`r z=v=+FsMuzKQml85lP%6N%@w!T#hWewQ3BTDUQXPbUKok~jp6Tmoq|;LX*mTjSwYuo zIr;FhtrKInX{$ctxQ%FOe$bHUZ2J7|92<hq7T_%23N%S~-URwK3QX+;3~>Umu>!Pe zy)?+5)3^ZjaV=-A9!|xoPSho3ra+J2h_d?U0mL!CKxd(%)(#(w^2R6$ebG!}f&x;Y zF3@ddp{Xya0C<@+jEcYu7Lpz80+^Ew#@uuv38R$0QiwC<<VJi`SFtYMGFZ(RRZF+t z0j*gDs&Hc!>ccx3sX>`{HSVs3@D*tPekY`K@&y$L@Gt-<rTekiT4`z{e$dbF(91Q0 zy_<sOF2>rzK)$(+maicbwSr_8=t687QjqOjxqVtOC`e-9PdM{TTL9l}F3Z26(xfz- z!Ki;8JGkiASp58Xkd4ID<}*P}+N2fj#>lBGvQL%ItIa*C+^u}U!?$Cw$wvnZL8_Ug z&mnM+c02v55Y<rnVIhhE?Y%^y=U8l_u(t{syV{$3<W#$>Tgt{Vo6i8>uo_77ndmPY z*Fp35uf{%T0IjvQaTA6m4Bv<0q%u1L4T)w8C(l(`6QSK}rvR=v>~Rop&~{9g1W52; zLOad2qIH1-h6@G=*gnh*gu0Pf1IGSWGFD$%pwH`J3_=9`Q6fk*FTHppDqLP#>i`9Y z_S}ijjpOjy#lBx*&tDYdv*-?dPDeucY&JB<btCph!7ils`XnJ$KvN8ID&20=8RG1% z2`-@5U(uzLe|h749PFX-x+xP6xt;|USO5g>A8t^a<NK>0<hV8VR9tJ8i+7g5YukPd z;4;5_{i~S<OosUfk|!(sC3t6Vu-LlnFH`swpNXi|Jy9dtNaxBu^!Or1bTB97(d9_B z^!b}mql5?xUCbhUz_c*E(^wWJGz<Qz^tw1QUe0_#YS#-m^fe1PZdVC3j&3haKnavX zC~9;hBGT!XVC2<$=)Yq;sQzhg`e%%x+n^f*b%!OBxUc$1)acKst#NxBu}xI?8(5{T zZnT9!vzQKJLtXHIeux$k*99VwbhY|C7=!zYP{_8EM<{Wfha5_C4~JO{m}MqB5|jm! zIXVIKAB0Rq?PmjU9LBYsehCff-2|~C(!onTB3km_!Jb0?+)RH3NP)KQ=#zPr9rQUC zc0za+l&q!l&=G@`W?V#-mwJ4ml3*2b<Rb2mxMd*cduY}KG%(YkpC^PWt^O34fmPFT zwK5lG$!Hc?q;3(^g=&4STF-;|k}?i$)CT8@XbPA{NvYH<aMJaFp&6>ea;3>$Iw1!n z@EWuB1t7F0ms76elr;iZ3wZ|0%udOqJO-Hxw7dCDnPgmRie?b^hNEWjV7SIjdvC%9 zf?XyX(@pJ~X;gYn0F|T7C1}-Vx(5Z<LJdj+`LgxXBr*ew%}x)1lC#on%2t7s=fR9( zFhvX7j9Rroj?-qyR}LBF3G^N4PNn!pStQ3_UPM=8fzXt#@6@kI6t?Zcrjd24KdG)b z%#>zbPWwnRs>z|yi@+`Fo>%aB;5<Hq``NRPJ&&;`WzQ4r8D`HT@T7wSng;e$5v>-J zrnfEZ#((s5w!SKU;AH^hqzn@LHEL3;)?LAsf+HCmH&AJI%Jp9A1YW591KROpRt0cD zfb>O%Q`xG(9%k&PkT=+pz>mi+3E+CbrPMJ?0x9GWt_O(0Z$od`x*TW4KplLwO;AH; z5c5zsd%gzG)@QziXW*0=m;v~dD+dsOQ=dN!FL8S&#I+romtV4c<2do)A@N|#a+pGu zZqYUXX32mpEFKI*HbIm>EfV8v)!@^R%@GlQ_+RNDkP3pCHh>Oc&q4R@V4cjmZV&6y zJ*+eLuuk5Co!PqqvOzrx&6n;`s8PCIp@KB0s!Ga%kQnsg(tHTvh2DEdzWLroBj1Kz z8?NcG?-sNx3PzGrdUN5s<?@a4JTRa1aVA^ij$!oxVk3qw2_q#AK95nopW-4u8~*Qv zGsJ^$gers+Iyv+ngCuniwyZZI=*3=lZLyRU`){mR)(5@+%nGE}6v#?>oRxC7w5;WF zqg2syd99S&a(SZ|d{{`fhl8))2N2A$R-Ra%hy+g6N2}L9g1@ErrjhUb-kG?lZ!Ec8 zp4RfXVSzlUJejp+B<nC}n<X{|a2o@72?20LAp!7b1XwKw-of{yV&F}De;*VDe9L0s z0KPYgfj#(ME(ZQ94Z8=aArwUBa*KNpx%EM&LMfXg+JZ=VwbCpSLdFa2LCT{qf&_0f zmh069!eZb>knUGOJOL2B)oD7R#8!(>QILyb;4xh4i+RMS{>EVt2VbFOk_CuoIs6G# zRbucbFw3<Z%I^#!DWch_Q@`F(PCFaU(DVK9WJ_A=^F55uUtr@{1u>m$tZ@CZ_az7p zG669k`d19%>cE(BQn|6oa>i&9VYHxJ(&W@vv5$djbU+J|RFZzw16a2h_$?21@vxk^ z^Jx$cY7ip{dv-GM!))iRJhl~j{e8d*+WJ^wL=0RHWn-KF6%)T%g*0E>w>a)@#CC>) z*kpGoh+@G_?{zTK1E!`KolMeUCD93Oi{q^fu#>@Iq@Gd7s<#L#B55N$028u<RPm0t zqy>82*mm)CP7NWnWPPsi(8<`CM)VnxVwe>87(RFI7-_GY9zqql_bpt@kF67*8e#+f z5iSzP9uc>{#^S#%{%8TJTCqo^A1JZ!NpqFh_r>4~kT$@oZ_&{fa8c)>#Ax8M<uY=| z2+s7*VpJ}~z%7?GP0yAunb(jY65bls6czMO)il~Mz5j<#vYJz`A_Hwp7BLt>9uot< z!o9^b;^UQ0q4yn}#>cf>{<i#xPEM?QYwhfNi%Ay;+nDg!1u0t=5k{BWI_eCl5zfj4 zZf0Z);ua-1jFUz0D0L4~DmfF)&<n=wwgDUyK@GNI(&D%p+&;>b8k5PuM;fa_?*xc_ zfq`HSk6SBRo(FnZ87|stC&&S8mvT67+o#B3QohbKa&DqTk5;rA!N=?1wY4n=5Y=zX zc|gQtfL0;U=QEN(j+^9hi7|mjmg|h?={2IB#hQY{riO4*jut3%y%^XVXXG7Fam;aU z*lR%cM2PFTYsTEdB*LQr*~S3)nvUSx$eFFdcNjh6JcK(8y{HSqpjnWi@5Pck`GH8j zl&km5Km=4C@%6>=D38qZ94Io2;}~gt4m7D#qd-#~?{1y6nRj%oA2)bLImHdWKiaqi zGwcA0c%Q`N6x%t4jWyS79zzaO6efWOnH;*BG)QM=yKI`tkPgWg_31=oLM0g9YQkjc zCc+y2-2HBkkM@8Kp+x2@m+b2Ej6h=K{VgUV>&@2erO^W+*Tuq)$^>F4_gH3i4`bAa zaNn7{)ncD7c{RqnggrY9^PSO!cdvnXlhf&VOYSdZM0he5oy!E)j%x%~H0|z|Vopj$ z*spb1y&~lR@)Gp;N@Np;#cro`+pn;<q;!3#Zi?paHY5Xu(ahZ`(l|YkuMZ#g8ey|` z;q%?>iLp8vnB_?tQ|>~Hdp-Vqy6$Ucm1#@`AqPeiLm@1bZumNxSpb7t|KjEGK97IC z4o7d+OHdA=$l~<=mevHrTfRm1jF~p}nY0joxc#P(s~=?Svk<6sSJID*5>i&4YiE&C zzP9JtQ9P>q=~w;OIhdQPmG?yR6sEmtKz3{d+zCwH0I=GG;<h=7tAx1bCm^2aPvDC3 zf|Dj_d+>t_s3g3^;%W(-aNCTnY*t1W5E6Qt^$ikr+lk%}p}l`clhp+xsg5_)+umG3 z-;ZiqSNo2Mg-&kL4Nh(`{JjK!U%_7-{_eWb$*qGl{{xN7(JFleWTy?SuaN5(39B?= zMERZmd{B%ZGocaT=oACE^S2ANTeWBhJVUKGpG4<(IC)MHv<_!#hPp}Ua29YK&N&$! z&g&pp+~Hh+`-mh9^KFY@4o9Tv*cyBDTVfyssm*l)%SMBZ6o;1cA>N_7dJZzc;ms*z zxYO0m_;Cf|L!+q)o6SqAyF+HCY^w$(6%oo0?O+()I0hqSmB6*EDriZfq^v6Dk~obs zzUw&DbV>tbv=sAiem-g<>`Qs1n+s}NzDry^L;yWO@+y~xrJ6P)aKOF01v#@u%W>*U zSS3X6CLOp>^vR6KCnn<peOnANa;gaivyyLo0nCz6rP)mbH|ofX0rX$fDg~&zTygdA z_U7)*Kee4B7qNsQR)7i3i%c{xOf5_KmS|H)CBH3rPEPd?ERSZ8_A0hQ9R3={tOUIw zVhYf2c~FxU`9^SCpe~$)9jnArWGuxQO;=(@nTJnd6ss?8NOb8PfKfC9;W|yj%(@#g zirdkE(b#}%ImJ*e*vI3pwzk2Pq7SDemuhe|+BV?mkf+fDhQualVj0$D7+Hoj5~pR% zmfbElnA0Q1;#}icV^MkO49ql~$G;>LJP%*!ZE&%NacLZxd@keI`D{`&tHF6AQcVpp zL-HA>FFgPDl@WV~SsQD%KNDlG&;|B-{s?;o53|=xVfOkjWX)eZ#Tc5n_)s<9$!aoy zWK7tjAymM~-Em#3>SRbw;<<1qLl#LFL@<15Im>ayha+dSoCnY~gCP#X=hnSf%rLlu zKZRD`2E);aC1^QIy4h-J6%KH99JxFGDRQ^IURs2mMsLhb?9J3^-H<&Sv)A?hF1g?V zoeSnC|K=I!PH94!a_Od~uR>LyE0@M?%=Tw3hd$@uJU<>gKeYmxKD*X&WNLVJL<tLZ z?evAoZ0X3f-)Sx5+99r;hLTYgdXzb_szCpWYcbVAjVjP5aG8np(bv%GoDbuC?AWnJ zuGq<~)`}8-HWqblfh7cgh20*nkB#=NuDI<_ZuJqW$uZ)JC#Xwx#X_#W)u>4Ug;n>h zR<rQ4wxOYZ1^KwHX4D((*s;V$K(4;NuwJkgVYxnH>Tqcw*7}*o{I~_VDvK=TjmK@~ zV*0C30Pm${QYq-+=P>LN2AupFF*p%LRJA3vjH;eESz*RqgX#;)(6H1Hx|<8}E69>3 zt)Yr1Evl;zINlWtc1c$99u3^eaZsrt7~bsMx|q0P<P6j*ztz$V!n**udn^jqB~b7( z6z-%G84CS+3)=y4Y;m*;dUu=s;q~9`mTyo>x3j(8{6>6JWoFVDOeD($zu|r@2ji8) z0;x9B>u+V-;P&NaX?&yJBd5s`dZQjqs$*)E`C62I`tj8$DIc>v9a1Gg>kiE4xIf_F z*ga-3a6fz`iako-fu!C%ExFw0vkl;?=p3vnRvXmh>+Puz0NHMs;ng=ALQmozgF}xr zf@mOpxM1}L>1-HT(T75C`Iqg4xl*wt+%f-$%WA)-tVBsGbes^Wd3Kjs`Ugvke4{i= zqQE(}QPiMB%RgG;0lh@Oxp5QD$fwcVmWAMeBrBx>7)7I8?&s-bKCwyQrFYnHt<lwk zE_+@#U5>$#b@oiQ&fdexcK}Y&49J;k#MN{!bYYQn1B&rgy2P1C^RTKuEoUXl8G398 z?W$V(Gl*^XTN<B5Y+P|%npf+3{092ZSddy5_Zu73=59wR`jRyJ$YA7?6y`Ky?6Bub z6@(jbniWZO(>F>JPBuo()uU+E&2t$T;Z3?{L<LmKVzdP&dIdKNbl;Oa)8gpAUh4#7 zU|1RG9VsLGKptE}B$Z}zq~$}S?Oe;H6xsPJ0d-b8aI=prER4Y{KF{a&(uXcV>2CUI z1>4YYbjl*+3xppNmF_EQr8%0WEH&pVN3{mXsI1{(?ye{8E5>Xo1qbAGFGcB98@<I# zH=~5Z9W0#8X5f0Q6RNd(X)K23@(LHg4W6l;8cr<m`mK%ou{#IAtVMOJM{Pb2jj6!K zfbxa=0^JVgoFj%5sDyPyh=18$EY&AE)C<j+{Ab)#u${U~T^3LD<;$eXJP=W&TkOjO zd7PWxgP38bPlryAPPR7-vUMPmg5z;ZB1tx;yUs(c6m7c7Xut;a)}0uLm%+Yem9!@Z zU_2uz!2p9G8HwvW-FR6aiT~o*)|`RPz;bbW1=!*B<+w0j^7Rrc?u$$h@n2WLms-s9 z4Q;;CnM<2zCKL{Hr7~Qw`4ngq4fX9x0fR*S;wz$g$TXx5??H@%kp#tNg0h7-NLfDZ zw2z(uVo<IF;_48#4L9b1?slF*Hn3g6bcB?RZte7F`X}`(MzjrW!JiN~>6!zK*NtQI z;3XWJ#V|OwbM|S-DsnD;1*SXybefWz+}3e_guMe45n8|ywojLM(i#1pKbNNC-Uo>} zhGdaOfDSr2Gh2&}*7!4MEvGY&eY!l4b%u{h`FcmllYDfT?VFI1T)=VBOm$&2%||~P z8nca-WQV`Sa1b)++(h3eG_R1}G-V+tPjJ&&I+cQ6F^*RJ6?b@UAMuugRs&sebajkP z+cwQ{e8bKD?&Y>qgI_sZ=BZ()JcAAmCh_s%KdKC(mSwetd*4Be{x{WT@|7wJjzQUI z8>nP*LK*Jf_-Ima-K%tn$|rrQjQi1!)O8TK@eUA4OAs-jKopx*x9id@*}?{FVO@{o zFVZ+j_Iar398>Kae~};Z`h}zrTa8N58HikBFKvMs$>ya$nZa}+G1$cRg)C@UxV2;x zdR@2{543Iu3{a!1ZHMex3{EoXFr=M63vFy?dIS#`l4hJjBfV*B#4p29A>nwsV~w~K zVzw@};3FR&^YP)thZ`TO@UbrRI<C>&EuSDz5=`Z~n*<i?5}qS5+vUQ`%BLc}V9qE3 zMT4AF{<>9N*6(;j8ejNEjhn7V1skSumq3>F2Tw^Zqsvlw2ow!lm^8;ob^pcxz^(q9 z2mhjULcx6)4H)-fbRUc>S!OXFDLiq%pR1u;SXnp}33Px4@{tBs4L|}+Eo;QNkxo|+ zv$tmBW*kSjQkZbVQby@Cd>L)w_Js1UJkrCB?7;QVZ$S}BM~qxs*aM2Y>goqPJ-=8^ zjuhd!9QX6Tc(CxKG^6HuTUh)zOs%8pvI}Z;A9FW{sAZ5Rwqno~hafLy)0G-qTuX&2 zQI4+YYNyXZ)GqXM159++3pNYb&iNb{rBr*Jd1F3xfuZc5Sj#*>fIbC!j9K4S(!rcV zVZedf+oj2E+@0;x1b<3{z1b{2i9749rpgY}ot328N+OP<lCyZSR06gN^wu&n2!^=h z^7_ZxEUgnOoyEB_b=S}fAokmUiA!#gEF~)?^I}J{dA*mN5MkL|xlqygs2;ztO=!(# zS^ISNqwCv*JC8~;TQ1!!<uZu84%5w*324hGG=?{fgK=xkrH#-Q|E%8W&=0NC$9fns z{~H1QZ$1Hr5%;2I*Wb3x8hF4kO`gv7*2e>35EVUd(357i%YwZcWW(zGdmcD`o^88> ze#81*Ic%xBD#6duZCA&0BW`cV+8-}s2H#bN-L98s!F-VQYkcPH#^<yb@mcf&K1+WA z&o$d~j<8qOYwR`cS@ueOn!V=iV6U6D!|NAMrG{srxy|i*g}wP*`{5k|i}EmrgWWJu zbf$9fjV9YpOx*R#%rdSsbvHcI(N0VK^-N4nn4Bsz;C2Ss=lK!4ZC7k2`Y6-i0Q=XX zD+iizjc+sO7Bt|LQUu_jOAM4COk?`B7F<{RO)o<GrCAE)rAZ3SlFU_%q4x85sAd0n z_T&Y8j^mj*?e&qqMuP!YXhM~FJ~thD2P9Zn+;@aT)Ga*jDQ_`HKD1;;LR&2V`Jey! zDo%CG$3Cy{t=BPQo7K>2ao#5nhMt@T!Gj!&6CiG>JlIg59GJY+tF~u-p&-4C#_0xL z%V`AMU&nm7a52OtwAMf>GQQK%+0@?_`~pBbf*6q>2unAIp8xVP(%%truhDU2<HW*< z(;a#`3)B7i_tWBcm=G#&GnNO!@)_vM4dzfV4q2c!H`I)PZsxf07-&(pa~_C?SdiDg zkz^la^3Vs%k-RDr0P(Q^Y*&Q=6)~U!?6vJKtY#o$kg{8rn5J3Uwx?pT(Q&9B<zQ4k zMnOTX+fCSAQK2KiKJcVL)4`}$@5Rnw50vvuwzGQ!`zFueGZe_iWaEj@gZawP<c;Q* zCD~BR$(BR;QBk=(d1E$4<U_<~`K^|yv4i8v9LJju;o2P<_cP9*aSuY-i9-2kA54bN zW}r>6lX>MWUMEdcwyx!*Nn~Rq=%a!^pMLLsR5?26M}4RcWYLR*sN#Vr2M|^6aTGDv zzT3f=m;y$~I$iM>b)85`^U@z)M6DZv)Wwa2K|?kGT|2rENb#6x^hZSQfeQ8yjOZI6 za6B+PC~>6sz;u{)tN^HQcvzm^nTns-Z(7bKD5$tDF1Zq-C0e2kUy;X;1(5(GdQKUR zqpM#Zaq^>y(ZiTG4Gd_u)Y&mA?DD_qPT*s{2QaM;sLg_7Sk8vod>`5`;oj%*R0p0S zu<w6%GWu8j7;6TrBs{+q4}3O#x=o{3aFb%40bSmD+4pMP=GxZ@47{239N4;e9>hg~ z02yCklnu|BAg_hW^UxYQ1r?sU3)i9^=hgLQ`!Xs%8G|ZXn!kV|kK+=A{AF8qpi2y( z*Ri;_5}2i{_y2HL6*KM>s%1S;%y+uxgK-f0?QVT+qBpixqObH^aqmL(^?)wxZfkiO z5`_xKG$_rm*b&?C8E65Ol`WtKo`iAJT-~4vE6v?J6wuU5IsvuLa<r5<`fboI{U){C z94fbj)L%e353V7%maS3empPsH$QQ{)`X280?gLV2Sz?^VI~|b?15oxB+%Q;x8z1G< zUmeB<3WD=)`4TDT>3B3H%gw4sh#J-PLPBKelIn4kRMFk`A{=8exO|wcAdakGPkDzi zfwgfJGC{}ZkXqfX(Wlao5x{DqD3nP<BaAndaRCk#%W_@}_;48TBouw(OXP_&!E<7u z5+Yx1#W{atBN@8*k}{j~;KYO*FSVd_cB8V0+6Ix&Ya1FzIAk2DY%JAz#7!UWLuIwT z(L+j+E423pD%Yim!Ow7$D-}7@AO`=8KGs=O>QAy?Ilt>Xw2zbvySmxiysM`GwHDBH zl~`)CWer(UZds$6T_+&g8Ko?x6bYa?t8GbcUTbUXBuwbl6ObF4L1N{iglTQvk&9`c zXpCb=(4N3Jc?9wQz>ZL-VVp;MFUifg%@&;x$bSAeWaa1_v<UOJ4e7Z&RKi@;Z~@h3 zT(*t!xEu~tMz=s*yHfgcA@j=hU!h*+;FpRK1~xH_wacG;4WmFWYnQ%XS~U#{ZzNB? zj85k5QoTJ_evmx5Uk^=!5LhciUjTZ0F&F)L8FR3G@|CLq-X8@hVgTA+ERP-<jo<eL zv(BCj>lrH`qmw*&7(zE8iMr`O0|0sQ7<@C;ys*<v6&7_O5t3P9n4kK;V7g7{;M+(c zX{D`s(1=O)XAvtI?CGhX-e`Bwa#m+(i@Vb$pku<et+5?I71B781}J0#3NRMa5y;*U z2OVrNKN_8e(V)3&)q>pVr7<A)+J+IoDd@-|Bsm{&vrl`M{1BUq`kEU9`^N@e85;<X z20{%ZXg#i@l}?O_H0AL)?j)7-$#6Tv0}8+fr(%&1JBkjX5!A#0E>Iw9NOk|$(5hcS zIveWRgPL>)p6m0H`Hn$pu1_td5u{3(@uqsIi#fM(wK(NHJ4K)JYLWLzXFV7)IM=qI zm}%$*#+b*><mq#5<vP&Qw!mDQM{_WG-P**2d*zfq;WqW+glncx^d&exRJoRvqL)2= zl&xC#T*Yq@0BvS+N$yE3DrrRlfF?yPC{x~rHq6}FGF5j!o8;CLwRg1>kRXs2Jfac3 z{-E@clk+CsspU*BU3f}ghsteS{n1#@YJquHgKPw&0gZi*{%~}m;Qw3I@&BRf_LIq~ zcl^Iqt>pwDo*fcM)T`xSy`&F%bgEWlnFC$+h`wPk0?>*89rf)aXiWsPauL$OJj72Z zS(pNPdLlg=>ferfcor+5_Yc5GFt{(^;6CxGrd@+RkO7bA!!UuU>a1M3qu0sd+Rqj% zw4gxmOfn5yq@7lu#NKDE)L<@!Fm{Q$WnIUUXiAlLJb5p=OmtQ@q6h`S`n@j_G{L5n zv6|FEoF>e)`U`#egSgCU<yu^z*@=_`-`a+?Y^8H#y(b3+Q7W{c9nb?@q4**c5=eXV zK2NT@=}Wj;5q1iR(H~>h6Rd}qHsZD|SS7!uxYk>XjB%$|ht!I!*rm9QRm(;@*Ux$B zpOAfOwVbE1JD2jBYKo?NX+6+;t!)5m+5z!+CZG9JZ$*WxkMV|uet4YmMt!?qXgq>F zFMN_%$`%8t0g=iAbY%eL1`8vV^YoBW4=vC`UsDz;(L<l=A*UWXtA{G|&`~{9rH2ma zp_QdLlo;`AjDYUyzL1=gw={yZnBp6w2W$GI=c8Ncm_GOEqxA0=^f>0&uw^aeo$aF+ zFQcn7V|2;7O=CjEtSsVWC`5~mDP%f_zCzbyxzzQsrXdHg;oA^pqXyq*>W?Nz@S6ns z@LOy(5e05N?m`tIH8zGnVlub!6@2e9&p}RY+|2?OJ@5hxSXn?RMF_}?47CdxNSdgW zA|NMaDWz8Sfd@7Vb|O!*B6cDlb*5s*r|)xuVUAENug=Q55<Djca2C}W*o{&|4Ezy^ z^_dg6VT{@7gdzMy0EQ_wvM?);u|0OC&esfI`q5=J;j+r;uY1|z&m)bkHAvd5fYKpG zs=Jb6p(;t;r#~K{?gdv<cg9eXx~C#_e>!w6b>rev8vV%-+6hUE821p-ExDS~=iY#l z>x59bf$3lyMdG6R=_PR=zdS0dbwZ?B5YQ+9fyegS-SpolB$l|xx48s=N~<f@T6d|# zbs5jB+PYfnVjZqaTp5()H)!ju+BzQ3gw}*yF?R^#+;q$BXtn0!A(moSKN>)NXaL#5 zQLDJm6`$=gw>0;&^_o63sz%Nsq4&6#uJ6Vf$V@8DwY#5?C(#9eMP&|`j@dTH5v}(Y zXv%J<ltm}Aq**veeFWCrZi6&Yt><@J#J~@c?3W5k_pq9+R$^gF_m|3%6!-=RwJ!cE z<_<rPu5C{^&r4>ysy*pApM|SNf<-@!0OUN~iCZF-X0$qdx_2lZI9nL1GN{>PX>MWc zZpV<il;1MVho|0XiGKD3%)4l{awH#W#jTddNVORqGNz(K#zYcPx@VA+k;}U4^)pwU z#^&=St3So#siAEkc4r>~!a|an1GTnQ3#~$QB1lwU$R)7q-n=ncoxM3Or6>9+DkR6W zVMTqik88l*6mYMD`OP@;uC$^sNXPX-MVr+01w2G$BQ(=*r0+Y~7MMW{EYKsmoO+J{ z_iZ1KrbA#V8k|FDgouGMoM_g80Q;jAv<}bf`9Q%wx}!LGeL<Ffru^*>*m@?rG3B6r z4xR(&I#NroD?@AAs!NdT8ka*kjYBCYhL(<$ASPYocj#pRM`UxH6L2iqQ0%4eqr?0c z4r7Pk`09eWWnAL}P)OmC8aMUc!PfGih;g<79gS+eh-iv!pwSI*9v@wI`!%TEpu-SX zTwCy`?a)yGbnmr5e4;&;d;`}w7fSNc;)VK2!Q1@(2@jVujt`^)Wk{1|_<Y3$9>! z+U;}>AYJR$Zue+8&*J2SOQO)#^^5ermvSIblQ<SLBhl~j#769LdIJb+ePd?^oA*W* zm3@f=QEv>OjKbqkXnw}&9|m+u;}{g5Kt-5*Q23WnIj_X{rj0&Yw1}PUFXw9=vGrB^ znHy7VeG2I`b~-wnL?E>|UH@U?EZM}+VhhANS!`V*R=PDZlmd-=mcH{f#Oy*O*b&gL zad%ef;Jx%UmcUSQ3AMO}n^*<*`gu@MJG&7>FMUS$k7Fe;Xqcu`{khBQ+m-7$Jdux= zEZ{W#5OhD?aYWw(z`A0?x^8ssrc*Njw$tw)NiOvx>^=ZMU!=h^wN+>*c=vbrJGq1S z@R69KW4%by5-0UKdB<?mS4_rw_fv$T{|l7QriJ!7^VleN^fPbJTId9AZW9H7W63l4 zi4#-?iO17*q^!gk*;dR>Pkm`Sl{i0Dl`B4dh#ac>hQA1Ihg6jqkBIxqtRAnp?*}H^ zDPO2U$PEr`m`a+>q{{5L)Raz^3&yjKp{9(xl<-`~yG@k!`c=j0<@tvjErY;$%->}v z?iRW6o}v*amzeEO?h%g`m3dL&mwr0xMz)-emd`T4>n3&zOiyv^8$pobAkKmaoiTVq z={6*HV8-~x=uRX0Q7VJ&6x+XHO&{a3Wea~Z2Pkdx0dML#4<nwBRPNjawM}G1aUz;_ zwbK_JECHTb3$X2tr7IxY^|+F_3uQ)oQcim5s;_nRP+y55-jzG0yfS9ak~chdyOd4N zeCM25iI|P=JB~Je@tv^Qc*t>Ny<oS?Jc%TBCo-VxVY*2it;H2+WhhlPqiY}F)cYBW z073czo3K`?)iIbP)TOIP6|Y<p#2^}^B&!iBCZ%ifdD3{v@m_Pmce>1E%SvUnU4R6Z zJPniYGX4b+a-81$S5g-zp!uyX{SkDboZeZv8W}!XU%De1-iG0&r9V!F0~lUd`qN~X zU4?LSX($<f0>jfwpGt<G#Bg@$PcWPY;WpH$Hmvpw+UZ(#%j#$vHnK)LO<b{BwQ?2A zNGlqW^ANht6+?ILD#3>n9~E=U#@uQ_vaqwgb~i7H<g4!tn2oZagw2kQrVG$?W3^E4 zh^$Y=<P>BZtq9AY?|;Rti~L465<}(tBmN3!VAfNHGPf>~a!9*BrM564&4NDx{#F-8 z<O;g}A}+qN<ES#biRB@jo)E>I_=v93Hm)S6X&o~eln#NIq7RaGg^E&%LQPU(6&TxX zXOqiL$$83hR-a`4`yisX6Ccru2eHjN@e$29h^^j<kHprcn@;?SoiVJng_Y)Rpo}vR zYj<_aX)qBS`je*FT|H<ababOl6Gk7yAwkN3#!0El5HC+9_W>2Xtu9^#@v@WLw_2?} z(Ybi_c1CG}e6vnXYV~=N#Rw_~gT^=P)#sZhlj`$GSiY5N#W+E8osXWQTl(06g)tT# zmNG-zxZ0yF>#mJXhMpzOXV7a$!acPI{(?im(ym5q9C0PFG7;Aab@6Ijn9?&zaf}qP z<SG)_wfySfN*4568rR|AK6)l8^3Ckz^9wL}g4B=RlGyr%F0^%(PGa&SLL$ih+nT#E z491I~TY}eY1FyIWnN_2;Yeg8Ko4?c-4Mes`P@CA?t!rm;J4v_PwqoYxcB8V%Vw4Mr z(^{IJ`qRl$PU%d1WtYyvS6V6Od=8J^mNV5I?;&VB*x*d;&9SveoImVry%NE|)*?kO zB<8_`-vTqK%~X=VQNT?rFzyOUX36QcF0i+tv6sZXVW7Q_bZiZkmC@4xnpW9n3WVja znfaSs2u-EEpJ|$x6ya%Es1UDmLF#`2#<`?aGA#De0D3Ls1!64wXMTRMkIp=c+)`Vs zmgeH^YnpUaFToSN%S%1z<#wjLWnpQpbgSRsp%>4v1#6rmmwG*J+I;gj6uQ^nW{d(; zr12sy{J*NP^5~1mKy&buQ?3WY?!}SS+FB4M!1h=_-NK-985HQfJ-P@d)fSH}>{Zjq z-^em^C$3HdBMDME$^w_bs}q2ES{BZdEw-@T761J#@#%0Ss_Z3NTJV%4w3%8{?oyYT z+op?q+ufD)^$+z9ouH-RaZ?cO)#f&n<}$Y$Dxm_XE^tn|O=*sE@~>Kk@}<<4p>+9| zP!iv9m&PHjLd(QJFQ9>AC-EievZ*q9acT4;mVk@6>=<o2-UEaPS~P?0T)C|)no?QT zvT&tz39-FyAYuSb5O=)Ip-Mwb@hq5b`l4C3u<aZ)18?th#ZUGIyQJ}Vv&vIe-USWn zlE1>Xz!*x)7>)v<aBoSvv^aQ9Disfg-2gnBzTd4kGONu5&C?sFrH!^Unnm{|K#Y(8 zNz2TYy<YTnI3=ZZq;S|{n8DJU&Dct)UxBbnKBpN*_P@;R1{wRb1a&_`L62qjKqK&( z*V8&}EpwAWYhWi5y;?LE1{ZHRfwmRr%0^X=lVx$#q&=Qcb3e^MmthzBFP1{Bi`L&m zs{6szT7MUbMLtal@uDNrbi11tyvy`o$3^LeM0Vq_&x-|gT}c*DwF|HGQj73<FEClr z)p68MVdpwP4Dkn+c?DOHZRgM(L%vyi7k#HBb7v|-=uRm5!j=--Bxm?jmhZxZXsTWU z7*#=>f6?7a&&u=zyb_jluCdRMvYpN~_FVar{`wm!dKrrHcszxjo|7@B+voA9u72%Z z)fIzYxy4QId53Aecq7eB519Wk(98P)3fDGJLdI$By9fbVL0#OZ<@_40lJ@9IC6*%b z(10hjoZW0;({WJ@pa)X%bSVS<H-_*rP}t#gLtXTvw;AIDx@NDI^CIM6j!96T*GK<D zw|Wx^=op&pHe@iE9Dp_(@pP11%h`{MG3X417jB^lb?!p1tC9OqEKK249*Hr=@%Ua} z`ib+8f5e-S9i38Euw6<YJh2NM9ipqeIF4G*F|1RL+vJ#*a|DHGpT1Cn@5AhkSGj08 zVT5z_+gyFNKF6S(cJMwZIhq-~D5sH*NVg@kPi3ChgYT+ESV4WmiczHn{h&p<^JH>K z0!2SNF|b*1uyY(uc~pVa#K{2!p_wNWerM4s$-~w}Kl}lPzj(01z$@L(`nq<##YYUb zE_>=G=ox+98r9F26!3!)cB@oDn?Z@-KI&3ELjICnhMe&4O5O))U{^>bE|5|piR+^% zDT_nS+X6jO!LQf_QWJiKikp-YeKS<1VJ(G`_E6dI$k&yTuXy5XWCtBrY;5O1CAK&& z%2vnF28(_}O^TWe)XXeQ7B(t^hR!zH)(unX!za+gY2<FA3&#`wO;Il%1g!3(AMIoA z+V<sEG58B8V-0axUqv%_jU%$*c3@r+YRdF^yma^PnUzQ_CvZS+WXsL)NjQDuUEj24 zWC*!#a|~^qM?XG}E=VJ_e^0L+;KjgWnl1xYt-I3uU35`0>DZe(8ACIeIb&cZ<Nk5A zxyIx3`VFCKYmG;(Gi&R3EeDwuGFt6*W-(Z=pDl14l@6$e=&MPo@K0h84=o_S;V~7* zkoaT+ys=p)f5)2DdtcHO{TkP#&FoST>nO7%?k@U|z07w?xXM#%4jv-?yAD#!Tz)li z5799%UbmVVmgmACTj1M_&XnW~-b)7WKGHt88sd+T4tyI=Mi;~PN{GR0-2mof@5yr~ zKRbCQvrFzDyh!>0$_fw_1(v~2j3=A29RRmcXc8R&yCHpPAtX$FpulQ72VVkwnFrq= zJfpnNkvGU`au(~UKV;#QIW2fpfZd1c^+8>TnH8@jU3R~_rl#@bM@P<OBySdl;#RA3 z7zb1o%m?!epy$~plXYfgco^)@2MQJ_mxn><{cXd|p#>X4D}QexnQE0;d7S6uW6X<z zlnXTFR*qx0tYW|lf#}PtpJHsL9L{Y(hg{^xG9I@9nG2v~WA{i_3AQ72{2mQ@xG`5- z2lQak)>-L7-F>l+!9X+Al>NxL?aSCLmN#fW$kTq1tNmau%}D@)M!3xD^N`PQUbmgX z1v~BJ3g*548TpDt{07=E9|aJkc0szPeZn?feRzvZqtEZ;YUs~uIF8x*%gEXS;r<%X z6Rq@>#Dz151iYwn2kO$(-b7ux2iN!=Ma<82mY=7q-%jj3c<Do#SG&0;*HmtJ6E_lh z+HiVwe+~*!hP%Zd;_89NM@m;S4>J_?=#o4W_qL|f??;m>R|obY{q02I53{129UPE& zkOk<~=Z@y#k*`cpDHFcH6G1;URO)`Yqh|u%Lw^bRX1}@Kp31ywbC9s_>Q89vfKcz_ zi1lYj@k9^(h`ky}`--U5OQ#|jJ$`i5<GG$0882hU@W<HtIh3A_>#S1|joxEOAu`^2 zX!cMeZX5OP!^2^^+prk?sX;%L*u%P^4VO-NI_b2&Yv!T1Gq-tHH~RPfE2;o`kKc`& zac){tGfqVx>LM@wG+pm`nDwqF<?$*ofKx~ZUi;NU?*uvTp`YM>o~s*jn^PEZ;*CdD zFteF#1C^?59`RzvRl!mBW4+A$Ys>s(Hiup&-Sl<+yjya_Z)VDAHz(gZW(crQ&*;&N zx7k^~=y>QH=rm|_)k#Jc%{^e31Ybw>TlaRJ=cO<Hjg5{NJcT#nxZeP~wz*qgJ9?mF zs0%yH6m7t~IFryq9Y|`_2P*mlhRHV(01MumAcO^8>d-5aX257{c+*P@F--r`H9Fq( z;Wuz)@EAn(;?W4mKan2n8hg6rdtK~w3F(ZUN-W!<2J1MwVXnX1c4|2~om<xDQ5C=v zSGQr&bX-?*<}VX}Q*8kO_7z^4n8|Jn!;_2T3|_!TLsxWj3JfW$<Ae2<!izxM#=m&z zkzeah&z+-w3}C(kx$ImEkMDF@jYp#6$TFeOZQgbne*vH=T?t!3*Nu+Yq%b?6Cv}+x z=V~7rE_@6qA|CltB*!1^;_>>1?S={@A(%6=?^dhhU|xv9(~#f^<=sjqsLT3^H?A&= zk!Afby$u{P$Wr7oe~)r`(FUV`(Szh(-f^!W--X*}Ez0Hm^^?gPr=y`IDg5B+nJf2K z45!Pp0fCv5qj{lwx<^ueu^;_fAkl=0wLGaa6OTYv@T59!tnODI<k6&p=lz1}5dbaR zDH&61T}=7Npw{(^!KcvoMUFvCWQg}K0-C(H-tobP6!L+wI;Q7>?2dOK=3U48Qa#=; z_XFPX13`8iWH=Ayub)JYp8jI+-I)^LyTr)LGZCp<qf<incC+|bbZjw+;rj!gl_HS4 zdAy>Kl}PRu)TIJ+a@2?hW^+H7SdRA-n?==qA@fO63(x}YKLPYocna`zEEVKcZO|#L z)#7lZ6+W;N=d?77oSaSGVBLB;3YDf$X5XxLEB05U=SFW}Ko;oMF;KNUg#W<8pM?Sp z?{v`0;;Kolm>&nVN)yE3MVv1;GwoYnU?N$Y@!)RJYq(8|$AKaripDDQA5nMk)PRM; z(pi>7+39Y91&Pz5Cn_(t9_EteLhNu=x&B#YX?d)ilhc(|{4k4AHVK;i2=XmVkMFW5 zm?f`1;*}tCOan3}IY{q?M?y=+U8o6FS!>+%^FpRv;wgLv>PSV{4ZQMQ!OFN}m&DF8 z3%f90EkzXB`s2<`@CD`@X7YjY)+aAe!j|uZt!}Ld^ZCX~6GtbzRBMxxin%O$u3e1z z2CPN~-*~tTFT%S@wpQY)j7~q_$mO%eaSL8gc!s6m`K|HV28(ZOYok9`mI|7>P~F07 zsaOT6w1CP?I+A<3H8qTh1<<&EU;(2uYBYw+gW={&r2Ww_<Kn=4<YJ(ISL{L6DX30f z2@Chg{eGSdF{3N;sc3x6+=wHZKn8s`aIpsu4}^Zktpg#jEbh3xv7Ee7cs$Z;4lTBn zDOE8|X}y5wpF%t0@KP=C{t~38Gv0?mH{aPp;R6GySkK+^QLwE+M@~i0lhA!;wTf5E zgwQ?kA*f}%vie^un7hhr|BCd|R$1P5WH=HC;|YPK<+3q-6VFHtSn{*MQ#0KHX&-w| zz^qF%G(9Xn+~Ihyum&XBq{wF?dE*+1)=%z>!!&ib<EzkSdz{Qrt1Vyvi$7WhsRQjG z=I~Ir@hqs|PdV6G*?8m<4>B;OTw1ij<X=>a%kd4oqd}0%b@_HFfBh8Xvsh?}feE-B zDB!Ns1>6iJ(mgiu7dx(zarX&Onu;Gh*(#`yfue3He9KTB#|0VjM=v2GHplVEj>g{? zT5@Y#(U`bvAa(trydkyD0s<2A*ICqBLA{qpiE^(1Pe-jF``VVIffSj5QY4L6wEXpX zEzJ{9iX0y+MM4!jD#-C@K1;KN?z={K1Q^l~o#b;1Tic3<DsGFbg1W>I2l=)PSDw_n z;%dchvECBYcf!5J=x-dty?K!3H$cft4eGt|&`MhzMk+GQFNN6yB9vj)r1}9@90q_1 zM>&qk$pq*e$9*Fc$}mnSZ-K~@Ov(Pv9-UB@vI)iXcRL#<6zK1bOxSJ|pj4E%vc)LJ zRUMy^3ak4==C8<O*p=w^40-Q`r;wQ0pj%Bz;cVg&p}d4}e(QDCMPFji*;%)~h26?z z^3v`xiI0tR>(VjZ>awUtwIVmpju4I#xOFEJ0M!DBBx5Q{7$q`E`LGWrXrNBd-9Uq0 zUvsANmUj9Jr8=fXvw-ZBH#FP8>CbSQ&SG-!Ea(Luo;YSNi_IR+d{53$+O2Ax;5gGn z9cSdNWEvLyKfs&?n6vVVD40Y7HzsEv<h(VJGySTxvygUH&Y>^hae^}{)0lBRD;?Dc zdM7(tc&|k@kaCMstVtiM(-@NF7GeRBqg)2Phiqp(L^kiJm|czd9G7okj!$~WRaFps z63=YS6(>K&?J6b0M?Xbr^G(iQvZKPL&3;QBpC}j#_2)N$-0WH$>;kz7AP-#PNk$>) zJzpir0oZ*DQiNkr3@|(J9^P?}Ag=^oV$|4t9XXDS5)W-I2AWgrF3eupTA{+<uqfL| z^#z#tXJ$s{0r%)&+u4+;L(iN%EJ6-B6E{q%FU-7`Pbdm8s7E0G#H)|-P$Bsz6bxb@ z#MFi)W!@vG08oPfYK@S<t6rzf%;5-7B@$=z?3U(CPR?Yc2VC=Ix?>EH#?v>qR-n=V zAX%dXn*KQIT%p%m69meXqSIfb-vNRw*d=AE8S0X8$n+o!<v!y{<ZFn!4cNM$WQQIz zs0)K#@)XB3oM)lCLDypXfSjhx!6^M6_|RSaD3LQCYnXeLqZ-&Ld9>!Brm-`ciMuw= z9$<QNW_$Fmfl9L?-QlH24&gS%8G3jwx`f>K8Xi=RUZ1!Fr#Tf$0%ESrgK0Md)b$A3 z4qNinEoL@(u)~5U(4ey&M3?*?+(X8D!eOAF3B!aujlOjtxp$`@7WL{V;C6x;uUVAL zSQwbRw?hf-UYhxWZqIqyuJ>5mm>oEIhh5cK`@)D>yuW7(G_3f>u}77N%j~rcsKEsv z<Lw^B>^UEvcG<$Xr`H75VTXJ@tvJ98*BcLvEG)8a`rT_u9D5I%n6cd~kj_XfHI%r> z#iakffw8k~c|pp#6GQ5rxlnxT^Vh?(Whe!AC=Bv^n1lvT;-<oN^c<837|o}zzjk$1 zi}k8{%b_0Toiq+F1=d%P9-ge<H4UHde5PA<f#-o4iD{rBjc*YHJMdrw!KHWST3eUB z${Gsh0S4mJ5jQbu3)0k3{>OM$tvhijWfi~!9E+8Nz&SDC#sg6~=TR?wp7j<hz!p}6 zCD>msi}>VSsd!mQ#m9I{7q%||w&l0+z*r_>t+s_*E@j~6NDzx9&?(BMVou6wb1!IJ z*56wFHQuh{Pr+N3qW6jiBX0WM1>JJIlZ3F&!lTA&3&?865%I~FP}NEa1)U$`9cQ#; zuKw#MvBZsg<r+gII@NFR=s;lFkAVsC`WCT2HB{YS<2Qst2vg(M_F%ITx%E{<-2q`G zWbkt#)>^k0aU?-(6yc!zbjKm=xEt^eJ(ih-kdTZK`<@ckT}WKw_8h!x?f|x*69agf zbfiqcVN9VNuKuj63O<2%<Q+grgSh=T1hgQQud#C3I&X<V;!9HGnc_a1t!s@k3|$>5 zFIN~cDe4|<pFYe9!22~8N9W7|GkA@Ib&?ot#ClkvDG5BK8~j<z-6~6`v4XL{4u(fD z!(%?X;lpBQ^@&eh0)x8udh~tIZkwRPv_2p%AlYh#SlpX!MEXJ!08$3}d>x5Z=R!6R zKyg9biAhjbHBeW+5r3jYrz8@>XyqlWiYsKa5einp(@||%Zzs=`FpTioHomOoa)xZt z@$2BSochqVS`r`I4zQ7)z;R87$Qiwq!ZSE3^Keu=dW_B`qoZ*b!xte8tZ9yRar>Pt z4l6BWEpY%(Jb@?Gd+}J2&KSV*V(=s`!(fxDQ^q!_f;Fk+?=`8CJi}7;u@v`>FDqN4 zK(i()tXV1ktQBk2T&GiE)u$w0YgCKVxsB1xFt%^cKi<A?8NS)R2MtNm9@D->*gpKt zMb@Cr2=dK_AfHxU(zJSPONrhVXoO)8ei+|kP07~VVC*n3e$k)M0%M2Xg54nYnqEiO z!Nz6ylXIcIDDZ12gyj}S*j<!v5^;MQ@#tNGanCqD5CcC;Fd1tuX)o+>hXO^I`R_5X zWH#<WK*tALk4DY<+LKQC5VLY@>ve`^eUO1yx-Eh_LYNhQenH!VAlm$qVsrG)R9?cO zI6d#x<tqm;j+56a2N;ZWlRvfI&Nx)I(%<b(Zg<f??8TWVx+uZD2XXN>dTWA+n7nsN zqRvY##Z#E=TtJ&x{yfb8Pw=Vavt4>KVTcqmB5GK{?ue?VXP###=q!zWI9&(!vMprX zb(=~T>Urtx5p<HqD@^2_BO7otX$~S;Oo#R);S%>h?9rWZy4bHEh4R=I9O={VJ|mgp z!6moy%7+H&bvLya=vSK%<3PoH-XKjJ-Fvw?rr*`&>WNOI&yG|<U)Y0{qHb~RA~_G} zuwOt@3fP?^mPShq+O~VoNZTgR`}T}&(|=%_&N<pg+BAjUJOaQL80p?u^v0af8&h(1 zV?=07Hfv0Wo35R$U*18|1}aR@m|GE-?pe(3G^ZzVBql)(F1(DruE$>2BTc4nzQT@i zsseral@av*P6KD}Ni^`^W{+HNqo1$E-yzAPO|OhBi!x>6^6!(&qJCVIbX=6D(52VF zysN`RQ|+?Qgk-dkxwQAuj-Mk^{h><DUMom>Rd$!KF+<#I8K}sZ#>;*9b4$?f!mpN+ zj<K77Bf96vWlYPovDfi~-Gx30ptj+U*Wh-h1%HkMCj8z{L9Qh4XP8c3`u$bAmpA`D zc{@WG<q+iMTc=06*p}#!JiT=~m9EZk<#)O!g+I>5_B$`oi~o|??-b-5;5VO!Zt%M@ z^dE-7pUqO5tr}Y49kSRawhGS0cOI2y+#_F%P8kUb_eiN)wN?HCQ82dVIvuCQAZ`H` z&%oQ!tp>R$w28TV4>wH@xh}YgD=zNk-1Nl3gzK)LRmbgeeEnbX2XNxM!8mW{^s40t z@u#O^h7EUyHk*dkW-9<wK&-!%F;g$Y%F5V2rVOiHwn7;$GdW&ZZN>BIeCv!T-@4MI z71zb^FhD<Up8DO(*>B!J2YG&X)sF1>-zIisM}bL4bTv6r_?B`hWpj0CQv!wQV^K)| zCJN9D>u!UT*E)mtL7C);|HkF20n43)-XVCLJ9}&`SN-CR3!PQRD^%E4{O3P&93FSf z1u`G~!4~V7Bivrx1OLiCEr1qKvB!hH`HibTbLu~A=+Sce5~s`5QUr<SjPVTVOvNZX zX9pv<WftDv;j-LaoGS@V$5DAe=>pQQ7DlQZE^D*Fsk*E?1I&RWMGX8J3A0@cyoe-% z9woRl#eSA4Ulxc7f91xNPl_%uk1~5*0s4hl!Qeqo;{U|F4K+DmcRvvWPeH_%a(zEz z5Xx`5BUG_SD8-*B-Z+8&2w0mOcC<@*o!qfwpgD|lQ*#d<Cu*0{J2~tlB`m0}ev}{m z_PTyCun-SRXmY>4b&bDvk*}Y$`3U7kQ6F<?(E*qX-@D`p7~qbh`qA=1ml>;;Zm`$o zi2-)>wmMII>fg~<LCyot8Jn|r2c{q0;!14CAo})DMS24LiS#&#JJJta?C&%o`bvio zo#LkVd~|IKNFSaE0KhWl(=u8|atvpAJosx?yvGwY>4+ep2OG!cebp87>PNI8Fa3?~ zR#e+t%Z8?3t?NUX$VSJix`eBS3Z+thKHKlRfajXg2Aqjw?8+Ad=a}e6F9YaI95=c! zpKbR+pF<1YCPkEWDD<{F*)7aF2#Oi#-3Ph1lq#|Ajm6N&WUstB6M7}?7?S?nnZ|mh zll2OoxVffRV)&cE0Qd?t*5jk|f1=-iE603nbo;Nak+%&*=RoI#T+oVKw+}l<zCc4W z@QkV|_W{;}A50yX4cTc34-7`9B)f9d%R$Sb%>DsdlG3p+pZzT^Bf0tjGqc^5i%zgX z7S$1Yq#OOfQG=jAduHU4$<a$?e*6sjD9wdWO)g;ATvZ#Li&t_T&i{K}5;ZlWjJ~rK zSWoBnOVG?a(ecPOQ0Zm7?$vT)Nj5J+!03W&9Kc$22e8&8|KfED$iJOjf`9R6+!_Do z0#T$fqR1WP-+UZg3*%q&DF5ar`4@j*Y)i>DtxwaoZd@>ycTdguChxktzcI#Vg6E`1 zL;NDQpYzbAJJ<;OJc-|dGq9TQ01XnDhmB86CwC9+x~x-qRJIKub1>wAyz{PV3I57h zS>mTFnP#}y0i!q_iP{20ZN|pXN2lpODwqo_cwR+97()>-YB~LEj~7zYy!6T6u+z|? zM=p#E|Fb{+JH!8zpW^Tru;Ks4*iU5s5P5%Z?7fNepWAS*-oVp|zrl-M1e(p>W@=(@ z3myJ%d|T-Nd*{+G@O?Y|lm+wYU)Z~VzQ^8k>2da+M?2YjK7F0N7tnp|okxGe-o^Ca z*}H`P^1l&7r?$aKpJq`NbUS-j(Exidp_|#;O(phzfUafl<#aWBucRy4dlh|vy;svE z?A=H!*n2H4VefTx0eeey9(!-11?;_<<|R<riwpKN8)Nt40xUJMPrRk#|7q`A0HV6C zMbCVI5eH|CsHmu8L}P+6B&Y#Knn4)E#L+<n<SOb2gD~>TaE_l;bZ{VLIGIMxrzTC4 zm|ty^rs-|sCutH83;yaSnuJ7~V8Trf9hzVzfC=Hewe~(U%%E8BYwqoR_jPc&&)MI# zKWFc?_Fj7}q4ziVh;rt_U&$j*%ED*l@lkyIkUXNL1K|XDMBy%>fjmBokNe0Y+W!__ zCXagwW&Im0d*-SDg@)`LK3E?_G&8_FQ285je^#jvS|s_bCq5fg`Z?x_($#tN8I;LZ zK2@y`S|+8ro93d`2Q8O;rcs}8eb7qDXB72`&<CxNd}P!oQXiBr`F#Bf@zLpn3MHRE z6Q2!H`Z>iCHpgG_!v?4gA`puLu6(6h|J}w3LgKFo+31R)^nTM`uaw+8o{*=?+6d3b z{OP#ytaAPm4rNcjsvA)oIzJVNLB$g8GEkq|+6bY0FA`U1?eCK3jeuJ}*b0*PHT>{M zXCYH34@C`xhh&<Ul~JBcD9UqG1b=6PtS*=YHOVy3E2ApD;u~PTT;;!?3$tPX>3ow^ z8h)zYN)_%6sMMujdMow5mvTPFXKM9l$>SM9_9D$23PkRFsMjQ@muH;sRkg&A=9Sk* zK$UqyuWEq&w3(6QT;9G31^FfkU;T2R9kzR~UeQKBK7ikmUk2cp?!zy}+vww<(a#Xc z@YICHfrcI@xcv%fxW@IW6Ot)#RnH+JvN?~JC&;*2(5TZBEHZ9dXd64RLC_{7$+>ah zIWobb;Iz&LrSp(7w2ga@7h~%icTA{1)9S33HTE1L5@!*0a_B3_=1b@xNOYm+5E7E? z3k5s`VE!k;w+ZwABjo?KvqA2u_2Pp%F_8U2#eJ13zJWiZXwvt?7t^cRjud6p6=Ion zvez=}nCvX)mm2368h!t&)tqY8>fH93<9#MgM>n*~ou4V3S5)@fF25*7J=V6<!0h0g z-^5U7yV9<9wki}y#HgCy9R@~>a(7`kxSP;b!GE&>mIF-1<_)P!mDMhg)uqZI-`WLo zXOqI&OmaWr%N@q0FD{8Cb2iDH&2o(O(f|%L4h&qxuvvzowf=dW2j>VtJ-`8g*8uhc zJPWXUCt893X`3tM;Wlsua0PHX!0iCH6WmU4yTI)Nw-?-AaQndRb1RX*VHBN;Ua2r% z#7g%8sCF5c$XzIh4DEQdaR*}P|4eHy`QUfy-y+Z)-nee|&OSWamO3G7pcBHrzx-k! zl<Rl|%kB9HS~}(tQeSVMT%mmujeSzRi}VRb-tj0r9{^|ts7qB$JyW|t;rxoU-q)n{ z{@pKY#7&Ab&{tnUOwtRreld6W#e+x#efE{Y`8A@f*^aje0`r~?&OCq=fJFey09FFz z18jVR^i3qRbtJeE;6{KO4sJNOT5z@Cs=-x*s{&UAt`b~jVBgR-+5!LX2G|Smhe!PS zCRG7g`}GBR59|kjzkt5;`~GiizU4(S(W<=@?Im}r=r_}*r{kd!!~?nu_{8iiph|`C zk<gu|fShaQMhZdCd$(%%X8uFZy+G)=O?~O)M!;z1BB9tI;wVa+qQY6T(DNM9;HQWw z0LeBs-AHn$#3&uQ?@<MKW*-XA*uo2AaP!IoDV!%owA9G8O1oH*!c))D9lEOLd^j}m zAGDvodW+8f9ND5<{#@V|UF#mY>vQD#TXfuX;ZB;t*g+XQLo;w56Zu1)6=tDa8@Q1d z86ZdfD?<8dUB(Np%vR5M;piUUcHWsibUW_?(ctCX@giDQjTiXLR$<n2(x%sMw7yL* zYHN>3+Xx4r$0gsSawXwTLYQ-*TGgBsfkB>;@S=1lg+mZ{;f&2Eshk!i<C6L9MrCCS z@`Ln_n=^3-IY@2M)clk|fub(FDfW~k?Wn1~Z9v6F*JYw&1KI3w8D1w`bO7q4jA}#w z=P?`c1E6%M=V{{ksN{Jw^?aRp?v^~m4&cq$XNjm78(#Pn&E710vmgDR0{=buA5bn! z;wNG>c7a*QIDpsA@r~~kQV$TVR=q%O&8!jG8H9@%=Qj1G+thATN4iaB7C!{9;BI4= zj2l*E(xSdqPyC)oX}&RLL2-bd#7#rhJbmyGxo0;G9Ay^1*iQq2J?JCh;vB4|a8mNu z`tc7C!SBX7B?9pJ#>p*{oLA&q)y^vlE_@G~#q`V|jw_73Ob}juCh$OX?la!AS1K-S z#;@Z2XUOg3Ts&F+)O)hbJ`;Gd-1oHaWI4mDYB<iO6ux=MD<K?CZt9?fFgu*D=yQHG z3{~eTc+PjmjN<JmFRRV)iIFKUBD2gl36DKP^zERO0oMlkHoi#i#L5M+)^{2`*i1!t z&<>zWWm&As7Al;58zp3aeVAx4QQ5`_ufSstjRIUNJsJD2uu;J&-A1KLG7{#qR6#66 z@rFK|nVJKlrZdox#;>cqZ^U@UfGrIhLrqzXW*CF(jW%Lw15ImO!+3>FA(YgKBAuV% zo698P^ShrQmV||@n;9n8dntXey#HO~DneRc>=EJS8Y1tn<;^pe^5&?eXd4#|7+fXp zkCzxyqO_T2TYurRPYk}hV0NcODe2vMh&2Q6F5s;Nkxg)JiJB?0!Fo1o=7!tdvp4YS z-@6t?sqxyvmftHGZY;gGkn($#u#k}+P#3jlKcX#NmX|Ir#MbBY<h^RM5^><Pe7c%n zs*X=raY3YNjTz~0Jqo?;87@8WSk`?iSF+NzUY(h4UY?Viv*M7F5l{Q(E8Htn;coV{ zYH}2dH-qr5mfRJi@8M<&B~Jy)czpA7@)<ZPdl|nS*!C9OMXwBp1+X$)zU3(VAGNKK zH+5vxO+q_ATV>9J)G+s0-2K(;YqY7%0$Rd@IMg`zPIB>OU!!Kfa=x<_C*PpD$qPKq zj_+>gf}N%axhKf+T{NcvPu>^~6XiqqN&BbO^T|V$=HYl5u@iEe<GUDkShF!4ZL)c0 z*M-d6#D>jVPP|b4yk`nLpm{J)sIyngje_Xh2og&<Z#k!2fJOWc(ZTspjD4?%3)k#B zuGz0%+})sLRhoB>JKJMC6M7mHP#$|{-El{|#c^dE_-|A=+jY){qk2<##W+A(6>sdb z-@+;N$2LrXS0yn<Je4;_EZM8#bVNV00+<+FEIcdt+&;~3bHf!MxpMok>ij!+^J=e> zo3K~LB|2N>?69gz)Z5_LI1FkT9nbY`m@b@nQWU$55i+V!hlQr<6FnO6k=vN%FqtWu zh{y^W_LIBf(4STG<n{%0AaCsRM0n%G4C>o~+y6iY`6lJ~AT*TDg%oa@00T~D7GC~d zy4-Xk@b?4oD_g>b=2sqldI)}H?=J{#{KC_eUzvgK0q|=BP(6Kv{0ip&_xTlq!;t)n zlm`#aCV+B)LVz^@%K^*)X;1%9{0bJvi&*Jb01g10c>2GCUx|6v$FH<LGbFz<`x(+F z7<oquJQo7&c;@f$D;WF6_!W}xe~Mp`@@@khIsm!=`T&&Rtp*4OxaHX&ieI5^WPtzE z0G0z3Kl=mmE56OK>@4AJrDOrcyoYcE{Xm^{J8;)e#tnD&%elyILyC+Y1Ej?+luwfJ zy@E?g4X&|~Swf|f9x<yfk|X9&%5l)6ge>7Bl+L+|;mBzMG948PsIvvj<9PoJ$Rt9s zQOyrXWtBbdClqk&<CNtX@wop1`cJRsIGD!?!|=spfeb_GV>c`m5Ty*{B}O2Ha9q+h z<k1NHW7j(*?|)3<7f7=VG&G;8-s@y1?NzbkaclYayG608K;1*sLgcuD(G+*8a@C-F z(S&FN!Zm)*Yq+1d#F@xWN@DuCAmKAus`lUuIY5GS2NtLDEVro>#mr2qbm)(8+8^tj ziI`Z<eLQeXamqz9%*wI_p*$E$g{jP0;%Mzfq9l{ZwS<w}uZZk(S?<ivrDlwnE{;}{ zTv>MkD#4(#9O^B&7vCI&S&|#^pAWh?tiQ~Tj?dMy+PF!mJsa=Z2E`sNaH(SJkwPb| zYo~DT$KLC}++-Rlq(HN81Vr;!uZ^1Uj^Pb&&Awo>@cCisIJgp(a@W2>CJ@=yY4IlQ z7G3On@wqC^V~3VPccf?8hLJ0~9fTW(*gy`Mw0e@nu8UhGV<+$qd?D9=t>i8*IU{J# z!R~$h5%0}oe`IhBCJ<Fcq$FJKRFJhz7Fe351|xai^a&<-8Pjw9l3@bB^)KCxm#>dZ zsP8#F^$34>8q+C?`XlyGz9HvPo^dIo8gEDLvWD@r`z)$t*VJ#xp`SoSIvL?)XnVy) zG%&`U^I#m$kra!eGIDN`Q(#yv+C1h)W!SnrstnsV9z}+&TO1vMOh$++G8k5K&lur} zT|Rz!&n~ZEkI%pq-C)%p&&uAiLLWwO$lx3Bi@)TaM+H<vB*TME-3Iue=AdkNj916m z#OUL!b|I@;I0P0>buhHAXS6VC0E-Fm=!&2k8wU2)ai)k6#GQ1eXxr&GQ+RLh-z+uK zHE!rD8W1@yN_b}{k-~jpXW;eznLB;_oSc`8)9k=`su=>j61jX&fQdy(*-z~G_*E)y zF7RBvyQy*pd>=nx-cWN;(zb>|Iby2HJE_DFae+2=BFUUe`AYMsJ0(tSriOBG+WE;& z<Oa_J9#G1GpNW3<cCN0fJ4J?RCCfq)g|A^Xn4OZyw1{S(h6{B+qjz!1)gcts1Hbs) zly`Miwm3zD#*J4(_}On`ws?MqcOGz`NJ)Hxh+?@;jT43Ax>KQTS30+<7%m<#?8MAt z&nH7u5WmQQwji4TSa6Ul_ku?Ot%208FoOuGTmTlxy-J-yD~_466EbK`oJ|JLcD}NO z=USnFH*isDBniG~f@sbWVl+jxp+6W}vo%Q33EZ}`vQ6YRFKCYzsV!0Aj$NWx={jq1 ztKSZ=-N}!vIz%dUsAB9O`<>2u10?eNx#7zoS7jR=3#XhHCpTR5c34x2N-4`0n!cya zs=U_X(eN<dvmP$=JSGkpFi;OH1=Kohp;C*&5h~QxDUR-=l3m2eS11MxYtRH5Jtn<> zgWoafY=4n-nEfJL#ui|WGF-;fJd@=zUVy=p4c%`#;i_zPRi4uu)tc(nWX}oh2)Io` zI;zN?NGCORm9tWiam!JuC{Aa%-E$xDGV<JoX5%>=`M}iTOxGezf17AzN!9mkT~XCf z&aN}uDRZT>>pKKu!|*T=6mino_3hcfXkLJ%cqFY7&+@3m19;kY6l^sMn^5#0qWjCF zpiEn3TYP03+u~NvMR9~Sq4a*TYmkLXk^Qp+WVi9TC-k4P6S1Jk42*#iS#<S-;5Dw? zR^YKF;%j{6IW8RO2wyCM4?8c*CKLJ|mWB+V6Ae+!1CjL2c%i&i_~Q=p-L!g!!-y2w zAl`J^B}4Q!o+q*nt!`_*?`ZpN7W*t<Jy4;rn?}(v;pp&&oc52epirvh8{+jnd_|<) ztilhJ>qQm{tt@F9+Cx0S?w=!JS)eHk23V|x|FU%O->MkNNYoNE5|xccqE>@fS%Crm zD>cJ^8`i*oTgxF}9U6`*L&H%U(QwqZayL08_L`4+o`*91EJ#JVD!Tv;qKQV$H$K51 zK{KDnqK`pM&<Qjx#h)4eA$Knii}Fe5#ceK=pufb9ioS%G<!=#v7NJZ+%~5tEpNn_Z z6lbH)xH3BwEz!XLcJf>YU)c!}F28`LrZV)WxH&x^IUBStQ=7LX+91rNQh*1f&TNBk zAllewUYbrUebEv;<9*G>p8-bT@{2s+t00-8rai1;7uh8uOL-{08KJopC}OCkYL9ZY zn(Ft79222$y6mEeLP4{Hg?yk8<e56JauOe9fjbG?+MmFA0naSi<Ak@5=d>GU2%&?L z@47lU-{e^%(NYtE+{h+ksS0v40i&gO?VRYLUYdOj(v4<e0p7lVdUk5|g;1Y4MALwF zfoRgQDxl(&`cC#w(VdX{LI2%VLZK4&K0cmPag&9@y1-r3P8Y$DRLXNpJf~(aR8?y6 zZR6Qhx$W&xOx6HZw2x9nt598#*=$q5ze32xP`HTfheuvSl|n$AHWC6ji=Ts>2Qn~7 z0T6Bcd&((gJmBNinVg84#V`$O5hKzmdD*DrJ${Z3JlG7ONkO)R?xitmx>*C!)s=vV zSq>0w*PdI<Le>E?|7;k?2Rr7)C2}LNiOoW(!l&}g*`!26f81Hh)$p+D#>qTgz}>Xq za=R0n#1<laxr3-IcX54WLs|a`ZYMWE6HdeMF{@p1RQv3!wWI}Merw;3t86T9RO_2? z_XTKAA}s`O$Dj>`a8cS-Zeo|4g;!C>PVWL6tUQy7=?1C-@*gYwvDT{@L3pzk1=Ml= zybUI+Y_o8<l^U~a^6I`-{X|lbOUsONaaXAb33lPq6(Y=g*l+2Iz-d*D8mfEBh=vVf z+e!aP#WMI(y*qs2xPqYmxalt<(JkQiUKn5H)n4svl@aY8RVT=PpE9ByH%=wZ(p2L# z-`M^XK|^pJpn2YTO^w%YNTh{N<8@zc?)Oc`ekKRV%h!M6rSMVtbzhV5d!O=ar8~3N zrdXPe2W(klIYC&cB03+V@C2p|=Z{{QW}mT_9j4i5y3)|98r~3~{2IR%zx}NYm|%t< zWlhK!R;u?W{r=zf>5zw?9@<tH!rl^E&rWqV$(+rygfH#E37>D2%fCoyhNnh&YD#DY zzPw$=oryh~(8>-&%|4=C-t!UPu)@dN<0K@_J6lSzS+z)_bE5)TsrI)Bfr)d{8xICf zDv1vcF(=iMBx?3gS!7DmpWHBB*fc0HLlb-M;f-A=?i>!Nq)T5n(1kdsc;-U8q91^& zP=*vuxf=O8;TKAxR$Sl6X$MVd8fSg~kiy>H+2eaJPvupF4YN}=pNO9~YLg3r5p1Qa zIu31{XwJ$K&*EWe6T1wxn%`bam-9aGNQN-3*K8BTyD=7woVjjb$j!n<$;5l*$at=g zC3@E`Vmc_n*{sAuxINMgiF8>vMySUKo=$R9uqaA9{0Q#0bHm_W*>mxbmdWV3D5+t} zj|x}Nr;CcSD<H_rXL&*vI^q~M*idtn`(_~w?C6Fx->NgypS;6!#aNO5n7;&6G<@3e ziEHq#W}HoS0EHOgdou&wGdhZL^Xldx3?|HbpwKdU6QSiw?bhkg$b6$vMkg3pgCq1G zZk+@l|59NE^2?`lT$vG`o18GSSAGVA3x!mi--=th_%O`Ic}1?NzJlNXDNXeya+%zq zKf-+g%tU-83KNb%H5;Z#C<+#v4>dJUV!4@Gv^c)JorBEur!^0k$WgnacB|5+@U&Cf zGtz74imgL5Zv`S$Zf`|XR&L{0?1yz`S@nDD>AK+wD!Ve_*oNO34A6+2;CVZ~GGc2S z#zyN;hW4A})BqNy`kJN^fNH241_@OO$21QDVJ6bV7d<Dbz$Oxp+6>_K0gDgtO7uDX zr<!UJ#^Ae1+18xjYM`>pmr+)EwmW5lO5eP3lrSB27aztW&H-7?7xvMUOn;iTm0C7J zl{}j2y^t*`?IDBx0#dS(^aywtgV&GnD~JH9(uYmWdG^O!=lhjES1Nyu@DeIL?yC{m ze+v)^o^llmbRQ2Q-ib2YBzteU>{#?VM-ZZtyir8%pe0*)<}?wEZWSI!HEqV0oc1@! zRvmD{mHuMUq~EDnbR>Sf!!8px0oVrMCV^AZbCIkWYvwkhF!Y5i6fV6TBeggWN1*kr zN69%LMu>n2Z6t!4DEY+*BI<5hP=mUg*5ipKd<)3&MG$sCOE?0GxsDvGLW7OS5XM6M zY++;#InQo#TaWli^P7vVA$1yAM5IpnOqk_#MD~;lo)W3kHRRMX;#yLtepB>Eg@AA- zPSIztnxdP1Q}j($fwSzBjv=P#M+Z&OAHWp-z9TSkE=}yYj~GnX!rCwzXWymLEP5Bw z%dYj@BbLJ=+KJvvy%RMMhF8cWi*xh@;l~c|!S{_$*An^VnSxdnR6;zlsG&xK1AK6u zGGtyNJF&W+9p|N>KH{6AgD^ouue_%PX{mvCm`}+xpUtDO*;6o1Q{zL}Va^7n!5PnR zJy`~u(k$d`r~2?=dPdE+wqe4@&}p6#W+4x6O`^tn)Y^{f-8s*cVBXm0w~&TYu}xQQ z7gTqm@X)rvh78~4+ZQU$;$yO*44{-VY>8RISOvA-?yBqn65fCeV{CogY8lbp+Pep< zpbv^fLNrvE13mRT@oD7NVCO}}Pb4I1q!4?B9MRt^jNImJX|J-<_}pGi&2FlC?2alF z)u36hpSU7udTta1g_9s14Qg~n(Drw6oq*}<(P-khPgskpReSZ{<!o6RKZ#xJp8bwE zS5QO4<v=0a1fp69TEZ1U2v9y%iLadt+_MkFPvSa>*2jA)Y&K=Kq^x&a6(u4Y*-X!3 zg6C%pDnhN4_k8MJAlEl*9-0ejh#pss6E|SYHl>s{*_&2VeG{%MnSE~c0oO=W*<n(- z#*s>58*SpbKAS9y=+83b7|cSsgKF4<=3WVO>uZvKws7fvX^gR9ROWNe7E02Zdimz) zCWW!1Hp0;J(S)NtXQm!Whm~;#-96VhO<kg}yV6S=W(!vwv`O$>pil5P$RR}zw5hSH zy%0%a@O|Is3m<Sszogw!x+sTCM-n+k7qqY7xJ=Cwe)XCU@0%eYD_bxOM!5RN6yat` zvL)Al79m&W9?2)A;*COXhS0VpaGVxzxoWlmMA$5z>%!g01eDAdP{~$Kjwea8?@V{f zT@#h;ctf2w;Vk<j&HkgBeeX3~R1H5CZ&Gu^(>xP3`_IH@s@X6@fo7iy!V6#yX$BX= zM_@5yy<Fyqz(TLSqj#70jvmm*?)l=1Mz4y~{3xIj>VOi;;9G#G=9hWpYT40sp(qo3 zoIO>2lueg}Z9T(VviZh_&$U^@Tlmm-Q7<ar!1u%+S9B__I4_B)BK1^klk<?W>LO}M z<szpMWvOS;k#VZ3FOaq14zF6h0(EoG?@MT8=fYI<b;9TDE!A!8mnga0$c_fD3*Z$D zUgtcIuUbuUp5G7Y!1<m!edvhOPU8+Oq2DseKKWUgL(+a6*f*yi@XaB*xbf_#yh*J; z&bII}_<G)pi(pS?q%RdlX$WsQ(D9M5WZ=<~t$(@8*x|}-(|5vjEIuIZe?Q=VQdSED zE0%tFi%LI-9F^T7y#E01q6=?5;6sLNbSL|eX-^N54)3zB+R3j=Q=%@3aN%K^3+F4& zW2^d>u=ZwGZm0gNrdkELbT`N~HKLNPOLx~9qU80bduxsTns@5cY|0!qGL0L-AL=>1 zR|fO`XZ@~BE!rJ}PYSgs(*SOYFqM`y>;dmQNI#98o9S9Mn?H0$aGA9F2D<_XROE)o zZz04gPTiA)Gn;)p??>cOCACf=IoHe}W;eH>0t<~RWyB1WXgI8OEgLbD*C<YQCn?id zwr*jN<4P!7jK^8)YE`_(Aeywz#!e)in^Hyug~sLfvx|96-J%iGFk&)B{E;`Jqq1KH zk>xb<v{0ZLFy?fOISyln`(>%1v8IP+;La=F2IE7-*}>xInHTB(`5)u*ViNSnH4l|5 z@ZOwO^OJSx7a}utx>JIc-Hbz1jd~-YT%f(jAPIe(4dYE+j`&b6$e~ht6b{{Yd~O%a z<cdaDuGVGj)VFAyD9H&dW1Vc?cun=I@G>uqRo5z#lb~_Q9XyDiraw|K)}17C#D#L9 zNf^?k2=#E#?w%6SsI@Vat#=#6K)k&N#PDPU+M8kTp%<3Z*l<Us7|I@OQiSm#btbWP zQE-rFnm)IS3nl^2+GI8nSTX3M7NSO8OT3j3KN<JB@Rs}nJZBrthtS#^u#R$1P@N2L z=NqGqUDyFoM@<dZ5Ze%U8SbkaUVU^^aB@3Zx&TH%v+pR-F1^Zaqo8p6i2F4Ah8r9Q zTPLBkiBLC6v+tPZ9T&a=7ZxUL+2~yxJP#xRKciH%cnrP)6O{~fcWrvmmSJ_HcunoH z5z~@U*QxhydUAA&=cb;PCv38%gcj;QOKJv8RdjCG8M3nuqq57!NGb<9$X%>XXuR28 zrIk}Q;`zC$1LpoNy-|(#P%<AN+sYlz-hNFDFC+cc?xZe1HufkitdBJ)fC%YyEgBQ! zX@XHP0!BrF^ZLU=Bt5Uy>{k^yufWLo5Vw?_SHf6LfophjvcUkI-~KuoJDtvketkp5 zBzKye<QnFz2O3{%3ngdvIE;v1C!<y_4HP+EvKwlktRMp=(>qXR6gVq;L)m|~g)J{| zDR8j#;$XptEATLl4{1sXo*wGC4F^vMja)-UPd~Qtlkbr>rv56LNwRMUq4HNx1g~+k zBb432ID|&XJ*onpA+e&#-OhGmypUjL3tC0?(>Ts|I$6o#0b+X*(#X9fnwp$`<UBgs zSN0S0ZD^#+rY-EnT|l1mlW{O|bmqQ|^Pjm<Pg8*A@hL(iDL|0>;?Z5YI`&#J4!zQ` zA<8(!QyGVYgex#<Cmc<J3H&5Wa(kWi8Pk2uEKL5K?q;A6L|mX|gsoTnG$U+febs)D z<a4cKt-r96OhnP=ew%|aupV_AwGK2O@5*hh&FybCp2o=;m}qvGE4QV|C~7^S%|?_J zWNLFox3SeMXu^n%EH715YM013?E%zySaXCM+0(!nLKrS6-q^}29VXF%7T6Tgjd(g) zPn2P?3)0wGY3y|2Yy~+-9w7?*Dgtir-%~+v@8f2bE3?-#uDe0Ssvu_ua{j8>h?XJ^ zc-+*>8^di{v@>%zz-<5%0klrR!0m~z>?M?br)QEhoqI-0v%g0ztr>WYx)Z*sHz8wY z>Y;<UX`pW)rtG)r*%(;=XX=~T$%(iL1I#X@NMs-<O^pE>xY^i2GP?sFl=v_m9!NP8 z6A^P(lgI>vvqpbNQ=_2?Wb_+uhPe=@z-D#~AEp9w8t7hA1Wbb=5Q1^`8rYkvOkMD# ztTI7$WsK9*sr(g+9<YjGm0f#v-f)#C9P%aVuwL4$Wkaa1R(Sp*F$UHva^nS?-P_P6 zI}Vr#h(TroJXcA?9eteTsQz`4>u?)S!^{VqbT5v%4~aQykt+du673|_Pdx(jY&47= z89S}Y+KZzZlS3*<dyRy%`ME>gdFc1fqUY~NY3SeHk6YpGtdb#SR7V?7H)tc5@^>>p zTV}iOCz~E^R1`{onR`uGeLvO~rEopZ!$JTnnMpKwhT#%`LsNyZ=L)kwL9HtMX*{R@ zHi!==HUe`RT7z?78FU<#p|;qo!pS+lJj$VS)SA9`SieuJHHlQwVs`^9`@e&c0WBnF z@3+aFr^IY1=6RK5K2Xp%bK`^$%0;m%4wX8wCJ1f+NEF+@h3^*E>^`$Nw>Gy=*!7K< zH6QP&>>JMkFDyI(E7e@#*<g|x49-TNo8}6sD)0O6yNx0s5CaIji(leF#sCAYQj6F1 zTBkO1LBmX1k7Ae+H6u=K);F*zi8#F2TN4=rI5)$aoW9BFo01`Rbd(G?vB}sk^Nhu> zT?XTvjDum|C-*2|`sgug@%z+Nzkzx`jiSMoD`;x=l4Y;=AQ?CfiTL4as`rx*38#XM z`UXu+HHp&!%i@EZiEOZZ!w4V%HpDo4gETb-sPXb0V}Goerm3C|FKL>ZrQkFh1+gC; z@)fp^C(6P|W5k^xE6ngiY;y+jxCK1C)*Us~KgCv7kj=}v!W~_tiAexQmJB(&9tMb} z<~NXQRi*ItTkkSl4%WQ=0^`FIkHPVF`Gaf8;e%516Ewaim4D#4RKBJ<StQgwc0ct5 zG@z)OorrP}F{dI-L-Dc1e)x|Y2N6I05I=<%N~JrJd{cWqR4ozf%0*__<Pc?f@PL*x zl<+5gkVJ|}q(Po1pm`8=X-WdLqnpj{ltfZ#6!P$<cR+eYZ+vCPw(~H^j|@nv;BY6x zDp7T+yG;F#i`!yUL&ZR9Rol?6t-l!J_-tF~v07DJ?)Tgj_ySby1Wa@d85pHQrQ<8< zl)|4PgJ}zyR5tiNVrg2jDR5S)`VwavDkKm|j~oZ6u%DNZZ}{5fz$`IWIQ21ZL+<_# z;?3nx`c;C=CNAX&Ndc}cyfESl%0HG!0y*6-t`$%DRP=0cqA;w)yHwMKe`m3eeYC@x zjaoPibg{-I(+w-ItCt=h8ZUU)=9|dT@&$cAJ5M-Rj53p+cVoNbxmGqhp1Z(KgmoJy zJX2eM5Q{rSMQX#f3BNc`)^f;vc!}4ZR(d)f1#>FE(OMjM1pL?aJ{<4G1K>{xc4$ks zPZAOrwh*oO;dpM_LS}HNiOMDyGJ|k7?&CX!N<4eudIheG?5grjs|I%Ih+4$h^Qijf zJ5DG3$NE4PyTn(1`$ZX1mvaG+GaK3WdE68`1zh&=EZfR#Ask2$+Z{lY2%&0nQUzZd zwc&G_DyX+5WDAL3O9nPCa~0Xb!Y8S<I0f!S{k4Q{KC1~Pnri%t3)wCMla(#3ZydC# z^V=eV72Wb_X&4l`lZLuC%AsnWP;vm@v_TF<nL0(=tSq5$xMae2W(ICM;r)diqHVu} ztfQ1->l4=WOB7pY`&kmuCp`WHML7sjPAHMWQK<)!_j;Q~%Q6cG4h=%8uTVm{Pe{j1 zdKHzuIl=}TJwxt*sW!St(Fs&U$7IyY-6h6A)$D_F*++9h3r0fjFsT+AXGxc`s<NvU zQdS=JOcHc9>~Ad(%nhe@sW9@R-+SwVZ^b1<_AZCm!$p)<lu+d%1J-=VDRg%1d5OOV za?6$5B|P4Q*7pQ5C%ZCH4GWt?CQqPJA80}?LQ{|7bbUo+lZZ%&Ho9}dx0>1}Xqas( z7zz*m0iNDMawr4M%+02fv((~3AFP*Sg}fr)Zo~2-Y#s7-6UE$E3L1>SbH?5paZBhn zrT(&A$v1k?Km#54!YeO(=SX($6IlAD;B9AXx;LKUB?3n!q>?-!zK!vrfO^Jb&l6r& zxQwkF7sL%0J}C4OBIG(}m*;K$ciZmY0>xIW&lsTXxBbz7okF`c==*cLs0LZbKnc{0 zYT6Uf0aFjTGP`gRyj9rf%U;-4IABr16%4pe<+{juPB%Thg02)W)9`?zJ|etP`$yir z(k!A_^=2#>OVA3V3;mcPj|q?6$o8Rh+ZDbzksRb;v64+rwOI%%lw`{%41MXf*(b@0 zVzES48{@je>5i9Nimi^RONx@$XKVItR%+g<ulf>6tuwt<-ywO!n!yDRc0RaB%uGiY z=$A?80_BqESg3UHq3%U@M%9gUd{*T+CaWFkxh2qdyW^PLBRDL|ZJw}!5XTfp4es`H zA%w-rZNx5^#?+%8b_3&QIgyCC!qoehg21WQUO>Jz+nD8^P(CalB^p)4{E75^6w(8Z zZ1^sK%Yw;pG#Vt<ZXE+u$X1|Lm7E$_F&Qed23{sk_(cKPg>x1J&alG^d^7B;FfNHv zF?X6QZX6rb#OU}2c=u%4QdVWTjk`0<!nuWz3%8pmyOBsaUS^}+sqo?Pr~TH(&n7o~ z796*7q>>9>oCdRPD|~tnp(@C#{<~s<EOVmCYQAZGeUP(WS>Q4r)9kOuQ~Y&>^c4RD zo*`(7W;dW@j3?Y_O81r+r7O30Ydl_emT2k$)7*7tW%nU1r>Y$Z(^-fosCJwaI45Io zlCxPE&-HFO2ARa=itJ3tDfT@aL(YChrIPRWC~S(=`VTABkU}NSPXc^AZ7>bu9;0Bh zVw1Uz7ht{HjcRpJnG&6mIte|YCOiZkz9M&m?-h1p4WP!uvW0uBC^@j)S*ZdJB13o~ z9gRdHd4k6Y6LCxI0+1^xqG?3-2VRtzU2cab7}6-Y5cK;1)lgr+!`csEo*5w=&i77F zc)8VYx-|I75tvXY4yMm{Ho*esuIzmA#ex@IrgKD`#ARybP2n%t<Sye8z86}{B;fgK zZig%P@G6hiEZp^oh{ll7rX(Md14~N>EH*CggmA0?Z-KT#{{(~YRG>g%IL-FqBh1V9 z-<-Vz$VWVygv!CN`NPNFV<jLI#&Gx3<z(Gjy7jS^NRS-dMTDLf<hUwN$LDt7Nll0F z!Y(8;(Tg{p!+Xp&SV&<~Moeo_s=WzDMu?0LCYbJ-M~~u?g^q_s@p<WO4qz?L#oOY- z-wFun?3$G0ifFgWiS&^xg0DQnhwyWeWVi(Ar?zJjePC@sUCgLc@tuw<iR|PoAz~M~ zG~VW3B$JVn+_P0KQ(N7LgyY-=RK;j&@kGZhm$A1yHpvsXTO6AdiQE(zQD))KJ4w<O zpeuv;Fih(*wkR4Laf$3n-q;dtY~#6eie6V`y=O9Mj8`CmnV7_zD~t`2G-<OYsBZiu z?$3(K(<mDjXO(({hfb6s`gkM*De$AtaZM5)U+e3gr?IV}31|<s7ZFbAFxkv_-OM-P zVcH3Emay&3K}&w)8cI0aEsO({a8$tH@XR#>SI9HoR0{{Ea{E$!z5_b26VfyV>r!+0 z5a<seKZV*=V(lb8CO-EZ)pd*_;Lr%CqK~B0_E8*3&l0*J-{{IV$Xe0ESDy3C<&E`F zSMhErSO(>uIXI}?(Y|umqllh_Zv14fDL(fww~ntojcuBpCH!n~%JZv9%EC3D8yE<e z9~cz=77fRNISB?PMEP|8peVa(6h#kAitq&r`WQ}8J1Mnxk~A!FkN5t3?3s!4$Wdqq zQa>F+Za$%YU<mcCUKRVN6~g^#K7j>^GLI5ISwr^w4zCGZB^IsmtrD3%M)eh3`p=Rj zHBRDn#&~(1->yLh(YXeR8qbWqTJGk(GImn8Q7va9gl%hZq~LatU|Hka{W#;l;2_xt z6NuXcQ$?R}VS!{fkDDRfu_ka$*}wWKC6Tf9p8H{u?!-gOaVS3~*yKnBVVrEQ!pFtg zbt5(V4r%uFcBkAuQOQn8svDVbmL09x_btliHOCv(+-P@_h-P5J;&b~v3iMI9OnpfS zXSv4J0a_`Ieb+g$^wTODpG)<*KPi)BemewafluY<^Z_cXnH*oJp%6`V2{A}QuqL*s zk&DrPN3@V~vxLd31KZ=5tFCGfD)KQ6l4ccX_Gv_umYmg|S<sy#pQwZyvB`B~p;AH6 z)}G}J7gZ4Jy@KJ#@WhtCv;ZO$=*zWsHT-|m#^3@)dAMgTJdd%*!2b~&Zv&t4o+!<J zJcE~aCr#9{VUUAsB5sQ8Kk89v_8-GMcn((!2pJ|C)f59C0!BVlU3ZfghwK3yXjFni z8bKkAppZsTNFyku5fsvH2nEdNBsZl1zM5eueO==Lax!r2kcDnSy|Y!Gh5?=40rTZm za)eW_aW~5=zloe?z4NH}w^yAFvYwBeU(4!@>hIyLSr!+<;sL*$Z|+-t6g8_3{yp_A z!yEuO3D5@64KM<T#3+Dy0LuUh0m=ck1MC2J4&ZfwCV&qB+5q|hw0)2czyPoczz(n- z;HLmj0=xw94!{QhtpFVW{Q&Ck872Z?IzSA70U!%tEr1>1Nr2Y@P5^uX&<8N4AIbu_ z3t$nzN&q{+Ljb!0UIN$$&;-x|&;if~aFfU|Hv`NDNCj99U<23yPz~@Xz^?(`1ULrJ z0`M1rK7c47rDFgL087c{aNw^a!oYl%WMJ~|Gcf(jff!z6@P*y?8w2x;afYkX6j+Li zt@%2(Ot;R;>a3fJSY2LOzExLXFDucN+spE-6&15W{p01?trphmAEujD!N5Nzxr{5$ z*OiuGKGr<+1wTtEdK46u=IhLx*}}3?63DTZwZ&G5f;tAKPAMlLvmk^a@4j?p<<?RX z>-LH~dr>(%t9<iDD93IDM9mZfhACkxm^`M8u`^cqo5kca#qh^4Gni6_BhR;zy3Q!& zii_zZ9s~qq6KWYnFcU1-Dvd^C5dP-GFlG{27iV4`qGIljiODvHKqYm!zB8&dg=^r) zFq_IZ!A}J-m=H##0!IaZ_{!{^k_4TcM9PuL70RIC5Y@2I;p(sv8turNMum?aGd5z} z_z95{Cr#E(xp`{TwCT6Zxb?Q^nYYinBj(P#VrS2pdv{!Xf_`4&kM1!f%}-7-rY=ZZ zc<+6SOpBM8)0bu}%goANp7U=jR_3l+y~eUOFW*|QuCU0qzPO~cto(j^1<P&NxM}kP zKi*QgbsO2%HI`zRn#+nxS*sn#0%L^nvl#wg#KbapL5rop(;|XziZw89YH>xX-D*WQ z!^&n^iaGMU!0$P!xVS72)7rUGwy4Cav)b)tb{)fnLFX=8v?L>g`rs>*v2gJMzgH$@ zi79E};sKwfb7Nv>hlM7U>MZ5u#YK4*wg`qyp`}7sVu4|40e_aYmXxzN6pPC&FeD4D zx@4WV?Bb%ec8h(pt_bREw_Eer;?1){&Bazrg%t*NDQn4NNeaK*Z>i8#aOLG?b_lUr zN^}K)d`X$z3VFa|35hd{VoULh4GX<pmo$I|2YH(^7B2Gpa@fM63Z12*!dkMnc(X2_ zvlo@F)0IM28>}=|QE3rdWGOCsfMg%K4CBK$f+$%brEV>^4&HT}%Q(9~uCsItSsg?z zDXU<iuIsIkJ66YTt>B8`b1Bf}S&ECXFlZ^n>Gr&`l5+Ct&bTA5*nX?7fGf=-ZA$R8 z3?Nln!P>bz7Ag<_NMK5FvB^?I>yGul3+qij@6s}EU7@a`+>&P{%>@I%QXJ4={_S<= zp!V|B-AX%e=`z~hY#|_BR+?v>b>r>f#VrQQz?=}jfdcZS@VnwLoGT@>P9O?}R!cd> z7USK0ojPtTDjU>q1L@`tnXZD(zfQV2n68|I+HWYbvz(=Ppo6d{Nkoh{d&vA(mzCnQ zeFroY&fa8V_2qwOd|<uFe2RTt2JiXS4Mll=aiuo0ZYqcG21X3FjQ_Waaqb=zrv!#w z5nBjrLOzay^@HON-7Zq1d<$!V=wY<W2Y>W->;0Uy0t>>CvQ+xWp&~Fll@yiYLR5tP zjl-QQ<tnfNH(GwcPaf(J6F+1ftfkOvWu+z7QWj!k+_)j*TI}mMj9B5zmwZnJFp07F z!ItBk>q85(!0C;SV1_Xj<=M+B$_iLrRuQRXa&)w>Jr>bP595VG>{+vBG4o)3UT24@ zm0BPISGvBmY-8z<pj;`55xZ$hXsDS+OVCO50B|bx!=>km@T`=cANPB9!?Q|y{;A*d z!+y^@{GNCEJ@4{+e#GxN*x`84QRRRIS@EFb!R?OlpdeV0Yieo$p_mwl*-;Ct>x^6C z%-IfDZ(&h3oAK(6Zib`Q0jU^RmJ16DRjQCp<>ed8%LCTqfBjIm+~B_%zQ3!(uKr5{ zO6huk)z|n7j8WzHC%eHv|Mc7a{^U3K=S{2oXE*=<fZx@9TKL~R0%QY!H~I@00kVNV z`3?RJjDUai@9)(g|H9$V|II(_hN~>qJMjHR>pM{I!9Fs=FgmKXJF9CR{7J2=j(^Dg z(}#EL-1W$#k3Igg-A_FE^QV6C^fS-ydG7faUVQ17dw=!omtXnKtG|8icmMwT*WcK; z|G>dF-}=Mb@4Q>zaH#R{ADfzw96fgY#Gg){I(_E7v*+Ib;KP=WK0bfp&!2qSdhxT* z+y3K=FNOBMcsl<2)z_Vu{&u<Ro9>?8E8l+C_kF+k4>LqVGdwrM5dE|3|IaS}znmc* zI{be``=_NPl$0dkt^vd3!*8a}1V0@<Y=$3WGTo7%f5&D*OPNg!lVl=1G4OGO9cC7n zZSXxW0d5H&GpyyT*E5M*$5pTlb1zp+^0*ghWptCu?M1jJVY1ls@cMqLb*-I~XtsMT zrQ{LH!Td2_%oFp%d@v74w;A)m^q3aYFc}t>v*%k#9;x;s^0cgwvsXxd+1C70tMsyr zqfe%?QsR-pNv?&(w3rU#V?2z5;S4bO(jH4TuwrE!Ggv|xqkm?F)xKn{4S0Zs0~9mv zctF@9O9h*hhg_w(teh(+e)OGY!<ZmP%R1})vQ0@$W`=QT>|L``7A+z;LD7H#AOiRR zT8JHKAE+|a92x-H0h$9^1sVt12$~973>yx9$x9Y5$y^r2%mSVl-@W@uv(}Pqz`rD) zxGSNo&A?TZEG;Wz>FSvF53H<sKzO>#fRd;T6UQ*G6*0`SPh2}LN*kejPIA5P7a|M+ z;YS9A|6yuic&%Ufx6=$vKLR}0gL_VT#_)&y;uX#@FvW8W*TrL$J}~_Bpzw=>!cPne zU!Q33)%ET~!;s~4{^<I6Of?K0Zb~vRMM>9BpS$4tct+oM{q#RyeEsl0n+NLF;rHA! zDBd$m2f|)nI&^zja{|lr&u91w12cKW(BZidW*HP-KPdkLs{+IQ`!#K~fmyx!`t?0% z8#+C@$BM6?{^aKCr~jnt`r+?x4-6mNpRYf5{q&~Y*AH*obA9|*yc8Hd`1_o)mxkjn z_m_qt%enCC_3`LEbp3k%{Fs4RdBs;0GX^)YTbXPA{&lwUkDaY7l`XKATJ09rnoM`h zl39DPaf7uK){G_yWAPLs8Mn*5ClRH}Y)cWFT4v8EDqUA>r7I-!7?VuSOr&VAO#W7p zVP*X?O|z8d7X$t94d!Yp%jb%%sYS)s#g-B)#QvBu;%<Dhy@)N!vlM4o$^Ib2bjcT4 zEgP&?`F}f*3(Yti<~wCZu@z{Fo8{7~o|K<&CpZVm{0~#gF>P{LNeLueR8$JZ&%+e3 z^xIjk92ff}rW3KJIVYEK*cv~gaq_7rv@GU=HCVQ}+{(NQlufafy$aF0mCL-lc)k|= zH7TF7+o6@co@vU=(n6ARzHw6?5L=KKGA9QVla+wWkij3w7gnTL*K+IDS?y-1E_U6Q zGKoeZTVODn<Y`t*IXUEDo+HonKw~Ar#EeyD{wQCFJ%AgW*8GK~d3I|F83hgg{y>Fz z{WCCaQnHz0!m(wR7)|)x3fN>>ii`5em;nli`H^y&-&x8$e3MR7?!jl@iAy5B5fr<y z?ftNS)vvvlksZ~AK;!&OnGJ1C#t_pjUsPtvm$nFDG`$HpdpExa^+-}_enxpwDectz zWLThaV23k<#ZwFzzV&46UlqVC8X`qDQ?1M{%C{yLTI|cpOt@n_e=}=k4qZDR7_Bdm zexP3s!&sDAbZ?xrK#n4vv)VVCt#(3qmgdnx2)%8?wq910w_X~RFJC>Dpm8$DSS94& zvLg7tD#$p6C+11TQnom=bR$ry%&!OrORcm!R(UaydZ(IxCG`7+o_*Z!9X>q3dA=;Q zn5!tnyytTT1y(zZ?Jwkul1-L!T21JQ$qHXvEGzRi5F_}<g0?WwZwue>Yl3vifj$tY zos4O62tz+n=1UwWSi0{h?`2Y>4Cr;>Xqe>UvI=Q-U>>5QMZ!OcdD5>oOE|WiV@VwY zVr4VI_~rS1^P8nv4hv0UG8mXd$}M)QueMo%K7e%#;^^1^Sr&T{9#kYT_ZgQiHZB6b zAio%xrc%XH7}sPlGw;(h`AZ7u`*isLmxA?!ncX}0B(YG?T8_0=Bwc%b{MYZF|ErHq z^0_j9kp}J6aq(W!)lv_E;qo64w}1Wq_x~1uVR-9z<K9jA3-H%Cc8Wg(`WgV`JsqL{ z_xa*DMHw~km{dqEo}uA&Pm~BmQ9v}Tf@1t304PtYlH6gE8!Ckj_X`^%rA1dG<*Swa zMgrU<0s2po{O3sTNz!|=^lp~YES3B-BsW{iKSwINSn|h>6&(Ofw8XZ(UBWe3itmtc zu9DpCQn*tJua@$`3wJ1r^R)E7N5ba?sk~oG{`)2TPD<e)O5qV9v@N`C=52F-m-$cn z4;B8OjXzZQ|K6W=$R7>Y4f*@0qWy#YhCXzl;X`kV|8w#FA%FkBj{)iT|M*ZS91V1s zT&a2i7OXYfH*cRJ`M>ljb@#kT-KuABmj}3$tq$Vuh4>B6fBd{|h<vO1scVqjH*PR~ zlH~4#_@|z0du}}QAI}NTtr$B0t$WB5>S{{=c-6-`X7$ImkMFuV{@IpKTCXt7om*+j z;=j^8yJRW+ziRH@F+S-BeU~v;<BIm7y}v?_f$99(z?5GyFtw3M%<l12u_?OP*P`^p zwY66;khSy#xVUCN3ofqVDsb^5zVM}iti`W@i}Xb;xTC;b2`<t!QQ(dPx9<xBGalT- z;7$PdA#jma$Om^4xGCUH2DkM;41|{03oeec*V+uk3YQk#O^7_Wcy`tKxq-p2rxjcr zY!|@A&CnCzuG)QLfb<vAQJ62*$;)0~``DoGcV9Lzj{@ufcnF{tpc=pdunC|Xpb%gs zfEfTzK(W6d4PYKX9KdXV7=W1oGXSChbO4b65dh%;S^zbG5}@~Q&?f-G-)Q_+a9aRQ z0~`kU1HfwlF919X@D#uffGq&!0K=36eU5!P3)>X>{GnU_K5UbIX_9rCS%bz8wv#UC zk#Worzrp;KqnxJiyhQh>%^AyvN_s;-bIL!K{xsA}JBf~Kub=-je&hYpn8&fG2f&#Z z#|2vEK*g-*04@WJgo?!gEC#@fDc&>*45f=VGDI$pK^;$cll*T0c)9Wp024s*{{jN= z@5!mi2mKV%&zruu%fRFVtOQurWw>hm{2x$D0|XQR000O8gbGGZ*bb}oi<tlb044zd z6#xJLb7gdOaCC2PY;!MXb!ja&G%jU$W$e9scvRKZFn%U8lT2=$1Q-Z68DLN}iqY|s zFi_`^iJp;(#)^uHij5*xtTZ_XumUEYiOpm?mA1Ck*0$E_>#fySYq=^W1ag6J35wiQ z;(ZSz7(kP7J-@Zqo=GMV`o7=qdA|QX9x`X2eO-I+wbyO0y-(?F%O$HMNjCU1O-WiM ziGM!nfBv@{{sxU*Ge~+neapC2mf)6gGw0o3=~__n(0vtmKj<pI`)5CUNOS$<URQ<w zGuQn;bNR2o(e>a%_uM-<J3GT2uVccUFZ}7gt2VVH{(Q&YY`KTRn_H&9bMJ!LE#>fh z_`&O1is^Y*%Y*a`w4~GX_LjNu{PF$e^RRpZwz3jQy6175G~!KmLn5wInjmGSq)XC= z@G@V-wdKQ4j_9&QiicAq$&No#-&0y(5rZU>s}hA0j~~AG3re<Ji!>>D@a9+~N5=nR zkpHKDoszUX<?P9mwR;z9@I3iJ93bqwt$!XDKr^}Gp1ZZXVgAn-bxIe&-`@WDeDHs= z$R>SpITnO58HV*)2Ii}uyg+26K0;rmEO?ImK|bIAK~MkRzyAyW)bMP#Lk-V&=cr-L zou`JExLwLj<tF83)%eC0WS^==tLdo^u#;<W@{YW&cDG0T=@vEeu&I`}@G_WJPnYLl zu>9L5X}lVlWeKv*8gtpb^4Kb@Uy)a2U08K&wr(?<V&_#I8?U=+x|R*~v!=IZt86nn z&3_6tsMh`YT}{^6s@WJz@pM5U+l8vR5ncn{gSExxl2uS>a8jYmMIn{VcdIJX++`|T z;-1xH9p6-JkyJL@?F+Cb)!5)t?o{qjW;eDa{$YRfZc(ehnFEVJW%hRlLw?T&H5_u6 zQOq8dHOMQ{RdzhostsALn)Ox3F4k>LK67@RBh;!NQX?TZl8RvD3AZl=pMJMbjm&fx z0BCC1?{@L)bAduEaTiE(&Fc~ceY54z-*LGAL*Z?r@L(t`23?InK^Sq$)7`F`Evnh7 zT3f1$X6p_J!c%jKRBuZ~W)t*;BK25Owb&34_#nX64AtYD@cr46MANw%S1x}d0|9%A z^2G)xB~)SpdtX_FZz^k1Sr1>EiNR)-Js}3n)5aYLF?-fsh40lHaAfalOd9XA;};G$ zbv4KisO&_f%s~hS-Qe9or#+_1jw<1$lDsYx(5l4qg&NM|_d;_u^_o*2>z5#9h6T`s zmr<nNDX++fS6}F$cDqkrw}lsq%=VI+FSLNK>J%bkb8HWU#_Pj;UCkDKkf$CJ<)`X> zmmc)9j&`%g)CLDxGosp7-j<Gt*6lH|%IAHxlU2auKlaP=N+L^Bs-&1DQlPv9CZZ`2 zzN`rgoeRM8H**M#+~o;)pUV;OR(SzQt}#uMkahq*p8<zq)F#!m>VsMKW8*ARO{?bc z>@b~Id<2vm=MAz?>O=PU_~#(LcR;GA9!GSK8VR}=_#@ZM^Xv$}<L)FX;D;vRXBPg< z;U79ADRK)e^6V!7G{Bn$^B|Y$JhTr{b~fY%1X~b<x>YRT!)YzVpMnxkYYAX3d*9Ov zuagkvEL8NhebnJe{J0&l&H36V_)zEY3L653_|qd1{vf1xH8OxhWkGkDvB?bEe+RXg z&b#&@q6M+}rwDG-=}%PqcTw$yiE2lkrP`3_@WA-CGvn(mh^vAUMg^v>#qI>ysX#dg zT=jmevLk@8u)Kni8!SslUdyI#5*d%Y9xxjq$!~2Bdbce3Dp0-&hJ}w!BRJbWmZVa) z5f)XDb@0J*V$DO%qFSgka=*E>AjoW=1j@HSk>5d)fVGW(ISApO`bnHfn2oe%{MING zTe5us9tGG2LLopP>ZI?+Ta=p>M2J}_L;%-j_Y%MYBuMOtAIVU#{20*>Wt9XS_OzPL z<9m|nQh`{g5r5Xjh)xBnw_#zPJXWeIoUG+g$tK7S6wAAQQLKrk0?JZJ&kiWd>{C9* zfxx2SYfNVMz-#!LG`<TYP`2CXG4=6$n^jOqpkmGwAH^qjIzSmIwnmRx1l1~lr+^X& zRQMlml!o}2Hz2XRMUA|Zh3RZFpHbVFT{SnU=6cn;t5TL%q=f1<$J7kXHZ@z1Hl;{N zF)35T`RGSjHA+|9J%|?YL;(C&f+U_PY+?2?hzKhVd4>I22-PZC*nc->xfH4BvE#71 z1&J?I*=`{8eBm)%@LUDVb@6BlHMSSm77$kK<DF10Qj!wQrY7EYmq8YoO?NQ-f?LH| zf_@_VD2ZHn<r)XF*+_{6*>MB$uq}vF<9kfgIBf}pZSDXJyJMM4H5wh}R+VM)R7g{e zW(UTo#vuz#L680w%?3ZvZJKKZEopWHy!$b2={R|8h~$L;%ld>jLl(fhqzp^GHh{20 z(*jntISn&w7X;V`01jXCB8-D2-p{>aB7<xrUkI6Kd}G5(*v5F~hfm_*v~cBwX$D!m z!%TEoWnzMn{UEv``w3^zI!1g}?o#f&>-J;<s50mMqb(B4z6*X8qLI-aY5-8a3>LZS z2!?%m!LaJO@n%@<u-0Lcj(PU6qpVT&ZkB&n?`_o2<IB&Lq-GL!kwUlxne*)MwDSL& zC`m?(8FeC_L6P?pMeaCjk;-_H&m_d}d)x~+BJ=XDYw~<@&F_djZR1}}fJ{B6c7f4z z8t|?hR`w>f;g~%bu{WP@k&MsAst@d#6|fEkEYF^pVUc3F5Ez|-@(<7s`}2^gYkJ|M z`b4Z{B-Y}@CBYihh90}|DHLyo;#u`wN@0~Yp1(fvY~XGHWzE=XdXMTCAYi3KaD|q# zHX`&h-SaSVjuRp~RkjP3nluzTgOUHjAwd>a2-N3Jnin-<58EwLqwhwfs?0vyYmwGM zek9^)t5CIy*}aW&un|Bd%nsX&APcvhi*VVq^Pzi?)eWKoh+E+?qcQR8iImuRfk;eS zH4;&3v8NT#Z4|VohKE{IV|{^YGyuBCEE<S+_VtiE_9gZq;v5W_N+PN?0OUC0oHxk= zcwQeLrU0|8$Ds<cp_YJg+|)AR_q1j&t=XZcHm95h1{pBxvHE}!wdn64rQ6`b&LXeo zzXXM<YML8WAI;8l&%?>hz8WC~Rvm4CZncTAAjX_MA4DzHyQg9b3{+<thIcQT417af z_1dfS?*cWyUF|-gHXOGSLPW2M1aouvRM2DPH4o&;u?#gbqri0D_yI`+2#BcPI5t#e zdzZ>aLk=I5ocmhHJ+UvhfExzoQ!6&Vsp3ii<z51%Wl_Go=I42`n!hOtp6=*CVBUZ} zL(N75)cpSYy;2F*3s5YT<uw&~1jpkdBZ2U0Z^k&h_qcsRKIVVF07q>%&h4loh|ruI zRC%0hEt7YR2P6x+ePKX|#@;^k|2KDTf_?$|2aFy^#f|cc9f8%B_`iVsMmt3ND$Y^6 z_ZXk1X{o{d1~r@m!geWZ2^bw$1sbBMdXacZgBPooJ9qBf<;&G@E@D-{Y}LOj1$Z)Q zb5*k;V7BO8jq+HZgqh%fp!%3JT9PUYFn{<4kT7n@fpQ=?-LM<}I-oo}IQ(_OUyr^! z_S9UGZ&kT57yh6G{D>kD*o{9_2%a2&I`OAR-`-i3<(8r|0V&Vi{~+5_npv;8VG6s} zr)iVwfc@3la^=wHI5_5dfLu$16#c7MR)94&s$m;+a6OD|O2FWbigN?2&C~R6S<niy z%l3eA#4Po+2UbgBD630r+O^hzQSXpL4C;(mAL^@qap;R$cdn+#U+-5Ncn;;#eiDzm zS>(7e{(4Pc4qrU#GLhqw`0K>p3}fRlLqvug@haC$#bt{9v2Id5J7BJJDoVN<(zFbi zt=e435<3k2b5)E;o}lmzc`)KGOsM=Cy5yoENRQ7smZ*0?l%*n#W<7QkTWE{pZwbqT z^%i8Uit%}m(k0n~tX&(TFrTBeyv)|UJ7{eO8W)_<9w=|TmJQ8OS#b_i9jbMPqf4>M zT9&**u^Jtn>eD#To=pMPO4uEJ2BacdOQlQ!UIhv5JPh6IrvL~(hB7orbCZJMpxaf7 zvgUdf<Y}HViE<V;3jH7mdGc<$`4*v=fplnmQ-GZJWl3<}r)l9F1KH5Cqm&(Eo5C~Q z3smoMEhFeXqRT<=dQDzUto0q#ZQ=EB(7Q>`Qj4B)FNbLTGg##Du=Zildq5;The^#M z3B%gjp!YM8^xv5D50Qjn?K#mqw!d(QmPwj$BZ`)XtGrY63jqpk9L%Xze$0!~;OZ1f z$WqYP0BC4KfXsMysF6o3F$d<gDz(E@)Hsh|g~PRbQAOK32{QrgcC<naud`0QSj(O| zTT7ohSqFY`G-gvH51{T=I7Hv3dJkw92Vn#z20_}&-xe%-f_f)E{%Ug5+xXK|tIAGc z%g3?h;VM9IgX-<B2*OBc<AQ8!yaF79g+K2tyoKLRg<(*%GBy7bwdh$Ii-p&rwt;*V zbG7lyAy@2Ts!Pq^kGZI#NtCO%F1fcZn^HT}?WvFc8gj8sF&hxi1wqh@&|ZV11Awky zh(m+`XD8+jV}@fRgA&uV5GuM!!Wsu9rfDJ74Va-%<adri9J>dk!nG(=^vM&T!dHw& zSt&LckYpFX95SvRkF4GSvI(d!ivcwYP?RIB<<2`A`}8smm09B(P-{SrJ}$(5l^sTL zuu4#OwR?AfHI$CpS2|%ggn=iNj@p5mD$v@XyRdY^c8YCQF&2b!TpE)C6bl1ZI;viU zSYXDx6r;n6>iyo6LOGv<`qVrCt?aHJFqkC%;?2GvfYNi-hK8KE-3_LxryOlm8(MRs zf9uEVo0L3YU_0cR$56ev{Bo3Fih&3$uO|s?h{|eLQD_Fx-fVj&^51rC7^^}Pca42X zIyB<o=^o4iaN5fqkfW&Bp^YL!QcKygZ^CTp{J{BCy#tfFsD>2XX;7Y&rs6zU7DwfW zQjW@xT9SDv!Rj-nEgFHNT)syK@a(sPfGMxE%`!S1v71q2aCvs{bIE`KYNN3#3-Vf) z4MWE5A^{Er!Yi+kBtP37gYs2q{qoBzN6!MX=%`xaE|jz^ELvbZhv1x22ml|+PcRdL zHWB?oXy(9>0dA#?O5j!>S_#>e4<AXgb?hd!rd9h8=bR?K04;8WBB<m*k!HWU5TJe( zp6YZg_!m$kjQQ?D3){Uo1FZ}NO&}nWE>{3T@S|6dcyDZ&^B?64lmT=Q(Sksi*CtpZ zGMce<mg#jv(}7J)S+C!MEb2N?Jg-%|8&Fl!KfN|GG<|OMXQn*2`go7Ls9j|i;0ozL z<n)asVF2q1tV!_Rg}{M2&7gHhz_UJ3)2KB7pq~0h70}n%Z8nB>Xy=8xv<Yg%fgA{r zg7ENoScY(>2--qjdMy@9%(aW{;nx?@l)0`XLG_=fU}Op|fdy(xaS2g1JCgE)$olIo zXoxx5Dg?3-AUQs?h0KMf^H4m}#x|SV`{Nb1wGt)(Qk>f$8^o_hbct5D@I{2@j>Rwt zp_LaA0k}mhp5tVuwPMXFST88C-u)E^ag`QeD|ZRLCbFZFLIt3f;UGc6%F0CCNHN<J zC8NnD+mgzv#<aR~P>I>2<v~v$g)q<Xk|n@_fd335E}uer?JqXtBYOrs_%i4iG<6%i z?}zc^bw!vqW-Miy=7L9T(3v`5Oq+nsffN(T9*K4Tc?vZqBaXK!k+KxinF8_HrvZH> z+K8r`yks`+D`6dMub&;G@#Mo`JeM2O{*rBxEOO{1L^a#%@C8Et+KG=sux6iJvyDh; zcGVbwz;iK%J5h`%0C?rlUq#~Wm^h3Qd&qDdWL*dYupN%?g{twbgUr3E_jE-T-#;0$ z7NzMav9B;<w#sC_Yck38yb+(_H1mC^Hxuh!ClcWGJ5byC8<UYU9o6kYFV~=<quAp~ zs(2RkHW&vaRs*w<wTWiqAYc}M=M)-XoarL!I7Yn!QOnULoFNA06fh)s)z59VFUu0+ zp#Y(9@Gl@i0Y07u1>k8qCp4q<1*5+J`2n&jUoWcy<RM}d{po3xzab1$W{J**H>6Ph z$aG8edP-^|D?3E7_0ee<Bi008eNo)dzMCJIhQZDJ`S^3tQ1PsbzyBis+%ZKwy9(p) zh1AVQ0R{O_E+WPF>tnsz9m#vbw5e8q^IU=;n$Fvs05w*X-X=+Ni|k+R1itkXwcI}9 zLmaxxKZJMH+EiVL+p1coXJ1%|BC+dMXQp5YH7_}~&{&1kaL}TpIJakC(bH&hm4DZm zh|B3shBhjojrVX=V6<N^CWFAZqG?&c_;fp8eHoCT(Ku7TyfjXX_`gp;4`*GR$oW|Y z<$Mxz;zlRGqc<nRoaX=mU(TPCG5^CEt4Co%DkPZBSsQ7T9tItqS1A;(fy($2Upz0N z$ll{n$^FyfQRx`f3{e1W+X-ClS{iHN|He!$Qzgk4TH>BBuLL<+S&dtuez{~*kkz9o zxRu{`5X$u+uGZ|+u~-ve7vBRvv5~CDc!!1r*gK@Gg2*<$715P7$Ly<2G8qXGFTifk z3$RL8fPH>fLT~5qO&3Z)bTA<r*|}!HLY$YUh8MWd=GBirl(L5%rEFY){k*U=|LZQr zHn$YTsRKb4m1{ndXb&c=wgkhz?L|M5AI~Sl=$%=txF_iCkRN*q=d1W6hK)Z#*m%Sy z$sv?14X;HT0VIwryliK{+H7tI@==S3v8+<5UMiJWKG>m80-D#IhcxdTK-xnP;;&pz zG;h!vVQJrDI(I=dn_*MpIsjC*jlVw~6R-BM8*QcKrL==F3En3Kth>mrzJ+Lk>12&C zQ6EBP6GY+09Pf`Re;WM}%(|yOHaEZ?c6km4^39^j3ui*Na@dUTg5FOnek8hAd4=jd zR*|K8dn(hEt`eI|zu53fS~~Q~+oMg04M*$OV(8hMmOwbw593g3ZC1?f=0<91a>aiW zz_?-JgSjdQum|8-slt3ElZ*uYUgFLn`y)z+oXcp>=HsU0SjeG2AiC9mgI3%60@b@) zw*mY^`0FBO4#q5^#!UOq(kxPUaURNHdU-H1aR-`i%6kIF)RU5)zZ#tY__c#!@WQr} zXi)*iR_r3#Gi)VWY`EABqGD`BfMuO*E_P#q=3)mvKp2HwnbkA$QgY)PPO+2(FJia_ zgj)@?Qw0pRfJmCW<|la|;O(s(4XP?{03udho@X91O{3fmh&loO%5$UvvO(AMJQ%6n zAQ>9J$bnU@m{ROqW4gm!oUO8yT8C<;$SWFR4tZTG|LQ`rlj^o~Yb?dI#%rqCu`D=n zF9&N5uwwz%$@co{qNp6P4}Eo8%+0(8Fv7UX)ND2T9{oDrpZUmAG!P&A$pr)IQ@VTz zs;E?DQ7tQAEGCdGxv?t&3Qt|BBwB)I&OtfZ+z2h{!}&BAQKRqzJy#^Zc@;Nd$pQdd z&H@1KT_>yQ)!%Fvn>bxZrNkyqON!X{+JjQ>JQRIk1uhP-?WHV=dwYJ?0gst})(H>V z^25D9e$P?UEb;6Jc=zfG|2rU`XWu~4n#{s{<seBad{(IPvI=TrEiQH;yQ59}6o|8m zvCZr%&hrH$+0Sk>O}S=`BzV){Y!a0g0l12{S(}7L=?TH|ddOJ04GlCcpmmK!D|hJw z^|MN?q1LKm5W+KpY&~QtgDf!Kg^%jzW9f6S^awJHuSaWmLyuip#Gh)wQeD#vt2Bl0 z8g%x)#In!c7lk!PFG)ka6$a(Fw$fL3v4VSJGu=M?@hc4U$EV0NqD(m;hYqBQT}8B+ zC~MJ>t(wh>_lO!6<XnEDB^5VyI;PHAG+33_ZJaKzd&1EPBVl|h$E*t5q?WH&%UjjR z&=yE~DkJARNoqK5gSKX~O^SDi9C{eQF`^*2)jHyVixYuZB57|T@LVGB2WZwfW|3>A zLcj+N8$I{PPcDPSD~GC5aP25^2(>b!r&tbc#}Vi$kwcRy<{CLPkpeer4;nqQ<j@!N zcAGZb=($@CIq9uj4j~_isx~CaB~rlH=m>b%YZt3*76kTc=PL4=FEZu#q{_k1fWB3R zgd=}_drx#Ql)%v}i#llIYE0>2sOPX1hOm1>0dx-5k-X-c%mBMXD)DwJtZ6msY_h)r z+kiYd4(tXR*P)$6)vD|tlXaLdE_y`zL0x?%wF^t+m8CtnEm$9yg#4wfk^jL*^R7T2 z#z3XBh|mpD>PmXx&5v)jp?HaB=@~5rka3$F(|lDMU5e4>D}l+6rz`BJ9JvTLsMe)o z_6KO(@0Fi$S}}0nvTa7s{c`9q4gSyM(7!40kR19W1r})c8a<VA=zE|KMvpFs+9-Ol zT(c7@T6G?Rcca-d*I$&YrGv7V0+8$9s`;DM_G7VeFfuqIN4}*IiDj5A{=!@hXlMgw zJDk562!%h&2s#v;aFpa#sFfnUP)L|634QVK9NP^|es{1yiQI6c*6%Kj-KdacglT>( zlpdQFU`uKG`GwOGLnwz9pTu>$!KK;fhOdmJgs)7DX>>l$Gz^uHk${`3h$(VK8a}cr zGfLyw6q`)5hII^uU!Rs%D!*6K6B`cm2ag<zOD!#ju&soZ^w4{DsdxQSN1%H*!sZYa zXHdlz))H0^)3el}tfRTjRE#gWOT0%*<m-?6fsxI@?H`!C_i!0^?;h1UVG|6Js<5q! zxmEFQdejbeYc3!StUds1w)-&1c9H1?Mo-Z)t72`gwW{Xk*mm^x!77yZ0Bg<sM%8S@ z_S0cp{jz~p6-2T0DsO=t%A|ei%_bx@Sqq}5o9TmmRj2OLl{k<^aR8O-)96aH?0hA% z?hdldY~v5(9w<<Mvecq13K|6Kj-@K={w|3{3A)ts;}VS~5P?%_c^BqKYQ@XO3EW@o zM;|1R*Mvo|2`yu|i~TZD@Av({^jzk4g`M=&SAUJR6m5*(+X(^$%Pxhgxr6Efkw`^# z-&0S}kM#EF!yv~5%<+{gIY*WEBHclggVtPN57$p2q`~3w7tM6fl51w*7~y1If&=HM zOhXL32<EG6gGI~1mweJ0KzLGPxe%M8Q5IK>!!#oIoQZsNUcTn`=XXPT7O-3BsxQbk z0?T#r54ug0B5(kL7`uxP?IC=1Xv5*x)~`ST|2q_bs{Nk&A|N-K?(JFjbCt#XKuE~H zpgu)-2cUqitisi9Zc~koDSZ0W#EQ@_Wx|3AR9!na$o%ekaS)!M;{3PW#Ecd1as4F% zKQ@6Lz?0D1CN`oMqFp#__lWFJj}K~JG7_QIhW6{`!7j>zJPuI=sq+xpW6vO<5}ZtB zf?1)|0jqH~Fx`F4Fc`$okOKmzt8pJQO@HB2y=?Od!8ZR!Y?C!%L`!^Y{?Gxm3qI?1 zS!s)Ydwh#NVb=u&320N`cb=9Hzw@<h_+6y`p6GP!$*Qa7>lw&J;WaB(1%x6ex(F5$ z1YFUdL7*;;Xw}p!^r2OcS}xNEsYY`OMMbZN<f$HtzqB|0J2`qK#@_>+6Q4kG&%-AW z+OhZq$~qjMi{+4vPvCcH@I($Zo6y!Luh>HTiuYWBevjTJZ5(ZZ(>^7Ll6>m-rU?TD zQ2VAFl0zwEpH9v&>U)}r=rcgep|=<4BTAS~%Mu8Z9Qgx8m$2^WlkhB#WUWAk?T={c z_UKYdITF<q1;;3H>IjpLBApz$?KBOJt$TM&25gua$*RKg5x=?}GeoC|qApE=-wE0! z@SCrVhu@2|A@Exu*W`&B98o!5RWwxuEYVYF0fDhiiyl2iQ7O>_r^Mhaz@J(8GZTN* z680JNK`?ewZGUV}-T*-9*%dd}&I7*hD}0-fDY~eOY$Lro>jDt87v}}Tb6mXw@A5dG z2F>mj;F8PN%tGZl@{<<a3E6MQy_el39y8!=)*UF0K9WNE{O=qVV8U(TYz@uib}17L zO1mqIOKKl+1dL2mX(~?7C<#B31rdetQj`HdQ!u6sVuAsqaTbW#*C!XQXk^*vLIiN# zCGMZdp#V)atYv6h4tdGRbDm8tF9=w_Un>ElEXtFEc|@(eo8?G^G{ehJf_6rIK={WB z_@M&reo)U&Gy6tJR;(Ms_IDr<h%nLio=W8hfGbtyg;i&UJiu(H`@r7F><^(zXf}Hr zmxKUO#>|1&SQ-F>@d`5)@BU@WRO3gc_5l2z*6s!6SF&h#;==)pi48KH!MBA79|)Fz zjXq`|d;<?1Tl&BkAhx@K2&AIp5r|BZ0<wZ508^H;28}O#?**b{ngYBoD@L=l6Uk(A z02SvZhxf#i$4VH~3Z!Gd`oO+fs&&lHRCJi|ny3+aPiv`FGaOa1N1KWr)e0;u6Iry; z@ck;lAG5^!wd`*(ozMSE7%tKK<ysul5;95u_Ftm;E7h<^UQuuKr07_iFP3ifSall& z9cpAo9M;KkSnXzURxAg%6((a|wb_bpABwp_MXQ2om7ll)P1)JQQqfJ(^)FPxVphnH zrkdr#R0FDK<)i?6q@a|Q7xtO}diQE;TJ?$if|RrFYg}a!`x;iJj22tBpbuu-dnEFu zss5$|a0f~*pw*!P^H}v17R%a?{0*&@AdBQ!1aHD;uk&V^>1=*W=q`>F!Jd7<RiJf# z>QNz0coC*TB4orT=a7_up;<w6x{J#RR4r@7cbBJ?uZGew7qT2~7t)ESzwiBJS~B7t zrRU)`3HN0*65_*RN78iWzJ-=jw%c@?Z;HjQn$B<DB)eZ$%|6``QB!!&Wtep<#IC_w zXsTDeNn8g<=JvDb@1SKzK{#30g);h{0P9iN5$?+q-5wc)4uitHSt#h}SBHCp=Jwb` z+F|C#W!T}_1M{G2Iq&ojU3!fT1!PA6uDbIJM3De%_eXpVZ-$m{)(5QHjh>4tjzpA$ zMo;dd)K#FIN{!VGe%#te6flkrQsk@a8`Y;3=5Mey3VYuo0j!>`M(kgI2_tS(jrtsN z1EBO<lF~OP(uY!d?>>wtDbGv2dBS;oWF8VJ=aXN?w{e1zvK$aNyomhalwLolGuTDY z(fF{j#YA)GJ)U0ook>OZ+rF2ig)TIux4eO*`>z~?1HX67^zU&FPRQ4s@}AOLlB^$q zQGJ^oefCUfY(XCI2bVCKVS`6tHi0pj<d}wY!S7G)ZTf;D`+iWV7mmlKOZzq5{2eu| z$k&`yyeIYg<i?la?Dau_)~&O{&_!EK1cQpQ*%t2V>-)uOji~_?w+bk>!n%7Mq4-N2 z3WcCJ3Q&Bfc)!!v{SQ!_-B;PuMTmSrf$<NrPYE-3B7eE>hrqNQO#m~cA24qpO#t(~ z;{9G<o9vn1C=k2Xtr&OHuDnrrNjJc1>M_yPz;sr<PHS{HzY#ZJZ~@PKovfNCKp_lU zdu@Jw`&TrK1)i?Rbr$|pkPMbb?zG}^@{YM|h(%g@f3W;>V8afpMY`6Q+97FW*RrgR zE+x;<a`;;w;V+qLHbGTx<HXP<mq6xyAcA2o;f?m^f70evlZgD3D<=Awj#&ZkGYt3V zlG%vO#hxT@7XEb#`7erPtU>?LFJX3Le_sR_Q}S@)_qeT7Q}nC4l{^QUv#(%9`48vR zn9DBWqtOAF-I(KN&CvPJK*<5=L}tZ#q56kqqvKS#I4_oF%*b;YTOr?!9HZPp&1&dV zpV@zJvd>o#7)Bb$Q&_PJ`A=!TQL`h1I7ePno;Rq{Nqa{iszZ~1_ev75$a*r?Cia1} zxXn2jzQ>){=lA1hhf6$Ph$+DSFZY;qX2aNKdZ)dfYmwy0<0!h6e+z@V%tAB4CGDrz zvZ1_dI?TizwvE^AGR@_Xey4@TnbQ<qt{A5+`cPhk)B~96MBtx(XxtqeRZ`QX4}(l8 zFpncevLgGtaXV3E&OEAR=mDsB^)5V*fB=yKAf^e8S6DX``A&?RI6e_%_W-Nv^(AQ( zE=non8`n37I0$)S{RSfw|ItC`nalwD$autI(I=|qO(YALO)7}fKp<c3L?)C4Y%h}! z8c$ml7eVyDK10^sm;(ZVclVOU_*Mnkad9329$$Rrs^!h9wLW0DH=vZT@67a5jf@%B zfel@B8&=FtsO(C$rb`=TJnFD$FuAZ|x4()hTlo_7P%+L!hwU8IduquC@g43g>OrdM zeCbsI8y*n&{LIE>vOL;f-wzqBttx}=nG^F~m85~=L<B}H-?L6Qn@!6kL&b2OH$svk z*Nx$PSYp#{SO;SL3DpYn$3-{oN7KWSQ?M{>tSR=$YCH?c8_5lx=#k7P!%H(A6NFK@ zjSND3F8nMP<@Aeb8W5|Wb_u$I;VRtPJKED*v@4bq2+uwx#nLhLCnpFGvls41=|FuY zv784^${meKd;aBn)X20K@EnPCpK46qFX_1)EpN~yh#I-P{S$;bYk%Lugt7YK<@i|9 zA`<RNI0u)a-`VsIwfnH@ZLV~4l|1hUN_bhcU)fE&Qg^8G8^;9t)R?O5@4+=|b}T|O z%U_PeD3>{aqMObOUJ*?DB4gU`kE1F+0$r}(8B1fcS*_Wpz13{Ries<hOR9KDknVy$ zzkvbr5HeAKTn?Qe5O&C+BVrqn?Lp_3aY~&O0@(=dT9WGBB|rWSsbsfWYAsFHDR^X$ zwU<KA6{V_30?`o{#A(_1J>;rOQO)&e8*8kZBI#cSSS#OMC`na?7i&YR3TJDBMCQr| z#Zf?X!kL4EI3hMUo^oTIh03dD1JtfZG0Qy6a!H*9pvs>*SsNeEI;qJz89n(DMe_z0 zja*|<y-f>qno3~s{~J_?wdjNv%WbkE22S9A#wgk>7%*QT7`+Kve1Z@DK)~zIAAGnk z)J{69!j37dllSZq-cpnN@``;*Xo+=<J{Fd?lRT(YR*Up(y1deM>x3qx*htt3A9}r| zK=_WETM&XWY<w0vBH)~|^{ic4ZKJ7f0f324wzVZ9$&n;_o1lTHcTnH>tyjh!LQ!~k zfI3l2lbRhlgbU}T|3W!;%;Il_+Axcp=4XoYS+n@AN-2JT%vj<slQabn8p5<<1%9Dp z6o^xbxJL_Artpv`0OCT>U556rS*Tjf0iB@+>WYm|Y{h`$Zu?fK4D@Q$!?4<aeTeqF z4p1%j+YbsIV!6ma`w;rHTndrts7%-|gpeS`_V(SP*?AD&5)Ushoo~H}hYX&De1e<2 zK1rN+`pt{NpXU`Efu-<bOj~#miCu=s_xL1Cm<<VQ(i0lT)i099fxw<cE{26N8Wz|( z3#mTn#_8F??`ub!&^|S?G)IZdNLA#OjsEZ*Hu!VEU)J2CuK`8+F&;b0KUHTNE6~_D zWYLePk;oXRX$|(V&Q?@w0qj<d1DJC5J;Xl$k19Kj%*tK8+lLD%<}eG`aE3uQ-28$h zt;Onb8+w|BHWwjfL2Zgz53AYRSn++G-+glvjHL^YcikL2UtV#G1yH-*?_IxWn3BIe z!0NA!1Z@k@|K%+ge|S3`K1!)e3)SoIv#Ya6xkLlm0z?&dwGGrMfhquxHGWhT%|>`U z_D@%lp6in!AG<k=9Dgt$<Uwa3;qFWa99bhQRn*1qnR@0TDFcfrbO0q@YVuU!X@L-^ zz}i5i?y_36tg7^!y3kN;5BD9cDcazwbQi`z(b{SpsaRT5wLm(U40C<JXiULVC;EG_ ztB@O9HwFgcuS&${GI~ZVazK5N>8@Cof^UPME?^e}>M_?tP2Tq_=+rIEkf)9RW~WK! z1)RhFo*?lvpXg8YF`eM;Nw|Yv4SY}=q8h7kQ%b^PFi)eCY3ygKQQ73(J;W~mDjZL7 zXuM-Gfe~tc<RGIv4XddSg9Y4-M*$g~`fJhb{Nz!jXZBC=KwtQmtHf%1|6{Sj3OWtR zLdYoEK-;!TTKfzae|#5~Bsy9sFjV-QiZiO{S=#o2X&MuE9zy;1#A$tEv%Tq%Skb1_ z_k4mT-k3}iV<pCkQ~Ka$`?I|{2SLu*2gZq$`cNXW&GxEz8uQs=YtP_@n(#tR-g8ID zpl9I^;;V&x&W`W^dXwy9J>Et=8^tj@h-1+_I^2EH#~-0LrOILfwoyUnc&VsR4xNVr ztF<j){RZ7RjAQnSXtl{t;Z`P|w5~Rz6ee$}m7uNO^*2x%8s*T}lCaN^_IznPvWX(E z8;vF(q$+&G7SOJi*}`{b`HO(K%a2Fmr1;#z+3s_-iwb91v`O-cLV1O1@g7^`%-;re zUO5H;s>-khtRDpO+w|`Nu$00){e3lZ^*O6gBlB@M0@e+b#;&tfM_+(tp-nQPHf^*K z&DL@hZyShqjj@rdY&P62U4?tQv8+`#2OjBKl?!j-tF!#!xsI4Me5XT=EXx5hw;DG{ zfWAdLaA?LH`UZMjvl6#CTg>Q(1ABH=8+xP7e-K7?%p-Uf*m_V|gIujN;y;*!-UEes z+9idzTC@x06}j>X#p2z*2scYE9i!A)73&9z!-BD;);90<h2P*#Y2gTc8y@2*wSH8Z z|AD?12Cn*B>>EO=xs7jaTAuN3ww8s4fst!P-`0x0trdM+OMSaDOO4!|6NoH1XroTa zE7Oq3%|$cG`V<_ugCwgTM<EZ<wGbEamUgj0Qbp`-gRj@){fstn6wp9~0JWam(#X2W zbI3dWFSzJH`dbHYe%9eFw#lI<VZ>Iua64)CAriAeghR{p65>3+7t6FoSw&gC1f?|W z#k2mbjXTh+&p2eRaZ~1BVdhT5V(KH~FQ6%{---K3ZQ3Ay@>|nH`|-p#cH)}<i^y%Y zbUjWE=5kFs)Y4^d*$Ycfu0e%Ckb>Ip(5tQ37Pe=^(2dLyw%aL?6}C$l*oEe{V8njQ zKLH_*+n0_|%Qwj@{WEgrD&de?3*5+Dk6B`$iLBMf5lxm3hirBJ5u>NqhAgfNdNX~B zYGbvD%YNxdwR~G$Xaw?3%vF#Nxk#;yeF7_d_#W(lWa_yfb7$-k{j~F;&`&iy=Gbo0 zJ<*BABhdMLbU->6M&O?xVCIiBJe<hCfN|%ye1p0Pijgt92Zr@q1-;XHEefE5l%bwF zi}chx$Yy6u%SMq~AG-P!I&mI`-)4LFVL`A+gP%0e2BEU*Ni<b^&`$R-$Sswqz<3+9 z2UTW}-528THVP$uw#t}`B3iX!MiFW^UP2ItHSppeVKpqTe~uAJIrfm_DZ@&+B`N;< zgBUgn;*DK{jZKHdLX4=6A`#*3l!vJh^&a7T{x<%uh(p&6e0^QKVm17E5uQbMYr6|2 zAmBJ7jn#Og48nD{mtesRT*u6jM`n?W1!TV)WxS$mI<>(nld&%u*cUr5#eBx2J;({! z^^T+z52ZA_NVa+xuk+~B6_Gnd2OmVa8CC*twCcpD+60HIb`5yX8}MGx?>(Z-65GRS z#7Xj3QCTOlpd3)SFiVO>H5LPmz*5Q_NpW-t&7y;jUX8u(G^%hcEM!MRt&JR#j8?PL zZ%OY5q~GG`2c&q<8}MGx?>!mF!9N7jZ^`%pkQ6r%NWZ0a4xwj5vJGo5mQZl~rv_PW z(7Qvs7?0MmP5h6*0ZJipYye&+(w6TOJW~^~Kl>r>Vr_@jc$_F-W0FlP?n51=mUbs( zo*zRAEw5MR8N^#D{b_uS<*z2y`}DUc_(WJe5k==8psW05I@7XSWcc_{lGL(&tB_iH z?U&}njn7C@8;Gdp#I?`RSq2ELekOiSk7du@h30!x%Ql^uZe-7d2$S4&&4XgkbKvoY zi2a7YBQ>pl4%%;4MkB&ES7Vnj)Kra|B*jhD-S~jamu;uat9prRK6Qy1f*4D2YUPA} zh#qB9dU$QUFf`z{p8c;MVkL$c1sV*VgPzBt#GZp<OQRrJmk=<U&L;rxSoSigfc2Qp zrl)%i&1yuotU-SOuJDAlNAs}k8?i06-E=-rc{fAsFp&4Y!;LlPe_@<4!(oQ4u{8c{ zlmsl0c^;>{$@>BEIsduYYe{lM)Es`%mZT}7bwQrXy@D|vAPL~E8(`AZC}y6ainqz) zZI*a*iMM&;ZLoM-Al_`^ZLxUkqV6%GY83IMh<Hv=Bjay^c-i?Dh!?Z*%Y!sWOvu|P zPeZ{m#At^@kvUtF#Ozf5JC0L91+V)iF^zsvMPeGYd^7?bJpnCyr)>vjq>Y4%?!%+i z-X3j`ag~H;8G+^=>z&pV^dSarbp;pGTR6bh%<tX?OsMSuS(xVlXZa^hQRW{|ZH{~( zjP5E;u~3X}{i=7KFJajad=Q`KHNPiY={e|yvYF0Pn9g;-@11AiO`OIzpCkdPZ*L%3 zeV(J1A7cklH}D16cK${S2r7}gEK2nWTosGRg5rx?P~?@ihog8{g>}=OX2WTRPhPQ= z|Hv8FC=nQ6?b~Ep@YTNK4&%BCx$BTj_#@X^VnZ;tR>X!WmTgk$sQFBHVK8o#V9HR^ zS`{0CCG=KMWrenSuz<{Q!wUWGSwg`miz^tO`q)U2W!wuUYy|aVR@|;r7S~~L%XUtH zJ<#93pJc+EgfD+sO%M!#YA;{$scEtqd1`rQSHolaaQ?~XD0tvG1=?BwdHOOG!y0^A zHeXL^WbXRRV|F!Iv=QM)99<1LawtrTzc|PE^t2kbhG*ol;yg$*I=(epQo_Y~uaIN; z#oV*5*BKpX>cn+@j_8>n=H5SqHaSQPYRBD&V%imvL#T_eeB2Gme;`MVOt(NItk`X~ zc)tx7JC=>`vyD)E-8iHpv0IE*7eElb3ca&Wo7x29^l9xJ5TjMr1RSaUD|DWXJN~xL zQmt9*V`+e(dCkyI#o^M1dv>s`plqjbCmxakM3qC|(#GtJoI04aT1#x$yOy|8RRCGp zMqW%!dr!$V8zHB>0*zO+D%kwKT_9I~zkLwT=eu2WrBy*Na(Qh#RB_C+FTk3-4lNUH zHT5~hiQyH8;YT(;K*1dET;wJiCVDJFCKplPOeKWLHl`Idp|~8nn-oG6n&r?RNe-Hp z2g;K2?ohfM$Da9ToUd&Gwv&gh5Eo+&v{&+d`{@AGvHj?hh8m`)waI>{gH+=Qzo7;% zfvR49mMmU7AlsS~NU=R<tFVqL%zhbi@;?qnLkFzbo~aA3hREMyWX)ib86NwLV4Oh} z2Ma$@sFP}bJC`m$OVt;X!-9S2vuM@WiL@$k*;%sMFl%|E$X05tzn=M<9DL;2vhVza zM&UPq!coX^S?HFP+9Fs3C9A(f2TkWgzb0!5Qm#wMZ{$L?e4lECi41<?;BV$4NHafi zh?>!2qy`!2a=@7Eze$+Zg+M<)F3{hZIF}=4caWDRTpJ#re>&Z#k1?hNH^5|rz>o9H zUjW)D_E7$a8>dNkV$gxw$hCR=d)i!~b7ITTpc1yf|0UT!H_%r7KHVNE&Woku`HH0b zNCxhC^<DFKm_OPiwn`XOz<-2Zk*ot=HGI9en<#p~yFq?TxC!<I@=pdM4><zHDTn+R zp6S8;<wxl#T4%t!v2x}bIxym0ugcT6tJdwRcY8%H=6SCJnYrq1)JKBowhxqMm+Jkn z;%ZF$JNC-ks1>OVrd5rM?m-vDzjRUmj(&k{Y~@eVE2PeFa6=?*r=(A?I=*3JuSF?I z!|H#F8u>*K9l%Y|?%igK7~>=vEHb8;%)is7zIe8?nn^wh$>m0gazp=5%QXVCe=mau zH<Q2mz33!e&-ATDkM-XK?svaY!)kG8&!JiI1aP@JRkgNw>Z^<Jte&2=MjX()Ay0m) z{%B)cuw0o6Ya+;Y1g#B<ywW$cL|!>7_1Z{K$}6ear=7!Y$O1{cB7-Ro>w1v1D`W*t z$_<lByqhaN!xn@PpJ*S(GRPW&k?gnrj0ZSc6MNC)OY<9mM`KJa3TJqVmHFHad~El2 zqr(yx+b8wThX?19)ozcAPd2kXCh^A#rTC2&;!c|Ec2tO;_>QLi{7>SE>ru`=ldYW{ zVaNE*-wWe9;%}oIsw3&Y7NxRax&0M7soY*PMH_-H-^ThJwV}hNS{o2wqjU*S;<eHS zxvT;9e!%;_94aPXr|FJTtn&&ye_-_3_3U8yHir`Nos3QtQ5NBaIGh@NjU1`N|H22m z)@B@Y$Tghca5}f3_&j6_+66b2vQ2((`_c;n4WHUTf=5slG$S|Ul!j+pdRX??ZIIjk zCHz`jAm@_3)l+^YN%d?kU7L~BY~a&C?!K^k%5q3a#8qS5PpYT<Iw=kpZ|u72DZfpM ztHHP_)l(u#ad=Nb?A+=pPbS5oCqQg)^_1UWT!x54`HB4&Lv%VoF}H^au2>ok4lIQ* z4Mg<w)4~*XmVJus8&KU3Xa86{ZWNE1AJNtd;C;3N!RS**5Eo`AyTBxlHnKhBy0F00 z#oCPnDRKzSP!xDxiU+C^f#npi%AsFUz^0WN2U4{QjpG*WF8<Wsgb7C-r}euT>(xEN zQrS-4o)cf9`w6q3gGa(EeL?h9VJ`cVNPDVZ+OI^~B9XQrIW4C1XR&Xrlav~4<pIK? z<)l!sO@O_zO_Ee}s|_vs4LQBYx*l%><^5hO?U*eE)_vq|M=86|9UBYHcJ8HSqkEH@ z<;91Q^m8EW7Cp^VAMKLxQiFqfh7u{Y^79)(TLm@40iACJYQ5Yz;n0Q|Co;8M<AhDi z3gRh1KTPC;*d;->jxLa)yCIGL!mtF{^&x(?0uiG5ar}J(QNvC}FtLbb<2h~CPUjHp zmQ9G`xER#(P2`#IICbB+r^O-cdIc<dcPmu!K401i1So8C19)iw-UT2XyoVU*-LGe} z-;-PWHpSc-v$M_c@b1?#5N<obtq%@{30BCO<_{Bep8CYO%|ejDeLp<2nZ0KZpdvg! z?e{dkDKwp_b#&ncokkxyZ8)xuOj-@5voVaDu>1VD$0Y8$D2&(l${s0kFB++**-t|R z|JS#Ic;?WN2|U`-ckVLjo-vhKstf5vZN9NM&!$ggKG!st{kJ1D=d^M77&L7>KGLR1 zzGp0YD*xqin92S$80hPpBnSPWw!fV*?$K8?ZQ;jwjEdh9L&O}T(hZLGwNH@9q00W< zRbJPk^eV5Ud0-OGukw!9(>?VyCa@mXBd^Hh3qK{^AhzKfW80@fb_mp2L-qR6{)+us z{56efhw)T00I`G47L3`~M$QQ!@{GbY0;nKOodz7Y8C8$dblK)?tA$$lI&zJLBq+Qo z@n5v{)B}9v);3}C0#Y<40%3&zUMyXohA-113oKf(T7GDa*hk*N7h}<I8kVU*e^-=0 zTX<^zS>(<;K8RnoSl*;sVTdICd1z@u8<{=$d%H1p;*d5%>+_^$`}g~LExl**F95`N z3GbMATonA{W~8MS+|WOxUt*t(H{U&{lpPMR9>us9nb&84WlFO}c$)0cfIO!Jj13OY zL7cZ-n74zz72{#*V1gKr72(ykXkkdJv(~1mX0yD)gDG42-}cj_4jGt%?&0myMgj5o zr?2X?OG|~{bp3CbC%x$!Q;Oj!DNh$(flJqq0rqJ2DsQ?@H!vNh_{~IqzR(<j@KiT~ zr<ken{ooj8GaIVBv$ZY+`HIjceN0W4Hb{*WTdE4jLp5x7EE8v;rVCN9vppKiHCwU$ z)TXrAc(MdQu4&a{h#uPYHC?)6s!O|OYPwbo19GLju7z(vr2z_z!V~Frh`7`@EEw-* zER)V#nT;4nV_-H$Z#6|RXh(`?j}A4_sQHCv4;XGY<V-!&mA}c7D(yYeVTm~EckL0V zzw2w%WTsW^?9=B|wyVir@gb3zvJj%y7^Ej^c-kN74wij5vXX8^mwNQdpwmHwp}n_O zzl+L7Ir3mUWQqUAs@}tuv(@q-D!s?d${W<k(8H>?y+TDJt^EVBf}s0_!HBK1uU_(f zjn{e~Z6?w6OVjqZpggeIQ|}Lt*#=>9k?-fiBK&90;$Q1y*}vO~)bon~`$&ms?i9t_ zreA70-=hwrexhYH+aKI1)=zAl>HOY6x$3T+;<%)LE65Q$<Hup~Ome{ck?u5|kM@=) zmN$g>?1{Plq6yky)p{BN=jq*vz#(*)EX1DzHUEU#4&1WQv%?>`-r{LRcg9JW<T9P( zvC?v`c)!sUq#7UYAa0I8UeZ?umZJ(htw87|#V;-R%D{668}v-vGW_!gC|G}o^xwJB zK+u|EmENsdI`m$y2@=JA(Ma?_4o$%$ONB1H`>r0IdQbe>ncoO%dU+?-86aSKu*ZX_ z;@MC^R3dNKCcJJE2wM9&M4?Qlk1B7DPZX-QFk5pFUFXrBB`Q_qHUvBbP>M7^^q?s; zNF|NFFX-z8y2@9$AtBneH2dieSHRd*Bl-U7_#N%U2koQ&P3+!XAgS+N`uzTjp2<hG zvRTVgySJl%(7#d2jo)GN^<zQ{hu{Z~5eE)<_L<IEN#VC2BU1zlDI(%ej|m_C!XW4f zs|4Od%!J+QDo?z*pm%=|m|HMB=2ve6&UC*Ip(ox>DEwzo%98H`tNvy;bhy-0Uy2?q zfEjq9)g=D=>o9Etro{`#?|Y<y1i2;;@AAnBG&dj<k2&IbmiJ{A^(W4c7{^ZQ+5Et^ zgv~GZ<C@mRlfBs?82rj}$-C3J{C(PjNj8}=+j@DO-{CMie6jKTwQXl|PNb_&>bJ(t zvW0P5M8ZddU+}N^-CyX<mh8PY5x<ggCZDzV^<HfQeLXtf`u|(gf4GkgZ-m>UzJkY@ zHF@sxI$RZ@9ok(lr|Cxns}lEV_1)E_vYb-Zg05yk>n62(N5In_nDD;FRaVvm<!%6u zc1`>$ts)3t91oAfE4D;1Bh;m@24ZLdAqRd>)9)$zJxRYO==V7N9;4qL<m#8a6~89i zq84Sp1Bx*4EFpi*_2ZG6n{Fl(xaXiarb1U*?bL?^y&D$}QoUQWl<@gLyk5Xg!<*Ge zHv`o@cwBy=o40R?`!XhbF`{VY;$O9)D`V^-HGU|S%-DS9n@9=(zm=i~hRQWt(Ehkm z93Cap)Ld`F!l3H?9tfoO)WYl_YZh1AJo_pr=;d1w4e<*id=><m<SU#n?B9JB?j)~= zIq30#brnNhi>7k-mbfqG4}mQLV5u@Wq|%m8UxjqEvo=-revH1ZNKE1xzdkL{Dq(q# zeuxoq^L_Xq^ibFgn{eoXW(v@@Py48}q2bwqH`x;(Hl4v`pe1b7h82l&at$67#WsHv zw#I&CIzvm5)%-%P>BdHWI6g~Wf$=GBJ8K7LZSL*heFNdX86*09Ha``{!NNvk;xl+- z*AIOH_5j!JShVClA>y^Fa>+5kvs<^)o9^P}Ajhvh2dC+hXu{-p7cIi<%eK-rmUxV# zVF_9FPz}AX$ezCyH&Ib?z2PXyec7?sc*W*~12(^}H;8;{FwZ}V=RY_1`F0Q3Q~!a# zENu+4V+dgeiWzvfVC<)O?_V1K4PZuWwrU*jSX2x^KDi~qHiY^?00)s}ec1=|Lq+yQ zkWVW^nE!l)V9r;K6CDe2ho3Wu;csm^JAC|io8qTeUVem5uK-U#u)j>(gr`?xJNc4C z!jmGwO$pfTwFCN8fbP?K@uEtQD=$GOz-v0x?xO*3edPpxIaV`nNwQ%fK9)0D$s>GP zKz?I48pRxZ%tT?KMh?A|H=a%y2()3U_e5nb-v1fNO2a{D<hd_l>VV@b{q}7OjBRH8 zD9Hr=dMko4yFVCo^l(FqX=XOZuBKBQQ~0Si+Aw52T)sf)Fy3Z5X2K`Y<ydy8H8w<L zGbWL11^;+6;%WIL$tcg0gcy<VK=1WO4aNZiXrMGqLQSjuyL!Cnn-6R4wZ070tnvXc z)*L$*0P|_7#@%^RERVnb0vWP5b0;3j?7>j}i<l1^?l%Umq`P!h6^w$Oe)3b?o#+6u z<Ar}n371$Gq<9W`%o4^?X)50X3)NSG_lyI%{W_JjCw(&i6#z4?kl)vGhS{WHT-q#* zMQ^9#(mH|H*hTCoLBR<$oVF{**JH0`S)D;ZnX=Lc%vnmECKvirx_sMDgW8lr%9BM; zSJ=kx?Jrxj<w}=dcDS@`&knYkwz&Ry4qe>%Z8u`L96C&AE$z=j{ns*ECuC1^RLP;e zxUbVJZ19npD9Y8=6VbO<Y(`_!Py`~tvSj(GM$`HF!@}?P1t<k7L^|kma_A2!D6%m~ zf^G&u6vs=1N@@<up+zYuXn`dEF78re<{E=!>6z}by37(#^^Rqzk&7IgDQ>5v$WJvX z#**P>lIBwC{KJE_LH8ZvgA28O_iV+u2a*uX*|7j#^|YD#rd<|b8`b>AfOUh4yJx@J zW)WP=FN)$<HZH$__NC>}LQDf~a&+SIu=gn^ADYN;lSLp_VO+{Ymv+=-W}~#~PjCPb zRVUdcswys`7cYk4<~TS)T_FE=#7{MneIDL4$g&zx8442oIHG>G(R6;aNQ~%oD8x=E z`6sPQ+`gju?x6exs=73AC7`Z`-jMp$>Z_fPcMxQ^wMw+}6!b?*zQZ<pt2doh@w&f4 zLmNzuWyvF^-|Yhx^<G3CLZK9WxV+K|Q!&@*$(V~bZQvxRMq^4+mMi3yI7ai%MLv&r zmDKzet87jI$g~k`%UoCiejZ39>x<21Y=|`~`5P4PM)@%d5GGh{!653jxN%xz$~CL3 zh(vPe7kKB*3A<c#F9i6N8xtZc4?-}U7u|i*H0!KX)NH<%1;585<Z|#@=7&(TKaKAA z!P;Xln$DpM@nZzB-_!fw0F7U3L4?ohr1b#^zX?6M_XXHDgpS*3cmY*U;#Wj&%=VMb zIr6sKl}3k*H;Nuqo?C}{{KlyndS>k~#cWdXe*@kXo{GWhW9AS^s@P8S5=99t?q^N@ z{CWUkQVY6|YIyqw^nvyX@n#UrlUQA*^L?GnMVDLgXlJ|zHNR6W$0HNoCiw~6er6lj zAVMUD^*W$vQQ>|uTE~7zpQ9TcPN&E<A0&D<9(qQl&epd}<dx7lV`B=UfG*Ds4^xb$ z6qWuO=x=T~m0qiloyKl%Jaadd=Kn=EztIFvUJF2<wX1ti{h+J3<sV%S@zkg5&|#Vm zMANs6faWDSGr3=9vOrR{h+eFxzq#?(>f<j1)vahrUg_kfk>5fG4{&|o1og9q)#!Wu zO#XV$j`kiuC;|z1#i}pWZ~!{7M^ykEp8M=u_~l!n|5=#31pO1TT}^#tK=tQ0i4oab zNfV!G1&-|Zc0KxT%mMXQ;&j5R{A3HDKRYFQ3-m$po{}F+#nE`<B-#P8Wa2JVr}$=y z>HKB9N<1d)*%y8CBx1<%3c`@bu)57WXFb%g4A0v|?6n({c!E#MRH~-BN6H~QfX82M zz~x9cZN3XZ!zD#kh|fPIKKX^b5dD^&FABfq+EJv&BJ=EjVRzr24Dt5lo8?Pb2Y&9W zd=EPGkLEW+GafTs$S-Q>byxu|iTLa>z5C@S{)UG6F>5z~v~7rwqZ|d^iA*yXnf4Au z8()o8ALyDjgW0;}b-@CM@u@}6=cnsUtaVp?qE@<$Hc5Io_#W}&*n==U--BGW94qMZ z7dR|hZVB5EU^^iJ?+0Q%F(-erw;uii)eLe9-n|1v5JZskDIJ=dch=^XiRMrWnTO)o zf_}H0CuAWSuK0&&3e@srhIv{a!UxwU4-HxYK|ZR*Z_9b7J>Q4}^E?gAewB5rG%yqY z4$;QvWAXls0JD7u1CvJsGm&q6uNTCD0@dDiVn}|$w(-y0c=i&CcKP#QNb(_Sh8r7c zF`a+;IXNz5n9ipb5dBT@>;w70$;0m<3FklQZNk`$H>Cb(BHi~sfd|gs_MPi`$44C6 z1x!lXlP~L23*0>Ay)zjq#QopvNM>G$lJ+jV^Z5uFhtOTD>Up8l7AnRg4oM$T1<M7f zK(VQ*<kpoqKQcv)+-TxAqP)i!Wy&j3ro#w~v7!I|W;K5k45FI9hsp|#Hc<|1N<d#0 zzY92u-<>$iIsLK{RORvJNctARo>K1?eNaIB?9^S*i66n6HXPm-4#q^gzxMnXFZFKJ zuYwRi_3jyTdh$f#gWpA+p1#y3ZXS7HQh-$!;3k$hvCqWyP2!7B^Zphe7uw0#TvGIa zLw5z)wjgWbvvPspfj+8gZ}uCbzpI96>ci`h9nz^YWy(fvG95jO#m?;?orTd_DtR(| z8StLcQvrPZN{V-<Tw}Lj1Cue?wCJ}6BX^^*GwA)iVx+uc5IJV?^Y9KT(7GL}xmEQZ zt^7)18}ge#3cjGE_Ch!R?j6%ygVu&{jsUgaw6OKjqog<kyr4RsvMjt_jcEC&RdyQc z!d7I_N<&j`E89?;`ieE>H$x*Xf9>SndO^&ItK+N6aO34^sM=pUKi`af<gd-=_rG%n z&0fsOvbAWIg=*x`-KT}=A^~Ewj3OF9s0E2OWy!5-<mW$xZ`@hn%Ln*)=i2^bAct)6 zJNXmv(kR5!o;x)l?Mb|5*mqMBnVzFY(BUn7N0}PdXQ|<(b3iNl)nAePZ&br2d4A?} zual&8DMY7B*`8pyG{+w<0rq$#e3Jw4*&q3t>G$r^uMbA-)r*iRZdoHfCMWDEOOT<? ze-Ir7wX71h(;vQQ$Gegg8)Z6wG#}Zlv+-TB+xunzhyJkh-|wQ{bVrV#l`immw=KI| zVXXm_Ik)%<3$=`Zb)$Eie%NR=71og7pyY2<ybVh;{1MgS50@^8r2;n(mq5u6<<M+Y zRJ^<7(2e*JHAKTIQe9pokIrtt_iH^(WmZ3%W9$AiE|gMehqaB`(F?ipnM1MeG@UQZ zNB@l;zZX=Asi<<T?G!d-Sy}h-$LObrU)x=FyEq0O=<db|t_aSE1h2}0)xBu48c}4` z+px$=?#dmV{I=Ob2gQ$nsvtLqzJxJrPHSt!1BX2CQ17Nonm=4XNB%KWJuV{{m>?_3 zq5Uxc*Pk@bCm+Cp_cq8Oyi$+dB+;ckXjWvUjuKq!&8Bnz19U)GE$>vkopNX#)p-+M z2>Dq?rI*#9y-x9h?2`s5kmE_T7(sb*dSxYxMLi1J5to*pg!-cUs8Hv!If;|-T{HwY z0PVSghTwu948bk8$A<tn;Jv%GvCUTM{t!Ompeb&5*&XmEMxZeVfs9!L7`a>fS#O5` z5V}DERejT$5+4EWD$x-DCrtYQTjO^Y6?hx;%-&&%WhZ(?oq^#ro!9@AK5`bB(djR` zM7MM6T9l`*kH3At28eD`bPK72-9h%X-`kBlIDkeAhWf+0gT0IBRb%R@5XlzX6t<Pm zbKw|sJU@iygyrN`v~)2}BOcb8itA-xFjBgJZD-r))_XdfTH_M-EpMaNiqj4Q5M=dG zVQ&`GY56IlW(y#{&F|f;r?C@JJPiV2ftt&H5`YDS7Q$Q6e*~m`MAb!?sgYY@I`%Be z=)+~z_#Bv2BVTtbPR!>tF}SBVF+MRlyeih~^xZcrr8eA`w|Vx(jMDN3;rRW?Q@9^^ zhb;~@OcuIAOu}s^0rs``0}(5+fp}r_n6b%XvS0*kFikimY?p$UECE*YN5{f^EQN#) zPd#2i?(a#=%_M%`YSWC36Q$#AVQCnmpjZ)~%|l0DbVWRh$F;Wd%b^7D9lSU6q~<_> z#0jf~-KaEA^=#qe{)k-!ddPqtGN6Z%dtC|n?F`?jS%4;bI`<Dec#pz*xC9ljkb4zD z^la~yvt>8{=r~>oiRgMl2j*EQ{`n=^N1X((&r!K%_M!O3@Nv@wA!J@$2$_@QIKBXQ zeh%>aytw1I*gZ&gjY8U90JI(GyRHIlhd$ZgdL}{J9e$P_Torc;^6V>Roql#a$fA)& z7DS|JFd69F`_G>Xc($3&75Cv;RLv2dHWbRmt}vZT=3-*DeN}>jZ}o?>yH_ImZIwgk z3OtlUV<@mqu0ek~rqA;p)zk2{QntX>eaB*$w^^mEY19sZ*FbX#N36R{=Y{tna(DQ> zp9^ZFyh|uOPhAzq*+&5(7Tr1n@109v_T>pelhK<?CVKPr&AlYI0643-f47(9zQ_g1 zg$`!<!;_HY#;ka=3Fc(P95x_sqYE;B_ScBs1U8Xjww3mT<5YOzTpA~5kd@ByqwDZ4 z`liI9xhO;nN^(9>lGj$C_!h0D3BPv%v<3at9XK$+l7{vlCp@t^esuf}bPyVE@-}I1 zm?8uLh(;ep;ANwQ@faZ36-24CWKJAZ1p#S`Q|(XhB`W7Vfy-hWKL>$nf<@rKMKJmg zv<Q5#2ta5C#EIOSle`G}uYozeYrrS2SK}vtPix@0_!@XQvEhVkppXtyh^-eve8sg6 z;&wImp>Qaee2Nf%;E9QTpX8V`U`Mv!_wUsFcKNZt2>(n+#ohREo-6POL}r~WBVe|W z*xJ>QqRDd^L>N3_MCfX;Y1tymMlm-09AHD#uHPU6R&A&X=_)1CCjmS0Yk{TczlUFj z!|wq?8`J=PA&@>7H&^^iz?byBKp^pz)3L%Jo0;Lj57DV%r6Y)+31t3^PK@oL?*=NJ zLHuUm2hiBqD4v8$u5Y<oeH=IBEB?L8g&S6RwhTGXpW#!h8;~>t7~iPXQOvQ*N8^(v z+6&5!=|TMPV2}kfaxf|nUIRH8mxpmKjGKgCB*gd*jOQ3H05e-KwlhdyC44nd&9Q|* zbq_vd1A!D@DqMY<z#Y(k_*)*ZwhWvg)oe}75lxV4L{pL`i6#i*Y`v3|n4q%02{NJ% z98(%NOWy>gi3yUDn)qMNk3XXad)x^%;{<`Ue?tz&!oUp`%_xpwI9K0E(^F{<=r7F= zP@_d+eqb)DlBY?`PeaoD1mo@D`1auVc48dIIGlt4$G8rR+l_JC0WO*$oW2`!FrFY2 z6NJ;8`=91#4QeKMey#%+OrLLJz`;}B5(jDcsW&N*$G;N+7mta+B>tHQ6!1M1$mH!J z!pB=gK;`d=Kp9^l0<-u(MPLqpK?LUUKZ!sg|BVPN;9(J1%&Xq)J$1)55k|7f=ZP?q z4?bIjk*x5tH+v7|alZ)D9oU5;jO>?RD8k66xl4qRSM#AFjO2zpL>TSK{N#UAcsGVS zMYsdQUx+Zec=O#NjNcyTZ6b`<JMelDM!kr?Ey8$EioYzvbjbQy5yqpse7OkYF<u@L zVLE)hScK`+^n4M<bJu*12%{?npDDt4_?oLCjJ9+>^}lH&S@@FHv})7)<~d#UW}p8Y zeY$oSm6+jxn6V<pCSr0R#wlWsypgDha0Z!U63*m7#_#@08C%~Fr~)wuM9fMNGYMik zM9hmK1~_u|ha%>;BBl^x+C)sXi19(pdJ*%Gh*2SCm590HjlS*)pOb<hYsHRcqmjsg z%l|@ut%d*NA7{Vtss1&(@X6RvaC;-(Yn9%2(N4_{-LBN;#@<uvq<~pZ<ULf61`RZZ zV6qI!{JMW6ZkT!wxb(k!VJT(1OKV#7L8|!KL6)DZ5WL|C-e63$`)ku<ycbaGe*koN z5}-lW9%So5#5eUkrOp~K8<pCWfVm!^yO0iOABedJ#Aji=mP(&8{sNn}megiI!*b1B z{DLZ0mFchb=bB2yR~CD^$s%$6wRp#(4~oyuihiA8fM>jRcDV0)H5u+!F_ucLC6F|j z2XJ@>!C0mwnvDG$25ZxQ^8cYv@gWNtB|gA6Wxam0n4nt{-`@Lbd7t~wfY0!4PWlYr zdwrkZ3tD&J_xFg+ix2QM$K=Gv_dNB;G?xGGzrn|nzT9^P_=yXS$1V(=yS&aa#g?I8 zC?p7o(+|a2n?4qAXOl&GR$Rh3j9>Q~RgV=fhfFEjmCzs63ps9AnF320*pwcGU=9Xz z^l1>x!(g61nZA4rGRzj_TM7R8r$qTt2@&TIa?qF|KCK=9V_CVX+@i{@AZ&})lh0O_ zqcVgpZiS!@_TU#`P;|}Z7roMF8*VXUw=g<o>vvDZ&k~^3dCu)57ZzgnA*OT0ZM5r= z&RY1TP&C#`7dAA4X7Unl-p4<39{+lG)jbZ!DKvQ%{?Nz#f3r_9hQI!De4nD`<zzU? z8ZR~~UPOERn8E)*4*HBVV54HlKhC^SaUs9yW!gEI{PNj$4*clIfkX0h7_b@H{dOt_ z_wH2uk!*-Pv0?m+mwLA<j=h9+t75MLx0F=Y9J_#jM$vrjOJ{4c{l7$$XWgw3=M+r4 zM8{9}h|fwLML_XOQs@?B%*b=ZKOYqv0xvfF&J;w@7Cn9Hw3u!>ReNuO?X#07{4!8i zRnYC?03K0%b{)Ab0P+-#dHWS~zM|7&k!*85dL)ErC47G5&=cem;QVlYe8b}2TgV4h z4powM=KpK&P2i$BvW4;L1!$V38wCZ|PQ=87sJJB4*c!W~iH$af2r9{B0ih8hLZ`V` zF>yf~67kB6Nt`T`MYB7T%)~E~sBsbpTo8AXxJ@=m%yLPaNEWw5z5jEn>NX8RChs@% zzIp%mP2=^{UZ<)~Rh_Cjb*fo*ZKan%U!VaFxaz_Rsh+n9vzYfa%)313?WW#?xVMpc zj|_TWPra3y%scQlZm1sv_u))Qqi_X;ZktO(D+$MVupMvHdu*CN;4%|d;OEw}JA+}T z)>D0Z?dzGSYoXhAT(}csy!bX1&N{lDmQ;T9ZFWtw_KYwQa~Y=`aWQqI>`ev-z2Q&A zZt0$uqyCoDsPjiTgxfS{pfhO1aMPBr69P9vs--l$gTiQe;@j-b$uOmb@97Kz|690! zFL^NcH_$sN?4iaX>+wB3?qPOH`?K(H@(2x~J`(0d>0$O{B0nmm_ho8#S6Te$wM%0B z=XGKqDJ<~`sE1Kfm>FPQj1g@^WYY^h9{D6c&rXi0{z9%x{VMt6=X;Fs{d2rS^<oN( zC%?oL7Dvn?{8{XMRKa)K7b~fr#APSfhoJ_e-#ki)Mldqnq?Z~MMHY9n0vq3?3H!i$ zCTtD_(+YQCD<FX?33F!fqZZU;McGhs88&21GN#Kk+u89rIu%8t69}QI66uLMrEpvf zD+wB&3M|pT$yM)*KUU9PdjGk*AK7lc40knWNS|a$vONC*yo&I(pwFrkNmlI{@ml%S z=X$KJ9naDgw~Mr)Y88AnGuq+5pk1^V{!d=I)3I^{>TpaQqh!|Ksd1=J0QaMGhc9N( zJ2&#^tw^lk6zG-7o&iQb(<Z&k-)cZ&vad`*Nu8|{dkq4gr4YmX2eg53e5XPTXa11A zX+;k1`1mhq*sBYOhUvEx8E)b*e91yEINrim3RtUcRYFX)Ee~A~kHA%qx9~+HRJeD+ zEGA-Tu@{C4gHR%1F;|1)Fj>-S#Bt2KKqro~KRBgkL^lKQo#Hstpcf+Trmg$^ZK;8N zj<XFYZYo??pRpDl$0se&!CKJYxZ7ddSJ}sZz~Hc*_gyLKZF}Yq@E_3QZMuFgWv~5A zlR-=ZTc#=F<1tF$R)^`;3%c{X8XkNbH?bg$UK|MjYs7I<lfP9f7?$Ctd-VdSGVyBL z#rZ?z)6b~N959?f#qVP5E1QzFXO8t(&K}oYq)nY!cLxU03fi;ByE(mtd0|kHB<$8j zU5~rieYh^iiTBZm4AhI&*!RXXWYA~kDg8?Cq=ngl2}i~9G1FJmTWh=JTU5E#P@dqt zbWlDS#&`kYRu}_MJP#y}oe+-&BkeVtaXBU$ZRf>-XYBbJp|AXQ7}q$0x8OHmT-$bG z5Tx^b7$5Z~=BUTiU*Do0Q-ePW-MjIu{2;zG=fG3)`h?2osj$YLthpcLO=@x`8BpLY z8fMKS>)4ri@S(%t-EDR^C&)Lj6MHVzP`!?G3$xaR9^LN_G7FDTX5sVakXcx%G7Bd% z8!rH}F#L<>LYM{T=Ojd|;p%mC>L%-Yn!5X}W%w2V?t{W8vj8bDZXpWX?!QDO8e-+Q z*9I}8?7`z<T$EwQTAIaEYkSJ#FHeUY)$>=;QyF8x-*0pz`hhDDt^|WY7yxTOvwQ@| zbXj5I*`Me|0+{rH2f!!E`P}b6iF#Rw`-!SsG21`k%7<`=1fTF0ieZ?RQON>cbcmMU ziNYF-Il^2NQ_Y*fRRv1MIH|@LCi15wWZyz%kZMu2iGRZW2dPfF71ZnS&2)cST<jnE z#)H(Q|1DkQ0h{@~CVX9~t27|nFtuh=WHLE2LTVR8Tu!M$N!XH2+11{~*r@_>yTTj~ z@_R~OZ^kPpbTboWYu;Q&`$x(4Ztg#3qsTzJ`k?h;p_kjXQ;4x!uN4PVq5opM1Hjv* ztb=pQ27+Z$5bwzME@P+tsVLbm4yE$)ri~HBbvk=DhujpwKL^jCH3t;Mw$oJeBw+}r zI;Fa3Is~8BEJ=0PzFm|eW$LA!kgDl-4Q^@ImPmCom!0kiH}i<LonkLn;WCWuvbFn$ z*{u~C;Yx`**x4!dSf$G``4GJQAO4hjxu6?-=?j!paE`SV!vpvp)S1oplqoX=xJWL& zlJNO76z4b9;{D0M^ZQU{V|QB(d!m`?H|SQc!27_ml-gphUPnk}0SsQQ`r%{N(PKaV zmxECN$2C{UbD_YZ%RfFs5hwU3++B?tKCXsEaU!g(g=nZSF^TFO2}Hkn8bR2bXXst7 zKTM;NpAffhKm;sr`^deY3^Me?o}@xqy!UmZ$32KIMHTR@w8boiF}QLrRct<7!Xtd? zCmi$|l`#6ej^w;Zn2^t8KsQkl?EVRVU5e;l(+S=F-JpwX)442)@I@$Wv`(QI7d#Qf zc>WXJV9dr)es3v3p3cI^*9M~n?f}$B*<yA)4X9t^Dg^E&rsZkOC-kjPSlu<AaheS% zT_Wktf$L-gPpS3yJzixx{WxFS&^f3FJ)5{p?HG?|J{=UMnkosOvy(CZqA}4#98-UD zq`dVRyb4e4Nzl>8@aKb00gHI{SpRp2{HQp`L^HPWVHmh;6~R1Ja(|BOT#{KycxejZ zg7G1W=}{}Bi)*I`I;1sl;HmCv08%lVUCPjsDMZ!Rf7!bZ_Dp;iMLL-=<_tb;9xV@9 z$28hIq#bRj5%0|?S~uXzUVKP))rZ~n6i&Z(Q~eWoEM2Hfkp`S|p$ISG%G6S)NcwZ^ zX(^ZOn8}aVgwCWJG^SeAdf>kg>chs0{Ujz#9V{KsD;;d0I7B(?y&9Ax9Tw0j>Aari zu0`3;Gc350P?O10hVD-7i@+Xm(LzC>iA~_;t{dX64|^Ggrl~1_=jP|65nJSEr4g>P z0a!q0HeS@D+<2or(XErEU5%|_PMz#T(VRe%3*Yy`@?e5c@M1`$%|aiOI%%qX3MYnL zyiQP;Q5#+<qOW$<PidA*k)G(8Ee!91tMDjbG4x6Lz;cT}ObaI9n4(*77oXNsV`aZ4 zyMegtEKT-Eqdz|y6`SYL6aq&YzYN34)>U{A<$?Gf#@yW~!`IN{G#E6%zql@9wK+`A z3r^`2hGuP-_B1|Gzmt#ti;_!_g1j9M)U&mb6t?@m;2b*)r!|X%Dy-e22e!D$nS2#Y zg5P9P#)-ZsVr19+p3t&^dl*hpeeUBd+&=q^oK6oCGrjRtRaRL3ed>vFs#|&kx7IVH zEAVLzSTCNfTTH0Lko1*PI`68x!(iKEs_9KHEzC$%5^`NA7i6kI1#bSui9k_Q^b`CX z_#*iA+`F24i}&uzppz*u^@@=1kS^3Jrr-Plqd-jt&xBpJX43-?(}diS!E@oVp3a32 zT07)WP~2fW7k8LO-&WbBDD_pEz#|#bKDV@;3*8(Hk-1snLJ0%pJSuRcY-sxx?zYd| z6O@#Q-9_-!8iggOE+oj}@9si+Q*19DCf{6%Q+0*`a_F2qol389p|lRZm13$vzB0>p zR<KF6R6Q^1+`#`*v5}o94YM8Ao+vj#Z?WA!nZ9erUTV*j&a@$G<V;&k#OpeuhD4*1 zL|krS%494RKHxG7Xq~D2D}IFEZQdnJ>NWv}HszL#EN`YOyYW$!X+BFAV+s!9S>`$o z3UMq;`-th9So<iy#gvtb=g&`8;m(W4)gf*CYbtwzH?Sue+ZKKgQ@0x*plA@rXP7n` zGnH+QddJ^Tx4PcpZ?u4uOWDR<bhyQd``yM2)Y#~>?H2YrQ+7L~M%={hx~8W5mwNZI z4fn)r4pCBa9YenAO2iD7b`#{HH9an+7e36F(p}grBu;wXk9#>=UCSu7E_j1!B(I7m z;*j9`V)8&mP2;vsBAIT}#w@1EPS)yRS;3_zfz*_payxyHx(Q`41q0BT-gZnlm~yPU zh2VB|sdE_*sopi7;6b_(QFW_$wJbi|V{unLq$sp(fq{4uaEM<>U9eZqgAp`ffC%y< zm(;NY(snVX8~z(c9Gi7)d(V3-m8ZlD`*tTIqWTP+fWnU4Pd98_TtAc)v-5t=gGb{+ zK?qk8Y#Ed}fBrI$D>I0yTdMQ@L;r;NOv%~6i7OC%E6hVNra`W>fj5GKaF?8-r^Dk+ z2r>YJKz&ZZhRZ;bUb&r#i?BC%M$7l2-L`9fBDhqKPn#f`SX0U$>F9zW9JPD}T2NJ3 zz0<1cSZ9V_k?i)pqExyRK&j|A@f<_8K8}-j1Ih!^yK`5`??1>7T<Q`plehk6wW73b zq|2tOX%X~XTU_lK7JZ2P#Lq;36`}|3#R9(_yoE?by^3+8vUVFxkQ%!An5;!ns$t~{ z*O?;5%jpjWuZvp2C?%q@pr%ae5JuhlIlbg{xgM2--(m;*K+wTNKjs5g<cvo{-eC#R z_Lj=@XK*&yOIdVSUdf9EScFm);FYuKwKV@0wp*2mGhsFp**PfR|1uT{ym32rIoBpy z<!{w6MLf-UPvZ*9Y~-JlefGdW*<Jz!VcCxqYMQuo7dkWSGjH5xCX9@72tM#}sM zgY7F`Nycdmm5ri)uBMt~RJBF6;O0lbBKKL%tCBBzAXqgEhN0QA5f-F&R@<wnr{vH( zHe)H(w=Qr)4fhsx>UJV(M3-)fXSI_4cXnrRH0s$rr!j405ri1i##PDK)f-z4QH|Y5 zo4KS{_{%IiyqCSr$E1j*Z*jHC#>h;m4JLp2oR2o7m}I^Ea;>Osud-24948O>ZI1)X zsNaML0d+)YV~rOzuQa-r{Y1x_&4{qeztBL$-foxykz9__xhI@%GduLsEzzp(Rx2`r zZs~wyv&PK!J%&-ysmO5JS6BHPF7>Rf6@~6XHMZhfQof|9`pL@J^3je(%EsZPo$A%l z(Q^sPFYi}EcOK{<$ja|TylMHBggq0HsX?}a&fYHRAf*oZ)88;QG#fdKdqWd)qX_DL zdd}K04f`k35>2KQFy>u(FD>E11hx$UBUhB1yqeX2Hld0L8K$+jDyrJHJe(i$*~3FL zn*7~wap@iSbYB;~5I1+I$e|QA^&XWegz@@ql)Z3D@7B#AQo??qImchAJoyJ%(s^fH zhTaX-Q@7ZVQD3Oo-lKx#)=cCg_hDhUvK2NTOr(N!Mu&7L0~$jUNKz8cPk@e)uppSK z|6CRD%<rMFa9u+FYRtHP9if7VOKzpI<hvXx`}_wKYoZXDsoP=OE1r@LNKGk?PF=IJ zj)j$KH_#~CQT)8wMWb|t|4t3x;H;wo1M!fa({^BS6HxXG^l8PWML#%DgW#)x6T+A9 zQEb~G@nfg-Cn_3h3!pSotWzpQxm_U=GBee_jNG%W8P{vu+iusPWycb_c)OWe_AN2e z>9WmEpR1W+rfhQT1X?Zrkdlt}FE(p^?^*BY<Eqc-BkaM~Kz2G-n#LJ?VdGqy`3Cm# zN8odMm$nVB5vM(cMOl(UW3EzT`XQ#N=3bzNj>vm?<WIBs&JVJF9TLe4Cg3u%-D&&Y zRC5wKMrM%RUQ(nA$TR8i8B<X@TxHNZgygA`M&Qh^AI>>*0VOsexu+nxUEy3x{QIqJ zMuMW7R2I953T=K*1AFl%1gnxP6cay0SzIBg<l*3W_O!|mw8iVO^zLp8^y2sqDb!t9 zM|0F-{6LG5*Gc|#R8Q-SIoEZPKNXg8+0)+a9FmD_220W*ek#liVwYjyD}?=_@}}Xm zAi^MNhF;2oesch(*--zP<5j`aAiq6w6*Ab<IvfVAqQa;$9czAaO93Zz#i&dv+$m+p zJE7+~r5708o<O<{$4e6qX^;GyZ?TfwZB3>cf)9q<b_gDKy;|u~3qHpk6it2OTeX~~ zns+a-RSyK-K#O#wQ_z)6L7|I1w{uWlA^{)sG>rrQ8UlKZ%eyISV^(^)+{Mu%3$Hrl z+EgJ|GbWNI;W}i$JWAriuETJ#F|v#<HmqG18$HUnayjqBGAub0ZsoGBon>5IT*y_G z>|RZqaBqij_tqbOsf=qET-527BJ&PTw$j|6n{2o7$##PL>H|HW|J~p7WJ{$LalYNE z&bM^YVwbYbweN}vR2^8yl>0|~EagVYZg4U81L~C9b-sO^y|-wV6CY5uKeR1G?xfrK zw}*O31SZEkV`gWejxk?TVFHKr5ni=RmN(sxH%inJ)2mv%*!ydNu)d;Ab48Zza}%mk zB3mX9rtA1GdL~SbkH}@>mN?3c<0XWeSCI0oB^sA>{iXYGwz}vrt=Z+WU4IU2BH;Or zL)w{XJB^*_bYKQPd9F0L(?*D=m4={t!uSXHDgw1Bi-X^!JD0P7uu!u`v%H@^Yac<? z3i@}#+?+u$+-L5(k;npj={bAd^-JzU9cQQ6(TBtKwUFjc8@>=6g;crtEW1v2xBPmo zTE}#gHmH{;HS|hvhV7z&;^oJw9!uG9Kb2h=NHf?eG`Z`BLDGY;gh?#K7qv7*6c6z{ zgn$}3c`sJmH-MDzkV}fimCz+e$_{s-j6BCg=t)#=V4wWAGn4}Qxugh3^`bB`fvIhE zSZ@y_rkY17hERC=vI{;Jef>k2a>^xC9ewsVG&5eDUWM94-D&e6#&TM*XI-dIK%Vjd zZtYzZirr~tr-?8S$ni9!rNP(S8=*Vl=DX5FJw@47cvMvkh8po&On$n9B*j?n#arpL zu=hZ9U?~>`Dgl*<4piEFs8g-3=rqZy8xgo80~O07V-DCY)}B3HKUr(rWm<(N4(`H+ zj%?hv29v)WcNr-`K-V#`985L1a&{FSbk`*}1GP3AAYG{DH4AYA2U^`!vyxM&<_*4Z zaNz^#+iMi2@olG2hQ23WSClMZ*rkK6`fRQ2I>x9WzDr+_*HTG^qo`s&<&aC4o9uP2 zxYng?gOX&LG7c*V{cgb0>=a}Ddlk9VuO80esCuH7RdW<(cmynfD@-MiU&O(7pS**) zw7qySct=*%m&3Hu2sg>&UuRQ!y-Onx*c80`Hr!P|Q$xp<X1V@o4-3Z6sxka7bw%At z2~OwyvLQb<Y|@Luvx@1}e%r^QQ+{-L==eYx1U^3eX&I_&5-vX|?{qGTM{g*}mgX~v zgQ;FbnXdL|#KWC7aCVtCMitu*2xCke@l<1=9tcy}ZnusR9y4v!nKtci{KOE|Y&#G0 zUVXX}c+0e@(RNOt$})FSv#Ayai0*K5L9G{4;Y_@fjB5S@5#zQAF)pPM-%S<2AGb}^ zyV$muGBj^AA<EEa>Hp7<#*U`S)T~_A<0P@Rn#<G-M)BCgxZTs@lC;=Z&DB;SY=_|T z@?NTd4a)zS@#s9K^8lUacnkGgxC$E`(lKOJ#^R)jx)77(>z45|b=@-cn5b=V1U*oP zK6DBeFt)HYHF%(Yf<F7+?uLK$F-Z;}x5i6h{x1ekl~#RQovtBxu)fkc%CH_d*i8_Y zO<nW*%Db!S(f6~}!CB{z;4Pi99fy7eruAA=?Q%@qc2s!RxpL7ct79{LR#mGwS`>$A z>p?s%OF-$_C}}&@)bq0c#3i@%RiKF5pLi$WupM)lCLIG(XsqVU%r3FNd|h>LTf{+) z*!SBeAOfo>7eO~UHS&fd_(VdC!%n5lrb;!mOzyhdQ|+oHQ#$O}jOQqL?(bsfwJY7J zk&bcArkdXp)O5^rT{~7}5jB#-zejQC-p{O`p>fogoOP~nrbar)DZ*?u0HlxxDG0aN zjtf~UjKO%i_g%QnT5=Afqyg?4aYRU*aTsSH#7XLi!y=rAs2FFQ+Azp3q&l%*M~~t> z>b6mAtN$QQxP`gNskWo0RonEaPyh$x2R7;H8xvzDDvItaNWLA@!D3gNY8HYYprbX_ z;A#fiEY?xIm>9)~YImwZ9|)^1N;UlCDufB=qb%w3Ox;c@iRHG*CjU4M*T&;msZSo? z&s1Z?gXwWQg&6w$YNoQIEx@;U>@KAlX8y|lnf1<OO|{i1MrQhVXxkWD*V^_rKqz2) zuz;v0Wdn^IJ&Fk_Kytje@1@e0Q;bSN+DK};FAY`&f(S*-zEM#^3+NKAtbU6oWE8Hp zuSikzSjnytu5gZu3{1|neI%OHU}9L4&KMZO$%(5(f>x(Giq$}n(-#vIMKIx;eqkSg z5z>YtyKP0ucGGfPxCI7>;$dg?sSQM8UD4{10*;igkq}I^xbti~WvY>Jol6f+GgFSA z(N&9vOx^Le*C>a7G+_4ss9%~0$ohJNw?lUnM!ZSZw}^SHh6pEMV4P&yTBAW5R7t$7 zS**@84*x!-?LkyY)nMBu8eE0jT)Ja{J3H5t4YKn8s9ga)U{Tykomx@g3YC=R|4}Di z<~j~jN;wvY=aqH#{S07M3g4ASzXwYMU|ZeNTa?3hq<r*_?3DHb--7J?n0KiL8Gcw& zI|8*t0m^-pgwo+uOWgg7@HsO;`ZIdH8b&zVc2|8^<#<Jz!jZO{ez!~ab={&=R~uHC z?dTTl%0g_hBW(uhfq19Yj~|u=_3XbdNVuj=`s8B&IiTGP4XSF|DVU4tqY_$5p7e== z`pK7qq^m7XGgH#l({%xo?vLG(?&cur;uZm>#c8+i2uiWBO2XpnXs4}36(vZ&rW({s z3FNfO)|G~DqJ=9?W9bT0i|bNWvP-gR#z@HE^k!$LG&PwOxvAp<vyjf?J0&HC71#BK z)dp)n*RE|ivA_VTlPlf<&dA6R`e~e^1T#+vM62#6(7i5&iUQicG%f!#lKqw4l6^F* zX;!tA@@ccG1Olys*NOMbhiJ=Rxa2fBKX*tw0;NjAj1=6L3WLFa<h?<O2`4q8fKl6^ zi?|~@PYiQPUk3h+a?9Y?h7WWCD}IgK?_N4xeZNqR8_KER4e7{*s%UIp2s6)Rt$UDr zci_bN71up8K;F0zrLOA|<@$x8l57d|X1eVs)2dH#I+@UaF;2WkDBXPNmd<jq_W_Hs zi+(mZYwl-M?j5?Z+d@UzM##4>q{?EhU)UjM)=B-KJhh5x%)@hBX}g0R9+@6#fTe$m zJcz|UTNP9f*d=xhiybHjPBh_TMWIsjlg>CTsNlzm=M9I!rxF$X91A4Kf36BP!1gLk znyIewe@xY*UPJvMzXz&%!uF{J|3JYHf4|FJXHRt1xePNp9h@UmI7V^2UhTjo{QJA? z>l4AHzCu%1^(5~3AEP-|ZOEwECm8CgHaj+&0};TXdz~xKBIBAX{~?yD(unU$10RWs zV%qYB$(L}piP$5EXk4}^ITuyx3c3vA54hQlJBQc-8XQBK@tCdJc2LMo*)NQ<?H5ML zuP>nbj-nKK<$}vp&d@xdUe?a1+eANw<Dhmfkc85$f&p?QkmJ{mzah^X&^e_ap+C0b z==2udlWj8#*WrId@V_Md&*VRE7bU0dN9mwxO=H09keUNg4ryN?T-qPdN(ZH;Es!MY zuW$|7CfqauS5ty@0>0cWTswi_v&4fY;C>t0pc4sKO(5YodfK)L{o6(=C?s(*5QoyE zBw&0SxwnAMA<0lh2FKgj3@8+mT{&oF*wtmgK($<1lZ=~R>#H608OxyWQlXJ-D4$*E z<1lUcx*z;^%Ix2*r|yUsBo$q0L_dQX)*?ipy?-DIEM|dv4xpZL=7*>@6fd=0A!p84 zt9tN!q%))eIUcK)w5_9Jtu<6{fKx)<Y0@e#AHE26*1D7PVJ5{ihwY-W5V(F*5@ru$ z8%=ri{j*wJ5x+^BTG}<F(bg!YQ!c<>(=Mc4o+_Yub}&tvrVHt_L}Nk|6>YA<D0ltv z)P<yre(6lfxs%}4n@dW<-B;1+?*X7jc@q35S=;vMxuEW)p>*QNV(G|LKbOvxG#%-f zJV9jQfq6>8%&Y0!9WTjk0@fPNeu3ZPq9NQ-eZU@w^q<p-dN3MrDV8Ti$wTq+1e)1> z!OYlN8FF+QzoQvq&dwEr0ho%Y?(wl!J61L&yH+@p-KJW63@4-JjHzxLaym6X2vt&4 zhO`6Os~02bQJfPiD@iWGLr7GPPK0d0<@CESq_?5aVpNFOs(r<xWV?L$I|UXuVq!H| z`iXJK|2iSc)(H0OVk6{$-B8YmWDXl>At)B8jpj}4@3r5GW@y;lA&q$1<D1xkHmY4} z8qzp{*a3qn6Hp3OxDIRphJsB?gcPs=NCump&^JT$L>#ta4IPC7gWuFZFT*5&e0n)o zJkOjB>M+GRy{QIq0U~lbpsSc_U%_1uY1dGsJ={dIn`-cNX*5;~ix4!JY9G*0X7T=| zbc^KV{8;}*{d}wcVi+uK@yvDWDw+eUBI%SP1(q`w8n)R~i<en<K`kqnVCKZzvb6r8 zc9!m@NAN;}T3zMnK-GUP3f8-m4TJLRZ*j_1n3g8owYDJj%!M)2dFro!BVwGh-hRos zqJ|>UhL4fpGmg#)mlR+*`XOxrcOmEdf=B1lPi-f#poo?@greY(4#^Kia1EsA@r49l ziET(kDwbXrB4D$fntu<}hUxwb_%ixMz3G9kDB7%a&onFSW$%xfBaOSNnUzqq((M+k z7R281mX2lsY$HU5V(XpGl%4Xl4ZO_rAgoSy+CE?U0bd;yM%h=s!e$@Z1?<(IFTK1Q z*bQX{tE;egXW_(5$-NWkq`D~1y0lR?H?&3=oN-pXT;LY3pc6#@9=ev>V6cP|3y=m% zf;np1O*M}YcIplN{>~v#7-w?!<pUSh^%5Msp!gOYTWKf>w+vy|48$9hgu_?RLFqd$ z?!Wa%ZBkS)_FPyN)td*XOsXzQG+csaeHNBTZIke2RV?NnTFmomG515RdL!;;KADU= zF0N%ea3<-Z6H(exmrbXCcb&^ZwYlf{UB?uE{)bfUQtfVs>30pNS$LRi@%E_o`1%UQ z6)`!sn&fI4sKMZr?C0otFUrUa!y?=1OtA+qIpM&<G~doghNm5ZxcorUL`cJnUamsa zHih>rcVX#)|1GR!k85(-Lpt~d^eC7LOi}q^V1}us_KXlMR{}<Lsq~Tr#0OsUt~)#K zT4zZuKowlg^i}fYiXOL+ZZGFsNHcKP=rFyqhRv5ph3_*Zd^18mXka7V5jT>6n?3mY z9=$0de;LLo!;UvXitpjmgM2$R@w>(9oliUpO1$iF;7k^~^eMHuq;E5A2cRV$Derth z(6Isd$~=Z|TVGTjW*sHGmuWj99B@h6Ok0!C<g}&=jazQVkn@2x+cJ{U?S7YZPA-lO zu7zz)rrIZ|;gYGAuFC6YrJ<PD^pkwUwuxO<K(`TVap&}?t3FSM8;PgNx!7HksRk8G zK(m#NC4|4<A#TI*tEuyrE?_V3n~NJqJGm0^uNry?_5z+9)i2QoVgNTG3}u*fxcv%z zF;Gf<&PaJJy-<1pOM4ZJIp$~_hymTRget|M4|5)nPg7-c$EZY%T=q0AfxA9G47Y%X zmj?@3bAYZLR574UjXj_hi)cZzS3Zpe9vdN_E>o1OlrNl;HM3qn-d#U5dp2WEyjhYy z*@bTq9*|2Kd)OrY+ubO{j=R;jL{W(de0ljy0j_IL8enOR8$8~{Zv+O(^<`LXtiQ20 zN1d?t>dQ)p3H*SCv7Khxq`oXy)Q2dmx}K%{%zZt6!QiVg3U2mI)=1yVjoa8BAyR!d zxM}fKTlwW}Y=9RgxTKF<DaTy4<EGy<61>8)ZV*xzUc9ZJ1-LZR1J9qR@*ld>I7;3& zH@MTdX)ZFCJw8Qr7rooH1y>7@>3q6n(dv}8XWEXtq{A7etX<&z>a%qE5Tad=F-(^9 z4}2gmhLru*FfmHbnX7VTcoP{WKZt|xaVrU@2V$E8DK_Ipf|~)yz>LLrPz`T~Ay8AJ zI#1`KGWP@WZhWBxImXu^;@M-a{)+4Dany&1+8u|=U)`-{BrA6-OgaB|{b3T;VE|K2 ztU}etWzxh;gNdJ|FA=t#z0~y_f?rmbzJty-?I52~&9eXQkd<&?x>Gs`iK1{OAokY* zC?1R93`)ZM{_LeTeobA1c!7PvYwDz&bbC#`(^Y`bHxk^1Fpv-2Jr8?Vv%}vyI1^@| ztho(&Q>5s<lU6!4)|*TlZ`T;K4UT0e=t{=4wZ-wykIR0ftX>{KT=k*G8RYqfAp|zh zf)E%y*Q9E<#!x*)((i>?k64$1ome%2)GqGJsk=6i2sVvjX~3-dN29;STAfk*ff%tF z^9q<8XW#GNFqFWeB@B_kk{S42K_)(WLuro_!qgH)+1!V&)1<K1U@=ywQQx3(<K#dO z5prgPE~8uNGFob@pR9M*&w=&kS?9`Au$t}dKd%vDm&7@2`<6sdIhr>#S+GvE%STG+ z9?GjFp~Jkoqk!w@opWH~2X>e$q_A4Wa}H~j29|S8#KK*^_-hFvs%mO{df|}_Nb~k& zuQX6!Mt74E%5Z@qj6}t<g?qYkJo*OUi3|pyn7zs#SjT*b7X-I!@Lb}a0l2NQiAo?c z8S~=CR$aY2QD0oQD)}|aeeRaOC_&0)yJnOXydU}K<8_HHu5Zp=_<^h5rO&L-)#;ba za!b2Vr&j&IC3BIKV1R6JaJDTA_?awS{C3C6Nrv@i(YQjBDQR7G+CYSTMViZRRG`RI z^~p8^)e+Jdl7n;HDPgq3_F*t5r^$W7Y5Q_XUx&1VN5_aXzN`^XI=0fo)7&}ORaYgW zA{%IeIxF6|%f>+fxfH6V8z((_Ng8sqYFNuy>6Hm8w}Z?MyX)udixMqL!iBy_Ypb}j zy;eC7s0?b>h}zQhkYB*(zo-@Q8Oxd3in7mkN=#uA1$z`F;cOrEIv(mXrvuf8=v4R? zwFM&SnU76I0Tc+OBpgY^M=Y7}DdS9cBoeA?!6eTt4nBy2yF<%%w1zT<xEE*7nQ{3Y z3MuT0DZzUhRbc)7byz!RP**T8b0rz|#o8=jQ|h#)O=0(6hda)YadF)w!^*IQ*I~1s zTQSLq>N@J^#=se@s8pOnt!NsHkN-&*m^8sr6yNu6H`FhR(6}TW%*LWD?c&0)v=QW* zVtiaP0==%p8^ZEZPjCuZ<53T*kQr*zF_i-)^qDPS3mosUnS8MSTpv^I%1*mSY)ZEk zLW2kxzC@n-2xHr<j{5O>Z02lW!+^&e1Ma$W+~FHj&23bXLk4^w1>&&~y?7xq>WlPh zDZX?`30rPM=IV%;B0v8iCXKI#y-3}f#J-u5$$vnR$IZc$=wD&M+HeOcL;B_~6P(u3 z!myQE;PuCC7Y56({SIR%%!Q~K^<`n2%)*_n`e^e?jbmJs_)&&*I<s(pV5Hr8k48wX zUZ@=>UTeKoCk}Pg-=udHHoJ6tWG_qM8k&L-9+p{n0GzE!!X5|89DU?S+3D1^;-RPA zl_nD5YE~m@G#Xu_mbj$``E(fNQ>Ig)%(OA$-<`TI9sGuf{9zI2dQl4<tR$vF3FTiG z<JfivN+>rM2Al08Fhb$^F=M2bE}qBI3!fWs13ML~!wEb=D!wF;ijTAwu?NocGo`_9 ziRw+Gr_Wa0R&gOms@Y80toW`E<=$F=Xqn`BYhVU$05(B)jEQg1S2SnRlle@kFMUpZ zuPfy}m+pxC#-<)vwrHN1h2FEkhc%&k|K6mtU~<ZKEcRazV|<J@uPI$2O*&xMCc5w? z0hGngNP)IO{>`OJcrp(tq3~lIv_E;3){;y2lN)P)szdtFO$qEh44QH@Q`c9%Vp9)X zX;nVrltpBT-iFv|V5K~VNr{`CY0%?LwGYt+_3ijr0`?DFZoMZT*w{moL-Q#|e_LP9 z(I1p2zR^R_AMfIw2K&m@RH+4x5ZhCP-55dlQvhEALGC^_(>4*+a{tPu?85)082>En zA_s&pc_1e#tGn*{c|q5RA|@&4hQVnJjHxi=!PvH<^P>0H>^^v^^ghn@!{xgR*zL?o z1?rrCnF4cpW<K3;&px~DJkW}`S4lY5n`yV~qa+ONMc3;XU%rR|N#JUjrmk485eA;w zt`!pHhywNSME)>8xEc5^<r`r6*NxmqP(l0{MZUwyq~&gq*J6Wq`;N~WccF|$HwqF0 zOK~}Bb);3HsK*idMwXUvWeSCzL_KDhHb%LmcP5>2Y6j|sq4)-FRLyRoSL3G!)5gZA z7Tb4XA6NZ-N&vMxqY~kt0^zoAT_)#G5VU5u*kE;c)pO2YXbcrR*~jEP4BhCU?{b&i zZQDup57Xy*)SKej>8ieb)Ck|3z6?nPSkCSRjwplP-2O-$FAH~d7Ln-?p<8(;d(Eut zt#T?kNFPPFT@?O?b)g)9f<bj8L3KFn))X<USlS<$YTBqPZu|r|hV8{s&BYGeRI@J@ zL9Yc7#SY!n_`o%2>*Ko;LE?h`=-4k1Z`#yImG+y3$VsM+s}cv&`x<?LxWTy}%VH#E zaTv3RD28eWzv8GCNG6A6k;AgcVOiv`EOJ;DIW&uHAz7@USrpse5w9(_?H3|lD0G*s z@Y0)Vp5bq~1r@HZ28aF){#LEhY`<J*efPJo@IJv<loXS&u2(Yk`VHb4m$Ez4wp-9! z<HR4Vac+~d5g58o3Q$AziTO{O-F5NFZls4SR4tvGoajzz$udoP&*PQ`3`N~2S+@5o z`xHBteM;K1>YqUElnxj|!BuQ`OAr@%c)-cL9p(I)xYk!N_~pyn(&$~T)H}A@XYhrr zpB||Y!N{Zn*Ay~kd?6u_N0Hu<46?QQGCy{`@UCtm6=qrRhOCtEBd+$P_&xGdX=<pB zf_F)%Pj|V;<fS8rcP-UK);V{&lKf=$<!I3fw7DA(8spX3T`=hq@wb;pl%vuw$38SB z)Y6#U%dBCz7rLfVg1?XyumSvwy@Wn|K5F)5jR27|#(c2MiZ78nOl!8YhsQ%>L-W~X zowZX;beFQS<?6<6ob&nmxl=yu>h^|$%j<=DJX+9Wz0e!X3pz){jMz1=I}18xWv9h; z65&_=#V+KN3TJ@R9^7VRo0l)%+0EvqPMTqt_Q<a_(6sD#Y$yNukp_Id41OPS_#KCa zcn14%IGRHjhxr^<akz@ZH5|Uk;Q(nsmcQ#9HgR~2!!I~I$DtvC!9E<0;BXR$Gdc8e zxSGS~Io!<QyBvPO;TaCKeHe`8upfuX9Hw$OiNom}&gRg|;Svs4aQGO9f97xthfN$F z;qVfNiG6u~98TddpTm1OT+QLr9B$^YnZu7cJjY>pBCkIVhjBQbLpO)BIrMQ@!{H+w zuIF$IhfN$F;_x#Lf8@}Z#Oss8VH}R*(9NO1VKs-VIeeDGfAp*BN9Ya5)j15Vzl%Xb z34>jK&95-`+xvI#ul|Y)O3OS&7NNp2$0JxgRi%QZu%gIgDfU&&vv_?Kg`UdF5ysGP zg+5P#;0g7!46P*akN(mt#Ihnwc?G8BDYU50B)y;<9g9oLi!9j-g_4SL8bA~ZW|w&& zn30DYa)p=rjsRa~?-akn>nW$9hgTN*O1;7e@4^K<Utb0wpUto$WFDy`g`|S`hzI^g zkRnnBf6zXpoQTwX4QsD*v8?Qxj`|44e^6m&q6;VCTC+YQBO?rd*Qb(f8o^@C&WkXR zU!|tb%7($&V!?Tx81hT<;Rg-nt%9EcLXZezFaR*XUxb0DZ?<Y^du-rPqt)rd!Xpfk z#;E9+Sd%%fSMT_QK7A9D`t=_$aL{1O6;}>P9(vW)!>+kD<+|Y`My8G$J!b6nH~h+) zHqJJF!i^K{j!EgxjGHFAGN(*+XHB~~`<CfBxie<Y%DeTpU*CSmop<FI%q}eQ6wfIs zy?buiyz&a~J-$jooWG!I;l1}QTD)W_J$}ZYPb?Qo=Xoq1pRdAaAtZ)3NUr<loE+v# zopLg#O%AaV=gnD;%xN7i({D%}Gd9NPD7O@Ny=A3^1wtt_bxA>`WnKZ0RROpQf@hvr zKvF8JC;*Zw@mSI=YW`)Vvwa1=g_hFt!U~_yQz(=z9AV5Z^AuEifH2F2f<l4D2uc0w zN=v2a^;Y=6$5SxRQVa!{SK;$O8ep79!;DbNgZPb!F%GvlI?xay?W~+kcL?PRC8d>? zg33zIyxC<7Ek&ZQw0w@G9Fm&vVWCRPONG*cveJ8L^2S^Y544Rac_5}`wm1jumW36f zFBI1imQ29{LFZLe3Q*R$9!MRF<MULCWkBA=mcoLvGRzEW3UL}<STWB_yWX&og=M~L zEX87ZA+1x2XF&&2<&}a@EEJ&d@Q->r%gV9}N?F;l+@rDFv}=}Eh;vFTmEM9v53R1U z3dpuog@xAFs4n#tEW3v_-t=5n-$Dr>T~S`>8S%^OBQ&2>%m-6L96K^8;`ooYqQ6*9 zM~u#Blz0lfEF}#0tDh<7g3^jEZPyX+h92Wp3PnE??|O{q6`=;^m-+;;psb^jur+Bw z3^%sN^zW)D$Dwy5R2GiFbWjYYKPs(rx#<{)?Og%(BG3HNLXTRDEIh9#Pn8$?4^R%) zPH3N1!~LpDxOqT=r9uge??p%vb3@}`_@3*BM=B~13Ocf&zZgaeT?Yf7=N{2hiJ2k= zP3N5-3MY7c^GeHcf+<BBz-}Oxi<MZZ3kv>)Ljja0HLb_;c*>zAE6V42$^~8?3~%i* ze1UI{h=D7ErN{8JzZJtECt!#6R+N?tLG&;g9R3(}!;-VK&{t7eQ7l+ymeSIur=$ey z#mxpq3}=MUBSwrM<6-`t<AWlW7eD~9d~SKgg7O<7Umhg`o9+suF`ES&XW@9^`Y9@; zeFlPEA7X!`i@hG~h7kL2y4Zi)#lE_W{lPBwhq~Aw?qUzGuD-u|Sv5?Qy8El|UtS#_ z76vnLZEY<eo|;;nUA+Qk(_vRzvu9Pq{0ftBb~f(0S%y`wsD@Ysrs0y35`!V4%IjU= z^<Fmr{=fdST=q9C_;<PA<$o^VjDGH~rklUcA(n;wX@22fX#C|Nf7)O8r^dDXyQ}|y z!0+-lE&0Dq0h*4#U;67r0h*3K?JxZ6pn!k&?;n*P|Ki~<)E4UZi;K+5-P!(2%iB@z zt}dER%faep%l$RA_dl?rZl$!U{x`o}{oq3nule00k3RPJ@1J<`si)Vjd*<2ao`2!R zm)8H`k1xOSr$4{C;s3n$m)GCexM}m7TmJgi+gtzE(70{;j-5@rns@KnyKn!2gDvm8 z``)3$M~)u*`}-e!_|eD5TR-{q#Aly>@ul4MRp8{;-<)dy_Pg(YIDO{qx${5%bm8J9 z<)2;v^}N9OMGK&RclrO_`Tw^sKzsK8A5s4<*SLA}##O4@6r>1#*IBaQXF<b4_)+() ztdT`UBbg;Tix5W^3-9z4!Wz-zQ{zvonBU2MGpxwan&a^bs)s|IBUTE8OcBdydQ*T0 zN9geSN^y@OtH4)S!sFlMne7uf??=NHlv69@i+N%Cm^P+~>0w$Be<7xY>0o?}LvjiP z(N|PJ)49o4%1yAoFA;r}K^q~nJVoW65Qkim*|I9isbh}FVS#|@V0?^&;V=yP(|D6T z>R!w&SO!)s$Pp;>jqWolJ-(Y~-wkVy%nq*H!Se%ucR{7#D8yB5c7<2;2Hlw(OO9kg z$^~;glPaoM%o#Zu)5nY+;dHxMc)$bD0jvNyz!6YIjA{Krl|aov1wlPQbwRB`<v|@n zRYHwo#lkQB=4m(2$W10AVEv7Dbw6svY?=(X&nu$vcAnotSk26vUQr?RIPrG+X$D1; zK|&N6RAeNBawEy0u?8||bidZbmOc$hgTqM7*wrLPvx<a6`8N*+ngga>6NB!9!F>RA z$E~sU1VRq<AtX6ML+xmOwlA>H)DDpjxd_>j+1Y(SI2i!$@!)PKn$p?Npe2Uf>7CL| zvV@aZ%~TT69@eV!YEu!PR4pNK1H#CF*@+E(yb1a7sf4tqFooW$k_frAA0hTnd0CT; zBx$UPBu!6f@7)^LVrq!-M(0OmYr?f8+^0>|#A`|XYvxpqNl#2;!-;8hlviWa6C;?7 zqr<&%1B_%qk%<f#8%qZG65IQ<#<%opFniVfzQ3A~3&RM>Q}e@gM{Bbqdqt35MTw-> z*uJEfCZ0rj8IC9`t-Y3z*lSt*SHbNRm>&dq@23oEEYZYL6h|z%z%xL;7T<t&);jTC zjX9i{g$QB>{LG`H8#Iwx5;;07Rg-8SiAC_`Mvz4COB@Yh;|(Mp+~UD49^B$bo4rZb zM3KH@i%4J1ZN%Ij+Zx?sY%q8u^24)PTQ>uOk(L-@*^xvnLL%VN7jWo9ESg><sl9J& zLQ6+ozdjBYP~({ScD%|GsUwk^w}>{C*Sio&k|6&i$Uh14Pa2)jph+|Wp6~(PB?8?6 zp0qwSMlIHNY8;lYC=$wNAm-`O4QgI%ClS&&9oC4vp5rk69np|S6y#wHwy#>pzjhMx z41BNh@K=I)D}2Y*c1kdi1OdLH2$BG}C5(=1h`ZdaMa}=Yn+Q1p-#Iltty?41Z6wq! zn5RP-Oh7+HQ9wsVV)6kUMQcg4CXOT}BQ3lRwD1?8g$<Mzu&%wZu8gC!7C~uE&8ycm zLgvC3e}d(eG#Kh)Ebwo>j@H8X)?htA9S8uS-jV<psEZ)p%cc`z%jrlfj?rhT>K`== z`Z9dORsRs$SL^a)@Na|fCLZPzn1|*OQmn@5ttY*q482F2f^nALO2~#=JL2pF^MzYG z;;_0h6H~5<m|lar>T4i<0sp?a03ofuqkDU48y$**HZekbfO&dcD=lwmSw|<d_HKy_ z(n)MSAqU}Gs^+8D5IxXNB!_Ca$+Mxq!ME-NgI)a}2e+qYGc&@tzDB^$47iy{UtjO` zxK>k3OhZ(#&Fsa5ya!(+&zGh*yCc2aIfN9#_t6OkH3Or`K%m`$Ktlt8h6X}e298c@ z?b`x<B$SS(L*39a$3U5Z-gBX?!9B?b;S3sL0G!!)WuR?F%N(I45t=86rdK%7oSF1` zE!G>8ADzw8jf8X!EL}C;^l&d7x29{e<LEdTN&QvakIpCL6ZjOB9!CP+WAD)o)D-Kw z8$&Gpp}zVXN&li)(tm6W=|8=1J8LCVFwN+tgiL^M#Alp_;=)PX*k}?r9c$H?uZA03 z4fO?IUmlL(98HW50nT(RF~eA5g0Uo)BtFE(lBD4=8H0s*$iFwVS1-~#J@z$YyP-9_ zMc<(1IOYXuFb>KKbog$RH)&MN^+N<R84Tlne@L(Im|niv_UKk)i=ja+n>82@=oZ3I z+Kttc*wMz+e^lm;k3v6sw4=<LK1R|9aPI@@^zrp-HMhhzM0=z1S^K@gX(SG4#0)fI zf;x{S10P~E5=Z+>43saL^qt;0pA%~dF{}%zGv4QudIL>v<8!*&H+u2%z!<I0e{4*F z{sm)UQc-a14vr~PUx4umz6`bPX!ux0qks?4W~Z@u-iw4h4BwqRd_0(UzC_3pZl`$7 zW_S%l`_)kyN$K%0a>lerwMMo?G=zEe`MOlK?Yt`PvpHN2IMA^h#tEQrK2`+Bgm?Z# z$eVvA<k3(X%8et&cf<J{3F~C2-*~8B;04$?o*NDI5k<%Gq-5juea6IX>xxZ~j*t$4 zh7za8w|BInk@vS4NC(n-2>UVA>9d{r5M$~;?kgvo2pP01gl?`dk}Jk0kt@FI*Phtg zrzO6jmp3lotnxJ3aq&75|E$?-%I_F|4jzQ@7rqUlG%+3cpYF$@_KtC=gDx~-S`s!^ zLo@>-$pGL3LrRhz1?5N@0`p<lR?B8QTUBt*ggVZRfx3<+@ei53sc{`!0>yY9-A;P^ z{YPGc!T-ohF!=A5m&nmf_LO^k1%fA?ort9izOsz@o^n`+?E*gmr2^6`iabHd0H1zV zL8)+4g)gVHd`_8%twhNqB%R7N@L;g0d|j905keAm6_gj1!TS9)rkYhzB$jz@DlPL& zE12hj&>xVDa>3(E_mv8zg#~3f9(w*q$TwQIr(nM4GWQ=lQeg=LKQ~gJQ|5uS{FPe1 zdUg~Q`6$leno!|}doXT##k_eC(Op^&*^kE<u*CKWq8As{4)U~ax==Qwd;zSMGpfiB zSQeH~dWDE}b0dpU#2g9vJEn={$zAC6kOt!PlzD{9(6;Gw)$_SveZEYw5q&<WbJfwU zpHW^yQ-<6NJzk6qi3_;>F+>lz^yuB9&8&2KW{Y#?czoGVcx=eESeBXWXq6QS`VqRh zD=OxS-kbPgD>MM^lRSt%=>=Xv^dU_Mo+^QSsp0zy^jHi=8?DPz;JwM`fs#K<&5p9N zib8S+ElW05A<0FvBOT_uc&w|NGqTY9KHxXApscir(p1454><}gk0Jrtc)kZEcoX+# zLhN?UO=Xpk0K^hK#DTUP)ix1r6peG(LLnHw8d9sd^mH{7N_``SXQ+}V^s}IKC=HT! zt-GS2h#wO=P<MJ}@Nm3K8#>C1a=fMGj11fw%sivxv@=IQNe3YRM%s5S^B`G0#F#}^ z=x3D{dD2S?e7O}_c#=G6q2M9gyH5wG{g1TXq0}L}KrlX2SJoGyck6BuJ-&t69v=-- zUdYH7YV~exlibq6xtyL~xtt22!g45;)2*4@Qs}3Zl)}M8{y_7Y?qQW#%X$>+>(I)N zhS;H#0w(ED^I~NQ#-Ah>7khj_`K?-adKMIc771!SNf#`4ZiQMI<kQelP;NWxd1%AF z2JzB6yWmQX(km6pVBMLVMEbzoRk9*4v-*P;Cd5h7%PK1QNJ3UK%Ha4r$P*!@xmgsv zqJU-meWy^fh!Oi`$cS(+9}zKA2gxBY;CKsso?vNbc6I@*KSCTs+InVzuM~wA9As+7 z^l2IHF{4Kmm6Z`vqMHu%ObM5~&*Bu_T+HlOX*+ffv3!K=RYxX=02$2|1y7}e{L6l= z8B7kVtG&}HiTNL=gFLq8ABO52Ui)7N|DWG~e*gJh{u}-5@!^ld`fC3jmUoK}Da!5F zFnQNt-}-^s+rMX!D;QR)jXfs$PyH~DKBS|6>o`Q28dPS57qjq=1im<i7wA#EAMZpM zIE>`b$o-;1{QB^?2u(a)Gk1%FuNVK&{R-}WJ-0i!J)PULd7SCoJ%__tJpEgF-eue! z4?!%1t@{VS=i|7B^YGOi=Vcr&=l*`~U&GVECp%Ew_GxZ^hU4=*&+jGfzKP>^fcqci z{)rK+F4Q^;t@p0&@N>U^b@=~k{QvIs|Eux;^ZW1knS1;(e@l<Qe=FMmvR}`_7tFtB z;edZH-v7$q|LZi+<@f)0k{G7m+tAbL=Xsdm^OrANeg*e_@i>FeyujeHwXGKr+Lu&Q zxE{hcKKK4}mL8H{c8Nhdhj0AC@D2_)LimHve)eoX^7*s!v%l^+{Uy&((=EV|-17dN z?_0=S@8A9Y=*z>uckJWV^Ms6A!eah#iSbdWOBn6xUBdt0nrH08JFnaRr}=Bh&(}rv z=<egUUtslHt>OMU23t}Y%;x#3aaFrYmkMte^{4W|c|Y>|V%$EA+atOC+<9hK+2VX| zSC_uSxIIn{e~#IEaeE85_vZF>+@8qoCET9G?RIYO$L$7g@2{qJme~hz`+9C4#O*7% zeK5CMxZT3-@)>4V`(^uSX1`LcH*T*|@!@t=?kSbq?^V<1_6yve$n9!n8@N63iGMA` z^#iU0))Ce=UAH1sdijp`%j_^l2W}2s96C9)b2y$uD~G8Z4&%_mp_xO%;SYKSWez{% zu$99PIXuSUAr4zO+{a-vhdVfI;P5RDH*>gw!*v|4;c!)#^lLa=#G$}p35WR{W^-ug z(8}Rh4u^4Q=8$k0sqfsM)&4l5OMBRPzb>2fuYpVXPaQARJXKuO^`-i&_A<ZrZ`nAI zos&!cnP0Z^pNrqh@wSZVetha`zr@$)D#Rc5c^iDl0bqZ{$B*!}DSUnSd-(A9G8MjQ z@Xgb7q>J&!5w@1aTcW5q^>z609jou)Geg*s@MXbQ_P=C-^pE7pwOxKX{!`;y!})l? z;V=#@9R9D{vxEWlOZck7HKZNjtuUdj0dqdUmwPk!4FC_pR}`fot-bN=nUGh&-3;(+ z_<k^GI>}3h%2Oh|3nsxIAUwiX;rkHG2sgpE56lP;!}k`L&jFkVlj3-YTLthom=H^1 zHF%Gk`1>;)Y5<<#?w_HY&j4nQ2YB}Y7N!i~!`!?E;9(vn7beV2gP9p+0uB#mVU7V* z;2Uq!&`I<Km?(<?hxGt&7y|tm+`Rykl3CmV0DlkPA_(&&!0U&?7z}2^Rbak~g|Py> zhnod}E4lf3fJfn51>uhYjJukU$G{v9a632e066U$;IF~F0^q4@Slo7iyHlVJ!F?aV zk5hQN09-a4=1pje8h|rkkQ@u<Jb?A^Il;Ud;L#B*onrv6842?wxL*hGkMQM#`4xZ< z!k{65c@4m2696Afa{_z&4(n$Jz_uG<4gmL)0PmRyZ5OE_Zvp&pBEtva1#U(-$<Fe1 z0^DF{c_AF*fH+_t3-C>DehZ*;5~C}G%ixQK^lJc)1%^8w%n1Jk-#Qq?HUK=E&eA^z z@T3#)gfQm-F3*5A!ngn<Zesab02(F}vKrhGx+k+bNB9$b)zN@6!0DN+T)6-b!q)=k z3jobiSUn)TZ7R?PxZe)&o2e}Qc7X3?0gnLghXAgg2GgifL!sqnMl%Q>y#>Y>aDVI; zs@H%xF$}=XIjr6gj-J8FD9j{e?@U(4eE=P^P^S*`Q-HOzSojqH$K^r)1^4j)8}eAW z5Pp`&`wPG%m`Iu-%m9E--NxM40sI3jmo9+&D*)5(fI5dX#{(?53-AVW5x|%3VtK6x z_|;u3?n!{(=0n?n`wsx43RswEfX)Jj1HwhzjPNyXw$Fz4g|7_zHNcnPTZQQZ+%cP_ z(+u#DB38FM0A4=_#vgFc23QN<hhSa}aN8V)&klfLB`mH1poN<eK3>A|eG=f_Qr5ov z06sAn$_`<k1o%)H^dq2wH2`lahc*JU3*Z{~?C1_~as}{~V9p0v179APcK{sYWwbFC z;6g8J>qP*!bMv};fc`6?ED#>yj!G7OAHd}TYwH?-vqWaj1Na?$UI_mKz{T?!eO3cJ z1K%1jp945^3D6Cg^8nT@g*pNADu8RNp&er&Ux2qQgEj(l5x}S#C<~aQ0cO?#{xSH1 z7$Kj+R}JRR08U#4bP48cfPaT?GnnzM(%6T9e!y%7nD-Ftn+U(=?(F~<J`Cjr{1*Yd zWeqdu0^G^XCBTeae1x?HGBm$>4Eh(uwE~nLW9_&KVD;}|jsi2nmfy3wLfGdCW=;mU z6TU<U(+qIR)6m{vb^~1WGz){!x|ZdIFnb-iLl}e)tYdkt0QlrHP|sjS81o$PkbtKJ z;KAn@?X>`0^gOJ+APhqC0-rAcz6jrA;NAl8<V#Qw*e?K1Tn}Rngs}tM`A5JL%mZE~ zWcVvA{ZxR`D=eK=0C&BDT6;C9zl7-i#OPKJ@P$7ydRPzegFnNV1z|o!xB=#9FeCi+ z{{dPAa}mIquK_+_&I34l6RaPRCIP;^iM3+`z{8uF`53?zZvoB_2I1Ma7`>eX_|4mF z?n~YZJmgk}XBEJ+I{|+%p96UJE+`}5RtE6ygHYFK26$@=&<B`r2l#CZYxf@jitn+x zwF;p5FyIXC2wyzR%Ls7(5$Gpit^&B}2+MafK>yzXXY3;Y^FIcf05ih&k6HQ%KRV8E zmI1!}39ILJfH!^$^aSmK_cHLV#47ABpRzj-hX5ahk8m@>SGgJCVQxm*{d3%m5M|oY zjBq$NBfN>55#GhkD0jY;n-M<D%_#rf$jt~*J{xgEsBm|LC`*g(2uE-;!VGRki1Mu% z9^nFRMj6*fxf$UG9v<NZ__EFaOPK%v{Qk?o{|``00|XQR000O8gbGGZ5c&Km&x`;7 z000315&!@Ib7gdOaCC2PY;!MXb!jeTcxCLpe|%KMxj1|_d$Ku6HaQDyAV7csLD8V1 zOEl{yurb*XmEgveT_PmGiZpI%OT#&UR|3JaYjZMerLErTZM~I?elNYZ_tv)Z!&Y#Y z(1ZxeFMohg8*9{wiyBKz7P92L&ogH?3E2DIzJGoHdEt|D&dfYB^UTciJo7v=&&*ao zxPvot9LK|-rg7YUPXFiR{`Y?r{<3HMA)9+8{mq&C4NKmf`9R~N>+{z&egE4{4}CZP z;fKEWz3)r;-+Cm!N&a5`qu<M~xX+XS-S4k{<mRlbjDkcNJ)ZEH7jFA+lKlH&|2t$C z`~D3Xg7>uMV)7!q53ahA1lZd_e#hQ7k(2Dbi0p*-{f|D}i245~T-`2?TVgPBhToE! zWL!6AG-MjmIqnSzEY;&CTn7&eOVoP-zf(9aHIXOz=9~t-)AZyP28ggD?~xb#x8M@T z&HV@Z^nd%;+JDX1bnB@6PycR~9@!+p`}3{@LfBURYM6YETXl2O>W8F<IIb~YFO!=E ze{Wq42lYB{*1@>Lg;<_JFSG9(aN&QvMgRZ5|C|46NJW7VavRzNXP`^I<XPq|Jme!Z zRB@BhZ*bF1862k^7HpdBoLW&}>ELFC))|7IZ}CM<p`T-ZvZNrljn6DuDH|6@^GjyQ zQ-azSi_gE(OSiGSX5*ku>oBdXjHcK$@&H0lXf>5rI{v)59YC`gs5c1;*jO4mOtU&F z4P1TQirV&V7tBDdJ6pz=akj&1pg@3-m%LJt3vVBJjlJ8_$nii}nh;uDz?GHUBJ&+( z+R8RVAS{0s3KW=uNZq0B1r}h_n$QCU*84*h1y;9@{wxbCwYF?75I8aTA~Xg*%`3&g zbMOfnFk?;VX_isX6IxPWt?|-&$Oz$l$UNF}g@;-;^O-9{6?~?gQPonsQp!PmphC0b zP*Zvb$6=)WrJwVSmIbBff%LtfUV;wr8yb12lJX#tNFVzK^yfjk+e=?bM`Y(lrzN32 z5P(_ni}d-t^cj|HCD2UhkOtCGZ#za)0MBiQvH#kSCI2ZG1Q=r<*<6rEI>%z~=iRgo z$|P$G=CZ-gQ|majSUi~KCWGqAf;{>!tiQ~`uryvgc%NZ$4Q*vHd@wA3(Izf#T~d%2 z=#suI9z1zJ{cbWzN>er$SU71(8x)CTQXV}GWHNc6-5`&*h3!aHkiv;ihmpcg4h7Fi z77r3dnV=KJMcX+Tm^@DUc^lNwnq3+F34Q>amBCF0IEa{=fCU<}c9=NL#Ss@*sV;Z| zaJoZ0IO%?R)||u%8nD=~*iAdlBMoR-1VnJVrfEQe)&`(GAp3TBlSAxlr2jS-@SHq; zCzoHwK|$$$&aLHe-A-;l3gLF>-{rQjzrqb|F=Kn+&kBFJFy?vgPKZRNp=;7u(_k#; zPjGS&omT<TT8;$@g8Ekiaqvj1x%c}y_TPX{w;w>v00Q{tHSYe<$<f&`A1Ps{n+_Xw zMhz>6m$yR~@W7a6zjnWxg_vqN0+tM=hWG+^jh4gfrKB~sKq=AvgfGB+(7pt5SQ&AI z?&cEoL4W`X550<Qbes*XOWAT$=tVY#1Gc$@Zw+lS=<=Y=;tZSudg?5591Te(!{!gL zG{3=1Z!#gr(#9iD<1+eqCgknBhJy~W@;@N4Eq9_^A=cmCAL4ImJPbM9^zKY1Z3+ng zTj)B-7B!CIS9qw>aWS+x&9J$np`QGyZbfpywq3|g87n`m5F&wse0Vi-$YD@Vji19| z(sHcOE6AK<aRP?6qSSC4+F*tHT8eL$%*f2hzmCYpFFTkluvR7dqpiw-8Dk`8?q8wD zv*y85wUC_o_^#r;s#^f?To_FHZ?7Qp!k{U`n!JD^(wGZibg3~hs5hiAG6_{0>w&Wo zb>QlG>B!aCs&=2=gr^Jg;dQ^4F8DPF$Ixs1JQNV+M3)~1EW?t-&*|t~Z)p>NCo)<t zWk{(lm$KxjKc$1gVlj=@zhZAM&qy-6jb!oIlpFz`JI&aR?FD%N*_LI&fL=RvZ2`Pm zw-?MslpZJ$?uP<rq3ortL%>z@p@9W8Ug+q#^!m#X5d*AL5V%22&h$2R!x;CX^63Fm zGcO~*E|>=`4Dp31iJT~$J~uL1r%E7-Dlci8YI+^X1&~xac*kG1%wY5Yq@PdtKe*{^ z2C^8q8<U4Nf5Pgg=CL_h(wAGN;IzateGwa*>B{C$l-CLt03KXjrwMy+h2#Pf6o^z{ zhI!zX7a7la8;>C?K5Iyf+Ik(UhW(gv%)qTr8yPs1Q8@7;liu&Hp-;v&%}vADPup3; zp>G;cgfAM+qto+F3$QcEGQ$(*=Ng)KMbn_NLl(|&ZtUv^JUV7TZ3C*@V+)fy!SR9k zOxV#O=hJUNd?z;%aPs0m`q^|gWhh6q-Zvo<M6qmUu+rOVo#3Irg!a^`a(tlN?36cp zXw5VTD=|%)s>Ft+iR47&aw<8Zd^jWWp~+}|=7k%}xM=FD&jO<jlof21Z$Qw=2x=uq zB9~H??irD8laUYUfcqJsv!F%FqerG+jhQ=vS#^(QmwV*d9=aZ86A}x#EN-tRn?3Yw zHc*_a$K#`4vw0@3(-j{E*-g_?B)NL12^!n3$pT%1t!UrRS<1Nfonc2A=k;6bQS$9a zwLNNbbTp@tj$N37M0PMAz-xECR*2GFp6&;REy6VV(p3qm{wd4r+ij;_#d4#mJ26@{ zrznwp<q*H^5=xuRpZSOD0m1?hK5{4$OC@{|+fFVkpU#MUY9f3Zc98%bjuTLddMjkV zYulxDkYV#%4YqK7J3TcUl#<f<FxZ@wN`F2R=7=J!i>A!PW)W=}x!@(Tz}n~NYnruf zcoo#WaSC~>kac>*QbWhj0UBCrMjNFznxS;$d$pWgkaYERdI7{GC^2jEL?vu-(~k?V z1I^p2ba()9nU!$9ThB6@gSFfdX_`^WD$L!s%B*eGw8989lofPnHp{N(%^Q=qT2L-o zq15IHi98I+pZ*WvHOeD#kZG>C8wMT+bYp=oHO;{RIoIxrOA}~o9*1*r2HgrDq<& zp#OB~3<I2I#(6JzN_x~51|38IwQ%CL%P2UTvX#=-8(H7>J~Ibrr%TFZzUkJ%v&x4? z$y|7{HBIR>D7^-G07$r7Fh=lYf!7<#UyYI86v=e)KcV0Z9qu!Pg9;kj;mIfX6*=4& z>=FY%LGt#HvmiUHgB@sc!^CKjGoctU7=&Q-`Zkl&VMx{~6@p58iw-G&OwIzF{E+gI zQJOFc1`u~BQG@(Bs?96v8`=ju5nP&>EJO@E3t>H0{!A}K(i0)uz>0buUv-kw$zz?r z{DU?;yoH#ICzL+Tc8E*_G59OaVAv*|51f+b1qP()gNJ|!ImwJ~PLmI-lcKrX{)$Tn z@Rbc;9Q)#Jr&y_=kU+U+TUbrg>yQVa5n^zou4yr>*+6S@t|nVG*#hJ2*KnlWbC9)j zlY~&?v7Ph!)Vi3xPLP^Owb^l0PP5lp<R3&+;U)R)bykeXl~-Xzu2gHU%fpC#`96%u zm#XY_1@c0B-CTJg@Qf|&ES@fzswy4r8wXkz-YFM3j!ILMW{XjL;%jJxKLwERYc+J) zbxa;ts<IHBgt-rOx?(ti^rC$XnNnIOV|kid7l#s;i3d$?DnO=MAWCCpbYh#S<Q6Hb zWTli|a<eReNQIedi=nc3y8O0dNSXt9OH)Z_p-Zs4ayK-)S+&p?^gQbTi`pzi(}~OK zXos3|i7O5t_c&ZalM5OsO=kJ>H@K4d^5~0tK4`5N_)kEwP>$Q>xf^DK?2IEs0ewP; z=nX+C7P7Ta7VL8V#x=l~P&#(&23D6<59R8iJUx`JhYIx2TntfuGL|IB6a5qGJ@`+Z zPg`?!qogBxqrEOBf9#)C3#=K5=6Od@y;Q&u(F=oeY~hCb6<tY5kvn*HYS(^b)!9dC zfIvvK6=NVks)0@t0l*m&ErVyKhLvt(QciTTiLs!r-I0ajSWdav-n$!RM?!#k$yXhf zW)$WR(?@OtnynN_)mk;1R5hwgd6MnOS~s<flg5**?NdPJSFMxND0d6MnMft?NZm0R z5+@SKG?Fe*>3S@Ohu8t<x)j-}RIN*aN(|8qB0$Mb9uqt2>kjcc8p;Kv_E2>nU4!i4 z>QnZE2FDq;ObEI9+<pPu@yi8Fn}}LS%MlbB)q=Q>uTr{&mgYDorIG5G^3b{~i7r!0 zX#vPHc|0_bWUYb*0B{)q*R_M~0Hp<?p4!?3ODPxffv4<sW_cQ|m;|a9{?jL7dTe4+ zJBU_8VK6%9y{e0<u5O%#J&3le+uiBvfdaR7x-Q&>neJj{jYX^OA$^<Dh^xCbH_G5V zbjJdmKcVr-(Pe_&L+UKSb8?z3-1{$3fKM6Xo8-{r@u0Thd%)pPahpX6^GbvV@pJ#3 zHF3GR&3y&FOYW?>BHz*G9)|Dh?yMP>XSTUD__o{$q>!n&;=H{%-gGFsNZjkx#JzWG z(MtFlhOgmh34C3FuPf2p;42Pa@#tK=wy4-<fl{n@j*~6UGR+mY*TtJI08s+g;$BYN zn_d`+{*B@9d!2$*^=UZ;Fj+y@YB~Avv8@whw`r?B<G77zX@1a<=xqA@?Hn6|&lcb; z-U>8Hcisg0HVRDb1PpNku(1NPYP~ebpVPPi^>Hm{t{zUss!r4;Wu`!n;E1yN=K;hq zzd&c9qSg){i}J=O34PH_VuAuvpf1pDWud7rsQ`GHG>nSC3l@?c>;jmR4947aAqk_D zzEX%Y<>W?uQ&+Jr-ZEIt7*$KR-T|#y1*&jk73#w~8L2^;cQx*=h42+<|9&T=bn*oi z2=FifD5d+c*jj07BYx1&@6gLNgT0%A<}SwC!a%;cjh3$=6Sab57U)838d8w$T)BN( zF(^o4;7>U7Oj`ioZ7$2dq0*!@o584m9y_?`*I4}gd6137)aElmP1>Xt?Z(KdEV56P z&#TQns@$!7!Na#>u*pXU3qh)xq|YI6k9Ir#su0ys`e7l80qwm+q32j^qOi9L8N1q> zd*oERt6R#(GMmo;->@1;^O@)`8`nYe_pio2XaKFXws8}NB@Ew(;iNJ<0}Y903n$N2 zSreh%Yo`FNIP7r{Z_sv3mIO%fU_v|1wxV@`1BMF*2-rT%41~IoSOdoXS29*#S)kAB zVGKe9{ZS%FG%vk)BPv{8TI&D>hW6Zv&yC~o*~PwJVb5O_<Fn`vd`?F~_-r;b$8{t2 zM!_zm_WC3tRX|e=aw^?!(;4FItqCrm*I&`4lYe>Rd>rhd@wzD!54oNN7FYlT?jLSY zo8$YdALO_-_EcPJmWy|mz-!xn4B#@qeEqAL226(e2a+c%`z3g1Z?M?9>@QRJ6rYKx z)jd%o+DPZhJ@oh@MszSI<<aFxwe<O$P@{wh3th}2e899Yz0+70CNvBFsr0%yGG5Mn zKx)?uIP^6OIc`@8G>&dBO+X2hLnvx=BqGx3mtf@8dg#AnJgEL@Zu)18q1&Jv19gWb zlen+?NYv=hsI75(8?jAP_#0TIu5Pr2K(m+*V?$l=fPRP;5!VGGkaV^BJQ#!ficrY5 zlSe3VorfGsa}S4E447pmJQ9=zk~um7^dE#wMD1q-a2&?9oqh=o>D>geBhtZ3JtA82 z-@%?j{@hG|1xSIm?&y<wlpXXr7Is2-6_l){^3V~3m1bN-m6v*ap^{(~a^xcJkGN$Z z=X+?@1T-+ypr0p%Dy{w$n1NN(a<wuSX31z4S)^_e)P-t&u3FE7`I0gYZPW(mif9U$ zMoFpEEO65GfT0<x!g8g_UOFKMB=8!u_5~ocCYMvL<CHZ5R||Ot%FIs5q&x<h3becV zO_^j|Yl>zN_lBcp@nE>dO?z*`27+BC8`DkgnrT#eP5_mo%_V5nX1WIj*Fp_S0{OD_ z(<Cwji_K0CfReM)ZOT@Gljp&VVlYJu+l*SZK#tR9$X5;-<q7m1=uV~hMp-1sUtUC4 zV}a0=t?$&YNEEj1!lsdRt3Ro(ILwr0T~7N*Gpfm<(2Kw=>Yi8ddEh)ggZtUDk3EmE zCuPqQ>=|ayBk-hy1DXc*QxUBelcu*V?8blebhf@Ke&A&Q<fIG|{55J)tJYn?m4YJ~ z95+yDcFOf$>I7b>{R7(ZV^#%lL4fo{hEv(9z#eAor;s<;lE9D0E(zdzz@^kNO9Cn6 z5UvM^!EZxv*t#5N#Xuc=wM|e%XAtvHH+#MY&(>$YglFKC7?=V0lq&}ifK#783@>qe zCd9QJnwMX)eB(Ir;34r~%W{}Pm2S~C0A|U6Ei4`kL^eT`KP?jDYt`V>kj)VhfB0YN zAdm`znKpn9Vb4ML?qHqFx^55a(mkv*_pnahgPqyC0kT0o3eA`9QK(V6U7><Br>aWI zfsh#V;nI8v;f3CNN51*qMI+yaUK_6IvF{eND+)%EQhIaYyXEqY@;oq~^l>Iz<BnnV z0AeGCE(s$g4nB`jy`SPDJ{$h;gfqm0Z-gp@6FNEc9)l!x54Nl~BIw0lcWtqh75i_j zSk?!<|I7-c*A&P~d7PDUx3sL~a-&qya(S(k+j4oM7<^brwughS-UkrOu~wc~o`?ia z)kmw>K7zlc_ok8W{N9<ksBbK}U7ptRxM6`jsXUprWhCn`XqzQA25=h#cnJY;MIiz3 zX9QR+2HwH<qhjDqe19Jl1$@h5-~hfiiGe-%UM>dyD-F8`sUZ|Z=5mXB54rV0ra~#3 zBie#Ud9~6k5<<oc?Lo?;FM<SbGnVVs2Et<CMUd`SK|BEvz13+tp~O~;Pf?JIV&E}c z>Wg{Ar~bxa5C>nOWs(JmXF2={RaIi}Cos#k9LnzuA}ONTsZ+n+QBFG>&d~Gy@MKF` z>hnE}&tG8USOqbiY^-qoviBtj4l)5TANp4e;_ASdaZ<Ul$#TYM5@EEUT+-y!SFw+Q zYIHygl2np@)B{+z82Bv@cJZ*Bx$|id4r&l1343-j@xyHAtvt3Bdi{OC3EKKtVMGjE z4`pMU{}mIzS%oxT+_yOHZp3zmg4kqtD2QUgP49Iu(*vfa8J$ehVI|QCZHwcr46u{I zVWgf>$EvpoDk5nkJOC52gH-X3x1<Gn-Pm^VbxsW-v}Ap*@X*QFm`3y&kz$w>_!vHS z?igvWn;t?Hx%Vwx%a5%SpBiEV{t+$`#~u;4zsBOfE&gZ$s#>u}r5`A<?@4o&*!RWY z3y?Ozs&CQJ7I0DLp~Pt5vgI;z#|X~!&SF$9#K0|=HBHZ!FPYbnAQIjh)f5%<Pt`Qq zF}?qXPqLa*uOb6&OBOL0K^_wWzrwx6G~(lxPNDZ5oW{qsT>iHFh)zzddu#3Ndy7dI z2iutN*aazD77<35+dAqDs1eS}1a4+z3*r_fIE<4;?<jQ-QYtwU&Cm<R?6v_M6G08O zV$$Nc8r(k0lp2%Cz(*RZLhl5KeSv{s4v$+aTAl}bSQ#$bYA476Y?pF4Z`-HHVN$-% zG;(gDM2}Xq8o|fw;I*|a2N2b7%XvV=V}Mp6(C0IfK#rT_afva3MwaW0=jk<~p2eDi z!={FCQjQiVbiEkZ8)xJlP;tz0ZrE!;_C$#5xogJU!X(0@0NKU>_?nL3+sK)%!FL!v z<2-~r485oe!k}4@q3^|#JNbb~zLcx?%s>QG9`W_X@hFeX^BgELi{lt+d=50JQ=>pr z9q(?Pw3&BwtRFXcMmfa|zCYTy1T*Xaig=&I<P_UEg^e}WY#u`nQxqnF2bmnYnlwmf zX1i>f$&e1o7xn2xV?reu-fF^R=_bM&{@nd;kB|0%4WUHlE0^r*^Nc`Z<ozusBkRr9 z?4{8IA=kyij>-gLDEC-qbq{0Ihj8DSywzf#FL^b_yM#SE4D+4Qg?F!kc$3rVcuVdt zWJGu}7M;rk){bigRy6JImSRpyMcA)(SiK_U0P+&__)26GhQ)5Dblb16x1@A^sBVhp z?lvR?h0)C2DbhGSkgpFP_8MWccH#5g?1`~D8JOis8dL5<jC(!)e7f#yW|e771tAAU z6GI^^ly3MsnOOjXTL0qZ@jj1#z79uk)=N+hpvdC%{+8AR!&|;Z_KcY}_L;O0ez^Un zkgFeL?6VN4bXU@kixN^+o@-~3Qogq5*-<>I`{`Hx*g2S+tCjae^Ax7NX+U;t1l$Qs z-T<)LgyOb2iK~RT<|iPY=uhB^@`95lXnXL33aBK!#NuiRn{eBVt!!3C7Z4J9n)MA5 zb=!&F523w(N0ZeBBB_oy)Z5-%LEn#RT37pyiG@yX(hW{-G5oy*e_z309RBXQ(aEiY zH2(vQ%h4)*1Z1ZTt*?;l7YVC0VMO_z{(Ml3A2Xp5;ph|txbwFQwOh4l2RuWqIG;r4 zcQ|=Y5ws3xYKFQ==x`Qr9nLu!9nR|@Slr=UfcuCf3-fJ@U=By5>DU^3^IKvd1F6k* z0?S5&jTDEL^C8}$x_S;Wz~Rj)WVqAS&G>Nz;zOgU37gGJs=GsGrfjPQB^43M5A9$W z-8cp#WtG6StSV?pqNJ=U=8`y#GrsFM)O1P%W3&|WZ+<>%BJ4|fq?-$BTfR$NJwyOK zLGmh>hNYS|BXGdIy9GJ3M$2*POIRgD?j{|$PxQ%*$R{S_0)1NyGIFX32D6fHd;!do zP^H;T12^i(ivjds(<%k1x?FMf@b>2J%|ErBBNwrRB36J2&5KMlFH9{<`Icx?M<u^4 zcur3B4=j&nkoGFJLLB}Y#;gRrAz}*9Z+TFY7WqbSTc9qSgB`2HQe-T}8BJGWMwy3C zVHB$`Zb)?L9e`0Z1K~PN!_2xHGK$;LfYI21YdOVGF4)K8uC}(pl%fx(B$sM%HQF}d z=#Zz;1BS#VXkr=GWf)n8H4>*~%$D6QH<;5S#^PM#SYuIn=?u&?oX5W;6g&@K=xuPZ zhjD2fnS3te*!gTyG^@dRBT`KbF+=hhrY}7I_LUKPhglnIwm%bNuh0eddj1G|1rM{= zOJVl<FJ#SMJjEEAxcE>t-^pq+fMiVAqajql$lY;WtLkJ(P2#z5CqouV7ep|8X*tVr z#fKwjw44XfHG?4z!{^q$SIjWDf<J{;-v-0ch$Uz_OS;)=X%!A|bsV`n{wZ>|zFt~{ zoknlWP3+CoY2A=L8?)E-{w}%T0i6rxC;#Rd=uT-unR4l-rmsR(pDUNfZOry(Er&km z-#kAaJ3qAonLfMLab#+Ec0>sab?x+p$!zJ!wBKnh<JuvvoraQ86?&98v8q7-ifb{| zLX9fWCvcgG^wHPQ>YNYbeC*h<My}Y&t=5VXel`|$ZGj~Oe}&y1uaAxPt**H3Pj2-Q zs>w0piYKT`b;UxizSXEn0fklftyZ(}v$mn3eg*lsu4dF5?AWoyMnJB<zOY`f6=AtP zV(M^dAlCYs#{9Sixhjh+<&DQ}=3@G*PXO<wW>P8W;pZ^y5(b?78ZkH#MO3vVw2Z2r zI9XxFU4!Zi%FwXX5W1TS@hixZC#|81CoQV04>;Zx3wB9X@*WM`%5hMsAsF85+`5>! zV&n|eD!<jz48pqrxqB=M*CkN!G8FEl6B!EqdJEeDacpt43wn2({o(cB?Urv)O1HDU z-uy;<Q)On-8B8S01i#^aEeGS3!vd)`)9Y_#+u-))W@&t*-Xo{U5qhH@O{!yRmHAqf ze){p%C@CMaJsnadK<f_7=eR%M;MhH8F>pV8B#J#s-+`pwJT1B0=Ccjps^}c7DpniR z<m>IJ4*=P2nBmno8$wUw9)m-VG=gX#eYjxt2I*`VS<#0=aQT<*gt=0&B-}Cohs$ce zrmRFsD|DO?sd;vnS^5V{i+rOrOQOIzwo%leM9V)~;sL!xzqxS}&d8_H+?IvlfFvuW z0T@N2T<+)TWInM;;H7uiaIMkRgD!hsH(idwk#+V=w$9$e$#(!w(G19$YQ)uaFLYs% zbOVa<Rl3BPNb|6&J}qY@${BiW2<@s``ZI`a_gfmDMQmJgT$)$wdi)0Z&sdOJ7xx<* z)aGtSDf*H$`^aGAlN9DOV(hTzN)?0~aGDiKbkjFV6HYcp&DEo5*3EMn7~xI2XG8^5 z%VM+zCVB-o3v}O;Jk#Rnzh3JEV_;Yr=p88|`#>ICLnM`Ea-`)$qwQSFr4-ruD*<&@ zJ8-j)EG&${EI!ZY_R@zgLFsP#X$9NRaCFKd<O_r!6P4~OYNa`vrYtq*D@U~k$f&I0 zVeYOc?JLG?DFp}QbT38eRU5s<OE;s0!yPP~%x2(vtrM!XdTA_%=JE;`zzv?Mof=Lo z@cONd`>{I*z^p}et4D1<4~?n7#(?sL`vTn#=A0vj6sUxCM2LUcUM$roI@AlznEYql zQ?Q-7OI;RE^ySN>$~+KJq+9IE1bLjB-h-H7r%#7Yk50BX3$k?}l7i!LOCm`&rn}BV ztrTs#%4om_^wymih?l{>WtFri2VguSD8T@OAQ_44Jl%L%ABq3s*w&nZ&cJeUdj;6x z_2sxQUh?%4EAER-5Ak1D!IxUh^bKvk(wR$}XC@R5bEPs|u=x~d6Akt4N&$mJ{o*U4 zdB`-R4(~yXgOLQqW`eSXH%M7N?X-`c0Af(C1LEoswhcGtfbMplK{l{m!E}U_jc)Dq zX!<AhD@L>pZNZ-qIO&=LjMt50^WY^Mo5e6VwsZDr$SQI!eFdgF|8$y?o7~oMe}ugQ z6cJj$5VlX3c+wgDo<EnS<K72}Ifi7BMt}}FIWt>}j@I}yXf3BRkA1p4k9CHRO8I(6 z$di0@nC+X8kzBxW(M)w=G|fjp8XB{WmSl&&#c&WZ=-fo#Cp52+-ZW()Cr@zGSvr-1 zUNMeV{1tb2ZXfZMf>r}vaddTzP1`ojaeTwg{_f?rQ-fbQT;{1^r#yoW4JPsN;XkSj zqLyW~g?ryYi~cv&X7ZIP3ywkAXd9?xazYvI-uP%zaNVnPh{`8@s*L;5j?{G!x$zDV zNlOqhpg<IxRk!QXEZM>aY++rG<1f-UNcMTC=^Rt-9Dk7?^7@6O5L=B((HV$bVlQoh z7|G_PKbgUFAu-s*_Ju5HS-7=i6M9{^77w&;1`JT6t8ItuSqx4x=`f_7J_~JZXL<w= z7?Nh3LL<FtYs4?ZQ6b@Yx?_#F6=Jq7w%{WlAM^3y#D^OntMIWd^g6E5+%2CVP!de# zx|;+R>k^(LG27+B%gU!BzF^KM0Y!tHRQ|eEUDoe-LmFTBMva@UM+F<EahE`r^#@N$ zE~Cp*cnA~?TbMM*NOk|k|G=&On+N}*bV9*>7!4TrVRRpiD_LeS9w|I=zn`n2TUc2* z6bW>I2J(>xRt-P`Of74~xsgs+53{#s<7OO3xKfyK!%{}+G<+Ft;r4{`uRPMjjqJen z&~HHzNk@!aTi64NyXxu(JUzcyPL34exg7WNzj(0lq%@=Ed0SZgH%zUg>aq)Jbsuv# zhp1(cC$?hH6^9@%Wz&@!TU<+pDp8KE=xV3WLDVkva|29t*9$fa*v|PJ7o}8toq1zE zb%CMmpIFO0K!834dW>1$R?@+oLt(&y+S{ecZQPyh(gc4>gT2`-K8ZW)t)|Kj)18&1 z+Damhqmr|DvQz@L3iQ@8GYE#b<MR5)+AOUTE1ku;GIiI`3n2E}fQd_Pkt`)ECG%oO zvw6Ljoe*K!T)9xu_^2MguuW*qW?B1m_oM6EggcK)Gg~g*EaftYybjaNl?iCeC^UvQ zjDvA&&83ad7XPf?>Cg|Y)5m%kG5;F@{ck=2h7tFoX4l`g%o=#WFioD$_SVM(VGtEP zZ_txww#$OO8f3%j{Cgfaex7Z+gMP#MT{yDGuY(QQ}9b0cnV$l4z-Vg}z;hTX20 zXTf}s^=o|Q?8fJ`7x7v20zONB0nattbB?fA)@$rF?OFCpeVV=I>|n2(w!`ZePo;)u zp}EcNdWF6DUHjo30*mr6hJ)QOQFNwq@Qo(hPE6eO%FHsZGj%sS)6q^#{q;;tO_-c2 zGvIax*ys5XyKPr&Ci*DT-vIm9qALfQaE)&>=N2^Jlu`uXpi2ytAWUQWwH91g`%N!G z`=wb5<)ujq&63PjjG^}Pc&KInc=qH4e2(LpIqmh4zD9!qS7<_&c|JECdIuy}SloAn zMAR)j?kR6EM?SP<MnYRG|M{Q)`6^Cz%*Q^j@U7P|W1H2`YH{8t4~Cwc2El_IixVJj zsXW+FpB$LH)T_2<eW4(|jK=8(Udw3&++W9hxNtGVCbZT-Dl)#)(b?4B7W@K0JAxRI z9|%h~ho1lPGSc4>aj(&FWaGrbh|?W<It$bN`S;V}cbE_=Z!?w$!txpD%MIpGFb-Lu zHaFCafNtiv@fc`PwsRhchggu;zL8`fWb)7l%aOb)5&-eB0Bl!<0TnTz0_?TzF05uC zVvw?1mYAkl+P0@+vC(m;ALU?FK1M-7t=mo5T~VPUz&`M#LDRvgSMSBnU=Nh@OSZFn z1N$b=;4>7+#$@A((1ZEP(BzHgmL=Ix%gL5Q`B721Jb7a_M&v`pXZfv`sIi0N${fd= z4&mAz8uv5Kpm7gE*@;5=Xdg_5&t{-av6Fe_EnX*0Q?{<<q)B9BBj}@oKc9Z@eN;I* z=tq614rI}bgQ((xC<hQ#?r{_`*S_1qn3w`a$U0r|7j>OTO7qemUPP@Mfz-u~gh4|# z09`w}5J>TuX!J)!?tu#S4~*y=AaFb|JScIb_rP?RcB}xXZ+KXq-kFM@*l$|SCMc-5 zE-tweq9t0Q3}2DQj|GtcBzjI6j-#tzA93=diP6KDHw_GEw$#}%D(v#V=}zEdz6UU^ z4yet7V_43H*?b?`FX7(j@l*$%BCzj&b~5@`{TOQibwG;02CF1IzZ4IAHhsEHqgQZ~ zVx0k9-g?>hYTV}9*9i=~ne`mlx_BPMMS%brUtp9C&zT^vh062L8ao9Qp1KRyq8{hf z^=A7rDn1#5Dq5PqfFh6M5`_F^TXvvJ44~JsxVI9RrK|V<a90&G?i8wJJy6Vdy5@s% z5c=(IeQcsPwpF69^jvZ8LiF{3F6(Y<c^VRh3db}k&9K-J+wd7^0hN_4pa!0VanoGg zpb0C@-8>Y~)Jr-6wa#+1lsNir&@TNZwcH#kw}jMRKsgVtA-9&TQRkOAo%hHW$wm4e z?)UBkQfOIXoW?sHkqrY-_7>bQSb!TJ<<nms#s&(4^KSVPDd*{UG$qT;sz-<#)%8L` zWa*OXag<ci-S#3JV==gVn5`g=tY1%ghcSV*aTPK_$LEk*-L285(vT6rYN9BVNkb!y zH<fV#4iw9BUJUqf81N(%ed0^xi8H}-VxSTtUv0%Xe`6yVy7-bZoAcnrgc~olpmcVl zvWVISk<V)z8b>%}9I0$9)p^8CAMQhCwZ73qN|7tH_XaB0rHH}LaFZ()Iny8p|BOD? zSybvzvR^sB>pZlNlncAM+1tFUrvSAU&~%kpYO`exSyFCUqnceOAlezFETt3)pgF5; zNp4<iYwILT=+zUD8=664<)VaXZQYTJX`g6}V@J@Qz&LpX@&CY%P^V#>M|&^H&A81L zoe#)<{x@Xh=p3{N^S2G@xja<DT-0y@)n;6_jq<o04pc_BKwP_0`f?%j%JpBNUgqGJ ziV+4jF^sj#pL`9YKrd^TzF%534GM20Pri&!=Iv6wJy(8^Jh@*FO@a_uD??uZdV4V! z{dpO4uzm8Cs{q~~1t?+w+FmS=9vY3`_XV@go($_5D<GqjJb4&GHzA3-=|2MidGZ*1 zGu6DX(@hl?bs`axSz(x;`oCbhP3Yj;NFiyZt$EOhN%m(ED;ezRsi59ychGWHXK0JN z(<Pu|!nUok9Y7V*IFbe^WC98>7Sj>P-Vg^JY%xC?orck%xog#e-07t;Aotpa5x*(u z$RZ>;A8@lzdzbtWn~VCI8w2~t23{E(2#*Fr4I^khuA`MsjEOYm@i^`zmGjAPJHrDC zzy_yckq|qI4x$m%!~iZ(AZkc;|JTr}UqLz>>e_>vbO)a6^OE_FL20f}Ev6BqN|^Dc zdZ~*!w{f*N<vlw^pYm#v_ep0x7&185wxF14=mo}@$Ij&Gb8Y21(9^cST$@L8FnZnE z#Dsh0ls@4$_2PtUrcd-GI6hRlmXxBGJ$;m|TK8PVZxH}(W^zgHNh~U9MFD^&MJ*^( z-i0>I+}Sc!cR!ot))TdNwG)sakQO|m5xxGP^pTVECf%v!OfOw{N?(V{ZCw4)SkG#K zc~*mL1fv0seUAQcbfMt?Th;OZq3ZUN$*On!zg4Z}1R$Or5=hjm<zT&}4|;T}R%Dq2 zUG|8+VK4&FiU1w;?IUPS1hjGy(!o5$PbgWK0(yEPJsaxZj(T_&E1>rez(_E-FW}%l z@u{X=gFcV}kLbfNfvD=NT)Csy$>G}17Av%%K<`X44O^t0R-eS)XRXv=E`>05iMnN7 z$CGGEm3KUOFS<;0RyLvt1;P5gFA_Atrj)Uo)Iyvl%(VIoeffj9%xdLYT%g&Blmp+| zhP7;^b7Z|I2L(|ow4fc(16-l_A`}uxd-Fa|uDj_=xLOf*3W?DlW7ZR_hnF_uwk=pC zzood=TZ@cwr&ov6imceBxQ$iIMmyKfdFh{!eQLFwr?ESi@|tRjrh92U(0i?I0BYI+ z@pvYm`BQI2g{zP8hJ}83obg6|yI*KLf;}&Ml32<X1E>L!$^vv{0ObY?BbD>?kWmjU z&_iES7Anz0pXwo}9y+UsD)i7%JyfNK4(Oqkr8txr@oS8L?&`jfoRhaSg0z_88>0tn z`lRQhTj`iS_vxeb?-%qq=Gd@hE##f;qZcout21MC$+}HrLdC2s;$$d9i;XE{I)}bO z*JHWV^|7WQ2e9GW5M`qV-)8EMCP(m_1p4q>Y&8)DZawZo6(Kb?hCgC5xA7Hx?=sIp zPHo)H0v0{+0t;AKKq*BC$cqfM3mHh7sFWfgCuJ$6R`!7hHVbwlPqHF*A|G|8V#cTM zbAn-xP%N*`%DWOgCkAj9)fw20QbY{=5sCGg6S!fF+3AEK{6qkTDK)Y%E03`~cBanP z3}5=uWj5im%IL3q+2YS5jjc6E+N^-mAx5gZl47AMN!_PE9-;09S5tS!P?EZ*B6WW{ zbS-t`;!+y@$q?EJNsAcw5Ya8Un$qXqfRgKkP`QEWU>il^qWbA2aUZ`tDywxuq*)Nq zC;)-S_S@a`-zOxNxW~7-1b<4aE7n?fsl#;{&#c<ITI*sRu1j1Ql;k&P>#W*39?yi< zgj_Lq2;<yz%k5~j=HnrjVpl&JKz(Qc*}_q)xX%@z?J~DC_p|kyJ~XOE&LN@qxR<W) z#u>;=D$TXKpO7cf1%E|l4wsJEHpdaI_ZDc%Zl{z*C$pqkI7fX1*4%D`G*PYRcU#23 z50UJb3QG5|nypr1VM_Ox%8?ZK1_-q-{wwAVKaZ|$PdLv@X1c09={TQ-t44xFKa2q6 zJl%;~B9&&eI()i!C>}Ul7^*U;*<@*MVeD?lkh+xLGR=pl-e`$__5{qkXti=AA8N&| zmd8l7867gFqC>_+5>dKmkdu+iy6g2bSDnV@^Chc4#p9`=Z6J1M9|FQcl9>awwp9zQ zLUbZXRA0y?u<G8tF<G6xIWDCq`Y9?T$FyNZeX@^hz}^&auY>u`IP$KvqA*Cu^+83O z)bs^BL}ep1({H5jJJ}YPK@2R=Bf6Y=j{x^=ACIO(U@97%LuiDEfij$E)`0-~qZPCc z&+GX>!9Kd9IC*_RmVT!E?GM;`Cc81^pnVRW1LrzYORp<KYuc(ykn0+kLphB@DJX`P zj+7uKUE_D?WdKKHbDR@!EZI=(rSGG|{1*;mhu`?>g1Kc};{#Ag;gK3Q_1?kO@}P)u zwgDZDYQ2bPify3L4R9VGU3dF6sNSH%5LaAV@Tcw2Q2=!BwLpBLJ(hd}*EknS^3mdj z`bojt{QU_JmottJqyl9~lV<oi#wiP~V0qf@bPgb0>(*}fXgSZ~<b+G2(AD*e^uCvJ zAW)My7BeH!@AAY(>~eYo2y1;~X9k=1Mi!NQi33q@44{m{<4|aR#_1mhbV=hF6rVsv zn0!$9mryyc#Q3I-K3cSho$W8@YaOxmRr{G6Q*3<-=`?maI-5iwwK!e>Vd5;=#L!|3 z#5!4QT_RSxH8PX}jeC~9^EJfmLL}G`(64cKR_Wlq^fi{iP;v>ixQ3fp1@`)RP*FR( z5koJ1M)!|nB`|21rc?d7%j?^f>o`1-kC!aqH2n~CKizRe-vhw9V#B&_bnT{7GXS>J z?;lAn^&{*)06<@)!85g0XeW60clSHFgZS`~n4@F8NYWA~^*VXSaMM>z#(MWtgrffo zl+UJx_Br#|D0lQTZ_rxk1Z{2;1%PA8Gx&)UR0fI1({-e*#2DFD%uY{zX*-oTKUI}0 zK7EKBs{4k&2yTZ|l^BnR`^u~yuek3ACfg}rs6xmM4s4i8n$4uj?6}mFPL>PCvyP#r zjJuTZT*tdjl=b>m#p&hwhZ`+}z<JEyWhd?yx$&N&5hs_J?N9Czj~11AQQ?<<I_gHY zoQ{^yGQjI5b_z^SaqAmFkm4ZDf(V^4ctYtmBzIuO_{Hc>Bl=M)gY6XCzhO-u<FaK7 ze=`RtZSw(d>NyW1o{v=S+yu2vWJGZyns&9*7ac4Co>>d9?Tw`?Alvo0lDG?HMtf3D zdg-dKb@fnRi6P#VJEgobX3ml~Ja)U3P0oDhoLPyOjqf{-HhuA(u-SOXab&$<x63?< zBz7k<pzC3}NgS=k6=-EBRW_q*AK=vc8H)fx`T?7;R;kr7m?YGtt4I~EToS|}8l)tv z5h^C7Yw>x~c**fzbHR7I%w)?-Wwl*^1eQDvlkYPA1rTza-uzcm7bl?ktuFl$bfKKy zS-Bb+K3ZS8BN^U?;iaWNPKE;*URe6mWSCuraC2!W8GZu8(@UR9hM&Z6cIi(roCe`G z)TlPB_6yqST6N3nXc{)MMmtShv0Alq70gI08j|x6y3G|scke2}hZ7$abIZouYC*EF zv%PjVFNx%<?+loYvY>>`j*g}a&~#(9Q16JWPsQXEWE-sr%b@Rn#jK0`MmG{e<@+Q4 z3TI%}Q-(6PE|GFbyFaD2Fe1%@KLP$$7e?d?y8a?AzOv(}GP{Z8A)KBN#hv(wuF^KH zB&TT|GZ~Z)ftaEXl6HlPQi(!MQehPs+iho)%TCF8%5qkpWd8dgqPG(t(TNAK%{%cC z%{Yjy-ieRI)}@<H{ED41thI%e=5C;jGZ1Tcb<1fm5ghuHrrBLRXd!fTqfHY=AHyL* z%7Dg6smc&9PbK#O6}_!4UIp>8liasjtv=DYc=dKhX@Y#SPEBg{d6LBlDhGqcH|*8t zn<ta%^GH~}m1@N}L35pto}*j(*nx#H79Ex{L)*C8qb=*MjZTK1CCz8hYe&L8wFmx! zL%`CmMr<5$C9yIQ*9mp;YFn7nGf8ob6tUzg64<r;>flNi^jjL&;ov@cCMojG?Bw$c zFnNO1kKU5l`h_mEb(KzH@*_eb$o<=zyD<#Li=bPA*K7l?xC)t7qqS>A7@(WK)E5mz zwn$K$*xapaXL379x7@a3=H+&yvdLnU3y9NNnxFd9$x=?~OnhaR&cat(Dd&6+kKUFu z)gA94Xgt{9Ozh3EwMd*l>}<Uf!NArcMK2`g!GqrdGpWr~lD|>FO)D_&3QA_l>9#Jg zx1h0?#Jyply^nNk4V9JA(*T-Q*=7oa<*%9fn_LJ@rM;hNnwJ#eX<4WcuW~`^e*wn1 zq*O92_R;`)E#n1ZEc<7EezA|vJd4~?TdS7l;_YjibW|_F6TQnzJ?Q0jro3fgX{~gt z-{7Ga&#(n+oFkWdJ#N~3^EVW_*WYH00#l^%A};*Ds<HCui^xE8@RL)n2gB~gk=5E- z5GKI(SU=supmG@$=)FC<2q)DRk1gy~)5zb*GIJ-cP6HzeQaZ{4m%ytNfO%RL&XO&* zu-z5^{Veh6a3!kjC0bhWlq9s7T2t;)mzmq9i+kJMmGt!w^$wk&rQvZ?5bf3GHk0Nu zw;C#;0;n!<PP$ELj&t&_T88qa)Rv)i`Ik@<-*K15A+18o#6T~gfnz7}CF!!MGJ0`o z^dpvli@59<Z93iqga}$RgY8_ott*;RS=O>}rF03gy>1|408J2gyv?CXLrd{2m~Q%_ zS+=n495e%O?{mdZ_6ED8@prSzQ&!#u4eFA=!nVK|O3N6I0-$hjNxHN+cup!64~E?U zJe$7Xtv52O%>>QU8>gj>wltbW_a#7#kN`=`%$2=f^mRBTrFEom*khQ%(woiLN~m9f zuu49s8AkTM%<Kjk`?LggKSDu|W%fWL@R`@sI&Cd;lR;}>Clb9{G#3UJZ#jXs73a!E zRgRNoanz(eo=|f?%|Mr77y2)jLamF|-$SbV!PHuR7l}naO$qU$Bhqxcn-;vw^k2tC z>4rph<FL<*1$13W7ErYduk=!j@Om#WS<%&T)K6jOIzSBZ2bOsSSCDPz&>cg*S$h|K zrzCS{DnjT^DEh*d65Awa_*0he!h~q5UIG|ZL7acl-Ad2O^aH#SmUOPM&ycd6&NcR2 z`I7$n8!37jit>0og`J+0F{j(-@u;qT?OoLsgI>ACP49V!X}x$O%}fuN|1r?Z`vD5q zHc&#wY3;iR0a`&_+^6OI8m*G{=t?D)BJt3GC$ya1Y+=)JQ4F95Qt@;t1N}FK@G(%> z;dDb?^rN>K;{&>8ua@&7<Y10TP@mUF|3kNW6A9=Tn(Q`YFqj;GHXHGDlv~T$kBc$r z422hNp$K*ELa(cl`%o-Q;Zz=pF~;%uUSIl&^N)YTn~@!zQdY2CN*_G23mqMztGqal zTFx=7Q;yr@n3i({g=n9?P=fEn?2T8sXgOhobM@O?eYQTwpqzH_J}5bw8N4W`k&Z~W zC9_Xup4Wr#szq2qeZz`Tr3L+<MY{83a!CS3KRYq7S#Yp(98Gytfz-sw0R*9$Clh{W z(J9Hp)<i%20fxVLu)@GA-Ol>DcD=<%47M(N>L%zJecl??&zBVNgAsPCR6(0TiQqo! zQawWcl3j+J@b60A2WeneNF^?iQX+}#qbMnhL(ba*JyOB1*acD(euavgloEY2RHk7q zg^~79+3?8Mm65M_;%j6F9an5@=RhU4I4;Uo$Iu3genU-)nhVs-EKC+QDuRa2Hrmz= zQ|ZGe(8FouZlVjv6aGz6FCGM}?xP>=WA57a<yJBH3n*g^aamtQGk1+6vf*}MUJ+`_ z^m)8=_wSjNNG&IDKyGBq&G1P$edAr<v}a@pxo&d|ZJb9xK8`L(Bej1|uN~mUz+;*& z16HlO()(R>Q8MY+n>raoGnhGJU?$`KakaU|<Ma9rp=xW5N3An!>v$~(nH4fx?R91` zSg)Tga2%BmsD|jPNvZHpVh|54Aiv=;6~~bHWCOghStozTn$>$>(iQz0*QCwtQV{DX zvn1{=`j5TLcS^X*Q)&(#BK^A#Qp{X_HE|EoF)v=Xni-bo!XR7V+l<bX<P6?R2Jb%7 zKDZj<kB|<08&5_T!}m&v!E4<B=49{5b0<GLc_y<<?jO8J`T)ub5ETWM!B31Qo3b4M zw^3*k9RRx_eQ6;iOnsohYC8vC0(_YV-yb}qyw8z0$Z2vG>#09v;gmTocvOJhhwAk~ zU5J?#uOwY|zq_WU@#RNH&SfNT7KP$gt8*9!R20ky^9!Ko*(Q^9W@UI7?9T@Z7ATj8 zLFoN$!_A=u8$v68Zy}j#m05Y5=j3C|i-D92H04%~W4EkgzzTur%d4MaY^EH}Z9s=y z<i|1|w*i?8pk!nBNLC59BXs;84SKjSS6c`4VA0lD=|bIov5vt&Gt`v*$hqyy*e#Yf zXg|o)evqsEU@px`0D?xi%<J=z&v0J1ox%k>?c@sPz5f~cibVVd+Atpl5TtfNx~6@? zHeG#qi%g@>@8oLe&uTc1+4;-J+5+MJ8qgE1^p(VgGlvAcsB#DD($n5VUAhO?_#H*e z&vllcr>oyi>^*qtLz!2*xhB_CZg>+n5_#HidUSsd3Q>l;#UJA8fyYNmS2GVY6!qwm zJQMe}rql07lPgyT_9Ff5MBxv!qMRKZka&;<=+)<r=HZdAOi(EkzQ7YfKQ&b9ez~J( z0^UP^3HfHfx!#`2ylHcgu<z<mXzPGb@8gK|XGifw5B-R}8c6$!sMSlSA{ae>bkyUy zo*5Z0W5@8v*!nq?o{j6QQxT2cV@M$~-g;>EP$O;|_3p#NVY=I}82qV0Kb6?Sx}go1 zPI)@%w7zTRp|>-)c~>|3_x>xY0D6z#jhb<8T2eDkMIY)SFa0!K?|GQ@t|#U3DlmXk zNC#f~)kE(DIq#vL;C`N~8*-ad7;)l_M^!MhnQQ}<s%#$dV#Za$QTJoL%=~N1{A4zV zUMAi2b^W|sa>Q?D%4s(z-#TUpuu#wF(Tum*S-$9a=p5)YXmr&{Mi$LIV3!16NA+9x zcAn>@FaC{<ju<?JH{!V80K2xiTV6YQpkt^DJIoYqz`Qt<&_W$ZYSafR`U8f^HxU2} z-kTtV1zzgVE0SiwXl!`XOA9ef|I#%&-t^%&aAoiqMD^m)2*^K?9_$)>y5xIZ>~sm~ zjGjs?+o1;QIJ#l3zuR_dIXazN*5^?bz!F!tVbOG4S90br6Ms`}0Ri?EUYVH5ZVSVc zi{uPmz(+$@baM&}DXZgy^_IemK-|W^c<7N|>rT&|qkarvz5}`JTnmrybXko@qT|Ri zq0nvKb{T&GpebDmTS3>2j@YCyJD?|ZnFZ%+9~mxu3@9QV`BEguAMN7t`iAX>3M3(z zGqUeitK(o^h{4m4;0fj3N+zhw`iVELE{l<6{V=@^95TpK<T8Jca(U4PqkqwZ<X+x! zuOQ!r+h;Ax<^1)N$s4Dmp(QE&;OUtw_g4(3%d-K2nUkY=p?kVVQhu=?{aPT=go(90 zsWTIgKvwXiI&Q4)S0Cijq=M)Dg6a_fE!-&?Q)^vJ`N*Kw^^3u$(Dy}-K}=+b_b&pP zytm%*!G;v_fw4NK=Ys5xcOm9o$NN$}-Y@q9-thxLb{u3l59P0)M2?>RV({IW65zYU z$jdVksavB{LicvF_*ZmnF^S>(1D=&4kh^)jqL7tH?iSRg0(5fJhz4eJKbTmK_Y<2% z)qNrJNm2{Y0`5Nn^ip^V@N_H{<W+6ZDXrDwaHJJJuoLIBG>e>^P2OPLdO8Y~rcY+y ztamH+SET1gZ(u+c=+-e%wLFCXz`~z}0u1kT(8}VfNv)V42enEQ#Nb7oFE=yoTVG%z zS)1|TZqaMFO^e5YA|HyzD)S#vcktAJg~HNVmPFa<Zh-}f)1oITFSZ`$lI23|a8<ef zS!HQ?telh6l~w#Oi%~WSn*0dzEliK^vM87(uRh|HAahIuGAB7m?}bM~OU7NO2~}BZ z-1PH8rd;AFd<N=BMc56z@?F8oxMP>Z&N2(TFkUT16xsUY&Q0(I<{M`6f$`QSFHpjk z?}V*xtqAk^#!3@MC%aT@lah+LEPAe8jQIwvMh4$_xC}4CyGpiJ;;D>IKi|mZv&C@> zUQc+2rQrFk@!AH9Z)|I$KUbCtnz~Tk!fUBm1*x=v%1k<vd%86>jEM!%xPM>)qcdtW zhRcKD=1Zjg(J<rUz<lIlpnq5FLDea!PF@KM_sIQzo(wUgEApvme9YX4Bbq=4eK&Bi z2M-T~e#Wf>A+Rj&xV*8Pyis^O(rXSawv;JVF->W`fajk=JL2$CE%5#lq^C39he0>r z*+St11F2Zg-SSbetwBdlMbDGaeP*?aSIdOZJ@6r@WxTTbUn`iq%4`3M^wL&Y-gaa- z5(wi7fu-fLF?|!yNDNr=v%ym{-2!PJdrrWtOEWY*EI!=fc(1SqB-*6NXCisy8j03V z?u)}Tb+_ZI&}Ms_%uuT>U;v9hS_Y{D?I7mxP`B|csNhdI*jd?l<Pr}uFs58uw87+G zREx{;4ZNd4kjr)Xb}4`T6y&p5Xo-OdxE(0quG0nF3?<S%Ht`obu90!~2~e7fA3WJA zsE>i7ZYg}rP#wnw8SzIiAtN@&@yL$G-xpePYh2NoxN9JF{h_=ewax+p67$zt)LKEk zmq&?muK-U+tswi_mZX6cnSfFxjaRh%^?5DL6HtmAA1g&d6+0@(@n}9vvxM%uMtB4m z(h!~Ga|>JBiiaw0i>rdV#1IGhwhULE)Vtzp#ci?P64ZCXy~XHn9KyYMkmWZ($x99D zz46dWTO39zGR!Z9*#jb!Vb-Mj0aqLbfC)!Aj>*Xc=p4s=BNNInPAG4I$dgRT{>~nq zP?oX@#q@VO8zvO!?~P2@ZWN$Yl((|QD92SDpOFfy`$Oih$Ya=*==KbG?}ew3nAxCP zO-bQw;t`>|gm8ZAb=E~+V$a!Gx4wnl%4G7=?lFmvjdbhMG2QC2s7AFSH_na_juN<a zCldhG0*EAIDoPk7GD-Qc4<=}!PS4#ygI-^Art+3{`U|BxrbV-W?36b&+ra71aGK6y za_=nY1s<L_W-p7)9?pDE&QRK|YMtOX(?lI-<gH{H7W_ZJoCTP(@`@;!L;^P^XCLIe zHIXy@s<g9^c2>@zFW_;4Gb+=VaXl*?)d+egJ6d?JMKzFei&CsfAFI<ClI0d+0g<Cz z2EB)DXFWtV@2HqvjrbgwZ(xp3ddF2&5PK5OY|RxXKgR7UCBjEPMQQU*&R?>l!luoB zOCFyn7z*|0H-OyiS{&>Gxd|W-T;fSaA?Q6{CCCBTeG5{AV^9n*JMbRfagQLc1YTm) z*nAy1j*JoyZ7v3yQ|m6wUfEiq!r!nc+eq~VnD}RAM&|+d=wRE~l&C|`oIET-4mlGy zOsX%;yq8ZX3NffhApgXxkMU3;`6m<%Vj#rSh9qU)Bd7pSg8*uckie^6r_9XZ2v8*w zXY=fq=1fk`WTXdN^JThY43WmuH@8-x(f}Y?qXe4%IO<%X*IE+<%9NthU!>mwf-Kl2 zWvUtKl5xoNAPeO_<4NReh`J5fx}Ri+9y6#5gI)3z$26R0p}RrXV)}rbrp&=8{T}$x zUHmAKGaqZ1dzGUa*eQ9m=AfprGn$FJHqIVkdUIxb^sa$Qvm)K$rAH3oHpLlwcrLnx z-1izDRE}PsxC5s-6-okPuFQjJHv`o52-*%?^3*M6HhHkaf+x_RvmHd2{2tsx#(TnH zpq~lDgglMDbs)KSrymye>L}oLf*G$_l+0Kdn7p?`3GH5*`GRiGdD*V_SlgH#IC+O% z)mi((h*`Y9X9_f|_{OnEm59siwGF7j1s~(>9>wfAAD(vE!nmi`1lD1Pd_Ao=zzo+L z4~#4<vTpj_Ye^h?51N><-7JvKNGvs!xX8t%|Gt5-vu$}n%DEFm>Ylk!eCzYq!?R^5 z1$QV6@_d+t22bLq!gcf<ln5Bjr?0<ubybV?s(Q<z9_F1i4lf1PSCAf_tlu>apYMF8 zTXliwff<QupdyWL5d%B$U<1LWcjsDLm%Yjw3g!U@;?of~F=-3Z)KLD%cvh`DaVTXK zzylnMm4v`KG2q4nQ90*PFMOW$7AwFOR)ZzjUoMOI<Xx$FSxLpmcuN<yF95dXxADMO zCSk3%g<CFV;O0mWizU!0%BEsY%4u^iXkFIdTKzTNuH#R^Tb82tiU%WZ`rZZIa=ep- zu+GAx#%c@5YR3`r$(K;oN(lv>ALAWov}CUS>nE|qjeF%9LnJ!YZ}8|qVA_v?3Gw<C zu|G9b-CyH3ghB{Y<JR_Ivl6-WRYctZVI^enb0OARw-<3FL2MM^p!;;kA?&yt@D4qe znS_v#j1l{u64qTvT;lc|yld_Nwx1INc$##iOu%7Gp&hRNtg8w>fp_E`KuCkQ{Wt`) zAeOJOa@jg>i9zB^QskN9KAWv;jWP^f9VstY7&0m99&DdJ%n88zH5Nzb%mFiaje~WP z7;MCPSfMEiJf$1_S<BrjOQ*4dvA_<7M=`@=KD*(=VrTV<Ph0|ny7zkYea~*2pu@C2 zATA);YK2(bn{7n;LJ|N{2Ksy*iB;!9HV{B@LEMQ+P**ijSH2N{qC}@862fTZC9H}o zWV8_qR>9LzZCP(8&y+BX@Yy!LtmSfsY|-)S;If?h(6(9<AKMPFk)FVDO^3)Cy_CW; zI4bjSR6Kf&&LyLxaTmiEAq=c(j&^bToh%M3Eo3cm08c!DC)IoLSdq>c!17}7Brd~X zld4n3HmQO&spRi9sggXyQuVPE_l++rTcbd;CMv91DgLY#Yt&q)Q(@JoBwlM&i_^J{ z(abQmZ_hv8zHb@6*}ex2NzxwEzD3wR{LMwypv?&K&4wVKR$bDxdTdLH-WF(tVGn*7 z-(pS4*4tq0Ffe}6pU?thhu(tSAoiMGN7uo|W%!eGp}r{aYbb=}7Dm`zlx`AndmHiS zU4n7XI6e>qKT9wfYc6Ro>~MzyMVR^TF|cGd?m<Au2V0Lu&HCDtPWceCa%}5$hGu<` zfmgaMf;vK&6@Pv~+k+t5{E=dF^v+aX!lF1m@73ii2QZG4*D41XjC7MfwcgG+RJPLJ z?M-fX(Le0PnJBs_!Mz7@@iuyEf{2*BcS@qpOD)AynC)CZn^^ul%>PgDspPX=dNW~& z6fz=eSi$ays;6h3XD8?^jeR&>2llcpWZZR|N*C&R>Fg17lEy1c<eeiMa5HHRB3Vp_ z_9WpF_do2>opHL@uONl;*cKe=)9*ebnc~4ExAMw|2I+M-wHN4Dn-Jqb#eCi%O&r~O zxjCla)#d7mPNdI{R6$?ZgO#FgaqS{G59qL8KvD|Wog<b;OAOk!d(TMQCeZu#jBV3@ zV4Kc4+DF<nh2A^@z!n(k-dFU-oX{Ina&==wXiPS1OoyAUovmNqLDB{)OwgEH5tr^+ z%<VL%CvhYuK@BdvjJ>YMUe_Z{rf<H&j&Z62efgCU^!`o*XYWZg@ZV;STyLYFuf^XX z$)ioLj4X>XW#aPhlgpxhT$FTNl&8?8*TB51!$ec<ve1NNw2-;9_tB1@BU1gLO3hv? zNO@Ium#{HI+-n)A$e6~<efV=r(C)&omXeOKn}8#_=g4JD%e1lA@q^ukJ_(?<;g8qg zcBTb?jsqtA-cLcUB=2XKPG9={RlAor|2}y;Lm1@{<mFqZN4waT=#V_Ubvl)<&T!>- zx+aA`&c^mTFVKtslGyJQ<Q(8PpN4MmyE612hQXiBQktzATHzhC*e13L&c$~gm1f){ zUyM!}2@3Z}samyF{sK`jw&pq=r^O&{0T$1|+tIBCxhS-WxqJ^dO%J&)xQQz+?&aL{ z#KDB?uAo)N?Q(qmU-1WU;=92(Z|C%?<p=Snr(%W;cZN2bhSg>(lrd8;!^+CoKBf$- zUA96QE;Bh^SZ&4g>U`^rDBrr$q!ri2@Gw9>Zl3zx%h_+<KnHn#ch!#U`QIjXWJiHX zM|3qgQuvl~DP?nYXj1}(>0?ny|0W914C`)#l-D|g_CcBCi2ugrssYQLgx(=|oI87L zEm!^GjSHPs$17CWR{ZBba~vLb%mp$Z{lOONm?PX?+ynp0J}rP2P_f5@zWI%-KXd9o zZ0ON)`Vyzh)KUbA=8W+S=}g5aJZA?Zw`CUI-r=&`U7RZkPRCJsK<NU~uogzD94>3K z!Ku2eI|IytBt;DT8VR#q47`XWf*vKfGsS+EDPI<d34i6rl~0N;Fpn~OT><)qSi#^y zPU8Q>ybU!uUw1zd15ZK3mU4YRV-U)3x+7GvNGQdhDBd`M{s>r`9Coxzd7a#`W1u;V zb5nB<9w%y-(mOfqBPA@Tu6~ps{r0+kF|ZI1OK5VxzIBbic9E~2wD}0-Mo}MgXwd<f z3*Wos2pHgwqx#YEL6;e;mTs`u<%t1y^tL)reCprPS3%AL&KaAtcL$~)-Qr4Y#~}Ll zP(^wI{fYEAh&$2`T<q^OA^J*(5S`+t_k4713rHWH2mrt`=F>7-M{*2jc|7=QR=md( zHR*^Tpa&br=6%%_^Xf;mAus)n?p9RWTg!%~U#;synaD=Rs=9=$h6<%pem>jpyMX7K z(FUA}W9-To1Lv6NM=t~DOdL15FrRJrL7zhl-X=wqbtv?<JJ~JFI|zyy=-mgox0EWe z?v2IJ$Yig)Ium*&?iiB(+?mFDrIYmvp18TDS7P{^!2tLQG}hyz^M9h>e=Em)Y;^mt zu93G5MCU-~gj~>yT(=K9N4`KqGw_V6D)#}_gC9&Cm<`!!2oDTKrzE>_)XPE3q0IgP zT9VSSFQ5G_E+e`605h}Qm5WZWK^D~!dZZiuz)^#sKYM26lF89aWq$k&`Y6qXPfadh z*j!Z`or_m;9nSxIUJ^Amql~_@6<AN__Dj&rJJIpTHc;thyzbR<Vo5eHLcr*PYaGB@ zbqBE4B>&=d3dp~mT!Me`XWSY8<^oZqF`~#F<==c9Tnpo0^C<u3CixeCUu;XsHmy(7 zwr*T7mUmCh_$KeVyT38UXM*RXM??G~x1aOSr90RN`#g!?fitk0@Bj@Gn1_u|Oec2_ z?YgW}c~rIyAagL}fxPpsY6<?zSXttyE171v*a4$B9f{fkL~X{#&_}1~KPs3DEO=f; zLKs64FlssdY>yXG)4cS_->}orp+_!^4F9t~{X4_|lb_=77qH>~#@J6}{t$V8Z|uE^ z^Pk&ruHL}YiNC>%UId!W-eziIZwnp%Z+u(n0DI@sFYtXk{gegs>0j8pfWF7xbLnyR zo<}>`dp>=gy%*4Z?43t{!`{X8-`Tr_{_?*OL#MXENuOp>6?8j$SJ41_FQJ>++f60* zet@oJ@8xtgd#|J`*?SdzfW24KCG6cuE7*H2En)9<bOC!ybRK(eq6O@|ndT)>*ozDH zG#g|0;sPu+vQNCF;{R#yTL7ZEu0_v$fDs30jHsxnV?<+uF(jw~Mw&qw#Kh4-1mr5} z2!k;4%W#gLRCI74WjL8e&8H?!lbBy^lcwoy;wNbm5DWh5Cz^yrn_$9C4jr0cC4dRx zytVc|Gt8h^?`!VuefM>6xzE|(wLfR?wf0_nEur@}_=s}m!e7ZFPRhb(<nd8_{E$4N zr32vvc|_qZp@BR;i;w%rBijEKUM7!w31$5oEPLjv0ELF^96nedL^LzNJW%-?a(`B- z4_YMotS3GjRQfsQiPF`1^cj@NRz6j&4_YRrxtr#q)dww?e5O&KaDC89$!8SxiO>hF zk$hy-CsH4jFZq1^3h~kDg9;^|KNFt~QTjQ>5;n(Q@xunF4I&VW0<L_eTL0a~2}0tp z2-)b0q4a*!UayqgJf4uJ%GwCe$NcHI@vL(G5)Nfgzp5Ki8#+G~h(W~??lMrH+S&-A zdoL1KXzlNk=Z%0{KiCSA_%;0SNM|8aCl5spgok9Bmz7bTODM{7R0Mx#gRCx?1U1Pt z&nu%UzTz8TzFg(Mp9`~M0O@>_R2qJ&-bxkj4XD(mUwSL`zL#=7#%F5vXUXFkLiQrf z8wy13e5ltXsF!D)?^U(LkLH!vMnIK$La%Co{Ir>o<Xqmq2?hBk319tkpdGe*uU^qc zKR$rpkzWSjm+r$a#@p!QpwZ6|$?(*K#({<&C%F9zXt>7psuPkaa8=JCBC<J;mnX=$ zS<tA{6D%@rT4)<Pu|d!#B+0pP;5jnEqTsa72Bq_mGPI3*j~8R>8+S~oKhx^0mo@er zA`)j2b#mw{$mUDvAV_qf=MWN-><a}v1YrIr!M6$X|0Cr8wzEO*srBN6Ix&#_LdAWR zD!zd~qiE9i!xz)5*^U%t)fHlyb+Xqo>zM2;=a(Ai7aD#4s@0ro)#}{#nd5yXO-DDh z%blMooL5x#+b+K-Mm^TH)4=TDo8QDxXS>p_cD5=MN5rU_-W>);jB<BjIJle8Rl$F= z0hR+y#pVsEOO@3wkkzHiA>Y~sa%Ypm*-Uaj;maMyr7tdtC37~(oy~HL_0j+iG!6`0 z#IRY0p|$>boCoI!Ks~?#fY$)_0z3<_dna0f|7n{m<>5AP1#ks$JHYJ#w-ek>aJ#_m z0=F03UU2)s?Q<)UzhM-eie9NOUc^fG0jPEvn8;lyhYam_v~dSw=>JS>FZtki>E9yI z9NxHY_Rc;$+Lk&YYM>LszQ6opAC&8O1k3ID2wFPk5mH}opIo7R5{-RQy^Hh-M&9u# zJRbmP1*l6^Og&S(K;is~wBFaG_5R&2Ys5{8GtgIGK}^yMwSF;o_{D=r1AX?D!ud6# ztl5sY2m<q-4bD7(6o5ql%K%ma<O6Jcg!D}$v~?u75#UCE8xC$bxLR<v;Htq@gR25p z1+EfYWnkaXHrfII?*`Zl@P|kI`X*HYSo`$_c@OLdf4_jf^ZWj9Y`*11GSRBN6YV8; zs^~Y<rl;ef5yS(!3;4wBETBq-@R87+r+}Pm=0*xZ&wICO_-6h?&%HqCxJ`ZO<VL_~ z<|3ikAmS)Wo1(&5v(WP#(%`3vDFDefHr+^ar^F~7y6;g1cxE38&)C8XV{r4z11X#* zMYPn&wMx5Kk-}5Y(H**~=X^Lc@gKCGzIuz!{v6q&TmD?&7G3Key6bb~`df6|bm2~# z!Pr3=JVP^Z9uxUPo)u=HTpPHN7a1T&{VPKHX<fz(uFO`?c;V<C-*(=aJ#;(o0@2{* z-SHw?R*e_<%vNF6bJC{QZ?wKmFKTO#NZSYppT{NNq;e(UPC}S-p<30P6oEmWk?^8) zCxt^0c;SrAC#jqkCF7F$?M7u~3-W{Xj+--a2RTS>(bW8uL4l$!yeamSB<-lFzHLCo zM%QJcVguRia2Z}FTyy~Hq>O4q|K~9q@dKcAsOM?o`KaW1GxdC(c<z=w!w%rh*k_5T z7#m*r6wTf&e6t_@p923q_#aR%OX4SDG<Jbm$T)!4&hd@!6jBcmtyaB2Zq2L_*%^e3 z80R+irrXqRQ%AZ@W)?pLui$QDmy8=$WzwR)RZsk$M`^w>W<ha)p2ST<)jWOh5V>bJ z4IE__zSvI#fj#IW;o=;urf^d7*ZT1f5W(-pIVA${`o_sElbl!NTh-1h3NCyPn#J_Y zAdV}Hyi5>YeJ1cgbnY|WvsWrEY{swR{b$JS<Xk*i{?vQ2%svx%vfTHy?_@c{t7<sT zrWC$;$txioPHyU;gfKgtujq4rH4IhfDR|Cz#*E_aC@-tc@QINrFCw$dHwlkDL-g&S zlmXWU`8K{t?!?LkvDSAQJ=jb|chC-?OJ!NC$`&e|eH$fYe|?x}Fj3jY2(Q3n4vhj_ zD?J(eudq?UDcwe;OEMDXvs6JWMDd0`o0*yeqNX#@kjAg8yl=#K#(*si8$(T5jAj^v z>y0*IX#-7bT*G*UO(B%ji6Wh!;hW1O;`6(oAeMxMteY7o*Lx{_u)P0W<SIg1U+fX# z<{BdJujS1%mh$GPrDz)$4H#S{?vIxkQlhk(W?O&Zvri1ZyI^*wL@DXrdWbax?=Il2 z1(8i~Zi$*HvcY;bYUYO9-Lp6F>fgH-MXB-H!j|7F8E!1Sw~+FCm9UVJ9#9vxXFsAX zU6z+FF2vU7^W?p1vl4OOw0ydnU#gBzS8+k4YK<A`Z#@dV?HMjT@L1M;Dp#`7wO*Z> zZeE^~o3rAOk`Yh)<}2JQQ{is*v}$q`i#LPtu9n;tqwnEn3MEek%6NS9bMhHDDtj5f z9oY63+(oYphXt@QT)yQf{2#TgkvDZ@)J;M=KU-zagVZqhSls>9>}#~C%mP}%gE-VU z_fB&0WnZIazjD5_6(`@Iy2%SX&5rMG=YpN42)QT7@m(~h08ic+4in`=_euMw)$_?i zl;+`h8L<;`o8!9}c38799Bs0BX4i$x+r);=TTZ-C{k&%iJfL|nPpGq3%Z-BQ+z1j& zId3_qT!2OV4$;B+P>g-AhYQ#2JFeNUUfkWFWL27Xjyv09JQI2v6i^;}XWel}yTx&3 z9QbckINNp3hNF5@c*QtCS`}~Xv){rg^~W|$fmbClMm&`_Ml9K@;&enmvI3YGTr4~* z_}o6tZ*#*HAGvb-u<HCfc=KwnlAEws#w9vi<?OJkO4Qrn*f<Po86D5{ZI~{ccv2L* zjS(`cP=|%4>JvR0@R8e?<uI8knuy2>8upXB;?SQ}^yKyhbRci+^F(;##0=`&f!qH; z2KgrC_#iZt&V>|ing9b%W)@!lUb@_LBJlSE@GD!whUQlueR>FfW$!NtZT!O1lwX;F z?g8*?15iDEgZv8S{`dJ6g2Ryfij)Tr&L)6zfI@&Z0LuZ)0BKMEQ2YuO#*0|#R{#zG zoOt@bgI|ex*2k~3J~Jf0GW!|QCm4B03OpAA?0Dwy@GBVm#`qPI?|+J4k@9W>96A8H z0Qvxw;H?G-2e{?gABtb0ZDfG|(*TwO6hHd|@hiT~vFt42ZKY%Z#k_}b1pPprbvtm^ zPsR;*_RG1*ZbOQU9RsArE|gD_@x6jeNe!;Cky%2ek{&UuE|MeWP|9)8ql7HsBb3g$ zis8s<0x}&H3aGOM%j0<e49Fxxu~E$rNM)5h?k5y*>*JK=81cCO0s2p`<~W$g3B&Nk zV}T4q>0>u66cD8h<RwNRg>YQbHssL={A1TUB=3Jr;ulD>3^X*Ks^05lC+$_S<8f>G z_q#>0szBXC)I#LAg3%Ors&dt!d(nhw1Hv_a&TF`zxWt*rPD*0>xgg;)SgQ8m3pqf7 zbq5xw@+`Nh6UEF-s&wd&aM~a1oQarN&V4*^OmWIZGR(@d1))3`N`<M+S>kBzMWQ5= z$hCx#+^>l2b6M`p&ZTCIm@bZ1lU!MM0V=_uvK;CyxEJ3Xgjtds@t+U6IIO?Sj*idO zvf8*ws689++6KiQEpVw~>ybhytZS!m?#JHiz}#dSDWpKNZv;g1SFeql@Q&dPZ_U17 zv+((0={UF&m2%g<LM9N|)@ku3?G|0^d-1s{&0~j_LU*KR*@lrTyB&lZhS)$3nY4P6 z#IB25C1WS>4tyckf34&$FF7M<&%y3}{1NZXV}E3D3?>j&MWiHL?o^PqO%_<1rUoN< z-t-A3cp1}k{gPn<zx6NOjhC;FOsMZUJ@p8GcpB3wiuxn=P`)AOQJ!%rqZ)5V?y`pQ zwEHZoWY^Sh$)TS>MLHSbWN3TEMKmzRo%3KE&yf_1p)zuAl2c$<E!sThMrGK#JgN-a zHy%ZXty>%&flNk-D>4{XbI%yziCsQ^dCxAdV2{th6y0FeAJ59(vO*t5aLC{r@Qc6X zo<{{#LnOn4P2C3gpyr@#c#K!a*~IAMtac%*S~vt2PIWM}uV=I{Y5<D~@aT%58XE@o z)^VnY5X7ByrfA#gH&b|T@82vn(lu`AD;f|vE=qW3Cy~N^VQ1j={+T;{{G6PZjMMDE zd8!!#yb`&5Pk@O<N!d^A`S?{TZZ7a#y}PM$27DhsVBS!3P|~)BLOEip$~&pV5OIMv zb|T4~O8H9js5>Q2ZKj5DaN7CFPUHs910GPyfuD(f_I9qWsyju7X(h`-5rwZ|HJF`} z$h3%NpN0!{KcjbX$<-kg)dRoy-IRBARkk=qgT{?lLipKlW43sHhIbxtpGZl3f{0?d zPK^_V<GNF!ZC5(Csu(UFFzm$4W6vi;QxLz%fwmx<09bI4EBAs&0j+`5t}ufLsayaS z$h}IPK`V}#vJ*0BO`J^z&vw4Dh38tKfH!baX(S20Xo6_Y5n?n&w4py3TC+7s(FxqP zv$9R(HZN$87O5>!;f`IRSLr%yajV}Bu-(aztU5$0b*N(OAp4!pdIKc#{JG)FAXjA@ z9Sf(N7biDd^mbTNib^TV7Mi}N&8ocC;?eLh-m@Mq^gJdG7%)%|ECtj$Y@t$%!VxOe z)hUkdqmo_3$X6%^3v18>8a*bxe}msK>1=<IbeR1jT*ek)jWS%u(>#;qGG2hek`3K& zI^n8pbyc3z8`YZX)nv~J?FhI{LOQC*o=7J(c9pYIka5dVsVGioxZQIf@iOw<g=XV9 z9QnZ1;!M{fOn;kbWJ%TcY+X^+PtLA0+$nRVv+FwqV#Dw-5EOCJ+4b$&z-V58q<AE) z63_Ce!~=NRb`)$i3!6~%AENuqq@YY&Wm|k@8{6Vm&P8#AHlg%>vTKlqN|F7u17x@H zxhM3WvJ<hO$PA2u5?OThgWxr;+*aVRCgN*+<vA`K=?Gsef)6_{%O(^09+rj-pc4&I z%mb11&3K`_Rruo$^4+w0hQo*y*&yC@+9gBuHl8Q44y|r$z3*uIZ5I11U_DTwu$xBF zFyZL%hMe|~ub@z><QwAkJ$yx^-K@e7l<P$n3au<@8`?uW!S0_UVOgLl3kF!Mh5xd2 z@ZYK!$w<@^G!m7KMxs`OS6P7p{wp=Ze;d}oe_P8TU>zEcDnr9j8_{sowsJQ)CH9(+ zdY*?e{VYgDx+=Q>4Wfxg%{M;5A3-yp$D)rxP0$H6EybT1{vmfS4~z0i=f!O<lc2xE zj*7m7m*sB}eHNiiLd{WjBcF?R)f8u=&$u!>6fM!f|90|R2VdC<5iY-grlvCVr?@#i zA2}PeE>oMgCE6g&q*8zfq|R)EZy?&(W?q_3EPc@uJmY=M#-9O3;PQ(+;Hw~+qNY8p zVi(yZB1?HFy&0jo6ewb-rD~6IwVLYpi5wH5Z@TQFh(bZLgoS*d5agLUuW}L}Wq~^h z+uEPNc>&KX+2e$_kLR=-W(c8!lJB}YIp5@2BhgY5f!xR@VyOypGXbNec<r3%p<bGO z4APBeVFBL0fO>Xn_JvTNIYiTdc7bTpvMQkBl=@EgPtl!_`$7NRRYIW>_C7wIQ*o1p z!n(j+)J_+{kW|WZOFXA$FH}`(@onSTRk`i$P)ybURkV*%MXOL<klAcgz`sJs#Zb72 z?1x8QM3q87oHh~yIE$ZyoCh*6NC6OS{CmnNWjx^H)tQ`#n#C{;Y7rySDS6qb<2`<k z4m{Wlp-Dlugzlv=YPwki(bbiJh*=I0ZP%V#%tF=yGXHEC#|Jy+#U*khv5Cz>sluo7 z%-N(wLx0>^%GL0&>c+`DUBKP6;BvbYn#2|&e7S?DEO&8zWJ6j132rAhK@(2H@G+}h zaa8;4tF@#BVSa1hj;m}eZ&d4>aQ6jhPa-V@Z^xhwg>X^YRc>OJn}t_V$4>788>~E& zis=Tb0`ea#{IS-n89{in76sIC{=5w)t8BAyxRn~SYx3&8RsBR#kW0&qb8%Ox2nlxK z(iI}id)RO3ioj`AjT)+Z%7}&yV%tgoNyRewQoTET;kbgJ{<!HcBGE12_FfoY<<(y8 zY?Tr19#tpEexEX;9XC!T&C*okG~d|%6hT999-w*Nc}<PiZ%CwtPvdo8ZSMC?#(pLT z$jjG%;-&CW`E_5D@q3^0Yo$B0*QQvSjt6X6VmU!rs3JNaqwoZ#4CjwtnP#7{mmQ|r zXS&kRsv6!9p!^!Y6~Fzh447bsA7xF*7*?wHC;k54_UVv^pB~y)7sB2WTF*{(Hp!gL zvV<?~!3m#ll*_+JXojaocxp;$1-`sp#+`{hn$XG)L(M*-UEcE%->|~R+v6l8%{yC4 zv01f9qI07HS*iB72!V-n(i;y3PAZ8H4lyUyk|b*OPg!J2(x2QgUf47!F+&r3?%|DH zDDE5%sH96@H_(MRr+DT<yP_X}s!)a$O}QHRI^h>eqE=kr$Y}>nX&PsJ|B%Ao-r3`O zFHhxFgblM(HlK)}H)@j$fe~z_t2z#Cn`q9;63^mcX%o8)wVK~vOPBLL@JNO*uGef6 z#k(;UjGVb{V93qFMajf_<;Zxhk0pB7E@C<;!P%_DLbyHB42g7EH%6$(2%b)IRIn&Y zJNyXlwsXVaUD<Q-ke12lxhSb&%8v?H(5H)vvnwFT%V&8)7CPb>HrP;el>25O4D9HJ zG~cQ-)1SP<bH!MZ|Cql7R5X0r@ri5ju4bG~b^wJK;d?U!-7`9ha`WouAPgqVd!W!V zdK01LO6}I^(8zqFP(~*hSc4<<A8wrlAOBKe1@g<Mb6lAbo|~L7vsZowgA0XJoZpID zy7(~6#(71qslI~W|0zxNC32bEpg+QW0L(;uB?=RcKs6htNGJ*xn-4WLPhz>5TC_O6 zyq$y0^rtlsm&j4Oqjsy(rtq{=+B4E?=ZdXEG;akWRBmrYQ&w){SL}y%W?A)n?CHAU z2`alX;n;@X84S>foZxvozA|EK9L7fLPlooJ<kSEbruv$u5`b!`8wLqg3CA=K0%0c7 z#1}m$slX-@kJ=32_5q6z@JjSK{im905ys%VNZHn$-)f+;%9l}AdA2)cf=b`Kag;C} zbr&DTBhCR?%@_93lT3e_wv}2oLX|w4>b;OHD(xYI{Q^?5k@N_77lYT2@GFP_s?vu| z&3X36Tj%?gKUXS$jPMdFJ?^U!*?$WV37&El3UnV2BHoEI+$4K%x$Ic<I!6$qlDttw z?p&Qim>^xVgxj`l+qQe!wr$(CZB5&@ZB5&@?b~<x{oAT#=5wM><r^9Kq+0IBEQryz zsCeS6HY2Io&+KEWxb_1n--h#lcgoeBNqoBo>5$m~SHX740+be<5~?t*j@b$s9z$qQ z=(=%<n>pac^Pj53$2kea!u=s^NCGn{-i9HF&TTd2gF3R74<bmtp~vn-5nKhNIDjJC zV{s~lf?~!HMua}C4UAzqXKfv|;$9^lvZ87TU9dDn{>r{dryn_sJSRitB9$+)9{yw6 z*HkR^ReBT;@wX?Foj0q^EX?vzdX!NKXuM2{B`i4=2bY=0??d_OA!cx(leuh<!;oGX zSZBa8+bLe4@kF1Wta;ibP8}p#kJy&#MrK6_RU0FTa(V>W8-=^+e~FP@L3%sN2vkK; z7UHQdD-a6;_O{PqGS(&HuJ6djJt@xT+s`TtVh|Lr?J5PeC=YN;mm6ovn=YzfQ(}-+ zIuKqp`2F?Tk2!14s{xj^Kyzqa`hIKRDK_2OVlXf|XOW9&N(gT!Q#j)JZ$0*Wi*q(v ze|z<$H9l0SUPjFpUD>VhcCMu_6lUjm1D$Gm->9JgCO?_kIznSW9khA-y5bT5Y1<#h z$l7Pq5_5iQy%W4LA3jn<h($RanD>e2&f;)c|3q|Hj)cVGFM?MH&ioE_^yaaRMQy{v z>!z;Ev~7jwWh@oSQocrAUK^3Qr!5LdND=`qtfjN)+_RfQj{n)ky!n2coO)D+ir3T5 zk+lXEe}v9u?pG{_n!NDfkpST)NTDW#<^ZZ7ggl>0L~RcAW+VKN+&)*t@~9V;HJeGx z-zqmPR8k`BHR)Nyz!NhVDxvD+7w>ajf)#cvyi90|a6GjbWOn^2w&G;AwJcR7ALJUE z3?JJkz!eGQH3P-=k%T{n*f#s^d|5P6r?X6l7*j&+L6)n5$GVWt7gmXWE%s+V7SZ(v z%EwMKXnz(mJ>QN`$wKOj*aqev=7WoP%}Vej!%}`D2Y6RFWONGaIv1p{O`+9rnj~+v z^W|<i#t22>n#$`dyAdP}Z+&)7pz-a+djD=IbWnsziz9K0p*Pj;wn<MT`95XB-((RI zP-`*3h_$_sqU@PUHju9Pp%JPb<BgLS@5cz)hR(H++GnHLwOh6Th^*4&UJPuFfh13% z%a5zd#*#}m-blMm=pd(Dx(ny9?a_P?Pk$F>`rNQ;E5q`m*(o{=F7hC=e#{P;Rje@x z2bktT4M6L|S%9Grit95Pb!#7o_X*YZ6uG6n#Ny43Ucc=}iq%Fgep2Kko%<tA>}vU! z9jAF5S+32y6i^_0W%H`|B+H})+wcx*HN1_4&NgcdYQ4_6DbQ2x^t}w>sX0^CaL`AT z5j`neCq2YBoD*3}9ubuynv|Q(Cpc78(8o9L!qsYa1GzZO-bk4npA0BJx(u9L(k|It zrctzSjKzZ0Lhqu&=$`Pz)oRK(<nF+q^}XeC`J9F?${xVc7VI#M^Sx=L3orQMtg@Hl z-%b;DwB22nc1c$A&$Qe!y?Sm(Md{0#{-sA1vw*PUoV!b?Gv1v~toCc4T-}?nUUVC9 zrr{&F^5ft2Q&fcpp-%Pni2B1HhLf^I)b#^!T?lQ*yDJ=O?M(g=Zy^Vt2zS#^yFOkk zrBp~4VZUdP34KC6V^sN`TK8<KW?TAQRiX*n?#w>M%37FMBjvV&S$OzV>SY!4mFafA zXgz_$#uS6ykAKeDtp@h+ZT3|oO}ma8BnQ<@z6f9&$&ixDdI@;LBf%e&lXa%amc{QZ zW}ngY4%P_-p?nxRYDYLkCA*ar%$()Jb0dDJK-w%z$hk5_V9MT_4+I@UZ88LtY|c^T zLW|9qv_c{4N=~_`-ePMIfAEJwD|%Gp!cwJcgdnqNdPJ5aCreQbBxL01xiQK^W~&f! zk-?Bj>@$JAu&6-~Ea8adzDYhGi{aQgniI|_^uwe)zrG~Qba#e&8|*-MXsv($Gz0zY z>ka?l-Vo_=lodXO`gS{8^&!dS6rG6Kr9&w&Wh+`(DaMnyKs&#ClmOBv8}>j(C-zmI zZmdAj69sO|&D$1z>M&AFt!CNe@?WcYHpMt3jZu#Ew!6$z<t-C^w8{!qVp6`tI4)0k zUJ1V<<8ls((@=<Gfh5MlUx+9Bx$9h{`Lbrl<Z3tUVS%o0@S$5{ko7Esn*#LI#Z`Op zVvGqqYsKI@LKm`nR|WfcvrN9$C}=Xk*>z(!M0Li~BD6v=U8$}V1b)nyj@#5vARaU9 z>9DzV?7CP-Ir$tI`xES<7@bu>d2t!oWrPg`H_YowY+WB`C3{D1%?<!DfyNt(IlAr% zo1%RCkMIwck5FtJa4qtJrU-fVKaDr($GGS{K<H>>)@!Fa*gWtgfc!<uP3|x~fXFE@ z&TclIbEyU{MeZ_J4Ty`03M=I=HlB{oQ70w2spQrT#ldLj{8E-+(kjljE0_(9a77K1 zBN9~LTw^*_vgTcDy2U9<Z2NER<-o_^blnOuFY-+I1RE2$Guys0u=K=VOV@wt_}QK* zXsY5^Df}VMoN2L;4=e%|7=gq@10LQ7g-Cd7moC*%IcodHUJ+W8bJPaZWdf|+9UJ-q za(2GCFu8MPLVbONhe_Nrvk$S3tH81Jte{EFo;jk!b;*lV>0nVfbsMlP^Q#DeNf){0 zO;I?gy@c2NT0>~*?J4c+9{2V8!>Df=V&E<QK<46|x5I+VLBwbai^=h~+$G&4u$6pM zWlA>KK@{Ap$$`{5G!iFo^>YM^jqz3h<r3Bxj&IGl8g|9&n?Y-eJ}+|2xN&KW?*STm zAufz{lV)aS`yTRet*bpFKiHW6oh+ff9M%!YeMoX(aCAQIiFwFtSCCWkKfa?BBB2zB z|Ja|`>EL?SWP<Bns3)A@7*fIv3ks%Yupq~g355J4k#h9PdBR-unWmBc&b~IyM-b7@ zHw~^<`(z=uHt|{VjX!j%HmdHeOOzIwKk>~9Vywe+!ET0QA-I{ash+;FW6K>G$4obO zO{Z=x9;dM6EtnQdMm4r{5^b$tqA?!`kD;MgQMODQ<G2F+=dSJ)jJ>wlharSPN3p#+ zL4`{;AAq)sG9Tm4r6HGWP!GMZs$p^Iyk`x{DUL@7^+5$>d$Xe?Xm@j9nnK;U!d%lS zI9x$s2Ilx(u@;_61na)}ZxVaZMze|8iM`JT02#1Jw!iNxqV|$B*|*dzktN4VOscV0 zoVFU%J*ES>r<|S8$n?A*sLdkZj-ceS^=u78{m1M)Yi&HD4H9^Y?yrO~0l7>JAXeMj zsvuJ*FkbR211_EfCo(dklWNi!NKm7gpM+9T0i^LGwryxTLTR6=D-3=KkR#Tqt`dlJ z5FtXK!!y=uR)w_A?cXXUK^K$g#ee0WsF8Sekp?L`UM}1ADdaf!q~~?I>y;+LWwomA z-$aaH%hZkspjlfRb7b6b=@8+9ra(Mul0&#Y*+*sHE(sU**m8qY;MvafvF-2?oR$gH zfSyQKBujF<Ko8a|(YTo0)f4McMVLv#R1#h>!HsY2!do7vFEfQFH{uqjJKJ$udskJ7 zgr>^k*z)Y=#A)}xF^^iNoj2rJcs9x?fBZ7MWYm55m(hytd1nWO0H`x0S=>YSko<*} zLh4VT8u<mQsXi@uN`KhG;mLoaJFzr_ob)lBaZ(CeRx1a_IeT~}3Y`9B_PD9{%2l#P zD9;<Z0n>c+1|<N}l9=7Jj^~sPSyLQ)q!{zb&#^ll1jA2=)>FZyaMhDR*!)QR?hXjK zL0h@xYvgEUYn5Alib-R|zbU)Ko&}_*;Q^#x(%xIsPsD_o5zEgyhAOAJ`MBwfAtFEk zhUkjY+ZP-G0IpVyT6xkeWpff7l-7(hOh;rTmbF=CucM6M=vvi6#subIAI!?`89&QP zBy@F7hGDNCU!{MD9<J2^JIIa>GT0@5q0oOnWwgBe_@~?(;K?6T*q=geZuy*OQu{)H z$pIVjx@TGOk^~P~8W{5qCL_Zdu?RT1ACwhgUFSUrK>)xu#Nidh!U|e;caLl2SCw8; zo(uOI7nWJP%YqGBkB@tg+7d@TF(6?yltVy0bt`P`1a{X3%G0%s%eurrtg0G6J=s2h ztMfNP5<ol^hO-k7EWG5HJ>E*C`1VQbhDjT4x$6t)U=TU3|IYO-$ZC8qNbv!grH3rV zZ?{dkr-Vy`<R7mq{}TvHepzNtxFZ5%DUr1BUHy>nYaBK>BL5cxe+c@YV(vt5B`-c@ zTEvS9QPb5!1QU;2|5WDWTXLUxkx0qEg1O}R9tbWLe}I~bvZk+-MHDSi?r%%n1UyCU zyiG=19vH^rU?eJb?a2qI6kIAgrN3gMHVl=8hXpKEHs)%odolK3t+h_;HC42)Up7%* zfs`*nq@7_gF^YwY52(+Q2l9x5ETA)#*<Se!Ei~&X?N!U)k<75DNDw6BaKOvz^3vk% zUe}NMXc*Nvo)~R~ufO5;r;p^`RRX8T=#C&H0c&Wx81|ti_){f-IJf9(Q03l~AFb^R z8LEall@~+&%<AKOng%mtG&x|L>qkfzVX5mX)9~=I=-pS2v&QD{L4EkS<v7%%nUZqd zj5-h6RoS?5JNsmVU9ib{l(hU2qPRsxEeD$+dpYEm9ml-gBUW-%J-P5eov8ZeHF4ZQ zK3AUjaBhZycjX{l&81r8kdV+@5UOAI+-*06Ozq1eCdkm4g6!F@54c1A@ObTdg4RS| zR@}=}g1MfBYYweGl)WEw%aVVNz6+pr4ypNmh+-<FIRVBoW3Rn<Y@%?3YCqr6Y)n`a z;z%HD;0h!`6j(Ycg6d&6?>S{qm9>%@Lr3UIfw9p$p{@-Kke4@efL@D!H3!@BRYH<w zT7E`Cuh9V~rO;N{;WU*$Y!C&aZrxj0V4!p)g?6w{6j<iUI|A%93BrkHaEWeI(G=LX z84tLbg4uHKeTCo@+Vloh6(t*9ATK{kp=g<XXdumz^L&GdazZG`QX~v0l!GU{cxH)B zGC_mG!3tH>$_us2NsLN+qNa3n4uE0v3Saw|vvr8iLn@1m8vmQzA{`M}x(sq!6L%7X z78AN=C`ZFGlT2%<XsAS0RK<IiMsjAmw4;Tef-Q9|XSgrg@wy1K8zvQbrVCpg6irr5 zmOml{UiKcNbauV;i0B1(oJ`pu<=GBiegR=3?_^Sdh0YQtlgn4cHy5H6Qi|Ji_7OEs z3YQ3H>u?%q&0HrlPq(4MfP()9%-t4pqyV0tnl4Ff{I@TJUzKJQ(nYjmJ9tlIjeGBc zJiMt6g%#cBG_sB5Aa%-C{N124&h9xU0F3)OKuzy;BH?<Cto~lIYhz~B!JfNM3M5YY zH<5>+C+4oe-*d!h7Fk!dExH;9eFzqvkKz%D=#a}S?ZoEGZR2_eXjrvs79;<v^=sZQ zN2rta^uwvE3`}EG0P<h7<vQ{lpb~sLQ>Q&rm&)qtr0%LJhrU8TDomT~QOB5vEIV&^ zU=0ex;;nxnA5oXWhxm5)0!^X%lPL{`)Erb1^jA7j9Aw<q*mHsN25JvS0?wg+eWHwP zvjzlJvhgH2jL%u~8u@snVZDed_Cd$sS!|kiWOZ!0RAl0cnbot6s^xZh?K_fWHFLMh z4xz_jW<MyrD_@($l(abdX`19I&{5*4dYSWW!L_KH*iwwMx9SlGStagSJL#NT=Rx`= zF$c|rO>SKP!YGP3?Dew~Ves&{%@AGs$iE^ySKtFP&V=x`fqx%qfqmsGx&l3{zvJ9o zc|IC^QY@9B&xl7Klm*~e>sLDe$-r@Y7A%rwTU=n}G1YvPlx!?@Mog*(FkLd)S5d&V z5GOQ{nYuw}Z|2KN2D%6ZMz>5FTO90vL#MA`?k~n`imE2<F`dj)1MMO4(5+eIoe2`0 zx~4^2<+poxrC-Y<vt;bvXgIBoe-oi~v%wl|sJ%Vm3#i5_zB>&AXq*biEqg3{eBv8* zHFlZs7B6c@l|EfU9#MWkatX~NOxg2|qsccd{=B4O6jQglS@Gz)rJA1uE^hw%vR?>k zODk|87d67k%UrXOImnId5*sxzXP<02!7_%9A}^)KD4%(8glBw3ixY2ND6Auw-r=d2 z;)O_O<bb?+Y#3no@rv{t4U^hq(Dl1FVk}+cGmvr;xFC58$ap|-dx+cuZ%|zgVe>}@ z8$!IQC^+jjHOhhDh=kn<abrY?JOW1{ksYKif#Rtt3N1vQ!F7|<b!@}PF%~G=5gtDP zmgM#N2G`;Bb1?~VW?p3F+}oGzI#^!E5!2-<;7VrQ*!qEvYc9R-h6B-cN}NQphfFMw zWcKJ+59tmNd(br}Np{~XZNsQvZmHsyX*Qq2!$;!hOGxk&fu*FtY1rtlgYByT>;hVZ zen5h5l=B4)IHsTXh^HoBcCx#H$HaLugD3jy-UdgvjYtVlM(ke}kBql8JD%!OCE{^5 zMT2wE4%?{YMo(OKC1t{H2k1zc=cCwj2fe1))FliQ#iXqiD!L)X#KNQD$<nVg#N+l8 zLt?{3?>x?I;Ph!{hBx*HcAy~6E;Ex4BF$STA|4Z{18aE(!fu@sjN3p?OIys4eDrMu zbf(Ib?s8(OBQ6hV2o2HOS+<XLNs<y0Hyc&xl(e?OgAX=Am50qO??gsv)9PEf*~XFE zv~aReA~sPl6ioMKxg{6S@~MMf8Kf_mS}3q^93n0yw^xyDtPk3qB6ZbFy3Lp@qSXij zGSY{#sH0&MSu7gK%4|PLu4f}B7AdgN%u+mq!(@{Q-`z=oDQ}Br9AuF2^e!%PO6#i& zAkE>M(Gg`&8P=xUx2D+l4Avo?QtPg!1*Losu>Npt(nbR(+bj3&-cGRstBo;lD?@{q zI({hn^Z;|!Auq6iUMM=fBAmh#@Q19c7+#U^k@3CYEV)Dz?ao1z7RLQud{)4boJHy& z+&P_K8`GR0RLgysI*NIcSG%*NPzO88<>V;aobPd5DGJXGw*54&q2zmEXpODqiLuGd zA^o(rpLnR0oETuu!^VI}!^c4RMuQy<;DiJt6M1v~$*1VFKoNzPj=TkhddHAe;HGSL zO=O{Qh<o|=zRZYt7*j9@SLDYPvgIrA)rWYh)<yj&MIHFE;QKZGGQ}bBX$U`mz|}%( zlcH7MRU>8aianufzt1L;vdZqejJSK`?9>Q?&9{R^V9iE%YhE9BGr20ZD$tq{2isWL z|J`+s*Vj1M_~JO|-6dE9M-JZrQ4-CwHwZ9hkIN$5tS7UVS?hhLB2B1&%Kb1%xE>Oo zbfDlTTRoHjHORKE9T**6b0KE^fU|ghaxLBDRT!6*tiaB&PsOcXd!d~;W*x;|+BA1d z3^&yu+;{rmfqGPEllGB>G;1GO0@S38@mb-le_W)(%9DC(=ci0E_T>gK4UjuJc?6`Y z%)rqrD?pHOfn<~rsv~PDONg5H6K{%lYz!W+1l~AEtE{nvr@Ci^O*BO{f3^@wO3hx% z)tJj6$}0=TsvmbTDo_-hTh2X#MOQ(%=nmW)y&X#JZ2}-dIh|~FW&QM99N7gD^=LDr z<B6*u?fXH*wgb+)%cYq1<q1l2BbWKtU=SZ<MPwU!$$ze3{)|7!;|`|=4S`Aao3jIq z4<yE?q~n%^9(D<cW3C)1ge6EAlOHc8FF{Q47ZGK_76NqYgoM2qpeNIS!bj%-(2>dh zGCssssJl@mHxw{u8}Q*s#W7f^)`5MJx;G-*wELm#wN)(#wjnnzTW|6_`ut|ES_2Jz zU>~qI+wNM+2Zgl~?wj|Cb`S@E19A>*4weBZe2Bu|<Cmy}0-OMB0loxqhud}WC-a8~ zSpOwuntbBn`T**n`rzttcYjeQpe~SGxIS=zY5-h-FM#tKOfn$--{m#_fCSL`wEnoe zlKv}zvH;$IbKndm_!B^F(E5mde*n1qgaJAMb%9pF=RoFw=6>JWCyg<%15bfTfU3jk z1Fr(e!`@Q#)dFsVaDdGL-J<*R`BM-S8v(!oNR1!c@759z^m(Tm>)+onGki@3VCWj% zhHSlH13yGLgjOz~s7FRtzj3ulx6VwQS7k-2>*#9qsHo}FQ_rVtOx{<aqBaVB9UQGy zqb;A~mt?8-_wkdpM^n$Nq@)_~E%Q8r@=H;AqM)Q4Urc4K4Kyesjn$_%537a;a)Fh| zQj!xk5(E?8^f;RwEh{2jJV)|)DR6REdOwI!jM{>TOrrpYQW{XD^OQu_GpoL44IeTO z-;Odcrz?gM&$cFZ%upOfMx7Dkfq)nxTVjebAk(Z+#fTXpd>;=nm?CMQo9W^e8eYdn zjI)Iakh-+>FjugKSnZB7WKFR5%YibcBZw6PiG%vRPF&_Bg5+e2OeBn>PUP<*EY;2J zo!22^U5#alg~Z`8vl(u_LM9-S%Ph;ZdszN!I%}P3duln&Xr1jKKA!0`G@H%va?|z> z^wr&uyJjSrmXl>Hp_9;ZzwwEZj!H{kOf#jKoSM+heXyfeJ+9I09%*2s-_fkAsT*tQ zY5Ut$_37&cI%%`oX7K>bzpdErg1xrPnrfJqIT`s!qY`%%$SC-(5#w8LXo$&8Fsit3 zktonEl9j>M(m}Lh%TknmaKcn0lJmZ+?}oFyt&IkLalKu!rEI98asA4~6?ZUL@PtmQ ziG(=leV00^-u@1#SB=ahg3@AdA26@j$;i+wEQBoOoaX3gSkwcp1tL_spjb%FFu=e9 z&@Z()HMx-kC2Ep}fdsm`!#Jn)a=)<IHOi;42IAbhRqJ7Of4Wg<dRSE|1QpDc(rVmD z5~_F8u6$0#{^-cW6{24Ak29#hw`9f^lt-TtWCU}Rq10UzEOfU{8jC*|xJMQf8r}Ve z<LW>mR8Dc>fM!FBdm~+5BYH~BVv3L|b`^`Nf(4?MF(sX+zcGFX%)uagAcY2Du`O*Y z+_p>BBu6KIO`|ik2CfJ#Wu<;W%|&%Qx9X^E^={;z6Xo2IMr2eygE{5U*>hJzqT~J9 zOdE0Ss&8eDKlL=R&7a#Q7y=c|{`GbqG%ENX3H?6~_2Y^n7qL%0&=)d%Hw#R*It4X_ zn~7$m)1bh8ia2xn-&Zat`Oo)DTYtFi&Y0G>tqBQqR5Q(TTn?`GhH1ej`?3*w1Ay*} zZ#(xHvZ+ZMWeK1{RHZnF(GIqJa=2`1sIdRp0iPYiWz+;t_sVu~rq^T#t=myFG-emO z=Lgl1ONvCZdyRdnrKRjQ`GB*a%xoJQJ{|d)dFywNdq?`{fZe<;!-{(NIux@t*iwbv zfQiAhME|r#I$YzSl!AonAZkHa3Gu}SJ_Q}XZ_z0hdP7?UoEkJug8MzXUVLRY13?cY zG$_B16%a9Sr=X<l3n>SG#SG?9A5ql-vTOSG$>E(NAoCmJRu#`#nG};QE20@1ZMG2} zXkK1$M62&jrg_VOGDOtB_NN|XUkF1t_MOGV>W4C-9<5DMO+cyZs3Mk|I661g@}kX4 z!XJbPU1~I%GCt`0=$eI9q-YWVsde-;SsR_j<!e($Aa+{(F)zyylbVx!1hA)i8Z17E zxUEXg#eeZ~9c=vL`CY#AFz7qW{h90b&U<t3<vVo4xw_{*r*PyCs&SWp(0>(sn@^yg zU}b3uP>_xhwx$4Gc@eF(KeYy@ZfBstmUVX?V;fqu3|Nk#o(c^Otx^#$b996~ISIUc z;P)lpy1Cnn+0$D&So19f{O8QmZ)xQfI$GiAg}k$$|L1Yz>-&)X^+cxf!;Jms$A4$Z zNAq=u7swdckNq7Q1F#{0{|)vVHrn6s@#ba;|7T!t_Gg;^GPIIriTn0T?1EeVrk{^# zfPt%`g}c%U?^Ck6GS+YGYcb62a`S1dD315LaZ8Tp?V;57?vZ)++T;2SUDx|8&CBoU zB2DjYy0X{j%I)X-V`XQx^{20&edm2}<EBe%$G+_D7C$R94u{wEb0|;tcMx*i-FUM7 zvpbj?$H(WlH=F0Z?s?ZZyYYPxMIZ9q>(2H4zO<5)_U+n!k#(KBO}*p0^5WC`3ePMe z%*?|+gz(jP@iR;J)0<6*%k}9e@=;n$nw(6sTLU<FIA~Wg1HzBXXB~=f#I%)==QnC9 zB$XiplVnW9!+7fujBARPW^>C+4`>UC&s=p>wZa^sHL6kv<3z6}ecy&|ZsMFYaV6SD zZqTs$aQp6C;ZmKGWZvRMTYQK((f`S)H--E#;LQLp(Te%d_n3~h$bgBK+IXTRfmi-a zbl+4J->4?xySDtPSozoxT_ji1ptzsVFIf{Z+>{P?V8jz0v<JiRwty$aR%d8}&8#kj zQRHVDveaW-4eRb70*u0Z?JlrNBn6t49Hw2|UX@Kv?)#WyI+#u%KFM|Q*&rh+Z5rxe zajDa&h(=4qAvpglu|Tf?n&G$>_+?E0aIgT@0W*O$L9xKsAu^#fVX)zR$EDEd$F<Rh zr+{+Nce+0$8<!KU`+7<8+NcYvru$TqX=tg9&d$@H;j60L1>8F({S(VzkVhG6Q5mNi z<+Qo!{$Lk)$vSr5pcBCW?umni{1{m3yI1SIwl2a*^8@j$1bNANj@*WQ?xW5yG7LMx ztPC3^^D%rr=HEsI4amVj>E)T<E<Ig~48|Whf1kd)OS8h@+Wui;5S3h!%j?{IcNg1n z`+DTp^ZvT!&jLSR-h0_(qS$7Z0w2)T<#P5?cLJJxm^FKa0%rCYp4)3jFvUdC<)`=o zt^^wV`e3zb4$$a+e}CdN$L8Yg7>%sW`#wCrDE;|+{=Ro(3lD?8nODp2`t?|{wE}Oq z;pFqF)`fz>_xh3DkQRDC|B@C;IN5%C{&aWB>-^>U{h1!1;W4a+!VJb<ua#l-{q53n zAD2^2lR{gUs(FRBoGI-#m8juW?-10CvK&nYVRVN=gxNaTO^#SRVJ(H2rD-}#L8YT+ zT}(~#fRQ9UBmLLBPWoFl!NBB;Nv1LR7#;ZQ7WUYZYVwzqC>I@G9!^D~9{Nsa+_&{^ z=nkiyXhbnnAO9v8bRI|7pvA6Id-LOtho0uZKIS$Nt4B4D%sN`A$W6|(Bj*4g|AbeX zV6<`6kc1@BR#t`@o*hJ~d)&~d!9o8ZDM79;<s?sYSjFNmbhs}kZ=yL4WL0lz-<;@z zPL`=p>4uu`OquNJbnij?WTnh&+$c!t&b64BS`bQf>TyuQL(q!HU?K-cNlNjbjPJ)E zLs$K)zT$YXtZ`*pM(4Vf#uOn&sHM-4d1&#g5}b$nxx}-N0!F0$L(wXx-xPY`y#CnP z%by{|9<El9n4qxV-vS}-U(5_PiVYbC1NA1U7&5P$P^-qjGIu|o4hR+gmf)DNqcOqb zog}Mt-EX!NAw|@Kh|*bi^;PG$RNI}JfV&hTaPTRe0c#^Og0M)dr))Z&)&gO`(hbSs z#oi14B%x^GE9Rj<dG+tZSUulCKa4qOSP2HB=gIg|54Dd5i%67Bsd|cTqLmC?^Kx=R zy3L5kkJ-uuPKO&GqnbY6H(w8SP(4}0*)F?DAeJbnah*M@`Zu#T^>|(oqT6P$MOQVs zRTnFTUXM35-+^gNo%C?0f#|h|YK$X<{8(~Wv4x}2nOMGjsuluFs=A3=)q^qKvozC} z^zkDk*Jtwvmyf5<qlczBy^><6>%<8ZRFymWivBPvQ6|+<Q|2^c97<1%hWddGf%tVa zu!UjH4tnR-D$sd6fDfTGC)&ahLYQCSSPF++z2k=B#ze6Q=G0}^JpFLL0m{NvAFr@T zbbvp?W1*H!ilZglND>#=(1f}F_2|v#A*)ye4qC>L2_s!(g4VUNwnZa=&))@l|8(U? z1I-H&Pnm@A1v8C~jSi@Xpcf;(L~&RVW5t+(`DT&jO$zGt!}$#$?N^mEwzywN>gDG& zW1Ce;bi8~%S8notD&u7D+nM|lz^;}Y?sVsu6yXE*?(q>?{l30me$f03+%Mb?wq@R+ zZ&x^6Bl&^fu>g*EaSMK4-u5{}F<EcYl_ltM3-(;(k|9JC1X!v94L=D1DC8;<Hw_Z8 zsX}01ps|UIMb(IpDpNkifHp~ff%t^a6Nwwi1+Ruj+tdY`luu?7cC871ajH)B`_ULw zTmb2&p_Xo)0ao?Mn|S-0#LX+kHYKRq)cbyDH;TxIrpF%fffLa3F1<hBAEckMfA;YI z>>(01(RSG!+c^29y~(}9qkiYb@GHOmZ0EU-;lr-LzI~Jyeg%Dn@;T@43EM^fINf~{ z`u+6A0iM15yvkGHz&fXEmwN)DRk3cc+vO3x^*&O%ymU!yRhZeQfwv`9!|h*(yu!}< zeRkP~dsn`fTg7j(+cNkj9$p8%mgZV{+44N#&qB^tV{rXcdyOHVTmJcRUmE2yeHv|v z`-L*U*HYy)YZ<0;v@9m}dlz^+jVV8SEw8s3`Od(7(iqhaBA*Modxhcx&OX=slJ%Gv zniC|auJ4rVDLYnI3LgiXo7EWNn;${i+D!SO>1y_<?C*$sZi@q|hHL$!9z|)}iu!aQ z=@wWNc4L8CZ=ivh@iqr{WdU9Y?GseTz}=AAD0gMSTA%n~f>T$a>0%pK)?tRA($F?# z!g<=<U6<b41Nv)AQMGZb(ffv{=a6@6)_sipAJG>S(&?ASCw28dR`YM%^w=2UfPOEK z5cz2NSbczXkoh?I2){mCOafSaJOP|OYkv&?3;<?;LI7ug1OP;UJpfGrR)3`Y7rQxf zfPo$JPgQ#@09jxhuvg$dD*$=`9_U+?J~)3`fFppxWMH3IA1>$(l=sg9tsg$?Bwvd} zmrRYI5%`uQy3+)QDTLns&y=F<lAA7(m(pp>$<RNZ!u(FZGl_4Oe^T5Lu~xNtKg_-d zUkmA@^=06F8R(;+n#TgeRVM&+z|p~x!vHj3eNmL#ERZn8QS3}2bg_cCa_&i=b^z|} z_izBn0(U<^K({yJ<zwJqC=0V$J#CYHhrm@J>dPi=mY<*a@>0McC;$Ke5CFkYVzS0> zzFBdA0079q00960)XBuz#opP@&f1CI+Q7xu$ehmJLq)Mac7p(+`vJA+QD4iE_6dv9 zPyW~J#)e4bo}EAJuaC3z^$r*Btf9v<mGyEw-M43tz`u0-o4*}<+q1aEEy0y3(5E14 z*;_L)tsf&S4{d+~X#suMEu)X5-CZi85aQ3w6Ajb|hHrrcu8O|1JB{3sNM!EL{`Zl_ z7!7>cT-Y`2BDa%ix-D!a5@zET`lM}faWyr%Q?Sgmw>IX|c#=U#*@WOHVCHjph4V@h zg7E;z!RgB$rBAOV<EOWU>$Wk<q1{{Y?)mlW04VZ`P9NghlI}=NL`~ZF_BUJ*Ev5P6 zQB-l_!juLx?JrG41#ONdqHMLVpc5BpF*6&sjL*1g!LWMr{Xd9k*v#2zSH+qM4$4ln z>~7P`=}vN!GF9E_xHNjzSabz@{5eUn*Af(kOTA8<f=PMy)W`zNs3_=iJ83v25!RRH zskgR?pJrBl9(BC-o0$`LKC>;lA1dJwPWqr7{oS_@F@0;dah%VfcgYEZyo`erG4LL@ zp5B#`UFX1AlO;F#+~8O6{}wPz;iAwN2moLU8~_00e+p<}$mDFttY_l>Tf`h?nYb(l zgzgWu=u-oOEXUPt)d`D@6i;)NX0J-B!#;sc4D2=2q^sJS^jm|m(VEC)g4?VU_6NM! z!f@WE<ulFCVW6JKAbB@gKadT!7`E$N##ewYipyKDKQ;s_=a@0b6@fx0aMg{`^`+Hy z@)w0E5TVdfXl;S?&GaAEFiRGoJ9?X`wr-SB=60%BI>LliRypx(Pd@}5kpeKS@iB5y ziGZ{&F4_r(2L|Q+i6^maSAhKQW=LOuo3#Z)=%|MQW2U_gmT$dBsg0}X>rU545dXcT zO4-tSW4Y?Y4@aFG<^t+~rs}GN_PnhY(x}OASc0~0DyQ1EcKX0Sp$je&I|Gqgk0=*4 z|Gf*g>L*ezr%ys@v#4C5h|R|o=MSEbaAzVlUu~kgP>sV*79wiq8Z!PGD<0Obb-P7I zbcVEz%Bd8yHXlMk+;VQEZSNIS-i|{x56s~GwVcu(bL*kX%cOcxcBRnas)<7CDqvkF zw4ia<3yiC*_a|96EF9AdCyRy9;H|j0pmMAu@V*nOAoP2^i=N@rDsL{4kB46;o2-?f zHgJS8DP>Q^$`QDanP}<fZR+PF!wTm@Utr-MC&E1&Ynq(g=`h#z;5^Gp5-@Sn;`jEn zz4+M$4>sf9B!ear=ykXu11oYJJC?*3pA@1Re{6p8FiC761OhlN4U?vi++V!3oyQG; z1w)-|;PZEfe@kmvHyF#@?aHIxg&<SfCLY=_URQ>(_$^v8P6^ym<CJE+;x7fTNA1!@ zpQ%L^1U2*LwmS{hdoa`YY9zqh;ZAft-rJ*Lg??{OWlse%%1q39_50k1%*?MadoIHS zHT#aZd#2R+{kLaPj3g$dfBQB5_r&?1L&wI>*2=`=w_lspZR|GK5WcVV`in70=rbEw z#@9h7!-%8;;3lz*w;~NFAT$eY=#tA4l96v#ZemeL7aSU{2Z2aZhdU3p22XU;gMxzA znk{c$Q=O+&t>$aOH4`;4Hna$3IJp5LGR(P(X&JSU@yH{J<FyA`>lP$U)BdpUb#A$O zD{DR5n4~0{w*0Fg{H{ic+Ov4gkE!q)4@xwb8Kvfa;0oR7abo-Pt>11NRD%egR9ZA= zEk>D?sOTv8{dzdizHZ;$Os8rfQ92x|p_?eRq^TM(Xaz^Vl!ueY86=QuT<IBz<#t_u z)HPB&GD@sG`L}KZuu5Y(Ex3jwxIjf$l9@jb@wH#{vkP>`*=myy+O&-@#Tbkqkj<TK zNC2X4(D1^z#%?E#x%5rpj9WNe)kg~%EC74asZjHtI2aiJ#j3``zY+w#573eRFG+QS zNT&~^|6cUo^1%#(;i42Z7iTxK71;6|@F13~=BrYoTQ#8c`9R3cB?!c)m;o}-YZ2{` zauWnAmSagoUFf6<AmYDoT8O)4Pp3XU|NOuI1cfamefP4fs;{Qr=I8&cy7W>|FX6as z#Nx`FcpvsLh>z}c@z5f75w`S=H#i9>=tmsFUXIT_c+1k!jRk<;_2Hv^!_@C0qB%LH zzq3Y>C=P8Uz_SRTJyuK6>YfbTn-T;mpV!>@C%v`l5J`cTrP`0_Z#T5;%k~Q7rrD-+ z{L4h9gY_GjaOe1d;e5KkBDe?axmr!E()bsh|H%2K(d=u27j}Jcn{XAiHkx4CAESzv z6jhDk2~yI77X^QBP(^#%e5_cXxxxp$El~tvCsWHwhS1n&T__+auBncu8Kl5o(*#@d zw}sa&gpJK4s+Lmv-ANX%467;oIKHA#M#%>SV1@CF$IP1-m<jlMJ=06yAy;N|`WUf} zj-Eb$glCn<#gs1!<{+z-CQi`wA!0g4BVa8EvV=8AlZe&$A(e*1PO=a3d?xMP-#Y`O zDg&T*Tfk&)ES0)CWv1VB0L<A^KY%$jg&p79UGSQ4Nh3?67p*zIA|P<UpF)<wvzCRP zUS(0gxGkLe=XN0p2&jPW<Lqv7rFK@{(drMy{TLwCdNI+?AZIShVHE-SgNDC@xLx2m zD8d1t?*`T<d6aL+C=Xzo5o@3!2()P#Mezc)UO;wv1X$dMG3F&1AS`{i-Kri;ci4TW zYPZp#$iQep!l#L#F6!Z{@w)2S9pV9BPS7f!j5hUHs~lDCm0I-t;}mXrMhBk(mUvQ# zBOEVKA~wTiu(13+YGsS~8s2NZB+YO|*V=YhXE#o4@8{n6RhFLLyMSG-?e@?8_29?G zPXBvbl3S!FSs^Jc8gF76+h#+iMk;)4ue}c}{85+$3=~+?I_he}hb6c&K%NgI_aAR6 zR|)OE#&L-Ym=sAm$h!Hu4P6&?S*oE!-B2NRdU!EWXJAJ4G<gf##CINK{%{(X!TgP) z^u{uR<ieZrT6iE%x%S@fZ=;Q9e57<TlKau0ok55$ypp@p7DjBS!@hL-Wgpnw>6X8! zU``m=3r|rA+eyV{cj&f6XD8|~(5@*SP5UDD;k;&5T?i;K$cFQ@vyG6N5TR+c*w{Ty za|SAjl=MFIN)nipv&42AcGG9BEe0B4yvXDm+!<8sjxxp+K`Ih&!SPdFo*L}{-oszw zU6Dj9IAo0@G6oFcbk}VvbD*|A4hx$Z8N8_nR09m<h?kxu4QFwWIh{~-%ZarGRS_xv zVo*wSFgVa~3u5CjcCIspD#13%W#nwT90Tk1qM;<v#422D(b&@d*KyQ`^t)${?AYSP zQ~jap9T|A&Md^M0f{jW8J}yWGdN<Rd7RW)|^aj{{x&798;@qf3+o!YnN71rMMp@QO z$(0&YVciO7^(P-E19jqX#DcW`Y<pv23PkxFbm)xA+}WOdHhG0ewss54aAk&3_iy9| z`=l#{3ln9<q`i=fz+h=%VKcIIc8Ww@5Gx98j?z^`DRV0H8F;F&xwkRB%|3Fn6U?Pi zi~s?NQuaLLsTA=t)2?010{y{&IM<AN0#08LMZq2H8a%VwU}gq-?Vx$-@z#J(s9)(q zILdCe0=~VF*RdAM={TR*a9-?IMm#u&eWCVg&J&x3)aw6A3jNjJ`Vq1bP#fbMZB}R; zqg^u(>cAX`Id<l!nsHw)v7~PowyZw~?kJ}fiDh?*7~MHURsK{t=;Y2@=bnm=$GS$1 zuabm4S-eOD$;H`1GbDIgeOT_bHD(R@xI7rSE9)#IIl-Zlu%a{h=I>12qYC*c=EmZD z!tvn!C@Bp@Xh>A>@O=_pU&@mH6=vJ1hd<=Qp~cVpW?!VMc9YTSj%oL4bjp(0#5^jz zen?3gW6o|rD;X$+Oj2gc<0t=An|*q&XYng@H#=D5h^xYQ(7+>CNWJER9FG147I3-v zK-pv+e~Q?tw-qVTlwEqX4Hv#Q*|(lGc3hkIHhTR4{;R$M*O6z81ONb`c>n-N|NUaL zadI{K)!r*!E2jgt#GNndw%mKgKP=I_2kvAwF1EZ4-5Hr`GmhEaSTgnIkPRNG5+Q#- z%PK!^R<_&`2mmAhajeNKl~ZA6h_GYDi1p6-x3splZqub|c#f9n_Gr>AR^6If9Q%Zm zYh;!-4s=F8sIa_*?)YBFEDST{HqyYiv}}`}`49;LsCRR3dR~88Ys`NmT;kb!+}8Kt zLJf&5&&CbQWV+J_s_EYBJ@xlRp)Ce|`GUT$aAcIcw6k-0oZy0Z6`l?DfA>Wd9Us>Q zZh1QW?t$ub>5x%Q&BZNy#@4tsMV&3(7R{V-x*5LSe&JfD&{7^HCJ-OC#43fjtpF1E zseI@Uu5>;hs)r?NLZz2*T+sHN#9vxD;-S*NM!Uah)7J<vKMJzQMz18wJpr6-V3}++ z)#$i&RIN(=N2d=DkO(qq?ue~3I__c*?uZtI0|9cg=ECC9bqL?8z3cIbKqD~c1j!b4 za%+e-?L_9k>*F|yXA)$k8eD0NiJFAX79u$FPaOzDuOF?u$Ibch&2ZU=FT|#^H!dk! z2U!AdT74{$`vyWCqc4pkD1d<=x<~|XQM))v3-CmA{2wxHH_uZf_A%|kndMBEWU{-O zv@>upF$oKm?S2=I|A3Sp*#pHasOdJTudk=uyWSps(c%Ll!ZV{x`kU$N<lEcXD72-4 z&F%N%?W@l(nD)B35m)MpauX+Bw5Z_zeYO~4Eq^q|l8eHt&bdd_oArrMI5DoC8>X$E zFBnIV>+z_2PDnq4+<RNtNs%kA)`x1i7)S|s2=bJg?i^VLrlrcGfpYRo4J%6cq1}QU z4C7S#qde5>OD2GChcn)+ZEtT|&0JQbgS#dN(PCI7@LCQi3#o>Vfu7;~4d<0!ZMePU z*)L0F7}nC#QerzGhA|^(+1om#o47aUyNM88Vi&zOqx;%!2@3BUYPdozZ=Jv#H`4Ww z7jxpgh`gp&q|M~J(Se&?i2j*}?_w4>)akbrH?}|<%mnXt9=0v)<d}w7`GS?A@^N4P z=OtM&?bB!WoGo(@Edv!8q~dc>%xtHXfTt}w++u#-Wc#>mvy)Awz1CLS=w$e(!Ms0` zi}kTIeMH!fO|D4j$z#S>tN*n0c?LAzP`Q2r36@j5iaGMt4PtW^#-bf3)Gk)MZJF5* z#Aj0+6Z__{V)hQQlRM&OWZgT?%{8byLvFXsD-I<QxAx=%SQ5Kc)zaV=^o4mcH>hck z3q&wIs2m6sED%c0J~2gP&U&Y=N|}H6L0T;dhy=(p7!@VIp*QN7dKs7sY`dio0=C6t z#W14VD6UCXiU}r@Lud5CBZMw}dW?J3&lfex0pvg-(GtP*WU%(^tN(iv9e<G$JFZfC z&09L=prU|gi8)i~sU%pQXaE+|kvIP5+YO7n8_8T=$AeVRUmIwc6T@OziS~oc1ryS8 zjh0-NhqcOWw&ec(&k3gIT`TG&p3HFg_RQh&SXeW})DPK2jnnH%)`r*TvWk)Ft=(c| z+6=opw1#onq;}N=BDFIx@G@5FYz2YMN2!vr3ruykD|`5sgBy|t*NqH?4IEG2J}Z{H z@KuzI!rY(X$UJBSrgSfFz@7(?;4D@uOBo5caWAH!hYYs_-a><Jx}%5$frMHE%eQR= z+(CDs;BE0ZG}P#2Otem$YL%g`Y=L?{#3pU6CzWFAt<;_*1FX3slTFDikF=4xK0);% zhML2UCh${S3trvAb?qQ!y_i$`Lk=nCf2WrLGX7nM>xZRlS?RH@%&`vs*~1az)X+Iz zv=5_PFQDXdlOuLX8tVt2Aj{9d+d#Z$+hj0Lg*b#0c!TCHF<-$r@DeugJql*tc+D1K zqZ&$8ULS;OMUV<Xw(jZlYsTHrB&Dhra<JohQckIYJ&lr;0y|J!OsjT*HrThVbN-f& zKjxw>^>|M2FrojRS?hhcp8m<Qf7z}J!9uFuk!TM|LPWhm6hFl&;s4WWJeC;n@J1~G zNq*t#)Gt9Q&p(JXM&qY=LPWh&;fae9hv1I#0_#6^ZP28_2M%$_Vq&Pl<G|$=`9R$3 z>h<vI-`2e?v_pUr`x}ey1QoZ-qR2*0pFuw0V;Pq%liD$9P15f<&IBR6rxt90-@(4~ zk&U%;Ef4I>Nk_h7nKXClvtm}SH`+(u-9JI_w1E9Wz39u6<Ef-7@GtLRq7Ooz@D`0` zw#X`!-geddOs96AQcg)fe?*5KsIxaf1w#hnlrL1B%*cbQ*GN|z1QpboiZ=khNb28? z_f>Hn!#r+!F?BqGx&9q8L;%Sd#5hbmV4hoV8Gw~m6oR3sAA{VD#_|R6_7!(cA9)K{ zM+0X6d29jU3VXvwqAkgvp->_{i3y|nA%U6J%!;1`53uO%AM|EbGVjekHH-;Bq8flF zA?3%OH`ClevKg;0$8mZ``%dKBjMCMEuP>jv_--%)zn$^corpKsLhrX*{JTeUv-68e z0n^a9*eMCoF0u9mn8GQQS@G8G8!vv(*_Wx~Y!|b#e9>KI0TjD9_~(?_fDE#c5^FC1 zy{OAXBywa#2~|?va@NGlcQp0guONepY;RP%4a^5?d{19wyqH?<?aA)6+L#fO&^2Cj zCw-3SNyx5p5H~g&baoO{94vAZJn~lKokETP4QT=4-x0yLgnmDxbOGt3Pa1uBV=uO0 zzyl!90OeTsk|S2Zq>i}J0W~KiyJ$Vn=XK{PTOh($XD8&%!Ej|_v9&E!3MRX1TL}Fm zO_8x0>EBIFagB%Qn<djt){R=duJ?YvSo}Du8FLq$j~0j3FJ*K}-V^sr_o_e|{){;0 zltE>On6#wPb9ux!w;p@NV%1?@Ai?!MVeG+H?!T3Ry73kgzq4LplNdBzj_T3O#mu0F z!w#5g^|=vZTg;^k5or#@J>&L3z%f|Fsk5g~lT=xK0SmPA+wVT$EQ%*=@~9~b3~~p= z(C+MMGa_kfa(sNSR~S#mN28HG*6g}mctU`}l7BIWS33d0q?3{2OHzWsLXPEmzSDQg zxIU^o!EkVbfI+LczH1eRQ4a`(@npd!txf1*m>oz_hkKqZV68ds`jQZ2+x{;AHnB7I zAMu4G-zviN<chzpx{t$xLEPDW$n?ZY4X(UEujXP+HREw2xmQFI98a}6e{0+9n<S7T zmzPlv0t=wxzI>+8lj4zJ1D1U3A_8-Yc7fIS1#BAuO>Z^0l4OB#Ag7SsQT&HD&^O>K z5MZEZW==<lXpp>j)e`6qFETNrwv%jUti02FIkbhtkljG!FnuV)fKXQ$?sj;n4yYQ< zC#%W)q)ihp_~6VpzjkWyMcM12p-;X*GX+hZqng0NqScf+wsPUdOe-PqL}tq38B$B( zU{6KKq%Te5gS2ePo+Cxxto^=g0?RnFqe;n<h{yn#;mE@~NRY6SvNCKp6gli1;Lgnu zp&LRr0{Xg%j3IJSi1k0I2>@*>(m}zRf2E$4kg2+9BcqO4=GaI-{m9`J&Osu3=xhhz zxl4WKF6*zu+7(kUfeC|736bNsz8EQs35D>mYV^k~zRuX-<C7$Zr3RVMXyVT9_A~OU zG8oC17k4gFm|>@*-!sUZHBn<Wu9!o$pMFvqqx;SG93PzFyUyj$8qTsiQP8q7+q9m| z(QV2<I2pp8bXbny-^l((<B45SGCtQwm~oK{`~%F|;OxnACPD}*n%t|bEr4?e5&=vE zD`eYWKRTs6#bTXjg%pGl#*1+~&PvTNmoYtFfmX_1C>fYx$lGoqhBtb7X0q!$lI6Pg zFwEygB}%%@`De8?Rv}m1A1<f?ewMu&jM^CX{0N3GN8iP)eDGr7`tk1{(0!vHkSu$9 zVt=bcLReX=W(|5qy$87cHs^p#f(WkXr>dz5Cmt<{${^x-4wbhxU*<NXn^jp4g)B>? zlR{<j>E&ew;6w+rb4^U<ivE^SbrQSWqSo}AICw3TXQ(eskL6#Rm@HNQAh9PoRa26) zWZcW52jzF(Nsh8Z7>dOj9I9@FNxNiDl^-x$gd2<eYU?~QY3Ajz#3jYNNszYd^pTgj z^hX?6xJ88y>c<<VS`L3M8dTLeZfPpR@00RlWSxSC#RKGYg+1JH@(M_r+hFvS2(-N2 ze(vWoEE)z4^9pEQtUKGGg#xm}kBr|q4O#-<8uzrqhizDy8=}#|uJ67LT#AWlN51-% z^$(W)kpArrxyNF?n*eY~S;QJ(4htK>hrZ4+)vAblSTO?rBo@kj<6%qKOD|Megp1uF zE>x$VJoWsc3vWD6wWG{InKoE)Ldz--ZRSFz*^)A`3eV{EE5uj|)R-jOy%_ClqON)3 zD#x=^xyn7*Hhn#{k&;+6o*>k`VfE1IQOYXosU<YrKf9NOmN*KRIbOmTTizJ`jogrQ zb9*>P-ale$&eTol>a>}QLOOrbfx_>_dvfAPK@(Ya-yxS8GdW$p(@*9&qZ%Kv(!Iqv zDyyH;;4oOQWc1bb7QxlOGPu2&OPmSFP9dZmE9<pG>$B%KkuD-qZ^Paa4?@89q0!X$ zoOHROgfh?zDyrZ;sEry6>J5hdDykKEN#(*TFz$7K9v-?K10sjt*fJWxrM{RZ?P<P8 zn-q-SRJ+@ML_{fUpmjWNRSyD!?!iv(U<i0<vgzQfSP-)}e8v_$`=^#+SGPctajrtg z+1!!>)O=S8>8>2MR}kg|00vJS!7NP?{b^DWvm#WpV>_OmvHntLO}DJhN3PXk7srB) zTSVWZCV~Xexb=bQswaw@g1S&GxQpuQqT+ZUCas{6u2hXCSQ{3<DUy=XBFmSKTMCNF zq&Hz)Wo+>rgxNtyK_PJVU&ECvZBvA&G9W7bE+}jIZuzr*F0Qh3o(Gi%GMg7K;}{q( z=|=_ke`K9gn_$bfZPT`$m9}l$wr$(CZQHhOo0YcBQ|rF%@6I0)GscM4dy}A%NU7ji z$YP4_!HFP$Ag-m@XNAO9Sus}Qoa;trjZ$^;B^|%}saX*MqT+iYdL??pK)F-a=WZOn zM@6Q}Zl#IAtD#K}M1DXm7APjn#U$5oWG`i1bRhznl!l&Z7X)##E6ODl37F?VAA&s{ zB&TbV14$^9bDc=KM9l^3&Juq_m;~qUX2}b2qC~ywaPRc7DBWnK(H_;o1h=abvb4?G z>_ly3(lj`nX%0wPBH;qUIc^~9(?ex|v%*tM6sPdJcs*}Ux(HtcNK}!da0#TMt;lMQ z=L{l5L{1f}unz+3Q)NCQ>~mFp*MP$68<h&IWiCLPicXjBjFV)<Rvr6v2Kp%>Og2W8 zTCIsOu@qx(_G?1rb5Lxh{vZQJ#83)Z#E2sC*-EU0ZtR5uN7B+mPF=Wwnp;+|Sw2R9 z0YvS9v_rA-DiS$&S+>SjEg}lGUn%(IpvO5?Q#9e6z-oilG`S22XmDk&KcR(X_Uj^) zF{$Zf$WknG&Q?CZ5nRS7Qw}-FHuagrvYEv&T`+LX?l{bxQBb;=e<W<gm$5S$aVeW- zDD7NXKaYprlOCJTO1r`ua78uHIkFn5cLZMdL%lNm@<h10_j4tZkx<;oM?~M0{KKLh ze53+R>?KQF$01Os^~Ynu-#CtF!%En&CRkbAz8EOVD=9zw{8d5MntRI$AT`MnbSWnh zAzC~fq5T}Mu=Wg-(F!K)k0hl8(fi}u<ZT;<k`<c>{uC#liRaWD@@EMvYLw1Me9N;E zjp|BuP4!7i>#8}2+%*=KbY-g_7*5CG3ImItj)E4$w12xZ4LQr0l%O{<4rnaB`r;sF zlx@|CrgNGp+TqOJGq$>d+l+GP&_qGm<ES}CHo;%i(i=-@E5~sVWM>eU+=>nQ@fCwN zUgEvAPtV=nW8JNO`z<6_yH4A;bMk>~wUF_ahO0+{FS>De9_#(rzGclQk4eg{AtR%{ zcxZ<>qgwEsr53~$|BnhGtgwd!10}IPwWj7DUJdxE8%gzkutH-cqHk_TMnqLlxV~Mi zO>fmgJ7&)$P);NgRKn(~8F5K&WzKL|OBsAZW;-;HN_Uq{2+4xSQhT4{kxk$ZsVX7G z?Dj)-t-@d|ZNZXgZ<IdoJ@=x?)1My(36+zJ`L8pNyp4%Z;jBy6#r{tJTG}?}+gx;Z zZiE~L1NDd1RiUOb7Z+D~-Nh6oc*$h1r6W`XJ;V#&B?2r(_MDE{>|2eF2FP7{q#wCU zeegycQ5bk^Tx8&<zZ|gBsyjO)E=pT!IzP}p8Z%i{q6p#Y=I}oBCLLUq$u7I9IIzbA z+myY0Nu!vZ*9H%JLE8?#D(N<t^X4;vbkGU^7O%U@04S(zAO*0P%(0}eb}W=7h_8CE z2<nZW(8f5hc1AQFhgLK+nO!CaEk1Dr;QT$dK5R0prLSKgVvPKe#<iQnhN?|f+k5lT zRlG4ArIU!()ndla)pK?jK+OjCx52qLb7lg1gDn)VP#NB^*ooXBgef79-((7GsBBHH zf&CV=)Y)BCLG{VsX*IsY^h`t7)5$fdSj#8fXpM^lSl>nDX?FdE9om%O<qXTo%yvJm zDh@}#ih~fiH0)u8t1182?hlsbCiBjiAL|=NlHUmV88F_^pEhdphhVj_q{Xzp-Z;kc z%-9~=(0XaoHKN+VfJeu9$H0Sv7tl+ucRhT7PH&&ZF6%n$KKlG>cTz#Oh;iNs?aH&d z^W}FuhCaJA<H{p)`=C??t^hU+{)O$}Zs4aca_AUw-48PEyfKiL8;$Cvinv3=56d(_ zQm@nkk+eD<J^rXCjV^n#TJlT{a##(yl9ruPD#Oyood?Z1jScmYor1<f8Q}UKpF1Wb zjfL4M8}cz>=@0^{#k6pD44sV34QHW;-F;-Pm=7&OT&b0k<XMQ|rsRRMB`IHUK8u1& zc#t?qs4=m^OPx_peuOEcw+6+kzuQABe66|mjZlLQ(<1Gb6^9Gk%X>0&?PCKicnZkb zgmUoiwvS%D6<&T_rL2IMx_^8#)r0S?kV*)D>BsvoL-aX?=z8>64fwKkHu&L27j(OJ zRlnRCb3sgig!6}<@XhyiB}&b7w<Yk-1v|J)HrNpKl7G{&CJG3h1}}hyi8Ts;QY+}r zhyz=|g^F<bPaH-Fi>xq2V#E*-WXi}L?)@zEMmLw5uWv!jQ#ExIOBHaqCzo>OG(HD; zyA<YbK;q#DB@X0(26%V>R7Spoc)nQ5P<~=q3wN~lz%vLfBI~t<);tRG+BP%Oxy7p1 z{F8X|H*YGWmIS1^JBMxN>s$NNVKFME#JbP|Qz&~rv~>zAg34yf<@~gw4FU28sB9%p zM<pZHBnu=uDxZ{z&sk4gojtY>qn^wLfE{&L0U81VqFKB20xD;d%HZwXfTD#1+eY^N zCg2)w%~_&8HK84Uw())A9qB$Y`qyd>dBjPa`&4$QApQvm_syGUO2iZL3jf@p7A@R? zW#yazf_DKIGWafQxw5_qy|#4QxvgI3QP!USoEHBfSue%0Rpc^*9_`Hmmit1bcv*G4 zThL+S+Kg<+g0617+V!(g_Hfk7!JHPRUgg4v4TES$hl9+1?em`oU;9q8T_{b}^2;%J zPoUOC+A-H-2B>puaYtsp?o7Tlv&nf969M<$$f%Z(RXGhzTb?sZiby>z@OAai0<I1Z zYNaeVAX>5Hx4mM@<?io_Oq&uMzZ3YS5keW=n7!QW4-BP=KFIaogKR!4QczHeX^+3j zK955Gw!g3l9jJ;O#5%|4un(hOpXWjYNDmNW$0g6`)O2rP{=Xv;mw_VCv&r{!)J2yN zNa}8m#aaIM*@djuF$RX2G+D6p=cezNn8rp%{t$1A%0-f<6<ON(#y=`v-l0@sS@4}c zDp*`y^UQH$+nFfgU%op7Hh{VBW9YYh*|1|!GQed0l4kiPd6}qCHK=(e4BmUT4CZPM z%O!oe7TQt5dh*{NK(7WkECeg;)?Paf3zt@)^D&P=(`zTtMsF_AM!`LKO&V?ve>wx& zF@bGZ3~)vE?QVt}Taz{o&ajxqNEBkE3c5=A9lB<OYhw$Jk1?4YF?u#hEoDHp;rvSV zf)>q3<2t`bdun>E_Eg<4&|MG{hpj={u;h<1=wXX`F}1PBve+vio%VW!W3{C~e6T{S zaxAXwgsE!KVwkPqib~6D7qw5kJTv@I$qw`OC;0U6|5V77-B`K7p5wzV4gAR7v|%a0 zYT1NGuIGrxR5}Ud5!+z6J1pv1QljQ+%J#Grx6+KXTE_QsIH+*Vi)hC@lQP5oa<GM+ zyfI&x3qJ$p+iEVR3SSx@YReiGnbxeXZdU6u{j$-Yyk(53t@6M?%QVkvg03QUwu_LF ztMlD)l+u3Xc()*+3IVP4V>E1~dSkgb(Ypj7#Jf7|-)=q-r~c$|MO&A<{^Cq+%aov~ za6i|b`aV{-Ir!ZHD=it8UcC~LtMBRY)sb9tdH5omL^s~ygp90>#v%K*tmB}?nWJI3 z2mR?eJ#Va&r%v{C8X<0KZFH`Emxt0ldT{U13W{E7yh6IuVmQr&vU$q2T8Y9UbgDEk zH{s@8cJeulvsN)qpy;*{R=KTW-CNh|(yy7^&_nuj0Zc^*kzd$Ckf$<VopUI*+k%n| zsHsuv*d2ZUFMFMd(hH39hC7d$uz9(cH~Vnehns@05s<~?j?Oiox_^D^=5UYk<%$2j zFuYkZx!W@NJzrxLD{7(wKmwk9ZB0gkBg3-u*W5s(w6-)ty~pZZ4H|po!{uC4UndMg zUajQ@LH;@WQER&0fyl0LZH?_<YAoxSb`fHY+MvIexoL3C=th$nSRo9;bR5-HIsWmD zafsCUyCL9!!SvCBYK4rGX(#Drjk`uJtrNLel)Zvr)1J6nx|O1Qq+HwfoGk}wS&-&2 z)P0HqDhUu3eEf!%M<+64GDZR5EK>m9PhlW;$p<U76?!x$WCpEEs$e$>BKf=zOUI(6 z>hkT+WVzcB1!!ywlH;<8^kuCl&hh->F(*cv>vH!)jNFGOYQQ|8T2l4dps<QdXHwkQ zI9-50EmQpXTTJMzpg6xw%EJ!0u)dA+RoraQMBY}ZbCsi%4;wM#93E$SgXFpDP_CLb zE#&k3xV>v6g9!7}Lx{NXrtacOiaFfHKa*yP9RrdKV8v<`D8<PH_MM7EmGMxs)CC9O zCFl!DmNMx&J4La$byh!Pl?RQ=__0`>$G^r$z>=8wpl=z7fi8YF(j)!8lTMbCJ@@mM ziLO`;_NN0XmP2f7jq#;i#}><yORKbRFpUOLnS$q-2D-N{ql|$@<BRR+tJLnsy9NiM zr-_aA5Hi8a06G~hf%lP#6;Tr4_O+QQj&9`ellyj8CGB}rC$2|2G4!G&wnOCB?6Npm zV?T_AIhhus>|e$e3rAeCSZyPlOzkuUbExW*5)C7m{m5=YiP#RuUvaUv>E2hRwcpm< zn9t(vor~j^;||N&dj>uiH<H7MTs$OfDY=6DgN9Ak{KC3k%$3nkA5lI8kKB{Tv0-f9 z#~;d(N15a?<mawqQmOFxOx`;AKuCT;t1TP?6xxEX^Mj$!ymjw)s<Y59Qk!!tg5)s$ z++Zt;qFOCA&C94w5q964)KHeUsk^VjB3#EDRj<MC$GQe~STFh;U_072-r>F~2ZKj6 z7=UmU68n~&;DL%W(+O>+g?5sr1@7vN@dn1$?HLQ>>;^Fg#4Q+=-L8((whzu)8<eMx zIA30iqp>(6H}2paT~Gyg!_WYk)h15niRg<02e<RceXgJ4l5u8N3WJH^Y7>y$5j84b zf)Q`qk%j=I26s>uQ~foTEpF%aldgzjOlqbu5sP`JHLj%{fM9cORhxUr=!$dBsAuD| zHj%qUu@6M@*>_3aiF`(x^<c^_&7=x@o~rhYr^9D;>OAzf$C*v(!UqL?e_<R8Linx3 z<S*S%M4F!1R!Q%7+~s-&NHcfN!lBH-O6zF~G<eBjO<L_w3D;rXyLDiIBke*gxz_YP zBt8nxJgvVx8otrjHh=HE$#aAi+<5t|xb^uv+`JkX<Ad3@0T@nRV&)gcw3(8?MW`pd zB<I?=@@_r8#zdzwS6l5JPhFVUcRF2zszo#OHUl3wDy|;<^Yo1fJqc{?Bu^;Js!$nL zcrIV~2|3pA`t8ZLf>s;}Yuc|4=owcAOukk%l)GTXVJo2@QQ}pXHeF1@H>2v1<<W09 znPeSnhW0sz%b7q(c{!WYv`TmQ$pdx(i<g>_gTtq|_?3s2X^#@pR%OL4kq(>_%7H?@ z#vk+v@Ej7=GBEM<OzaS%XU+WHF(@yw9E&df5@cmSdoAk$16tW?qG;O2-QleG#emNp z!auh<n3v(OzvD3cYMC4JSdPLJC#+OYVJn6NQkuj0%%)E7@G)FIU@`AB24KpV8lYqQ zED=T^xv7X^h<{+O*}TXLi!sWhPz^nDtJ@_8kPq&}!FiSE-A!jjUH5aA6ew^|b3>58 z&C)~%P=8%2xpVd!DlW@EtnpAm>&pfeR|I*+V1qEWF??_A9f5~n;+GNd2_<@<plEPY zw<%CY?ON|PhVfPB(jMF6&C~+=o{<q#dZ%{nKTN<sz9+|RS7=rQ{84}tbtzVrI(D*N zKff+$h_ky&NvT9U{9{*=y?s|+Uu13580|AQ3^llIgYczJZPcbnzT2Z>je@ZIWGJXQ zriW~Q;_-=1CFII>k12s~JKCy^uBMbyi0co~|CF5*uLZtJ>UnoaZshOjRQ(jjItZ~u zE5HD)&&7Li<WS9NxQa<p7wK`NUe6Uk?o9Z%9ZCRv=@?Qw>qngUt&u;*{e3){$@+U2 z{PX;|AOCxX>t)wn;I;?>!Jl-99NwkB^LPm;t-dvmkZf8!Z;Fi{y5KBH=db-%8HM$o zE+uPLd71Vcv2cKfhJJ>b+j@qWOOJv@4nLImnF<6a!7ry@b(?lC<8|LjU|$nY{8{bh z0Ub25$K~`A4xH8p8u-LPdz+lRxB2=e-T4duzkq=e^x<kW2mpW|%>Rd^+8WrHIN2K* znK=E2_^Ha+9kTw1q$22o5MrnCYoUO)+RqCu6ovss8QN|5>r+pf3MGI@klgp(!cZtA z=Ipq_Kaa4!pFGaMh`sKH2y1UU4?GvIFu+P=i92`D-?U@;T@(vC&JN2Ah^Bz$!MA&c za7`8Y9`|^us&uCL0-F;lDW+bTp?=vXZaOX#-O2M}fsO|yFeLI>OD|%e?%J_}@UniC z6#-!97re9n{v(|-9k(iD&j<;suT-8M{>eZmov(aEqdEDp;5*nWi5WSe`gtda`ZYu@ zV%5{+^;1XX{OyBk#Bx}nX0F8@rbTW{IPcG3L7p<ttf?jd^pYE>3>>*Wl!dC}y{|%# z!caP%bT?9E4Vwt_!>qPAI&qUquM@V1uVcFdR?yNnh$vP#s3J|ew+yDOo1}$9TmDiH z>aT6Mixqn$oQm^<&!?eCkf})Xi{=K{*g%RS#cM-imD6WBT-7|SHlgRp4hyV1&pJOQ zVu>0P?`&qo_JN3du5zB&wlJ*w)y4j1O*fR1wp^elBA9XZshcy6_)(bG(jmZH01GY` z%3ETk&gu#4!JzFy7ly~QBzW5WA!|NpGjbbavd@{tqj1|_gkhf`|A32vrT@|hDbGR0 z0PP@p3d4O*p!w^Y@X(jj`V<OwiUi!Vw=Hk(f~NXrxOXNNpCv7^g+wqJgV0=o5&Kwe zVAt{Lk)ewxD=+r98|{h?##U|EhGBiTB}gG*$T_%qYJfN#Y;k<>2B;T~q>Do`iW|L1 z4cwE)kwBH_82^t?pT$;XKi3=OgI>K(%8p!zolAdZK`sxyE2_Jk_S<H-lgk|+(*e;x z{))EQ2ynjo_b1?Z`b9fj72iL#WLFfzSvlMkyuSqM!YOQE{`|XqK+b4MZhVn)ixGmW zK9s3SHsl;t!N5!9w-Ef%a|Ki;Z^qy4t`oF#e3%D>BB(JUBn-EsfIr@X0h`B4HFmsp z1(H)JlbgfB_~;m<NGXv}ZuB(5++BgD82H4xtLMz(DtXS?xfEPLhhMYLs2h0{w>aWe zCU^kMn+@K|X9}FaY6p?nTJ<}Y96K!k4&!^US_-ETe2o%GsUMI<A2kvF)Y&oBd(N+N zk-S+<nKtMh!}L41pVI(EH@QO!dzX5YdbGoH&}skCr_{pp5X$nzt~D9C3;3U#N*X4A z!Pq}5d1Kr)t*C3fI_zn1^SY%&kv7elnUBq+duA|tJAM$t<S3On&)P}g_PEe-;K>zw zP7rgC9zi*4PwjxyJy(V%@BJ_ETVhlu<@RTwFAlx0?%x&5^XV#ZBCX;>PqEV;pr!bf zqk{-~DM|T0em@eQGt^}ft}u<i&N`M-W`1jP9SkS7xISA6O{)Ebtq%hO>dpNs!!X53 z($Kq1nRC#iJ3BfHU>xPxr-N>r;y>f?QHuPK=5CpFm>ai`eV?MN^_c+fUqBgQ8fQir z%UOs9JtGZoC!Tq)_~kMx{Fjqde}P(;6-BGnD!hk#9_MkFWWTAdj7Q(G$ZPsWgMZUJ zkdng$!iL~1RL6{RN3Sm1U{FFn{5HRU|Mvs~jp})Br3C;;%mo0z{$E7u-{ECtU}mCc zVQc*VxcU_zE4MAt#51>VD3}&Je^yA1#-t1tX)@n&<U9vMJwC>a6c!X=W{GHie?a~T z=fv-8tvFvGSjma$9Vfau32DTgm4Dy!#l@gLy?c|-BcpgEvv`x_bf$jJG;LA{#NtEe z_!RL><cL1~`jqNrqh+9{R#jcek1FK1dxu4%_OHq;tw_;Nr?}<)vC#7xV?~;WYr)Sn zmI8}OhE@8Sgi8PX^KLh#+JLvx^qE6Gp4vp`?qOJqIjfZ?R+Jn-nS9K}m6BW(2Hr^3 zgQU5C7A3f|=s=^z>XJroL?I?<Q)9YWl#Aj@Ar@$raZg!UDZvB8<<v+sl1oR0DVS+9 zdjIK08`<2?$H&m;`D5DcZd~B0#*Xp^=zImW=)h9i9-qgj+j}{Al}e&n-iUJ!^OVBf z&2w1Woa`Gx04GIlV<oj}@HRKqqJ^bEm6$-z^hmR~s-SNVl1j{>{B3FWY?JogVcS6& zEH!(Or|-kiMAe!dF&3HMdlZh-I%!_1b&lNS3|5~L@-T3kZrk{j$fX2zWo5N<(CNi1 z@|Om!Q-fsYh9ZkaWpVjqF=CF2wq4v0GnE=Y>53~srbXiEQi-@?dUM%W5V&oe48es) z;|)-sE>uF5s^1Xb%S-7}ig}_&?((xUmUN&gH12D>BHb?U`;;5mUSAkK72+WR|6w`Q zF9BMVgfpiv<4>LO*Za>KU)g;RU-l06j~M&*=gaj(l&aUd(Ujyg->Mtg-JS(I`zI&o zw-~!S4nMv-``{{Fn3vtp&&lyq*Qs9nj)hOvodVLI_z8ecxR-`Qqqi4`UT#itJU?pQ z)mL88dGe2s_K8ewX)p-LwgZ1WI3dXJg6yBe%O)@UK3-YVaor?O4P804b96sx)yuj? zYk~_fQV1rg(Z{Ade4KBnp#dW-s6Vi;yxl%5KHyisI}uSf5XK$oOe(X!yjb6y+;GQV zhKBw<N%(tt-oH1;m$!QYa{}AMD&225^L^-fac5EpezU80HuoL~YnR+sg#@(74*<0D z6f?x$LyK1?36XO2qT-(=)n$*3nS-fgdFEbnbaxX^oWKQ2Yy@`c^i=%n)l~X4H)2}Q zc)0`Ox4L|vmlL1opJ{tJ{U@P_@O}PzSu31k$*^3wU)Bw)%GcxPPiy-#ts1E#=_GRl zbC=i7DPK+1zPML5{JYYC*M)%UAWXSM*5-sO=0Jh$sr9mP_}MYkV7cja{E0ov)4;h# zCNE#i6=(`QXia|^ra~>J^vu5t_{0^Ygoi==x#XGdEl5{o?t~KUKy37@+!9v`TY8AT zQTT#xr%1(t^y3f#0z?0t0i(zi<yQkiPXT~)!`&zc?aT5P#f4%ea<Q5H6Jn5YFs*ah zdGI1y<}Y|sO|T9R6y8n=M&J1j0f^&NPj$}HIwJZPA^-*o9E<rsJZLJ{<GmS4`w2(G z1i<Q>)XGa$3+M|_1zLUQ85lc(Ax9C`)HRu6hOo=CGao&&1X%E}Te2w&NhQn1jfK6= zWtSnP#CL{$B#b{}uviz5Vw!aC4whoz`)*)Gl$DKQ{hqsj-C3hk>iwuHZ=c5|seBv{ zX-U5u+_J+Qs4kt9I$nsq{<c)$Ki37uByJn)oFrJoUKnMfJ}O33Li{9!*C2WUOe6-q zn!@<qk&d`7SLf1zY5)})?i(xf6ZIn>VWmU!*$B6QN)<|?QK7Mdc+O=ebBW$Bm0Al2 z#~07T!VmsEf4j3Tf6EesCZ#uG4FmWM35Q+?Ha2C{cCUn)zGH`Y3BvdLVtD&Bb?sOq zytp3aV>}G|G>B)=iNn>O<-P|8HNaQ>wqMslS<$8ymvZ@&Ge8Pb^+zVtSddUyD!b2& zP|g8TVU!*dXiFJ-GRiNoK?i&WDcvZACRHCFI-VapU!E|8ND`0kL3cI3lzh-0r`SKn zPIndwCoRF$AIc?at1Xz-Re4#tD3jH?Kn7^*#h?baVpK>geSyeLXhYporMimtZfICk z{=Sfs?efgt+!R0>wl+#!gaH|OY}<9exz)vLa7ScSSV=G4(VFkK3OX)+F`t@Qyk(Q0 z@j0o81Pz+m-P)o&Q^Ga%;Pfx1Eg6mj>^8}`bSI!advOkC?DOn^sA;}WKhqvq@f7Rb z8KIW-q>RmKZ21x^zO0QLnJCexD++Gzwcx8~#$GV()-5vY4$<?r!6Xn2f+d>SbMg+* z@`pl{$g=dT>+H<2Doaa5Zc!C%B@(9py7wUYI$uXjNeST=$85GnR@z845;^snimIvx zFmwnI#%fEfme8e4p?3GauD$vGb*Z-$dJt!pYYKX1MYSj=Yla&EO7fp73k7>NkG1_& z$3gnkfjJ~(B&D%SRr9V!!?=jg-c8P}b{Kkp`F+l1fnYByVO|J~#u@6=o@VmU*73s8 zEQjfC+Ju6hvCZ=v2m6DH>y2xQ7N@a|&fDZ8F$0<8<63bZLd6keLS*%I3XB$yZ!KbD zB=R#!QAy>VLCvJ$m{M~X0lQ=uX|&+N;BV=IzA^27rQU#d*9BDu+-oCO@M@p+h`V{- z6c~w_R~X1&LMR227>Gn1BX#<t6!VFFPV!TJx-=t10$0BNTcojZ&r_&lr)_s>{X25( z2B>LC+bJ0U-e0g)8!%fI0d_t&LLG;w@u5d2?FN_{%ygjfVh}W(Zmzcy3ITi*YwbWN z@G`kC0U4Q_RzHhSn1hORl6_vGpcMHA>2!j8!zWcmBF6P|{#t3=cp7qpaCb!TAYvLz zd&qGyzG(Qv&maYQg#Bc*ywNH-qj@YUg_%ZT{JWF1oV}DkUc&YAN{Eo@Qkl0FjDmBd z;nV8l6s!73*)d@06-e;QemWowf#uGl`WWE(SpFOIo=i!RCVA3<o;`pn3kv%!nl|;q zO`z4);sHe@JOa@MY7QY_4PYt}2;&)RB>KY;uqX>+|0p~&M<}WI#l(geV8x+&*(<Xk z0~oHpb+8ez@$4CA__t3W6ZXVERhW>5EiwsaX@q-}SCST$q$mmq`nHAQvslGaz~*bP z(XeuB^%Rj{tB5X4)eBGzbZk*1F$4t@=cgohjx7{GxGZCOGIvTy_6m#Yz|jM6;R}|~ zsV5vJ#Z(h%%1tDW+-~8PjR_NGgLXsibN4^ZAMv)+?903emWo8K5Fqi4mBGx*RrWpK z>Aul?rN4l^bDE*N2>3w0p3dH^%`<%KJ;bEy1!eU>L|DM7;R!f#fH~Cg`dV$$B|J4S zkiID>(1^IPK*|Qp>j*aSvG9&fJ|<D>>0V!Rj7bP`acgEnvvF4GN>eCIfg9c~!%gp- z7Zt?LW3K!$4fx&t;f!Igfkkg}0-Cdyio{ujz^d6$IMM*1ck4tQ{rzht>zr7RsEH|A z;Dlx7>N4#GelbWb)rtxu16uCE*g&oZwb%!&pvO=|!;-PhVsLr=r{_y$bGbZaegoxr zaroeJfn@_t`yO^=XY^hVIO$-iVL|#kzUwG&O=vMN@qgi$h-J>j`XPHMWkW28tU65b zGi13@k1%~yk%Mf30%rvF!^8i`47k%}f?Q3VJEM?Wwpx?3coQ4I<&;g^Js^&;K6c_` zvV?LClSsps9^eC(No;|h0<}Bu$jAIWu78{!v70k3qKfWaMZ}B6qzd@?)=H^Xs5xxF zlmys~8fT5j5R|v$=T-y(D#55<CACx6Z~_Jrsl~rXHc+H04Hl(3*FQrzXLF_=gIItM zr~YY0Q*maiK<giLyVcb_WV1>r=2$yn1z9?0*>0lYhr}L#csWve6+TvQ{)ihhbK_f0 z8Sf&aGJ6eua(`Rr)Y~8<A{igx6c`o04y-iJ^?@3u%vdp?uVS_6gr%)~Kzi%m1^V@Y zO5HHbFv0*o17G((tVXE8#9g~TH%gQP{4tqXNM|9JYVxMb$IMTZ1Cy%PzuWLXV*4%@ zG!63qAQH+kN_s@3gQMLIYpb*D`7_@AAYKFEFU(*VFomsAbWkRNCJyMFRYNX?3tJ;H zY1L7sHo-agEhhkWQF`!K5<O<{@BICvAPe@x1|(X(siFVHnr*&#QCyfQm>+*TTkcY9 zR3h3RO}Z?V+(?a#$Z=Rwirzs)K;~F<SUi@gvAsgvcd#_TYQC?(9l{xe&S+5j2MLE= z2*Jbz=1Ks0zXnLr@H*8h>@lWl(9D45HlphVL}J_n&3+!6Ue1-6+`s}*NGBVL)3hST zkx69wE&-ky4oUi>HtNm*c0;-ZLebX~9*oGsVwR!Q6rUZ9fiJ-b6c7*IaIU0h&r(s@ zmgZmG{-)+W`pC?`3g=B+1ZQ`QFE5SP@Qw$T+p(DN>r6;9yZx|76ARGG?Baev{i&ba z15DSrMBukoG4w-0D|)Ii*)+carqtpJ%!I=Dg5|3!mjFQ^fTF(l)bZ3^(Dm&QdM%`g zgm~=^sh&=NqqOPe{G#fFq}f>RZ1==Y-q8FcX2P^ZXG9U9jC7r4iy$=7y}pkS3`BG9 z4n5LvegVI@xIDvtcwZSm93KZ#U#C$+MS7~|=tC0g7j(QeBQPg-Z_Jo;_h;%kYVfcr zWlPoLndi!j8t@U|G22^&%&ieF$o)Egx2y?r4ne2~oQpJJwn{8eqUXnI6<87R`i-<x z%XfTWA`Jd~Qvzcdz<8Rl`AiV&Gca<%gy;OW7DRAbSt<MDOu$BM>5qXwPK4YY7Gok^ z1b$IvI{`G$`A6&2W&2QM8};muc+mUecowcp^bZ`-NIN}N6OGJS0WBQeDdr1SSVDa3 zfQW4E8j9lsGQTBn!yX6=2yx9gaBn<ZekyeIZU6p>H_hzLG2wxz0(?Z{*U4eylNgMw zqsVL5)Ac0KkDjUidY&}2;t4C>ibfROn}~a!O)b+l*<^qsyI?}47OT(q0|TC2vj>fu zILnyQ@;LsYI;k#7a)o!c?3Ns6O~#%L6pPy9`Is0X8{S+sm)?PnsMLZ+7>x+@#?7R- zZ6JXwRV_{|gY`fspFR5a^boRf8{TPsnhN(p^H76GIK&17iq>IZ19N?yai@WX6+Uq$ zcgB-Px4hsk^15p^&Y60}MNzI9vl)rQpr~|CmN@J(93sLD3Zwgd6`)8MzRqgP^Skeu zGm2D*FmZ~BRP&LWF7?==o&pp%RxU(C>U=SwuAyNcU_e5IYp&P&w8vORHs)EH^6z3W zuvrPP+-oD3f{92<V6pP12Sh{fmzCKOounHx(IT#BS5uV0zb1lUK~;-#^XU2Oq_)J- z0;HtW<u4dvEvgeQg68`B78{wE5`fVesCceJv*Q(&RdTH_PL~v4w=kq~u2C#Fg3J}# z300-c#3D#O#QE?gUZc0QfRZFf*El~h++){6u{_c|oiFvmnRkJ{OAm`dF7TSO#flCM z8p1*7&a`p7YYz5hc=eULO%}uDz-C)VV|~{xjjz2?&@<`Vl$%Es^gseQALQW)8O_v# zq~!DTqDHhCEZ8vmfy?VwbUU_`&Ipf=0U~9s%h_oQ`!)I822reSKyk<#YAA|usu*4X zH3;&D05st%nx%#NVkD~;uThN>_w|2eVWS+&Mlp`K$j;!m!XfgJsDAV@#Ri72+>>Sm zg0>yZ{3Q@}5K_V%I+aKoKV6l>;WWw(1@r%MSg`2&JK;*&SwvHmrsrY6rMT@l#vW?u z2I8_EJ$8n6b8~w6^T19Muo=g*aHT1nY#`J^SY*V<*Mgh|Wufw)6o#VeW4lCmRF5j{ z7N<j=_YJ<-7(|<`P*Q*R2d@C7nQiqO2GAgBlchhbDLZ&&Y1L~i7uu78h4=aV{=k-C zc)Gs&+7D8UO@S0$kg!Xbzq9@^x%33C2J&R2g6qOH;hNqoBt0COw^%~ev86K;DNA+$ zy_}2_n&f&KN+B-&6Zo{oG6~F^h>0<11xDZZG$y5akN1_&{pb#EEO|HaUfUi3JD~v3 zo`uj{)iYq(*m$EI74^u0<_@!>+&)MEhv|55giu5Zf6K@HqA-b>zOTX1Qro%O8R7EM zjS&D*GoXG;e&y5Sql}+;(@iEBf8&z%yHdbN(!9FReFv%8y@H_dK_x+4A(MYSO9Mqj zex?CS{>Q%N(gVomg83|}Lbl$(i5J)ob{O2yFysm-Mgf|@-THDv)|aIYEJ2JW-7x%5 z7*V2UYO3<)P9C2;`_;k1C9co5P&aO+@?+3)XzDSmTqg0YJz(Khqc=>dG_bK?Yw+`l z{6S_TPJ@iOoXoQj)w=rA0v!JLo%NYZB5uuKtr6AShtUApk6haY4&D>7rYbY}I@}qd zcgPt0e}V#D>~?E(4dm0UpdyoJN0qOf9f9>y4PE%dxRL&qMDani!d_+j;pP$}uW5%( zn)&V4Hv9K^^BhAYVzC7eOpbMWn|s=NCR###9Fcz$Y8Qq!$~GJaiCd6uZR?JYuve_C zb5-YK{KuQChSrk8kgDe{#sZ{|E#iG=FQ*8Qs#C8}aYDvweO!EE><jU=HC;L`mQ?Te zY)shMlJW!#5VDKb<0F*+Fy*NEy3KiTiS6~ap!uU-Ee6-`H840!INX-h#oq!(KK>Gi z<$-{MQpyz=Vvi2;#yP@oN_D%)9aSWx2r{WOs#3+l2V$J>DkQD0wWjXkB>S+TS}K&P zB3r3sEuGs3>8_pW3Kr*P#^_FLm^d7Ymi#J8jSNksMiYL2sSi<0aVWl~1<EETa<0JH zTIKff6ZTfPf1-o@2Cwa8;uLvZ!&)#T)&(`>iJ1nk!$sg}Tr^R&tO{nR8oKV;0=jQ+ z;h-GCrWP@drp86CyU?9H;<-s-h<S9e?9I-)9AH^pcJ9Z|+D~b`G-mhLx^b+1YuUtt zJKZVhdF6KDmV!FiN$rSFGacpop|w9(Ss@97b9)8YOOXb@07S(5HzM@yiz!9>r+Q&! z;%arb6}*a%8f=(|5KpasfXm&sPM?f$$nqN=5m3R278P+4#1BUARLpNVtN+w(l1t!i zL${o5PG;?goT<7N^#Ie|0hUB9*+}3IL?Q}ycf;6o{T`DolRgjf0C6mI=+`;bxN?6+ zRZ<=G3(ZamVWAy(QVbHea1y(MHUz`#<ow^xnwiwdz1PTyfp)JY&_$?yx_3iIUqt<X zVj|2!2AiNRicY-YrH6gGDLl*Y_9}$BPfAlq`-;A5%Rc6Phsxu7&BOt*ZjYi<_UHTC zoR&+L+IO|x9cz<TL^46D4*RwFdz5bL7U}d=gT~w}yAdOmv?zXXLE%LQ{>d$m!*o~+ zgiYz=AtzbrsX}Gh&^s`c{vgw6H`80YR>jy}B8gtMz1$-#fL0%+3dBSJxbvOL(lF8U zO9Dv6Ct(DDh>;E;YovID1$mnYOHGZJLU3EtdmJ*vaCn+xde)YNzR{2Bqf9v^bk%5M zbp{;cn4L`*<sgbn)0Xp0Z!->iwAYddEMGa}bt_d3K8hXwnUe{oCFBTl=p^kJ9)EjA zg5bb;st=xOpxLp){VqUIFgi10^Ql<wTGsI&;ORm>^Q|HN3wiElm%pOoiZS0*pdD#5 zcIOd5+#ybXn@_w`*#SNtVmQO`@fl;j<tFtr<Nga<(<_r}SdAz#s{z`NFNmH1AXS{K zn>r1@0ENb#dXo*1MFHusp0fzlf<DXATr&CR^V(Gj19YL@#{70^HBn<TINgb;4#_<= zwbD9CdAVI-<;%4?aw_o{l$65N1947bz<kC@VPhi?3+KeE(9;%t85hn?+*nDxgK+({ zStP1y_C>9xCRE2kf2aE_X4c<cT1p{{$QN#zeaW=0=%24lKR4gUmxr)_NPTfmjw5O| z8I)-R*h#`F1C6P%mWBDzMXoVsvY<fQj1AO4?Nc4^?iFE}XASS`k5V{225>SV#<Qsi zG?+6GONCugGg~E=+$mYJ%=CLFGSVnKdt5pWJgqM}bHeW^_Gd7M{??>lU{1fe--@Em za<5Zo1=3aD4J%le*i0-Vm3zep-9<ZcJv)H*CWQ?=7i;jvtj;5u1y=Uq+^MBi5zgP4 zI5#Bw+o>6~ag9bC<dzx0RGf#(Wm?pnB{z?1Vc%^WIoq>*!ioD}6Koi?x9Z^(WSz)~ zrcqV*L|QA=NvdH0LD?_oe8M#?{CrjC+`!Z^Jb1Lsm%N$Df+SZ00&NJl7H?N>YJq@P zQY3B;0^qG|y#e7mJ9<4XwAwvcFqr$nahK2=fcmKNWdoY|h?}7N_Bz*E&1i}-k<G+A zNkz9L=mjvsn|$c^bJ1(85nXb~H>`R0=xnYNdY#MZz0rTKdJTo+<L3<46bMN_1#fYR z<NmXNx&e1}LzX0qFyl#fG)bLR4Q`m)j)XcU!Q|Re2<>^c@cp#YB0$(k4Mw(3C($0x zM3|4OFQ*VrC&dDWiDc0e0)>@~$|PtBy}?K3csYsw3ydjh@5v1HlNX*e{Kv&T<4@M^ z%=uzEknhtCd7R~7h-QK54t;o<3~o4SH4k_~D`p%;@CFSvNHdh-u_UT@7&tHWQzLcs zXcB-Wz+7ZkI9~BEJg2&+M4ycT$^7KQG54gO`5S%#qQCDQDi&aL2#cWeh|tK<d6Osy z#7X=O_R*oCqgj;%Mn^fz_$VyK$m%-Jm&<7j@rBfA411b~0_TiOpv>Roi>O^4-MAs& zSM$KnO1%VQa|&?kYo~K_6OUrbV@MnTF&n4B6A&4CK}0jdpjGv!7@DMSCXqU+sJm*w zW60VU!~jQicbr@A93z#0VNTsA7UZoKlGFI3QaM`yba6!?S^GP!oKm3JosIzts(?QY z8a(Os+Wd@3U&-e>T*&^N1}dW6z#Imujmk8)`xE8v9BfL4LdaqEir6x{){J9^;8o>0 z-HDa!t{AT~@##>v{p%@_S3~<X$;i{-$=l}5)JAZ|+bB&Wy1r6}vk=M<5nfu(;73T( zJEb#54k;Vv7e574FE|SO3I^5qNWK0PRdx5ZOlJk>X@%Od$u4NgO&egErP!K0QN};Y z_qIRab$eQMV1F!xLoEI^&nsz822R2HSbmXUvlpK=(<i1yM{wux;@~7-7*>ANgUbx5 zhlt=Xv=gPTtHqUYVR8`YF)!fHIL+&X8%la{6z0wBe~U||MQ*mi5K-mulTxXN^lLNb zJw1GpznzxaI?n{$oCiLfTSHDAe!?(WmtKmxUnaNYh@{XO9%#;5XdPAmC5K2^m$x8s zt#mJQ8cVV2sDp70#xf)wPd?ZVNa#+d{dMdw){i|p_SDp^Y;CsNu(b60tsl@$nv;5I zCRw<US)D)TVMaX3!a*Y)1LbVH<7#uR`F5%wBuV02>lwR+a%f4y%}|G621eHQe4=M( zb+IM4$D4NQ<_Hm0W=d3piji+aiGM0yhe<7iM*QRux@N6sN!DlO)Lmk2<ZCOgiUd3h zm!4T{5n-;u(RMUuxrJ|%jc!g}XAMVisiDoZuSMbAxh)ceTywt1{$_)<R$ztIOfuIX z+6)I+xYE|rQKu8AWN$>cYY<c&viKV?R@DBYxcwL$)hGt+dg|^Q+db+u?>V?|8%*pZ zYNc?_SYBoxCLK@!ZtD(G^cROx&6Xt{*xXdPIENRdgR_T&4O=+QvH=DxrX8>WIc5x% zs(vwsF~dK(1%kDufW<^U-<g-MZO1i#RlbP03is_f%SG7yl6kH5gnQj>czx0NO1OvG z>5CB<pV8&<lj4WfB1f*$oi((Ve&L{!hTI%oe|J2EPXd+iEuKY!>nYk+EbjU#g>l}j zdq9;W2RaZ|E6~_JF5*g`2qyF<Cz|0SS)WY8-~c6mrOYZ6-*ax=T;8RBK)C0xeRM3N zXV$*i9ULGc2et1IK)fkihG%GzTMy^+ecm1-Ve~o0%h=(Kkew8BR+Ax7C$lw(L!=*; zD#qGpHmy-}+I~V3d7+_HcOFj!Oz%I9{Z})1Lj?>b&0F?YsxOtOjJR92CI`b^OB|i% zOANkn+;Ip#*R&0Gr|6c49e;Ds^Tz@W(2Heda?L3AuG1YsjExTFFeAZ-l=-v23(UU@ zJ6IpLMM&WXcuxTJznpGND2MZ23)ru$;48907%`@|-bH>G_i^x!vyN(7D-($dA@+MU zm3*OdzKG(QV-LPxN3{oiKLJ>fL0ezXW=(j<$7+(-1k^Q!Bvx;!g>WugM`-IhHMrur zqES+=&01r(Pnls`Q=Qk9$%Be-QO?)b(actoncQw3_b-%Pro`63A*MPSwy4ws04k&= zBc0@-(}4wTy%<*cVxUGYix%c$d`lg96Y0pL&^WdG_W+cm`e>$!^W>vGmFRrum_)n% z(S)yIAvj9*eHMqK)KiBN8}(dy5p^|eb5ng@5#*+9E<<R%PBb?4<Eu-4-66b|o28#r zk77y@EtS|nEtktNSQaP0r5d^C<&Xx;y=I8iyDqSzII7F?{;WM+UarfcCPx^qP05fE z?aUG!F;LK1WDBdKD&)Y=BlFt$I(+YtH%tZ;sk<1>0C-pbT|0J>Vhad8^L$5p5m>O< zjeC0Dl+?-!76n6L(tRaHt(K6Y&!)&%12=ZH9(AH8SBh<+uNNRczqGe0%m&XxM@yi; zQd~!WUAO=J>Q<2|xSzgQ$T{iyXo;6xYD=b1`9TK(7;~-AWP52-CoKoPxtESfOqnRD zFPIOVYrh^Z+RmZq#c)=fWZG_pXeT#?@7UlI37+jr(h}FoMm_v!4&J|L)bL^1>)du^ z`H7hwpz>!?xu`_@L6VBoQ?p94mX9r??Z2EjZDtBW?&nm)_5<}drp`hWt3xk~Vlgs~ z84tr8NG_De+-8HKZsxL7!4gZv7=J1`MrkX49%1pK)C&M`5eVnM?!qb~74JQ9^;F@u zR#IPNf#kBDS%s9Ur6kSMm4E?ES2!8LITU`^nFdp22y%7yX5gm^@JDy~xk~Gua?Tj_ z!uA~3QBSfwMUQZ-r3$ivJow+oaZ3OEn5<G~TVx7`HOW(hqKgg}h=m@8F8nj9TFIx( z_7P1`h-JE*YQvNv#s;g_;m&#S)9h@1*V;i>!uuE4>1Vt4K##7KHg<lkap#)0R0@V{ zkmz$76UsB_ly37Od%pxX`h{6Nrt_WC=GqakOVm9#{N+u(7S+9$gbdu#FdISG<!7CJ ze~~7feb?mhH=rwLqYSB&D)a0PC>o{s(K?9a+_{F+c+7c$VlBIYh@-xI8g2F5f5Tvr z%0omVB;)o4$f}b~fccPy+*D#+%GPQ+A+>iEW;pa<ImZ%Ncdx$B>hzk9pn@*B4)h(B z0WGWuv`kwPon_y{2oZ+$=IwhGHE|_A5%kbg%ZNACY6Bbda<*$7-Fi@-Uqa<Y6PM5z z(3#V@o;;ODEt$=18P*DP+Vb4Kl2LdsGRqxJRZ3l{Nu>xtoUqGy{8Ddnb3J8)0V<B< zB}SSR6}Zv_8+5hzlsZ@WW>0;!VqrHeOqfD=0q({I;%p<2L7;wFesXHU#OmJ<qEyyn zE8K*RwZGl@)V><>g8%J@%`dfEB&QTaB{9Y?=*#vqge6+`E$i+;MV3^eA$QDhJ?J2t zsPMH}3#QYyj&wa#1jGq>mkIF<TuyG+SaUI@K6I}^0G2N<f3eAYLk3G}qxN_{U0I-G zK@`eM+<>|8MOb4b!dzLqxMddIWEQP2)G++s*rfAhuY7NhdYFWL{~0DA-@Gj3ktdy3 z7~yv5QaYI}Gz##MG?9o*Y3+bTI&O&XmUe<!Nh1CY7f^bSQE(Z3-dy)>NH4#Dp^bHr zZH*-CO47aB;wv%^LA3hA2UMY|<7S(MOR~wfC4C(V**SIX2~W;??*aI&h=c5<hJ`z) zmN?H)bn?s|KrhrU0G~u~VJBsA`1fTN?Nbd2^<YaCkm1s0&KwfD_QKrv&1ghqA`@)G zD<T^`FUGd+8&c3-b5Xkedo@VDRJqi>b$5+7GU@w4Y=iTWpw|x~FV~Re(RkkHODc$q z7MNr!>zpWfJC_OtHPtxg=b3yjg6)Sijiq+n?#@&9`NuS)PX2W0ZNWX-+pd(#RD;ls zT5(qp=yEF?7gab8&aF`aS|J6-18~|di8PER(x4;86X8FQQ;9O32iF=_4hP%X54*ih zQWF@{)B($wR&9?q+ykqd%qDxA>69{~0iQO{8J_Kc`jb;VlWdO+qH{Z9Y;eburh(QA z1<=3i3BcsQ*7(ysT*ILC&~okxbX(B0qw~4UzAq-2I=#($cC^zr;wk&v=Sc;B>!3na z{}OrfQ1o^?<7DqZj}F{jwjEFsk>f9Uy>-efZn14gzQ*n(*@Xcr?Hyx2cbp^1Se4k) z%`b;>GpS5b-78K-9nlVdi4KMdrd52ue7n^tPj+~}ZvSatt86=vHF{N5y0u9yiQWCa z>tO&ewh^6l8ga|l7xm!80LAYw{KS4`Dz_^~BI_`CvHFm`P1>vi=|%L{MJTKR>nwH( zp-^;jv?w7^Asnf}=QMFgsHfGuxhOY!4s5U!^k^7M>y0ca!n*r<@<J6GkRzg`UZacO z`V7BhBS7i35NNQ1&IkeynG_fw`IAY~n>}Q-uHG(>N5aN@O#Va#cMac}r%i^k$0TKQ zztV&#^jPYlpSJ6qeV0CeWhVqJMYp7@Hx$1vU*LWvrr@(o2^V;eL2yR^qWUf5_S;## z7y*SU`PN6qd4LPb24Z+|O_FB!uTG;?K16iWddLMf-Krb+8P2}lLW!QwVFp3XuJVmh zG?iwf4Eg?S{uFLUQ!T(OPZ%g-utRnMpf%_wcKK%_assJglb_S0vv%?Wtf#|zwK9mO zCv#=mcS%xP=GvTPbwE!}K>c4`{LY8=ZjO1+%CZpOKfUjAfULNhD_+wPPb#}Q(H3I_ zg>h9#EN5nhhRWX>@#NhYT#8mR#EVMY)v=zZnB9k+16!hvh^a1#`Mo>1MtPsaH4@zQ zX?n~8C(i9LeHgk;2_1T`P_OHjU3<iBs=Nz+WUsc1`fTK!?ahMBkS;=?s!gp%`6_Z9 zvn_y3z><cq*cro**fBmE#sz0M`f1vRG_10PEK&o5H|ZXEz}LoUTAL9lYU@Hwyh0Ga zFQPe#34owY`+c66m4a2<aRKd?#_&$+`hUsvuit*asgYY#fSu>x*$+SUsi;G!qAeOe z{T2=IL$d*lAb~$aziDW>Q-EiIBs-cU9v$&4z*n1uoqZ|=C2d?S_b;TMkD<FcouqFM zwXfQr;d^ESb-luRK+p}OOx?nvKz$p7-KT|xR~zI3h-Mp<6DwO6FE2BP|JFM+BW1-a zqs{T?s0p4G?=Bd(_u@+O$N&7nA%4*>ME1eH@6I0#GNX@Vhv@&F{Q9zeyJO?V?yjrq z2B<=8FH&-pg)Arc+mn-vho2L5Wo^mGcg#{3=}Zos10b|2Ukx-}DzF}B6;othvUBUL z1cXdUsSFZyAm6}pj#7fg;_$cj&)V2yEg}S;PyE?=<wtnV_J4i7G4Mz9$;YDR3bu|f z!Stq*rE|X+G-~<^`DjVyz~eqYAD!)3QUQIj`{5LbIc6e7XA7glNh5o4<Z@XzB>l%@ zkNT2^=!i=ss#~!%>;NyV7JtEL6LCE%H4DX$<6i{Ttd#gQH)gi0Z<v#QJ8ODa=99nf zdakD|u6Q)IBZ65<YWpn}#yslOPcdnrt5In%b2k6}YDWJKciYc&D`m=cJx>APN8=B} zS92o6Bz6)BU#igBLRl$-xS#zg;%wOEaxXvKN2TmLo(&?KWPvKtz$@kR&6`uzqo(_L z`8&0tr|X@|BVK1(^~(h5@ltp9oEi+Kx3famTzo<Fgf|Z&m8M`1k&K|5L!sX;x|1Ui zeTT<T5Xjpm2!=D{B~X6f;pMK^mPb={cJ~usYu`*(WH13454=B*gD-m-i#e5o<&jX1 z+pE_M5Efn=t~lYaltUFSM_iqb7#}_BSKJ9}n(XsV-~0AZU~T%R8C;PiXIaD?8xPN6 zJzk~54s<B^ISWb~s#7#aStT?9tLmmZl@er<vyYse(PH;TB_esxann?zMG)N5f&bM+ zC0ZZ@K(D+KMX5>SwD7r?Zw@;RrClL^za^-v60|nsYcukPQkWDglnLidpF{h!rC=7I z*NoSn|B{wlV&hJ>xF7cNkSie<B}YRKu*pH}@g?UvD{XGlFqftf^IHf;W5h1W>gOHy z+XmV(%bzDDLU-XEGcxp-H~gN5b7gu<c9M^_iN}ik_EORM@=W<w*che<{x8>w)-tB< zIqd(j^-fWu#cC5^+qP}nw!2T;wryLdZQHhO<Fswtp1$)iYu)?LL*943WM`!+UscVf znW5C_yteLC7J{`5Usm}{7~39IB@z`&D823^O;Vj0!)|vEDg9pUC%w~2hQ*n>>S`uf zFT1Nt=s+p;V`Zm#HiBzF$1gLKn4CMKpFb?DB+zcO;myewuT4B)A<52z-wttYAO90X zW3A*<Ms(J(p&_m|e^KrHH<hx)gE06kdV7A8AMgZa<*c~UbXHR>zb>TR&DSccT21jU zjl}_F<Pp%4b-7@S?YUu-W~+23%<h!_KDSN7OH9{mWCl8Q>P#Eeh$pT8UU7pokTCGu z{$LWV)<p%C9kvQsNF}iqjj>I7Q9Z%ijgh|aqNxZ2ORYy6R|$GU%dAmHx=cwJy^d0k zZuP)R>eX3QxoQnkDWz;jSi)=Hsz~jM`nWjNaiKs9_8qpELSejMkp3GQ3|*}%Es5(w zX5krczq|L5*cKcp(-d#HVXo4i0_w*i>c#6A$n%ri_%8~gdySvSh@y_)rCp7xt}<wl z&*yU-aky89jj#28n3rOpm=NOhbU$V6OO>3t(EmB*t7Q-Ufi%0=-H~K468SvS{e%6< zC~+NN?CVq(ZO2GD3I@u{$?*(;^CiE~G>~+$4Gh3;NC(U9#3+sn&&}v(xExUp6XxK> z-@?pw8$TKENYey$XCPe@coKVqJ><19a#}Z8x-UKoF+h%%o1YvNkC~1iw04!JS&W1Q zRDW%VFD&Qgh*aIbSOj){a3-+AIQMsB-cRxxH@c#;0;|834_M)*{idt;lJ;kV*0~Bx ze~IUrrT`ELDrwYgJGQWIYV;@=Tb!BEb(Vn;@BMEsjlQH%3s&j4(9Uo{l`|T1{N-jV z)<=J)>|z4Z6ppc<5}{oP)%Y{#)=mCHMm%USod(?oJF|4<J*$V6d+g#WtT@4Bj5}%U zp(5URG0%Q8&pE38gUjYNz!PG(NJ1-J&O7ZH_&DR0Fu=H~c+Kg>;Gj#9#bxH(ge&8* z6;#X~D|wgx=_5;Ekd5+FWa;bdB^!2opa?tEz^9yP-x;ID^W!D9HJD$3Hh1Dpu^V<A zN8|dCl*9d+9@V{d@ht0IZrcFmZyF8bCz&&mw(;(w3D2dN%nbS?29PZFvcGg}IRIpb zi<(KOSUW=QU3w(2Lx{7Q&AEFd+_20}x9{^x;>+R-eJ{7i*WMR{BX^m=9M1<!^$8c? z^=ib_-ABi#o2<!?s%b;Xrxw+<nTi><LmE)jab9wP-1*5hcPvVJGQ)w4jCjhH^XIbS zj_Qz~T1=vcTI2&A$w@-aNyxn}@Gy+ro7$z}D*a<o_loCU!cSEo4u}(xpxR$8JCD0Z z<!&uI3nKLKj)ipx;^QO|u}@Sb%Y>7hV5i2wRMM(LQ9*eiK3}>CXDglTQ%M;IUl&UW zOsJ<Wc1t;xYxn^;KuZ;=#eaW)Fv))|b{T)9Lk^5;mIqegPFzEsPAK$xNamcnFA<S0 z?}(N8Voe<9XZyezfPVJcg`Q9SwTON2eq>&SoZg}F2-^arsU;;ug!W*BWgf@ndHdU< zHOxLtVaYjT15s1d3)C`kw|e=Zz-oWEZp*e+FXFM@_rAi2X%yjQ6w2J9_q;Bipht@w zZ0`4bT^HB-qK7zGWa$qVSRk;3Nr?KR6kVPveZ}XiQfrC5S*#;S<O_PbcIQSkPD(Y1 zVP3xf$3s36=z2>94gkQ0>i-CK>`m-hm{^?+%>E<Tsn+yz+F(Qa(aQxQmk&J*E}`vB zaG!BI;IgeqXL)9sVdY&Z6e1xZERjfo-{_F(`M9D3K=NLd^eknIfB=fx+M#;}wW+U6 zrdbsl2`p~co(LYj3#Gkxo@PqNjcr-2plRH9H#4K0RAGf5aPCgDVd?>{bvt(8+VN=T zP?v#wBlL5@=njWF2}_iuXhWzKX>wyp@8W<Wrzfw~y}U;8kf=0eq7;SWzA`4_Ugf5F zYk+8&Hs`_XMT{8ppu~_Ta?L$%y~JxVNj*u0A!}%K&c0KeF`=1+?Hq8aGZ(p>F^#II za%9Y8Y@b=^GWOOja!`p(_r&}A=uQ&VKxLv0^4hAY6PrHl(82Q1n3fvFqL+E1on|*& zQr8n|(Gd4k;gv(qq=6Rcn>JDpA)QY41c&ZH;)vLtLRcr32z2M)mj)T)%|Jgj$CUD5 z&yrC*JQ#hlX9;FshrA2%ln{WnwdoLavOV?1Yxx}tIEwvOEMC2?n8GY_ehqh4=k)+L z7Q=hOyRc`M938-90Rk0<rf__p5Jh9W1pVY!=NXMIgTvf1Tq61hvW0cc$3X#^H5}x1 z7}xKc2@XM3w`1U8jb24@qWM)t_P(R4OB&fAqVMDZ=LxGb!>2At@1Kk}={1S^pWwP- zL)wG{;zyc2D?zj%>chZl_x{P>tUS3~PW|P~wd^tIG$^(X3EWyik_`gdzV&e?@d!L% zP<2d<4~WQw6O#b63$EN(TzuUhi-$2!S0KAVbuQsw?SK_w=yuq9cc^rC9l)SCN=>X9 zI5DgMaH1|mrgOBub$@cvAI%tEVC#gGX`#BPm<b8RzIw!=^<jrV`Er>}*4fR1sV}sT zW?Svq2kU_8V8HllR-H9OU#}5Y8aq&GYJuPYDRmVHGGw#}2J-MeCXIF^YuZE>a!uYg z&*wGtUnPqq*Z|*=7HLkNq1nyRWcRg(eW$hF&Gzd=QU@7M)mtgcixt%I!<aG3Bz9e+ zH%5);&hqYINhQebE!y*At)hUSc_1-)lXSGGD49@uoWUqv(6Z$;{42s_l(YQ{x2v63 zpC}AY0PKe~AfVmMpccM1<|T~W!68*`u>5vp4_mY!fYt63R14Y>)!*<33I7AI$2q=j zy{vBrlQ!XiWq%+tA(7p`&i(|Adz`=ql|=}ocyUyKeuPGRzX9wnqX*ylmAv$EBai|h zI)yF?XhZJ~(nko>ff7@d#oT<vnq&S$TWJqf_Li#NuI+&NNTEdj%c~i7t8Hey=gc_= zdk~8};F}|Sl^TsK#(j=jVaX)i<%o7~E^GB@K8lE9ga5M7{mJah^IQcFv3TL<Q7))P zXacv9314KOTf&HRZM(3Jh(dTjIJldZ?=11lO4Y$kxw%C_8__bL`3{&njC19_(LLwk z*sQ)4NSS1a4a6hDKlQ%aZ248M#4XkuoZ8d7`F{2Wu}l4y#{phF@$L@bkn6f+r14G+ z5layKaP8b#vq9DJ^9=u<G{Z(?#NzE;t(+~%H%{*O^7(u`?_W~GtY?0zm_oEX9SHci zv-5Vk`|x@3f4#h^tqPtjmqD>_`lMab?J{@OxDtWyOz^Ca5QD?;$AN&Q_Fj45eRQ)! zS4;KU0SkmGvI0;*hb7v6JFPN{X**{Z%@XBS`>3W<_;X6xY&=#c9|vRNR@!WYKiN`j zI5m<4MQ^$2V~K^a9bF4G6QReUg$%d=@rW>wT8XthjR|BaqEM&}jcytTD|V)()0lcB z=jG;H-Ao6NPq(7(3T%aZ!k>BCIo|H?9(~XELr;pPJ6GQnE>P7*fljcdJJBb8@gB0L zNIo%mxqGm1bJ<rJ=cfXQ@q~$1Tj%T4f!L6-Tu>z(6QS+mV8cfQ?b`gJA!+o>lf}lU z7yN!B?Vj$}tCI&ewZ_Utz3nW$y@Zcs7&S7uP2m!zT4R`a!N0-+brOOg6o*Xx?$e1# zRHH1R1z@g6mR4iAj-~nrpo~P61`cfr5fD`rf}ii!$C;^ly<GXBgeECZKujdr6z9Vu zZ9r8HQ#=AKC2j*FP%n&_cZF>Fe6Yku?LYTrkbcIEY-=>oKTs;_Y<L<Nad!eD5cO3b zpQ2wkX-y?)8YWs#i-#p6GSEH4e7>I$kIQG-byVvT#zYY!NVZMo=qk}F2Z^Rn)8GgM zj3|OE8&kc2X|yf9qxw^6S}CQIS+(hvYI(eluFe8Z+e9`u7}&^F>cuM2Xm}gP6v(%- z4l*A=pu*ZKBZ!0VT$IX)F<?-`PT^?AXF^7Wpz-2mejCDNnCrOy=2kh@=GVq(=hq<0 zdzwSEu7EI9BR>03n5F=;Y-3G>aa}sB>ZKV}6k|l|;qSB~J&#C__?&IRMlfd7fErXK zrI_}x@96H2*fDEde=F1<EB&^t%}rff(@QNb*=mCX5j0_e+@x5_rFR>ZBm@t;s6csJ zFZaa%>9tQRTDBXSOsE!2^vmVrK}cq`hcAAVd>@I<qos0@xTuWG^j&FpnT4H3Kz%vV zbHG?9FPPWuyAAC7iWSloMTNQU<#jPX>5A-C>`SQxO&eUYlBmNV5j=|~6GG`nL;?)$ zl0;WR(E30UnR#vsS5tQTBkN3X$1`}*Gm#!B*hkP1UX(d1GK{hlI8Cl)gcrW>8mzEG zu}4N`)CL}&ON0p1!gk9pY8hj|!8?vJ-%8}4<C=3BJ4HfPL-=fiP#`*jM`7T+az`}J zdn>685<y-cRZoeKc*Gq~;(D*QyYqjvJ=JDtM_@zepu6e^y+-jCVHiXNOb5o}_Qwx) zY$FY5vaG?nuCZm3nZS(_g4p-*VoL@-4+U)x6$0lP#3__&Wh*wWnpHmPZvNpxv1|~P z^LwAH!{GMfCRNKH6S5X{V<>g6fSO^)F9B}CQbEC;fe(0adi0Gq^)ff&ur-MM1bQkB z#|5lk@yI}>4RHevj-bcO<S2_^H$FK`z9IB2J_NQ)e9W=b+&diLaA)ENMal|+!$3RW zL()_OH2@#RH70hu-Isex?RQg-D-58lK5`Uw%E=RzJ_gzXX|eM!7I%m?7U?P_B;iA2 zy|f=G`m2xN?`A<6vxbUS!5M0QS)vc+-x>5L=@acXKa>IM-)ocK{RnR%#A2H!dG&#K z7h=dH4=6VsfJh_W0%tU`(qki%b*uPn8Tlb+y+%JWT)yc&mGV@01Aw;XX#i~D)AK1I zJyqir3^P?S=!wCmVi20@`);hWG_CVGWr{`Y8r+nTAHTu1aq8zQu`vPh51J6UJhBk` zt*rBR{uvI;;ymlXivrdz1d1GDvH4>EL#wrX+sJ6<GmGrmcwgP6NGPCdz0b2qWWjTo zzOhb7+sYG=Ti5QYnxhKVb>+}nqbJHO8KtO<QwB_gX=^DUp{JR=(zuu1_V+eI`^+&r z*TFZI*i{k$KNSEtMpwd^&B+b$gvHa7%#fY3c%z+i&R2JbrBi`vwAdHBT(Shr0S_B! z3T355Ml#OQ*<Y)HZ^)E=J{-p^FQJN;i+j0loH~4K@zZ35j>T3xsft^ocmWiEBuQQw zVNAOqB%=GUz3W(kai=T?8m_6^dRZJK6$rND<XEHA>@w|MyqlXs6aVo|7RSEtF$aMd zZ$c*mWA*mbxJ|>f{4r#MK2}Cxr_@FKl7Q(rz;pG<y8P;4VE9aF$refKvW5J%P$oUL zY?7dmom*xd22iSPOM+q!SdVDja7C8PW)1;an5*q}=J#BWJZyt9#a+9CEkhtL5nvwu z+LNCS#+Gc&aYrK!*`BW9bDV!9XjJ^AQI=(mbw6Q|#aZ;|(Dv2{fBv?b-|yM(^!N&U zxrm(^in`^2*EDB@GUj-ut#rh4Zs)Low61#DIH;SOxGQC-{stX6quQ!l?9-7xvVeNa z&m<PxYiU^<F&laX`f=%&l$dl$zPQTQf8q#Xw^PC2Jc*4!`%^s1|3Llms%USD!d&_u z?7aYe=jz|xxnf6K=^X83mjJ@UqWX|PUBGC){!udQnX%;8QH~1n7U0llQP_qT&!c+O zl+%L!y$UtGmjGJtJL584W8YFZR<oA09yRh_W@|bw)`9}e3$<%Ms?)`nAr@(Xy?|6r zTMVEb>rBwL8YM3IG83@rMA)XxBS}8hb_m%l;mLLHjJz9U4zRJgW%R3UP#wBvn3C52 zd+!$(D6D}}f3}8-FQ$!u(`Q~b%N{_ZGR2#1nrmWEFj#u>1d(!?tjTbiJ-pQT^KwG7 z{^jD@z2zew772%f7NM}#er^oNQ6qPo(<u4kIH)^KiF(>h8V+zL-0dwrCvMJ~h2<pZ zk=vghyripD;X1hG-I8?Y?|O<(qX0-MSH5)e{a_~#C`>8SIjX6Z_ndHUctt(kVlW}Q zl7PnL{A60jk#lahy5UxQ!DQ*Nz`V7*%r{f}v00j`bga11)ia~oTM3kHkf-Lmyq}o_ zX)C>8GAuA-+aNS7i~qx=j0xHycak&8VR%c0ccjwMe6WU;|1)RPAIOSOxm)7-L6#aI zA`vl<G|-hSi_)Hhv*YXobQR<Vz2L0Gz|DMT#=m-zV-<C6X66@Yxw+%g^B9nJ61elc zS6ROm_6Wy`a8b3H7sWm^cggE6(+l=f2Q^X_=pYXoJNSdV-7*$@q9{;-S)2!AJY7U{ zZ2RrFUY|wYhRqOdT?jkK1ZjdwCDFt=*aEWGDm=)SsrHK8#!n474yWP7jmd+@+i;cm zZ0_p1Yt6NOV7&(~oT86e%^ZvXIW<1WLmO#hgz>ljyqRw8l6-3Z6rDTC^wARN=A#|g z)E%Re^gHKI=(D6?h~y5NdAtClf3IiNuXRVL-CXVugzx*QL`U<tZKb=AjFX0Cc=Ty$ zatf^ejEPw#73c^3e=DyWOiR`1e)H%sek0BPC(g{?gNfb9&c@!r`4@`*jc2qPWIzaU z`-&Wt#-U(JTM!^n3Uf6loD(=RPI|SDl1Q1$j{3TxZl9Q2$k%M@dg&hRE}$4HY}Bpi zvnuomXdU-L$KXQWZM)qSD?5Vww+d9D&jR*GByr9)*`ts{sv1GZ9u30d{xXX&g4qaz z@Iqo%C>)LZG#=YThB?oYQNbc!;>jIcO}oVl@UGbZk^f8{$B2a|S8jAAlWr&)A_is* zrY@2`2+vDlt~O^ZfnQ-QY0#MNPs!A(v|D)|kMF-7(C@VeyW8owHL=*m&DUaE6rH9} z;H1hoS58T2#&t*NFkoxl1kc2o?np;!M8SSX0c!~t49p=w!;2kzmSFuP-d3n%-YJVp zH}o2+HcGlQG2FDTo{AYI`Gs0wY4mp~WLfnc{>yXchX1Lt!yn*#&)*ue{AT|BpBghW z{(m+0QJj<;6oBcvQByx!kWzuO7Y;<0u+NvM-u0iel+1D+<|C>Fp58f-%>X#slV(fd z#q$!gI>=hK2b7<cvbc(uJ(H30iRlDOR+QOl2Z}&$yKzSc*4E8JE%m7=ISrU+Z+3xL zW{<~UOY05opq5s5ERx&n84BHNp>HFLWD&sQTBtF(=rI+OSt9q6>)nMT;52Pqd-N4J zCxDDo*slk#sE3@uz<7b#25A(fDj5;Kz!~f4L!@#ZgD5dAauZ%c($x%o(KgVI)Ndt3 z8nA>VQ})Pk2_++$q9%*edg5RU-N#-!D;>aUYUyuSeh9A7^}bFbE{)XZiNteb)K}dT zBb%`NZl2fx#LTo_g@VVJp;`PM!no1I={SipqN5ni-x)`6l-@(W5x?-&G)iwb27ZcV zKUm)zHkRTEJgOCvEAo;?IZQ`5SsWv^E*l<hy$@<vz35ke6A9*<nEL}xEEPggvz~9h z&t+~X^(=bn!qb9S_(kpi{y%{&sxa4hn7{u+<*%p8|6MQU|8KoqlyvMi2vB@Z)bhGk zubC<>l6gcXi)5OYC9Sw**P6;B5$bD^$zUMHQa(R)>=QZgj{pH*vYci?Ys{lta#RNp z=jqy;y<2yZG^HrI=Oz&MuWV%~Vpew7*%SI&Kn~7Q-IdiVZK5Crx$>E-{o~fpL%D9T z51Lcx!m7b5pSk3$cLWYGCa}NIwb{v;H@WJ98J7J|iVtTPL&ra7^c&2Wo2fTlx=te5 z74qAHSt9O=<dJQpbO6!1q?m*x{^jSo;teoTyBM|EMV053L_?DD7?lHSyjb)Z+pt92 zr-`>q!o<_TOM4vsl0dpQtpFPHBugc+WDUVsbTrk?#eI{kOJFqc-{lH_lFpCttHQ|) z67v8!%V_6Y1~>1X?m0@wkt%sG1|vil!QoD^Fp-o!L7fFK?GRnOjQ1wXpr}R;Xm{}9 zf0l)WhWsGb4~$4)Y!Gm5dI*diuuxpW{j!2%)A;55(5&CT9%4%k+4z+p3uV3I3T{sI z1C(BNZ3XR4x9o!_Yj&W^!*k|7CP}IbB`?ZeS?NvThlTA~d;CKQn>Fiif95n^n}j^n z_Zq{9U+#VD+9tR<CmD8diWlbX-T5bKn53(_6tFp1;THOfdsTT{_pzVg<xE`f^hWp~ z{g@$w!PZ*ABCG3ex>_l9;n)`V{CBRZe1L2U`;s@EE%Kw{TVn}o7gyd6KF=;%+hiKO zW5>t-Cw(tkDZ^+M9spp79RL9Jzs)V23~Y@J?fw%NIgM>)w;^`l={uaGgHx`&cN9Pr z20&*?a!n}k;D4Z9V-IU6T0<j-QhuG#;3E6;F+IiCCasvVcx+EjfF?RKGxO0bQ@{PM z!Js(<<z4D((}Z|AQ}hqiN9Q)gc&6t1PE^Z8MhD$iU;!di8{yV^RSlNIM$+)+_8Q7s z#o%9fJCYq4GH8w3bR^kMLS;xEga*Tuu6<W{5un%vmu}RFftig0>qx2TRV>5}AGMWo zlnPrDGUbLfUZ1R`3s^e<{eVsK%mnr*%^Kt-`?a#n0*#S*@}8sl$G71A(MVz4!Fy8; zwK|*al<;aXqV2t%73V02VMT-*isZSdJ#_ATpQ(aLO;S|7s7gs<H!!ebI0X`Khs+4s z!EJ!C^rU7O!R>#^X+?SIP`<mVDRR1HB{onfa5WA@9u_yqRIu0(LqOaA995K8D8oIN z(u*kRCs{&h=`3Cf7uzjKW;0&8CQhEN=A&`DX^H@x;<#^e+CR<y1j$5o40ttED=Kc! zTRVcbIo0czx1nM>q8#8SjYR9DK4qombv4ZFet>YYLUC|$72LRy_&lRT&<$%U!(I)X zgEm4W>H~)3grJRki1hwxC1JJG3r;WC_80D7@f80olR?W1M}8m(;P>EJLaS#`ZV-x> z>QFiUjyMX#GtPix;W5@U%BhbDhd7I6`Smk&7#1K?LfC=NHX}WDoTm1rC6QFUtCnc* z+8$A~meLD<C1EcK2S}Z*rJ;w2%u;q)JQx8EErt+}%{tmQQwwKWIX&AhDC_fd{fIN~ z`(OmJ?T8jX9sNl8rY{|?>fxtFFfO8Tj5iD>>A#Pjsx`~4y|5&8g$ML&ah_-CkLrqB zf9)D(CZk%Cy5)i>%5$+-LCxDhZ%<&=gX}BYN5D3exL6twu?9_xq;KM5d_VIaLeA|O z$GeMxb_H4CE$*~fVu~ev){QDDwSq{tXYQ=`1@CPnC1{=V>jS`n3KWc;kg7rXP&fk_ zJ}KrXM1YAWbyee)%~h3I6{lcUK$d_}8Sjrs5n^ghV3m$}s{`$r>pvbS8t95ralQ*0 zuurK51>uzCks`P2Kg`$?%L{C@7!4;48Kbm&l>;P{g)UEABtp=)X3Jm_0Vp~OCpM^M z&^4twP&r&=c6w!CF8qVG)TS*^rN}x?K^wqzYgD#ijzl7hD7>iQ4!`CEEsN&N9ZC_4 zY3>Jap#b1t8Tb!04Y0US-=a5-fq@M^<{<boE?r^!0Lm8m%^}nP>pM?gYTslXGj;G0 zFIw(dCZc<euV2@ybPmi(DT#EAv8=kW88eO!S{LmH%q3o^|DFI6dJfGXsEgWowvOVU zL_b%k#G*>1{dQ{XHoy(|bfbW=kNJ2Cp6+B@Qv%m~{#IY+0NL#(4JJW(pW}>($vVDh z`9S<A_c1H4wI$ssIP>G9+%<@={Q1%%ZA4&=5%%^<^YO^Z7_=(nOW|H<FIFe)*?eD` zWT8uh1j{~;HcVhkn2U^L6psP;sq${CsLG?pv?qz@IsY{&kRp;7SEGEhRh!|r-#N-* znI<4C(*zJxwiBXkoJL<83fB^OdL-m9SqNG=+dfZ3XfTLkDkI}xJZIN&=xZ}=3yxHN zNohrgP1dhK*TCmw1*C;+_I!G#2zsI||7N)3-=K?yeyi{PTpMrJ6&ZMqq5S7)9=|o; z7*Z8amcQ~JlK~7>iz8^~5nJxIRKv5;yoXa?|FUiypGrr9k%|tO(sDrE2{!gn4Z$af zb_tCEq-R|S*U!V7opx07>F|kt*bMwI0!GsE?@ZI()P?k@(F{GCJayy)X(g?jFzP4v ztIFv4r(p#lT4pdaV=NYB*R3U=N~zu&DaMOP-+0VlB@fhD=q>@tcYHx%tenfKHl|~^ zql`wm2f~G(!U#r3{i&48lF9`T`<pVl3OG0|*nmim5l(_A#40q>bK_7$n{??Ni~IT2 zfy(^>!oQ|y0gkdds8*aCjXl+~^9K4_pIjrIMCe+fz8YAR_zU~d)-DQ0&aDVCSr-a` zFEQK_bI%hZ9c}Ee^58KQs0C2==<0wMpvRXTza3y4TQN#oc>BB$uRgc2McFl7^kj_( z;--=pbr4rQWp$NJBWm{9HgN0eYvEDo4BW^0cGW0$7MB4qih7%l=>3@Y*?=ZKZXkZE zp~ctK!v}Vypq+o{PU;xg|K^$m)mF<FLPr9CL%8@>G{ho9;t)~@qXZTnn=Tz=YpgoU z!tD`)&#|X+I_7IzTuQ*nZl`AU2%2lGmKfkbmAV7g8}9z{8=y}D*+*Dwp!T*PWVonS zfW#HFZO*f8bd2pqSQ=<82^9lSKEIwF+~nCJ<kL52T8%qx-7Ahu`bu@r1K~i|3*JuU zhvXX&FJwTM<&%mW6)gOV3>9WO4w8%=ub&GJ>^czmV%B3S9Iui#E<$B*Vu~M>vnG%z zmlHmrWz||nVJVy%$e0mQg1ZFDOHXUR9~L8}w|;0ZP`B_KRBB4~k159=zL|o4#bhzw z<2ha!^&ak7Do@40ts;ud>qlycz@O%N7nZ2{yNjryQ9Ox6i#Z|8?k7Ahd;+q}d9oJy z4BaTk9_7qfn5)i%5CxI8ZY`2LN~$;ORGoVA$iAm9r6pyvC>i@NiLBCM;$OlP!n(oC zG52F&s4264py~B%@bKs?9zP`I_y$#2&qTD@!LCNB5$#sLFvTTQ87kpbpw){EY)dYa z0r5It66BI)ovU~u5(zLJHqP!T7F|y0<1>f=+durH?et%oqM>UnV>R-6D6t;~B=Q-` zt&m0Mp}_HO`^Oo0H||UdRt(@KBAfYCoUzJUI8eY}tI0$Zw7RFu+nKc}BcmwieCMAd ztPNyK2lI2e%HNA|nT_pCPww8I@B_ptZnDd{W5ns?(s<s`yaZRRv65j|T-tGX_z9O2 zN=$OB*cm-tWLufu6`u2FxQ0k&TY;M-BP}Q`@q;4jYOfmW_h-Q^_zWV|6m3G!#V@4} z$BSAXpz@^!0WNw^<#!QxloukzA;--!RnJV!8JEZ9;8|<F?ok}!n>~ti2r$!erorqh zjX#DsYV@VRX@KFJHuD6|#|ug!D*7Dqr?7wevXoYeO6P7`>?4jz8Qfu?ur-HM9h}&S zjd<dA#}qm|Bz~K}8PUTM#izUxw_`Bg_=@N=Z~7L#9P%U;j|`nD!YK^(x-V2Rf(8|O z<MuHef!jALeeRSd_p!KXc#Ij36Evak2e9{rVU~qV*o@kN)cpMa0QKNi*_H&^?@Rk( zh|wUK!6{a~ftAs+B!9GE9&9xr-e@f3s-7JvcI|yEAH^3jlkiwlM_GpKShki()58Io zEmv}DgnXVcm$-XMcC)OH`<et}1);d=L=vt}-JRl#JSm^j1(ee(klQ|&Dn~$gTGCX= zZeUD=z25xWgLw7*g3VrChW{wS+<P!D*^>dZ>h{<{@{W<d_2O#EoXM`gSUE1l8bf!N z6en>Hh<bvRaCtB2$>+X64RAJp6oA2RPHq-yXLHXJU}HN+FqYO>@idYZ6o@a<6tioh zKx^))U_l(CNa}*_I>u}v;@b5F4calAJRpmmr(Jsg;`(#$XT6-${*H0pa;C6p@Sry@ z4y5(>_7c~Iiphz_9m$8+1ilI59P3@T{e$a#t5$v07kg;Xy*2@Ey^j#~yjv`}7=KHP z{@ppH>3%6`KVoAMSV3hML02A$+YIs|0eucyXb?7=y#6oeFkR7n8(V*7aUQd#BTVr8 z!rdgAmpSAu9%2u_1=1t8qBE0Q>V<1j{^yuDWE9q#QYGzSDhDotVG@_r_*UjcvY)LR zl_!`NK2@VwxS&X6@-Wni_PWsg%F|m(xk(4@$gk}6+ThYDYOR&VGrX{2OyL}v^Mi;+ z7I#bKbdO~G0l?Xx0)3-`R{BF%!}GZo-Ry==x7+6d54&BH6inass8;|@NT>bUd9L|o zUByn0)IKGiH3z}McGUUPs3N;_4aIAWO{&S`Ywpl&qjY-==rVtM^_gFgv1UkaSeMeF zPP?s9=Ja+`gDx5cgp3>mMQub~$t^1_gVK7H5x-F>BQ9n5Q&NeaG@T_p(p2sJcB==c zzlKz=mUAfbjXVw|Di)vLW3yaKY#ca<%;Q$N0Nn=})3b?ah&EqLaGwL9Mc_g0z00p! z4@(n@JBn|e8PYyzINfc`b6;aTFS)6f!&!KwBIP2QdaoopPEQ(F{qNP|>?*q=4HSL| zr|$i2P=NTC$u^_CpRz+58Wgud%6&oUXg7OSof@y6#DGC$uG(d1<e&l@ULRbSz=9uW zLnDHxL*5U^^Yh|Hdqdd;QlKRft5IW(<`DbugFhy28TOfpgp)T8vO5X(J9lX>{_PDo zGmsDm^R4=Dw>MHn8}e>^`6_n>9J@kBW;Zn#@4WMsbldkj4tyJH{WU>riqifrLup4G z7QUTFr&V2{fJo(C$JpP5&x(0oTs-(qR=))p3-E3=0ZfPe`J%0>s==Z$qbQ@*0s)lM za1O}9O`X2)ro~vRFU0n4ES$sGvC;5GrJ%wcnAyHQFDODP#mLw06`{ux&j9(VD3?Kd ziZ1pYus<u*;+M&i^j@v012`&J0<l5$3RQZ`_?MSR*ASqX6p<Cuo10(wfh1avGL${m zraqS7x}c&yn|s)3<v-P$xCPQ`aGKAZNN2GiD6w4*^c~zi(JfRz@T?u2HueSnTcxK- z{jzz--}{^lM$LD_fgY-RCWt<o%@mwOdB*o;zR#CyU&cTx2ZM^%q7fAf;QYKPkc=PH zAMW4h`!rv7rHg)D_?n=y4{*hp-Tm_r!(m7<gjaJN<3r^4MIU~A`hFgnkhu7lKVVXp z=`*V)43E3a&*oBrd%G~%Q`;r@vpYR+XJ*fAynb(YI6ZPZ-P~ReNOZbcx!JmXFT-zP z?DV%EmrtFoC#5I+_@tIfXtF%r8P4=`a1$lB{4LJaGZyv}rjs7LNC3-G!!eeZ*I6v? z<8ws_D-Qw*v}acyU%AP7{F9<fLp>EANxWvgCKsPCI|_Y%@x6^Zs_gD>UTQ-+3V(B} zUz;H!LUbLH^oh`B^W9vi)5$uecUF0JGbPQ{)2OGckj%8Nboa&`H5LFBVg$TRXJ1ye zA;NQ<JoOmwBB+xJ;eaYVjCAfoDBP;%AObqxW_AP%bslgP=Zo82g-IFd&p_wIR-d>m zQ;uy=hWp~F9x->}<+D#sAQNQ5q@*ESbq3@hjc%j>kH83qe%eje$%wdsFk7aPWDzCK zB?tBfgU-OdA<H+p$@L*5K+IN8`#ilz{U<xBZ?{sehiiAMUn~?2t-2v+>J-~pdGbIi zPo=!M8rVXhbz|iW=H8JGW7+S5z+F|@vOoW)-)9jCzq0Tb`LF*Dod00}j2tcOoe3z6 zO<XDIoNer_d8hiJ1{h$#c0Y262o}KD@bz~MPT_(G_d|EflQP;1w5&GDW9>qwvxL6s zf1oA`+Krd;EuuPRo{u=KTuaYakL!-N6NFMnL^*AOFpdOHkqB{k$*;zs0XKT1+<4Uw z0ui#-K4_`z$V$hUH>dEu`!QTf@mbil&q%9ae5^e#=7Q>3?nMbC;B|5YaNgtgCt%pf zx}uuzCm2IQO8R^Q3CZ;Sn?WvPZtAi8omAxSK>Poj-2Xc*B~^PDn3#W0kI--qk9YI1 zu5kA-5cP@*OB8exvdc6JfJ_NdOwdyM4@gc*tWj<I2T_X9(#%ncQ3nU8)_dpv`|0hV zZ=$4kcUb43Yi9x~!*9i+<K@HW8J?oW9(M>zEW5{4d6-q>p#Q_=RZ|7AssHk>-w^+Y z%X6}DHlh7xw~fqy`Iq8fZ{!V*|9B(AWCR&2qb5A6_JtKt#OXG0f>5A^5;E*lkkP~g zNs?33JpY;_ONuHUqCr>Dv5mjE-%Q(+M8GO9B{K5u_^tu)R$Tmj+680R%V_g_eYm@h z{Rpd#b*n4vMtX{B5KEmseX!=5YMF0M=cWLE5hKQc<`kv>P<<U)g>&T|(@p;N&J37C zYPw@?4Yo}7_JjCX<@yX6ZlciHp~^+x)_pA;^zDSC>#i7&se`_uHKHOgilRyo(^@Lv zGgR%{`4JJDk!B;P?eqV>*82B`V>`42tGHH%sFmEbP%zk4fwg3)LJBg3pEL@Wgl8mg zEzx5y_C929Jhgv&Y&<M))1>wu4WPCwS7EmDZcS?mf2bZff2(9+p&LOYdIrW&n-N?0 zJOZaQA(9oB$dO-_Wz*TmvaTSA35V_iS;{IDicx5>rf^@ue7|X!!wHpcgN}#7#`(oW z!LN4fP6F)4a-teo_NCEu1%S4O`H8rrKB`>_z$iJ+-y1YIn<(nwxuNrn$-fO}<$u;P z2OsqHZkUAgqG{ww_b|8{s~j^+t#?9cqz1q)2#BPUP12R83+PodX#k1+Q&InNOHA@< zTU~DzY*g8m%5REKf9ChtS=RqUhoq#dR@O!`m%x8ERK6TnV5ZSJV$k!LKG8)}k2<lZ zJ@GlnPFBP`>p_HgZ$mgBZOm5`<+I@2U%_Bo7OuF&w{w!sL1;J3-Q3HGV&AAU<Ikc3 zr?q_7(nY$}$rs8}efd`lwyI*_#H<)sQyxnPT%24t?uzi5`kejOB7{7KQHuGYFm2^> zWO1cHxVH?cdC*f`7TGRAMq*rXPFYg;z_2E^Gak~U$eP6uq0Yh_sXX`{)(V0Enn0Tc zSo~=rZ&R=IIW~a0pQp`Zuw-O~>aXRmU1FFGlBdv)QigAi=?I~*#lTxk|F5&%a+KRK zl&_(fcMMg<8pQ?A)5I=?HJT@egbufY9(D?xi8{6Ot@UpB^A>7${Gr;+m|aNR*mPzr z=MUZ)MmdU4tY#1P>qWoYFkZaB`73YVqoRXXVH5qX<iApR3+cDXwS9+guo{1peNv0_ zjLh;}p|@TfiAcsx)5braq=WQp6;Qb-dzxaW2k3H_<kpKL$NzIy%p|kKXg~u1&=LXw zVE)fp;bg7n<YI4c=lGxJreCAI|8zcn*XRY*lM^o_=X0G6mzP{G9dO8+I=ap{u1^(n z!ifkW8Aj>@&Lv#0?9c%u5Rj5yxyU6-lIYi~U-Er`iBw6I!^C?MY_iiXg4>?!P2K)A z_odYJ%TyD!ESh@KXHat#Wnovb0H@f&sDY{&4y`#PUKye<SI&uA3#a)@naG0P#X#I( zcoaS*3Mb7|dT$U<QDaiP;Ch7%bC`_S(55O?f!Mx{F}z@^&%j{GjfwF3Z*=a>-%e2% z>wY9gol6|Z=`e6}ED#<{a^Rjva`#1?oBcC{nsF!6@b3Nld+U*vx*@A_FC6BiU@Ret zv=J)IUgR{Gmnpt6{Uh7aBq1Ta7%v8gS>ryi(wJ_^{?>xQ98$lxu&}T{Ez?<>FT8&I z3Bzp9&h^|iube3c;LwKrE-Ebwg{BZ!vUo|IK7C(jAPzd=kjbQ-+&Vld$<&Ql^L|O6 zXUlR>?V#1LByBy$ZjWa1Y{Sz=_*rzjG-R3g`>$~uR+2#TpMq$^ib?G>3OH-b3;>p6 z1QFDq?)~*S`xesP1krw4CVf$V*7eNlc?S#q4-FG{fVl0RPVb{jW^a5LA&@=>AZc?& z38Q&Y{~+>aqXL3IW1jy`V9e~`Z$6<oxkU7uLto_T49RrJq|0UdRX+(fv14FYFs1S1 zB$Re@o!4;IuV<Z3Bf_lUBf@jPLz|<PAG&2N!O@&5H@?ru`{-nxN}gtnAE76yUs!EH zDFU457%pv3)=a$R5~}7n4&`u7K!aK2L&(-htm4fmmC}1Spxb~KegdEg8W2)S6ir^I zB^+PQBYF6}-dhnt{)E+@JaWHV&sB*aT#UP44pi=%$`xxyr<x|mF7XUEkNTdKYhhht zX3gmTdwVU%yaS((RF(LofH<lks8z4=pdMoM04F<0XZCAnmDb?lUfLL_n<mMdc-yQJ zz$JDpc#RaCYNAU*-R@qBgF6tQFe&C@&|wCKl773}P<@Z<%;d@Rwmh<l23Tap&X}lR zn7<`i1xlJr_+D++Q==a}{JV@wK5BNd)BEZwv|5OQNl<{0M@e*|&-X;3C}*mLV5@7< zbR$KzePEbUMSy{O?jr#imPXy8ZjeTFm~bk^drx~G%mH36dP+L$X)To=<t)7_HNb|D zI)C99LxVvih}@lIRhP;D(SQk3hzC5Jo)Yp``%E!#w+R}UjAiF33-0eQMjz5YRcl~g zp*-jX6b}z((&dOT#5b^KT2yygoUq*mQgDsRgd#^!aw5v0=@p|jrmMkc|70FdKm|@5 zJyFK?HuKL$JZLw*UEkZr49GFR!)UO7FVb@<)8xkQ@6TTwsfWkUcoifBG}Q$*3Ix$f z3WETsSO5fp6#&FRy35k>bikpem;i(!AW$l>3V~QspkQ--Pz}(t5g<}WeL+?Ti>1r# zmn^VLiyhOTfORhhpT7{3Bc?o(wNH2zs?dWEpV0J@^YR%q7?o!$#dzUR`vR{MtUcQS zhCL}+f!TQe_MrEy)DEchz=MGF(C=5|&M;}-MkyyB#u#wAvuf?u;g?sNaf^9X{VHvG zd8Zkq^Ge7a82M&7(g?$`iwFRy-#4jbx5!uf@-&1qE)tO3<YJZ*^#c$kV>s71<E*|F zsZ^t+dS9mMfK#FS(DQAJsA(mzF*Z=Z=rf;|rT<rzMl5&{l=R~1{c!dY4pl3?F-h3@ z=L!VcWC$2!F9yGXrcuh-0oTY3mIl^e8wEi^l6;~GG{Sigd8=|9Dv_UnfDS4IfNBhl zA$FVGk^1HcL3sI=ovSFfn1bjKr8D2J|BwIc^elU;+lpH1;su9<92*oMql=2r-{ZDw z;to);V8F&|l8%s|3(2`RSWdwKWTbur<{T*yGzx$;#FDQb29^!B3qp1o8+mc`O@TC( zF@ng0k(simM9%|c34v32dA+Rex+kkE?W?s4oPNOLv`HLbOEw|}{zUehxzJtub$O$t zP$_UIK60Zr$;!v<26*j}V?2s%Xr{3J4j|IR4WKT}Gz$S>C~Is5nuAWN)?xN#b(Vj6 z{BC(*o)&|qoh>xcG1_Cm9#EKMjfKl&J#d#QDj5br`WwV^ZY;qV!LWTMwzmEl1jwM< z;hG-18;Bl5*@%60UDTN2Feq$E!gyDpPV#fqlC+K8>gPCXRMut{d@5ITDH@wA`m#&# zq!{X75%X~kW333VoPG3z0v1l_0)uRlB%SF6auBa=>(3bZR9qPsQ-$059ds;Q8Lm{@ zybpLfYK>nNoMiZX-mBFM^W-@1)~+ELq@v1k)M|~F5^D`wDgyAV>Y#NcUKT*iok(K^ zCcW-C-+m3AU!3}1?+-30hh5>86&O?}jXrSAN_=>%UmM7xF|IBA6C^9cbE){j&{~fI zY~BTK5xH??HeC$WZ4ljtCc&)7Wt<{7qukBn6g(7PKZIY%PpIiuka^W_hM{~Uux$uw z;*w=3^;5PEK?YW_?mA&a3X_KlRkiJ~M=J5SdtX5pX)oJ>E_C!fJp>(cHYb937o^5# z6lA9dRZP-a;Tk<Sg{|ri8V0H-WW^ZS8_Qe)Q+5d?jwa?#YiRnIX6DQR@h#umalwiU zaFYZd>m^+MADq4E`@P^BuOPN=lSPFW6f9<y8Y5M$f|XwPbvcjDp{-o;nb#ASV@91u zgZFXAw5i{;^9IwUu=9GVJ;>ekPeqkSsuUe=?K%(Q)+-Ww^1D;0X}DAvUHVQTGEm)> zdy-!3H8z)qSf_Y)nF4!pq<KSXx&!&0MsnWsK!70hN&9moPb)_IyT(SniGacc#E9-Y zrr5|z0VL1Yv+OViMcPcbwwWA;r;c@9=i`UuHX7>E|6swM1p>HS$$4Wbu4Qnw#^gs1 zG@9rB>Fln0kp#42ot&J^k{@Q{e%<Y3Hp!c*cHz_KEI4^?AAo$x*6$YmX}n5nyOF7u zx-@}s)5((mRHXnZKXr>^ju~WQPne8OHfQ@&G^gO8C9%#IZnY88&dc;ls%`d<pTsu2 ze7oe#HUf8}B|}gTR{W+a$h6u}?xJj2Aj<U;y53_}s?(4jz&WNC1g;CfRrLr=(E4@c zv2*>O^=1gumOOs3H5~1P=t}8+kOH8ubG3Rp$E(=u?3h;h{G6zL27PPvi*z5?uX{2# zO*}q?(2*B(CVt-0_w`Mf1N10V$eN^z9M^|7&>uy;-N4F=&X2?E_uQMEO`YDR`0*Z= zN0vE*rJQ^x@R(dY7Ob-l*@f`SmGI7y?QW-SFa3(t<nhCfaPQZQ9$$EJkGG30K&N?@ z)Qp$U6*Ry&QU-~ZS*brxw^0PD0@^>ALMVgi$eA66`&#y1i$)(~P#aBb7=?s3c>M?d zT1z^K^1<DusT!a<?)yXL)vdke<}ZDG-4EfatwM~Vs`hP0Zrz`lwelo3_?TDughV17 zhwyJo%r^B!TiS^d_Eo`G@@bmpsS&qYyQV$K<=x1sL0%2s(=A+gSH?TE@!_tL0J9t& zjemMmRvTIV)uo~*-6H4w!^5mgs}eN`h}p&)_R@9!w3@^sCVLGkx6A5%T;6|irl;VT z>q+by@DVa?!h=<=SE7GRR1T@AMem@&X(bgxU%UQ`S=Wq!aG*owOovdUuZ6ANy4tuE z<A$GNkZa{3yCwJH&gi>2h~O)2IqW}=Z8E$?2?ZLWqRrCPfrFRR)!E(svbc>yo9x5j z)U*APHZpj#Ni^1x$0rj8?dT%eRk=s}0D%i9tNp=L1gn}>^Z<3Wy-f^B3K*@Bf1;{E zD=R**yyBL>CbO3fX<C+j^^S^$K=y4(THjihBY7FSox2JAt?3l;0MxfUM~^kaa(HHg z1A5Kye(pzo$`ALA{@>VLpA0gW__x#L^0(9Fe{wfmY%PrJj7{`hoGq;XqeaSAl8wz| zK<Iv;78@swBP;8!R*m#DPiR4JvFt1*iK2jsXx1n8GH>{L!VP*`wT4sS1i+i+>GiOq znUJyw)QnU%Nh3{iFMv%)U;MIs?9#48f>G3oR}6u?6DlKh9^c>h*hcBG_UmgcU{k<m zi8H8h-_Zw)<!_zjrXTc%cvlfB-Q5QE6@eRou%L*y=&Y|xBfMi|>{dR#zbs4#$>k}) zkt&`nLhzf*72SBU284B15_~tIXf{x1&7Hd+Ys)L~_F#vuar#F5#zH;PQtm2JN91V< z$F5GsQ(^+shl(d6UnmoY9`DdxbNoY~g~Yv1d_|Th`LHFSWCg-SIz%5_`1+R?#0uI* zr^Q^cFw7kI1ldk{_>oE`g4ePQ+9SAeVYX!STQ5lSo-HmjtzLu3mVk$-T^C~VT7n;- zxW9b)Us1#qNad_ilOsSBU%u!O6g2fAg@^v##4ELC_M0}}>g#$5>o!9rVF?MOM&Uz9 zY((~1C`)TYT@jbnNFvuMH3_8zL9L0D(0CC*wI$f__(r@-mDZ(gm*=)xA*r3cD?ofg z%6)0r)5@vSr_W%8CCrtIG4rRM=W|mK@72SgH`WY)i-_AxWzb)|<8Rw`{;)7Nz}Tjf z8pgYSL)`%$N1ihwY$)iPe_3mwSjp0L-e`?tFow*2d^%}3%TG{JAdAWU1Ry%rsIMS4 z&}?5=HB<NEhpRr}1^ot*6QTNtet`aaZ%Ne47@GWIytv=-KW#6rCXP-PcDBE}$|hPG z%AWy7<b_kzZRsyKg0^RjKUPthtfV4;Yil@m{~8a*w#+J0RD07DMNyUs2`EFmrafsm zcLZ2Wc+H3Av`nayLL!4PwbW5E4Y`r-(#kY92$#6j@jH0&EB7-eU3~269@u|>S7QqE zK^Y_fKn^|t0P=rhP&acE6YKwwL6~258zWC{U#Q?Ffa58AMO$Dn8vmxGlcvlMux#QC zwb(+5<k5^Gjc;OFjtqW2w!Pd&V~LA9vi&*!-TC<SE;_b<T9AvBr&(r}q-4;iP7WJV zU+_*s7i;MxMIPv>Uf%I`qH$SFDBD@J>#Z`^%SSEvP&UPN)JPw}onM!it2pcwd7i)( z*~`O=HquJfp9<L3AX6%DO~^REN}aYaHc1X3#v#{979)*U$5oV31Fsx7IKc0#bV)X5 zK6aGVNVdYUOILPKH8j!Si6|C(Il$mQ+H<J+{dB`GMG$51dw+>%>sCT$S8d-cQl0Go z3OOolt`x3GR^gN0+i8ndqogW_4dY3?@)xUQlBJMZ4BzMci_!SMY`VYc+Ijq1LzyY# zOo7>8&|&zHaNcfikCvjumUBf*B(v>aQ|Swtd77W!j*Vt|-7yixFcvapwUXL-V|5q) zIN3j6LKbBf{Okh-%7v>x#_wEB>;xdxBZ}X`U*Lbgf5l#e-za5Yp+Td3j#fUXU4VRh zdwsiRYisLvfvW@(ytd8V-)1o+4yBPv4(K1=6707F6iOUWf%2gm2+c|&(GK~LVNKIP zc+i^A;_^ldG!%+s2?K@~L{(<x34!A@<}ieVkIW9IG^39EDKkzv42jmLVc`=AMeOUY zv;#%f?+n@&tOFFHBl$2!<YUxnlt(*Lnj*kcr<2MDUF7bc%M)@m4m;eXE-Di7F!UzK zHVV}cj;$&qSbEjbbVbq-ye(XZ#qpm32qbAkA+=bIcjmx_V%j8HiV>BMk(jU+xN*`^ z=B>A30RqJ(&l9^^m0}YF)VF9WU^CvRH%HCNcSgFZ6v0bTs1^Fttly*@HJ45iSui@8 z{o~orn`Agyq3Oo4k5{A^ek2)?OMb~}>``Lnq3;1pCn7T-FzlG`{HGXefi6dobveLM z+F^05rGQ@9+!}|01u}OxhsCC}gQAn-!|bUx#NfRG#bSx=vsKI(hH&TbNvGM9UW<_d zGKtL`+t?q@j}gTkesxA3@ep4{SZw;@&Cq~k+fYmm^tch}s0H1mFFX>SqnSP@|6z$t z1q9dCyj!EM8mv*_vY}>ZHJynzNgscq0ae*zAg|0eKkD!j4%ArUlGBR{__-;yd{#Ct zxzh+?nm1<Pi_EmuTp=M)Z?ePYo@mivDBs{x<rJKg1*W>V8JI}CJGqW{J`)frDgB1w z_7)fVBNE=kLTPA9<#h}eipVSz_#b5*_}S_bWdk@1m&Q{eKp0t4D?v3m@#&V+eg!2o zE*MYvJ|&KX16H3T2Q;ffj{+o{)L13#<3u?s9g2$H0moboxT#yn_WWd3a-3jC<HThC zeRcp+!;vKen0;1G$BV%scGa&aFEkD7(1{AT2*-nF;P-AzjP_@0yQmlmnAD*vPvQBo z(Ob+XsTZtw(s0qR7}Lv~gS#p^8JrwJdBo{B89I#-)GA*kTq6i7I%`;U?t1YYfgw$B z*t`v<F#pHB^v_U_F`zH3rwbzds0voG^%OtMlP{1Ys7ivjnsilrQexHi0;c#ObH-qu zbYRE_LSDUdT7*~q4g`?rs$-GR-_c2aEx7p)+tZ_G8Ws>Tn?V;ExW%vmg&>UULntDe zheWEsx#M%^5Te>=%9g@bXfAj@`=^r7xWNfWOX6vIP^mUcsW4WG_I4F-bC=4mR%x** zgUZzc0Sz*W$^O07df+yQ@}ov@$F+hDRf?dlgU$kivX!_hR8kh5-nV`z)0qQkAvFZz z5(fqsscQZbJZ~ile^B5$7Ku^s15=4MSjn?ub1NE4p}fZbAGXdRN)TYlqGj8*ZQHhO z+qP}nw!3Usb=kIU{64dq`Db#GyUa~&US_<wZ%LIA`^1Q)OfXFkGs1C_$A)*FXSvdF z<Q_3IcKEE|59nxqvRMn%iv4b$u1@beUxV1WZ00iRc#Y*>!7zfq-KJcbhjFc|lF7U> z+a&@(tXgOcCpe@b3Va`J9k=LF!!}U@Lyp<80>!iX{eQZ~1;TZ6U-f?bT(Cm|X<cwJ z?VHYrJf|+jR1Eb!uM##D*(GBGdu+=xeWNF$oh5*sji79yUTe6}4d*Ye*Yklcgd1M6 zvbF_rs}Wqd`z>kHzoLGClb&!t<RrGh?gczIDItwwT;MG1po;`e{acaOXDXUHdPA=N zRP$~f?ir{ZVh1}+<3ECA9IUT{10%wW3Q1p37aX|GBF^kl|G-SY7#-jH?GO3R<R2fr ztPAx0g@{sJX#5I=bUBFK)4+9G2?9)wnv@tWEL?rnDx2ptv<~eB3d3Al+OO&DE7bHQ zlg2?1sbCl`z{(2&dCj^q%oR7Y-k@K}gY(cioBtLMCybj?QCiXD!i|+Xy@gnk?8S2K z0`lDL?BJt)_=hAf>#Sj|LA9PHSo5%i7um<wKsthbgFiT?!|NCBMdwlw@c2X9)JCGd zaWTxMa5nuC(HzgE!qtNhtKixrd7QuAL{s(RCuw{p=z56dNM61mQ!bcqpweaH75=J4 z`1Kftmg7Lo=m9(?a!ad<NP`-&Q679<`cel2Zi_XXlKHQfhOCt~nzRKtXuvscfTYPu zC2+(~eDn0d*(_o%wKbQ_oP)T(MPn@<3K8kVgHpO^BmI_fB`~z=48kWSHaiOH;Tv!j z<Ayu$FHYUsFmw<Zwh{cE&g|Rv9Lwm@?&tsW@%7!=SAZMb_pveqd@nOle7P`ecD{G> z^wt|hU9a_5kEgZDd@R+Up~nPsY}D$@6^5_6|A}c;KOi@VC2pO2zhuV;4%nP@Hzfl< zp1E!@`qG=X85$o`&F}hdsr<pIv*c6GY7;HfYecSJ?s$bxUG_X2ESw966JLE|ELht; zr2^(6Uu_YZ4;sL&kzk;r`Qz1<Pq5yElNtYz-8t9I3MVgh@?*tCIe%Z~Ab14+WfB&; zu#=v<7R)cN0Uv}b*A^~ow7cUHStHP((;|ch-Uhr-GwK}bBjmVtc*-`hDtOZ&qdEF> z=gPn_Lr*m5Sn_6nb`z(`Kupd$uI*pU0`jc)Y9%Ii6>}@9_)2lhsZ=ib14P*(7gO}D z_Y=#<lamks?cQJ2(4J>@_cyGQ8^?^XD-lin5*fZ&wk|Jt;0;(pFZTw({{FytS!z*D zn=?c+U>_Wr<~-wVdWsvm?_m-TB1zsN<;xs8&py-rOHMgPd9+}`z&xWYC10Uq%E>Jt ziOpS@v&K++wNSrLX7s8>jI~u1P~|I1Z~)oSK7L%<TYZ45JvjHQK?!L4cVDA4aEz62 zD1cIu4BUF2YAu;AqwLS;QAZx7RIhAqfrNcJ4y&8lFxYZP!kk}H7Ok)Uia~v!x`B21 zH)b*U??Hq6U&8KRdZ4|#^Z#lvxGKro|7)}MoT_{1SRh)xCy>EHS`r8d3o!s9k11)n zi?m3lcL4u<FQnNKXwWqlzvkuRK9ZzH5ybjNl}KUGKL*TFT8(N%AmVgF94mS&4VzO> ziWt0NWc<t4$Sa=9VraDSxDfVLM!F!S;fJDB1~TGb59MR=d9KW!x4?<>Tng?)8LxBj zL{$EI?s76TofCc{!YfYwXz6>aShgDJ5dzvUhJ#WJkS}?oBL=ZV8rLL14bd?aP|C$s zYao*%Yao~MuB)DahkL+QMVTr_9v}XmR6tG_`g5IrDp$UJ-9>7fjlCw6WEq4Dv>%y+ z&7P+|yYN`!#VI$|q735t=YgBC3@lY1*7r>~%<&3G0W#(f?kQZCXU$%QCmIyHk|~4t zZq3Tn$@Zs3vqs!cqH>uxuvY<_4vkqlpq#m}eS;o-`B41xns;`b*kPw(i(D;SwcqlQ z`^5-88~)?9)lf)Dj(@8Z->SwsV>X+b6xEa&|NqtD|0)FVuTuZB@c!-2rY^1yF81~| z&h+|jrvK{YM6drZ_0iHrU;m#Z2mY_Vt{HqtqwW#_fO`}$z&|1X|DAU5bTIt)&agB8 zcl^rN)_aq!>FkwH{uj7<tF9tM$)^0e%`QiG%u#EXi=N%Bef!Ykc^=8OIZYz9<jO<& z*1qo%3;{q;(rtm)`=+)FTbhIc04#XGfPwxs$dWHlKFPq1H#(YWW)`gZQl7sP{1@8o zVcj(`FIQcV;{p`h+B*IN+xk);eBjc94-yW1Ao{QSV~a$|+hs{cnQ7*UW<uJ4rxFSI z>VPJqxhhj!&?1p!&=(6v?%0SX5~wQP@VYC5bQBWR5xHuP**q6eR4`&oOlY-pfXYev zvZ@Y=f*;PXX=eNah5*>14@*9oCaU_{ktLVpBtgw=Be&qG0F|rP(h^4`xnLGxKZ!zp zP<0E}+^MPpiK%J{F$l6?;a?NJw7d$WWS1-{Ziv7HC88})Na2AUv52uJlwUHI-t{k& zq_k7SAk6Z${)z6OQ&K*BQcSfFK;G%-0vR%7kfcEXi+NZ4N*I<91+$1<DF(4x{oGS! zZ;61qMbAXRp^1#qT;Pw2zxqjvqyY`1mVB8<>I^a#9N6U?El$d04+uMB<nN|J#KutL z4^Un+Jp+=N%gMC$laCl-jzVYVBtqx_$Bm2~K;BAf0!Wn8V>I*?y6*G9%kj7F!NKZt z@ctWq&DdACAoaW5ADcVP+vbAip8$UDMSJBvL$~_h9vA|V?3?uPzj)nVcs6}s-giSg zQ|2M>+xhx^>%1HgdOeUYdfhv_o4#nE-t_J-{yuH54}bP3Reaws7}j>Z8{Hus;Pn-= zfo$#3FL=c%=-qa&eBkBV@^7whaesKB@@{c^MH=P+Z`|&@K4<oKX5&9M?SoeNdp*A| z4A8mmVF>!Ryx+fISz11gUXKampf<wB25xru+#T+|Uw-&lJHClw4q>02PM0tH`qn>h zK8N-`)j#Ll_V*Wc&vsuHzjf`dk9RFCZ|rY-B7)2}>D&4?OQY%m=CP?LeZS5>b-h4j z?S_8c;9m85M82-Ny*%H*{E+<M^m{m$TKzY;*J6YIrFw%$<eb{;2|`EcRy;-R2`s1o zfq`I*_Z27biYq{YI~@z&?h>DKYkvjY0$gDyPa%I_ln)cu7#lKdK<)m1N|q~sJSWdW zrd(NqcOz@K2@FX1Dub+<aGa?AV42CFNOqrqSWz#i0@}@#+y5-jxAC2Zf5Au>FOH{l zgR|(7ih{uat;zLZqkiykiNnQ3h2#lYa8<uo&y+J)P=7`>J8Ht2SE`80KqsY1mVCI` zcjdvdj6kF#p#j|jUzJPDnIU%s3^4DXbdUu~*(2Z6b>%PK<I4B{nBbV}YREu7flDT# zD_Feyq@t(~Ozs8lRbbGPB{A||?7+%B6fQ>1z`P2Jh05qB>XRAc(Cz1tkLn=M<4fYK znLUK!7VZ(>0w}1;Aa>_k?EpyA1Q^QFAqMyKg=NlzMR?sMpFTPOz#3?R0Nj)hntkmT z3tat9K~KIn&m{<vJA`uv!-hB1?tqDL!1DQ+nEjkRWXhY)tmTgk8oT$10hUf8&v&&m z*yPA8Po~P4D=60R{pA(F+ZDMp<qx%tBWIt^eciP;Kg=e`B<a9T1>oND-}RmM{lfZG zy?S^YaDae?375AE!pSh#5qzBukdxBw8>MEjS)*@a#vr%zex$kuPNPdMlJa1#_+y}U zX=_Im2lSSM*1)_Z0_6hMjiw09?Z}gvJ61~NDPKzz>M5XHlQ?R6hF+skgYWdLcSmq0 zg8R1W`=%)#$TtQVXf->1H-!m<021x&w|veI=q7g!W5ERv0r=Imx;Q0AhWm1~j^l3N zOkOQ+--`Z}4<fGXwG<m<7xFug{q>;vsxe?j6+9C1wqz8F5Gw?iuv70Wz>5++c0U2a zX0an02-ApTb6oD5ktCV34--rxYJzWa&q8U+T#rtN0Qt1vPRD!uQ(R41j8ma^-A7L4 zm7MY@sS0#`C#FY&YV#-n%ko!AA~`E?V64_Y071OJNiLvYjJU)br7i+9MZ%1rTV>u* zBZ35DfQYOO**xEm$X8%L0t^h5I??_jj-BI(69!4Ng(;s5s+J)?V5pJ-l;q{YD=kjI zqyvsF*<IuFf@dPAny8dihxC?8?*>$gy5E0K5E0p5$TDPd=qaTcg9Hf$Of*3;#5pyH z1xbEVr>odPS%NufR}cYIhEFg+KG}-pOwqe<)_FLtM*e2-i3GE_fqAlg7!Uz8-|s<J zNiiS3Dr3d=cTxW1=5$g1CoPTAnQsI?ccL2+&o~({0h@uU${i^^az>}zQxlZ4oBBc% zK`4aiAJM-+wj@XJ&Uiw>09lO(yglGZH%1#d((LpdwPozAF7r7A6X6zmrHp{2k`v|C zAG`|^K>Azb<1k?4P>?5xXaMyt^+z)i7?`b)nYqrw5<%EZ00c~Nu;&;TJ^dW!4dZ%D zmf-XDmzwfHeI&YDLWN!5G}6n!4FR2o*>!JO-U2zm_45rB?#ELrC6(t>{Pn*2AaVzz z%m0FJClq(n;Dhwma}oKdlL#O~7q~8C2nLP9=WxnhFi(>FX+3-$l3rj<5?T+*m}i{8 z^K5_Jx=)6xFh5=4J4^uR6#p>_M2?#~)L3^LJ>kr7@hm>!uiOH(NIyqmvI5f%_)UQV z*tfT<RY379@E`&f9b|wByn>nh;z@$^_FaR;`D9KKPXrUum9Iwj(eUi3fpNnQBOZR) zVu=30`4d4VsEdrQ_U6|?_TJbKE)~=t3Yc)|zwfGW^#g~Rthl+~u5mo33P5b)kTn6# zCJCg=$X0r8@_P9BenL;asl(`^PE~GdUr<|*Q2FOj9$r<}`sp9sI8IDv_+4JQbrNAM zI7SB~SW6~J2*h>yGZxUx{DJUsNy#2Aiu|2<gvSd0V*+fb1(L2B-=p`cBhO`oY%tZ% zTiYrV?4O*2GCQ$Jny6QQhqjBxp_}2<8AV_#O@aE#+t$RzM2-J3JxoffZV8h)1Pz@u zC(sE71P9Owa2BsxUX<DU7~h)ludHI*S-1L&%V(>NV1TaPFs~{l=!6engYs4#Sg&%Z z4^Fy~Y--k^@cGRgHHhd96%P|`zM&!A71ZvUF!tDTLIlCtG&VN2c=@1A1i|uy8y-F1 z*)Boy!3!IGh}~yig7E4c)*dY#@q9ld(LHFO#H^;?2s=k-`h7_LK=20P7W-tXdt-hZ z%|_`vQoNyKGJNOGR$bEJG<D5Mn#hdG*WbTCb_ak;?)6Q<Kj!){<s;SHIy?^0i-ErY zzS))aEu75qmk0y&?x5byOy&4Ju3B*yvpus7@sq9AHzE4x-&e->qJzYByeVV6(a92Y zkETDVXnfj%Ex@dvj?DyR0bYvF9a80Ckg7^IiJv)vyD-=UseD55z44QvHtIz7?e;^W zo4qr=#~qvf$z-3<e1MC_)hTHfPMYkjB1rSMSi+k&U-JC&%g`su{AnT%C+bJe>FVMy zJR?8&*7!!vcvBUwY4^Q=$JJ|kPtn>-mifNEOisDzS9CH@N}n+FA>-GdNs{r4g{!)h zY#MsN=N->PaWIcI6bC94bCdOp{@i{Ir+;y0PLQj6U&lc$-4sQ9yj`CL<>Jd+iwFbT zTL-*KJvC!=PA&s)_=gZ(X#b+Z1|&s%u}FZVk1Fua>o!IKn18h5Vg&d>(jT?cCu<rf zd-lr6xCHb!;S|gsMTd+-br6+3xXqu*Z{Tu(v{C1N7vcBRB}upBqfd0ghM!p;Jw;We z$(ARZOG<uUf00nE&eBX$KAW<^CZ+tDRKf(nBRv#BL$s|K-@?Rg_GD8sVJPMu9vQ8N z`$nHYk;7%tB>fFT-lu3Z!vUBwURrXfL^`q5XVA`*-7-~0b95V}zkCLAkn$c#AQ7-` z5gX)@7JuicG@LPKBP?L(tc`O7K{e?Fk$gA@X>$@%OUx_n&xYHd2bD=4$fG37G%G*n z-g97NUk}x4WMqWMU-AISPD?t8MtuQdQxa>SMKyBdDjwofAysbm?Uz%W5#)h$^j6x0 zb|JjQwdD(XsQ=~j0WrOj61N^3SV5b_Ker4ZH37!yUHkFuczsBqhAF%M!}MKl^Xt)V z^mVXVwO1Z7`v{cR-v?w2N3V)V>R1338Nc9>FsK;Vf{$)qqb;SlC```A88LT^Fbh?y zG2smneQAeoE?-J!mwN1j1)59}Ef7L~mIk^a9wZ(pF?$<A?2)^t$@fR>c#b5fnMoy3 z5lJsuGPC6%5JbjDGzENa_b)o@AY()i%N+y%d#QN@GQmIe!-FP2X($vDCmkx6R@DNJ zQ@@RnI1$EAyi75{ehDPbY&|$Z<Uk_Oiz1y`uy_ar28GLHf!v`BQFxKYz{bp(K8hQ{ zvLsqbm8>Qrl!U2Zc~QLR%%B$;WjzZ+A1LGi9U>8{)Y#b($}AdcpK#VYEd~tOKyqMc z)(7~!A(V3T!cRmOk|Z-36Xfp_vW?DuFC`|^%=JVorUVUoDNI*hF+dy3ipqc{bb=oq zu`q4Ig$iN`89GH=qRJRK!Kr?N9;;`16H3H3u7`IuL6$BWWeX>NY~U4;AyiV~w-~TM z%nFK=<N>(3Bq?&?31Nt$>#i($g<b%0*1So(xo|BsfJ2hfV9{r}xBVD=uPuGlsa5cL zSh9x~Q(UkW^I5Mi_bnLwp2as^NGOV0zkeJX+vnw258fB=jc1~n0GL=_YDGPoEk(-N zc3kICG6=mvV?d5y2&x~(A?Jy^(*p)v>Bzo99Dl>K{5?Z__&1ybrHRsDF-!D89&)hI zj|fYsduV@70=p~Nu}zX%VJAY?(aza6K%8+uj}QT%id2}`F42Wj{c3?|&-MEm!t8;9 zcix)({;*S;2@N;SAR~4=@f&j3DvL)~8-W~V-D|~&JU^ixWHPtRq#}&yJ_ug*0HFL@ zY572Y(Vim;Ph=3>MU~{eM0!P$Z-3-)6!6~|2GU{WZj`bqMvXI$LZLllv;5~m7Y#jm z`3FcjqgQ!(Jog>9KTf05vFe7e^4s9Y!8h%?Cu=OR^AZkfp#5748;}Q@dKa7*n2&L_ zA^>pI-^{t8X3dFz<2V~RNG#ID$aGJ=R0IpAKKg|?T-0jd-BapFOh#+^XC(rk&dF&; zl&Q6Yh6Q!v7F;04qDlk^A<`<If#$-V4i@DV+*0`LKyzE4W5xA--k0<He!vpwftdS> z?BRoEUlw!C|I8gGBTl=CW1T8#JKX}6-T@-aOGXB9uYxlYeVG-9yPHcr4TEt9>p!qS zi-)Wu8mVwqMeoBg4N`j?n$`l{E=O495ea|K5C|`jkzasb?pL_#WL>oA_bY<BN_Oc~ zva>P)3#Nr)W7XI#IopD%M;0E$27e}ZchS28Sb!^@42UL8TkI+sxV-1Ems7d{NPe-< zNe%!$sh4R<3s*yf^tWKa33r7>2K{rD3R2+P)&_Pc=h+sj5f?>sePCsfM5ux(pv}Ym zYH_ouj6~zt95mtAgw(fJFwRY3N{620*+b~yaopK+WBft%GtL_+govA^1o8%|wTguw z4BL_XkxHIky#Qmf{65Eo6Yuack0d_A^q4%m@CJGec6OtEeR5F_)Vg_k>goj(KO*ic z@ts)E0EsK2o_!-K#ve}i<e~#c(Etd_vIg)=8|lZ07?dM-SfUNYKk@j($6u-X)=LL1 z9GDo|Y|_6LNFPG*2F+2_hZg3YcE+7zTUOSY(Z&ldP1=C9^K}v3w0D&CwC!<utRT$4 zx5(_n2&&){(S1llx%92sqi}CF9m+IG4i|xV-ew0HqV?<o@+!)<t_3li=q4<PkTb}| zGcGqzbn$ShKtDaM0eOPQS6K)I4a3bK);)Gu=;md+xBp#hP>n}_bqj@nZQU24Y|z;T zgQS!VSDVV3tLdBY!kwQki17%kb@z?|vV-ua<^3Ilc8Tn+J$z%W-R<%XlJz%o>*tYV z9KJ9wZ=JH6PJfA-&vQ?^c!PzG?xktHyUG#m?@$Scg821p@*JM~R%lCfdk=BvTfJl) zgwhRR0u(^gRj3bQc)|4|aUvrXMGW^3R$dO_lqQo9H!GUPMx4Xio5Ji5l<BOt;8t4b zs9%HKEz{^5E)rvw0+C=v9<D8xEROihx+}jKcOsati9leoWIbbI)gAyMH#98~M!5tq z%LHB*idooJ1X=<TmLO746yd~-%4({bm1HSpHwF>3f2DiEMfZ3;6C2JRaIEL|IGTcw zwXCf#^=S^O=My;7Dg5Ci{&XB_-I<%e^ZwtcD=!6=>wQS{`j{a&y9aa0zvr4_Toli4 zSz}b@#^Q-H$G#+^gD0Dhyl7~>nB9HnFcKxhMIAm~a_{oi(M1awOE=sa{ivFSO6}G! z9c7(|T+Cyxz(rPW+l36SMGO>6y~3I@WgY`t<QpWNy!Q*%S%q8B;KnE?86J*i$u)Vx zEcY{~>u=fyj_)-sAdfCwvZEG+44ryQwx?3$Pcb8BZ}c8zD8K;n6WA>&)k_p97#y7^ zfQ3B?E<V4!*S6sE)-6RCFwb-3><&j)t0(fj0L*fVzBFjGUOpvM!;Y&?MT}+~?{P*f z%Mr~6dHcE?cIfCK_Ko&34YEo>xg_(vgC@YLuRo;V`Ro%ms$w9n7QsP;B_^qSh#0=w z)k0M0JCBmG=JSAe5?4KVm;p8R8vC{bJ(f03qeVefzOBBAf?iTbw>A;*k4BQINViB& zaF#D;1cuI~Qyxt9*UP#hl+^HtC}Y}<Se>ks!!>ByZwnfYij3$i3CC2hSA`c>{pYr& z9z{<aC&@U%w7^@Lvyz=NQfHPnR?MDi&oJ2KGNf$+@F-^YKVb81@ZsZmyyPvn!jeSz z-F$+nfmLfXl*m2u<$tlPdZM&%)qBi8z^VgnXISBYj!G<$oq~%ZEblocPm>vmz~CG~ z=@c}~Lap=;N4>w;>?-c5nmo7Iq;U>PQSlsewc3*dwGo>!ee{anF6~$6$ur&eJQ!au zo>1EO#XC)4)5W;8<IS*R0o5Kcal6k;o$X}qjiju~^BO4t#LpYW_v{ec?rbZp>u|AS z2PsTwX2@n{v04ignw=qxa9k{yI0{<f!tWbtj2b0~@o^ZT;mhtwL~CzZBG=!8VHHwg zYcZM&^XhMm@?(`H&2etJ^GP%*8ob$gi%}BTQU|7{+%=S>_AONG<5uGBt+M5c%hJAL zqJqanZCSvvQMEDY8fzEH+2cz}LlS9)2b)+5rIz4JOMrQ<bjTSa3<&t#@!ep3BR@S6 zS^zVGBpiPP5k~J_$5IAwKqu-SQ8FU79%N;I%;BT}xPm<t_}f3tx(mo=vP--J2}7(R zIocpp?JlQXgXT0>r%y4ZlXQPivhDHe?0I}z?Ak-2A!_r42#yzRpwly}!4L{j<@UeH z2W>iBG63`jn^u_-#rnA<s)WXR<PK^3048mHmq~40wV`1^EMK@QMcq+UrqxMi?m$`^ z60D5*LLUvnbI`nKi#!bCQfMC#mp%4>5q>py=k@Vx-Q&042cx|!hF!7fQPDca#fkxp z0(St<K6HVhHI5n>?7et2`i15WBMD1E(Xi~8+xQUnpUv(pwtYl;f`-Pz-VxBDd4Mb6 zhK_jwMIhIZ#C-ak0xQr|+41y_t#uCUx<Y|T^hZ2|c58K)dSlTP5UC`zUG$WOH^K}? z1|AMv*%>}ooTXvspP^qBDC`b(?afjhcfa#pnjN%h#KH91FY4(YEH70x?sX9{Fq|Xi zDF!d3826vL!NbPXL2F43`19oTlVab|a(cf_ElNCURd2LO3{nU|_Hw~~TBQq8CM0Y+ zwFcs;6n8nWmwi*Be!EJnp31|>cjMS_J1Xv<h1%-9)vbax^1iM*XIPf{^$^4#p4X!F zJUGpqb-$3cu+d<GRS!sY;T9snEphPe*c>87Es{34RTqc<<=KR(t)k69qD2{?-xW$x zq__^1oWtEvuI5y~b*aDv*!5`k1c39gH5OGXl#*cT(rW>|jd8Ecvyaq7ipUf`=Cgew zRb51qx6Rw2DNIys#>T~Y_X>VMR)$?x2jd&RJii*#d+2%68hp)UHz{g^qu@RBwC6^G zoB@2}4C=M4JPuhCzG$<W;_@vWgdWOT7qc#j9yOGB%a&SLk6rS$5(K&y?ZZ#7Y8Mk? z@7sHOs1(*y&qeIGf169Kmo9*2dnbsw^hZd=h|PORn>myCqSy{#vlZGR>a^`+Y8N9O z8PAU^`hRx>PNaDvVW0)#fTmM05|wwbd?>La;QVp7rn{jl+H)Gw-R!?GT@vc2^UB53 z#i^bm{Dz5L8;p)%OT@zqkE7exHShy!rK1(;{9F|^k#X`Sw{WUNPTyfeoBhxoU1*!7 zHx&E~Uk`Kg=t-y^@K!z{gr{}Iw^RbqnyK&hS`f9!)hlk@MBC^Ny-B-qpte|QAHEVI zX)MYI&I^_Njh&&}@K%N~KG^oO4CRAc*<g#^8$f&ARYomG)h4@xU-7o1H%tO%^TBWa z*=bx`rWa)~`t0~T7k~<1a+vGcO4I^w#D>AX&MUh;VO}Pp%=??O<)G6>O`uM&PXfN8 zg7Pmjm@RV{AhHm~mqP@g?=CXIYb8jU226*9q}4ej917|zz#UsKX{MY)maOn^r0CWz z#VB-*E8u$Vz&hj7Zazq##!CE5sm)?BgS2<<xTvvZgH%4*OHrf}Hk?dr;ly(L^tE+Z zb?(u-NHxD|Z2}waS6?5M1c2wuT*>&vkPKjBoV%)$M^|t>`m4BRbDhS!1@eqPErP}s zQ70X*maRtZsiUM@4I5Q)L2;F9+Rau}PG>6VD23RnEd<-2VIZIUg}NAW0EyZbBrC6q zKL<Ud%XgljZNcHVqzPnR(3^WzZByWW4FC(lR5q@_{JC<cu}aiTN)$HWRyF%IgN5)S zv?9;K$9r4?_16=wb1aJ^@j8OGnGoH|&OjEH!6CxSc;6kDXCF%>o7VJ}YlYOYdce#0 zafh*>!gPN0JoGkCucNNkhaE;*91)vs_@&RwQE_d-wW2PkMlS7s(2sQ64B882LZtdk zusl-=t{th~G?z_TNxQ9!3*70#`(t=w*vVRe_unTH3XT)WKin~rBv{djLoW+LoB)pm zBa3iz`o4Wi?!-pWV2n?t8U8rJL?hH@EM*OL?ZE*$p=(9PNvG&G8nY)-H8X_41}-4` z86vJC&`~gk@yeqS-k#3YP2|wxTvO&!2A%O>fA3CzMo|5%SuOp9A8^HSm50Phz~=p% zU{Nlix-3z`i)(XVlRIkcyuv#70JGCl=T|Ry0)V(YMrXaRZegFSqZseSViI#-*VcDn zJKG4c3R9;YCW7RY_k`odis@074<mRN0uB@`%d!?_F&qlO=aHtSOl<`!B^2q5-doo* z*EB!~G@rNeKnOz%1hWe#T3>X}J8_E}R}-vA&f*e5A;)`;VS-W2%)8%GO+94E$W${x zkZpifU>quNA49A#;%@A<un1a64Nwx!m1U|E|8OT{GInO3#;GIX<|F)r<|8xV`6~4q zU>N@Spy^dz+6Nl^m|bfe(1u=N#{-RLTjAziDqCP(!qVsGEvhbuy}Yr+yz<~-%iWj` zteJ1vF5A8!;gckjV_+=TC%8W#M1&5@{k|^$^XWo(bzNyM0ny*6u;r)au3UHFH51Gx zCR~L1f=$GTW+R3-*eL9g6|bWCd(&1dHz+dRvPD6KJMv&mD@IL=$fZ_H8rr2+ikWUp z)MxqvxfM>hRi)M?eNq9vjJ9aQU!Z3Lrm&FPN4l&#rp-f7^y|(=xWiNtT%&(yn3odS zZP{`L4sZq91?3XD>%z-ivgLS3pINF?=f*u;=B#Cp<CdW`=YU~xn?d2c3Js^O)ZBh^ zYKnf1NauwHG_8%Wjj4jOKe|vC-OtQ*oy{@-JYou3!<E50FY0}oMzw-qB$DhQavZnK z%4q4Yxl2I**L|MmUMbbC=2I|JR2K3=22+J_gIM*-UL)ov1YH81Mp0u+M0}kDx%-J} z0)uAK$E8viLYlF?8ZmqyS>Jw<C5Nzo#q{Zdi~te%(`{&~AnZ78_-smQzVW3y*d@zo zT+tw^iIE7;!dOK#%`PDtwh*EZf5vVc;KC_ZTN5M`HS;<085~akgX~X%b<IJ&Q{Ei3 zi#pM9s*o$}kXJVrgX(JUwtFVNLaJ8E^+z!=MeEz>m>!P5Gdg%fdPzl#7%n>14<-CO zb(O8*m11d<jW=n96~gN1_#n%0{~CSuN5wpmW><U4PA%E2uZ`d|D&)9L522$2x^=Sz zGBnP2%lLZFZbJ?VW)Y<jLknU5xX>3lRN5qBP%-NR_KY224i{0#-+!J8LF;G}^=K`d z@2ZP>QLD7v16n(1zO%Bu;)>tfniqeA%5O;QmjV4jl8V&G@{JYHPF}p~J0vS!AWI?F z>)z@b+GQ)1#)MyPv@}TXR?)CPwo_DY6oUpRZ`KJhqQBmOHIyMR*;K%AS=BL$+#nKD zBQBX>G~BV~E|nE4CBGKU3r5x64&W$a1L*objR#iAH^lE6OR3$}I2TmO`soN750^TY z0WK8R@segf6)tz=r}DR=!%R*41I|Jay`V}d!b&>0q!~54j2D=Inf+EF#`+5+I5bQ( z&@|<Eg3VpQQ1MIONaxEe&eZX~UNY-le{|g_Qb)Dq-QglReO=FNl=Nc!At&#T4$>D5 zoD{K;V0#YO-;8whWaRuiGh(LnN70W<HiZahzuAygP-wc}#A8o_X+?dZM=-)`K<kwj zi>?qyr(dh3VHvTY6KB<xnJy7zw^gKd<0S(uOU|x%w{lGdA+Z=Cv%+M{mc-S>z<SqQ zBsJ;Ysk^W&K1*n4-`!4m%_1~zg0I6XKKq&>5wVSM>s>On^jGel6tDnTS#h=pJ9lb$ zNB%a<`hlXzy4I9`)L6GA(^*0w$iZuylaQ|q(P-Laxx9h2sGy&`so$4X#ivEZuR;h4 zeg)uj!K$7<KW8qIlj?a|B}|jG#@(@XsB#I-gxwH-4MXVE(Z<~dFTw}VTaHVBiOI8C z>Uhz(!1^X`FQWl#*WahgBw6Z*0c(zgAw#!i@n(W<wz<igKNpMr^|FOKVdmit?}{=M z+<_qtShiK7%}{}rvTg4vS~by>kx4!GvaU8<bdet+80+jWkwGcPu!p753^Fb)23S!J zT-4$;HWu_k`{wOLiLMtlL|>)icEKYiSC;4Cj=B*y_9TF4Dz|8Lz|Kt|rdO_rPuK>; zexX)8<jhQzra0+pB%Mv$CSGbTSQ|$I$#yR9DPznMZJdUv0H@rvEny2j9sx^;|D)!A zkTe3#;-#ijD`Td;UAN3Vy=ux0qk!!(Xvwm;71Y3%gbMJIJ9eUV5(?BKW;@l7rqvR@ z(?OuNjY?^10Po0J+whl^v4Z?xuJTnui7OC|wMbhulRb=W(ec8%1X|FbeQhs^B~#Lo zzUu`RDU!cUq%QS+7CYjxiO;<>1LeK`$IZq44Jf3QB;(@ddS}EVNGv_&MZc9VR8Rmr zt4ngEWrWyrjuGx~n0FWFF`r}B7R)fJ+<Qrs%U6c3?Il46Ff|D~-l_!zieYC8{g=ta z1iF2j$*8xOAI!9-s4;{Moc^H;#VkaTxe7xXOpMj}-+OxRh&PL6!1tT)cz~9h*yfi# z)uUt1Zfo>9EO9mmXIq22x6K;Zm4o*B1g*XnsPkWL)x+pBvqrmaX{-D2l2bh~1gphF z{ptm8kE0HGt8yuuCl06`cSD42*@WMe#bb0{k1bK1apRgkG5Gbv<UFK`*q!?ss6+gy z^i(~dx#4ZAdn5v76zjFGaZGN$;KZsxi(N&`z!-g3TyDR`CA@5$>H7e>)MrSxVVaol zYhtM{p+Fo)T<mqOifM;aMzaR!(erUbD5Qtybf!6<!?9DBO>Hh_TM(o9gL$$MF*Nwr zU*Ee6(wcUnSn_lJ%PVZ@{>ur4>uz+bT^O$Tm3t#lOB_D}wR`ef#IK&eotBy_vcig9 zQL}*MToLKUyQj`!mMRXhK(=1Q=#M_|Q5^#<rOI*zXQ7kul|g!Klf%{56$;{Mc7<1I z_ngo1CAaB4A0{9S_O3wW_WG~7!H>z!#5t2L!Mu+hq!#X1TM`cXiMh^vBB?=aaBkg{ zYa37OK0fU(kkB~-1ue(p=T+`mPymlA=A2Jmr99=$W#0C{Z5@-CekoHZu#WGK(Y~bd z@sEnA`IvrxjdO~T7P)N_$C!43%$C)_)ri5LgRUFTqwMxse8ME(DRKqu8%3aWF+nmk zgOVm16PV3hDX=>WZQ_#&0!t(2-eY04KavWsl}>HVc&zd`E)uCvb(FY7(0j_H2K=*I zbl4luj4#Px3^X6=Ho|9&n#7w07Jz*{5nK!k+&o}q3{d72YI*BRbRu;`%VdF^2p{pt zO|?iybt5uX&mdpcd=)P1HX7FZ#3CbkT9y$RPGRHS&OjE6&q1&MemUvVb!C+1XF(T> zrVh>5fG+h%r#xB<T#_!%QtH;wI8dDaxV*r*>uYEv2cIGusL)ES;p4j#sY3hlo`bBY zvgVc$C+1&j%bZ^II$T<fpV;bI%?riGruB%&2f_o7M_h1;pHuBKERT)y+(%}4MC5M+ zrOA%8S5%_MT!KdCgJw5?Beq{Z`oFwskNU;iJ<u;Q;u%Jch@<3Bu%t!3>jkz7^rEVM zWQ2dz$V6ksi3aKgj01Ie{CWIQk}Kf*0Rg>e9)8zz*SZI9@BedtWXac?mf>pl1Ej_V z2(WuxG@_&9WI#70i=5mE8tC!i8orS`27isWW>Xi+%J+09rYibqx)KTmBAyuq2mgp! z-7)nZIq@RmrP@nFot>^DhEcC~{ouzJwX@g&Mu!f4iyj+T0TN&ZV2%W|(t1Fn#Y$Ah zLK=sM(u-VcdlAr`5{TCNghJagoNc2qF<ME%%PT9f#Txu3x7h5AI*g7CUQD1-N<0~4 zHyro{;g!}j9k%9_i%|CH7W4c3%>R~OEf$#UkqN_DR9{v9uok-Qy`3kO6DunvWhZ}$ z!R$sc!6+mpj=@IoI({S1fBA%#arlGAfWS&s0j=+gc3=lPfT9vHmlXHss4_ppcWPnv zVyC{$ctODC`+8KYp|^KuckPTnNZ!HT*!a70(^z?E?vCeamI_3vh1zPgMj%_aO`)=w z^kNVe*cHRO0n^5Y#R4P`E7ztRw5sQ)MfY)@PJbhP`(+|#kWZt0AdIfZVJ`XxlbDov z(k&5L4~~Ydt!TMxLcZoF>_STuX2N(ig9;)i+gvHX6@Ao~?5TqezJ*;Mo|&OGnbWHS z?Rgcu5xb<lHeoo^vDDi?Jv0ef#1<0Te9sOYcGP^ClZ*n8Y<yr)D}G>Z;f-cW+Q4P< z6z<%Q$g<<XvsCCt%|+>vl0HWH`UQg3>1aM(dO?w5hWAgUFZiSmQY+zW8i_~}s}w08 zI|K(a>&~$aQZiiVEi2`pxnKTCdup0Js5<)Sr!6<lNNkO8;2M32CjsUXg1!WZAZ*%_ zWfjBjtuY)$`{p`T34K<kT%L+W?z2A_mluewpaQG3r)Q#7lBR0|nnQyKo1JHc%`uhN z)vk?t`nuxuYh+!IJ-0=7*w5qoU3dz7S1x??{Pdp#r^jXj==VgzVcP^}JLRbG#GMwb zf{wvZwOFmt7p;(9y?S~~j#8%;+VCsr8zVHFvK+7sjyfM?W}pUO1YJUw{e`k5vvsoU zWzyi9H00Jw_k_1fY-0S+C5WqaskrI3%zM)t7mH>wEst!%3!EQ5KHU@gq)9cRf`rKm z^isrg&KW~^PhF-?{2okvTIiuXbl7RL)cI9r)0Xz9%imZ5YOB6gSq>b6oAyO<EVz-b z2zJ%nx1Fun6RtO#l4FM|Y)Ym+@cN0M%W$3`x|BJopWd)itxWT=f5rGA2Jv_E)t7A^ z_lF$$sK9f=JQC2&;qiHMO2|cZbof)MGJ4+gV9VMk+o++`hbD`@4S?d&uI9=gVTf0y zja=2|L28Um?QYqDO64%O5!x-P;67dFwl&U24#%o)fGbO#%EHx7E)h2GMUs<baShkO zV;5=Q4$erR<eQTXP-2T?TU+&7dfQH-Ae)+@pLI)(5%zjDv<;)f(Yor|4k|W%&|KuR z=HdW22@nKM_vRGS7u1z^Y|qGcLV&xnK4x#YdTp3X8zP2xMzSv_B-kTQK76XDr^s=2 zWsqWS^^S{ujI4O~3P8UQhRatXo^P%*<g*X6swyLr_54h6ov`lZbBPh^X5Eg>4ts43 z8QYrdF#fJ%M4X8ezw}~0rAleEP1!w>7o#&EJep_OdUIR5G?r&;*l(n^i~ZQLzO!hz zfb#P=)Af2-YE=x*jhIunXL*kkB~2j_t-BRDOU#PI{|rzI{-$7znn^=1>V?YLQSYg_ za-@A=yq}ZPpQMaGg4)zu04S4~V?dWS2<0gW_KxL&oOOYlsGLDGiRECrp;xO&QOaBz znZ%Fih-Y*mx3LHyp70l4M<7Y0W;lZsca6`S5^|v{-Pi_(Do=35xVlDpXR1$>rM_yd z_e&a`3o*Tr+?t{Avhz`<9u{S$gazc1^h+bn@)Wb_g2HJ)Yt_I6?FA&!UvZxQo7M7r z?08;I#%=>0HB*=iQHQ1aBb#?VIxO;6rn2?%=YId?-{<cEh}!Jj>|4Urrt<{czgyvr zfGmz2yJV87$0}uJ#1|Wxlc=rs)nj~uDomo3WUYbm=5oyLU3`GJ_VtC*FFROP@r0e@ zB|8VzmW~m51m+59`JNgFaH`Tj1vx1MbO;CPkwLE@t00w{Sn33l%)(mYh0>os;H$p! z#Zq1E-kJerxsg|}^vnp-b=W1Tk6c<cIPT`t<ov@A`>Cmbxh1;s1<V82&0)@49>vm< z{W%R7Rj^k^Vw7AFyVnnu<ZaSHfoa9Jwt}B!>8Lhanz6m8aj1`ALto$%9P&xYADJDu zg!3&>S8)`j(~-F>+5UlvG2Ha#m!-hVg5@n;GzG+nt|INblPoVo^5cmo7_qW!1Y1{& zWxQXC1zrTI$DEtwY|fc!MQ%LUR)7i0*B5ZX;(^ZQ+2ekYy<*@S?P`0iTqLsT=!A)X zxUF1@W+TOZ2o7bN*^9e6ZTK=XXt&tq8wDb_%{}px35BzD_iPjtd=w{oT2iJ+{hZ05 z3{A`qInQlU18tetbp_CW90WjNPRtBA_r5jr2%$3=#(dJ_{`n&^;v5j<$w*D7FXNIG zXZO$Nxw|CFT}BUB4m6_H5f@PDHajG$tw;O~lmu-qk#K}~)$o-P5dsa|*4!iFYsJNS zd6nqQa?o<O7Tcqn%dZBFtv(7$qQb}OEKOM=t7NONsSYV9M9jyyY5{o)uL3rg6sh;a zo*t?MQY8%MQo2_oh$|FfC#YOq^9Bbjw_OQ8)TNI+@gi~bI@gJV`aG``FFSx6oNHJb zl{@S_xtQ|}n=U~U@~Dn%D<cPkRkyvO%^){NS@%IF5%6t5FLzek)`fYYGEvHGx>^KI zEuu0Mu?SH=C3cI6=%@I)euv1!$;R+QBhZx_W|7*7-s#G9MLRyGEo46t5$n1Y#XY8@ zGYx`dY*nJur%R=F$tV%Wa4a7F?nxVg5@gCO_>%!H4~5tvqtI{|l;SCQ>K1|45qw)X zA7Z$7-6=kmb_$V50FXK30l{PHhOk7`vZ~8_$(tL7;l+}VPbg?D$XrYfU_HeO0M46; zHUEQeOrM?1$GIt8^IN^3R-%7m)<*V8>~@~=((d_0D591*24*Zv;Jk$`oQ~qn*Z+9k zM)-dgOXF%bAX<<4nW&N*x*~znt`Sj`wp*)-eypn2aTXhExM8%YdR;|OqFHSuuGA>x zw!{pTnM_}L<)uiZt9!_MmOiLD@dt(l!f0W^8g(*>W&sANG5kd;)ZPHZ@9H?}O6-O2 zks?WT$r^wR7o1L_$y3P?SGXv04qe~=?n(bMWbQqeKQ!N~RC~<}-=_b=yXN_9!@l<J z_j&C82VAk?vwb^#;P>Z#4<WD5qw(|Mj=<xY%%iLC`vE)%NHp&T@23U26s~U<R`2G= zM`8|eiJ2G9r@6VO4<Dx&D)0BriG0o5vjM#J>&fi%`Er{*@ozr*+S20o-U#(uXZz<B z^BV)kQK2wWVtco=Te14$I1L^VQCJQQjyV{tItvICgZi%)zh42jf#r-AyV|ec`7X^j zH>u0OAI%jS<n5nLwyCyUr&L=ctLIz<ztS~IJ@7*pnJA{UXp-)KjwciE0TXXK0^N@U z%C^7PY}oX_Xx^vY>@5s|u7g@wi9K>_)=rS+`5bKY<VF{Twno-d!u-;9*xI9E_#A$P z)+ay!7*@dRk?74)T0vu4WtM=Y(jTU%UoD#!lK@Lmr1i*2P!icNJd!Iw*IuScibh<B zzncB&wD=bkr?Iof$<Dlpp1XM}&E3P$h@7QUUi1418QVrj>=%jR*eX}BC@`9qO?+15 z4F2L$fMl&EXIL3D=2I2Dl+T#!R;gX3nRRZTB_u{AJo*D5vC5gI=v>371C{a8b8h+e zza9P@|E%6UL)(OR=j`AS7kjoZZC=_Egb5^a4@`zX8j@nhoE#33eMJ|%xQ$_DCmsYC zJco-X@~4zEZ<s3EoZ)bxDGfVrxb3!d`hvxxTyj#<$F8LV3<0Qg0Jp7bWad~OxS%CY z2P#fALXCkf9@d-ew)Ybdn_k(ux#a`&=*Tg16n`uBP<3rc%iq9v4)H0Pru#Z)_htQJ zP`!RC@RZWVo@k`y7Zr0jYyKpTwVUD@lu^GD-4VmJT}RE{<mE%uLfR2Fun5asDWAPa zz7ykd2$9#9FVmHIo~904{yi<-QV;H6&P?ur8N+J?&xX)oshd<SsX1V46tLbv)>z<R zg$8Fo@6bKxCkZ%v=qU6WL_ZCECh=QPsf`IoN36GxQ|<XBj4;gMv4VfKi1(ma8f<Wn zFll4ZuSJHOklN82?Z0M}re-`zt9hykQLe1=l1p6V$UQ@9v%Ku_cSP(#pKFe$=?k*W zsK|+fvH4X@2R4LA)8^zSEE1Q~`zMijo%w_#$1U*_KFA1*o&Gp_Ssqcpq6>i7R6o^1 zVcY$~DXBI0hY84-T4WR4RPgAbGg6f^NpX=?t2*#p%N$y(z1_;0w^GH;SsJ_HVC0e) zLzm)Ykd&+TN$hE;m6c_8>GY5_3wPgJmdu-K4>rTRz2E%7bRFe>r}25OPVcyvAvf7R zqz4SHMCP0HSXMB|EvCFdfp3mf!`6<1PnNjDm;^zMr>A5lobpAvS+qnm39<A%c~f=@ zzcbPXg|>JChkHeDGp4yI%UMIeewYUXNnV&oh0IirIaz!MX)Bl_ftV-)9AAwV(i1>| z%C%*P@ekH>um{2B#0im6bzdiN<qthf`e!YSi5ty0nBoz&u4l~2HA;C(F@onHO>6|; zU|uM~M_a8EXs>dAhmQNL*qW4N?ljiN*nt5$h7DGh)d4!~c?o1Z_5wzqjH?+Yt+yxt z8(%k`0*lR(Lsq(=dLrtTmQ;u(h?4m#T<l)_W&#$8l1sW%Zv%#c2i#kjAA0H4-{4o_ zPTY9sSS+Un0J`@5+!{;o;J)y~nv1U^C|l6m;SHRprboku?|#^NA^4-_F7EGYGD`0c zv9h`nRNt%dNx1g*P>r683NzlPv#Sx^poQY|e4HNN8`Oub@B2McOyBqRKyA#v{q35k zH;P<Bmg;PD%DbZnDMoR|Ju&}<k=G*A6F3teAz}SD#;jwf!5G*%RueSmdt-aB_AFCl z>*S7Zu|0~K+x4F)B>)xNbrnt#rU_u^l%kZAvK8d9-9<p7v@!p)VfwFo*mQDDkhgci z3-;!PnJ)+kMd8K0zOC`=29;3Gtu@Fz*mqUMg350jW_^hr4;Cy)55edQML?%<DcWIc zGI7GSjc(uNDQ0UY3~>R0>SnhNI5Mba-Hi#po~^dAZtH4{8+pmz5Y0`AR~(m@EM_Dg zR-*^s0a)A##@p$L2B>duwLV`$J?q%Zn|T-Od5##1uB4qf55{_c5UmEoK@Ei#$IP3l z4hCc*ys+U#T@o%BMz4>1W5=X<sbVtVtCRVPot^ckUTQqe-r52L95<`QT^Xn(KWT@2 zHYEVB*oy+U@|y8L2RkKtCPT2SNJ8j~i3kY_0sIn5EOB<8!wt#!$%93L@x>X{vLx)~ z)klsO;OmsbFz!lqvv`c0T+}I3$p?8UW%L%tTi$RRw`NH&Ezc1g#_kp&m~Nw8D5yzu zF`>0-D0}Q;GkICbV7XkT^_z90Rqh`LMa=ig2B0Cn+&xg>R70MvVt9vY6a4jW&is`G z^8~7`JMBOKsaQY3#3*T!>RRWn0p`D9%?+Egvs_mD{O%IhQx;2Rdeu=*p@OE}ux$fb zrNw<Y`TaYW0iQdNKE8Yf8=!dQBj^|Z5*W<%esc@S@zOgRAEHkjEv!6c1C}iq(faHS zu9UYB9CFEt5i@IGCBN(LRo#w(RhO^=k0*;-><P@4Nm_%$mf?2W#$ba<76tRNu%$K_ zY0rz<tD%TNlmUPXN124t&YTJhvSI-^!C@%uxY90ZoH<yB6(4YT$66T4#A|3tl4Q%5 z9z%>$Z&Ua2XQpIE*s!R`zP39<w*7U~@QV_1gA1Y`3O+YA(<&TSA6a%am1fDq^!C?k zo2jxRn$3sr#p%0VjV{!~Oij(i$@c`g7D+)RK5=z}DK3}s?z(o%OAv~1xyby24G&wr zkbE;76;N~JNZog$#g(=d{}SDB(^1FGvEmy`v^0xD%zeuOcjIfd@|1Y7o_+8Oa5L@G zLkKa~U~qMewUL}Ozktf@b{k9ql|}MMyhDs{3W{DIpm_3k)w!TRwOAP8(>2CLPKT5; z<RKOfRg%RaTISH|L?9v1!Q7GJ=(iZhK)v<PHvKjvMXP>q7;#Pf#Lx#zv8wc^r!3ew z5VmcC;`xGwk6h!pg@uG_s|GQk8Rf={(i@_srHCWyL2T1Y8YDD4nJ=uRd#Ij2^-3|< zU@eTZ$S>~-g(RiQ7#`VJ?I7UCUCZN|>Kn*cRR%FG)x#0?UO5Zk#v5hjZO3Asb+SSy znM~os9ANjJNb#H`Iy{29kSi<g*I{SxjIfjE&fL{bQ*l0`Q;r`#E|32<A8e<O8Y>C8 zeD2Efv<dq<kCUGtTzWs5h8+7*B10)95yckGBSG`Uve>^xjk~I>ulpKZ=u4PNs;CC6 z$&C8c=I^Mm6bJntGG*=~%zVg8b@t=w;+MAWlD6%<8IcnWyGKKg9v4R@4^?5LoD`;q z%{#6lMml-01BxZvN;v&0Qe`v-mNB8?k#ZH<<VsCauq=m-mM15T-=C5Eo5X5z9*Ril zA_5+6ot`njTB&Grqrvd`aC5>gV?PwhEy13CmQg;;M=}U<(lVWs$ZO?>U?%koqa*DZ znOJvJ&LY|&rb9Aq2#i_pK>hg4Q4l?cgN(NRR+u6W{>o6I$e`>ucJ*RZM5n^t464{8 z63bo5Bm`MfFjGY-EKZ6gI~ZWlP0<a9qO~_I0C}UREm04|5O6+DMwQ_<&k*EujS|;m zf|f83nLFBx=O`!0WzJ6Dv}0X@mKA`etBYTK&sm_Y$U`bcy;<!9KSsdO<GxV7Emu1l zL)hR0-)iALk}1v{LR6I?_TK?TgFP&aY#7^p+BXdC<9i!RVD#5_x=TYf*{ts|1Q5ar zhgtwuBE*NiQ6Pn@A(413^&;>_u9<rYgl3McS_E7xI5D(qoBsh~K%Kwnj(9>QM+#T3 zg@HBVkQ@zKg0tdIjVnB~yd1KgRBDYhPHRDpiV6dw+<<$|HlV_e%;NtxW)I8lxi<Jv z8#18J;qh`3uSGU>_?80+UEu?qGEm{Pj4+5660kLd<2!BFI|k{k=~jnbQG{Jukc?wD zd8j2t(YtA$paVWcZ~0EmZZSS5>oYRJGDafaF;{rbt*T@?BfUQ?CMJ6qn#4w|PYVVl z8evPdLe;A8u&VPSzp}Fu92zHReQl8Cau9_>c14MrsAhdAx7XRtjRg{;{7_g4iFv(f zHyAVp9LsX(G+Ro0Lo~$M!~02`{jyG_Y$(|*LPY$P&(SQrVNAo;^K}7-0<4;j=?Z?3 zY1C=_j5|}$a&NaF_nYvWA0*cCd^*K7orq>FbVuA?eE|aMB4k=+bH|n*v74m&rJS+y zkrjtXl$y(DN8Kp5V~>{?D;3?jZ{VN_*tXkpU|;E^0rgF_D{epwlZ1{!Nv1W-4!U^` zu@8^y8o0()d5k7NQ5LU!QPr>_+sZFREMj#J<RUL-U6r>lNf{M8vXcAE^0I25F3G>k zi5i;l^h<5C|F7V$vm!rDRmKupwbb#K`A$4KZ);|$x<0TS=G4XgmI{Z%hEcuX9>?ld z=2R|O7!JXO%Y&MZr<Ut<C*nJ4_WAD6HgZ=#?}iROY*>P!MA@oucM3M{8C=T{X~nv8 z&;fu<`!H{$*u+?d_3B>8gIfG)G%O-*^9`$5$w41pb2+Dkmy5RZR?(p+nYL^(7Es-J zZYr{A#)Tz3vbI%RDAd`k)WVd>Mk3Q*!9QmvZ+;pZKvAO&75yH_?auZQR`QHbF-(iD zHrjlsd_~Ps8gm)Raz_zmLA$Ms&}#D3kUQ_vn&ThkzYY5zy+#y1ZM#~GO2$B+I6K+@ ze+$Zw^A8zX4b6d2@2tK()u{_R>Y=J`UWSGGV#_r^h$MyKmSe^qu|e`y(-^_FmuRRM zk=Vm}XljGB&WWCMCVES~6*1L^ZnqzcoGlfGPTM&^jmQOJajNh1+GDc0pQSUjxO)4i zF|l_A<fjLgMeA6s(pxK}T12U8T4D&U@L7T4)aMRc8h-S)*4WjMhERQEX@_O2^TYDX zTN{3POMO1xriUMot8NQxy7fZ&D2wE_3*>iM93N$2{P!%1)mU&F>vWGE$ygme`cFEM z#&sR0X_fQD`l{!N^>(_}hYN><{3lIa#5{1qmaw9Fpt*Ti0V{o~5c41@R=Za0P?P!C ziY>RLWpal?ge7grJk*07#TmhPi76C3<6S&lg0JyqS8R+av^yIavQ<l72S=;bp1Xnd zM*NCBQHMWfC#Y0P#(b!^UCPzywXY%J#&r?EicVZrJ!s%KP<N=xI6t|yuwkSssd)s^ z7fC}}F~&r&ND&U@BC7>2+|q;_vCh;7o**1S8H}4jrF_uHvA~NK4P(G%Jp9=M4l4|G z29fqrV-f!t3GHVTB?Rvy$^qN!VRViV9$WNn)hYdT%0+c(XuewXqP^Y_$4H?Mnl%*) zbZxE=ym0uc7$-$C#&oVN+nG@H^Yk=tBWQ(di>RTo^q*cj_y982B!H%#M&JD<S0Z|Y z1a3q43jV6ZuY2w+0AD##n`(j#o)9h<N&gE2vFNtp;5Ebi7NL8g<$i>5{*YWRI)SQ> ziV)~NU%s5{p6Mms0%qwl#?R8FjGwzKXI<}>OIp{v!?M<O@36F;4eLL44ZAxWeqenJ zPg6<}hKXepF=-hmzs{5J=veyn|K@sEV_#v(>jkYV;SY3a$DsVk#9P+4E-n}5h^LRX zdKWhM#~S~bYy4iFdyAJ79)~3?0N&yh$&9mFv)ejZ_Mb?&p$j%9F7o-=c_0xGF3mf2 zx$Z-2^dhc?^?D8N)jn~6C$@Y!xfXYq@oTOS_P*7{=-yxX&jI+PVjk2Z6L5@5fXZu6 zdqWWBF%saLefX=0%PxU2Z17xtv=#+x$2DfCZSgn2)DjvQlWXN`AokrBM#wcmJIHHG ziJ-6GUL|Bd&*;E#f@Uewh-04c9MG9eF2&%Y0xY9JMt+Ks-PG;B%D@(rSx=4l`hdiz zxQ}-;`2F5t6uj6wz(_#o0A9c0Tzz<9=xxRXYcy(*GU3hkV{Xo5%OPh$HM;_PBy1U6 zoBQ27;d4o#04{3sbq`Zn)Ni7%BSczT)V6lXOZC?{lB<i})m)!$t0A1VZ5Q_h*=AG; z!yqQ2`BP~DbqLHw{JzxKkD%Fsj_4NNhhJpYy1H_Y#?>BUu-RZpn57tz{B8YM>=RpC z<vqi*1-CT3oF-s3wULCA-wPX!YD>b!MsF=rg31-rK61tTw7Z!_aZ7@JnOxcE-U2K% zcl_lj+dL*teH`4U-Fs;Tb4>Jdm-iUk>ZoN%ydSCUNT7m5HRN!T>l<G?R(TA(3_8+S zM;U6NBUy^>+~YCsDbt*{R}A}Xc;ig+vvg!z=e<!IuxQ`e%B@tvWND94fzgzeT*z&m zlWb<&+~lWKLdxzbx=3L#>Phl0I4fcdtXuYIV=`>Yv_BQEpfOX7t+7QSP2#a^P02eD z1S%s2{6nacj^m2M!i>=n?u8ydTDFk`ft?WVB!{hl>eXq|vav>!W;&&fE9(bP2H*w+ z3)kkUAGi|<j|>+tnAMveJfeJm+A3IY2eTr-OvkQ~V890042~uS!zyWKB_alH_ge%^ zQHN4x;!gfcnG29(1&<Ugf{&)=N;61+)*L8O0}H$GFo){tDV~Hbac0GPcx<E4#^E8Q zVVxz(7<P8FT_lfJz`taH1zaHMNOUOIk%%8#0MAjfDFJ<b?g~1dJy!ul0CtHRi9(mQ zaV&LbNdUDVUgvYk(4w4+ucaP<KFp~rm*i?^OvGtI9tjcFw(qcHM8OoDKsiz~1#7^g zuZV(9yoZ6!BzhQEY46nSW1%6>F`CxS`&oHC%E{NegR2nFZm|2}XwLEub*%1#1#IWN z)!>bC@56%ZXh)z2=y<DoL*T|aY39Z`VcTBA;>=DoHY(!sT;}B@DRoc?mMh%$DTYtY zFf6F?Da!RcFGMbSYTB1=i)TU*H0HNapa#Eif-Htz{}4-ayQ;HkIGtKp)@u)%o;H~e zkax@F--6ApA@jO72CLa++^U6I^W%=8w*)UNO!yvKf`vB16laRYfrT$;CzE9nV|Hm1 zO8kc2`h0c<j4*3@dmhS>lO3y5-U5nK@=4CE*e$S|MM0j4vodd{X0#cj(Q{bbCkY;& zG3SEiizLhQ3WLK@w|FyV|E6E(X_3@XW1!izu>E`iYz@nDx@U`e-dyOMz4Klnunsa2 z8gWM`;KbNkT4sj`acH;B)3ck6Ve#MetiiDN@{Z+2j4OANj?zlb%_T>LfgK%vmyv<w zP4{JkKfx5_sHJC&FcT<p3{x%1;y5Q4`TyA-Y!;H;7SzePWEW~H$GbUfV%W`njkY_^ z)e3@_k;9yPX2&2^QGD9UJb`)~9+=gm*ae~*Cd0s=v`xlszRxs>CQ$1L**EtCZ0IML zJd8w1$fgZRjjy?X7;|SW?65R_#5Kgn*3Tz5cBBJwoZ~&vbTh7_3n95eyH>=8+HWwj zrzQxDxJQjSt$~_tb&=%CdXB6P0x1G@B5^8@dP=XtUiH*%XStc^a<*na>P*Je9@MNG zckPg3-55V7@c*t6#Th?teCnn34c1AqSr)`80}h}PoV9RQn~$5vzQ%6Ks?a)2sqX^5 ze(i2rD!Q!|Le}0?S9KFfTADHYse-jOoFZlBxAfP6$-WG((NN=<=7^RO$Fy}=^H`Fr z>1uIkxSb&^qZ%qvNZXL&A=WJ1S9ZB0%wjXMccZ2qqfIu=;Pt*+^_8u-P&<X5U>p{$ zubuy-PZWX#b;uFlMwFP&pcWW;i|0Ttlx_(7)6yM;YM`OjsH19F=9IwY+a#N5{7yy2 z8ot>6dARrT5JU?=(j=ZOlXebp_h@iJS{aU`9Qt4fyRcT3-y8>AQE^;qkWN@V$%N+w z*Fa98p5Un-&xeW9jFYgCi<@-~c;|gR(wZMrQaO;SW`rY(7s6+UZq`*jr}zz&fy6mr z?YtK}Q7}<T;Do_tMDCGynC(_WQb%bPCg=!kOE9&-#p8BI%biix;fsVI7WuFlfTiB= z?;dHz2(aRA{u1gh0WoMiPB<paDk1Yq*xe}JcBh<-e>q*>cr+=;zx;A>`sj-<;mO4> zr(gg1o5{s5<>~mFum9Y!D@z`40^w$NqKsxlIfTF{A$Kh^+k0<dEC&JNHP**Qx<U6o z&%}eE`;YGZ5a9Lcflpc6tiydlCw1SZ+zfH+U}**1*fsuv9}f_}()J(!@RU~{Y1IGH zg|Vy@_j_5XTLRS|M#kdf_1y)6yYBRN-Rn7NruKbk+47gWF!FZ2W|AAbxjfI@ZQLkh z7jR?qts;RbW@okClu!)s$}QWyQUQ2uY)-dwLC}si^@vyWti?>U`=-l?r@HbLvF<Bn zr))yKjT5f!G<<pBxtdvU&m;+V_t6yy;Vdw{Q0Q&X<Ak4Uj9pa6b(1km8|~GgAF}Z+ zvARM?cbp_=%##(ytUlc0(ox`N0kU0)i!r$ZpcT5c1WFs}{C_Sj*D^4a%}Nw${DSZz zm0pGU$T-#oDxqre;pT?qM~PKfi>{cWo8%%LZ&3INNq5uOP*$569BK5ir9a@S1XTF! zymv+bZR^lLN~2=wE8?m`f!hX1N}@_S!o4#iD5|bfU?x+Gh2dveN#i1twP>;Ag;j?D zl5|=Bhld0bE1B;Y`ZcD4I_jd1CW#1?#10_wjz%E88JCuHSs9q2^9+y*ZQhQm*cd!u zyj&o#s^FbM@Li2n)FP2D-Pa4_7)gksL6ugMq~Y)3lY0T6JF*T%m*Zhw(HcQT3M!Ds zX^F~4ROC(LaT1(O@*>UWa9Wv9r)>H}H(=$Q!hl}q#l^tN!tmOgh2bT%w^vf!k)OD| zSEs=%Xzy9w-V1E+JJsF+xA*j#wcH2L9#r`|w%4-maOH1NOat`<bFb{$V#PhAEX)Xl zqDXP6<C#*($C6iPnsKU`d4`&9Brk<NU0iKCq=d^&@F=bs*W4w3kJGdB3RZ4)g?e>o zGT4qvvk2qBWJ-Sxby8E9p`%PxMz!c^9^<`y%Rrqnk2GRcAoe!P;}&miUjz$zWqMOZ zrXSTJuR5GQ*cU79%G9>4xebtS)(U{{v`reAaqo`sqbSVTRE$~<I^7(rLbN$sGtvbD zJVBwzpI*4r8T^u`83+GExj!17PLT0sAyl+1g8taa17*V;7o+oA=(84tk<2KL9p-FZ zw8xipk92yiH2g8$b*b%0_IA<`84KD>pw1V5?uFn-Q(X~4mg%l;v8CN3vzu93Q6hBc z7X~UMm4@hhU`L;0BGM736~&D@f@UU@{E9PC|1&9a9h?)Nnnj&pJkZjRTCld!0X2Ze z;PRWGth7TafCGzCI+&ga1)nU~D=1Zr{=J{XWApcSIUIfVIN0MZn(!BRiRjOsKx()7 zH0<#OYnsuOnu^SbRFHsNq^*f0btJBVNn$zFHbP_9148(}<Dix&T{`MwJKf_bIO<|M z{0&>+ZwOo7@*kst?y<xA1XvU>DELc&;4gu}=lG8WqGkQII+9wR%11%9;%;iPkDwPE z|G|De>=#&J)8!TLMlXy@1WKVgP7d&NA6I!Hj=QbQ_`4)asGzcU!jN+a6W5D-$;uqn zxMrY$^QCIb;C2gGEOS<B!{Mv7IUQf|laPqzN+Y|Dy0SIEHO6dQ&o_g)N0Jy__1lsc z?c-z}-Cdf{QC}HF%}hcbF5i5GpBd)i-okLouTCkIVb~c&-)=tafA*J-%Wjz;Q6a20 zU}ET?OwTFr{}Rc8BEeGtW>SV9Coy_1V1;UqCZ(UP#B{m{6*&Px#4q}X22W2sEl}y! zfY>yV_CW&0Is3^%j^ULz6fL>ZE348h$r0r62ES;~j%V46R?c#LH@a`EVPB(Ge7NB- z9*?!B9LqtiYZK$;5FgV=rUwBU!q9T<>vJ`VPTSe|=4OBqx>F+{Kka%JN34NM%=eNr zIzY+&_mbWBrbJ;v*3E4sn6n}wHz@O54qfg<n4ipj_?dIRbe@19gLhNk<Ch4_PsVN` z3FC0iMJRj&w`y5J(Cg*rX{#YNx1dKz#u5HQZ}7`!tyFEFqj*9iO8nk(QsgObSjRPU z4Tp+4tj6$0!_%Mzt<mOHT;L^ZIlwPrXD7}O%qX9ppdw3UXF)3v3<&&r>G93Mh<p@S zml|vf;&DK^!hYiBBHrdE$z?Lx+HhE!NDOv*Re89LC+MTVTq4JHR1984#m8Dk<l=@N zko<_km=KnYL@EjiX0+BnsNi>|0v`8+X3*MUIX|(d{uVRe*E1hA`KMf~Q;;_dyZgs% z|J!C8XA>qHreQFo@Bs&ae==R7#+}9Apn%&f{{A0}|397_c-(!@;-AhZYU*#h_U{{O zKSr%dNq0OtZ6y?VWTmq-l|fYCL16qrUyI$^`I#JMD6{4?QK>mo*2~1fMqj5FP#~-M z3{(A;aORn?`S;HI_tP|sK%fOyq#>}ObCI0Qv6$g)jki<?!%*z#E{IeMAQ8Pccuq^L z`|rLC>3*0+<oADrilh1&r)sW^#ofuK?o#0l(6Rsizmg*7T+}xqKJGPwG=v3ujX_5! z;%|bYa~3EnF6&viv648{{iOWuncFX;BjFmpZf|xC%ig|8!H%cZC8Mt4tS<zjvv}7q zYACgNS_2O{85%1L(4^c*-(V1hRz~sBy<~^3MiQ|ko_;Htl*&fBS6{nH#@9eG9>>z@ zd}<uqu}%#mAC2Y(nQ)f_G0w;1qmkfD0^W-i-&K*CjulQ9fZ+Z`)3y>rX7&in&t-|Q z)`YXcDLS83>Ia_6sg7|hbuUb~04?D*?j9-uhP%ztHF`&z8_hE)l|(1kcHbZkbxn4> zqjmQd#M49c`o)ox(nM8T(2CiYEjX7i4yRF5f7lYH!hzQom|x)4>Fis;Ex2Yf#EAR4 z$p=fi=$%yyXN{NZ$39ZR&oXlI%&AeRzhwegNg2t@9>aZ*z=Rn{Xj7M+<2vYC+jo}( z(sn;D;cyH8^hEVt!V$XO*3oD(GJdXGiGF<M&v)qsw(o7;*7d{e7)S{oHwcm&{~P-1 zwzO_bMX(oV$r&5(l80}{7Ol(~S*5iy!Q48$m5a+Td2ybgJ5fSmPSA|;*LgfaZqJUZ zMro&cbFi>nEFx;I#ybpt4Z8y@WUbe65gi(>`C>dx<BLS4(W0wmZ%_ghPoFGX<^m-Y znZF6SzwWd1UB3D)$W88Opx57Z2mcGkA(ooH-kW&5?H~XwDnE`8_VInAJH6Yr)W$KW zg%#oW!?~}3q8dH7=v2$F8wUgU<D3PJ13^<8U`05UvjZ2hq2$Hg&y&Bk>10Vm{T$c) zA7{sZ<JqxB`*JPfN1FFP^a%f<w7}#3&7((n_aRgNkG3WMs`z7i|Bci8s#w0nKh{M5 zvBv*HiGaub56>EhNxJ*g|EX<_qeJB%6Z~(SU_|%|7lI#Yvj14;|Dj~S<NlLpou_2U z0JASSidLWZf3+?0mwC0FUANA!?kAQ~&Dxzp(<e=kSv*a)NCVjF)qS29)o9K(b7Tyg zRB!5B9cU0M0a?%vXnQhI_AhMJ<TcaSLj^ZBO`2ym-eOBqv^`5D{zvzI_l9y1$0M>R zB@L|G%#HG*uAxi5?idk<X7x91VV>-6<kPgOP}9rtQcEKe$v)?DzgfkX`JN7?nzUY1 zU>cioT*Zz_%D_f#*ulPaddfxx(_la7^gGRRWj-pCQI@-Drd!%+1#Chx;RNm61R*WR z9b=wzonB+jB`Q3lvdY<AQ!=Kn#w({~i|atjiDy$jukc<W7hS&-MeXKWMB3?`)MDiA zp{&T19c2x8G?}CQGFc+dYL6*ypv{j(#&qCx-W=E@i7%5no$0diJ>!^kJUYyTN-+jt zd{-KT3Kmlv5n`MuwX#aNaj8MNNa>b=%GoV`Sc5t~RfeuJ80RU+q~el+p6yBD_le=% zMh;rq=yaNo=XlY0GUt56Cka_2vngYl16kDr=$B}aPwG(>BeD&_Olnp_*k)$m_MF#s zElL!tJPHt5W&0ew0zO})W0?f8P%|fBWM`dSp~tpE5S6L(*J9*g8=_t$&$#iQ%(APE z-U^?zjOywUtI_IPGYsFw5sY@;ljqe<$;P`eUTz90Dk^Z}g_x$gqOlfRU8(5A^dhOK z2BKUabxf^9DFy8qknD`1`e&?#g=E$0uhoK4jt&q8D+zy+N!?5Zo|A<y0T~BjGB_Jx zn%SvnUfE@SoO4hQT9(cL;mx;dZ3!0Z*x_W^EIy;6nNJjSRL47)L#ay1tX(m0V}Xfv z0BiM4nz<jjR>e@(2_SVciGK+m-q+o`|1g-87r%_VJspn<i@5QqJaA=7MhDgPB-vqb zAFur==<@T`%rYC|cboLBw+mZG+=QqEY*nElTdSK-mdsa5Ywi|N&TpzOs+?yBZ>wtT ze*{Ig_n;RvHR~QG{me*XrdAg@B=NII#UE5Zwf%u)z-;&KrkI)NCp(+O6kNPcBs~Ry z@fn8gX|6lH+!nGAGy56^sIR+>3vMW!lya~cLtK`a&Kj%*h+o_Sl#3_>nD%fn!1a6s zT$MShc~ld4I*HGkf&PED={cZ4l-Ot;gpvYJViOT>nZzMkyjn%{Z}@(r$jcHsJwS&o zS43BFowsUH+^7aWeU)HLQ>X#${T4LrxA4<AlF&IdGth;nxvR0;|AC&AhHqQVy0LXT z!e1vo83pSbkAipC{|vtVX3gxcaW3;3yT4$^C54}W)2;_=;d->*^AyFCoh~e_cjPku z7NCy+=ob#qM)GVOfv~O~V$f_55rQvzQ4nH8pUrhj_`dn2uZzuw{|pU(z1nC1g)5F` zeI0S+YAS9u9;odMX#LS@BU=9w8~^Hq8vnA<_*WL$9oEOS@;txFIH*BPVOPiV5!*1D z0ypy?6&<x7j6j0Sr_N(`$TT>Yiqt0lWTfFRcbJ<2`f0FWD{=2F*DTAocjx`p_{I?8 zBI%&Rrl1_B{0tsrSv(6rQK)^KJqaHpTAoCY0V_{>9YfoL-cE>%0b(ap9%JlFOdCNm zE+bM2>Xf24x=~d*LdG7WGNqAa*KEtJHVC%ShBM10q_G&O62eFqL>MYDVk-3Dd_Ik{ zK3X{v(<ViM_(&V*saxY@0cZqJ8u+4+ce;<7$tQ7{awJ}iHC>?e1M7#lnv#VglQimP zs2`((lNpd#7tI=SUvu7c8j)HHq(@0=gU(Nz;r7#=XM@22Ca7)Shxx%R#v5MDm1A1> z|3w@6!u>f|K{``=_G)Lu;SdB>uR_yQ)*y}@EqF3pSdF8cm1asPk`d|<YR#%{3^)Iw z84A3C#^GhFeZScvteDZo8%`pHsbE<)q4g!&5Q_h5_QT8=h#(}<gg*DF--qZ{yLEKj zF5m26<66~Xm{b#?av};C&wRx3h^ena^QV~UE-}(y5tP)8Kiw2c-2optHy9j@3q&d{ zr@?o$OToVx<){BB;m{@aHY<Y>Hu5Odh8;mW*3Yd-n?Y!#0Eq<#=LR&`OjU<3rxK|7 zg)<2%ehc!EM@}-D<YldL5M4zZ8a=^U5JeLChB9<JC>vl)W(*W@C*Q6>o;m>(`4Ux% zuX2)w%^BzvogS*JPd&%CMrRtWFHXR03VIf-dgA|ZjBh%|4~NOGtqvhxHGqYPmR!!n z1d(Lv3{Om<D4B1f*&F?8p385kbuedNB8RMU*jLr&7^%Y=3?()1ZEbm6rn00JNdgZQ z6>O5ZB^Jxhg%+H&&OOPer8>S1(=oqx?`9WFk%{mvZ7OZm{@}hV<T7KeU^))m3=<S4 zy^W!AVnx~kex0XCpb00$AqGe=K+ZcuMJQeq<6EU>4Zh2zCWW&}jB{F=O-Lu0j*1+s zkV8s2Ke09>K4oK&ld)WYOfce`#MUp`uH0UGvmy13vEz@NyQ+Fl7d6IKfxV6yc@_|b zG&_$HT>)YuB^1OEHtyHT$Hmkoi!!;GbL3|ldfTzOMFT)ySmsgQevKECMMb6b!s@KA zS?A>?TT6o_v*c9cuV)aChd&#{X$woOjN8A;9dXgd5T#+8XNQPEgSbnFuC+3It9!2- zQTl~v^XW|9k-9)G4CN8#)&$9i;4TRtvP{;%=paSP&Q`{{z!2kb)WP{rVw1eEOjJXw z6N0g2Mq##u-NXpn|A*EjonYefI=G6jt#ERHAsvp<3|*qvE8cX|+9O(1J-o}(!o#ou zk7G(C&cJz9;Y|Roe=!Jg@bh~wIPcK#C@-3Kt0f>CYRKUYX*Nzroas%6B3IWY%Darl z<kByX@muaN<wmO&fVu}D1M#h|)jvhNEvOjdE1g5G<f$-2WT|&3&rv5c=pf%F<7|BE zb``dCS^yDWyAph<g0SsrGFFnef2^5foQT2&FYKyuKDQy63($rnF>Dm>aSW$o3BmJ9 z_7F-Nggz$#s*WRHxAKOKT{eLhL(yzU3OhaJoXRUsUK?$ac8Id2QJbO=F_Ywlc&ecF zi5=W|Z;psg_O#(fI+~A~7r9V0RuN7Mu@7Vvfz2tprQp%02W{Cq*hg_FTZooHhe&sM zHsIHe9fbODFEMCv4P>A>aJSp_NyhUGH8pZw-%ugr2eu|(MeVB8TCv|!^K_EO5)8K- zVe%?CxQ$RsBKwMFjjsl48_C8aA1I|bUme(b(qG?bJ_hV~!y0u&+tNWoVFaV^9tyre z=Q)wkXPu8T6BtGGy1s<=PQ-utDo)dq6L!Lh4*!nRv$Rsj*6zU5SbxwmHC3K-GEQ%` zM}ze*2J2sb<3*pdG1ChA5R6*28W#r32)8l5BY1M`&eJj~Zc^}3-w)?DH0`D5BYOH^ z<B<pW?Wo*C;YakW0a<3EO}ypC7m}ryB%LG;&$svX{VAR5TYyLICBPS+u!^^%a}SL# z?%4Yxfiu21iMOFT_$@Gt{TA3ncvBB)t#Pm6ixk<q-rCpN9nkB&v1*|OV~fHq%@F&v z_b5xw9Ig_f4(zmn>folT(SBUcVvIr|CMI<ww1GyVi&w|fNqUjcfe)8`^KhkDX;^eB zu|MOAZ{HfBn@h7{eDjDK^WRH`W~v<pvxu*Bpl7yqHj<&LC>AInD3a_J-NAyKo@P*E zJ_@z#Us!nAB1wZ{0Yfp=W2ZAYM-2-474|sd9*xaT7;d*HqU)kIm2|rmNU$|k$p8w1 zm69UuP~2L$wjV3`%$F>U!#v<%ni@gX7sITSwX*zNADt_?rtjg=MfU+qVl`g~YgK4b z)Mu3R(#(@FwH>Ihg2aCAzRkKE)L9#D!6Y7gk?-OUKmN2P2pSWvP(YZlz(ykc$1@x) zkTf(0)pAXN3`C)eVGZ!G5#oVoOPzXrZqfDZt8Z#%OliSg;tRCLGoOO@G_HUrZv~z3 z`S#)Vey`(@{wxv2>T@huC$1N%qtk>4^%0dspDiBI21@8|YL*N*!=4WhP6f;d1+*|x zm8xEUy~p{a;9nZf?cB2+*bH_lK%-WN_YsVRh^nMnvifYc&m?{{>CIeaJx}wJy8&M} z`@28y?7lwSd-byJFx33$JvNm2>Vw%3jf1q`Q(rBJ73RvfSS4kc<{1?A-R(%th7~Ma z%G~vycZbuOc{xtk5KP#ge!}_14>5vy=)H~5yV~{%3WuYrVJeP_VgeHpo9A0dyvMKd zDF{>A0^Knp)qs`bOzL-=;mZZ;AzvyCjKc9{f?H;teF^{LF>%I8s@EJ#7NAYXHHU7G z*r6nzT*cQV_xDbHq!!&ix(0J}hY8G!3cEM6)A*W|A@tUNyA5UbFv%}n7}mG=^}t`| zWCqeUbjj~R!Vir*OD>b*1BNZ_tvYZi{t<_6l}U<XTB3DB=f{l3M4CJrbEk31jb2#I z3<AX1$GKQ(Gz}E_^3P7_6*|?8zVHu=HkH8TpQ1yaAhfBEDLXLR8pX!Fw`Doc|9W&x zs+sP|BtCaj^zt*E-IsnI-=gkmo_`>S?xJMC9jw$b2lyOCK9CUlfNJd<qPR;$rb+wn zcc8!oIG&0hJa8dgB-dn<rrA=+k;CZW2^>r=)FBi14$h}g8L5dxmKO5@ZuAF+Npb7y zE~ux=7gfa251Rg%yuxHK%T^eZ$(9MsS7Kl13^WQZv<;xT6fuaFF8Y|*%~;{6Wvj1O z>SABd3{!B+xl8=`Fak6WnS8T!@?bIc=q#~mUfsu2g0aw|91c~QVn5^Rc0MmV-QaV> zaEbBhPD9OsYGRh)v0^6W%!$MJd|a)S>0^m|!Rw@;bVihze2&B3<b!Pi;soC8oF!GM z{6XU2{v@yNtGel_aR!!izE%JU>yhcvDsqk<<&@Hyz3$<KT2b{!X)&5(^!}3Xs)3WC zOrMu!N(R@oz%KK2tS#<1#R#fn1k%5Pzs`yrZBRZ6=f>btbwu=hM4{k()a~Yd4?=7G zY;COvVs}V<xbC-64pYkadJT6Bk<2hnp9M2AmgtA?HN*Y-T>t4OOI^9m!fKNe{`H}o z6eng7wj1fFj+lf_R7?yog#+<8jjIG;nb%}793Zp4V%wVLFvD9uo#7pmI3w3V<8Kto zG47?>g*xeJrzgI{wehaf<?Ougrl(yBxk_KRv+=8Ja=i!71_m&N6B8JmZ@<OS&=0zr zTMj;Wx3%8Ai8#<H{0^_TfH`%=5_fxqGhGJNRbJ<o808ro0^+5uq?Dj*!+1PSRc1eI zQ=y8{Z=xa{Lml!EypiRuFMJKxP?ii;wh1;tq?$OZg;COC!*VZ}a+bcB<muUYoIyW} zbW~!P{b7feeCL04j6RKIx4cnta2IUx%IKS{ab0KgRw+o&8LiTe<HsNmwGczUO(|xD z>hP`8kYyBizLnV0CNn(SeZKwU{^9V4-M|0z>dmv^&iC7I4q(wL9G4F|!~fN>jg?v@ zj3}rHVT&Vzs#);ZbFv5`9a|uRpb|!dZ3*mY6xdRT9eBs~|FCEy<Nh5*8?V^n+g<+M z@`_bP(Hwd<%U6q<)I;BlsdpZ_P<g`^P+t9`S(yD7&C+F3h4q7`rSzRe5o;t(op@-- zDwN&0Au<HVs{dM!u@KX1$}#i_DPyveH@t6yHpH8wM#FWxmQQJoq(u#5{7@Hse|<Sf zUy#q+2~++!l6RB{X*_q93jN?dcwTNdAB(2rcbta1>rb#Yxon_GjBEWnBE4^Ovr_gm zy4>I{+mH-V>xlna;vMmbGnLgnBNrc%QUtEVl<-EA@W+t&!4P%Z0!S?EbR8-}iSmwC zL@5;7h59yOKH{JNxS>%#M>LA!l#U{?;Kk~ur7%(ERHlxVvY2s55`m%}K^TmA?2Lk! zuMQi9IrszKd}}{lkL*{wu(~Md?7Vo^={eHeXgUtyd9X7budj8qr$0PGKY!zoArtVo za3{~I0y7D4;uh`-Da1X}UGIZcLe6j+nsLvDXu5{o3tn@=<V2Ak>+I!ZXc(N*LS*8X z&McC`l#&;tYIl^-Vb;F2?D4TS+uLuY^y+qpcmGK5&hPBit4<>Fx3PLvxd7NoDN)60 z<>c*_i9Yq*ZJFF{eQ2faE!RimK(k=Mv>asGz!^s)rmBxek-v|8_ivEx{(Cf9dNrV< z-r^gs%eY7-u3l#364d_2oZhuVE`J@ZysTAI3`ZFjahSR)nC3velv+70_3eQXMkv^M zU-#`MsK~8()-ciUQ_@i=GAt#aQD56mQS=|#IIZIEUPzl5{;m(J>AkYUUcc#ia-K|e zaaODF$#ay?vx@a`#-zyBZ&*H)k6f%Sk1;eFyDZQauFRs%J)R8EsFoYtsa6@2N)MkP zU)N%Rg%xXzwb?bfS>z>qw$gN%%?ldEK-?JkRiaW~8*PB>a+YRD41JCbC%<i2Ds}Tn zG>o-dl07;TffQQM90F?C)IBo}MZy{Cjt5sUmp}!ob^qGRrzNJ6u>?BXhdc1U@3yxO zzx!_6GNpB68r4OArlQQY!=tYC9Md<y@7Ck!ZU#q3-yFl!uEG^Q>RRn~k8hT?{IlD# z@7B)&8-%p@<};j(bz^dSE1O>4Gx56;b`D#xbJ&KRm5^ihh!~HOvDLERL2ej>yv4k8 z8d_b`(gv+K9WvCP7ZSo3QLs8K__uFk_Z}*yZ+Cv(vwQ22uV`jq!uM$k)k<Gd(&!cy zHGVIbWIrz~`u%)t5->`~VWU5hr{U%`?{eK*o09IM$S$PUKs{?dG6Wi|KGFJDEqc@? zU{IuQkopg(Tmu7*tUFxm@s@7Ekv^R1YyfO8&AoBV#;4|lyQY~gK{O}JwcJ7h*J(2< zhf|cR61p3~s1g56XO<FblLvhqHAmC)sb9)s6hR^E&~Vy(jjG0C6nsXs-eRU!4_jH7 zIlXQ%b4*WJ-EMH^CpMZ|8pIEoTiCB#tR8u)+{t?otow9P%3hgdOtE?kk2Hdb{7~3F zcGH#_)sJcpcf6dctcnK9#Hv1iUe{5Qvvznh3FyNOjec5ofvf40L?|d-lF&o3Fwmu3 zgva`-zf5$J`DYTfgxx220g7};k{{`NxIV=t!Anf{@(|=7eZ%Pm!Pmg~_}aXp3^Asm z1aH<XEv9LgOVCDx*l}_4Guxa(K@goIrFJ4gnu<NdbXg=i0D+%X=L43Jm6ncEY;lBa z07By4I!Gk~h`~y!$M8lh+vz&B_pPPyqe7*E6~DU)IFc&0E?2@Rg|5LynZ$&cEZ0K6 z(@mr!z$5YQ0UA20p^A<GppqwpTm$R#2?fa_iQByjo~CE#<OxEuG;%HmRSUyA?{R_z zqVlM%gDOkJ(U@(ln5x+Bm7*9kG`U(sB;Wxa{ROUalU}SyPnMv(|Gq5Z?2N-SNwbzE zssshIXh9$Etda^zZfvMBl2BpPQ0*W@XP#z4RR4NW$5VFiM8<$;L<(`1(`BG)x2b>~ zDb1YLiBcL>tG^)EjmOx5PVZ(Ayh)}BodzXiCqtgAnAqxcCWZv{G|6EGLtnvU<`S`j z-Jy-M?x7Q)f$asj*Vqq`NITox+v+~EGu|!|d`MBqt|gd>7~+i+l#t}0XHZ{v8`Vja z^}fJ=k}j{`ZrL3u9;Ohbj!`a}_<CJy07%``(1@AQUubcZ!Fe*7;p`biq9b1*Dvg8d z{(Fx7cw;=lEBPC@g!}M3dFL%xetnWw=v;<BPLc{{-;Uh9eXz5)C#1N(@pXUW%P;Z3 z45#&s!r52QQT#ifPU1N|Nve@{Rl;^K#JRMB)-|_mNiwKj!-jJ`J;^5+LIK6}a#W-< zbaWc0F?<DZF}`awu9rRz5~u;Y;6%=*F7y_tEbl3PVs2ODBxv3udqQpEiO@=X%WG$C zedEy=Uw-xHufOS#a}hmdz5*}%@YHK(ue%}143xpoD4wMidXOQ({xd0Zgh}adaYrjq zjc43Qap55Wvf_y<U0f8%Z>k;koCD=~URE4NfV35c;f<tfP~D<evWohK6QTlOw;mbx zB~ZKt0l)$=p)U!u6Qn2Q4G7DTL&HQwn=>+3Vtb-#`p&jGGJ^mUJn2Yh?{7cv?>u|q z_v5=q%%rwrY9pjFGWVBmWQ=@NUJiMemKJO3q)K|P-0DP~RrJ#MOH{{tR}?E7kP5ce z>9o7G7BR!ZFR@ZeZ%KRytJxNP_D@T#aZD)gt+(nU8i*)oHNwpZSAG2&%`lW6*o4>2 zXsO5Qk>2$?e{=Qg6`EshwCdn15Yo}0L;Y?mr_4CiZyQr}2Yj|B`mHpke=jO44eH-3 zgk^Nw@eHc99dlq!CB}ii#U&jEoY2;qxouHObrt(<X<b<=LEB6v=!)<OFxak1=Rc)2 z)$3s+$OijTkXT)c9)1PO@f}ak(~J$e;7e00fTQrC5nf5H_}y}(>(av)+dmKYULHCP zu~f0FDJtbFphh4C{JJVD5~fw)_NG}&HA9-&p!J~o?hLvM|5=wm=5l-BAy!J~jNEN& zoxUT7+gg)IuE^!K);v+^eN?~YX|XLpeUa!J>CVyT<?#d5sST47wo^FvpC#|!;O@-^ z7)_`S3!{*ES|eqbY)dcO=*8zH_TxVG<88az!~TRtGT=V@nqC&ZU4Ish+rn`#YK+{g za`B@04#Qi0LjDb7RaB=be}#b;owp~Q2iDUE^vtg6ciWa~2qqbzsH(%N)=jwc;ke2! zgvt?aKZ;sc;ihOtc{KgWVH|YksufX9?Vz~MbH%o3o_DqYQy*3eiibL?Ed4?64DH(B ztjOoH(A6<RU+t^-;JC^A8n@mbJO-~Go%EVprebrsW*upMq@@9K5iHQY8#|b%6fpBp zenoW;j5awMB&p_AElN;m*;0ydH}c4Z^*HP2)p?O$)h^<V4GcLnRO`za9-Eu28&Jaq zWxJCqTDOEF>^~1k5BOF?TCvSG-h(C~G_WUYcDwWtO)|~4>5z)X9*<Y-tncEWrN>sE z?J^&I5txhAqoQ9e5_x+#<K|h3VKn0xw+&In`fg5SDRIVYUkAG;2Nwt2Y?lWp;Q3}i z2_3yBU$k75sF56PegP8BU@-6muvic)LRI&~HVA!(sn1*%LQlQ7P9_dOKKN-f{Je}l zm#a-{<et60@!sCJ8=K++A;s+jbzpJx9tt!;nO7(zW!QHp#iC0Tr7~pQxu|hD#(7gw zyx=B9&RD5rO!Fw2DK;VcePRsw{47iVS?9+{GgMbr!Rzbl95X#6l6+4Z+%qh05p?pd z&Y#BiIkZ!j6z`F`#_I2#_u*e&Kc?Ijm<8dc7fHlNNy!<^#H^H(adKM>k1dGgl53GI zB1YWG=9uh;F<*3!9`uj@@^<{-?cnYBzNrYp5c_qxE_UrYiHj$1$M3(m>GkpV6h?Ip z58jUd!Vkvrwfr>oS@)pX)6L+#s%D!HACg;5ewh@fll%&$wuisYG0ZZEO%FG|`tzf2 zzIk|_U-id%|2m)dX^#8o_}3@pR-Y7DeNl*&eVo*O+?NUL*Av)Od8rY<c)u2XaTD&m z_-*IeZ_oa+13w?#^unKae*1a<xBb8TEWh`D{%!AXzy0kmd;Ghho)UR;{AQQZ=5BF* zTtg7;9Budi>sYHced;WU+QG@1O8XoK4IOd_T(NPZRDD!l-C<F!8&XTw9#EWr!{|rv zCOE~Un;aOXpO%B*AYs#FAz&<iBQ(s>pix6Ko5Yz;po^th&uHbW;}|g5je(sCfwl(1 zxJQp>aeFhkkU~d$TrClPrKE>xt>h&}9lN!U*kb=MkA^~}%i3z@6Vzo0d6-53|GH3a zaqKZ0j117eNIuRP%&h7?EtLgjDZp6*_VRz*d(-YVZe(Hj`#tCWhfaGOHmxQt%61k- zQm!o9iJz<39$UGyPzq0rY)Oo`g-u#kB+YMsYr#@Lqe;q3mU)LWk;!hLP$&R}LZOyC z;F}kqyw*l*BH-TP4*~8a8s{+GR}VLUAC<^JYNje?7&YH?*RVg=ES;-|&kpfnu(BmG zhJxb4p*RWNG?4EX>e<R#MCuu3sU&x4OjW6!n{#uMqP6-MqFNIndi_-8_Xwy9e-CY1 zMbw&)avs0kv3t>x`@^O5MMv$PeM3S+uiu@?_aI;S#yIY2-0g*bEJ9{~j<QZjR|Bxy z=V)cqgMWgD3i$d_&JgZK@xF%$(a(w_gskODx36;}-ePtohoRm^r2XrB43l43gTAL^ zi#vJ`c-OE$W2y5O0P0!9Go*ls>l%cYZR8`oC`N#!*|P@nu*)ms5V}egch$y%13^<w zjh)3@0?&)C0&Pt-Fqj1?78w9~1YAz=4jXwCF!ch6cP1mC<B&<iX97#aMU+u~&jt#a zA_ozY!n2r0$T(cZs#k@$mly>74CUuHf8DPYAZ1llitCG!v4Q;?(eZdZ$g`0Qlz(xS zlNAPcmh68pe5%b1%;C<<5#MDS^AT0Iq2?DfRPq=o&UBOs1*TVyRPRuC)cfmuPYN9? z*PkCYP>D~>XnO|}G2|S;Mz!l81ltyz5<~{^r!-21eWk{&Co_X5dsnr?8HWGBFC+Xy zCK41l12fMLoYG~ARGyuF!Ts4;-L+UAb2!-GFGaI}W0H1vN@|1R=iW&a>-6r1L~&FM zdOx4kB!|YWc#yyA1e&_Ks-?~tZP#vY%FSB{K{T$eBpxv%a&r?vrTAqKLL){j)H>X* z#Q_3v#TALb94n6XvV-NwE5@fzId*xwT`PgB9UWB`P@P>=M51IcQV5xP3+)rkOincu zRMrWGX3AJWa}RBm;4XEQpT!w&6-%UIQIrxJ@y03#Z{a}<&*(!qmGk1@<nnBQ$3$Tb zcq6)iBR}3RV;+{vi%f*`vOCJQ{mx;Qld>pfN-PfYVS%d4@nb%?vf~f4mN<0}2@B2$ zEUR&G7MK0gsKW)rf`d~;^mU<}?p2aM%QO;nk_DHaxtvx$3dL5S8VN$d(XT3FBgup~ zKc9y%KtzztPRtk<tgC6eprl1YJ}n(<lqj>U*K_$j%Ou-oiF+lyO?=y1>R#!}O>et$ z>HF3jnzaOj@u*`a9C&{CasS}?{__`4DG-12$;*S?{r!a}+-dD@k$k(^{^@RUw>YYW zFRGKsyK=Wf96aJLx^9*O1H&E$kmw=u!<$z?R>kRxr&g=4lG9aFZGBbp9F7jB|DGh0 zb{x*SiFQg>91eZfwxgtsTkRSshH<rPb^6BUYiQ~LR6L@)4v$t&hd28bJzn@(nVtZ> z!ZXMJkoi2GquHi4Orl0BT~8aWI)x{%2eQI=CWeZiETig_hzLj58Xa9VwRH7*32I<3 zsRY_AL#4iibXe-$YYwCT$}S9V1Qm$2IBC}XNX0G=^?P><xBW6zoxP|c2HATmOIK5r zuB;?|PX(!iY<beGt|2XHNB_MwdkZ2@S#bfm-~tsOazHoF_3x(&WL4inTbqEuQMx#% zJVbqT2{}<mo04LVnwhmrLfd8|Bt?~yA-O7dfRt9>=P*Vp^G4u2UoK7gBn~N`1fpsN zuu43txVpb6I>T%NJ-w>t@Ke+zM4J)*vtXN{d?8e9w4~Sx7du%}Y|6!^RmE<?k8u;a zC<gsmdQo&~yC11;Hi0I?A_)=SG^>Z*q(Na&5yL87aN(ysa8^GQ95~7Ut4%7HR~Pf+ zq<ULP(Q@!~tF;rO`Ppnm^g{F9LoKxBR@2C-r5Cq*oCqq;qmQLI4<7J;9|gKnG8$id z6}*-8DR&Dzmx-U&MPKMlR-#{(;+>?p7vtIU(T6zY3JvG;E8z4uYze}~9O&AZpfv^q z)Oo9fLJ<mUEv$f~HVyOuC4XIxx-uQV?W3xhoH5Ag1mQQ}Z?0oF)mQfh#=NS&Lvc~^ z$z^cbG56ojCwHMwn{kyzAJMF#)Asfnj5Gy|xtyK#b)q%ZgRI)8NlZB?Q&NQ*CHOvO z9y1lafM31yL6HuM-ucfbY0=t<9z0C{=d(NMM(aVmK>Jz4YUsGhHSrr)#&1v`{{axS zRkW7SOXXA*bfO9c{4yP17BZwb?@#QWTp<r?1mLy)`kVRCh%qdC($F?avetk6X+Hir z!94>cE*cm)b;al`ALZO2!x(D&UT1RtUMA|$zGHuGSBNfwCgOVTB@A{=jCtyswl6X? zSBB0drIi=PSNSh#%zU{rWPW}N^YTB3-LqhU(QhkwNgbS?45)t#89Dnx+Gk|Mi{_<9 zwV*+u4YUhjMZ4h7tYNS>L6^#IDv%294;4b&8+Frfg91_&SBf+HOA~|SPKRh!kUC;n z!LfC9<iF!f5tra}nt?okffqRP0=IxwSiZyaC<=e$p(E<CP1Ss=4-_b|U=CZ1D3Oh3 zO)a%~HdjJyLzyV(QO&^$m1M=@<Tq}DhB!JroE;uc4-ZH24K%eoD8?!(q6xpka$2fn ztke;*Y?cchD@NVuLvJacC|Qy2b7YGfCW)Unflvo2rf^TuG5l{cinrdp+S`%ll=0y# z#^(pSkG<z3dcOb6dpxDbd#}C6C-nH4Tlyv--S7@@QEUUTW<aV@Tp{2D9Kf+_E2V^@ zl0bk9|0V}yc`Ns@h8aj#^3SHSL`jx_q?fkWiW_A3U;KKIXK!=cP*upbL^n-En`Y?R zz|CD;M0<hlcWD~ARf7&&p#P?V(}#;Ai#+GVD1D^e({yPyspLak-c}Yzs{GzO68s6p z554tuUa8otoF&xR16N8A=>k|Kfa5lOGl|*Y8$RuH-ea*>%H!O*@5Tq?z42f^9C>I~ z$HvckZ!=}dC*m`82?(lZY-IXxWHhQ-c1#XD(|j_9;Vrt;Y|=M592Xvb0rqGdAgo1x z8BqZOUC#p?XYo&Snnc01@2_>tV2ty{E(`4|hEZ2N`ERMussc*&S?&R59E={K)-cTo zJgPs((iEU2@ey__%cWZFB-!j2YFknn$AJ?%%OY|*>W2u?7`m*-F0YToYcWNi8N?ET z&N%6!J5_@d<Q_gQ@c~+BnpiAqpX6B{r)sH-6JUP9<HT_p4Ye8?9fvmZ>Wf03>-uFI zZhm33(KdtX2!sP*SId^|4=PwEPGAaKH8ZiKDMB*`bw18d`=gPvCe6t5RR)@7=QU|X z9Ms{7;mQl_WUW>c=hWTZT~4()=*#Ome9Td@ORxCl@tg;O3OF}?k4<GZb*1Ea;i7<w z<p0ExaA*@tNxJk0fN1Q18q1d__^$5SNn+3Z{hU>av$~|htAIWbVW&~e_EhExu&*6r z)Q%YDQZ^aPo2t6Dj6DV<Lf(WizX<^OSeb(b7mX|%4MZ1_+p`Qp`=P<}ks?n=y^phK zltuL_%jNdt23RiD+Xjv=Zl+6}9_Mf0KR<ZN$#KlR7@q0UIIfp8c!9~Fdis&40y^(I zyJK02QZf*rlW2Jd5-Awq=!k_@Qj>hBAkIN^IEmDvp1A1A30>(g_WpC68P%uS96rYU z78rgAXF?J4<4#8ubo>M69lGozyW?4ZYMfL!ra9$Y080IgnOudQh@>o%>O_dwa$D3z zD}-8f*TZSXK5)AFT-BX1ADb_JyqU5BFRW%-pJ0}3Ene(@0H&fK?5qgjlk+6hQQnp# zQ8e6@MOKP&V)Fs1i(yz>-Mps~DUU=9ZQo>IjM+;}zB;9<6s|`iW^28Pad-0}oMvaa z(!w4d-vB~q+1vh@^3Rl`RcIxyjdRTOFcC&EXt8*4qZ7szCdO~M-waa3Gd|9hLt%kY zZ_#(SQodh!@K$<RO%L?1HUtRA;#`TFOMn=*(fqDn&M)wKf2R7V7(a)ctyt6_kMsMv zF;xg6uP5VanNbI?;@o<_C4a~9xgB?3vi6MR8(wuz`tm>6szW*i)*L*pTyfmnmDiec zEcnQ)Y=xb0<u$gF*++08njU`4Ww=yhrjG;gT15zx(Z80g-S=6!eiqo@c<t)dt6=IW zoj6Cla`v}lXcDhViup0uhmmrsa3+E7czCQV(}0q&#%GPmbd34V?5qX}7x+Z!QZb~W z#U+Pf(6hHWB~ehbDIn5$-SMZhhTsjnHCEP5bx!jUrjHp<4=}ioKPFTPCllIr(T@dD zZ8S`41YLs1W2b<&y>oU)h23Xybq~p|U`F-G7t8|fKF8V^v}dJW$O3m*iL9LKVW@SG z0&Tho{AHR=_<~!d0Vu7MY%oX!R@jac;D;s*K2^HV@Cwkl4zo$Jlssz21btK%^*JD$ zE{MS6fYJlvQ<%&@a1Mns+6RW7zxf`H7$)J>H0J|P!0f35^L2(c-T+%bq`x9ky5|&O z%`d2lcHgmrQE7=(T}~k3tS(bgXE4%*e7<kYLR_~Afq-n+zr8LW)qpWPeK&&^(dxk~ zeq&4)Fcu@`FYfa2lhG?~wf)iCG1^1~s*c@oKAFwFNG7>vllKB!t-iV0F;!Wzd8QkV zUmEJbYk$Qqy6&$aF>4B{ht^{nR3MGs%qK*F64SusKm@~yVZHE<iCMG1)o80JjbCX# ztxgt89@$xmRU5b4C7zz|kL79@u8v*BNWQnJTGg)j`}hgmEsVLCB1QQwIu&-NOwf7- zfuuE=CKNo%vmr{zmAaoWNkqlEf1$H%WmeU_gSQfcYy#YAl#~7c?x<HQv=WO#Ozt8> zwSTho7-M+Ce?5v@q93N+wC5%o$J;9k^To$1%uh1K3`$Bjma#yL=LZ!W@&zR_8S_<w z#79C+2L1E=0!2>j_{(XH<NVPP?iu>e)w~=JiEs+$!P?%AHcGsM7tglbhSrZt>?H~D zBX^!eq2$c;L7N$>!Z!ANBB(6QB?W2p6kY&cRqEx(^97+>HTUPj+}F*cXbrXl(R*0- zM->37Hd3dMXQOeg+jE~+R~E(_PG$St_p1sFAuz9h?=cj8-9%2k=8fu~X9TOX*=V5` zH0)oxCl&eZwI#iAD1q-O3C6pFfzteJm(Of$tgw(FyWk0~3%0x~c&>HifP{%a6>j?X z0UTuW?e>wokq*%%)F}c3yhg6Dx0KXOy8yFfF?5!9&tK==`IHXbQQO)6E$$>Y5+!a$ zH5NCW8de-#B#o9WL=-Xku#fwY*J4RU@EY@fO*u8XQpW9Fd6jOIfwN6|XyYZ1r#+a# z49nIiD4^vrhI&&@Td4jMcHdgbSPFQ_p_N&sS6i!r+&|%iy{JM*g+=umqF$;p-IG4A z&|)%%utU|zIa{4+{7YVFp`>Z{EeSt#7T%6tj`Ek&A5dNtNyFS|2dX3vOIra>;(jl# zrv^|G<5zfM-e;%q^T?4RD70Ii6@3sSE~e<=gpq<bOAR?~0Lv(~0?*ub#N^<w%Ic9g z)0^3Nk`RBB(>tKVyq8T+;Z%3;-uVT7D``(?DF79k7Ot=P@j(PcRAnjcq;4}W1Lv;W z=&Q<Uo;A)sqF&vlCfKN6$^FNHrM-%Mha;Csqx7ZPUALzDda*9!BSwC>LkAS48_bFb zrW%IQJVj>H;r5U)6afNGfJ$Ep>m0gpftme4fbU&8@TPe~Yb!-w&jPWe3x@H0ip$Rw zbOK?D+$d@qxMX6SO2&bvhj0X7S`quy`=?lyda{=_5P=EMZfza~Y+!_DE{)tZ6x73s zHeG{Y{Xr#4f8@VG69-*205+^<GepD=u(}wn?3WTQq(x9iTOy?jWwsy(5Pnp+ltq9Z zXF?%Q^P(zrzyz@F;0BT7P65(yl~ib24x-xZU`)PFZY}{Pd39f{47jL=!FJ^3g1j(U ze9b^@SLPW1;9(?34Ff@Gjnypz?2YI7WjMrzSb}TYqEboN@fNJd;<H}Q>`1Gs(H7|Z z^+{?4Wq(QOB=sMjJ~p~T+Jd&D?<4V2h?SoB$wg^26dvfX?(J8{P+<=%?lUj*i_7Ef zZMB*uguK=&Vk3InUSQ~tfu*0Xrb7duFp096Is~Okq^Z!WX@TLx)nQk7_=+Rtp2erI zJSd%`copBovdJYOF<zEV2-WgB2cE{L3b<|J`ME5&W0y!~7nx2j#!_3(m)j}d<l1a1 zHeZWMkv$lXPSK28Ee@UGWDZ;Hin9Dqt}I_Eao@2ZfF244)Hanvr(KZCkNwofKSg_V zt*HcZez+FZnrPB(AC;m&Ff7;5J8o?}h#oXs4_jYElofeVm|G}YJ4&N=jVthXsI^*1 z+SM;lUrtvSMoq+=z<RC_R7aP$6;!L;`959vup#Y&`{ZuXX!*}gE-!cU)-!wCF?Czc z`NCokptwOBB)l#eZw6d(q(tIKBd|?}MYt7Z5f<8-Z0u(UQz1-v1cHi-$}xcz^k8=u zN-xR<-kSN}8ow%I3Rm38wWt%2bV40k;Ez=y7~P@OrEP+SV-?Lu&8QU5F2Llcmxg1) zgW_yFMOTqBG*wLt1?UX10W82(8<1x$mGkh?wF>~BfH<{1$cD$gEPA&YHQr%#QMWkG z?@lUW9))hbswI21cYU}xzrviSDl5->MWof|J`-=X`ESd5Yrq>I0ZoK$EsdBs8?aVa z2<V>ZLejphv5?cQVsjLa#^wq>8(>_vY}S99lX{P)L@bPToh|C!c>1Rhra^*QEKC1k z1<Id3u1Kl-`)52mSb^AHVg8<iF>9a@l8y++LNPv})<_(t3M&f3*Y6<=TUuzL_<FHW zd?&h~U5ZdeH9cy;WEb_SUo1yoe^NObuml0OKlm(a?6|@+|5KKr9fjX~#@cY0aCsMb znLNeNxCJ`5T7RJ9A)WtiJNG!p0GOrTecGdeoh$!2BD~)b;e8JSeB1YaLXy10lh1D{ zJpJbw@PWqw$zjM^=M<zl_U=PXmSiz1+Ec2;FQe$S0k5<!r3bayV*X@4#XPaIg{xw9 znbN1yGPx2zi)70Rglx5sC}Sc}#p(Ve0;Z5i{-lED^?wA-vY`1i>z;iATZxn`{?O5B zbopsbB|cwKqU??b6#56I%gd7_e*N@G^z!xYi|?LB|9HB;|MG9qcdws5eGxt0|M6+` z>c`iw_MgJ{-M#;fC~QFV`1Q-by^v|Ai?eK!cT`Gc1@z5df82fjG}?RqdJn1}ynYVw z;mezY-Ph6gPyfFA-OCrz%e@2qSAtq>YrzfSs=>KTzcwjSnL!}orxN63T#QT|{6ST| zqhS2T^5GpBLe$clG>5nZ@hzb$5*|^{0Hj|8k-jDTz@bk6SAjG9pwgxhd=h&b4kbB; z*%&1}zIsq27-E$bk2YF_+K1VNK6+w)Ir4u(1kp}CBQiFf@+9u1YAR4be!zoX>R5y& zx?^Z3+*Ir!d@hLlxed>2DO8t_4I$i!ss?s*Iv*VXGcOW~&El{z8tO<*DyF%blQg1H zYkfV9S{r`0AFie*A<;g1v~KIe{O0P9*3+-Nx?G4?0@d7DSMbbarn(#J=|it-3H{2O zg7@fGyT+9;G7Q(lZ(J3>QEmJ}0BUr8T3^QpDgFUiPCC7Y)2e*V2n1@&zBN$M2qoNS zmzyrm4Y#9Kv-BZ@BniQlDWEpi$1ji8eY*Vk)FsO!+pn)GiSpyq5KX+QC5k*M6XdH9 zJs5B2h3dacBZZEbjggs-kvktFZ$h>O4XD0Dr48zcC8UPsQfk9?_hAL42y}>4UfmL@ zHp--W7$TL%tV}Eo;g;v-3i~ePyT6-(mv5sLh~I}Oq2xdtSn+XB$tM1s(?&?7giWHw zxmYN>b<*!ahp|s^@CrLk`G!k+Tkz9TA!Ox(MJ9~5g5{g$1F#JSRt2XtOt=@4pH#4c zqcAP#CHW2@_G{E`NW+17{$%l6_41$jbj;?ZrG8rIdTYNm3AO2J7`6+x3Sx<Fi6)#t zUNp6&t+nky#{v~fOTx3Pn++%XIu@Vv6omO+wC%R)I0rx(=s~2*n4xnD(TVmY30~XE zRa?J0&-2L-I^?y#oH-n$EaGdIhLfkt1Y9G#rcqi8&ZxDe1Ut!~(VlnfO)vD2>Q--c zF=$8}z5!RSSG^RhXoPXs=kcHwU07#<A3I7KfMjIN(|kru4Ea}uwg|a}A`p(nf_p_( zqRIJrgP1b50wfITVu(<n3ZT-dF@5SfPLLkRkbRvuF&*z@1u@*sVV?s6z*#1(RwAgn z9-50)N4Pn~KPd1rfw|!a%Ko>Av@fDY#ydV`y&fHg<|CcgN3)><cf+WQZpUzDzKqWB z9^XrGqZC)c^}UA97`NP#a6?gy*o^d%t5gx@#zA8gi-9*9NVBQQQfoBM4o%H|?~jIQ zRxbzz$#tXbLnmw^++sdVY{irZQ@u{wPVP-<pedpJDHLR%|3^VqR*=0C4L=>7(M*4j z;3G<3rYqfiviKubVh=d7NoOplOYaweWT7US%4-s=5(~qL$K;F{d-W_=X_G9zl0tuF zkSbaTgDwT=Vkr2Jf2gVOsZ^%n3vM;^;mV0uj&*!*$xtQtM5b$1I%rlp*ig-|UyZHj zpWCQXl}nAS1~Y57P^+4&m?weao)->Pkk3Mru?<)NBQzti39E_c^^bgZTr#G9RFe<) zs9DhrDvoJ4l)ez9E2!n6O~S)n6-z|A50yMTS0tDP@TZR>;<8!30bCwSWJNla>GiP! zi`*XVTcCV<bgR6&R}G*M+U(pw7`N<(?Lrt#1;Xzk3n_$f?)l|{EI>hjn}5gYqC|9m zzrOMpcibl5Tk^U!;Z_pEG~qslcl@m}zP+pbDpLPSL2<&;+9wK(W0O^{LYfZ^nX^j7 z94(DMQ$aN!Uxw&X62<q&<MZq+&w4fon+j*cx7aLJShJR91cJJ4LnrGR=O)Rn$@`+> zI+L8PV}pw5_niMl@9uq$e#7A2=F|R3UmI+azb@yG0a@Qi$ark1k}4c21JdpKSV!65 zBD*XUEun5Snhyqijv!0U#g><N5o@6t^A(KcnH}c?6UV1NV{1|o<}|8pid#TfDp?2P zMe3Vv6&t{oV1V1A<eD5}fF=s#xmX7s;G1l&zGgOWssO)jNCE>G^E{6yFGt%{hXQuI zvO!ytT2!N>uN3j^Hw(|;;N`|$dZ!5(!j?J6Pi8SxWn0QczElKITz8VeB*C@!o%9UB z<0IR^>Nb^u?b1>|bRV?z66hn|%UHI%f_qVQ;LsQ2+3x7J+ydsjPE#$iH)8b2CA@=M z`vdR|*|rnMw~B*cV#d_=zyW}=e>8qe^DE=z=pvJ)*XyOsXNgTu?O(N(40_&wjx)MT z=J%?33&ZCkO5;6_Uc5XYb{d9+(|=T(MHktK+@&Vd@gzH?$j)qQ>8EPEU0%ay6treO zLhxFRlt%HIzx{rKvoIXdN3`NzzyaJfl>FF<0?I4j&W1mlp7mc>ZU8GK{;aA{RWWIP zz>6+e40M&Th_NkD5%OM$C<ik2IStsP!3*{QN2%jZ%6!CkgxqA+F`P;{;dXtktpc-x z5)e!J2m%}HXb}J6FO<xLzF6^=j>Sr4_t7>nk{3E!gXJrMyt2qnI(?JeE(+(ovz6%B zVY=q^RrJguyr@*R?e9ohxd6>h91@c5L_^H~0({-^K}ygNlpTpw3YiNwx#K`JI4R%- zhGNMF-$-b<#9&9l`@Q=6VDGUVA#~!HneZOo2)(~fu6&FG9`oF)G@z{nM+5)!)g7KH zg)hndbYM%ne>*Y=kS?MXP(ie?Nf`Zky2SGvKMSs@4d{|{1%7zEV8>fw$QaTRcN4zn zwc%OJkA=}$h_YN~ZQIr<oxKxxFH5b?zLYV~JB`b&%m;2FWtgLg%ccW1+Y=16jj|xd ze-c;A&Iwq^uUwD+LLXqq!xY~d=LSntjdHXMT=gts%2sCmq2W^vz0eynuLZKDo4N}T zFU7J5+8y@MeF8*6%^M`?5;}sKD{_^pLzj#$#`8fBt%3o@6l28=jXU7fQbhu^7}V{< z1+wQK>14a`EGyU(X7V%!<ocxQA5NX4s|Y8)^aPCH?ZFoLH#;|Cs4``dTBF?UfHtjH zd=4{lglKVZ*;CLv_%cEz|3?z4c}^L7a1H{j5haW9x8r_~P{5hQt(0S<;k-b!em_ma zZK-?5b*>ER3PO5;kPhKU@)%3tF0COQaMA`_v}G)=(Y+{XrS(N93+D7k7SOBZ^JcTT zx`=M={+4lRZ80Mm6HLip0l;s-ubpQ8{TOys^oM;+g#@f%|H>?~n-w(&OO8pxxHE7< zGL`wC6%}XhO8n4l(TndD1pexXXWOc3q<qt`y0r6WI;gj+_`uPv_(12yd@vxhmSlYV zbKae~C-dX+c%Xbg136H{{dxz)`4KKwiUp%9mI+t^iMeh^Tg<)~&wfxQg4+_sx{)!p z^U^9xQ^Uc+H!Kdn`b4}++cGA`iwho-VWV<MWI9;Jqsz(mOx89Ij!`N4-HCpDLzY?@ z=3(jOa4H<pp*MQe==D$gv*_3U1P&sDd12dms9yat&jzTl73MooIuw}!Sy0xUZ9gI@ zLk~!;;lygtg&x+WGyxD7c$M7&z5w!&LhPT<Ur{gIGOdjV4<EUYd>~M9?I9(F@T<1g zTaESg_15D0{SjTJA{_VC*I#}4#iNG%3_4MHSF)@>USB8_#luH6Po4~QC)5?JuAlla zf?W!AC;G|$ezyC3e-pi8OX*rsz@nsq(W82bsV;zPwa9sK^NYH-2&=a+y?cjNe;~4+ z_FV9Gv<l0@MOr{%AQ7<dqPGgS|D%<<tx;WVr~E`aWLY=#kqowOyIbmg%b}6tQGu}x ztBNfCBJIRt)yB4G-5kKe53lAzXa^fT($tiYZlxnK_ytjN>r{ZTAj<gz9Hq;jQ#4s! zE_rj_pB#)=+TKYtASoX;eiPc?@gfi-0l-eF;$0BGnu9byp#4>QAh_GByR|Nm0%qCt zG@rRv5YuygKPVDwlQMy~c*4#&Ff?GHb_a9Vot*;=ElW7T0OgSvaFDBVYnb8{55CI& z+BwM3xrN)}UZbf@83a3=E2$&HThNV$^5mdP(0bEiN}AW;No&sL-^x29I%R{d0<gH8 z^pW9Qf<!Uqbnu+;5V4W?cE>~V9;qvNs(*Sm)9K@)6XH@P+U+<@4udFa;wz4X3PD>* zM<b&oPqQdfHX=M$5<xXiCb@>CZ87@>2Z~c~9Ooxvb!QM9FBNn`LdLQ@(KX-9bkwg( z;SNrl<0<Z5C9&z{e1=z5q)2*R6zDVanhQ6gR`mZs2HaR*U-z>RMJN|sM{jbxyT`OS z(UZLBPWv3%X7T4bik{#_`pZe~1*vJ^XRTpA;_K3nEbHM4at+2j14MCd!Pn;_I@hD- zXBHKg#Vj92-Dy^wg>coMFMJAo{g5K56|mU*T_naN9}JL;6lWh(eC>}<Vf2&QV0?N# zs?`HfTMvDxUw#d*f9Q`epAeRO!{`-gv2k$*EDI!Ha;%t*(SB)ksm8VtP#=C-5;FyN zUKo_)&C^%##%cqvr8<|@lWOi^7}P$@Gp*FXsc<=?gVKB=cqS=A0jvaLn1j2@K@c0O z^+mDpWM=82-@~(rQ-N(ca0Pf#@2~}#fQ{q%A!FgK5O<FLM5o}v*c_U(D`SFwGjB2% z?TLAPJeJuh7>5q=>TSLCKu1&6xoyVvjUS6v)bn+y)cOzEB!M!Fqdfn>G&|2{T7PT9 zouD^L-hqLnuqQZzVM!xGk5b!s5*PW~+g3qxtWd|`)`OJ}VqHFp!xm^b0JC#4Ko{L} z!|?G0FI_U>i3#gAd-LIBfz4SB)<1=nPz(USS8@P+`9;l%iD0_0DS1GHX2xbUFOfyf z2w`}QmV5(4uxVJ6MEdK8gtKBV@I7A2Ut)~u@vstk$!j$BOJP>@;_HXyPAF7mC%*g| zJ3-ux)cC9NGKw$pWo1t!e=|K<6?R3BzWln>Bf@)y1F7<~P&+=Kkqi?+K_XQm2K@+} zP8IV=l`t-jr{NsG_JSSw0ROn18djHae6d1)FRD*;7{j*sr&lP`M`I6yYYD?7SY!%A zz?3kyia`t)T_F~wfyrMy^sQmp3vCh1vKjKGPi9pHRGH2K#sNCxeRV8z-xtY!v#LD~ zlcFQ-*>oj-<(RseGo2!3g=vw~f}N!uZC;~Wu&<2ejSW{~C-;(8#LfsqP$nf?o2YkN z+lI7ZjYN<li`{+haC#Gx=9w;K1NTb(MX0^R39=9{D%2m9RweW*+_}(TEbE*$?VX^> zlM>j(NvK?<+Pnup)$u0itscTEbj!2}1FK9AwV?3;Io)4j+=Z!*kDOflYC|Y1(!yyZ zd|g^ptxUtu9SmTqVq5DGLrS7cAE6Y`7cs5Zwj)oOU6~?5i^q71RW`h2<Qq_RIT?Q{ zfZmCw8Quq<_=*o{B~I4k<N3^9z&Ner^6_+1?`d%>&ke`({-B2k7^P?8FcP)|&rv3z z;CF}^b5Px0TQm4g`0vOq%KAfJC8>b~<zySo$!^FY6)(_Ac@r;;9+57ci~>)XCjhp} zpvxAN-b~YrY}#8%5vR(+ehPJ`nYI+j9A?V;6|I#UWMm`4^+}g>LJ78&f1uGP0djM6 z5J0upX?_gz1DC}~{~hu@YDsCU{)PghmoW*r<N0WOF-ny`5cCVU66<<6M5n_11}4e0 zkJf_H*nev)VD0|`4uqT0EIY^BHQ=Tss4`#{RV7s9&F}=Zl7sR198Cbbc`wKHjfQUu zwvM0hhFvB|d6v@Y`Ha+asGpk3x^TW85qjpdEl*1)7d_f~x3-|}b#x5>sd-LEXgE&K zNj(Rnk>lE+@TQq_;7TNnx(kF-q#s|BZ#MS$m=t^62$wlqF2TtUDJcUDH>2n|4FPn5 z)P6lm2MII%ay)0aFm8i>w?D(s&S=*}W1vF7zzWEx6y$$Y8oG+EC#LUeRqTyNFbp#_ zNOO)jgH+tMqin3dm{Me-H9G^eC(|)>X=rA_n>>&9ujJZS=0rDab%HaWG<dWQ#Jnc* zOyPK$XU4Te;b(fZN;nNVRa6~D6rj>gna&|zx+;_H42rY<iQm$175JG-R)n&kciyY2 zSQf$4krk&a!c~ONT~4)Nyb4BTQ8L)~O9Z<(3G8jJGy}0GY^|`tx8o_UA3BrL%oZ_O z0%jg`Duz`l#?XTKNKqc%#}8k{$kTI474)wx{nw?#xB_Ko>#8vZZsnkVD?fAXny*4b zIAwj;gw<Tq-@B8ya7}L?ed2iSp*LkeaJ;kJjC^~lJ202#$Hy@KxYr?{2jK!Et`akc zo%-TrK8S|-a6IL(mB5QR&`|Ds%XOxxYo8I*Gk!E04Zo~@jwVrxwZ9lM&16u;()s2V zg9YSZHjHhQv?a1+RTcsPAjU?7fi?vj8~E6j`c@*$?M4glo(&dGTnmiz;+vn{GCEFR zTlK@ogyP;%-VrTHm%_cxfFo{u%vCf>DMyUCo<Hy!8`o^FYPo1@J3XZtC|#f{xhNdX z;Z^~}o*K#9gb*_#m%6W3W)~kZV3^y7pm9)Czas(-FSHCYaTmF7+VstBq(l_+1|>`A zbQjpc2z_Nu7DARf$;1O~|1n|u=|Cq#SJZfXsm+X1YpKArLxXxuN`NMZ+U}ilgrCmG z^CAlPXMdxGb(q`A3J|@<j|UtLfxWXY5&GU$E$jUZJb$E!T)WW#jT7`@Z)aeC1LrO> zkh#g0W~+Ow<Jjcu>`RoO34I4@5AX`1Nm0%zEt6!#ET1DK@YZ9L0~H+8Y>xckXiloz zjg~fC>g)Su-&&>9&2ne8a){5Gbp9gi1-zk~qGcfoM8)m9YV~T?%I|NR$$D$!0WgZy z4f)V#gxlDTV^m?O=~NNXTM@5ftvdUyj(lZ(`WtkoO2$4IIh4&s0#ODEPV+I%8?Y4d zI7;yf`0U8-!xNYH!k(Z}5A9XUyzO;ej5n^nE|XvbS2~uK@ZSFL#U?lOoNsryLYy%N zWv{#LIZXkR0{+5XPhE)VQC0^0mGQYMgk3aaR*^M=_cFvy2Yx^*00z980yOLQrH#6m z4|F*vY_zVsR<bjURqRm<vy&A(F1T+b-oRlP?KB#Wd)Z){kCgcJbs(6l9tUBKNP?q6 zrPAk9(X4H7K3X^;R-nMbc6($0vD<8J3X(LWQ`;JAs&G6Ss9Zrwm^FG>L2Q2{F6>`f z509H0>M}mGZZJ1;B`?~0`aNE8VNXY3!xcs{c;k<%UaEeL1%<piA9c+;Vc`xFr$2<% z+oM582xS(Jb=~kgC!;7!kJHxrIwl{~eEx(S;4=JkOgqi`y1UVMNbpcCMCHS9Y5T~0 zK%gE%b}4%=OJ61P>G$OUyg2OZBRl7xV0wi2nDUu%_j2=Dnt9Lr4ap?*4D&GHU`;P| zdMPwg(uS5OlW9qAnxDXy4$`&^HN#;EI5bVaq}hfRVE2lEIVj*i+9fy3j_2rErVIv) z?lhZlTpXn#XVBg8U_Kma;gD4Dgm)ipFc@&<s{6P1F&>aH>M^<LK*jkKsvOU!gKQFq z(f-Ziece%3QzF$AYTXBDG)sE(k{r0A2QQmoRkSI*qAfUrq#{JBnM<q7mf*ppa&>fk z!q-Z6pU=h(zBY;Q6z?4N)zw-MnC(NzskbZxBdo=J!`xlK7!Zpdtc`roBa-6!jbN!x z`<Ox=Evx3U3Ey$xt8h!&;rXauZppzYE2wuGr;yE??>enA0C|qnI;RqTv9lI`sfkNm zou;n4!MwL~wrGW31lkEDB(l}yOMd~%cV3Pv`@&n2_LX1sN@2a}(}p^^=@U}-WYhFS z=VHP~ib%>u7jJ-uY)(P!k-{LlS3);*`P0=Q)78{EzSLR}nsTeELIT??&Y<6Im&Ki? zpTaxbopO+$@CGfnB67fKh;m?z&nX|qdO(Lr8jVp&uMT?=%k%B^vNl>=L}9_SKPt5> zfUs(lLDjVdaV4JH+aWs`)5A6bMdzW89Q42SXJ;=@PJpLlgzJ7ud+Na72xT`y^jb%$ z1RCnn>Ub!CWn6-qTx4!<mD?NCRL7_2j&mmRVNpfc|4il5SP9yiLiNwKqZYE(M0DT0 zbtyoUGVkokXkj><mB?co4E1W6+t=-y0J2ak3y*+RhdoE0U4WlHr0L=^<fIW#Ru+M2 zq2u9QOQxE8(apBf>jqq@17c$_o=-{d5oaJRr%^ZU332M8TAIA*b+99thwK6+NfE?? zQ-oghN?X6K;|K|ifh!r_fu79JV?ZCOroux=9c6p-sn%jsgcf-7Gb&?QGIunS*=3Xg zJhq5wu)Bp;W5IC(6a8SFAzdOVn<+&_mM}`)-UxKtikT^inbic?s33qT=!qSfNe_5z zzIDyFo>WcBGh^3zo8b0H=bQa2=d5}YR4abiLC*=;pjC#|mmpfxWW!bsE?*+&apNEu z1phY8NJ_wkAU#rwlwx6yiuqJ!FQRO%7)=D#b2y%(?&AHOJ3Gv0XXD-;)G6J0BOuaV z0&f9=3_BV6Y9*pZpaNY`i_39t65r@1i*%6As_wxVM2V-Ej6)KygdqjAr3R7mO}SA= zsq{nUdC2$=8;EuKUhD}}%V(wgykO`5`@gUP-dE-FfOS$D;wO1`%mzR>$i4h{etK$d zt@Lm=l`OAjg+5I?PD*s!f=Hx%_0ltd>D0qVx4o-)X9tfKIWd*zS3H~z6bEnEng02e ziiO+Z1>3==Hz|~*<~pz{$oP#ODNS65HEcKaxOuY($L<*U@(fQk>>U+Gace8SaUy6l z?^k}KykSOU>vXBiUQK9>Qj;{Y3qw}~n7@7bKmHI(WiHMLOv2Xb&C!4igwRfxtZ$ec z6{^!3pRs`-qFq^nQ%XNl_3G{}anZxcZ%?BaWyM1nj{sjTya3&U^WM)zR1A9fAN=V7 z<AOgwpTyOSdS}N>po;#}M1u26C3N7}>uHp<RS`Pu40`Gx{uj!sf1x;>_O5Q^DSB&5 z8v%w<h=3$BK%sZ?^ZB5V8lSd)=4%;GJWh8aR{pQay-Bt^J$1$um)SGcm7W-j0KpfK zKT)O#tk`ZmkQ#p_k1C)$4}7~A3tClQKMI>4@XentFIvAW;FQtJr_&~eDTD1T7UOo; zjL}^r{#{@icc=Bk5v3^5z)~^}8l**?IPK!7o@{V%V(28qL@)UQsxjc1e|1yF*N*XB z7|-0^7~U;PsKVR2AJmeT{z8hlEzpb!kO7{Dk};5xM41@B+R-V`3q^}vtwAFzKv8*O zY)@1pzak^J1OJas2jk;x5S`@%kO&HTh%?hw$D8mb@Nhd$<5cBR%RM6oGwHu4aKf8D zvk>`CWqjf|us0OvR`RO08z2D_<g^Nd0)k|6Hqv>@O1!8CrtFJ!tNb<}xuMikEYD!I z-##n6rG)|7IZyk&9_%`>UmzLTz(98&MS%+A0tEd0#Fo9mtrYkx8&p$8&niOSJC&jt zDBB8p&w#ZoX`<wderqTHZ}?{NqF?088)C5b$_vGKDiv-+%cP69Kz9<!z0gbOkY(xd zaoR;EUUh?$u^i5Vcvp((0ib93JGu<hGqi>|#pMur&F$`PK7PEpx3~G^$>!6iwo&(a ziIevRbe*Y{E~K(ui=(!7$D_vaiGH9;s4!-VKP$Y-QoOdnV1<`+HsXH4GuDMgv{556 z3FD-=h<9>UaDxENX-k2wF9gm!p*x;qZ2R5mG`rL+0oE28Nx630i`aky5@G^s(H!9V zV}7Kn6?7~olOcV+#NbiRt*HtiKz%TOfbd-8f=o<^WvKY1y230U44^qmJwbAxs;U_i z%ZmoJ(k-#hynwJXq>S!V=o(ofK!niOVcv?uwgd-JL}m`6vrv!=NO4BN94R8&<We8z z{lIRM>9{xVA{j@f->h_6uy~!(u3o#fjVL>gy1ghrso4wIj2CXN9JNb%ACNsp8XS?g zI{FgFw1X<g7^(6ym4Irk^%}hDp=`!#9O&nU_O4)CB0DCwCWG1=lWxvjv)9&JwUY2V z$cD$gEP~A&W!xDmx}ps!ELKv;E(^Cgk8-W`Wu$W!6ZJ&-S9=ziW_3P8jlAqc>0FFH zyfa6aY2l)i$%wX5zM0w`^^!JDrlWhKdL55O>iP?v1p<k9b)+ZMVlx2(VV3k8X~j@U zdQJIyn8R6E>YHO4qn~MZ7E@36G3<j|AnQ3a3sRC@C7+Pi>|lDy+lnJoB?g@}K~u|3 zYYB+v^{8edO6g!yHDFUU!(}@s17vlhWM2;(%fOnrq`k!1y<h3T(oaM86#zziNtibJ zaumagSDm`K@Ag*N@*>8>5noO7xBc<Fa8kG~-w#G5X4NlfT~G5aI!<Ztx|8Wx*|Sho zB4(|c75CAYVWJQa08<T-cqRI)6_$osR73lRY*tfx-*WvXIRfhYFvl&63=YDEI7JSE zARhjMbfKD}G!;^ln4zNWH=2Gk9JPP-wcRZ$GFqFh_=bg5)N#?1jra!8eVlhQb_DAe zCe~D@Pu!}5%1bE~HmBCkRC8n93=)^Wug5o5tfdB&m3c2OFwk&Hn&G`Gr`xn|scKKg zI>iwdB(V|%@$)I}P<rPg%f_CsVuXRJVtSKH()%BbU(;ab(=yA$IHVPKcXV?Xx)Z|| zfgR3Dw?38L$ZAPNvr;wz{h47A6d(2Ko2e)j&PBe50rFrycV;sV4m4vmJ%U-bd<h0Q zcWJWaL5^1<<3fHn5ljuIRf((lykZjM6*xKm!zi``MEM=K#POw_AI9LAAUcW7mhy;i zEcK-vjUt(K&ZR!29L^6_x~Rd;h=&wou8;6yl6dty<{0?ga-xsSQu2*RXT2731g|1^ zv2jbrLlisEaWEGzds-Z@fXIm+&KX6{70XZ+b#;N27z*$^r_N{F61font4MIYZm%u` zE0DY-*ozQ1iT)4_sgoDoY?8l*qsP0~+2~X`x*Cn_oqqv_RD=mg@!yKg=%<E|$0)GH zG(LofvAn{;%cUkXHbCq8ZrV9623c{orX9H5_wnH<PN(>{;`NMP&tkVP%DK(Rk05Qo zJV{VPL{u;G0W3is?qgnXPhCfb0Ned#-tV3pwu(BaoQ~_l1wK;SQo-wZn4RZ%jOAn? zJ++JnV<2fUYbfJS_$m!Ir*zIkrNHQ9fVMx-sZ&^wh_V}f1K1}_0fxz55IW%@npx9y zdxlNiu)F#(G(^sd<LNNtJ4>z`3WSQJf`2j{;sY9H#|){m)Lo?wp*tQ7@~(~wp{nUJ z2CgQ4I4o)-LQh$W)@iDuvOw1|VDy-|U`T<8P%=8!W02xu|JRI<D#W%=^ATAv0lrjU zE^@vYb~J>3ojplaRUu0Hq|wx~N@+2r$2se`uxDge0Hvw%8|EklZ{&)h)EBBBh7*je zMt<@%rQ<F5x`Q#3cD8|mNjCI0Gv~>W#r$z)WJzT-kM*xrNf(7|+Aqc<Z4*ny*92~B z^hhY$=|0S>=mrjq9|NG)MilMtZf`t@9&c^$?!xz-*2aRnv39%m7}WyXWX!(7W{SJJ z=F!Fjenf?~=n=dXrFL{hU#ozlrG`_A%temT^U(}AQit&@J>HD6CfOGzBsU+MAC9C_ zkhh9k&lGJ^1eyYO>cjwZ08E6>ruHV@Qy40a6V?S(p-iZ*f}%uiDM|(v#j7ue$K!zv zckLd@i5-Wd%-O0~s98*a8yJCP5C9WB$EHE32}2o>1JBId(|U9Qc?WMoiY9(Z;^!)k zel|UwlN~=scfs{WMw;wFr}^SE>Z_LHRIYgbyty3BvUh)D@MsYZg4iH`n-8`(>V_m_ zlfkH#HPtW1oMqGSg+6p=U2AYLj8{L}qJx_PQE$kzTX#+|G5A%xFAi?FCH$PSqn2ab zX$r5kHje@Zo{64TiHZpVZPZKAK=6aMf)?7(YpsB_U?8Fw4RFF!G6CS)AML%{Q16=@ zU?%COzJHrbEiVK~1*U<cWnV?=az@tdcqkC)eM?jXVT!FWcp}G*oj8r+Yvqg<wH;|p z31XK+KJ>yD3LnP(JBpkjw4q1=a-M8&<1g*?rk{prtfnGikVJ9&ZgGUywz_JSxERJ# zUZ&JwhpBn(ucTV=Fw)eT=1s=s!yEUn(mf<Rj$v=y%{I^S$q5B(CDuU^%kYhrAwnzz zKa1Iho?v%?R~IPup?OQnriysvv+y0E*gj55%)63aOQ@wT#z9O)`5H~L)m6m;F*?r* z%&<lAq~O#%l@hger}F&Ql}RcxUk<Ru&hqxSfd$a~8^Q8DP81!G_)P)4#wXl}hJ_L` zTGrp(q$N+q)VL~=Y9GXBsl8HnD3~f6`a?2!lW)PWd3`0<rE4Y50H8!>Y#P%D;9W5q z8O}!-ql<)7h73|G9u4qcV`ylvz|vAoE{ax<5y>!`7%&iQADtT%I&W=;ix5`q38T#O zY(Q@&4w1%~1D30aYj<{dSafUl=XT2aSngF+Pdm)fzur4-j{gz6;l;JF$>_+bgbs}q z8XjYn;hBq$hQc)2IBBUBZu^i5oIk)rE9_NOQJY@VrJy=_*~FX5y9;P@j^;7r3JA;n zvHpMHF151zl<yOD3y&&4!=c)Oi29Dr1##Gjwhox;YVU~ZkyYJH`==OL=m6SyHlC`~ zhT1WoHD1+wjqqgGfKp6(fb6UPtInXp8tqcLIOA_S8|z-cvQst_%9vlddvP4h?+<?1 z=XlZ4EIYMf45!%zJ)p)o9t9~)EL`-$hzgAKfQkmCp(oXC*ib7v28loixYRu}#!Pyn zLM0Jz2+~N*sEO1OMn%`qJBop(dZ>03Ghg`2b1#qG-jyDb8+&XbqlQBH9BVC4%Gzyf zXKaldvPkQ>Jr}zhi6n=Jx4w1CkK+P0XBv4OCI+`n+{`s(X*E{aabwLwb7MLlmg4RJ zJ>HB_o(}2tb)U(mZU4%fz_u@ia~D8^tuAcLY_ok#F@z?E212c)BsT{mCE6lNSneX@ zLo0&E*#j7kwSA@pt87CSdh<-tGB(zCo2adfwvKlqkN|tpR(}VHv~|C~6K&mxrz6}z z2242_8;l&*DV9qTAIE9jF9mVKgaL4v><-2SX{JzhitFhhJ1r8Z>zxZwqQRq@#~m07 z$^x9_gTdi0s=j$pXmdbVu09GnT}KOx%59=nNdnh%M!YTAt_;TAA4nX8eyH2X3Y(9D zVgk=LBO6RRAN6E?^WC|mk%jzVGQx92UZk1wN!-!I?GQ_gjXB(!16US>=dsmm=qV}) z2eiPrVh1b{+U{ZJiuSDOwYe#u0Pv%r_6D~J0l4CJsJ)54du?oGGM*$guc=ynv-AR5 ztkw0tZK&iAl4!c_7Zm|F^(~rs<m`>6lHU2|qf_fxzZq5Tar04cYz^INg~>)r)s^yo zchqxlF=5LY*^vU-4~0QASmcaZqXro?m2U_MS1+U-OT$(6N;6(b+$nNt$$P8aa+AwS zPC+@8=`S;G-WY+0(a7<hK$$D)%0W5J1Oui8%qg>8uW+M@xt!PDi2&pgPZnM%90Hro zC<6)Sj&qnrg<CtPyY1z5p`5L0{B+N971!Adw5QqkV~$phB1>Oh6cIZ%yUyO#*1_)M zog16AN$)P%rP(=<TX>tX2^B?+qu=X6b_{#-?fiZ8E8G(J_PjrGW(B+4$jgDj&qeQ~ zweetZUi5zcnZKR?{Bvt#W23Z<Fh?iA3xxc2l-Lm}NUx8iVBT(jg|E0Fc-ivaw)i!) z4lg$zlx_~FBjc4gI`MP&+EPVDVHnVFGv5sFO=6l1^jnov9KRg6OaUOCth7dVI9TJT zPXWfe$^^4ur^j)jbJ#k$BZv<u0yy1b`$2k*Odma1-q7NR=qf<{l4VU1UH&O7hsczN zUw-MQyrJ;oeWRA%8~aO^7lmvcZb8@aS};XoqL0#J_Fl0!5Y5|2-A|`@mEAsS+-v@2 z?Wb>(`oE%B=RV$u7LPLWzjg~*pl;xMR^&n(tiS}&hwI<A-~Iilz25jbYn<#ho*k{l zi^0xE{qET`(bk~N0S7vm)(+R-)#_>M3vzAKO}^~T%1uIRU*5Kzc5Cw}{fc3;G_Bw| z)Vq%SzS<`mmFtM~#4pCP=OaY>sHQ2}Lg2`qNSkcJ1<Ce=wkK}Tau9E^`ZRwG%<Vka z#<1F6EN;h6LhJY^?*D7+nV-a?{1o^R738Lc5+)LuUCUOrn}7oeGttE&J1RLZPqDH! zr<hhNNtI$$oz$ovuU6Fa0^`IvYJF_@(E4~hosKUGeFuk{WIn}AapWgat$kE;AS%r$ zZJMs=Pk6>SDUV`|b<^01;&n=2{l%AGeH{miW{qEM(d@Vjpij^GKc5eVqw(aIX)&9> zy?A%|Yem(+bg=T`s(<O|#ISxE5;`4WzJn17`()Y%eJzYlm6an@jeeoeZW-n(V7NA! zA)d5QkET-+gd@5dU2EaAjDWFq+E$NqD@GV7rXl-kr0i;X0t=FMGGkzdCx2o|QKFM( z>|Gr;Zcw2BUyg3-A#i8;yK0boSGB`;wVNn``tLSca74d2>*LPMwj{OBYC>43%Zxi% zWBuKoJ2xg}Eh?<Z+m>xk09iC9Qx<Ep{&9cMpIsUl4vyn4rL<p!<+{Rh{oyh!1-W^W zlZxh2ThL_3<F^#Gl2tC``kX~QA}hwqZTwn;2J%_ADam=MJe5rH69bBC<^A#evPM@5 z2x7PKPgpvgzj&a`a_{JgXU{^D&1j-;4#ge!#0!%`Nw%~rv*OU*y0E*VHH9141f}nk zzriN7*3!yP_kK`^jy6|%3NySaQWm!O4Pm>i)r~t*Zz97pMr@T=Xr?*G1{Py9?9TSa zgJe{7E?_5m<-o7*a~%JDRt8P;U*`R(aPOm3rOHo8x$dgac+M$-lwDrS6qG-o_D?Pm zGg$hRqGyCrkqXbG8bBuW4olV1qR_uL3`ajOFk{D)igN~=Abxjyc<VZHWk!RUrlhis zL-`yNa$@3*6^M!Mo}{`eky7Q3H31TpU6#3IdrDMAl^erWu~f*Mjp7X|6V?4II3|w@ zykg+lvgMvCytg|yN&RM#V#<&DS#|z|QBvMY7z)<9%@B;tT2j5ZzZ<>SEek`Eo-jIR z%~9su4=Ho0QRW92wco7pKruXB$IAyB58)*7Fv9lXU*mZR&+&)>f1pA7<{vh6awq3V z(N<%AWak4q?f(^1+<Jzy{&aAHIdE84sEVrx6XY__!wbxU#R+u=bu$Am8nHXbWQ`iy zhspkFHW#;l#MMw_vR;>xwHM<Hy`}$+^yZX*X+Djf^b0)x!ZfQH`mR{qbJjz-OH!1w zE2H4OkVcC;5ezWF;On2D-z$`kE2f${05n==c9}%T7=|{D?qwoy!y=bgXRaNiww|MX zXA}~5rc#NaUdp(#lcRy$2Fa?c`JDIltk=`WS8fzBp-IK+_|)F1pRj?u%@D>nKc-={ z9<|W)ZAQTXpRC4TWuVRqHuVPytK+5Y);`#k*`uL+8sSOJ2s51jnl)=S=#-j9l))Ow zVqI1_ASW8p0UUqvMat?@dHH4(YS!eeLU*~Vg*@2Fx~2N(#z%3wxk5k7;F{C<=pZj< zMN-OmzrG%|TG7Tvlx5MgXVH2Vt@ol<<`#ll!RvOqp$r7CU6{$6DoHGDPYt~K0*r^3 z(K*nq2P>cN6wk&^_7;oq0v*{x3}^k>AP-|0h*e_@0T$pqvh3i(VFx|K4q$cma*T>G zB_E$+J{&?Z3Km3O+9V2Jj;H5ULsQnlEgf6b(Y3xzBisO6U&4=#M~~neK79Z`zHs>R zGP<{GKl}qPs{i--i|?Mi`~kl{d-<9yg7MGyFJHfT>bhlr8mhF3RX;E2%&3^}%aiD( z!+fJ35bk#x?i+^t_>#5OZvZY-`3Jx)2V<a2$L0GE?TU;X4yV&dGitt=g9ju98v?jT z1FS`nRbZZ;<}=F1#N587Bd!1u-J$nCrFts7POWaDwk$t1NJI(+Oi!@P2?e7I>JBLa zOfq~hpP)&maTGGk%lfvf0HSqci~ZmK1vE~c<d~fiPmA@S$i!)3m~)#fFl;G-EjA+y z0O@^_y&coE+P^ZlHyxJ4n-a&HSRIqb7o(Lir)-iRhB+ssye;M~mN#Z@D$gRk*40<K zu*sy+yWv2{3(s}3lQSbS80{8a5$nqy)U(jVeRk^JYw=#5(F@8JCXD)J_*HH`Y<&*U z)HLH_LfEI@@Zx{-OWX`hH;nrS9@(%@!JA4Sa8piFc!a@<R6G^2Bc${XZn0}|r?Dw+ zSQ9}#0pkDEg;DQ#@K-4{s+$7eIn9x0#nyuKhOv?+Y4H{*Ga36NhJWezVR`kFsgJPq zQF>I_NvXr#)^IKU7)(3}+Ujoa$Eo)IY14)FQCS14E-03&=(o3P_sQPQBDE8Thmp23 zH2E*~q1@};V^oKrm4wosbgd%B7A5_FPSj^X2ZrsJTaOtWJ!!rK5&P{%)W_201<OWr z$!z!|%?Hx*G9h(@qRu{$^1h%Y>il<NBkEbwt8XR5_@-|yHn!}<E3B{MW}L<mAWkA6 zP6>93sf!D(t-Hkz>WEa`GPe3_nJS~+2R3~_*tYKMjG9;PT(m;()P}8Ur>3k`7rNF# z3zS^9-9l*XBJA>B(qtQYoyGtj)7dZYlM@Z^^ibJuoT*IUKzcATDWF7NgabWO8Wg<M z8L98f?Xr|nb!}_b+rj0C`Lf56GT`0<33!^HY{zG_*<|zneX~n9FZ$<wZXY<yFy1k5 zw(e&;5xxb<;56U54`9VX;f_ObV?r1TuT&Uw{0d^L@J}0!*&O<0+sM*P*+)2|8}CY1 zIp~khwc&SW?YyXFo$id!J4hN@i1ajcI7AGwDA^uph_2NEnK66H+dFbNmEL%3cZcRj zGU%V@QH*4dF$C4cC_>|oI%ym@Ukv96prqM_Yku!G!!`_vSJU(dgyshNE7DVJr1E5C z$E2|nEgAo?md6Tdkrr=64r#so{{HD!-``hVd=!RR4Fs2`MR;F`uKp5|R`B~*a;8<- zEC;BeJ@uIwxQ0!X$%GD8>Aib6Q*g&zL>S5_3td#HbN#yvETfb55Th`r#f45S&LEA3 zU5v|(x)AjGc+*6qW_a#keZ%hUfX2xs`Ftz0s#$g_TFCUZN>5ncs}RAcm7+xICp1%Z z01XaAj5iB}wYsomm}rOeWJjU7_2l{g?O1(32E8sLsjw(=%+^BsK!XMw0vqR_q8Ytm z=OGglQ|(75(Mccu_2p9bD+7x5y7rtUeX9qwDnF3V`=_Jrc#3B8ab0?SYajGn<-6xZ zGispj-McZ#=u^Ha!9-C`XUv6a7QMQhoylm(bdEr?-d@DcAR3>0_pV|(Si^?B2PeVt zFrT6`A)yJ+7|)v<i=zoSh)p)w(2Ur!>17fn@u+BRGF$*=0M}D`wXw<IQ%weaguv)8 z{s5^FG`k>LD4+D-3F~H#!IJAhFsO`dMmCBogH{73Z0FFmb5wBNE`92D*?_YNJU?M~ zIURiAgeD>N@g_<L%Q0U-WBh)Ba9u}q+Na4$&T}_*-X4tAg`9P!vLwjg0kKs;RSjCW zxMg}R*~qls3TW=W_($jecK3gLdZV1gmWM1nn+?(7sHFDW>h<65xR2hzu##L+E*Z@( zC;4`KI_>x3omTWPT8~=M`quq25T|rDIfLTqgJ=W(Yo)EK3Ol4SJHu^pOqGKL1JCS; z;>YPE6i(s4phyAF<GOpXLt6<OBvKDx*EwT1yNoar<4Dtk*9ud_X|#in$Yttn`P}C2 z6@sWzrHc==jAH;AQ3tWRj#SU;+QP_{Z3x0yp7q$b+W>S$9Gn_q`$<t>Ug*2jz9V+_ zOy{np^*y>=M#E506XCC@NePfTRB?53RxB7NtPs-9lGikHD-z>dOJNOiRRY`ElD=hO z&MY-KS;a&1$gVL@+(7GYkVphf90XJ!;$xE<)zfg8GD?bRV!psa`xWT7?c_Xt%SvSU zLXpJq%~4q!T?*2FqBaLSJf@jB<!caS&vji`Yfxsliqb^+C3J>mwg=Ix83TrC;N=KW z7PZf|ql&r3=4FIWTSGd+@}}~w(6p#w#CYP0%xpM-ytZ<~UvS=DtatZ6iJ^H3;nbq* zMTSDPc~#f9l`m%Eh{NntPTT2-8Z-OncCA*Dh~J=v3B~Wl&9hLZReFoH^4|@MN@fi4 zs+JfHXLxDQg^Zee{gab^7o8xERa`f-yOX(?BS7JFVj1f<*hmSB)pt@;{B~RE=Y!cd z@Z<B-**AJyB}l)`zAB0?-3@uFlsCaY-FCR@e#IUB&o<@q0Ggf1fKZKow@}9oG<P#c zh5m{7K?acOu;VZ*?=*hz%0k|Z3`e>VnLGdczs8f@q8Ovie@BO<roB!*Z|*;RcHnS2 z{o?iW@4i0>@WB2E4mB^7Jy1gC8BfV?c|6&tB*FtY=Wkm_|D*=zimCgoUaMC|(Qpj+ zwDC7^L|_xcA*N*UGD*-)^?U-4jaHTppX@QufyOzCXE*PWZ^&66O28DkY@&W$mu6Gu zXifn-^jTL$A}4R~1|FN}9EfRO$K5_f#cQf$^Tx1H=0%2~$?yoL)H-8>oD&A0Zp?Kg zww{WWE`s#}=HpXz=_XMU8NNC1qXEo_;uO-grb=It+jeZXizq2_lk5|)gA-)ki9HX4 znr~`1Tam{jpICUDCt7<{AwUsz5B8s8u9aBINRkIYOqnJn9`&trIBMrBj^)WQ{glDP zFz=paqkb_Yr{6JJ5s*b@1Uu^#t&=a&bU_hq)ewMs*1}ienKsSIsdzNgZqvgt$|G6P z@0zsNS^+$Q)3qL0fWng>UEy>#4W(&7w?nLxWA5z0utXI5#!JH|a8lF$8wNm7ahn%u z5p<<wJmG~nnhy{1=@1&H*}4yNmzK0jbj<v^p0bCY<#gBy9mAcX0EF@j2>mzp<QvIa zaY~q}Z*!Jd<FDgf-^H_mTBcoB95BcXRTmJK2dO|TQzXFtUyR-BafO=%g=H*5P!{oe zbRUp?Yas|Ao25bKSc2FXJ?0jW{CXf06j^19(8X2?8v!zl2Xz749ShxpN@;)!nX{a( zS|oL$l%pD>5Ef$<Q${eMRHR)u!`5&-?)hWg;`Xi_Mt`H?0?BRRrYX=DQ^!n@vOZVi zq_n!SX_sf~%rp)$#XL*AfppuVDKN}wa1`Gj5BoE;0r^I|hm4(5bSBUerDNN+ZQHhO z<B!v^ZFg+j?AW$Dw(Vqk@N#F(T6bR0W9_PkQ~34-&dg<FAnv1HW~O@86<PF>7@uSd zQ?@dfTCS+<uE=HAp0vn|g2Yo6)tz>>u1tI5ZrB+M$$^lJLT~$vlmug85YJ{c5Vt;D zl1D=c(*<19{Te`0e2qB^Mg^(eX)rTO!59PR0UV-|)X&QNv02fYxM%5XWun>4H+V1q zKDSl0MI9)Gg^yZ2um&lEJNr+mNCtW)(2&ApL9JfVUHi&zkClb}i=~Qfz9hXfO+)#) zK}pE;o$X8E2NjzA+J5_1rA(c8EV>LKIJn2=Ah<?S{0hO=$AB$v?($c7Y^+4lvU46V zlTo(|+!9|lU};ZAdc(GC+b>0;g}r<S0>iKi((n%#k24**tW~pp38Z9eQuTo;w7M05 zqn^)iFRx}rd3^9Us-q|Kz<jgTn>J3x9*$|G!k9YhMfIJRDmqsk7fTBz8AJ4KG9CHY zL&QcCwYt%{{VM9?t`u8-3swIVjdjo8zdlrWZBCXd?&^T{{5;RrIo)IE>A*=V*j8Qv ztu1<);i31%qqa6u!7QTgCR}FnfWjK9Vlc#e=#6qU$i(MRlx1?}o7?6xhs`T}TYnIr z_00=Y#oxm~Iyegu+J)`-qVCuK78@}LGQ-@$k^aW@^jy*P1>h*6GNc%ZK#=?@bxsoa zBR6%a6U~MmYgp?^sppE`AY%<f-B>P6%!V-YT2MJZx%41#T3GkTtCi-sRiXoRD{;c- zNVZ-_7ad*Kff)G<9DqB}Y$mumHRL*u&h(m;=ZvWlqJOQywP0m!jH4`9CoX_MNxv5G zN{2^|>xOU}I#T`mA*|0JS!nb$QQ&)*CVPT_W522U`nAd<PAp@Il^<5i6a294!oEyN zX0MJ30~JlkuG&`fmZOtRI}6FMqsAP{_JI7bKnF3H@lAEX9dMcSWY=};wEAG5P%*N1 zP;0#yr{{q(iKw**Yy4Ad+nH@`CCz%Sm!+Aj{lO}kw<)Qw@taYK^Nuc5l^6zsIug9! zY9=+X`dYqm`BW3SAJ_;2{9%a9fn2i?NSk>mHB_y_SQ{HH@Ej!WAO6R9vDnYNMe6Tc z$t4c32x8~PoV4_|5H~v$Tm8!XW9h-TSeYWvZ_`g%E3bs2hDi4{!1PUMLw!`gN_4U# z=ceFrc+ue5-rhX>XVd}Dw~MEg<6nIJ-eh9q^QZS79p4&^RT*Ww>^0P$JG|LgGdY<c zBd1QV)OHE@6)>8X4HmWicOAWG%%VaQeJwS=H#M@3S~D8LmUx8kY84gVp$m+>TdXYO ztx4JKt4qoj?%(N<)nDSam4DI|$vHUTt4&J!wDCUvtw)%cGs5p&q@-nTO;F+6<E-Dh zY!;+BBD)7>Q3xDJ2ta52Vqr?8;|6A{0LsU*MpQ2`tYB1=twM^2|HpF08u;T6!dTH5 z2;q3X)2@jq{8eKuJzQvqrMs-ITe;Ioe)OifAd$EZ9_c(Wu}s`)g$k*8+ImR^X|&JV zDTtVHFhSfncO=)a!EoQ5HkTR^s)_KG8wFI96rlRj3~jE{iH{_-2FjC#Bq`3Sg!`mH zMz}x}|FABe8xQsuZf<<T9^}Hy;z^K3cd&<6whou_BD`}i(My}<QZ%#@rrgqDDI(32 z^kfzTUn=+kg*4PiVrne_6ItC2J)a1u_%OmAUDaOv0)UVc9GTSm!8QzNnZR*}0^P85 zE51T;X|NOH{X1E~j-SR|EY?hlZ-g@9y_17$w<Q%GrBcef;>TLzEyF5V5TLw_S3zx8 zhxo`uCs!H=Jii>;1#=)gN+?$be3(1Kl`nw8!h;=SjFchFD*^M%V=gg(ExL79ter_A z7LGTryMhwE@}j9tL$plmq8(Dud<!|pzoIzy>46>?UG9?=agp6YGho}l<%7o;-hYhA zG|7tI4QE(-o85Crz9iV=9jkNbnz)7bG5k*j_lMZNT=PZwhlM-$*o$ZFvVJ{&(aPUA zzK~?BpOGgSP2=SPGK${mK5A*qLB9!MX1l=qPvCJO6-UBl=8ijS;anoI6q|rBoQ;S= zg7YMp?acNs#EO*YJD-hd-ewm_xv+OM+%DGZC#7(Lo+?RA;6qoKBM%QwBTlECos{VG zETDT2i-Q^LF@a`~nOnzp`bYAT)eOn%R)c7PpX_K;n}&_m765%DIe1V$1Wq<TURp#v zyYURpiutb2g{{DlehAh-KS`YM+c7NwnX(A7>G_Cn>j4HwMC1*{;TA;Kfqo-r4W?Ub zUCcGbp^Bme?F4I&%=oM+;ok1W#+5s~-`>9Wi5X12=_#h<gwZb&Wv1}oNhz(Vn>%Ve zB;j$T<i<k7kHXRtH#%0o88s+}yZ3Xr5|%%QmT8p(9QT~$?ITfQ%tIAhLB=XwLx!xQ zpdkd*?t0qVL^qg+hGfJh*@Zh5`vxB!jFzc>Q1VwWXjvX5!8*+jSFyI)U!EVv7cIL4 zuL)hhpT8c0%W`^dJPdoK-NdG3+^qzoMVUCc1+4hNtOMVr6M{%Z9)yjrzPcVOcvR*i z6*-?}O$<(FdtFbJ`5jj;Nm28@R~}9k*<C<FK0U}LDtY=)idvXUo4=Kt3@}RAskfUj ze(^<3wH<k{s~`W-D5Wl`YOt#ZC4Fdt0<5Y%Z4jNjPFyfoM+G}&aeP@|G=qxUkFdCD zly>RKcHmsjda<gs=(~872$}IJph-RaJ?L-u&c!>};bi4%-P5|GhfenlhTeFL59PKN zi9-9an>6A|!)wtlu00_$e=zD*@|Gw`I_>0Ey<3P;??RE3p3t|u(>%|w;;+YYQ8S)+ zsFGR4UfrynSN2K5m8C?rPL7<I)=mvADds>{Q>evKg@%t@vvtpiZCu<UMmZXF*;JSk zUNwq9#><-orav+y)~{7Lrp^+<tmGNMv^-p@(bok(cB|u+TDtR0P#xk}cz)qtX8ql8 zmvBbzc$Q=s$8FTG$y1?ntjZ>35<TWfCBi%xvfV_z%Mgf{S1*pXZm~hVmpG=FU0pW9 zz)L3km{JRR0Gl6`#VUTO-+^jj+^!I%f07dlh`gfc?KJsYYsxPg8MwN7RCKdDe;uYe z{PooL?REL@_`oTtWYl`q{_f7SOq!uR>viGe&S`~)f1QdSx#niQPEk+HXdE%w<IMcb zFU<LOb}oj1`qF4;*nW5fb^MMqyuGCTZ`hU$_#XIyMZ<dN3|!AK8m3}hU_6K1zHtK1 z=l1YDgcUL{7syB)11G8YE!BUQaAi55PkoO!7MCq0%V-R&Bj3dZC6-Kl%u%S(_n85w z2}YI4cAmWD5RwRIIJt|uby*IK*mnAE^#(SMwzM*EueQ=7w#XYAOTl;H^qynR>QGts zLlW#4u>u?xRxb3y-1NMz*m2$uf%9nEZ}7l8;NvNeMwz7W;^dSn)b{~i`7$m8WfwA4 zTwK=!VpZJ7K3JWK-wvxNd<Z{L{^u>EZI`8*t@@kx%7p@y;jiyJ*+pl29>;sv5Q0UF zk2j#6y8)6&`<76vqw&FG7Ab^CKdzc$xSpv4SvbODU1oLZRzPa7utdEkDT#`|9Yg-? z1oM{_Y$TW9i$GvpF7ST3bm%zBQ6?O$8+_`V!!+`TJ}2fuL33NY(B0(rPCQWG+#Eqg zlyeI$V;l+AI?^aBQoS87_AoO5qIPp++{0-Q{65xO4>_+SF3PL(l*B#KQikGhfqWrg zO?Nv2pM`h1ry+E%ZZ1SIJ30ylpTWwJfgu)Ut6tfQy;ucn3zuY4v{v}<T7Sz6tz46L zp3{t$oExA&98?N?ah>}o^@oR{cGN9&#M;`unE?#En#_w*WPPPACFk|r#+gBoi-%p! z!;l!C@gc6rmKv-Bx!65?xCQ|RJRSAY5$~VF$z_al1@y|l{Qdz)rOXazNS(~}O^Mz+ z50)3p>PQ(~l%V7EJ3->YZi^&rkiq!h3%}zT_2k~)`6yMh;Zg%56&?!P?l3>dzXo&s zr3cIIwJX$wm0jpjybw#n(-MP(^vI;#jZi{n7uwDSAV~_5s4!PJNollE4CYVIPI7Co zwRt73wG%)|n=ap$oe0J8Qt>Tt+7SO);jZG|w!MIVzrpn8?yjPKdpU<pf;HKMS6a~1 zx%vdD_YUnF5-=l<OQbWZr*OY^T8bWV=T587b8&{6OTix)Of@dz97%|jZIltIOf&e8 zQ6O6?DfnF}CcUD~DAjj|CtJDd0k&SLvSOmO!k1-jd3Ez7?~G%K?ub#DjR6#)s#gz( zo0_`Z{96^k)3&QL#1WgG4}85t<ODUtPmaap(L8@tR&*eO$&k6p?1~~|Ovy>d6ha-7 zE74PTpWO}#x%!{W5@oQ6uiIpq+qMw0kDI`@3GX~|9x|RRTR@V@5~nY$6$;#=^b7+e zFHv~&Oa@iEK^&A`UvTg?ca9fjLrKi}DZ}}w(hwooj<o<-=8jF@Ksk;^K!<LIea`3K zd;E<AogS{SI|5yb8lqeTFW0iXHT-?&&PD(+ol%@hfO?4O)0ek$(|XMHb}un63t5=G z0cY2fcG0{59l{RY_DAddS|X@yis4^4k^HcHp0*I^IK$lC4Rm<+0?wmL=T`P=F&xNp z3Di^1TZj%J?4ysD@s)Fc>-P5<z%|6I(dc@|FqGv5dJk-HZBV01r-t=;d;Cx|?40MG zDc!WKwbk=c4NfZb_&b%=x>`7NbpW39n{|o<(WQ=YZVk6trr1moXxq1{Pflv{1b9Ke zchR-HhCP^eW{ekhOraE3J5g~?OB!i=62-`L(Ik^|;z4)-D!b8!_WZquA&_Wfo_P3| z-c_cM{}j7u_Q?5$u)TV=Cm#C8FODGu3WBDoTv0^R;p8Sx9uKr%?2g{=@PT%HGYG7s z(v2k>r53z#>Nwo<)r%;xNtW&JHkq`N8Wpvn#x{FHxF()TqJA*HRCZlBU82+Bq8m($ z@<5+S5<C!lQbB`I^Wy@yg{QA$ITCw7@vvg;xdUh{5t4M)!y4rar5xa64oic25@H#; zgRYK)Tvi713r4%#@2{$uiYUy$VsMrpk?Cm9%it22RK2mAcZ?_>^Qo~Ut&6*>icU}7 z01HgSXv+-igA)hiN)dU7GC7JLX!KrM`K;CV<#eq}={Z?wQc?W0t+$Ln44u9jD@t6} zDuIsuO$h1rG*+R!G2^as=XO!7MrizVQEz`tO+n)Bu^~eH(5TktvyncGJsfQ_+<4E4 z5AHsfH^X(m#y7)DMh$ll7%xqu7auqod*4lZz=yq<aDhTiVtVIgsCJAYZT;9U5M55_ z1(2++4ZmIw9w>Dme)XR4m7J~At74aJYFHth>nNDP@Nx`UtRwyyeP)M?iYd4n2#PK? zR;DYm!0D@fA$%P5lvRo2HZJ};F@pdY{wjFEBtNdH=hfW>@(v&9EYL<K4-**%Q<t_^ z5l2r#Lik){uE%9-7emFyj4PXh+>%vXkx~3#+^hIM?u35xdOKsB1fIJO5|fMLAJCdI zzJhO3Ih3%2f<BJoxrL$p63L|3<_*P)v$@-8yQ&5bu$!x)pDQ=s_zrySKezv|p&vKZ z$)6%*<!0nGZ6nn!c<bLti<S~&s~C?!hMLFFh3RAXN5jHcLxq33sF2=i9&AB-*|r?t z^~*h${G=;>n7N`@F*k1~-CR5jIX_=)qpQ+ajCJ{)WKuCKvU02K`2bPBWLxBWdk&p% z`psnctr*CKU9gceds(rAvPXxV4-&J0WEzP)-^PNmwEAXj?CUtUX|8$fIajg_-<fE& zgJY`ZoOyqY?Y*{&wrNO@YS%YwRyi7Did$t$bo4W`?lldylAxpBM-(<9)>SSS0;lT# zB>wj1nSmC+QaM@v<L&^(E@zTqm$owD%~nm3XQf%qGvAngJ$v|mP?Y7RtH8dmI$=UJ zqvhI4<OA~uW_OOEQ+^r^CKXP}sD%ufm^9qB8bz4WF;9N84M^CI?c!+rn+dl%pb)oo z#D?1Ds%2!pExd<)w0HjOb(FZw;Ww#oRdVMzTP!_8pF!QPZb~O_l=f@@1!YC%by4ke z+7lSJ>qWy=nO_Qg_d)Neb=|ChcE*Vp8Wu_JzC|h)GW-lc7*}cn+{-_#%|OD>>5!&4 zu3)J}@NnO`-=~7z=3W6NmR;>j=|{Rrm`|(U4vgvm4dAN7{#9?RQ&EEcP#{L1u2IW% zhFqP22=8m9%Bc7}cx-%QFg;(MIql!?>VNFqHc=uyhT?%+1Ss%{zb(ec@o5oC<slBR zUzo`wI3rvQ>3S&tw(luqq=^*Q_P!hEIYY3_KO#44N5wYJpQnLFyX_1hU;5jwD^}!( zX|ZR-C&2mFXJnq18LcO7N$@%f@Dx`%NQGj<o@l>5Bj#S0J@7E@DVD5$rFCda?wQtK z%=ht!9<czgKY4RzD0NsX5ig;25r(xnfiY+8AKtj(y5QxD!GO5{GA$tMlw5ueNi@i} z@Y*erw-z_Gf+J{9LRG!>`haf9FsOZer0Ch}V1E7y;`8AaDrX|TR(EHiSF^_Tpfnec zBOSBSkiR|AS3EXLW9s+ciE!mc5Ab{5Z$vCyr~&!A9r<m!aD=lHiVOvbDX5EgglR!n z9So6BhxTCN>3{!#@CQ91gXp9U3J3RR?XSP-&KAG{P|Klyc|3>R+Cld2QRcB^7iXAu zu5BG>S|>Fc$}oh7;+-UMV;?U7?0=o+OJM0}eqC;N{?Pkd#6yhuQklHuDWjA4*1|g1 zWSg?PF_0X-K*T4t8OeG0zmTHaw*hC9S!7I|tHNNlqA7rrYOCh^(3~m5wegt0UDV$9 zrS83>UtQPLA_bYX8MC;Y(%wz$T$SF4z1w_t9r5Ry*Hb^n9(5rlo)|seZPed{<P?1u z+Rq%LR$fEgne2Oo4y$`V`A+V=lLo+_5pbEsL0sI}Gpz?*KUQ1#9M{h#*5YOv$bKM^ zB@~mhJmos8^W>MmBx$#@Ud0KR$L;eYa73m-L6(r<x2el-<vM;<-4>kY<_imxqJHj& z$S`epIyD;sr?SsO7@cXQ90{fEHwx)DsV^~v)==+gOTT~2h|q9!22#lD9jvSx`olvW zj|8V3i0f(i@0DH6arbvpXKyT?3d`oz%MQvt99&hqu+Zps?v2X-trnc9FJ!}lj=H0c zGs<zg%{k}7Z*nslnEtq;N6`@rPDx_#b!$wcb!{hX(}oLaY9d0o_Urxi5<cDKnCYP? zFub2n-Q^j$o4#X`$fd7u-#?|H!?5HE7@zuU+CPV-PM5hpK<-k1XY???diz7c*ZK5b z;C_T7Qxpqn{dj8ojc8C^SNHRLasHyK<Q!1~c)zNundHm5#(OrZs~RL&>yu=PYhv|u zUt^8;S|=9_5Y2I+m|Ja!TEE`jCx$6ZzqN)7k2O$~%KdJx8kv-w7%ulk!ru#Sy7QS( z<f!oRXUjXP#C!}v9iLAQQK(u=e{XxWdA^ttth<{FX5{QGkxAVaGYi%~I-=?F2DrC! z<2eKgX_5VO8`xIYISveURTQD)#L$QjSu`7Qg@5(uJNhZp5Cgr^hQ_IzTyUoFy0W+w zHr?niBiKyTmt!nDz=bM9>Jfwcx+Sw6I_9%vGi6KGz)QXh=hUCEfA{77QO%RsjsG4S zgutnHJ5})(vE;RNp<d=+O=RjrW5jSkm{IT0!9TK7oe}Xs>oaSOsAyi-OKeojl^Y#A zB@rx@YyZsVr_wZP_rM~p4IS4(Z%4lW0=B$*dYy30981@^ENL=e@}KQT-I)%M3*&(q z{XNz-h$O=k=q%>UEkq#=KVo;;vHt50b%TWtVy0I3?H4yKJW@{s>axsG6LA|Hw+*_B zh-D{D&UkjkX2>!x4FGmk3V=}KRt2K(0N2*{Z8tr;Ptce`>xiaKc;+Knnzdo#V9v`K zg3_4tR=nbnXxmNN%#$}WC2uuR90;$I2-|APC~>*|hjnxstCXY!ujLL1Nk4v`idg!N zGPyJbH3bGvk2iO7SIEM-ZAh3*TAl0j#s5jMPyv$uga<#S5ygXNuv+lkbzi=SXa@3^ zhXmHXV#X=901XUlS4Ri|zgbYJYdv3Dy#qg<%A`-_mWuN5;#+jh3O?fTAabbJi4Abs zB3o1z8b+c9h4;mWot#2YC!)@}_j$fvBd~7ywVbVw&JY4w%vfo{P=E>Ao=~gNyV&Bo z>sitBct9zG`r|lSlD^4zv3IfK6F}1EVbwRbJcG=}KHh8SfeswZ>GY4}Y!W*r=X$=z z^o!9>Tr+SqOmzT3{}>bX%>FIc%@dWz?wpudAJtkEx~G(`E|#TbdoVPbl7uB6Hxsao zb<bT4%VP!{ek;NYZ|A7)PnLhT_4gOy&*zEYR@Hm04iJqC4c+YP^x{{UHzc!c;4OiY zfJ8d0R*4t4Hk6(grwDxU{Ph8U8#+FSva#YyJzSofwV6tlP=(xTA@ud=wZr?XQ)gRQ zr;9e5_k-Q8w&*DUmQTSP%leTkmJi9=HK2r3Pw5LeoDk3evaT&|$OR0&k@oWe@+zR0 z0Tr+xQ{$BgfzE_|!lV(D5M3oH`1Ocd_`nc>FvW~ZWcQo7l$97?6l=A6l>LZ${VGMy zmCqC}a<L{hF-=$f8=*&Q`n3Uv*;<2aFD>R#U{1&}(kVB3w<g95>*5DdNfs0g4G0Jb z3Md3dLgBZTyp9w;5KxjE5D@miR~K_vH-M|7qn!(*p}V<*nWHnKi?t^M;8zX*m&;~r zQtw4wAN3;hQ|^RpcC$-z1+ThY$vnS*&LP{?(JwAEXzgn1Byy=uFUM>D-feK9puD6b zPZnh0O9qVSVUxT5BLLTDHn?#DxL&<_cH<~oZV~VCuz=<I#<W(ZWY92j*Ix_US8fZ3 z!=|>uJphyEu)={^7KFz|jP~CM{9eC@ckkC5$mc*w|IRF+de0G6WXWJnAm8alc_J|& zGm!ojzN1O{F4=9WgYS$Ql^N}BlfN7CH?JAy%xW#>(0fguzdM9Osyq7h8o`}`vT6bo zA~e^FvYhv)&`F*_FsWDspYP%0SvUuAG=-t;n;Y3J2SW$2;>vOIx`^jM-5b;}8%Ke3 zvV+0e#}@iTX-t9c2eu>yT%EA&K-3`%lexeWKnFSk+=<#uTO+@WLVL4u(hnz@kS>@X zK*|10v5ui-oZUe+<kSB^e-V2|R0G3b65BY96AK&jL&I>W7NTT4w8wESuYip$(kPOa zr=g}12A`I%2zI0!Bal?@GsO^=Ac*+|T%p`ld^qGU>5m|0XOeaCN3rf|-3R(6rs!8k z4Q;@SwjRnjE3uEQ*EG|J6No{0A+;0B?x)byw5_Dc`D8W@FOOz1CcmXjV_bUqJ#Ajv zd5wf6gBORJKAXEgoSi?wgGRg^-X9~nKPAdD{22XY=;y|+KfYYNxi%PSx)5=6wF~6Q z6MMM-^7?+WbAO}#0Ln<$<h=B8XYK-S<kVCvA>qhkNZ1;7^?Qd-N=9sYSf3^|C3<pl zcZqZrG?-ow(N{eFXU#l&lFZ%p&DZ-!M=mgwmB@#?>ys<os}yr_5*PP8l#k;J9>wm? z+SxBI6}V;G(rOT|!>mkm)ql#e*RRt!uXbj(G~vw{W=mcmThZKnu6glc{L*A<h5|F$ zuq?z4+_gRwit3k{p@2Ly>P2>6?>|)YGC9Zb<N3V>!Z>rYo1ZF?|8M$IQ;y%W7*uKT z4^^;s6fhWo+6Xu!0|jz?G_Mv%Ah5+e%*7xw-YkWgzzvW@b5ZtoeynO0CGAn|Bkf%0 zQR99Hc3?JzA!0a0$x=wr)ZPhF#^?j3(-<H+d2&(+bJr%W<$o@5QH}Nk!$!MY4hX?q zp&JTo^~TL>in6IsvLY+9af@Af;Q`M;NBKo4H?d#GEnhg7#LXv7yH$K-sxVBtN=}^U z+0>p`S5@d4{A#XCPTqj8QRW1o89RBF2#ved)wavS5PZ?Q&FlR(t<Tz)&#ycBkGBwQ z$I;7eD6v)(pm)E%UBqd5*OLS=Bu?4U6v6=XKL^&zK-Sv3p+>6FcAu$l*!~k#x+(?T z=13i98Yc{G*fQ9#3>3YL7C*e|Qx02{$e+=Oo>ZQ+nzEXJ-^(-Ep<4}1an};`d^$tL zmu4Sm(GI&#OS?SrAlWB6T%*rpQJO;lluqo&vk?f|R0|OKUiQyLUqCqNxZrn>$q)UB z6sM1C8%RyBkz;(IE5#*9WeQkxf8*c!JU<i1otU+k%h<zuv?wy3$+*7S5hJy9VoBN_ z_kOUV&;3+!5~Cld!o^ix$=#yl*a;eGo=Xo}3Q<HnO!C*02XwfugkTO`rtRt&jI-X9 z!Hk%U{T8a31$%Ui2(4b-BIU&KJic7BOPFRC@TLhi`Ge-Ddl<4ueyQ@L4pj+xZfPCC zKbz4j@s765J_L<B#z4t*dOIF{9`$nrG4s(%D8PA^`>We9k1ECV19veF$U!DyS48M6 z$hTFIvY>|nyb0l3QCskg6|==oN#>^HZrPDeI4K=d`hoU^aHmUfRF>i;aTM25ouEY* zR!hj>cj&N=frJ$pGaVmwSJ;>aI*W)En7c0KGRz}WMwmZLiz9qiB;OgH9^GP~olH2W zps0G4d{cmYVra-Dr`NukL}8r6EM(b(#@q%Gy!rMBf_-l+<2cfKhAv(Dc{ku4u<s5o zENwr`AW8@U%qi?C-w05{{H!XmSR;>J+n~2fW$8BxKdJzq6zzmQFw@l$)pBh}^n|o= zW}JB}{N#UEFZ6??z;>cGOX(^Q;*bUblE;QpzBIfpl8ho{A-gV;pLd5WaWpxZgU#01 zV&oU3UHK~ZA>3_Pzl5;C<A$=H!C+G-GS<mR=2Yko;`u?hfkG^>;FqJ+noMN?E&XK` zF*aV&J(^Iks1W3#n?)Un4jHB$Bxc-RT&N{sLFp|q<mcrx>_-~mRp<8H{o`QMfRA{+ zbF<);IEA!W`pe%kG}|lS7Ds*w9A&6><TJB|;V_`xZk|JxyKk)!FCIWcl-9;`MFVKH z1ZGdTYRaR_!IE1m;F4x!s=HRlvL={tVFBj4r>sJXivejJfq16yNn;oGZu#iJPrps! zmjgz!eERUJ!zJ>j7?ZAo8_HjI?;_Y=;-n>Gd%m3_mF$<yZ(I{0iMEd&h^8ThTbP3U z<!$GJDynQaM3Xh@y>WlHYTP&|0nd{!^Yrq{Ya9FX#QqLbD-zl)h-IF!w~mI%YJ|#V z0J_|mURi+LbF&osz(Q>W7RpF#Y|+Ut;6%9?&V<Uf!xIZ~2kW~TPVKqpwUdr4HPL1y z3dPf>&d#VSTXi%fY*I&h6GE9ETnm-dBD3@wV{p1K22CxZm0OxaWo#|IBs|1W!Wvk@ zf!Y{Txggn)PXIVZL%6}~ScRfgEgsx0<ySJjD1TyAn6Q!ld<zzFxH82$6ipW}f8f&L zi58Q^z|3Es`LOwd%SG2}oPX*xzI$*qhu`*&gbtIgSTTjn=!6o(Z)A(+X{u^NKHGZZ zn=X`g9tH22w{~gUs{=uJxWy#`wpq8A*TP`ex8ECUa5OsHes(u8!WrB^`+wt^tJ%R@ zi%FS7`V%aXN3n*bp7uLLEdex;j^5}Cd=(H^R=G&@tgw=-?W-EhJS|9R4XW4*Cd`>a z3|q%eAB4b=ufe>w3Wbed3tHSN$Y6ikxQ*p)6$0W?oc9J(Oj~PeY%-RHRIs@N0Vu0o z9yeZILRku*S+Y3VnZX;7&i<(VzT3;q63S#(&N<)UeO#K})kcA<%vZZXZ2d%~)DAmQ zA>ML0_QDnoLK??+HD7VS>3H;4U4${ib>sOqha2dj9vkzvhn;(4;H%S0GGN2<sRqBM zE=W};j_dfO?#PIkz@tg1DPXR%rk(-eUNeM1q~YsEw30bY;rdmneQYYIPPtwak!34H z+<~QI=;D8kcF|aOr9bd0eRWMM$wPC^eMseAHZv@klfyV>44A~mDVOne8J<cG$A!g@ zIUKy=r>F~reQRduh*v+?3fl5>TG!D#4^qXD4t~UEthS<hVMMIx`Y-6U<mg<+!sq3{ z$z#0EOIn<bKRKW@P}!we*M)f_lK7Hk5r(t$0yAPtuZvXs#={kClnj?d5bUHeXGY}T zhl_!3%YwnI@?K6!mFOmZ%pD8_o{Jba?<UL4G5yXZJbc38@?ePG=ES3LQMF*Dx!VVf zxYcYkJ<L`r0wPfTINbzaHpVbcAoMd#@b4*4>iA}$_@Rvw<-eldUWuZ4>ZkWqab@ta z^1u~mLE_nFe4h824x4M%#%Y4`f{Ut@pB{3{lLTY+N}q-N-@~GA>x@Rrm4IFs<p=s} z01TTurW`g277N8S?picH8T9tSPy1HrTjZX*qG{JD3#%;KaS3*+wPLw;_&yH759zok z3`s?}xp$a;c2hQ>9-lr<>pbf`M+~uNUY#&=5+*t3&~naqzI{Kgs^dfy05%bj=&MFg zNO0oNz<74E`M^$Sd_K}iGzJSLFIWPJL{m(n9I=T%udXgme)`2w{Abr#<33nI@R<iP zljhR66g%z0r*<G2Pn_JRFlr)XR6Bn%^yL^c*P$HJcX>}GoR)-fd@>l$(TnlXcagPI zZ{^9up-|=!L_DK3$sY@nL_?s;W03~@Iy*WHZXbo+by>qZMaRr=V;2oA)k7pk7+_%U z`K!3>e|4RDt_FHAo^T&9Co0-Q`5*C7X8aU{b0nltRxHT+*o7iDc+9dY-z%Jna~6f= zFwsfG*Nk0{ql?tzKCOWszXsxtm_5uyQL0;1H43<PkEkZSLRC;;gO<jp+^S@s`qbRO zrmk$%j;rr_K_?lcY)SK5-)jb5kY<1%0=C8oW8*q{wAT3ps|aJk#|7vzdQM^D67aR9 zZE(yj91$h|6c-Rg{f+fPhvI@dSkfJBXk1wTqCU<(&mOt1>`xC|HypMIZp)k?;4Z=2 zmh@G}%II0>t*f+h{~;mQA5K&mi62fTLGqXq#&H`A4QSbA(b#YyUL@R);=oq=ny&nJ zKWeyq<FJ0U^uh<<A2)u6BXwcUdPTY5-l!j}gyoEILpttMvm>h_YL&#YE#DZg<*1FA zZrvTzw4hx<j&5q<fLl{0pFxqk*E$BrE<7fdcTspNZlC$_weREStE1o=rNq6wz3<Du zV;L`eI2s?sQE23L-C(lQ>mCVl!vGKbes!mG4a43>^IiKwgQEwM>--!4seHqk7c0Xu z1U~aTH&Gy!{>Aw4tg6#ciC{s4lk^DK{=>nn0p2W&_XEY0N*%}p5UnEt+U-CR?+quA zNtxMRqc)2Rclb6T?M7Qs;5Im)pTkJA90M;oaz=q~KBfx)Z#A0OW6S{Ee)HlX{~Tzf zDP6cE=*y#OEIMxy9g3aH9T(ii7a`ZjovYLAneh%~>lVo@AaGdm{4ajQrzM^kWMSs* z>@YgjHK^0WDLMPee7_r}w_vFH4&k))fF2(qXFNi+8Zm*6Jq)bv)|8(BjWi|(_1Uw~ zR`uM`iOF$lq|;3+43iC45QmMQPpb-XV1%XdC4LM7()BUXh45)<cV2wX{&e%M@kvBy z%}jBRdnZrLvjPb{sy#RIvq`IBY>y8-PiZgy;ugZJ%hIEBYTf2_X=aDcA6`qnd!gR- z7}~G(i5OY!kJ<LTlas~DWS^}IM%?mtNoT5S>S{-$;=e<8CN+vzI+DJ^CHjt=x?OpH zQLcr(WHWlaHfL5{o;0Xs)BkFScgs3Pw<zI8=6Gc}GbxgMSY%e6s=H~LU)S{nU{dng zXbS0zpI{TV{}`VV0sk!+<dxb@4E#X>@tlj!@rK*2IqwA}%#UM_6}`RjOe?-i-iY#N zc-BKFT)3x2+0YJH#qFdULqM_epLv}Ccg(vSrR2OH1my*>p6*b*>`sZ}gYQr<jfZtI z+64Nr{y>qi;{6JR?|=xt#VY$A-sUX0BOhC->^<Is=Y*WkrV~%=G=R8*?Uv51G29q) z6p84($WmIk;)T6kyVqsA-Bc>X@Z&8ti0bu(2HtA&MgE?A6?E%i_a}~>Mb=mIslXa{ z_%o#ftTsVBOo)&f2s8oPfqOJgytdo3V!31KT7>&+6H~db!{vgm&6C_2)357i<LK`4 zq@U(8*hedL^J3WD=|xYl6+pntzn+=z@z#jbeLam~_Izt8jv~1Ocu+;H_HJhJ@K47W zs)%3FU6Nj&FNhDg2yNK4y%j<r54geV1#8<(rl0Q`5ect;#)m`s>YFD@^neRTfXEXh zXuf}fi>Pe&h=&5-!9&TMyJl7<5b^CYHpa74mz2=1|JltTMN!x}a?9(PS>!>h4G-ma zt1Sj(Y^1(^Wv&jMHKop89yxs35=dRE_1h@ACU2HR<lG1ZLFANfO>?>6W=d#YiSK*y zG{a;1G!0?8-V*%zLt!X#<-3U!81Zo5LzmL*#N1==uherL|Gk{+=|u@~x5U><X~BIV zt;fClBEfJ8YMhSW!Wd|?N|KnnDz+T^Stl9d#AYG6<lv(;oe-Zy?Zt3LxGkW%-i7X? zSVCbwd_2}kaENTnZV`ZM?3o1rr%9QnM5Atn)f!AWEoiKQ=M>$QyK5;3a;id1L$p9G z6J7l;_(ENUrVahh==z<5*Fg&jn^_~rr8=WacHOKWZKcj{_81|Zjy8%;(`S7ivmIue zC(n?3rX5$e+Y&6u8+TJNjPP7MORJQEq;VFX0Tykkgj19w>hvQT<$PHvA6PMrLDiP2 zbl!h-!V5L@V}_V?hjJk`5aJ2W)Jl0Mj>okX5UPRET8NCZRt&VrS_(B5o(-c?rwN9~ z{wKoQfso*~TIN@T9@~!;c(oTpksItU#&CJ`L72u;W+)ciajhcYZ=iXewDI7Ru!64Q zHnS&F#V;JN9Z!3WO9@?AUi`Me9O6!h7cNG09R)|Lzmu!lq%ho~uK7O6BlpvUs)|pv zD!-az9>zRe50PZe*|3$s8=LquH}E2>{(|x<2RblNMY<SU8>4sE%A1t;Q5aBVwiqXh z<)z|N<#39sBRYiEEOqu9!}`~3D?8di%l@PaLrX9siAa*)tNRWq<p}rG9xb8hL()># z*h5#Ds+pg?ydi5Sh6gLiGwd%mKLs$G1}^`kTC$X8(U@b^#Tk64-G#Jvn!+IUiR6@2 zWP>RsNQf&Tx14@C0Tp;`!8Eb6G^8|~k0jKH!RZGY59!Ry4Qh<0wAMhv1KDtejbDr` z3bAi3ptu*&WN^R+NL=JPhKAPp{#<=GO#cPO-=QE1VtT}$q@o&g@Bv?uAkL3A?Shgj z=lEnoT6ge)Hs2Qn`$Wz%pHMi5v*99wZ*a8|nv`%IoODJFZoihuHwmc2Y2MBe*_WCW z_+^kTW!EH`yG)F-eHw4+7Cyw`Wx6vnhctVh0CJ3-qY^-*V0_TrXWYQGipoOk1A7Z= zPDf`0ip^mNaqjxBJ*Y_}&y!SwpQ5(uK2M?`Z@MYD2=eUeN~lE%apv&8q&i#lqu%JZ zsVcsRLSK{irnq*mlEFUoAu|8sI3=$8H%b^AOVKeF0rXQ5n}<d!?Kn4P0z+(_ISf37 z`I%_dU@o5h^KB4db`YeqjFxE?;SASa`fh|t75t&2zaH!JEhY>p&lMo71Pwfg1C%Gv z5S*d%ULqe7VV_f2h!{~Jt0vMpils$0tzb+sUFv`25W(QgujsXK&frR}caWv~ya?@W zx<!@N?&4+ZJ9G1@Dm^zQ7X}}LLno}?{=4mXBDqdNVy&sL=Nx<G(z?q=d4%?vT;XP0 z&5Ho*huwvA2fn}GL{<qHICt4Ae4=7EHmzPYH>7s7=J7P|hYyGKGY}F^Dc=Z>fsb>3 z6EiezBD_<_L}MMI#ABr~G??p&_~+t6cM%Pf#)|%7IRhNu>h0VXz-x1AcIV7ufH7#* zu5tHV8Os<RkL+z`V=pcYzfJF^ZmHqcA!%;S*r&99VtrtcskPR5g!QFnmKJKZCgLm< zeV;vX7h5gUu>q)H7aq=j&C2=<&5gXDd>*L7MFzc*FfdkWs(H?m=?yT4h}CcDsm`6j znUW3=bed%zSRUuc``TcYA_SKE$aCJPZfF#fw>C|q*DZV*<MOOYY;cX}rfZOZN7I7b zyMl;w2Py)Z1aPf4+7C*R7}Y1Ej83FUz*VEzDX}Up0c5X_1E%J5G2>uHk3$;DP?r11 zRfQ&483v0?@h+U3);LI$!D!_h^g*iBh7*D+fZF7#?Xj7)t;nchC{eZy&d9~VVX8>n zyNVJj?voITFU$Y~CHu~U3|qpTL{(Vqt?%uYfn2xg($I^)qrevTQ$e){c_Zr6{l*1q z&=6CUt+Mo((e5MRLVftWc2o$HTmYj>Dv!78iGMe|`7P6b$!llGXvj|Htf6SL$RydD zKb~OTbw~~$L#+jyn8LxMWQaBz1PddHcIdMVFep=@cNl-M^cv^WfFhXA{A*QsC)$fL zFi&j5J>o^JIo?n`Z#I01niJKc7^$PQCUX@4v3deUEnxm8JkcHo0rsq_l;zdkUhh{V z2TXdfwzakd-y!vzVLQeX&#gh(Y@?W93m2=>NoxQZH2jW158W~aQ0PG>#K$2w9-*!h zB*sKynz`ptPwrZQ4?;%9D%rqWKo!jVA=!y-kg=Oi=GbJ1t^7IVlf;q<xr8%!DBy+< z)4-|Y^fMFors~~bx<q0BJ`IiQf7enjX8{6|@W&L7cL?zY1aA1hN9=`1iS%DgKyt?( z7f|m;QrCxZVCw_tn=7(`D;=CrOjj{ej^8h(Buhofr09N8h6^|ZR-$4bx+X`%kusB1 zy<S0Rf;$r8?5&dYt~e{y1##-c1$ejO3H7>7MjqzUODeorajTJJZ6DWS9R@+c+3X&S zfE)Ol2P92OWxR4Dvbn63%V7NC#MO48O2~PP^GTApk~apC%VT;$F8|go-Rj}QzOq1p z`-LSYap-INI%}ncZ*}kaH^6A{PrV<xG}*EYG*vTPYiZ~Bo{Sbf%|=MNOf41_CEjU- zQT0cV<XlxnR^pJjOD>cS+V3eiCe_sFDF~Xdy8=2R)1|Z5PqFVIUG;{48`r4p4`~8l zGr!leCHgI16pE^tFfZP#qkjP@LNtP<!m+1Qg@ur@XK!foOQ1}#0_z<AEx0Eey?50^ z5YFa2BU2K;AZ+1{t&`pB!A&KYG(D#n82CYrQH8pw-euVTmhQ0oVad}oR6Ln6YsmQW ziX{A{y~K!o7#W{OX(RmZ<IB<Un*pxlLWUW}^$W~eeVy^t$iBJ?7uXLSA43Nw+o84m z1fwmSU8IsG4bDHQ(vhV&t*KdLu&>|M%wiAKmGe#X2s~_m1L3%8kloo_Pa_}WPY%pk z-b6+sPrZN4WG9&`={v`uxAX5b&!b#$0S{&0zD|cN@9Iz!BWfLRUz|Ty+oIn<uq2;2 zsXQC%d6X)7zX~Tsn=i<iCYW>G(1|$>m0N1V3n<}dD&$nEWD5OEB2EJ0<4k`Q%-sz# zUs8&z2I2WH9cQA*|Kbcn4>-mECScphbnWlUz&FR^OuF5qOmSheSh1S={_;=NrAH4t z8$ac=NuKS|a*!>8IvZ2>t*+`Nm4~k*7#Xn!Kt?0qALSQwIkhosWWH5IFr|fi;^fjT zB_1dR9^k3_(g*!r-4xknz!YBnNF{Kn3Wj}QtMD?4VBj|?Bp2}PXU!Z3F<n9f0mie& z##{ESfY>6PnxHmp3BZ9N{ZNC^Gzh|>RZd1QZY0v1r?3Yqjv9+6<sS7~@t7dmUh!4e zKJ_rMf{i670&$`8n-En6j2(&+?w4Vy4gGU>1RjxMNb?c9Z2J9z(R*58N>wKe>^A4r zEuAtKX8pwLuESg~dn3|P7i>>Ro10%g@s9%fjskTpr!sd(2Ho~PNF;u6NVyCLnlCP- z3m8p>Zz5HnPjpqiz?9#>o7e#;*YZsmdU*x@atIOY_YfBVy>2>gEWhUjTj@m&*zM@p z)v26Myr!i`w>3jt_xNgd<#nao^730hp%f=Tb`+Y3<1#Mj(tc+c{_(9V0>V@aAaAMU zooHHq`EgU5*CSz1*kKsD<-pc7T<y=N5zjV$a${hh9NQMiFgvt|as7O3gH&I$=w3}X z3OMGQ*FJ|~Lna2b3kY6B&2q}c#gtp_ra+XeEn9^XJt)fDd*~wkiv&T8s^S!iJcu?4 zHG6p#FW6{!oW1|}is}qmZ+?1RZZC#}_U25q8ggLYp}fd&&e9cea07K+`Zx0#>B!@q zZ83`T85TiW4dsWE6aI8&g0{4la-ck9o+hX)?FK5p1fHZbd$LWA#vo}VpclFI9GVkE z$Cgb1S=)t3%psuLoZ*H)t)Y9_1Nv9-K(@<{#R>=-F)?AND^BlHMDe)UC@w;NZNLm; zwvAcJyQGX5_pA8nNmROFV4V-nC92|EB9#r4vBfAN8i4q3lQh{d%M$9WlK)2n7`dB8 z@QyAU)PR<OaMmH6ETuISX*oC+*u#@lFu@2d{Eo8>Zb7Y=?e(^)ES#6PTdW^*=kTeZ zJTjdX)&l1^oQcwy>L&zcuBNSYVg>!5081TlbKo<Twvs)`(DD2LWqaV(@EULB;VZ+p zf-q;#B?>1VQx4usTcw=g$rAb?oSe8FZ#a?|Isu8F2r^SY_+UC2`8c?p_6EpQ7<(17 z9U2C@c!>Xd{K`kIH4+I71T+T%1VsJ+9=`&NO>K=WtsN{G4GoP=9Nk<E4gZZ}-Bjdl z51HV4PBbG@{w~Prrm0|Hv>JwoHqyzRmC%hOQ=vA*ncH<F`1iIZH@jFPIOSGT^7ov= z8A!k|B?wDd61D(~;%@}-i)|J`Vk3inp#_A4TxVY|+;tbT-$n@_ZJxu`ZcaipU&(HK zeLGEB8^>z}&Gr)H`rYKMgtZRwHPN*sgT%*yLVs{C<F1L0CbLpO@kddhZrI%N1*(Xq zoGMf2k2he>h4)dwRDyHPE%KTh!*eNWp!B;Zg=)xHo1#2GcB?1k>QECiS7>dUA?>qS z3pz4+Z3yh7Yjc(t#ayy(obRTHIjmMC<6f>!=f)MG4eV5#+GnLKjW7GZOFe68Qo`I% zgL;QhnMpy3Ivves<LGK}VX>5yPn{J-!0vc-k&a^_+Oq&oEXq76;VYA+S&q(2d+6uw z^YMJls^k&9BL|6&+LESo)5y=(qRK?&{3~4zPiDIR-1>zL*hb3kA<{Za7{sy-VMeE{ zQl<0#BP$q(0(^fxU6J%S?D8!E5b_$Ue*SZu9_XGnf%Q*M;D35j{dYaB9jyPiobm~R zwnI#C!yf)HPHoLdB4>XK{2i$9^lM$Ihub3;u<U5Z?)!Z|c$67xFfaIJ1qHnkZ;ED_ zUIUa~{<H)2dt|UYE2+f8v5-JHPYDf@5KyizUzOX#`w&?wj$iKm>9OrA@w4{k>CyAn z;UZ=@zI%GRb?2$ZEFCr_QFfQ_<5GSW@u}zz#Nvrk6%syG&PMED2UP{L4JQem*SU2f z!2s<17C~;V#6A65pY6xVSfi`}tw`oBN71p}=0txZ-NGub+7Op8vCY!)VAEgwi77-e zoz6dcm#1-#oWBzf^@MKf-G}jhntfMZ$<#GHXD>+F1r|vEv(3?FYtewL&VWSE88czK zq3?23P5k5;U2(tj50;(&2L7MXJ+_uPnEV%AJy0MZ%KsW&Q%8G%vFrb-6<lVdo(oO5 zXJU6`SpdWEu4vYw5>&~q3ROwO__ZB<VJgQ$^<v3muLl`71$7NWlEq)|hmMe0$gKRf zIH79?5y+X=LsU1Ww>Xm9zyN9lXc0q!8wtCk&MGE&Ln;c~Zk>VBj-`M<wDm6^S(b93 z-i0RJ9{}GECx364(`fpzK6PD|2(~aY?jh~RcccRN!P5w69+PGU_R4r;Ak+8AGO3XO z{1GJVTLExR=HKtDbL&OZk=9s6Pjp~A&I)QdSk?+M6^e$O^^-TpTCmJ3FMFFu9&1-d zq}NqHU3F?R3wxkF+d+u&R2%$I=2b!pCeWXQw|puSBzP?(>8E*rz2(&8bsEph!zm{r zS*6x%22(WNO7`UYYpRA!8mL~}$Wkzjkpn>(?HaP*rfEkS5d;<v%!-CEE9q79^NK{{ zJCrwB2ojs=*W#EQp&+q}_4+*)nWiXfToPCsccJm{$IW|eS_PQBTE#WZ5+923TTwQg zNi?hY$B*jQoDD{L7wT;4yq(X*1v+d;JiS;fmOG344~TFxIVV&8jB9iUoS;gtjA4$e zi{}NNhYBiI{7MrTT?O=~q(dLrMIDI@+SKf=-n6`f{%1bCe-)#+{L6<3a3CPs|C$dj zuFh_zu5QleF8^|3JDJ}xm<cJ&<0neBDL_nlxj`k|uUMs+O17{z4HUASg`*{2>g|Oc zDHANE(DhV_apaHp4CBcv>l)gEFa>&0-l7hb5{vK^Q>advRUizQh%OJ4c9&<R*nXLL zIz~UQ4rQzbYkT|+2@;R}V(x04uL7Lykh@EV=kL0ehrz(k?WPeW%}v^REo{p1wVt|k zY}iO@+R%^$66gxODHdCqUB0S{)-mp}MwT=oyBuY9;+qxZVrNQRV`McAoBIHTa^wlE z!Vs7Gx!+4k&w=ZHMk0Hlrn{0+zZq{rwPrxWX&!*N;G(~k;5qrdT%ynh&@mG!u-L@A zJUwA(c#M#-c93~XcS4*!!*-XU{1k})=x-#>K||O}fXRDJ{n})lnH9T`2H)7ZP$z#F z7qGMQeO7!cjvy{z?)8+UodO@ne{P%9`T>uZYzx_ez&ZXIkZSY4DmE4@jb$VI4vv?I zH{FmTJ*1?>$7g$t@K_k*ApQXPPwj?arJ}x|fq)o^{y%Ej-q_jJ-1&d%R)W3hu*vnj zZP;Iln5Gn)Fmnk6TEwvH&L3@*M3LnhG>j9LKjvDkfx%9e%9dr(>pQzAPD0K-etAfo zHs*4&*Kx-F)=dkxjzLa-+hyIDlp?M`E6iD3!I6U6Q6#4F2Q$Qed9rZE`IUR#h`FOs z53M@0n?jI6l6kx`7UTo)<^h|WAS<)HKYllQR5n>+tX082ld;q+45DC50W<!}Kex%E z;M`g#OGCY`^c%fIib8khnM}Sd){aYFRprulgnYafoEBGF^@|``-bpv#h`HjIvb0dS zb7YVL97GlMY=HU)!=<Xe1xm)vRaZME>a?cP`ce`zQivaDlbW=zp`}s4`3Q_NLY?ay zeOZgz*7659x;(YGTnL!41A}=O$$7eY%P;0Tf7O|pSLy?!SAW3D67yT?T~~~w$^C4Y zbZ3Veo1xroaey1wlUxF-h(U7HS0c84GFoh&G;C#w{E@GGXdn{%bhJG%fl(mCm5f|m z)n+vv$JK-xi}YeO-QLu(89VVUCRWB`jDHDVg!C;h*LG|9=`rd3ai~#hTX(es>`Wzp z&0(3HVzAcY85EEnM5%%`B$SY?QEvKgq@e>W19NlH^lVmwX|@s~rQT?mPgUWh9uRU5 zqeA*%S>$Ai{1KDUOlMGru3_7OvA6r|PoGEGg@pz>Nmnmq)2sYlu_zA;^6gc?02l^~ zb2QlQLf@Mm7Wy(8LV3k9HrhQjwikqt2$D*_Up#yHFL~u3`B5An36%F5q`nT6;jm1p zf^x1=CbV<Z&A9}9|AG#%V;kJ!kV$>DP`O2=IcHp3`B=bfcvYl^e=VoJ+O10PSw5g0 zs#^pRf%kGuJh;yVi_!B1@Q5YQ?K@0Z^dcNoK%AVZl1Zb!fR;OFV2#seM-mR|DF+<> zPRL`Fh#nL~e#i{L(~O#pOdx4nLJRnP*;!1SIoYykocX6SQ55F!d(pKNxSUW<zlS%; z^2spi!p6y|`xVd_QUr&-C5?r)f->>8sGDOH6yei`#35An)bl?WJI5Z;qGnsSZM%Cn zciXmY+qP}nwr$(CZQIt}CpWptdvcO<Kde7c$((D}sPT;20t}1Y7kDw-M|2Nj`f2g6 zdqTmNk<5VP=y*lh!E+$l>X_#qqp+(MDZ=~%QCBYPw3?1lHY8+_N|z_7^s!&s`+bEV zp(Q{>;KFHt<OVf0e@|W)D9Rl2ghCahm%{o{!bTpG^h7#&OARUJ#sys<&ZM4&LrasI zx~C6s;b=j{l)Ycru&Y!WUv7!J<uYxf|8c_K)<X-U7ah%|*0~ajtGqLa6I$o=Bl|RN z=!uD3S3#kPR$%}&Y318J4v|D_EOk^BDK^qH4x5~>g<GwU{v(R<R+ECBI%=A`5L<eB zvz;@0TGRMpd)wXWy0b}nd)>>E6Iuf2?a<NoX6+uI^T$>7U#}5}Svdz6Ob?X9@phUN z>Q|a<<*r37<1-3yf~KcWr+n1iY)%)=Rdfm)eZSH0Y3Jfn@C2BiKh<);h}YJjl{dgr z;X_8#iFWb!_<+)<1d7R#W-Dge!isw#d_>4Y#-ugYfc$afWnceQ6#Q>BUO(YKhJV1! zVc$ylC*`>HYnA=N&|<4D+3@}y2Gwr)-DZg%M)MvuoK=W1l56002QhUAyR-`~x}KY% zTB~n^{0O|Oqr-<m{#bbC@2q)5Gi$I`KsR5RZ;*KGFd7!!-&`Y=<E5MT=|Q^q8WBkJ z_=_wkt2&tc=9*y%esCt3pk$@fH>K6C{GafA-9v#H-p3ZWz$w}Kg)5<!JblPuy{c@2 z7Y{H^xNg!^D_P_E(1rV$1Z@||{2b6R($N$+thw5xDi!gBs?{SK)g#U;X+WUA`kN5q zi3G@kS2m*UH#FJ+eSeA3Fz*<Hcb;n$*dUjFI~=C}WD|XMRs~GFTgqcQRFD)GSc+Tk zih(Sq`8DaQ*$OTZQA{f(F$V-8s+_dkc}uGi)nmzAy@wF32&5A(Gp05%R3fI&j%#XJ z%}U6h8CJSoW?&!O?74};qtu=l4PA5ngOi1o`9p#EyJV+0MrtwLQeHZ^J+kKuiRza9 z7-j!xY9$i94@6KXS#c2WYHA13`EjlY4krJlv*D>pZkexZYYkHQEUMH3->51abQKfS z^R+aEDyU|m>zoP;k3WXHVcHGH<SGAzgvOdGDgw^)SOxS2k4sTkkm%%iO(|E;@tk~u zZ~U6jtf6}Hw0$qpeo^s1ER4oP*&v_eQX*{B2)DkXdhcFrTV?|9Yy$SDt4lF$w)7AN zNDO6Y%P4{gfy7<LGML{l<j)bG$r}Uo<%5hqEF>k6bk(Z}xjzoOLY40WeW^sfcC|5_ z?mlhaz6#*N;Rg@r7idnn*x>zwkQLulEO@>ecUA2lvr-Z;AAp1CsxfDu3b!ex555=# zY_>x~;)r&u;_!47Xo+{hc4h(%7%C##28D?RJUL^5$13KvzN0R@rce8W;8Z3e%cE7V zK}miOuQmz;!Z8aXup~sKZvdD!lWz%QAGi#>v$<^1y+W)EF}Ik@0v9H;+M56pO`Qwh zlWkUszf+S~Rb$=^32%Nvc>=bWIxO_%SWBNa2*!#&L{@@eB|ArC0#ULuJ@So6a3xg| zJB4dx)6Z3=UvS1qEqed4G%9?UZAQzEj10~^zY_Jq>_O3vX?n3`U2O4{rsv&zqq*zH zpYOLRc-`!z(y+YIOQi0MZ(@vTP;3+-tjwqkHVX!yc(Z*DQM5_jm@i1{e_jGFI(Ois zk1%mpUba!1)i~<nP-KUCv05;o7YrSqUY+!mlEN}l_N~f?Q6Q!w!wE_~%jyUUoE%lt zifWDAMMR62HjAuL7=LcJro7iFWrP%}__{Z@sN;KuCe%vd9+eJG2EkL1jm&mD_YVq% z9Y#QQ6;a64=jG1e5p>{qj`_|9#m9}D9w{3Fx4&{SD><^?yOM&M0OdBbe*p`u$2^}E zBlwN&+XT!4woMt?pSGI@T%|mm%cl80kAdf9pmvh`y5D9iy&qqR3xlU49fk%`oA%M* z4BJ7l7unKJ4e_ul?KpWHYix8^Ja_FmNA-FuEj=QY)K9{-RCoT&Dr07(q)*C@D~IO) zeZ=x<y#Q61VD|w5P<gpbh<7NttWEpN0s-z1|G};t)!aNxkhGy>u0fWOM3r0qi{S2~ z{)s7>%KO7gN+kERP>a${Gs(D@`);DYMp?W)i$<hNX2q;8vm74dSmlm;!H+-%OV@Oy zQBgD*g`UCAGQS$t|6LXKp<qVYaUpWO%{NvDiaKsn$C7G&S_L;x{<($D4B3Z-0gunC z`GCy~IRdW;^ObXWN+xC<WM9g^x8T#YBlne3En$2+sRaFn>F4o<gHsH>FpfQA|Eaaj zrr?;O_y=iK>blY2*%6NI)Qr?Yaxe!)jo|Zp6mUaa(f01|wtyYOT|NKzS-U!y2wTS2 zf3vO!xXk&xfdK%#A^-qT{co>-2V;9@a|dH<V;iUcdPXLzUM6O;ApFkg<~!g684hT1 zo=c6KKMQyfKM&Og(8lW2M9qx37O4>?c*T;w?{+2tKxY~$_|l1Wer|@UbWS2_?4STu zM<x)sooH$mG^qUxLXK%+BEuQS4j|sg_FvPWEr6=sqo=n5^bl<Oi{TtIN4szDM>oy9 z8TnMT4=FDZwv!bldQTN?8LV_`KT^~W2F+HU_Luk&-mldJr+Te~BAoay84`LiL^iW2 zc9QXB^_D||aoL(ulw?pX2xV)6kqK^IR~vPbK466#KMBNKvQh{~b5LBJ?{*cNJxmjU zgQoZhA9_3ZthpMu5{6gNY8g?wMAcK8u+$>}y^a<-N~$D+*SMP>8iDA+Cu(`q3I6bJ zq#ett;>e#aTTJkycCbEUKO_g~8(=1b%*ud&VU}4ab?~K;pcw>CL4QAkdP%4vKJ5l= z!Xa9_s3I%D1o@GI0X9FnW7OLEzwpNbLTs@}Y7dDccc~Kqq?xNtP*BxTF9!~?<1D*8 z#4^7Dp1VtgIAR(p>JiMOZ0*&LAm5v)+13##x>?({64D$;zVie3PCIIRL{Ji>8VB!N zzRuvZ)EcWf>Z|2i!mwMYQD-$sxCA5J{C&86uv+wDkfqUlg&H5pIp)a@(iP$B)lh}O zASqC1@?=8jLb>7wT(ia_iLtt4QVCe@x1d+yhg&Mx5C<N!iv+u_kjNtchMR^QU5~31 z_ex?-moARU1<;U0mmbc0G1MOCIG4*?4?W(rG_vJJr<~3^R2?^+{)6?LyiL8(W>XGR z4V~v283|etKLWb6fjrRy-~lb#tN;*d7S}EL!B$A_Iy$`SEYYM55jGLIQV(DOI}cnZ zi7(=CPPs4#V|v)}e4XxDJ8-xjxX~9dKxPsl5xB$p004>nEW?;GqZCn5f!FFsh1~VT znkSU}n?||KY^zN3%K?}|;Xd{|?5X-dPNlPo5b|J<ZpRZ3S5{ttf-qIFF^g0I%&~xe zBiWbcX)Wk|m@~=l|4JD4f@TcW7R-O5ncb#*(`iMr=Kf0+PJd^;sIY7=oxkdKE@Kh1 z#i0h{olC7beT_$DT3)>balpos{y`M<j3=YDCx-}PJba^3L<J+vV2(Q{#PcV=Hh0tU zu6NOBZnmTI*bOCE1M!8Y400&1^eD;<S3Q_kj){jrSTbQ3Vz8R_bMeFDZU|7@Y*;1f zg5!CcM-yLl{Ykxu%%$beRQC2vQdgP<H!g7sB#o@A70Vs#VNqP=wg<#xl_1E^BZ0fd z6>y}h2$nq*&JvnzXQ-|gV@7O&YXfs(To-1@$TqH)BkNijW`y|&a0Ok8zTICGKBkg9 z;GG>6=L&uR?80w)?AXHDGI!4I=6=$CxncqAfVP;12e2=5sl%q&=rLvG`bRxf9o4K; zOBuFgYMq%G2)5JMKwdNP7Xp3|J#n5XSF}sAY1M0Qm!Z{GkXLP(RL%FPGVY~Mpca6j z2RuC+4gEFi9&mrZ!x(9UJ$KTBRcW2jj#Z`=HDl+^grA2{bSedt1-$+U>B}06*TZ(3 z7lBTLCZ7sKvAcz8UVr{+0%PpG$1<9S?G$8JEW4w%t>Y3l^$>^5<3nj;@PaM7Q%W>1 z35e^r+TdRVu4e%ra1xc^RxF>^WQ52qXa#_K{JV*j=E1>n?HDIuMd0+Caj$m1Ijl-6 zE3M_w5R%@S7d*uv8|Q$#c4I=C;w)fB^gdXpDCV!}9H^ZT>=D2Sx_sGhQ5=q^`zoS- z%(%Xo=a6s9#rgN_=FRRe^u>8X89f~T7f)MmtnYy?Z<|dS62$A?lFzle5C1?yb;t+4 z&BCH2GcD5<g;PG<V>r@sEp@%xB{v3iM~?aA1I!D5MY{Lk$#A9dR}74v{9DbvOGCcj zY{`dLwYCH?#zm#c{B3@~x#)V~lGq?{l5LKZCqf0`1=7At_uM{%&#KPN0#L@yo#qsy zh&by>i9y+hXi<!swm@APihzd?@>hmzeqp3!FZ4nR(K2^cEHLaE(reJvb0v2fdUJzE zak6=0btl-kk}fl4L5CR7l5nPIYD_jyN+mcsasPTnfDgnjU~X)$PK!J2qEuN3wrn3b z;y5?-(ChV)HA+*Ck0^NBt#kTk+=s$;!y`M8pe84FI1d5x_^m!S=MaMc3r?u5yi7iB znx7fSE)S|qMUJ8QkWXWxW-9#eYxV>OVcsq8e`+9J!hun-7ytn7)&Kw$|JxtT(azY= z+{FC<${^R=mX6r03A@jfBTFjjN$2eAt-3R&6ZS~ADHRSf6fz{vB$OI<5b=#zGj`yD z@=?cMFPAo4CI0<#Ne5akjrz&d_F!gASl<Gya~x7Vnnx7vQ_$&sv+Eit;_;>pN)9Pi zlj&87CVvt|RwR>^QlE~WC5-M4DYvb%yl5?xRge4iAGo;j$O^LL8)tXD%{Pn2ImyrW zRZDfd+&^!kG3$y<ot2rfSoGv3m5U!rDp~<<8!8g3G-{yM$Bam^<IyR&+o~#!9qjGf zZC0AQ+Qc4?D=IRDq?DDbu-)@}V-wYVvWW~1jg(J~fpI6Q_=VuLVyAv2ZYwI}Uije@ zU+|V5_+qnk2qX&X4=cd(W@$67B`WM2#xsY9k>sYK@{`W(tI3T#F#@6!Ymc;yG+&)b zEI<o!<W`TGy3mAqJX;ggebOgA-n##;JV<M+KA#Qq1LgMX@$u>c8*Q`6w>UQ-)>WZW z?X#&<V*HVhw9uZ?!%J-|Q+}Avv`ygseP?sdyXwn@CfSt#hJ^JuIlr9keZzO7lc_l0 zHC~AVzy*51><Kb9vxsM&GnSt|dzaD~@aR8`jLc6MF6Pgb1?1h8P@7Xgl;txt3f7=d zX8}^3wht48#dwy$!cjOd1fQ64rr;)6U1+d_CbC5+ToN>k9j6M?xMIbQ*V{b8LXXAp z7$v@m4E_r32TTDfQQi%oKw;B}XefrVvuRKlyUGHvArT`S|15!$bLwNN0H{g{{{laY z^fc6-*hRCn>OnuL?9lK>TjSW$f71Y>kf`uZ;o(E{;BDSU_D9~N(lZE3{2O5bOySx= z@?(a%E<+YVDM+T=02sX-d9KE&2S0FY^mu958A#Rub;L+ZU6JRRYRD5jzFBcK_$?Ve zLQV@fsRjLt1JX@QV735b)rZE6nU3T3At%*u({D$e)0~FpV5`-OtSUCO@GRsV6h_gI zfyGANXIwz>2B}g)5m{~CsD89Q05}-jX6UeEaLi^!r(JkYD<jF2V)m^$e47qfc|a>i z2$E)+ER_I{51*!XYP`eNFM>iE*e^3dC7ehN07JePsWEd5TUTG!IE>I4t0kzWdL(AC z>oO`!?Lg9*;$VlBF^E2X2tSIC53exS2OtVh$6>~vYS&llH#dhJ7$SY@+^ho&?(z{R zAK~K5j1&EdjopZEIT^wuwFAhvu56Z*PKPFKl&-~`Rnd>KhMfj!JDLK8YQE~he>ig# zi27ysRra%ngeYoME2^Wa)=VQoN0x=-5U{F-Ru?0sfZ=ViP%^$pLbZ1{$jG-h_!wJ= z92yKR8tcYy<!ukxn`{7iGNMbY2FvaGOTV|So`+i#ISf7baaTn$AwMaB7u7bZ=eIYh zFFT4Wf+q%pXH$+PZ{i?kJDS7G@i1Im-ueUlCC5q@lH!Dw(Od8kl17WtN+ZTt*{bXq zG4qKe)soe&(m)4<+rK^dr;i7YnV2N?C_E?YXTrQ=5cEB;gwy<^EVjgPo$XLhyz|0= zg9%yMP!r}!2dc%MK)6T8oO)WlnFHTGevCrh^kJY(^>X*j_D2E?rM-o-TEFg*p*ITX zV$FL~$adQ5SDuahajV_ffAcK9STZ4{!*ul2o9@lXHNb5J+934x!v7p2TKB|k<O->I zAIO}Wk1XZv{)ynMOW0yjpuHB|eeEM=j1ouiDN`?!%etG)I$3c>%U@gYjOX*s5w4o# z6<~+(5dB?Np|hH<sg5h02z*PT2JlbGKf<gU{Xm1k4rn{LV|)enn(g<cwg2(S%@2>@ zF<ypr7JO=Sz`l9_3M6WtU7$7EXw$k`M?Vah)eO&FU^WSGF$ou2t}!BLrSIO)k5kJa z5yofkD}k!E(RqhXPnda@u^Z8EUuz4rl{PD!+Zw)6(s7tADa*bQyg|Fb;*qvME&=(( zdBqPN7VfjEpgL^DrX2`JFWDr^DoD>XaX`;Lw&xl6-|{Hp*1|x=Piv;713vg{tWVI* z3~QQ5%(3AignpjVI7NbM(^Kl`8kRPDj5@GDbe>8lkV%fH4e_rUoyl0dX?}d_{vaTK z$VV_2<<+)VawrYp1?CAb?ClxoRg4j&V>A|h7#!=Kv1t5D@rA@B={lSDitTaGgxC`U zm-&s@GOhQ^KD7l^N1i%+2PdayOlRDn!6Ou@>5iL258QOn_jNI35I|*_3NU7I5FAag zC3d9XTY3cLc^8t^j$#0hRlYEoV=zCU$r++Lv-7YD;<0;Nwn9F-^ENLRj*ZzkM+AcP z^)jKc(p46{9i=LjhAd}TU(QBW_ID4BEat`!rO<m#)bI$bry?q%xThT&rEC;_k(ulX zcB}eH_f#FRt+yZza^d=O+XGKJtnAih5m5rY<=W!p>U1<3$X{#o`q3VZ#pvm_En@#H zb8#HadEg2J_AsLi=5tP#V-y0POp?oF+F~PU7IwNL95=T=!%=x`>DS6{Y&j$_!P*1L zujZH#U%1so#LWC?)<c@WIM5w!bkM?rcDv`-W0rVQSUn#n#mcv2gX2dp^G7eoM=u~h zz1*11RUbOI?%psuWOy5<yfMF@-B{W9`fNZ&>Kq|x<9P&A;MHR-;&`0n7^eFi=h4XN zR(EheJt}F=<tuG_Dc&q1^mI8Fpr$U8ZN!<Nc10TDFsRsKZw$T}%EHPElf`AVbY=zJ zVfM6K@kYYMVn=<)z>E@#tceO}*6Ie7Q2EaS0z~=agmV|P!T!mtvGE}({z*apcEcJm zR;m*<H(`u`bbQo`PQ(ua4k~YmXfAPF`&|zpc!P_)up?`ypRBt+KhK@4<J3Ov-<O-U zz21+*m#(%V^<p}agGNAL?tJ(6{E}_`L>@2&j`Qx%2|B1qEvaV(&e&OUf$r4vDo;)B z=lypcq1n@uvAIs7XYFg<n|!s)2!~=Waoe5(fkitP3tO-;b>f2M16xUO87{9}RgfY~ z1vx?(ObvqV&mL=bu{Z2meZcV8PsiNg*AL5sBi!z1M)+*gp|cPEkDKg!fYB<z-wzwz zO@;8Z)nZ;JNXO?TXq3UWI1O(`B&MEutEfV?&RQ_t(yDiN4Y_~8tJ3@D){k^2v3|MQ zVPP1&a_LCsEyF@<4RXF++Z@yNPa4-rs}D$LvtjTsD9Rb?1<;|a%U!nm*dqV}yUAI4 z5!1Q5^kC}5V>F#xt5*O7sLf1+FO^WVcOT{O3I6cHq@qj}yKK|5o5f(L-NH?gv)KO_ zOo4;#!dtcbrJIZ^KsmWJLuX~;^k(v8tBxy!Y2wkF_Lx9hLHU4T>>EVq;32_lwNM{3 zcw0D|GJ8Ec1VD$#^^AaIk;cjFil!6*`*CW&ID(;J<4_4)gCD{K=ghL*96a4Pjg1nD z8Wt)xCeZ}xG{y1}v<=kFp&9$u{Dhpi$jacP5M&maf36{}>4QybTY`6%F(4WWotmD@ zWjfQErhPVL0zzeK9h?9`)czgC_g^~D!=chLJEM@?xGZFPqGk{~9|K3DVv|;CPmBBU zs9TND?Tvu>IJkN{_s!;YXYv>ZPp*tOcDWX14d%I3{JuO3)5z=={kI<YFTLjb4iD4J zV&v<&JGy27xlL*7x^?z;gh8_(Z3AK}0K%{Ksl(zn$}VVp$wKkUUy15BFN)=>ECeSn zi@z?B#H(vC^}E!0-kPyfMA4G2aDM;x4gR1j70er0MhSvM(fFy>+7HU&>~^vTYzr{2 zj_d3>NuXWUA%}bcj8Ow>Mo^aHt5R|SkPvRLk`|t{r{fbG%{Co(2oAi!QS|sakmmdt zt;+>E$cjMR)QR@oJ7Rl(@Ob+QNz5V2T2G2><pE0E9z}+pQ+b=vmNKHR_+i+B8+D4u zLBM7cWE?+s)!z?5FkuHNIK-ScwCTLBt5S%^{t4H6&NNRU+qp{EhiAb7-jrba#nAHy zMG_a%_~Cw%d3*O=5JXIKg?@!Q@972T20N80ZPFB!j0tIZBb2`+7f$r&WjS*nAt{}; zO;av^9%7ux;d`x~26+}P<wo6f{v#1bmmO5EmJzpS?1SttVjw;WRV||+-|thj?Lo71 zG!<Vocjl*50^F)G;)zlCdEbTM;K#BDb~rSKROT#wqSwjVrmoD>f=61FE%j@s@gs+q zE93r^I85zZLSSeq=MHhNOIl)HN3vFsb0STBQH_85RYfbd7>(IHv_?einC3OlK}7Rv zfW**tIbJIa_yhMrwb<ok`XEbsR4qf=#*NN}o=b@v^5*`)<sGw&fiP!5_U6Xr{~J3s zlY?)*XLmJDoS69c`||GwUHev$!Hfh91jTz-zYzJ{KUpzpOR(E|1&xoi7z8?ib9RFG z)L(oRGgs4UFUfS)hwh?tdqa^8=wDpF`Nfp)I53T&#r%bL%y-vN7Nt2%5lf=X@j}Ol z2Gf|z$_BSHx#DoYzCyu9o0HH``f>`AkX0Pqzl<dJ^V~)%2h^;tq1aBQL>9dU7HHXr z?i&O4?C_%#&<_x4hr|kzrRah0Sv$W*oTwYAhm6==bO=U_=mSW6GCB)TxG*>`7tIe1 zC#RQ#^G3&#M+{WmS(B-9KCNasrjM&os&U<ssIHiX;3n^YA#N-unN3)tP<FZ9s1WUU zVG8FGgiGG@r&YDJK<8IE%FmHCaR{-bD#Ie#(>eEI2Nkvn_0!4cAtHo15>TWJXHX8% z`Mtp-B}w>ft}+@yJuTv>H?vgw4%^2BDwdzA^W>V9MZ#GTK)Bnu<fmv7F5K|+Y4VPm zXmLkih3F!!@|5w6nsvwyD6qW;Qa{$gGB#4&%;+Q%x0QaI#URW!BhgbsnFdicJdBTb zc2Jhy<jD&S-AQ21M07ExHJ{g+xW%!Nu-7y@fZ5z1U{ajEO+$7;3MOXV_4zVJV=gVy z$sO^_ZZPT&H6YD#hZuY8<2M4K`UY_FzlAtBz=>BqA>0jtQB~8L02Ccy{qc1)fNQOd z=zcXT-lzLrz5Ipkq?=;#2+6ZW3;gA|#C~?j`P$1USGh4E910+JO!^&B>~O25BqlmM z6P9xkTCZ8q9MmLFOKixCnNcD-4}wYb>u)`o_LluQA(V`jMLb)E281~@_M?RyC7ObR zQjvDAi3XN`p_GS5*Fv|YIij6NoiA(-URCY#*`Xe1Z`NM9rAB}s=05x~WYiowk;U(} z(KBU}OJeNixa;16+%I)Q#=Mc%5&a+GC^x-s){KkqhVq&RGb?%sy${|CK3wv-&rfx( z(G>ZN{xnhsRTOQJXyhr{hkU%*i3)a7DMc{I#?U+HT&2;c6HaX0OEEF+-kmqaFQ^Ac zi0$~<ORtb{2)N0@i_Nh|qh&$+>ArH>d}VWrnHR{gsXH)4mEaBbnLOmA=S$Awtt62s z&j7IB4qQuDfi~*1yCPN_rm7pvj<jEE%z;%=JX;Ilm*z{Inm;`7E}EWH5eJ^y{F2;p zfa3qE-6l`vOMG6W=|poJk#w(d^G_t_zP<>TX&GKPK*3g9Ma$7Uh&=DU=$xEWot1O* zvDacf@KI>Ua3xBw+cg&6=sPxz!KkHPY9A7%{mM^X|0HC3H=EAEzaxr4*Em9D!=?Wq zaldsg^O+?4Qb?Q~<?=x)SF9^S(__@@yvhs0B&mpzRSP^U&Dlo?4nNO1e%pi+2CQ~6 z$$x&dDhk_5B--CW+92`hypV9Q9gSU5*T|mL_e{(13xs34WWVn_Fs!u0-}=FA!<n1b z%<H)d`H)p`R?yrOc4Ja)6z<4+dVZ`A=fAqj4&u5*xSn17na`lnHKhH#16)PD{+SY1 zJc@=Sb9)6dI)timLsygYW>BlUCO7T#bSoI-C3jjyeJKmLY8NUW{ivv@xoZQ|k!k4f zXK|<&?DTQclN{|3W3AZgJU&JGb0Z?W$#umcNZAK5tXwkKl-&l(ZDN|c$yt)cb8X(m zz&`l*FwKF;P$EByoSJckJo?e@GREGuF@FgSFglwasBejilzHX#=?TmoIRvxHy4IP? zl7g08g~npJoq7;4Bp*??Ae*_j6Da1*yj<U>&`g6hMuGBN^ko|8SbBAkg<)o*%<M0< zwv<kgs?oXBWN%*AWUg`5h6I=A7}I90%l+$~0C>AW`GCjW;hYh7=%6aC6``w9&bRrV z4CSXjx32N3LUp8wF3-?y8HCl$a81h%tJu55W&tr?KnqoP55!~{9;LVdaOs}?{xH1? zyb!Etr+|7%ZoAz|jFF0PZwuooV55LeK&0~Nqp;zLzbupdl;d}B7`;m?J$z!X1nwHF zU`?`XtQ;sEbwm<Sgt6Dg(G2X}AKX%`m=O?tBeA|ZkH2i(`q*8^iSnMa06AIuY)#(I zE?zty_B)Zp+yyjO#n*-i?9|EI*?kPtRyu*Oxr&i2j4xHw0@<)J;HTq=bSu+$80IUO z<n9?x@+|IEG&`@@6W|siP$RB__BU4G5GnMUVO=<Q&3^6<G&?ELqhQeRSG|eST>|p5 z^n}*>w-n+=i@13Q<DXdp_%6v}{xKHplcw*?A)V`ZB}JN}q?r}9YL8J_Jpio?2vf^G zhNS?&Mlrv3E;ZaY*S7r8jsOdlR)79@H()zsO7dbmv*1OI+1Fdow*THo^JLzd6xnjQ zv3@=|TX68?tX6RQ1$oNG%FS@?<4V-YCmo`Bh*Aw)#!xj@$@7H*fvj_vVA2mXq+iS1 z2?I;>?}S`u!-4BR^<_}PSh#s64xVJ{CxKCaFiGC30nHyb)c6c!hA7w`C%3VbdTm=< zw0z7Q4;-&@$6H{z6@{QgPr=mGaFod==DP;d&{P%nG~p@{>-F8y@R!ahk<C7J(y|?s zV-Fk+GU~WjR1*cW-Rja?Sji~;m13M>!k}5WuJAOry-^mBaOd`4<WcV@(%c*?l#yFE z6J;mdx%L?j)3`=};kjT57l%zP(bO3hs~^5KB&6W;2eSOQZYDB1dox%7JxH`6!@uP_ z#QW>iTJEYx7oPtO33kagptM*^?Xt<u&-5ms+doG(Uo;9ssvFITU62SD+c5T<2MtGw zwUl-#^PQ@lJvRcGZs$D!WbHYrf^IPjI>MP>_%cuQHF2;>u3Q`dWSuko7KFO-GadF( zmRq(r^SS}gfwo}CGbeg`owhl_?=$-e{&bbhOBHJn(KaIJIo^<gY1<rqaUYf<H-V?* zpZ&Up=W7b{6h7!tTH=C=*XGJBrLjAkyt7X|w`aOXm=Mci(ib3RJPDL{v862wdtOn+ zQj>;4Nq-pnn)A|O$3i<_qXYk%tW))Ac~lEqVXlZMcG~MiO`;N*8p^_%j-{hLcG)## z6bLqTpd<o6S5~ydd2i`Qr?kZ#)v46`nBl@@8@LImX;9UhmnE6*@)lrD!Tpfqj4Vyh zj+@w3>9KW~aZzB3l7FIbgBs##WucOu0)rC~Tv-Vx$l~5YBV=unL6WBWQ1IIZJ|HRK z#=t3-Y{xBC+FzU09(J94Vm-+&JhAkxK?39(hJ&|cl&%=DiuUjT>eC?|QPHsg>!wyf zRR1)J7g5cF7rR_Cz2(GiAt9A2cA+AI$)*h#hS~%zxb@+bl`1r)y-b#dE;=pgij4nx zfi0=X{17a|)ws05=nZhB-eAAJK~5VV?U6U&vBUFw2A{mon~s5DkU<h@AxH%zW@Y6r z2%x_yl|TJ<w1&e0Nis@F8eab^6W{-xaLJoD0Y2C}tN>1_y^#;KD!J(`5enKm98l>N zDni>hWLWwy;!^5e_?9c7);R?c3r^HSsRhEUKDE-svKF|7G*8f>0`pHq^csckeCLAV z)JLFe&TRa5;}&m`eloA#;jOS&_J!s24u-&#K@fdF=)VO9g17b@x3#Znh8P^m{rQ>| zHwM-@G!GbB2Ruzf^UB}O?%*)NKt3VYOo}EaVhGx52*M8^*Qw!ZD#u%rIEt$-vzyPf zM0m-tj$m9X(cB&EXE5d#Y&0{LZ|Dqe^MeF?<6O>H*!EiM^@n(bo1F3^?#n*SA`$=6 z(B;4p=i@d|JRhf!coCH(A4S>o1j*a5cUwp~5rc6!7{;|y=)_eh^0D>iw#h-fUGS)8 zZVrlF0Idn>b-ol0@w0OIClmc}O9a)?bh8)j1f)a?CLwyK&>M4Q#1(F`gQGtwC0zOl z{M5>$dfz5xi5*3Kq@1#hrZPpWUb-Zd<e;2Ymsvjf8RJs9=C=vU3s1Dayk3i|9WB;U z;68-<!V6LiT9&<nIJu6@d}Iev&cjtcqNKfZDayW;BQOaV{)F5fM&B)J{yz0+8H7H3 zdP=W{lS|h$FvO5m`W;cinoON!Q=-)XoNZ)v?|Bb$0g{P!ft7VnHEl-ikE#$r|G^nj zs>6NS`vv&VvBvNP89d@YTW;~ckK}(FYdAZZTm9EW-davla)=J0=Tz0piB|h6MEIW2 z?XDhNKRy_hmhjJ})V5wmlK92tYG#QC0*qitx)*Ij-{8E6(+Z*kYoUu>3km+X-ctz1 zxtQ3Hx6s*y9rGDW>ott!ofwYwoq@k%yG>p<dEMprHLZw&tWwHmXXf;`&!gelWQ?F# zql-)*Q;?bB-fYz>s0j8)zdRv^#74(o;nDn1h3zyE(qg^OKXw5;Lwh4a7CG1$pC+Yx zuwX4b#sRjAC`w;+X+a1T%RFwI7N)&o^xbpdG>?f{QH~QCm8HoEvt-K*g|N<Vf_ELI z9vvy@K<`v1@YBgpl<rA&ozrlqmyGHNQtYjxygdvt|9Den*oZu*{p>cK2;2XxDctQy zzCJ7f05SFdhh5g?-;l`M*5+STk2S0vH(8K=YIOY<Sdr^f)Y-4Mn{(LA7d|+0#@lk( z5`F5tDTD<WEF<*zCuqw*cW>80`4Eea#;kj?Ns%T0nZs?>xH|V@+<cRj4N{I3_G~+% z9OF&HsVLGTjN>J!FDS_^%F&bM7=P|NqL9DbEyqL-0+*CaBKl+8@S;TtX%t939bXCy z!-vw7zV5E?;YG<zMP2#>a?Oh^2C<RM)GH_|lY78>(-#QkBN<YgQOc_hscH-Qr7DBd zq)a9~%8!i*8-&Z9s1MAGAB?HVPF}@|)}=)PqJ_#E3r2zn%f;vXv*XLSQoqU^Vj0Xd zD3e*?n{d)V3&oW$jRh=KY{m}_Qc%^sc`;x}6WM0}Oy#rTLwE%+tR%yT5Z0aK*V-O) z$=qnd$3$kb%`U7Y!i(O{#Q5^0XZ85}{+w-#)3p(wqyTJbGKdOy#hG^pxrdlciw}nR z=7Q6iI0#!cPZ?Vsi66s$lQaJYG+TaTRuazyPR<hyd6Z{Crue!UVuXO3_!I2)mNJd> zWSX)zAf!n238>SbLd+qhPy|i!6$?|rC2-YL1nO1?^+GX!!+OwhE|cC_9gXdMDWH+l zk20)VO>d|VcNz4fp_Yo49%R~%Ow-lIGupmVJvdc7cgrX6sCZBc8-n7cx`tDYzgn+8 zmv~rIVZeY@nV7!Z31-nA$FE4ZQhj4ZU@nLxZen~Y>)XZ*H4HGyYnL0#pykfnD9b!2 zd)Um6V+Z+ZE?}Td(qp=NF|<ciR*oB~jeDWJFct9QMUbvO@L0`GT5?(vqr7+Wu1^(q z<5;pA6~vDn4l_jy2dje@AkhXrv`@?qJl74X{QR)5;km5O@J2S#dRp;Dn(Ml>q2&s% z(Q*uMT%aAstBrj~6jy`Rc|sF=6`d4R91@zhwGK84?;>3YEsr{3Q5nfkI?W}oQ#D7( zQwBz=c0zw;ud6p16HQ!2C);=!q$}HG3`K37o`$0$rhxYk8Rd#M{JqyZn|{p#mceGt zXRYLhJUuy4?}yes=N<74p$&u>y(Fv&WpWlfcs!b$c<?S)4j;VhQ7_Vx0fcQqubS0| z(&WtO9Snu9goTk&`olUsSpgZt?TKcS_M6LAi)ZWy>_`a*d}>z-V+#)fPFz58z&{z5 zV|4Sh(tk&|jS7Fjwe#sFu1iw@UXOm@1V(PxpP4%w^X7HK5CZ(jwy#aEK1Aa7t4|Lx z^9GDa{L<Aseq{aV8QTNcGxUxJ9Q4nr>*sg73oQI)-rpBA&(}!cv%Fl_P=PE_NEUR8 zx5!>G!Bv@Q{<Lo%+O3WoT+m(>D#URBxu2IQnHHT0l+GRo#Oq63QPyZc-kmPw?NjF~ z?f`!HeX8sGIP3fUxp~W>=*pMc5HsxX$2kQe@uUIjex0;ymRLsL0LvSsYdUnd=D|-$ z2&XC^t_Nm_W|ltT8lumbKx!`&BaDT%_Mo<;uUnU-Pe~mM7>uYtqCAL8q3#vT+UASc zPUaCgCU?MPh!#n-Lk2lHfIJS1UpQdj^AkuMIqlmSUWgxRul5TM*_Lj6s{ZOkLx76{ z-9SY1!L@<}Ky)O&oZdzs`Hv~1KrJhh)P%9MMSzP9mby!;D&`PiUwInX#}H)Ne0aQo zMOECixcc3=ifBOE4pATg5@U#K7eHFoFyF3n1q0i7nJ>h3HksNPRPs!KWFbcn*v64U zURMs05M}dHcopHlR6mu{3PD7I#;=ACb&><6WadNpKz(@$?NP^pW_On5`X1JWJFr5H zgNEM06>H&8Ge>92XSyd@O*nB3xS&?QLqQPjwP<^4bSN5O6*DOkm2#ws*>1=bN`lNt z_S`?-d;MA((q)8uwx^zJwoQV)P35J$we!3b%IsFwF0u<6g&4%0-botDBeY1)<T!bZ z<INSDwNq1v4{c_KpXx-L8tqeqZADPVW=Kk#p(T8Wx-JQo(SMIbRJfEnc_oJYmezzJ zEF>%eL{;sCB|5_bg1yIp3`x-WOHQy5r-A-N&;e7jQ4i`AwY_U#f8T)KI>niXTQi@b zWH=GD7aX3T{$loMU;^xh*2?JCjnU4IdhTl9gy;s<uDsXWFHvw}z?ITkv8jXYxg)CU z=!RUfwcS-7WxceHLeIZH#2<Th@%5U%yW4Q@W@-tg)^?eu{1W@JN8y*ij|a-&v0?Jc zG5GY&1#-&_+F6<eH*Q+AJtvm~P`9i?QuymsEkdSjJHn6+_h_!AKId~5qhDV(nNLD} z&gFuq9q@<B=IU_WW(M)>lL7;#bB&+o>00JW+W>Jp4g7ApCy%juGCO6S8Kj0`Huex( zod)dIS?B1%Ghthd@@ct>z-}mi874!=6t{P20@Iuq2L9?O!LW6B`l1_Re1u+O)7t~H z0}9<AzLh5C?&5ymWe}9j+k7gRi+bh3f#su5sNIw`rMDJj1t-F$mroJPESca%AoC<j zOZQa>Cr3FuEY~(sAsvxtZ_v-w36<_2aM;SE0pG(2&o`EkI(%uG`-o;OOGtWJSz5$V z5MU5BPL9mz+bFb3IN^5WlM$Lu2&U<cJ%~D1ryS3@+z!MgX|nd!DMX3(bdc`APuB}_ zHO9dQM9l?`jxd7?Mos}{4$hs13^|)2iqcr_b(VNtT3g04o6hD9T2U*{7hg#DN!_ms z?ZG^oV@kyYG3ysH6V3Ae!B6PZMT&KtCM!Nfd4z;yQ)XhAixmNhO*Ox7;l2`nm2J?w z13VIig$C}!Y?37bv{wXCmMBcfa0S|OVY4dU7eBrB8`H}Xg|L$15eX=Bcfzpow8A0v zwo0pBVw_izPAP3t#WR0y>hqoC7RAdD5K%K!yBLf9zB=_^1W53nhiD1$&%NET_S5B= z{Tt?^sNPSpldj|_T5eLU`wc3ys@ITXV#m6yo3vft`k3aSDGua=OO8ON8OE<?DaoFO z(XyjwfyKSs`&9fUU+`Cj1hXSl-D3cuZe0a!&IS!MkXwAGC0}&*om(A7VO=Iervch! zv%wluvdaK`I;7jCE;7XB_<5<MWV89kZwpq$fR_tj_a_<d^mnqyC*gaw#X;L~aEA=9 z24|iHrHlXJZOHN#)+-@~@s*XsG1KK<sl2PV6hiW;ac1{|qE<bOG}tG!1(<(o7O`2N zWSSaY$~31H@q;!Yqe$7r_KVpSs$>hZ=tm<3pfGlP%f2(AMYTRFUvsL>UH^kt4EC>v zQo`_3PT>#ooX=6eOG-477_a*pz0hx8YIC04Y-23(Ubk{-gLi@y^i5!R5OI<8{1kK0 zo@q~;&$?dVAByI<1C{e8hm|q<N`g40WQNioWFp@llZK!&3yrNeRB%vwu@s4|0PQFc zcpFOCw#dc0!8i>Ih6gDN>dh&fcvGIzg?xxM;rVk7W-M^~Ihe7nTrutF=*N=FQ~t)s z6O(-Je!KSYcp1F?qG?S?k4GmT#r#xbtsupG!@@04cH#VNnc@=6>me=!$M!wC9_DK2 zM+JVXa#4c_q**vbURJBO7PtQJVD~`K-xSnh>Ich4*Ntv0`E7J(FR~DZ3{eAKtlR6* zZv^jv0Vk5Bk?%x_l%V6}nlBwcxEb1l@g3tiX>6Tky&2VC;h@)h<^xujTDPNh<|qc~ zg731PWcF>aIZIxII*W>TeE^_|`n$?M0>$U_(^fyav3OMj)#zGVp`05ow=K7R1yvG_ z><*pO(c>bOAyuDmugch0Ch(Ak5iZPnQzn$Sn*+|m(AOJ?ogPBY`(jPh;ckT(?a41d z;ZW4*2rl39ocwGQX^D%Z+uCU~fyS%m{+T0gSmBJIEVF#k1<|VnH>A@?n2{mCVe9jS z0^1rs2qfC|nrO}`n&$6xc}8IX;QWAUVnRgN&r2>R=<P<znmS%WY0iIsnPh6Dr4ZB$ z;#QG5>LjmMnxZWsCTC7eCoAR?ZwAK9lhCcd#Yrl{NlXU@ZSvNh7ypo7kIFu#s0x+r zZTj&rHPdo#;R3u6h{t>;do%_B^Jg=7qq69Cnwr4TnSXo$z9>52rU~|4pq)Av?>~Sd z&QW73faFKicV_nAuJ!B+PK~XWGpw6>#9Fsc@G5bsr>!0}Kx*$xXRtLgQn#-7+r-)% z^xMkXLp4qj+E0-u(gM|6N*hrin+PAWxyrFtoEy_zEAOFpWl0h-=Pt3(I9#fA7&17> zY0zy8Xa+LFv#juw=+@sd)1G1aTlwqUhZLM-!<&S>EZ3y55Afcja8fwYswsb^>`xtk z<5tqy%23(dB0B2c)QDB8g0V&}H8i%iJpXhUo6o1%Yg8^Qwve#YX0}kwIZrlTWU930 z+@Y6-YA0{9@0RLNCgpn<FuQ#|4B5cEq2FhtdQPTGOPr5#*GKDGWuC08g9B!ZjUqaF zIBj%An~uE<SqfN8gBBa>xO+H*x8~$dc2dbZ;-;#q3!oqEOeHouQkCL8ucM0WJGrXf zh^JK=?BI1WBZMW+P<19+$7?g{?hH2#dg^F6j=?kTh4{_Bu5=n;65)IHz+;~tnE%F| z#<14TS)abM*2UuQ2L1y6XP3sGg{FY;uj^I#hkxV!XXpEmMz+?sG5QDb|3B#4S$@)H zkN~0U5%n)RS;8@V*^=)WcLV~xB|2nRn0D#&ZfYp?0>yC?<K)zhpTY)v@lj_NRJu%Q z_VUtmLnpRmm0k{ZSU-B5hAE1dBe4Etvp+Z+jJ9qy-(ty?K$ggn%Y%g7fEMq(XL(k) zDMmcAV2v0r0Py0zsC)PVfQ(lS28E+r7e>BW)XO-@K$aCji<+*>xGQ5lSm?&zKqBTf zgBat{3&kSmlr~6u;U@-1N=?zhu${|c7~_B@9z7#<zcoPXrb>k@W;%mJ+yGw0pgKkO z5gD4a&Sm>FI*(}!^hHheJLOA_q1LC(Q{7+BkF_^sboPI~_RBq|_tii!Tp+3wtu7h? z47+CoU54-frXt9_5j}AK1HC=|L893Ib1n6)%=Q0EJLp!HjLrO~9XwK&C{gld=G`zW zz$v$m+9;Q|S_R?IskiDWZdxVQy!5($0Z8Fp<V^I3bMJQbV8&XKYm}uebelv^lqU&L z=vk8$g?#RRS(c{n<wny*SQHkN-EdL|&9j?PxYw-xu^nc_ZPr}K4wRg42~uUp3zvbH z)1cQ*3Rt!31<=n%<t#V@+R~SA3=xr6n#WpNtkp5gKx&^=LEJ+hy=Qd<2?EY}p+3g4 z_>=z!1Jg-}V&t`sv%p3WzWoBLWD#b$s)IkJkB!*A!H+H6-rbAo@^g)y4!;r?0#_>Z zBrz@P=xtFPTk&ZA&G!!EcBQWW+hw7v>=@oYwmk(_9!hL5OafS<B<t3EnvFDC{ZFWI zEk7?}Q4()tt{SL6!&DV&LV&4udQ!EAurhgiGn8dmrK92ic8Ap{);*^pTX0dO0fBD* z^ld}wjB0Hel@^#t9VWXNvbgjp!DV<;<hH<uqg5=-Vm{3;v8Gxv^;XDsd}vB`EiMZt z36~xEfoySW9j3q<T-Q<>>mtnePd+f6a#ML@xm*6U<r$)t3p;~hfIA<<DNt?$dNjQr z`wmXOvDI2zJ{c7TQ&Op+S_|i`j7J8YFs;t7Q%Ga>Td^vZlBlE#zCWH=d1m2t#yw4m zA&Gxtipkw)xI@^i^z%yrO)AX_J3;1JJU1`NkVa{UVP;yoS;DmkvTIN2hNGfV)sp!^ ze>m&8`hkG#aK_`j_=q!>uLCSRezs4RHW2mcF60;t_GnN#$;`|}6ol=>%ybtg2Z0Rn zl1(_xmR#MX0bPPIddWf(zBS!oVn^-l#f@|g8J@|3J7sq0HTZyeVeHSZ=mGzO<L`w) z-_Ca6UH&@z*p*V1aBO;-!}b`44bI-boce9HLBPUH_)SbbLTZ2F-#-|#_s3G-jI9tT zw<?=dX6t+NPRh)&MeVxKZkU>0ptLWy7I%*y7t$&ZYJ0*HUyU4wYwDN~E|BE&lM6j# zf?Ya2^k>(1SL|u$)qCeMiQYsmMdAV2oB)5+X|kQpnFzv1V%iO+VSX%IqOPt}u;g{1 zE#>}6@EllYI=f>a*hAq1u3Le&*K>pTRkSrZy=S!ld4q90bGJI9{)1{n008j+=Tm23 zWbWvsYiw%z@8nf;X*+JQB-}nyB5-gdSVpuYR$L`FBxbFubX81n&}_C7lU<s@g=5km z#Bl`}ns+7t_H4uY0f@=DTwimIF%oyon?12&!3FT$?a#qlYeqJiy?%C)FG{P2|2gd3 zws>9@R8FM|zJ<YmSw5jtvL*^3P^)h7?kpX>gXweMZSB@u?y>yz=U$!N-2*v&vw@OR z@ebK#5}SR!2G4=zK84)eb$Yks2An6lbRpY?8I6gR&21*}g@#wTXk~-?ZpQ6>KD_kb zg>CiTIp6*4LSJ>SUNOE09l7tBZw$MTfjzfzQJ)p|JcAY-ih*ATYfo`@=CRuJ$wi=L zx<nemwm)+Rt2`Z^dl~hN`xj2=>$R*hy+=}k=qDHZUBB_vK4S8Zjh{QIQSrOC8s2;K z>*j!4_1mj_nytECcfG7#tUZesvPTi#w5rVRX4py;@*!Hg0=|t8L+wxYnq=^Rgs!TT zMwv{%TLc#F6N)B=T1q3(x$g{c1@6o<7gLyl!4%Q@0ug5bnE%bKLR5Yd)PcsURiOkK z?!IjB*2J^Gv#!iweb1ppSxyNyAFBvCM+a;68CW6kA*bO$)z;2m!(>X0tz{zoraG1; zx1rpV|4RmINUQMu{BZSz9WF#I(mVGAT<ey;eex^~B2XIV55{X7Pv;c_JqFlysXtJ# zv6QuaGAg97lGFv9;0A2bRGga!_gUc|T@IB2<6^Ss={GBx24GZv)SV-ALmakBik`P} zr$dYcL8knu=`<hGpNBFYV_>@97&;me=$@gk0^NJ<zm6F;OS+JeTz3;DxMcLi0K6fu z8eh6WT0}AmD(V4Ph+&-Bg3CwvKr?B@J}_Hj!|Hw=Bfe+4ebR^Uj!QPn06wKwIn)dU z+2asm;g+|AnSNoLzVrEa@(w@isVJ6AjEUdx#CY@0R^R+Jj+=yK7+u{R<V#uqWWFhV zoOB8+7g+JIiL_ZkR(?YrS^;hRT3pQydxQ$z$}-$X;vWaYavgL&TsVN{Oap?=tyVOZ zvr(Q931lM731bNl6{pr0$9km=5V#8(lL%e(%m$$+AV~-0M<eP{5Ldzu+OHYPcTXw> zQwda5D;zi_A}DLY=cqCr1G~DFO(R3K)YhVSM3sNDC!6;TN%W1cG4hJ7Q-F5uHt4A) z&R)@@=ig|(D2w3FbQ<cxW=KW|=NInSi#iM^tXF&~I4(<4D=R+lM}<P*xxEnH*j1yx zfty?+sS69uk_6Pdjk;^MlTG+9Q-c+b_8!&WH2{C&rO9Fl0QsmX7K5g)%NAaG{DC@+ z6s;~4?T&B|u&k|y$1WAdR8le&rZK+n>xQoH0Bg?mXk#x#w2quc#a_|5bVvt&@{R<8 zzFS0q-HrB6_>Ea09<!|vl#4=t%m#edAo@!p;%}My^y3I+F^w)R$CsuBkw_wVh)>x= z$Hy4+kJz1u<vPz-d4LGh??PFdt$Yc?aqEd~ypV#K+vl3MGp&kNG|C1$!I<g_9@rKs zewl`cNxF1Cc#LG}cem+&*F*&O47EH*uUsyZS9<vzhX7-u@^lOA0ekx!P9I6m{kR1V z1pPqJaxy`LHY>4ip<-7qnt9Iv8#4f0&U(wm-xF5|F(TlgfTqph`z*P}OC15zg#AYT z%JGyzggGa;N&n(AZ+S`aq#wfWqMi@Wt3NYHaq%3XUEmmugO)Y{G-1AT5r65X;&4WQ z8J8rk!gw>(4Hy6}YMVD9F1h67tr!I9Vx0=zcr26%q{Th5BVh<}P^Tgww5ZgiUGZ_4 z?#0r&k%=5c$8qlMl33}h{u#6yNT|z<jWfvubCTcVWRtG|KQ(o>;%=|@Bzu5`acdmc zm?4J{AgCKYaG_i(xQEC=9&5g+$^t^76{Vs0ES@o)`x1nss6-v6Hn8K?fmX22!S}o@ zCS12bh*>UnSBwwVDYTZ&Qf@r6>n14$F&fGT^l$<%JDgDAgnE&h`bzc?;UqDR!V%yS zas1*I2h*xouPPhUxd7XAR7f78^ZMiZh92|Z<|SL#7##!!Jpkjw9Rj_wmf61Q_zGcr za;{M9M!RJE5x)r(tB1|TgMGuEAa>kCY47~U2B_6zsoI59IMWRIzK^ab^5auwYtZPq z^?H9kC=cUubLx3&`^J2Kzh51vwGdL6Zs}4JH?4|Hsvyr~w{H}jc;xe*00R+)FU#!6 z2*pUTkY>rr<uXemL^9w=v4)!WE=M6R|0t>z3O6zG$Sr=H-D6Hh01?{4KwD%r$uQ1V zGaOHbqc#rUg<9dH(9umU2>qVRvbLfzjG5A8z+c0HH<4;kqz9PXqV9R7pKje9QWuRO z_}m0#>lR!9K^OO0tqo7I+UEYe8NPfSJij;oAHL49JG7|D*0F8dwoYu@wr$(CofF%( zZQHh!ljNrRTfd|Gj{OhTUZ|>B^Ql(8?r&PJkC*F9cDg^dw)4al>b#0`lUWCF@G}2U z$QHvb5zDUPH2ln2f<G)mwHV{4V-wQo&~+|h!b=Vh&U5>n8l?ajUeW256Z>Dh$0XES zRp>*H%e@uWfnT7-o~B$Ou;H?XGH8ePHr*41632u))jAwtBZ+9Fw*j|MK;RHW=Divs zjbx4G@}=sC>(mgfG%kYXNq_zl5p9tlDjovZ^d=Xm0_6)P9L!SgD91PmTH_i`2gVU4 zHK`fh%>z6MKXGH(-KtUu4FNHP=+-}K;o#)fZFbqk^IeWI!=0y`g<wC1?@h$>d%Lo0 zqGpw@9GVj?tJmiLol<`;5CQsAr+MSl1gJnxPIxXR)t5Dx3&PbvmcfCITZmLvd%$7n z+-KZAjNN4;{d7|6zoGGRKrY>BbaoFlgnS*NEMwab90SQcz@U*rB$}}Hxhi7Nx2Im# z?$mM-<oV7e%X)=H9SYaB-ut<tZ?kIR7E+!w0F{b(a2+@x98N}{;=wYWHw8ksO;MV4 z*!R3S1`~a&#&<~WgXe-2q&38?|2v7TxuBTK@BZNF;254SBQaG0QA27T%?OD-4u(;q zhS;8sg+XW*Sr$bi7g7Xkk{pdj%4czTK}b)qvfeO7STIxy$s)s$bxD06@y9Go(6eRe z4Yf`VY@WN`iBBf$-uBBllM>y=ZK?@;Ds*MA1?&l`4K7uI#)-I2w0LkEfy260`cM%h z!ZNgq=v#g48#E>dFGnQmEF8o=)8aF9*u;uOH9hPO4@1QoZuggkrO>$W_PBS0t+G_T zms;fCG&fUYAKlnSdZO6=ygQ_m{ypcfyxV4tJ4)%5VfSu7)#B3Q)L1gRXpUOu4H6cZ zPJ`A4CU11;mcK}p`AIINcMOOsVTR$Q9wO_PyARsS?eq0;a2&;q4hV9NP)*p%h7<Ke zx`}iBxHNjsuGeLCa{Rn!)}P~EbNb^3Ab=XzckznwS+<LWF3N}Sv-pc`DUX^}t9d}7 z;R*d`v}3Y>8UadN<7(>N9EOf*4IZ&Yf-jlg8HexQ3)rr+$nb2`&rM0GwMmr55Kf5l z6wAKODyD}w94mr(>|6!aIoZ?!Vj2)>rx*q;H;E+U^0sv!4M88Zi!d~KfaFNU;f!Ge zVnhUPk%hV{w3G%fgg?z4SHpcloH$vjE(SRxsl1LfTQ0bJ?(#Qf*jn6rdHSk4_lSRl zw`=9az!QU+FSh~a^T2}^Z)Kr<gJd%uq)6RV!J<k`{+^i<W;~H;nj(l(?{}^ghipP| z?@{1o>0%;<`;3+C)~w_H7zQ8bh!_BpIbuBEXH-|)iAIYs#KD9nS6;qrYO%nQeuJqG zhR@FhecR0KLfCyLir@94j*7S2d+#|aZvdtcJ(7m5<m<b<wir~A=?ReuY;TV3fMFe> zTiD3UU+Yij)mHs+!EBP~@}{Vx_fu>UM+cyI6>i1QYN9+DLr)K)8hL~J-DBiwWHbv= z^1}gcSuDOr#k4PrdlKAfDHg-~SQT7qzV7-C74JMcbVG>^&kS>Sh*o87ukrH;Z0@8} z(kL|Xpo&LPc2&_k$@uad{K+ydXgEh0D35vmLlX=D3L_qG=yGpee7=Jd$~ZvLMof3+ za26Tb$-?-_{VgL&Bx=6sYt5ZAx{@$^+{m8uWWje7?#<KfZ2J5z2AWHI9Mm8oDNRm1 zJ|H&f)1o=c=7zYefSjK<;#47j_x`BCc)L2WQB#Kehg|pa<*-&lE@ETd9R_SzjIC6a zg)f{T!rFRxa+gBD-~*jVY&j|aTc*BrX_00FIrLm|ga%6eAtF&4!+8n(Mj|`=nM)it z)?}rS+?PNA^YeE!N2j^f>~Tv#S2W@Hy$(xbjnx~7893yTBJq^XPVUbQ6yc66+-pgy z`*w0=t*XlEdSEG1+DKYcHW#Q0y)#?tFUy5oR?{D)TC1}ZCI|*P>>zMG?hWN>Vh0{r zSfRBBsTbeu>&emE`sX8(1vx{+I_fbrZ3+Z{_~<{n44BB-!b9cib&G+ZH+y|I1eU|C zL(&=IEP<~=PaK$O>2@H;bNgv=gv#Hp4RL^&I_a0D=y5qgiNE(ph`V>VERnGf452Bv zhD~1}{SS3IE%+?8DZIdO<RuzMp$(#>&-@EU+}K+{2Y$^yEnB|gPE+ua%Ctjev4RNf z#$ExT=`mVS`Cj-!&h10R{efVtofCfZ=7cXwkp3zy$&+mQ*Eoxm3d56aS>TuSPAZWG z_Ohy3b7MNLSLs#(6=ll6A0KuZk>-R6p-UEHP3d@YBH$wiZ!AEtS^c{5ZX?P7g>ArA z;MO&M%zY32nPcNp_>r)L*b%2>kUPHP@-im}84(2?$pPnSK_NhdHCYXYrBko?$>r+f zDTjtBrI>-!CL!5Ki#@J7`{ivGQ^z{eSfzx~72pJGmx#X<Q>+-LOUU>^DB~N|oVm%5 zo`KTilavCXgG^QVkD@VyP8VF2mEs_e0VNH>=Y`hbD?zko*DHhMcz+-Q(Q(*OG5vW^ zd1}k|_?r}IuQ9PdvnX%tI_SpoT9^E55H*W2TeELgF0P#%ITtg(24i?<^dG<9oUx2s zmwcI!u{y<48wo3S_AL;79a94D3=5+vba{Qe?sreu-)rq=^?KUh&X2ME-Yo8oX%r4K z=^X^r5US$dZb>oFZ)SIfipf2&6AYU-bMBB;riN$5rw2V!{xNfDlXWXRoSh|&8aV#i zJyIbOc-;GdvN07hRK0&@G-=TpnC4?XpfQO<r&XNx8q>}kRJsgHRx(TU4q(dp&KtQ# zdG0!F)QK|(sdw3;QbuT7uT|7nN~JjOPf=d0ob`wN<h(+PPc_$K+-Du*LKeH0Em;?7 z^;I=c^@|DVI`+j7Lo6b4s`t_t9>U36;vZ5AmNaRM%V(T)$OKCFp0<7hw_gyR@UgB+ z;(h80Fp@~ed~GXg7OyLckXc2rmKpq+$NJWpL_FEB7}>S0R`LxJ@*NR&^f0U%oqS3~ zy;Bh7<V;dMZzWdd>{GRL7!On<tNJFY4O4O;sXma&8u@%=irY>q0HcpWs6f)afm~%4 zIjDO8B(WM6N)%xww)$RUIp2aYVw=)kh<D0SE~wEN!b~YFA&;ap{P}V#$(&n*@hWJ( zZEBmo7FF2QvRS5hW=sk!M^KVK|E-kP>v{>7qB?;LBb}^-y#tyP8Mg)!79m}E+Q#o_ zS>ugXl8Cu3HnraUxoU^0yp9b1rXVAN^AY5+&7q{QOi28S#fsB8x37s-7sC-H+ux^1 z?A_xK#iVcU^sC|`wN+#>VdVKnA9CD$i#_;DYJK4K7ky{uMHk((4k=*Cu*h8)+CZ-= zqU=*P;OgCcwA6+8pd`fUdXV#ka&yG(tVM^LfjMK`(&Q1Qhz%<|(n&O>MoHtmu=KCq z9Y#2Jv+h@cosds%el*x8CT8BI72HdknhNYnv!HU;NBF4_kTvIw1JtK?#f$>Nxa*&h zvfM2F#=zDM#!JQ3B<e&o5;Id_`*Vu0(?eQ*3Cx%zR%BsWhh8?UhC%xs&v>ey%I5iH zB8(^zfDQewJu)eihOc>8rP9_lVVAU?kLe4%;!RkqmppMgpVC0KPk8H)#3#vhCQyQm z<gXABJ@TvBdzi(f+OD!a{Bh6lBNWa4)4ts)e=j=spMbPodO{{7ZnpK{?i-!~y4J2} zgd%T#84W9+tYkVV5iOpTndZ_HJ)Bo;ZvE^~oW4_DC3@l^JnYVf@pGU#lQKI!gH10{ zcAEXql*8*K^$?5wWEKuYGfkwj%u(#FILR>b2S!V&bIS_Nh<j@cRsOk6fhi=<(<TeI zNg9NN31V4oNVGO~XN(%(akUlTj}CvpXpEfR5QM!nIK}8k#;pZ$&oyO~4u*_^ip<bg z7XG+U`*~j=1v`fzy->WRi8)8s#*tT>z5}v<U*~oY1XzQ3!;4Sf*LSw#TdUK@mMosV z3h`w0i3y{@AeDfVm2rc+hj*_}6@g1wYuxg^)Z)IK@3<5wFVk|kd3&Et=H;Q(C5Zd# zYsFHI@lvpC5IhL699kBr-7;fO;*!iA=)Ct~j(Av?9nG9%K1u&_ou(mQ0j7`-)TNTR z^F~5C^us~5T#kn&ihO7JjtU|*s~FF^2McQiJFlNJx@L0f)JE0B!b?L3ni4c^jgBKX zW?@yn>P_j19ZELFpM2RGfc_+w!a2c!sd!Eg$6V2K0HAhv#S73v)3nMKk)478=He*` z<KIVe(|EA?r>WJsT#Gg53Y7?-G9f5}VW4sA%YkQnI+0e>4vAc#WuuTto-M~D_%wIo z@oRFj0$QI%UjWNX^a5t|C=^~KtG6Y$PD=M~S{BfHbvd!0v%^;B(w&xG`QiH&wZf^X zNlItu!W`w?b92c5T0t-m>&wvw)wX!<%nf6rpPo$R!9_VjKQQ*owCYfXGK*HVUuY_6 zKyI}KVDio2l^}XYGI0#B3d;RViP`@)@e_DL)ZLN;tmQG<D*lnJMzgF}<X-xb%BRr} zwlT$js1Ow>1_36d>(l<39i|S1!N_$`LGV6QA6C>w`t^m<>cH6)Q<RIkB9L&GC*uP0 z&x4v5l0gt@!Z?jekYb+;%cK)GKmO63i@@UVCHq2R2{<iDKar{Mpi9xqtt~5_ly}(o z?@I-|bnfHCxO1KgB_|?*+Z*=&!e(^>_}NdRu8jT!ggHd;k$$QM!K{c3xpFdGzGt?0 zz=*n(MYtl!!`YbiIxz3#29;RW7XZ9%L&3bKQ)xi^+!N1K(IleY$|+5mZAw?4f;F#- z1TH3;=sdAZQbJh2dVh!K`+ar3aUkc5C^TI}y8#a!zqekHm;?DX!YgmW+MD@p<g67} zR@`2b4Y$I)EVqfxbV{Z{L-Jw2<7D?P!A^cs+mCf5cb_I6*R3_akpE}J_Hw})jrUh? zI{Jm6{(mdBj`lXc726o4N!v{Zgsw|!G%A?!G7%ODIWW&Na1`1FBL#@2rql?<zkOmj z#ACf~<>096viiEh4rXqqW)kzR8ysaJE<2DG8pWHbm6_KA3Kkt`ZJ;*7NhA`a?ac_p z9vry=mo`963oO^Ye0g&i3dC)|f-zn<#aT`UVc_2+O@O5ZD?H}4#Y<uZnKlb*ZAN!z zsQQb^g4Ztmg$+9}q^Nd?;*<z+sG5MK{ASK!qPh784G)Qbsx<U2bNk&qj>w@yB~1l2 zMvJHVv<`v_A@C!H)hqkV!bA}dl;g3x`ZL!)1)Ividy+7MH4vci{Jzd$Sq#PSEKR^C zz!T$gj!>ItuK{BRaQiAVDX3&LDVd)b$JKha=To&AjAMzv<=qed);n)S<iro;sIzqJ z#<v$#ZWV6D2|-*g9;w#Kz=uLY_fTikSw4^n3Xv5d9dmqfXGzblNC?x8P7@th6<WXZ z(b$Bkw4)=<qRLeJVnghDj$k<-W6Z8H2DzX7br_x6v&=<Z2Ww!;+7HO^HxsO_h~!kH z=<>_2vKFD8lS|I%Kegx;_Va<~ndC`(BFB?fF~p7%=Udy|$b#y%Hh4w~ebKDa9cieY za!9hZmAsD>l}PKLLm!XYdIqPW;o7ag0XZ}Zu<An3*UDYE#!~h9vKkTsfqFI=y=8<I z+KoQcrkCFb41K)gAAB;rv)fW=G}oqd!LaFL5V-x|#Gjm(X^UEeR!B~iO*>^u*KKzu z7TTLKyO=h4$qEy?Nmuys`=48nAld~5<yY?X`Q3iR|39(7?N{@(b^31>vqHaZ&@Z?A z5fu%+ELgC0QMG&(*KPfVf<J#nFz`TF<@H%gK67Bi(edgv_scrl)Q09sd_^O9h>J%? z`?(6X{3H?zRbvliV=vuAgPar5y26CQ1~N<u?EBdefY^J2DD90lvrIQJUI_GFO+;F# zCWev=zew2KBe(QzaJmsCN#0crvnsTbO|LJ;wL-2bs`;_JMvEOO%kHHRb<wmcVJzbG zaB}g|w$b)tAI3l(Z41--E0Nn}RmqTc>ZckP2_ftcoV<WW@U#PE6x59YaXqbSR=7~T z$~yd8O^P@IaTPOFe#0niwx(*2qNX&fcuehkQjG4&Vp~`=Ypcy>ub8O>8z8u{Z<XFu zj;ft@;+XG$=$_<QG1!2=XE_)V0D$2CSX37aYhyhlYYW5Q13j%S6}QQT(DSJ#jSG?p zRU7$Y-WP`ElOIMFMmA<p&tPt0%`BAwBym0R)5H9iWYUvF0|azna^hgh{v^vTv?xWz zrYcO4YuCM8TQ|J|sbdO0M)|l${sCYhp#GtWOH&D!WM0z<cg%eM_2#ShEb9Y)2b<D4 zaiXaNN6OP^Of}*;H-rl_X4d?*IsQe1Yb&qH;$qoSg<>B^TSscWHlT9d6|`yP(&g>* zCBi$IG?0%t*&QY30oaCPPlH=xQT+}~5_u?Al=6}0*`gDQ&39)1wnA0C;Dw-%t@udH zfPU|M+(Tj64Sc`uFS6wl>BRxi%>lP+KLD*60im{4Im0v(7i5ks_xghWkzrFZ__?0r zTQf}o6WTr^eJqbrYvNhUl9&*f@qY3A(O}CTAYTxtw>ENgoUMS$`uNewW#WifqDKEh zjz$7BJk7X?u2zS}e;Qo&W{YKs{)Kb3rGlgvnFNJtM~7V>jZde0?Zn>D11Yf!g@SP6 z{zQuYoHLbh-81{$MT3xK6)(Y+t=@EDj*2G)OKR#E{K_~f9GsqAf=i!3g)}A*@&YKt za#kl<>{1X0;Dys(2i1kZqp9XY%+xgR30%sfuur{>RyQ2k$!sq$b6_>)GyE5oBQGN{ z;gvz#{JeYxa!Ib_<F-e~^=bt}J&ai86$03De8psVmq3fEhJ!a8y?|8mAsQ_?0Q#WI z$J+CykLrkQD3S}KiT>r7R|u^pvZS@+hp<)X&!27imJ~)q;~Rz0Cgqdg+YR5Wi^P&0 ztX-jS-`0S}E7yDDs_cSGbB>~XI$_cb0-Wh=4r$M(`u{}lQU4L+l?!4~z05(Borq^F zAeWoau9o*MrN=#eXzEeOLoqqSTW(j+5(C3%fE<;^8?ESbznKe!CyFg}h6o-kdodjA zwWe4HN?EWG9)!E(2qyo?uC0j8D_KR~H87RJX!h6wPmD8-+Gak%-QbUqyhHmC2w%Ck zKKQg4@+CRL;?muZh^GS?9d!Ls8kcucg^~^JfPQXs2Nf|xX73tayVnAq523rq6=u91 zCqo-YU*utU@L|jRVSO$N{x>p=jD*&Kd>j;Or9E|ch2dO@Z~N3z5Yp7p8pH19oRfgq z@cPbm(pjoPzO`Y>C==8ulJ@*b@l;2VbVx2&3j3HX6D%<jsX-+2_-K5<O1iYXlJ-7y zd7ORlT-^o5))S)D-xs9`UF)D)qc3A(XD-N$H|h34d~!f;$$>ZNlTF4M#l3g*#gDRk z`zhs$w`seVzReO-i``3KybZc}Us%xJk&BA&F~*%yp685lWQrsP#&<=~?YAaRoLewU z{idWzrjC7TKSV2yIkM^66T3>8K!)Z<Fdoel8T&V;`v~B?vwu!Uiz+XugWmz|1BC_| zE0;XjeIUC2TN)51333Rg4t6Hvq#G%O)k)1`OWZV49=(Dx!HKz)eJgj~_Vlh?cPo8f z-B9CIqgkCfk5s*`OT57(2V#=$TLTTdunzlMT{U7^1N*}I<;WE=&g32mewy+F7Y`kj z{B;KV5yp!2`H<`GF|=_<o@vJX(3{|_Qp#P!83!*8<y;H)w)r0jO9TZ<!6#FU$-gm? z0+cwUkAw^_H?dbl@4qYT4M_TK|BA`29a81QkM9CPv2$fbqj4GiW$)VJcppwzxY0*k zc;hU75MKg)hkhi}(|#(hj4S`se3Jg}!3P=+0KnjPa?<}54*mD_Y2yB0@6k1uRov#t zeW&lRD0q<apb_5p5_C<-p_pM`bCA;lM;lH!YI|aOk$9?<Mk(6YZBB+yQnGW}Eb0tc zdv;F7@3(5(Zj)7G7L%QFA%S;gv>sJsmpK7zy}4dt)lx-a(t9~6S>n;S{m>zv*4aSC zbkENZaS7IDtWiIC)rT-#Q6(H2XKK0A6b2(EHsr4feV7waHO$LwB&4q{zOz*6XfuCf zylXw_2mOcCz-rzMit2Mpj6!&oHHYO<FXMidgWI2#U!^g(Tu$++Gj%9!piqQ%vV=|k zcEV(|bC5*etibr4A?ta2-*RNntzY-4d##1%61ycSu$%h{o4?(Xi}b2Nmsv`JtV)~l zJ0lHMFOUQgSV5^#u`}H%)5&sC8bxFs7*JOw41|DW4dRj==LdO;%6t>0Q?kxSLxliY z_iVi@QD(w+C{oA!@w(Md#)4xK<(MXlczQ=FhWrbh{?eQg8NS^=rI(Z=u@@=QC{72y z%G$NR<)1D?`z6R@GE7BaFBV!qHAAQ&+6F(j-|NL;9KEe>Zzlarrm{a;@$<vrC%c{B z*!TOv$)PnHwSLa}+7*+$1{u3bd-U|2AT78u7|TM-0Z*Ux`ZH@5de>&!vo;_FrKU^i zFkoGs>_00tS0MGe35QH|6>nNhjES(gydEQLz=btvc+3rD;1zXM@c3oL7t$)#c(%<T zO}!3-x&b6u38r-l7p;0>yaw~G4Tu;Oq8?f;D0Q?2H7Noj$H6}eb&)N?l*X3x&zoq? z7vn4<s|fTs!Rt7&L2`M#_4p#ozWr-jsw^%`jj%s77`5<KG$3Z5F#rv?3!yR~O&V%7 z>^_+#fMj`BHpbRO9l)^%00@4MF1d}9dX+~H0Xk@5nRb&ns7~#b{a_PVE2UzM6&5#c z*WM0+Ym;es_3d%?zJ@EK@KCzz!VsJ*k&WEY5Z(tRJzSE+)6{_2M;w>uHMH*ZhVt1! zNGT|AyApJ!%*skD&-!SqSFjvVjKG8AePgK$v3(OCLezUaimu4hre^FhaVMv?<fesz zoH5b@Re?T$Z5O<X`2hmwGP=sHL!(EHo%@NeKIrHw1BF?6yWJBzes8P`OdJOtcdLOv zL!ibYpz2gTI%wJB)MWF>96%JJXd)X$`Mn2|4<2N0l`8KDR=bROvvvfD{BM0aA-`xw zU?`+6Q;usS6Wx@qn{}&49^F1`RAK=6eHnEyzdcF~nq>ywAZbNo{(cBd`Z0@bU#~F7 z(OUY()jVI{ukXW6_*?W`8Z{cp1n*$=r7P;K+TJCEWAC7gB_fpYFF`6LBXJ7JO(8_Y zK)uNh^OpyZ*mas({yDn3VLEAZG=-Y&n%LqpRlHS#l-qHI_O{3?>Qfc}$?4CMAO;Ae zT1uOK7hT;{RtzJ$=--ZO08XB4hQEmy>~ozznRT_-IHM+(9*y|m9NhnUrn>j-^%k8a zo3<7jdd7_#FC78Bwjz%?=J?ekwc-PG5i=p*QKB0%WKj;s{6%t40WS+d{;K}AlEt4d z*HoC#dZGZZF&{EULg5Rdhj<w{X5z(7|Fg&X%Rqa}&M@gMM{1qT8@oUeZ0+GYyLyze zK=D;Xd8sbf)7|m!#1@GI_%Q%d6l*B?m2zcve@jq&l+6-%3r}8wq<ejwLJ;>06Ge)y znStd)L|oJLU15Smr5VY7E&{c!h3GNpsD9%yh$Kle{S77y%#Bq8+0;b88YR77X<xG6 zl_5idVIS1XpWD`drX&ZY|4SwkP2~No<`TrcBafo`-^2(6?*M2`Hv}_)R%rBLH+?k8 zlH>qyl<m5>gN))ly-^6tHerxXb^enS07@kOQSeC4vLH&L;oNdMwQ%!ozBMtxE&;|E zurk;I|0TaNWQd?$UYsjvp;Xni7xp$Y@T^Eq)@>(gXF@k_o{a}~jfBbb_p283JsrSM zU39$(6MGO9)z^9JX_14yXq#!|CP^H`l1_>if?mRX3(l2;og{{j9QAY^TS2vG8g0-A zao}Bs&%fj8tkyg-^*duby#CQXp{hID8$9L^9}iR9J`c)C&6lp35Tv*o4fMm5ste)E z33t$kBn<N$atv7}Lab(~=6D$>B^4+f?jINs=M!|I!m2(}lQR4bQWcF|rN0a1kLjmC zG>v$U-nrX-zo}+f869!_NrkHtOIiQ1YdSSoV~NNtSs3BcrtGNyAP7M+PSvT8QWPYD zw7T8x0KBJMf7;K#RYnV<7h?5nFkD1N-gi$HAX$qs<sQWM?mSy%dDD@g2qnRM)IwA| zIkH&LVdN3tQ!m=MHDM+Zn`|0o@qbS^VOQwe+Al-Wr*b3;gw^+nqPl9+n4&JLAYQq? zMVh>8rv}<P$Z8$v!5BySRH~O=kq59Smkj6+v`--_8Ltnwr<@N=4O(MOWSCVS1K|o< zP#=(<_#cocmq62sDp|Z}O!~qhNkVB#>|YANSeLHiN(H!s?c(qVz=zM;9Sejl@;}0n z&<pYwW%pKhqI+>tx1x-LV`7J-{YyiI_vZ{WqdV>p2@fr(@-!6OV&lP<b?-59=nWM; zTaj1XUzFm5VItSZQc0gado(<w+}AZ<V6N#M>GM`P<r%Th$~)<MY?Ce{5^-oLN!!HO z35^M()R$cwsL7&=w<yI?1}Bz@dQU+ae581U8qwlqWa|z`=m_SJB!*Ng1Qcc%*y@dj zjHEkx9-xr4z}3pYd_l4lE931zOtOjwxY)ruF+c!$Np3R!hD~6W&$xO(oPtA!7K_2i ze`RjvkxPF@jcs<H5-RHN95}u(P6m~pZsa1w#79WDsOs>4>o$HPaFZxM&ps<OKL`kt zc+<UENOAG*UWb7;`E3KbZB{{@--#9#<%lNbLo9;?gzk)v2$8Xt7M6|}=%PUusRdTE zp`XjB_RjG{@S7$|5;}qHY-wn-hl*Y~qlI=b^Ki`D3W)B(;G-Avib~#!`a#+NRA;<a z@bDd%!Uc^7&s;A$n|-qz%mToSTomq#0mysVFUJOQTaZU@l6l%Yr<;L1EzKtb&+Bx6 z`M3-$9taG{0b1?L7Zh2Uij}J+H?Dyn0{{r+<LO|IPRfB<U^%3?NCvh=pP0T{Dkkw? zU@fg%ES(kl%KUAyh|^@kb+C`VVbDfW0bynog}(j~QbIiS<=glO?1amGlywPNI11V| zSoX7P7X>d|uB+hbeGMN>y-SJ>`Djq?g~1rY8vG4e2MUMX9Aj^2J#VN0U~sgM^kL7L zk=I`vx7?u;-FXB?^hlP=n-m?`DwSQlL*ZvqgBS~q+?IG#ZBnZg_8@p=>(AFU_$e`q zHADbl8%_Mj2Nbo90C)-Iv%rSv&UD>6s*+!88^)@sfv4EF#=)N9P1pRL;md{r2gpk1 z*|cIg#YvD4da)P!bLqa?<y@|C$miRj)^Uopv1roGD0I7qE@*>{fAu<{@hmn4Vp3o0 zdryYc!V;U*(nq5bU=_+`o9YP-Egf*gpZ?G!o5wA2it@>y7ogO&->;EpVoYx5M|_{^ zkeDW>!-e_I5ZVxp7N63mC@sQt+E(nGttxYRMypL@CGM&q&mw|zAyS>+$%5d`1o`JC zY<iKM{!--f&JO-G=)!~CDHMc>VyzX=9zkXq>&d!_if;($7Nc8C(Eb8G_^<Qn2ZtG= z_DC^=-Q7k2gNmmxYq`cE;G_*c0>6|YSqcS}3(?QH_W*Dk^gdt`t!YfOtV6MYAfsM_ z*eYUu4`m&mysCZ9uK)6%Oz5V`EKc_PcE1=zRlYxIOyYc3SDKDj+KU3!DpxNiH3ZW9 z2^i9u1S$&h+xy!nd!|j%KkI}*giAQ8FCfCIha+Zc9+VEmUGC8U8}!Z+%Rzhzc$4Q6 zWsz=nNL*Ye<`Bpy??F+c6c{koFA*P`lG1l<QOzKA8vWEPox#<mvT9y)UIF-)S}6FZ zsNdZ|@`z*gMP1*phhBfc!F@_u&M~e#95xpL&Wla7J<8~8I}n3bD0GsdVo6(vqn)T> z93{jIna2t>H4Isb;rux7aN*(rCQepb5>Sj2%lgbn-^oR-Vw33g>eUm3mE#2WBfHD; zZ+L0fd0$9~+RQ(%gh?SgFLr~d#UG?y%~Q8D2IQlfUS0>Xstz%CJdSNWs8vJxTuRZh zwm@@W%mj4nu!tCu7xtIuwj+<Bj;X;6;@eVM1s(WIIJ*`)4!lrt$^1^NC@i~+Xgccl znqsbG6(6l1v;|P5R@qRs!==&u9jHxU1L@y^xR$zW$s(uszEDmvHVH%X3b%u@_17Kd zcjckc-zY5rWOJy7?OH)Hh9isjRUshxTAk}GEB;??0x50#Cc}`<5aHL@y0zz(X+djr zGwN*R9j0mBUY}pnQCYjOQB*8`^yLjmQb2$*lVrlkkrWC@m}5p1kqALa;s?-um9SgS zf2<UgQ@DEWkwo3r7OUkAV!8iGxq{$Nf7?09)pPpPke1c_)fJXdlkKk#60?3exv|)F zb7p?cS;ZalO)foyc1H5rS=PHJ9RXNCS>}*;+AHodrT&0TM*aR;jw(>kBa?)mO_s-} z<%6H)Po(oahd!F2t5XOf*zYgwJkenhJSf)f;*yBLkDAy`M`lk^?nlP@`}jeo<})A@ zYLK^;+dPeb5`_XfFGVwO7%sSXCk)IK+hFn(6F{SOJm^-D0P6R;T%(S^bWCCGona;A zp5*Bt8kDR`Ezp{ck~t@F=CZHC{N?`n@4^=CV-&|(;+giw6=f!W-Jqp0DUsg#x}(Hr z?mzQLeo?_KWM}{Y?_Yw!|6%1Y{O>%{-s3loEY{SrJ8D7o&C}~&Qy1TusyII>2h(=8 zqYNw=C(242u!6ve$TX-%R7q&yf&3kA2WLkl60>Uaq(6J-=<Yt_R+H(9BGzy_6nl3_ zAX?04r-@_Jrkr$;Lvvr7RV(5*E2;vkjLYU~t*a4rnD8Rgp5?x(JQyJ_F*NpSTO5C* zw25C{!2>yrw>&5g{+bh&%z-V&=n13^h%M;sXtb6hEfa)C5rBs6HClfZXQrCWpn^Bd zlVp3H0H?L^0B5@Wlj@pi!)D2?V*|l0rHH%Rt$MH-$-_nTa}?J#S`X`0wVprr>iG}2 z!LNB<_##%4lb$8{-a=h!q`cOiC9TSe6<gX?g4lBSZ{liiG&1!G?wdAC;FBP(dvEWW zHCt%MqChOv9oG6xsU{IRIy(Lb@U_)S{1okExC*HPIMl$+rL85uEUe0sy)a%ISA4*V zoAd17_7!??w3>WkVn=;eJI=YD(`5O?bzIb%N&RtOt_C~+0`ZdKOmvO%2p_{KI7|Uz zgo)QXv!g!%!Dq}1kqJ1U*$WIJh(w_=>^Ue}`q@%I>M3=};b=XL&7bo%$nc5TL&4k_ zu5!lU3rkH6`^vZ?%>6$8TI#oS0D2y^5t5$9V2Hvn)_=#e&V{Ww1e;sBN^yUF83=u- zik0m0#(zs3eVX;6cPHeNk2a!N1N;j??^XH9sG2n6$CR)tsfRK4Z?7IVZ<!~%NHJ|| zSU8%Vo-9<B?=)3ZV9rBb?w@4Z-r0I&RAhjs8b+iCMQjsMXMCG1GEj9{^&O;a{4aJ2 z>B3dMSA={j4dkKkYynpQ|7g1H)rzW8Gv>;__iy*}R<Cg9vlMu2EyNu&0M(56A}eaj zN332-1QGqoL#OUkn}vGm0QI;JLB)dKNA#398c4lZPrRKgMf+JqyME5yL9|%AzSE)` zm-BHGY{d5`Drn9$7vqne>6b;?B1c>lcU5LOECeiuEjr`Dn}Z!N=9iPUOkcXXoJjB9 zmZ+b=L;u`!oK-e)mAX8t4yv|SqQ!Fkl2Mp?tD;&HNWrR{s2Qav)co^7-P)R^d=^X$ zb3o_lgS);D1#+Tss&e<w5>GdOK;OCDtuZ}T#QsF`F-Hhy6ZItOvsUij6cYki050I` zuvga#_%L6soT29zLa91i6nFWW!UZc$cW_Qx@EXWIWQ+rHFglvV)z`b~54@68ep*IC z06QuL*-zX1?@_NOqSz1~7;!_c7>BFop=#<R#2?5B_KqBbq!!)KvjipgG$t($S%-pi za1@FH4NYUgK;I{66B;F=<uD3VU6-Hoxzo>#M^r(SD_qFjD?=?C#|i@ca3vg+k1zob zsE&pS2oVDj|4nC_Geq1oP#kJMw{?%;Ay|W(B5aF3ub+488knxNeiMW=p(~t*W!q>u z<=`>#AAx08o=`YQui~$Daq24Tl8buDjH7jObnB9y;A_ScK+Fp<`JW`cKyWq<V-Ecf zt$SYYlpPQ~{Q5QRyC-PBi1P(`U9kc0Fv+;O<Q2f8u840Cem@6}z;r!R1KiIkn2;)5 zy^p~|*dlL&e{wnGF`w3_<L5OJz+~~J2Jfc-4?~*OOob;eL*Vo5N!k02J76bi6q8k( zys3mSVWt3)ddrZm$5|PW<mkloN%?hXy=Uji-va@15IznmI2Wpd70kXyOScf!pdhVT z9mKuDYx}vs<Gx8HfN8<W5icFFMStXpF*@iVfwR*WuPAU%ta=)F<#*B`8Yd9PjCKrj zeK?p!bZ+cNiUri26%helj`vUz|C}0j6Pufk>`vPtLc5=s%ZwOsxU9b-*R`M;B5@Ug z&^|ZZqCr-zj3QH7`>)WaN3f4&oL8z$4llQ@-A1SF7v=LCTb>uG%F-rQi_*Gn#I$YK zfuf&=TGuyNR5i<K;9x{}esRFK3t+648YSd|#%pzGc@>=ENV_RM+L|rUB2+th;SqdW zL+w#`RR=HUSe>4sg-Yc|DZ}gLN3r~o1_lBlBXkSsMNJaWTNudO_0_A+B&yMA!4dRs zwuUnH|43r|0$9-HatPNe37Li6+RtE5CkzZH{Hrj0D}&|6mWtl$G|;A~yj~-cTmRK_ z;6oj#op@it%VyB9mkBYQ^cjt@1Zbjfo?M0~9XWw|Y10P<l%AQa?;)10nZC-<;I;Nz zbf$sx&<S?l{ELhPB&-a8_3Q0m>zrmE0;!msU<a+_p=5>B@0ReeQ(Ux6gUjz1)$W3u zTj!nzubM;Y<0o;QByhlz)hMW)H^dE9(`#j|lN$bvAUtaeeDeS3!mq_=b>4EamKsM% z$IszP@p@xz<pScATF%U%eLlCwsl<-?bUG%5BA|qm`19O+9{BD=P_yC&cR%S($q+0O zKcFK#3Z{Mt3xDwdB|oL2V)4WVQ}LXj;%k7>=6$-tW8m!qLOqRdWqZ|^O}K$~!?!lh zW-p{jk(b{Yh$En^gXS>X^J(cte+-L^<g{dZPK^sqknFO0E^?&BT{$3eW<~DMsuxG3 zM-&+f;8ojgMjVQ@wCAim!nQTF3NjhBMCD3c<kqOlHJ&@#W~=0+0LAZTYt~AF?PeYx zA3Ul&ccWhGTmm5iVe?SNwPOOg#B>_BwF0V@ES1_dH0NW@lP{1$-rD`<5aDrW3DmH4 zi0VODf6uSf*yk*r5S5If_TY3&1E!@L1F$I4W3}N@{(dy9c4RbK2b-!msre1TTmEnB zbggg|*M7G+45eqZX9I-tO}xR`$-X`gjT(I=R0g{DZA;Ji2=v~=_R1xRg;SBk6ANcg z&UHhrnpzgt5SUkt$+gIUgHP=<j%!|`GvM@<tb23pVQw-G2+;f~V%}w$?!ftlCWqEB zeas!kYBwd(xci?=h{Vx+@8a_+etDoyOIa3M%aeoCk6TFBOX^{q%0x$M)k{%2m@zr; zV$T<i4XdS>bZT$Yv;nz1$qgJe`N(k#k4H^Ko{9rs>k6D5yHi~e*_X11qQovETb+Xp zl7+=uXQ8~PlRf~0NjEJ{GgV;dVE^BY&?dlYKqVQTpV=X*P&+WpV35i5OS3On!Nh~- zgz_MBwCipVvA32xDI5Hs_aV%sm0xoEr(qLYc`LXr9eGWYt31kwO&4*#h><5s$a$SY z_a16bt@%@>)E3-o>EreydI<js%@O+DFglSzfbor5jjr8acoltLIX7v4m2IN&hLoG| zJRQ4yk{!wt9|_*M4d`T?G7t9AEqZi*MRPDSl=_Y6Xf1$!dICqY2DuGuip)K%tm$Hf zBA<4EkmfD(CR)aeDO+e$=MGW)+nwzne_F>z97m$i+J*T9|3TBkZr?msK?1t*Sq7J_ zfWu+;TQnqY|2@d!`9o5T-0bdv)9cOF+nw&!A3_Vy=Zo4SSP!Y4gjX~6{?LzUFL}D) z^af;jYw6d0#Y<W!KKc2PHiSJ$-V291uQoQ(Hja*h<ZG3xL3_T{vFGoKfn=CI@=D9g zZrytCRs*<c+G6#D5!37B+z8}ZQ0SZJx9~r02-^BzAYIwD<^gFe_s=*x#V(dpyP`#A z%_zN&i9<yvC*<4X_IUWah^-@aZ?y3~q^5os2a9WR>3|p7D{b>d!Opus6{Xhdz%VBT zy$s9AU)#Y|VsIj<pY;$unB;v~XH%6hE^QmaZhnM=JK^8U;Xjm+NBPJY!%`bOb4lJ2 zB|oKViLfZUl&qPVB(hv*&;*(zL(ZXBo?KcF4PwT<(U^$|=rj{>NtDKi!!%q;pS5EY z;P)t5KmRfAb#D5RC*;@3`}V8J;QsHbwy}w;iM5^me?`-nn~sMq&pLX5lk0>T#qH}S z)65$dSu$K177IB~Ex4<L0m5UV(ugzwnyS4$r+cFQf34Xo!8OQczI^+-QNS1Mi@~S0 zRQB2T!*s=ETnoL76<2wdUn_lpP6ad_*g4D7lLf*2<G$Zt-`a3~exz#K&!!erf>0-Z zI;@6QeohQcG$=~KbfE*db6JvdP7B@^Cxl+%-I|RhVH`)7VC=}@z&BV?i!PKOWi2+q zY!1zogy9$Gft7ef7INMEHL5Q@`dGG`mCHNGunXmQw5nB404>&ttwi$TNGjr9=HpVy zfiH)cP*$md@}51v)Jn$Zkoi6H-J-8To|fRM76Iy*;$fBkjK^pMyl+&V&bx~>K*Zn( z4>E;uQIJ^~$fNF!7%GpiYdIPr+$Gh9%>Y(QHQ?P{-hM;QziK01g3}LlP!Joty19iU zGy`_!iHrhZqb|Qf)ZRv*8BfYLfQgKbq82uFc@cQ+fLXSxhS0wG&);ODEgH#_Kp&XJ zhC;_-0qMc+m1ItI0>*?K`Q}#}25Tb$N)UPsj-^ta$n=sso;eP0bU$MIzUA&EQ88e} z-5Jfm2~~Q)lB7Iu?jH4>$Oj0<e4GwDAs7XV*uw<t?cF#Klw4475D5dj{%r_))NR0B zuDVwRsmtfRZ98c?{xR8iHjGi0mPhT*%?%8aY0khStKlA{BsD>DN=WA{xlYJMaqr+; zCR=AGsbq4l<sozz<i{KHNy{UHa|^O=!&%;WywNDe1fK{!#9eF-8$n<$FkJv(*^F{Q z41+yfR*eK-S^nmB$u$k@0aep4^b70@9ZQD6mD>@Y!g<?avZo?LxV;fP5gHgZCg_nV zxtnODL{}%LNOaUsO?~DLe;kR=ZX0lDcd(Y1PP1p;rOR?cB9Y@Eqcp{D6O=Jp#+8eu zlbCgbR~MDh*Y2+`Cof5+AnJH=mf<q6k}hl_yr9AuTdymXyf#lWimSMzp6wB>s-hq& z=9imV^4yJiVg2@ib~w3IXN&Vy+F_f6qK4VNQ0uo*fy{skOk;d6f3Xit#ca={LJd*P zG?)L&$cZK?lpLjt)uHmn9!DX@Wp&4lawoG9R4F?a^jzLA^OpuGh|_kqkle9HzgRei zXqtZZ#_;f{$CqxR$bd8jfbX)BdUtZnKptxoEyOuEcrUIdBLgXjXNrA_6BVN%zsr(P zF1^nR0)<)~2s7g|@t-h$JaVjVq8<3+n*&E3?GlLfiI+VVX*g5k(`dMCMKS7M>D=PB zJpS=K{WpuUl6GJ|bhdOI5yk?t;oAHzi3FKsIzS3VZ{3|~WMY}mv5R{Oy;#fWE=OOK z(V2H=ic+F4ygHWM{xdiF%sKSbzmQ$yG#N6%v4r8wIX_?ID~u7%DWU}^3*OMaBkuht zE?s8wcm1CU<t(b)%xHqbROy;10T<#JFdSg1mQu}OD1nUN6w~)&EqWq>y`K}%y0jB9 z<jrU+0P3;XV=2aS)UGsPck)&A5-)VrR1x*7r*D5|7L&(9C`DR8OW(OnQdO2aqrGJw zjsQ-607J2jfzF?OkB+jJ|Giu^p3O6*RE7(ZFEBFnx(9g8b-x7~KI2~hqKEV4m9+0r z^!M5J#BN9o=T4<kCMcz3h9OO$Puy!IIfXon4eO<z0H}2h``kCQbG6XH?7x+LK2}@F zE(EM9nx}+dpN`=I5zt~j+%&zjQd}4E*4`5TwULX3D)9<1{DV~jh=$2z8L<7+#T?+% zovH6@mvp^%LHwef&fnA)_=9HZGhPU}IvcU>x@V*GT3Yqw&9+NZ1xT<9Bn#CRlHulN zu8Sef^WYh1jo(|S@`o*D*!;aE9qS~{UC=(`*8WqWwmIaMNCUHC!Zi7kv=Zbhf}0)- zALQ$&I!>H<*l$lR-ozk>6%})2kD3qc^@F!x{~s!x)*4Bm{=7RYmL*&$r$V!#*f!|^ z=9<*Q`{OC|8f(*o*cr1U8s2y`12qD1<wE%%IOtjH`n01w9IV@X8&$5;_@a1tsI<o7 z@fVeOhB#RQUz0LFiKVU|8HJ=N@<^+(Iwjrwcn4xPV2&C#_g5f&wa6RtLBBTWO{jtb zpoJc|VU&rl1tJ7m^Y<u_l8<hHo3uw0m88mO^M`E-Q?f$34rIqP;l&;0jd`#%eRDg6 z$aL2LW$GKMC*PiLI0>SqUmK1P!m7DSRS^#me%jF#81TxlsXntnuH~Jj<rFap6(Y~& z17!cRgAM}Jz9-LQq>oGT-YB=sL96lCEgXCBI7N0<r=W$n2t!WfHIPxLg?HWA?K|=X zbO^+y42I-=#`RA{^qE0SM;N^m-MSx``R9qHbpwS~s>_y+lUFyor7$N}1+shf-$Jjy z<1)YVeLw4?cmOF=HXIk4#BRR_;N(+!`a0h*TWxm^0(o9dpx_TvT+_nX?I-@lYo*h| z=IPIoDcj95SGiWpTRT33zd&fumGRT}N(3Ie@<z$<Q3`U#RBRgJrI~AVp-ip%i5kUj z4r06Tbi~h9$7izYo6wsu5}SZ`m#fZ}BKZ=)h0+a;1w!loHKZr;${x7b(UZ~l&zzuQ zG_D)Tmi9%!XAP2szA#R%(!P=2L~)ib%vTVQ3b<E{-{uLLh6M(k0{YX-SRmIGrGcSk z^h3kaNk-1N78N=_$3If7k_!^x%G5W1Zm2VLYTA?v%wm~VLiIPoln$~jG8zKjROw!w zg~HxH+FZT$j{pK>gV^}LK+7<p29wvP1n3Mp2G^Cmtp{G}b3t|vLA!H<n>#Rj*#2v# zMpgY1RB&vi%e8ySb7T^26<RmaQHpR@WC(_O?Z}q;<N?HvO~ds`euR5#fC4!?TXIAz zhgt2(;oHlHa2W*}L`I-!;kvE;BJP8PgN*NC5tB(>kdSWZBfcr8B>@WzGkbSX42%@> z#;0#0X?8HuRv#jy=IDqNk_1Pz9VK|$(6&yH&oH0o1;N!16KkuP^4f?wv-FTwze(u< zY~IILc-U(PYCb<|Gc;%4v&|&*G41E|PG+G&j+BkqJP{qPL2nkJ!nhjZu%jWyjJX_? z2{hJ6ri!qWlO3`0iH(<ECgBSZMFOqw=%onE-b}}Mv7zH++BGPhee5Ecm!8kzi?T2{ z&0%0<1=j+xTYdCc7HlC1Oyr4?%$H`XCmrJs^H#%N<$Y}JNO^Bf+Tf(Fq^HB3T=aPj z5m3YU;-y6wDLPteDlo2vjBqZDbZmUybl|(%5AgqN_53+|Nr(jm0O<QAviu)yHUEu; zu&_0?`;Fjye!Gl=e!Gl6sa1P0Dj~!0h>zu;cksihj?zQaf#@4zDq1djS6!ik5thLj zUZ$?DfM+<pT*`m~12^8}F*oJ6IF|yp$i436jf`kk^l5^j2S!2bf%)>;V&<tZ8luH8 zO+Ny(0Un}RV?Suv!4}^YlZ4(neT#e4T6%({TXCDC8Mi5K(f<tNi{W7ewOKxGWDtsk z5<~F3(<2-8%JOSd7Ky1Tl)Q~`9uGD_1=w`*QOAkZ0|(sqn=zR;2w+-SLz@g#H^F-H zUUIABM5=SKy6yu6faQ~|&Muy@2-=4yPU@(-=OI}crpPc<Fza!=({j7YO!+Lx<c-Uu zXpb82j2#Tbb$_Js3@y-^vu}9uE6#Y})h1}dER$%eeQZQ(x4<Af4tBA&GIfgBZt==X z;iVmVP*tpjVd$f>*vN+YgtZ_z4F-FMkt0kxhilNpYGsf|pAt&?pzZPnrop!Bh6H+Z zmf2G-ua~;jL(vr*H!g7M>HNg}K)VHXm2Xd5FnwqLo_^a-myg7+{|LnaJNh~hbpQa) zl>q^W{`XMa#K6hpms8~AY+!Bu`!}b3y!^076ZU>SP>k$dFvb8V#$_8SX_8coxmK!) zEkrnFV^8e3K|+s$0l+da;|rbIXMLY9ZZ1asmGN3f^$ZjE-JUBuI(A&{*7s|y;AbzV z4Vv4>Tim`>8a-IBV(@U&wsl@S7oU$UpUq2r@pwElo@E**=rY-~*q%?AsNH-T={`LH z{dR3tW!kx`cwcPV&){d>o-H$2(bpSpK6LbIJJvncRVJ@+;hSmESC37WryH-Vg4Lc) zx&v#|rVU$b*m(GD*cPiQE2?@c8XW7*S2i7;!UhjeOhO;OjegF6JY|{v9hKZ%<gWdc zZ5k>~bxgD{u15>g`8<_T)>U@xI?=<zbe3;h+RAKqRF9E72i~^3Z1vUP)J*hTz6?O) zBQ--iFIFqXn&jf>HcWGLYBC?IbnUWQN_XFtI!`#iSAF%Khtd28zN=rGwOF#UDneRJ z{6PQI{ki=(D6#IWlUr_)+04*=FM{#yVcPAnrjNV-EdM;aMte=>d&Ul<-5sYXz9zxJ zoH5j~O?6sFWe!=jljZID_p*6#w9G!*`-eBf^q<sy-l!ipB!4<x<%uIyUJIx%7Yoe3 z;ymq!=jLWEx(oDYLj}9aysE*ht=5jM_T+R!8Lw)T&aXS7LhQl8Z8bv=`*Tz7In}SR zy2jk}K~1l^HQc76{kzen4=~`mv@X>2n&11%Zqw1~yN7lYmY_KYP`@s4;RX#2ZV%K| zclq??bNju;22JJEQ?I%r?j)|mgTx%lDr5)!xp+k6J6PUoVhj?(jB72*z%zSIuBW2K zra2$_gGY|{f+fsDwVEfO=9^>A5KeD;by{Yb@+wTj#y}A@{|JlC(p<C_gNJAg*V}!^ zn`L@qyCmPPD0H*)w3nb^VYB73r@Eq$n!ci}S-(g}X_<YK*HWb=s`8_R>M3N$CVm6; zL4_NZEQH@Eby@6(tM{;0_mF)tnhmt>YqqnaI$j(|yp4Can_X>2cX{6;?~s(TLh20s zCxDSYvuyHOMP+^5FV4?C>H3*8dWW^sRRPrbw5Db+^1uc}djsH{LhV^DC7xli6u=wI zIv|04yQUhd?RB}(ZsQM`Sa={uXAAEx<8x_NB_Gh<XjWE-4O`nki<h125Mqm(pFbGi zZg&kdlRd$?X=yicw^=V(CqU{v&s^OWAGKNArsI3Qdd;}rZ&3D*D)e>d_qTDqKA$yj z7tiD1TQ=(;c4h#zJ?<m!A#u}KBidCHH9>Bt6qmOx%SB?~>tVRsai&S#e|%q$)8u;D zh5O`#IO9><@K0vFo2uw0wkz;unA<#-Nv$^$_{zY|1A&1}N(kjFC=YA2)x@ht7Oksx zS^j<M_!YAk6tVqFL~nft(?W}inq<74aMxMEwhkl*3vLGRv{&$}%HJ$vCg5aPt-6WK z^YhSseLn(ywgBwbAC{g!iE?Z{0}yza@0=(3!!_}((vcx?vT5djJ6p`$)9T!TdNqy} zPg6<X@ZB<w(97lTqtLu;+Fu0}IEDbm{k(R5e1mjf1Wd&@`r^b4X3xA%n-7RL`08&l zZIedG(=WSi3mtXA)#vm$rHkMk3?MDJY%}7c>Ju!J<@NsnQ9!Q0Q#^0_tAaj<oi`)W z-yN)Jf&)Y!Kc7(7U5AuM=5~}_m0j8QZ7!{+>I4~#8;ZKa1T_TSIkolS^34`gJG`>R z_L-V9euBT``hx|qaJUTJ>G{JtJ(o^08#~~U0RtESOThQw-5;O7;Il)NDEg*2zXMh* z?<UcrI@hl5%5G8DUaP*nbAQme0(g8x3%rLpkdrZW8c)1d0{la}tL*31$3?a6v+p+b zqFGkN8NEn#`np_o)uRgj^WZhi0e1mrKHl{g{|Zz2#3kA8|D2@&DQSSoLfYQKQLoDN z`LZN7=7nWu=F4gccPz)hCvzku+k65nHL$x2nAi_QEq<Bd+8z-t%rphc<t2Bw{deUC zp1rJeas}~#hlb%4uE$)uWyQ=PkS>_v=xeylhd`TbbCx+WBXe*kc^Hum>Okb^@G;#n zr8wgKGPklV8iL(fVv0Zcn91G|tnCf#&@>y#c*GiI{OxEmbv;JFFV324AmXE+My|b? zSXKf7GCZZ<aSgP;p55?sgk9J4pYj?yZMPi|iyNY6!W`s4Au`k21GL*-w&k+I-rwPW zfXxTGDW7I}S0R@IRPWv0yVoS?u@q#0brT<)tY8LD`4NI!rj`Zs`s($2zat-*?bqpk zhSN{=1KeHhmeow!V7HI>pRXDu$N>buYq`2D@4DHd+1_D~694lG{>ZS$rUDFJS`@*t z4KSEvxM*O<X1jJpQ?KzqDBB_<h7zw}oA7QKF>gKq<ZEVdp{_fEa6!{qE^EY_a)of< z%HtIHIOrTK@_LZyTFfjXMc~dyt_7S(S~9OUxVOK|uB&QG4;#F8fMY)RG2;Ci-f6_~ z@!PS63$&rZJG8~u>b8bgQ5qBWzsP29pV7R37_o8zKKKD=r$Ef!J`bBv8+_bmZ=d1@ z0P}}3TXrh^55j$V=1&sV-n2`54b=d6k2c5-z-n)=YS>A-BG^1z;S&v~C8rE$kFA6C z3(D*^a4B&M{?{0B+(R{eXOZ;<k);PN1;#6T9~eq@cvKzj<_Ur_lQ0KZ1Lgtu-B#Ir z3p+|PA|AzuQ~|2swh)_!aEzv-+g6MEqSlBEOE=ANv)4YPO*30oTjKZL#A}1ED!|^& zqK-Fa)!fdm8sJ}OHQ!+8Ev<Y*xC^V#@N3-uE?e(lov<;BD<90N0Zwq%ZOUzT)$|?E zMg+DB5DkXP2y0RK15!(ukvKw~GoV(B>t+{XuFxw-o3|i(STdHO+|#a^P$Rkl8`VcU z<F07}x0vAI&B|Ome6``7r0Zo*;Jm_lTRa=_1AQj!Vza8sP4a;m^J{@S;*o!5&OI`S z9|;Y|UlpZOTdB~-eWnl~eHdm?nY3Xw5t--5Z(jc9+vDQ9ljHZr$?Fftj*GaeR@-9T zUE*_WwL}|wOsVV4yba^W-FTEeW_T8mg`;2JIlOd$jydp2@TomnGt|T}KEbY<j@(c9 zt4(zY#}AS^G=f?F#lPz>?C$@SnT583cThz1BTp_@?Ait>I19cqGQ6j&3&p%05UHKb zXdk!@syNs5-kif*zQIptHHwA`+YU0Iwb)arU<L=Y10oJRh)0{-mN?#=pdV#V{ZC;% zMRN_G(_eJhg*|Nk1~=62Bxi@By6MR%r#}&7v>LiJAlRw`-pu5;B<S-EN`1`=K>Nxi z+W_~L?rh#LGh3nmsiuYvl9r4S1zscb5naT>P>~c2OKhdbrYZ1(Iha7r3L>1z?rqcb zrY&=j3J@^VsBK8~+czb1h}&ITt?F}WgJ?yJ1$>&Vo8=DX?CDwtfB-}21KBj283D<$ zJG@ti87lWS%rB;)Tvf2oZ5K@C)#0npKhNa5bVq;auIlmTRKR{zyb}B#7sazo!`P3f zg79Tu?rlIE-`?GZDWn?RPdp<~c%cQ9qm#dRd2+nJ3%2#Tc%+p@)Q61eO@H4=@n!(h z#&=uMwYT!_Z2;?qd7;a5Q<p|S%TV(4q52xr)VRPs6{1H8uW~`mL#h+50;$Yi%&3+H zNS}WKN`%e+^4A!|)(W;2k{Onw-I8C@R5G+Tc~Y>v2i-KQZmJEU$t^qxaIL!CImyh` zl8js^>M3v~GBbuz6V?q?Vf<n(=UMjQs_sPP+A(7$&j?)AdbQH9cxnr@m(ebfJ`Lb4 zOQ4vnncua{HIWLbn~bxOUc^X2>tK&a4QtlZ<3wuYmq$zZY}IT>xFEwIjLeDCGCP=r z0@lzCuh!?)64}7u#VeNWUD58+<PS*WdDB@`&@|3`=Xda0pzWYAx&rg8N4H^`=!x1< z?f^)&=yPA|>IkD!_$;ec1vq#Puk$tBs+>WaKNTYZ1h(Atwjr#|pOck*kgRGk$n@}9 z!`TEnNz-M5M`6CJJG{p3JGBDy8wxb}y4>b+EW94pUj}oYsCDaxvS|EOEqK*j&XH-) zM_*x6<ftE`^iRz^+DhlZ=#bKCIqFk)1zLNQ`m*le_U8nWqynT$!Q%b#+6rw~$Oy6J z2q$2`B7Mc)yA5^>y9glq_&?BESTEKU2*FFYCoNv-)-W5n+6<%j!k_olif*bi(OEf% zEI(Q+#fEkuGSFc|V$VDYmRHr?b%wJzeeuPa{dURv?a*QaGOnG1LhydQMYd0Unf(R3 z8PI=aV#A*yW7^Y)xhPWp0?qz98C!59$>j)i&O%)N<O#8}T|QAlKwH*u04H}{U#*Wn zq9wxN8@x$-`E-w^!aZbk4o}4463~3dfvH`aciR;XefsoF%^%r1ybsl)usmL1ku};y z7WQnzu^N-+q`Kg9<RSc+Y<+lDL7qv|C;T#3a<A)V<i4Svb`w&aFLtZd-f>NXsJq)p z=<EI%Y*m2x()M24)2D!{!yPuwvI#q!WuNQ6pNHMyM9l%bFy|Kxu=iW+uTSxXKK!8V z1KR=bv{~JW=T7#;{Q2i-G0MvG`eIdH`t*HlJ_UfV`(##vDNWTE@cUSu#a|Vfd^o?V zknwbE7|8LNd3i(D@&N#F<TL>ClL)u~*rY;9tObw<YFl9AJiI#9$1T3;<dy_XUp`5G zEnfvA@t6LaJ61#EemX%J{|aQ-afl&?_f%iF2_0mwFMw@ANz14Je5!6m<6FQ1s|B1| zg#l1|&6&~6RIk2a?Odjx1M`?FfghMR<gXG(A8Q5FZaj)$`f|ZA*ie2DlayP^x0T%r z8XVA@q{8#NOpA<`vt%_eFhax&I5^M`=7IkQCc`nmhBvqU@iFMjYf`MjuAyJrZqqA3 zvzd@|(qhlZ_Y8kUD8zg-C%b5O%YcbRMsv3j4Pu(r9IG_}Qsp7a=|5BK8SGbmUERXN zIHg^(`XqOHwDfTxD(k}>|LwDO+RA9=>as+fu|^!yZP^z&&}{4xXA_7iojwJZWdUkG z%?{3HqE{M1ormn2*%aC!hKGA2zfJTxp0EaxM5=St-`s$(*|U}q_X>zSxy8VjtLFCC z+3SAHQZ{VhQo%tkl`IbSGh@StwId@RI`bfN<1@iVuT^OI86SE3cOG--u5HcpN)P}A z?$rARf1JRAlo-(>?~LVnLSheI(Wsk0xUgsAX<#)!^Zp`-SEL!X--`$?tjm`cP?A_q z;)eKx!VJ3h<fF%3mIL6~%o>L#<Xu9*NEQPbXE}+W0ODQ*epWCV^{O}a2-Bl8W1Mme z&6Dl%X9*0_D4wdE9cr-!Ek;QYsRe}EC-W1dlhNNt>-ErzR7hF_n_^JVSY!c*FTU1M z2OprC!Z;0Y@3!^4X)h1E8f1{_a1>nat8&@g7IKB+)ttU?*u{q3{;Gg4*MwmK%?h3A z@_;}E2nO5WzzH&hlZtmeY=IM~+CG0eb<h%|SgW!JFR{^dpW4f5?`8x=-A1=XF``(I z<0s>@XjXwY<sfGf>JS+}l$j^K3_eaw#X3)0b`<X6l&5(_|Mhvj0PENiW2T|p8}kUA zK3CK?TDZ?orB8#@6Glat2i>OR9mPJH<R8@~$X9Hx2|h6r@16sUVVuV27#pbWJ4Cn^ z<py0_8SMV;Q^Q%p;W3-{j#e(0s(HAX!6EN|?=3rLY*qN`+uvg{7oMSMIz^^5IJC%L z%+5&}#%hCY=Chb!%h37L?B9=q{_w%`ftQZon%|eJ9s8Mijl>VleH+8r^Hz;!GdlzF zF90?ODAqI59zP!?ZiqF_8QosWxESaR{qapyMNAt;zr!i8<aGz48hhC|2`itSPtdgk zZQ!W9oXyN^Mgzn_V<s9m|JI4UX)>Tz-PEdqJK7=TMy@1A^Z-KxH5%0?qfqQ^cKvqO z%Y}7{%Kc(@pjy*P#;-w4QmitIm>1cI4df#dW|3b_t0?sbu|d7%5AN4igsNao{83`# zw>IWlBjZ@|eG$Kh?{H4k%ArB+nYyawXy2iFVK_OuIE4I)XNnxMKJM4ObifnAg2_HW znsEHhxo&Qoj+KzR4Qd~OhK>nFBn7Tug#`o46-=$<7mW(4pNwgPeplFmya9fO>;Zk} z@9a&vV%dUKSQdm&uHdw=;ovJMZDg(Jf-K7vV~728(~r|+jpvaNLEwv+baHDK$c3$@ zk-{tP*G21`W;B4^(olsJ-?dk8=w0?>Jk=jFa)WXhG|eL1(PAq)Cd~Eq(~2-T)6=mA zs1*_hB#E;CX?zy1;_q2OMsk9lUQ%!z2eN;tg$tY<hQ8kOl{ha9eQh-$1DeCKFV%Nv z`!<^-Ft>^AZWC^vp<2cO`q>@}sE_9;pmwa}hcD~?F4usRWhZ<uiMI#h=Ggn_<+981 zT)?r@)MLfaYbLta^d;*<VyNzU(yvwO>N6O?!xy9uMZpA+{myzUvkEWG(Lk>P9#V9L zuXxJ|Qha^QevpQ+B9hjYo69Q4eloeq0N<pRb1MB&3m$%SYG(7|ECQ1bxI`v^gDnRR zh2kWuv?joIp5L}8&a%&It`22trWn|D%+ClrBL6esev2wBaS0q&4)9RX_x=e`OH{HT zB2m1eV!T~bvIMT~9)$j>d!ugPwySo_rob3cGHu1A>^;X-l+tu&nlhJwN@=Axv`mBJ ze#nypV>a+@1D+jtH}V)?-DR7yzNvnRxLszbFId#guEU7I{w@QtD5C>|-E~(NhU(#V zR@x45*X+hE(ESy9r=SKM7FKPuWz)d_(p*?X0=D&%-$nopziUa5`Tb-12c5(d{Ww^5 zj{l%g@{|>h>+)mgNhLu{)1R7JuA-+q8DZ$c4C&0w1S&l4(AyNoQU^DLCBXr1%T9$G z1*)X@uzz2*C<>6yKT<`*`Js=}Y*B7WBBALbLrY-@6kl#YVK-Jqr&K`-sM{Uo{p9VC zfRX?}vnMzaZC5_XUZW`_E3L;5T9V%V@xwQ7-@JSI;hQPa62!2c1POSQ=nvw%aUs8U zQ}65sk&wv?QJNp874xJumT_HQPhRs}Fnts{0A}ykcugu}5`&vT;VU3{k=X^NN$OSW zUT;E)Fp61&@~5tphq$+{&t5&pK}G>O=y-*`T>2WStLIDWFj?)l7Sa@Az?u5au<bbN z%@KiJ9DQg&`(!ey9zb6$2P*wSS<jXMz|>|7FP-@su<mv|nJ-pAHS<K<d*BK2$lsnw zwu0Ah>6alL)dGEu_?hZq18KYS$v+6qUX?mb0?o4291j-%FgIbJaK}QOV|K`lWSta1 z*vlvWY}HI7r5@vox%Ek*)NYI-4q@1DZoZo)Zs@%lJq6fz^Q<rI-4~s7%CJ<hD+5d3 zlW@lybarqwh}nCjmO!RR;NRX&(MukPI6R9>xaebacGQL~JJE!brXL@<GF$4qdxtJz zCVp4eJxT1zz))m4qyQ3Hf-HbJ0DR(;&Jn@>vh(Ls;IQ%nHp5c3w64G-#e76Xq3#On zF2cA@{opT3H6AIF(D*3qTfK?-7l#Nyn1Lfkg+E2|;0?%{#bVdO3xk$<jLB{(#S5C& zm&+7*?a7e#fq3DwwvRi10t1c{!1`!47&;)&EZ0Dfrm^hftLL#%j>)$6^r}ZLcY+$M zcsk}+*wx8=C1w$G7Jy(vcMD>O_8kTBgKi1da7a74!N-py)U)i}szMf1P7NP-^kaZN z<z-oKycI338Wa{w0DM7l^@F}9Ijb@$q=nAP+b|1|*{R8V|GLWsKB*7Dzjsx8Rc<>x zu-5orxTRAdEWff0k&WVdpMXPneenQ1Vprvk90+I4ErxZuj1`10>++5-FotT@mm6(x zE;~+Kv|QI4q_Jh+kcM)EBHPGJd`@#gSj)!EUv;XLvv;tdb-B2zF#^g=<+ko9!ttIH z)G89Qnl0r}09N!4BafJAg&|N%<7hV8ZAE`8XQ#68ZpxOt_va4dF}IVBwZs1rBW9i5 zqse19cHpt(C56h$-n&wNXD%m;R(wN<W21xH0++Xi1py{4u2638NSddOV5IOb(O&!} zi6O<21abqTKWlqJvivwhr#+0eqO>jf<n-CuG`1MWJWlXlMRG%|z5e_t!=Qb%nDJCR zs<ej@NOpEt+sSV!W{5Q0fq)gT+p(B+yx!Jry&xg@hD9#J?5h}Bj-%M33WV_)*FUGw zZf#MpqE_U=W|}xZ^jA1Pq<>D9kP#3*Ij0M}q+mA4-j5KTn^SXbdf3h=0yNiS-DHUA zm)?;twoB>Y(N@|7n-fcadV#Q!o&Sq~{H*;ebM$^QmQC{U+y9KdNpb#oRd78&Y}|4p zkpy-1*Mq`{6C9$&;t%Y<vu)7U$S3LMLz#T$NEk>%E#0U5wieCx5pr~s^lmwZ+S{rJ z3N!lz84D`9gGrIj9L&9L^RB~?q;`=C3FB3n9BbkPuad5XZ3Fwuprys`Hmb;igJe$w zH%M9qTdw+04`P9iS?0LKnU2%lF{ciL81{}bbDINa3pZ-QCM5z*kUc|6_!Hb%7%M%I z^rw>b2YL-Fk`J&+rj|<V^-Tl(B_b(ha-?^+p;Qi-326|Pcg8SktVZ6KijV$CXrA%o z{M5mQlbIc(t!TEu|Dxt?3~$}jN!&M%T{8E2*!PYI_}~&pAC6BxWba;{oE(4k0th*> z0u{zrAeSc;-aRd&w4$4)CQ?@FyYy+Mvi0CkQcEqXzeulh`2K$Cj@?6G(;x?g;uxlF z7;-K5X<?ibC7svTFJFHv=S9N6o3|g5rxicSezqh0goF9{@kf6mvD%3t7IE9>LB3~s zgFL(|o4y9Q#UHWpkJAhmi>$l(3fU2fnqLmNG=x$0B<rIzx0WP!1v{CJjZHDwYBI&K zqo4`?^SdK+zYl;+Xy2HJ#O1j`22T5c1aHatGh(?)2_LKax>}*rj0AjrF#x0}ws#8< zda9z(-8;CJ*Y(zmUC=+6H?!XC;x{Pa+MT8fxCK+a&h(w9okGWFvs=Ua6!jl)?LZ-T zi=H%sfrNVwNzn(54Q}bENp&w(Y-5ZkZ2w30X6iI8(DSxjU8nk(emb(0`t5P)6~mx$ z=Jg(A9^VF*-m7X1U@4DC+!Yd5#JfuN1vNVf%Xr#V_~E`)uQxa43Z7AuIxKtKz95N~ zm1OwrTCXb<{=a+wZI{I^(j&^B<XpnCTo^>uLUG0rm1D-}Q(`zMA)+1KN3Texx_58x zaixv|Y2ybavdaZtc0B6*y1ENhy$|2~$E`I~iuglv*Dq!Bmkn|?k{yUu!6~b9ZYDBK zx&tP+@;_WE-nsm`ri^v1-RS}t?Sx&BKP3$pXA+*Tub23HF3IF}UO4@1w8z)t0QJO_ z|Dx+#)Hh+GsItZErF1zDe)06*=+!v*#j~g8m**Y`O52LvbDr2ecJa`n#C-@f$3N#P zfv)*lJNkGY9~SvAOl{j8(F6QRi0Bh=l#sS}+QviIij@#@923&Z(eIIr8G6>z%v6Ti z^z-Pl@8-cp^3RF_aLSAv$4yQ)RK%h-kC6hm(WG-u!4O-KrfoQ2`YEz848GH{8Cg~r zp1S@q*(voNV<bS%X_uBO)18lRnz0xhONFbLKJ4A8V{C&$2`M`;_Qp|-KcSbcY!VrB z#mf74Z`eJn)!XH-H(u^wU<>+19i_84%ghqee?YOL1xP4<;;b*KesSf;=O-jDy)Jg8 z<s?W`|Ki0Qk8@6TxmBi7NJBtA^<TnU4x1~*kM<Qsy5Vs62m(_tkEC815xmDOWfFrW zr7mhX*YqKY0&|q*vzbbxMjU3R^}dq9gkF8jNjHg~<6$MIZbkQlSVwd~L3_u7bRs&{ zbUfFCY!0K&C|Z@%E-8DWATZ_H_HGO!Zki327CyQNaVGAUaenk2s$oYl+ROb}nry^w zb*bwxc-!2FHW7q>?Iy8=#vS!*B1A5{u%-h$+1U5S&hEg}y<j^7iYb`nQc{DWs7==O zjUm`gYkZ8$4dQ@%xx9hI-l{%8$t=LePw5*fGR=BP@5FQa6mYlz17Z&BbcfGoK1Tdf zI<W@;iqqo6d6$$^cBB;x*A>S5nPuWSy^blzsBq-LsA8nb#<K6PDP*_Go(*qX;A-JU z+*aB3rnzNTgHqB_&MCD%d`0(;?<BXn2%vE{>uDzr0=@`Kk*7o>HxXq$CB{{9QIS-6 zHY~rJ%Y+zW_AyNW&tXE>54ge+J{Z4-+C&<QKO^r;?NTM;k29mZv&J2^nHVH6I#qS- zkw?kUQ7y$7;?Wl*(s`OdOa?c7nYKARoMi43Wz95C`K7(Q^g-E$pT+m;p0T^rr)Lq# zj<9|(K;i*AU?1-d!5WDEQjdZq+d-%Z(d|HYG#ZUgFdsw89TrpMp5LKPc6DdG4@?_| z>Bj*aSXZD7jf7PTf57em1F@Ez{&%D&Bn8wt@Z>m`&zv@fK*Avf#cfXM!Z~pXb_`@l z+zwUr#@`im+ZPLlb@)fU5cCWAqBz2ZlX30w>`HZ*%JffR2pw>d#vbab_)?9=WaFA< zPw>u$d6IV9CB{u{kwlYv%E#0&XfkM|5h<i_M7nV939(PLo3oElYINNy9y_EDftoGV zOr`&G(}NTB7#~aBbWftclEO1jY%}kzw=p!2`Bm8|jiSxTd?)d?{l}gQLJV{0USMm= z#<(}KHG&)IIl1u5(A)+@0Fk&UIjZM*Imn}n-pTw)jI-LvkhjRp`C#CSYKI>UnG#Nb z&EFzf(W$RlxWLEB#|t+nBr|{b!yjyhL!5^346`E2EqVdB_#igqH*lexu2O5Ebr?!4 z52|VsawnWH@|M&;yDjTJv<r~Qq($X;R_G;#PCmEQ7=FEMe6F45UHw_`dJYJv2F}AB zaI-$r`jQ;=N&-pYb@J&?Z?^)yM-N6rH29FZqCWZQ8P=bmg~kYcssNwGGOH1Nm9}aC zheb`BDj<Z4ru}+l@c@QR@-*HO6zx|YdMGrC+(ZK76O!;=r6dsIl0&5Wn#w~M%T^0d z_f3iJcCzK1wHkWYECG~@zP`a2ioNUv^c?0?@xJQJ6*1l2V`K0Xj7ii@;o;ZlY<E>H zRV=_m5Yllpl#8dJ%;9Mpp*aG{!9B=$+2T08ZXdpt!HWQ`XPB%Um9C);FJ(|Rgg1ut zDNxc@({*`wUKR8jdlES%1r$pNrJmYtDMnNcwCo~3je9HydPRYPaoL6HT2>}~iWwmc z;eX8ea%uAb>#yOO4#n;p{Gvw%Ms|}<TN%79No~FRI<;uYHl#N>dgV=jq3O2a9{EI# zU{wv?7${9T$opKgf_|KE4HdX(n`yYT7RX{z&;(gmHpa8fSgeOO3nq-Qm8KKT?^!%8 zZ!$5?8Q4=hI!IG{eID-LfAe!->WEQ11F#D$!L(Im6eq9unpF~joC7rP{!<M~?a|F} zoGn$ioXdT63-=lsDNYM<L-y&t)GzR8*vs5eA^=S3j}jHNCnt+`eqMDz#)<vJ@AF_R z-j<cPyBVwg6KtAL9m>~k*1nbB{DB5Ol!I<K*ALQdUt0ZbwW(T;zgSh5<>JnySd{(I zd3fPay)b&V3K(8#&x3^lKn(Q=e`kL#y97N`&(pwDnivrNhMhM{Tj8KUl>>RCqR(`0 z7Cp%xXU1F5-)uK9fbfnA&xqsU_4Lr+69@FgEAP0xGf=hD6cEg)X@V99@+S{0B%O-n z16@M&%RyJT-4-oR7n$j89d|^hCGygoA}}1z?lzS1oT|cf<Veq?Z7sIFYFlCscDU7u z-aB2m!&h0HRF(B>zXV2phj!*QW*#e*pZj6mb-SuNeD=kc1dxh(Iv|*pjq!!_*07u8 z=|>?$w;N>3OVr0A2$mL3e*gYU+uvv^7{na?M#mbJ%zpZqB)$9`BHS5HEW=Zn@Sh4X z+wzuA7~_BaTA^M>Y0(pfgvoZFFDqL|Z{`)!^RbH=6OChr&?DJhR!1Yux@Yo~A9>Me z&f9CFeIZRfN$vk-X>OD?BTVy7wtTEugMwQFOvikCcL@K#&2A6Ti-93}8+{rxN-ith zH2cVD);{W#?@n8lVuD{=n-MZPf;g}u;(L9f=ntkOGmdFZF>!isNk1r-Mw~kn!%8G^ zdQfWjb=hG(8;OG|cKEmUnGPRCGnyJK^mX7Ckw1iqSq%V4K{O11rEjL$=yn8z57CQ! z5CX4F<DP9<7yIqv3i?<mPn%!-;uqPB7MOU?SjRogc#FFGg`yIucjjnH@#kXiM8gsz zquP^?9T_y_${|e)r4l=g@q&(QNlBsNG*rUn={f6+fDan+<B%8=jQFwo2aR}pwR+Hq zR9<;-Om#FbH+Re-B5OXSNFywE!*%?)1T2aX>JBM(Fth_|Zk1|x1T48x!THNn%iG?C ztMltxr&na03b-i<*q2yVcj9mD-zdkJZsmE$212i+M>-UDJBL$fdtR0CV4@0J$Uoq2 z-&WQ@RK<L^%{?3zrJ^qav&z2NvwyRam+z63HD+LiQ+{jkdkh^8B7U)#WflkJo3ZIW zen8Ne1DRSC<@{YW=b`JL8tlo~8!-~ySnGkX5)K0?Wmi%rVs{ZVyOOs^$so;x#*tYA z$z|@rr?7ca_T&XjvR|bH&revz@6hobxlld*?w>gS0B3j|Shhl;-J9kX^Gs!!`GcJP z>}w$9Lt~LI>9^<GM_6O&`#4R#`Am{Jk<)!iVzq|}-&D+;<$Mnv@Wdq}U&YWI%g-u) ze4mqbq7D8SJsT!oP=)Dj^QnJP?Z?Tpe&Eme__x2Ey?*oc+woqfYBjav%S$`6pXx0K z?#%6Pm0DiJiEBOh9M#Dd`_v-MSV!iUG#?Y}cY=3WR_G=uZVmq4#p(bZAsg~=zQ2K8 zUaAm7dQ5xa+_&j)mL&5Ut7tSBH?(r}i;&Y!IvUngdv_bD!4E3@<SAB7hbkfsgX3AZ zoH2}Tv{V{NcY*2fo*d~7N_fbH3f{e=in?h}Dl^Nvr>~bc#i3kg?{P`UF(7BJJKRHR zlL4BW>XweQsJjAg+cr@<&ip)-;HdVdMS}SmjvIvQhlTQ#k`Tn0-_erOY2Jr@Ut@4+ zazbQ~BHT%sE)k1oVo9j{%nvhF*Tc6lH6g{IazS`1Y7G-RW>$M(ZbNHLo@5l#XMX;_ zJ)GzJPUij#b}?|V(sXE`@tVpGJnlphflA2XxXp)9@}WM~zHuMUBw)o2#UqB0fCAPM zP89gFmuBD(W>!{DuK+uWG3>rs?N7ZoFlUcU4@`xfXw#f-kY8D8caqzzS+>|2E_xF^ ze&J)Kl=%A<9w$<!552-DdTUCyDC9(((&Yk;g(7JexAg`GD&W&0o*DpRpQL}*!?=Dd z1!BC3d0r~7(DxLS-DP;?(8oP(>+z5MAbVwULM?ae^_}mG(ww6$9YlD5j}k8%JDHO& zS7N3Qc@NFs`6~#jqi0y<&N-$Y!QP-XARil^4@E&L5EtAhaZ*WlFooeJQ>yQaSqzTQ z#$f))J(f*xM6-du?2=>S-#4Pa0P?JTw++z<SxW0ljz$`6r1J6kp3;HCt%c|ffyPev z6+wZIoQ9p;(a5|1C>9H#<y5owwijlvfKFi_3k-U_`_HIX#DEHziJ!vIjE6j(n9BV% zqk8A2UQ*@ANW!5x+lfrXW6Gxxa5QM`NhkpYf_JK{hc~l2Gz+^&kzv*r=wEHZ4*q&y zY7?`pnfU0u$ezug{;&y~qetj8yFrm1u^FQjI)%^aXtHbcRU5Om*A+rczYS(Sk2{Qd z$BaAhI$k@oOF;<~#*=wp_baTlnB7dmC51TxywX>LIAjCH)oHLz18@nr+ZlPtTcw4~ zHnH4ob)L<nEyPdQ?Q4^i5djUlky(DwXzW{yZJ#r}fZq@WBy~7hbGVR~uSGp4w1g&< z4hG*tlCAuw)-pI2?Il+*i#YN}TJT91|1*|jreBI!rQ&Gt_C!*%PPT6ESn|a*H_cD7 zWOUB51M(soi<kDz=1>^)LxkPjb(L?}q@+o7PA+Q_YgBu*eM#v&7;MwA!>l7Q{9R>= zi{U!VM?<eNtW%hIzsAgl@~UAP_n`Pp-)xH&26kms+FObJ)@eHL+66mE1X@t!p4){n z3`BU@tbow~#tm`P%sWW}IxPl3uOUgNMYjP2_&NT5N=e1Bb({&Db`L?y6s644;XuZl zgd>*4<R=7YPt56(-oAJX)B=|)->k44Q<Z7|<K-$crbNp*ojpU>Yj-Ir<yx_BmOHqV zwn=&-_+yXTT2pCjfbWyuKw#kiILNa>APSjGJ_6X}^q_1=T7_m6x&mnTMdE+*>iz3? zA5IPj$o@ZU-tKakX)i<PX7i&wfb_>k#RMp&7lhfQ<GDK@>+fH_fAjjyZ(m59zKKm_ zLvy%uGPIvi_Q0^_XcQ|=7Ph<PA)?LfSNeM6&Z2!}_A9ku3uwOu%VNDuQ9YCWE+icn zl&h4U9yNZXUxOwo+acWoDn=kFI(Y;pl<-{~wP`Li0^D<<jXwnk9`l7r!+Pj#B3>1+ zHimMS$~k^7>4@==0mUt8Pws2v<}Xek&?z^&FwMelY#_LUhBArV&4-v&^MK%z-6=$) zlowThS70q=pBuQBclYHV2e;gmtGk~n`<zoh+JOnpi*uYBkKO(*!?7QE=x8#tj4i!j zvCCrTI6_b3;&nO@PuPDPejD7P*inatnkWK9MoO^e&~||2TlTz1_qK>Nx6KSo49qZ3 z&R>s7H8|AUaKn*)flc<zFVXKqHVOI?BN3>BYwAWUJFKn94d-=NaC*TS4PW<}83w8x zFeoRI{&!j{6qtXcCE@S2B7B+!VZU;7kLBP#tHA>;276*%_D@ZaN|2-Mka&FhEJI(g z`*g37-c_M}TCMp>TGz?Y<|I?p{A1LZ{|tR)QLJwY<bZHn_oul2O|>X7ca-F<)-hyd zr%L9`xa`2phIXA-K=&(?fy&)R&c4V`d1p#gV<fxOJHl#f8;Yr|P0|H~!Ql>^;MxKk z3p6iN>X>sObA3ZpIgZ7NIiHLv?l$Y{b-gNE#3pu(bw~~efa&l`tfot88bBOCEfQun zqF`YbGOMn}Jn=Reps#N9^0u16M~`!o2oZhZ&Ezc5Y6At<r$9P7dYnr)1D3WD=D+Cw z7J$DR0BEWXz(amjUtU#C3z5v9UN0YrTyGl6RoFG0<+~qFiEpZEs`Ad51EEEw@w)Qj z7iq?DUYLSvj#i%e<s8Gb&npw7t&nSM{YzE6gKeyKPuHBmEOn*{+)PQjZl-m9$BDVo z|93v|b}D+!y+B+W^=$nAF)H%NP{3+A@)aT9RIBa9ZsqUT8e{{!MH1(>U6tghXD%1k zs_XO#NM4&CHji^0Z340na#6smOgi`tMVk&#K|iK(GE6^acGJj$;-IG}9k(MxA@>*Z z7W>L|*iyRbygkvV4nN(+<wct)Q=>9hYMQkPZ1M73*al`Rq)mAFcqh?`eM~th-+uM> zMdrC2QG?u`eni_j?YfP7kgH}ql^#&6Kon<aV=%e>?7hB#W2byh{KT59#1mDo;x*c- z5P`bP`N32A^1kyt!={Gj+Yn5S9dfv<@)eE94H@suWh2Elh!ps~jBw5Iv|fbuD{>Az znRL$iP++@;Xk)YPi9BgPhd*8wY+$A}LOE+)O6IyXK4PeAzBi|S<U6K(p9fqPhZBN( z9h}~gladZ*v=&tHvE4(F5QC&#V?pDYDGzw0v8G$6T)=W@{E%afI;l94kFBwAE;~85 zvLwi3_V>x(0LW<m$E*?|`;9wmQn(*csfe7ztjsrI{mEZt&wXNXgLm_0oIT0B`jXi! zd*<_j2v=35AJ1^BZvy__1M%<SSP_UnkK>spC7!6K79i8<q(|@h@*w-ndM$Olr`AuD zeGXwM&t9Bic#H_G{x0s31~d|B^zi|R?f-;wmmPnsDVY4`0XAw(!s1+KL2N=gMv)C% zMK8aZiy3CBvplBUE%%|gLT<sO)3L_g@oa{FVNIFwnePu*3?$R^`7h3_ImUcx1PG+| z*_hJZ9zBc%+$WIXArzEu4<rgxJ#a7R1bQ1KtSl>)3~=bYBXZ$Gm%tEo?sQdK@>4TX zpdgo~r@op{CAcy0;)h=c`kPj#asC!Pl2w_fqCiv*IE5}r$8nmq#}Xy)GX6MC^qYqJ zT~NXX@~xIg0fY3CDd^XeJ!#%EcVzlgc^7bi{UWQRPEA9(rxGvnH6UB`_+TRc3(Ygz zRF&RNAt>L<;09{u<$Dz8bV>yZQa-12x(zvk+iQw4LYaxGnHgzhDcob@zRA`g%}Ajm z4hJv+uOLM-3sT>p9LS$)HWm2(nk$}Wv>5nq4meHT3CK;z3QcjL>=FQNC}t*=%7en3 zZc30!&rR?iFhPb7!F;;aYBdz0d0`?jXiPgIiPqkhAuOr-h=HK6c?yb&7$imt9f*jE zIm%t*VcAS(S`$DfZ5|bnW&!WE9u?~>Hk1q3VxA-eHQO8ILKwS@KNP27%KmW`?`8F| z*tMiT#zEI02ZS}Oy&feNc`L4(&Z~7DPRHyT8C&gFOlhWE!+m2mK^!Pzk7boGBwS>C z_mjEcy~!ZGihU^1G6M5CRmPJ8S94Fwy`ip#0)Wf*&ZQ}(G62XA7F<sCN2O(wZb#HH z*C%-7O-h9WUR(~QF7SeSpy606w0ZzFSJTKfq^X^YddF2>uf1XY`|D1Ip_%kX*z7K* zuS)er&LnNafw1UKQdeDg<_U2a!8)(2&jOh;{R(j8t5wQAR`*vI$E90|*`E?7DZL1r zhb(FEP_r|u@2<)vT$4DA+5@jz*%2(PIB+Z8o9N2;9%|uP5Jn~L&i=|N;=gF(MoHyE zx6lf_^(NZcfmf9tkXRAyvnfe;W_PMD;jOUx>%kL^@_E@^x4U7}#!(8;<&u0Z$jvEv z%HG!ML`I)}*oq^(@4PLu6Elr=AsxK9dB9fctV>w5NJZPHat_<Kw(LEHM2{oE#=uc$ z=M_Am@WAXg_Hq3z0SeQlu~)y;Jhh%dqNNqI`E}HHICD#A8B@!VBG-u%3ye_rBye#d z-@}1*)>`Sv>-aWh1~v9d|D4FRtgTjLrwvYj(14jRUIsC@Mhc7FmkzRb(gydohcl$~ z6x3a_UwFBe)%or+AAM)ObOs^?I@FDzN0F)F%V1}~7R`)lopWn*>^VIT@O%O?M=Mdm z8Bugt+L|}y0EVAqTs?p4L`rn?x)}2C!n=aLzX{(R;|8NVx2!e%Fy#&N0OuR_74iop zuPA!z{Li~)Xb@cG;1H?M>^we2b&?^$;dCN!yf7!<M<;NtNuJaccKd;@82hQ7o+;I( zp+qgR{DguU)t|rsql}KZWAcm1DgHY@`B41s?N`TVlk9(IPn)0p>}Qkge^AbapZzRm zB`Gn(1*Z(r>JPmFMpLy8pMARP=F7&G_rsoOz_^Ej^6RVNe~p1p5A8Z63WrE40bA@8 zJ6cZ{F=uoch+kD-`3br9%cHEh^EwP1=rl8O#L?3!p4p;0diIcDK*Rl+?(yk*BPNM> zavB~~H>EU#ve$Lj{M=)z{uI%^tuGNoDBELUR$Dv%erp7#H;&44<JEPBHg|Y`Y<4Un z_o!0q#ZX|yT5H}y?`{Rnln&mgl%l{1snWqD5nt6HHA}rOTf7-rN2z~mo&!MkIb~;Z z_vXL7ez(&gz)JQMMz#f!RY7hPKuefb2(@*8e`7LHVM+=#6VVV>!_c6Wvn3H%Osk@# zQXrqu>7hC3!PUH{Sv{}jQ(gX9&CowV%pS_6^*U8sFEu>!%X=)$qW`$3uC%Hwon`s! zo(<FFY(REwHc=}ex9}D5qKFj8NjOM?a)g7J$rNV5o)$K#SKdviU)kDeqn>G!TAsMA z?_Z&*Lg*p(xt1Qdj=IYi#>J<}GX<Z^MO&W(PGg3$e_ZA3g9U72v!3aB&kUalXKBaz z`wL?a*zOeR5?&ukSX42~q+qjUv3-&k@|w2&<18T&z=JOs#^GfSX;9HKo+Nz#OkJs9 zUa+X&+0ZCT;Yd{=ur-=QB~hHD#G<j0bD?4dNRlHh3U=JuBMK`TxHQv7z+To%%EN)o zpsW1SH!A3oAl@$}jbzTMs*Cj*4%4xX9IlO|=L}#kt_J$^FHvGP(@y9jdPDeI5@w&F zrA*@YQ^XNli@P$lqtrQw0nT5x&s306t8V5bwaH+p0ftqt6G}uoYy6(>TtcqK2TfXf zaslb%i}R-G^T~@8+x`hzVsy-?JDJ&~q@!G#ZTMxjrCXei3?F5zR>BIJR6&V0Ai>V) z6Ed6dnK|Tv6fYx+Lbc^RWOGxSwclzJ`JJX9;ZNc$$z>R%#SLH~%;d=6;qVdT4;`)u z=(NIw@Z|BDr##x3+Nk8!Ht7H?sbNKOaRu+at6<~P8j0oAkyg76I?4T?`A`8_^gG&{ zV-?54EO{Iq%Okssw*?}OAo9`w87Z5aaV+Orqom!cKcaHJWd%JA%_`;sp6#&Q08B7U zb%4`I`2-KtE4AB7cOT@|8o6BPW-GLhAEONd#I~nTCy39!1Gf3mJy<g39(*i8xeueF zw@|jgg?~KqKcn?I5_2^E7u3ifuIlqcb|U!~zykBsbyvU>90~y?#-j@?DlXj7Ksv8C z+M2?@%7ni<{`%#2-+qt@NApe0>sy%D(D?D#Cld4N4NA0(QAI@ECs=z#AG$&X^Ms@6 ziX<Wsv`C|a2Df~yZCAEW{7^CzA4;?*_{s|RuGV^Ji!r0rY$O1$uRlTcS7<^D8lR4F zU&d#)_+AX!7LTC@0ZI`A0!XNmYWioGh;4<vwRSNEo;Hige#K>Erks{;xR4A@JJAgW zojgbf(e2K=J~%ovck&BB{0Q8D$`uE72BSu=1g(51cfNz<rjWx2Q+;Sd8erBZA7x{@ z*8`z<3_U?1X>%UFi;w8qFi9YyE2l?C$s_D#QYGF?Cel?~9$a`tR^dwBN&;zy#CvD0 zv}REAdc5b}B{_1T96|<NvdDL~A^n1%Q^HWEJUz&Wp7YzQlnJ^yY*>$4NN?eSQ!2Li zlpIUxZ`Rj}o(w(jB;c2L4%^C|m4RY?O8joTONfgCCK-u~4^)D}$Sh2%3GADXo9=nF z{)mUt*4?5>R#3OgPu0CP3W*WWV#QB0IUY?C3Srb(R$D^VRD@`_*{4ZF9?q4fe`Iol z-;Y)}>EW;WoH5b`cTV2D(-&Wy?djuhK)T^QK_&jiuJp$8gcAKj7pSCd@nL(rZ`U3$ zMSJ%5PBO$uM2ThD-qxvv5eKXmZ-LCAi$444b=ea%$vnaQFGf*=#g75XGJCn*uHuYU z2bon7%(GWkt3{TbZPm_@98LjxpCNnEmh4NM0CV`J>TxEv*@8@g=aqHtZ=znX;xX%Q z=5{4xcZ<_RTbSICrhfDGcgF*9fG`Yp8V<iEKE2!SO*)wBvp<vLSaxE3Pcz<uds;pC z#u3PUT&VsTj-(H%oNN(y00bxD!lZ5>(m&pUI0xTgHXrpNU^9JaX*E4q@DZM~1>{>% zObcUem$?Lvn!yZBFL{9k&iwez%inx^Tzq$O{JuDO{oz<SUMB#|Z94(u*;+z^K|Nrt zBoE4Nn{Z8W(tX*phgU^Xzk1rru8Uq@a=A{%W=I?JyqZWg`B>NiW?*<j^Ln%0^_}Ah z{>YW#O?-`(J4rjtPJE)x&PL5@IqUknRW-^i3A6k{Rc%y04R#W3O>i;~oN~_(%fCu^ zgg$x&2S@Qw-1>ScX}sE;N*_NtLJ*K_5>dAaPk<OKYjnK|HPK}6Xg}rSX{a#Q(c1J? z#C+iFqKw?>ObZ9u_flVGLG~MV*u>N^PE{ZFN&3a%ureujFVrqH<Ai%fYA&xYH)z3f zV>ABTRy1bYtcK?jh<NYOI^?ax7m$qCg-4X_j?-}jzO`7j(A*<BASq;cF_<SQm=fO- zt90Bno7r-=#nIq55r~{EfXCx9$bKdba(jVqnaFJhGQ%Ja;I~?NGU8E21MVsWG`dOz zq!oqy;3G(Vtp`(hyYvs;D{Q_$<4E$7VYfYrUhpT0ocf0^7eboqOGuzCvAZvqpCx@J z*%6D4yH-p(m>!wVE=+=iGR7k%Lv>U_2K#P7;;h>F`||b`{r!&qo?2%K8IZ}MLEj(= z$+$JIq4%}`8EC0+kmR767ss3B`)ctO=3Be)h@>>#<DD6}ZeXDrEPjWI%A9+j{@YnL z6G*2&JDa#aetxFMa$WyDd-j}sIX6vac8c~8O(lbKFrQt3lv7>j4%`gDsq5F5ms9kG zg<S%6bG@P$1`v9;=*6KWAN_k>*T7g`u!0`Cd%FS<407jBKR$c@#g{+(`7d5hGyD5* z(zP6@Dkm+=C2H)w%p394VQ`Rwc)EHPn;MM>f3b-TUx0K!jnluur_Mc^Q&aB4uN>j- z30c8BEC53GMP`+vwP@L71MLNH4e<W#Rx9$Z@Qal5TqMDa=qAp`KRkt{Ji|0Z0ccDj zPt};YTTStdRKJG>2c(73je(6~XTbm%3Jg;7s>#^OgjS67{P-7Rj6&W9wwc}}vRWGR zKu8iXdmnDq#WqJ(_X%0TUcb#5TwJ=-JDY%y3lJ&fKX524$=FroN3PQaBGE`Tp&+e+ z!Xw@o@)-aSMl5tnQO}&!7kO#c@Q;{Y{<gy4uxj=zi~}KVQRi=C<)4INQ1VUky*13C z*8JFs<l}eWy+8i;^=}SY;WgFYeEaePezUy;s`AD2g3s=Y=ff@IZ)}P!m9)laiVyv! zU%mYBk~H{%jO0Kve*dIM@&Br~UsK9;y<IU0Hzm6e|9>K588ITkNeVMe(Xh#kuO<-` zafbt$prkkjXJA52!53VSjFLJ%KO^0NO$?gkJ-F$!v!JNYjN(EE-fydqbHS51HBo;M zz!%TYCi)P<vLNQ?94_GXo+W*Dlsz{$<biDRK9*N?pKZGB_2s7mF=^Q5J1qZ~Pnd@m ztVZk+<Q#%2H7|c+8l84CCXw~y{M{eFNN>M_V}3QXFX2CoYEic5X-?SIqZ&A2%9Fb# zdmb^9E^_9FA8?sNIR=H^ZGB6iq!!tm_%G1$=4kCZg#S_YQ?u<;gglvuO9!nlBz8Y} zxlc72%0HS6ZPV;d>ZrkQT3vkRb((inaoPW@MF%7cUuduS76|NO1tNX+uD{YrmAhO; zXgUh}Qf12|6}#?}v1)~q0$8#N>~DW(3kdK><adC)K~acNLWTc`YQQgcM@A{-ZXeMf zYu^3@jfB@1O=uj$8;B@z^sJgn2!%>LDx_AMI1iS5dd4O&F@$-<*ci0+1z^)2?r`XR zVwP%h1x+a?(8~g349jTkpJ?AAo^W90cSHHk>RowTh%6aagb>vVntG|;%5`-oQ??tf zS&X0pn7^li7qt;byhbRFgn<lNcD+cx9ihy6&o%efJ6JbiP$-n--JXmaHFA4x^9d%M z1Pq-j9f`{XQ!L5TD?1ok)ZlavDExsG2Bb$opBkDNB|=)D>mB-mQi)d1mArJ$w+U$L za<fB9#}%5EJI=aO36+qj)}c*v+alQ@gIk$gTB2k(-|Fdr=fy+w0aEWwUCd!EggVb{ zgNJ1HHBhv8?G2Gc9HW$q6<6V`Q1l^*;<g&Ml@QYn$Sp6@ui4<?l41m>6)Q#(IwkAj zz(-}`O6+w=WF82Yz+O_&_s-U`>zm!;D!anOVSK5iCb3fj-d<4@PGV>e9Sp)JrlEG; z5jl!Ci#?e*Z9998F4e<!4k(TCCJ@l;A(tjv?*8zIR#MM-&k@H&>bR<@nz*kRumA?V z4NuA&=g;QR(4=~ipD5gQc~k5NetRjvrIJ@-YZLMn`4<LpYx{^f{<y%kJyUjNOGC1c z@oR~?rTAl_*i<bq{7L0p+&4+J!CxVrBX`dA7SQ{?jUHT@|FkA}qJhfM>a6$-UMTb; zMvgvqsE#qB$rx#5-j>VkNBsClmo8m#Z-AZ}+p)BZ5M!U(4hNRHI~&vIJ>jT^Yiru5 z*Fjb;7R_$M%9!zdEP2=JP3YV)Jk}A}LoTa+ak~s2;8bE2a*j?#$Hp&p5DyzQ)-*B6 z5(cNGvq^C!&ViGB&t9@}n36?t|8X*D9f-G%iHusTiS+(^7aOn1t=Eq<<tBm0<%T&} z5LR^JUsf{&%mMXuQ$!|!^|GtV=L=MBEzw<^B7DX1R$^Q)SH1IgAr!}dF`GWQ!35ik z<7}8|_|=gaKenXt^*ZtdkeI5`)RfcCV%J7)<F1`A?dczzC3LIw9)7dEdmOV+-psI* z&Vw~j2NR)Kq4Rx31Ur&F!w&=v{)2k$p^=LfFsmV<WSh)lMQ&QF-BRiH_Zz#MF((D9 z>3RZYgl+r-Hmv|*j%L$(0dK}9@y;<jsP-+2t-?%`$WUK(5$0vIPZ|Kz0~}e)`KcRE zRb~K2{+<?F?Gbqg`#UZ$&kk$S(7V}B<VJwDFSch~6Czlx?TE@6;3w#!RJUQC%t!oS zdwwz}#~;3X_u=i^Z%>MoKb{mw_=^w6ufBQn`oF$ACeOF>c1$Wo;FJliM1L3}6AV3o zcg7)-j108L1?G(%a8GQj%N^#Ctv+rsTp0-}-C+y?^C0*cSk@)y3nE|~%+k%h5wIp$ zM+WZAqRKr`xV?SVVj8NxjhO+jt#OF-=YlUMN1pxa=!^NY`Ikh@@b~BQXOuUCO(2<! zG}l@qn1Bf}NKVUY^^D@a+?m+t{9?CRP*SidnkS5-=|zU0<E&0yI%_<8el5<pAcb;^ z-SkQ=%#aBtM@<*6zkg3YFyY3)AlOb^TzZ(p%`_`)F2x1q5)`6|y3Dqs;Flbm=G6^p z^57p3ML*B-kz~_DMW0>PWMWsHO8tz#Gj&ZTeh#qg>-r<gPE^Snh3Jf03I9fbe$42- zgwLp89QD%QN=gg#V`H(kf#bj{xw=z%htX2vu?;zw@gs1Qdx8I+%*BO9u6W^3-$s*? z>IoBHQB^l_v7iiF=cpl)RbW`;BS*E6qjOem<Ya7^v6pEI>(IkxT3pE}oe4Dq-~<kZ z=9Yqu;O0mTInn}C5UkH0k=xL@4YpjmxYX4h+fyiYaG6Qv%xI?=0tVH|Ad-@h>bbd2 z1nQz$(XO=FO}*emH03<|hQ&8pFdUUxlx)(vyyMVPPQlH$mY`vvGsi+_sJ=rOK}PL8 z3+E6|$;l1-#1Xs%sA}buljWA}nW8U`&=Bs0IaAP5EE`}CmEUMQSi8x9BK4B0MP!nY zp_^lJS;WW6f@>=}iG}QrAY%e0rZkyVb%93-RCS5j-l{taiM=T66>b#*_4bGNaL*pi zvtvAZAWi@VPbR$|hD7sDb{M|9v;%4{4Sa|d7RkcNmW+pNQmo55x0N`0sADFmq&?$# z|9Mw+=IWaW&s%sZFRfQ>He+bS-F&@MvoKn)Y`JXPwr$(CZQHhO+qR8w*|u%#?zk`A zC!+iOh8Y!AH7hd*jpS3?h)8#EyY=>kvg52!5c&Cr_Ty>JKI}+tBXetol=tp60L6AJ z<sQLoOti>A0f^{Y`UXZbfP#?LYPXK6$EWe5ROP&c_f|{p7Fp0vp+sz4-=A>5^o!V~ z%8;7~Ma;;m=vC;m6x~*E+AP}f%D)fI8*!MlP|7nNn@j;_{XrNuR8kYR&bRwW=KuU> zQj(++_)|3D@S;Ye0LI-{R-CMo_na*Dp{33<skMxqy;J@&9}iqm`=YhPyV#MqpCzG( z_8wLD6FQKp)*U2Cowipt8{1Aj-5{P$SVOQU{$#=s-_r8sI$vEUwi;E!hnb<^Cr4-D z)mZB)8IwgDh(Lk!4cgfL{LXV=kR{b(0-fkD!24~PId%@!j=2~^5A(T2wqa=*??Jdz zj9NcEhgfdU0Sm+M-YTovh5@G!>=}kpV^sMX%d7gV?I~kbrQuN&%e1A`_fD1|DA0)G z_qV&N3~D!AgqqJN%KFk!6yV6a%bewJ=IGK-+gn(gAyCUZwaNJaIiaGWPRxRSm=}PZ zr^9Hg>}*#ram_nNISZN53wkMMwBC6@v+ibCs&27e&L$xRxQ?Vb4ysX7_f;g3qT^w{ z9-09y+bYvO9UDw*WgRqTpJ`<IL$q9Z#;4$J)Q8|m;bH*20E5^A7j*9%PV*%0xN}!f zW!*#1KS3?Ge&_Bf`1(H9JX85pDFo-%9@D_nW=2dt`#OOL>=^<9ZI;9f%eZn`b7YZ` zK>refn%Abn=Hh3A;=y~XFxVHc5!}Oj9ThUDxV;`ha9nP)&>zQ>uiHn!u4L@}XrW;S z0(1wjn>6)i>(2&sW7kZ>Bk1=aX)FMhh<LjXnQrgU&VmQ;9yCeWNiD^>=@h~=NDK{5 z-44l{>b<jvZ)?sSPsitvF#zpM*Iw0Au~nFS3Z@0$60b6!E$R!jX)_;(W8S!$!?HJ} zC-(%B9dMB7a_hj1H5BhjqJxOQDM<pFV(+U>%g0p3J8DJ2L>+L-<0bgn>le@o0*vAi zlJ;;|3YT5nx1Xf_U$3V+#9}9MJLq0)gE8G{VlT0hS-=7n)lTEJzt$gF!?#TAxb7lV ziRfZ?xgWpK528j#faCxp1@K&Q;2<TDsUOKm1;|&?9@$Dc(t|EBz=fkUt}eFWD17Hq zI4Re!c1}{eQprwY-dq}6Z_@0$fl3t9HppG6E(MtdbdkcZdwG<rY~})Ueh`K)a5-Vw zU0Hgm7{?z%fy6*5B6uXD)Vey_W!rkGxO=N3pyp0DsDpypLzK*k>fYlGI}4~1yzH#R z@HpNFpXJ{5x_$76OOy~LeTcd{!LK=Q(+p!woL)IkZO1!@G-yVEb&dFstT5#+`xZbU z_sIw)6HE9pOp$SV0NvonOT7s0Lhbjel<qi*K^E`&HoHi)bwR)J7k5E-O$@>qceK6P zRrl`)1%eqV;m;Yx&~+)LRNquWtt4qk*0PCIXtYN-zEr3jI+Ec>IFBmD_*`Vy40U@d z(S<w)Cf&|Iwh0#NtFU_jxLwM|RK%$UKs+)@Jq^ui)?QF`(s7$G@H(=ZDhzhKHxXnO znAcPSrDhc$B}ES93E+#?by%otj8KvDg>L0!rZSvJRSOt34N64!@Tc;Xl-T@EaBbYQ z4egFe!6Kb0C03OINy|mlb5ZP#;NlXOPvC^ZpsqGrt}}_+gm>Cv0Mxb5fxTB`pPy?I zMomje$O?986b|}Wq{^Q#eQhmZ&W;bs#?nWfoMJh|675R2*s@C#(BgHgSI<yIGmJ7B zjk<YiBj&0BabzeAcN*9I>m9~|kD~?pOs;!@$BS((AFkS7WC}jas&^uV&L=fCXI__O zuR^m9&NiBvAGuA9F}a1qRta_TT>~F|P(QeXhl_M#6+8f3%ZD=B#gEO-h#%dbRe=&U z(Ug7<fjhWEu$0Q#W3eTB=7Vm49go^sm^JaLZxacRiGWBaHBCJjYmEjj19X5cdU^x| z$m-Rtn-bx9#gWt6S*%Bs8==^4Md5a3gzly@o0MXdz7;ol+MphS9z@B1&Fd;)<&I-l z%{U!*d5&p#4yK&+Lb)`l=YS$Oq3^xU&J)TnOIN}-3jc|`3Ik*vLcU{FYauvYGptoA zT_li5{=>kW2O0?l6wy(4*t?ne@wQ~+r?o%r&otlSuEEK1?CSkOF$v6qz_$gB&$FK- zn;>La&sh|r^)g!Aigr41ES7JozaFONwf;8`{^cr(2c*18n_vansubhxYJP&7&ulod z(KsqA0vO$#hWiw^WZZ#-Y(yR<N?+$~V|fZw17W>ZNfY~PLRbBZU|VSf(G1n-`PxcJ z+*TtHqk|a5tyf%)G(d;d>{AtV(A<zI-R=RI(ZMaAyiJ&6Te(P&x2oG--8FnBpN~IZ zpRonOW(bD=z12+L=kv<~iY$-^ywuml?c?`i@A}98XMhdptZ`4veTd7u^T~F6F8o}` z$P2TZK4QOk$JqmfW^wE@j0=u@oiVsRGF^M~#6XgAA^lJpA7NVX>xLEsUWQ}6j3@}f zqIQ5tQFsqU0(ex}@#BSvKb<qMxfl=(?E;Qc=fW@OpwsCo&+m)d5livY+l{Rtro9kw z+uv~J(7K>ye+8@-4|hwfR|LFX#0)c*dp*K%3hia|={3Ssa{pDq_a8RI8skk2!?y<3 zAXIz-w_quco&kWPTDPRM=*PHQTat97i8+QBHY7@+DPrX@??IW+2$Y9D9uAK}u}*67 zF`d?mrF>8+)T|Z|D|L}n`=66|J^gL_`L!edZF;;7Yp6K5)*U^nqWgWveqF;#R=Y+9 zu%vx7eLo|2)dIj~fJfwoS`<)zeNh1mb%nv;2xCJ}(2JT%oHE5p?<H~pHvc!Q(F(Cz z!+P}hg%wt+PLQ;i(p&%8FEeQQ*$-<a1!W-935$SPM9P!crELCbegH1SKw;X>W><{f zR{Bg$DCA3V#!id*$qAKQvois~H7)g3Z0Ptey$^P6*2=C7ehg;L%Y@P=FzQS7Csr?x zUFD{&@ah2ELV5}%C;H0(FWf=mtI0TfcF!+8-KD5(G=r#6V({Mf&SPu{>QmclHUNr! z&wCQLXpaJ?3Ty#glyFDDlSo{7SmQt0j<F{zU?XJ&b{u5SAKN4bk|GHl6ux*Le#8@t zK$9C#=*bUO{{6wh{Qi%HLHwtCp7-4h^X^-c742EX%`y5fi|@ObfPSVyrs6f+=A7@& z*#G!8#}nK7@go_fKmaznfc5|hE{r!@>r*w!`P+bH{v{sQmahkPQ<QE-_H^imC)RE! z*0bAIXzRKsbtE;&&izAOkk*fmCYU3pW$rVYZaMDinszsbrf&C`AAE8#5{I>GQ?^$G z7t3uH_UqGmk?p^$<(gNIO=Bg9=-O~JzPI)ZTgV%EYxdx5<Q4wb|45kEi*0=FH#FGH zm(cxpSp%|7y(Re!+?;={#Zf10OL-qbL(yEGCZBp(kv`uD+=_B>f-fG5(QHZOIEV9E zyPXjMC?Ce3M!g~to|FMR(GH51r>98=E8{ur;=l+$yqm<6y-@w&8<39Q=&S`25ZP01 zp(aiaJU8&weuy3!ScpYcO&GYfAG^04eW2Jj!JniOp-t3x3)ulDGXEJ?uDUzy1tAwe zs)ehY8FoPVlEeCduEYm_*<4Ew)hlub$W@3j2GEiiLpQ|ed_!Ww<=tppx3gw1+4trU zmhCs$c0H5_`Yl~&#B7ku(A1|xM&ELf7oSUJ6PSNyX~+|p!S<l=AMm!X#dB<ofhjtE z5O8?CHv5pMpR@W_C-LE!{3Qz#R|Zvk>eV-Rf%}bi89tW!Afb4ky6A^=ZU;=Vsb(Fh zQE7$c@jr+WYqzJESczTF*i$WwESE$WSX%|;4RpZiln@2)4s?K{lj!yDQ{X0TtWSNT z>fa$3_<Z~uRmzyUU)=RCi7k2oJ{-T5P!?spc+IRS36mQzUu$jsPk0aS9!r0~O_Ff? z*a-CxEgQv@j!=q_G@Meqi9mAk0M``x*#*BM^)u?q=2<LCv3kyfzb3tj%2BZ{0nk`f zEuD_ls>!XUi#K_g1|zh1W{^j=69iQ!00;0Q|EK6Q5#0V9P7meo_x<aLy`R3%_hTnp zeGjLfzCoxA(_ruS;D>S^so~TE@YB_TIW`s+?!P2^j#ou>A45q@(Ume%&+%nWBn^YJ zREtj~;t#n!5Ra^n?sB)_zP&wlLoc78?TMxCd2(-OX2W%0+q@y{(P+Gevd=a*I(3;I z>4UOUNEM?1r6oZ!*SUp@g&$a@D{j$sLMFM{TTnV?!jb(w`~Xb8AA@BATzk`Z2?Nco zs%o}gij&S@V$%r^g*-f?@ma;p-YULFXr=)Aq#{k$Y0n1B*JH@KUB%RMrUSUlkZH3I zGWAaV6wO|9!yo|hu^vu^m`X_}vp`CQs&g=Ai5v><NiN0tx^mo+fx)_KG}m0|Vik-A z%EGV13rtnVd|wvOEpQ;(VaQ_7krWAe;sD9nu=qB0myOcOqESgg+^|$WX*=JP3q@Jq z(S+!RT#7i5qrf1GR8HT)2TZ%GZNr7Nr>V9L+b8pp+t~4rW*B%<*mr`WzU>_ly=sr8 zx_x)1nEJK_vj{la&ua%{n9o523tt&B!qI_^`GV<T=FLm=lm0&MufQsz7;*jz&m-zz z^QL@<V2XFR0}HW-Ii2@FzBZe?d}UF^krNE8JU(wmW!H=qcJDRf?!o^E1mxRb_H>t= zS>xI!a#5;qCKi?KWRTtrhKB+C?MK-ZcjDkC-RpVnLrlL(uHhy+#>yCG3v+aCCBlg$ zj!)uz3!x|P%&-zoCyOFOi_=-3y04U{DIMRSjSFyS=@A9*zpLi2aqQ7fTZwFFy;2Hy zk>7Zfvb9;6Gw@qwV3hM|wgpz^*>JqtFc*E>D;gnH(C^%;6jU{VYoD!K@%nk+j$|ts zX5;pJJ%2|r%t3(2*+<q)mgVuzUDeOnl2UY1T@5dn&@iS<x;VWikb;slkraYOntAM{ zmZATISD#Q?(DnQxf>`P}ZV{=>7phS?8Uj#&rNPZZ7nD^7E#V?^+mC$4vOj^LQu}}R z_zAYyKVJG3sG2KpSt1Km@vr#eXyM7Twq~ZbZ%xg<$R-KyMJyRSOQAzl8H_w9dcxBS zfWW^`37eSs1xHI#4-X@j{v_n21`TPeiDnI%qO@g#@uF?tf%R=Ef)M;C#rFVT#u^<J z5Q5^SZf{xpuk;DQhYAVzoblVCQD7n~<DEJ~K7aQOvs*Hsxz6dyos-0HDEwgNr8<f- zyqlpPC1S+9fUh@+lSY`cvP+M9TwzS`;nCwKa&pu-zxg=<@P7J;Gn$@mtGX)H#OHX$ z#K}(dDdKCSG=Y0~DG6<F%M#&h{`zuZ6w?bW#j!d$U)|+|r$tRf`&k{aTK(EtQ&Xo1 zUMG5kWQ=2RMB|y}HNV=6W`Lcj%x27KWT2Q4!~Wq_GMv($G>2X|E&}g6hRimN9GzWW z-nFR)(jRD)#ks(k;mivW3BMC5IC~h+M2+b&t1nj(y}@Szl=hQ6hEbYi6u_o$5l)In zrMRAeW{-g}y-|)N;3}#@PZlhZGC@v!Ndt$b#I3TYvTC448T}DkT(=8qv4teaRgVO| z)k?ZDjf|43=ZdYk+u*oKUgecI#Go++SY&*sZ1-?VgY?;>ViD~}a{nBJ4>va+f4(v( zzd(lA{CBnea%wg97U1(b<EG^r=5W>{BA*8lf73N3tMJLJEMOpu6;t|yFK~Yc;rVVv zgi7_WJf<bQX~`qv=Z>&_T>qZwYD|XGt<15T_C7mjDz4I{!~mm|QMnIs8c-5T&<U^p ztL&j1CyVHvSG=~|nZ9pZUk$Egy<M0l^-S`vuNI3(e$^({Ny4J-c5ZZIn+4lvi?z3{ zD>O#LlZAaPz8N6)JAOipM3<~W(V|96eI+>El^Eg-eKXRMH3>j<@LeQ8hAfQE6y!|r zTqG}hP6sf;yHHblp3fm_aaVFB!MB{A;8nXGWmv+RQiCT$|I>Xw$oJdnEx~CLl%(iE zAFZ;iy8w-srlpcW5g30>wx8NDb5w2Rsj{EnO=(zmat%4R?au)Dy0Lv)=31aob08Hi z*j0GmLks(%qvI(-s=~ni)PPxq@!%Oqn^MccS~vfbsbc=z#GOlt5>CZTTWVb%!$o0c zbm19_!Y$ls3Q+~*cOzk&R>s<{Mh(CvCC=O`Sz;{9;QSp9Z*1MpELrV`iDXCbi3eR; z&<A+dFVztvznuYkO;>9b&_Z?8j=MUHt3gbFQMmQ!>fFPiK;(Qmme0eOrJble)0NG5 zVhO(55MxIm4pgwD@)mb9d>1cq`+)w{oam4J_Llw|0vR{QN|XFPLFA5yrvFFkMTnV2 zzHV5;yL5u1=Bn%1%I_t?KgZ`JXTsI7vKagCE{=t$ko@J{AP_jCDX<$p`Ulbqhb*;L zhE+CH$I*@vWiQUQ4I+onGLb<ZfDBbx&3uUfCAO)jmM##Wo<XV>P%;sxkmm~1CBH-y z{Xt&Lw^AkyPDc0n=AZ9{e>ffqNiP97vNQ)9YvRCwf7$7h1CXfmEKRdxPN06Zoub`> zpC~OEgvIY?yZvq-zu(KF$jP%{zJ4@69G+$RI*3z=T<DpwoG>D<azaA_OA*m^7pK|V zO^BufsB1k&QW)dCnB#I#ykXkEEef#T?=?BlH#gx-FWBhmQSbzzI=cm6V1VhuSleIU z^*EhV@G!$4j#M4}9g2Scn3Kgkc9iKb8v;OCVw{sk*YT6rqvsFk^nb2AQTW*LqrcO} zjg<YZ=B94JA~;L)+Br&YH?k~m?);`!+PB^-Aw&+jP*3x4ki=hhr5D-;#WGnS+t7U3 zQ9XN~d(~(AYKpHKFp*(eHMiJS4khQ2j==h~f0K7&x4bx0KlNf78npNBCKBINPM(4T zheOvYx3-!Jmd-wWWjgaDwubB0y@QV_=Xl8mXtlO2?;q)Bt|~o81MBX93j$yj^a=Q8 zk?M>Iy)T*Z97bS6Cu!Aq#y6AtIX*^gY=syS{nu{+jh)99cqFd84i-dy-5RqqDkbF7 z135NVtS3`IM5u1#4%AFV-ct?&o^I1L8<wt52-A|Porj>RZui$y^c@5Qq8A`HYoV1O z6|>HEWc$R81%U3EO}0aL%@;#altQF%QS(VF)9E!pO~B3fEx?0o@kFTad2pw+&7y8R z$0Rw=Gv<3({!UMM8p{h!_4L|~$o~QFLCFpH4*|Fobybxsh!<d)WRPo%+R6$v2|iQE z^b607jLfXte}XXb#z%+@J>hWP6SuRLV;{Jy`fXGb7jURgX8nFod{U(P?hOF+dDsDT z8mKi7V#uSYY&r6*B*qF|@Pi&gu0=Van#w|qF|+aZOL^6oJbxW~v9@5)bZ$>PO>WzT zd1oswJ+176%E-)*J=XN6e_eSTbv=D=y6mf^e1NU14m1+D4aUK+O-#@4h|_J9(CjcG zscE43@xe?4GZ@iz<U7`Dr*1b1#QM{82EH$rPA{ApH`eD0BHc6Y+XZ;+v+&$HTQsjo zRfA+tgczYxk`fn7JCyx{R$?h=2WCm`xI@bK8<Inej22pNKKcqkUn-rNomZr73a5im z7eZNEK2NoR_I>S&nlG{=3)FfW$wmG5(~Z=<ACEuXihR^u#jsefRDwA-d1a_`i&bfw zNA@n}`p*is?W<PQT6A>l`q%u>?tPmnIoy{O&1zoXhi}Q$VIM21YdZuIrEA);o`kdH zw?{`&gQYW#pJ`6L1Ghf=JHi_uqWE~7%Ac=8DfC|Df?t=-rIxK7UAXdoGF$jAQOOMd z%wj6#91AR~m_y|)LIj;|fFHUJJQpi*cbu*K*tgL~uX((l@lj0Q5T%*tPSnrAtnD}j zm>Z$nJ}uXXaRpTCJVbolA0OMtA?aaf^pGi>#tqCH=(tg7Z#Bzmf<%|ly4_M|&hXCW zTlCg8VB+<f9}4FH`A33sJ2$V_TcgbXI11yB?Zi)Si~H&I{XpfYaX!-0*;UM!_R2eR zr-_|oD(NZ3TkOs|-I1k7)_7?ATEPiqCnlV{Q^!9dNpT=&nobP#5J^lVMUcr*Bh%~P zF@aVz-pK*~1XLn>o<A-$sBEuThDSyRrpAirVCi^2`~PP)K4awb>l8Ksz@hQ~FDlg3 z-2A^h_5T}<Kg08rzQyL$f2SWfu_JC(Y<hjw&1PS}Wj*WWv?XoRzb=_o=c^SJLgGf5 zB(BiCO8T+KjSm13kfPQ%;=AL1CIQ5dK@VdF1}sB{OxkU`wBlNsRI_WdNF{%4#Y$gg z>g)8_l4?mVO7$q@YTLN(CaNncWsvTC4Fp>|-PN@Ni9y-ab!oCvIcehL)MRr73mc*c z;H#O^6k=br&f>ZiNq_LQ_RgznWY-rGY_hdl%OsqaxmRzH)h0D{wvH1w=syD?a4y%j z(<9mKIzQ(^d9@Pxi!sany@Oz=WwlkFdYZhsfgio;(<Q%ERiV~aO3mgbpq5U`fT&T; zvW8PQ@g`9vsD^s?_AF6Axv}iNh}0&T4al+dnj*>@V5%Z;5?69Q<*0kN^ys$xue-*2 z>WA1wo!u>BI@%7-Neivomsn;ERE`yV=O}LG2I^GlrESKm>IfOoUv`rUGS+`9$j?rJ z)Lf`knzMc}Hs``@9tKn<e*waZwLe0aaLPvyEj1)?uDWigw<@|SI}*r)H~oFMXHdVO zv-+$84Z_pPwV>Qk8&xxRijx|bqWf();8<0Y9)|Y)gD}=&@tRFH(CP;H#rkWCd1Jsx zR&l}4z?Fw{@<hqSR;v;Tjf)OB1ovoU3HlJ4&h+~ZdkL}zFp1hh5;3fZ#;!DCHtE(E zJ+cTWOdwyauFZ54>I08Vbz&vtpavQg+Nu*o4O+-k({_<gn;Z?+v7fG~Rbr~CPyMiu z;)%xAIn<$&eDDG`K8au!g|A9PCy<j;mDY|LCyVaV7Ca-@7tJz*1uuoP)~#sM4y_6G zWieP?BGn@VIQLLVWC7CGdjtePsZ>E$GXSzeB;-EY4z@+#+**JPm@cYDCN=3&cStzF zrU93M^gn>9$(5~ZH2_x=BcX$1Ez&U!O_JF^<stI(#eX7IG`1wK1!6Yc(o;nFM>!Ek zFZ%K;-4Z!b7+llO_olEF(;jpwaUflg;Th#?PGkH67->YVJt&zSJtzgMW!W6)@^Ut7 z;)j&Pd$oc5meE#<hldi<j&5T71d3JCiZu4CPUAh|v&6+}k)WzHtWFI06I7QE3$?sj ze#l1;vEXQ5?pZrKT8kPC4Gkz%8m++x6x;HKo5wVdn<kaVzmr86=wIeb1_{s%zel5$ zpU*0S_$lJ_<(Umb%>EtLXe(-mApSwPZ)!E9OevHd`fFybnp`7TSm;V>_l5tYGrNO6 zngF6Bq3W<QQ3>FylcLnf2SBnjgy=V3g#aS?+x8+hoDupQR0_ngR*?!+BK)toKc^R= zBx~13yA=wyV;1A!q+0ZgfG}?nn&R(fz1~p<!G&DUevb+}gFo={ZU;oxijjF=Zbk~k z6;&IS3N)YyP9`Bj*4jmZccS1-zbDP_EXEK8q@kx0(Yvi_@a=rXC;XU#Yy#qbS;CgX zXI^fDPq7XL)?9Z2$U)06Qn{$DL(%qe>wZjoLEp%5icsG;Q20MyD7e1g-==({OUuvx z`>d6Pi%blV?=6Wx_XO7L7~FSj3ki+hTguz#-OpPo5{ft<X;uWOPHe&*bF6OLWn%`^ z<7LPA^5un+ulDJOFYJ;9*Bz%VFRPbD7g18IBnr3HQ1<8zD0QIbW|f0%Y+xs!xP&Gy zT>y;O$Vp3Wc7|W@{7-Y!NtABkV?{e~H6ETm?y%Yq_ZF6b7xsO8xWf?y#}j|YVl(0K z&D=fL`T*>OF@}rL6nGs`?B*RZfAxvTeS-K;$pCz=_<as*CmH3M{tLL`Aq4f^tT+Aa z6SiXas|Pq1D2AKUv9En$>(6YVWgjCLAC}{=4=Ri>jE=dHW+}BRM8E&z_KICyU%%Jm zm)Xbj^>GGW-yfET$1qYy@IG2lr54>ez3w!cwxepG481{o3*Xtr;>G^?$e+b_M?j{_ zxLx^i7Yt9k(?y3dHYZlIg4c2Q-h`CfF3V~mi9Wwhjfp)_2150ZCV|#?f4ZTP7&RFd zpt}(`U)W?neM-m1%0Y49qj~^vmc%pDFU#O`0HCw!FSk@GNdlH^v!j$0qtZvb4#9&A zD%Zb6)YFcL&^Mevxp$QTNkJ>L3+e4fSsz`;4h!qWzr2_Ro-1(D(ZG9K?aLEK6!^F{ z>-~Mhk}lY;7(k))HEw)F2uMfwFx<n*@AK&5lqDZ#Vp*6YiXcr7syMTeO!=y7A)rJ3 zGjo!_VrVeK+;+i5=ADF_&z{B5&JI;0Een8v><0}+oWl&z%NcV<gybM!693E6R}d9z zC``ewX$@j{Ph^B(#6{Z;-QW+adrwISuw9ljSH>KUY#`0qgpVkRm`MM)vj7y%akdPx zQAREDedlPr-~an-&zDcM*otI0?-~I|GLu4^U|{XMiQXN9HC+^Jf%Li11B=WHKucA7 zJCCr!eBc32O;63v`NGJvHqy_0?CQr{QMe#ctq#R2%2Rp2_fgIW-{Nml&fdHq0WQ7b zBi*ml!o2mpn<Y6UI@|^41s3!+OQ}9F=gBv=1n3LvYn0PQzvZR2<`gc5UU_}nW!rxw zUk*WGH;4sNlTqCr)ocVRhh2y;2zJI49E*xkX6l84)bLJm3(T3VVm3uBm;nAc*a^lJ z@*pdDTJqI~>>!0O92<ts!)6^7*_mv81KKJ~a84}@A^tQmv~H2x+I*vj!6RGx%ABDR z<2x8Ywyj2_Cy{`y!$op9ItmwaEBDQ$fFzI>`x(Ct_4h*UmI6mk65|HUMcGx9>~a-0 z+VNs%1r(x67ezNaXws6@RS@&ww^f(oqn&o_7-VguL8k_{)Tya=QaXg>$y{{R)BCom zjY}l?fLsGU<jJ=e^m%Q7cNQSPGNF_C)en}x@AF|MU%&7D3BCUB`}5<;JUt#fVt(<I zm&}X&(^j0*<K1@y#={bb+!Y(Uac1Bfh}G=6^kbik5@86Z1t{LYbqJ08mQ({rG7UaQ zV!ch{c%#iW@qor_ca8^*#_ezn;n+)f30uR6HE3qQeo)1jx(ycT6s8ZeOALFXbe>w4 zr2rc_hI3d8@`_<gsccCxXx?nW{o7}PE%xxXrd{m?w!^l2<C-Jn?EOc#8#>AQA0V(b zjyi;gb0hy~jXV=J9LZkzE^;DJH#$HRc=qkFimqN>738S$PYwpR12&sivCn|VF;fVa z%;R_n;0Zr&+Z-5Ap4^)Z*`7I4Ticyt^SJ}%J@Jyz<RGJ>(Ojus65rAQBAJeA3jJda zksM3llMU`6t_RB<{YWL3cvvpn0FQ*Wz~(?`%a(Pa1^Tlj$eCp97<dh^6CAEjA-J}i z3_?IrzF(%10;2eS>@roLDl{z|A5Vi)Lk%KDC{rRJiflNv2)4pm&*<4GinHG;EDqNm z+N3<4cL?2B<breNf8J363oLH|Grzq`ZfzI2GXgv(;wKa9%$-@_cH+D)LdNSiuZI^x z<S;D@F!ZJ*X`X<9-uS1I&kh+*fOS$*bEC4kx!VQ(vHGSdB=fZgOuu;mEKtYg+0jp{ zNH(<ZNjQTN+2A<2Xh_c7q&Yjp3zeSFDfKh;|1NW!!{19~8nxUmaoaavh~hCV^7Pu3 z46Fb$z)Rf09?xhxTDvIsFhi3b$~?eb?CUtLS;Gl}<=etwEFb4k14oP*eECbB6~y-E z@YayYh#h$pY_^XeZr0P7o>~b5ZFE~45b}l27C*YPVY>Vtz!(<0eoZ|pptmb;whMz| zJG0K3LB%4{^4?Z&*8kF<vH2|~U{;uu(~r5n=(gb@B)1Lfu~9~1F+GD<g9eG&Ps#xO zSK~lT7mXvvS2$beI0_-PKzEy1%6Xw;DbE*YV2foZ<m~N|94$a1AM+`?v$0FQPt8to z2{02fUI&nsfzMCJOe0*i?2`=O(5q@_&QZ#E>an5iv{R9UY{SVPdBFgh3EY#iq<{n+ zmeJPGaGkrR%IvaTq4*H<m&XQ{v5}w+TSykBy~@rE<Lf}d{kIcoCl=(yYchu)7)Kpm zHF$6t!%{0_#B==2*_xFX{s}1}Rt?t}Yt|!~%sJeVGRb+y3Z)FMVhUAy{QI!CFp?oF z)Pfg)Wv;&t#7jgyX=N{CJMi*0NX6}KFv=wfr2rRBw`E1WK-$@DsTv?KFOksgU$=8$ zTMVSlz-a3pP;CS}8R3N}K<D(($|xSFTX!bB@Bm6UH<<&qwM0yHloc{u2xA{Cgg8uz zdzTMqx@S|barS&U;s@7*wwfgU0oQ?|sgEGvvh)1?7{Q)86en!y=5!baZyJH^PfSIg z5_yZBK<`j{USG4c8wAG0<Q~G=oPIce#l-H1N89G$w^TDbH-SfnXD%A6LTzwsH->`h z6>nzC*4CMSz^kt)>!MjR9)887wFYN~TexsB=}@E{G}LsSmJ$_6doY+J!3%|}c3v+W zsnoEkjRHa@&K40zXw3at^m`<oCIDc^D!F`=8#Cr@sVPLaUg$udgqhDR%iDTG&8TRb z_}I@zvNLT|&@d22L|N6OTxeJT{{uhNm4kl)RRU8}y?rtA{FP(~>^A^n)=gbPoVv5( ze1_oh;i=ELBC1`N2YT)YhXVEbLG@_YC?(SC|GwQSpVLQv*xx~uuH;g(QvZ+*j)lQ1 z+6=r@=-C+HfQH7McJsJDbd#qMOBcr3_Uo`JBQ$mqJSKH(NDWOBJUS2@pk(MHx@YwF zMHvx*ALW}rO2{*4hIjf~<>AbaV1B62C*HKLKB&A1aTeqcDqEkP)A+f_nr(1BS9OUZ zy5fg{2QWyQO>-#3?Wy0=hRD?dQMr9zPMk7IHUm%UNH*P(N%}8`%Wa`riHKQym8&^a z@n4i+)6`naOHm4T01{zg0O=wR_5koKXyQp=%S2ww%kP1qM|2RFvv8tHA!p!fOV!=Y zMLgw9tZiZ)8tsT@c3H`Y^gnX2Pk<9T+i0)q5qABaj?c%BEA|H3m%>U_`+bNSAJ)48 z=<-A1nzrRMWPY!Y0d<T6hi3>`^sZ;P-*8YEI|7KL0*<D79H63}h>V|4v=oe9Nnfln zQN_|8>FPM~0DSz?l(N_fefqnlTxc)}0Ga=cNkmGUE0(D6Y%u~lfV1$&eOG%{Ioq)k zYqcpV^yP#@{@6SVBiBrD1|+`$PX>=#P?{hFE-PdsP#N9__sV}Gc6`4!R@}J#d}i~^ z-~cWq{x<f-ayTwvLqv?7U#nC7(+chkpW{$6aMRvI35hvC!Z?M<rj0)y{wh9U=p2Q! z{stp+0&{bml~<&&RIBs`<hAB9clL`)3PZO!G}aoy6@`YW;e0I7VsBleZmjlN4s?f+ zoI2V2Nnpj&X^TyK_i%vLJ0W2Ip0U6n>)gx885qikci+uzuSCYf&;bJ5By_=7(!WK@ zsj@Tzxtod$rVRsq{BfXN`s2recn2G4?mg%C7f>^boZRa)Gp+k@cre2HCozu7#vS0M z^p+mKHE<uh{dxEvd7j{xD~MGu4c*FCZu5Lp1=d~5_#(>3sY>^Lil3f|D=SX!gQrOm z8#LhVKNwQNLjh)|+f)&#acZ}M5zjGW^Q}Dm8Eu7$iN0V>%p9Af1IfPn_29K@`rLZd zZS~`l5O3ziAurcKnK2&zq!i42e~yAaW6?LpQFg0j(|3l^;JgzJopW0m+&8hQu5Ud9 z!IR4I&T_P>9QBR(7x2uyFKh{z{4@kB*B+jg-i$9|$-P-jB)$kqGhuu}ePJM!hkdGe z{5l;;^vXP#hIt5ffh`F%0tiI#X|2bQzz$XXU6bgZ)DCe4r4%V}Z2&Jk69bj|%MVYr zv4l`FH}?-}X_L20n>}C0KZ4-dG!i0#LxF19Z_?mA?^|Y>Vg`4Q+D6|`iX$3eWHi<O ztf`?`sBN`s3CI$;GzA4NRu^S*mj1%Sq0!{cCtM%wM6|=GCM%LI7)}b^z70I+r2D4| z!U^FpO|V^E{-tBqAk2)Fj<U}?>~Ey*+GjS$xe)E}N{w-N_ma3BqPX}@b+MSaX7b1v z3UnTww3G{TU*U$-F$Q9*<QVxDS~j&{Z21MGo!#+ApxJffbgpnPV3!@H1L@eC-p7i3 zuF3ks`+$pi&y5`$nSw0V6Rjyn0}Poj7@#taJRBvTw9&wt8aBnbpENg5Jk;W&v_d<q zCVNFfaXM}78&i%rZ1HD}iz&{xC0Kr@((Kkt!aIK9t26Fa(oP;#b1{s{Y`zD*(&~}3 z1CPfr3;^L&|HtSK*>R|Wr26i@PdNZjF@mnd|EXRHbbsXies7|9;0d!A#WflamwH@- zn2&FUUvDM04c2~G@6PGN(^e46zezpfhRltYqDvQ5BZ$C)#@|Za?P;9wm7lEQqz9<M zs9bPj^d1R@V)#)AyVGVh7NZg{qs00BLklB^IE_clVdW4W^abI5($2(i!gQ7;ptBC= z;?hmY{*{t_Zi_8L_o;pF<uiqmUh)TcSbMWFuxcnn`E~Yn{5{UCF0`%+y2U?@fQ&RO zJj|&(RDl0BzdlbqmthfIo^++{%9FEEK1gJZXR8t#BY`txBlgAbl8kmco?dix%VwG> zVTLX*ysFw>03{CFO#UX%EY%Kmmv6v&?i=dfd};D02AxC8rsa(bxctvi)cJIkXpxtV z4G1NqiC;M*Y8h3^)}+0LFkq{CrgMC0C7ztXaIQlgd(bh&Wuoh3d&_sqnb$EjsMpZz zf}{42D%;p1Og)m~T1*~T+NGh1ST|s2DCf_1fn^{t(i`AmZ1u_<6Sc~Kk$|q+86)zp z{vI+Q>tZRZj&06SgJ7#uP4O-lj?Ae1w6o+AX_Zyn_@zOScq4pO1QvsNeR-GN2Q(yN zh+(J{(umz33=N*v<xC9<`3Dv%1=<o6wHHGS)wIw)48d^c@yT(sK~G41#-??DtjgRA zAiR?0(71CbPO72EI093pf?r6|NRln>YGE+FL*Ctotu916s6G)!t|&8)GA}5UHY_XA zqW&gWHGJ-;(a}tw!l2Ev7O4b>LOQQa-GYw#FRt@9XDlWq{qBT-0xwO;8u$8sI+eVr zJO8tQtwwv|t60m~CLH=7XKJp`{R&NkqO-3r%-Sz<e`+&Ja6YY($uHQ9$~3z>6lETc zzj8_cj7tT}WMxZ3`9`o)g#a(l^mrQ{-7+)pA!RPDyNxa+Sf12l;Y}1Z+y}@KC9YXI z*&MC(k+3ML54DK26AW>WkhQ$UuoZF=><8%6V)>r2V$r3WfAK5bBkitSh@{Fovq_Zk zQ!Sc`Yd2wG9QGf4d!JV;QoYu$=L<0>vrm?}f{x_^cSEqVY-#@S5XIt=xJeaGZx;zP zFtv~q&1@8pX%ybNO61bm<bB+l{_@+{mx5631yP3erFmN#=l1fnnePnua|BJ=(!h$_ z5I4rwe=A3;5VKJf8}Fj+;Q}$o^EBZQ_|G-8uKAF@txj`9D>OqoH7`qS4fDDKVx7T_ zFM|H5M=BD2Ue=Y3+ci9)%e)X7po%ZMlA)~h7+&&GI}Yepa@8#rTj<a@*KDNhDJut@ zMyh-M0PYUI;((zX_aL;E=jP?V+vAw(!a@9;knP87DGSudM?-jhC7l2;YFwY_K;Fj7 zgAn9iSFWP^)>_`y%roUK`^iz|Ii|}zZy=y7DesrAvxCbga9du@)%hw*9UzT1CmSYM zUQBJ}vh-UaDDTyV0V!srQJD#DO-B+m#ZfPSFgwzD+ppbF^v^NgR?o{8bqKhk*#i;A zIkwkVXg)|ow|$>F>5k8&&HK2t+`wcFn5jz8*JQ3)J(N|JOLrEyg8_DRZ;%F>#3YTc zytaX7vi`J2aLZX1#O)C47{pWH-j^D?`k(mLSW3#sy|FJ_l)sm=h&W`dcXXk<_pS1J zf4|S4tNcB(%et(~Ht;yC8~s89z}n-lDe`kNur=sUD)%QF^S|SK-}mI1RL_XeTXkA! z1<oqB5-Pe)3SwX)BuB5Iki**Zm^!m3V*G!6h9agqJ{MWLH^u2lQM3N;a{?nXr?#vI zI1!`EJ!9a%dv3vB2&I$L2wyy#xVsi}mgdex#K`R2${F#&TfobS!R~)n1IK=hnTIn4 zC!l+u<3NHlaq9H?`af%(mu{wa*w5aLeS-V*hY?`-ttCSG8r;lE)_HUt91L#WMhe&U zZ=yP(!Cd~%rSO*HuZ>rJ!LyOQh&t&XxcvW0(mQM+zu*GTi{6>mLN~!c{%&2lF)*3x z4RIHhraq7$ER_6f5qKQrG(F`*!3-KS6c(tBRE{Fv47cIX@(X>$ZaEVwseo00|B2fv zTbW_>agjb}&~%MJ04;GjQcyWK{OPfz$VX0_M(vViZ2@4pUa#Doz7HgZ^YX`9tswX$ zch(8!u0g9BJN^N0dMt<5Js{mr!t48d9bS&AqZ2JAU%HEYG@<DVYh8yt)m<DN>+=By z?+bs(rGsB(W1p&Ze8PMOu&JJQcfOD=x|LQiUtdeYPcazI;ym4@9SK`u^I&~tH>Nxb z&_s-T(y@)1QFX1*LEE=K!JtcL+M#(?S!YZ_af#l6t&`araYtAew*C!aG_ZIw?VMvF zz@H5pEur%XmmadU!Fp_6vS!{@r+Z!D9Kq`Ukkm7!0Kh|yI86Em>t8H#xRz7%u1g$1 zgp@GF|IEf2y;L)Und$wB;QD)l`;2Y_dCWd+Y~a$|tk+6!%7^mLvHGrve@;{`KsO?z z&yw`ig~LJcstsOb>8X{(;*&6@Nh#vfrv$pbk*UHXiuKO@F+O&6Q9gWvXugI^01sD5 z&@(}B64DHf%Xuju;G67Tjyn~D)a)i-ycqZA0kwwjcHz#;p^t3qvsfKOnogjeg3de3 zfh2w%F$1MH_E8OAMm@`vdj(?mEgNiO5@8g8V>}x4XYMz9rk{X!!`GV$zwNi7FrvBe zu>sJye{`k_dnbmS?p_Ax299&0ALq6&vP|T8es?5TqrFv?<<^oXh*@*__U)Gr917x+ zocR{8+=dPz3#UG5L7isK%Qa<l-?_n};ax~a8kXtQ8%(PAQ(~Ri3E!UAt@Sz;8&Ox< z+iKjcFebuUy@S#26s$rXa7$z_5LduI9mExH^M~c#ry_WXvfvr8(qK9Uz@S0jdIkvd z^AIW~O}-K)4lWSV^g4gEajCknNALMUE@XsV$2?E_1im#yiIR8?7R86z<91xZ2g@Ac zyvmz_)>j;j&Z^|J$K&w^4Om1DCO)W*zP&0!J;@aLQ575}?DnYS9TqE(xwhE5doE>s zC-J#riT?L0XXpo{?*hyZKCMIOzhQGDTctQ0o{57yy(-d;NHz*6bey~#Dp>25k3j*) zCkj{7ogK-)i#%Ntv$I?8w!at8wOn82k$nto00vPYW7eUrPO#A*?*%!mACYR9JKyVh z_1C8IKIf6X<Yi<O63w1Nf%tY4UyLnjq;tl56duBJy$8t}MH;HE*e22UWv{g;!<m&p zr~ZKd^9&ff)ykg<1^^(91OR~h|IJnYe~`+#8rt?-Y$$$f^&HN4B;{?}HuA6tHan|8 zJHrSrxCw+1AX-H>bx4(oDmXW5cQ{fh6kC>EmxG9+d3W3NGL@>Zp$u)UMNE`yT9&{? zb}4Q5)qlTgce@L6EH)69Sb5t0+p1Pqd+;*SgzjVY*-;xx7n}9udYx6)WYH*tG}TlF zU@2(b6ZtILZLz9VOo}dm?OGJDYJoOaWx>_YGf;l^S6gr_^&sL}kZyB?vtT_KB-I~K zF+pP0;))IkXbLDG$(IR3_&LM7n`1imY}|%#H)$f9EV{#N$ak>}WhZ9NFQ+qPkLwOc zA}>YaiYe;T7#ORP9i2UK{{=-GJ(M2|WL}7&ESvd=E?}qmn{lIjG*EgBn+}@BWf7Vl z6KD;)mSIt+u!tj-H211I+(Dd68mXdMw>)*FTG)-4Z$*t;@Q^01946n+<D{7g!lVdi z+@VdW3fRx*qU!TI*&_JP<kPGndAeQU)!!Qs!_pvB1=xa@F{iERF|W53Q6YqPoMbUa z|57mu80~lGKG@)I-=WpcW%|e+9Nj3KovHj{sRBWg@S6xHAbri31*2d_#qQFe2C3KV zqQMlmQPm$L+kH$&<P98av8?(W_{?!9b2ib4*d;5(nBqf%(la`Rpw=M$IoSt?G=w=6 zo14|2#l@FfrWPGA9Vdr|33E>LJ_YxZHV-Ckm`vI<l$2wg(1w0{S<d0(%|$h(3sIYr zhy0P^X!?|lKq>i=UgY2=DL%#w0btR;4>^~{Q=Biz7*yq|tQ{X0OqKSlK)YHaAY0c_ zaBI|i8?a#ZB5w`nP4RUr{1RTFogMfvWi9;>biGzUYy!Tl(O75f;CEBI075>}u66_b zE~^lYclC%CHn^f#$GDh~w-q6^1#6*dlpqM=8YG4O8yCEoV`hjY)t>Ui;4KzKkwx-Z zmn`*!xV7OVNMOw@xdhQzHk`T$wj*6(3-jA`#x;P|gaW@Nt7_floRy_d%k%V0B+;bI zo9xru6tbw2cI4@V73FqY2JLwgTm8njF|C6HN|i9?HesmvBp$FwF$HBK^*%gp4n4r$ z@tajH-dCLPnl7Ok7w(ym!ck{h%Sko_lYCOMrn9YV+#;VkaSZXbnatFWqK_h5VzWD4 zU-U@Q^^(tW344th@yk{Z%dZp*#o83%$A-cB4WXuf%rdS(DgK*1kMv<G*D1h?1^NA{ z9o4bd0jBQ|jaC3qHs~_YI214|5C;{y8K?S|JMh68@uL8KSMXxGJmOuj%21xz|EU`@ z7=JL8P98=nVT9xr7@fb8(2FR)h~I61R_fA$vZjmQ7o%Wb0(BTWnh`N+0xpNB+Nw2c zis(8GEl@PxchHR9+0{#$X697a5TKoj04Ft$M!iP_N1Ht{$zH&54pe$y7iW1vQChmi z%pC848DubvLzzGNP-zYcRBI9^qxx5hc*I*B5$D2bkS;Ozsna2IHyjjDAv8@~&&Evy z8?7(aN0$!dHl7H_dQ~uT<FbqX&6B?<9n>(j!6tP`{@rphPtP>`(0j-#22s2ko9GtI zdKs+txOy{Q{^Nk~+FRWac9~*HZLNl3$)QqzSGSj3WM_4}sG2vKcVUU`Eoj2aNuAZF zNcuu*I!>ErUzh7En-KW6$3I;xSf2p%-yT$7hKmJpW)YXgN6x$Q2thi`wcMq(SHHwm z%#9ibq)6_VwxCNkWf2yezK}@v)Oi5$a7uDvR!;dR(a>UJD);Mz(tM9M2YxiDD2uH% zs{%Q!Jv*ZSme`J#VKfoa@(9D^?kaVdKnAxdptsb4c1vb%Wdjf=Dtb3Pb7<KJblJ~- zloMpl&anfsv_YjnZ;<I^sWrp=-|CJrzApQXbktJPSU5+71%Ih_D8ssYhF}CXPDLXF z=4!{KzFlcw&M3Hg%?y4Bnkuwc+gRPbg-{U7gChqn$Zro)=DhVRx{)g{36zC)j-}(e zmT`T%m8HX-Y>e?cp91PHB|B>(l$f?CkED;J*aK6ur)>olPJ*Wj2lU@I#$H0tt!4X{ zmx$a9gIsHQGhA~c-)`S^su^M&>)zMA>zMqvk?-_a7hYWV8vyli+8D2-%zd``pFfG- zITzfNi$d1lY)^L!7Umu3(nB$dZvXZc?vo0VzeGL5bX$R%DW@BnFe~i#OyvPF@V8iS zXW>NtcpPcTZdlqnpZYCDgym&H-;u>@h9Utpuhai$|1%T=`~c;He}Fptls^=G$pZ5S z{D1Z|oyCe1YG43>YzP1Vvj4TG>HohZE~#p=_Bjj)y-(CMMGy*_PV%YBUKgd|YL}%| z3Fu&}x($irBs;&Kv-h@c$yGRNgMLq^v1gtVrn1yhp>^(6f`yy28su2Y<t<judaz}p z!Ga2mID;>_%x0tf*=?y^KGxb(Xbs7r`*?|x+BwV6Fp*{+^^o4P<+Yr??sd-47G6_4 zf(k51l)+-;*<|5ev#E75J*WTp;=K))Gz}gxAiRbca$ZB0iHg^O$DKwMIE?9wnAAFu zA<&4d3jz!xXaJ$BxyobE<PZHd#p3V=PtEoPh&~u;9+AbBS;31uqLdI*pONc)W~W~k z^9_^W68X(dQEjQpO^Sa9rtyhcR#aH|zq4k{#s1^AL@zWbsYv~02YjZ#W$jA|cM_Pt zcoxSgc8T;n)ew?|UhVXeO$q^0(QhWTz-?In<C~&+GP<_GnT3N`>nIj6;8!R)%ezL# z+^sU68#0!s%opSOiL>l%<ZSkUrZ-3oN?$h#9F6=>7C#ENaC;60N@6iQ%7A}TQc4AB z%5YV}ZQ38R_|WHhp=59vp1teZi#^@y7=H6IW4HL}6tz%8u0^TZI-ww8c@#SmQlk%L zyA8HT;rq%EzY95MOxiq;)%7t8WOKmcaZO6DC_jAo+{7r{j0n<Snfxx-W(e*lyuckn zS+zz(kE%BoVz;5LR_sD6WVM%O?+vGOu9liV^@d?_O?y0b6KkL3^;wsSUe<jNm}r3Z zAyZ%Tfai&}ZA@`nE;UwjVS6%p^VJ{sk3-XTXw8~wewQxov~4ACe6>UKlJ8uu;nEPU zjyWk%2Z#zh+>+-IX~@Mx%@*2(O*?_uVQ-B)OC=VVS|S`Hnjb}s+d9h>fO;T)o9UlR zlAMSLDrBe-Tm54YHy345_<6v*BsFeI&`qk+Xlsip@N+3+>N(bhMOk}h!9t83$=1Vk z2C$n#g%m2V@@e6Fx4?@lOM|7-ezf2I!Q1!GmhiI&EBmAy2~TmFW_bO-Tq8JH5XS@~ zwyP15imP+ktuR6VlZMLp%xkU!zyb1`z;pe;nh<0C@wHp&(Z$?-F(EDZG}pi4-!jXk z&IieR^#56I2|3)##GwDx89V?0;s0K4HkL+o4xXv%d;g7*2!3z+f*cqm?NJTajRK2+ z)@$XhqfFPN{|%8`8#)$B1eG0^`u*HdNfgqO?0}9oNpCw3-T6r6V%Xy?I}yLwzgx>< z`56udIjf6J4NDlht)){LuG={t%n~X?U8|6mPfGc6I;x!t9wPsQqIi$eEQ#T=XUbBx ziPl@v7sY%$-t30&H|*N+TcmJ~R7Vk-5s|3Wr2QJEE!B?XN96+sSe3PO{cpAvsr&5| z-HrsQDl#oqtpryA)A2qt@3aZ4UD)X^S3M2gw(h`_i;#=*;2@*5aKCC$Wjda980qGE znuBLB_0m$efw+OWAI%MPTw(e+71Rm_CAN0=DuC!VG&_!9>eySI6+n7i7!28U9{}nC z>`QGR7xZ@1)-n42AnRD899!h1C~$M<?nd1!%&7Y<PdXF~B6h;Mi`yOGiR0GP5`|j~ z)hdER4l!Xa=+EuM2wimp0|($es2nD}pH-(OzF_I|?|C{2avSG)aLxK9tD8XSkh}AW zgCsiszK-xm&%Wx}9ycBQ+&EU#UL}%64BR@*4Y4UE%MiXSX>wvWSB`^*l+$j>B$l53 z%Z?><T-2jOkOcFnq*3aO*6HCmKVj}trDvk_8+^$hVNN&;K8a}pH*U--=`Ht#Ad<hG z*l}RP7NmgC2Je8bu`BIC&~vvPj(z&(#dX?}I9Mc+ce|$b&cOclkW6pu6#o&A<_jO^ zQiM!yWXI!3c&4`FP|O3E5@20mb7pZAU-Jtr?C$0!Ym6&ZWbJ}TEm`H-a}M_3OP=V5 zZ;p+D<sV)<cKknly#teI(UPrOwr$(CZM$~awr%XPZF`q(+qP}<Rlgf?BTh&6{R=bJ z8gtAqM`o(-y@f|if>j>76d@B-I@~Z}e-aJpCjLWGtjN*r$->?jRjBbOC?v=@8KrjF zN9MpMK(m9ho}5TJUHj+rcS>k1=H8O3;-?nsG2hMd&j^cHA}2KT#h%m9_xt_c1UFS1 zP<0?u)lo@dq;c%3SB<p6I9dw==r(h_aLlA*ss?^ZaWh>%l22O|=(?CoEyP#ku5=^Z z6^K;Q10uf|RLMMvHOMn}D%$o4Y+y!Utcqp07=g0;ns)@Vn``(>*hu+345LO)MLu!$ zdN$dfF_UPaPbe~!D8d_jSA*tq1^!N;?PW6HJwwKi5LHdeXlg&a7yJm9@&`yd)@<ip zl_<s2xRSc^a8f7Fvw-W1l7C1FZm-WOjLCg4E4~dv%qxcI`=v~z5XD|3kzKp-!?<aB zXMH*G9D<;@ZJQI>&>j>t#M{=LaJ@EkhNP>!@bFcqc>&&{91IHRQh}mP;1T-VgFo&| z#kNrFa|)@|vbfj#5bsv&MW%Z3*&zK_1f!JHmU9R*zyn~OovYB2Zvhms0vq={MxB06 zzCdi>l`I=AM}Ps7_P;Gjs3&7Pzv;9==hPN<JZeLX5tZ8q+u(DnWt?UD_zASt)CQ%j zp}D$dZ4Uk{y=sKi0Y|>OCMm^W-yuFQVKj?@0(0+$QmBUmeo`PJgNa=GPcS$pn*%)< zN838Uy)KJ){B0yH(b2_Xhl0hDOz7Afr~!v^cw}Feu#u;@z`}B6tMMq+)!^et0+&{a zhb=0v$Gn8k$!MvT7x@B<I=pEtB-wU;gD;J^h7D8bsyjkyw2nUYZcb~{4r5?XiBj!* z>~w#s+M8Razf)N?Y{v9T;weQ%`ZWf-<R`Mg8b9b{AWyA)ls(Q8p6ODfSB6@+EK_<c z@9r8h@CNBnvnEk=Mc+=ABG*2&)OeOVaF+K!`rwg|XDma5j@_3tw%?%tsjy=FcX&a+ zh9(RW0D$!Wt*}l;ju!ULPQNM}tu|Ae$$`-Qpe|Eh5l8pe(@Uw?t&-|#R<)S-QK32x zSa_dyb<{|g?dyUY7!3HPcngPU<RJYfbH^g<DsTA^yjB}%>uK4;{E8EDL{v?s`68(t z+Gez}nYP@q{RJelm#d3HBSYS~ki-Hc@5h%8Hv#ug2=pj;^W|eiw07bE`VoEZT&0#r zGB6evPD+!jhR21iWP(aH(ehTHSzxD`vv)3l-#p8gexJrlIU3nqRgUlu+~npaz|4tK z=5YT~dAB&aE|L{_VLBGJ+JbJS+E4HNbAKvRe>0@Oy+?$&gS^dLf?mi!(&t+Ud{t=- z#x4D40;fN7@Lesg$;c|s)WDr2ATITw2398SS;Y-A7RCjcXF6R{Qiz}7AlIJlaiH$B zllgNoJnq!S2B+i)uD8*)@n~M7cy`rx+YSodUk_3H7`4^QR%O+kG-pTmch_KDOT#m7 z#+VJ1t1bu|wQTP(#OE?FnCJE9mZA87Gp7?`nT+vI^o102M%6ARX4rXSb#)Z-k@nip zYs_coLUA!~yhdU!8z=Io67QCZ;Uw~pUMFy+f-O&3+rlctKXp`IM=B#=8tNW5^<#!` z;PG&}*;+h@x2deHLS5gnaXBRZN68<d$Za)p8T2b<EB;#bX;v{uW}&zn6cxJJ&znoJ zI9dBQbJ?{AQ|(m+Z#J4XS+XCQJ@(4CChZ<gVy_jlHnq<1<~FyA$3}?6&9$fUU{rKK zx9Gt+l_D9E(|Tf92&nn>!_=nmP-W_<=z){<*_>0^`fncsJV<YwEm~L&tv9zVuheXW zZtOF6&ldZrf8Zx)c`VFiN48#gJ{R&i2;XQ-&8Q*>piLB%W?Bzg;b)*ViI5X%elw|9 z7Xob!kFVC!P%<@4<z;{Dp+t{BRio*+@$@jb3JuF%FRM@S4j8r}jy&*=rA~Py0Xt+l zotuY87E3uhm&|neG-`X@%cDg5GR?9DFeRK2P8^!5_%ucS7S_x7v40Pwl+nqAq{B`# zHaMQ5_{1W|uzM2{lS=c;T5j^(h92{d8E-4JJ2}EE@Vuq#$@rhx=RcMd3t2Y3ri$A& z`}HukXa_!w(i=lQP^8h|5gX*s0ARb-Pkm!ecy1b8lRfCKOmz66K=;2Z64NpGA{@u* zD!&>{o?Y*$(5+>?bTwMi8Z>v|BG+s9n&IQ&?as{A8r>uR=U=Szmr{rw5CFg#2mpZM zfBuWD4P0!E%uO5#Yz%BIOii4e>D+CsqZ8z%ff*5oZoW_$2~G)htOTXjw&sI``hvhw zYZ<vWz#h!9$7;6h?36avm8i(#{%mKyO-bLctz#_%COp^d7Vg2C?IzVWYNLG~y$Q;2 z6cXr=M!PB8;)TzQ3(`gOc4y{@_7n!ToR$=+>61cMqI%xDAdGL6lW<>(Woe!{!=mWI zXC?!qt#q#!0HHgd#)i)yV{e^V&QcTHbBH(11FD!aDs{_VPjhB9D*n2=Yb&l&C?8~1 zz4d52kLHk0gupL=WnO4%{d$WiH6{@Su{<rALx|jJu{uR@VY0zxoVwyV`=%c={R0~o z?1vh650T7LHAaQ990j-aUZgUf^b>WLo){CPOJZmJG)c2QQrbT!`~aL*Pk)M8pmn8% z>#)7`C_fqua&V1~*L;s(_3F2fQ-kdO^YDF~^m}4|O{ym{006=NeE9Yr%xp$>HueV2 zzv`K-A!~QQhS2q)UdM)(qAmU_nfiZ0bc|aB;Gt2rfOt_t1f-Lu#E?J}r1rnxy9r6P za${P!R_k9)IUYFl>S?TsX_ZZrtyJrc^5JCO&75y?P3KpK$NL8#*Q!e^Jki$4SX)XN z=~PX|DyxF9v@|{95Sz=Zl>{Qxshv@=->_28HPhg7CV-$Tm#Ao48Fjh#G*gU;PGk+H zK2QgmbZfU>%-%f7snx8WXqYu|HESNBSJrT={2lHIpe<$|la6GQwaTfkbL@k{VAC}@ zMf-e9sGc|0a&Di5KaDyaEAde)lT3&bQ`Qpwf71O)u8R$}mF_Yku__~3U52YMu1^~6 zPfQ4<6g368Uo?z*)P|vQt}s_;wOrppnWy@$5Wq*e`iRVYbcu)~y-(IG0`Tjj?h5R+ zv@q_V>kUZzjNVmyL;qqJxm~`<<Ma7`5B8?_{JpBg1=!>qe)71Tg)-_XjkO!0HWuD8 zpS#nls3N2e2S+$8x93WiY^u5vS=ZK~J`3m0(wtf#_eFtBJEq}csUJ;v@6<*JeyHCH z1wndY@db`rxL=+mz)x3<mJ1+z=4m}nlHn{It%3Pu8r&sD0H10?DJcyJ8MyM8Dv*Ix zwu#r>EFlliK|m17w4?L=8e@GN&k}VCYb?y&+GBtlmbQSI-zO(SP}RqO5lp3k34~Ew z=94+_y$tq3Cl7*=i4yfC9+PS80K0h96<?wwt1+SrbHxQeuLYh5DZL9#c%B7xEX&=i zPPU-bH$`KjmyD+NT}1-aFW8)|HFyvC5Vsx7&d;m6*JKc4A}6mvX*wjCFI5HL=i!-D z>2mKh*ngEs_)G0~D)y;I>!7?MB;N72S&yT@Xc-#>e@V#1a2|yoQ6N=};@q;xYC!6n z1cM(#m8C3E>>v6kjqdAO9WuBej*H^oMJk_iVt?-K>w)2`MB5X8n0l|&SyXya`SC@H z5k+b*L`zy&APIR11xH~W6qRebCO1k_F%u4&-q4;ujc?9h^)LU#&5Dll^Hm~zPDzdX zb_9bibdss#vug+^I1nO8N|#hbJetfX075XbLx>Se`eQmXe%BSs&Td?bo3S<pgrV_t z>xa&iI9RGMr^r0xirl<nJyxU<t5rrl(m~-g?sjFJr%U8tuxGQ6+k`+CL@wiQ(NSgP zWnyeIJ1NP=ziEhm6cqHB?$BZ#)L!M-9Qe)l5f#|8H)c!SE#}mkKAPqnzjU1cJZG=z zN@z5=MWN6a2~&I(TA$`9Gg*TJ1J50Bt7qW144j7Du+X#@S);;4zeIm@<Kh+4trX{n zbY+?rs*Q!e5*pRG1TiYLoN8~>iRIX6um>wh+rXFt!Dxybd?3icKk0*D)yRe>e<va5 z8RUA|@jeTnmNGu*#gkq=;@WVpy0)BO0o4^Vwy_Ret=3*HWH|5JV-9G~XW&E|+NJc_ zI+<nRC%1p|+R6E4VPiEJAWq%Oax;QYrKbBI_uaM{6~GEMV2jN!AiAiRLQ=hVqdK<e z?6E_8MeRqA8`P?ToLR_Cl^CPv)!=|QanW}C(%LD(#M_H99Gq>@-7Dd1cui%uV$@>% zg^_w`lBUcjE#xzRFE#q4TG&eH?Rm}}!_n}MzKv34t{sTFw>l*EOGoAm-b#<J2~g*t zyAUuit})#|SKi7wsObfJBv;&jUHe|d7C|r5s=eFH<j%%x?L}9-J2azoGp5B2IxwPo z=}>WUvjH|$00K6)74CuE+YDuKEqBOlpT_#WDt9~ODVOaWBmG;vL{DoSD!l;PmuheO zSx%HY+!M8FpIv9#Umi41)EF?1^RF&OyP$@yk)4M7PrGe!R~2B7z$bYgL;2n}%6g5{ z_de1m`VBI$oFT5Ap5AlSoR<KqzJdQ!%)h!9su6x~QncTj6z_i)b4L?13nyn2$6qNo zQT%5+K!C9I7OBiNm_oEl>vF2%VjfC^i^yaa7zv0QN8zVe_eb5<*8gDJYlJ(EVlvNW zoK!otcbZWF3>`*$0rtQs&FqMkoTVuggi4UW3d5*SnX-?5w&`5#0vwFBXwe`EN!K9k zzG)gQVHmRPl`cP1P3NynY>)6?^jDP~h;js>?g|(;5Y>l-Dt3G2X-f=f#CI6oDGFPO zF);XLd4rYmt-*_A$Lt#J0>=8en6H>tx32U}j>M<&Hb1`9>+uhT&+sicONUp_jx7G^ z8{j|7!&BX|Pq;*TWlZPF+2zyjE!{PMa5KD8&VpxLnoBEP9mhBe1R~xd6Tp~=LqzCb zdyhpm_*0n?xU&uT|9O^}<BLTozi$iYUs#IsznrC=vw^e8e}Nm-|BFbAAUa6D0pp(+ zA6FljCoDrWFf`cpl{Z+{KHsO)SZOqsn)q&6neDbGc`}DHa(;&b&Q(rJwlgik4|}R% zeqmS9htB6Fm>!|)a4mE<NYpK_uI(}U{_we*JgPI1p=UbWjb)FLr|03kI@}H;ELVb8 z5~nEFveV5y4?X&nUyw*v)Hugz9!SG~-fQxZz^G@G#LfnQo3>+F6WA;{keI?nOWs!W zsj7jtTaV1Y4}@p&0>enPTt-;91D<FWa@kw>W8$v%gJ6VleB8#P&AiX6m+GW6RE<bS zeibv}K7@iIAE5b0j|<T%#p{78y?<z}A!sYpbPF6s^ERX+Yv_N2SS3_7)`1bu1Ma2+ zJg(yZV_1+WFVAq{Nhk;pcSy@{9y}H<uZ89rd}fugI8t3JXAg(l6kPc;Ebv$NNaZqy z7ZcVBT9KlzS(bP%B9zml@KF!B;+U({k<goQp}yF$u3V%09$M+0ZNGI3AlY&nCO_?8 z6*~u@Zv62zE=;i~<nlh#g2(t7Ee80SRLU4Tt1(EDr1^$S74MKNZ9d|U_ISn{(>KAE z$vSgZ%L(iA6HL;xx38YzZc|`i1HK8n(CGWk<@F7)vph*`uaqoj9%yFGxw@RiiL?%& z-f+eOBB5kwJME_j06ANk_|lc#vAxgk9U%bhABg2$iMqLWD&6*c<s35)GBt*<CY8H9 zDzWHy6|8g3jJ5d3=nlK}Ig-b^{DTIBzcp87>@RS>^c82$2b2}X3hj*Qyig~`8|g+o zglC+ZlPdE?qb>#)p`xi<^|S|L1lm=ysl4`md<~b%p(}qspbY1i=nhYYB`s?{Ef!Ul zI~N`>Xa-GRePf0?yVTQK5IL<%&SvA8+wg1)iwEA{z^WSkA6zvA>zVfTWR<u*Jk`PF zuLm7@w%b_DaLw@;28Fy6-CA!>c<*mx@EuS1k`STYTjP&}$UnP&KblsDq3rzV9+-(7 zXq7SA?IFfzWln2;yTNAS>a!Obn;Tk%4R+jor&~r4GHjR9N9K^9|5i>130P(k`&Fid z|6Q4!3|vj@{?8NLBth0Tm;ol_C9A*qFJOctKoO^Cs%i)mVSdVe&_08z>eICgQ-A@B zCgI23+Yu+1J9N>0yT}df)4VqI=AzRWJ>o1KpNInTu%c(F!?pj#>6SZUQAI_97y@8K z<vtf{m?^hPZ)wei+qDp352kYk14IEhAXc=YYVuJc5hg>+9*heRaP@?tg6zmn{fX{5 zrZ)h7kBWb0AGU3f1w^Hl1g6gAA(N7^d&Tn^_pXWTu1@c5xGfpl*SD&d<^zQVxj-tS zwuaF^*3IOzyy^W1OgU|y(mla=xXfe4N+9=;u@2=)%|N|3wH@1zy9r`0%sn}9SkSdT z)ihUj)=CYSXyozLy0GSvG8)#a2Y0ryaN~NqmVm~*cTJB;QeOCJwJNd)Zn^TW-TYh} zjLf!7UY@MZU_ROr$jbKYrDWdV+<5gRwV(ggvpQ>-0xT#1fX!bq`)zLqa58arv3It! zvv#8YHTS>oDr0&l<KL^{zX*xu)h~y}`_AbJJjsiT;uOlX-pbd2ThZPU=BL5Uc+{PR z{;xm-T|Gsd3X<LGkMB%ulJWV_R#de^(ay((aLKIYjH89Mk%>jx=8BZITE&&-N0VQw zv1QMRY7U0yV5@=DM2<}QbtdQUP>l0#lZyKNwG>AuSG71PVrymXVgmG;kQ%NfF}@ZO zNuO3v*kaa}FKMOhdmecw#oLm`<EjM(ersjgC`)Iu+eYHvhLOqh1f2$?PBSwz_r4tW zx7n@;r*i6U^cBTMZ>Ql~O&YWtlVoPyl&ZL5hN^PMd`yg@_zK5ubJf7<IdmyzMP^Od zXbF-}DNqS`i)v#NSsYN?#KXook~QZHZj0T`L>@)*;(d?K%P5%BQ>VCsNnBQ(2`Sqs zctsxA#qr_^@|)9>s~k526W1_-M8VLzbA7k^b*6<y6rK2nDT8G{@-jwyl_j(r7@)7> z7RH#}sT^%5-0IcniotX9?*gAAoM%F(p^~E#LP;7|P&WgSDOPf1ihzkBN7QgXgo1AW z57t9*ctwgF-M-Rzg~|~9Kb4{P+600$3xV4AE`8mQt8LS+_lm7R;ZqW{5uE~3qtz7n zWkbsGn#J&wRBG(Y=?o{jl>qgW3x5R$Q`yYya0Yxz-?za#khE7nC@6Lzp6z-*Msk<! zcD@?rR({&FcQ$=r-JPT(!biJBurGYq&3>G6#a{s76$_~LOb_utpYLBN?$#pavZVEP zXHqV+$}~Nn7FFBJ4T;BzD3sn=`yLu`@f=8+H&oO@B2#$d<1CtI3_=RGp`>m4q~9t> zd&W;jDfv|}^j{p`$se2{YpnnS#z`<}Iu6mDO*b7~xe$srVsrVwTDx5swPRFFx#Q<v zci(getA8Fj&2lrKXd4WwmrQ3DXXBLMl`*{J1-IVJ_Z8jb16L#=oVhZ1{SYiP{^YCL zBE2%YPUR(NSL$RW#08zVl8YpJx9Pz}m7a9%*_?Uq=TC9A;CM2eN#G=7f0MT#`OBc? z)GO6g#8iaMhd#TN6Hn(|8k1H#AI(qYIs7h$)pLw=N15~W(MY!SYx*-1(0?`&-|bXV zaqlmO$~lbY`DGTR{8`o{Lcxe$ldvKwAFZKpMi#pYTsMMB@PRGl-eg#-en~3SD!7a= ztX}v&t3lR|mF&T-QvQ~0Gxs%jYmprVbHj$^^IiQY%uP`aFx}(z<e73UxvqoFLi-#E zmMAH$$s0AnIob~?+*$0$UZ$9S1!|b`K`#Cp*QhrK?@j&4NM7m^HtgHGdDS}_>49h6 zfujc-+6)jQ8J?R!L>r1{%>pd>Men<{UFLUJk0>l})yaviqW3;Jk@tnN>>%Q~spX6m z^99(+a89Y{>WXW2>_o=!vvLg%#9`Dc=>f-z(~)Uv!$}nI(X}?;%9j0<#AiBO9>aNw z#m=a#wM@F~(SEQt(CBdOs?f4T#m_(_kd)kaSU|e&@UDsS^Z0x`@bPqotK}*Ad{2e2 zFdX(=HC``<ox+}x^4S|ovg=-ov)wlhHVJ4>j4&9yOz~Bk-K%a3cPhI`ra<@^0x_GH z8jlNDsBch~Yb_&JN^lwyAZmmE*+x@J{XS!B?t}*+Zf5H~IG||79<fz~3YFuFhV?;A zIj>~W$)Z;v=ir>%st}vTnkx2+lhfcAUR^~6m3Z;yTBbv`L!L?<)u=w!LcJobK4x+c z6{<)j-G>jyXT;q}ElLgDgV~G-VNIAT+FdZ(kslGdsC7)2H#q|^ew`RTn;lJfm4s0v zz1GYh?4j)4Nyy=%rCb}=Jm(-51AYZh6MDB(yL!ZAuEFlDN4EyQ(tzU*`8%J={*Q0; zK>}Fo!R=3f`M>g!N4Q8Jyh&F1SuMg@c`Nj&^tqU`1OFQGTk%YLj(H-igTP?xDs0;M zu5oOJsM7b6coVp6KY$&sdUFjuVRJEZK?Ju(JOa+sOF)569LJV}0`rO}>kv7wJO@&0 zKkFpyqMaqGoFrMgc`S#4Z3#%BRzut|uY^-ufP_G^<y;tZ-d#z-UO@tS78&!Z*}ybJ zt^{zSYiDAlVLoh{RF51rY9%lGu)6rDZxCODOF+20;R;?Gi5<lxMF>2IU@d!x*4)?; zuIPJ<l#|H}InRE;G!8K{jqP<={BdYOB`8llXvlxL{Z8Zy-zETKUZmNfM^!~{@?jd> zty|h2Jv>XS;)x^K%$VDY<oBF!Z#}8Z6ZVd`a@{p%1cFJXwtZ|(006wS=JgEMa7`Ku z*H}>0OKcwd?UCr>reUERXxLVD#Fkk)koC5{edrAk1*{y8QACIRTe)!S%10;)jb~4J zRCFoI^5WsY+j~lT+ZgtA^jXz8SK4;iR8BziSJ)>nRg{lU(e!y$+t_fjo;G5+u|L+K zH!;Y}Ie~uXP32<8&o>1cY5#-$+E%Yg=MVkVJifK}n7~!zt-DTJ$7RMe1?aTA(ZdP? z0ZMILn6NP@eRL;6xo+h#Zz(kN6HhiCVoO`{)r{8Pp11i>)RKIqXgHyu1+U<p?H*O} z=|$<AL<FgSaqMX51)9x!fF>g0VPMV#olr&9d>*8};2Hefh`bFf*69!~GeN4|&Saw{ zXBv4D!fEX`%<*(@e;??G7$lIiX#F}6h{@#Aj|a^uo-d-9cc!M=yKX7bUwz8z!522# zUp;4nvp-Ly;eGWy+HV&|(H2-Fi{i?Yj$!%6o7h2f2R4;YyyVr-=V-rbDV0Kz+ZJ|J z3D{PE)dyS=Rt#CZol!kv)#VD8?g0&|SV99Y@@va!K5Vl)_N%d5&fVUw-kD=H?tzad z9<t@zW{j8q=%JDVdG@7)AjP>Uf?#tYo6#?jcfZLum0rl9GuLjFo-yBb)_#ECSFKU) zqZ|hgGp}1ONKU-EE@g1}>=iv~zDU7{S>kT}cgFs3$(RDxMqLB?CJv!*?)%s;@)s4m zq~qk;f)QA**o9$3$5Y=*oZ0rKgTeP>c-6MNZpQ6~{yU>in{f4QX`<4&clBnj@{BBv zW^3C;PxX;_EM&s%uu(+Wf7W(jCYhw&EymN7HdOKH;x5E>>)?>7G^7rtqgDS{aG4dT zTc17)_Mt3zGgXyX%pqYT@)~2EjIAb#jdaAAMA1|L_g(TxVI&c|@fmkzSs`<Hj&oeu zW8rLTaYD1hv{pQ<+hy!(CY)G9VO&PVG!R;$o`2r!pxTASc3v!4!9a$vg+uF*4grAO zbWx?yl!$VXF4h^|VURWpZ#1h-kljzc(9(^RZK#W7_G^Fee!?1OZ*U9}M>J?@gN$yK zg^Hn=90U)p%lQiw0D{zk#olko@MQ(zg+1OR&k}_k3OQcJ;13<!6q_#0P%{Pq^t|3$ zYqg?8JiS<{Cwzk(?O)f#u!7W5f0D1iuI@oyfK1>#r}7eX9D;$`ntRS%b6Ww^wd>vm zmcq|J{|z@}+E0ue{<7n(Uv~VzJduB0=C7y!|GBYtY$gYa?@Vo798sQZ*|SSg6^muZ zM<aUE{Plpj2o6I;3rHMn;+Wdj&bE{H0GO$1DGx%x%-d&nC49Mv7a3{l*X)CqsXO`S zW>W#V=mrnN+zIZLd?i&}1CfhYR+X_#xEe<Q{PP#S&dkO!F<s4M#=<{(t+sjdgeT#Z z7TSK^XBn3C!`QVpAN_e^^*bZ+5M#p<laTF}6K0$7C8`+<ofFQr_zn%LW7JyBPC`a% zkK7Bl*Hx;Vw*aXosI*(MZoO(X(#r7COz%C}w!i1ic`ixYRS<s^QNG4K=W{Ux<3n>W zEvTO^qqY!=>j_8Nd3WuoB}N8a0fb?`r2?)Tf_ORM>&d};El^U{?1hP{@hSZwnusR^ zzwRRm0M@P~s+<j{5a|JPkfQ5tPwNY~hM7^L`Bp4ULf_)P7VgO${<^OvCqT3CU@8-- z!%aM(;Ba-jZ0sjbL*$8WKb!o9S@hwLR8UT}BqGxUyd|@SPD40+BWb-Z1>gvg`70Ao zd)%znbbyr*H4kjdOGqeEqdrA10?H3@ZDKx+B_#c>(x6lBUWeZlMI|>t5QT}=*R8YF zb&<%}oY>N4dF^82n2KAE4b5G9X0_@W*Z2al^2w~g1Q}gakK?;ZJ1Niejg9RLp2=!A znfH(yrFHZ0P}L{tUk3A+{U3aPxQ(}c<?&`g1&*LQ>JxBkpekoUpXHc}MdRGWMz2Jo zvoLK)5~wt%JWHqoS$WZ;FqWeGJF?=ud&@&tB~G9Q0e;ZP*Kq>C5EjEp)1b>5Tinz8 zJDMWRGY(kH3Llg7(NGW{TdIu1_R>UhF=!FZ_pPmYtRNYi3>GYaWrc;h-*u=yMCfmp z9&*n)F-e&LcgM0rT34u1HO#t%o%IsTOP)lBy<AfyxzHdNV-piWs=FYiP^R`|m&oS8 z8*!%o#dl~=c+Ft7*qNtPy2xU2JKBmMKX5}ajV{^y?XC#mQePn_GcPH4BKdD9z4aKR z#<2|E{V2FLT4?f3t-b4XI2g^NXW4#oy|kHSBI@3MZsrV`bPlgpnKY*uDda4sk&K-N zh(@<*XIaUJu*xt6=qx`7TY5jraQLvxAjM~Qd{+=#4t&%fIid65ev(S(P62lwb6#fN zDv|JK9v1>fL{KrL>Y~detMcP1pQ0^DU`;w7d1l27?F3@CH~5<NTTkcD5u<PC0wl9; z|3lT=Pg0QB%=DOP?M0(0zuly^q$0gLt{#lCI(T#SitEY)#VN0oX#`R$<#a8&-ZTTN zMMd1QMRkdw{j;~5pSjTt0h~vioHpRWE$3&C%_*M1$FQP6=;>}Lx!coqJD+)KZ?51a zb~X$=;=_BoCwgj#00bv0%8_EsltOc<uhT93N!6=|2MLf)!eBR>f9+=bDouOd<+=(e zX3jx~?!)G$sb2yg<OFL+P-s5&(<BR;DXim>4T#SSYY9fM3jbk7kstUv*^b>ZRbZrW zcf9shUBL9P%`bT}+3)R|fq9h&Fg}<Iezloe!Ynb9v;t63rQz?CGSC)8%Ej+x+8Uti z9}Xb*$$I(Ni9KK0RYRbB&-_LyvRL>ukG|hoEY`DUOv|ly3w69$(p>>x5W=$Jple?D z+n$#|cQOYyZ=g~)CFKW8raOb>wPaRhzL3_;Y8QB4((Y*^O_fdqqCQb44^nrFX>>Rh zTq=$H+q5sp*=8pU`)Fv!ETUpYu_)Ukz_jN&D}RtzdHN#NfZG!uZAbw{-+WG?IFDrK z3C4uqrNz29M@}CJ<)R!*f{6tnotzR_C-rhz?I&j3Jtf~nt>@eRp0cS4ReP??cdR^b zK&2T=-&DCg?Ar}uJKBVtsuta$yK&_GJW=1!ZFrXHkWv;KAOF6e^dTb}2HLr$^~!GV z1w2z?eZnK=r$JU08a?hb3cp~F8TD+_f<-GOKGWaG>{9ac5ATxuj6lzfcGT?>_U-%) z`SR3KOMraKQ1#HklbP{H+yB{yd1npAY}=1&=f5Ez>_ua}rC;CxLjnMR^*;j#=l`nY z+Iv)E>BMfZ-EaNk27<U?a~H`6dw)Ruc{WO|yi}TIz{p+=ibfHy^kh<8N{^M73p-N@ zNfc5q_O6K_qr|K|Z$F2l{2G-3s;;<aZCVsNs->^xQeW!IaWNjYkWE+Wdc=zIiUR)m zlzNL`TQqJ}Tn##x1-AOx2!#rzj5Xz(jwkq59QYporRXXtttSTOJkch0?k(A^VYAn7 zuOX*=v}1oXS#4woNCaAywd}?FyU7TU<^*9ElrI->-4Sc@za`?@J2%Rt&Px^69B8i8 z7JwipNbcwAgTypvY01f4w?g0IMXYw$`=H!EH~C60^_!&v`jhhs_`x+Eq5f;UJJ14T zF`ecf#Ph)FFG4zl!w)=1n#8d<A<`(3N(d1@w#7({9|~;e&N^fD5#D3YINyJ8;W{VL z|FZCghnj(|aLKM^u$F4kph0Wt`x$rA1UMFk+s{fiY9U0lt^Q+4&g)=-ZK80ko15dz zk{cF(M}DQ2j8zKSI<jYv!xRJF2l7XZ_y%=<RZngSApl|Io{dclI8>auh*hP`%1oU& zg0+Vs>rb}@<g9d!LI)KFUZ6R^Qi)!kF@Z#%NMLmfygE`$LVGG0dD@6!n_^1DQqXD| z63H8qG%TThAHYJKAma==j{&Yp@cDvzPb!ntEegK4P;a)HfJrsXL$x0VlRGYZ#X~1j z3KeI;?aPQ<h7jJDD)^yu<3&Hxc&v<X(`=+z@Q@`HkT6#e4a$qcS+;iK)|GPC`OD-M zMeZT>FFpvZ3`{a0M|IW0=S<ofGnx})%PJ2EpUitdfq=9}ZlPDWyAnkVA)x@DtbIbs z@ty^gg|D>>j*&zl$2V?D2ZQ8^GF)OT_}$K`bLSPtR#q`iX}wzYG{XbEL7hed=vBly zb7^T~0}@QpoG})C^r2uYiJl0V?yW=m7^ZSZ`hq6#p=h7q*;un#c{Uz14m1|#hIkY2 z+1cY*A)JZi6(af0bXgdJbSO2KQEUC-Ym9OUEoRzAcZcaY@JJO?fJ_Z2kUuyDshNN% zJuf6hEqMr%kIO7<^b=?wp!N=BD9i58U6mAtE_C)H6tXXIh;9II&k1Y~8#OuheAm*F zHwHN9jp)H?qWci*EdKXNsNd^akm`orV}QjV`~-p8Y9B@<wwY*qnr308uz$?^X0Q^B z4OT;{Kw|?m2Arz4lBxkQ@{V8yKxtP6^k|p$#yHW)tvTjg`fnr&AZX&mAFEdlI#~@w zqOX>m4+i0R9AkycU&7u$_6SzLBs<9&M}ekBl*|o@#Zr#Ga8+D54Dv5r*1rF&g~V(~ z#3$ns8<?vR4F$>=UqEK`0OyJrvm3yIg4ir6l%%M*fhpn;WR|NyOVIP2X%S^m70M@* z|04SzSfLD4wDs$Qf%LDygpoHN>58oz%FQvy6uuQ2AFR1R@BZOu&si^)Bzje7)}yhC zTM#_!HUQMsbz(3ti##ps)n?1<6r;)$q(xSBx-fe|=lEewcC2h{%apS|kEvOx<x?r3 zIf1_oyg<3Jqh<*0gPn%bCxiDeVQNbaNi!HAgJ9!Z$oEDUR>ve5tfECf6WP+G8>2F_ z`N)+HQ=M5olk4ZmsZVHMBtgf<GX#5HC*%NsL}CdbYMznRn*h=OVmhgE;Y4Tk^YH!! zOcRmLeJV|qixIN8)HH6ZT;*S(`6M*`xvdCIL=l|^+GPrwmIXxy?B8#`pPCWU(OKJ~ zTostcDRML3MZIW1sXu3rXQhmTvsN%zEtV`>9LW~{`64$*#%mqV7vKa4-W(TVBOgC! zer>n)?sgTYf{Au2dPSw0U3^l!2_@tIr`M;F@1@8ac9NcGqSn|ZF}MHd>2$FvZ1|R6 zzFm+goa*y+L~HSuP%H#Sh`_L*#{m-O;C;aulkO2<vk;VLE%(yrcFVxjfa8T1;e$qM zN?w9J3SVrC%JN4*87{{EdU;u0)&;a@aPcI`zCQiwj3LiDSI7n1?WIajoVnMA6PTH= zwOZc7b+n^3+(kJx`yS7I4UnE!zagrm{y7vrUo<O?IqzZ=eMr7_z@A2_0Q~&Kk^b51 zUTqhz$2PxH13rm|Gz@RO@I=x9IDd!U4y0Yhw@2SEFj_S(dMu8{HDlVG2KjjZwqZ3r zvV|V)2fca68-4?L=N^-7*`eMUpt7%%LG55=>fE()3zlsX@&kHb$_Hvo(w{4ubWJqP z<A4=}Jln%VMq3I=Q>b_=xb^_C`Od&>nk_18SbQ30rautBnX~lmFp>}1OG^LPiE))u z8>4ga;z=5}E_Kob&}%)76PoSBLnF%{&e|NN`w23tfh6Ag51yUbx}}uX7ZqjeZSeIe zg7G$`n`4o>Az>?2Y5&dh23C;isYYLev0Xx3Xb}N(_<)=0_hlmsF}fCaqOISgQ-=Q- zQ!3`jcbc4A&_C`zCmi7Ymkat_zpux;_mP<%CPlpBit!+dOuU77>aiAuDoc<fSU7qC z!t`D^Y!-DCn0a;3bL8L}>;opgU4Iu^7|^j@%$tv3(5--@jX(K$k7c_-2pJK0jRpIP zIg}6tUt0mKiVfP0DB@1Z30~sn?jqzV@=@Rh47d1$xFvvmR>?pP-r$kFkR8m^^se`F zc?2HeTyJV)^Hfeet(8if{g}X0r@}O5M$L>I`<U~#BM?$|ad0THH4UvJC;xPt2$adO z-M3pm3%Feb7NqX$mG>bAmEqHZRQpJw651<x%VWJTKiPMZb@T@ckFr`a#PC!8_Adq! z`sUmX>`V%B=a*<iY!~B>Z03|?lc~k}68B4c#uMo^)<~~lr+OfaPa00QhO1DP2tplm z&l$UwPo;iz84#Sg*Be`|MCJw-k12phTzwBSiaJ1g7v&K@0lzSM19p%DghNKYlp)9U z3Wgy!bjka>F0H=ZjmyP$xfR{|KA0ZOqP`(r<9{Yx#snqiO&ad=k&$JUz*EIawwN7) zhlD8pt>zpqVVY}Hrc4te)emq`TyPT7^T>KWZR0XX<yI~b?9dS$0mjtanP?v_YxOQq zr2#=G;_63%Wq-5SoK&94>kn-oSR8l>lQq>ma57xwts`4~5wIStLq$;)0~JFU>P`Y< zqFVv*t$85Gu?6<3sWWY~!y|TC7nLukUv+`@evH+yi2#Q8%wV;PkW=jC+aM=5Jt0cN z!IhEvv-To(yA>25PETg1pB;zfYGlo82JhD2?6F#D5zjpu{`P&>IMY5hs`70~eJ=ab zu2{s5CgBXr>y1Go*y!PN(Q$a&&h{|Oy(CKqRhqXgqh~%0?;5mvk}HJcd{A0z?%0_* zRDHK+QvVka^2~3!I!$1&3Onku`UKzFltL6onactpgztF$PX-VVn5cKCqk`zRHpyt? zM`qxm|391HZ4|U)CkXBXx0e#Xe}6KGU#Zk^M4{$17xVd1qDp4jO^bXn*C(%e%&R_^ zjWY(`DJb?ogWQ1|X^VQnYktg`s}$XA_QHUetKrNGdJd2b=OWXWhXfr6>w$Q>U2hWM z+1Yb#I|aCM3_cbv+?x1(NhEVId2Ivb%oK7v9XH{_qEp9_<=f-HW|GKz7Baue<a;Rs z^83)XkLPp*zy{GhKLH%1mF-~83j7)vXI_DR4g;57+0o7Pb^t$$N9f5rejB*p89#Bw zg{=1O9lAjN5x8|9!YCLHA&4Pd{6PO_^-XKdAqea@rJVWeg#Q;*;$m-YXJGtmhl?>c zY&STbd4Ib=AV}m*ie(dB_X6<OZRSlqCF7jy;B5#MkZhd9(O5}P#T!=ra-Ap?kw}NM z^+AhLMhBdF?viex2wC^`!&mHt)>>#)H=;(Kod%o*lexIGr2i2!s$MQ}T0AF}cu1LG z4b@I-=7cA)>Qkz>FY+j(F(GI6$)){fDq^(5>qkLkAyq{r_<+<vw@zp^KQWY`(vyUm zL3Y-jr2p9Zqb``_hX|aCPZ{G;ePdh?0xKI(GRJWxUCty>ZaI=NE7tK4xIMkgA24oe z(BOCbc2&Q<t{s3TM?R%7?1+ntOM*3<J0BGm^uPOb^AO!mnle9lJpep<j7y9!H%@9@ z4O>g&b1;;EBK|AkAvfRbiYw;?-$~+87)!4S*9dZ5u_Du~8Ou?layAFBB%0V%r_p9V zyql{(=es>~z-+#y9n3gknE(?<ASv>o8|N|TZZP3^UCHdAU(ws9AG-mgo%!9TtX$CY zCw{pa#a=@qMPX{*KPgYH>x7fIfst=ktdJmwdTMuN$5N;4=*&V9l?TPqNh>Skp!DH4 zsRpo(OC&!%{8^@&h?wv*M5Jg==g7LKsVBNnM_Z-{3qkDEZe%R_`EP$+=eFhB6nTvB zlPG+L@M=3|47+-*W)>L_DdB^*-KgJ0$x(I{cuFc#1_|m`8_ZD(A|5VvKNDw5B3ZIu z<$#|y7wx7I<?31hssS^<f(RPPKt<HAPAZW6_2CQ|v=@a-3wkZbiDee6vRSzC7?Zgj zzDgRjsEnWn1p)_QQ;hVb%3X$Ufj<q%f|U6@t_mU2ijeyLV~bpg+brH8!%a$QEal2v zz_Elm9t7h;AWW)V889G;m^zR2%oJR(Oh9=Dch1_BAu1HNOOB!2wk|-;())GZ(D^`4 z3C`eNEWj;KQ+E8`Y=yHPHZ+Dg6lE+TBOaNFXsuN9uc%`_W9chiXd*hoLuKdNOdPF~ zDq7l)hUMJUXv1-n_*L3wVJ6@lnOno+9>|)AxU+?Aq^!shnCiO?7=DBQB--C3iwtXY z2wSw%s)k4S-(id}l58t~;E^<P`&$~0*5HLr{{bK`SO?63hi5;~xhn5@|24?6?^QNI z6=c)FB$)~;Orp*)Df4n3OtO?h6F|5pGS+Tr23ABj1@=dxxG<jSg%(`XdYqML4v-or zSq#a#+G92X*Z{h0+eWI2>sCd^&>Y^zfqq+8l_GMCE;bgOwWA2t>xkX#6{CekNaCTJ zLl@c<pyO5;c!>NQ>GP2>54@c&XsJT)BE5_2Duc6`St<oj7yK(?tcbh`@eSk;24X2) zT^SDtgM@+$N7Rv~PyG3O0xX3afL5a^Gz-XkxOzS*x<CVjrAHx=<cV#lXDZR`L0M-O zCPNTh19iAe)*QfB5i>(~(8kd5NF?<JRsidt5yKcPx`PDUa`_J|4I#ROQhZ>x%4q=b zd-#$!(_i_udOh^x+nb_<N{~(S$t9a9S;BVwe3V7|pOFFvTMQ!MS~P$~c|O#0zJjrR zBRK)_s2WeEe=WOMDN|0}A5QDEV&h9WUJo4mcssapsAQyx+;jYTE8<<ELafN+8hGoK z;n@=YBP%#H2a)TP5v6b+TPiy9jelx(KJKS!o4VTxsr1w0@t*(&=W)$e#O)fit<C{g z>kt})QUa^3vse2FpFOtC@5cst27`vUw>&LMax10pIBEc!g;<_YPVWMP!VXy>Dx}D; z=Z6PHS7uX+Oo?~a+lOYQdA-%3p2W)Bvki=xWQ${M8Y?nRA>QrPzsVt%rH-BTse$+T zQ!jxGr`nxRUr?q?#QtCm4C}l6cpT)BM*qx`t=NAn@Ln3*hp2!4jM}(($%^EtDv%<n z2@sn=Al(`uL6_-wrL<YOY4b=Riez*ZN0PfBGqu0ISKmG`nAE87hHj_uNLOR=>-lwq zI3~Aw5YV@}dpZ3ib3ihNS|K1*&bpyZKYR~-ja2Sz`*{9be?JYqO;qmi{c;<7x3~BG zr8msahxgB;wV}3^i}t@|VKmR(6E|;$djSHjZ<2onE@t^J@&XTfF^C>KWlAANL|>Z& zA=<jnST`uB4m16CK?4nb0`5a`=<pDvY;gqalJ<B<Zr^9xTWNM3?bhY$evtlM$$-8k z=RvA7o6GZ_$_Mllm|6Fk`&)yf8|wB#=LKfgSgO{}0wavnEil_u^>+{s@mR0INr3r` zdvCrh2?_R?>27wzQ8o!>rrvqvg&nn(Fo};W&$h?_xSo4}y}vctsA$7t!0hDwr14m+ zRR!oq1!$Dy5Lm_<iq^DQZ<Q=w4Dox~8sR&K+0*w8`tG>E0b#9$rorcgo1K!rvU5YI zGyAaoTX1`Ln@xwsA@OzEJkwnQdl>M+ylGudi;+Xo&Aa%kRLkmnpK&b51E8lL3bmqF zW1IDfnE4qnZ3(XAY6p#pJ$_Nf{A@kT!keq!!Jquzh|Z~Yyc8ic^DnoLg$lu}utioL z44==^bTOcd@eBUvFB>dW$sAmfI`P${jY$ZWt{HG5fttjTf{m3*ou%)`(cmASOV!ge zP1Gdctd#1@%^5olr!L5Oe>%klR*v@IySX<2bXA31EeZz9R9XCgFfLAlowTrl)ujDG z%o^DuQzdoVoBR<AcT6mJ+sLzXbT`+w*I=Iq)tfe|SSf0Umv0ZkX<c4q`HbRY(124k zck+wgl9oI7RxE<VL!WV?9T=yz%{mKem&DRWSrsf^BFcd-WnhXInlb1GR>*rAwY=wF zGoh4)9UR4n4wBvBSyNx@MF%)RZP?{P^TQbdy$h6$(-?Rvleas8C*3!KnBO6t-4HN9 zyA5wS67EJm@b@90SZ24O*1T+_R;_-$K0k2|a2Rc*?@2c>rnl~S?55l-{n%0BSA&?j z+wSwDvoVlU#$AF42_N+oy%LdsGSYelEjc3Wl7O&K@=7QwPHq$ry{0PIVH{2;9#SgW zY**LzDMC15@4PV@X>;k=pZvNSxiYZ~@f4P;0oirHuUJUW^W&D6ehN#)p0^b+{l4P$ zegAS2;A^5nn`hSMM@eX+4LpxYe6atgf4Wb77;gXdPqDw|iSU1hiT}qx=^5J@{a2S) zwdRH01_#p5bx)u@qQdsN6uyPmC{eFV?O1ci6`91m_9bh8pmgI@G|jn0MY&h&&zI?I zT$y;}_TFb--C+72k8c+ES2&HYMx4xX!6r`PdKJ1~AA91NvzB^@@f%ZWdXCKYRYl;9 zy9JBEVf1VXTfuCwm`Kv8XY$xqOfskBCQv{K)>;~3J&Bkc-81@48QIddwMkp@`Ylhg zC9|}{#F%mQVN6xpF@0?Ks;UxZ0W5?um0pc5-W`(4Q4Ez`<85%r=A)WYO_B<%VBw2L z$a&WO{$Q;nuCGP<mIHE5ccdjP6doSzj!VuH8fYlFK`WCIT6C3*j_GyCf{c^0`m^YG z4}ilO24y#oKzzSadt$DK(eQGbWjZR*CKq`V71Y1`{mPChB?nro<fg;2MI`gz^0Xu% zqH|+;Y+R|MeBv0%iB-L`uiWFMyU^~zmb*|{&E82U=CsQ&m0W~I;q}=N{tP5N3piAv zh-ul8vOdfzL<xt-B2d(HS1+b@DyobXQr{@?$jxWC|B+Ng7IMQ8NRp9@fq*?}6NAzf z<b^$QzO*GzWes&>^oem3c@OhYOFbAWGRSEc2v_|+0MD-?cs{=$d|VtIoejM$bzD45 z@Xu;JHuCZDR6Qq4;2I-VJ-@}t(U`&IDD(qCY4XJ!<Y;Vi!_5lP79R=Z`qtCmCC)C_ zAm1XXI&ae?PzGm=x>$dZ-^3a@=Gm1V_IeTFYB6Vucbryt>H)}6DfkcY^^7HmV=Hp- ztM)znZx;{*z~%jb0$edv5KuG{FI;twhHyb5DaP%mFQM@4QUI+~f9V3wa#9o9xkGzG z_bpk~n|PL2R#WtlWT0EYBYzSg?a5-z5}^3^S<cVzn$e=}p&}mL8k022;_@Y0L=9A+ ziC(u9H`KI3oUBwF%PEfrPY?hIXE}>b5;L2&R67))h}8*sANAdK$8Yn(BeFUB$Y*JY zJEy`bW83Z@iN!Zj^oU10)c<f11<*xag(n)p2ll4`Kfy~K_8st=&449@E|0*J`v4d> zqTv3vir~#&do8}x`4q`fn>L^20!$3nb5^HlVBP5(blHHys@4;EK%Qk3jwW2W3vF;b zCSg#`{?*1&TAv6-iA^ZBV^&tjq?kP8RW@Pz!Z10Xr2-&v)D<kyUxki~jkBby-SJmA zg#|ELz$??#lq##xpB9Ieg@%k4OSFW`L*_iqWU=~}O$o<M>toOomyP@xAs1;64kGOh zyM5bu#xLR$$`jxzSMn0?TVmI$YUmc0FY^v%5b)lx4Azw@r~=L@B?<Y2E77DZPfQAM zkb~+5Y#}TlRHOjJ$%z?^-lf~0kj!=1SR&8^9x5+=_M#iK;Iyc}YX=3F8v~^%Bfv1y zUNbn3AEBfN!Ue<|&Fv?wqh0PfGW<3J=JJPISHR^v>P~cC9$`LT+in2}JA(?cfVFmb zNDyBijOvxPyI9O$)3Y`YkJNl@6Uu7LhKka2)$+Ao$TCL+K;30+W+isiM8{ASs#LC} zzi(iTP7jQp9g?QT;LH0m#!H8-jaK5;au;0aGEvezV~^tSmD@tLp~ExS@JiKCl~`&X zmz~BeR8!UZJtI1MGN$7z#-0k^8A@ao(FK>^SI7&KFdTm@o{yMMfDMbBov_H#4CO>n z^roc8(i(xe&V~Ac%vU<~oVr8?C~kGi;Ks78A9!?;FLDrfXJ*VyZ4oCEhQtOIb@)AO zJIODxIDpIy@MN~c?Dm>b%%?@*=i8ju83-@aa2+Hb(YzT!3!xzhO}Y0|yiOg74U=Lc z#wrT$e&h*|`R{C6H)e@N=}s03!WLd6))If4UJI_mx?8wJ3x_%8yVoS7j2tMwWXLpT zY#%m1TSWK2)q7u0NA6w6k6ib_Qk}p%GJ?9`w=q69gGO|m_h61Z;)#GAD!$>KjO`@$ zBWL3w+cmf31?YutX4AXJS2XB>$ZZNPmVq0<)%<Xv%ryVZUVuCd$~PZEDU8BMtYLur z028j>H8`gOb5{%@2{X_<z<hL3D6^m25AqGkrDW07FgJWT$)V@wW02K81t%NQsC)1p zLv3;N?3o$6T3_Ceqp6SFoj+Zk4v(Lgsd_uPU0pmrPy0u6%&(p<kDqIQiLsurZIY@Q zGadis9Wr7D$E145tQmM)FXiEC@l-;5rrFsRa@mAY?SuhoIz`77fal-Ib1?$PmMG4r zxjo1iO-O#uCNx0^KOc#WwF_OjR!Mat(HWL6ai_ardfz*+<6AVF6v#NpiBO|z3syu8 zP8V<-eGDV=`c42cSa>hho6u#`PIcEq)&MRWBrRYC=`ds9Eo60gL6k5P7LcvN+fz&V zOl+O9WxBaqS6csp!n-8A30XtZ6f~P_j#8;Ug{h@o-by@a>9ZFmpSmyGHDLTSO}3`E z1Ely_ikFGi3_W~Ym4lP!k8pDkQsmAPh*zAuLi8XFs5uL_C;8VH{S`eybnPc@BI<-Z z&0e|J5sYO{FSSlUopWHNc1n@mj#Sl#YqtAm&WPu?YzP{0qFdqp>>s{IYKVmBEUxC3 zy#y^MuJ!mxP&CVQndfJyWo!%;DfTCEni9Y-9bsFry)nJMc;^gOs;fes+W-bmAgGdz z!rK3>h&_RqMJ%AVEqiwR%heUn=5aK(5u;f8TfVH9OzR_iU^bB5+&%yJnjkmeM1Y_z zEXDr;hZRtt18^A<vBM<>DYM!^9K>Ro;cRzG*Nr;c<}F4LcuJO#*=vV$q-wx54$mLu z;aKZmbVnv1A$xWm=M;mLWln$4*Ik_%fJj`ZHTXfZxfp4OGB-yE>~Hue!%(y7CDhrz z{mz%6y+d|KS5HsCNzKuV1KG@gXAwT+{3g-!N%r5@^iZ@#ZS~cZKU?+0^ZTMz0D&t% zan@^;@CFdOdA;HUixU-T!=92VHvY45WRs8O?}+871z%IKA!|ZA$K=`B2O`!h)7!hR zkEpmYw%_jhIBVoAn7gcL(;d^_9T3GxdRLMlx*~57;5bkt`6F2YX2Vy@p_kIbmA50o zAM(H#Bdf{sPF0F_lY{Q{^7QmG^c~u5fh%H&9WWid#^3e_na=YCQVtsBtp8tSX98B! z_66`$DvxMThRo7ns=P|x|B*SVBqVe1y7zXftJ}S|J2a8!gi587;VDyugx(*I`^Xga zdWZ~p=1lP?Lm5Jm`mcjK>}^-x?mOSDzHk4&wbx#I?X}K5dmY}Z8>?)~kNHpEI^!Mh z&@snJMm5i`b52{0F6cgPbWGX)?iPD{dU~xGn7C=ch0ViXa9j@0j^(?~Hj908=R~!C z409-sUnAXb>-51V>!b12`^<=O!xp@io%3!Osp}tPajmOO!|M7TJ1i<(JBEMc94#Ap ztGvgxcAoNvU)y*Y``&NcxpDT)xY`K6+|~WO$82F5n4{76|6F3<`e(~VkxQL18u%5L z**#B%V>pEn{9$$Y=twxnB!c>#0+B$@;Xu%LaJpCO!*T77zlWC;8+(MWUwpmWPSfu1 z26uMWEz-~1npsq7A3C+;*)<!Nn>6+~G9Y!5?Z-nV0_Tm1pKdhN4=4}68kNNu#gDzw z&$8Ccn=T()ySOU8)l1p%o`sE^d#}p-9{p6cAo$Y2C#z4y_O#xjtk3b@eqLYr_~4LT zf;jOAgW-F0sic{|y1n1i=48LSM|x+sk7{5#j$Pa9ihi5<L31QmKb+dx>CKH5FSAc| zO&rthMUthp@M)Q4bnF>k<aSx6x4YZ>`_hJgx}M|Be4P+JVqjsE&g`T;qi3aD%z0KQ z^cgGMUvu72wzuff-jHd_1+fn2ws=fRGoRvehPP*AL}~bw`oZp#cFv8mTl&eQ-rL!C z>%%(NgfP$UQS&al_p(WRbb7JnWM9i24t4gov-ah>tUSh8`BVj@2b@VaA9v~IF0o|d zwDO_e=T_-SHmA%<I??9{9qSR<Dah9E-u$pl_h!jH*&X)Xk)9P8(<whIKDdXo&ic%x zCDt2XILv6cz}aDW$Jl@3hI<~S!(3xG1qHoMiMcejs?y(1U$l1XMFlmR*ZyLk;yD(4 zS9iy4c~36~4@$l7c_8N)@7(?iy!>Uw)($KDHlHrBO@CGJykF|Pk<#5>L;f0&>{Kwv zV9=vK9*)}EIl94pJpDj!6!J;;XM=TjYl<_?tK;4>!*9#aCRCa}I{)O{__TQMohChp zPO-g}FgU}pqrus}c{MXuFFdjG=$Z`Pq6_&8l`CWPUyPb~OzC=Z%|}_cqJg5-Ys)(9 zKNXfW7SuJ)sMzH1s|_wU%TMk#=xWWc4|_Rd(S2vLpv8JQ(_Gs)8wM-Qa<h7vl%Bei zwQrA?(!$^B%)>5?Mg~4s;fr7R?-8au9H^|3RQ!;aeeG!1`GzAm_K8^#EA+}3-qD4# zCU0L%)v6^9*5N%LY+CqugJO<TkLt2IlWwPujPTp9FE+W{{?sdDn?ZH9(;uBUGqJzy z{>$oL-n6SVO@WHt{sY%5wyn6AJ9N$SYl9sN@9ViuKiy4ee0kZhnWI0<`cGlyPovKa zximCvOR~w)vQ~?4mHqA<m9sfo@VI{6wFm2bI49OdU7DPk*RB5?n=6sFwYTFIBv?MX zInT}hP};2H+2*fO98>-&-m=S}GJH(Md-qk-(uLipq~%Ht50u`0>ic_sO38@)lHYPG zGt<%*t<39rnAf(jq@ZugsS<9?UC*S!m5C4ZbeLszTQ5c2xf%DmZho52^MLq9YO<G( zt~q56>Dmv}(zfF#&GpH56Tn}K;DVY+>ZW93;b;)el|{i)mdUw7A*^NX&co#%Q}lM^ zS!~dwsP^qC%2eHzqLfS*I8)^2?r!HXX}piaWUnv3;N7E5&y~G}?pB?s&l0H!N~Qv; ze5$+q`uI&9>*i}OkCfwtp*J|?YoS{;T&yQjH6_!wofaX0me8UATEvgy2nC`L83|Qv zF?&`vNd3DZMOmmg@Tp{OX`^V7TpGoZhy@}jTtbjYmy>X1JaqGdt0RIr2<lajNlJ$) z1X7xa7(7>JC0lcWEe8jhQ8y(6&!cJ(@DL|QNQcuxT#Q7R)>Q`A9Kl0VFo)R8Bx*CF z1rj?MH;~rWD{B?2v!g_YQi?j5rGqKsD0G*E1aUxiu|mqHW!k<T$0QY`kM{r(>_M;W z`6g9UG7Ygf1}Yl-sIF*$gV>J1_}tiA4XUPO7B9s?oN$<Hv9vk4;@)ttOo1Y@G4s9@ zSkT~3Hi_d(Bmn{`dm956F3@=CKL0Be6_MDAvQ(kqQ^`#JttsIoQ4+3HCJ+S?co{Rj zXHNiYPFH;SUP^^jGA}}OaOHm;tV|F|APw(7vv@h^|03vakP7ozGBNxco5rss36~$j z4FbtPfn1(g@nsjs$IOJUJ=+DyIzS$XkjEr_4_O@^;NbrWJS$27JQu8Y00PcV{tj@H z7WCoMwhl7jCcv}N_6S#*@*P~6T&m#973_-r)&K_An%!;<Pu2a@8<$y;)-pSkD-EHE zhP554<tzkG*b02B10r)#X3N~KE+!N_7D?!ZZcCC=yHHeAC`H*J@D*EHhRY;0Ul1rD z%l+3=TVqqu^>(;eN2Y2@CMdsUv_dWrk_0xYF5be0jm8S3MJ?m_k(R09AgVwtBFx^K zjjvCpfVG{1XtuXXRQLpG&*0o|!&}^bFBRN<Y6i9-gPWqL^L9F~qkX_rD@4W_MteGV zCV>Pu;X)ls^fi<L8=I8obLB8HP6SsfB0H4r@${7cwx*~8*w@&nK2=T0xLrqhTq!?T z5KeR0DIjRdY(#ZfB#ceahoZo8)J@3@x`%Lh3V|?y6H3du1j^gEXu+anwzCehLpCxu zpCS~#P+;feXirCevpw-7rML7mfMA6qk|K1qmCPbsoJk06DPSj1w??MWq!orB_0R2? z<1`n-s53rz>=L#S?JpJu3P^6gtEHafdRQSjV0);gH10zPFv(5L$ejLm^C6I<&I16A zHcJ1%8L%somX#<zIIGYJ#$QBH+KNyzI!95&mxIW-u^!&Fvg!ux0w=*ybylm9T|PC{ zNPl+ih?-b~dQVRt3k1*X385AoTv0bAqx%Md1VL3!KEbF`PWyyB1Hf(QjgBIt76XXc zvYz-TOzP_UUmzOgfd;g{qA8=iZnV25i8V?a+$fbvdfFBh1PHQGYD=L#ibh6mt&br{ zMj24IXniV}lo^;58{(^)l9BC4`hTh2MbJb1lxJHP!EBa;yFiz?^8u6~;5o|0P8^yP zcbM}hluQId8VG^P@kEJGLdBvGI*K62sH()uAA3_&+-7_}1COHwSvbia_=Xi%lOeVE z6$}a;$KQ95{vvKDErXbcxUuUe9eb;UXd!(Q9=|THKqy~=CK^(u0HQ(?b*sw#j3_D; zHZD}0$PNbD6Dy%5&W=Om+#u3Y-5;1U!ycxWO|DQ%t3D_t%5i9ukx<x_R<EOh;tWQD zQi3coN;47p^mbJ}EkKUlpk$QN*$SsPH7QH7Zzlf&<V8h8asL%)gHU8p3xOvl*;-kL zUc0lw(AmwBeTqxfluWP-iuhb@vUk4#I=sKVJX9jYeZWqq1IOn>_e8i*hwL_#Kq4~o z1}t%z35sn1r;Mtl0%Hi|v>lXh;|CM0zjTdr$}Gr3?fT%kXxK1R5}A-AQ%EFYDSKuE zAJ9CTHk<px96g6QLenoDcLbvl3HaiGFZ({p@Fwh=$fH3kX>g(2jK2p0YC6jLW35xg zPKdBJ^};>;TNDuyOhZch?O^Iks@luJY|p}g&{V(F7m*<X7NIyo){I_Y6zXiUC;P|O zretFL5Y%_1lG@213{BmX%n>r{dow?X)znSN_zh^S?Iu)$wVd|#S3}q>`HDLc^Y3#$ zG_2p|(IWP{5<Xi*SY5A{s7?A6?Q9QCPdj+G1Z_6eD>9sr_zBF|p*KaL(w0tY0o-(+ z7aM+&iG=X!J=|Lvgs8w|RtwO7k>tVFqi#y(GN%RdcV~FkYAS1Cxsfe!zbCyzHTx;5 z1!U7+XY__nQ`zEcQ^9GVD?K|Nfr2G{F1OQ6RyMh|?`v0Z?a?s(s5h-nAhNhZ0hi=W ze}3!wrvlvQ`|%Wox(qs*2;#9dfY{eR5ZvOk%koYmV07%6Zxq&fYcnvZB$NQ_ovbi7 z2X(~&urD&L>D!utfyZU<5fgy6T~~C|0m+ua9gN-x@bPvs@N?z}X&Wg>UswM+#t@<? zt|LBHo88UOAn_oGHfsEs+h(xGE(H5UO+$3J8JL6=tzJC;#&sE(MJ>z#x;GswBC;R` zp@m`zL9E6n?^ePMDXIW04V}-JQZkCQ4S^_7On~X+7v!7zQ&i<N9qdNJgo{L2Gxz)1 z+rmFCuX$Gjw*P>S>ny|W2kreywVbqGS%L>A_{+Rh)}dswJcumv*ASn-!@%C5qCv?g zH;2-GqY5q_{-OvCv%<GoCfRiHs^}V=+pK1Bni}c2gm{T&4bsq`h$I$l#;JJiVGT9m z7a|p@M2yq$;+GnlUjUJ&RSFYl;l&>{tSvN|r78u9lkmcK8d7yIk)%}y4`<;e+%&AP z`DE7Df^IknFWjL46+yX6Qe`+*84sL<AM)0a9z+vKUypp_9Q=HYhEu(a$Wfn`!Aba& sq8gGzYBMC&bE7y8fBry&>z9GxNVjYCA<&{IKKwL7y7+nnBx=<E0eV=S(*OVf literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/setuptools.pth b/venv/Lib/site-packages/setuptools.pth new file mode 100644 index 0000000..ca49991 --- /dev/null +++ b/venv/Lib/site-packages/setuptools.pth @@ -0,0 +1 @@ +./setuptools-40.8.0-py3.7.egg diff --git a/venv/Lib/tcl8.6/init.tcl b/venv/Lib/tcl8.6/init.tcl new file mode 100644 index 0000000..b3990df --- /dev/null +++ b/venv/Lib/tcl8.6/init.tcl @@ -0,0 +1,819 @@ +# init.tcl -- +# +# Default system startup file for Tcl-based applications. Defines +# "unknown" procedure and auto-load facilities. +# +# Copyright (c) 1991-1993 The Regents of the University of California. +# Copyright (c) 1994-1996 Sun Microsystems, Inc. +# Copyright (c) 1998-1999 Scriptics Corporation. +# Copyright (c) 2004 by Kevin B. Kenny. All rights reserved. +# +# See the file "license.terms" for information on usage and redistribution +# of this file, and for a DISCLAIMER OF ALL WARRANTIES. +# + +# This test intentionally written in pre-7.5 Tcl +if {[info commands package] == ""} { + error "version mismatch: library\nscripts expect Tcl version 7.5b1 or later but the loaded version is\nonly [info patchlevel]" +} +package require -exact Tcl 8.6.8 + +# Compute the auto path to use in this interpreter. +# The values on the path come from several locations: +# +# The environment variable TCLLIBPATH +# +# tcl_library, which is the directory containing this init.tcl script. +# [tclInit] (Tcl_Init()) searches around for the directory containing this +# init.tcl and defines tcl_library to that location before sourcing it. +# +# The parent directory of tcl_library. Adding the parent +# means that packages in peer directories will be found automatically. +# +# Also add the directory ../lib relative to the directory where the +# executable is located. This is meant to find binary packages for the +# same architecture as the current executable. +# +# tcl_pkgPath, which is set by the platform-specific initialization routines +# On UNIX it is compiled in +# On Windows, it is not used + +if {![info exists auto_path]} { + if {[info exists env(TCLLIBPATH)]} { + set auto_path $env(TCLLIBPATH) + } else { + set auto_path "" + } +} +namespace eval tcl { + variable Dir + foreach Dir [list $::tcl_library [file dirname $::tcl_library]] { + if {$Dir ni $::auto_path} { + lappend ::auto_path $Dir + } + } + set Dir [file join [file dirname [file dirname \ + [info nameofexecutable]]] lib] + if {$Dir ni $::auto_path} { + lappend ::auto_path $Dir + } + catch { + foreach Dir $::tcl_pkgPath { + if {$Dir ni $::auto_path} { + lappend ::auto_path $Dir + } + } + } + + if {![interp issafe]} { + variable Path [encoding dirs] + set Dir [file join $::tcl_library encoding] + if {$Dir ni $Path} { + lappend Path $Dir + encoding dirs $Path + } + } + + # TIP #255 min and max functions + namespace eval mathfunc { + proc min {args} { + if {![llength $args]} { + return -code error \ + "too few arguments to math function \"min\"" + } + set val Inf + foreach arg $args { + # This will handle forcing the numeric value without + # ruining the internal type of a numeric object + if {[catch {expr {double($arg)}} err]} { + return -code error $err + } + if {$arg < $val} {set val $arg} + } + return $val + } + proc max {args} { + if {![llength $args]} { + return -code error \ + "too few arguments to math function \"max\"" + } + set val -Inf + foreach arg $args { + # This will handle forcing the numeric value without + # ruining the internal type of a numeric object + if {[catch {expr {double($arg)}} err]} { + return -code error $err + } + if {$arg > $val} {set val $arg} + } + return $val + } + namespace export min max + } +} + +# Windows specific end of initialization + +if {(![interp issafe]) && ($tcl_platform(platform) eq "windows")} { + namespace eval tcl { + proc EnvTraceProc {lo n1 n2 op} { + global env + set x $env($n2) + set env($lo) $x + set env([string toupper $lo]) $x + } + proc InitWinEnv {} { + global env tcl_platform + foreach p [array names env] { + set u [string toupper $p] + if {$u ne $p} { + switch -- $u { + COMSPEC - + PATH { + set temp $env($p) + unset env($p) + set env($u) $temp + trace add variable env($p) write \ + [namespace code [list EnvTraceProc $p]] + trace add variable env($u) write \ + [namespace code [list EnvTraceProc $p]] + } + } + } + } + if {![info exists env(COMSPEC)]} { + set env(COMSPEC) cmd.exe + } + } + InitWinEnv + } +} + +# Setup the unknown package handler + + +if {[interp issafe]} { + package unknown {::tcl::tm::UnknownHandler ::tclPkgUnknown} +} else { + # Set up search for Tcl Modules (TIP #189). + # and setup platform specific unknown package handlers + if {$tcl_platform(os) eq "Darwin" + && $tcl_platform(platform) eq "unix"} { + package unknown {::tcl::tm::UnknownHandler \ + {::tcl::MacOSXPkgUnknown ::tclPkgUnknown}} + } else { + package unknown {::tcl::tm::UnknownHandler ::tclPkgUnknown} + } + + # Set up the 'clock' ensemble + + namespace eval ::tcl::clock [list variable TclLibDir $::tcl_library] + + proc ::tcl::initClock {} { + # Auto-loading stubs for 'clock.tcl' + + foreach cmd {add format scan} { + proc ::tcl::clock::$cmd args { + variable TclLibDir + source -encoding utf-8 [file join $TclLibDir clock.tcl] + return [uplevel 1 [info level 0]] + } + } + + rename ::tcl::initClock {} + } + ::tcl::initClock +} + +# Conditionalize for presence of exec. + +if {[namespace which -command exec] eq ""} { + + # Some machines do not have exec. Also, on all + # platforms, safe interpreters do not have exec. + + set auto_noexec 1 +} + +# Define a log command (which can be overwitten to log errors +# differently, specially when stderr is not available) + +if {[namespace which -command tclLog] eq ""} { + proc tclLog {string} { + catch {puts stderr $string} + } +} + +# unknown -- +# This procedure is called when a Tcl command is invoked that doesn't +# exist in the interpreter. It takes the following steps to make the +# command available: +# +# 1. See if the autoload facility can locate the command in a +# Tcl script file. If so, load it and execute it. +# 2. If the command was invoked interactively at top-level: +# (a) see if the command exists as an executable UNIX program. +# If so, "exec" the command. +# (b) see if the command requests csh-like history substitution +# in one of the common forms !!, !<number>, or ^old^new. If +# so, emulate csh's history substitution. +# (c) see if the command is a unique abbreviation for another +# command. If so, invoke the command. +# +# Arguments: +# args - A list whose elements are the words of the original +# command, including the command name. + +proc unknown args { + variable ::tcl::UnknownPending + global auto_noexec auto_noload env tcl_interactive errorInfo errorCode + + if {[info exists errorInfo]} { + set savedErrorInfo $errorInfo + } + if {[info exists errorCode]} { + set savedErrorCode $errorCode + } + + set name [lindex $args 0] + if {![info exists auto_noload]} { + # + # Make sure we're not trying to load the same proc twice. + # + if {[info exists UnknownPending($name)]} { + return -code error "self-referential recursion\ + in \"unknown\" for command \"$name\"" + } + set UnknownPending($name) pending + set ret [catch { + auto_load $name [uplevel 1 {::namespace current}] + } msg opts] + unset UnknownPending($name) + if {$ret != 0} { + dict append opts -errorinfo "\n (autoloading \"$name\")" + return -options $opts $msg + } + if {![array size UnknownPending]} { + unset UnknownPending + } + if {$msg} { + if {[info exists savedErrorCode]} { + set ::errorCode $savedErrorCode + } else { + unset -nocomplain ::errorCode + } + if {[info exists savedErrorInfo]} { + set errorInfo $savedErrorInfo + } else { + unset -nocomplain errorInfo + } + set code [catch {uplevel 1 $args} msg opts] + if {$code == 1} { + # + # Compute stack trace contribution from the [uplevel]. + # Note the dependence on how Tcl_AddErrorInfo, etc. + # construct the stack trace. + # + set errInfo [dict get $opts -errorinfo] + set errCode [dict get $opts -errorcode] + set cinfo $args + if {[string bytelength $cinfo] > 150} { + set cinfo [string range $cinfo 0 150] + while {[string bytelength $cinfo] > 150} { + set cinfo [string range $cinfo 0 end-1] + } + append cinfo ... + } + set tail "\n (\"uplevel\" body line 1)\n invoked\ + from within\n\"uplevel 1 \$args\"" + set expect "$msg\n while executing\n\"$cinfo\"$tail" + if {$errInfo eq $expect} { + # + # The stack has only the eval from the expanded command + # Do not generate any stack trace here. + # + dict unset opts -errorinfo + dict incr opts -level + return -options $opts $msg + } + # + # Stack trace is nested, trim off just the contribution + # from the extra "eval" of $args due to the "catch" above. + # + set last [string last $tail $errInfo] + if {$last + [string length $tail] != [string length $errInfo]} { + # Very likely cannot happen + return -options $opts $msg + } + set errInfo [string range $errInfo 0 $last-1] + set tail "\"$cinfo\"" + set last [string last $tail $errInfo] + if {$last + [string length $tail] != [string length $errInfo]} { + return -code error -errorcode $errCode \ + -errorinfo $errInfo $msg + } + set errInfo [string range $errInfo 0 $last-1] + set tail "\n invoked from within\n" + set last [string last $tail $errInfo] + if {$last + [string length $tail] == [string length $errInfo]} { + return -code error -errorcode $errCode \ + -errorinfo [string range $errInfo 0 $last-1] $msg + } + set tail "\n while executing\n" + set last [string last $tail $errInfo] + if {$last + [string length $tail] == [string length $errInfo]} { + return -code error -errorcode $errCode \ + -errorinfo [string range $errInfo 0 $last-1] $msg + } + return -options $opts $msg + } else { + dict incr opts -level + return -options $opts $msg + } + } + } + + if {([info level] == 1) && ([info script] eq "") + && [info exists tcl_interactive] && $tcl_interactive} { + if {![info exists auto_noexec]} { + set new [auto_execok $name] + if {$new ne ""} { + set redir "" + if {[namespace which -command console] eq ""} { + set redir ">&@stdout <@stdin" + } + uplevel 1 [list ::catch \ + [concat exec $redir $new [lrange $args 1 end]] \ + ::tcl::UnknownResult ::tcl::UnknownOptions] + dict incr ::tcl::UnknownOptions -level + return -options $::tcl::UnknownOptions $::tcl::UnknownResult + } + } + if {$name eq "!!"} { + set newcmd [history event] + } elseif {[regexp {^!(.+)$} $name -> event]} { + set newcmd [history event $event] + } elseif {[regexp {^\^([^^]*)\^([^^]*)\^?$} $name -> old new]} { + set newcmd [history event -1] + catch {regsub -all -- $old $newcmd $new newcmd} + } + if {[info exists newcmd]} { + tclLog $newcmd + history change $newcmd 0 + uplevel 1 [list ::catch $newcmd \ + ::tcl::UnknownResult ::tcl::UnknownOptions] + dict incr ::tcl::UnknownOptions -level + return -options $::tcl::UnknownOptions $::tcl::UnknownResult + } + + set ret [catch {set candidates [info commands $name*]} msg] + if {$name eq "::"} { + set name "" + } + if {$ret != 0} { + dict append opts -errorinfo \ + "\n (expanding command prefix \"$name\" in unknown)" + return -options $opts $msg + } + # Filter out bogus matches when $name contained + # a glob-special char [Bug 946952] + if {$name eq ""} { + # Handle empty $name separately due to strangeness + # in [string first] (See RFE 1243354) + set cmds $candidates + } else { + set cmds [list] + foreach x $candidates { + if {[string first $name $x] == 0} { + lappend cmds $x + } + } + } + if {[llength $cmds] == 1} { + uplevel 1 [list ::catch [lreplace $args 0 0 [lindex $cmds 0]] \ + ::tcl::UnknownResult ::tcl::UnknownOptions] + dict incr ::tcl::UnknownOptions -level + return -options $::tcl::UnknownOptions $::tcl::UnknownResult + } + if {[llength $cmds]} { + return -code error "ambiguous command name \"$name\": [lsort $cmds]" + } + } + return -code error -errorcode [list TCL LOOKUP COMMAND $name] \ + "invalid command name \"$name\"" +} + +# auto_load -- +# Checks a collection of library directories to see if a procedure +# is defined in one of them. If so, it sources the appropriate +# library file to create the procedure. Returns 1 if it successfully +# loaded the procedure, 0 otherwise. +# +# Arguments: +# cmd - Name of the command to find and load. +# namespace (optional) The namespace where the command is being used - must be +# a canonical namespace as returned [namespace current] +# for instance. If not given, namespace current is used. + +proc auto_load {cmd {namespace {}}} { + global auto_index auto_path + + if {$namespace eq ""} { + set namespace [uplevel 1 [list ::namespace current]] + } + set nameList [auto_qualify $cmd $namespace] + # workaround non canonical auto_index entries that might be around + # from older auto_mkindex versions + lappend nameList $cmd + foreach name $nameList { + if {[info exists auto_index($name)]} { + namespace eval :: $auto_index($name) + # There's a couple of ways to look for a command of a given + # name. One is to use + # info commands $name + # Unfortunately, if the name has glob-magic chars in it like * + # or [], it may not match. For our purposes here, a better + # route is to use + # namespace which -command $name + if {[namespace which -command $name] ne ""} { + return 1 + } + } + } + if {![info exists auto_path]} { + return 0 + } + + if {![auto_load_index]} { + return 0 + } + foreach name $nameList { + if {[info exists auto_index($name)]} { + namespace eval :: $auto_index($name) + if {[namespace which -command $name] ne ""} { + return 1 + } + } + } + return 0 +} + +# auto_load_index -- +# Loads the contents of tclIndex files on the auto_path directory +# list. This is usually invoked within auto_load to load the index +# of available commands. Returns 1 if the index is loaded, and 0 if +# the index is already loaded and up to date. +# +# Arguments: +# None. + +proc auto_load_index {} { + variable ::tcl::auto_oldpath + global auto_index auto_path + + if {[info exists auto_oldpath] && ($auto_oldpath eq $auto_path)} { + return 0 + } + set auto_oldpath $auto_path + + # Check if we are a safe interpreter. In that case, we support only + # newer format tclIndex files. + + set issafe [interp issafe] + for {set i [expr {[llength $auto_path] - 1}]} {$i >= 0} {incr i -1} { + set dir [lindex $auto_path $i] + set f "" + if {$issafe} { + catch {source [file join $dir tclIndex]} + } elseif {[catch {set f [open [file join $dir tclIndex]]}]} { + continue + } else { + set error [catch { + set id [gets $f] + if {$id eq "# Tcl autoload index file, version 2.0"} { + eval [read $f] + } elseif {$id eq "# Tcl autoload index file: each line identifies a Tcl"} { + while {[gets $f line] >= 0} { + if {([string index $line 0] eq "#") \ + || ([llength $line] != 2)} { + continue + } + set name [lindex $line 0] + set auto_index($name) \ + "source [file join $dir [lindex $line 1]]" + } + } else { + error "[file join $dir tclIndex] isn't a proper Tcl index file" + } + } msg opts] + if {$f ne ""} { + close $f + } + if {$error} { + return -options $opts $msg + } + } + } + return 1 +} + +# auto_qualify -- +# +# Compute a fully qualified names list for use in the auto_index array. +# For historical reasons, commands in the global namespace do not have leading +# :: in the index key. The list has two elements when the command name is +# relative (no leading ::) and the namespace is not the global one. Otherwise +# only one name is returned (and searched in the auto_index). +# +# Arguments - +# cmd The command name. Can be any name accepted for command +# invocations (Like "foo::::bar"). +# namespace The namespace where the command is being used - must be +# a canonical namespace as returned by [namespace current] +# for instance. + +proc auto_qualify {cmd namespace} { + + # count separators and clean them up + # (making sure that foo:::::bar will be treated as foo::bar) + set n [regsub -all {::+} $cmd :: cmd] + + # Ignore namespace if the name starts with :: + # Handle special case of only leading :: + + # Before each return case we give an example of which category it is + # with the following form : + # (inputCmd, inputNameSpace) -> output + + if {[string match ::* $cmd]} { + if {$n > 1} { + # (::foo::bar , *) -> ::foo::bar + return [list $cmd] + } else { + # (::global , *) -> global + return [list [string range $cmd 2 end]] + } + } + + # Potentially returning 2 elements to try : + # (if the current namespace is not the global one) + + if {$n == 0} { + if {$namespace eq "::"} { + # (nocolons , ::) -> nocolons + return [list $cmd] + } else { + # (nocolons , ::sub) -> ::sub::nocolons nocolons + return [list ${namespace}::$cmd $cmd] + } + } elseif {$namespace eq "::"} { + # (foo::bar , ::) -> ::foo::bar + return [list ::$cmd] + } else { + # (foo::bar , ::sub) -> ::sub::foo::bar ::foo::bar + return [list ${namespace}::$cmd ::$cmd] + } +} + +# auto_import -- +# +# Invoked during "namespace import" to make see if the imported commands +# reside in an autoloaded library. If so, the commands are loaded so +# that they will be available for the import links. If not, then this +# procedure does nothing. +# +# Arguments - +# pattern The pattern of commands being imported (like "foo::*") +# a canonical namespace as returned by [namespace current] + +proc auto_import {pattern} { + global auto_index + + # If no namespace is specified, this will be an error case + + if {![string match *::* $pattern]} { + return + } + + set ns [uplevel 1 [list ::namespace current]] + set patternList [auto_qualify $pattern $ns] + + auto_load_index + + foreach pattern $patternList { + foreach name [array names auto_index $pattern] { + if {([namespace which -command $name] eq "") + && ([namespace qualifiers $pattern] eq [namespace qualifiers $name])} { + namespace eval :: $auto_index($name) + } + } + } +} + +# auto_execok -- +# +# Returns string that indicates name of program to execute if +# name corresponds to a shell builtin or an executable in the +# Windows search path, or "" otherwise. Builds an associative +# array auto_execs that caches information about previous checks, +# for speed. +# +# Arguments: +# name - Name of a command. + +if {$tcl_platform(platform) eq "windows"} { +# Windows version. +# +# Note that file executable doesn't work under Windows, so we have to +# look for files with .exe, .com, or .bat extensions. Also, the path +# may be in the Path or PATH environment variables, and path +# components are separated with semicolons, not colons as under Unix. +# +proc auto_execok name { + global auto_execs env tcl_platform + + if {[info exists auto_execs($name)]} { + return $auto_execs($name) + } + set auto_execs($name) "" + + set shellBuiltins [list assoc cls copy date del dir echo erase ftype \ + md mkdir mklink move rd ren rename rmdir start time type ver vol] + if {[info exists env(PATHEXT)]} { + # Add an initial ; to have the {} extension check first. + set execExtensions [split ";$env(PATHEXT)" ";"] + } else { + set execExtensions [list {} .com .exe .bat .cmd] + } + + if {[string tolower $name] in $shellBuiltins} { + # When this is command.com for some reason on Win2K, Tcl won't + # exec it unless the case is right, which this corrects. COMSPEC + # may not point to a real file, so do the check. + set cmd $env(COMSPEC) + if {[file exists $cmd]} { + set cmd [file attributes $cmd -shortname] + } + return [set auto_execs($name) [list $cmd /c $name]] + } + + if {[llength [file split $name]] != 1} { + foreach ext $execExtensions { + set file ${name}${ext} + if {[file exists $file] && ![file isdirectory $file]} { + return [set auto_execs($name) [list $file]] + } + } + return "" + } + + set path "[file dirname [info nameof]];.;" + if {[info exists env(WINDIR)]} { + set windir $env(WINDIR) + } + if {[info exists windir]} { + if {$tcl_platform(os) eq "Windows NT"} { + append path "$windir/system32;" + } + append path "$windir/system;$windir;" + } + + foreach var {PATH Path path} { + if {[info exists env($var)]} { + append path ";$env($var)" + } + } + + foreach ext $execExtensions { + unset -nocomplain checked + foreach dir [split $path {;}] { + # Skip already checked directories + if {[info exists checked($dir)] || ($dir eq "")} { + continue + } + set checked($dir) {} + set file [file join $dir ${name}${ext}] + if {[file exists $file] && ![file isdirectory $file]} { + return [set auto_execs($name) [list $file]] + } + } + } + return "" +} + +} else { +# Unix version. +# +proc auto_execok name { + global auto_execs env + + if {[info exists auto_execs($name)]} { + return $auto_execs($name) + } + set auto_execs($name) "" + if {[llength [file split $name]] != 1} { + if {[file executable $name] && ![file isdirectory $name]} { + set auto_execs($name) [list $name] + } + return $auto_execs($name) + } + foreach dir [split $env(PATH) :] { + if {$dir eq ""} { + set dir . + } + set file [file join $dir $name] + if {[file executable $file] && ![file isdirectory $file]} { + set auto_execs($name) [list $file] + return $auto_execs($name) + } + } + return "" +} + +} + +# ::tcl::CopyDirectory -- +# +# This procedure is called by Tcl's core when attempts to call the +# filesystem's copydirectory function fail. The semantics of the call +# are that 'dest' does not yet exist, i.e. dest should become the exact +# image of src. If dest does exist, we throw an error. +# +# Note that making changes to this procedure can change the results +# of running Tcl's tests. +# +# Arguments: +# action - "renaming" or "copying" +# src - source directory +# dest - destination directory +proc tcl::CopyDirectory {action src dest} { + set nsrc [file normalize $src] + set ndest [file normalize $dest] + + if {$action eq "renaming"} { + # Can't rename volumes. We could give a more precise + # error message here, but that would break the test suite. + if {$nsrc in [file volumes]} { + return -code error "error $action \"$src\" to\ + \"$dest\": trying to rename a volume or move a directory\ + into itself" + } + } + if {[file exists $dest]} { + if {$nsrc eq $ndest} { + return -code error "error $action \"$src\" to\ + \"$dest\": trying to rename a volume or move a directory\ + into itself" + } + if {$action eq "copying"} { + # We used to throw an error here, but, looking more closely + # at the core copy code in tclFCmd.c, if the destination + # exists, then we should only call this function if -force + # is true, which means we just want to over-write. So, + # the following code is now commented out. + # + # return -code error "error $action \"$src\" to\ + # \"$dest\": file already exists" + } else { + # Depending on the platform, and on the current + # working directory, the directories '.', '..' + # can be returned in various combinations. Anyway, + # if any other file is returned, we must signal an error. + set existing [glob -nocomplain -directory $dest * .*] + lappend existing {*}[glob -nocomplain -directory $dest \ + -type hidden * .*] + foreach s $existing { + if {[file tail $s] ni {. ..}} { + return -code error "error $action \"$src\" to\ + \"$dest\": file already exists" + } + } + } + } else { + if {[string first $nsrc $ndest] != -1} { + set srclen [expr {[llength [file split $nsrc]] - 1}] + set ndest [lindex [file split $ndest] $srclen] + if {$ndest eq [file tail $nsrc]} { + return -code error "error $action \"$src\" to\ + \"$dest\": trying to rename a volume or move a directory\ + into itself" + } + } + file mkdir $dest + } + # Have to be careful to capture both visible and hidden files. + # We will also be more generous to the file system and not + # assume the hidden and non-hidden lists are non-overlapping. + # + # On Unix 'hidden' files begin with '.'. On other platforms + # or filesystems hidden files may have other interpretations. + set filelist [concat [glob -nocomplain -directory $src *] \ + [glob -nocomplain -directory $src -types hidden *]] + + foreach s [lsort -unique $filelist] { + if {[file tail $s] ni {. ..}} { + file copy -force -- $s [file join $dest [file tail $s]] + } + } + return +} diff --git a/venv/Scripts/Activate.ps1 b/venv/Scripts/Activate.ps1 new file mode 100644 index 0000000..640fac6 --- /dev/null +++ b/venv/Scripts/Activate.ps1 @@ -0,0 +1,51 @@ +function global:deactivate ([switch]$NonDestructive) { + # Revert to original values + if (Test-Path function:_OLD_VIRTUAL_PROMPT) { + copy-item function:_OLD_VIRTUAL_PROMPT function:prompt + remove-item function:_OLD_VIRTUAL_PROMPT + } + + if (Test-Path env:_OLD_VIRTUAL_PYTHONHOME) { + copy-item env:_OLD_VIRTUAL_PYTHONHOME env:PYTHONHOME + remove-item env:_OLD_VIRTUAL_PYTHONHOME + } + + if (Test-Path env:_OLD_VIRTUAL_PATH) { + copy-item env:_OLD_VIRTUAL_PATH env:PATH + remove-item env:_OLD_VIRTUAL_PATH + } + + if (Test-Path env:VIRTUAL_ENV) { + remove-item env:VIRTUAL_ENV + } + + if (!$NonDestructive) { + # Self destruct! + remove-item function:deactivate + } +} + +deactivate -nondestructive + +$env:VIRTUAL_ENV="C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv" + +if (! $env:VIRTUAL_ENV_DISABLE_PROMPT) { + # Set the prompt to include the env name + # Make sure _OLD_VIRTUAL_PROMPT is global + function global:_OLD_VIRTUAL_PROMPT {""} + copy-item function:prompt function:_OLD_VIRTUAL_PROMPT + function global:prompt { + Write-Host -NoNewline -ForegroundColor Green '(venv) ' + _OLD_VIRTUAL_PROMPT + } +} + +# Clear PYTHONHOME +if (Test-Path env:PYTHONHOME) { + copy-item env:PYTHONHOME env:_OLD_VIRTUAL_PYTHONHOME + remove-item env:PYTHONHOME +} + +# Add the venv to the PATH +copy-item env:PATH env:_OLD_VIRTUAL_PATH +$env:PATH = "$env:VIRTUAL_ENV\Scripts;$env:PATH" diff --git a/venv/Scripts/_asyncio.pyd b/venv/Scripts/_asyncio.pyd new file mode 100644 index 0000000000000000000000000000000000000000..17fd0e623999fc420a43e57e141411761ee1de4c GIT binary patch literal 54424 zcmeFa34B!5**|`hOkfCsjF<o_$cTvsAz}6;vt%I)L|Fm}3CJ=`k_nTL&6zupSU_-s zB^|KTt<+KrqLy0QV&!eIqDF&)Eh@EEQD|SZv<^bs)KW#I&j0(IbMMTZOc2`l?f?J( z{C*v{+gYCToaa2-dCs{vb8g)xBng6`!VwM&!hT%oSIo|rI3)<e=t(~xE$kcd>UH}Q zX1{t}ji=eC?euo6^t#%#4X*a~4pCe0)_VQz+U9m`*}Q6PTSucichsnqObK+jqy4+j zj24c_$4^$@d*o?6@9`wO%CAYUq6IuBzxpJ*s@S!sIpNj)cs|_9%RMtX;mE6a?rB!D z@;%LhbPXS&`aR8w?0G?RgNNFZdsbC02(uHCg>Q~BE|Jqt3W?W^Oc*^{ScH^%o|=9u zt{NPj>{-L^69r)y&yHM$lSlwDA3H4wi9#_bgi2H|a^;UFHwr=(QgwF<LL+7O3Bvdk zx{-cA7liFs<Nl~1yovOq>ja@j&Ku&Iy?)S`bqYcVtzYbyE4sTxWIj}f6X8dFB_>e( zw1TiA*W2h4U4k%hEiwR8K%%e|hvHX^rgM2QVRkk$w&Az|$66eUUom=_>-BjXkjDDj zhnrL!593h$iV2?A-P(bI)OVr*EB7NsA>0-V!i?CI|2+M(6j&HMJAYT#ZGxt^{KD4q z3ss&+ek^Fhe*8}jXRJVa;GkwxpO_Y0cp*4P9eQ<?AO!!gtUqu#OqU}^P#@`mZnfYa z?>Xv2T{CouCY-UMlj^FCearf{E>wpa!DE5*VR71~K7VqsT)nKnHt1K^hF7b?8An+& z>cB8G8mv&&28+jsj|L8^mQ&>;u|I0BTpj58vi5?rG6SC`_^%9`CoohtGx#ck7Wgz# z9PimD4vA-Q*7!}Yh@%e`6AugF1mLl(pAjc4unVw3`+>7+Q0h?m1u9jwwfuaQN3)lR zmM+t6fc1Sm=yq$c{6bxD-FfudUK`Gs08D}dn?CjrTka(Kfpo#QYeU~l191+jg6HE& z5IhtuSQT2&3$i3*A3;#i|EgWv0iF+nE@l7%-I>Cn64onm^sf7W9XdppW&MXrGD%B> zPC?FSe2(tQ2M}b_h4)vYx0oL2%1rQ&jx7)ijq?K^A68yKdociqDi0!*sKWwItUoP6 z*sl(oFZ>L6WE^CqOpWjXr@xY8*#PuBMFXJZ+H_F=CeF1q0HG^K3IdYU;M^!hLpfQ3 zz#e6W2K-og&@y=#G_(Mo)<arp*ACzZ_!n9dJo~$V0|<W@lnWe8-PG4T+}Ou}*Ln^U z6mvdf#}lX$9Dr<W`dG}gIl55X?+pEZI3(-*rm+92cqWj*RJRCqU?Pbm!DDd+1H(yz zW~%CB2@3Wv;fxkr^WuEQnMxsYar9WhC>>7^u|r7<q5I;rI5{*eWSRKqPz8Pxzns4q zzmTE{tcL_ta0y6bJh(g}0>O&>>N>DSNsHhq18!B}jAD!lq!EJ{7O$%dXXx0Fsz7o^ z;d!8N<@oTgAhVl}cMo?iG4?HA*6$yFsG^L7iE+Gh3AG?eQIw!@^gMeJ{t~aDeqCUq zkj?mpkGqDXJ~~W*2Yn>T!+A-GGm%IgYM@9bT`K`T&tRu3V5i5zCaekHt#dAf&cR7U z-C?|CXf<fGRHbgDs*3UlhbTX@wyLTsY}T+AtBAyq0u8ib@^Y$O2l}7;iJ$?C6a7Jb zSs~7aO_1mfeaH&S6qWI-iD@se?t<VS8yvMAa6C)D0$$Wd6e4h!aE<hj?B3FgjYBab zmq#FSnll;h9>V=F;r@zvT_Ayku0%Co7P`Syi4K-bA8PL?dKzakNNGv!Jwf^ZEA4T6 z#SPWky+gE0OfiY6%JZSrNi@z~nu~RU^BZ{zjLBwS3f|I7z^ksU3%=7LREN#eB8*6E zkqYHF8=N3Zo}{uAoUkc;$1viCCH=e9s2b=>ZCrOn*r$T{b~5%+gGEO;m+vQ$T+;7c z4i&$ozdHC%uvBGB-VP<~A1>vADG3BvBvR2+TUQl}6julS5rNlWKwd_(3cWB8r+GJh zy#Bf`!RzPG5mp?I%*yOa{9GISE8HMQ-}eQL*ycF)BrZ+NH=6|>1WkH?d&IynX<+gw z=Cla(4+LPsweSKs6tqkv{=8YWAR<C9vpSwCa6F)qIf60ba4OW$S_<(vg5mizoN<yE zKBE{k3J&Zl!=>PX?ZDqZrr@p}bWI74vLkiVEB?8`iW;!f5>F>M1DFU@6QZI<-q>)) z6L>_n9b<6_1`i}y-XFY+VD&NxyIC6y=x%BUK7lQnETlLhEcB8+T@K~fI~*5IwnNF( zFhQ!WJCsbd=|1@Bp=7E~_u-85=wa~KrsMu=xQDdIhq2a06ask!OZsa)dq~1FvI$`@ zpb89_8y;TEI#S)cUJbfa)@V?^vUfDB`#5wd)?alp7K=|d_AQb9ST??Oq){LKA{+*X z-VEmfR^L`vS2u)e6sOi*zD{()3@OKsD8%GdvkOx)jqxRzhrqg2p_(jW@ZCE9xE7(d z+M`3i=Z7;$sRa(E2M5m7%1O*q0pF`(2Ag}A!EqIndj03ZW*rU9oK$1qrjOI^?<=nA zoxN#bYxzJGL}C#GLnIvRjF7t%=dw8A<Sz-%xnO)XWU}(P1)gX~mK$GP64FX(e6Vpg z_7#+<(WXpKHuD(T^92y_id;~F0NJVw)~0THLtGPHtqIOm*M{D~Km_NeqMPu)UJ=J1 zs-QWk5U1CJb4lMLo3T|~HfWR?oSV*zqz?@N>Z%`Qs!^yaxLCdExTrUVHyvMpW3VC} zxCDz+gR1@EPED{XwKh}&yomOF{+njnK3{v{62O<x@Dube!(a)qs4P1~67T{D@);WE z)zm{HJ~x$T|4Wp)1Wv)Z6FBe*7ipVjWgz?bi)3qgwsy$uLlrF2B>8@aDyC5>$>|;w zYQKP?C#M^Bg2`@pIGhkW1fq^fJozEAANX5^z8}gD>^dM`AI_MC8W^#wn5Q!yV#1X% zG;wc*7MkyyjNzk9$!E?NnYs1T#7!LM5r&$t_J<RD=TE@=EfGBmW&Q)qg8ADAO2dt2 zFudgZ`ip`yRDrG<VcpzMW>6fdSS;t(Vu55Wj*>g`hB%c<<IIf43>Xb*E<Q94%Yg(; z%O@oar2j^$HX>LuegT`m@0tc;cr=83RNE4h?i!B_n|kQ-y7=<J*LrKg0KBJGj2ZQG zBgT|@+hiWd*QRTKup~2ZK7Q^`x*%|#=KekLw4_WREzOWINTX;nI=(lNxd+IaK+h9; z6QNC@Ppe@PgYO3Ckx7#*%J#uHJC`8Va7U(4D_#RHyDsGaOp@iao@YV*<&afYB3<xj z2JT1|{MUw)FwgFFrlKdkGr9ZaTq5;qS$|7nI73ALWXtp%iqBE^E>8_7^v=};XOiPM zyS56}oC?84shN!u$wu9yjH!V9gd39cBgu?%uy|5ytUyabIO9#`8K`;*dRot{Fl41T zwO7ZAqfi7nNwu<zGSo0iIoXdy8g3_2VD6CwYARy`TqaJh`aB#~00h06wfa9*KLzLN zxcbt8E#hqshAR^KU{oRg3oc6~njq|;30A;9h-r0I;a@XTk+x|AzyvE0eGo@RQvL10 z3Ua#?DNA8-VpDDoR!oRZ0f*4kKvC<4AX8$Bl=NVQF18G$1Wvh(HSnF!bllZLM+eDY z*}CvTs7#XTTqw`s(i9Dyyl}|~;UI^HwKZ<&wq)fnCN40@bi=rz<AS6b(8E!ZdSI#{ zCMp<J<`^OLSB{4c?UhgzGPp2x+37^c!9P>p5Gh}-#w-R#8>A|L13!W31vZT)(XI`? z9sFge24Vz}9%2T)9Fry#s|x9P5qgLU9PkgE)quqixve#R43Dv{*MGjCRPDd^B1Q^> zO=A!&O+~kYj&o2NAlIUn#Ht11x8W>9*3)`^2~ACUxiEMOc@pWpzSKAeDtHU|SIE-D zWwF^3@SqlMAqVGLObmL<$v4XCElrOr52`eRDj<M_9ko3_Sd!Y37!<;tsS3>W5@ts@ z;PHn_hxXmJRwO{Z#zI8`=}1W_r}g}SWbc-AW4L$SKtZ=U?e5=F0&CU2KRi6VCKXe$ za0ZbGgy}6m2mB{v;%!@~UWb`PYOj6UjNXM8&SX=Vk2E=C8l~bq>A<>k!rB&^v9B9I zdo$6Tty{hJe%SAJf~D@QRU`e(uwbnk@PgfH+uP!pS_D|&=kH{2F-Be4ao+gUbr+J> zorj|n+t0Xi+-t|EGu?F&ipA9mmY+{5SI1E?%6z!Hv_B*VvWK=V6V7q(;Ej0G!rCGD z;+3#c3I0(rMPh7K6s1UcLA<Q;awJ<8Dbfegc=)u-iHDPJ53I)mhvZzaRTZ6bx(b`X z7)c6_U@kh0-1=qxy%p02S&V4={)_9QKv(u95tB#)c(F})jT5ilwFMmQITGsx0V8OI za<#OaBCX{RJ}ll3)*r3(RnaBB0uZG=-Jv`}5bM-|J1$BPn)i^ml`6mw@=pX{$$gTY zLI!$fx)Y_ICXW&7Nfn%>E`cy8#8>=T#K}UuLIn?L9C7fjh?|5&GHvM8%v9hyGqtw_ z!FH^b;M7|JQ=HnX=APJO;~NE4>h;%btrTcVm%0sWNyweOO*I1rY*p&DAqxGF-o32x z3C_X{DUMuNpPHal-HdRT2@g}Mq2OV?E0+8U{KV10Sv1ueP77n&xP>vP9v@#eOaBsv z3sz=MJuHq7oK6r^aq>_0)L_naCe^d!NnDaW#d~Suw2$dY6^1J@EJ&D<3X5GDip3c1 zlkuvp3w#9(Ghs-Z#k3cEYQb{^%~kWzhdj-DA6hb;v4=ISmZKQTfd9wh^B%1q`1!DO zc?#vICPhfHYU@1HC?n$ttDVZ13p7DR?K6qS<8gWs5$%522m}AX*;LjA<HrTQ?6e*i zShfz~zg}N9i@9zsKL-`s$D0UesG!bi3Y*rGg@Un|G4lZ<nbz}ruzi(hZ3H_qS!z;D zSYt>H&Qev$!9fIcdVY$+wVpQ-9)u<6Vdet<WZLG3kRJAp_iTvE=|N7lXFo#L${Jmr z!BU#@rdN47_YKNg=-EO6cOSxPEXs6@Xn0&K#Oe<QgqAueY6xG!KLXF2@qA`<oS6?K z5%#63YI&9#XDJbLx+0F=Y*_^}kaOXTM>rWJFG12b(7zkkt0?^H9}PpC$|wLf?3#|J zZTu;)-Xw@Acs|S^sA@wC{)YJxtzK`~Npw1j4ne{(o}|yEiU_kX)k5Knp(8E3w1^ov zun|XCH?DX$J?u)wskcJiYo;531grzRQ4Sx&SR3r5)x_0os-GKJKTYtD4i5{yjCcnr zJe1>t;8_itM@<P+oOQw14iz(GLi1oeiI>D{FpOHMql3eEAg2>lSFF=3O%BQb{~A8e z6G{Ka_&}bpRuNsV$I|_I5QUcR&sBLg6G_M`Tgv*&rn*Z&G(;h%j-rqPyp~Vix#pGY z=3L;BX#aevez5!;bpM<S(22>=iE}QXB)C19B?cFsL&POmTm$2LvmA0Mp*0h}c0w|| zkF}V3W+`g@Bv_19i87>!-{WzUZG*>(yzK7-?_$wSYS?oC1<p9hznh_gmlzfT>&^@Q zG~(`zHyLOopT}sx)-gYgk8+$8h5e8PEHp;Nfv;G32G9V*MZq$`Ip^X4a2i}OL^{P& z<I|N3Vw_(tfnltl5M!aF`o%O29*rFURpEsc$%PYuc_?fK^2vR`qBvhqnd%|A2Jv?? z5u$?QJ#E;<<ypFhRQCZ!I81(=<Wi`G+KYH$;CYl_(u$TXK_;BDn80FAzMDi<67fUB zNCdHxz#@v7d|+VxQQfn1FSTh$nly*-zfI|i9s+;TAOExXtU^E~c$ck@5Ey5?bFr9s zjKWhv(I{}ITQ)v4A)G{ecEqbVZ}$+bbrF}A&56q?W)V|r&k&{HJI+rHR;rhsUVwQT z_Ya9aEDjRO0ONQVBsLLT5rZV*C;6lBY`6#dCG3WHd7Ve|7{=?f;5)G+M^nxIa8mDb z@&yvvctfj1#+!2g8G39j*Hn21hyqdNL=^fxp}SDSNbuiR5(#2{jNX@$c*z&1ic<M6 zlb?Uee#KhAc!mJ^jy(kOVNp@Z_DNV6i4zf8<b%I=v88vvibZt?FTckw`B43fETvyo zeb8q<tx<mpJqx3_g+vv;iYoAVSgfeVlAQ{Y9?sB6B23HH1$^H@co<gKpjbWQyHEoA z54JIllOE@e@TCXR?(+Jm|7<lXMu7J*ouP?3DT)!N^&2eZL7o|Ea79&ta9GSkiUKuw zQnr3^3Y1+kV{R-GGl!tsvy_m7BudCh%OKI(vsv4z68AEGnO_}z7ZmwxWF0-N=W#Np z%0+a^C-$$5T|{S55867C9C$r^=H@ECzE6c!i221kqv7>8L>JM=4qDt78Ia`XNxf2^ zuf;k}Cetr<Sg)Ps*%s3^kPqy_LsjdGdDN`8q8PGzMV!|dSYIrNuLtMmbJdrR2I51r zhbqb_{ZPd$rr(o-bM3v$?L!(orZFUjr@oT6-iB~`cvxNU8ug)>Y*mfxity@US_pi* zMF^F=Pa!;M7Llr)MQl2rwke0g@vntWAa1H;4Dc(H*HC{5`E!e@HMV+IOvuKY=(&V3 zyixl_vcHrBgLJ8+Ph#WK#n4&G_%!x4BR*{(l==uu%^#F{H%lecu826_&eggi#S<6Z zu8oUsm&HZ54RO(JZCrGFG>>i%mm=vgk!>!7Tz>|-W?g0g1?8DSr_c?}a4<UE$#STq zch)S0YGw_{@XIbAKC@>;U}n$k7n`X^@hAI7q-W*xzq~y3cXTf!X>m4tquC@hpS+uK zaVX=zx##X58?WxbHT^?xWmN3$iIYi8kzo&p+#IN=MjL`+ToB+J-ETMuUq4x$e-a{# zKg4V`jA`x&ECsFm9h%Aa8uHz?PArw(2kno@QGRtTC~Y0I)e!U}%VC8YmtuPI?oLJD zHXZM}3VRG^M)w#lUqX=c!Akwhu?Nu!R9b`u2#~~V7>q#>{6zcN)Kn^F>!0Mg@p)pg zw0$$Oi8}&==eJ%oAMmC4Mc^x$LfR$@N(8<#OGxXv26wgc#<8J-7}#Et*7H6@zRt6Q z;Ahm3jL7=(VU}@_?+;W2CBBCAYR{f0`OYZRAX4^qt&W5q`UYn$@oZOy9>BV6B|$8O zy@o|n#vVq}7Rif6A0TIO`ZSK)hqNzFHs6YgKrF8gCH$E!*)S8ug%fAclk_>_5ws7? zKL#8UiASVu{yI7@x$;mY@iB?#U_$=gM&QdmzKFm4?jV;>EDjIHj0iEG#BfqAtz<J_ zIlQJAE9=3x$o?JY_Ah?xAK&&T`6>}ou^XZnqGjn-v>QBQE%-qW&)p13XR4P5nCz;w zLrD>xBNay4^Q}-hS=Z56L#LJMv4}#&1Uz`ed2lN8tenxHvy4yR>;&dP9x5Nea0$V8 zNkPCFJMJGAoJbLd>N=0<b}+p3<^*@eG|bqLR~Wbh%6~2hHIc7dA|95GTHsr@w03tg zMYR1l@a-J((q<L){21-&IG)zC3PsR5`6*Bz42gN%u+JRYw+YUK{g7AuY6v%7WU>}r z`#J6}LFmvn%7nJW$+l6nr&7EcyC$hq9@Abn&*t08Fuy%h#4{jbAvOYtuAZ5St)HHK zPsWxEtQ!#El?@K=K|O5B#by`MA>oW2XoJjWU)rW#^r&EFnV642M4UwKqIW=~Ub85P z6upr~<MbXH62wqm58ZYGV?HpX9}2~k433DCZfVHntq{zImtH#A%lb&c>-2EOSv;VH z|NdRXS)<)@JQ}2k<^~s@#}eLE6gZl5&h~<M<9u{98mP#Kt+bC(0IRNu@eH7y(O7WJ zxIir}gwj-_y)Yywc(|8BRQ`oSM{Wj&bXbFP5V=X~F=A6S2%5I(Cfq2uI7fMN@a${X zF<=F5p=i<(h9HGlunA^>g_)EwCdqC67x3CdJL3qiwYZ7k#RdZ`A?-_%z}r5NA~<!P zql}U3LdV#`x8`(+dL?bNP3swtC$`x(t!ET&J?9ZDhi*MZ1cjrf=490FYULfwhzxLA z&u5S<KFDV#+E~yqZ4-I4am;9AqT#>V_y$JjJuK)G`yN1TwiB4xhvtlC6IeF#o(GoT zDT4n1N`V`g-$*-q>1Bk$J9{xH#l!*ynU$^$e4gMRS?B3Qw@?2Sg5%jQ5#Vjwf^$%F z`U52HB8c;Q%g=_7LJSz(-eu?FKtqjez7mi@ui!-T`FfX~=Ml9Pe24O4VouNC9m;8& ze@F7g_%l0pd-9wCpny(*gC<AD5bd8ymv$!8j+WrDGs(f_>TnXNv3m*B$ly%uZ5nAi zCSoxvZBq;3q*wufzn6{u{--Y>ohfKV9xa=v^&Ce|*i7!2JjC}gKBbKcq7mb=_%C28 zY!?=9@a$yn1_X>V0EERqHBK+ZX@!V}ls3xFEbc82Z7o05l2A3jciAbvN0!$0(f{&+ zxLI#p1CS6%>Gn8oBE!(TCO@sm4~CXJN^mUOv<TwDqfG0Wi=nO!FFeZ`hP`1I<5H$= zo`w=>JqCb~wB!&<4dFH0OtqLQQ<qkPXq6$YXDf}#>(ai;(6w-3z)Hlge}rg~F+Yk) z>Y-yqQ9_~oY+QF~WS=I19<1*p-FpBS0?Mv;a5+qRsr%D#*fxs%-n32UqKKak;T|Xs zfX$f%gmrbHGoKKzr_<Kw!S5GB)hnmYQG1PkVvFBL*hn)^9s2A~B&J=C;9KC0ob$ke zUf{FDd$Q!Wyd7Ev5-8leJ&d=;lgB{f&CAS08LSJiH@*JA{3mIbCFxZvM(TjBJU)k= zn`aqHT;Q(f0yhC8z7skMN?(meh(#$>Ydc*^A~Az)gS<j^2R1V_RA(k)6J%P?DGb_B z8zIRnm;1$+7$fTZysXZ#K;ple)H^L1AXQpHlQD-5iI}kSLz*yU6A=?e_ID#GbI95d zZ!9nYh+jy!*usNMzTk}Uhi0&e7|i31i0*pF!?(MNm~9vqmf+MWWPzMYHbgUMyXVal z;>3+9?GxB%t9%0q{w8}r>dn_^NH6RCsOT#Twb3^g@bbc-7Zzw+^3X3VaQAbF_Z9w# zJ^B2Fg*w_78vn`yd9p7IW;nJRG{(Oj(v#(Ww%p%Sug3TH-}!!*7}MV6zu$%V@WtZC z;<a%@%sMXl5B%K$s(+FA@nzKqy@J08;sxlZPBWQjZy_t28MI;&DS!QkmsOs>wi5g+ ze{lsW7UG$RSo*NuPBleB0Pix^k6<;PfI&p{n8gtcc`aYr!p!KJx}f6#3WZ0}s&s8| zwVJl~;WZimpPYx1X~7FxMTm{Q961skMK8TVFI@v-A4;YNDhAP0yfGIXMIKM25Iqc4 zh_=&53em$*h3K{6NFjO{st~<`7%4;#Llv5)EJP1O6{1K>1QI<ARfqyDkwWw^R3Qo~ zMGDcwP=y2~BzhRC5Y2cZkmzBkLYc}!^e|K*THJ_0qKBah(W`TjLi8|HA$nsdQivYn z3q@J&T8Y)Lf9g`)RvnzUAGQrve>1)237=85n{gamkjLTP@(nV(Sx1ocO(fC&o}--G zcQf3Peg~yv%e%<!<Zgy8(pMtgbHGdPcn!}Y-)25igQKX7XB%3@KCtkwr3Kuy9us9c zXxiY}iOgD(67_Bk^&eG}ksIfTc=j{gBOv|?3+_1@t;~2Dl@C+;sc1Um2Bhz$^z+el z#sEm)j`aA()N6@Qk;Zzc@&u$wm@+;@W!ePcnHEha=B6Hyd*QK1(;0Iked>^nRmC<o zjw&}sD>E5G<v)WR;xX-vt^6(udAg#NNly?)PYzkRC${o;sPeXGWu{E}#IE>OcPcB2 z9?u?LNsc2`@M#Pd11ZJ=AAUDU55=pmh`f5gizSgV7TG4k80*TW2mNvFBI5Nro0rkD zCj3$!a;>ckT?Ll|-P}yuvV!K5#8|Y4A^aB8_Iz6w-$@{+Y@xo=Dz#LmYdu?Zm7h92 z6ibw!>bWDq>vq+6{!Wu$4;9EbhPH@LD7J44CsV6I$9@?Bk7=F6GzhqMYXdoypWq*} z>maTSMR{8mIV}C*WNMW)?XeH4NjVArW4lhsCFGjqR`xS$R(Z-;C4p@!M}rfBqZpMj zfBde}nD8nj@Kv6w*edGaC`v!`OL7qV!&xV9Loc)5Wap#oOd*SK)?s!&$j-F*8qPYv z&ZKF=S>&{av-Yy{6YSi`&X2G&IsD<Qo$O38s&LkQ?7WSgx3DvL<KZj{Vu!Ofu=84W z7TLLzojvS40AiyIJNK|NZG{VGZDVH&4TZDF0}p5IVP~@9z>S@0`(!wah70(!b00e& zWM|s97S5ubis3BMhM)sG)0l^|Xoe5^ursN$a2Cbv!dVo^LN3GY9J@cy&KKBOVCgD$ zR<m;|J8RfEot-DJvzDDR**Tk?b?j_s=VErA#m=+Yxr&`@*m)5<FJ<QyINL_i+pQn@ z6F=(z=yVX=OFmS2Y9J(t#y}`R)Y9n+Iwc$XiqGgmk7KvnndDFpE@?mQJ2Q!WI7A(y z_X`)F(FE3M1iWC1oT^YF)Yal;FQy7D8qbQ2f+n;K-@k#NzJscZd!TxLg*u_5c$0Z^ z`R|`f*u3n6fct_FaGW6Xown&2<Q__<2fz_R$*9%SC(a2yiv{1%*Rbg*^nKcSbRM1X zoWm*9i0`{BUJMs*O6Z3Gio#mY0Og*g++vo?0m6(3hT~`u``T!x9daO{=eWN#)QK;- zKxhjEaZ+vQ$`K4v#3226_W`RJK}+y81YiL!{8l)51GZ%nP13%$?1QlX_n~$w4#zk2 z3^43(86KJfU`JX~JsYU=E0DO0s%+|8@0zun?m};(1DnfFMZ2BopBwrba1Z?yLFZ5y zUtI}gF>=U=W&lyP1QnV{t$~bUI^l3dXf>*Z{ii}9qAp=!may23f=4g}I|++-0W!D_ zU*_<q6*vfoJMdcg>Ct3;Kzl&4oflIA;Y2YxxJ+}VJZRRyeB+j0km)Tyb!Gx~ZGa9D zDg+05{ii5Y@*)spd7)>ZaU;n;h$R11MU+M9Ksdo~0z6$cmKoHchmc;4tsd&oov65r z+UqSp3Ei(@slme%!55yyYEW_@oaDciw^JQ$N1VwK1=OU9GkI}1p25Pz*<ix_u+H;l zEd~#(8`u|wCO-t30|&?V2i+mOuH!!?kvaHs=o5?`-+#(TK>a5=Ux~WtJ*zEq!gAtq zh|RLoeb`Tc8@wi-;7<;9Lz<#Z-A)tdgQ-$ka-*h^*wYf34mX|=DxnYa5ZoeAnTZSA z{<`sOCZM#83%!TY1W}S(5*NQZW%uU)0+mMf&^coRohPoPv$>1T4iV?3Eg3u6Wz>D_ zGO?3gl3Up&%fl`?jkxUidh&K$g5|>QE$ph=y$#o`<?7u#=y?<Ek~oxn49t=sBnZ1G zbN79CI+VN_XTtkX@)nj$0=r$hYf&v))h8U<umjH|Z~QsP)J^Z~<nwrb;UpYE)i$7v zXHPmtKJ*@iF%Y`}6<gFHswa_Q0w)9UFOdNYP5*C`;S|X5&vhP1_HL&B^S&iV`?m3{ zmiH&+|GWO2ykvjqa|f$aNTp-9mpc_(WK&14#`}e-vwF)@aVg$SgDnlL+*i^gXXqtF z#BH&u_kyiF)t7-Q!cDaEF7<1@shf79+L;raDt`eQ(ufDnrU%^Tutaq(;66|BdJV(? z`+|+-=Ku=}cX-s(&3JyZwfrm!O<;uv@Kp$7`B`K61>*}W5XBg+w(j}4e=L6HIS69d z_PVIr^qT*M&^^%j!Na!K{llN0hs-mhk(x5<ikX7&!b#1@!@aELC%<y`GTvNHyvQVa zOu#|fN$`(gQk#l)p%O@-J$qoK5J^NzKf4e0F)h4*FVg$>@27JJf$=a_`~qrK?<`g5 z1NkWtPt*ka%0%$65w8`zH|f`h8QZh8z{yE1+Qm~3V=wZr4;z!oT(eBtn>;6#N`_{j zwW?4jYZIW@9`afCq{C@HD@orve|*wW+zeYake&3A?Jca3%}KT0oa#*p&QK@KNVOgI zrUqWjw!P*5knKnczIf)-(^CP81A?&K@bsKp1)-@x?Vk`Ns2dCDyN~{~{Uc#EnhHwB z`&D}rmh~I3W4Lh_`2qd4p?$DMsH)`&&z%GXf>o+BD%(*JL<|06Ani$f1;jsKfN#4u zVR?Tjz$*+7{T3?u%=l0To~uIN!5J1^OfvNKhaSMg-UKZ2gpQ(-p1#HOC5zB-pxV>t zXC*#I3EU44{T(-F{)EDzGq?-=k=I0zLf7CH4PV7Zlxg!hwA>9X%*^^i*!l@!|M<{E zlv}(QwEYk^8W^N{`p}0^CMEZW9%4|^dTzv(5DHTA=}kDJjlep*JTv^|<Ws1S5E@06 z+=(0@rXm`J7Vw7@)T^R;XHFCOsN&hw4US`|C5XfKCY;`kUQ+l8^M~ZX7YY75Ld!WW zH^3TA=J;$z3b{OKo+E@_H-8i>41H&AVcfITf36N3^gLnD*a-6@nT@cDf<5jKtw$ey z^m(e!6HtYxIbTjDY!Wa)BvLKOp*oECkruV5k9>){p~6Vo_jC3@Ke5MR*)D8`(`?*N z4~$J_Kh4=>GdM$oS6Iu{PgCC17pmrms$jy&V-s)0*YSk4*GcAgZ^D^LSnLQ2##c7x z18iT~eJ=!GAR{dmF!Y7$&^Xa7bTbM7LfQtR`Uqp+)5L3E<pkZ}pfM1{VH=>y{A0-C z{|?3J`WCK>7fXbfWiOei1o1<GUmvE;3&TSND0gNgC-!wz=aXZLuj%{b==Jm!MzkNP zO7vrrOZA2=J3Wjy#K+|WI61^ks6dVPLijnHW3!g^@1KQf6=iW_Ukz*jH<U-GxS4B7 z3cUcjA5vu=fkE8L>@oJBhU!rW9!2k_Eg)m>*3ERjzlYA>*+A$2T1)3=yKrvWa{nXj zvUNMVd`D!LO`YuWXe+z?(1Xj4uW#CcOR!wkyXijMY^9r>xH-hyB@ZB2e4(YPchfeO zyN572hQUA$AakgE4_wsZL*-8ZW1+WvA3{jbiY>y{Md445Z!O;ghT}cB`Z$>E3+&n@ zH;5MVxgP{xPK76~MyHPe!eX|e2eb*CEo&*;T7H0<YbM4!i1$(sppt;<AD3f(GA!+9 z<!8?%wWKT}X2nKk^07?F1tCol6?T(Sg-wjAurYydarElcz|$eLDu_wY9nd+RKQ)kI zClqObNaYF}^Ba6^C;eH0E=`huQm{DPp-sN`D)Ab}b#zI0Os2~yhfw@2;DjBCFRCzk z0merHSs~)a{_5K2Y9K$)(8=~U-&J+NLb$dm!Pg}n^mgE7mF;id(-g))*`-vLPM0cs z<cQ}?qo8TTRv7$(Wtp1Z)=bS-98*tX4-Ml~m`~$NRlV*ImY-mhC3&JjDIaLuP4zy) zcQpqZVFdA8?Bq*)^FQL8D}T7qulDrAkM@u)3cZJsh7Y~0KSH61d4ls697TH7*thZ1 z(Qd3bLSxflW}PKU1kPqw8;_Tcn5Y4qmXy#x0Et3Utpw3MfayqJ6lEnEU#YF@ok(@I zt~*hk_HgiTOL~X*u2J>QQyX9Dt%EOeBDn4pwAaQ@+C_J3usmdLZg*F*7kEyZXS&<{ z;5FE4UUloT6TSFe2;K=)jXX3G3h)+nZ*{7_6i~7Tio$7*KD=}yUhh~jEKv|AI6CQ) z;iwvxgk7Xa#AP@VlLUmU90MfvuP5}f8@w{k6V{!B0|b07tTnU@Uu1kGu3g?_aM{UE z`US|eI6Clpq68x;xNN|={QFRmg4o3SuR4@WeJ5`i>4I9EOBane)A&kS!ci<4_b$ZF z8@!4!5I8w3aDJFScNdW@a9GVNg878ql=5-ERvZ&JtmVm2P&}DFBE>|e7-Cb9oQ{$- zP~j|lC%8YWjGc?w*~89_?7V`Vm$I|S&Nb{@#m=+Yxs{z4v2!Oocd;`~dBRyFSK%z0 z^Mtc#$`j7gvNO4K;Vkm<!dc|>g|o;L3}>aXGr3veEK)1sERz0k7D+h-R{0<DkM8}O ze+RI~dJm3!aID6$6h{RP9geX$KHDk?f5h<yj(s?`<9H3}^vm6X&qm{zi-Ufd$W!Au zi|3nh-HYo(IJV*F!C^<*3LL+{eG9JioAp&exD|(pV+)R*IQHUr5yw#+AK@4VH)1S~ zY#jMG7T{>Yu@=YOICkJTfa5J3f5!0{4t1{}Ou%8lF$2d^94$Dq0dF&|kKj0f;~0*Q zaj3A5^lBW1IBvz!iQ_ID58-$Y#~V1_$8iqFu%IBM<G2Bb6-NyY5014sw&VB-j$hyi z;kba~;Z48??GD@}2&Ztoh2tQOCvZH7<1QSlaWvtm!ePOo#qkB|oyD;q#~V1d;aH1f z1&&!ba&e5o@kI~%jpHbe=WslXV;hbx^lL4y^dr^9?=F3&IWf(ZolcjpyS<^g!-)^L zw>P)1bh=l&+eK$<M@OgADG08{MrUJ3yW82|YHh7|HLL<?CvKgh%eTtsZ0Km~bcsl# zY^SfIqn+KiH@I7o=J$FD78NCoR=Pz6bV2aB+Z!oe^mseg;7V=M^V-aL)(XGq_qqY2 z1F8~VF`q|?Lm<=8;q9P0EWd^~w052~rfED!Fs8Dt&27zuGl3+Wd?N2xQ*$d?Wa;y) zo!(}kE@ugHALdz|UiZpopXl~R`h_%q`=Hc$NJQTwrRcfU?ON@YYEip#f8`s{!R>0y z!8g%ety-Vh;dQNaYw@vt`og|zwX3<+RnHLQw9$6dx40Wbxj=J!v)JrvZNA;zn2SCT z{6=@Ze<kjl+gBr_5g=V6bx?kGcQv>>#paH72^6x}uUhQrtOV*VmIpH6wn6l1>s^hl z-P$$HqDQ;Z-A?%(UZ2+0-l+UD0Ip`AyAgj0K<v=EwDKrIp4~owYXn)JTLhAR@LL3F zsjQ4jc?36!0KAF-TCH@7z{gF@NDXT{+JP1R0s%^B(Q1XO)#nzf%IB6<&YdZgmdq_J zpFO+03_Yu;oLgBvi`@zs#ZIrYxxES8<8-#W+T6tL&|g{A+N_0zoS!2Ea(d9qR<~CW z+T1=LhDC^Ep-z*;tG*7uw*dnzV@L1+E>cvx#)ZLze0jBAx9Dxg9pis5qYcS}2(*Y! z{610<aJ=re4lvJPQ3ReOYpo0rWm22OwKUKX(dGy`>%m#8AmXfyEYCialNxm@8jPhg z!Hn;m3_n*IX4e{5vq+t6zfsisi47R9$mD^H&YMSVGkMRRq7^;O-bSs<yVBnVQPH;f zee5quxU>oiHn*cQ=%Rv(ZLV%65*|nsc+BVSbb%G!S}?hv^*_=LUj$}DtIOwe`?QU2 zZ}V!9Ks&?bbC*YWtiubA<qi3?9Zg!Fzrh30tQK@oYX>+gN>8c3BqBnCb*Xbrhj-Od z(^B73{NW3KtJ}9!CJcYhZ9v^7e|rNHC(*SEc(iwDSGl`UG1`CM5M??$d=QY1cIX3{ zOf+6jpS!h*^DC*mYSG;}$1Qs5yspkp;6y~G^g1-<kI7;BTxe|eHMqQuLMi{_9ZXGe zi6t$k&03&c<AExKWOs-jFsqyjNvwAh@!VbR2EWJ@&1~p2N|MVocCg-IG+iQSi27Pd z7t2L*1rQcm+b_cTWg_A3>VzV5H%`;8gr>_{0QA|9`jD&C<lq_L&<M$OH(<n30bHh) z3|L%A3@FqoATc-*3-IMYVv0!+sJ=GRF`vJ)v%@Qrx{(A&+X1RGWy#wbx@?3imBkru zj0lZxpXlxAhS1dep(mND?1X^?aj!!kB6#6mX|t4Oipi`5$0^k%LOMyZV8FRm#<OHJ zosdi?$t-wAX4zcoEY$(=I<u!(wXRk&O5NyFyW2{<!N(_7cQXocdxW~(&F)snK9n6( z0wh@gL2|`&n!Fut+9t?c#EO9XWcJ`XgEhjS5=+4F@T!D>L}PS^*+r&vV8WV35(-w} zvf3Y_Mb;jANKJB;M*Ve(a1T5f7iQ5Ko12>4<ke`o^@bozj+2%-PExYqT)^F_+3;y* zb+kh7U<|pZC0}z{1;{gvC%b2kfU~oswYi}ibd(vp9=eLg3JwuUV{G`n(u4_>+{Rav z<}depJJ1}-H@6K^LJT|+<4n4Qt_n!}Im%)DS;=KlydqKzI8Z6FObZxr5@@7F23Sz2 zbl6UMiaJ+o+^$t#cau<uYqeWs^pL&Lh>t`l4N8O>j87ZnhsAql=(EBxQ#xg`3=oa^ z_;X&P=cvz%d!<f7-}fNgUgqPzw??|k&y+{?pTU*(7}5O+T;+5spM8-!av3Fjs!u=p zZyC{SyBNot>v6Q;20uA375Dgnf{=a(4(5SJ^F|>(8<n$>mo4S(MB2an+a_p^u9p_U z5lV@HgFwmu<`3Z`VL^3S^-o6}sXX-2&RLs(ZtQ<#S_Qp)D3mJgaaC!(zqz$>>6+$t zqak9Ib2}UB89KB|O$YsmPBTkuW)tT0_mXmH){)sp(;4<Rk?8L%<u=nFK+0rsD};;K zpHj-z=^C2gQDO0(KbJ13$y`)gLe;RUuS~=01m>18X_c%T_68`*RkCsyV$!NuIRQeg z0*qYNMinckib<<s<<v-1N6OW(a##`)`oIwK-+IDWaaincKV|y5q`&P%e6$vP!OLad ze*5i>_2e*CZIsK44VjfCtQ|xKB^Z=;D{E(wGOdP}LsT$Yu7;PxP77fJ;m8`!?82>Z z5@}VG=H|%I-_2srobCoHvjJ%|R?=7)DeXR_DaOY{X*4GmQzGRol!iE<uptv^QeUyL zKsb_w=XxKc7{5M@87}PaS7qw-lr(^}>=BVPh6AN5f3!D)o{vgb`FZ#vE(h}Sn}hO$ zgYuR2A73nJUco_d<@$KTg0(}>OI(7c9S7yp4@oR<3}}&nXZcX$ITeQn$Ifa&n1m~7 zGj57<JG&c&s_sfm!y<tI&^JJ3_)m*C&W29(jn(66UZf%BCY)5HtwyW|u{1Uoa^3gu z#vRgz`u!&+^?yf9N=T~eu3>Qv=9)NX!oCknsOrYt%Ndz}2{xX>qY+f5COU`y6&Mr_ zj1!*0JQnf5UuoefGn)~riU65I6Am~?Z%es#E-x|#!Aux*ce()<F^lGgx$ZSWqsm#; zUDgaA1W+-LYjfVx-m#{Amdoc6nkbJNoZ)J$q}T^$U!`!r1>vi}va*ewe<#1pVe>uV zXHtuEJG^Zy0u#YW5bj8<>gH&psn#YoXWTE9pVz<~iAF*AIUvvOK=7>su5q;wK^&)u zd1th)ggYoxB8pyNrHo^#$JHDq0kqho1PS3O>R2`WNVjl5l|_ALg&PEliS5+#8T0j= z`sA{T&26&#cxSYAz@lcW5woD^L47o5W~p;wI}O$<p(C2g=y+7>B`VLQz(m7fnpZXo zucHp~ou!EKp(DWm5scQt_T~os2}wqb3Zki4E4-YHUN{L5u<*mV6sFO*`a4_QP8!i8 z5~PyGMgf~L7=IDY&6rKeJvvJmNP|HmN^|Cp#>z${m3UYBgzG3Dcg`x8*N1k{tCIG{ zTlhR3xV;hWkwl7Q!b*Y&Pk)ualiEbbgcDNPIxnVI3){U2i?QgPS)w%~z2ukgmCEwI z3c^#YuPlxwb@on_D20FRBt{k{N-(PU^sr2t4<k-MJWoTEFY|n*ui9TPQYGOzsg(to zXm%j9x=%srn>(7}={Tb!SmAZMg&#>ZBJ3=Sm~cB`s2nDA`5ds~0^!6UaH1fN9fb*A zDMMKJ$8v9p9fj&>J`G8Q6ef{}L|ClINBq=FbA$!%CXB{z1^y&9GWFg-4dN-{iid#{ zlLmSaK8|8oib<{LhBg0(f+r;DLSL*h{T9&N7qgov7E&Qu7QRXKNxG^jnEiy*w^Bk? z__o}73BoeST_1%)f1<RMV&`7>jE)ZImIP`sR!@?C5()t$LVpr!g=SnrZ8I$fq)3ZZ zHr63HD{<9Bz=dV9zSl(Cj<UWmKQ^_Z8M+S2$4m4qb7MR@8ib{TTT$prU$lOuuTqMj z2{&+@oiVxwe<+lA7z(wE<h`@Il&=m5+oKc|V`@m+$rWt_9K?0aaE07a_j05bNj!M> z{n1*Lz8WtAgI<)Ofnp*gyv}5dGGu*np74-l84WS2ol&Gk$wu;>N#jLEY6i4~1hb#P ztn^7_WV&*3gnHopL6+uk3g{IspGYmRK^OK6;%%AR&J9r`s-H%J!V&ewR3q@D8nKBA zokp#~MeBwhY&YiRHj<UgqWGfN=p?Pd0_0dn@KI>W*$TUYRVl>4+k7zNf*CVu7DAQ7 z<0e`UYQq{(ZRvuAb89N+l<Q484mDo@tY#7Bv`r|8-aFkw31Urdj}wb8$aE44S5btj zy{UO60v-s>Bbu?s>GG~z&035u8OT}g_SMbaj&_P6V_l8I<|`pin2RpBwjy6RDWpiZ zw00xq$YEI_llsD<nz5B80T<YNC<_1*u9cshxA~hf?krIlhg5#oB2Wh*MF_vUI-7Ia zd^wnV<^VztVi#mwb6WK|`W#M_N0S$}^M!@Rh=^A(G6;e@8M1!S?2JT6yd*$X-i`(= zN(ep4HFDc>lCUwU(kDH1cq^dtK+!5hk%&|ks`-Amx4X*iMJTR~LPez=z!8C}vGLHs z@>eTTxuzmH_yeU@cO$~rR)g-9fcab9bSF$mDC0Jd7oOc*?{#^*iN}4y@+6va@Ik63 z1wD%*wYLM?GFr1*>GsN49%1lBmsj+6R${fLP7o=D8=6^cRR**5Tgn&AEuU>Pa9$f~ zzVUx^8tpB8@~Y>{<T;`|Hyj)r%g*Er7SpuTr?GJCl$4yDloWU`lGJFiG=p$qZc54m zH(06NrzM9BD|!4Ew>+DjNio@J+NO2}@}_AB{4)dKpn4oSd<B4Q09&vHJp@^$KPJA$ z<3>;z>jymAiDW1jH^TqaWJ*d6tt`m3uqr_J@`@7{g`j+C1w&q2%27h<VAF_PZDmu6 z0zP0UW8GK-VeKP10v%L|Z8gP5kzuU)NK0LW1X~4XG~p3<WXg1y&b!QsrzPW~ZEjLx zMlth9tq5It${-*-xT~xTVbIF>L`dTUsVZaI7~D_9;Ui5>qlHNfEMG*;)oSOV!`?Mm z(w&yl09A$c=qSZ*^zjvC3XCftL{L!DiY*hTNWiJ%)VXNbc~IXZe&WUjZtb9KiGBn> zQUrLp*xDmo2F7{-78iXI>qy)ZEt`!#69*FY5x|dT5dC4=*fJAG79-2nmzxLk3S&bp zct}AJtq1k%-QXJqJ;?QU`%?ILff<;80@B9TY-Wq51XSDY7BLRIR$N%0=%$FqM<_E* z3+ZAT8<=cC=AefaVpc`l85pWq=ETA|C?LvnY_=A|=ta_vVU2|H8RbC7PA_J<urgY# z+I3=i%7+~ktuBD*;B?2*4vj_>qNGStU|KkRyjWrPMVGy`_1#$gk(L0mr+^$asL$|^ z2yF^AOv|=x=_S52^)OPHgcN%LDyPo_Q^L7#O95_J#+23|CA?8+4JKrwyWK_@G`gEy zv@0Plmn!?ZeYx<1++MFNh*9r>=yVZnxge@5+udvUsutFoq<|Z)k=0YefR;BvWX{pD zI^B%*fvT~BMuoBV?7^Nfyqwx6J#Tna&>Y0GR(d|R9s79j+<A+jp_p&ij|9zGJi{rW zke@K?enE4A@}=kTh|_EE#^g!qS-VTnOu(~lJTE`+y=Y7k)!C1)g=7<h0bK=C)sT#_ zMRFqlO|I6q4xe}v*oQU+HDj|1U(AEjmsU)2xi0rfE9mIC7QZrSO$`iY<taJf6xs)Y zwOZ0@5dp<>V+ULOr)6|9NANT-dQmn&aRyV%C5U(;Qd?H(5t9-tbP_f>+EU4^5WjMF zQP%JA77hq{fk^8bSGR0~r1n=g13gkvw4aJmjwDMq5KfUz_I$1;H`rh9bu2+?eRD7^ z2_h|dN|bT&Em*B?tcGV#ky>tJaShllZa?G653y=kg<UKXV-K~rL{==!bjxOowxFP| zt$++I0*{exmQYx4wz5koPNt4>dXr9@4AJ(93Pz_g?f$lU>@I-rpu%MRiQv=*b}*GR zVCj-?G178n!nBkmMw~C5q!W~Df(nt8QD)YRT9e8thJ$n<^IyoB0RQ5@3*)pVrxioi z3fm#=*q{wi?TuUu!8c)R+7R97xWdLV0MQygj65xy=g>lEb5nBzqqHOhY)Lgcljc{< zEgB?L3hO3S!1g8?dr~|!uEf?6zEX5#MpUU$rzHSf3(2}zPE-Iu*JX2uLE@${n#9ME z1_?wUri?Nc&E{zYUD_IQ46!C)i0Tjea#68{>#+^r5i~V;-YY%tzXxlec&^IgdTaCJ zf@U9{H%QMrzbk0$(1W@wxL)!=ZyiLw<_2C~3%%Eg{66H9p6vUEpgDnj?HK;th362# zm!3E86g2l?opposyzL=DlaBmt()0FvqIh%e!kWh#q?zN><$U={UC$<)$&GNVjx32< zQ`jEbphLUkKrpUVi7^HU&uOvk(3j~}OaXp4<aTxf|IVAD&y=3NTF~qql%_@6hN-dT zvXORlP?`y8Cjnols9%OO?I2u2_)=@J4Q=C)aS`zSt)0qeWN46fbWqxOqzQIKy$FEV z8+cvO?Ps#`iD+)f2^VNq35>{O$ahI0qTOMfKcS6CcHk01>SLq_46l$HQd`l2N*Pj! z3#t5wyj<Fkm28<b8H$|*FxABOMv76770|KAiKglC{`<v!Oc*ZZhL4DknZm6u%n!!| znvQnp!Ox6tE0sM?ZM?@xuIiwP67y5ZG7~Z}CKmLjSrQaVWbjC_GIy43OvMP2+9stZ z4|6<46tpG+aZw>S^$1arJIM4Y&12=?Iml|N^q{p|n%}5srzG2z3l-&yNt@sY7)Pai zp78HGUncL*ad}s9XPRvVViREyACo>BNQIvRjvhR@xY*Q|y9z{EuHI!fNQq|y?0fe@ zPwBY+C2H)%^GQ6*<4}w-*kIuLcPMHR*9<-8LrjH%5|u|^%4ky5=5`_6;6`|xHYCzq z&n0v7bOoz1XH4EIJ&nzBs4QwpLcq4AMP_G=jg<R=6dnZkcEQY08(jI6Q*;c<n`S*o zM6(nyWc#OSN3RdtSg~^yCZBr?C<5$jsARpn6{~yj3Oa`N_&K%y|856{8dFN+<cu5H z+x&<d^RZ$IfzgbYm3He9c}P_t#7nUSNjVQvV?;E#U2v$dLMu@p!ztU+$XpfkbQ))D zu!c+0(A|L92i5Vf<hxL#Duui?xJL4JHLBFk6`7V|91W<4fCg4@+O_^pVj-%Exng@a z(}G?%@0g!rOqlX^Pv@F$dK0alw05IY3)@?pF+GtiJnyok6(ie7SNgGQ84N{ON*u}v zw5Ayr2>p%lsFn39s!iLPS9;h!=>`}2Mv~u{g57j*EBu`u?bCp0tE-z(lOXV2{PGN) zxDj1~bs_f=#ZqF5(R70*6X*t?k~5rW$2E4<W2+;N4!QVVYXC}NiXE~T-4_|b6oja3 zYjZa?BN`4D*40GP!#E*c>yVV>M!Jm24Ur**d`+oIrXjNZ?bu#T&NZk;J)wAw9JGtn zrf5P*N(?dEpgKVyl#Y~&P6p#RDFuk~AU?tc^tOX*FiS@IsLf`~fjANej5!$L#Aa^H zU!DRL^FN!Wpf?LB7z8X9C>H3Y$RRut2v9rMluVc|H4EW;gJfAg0i7*7bpu9)9h3_U zab02J<%Y7GeaPGSC2;b;eR*vR(QI7OrREoxnm=4>zOV;AxTcWXyTgc!(ELOvJwLKT z&~(B6X|5DB_W-la-@^O^ezG>5KOaRt%}-9^nLLUW55u28erE=s&t(4q^A$YzNzX^` z<@1p~xjg1egF8%qLaZ;zpJKgZ_@mHW(u+o4YR_g<u^~*EWW&I4Bt(~Q!-&tBT9LfF z$ZA5&WE^T$4u-M9vPG;TH7rdsSsVdzg@}$Or=4Z8MS^U1?#kRqteeN)p~s}yJLxw$ zKv_~%IYrXE5xHO*R*Kk2+64+FMV?~EAjSPCS;!*O@MsxwzNi6;DM|4H2A>0#3<i7k z2^x4sEQO?<-iZIire{xC!TQR*lUR9Og!x&%#2A|Cu{_fHAb4!h+-)!q$<GO8DxvrR z%*U^XyiVqDOvsey?_GdJW%nRHDA$p%I=aC;o-S7{jL)a^!M|-eg65L^`=uT(Huy^( z9~qXIusgXBiq{lm)sEzNOY<dxbs7a09gny&gQDs&d`x3bQ7!hq5R0id@gO&kv!HR3 zo<Y%c3GXOlGv$pBkU)V;e9Ae88#x}U$4V4&AiWZj67er1vpa>9&}>Y$;FuQp5kvF& zn*4A|NG4#IWMfaS&M-?XH%8NkwoVZNX^PWD7AK;3QsszQ#5*dm=ZYD}AZSX`MAigS zIC)5&khE}GDT1eX7Yf~ML=N5#p*JSTc|@?+y#{wutq%6OBHo7LD+MdD0gw}_&DGW1 z=5JHP6r~2l4r$dXCg4xA{Ky-XN?bTS5P$>;L|+QcI>?pc-VJ;82+lpFz}dvGprfRi zB1<aJn2|*l43-RyyKuZGa%(JT#w#kr3Del?KY*JekwEGPD;@=|tO8uKndN7%TycV= z)VuL|Tr);pcKjlEajl#?B_*W-*@#m5Ixw@UcXxMSDv6i;z(MWU?$L_b6TMhTlP``Y z!-RNH?iP=wD5g9Sc9G^)OyH&0iur_JHVO0;F<aI2;wE@vNDa(-Mgsot3(XF|PVdDU z$Y7l{_?hgvoJO%Yx}S~fp3A69u}`_KX^8v1fW7uI;E>ND!<nssQzfO32R^NrfO8OK zdoEFi+MxNq+}1gf-}eB1-(}RDAk`I7e#Irq%kcwhYnCF8vtp2alX1D&bx42I5bXoi z%Y(h@1Ke4N2VV@%znZS>hYTYdecy*zHSN9Fdw*=3E9Ua&3leRqj{M#b-BWypuJrRL z#+u^Rl%{Mi6LHqrl!)KXqG&yO{%8Gy74XrktneiYI2@&4a139ZWo@7geG8WE<)02W zd&ls!%k>MY;7?P1^3`QHny%>m3PrzVeqRBe5--711dG;DWtgcFOdaa(xQx1uin`}e zM}|Xd2=cvJ#tmuvF9Guu;BC7^8RdA2Ux~&uPtJ+9DYyM)*BChvq<H3+RrojLDf#u^ z0RBH9|78j!3Byn~8?W^cBNyX}Po4>jaK%OOOAw0i)Hy^t@hLvPvO!T8w+Zx#AYtba z>G<|0zG6Q3mmpC3;las(L+Qtm9(o14{1y56FXMYENznv)H>*53`Yhksi@MrcwfM|} z53yOtWPPq~vew;>R|?>`IVLZxsmRHnOg>F}qYGhKw_|d*+c&wWa8!z&cAK=-!|MTn zcAsN1wnABHKU15_m($kV;O+2rG>JKIv8^s&TkdN8WW46y-rNKSwN}|0Kxwsh(Tmrv zY0u(iLNiWg^-$A?xH7h>bW6`jk%EryM(pERjeRc&mPRs_+2wLbdN!u0aFglmnC!yd z?A0Bs+}_Dre>1JD`_Q*0`cB5==@BsY=@)OrK0O8{`}9cPSarL+OQE?HSYNukF~y0D z5)yVSkK&yb7O{-tCB1O(Zk$)Gt!#8m{)*e6)9X#<yd1sRWXUlZ8_YQ_bCWwqr^|12 zyWPe{W0P*3vS)D+jAp$tzrMhgV{R+}gr@q&oP4*TF~?;vnREt&xv9YD`f>;+m!Zj! z?>6R`jr9dNCX-2@Q|~Hh$Z50`G@4u{m&I+&|8fZWCQF{BA<vSNuXF2jOa@~?PJy|; zJ}2MUsB5w`>Ka{nmw=G()-~n1^oE@Jrg|fK;m*%NpUgR?{H8{;&ZRfI3KYGtPajNO z`}CNB;6te>bm@U)QV``^>~(JJSmT2~Pm$#)huUfNqsk?EO4iWCMG`KLD0W(>PnYB? zHzHrTz-oH+oXY7KX3O-tSeTOw!Fq1{^caXT`%E7Sfg$>hFG$cDO?!hZVRku1ERi%o zl>KC#P>Bj6u{Ukpa7;#1M#E$+eL2Q4d5)|bawT+gOW8*FoKilQ@=Yd<F!V2?r!2WT z`Zt+&+mVQNcuTwu9=tx(K-;z*lW#(fzaH{|9sf0uW~erc87yNl=}o4Fh9-Su6ZY9) zA;piaJ*>Da-1g~1_b-~xC;>`Edk<y$L=t&^wL-Pv#JOBpfV)azo-h~Bl{i=6o_^1& z{_+Ls|KUQC@b{z#B3H5>^n*HQwt+oJr&Q?i1i%yVQggG=F02H!W}#JZ19H32B;d0= z0)1FHLC{71nS^@W6Gqn{y%c5IV4qwl-wkYBc%rYg&^yE3fa^hiyP!oI9e^haYf!?A z5?Zv>A^4Hkh!lLKfR&?q#X>6J%6OEatWRiQ_;tpVi-k{k5L~iV!xZ&vk>&-2D14)k zE9BvzK3Ig2C`)}6S-E!L(yHi1Y#U|5Z2Y62F5xcJn~gdvSq*Bv6a6JBu0)^l3IwA} zY?>Bd<kJcUMoGPp!|wFJLHjS!Di`(Q+f}xqLx~x{aUO7UqmQ|uBaPOV)zss?kOFMC z;n?W}J!@qyxUTXt>QS#`2sGw%fFVU8W(cD|uXz%Eh|`G9@)*+-=Nc#Oe4t}HFr^X8 zWmIh>lH-0jU{nD{2YAMh5~5<HV)>2A>lh!zmLJRwN?s^Kodj?-@u!SgR0{A850ju8 z<Pxv@fPXCCV%9|>7WW$_@K$ng9rDHXxElXS_&<^YaP+$p1R+^>g>Is5j;>m_Sl6R_ zR@bk4MfW@1Dc#?7pX(Czll4>d75atxcKxgRH}vo7|EB*;KgMvC!Dz4=N({3M4TcuO zZH6wxgNB`kpBWArer?DwUT4%9i;cG!tBos-ZAPE*PUBO?KN+)Nkcv&SO?4)x$!F>| z-C^2p`i1GJ>F=h0n9|H+%{Q1Anw@69d82uo`BC!^%!kbHnopY(EW<5@mU4^F(rx*= z<pIm@EWfv$v5d$YpEo6MdY(D2CT~ezci!f_Z{>YA@6o)2dB4p2OWqfGSLJK-i}L5@ zH|KZee=UDo{?7cD@_&<mK3`ohx?oa4RzYFGvVyjPZx=jV@WX<A1#cC6UXW<L!8*-q zv{qUdTUS^+tU>EG>$k0sSYNchW_{Os%K8`UIqL=MNZS>*$+l^>yKVQ`cH17eePBzn zr`X5ZC)zFc`SwHhBlb7#pA@DSU0ak}R8_RBsG;bqMO%vQD|)o(2Sra7y;1ZI89%Kc zG=lCb-4xw)omsa`SFdZ)t=4VT-J^RD)c>XKUEN9DUv;18{-G-Y?dR&Z>v!pYpg*cl zHl!IQ7)*vj!*YY$aEIY8!z$BlrZuL=OmCZhYx=$E6Hs!L`AYLu=6rLJd6~K1++yBp zzQ_Eax!*j^qPG-S=3CyeOwTLM6Z0O-`zUW*zCZt)`8)C-$v=?apZ{+Dd-?y!R~4ib zTmhfcRA4PADex8CUa+xXbHPIey9<6$@NB`K3O*|MtRU5TrS)p-b=G`qh4mI|wROF9 zll8~eebxikx2-3wVXMZr)pn2VLE8^)`)t3py>I)__79uNZnMv@FSj??SJ^k)zixlP zzQg`s_Gj!T?SHWU$^L~s*)h&xaTGb`ITkwhJ6>=cb-d&FljCoWs|&9yG!@zkXBSo% zt}JXXyuC0`_(0)fh2g@hi>@!y7nKyX6n&%Up`zVIPZa&M=ycJai#{eA!<d$V##igQ zb?bF^=^h6sr|7TM=jzw$@7CY1e^CFh{u%w-`q7~0b%rU1#|%F-oH2Z4_|%YM)EG03 zQ;d3Jk+IS^&sb;dG_E)H7(X-KW?F4pZ~CTbhv^YhhIxY7WG*zX0Jq*{zT5ne`FrM@ zz@uNW+-rHn^0;NM<&@<^%K&Iyk~cH2Hm@OXRo>V09?E+p?-zL|^4<sSKg$#H)%jP0 zPmA;C<X7i6=C|Z;$bUHhC;7k1Kc4^l{7>_n3R(-c6wI;J*p}GpZC#9-&)8nH{lRwD zmSLY@H`)vACH5-&deHIr_S5#i+J`&L4x7W}Xm;H0*y#9%<7r2~<1NPt#|1}X;T45r z3$HEI7g`Dn3)dCi1sd)s{Bhw=3l9~(R``D5>B7Gkeo;84D6?o|(c?u=6}?pSn<5GV z)PRPKx^~?bXoSD%W<w8b(0^6GRe!Jk$NHZ_9~{$PYq;Jp)lg=bZCGfy)!;I;8~lbI zL(uTF;e7*9u-drT*kruR_^|OA<5A;$(^8Yybj0+Q>5rzfCY3qOe6{&Hv%zdN-(s#d zcbe}vf7`s*{I>b`=0BMeEoO_uQf8TFskQhm_gj8#IdA!gMU{7Lo-@y%cO>uEdFlDr z=IisH$$vBdo&1>vD++#8@LvVb6}(jNUcm?8Qo%aRdW}_UooX$yy1}E%ZEl<2w!s#( z-EZ4zdldA1#`c2k*S7z*jkQm*SKAlcJM63N&)NI!zqFsSe`p`Dr#Z$tG95QLbl}Qb z$7;tq$77BkI$m`A!ZD)o`odiB<*dT`!j8hP7T#C*MB&qgzbgD);m3tZMb{K%7Zn%H zDRLKii@sL$&7vO{9VmLU=)Iy(i|E5O#qeK;>8{mH)s^b1bRL~wcen0ax`%Z?h3x-A z_onWB-3O5Uur5tMPM@j2NpI5^>lf*l={@?pz_*X;f1-a@{|o(ZpoxbY#uz3UZZhN< zW*Al&L}-NX7@jm7FuZH{GdTH5<Ml?nu?!sir17W5!^U@w_%ks^m1&%5qG_7RV9GPu zp^a-yi%qT2BCAbzneH~-YkJi51JkpnW2WDk2B1xn%p)*H8Rly+N;jG@tHsQs$Xt%m zns2UyhG{T2n>(PhzXCb<Ds;`g=5Lw5%e42C=AW6Lh2D9^{JQx!=Huq~%pYJ(|7QNw z95yFgMp~}0jI&I%TyL3TnT~O`SxPK3Epsf@mc<sQ#cf$-xy`c1vd$8)^g`?3Z~3-m zm*snwA6lNWJZ*X2@{;8yCR06my?GDkeJ^ic-pA1SH-Z;zkR^Bi5A&ag1YO9lE?5Z( z+F9^a!5_g5h1QwY1<>x@);plDg4S<XziEBQ`l$5@>r>XBTVJpqwjQ+}gZ?^e{k!!u zt6)p9rQ0%XCR>?p4!Gtn+ZO1w?Y4)&IZxQ0vi%&qgFnMzdmH@of$byPC(v=j?N`_{ z?NcC=wf3d<db`KoZui^Q+5`5l*}q}mZvU?Rd-fmOe`bFXmf}_W+x7&9#*q)5x5Clk z=yGgwe8=&&<D}!Sj(>o^(h4)6`ED$nQ|Kxb3#SylTJ$H<Yb)^WVqC7()#%niD!;4y zf$kaI5%A2Xy3zU!{WW-vI1l>mVf`!mU+F*8s|=}zOv6k=ma!bVtOru~KDa<<DliqA z=9}E67SlS@H%vb=eQpxWSr}idc^1aB9kMslawR0M!O~)R(6Za|gyrX!e#={yla@bP z&RRZ#Bz^%&Ov%&ajm?{oH#sjmFE`JWXN6^{$eW$FAa7CL^1Q~pmb}iq)p=|4?u2~? z(w%}pGsloV-7wy;!qMnxb%>6&jvmKm$2P}(jvbDjjy;aO(EfdngO0{RPhn@Fuz`Qq zsS7r6pMJmoO=ukYUeiIq*=ycsK49)MA2c5^A2q*eK4Cs-K4m^@9x$IXUoZ<6l_k}p zv7}ojShSW*%QQ=?wadEJ+GE{p-D17Zy4|`1)_o5~f1h<fEZ0Gd{}Jn(;D8gb_91Y= zIqP{?e3eaYO9dy4w@m;y<lF4f9go1S?YAAk_#d&Iu${CG*v`SesqN#Tm9_S1cAdT0 zUS^+Vudy!z543^<HrP)U4it_r(iWMD@@X7*;=63P%+k%)Ez&K87HHM&(LbR-pzqTk zgr$E|e@Y+HpVwc|ry4W{Eyge#c0b=R!IEvMvMjQ+S~@LTEXOP-U}r)Yk#iW43m6e~ zUTR)Ce4`0@nHZC47?b=wdtO=IER0GGMrA2R#go?x``?9e>A|>c$-6Iad)^LMragI2 zK$4CW94iPFoGln{odDfA&1$mRtu@xApqm!fVOCL1(bA$7MLk8^igpw|QnaV&NYSyP zQ$=Ts28x8e_|`Z2q|v48@^xkCS(Q%It<`PNJ)zsL3+XQCQuP{rIxO%8{br2kPV{#_ z>+LE1fL<`D3_8|FvL!W!MTS;rv>k>=411x`4jYad-ZY#ysEnzw&n9@6vyF?4D-hG` zF>W^QGxiw=j3P1De}0!uf$dkLXkwzEyYuQT!$#b6*Q~of8I>?Rap#>^uR~IIVnTvG zO*d-Th!uCuN^mEs5)+aI-O^zxQ->v}67I}POi=Bdi!mOjNJ-O;NJ<cPsvb_<An5di z>Z-K&-~acQHA}C0>DBc)FCBC5y!pOwJ(lQ5P9LtGGOX_dU3bIIJJWaS?o9eKj=G&m zi3y2`n)Uad`F!oma~FSj%Y$p)9CpD*FeOYAl7Y|0pnjxo#IU4=s$o|q-ddv1&|OIn z>MK+05Pio-ny^K))2&a}jiKb>SB@<6d+S~JG6Y^)V!cCZ%9X=vJgzmOTR%~E4HX-C zWjasLmb$$ny{E-O&-zKaiIkmm<ya}3K4^digSJlE`cYb<yLQ|ty+Lm<=ymLO>$p*f zRT_*s1DVZ&TXoA7$S$mwn@hPey}BC<28ifsOFO*ykQ8rDr_1Hd-5ANH2DR04i`8!L zYJAGcho-eT+L;F3oe7hb1j2wN-I<Vv0ZvFsyfYy|c=Cy-Dr;`}=7cdR$FjP=F}d!h zjuZQDI9Tdi_2TonRkwbg{^IJpOB1q6_w9PW{9Nc~U+EW*On!UceL~_VbN=-FzMqw4 zu6os3Zu?c)Yo%j+<L(SL@0<F|Z(aL@_nI5#+&1Y+{ck^??@FwG?D4->PD}18e{_29 zYae{;gD<wcUsvRK`JNLupZ|*SRCmhf1OCk=JHjs|&HvWpZ?}H;-sZ2mrvx^=xFY@F z;a6<w@AhpRm^4cK-93|k@QY7A7uVkS$4_p)=8o_6Ka}&MuYLH~A0NMQ>^j#c+i$z# z!24CZZu!Hq&;Bs_d(*!AxLf<{V-JK5uYGjxtg`S`@0Sg~XXM+So(;=dx*E%0T~V>V z=7lTQzSRBKS6;X+5!{)ud*f%iji0cgoH$xFR+a92@bB$Qj~o#neDk;K{!(=O?CcG> zzttIrsln*U$-@&8R5$1{b(7_1MB2tmA?l6>UuQ11X@hkrIL&x$;*|*rVU=1p3>W+f zNnH_!aN;CYzRsdE?KJGv-IXg<Zt%7$>Q3hzrDUkml3bKw{5&yBm8wgTF-TJDMibOD zYDon-8K%po=POj#=_Wk_9@bw4sbq|*A%Kiuatu0Ceh!mKh5RIK+$bcC`1aSk|8mD- z-Q$1p{MTo{A2IQnd3O$5mgjtI!FR`Q{cyrPBg)$U-gaiuT3zVV=B?NJMvm#2`TZXi zTyg%UC%?V->i)aWEPg=v;cKaLesWa*n0o0=w_kYw_K9_~_qfNO?k=v+dZ7K#p}dyB zb?UoIKK$)Fbwv}`RDSiQvBQ=>mftdY%<lPD1=jymcc*GMBt9rf{OH%u<sbgyd2_q! zSj+ZnuC7utG)erwTZXs{>-70CGHfW2Ww`#Il3^?x@sXH%DH*PAUWxC}ksO;YDaQ{t zj4UYI|IGE@E315Fba>Z*E2aA0z1xrfa9Y~UFSUp7vR5xm%Xm#yH1!|ff8c?4o^y4N zT=L57yH@|<Wa%xF@Bj0QQ%hg??lI54yNl=jc~kz=SG;unM~#aHG7KGa>vsKU^CO9G z-*oM(x4ie;hTn|qH7wb?{9Cu~`A&A#=y893;JC|HK7ZotV`@j<GxNd^e)MsZW9Ac` z-Vg5i!1=1?>4SmB`>uL6Yr}h?Hzq%N^yi7U?^<*35_kWf$B73@?z-uOdiIukwtOS! zp*3ZbJa6q0*Bl?c#1O0v8lQcq;c(@5tS`Ovp>gCJf8Bk}x!`l}JXII8{Z940+b91d z^GCUdI$wHjZr}#>=Odr}{=9Fg-_vA!AAgn0@tp~Epj5Rkm6)H2T_P3*#?n(3iN=?R z%<v65pDa!g@Rd5Z?k4#e0)DL|qoOZ|$@m()@-Jy<Cg^#QvWa(1jh1yayK)B=oi6%( zISsCym4@5~w^wH;<R+=iI-^d%bNbF4Wo=RjUs4;Y;BuwhpipiVFE{TVeRKM?znT5+ zf`)NL%Pj{+{ZTiG(70YTUN?5b(AqE7%EE{w{6EEAc{o+w8b6b%W1f;@o+4r&^H>NW z%9!FLBJ+@p8R|HFNRe6QA!Nv$c?hA*Lwse-Oj1%EO2pkqiEiJ$-+i9@+~@we_I}r1 z>)Fp*zu)hD*Sp^h@scZxI0DgH3A+SHd1ZkAj&o)zeZ@PLHW&@h3p~x6nxF`08Sk07 z*2!r@JW?TA=GcH2;<FH&)v$D=m~XbG{7jT7;ouw0_;j&!qI7Yb<EaZ(cZ}Ou1?E+~ z6#EIUd9U(regsEG-iK2yw*(?6vHdig;}{R8Gp3ZPYD!KN#c!k&N@PdKT&Oo$u9abZ z@@?_ok}Aj<1wY&{AyY^+nP%*u^9N57q$zR)!i1(u@y5B(B8DU(5e?KRS8el_SF~<( zU<vNlg%yP|-Slf>g2F!4V;p33E=zWYOnP5u0Y*Z>8po@9Z?rcY<Fc{PPpG$b%Wq|s zzY#gvT*oqma0hTivmi`${eUSit`q6{6Z{9*zfNKL__YG}!xR#PDZhO%p`nFl1n9wc z4oVFQ5RI?8fyaOxT5guYXhA@La2-j<rB68AzYG>Vu(ovrGg<eP2T1rJG=K^NEdU%Q z7{loZ65#to_RI+1n<=@26}t!-0y|1X0@NaspbP^52~dfED{ij|xc_I<`!OQ&??*&) z1DxL{$GkT=!rv7*#5lfJPa_DVzY{1!4!n}|mY8eZ=5er8q8Qz}HbturBO}qM%V~zS zPrN6Jw&o1^MXl#8M4r6A+}Jel`A$1CtNxW1>GauETP+SA%i^+zk*_k&D-N=vLbFsB zD+UGqYY(UGRr-gW<}IZ*a!gX~%|e|YEanR3$Ui8CL7>jv^lAAW#dA3W2{jV4*R5?G z-|<{axa|w9yp<)f=BHX+zHK9e&+1I~=A*Em-MX4<Z`88#>Zw)NW=X@B0(Jg~G3U~Z z=N%MD3=DXStr0~&8pZVfmgd3Y<bnXzU|YDs@Xhf)b;Vb;=`-5wiaZ}0C-2g#p-4p{ zmk(VwuccoN@XHmx6e(gG2I2Meez^;5R^Xeu^c&0XY+GK!w%x@aIQ*yjR)9kPQh*Tn z2ZS7Op#g`}c+<E8Irj+=SHe1Sb#>S|TX(er|NpR~IjnY{4`QP+=%4cJwn1!U`q6y{ z829%FfS*>dK%O5~1W4R(Bm$zKo2$sqIBxr3%E~*XJIOWB&Ni*^Ye+3q80p(T5x>CH zY2<t6OhuEdgSJ6Hhq%p&KBdBs-^CTjcX36GFl6O`0782}4udl80=cKB=daWFUQGX= zHZ2?nDmEm$=SpV9d?eB8$q#O>S!T?Y>2ZZM*!T}sv4dZ^7dtG7aHNo;=q^qf{Xcc% zY@m&kYx<AR(Ztmc7t$=Gz8~P$?y?s2GBt@w)Xb>W5<fX5a82!Gd+Pvyp*!k{Mg97> zTHWkYSd^l^sduvN`j)sbp81XgQW+9Fbyy@P;K0JW06u(G+d!fJy$mTK>ABH+`n-kV zjOi%rK8Dts_QawPm#O9K#ye&o8!)mA)21u~+ht$Qxx;E4X>W>cw~%A*S!|ckSoy0c zHgh+wvBWqZ?r?(y>evl*6Lb1Nhr%>slq^V%h#Rcmj#1{HKLSNPi(e3Qr!eP6gy=mN zuJh5=iM*eB-^(rLX3D3^*z+BQG(#zgRhr~aUdu@GTP;5D7-`u?PnTW@wdJ{Oa?bBg z(escxJv0?-xJYb{T7swK!*~(HZi;d*`0TA*x~{8^-fe51*Qzvo1K8L!zX+ccHkMox zKDa&V-sl%?qb26<ae}KK3o#11PS><zsQGaz6)}}_RJO7(JJ`1*hw9r$zT}n9imdp| zc4{qP%(Aask4CC})5MVPad5rGgfha#`^=q>J^9URqmv0=g|Fb0C2@h+)<Qp+H{Oi0 zgB6G!rN_V4ikB~i-xbvP9B+aBqjVMZxSIU9c*oewZy9$nlvl1t)147TZD)pI+*gw_ z&$R<MVibt=@E<sDn|(m(7L|R2%`qvf7uoape_AsCFCZnTR7pS-^eO-_+lhehXqkOY zz;_?MgPtbAj|Z89l$`hsSi8pA2~7)76E2XDlPMFv_PXi@Ui*RI2gsRqb}Bz|=!02p zJDE9ZgwN~0JEglY|L=?d9PD>L6h`nvVW1xh?y<~AacvKYqgBq)F=9^)WZmpShS)9N z7@9crSgk^ofh}<UVuUK0Oy$e7R#nfuF2SlW+5u0PVT-4)CD|U+b!#%VCZ0|4lf2Dp zG7(vvCS#P{^D*G4#YZWlIX|b2)89zXI+i_p=zYF(MzQqJd)$=l@_I08sjgAQfmL&$ zHqJXQ$SkkTILB9TNO0?{-lS5RjQ-M6P-W^k^lB4Pn;elhO81@01xC09aO5u2Xog2J z^WC>2PW77KZi<a?_cwY8V7j(cai8xS2bmeUjb0~7jSCoO4xkkZ;ct}o&9r=Rk(1)E zqM_rVa(2CUbGe&pr^IDP6t^)Bn~grvr$etqAJY*VYIo-!keM77H}fgkN@ZBpW){F3 zAe+)BGh5AXDA8m|->1FvCt!f4lAFj*CX(P!x8)3b#Mg;&Gz3<(Xsudj4GgaGMPm56 z?!|F^X(*|A@e*f6V%E9d6MYfYbl8ROwI6KZOd0<JQjsr$x}gKl;WjVm$?84tsZ<uA z0}`v6lTInj*>DamNd5WjrC})6VaA%}@v@qxG|FovD-XdN=gEMBf5M7khQpaIypd@_ zk~n43wcMILK53=y3~hqh;)838T;=gm+|Rk#csTQj$k9=9jVY7t`hyy+?6mWv3z)%9 zQ7(;^h_DCvs=hV0G0TYZjP^Iz9Z6WUfydBYno9v`F5y?21C{yT(i|b)!%BxBsC_~} z=DQa^8lrinG5gHC<fcnNzUqzJ=B0hQzc9#OQjFs+XMs#-4qW^XneMOj|G!|m9ZChO zR*Qke>IO&>rpt~H0geKKX##1719|@?8G}v(q1rW}p98>6=tqlS0hoXC?{Aa_=n#xJ z5E{TqfRvcn+MgVZ(*bhC$en<lf4LMChWIb(5p)CEu~e}-dCqT2rH5E1rPo%poqfD` zgJj`@h59s}^bzF7TeJdwlPwrqEG4=?wuM+e8J(r`k$be<6JRl*(P%kmI($z>v8Ny< zzK1;a=rEo2C274XzVp46dDYkRF7j<fMrm9z3qD4|2sl2;9XHg>o3!GNiqw?%D3e#W zTfD&J-yspl7s(T>i}y5FDw||+R&7U7Il)IU&?{oG+KK*gBaIx8;^owsGS&Ie6Y@sK zn7ov+j_x_3r$q0#8{lnDlbGI(zOXbd^kIT7-pXS$1DQ7q(FjvWGne?oPy^v#tq^&I z-rJ6mxngV(n&O$_e*5OCR@X~2>J8;jsMzaDXdKZ+kRD86pxp8g{y)J#jQX!=X<wW+ z%|8w}^fOXQ21k?s)QMo+7GT-eLZT@_4|*@E%K!-NYmuYb0G2dnFc<vS%(I_)N`T1T zFbFgkf<tEZkyR+R!A?~p{P-uF@9KlHHyRVgB#4>h*I?r6!<PL73I-?<I2c44HCXD$ z`JPif-BS0P3=ZbdYuWF6u`wDsXe@|0&YJ(nF$|YFcA3UY-Sbnzd!M?4>^h6{;nl=2 zV?8>>*VdXtA`ex|8tC#_*ro?#UVbiSefH}1R`D%}=^0NN3gmsv!O2ohWLPg+oHki0 zPmF11;fv8N<`|a<DIMOx;Wnk$WaAsb)7}SI^f<e2P!3l=dN<qMb994Wwu!eo!SPcj zbCM2kjHOdmP#vvw>)?eqIcj<)Qt%ryqs@u(;uuRJw^_Ee2LAWir}X?V8q~s}C6I`v z47qn_r|Zv-a0G75K(zRKwuW8qtzO=?uQ;)~KDK6v>Y*8MxLk2{jqUi^XKNDl>tdwH zc@IpELt8;Qly`)^#^q9|jdIBN!EF8t*ZjQB!JtP&vkvI7>>A~|2Ln&Bdi@^I^o{Q9 zHv2hK&e`OIx_l8cxsxUGx(ZhyD`~{j>UVfM{S!jSQkTpRa;tYude>N#KTR)?!b>wQ zN`)_1Mk|!frdiCTKJ(4{oY<mmJ9=M_!^xg|L+Rl%gKW5CY;dc3l0vYAxV_o+<5hAk zK9&<FrDPLnl4B=NI3(wwjz3i_-B$7uV9q@}7qrexIx`i5%}Xny>S|h&_V#_Hu9mzo zUQS~mr`{WdcgIYui>OW=vNureRlHkMZ}-k1Fo&KfOx>bj^?;E+Lg7eXIu3>ewE@ZA zN+L$%pkF|8z!SFF)&F(O4@Ui4(2<OoNRSc^V<v*6T>zN&CI&|%e>O;<;6~a#jUXdJ zQ-LB3jPr_00pfs^gs3ry+CT3i&|si>Dw)l7^}+lx4%D2akzC19`unNczikI7B<jl> zZM}4u4-B$BWF+&5Wnq(vd9+Qws%;T6qte?_^fhE7^>xCkWhAuRx_Uc^r;4513@bKN zLmlVg{6eVr{CLJ}R8Gmm_$=QiQ?K6k>f*7`_ZEYRM?N;L*PrbY%IP|X3B2j1?)Ldn zT)d4ibpyjElc(#RBkr9?G`74>$txThbE9R@6U&;ROepGJP>Of7S8<3jwi_kmo_wSH z*_<RtQ)+Re5SPPP*%Mv1?WA$pw7;B&k6Hvl^9MiK)J<-Ku!GN*Fe<2xDJ~?#Xvn(e z6K7&kngTDTaF$d>jV`Pe1C{u*&Gb&HBks^*_w?{fw@nsv+1$y;oy@O)lRifN4+Df@ AM*si- literal 0 HcmV?d00001 diff --git a/venv/Scripts/_bz2.pyd b/venv/Scripts/_bz2.pyd new file mode 100644 index 0000000000000000000000000000000000000000..1521f6b4386f597438e22e8763ab80fa35b5379b GIT binary patch literal 72856 zcmeFadwf*ooj-miGYJEXoI!&|jS}ssXtHi3sRkz6$z>)%5(t+Blxw$^jjY>(%y7{p z5YG(c<jDd06|C)og=$;3y1Q5bK>;%f%>+RVmqirRsI*QDYE+5?M9%O1d7d*fxnLW& z?(h50H?LRDdCqhDT%XVLd9G7>|60i`Ns<Nsx-LmO@TNZ(fByA{)g(#7M!q~u+B*34 z8+MpVUcX^#<%5gT7CijZe}4Ff|C;urAO7SgKlP^l(~r|0_WdO7!JniRPMnhVuRnd@ z$G2a0*${_O^~-yHUwQGpz0T<WSHGL)JcI8~cK&f}H{NrXo1I_t?-2j~WM^>fU-)<9 zSjrdN@yD^0uI(22FTVFj=YR0{17pwf_ujEOe><Jx-NL^oKlmdKH%eidTarpliPEOa zvSvi%+NFdWhMI;AleQzKM8t02iMJj9ZT#EL!wHg<B$8uqDHF^AQ}178k`g2rK2V6t z#oor}XOdKm*kZi5@??`_A3_1+FTo@|c@4s8CMg9#x;~bqsnN7cyo)>g$PRcu1nA%N zcf0q;OT9>Zi+~e;L@OynkH0iYntS`h5B$*kL%<$|1k@?rhX0rG-{a2((6@_hQt@S! z0Ki1cDGJB`T$0py`@@SK{t==$t#;(I;p5YI9tydrzK4JO&`*((XeS;>R=m&SzsH|T zlJa|e{=eY2;DDAlSczOFuX+Y$bVuL-6gsQ1dGo0@$zHkPkYv|0^$|IED|@Xwz<sHC zb2h#z8!wflkLX4*k*zX<9GlZFm95ftSh9D1xY<e-r6JrO#&k-0;F3vH<)q4IjI>OA zDSK@K=9NHx3;rL$|04WPH~vfTz61a3@qfi7{txu{W2OqWz{*;JVYAYhWNrx@u1Rt> zElyxf&X(DWZDo`65h)y|wRv*}VR@i8mP)JM+@rb!<?OU_+CHUXT2>=_yHZM%q%w9+ zbw~6OXWAq?>jGa@Uw7cF?4JPkvQnGov8!{eY?d`tL`_0ci&8>GsZ@}0$gIc~X!MN; zobV1;F6fIB0kAWHHLFFo^y7hjK5L*+_ETF{mZwU-0ye?Qg3K35Z}DZbpg~m78I)K4 z0eQ+acXye77&xF*-8RIq(rzGN4gxC6v!=JGMXCCTnV?gfXjR=^tSCiwp8=Rb+QN&h zwbRbZZQ*^RQEp-i>tgORy00s})l>@dA|OxMYhee&zxZ0$f%1JIPC1w0wK89KN2adp zf*$3f1rc(<K{4)#(_{4x?}^va8<0GQwalKu{xs{-JO|Q&ePD-4_t{vUWfF6x=xu;K zXLeR2FV#aJTpk%&jZ;+j$*dEqyIpmkQr%(IeH!F}Hi$-bcWdsWWtH6|S)WavbyS^o zTp#g(P_;m#_b1a>wRMWVBv&7iD|7+mjjRxinr}h^>k>(b6MV4E9y2G$n=Bg7+#_+F z?;Os`kFq!BOS<o5_ziH19fvr0-J^KjmN`oGamjlbp`?#EX>heUN*CyvLg-|j_&X4) z>WR>m^AqMvS%*VKIn>_S8{sjR!iqJ|nK28R4)~KQn9mw=cMnGP+8Rry)nxbG$V%;y z$+eRztyK4jxiLOjp|G<_l%#u=DU|B7=_68O+<gz^bZbSr60t6+)<+a0LG|Q<!`E*v zL%6cN2eM!ls++^>n=j3mv<cRbCmVQ3?9GrTV^fM`4|y`%@d`KJipbWm?E)#IH&tH@ z=~*~XOURQ;MPfD0$!g>^3Tf^526#fLxISfPHG+O9unx64N@{f+>eXMlh-A%uK%I4< ztkMcL>AqxjR-5h<EGXgFqyW3c;Al5jGSwH+mq6}uJxhzLSy>-7Lpz5p%;Ad0jcex7 z9*TyxdVsxAq5F=82PJ|RLeEflRL^EB)oonS4qQsnj5Y*%N!*ZggyeiZ8a3p6)uhTY zE@u~~fg2&}^qJcZa?+x?uPQUL#neIe??$$$l*=IHYrjd#vu8C=V>P)X<`$336!LJ7 zEaWL9*@ZmhM4=+Gs?ZA37#${I5SfG`%e1ITP-=3eIo@lyreqxsU;Ia|6kkQSg)##K zn~)27Qlcu+*QDr+!JC-clo3qQXKD#CeV7Dm&(5JivM*rT`<RIy;_GWAAajWCo9u+0 zUCGVFVr%%>bC)m^Xpq80Mllg@7zaY74;BM4RyPav?`a$QSSGRo&3&!KP#}kV?08Qb z#&dFnpg+uQWiE@pz_z&y!m51IXkSKGp4Av<CQ4BLQd>n}-%<zj*#l>nUYB)v2O8S) zug*GKm)Pb1I*1;*P_$!+0WG&zaVpR4OS>?fy%SMCM0K8hZkQWyR1wMCe4`@Hnce(1 zY|XTrxLR#G%Wcio-(+i=$<P=M)upTqDV5RQVA!CRiQ#uLP%~LW?~u46GLNN#t=L5R zPu*TG4xqg7Kj3wgcV(Sbt0USRYwdY`q$DjdPwq_QJ_))X;g7UZ+oA4M_P>Stv^=|7 zU>BZ1K{6{UQ41`$7L^DS#P+jDxO)r`T4Yc6b+hpn<x@MlQ1s%{OvT7VT_3AHLtele z;m7~N+t^PO-QvBQRY%4Ym3VW<6eN2S(S3JrVD2twmp2_@=R&LRa@MAmc87lo1}YKV zJ0|Lubo@kk2`#Q16LWVv7g)V_!KhY%7lv0x*@qy>Xbj)v8e}yZ8G7)CH9^zJ$ys70 ze{3`8XA_HAFukaRO)FH(Bdjg`n7KTnmY-qeR%g?q!t~NJ=GP|azKB|SMjvsS$R!5C zKf0P*F>-9D3f+tWO!r0LCz(H2Cl;zj#hq7;DL=C)MPE_^!yF0c{X1YTDTEmS1a*lO z9G?uA%G^>GPNO8Z6-g%GQ)+8*>!!}j)FLY))uIx7N?B)X&k4Csy0ly)B-c~u)=92K zDcS=LDeC2sY>R9$*}~mpUEz^A!~)KfqLg%Z#5A!)3EL|mV?(&UE)wp+@b)iBxN=|t z>V`w-%_Hf$nD5M(qEr%ar1R&@ZG(XS5n&SWl_cOuc=Z`BVA+2c3L=U7o*h4gkXzt> zpgehm5OS*Kj`S9??6*)6Uj)u?7m4dKe6CoYBY_a_xRxT9M2_&AT!y)2`Vwe$m!adO zKpHF~JKx`DRF>yT-UTs#6LtWc!gv5Rnhcd$QLRe^z*og47NU}oV~UCwT?sQJLDT>b zmV}CUuheOQDilCD!-i^DAaz9D)>k`}B;8lRo3Y`##?*z&rI-kq6u$0vBo5LJb)q$f zBG`6GN<u|6RF?WU!O-`<{S)vTpnF06(>J*n!*!pPx+onT)bHR6_46+--9Z7LZ`B`E zu+O7Ln!JT;zR_Fw&YXp-qt3#iTfqL-@M~S%kR{CiANmS0S0UOTl0U^fg@#QhC4vS; z4SwpK0Q%Q`66OIX2HGD~u<zRdVOk}*>H0B13N$XAQAy5R^sBV;FPIUmJUR$bBkZKp za4W5Fr?T}#D#gC<KqRk#d-v1yV|pT0z-!?i9-@@JDJ+DplJ{|(RQ}kJbD7EBg9T)N zPess0&zB}o3crh%uP?BW-F$|3*eNtph?nO5A@XZ(dl?OxY*4!JzyGyD+`e1EVjFez zFx$su|I=g@TGE@QC=qi_i8i}ion>>rU6s%6q2(7C0y4`g8U+?uoGr_*X0y6ka;-D< z=ZlA`Q)|1FM#R>9!e+rnN5)eO*=nkxx=EX@8+COiY5zvek5PTyyuOH5U_yOYu~`wL zzQHKn?Luvz@!GnnHjd0JYjw*EF|6rHJi?%-_Vfdg&t}Z7*|YvgmAkD|*xPEL@*<6( zZCQsa)b-D!1-=Z6C{0s0K8vubJwwmHaXdSRYR@<bH=<WvzZFr+`5(#JVbprBCaTF^ zt6A2nfgMQGcp;W6Vm2X$g)lL&eiuUOwxjgieE?4-GDOz8QLXbU*?$6WaF?~zRBB7Q z)oql)*;O@TEwj8Js$~{M4G?V2V{wL-r?GAHv6eWK{dk<yA#j?PX6p%=3E)r{3vj4L zrPa?fj*GSg=ooP3bPh6Tyc9eW;9cJvo*{`4B+&<26nRc*^%emua9Cc`MC>kwqmlLc zjBw&wh#IQ;Am{uaufs(8bHD%n@AGRv(3fKlhsS>P!J&^e%Vfqs(%XEAz^(Ig<-Ex^ zM6=v=2ufGmX=aw4oHLCeR^8T0&)s|R1XI_%1g5g&7ntSo^Z=#%Ze{_>fr6^#1&{bp zlWScnk9K}lbErc_8T5p!eRz|+HOo#lumy#*X*!eCKpQWw7!}^i0tAfhrW{o5AjY9H zo=>&xoG7qC$JV&i%Fa8#SbkII^Pq!mq>9v3U?KDkWSs9PLd*1Y<l$-HwvBR);V|Te z7l?t!(%aI7IM;KM1?EjvR@S7hC*lH)HRFW9*+%--fE6bIEx1|Bu4Nj>b+|Up!jiPb z7BvsesG>V?VtFUyO3ye@ftDaIJ){Omds%?g1zz2HB3fNf$T_(#RoR4`MI7b;f1stl zASz04am7(+UCXY}W>}aB(A9$O3F;(F<;4JVP6#0Bf{mQUBF1&;Uh@}bxRfA+)1UsP zv&o>7YkJLXY61)J=Ej?-nki~hcde&}uKL$gTh8xTh}ju+EE9SBB5kXYR*tltr_rp# z+pdx%Zb`WP$b@GQvmX(q+HRSG2}f=u)%B;oLWNp8JvW}D=e97ORU<1i-<Rz36Z8?A zxMjAKg%_L$_jrEv4_S@c?$elD*=d5=`SQ7}eSxzzmor`7ZW)rN`va8ZJXqDWlhy>Z zZS;x!sQAm@>?AuCvzLA?j5L#9qby9k@YN;0=!LH{;)`DRir}RLEw$$ebk%OQn-I=A z9MEe<vyDU!+eYMcnzeBf@VSCDaCFA0;;kmH&Ue09^(V&3WuadvAB;3N1tW<{V*<2q z7;9x0vKqg9&Zze+TgTC7Jj(|oHJjpLCi%HG)l_?tsH=LHef4UZ(cV}KJ4jW%KT=Cp zSc3dqtD2xym{^n2l0fmiJc_@F;>u?x-y4`X<FnanfSA8lIcKT5rmV80FYnJ_$^zb4 z*1oK>V>F_-CYS9dTDjH7RBt3PkgRwU*yk)j#4}4>I<IkAk~u*6^A0ts*{htqY}FfC zx^fVf<~R~Gk4e<gg~81GBZC(ck9-hFe$ku8`3G0?D%YjbeSc!DJU)0Xk!3Sp76p%a zf1q5{eZ!Q-G}ekFC70>mFO00H{>TSBI*`n~SBh#|k2JXsHAQ26Uox(L+EU$lQP#c( z{$irpK#UjQ*!gZW?EN?5=lur!eD?&-_Cim(G<v>EqUZfmTR^=a_~ztzR@cB%uiinX zO(SkX{=9|crH9O|s)*u^t72L>lgrSm>?6|F_^Axf8<p4&mi?IXpf{C;*c-idh#iD+ z5P3Q5BIm`LeI5B!1IGeN#JDg?eXg5U`9NRw*@lrdGC_kF*9vo^&^P!e@bu(B0G5Nw zUR_z$x9B4@C`WtWhZc4gws{-1VxfCzUts3YJY|<gk&^c>f)u@hf3vOPWm%hFXB*^P z&+W>=+H=%ss)u77Bl^;vb)qlb`3YIB3zr*~OE^NXU*zx9r<&?>6UM&hO_G1!h>7U> znI=<xRf1{kd%jN*PCyu`z7G&KBWy<a7{V5WEeOAca3aEq2=75S3E?D!|A6oyga;w~ zTZF9$TM_;x!h;bWjPPoNhafxz;l~gjitx~}@5zCO(a*t#+LfS9X|gFTSlGc@hizIE zS2;lIm-0)w6XcgtE9N;b$N?D<sKP*94qyQu8LB2E$S=*TNZ?scBMMmzisZmaBa4Ny zSa_CwB8x$&9H1p?swIiCB=Ic26<G}W<-ik07As}3@+^wT5@pL0s$mEv4?(i85;#P; zG?S8Slw_l%QY1y0mPbj$C}|iajb^jJ4y)2+b?$#SA$`B|2%bmStYoZMD4$u?YO6jJ z>ZZO0&7CuQG)Z#KY#~v@@8$mcC`@9~{7Y#v7PHFj=}j&rk{~yfV%>d8)(ItIs<}Mc ze-w<dY}|rr@2ay(r%9c4O0K&Zxhi`2gFG2i80IF1S^CrJtS;wU@|rG4LbLoF?zHYp zWy!x{Ut)B@N>gZ5i-86veU6(Cp#_&?!6+PFOwD7j-QVb)%*ruAdFEaW64dgO3=Vi$ zwY;QRG;mW&|2+M;^NX5vs?r><ue{ydN>!qwe?Ubjj=EU+Nq?iSk<G#~+VKLAifS;A zh0z8u1X_e-F_8Qw^x6e_ASoPv6P|%UZ%Qxp&^`x*-|-lJ8fxl~U;8)U_bg~02!3~c zXZU?WjzB;D5q_yX`KOGLz{0BQz*g{a_0?o3%k6B|DMLxrKS2(&XUyq4+T`P{v9B#o zst?w`R^L|dwvKIEY#rN55imMUvzoa-b;i=epTc;I)_b9`#)vF=55$HsfCIRyyHn}O zhg6|JF~ZPJsdI32w1U3Gj!5O=Kgrr1sC9xd9<y!HEL+ro4Qa-BELFs$@EEFyC5xD3 z3OA<*RV@c0bz=rS*Jt9XM3Uu(r(jf-^TXsd>k(kvD34|t$~3}`#vrTA!TMA?3s5of zWwUFRm()NSMM&lVWvoxOk39q?G}RxfZymdTv9*5x*dvP*>R*$$2idz!<1hm*D$$~9 z+4TNgjE9{q@)|N>Oe2iU9IUF1Lf9BDC$EyX+lHiTRM>Ydv;9i7t#YZ!zbc@Tzvd+= zcjqz8Wv*@@=GhG9asPy^=XKd$Qng%UV}n(#5O35uT&vKHYHwu%r)@loZH+pNZR1Gt zysGV`2`c}l`8y1AzHl}zPw)H<v#l~JHL|U8F%AR;*cTl)!u-2BQfaWWo+?uV1lW0` z`Wm*4%OpS)yVNAcMcgq4l4q^y`_ngaIdOuWZ&f9*w*n_>egLPFb3A>&2K)pq=cxVK zHJ63S+H#9pjDgNHG0@?l7}qTUoNXk<V6UYgWY?y@9ji85OI{^Jo8GL1EE=Xc0-OgC zHbk3jVS}jNeAGKp)XNEBT!qrVU|gW)07sXHHQV)SfN0egnuHKljjPEqA>KT78}YzE ze}DQxI7>9%p&Fb)FlIf4pfCdeZ9;8$9A_5WFPNDA8VitE(>YXUtEj#D7A?=D3KZ9q zx~LmD@QsvJz!b$*&f6$pwm<zf0KXBQ*=q&@U$Wx@1y$%Q2i^(Sh_Gk89kJaus#RuM z3dM<Le1{=fUOy=jwO!S}t(dZK#;EJIiP74&hsfq|k*XWE(a;U~PLg%y0>DQJ3Sm&t z>3{{rB!L5;Q?RyR!;~r}xyavV?o`aGDLGOVEl{jEL{Op=5PnQEkoDTxK~7W4;HcBY z?UM_eu{KBNi!k0xwvZ1cCdI1l>iX~(#ISaH29DBm_epwgJB=p>ew+HbfJ;sTGA{*3 z5IY7<QmlUsSyrM=N=n$Y?2Np92o}~@Tkw6W8rX}vl=J4QN7!xx!8Q_5CDg6uVrxwB zoOPaBWYLyKXnYoIw+;<v?b9tQ=cyBi$lFV<&{0J&VjbF=)u>xmBdb;3UU<bt6zi2Y ziSmA}d~AtkM`pmReu{B|0*9AoVi3on6Am;VV!*ac0pP2svQ{edv1!?#MHvjqkuz(b zz*kFNYQ9i!8LCZAsI$mfjd}Cb{EN!D8>>1wQ#TR|;WPIeDSJ9W>s~7+bzhcT5L8}7 z8)rA=oo0EbO?h1`ugjEohUJ|x<wXG6*UmJK<Zj}byxlYpc*!rdDY{v1_!`V*Z-K2} z9l<W0ji->~6=;^8{+1f(!iT!?0G^CvLiEYoUA+9f;K$Z^Lz_?yYoai-tsJM?Rx(j2 zm&w~D0&|Hhv^M&gMYS-IS5%E^^>4^8vY7*fTC5cEU+kH`7kG1k<IL49Rze9|1Vu!) z_I)y|oGSr+X?BnP5@H*}EABy`QMsDSFrpTvmc5zP$oq%8X|N$H-RN6e{E274I!W~h z&R{0PbvJq6HSfMcy>(2VwbU5}wHK&R%^Bk7j*9Z~@~=AC+riF}=C`r$DsUWh)?VPA z`<nkoQEffdrmiPxz#nYjm8%-DBl!Lhw(AbsUYVYI2OG@}vh~!&5UuWRqwKrsldT)h zvm}pkuBX_=#cVfKrj6IN<c)wJsatua>F3j%oxz%0*<C$qG9O~~y!a3!vs0r=P<RRK zCSkz@YMk9llLfONgfQcTxCGvUD$Wpj^%(G8xnPn5*dUCSfbA_Bp`&i3dfB>-R5}X; z6C>6-&&&S3KoPSe?N)P$rLNR0D^)JwubL$(O_Bq@qT~gZ+7EU8J-znN^qk=QQeIt4 z@tD-3rlfN9sk+`(Hfh@A%DsIJ(AkfuJ;6Co5oTx-<JPNUioT63m%fb}ZFnvXa(P9x z7{QTtnOm7VMGyc(DmQ#Uy|B<fP5_3pC|ZjNvNWlvmUcu-^6Fbqr4}G%F*jju6&Y5b zY@iKgHOqQrk+Sw_shNUnMhm=P_%nmFS4kW<5t*w0vNMF!Dhmuhk13`o)W@f<x?#F& z4hBEKbns|q7c9U8G71Xeuw98%-1%np9L#8;6lSdGX?a2`)&u*NB|^xcFF?ja-kxh+ zvFmQG;8;%g@1~My@GeyZMUDBfDyw!1%9*eqLQ&Qw5^hW-0&3qUM8-K^tC`mu_-d_8 z4;%*YDZ05W2Hf5oII2;TSAyEzyhg5T<Cv)5`P%Z{zy+DGJI*F=GR;OzLGyF2-%Df# ziV)sG?NRWzb|^^-VW5ak$M+d#nh9sFoGp^cXqno7l5%lffGy8qYdJ~KB4{AzaQd6I z=PyFqHMTs~bR=>&g_obv^3i<>L7?+^K(k!Mb`#^Z)KyWB-HB}jT-}aD<d-muLeS@_ zmKw%2QPFR#zCyFyBeJmFA~n~ebXusB2^vi2hzXnlo3w8ELj|IN2?CbGL#Ia9(E!b% z22z#5)^p)EiG=iE*`&#pXZkjj*H2MHNsi5}%vu6Az)c9(EtRC5pOLTdOYm~%#}ryi zp-(Ba5~0|9i*l+_Ih_r6;dAW2Dr6NYY-J_2n%QY=LZ&*^k)swmGHP`@mPf0tWz!~i z`~|$$if(+?<TYzW-!pq0$dIj^GgS`~Q@ul!a}U%c?tB2*#tD1cfxRS6!7!#>S%pLX zuMi64;y+Wvf0^!eWKP4Qkp9EzG}~0@a1m9P@u}#DxoSoT5P-9URZ5Fm<;X^kT;;Si zy^v#9c%slz_|{DP<Bf1Gg^#1QcTyeG$|}=7;1k=2uozkv{x_H<l*TH1icx=+BU7p# zjTr~@?8QB^E)ZF>(X*Ekf-Y8(%qG~wPlk!<Ha4LU`vN_wFdk@~H8=47N6A$r?;w{m zSoN1qS@opSew9JS#)6%l#CzH>Z%lsRRZ+P$j1}0=D=JqA(DCW_&!M;&<=0*$G5W5q zbe-xmKi|ePSm&Gd5e=BL=aq_`(((HFe40)EFD$5HuZo!2@44bC(v9`y>HX8$p{&Mf zJ6*t8dt`bjzYqZ_lrOgC<@5b<p~vPzTZjo?KBqtS5W;hMtmuaFvZ*nL^03teyUP#M zF5};e1}n>Qq#E<+#^x=i9@%OA6LO{DHQ!wa>)<D)(mb?ZR9^KT2xATOZaN_#ulg0f zut{K0$ZfkG5v<68FI%X{A>D(0>hw^SkCKpHG%5`rQ|6m0w_w|oz9d6$qx}oEzzNx3 zf=V82*@PxB-=sQ21$II-RFEuQDfGgMv6da65I|J$;@CE&t;9qo3Ssj`2IBQLl&4Kp zj!Fxxj{q_rQ?L%TAcZ#Oyg=orBx7yS|4RgE|H}WND0jE2ET9JGjwp?vsN+Ye1;y~+ zRfV@gw@n?N#`cF4;w=4z3ak_g6<GL7dBBKQ3o_Lyj!*%1kOAX4X~zB#W1D%Xh*Lsa z&3R!Vl>#o6@KqOeeTK0sw#f=2M@{1BL-AQbGL*w6XdFfR&k#j>SbIkmjlvd0a23fj z=Ip>^3*Q5by5`VSdGrHnIi>!-><YFp2UE+pu%D6UOp~`?fN}W18Vsjog|d<Zng0#B zeQNT3tn&0ZEHAsI&@|n|CgosRC2aCOM2{KtxVNQn$W$a0vOGs!YJ#3uIH2&t!g|z| z=UDNvr7k%MrDo4){_6#2i`r*2NA))`JQ{QvYHcVv=`r+o63Z(deOOs$Nq|jVSU9b& z9Niji$9Hzg+9Fb5ld{wz$^Kasme_sS*xY53w*#Xb=LK&L<~w~Z_5$&S9SeS(B5!Zb zY773^nw7ntSflckmcpUn2+?a0-gyIe=e$WSH7}?0D&f;EN(?jbA7}!Uq%O;5CLQ4Q zVk~LuE-M?ZJYto6W<B2q@|}~4<%YSSs@{#sTD}3DFb<+*r`6~V*G6&Qj96uv4OILb zq5pL%{s@)&Mk>HgPKC>+kHZ0hLT4TbnbM1pIkW4VI7Mvul+h=YN0KFPVFmg7Y+;#m zVM+C9mY4COiA}cGTaxM$z?{4?y*QbeWT!_8aVkafCF=R96ik+UEwk&JXEf7)+}IlO zC$XoE)<+*E(KC+~0+j>Dh)u%)dl_Kg%__>A6$I8pV8;P$LY;{v=^hR?iNNBK!iFi! zIM}>Y3KH0Qs<Ldz5mfE;l*kQ9kgQT;vG}f2YHX74s@fXfv}NTJl28r&*wr5*L_HNZ z-dfG{kl0$yt$N5KjQGkPMtmii8q{eHdAO<Z-8{x)^W6}u`Ek@Y#*-tju1BB~=Zg~L zzzDD#8wJ0H`!XcLJQhTH^EgIMque5ESf?2cO2d|XjwL%7@^BL*uWJfV%EwAbxelPD ztR2lzTx^?idWx&A9DO*P)jRb!l$wO>yeS2qz~`LVetm{-i2txJX>=nwL0e3hobMI; z<Jgik+E(ZWEOxyU%R5dAc`U`))*`RE2_L*a$C;_69?2d!>@B379M@vAx$3duGywW! zZn{yz$fKMGAILX~<$=%ICl5Btz718Dw>N%ue9pCvO1pWs(s+?;CaRYMPg4nx%~@cP z1H56q5&k{$6C;=07G-1-iFNt4Py=W{)fIC>9^Mu3u3xm<IkR^_gpyHjf^VXz(^mxe z_oF^6Y~=pUI!OvUh=f?3L^H2*&TQ<8H$ui49DsxjL?q@hE5NiOw`Bi4{u2<6HWJ}w zrooS!Hs&th6jnqB2+)@-&R`y+dnqz{oSsoej}wp57pGBy#iGv%dD4Iyl$<uCi5|yj zmaxadvprAJK7dTv34y~^gZYSe7rwD!Szh%bC3uAU;OXH$)NuE~!`%mX4_^2k2247o zWdqURraog<lSNW9RZm*TWg-7A<VwR6FVWksc)&)Vi11+GNiY5#@`yg!!*i)iGw0Mz zA2mC)Vrn$^in3U!BpPyMPz_)@!HhDU!h*xxf67>~%r0S#LiUHC2Et&;{)9vj3zO|F zCOemBg`In0E~;h6<n4J@m`?OHyrW^JcvpjTVFQIVOd<OZi}alCO6~kDt95}P>}M`$ ziMG__d{g#sL{MI{3C{=bbC6S2pO;&gXGPZ*%CnJ1Va?9jEW^5>;4g?OwlEnxqS*0Z zCr+T9RPTdp;2X*EQdo8%^DW8lQWqwxc`0{Gpah;=9%q@BZ<;{yINnuDz?~u4&n*xR zeH~UVqBCuTMagP&PRjLK)k(P>5$Glmphn@uq9Nv-0JxTew>)XU4i5}AbGJ|6NCDXx z@F&R}xx<$R{-^*>t%n1D>=MA+2MYY803L&UJ%`+WX~-rda*%Q_kdYwPX2H8<1K~BB z1)dVoN^=7E3hol;e?e^LJf<n8Nj7ISxccv;Z3b6&$lD{quvJ}_3x8xFBK2TP4|+;9 zFB$tNQL|uf)|(_gI-&-R6`IBt+SpF6xcBAMxpkJ8ONSCTSRD3aCbj&u>g!@<cIHY} z%fs-Hu(*q&P}O`o{#V|PMN^#P;`SYW=veZ^S3@^Jnzsg0oPcgc$2zaCtIp2el()Ne z(K0^5Ui?T_F89KUQB!9N^R;8c>6#Z%SoRm<S?@jrlpb^+C)I~KJCDoC<A`VOQ~AJ) zr9N5T3?@R?o$fPGO@5l9)8;(pbE0l+5A?MYHeFB^AR_SSi-duJUK#-%9aXSDdq}T= zu5;E&S#k6Nhg$1qT_kwr?XrIuGJ~Fr1bnCf-hpWmeGlnow1N*g@F>2$D|j85`&O`% zD;XgFUKBKl>;h1w#S*QR7R<o~B*LGiq^1Oc0NB#87*&Mav__AaSp@Kg*<uf;V7|~D zF}shd`EbF;Je;yfcwq2Q$*AB&XP%8=ji0v$9J^5SasfjXDhLU3H9^Z#^Wnx}l0+>| z=Gzd+FPJlXi-~t((XNTVX=V4Vth2B387TONeCMV!^|2}o>%vil2zw*_Af`HeAMyS9 z&0@To%)6KsHFjvh1+cQm{Izh~WdBn*-%dR)j4!-Bj}_kD6I_R}r0TKi6Kuhbl&n^a zf>=^kvc~;<o-RB=7+>xVCiOJFtGV%ANewYiEj^7xzy2IRk=NXcXT2wv)#TK9tPgs) z8Ag{w+=bRUBeF6GIkFCmy?U16ha%2hD+^H#h-?FqtvD0YM5B-o*=p*GSm;n#-kxe@ zZz%7Zg6}6B>13;^XHq_tgCE-Emn_TJgyf;eX&=Mv92|cb$vi2{W?1hD$*L!2y+wz| zIL_KKESA>5hM!USx6^%E_LF{P?UT1RDHsv03ud)CCy)i7klXPhsffq0;2@z8y&1!a zrxTot_<X+QYLK%oO3rbEoMu5z1xAp9CZfn<Wv>|&g_U+W*pAapU2G+h#!9<DSJ}{3 z94k>L<OFm<RIWi3(C$Z+`^-d6Pn;OZAf~w=F@J_V!%h&;Lk-V43-oxwf9(m90^85` zpO9(W&sLHE4t2=elTG#bBHUKIZ)$`PK2|=Ef#dYx2lk<DIQykm3=~c5dnCrk5uFBf z$joK!>xXGBlAPth?<g<@R|JaT|AwE>o+8}p+t3VIE1{Trb$zRWTwe{zgL*(W2E@j! zeG`>NGcXYtLK&b5Ksc)vv*_vs8)ugr=)~An1Z;33l<miUX!mKsv%kr)0kI2{)L;sF zB~LQU3u$EOY1*<gAy**Rkt#sP^e@`p{}U$pf4{vK1B$$cb{bH7pM9zJeulcBtB|8t zd*2XkAeU_K&D1(_t!%&1IzBVn`$ux{BWmyW4ULF442933E;X)7-OzbR%<0LM1E+d4 z+3GX0@-tYVOSjjU`RUVM-(-8Z0cv8e9SRF%fLM-b2S+|rq6n1%A$Nph6GvqsN2Qsg za-Tqjw>CnBM$Lx$yb-oyfs0z(8}ZhbYN9W0<P4JsV+YEY!r%=(4p`KNxV`H^JGFOe zMjYZt)Np126de;mlYW{G^>S+JQQl}VxnpRnE4QhAd7Q^dLPH=HbE431lIme}Sbb(u zF-CG_R3*32r2O1SC&Nhh!rQPCOSzTccw1m74CS2&9An*JtYhreAL3-L?EewCg((dh zK}|<+%rH4nMo}KiG_(!bPxrd8yJ@n1E$E@?0J>#n1qM&-pm$LCIQBMlCWe2ALxg@D zB21*BE2;BxjS++eX!u2~MGoK;BocYgI3e?^HkAjJbLOg%W%~B%us4+tV7?sN)ZgT@ z`LFK>3npY@njBY8RE?-y+B0zr5^272HC5+aO{L|)Dh_}KWQQ8Ff*3jvLxj4LB6d=c z1(kC{s;<Ob#{0Nv0OXvrcyACB8op$rHgGkZs5x{hT%3KH!-BJ$m6}X*)eZV~sz%>F z6VJ-3o~Yc!QL!@)$GMU+c&&5j#0ym;M%m512Cjw_;^XDH7%$Ict7y#9Z^*ogG_`*$ zwVl4P106WW;p38vU1DJXiy1!47SrrzI;+{r<E*1`#JPvY7~^gB_O!rRZ&C<;22j8( z`&nYG+ltv0%;I<8V~RfFc~L7cyoyxo9mLKFC806uI5&;)txc*ta0U3u*DdIfngt!m z2+B&csmKcT#jZZe7zc*KTH2a*C^rB4`BG@rUWDkcWmPMMLaQ2#2z6x3s<jB4LaTNd zQK414VxdMO6#f@1A_BvafRLajO;dS|`UqpGgrDOi1VXExG)l0LfJMhi<EX(jpsDd; zyRFCa5BZO99^b;@HB3q*g~&i*kxTaf6pciww)UVv_RpY(<FkPQb=3S;yh`{>zH3EE z0MG@!6ym_Gl73eYHp_t~svZ2JeGHI>V3hh2p{{}v&*EK&e+`pdtDZrC8vpB*H!qEb zB~*NjRSvvNQ7&Vuj9M&az)J4JB^(z&CJWg5)mzu@Q{Fc#!Ha0`{-059UiaNp`JxQ{ zu00e;?*g0(T0a@l$Th+4?DBoD7shCDuX4V6Zx*<AOapC#UeXgmFNF+x<4lZ;-blhW z{LaBy`#KY8yh3#(s6*8?q#wP?@<g057v+W6AV;i<=tDr_zfQ-MR(R7tsXd=>!TlcA zF!r%aB<~)LL8Rk~hV$6;higEnA-n_0%~7vFmB}#)UUNwa@+=klUF`eRP>j=?a$qzn z7~_T%eoO(bj$&iE;LtZnF%6jw6F!21S2_>LfuR(NPI<x}gGQRmoPh<&JnCq6kUGLd z!YL&Y^8|E1`IwvxAu23)aEtCIec;oHxAdN(OfjY?aY+lE=9WTkD^*29JS$b*Q!6t6 znpWiX;es!-GfA)oZ3NhuAW<leIPU73NIJBYc*dh}TZuO}t~0ZHC=F*ZOgR*zu``j| zU#=MD*`l4}4jhO{lm)(0l*Li2g3~C8;afX(eOk;S%ob(72PWQizhtL(8QxK?fWBb< z8K-uduwl8UjYLD?;+Ta+Nn>{M0wAJs#LeW@)OK-^Tu(EJp=^`=QihV-RBEv?Ln*TM zFqJq0%T47JTnE(GQmTXEwo+J1*rLB`DSw8>4_4psS1hH#fN>+Na*N4L4VmknX0s=v zF~cb$E7%ucdQyngiL8F<iap#4hE_&p;=NL2Ae9iY6q?<<Voxi;NM2c6P4Kwro`PqB z?#(dfvzy~pM>{phODslX#yTl9NI;eShp6S0TH{d3QtqNiHztPVI+_tOF!QF0qJ+hq zI6`!j39JfckyDVKpbj$92!fF|MZZ&B`7Cf%SCcXBp$T$e53<qvm9mH1N8e<2J$lr5 zKkdz%V)W7aoj8G8Nd}jj+5^-s?!@&ihF+xt121x@Pf^dPKE?ZjmBb;zr||i|kXYrw zGl19^$YoI=aI<jK)xc%2vWKvimW(k1-ctR}C_J1jmHi&@LU4s__Y8w{qvz*r;oOFQ z8%v~clxHzffZNf+fG2T|Vs*(!>kD8hlG8Z@qnXJ12)6U|87kKr>crzfc?WP79RN?` z>Sw^EHVl0T9QF-^qC6U+*;SniDle1rS-e>0C)Gr(9(s(TC`1{s71v6Q{SH=b18TR$ z^^8463>UeH1R(twF@KJlByi$2ax6q93i1?TQF#ADn|H8PE=Z?JU{%=p+KXh(<yAj~ z8WO+nqc^;YNu;5){s9pn2;Wv-bvMP8+p!gj`)0RO*0a9EJ+z~uVv<&Rz?hE<xz7-S zA$Npc;VJJ5wJ=k098&kuJwBN6WP@=1m0H?{`DIj-vWM_RC1Eo*0`fUCYRAcv<~}ec z$@hM&_xUyIBz;CVgKH@580Povd{}9lk$_{2RNJ;c^{R~xqXn)!i?5v$mttQGR=AGx zF6qwRUD7Q^mo(Dol8_&B+qVu1|A=ZdE|equP)`|;+5sEEm$eX^b(Z3DdIRU(27CyE zuyIn`T*>|t{^|W^{6}rSp+Cy$OmQ6d3+!?sQ8a^gvh1(m&B|#<oPP@i`Q=(zUd5PW z6TX%6kQOZpmT9GJy`_QmNW@FwVZaRS`4K2S@?egeCE)@xwYnV><Ka87zl=o?4_D;Y zG44}~hliiSkW4E&XCQBv!Wts5s1zgFPRnCnd)S9~y6%A!X$NYjZcPf$<(b9$ANru4 ze6UB|pdGZmsmB0;>ucKP=w|iqDOrt}kf-+X%3x5SmYxc^PZKSeio?|4Jepl_htYOq z|LqBw=178IXR*7F!iw?vdwCCLE0yrW-qExl<Ob|2_KujOzsWF7LswsT)8swZE1j90 zDPn8dFeHTBVd$*XnV7W?)28(vlLrU0UV6C|h+^_G@#O;uurG`a5A_N8NIj=jccmYj zh;_~SB2y6}BJ8zbN5YrCp$SCum(L)1qS&v9bZxl_InFB8Hfi4GHdHoG9kiJS$G&CE zcM4X(vok~>T1emP?PG`guJIrCUS3~j8av5EM^zJ)U;<XLPmxc8HR4ti=)nDeU1jL1 z_7dUu@aoXyP?=@EsS_9a@tdJoq*7Xe9X0xhXOWEt$ohyaRN!(dt^3+>Q6E03t%@r@ z#4S+7+%LfqEQwYR65FGPC>I9TByy2x1;Q|>$bp(;-iYtfo};raV)t3^Khvm7bR6-% zksWDS$@|{W%Gl`Zo|ctj^tCePQ>=`QzE;LYU!S~13hf<NAuM&Qt7hLPhJtKz`J55& z2wcl(1cw009fEw(o=dy4UJn;eK!d`pe`qD|FF{MkQ+QyJ1=S~_jrpGMMch-DAg&&{ z1#M+;m|_lxL7aL|oIF9C6#DDL&Bc~m>RCs^z%b4lZGuJR2&&vi5jC4gK0_%_X*X*T zXJ~z;f}8`mRz-PD5B~-;3Fw2H56m}B#+JQ(;dMp?wYQzTck(6S>NTtrW2}NKTB$Xh zMq4dQ>Ebaf&2pIG2*($a4WotfIHV#<bcZK=4lvc-l5a3Zk7VyGbUmI3hyu7=wx_wH z{u1{`eoiF33Vs_t(KL3CcP{QN!zEzs*nBB`45o?d^)4|oU>6_fFR0c#|EZVv;5CxS zTj(t6t7{<U*6`2YL(+|g!xtA+FW2wsPkXw41Jx%|p<eW{T4FA4LuizL6&&}y)*WFS zPF06sl_WjLu-`FMI}>J${zA3WjZn`Tl$|`i=8g(uKl!8*wlJf<b_Vj+S+3OcN`jlI zoK@i!MU4E*-!vRl@OKJ2{<q<z?x30!-CE`9x&E{ugO!!k*YWynSF$ZsnX-biMs!z+ zD1^;rsz}hS)vse{#Xm5UvNH{cr@xWD|HucLZRDJx$J9D1Ia^&z)zAf@xS8f<+S9<A zE3ki$eO?xx54o^r9vKYV*+F@GV_6srs_{sx5$QrCCN+81GEBJ9rLmaF!)ClVi!qlh z(!-Y{^}gm%-c&%tWVT_SS5yt3j!P};^QPAMhtTAto;MY7_r>DK^$~IR$Kvjf#m$Jt z(c}v9VKuw<JT3lJ{f1)!{??vO#rNiTmj!(ueK>31H0DWD1E=BOVCRS$2=l-wm7gP^ z?N%Jo6;;E4pIo=@4vw5>D)UUOZ$m6$h**vuk44=55^M9?5laXnqf0e1&%kw_-pi4| zr+|=vqs>S<!jBbjY=5qe#}Pf6amSHHd!DvuDFnoCwU|AXHD}Sej>9;2XscT{f~M&6 zoo!WTu)8YjFb;%Jp+<T2odCL)ZR7-{K924FeAj=OZa#ut|Hy*{vxNF*GKr45-&{aM z&TptHoM78X#}M*5HbF4h2t9dRPyOTU(B_!V22I}K{6dF$YVuNjWfk!2#AQa}i?C%E zXb#t=<z4(mI_`%!bgr|hp2Nx7SHJOVK+x9Hvpzsj>jD%W`=NJeetmQOHFXJNKlJ@Y z6G<B>gFq_14O>O9UH{P{-TwrE#Nil9^c3a`!kuk$gB6+uyvK|~|E?h`p=vi!wHufY zB~0-_i1tNuKjTE=^bM+>r`nckMJC<9n$v{yd+JIr3T3@Mdq#Lq5isawLZDyRe_wlg zD|jbVY_IBfkoz}<y;U(yo$1I_UZIV^W>zo?Tjo=F*N;F6rkfW{)nBB#^+ko1b36F7 zICkJ-ll%6q)RL0fqN$qVcpT1Dp<^aCJhvq5pb1&k>&Qk-2KgV@|8OlkxI@MtJH#%K zQ}di~YJQJh@)@<wxSyU5UQmADVFq*<ZXMw@VoGrNl{<IhfJXSvL*VJZ@%WjJG_1KE zuf5O;NH`IIyi#XI?S<(G;FG3(I<Kp}umwXgeA0ldb6D2C+6!~x{>dAIN-*)A#P*MI zA$2Xy8{*tiiDT4*jfBNJQyngRrC|Sm4*oNM5>$KQFS1U2Rpm%wQyrOz$py#C@IM_l zyQE{+IHDZdV<ZaAvcp;Ba8wUBPq$zlrHC>)XF77LI;aSU&2dI*?i>RE-b@7*n!L9X z2W|r770VKfmDY>6mB2*#eD?GWFH@BhqrjAxxrnOn#o>eL*uReR2N}mp92qAbBcAXt zuOkDe5vEL|;|>{>n}oEcIv(QkN_tV(-zjv=RraP49Sk&QH9|C_5t?d#4RJZ3+`-;* z;^rjWZe<z0uQTBVxz1+B?P66QN6SDwL`X`}t&l=-?L&^K#5WyOASDf~;JiayU$d7Q zf!8t0xX9q0<2YbZ27XJB-4WKR?Q*QZ2ed)^<y`Dr=Z1uiU0~E+gA=Q`?EC`s1TnSE zG^Iz|wf{s|Bl)Mwxg_6w?GIe<z;NxC>-M2u<GwU``)a~TTZ}zg9$lMZ558~5D*O1; zNJxZo$lF(%!7?MZ3$cT-(2v+b0As|Sp^J336F9<vaUN%#$T|xea)7l2sZ52AW6z+x z`eUf4Hv0~C0g*2JXE-BOgK*glDG;cDYnvo1`>z6tC+4Xe3OAuR9o`6o2s!XO^lWq) zni9D~4*ZfnN*t-gU|fK)5Eo=rEyTIasS9z7hIb(@#VE<MvmjtB2)0{lgTKJy3s^qg zybrg{w_8XNSu^C2B0h5I1RcdbgzI0b9I4`?67|i&)gOg(l7b&tC~m4_E_)N%9-zns z#NdLF`*}N@>X?rBs^CW!X4}u!UGpT^46>G**Nvp0d0h&Rnd%^&nhUhk%zlvxL3}=d z=rki2J}cwFhvLE9c+e3KrT{IfH5KUQU#>kyw3-{uwq|Xm2(mBDwiZ;nfW4K-8ByZ! zvV-PE=v<09HAn=T4}+p5LwGXErUvQL+WRx9_ot=zXF|_U%M$*DnwRq00DL;zY9-w> zZ#^VlGQE&cg<NUoU5AK2)OO4wA5!MVgAc@mmGR(1@nCK|=!geXNJmH)lC@gSi+w<6 z>uVf=)F$(;*Emq<P&D6_1I(8)z<k#j`M}a9=pG<N!5gp*{89&4-}M8`mo~tBHx4kL zV}SW?9$>yv1I%~Z0P|%S`TiE4Zy#WNnFGu>dVu+|2bk~90p`mYV7{>f%$GaBeD@gn z{uZBI1FSE9fcXjsn9no7e8mIIckcl6l?*W7gaPI&GxGf{K2IKCeNzXRuVR4trVlXR z{R7N5bAb6~4=~@{zn(7@_TDAGWQ(eSU^9FU2l*VqPRtT+aQqs<-qw1ay4CRvW%v{s zb~&D<;AaSKb^I1VilSY&o#Ry;Pj!B^d^|jZ)XpKs;27f>>{(i*y-dCsQbuL%Gvfvh z99btHY@W$qvI&LrocrNIqMXMG*R<w!AUcZrY0N9Vs_*-yllpqx{`iaoc~PHmlAP~V zTi6BGM$S^F?q9b8X{aN|R0XG;oO9tIWTO8`tMgy80^^PXxJEeyhx=Anz{@jyE6O7W z5)h#@W<1zRxDndspl*2#PQjvtSjZ9!CB;J4SZGKrWQ&D{#X|Vi8>7C<W1-|&=*n0q zB^J6S7D|nUu8)P%Vxb#jAxA89b1XC}7P>7K%7}$-kA*U0q0zBWb}V#fER+)qjg5tJ zW1)LuAy+Jv9}5-6LY`QtI2O7$7AlE_Cd5KzvC!mLXlg7}5erR^h3=1qX2wFZW1+dR z&_9`jq;rr?=MB)|>qrauh!5^9nv7+U$BY1yapP^5aQC$(CTM&L&L=ipk2~g}aoNzU zsm3@=Zm1=7ta6mFX598Uh;I8d)5vJ5tE}>*7<!5QW7=={I4B3xPFW}T`qS18q{@|6 z3_)YN%>Eg<3UFN5`EJ#FmA0NKrBoiHGt9jb4p_|aI`F$6K-|%JB@M88#aM7($PwU~ znMi}G`NOA~+cZXP(|j=e;vK*kBQ?~NNJFaH7HS8|LylY;dpmsOO_x!PE_{|@kyEp5 z1ERR%Vmz(uVCZwV1k9@k-96cZYYv9(e1!()8-pSZ_g9GaTi0NF5~cERSL+!JkxS~= zIp|w^<!}k$cdf1e-GA<+E!bl}@Lo;)$ip3A>v)kmKYxw=z}HzP7uAV!H1In>SP}I* zMm>&wxLyqTI8o`%7_-tSz2|)7jx<2SK#g8lPD5%Y#*7nU`)9Fj_YNm)M-7d9(wuG8 z_+>7S^Q)?lFeFbKPT4`)E+Va|k&~8*L3#DCox3UOzl^A?!%je0{sSPEfvH)&W>k;* zEyIwQiCHTkW^TbHJIP9Zp7Rad4~uA*`7ptt;x&JSQfAZ!4KX-OL=BD!VzNjpn2xn0 z8dkR{=j^h=2Geabw&yubjVp2!u({9pHeu4hUUfQ8X~GUgd({zEP=YxPfHvfj)yOBB za{Reen(dd@W481b?4&5d#DJpPtKNm^3Z~QOpRadi=__^#K;GLpc}96$K_SX^Voy%A z><1tz15`Njltw#MK{yi{JEL<-kX+SB;FJ!G$|~(bwK1^dvl0t_O|wWgB)?44HWj$8 zs}MIdsDJ=*=OWL`GDmt^*oQcLgVi%Ng;WUxQ4S6G=17ZgBvd*6^Nq`A_lNUQMBbi6 zxMEEH(R_(B0y|}IrTQTRB)FjeU_7wKcptbLX!k%lqc_UCH%C#XhN!)0On$lK?f1Nl zc?4-1>feX!8&E&mEEWiB=Am{+{V-f?=ZsXRuAQIoGWsFfu={Ids~=W`1cBk7c$S*0 z=bNKBRv-r`n8?$Y_n_dPk$^}K$KLmAU_P^FbH=9}plR}`6vmejaS+hVs_&)4O_)@f z+ncOEZvx5%B@hO%ohfGEvJOL$reY=!b5%6cu@hY^)3u3rpdOkhOLMkXB^D!pn!MeA z1$DsAmWPM!+(Qjz<!;o6vdTrwa@eRKvZaUkJjd63zNLYe&}!+1f(Iki2DH4Jp-L$a zc9C^L{#5e?*ydvMmu$bDy%OzqQ23|VD~UX~#mqt(<d+JI6XL0p`lnjrsagF~lj5l( z`ln)hdKB(g*jvyC?vQxuTm4gQ@zhuPrw)s!ZtS0GkEbrDRB(>y1#5`j%j2m(>|ZuH zo?6g9^~!kaP5o0-qNzFILH$#&iKlj86F?tsq{dVC_fNe(p86mCQ`6$9Yx<|&7*Ac; zKh+UWokFR-d3CdpUk)1E_xqO}6)$^L|J2*!spoJ9P9J(R;;AS4r`{e<-Q7PmGoJdZ z{;8wmskQx6v*W2h>YsXNJk{Ml6>Kp05x#{|d-G~+oL7VUm&MVSXxUD>w5E3(MAr~a zeZ7CGE1vpa{ZsSfsXyzVS{P4V)IZe|Pc84CS{zTktAFaf@zksPr<TN1FJQAzA6`v} z^XeT+?ahs{c-dF`r%sNiZtkBtHJ+;UPelhA<@1mGr%sQj7WGfPKc0GP|J0fB)S>-T zXU9`N!IpwP^v;c^z9CX^_mN?rEj@(r2P7h)vka>wY0D?0M@pmd<95*#fW@%q$xG1- z2;bb?q-QIle_;EgQRoFy!VeM@_{6+tzgV-IIvVQV;4`G<i@vLfIxXtFa2T;+9Jcns z<;(F7+4(AUP9580J!7<^pNSt9?A;?C{RLrbV+{^E!;g(gSqH*%Gte<%buG;PA$G+Q z?LVOXwzw`ssVS6d=HN64jXYP<wK-oMVo%Ur7jzOt<?$+y$5jk9gF+s-G4R0m(9%vq z)kuADAzi^WQ{WN5rs-aeNeb4lw_w$c;h@+A46~FyR58wtW%y>!&*w|np_R0DPJg)e zVkNDI(O-CMyROf_pXWdw8T3^d{kk4s^(*OeARc4MG*-@&5DzdIwP4@r>Z7P;{vFXW zAHRnh@}gfS>Fd7e*FpNaIr`N|UsIxAf9RF-8GNy)h*cuJ89#FnPALmFP<-Fj{Utpk zqpSP>gvg$&`;+k<b@C2|3-P5dPJKBAxP$EP<5SrS^1_TrI~YC%HK!lqlKpg4YyMSH zENxWF!_lvc@8ZiH{pzBxoaomF^i>x9I*PB#wEz~4XhsBkinKt)L<xM3;`<W#M9;`5 zfwhS2N#H_!D|<)96=pltUb&&K!d(4xuDZ$|t`4}~v7&@c$f#c_wtNiHJte{4l6F`X zt}qcJBes0>KdyX$?&k_UR%rue_+uCyBs@eP-YZx=#bQ@P)n!-%<XK$&cFd|1J@!}7 z`t#|k&GF3*>@8Mc(Z=Ie@+Z~OqiX3%>@0E8Z~p`~LJ%P(nRb@qFQlZzLaDJ(S}f#< zg+|3f8L?1iER-D!<-|g{u@IdS6VM7{q2gGmBo-=*g{H<r(_^8TvC!OD=z&<MG8TF$ z7FrMuiOq;1_bHA=bPMcW@zo_>o5brG@gjSKU9z<Njn@wGY80<_@oE#Vb>c-!|H$bV zujAr%K)f2nt4_Q&h}RbJdS1L}N>J)Jfd^wG9PDXijAVnol#G#R@au()kz~};y^N7y zaH^Rxl8aipi7^t3TKWuQBo(!E7h@z8wX~Hnl8IWngE10`TH44MNklDeXN&}beZGv5 zJk-*4jFC9h(yfe<G}KZ*V<Zf<^f+TA3l&>!8HqwIZD5Qfp_bM$MuJdFH!wzWP)oNk zMq*G)pJ$Aupq4%hZB!c1W}Q_cqvTcZU|%xh)>kcGi%a#fFL>+o_!(dm-MhlZrzz*G z)kQt-tGZ&$!xq`U@ERm0u<@z5IT%;rDg|k{30NJUswd#$e%yv-rrWU0V-{F(8J5c? zs;O$$a9?jQq86mFg4847+<fnlJ-ES0@Ay~3VSE~{U_*a}?I6}_cXWN533#UO0^a?; zwE_y-F^BR4%pZyRH(&i7&{HV~GC&TSLX^NrV281_`fdZl5566QDQPHN)eJ^y_ePH3 z_;9P1Pn=W7JCt*G$dA!&PRhA4@~W2+Sn=p63@6*v0tcRKS_WI<m~ZkHKG^8G%q*2n z){m(Q9cX;8fL~oO-*hMvyJJt;o1!Xou2Fe~vPfQx;eEI6p_70e$5K(Iam6)Bybc;H zE8?`I&#Eo>y5l7zgP+<WODKs>dXn6Jz^+gpp}W}1&=LJ@1&LiWW@t#TkA_?&`-h{V z+&jFN?V+=s9R+|1fF#Bwnk(rA^CY$%{QWTVqOjh)HV(_)7uJIB1lD~~SpU)k)^Gz> z0nHai`6+!T@NSO6yMXo-<s%)mBR=+mxAw~Kf|paG@K_Ic*x%V7UfOp8?>;$j6spS# zGF-}|nF(q^MiqWTyHR)y<!j-NmxVuG&E18NLg$z15A$e-MkV8mI5DoLy%YMpV#IgA z542*&!SajKRYn-Zp#ws1eYXAY!vxnk%%Zrx74)tJFaGYf^w;TyM)#&S^?x5Gj0s?x z(4$3vZ_=<=o1m57mR?g8?3ErW$VR0SZ1XtYtvO6}1$36e&?%UGPNmz}k8Hrp{2#!x z61<*0DDk%-TPV}`>^Mv`HV!k7`ZpoZMzr#8OW%Ou!FctBSN7e*lN%x!*&3ag(m2G~ zDzEu7VsHj|VaSAzLAWcX>U(?cmyOa7tNLx}7xEn!^;dAz1+w)IeF$AUT@Zwc|7u(z zZs~kXdxgdbJ6%A5cJ_7D3tZp@T!+vl^)2(ez~|Jn*jS7Eny`z_+}z@~5*GNK@6*8U z6fLAQEJ2^?!WAx9GpQc7Vwagvm%N{VWA9*+(EcS%r9z_`%y;|$4TqHA|ItMp?!Bxa zEtEhf)|803y7UtKT!0?&+wij>4K-Ea*QidiMX6fx*GE288oyTlJcwKx{3`av1o^RR zfB;RPuNqF65CS7P0&;ape|y}8-v8Uem*en1XVv&&+Ru-Ciu?4J^Tw<CHsQXqMMH$2 z@h+NYR%1sE5MaJd$V?tbLK@)%>v0KuR#48r=@9q!cc5S32TVvz#hx|!Zh-t)>8ZK~ z^RORd?<9ohY^lyL22343@-N+|5Pb@F^fk=Gr$G202;s9GH<MW@?;72R-{2gMo7?re z!pqKBus5{T`C8SN{D2m=!RE*LS-);5!O=?b>myC(*7_T8bZS_Ap016<jbNq~O}g(3 z=zZOf&(u9LbQctY-;8yzsuhT5on_T~)$*eqw_+fRAZO9{3>J+u*5jh~#|01Zf6N~M ziJ8}Dq2OD6W>=>PSH^9{Vx`>hK2FrqZ#AtsjsQ+uRPWWMa2GM*MgyDivGvL*K3mWd z{zv#6?JX}ka0{ju=$F?^Pd~_)n9a>>*4DZW*16AtTWr>oK$mV4dqZxR2x)n6=acF? z<NO?J>NNfrBVd|!(txX`bf2RkTC3{brM*HmXvzj`s>Fy>bw7h&-GT7;Vxel^o;2jf zYTI?}IF1p>&Ze3K)&@nvkGs?MlTJ448RRURT%jqM<cS}dR;IBwEc%3JkfY_^W$ZKF zo2<@yrZz<DQEDc3aV!7YY65KElY}@o4cenFmofSV3fhZ1pag~u<~N1W@j{e-Sx19Z z-Hl}bc93VTx}PNfwZ45PeKnr480Y!+CIsvJS5!eA?o~QW%Ra+-0yRnb6u+?ZBn0|o zpmEs&rFs(>(~e?z?V^{w`fJ!KdAmX?sIiA$p!(~8)*VP>>p0ig7Y{blQkq)6LG|Gm z*)a6g*n#)48K5<hcxZ0M&{uUo-%(3td}l~U45hsRG0M5b>cV(`xfUbQZ>t}P)SjUq z7nI<IXs4mHk3_3;Z|#VXUs`^$;~2&<%!ezBj#7J(902V+SncWSkJ!I8eC$AIVvnZc z7p%%p?tnz3BcG|b>HOf4_TukFI)2KDKF+ES@Md}wr`S}TA8iktFx>yP^v3L0ynUMW zBe?nvD%3DEqE;VJE}~WD(|!u~7H963n!z53rsEMZVwjHzrCVOOn|^~<UUfa?DSejN zYB4*~!H-abN7V;HrdtScnuY+fm_Lu=+l4Ix{{wu{c+Gmumh{E+NgT%$n96JJ#<Fb` zNx7~DDR)yV!HwgTDT*pxQ*aHG4(MU1iU3opprXvz21?toP@F=VUcWAdCJp87ubI5e zMWc1^?J&a?th(J<-6(5mR3#sxPe2|Nq(d)7IA)9=M}C);?&utioUEKqFkFWpjM2Kf zC_jzGCm^$G+hOGWkn#@3Lu7ZBJ|p{UffQl+0Ja=(EN37<l{|+^#*vqxJVGpfk?__m z!|Dafb?#2w61DhF?eRxJfcaQdKkF^S>k5aP>I;YKb(Z0HUBsu3_t$t|R5~muwd8G_ z8oU~HX^#{2=C=BLU7M`e<(tsreP7hOJL~+{Q%VQTMYGS9_vPTH7VU{&;W`NXShtq^ zIQ?+sllAMarc8C^ovi#xXKM}LKU41?N(jLXqqK1>!P&aJ)1@Zhtn3YZzY%_yt(zrG zVE0-;3FBFLHDKk3*k(b(;UcOp?W}9y(otTaSX^c0!;{-FVdY*W!^N!^OENdt`>h-s zVY`eNfyx#1GGZR#5U-$@5wlFh&<nq`1r9CS6190acd_g#$O;@m4-IV@%IB5~6|N&7 zRcKAC*Cw=s)B^J5l84lpuT==%R|bm?pJ12My$QcdkCT|F%e)Iz?HLUkU@BPyw~>a0 zEZrb%=r<cl=v6E8ks+l!RAbg^6l#ODDvtXP(e^l(Ha&bR|0iazj(o<=Roqxb4aZ;* zVl>CqHGoXU1Km3}3{m@eE8@vEc>4GoZPa|f6+WnikLNC7A3FFMOv7Tybqha<8H0HU z#*9HnfDQ?_>f-k+-EFFG9ih99x!dqd*HRjc$DPQJL-7`K3vO)1wWmp%Wr6B$GoM9X zh!ZzF^b+MDWdC0h<;_Br_e2HwD>7c+iecX@z>eo|n3$Cw<<@=-g$uGV#Hh=`@8H30 z)iUwc7QwAJ4J7azRt#sR<+^Jq^$mH=<#@xJf;U3WX6-p0d1_8-j~4^OkU}?l(jRv| z*m?XMI=LS#zZ<{DXv**A76wg9dyz8I+`UozF5D_awQt3{XYEwF<|Mn4wE!K2C01;~ zT~2EnkWa_RsnJqf%{?4;sOA(+Dnau?1u(tXqE>+W#1y&=4_Wn)1V>P+y0Y?Uuj!^o zt7y8(N=9Gy(+ZXLO0gB_Q@@A%4ytj}G=2ydcT}vNgW_vNLzlN_mua@LL+9r)|BIA; zo@z2bPSdn!-6u_~fydP+z)1TB2hZ6ZT|-(sW&DWwIa@Gd8}06N$fH~9hQJZfMRDAf zd=fv|{%bZR8$aU6=X(#~7lLs}%wme)*@{60?yBYe5Sirn>1s-TW$P&siCdP=9r{%H z$fP9~i%K-xZej$gNuqvVT=}|Iekp;Kt{sYB4m&*$zq`%BnOju%+Il;#%8-NAr|l~~ z=(6Ja=JL~>BWU~zq?_>Jkb~!Kqj3T1THMiGeu^#1rn{$0PvK7Jz%sDd@H<yLYM0bS zIU&Vm=z{Ej0$B9^jTvlZRW^XfS-QB;)|l_nEHdu1-OAMn*Yid?#r3?{szulHa#Yzt zTzmRxZhf*TDh!;gvMf;kYzqE40ZYvVDWoR+zF2^q50Q#1V;{{`r{v(&97l_?bgYLF zB0Q1_k9{wbs%e%XJ>j<kK7L^^J=g=jIzE?BpbJ;=J9UOQ_??!<<&z6IJZ$!yV(@?i z8wFt49qT@gO@nvE$2*MN1k_c_{Et(U&}_BD@pkKAnkmplB>Ili&QR51v{Uvt6=1f< z3}y#Apu6Dr_#XWB=J(-s>!NICtA_%Htw5_F2V46LHW?gJ3vzq#r5boRTOYm>H=_{h zGjI_Du9WzkTwZK9KustQxPaNK9LBc=M1e80b{mS)Y^_t6FmL;}GhZlL^~c`xX}J$a z=c`Y^Ns7WrH{kS|A721<{Pytr%-`j@qwxNv2fU0+!6Os%_ruGH!n;6*$l&8YTngS= zEGzx}@XDg_SPyu&UkYB@cLHxM=Kry`Eu_$ep!64?6a7bgk+#HEsQ!}%WZ$a8BaP`J zK|aGxz>FDv3dUh(8Zb-y`%9SvhAs!78~D+P=ql>&-a30J4Cps)W8$SDG7(-3yyD}h zEi?=r5cPjAeDXm1!_WM?;D>17KvV8mPR6AB9_k19A}QmN?<tJrotxpuhfn=X*LVJ! zLT@8P6MDGjo^QUO3-0;e3tUL8Dzv_jnG;o^^?l~v#7h0DLM!{s{fw&6%066eRiTxA z=5AFLTG?mr9jZbr`^?>_DzvhXE3j0BR`%igsS2&^Gxs`Gp_P4_4&n>?tn@h6Q+dn= zm9Olx(gUhO%lB}4u{cD5(gyr&8IO5h<!k+{v`$rML7%ywRbO!+pz@`Em{9!c89uXK z=eL4|pC*SK))X=iH%RvTG|B!d{=c_cvde35nGya!!~cx6l6^n^oj;T8|Be4C{|9UT z_%C=IcW&YT)^(D7BmOU2FWG;N|68As>>uI3^5>HM3;c)vO|n1z3(1~>fA<E-z6<|* zel6J_+$h<<+$7l_+YDI0!<9++pYbeU;otf1lKlnz-}HO@o(=wQdoF&b7xvHWn2L3v za2A$_HpjQoVAo7F^)1>K_+{wfZi)K)mOo&@I+6Dy5Ig-yG-itEgu|bNzPqW^?!73b zZVO|#fx7KDGHA0+p+GAlVRm%<eo8|T3>41k?>>MyxbR;-7p;HSM#}Gj8+q_h1V2Sh zb+B~-dO3Hkr?l#8)pZ(=Zp9D6_e!ezle&Q?6*y;EYhJ9qNY{4C8f|66WV5__KR#LD zH0pYl6q+^g>L;jy9YA9Ta!IPzNT_R+N8LuwtFx<WBHN%5WK8&t#1H0DngN$Jh=c}# znaPD@j;bh7C94g)IjRwJqqC)^k%{U>q}Ye==Qs#_IM@lQM$WSu;Fxe|&M&IU*@ghe z;TUl6uje>4tmk$6MS`EBQf<mdvcQ4I0|≺k@~<^B8d86*CTmt>cBFIXE8}mtK*& zOCy09VAWk*e3&l5mN6k;XK+aZuI}MXs{N2U%-Rp=8S?L@g7oJyzm40*53&|@7pIaW zx|^toifx17n<M5wT|%@X4@A3*i<Shr<}T<F#(EsnTHON4$=X_yXtk9e!x(+SdA{nO zwQZzc_(cj_Z?tr{&`&?7BM<YQXIOxgyRO8JogKq#5?(arD=il1n>7dhC%ozWzBSBG z3a$ntR$S_GDB|Ke&v}M3H#P5f*r;EL{>b^SNU321b{@jaO8ET-n83pndJ`ezN+7YH zQ#3C2mRjEJthO!Bp!*BO`6gVOakvJ*huSS~w^^NU_$+F+;&I{HjMGKtv&dWXuDHZ5 zx&@B!f5UHx*y)EqFvN(k(iAKd99OHmo$lo2nYgeK_aLFxeKjdGUxR9MocmF&<qwz| zPod+Fr_orFF(gCT>TcXA;Y(2yFo&9NQS+^8z74-UqUI;7`6+6Cs+yms<~!8<QEGmM znxCoWXRG=6agtm$-=*dks`<rgeu<i2rshvo^QU9>><WO#U}a36Uig>=<JT_%LA%#V zXE==C$K^jYZjJxEIL>381`e~5)j{~db^MUJT4Ym;?5xzT7A31iDQZ!wT9l?1In<(2 zYEgz-l&KbFt3^3#QLb9#Qi}@JqGGkEL@g>)i>9hY)1CX5-@`&$YJEB`tUbfr$*lTJ zdeFt%qV@)x1!q{&3%bo+xNQaV0)->H={L?l66^pXnBQNXrY+R9?3buNPtq3S=$e~s zMY^S4wbUcMro#}5e$xYoa6Rcw$^1E&KWFmiRQ@dC&tm>8<WCoW=JIC_e`fOMDE@Tt zXDWZD@TZ+WZTxBBPl-Rfabui*(;5Ce&7WcZZ0FCD{29U1iFr|z{R>~h7tLRE(DV`% z2-nb!uuu-4RUeU!K;>YI)TocJB8VIKM&UK98To2YJK*TdzbgD6Sd64==jJEe_xi0* zw+=Dc)ywwMb3`LOuiHh>@9&`J-COaT*D#`;zb-q<U)OEnuf*s1>!xS<>mQ!MYr~qv z<9IQ*^z;G#wmjX2x8}A!eUiQdC*jA05>pU1VR*Nh5}!Ug*klhSw&F>6hY}AUMCLt| zc-#ohw@m++Mk%!7B)&;<;+t_^s3nOJd<WYlc9{jdq3_DIU~2e%@{!S;iAB~hl{46o zD%kK_xHrTG+(GyMHyciY4d0G<AgR_7{erf{IBm73(*!-oFlG9GiJtbqNe^8|xp;_D zZI^r&<;ON$E^iyQm~P0$Di-XY&Gj@1+YoG&R^`XtxUC!4yJEoIjhEAHTZ9RaZrE3t zTnv0wTc91qI!_9&d`4cfkT|MT!jd<OuH{Ul$8dTiW;MDxGs9~z_Qx+mJct*rhwB`P zyV22j{=fF#11_rL>l?pR5mB+m?uvjY?QWwlf)qtTQLq<Ww!kXv;ueZ62zJyMHTHtB z8#QVyBsLT^c1<*vs0kXQYcPfwEV1!^&%L{VslVqf|M&C%ywAe9Gjpb$IdkUB%$eD{ zX1eV%w8E8$#P=Y%7st^V#!z~#`WV;r{KpWgJ~;Tn8v_p`>ri^T{8z|h-irnG%$OfO zvza;a0nuD2YuC^Qg-knu*e@L@Kmu+43F+_x(FF6yIF2!!&~4^<c%)B+xTfcl%x=Vn zXy{P7Q)phmCl;g|DK?8@3%FRmK$2(CO;m`NuhOc_ECXWdO;eP4Ae{?T7KSs%j)TlE zctVZM@uD<*q1fb96i{@bx<v+xtG-(8aL>iYm3Y#4_Q(g-rXS2nSOyO*6PKE|fWopd z^~{Y>*tsz->BZFezCf;}EI3M)_gY6jGrdx4X3V|XX4{(jnsuPvycQ&y@4*^Z=)tkW zN+@02g3bcNZK*b}(b$}5Xks3YY}KZF=JP}}QPJ5##Y`kThb|~3Do&wD?nTC?#=$b8 z;r)8Jd(a3RCL&N0UdZWOSZ#}uJ<_!zrbxOJjfIz9D-4@mMZ2WI#D^L#;QP|_UR3_~ z1-Ll#0a_MV(Vu``9=#TIaA^EGkV%5_SiFE5?U)68(jf8`Amdu9Zx-G^Tx!I$PF0<< zFnnM+-oEUBU;i@=;|olxt;g7tClsaH#a0CViN*?dm|=@-`d72*+51S@<KKm<ya+bq zT54I5%8aGE2`{ka<e})K`A75}X}>`=C3EuM40+LdF1J+@@JeSFnoCALEX5dt2jkPm z<X~2!?X^{nhoIqJt0isWqvnOGD!fX$s!;WU-V`suOoQKe5o2Q*^SZi)JAy*;FuZ4O z%p)Z7;SyEi)tlm&N8*^*;-fTTd0jqe@R7dvBMuxU3vuX0+^xM}@-#1ia2K7zTB_dX z{SaBv2w3NaO?r|Mf!^K4%>vKAN}0u}|54Onj`*g9GU^DtEEHU-ZqW|)LN<u@bTfpe zx<xBs$~eEd3?enOtmFmoW#$qUD(q!n=wv^um%SO60QitCLR9!#nt_W>iDR4!?{vI; ziknk79L}!C2!?vYj_Y*!lo%px!_T|)uF?b-N@?zcdJ@g&x!O<^Vg?oU3bQ-act76P z)W4P8C3qaiR(jbz3B77;ja;F<UG&aHJ)G=%xWEGFQh3Y@zt#5>y%4;t=vc+?4`-q% zz92}O=jRE-VEYbsGPUDMof4cFgCFQ<TtaX5R|iM7qF+xLStcqSS*Bb|%C2mX`4D6T zSp_`eumGy6DAB&cJ``_)#6s>&W#e6qppI}wW)yzVc2t>p4xgc(`94}$(aM~QaH9Do zo={sxJN%-$`8Ndcv+7Wjmr%*n(xK3%W#(*<iWd`eDaP>rdS)d&6+a`fc^G`=fp{Q* z7Mb0-dQ7dkzT`wUp*amU>rjG1YgcV*Wgbs84+U?3gN^_NF6j)~V4gzgGIK)|NVm17 zB1i;rbUv&?2zAg8oS5pJbZ{sAY;KA6m@gm(MA{RN%t!fvGx8mQcWA{!VjpFE<dQFI zg<OoW-cFl`Gto+Vg)|OT9k9JIy>CwAY4OBhcH`;!kyITR**M*W$h*o1jj^KAiawn5 z%r#XFh6EiU>NzpOw%RI2So(4=qJF($!-gZ2pGP1I1{!cFCmo0y8*~s2rZEoY!RYaG zW1P~<NntL5iYC=q!ixvmiI+i-TpI>wN(luxF^T`27n7Ng3|CV)Wb<>1^FEr`-<$|N zMbnb8OJS}%GqICJ$LzGJ=m^755v=u7f>11e_4H`bQPM<~1fo*&XjIO1Xc7{jgvR;A zb^PGP=Ok-0c!uW7s1F#UV?LG%rlzFU62KvHV~A5jEsW<lg|X*AT*B}}g3I{Dr)pC@ z^I{ZV(ST?6WcY_Zzdp2W>GMmSW1MP-C}k!7aU+-VIgWg&Kw^}`_Y3{3A4wBBnJS-! z!Oxd-z1PUH5(%<W6u**A!csaF>Cq^D4LQcnd=z~D(%$_Xbn;wou{#EXV=SgM`Z~b0 zIbh?gxijhc(Nub_%BSbviS#^_i>G?dN9#Ff?o!TKW#pV`S)8*WgLAg0!&&*kw3Tp* zV(e#4TLjNs@)X1KC08#kuZtpHk4c<0Z9W&fnJBq~&Oi<j^JUCt%)>ZS+y;tq<h`f5 zMRVvwyghqJ_4Au^VJ(Y!!MC8zO$gcBGJcOSHwNE@;5HeMWfv?roY3fVC}Ak~<uGn+ zM30G{8*`AV)05yGcR>i5Tv7Zpy!+hf*m!@;qYAq*&O=C8@y2G_z_=h5jFi-<ux@o# zSo>NP*0eCs*eKhj@N+Y2WsG)E7tlHB#!}3Q+%||hh*T~!B}ie&EH`-+=DOP9_Y)(U z%LEP!TN~TTI+4>{=0;9K856M#H1RK|Hm8E(bA=vW=xC-aY0%*;jGqJa2>s2_8n2DU z{Ow$H(V~N{k-gzJJ?$PTZ7!vy$G@emeZBCx^a)29S7o)7+Jf)6y3WdQcbyCHE{8#Y zlXlFY;uDFpROV{D^*!dbWnfY7#8fKRQNAZ-xFn~fc@W)@!f$2!KjB3fTGFykNKgC> z%Sf7(%y-b`STT$&t6>!<@Ep@<DyGGuxOB?zt3ey7Zt7JJA7V-2Bljfn&8YhAT~W>$ zXR`uwPU<y-N>o*1@m1K6qF{i)%VXP9p1G55B{lxI=(pjp2;|t$>gNR8#9*xWZxv0t z2Q@b3xz?!4z?;pb8m%f0&4Mjh+Eb-9LFh1D^I7MPyfw=Xjh|((Z}4RUypq3<)2t*H zQxr<^sO(<dSXK%Hx3RNqv?E@9(oU8|P77J0qa9;x1SFh#K-w{;CPgw9G!<U7nZ<cv zgW?gBs<6!fJ+CK<#?-^xRsK{jUuDtA^5<oAaBXZ<c+u8Uh8=!NGiB5k=t{<@=G$-o zr31Ac2^ruSCu3i7T#Y^P<Dxc~aC(Rz%p}E`P+3^+h<AXR{MHiN3Qsxl86kztI>J0F z6BwHoo)YkAC>tJa`O$MQ2;(Q%p*d1gM^$^oV;EI?M03wx+_RW_uIHX}xaT(Rd7OLh z;hyxq`f3mQ^_FUnQtml~d!FK+SGean?wQOzXL8S}+%unhPUN18xTleOW^vC9?wQU# zmvYZs?m3@(Zswl!69Ls8qq(Pqd)jkPC+_LRJz4JQ!#x@9>CQa`+>_RJ)gG<5XLIi9 z$~|51gnp>||A!aE_n#Z@Zts1Hn<!2d9rs{x%PaKM6MciCqeB-JF|+L5pOpEcW0`48 z#e-^(Fs|4LJkb;X{rPte<Uhv`(*WE69bPbu3*ZI(cL65>+W?CJ0RT0iH^BUiFE;{d zdjnFd7$yVI13(|IrzjIZpAbvhpAh~Uun({t&<OZZaN_~t01@Cg^0xv$7ycIj`YZ)* zE5IH2b8!9Oeh1eKcmj9{xC(GVdVwWRON;9S{EOch<{sb*;5cA6U@@Q_;*4<BfJ8tz zzz@&{F!@(#1h|i%FwAtg*Ws1|wgQ$D4qya~0K@_$fHr_C<SPeU0(=432v`6}2hfMq zHShcTCt2CZ`bH@-G^wfMHCZA-j@%&7>Wl(~E;CD$p;E%5*Q*r9j65a|+F7raX9!e! zy-qLi6=<~C@(hhqkR{j4GgXK*z-urdlTjzImWZ2%mSjq~Q7$kT^(uKLGf+ELtIN>} z;{5yZ#es$>RH;{S`PHaepwcQ)RH{m?)2jr=bd?}Om!?rr{aU53PVLJV#Zjz8?Fyqx z`DYrfl^ay!Oe(EHCD5s<ZJBbd(jYLXw8nR79jHZPb!l47cvQ`|Q?1u!*0d%>;6dA9 z&@WE~iD;)hBSWW<8&!f-lUl7Jw&+a8EEAOrCdl<^DoUT%Erd8q&0~5D6Iq+8(<5%8 zCghJOhImE!GUd4`87gg>5wmq(w~5*iCCIBSC%Pttl4=VTq@x#8RVuAOonbPhgD(SA zSt<~T?gYI=HW%U5mFiH)wbbJVm0pAH9Ip~|@i24|=u*dkrChwF!VFcmDnpQIG8j=d z{*5_QgHQlg3WAaFFL(mhjAd#FMjEbKxG5=VDx<*&l2YjI7L$@XUgY-&F2tZ*^p>TY z<rxqhWu5>}1+|D_>ac=Q>C}u#Yl7^haIDj+R7yjNMvIQ9Df=B}S?Z*^tskGujH?7- z4Pza{V71QBV#*7U2cX4G43L*#eH-V=Fv$jnd4nHLcmadM!>%sO!Ab7S75t*kb$}UA z1z;XBt}Xxpzy}ZphzE@L8$dNRpZ)ER+G|4#>fi8;YIrN#zS-EZC*IqgFujdKV$TjG zKRbCgt~~8__3CVY`Pn|+$`vls%hS&bor~v%9Xix6DC=gE_%Bah>eZoqVa%2{10uI= zZ;{e==au2d7B3lODjGE4R6y%7?|Wa@Zfv+h(ZqFFTJwnZdFw{rnlygGnymBcQO5Fp zotF;&<nGFObJu<tJb&~@VWnM)if-TkV8E*l1wY<bP9HMd`|vNZKYbA}ddvPPlhQw% z>g&H<%s$@oQ_Jn^M>fbPo}VeY(k1J+OK%75ydBqP+>Q9Q0bjmyd|u`z*mL0{ndyvI ze#nzGt6n{eJy7!M*Nu7ARnNljL{(J(xcvM<v+t!zk8-l6OG-0)vaS2r%XSPp5&Vf` zL6>%IqdK3EF@Ac%(QX%4&1;&Q->>D`jV^6l9ys5zS;cId_0Re^OuFRcbmshNmwKNp z$=$hc&_vDr7URB~d&P9~_QJ6lr2}+(?>9-ceRWBFBzDaxr{SZ9eKo25VD;!*NeXsF z!WG|PaSa=^j{c(M^@t@WH*6E!RBrzLO_vRQ%kQu4vvci{*V{)Q@F?oMZ^7cbyZybl z&t4jkF)z~9zwlYZ$1{E#xn)^&MEa^#YVY~oCj7MMLHj-BiHzyqEYE<4;i1oe4jsGm zw>jD4o)1hEy}X<7+uM}NgD1^DPdX+%8-8*6)#|f_(@VaQtjPQ7=R+a4h84fM{<z#l zGxW{*%>0}4MhBkkrxY!A8b7V*^yCrSXB#SZ_Q@I4(7xXt*Asn$0;b1);N7#w><P>W znfmCEdl3Z#lSW4MUme=sqpRnwPL<3WpPubUdG$zW9q=^qy2vMcMfVkBhlP4xZDIG} z*(>#W{k+7vx^hsXm&Hw76AoQ!zG%h5)}5yhXy0g%|F56-dHi&A=JprYvNB$OE%3gp zlKpi5VB0Mf4II;d*>|AJHJgq1FJI5!@SSdz^4l@zJ0HJ&>29h0v$f|xs~CNH^4#!4 zr{`CH?z->bo=u-j+WGOTkR2`VzuJ1Pv}DtS+j;9wjt*EcZqoBLn}_dN&@tAuxJ^sZ z%<T<+n`89dIi-vpH*MMc*(3et_8I#86Q|^eeWw#+?$7J{<W;}k-nU(Pt}Hzt)oD_} zgvFzy-tQO7=wA#!n*FB1^z_~>duA+T?d9&iCsYsntY|W7(6AOWvRb!dGq1Ok%GTHx z2u3*$cWmF_QQKRM`)^zrc>llvaraeC!e{1R3YmLpiF?TTL4qGDTKFbEyV5n!bIXYf zq3K88YwvxonEC0{hQ#exn<iv@eRiz>_Y<=p-#mJD?GM>kM?d(qvhz=^e!ly-{h<w& zTZ@%dhUr~?KfdDroBD4`W*siio11nrB>&RQS5v<!I=DP_@ubxUc7`u>*<QV5m+Q_? z9UG4O<a=+?#`J*SKF(C{Ir!}aQ;FTkfW3Pnp6?oqEyE?i`_KloO<RYZ01NO1JOnNP zaabZTHxRx8|9SXNB3%l?6>xt94od}QFTz*h-bR?d!O#zJ$KlTegahIbHxKT&fa_Eb zU=N@rpc0@!p0APS1Nb*1O*vdK!dl?z$0xnvZb4WDcOBwsBS^osLHUGmN5TCR?kl8i z3%CoIg7jU0?*}~5r2{Mm?lB+~Fac?{0hft1<KR;Hg>W@+w*pe&cLJ<O{580@kbW=R zEpT@reg^#1uJHhBZ&QTnHo-uo-w*%qz#l@`4*t2ob%J{YK<2SAfNv2;7K<vl1Atco zrT{ttcMEwx28iLm4oCpr2Jj2gc0_nB;^?;WVfb6Xy^ZjE#1#ODC-g#{MsO!1oDBbJ zxOA>y4}T8)TjBl)_XDJ%>#wPZ>k8aDxTy#)hkpa&Hp4#<Ky|1Q{sHmShc|)y0{(h% zi4Uy-I{;K~Iq=^A9}U+Qd8oZGu`?#%JOKd+djT#0R|5DH{<eU8#JvwV4_E|vhO&AB zp944xe-zTvbzY*EOhAi)*8u7Rh!-qiKm5gr>jD4QfPV1112-D(GUPiA+%|;gz}*P< z41n&^gahONlHFp&Wg&eN_@}{7vfddm3h_n2j|32p6mTWL&jHAh&K~Y^;F=;X8ewW1 z)vt#?8*m>m7tjXrFX56rlC1Yfnl;Ev=~}>@gzyTasgLkhgni(b!tDz@*;zk@n-6#i zAUTDhfjI|ghPVfC-$y=@6G}fCE`2v+DDVdXYJ_Rb6MYkbzXO+K?+}3GZxw*rJ{_<R z{;^13j(lAK4-noA`~~=T0!WS?0Ve^D`n>{B0N95xjYn$N5Tx;d{}$i}#8o5w0bD<X z`@&CSgvQ4dgbx6g!v782S#ZZ8j_Nv#bd%uTLzsSOHU@r@RTubI!(R!!8bJDm(vsdF zS$qQUMEnc5KLfuIum&(2@F{Qy0lN{u8t!~RD&Q_)CgLd%jWd!x>a(xmMgkuJzXm{k z^$g+3z;A*d+bX66Vd_sEaK{i1gFhcYdXwl30*>UC>Ma8-f&Vn}90jyTd>O*;!SzGj zF1S=~SHzL78Vm>m?lk2C(A9a;MT6juf=m6C0SJYk){i-GuOLi%st|q_xHtgGkDTyu ze*ykixFLXRC_5W2jm=`f9HgP~N&1b(_!Z#Fscg94Ax!y&0Fpmj!o$A@t_<-5fEx^# zPHNW!hb=BM4)HYBX#770j`VUUfb?-oxB}o;z@@P|9{y{<hryqSw5<`A!u1B61W@_; zi0cmMjIaaZUEp4T>jC%*Kz&2}{s?#)JC^|80~R2xf;$U9`sE?uDAF+qd%`~&Kzfg8 z=l~!(E+gCua1=m?-aC<|HT+ZIehZi6Y7FpNxKu9TjqnG;{Tl9W0O=8$-=@J&^(;ZU z83?<;bpT8Nj^aozl)#gG9R_{_{4aoC3ja>{j{-;rXgt>k{w%^Gz)Ik#|EZqu5J&k> zAp90-Q~(<H1Ard}puXA+cQVolET2@9Vyp`LGo9Y3(WVLf{QR72;*_c^W4gd2K*??S zz+?DK*uxrh8QIwFVef=2hT8PByVU|~QgCIZ(guw$v9`WUxkk&?h7G>PNP9wq>W^v0 z5jBG0Y_3PHkAR*dL99}zRbhV&pD|ryfUmY*V6$`@G9VayC<$d(DS0pLKUFnp5t*aY zkL98`@_Yn(xlyANcu4(3YG?2b<#U^BJ@&Ll5SXnB6_^af8Z|bzsdBW)$}4$Bnoh4V zre{(<XJ^jD;cvA}grI%zSTwYz%v9{)J(PaV$<zS+%dxFbLps5`SwWq_&p9zeB?oIj z2Qfp#nG!Np0=Y3nFvg(Dk?WNal+914PxBK9;?z7_(&brMDr#^}I=0VwI+Gwr1p^1) z0)q|(Wa)Kju&4-f(lv^7M5qik_6Gqr_Ht+1QG?f7qYszgkghXjC}D{(=&ZzW9YCaG zt52pAxyhKW(|Z}ZI%7v|OqUz2m4GlyGcx64kxna6sbO&8+G1&#wX9HQqb5_8k;iTL z<qCxf{X%AsG)tuh0Sp9MqY0gmCje_WGf=uFEnTH|9tW((n1_y08^IVAs!dLpYsVVk z>21o;pxz{oV?F{QE5J@&#dU><Wdr@3sq?7+x^?R&h!hyIR0;?sS*bv8Dy%Jk(~m-A z79fwab4+d)j2oQ!$6!iJQyGi~o(Xc!7Npa{ECM!@wL#+t+9;<pdY?uTXd_EcrYcjX z&lAAzr2{|p7;buHO+!>%4)hIdC=gYx^B6Lc@EwhsbOME5XE6A}ZUNb(?!W*wWq=4& zm~Ki_33$n)u(PEiGIkjJb0EAbj2JSppmXI4<nc0TNp8tFmXX($69~>mVlX%(t&z%v zQ0c7{8}bZBRVJ7iC$O}gqd={L-6{uzCPZLFyR0@E8bw4PXMmHZK@<2mXMuK2D*7~2 z2YrC?gfyIp!k9%v1I9PGCPR>eamMBK&CZ5-NuGu}yYW&FTOMaJq>&Cw6RbxNExk@@ zQjiWn<NU!_E4v_@N)4IPAWO~yUTtvo)X=EY@^YUk&qJ<kNCDM176kI0WNk8J3{8_; z(7qgZEMtqtBcGRSMuG%YCdCE?phB;loE$%t#3TGrYgeR>#E1Z2Xao?4sbh!_81#@6 zwO*wXc=b$-S9bM72{ok&s0@RZtV|O|Go*-&nL54Blm?b!C~`VLFX$21FUi2Q7wW(l zB1w7qo~L%IH4p(c_-umgP&S?($_2fvGHAOP|B~MpX2bXgF(&I-E#J9uT}Q{Ea!$+f zmBv90lUB)AfrlLF85$@E2y?nhuD1?6BUr=h59H3kECu$EWtS_%N1#!vNE`SF416~! zbXgcfq=76VM&r&RbJTXd4r47-;Oomt6Af)%2Z9(4?3NH5Q;p#j)@N`?lSWENLyadL zA((*4hz;T=CAhR+r#%4*7m$#r;$%@Nh#C-O2*IF1Unm7Kn!mU#Bw!{ol3Gz%NBOaS z0X~8N-y}@5z9Lr0V*Q5l^ng@AzdpF_71MuUOy8)Ol$Zen`e6Z-7&#y^!4gP_vHGyC zk4%oVrm6L(Bt-U%i$YOMTt90p_H}(@h9t&BCC5ak#Po|rJp+?_42+FUi5(apPidq2 z^^J||S)0Cl_wEceQ9zR`O;<Frb91O%jX6$`kQ^)U6bOAqV1g11rzmfcz>t^84J`}; z>s)P_^95;;&@80#5e!F>etz(d^uds!d7aPa<stDCsy#fqg7aL}ob?~kU@e)EAzG9@ zO`pZjVNm-5q8<4e>MTA_Y90hVM39MDkpzKqAkLu5fc06269pats$u`<4B=K3LpTap z%i<R^RJ}s4sOdwWce=d}nxj!xCqIT5rj@!vQj?m*hnFERBLq5It@h3|ss)VR=&jG7 zMPbcnXhe+{p5lh$;S|Plj=>!prm6z)4Pk2IT;OjGU>^alQcP_eXM0BGXv9TZ<M<^1 zlTRDh$_j?Nf=WmG?-YWy=l{+Rt}`$LlA@D(xSjObDmc<-Ls03IB|dj(>CQxjj7Xtn z-U!JE!-&MFRFft{IRev>STuq=3dmB@=)&I10_1N2=oyt9PgLL7gT0thm1}g*)KVPI zfw{G_pN7o;?ovXbeT+R^KbBRf)3A58hNA}HXGNkSDGlz^@@aV7Fv8*TZ5>=3mkzgb z>*Ba{`S0KoxpZ^~n5&a3FOf?(^Br6=mu}9xI4&J7sxzb8fL=X+`h$Mr%i_ZBhFr^` z5Xn$3WP(rUK7RaoWh$D-WIVQ}H!9rYBDs39-oXvy>M_>ECG+WURfTav8Gd@?P3F_( z1D8)Yu44CGc(E~Mm|lca@x=5(xR}B`-)XzUn1LgCw%};X&%6eX_BIxrgm83L`N**b z7eF{z(wI~AfwQy~XO!H2(k~SUXY_&OR>JYq8}tfyR!FEy-~^P1$8j_e{*NEJ8BMrL z7S|fyvY#IZ*6@`-#QT=K8(%kn{O648SOAr4&40a4{=0`5*QWrArw^hy8bsg+*ii#s z2>Sq7KxIelzu{U=#j^60Ok!RfmR>0|G+=Wi23S6lD%fu>VLx35Hyt=!PGDBn!9_nq zKLMw#gHr;B+Zaq@9o%%_l7YKa2e%QpE5MDYgF6M>XyB+{tsl_~_<;MX&wro&|9^M( z?`5Bom=~!}OG%XL4XTtR%*DxMX-UjW&dXAz;6fEPLyEqt9HxUcWnWz%RUY)Q(ts0# z#Jm`s>!&1P$(Ec>`w*tH4RE=NlmR9!Er4TaF;86$tX`jzq%!u!ZWQMQd@3w|u~p&| zxmj!AXh||+a~`QxS}U{C=1jD4Ri$9L$Q`Gra7V|m>nG-+yp#d*oCGe4>1ZvnuP#w% zz$#paS(|aHQ-WfgNuyWs1$<pgV-jZzVWbu+2gx%`)|TwFq>9z)Gv!9y*s!GOhsCcN z+a$g%&1>txwve{|d>vIpBQ`S`s+35jvY+MLyo;4iuI0(5EJX8N5l%5ZXxWo8Kt-z% zSj1{dhyufnDva_FYkv)(V{d473r$!KTKM0%mLA%GSU7f#$^yq?fg*b^-$#9Qe6P?6 z4Bt!rlK5i8NWl{mi;E6Clh8#(D&uQOOLD`f{?1Z5h@y^SZdk&W&VfyoFFlFdb@F*` zTJy+rIHKB7jof7kw4dW6Y@I|WNgX&s%W{k0F<E)oD`~}ne#(pttQ>J~z+hCS7)g#b zTD2|(D?p=OmzM$?75c3glc~xysNj<_DXLrr*6b<RU@0?HdPxcvcG$o&gQ5lu?3)~y z5F?bZe5ug0DRPD0n4;08rl?I?1q_Z{JsO=QQ%bfv3)^0!ni;~Vay2MFo52Q^8wHaX zwGQ?i><ZMD%MC_Gt;o<B!2MiCjcX1HW;UbdcJi=QGSpSD<>R&j7saGA8iP`khC&M| z4x_C#Zhdgfg_RVo)EKdV&t!sY{V6IYl1VYB(o?WaM`Q{yr!@m&wQ5ZoHi#)&If%<i z!R?c5ju%!#-uRj*l{Q<W*J(4c$%bW_FPp#qk%F;|Hm1;q5tN2ADSA~J*o%5BF~lPp zcZ@r6S*5_9$r{CH>IhoEPY5zGtAjO^f`O?Ri!8*!_kiVnV;E{67T-n{<H=B)R9YRZ z>S&=c6Kj0jd;(U<aao?F@y#^&Vx{Pd8gK<jsnPjn2z`aVd}sb4Ue7D6e@KDNY*yW9 z<_{%6ys$0#rxef_>F>mEa2TlNrA`T@2^j>dV!4ijz1IQS@^7PC*!ENzqfEGPr8Oq% zbqcyIG}R&5${i~TCo*vcOF*ZOg~C9eC&Dg3of&K2--IoDA~Y9iGhBI!(t!&qJ=5~f zrN=3mHg&N4r~?vb$Do8C#L3Y3kp?tCMLy`pXpMnHgHIf<N!82sc~Ov915TD`nZk=v zQaog)7s>N@P#dj+oiI(Mw^DhIE8i&B8%<ep7|4SeBVl+o+KU^qI9BNsGoWuwyjaAK z(^wkaiY(~Dp5)8aWkWRn`}6-B4$#-RcC|hdZCwLf*T2bn6O09F-ZaKt*&@>c-QZHy zT>s<DX0;c-5J4LRm~CO|;0)%REzys$mPH1pcdrR%%JpM8yRGGB98@jcBlE-g3*C|P za)-%5?IZB->g?<5>>LY?Y2eM7WEH~LGGG*wfr<ttj7<Yn7<5{)#Hq++z@@NKm7!9T zO}f@B&0h_qY{_+!lP#HBEWr4Y$6dN4`xcoad7BMqpToV%bRA4O2DCK;_c1|lEgNcx z_Tkv!gMzHr1!cZMz9qG{-UQu<XWej~!qHCF7AW#R&<^_!XORJ|II!qeTVOY?Q*=10 zfyE7HF4kgj9s#SL4u<D<5_5%+J-e1#3w!)(PC_y?nY{hf(ifbWTW!*Vr(g|#i<0kQ zXE5GkE$&AB<X7i@U$+|DAm$6QPmUfPi=z<L=+USNW>h-KQDCv=!}S&BHlwrk5@fep z;=H<c<GKMAWy5M|;T2ieQ@eDbQgx}Ya%*`ZwOBBD5_wLcbF79<UW7UMq}#N$bx_a3 zip#Sf0WTFy=4fiFia&lJQk^MF23giQ)9{~p>O*G`)*SCdb60mQz0=jl`QI5ug9X$_ zVu6u~Sqk!icGi;14>7AOa^s1bh#3(#cu5+p-KLl0gb;F|b+#@}$zZO{;|ow@`l%J^ znqp|+)E1>l({jdG;t$!1$%yGpN$OncgrH$EPQ_{ig8-iqR~XkuaOo_WbcvF&aUBhu zEBs_@BV2Jk8`lg=x(Exd71F``r_VdrPra-IgS+)A3$D=&`~n@P3f2U*!x$584VJjc ziGW6{(5q;f1qsOmw>dL3r!KgXIm2{R9Tmf2VLqp`N6UfaAFkS>5NuQgSd97N<d46q zZBbA@q(9!#NnTwA*5w*lidCGPR0#J$d!y^zANJz)MNRu^1>xNm*5d!Rjqi|GCp{h9 zSP85}{~d`|23xfpv9qQdu>9f1DaT`oEy;>CLk+#)lvPioztT<Gu_VCOWEOoyQ;+3{ z3pxUMX~1)bd^r$n6fxL(PRpG&!Agvo0eN{%QNx2j(E!6UDFqPbY`JWW!x2uIBPn0X zJ5<-5UzkM5Y(xvZ0}4IW%f`ml1>yV-j4Rm||L*ewcb6-hGOlFDV;yZ=?UARn8J}k< zWS+{%YW4SJMAMA=52LjX-}r$GL83AC$IpD!LpbX^|Ht?U&{=Fr^T)Wl;ksqFL;46y zWO3_Sds^M}|C!&ODYpOX@lW|jLtp$;IT6kIy7%n<&uOUJj$E`O*-}A%$N#*HKhtE- z%y;;ET7A%t#D8cf+w#BO4%5;<Q}I8Kv14HRrF-@H#PA5Xt>6yfP0sLHKQ>Hvc(eWj zPkf#E7kHS)nc}~|<Bc-hy+1_P`PeXoKUD|AdwKkI1j=#A$)`?yP)i%`-l-Ku_U9M} zYpB)@>z<pLLFcEmbd<T_DA5gTQvUo+<~A@n);GuvQy`{1c?OiZ%q>r4aO)o4&^e4Q z5@gbGEeg;YWNuh#h8VC~&6FE_Gc|OX0M{sdF&;zYhD^U~p&OPiT8$dEkU@28Ls0@j z7%ux5jI_u44@(ofaruzbfUP~wx$`VxVD$7Y8cZU}M7<^(J3?HgsEMo_9m81#(Cm2b zJ0tuY>Lxef+c-L`!rcTWO{9WW(lR&P*)gcx{A-E{^Z)xw!u;PMDa^m7ZCv&+(ok5O zrfRsmCjZL3cajquEkuOjEHVS%G@^}rEnNmv7TxnvDRJT+r<A!(P~kXOD3J#G3Z;?& zUx`>D^_5H2DqofjQmRxcu~MvNC)I7)pGpu*h2o&pV7aeU8H^ItsY>4<l}PC;7fB?n zNF-GUi{<}Zf<!J-i-J^QU#U1X*jFNv2z^uK!3tkxK(JCGm&gND;-G&nL8uN03{V6H z_y(~mp|3<F4)zU}rl$G^iIuE6K*=iQf&WrMkcw3Y%7r4|RCTHttxyH|qD@j?NswA8 zW#vMtJh)CP!u<cp-7x=mI)d-YI*I<vatrH_QkP?ZrG*x?wGtYJVV0H%b4?`O+_4s$ zZZu|v`1@PNmtW2JqMIN7NeOZO=;i?b!S9yo77o!<h55fzqE&qS|B8UWXg4nJ(KQ~e z!aBmjtQcdYMFZ4|pH(NsAp>r`;pzyCpfWd9B^J2}wD<y^%q_vH8~iNf`bBX@Pv0n= z7G}~6gBxjtzy8$dsQ_Ggz@M9Sv#Zlb>J{m@hom4glgzCfVoa$RAF$#lV>Cmx1xO(> z0TQ7^qEM)XO0^rl_@+%W$<z4c*1;X-|JUuS#dDkhr)padb-Lb8g6AM6iAljTh8X}~ z9McbXs8itfg>|qWr*se5|AJS=+c5QDzkO=AxW=XVgFdu&qPd~&hwg>jpgbdPbZ8hY zlZMhXxUH!|$y(f8)**2@GTAU}&7TA}KUm-gF>Qg5LYhp>PjaNs12uAlc)L_0!baG4 zb%+t54jsxf!cHtlT`FK=fiWRY35*f7QabuXFfJ(9N=G!(8gQST=*xO1-Mi%z9aJvP z5izsY<{t!{9wpS4FJ}ChKmfHNfN6lV)K(*xP77Kx>a^nBI-;3){LzQCnT~w%$dkt9 zpxU$0UZOG$ZH9rD<IKA_0lvo}z@1p)rI7LEd_vG5VBW3gKjW1j^8LBqx^=Kf(E~L0 z18pj_(GPs2-ukDULRi{^aely4M|4sxeIa#m|3N-#m9+%w^91Cj{Z<H5AN=ZP;SWg~ z@!8tP6yl{O1+q0BeDUMBsU%jzUk`Z`kyi&<F`*5{Iz5DQ#X53E=~=G--%bBVDX1$0 z(a2*1X(qX}QdBGbxcAMCoMgn3j2l4ryYh<L&os3D^l`*(f08s`xH!=I@6Z419Kb?f zX@l47vG1|%Sa(*$2D07RzU)wT6su;9>;yKSoyjg{SFr2YUF?4L2z!pb#9m>qv$xoC z_8x0yAF-8e75jpHjbSMkh6y8ual-M!?Lv3aP|+mOPSIY`AyHd#H*t4yf_Ru%F4l>S z;)&uF;!nkw#NUZ4#81SG#6i*!6V(7Lj?yIWOJ+*eO14XOOTLiYmfVxPk+he(NxMn& zq(#zA(mm3n(o@pw(%aG>rFH?W0zv}f0{R7{2V@0g2h0dq7_c;;IN(x%Bv2h_2+R+h z5x699W#Ib2V}XwXUk26-Y82Eis8dkaAZbua(4?S(pxHqug3Lj#!R>-O1$PaO3r-By z1Q!O+44xl+DA+k9Fl0o?>5x95Lqp}EcSD<n1&8ejdmI)oQ_FH>@5>y+n}rL)yMzaZ zhlNLnE5hf7F9=^AzBl}6_{s1K;cvo6cmJ^a`R>1U{~ebAdD~Y#whb#_{aGm+0v`8b z6W9UlICdF(f&D`GQtBNb4%ig<Y2f|f$HARKx`tc{`z@?@cbX7_AfrEt-6cMffzpxE z4ME$3E`(kUJsf5)>mc)&eJtB5+bugQyDWPkYZ&eu{w(}exKnpbSe(7>GxmaTktj-< z2JYnsObo~mm>M7r3<>NR7#wscC^&duaMzIeA;~CjpKL;SV)y4XF(+cr4QC1KDcmR= zEBRXTi)6esHegu5%77CALjvuBG(j7K_6Eg+U&+Bkf=>jCL*hdYhMWz#74mz?n9$tN ziJ|$SQ$x!_ABPr%dC1Po9?Ra!nuNCvPXeEc!l`iDZ+`|^G758r6NUN0DWWB!Yocyq zu{d8mQ@j|maZUVOY$I`%^p_|kmn1hN&m?}*2<hnnL15Rw*uZgty@R)hejWNSbZ^)a z`jSZ&f4`||Xi(^YP~Y(K@crGHd^+33_df#q2M!G^2%a6>CFEMzy)b4zzDEN59=fSi z%(u0(WKUR0*uk*Uu;XE;!p?<V3cC_^J?vIkIntZM9)(qgRfW9>dmYBe>}5_e7n!T9 zxvZ6}olGEemwCy2WUNdg3zCJ&B4p9BUb1*uqAXdaCAxO<cdT}b_K6OPj)_i*E{Lv( zz7>^=?u#CYo`_zE-iqwS&SF<_OL04~o7hY2Czgmq#1Z0HalCkdI9)srqoq*1PP_#p zX0P~w_^9}l_@el#__p{SH+o)*Z6(f<mXeMVcS$#FHo_%+C8H!-NseTzWT#}G<e=o3 z<do#1<SI9sDkM)Nze{YS^`%Xu?WCQgU8F*3sI;#%NjhGdFP$!(BV8a}DqSPpDBX^+ zc0hVedRqFG^oI0~^pW&e>2s+~fH%fmYJeu-T)>L}hd|Fj@4)E5xWGYyO9P7oPX}HO zydC%pMq0lhdC;_=)j>~#>IeG;_Xr+{QT1`~&%v*Q9YUIhbPG|2WQI%*nH{n?WM#<5 zAv;2@gqTBKh3pJX4l{;r2)hZ{ZYJ}TiDW%wNivNrU-pq~B_w^1?69m|c-Qd6@FC&j zAV~|uKfzer*8N=ft0cFj_^u+H25eVW!|I@|O4$?8RFBwSS$kn8VYskJIA6F|cu06g zcwP9L@U3uxXoYB<=zGy`qL-ZPg^7EMlf-IqmN*++FMuS@6E6}k7Z-~+inob(i%Z0Z z#mB{GAe~pmx5RhFX7OWjmG~tzn4`o+(p1t)(t+y*RuUiylk|}ELSH0HhDk<C)RGK| zUXm-BjGp+0md=;>?*V3jqD8`D$$E)d@<>uCsgk^qyp}Lhd#RJuMd~VTE^UQ=5=gn* zljXPtgRE0SXNJxXT^e2zekJ^Rcvbj|a3HzW2!<}|Qc8@dX{N*{kPQq93=511937|( z%m~a1GzLzDR-77W4s;4~2?`796*MzwebDisb3yjOt{BZ3!CAp`f)@o-dH?<Se}Mx_ zakrJekjNIand4Z$+w@-3pEtCrXIos*W)e_&wl+4x#%x2!`lF}!vQgRD+uArV><C9^ zZ$}$@n}R@F8~ftEY&`p39ZX}kzMT#1xgXo+Gq{@nZeDxA@&&8Jx6a;L6Wpp~)1!y| z&XyEQ^44$J)_6z4L`7a|v}<ue^J2EZ?lE9+v7N1rt*z_ig%z(Rp6omHr#{Pbt~kC9 zr7|s)+BkroDMi8tY<)+&f%cBgY==b(Td>V2;MB}zFxkcQT0xXNOC@a1HYIeuW(}fE z`cygY+TiS#YaOu8%^dOFryQe7*q&`m$r?0k&Lad-^!*{V#q=cX$hN0wyJjsd(R2X= z21C4=2d7I>k!*+e8VW^1kqF;cqR+7R8p2i~60;&PHsry>*im(e9hhXT&be9hq&yf5 zv7;A6>GUvaah5I=;>TClr6!sx6yVk#Ut^L=pRIw_4prkdH$6pcfsI>T2BE|33Tzsq zgKeB`3v6tdUE4m3OYXCzT~p`l9(f<S4eqA9RpNO($}slW5x>M?ubLmro)=}~5w&OS z-Iyx#{t0Eqb8gr6EMjb*C;WV5&;DrlvFB4_LcfZ>5Y^Q1UO|y&kN4SS9k%J)dM1qP zxJ!8ZRe!l{(#EY%<9r-)V>bBDy6|AxgST_;4(={Hx!_js7Zb$y@|<5)nr23>tUh7a zf7#Y+8EY15W~jOrPCGWb`SDYyLz{nFI;FB>L*sV~+&($;{FQNHm;29qw|#$8*=pY% zvwzxne`}YPljP5rj%#x8ZsOWLKaPC)W1~$zYqqKcm#;52pPIO#Z?EX;)_0@pEog8p zeQN&5F}cc^^P^)YCm(G#@kHLQr;m=ag>>4ioAQ#K@|^3+_KoaY+BZ*G{!}~S+&Sa& zE4L^8(*5S6_<X<HtjN&`g6`l@&&I~y6N_UvYZyE2mKGD0PGQLM!?7?#hm2F4jJ0oO zV^eMKg!3MoYFk(-x}yu*ceD>;16WD1sF<DZXUVM4XVl5-&r4KYfr^UsLmEz=+k4o% zu+CNr?3~y}RBB_Y$sXgxk@cc*6Z=kV$Muk5VQY*^PEcK`Ku%upT^UJ`FE=LZj32ux zQy9DYD?Z5k<^7@T)?d>1zWkwn`vd(797hJGY#gwr<=mgzEvO%@eVSP@WFl++T{E|{ zp+Qq!&n-KGo4n|@YsJnsW%DYAE@rl0a7oyGNx0EzM7Qy;?~ZRjIDWIL)x*4qRFB2l zFTV^NQ`pIAUgS@=Zw&6<J|}KQx0a5hHU^DxYr3v~>%z(V*aG`?81Y4x5#Q)yRnV!o zN2FT&>tmL-ZIf76plQVapB_W}7-oe*?~GwluyqWl{+Gru%*K3Ac>miNPQsBp?jB$q zOa65nf2?Q_99?pt^QP#y1C6TJR?3}|7VcbnbGuLD-Y2xx)5DSmHg0jjzPtCEEsGc5 zI4sX=F#L4<^z0wYqx!gg^!S)})X_E9)A!7a==XS9(C1A~bbg{7QrSYJ>pOVuj+yIi zuXXEizR#W8if`VVB^thS)UsilS9v8idhhY#oAS_@{_QU|9n@e!&)1*qc&3*1+?J(( zu;4+;dDqX67b+LEKID;q$NaV1hD%@Aj$fOzaJZ`M@q5ODk<+`~a*Cg`V9tlWt8=0| zreED`%(>ZUxTt7Qk@(OJ#i_VeAtz4!ByRBauj|@Y6&=3u+2Eqk@9Z~?ciZj0!|%(i z6Nmd2dOE#oaA-@vWlncoz4Tkp^W(U{W-vIF#JZ61bHmOShOCwp@}Qyd4@0J2K5MWJ zCk*g3R>gL+hB3f9SjMQ);LDBi9D^UenZ;>nZlDL&q_v&yU7J>}k^B82slSoFXDati z6Zt7rdNz!R>u4`!#jLQ{zu32KZc+&UkQ=JtKON<wI?65fq-I^C-pxCF6aVc1#e3aH z1srU6pY2FwbhdBBw#@%)?f331i%G<W$qn7}VK*ke@`F@1Fn8V5F7<S+c7Nw_tN6+y zyRFmvdaPL<Vb|{Vg&*?Hc1m~rcAscZ=8-BNPlfnioHDcF{j#)1&mGoFGbYYzdGg`z z?{`1EEjT%@@%fL8xAu+r?oeRIsNDOxd(V5>3)XG@wa@XHT|aD;|5cOMw?|}a`;BT8 z6C0^*xbvr=<-0<@tv}B7b-TPh`4hHjs@|;J=hD*q*Y}6lm#r9nx8<2;Q(#F9YPh-U z2R?UpR}I@@^J$BfKK^lSZ@L{Qdz-tcf7$e11v5uh%J%eMn<w`6oACK9LH%aqD#o-P ze$l*v9qcnJuKVW~-#>jM+$~*^wEU39xa~yyu=f{~mmO?(-QL6&INXDpI%iQ+xo%Nw zlfL(I?)dV~h)Z7a)9b3K22fLz>ZpmhcwtMnIe3nxMnh<0y%EO%f_S6SPw35dC47Ts zZb@{wrxHZd)nk0^t#;*s2_LEfD-2;*whJY;Yeq`|zL45vbX_5m`&Ky)Be<1_6l;+H zEW=n<ij@c?t~SV;{xk9{H8%M78ik$NPCRjKYKhCh!GS<5;IH7*0_ootDAzMQ0-7sF z<eir<wO!-zQU8OdBGhLF4;C#{6%RacZ2b41zWs5amniMN!vEMWs?wwPbAC=(zv0k# z@lJOKJ=Meu+?6}`9QpQTu&y#AMC5a?v7$10`&Z9CxjQ!cs~g(;%D`8fhp!nsdaiEc z!!16W!#3jO6gIl^&5O64+4<w<%geuz-kY4J$^6+pZ~5$rY~`bndTCybpFW<Q9$dBI z?Ar034aeSltKTwq@bSv;PO8tn-gV@~_Fi5e-qP(}_w|{ED_gXvQoQ{(!m~-l+OLk6 zUD>&6`?Q!@8oT5hg|{#Diumrp+8+`+M!5f4T0XC7Y+EP)1&>>+<OiBRoi=HUU+MyX z%?FG}&iHFq#ij<QQvWo|bHmnyhOJfq*xA*rzVYkhf4Kmm`3EWog2r|!_9*T=y;Ge9 zh=JtDV94Ok)(mQcLe8x@)YkH$8;7w&Sa)j}y0MidJEs`y=4aWORJPOIEvZN))=lIO zEoe0ObM+YOs44aM)#q0lrjOAS?|3=qK&ua&9(`l~j+*M*;FmV*BZhByPcwr(BT0|C z6uILGzqk_ciz`R_f$aqh>r<=9ZEadw6*+x{{2el~bT}}}`@^8ME5M4aLC2iR_51EG zaCqADSEFIW=r;S;F5U4({<2?77GHVU`QaIbLxB_X>7sL;f|I`Kzck&ZwES7p;UP_y z9=frk$%8e&T<)B3F3mf4)bNj1^j>!$UefbU*Sy%Cr%zn=+F@#YOmXP<HwXG}+HJcq zB5Bn4Rhr-5O8lzY6lFB%!OXhT#eefO=LbJe^Q<a4b$Q2>CF=rxf_}WYB*|mP{FZCm zrd?`r;)~NOKAkh}&f`s`MWde_84=Rr?x=Q`tM|MZVzT`rvuUBY`nb!8C5q}@P1IAO zBg#6LK5O@puFDxCGd*$4<@1i6CfHp6Anv0`h0|ciBWaIrHQF|`n@!s<mp$+{HI#R@ zpEKZVzk?I{CocGS&BwXMj|x}+wtw-^Gdr4GU%jHFx63heaDbQk;l}K5k5>!t?jAW; z<34-%kV!?Kem&>l0Ab_y^ZgfZj$NJ;@X0d&f#)0U&9%EXb4#;x`pogCp5^3~^u9Q) zLx<ik{CfHg3#jmWullB`bkd^qc(Exv%I&LsX7G&3&5l+M?ER!-js2a?z9IW}Y??K3 z*XG7=o_MaRd>+xhYW-=~c=nd^(%u100#CmlKG5^<tV4?Ld)SW~->>M&g>7ZeZk8{9 z>6cZ|BcNb<{)ruvY{yrPZgi$SyZC1FDs%j@u-$g^yc3@<Q{+$G{j}}j&t1Ap&fL28 zX5G9Ijj|>$YSvHGwtD>sBTP?Mt{-xmEpTiLU2kX6^O{Z0kuw{QJ(3<CsJ^=Ce$^jD z=Kq!=rB!MGEcO8`i`x#Q--W?-g6zaP`W-t>+Q(z&aB^|%hcA!lw8EyWD<SH+)bF9f z^-jGJIEw~%c4?EyealCXWO+G=AeOF-@|#ktn*XOnY=P~c_o24554FWU6k}}tXG>3g z;<zY!NVAstQI|Iqo@+2?%;Wd3f8Y9W>^@P84%6?ad>B(dc>lFQ>XI*WQ*BE|BuqQj z#`a;~yp@{p{>G!j(j4!to)j><{qXM>>?{r*yy?P|X}*dlfrEdXq+QqdjnkmaJ)eCt ze(2dBB6hd_rQlA;<KJhstvFa3ozcGc<pWE{Z=ErE>#1RzCwgD^emiJDd1P^LQbom# z{cCR9=#M&_3UwIYw*Sx3BU{=j*lzP$-CUQws?EGd-)ax_ep4v^w)0n|xm`z`dmB^m z{NrIWMh`aLoLq0s(rLHbOl#^h$E!4G;(F!Pluix1L=4Pqy|?3lpMTu)I<}7_<lBhq z5gD&bCoJkaH)~ONqWJo0lh@_o@*9%T6L!5_)8c7Do32&K4UVoYUw=aWeq@skK_53Q z`i4ywHV*xM(<%q4*IG@d4?goeJ0f!+TN&R}ed1nnvfgvS2+wm%mb$$-vg?bh*9z42 zMxXut!lIP6N4t#kG*7a9&~J~|MkoIl-u>rZ{@O16YV-Psa+XBz-!7cCqNHqPAK8!T zovuF!{N~GR1Lx*v{E*h}@Z;FtL2Yxt-LTc(V`)x{0=wVx#UpOaZ#D9#;G+%dY1cP9 zKJ#Apa&<4A%~4xT)vN=b8p5g;cK+I}gL|i~4lcrlp{1+KJ0@L;JJGS}{hJR)TsbRp zi#z_|2OFzOE<NjTOZnm6b*F!toLR430(;oTI?b)dG`IZSX$~v%f1T#Y-qXIBJ+1c1 zAj9wCZ_eqRRl2F){eaiwrfrLPf3|%0rT*{CAb&Z<WLoDe%ye=#<v*P1{%ZaIH!~eK zrQ%CdVoa<?Hh{?OXz$PZvfjmAi@Qws_}j@Cn+AHJ0_DqKJ5#=<_U+g<HS_PErZhH@ z5((_%*q*GDqhs0>7uf08P{#(G!EValKpR{8|HbJM+kn&gjTa|w)%~<P=z6>Ipl6i{ zx(T@+GeYdH>_}>o)BHo1VQ-suy;OdDgeJd{aC^vc$FNnx4T(=W-`tzSwo7gjcYMgG z8%v@iE^J@D?1IZ;-y6-+QiBGRcn-a|f9vOyx2AZ$U9d1NYxJz}dM(+^V_R+y?7g*I z-Fe}H-eK8$!g`H)II`80Gt#A=3*2Y*ugZ}}?kR7li#gr4vDWV92%9YN;)E4bmVR3* zV0J!U^U<D|`*Wkh28XxG?UA2p+B~<9sK}IDmEO1BsCkP<R^0aa_4{Va)Y-4sHQ0KO ziTglSESF9l7-v7_bJ>Ed=Hth-Y_spy6`R#Lt4*^DpT?iNHrn-7kKfuZo*XGGa7e-Q zFx(c)ttqqqFR6c9*T0&U>ey+Erz~Y#*H}vH+X-E2)`_s&vhC`G8VDO<2VHB`ZNd7~ z3AqS6u<eT5;4Wz0TMYusO#<9mVf|~Xu@}183vPGZ>e<!4Nn^WP+07@+b?`gidX@Y_ z<)^`)37#e?V!ZR~PM|PQ+85X|X^V&4In{X3e5TXsw!UeKW*+D5dOj#!6nuV$ZF{dT zODa8^K56^pY0C*Wy*DZ{eA?_4JT97D@-k-P?vgf*v@5b_F|&W|-{f`BvIgB3bpELR zs!5w#x1ad5N3#8hkAKXs-(<;>eJ<-J&S)6ncIL;#J6miLSBOHV>Utkp7xHO;^$=%~ zhOJCt(!ct0!?W=5E3SkIV|QE}(Y^Wb4_b&`yN_>cACulJsS`Wv*T+pCZ#m?d`ty=| zm1(UO&HSotSf6e4Jh!-X?jy|nZ14^B+_<j~+`8y=bX(c10mB#eP83!8d=t2>y7a@9 zpT=};-1$tv-9cNYR;)d^n!P;h%ijVf=1!P*=i5r{o{}p6#Hn{$I(|23bKI4CpG=;2 z_mlDC5~n)XpEY9Qj?*f0@6P5XZCwX_IZZM1p7XkvS(2mMcjWB-b;69O%oj%lA8&oz zIW4Q9z`y9TT@Su$vD1Imn<h6Ju4yl^>$E;;#klFJUz%-w;COG`w@2qGf6|8x@^AP1 z55Ahr?9cD-w|~>|gO6qpDp~dO(`E7{=G0RzzvO#g73HW-n3s$l`(CH!w`N}nvMXuO zP*O7P-rNUcnz!nj5tRKlKkR(sXCHp_aChU=QXl`AW#43X?j&r{#Kn7{Y<85o{mQ+O zC0<u@Pko;d_g$+QYr3hgemUgi$TtP$Z~Z<_$?v{tf8&cCizT^R-@9*IIH>usqzR?n z1ZxXy8(?ivuU3*Ag#|V*FgaAwFw_5^w)xq*{>kWA-_gOlk)3TD2c~!=+p3l@J7I&G zKs_4_B<pEJeFtG<EW%*t6$P>qHb}@0gVwHzwHLzB99KH8OL|Bz*RL9!`zE&P_Rba4 zg~$Fh9Bi23XTlpD_SZT3Onz@hN$B^YyZ){>H->$sU%az-@RqWf(>H%pU$9I2`0f|) z2ep5b@mZ65J?*=>&Ydtl@I~I4<_X0^w{7=LAJx-S^Q(XP)hXxa53OkD)pyCGka4H( z`hS;S(OPivQNvf~D$ZVd>exiww9}y_N1Mfc{(D^ct_`~`4qF=f<E2g0vqX!V1YH`@ zBzlVL+^!wQf83~_bBv+ek<U{izq-(6dn>oHg@>;Xv+4eJ`RZkH^S<~0Vd~zBNliYx z+5f`T$kp#Nu~nz?c7(Y$yuD=ij+_sxkNFoK{QB^Tt$pgRo%?Hs=+L21&yuEhl|jGy e4a#wH$vyh}q^cJ^zhj-ui{)K=e9^IO!v6rNaCL0} literal 0 HcmV?d00001 diff --git a/venv/Scripts/_contextvars.pyd b/venv/Scripts/_contextvars.pyd new file mode 100644 index 0000000000000000000000000000000000000000..658926034e7e237a9792c61dbb578e65c2b3968d GIT binary patch literal 19608 zcmeHv30RXy*XU$nUuAIxi3sk%o0VNah>C)Optyh-l0brxU=}tvBw)pewzyQS3y4;< z)=w?9ST__Gv}kR$b#HNxVwGClS~T~}n*hQ3wcr2$_rL#r?)_dmGw+-^bLPyMbIzQZ zH#T<qhlqv{qC?W_5vqd{KjCEl*O?;)A$yOn?NP1OxdC;Qm~#UXB~m3LM<LHp2(lSM zflMY>G19~gg<8gt${0}-6ByZYk=WPH&f3dJI!vCvd9J->Q%6$de$rF`b&164oT0Qi zS4h_F&dni9Te6IjTAj;>x@DFDZ?3&n(^RNONfC)3CABn`FPm`xD5*7BpClDZ@L2zB zW^sIkVkl;4jU9VN2Tn7h4zQuv+ao7{FbvRPE>Jo`BFMTU`A$X1+|b-vq8tE#aK~s7 zqM~q+7<9t@I!hxNE<#fQx&%rQZjOVYtnrKSVIj1(FTBq}s5gw`$V4cyqwPJV1lq$* z;RHe(OzZEw`>MqGDu5m70U72G&lM|$$-{ureH9{sN`TOhR?q-65$3TcB$Fo`hW0g} zq28DV0ATW+vV%AB2}h{jSD{o0p+?RX=8SA1c|tOI!ZAICI7<$Qc<xvRByYY@nmpkM zjWVhJ`}JRtfZn@=K#onF&%5<0Ns{L@gd|zv$WiaQ1aP&jniH0#FH|$Nc15@vx(sqX zMbE`G$z#Z-=r3zd*p}88SQ=1TJgZh=9Hi&sQqpFM<EFL4Kn+E&w$(<^<F(<v^%pcJ z=&9`bnGIDR8vEf=f|%WDV_?gvRPCvm4SH{q3vbMzVG6-^2v~lmrao(U_D~B`n5=!Q z<=bj>NX6FZC@Kcddf?2AT_4^;=yqBn)MBP9fx=;beT#=)?Wk8<>Ux6^r?oh0<~t&X z)%DO4r=x-uPfIy&i!vQ0H5}xq%dkTz6X~u(*J&m74kh0~AKe8Dux9?9FDOe=9%#hv zNE6x~36|whdJtMqo8b!3K{_+&RZ_2t)g1=a*DVDHqT2zPWEY-t4P-i*1JIpTTCX0e z`y7Y@GDETzw^riTab&B3AT|!xbr|q8zx}OVuh)eFpyawbQkMgE3M)4fsXV6WoWXd3 zQI!kGJd+Bu)bh0F^{yL$oc>3>StSS#%fw-6$^*Unj!uTr8`$-_lfYp^riE@O5Npb` zl{DhXX9BPacPXu3AQ)SX-*lH?0!#RJyQWQ5PtYv|-gW!UAk*6*r12)j(ZQ%IFq(<5 zz}@j^BzKsH9=crUrdQw9>9BM$7hy&&ssXVHmOzKOxC<n;^KDD@YKOp3%)>$pcKt(p zkT7NfC<VV#S!?uEm6<lhv4yYY*284swe*GBtc-uR#VsKT%b`;W+SW4l-O?8hCC7m= zvQ2mJjb7gg{;U(cA3Pih*61l}4$vbK;_y5+0X$&}ek+EKRd~EIesgKP%8`U>8;t^= z++3<xnQ8Pi^>o8H30>o;#uyj{s<hE9{(s`J#Y-FeSWAi56Ou=cuy|NyZSjzgK+KvG zy&JS*9s32$#3*L%DIEm_)d03IrIRwL|IW}CW>5C+(1e*-#{o6vVST$^4=<YewiLCQ zt^lm5Yp6m{G%$A~F07&J2&_kHOT8-rFA^&{s@J;?f!8>_s}~e0c=$z+y?{z)FI@|) zCJ4nWlRE9((CV59kdob2oV!-y+<gPixodGAx(f32Wv=yPVOL8Q?jMqc*)p>5UP2Z= zB~WZwVO9r)mXE4;ktMx)50vG6%j!e8UU~y&b=vF|C<_HqP!(>hu7%oZvl_@T->1!X zk*(NZ>x^%i^r^G!(dnW?P^V(8CF@$!-IT?cy@L9&W~8;FLp!cZPQaXXw?InTd*swJ zEp@n`Q4DSdF<|}0V$jA~{+|}ZT@b^6Z1TWl*%CZ|!`#fe=C<fD!!RG0|GD`z|LuH0 zk5R5QcIj%mMr@0qZl7xbyTjNrzAY5t)p)Uu3)?YQ>_=JvsXe@m-ws7E-&W}gr8c%* zJK0fdyR;0pJm}VP!yuKXz=m<fHIH31;x<&yZ_|ihAuxm9pb}dCD>lCkXz5)!P-Ws5 zWOym(KL#W>5~;O3ww=v?%;vYVk705KMVpdzbi)1cgGX@C9{jC}UV2_VNLK+KU)vb` zt=i(iL}+ZW2dK4Ok1+@xYj(70EF)F)<#(xNq;Af{W=LAJlO_~<C#1F_t=0wJ!C_*9 zmNddHrFV4%NCWw<J4<@ux(fhrsJnu5-BUd5Sh~iNUN)Ald(cs%LJbd5g+M6UMmFD4 zbIapmBdPWzOw;U<$(T00QOmcy*vK}+Xk;VQwXwDsQx^lH#pw#kF@Y4cOwo=Fp*1>u z72#4I-<x&;Ud(5=4xv2@{!!HjdIgWORak3BS<*(?1~)2fHOGep|EPWhp#%u-c+2aD zTp(p21jaV#K<spc(gQ8kZY0%3fjIhCJJi|0wviqf(OXU5LrH01)u%Lws&E|8FhzF+ zb|dJ@FaVCAD41Iuy@eipK?Oq7o^5s5YY#hhD+{8RJ(QUZx^hDY3*7^7$t}Hg1yGOE zZHF9obQO(N-=M36${tDsL=YEXkdpdo5NI^$dH|~>^=cBs5F@B9bb3H-`2~=5&*4qi zYUl|w(s{!x4BUrYQPP{oy5N1NW0!%w-c7IWts4w@)24xJ+hC6d4s0dOu!=fg3~tcX zkW?H>m{4MdR%7tP6_CRin)#MUZE?zs4wI(ndf}a13N64S9m`0UY^Yd6zv;MN%R?+a z-0`t(QRpie2B|FeP#!LUSx(WaaS&;yc}r0*)JY7y41#^m)4)#!Kyb+8AbE`0(-^9% z(X9HG@uc>YtJ{)5gN|bENj1_m>O0h^4BOQ!Fs*IdwjIU&4FKq3fTf-?!`x6{fv`zs zn(2~Y#hWrMC6-(mY%RDjZ0&Uh^?-RIM|Db72o#I(`Ph+Elb8brHCY0h;iw)7x_JP% z4L=qauZx2%97k-b!J2$8G;e@$``trn@zC-gYZ3d*q5vRU@388a_88uzjR>rIod5>M zGSejj0#I-$!cw<l*B`*T_JKj5MWJ{NkjlIWJek@F@Ax`E$7M5=)20~(-(h=ZSV~}i zfN-%<^GXkz6bX1OHU?o2$9-O2nbxoV<%NNK%PtcIvo*u=BP|#AGf#QwXc)+_F26#M zgS815#)FrE@f+w|8Jp5j=K@UPCc|c*0K5Ggz=ug0wz*82?ik4ZG~KHSHpFsrKh6Z> z$O0sYD9TEgff&omm*9ML3C=eb;rz>aI6s^ZdHS-|Tgjq)Em>?-kws|^S!~N9i_axc zY*<mc0SYajURJsaUdr)HCA^#_$HftVHoQGEuB`M!vb6?tavK%{dH^%0`85!thM(r| z0*+A`zgF*R3tll3l~2{byk5?)0fjTnpzn21vbPO}FsPjW3OqTEgFu&UAriNQNjCw7 zX)`+ahN#S_a{eJaoDwVE30tT^Crjw`f)D2tbBC|^k6UP&)>Cm8c0Jgo-jz<0RB<|8 z*f3KU=HBJPoHPY0`&?Vi0UeBrR5b7%;BzFj{@AhONDVI#cDZO#fKZv;toGLAJJQr1 z+HjXphS|zKs(zsZaN!c_i3__>6uu64V%Mh}rz4#MaNMNvw#3@lkTB)QT8PCD;w<<# zWuGMNNC<7Mwci?j&}Gdjdhl<Ghp97XVBAWKi?hGO?L3^qi^RqQIg0dfO9Cqs<>gqG z<>gooX?SzOlq6E!VIyUqj4KoC^y*izJsT|xFAu*}RE_&RYtY8FieNj0XId(719FXj zX3$}9lg1cYa@7$69K0*(Zo!&EG@a7WDXY$n3c@(89X>d*>leND1>Ugl28n9CZLv%= zkG&Gu*CVam9f3}!weAg2Duokb7N#g}g@cL44mVNRXQm{Tx#K?N^KT?LY|;KUqs*c# zk6t#>l6|Hu38Io4+WB|Ek1cvBQ;D;*d>vOR6Gy|ewESl77_m$ZS_iwfp=)`{jWQZc zzD!BCIc)>3aJ*$%f~`6dsCc)A=^aAr%_&GVFm#qV6{*}pb8z7r8fQ*JDtiDzVF5rI zQuok?Is#9cZz*NuON+S?Fux5#A>gNd9xKygD*Mcz#x)G7O=*7FfbV`(_L^_0MjAA2 zN^9!O9pEgHD%~)D`e`#fcR)k{N0zDyxNuaBVV`lJTqxr|E}PtnJ!fpIrrBKc%3SSR zg~g_6v@~=CHAK}I@}hyEa?&(13}A3o1~9vxv^NkC7*L>@3t-}f(tC%%(&@dU$UL0P zMPxpU%#+DnMdtZro<-(U$y`F_F=QS`=80sUL+04%_1@UR^xpXNqxbeAa|W5?;7;$2 z$Q*}%dT$&P>b-IBrT2Cub6YaUen9Vy?Hx?l^gr+fFunic(=!mET1Z<UEr*m3DH+lz zNbLa#HA8BGR0nB2qy>;hKpTEs{1F-ni315gp3p`>8V%_Qz)B$HLdt|>4Y2Q_jDvCw zlzSlIr;Ufu4M>fU_CeYJX$d6!U~@9O{dJB{Yxoo=l;;$r3guuQ<W(l>c+V9ml$b)K zvB_9Y5h&meRX$rRdxw0--7nV0C`c|WNWBe69c^%GMfeJMDzr^~rwu!nA<#Js+Omvo zl>qxsKQK2(mf^YxyP9rv@OJdS@d5XWCM85A9Qbr&gH}0g+(GY06+LgX&BVh*1|_HF z$rZDcImyc8xX3iMG)t76CzY{T$)=+A%@L)M9N{}1obZEXH6}7K26K<^n92KQuWW<p z3B%pAuM}Szdy&2!=4rU%B?w`9211n`^~gzyUQ;6@FwL#qVGzqBRMQO>P2%n94kPjQ zbc4l_c(vVOBwk%NSR#pcs5^|rs|Q#d1?FYEABXia@K4sgl=;T{aI8y3pc@7}ufoDY zQ5sASt>SdxtAt+B5#%_qj~Z!U*mQE74W_U}10L+52o4KC6YvrZcyKR?aGdQ+4(yc= zuZRH2PQ@^>ff@X*Ar99KatF>3x&knlE*Klb9s>-2J22t_WrK}Q0IzF=87wv&)(P4= z?*1#Go{w?Tl%)OP!CG-UzVr7Y;0p!R0Y<<@o)Jd!fZ^{x_%;*6E*Q&>y1SFX9y;om z-f6FTr`@!Fy)$zB84{-3(f^7`|2h4TV+kbOZu$TU$x9l@1(v)sO@(?gq*;&{&`Sv= z>gI)fa|%Q#t{_?_Ri&Dm4EPD7&%-^;!8aBW;6qGcQvntNumBTSasYg*0vKMOj;9g( zW`Mo#`M=rM7l2s0{BmkyL5>)yx?rT6HbC1baRsq*kvdD98X*!*Ov@AtRS3Q4f<`LD z0+kpvX<k?V)JWJHBGn3oSf)ZnCU9~flvALR$YpGQUr|;TLf$AfRjCrCs(^`9sVrTd zDiSMI3VA_lmQ)F2jYZkwY^509xF}VeFBIpfQY8YJC`+v1z^Z0v%VlUv<fO?H5~E}J zOb%h78i0V7RHYItvQc2yd#V^kpj4$;lA12fg2q(LLLX9V(xn+{g*a6vP$=YisRBht zE;%BmA{Asw3p<;{vRtV`F3ZM~Lp%d*BZgci&Ie^v3DUB}uv?>4g*XEy0pl23($zAd zN(vl%;kk%~YL&R7$<WCIcu}ZQL8L$k_3x;q&QVK+v!M$BQ7?cR-ZBxMpi~CvNRT7- z$yWNn4&eh7eBdjvN}4V9$zu92eGEd`W;R)7kerB5$`KeDO^N{_u~~vx^-r5!sbj<{ z<ATO1<U%pHm=d$Zj<GvHXb~-1X{^W<qd_r1qHzkb5{qgyJzgzV6vT-Y>2gK3KqeGN z%7I6*0`>ee^=J|5YXVJ_fR>2>i0)x%LIKD$I}xTAp@a#D@f&iZL`juc@CM`<X_`Wy zD2NnfWhv228g>GPMM{W)6&VZUP$6&|B~DXkWQY|VTsD#PRRV=dof8epn1oaqVlaWR zq}nARG@d_c0zZb$GU(d-tpEKme2ciZ&(Ww3pVr~ejJC*tAW4d+fE{=fjy>QHj^`)_ zVv=_$n#Ny4yx>be*ysp`-%x8GA8YtxMEc2h``iGUy@3`Uf5dxezKj3w`hTYcXyoq} zhQRiN7dISA9KJ%#Py~g^LqTCs%XtqR>kq^oMJCAbO2J1!92*otVe(KAd}ZnU%}G~- z0p8dJFuob!SD@B94bCAZ?EzEZ9D`4R#s|k0e0=<S=LreR&(31xiWN$5HKCqNU&50i zmI>t|sVpPZb8_Nnp8!vWQUzuu$N~=;>RBLGdWMa(vknm`mE!EQtO5oQkSRkw)e2dV zQYaB;3zR<DQlUbwl&7nF!2Jgal-a(yOiu>56lpr_98*k315yk|h)SVWs<1Wxi`3Yj zWIyPs1Q)H4stSyCfGEUs)G&%z6sM5pg73)?D?1xaoB5=7hiS)%bH!PVES!gW3Y5{Z zTsQ<NJQ-?fgb+K@P|tKhmQw8L*GVSC@1GA6;@6F(5Wmj3k=;W;A~^z;G)<ZXT>t%a zyP;z-8kq<Y<m6;Yg+NIz>*7nP&dHH0VD9kKqG(a5=Ug$1U@|#ee;+27!}H;=g<Ky2 zH(l&Q5CI~wSj-l&(~0?}Gy4+-HkZi`NDCDBa7BSYAw5mx6Ch@Zd;}~GhhVX|>49v) zUsK=+Sm~?)G24gBP7Czma5zk#G(n)yN5l&haReLzPs|SZYYNPCo<C3M&+`crL! ziyi0_$W2T031Ewebe@P13H<+tLV%b^_ZKi(K56M`Y?y^Ozz62U_2C4hi@1b<$rS{e z%p%0^UFnASbz2C-Qko$B{X&vf(51H!1&HK%O4!p?U}{|&8UkjP5hqYdBJu<ZaR*t6 zN|h7j=V!Dp-%k7T1+M%OVx#?FnR$Lm-D!G`1l1FV_;sV$p+0`^W8gjW7KwAjG7-3h z4hswEfT$vj9-vG8I($MjbWmaS#vx;<Ck(}Ac`{^zY^cO`_y%7iyS|ZRi0Fg2ScN=G z>4`nU`=3rf#q%ZbpC|rt9X3(9B0?dQNL3K~LO>JhISg9VX<#4Y#RX)n9O}vAg39nX zOb$mVOlOMHJsDX7S%zAWVL<ON?hwEC&#wzkN&+O+HGA->wKNXoQ&0j*g`AHj!CN$% zh$cWi8uHQbj-SKyr*E<Uw?H)XoVKR3#QO(+!2OeZ16eU<F5t&0Ku?7fNQz`A1E@(+ z77_zx8A?ZTz-xsKg#rhijz11cBab~(P(Of20!}vUPXfR%0B!_OgYXxgIH;?T1lnbY z0b|I4o(kmwh5|4cFp?app-lu36^x4U@DmO{Orv!25e2wPBqaIE>4w*xKIQ|{#e0>x zN&hJTQvii7`fTKj{2>v5%R@GRi|48$@npbDmdPx-j}e7p;153pWij-Nfj${z4?KDf z%oj^B1Lh2YIw_g%Fb3SXG7yWDBoq0NZ%p8U@t=~FFZBEKxTa$efH4YqoCv&$VUE5a zN4#2p)sqP)ra(At8Mq_hhhTV=37~b+|3W`Js}2fy&10djFUVpX>H+eaXp|4uG%V*1 zUBfkl)})dg8df78q?ijWc=dcq>58!E;oSmg#Q|Inx}%03Dw7rKu6G!pAoZa;{<~UX zsuNMrhXR&{NABRT%Nh`z-moPlLMzsJCCsC{{=$tbM)=cXjtrytK>1HEU;fnV-+=#T zBmjZ_5(@ZW!ig9HJ4`4MNsK4rh*?AiAtzKs39*^jPV6EM5od^Ri64mTL^v~xS-@P+ z+{~<F9%i0p+Ok|&p{y~ic$Sbgm({@ff%Tf@#Fnz>v$wGKv(K>G**!UloD`0PBj>E( ztmb^esp4$se9o!m9ONA5oZ(#HT;}}5xzBmRdBLG_ZMcryo?HfZ7&nMJjys(z<gVdv z;BMj8aCdWSxd*w&xo5Z+xR<#<aqn?|;XdcS;ac+Sc+Na`-e6u3FN~MY%i<|``Md?Z z5}uY<!CS|x<Zb8e=6%UK%sa_D$GgJ2$-Be*h1bh}kpBe#$^N<irT)wPKk@&<{}=xk z{uTkw0UiO~0mB3Q1409Y0eJyS1HuCD1k!>yL771-gSG^H8FVb@yP(@auYw$cy@H1a zGlL_8V}m~nt_%J-_(3oV=^Nr15)_gW5*#`sR2;fKv@Y~j=-bfIBPWhb9GNk4?#QB% zD@X1fd46QSFh&?ZEH-R<m?TUSwmb|R8cGJG@+5{6Y>>Q$SW0|NG!RY1HR2BO0$iRs z)0XMP?9J@Y^kNQULiocBVUA*sWlmrwGN&_VG1FmP6wG|)0%i$wDf2_-8s-M(7G@2; zWra-z$fFI!38InM3a~xQdQLN^orAb;AZvWkbAk2|1VqV15v=(#ybb;P`Tsxy<i9DP zQV~(ycbU1>u*G8+zqF%RP%Df3&IeEdl|o@U5O(HPvlfq~h-q{x{L=^`+1z@#IfYIs z_NP+ll@o{<qL&H8fv}=cP$hi}wFnW+cly#9Z$7fzcCC+9Th;J~f1I3=awo@1^2GYY zo@MiP-km91-PTrF>{3Y-)1E*|s-#gVRI1~Gl`VhFJ2he2qw(wWE}6FnW12=zDQ3XW zA}!N~urjAjrkgucr$;bd31?ifbhb^x=VFD75h=(KGhGNL47PB#iBc=l1aN1Xl_e%; z2T*Hg^F)atPbFr$6a6rnjkAjZz=#wpRMK?g(Ua*xxZ`G;b5CP4zUqSugX|nQ)-WO? zi2l9om@FoX#RO}DXL>I?IIFPO1d9y;dEj(nrU|o?6FP>oc6Lc9fC~eN=oyi61srP0 zlP(bPH4Hbnvl$P_Naz?bL9ED?!jS-mX8171u!v%cr>THo!Dz)42UuW=HMN*RL3?+7 z5uG^xV>c)3E8Ybkc_s~$->4gOB2qc~_)*`u>3_H!&s`o#@s6ymy3KFXeKog1)#Q1( zb`_$&jQ!<k?N?D=v(KgSgTIS9AL*p*RjifP4*zCd|6PiHgJS1+>}B5kBVIsF_;ly< z=n-c5{B3?^=O3(l@OIhlq_EIa6*tDcn#;ahVEsp{dP&3v{YhH<x}BG^Hm{U^ARekI zJwD6jMB|xYmuvNlT0QJkKUH{scJ}2Ts(FL&zZ}<Z;r512KD(Db`t<(J!9C{-Uap<f z<IwH6s`2+ye!pkGeZ=OSV#dWQYjlnCwoMotrSEe)%A&&NvZSOaB{N^dKR0Xig2ZFa z^G+80dgj<1DrhIAdeQI1qL<`Sy4%xx(p^&5KbIvpHL2ELx;g)8*!9OTMZPx)mboP; zx|x{;g+d=hcoCi*b%?Zk8jq-Qp)$u;MXC-yoRT``?o6TR>6U~!6!4D)h%i_}cMp01 z!6P`8tV&|Bud%aGk!8}?&!ADJ3KbdQ3pk`cyL;1Z3F{6HXqJRMrs{x4qJy276GL#l z2YmqHu@!Wf*$1qWR8&Vykkl6+7QqSdA#KvcerSspA)3`ED+-=2oJQ<?D*5vFJ67%o zCl;Hh_@{n4X>-r=M{X5XQL^XREmP+ay4TY3fl3=E`IsHM1ADw0w)c}geH)gyOk0CK zKW`hm?*j8v%j98&?Y9fvlVWPby&o2Yr+KfDoj&cKsTp9oJmS&Kt4U$*dC?yX>uEmo z(|}A*r|S4Vng#obVtO@Lyw+&(_TRPzG`>B`mC>(cuI<-1&QzhX#s7EPkimutW<WO^ zW(9WGaN2*!hT+=CuoA=n&W01D88Wc~+cD>F?RbmOCNQe*;K1!s(Fg7IRjmT+gq3^N zUjKZA!?=?&{o;^>$qugP>0!g)>{zqr>JdSK&5ScKi*xTaM~?Sg{p9%Y$YYzYNNSgd zPkd4uaG=M@fzL!!TU}Z52}xDEmu#h89@hWd_**xHKlCbN&Db+@-SnD`L*ndvJy~;I z5X_Hv|JG@WO~sh@&vw5^4;`~BNAaNILFzfj11B`1RecV77v0i*@44;5*VMwQyp=P= z4NrQh4n-^;cEd7eS;exCd^Y7pc}RY&QRQ8?pTW{j(XtO;6*fk13_5x85!>ebU#t7I zX^&j}B1s$k6McK3=RU99zNd3e9+{vSWci29;T;p#S>AFSqS$%PV8_LjB#=}BVT+ZY zG&?F>3G~D@Z)_TWVKNp)gtEh&z`!#IF)^&84hG)eXrn5n4{76hN?)bXLz9N?--%0I zJiH56AQkw&gX*VJDt&|kpA43-P^=(AFmoPsF2s4vO20}U)85!2{6%kY1^=p*vrL@Z z=u^^a`*AM)e~7s@N!TlFChw5leZm8?F_7My=vnlB@7H~og-wKl@`GzX8irz8SELdC z`PC(ZE#$rT{p5Y4^3p2W&czeFH?I$;x!pW}r{J3b67y^OS+&_m+eQo$vhPNVvhD6S zWZ1tn+se(FSJv~?!+k&Rdw7#^YL3IX)v6o&lYctw?-7}QKmW^fL+Fg^oxhGhv1I5+ z_C??IXup}9E1Njeo<BN5X1C{2!1}#G*R19^w!0P77R}uyZF{p}zirRqzb>3%75d4H z+da=ZFM^wd0K1x@D@NSf*EW3z<sYsaM)*bdyY6|g;cfn^_=d%Mi<hLdhStVc6|jf< z&OLC0VdXrhC9}_rZ*|*<q!DG&VF$ilc;@IxPl+&L{b8wU*Gcz~g%!;Whup5v)kLw` zU2s!PMmLr38CjL^^AKx~-)|*f7!tGC)J@rdo0@OpCZc1QJqZ_(IfNQ^;Efe3xCUgz zs6@WZ;lxl3w{iANz?b`CMwB!|suE<GL>{o=gKK~YgE^EKjFD;1I0P^d=@y_cBGm9L z8-F1nBM~mdB0LDg2!acd2xweal~Dg{>={S2`TG%>1Bn3!=K6LqmjxGx3^v2?p&kcF ze;1%!$@1p8h>{D=3D#0Ko2`yN)EJ(AHYtg<Qd~Lt;PJwr|MB+T<RPq#`$E6tPsR1e z?&tjyyLH>)pJFU;PkAnlVR(u5)E>R|d!W2ED~L7Xu7j{O@$>Iqe0F<w)OS~9_eK7H z)XdmCdseyp(}z1o)P#Jxhl(ijb1s#;&hEKab8-FG+`9`hq}jiC6|7%6k7#`yWRWq% z;rWxLlEAiY-&7S2vYUPPtzyUQq!X<_ol0+N-+T1c=VOO_bVI(c`unqX8(dx6gm15f z59$$K_1%evOM5ncUdk_%(h{#~ZeAE0{?oy#JFy<&Ucc5iFLxT<&(g2rNguJ`pv&{p z`8#~mD*U7?kau3;<qpS|4w6dy(=Jb%tv5E?4*x@=bw=Nz6v}%85WN3@%K=3r23LAl z4qQCIBmhxjJyI&O$h&oAx>6`0V~+F=`rsR<6H^JVjym|p-p1~vV>Ing5S>`m#a>1% z>=I3p{J;yUlz!wmDib%AUbyMp2Ib;RY31(UmmTcA!t(JC^lolyg3Z&uTf=8;>m~hw zILnblUWnNJ%n)2L48fH-eX=_P5hJ=BIhE40!;$CZ<#lHxM-CU}1@9Owtr#LU8;`u! zt^4m+m^~l!t4g_TR^P9x*6#kgXx*=MYcBmh@ZnjZS+OPh$Ev0QfeAmvua!{hn_nax znc8FR;j6oQJlOp7;=tIZjN$n+XRQ8YT=l^i&X`+63r3GQbMoSl-RgeFg@<3iIT*iv zA9ZDT!py>r(${Y}zHNQASvI3k*{#8THKo=MekmQ)R@ZoO_o9!h{YM1cyZ&*4_wEmS zR`tuc;Ck}wGoSop*_>NXw%2QCJv*8l<a&Fi+eLlttEp=0*V#@Qw*G`|^2b8`-X7_T zqQV;n*1vFDEgyVVg%-zUUOZ<$U@qm#is;o5LdzucqZyBH*zcM)jMDG)x(CD6c7lQQ zWs|=5Jv28yu42pPE%~a|noYlbwPxDc-94^s`lN20?QvZoZ%F#XPjj!G&@*rEODUIn zEuArSzV;vAFFQ1e>EQmM-<q1y>+^V@t@E3F&hE>6+TA5PoSPKcg^e%r3hKsvTiU<> zxL3Yoe5dnTe0%AytLx{llEkppxsjgV6``aL7C0YkojmSY%Vzqm8lRxAc5g46x3|XO z&9gxpTVIB|w{1P+7(?6;UHEcR5C1dmGbRr@Qg&GQ^C<e9!im~v=XW){xZb?}ci)`i zQM}^CMJIR9rxv!&vOnuithw&eri)n@vX8cWc-+f%!lIIW&-)!YU>n9cd*kw(>gCDy zISW=fPh|DeZ(WhBe!gMr)H6h}c|Y*=G^3xFZnutD;xPNDWTb!kkK6CJy`wV!Q;rlz zsXT%OrwRhTc4Gg|3^b_{^Gy6ZoHX${9(E2(Tl0zVBOtkq=|nhUfQ7BqD6s%OHK_n* z^x)REedEaAL@^TJt2X&%ZZ!Nh27WgPpI<wWXn%!76jT3v4yEFAC>743U}IaqSljrS z`KqX?&OM7FFK*K`*(}R^vhd2!eU6OY&vNa*_<rg~e5=5(E>B6XJDs0KtxJwAJ>Hl4 za6-Wb>BxB1vFRD+cQ?)FEp?yqbH$#@z@+WxpOyLupZO=<n=h-L@WygVcI_9R6;Au+ zPWZk)Pm6B_J$YT$ujNpERF?a=iwD;h?)+fZ&c^9A^M+p;{&vcw=7`F`gqD^MzS?|~ zqBv&O7;IM9FaDRPl%6ypF>HD7>(#j%`!0WcO?G(P8x8x~!0+nwhbA|@<rlx)GW~;D zNvi7$EH<w#z1g?aX~eQ2^#Sv?ihfKTU^h5?a(16DJtqBfZ%6y+@tmM*;risP_WHT2 zCY0x_8X3pFaz;JmVqo)C&aAn6-)?q&9@}?lTcXXes^+aH1q&m3Yzx@pr2T<NWI6=@ zynUk?cSx0Vz=|&heUqF$nP`o1N<VowF;Ow7B6(2L$7?-b9o_r&kC%(nEoOc5`uwWY ze#ZvS8Kj#}eK4_h$fuTmuZG8$U;LgX`O(GdaNfsJUwzIj{iLp8!}!p9k^xs9`2TSF z^5pWOtUDQQN1lux7tk;N+P0l^@3ncZ#kAjw*vVHv?49x`@R*H-Y^(E$C3nM`)5ppw z$Eeb_vV;FnhP165_`PR;uK_#FY?&*A>o+xfBwUI<>EU$$`h(<4->^KRPkglE)3&+` zFZ$mQee`AZnMVt<E!<*>Bb1J9ZWC;C>$`7r5Sjn&Hiz$f+@0w-+Q%0%hEx3YW#e+{ zw@<v!YoAlPi@$KGVBdxKZac_(x0vjXJqva^0g?JI?sV^q|NqHOM{cR`KR#i@#;PKC zm|YLLAK^m`uN+!Ac(M0C-HhST06$G3`(+UWaX%-z8_~CO|NYaJM#Nzx20fY>Ls*)d zXDqUXdpaW6+=jfcTlA$rg-ZV~ZjW#bI8)@XCT^$v(Y}ByZp{HNT4UvN^SwU^qFvgZ z&?C>~Bire3orYd$K9MXfvS)rCbizDjBXe8avw_#Y%p=?qdqkg@I`itsQQ_x5-?Z+$ z?HZq}&KYR|lj;Ud`}V7y2Nvv19rU(hWpvK0vXK@&iR|M$ZcZMzvpId>%8GFzxwRo< zGash(UUZhbc2I>^S$tcbAfmR}P0l~l&p}4Jo=nMMuZjI+(b{YE47BIT=GC?Q`{j`# zNh5pbk1EPm*OZTEY1N5sk_i?wm#<1`xjEw3pPkpG=eAed?7WMjSA<pyxFwUL>5C48 zR^+%8X7=p6|HdWCro2t+rJCn4O_ygm{xRyeerpy)FpJGnVSAWCg>Y+8+5eFHr#ilG zTQa$)tz5L0=+k*qYDHt(cE*WtZ%eqD)NGjcaDwi-)paFCnAB{U{Ry|qzVKVH?q8le zzfTf=UBl3so^;08n2&Vf7lg_Emk&<czfYh0#r=$>-o3^1bgxG!_I|z5!gK?L3rc!1 z75Uh6Z@;=HEUgmk+3)vyOlA&KX;X7=>UJ}o_<F^g4}bi)G4gQCj8SW&%p;hNsV{7z zew%r7bwx$OPj!8*9e?tD^i(4GXu$2C=iV9FqIwz;{zLg7UhA$^SAwfTEA_fd69->9 zxB2Ij%%cY%#g4vbJ>cnDr+#0EzZrV)+l+x@zNtJlHSMa|;$P9KJv}!bA77C&{`CsW ztu<e^XAN!r*u0NxkI)_qUjI7xm)t({-M=`q_m}!PuVdoP_gNe{{&Jr8=4%W3J$}YM zbx2!T-|EvIH@5h9>ym}%cK)0_t!AYMBVTUb`m{=RUHnJn$&*{{iQ}8DYWWM?%9$%% zOFcPb*U&`=*Bzag`~8+*d%IlCcsqNG{jK``f5g1};Kgr&AMdeyI(GJB;oCM_^OFnr zUZ(XAy7F-UsMg}v18(!%x8yIs#r)-)e1{k5AH>WU9XVgQXU){T&-&guN(;|j?AKQ{ zWA>E+=QQ<l<T|LXb<^{P+tuE#&l3ALT)KIdA>O>@)ih<*)1BS{Ibns%xhrqnelYqN zTXbyHW4T|$zH`SXoT(hPck`zUqgIuzjIEvYcx}<!ePN%yjvrZnZ$|9iI~m!fqb4(F z%#JuWhkyM_h@-ukUy9e+^e5JS9?$#-PVoHWRwB2c)~RHcIR5uu&+QhBjTV1?d2^pF zLqoUqnL4BD()agz4QQWS<QTDk`s`D@L(4y@DyG^%Y+%u)N#@LA$}89$+OU}^{=4t| zsE&WSbhI)z8*Wdd_BBJ5DMars#%N5N&WZ&E45{O5gq0c70fI2N=Vkd59KxT=oDN>Q zvz5+-i{{NOX8c31+?;~!Uq@ssp3Z!#E#>^l94Lr4_EZbM?hsF%*Ir#7_t~%I?t?De zsVE6Z_-(Ay$XyxxtlJW|wjW5i`O0G4q{8{<ZXWuhX~J^X=Nl^b-7PP3|M>e0lnY1O z8|@-|YJT*1WAS0nIW5!+gTEP4tlxNYXl85r2WPLcd<&M@`mk@FIH1#gxhJB!s#?(! zyguD?{F6RqSvy(N*IbKfd5(%_7VmT3v2fWl%XNcSj{GRMzeSSno4q?rzCJxHHDdnA z`1pIn_DS->9ck{w-HM2t-z>9DTX?Lc@bmMoSLQ7<n;SnUFIIN!rx#Hd=RfIN<2~){ uq1};v2v;u`cHz7}C7Hv}Lk44oQ_$RI8^w;FKD-;8#LK>YXWHF9KK}~<%UziO literal 0 HcmV?d00001 diff --git a/venv/Scripts/_ctypes.pyd b/venv/Scripts/_ctypes.pyd new file mode 100644 index 0000000000000000000000000000000000000000..c208339ac04dee4f38117e33e45e4210b297524b GIT binary patch literal 107672 zcmeEv4SZDPneUlok_=?v3^I`@ps_?nK^qMym{1d7lAr`8ge0_(KwD&wl(rFP0F^}2 zNm>rC)3Uwo*6zByQr%s5m;0-|wSsPI6T*@p2;rlEqLy0PPE77LRThF~J@@}S?>T4A zd_-+;?|%I5qLZ0(&inbi&-;A8&#C^*P9;-O6gNJGp(uOtP5;XH?}z`%cPYyFYhN6% zJU8Z*>-M@9zjEDj?fwS~nm2y=Pd0w`iv^$m?3cdu<xs)r?km_B{!+pHUn*F*w6@@j zUtW9Pt>eaxEi{|HbHY!4^<eXf=dI7fp0ek|xL$MR@jValci$d)eQM7`e0`d~7f+JU zl`DR>XCv+_R~+9H!uNyC$DjXOd@r7KcF)87eS)7ao;34$Dz|vjF}_}Q|K~O8bF>)- z1B$ZPm8Co}u6U(Y=A4poU9M~Vc;!9Z*(vXCejndH`T!X8i+*P)N;X~LpY^Rgi{}9H zhSeE(T!sr2q_Xz6ynJ?nOKHd5SqojtbM$zdOYx1RALhRuF6Hs7@q4FB*?JWo-|bSC zThG#bpTYAo=Y5PbL<>I3zgt81Z3*Go4=>{njgRI^$l>@`peSo@-MIF%q0geoJ$OKK zUySb$9EI?+4FBIMiz!>C;>H@3qp{zEZ^yqfMd`eC<AWPNk9#~<%vtf`Vr@#fvRgOa zx8chuNOLC`aC^-u<>uq*fB*X!5ZJ4=xP0A*?SFM*Fmis_2>aG6M%c5gCU({^4B;`F z-I0T?8Y8dQ=ki7NPwD7<C^OP)h+j22>QW=9Z-l)y%OWouv1d^=vfrCf1ka-ZAD#wl zP)<~PVmlH_;d#9Xd&Ck?$HCBqh>Hr9yK6*QzR?%i?-onE>F-y#>&3PwF<~y&WcO*c zSK;aC46T*b8_{>(&IvRTPXu#SjoIFbE}xNip6{U(>O8-v!b1QYWej*sD4P0s7q!)7 zDEw`Y!vZkIQ&U?nW|sl%;<bkL3jL>T-{|t`;SnQm1L}(5$bMgk5n5qnHee0()gB{T z-|RK=G(5zR#ZV-Nz_QfcAQt5t#{ia&i=mtAYYl2)1<%2YMzX2U62QeQBzjgit)vxO z-Grs%UxyC^xFuOnpiU^aBx@!*2xW?{Zc*-u%u!lBC0R6?a7J;bwam3UUR7V}j&ycK zhHu$ipgzCtTURJPqp)KuzJ7TB!1y078W{V-4FlOfTs)BR!@JjK8hN`VP&+!q87sTD zuW%huN)MD}C@Z^nu0ow4J}dB9jL&j>n($GwtbeYotPJaSy6?=aEVl(&`3=~<CVnRl zHAHJ%(Y1xj4p(`5XZZ4rmjNQ5I2C=^wIgFb-#MN6a<tqPlmirmTph>5fN}`qUENgN zxw0EoCW@D59NCc_-Q?Q7@HPYW-W|w1kfDfocVsT$R^E(0Z0x9XRpMe;91{Dw`ZM1B z8*wP|i_CYQ2DrPi-jTu5T_AnF;(yiyBekN@E4m298^o|)*W2}*tVmC$9yqKwp5!4O z!NBc7XI^eF#|NBn>n&$GjPL|n#p;pbS7Hm!D+;aWfgA-@uMkIP9NC#LR#APp<DmNW zuL4b%MxQPubj4VskGe40i|clk<pJ3m&#cpPiaQtSfj+%@|IU)G7Z&37)~pw*=xJTA zaDOFO6Aio`jFpcV27X{ii=iE!vi5@j>w)Ma#*U?!{y|K?S5CfH1o|-lvUi^r)%($G zN#O9-XGG&kf#IJG-6ak=XDCibH`+^b3Ja3C&svfpnsOLW36GVlQhafsRGh*zPw#L= z7hy%l@`{KP)?&OCZFMfjJI=)r;gd%A3^oy#7vMwN;z02$fMsmtEeS?OAgq_RcLNcF zwO62EFUl2nf*MqcI*(rN*<S9|%k%YepI+`iQ0}c4^W9<_@oP|*F>PDiz0KG`*e;RI znJ6vhqmEC^_v__TM3<4F*W@P?1jY{!QG_ituvZ(j#elo<Lu%7Fh27rKsdf}(C`vFG z)Tng_jnG?0It;a)p2`Y9me(<AldRq9$^-#e;I6fZC&-4{k%`ix5~RbVsKuQoRS<&u z)c=Y8rqI0g873YQKspZED{^pP$^n-WeTcwr<JAhx07xZTM)aktfPn3-;LqAB+->No zT<FUK!LVkw6i<ZMhAv~rkD>R#Fy`A{M0bzI%8p`Un`epHv}VRBWAiHdv$m&l70LrT zB0T)U75LRtxt4B34ixlM&f;JDy^)>*?8ESgsF;JL$uJaAQDyyDZ2bsYKbD(6T80IU zI5d~2$6ruW_EvPz3W9;Ygv#9~8dmMdh%R$&CxpbVdMEPeS|xO|s9e)^F2h7*DqXP_ zJ=`gluIc(kMh)f=j1|3u5o4T>&Qe0NMdkFUyTgtCf&hU{GxdsDAe$bE{R1UNco^Ua z#{TtpT(xc83gfqi(YAC232LjGL^sp)AVa#=$SYuW;Uy0DRwR>{fddzq!lklr$-jNO zItk*ShTz28p1`n(t9prqH+GBO#{P<bGYm;@fxi$IKC1kc&hny~So)<h5?fv2t9Ct! zzBG-nzR1WsBk{Mmv$4A#TzVUx0e)i0$lHsb0Af~gC%8KV2XU&Yv47sJiju$pFrFIF zSWi!21kEcAm~&*yaz%~aMmWXDO?ze<uG${u?W%TMiHrJZU?dm~c!JtvG!kM2h1@s# zRNJ2>5YR#>fGPMdaa^_i>$n?fovB1Cri5~|Cs1!7Z~X$Sx{o1`ts9=Cb>cQp(J{M$ z3Q(YqgAYyGbq?Z`7E7G_z;sbxDE5g*3ubhc47bjTy44^TT&B6Nlu#OEDa<EXJc&N$ zW^P&yzD27l>ZfEL6Nh3`Z^5jGAxxaChs=dNHFyKzj+>C;DpyYUNFpg{TFteaAS&<= zxi(u9#|MhR4=s8b87!)A5G@wS(V~R-F905~hsX&5>jb{rT1|)_z=Z^OUr;NfNhJaN zMXJj%x-k_-(Lf)7{9|4oFVQcaao~)oCy4d6-Wqj}4T9LqnogKGYx=F4B!M-=9xNhA z5tbXFJY!RVsP4<G9>HGq#5(?k_nWh_n}jLqHZ6p(3j7cdlJp&Otp|1u2elO`lMOA> z*78m4`zp+d(8~jUemi8hOXYHt+#<VaHkaSrBq_^pcH2-N-#DpapuLl(O87jR*r){+ z2$NtZQ0=e*!Uec8*TF0;F)$8&?8m;?_itu81hCk967#3+2!Y4jP>XS`;Z-BCTWtq< zXTE7<ivwUnjorWx;=SR|Vb_Y*d_tp^+eCy>s55k<$zQ|QV2M6yG|$2KoXu_H=E6U~ z(+NOAQRWRA4|+BCB<#zEy$ZhK*Ol5VTw^>8aV)zBwF(<*V~bfENhf2k76)jIqQY%7 zd#T}tXu;mu=8j~t>X<&Qzo_$e9DgXE;kQiNjaozsOaL+|YwZ8_Qj?CMJnKIdyop+F z7hg4JKi!)BwW4Yct0!f1FyT~I&9oR4VNH@IB$p(q{poi5*I4c6i85lD<3ZMgMxB>M zkg(rD<k9vj<_Dx@p*^!hEU;+tiL%8&Kafgd7(`{VSLYJJ26%4==p@zmg>GOb1^5?P zq!OYwaOm`USM2X!VG^|(wP+(bp~?FR&HI2(+)LhaNd>5<Ebi!|I;n&7=UK1B7RX-E zd_o`f;&&a#Lkl6-G4_>+ubA+^*@Dk?Muu22N3W+vNL5hLShqGSA1IflO~IFqAl9Dk zHJakPgXfc0-X!tSDQt>>2l8gHr`$9B%RnFnQm82N2z>iQmjgstkH{e8Nvwr;eFk=j zH%?O2_GiH9pl(VzvYnosq4hlrUWO+xEXRO*78JOFR<Q*yL1tTl8}*{ftL|Ck*6%Is zSuh>NlwC9geZkCKGx@t{R}sG3?p>kap}t^N&w_>9u7!-3#}ciiW@`Ius0iWxQ0&h? zfK`CD|5y~qYB8KAimx-A4?>E5$daNDiU(Ff`p<fa1WHk}77LRn7Okn*)?iq%@4Z9T z1(2PAM^MOJe0<<Rk)S+9%Pk4a((Wuh;`l(-3)F^qZ^mU)l~AQBaYU~k*^ynrs@?CP z+U>M;yCXU@obZTLDXNEA!2^u-+Ep0Vd~17<!fr`SM994$<kuU|)7&7DIfV0@UD*)G z9IShE2~C1V|0`-FMKEWo<dEZ%_IH)wzA=hVnanpl8}vvViA{t^hGhsrs`ScrHuBuI z#26|}GGnCWa|t`gNngArY*7j45NXF2BNh-B#g@^++oBi@opDj@PFxt9=Oi(TJE+1E z2raJABW;(5J`WwMNTV-Eh{G%jk*qZp;G7ryEFMnO=nFD}{V+5O57TOD=nbsI$a`Ee zCQ!aH%#T)L*!8us(#woxtLf6nZo9m59ooN5qpyU{uaN*M`-G(KmKb|bbaB<>Jr3G2 z8+#cmsuXu(V=F!7`E(&Q%hmb=`HtN#Dm*KBpJNOuJb!iZ!Ih#5PtvZ?>Xk`r#Pnfi zG;ngg0uc#P?i@)#J36=AOawUadP%vz^#;l8cVmxOVk@e|g)Y<dhZas64|rm0e?{V4 z{JF2V(?Ut~2hwFU`;BIZ&yPtUC(<iCFFpu@)$A8rzyUfgwvK0=svW|9dC8Hj@6>>d znKg+i*s=xvkob;m7M?5tu-`FekOzzuRj~My^LWD7fP2f5ubU-JPAp3r*%DV_`+CIR zdTS~is7<!4Iri@Am9la}w1Q*|PptMlON?luB}Xjq9B}6-X(}Zx4bMx$i{SxaToPse z@6OnF3|et(-auw_k)rOoGP)^a9cT_<)4O$uU^66jCWg)L2@jtG9tBq=NG29Mq5*FZ z`%$s?$B)h3>^~Np8}M$rTEZx3*0%WEQDfi+f(5EJqpB%dZ@EI;>p#|Ca{0kA;$Ba2 z=Q`c}Pzq$ajB7~&;iblWB7<JyXYYwuBX=uO8iXM&v}~83+8swkOAlPotB1+n*HCNp zSrYW3dgD&AiPjB^@gT*E^zp#*LRc>n2(JiSi1hf;bQp$FQ+-M<6StURJkGrgDTnMs z$D#69d-VC9?eo3*{Cs`BPoM8UFdzJSKJ#nXQ*lr1GhF&Ti6$VPUp|Xam?TLyQr~9X z8&e^TL~j`+oizt;8!?pxR&5P{-C&$BC#tspfQ&k}x}di2!ZiRNW5jR+S_EU&HU<ma zkUC(gtqt71%Z-+4x98)VG+gMt5wyeiwI3%gZ~y&x!feAD2G}Du;nllF(5H4jsdNcS zr;|HCmXE|<{V5rKVxZt9a$}PCWRV@(ZppR_0ru;HDeG6n7T_G{KS@8DNmd{+U;~Q* zmc7%m|2ph9v}myP#-)L~#1R;E_38`4a58_kA6vFv@c$tZzF_kIA(Q_PGXGcGSCE$^ z91|65%Jc<Ewx0#C{e*L+5vTu?RIqwP_lN~+z|UHz!tMjRsu2_m)*74EMmpWW*yrEG zbjU;rJS|Ya-vwujDp$dKwaeH43kXn`Dpn|j4)ukh9Fn{MUwuJ=2n_4Bh5EhI^#yYv zg%#bX_|nR15Yh}*%oAi1wf&oDS$u=!4E?XuN*gas!2n{@p98tC@`#GE5?46q#iC7+ zcCUJ&fF6x=KFWJ>D1;q)G<GLu$Rgi->cDbCNK|P~L={LX6H*9*^mjOnmi9(v{eyfI zq+pf|VNIpqMbiA*220;)d0`a|?@K=f){=@TU<qaeFZP$4HrJPcLd6GrDw!o8sPrn) zN?%W<<jI~Iy~<sWXC(LH*=Mj=ZdP#g%6ziV=AkkhS4lihw5Tu{gY=WE`;x1as{S>; zZMo%EF^?n`Q+hcK+y~}dMUPqLQCa2*8uCG?)G5+@(o#=ukm}*Jv9J6XE%$*m`Q_4V z{9m+cZZW^K#1)!hsoFEdlKj|atLRi&w9-*D92bWYbY=**WThyCjI@O$dPw4_wg!`o z%Wb^|E8y7HDWZwR|5)<;(Dn3$T3*;d>-kqd_+zZ+!~Z4L^MAo6X09ji!tXsh>U#d2 zRdlM{u$vu4|8uRUC|myb*a5Ck1uLJiSH3^mf`UoF(9hcwTa$JuZC7)HVt?XJaNtYS zm?tz}V#l^o8Vhauh=v{>xSksFg_cXQaVHuQXJQ5G@kPeeJBSEi6zi4xph*^zD8dR! z5g=(esg@MRp&};eH=*AUA$X8ThpE7*?f21DDlt$y7MsP0AgJx1!c_uMP&;Or1=x@_ zc3Z1AsJ2hSy?MR&QH{4SFO7a$WJK*aid$gA8~5UiJak`xoM0+Cs;TIh6sJbqOIDA2 zZ1cS@^eJdTMN(kcp_G0m<Su<Ud~@ug#?-BSEI3<FnWUR#-p{~~-JB2aI*6heqgVMF zVJdN$;Y^Zp16g)r-K3xX-b4k~OOhL7VRHaFNK<?OLG*28!+Jdi<3Rr?Y3q7SeJpz| z{BiF<plmQUd7@2VbY6&1MxF<Jh6FNZ7|#G|yB5NW4-!35YbM&3w~F;=_fvEmx)G}Q z`3}gq+TM=}FJd7Sz0x~(V(XRBrM?-Lb_)0S=py%gGU$wyOx!wzsk1N$QE=EYB#<DG z*5`j?qD+OM!HgNcI)#7Q>{7t`b&prL^vao7L%p(y1k=h{Vm>T9Ww<Wvsho}xD!2jD zQe}aFAX`~V4$R6j5%6M^m2;#u18T>IS~C!#pgVD&%*xU;!G<3FrL^)zvNeO(gYCy; zJxH&=lk#q2Al$X{mIL<6OTo=h3aX*)F+=OgqPqn9*oJ?^?5aIIW!{2jm+wg`2R(Dr zjxnaZcvn}*yQ3mMav-0)dBqo<!aglMgnc74Td(wB`L<VjApqzuz1$5Qc87v%LX}F7 zk*TlFHy-pu{i%sno?=~)#hylr2jKOM4Cc$_l~O;c;$$=>dz_c-ad*10Ps#iS5zXNh z7)`*wM8cq@<YJq5;W`=^BE@aGiM1ZR1++_T|0g_(v<$gIs#M&b0qXYu1#YS@<pj0Z z&4kEXZKKMyQc9!S+OWyMO@+Dt0qXQ<?5ckt`TYX+!DMc+L0dCfa(b&^6$++9Rki(A zYNGCfSmqUD^`$e(onC!`@DiSL;AMF-UY479NyuBu$P2t22IvEZ`VzeE9F}r3!cs2W z2@7Ol$Lshy5HRi^xDtOC4bblm17q=b@qinD69ZI2<91XV2v6Bw<)R1`y>b=iRF<NC zq--x1{k{qjJT1b*<^AOCicg1~iM{%XJ14!9e(q?EeW;VZ?Vq**#kDZ#d`FaaabQ?| zNr`m+ATm5-^P>RDoH-1XLVWGbhiE?F-J6fn16g~wY=i|Dj%4hSU@g0#S4hgG2L_3F zeTN>PJ;-k|G=Xh}C`hy^Fc^V%)GMmoK`YiM(gK6Lx1R$3%x1Ca+AhzzpT;&BcS-Bs z;#1W2@wkX=@#B}9Zr72qA?%BV-h-w9N4pnV8HEs#k2dywh<jo-`L%1bt-vviG-jNt z)gGhY)(<0m0igkb3qdXt#P7|kBKwOX2VBq&I|o`uH4@YI<~?F-hMfaTUw8s-i_<fX z+4>|$o=lMD;!}vXk;dY8mYVSbw!TQpSa?vFK`7OOQe&)+>E)|{<0*z*OA!x$()Q#_ zu{mV!I?J$<Y<x<=Pn+7mKTGlT<MXfh{1Ttv;$z_R`^8rY<8yZ?zHEGq*@|x%pZoD! zak=F`#hqdPO8HXcolKLpTJk;lC&(p8E{a<02B#12dst?eU~`QeTTKMvm;U4j2tQ0` zpxXX<T$wtL+EI@Sw&D^a5WV2mvB=+GE07Sx*vz_~lrPlwdDKwdaCC{!4Do{r7QuWy z6;hg%^n3(P;TjN@3NM(UUV&I1Q{}6G$`=}Ab1EY*Na9cOs<2>#$vJ2@+%L2#=Pd{R z8mC3j7rn;?A!OHLT$lJ-a*fkQ8GN4kWvxZplSD!D&NCT?B_?zYI#4@^XM)Px?tYu8 zLJ50{RO@ln7Nh{oS&V7B+>7$9S<z1)8OZLsoDrR}2whb9=C1IyWE-asl=)MQl0aIM zPiv&E!HGrAe?~;7>So!=OnJ#mp&I)M^Z+qJBf?W8>MBztAF!<9(ktE|T0ITeXi}h} zO&1s;JvRl0mK(jc_-u#KItLqfi+4sZ2*QBHt%ad!<WHS7S3;Tupw7@u*k23uoJfzm zq;Yub8!7F={I${y8i180Im9%jcyxg)DCaZXoR7)ZU@Vl)I1t<vKwc!l0#fAf!jqFF zkhi}FMJ7@F7+)HM)G<FlvQJ7K$4UO0O71gl1-h(f;jE&tr-I#YJr(Ss>!~Qk@&aqi z=u6spDomeTh4jfGe#kh%Fj3oIKp{|QGonCkCk3Y=XynaAFXM>rYu}=-^okX*D-v0U zoHG&JeKPP0FkNco=&e<H#bWJADkjU2)4Zu<9@$?I!*n#J?xx)vz8QG`3~dVFLZ^ib zyG_`cxF9X6-A0b~IvzCWtr!aJ6++$$gky!X<;G%SX8JbPBsM_?>XnJ!0LDkB$Y#gy z{a^S~A)zG-FF<mbKGgP4f=jP=_f#zGD+O`nKvxbJOo)%0lpG(oYY@}Wb7TP7y=_aF z>016nDF<4DzqJn6OKTm3Ifu+W6X81v>LrtizaZL{Od{X_kybr6`lVvL6q*@lQ}Ok# zC;vn66{wVeuTS85G<20hb7&I0%NyP&bXD8Gg5nUvn;a-B{n023hj(aE$y7$$0@PW7 zy#S2MgQy)x+Z>HBcHkBxlQFbbZyE(dO~GCx>`W$<=?#}o7Zyl_sGztuRmu-yh%dvJ zBCQ2VxG>V1uY^=+me?A4MFB=Rp{bh<WTv4LH{oH8?}9%@dld!o2BELC4U%N$2w|>o zSQhOVA%1gNn>iJ#ZtR9Wga-eJZh>$_SNk%DA|(ieguf~pcz?!$$gpQ)xv_bQwj8DF zW5Y*LwZu^}{Hknk#!x+g+$+fd@gWX#UbP39K%rI~ELVgkELOxua!>Iq%m-t$%yJHD z%=DlQ<T`2mh*lG?igAPi`nQKLZ2cz}@VDf$+P<DP&;p-$SO3v4Zee96BT)M%^jlPt zvj025Wd%RxRl1H=No|MyL~*Q?#6iK$izNjl#O6@j6mUNT#;$e@qk;)Z6OL~laljEk ze8i`OZm>akzww|2!XKfaSP5$Bm8HV3B}35k4TbMbgM*-)CTtZPfFjr$E=DR~Q-2UP zn^aI^*9`nfbPyO2-_u+WKWK19GEB!ogET!-Y$`A2H-02L)LQ|OH1RW33Z{bMS60T> znnjb>Q^rSOFC@h%O_CcaF>nd7*z8BN8Ua3YeOeGY;!%J#NR6t9w0f10AJ(F1#q^Ti z&{&8!nq+9g78+%JMBb*UAMe!cuRazb#}5%^`;>}@28QR*j35ichOn39JFwI-W@IV? z$>CI@5RxyGs++AZaT_jC?uRtmQ^6ezR#CI|Qh<zJkuMt7==FY4xmK^3Lgf&$UV*6H z&}5RJj<-(4eiTdBe)m%8cNgG6Nuy`$&`J{oJr#vC6Nnh}6_2};g3pj+(*YBJKNiKY z;5kZk#icU#Q-w??v2sm(^P(LFld;JUGn?(<4{CEz2&~SO27<;Ww=ui41+vgWs-3rx zMO?qRs^}m7VT!M8-~h`g6hC7&?Jq4z#p7|MB({HvHhy44EcKUkwPuMfNS?6MA*$LF z`<HzXfv9VT(C!E5OKh`BLHJI@4nW7ZBM4Sd4@FiiU#b#d39wK}<GeeKn*_KKI>8%o zwRLbPDSkq+cm_Mde<vynBE!DT`9Mz`LjqM%NJFVC&?`8qwHs7)x5QW62hFmMwUEfv zZPqY0!=4?CjdWo{qB&^VW@T%u@HgRSxx2POye5?}5*x(}5>eH53X!+Ns3{zplzm{P zXnPzN_3M?IxHrBULGFa3JW6ojYhh3%r#S|Gz&uMu4BMwKnSwB6h%BdJlpcp&1J7Z2 zQgXNyM>>OUZANIS7x)u9hxJ2qG>;`yz!IqmiM(mTmn~@W`6mJ?2cgXuKj4X749&5E zr9MgWnLQynAIOw+KI|s_Ay|f|Qy^YN!D^fbK@?8<9tjPs{lfg&J&z0_p*)SguvT`M zQaGat;fQT7Z3Fbkj?<)m+dg?Emj&xV!4Q{m%1Opqw=A<_tV31SsPB%nmMNjRvX_Y| zy@b4NKec)YPXzqn$%Oz)9!(FpE})7qgcIT@nc+vI8J=&`2+)5GjGYLR1JtmiP@Oj! zB1BQ$yPEK}R!pTCkqZx-XCB2$sqI$*OWB(cv{aIgY+{E?-E+&Ax7;GW#-Q&EO|u-C zSBtVzvjbR!Wb;icxdVGkx<j8w&_o_bGD@i&p~{=Ry9z-gv>5Ns*o&V5f!^<Jg7bwd zqb)EQaT)^$g2rYLhV3W2KCAE!HU{~lhijO@Y{hMtxBUs0P1WeD#+*iIiU{~It{yBI zqzn=%Owo)$fss<Q@Mf<zgwfdIp;RCdCS^{DBDS4okfj(D=H5!c1#JxbW3EoX3M;<f zJC6sE%Y%@xH2EIK2PMjnH?jQacSt4SE6pyQBPAh{giE#k6!^QLSYWPn%g*GCt%VD* zN16leK4H45rIHz*NYlkh#b&SOyB1buFB%g~Zt*{OZI6SoJ#58x9*4Sk?k_Q?d*+l> z%?bIa8e*!s+RsSV3i!nbV895JVDZ>z+TX;ml)^4W9))~-Q{+*|$JYERNj^?HKX@|e zq1t{C=v*J9(@ak@eFR$Y63fjc@f%x|qK!<<4SmwYTE{Lm%^Oviqa}*c)*<Rjn<t-0 z7ojX0^<xJq`T-|8J40`f|K&(9_9y>Jcia@PMf9~Av61C64mM=b*3f#Bu7*GRAvATa zB?p}DshC3eXL56~bh^GIAN2DT3SR{MyfTG;VmAOiK_^EilSCykKHA4%gfoDnarMZI zwp)`30uut+pb(-es5b}G%6M_<h}*~fMR^e5$-ybD@*u|J*hFzkEtkk1Pk0F*6RwhC zSQSk^MX?o27L(XbX0V=$#byz;g9LQ|+&)yy<B^*@6u`Qh5y@8My?w6lrgRY4o*n`+ zM(*A!{XrUGYMi)uWHIZNXwnpP^aYC{`%Op@o+FPeR#vaH>>*Cr5kv@o2-wt14y41f zDy(W*dRG~i#40r^lx_HiDou#o4K%uPkmyl3Tdpr1_7O|V;1f(cHMmrlF4Q+KT#cs- z28wu@s3fHAGII^U7##2yOBTw<3)4PMn6fors=@PJ_+j&PLM1&`p*`566O>!9)~;H4 z4$nOPvguMcR68TIfl*cB#~RUQa;$obV^v=)Tj2^<CLVB&mS@K{!}um}Rx>oC_+ovn zHoX8+X6&6#CJW@~wa?j%iyUybeXtE+*m}CSGkV{ktpqnbgC>Z#k^u1<5hr2;YWx30 zS(6pS36$FLXShv;@;^s~wo@VcnILO~EmXhTJ_It`n#xQ>5n+j}@TsY$mmlt=pjL$8 zTP{Lq7vWp1cCz689LS_|H_Yg2wOLfM$d-?>kSn{J_L8`2+wEvQLHh>%wCO;0)o6^Q z0u#14Hh?SJ%>N2Ks;a83CqL$VT+r^mi*8n$Lv@GEKy1zII&OM4MTZ8DUU#9S#uK_m zD!Gr1Qn0v_%+klzufK-jMnCPHad}rESVpvZs3uxHh|h41)=70|T}zUWpSX)kL#ZAX zU7|R0E+;aarGD)V)P^7OiDin<TC~uXlm!dlXDwD}W$HpzSpaUb7izh+Q1>P-ROyE- z6eRBONTl0cflLD>;S1_xB>FV1<n^$`DkgpLb%d@|CKof^T5=^`>Ke^^opY&iF3b`$ zo&?ae-cf)&nt;xtlkvZ66d!%QV1Abah;%JEfz1!(rnDo8t^x===v3W9#$PBIx`(IO z*iE{N2WP_q-bj~EhxQ5d`8E!k(tTg(Y7=yHJhcxexM93Lu20|sa+pQt6m66;`6G~* z&TkWTh<y;v;W7nw^aRMfqX1DxYBUX1;fZ7^Ky9y(XflKCPY4sa^y=h;*HwcG>_-#m zm;E7X`?V+*t-gR3hJb3AySBk<hOun`&6`IDFGwz8#{>7_5s*f1Uyvj@0q5~SX*x^c zm~2D-TUk4en<;*-FxBc~IWR-!sn(=(g#&ksx*_Cci0vTHF08Qbj<ew^5f}pWL0akH zEoL_`M%~jH)Skvq4m^lc59o@iz8c%r34bqyhcqSN=YypAXKWP?^-+vPc(5V%)r%Md z6b6!O{s}%W2p?If507ods^a4~Zy}E8`Ow;9KN&zl1dsE9*=wTZhMo<Iw;ixeg$^Q& z^-ZO^Jj_TKZ1QK|M|}ehfA$2109XZPiVNoHWc(cI30yGm4w)!}yMyArptc`CXb``% z4k9DxN@$g+8xcol<dJ}M>9xtnr`3(<btADo04bh+3e#(-kNrKQOHn;2`r5ikb;T_8 zdzJ$>;FwvE5D<KP&no!mePM`c7xeinR*QXnTGg^vIJXzc7c_oS<tQr(9|Yw1tOYE? zdbwugvTJK0h(81miE?fnp@j|!!R}P-H5Px}T(BW>IYWI6C(D4H@zO4}9Z@+j6(@p- z)2jd&-t-`n0D}BP8;?`cgvS;iw<d!?0tqI_DwkdpM+sJ5z0MmGkca`RpOO045No*r zSb=;~5JMJ0OP{|S^ufXh1oK;<LRiW@HmES+@KPj`v00=mR0i^~jYt4|X9y4rkGJ-N z+Ho~DGIdA#v=<!`-ho?W5*euS=yRnLk<LSFhq31Nl(-Z#5DF!W%id$PJ{0RmEHha= zV&C0K?hCd3ujo2h1)kOZKk(CNUV*hXnuD?7+wcIxg1b&_r@#<vFps`#Zv(hr5wi6l z7->Rg2qwgVk>cYGv^_>hA*(3W;ft;G=`JWaIkCTpu`WYOMn05`+mg2iwLs2t`qn%+ z9>uiCsWyRESi9x$Vbeas$E;?iYF=ixfaGIVu&*S0{ebPakAA``<$#quUzK{i3WKvu zH@q)c{`9g1<{dGqB<N`wCl>DX&etayNWlPEG(d{pWYCpK<jdH~xJgcFj{)^YmLQAV zF$Mz{(^i;=#%#AT71OpP+y%FyyK+Akp%=aGb<#1U*#X)zX|2`;Vk}qb)#v3U;lmMl zDoIwtDF;P7j7YGPgbI6c1?vfiHDV9A^|}}p{st8ac#99tU9#LHN$R(|VDUknuNTon zb{g-c{fWDgE~Kv+((C%7UO`7F#*ytuuRbHjZ2*<hL5Ri?6!hwIbe=*~pBJ+{#wM?5 z@)*a_DLkg{yI_lL^$oz>9eF<kzc=~u`=aQwgs3NJ0~L0hTc!9AT#&PCE$y=+BfFoH zuZcR?bB0BR`j5SOh6v;XQ5!wL{E~Y;EfWx1R*o@>+avohy$b^~<>sCWS^O$^zw6G? zuILPnGl1Jek-!DFp$v>A-|ivWCfW3B13K^jHZHMPSJDY*aO!N4gYHCiz78E^U<*#o z37ig@l?_!X7aNR%gk{D9Q8~vZitzZDoR!7$P`)YY)v-$wc|MTh1*Z`Qa%57ddZTWT zcoe3rw*Q7FN_{6!G%zIUV)`r}PL3cSN(C)Nc(^2dQjLCv>-6<g46MX9BXng$GPd<U zhGNOcHt;Z3ND2+lB%q;pV2w1c?M%4s8Cb;9bdC0U!hP?+Z6-AZp~IRU#9_G1E?S(f z&@3rf)@aH!r|5_|#!|!*o6mz(?&C1hNb7PXbR_~T*Sp}h9p-~hUecC8W{gaMqg?!R z=gH3~KKjg9srdHcdl7KxS$tbePVzU3_booFHx5F4BXHk{HK!${;56RRl3EjqRBaN8 z2P_!4HWgu~^Da6A*^kKo*$)lE4fu)=Mq9lvqH)?ldfiZ@o8sIM6SEVr>8SIDZWMPL zP#|34#VnD1hnCV|nv4fWf!x%2LboG8VLI%^IPaD>g6&7to&q>vs`b&S*+pm;;#av| zB3g!_0-#s8wek%*`sU6&j*cTO7YZ;C^(&7+DUha6hl~U6XaY3#k#(F$LX_cING597 z2#|!~aaNMg!u0ouW%@fSmR6av5C```4p{(o`+}$}laWBUUW{L&5`Q6@(evdL(FChP zHOU~juF?aZ$fL`l_@QP@RMJU!NKFB++WsV9MTc9RC*Q-@XfuIjjH6E0W5qFnX|b8w zJlTuNag)5MP_8nu)Rz8DfIwIz=KB*`A&g;&E}o?e8flL9G^!1JO;j!y?QIG)emP1c zlZsZKhh%>apVyHI52vJpu>z8evE$)(Qrp*%?X-?G(DuJZa~Bt^a3Ls`7%*GkL!U0` zQor7TC$u70*jyLJAR?;OBQJKNXIlHL7x&{=%`&8q!ne(RC9`375$_c3F+A;m4YUG# zv*_bDsuW^^e^1fs)yM>NVVUvZ3V|$5D~#|^?Ai*z0n{xY?j8_=7%1({I5W{u3jj|y zWhFn*^tO@@!ndRtzKrmBN*G{-&l%y@W3?<sT3b9N=<%cQ(y`ycHofEn28u!_Cm(|f zR$#_Sb?m0KtEfu4EA1(ZlkRTgvShl<wOa^(NmMLMyt4}amBc&uh>BH-cjm}MRgQLU zV3WMFWxq6qJIZ8`Q~-yKH9N~*3p^>6CN+)`OQEM?30cNqkoyq3DLr0{38pivk{uC` zgQGnDP;;JG@)5>BO00#(SB=uROny=^C+*|<*yM98kCLoJ|3Hsut^fapNAAx-M^fVs zER11!))Pczpa?EE9zdp=&?HC>LpYJD6=7=|d9zrArL#KA9oJS?PpVJ$d&(CX9vgXR zxk6FajoqfnMarxB#9tu^Hi$plhGnyotISH5Tm>F4={DI%1aKI90jvxTa<zRU_~k%0 zHm%-r0W)G#)s-^81s^^JkCFMMkR$9O?pP^iD2|eJJQ)5U--gG;ndg$}h>Jji#7_{L z4<p#a8+Gpm=W)cBM%^VP6&^KeVBEFKjJ$J@G>ArX0N^>?1U)nFS{fEdT7rGSj>HV% zVCaelD2KKx5dJi*9zocB2jTRCh>ZDxZ%6{>;PEN+5QjF5P&14a3nGCLx2T$4@@mT$ z1Yl7Y!{Gau0bWeq8?>FYP(_yA)tf>asp%VSIfjIoUSl-=9zXgHYr*QK%r52@7W&Bb z<@8Qi5>xpPPnDwMv*s{NmPyV763-&79!0uGT6{<cS?d;u5Nll@JI1bNN*WZp8Zd9U zR<^P~u@#wXf!YD%SjN@?Hnfo~1)pI6HZKMdNP66E6SE1#j8Y>wB0#u=_Ftr=2I(q< zf5yjB<N7G@o8r^~ENgP6=PPw`@TAp>)t>s|iydcMr$u_ar0*DalG=}Ce7uXebG3pZ zli%HXo?X(7-A$A|0+ku2l3sZmIxcQm0THTXbAC&Z<f!c|M<u1lDKGf$rH7{1icgn` zKCx(y`u$Ux4HVqy4K8DThVbOZ?q$JxaXPjiWB`-rJG-96V6>UnOC)g!G*Z6=;v%F5 zrVWzff<>SROCv8*_e!XOs~SZ>=Wo%jf{aIdA@YHNI07p}-#A-Z@3{C-X6EL6*jcUz za-yJ#WF=YWv5nM@JD^O;Rk%QQo*<gd=M4cJTHSsNp29i`ZH|I^=(+J=KB9tALfng# zfLLM6Pk^l-&%G&vb1VuoQGAo(mgstxhhje$M&~%iJ|Cyp)sAmqdSWGZ^`ny@OOxzm zM<iK0qh-WZAHEVYW@b0!7ds(|R5@hyFGv8{e#Ti@Wce9PQN;(5)#M7!C*Zz%J0c!3 z>qaQE2?Z}uLk*PRP?IRaxzGp!<yq{13OR@QU3-{*(h`ll3#|EAfQ?{`a6bpU^-=c% z4ARaF!UJg|=l<QB7e(E7;28x7nZ~Nn9o86q>x8=&Nja99BOIa;QY&dkXid}1ngK#s zN{vF|g9=2X%3BP97kMFCXAWe`_|_m9!6wO|5=cN(#l2qL{X!+ET4rDbWlKKT`Z|<6 znaYx+yqj_U!_HvJ;ts(^l7`Ym6t?lsrcTWNBP~7!=jPZEu_CbsHXfO5JmfJ=x5G${ zfgZJ`SUfPj<b#%(f_B^oklw|R`u$6p8$F_CPCb!wpYcE`+2Ve}+sse<F6}O3LYpM7 zN&6~UHcYyiI!LCQ*q4aILYyG)$y#eq-ZT21L}0{TEC}E{-a$6yrX(9+L+lNp1jqs% z$OTlbeM!a-x#uKFP289J@D!51MLq#OquJV*E#TJ38ayJ-z*Ny;Jd|DX@>ZA~TXRZY zZq0<&2^3k&I~-1q!IJKfS32RgVOa(~CmM%~VViBOpl}!mqYc$kZfj4hNDkIymd<o0 zpao>158a&Ec%f2+eI+e}TVJ#(xm@~Z5|=&>5C^u{{`4{{OAF|6+aN{Q#a+aad6c|c zA(;mGdS#d}k-t>{^;7hSRKO2V1+$n%#7a^Hwf$|}Yp8VupMZve6DMWzR@?V+T}}}$ z#Rk)O8$t-3m8~18xo4tnD2|VMkh`Y!cJmm<&ESeRz;uut%p`>#4#D;A0I9=jn+L15 z-YDVImk1xUpmxl`NJx0>CxeLKAZQt9+(5xPG1LggZvLKO)XG#aoR@|}f@G<nHi9B- z<}&iiOi&bIgx}jmaFTW|nf#n1i_P4|pdUUu1N%4;JNY16f6!BFC=L1ogfeQ3K_0z> zVz#9wcrR##mFD~}={D%kDp|Ld?651aHY8`+Rgj0stRmz+i9pkN+DFj<%gk2RdA4yd z@Q%WlPQXhmQzab7fDTUNiXxf++^hslll&b)O{0WpR3pFrho-VZ>@@=8YA7tM4>Q8v z{!I`rt0S>1j?q?jTZ&HtR>v>UKeBnl>ofx3D#7(Ga69h};C2)v`W!<E&c$#J2o>W9 zyNwpH3N^}*Qw9{~q+3*54(uTu4xoY2op@p}b4VBu>ksL{VLad$Wo1Y)#<7V+H%<8A z44E67Vblmme>}nwmUni^0pUlR!6xoSLKLhti9UnC)xR_yFcMXM5%fg*-5V!}jFRlI z4@PAKY~aR&zl~fT3C-S-aaVTu#>nM=3*Ee9zU!_E7tDZ{KL}0TF+bz3ij45M$Ymqs z+c7`$u8Pc%XL4tx*M+{|VQ_Sa`I)A(w!Pc1LKFoW%4?vIx&-wL@?zTK@Bml6vDuG^ zW;^mW?4}?uKnrpEUagcC+f?e(y(NHh|0a$H?5>tfPq5;Ejq)LkRn$n4BU>}Y>*DNo zS{^DMn9~5zv%WUbj$lZT*tQgi9`*Z(2VPW`*$wsI3v&wIYapXhiN8|DLf6kEuSzg@ z0A5c1-kdlv=I^9y!0t@S7)*8MA$2Wj3Mff)K$3xUa{!xfh|82L41<a##OXh3P9YOH zq-nsWOmHan52tC^eu_ty`ycQ`-gu8F0>>W>o<NDw;0ZyW;#NO@oSNk`1o7Q%?GHyj zyi|ywZK-}?vT2VTSjNz0ss6XSlan)st_MhO!tw&Q;OxL($xR+N7s8BmwKC)(=^LB9 zVKuFX1M!fN9sA5-CJ)5EUzG-~F^NH}H**kco->GblGUCwsLP6C4Smy4ijN0zu**2a zO>;_+IK4@se?v6Z^z;veZ-iV<rjPRD!EJde+;I9SF{vfPZN|rh8&l#`$Q8)x5#&xw z$c^2Z2)daJx=BvZT@@F6(gF{b4hg({FI&K)?kya%={0ZXPuL1rz7>$9Mz+jRLSta5 zZ|uJoJ658@aN@os3z2LQ?a}*CD0wibb5#*G|NID_FF*jhDcM4fVr>&r9;=!T*LoB3 zN3dUgIU+n#70jC{y~Gk9PgHOtCB5OCpF)^X25vFE0X4>PmakxA3eUF$X0^kOs*ZXv zyrXIrMA|Y*0!wd9B7vrw2=%X5mM9pdMDf`Hnbe&0=;Nd<c_Qy81PpA4<}3SN;w_P_ zg|E`qj?!LS9Zv(Gd1wmqcXr8}k3tTA$W!uWiyQCJxMIe;(F&u(cr-Iw;ri|+BiigT z)u425v-p@AwQpUDs!FOAQ(jP{Q8nxOh~WxP%<P7omQJgN>>w$3qFT*5^&}{+nI}Nt zcVuLq-tNAN@`YX?hHbV*q<;tw!t}cJ>ie7nM$$7l`<w$#uVZ7dc~SQY>LQ(ft$wWz zYIa=5wuX<q1Gvwlo)LB54ciI%xB}j&e}!lqvGn70A|vwzE8t`wFlR#Du&o8kc=AlJ zIY{Z|UPd4dF6{}BV;<h>)(V{WV#VpsVaT)a)FYh|!1Z&n2s-zl&POy%$*HYxBCNwi zUAa}aj)G?PekB-HAs%6_i-Y4V%HVkJ<CLA`V!?p&gObX@94T!Tq#pGWtXptyiwrx% zY>LyKMaP(+4Cmnpx9_18B$@Rt-1cFTv{yJgj*bVlS|=)C`jiiZWP7+eVJ}eQf<60Z zk@B;NtVmO-nAXcx;Ol|lyrlwOE3MCYXBPBY?TquzCy<F^iC1s+rua~7YeU>Z3J~n7 zqHdmj0E1PYD%uDdk+)DT53)FtoweJ@qNl~3Jy~m^1JQ4rxS~GMSHveGnx=rv3@_J5 zAFy8sbfihIMhugu(YT)Wi5~EpzZ^?o#?Q#$V5BWe7aYub6_|Y08VU}EHmGRy6ZjnW zdTz#|F^OMbOKfv35?_RvQ_$&~?C2+7C?P=j0s!a?5GFRqZN&piC8~{3!6MsEO|drY zH*kd903Pw<M0N<ROkdzQ0t1|~W1i)-pmJH$GEb*GWDVnwFs0FAp0(5|LGH5xI^^rU zK&8pp<0d)Qv@J{L^F&i_FkO-D0#iWn;;UU0v8KvPoMhp!(UPw4H7O`*@_9Py5?X@~ z#Wd1!JGw51jY}Rp4&Q<8v;hcY8R}*uY3?S+iQeH9oth3P!rp?jlb+QO+xSHYDH<?u z2#c><C@Jw7s7xq*rPx;=ZO&LHJdsZ1Fg_Um*BJ+n4L1RiB~}xivnrb3ut6Jn+c8+} zU%`;ISrp`uS7r{LGuKadgGfl@%PiCQl80Mj-V~I=Y0~MG8|bvQn7_@#7XGK`Kq&$B zZITdX(-xHhWbhCmX@$D|IQ2I41@va!=_G-G50+B;{HLlOa6EgOo^?_q(?5@A&)|<; zZ@c|0_#mG3;g9`ngZ+#)>{E*7cowvuQRMzpkK>PBZ<hUxP7pq|7k}($`Svr~2v7Cm zkNs=}(f}iwedleuvjrJkd$P9TFAcvZYZ$*M0?#hBAEk^eD#m5C6(&%pBZ*W`)=d1R zx%Ff{gI`uf0`GRg6{(oUf7Y56DScs2)&=~fiT7kRuT84Bj4M(x&Tpt~Fe}orGo*9F zUxG?cRv&&P^mr9lq+)D{(zcitNs;c!+JL_VvYxCMekD{q2dU7=qGB5V*=AOxWQjdl zhw+!-*^^ZTz$8@sJFZB@II*I()2vvAY_SAE2E<oTXjdum271@uQ-w|}SVzxN_=bgd zRop!B31%zW6V!a1c_5R}yeViGX2sKDw#4~ocm${5A2=P<er#U2=%UZO@K6%jvY>X( zyhcKzpmxE$aMOkNCeEp)72sQ&&KG$X;8!zdw^M-8Y$71Wsh~DXKBA5z`>TxE+o%lg zFO1*Uc0PjqD7d%Waqr2k^4?m<y)~_L&zeOuKLHrZ<V4!#wY=DAUBG_z1b!QNi+Kby zpPIuv8@T~+ROLCV3B--Sryvu2JJ~J!FX?@kUNjr_Xp~5~Cia`hATNEqcV2?Nk#P)S z$Qkr6mJ|{FNPFOG$*fWCr+<-%d{yPRT`Mphq!=7W-{>XAvy5B$m_It>S&BgG9T6gk zBAJzV2T>$*67M*pNX+?QA{Z^AFp9u~(nWyKWbk;_D33ohNW*FILVtMQC`{}Cyfm@z z*V_v{xT@FMKS}HQx}32XA`c+1QgmUVpI0gvn<vt)6ryj<(`zaUvo>&nn}H|R4JIQV zE2IvaiVw#=*a!v?S8x%@K#^M^k8t69AX0uMU<=D<k->s`oDQmsH6X?o@d*gIqor>_ z7Nfv9>E9sdB;H*(2nVRDJ&9?={E+?op8#pb8d9hr%j-k1ov7MgdQLX${;haUsTwY- zU#FDjkxmG;Ba|Y|;S5pR{}zu-QAUma30=HIPEJl;r?yinH2X;YB5LJPoCObzYAN-` zPn(BvBtM@{)E6NXk1ejmAvu^0uky<o*qSKEz^&n<AW3$e!WK(JF*GT~_95Ss1_vJ* ziqU=%Wm~vCf?)?nw8v<P!^8R<`L-B7M@4UMN?HWGN-#y-hy?Q83*bq|TM$bc2i55J z00S&S|6xF~R*Ml(|62MP*`_}p>kX*Y_x~HggxxNVSof6HYc-_^Ei}p&`uk8x%B(YS z+cJIDY742*94<uZAJh(F2Hee`;YY33OT)-F8xi!Z(J$uh1dY7dogbQyb3(Bf$71a$ zeWuJkbFte4KUl~sib2m6J<~X?7hMeaeW85upc}Y@s`Wb3kLS7Z3#aWGLA-|8deu%? zh(&>(k9fxzz@e?e@U&+9fvU>*4<kS0f588Y57Er2Eh3Wq84psQ6ypuK=zvGSzw{zx zRZC03+FD|>zD$|~1<4UYJVh%J#!Hr92R#pZj&oS#)wo%60RVDLkJ)3g1_bZE`Tkws zK(K^mTo~AqoNWQr40%*{VD<}iJ|gx^ouZU9yF)kaI*CcGcWJw+wIU<0PtK7<&2iA8 z>=xmZPjj$VR1d986`>Jrn0Job!TD?lVKC)U&?^L-Q^01m*Vs7I*jQw2oMmh*70b$E z=hz12PY{9Wq(FldB=Z!aJfIASGO*qUz^Ngi3(9v1o2R*>OI^stfm|6#;{xGbuPD@! zXQE=JUQvXMZhFNWI)j0b!h^`|*ShfCe*{SxmLsOvfkc8u^mVWZ7PftewQZ26TFC<| zhUKWRdvN;H92l96k!&i2#%%4@9$d7^Z;nsTq!BJ~>kB;a$LS03E+~xlqlPD#g)w^! zZx-`b5t~NXh<vMFA>mrfNu6)+y?)U*3ord<ec6onj{P?Cy{_N7H9DFTb^jX>OPSF_ zuhs-3$SXi4aIyl}x2DL}g@Jqly^+o-k>9$)7bMd}$Qbtw+#M@iPcc7Tf-ED1lGa-p zNNAMN3KcWwwv4p4M4J}Mcm<#^4(2ia?W2`LIPM^A<9pl`>(){vc5r~n!O#und#l1z z*F_$>eO$DBCIT@$k<0E)-pFOoX765qGxlrNUJt(X%t!{dEG+!XtT#7SA}YJ2Wn}9& z0A@JEdKSL4kS2>4hAf$5?uIdYX`A5%7k6MskUp(O7t>JMcmyCHlnva}(bW!q-(|3r z27CkVNAN=0`cjyGfH;?qQv+|gs13Zk6q7KUz$9cC4NYPTCQ(I`a7Bh`62q9p3vv=K z&?KT23lXpb%gUix<qCAbzR1aN`4%C{m=bU}H2eO&n2X31Fry%*onF#0E;5{<c5K6K zbx*BtFU8COsqofVeeSwl&y~^(WXs)qiHPAxcBCt3Z{ImY@pnaHZr!zapS<smbY-p6 zC(Jk+>B@*)R$Iqwov4XdLjs?HXy7^eY9!vx@2T_`=@2cEB?m`mF07^>vq+1j{k=Xz z%fAhw&sE^ilEn961{R6Ony2svdvAayz<7b(0zMAPN@}Wc{Txg^z6W{#c_Q-`1KlZP z;57t6AYb?#^a!O@3Ib2jLv1<VI*c}0dcankwu>I1?JPD1$I02=tTJVr9DRef3iUt% zs!$Pw1p`QS{S!%^4HTfYGR1Zz&K<$KbP*SO2K1RMgUB#W2ZW9Tu;hBD^`IzpB;2J4 z$69*L&~)^G2p#ZfaPHKMzp%X}ykRy4Y$;3^yo>sxm?oHLXYvG`uX>$2+WcRl`AZ{( zBRI%T$(lmc5ezUPr8tiBe2h1Zj5Y*b0@H5lG+AK1Q&1w0P=f3jBqtK<sDtB`qJ@4A z!GHs+B*Q@>Bsib<d7W>xjm)be%%K$Xw>eRU?$)Ql8Q92!=tW{kcZ0SawLStn!Uemi zwbAel97W1~m;jyVg4CBbZsnt!!8oi%22C|1lctW=`A>O~8JV3YQ4op|-(80fvweu* zY641}NeikpkeVzZRm=U@JfGuax<3}!Zu!uW1EWnbLN@uaU>Mr{$AD3C*Gc#p`J&f_ zw}4Pos@Dfp0clWdtONdPj}xZR<AqE|;WQ78g$D-4W(|N&5N}9-uBio0GxC;`5P|nc zAmJ;gUwVdGDRRaL5VhSEB*cYZAUs*?q!Km}qz5Df|0RYK#1yuoFH>3y1$j(>jn5hp z@;q=aCzE?I_oR_+RiQ~p=Z9&!WTKDR?WPVu&PY0(q4~b4z$nj^^qdAAS>EziP|YD? zY!|~5f&Dal6t~HLy)l~xjj@{HMI?A`$067^NCU7qyB)L0%Rum|M^1oPH^mqYq2(+y zxQ`OkH5jwD8+l~TA@-F@$_bScWm1Me37O(GYW0g&t2rhd&}h`V7p!-#?n<G^n3LI; zP08%>O|x1u$47(1YW_ZBqY0xu<X0gdkEYyCXazpGg%=SXm~gg?2cnVx5VVkAZ-aOs zxW$I+#cddIvX}%EFh^j*!5;5}RNnzl8gDZe@%J3?#~yEH%6K1eLuC1=5%YM77Et)4 zrnq5lf(1*N0QQ{c!)~N0ASj;FtIg}f^?HxGXYm6c)L1Wl%EN*#p_>bvKd@fm5+1<K z;)AQ#>0ZR#jwE16+vO}p=~Tb=73`|e(zeSGbhm|WYr70f!?w`Gw#yj6Hnn3HXn^(v z)@L9~TaK??Yp_I)&D+g4v@Lk#yc>DgkHZ}KL4F#Zpt;TG=0WCeZD!JqXxmvtAkRC4 z!Kh!GiB9oSg2C@VGArzO4qvjD=aPDnch97~>n=_lkt|!7_HJ3)yKB?l-In(5lWFh% zIPKjtY447ty_-KP-7HFz?jj0z<`pjAr@OxmP(}Yt@jZpl3-}zx=U4c=kIw`=n}<&= zKKJAEC_Xph^N;u_<NjU#xiT`{S=l+BF=KQ8UHTj6Wy&i5V1K~{`hp)A#&LAnuwcNx zDeidpZ`$r6q+boEwIkq;_M_a2gkOo&$xWmd8!8CbE#xW!K9ObIjFS~yIC?*P*pY^S zI7?^P)s6R5m3c58<v<x;GEkOJKauxeukxcRkC)D;<)^i+fZmnKZp|^HeB^v*+h7?s zPuyNwiYo||>Pt1===_%=!*kTH(UD>7uD(C#-SrH<)R)SA!DZSCpjH1idiqoQdf-9h z0iS#{pz+TQC^gWC_)FMNOZm<=+zG}?H&L98e_-hw<?!-*@U-lWDTT|l$NA|s=F{6= zE%yzaGdtW(O<lolbkfh9nq}Ha{6O7>!Pr2U8l;OkP;i<tSr}(&b^ssDv#T31GXQzu zyTEUJJebHteD25R8hlpaGZ&u*d_wprW9XkNW6YRLe7m#wl75*#l<b@_9{c&2_;Yg= z0bdG7@`%^KQ+p~v9?`$!{LO4j&Bs}Qg$-mRC3j&vr(H)bkMRNv3qNU<9|i`!Ldpt_ z-ShZuTvK7!)Uzp(K4MpquNMcT{i~6P7xr+tf@J`A*uT0bo8B`>b{EDPdM2#br2R=l zPc|vv5ZxqNpcRrjz9XiRJZ+qStR|#j3+8T0+p>(>@nvYZR06LTBVE^x3Yu?r0_j13 z0z?5TRnoQSjbAsO=eK(^5DSM1*rj|S*kbH*i@6*nb)|0TcrpuCELLH8Nuq*01;F5O z$Il^RaOz)Eu(CQ&cz1?0XohaAr;MbrMpU6am>M|G+Mjta1S!_cX_=fzhG@`M#V#u` z%_l9l3(M{?-LiXJYui1pkamypWcSEs<4w2d>Spsz;*L+){<NRhf1vpm0JQ#L#kY1B zAyBYw@ELqTSK%#tTVS~OpAqviw3aNTihf^AuiGzP)f*4@1WwYOo<JXc;qXk$c}_n7 z+i4Ipvdt>ynJoYeM$EPPI4b>VQ-%W(3sMfs6PJ#|#sd@c<FUWPIc#a4$<Z{lGw?iF zpZ(ElU#yf8;GEGL`=BE~D;f`r?#MZ}9zY_4XQ3nHO~Hccfs=F>;YzRTf#*V3V?;>4 zVVZ|UHM~>u0v6(TBfs|P;a)ww7fC`JeYSlW#zIgsvRDf|g~^ffF!@E@ej42i<up2& zBJ{=|BQBkgVxSHg2jEQ+_@9r}pBLeCOw`34(Vvi|=H0&$f%C-&=MhQg>?EBc(Ah2S zi<vD5K(6t}BD_}wp2NUJ;8{!xqSaM2dXfvtkWPayw?-Ced0qL?$%RoL3<9sb&f6-t zgQ)IHOSQ@3@>P(qHbV+u6s{Cn)Ml{ob$gq^!q?<BLkeHjD9OSX3ords0D!m<)<2Fe zN$`?SKY-Y2{D_hR@O9)TtMF3^=OxQt{pV0HS^nxjgqzW?Ib^V77#X<46T6s809$<; ziC?m>Z&DK^cgf2LU6Q~hFGF-ml9s%@k1k2Xl9%;#NwSr^tfWg4s^lekOf-_F<mF9t zNn(_|yqYdaev+5DbV-7fyc|Iy0F5LjdHKKTl0+qW`6e!j^2r72r{q%|XCIn#>1-_r zWnK&%b|LTbwnXyK|3hlzT++?I!p+vnpe1*paSD4U(bps>{cY6nMR=J_I|isL?m*B; z*^k2b=O-bT;ZuOmC-M0dKGpcF!siS4==eO2&)?zmJU$QOa}uBbPvkZ5Tcota-cpTX zTd*P~#8ywd)Hm09sV{ND3U`CFeRl(OrRS5j8{QQVcY6}CWw&Q(?6IdQcq&{Bw<esL zcsV#I4SSKqP;5;JT3A|EQsu#mHehJF)~U7+OsHLtNNAipxQqi%M4yHb{RH+}iDh3v zZ~lzuu)q<)aK82pY-_C<$fC95kL__w(Yo0lB$HxcLPjww#vqS#7-uQNg+rz!d2i4c z4Iny?gwrA}Ly@DzU+G0^_4JxQD~=LoU=&EalaD*>#MpozNK?oyOu<C1N41flaZ20C z!zIznyu;=aKS*2sfcY98#6`mT$5p|)allws1y}}5JDR4@i<nq|vma8<KD6S4n*jC} z5A|<Gp$<3Ei-}W|Wjsd4rqLe_jrJ%l878@r;WtZ4%KuE>bQbPjMW)f7z<Hnvcx_C6 zos(a$%P&$<Ej}#Spct<Q4o3s$5kxZ)6B$!)9K#xHkDwe_QA1E53xXGiZjj(=s76c> z_jpj?;+A#MK#aXrYe7MPiS@{X60JM8jLRddIbROSOR7#!`{d;m^YV3hnQva6k(bEV zj>6mw&iWYP!!}zorHE+YBvxV&czT9--J#gF--1_!PYTG3DF3<<K7-sU4Yk_0c>Sl- z@(e}x7XZJngK3MRQ{|#zl~a%yG&Y}F1%sZwfoB%V1TG;H7SKcfI%EBcAB6kU8UQOn zW#aXj8DF1Bi$@Xr=;ZkdVEGV5STqiXTnogzUB7mV1F@N(LklCEz$`pPx+*DAZZ8Qx zd_eD3vkRP&X^36>S(Fa@*@TCXjtVq+ZXl;8aE?}2Zs!Sjk!Md1Nx67&Cw!y>S>h-X zOza|W2c2F%Gq+_>{rWdi{-*FywBF0+QY2r4Cxp&(M_OP4q1<0rhRWu)oNFzid=R%A zb!SY&q1ui&tk7{;N<?`i_Ls=G2l*8_iwL5VZGwZ992i@JQ~XC_56dEu>O-Fsb+6OW zXq+>H^Svz6MOoj_F@{MeTqB|-AGXUz=qE%HTbA2N^zX6c*>X#sMU`-=6lrfEk+w*> z@@|M$x`Nu1gaETCa4Pl~`>?(J^lmFqje%dXuMf4k?&hq$q!Gpbb`9Khv&d2l>2(;( z@@?D@2lV@fVuF4l8_;3o`ydYzh1DV71(B<t;U_tnD2*>tB$SEjlbG@TNS9~EKD=)S zd7O~{s(e^?Pr|6P$A#U(HIRXqbYx)Sbky!&T;X$=GPRDZXGknpcOI`*4_~N(92bmz zg)=Mq0XMasUlmwK$xMo%7K1q4B#^iBp(|=cZ|rTJA*`$YBzR$W*cQTmQll>hd>Nrh zBAb-{D{Vmnr70aN==>GN9nLCaa98rFVI2EM)G4Lr?0*-4F;_*69;6F?^OhbyPat7l zB~z8C9n7m*5u&pY>dl*f$=qr#!f~<e2%MK;I2ObDKEkbtzAR#%bt9qBCu|e~S`EN6 zH;mIe>nUt_{u4IaB5Hp(wlyIqlHQ#mtM^CptlJY>E)*XO6aezZ9n7w<{Y`cyh6g~~ zDP#a=x6ig-FTy8rCQ^(~OOYc7e31cH_!pwbxn&=z#<WbT0D8d8VjCKy3@S;Pc-h|o z-ea9#)t)8PO>edVv4sXhaz5xj2ug44(YK|II5dl10-8blcOCG$3$e(Zh(&(+*yS4V z;UQ*o@TB55(>T-Uu65dcl2lN<DA5|ULj`1d#`bQuDxFLm9vDDqKK!tVU9frS?La|4 zQ&1#V<>BInDZf$&rr|t~=rf5SxaBxSi~gkjYUe*dc0Zre9X1gvaF<g)q!UJA$9pU6 z8S#9k!+u{+T)p@rqC`{suv{1;#OsQW>*3cC`xg7bzc8&MLRN`v0MWpiAfNq<Jsy8> zD`+R|bmy?Ka<t4cW!nHk<3Xvj;XXm|oqi|9c~~2CXf-x{TD%g~ucyB+^N!lHiTfiU z_{=T^MA<XJu=CuRfJym4326XCHiPP6>AsVHW0mw)h5h*iS!=!j!1i$b8fQ5#;e1ZK zJvt4Cy~iZ|6M|otjmhO(h9}i{pg<-T02ab3DC6#KNr}6&QeOCIUPTT+9O}?JmpC_p zY$6dp2!ug8C=PGA&OT#2$>J#EjpjnTF642`gkqoP{kaUHn4a9N6lx{BAhcQuvQ4yF zpMf~8QfmpG!|tcFah;*hf}-JT3W?j_BANgRg%1IawKT8rr$}lnH{%cIq{88Pm~aW3 ztfQ$5&5@a^oO!g<VYsD$H45VW)#&+S50ra@cuHaeTIbxj^dcbY$dh?MCX*%fFzvhc zdvHRduhZ6Kfblwkwr*fxm?6J_-^ZbkLG9V^gC0C)0dxx!50XDEqc)G3hv-;+-XC=S zNXamD5cJ3RI6l(v(#MC#+gT_%D|R_}{&>?eEt|3SgL$Uw$&>-$APO&+g;{Dl$=@b+ zsU2sDS(f4K({M>&%aouzN!gpcVl?i^Lte!?%>8;o0h~>v0`-yie4G7xjh~5|^Tk@? z0Z+7i`ZB1NvrIQIu*wa>GaDigcx3E1^%w=#wb^epd+KAy<s~puZ}tp8IL^}mPeKz) z@@NK;F*iUZ9XW+4``0iG{3$)ly|LRI?ioqa9ps$wMfyvD@FszRpRiy~0&U{MagPzC z0(ebvP%GOE)eW1H28Edr34NfpLEEs2V?Tm)`wWfsY=}bX!^7}chq!A>0KjoORx%6% z1JZA$gzBtbX{K;aQ3UKPE9O2*z$VMT;e|dyhjXM?pN7JRlYluObhQm7S*tJ{m2)ow zxJ9(jrDI-ge+UAWI2x^S$#}dSuJZQI@Z}jVN6X!qGW+o5;)Tc3Id9{75=9!cLO`rO z_Vq^Cb?6XDy*86TIGawKNYSMpYLMyCFCYWL1oQ)`hBh0)5ZIu0kkk)Qs2vvw){byt z`1H|Nw=_iTqlZhpG{i+py72+_loHl4K4jPB5!S{ASK)<3oIQodiFalsjk7jB&god1 zFB;j%j$;DT5q2;=&D&tZWlj;!8grV68k&p5%rfe|$YvJ2xDIOsuP2>ZGdAO;e90^7 zgUW?9A<YT$C9+5$6NMY>Z5ReTrrWUba4rgz!!n!Y(u6rUa!^?G$Ic(|d^^Am1h<p@ zO%%_Xx3*aCKl^fnv1tutDbmv=9);#1u6}OQnpV8KYOOKramm5-g@5hE+AJt(TC?>x zlAo*uW=={)e?GFnt!`SSg$PKdJcdA73wA3KVaHWyKWlw+QU2q{(?Bo9rWV^C$3*SC zC)T!N`cMG<7*PXsz(}t<2j$E*Vz5cWd?6ZUj!<y5{R~t&SXIoBRRqe@^;ZaH$iYN< z*`MNuO@Q0!X`>fOlt^<r8@f~AEI(ocL$`{mf=FiptDhrL_baFmWn>5k5hsZ3%<ht| zN5>$mFKR0T6|ml;XiqkkK?OnYi$hyDHqF&g4!aGtJ-TZE7I}}I4tS)8s(`K`@#8S! zV`Zl7tDWye!Bm)l$W-<yBX{98s>ZXz3U0Ebl`qPps_SB*+h`;lW&b_&EmOd)zEPh4 zM(*J<WPuA``2wZNjaA_`PB=qm-~%2pnTYN7q{8_xj9^`3lkLI-aO4#qM7S{&S(q&< z@nX1hdL`t8A$@7Sk)b#E5$4dlSMfz!kOzHyNWH%srh8=u@?m>2T?09yyX%}UvrDh^ z>em2(q8f>Q3ITX`N$=JS(JR8_BKC{y?_RnL#Wq)TL2It_yE0talqdLXI8$%HYYhCr z`D~anGWX$46oDy-hlcth^U&ekHdJRt+#!y9H}Y0a*RL}(_jL_t&gjLl3>TP|-{s+< zp&T3|MPfo|nmNRMkZCH>c)n0(1V&s}q5XKXJnVg=KL5zs+Ra|$Y*x~v7;T+6Jxbk} zRtD$q?1BFmpU(ll1Ne6A7gL^=a`LUI^5JBSUgXC8IlJPQxzQQyYM+?z$%IFf@;UF% zhx_bA(AbFRf7mrQP7%xeFxvd{pOOS`y_D4I9N#AW0_6jMJrF{e<$aXQp7drpCMBqj z^lw1RV16b%%v-!-g-?|EfeK!v7ey+45A&p&hFWAz?v0&@(ugRtTQdDdLy&45GQ4BB zG+urVTQlV@19eQOZa$}elV87!C<_#o_2K^puIBfY`Dr(&#N)=(f0*z={DZ7ek-h@+ zv29PHE%vxOrbPYW{kbr`iavGE5Z-z#7J0hf17yhhleetCCa5jGi|F+%W=ph0bT8z% z=X112zKC&8LmH8<07NeA+iJkm;s@hD0nX*Igak@_8COK6=yy`EpUFx)sfRe~^4kHs z5C6YzANK9pG<=R<fXGsEAXGxSQ+xt5A>}+tC5G^l!y{PWX-AQl$}x=sy%;Y3N65uL z%2b-*csAeQ_3zyutv9a^8S+W3LK^gTvcV^=Qpj2*lD#OqN_>^Rgbm$w8PPEBQh*T9 zv=}boMK2QLI`P&$cx#mUQjU1-#4o3vx^&{iThq?uzP9~Zmg4~r(?Wth{AQY)l4K>V zI}s?y7BcrowHHI!;Y080v!0u~cJ$s{?LGe1j^5+%sW0ura+xL%`F_Yh&U~LAb-vI4 z2hR6x_4)MkwU;;aXyVc~TT4q)dg2CLFY_}Yt@}}c7r?z`5u5ARojA8Hvs2x3RNd3J z?w)mG-?US7>r&sk6K}1Xmbor>AKp4Okg4uDuujjEYrWFa7cJ>7X<4Oo=cJtJf7|$K z&qr<ln`CsAnnv=x9KPl4s3Gcn;^kVx+&yoam|L1Sy_ciShPo%GYuKYc4`P_pb<UI9 zw@w_uT&KOuv;FnDX?^Q*PpNxehGG4X=<51~hf8<ncH!vFA2M?%KC62O=J|VZRtr)M z<1_(S^sYPcp1S9_`qPA!mhh7G)jghs!NBs%6Ycwh+T;CV!}~us{-nbX%E*$4^N%Fs zMx305C0-!W5g^u}?)d;9yFCdn)`^Mhy7qa19>9iamn_`3v0)#up=VuJr|0)a|Bt!; zZ`1nk8Fl^Tdan}-4Fa2Vv}GT)8GG}k!ZY-6A}qf!IxO#FSP~p1XPCK&UXi4nI9G)o zBl@NtIPun{<Je4-a{Kg2CQpd7gj1>a(sG0Z(vdn|<bO?Gf3<@$`6Q3qK_7^sfcC-3 z8z1~ak+TR2g~`~|J%{cQ*S7sqfyR-0Mi7y>o_=@z(jzbP)#p3$Yaga}>QbL%d_apg zK_*DRZ~Fz;?8Svu^B11n-mdpiuRFI_SN{;=fmL(jk0A1K#ohu;21-%yjB4+Rw?yxW z_mFl!fgeIY@rYxhtL-hG!8u=UAE?K$r|T_qPM7m@`_$*5S9x>$0FaMv)kYs054)3g zLqa0{0_Vl89i0$~5v_30Sf_h<p7x>_A56Vv=eDC(<^0s2lB02(Y||kP@bl#UZj${? zIH0%^J3C;y8sohubj6b}`+NRF`jhfgoId{7*&mc65EA(Vi5vQJ*2W-H4`uO-6US9# z#yA2LAi)4=P~edBj)-E$_S5PS#`mGzcYyDg)FXN^gB_{zZ9u2p$8>f(VJ+k9E$P`P z`205T`3VaZ67gSsIW4Xx)Zk^d|4{uTe)nHzJx%fbzv<n7D82iyi$DKO50b1i%ukR{ zM=mK|EWlc_1e1IrVFKw?J37H@K|a|Ya7JHV=og3dRfPr9UM5lstH2eOmsRcf2NV^{ z3t`WM8PNxm?qZa#a^owXNh~PWN-1|1ACLX06orS?Js0t=@+0cg@4GS$q+}31k+X_8 z5&I6FPTN{I<<jx%mKWw<>bq_snmRIV6&mls<1JKq6>gzvh$I0|E~zUo>-l<>+sP44 zyJmXgY#9b^N-2MUUXBW%_hA@Lf)Bln+=5T9zOZo0w3h*;0uwq{#-T&`dc;D2VtL^d zO4SJnsQ`^nEF}nGb}Wae?UVw=hSE1E0F|B&qbf``WWu^=LkqBy5{~+Gmk%OXE@EMF zAs1m7UMjCXeav?~EMiL6TO<L+?<j_K$B#0!P+s)nQ+K18w>*&KPzll=4X^lMZZFr| z-3wi@tKWkQ{}@@pYe{<406I8A&$@<LQ0x;uj4dZ(hwkFFG*^*V)GK<hmQzsSL~J)6 zn``OCTDH(yy2Tl+CUw$HQxoqNA14X(*DPTU<sMU?e#a+pY)Ve<*S_2#D)<gf7E|ME zfI!{d4G_EoUAGfrEuKIc{k2EkeaM4p<i4AG40HA(daS{1&7%u);Sl7)+#&tWKNOE7 z{@}fe9*R-S7eRW%xagHq<~2Vp!$4q$oN-xni=#7+#Qx`8O#f)?0DYZV2EXgKnDJZh zYq9n#y>CahxWZj*2*~kbpLmCWBcVd8e>r!k_@MgqCA?(Z0hoPs#{rmbb@x7i<r2Ws z4eW`7<z){<_xJMwi`;jl<PRtf<z9xULK6Itz7=@brH2ZAUBeWnbOSKi&-0mqef&E@ z5}wi7IXt5a^aTqdIr5U{<lJ%}w%<-*cuD)M6Su7W_Q#}0*VAxErAIk<`XTfvb|)(T zyU?R43G{j_l+PsiTyoGOf=?mS>*?v}^)HAbfmT`cn%r57X;%VQK|)|}SKBk3)W}8C zBx>}U81BJxV=0KFO%d3T@4G;mK*M{C$O(h+%23qZy}mJo6+{*KfrF%3(xwBUIp*tn zThb&yU0{n^*Hduq>3Z9PvFC%_J&npfN#!s&qH>@}7z5L@DJc}rx?@qe9-?n!BnNuS zGlsa+iP+pbcr^=|ulOX7VTx416zOU_rcq)=^K*N1UjsQhgtRPlr%N0vzDV;D@8=F- zPHn%TiHh#r%RD=E_XikW*Kd8f!`L!(#lLxLU@G0_L};@fLhAqkO+a)@@&ua9`xa9R zc<2EdfXeF2J<;`Bx+e7%oBSPpi(4=HL&+2Ao8WIBn?8-34PYFN)zcT#r|oI!6SY@- zoG4zASb;EXK<s^jlLQbk4$vnM>D}*1Ja9tkJrha?@D%gx_F?J0;*?x;f>j^p4}cvY zm@tGu^8j~?hk5BfU7U&oX&<PSm(r-bED3LcNqFA@!h1n{iS*u1!LmnVkI>h96qk@Z zH6~L8uR$C}gTHGhrv66V@EcjpceC#QTK~__UEII$VV}k2LuR@HIGo5qjg09dI6mfF zs<iP`XdgA`uZx`8<%s?sc_T24W3xuy;}YEQdjA>6bG|b&SQZD-^1@OZMsHX!dgF`* zrSOzDaF&-7HDb;@%jbBO#8pfPjt(=-pR3}1_p}@i7)ezd&vBZ>T&-6dM_xrLqW$hy z>qcJ9(y(kFzGfqOf<=X(j`o1tv^WS4@Vpw312&fhU5?TpcV<mqbxeLT29z-O_K!bz zLdf|19~*7{M9>vP@=dcLp0|tN%5pBz<49gs@;5u#v9w3wTn-{H_!;^$EkW}AhMv$= zyr0n(o`ha@Eb%pMPcnFkaeFZ?7-7@|&J?<qYazPE-?W1~-6{2~w?n!@H-W*MCzFwc zeeyg7OsIvDo;7VxSRTvsa>1OIjMqePpVR7s@gw0qT2NARp_}kbn4d2^)eZzLxJr6x z<AI<6ST@p(uFnW!jLkBRiQb_+BPHxjDjm~H5`4ToG)!b2WWsf6@~tr1$E`}{_~PTI z$n%8NVtjyvwwHMEv3^7&guLq_rSp|gR#{2c)(febv(5E{0o!-%x3I6sRrQ6h8Ew|m zibV&^FlB|OOwoA=Veyq5ZJo-P)lj1a&6!GA;dDC1Jw+>xlHL|~xn9jjyqqvILVs($ zb}3;-7$0U)+)0aqR}_rjF%}u<+7Hrv4s3mgQh_I~BbCQ7fO2yp9vu3y;&`_v3<<$E z7*Gv-WR8^i@a)bw(u6TiDX&?E5UkjXx0*Ioghtrbz1CmKIMW*K@q{KZ%cR}I>p?@8 z*=3>RffXF+A@oy>Y(NCzv7&tW-{aB~x)Sj4V?|L0B#P3ea}j#z3SEPT97bS1OhOI3 ziC1FS{)7=xs({2H5qv-od<b@!nlN?DJK=2sPLk_rg6n%rvgp_fl4c_Fpqvco2I)5U zEWgyn<DCiynlfG+f?UXlwb^J6TcJFBMfP!70wfM(p^e1^5O{8p12a^pt@#mxlqoz8 z(D*;>y$g6$)zv?ILJ~j-W~!hds3Rs2goHEq`%FSEB$68>;iAAW$xO&VG85-Q2!euv zN*tnTi<P#hs95oiEh;K%5GqlrVx@|T78P|cSR+yeZ~6b$KIhDwTu|EnzxR8d?|TD# z&pG?L_S$Q&wf5SVGnZn-t3p%pUdLz=9}_0D;+yAuWH+8<?Y*3}7q`jBPjI~Y`ssM9 zX*Bg~wb0(#Cf49k5eyjL<W!=C#1|x-55yPRN>Yg7#RteSNFf9)!l8;tch?}z*R*C7 z8G@lR1i|%m>O`1i%FM_Z2?G4H>ElnKQPfH#q>)F!0xM`?A4=#odL(`z-UvxddLMxA zyDktLE(zf=0vRn5`{R&M4eJlwCqq37+N7_Kir29v$MHQNAR_)r{+!zzxzuW*I2n2E zZ?RQk-!H!T9y$G7IkqW>$FkjYxWXO5L~7A@a42zKc8anwL9vBWtnI)z(o)TkFgF#9 zZh3Juw)>u7*QC-753K+3F@fW>7Yd){eJ7HNtv|wXv0>Qm(sor+>mUkC!Zsl2S*<0w zNU8}8Ep_cmR2J#^dQV~~c}B}CiMf%4h_R(7DQHc7GJEjzNr-Lf__5{G@Fp|1>23H2 zhi!Cp`)$|ceTj(UB7@)N-X7a^vGn#H_ukm9)Hyx+im2xbM3-Ro0h9ReTXrWEqE?)N zLiLIN0G>9`CbCs23oY*iE{qJB{ElU=V%fQMtK~OUVtX}ok;_r33a%7x>{&P>joFcF zQc|CsJ-FrD5lz<ACvHeP!qII?Bk_Zs@94}uk->C-r}F8cXoTg!!m%CS9HNV*a}c>_ zU(QJSSPUh@BXtKozKgnlg!>Tg92CS60utF@0yn5PL4qD|J~@7V6OxbSu(&@3x-L4s zbrmkO3ZEaDE_Tv65iVMn0eqc|3@L04pM-R6%ET$Yrja<c+|z^)Hf(>NQ$%&=qdWGF zZu1-^BOg21S#=?D(Z2uA9(k}`3>Lv+@QjYbgO4NQj8AkngC>|1`4+on+mh%69v3}A zTQ_r4+RBn52V1MU1uBA;-c|<EITg8<c+|yT?*_pXwY-#=6B&Zrra=<Ja27GKlTIUk zgv&(n?NjWAV|OrPUp)+Xxj1gBpleRCu@$>5+dTN5t=NQLUm!N&)F2l7cCXk_EH;tF zzSk>ub}Tk2gv(P?fMT2|9Tb_BB(H%NQ^h(7_@M8UR^j_v)5I<qLJTtryF*tDMQ-#J z$&UWbJQpO4W`2fd%07um<<Zu-FM$p5D%W#xm20>$^~pKnHLj(&#&vM3>fgV{_0=<7 z<BIR^;JTdAP&)P%u$x@LCY@|)9uKjmvIo}xY1jnE?iU8-wdEfMXJYpYhmW+fVBvn@ zPjJ8RiP!&`cw+ZIrTc~dMPxDg#Xk27UjjYlqQ3VFqxZ%8g?pa@>~&v1U;{iXsO5MX z&;~xVj`-03J@_J>u)ALj2*<E$+M#CbZrMGKsPiPd>$oeKMJxm(N_Nutf#rUPa5FM{ z?Tx<u#HhhA>9}mD5a$_Mj9hp)wv!$Omqrl<k-@1?7A9e9LE-SuoYqw0k%_xgpM;fr z2t{Ql)ml22;m|IKrxuqeQaRygB10%eVbSp2EgcE1L&8Iy;%9ysU+)D0@CBs}EaXeg zyHNb*&@D+2{ukiNAi7a$;Yib%@Hx@h0yNb)c7fZLaa4F%i)rYx<Y$PB)0aVKW8-`1 z3Oe5zK@5i+X+jP@GANf$Q*(taor#Hu=$h#F==)9!6{%0oWK6USOmy|fjEOel$GMP! ziY<K3*4e~Q@x+coFPrcb<EWiZiK7;X(L|&oSEX!t6B#Ss+OI&F6>wTO7hGT7O7zkV zodD;WaaRr*CL*gh62;KQS6rFcJQ(~BRKKraK0?8+_Z2LnhkXTZ`sp_wXuoOcPkxOd zQd$TS!nYg>sepcabt9$4LUi#NqRWNo@-swN3eluv^)H;HO|R~!@d6TrCiPl02VK_F zG(VyvO%S&gH@V5v_PoguG)KH&lO4c_mqGb~H)vD`NS`d75A~+4oLYF^oVMnKcIkZ1 zYts^6ceY%o#by1A+EQ)^of9d@XiHfG#t5}Y-1$t%M0xl=Aq|RmaBorcVY;2DNgIc0 zJ_Bsubk-X^Z|<AUx}hzo+&3MDCmb|5kJ`NtD@G}}vIsXYvyX2Kf>p7g5JQYT6iW}~ z(nF>AFk^m%9dQEqW<W1HU-VjAPC_}p9!N(OTTAC7L2aaBex&E7L6}diN6G}!n}pmg z*Sa~_^K%ywW22qoNv#EL)S!*bShV|tK{I=T?(*oC%Shs;w7^~#GDdPU+N|qnG-0za zov~thv>3|@>3VqD0!-`#UxL<_N2`V0v8z#I9Rf{^9b`Sf|3Oh~7~iv>G_`>~IVh0@ z@ZWNLH2A>__||sa{84n6yBp{7S{L9#l0rZxP9{><zKBs)mu6#giM@iFJHXK*IuNrN zDRHw4cormRP9?3L46@7_n%cG%5x@)XWlM=9wZkx+cUwwZ2@Y77MB%=lS(lCCAx)OE z;;{ujb*%$gaKeKQSmUtZs172!ZZ^G1U3)p=a3qP2=?M3+w_K;>Lep>!MdZyytQx(7 z1O5v7UTpLNP!%%alpZ^sRf^kV#jjao?{ezecK{(t`voVb9m_{j;TSSI{{y9)PB~$l zGy7!ros<&%Y(@&c)|H5_#m&IhdPO44Ju~p}w2`=|Um~&5t+}Hk_`X2yxPG<`d@~R? zbOFDM*a-mo8Xc@ceed^{0NQ~e(eGRar3Mw@6Wih^v_UT7a&5or`elxPP*0e=6awqA zo%CJLQjT*XIirR9_j(Z>qnDJ~k==E3sjr}e_aYPA(ZKG<2IFDGTj%~cf~g>ixtGw& zI#=^<D~?h@W0dH|3A#Cm=osB>BD%Q~bHniW&>}HJ1#$>gh@=qq;LbZb1N&yrGR3|E zC5VKJj-n%S=Yj-^T5;oCPv`<1Hlf|^v0H?3>M6JD#=fEbP<J&uW<X8DG0(fc2Q}8M z6|pB;x%y?H{^*ofMI&3d+n_g|uO?|tMaKp=9vHrtM_$;M{}9>%8|qH+_L&O0&~6uL z9gIyt<Jk{r=G5&1I2Ao_esid9Kb}Z-;xhW}xP|BxMbKeKHmX6;qgxm3#i6l<ST#M! z1{`Ko2VpV1SemSc&nGg=lapDOz8{?mwo%UBi-zJPCeTAqc&G5?9%6L3a0OT7h?a~D zWbFD&B)khKVw`Mm<c_t}(giyJ+>>jrO`^}ig&+AQcP^wk7fKPZUQXF=j^xgdj3DvV zTG9am0q=M{QqqAs_T@5x5y=Hl4Gm@=yH1MSyc*?3U;b9Oq#|`KVHDK2ZYzExv(qBi zDO*=XTUQ-|AZo2T3OZc(w=gcVIZ70S(YTYY0gTv)UDvkesw1Tti7&UVIs!pq1JAg0 z8B8f%ingRSV(Yj%7&)l11cCU89?H;`!s2l$ae4HEF(~i43`m96Rfhq{&8^7Umh>!q z6tGMS&L8!TmC|%Ag))+Vh$3;73(dXrPco1gFm&FZ0otZzawVI=bQb}OJ9!vvgPD#a zK-6E(kohQD28aL-U5t2`ZVC#Ow5;08g{Ln`?5V;<M0E5w0zC<zUfKrS4DNXoUz(_S zaS+#bWl!7IGy?6W98orYU3-@seFQV@mRkI-&l%KZ!Z*~;Sj;#oW<}3U(-YdRC)tYp zb0LkeZ9cN<aBIbU`q0K7F^cI7AkI~q@=vAS{4yrakx`u>-nJBmwTO*GM{CvA2s`B5 zTCzVf;s^`b5@Fo7HNUg9WJBw!^{rLyU5SwQU?Uh&2MBcWkR(W`dtd%x3K8YZL{vl5 z9O2%t1LbvfXwYoBF&f-Hb?s1sqNF=|4SfanRO_lu#L+siwhZcPE1MFj+TWToC^CKS z{iKVAhOL<~m%f6AfDuH{vs<Un?Wx)dq_&(&3^%7fIbGe-@m<TQA*nZBj%2tzaMxE% zTi$^m;aKHR-0#tbgKE=prZROceQ!xPLD~JeJp5yXvwJ(PgW*QG`$(dt^SVog!8#Nx zIWmTStOgYUt0k<@Q`gcojru)x9ofYr*U!hWzy%^hpQjGNGhJ_0wS~wae={K<jhb_y z?MkLU4VuQzkH3yH<;@Aum&EhrueD7}Ox%sjagM}Jp1T2HPk3`rI9kU8pgGa(OM$?W zO%Sz_tLH~%x-oA~jT9}KQxUyjJd@vD=S1GZJzL8!qjWp4=d`0WXMWEcb9&y0EZBk0 zYPohkm%8>=q2WE@?UAbExVa5ia-r)E(M1?=8_RK>QFmMZL*-G$Ug|L1$VCf{xFD)j zo<+I=2RX%2M+NN5KS_kqyPQs(GljsRf^c<I)Kb!UU1DoVCyW=C{G)ixKS~twBl6*E zHwSvcyLzhHNfo4<l-42i=Os3s_s!p*lpR@xbGyea`&Jc2N;X7Rtv_ZXxd!z}ve_R6 zWy<Wr$B3i!E54^{Tbw^fN;;1*ARzM>%Fp0;mG{pWJ}zhs+j>_MS3ZR3Mlo8nhSHr( zU38@jeZcEOJoJ%<qT+(aF`naQJm>OAaQ@Rq&;?F^-U!0LN4e(rR1t3%dinQM4o(7x zkJh#Z`PN`s>$Mqer9FwAk=?)h=Eq3x+{rJu&Y03VLwP?F8|MpR!-@irRZ`a7U3()X zyVwwH&7B)f`=&=ypxUqNhK&#o3up9C{<#n~e}ZkTL^1h;$X;fmhP8C>(4MMsw2X32 z<eZk%gF?xOPyApql8tOxH5$`n1cr0pJJjW9Ih_z55-AytbJ-dSr02KCbWLnIod}Jq zWb}Juy2f^K_^J_$!P|(I(`1UG9IZ34Gk_@wJ?R{#us!K?;cHJi-N4k7p2B>(;=U)H zt~=^Ur@NJU(&<*Bo^&Pi$x73ceu(*WU0zQ*+0lE_$;gh6PYB`ANfE;Q`OKfo{7UAR zGe3{{+03^x|2UXzPkNO3#Bh7k4>O-#nw(z8($K80C!J@02J@B7r?UrumiZ%@uV6l1 zFMu{OpJV<hR_00OlR+PCVg6CbrJnSo4E`wdNg3-&XW!FIr=yuY>EAP-))#;==BF@U z!TgcTAI<!6%vUl$jrkeOpTc~)JfkO_4!h!0M9jA`Kb!e^%qI=2C%u^Y<;<^S{#@qI zXZ|AQlkS3EU_Pyf3fF7&q%UXB^ofq1^wrGA1sZr>&-@L{Z)g5S=5J#DR_1SG{zJ^) z!F-y+^rY`%&wH8Q$^8AyKfwG$%s<ThBh06->Yz{A^Ks^PGyf#>Pci>{=5wqUl9)e~ z`6<j-FrU`w(7((d$9yI8)0m&Z{3*=mnXhHOk@?xo&trZe^NX2Z&iqQ|&t<-w`E|^% zXMQ8|L(E^!{FTgK&HS~@U(fsv%x`D@M&@r~{$}QHVg5GeKg9eU%-_ZQ4(9J=ekb$y zGyeed55l*M;P7GF6X8K8_MABO2y_7G^thcF1}N|kh}F8pQ&^>=G|_icN$D6ZF2kj? zM7fZrC7KXYlJ^Vpuzr-?#Yb;|ZLBLfIv+pS{MB_SD{N?VG}!&TE?j`1;BXB;V#=em z1#KREerAcHj>omxQ8Uz7TpIEivd&uz>HRwLM7Is$xb^uT{W)R%f=^pK-*YXtajUSb zl)CO2#O_O`7nH+A-$ObqAeBUKg#|8JhYKj8Yv9$b1+CPrh8MM>3G?P*UNR}VPDre* zTS>9YDRwlA6$*sbz^UIwh2oXcQ5yo*z8lVs77l|#(cNO_LYK~tb_sxnfG}(v0KVvc z1z1T?9Bf0$9nEx?dv;gqO$$El34atVI0yCP2Dj)YK)7egkZ1x5+rK2GuACZgL*QMM zWnIU0uEKlhDf$o^us;82yxD`orO|4@9^IG>@2%nJlXQj-3D8jhlx;$Z{)>PE8bh#6 zW_SG}T8eD=C}XsP!U>A=L@2HWSo_fhjReJ$C=x4H(5X^QHiF@LT>5_OTws`hKuMNU zp<yjOBuEx0y7D7B4vH5ZvC@+aZK7)&zF7)9#IO+Q7H>X$0f4c%=rg1kNWl-rf*0H- z2DkJigtaJ-uYd+TG@6fay6bUh^af<Si|WI)fu>X}G}0*|yb3qTg_2u(62n&s^;E>` z!7X$QP?VZj&}HZcV^<p8DVZ>{hp#h$;$!q5eF10&)zj_bny=9k5zV;v@*w(-mLxH| zC6K87gy-|gc>Ag_dL&9<ANE4h1;;vYQ8Z1PSK%{E$<byExOi17$e6M>g~kJtpbtl7 zkX)e4V~lvHJ12?jfPE5=Fhg1K!-nFT<7p^m$%WCU(3?O?@{&RG{yOQN&K1DYh`r>G z>LCB(UF7R_l5g7qzjni@BkX6yLH2X;cJ`C}5c^5r#(pxl;%D<M$%pV0$>;9b&wi8c zIe_1`{Gs<8ruTJ+(W-sPqw!2S$z2qA&q0vRzT{5$1UEjSjVBtW`;rfdPfL>KF74p< ztv-x*8gIgTgmI+S;^b3!-+hFOj7S3aq4&BZpgH;hutbIkLebDD<rC2`PC&z-K)-|r zY-jkNM#E8{;ooaKfNWh)?HAgX9B<p2<4U1DAA-#OUuw^hpKTB5m|HfCSb8|A#gl@W zS<1P~hF~4I5Sw}MlYI|$w%D;!TZxb0#+&@_vtcN}k0n1PNS`($yI7SXl5$gP%DN-S z)^%9G$`=4b>~WlGY4M!Ig!g2N=M?70qslQ1u+*x_$95?C4jEom^e|U=5UxPZV~M(9 z#nt2=*Wf10-Bg@FXtU=$U;0V*GtXfl_E=sEC9QikJR$mP*i0gwme;~Vo+?9R*SQEC zHsTl4aby;IRy*;{1(4)7uRB{AZ7$qX7hQ>gI;t4;2+z?SjK}Ugh44MmjS3WpTNQ^U z;SfvoQ!1R^2H}m!m@QaGIyKme_`#)bbTV>gVJ$~4U80;f8I!f4Z**#ssZth+cPR9f zGMa{Z%A<{}HWY=J*^xqPVrS};IV0O<j!wjybk5+V-5H4|EN|lb2PG+%D^mi)=uVqy zDVEMaO3MowmN&zn!MF#6ywG*}*klwX6a=E1@KniF_z0&7JFi%&YfR<&92ZXAIUFOo z)|4|koU}b*!5%es__*&P`Mzg%^tX^Q$f^_qo>M|PV>3}#lI1`MvM};;cj{y3LIQWI zvHY_=Vd0*rN60WF`aD=|*XZa>yq8CBhYv{|N>q33VP$Slz^4eKWDHr`F%JsFo@fF< z#eANn_!pAnc}VmNJam1I#L<uO6g>hDFKAKp2Z&NsJcjXJ#-&R}l6;Y*2W0p-T;(3U z7+L1c18(=T455@d4sD30QShGVCj5|HVIqDBAkrh|9lIVr>YyoNc*u*%X{3@wzksnV zIu9`bEQxRwEf!veA>Wmhuj?40k1`%lS#2AQTwG|#_Jm{W(Mnp$!XAX=mLC(s*GIDj zSSCQqj2GZpj}TI2QtMI(yk_AwRG{wYn!%{2EqrngDCl{Do{<q|!V($5JO@iBhRnV9 z-upb|7Xpw)2y?!eOwc5tgJ`HMNsi7zkMCbHw62|Wgx`QQ(J0<2kO%q=d#D!NWyQ}L zGRr6!nG`=IkjZ*bh5|Qr<_~>};wJAdpBXKOXeLc8G_hrQ8n^N?QLJuH=)!l%k4Iqf zSz|=89jP04M|R6T?V;|7&PU~}L#H4CN=RKzSU*S8@f6Y8jRHbf+o%t?(BReJP&mm3 z<>3&L)9(TN&YLG9UK)GJge43=BzU8fEWkseCZy{cE+G3d%Ja>kc`#WYxEx<Yln>iv z!XF#ClyC5YV}pf?gns!HL_pMpPNvFRG5CdY4izrgvvU!$Qj{RXD<H+cLV7ex5MN6Y zqq~9keMxEiA?VteoF!9e9ukpdcHIV`v9)bI`M0hm|Mu17KfaRuXP3jT-Eiwx_S3eB z{oGEU?x@|cu95xRThD$TuEWpfTh?vHPb5F7b=^ihw9&&BJnUojl4Or$f4`)>bzM7) z-A0f+jm|(00JATD8&uD1tObyi$H!t|%m+Wj$L{9#eDiKw{x%St(1MHJ1(E%T?`V;F zLwE2B`VD9~1se8HG<rWun8%h5*x1NhlGm2Mi>jMJgts>ZZ^*<W``7uHcVO>9{_(EF zCBx<tv0`PBbf+nZ1tPUE7IuZ4g<TwHVdu3pht9<}j-QI6RxXqXb^)GKmyt{?oj{}x zB9_aoG1dedj)c=&mMaqR!HDdUHf8c}#)QV&E~B53w(;~c!p3F)4lrSx-3v)vG#L=@ zZ%NM}YTQ#X`?(~HpJ&Lkd=(rsCt`=nIxO;<$b;U(&I!v`fnzW_QQ8zrOWx0=6&GcM zuMYL-s2y}LrL{gy(FQm92v)Hfr9(F2>qGeH5LSpFam7(bJtKXP=)@lRS4;%!*US@p zVmOEiAgEoD5j4@!bgVf&c`%ka!IP=G(x*^cvF8Q1F6N$du>w+S$*|~H5HRu0dQeA; zryCQAmJt*+Nb}O{Ijt8{p0-toD^l-{e04SUs5B+DmJNm3mu|H?jPLn?Kdt%37xL7@ ztfuq&JVk&RSM2GgdwgL~6BKVDYukdut%+z^YcOf}zTseTGlsTSq~JU9`G?cH9X+YG zj=>3B=yKbl!GpNaI9ntAjIxyvPUJ%8A`m}A5SYl}UPBuXm|9*-Xk`z$+D`~rbrPxz z;Q4-~ddZNvnwR?3D^wX-aO9gkWJ?d7+w$5Vv5dsXf^O%+`@sacP_5AZq<zWMcG6=J zj-A7$^rHw($9cbm12Cv!a~iu4u)F05HuDV*XWd0;Yv~*+WCVF}_fW{!dz7K`S~`_N zFj$Zfj2ozgL6MDtVM-o}l+;l@>1#pRu-`C$CG(dvKg9e_=C?Ed0P{C8e+Tn-F@GoX zJD9(n`42IF8}qj^e+%<BGk+8Fjm)QU1xpq4t<2A6KB;Ow>2sN1$^3HWlWNtIUdVi& z`82*UROSC^Pl5bzW?OOE(8--GAEYMk9{bYp-Sdv!1hm9Lhe)9zgi^lMr?Z2jR-aY| z2dCbPyHNJf1@x<-l6?r&Y5ul{#a|%AKYZYgZ=o>l{`OKzaB2@8A}{o=y;pfi{~6M2 z{zl28VtE8f(&SDiR5~Mj)46Wwpq(cIxZZKzMr<}rN;|P9lPtvRxUNrOUqg!l>HodI z`GpCb5AHg+o8caS+Xc5D?hxE3a9_inoSVR%n3upEfjbZG5Z))?*9<osZa>@;aGT+N z3D*cme~?nEJK><}tcH5Bn!=P&BnHEMKO1GjMd1ctC8V!M_ziG%D1RYbA)Fa*JltTo z&k%Pr+#_(C;X2{yZ<hGGO#B^LB!sUoMmo4B;P%2Dg!>SV!^a;+!fD}V!PUX7h5Ies zLvS5%@4$7#4K7XKlyKQ_<#2Aem2kg?+XA-(ZZF*Xa3|pgl_hZF;IiPXaI@g5;Tqw7 z33mtFcDPQsci{dBmsFm>T?D6xD}-AJ7lPXWcL&@fa4*394ek@TJFW!$GZVNBI6d5z zaCLC&;Woi-hkFt35L_eL`y+l8vl6&8I3rvsTs7P>xD9Z>hkFQaFWe!x<8VVO&<;2) zTq)c_xaDx|aNFTJ;SRw?;ke2K?p(MjaMR$ff?EQ&5^e+BX1IsocEKHlI|_FSPEm!v zh10^#f~$pF0oM-qN4O5SBXHetNuZMp;M8z=aC716;8w!j40i|IPPmuh7NX5J14ql@ z>fkEjvf=U&u7y*=4TbyXj0EmYxK6ky;O>CC32r%DEnG329&Q}m_sD-3?nStN0-sax zn*w(dwDuufC){?p&2Trsx#7y;>~PzW?pyR5{gI?(4`<<}CXrZx7R-FE;M_j%=k<AC zWE=jETPnvYZuSi2CQp8SjPkJ)<5tPullr8eDwG>5KcP?jpg!+c+_dELMUOR=-V%Hu zr2FgqiMmhkS@w@X=Us_iFXlHE4f|?vpY+);PgMExUj4-y9rpk?W9Q7oKJl4->gTSQ zSoO-ZczQ*j^f<r6{yK!80<KT|FZ#SE_j%9ObdQ(ggNh*o6&bFaHKFE4PcSRbTN9e) zY49)e1UR>+-V^c!l`iE{PqVT%;BUaA8wtFApDWPJWgvgLdkWkn&grTSh61jdkdx!4 zA>3K(_0+qAc;h%P6qm)GfYP(P(Nh!hxG79ZuB@qd1%n({w$f*&8l2VP+FH~d_PITQ z`ev_hu~G<8dV@-zKcs95ctfu0dJoDtW13uLjo%mYE)M&{D4O%v)&@NxWsS>61yp;K zKF?xT$h(Znn8vD82E8jh%8=i$3^usx>y;VlE8I%2FBtN;+)96~(iKwHdtAYglESN- zfs{$e+k8cDpq(}T#%6?<1<hWc(_LSWXJ?(u=Vs7C6{_<n#dnk#3V5r-ArBQ#5kU`N zb}L<h#o-2zFQjY;qdLIq@&OQrKd#0fu6HveASpU1#4`3TG2}--HTo%A03dL|=7ws2 zy>eoDa3afH>j&l#?r=CbsZW&YLDpcGuf`*9xmXNvgA~*rSJ2t$3b-0T83FX}&*i5~ ztY29s@!92e2Rzj4;=9=Avi_G)$w`RJ2?Sit=mg*5P+bf+cAJu)!kUDB0c;`-mpA8D zgaYB3P$ftjbpTcuQMa<zA7CiU&2xoZ%ChPuAV)wU<*V|6u*E!1%HWLE<WkZ*wO<xq z=URq-3;6@C#e}n3KjO<{X*g~Io<Vpl3m#+j0KRgecZACN!6(MXA>=qBI@A@Q0YP+H z@AoaHGC|Z6VQgX}HBMAQ`e1Ct$$M1R(a0ZgHF3*a^<iq8SiJO#@#U@YyJOYHx>`0c zdKK0eJg3lIj0Z4SX{ZY*b$e<tivgKVloCyhLqA2?ROhXUcQX-l&`Sdr?GT0nSBW7r zP+npa3_lo1)F#GW`qjxgQC1`P5u>ko&Kl$m!%4J(K4T;(^w<D2B@k$greHVZngZw~ zk#JT}S=FAOhDStTj5i<;{heJK`XNm$4g5tMHn;|!{rxB94Re7<`WDxFlr?o2{$S$) zi5!X7y1YK3Oh5V*^%19muoA~gjPC@)jg9_*AOM^KVu2DTqYvr5UVOI$QcwZvYYg~n zz$~cvKFmkfHx=H7#(Iy~IsL~I7(y&Td{j9>BSZ;7`8W@Ht_gdH2@+qXNXV~{r-5;P zuMZ%^^3=IVA~CrrutX&)uJgMg`|4ebA^Q5`S&Zr1RdE&%{wkFZ{DDal2!x>6b03y8 z1!JfNB8x=g6eajuDf)oY*VK7xmLgXO!x;t4y>^wHmJ7nZn(|OUKv*w)<tl3tM<QMl zA&gI_F9#hmd?@{lZ&L4r#fAfd+;n?9jYM2#By?6gt6f0`Hj{buBIcqvpU2}4)&@K* zK~o)Y23jH!C>HE*@?i|)y#abipqUy4xlL^n5-@m}aPzt9#Z1V60+ku1`Lpw9DRT>R zN~h;5D+`M%lx5Sd%+Ia7jO2CLhc2rlObLUsS9^j?XAtRFlzIq@=?snDnx*xE?&5Tk z5+u-VSw>k#Y3U>?o-4a7csc#1XQ_EUm?b5X^;lea62%rvNqI#24?39;^oK)CUP@yl z;Bkj**vN1?AyI;mXVSP4WuBACH1zY_xg@KhIAGi?^STM*jP&3nCF+PVa2eO0qFfA} zh@>>>X*K?aMrcM7hJsVhq!!3Z;5gE%K!rpdOwf=HLFG{&dIAAPiE-{8Lx)7RoJi)e z2tn8mOxaR-RK6=ts%WxM4T*T9@dwZ%v0N?)wbNVM%xDT>;d&@efE7Gn82(h2JPpDH z9gNXC`X)V?oen&fuegevh_0EajA=m1bhixbn6iY@#SSLKveb+x$kK+wU|8`1+cyo< zEeL@@s9F*O2g8xW>|J?P8NuE+FKLa?C*yo91EWQG^%PMcTs?(J_yr3lDH#x~?_*^s zStPZKx>e4yxfo;c5loVTDwH}!P>W+@I1m@r(Cy2(vI%7tZ+$%!?|Rm2PC|H0+l3w| zF`byS5VX`-xIf_b(s&mElXO^baAnyFj5<O@tluQiBnl%mi<(26Wa3JwILIN#1fCWn zVnH{DM!`6_nYg_i|FQ8T=#!)tG13nJ^<E6wSo0tdD<&!%yiAG-<Hh6ihZonyQm{TK zttu`CTU|_CLK*f+#d8>JeaTL0VIwpuswfB*u+~MCEoyJ^{uB|`j2RG<fi$}i_!yx_ z8FDT4kfI2YUf)dEm9Q8TW<iUgcKIf8J~m+jk8BX79FscACNCsjIHa5ys`FxY!D^+M z0hce%^+1WaWhEGTz@juf0Bx-|fa#4?75a{~ol?dU)sWQZC`b^iy(^quDNF(hajftd zp$H9%&)DKE0v<EaK(R#w=aV6zZ*tBm14f)vrn}9=B2im<BdIK$6>p*(iv`N`lmbES zavVJ{AzL1wr@6rryft9$LMH-Cpj$SNR;JHF*+7>t2L^*A?%|-eV=mC(@->5Ip&`5K zF^?tI7nAiBl9WbR>{-bqG9zjP$I`O-58l~tpEO<{2+K>8Vz&pX0Eb^MIw-~k#Noy0 zSWt!CeniW7h?1#MY^DO`g6hr1+}7^{)q#k;i+#OV7GrxfD?f8xF}PWMNGGE?CX0lA zkmRwGC3B|N)6|y>W|U33HfZ)u37X4R;oa#Z1Pb!DCL9RR6kHril)T?xdN3n>7Now^ zw@yL96s538&wXfF>}uuDVMZGGlJFIc5KKsuvJKc6o@F{yukppIrD>2dBY?b_WHRvp z*7CBV(#rf<gm>zf8bpHDB(`N%iVCfuwxh*CP$SL$JdH9v2=qnsTq({4D+GpijO7u@ zvK&?=Pe_x}`5WcQ0E<BOL{9_JQ5>&gLMp4Qtjvrdm`~!J-f2A0Z=E32xsYc$sfn;# zVLnnHjFlnJ6D(g*b=BN5t_Ieej7c#Lq*TW!Ic7RxN`g#`OXYD+hG3XKh{~KbE@&Q{ zGwc&IMARP}XLy#zlvCCYiC+8COm2)jU~I_RSx{A)TTq-c-B~y*zoM$RlG+#xtEkM& z%_%PK6_%TqpNo)KnyQL?Xa1~Nr4W+6!isY$Ko7IZz+7VC<?|{F%Sv;~i#Se|rOKjC zbUI;d3S!V=csQYylXcKZ;*;X=PBsqlm2*ObVyfnJi9tY5P>OXn^@&9OS(U|k&f+pO zL42NGTs93aqFS3Hs$#J|?-zhFa<iDyEDCf|cF5c~NttO^=Elf-n2QM%l1H&H;@eEe zVhW<y15qJargF0c%Tor-c%T6&JZDoLCWx?*GQ(dSF2TCRELs@?OTt8rnIvs|-$KPP z*$YT&9Ezo(%;qklwG8-jc}e(V3Psh*gcB3&wHN~)H`$D9s;AWzdW-6d-L>HrSK$Wv zxn;{7upZ@#Rz#PwycuE~%vhM&0fA&ej7d~hTuiiQN%$7v_-~rT7*p>y<qAv*MpF`N z-o|h}@hCFr#%3mNGTt%O933fw&P?OQewVx0TOELHIwRI&g8g;aFp4B&s%N>UCd@3z z%8YO@3>66SN10b#JP8vH)QTB%I6(LmG7=Z{hO&lLLKPQ78eoWoiXA50BevepL^hZ< zvu(uCM)p*u_Y7<ByTkRKENo;H{tEno23LrYbjH;pwL%#OxeDWB*syrdG<kg*wJ@Ur z4q%KEJ4Z;Fr7RMx$85?YCSX!`7}Ij5F!C0gBq;VUYX}wtf_=ItRE+T{fHH|VG_^{C zw7NOqsm+KFm#gD+D}c)qWC~O>Y?g#Lkvjr0{-w|vmXd)0b;ip<F(mcFLF)Qpqzy{S z5I8!Uc?ozz=EXizR{;a{H$#z#uVL~?Nrd%EAi_iAJC;_GQ&cGQG(trjEUo}11c`ox zzGek3^LyRHhEXKLrbq>pxfeAx20Y8WSa3kg>OpHDj_PKmj3foD=3<E;*WVyYgN$IH zW{T1s46%wt_AclhpcauC`Q?3Z#wH4kOPI0HfRS)Q1mg+N%qhk<NUdUp_CsncM#_Dr z>ezY-=$oyD^g|@NPtuEWE9=6(rDcq<P_OoV4~DSL13@BKg}@{mm?-ho!e%wCYPuQY zyF#4FI*Xb0AG$+xC8@v8QcqI`8D2oeAu<n2)Pr%rmPcS#N_PW~5>u6?^-$W`Sd34x zKo`s`fKEL_;u_Hq6!u~XCdLZ^iwlxbUN@^T*8Zu)JF8taOM_W8+(dez#8P04@FyZp zfVo$+0M$gon`jHeD%4WqEB#6!1}N$1G8+e*Li9_Fw6(QfCn&bj3CoC55EX1P2aL($ z>it17@b!t8`Zlk=9;nYHtA4D51-Z>}1I5YmK?SYy(J(3XH&NPN?_xS-V>4O}SVi0~ z#tb$DT@QSm8NehRf$=`kHaJiiu{8`;2|G2eM)WnCSD<Xq@)}PgO~lMfQ9-~UhRi_- zlep9$>9B16R5}u41Ei}4s7o0$RKlQ)H8+eyHu08~MY4=WAsGi^Tnb>x>l5wnq*eC{ zcd;dlYFf;r349IAs=~ZpR(>sTOt57NaQGWN0TOa<m>(d6ut3>2E!KC*YDm0`Y5M)* zv1~)Of<7>^dSWPM)es5?D4$lAk-Di*8$%c)N{XAxR&`klS>5PxF}{CZq3(D#d7DIO z(YIB-;F8kBAd}VG7yvq8wE{OMmPi(F)+~7)K0n4TkQ^2)60iZ(Fa`muPt8QKI81_N zpifvm1@;Lm(ra1LzTve4<gXbZtg&C1Xn~-yLH$LduqohbY(#4Wp$&cvg<2ZCKm<g! zu(n7tTVzRGo}bnjm-_ro$~w4sOq>xC+u%yE7y`D!=$Yn$;<QZ0Phz}=z~RbiWyehn zhBy>}B5M*e8T7S|F}sZ*YeXyBB(muV3v85`u}$Kj=m^2M(5rmd!mH6c&HqV7aySPp zCuV|?<d0xx62JwoCUOeWh5?bUF`0mpY9JCwcFkh42k@Ge;Njtna5(G@lU$R^19B;f zTj@2+R7cPh?2&FyuqNPT9E{nYs#cbnWl9I^u4b89Lvv_zZxsaP!Zv#uen21Kl&tqe zOMqy9A+x8XieVVAb#A8mA&;OV$|lm1WfDpz6&2rAAk3u6yi0XS+?dkPJK!vD1|d2N zFx$b(6btj2K|+EJNEnl#kv^qTx(1kT8o~|2CJr=#HUpFhYe%B!fVwV}1f|SV<ARb4 zNrIHZC}0K|B5|xdLD|QA*XL=%T(=BpDK3ZgA9XN$5e!9w-H4ftxPDC)8zWl}5%CFH z6$f0<TgpL@IU%%s%#I>^78PesoG>y>i(0G@1mr`8)VkOf4U90%B8b{0B!Q5CEVL}P zbS7pKbpGDmfi@8w5Z(+JvZ&BJUjE*fP~^lXr!hH!iR+FrOGS)u2!~AXl<BnyqrvNx z^ndBS#_g%8j|cW8jPhn@QEBe1`~sxMGmIU=b8LJun`u^!q(De^Etu8`r?i~PRly09 zaOoGwjjOYQNtw1VA)QEq?DtHmtOb;qjUHP%*3JC2K^y4M42Pu=Z-~8-92hv=6h^$1 z18F2ZDVL>{*^{OUmRV>;)gJU0@#~naki?T{C}aW=a5KDNiwh}0WM4-RM=SL46@12{ zgryrnn*gCo;!rBNZ=UeLyFv(0y|<@;X;b4HT+7+$6gMFtjCh+=x`1-F&L}PEfTz%| zvzR3Msba*mGO)!-(}0Lck8>l!MW2@ZM}<`MX*0>aX%&^TsQftdktQU}U?2^1uArbu z$>uo3Fhr3jC_2GL8sk)!Bm;;C(ea_kK^&^W?+b9q@2s4aQ&L`5TvVFxtSGuFpJ7ed z!$z|N^L%HMKd^MZc7AZaV1)?I7pZH0y|<dAbwhAj&3rsS7-4OhjZm_JSA-VlVHqm6 zk56VEl~xwPAF;59KiNEraX_cb=l3-?U@i=MVf=ZZBDjg^RTGImh4oi5!2xc0ChU=8 zDggzvaV_jAbOxK4BEx6}@H)ZMoz(&VQjgE+uXl@$Bx|IwNde2|uqTDQH3So|yOi>< zUl~{cJ5$;lD2)TOZ=zH&*6^fVdA$}Z8eLe<LU|&5)E;baBK4Z9ycWEsY^9g*^t0tK ztJM@t-U*G9pk1+I!IwclKn!g|k)c6Y1X9A@i6t2ldXr?}31vV&dqct!lDKkI57iq; zCeorxu*87%$T0B}n#B{NLKVVN52cA^C-~EYX8gwo3-AoO7k7Uk6$TQfOCq_GGK_5$ z05|BVucdq(xB7YEm;7$oGskTnp}CquX{WCPZf!R9qGt(vg{8O@gpY*Vi@3dg;zl4m z1DOvY?vNO_1!4d39}bAD&K8bp)9IdG<p^N)3i@weMxKHVw<53N$_?M$JFoTT+-Kf= zG=10Iw@spIa^*v}Jhz(c4)d8YP#VBljqYlp_Dk?Xj{XQw({n3}>Da`dPjg%rEsCTy zU?zq?1@_e^BFszE&NOyT3T@<)5S7LAHMOt_<0c5<J$F`R+T7e6%C@q17;SCiaG!)M zT@g!%izeh@EZzEEVdX5{hTdT;U3;&vN|tUT!l>`F7%Y`6-4=u$nS!tYwE=LT-x>Vu zJuSFg2xfG&5_BP?OIxvGg}WNf17fB0p_;U!999pGqlslu*j22aq4KawAzezZFd>}+ zVOt1BR&g3FjdI%&wwA&?0x;S<F^zzCHKjR-FzPF@FEkVuMVPFAv=l~XRCfF#mQGJ$ z+#;L}7=tjet+=Iv+e!UeE$pe~R^!Y7l4S*8UQFZJw!dzKDbI<8F&J1`G7qQkd+60D z{?hxVJ2=Iwa1<`ZACSdU_>$AT;}7<U|7V|gdHxaKaf&H$^70SK^8a>Fg5rKSil;wB zF&MuFjuY^XW;1sP??>Uf;X2x(``p5DTdo6N0Zz|@OM}C=C%|VU?W(ca-OuvW-)dFf zT*TIeCA${&k@PnhXB%itb>zpxCLrt(!U|<!Ji-<stWy^D4$f&DLD+m*ST@e@gb=n} z78b&}pH74=mxXOaSUbXY%EF#N*a3tM^!LB#oN&GdXPN%@oYViFbNZh;=k&lJSa!(3 zl_RYvUy)oPTW!O&EtDd*`o?kN67paJ#)?=avvG?HQMs5O2f2F_3fOGF1coFWHkiY4 z&nL=e;CO!t@0d%|RGhm%K|UjYE_t>$5W+%d4s<_Qoc=-eRy1R_*ib~aoEiDEO7n{~ z>MS>{Ti=oZpcfbAkr^hpxS}YJ^VfUC$g<-6oT^GG<x7KPOEVQ@rCEaz!ItPmQ*&^_ z1+p-)ycx4rTDo)=v6Uz)S(r89BsAuzd1S$&wH&sPP$F!h22;l>4?{!++w2OMxi_gs z+LPkUaW8=)UL@=t;qFd$!VHj08=hxjahGjXDE2nMk~27=yg7e)jT26=@^f2Q+G(Ut z&8A}y*n_dcQ^|3kC7}!vc*1#sxFjjX>j)kw%ubxR_5{2&fS0?3^1y!TEcMUuG-IOW z4&t(n^5$Y}`*-F9D`+<53~}7MF}SG&j(bjyIW(*YUBPkp5-w<8aaAMax`*3|cPz|0 z%WBwuBp4$00fsqPQ^2Y$;R_wL9LJ5GmTF{(mFf&qJ0-;DUxV(i^ygIM78Qx8{~g6k zg;9fv@>q!ijCHbp%L!Ih78rAUZr00}i#VNy1r2Y52OyH|=!SlMFZJ=0a`*@}+~F8L zs(dsBgXK|HTdv=S1$B-ai}p`rr?Z?zK?F+Yxn5*FNZZ_nIS9v1p}vt;1i8B<Jc0%Z zvl1Mi01m+_INJ;J9$`!9Zw@!<Fe)L6WoNR)HcgI|OCyE|kK-PfK}t06pzNKBoP))a zT%3^LxW9@02QWks4vQgkXg^k!FM#bEY{@_;Vw4f2Sob}wm2#S1=AmxlxI3lxmC|;n z?P8e%f8e;SQY`Dne^Hy+?gI=Nw*UrE2_u6K7&cP-h^C8z72)a-qs`Czj00gj7P+Ny zuvFGw(1kFvCDH&76EImOF7gPC*?~}TOjP-3r=Q17uO+VFQtk?Zf%Tm<5T5TdIt0Y8 zrFKc2g1Q6z;1RLyvC&=P3Slo6X0#`JwOj0FZlAnlkvcFdmqsxy<$45I1g20Cr)fD$ zKyeuKsO7<UyBJ+B?u{Fa8C*gj3nTiF`U#)elh_SfBhWd=-AyHWVUZ=$;=YczLf94q zt=&xcqCT4iV;@Gpw^unt!4kdi5V3=zVhG~6hs4latRx3Gk32WyYd{NQ+;<Vai5tc6 zbcYneU<<}`76pr>ozH(IT(Yjdift2oi(24mz+i(|;yNUJ5h7+|R|T{4`(zl(3C73I z6B7J>VbpTmCJ6$ORHT;P)+ZdJRH`W_7^`P?9AfHCktmK+EwFb$IC(>Yz(LPy5IT*l zkc>?T^+-g%QK~J^Q!jAt6qH=bY$$TBABxw<#+R_&cC(!C%J^+2ASOvgeJhNbOzLSi zGRhf`oQ8TOMlA?Cj(c0gZwVSivRxsT0?FuEE^?9)$VWm-;I*to?km|SFTe@_mCMY1 z+&F5vz;$QgP$5q4;LBMO%@J_i%V<|@ONLM!cfYI;sdIZ{>?S}})Ii&#oWhU5l1ly4 z05rJ&Tc{JjI_J0ozI@D})5KPY5{81Yz6V=Y9HY~7(Vj}2LtDyyMesBSA(%sApZbu0 zdQq{UIK*0U0x+^(7IsN<i+YuY&g8ykDL~EAPHM>98Ps1?k%xA15EmsALV0rmR)w96 zkxNwQ>Q$ZqTfH2Td>?J5;7-eMk7i&r&BjQ4O2k1qc29=5*TpvsKCw-Yp`-zLC|8J- zxx$VHuyIHbubZ2MFoAlZgfROw$2}>QSjyJ@p_s^c!U>9_F;Ia6t-=`Kywq+<e~2-9 zoG+5~bPiUMeQt~kLLT=jVK1&&aW9KCq78yz^tt^_LG&}XRaQovC(h=M%P>O}Dajs* z;m(R<n4%>WjpI?CFj5$Sa?W@<#&`+<iG(9iNx8J+{!tOa0uRIn=a)eh=R*?yevrY2 zGKfbOxw!<Yxwn?eh7s<rkJU)*a<8mx0miZDPa5xK6~ZtbLiiT?nlb<P5l@^GY@QA6 zb@4U<B#zrAD=|Leu#Or}M>yh!0}>kjapA^sUsAiNzp-G5)5}tqbE6PG&F`;gOpi&l zb=2wt+Czc@YL;p-?~v$_DwRufmVSLay})jeBOf`0B65Ox{xH-`j@v0Og>tgog|U=W zxRmxed0Kgm+@GZwqR+TqL1i)Bq9j(Hfb-VA&_O<j<M=8HRt9hmT1}~F_z33(JPnPZ zW^q?D_se(*gb(DONH~in7V3Eyed8>Ed9q&U+q!riBI$74vj~fEQDVW|RH7xu@0ps- z`Qo_>T|v2I_Yf3<aK=C`gN^-Z3ZZsG0AZHJHM0G@8iO#Wn@+pOXwx>h1)hRXowzG$ zwXUWPl%(UF9yUD^FA@l7X%}7t)|Jy~MJVJJwz;#FQ|vYf1^ms<dgv&)qAzz=RcU2W zNxn+U3pI@pa(Mk>5zb{n?4a?5YPri%i?HM!=DfisW=?|!%CTb?Sk!LdOz~%@hs(iE za!(yrRO%7Q?ot>7%bnj>i(4H69w+Xf2>6@mu<SC{0_*?~Prpb}9^W!A&R^3`Pma?I zWec3&iK)YKob?c|k+9R*+Qn!P>JejNOV4S98`>}Ik)ni5mjV_@GfdM^5Nz+_n-k~0 zAS75IcOgQBrzJR<5Wpq{n$@`)y_pTcOjz<WQ9>rr>-A^Wt1?xY0t)-Y2ZTx1PozMH z(Ecu25!}7WRXFKN*G{-&TpscYKw#aKtPp369!0i+T;cc&loNIWYi)9+1ici*tw}5j ziZA{^0gjQNPs*_kfskF0G&Af8G?!ze0?8Vj1<e)qzHt}yFC9GeB3Y=wOA*L@9Jf+b zVwRZ`B!Np$+``1TfUY2Axe%H#w*nC5d8)&UvGZSoWIrn-gd-~9MlyBG;X)K5Xdi_P zL9m<@(3q%U7k3O~JpJFW|IcE8F1~$i%=3BDngUtR2ezPdoH8J+QFMsEa-_)fbdQU# zRmjuyecs~vnRK}0a_GegitdX!MLS&I{M?eC$uDM5+6KtmuP`BC!zBrdE%}@xNsQly z_w2m*`wqN!;9cHcc~SE4j`Rct#N*HYEe9TsR1e&iku?ZUO5zTp-tE&kMK|2f7T70& za<PzS^^CL6D{n{IMFYduryA~O`xEW3{#03K*`KQ?o_#wM4V(fWFHo#r$|-hCNKiBe zImH3E4m|gTUwU7i8!vzLGT~W{j{_H;Ij>X({hkRQ*_VjrgTA9E>%XOM#ppP^^7;pQ zmbYW`#Gj|nMd%YH_5+L~Ivn8d-=WXrXQ1)!kN`g~;(CB;`UQo6w??#kC}KJ%;j7_z zKY({?pK)@6q8;zq7YXl+u1HX9#rvYM!uvS9*WtZ<ypW$mdiQALzf64ZR~zPh;6sBE zPDr3S+;|Vc(Q}FzwifT(#dJzBY!}|~*zb?%QVMJr$LEnH@h~Y)`du^-|C1u|EAQ93 zG_+NWJ5oJBnQl%|Sl1h_@`b(AN&UJKWpyvYm~r)vmsQPeS=zfSc^o|}XP-H5-?Z{} z>;=!0_~#<onCzQJdRKxkOV84;)Q+Fxp9)ukBID;|kyPMW{tg|3Jv5D+qS4POM*jq_ zk+-)IG<Y_}pNX%;@`A6dM_Fg$D?8n1SI>b<`{OfK$A9pU4Z8aevi(O{XnZ#s<Kz3k z<rjT{koQ~1*t5gu&-NSS<Ds7@>rkID+ZQJ3y-{=acqTk88u$Mko+Oxl>X%<}_VE5x zIcF0``rUSnOG&>wn>>BfD6jdSgLlWJ;3L?{riAOjGr@8Mza1r<Vmrd3Vi>1HyGo(! zz@^~1FU-=roNnh&O;8jfg5+0r%YV_P>?AIPvN}+PV(ouXjs)ac{L0&rq=Swk=2`u_ z{`GGkAZ*|&&VnlZXU6ToW&U*Na$|x*u`y1MYw^Aa?^64^Av+fRDXy2aBc9(8e=p8} zuJc$t{U*e35#zVwxf8B@yAXc>&zuSUB&$z>cg3yo{7Sql9}?a}S*Q!|+aD0#mrqGh zSn*!|pjaOCrb4`Ti0=xduf#hCd`s}V@veA8fOktKcrxDG9~RzEA-&arFvL@OCE}MO ze$k_1dc?2Ad$$M=VR9qhvyopae;eKpAieay6YmPNm-IsV+lzOl>|F?r`%$f+*NsLH zmC=p&cx?QMC?knGmjzHdsXpnKA~u;56lp94$E|+4KOJ@q5GE$?{e$te4Q262U;Yz$ z@*3l?E_#Yn9NF2s&i2Q9zxS@B_nXi@b|jc1+zn-1LD-W#h=oYcLs&*34ZgEPe}J_c z_0!`}JkxImeib6@yckB|eg6bpCbMASnY3)GpPVor1=z506Mw=p?Ua_%(C){0f6((d z8}xg6z+d|(XO9CRhs=jO{;9wAYvTAHC|&!<|9;&Hz<vNQpQ&a!y&b{)O*v4-|85xC z*?~FHzne`;U%uksZzt0`vf|@Z-ma8UpdGRBcE#D1ePqCNNt_a8NpSv8{L0%gboANP zeI~td`~PJ-K{n>cXNv>spY|yO_s`I?v}^rTUDCX4G|Ku<?ONHjLVNxlyB5vM+S4(g zg;U`9OfXXWJFbYgpVE=;NWbzvrg!?|A%{0Y9+Dk(bwmGh<$3ZT)1`T>kh{0v4*gQ` zGjnPQe?K*^?S}1!N}jv8KRguPjkziP{yX?f0?rnt!47#ja3kW6&2<sh0ryilrMk#| zO22Y^9EOeIr|?1Pf9_AhM>op)pQI;(Yc%Oq;vY87a9iHNydN$@rYq7hmF>F_{w$~1 zAd}nEC_Ta!JqH`5EF2qIaG(b`g_EauBe?zVz(3qBq*uNP+c+FM*MYD_aGPZ1(BY%) zh{pyK%zKa?zwK}&AKOu9b_eDb2w(I(>c?{-!Vlm#`vsgyK=|t22*)!W-a3Ha)qBzJ z6ut-L;kgLm-G70evX4`2MfjE%kp|D$41q5`qP;H(=^Hya#TGmlBOKcz6pLOF(r?Fe zJD#sW@B#etuW^czD5rZr%E9wYgfBXP@%jd*FjBp*1KxwE58>P2L;Cl7<9P+b`FDXg zI64059_u5(<?6S4^FTTSdjMfu;N<Dq0hq&RBb+>ZF4A`+tPyp~!?6U*DS(GXaD-31 zvOhY{wHjdu;N<;FhX%W;PvGR`2)WMehc}%$?!S*o<VgF<0LavUZ2XSKFWS5sKeE3B zc22EvfN&bu>jwxYjcv;S;rK8pcKP=GOW-KHvu`lC28AC&_>oq8e?t~;{AB|6gTw>q ztWUn6R>lMIWOXcWs8@=2x!K0!a<}p9W)fViy4W@zdwesE<LPP@pW9WBm2lhmW>0Xu z!#-k|m2Merp!*Y0fG=npj~lYgL2R{ba0N3Pyfp!T&|e$M#I^ymE7*{=Of{Ze-c^g; z0<(pi<AmB!lu~KM$wAt?UF$!~(lp~)KIFtf$T0TKHjD2Fp?e2Wi^q+9Q^G|Z!C0g` zI-jlL<CJ2tXPKuS_vym7jdx+Q#4;Qi4UAWYy*ccDINSJISAEbkerl{3>(nz>Vx8Ix zB<s{z+gNrhFv9Lr_SOUHpKorj<b*~M2rG`dvYSECfH+*SyLrnhltpga_-j3CUZv9N z44EpOR-dWW)aWu@x>`>r&l_<)w@2gF)bgw3E$df;MyJvkt4*#<o!f*GYOCFuMvvN^ z=~8R8yjrcRHECQwU4qu7u2ma7noOOh+LWo)YE_xlE>lgWTW@k}U0RpkqcQ$;394GX zL0@CgXBv5rDpRZ0m@-Ye>gr6R#?9C2-Mrgn_?Z%n9=_J#QmHemYpXSAg~ynQHt908 z##*<Icd2wPldKiiseQ3)o!YA-gszk&`uUDzqaaSV*zG}k->~z7?&674s1?I(ak(p0 zm(%3JEhysPstbi0%~Pj}<0~sRzOn$-)QXa#spw|?)H%J&9B&8dd8|`=l_-(V)PVpP zpxtf{ZRo>gMbZefN+F>fkpslZPvQwh$Pgm(4q<nwZ9J;dsK>J#6K&&5B;JrEf}54g zwiad5e*S>JJ~*B@!oYtqKBdp%>EC$iO91{r4t6eK3q8Ai-ZuUU#9&*Qw+4qWD(L{Y zZM<FwlF@5bT5U~Dt;$_HURm$*Ee_-83`;HzZtK*6+ZPXKm;k2Ytp^|7mWXX_+-$Cb zbHdN(X5p!bE8|M>UIf1Y&-C|f(icCHwl@SP6#td@+t@G3Mfw9fXXl>Ti|7pnA5TDe zAuhmqIUlzerFpq}&V!PDTrKBEx}y*%2^=5$r{${gOc0GlcrMa3aE+V`>6-zK3vbwR zhre>XhdAtXM2r%3_)%VnYeEX_1V=~#Lc)l1BP4`cDINV~!yb|lgCh@VgIo=Rud!FU z-sKY<R4&eEK(fa3&qi1PCB)0ua9NxIj@qEdj>QDl)(}hQ11$BjR`jkTk1NJM`r{LR ziG0P#vzX<e+8fbc!s24I8JoZuW_pJy@zFsgr)HQ`ahdE%1sIh75w5b3uYbMrI(Vd* z1{li#n+Mp<0v@Tiek!L5JL62)r6)kgb1GI#DX6aKEb>vSq!OslO8{XOa3S<*nTQ{v zG{Un)YxE{i4ZdOl+%+?JgUCtvb0dEis2N}QLViEq!z|UAXbs7MVWNTF>HAWGoDTAk z2Vd6%9Dx{A@ezPM;%xL(B9`bp2-thmEHq>qUcLSXb3zT7_{C9*|NZ;_I|iWWPe}ls z@jQQ;AEFwes!(06TCVz~>K4^Qs@GM?>Je(CI!9fou2!#9uU4;BuUBtSx2qF1=V=ye z?$La&IbVB`_P5$?+Ap;ubr<Q%bT{dKt$SGaXWaqaWW8Bmsb8WG=<n4}H8>5wHT=<V z(D1I|LgRE}i*dcN-FT<*0ppLx^Gst+Q%zTzs!T3Zt;uJ)-n7=V!L-fvi0KK_rRFsA z6mz4w#k|3Mk9nJUyZLGJd*%<#pP5gZRhAq}fu+>aXlb^rv)pXiW_j51xaE-Lq~!<8 zAnP#erPj$--fFZqTHCFUTA#OmXgy{<VLff-Y!+L#t<bjAc8#ss_OR^@+X(v<d!D`7 zzS`blf8YMGJ=0O;nD1~oypFYwn;d^~eBk((<2whK4p$Fcjo>fgb-azw=V$Zt`CIvW z`N#PW_-^2DhN?mJxoR+Qc9D9#dXhRztyj-ex2k`q{<HdN^=|b6^;_!q)u+|xXn2i5 zW7k}%Dbvi+)M<R0Et*#}2Q-H?3EI)xi?!+6soFBF4_Mu=eO>#u_G|5T+C-gFm#)jy z?bRLDeV{w08>}C$KVLsdpQkU<&(yp1yYw&UwFa}H+Hj-cF~bvv_Y8xK!;R+~FE?fw zd85rZ(>U9>(AZ!M8gDUfG;TJ20nA@*T57r<cs^|Uz;w*?r76KY)tqa-(!9{T(!9pp zYTj#p!+gyAmH9h!rlsDp-qLQl)pDQZ5zBtd$CmFb3TviSYpt~|wFa#lt@l`;vhK0I zV*SBtwav9HvUzMxw(D%0ZI9btu^qAfU`w*=?G}5k-E9xrZ?bQ+Z??Z>|G<9Cu5{!% znjOD#-0ryBvD2}~@wVeLV4DOX;d%_O<nwqBznZ_1e}?biJNZxeDJr{ax~fD~rE;n^ zs&=dPsVwTJ)Gw-E2X;SDf2#gg-J`xtGf@-L+^*TG`IF{J&GVWMH9u$uX%*TFwBxlC zwNs#!muaiC3$*pxfcB8~AHc3h7uNkv_qpz*?zE2657Cd&oAf^YpY>1a|Du0Ye^@`* zFxqgLA!4}QaJS(B!(qb_!%;)jaNN*sNCSqa0LNNTb%*ga<NL->jk%_IrbVWpsl{}g z>2}j=ri;v%nJ1XDfZMs|1!j+Vm3g=MWpjol)1tG?vdp#ASiGR(>nwk;Y_Ys#dEN51 zCBZt}s<!4?=UUxXuk{-14b~0T&DQ&@4_S9u4_e=`4zf+MO||9QX4tN>1#J=Aqqf2J z6#M!1G4@IJEc*<5Ip}$fz16<m{xm51xcxhOs$;Ap&5`A>JFaw;Ip#R-b3E?Y<@m+{ zL5TB49GA?e@K^BJypR74{}BHe{}lfj{{uf$wM?~M^_c4Ks$uF2)#KD@YO{KhW|QVc z&1KpN+AQrHtrwKKOnZ~|H`?E8@6$e{{gd`h?Yr8e+H-ZIbVi*`m#<r@i|97$-Uij? z>)+RZr0>#SWGFXO85S6t4A&Xf8Gdg#0D3)Y=rVk7m}9Il`i!?4|6+X8_^xq+Da)iY zm7C_6yx<JWOgEYSY<k-Csp(tLs?t2sY%*s9qt}>kG4C_KWB$N=+I+Dk%`(|yuvjg5 zmfJ1K-~;Dbv#e&T!#dr1D=;|RHqpl0thO9mk!_`|#rBZxsO>x3Ap6DkgZ3`_3HuPo zC64KikmE+j(~iG5_B;Lodi>G>vCUb5qw|0v4R7M-@C!hd_wjG=hxjA>_k4ot9Mu$+ zO|@9%2fkLRHmH81`n~EI)f=kAst;9Z-~}r6G;q;!HBAnE>g&NtH>fwOx2U(Ox2Yde zZ&$ymK36kAGg+enSE$vj(zI!|X&%N$hhNfssyVJXso}N7pxCRl)!GR7?H{!FX#b$w zs(V7WOTS0|p1#B|-*5{!>;oA2K8*2ejkg)^Fy3o?%=m=yIpfPlto@ptrWK5{{@!%A zDbcJqSD5F65+5=@ZeC_tWr<o&SiZFkv8GzbSue9rvTDFNv#nQJ%RzywtS#1v^+oFu z>rrdedfeJ=J!vhny=?oNt=|4F#_&JwU)zT{e&HAm`kLfWITktIaU69V2i{JTqQ3~I zQSmd3p9;+7@Xh=<jKV2eHE8C5_OSLNEw3xkEzw=CdrkLu-Fvz@`uX5zx9jiLKcN4+ z{zHsBt-)l-G1M7$82)AW7JQ92nvBK9CP<J!8DB9TH~!0bfoYt{WGXVvHQiu}m^Pa_ zOz(q6(#)A=hq=tW)BLRYFOV5un7=V!V7c0|$Wmvy#j??|*|OL2SIZGgsx<>G4OrJ$ ze`)=l^<(R2kP}zfbQoLZHm7Zw?GLuQY=5>r15TD~A7($#ZnYQMOYIeQC%D-X`*M4W z{TBNU`=|CB9k)3)JGN4r8)07sy(IA?cr*W7{(1gI{;&M|pp*>N7S)3oPo1hSRo|#o zkPvqDRq9phm({O<f1QMMNYGrO$=0mV{8DqX<^j!N%?Fxen&H|DwU<CH=(QEvx!Oe- zWgXgm+9cfwT`pwqY~2E#4`Zxdw@LS@?gw3xzF1$aU#$1*@6g|;e^P%)|B3#%{(Jo| z43`+vL~PDBTy3Z^EH|`a^lddfX!x_C({RXevC$6c+-O_|DRHOqQH;P(ji-!hCc9~& z>0Z-groE;S=JU)Knd{9F^RLbKn|GP_FuW#M&bQ38%(g55Ckt6tT2@=0wCuLLW%<x@ z%<?^`>Rjto>kMn9^(yOfP}4f=AFY3~K5Ko$`abyBB^Z&J4A*mQKHH79n{7L6ui3t^ zowB9a+wAw+AGJSj@3j9Flt%KR+kVPE*fHF3v16)3>o7THILaZd7dz@5*Em`n>m6;5 zJJAF8JDzcLVEn%2I1K6im4jQ&afca?8_uWlqxdoW6kf&ac{`*_Az#YR!f0N?`}rn* z6~6|uCc@vr-@|X?xARZ%PebnP<=^5DL&_iHzu>=ur2m0es79$SQjJ$-VBD)!dR39C zl<7_ls(`9V)vCH#b*pNd>S5KNR8Og%RsBWv8aU{OsxMSMsucAY^=0Y_>P)ppZDP9B zOlS#<)E;$%I;3t^uYr!$roL7E2la#Mo$9@yjK4u^NCRKEOLM<wyQWRMS$ntkRq)tj z+7sG*-7H;=E~IPG{ZV%a9JX8cjc%x3ub-ixrJtw2UVjsM|02T_g9>BF0WB<S*lu{* z@QUGm!$*c=h7%Y~DaNtJbYp=rfDyF{GOW$G2|fQDIPhPM|1ge%PF8Qa*0j%b()7J4 z**wx*i{5WG-)L?}@4sw*-~5UBOLKx{f~CZ=#Bz=0kI=&2u$+hf)>~&;=UAQKx(`@i zv;G~NBiWW}8)+M7n`SGv&9c=&Ls(^7XS>PPZo9*FpY0Lb3$~YR-L}cl4{o*JVZYD* zi2X9h72qdT4yVK8XmI=zI>G~v?a&jRbL@4z;W*;>l*U>+Z20Kg!RXlwU?nMmUbX;z zxq@%uH$ayCg@1+rJO3{K5g+CMiJm)0b)o7K@ah8S5cAPnzfs+xx=*!T^`z=8)sL!? z>WiVbU8%0ZsH|3B1FiQ4^-b#EgG)cEen#D)?o_|4{!slLbU1}(oMwu~p()U8)Noo} zyHp#3?E64FR+px8>o({%>xS#k(_g5+RG*>G)a&#G`VxJWexbfre}leNf3yBK`akHm z>hIS-rhi)hyndhl0Jz<I7^z+QuP{~<4CffmGhAr6)R1AwH0TU=L#|<lq0%tV;4&;R z_#ru0Lvpr(=l{WQkKqyU#+`;;h7QACjN|=~rw1{bB`xI~(|M-JCZlO4<mla|XH7>S zK~I<lnMasMo3AhznrqBHa}#9fHb{f*<{jXdyUZQX{yNS3&05Q1%LeFuf3`ejdD-%& z<vnPAoOLK<#6)Y6wai*=U2OGXM3ZcN-TIdGAJ$<^!p^o`ZELjMk6wMk_NDDoyV*Y7 zUTv?ppT_9D5OPA##wzj4KRO=7Xno1?y5oJvC)A%?a0eUf&k_82{Du5w`~=KSbi4y& zwUn<w-&XVW{5AZw&<bzjZ{dH3vAT_an17Pr1upvvMrs%THUA?&Ty?(ca*R)2HBIGK z)v4-Ljj9mlHY-)DRcoQsY*4jBf83<{mHKw{?rZ9Qsco8aO_k<q&00-F^C<N34>ety zFEvTpVcN?fuky85YRl2fpK2%Qw2)VS)qM<3J4}C(Ua7Z055Ez;IK(i<@D5~DGIa0p z#zd3Sq&MXQ@7J3CXi74lV@@?|%x3d+^CsZ;CFm>XTQ0Rsv8XLhNTlVKUqZva&9c?< z0Cd1t!9BYy{{r_M3Yo07TC7{G-(v&~vz?F8Qw6QB26LC4wmp!;uiM_UeQ5g(ddw8N z!Cqpow9m7<z&n3yf5^Ve{)+u?_O~IUzk&`p%%On(x6~1U&b<zEn_oNb!DxCLn8!%k zj(zRGyOXa2UbkRg^Dw^~7=4xhnE#v~q%vT{IHBP*s>0B4Zdd(L^(gq-erPx!sZObu zs2kNcsyC{i2e&$;{z!dH{RJ@kqgtVHY66-SkY*9huQazoC;uZf@@F-}w5gD3R_!!M zv}?7`GELyLHU*e9LmQZ(tH2m)&|Rn7rF#?OXba@nBl>srr}U|Ybc5B<X!t$k(|yKH z<9_Hi2aR3E6UNiVWYaKEI&W$+U1wTn`jzRoraMgEnZ}xrLPni3|7ad%nFxJ5-%@3{ z%2I6!TW$nh--|ip)0P)32cZFdZAq~zt?8K8kltNuU5T0Ft=8MEk6Zt0eb?G$ooG`* zb1blxfO}nKyUlj5?OEsq@7gZ3Uxpc^-fpu`vtMby5!`E={R#Vv_VXd71dYh!Sn0Ug zafgHJ5a!z>K-ZV>m-CZB$GgFuqM+EpkRJ;`sb1AJs&%T(ss~h0tImVQeYrYA&4Ux| zRR3KaRe!A>tg&eFFms#>%(^x8nsu7ZnnyIxX|B{(YOjWFPzNpi2kmH`8W!MuU9qlS zw_bNAq{DXIlbAdH3)0~N{RI8h(6Rjb<&Y3-^&2ole+nGvE&T-srC}nZg%<qfe#2kD zLq0KlZJ3O?jl)=IEHhRb=NrSu4bUwgF`7+zrWw%9=VFfYIV8hq%y9JPrRI?Ndh>d4 zla1!h&@Epwzh(Z^Ji)??I{A&@BQ!@JY#ncX%(~OM*ZLCp#wqJa+XT$YPun?13N*<v zjz$M}0N=F&J?4QP*FuN-6Q83hR8^|xsazPnTUAe}{-)Zbxl{8XWa3VZLffSst{bVF z0FCHM=#qkV{D$rwU8+7yZ-hqV(KqR@)Bj$758C<)Xz5E((*=e}2BV<}JT+)o0Zr&0 z!*hmx;GYK#mm9Azs-X>CZLDURCh61n7$1a8{KojbF$p#c6SSfNHY;g^bo?9~^;^@q znCE4fdFY(Cnx8N~1MTP}=x(UxT+0O(6Gr(;ORMEqY?ikTbLh`3Ut)Amv6`T13$n7& zdL4A_o2<VFy&bWB3TuTRF{c7Ib8HK3i*2iI>utY*M!M712`%YE+o#Z!ezcuqA7@Vk z{pDfw6PFEQ_Sb5^*?u9$`Sp$sj&{dJ$0qRFEzpg&IUa%x-GOm`0QwR5?Ga&3btFHU zABXw&bpF@iq4Pm;zr_sYPwKZZr|wpd(_8_I#Z1jS&|I_TMoqhB7i<>qX^v`6X-4VB z=^CMfEZ42XJa4Q1abR~8@On39$(I{7&?ehKFVA9b{HBrSb7iI)(=O8sri;yYnzusc zyn_+?m6@{)0Wb7H!h8tKEXADnT43Tg&=sGsegy5I+nQ)gf%b5jE!S278$%7|AJ^Oe z0L}1wdy-?M!|JF3)igV9a6}w`r*?H?>Vb8FT>eVFj9<*R!&Y-UwD1YwRep67>;-Q^ zuj&Su`ax~i+@!fhvjcQA2UdX^%xV4FF!<6M?Ty+t%xr(By;FOy_Cf7q+9$!Q_Gn+y zzNY;<G_VgK4L;X?r9G|f(I)GL>wclTP<OHJa@{1|RGm&|(dFo->q@}O=INZUFf7$w zqifQwg09x8yG3^^X!I`Keau?+l<s-mUv#hNUe~>a8PG@2<G#R1{Z5wvOT-A+dB#AC zNY_u+tFSO=)91qGQwCk)YP}0ueuF-!Z^k%Yr;q4=rN0d`r+c7PJc?d;M!y@Q`mg#o z^l$6`q5l|~#h3bT^grkmp<ARHMj6J!qA?NLg@);d`Oq(B8s=bDUSse=!w4I$HLQU( zsm<^k!|x1t8t%m`;W5LLhGz|X3@;g8GyEO4yblbY8a_9CWjJl<fy_%YPJ;IMl<`H( z8jdq=d?D;0F3j3Df)j5yb($3B@#X@v6Jz6L%*GNiDvB^;xC;{Ramy~tVf1{|@=tJw zZ(;u+xp#r}Vrv@gc$)vy+?9Y+)wOMBaFBUS#*---_Zc_`=NLjory@j#BD07L8KO8D zDoP<y;s_;4NKvU&6h*02LZy;ssZPUN;(xZG^u6!*z2ATR*LQvYxh~ha);??Rwe0mg z_j5n@UVANwf0n>DTo@h<Z$=0snvurX18PV$SjJ1nJH{u*cLs*Z5BySwsmN4gYBR}9 zW8j&#<B`&n8N`f)%pwD_xKqsY%oafHo6K(JBjzCUEt5N*|D$=GoT<90mMH>U1y!l` znI15`1hKQ%^aY@jv6&_4CU$1a%~k_*DKI+*76$85f|>as{J=6+fMVJJT2v2dko1|v z2P~3Gwt;+qIXQqF4$9vHGM*wtQ3t-b0C1a4@uVg~{(GMKfQs778t|T2;EWuDGJ^)N zf+2%>hPH;zfLVz!swf9UXu-hv(%}9#!QH<Hp7oLTgNCCE&_(Iez~E=o=g{E+F=WPO zbZhz|(EFU}9-yTJ(nA5UH_(&lX)rd~^n8e$Wq@Nf^m_2fV@B`~!0c%;_==?94fxR& zam`_!RQN*ifQYD3G${)~qfDl30X40h0zY`d8l!;AItUeUMB;%dlmh>1L<S%yk|GgF zYQVUtz^qY@#ep2C61epM=?$nLEZ_(k<T`Rcc>p5W8}L0Y`72q9LZnbB?x5Etj<-@k zX$D=HNL8b1Qq8FgLHDo&oi3T0L2aNmQk$u*po(^ZYS#xE(+lbwDwq0|Is&;czk!f} zCMZq}h<SDfo`6Qla7W7xx(xb3)%yx@PZpS(8nAIIh<ycy<%aEs{e~|fGafd?)A(sF zprLrud}tZKr6;&Em!?1urgzi(=mYc@V9{L2g;DJ1Hxe?EGLi+&K@DPHu+dJVN~10# z9%H<*kg*tKND81$p}I9<Of_bJLS<#lGEO!ghFCxaeXkUh>PnM3lLoN(CX-fBQ#*lu zpgeCOg9Um^Gour976gz!88V|BCWl$dtcIMpiP_BTWOgz8Ku;ZDzJW}M%j7Y|n~IrA z0s0dG|8>B2si01nLmXg%0_bS!36>me8fF@48V~ArvT26t&T;LPV_FKzU>)e)&8D58 zeD#|SfQ^fpvCLc`lb(najb^Q&fAyL1gkgAKX;p~B3lTfS1vGCTqzhCp28=Pvpc_g2 zWGiwEWJ)=pXSKrUy2CgYfUQ(QWNrraN|vesifas5d@^;*_!tgPj+!h)4jqGqFk+72 z0Xd*wG#E62#@z}`Wx!wr_%&ikh3L(IF<S^R+|Doz_)06}N?nlG3elu!R*(~+BNq&u zFp`!`+XCZPK;wX>@hc;m$cLu%S}v%JJajyrA2MGlx-4CRP6XtdP;lvV2Hgsn4vTI# z&UHNLKJ);vfk=7`J)WLOPX_L@6ZG>uP|!>1<@8E=HNB4B2)b`Guu#-e-q439Ekps> zznT#h@-BuE3wV;Fk&jUTSWCQ7BIt17NB<8#d2-MRES3jh%ViJ*v{DzQei6p-VL5EM z1UM9n#b8LHh%iCGGj$=x7l+4UczF<a!VGN!29IIWuoygN3Bp2VPCFus2;g9?XZ!(d zA`eI`zn_aIzBIf4PCR`6x>j0fX#~Fv%eUr@QhG~tkjJI3S1X0jUg5B%I0zdz1b@yP z92SGcifzn({XPEjk`=EO?TzjtjF_O;oa`xv7y6TwP7*`}2skG^K@#g~L6Sx!(E`7u zkTW_j3U)Gtm5+Q$Qiue4m`_sBDk^-n7p#o}8}5w%cW`uuB*8JjD>~Abq=?9))dVG_ zCJqoSeZwOI{m@N`Vd@b{8Bs)k#!1Rd{){fj0TaeT!eCkp(b57@nkfu=5SdJZoE1K< zGlgNU3YmhCDL}`KT#=R2I_u;x)!Yn8DTi2eb$-|p+%hyA77Cka4ng!Lnw#_UXS6}0 z!&Hk7zTxY~caOESAnFnqkP$XUW%><*0mHE|qA<Xi8CW(3!&6gv+{SUy9tDXR-RiNs zRGhU!`x-QwEhE-kJg;Zx`d#Yc`W==Sb<4WqC)V5-^&2ilwyWH$%i+O(S^V~VUA>js znvPZ0CO56FTS`RCWTyw#X<y4%stlLcSiDZThV<aOy%*NuV8tgJ9o`u0GX1UBpXWax z&3NK$#=M->XZv*nWgvFO_u;5576oH1IQ#sHd%;E7foZ;TH>X_mlxl8mGm+|PN*Y!c zj(nJ<a^&il?~(Cy2EW+KZ#s0TP`7H^tAm3Tb7T^{zT~YFZ+v1`yy%(7w`U@Ubc!l` ziMP9RU$n-TEm>$aHtUHMUzXs#faFAvpco(P4$t`;9WO}6x5U10yRZ%m)`=-e`i3NZ z86QeT5xfjuYSrFPYu(%1BlmVaNO)(~`-YXM_W&Ui_`%S5dHFCHyau9%s7#e%riIMp z6s1t_h%mj#annI3Cym>fq9g`0hUZ5J@P&n0DrPW*ipqF8=#5kknS-S2O`hx>9z5+_ z{RxYjZcvsMdQfNFo)y*cLdcA%9^m*95%j8}XiIqT69S@%mc{Y25#>^_VbUz{%5g&# zLoYaPFS=xeO4l9t$!Y$BOG@Iw3GB;^eYa@^Qt>X}#J8scif5Lx2_Cdn2bUGeY=5PY zC1ADoQ^;$Vc;v+&f!kFh1SLWj9Ii4F|Eg89uUhWXj@K)4d5&HeT3p*nI>_&?6*uxE zPSKfF?koE;)_k>k?%FF?XhEB2^Y5^D_29m<nPRj}nwAV<<w1IoibRS1tj!xwB5ZsK zczpV#$BW$H(pyK*8?4252j$7j*-bZS)Z_otJ~ZLO2#Nli4}(}c>BFo4S3XPyLmD3m z?Z5M32XtZ3aMX{ff9uBwyakP{8qTO5va&fNGFCk7HNzphI<NPrj;L+R+ObrIgOjNA zb-bDOkHfjS_s@C73c9tiQrAE0w_K#Md+4IJ<%Oc|fVv&#ONUbEr^H)SKlr!|OOr#F zI2TuKDaGE?QtDXr_<{GGnOn(j)hqK|%lB*AiOd|z?e#LTwpY9%v0N}~!N`%S&wk7W zm0{t}v!1W&5Ifbp*(Yb#S@p!nFK(%nb)Lq?6-Q^g`Cb~D8QEx&s@2EO%E-#trCS(n zr5td#JTkgh#EqQ3Je_j(zIUt5e&d#wR}{fp?@Q#l>F4ercTP8Xh(8pkQma;_cO|Ul z+>*^2{NDx79$uQy|5!{jyrN^mkJ%V!xKj>@5NiD6Zij_QVKQh*9d(U=;WB)QNW_#o zfrI<Q69BELGB~)>q>n~M=#Kk%bc9~SBtnlnI_+m&Y^wIJx?X`^djC*WKQbah*V{|i zpRDKY8;&s0&MD&!;5j0RqtDTuel`jS|Ke<bf`8Y`$<x4X{^h_D5nCyxJFK2%-ZRZs z8a4_KBFbntRPnNiOyXao-|tZtf(Wd@Z&J5Qi-$Fwxf-FxlqApL3ze;XsNTov%E48n zE>SPqYmQTRaQ$iQwb=oLo|ELdkn>y}4R6YTjZcX1;3a>NFTAA&!SP#VF2AgORQvJ) z@$x#+j@^-cC*2>Or72s+491-3(8Lo<D&8+@-ZFQWNa9WLkq7SU*DhTtVm;qtt#I`# z`raDj9)WdYBMPx~i5n^dxjza{3dv}{-{dC1+~@X0=Bi{8%p{`=m(R`Ad0fkNJ&ZXf zU7(|HBj2lX=F(_Pj{T+78uk{CVP>6uaV$k!Z^NlRqJZSO*Fm$~ZoDW%oOQO^n4P+@ zsqMU}N`SY+-m`&`l`V>lO<Dby8Wp<nQ3#uN0AQ+p5~gBQEQ=i;Y0gmo_Sn5sla)Fh zrUU_|5~jg~4T~g$NWnb^sv!($93BbNK#8nKA3c&bG8a8AD5>IrPVV+4S_S$C!peEm zm<I%WfCgX~q`Al(v@%W-r2rEb`Hi3uEuvr_YjlSAI1@2IpG^S`1N|JB2w2>&A`<oQ zb#Jmo!M|^jq>9X*=$zcI&Y@eQ5-G%qbsbTH^mhcMJ6PRN%Evvn!z&M4#Jk(RvDMt~ zs<SgW+n3{X=3?BVW24WUG|B#h-uf5c`8Hh`jDEYgwCwCd7XOpwp8{D#HJ|Fb^F7~; zLWhHm$vOj~-ouVZZ+<@VWR2C$`)db%Xy41-iq?2;4?XzuuueJSU^SKp6WSrgsk~bK zto-)g(*^?@{R2bZs>SZz7LN?SG3N8v6#X=`Ex?FdcC9#0LwL==X!zkZ&dtLQFZ;ER z)SUl%bfM<1zR=o|TUUh(q@}suqdn#t;^xISn=f@$??0Miy)_W$cz^SQ&V}X=&lEph ztZc6KzNvqQ#C&;v{j8x`zFudfKBXia)?1yWADGFb9vydY3fTPMPObh^lpl9nb<}OA z@CS$c$-bEw%wG}^H2whOfT1CCIO-hL)Y;PrNCav}5fQ=TbE_l#BD}rEIfviW^#L1Q zA?s6{Dg!pkPM$svjML9Yke{`%scMt8P)M9!Ngq%!G6J@MgmxmQ!IWQIVMjqkYEU4j z>RZMc*-ZX7cksW#)DppWa;4^OWitcQkgL=H%T9}`4-@2yI6<xmcqc_74?Noa3FKIe z%oLDEM@RqOjj&LdFdh33PK#p$V-r-49xgpOn8o{P!TZRFGEces;=HQUiTUpva=X5% zzP#$q%jV}fmeW4l$l;ECUI3=4|Fgq67xBEa_p8L87rnc!y13n6J7%TZ?tQi;XIRt) zkLSkDU(nWaTeB)k{-XEUKYpCCKU9m&Hg{MVw?FWYQK}wSE<IRq9?#atbM(toW;}nJ zqQPxwy<L^Gr-Y_Mf7ZLlLA`3HOtHLwr*zBdwtdGk);%6N)RgY|;k>)C^plkex5w(f zx<p}5he&Luj5Q0n@9`e15%){7GQXtS^jTqd=$xyOJgIg;w>t>4H(<ImZFXCD^E(sH z`@iWEsa&Cjk-w7vTsunGOBJ87?3P~R279}#14Rd7B6n{t{8*p6;%b$6cj3MUTcL|D zj0`pXULIWE(>z9cQtPojP;Hx=OG5gwTN#bZNTP~6^>fST?~OJ*lCSU7A$%eRH?ZZf zWP5l>T<hoP*aq7hDN0JVU-cH~xf;IKn>p4S)s&DEz@kL0w^X^A$m5*0QS!pDlkJDs zMfk_%y2kZYhqlJol#BlOps|1Wi@74Vv`vhK^!aq2SSC(u8*y{eIJfnz_oI3Eb#Y76 zKU}Z8^trcx?>D_L_B=y&YGO-O0yd88DRNa2$?cWmzF_4uYH>TX?Y`uDCnnc^l0SD! z$c%cm@7|A+9quAw8*?O=lI6!rGu@*;6_mQPA#8#?U_EXU=K~MTu-GEH=6rxD&F}7^ zLGC}8%zq0=QI=|mkRhu;;B6Na-$_Q(ib(u4e1}XE&Ep|*@Cy-^!eXD0%1R(&=m9<< zfqA~L>T!4^9GgV&8A5V)<Ljpq9pJ5|@i#N(qnj*GB&Aa@|F0?`Z0w)&P%N5<Vj&L& zA1ghc*LsAIW91?#lW2LnY;(I{M$piv?nkrE%|A(&R!SXQwaZ$-sQ%t^zlJL@tFaC4 zi&HMjVP7tZEeJHVkG$aOPZ%gnFx;l-_9&~GW8{43`iB%<?+-NRX9;Udmi*vf9#VJw zNZg8RPt9v*y<<N%9{OXe{OiUht6)Xj+h_9PD$+bFT3yTIwY#-PmoMwL;21f)ew|id z^Z*lnfw$F!H%{LEt(Aui&KuF%A=_KBe!tv~H$7|5+Wy!~=~2De6f@Voebk!$<$!CN zr*mZQM!urFlm~Jt5;_^0P4xIupS!DO3(qlk3Ym36dD+`%hezfwq8j&@kGThrG;PRP zvOO%v)Q-~K7NvRHsQ*6Ib3@H&k@Tm<a&x(kf)|SWOIy4)S%{a>4@jinK^#e<CXWv7 z=QYqQ4xF8NT;rO1h!Zl*lJIL8aC8jU$a2?c-;<~E^?c3gyZ6|Be4f|-xSq30{=%Gf z8ZQ#C&zII|9^}{ms%^jh_AOk%T`7UH(R-}wkCIaMHC!rK#C#SoyZbrq&Xs#k+Y^JI z`YW6pnr};&kLf9^z^ms)OS5qw6DjWZcglLaGP)qhx3*NWdCP!Vzu&@8%mr*9ck7vB z5e#m&>Ma!|wb>QCLZobyrow(@hc25IWr@Mw=k8tC$SO9?yD|@Q8#+HL_4({NQPTEm zV+fzZV&oiVD$Er^nA`h%m;+}1w_y&|dlV({DBDK`nTagEH^Vlp>Cn<a!;y6<mDZcK zdDV8>{}w_1GQ@;T#Vm+)UdXC{Gt&JP|NkeEZak#I?k|+_fM<wyR~fI5=px#jxtuwv z>i;wtL(+im8iSq}jHsgLN#GR_xu5a(PazGlLn{&SHt-OSpFr?W5(1qLF(C+!3wB8- zXc#R1{}>)24QNXg&9$oteN{{ER_LdH9$p-}Ax1sT7}r(hARaBXOUQLpVs2-DvwL8o z2<fPCGl8+6RA%=<wf96cqTncQ)9kYH{vIpy>qiUouM6es-k0=WO<&favEoL3#i@-I zt29QlvTedVx0>?FAR!kIKX9_G==W32&a!2!uVX9>dg&pXbk!hFBTH?oJvZ9RqOM;d z)VfVxbS<ve9TP^$UA!+TucwK~Q$19)yUu!WyCuWfR5oT_Vn|f^_C@6MC`WF<626r? zay(u?(0TtzGT(3gNQq#@0FO;3ljCKO>|}#aI>pQilZp$HkvrMfg(-|KjM}#O6RZ86 zr`Y#-ALVm5T9DYhs~|kMVS#QXZT&C7KUVCo!qPOImXnl+%=)R63gAdWKY1ePwur*C zk|0S0GU#8bt~8=Ett3QJLKHZ1@GkK0Zyx=8R|V1k)eN4bf+v<av5O7kP0pm$$-m1V zH8nh#JM3_@a7pE{1ui2`le?^^2T%|w@oX&5Y+~DG9oaiU1&#sc0=henm&<mYHq<|L ztGb(BS?Y4{R8DWb@TJvz{GN0?vf(a1|M2;ta-|g_yS^pXT&8@y$etnQHn1S}G)G5% zgK^sOyDFaz-q4l3J1RrnS(!@irRlrE1WRum&fytZDd4T!(SB9QwfXk(&W`~U_PYAT zJD$X)Svj$eyJ5cP1jXKbU#;;YUdxPo@4zkFrx(`{gjW`4n!b-XS3M-S=y2iY#!ic( zcX8}TwIrbgz8aRCU-Gm3%&ZKLouYQ<zg863<Xqn^Q<%a&a<Sr;PIm9HxkGyDmB-Gk z{4z?o6>z^>$iGWjAem6sM`=u5{-l_qEGd!IO<`(!hG@RY?hV|#wy#TF@EmUI>e3_n z*@O*ycy^DfdRWAUe7fS``jM@em$f@_R=}n`5_}I?KZ0I=Z*$97!1q~kO_Fw{{YyTp zC53Z+j&Mq&c>11xPhFItT&PVOI~lyi<GaI-E`O;lDgwQ_<pcXpWagMftt*o0^lozL z6Z`Nn<8$;4sXyj_dux7i*Y53^wQ`K%gPOV)H>G)(Ta*0`g*cx!;XYoHQ?Mdi!Qpkg z{>rffZh5N$S1Iou3@R4QA89;IiIBNBGFEwRuhY(KoA1|Zc}1@Co;fYh(CX8bxGO$& zO{`wp_L2b8vD5%8p^8>feDvLiK!sK1+U*pr1l~g1(YDX>#cZq~a09+ymP8=2F<&7# za8Wl4|4(avSg}8ejsgT;Z4n$+j+ckyfyn;q7>*?Pv%rS|N1A#XA;3!#1ri22FPR3< zMq$#PE1>qzU-2XmnxAQTS<X$^;CBFNe^<LRO_qhb()cHL!0=dvmv}51S}gEb^KN!- zbA5%fGPa@P`haQshp26d2ezDhCn(nwxJ&Un@hmOn`G<nr^9DVHGsOCs^t_0J$G%{@ z>D0wN*%_s7GDQnD+UgSHl5fpv<Dt*{Vl6JTPC5LXJ;gn(UZ`)QL0s}3ckvgBE1byW zEZ;Jxh~xe1_H4>N61Zn*W{vC2`hMeW(n}GyPcsuDhkY+Q`EPTGLkKhm_3|2}_!%T0 zyA>ZAJo>d;+R|r+WRE8I?^4P<vGmyMF5>WevsTU`H=(B{yM3OUsM@QUpL{Z}&NAs_ uPsVor*`C{C=9P<B2>XcyFJD&PXCJ8A!*k=K<9e4j2MM$*p3ONz%Krm;v>Rgp literal 0 HcmV?d00001 diff --git a/venv/Scripts/_ctypes_test.pyd b/venv/Scripts/_ctypes_test.pyd new file mode 100644 index 0000000000000000000000000000000000000000..33664c174cf8a789f31f2c9789663b9433e4576b GIT binary patch literal 29848 zcmeIb30PBCw?BMB0z_sN6%{oiC=TFB!aN2c3KkS)asWes1cFRvP_PbY#2O>js<pPY z6<)PkJ85fMs#Zaqs}_g1#i_;CY7}d!rAk|CzTZAcAUL#r|M!2t`#j%wk6n9Md+oK? zUVH7ehjT)cW~`yu6h(0WMk7VlAtsNA3I8TwQIyM&y)M+A9;b)au@X-YO)XHUcxB4c ze5JIQmn$tPDOK}wWIUy&gr_Ls#Z6A(6_@78{GFX0yv?k~y`|}8cWhvc1zZoVh;cx^ zPwfB^hlxEzHcUKN<jllFL{5l9YfR;uZ39GX<n4|Ph#AA+dyDLuc%V7H9%IV)XYx}O zxdo&xOV5(U6qU%brJi>d&a~iKD4U^<EEgAQ3^4vCY(J8A1BjTs8<V!7C_5(G6;o?~ zfHK3zvnU%%1P!4Qsn;2svX$d0D!_rF_9Ro(6;fPAQ9R^3pBWUjaR73a6jhG_${t5i zshx#SChAZwvPL7*WSxI3?XQ-VtAX1+8Uc}y^p6;U)x$%x{>nV5T1rtX`=USu@Bq*N zt4D+qe-jxsjqu0@*Z|@IR*wi>@mH#pxxg`fMV~1rz(j!6BO?5ivZ7KDlD-oiFtVj1 zwt7Sqg<k*f^Iy?GU2-1f)_AJ(Nz>oaUhgn!oC>L_Qw-l2@sx3lw6V`t5#^>m?4kc5 z%ZmEcDHDBqMj=aoPyd^-&klx+lU_(=BpWtAQC%|YF$SjkQ_}SsZXv6)dUcZ1ltL;! z*^u=FhsPM8zFzF%`aylNUhHm)+)R;^DdLjInC7WH>`o+S+N-}R_SN3;y>k3&rZ?}Z zn8zeMu8KXFgxgiI8<XH(6?2jB^fso^+QYt#<V<^9?HwomDIH5McGAUg^kO$%4A+?E zu08D3T{+My=#PoH&Ta2G9uqs6A~zCQ2u=L9gkTiFZA%2=?(`Ny^9Y&fjb%>8GA=VR z1x_)Po8jX}MkCWhlxwfoYww64do}uz<d$45<|Y^Tf(pHjGw4By4o*Ra^bfr&5D^Y4 zf{*h~1Q+WedKSNF7JlJR@+%|!hCP!X8S82>hDYOMl5GW{|K(5811J5_S>1ZfwBPYe z`-nuX?gsj#ePkJZcEKu53IspoQ?2vRLe{O#z7$0$j6QXpWh4)JJ<2<6p2@rElbqN| zTpjSpyB-j8*<v@>gFqf<C%NmAxR=G;i&@-@Vs0~RO6-|+t7?RaJ>mEF^rpH@qyLD$ zOT2%^zdQYt{p0GnFh+gciicK|L>s40)e_ZpYJ<@a8BhJ0>M5-1Ja1|xD`r`}=C{!& zt7BNn#y;7g);DPnbE?j1*ce&;$<b$4+EveGt%&0rLHLXQQ1|gR`eZ&u|JBJh)my!Z zpOfpk+Iky#)d|h7qYs_!NJ+2u6qBVU#oSgKY3sg*Gizp6V~SD3O*b4IPEjVq0?Is| z&*b++f1!WIH`&0!*%_Pk<2l;H+(J$v+t?(mhv+DW{`8ckqM1HjZ>JY=KyR0>7jcbE zot;Fv_Rg4EERk-)BRcUzRIX0CFy)x|0=5d&F>y2L%rWs5vg{obw~*EJnE1La6B)>6 z<Cyr4JrlKYnW()76LpZi1KLY^2n7gF8*cZaC^C=H-rw8Xx5eI9vpg9?_4F|ts%g0Y zp*`LD0fWQTF!w)0Xso)g_DIoZIi(xVvpXP^{^+Zt59!;^KGOU+Q-4fi)(FwZ^^Pei zM9IQ)8Ty6r0K&_<RBtE8W9pH5V@A3$4eJh<-P{wnLaNXvBi+z%7&_Oc|6PB^@k`BB zJqoa{G|n{l7b-nQWkSJqM5UI2>FSR@jkwyXb806&=I}TUyFurW)yOu@^4cO)>~7yC ze|qum#rmtM-n`3VPq<EBxJqASL*Pn*$2xKA;)!p5xp)#d`igV>ILfX05YoQD*MIXp z%1&N9(R}&amaCWUACA#XxZ2!mbM>P34)MRnG><FbhE5XxgfX%-sSM`L*Df|(k#WB{ zaq;dq7r$+}f7tf<V^^E6sJ%l-Z?9goq|DtT<CTup8`?}SI7R&G>m5d8!F7^)38_M! z@hg2Bbn28|&_<98fYcu5b=qg0`icG*aM2rMp9m4AG8D$@rcp9}ci_$+!j*R<7kCm< zjgzs@aZqayyH(X|I7HCe!^j&cCL(!@xTm^OCX_WHDSNye?ZKX%wDkwI9lcy%n2sSf zdROrVFtX`cLb02+g~f-ASe2`tDA<CKtG#B&hpT2VM_>{bY={ZV)hD?%T(c8$ms}&e zO>3kBK~f94BV8F}<&bWaeHbLw;%ctGGRbX4JO_;?!Iio-v~Yzn93RTaqWCc;tXv<% zl|x)P<dySdh<pqwyIw9tiMGYg8r#sqHlss2(R+!s40AiCY}lc$A|f+W<nVYA+69hj zHyZS?e6+i_euxz-2RXxv6d6x?P;M6itpHYk%B?S8G(ZGM17rg{p?wR?MP3i61=In~ z1MULYpdlmt*!cZKyq0%W`9RbnZnU9gNJGaEG;GQYYUmi;nHkW~F{m@sx1qzcGt;x7 zV_;{-v7uu?XNJ?z(Vxk<9uN_|gRO|u(Bj(A(T~Z=;hp8kZ*1srwMIAt;bM(&0K(ZC zVFv`Zd*I0MVAms$U7acK0G^}<Q6WP>5NsfNWHk!wfi$j!K3)NA1?&bK0DJ*x2K)fH z3s6EU7I=ufGxCE0V*w&SGC&G2%^Xw6=og06@ah&Cd&#==w6ru`p8zBu+|nOvFbrWI zvYLIS@%Y3<FCz5s?A*Ci*C&q9UpsqyWp`rp_#ONY`G5LM{&M}}4M2Wq>`CE^xlfbc zv_DJYGGaftrgJ8JID7k;E$IL=)Bi{KlZ6FK6+3x~&Y6tD7NUQH)boke$Rt0uT3z&{ z2V02vhHKBD$F}lfy+Jhy7YBjK@VCrBo5t8`<7hSt=o70G=wqKo&+HFO<-?v??t0*F z#`_S*wDyxGiT(YhJy{d~LwmBWLiqo+Jy}zm_4}9h^d$XX+tZWue{HW%(*MW&t?i@B zo_gYXDC-cnOZR5|ldb#H?CGUv(3|XO*uZDolT{Zw?dcbAd&2&n5Qo@<$-Wx@F+J?f z=|A*e4E=xLzy34+pPJ-(3jb&LFQ=#YFQ>ooUrzs_|N8IdPtLbb`mfr4&+=c^^j-dI zD6R^-tu<!*yeM{pKl%uzPuS1JEGLv&S7Pjk&}*MYZ}wlLJolO9o$HCoM_O|?`K!OP zH|se@{Ld%Pv<Ix0*2JCu?XT_4x(ea{*Y;*jZCOA5%HE!&Px?!Hdy-!Km-hA~{eR5g z+J3tH8@~_nZ%$9~Z`Sl(_O|;O^d@_Y#Rc}W?9HkRo%YuIY4lHsWAbmr{=P@+Pw;;# z{p0p%<y|f773N<!cR~N~c<y3%oKC{yISZV^<DC}Un~$_)4@qVdLtk5tBO4C2IBbu> zF`8G+sl+)tLhr(MWhce6zhIvXKdyE`tH-E3?1^sui=2QaaoLl(`i05tFKgpTbxi>K z3_HmKbwNA`#QG$6$t<0lE}o-L@;oNulB&9RC)}av#opm!k=l0eCfvR0#lGR<IAlVY zjFZ+tsiU<9mU<`xO(4T4UI%W845w6GITvire1N7UIuE8KL|4Y`D$rqw-5I=xL>CV_ zPjeZ@2R!BaBnKRnbR^XvXP=O>8<258iA66a?O5gqyIzMyQS6qUQLS;R=7@A+95>t> zT5NP;cU&K%*E+F>UhIh?Lh7j(^QxVgqvGh}=q~o|I<Ysps!QU1My_3|IiT_-o$L5z zo8>CQG9LOgE^fOx%sxNKsd^j>cf{4>Y;Z?hJ&vu5abm_$*V7~^=?~nAn9E|J#}JYA zwDUE}b>a@D#~pg{?+_E+{ar8az*)MR`4D^5-ihnFUrNs~35;$p-2clqy?B4MW<R^W zdf^oY|I0R=_)4|rieB7e?ih5_q8DFhbaP!VHZZy|=*4%;x`F!Js@+YxY0`_^8Qru) z6kS>yqZSCrs0CM165;7thHPSP5YwBP$dHd*_26=d%iN8TJ2K~ZY<H_p0K=NX+?MGA z35K~}EBF<M+=2x#QDdKa+#%qWq|xX@?jnpnByaQ~Hx1#=R5s;yPh)eh@!l;xYA|NP z7^9FFBaZ|<Nnk6i7q!xctr*2tTf-tmuAkJm4l!zQZNW8Q4WXvDx@i}>QLZo7qa@j2 zgBynFWF8l~6?BNPEuY~`QH7M@JgQD#R`0s(Eb16e;!bXb`1_AoE3$5CWe+KBq&s>* zxmN8%=`mZ9A(v4GBj}dZtCI|$;=Pw)B`)*~TM!hqpc4gG5E%5X;5!}nCL;~oO~kx{ zW>R{Al;$&~CWba(D7cIUkBJ}RvfXHi1Y+4`O{}31mx1~=Z4{**l5TLu1tA1gyOWnX zHt3~3NPouIrwQzgUm0!dvWccet*$GxZW=Y;8wv<H4ylGZNZ43tZx{w<rwW}4JjSE_ zEFf!1m8$wh()cYTWjKQltPo%C>b8w$l3^KSH+*7?;5SFyzxpuhum}oQ2^A8B_am(_ z(h(VY8p=@3sJU+Vj%b%iAuvnv1_)1K2ttSyUxOuX3agA7*U(5J!(w}3{Vf-0m<Rz* z;T>uRt<gqptIu+473%{jTy-Idi(y-x_<E~nN(RwGrxx^WI?eT}`>x9lK`^Gwun#X5 zI??ZRqCdffEQ8h>S(*Uwqf?SeKi&jB1s88z!%|eNCGBAzRn@EA7_9!dS>b6dRYtX~ z*2vb(FtwA?)sA|CNl<WQk8cfrLdI5aebOCF5hGpjwJ!#bn5+|Nl3Wkt)m)=qW)R*- zPt0o8A2qaN?8p^xdM9Vb{(GY?de79hSi&q~;~>qtRsYavL_)jJiKVeMRA4rBH8mfG zMqYE7XfcL;xFRA7*Vu=HL_rS@Rd4L$gd{HiJrFTFv?X`E!KJXDfs45VrPvnQOg}wx zOT83Ya^6qEK6NA<w1<R&yGR)ME<*XLKFv(ze2R$%?O-C?txV)o!$f|Y5N%p*+k{9j zrnVerV$PQ1i1F@g%LS6Jx`JLEvvot7MX{(_Qn=+*Hr}?`)*~cxAG1A-6q%;SY@5uf zLe8|=_0+M-3&@lCX3FasccV+R?LfYvh0;57P)_m%oEX^WHE4<4azcxRTmz|RR)eQW z4J;TnQ3H-?|8J||I@Iu=bsj?MR*?Ri`exhJw<ULYrvC6TAODB?)AG0dfgMwG9f(WU zaI`Wf3VD~g_BbTRGkXFj(H1h;=7F{JmH3fX5Iw|lh<7v(!^KXjK8UfXk=F-KD|Jp) z&8XIT#iW&=AclFwwRhaLvUaLk+^&^%P?!b*B4U>vLUB8I8T<Gm%O?qMQ=(dY2ShxE zsI5Bbp-_BBD1InxAnZ(rmY#8N(hbqR1DJ@$@GsSzsxzA5hP7nBbv*n_js0hnQP}DN ztb=pU2^8*7-5ihW7!!SPR-$8Ua~82hW=8kYMiTEtX?ifTmO{I5m}Ej1wB%wc_i+QJ zkx3gG882Md27II8+_z{jo}=Y*urD**B+ZkY4RVAzv*pkq7m9J+KIHsy#^4#8wq-~m zZ#vmWanBzY+EUqOr$Dv|Nlt{)AVxdMhBuhjzzQYl`uGU;ao0~{+^eT}u$z#uo89Ki zz8C(Lx<A<*Pjpf`=*Mx{<D9~eE1k55e8a!e+-5cm`a`Y1-I@kgCPpyJ;h!bVz>C9B zuEvw$x+Ii*^rLaDbHrSihsJnlIJ>av5@1iAS4(yPjp>F@u@0ds&xAPOf%RLT%xUF> zH>sg6{mC}h-7Z+8+XVHq8h5c~H5!(iD%cxZ;EY>63`*panQZ~qay45}-)LwAY8R^! zdxs`8vaEhOwiu0u0Emhgp$vtuDQ$1?LZbCY5F0#@GW14(40>c3%(SEF&x|GG$CKR2 z3S?Pdu*!QHH6DhEpqoA&y8RKWGbC^-=)fo%rVw<a;R}X~>#|hDM4&o?zV#tOw4q(d zr8M?OZ9U1R#o$KP@Kq>*kQ|~T!(vm$0reJ=dabvJ`bfn)PL+{vWZ$E<-^IGM0=+cv z^=!3|SenHKsY#aMSmC@(@_Y;o+3dI$a8S?imMN<qFQ{*Qj<KF<O?w6`=pd1vF(d79 zqs5GLWJYyhQf=F|?I5XdLZFHXCpl_Mq+wxz$Yd(CHDqAKPZe?trjcF5OK@Ifp4XYo z1O24jG+DI~h?dlm3}YsVpP9^L1uVl&69wD+jFgRTNS<Oy#^O!(YU&Z%a&KzEQ1imO zi`6;=8)iKvJh3DMZ0lXuH|QJ4@@ys$)Ej1?ab`f1KmZP|l|<`3g!P{hTYJHz(8@?M z29(;a5<X1Ri>&pI&=85)L{rnvinq)?TcRaQKM<ThuEke8_69lFw>p}XJqhXQ51OYB ztbfonj2x9PW}Q`u{+O9d>e*%8!b~L%na0JP)Pyym0%=@_$#3G*9G}%#mx!vQ$h6F- zV4dfI9-T5RaD{9`1N453<9!NCVKuW77h-bE#-0g#30>7Hs8LtFf`l(GBjFpBB>Z>* z2|q7KC|~vRRwk<6$V6|bnW(CaiMACn(R&4mHm$DOgh(&u=&IHuQB4vxNE~C@C2PN4 z^sq2lSG9&I-9aR|hQUA$2y;xl1DjLPG4Z=(AD|QOG4`QFuso`In(@KqYVi&joT&!` zF2l$kHJUa+<lU!f2LxMo!XBK9PM-pY>6Vw$IFuE}Rg3qN=9I+n4m%--N@KwOz8EJH zJJ(OecUswn4%3LS3hOa1jeXov3PlEVy0B5!E^JVj3+tt=P`k`^(tc(@tCX4zcLASM za66E=bh1Yy14LXdwIn20RotTS(U!ZhHAD0w_eh@Yy8h~ckwZ!39_d9Q=SWKQDrCYT z7UxTY01}_l`tXP~Hm0N>FyJ7xj|AbrsQPE<qp+!U(0^(6L0@Z+a>9R6-jd9kNod;$ zEeZaPmN`Ecv<6XbdB#A}3w@loo36;)tr{@8B_%zBF;=Xd!XwE#nZc;RQS+gBN|A99 zx8-di_3q)7W?LRsKs?hW5CaOGa?fPE@Q>zgbHPz;q6?^Oc!HZ4Y;2&j8atK5m^z~_ zvIvv2lCXZsZ!W=<8*$oDrPjxrC_{V4J4JXow#Ohh@F{dKjDUq#;ZRsaILg{^7STGB zA{*g}^bFk~QU^!x6xV<0f0?PX*UjVTCUb=+bQ!n-xT0Tp9S&^CgA%o@2nX*#MTsl{ z-NMm4aDuEv19QVdZK_(Gbw$TU=XENM<1t70z~{KS6emqAxcIb18(kyo?O2q0SY)=H z4W;&sEF)2$$YeV<rFH=lkv))XO4Cyx=?j^(U$S&eqSelfSlEu;59E2cKu~BuO?cvo zc1=y{vsxZBl5aiLF4`|`%sklotTxH4w<+Sf<fi^}j@gpFgOCEA;;JW+$W1*#c*2#{ zq!Zu4?E!I_No{!Xt?jVW_}3D(X^(SF6=8qW7J|9o$W!;y9_N|Ra5E;fu%4M{P!MKL zsI5CF$v~OD^fLOyi!cp*l9@1(33oB!4kp~ngmp}q$%NTVsAj@)CS1UT%b0K@6Ru~% zHB7jQ30E-TCMK+8!ZIf0Fd><QMjvuCGWvKhp(hjan9!REeVLGK7>zy@6S^@W&4k2N z7=4IK!0fjE56;4J-<6S`A~a&+xI5M_bf17vW85AzKe(iArgXsJvl=&)d0NUmy2?CJ z=HXbc@z5uFdyx9Va}R#jH<Kxd_<U;&(xfES+nwOfww}Fs_V(Fk$IF^_l(#*|^Y+vq zM~TOS8|<@6mvGR{<0|dLK|7Z<NqA0wbh5_&!KDYy+Dp{TS&~C;=4)Mi_=8I3h8fnK z4Lg||KCaJ1qbAXv&fYqEnQ8b08vcc8*n?@<y|ZCAbHh&NhG)&}Z0*!3Z6q^q)xl&A z-{IohBYc5#&vgvP`$VIqY@qfI=VFBSG`Y5Av0U4+Sbg67@mX~Ovp>4S(_U}8Sbq^3 z`*wl1+qZB}5RYh$`09vnZdIMD7<|#wTkqt(<Y!oD<&p+0n2WVd6j7h{9Mw9;Tx!BM zoA8&YR?<!P2Zso?rtV^<w+Dd}FylC8=nD{n-~Y|$N*YBy!iVJp5QhLd00HUvCLVD% zU;$tQ;9Y<h@GgKuNR!6~T_bTiaP?Cu>NcPS@CkrCsVNkd2_R24XvmX@w&cJm0hNGp z$gf2_7_lATHqvJR?*hgkPaXl%JOFw6n&U)sT#2?y0PD?d5*KZv{O4hPHswYx2GlZ@ zTCOR{l}MFJX$8+Guk$|#s<SLEFVEMfYz)t*Y@`F4=#I|^KL0U%T-?*?2|kfjNF+5n z`6v_$Yx)vtv5b#)=1Pk+Bth~5OCAZiLa9>oWcm5PNy^L1C5jS-nwO8?UHFvYKO!QP zD=jKgl;n4&RlK~?64@ADnOe!4Csi?I6R1-B%cF9r3Q9%|CDkaE0{n?SkRUO^NpjT{ zWipk7$V>9wpO$D-o-4A(TYg&sd!gb0d9eVYiNaEb8xhJKumfc~9xEdYxi2d3N7;UJ zSq*Ui#}CFkJJxj7)Aab1BKyAoix0Ll)YO!?l-=sy7vKMP<G2rsrVXpj`@SD(CN?Zn zGOtuQJ2N0tm6;ryqfr#)WzJKS2nCteYW6S7%V8wyi;w_$`T!=xrX~_=C%@rfe$U}u zT*4HJOuzl`SCAiNcn1<3`blBGP5IMwt{ld4!IF=in(93*HU>phb9dYfg1gcUm%z}q zbjLAt*Sq1889GCE97A`f8!nZhYXgo<T7O2CRE7?B6jV0G-17SqjF(A%=JzPxs&e!1 zO^7X3cG7vzpFck@hs=fRVhg=G*E=D`Bu_Wo43j+8xKtAzHmej)+-MthQ%!WZ`lrZ& z)}LwEyBtZ%@*5t1nMoM(Tb|>D#-w-5PWaC$Cc8G{80%dFTvHca0HMpCN>QUQKxR5v z4MCcIk7fC74Q{%r8a8NhR4P(TelygDi1|&8H%;6G)dn2hqZ7x-K=6-0<b?sjHJM{e z-eHu<e_HYv9xH$Gv2yGB?~TT{XaK_3Qoq@%{xl)wHXA_7tsjsuvV=WH;dq9t88hq{ z5B<gC9%Uk61l9l?!OMIpYK;%{fVduUCGa)CR|1-Pg9gxsN#X`)l8m?#P=?9E1JFHD zhSuu=HJ}p#S4Lt$Hp++tN+z_Z(}K7XI2vU|*`Nb75x)2cf(9Lr#CfO-z>hbma+JG4 zhBYX2Lmdjx)(hpxw;--T+y<yYde?B^0P(0(1NoZ($%7#S4`qnmhM+w_6M%<2Jq&!% z*ENXS0Lk8<15il20pEgjHq!L~9@3Qn8oVe#CF-{TMBr6J_=0{H<m5q)CiHI?pbTjW zADdC2%SK!e;Nf$yN<h;<<iV%j3%H@c0a^ee<ktXSgSZUPhIBIUy8v#;x1jDW01aMi z0BwL|<O{M<M(PZpsOK==(*QYuVn79;8n6+t1@JCFI|*w$;4Q!|z+S*%z!^X@;5)z_ zzykn#GWI8c{s3<P4G0HJ089mB0SW*rz+!+7unzDBU^`$pU>~3k?S28c2)G6K4bU@@ zqDBG|09k-?z)OJbfW3fofFA%I0M8`MWk47p2_OY%0jmM80crue00#jl0T%$@0oni* z`e6&`3Fr^-0*nF#0HOf#fT@5?fDAAPun=$ra-RpZ0Dc5K1oTLTJ^;M|9)LjrFTe=E z7=Qo}0*C^{0VV>H0qKBDKn|b)Py$c`<^vW3mH~8t7Xj-48v&aDwE!}MZ74Ryp=>ET z${v0+hzh1cs8A}53a28dNGghorbKY><EU8d2E^2OY62BcCE!PZ&ryj~5)?3*N~Wez zQ>h-51LcSx2s%?Plq=juPpTKDl{?nHzEnT_5V1csfEozH9R$N2Lh-1flozIiH|0YO zr$$h|)JSR+H5xx`^uv!h$Kpqed`dtGsQ@aFN}*DzG%B6Spr%pNsTtHvDwE2hW>FF< zo04J=l#88^jFMCNQ~{;HtIF9_5mii;V24yj&7qW(ic)vm3Hg^*<WUo3>Z!6^wX`I^ zNJcU#Y9)4E)N?Xf+2ou;lu*f~iV}4~38A8rD-y6%lUOhG)Kr;Tqcjz#&MTd)QO79r zRg|QxLc(mnED5q7V>V#S<}6N<Q=ll4$62AIiV&+@P6alPR{2~>nWW4*kL_WOG<UW{ zAyLSmhMyyu^Hlsig}OjeM*1XEK30!N)~$`4*^(luGG8W9sg)XZzf1mH6e(r-lDtw) z4ixuf0r*>C^Gw~%vqs63GWk;kkv~bQcoJnTmPAvArCcUqcH34hbXQoJLQ^u^s&vki zOf9H6R%E1;rrtlRnYom-1RHp@EFTKZDOIaWi>Z7VQgTdE%%nK+gb67mE3qOXS@6s) zP*O}iC8Vc{q$;&UEypni4R*_EEIFl0GnbT8MKZaXDpKSqrOFBkxKYJ0Hl<8P;yJ2P zC4*4SF~_EsP=q$~G-ZScDRt>=lA4#RGUJdcl9d2gh8duiQ%XoFC@>i@Nrx!RX+?ek z##V*#?<5cfSP*6^kx)P|=+8J)8B%c~7&wEA@5Ci^rV=|-Q#$E#I&nGUx{z@qzJ+;C zd>1;QE1B4poMJ_s(}m8nLd(0*1zkx+SF)%pIj5^$UME)GDP}=uO3|4r>P*cs*O)6I zr7EZ|N1>K0WJP&!O_pP9TwI)0CNHlm!yItCvN&_%rcN@B1gIjH#FHR_1c@Y=LV_G7 zU}$m}q8x@Qhat;h=yFViCQ3AiN^&MFU_z#moFXPYhlC6XL%|R*<xDY3OUo!VdPiwW z%7}03>K<;Qr;v5V^pJgXgb3>vV#~7w>3ZNUSkZA(u*Lx=vZ9-oigg&c04v;l;I;x6 zZ-sjexH{nOSn=BrTqbZ>raGT1z?A_<_V<=2J{>6$_61hBLf{I3d)o8=wfmUKiQ<^F zRH48>uc(Nkj@n9+D<qR}`;cN<2B`b2<cg%yJWY{I604NKdkHA4`N<Vn`6S6wrAn5n zDZ{Ejl~t$<N=t;nCO#7>v(v*`FM$inlaN~pxK4SgBoF4VEUl0fDO76mCkTpV#h4!y zR(*-AJXcnxmJ~=!@`_~207-6XadBx0l^#1aZBlANl9(SroA|FM{E1t`BaujRm1>Ei zG{@w$*rpa0rRM6AxpK3c>ra_HrU%7%Q0z~Nv9yxEVgPSN?q#q}7Go#WnU=_~50a>4 zaE*#06iSGa`eSENS|V5EYm_oc31({PJmRV6GCd$%6w)Ha{LUg-$y|l9w4_*uRT6tG zhPRmlYA(kXLoFriD)wDunT1l&j=6-a(rN`X;7xQR%hh1%>sDz9WI^9CEMSCPmN_Sx zqfuZ^GDz&iB)O(kAv}t*SW!aOAZeMxuUO@W+YCQ&@Pj(B7xF9O`|<tEI(~v8Pf==3 z@L0J<tte8cEB=C_Kqf7-E`D4F{1p<lqF824vduQF#AFS5V#YS0jPcA+V0UesB2z!J zxR1>QnL1XZR6_5`%F<k!N<}TRO||sjf})nN6IA9*sd79F9HW}7l&Q#Yjpt0!$dnby zGNrs!Su8EdmBp4qMy&mPpX8p9M-8yTrWRnf<N-<jK(Hwl7}w%dbT3AQ4#-G~@?^y+ zRAlf?#EGU=J{C5qqGqwl_S0l2DT%O(c(9}9L)ti5jwT-)5Q~(j82)OhQmrXVzy!;n z)C6OiwDHVT%D`DpJav*d(K64+lUbKrRzYF!E{RQG_79JZXR%aWU_BI1bB6zm`)}6( z`LJkr|ATRsI~W#PB*4QD%S7ZipJoYskza#6=NS^=>VT@jcSSn@y8v~7dH|`Pn9W?r z;53GNTtHJl%FO|>g*TF&4~=$6hREZAdYuL4gl6O8nE%cH-_rmaXLe?cDv9DnxbDGK z5zfd|B_gYbg)=<X<fq`tn67vV-Uj%Zr{MA7W#`|V0*U!yQ3QY7lI@I5_-5qW;9JIY z;<3VFecZ$DLXdk<v29o0l8T5fFD~NEl_^zl^^snDf7**DE6FX*!}1jAm6kf*FT{(d z!XZ9ST7;!A(yKzI@`{dfc8HLwRI=inq6!`ul&B)Ta8eIb<rc__r7FK-MXs_`RVr8e zVM`GvRTcZs<$Lkq(iL*-M$)ZY11lac0=pj-ZUW?`|B#!|i>Zg2DlF4VEQIDfFiP1R z4O)@qB`Xzk;rsJts?I{|VllJAquYtHxw0Z&5eXx`q^g9HxuvsZN-v&95tB<6vPdtv zv`8iM8r#VxV(haUi5S~Wq=>PdePgOeKqF;RwIYXEzW=_v-N=a=%|b*-%gTxrx!_b< z(j}KlQ&xsUsw@wGS}Y+i((8Gdfadc90)zedfdN5&0m9rsKWU&`=10>Zc`}(ym?xCe z3$1(h1P5UtUl@`TD)kG@3k3&xPM%+gOpxa%6$Av(0zsfWR4Dyx4gpeuTo57?`UMJe zLj3{)0{DJ8($HMLyr9s$0BL|UNG1&VYYu#QP;gLgaFAaJE#vzI2!x@2p@BI$ej&m< zS{{@~=ShSAhC_&qmIq7u0>2!2ju5?&h4`UQfqnrY^1MJ=$`6!=TJ<7g?Bm*v7~5?i zOhai!^!EeF%z`ev#ZEA<be;-(DmA8BmxV@Pn&l^BGY~URs+3vS7O2%_VPnUd=a+xy z{PKrXV^fk6#$uR*#%6Tq=@kXjlSPc}#?fLvW1l9#Q~I4JE0dMv!6jH`ScC<mjxl?H zF7vbagalMjV^Z?SF(lFpO$h~FJo2tK(ksd08~n}U`o}WI4!_va5*$>DR9?g*JpJkP zQ$hYT`R7IcxE`6JrOFsw`Y6=6NyLUS(rXk-aDAr8eNI-9irEa;78D4R2@2o`1mxz* z`FV0LUJ<S)HPU<&xn*)kjD33ly6}u9psB9j!<p`32OvzxO{xT;7{}lg+~H2f?X3jy zB;4xa0vgZfoSz<%mEInA!oRXNbjD=;AP?D3khQ`3afcsgfu9;TtqR<_=7XC8H?T5r zF2SvADTv!piG@2|%fA5J+S0(M<3^Z;o8?m6*OuWfw*>FACm}9IZSo`|ug0xzDN1-~ zqZItq)I3lqLBT^yrFj2Tg8N@7@Ct^G)Dz(zn$;;s9B5UzB_{IWp2CW*JAWbv;Y-#k zJFEKXz>!<zF8)H?Q3nG^AA)cKW-)zLGjt`8rO2um-P?%6tvOyg;GtQ|Q7;j7@|hZ> z^)mFANJ(z8aX@4=(;dgd7g;>qj1x`raaT@Ke8|B2Khl*y>OI-6bsID&#zDr(kWB_n z`$LapwEn6lAE)L}oZwB;5&1|flVEiT|DYb}m4yQt^CZ;uhb|`KjRFgDnDj#|jp*58 zYb0l~8VMv+LytsWT*o6#Vl{XWP395RBW({}$>2r4qR=oko@IB0o@VT!JN@HUVQmv} zsKbJF6Fap?*fksQzKfYjsVF5jk6T~F)^>@TE;7}gc<k^-gjk**VqCra@ALmR4Y=W3 z2NrCL9!V$D1@vlqC;b9{HUALbz~=};1gU~$f)4~I1vdou1-*p)07<~wfG+~(1vUru z3{DTe5_}{0kKmpm-XWtxCWlN5DF`VIc`0OL$k7m9n0J_O*qAUnEFdf-EFw%478e#D zmKc^CmKruKEHf-SEHA7eY<XCD_=51t@MYmE!dHc_311(+F?>^aP59RE9pUeW?+V`& zUKhSUygvML_>FMKh`tfw5#u9fN6d}b7_lYd%ZRTdIwIJSV<UqjrIGT;mm)Vr9*jI3 zc{1{+$o9zJBVD81qXtBcjtYvJ86}U>M{S7O7j-ns5cNyckmwQ7@zE*Ki=$tN-W~l( z^tI?4(Qqi#D(JzLcBco>(R3U=kuIgx^nCht`Yrkk`YZYm+KxY(AH<)=&xL+o;n(pS z`9JX=@P`V93#JIt1&g7nmC)55!Ct|af(wF60)ybLz){#&7%m(yoGqLyd|mjK@VM~2 z&?vMI@C^_`m-zuN1#Adt2sj$>Q$Tyb?*T&sy#q%DP7X{BoDo<axG3;&AUo*m;Hr>U zLf#5_H{_F${UL`!j)(Y#P7jrbz7V=9bX(}o&`(2u3uT3kf}W$G-GZ=PVTZzQgc-xq z!wbV#hi?i0B>Yx5J0d1xVnkX*X2gPsr4cJ4UW`~D@mfS}#Eys$B0h=uJmPS~7ZK+p zE=PPH@e_3VC$#Du*)MVgG&><OIZ_*`i(DP~a^&lgwUIj_KZyJ!@^k3<i^y}4mm<H5 zydC)~v`s}hK;I*x#zdt=O^=d9$)aXQ&50_HS{$`Jsyb?Y)az0IirN|VVbtEJBT*-# znxZa6aiV)ihewZ#&W%<^KOem!x+eNk^!L&2WMhCu&_L!P?L_yYJ!o%?#VmRbJ)D1% zf15uL+MX}a2{s9K2<ikU1mD6k9fiGw9>P(=0O4BUX5mrc8R1PKE1*Zf(15rAufTDE ziGfQ3HwS(j_(PyyP*6~K(4?T8p!}fuK`#ZpAM^)aQ2PY?1&0O42j>Qt1lxo-hV+It z=Y|x9ycV(rdfyw;81hv}OUR9oJ0bT%Izk?Wa6%nI-9r0@dWL$1`iA<4284!%ibBVS zCWcN8ofbMPG%vI;v@CRP=z`Ftp({dP3|$}kT4+t^TcPiUei(W$%q4t#_<P~#pNJx6 zM>WwLK9}Dv=)mh~w;(zwF(^5xD5xw5FQeht@$R1Xq<!fzbRuSGDm{(Pr1M~zYv@g6 zv+!Shn7=V>V?)tP2duK|F=~1I@(0c=dz+f20~P{RVZ&naU1?{#9@)#|Su!@qhGk39 znRX7N?N}Vv(qJ1Fr)Co5>Su*<rF*bhR1N1}HkB03f2=Nt*K~RQglW?@j7vz{^MLwp z)}OQ1e>}JS(pL*kulr>)`=h?MYL>d!&`a5O0U0%H8<vfY+oE-?e=ImUY5MKwUYmEp z?qN9LX_k~_3wf64`HplCJ9Zk!uD8vM7=9nRH_32&J7th_v9g30D=m}p-RWKgZQt85 zPNU3`;@-TdNXGOIScl$rsRhz`Y8ihJJ&=$&_I5WRc(F32S|K+dJ^4fEL8O@7yRW&J zT(#oDptuaj8eVJ+J-DAUU%(d#_%!p(=;w^Hia<yUgxHXW&Y)*m37eK;Y0jaydrAc^ z46vi;#g-~@sAW#NVB&9TZbWA>X^@v<X)#5noU6c*08R7!coPKlQkIvsf-qq0r7Twr zFw4PaDT_tze)pq<)aPFD?B&qxQ}L2l#;DROb;A$Gs%9TL=$|~}5BEcJUyNn>#O|s6 zPTX$z^!Y~hDX*{htfy=qB>i}B&!=(TvrkLJ;b-H{#P(A4TdG&=8U4kpgWpvS9G*01 z$Zr1CKc+}+Qr_D6Yr+`Ya`CpYx-&Olz4>U>cNx)<N7r7N*zvsZdWFLuZJHG^n~X=; zQ(oQqb<yT^iWg)fwN;0*-47o>5$=Aeeo5O9XZ1I0z1}(b;1BhJ5jP%89JqLU<C}i( zue|-%jh!R<E|fmlIH%|S?~-eu`yuQ1A6&MN*}PN6JKwy)aD2hGN%3*U{@=yfuXX&o zU|D5WVR@eTboTf~sSUjs9I5#EM8g~#SSM@ClHchi5164G<ihF8ahJUIYf0v*Q|i|) zTwVB6^yNE=mHt<0fgKlyZfk4LVsVDU4S8Ae*lG7QA5lwlRb~Ea#&pQxl(Dfvy;&?H zhfCWbvcV}O8bdf}2q%ONq62CKHS}_SbLCuRkyYKXCX2E*sMr{P&@lEq$cN)ZJ6I%O zb7>dC)s?iw!91~}eM!D2XDB^nD{PqGAG4A%R5!wqu@^r99T4Kj%t@>H!(Ot4V)uA` zb;VDMr_(!sD){*K?|Tf|H+iXDR<Pu)shj&&-}YSFBd+Av;?`*kXv1%c>R~F!UZoS> zem}Hl$Ee+}?;6nfV(at`)O%-~l0IzWzs1cQHUHsv^9N-l?vQ!hsu1P)Y$!Q)EVxiR zl>1`L?W-3vq6f`OcwtmuyIF6A6ngdAGNr$E(I@m$&KAsgy?MsFeAymy{L#U{5>9jB z#(@Kptqq#Y`2X%XWSYY?Kcw3n7KB>naL#`;hjDFW8i~<=H-}Rc`6V(Xna2TtJCFaB z>lhkWw{O_?xP*N!#@aTiL&~~c8!x{%#&zP6665lSlr+~qXE@QL|9pGHhKmQJ6^=7c zBrc!(Lrd&)UN7H0G&;6nb92F-7e$lrR)u`l^T@D!dDGhZ2udeq)V{xBtIgM=2A_WJ z+SS~D_tObx?wa-Lj2&<ICcE^zyWz4lTs&pam%Y***G_o&&inV}krUo6Q{G&AQ*zqv zv%}iF_5DBhsk~-5=e4bAug(10dFy7%8t?W~?~hqN>Iye;)!J1r`Mo(WZb-pbJJj<o zyUY~m)Ahp7FXkRkcq8n{k=sJYb3bnx*sect@uLiV_&1#G^SwUwe&7FC*^vX2w8Oc7 zIDY>2<X5@Z+<cWgPn+iPQdR~ul|nla<7cLw4Gyw>NzR8%jlY;O_La2CGMzBN^Jy79 z%96(fA8ekZYLy=|$LFd1Rb~&(O!VMRTASsgyJ)2fssCf7W7R5^U#`?IU*MlBQ_>Mc zxFMWCT1fM2#@6^**Cr0(FKWXT{L@)3uyStWk1DpfOmrXo@5D<}bNfZl3fk{{gC0V} z7{>9S`&K^P`*mMsv52s!^6)(`jiM6UR_D;c<y)4GurKxa@Ee~iH5b;icP^jgv-vd< z+w<y~?<>9-T3~nS6TzP1gY9F6=L)YU<P|&LXv}wcV7oQ2Xo0Tp(OVyW`{AvtyrXkm zPrt0b@=4}5p9c?#Ex%Fz@o8TUZ_Cb~pF6x_<V!A<XL~-pnmM;*@+=qe_?QysUAIGC z+Z}eP#~inZo)vp4pMO`;{^zDoocfObdGX91k+0AEuJ6g-OK_7A;=E(z>M_?oY@hKq z>w`X<#*9rEc-d=T<D>HRQyQ1=Ub-TyEppG4+6v)l|K~ru!t2p{PHSQRnO_>V(HUcO z3DKW@x%kAvD6fLtl-E92sNX#@C}Q#2md5>_%^VHA)b={u)G4!@D))-5P5IW>VaV^- zGMju8ms`6jN4TklR&F98k>8hght9FpaE3Qls&Ng-OH}9i^GDMo3Er`{R|>h@m+|5h z`3kkP$ZF?-1s|>fI}H9vdITY6_a<8a6O(Qm6kd!5UrLZS1k6q(5POjzY{O_e5IYfA zTvwLX{4?>)Ejs>vi~M2qP?K;2x`e~mXeyqNXZi$^Y>@tLgVJ2&6Xc$kS#esr(Pp#l z%Tx9r7s*d%WC+&DYSQ){n*Z$wkA6t=73AN@9ed~}S$)Hec|Rs?-S+u6iQMnfe^n&% zyz_SLIe6*!(9*V|Fu|DXuDNZg@14E>&Udrp&R#6Jkr({Oj+vWhXIGcLb?fahJ0jlN zWkaz_PrKK=dvezgJI=qhH}LwRd`0n(-W9K{TtK(o3A4}lb^Z13%7W1LZC}*RAMQN+ z`XlArvoj92eREWP>f!E#9q+~azI3JZ!!74dI&bRJr#<)4CDHJnqS~{E8!zm7<Gm`e zPQgySsJ+@0FZyO*?e|GTMBYEwx4hVE{6Oy5wRii=r2E`|ty=iDf6m&miq(|Qy!l^S z9Ge`P%6VdyXQr(WnYI@H!)ABxz9U(zr*1&V`U95(L!(F3_|yzrKGbRhq9S&rQWY_G z>ngb_SIX=;<QD$$jWclS@V4aP8$Ha`8OLZ{pQbyhY?gbQsfbIoCK?Mbs8)?-+EH7% zDf#?2Pj6B!FI3dL|NE+a9;>-`{>|y;rY1T5G+?V}=C*!{7wD4#1+h&r@82_Ru6U-+ zl^rK-5Rbx9sne0$u=-jY`Mi1ax{Fa(iVO3K$0jX%DRyj*L*}(@{p7}4+g~UAtX6Hy z9`I@H#`pJDzWQ_Bh6}$ByLB?xb}5(oVEw6~p(+2Kvax_w-*P|Yz_gwlKfm~X&zqZn zIzKGwRQ~AlSu<aLed3mVi2)O?jjR|y;lz>izVB-W9?Jdvw?Fqy+5Vx;I#J53`EMwG zdlcZ`K0sgOIF8a?8!>iAmBY;+tA@AN9Y6p6l2^6_j|utV@+&Dm@2}}wJ21bg&yl?+ zUjJa#oNITt*Xy(I9n1{t^W7}Z^Ts_L(=;}Fi+gE>#=}mTujCqc_mnS*6EzO2zwh~S z>4=kRYI$<u`O|hopJz3%PIx&cmz!aCF#paKmv^U+Vhud@>dny_XX!A`s;TGv_dh=+ zdF{V8|Epa6vi8kiKHV_=<oi9F-+aApqSGNmXppb`)?0Hg9X9g6`!K6o;k|O^w1xT) z&aK)%mG3%e&Dae)#=kZ%=$%)`rk!^FxSV}`#oN74DU0VHzdx^{ZsM0!g9lIS@Sos6 zBdFECpYgJ$e&PCpM4@JGtk>B}D&vJky&KxnCf;k^%(=G1FYMFzx9b+{-r@S^z2R@P zJrE6Q-+IC=k-n1G^zqc5!6zQhOdEbc_j&HO<2ZBXPuAZ%^KRq)%Pp_{?q9ZaT+q_x zl}FxRXfwY(+vVgSdc$S+c0=N;5g)Q&9G(2&)!fQuAO1S<z-La;0Vl6~{pXe!GhNCS zt?xZqFwnSlb*ARmO<Sj(pqJVWgs*3t{k&qkL(B@-*#`@vg5_UrztR4f$^1__QnE`8 zq6Iir(0JQP{5wC?DoZc0^6xlll5;#(4z82kWPAu#TEg!|yAg!FQ;%^nDPA?Hfirt> z2d4qa%olgO6ui}D-pq~1w@LUo8n0h1MC`vJqL<n{c@DK9=TIA*Lovs;ezfuUJ9g{i zruFVy8GC-4_LSqQ!n=!`zwLiu{3n7wgO}fsyd>@s`svr{^15T?IW~2fNmYji*xZ^_ zu}Kj%McptX-|qUG3xie;n)&V8T{WQ@+t1vq^2@y!obkiLk}Z?|<fa$z`RJYb)4%v$ z^kM&>mR<|H`<rfH>;C$<qCpeS@7p+k=L^|8kI&e#V0827N9j{rVroKDT3cWEbn{h~ zvcdLvxb6IbQ+|xg>dVfhN4@BAdCS~42E2IZQpx8N|I`XE4Le(3J~H#vBk|G)|C;ea zc82=$BKyr7tF8{H>NRGSZ+*yut$ANbhB}WBr4{%8c*xWre|Y=h_~!z`E{TkpMGxzr zUq7k3Y<*O+u=#|>_k3u}#enSRcR$+P=hvhGBimCQ8){p&9+57N>A5ZBU%mAIrc?Q@ z;ook5!#2>jRxxz-N5j9!EKZ}_5_`#yTu)6^4qux&{M0KOy*du=-uu<pOXc?2U;K7v zy<}j+h&jUz3vF&r-sAfgcWlS#Db?rCu?xO(@A3J(SK>Z>k6-nAUE`+bB7Z0t+I%zk z-^adAtFA2iKHu}e-SHDc29{siwv*$tabBOL>|ZK{nHSf1WZe#JaI`Pk+WYW|>(MRp z_)=DbjiOz*?*mmt`?_K0yasy@-D&H@Ul(5gX3LP23kgSt^ty5RX6A)21YQY;Ut0ZE zdtKB0!B_HL`gqHU+lz|rJ(K7IEXy+YCYHI^x-WCsng8uFNA7zD_2!V>KDm%Fo#HRA znpjr9ee#W<hjXgl6)#>X{jh0Dw-w~6OH8q4&B972r6vDxrF+``{~0SCv!vpGd?v)g zs-}a8xI;K&X+L^&&B&S&%YB}?7~{}@Pg9tBMf5OIuNTLY9?-e|KCz_H$%Kf<NuVdt zTsyn`B~G}fqr>eSnG3rm9|yB+IRC}v5yyZNm986-cb4A%Fr?YDCFFivQt9*MJ}-o^ zFT9`9bDsN4PBR|$8rjrxI8#yS!hbL9uwBF({B6nihF$)69_^XhGvV;GSr=c46P<bQ z%~#JjZScF;J3l96YTfYZUw*ptvqd{4!ym0(mr$0ii?Z)a7aw~2YTCq|E%IUO)=rF= zyC)*P@K%<`l9PcOhp+Y4O=+JejoH)USt>p;(6xkpIg?c;+>rG8l8u+@dDO1En_u1| zzEK?;krCxlKCZG@v!nVsfnJl^UNFgi){E=2TCa}z`P<&F%I7}Z;<)oVm9RRpMjE&* zErGM-v&gk&?(+-#4*2BC1=gGM-qftr{+f8|>uk3_#{DvI!=f1eQd<d@hnY6mZY|OM z54nFEx2G*jR`;|uOE%K|J8w#Ru=!4%`$XK^(w<g1N4^VA&|SB>edsY(IVb*L+OuW= zz6I<4=DG9zBt5pP84llz!;=jj+GD|{NZ-5JO$U1BG@U*o`LpCod(2k}N9T%GuKXaw zdI7}+C1<G(l^Mak@t|LNK*X+VUrIjvc#FeFFN*Hm__=5NlEziX9-XP4w<S1h_N+Hs z?z@j1`a{pj#sxV=C0A$epLaEP@Icpo0~XxTEcfo+zIN1d-Pe~#^mqJI&ndmY9qO>+ z%9^8Fe=Lf1-RoC!>!|z8SNP)Z{9iXFW`2C}o#$UYcxdp*x2LD%&6gk9|I@sGKYx6~ z)%d%D+2XaHe)G;wdv0N2{~iyAB!^UF-|%U=|K`1bM>}h7R^EKD`Ah;`^={lw!B^`x zME0pZILhzab$fr?)Nyrc*~sDCV*vq`2j2G7c&E-kZRg@)U$<}UqMCiZoj$61&M+<L zy@4<7vi&B|KK$sTxlV`bK71Iy=hNEqJL|*0-jcd~d(~X~ys&pZ%KUY2jc`|u$Ds1h zw8lkL`0~x-6(6-_InQgeZM_hd!gtw~P_XWm=N6XPct4sJOcnqBOZ<434J)P$N<KGm z_1#rf=cn`ABf=>AA?<Dt7G=Eh=016!v@Hpe@LinmmhWj@D)FlApZsvadHMDmBTtSP zethza19u09+#6ZPagQ3Eae46G4a>bmHh&!Xv+nJll^1><;=!IdrlMf~&B(zv1(BaG z$ohK4#q8mivZ=2>8}RC>FQQ8HV_WZ59G>`SNNUTzq>jR`etKi0OV8ZQ<_`w+7~mLq zIIZ7o<-5}sC@%f(cIWxp;O&tSs?g%Mqt<LMUO&LAEc#GSb?EapwM%Uru{W^qvLrkH zQdS2Rhjuc}l>gm#el~7TTsro!vmNciwi#ec)nw5gU4pUsj-45M7ABJAZA1@SzAH9i zxaSoF(*bm_KsW<lyR($T$3=5&`s&@EzPF)vYeQ(yV)nArf!nt(d}2DVD7!UFbiA>v z!{uXIC)n1y?)!XFW${<KWd|<oep~s|tp4}n<f%LSXQ#y(gT9L&H`(swH_Pr`@7p|S z#i$z&=a#pB-nQr9gNs#TI!?Ybx~gF1eAmcn*EDxutMlD_+a>5txsCU_<!McaK0Q5d zd+YuEFMaq<-<y|4jS0zrXYNjJ%--qGdmKzYvN<N#CVElt#2iDdVc2^eHq<XOMT__C zSv1k#W4doFZ_lpJ-@IdI7x8jj^;VJg(W;<BZ%qm)T)o55`<EY1-#IYmJon;*rHjt3 z@|pF=o$22_@33jz%xkp!_SuJCedA_I+{s0+c~zE=4mjY~`1WmS(AK_F0}7VE(*Mh( Pb*taFaO}({#U=j_C#*)s literal 0 HcmV?d00001 diff --git a/venv/Scripts/_decimal.pyd b/venv/Scripts/_decimal.pyd new file mode 100644 index 0000000000000000000000000000000000000000..056f411bf465839bb038fa0be4f08341b5daffa1 GIT binary patch literal 239768 zcmeEv3wRXO+5c{`2@5RjqKO6w8f&VwK^qNNXh0Lf1{4AtLlP~9s0F_TZAI7tv;>2j zwM>pvX)CS0St;1k+gDm|(R#^+X2V4Vv={_2wtRJB^3|v@Sukb(zxSM(y(cDIY`^-? z^JI7D%*?sG?|a_+Ij88Wn@ou&lgWaAO*5J5@J)Yt{Bz(BhuLHrec`jCO-~Ge>7qLG zyq7Lo=w7xeW5vol|7+zfU(fj3E#LUYot}(amu9S#zLBx)8yT|}lw^GU&LvAPA2n)3 zre5`*62G)qyET85@!vD<z^M0e-D%0Q{gZ#sw4LDJvuxe`+iCj<-}Om(wmy76U=q)1 zx8{vn#>=m@b@A_f+e!ZY!YJ`wz^|`g_BA)P)!)cmPLpY#ImxtbRL&yfnKo0xMI+6l zN1N&rOs0dP^y6pn+kxNv@J+wyH-0A575<EGQ$3&y;AS02#O*vl3=h(?!EbSSb0ERw zLg@~CAEDdTiKes>^h5vqcB1LwarnI{(KPvUCX=f>!L-o07w3CB?&pP<qo38htKo&A z-<NxquJz#ZcTeFV>K~1jh$8GS!(_Vo@|8<&@!W#$O~nlw`&aP&Tx7+0AfL;{W2Q~Z zao+(LxbfW+^IZMqD_5=j8gB8iV$3ERE*9fE>@Sb%Te<X(JMkcmonT-h0$LvP+|01o z{{PQGK%lPro<v8}-r!#;>(nI2a+4-muP;`QYWQ1W(XzEvbzg$RyEENae|Ms{MXNAg z!SjkU#YHbTG|7h7)L#ws(w58v2@cJ~zo?EaR&h;V{CXmO6jOsW`>8=I8Z+9WPHu_5 zpHm-xd+(O1c+LIjYiJ~H9b2Y;LjBSAqw0@n4E^!WcvMPsnCj@$V`rLgj#bL=);qjY zP11+FG56lTM05rfvOJqnPxSlK=GZ(J2j5?a&bp^YzF%jmHknX`l~++xzTCtPX{mcL zY!>kDwD>eBv2sz9cg6}2`nBb^C@=F&d|@4~lqH!a-{L;c811TZZ69Fkt6!VPpYS$2 zyz9G7(%aq{J7_qbyceFsw{k6i-WK+}Lx0qB0e`XME$=X(oz1qCv%EB_)UvoTr+!h> zV&+FL_U<hyi|wGNKp(Z|;un64W~fgNY9p0;EBa+Oy7X66v>4-wZl-cEHM1A=S6ouY z8p>U=vrkKXfWXj-UgT&wJ-);1OUpC~#THTTGlV6h?Q=R3F}`W}HqSI~gTp(G@YOH8 ze`TsRo221|BLle~uKNw|68oQuCYEpQI7Va{{KI$&9VY5Wz^8c@7|nf&4|NkKd<<Ah z;*{^=!@h}k&jxe^hyD7%!w$8_4wdI<tiaNnN8%tunjmICcO0StLQ1sMdfu4D8yN1H zAO@UrFoHlif#KP*X`Hq_xi4%dTG&P$*QBksppJCVCC8H|)1{^6i5k)UtGxlUlrZvY zj=X?L+AqjJOPz-oeD%@={WrK6EiSHv`e8N^-57s_-{Hk+CG5r&)-(zt)Z}Zl*CauX z_BPTL2q!fS?bo5iw1{w0cJUj0HtK*c_l)x0V3ocQoKrNxqvvGh;?Vn;oFFA%z2{vp zweWf6ITSvrJehn>MbD?A`19!t{mrKd#(Wy4&!=)uuy+UmgX-<RO7PS03C6pMIYEQP z9H1`)T715-<9J$-gTr%GPJQllUpAP$ry$Q8u&#TbO_&6D<@6{&=J=faB;736UKRNK zT%q@*bzOUZY?P*AC2Pi~-X!qDoK}CHl`6}r5AO<pqHZ|KjfYXP#fFh-Q*J_=Ebk7^ zFv9NcrTMHQPOwx5E3y$!ygZ1%cysg_;)%TtG)X<fsTXXHwc|Z>3~bV8^^6XeIu%Xf zGAFvj)P9x2B#q;O#yv4|YH-Pi9+j!HP5>!gz0I62TtUJwY#Lm|ima^I%0|$17(Vjl zoO*f0;)<r;gBKe=Q4tCN4{EP--WI4xj+{S(?hJM@1D($~P=@}q?7Fb|$L93O^HQI9 zW)3>$%a)R!ap4DGgThvCqs6-xv+nR>O$unzYns%pN&7UZOOy6$66AV|CaIdVQ<IKq zQoSa%Y0`6=bVQTtG^tgSo^anlqfOlh@?b@M-ktMuUQ+M+ae^tF!qDF`Hf16nDQ8s< zua@8$?$r|QJ|EBwz_5HvZc-+YD_y_`z^)|}FjKDC{!n91Jw5tReeS-FxjMV@xYVzF z3`p+7Y$oKT(>G@IXf1UI+R&0&b0q);k%CXEaTlta=CD815Ui|)O(C5^N@i2IE}_2? zL7yd%PF9u{;>(hya#00@Bp2Rgo+~+XCi(aY{MitH((9bFp^9j^#Km8TssJx^TU%k( zQs?kFZ3*3@E*kf3pKu>|8Swqg0q?WC3})e6Kr_W}f3lW3x&QvLIgYG3*8JkwMnwPF z99#eQNi9sh0hO~B2xjkbO+sgNfsiVuS<34X5{OSTC10CyP2a+?YmNYb@*JyRE<}H! z3cIMnlbU2VD)fvQ*$hhY_1t^zhLiP)zxn&Rk@WTo2PYuW*z}mj#8l)IgZe|&_uJnk zF;!GFZ8)Asy*<i%Ycp7(-d`qx00xG^1Ce#|4igOSeW&@FHAm$6)-A1=5sRTa)3<@e zPlN}rXT!<rv}yJ0#sV&>0v=J73CKJbrwjT#GQQ%%=VAl=l8(>L=!ytD)ijW|1bBG! zQA07{4>qDsIS!`K0$TB8dXHPzjNor&5Kx6qo!%NtFvk0__zRK8Xii$bU7icQ$ITv{ z$>+tXj5j#hz@jnwy?e{p`)s#*|3{i8RKkmAX!n{-Ylg{%DS))zJ9kWliwz;iW?E2% z&LfAhnc$5bqfz7Jo&jsz)L)IFKRw;CZ>NR&Q`g_yd-wL&pKWnQ7*^x4{%VX%AD;k! z$Dvqca`<P)!k_4!!QdziYB<x~lkt9;mg>f|;7W`{bAB<)n?%gcJ-wg1*>o4Y1QRol zb3QAv0a3rh*CUPJ@(?O?&x+|B9)s*7o5xVH@^}|uzl6Flid2AukX`K~PHGzOL_hcM z!TmC5edxze_y}wy@eGPXe=rz-UJB%^nE8>j#<-t0;Qf-a8FhC-C_CKr1y;`+vUH4I zZgR2ehw(1A2U)A{u;+3%B?Gsi{7xZ3t{ntS<$_7j-p9!W+1^A<FPIx8L30l(Xhl=h z)7em;|H7uY@%}TU0G2D?wEB8HN#15_N74&Z|DNFZ@G({}Ntv5cxfrZnnVZH6vhjm8 z`3okKChspG|B?wc8-UQi1%9k-{v=G|F<vwECf`zQ^oGsPj$dAgX;=LysuVVAuwK;X z?abip2&NkpFxeT9o!zptOLlh3PE~fc$<AYn^O#F<w&7pJe<%LC@ZXL90RH=2?sS;f z?rlUW!VQv|%^?gp*lV_;Rp#u22w)RP1mq?W1NUURv{!=?@w^}hT^o{!9k&E!;Je`e ztSFE>iobe}nu-bU4QQV0pwh3&mJ2hOvzyHzp{m#JqT0z2_I|8Mmus&BA(JZ?k8I-R zf}7YUXQYu%65Xiq9lm$khL5@Qyh2{=5WQy3F1_j;R818_#k_zjmi{cdOhU2aze6&% z<L5KDM0{H=v@vI={`OU&w;jA&=T<HTQ|A3bCsUv@d+eeT;>+z{h4mvBPG(MZ=oJuS zX&=ig$YiC*a#K0<3c&Nk%uVo21nYg~J)L>leF4lx!O)Yy&^yMuiIcY<Kq-4!&4<bl zd~Q5Qm!)lbZP$g>_9fJId#JWw2Wzuc%7w%|1@ws>w^xZu*XfmRz$JHSge%*idC=#E z&OT63$V34Dvlc6g1>@3Ir>XbMGn+WuTf5jBxV!4cVr_MbQdF(p8Z0lQ@_fZv?NWU7 zmP=cm$qF;H)swZ=Hf^;-o9wH`l+;#R-TR1yxdq_enYkEN08D^yJSa>6A$fO%@k4GU zSaV*&$kaLdQ?c{a+nKo~#oz>G<$U@pRYyL2Y(tT1&NG>mwN}m~{LUl9D-`L7-`Q=! zuMZ!q^yhJQus8@6K3_Apq{pid73p>8^{J?Y*C%R0eW8j%{A9UF=ZeJk*gk^g0V#o- z8@!&fa^)VYvcme|WB!@xR3poqTq)0-%o@R`(Vr4lVTIRcZklTUUr<ID7~O?zZi;HA zEBJt<G;cDoDPlpokBnm)Efi#wmuagqwN;a~RW@x^5EHAc+A51X`wc?IBrcpLVlwku z=A)Kt)3p6G1EXyZ46iAQWukxNALFc8AE-<oF+NuC2P-&!5x5gLGcjpCU<|at7-)$$ z#RFK&1(W>+T*hdr(>ZIivX)BUE@^CBfk5br;my>!ARY}e;rO%?4<!*oO=+pwe8g~v z-JP6MPj8@qU^A<Xakx0XWZ1aT!w8(}FviCWBj>QuUmD1V5kjU(Ok^6ve?b31za-JQ zhTyr3!`7vx_6aPL*cZ;A=|qj$LBBi~`(?QkNXC0oawpIX_t<hL(9HB$w8W0wc=O8h z^>SsEpfXIV(2OdW%-+D1^3UWnR;g26h}OCUe&#~&(1{<j?4p=?C9Il7K^2L7#6eNd zNsi;orptSXdy?RBD9^qzKoh+p;5#fyV)m5iRM#Czb;Xdpr$}{nAGzS-P#)&wx|m|F zXIM$kxQQ?kp=YE(a$bj7B1EKgi(Jv?-iJqprpL%k2D~O>pi-YY91a)K=?dZhmsS9V zkk66qiNK~$VY}~6NQ`jmZ(mFWc{;s397``gK`%E)(~Foi@?sln))I{w1bmP@WAm-? z^|tx8xaCmyyE%bc!gOVQK2m*<Wy?+Kh5tlPVZ@_uDG?9Guq0M!)lB#ZRf7IN-_};x z@OoQc=yk}0n788@u^Wy%R&hm}zQPo3w&7vmdbz1sDB3OPk-169&-CY80ZvWM&tMJB z`L=9-J`WE2^SQ$B&*$^OpPx?hQ1=%?)>K(*XWNuDw(V`wXo!0)b=@V2j@o3P+5S|0 zgKFvBx83X+0U%L1O1b+ur2d8(7-GCIhNWctQ?`VT(ca?;`1!PLW=A5k-3O~34X+xt z<tFfC`%@NcMWY2{NVN*!(-ogq!4E#a;I2O;mv;3OII5-d5H4_ur%7WRrjr&ca6r>8 z-=5()H#5)vRG{~*@tXIYZm&Nx@nf|7%}ln)DpzzW1!nM~h2njv<E%w4B3S_cU>XW3 z)I@|@meVs$>ay3gqqB(mcvxvbnX4%UnqqrUvCNi>pv`ylcn@pLOrLI%hS{H*ccIpC z4!^X5{+!+Rr>z|cY`8w+k--snjMB%8N@*U|dp^&Ky5@Sn-ksoWx1f)x9UAj5F#Qn2 zXeM1>r9Pn_olMi)Bj8@$F-C8W;Jb$4`}81MOD#mmsV=&9s9w1rR<TX!RH%vch$hmh ziS(zvRaO%$ua7G|^8pZVVEr1)#<3k&Z}^yFHaO0-juF6=j#ms4=0;z$Iin*Lr4I}E zBfx{9_gS(xn)88%!d$7-{=heh8$=Bq5YRyZI0Q+9{{Vdymy|z4v%~Ksz1GCuQ2jK~ zC|Wj+<}NWhWr0m8vtG|$RsVF6*~CiWjkZDs|HuDm+G2EWY^>^I&=tat1bw4bPLC6z zIlQ4ar+$?hgOX;ic?7MOqcy*?l?)YFa;?xG`A_z$-`PeMkTT!qcXm-Whu?YZg}L;_ zwMxIUlR6JgReS}=YE?%EJKNhx6WMb<s(%(CEt3lssV`ROW3j+Hu;H&SAbmkD?Nie* zs!BepXg$$j#1wH6qvG&myK@eJKW(Cskc|f+mBjBy09IW=p7m(3vR9Qtt4m#y5eC*D z91~zYHwLUZ8ql92&`%NFaL^j~EMtxA{qp7JX9)zXMLo`&rEY0(vxBw5x4~Wq_Ex~g zDQ8_qg;wF)H!vl>`S=8fd!x?#LfbhYwBC0Z*kf<j2mAk#_(8)zCdex+%bHEQf0UaQ zzzun7PCc->xjs+MPxCg|YR#ElBbqjvL6rVH&P>(+a+yuSwr#Y=<5%frIze(|s#AGv zhbZLdG@>G_x53&|Xv-*<ivm*RmcB0}I;It-uP-fOi!+*?nhDMVkOOgO7|Fd$JLOWi z4UT!MRFlWD!`v|e@fJYwxl0l9Dgp~3u}kGithLsu$%``<)znK?Uaef14!1(i0ar1R zOZH8Kqi!PoBCGnrUj>!KS`#q82rnR#81xAJbb6WJN&1XQtsuWDC;nDk@<I8XJBj4| z&KB{tm&hLTK+ya?LG!QC+n6Wft4(|zBZNyg1p#t>2q4{<Gy)*qy-T~~QgWqut2zZh z#vu%)1LTvT5dbt4=T1I<E?h(aArKNk-hTTO0AkSB3HADb0ELtc(zp@en@xzB48xe_ zd>-{4szHXIzD@qZG#YI6MP2?vK~v|>M_&+};;**cozQ!zLA|hcA4$?n>`%|O6}v$3 zmqP&|)34M@_%z*4mb%4w3pX$`imxwL%58M}idz$KJH@yinh)?W=*&yFEzIyuPQ{#b zKM}2B5&rq)As)(UTA7W>K8$!YltA*qT?l5%UQxHTkuw8~G@9j5sEw+jC~qt|33{3s z>QR}|rSyKf#4Cx<WOWuh1paz8IZgC|Y{Nj}a@iYi&{<m~m;K{ge8lM(vE8?XAQEPf z_dA71ejKa!c6uN}KJd@VoJ`b!oD2D;%vnJvwAphGFsZhocfhaiMPs8Z<c@3bTviMf zCS*=sAON*58h83@P}+_Fw{I@YT=-_voNjVyTi$GctF33}ta}`9wg&x#FTXh})8*}S zym?cm^^p2zI$~<;kfL=+_3m`M(cU~O^C}a6>6=OP+bo{8vKcjah@O6(Pd&TO4I!l8 z<dszOJTICG=Z6*RPuF|}Posw!F!FS(!d{aPST3j1B`Br284yGj=Be;$_L^}7^4ZX< zwKWcTR^}Wn^=7>mBFjm5pPZvKKjL^g;KZD04Bc}9#FX8)n`j{{?<l8UhaicYg_*PF zvU!<vfTlck4rU?M+a<)?0^}+MjYxaVeN@jVV(RLG>7X1En7Mkv)l>kdxO83ZFs^H_ zF?8)=s4!gDhI3!nwPR+KP*sE7Q|4vfq)H!>F|a)8$^)2-H!L)plv$a1>=l=?Fw?EJ z-bQ@F){~ea-65E3fn)uxa47+kUp4`Dv*dZ1E)XMUQViF<OEUB1g&6Lv%z55*nR5i6 z%|P^Q9+X#-JRI8q3|@rjNoFmzs7s!k5)wTH4nS=>`Z3jokDJ*Zm-_osy<@LaksJLh zQFG6MH*g`E0jB~JzUc^`RVxP%pV~wY$yEj<6Qdvr$q<61-S;<Aaw2A`j%L7dYB4@; zE-qKfI0LPIkHd|I065+Rp6XH`SZX%a60!!1zQK17P?$;}xbZOe3;T*d;I)Oe%#$N9 z;WonOJu7p1Z>wDB;2fQJDchqSc^|{!0(b-l7Bj;<!>_CdmZw`fh66!Y(a!{6aeD1O zk`V7*9}*xsZzg%hIX>t1<%W{$Bps{^!^YIQf`oxm&P7nwk|1w<MSb**q00bjPj950 zozSh_b2i*-;b!k}Z5Xsf>ROrlL6;b*=StB&N6{#tgKP7|o7D^Z>j3m#UJGOp{|@Ph zXdli9mbdU%;KLSAvSwxt6-{)J;29woSu3>9-vIUr9&mk_t18MK$P78t!PXB!4&i-M zc?l#D{m@dk3ys$sNc2o}cY#y$fJB7%i>Q#h#}}*>?r}DkB2k7o9Oh0tjBtn_)9;v3 znI@$gJk0L97s+elnXQn+!zfc|udkl1N`WTZ?EJ{2Se#kt%SOa?3XSnP>@`0?8Jj_I zM)w>vP^R;7DO0KHUVwbY+Sz91UNdHO&z5<(FAu|*NONg_5Fc(=_$%krD`C$s<j;33 zbKemD)P+h>_qDb8X60H@>rM2O`O%y4wK3n)k?UT9U+qW0L<tFIX@q+l73@Jlh@~Tn zM#ev^c9HjC_aWKG#8N4lm(6v!>+uRZN4=0(F*mXyFBanoa8*JDMc`IYh?g7zWbwc? za0Fa=q+qS>WAG@2<J>ChDJxO`>s4a-NI0}_d>ft0ZMG|i@U2WvW6oocY{REIKawoX z$=QXv8Rx5Cf3q?hd4DRihL9+rtz(cIS`<tR8^jM$srTdIYgT!yx=d1XbyN1n3kq2g zJV<K3x85Qbk=mPEbZp(PSjCa%WK(t3M<(fWNW4-C&CSV9cghjOS;3^9KA`t^?G$go zR+SxNhH=NfAh$M2kH!$}IN&-)h{#MQ1|LSEF_kdq5m4F)C?keJ2l|E3%z0^%TC3Me z`W@F#pzV|c7D3Xpz^9wsajuwX*AZp~Rr7GiwNQ1pf}KJ1u>jQF2+8lsB7yw6ngD(f zYyG*?00V$n&-NCHUZLq8><_75><~lNS^O>)MRjQ&y5#7$OPBL5fgQhzXkB!t;4$XC z3Na8pTtnRge7v3HqCm7bzT^1sAPQE|2lBi#(s3LWu9(Z50YqHjJ05J%#c*YMVtm6n zhv70_5mU@cZCosrs8f*6!Q}y*n=^=2doF=w_#D(W7dwgMevV9=p&^B7RXo{~7&>`B ze-!Qq?s%Y|cxAECESF0`k@QD|tmBEKcSBB*SJY9j4N)Wsd;l448WlSM6I~Zik-qO+ z$R${qiAXsFDVZbi{Nm5$ZL~EP!tE-oI)7mbut(OO_~LF?^#-saU1+_c-VWY^X*4cI z%?m;!Ox%tRAKMlDO{qBu(jYxeC+aR|$Ki7DO$0BKO9SfT?LvIoYfeB?kfnaQhWb~7 zhPo^0xHt_vJ)}7nrVFFF`Zilv&H)3I!h#m&Gwx4wS?rq|XUb)1YU|ZdD=BlLbSG&w z?S@s)b%K%Lg_Jch2BQXy?Y@rzkO&2^C!|jmS~xM=YdrMO1TwNX9q=3j*f4e<>ZZ5Z zoP|ga#!4hlf#IlnS#@y`b0tX{i6nYjXh5V+%;6yP^7;<QFotO>_@y=Y0I$mIInQ|T z9k4c3qrcAYCQCO54ZttK02Jxf65{R_1Q&z}I328y7<L-Bdyw{H_%JK1&zj(W0Dt=D zK7t1PN4!IKLU|0e!z*Ew_Dq@(vF8;2JHfLciW$xaGfeCi{JAxXKOgpF(=cAec=x@l zX(dtqISvrc4k0&mCY{q0Bw^jJv_a$QU&@B{LJu4%5_kE_sQ8_~lU#>g1yvAehqk`J zrY1z7J%ta{lO7|r!Wv_}!FGcZ!kGU^%X>qv2$a(l`ZWN;$pF4XoeMx`fS1%>Q-fRb zDu+^#DX&V&*(I+^V^Y9hz<EJ)0r)@xpYn1+M)lWhUH$^@>(QM-Iw==qOq&BzZpfGC zrYUo6>Im3~e9D(0kIANvzcI)xURJMug)@tDV>olpVIk7VC<qeqxgdEqBaDa*8~sES z5!-8ik8vzF<s1NFYdLUfd>W`Ygc=S39Y2x0@MbVVo&Op9Fwktyb}0o`ee$~4>+xCP zWg}>G+yl2qz4>K*bkRPfoE|7{hLS-(GMZKTq?r#A(0fG<vV+1;rGBkbhzH$A6#(&@ z`maAo2>N7O6fxNZ+y*z<jG6Ymm-tM32Qy9m<p+bCXLF<G*>yn2k3SUiELIPiR01ui z57>%PI0!ub&oS_Rn`bU7ux1rxPAg1VpZ6^2gqTCyUh1;lmkmM2<-EH7Z-&rFN7-@< z*z1)C)Vf)bW+Nv1%W4zcpE_oOlgZF;93no>!{aa=LkM%X+==+}I^tUq@#i$+*yj_K z8Zl_Q?=R>iDdlma>m4+Lif&Sp^yCyHyxtWVUPo?97gVHE%1tSVGwl{5G!9+q8!@-g zbBd)E!CmSGXfU5R)sot?CqnIcp3SjrI8J$#o|k#>8`^8gyH_Vzdra_~S0><FOzMY- zeYx~lJ`&_t2o(&>-a_O6mofBxbpqM(xD28Q{0_<j81^BU-v;aO+^b8yu#Vh;o4PUT z$s`~2K|vz9VDcE8JS=AykhZx2e5hej1>z!r%0>N&ChokVhqg>aH<4aJU#NmyZd9x# z^F>MWm-XvlcZI&3P5N0isOEZhJgA-3p$gImG2!hszW_aOX(~GTeMn|>GL9z@y{sbX z@eo{7tP43n$kfe<L1vW8O;madT;2!+1H!XnUZ_nTY$%<NnNXq>?Nk5zEs*hg3kb(w z$O8t-3Q{gztbx4@?grDY^N8?CA=9LE9}3lv;lp7Pf;tv?y(6X{$T%6i1Ik;~XY%BT zT*(J?T|yVpTyrW04*(Sev(AED4|31Fd*M8CKY@3P*$FK*3?&q~yAgTLI@Khp0wJ-k zT~dl}jG#~MFP}_Vajbz%02})Ne#taB4c=N^UAvYfT|9Lyn{F71)n?CFO-f;}3-sOh zjv(CRb~`<!d)MtX&w=d(6)d~&cf^HeTiB>f&=<V#BZK!mSo+}b1`_NwEuc2|cI-7T z64_0e1V1zcmIE(vH>rIi1$*q@2Bu6LIJn6{L!Jk)tYLC;JHtKd+^eE<{{yy8D4ms= zPB?{AL(f!#6EK5rBol`$qrO#GdkSo$?Y?XE8eRt{KL|^et;4%CF*!@8CrA5s*=sJr zFEAlF+3wp&OfxLmxgElo9LL$^(9OC;@0k_8;S8`Sd}YGDh@VywN5HzqH`~#{NpH2` z-o)s5!bEx){}T`W;|)FBPy$Pr#{?dwsY*g0Du&%pfk7<w(}f3f0z*QEZ<v!tYOC6! z10$J~xuxMg`i}B9TO(LVa)%R0VHHUGP4J8-f7^M6Ku&1p+67Vo<>ZbFH_YXAv)4-m zz?T?pbXc@u^3?!d8sjkj8i+nOiTIPfrko~#(>iUKl%Scy*La5b6F3w2=%MBJ0>_(Z zn1Uk_`7eTM=0JkV=O{s?zPGh}e7(1=+gqQR*j(aLZ&*XoI^;5m2Q$l2HY>bLw88aL z@Pt4~S$s+OM?xykGrKF&T@aOL20?hLd1lg$F?@zQ489UmOo2*r3Qa4Ryxa^&q;kE@ zTc6-kF9D_Tsd4v3g0&i^3W>)j!)dbPmk?WQpSlgMJS3ZuHDTl+1#=ie&>xIH<#7(6 zv*}N%h=BtK&y1L24xT_Pc!muJPp{G^$maxvg4P^?=noMf+FI_eCw9&Athq8MKqQDM zLfq5(d7@8cwvh*=yHIFNT^i_>H`7#JQl|PnoFJPmSBto`;K{Y{+IsBMu_-_^0wMY4 ze3<R;huAgA=i=oFq>_M#+`wahHcG)CFT~2eNU<W)am(=Za_Y~<unCjI1HDLRPMw8P zFtRvdK#~=a!xQ?!!jL~6(^Yo<mN{)DWwP@~PESs~-&sct2WvBS=0JWwCp+t9=RU>x zgsWU64EvotJ0UD@*uF8D%;$<HVDkCCgO|5Zma48{I`>9un9G@SuaWtz=begV?_dse zbn>&|hl|a9&N+-8YaL?==Mn2tcyR)emA!^`Er}s5#rYZ(?HyQ2@+K+QM+}9KoY*x} z@dhi}0U{C_9atM}siHVrTu?rzlM|h?9Oa@TBr!(N)6N#ziFm^L8>+FfK}nw9xev0! z1e}ozoy3f@6^hW<Fd`D}<qeg>z08*kA91O7t;Dqxg3rc^_BLCrNbo^3&8AA^th4<} zQJZ?*NN!!AHhnqWR2o5c&|A=cImETMYM;rIe4F3dfqcuN*QlFsqd&nBWf)n;uBeya zN4MFGbadM7!L4HLb)7?d#_6P{PY8Pr2;8I;B3RJnuHis@4G)V+=@|$1PIMWJF4WM& zv+;1Z`yu_|RBDC5=-deh-*~`Er(|AWuYsL!qLtQg+hW)sV$K6M@&g!#`%zR89U^M) zrU4dp0ZKE?0Jm6gUz;!!Gw^s;X{+~ydCf3sT=lf-m8mLH^7XJFC5wqsu%d3`-G1J> zhTei-#a{Cy+7iQIMZZ;?^<-Kj7YZ)6HuZ<+f;$0&2%0<x?PYwgv!3sqfCXp7K{^(= z>(Kr7=_D-oD8=Sl&Loa!?IxtjMJ=8SYR_d&H3vNBA-+_7f>?>kRO>S5)f|wzSWyd- zS`o9IC7f8YvyK(*jGMCy|Ie5h_YS<!V`5yXoLZ0^gIQpB5uDHIu?s_*IO|9O;Sso( zZqh>{Q;AG62%RDFqet{0$7A|)G4f}sl8-FE0AOe$w$sHvsLi*@QfK-0(Vo2RHtco6 zgDu^WH3wCoEdgpb<!D5^!Ml1Y!H44s3xGcsLlW3S_e;B!suu9QP$U51vf2c+UBLFB z^)EsD@U~eS+LDHY^x!~K{j<T#6P41I%#SdYZ5Fm?W1_n9GP9|@n&^NY*@j1OuVW=! zi5T!&2MQ^o4>`h%7qRPXY-Wmg-Nrt65~Oo$&p|eVsrs*Gbx#f#^&QjjM(<HqnR)`* z2_PQC?>wJZidy^y+|Vgz`=Gau&gaz;Y7`jHd(_KjVw7Y?cd9d=;|`UXm@k-R)TxqU z#1hrzR{>klvTU?)+n~X8Oy+HXiatN3YiRERLvt9sMHB?8V!=8ysT(mpm-^pdPk^c( ztj^)<S%1D#n1sAw(DQBHsV2!f->W8IZS)878f)#jJ&iCtdKyPdqbQ_XAb{i<)_YXH zOF7rU?1ggyWcyQ%!JO+*_CnBG98PXR-Z=={^&mN(09yizE2~9z9We}36wOVIq^h7+ zA!zQV$h)E81KM%?E^F(BrnxFo(*zR2mjfX%Wj(dP)an?qCL~@VSWC<;p~vrq-&e4( zi-`YVF3_?{82En^PAiC&oEWANF128ZleB#}Lc^-<nQa>_oyQiy=FH$kE)DlPtps1> zz7X5DE>A>`?`-bhg@^hh_*sBS&}H<RD)LS|2%Zd}{4l36s}W*>Hev`05(-l<9{~p| z6@trhH}eD(YExQ4&~jB*IcQ=br8*T6)#Jrz<sb$$#L<&c1*LAUn^|7QjzTv>4VZ@L zVe|@I>fvuOvgPKeUQl?Na|HGl@^~@BmY_piz)@(VhB5+NWiqx0Nu6kPkLr)^9%iXr z(S<>TJ=GfX6g+1!Wnk`?!C`ZCN!juQfQ`3~AbVd2X+m+O!C^>)*zv^?5pdV(257|e z67y@SzP<-KBUbWqo(ZxF`rJ0H?B9v`D?+st$mPhh`)<Z1E%uEwnd}>@=-CP+|3^o9 zJ0mC50<3;Lr3q#CLDI(RiaCc7=^#y#*hdVw(0fP{h!j1n3^hVuHau26`ZV_#Z)~C$ z1H<hK{eZL)b1@GtaFLs|6~!=i5FD)?*V8oGUPG}DIFoytZ1$Sp;kW&%CPO4)300p< zoeW8U<R>nZ@F3=a&4L^#^$7eI?Pj87Gh%tOXpV<_Fmk8>0T6Ph+H2@`%z7fb?~5po z>sAeM!>O2k?v4F&Lv-+ac|!87_1<GKts6s~rr_f`z4(?efrxVHTu8&enU|YtUsa!( zBqZY1^bRs#ds|)V{}cs<;-w@MMfey(k?IUgGo<23rL>Pq&dVjS*oX9QHS0<4*0_Ls z=yJvI2k_8w|3Mf%LzZ%YL!Rma!{wewi^BSG%5UZL+-K19R|lf!HD{lm>p?p)6if6B z``%vD6YnmQXmM&dJsZp5$Eu?_Fzp+krx%Hy=|_;BSL`<E`KKrbgW|Hq*+PnOF`|$; zyVN%=P(~=l9_CG-`rzYydem&D>JZdg7T0^qDfv3WTsS396R6ZFnQq6SWQx=bhLU&m zL&;%|Tb=EJJ}|H{=&R5ar*F3!dz!RH*MM~xSQ9qNZF&o8YU<74#U1Cmt)YwLV%0?p zmLa1kY4ByT<kxbJ-Jd1TqY^})#{%BYNpMua6`6*tR4!A491{f@04I{_g3EgC8%GnR z-ISRI)_He?F5<~V9&@-d;(`M;{S=w!9|(=n(nM$^O1xX>zaw5m#&avuW*ua+j-ly; z4q;H~_({3AlR*W|7~>|CWunN0Z_42?>A@FVf`9PhZ2Fd_3IebZ=tE{oP<7+fbz?Mj z%|QW7eaevLnuiz8H7FhWE=rApe^>hjy?g$+K|@Q`(g^Ak-n_RXx%Vx3T_!d`u%i1Z zWF1mQ??e|Ie8ivb?*)HaNS<mNl=zK1!dMjfQ{zs9P!<MuI(c<@vigUJsA-5ky`3pg zo=VDc4(m1+o0EnJG3LB_6okM6a#bf!5GS`j>dH@RXiIQucV%d6Qq=cvp$TfOwO@Ii zt@>?yww=v%$Z+q^Op#|>*~~O~wyk!iEz=Ae37T03;Df|JDAc6jAk751zuOZ$SMgj) zLG?O;+iNm#x5Pb(&j4Cu&rM|FLc?&QeLnz*8I``>Qb$RXQc@jdMWP9sITU!ZVl^Kv z6vbrX`d}AyN<MYqh`_tkDsA>}|B|q9X&0=X<!0!cugjGd^)R%2a^;erfmSjaIgI3{ zVqMC7b8T`V_Yk~~3HTZ{CX`CgiX07=%QQrlpw)B?Q^bCZ(1YwRSf+Z_Z1j!mpzs7) zV1MVMk=ZiL47hr_b5E{2h@c_Ty-H|1xG65^dq&n*3N)mS^Pu2Fw3gIyfTE05owfF! z2C{g9neTSgZ-1&GXz{?a612%NAf8}o6kug!yj@zL6AoI<3+QTIl+JHxeOx}mS;*xf zH>ZM}CxYV;KF_wBeQjK3<B9dYi|M+*NuRD$xiV6M<&J!v5VS7Uxt}Wxr10-i1Ha|- zaZ-$*B-{)C{cvg2vC&vD_<tBae`xF<K7WBblc(end|H3=nS{@G8v2LNW+-|=_|*OS z^x=bbvM`{yi!A;Gy9HcRWOPJ%7os*Bfp?+rl;pW2#hqUEns+d@V{Q@i(i5vZOJlPm zuE$LyJ0cq?KVn8+xQiglxwv$t&UeVD{b9u1VmyLb2}d^H2h*5oS~7Sm44^)!m1Rc> z;?nq-85=TNMT;-Jh!)|&l`fBc6kBjco8m!(humo-#0i*Xh|y6-olE^0oDt+$i_XV_ zZW~h-dFl43Ki$qrV;s3XejXmF4eBFNZY+bJd?x6@&K0UNKo5mS21yUkKYu3af!3Q3 zjUJR=oC-ZSNcpEl&;#%XEd0@(B~kn#D$Wi5(0ywBA-?#v*HEt6fc(K7%O6U^_(M*R zKWIC3{s8q4c}L+aB1-&zGK<LJYo7+eB7XfRBW-DjJc6_dN=FJnq2P=Hiw){+?B#No zT84Bj+(6<6G69!e4p{;3-A+d=ljxUmEZN2h1xae%?RS%j;Oy?-9|!&HGr=$3;u^~t z;1}n$4w7Fe&zv&9cm@*^+fwL4q@09^ODTjDxtlLjcML&_l>a=$HGVR%6!}cak5}q- zei6kihOAE{9~>k-RKdY}=Jbg>-yN#_D0(zR3IAW8Scn;B_Js7y7hgC-^w9I_AnD=j zaFCukdU$ZvQ0ZaDBd0<Se0^PfGee}yQ8w7BsKoK8<#ouHJLTN~V>7?78z7t(Q)AT# z?)x&UPrk+DhryKb{Sg*J*f9;@e{dW1<RLsc27WM>r-vskwAC?Bq7F;;hLeNy%faYZ z!v3OQ)Y;On&c6NiGpIUe#Qr*nsPdrfucAMm+WZjKo1Na?Czp0(!_aF6B`?X&dN!_v z)b%t&9xn*V<7>Y`vu-Hz*#9Fw>q5#|MR!TLJ3Hv=BsZ@fM>g`5p|r$=zGI^eIz6Uw zeNK(m_w|5Ogx_r^SNqjivW$w6LhV1b7-_$5f$Pw6?0h{Hw}6$DtTW*jxP~ui8c^p) zHnhIa@iisL-U`5(FkHO#r9lxGxSp<u3lhEK_hdbEVlosC?){=bT$gRo^ME{8WiA;K z@H@cIP9e2oWH!KsF@{z3@r0YSm${hexRkEop&-pt{n}py6-Vb+;H8+3#ZV$bbZ}O5 z{lFmW&h|yz=ID&EIRwAd<NtcB)U8s$U*9!TCtBKkN#CR!n`hc<EJUZF#Y+xc($M0@ z{aYc{g{$l95y30UqzI2)ozB{&dt*pfkCJ*~vy}y=@B1B5DMEMC;qD>h4)Oa2E8j^B zQ6BYs>&PQW>5vrZeC+!il*?m4AMR3qFhYoJ2=4j$V4TS2THqsYWD`3paj9sy$qdK+ zDSpSrZ#uFE{^Rlcb9lK2!0*=DaQy!Hp??$n#>H0~ts?wSpN}8>YCwGDYzoI$>i7Pg z@nyx<3jgu=nh96<0Q2kIr^E5J^gI8~_}cba;D_IZt9k%@B}U-u$p`<P@zwoV;D>*O z$9MpIUHp3Z{7U-vzcaopD?S7K@XD<N;wy(zhJyNJ=>z{x_(}=o|LVz-o%+^pF1Le{ zCB-5utg{Ll0elAoI%_1%2>1Yce!oV5m7e807~CFd1Vs6vVA!7GHcwyc&jhg7F!U_u zE_#kN4^|kB+_kUnf05(lRxHC*O1pU(PJvXP<;BuMB%^k$rijmPBGmk!hPF5OL+thj zKaQ*82aQ8vi3H#TrkO5XLHiv?$FLDGqOyoh6++SGDy$UgLZS|`(uC=VL^W8EN{LN< ze;hX}W5ylFTEw!XKD9yS;}@B>JfrRt*20rX!u8dG=%<Tp$<GA+d<U^;<a0&S&po{O zY|>91oW^H?eu~Eqjea(K>uk`^6Q3FSDTX&U4*h(E7oSb~S^JZ-LO*YB92))P`_2aa z%pu+WGr@nx!0j4`eooX;@!6!Gsc@g44gT}3q0x^SN!}R$8J1stWXpdh=x6^^ap~t- zUVJv`CjdY7S)iW=-_Yo%q55pl&kdg${rNjj#HF8mc=6e!pSsOwg?_HUo(Gf-7`-B< zKmB>b`m;elU7s2LQ;g_v9QpMXUVJv`XDyt`XMz9R^4QSmCx6}9pr5?epB4EvMl8dM zw!cmwqI;J0A2_$q0{y)I=b_P$`JPjypY$02&oRF^uM2zZs4jOk*<f=h9U@{E%XA6^ ze>u_z^bz*~^|JsRJKyLz%~3v}GnUhQTMV}jE|&fFV0=I?At($Uv^2s8q^eKxVyPVd znf7O?9ynySN4SB06mkRocdQ%e;ep*iytOXf<8(}&BU&5Vk2k0zSGbKD;Pd5V=j`Xf zIIbkVTfw)&dmiRWLUKYUTy$_H!BNS*NsY*=(H%;(Ipfc6g%6XC<ciIFj)8j|DT$T0 zed?k$VN`nJB!)1cmuX8TmKtIMP5Pp3xZrOx^1()j->YcaViix)S12be_<VwAXwTb* z_`GF^&s&H1ym^SvkCw)V=gSRh@NsesxPLF={8yabzJzqzxTmV>{GhZ?oc3+^(Gqne zSHw>Y5&QsKGe}X1AyNF`boTOF8bg^ujzC*c#oVQB2P8VaZnU(9%}>Kl?0i2I&vI6n zl33`-o#|L#$q8>U9h*yJNjtRBRQpx<wCeaVc0LeC1n-DR|B!wZmme6pB%G3Y^+d~& z8^FcI$HK7qWtfkiC+cwi{2z^vd;i7w(D{*PbPg@4rp3)j4#bYcb5dBIV@_g2c%ja} zG?T%h1b+%$m+`eVk^7I|=og1CfH7m+alRS3*k?W7=?mDQT;G44AI3KVG#+~x-~C4+ zh?^H9&vtRx-iEqAzgYAkxbg60zJi;t((v3ti)3Ptg(#<m@t=4uL>|@~Q#JJ-3ywZG z*^BL*u!Oymdu*`%Uzi*)w*2C|AEKk7IRJQ_wf;T&aj1W*ZRS($9}by|%BSo5EX1p? zykDpz{p8a%jf#kW-pRFqe|<h3=cm#5`bii+{m;#RtQinrk4NC^v9JF-;Y-&?jC9q^ zFmy$WzYEFa2#G)Nz5dk^oG}RVgw&DfP4>^AJ~A&x<G@-8zMqdLb~`vyMzGSb(W+c) zQyZ{@CS(b1r~xh-TsqMhp>{kGR6Cku)s7u;)eij>6`}maoe!;H`E1buK1M*p;o75U z_cpt)ivzfyMBq9OU^>MhO5Zz!iNKX{;48ozyGjN9hCIXm#QBqzq5$8)8T)@gl;OPR z9V82|@7vvrgfKFcGt%^a9|7_$xDuM)A7erOlYT(1C;1iyu=n$JWcp}QAnxAJ5%|FV zY<hl1m&<LVq?&#L6UPbAq3mqh8?WEQjF*B)i89L1SYpPSeo?Y8=1z1{#&oeD3TL8) zC1rG}pXbHW9q}yRV0Hze>IV_1l0#Pd4`Z!#Z$G$-SRgR>Ua-wpkZ^juwrP3q?Z75Z zEWqJ5l>3hrqByTueM0CKF;;O*LV56<n>h0^0{@!^2yFfb;UBSSD2y@q=f(dL{8yb4 z{yitSZh30>A1J@3?=zDhafMi=746?0$BWNqeBg#}3Qg&B^RtY^thEr5kS#I1FNQd< zy(_uQCN2qcncYm>CCpR``tRbcJ~P%s#`t$3KU6YGh9W=uapDO1L0VIk{D@MTPJN?_ z(~%#2VhvO@|M(wX{OR%!$OIAy;xxBoPt$hj9=q<tWE04f)G<nTVzLS3`H7(iAuPg9 z3yl&M5E)!w7>HkN|IF|Uvskkg%`e_XwD|1CgC@eoeHP+DW-dYoACG>&GK_7Uv3$<o z4xo1YXXOJoh&4vh^z&<8d^Y8c>NzX)^ZrQ^JA<d6KUACz`pNsu<il(bYo4O%XE`rE zoAk4N<yoPhyRgycQ0V6_tT~2=JHz>SlRh*2Cts|=il(10^5U~eKkgN0hkl00f3ASc zI`j1Nlh2O+qj2~|)6ctn>CxGwpNZc%EA(><HfbIT|G|d9XMuiR8^CP(57U2Y<I>Ns zdGXn#9~B<7v!FlICf`G$pFb=-Rr;A8vbS-bhVHV(cCejrwPFi7N~xMkVr*gjl&bq8 zQ>vzN?`=ORRpN-uIA>}^d2ey1#;Gl<v-=)Fr(=8-!6XVgwm9Z4ytp_MjvuI@RPFrm zvCx?s>1r(pt9|27=tVk%fPUcYx@gbu%#9rUYa^1QR5gni+kG{73m({ZI(h?+Uc2uO za*TwZFaY&K3;KKQHRP6!@%h?)#VC&J_YJy{xA4O<ZX#S|2Ty4Wx?Myr)|6!flPu4> z`dxVUf)%hTk$1(H@F~un!S#C={czCw7SF6QUmr%VSJU7J;U?n#f(&CnQhuUR{9K(m zwA(yCyd`SCtSCY|_4S)2F=Qmp9>DH6aVV_Hfvtl}$`Ou2=myI;)jxtTkeLS4ega5I z_t{ej;7{RT@Aw^vrncCI6U=0%ij$~tEQ{<shBvV54mSR&#ZfI?-oIOAsf~`bvfxy) z;XREu>AdYW=^R!HK&z_y7AHN{)qx|ax=rZb3xM{$)K<hHhVb3Rlx;Xkk4h!ps$(X} z;jL;jNh7>kg6Dj%mgqTO?AtTdMTit9f}>bEmph3tqOgP`?kEyPMv{<MOR|4!6Q+Zf z`Mm4TCY+dtla3y$XI<DB-z~CIbg1w<oBO@<NW43}2OIuzVVs(9Dp`Mxcu$(+-wIAG zrrFWaw|1Hwzrp{X@&83!AIG<de(3(J|7-i(C8&SdH2D4PaQ-s|c{``#P?EB89HMXy zjwP8Oj?jxamP8x~`bj5~JcYTS@4)5RGvL7_I9BS{IFaCp2r9$l_~uQSQ$fbFE#)jP zP1}b^vp5bJM;%W!4muufoTOp*EeAOt`Ug^8@SYXV%;5(hxAE$5*lH+oM@K054IKj! zp8teXld++HNqn~RZ@GVAqWTeXZ^MJ|1MOdk^IkS|K7@IR6GW!tgpujm?Ypfw3FT&7 z&%*hMHJK0NW=;<-r{Xp-TAbcmlgTCAag^raD3TOcnK-?*c~<5UIy=RUr|9gIJ9viI ztjrbk8m@7wE&smhhp(KRfa{yVo=nX(nbd(ze$f_wn(&hZFMqox^HKcdFV<vkGk&5g zbQcY-qZh03oBr^VdZs^3XKYgoD5Z2t`YC%d(<An@+lNA&UXzEzLVVxD@9@)QXJyWd z+yv}S9AGmG8(MSaVQA;ej*k%_IOaNq&Y0~OAH#_GtsZ`|+F{QXF>lt+wt@A}!%VzT zXb07i^55H{>C6-pc6d;j<5-nvzO=_;^0t|m)i3`3a8p(bYtSDQ2U`LqX?cAM$KpF( z|IVmS{LSBSolPf&<2&<(x%_(~F6nxb{yka$CWX+X9@q}3A`oq_!G6>@-@We(i4OI7 zD#TU-_8KhSrXy-nKtB#TyC$8z>|)nDd<WK!REOahGi71s+K$n^Z>T34aq&<l2@X7# zhEp%`l}R6NoMw6Ceo{ixaOFT48+EAnyasVhS$yIY)#^)5(oNokztBQmbYTN<8b&FG z$zH~<iS!HKlYWDNs>8)D>%7W^Xb^Rt_bRWGir7IE;72-r-0V`ve~)WH=&l2MZ@<)n zQ3XIEDfXx4*n0Q(G?=A?-nX#wQ%ZV~L@RDV1@K(@D<V+oe4)E-i^N?=vPkLhzM^51 z(k~AFxJ+yo_r==e?R31$>J)K|OKmb>0jvj)cLBFGPIJNO%{)uTkY)4@{#VA&TA%|$ zr4bm?8y{oG!9pv}n=<Z~vnp%3`oVoc9!{sLS2UGrYb@@)G?Y|2e+Q-vjyB>)7lcKG z==cF6w^XkW!lftQ)&?zzxg1h5%THHQ?z=uLQ<a`G{<uE)e~llT)uq_GVzB%;LjIiT zd|RUb*nHdba438K`L-pj!V03WmFp?D(A#G?kaFdzh}~%aI@~l4;+PQJX#e|5L$vZm zo$9m|Ho>{3>t~Xu38D$|DlJ*qE_dIAm+4H6aYRjv;#v*-#2q>WOGGbk!!jR=V8<Ms zfqb<+>RKl^MED^Y5t>9u?+Z>1&|C2t7(XK9#*U*yA3qGmA&!6b7l|qLJN{Xp`uM+g zI^+N9kjH=9v;oIo@Trgg*3%h3{LDkd|1Yi?aQrhr_3__wI^(}#$m2h_bincFf9m5$ zR?Ml-|MDS^|Ek*t9Dm-YKK{zn89)5wL!|$M1CRfjPksE0PiOq4LmvPAUmFnrSAXi` zN2vbP=^qZ+A>#iR+$!i-{>>QD_+kH-#8rQ8j#Yn(!qlG(s7>r(iBMu5A|<Aa?2;bo zvcYRWs6xE&Dbax-!qw-J^%T#2iv8yKM&5zi1lWhOaf}%3zbjz?L>}*4iUXiwLgF@- z(q?{ye&KlM**5i`zr|UZKIn*~P^n+SQ@GW!ChUx59Oa&-7vCIy#_|H3v0Qu3aud#3 z{;OFng+d7hq+<rvqo1+7fg5IIS9mU=bn<=raqV<E{N{Sz5-cNr#4<`AZ$L>r{jJEV zKAk&g1fCiF?I5WjI`)RFzdZvNeu#b-$48qJ$IOXiT=j(Pb04579OvveuEIX~l|e(m zu$;vAnSn<$sU)Wgk6*!k9D>K7^!e{^8;GB6pEh`4aQiWZ&KJcNlHFttA>M^-)4hL% z-Ada>t`M$4P~vh-KJww?gjK%uU3DRDjPmPI(iz;9F_#xgNpPljTq@>j%L0N9CVF-} z4|}|{d}Hwj*3)1e1ng@OY$>1<+j+c2edr&U@bK4zBBI^+F=?2>OaI-enpTPKj-^@j zNF>$uzlHnhz$aTQ!it2?cwQI*pY8L{Jbbp1<7G(jS^4Ep8$J$%0AuLqW5oRs6AGuF zjYVf3KAA&?&-GV*+VJUuvpxnshk0QHeBAR+6+V1s;TQ-=Nj|0d+@fGGKXcQi&PNIm zr=mC;NW>g;!OyUmG$jm54-a;hg?RGm%(r?3bz|W58(tUzuc>oS6<+=GqlH-PH?;Yd zFgXlTp9(*E)Ex&tj2A}0C+)g351*Q=h6<m*UioRmr~1F*z~^>e7y+NaoHGxflp({X z@rq9yJ~!VM2R?IoVFY|yXP<faY@0Gv`uTbGrwyMxcy(j=PZlqXfKOfFnTOBhA;ags zFP(Mx&}Q9zWkG#0L#&Is9wi}taU?H{fX~D5NAo3{r>ZYvFQkC7o*&{g*H-R=(x}dw zNhiW~<3w1j^TheEVREf9ItwJup5BmcFRQN0Iey1d@KIp}mJ%c4Zkz$Mm^DQQkWNRQ zb-_y-Lr;f!VFbL~@L!*4{dyr1)rKa|uDtB5(^HiFu@7F<82J2&7e>Hm4*c6^8a|V8 zROHa$bIzns8$LVWWsQN)k9lDPd?v#GeWu})A`KNjAAIrChR-H=VPoL)O<ouQA1nOh zXBs{`hYX(sU--1)vjSe)82BvWg%R*k;Xgjp@HxhF_J(5L|8e5!zz64df06^lUIV8b zaw;R8AanVuD|-#4;Y2t>uH-i&0QDjq%^XlTI3hOHP<MnZ4o`m!27iSoWj$3uq2HMU zR1lHV7~?Vw#&l_e3D|wuK!r9uz+P1fwhR<`l`i#3tX<^nEso(Ay}vHGSKx%a@={JM zqsjduQ$AYzT20f+%c9QZY!&XA1;|&sHci_PcWRt2hU6%hpJDr5b|UY}*(potyYrYV zb&2fkHrntc?uM7189{`p%6zl>69kVz)0YBO$KbP~BAFK<3pEZ-g3!Y8o%*?zbLiYk zaomVHU%Yx{yjSD-wL+)JV{x%S>2Id%D4jppN+??hN|Oe-*?s6h{Jddqs&;vstZ*lj z285t}04})Egk`mC5qG9`T*SA#pptFaD$+a1Ls(;yulTxmtD60J4%-WWVY{#KBsvzB zl^CRC%6JKBNdmv*f5aB1SZA;2+XKfgcUz<nl5dZ<BYX;W3O{5EUwCA%c}Pq_HRy}{ zJ-;EQ;4*=69dVn*9c<YdcODvBc8<=)Ajoq$tDgsBoR9kHFA;Mv!kgIzp9^i-NpsKe zW<p)%XNbNxS{ItJvo0PriJ24zW5UB8^;Z{%F+%SrxM0p?K22GMKOz49b<Gcgo%FYV z9gig;g$g|tX*A`raim$eX{6DND`yAA+*!aC7ZF6tq&%vDa%gZjnQs$$Y4|pg<MeGJ zXFJvh*Y?kdT-!f`ukGidm)OKD(C?}D|3R);oT2{Tdpi9eEbPZ4bKijeeuT}9pvUJ1 z1U}v5urHTRsgoi1pq`IMn-30(R>J#x(UAL_P#)UwVJJj#X8L;<SE~ed3=Y1we`$Xk zxOOv?{#yQ}{T(yp{+j=#{k;WY`k~D?>%X+We<0094~h<sen*#Mm#)wrzNgJBFb~0> znbSr`JM#?9NwK13tjM}NM#@I`dNJ%!O>#hA!(-&=o)*9V8CNHU!0*}Xa627`I~BSf z3&2kmBY^b&1o`1*u>%~}&j2}BhEz6&#<>>iD~_Ao@d>%D7la9hIt1el#7`7!N(K_l zwC2RfZT%^n+T6h5QQBKDtg?`kO;p9#p6Ge4k343iNm#1?%XSh_S_B}4y(BhdRKGut zYo=pkG^R?p?x=lIO8MHCXn1~tE)p(Z8W46jhCK*+7mz;_@SYRa@DSmB8Jy%pfcNFF za*2FtN8mL!bHDJuWb6>&eFpN03lZBlKtJSslrO*$KE(WsLimsS&nKRk#z+4t=2I6U zc7N*Qhg*Ay<Nw8z1CIavA&oznP99`p!YFZRseL^81iN}l1-NM#0BONI`uT{->*Mx} z>$s>tF2k*OVlwP%rNj#3Oa1&4Na<RDD1$uOw=0sbmISwKg`FC~8;L>c{DGEy1iSkQ zJR)ST{0zZy15JanS90pX=%&raZl^YVx6=fddiNp@{5XqAeA?Z}*hvG>h_8XG71`M9 z>T#ss&`Q^?&`Ou);G&b$8qX^TVV~xBEH3p|Ume<bzVHd-!Qw`wFqL7Cb9lJoB{Jn> zL5~Pb>E3{EUCRmf3lypfIuBOzLfSSo)<s~54Pl0=@LUTf8t++H?j0{MDF8nVD7}w+ zTyWZJ$uDWtmKa}39G+^(CY}C<KE7WfU=5xfIlk}m!oiHsdMe|~IgRn9kv~Wc`GepK z>Ng)PKu%ZT2damnr2DJk1JZH(8(v60pn#E&HWi+9!(SaI)+f&Ijqky!2ypjJiLG{l zt@>><GLw{|u43XS=l+!A6YY<zEwp8x9O2Y977ljvF00x-Cd_HGDO`myf{V}>LT)pz zs|D%d6!Z5sAr7s>D-@6YCNGR|TU+5-H{caJ7vg!QB0OGk^Y@PZT6ZuHI)CqgBMd^H zO1{hr#Gzy0vxpZ)z(>90%)_S}j!xnxgU@gLqy5u{j|*|<82IG!!U*`Zz%P8J>F1$m zhYFwXj{daalP%U&Mdg3;!U*_m&ph++c>)XZhekguM}6Axalm~WLq8wGCmNmq35WKX zrk|Zq0EY&j>usMle7fMUjDgQ#UKl|??$4ch_*kAADtxXSdCKsCzSdm^buAEA&WF^s zfROX8aEt;jq|S6JrFt@Y6EDOeT5;4h!^oGqN+7-|yOq{hjKNk5s3z!<KE*A45vvT_ zHlvK)<tb+;u<|^YC8PE!?3LOvUvWs|Y7ThLsVz2t#buU8dm9qG^$9fxq+>bt9ZBQs zy)9-u`gvC9@HW$iID7aq_;UBUW5OpDwi39hr_gHgyaffJGWsYWt`k6?_jab_)ccb> zpHFmTk1;u9XP4~k-m(x@L0L}E*33&29a}tbY;Apxex;zeT$yi?rM?`^pJbbu=y0qw zJGRoAcy+-A*xACpoqCb#5vJHy&pnCgqP@mF3>!n3P|vfI;5lP+vRS@$>kYWc@;zH8 z^6wNj%0dk-<X71&FJo&4eyXhq4Q^e6UsO*9>S3dJMRjOM{S)21S-+V`jjTl-Y{qkF zpZm79ZbGnk>r`wDxYZ@$<6)eupuNt$684R^SxqLsX;iReA(f<sKQog`_F-Go;4|4& zGK&wBPV3N38hg!oC}%TTP*mpLNw=pwgtqB58@j&HgxkiA>F7`J#yjXX^!P|ulzSg< zz(u3Mk$e`Ph7B3;pt}|2*wUp=Z`n%m-PLr1JeKY@+;tzr2R16O(IYJg)B1MVYf7k* z=(P{-u25xgP;8x~1M(7jI67lHri*L__0HXgIyh`VI)oxSb;kNXxRXI2+4M0LA286V zN8X(&TU~lP$FL<vJV@?E`4)Oehu03;l0-`-(CWZ^98bh_$UO_qXs>gGAm&eyxsO^{ zh+@ElgAA~=5-g|VMmfi{dkOV$1-&}u4zvKfSMO$~-c1LdWkp>%^%!9c4B5+6-W^;1 zN{%L1#TpFmj}p<Po3KHgmbw!SQE#yyRUh?sCN|j6k_eG(MknqGoUY~FH^^u_f2NK$ znByPS5qJNI$~oj*9QtLNDM)62rCTY$*m9GW?cPY^O?`ro)V4KEAL$EtMl-qG+afC6 zj?(4Bwba-6)0V9_=}&J$IU6+xr7upxIkbLfC+%gzX7|k?T3@rkGu0cgcqYs+q07=7 z?pKD-d<r$TJb{uqY#m?SQjOQ6OJ`|Q(ovx{#fDGg(J##~<(W(#yIz5rDzJ8p)u!}e zUPru;NVfo30%<!o3R!N#<{H?@OdqX0jL38!Zp2U!8^)wQ!0gM~nr=`G;Xo(2ZFn4a zOFQA=r|~np_dSPfOYpvH5g?FDJ2z;*MOW+!oqOq>Q4O8}@KBLFY8@`@HMA4Z3lHF@ zcYU8jO4Y|+j1i_16bT@<;^k)J%1Ukmd(9<$2<6)9upvNL*lR}75Td6kOBS?)QCy|1 z?#BLlK?-;i%N`*zyz9G7o{^$w?bu8h$C>nX=x;68`C)1X?~iq>TgNq)ka5bWi=d2e zqg0Q3Xj3Tu;ckhz{|(%asFLj?YEMm}S`XN3=HtHl&N=8q!u9Ufh*xv^c{N>smDX^o zefq0v#H#^-**l{iJl6CgeR}dbl9eB$(1bl!#Lg%|ro9WLWxzMU6pro^0<GWby~ZT% z0eH6DfmUCn4@lk&)Pnt*QkP)7I(6KSTG(tW-he!AV>4FZR!$Gow5O{74)P{>Bj2Ab zUjHg4m|h;y=-Pa5v&DNdW8H2v$YwYQngNW<Z9)}gIuh4j=$`l?%533fBk6Dm9+$w2 zRRK1N^YL9C+7`*5L>Dx6$d|DF6T#1XyF6oJ*;Y|^+;Z$BHYS$VMsZePv_uziS{lXK zz3~uT#CwPnn(+`_#CwR-jqwm&#CwQSi183z#Cyntatu^}h%RCuf>t&rhC>*>yquo) zhiIBdPrtY?<@Dre?Mv}^PCbNz6OsuHQ;ZJ3r7@B28x#Tm?O(>zVt>42*h$E?+;n}h zy7*%huCP$t@z_41y)+(#3VL^p=M|@ewp+t`Ol+L^g@In;`X6?u`2f4-^e(l@rG2t9 zfUG{*j3gsDIZRU(jf6dqrO(!03HoB6T-xs|cpmXo)L+hyLl)S-MH5BK^gVi>*?}hI zVU>Q!R+EW)pRIK-p_SgZ8{SQn&#zQ0-%YH~YLQ3l_b&8x6w|$=+Z&hQcG#U)i*9w$ zo#bVWDkM_m%^S~udOzJ9wXD%`Y4}ZV{l~mV+eD9^pdJ-j>mIy;E$DrlHDopJR}&i> zREIolS^c9}5Fg&6_vrWns`Q*?jd?TeQ7zuSyYhCrdET<d>hC`sbyLp$dnw%<yR6al z_D4yPef7T3c20QP6R2&|?jPmSV95u+>5f#h<D2;Z0sjAh|CjN968{&Y_j&lQ!2dn? zH%J2TM|jp+H|^Vhn+iLl_wW1PmB%QS16f`2m#M-sHl+=e<h}{)&aJ+OU+G;?5E8V5 z;8-s8cmD*1?{v5)g%>`ILh*#nwR{9N7v!X9)lwhA52IoIo6`&7pY}e&Kq$CQWJ6>o zBM}szptSBFrSa#}K!%{f-lbMN!s!w71SE#v*k!j%)Du7+X|DuZrBg0dk!~qt|0}18 z+7O-%b;A3udF@E=^zWFYk@$J{M|BVyCY+0EJi^;^l(0s*s4wRL>Zf3K&f#*9^t4ik z{eH?3MC>NZ&xq2yKo)*ka<EoIo-mYIrYbf^qCK}|{DIy#HXNt!jjzuexzCflp}}<3 z(w(v`*Xy@<|6!K)qjFZ^K;^yzo@q$z+mw5B)gos5876$<?wkYSW&1;o$_D;oX`r`t zeEr1@vgMHiyee*c_P}Pvdlv%$itUG4rF~f+GRp|%T8o_DN3CEk2lSjtM5!Aiyuf_C zRvwOO#CVIKUwD?6WHrcDeP!%@*2*k7iOGqLxydw^8GI<a@<;CXBqi|<C6k1D&n&ef zGJzpnjyMIgJ)$f!$LYP^^;wVf>HYr8;zgB_*x~%D7`sDUktkVnC2RTk!@xuDVRmA} zNdt_n0An+6{E8O{dDznJirn5+m$8&TfJPEu%{jc`1U+kis7a}%=Xwu~-*xeB*|wvQ zwTN4uR{#gG)CS|H_8R^~RbfJad*$??x-6Em<CCh>E88Ee3}hzgmG5uC8d#A7qyq+D z3VQ7$qiYk9PpK6M$pVFee!&ePp*!hHWnD~Tw(~(#30X~YQ6~uKaPQ&V7G)!iXJrCw zk!|OB8!g_icblbyL^@UKG-v0ksg$MQS8Vr*YMr*+ldGI8#mXA9ny{tr0YJicKuW69 zcKs+<HqXYC^EOz3tyXHgG=Qhi2hk{&x~$$!%;r$?Eb<&dIN_PLVh#y<0jI_g-^ZrV zQULl-W!6E~g*jS|{!e56EX#<jrrZE^UfD!l&kdmS`{Xfb7F{KhY|RZ+u9}Ey;Qd!@ z8`zlmeHHzDJ1lU)+s~wsFKZykI@@w~fdX#J+NU#uGU~}Ox#Eb>@0jIE8LdPJvjFBx zqCeNa%AAjTKm+w7f_bPw2}3QMygSU&GtAk>ijFLnr*Eu`m_7pE6TMYX>>G$V74_Ng z-%3a>vVDPoq@-*F_RAsf4@0@Q%kOL>fUrQ2UlduH#mwoTn^_(vmg4N{T}nKRwka+; zmS_hT%eAjE=Ow<J`!c>j82l-8u&Y;U!%o_ADKObuK+#(1h&&9u1&GZ(v~nwuD_@Bd zE<rP(KkwHaX7t7GyA#^AfmuPXIrZe&va&ZY`xlleYc!oZE0h0_b;y7piFMLNoZX3* z9HJXb&MNavf*{g{34-VjZK<rY-(>GUhyfFKcz$sZYG`jmXAOkQ7Ly~<k@IKt3-1D- zHd$$b98r`2R2nc{hwM9sYvxRml}>R3pYrBv`t)_tr=sGsJhyqZYha-j=!qk={)WPS zg%+FV?PDji0{J-y>Ih%G@5{cOXv}*uZ)K5EX!iSBaRnpRB>P^&FUCK6AEQ!vb2okZ z+VJUpo_?F8d$lL&QcET88L9q08WLvCZHy1a8^~LEXWme29UD_C0R;9&CgUJ04hHP? z-Af_TUQ%Ct2ub3UGW8^lh;8Oj=FgX@kMyCFqWo3%Q>smSl0c2Da4&9Ag1-j)^C<Ag z_z)P!0sARE<ZbBl`|9w6AO>#Y_dTFr$iBT)34a3;>I*)?^lVun(8<pe(3F%N@@4`N zGqV#pyJX)HD!j|QNmdAg%txQSk5TRN<|pXWw}Y3{XW}r%%W{ViJ@Q9oF)aRD46*k~ zs#5m-mOeLc=P%Q5?|T-e(4}1S<a79%j}5LRdD-*z_|2y($6Vs`bWi5!l%FS%DcdrE zeiIHEz-aAWMswar5M#3*4v79UPQks8@rE})N)`CF(G&dBct(`d`24<o_~ec9@iR_I zy-!l9?E49QZhjb_jQ?i*x9p>i%A2WsxeaTENtfi71y)}q2y%hwDl;Xv<hHET)dl-~ z2;A#KfkpZ}p(f{WkRORLfD`e~7(?J)*!&PR<=cc$CO#D^No>w-CRWN{kQEv&6EAP3 z-@Q*hfKS<1L!X;B(%oUKB}<`SxeeocdXMHdtRl?_a7=uXo+^;-;9<F(sO<MIM{k)z zy=0qP=#wKskeoby3@oRMl-ZhW8KV@KOI+HM90&W=9L#U=8Z2_gY0KMgfpbRYb$NeB zWM^iA2KjBf?_R2&lRfiQ<2Q*mW14i*y%sSY)aDa38LR-GplQyuavMA&T)`=)_yTw% zx79NO2|>mVu{eJisWUk*EmEg_N6bQf{?}`3|0pJ{clrjCG|a0)H|_WtS8zIh6jEP< z`UO-KuEX~(b+GrLtg$!X-(;nZ{T*_Js#p$Z?Sq(C=3ufu56y<zHt&Fc;7`MeN+oO7 z8zq|OTYZou2!AL=4!I&QU%mAM46w?EVL@&2`cHz-Lt<H=H_hjh{ub1OY098tmpafA zb2^l3P2P_!Yu0I*KYb#T>^G>)%vRTKr6!B|g!PvB4BOq%o~T&l#QOHXQ3r5`+iv1c z((MgP+V|+?+;S7;$;%qZcx&IG-{N+gxHW271DS5^n{i7i5LO#0=CC7ML_g3A-Ehm= zy}vyX9dImbAfv5g2{q5nHBr|&%NodH>zGI7+)@+e=Phd>W36K{m2)Fal#gB3Kz3S3 zIw?<R#mh}Jqm>D`3p$22%u@b@6;p%;hyC|b=Yqud<!rACIqYB`5Ip$;C%OYTvkFz7 z{4mZJ$Od$y%hExGX^Lf}l5#)b%`6Wp*Y{m3&$M`tYts8reXMLxPCYyM;cs-2&a_Dv zn;p~eUxNSJ@qa)5pTPeC{J)F;1i)w<{)wz~eX0!N-^SkHBqdiI>wO2b!9GBY++^DS z4{`!vshg!ID<I>k6LM9Tz2+~3<0>1aJG}<dD%U1Iu2`O@7qA7kSs~r_h&s9pjB>W- z!uDi%5UDO|-+Q1kELYk|egcT9i!gsDD2146YwgOCOp|xI*Cb8j<gf3JTS(sYfGnx7 z2khQ?)GQ!YYJ<8%+KA<GuVz^z;S7Z8OU>{&_u&Ck$8Oe=bD$l2JehPNd_0T@4^Xk7 zKwiu#kh)$c$d4Bq<cADlQ=OnaUT)Byf^wzuW4WRYQ-D<*vwy1^C9J9qJ$VQ{VJ-a- zV7X3xyf%aSX6mHJ3k}k{Os6|uXwY36DvnQcDUXBNDgvz0{(GFR0>Y}YCBj6uJi?lo zq~@WIg=BI_P%Hxk%lqn~X<@w?4kW=uUj|RMY`d@H79eCgoA<a*^l!5h4eyOz<|mqm z)1jzOx=<-R32coK`ZdSbHR1SzI`<49VajUuq$(+ovx-jGH3`b~7TLn`b6;NhA#_Zf zev#xkC%BT&z}ik6&F<{8Z>~=?*7$9z`@GrFfd5wf|1bWNE&*-hzXbno{8!=syZAR) zB&TOGP7DhYP#{AD1f1K8?vo+j>Pg7zm4nvf7jr*YbxFv2WV>@;hsBijO2}@^eVw&H z;q@F0xAa7dyuA!=k2IFSAR(d!AuyVmU(ISp1cdkj%oJT;V3zDyeHunkxINNkXwy*i zRTwj{0$}OE1d&IRxy|hn13<j}G}cHxp!Rvg#aYdGvm=r7i(q>}XI{Vd4|y~YwP2Y0 zRp^A;UweoThwO!7vKO)r!Bn96YYfg|cn$;HSm+Bg7J}v$<}Ys!pTbz^j4~Dg;^lB7 z?SvcYM%_W<ow1f&vt^z_q4O{Qvb!6;DEGwo!@N|(I=HUt&I>R6;9a5chq<Uy7B?yR zC%u8I*PJ8s{q+4wR6B8y#Z7wsxuX6EFW4_p6?wrnhS&eyIQ7T6z?7Mq-+T@l@aJ3j zaRB*Nei}f28d($md>cOtAfG#*{rM><Lt(o3%Ak(TxCVRcubCo`;k;V8&f43){{%6& z3ln!I?(!Z_s2cGM)N@n&0nBdi@x1j(&*af%6E2JW`HpH_pkn$$P#!UU1G0ji{btdt zsLqj3b`YIw+IxC~qxVTi=?^$B(m@FW0H<lM@GL{1%+LU>HEUS&=Pxvws_z~)$J^58 ztv5?cS+jq38ja_N-oIYxpKZf0Q(~jOcV<H%$v;~_eRev5+drE_U9r@A>rcwVSTo+T zE4GAZp_-T)j$63@(A$vs>R;i)DYwY8t+Y_NsS*|!&#z!+!?P&hi-=1^0kR&VuG6Bf zZBf^bsO$8o>x_tN(3_wbD=3Br6z1!s9&I>5_+B$yE*3+Hy1iGqkM7Sf9<oN);XPrc zm(!xl#b~L1?Ou~<bs{{ha<NT3W!w|(huwF?-iMpY>OEohhzinU9*Df35p$pA+lCiA zE^hRUESB?ehC?*PL-LJM@-<(Blq}v2xq^8&!C#A+MQMeK1BFFSI80j0-N{Fi^12bJ zcUqN{YoUm|nZ_)eZ=z?+_;EA+fcM$5c?thz4RdmGe$6>?5ggd$`$mn2oq?mf4o_^| zbtq}=I|+^>4M*GGOgOshX#3#`a<_!NF7!2P32|3c0FMt`e--FR;IPwrH~}^6I&4B+ zS)!&xjjg*|8(QB!GW=-Aq1}hm=;|n4wI3cQ{8+p{R9^tX5sE)KCo58*+a7k>4x<m~ znqFZeRo=Q=RQ#s-(4N+YL#Ph_Zy(xy^lg4`*U{ZaJC3%a6XOo2@dkMP@Tb2~W;kn? z_B5G2m!mcK4hIJT32rssJsn;cYhQox>e}CdK&JHL_}R|7zB@VG`DDZ3kFY~!EXBvM zT+w#e!he<f4g?WhWmRl>paa6OxA7!7;4BKqGpV2o;hDVxy-LB}r;2l*>&=RNsu_kW z#kQTT(0H=2TEzE?lnH+Uc>C(nFYNeP0_8_Mx)sO3k9#5eYSLXhtMS!gdm&>czuGk0 zOna!7mr(G9GKOl-!wjYpO*#@ROF$WPZ1`fGdtoY+2v;RLo)u75Sda-0OXP=25tKfa zCBvm?^iZ4pW$c;YQa>iU)~PD1VfG#IHYLb~-4JaIn`0CPax3<(d;xwzG|8m4@-nTo zQ|}0Azh3`8Ju6v7>w<>&61>gU*+Snagr<Lt^qrzMv`s!tw5lSa3D2O>c8NL#tp=}@ z(oS?xy@>auO<C=b3snkbQXgO*sd6EdkxuFue2I_nX-c*Z_h!AnLARrE1;$IJ^-;aZ zn7=q_D~Rs^dFJ8gESD=<*m0KfB%%DUg@1+6t=Lur$vV2pH*4UUu+DM42c`$@F`+p3 z0@r)hRP<fP^<m(8uIAeVTz@QZT_<p@3S8F-T&n`tbpqEa;kpdR+aVi*WBPvqV5LCI z=>bY-BfK=s&>v?#ZBd|~r954%6zv6^i_wQRD2Xnm=$LvroOA#iSyz^)Nnym(-sXhd z4_EqGMGJzzXrUCa<xSKQ4x9ezxl>tVRlcbKlR)HbHUI*T7(*^mJs%SS1prEv(j$bx zn^A^F`$6E5SOf;(j?At$5Ew8JI6*HW1fCWCdv@d7x@ye)IS0rgZiYE#gXNrCNvpvy z9-=_lK?zwe=N`o8K?*JB?p~FUNK0u2zXW?{4fHyE>tK=;rJ>(Ylqp0SE)e+hHip<8 zwMAi4IO6-bBfgv7ZODSLR}@&4m<Z+xudjGs7ayl8e;j3qhxXA#?CD(!-+&R5HDg($ zBbOH;QqTowMk1V2RRQ@fORm(t%BIXVSIYTTo<tzuZG|-z5t}7^vjj5T;8B##<?L?D z`1;<~#F-Ydjv!Gh#iiAZI&>|Ej|b~l;146yi+nGK*cz({7p}78?CKcDUXE`tBji2T ziY;cicL87(0c5Z&!zd}RuwgU|@E(fOb-_aBfocv|XLqHXh?l}*Q#!qF=%j<zf-I-6 z1ZlH==T1OtJ^F@tPov-2iYH7s|K|vOPm^r+``1Hhe={i?S_OP^a_MVXEz0H<kRX2N z-v8CKHFD{`tR~#?I|=M}$fY~PZMpQfets0{RjA1Ce25_6ck+Ottk4EZvTq$ZP;(QT z-u$VkugiQ<!BX}*w(I`Z#*G`94H2+TX7xJ*ZP&n`eH_)VU75V0oxV4a5{)b62dLv) zI-w>dQ6X`5=WDEV-(lz8!_H&<$>SF0Y$5*dRC^Kl{(tP93w)H-neb;aLzsjiGit<$ zQKF8D9kh|q7M!RFkbuf12uZ90v0JoCZ9gkB1#J?7lc||`9i>}s?N?ptZEIWmRaa%v zTAL7>aIqnPD^a{)OYIv&YfwxAX36(|&Uxp?#ol+fyX(&|?|aU9&*eGKdCob{wHj8= za|Zv<<%%DjEBgduIA=MJM%!znCNlbxoe1)3ru_O_qN{x?o$NdBsjm+nNOWFxQc0Nh z8r9}tXhSq|vy8I(DGAoO)j#*CK=o6?PL{7_U=@!W)sO8_Alg&0|3uw<)TnrrZdxeK zrF&hp;z0|WdHZg(;vu8qAxFbHgXd~9(6DZWbGme6?t_lGdjoU#3TDRhM<a)GRPS@N z1uA+Nn?l!(j*3?UvL)_6W6R*nfr?kpXmxaf)kud;$7U@G2T=z=)B_q(-}1k^<M)nt z+kSuMEgdqSFw_(Z3Y0*^>V1Qu`=b?Wqt*8q{40@k_bLRvN6m>Y&=Rd^j#f7r70nu{ z42=vGJw`=S)Ddn+i0rl-3O78F*V(;Z>tRFH8|cG#YLYDY?0K#&<37Q9`)i+v<Ia-; z0K>H+%ik7ggCe%2DQwW5g?3Odmqow+j?TYOCb+YQjhC5V;l~8}zvwpd!-o6Gs5>0Z zf3nQj?Rjo<`L4H(?f$JL2Lhe9zsA`n1#(5-ZicGM5jtMwhP!W|r*KG?5{i9O^qG~t zA+(npKx80sVoe=aLFDB5<)O6m%R0~-?r!gEOTHVO%igld)BHRM@xuFzt%zUza^!w) zt>L`OsD&nOFr3p2PqgAG!y#BU1FHErCk-@1HZpI}Yv!#ZI%^m?e#Jh}UA8l$`f<o- z+?k7jCsk&2YQHn8H^37HcjFZga*X*deB!6%P+{IAoXLuQIf%}E4joE^(L!wZM`t+k zNM=-Q!u)|A2P)uVUMJ)Yr~r+*P_cc&{D2MOxoav<eGW-yE8SsoVw2#B1kxakV%&Lp z+<mv)-wGdz&h3sac_Hq+n~v!6XBeelk1p9{6c|Y6S$vxmcP=>u*mY6oSD3K5n*t4+ z7-<(o&e0xdPmL1&0hk5t{))|kC7Ts2mb@SW_QB{FV{Ugm|IT<RA=T(fXs_c9T94Wt z+Zmq_#csM0s5U)!DMefc#*TqD`H<c7<!Xo;<H4Y1U)*^gU5nQuVn0|Gt=^=%-)&U1 z#@&c$*v(v(j*jTur)WTBy+FCyGG}&Cns_YQ@S*_YCFue^tLDqi#@tQOB^#pE&v9dk z&Q0h~<QOL#Q;jo@nnh7G$VR~>v^Q~fQ8OKYnx}!OhwE@BsvsW-1Z0{y=qG3TF%bt` zBnQ^&=QxoXOE##H_D8d1qLCNn*x6q=&d`<8UnpQfT(>(q9lPlrP=l5=yeQpWvLVm_ zycP%|Fk(Pfy~$|UCz>)9-Tb}4-)5&Jod8yj&Ed~IZU;D?$nO-Q9o%u_K9p++$_w6v zw?Yj?KU1&QBVY7z`ZC=AVmP0TI{zi=ezwxs<$12lXpdiM-}SbCW62Q5>z;IdihV;1 zxS5Byj$mNqHLoK4rKMaP8l{zTMR?(=F^iN)-HGC`B_C8*o6JLztbbkKvrImU$<#Qs z_(U~!aRNuZ;6rNsPoUr7{r}7F_z&ZEsQn^e)E9>q8mEhPjf9%SM9X=4CVg@lS2%_O zLoC-Lfg=!a<h^cDg+lpD4jW#hqQI!m-&5h;Q*rP_r>1^bEskx0ZB&A85|uy*-Nv=h zD_3-h+dvqQtj0}EC$6TV-_aIDZ>?>`C=p$_*-rF>+<l<7aJXznjyj7cd)0rU>JX<M zbi5pRnO?mfc%5Fot_X`76!e_lCF^jVs1DAJ`!gvzqzncbFj9)pQ#03l`jLN=72p{X zu;E8P{NWD=-_)`h<fae#T7=*trGF<n#}_2bbEz@q0nLI?Kk57THEnNZQObJ_gv3~* zn2XISYOk?IF`jgYXJd`<BjWd{;LgP4o?^9bo^l-y%kz~$7K-556)*iDy2v+)HYWyN z@q|T8YUr=xI+QaJs#nFIQ&F9X#9K_kDw68s^}ganiF)56lFC%}Oy5kS*|(1IkTjdW zYZIji<7;#hZh4}AH_6M4_UJvnCMh?^cQXkEbfeI48Tprzkbm^PGQrUk=t<2SW!;4M zT}5Q$`aR96nmsdp?h{PgLn>0W;~w=Bp!PJx98J^tR8>Y*GpS=XfB7e<XR&V%CFg*X zv?bapAf-HY+-^OQTWHK7ma%gxXsIi%qT)qVdhLf+ycobNb{q;EqHBqTN5Ev(imv4b zYFS1NH-Bg?MRcI(s6z<==i5S#9dtG7yj0Wx1=^%X3s3^2fr0=rnLT%{mQ9Z(<$hSB zp8APwNgN%iMWVYG8FyJo_aKvJ++`u1+-;4!1nE#0)(8;SQN|^JGjXKLM+Sqwdakbv zP-cDjyA(7#7qMa06XyGV6_%W>c9HK|VVBMEm8m_CXwSv-1;k{`p~o|m{4SzM-zFQM z(WCjtFhNBkPm}lX!zYU^Y`j*>qlLMAWg=H2oYyK*M4<9zfW*rHi!2Z?J0S+#U<7?P z$ok_?z`dBSWNN+q6`k;_MX;ae_!fC0LAjI$eYf)G<xgr51ex;(YnTnQ_)glMG@lUa zvv<5R%gBz;0oxY&Zez5C!boKztq}^yr&NsueL)3#^Q=Q~<#eET$(mWUFn+(HIS>ee zm-*u%rk=R-uzTU}hBp=RQV^{i7S8I|WQu5~lr(pl%tqWT8a6ij9N#2HRTds{c<%bF zAdf}Jh&~^m5=Qm>LZiW};a_{rLUYx%$~!QeOTSbXcdA-g*stHdS53DN&wG4=RwXZ( zAH7xIHc9!eq`<|!p5y{6SuUYz|LOD4n*CB#vsi@QuH)@E^cHd$cN&V=dX4v>E55ay zpK5E&4(-2KSn7`>cV%$i_>|`<8|c6NH8ge-_bL#E$y>~%ElVTK&a&4Y@-@-qYnmb< zIgpiNxFfPg3}-}E2fdP|!q21pFe&T!sfymOhRxj6^QgwVvkGY?BvSHOIR&pRf<|?d z@E8g7#cGS%)mr+}0_eIX+>`<{SVthpR8~$Eue0@fax22m9C{twxOB`>s9eDPll8>x z$a*ri{#+ge2H)YA9*PPTpG=~6Q~50xd46I&sk}KpAL&I_exZ;SaHWVzE(AnA{wAJq zWt4$kWprdBf3g}T@l~;W!QYA3(@eFVW?Jh>_8+z*{w7gFJ~apxms%#Bu-!T6vwVTJ z3*t*hcJ$3KMguG#UtY^de8T->QCVY`B~vP^NodN%Dzp22wVGs>Bx{ajErV3uMioKx zAIPN_W%1Rn=qzg~6><X>{fuvr;f=eW=1W;U1+wYLZt7J_XcbEcJX8nz#KK&54Xa?0 zZz_8=oxLGm_-=Hu&x<BX_<d%HwIR#b>L(Rd#h+5srKTbXQ0ZPg$hx*>5sE`nvC0-$ z>yraXvaWrJQmkL216s3~#8q-r69h`^)&dvw&2o+W0+MGcE)AQOb=8NVm~nap{bYAd z(6|rZU2k?knc1IbrtQxT`XDtF1BFS<Xc>Pe-k)!!<gIFdE=car1<C!nfLz(1rx?zH z<o+zXqmX?;(-T*G8&vnUqfU>^TXKI6Qp>8;N#w*8$xgE@^9V`RviD4(X9ch`=wsAf z04pwfsVL}^2@t0Q7Wr=Q+!X;u(n#exCLfyU{7jNm3UNq~%HI*4H^E7_?u#O05VK*i z<pQPf|F!^|=PL6eQ3J^^7|gtGCgc-I`>@}mT!PWt1jojx9VLi_nOKq{8*R^sCd4-e z55=cDB0E=Q85>i~D@xHH4$U>QjRUn3sC2y8PQB|t9CMGmG&eZvQuk>g@9gR1gnn12 z#)}9<`<}B};Ct+IYK_af8Hw@o$nNF2owUbVAP_2=wTsjM#W~&X@Kjsq)TV$9jmWvf zP1E=t+1+UyM_I9kwahkDePV4e7yBj*jM%s$dm7K5kCLJD8R5^p6tYi`yPG`EXHAbg zXH!$SwVNzi)xVyv6k**g$kh47sg&K+XMAI9MfH;}rbnGWCCw3EkVR$2D@RwS@)rI* z<sCf&1&hePgHDO7keV?)U#KLDHBf^Ksr2|*c635B;Xf5WrSxJ?vzUCARs=s&dSmd@ zMAAiPdPt)wCx$OY_Jlq*Z9?dhrpt>%AMvcOw5Ml>#y2(EFAkkddR9hymhn1buUMtM zvbh!EKY9`Eb<s=oq>IV6FE-DP-A42iO^5u!QB8*~3hhGOc6<0zTPR2JozcmCZOYAK zVj*SVpB_&vyR<mul1564gG0t;(re>&H3IEFB<Ni$J+7=$_T6Z=9^n337cDMnotnKA zwZ_@!9zVWQLClU^`dt*P1hakps6WX=i@i2Bj*Gk%Shb^K#MX4!9~|3s_@Ypb+s?ba z#a_ALQMAyE*Zn=uy57L=g0MfMOZsDlj!VY}otGAbPMSZxOyO;mEMrN3-@XlxCBAry zho8&(<qLg&JI;3>OMds9e0SuTR(_t9cKkzYV}+wHJzcdk^Q!W)@L?8mQ=`KcoUlCm z=1o%W1^$W8bC~Zb))dz8p5{Tmja9>|8(N-a1_H2aH{p#&EznqY$rc!ta}Sp60cBPg zBZ4mzSa78kp5`H%EWOdw+|Tb(c;jjQHkA_C<YVB^pNu<4(1Nva=RWbTP$PB09&M!| ztO|_xj5CG&z<(Iom7+iUVORGjDG<`5kzGQ9&|BzlnyRSKeocjTX(}YTxhONtz~O+@ zM%mzJ5|8J2BKu^YZ#QN;*Kmj*Ssk2<Xb8=<U`6j%a_CM(&TDkjc)ipgbd_G@iQr0Z zq_X!4{>8R1vd${@pj6Za414jr2OE8;FN=C%?Y!=P19hiQ_z%nrZ2zMD>NQ71tIKou z%~F20GcL=rDX<w0@6b?ZrC?xF-&j~Wp`qwJCyepX(3%hQ7sMKrXxW$95l%JcP*xuL z?zl`o3EeL5^6f3m@p6}W-8419O^r^Qr}-pu@D|iJUh<sg<%v88dBP9}QxI~RUlz8o za&;kw0ZmtsyPF5$<1Fd-zhT(@<%NMB&)q+k#L$qogy>7^K}P2yb=czX35sM9<z`QF zGX=jjd?8*sb_6!B#u$-JDNutSh=J^)pogc%k5}O;`}0MRc9%Q_&sM!=4Uebjvo<h7 zlF!r~wy+iU*8<!}9*oYzPpUC5-~1=0j#8&xM7Ju?&2m+l{;Q-SZ{mw3V!N*v4>ncX zr>5h6f_}n1TUdj(q45fvChE)KA(!XwO8^|^4L#L%1nePaNA|^)N?2%Y8~k<B_#j?h z+>%|12?AEHT(=VCl=Z@|F)@!%SNR)l6LJry<twWP^2a6en{N5cNLs$KmLUJ+M1Jef z`qT5pLO#78-b6ocxZ_BAIi*EUJ!2E~^!H#rl<KF_z9&CBkzW8Bq~$A>eey@?{LgND zC@u4sfNzjYM<R0|mD$u@4DoL{tFEKcZWE`x#>hGV8RqZP{LSF+4E{b?WcTjj@2C8I zl|PvfV<T!oS%a@Yw;pVbJ1hJkQj5KO&0#S>Sy3E5ylh2&_;BuW8(z3tajsj+hRBVq zea&GLx~h}0n?Em^EXF1)PFr(Wj8SxUc9of(%oaU+$rjraoed8CR%;hgsfdGhaxV81 zD_J3q^^feoq6}fIbQ`m{Aw529b+u5snoCzzNBgGh4$6zO?_+3zO1H-9Zb@QxUlFZI zXGoOJNTRE6jP8QGFy<<AE?uB0MjZY<_Q{?WvCmj2Ef+qHV`Nu{{bJ>FO<OWBJqicy z_&QK17;dwtmC3+E%4jsqER%tYl+mad<<ON;m2%qfYyT@d`W&yc^?Bnnid*crv<p6R zK6CVB7S6y+>eOhNStbKFDWg#{vrGnl+7)_c7RbO+3V@;+1;Epm)621s?y%cD(e)q& z2J&qgCv@xlimpF%yuxkF_}k8LZI!uPw7OQLP4R_Hv9w$Gcwjq}$bND8QL|f~nBHW5 z=FF0BQJBQ{nX^iMa$1vB9B)R;)21|8FmpDk%c3%gwlZgue2dB?@-t_#TvM4uX66i% zDOASFOwJyr7-|A{GlA$hwOLmWwL+P{@cu%C`Rva%wK2z|dHOtq^3oVc%cJg~C;TP1 ztue<Syi@BK1UM+>0C4sb{9oWAqaX21xS`+XiM-FAgzsW)RIFUW8QbOb@*3#_4tsD^ z$LNdtPGL8Bv`n6h`bIaSx!f@tRa83-yMxt_I)h_7?eji0&$dAhfqnVkTD*s2j(yz? z{IrxiH^?CXX{qkeF7pvVh0P3apuH%_%%4||RGFdrw@0TM9G}%dAI%CDe(Oa}eNp?j zdgQ0vx$aedTgqMGHdkMpwuvyl<T4f_ymsM_?oBk1_Qj`Mib8N`)}!7~Wn|~-QQ;$p zS6@a4KW<ztSRSr#8MdjbX6U5&^epb1LYEyo;<u0Vje~)fOu#LI<6SwexFZ9rNBfV2 zJG1(-1B3Nh29GD9V=KTEgGqtseg#ic!}ELOjD*ZIct#uc3qbE7BMH!a4j}_=Nr=KV z7l_WX)7lkA*G-+a;)@4gR_Y08Xq%BOjc4I8(%8|~o3){s|K9r%+7)j)-ut0Qwi@<3 zHX6H(&1NO`q<x<-HV0O?>V3v8^W(gW1)I^~pTUv2@vIJev3j0f9_X%rw=ZvDJiplN z*V0~N^E3dL8*bRgF{uumV}g)P$J$%>jvDCp6}c-~%H<enbo*aIQS=U{@sht=m44{h z9j#QhiSg+>+VVlQqZylfWtTc?Uz?lE>}4mgwvjWB+TA853vE(`)V4yQj6KegEcA#j zl)lrwr7ZZtmEOB#!$J3M>GhfofSpCgjZNrdNo!=Ma(8d+U?SpkhpWtp94K*tfN^W4 z%Hc8P;gwLn`a{Z#ks8bu?sIC#{|H5?*V0*{zVv*y{@jfGg)!XuA8Otc8r?Dh{>}C6 zO&_dYnb$HwF+VzH;Z^AR_V|p;Yf8^tne+J1pJyrC`s$iK*c%%2#5&&9GF{O0!G4vi z-pZRk_+2RH@kexCNz(`Kr1H*d`k<dL*Yc$-<-XIJK6r1X^YNeejc)qjV5t1@`&9B1 zO)V2**V!+9`Sy=q+J3uVnGdzp*~1&N0tdc$a%_BjMpNk(D^F=DoCf-J)&Jh;=x|Q6 z;nSggX~$@r_!dYhEQ!;Y%7T~|ccmu@|2SS|Z{E2oAPJ%OjCtPp0(;C}&L#bje{0Ye zKIB|EfrB%tmVR?GQ?i^mUTsfU(&z(@%okK+um=Xi!tt#%=iBT2Os#er6<<1r%LkVp zT&KHk>a5JU{G!fE?`sgB&dPlKQy@RFtmqOKeaLBX;D&26kSSfg(%a%t4DpT`c3baL zlD6^ov88XU%z5JH>QddexRhCVY8|f%?(<8Tgv3i(DRc0|BRZ#~lqpE$oL|ZeJhhfr zH3O%YG67Hgyf3%(peHhk>3!lpmGM+liz9v=botUvp1V#W{nE{zyK?x|vr*}u5jgb4 z@y1B(+}I{3)8V;W2wBUrOUBG74{WbD8G48FbX(J<wxB=eJT2}%t+X`gF1?(K;$=Z+ z>C(`taJ&@o)p@L?G6w+mUD)9$>Zo+vVp&I(&YP}FsKR|&C0i(=E}hg>6dFx#F5fp@ zS{yn}uAVp1myXJuJ7ZbXTO4Gx%yWCzXBlS-hoov`m*(Da%ZI^pIm@tVYO$wzvXI*h zcAj#%XEF4m*}~8}$J0DU6$?)t=V`X_s91ZGLZ_EAv3vEz?o&SnCO?d^Y1+l1tGV_K zd)C7`+NB!xG>iVwhcpJ#=++)q<y33`$Rn-APHH+_5nSGM_{QLkO@}LkH#8l-DR_O; z;aS0&ro*2JE@(P@UT{v+;dyYC4u3v$CE)<M{D-bBCrLW-K<kmsf}tQJ#z(?1az*Fi z?$#Ndmv3|#Wr*Pl%uYxICbj3%T;J&OmKyd$VPJ+%u3M_;g4$Q*RN=54&7)#H2p^L( z<EoS6&P)6|c#65RT3qq6kvralo0@((;91cpcum|*?I+<H=#f@CmP+L=tk=q2#+7au z1gEp(Zyb^8PVyhXNmk6AovM!SDV?amztO$`FH_csMf$_j)rZ!4KKgq;wx5*w*{O~; z@yeB__=6ozZ?QP$8nil2d*S^BaA&K{2%5peOp2`rsKSw}=r<|~jjH_kRd(=BNQzPE z_U|zA(6=b?Z^Mu^dRBBPfJV6y6_SEl!M^yy5gx@-r_>&8I0(nu&ss4W^8G~B6#H|= z>-4nP<5vPcJZCO-8uEPsRr8T>i${W28@uDv(IgT72Ug2|@rO_VlRR5CAE4^r>S&ji zD>>tci=@*SBtS(d<n<4!7Os?GzAr<7<5E@-qZO~``5n>fg61v3oTfvogU-P2#!<#@ zQjDc8|6yaE+y9DvoV|uBhoeh57X%BLuFEm;b8G{BCQJW2oOav{0KdL-$vemKa{MZo zL#s|_z8$-zzs}qi=a_J>G)=u&vyFtN(ut;3Id^&@al!d{n6vjAQ$=H_v!M|Qr2mlr z13=H}v&CGV=P_3>x_cK1Z>f5JWM^X_JYsJgMQ`l$Wi;?YuFW?pUG{PQjUz~_D_wLX zefT{w=a?3IV))*es~HAO7S+Y7>}AdP03G0*5!>3kUyd>jCIByB4o0%Cq&B0*4OB7u z8x<Sf;>@M7y6dSv+sJ0%wv3xna=!@gpSaL?8DoeV6z+w0XyZC#p%N_J6j{TGb$_KW za5ZZehZ;#vZg8B1&qwojQ4Q?!&pp_5IT~I)q0z>4Z>1<*1&kSP{}BgP5Qsm-&%qhS zbRi5L73bNQUZ9?pVnxO9HMmZyt*Kf7C&}2>IYTjlO@|zG9N|p`W$3gD=o4D>`=ZsT zd%qfP*lP>2LH6O(@zs=Lp&6L=gwA4z<YutOC2XstcA*j%$?-?@8Mo<1h2(~MXxRKJ zG)Ubhv@T*{I_XKHA!<ENG_ph{b4b=z!~SWroSryJj<(oUIq~bp81Gs9>XKH%o3Kh- zDvrc!lKXqMaOe-QC=dh9aw5WJRgE@QyURR3dC3|n%cvUlc~cn;WDNIld*7K17jM_% zd^|Q+4qlAcN%|;bC{}SqoEY5chIK3;u*QEoF^wz*%OnVz4uS0=o_*pnx*~ogPKLrX z9l9(uF6Kcz5X`j%1x2Azv#t_F|1Qr@HeXXKda=%FRc6ytL~dy1iX~O>Tw^y*$nXuS z*4G&DQv4jSv=2I7Vl7g8=nbRdRR<%g?stf*zcZi`1Hn8g?{>7fN0%YGeBW^diV*q@ znrFt`9_GmIGF<j5r%~n>+)kg5rbDHnv8vy=pzbB$!AR4g%h^%Y!)2ak;?u~1{~IjS z>Y*JtArTK<)%$z%Nl%+gc@%nHA>4#JUB&^&olZZ*YIVLyr)9S_FY;L&$|dasS$Ux) z##L?*SzX40RnS>){O+G0JaV<sweT|AfrU4&%oFQG^Ry4-D|g>mU5R<Fs)Tl?Rk|AU z;h2ggknxf*R7;`g6un+W-^Gz)mzj$tixLQ^y-V<I-_V-<_4FpC@3D$Es-pvLVT6e2 zIIeXuIuP&{vpJx`z@~vZ#hNRGXC0gG>O`h5i=W>~)^D-(JEcsg7gDXQWsc9o=ibIM z*NhPuXq>snCv75wZMsqmTRrRBM56B-IrX40^VQkrEEEKaMo#S~A+}kG_eodvp;FbC z9i!%wov~TD9HB;qx0Z1T^oMfSY;B@dM8DpF?7ZMDO{;V644rKZJ~NtBl<$_k_dO)^ z1@d$gUH?BtHir1Q%bV(bp7Zb%w6#dSq+QYE$wx6^PL=VJ`8Dyff}?lQuqx%Rj6+)V zMh3u;APK#P`3FKCZrwwb1vF#}4^8*n-N3=tv%ab2^VpsGB0+w_TeJG6g}1u;rqGgT zPDpFUOAF0qQ`9VpIA;%ZIt*~LP(TpP3hxs)$(X}iMV{?7YH>B_Y55v$Xj}8fF&eJD zA*&PSjls)UCcz2(6Z(R9Dpa7GR^w{?Gzts_qIOYmO<#pP55A(_=*gsO80YhdNcuhj z+~Cr)?^J5c42@N%CXO_S*!w0V>tNFcIDA`dj)J;^cG6>k<V~TENhQVUm7E(!V$pb} zd=08fAEedgHuFjvwY~-B1?S1d%hL>NaU{plD?%7!mRFH?!C9*HL{<po4=n=^8w;pt zwgy0wD)oL=J|dmTD3r<IH(!1;cBdReln@K!x7lS661_5Zr!>iFfjU1~`%@}C^gFKm z%!BMus1}5B>0Koi<#VcUMH6ARzYA>)L6XH#(gIkws_(5dZ_Lu$lw5`w>FnACHS}K4 zU=9@&U&D*c_Y}H&14V4+eDS$8)3+!ryVgu!6~hvRBBe|@xC{*#G$eVyHjE;VEtpG@ z+45cAsnm3BY7Zlsu1I2$#@8gI`b0mikPejAl6!;d4iC5S=QDSpki)~&MCn2VyTMN_ z<gms9FlQi|QL8jGFE-QXdvtH;q*P&2CX$IzvCVW2c0X$OG>>9GWbS>yIAilj5`vW# znh^XEwL$4KYBJDJl__VSFft%2eyc9c8_W5u-RtD<QvODk+r6J>A=;dO*?;ydhobyy z|1L^1PUKp_1;Wj4j>YzJyZKFAHfcDWwkA*LpRo0msr8p<>H*ha@4MI7ZhlIbROm<G z2kn;>GH<f-Gj<r-BR*#v#!IzwF6!@qh-%FiWBabXkqTGvoRKL%tHP`Q&EI`D%e%0~ z+`8@v9l)*nDqo<zp~%ti@0k@I@!$j<r<VOe=e&+=o4-G)(owe*20@C$s>UbAQnXnu zNA?=b_(QH|rG;p<yTf+<)n#G<qq|~ccIB**DbL>gsP4v$WH(Ns8=gcr8n6a&_iahF z8VC&s9SA=<vX@lWN!LO{DQy$AzlQhIA54%00z<TotJT}=Fbc1?#jjhXD3yTXTtM-O zABbC#;23&5$vSWYoV^4eN%ZQ+k0gLoOs^)P^N{FR{nN<P<K=chl+m37iQc5ToIXJ^ zKXR0V>$Tjz++i;6Wl}>jsT@!WYi@oVXw;hPzk^TC#6m!pDW}NVo1Y?Y<kTLu{UwZf zRej6t#tx~_VUA6&ZoIC}ymn7oZEjVW1UwL3rK*fdbzXXR<-7ts<^GxB()GjqlXLZn zm%BUJZEQAC7V8v`3APl!j(CWc`wNT3jyW@y4PtdA%KrTs9K%HWR_h!chr<m+w$KHN zc_HpSEnA=9sidHDWquxoO|}cBK`OFB2_?s*>N`&R;RZr7aG8{El$wF%IW(g))M9-< zSHuLuU}BLdF@cOBy^iHhyn#w|9%eSZ4)wje2Bd^>C*O+2IVV;%sFS!DFzs^I7KCWU zb3z46$Zm~A29fChiP~4{5b@b={7>f5gS1iTvFY!XXkOhY8ioTy4V>lS&@&=Any3|$ zF{aR*Bt#OxzLc9?a`^q)B3%vNx*-uL!)iKOna@B@PGYk&;lDrH=*2lBD_HA3@Z+L& ze$;&|akVs*pQv8Zyiju}{7#irYhEI!Zj=^6MKBB2%=5}g>pb}<IJSmXweJ~7tGGQ& zvSsx6(f&DLO`sfS5g07ZKV~Myn4R-ADkljjZib13l=b{rw(nqcX}%j?hr1=4l~E_G zhj~tY0ZImdtn{|+&8k|sz<f@lBqMG*Uvr*?$b)H#`TQgM!{u|ilgpTeSFt<|-1DQA z1h+iM&A(|2_kWS{)X}|`yv+Vc^KVY5YsphHY;{1v1ABhsfT%keuW*-?dBtDHkkJTC zh6ZoM{5~NB3(C!JJl9t1MyRngc^w>yHs*8N^hB3Jvs5c;l!2w*#&-l}*4(<C)?91Y zS@XX%(c9GKlEC*rjs9T&CdyrwcLJpr@}d6jS!0xkCa1?oXk97(HUBHcM|e?s^j|(c z!aZNKd%wxwzw)<(zu)tB7CoQA-wpgV@b`cDQ;S*8?;qp8<B!&lO~g}>@G-}Ur?BK9 zIc<4w?q(}Z23eR*;t5?-Cpv2VChEWS`1Sw$H+B8P>Ghi={;~C|_4udZFZ^2BPOQx& z;Tr@t&z}>o!J?0HN)?TV17dzYEN(g2iU?4W=6pm_XpDdmL&^;Z@8Z*4c4%RL@UKuJ zTn$PU{mSo$uEW|cpe+tcR38jfI+K3Qg_VUMlD3q4a~TX{3pe09fu~9;kZL{6{|t>% zM)B@c->`axPGO3DP}SR?Rxj*FD{2Mxx>eK)%c%&YQ`PLWY7_S)x|@mW8V))dr8j{_ z7u|F;x&w`F>2Cu&_aCm8b6N&HgXQ$0@h~JmZ%ye}BzAxfnenb7qzON9o}Xp<hu9#& zh?2V-{@)HMMXB-OL(5j=gb!)$qxLn2L_10;AMvbokMK?{Dp5-Jh%_Z5CM~IYBx%fq z(mYD5AAfqY9ce!FM3iAKOBEnL^L>HaD96rV?XWIWV|8${bnsL<XyB5%WG7CO2B$pz z7<N2Mt<EOWooVT+;|03oiTv!ed^HI2We|ycS9-pnmTHeg@uC~<$W0v$)Cx~Uz_G&L z7@6>9qtx1uDMkIbyVZYSX;4GKX!}OVM*qgk)GVAH9+FuYvS#73)FfP{hBD@|)D&E% zIzQ&J)CB10AENn{0`ChN8B#=Pz@E23j!mBXbx0MYaN)gKsSnh9noC3Vp5`Nw_rdP) z-eii(Pji`gobutlX)Y91eqO3Q`V%_EP?H|6Ups6&+RYzX97M0opEmO=!_sHA-GR}0 zp>yDa)QDnR{o}*7rNL7m7sh<oY{%x3*1%P+I?uzcEPy(ivC2=#EbpaoNvmVNQx*QF zL}9=be$$>YgMy5<wDHF5zU0^is-E>Z3dDTp*y3+%-;fJ%Q^O<Qu2>d{D%AMX7T|z= z@3Hfd<|0y+Pg^g%pVySu1mlBWoo#F_X~n~|_}4rT%Z7Q9H}XYJw89yQWoK|sg1M=q zHMk7@R)_mQx6-;T_XfIyrw-VQg1Le2M)#85;e#V1OM0_m9I0U*PhP1n2kJx==%*HF zx0hS)M+Zh11y2q1H=d7QGkAg1VgJw*%}ADnCv*a*eU-?4Hpf_v&{d5@wU+d^#i&pO z4t-KJHLcRyIG;m6WBz1(>YeCf6Ldal?>mj-c;?ZQ#4K(voICf_T_19(3Zs?Y#Pvbo zu|OqS0;qJj%o4bGfXn4#++x1@9!fzu>hUe0q?t0vh-K3OZF9=K=XM9jE{HBjT`lyT zN{!9B<R#m)j-X5}Q<@IPMFPhH;CMAn!Ra&)(XMW+vhQRo?Z#vW&il{~Bra3O1Gegs zUW!70HA(uYkfi(sNs2qW!>xnJf1v0o>XebH2-Ub0p~}cqG;3UnW@Tn3wvY5w*4vTX zjV;MF7dts-Z~9d#k^J`%r>FAmzW3eEjQ2xsSL(efCs|Yx#ip~5q^;H$UT8Y|oy_-~ zw8hF7O=nNY$fx}Y?xIxv>b>l!_omc))7kw;f8U=mzO2|ule?RK<taW%l{2#7aZE>s z?=+^nM3O(fAX;8vS)ydR+BK#ZM#~G0=|$1<6ai_vBy+s_y!JO=Pq6yAvk4!EJDmJ1 z)#_mBtPKT!!GFACvyN+w0?SUI7DItU2L81sINlYn_B}y+rCO85OKM?s3xVklo+Aq* zkL7r}M9o_WU$hUYs>}T30c(8(C(H3~rF$OMfwNqgk$FV%+5NDDTDVf;CPW5SNm8ft zaXCJrnQ_N~qmEyS9<U(8tKBxwz29OW3yty9>Rg_C@8{X-Zw>uT@9jA1tSs3no_@-Q z2dAj^q6>z@N9-sY&cda_<Kfm}OI|G&DLL~9JV5U1caJklpN#S(MtO!T_3h~UB0K6E zW4(M%bA$11y3%cy!4hA3eeAS>jd`I7#(YsQSCYWc$;7{8(HPs2j{GQFq$93GU@wgi z49b69VRD@3GGl6x<9VpTV&}7T!V~#-hOBxxZI;(_?>oF1EB`neoWZ0L!ptraT?q~L zL>^648lC0sm5`qnQ2%(Cj!(gqco%;PJo^Qn<A1N=sb0<mxX@M&&wgQ`r-3oAbCzZ~ zX{Xewph*go^*;)pZjrt>=pcS_)e?_~63I`+@e7T5UWNHk6?byX28@eZ<UWR3T+|!r zT6wzvfH;h-<IpLn3KMzh^>|%^{{tG@8?Tl~R&IX>hU}6p0{RNKV!)xI!ga>Q=kwio ze{cX8V`j^cb$AsMBlyvqqq%|2D})PG7Ihqr?l0iWxe*(Hk+^e>l2<8sUM2W>82miS zc$6XI1d^sABaI6<q}32#?2^bpXzX+Xg9Ucizq?cpVe!(P`jq^ZSbwM>k^P}FE&Mm$ zwen_3ru!c`L>&mey%ZjtKEOe#&?!-pLpdFe*5`tDvl(U{*S5iKY+uul<chN8iQ)ww z;?qQqi4PHAUwML0)dU`W-8f@sNvkMYx*w3shMYjHyOBzFW~8TIH}rSe8Tskg4V~}G z%$E&N)tj4^o`zgJvOg1oKHr%0HKO#XOGBaDjB*oKHw;HocQ*`2^yO`A+T{(y5q*0j zF?o5wa3pno3%DaP*w9(==@Ll-ov1H|(RTBMiO+-T(tFk%2#8-Wc3Ac+Q$;bkK<rnx z0I{|#!yQ+2Hn2khO_|&1Ea%Z#3T|guwk_)G?4ye)&{0HnSQT*{Q$(PrvT`%CG647= z0Y7VD&JJu2U7$gTGrKQq`^`1e)J;7B%l>p&N=NaB&XR&|-wn2d#dSpd{DKqb7UvAU zt|=pQ#BhE+?%wG?fKypbB9?N!sA~_69T;s7x-=)Xu3as@jQU11GyN2_syy!xRjCSx zJW^|}?x=K#c~=<<uFyM?3vlR+jb=CS$zcXBo9^f=r{&dE+zIN)tY^ZCxg{AMwPXwA zY1(Y3=Yh8JD8!JMk4t(RxD#Z|m$g4h8?nReLZRx!4g?+iOLw2d`G1y|&d+uE`l&Iu z^Uv+S*~%gOXo8yPKi9Iua)qhY-RBB3_b<J{)S;!GyuiRN@3+|Hxt$ifJh#HtlAYj| zr^^o@)EI#8|Jz=vV%fwg@f{TAy^_!<=6zCVBSHh)(wq!gmrT6Ir+1A*lhN3^BX7+S ziZz9@`mzRJf5ILc%^+u~PjlOh`S~rQEr+bwUL<j>Jb`2V(MyiOF|&}%lekN-cA1yp z=-s-IrcjRdW%I@%sH(bT%iwQ~75PSI)4Bb+iOw0S{WdcVn}?#8V*-=FW$a<LnNJa| z%W7wf$7;v&FTJGqH1ez_|61+MOttsPquLAa{|}jOHQN0~mmI-AE-FWxv?J*hY~@Mj zm(bXgcNzzje?<)=cIEHn36$JNYeZB2KcW9$RO&~6sQ=<mJ=y<Xk3Dh!3sU+VsOxHX zb1l{HaI~p*i?V~c+;+1tPw~xk>lC}~md)})V9&)r>o<C4joBD_LthMb2Zj`vrc$my z=Zk4H4~=MCqW)-J^J~trx%#<gU*ZacmK}$)f}}qTqlU9Xq@PGqWr5Cmctu8+?}$Ys zax30x$&NO<%|TI5OL!ap=s8-gM9-t(E8z{ivO*a9<ef6zg3pq+8^qtkVi$XAL3Tag z*n>z62ads$cgnFC1;)a9XJll>IApOo+9*A%Z}i|B;cnYt&%fBIsjAi#M<`M!-)%F$ zoT&8p_s2h{{!gdZfBuKnf9!ZKu)dY?_F)#7IbPx!h_?vYv9d8Aj4b97#Zfe#FWTEY zvALhb=AOe|s(JlrP`glRij+t}WEPG1Q-|Z?xev(WGr<#8w)I_RKl_U)^ohyE;2St6 zN2Y|Im3>bZ<IB2b$qV>Vn&%1}sy~Cs1Li5*3}Z`Ph-FW1_jxAwkliZ|1pM3eDWVtq z#vO;Fb6>PV6Cqc@lZ9C2cPp#>AvrwP<ku3#V4u12E8v3!h2w(JlU8FNAu3)7bOc2& zFYZ*stKz7Rt6&0G3}Qecyhpds<1TKgc!7~caTqIl`aPW$-2#hv=!NCEH7fGlL31M% zj21*IAT$Z@1(?-MO<r-34=F9+ii3kUA`ik><WRU_KiU*S!ExMV5CsDhv2@Z9CEa?u z#@L~3WK5ZFsC@?W1^iq<fs!p|h0gtCyG8tKja{UElvLvrd^Lzth0PYa*t32NjNZ$@ z%+)J%MSp)#9Lu)zG)CjG_{nHr(<P;&pV%PfBtb77^)KsZ&Hgg7QzQXo3Ay5tVH#uO z>4-?!w_@Yv&d4Sn1WcWg%{+<5VQ1t8p5)FLJB?_hJeToIj9Z>MRShG*x#}aG5gRS% zbgUcS84+tM31<aQAUHuQj6F*dfKqB%N^xxNS$c)1-*rzFLza@AmTH;bDnZb+a|Slr zgJ<fR6u@zRX_Xq4sAs$R8+b5|S<Y3v;~3Zg#O>xnb|qGRM?Bs`f;r^@)b}E$<n699 z+Tw93Rt0~;*v=wQ8KBO2BT%BKdJCR4R-l@beN>}s&$K$PK!bOZ0q!WlQu*h6`6pZJ z?A`q2`n_Xsw%L|_f4ObsX@QE_b}?UWMpH?F>sg_>gTHcYK7|CCi;|t<0)Dvel$T0= ziT2z?tDUsDl*bHwnIOYS!<RCRFT_|9gc*1HC>$xR^nfiN1#iMTZA%AVQOJWb9l_!c zGfhpx3r}H?Ox0?Q))o>a@%c%$MID3B8U4ABGXGKiaj+R4XMJV#=M7<~q`~Ld^;EZX zu;))*Pq8dWE#}fCHJ<g*33vD{SKC{os&b0WI&`#Sqv;jLJz)zQ+gnDPxrA%5u1KQp zRhKE!ko^tf%?Coib7N=4+H%{e{AxDtfp%BWA~k&{545FTMh~<*gIS_5zuoMEzh<@R zPPX~A{j%cJ6^eaP*@#)q(w@Y(e;11~4g<11#xAGXw%CN+_S{YyzJUna1D&p5uJMwl za((Bd_u~}$5qfK&(;38UxX<dyZi#QYt;(#EzF?!m_`Rwx+gcoEZdzYtJI%CMqd(A7 zfk0USj!jlJplH7D8z`C|8MTzyjIf}Nj9OU`x(T`1fXyDt<1)CU9ce=KfZZOd(w9V) zFcV3YXzGRniNp<~K=42Z)eQCs<Rb&(a|v^o^8AvW&xqX2unis%$pjLur^AOw1s_+n zuYHF0U*|8v-`DuNnZF<L_XYmi`IEfFvZVi9ZsY(D*9ea<&#jg{Gw74;Y&Uxo$Cb{R zn5yGBgQIGt)4Up@0)#{?#Ubk7-vUD`U4hY!XDcOl^VO5E&_V5BH%2gWv_+@DEJ%GK z^0riC^L1mhX<HrGrd!e@bzVD1&TEQYT}wmXeOcJm^7O-35@)s3rIRqu5nlj|kxF-+ z(Y3U9IbBLAq-p#-K!hY~fO{J0u^g&`e@wF%C7UftHaqF)X6e-XztM1TG@e?kjYQft zSKY$h6f!3OZ~f9g(WkY*!eM49PTFdn7~7#8yiv2zb$gmMeQvbI8D3q8E~Wpp={(c+ zCx1)ZsH82uKJ2m!hN9;#sQ77=Ou)v)58J)5aj>)drVV7<jjoVq^3J|u&-!e^Hf(*m zjNJ>(?@1lAoJ_2LbQx@iHDk)qRisL(?_c-|&sLw(yz`7Ky;-OZEjK&_OK2+#^fWH^ zZza|f%{$r_Vxb@$*Dmv9b>Ii^p5_+>cPoZ21W!&0Z?#8HNgJW3`Twch;lM1HC;n}o z>(*?w6><5Eo}zjqjNe)pu!%>cph5wGMfH$|P)^{LhR^rDDO<}D7y9;m%IPSuvEh@1 zlkGAC?5k)NW2l8)V3#Oyn^TbkFmg~L2k!-4=C!g7IL1n_t8l}xE$Uz|Ei2>P;7IEy zh6i2d>r8uijNO9Mz&GvQlOD2r|D9hKzw(~=lXQ93_;|ZeOJkPHs6*SMJ<!pBY$gvA zs1)-&==D#o47}cuqfcwJP9xAjzF(k`MOk8qCt73lLhLDVA9b%fu=e0@p@z$$9aGP4 z7L1IrhRp_O=t0i6R>F=isikfKKe5VLynRIs?Od)$dSy@0D?5uiWo3_MNn?aSkutrd zW`b%|cr$!*?4R`2L*uvZu^jJ%r#$NRG)o|6^9i+3rI_6C7Mch2G^lYsDC1%^cmi#n zdktRvZ6Ip5jO9-7h;xR~ZMP<H$Xv-jnK`!i@BFZ_&HB|*V>_QZGsm_}cP2TuAwh$q z#wJS`{|7CnH~o47GRLNEWocqZceEVSGQ5R&jp_L<rxUDEooj)IVwW5U3<f`I)M~ny zPWIF_RmdLKRG0bV7lrJ})06*ZjZsVgV|kN3O>cUN^F;BBS(zo2)|llMeXCh+(Tg2f znU79`x$b<Wu3eYdRgR)R$<7pKes&9=#qu~(p0F8BV};QO+M3Q?fV3Z31|kv&P<ju} z`h!(T5P9pohJ0D|G;s$&9-HwF{8$kSi5uaL6&MGaer-2@z*1MUA9BhPfwOlcx4lJ& zzf@}`eaH$QMISfhRTn#T&mMe>g9JgxR8SQ(bBS%Je1m$LCG3*nRAMFkxQ)zpNp$&& z{W|b`#jyW%0?%(4HpekJ)W~&=&PlBKxkK#Bxznbs@kDN?irLCxAzs66arc@iQ7PwQ zzli>;cWolxeA#zIA6DYcPub8rN?Ii#nexu#dsc*{2!hrp;?0wzqkXHKQJ?Lw;?0w; z1AeRY>{~iSA4<oYCriitR#{_j=@3y!M!fm2u*ldg7U_P_3mxt|8N11QONS^^5pSNl zbi8?0*U7hZh&+OL^Q0@kNV>!0Zs`!=L*Eoh*YW06`O}F3#bH9no2Qkq#G6mHVnvAJ z8zcW&=(Pl!pS$0%Il2OEAwRG45v>_pF)bH}MxJNt@r^T=AoG+Ge}o4OXE@Ln^sl%o zWgh~+;0(!W7<RP9ongZp$iFZ2`jsN2Bj!9u;Dg~-Oxd;kt~6{5<%!tl{p3L}v3U!r zdgxnr?+^HE=Wh>x1N`~EZTC*+?>hc&=P$-z0_V`zlk-k38&Ghne<PRl(~SlBRU=<; z!;c+72>n?_MBQ9)+Kt-$!5-GFTXL_=H>-3O84KL#E!M0$n^aVO{D<PsuO#Gwh{Q&R z#>!YQzdxX480Zx4J+ib+)Vb7tA$N*Hfy2QYV&h|1#M*sX1D#pH3q9+%b2rDd*yCAG zeBZtHrGD+%sm`%Q6ASCTxz!W-j?m+)#8%b_B70T)R1~us@nRG@DKg-Rtf52_VzO;| z)(?hG3BP4`45-@b{Fcw!So`Eo4j%YCZ6{X*F^L>@L&)gWjye?6rn8|1_2+?}hM(2p z63Jp!Y&Rd31^<>^@hKbwb^flUo}cKhOPy4>^m;toaTUyTrK6@qcA~($!LhL{z>u94 z%mDz?Ma!oh#riX>Au_6rogM^wRYySPDIb0l-JFlss_N!YFt`3!7I|$~Cr}stOUys? zCT4#$FEk2s<6zFC?$DTlEO#h-Nw4r%^xn>5SDX)Z!=ZfIed?@%cI(q>x#aw5H><B; zA$ZKqs`L$YvjR4&p_Odndq6VS{*Z3trR6q+OKopYSirsPNjcg;&mhfm?nwMc|CIk? zSYceiT(Jqs9^R1bp%7Pn=TZiDiMyYE$+&XWnEQw5q`q?L>z`b?zWzGCmsIftOGuU; zox1qAot-;uj!NsTK6qFi7J9#LD7=4)K$T?>%agm}<aRLdR7{>d>$ib0tOI|--B+y5 z=N@Qx2Un?654hj_buinreix<N-p*<>v%<d;tPN}oEnpqs5GxRF#KGCelwIaTvk$*d z$|%=s?v=+KScNL%SFAQC@;r&!Y-Wgo7~OqW;9IHEje8AL0=9S_+34@?n*>5)Og++f zF5{i2ieWy7iVTiBoKQC6cX%G&7|*X3{HFVAaVc%eI)57rVPl3mw2~hfn9ZvL=Vnvl zL$SxmY@^)bd0-<}$4t2S3r>61Y^O~&FigO&7(#}rYa#l`{1hQ3<;Q1~d-<8jjg+5B zqIWgZrxdSd`p~?RBI*n@6SL{*QY4>CE^sLDo#ifT!PXe3I`Mp;dUN{BDp?XtbOP7p zH`TtX9Ca<-zN*|O2P|n{RX$0bMNlVHJw+{AN_urq^L0-PbWaPV-9<i^)r}(Et0L>w zWp*AH&9<A5aBj4ql;|fl!A7}6kmxP3Rdhnk+KnrbL<g>N#@!!RScH15f5%dbCNV{6 zBV>GF<|}%FFf4EWKIowxAu3&6PqSE>8&_-P7{}JZ-V8;b&Bs^u@{1Cb$U4pudCPY5 zrmb4mA<xUV$soAxghr{Q&Ee8mm_LH=#rgR)=B=w(j~+SqjgjM}N7VK~y%{c|6`~ZT zunpZQ>q|FxjgP#q>a)m%%$M9}O9tf1eFztLY!lN$E>H81WE{aqhSwai)G&^S8pe^N z|IQ;x?QPUBjwl_6v1^X3<IJIS=uyKsqO=-FOjpA=lGLJ~9j_j)s)^4XGVf-H+LAZ? z0qQxJl${!%A*vbfwc*mcZJ|Q7zeDvxa!i{Dizaw((g0Vxh}y>mmJc|>-5okjiVwgl zZH;WHg9SriTeZkaT2<N1#B}7<_^at9!mC+sqb{GLdAPn{*cPm3&SBhyP^}K^s4oIx zc5ojswxRw}Wj@VPV3N4=^q6<-X7WDn-<l9a%yWSPcmbW@cqQ)K;|B$1$Q;(naY9%) zhnT|XQnw&#Px>{XPVNcqy6fCNCgN_M`$5zAKYY+HX-yIp=2!b;Js_S0MHO4$Cd2h# zVar$8t8Swo)SttMK2U=(Sx$+;JoXY(({5c4YvInCSJB-Iu>k2o7-J2Qt~12LZSPEQ z9F99jWQenlBhkA=I7DZG<r77_udB*j-KiQvB$sT$$_Z`OU1%rIYCNIZn>k@JJ{IHw z)EhXriK}H1Dj9WJIq*RlqxgIl4#d{_a~a}RmJI>)WYTPD<J`oJpcmG>&A%gY&xqEz z2H#Fj9Y<W5y>4a?$HrAm-vVp?rmbZDD#T=2k9k+1Cnd$aL&kgxW4=vRc9(fihZ<Pl zr}S%FL!j@P<9vEyLI7H%%P!zk5r9fH)%rVFAhSdtI@OuSz9{u0iNZq@F%5@LgiyMg zvl6PLq1@E*J9#P;NGtlF;u{|_UWw&KmmC~uL*{32Q$eaTknQnAR`Wd2hJ5dfJcRGW z&35Egc@l@)k$;eaFdV158gq@;acKlASO{3gMOvx5ek4Hy&la)hcJm*8p@%EaH)*H| zFX~)Xp}S<yY<$L(aPRk+v_6-0ye8g!e%$>qNw(<R{SdW645bJvmv1=j&uDEz>zXF6 zn&CldeZ3xib-Qsmp}}_{2nq->wfeyBxqBRfNC|*>_gEex?XaTJ@I=>r$q;&gj{Y@= z#CE3s`=X90*P8wrbS*l?4uB8`&W6)-&y8&U!uquQKjlA2uV`I5Hs!&;nTKSspk#|4 z+OJY0<JN_&alcBZ4})oHi$r5VG_W6CNYCA8vuxC$3wVfZgxBU&8gDXkdqsaau6+V? zhwInLs4+Cle{e?lP)@@+y1BGEQT#RD_1wLaDJiE!{p$=paIL%HN(LWyJ}9<uE`rl$ zYyC0(`J0K}`ZtFU*^RB9yT8ikmEj}u`P_puu%nZRVio;?PrB<{A<Rt|^v67w>Wp!X zTeLh+qhoRBT2zrUbv)Hdi`Kd=CXS_Q-KO_nRILTy-rAVLy|>#nDcWwfZf6p!-R9<< zawb<K_V^lGgn`{JS~T1j5<XrrXz#~gmbTf*G-^-R7fvWViN+T8!CDa)6(g;fE1Fwg zYm{|jAI!|CZqRGR#ir{YXuh}AKZ}1K%NuBOWB1bL47%zzEW*3)()PLy;%s+mJLlxs zjzLuNvp8eVz;7lciZP;F+RjQ3otl2JBBxa4D0bokc5Mg{i8EDV-G({pS66ZE39DF^ zsv=KSvEf!yLZdbW`AIUCEHba?kK2;6;V=(w&%kJijwl_3R||z9a1s1Pcxf&pC(wqU z-Objn^al=JGepT`(tty2pP!3hO+-rjTbcPW*2_C>YU+jTh@Mu-7A{edfyU1S=DUfd z3*HyDup0K1j40Bg_z@a^l^=Me3EV^IgICltl7phy0%_VIgk#7e9NUBw!u4!Mezdfu z++dJ%hw*dz4Ro?%V=R3vQLaCY5?Z<bI9lM*6>iI_hJp2?Jp)Fcj8zS6Nw@J5iX11) z$Z*!C-}3d)NPqhU!D^TJF4%2h4gH~<#;9%P4|)_75*T&N{ww-R!ZSG#8x6mB7Bam{ zJnLZvxx>G5wfzb~C5kiVQ*U!l6-zCeQlh%9mTa@GTbh)k`SPsEJI%*AI8j2Ur1926 z<CkZNOvAj70#ffLXV{f2=DHF)H?~TE7P?L?ZZV*$!hC9>*iT9H61^6WHr;0}rkU>R z^QTOZHlb?XgArAl1(g79ht~d@ssNJkIC30#c;#lp<`K(Po8>myvaHQgJhZCKay<`v zvwTdR)Moi@DX2F~HhCp9WwXSXU@IIYHMDf1bx~r&^l74X$@3|q^|7BPF}IaHOR%fb zy>NEP9@#OK5TY`l-I0B$JYVmN)o|h<#zPu`)3ysSAcoSabR1ith@T+N7m8*+_Q*rf zf3;;?pV%j_;bF|i<UUz_FnynVSnZR;(J2qkNZTPlo7f=_vQBK$GueM#vO~HPJLE@1 z2m2&+u*Jrj|IQe|PPXsU+9z~cnzL`d<qA4qYh9=1W%rd>fd$Bui%D9ZtB=SBaz9B+ z%Y|QA?K%c3!Z=Pr#Wk3=W8wK{YXTxTYtx&ksKkuf2)KfTU)OdG)%|^=69<CogJljj zQIwP_h5{Y+@$gViLwS6PDyZ8&ssXIB6;&|>SlQtYr{^bPBYx1)O(koNr~^p{fR=q3 zNXmvgJC1)&;K{r@A0!4Q!N;$(9aFir->#)zYrmCKjVtO-)KmXl#%5df7jL$A{4|BP z4bLgOWglC}4L~;A>)9f#8^8%STg&wdo2>;x?RrITwnHa0&iNxY+v^j%t=?=EtxDT$ z??sA|q*#g&$bKdM0++FrwF;EPhrB@+HcI0&eNH@aE#|_)G2>+cs|3kw_ALWDAfdd? z;q7KtPl5|Y(y|U1IK{CGNb(8R^E=V{Rm>^gi_1u$*wkWPO07&ulfpBt-`SEtp(-h~ z$V$A{`dw`O-cZKFz^1&==-5f3Q*}e^q}ayXO%U~(flZ<jl3)>TOudXA*d*#9+o6x! z@SlZlrsfdh^)0ED5rm^5JIFl>7PuVSzzP=1Kd>>&6WJ`w<PO=*pXUiyPrkVjN&cX) z;z;mBzR$nn+Rr!{LGpdykhiUaFT+~9C(iT0=&ay5H5^K|nRB#eXhu_Wt)}1)<ROcI zkLBNtzq!J`v2k}6p1dU-9;~uywXQ}VwZQQ5nND2~=bJA`yQCGF-Jm3X5R1g^TcPFF zZ9m#J+_xxqrB!aK`6%U-YdBTrTJu_U%VNFqT@3g$zNwO*@3X@`Sl=qa9T!)b<(N&O zY1!wkQQ>|V%tv=9^x~T$%U|3S%jS8e&j;S6{KY8`Z$&9zaeOk>`eaV>lhR{9nVRuQ zmG#N8<R`e&OK+uwo>rwk$$;{22lRx}dzqeX<`>xA`J5@2>mX&B^^I1c<ff_D3r7fC zrh%5|sbZ1Gwon^81xt7g{YJ~#H7~eG7{R$4!NaRK0}m+dQ|I3Vw_3l99@r?T_#Rpe z(2y(O{~g0of19hbbX;(+4cwEHo!)+B=V5^PC_14Wd9ug|yJY|@TtU6rPKV2}1$&>n zw^1;Kn?K`iz>yUkC)@BYn%(@SMHN&dv24Y4^5HhI^&6h=ZnUGI$J{$w{hK%NrR|K3 zRSV2hM_amjGo0VRf{l2vr@XtWaJ6gAAqj2u#ghSzSDyG)9vb^5gpZ7@9$!y^k<V^z zS>cre@+1Y=NkzJ8?5d$N0Xl=DzkC@;HT*=lgEi*3z3DwnBWOSCO3z@Hn4egd@^fk& z;B;5U1YG1<znM88Y)0FgobFs4%wD2Cb-MGtZ*-xDwyPx@DMasTuI*HA{;O_I1QUis zsYs8kIul**N-}HBA8<5e331@r#k?%(y@iYaU{7GE9-n4j^Go_$7T83k>~Xc^zCq#L zs&FCeFVTN<<d=!wCz;apU-R=Udw0bt(oztM!Yxu1PITZDW@YHWrJ<Q62N5C%=ju0a zB#*ON3?j$bwRA0kSwhuBVOUeOFi&th%|_G%264nB3#2D>8<=I-;1+#`;r7&j3NmKw zW-vxq&|`*afjP74i|ko7exbQqyxCQA{uP){-;`|4tkH!5(#0~#UFLaY4(<_<nuq(6 z<r09Rz>A#vQ`IMzqvrSg=bT@^@MP*75PC{=Pi|iSS?5;-zzIIj|DIp(mh)@if6uSN zGdM@C)*`I2m_^S#p2FLoJ)!Uxy8G3iskLf;v-Q95`L#>4*%QiNn%<{f<|jiHQDQ#& zGXGn6Oh;el#k%o6#>zbz=?1JMw^<aF0}c1&CGF;>)N_j1@ML7w7?(sRN9~qEk?c1o zb0!R)g9hZK)$ZV#T(kykS>n#p@(F&r?lhW1)o#=r@6@bti{k6^#G3s<@HKV*zD)>j zg~%SKqHfHOi+%pqg*+_6Gc3=ggg-9k^)?mq&}Fn^UXD*+PRq09v^+;PYNHGvJWk%K z<c;6t8M;ir%Nmgb_6=*vT*k8$lIWK5d#m*;T@i2F1+-Ym0k(Mu?+v-e8$=Z^B=q)_ zlAVFgI_4AtW+|wYHayKgpd9{^XCm8^$W`#V&}-P(H_G2On<!2=2crAlE0H^+*3bDN z(AF?DHo9ad&cx^VmcdPNuSJ4;gD^#j?|pQ~reUFvbeZPLsN7%c<iI;yjw#o$gSfP? z8QzF^kIvVp(=PKXnknDwlgkbLj4vj5H-nNsTUu^2+<{qcT-LTvXMEO}jUi$a5CBto zt&~0o+7OrQFq9JUB$0WDH;8kkCHASsKW1@_v0m!_UvgLY33nupHB(|XpZ(Gbw<mHh z;1Pk07LCqBxR!7Jq>43&S&thvkj2LJnuRjM$PmyR)8gBYrM37wnrEAoedsc2u`)ke z|KP9~qat3(t-#x5?^&c{W=8mIjDtBUE|o-yoP&@fQ0opYkhmLjVBKMSOZe)b1ZH2G zvRC8XaOMGrBEueV=HZ6hM=UKY(NPcjRbPI9j1_q!+*x2GzJX^S04#z@gjfsR#+L+_ zr%JE51LALf5s1tMWg3Z|FAHJ;qGIC>e;dYj+#1m&km5RCyR3#uYmL$|MyKD7ukw1| z#K6!QI|pA048=DH6XbSrBvhIQ>n40Fr_a!f(l^E_6D)DWOKE1}ikraMVpT0yBm%La zH4)Fho5WHQCsEWF=v?s`!+jEsxA~cFWOVlnqVWLFSFFXU%NNZe2DyAuCZ9yMNasM~ ziNQ8$sZV85X;EO~it(fu`)SqRjdq^loEEi9ABkP?p7ABO1Op*j3XIYXu>RL7PN^uN zk)H5Bl3`}(OJLj?7LvXF!}R(8k(&Pj;BQA1i4w7ebA66jg*%ql^k#qVW?E~>3)gQz zwMrt$&un`02=A*39HCK7TkI`)pmF41M@Fb*_TJD~npv#xS0I*WJ&BgjZ*_;8ow{9d zaS{*ioB+8vMSGb{t}M_uxgJ3bA++G3+$ySS%u&iZ#S5j)pswoto?f1KY}OaMln(AO zU+D8PQXs{h2o1-^$tA2r=|o*5XVZ|ITWj?&N))YC3%KPO)FbJ_V*a^ehve(aRqT>j zhq|y`dCY~aBi*z_UD&#WcTi>C%lY^i?V@SVirW_%e5}J~m%YI!dqa0{!azq>5EiZ_ z``BiVXr{JRxO;gPeY!q9&5~!jY7jG97XpGPyNv^)v1?}_##}Gt0)|<R{Rib<n=R;F zps%xC=C`eiq$4RHA0J*HQ}FtzhSxwh@bcM{5c?#0UI~cB5haB;{RI$P49Jgx*yv|c z5R)1IFqmy)&jt}QV0J-zT57EFB>OA=ua5`61ELOeV)*@oRp~MCTeBa>?MK-QdgGS8 zAZorZM<WNRIv(FE|3;qU-{=EF(pa^trm7<%$;F+Kef&W2uptzyJN+afeDqU4Ph~1s zzL$_3oyrhVKZzw`tK&y+bt+3ktcom~#OJS;C$UM?wTMNcei9=;{q!nNvZtG8GeARi zEUx-gQ(Fc8{RqYMn0jZPS<A3kP91q#24pc=th{tK3!|4orI7+<#~AsIrUB_Q!hEdR zKRXkC8g|hKq>gArAf>c+g$@k9MaYt9T>4Dhpsk&e1cY|<I(U<Al`)pK-ZP2f%pMSp z+vq4)c5i27gJc3Ye}AW%1bHrL)nF9hMYd>@O#xp#F4Lh+JOzko;b<#Q@@!@4AQjV2 zN$iXWNCl7`YATu0#5_iy9wsXqkvTL2|3ZJ_4@hUs`67^2!;GtM3^lOYg;nOqpocM) z7FMyZHPi(Z38+i|6ah|zTnGYnNjw_ro_*<1SMdJtfv;bX8_F^G>Q|5x)cK3?_1}J# z4mpjr|Ksr0_(=+19}!XOaq;zO(f$4F;A`ER=}`Y~gs*L!1CGVls|WvT^!2>G>5%&$ zim!XP{v_z@J6leKum6S;>0b$7fAV@d)Q^j=wJ6*YvdtS++oImytX;wg<xk$JH#xYe zsXZgLvvsO{LvJyO{VlbD{k2a4$n-4#A6xMMu_fLA$IF)g4<ha9?a}->7+n*8Ku#o9 zN`n#|JuT$d+R}E3(e+ISQ{W~to^^=$v$nIc*V4f)=egsZzw(pkFXWVByroYQx|bZ5 zC+|FFm;P{w>nZx%!QEWJnKu)bm%tcGr?&b$cE)>uHBi34Cj*p<V4MJ+e~;(c1y3K3 z-i}f5`>UJ}o_^&7@cW;1p8f3iQ}lK<Qk!&)O`T^SK!p5PqPJJPoDTKl;_H7`dOIJC z&ZH4zQSPi6IfmYz-=6~aUr2Aeac-1$<vlLE*~I?t=&b_@T_!BsV34F^uco(qa6g;C z+`kZ%k(V++nV`3rbYlQ8(4G~%1X)20<$$bUDuQSq=WoT|SkgXu*YYelN9OEQl1N}@ zyZoZfRlZ=k&FG4GC-0In%V0H&kQ;|hE_<3q9rLI3dltjsP01Io6?QM4&)|MmaRLy3 zCt`b5?MAe)I5v&seBpS;#v>j0!#X;AJBKSbtY%_zcA{-R&WVOWI}c-dfWufoplr09 zMK=y#AFxA(|BI;?p0~t_Y&G!>3mHr3+}da1VcE>zYQ8xK2Y8CoR~U*@|4jpP@*CJ> zFVBkYGB44k!X71bP8Rf71$Ct~9tt1{nf!*o+{u@?G>VB2hAA-0;nYsVMT5EF=K^xE zIZ8FR<we~be7>t({@E@@QG}VWh$=++W>FdcEH>_N`XvOcB?`f9P~-WvgmNQ(VwHIp z8bnNou;PEmplD3OjY{Cig1(R3F_8)v$@^e;ZIxM*D%&PyDTC5YDRYpIKVK}}{6n*_ zD$NcY2xa%p4GcA2X><lI8@|xtT|G+cSyp<3gybv=<_AzF^~1CEBC_Z*e|bO5VPWCw z*RBT?av^vBr1VGHp>h=S@K25DEuQg<#WoltpZv>I?-^x&F9%-RWj3aA^)xXo9=RR= zFeCW9rPvZxOjz?o3G+mslFow#_$Uz!>oU&-%)LK`OCqUp6w7$5y=DP}D+aZSi;XTM zJ5%^dL{3w!-=soV83|N9)6B+tT=^~|B&;vDO}w~aR-~l`C?|#M?;5r#<rMff(wBiY zA}(BGu}<L1E5=D%I^Q}iPNmVPnDD11necxa4<7Xg^QNy_Ja~Dz1(?$ye%U@i?9%9N z`YpP^xkD|Nn;%_APCYteK|jDN+4)oDWM`VuIrtuyTBC5W6PhNGepwDt*!NBWT3?7S zuC)^+t)7UZxDGT=|L2jBKqoS&A*I&772L7&h5E|+rhK^*kB(ht9^wF0t7QC^s+1M& z(@H!_AuA0i6ezVmu^3FGlqonS8Bh|XvowwUw1_3ba=Jz9L}o0fI}z?Ej<|NBv`9QC zxz>0@u>^%ErNg3MMvLnt#B1V-rx=Eh7TZ#DQVIK&Z)^RK<bprTs#~nitBfuotPm2Z z+WaSEBlJ0=EAMpcuA~Tw`GaFiZLvzRM2b{NsD^~fF}ljcE86>y@`=aJ`i5jI1J`K+ zBK1}4D}5K2f1$td&b5#^=_~9rhowQU@Z}Tqc@Eu8(PueOiVeXl_=QET$Wob744nqv zRiO85qdFgd60x(J_SuE>v@G*o5W8UV*^nbrcsm8+QYexw2uK0M?|5s=T5B_{H8u(L zCMT6m;?s#juFEW6^%d7ZDJH=f{x)i_z*6X0P!_jH%Vs!Zi)gKDxeb`S$;l9aXkg0- z0LWe9Jq`f`V4R3JPRx7#mHdxK#XCNV+Z@sm*&<7Urj7Lv)tYnANurXz2hGW;_MEiW z_W&wlfo%Dp(G|{h^}a(3s!Cl;U?_O8f9M*l2JekAHbsS})|$f{Q7tMgs+x>N!V*sr z;0TbQuKrc-Sq!`w+L{x%!|l083}OTQysY9S%8RzZ5n-OdNH&5-?=)UnamB&ggz8?M zmeROXAm#&qtL}p;l=31WfTs?=QEPra)tll(Z<t$w4)qrHehz+b;_GwPCgJUrvXoIB zp}s=nb~ku2C-8D;RNxEl`YV!w7?hDnal%OC0tkNrQ`dQ~MV{nkE4{Mj@lgR(0uo9w znuz6W(uDuP5rmN5BJ||({x}U`XeTA}2Z=E(c`NdxcF#}9XY;$9S(qcR=zW{|s$@D* zR;84={o`!1SEI`3irRaBNhaFrY$Klg#N_=N*=dk|-<B_X33Oe)82bt7oEOzoPvjx# z9s4(`%z|%ByhYWfLI4>76mHvcr}+{626>ud5v<u3;b%vo*ikfYN*cks$0sgR^wRBl zfi}QY1u_BKF2se{KY~o04J6w2ngIv<4%Vb2>=<G~4Ln48JD!7#mfoVD{$YEE3g+V* zu<M{TBEKy#C&ihX9QAk!vqYT*^f`Km+syjEP(M2kmdgQ|&6YdUcS?($^@GSNV5b8> zChT(cD!ITPGPcRY4_^X5R2M*r@86S#A3vl=bivq$g^t<q4LadKQDCO;f)<Ch=6lz| z?y*Q5^h@b0BKHy}eF(ph!Fpon#Cj+1Z~BeB<#S_D&h|w9nGq=4l80qdQ*Nk2*K3y; zN@v8_7V^myo3-C1;GW*W=J1FL3@8+KVQi(vs?}rAqnVs4bV0Jv8kejUs~ksCV;fYX zRv1FpAk;MPh49uY(eEZ<7GP!aQmy$6kKs)PiOSoQ_INdSoJ<9B<zF!2V?rsAAJ!_| z(e(l&TGCGa@GtR+hjit;uy-eu&Rdl?y_q$zDJvLg-oime{@HkBD`xwkx9yyN6Y1NM z?<7Zl4Uc-{T9@CdqInC{hJmrsdR5)dS`=NzB~-8<<11z_0fA~cko0i%iB*qbwFsHM zl>O5>?Fzb|dOu-=GxjTWUzh|KQ~S|GAwYQbHC}-xh_h~XqKU}oyka-RMiBGkoZ~l> z-(;gIC}t00!%=F#{1!1bIo$cI--%^Bw6I4F`~tk_;YHzvm@=oM!uC*&D2&Xot_bJW z=$pYWRp+e@U3$eHbJiBUa${^o;Kg`dB%GI7YG|`AC5r3?*DT}&I?-G`1Yp$h$ZL^~ zNlDUCcr58CNFyDKI6ZH#F&mytg8Lqy)t`H<mSVr)r0NbX8u&%Z^uTgcnLwjo$XQ3J zJ<pUmQm!$nS)FynH|FnIelnHGx+hz83nKj@D>%7%i?Ka8Mys&*zRt4bX7r+Y+P9AF z)ljD%KlpQ=;6dy~__P;uAf@tB0I87_aBjB>9*r3qM_BL2<G=nr@(a%fN;S1wbPcs1 zd0P0>O84FDQ2Z3lG!()BcKo?Q@TLw8_Y}SSA143iYLt-A%zqqodq9NwT3CSOTl2Cs z)T`cM4Ol|Ol<L8sB{j(Xg$4EhM)>-Le>x$)j{Chp?yrKc-R=Lg@zvnioxs;e;9h(P zzOLK<SHsuqHhvhs{&(eX{~y8V40+;3NOLp!+q<h4YU(f<yO0ERC`!`gKZ`o-Z%yL( z3FyP$AAkGYhmVHkn=n6Qf0G-6+TVmeXjs05Va{I(mg|0=gr#h8z>_nfc$@X3x}6LO z8$=1%WlY8s?I}oO{r$%78uL@?-0iw>rE_V@={MiwObzxnEOIm+b2t_fJ)xsw-&&ke zcjKpmql%3P9Vql+dTijdtD;+cb`i+{mt7S-;<2mZRhXHCV2EYKtM~cxuvwOm+*MfC z%LB0w%nDfQ$i2_yBxF~dGT+w$l9=k_P`nH#v~onH%xCf4mnjcHpAcL5znK%1J-FuC z?|N;?&}$V#ua5N|%<}qSnh>@b?<lXH=i;3bWWO33daclBPKNtMugy=xdI}FY8b)nE zy<Od8)rmvl_a-hF`Y`_sDv2u<yN<|%|BfDFH1ZffB=K)FvPnJP&%X<e>+++KW}bj6 zCw+HqXXGK?sN1H(OLa!pS+AXu?<Suf<*AG!9g)X*LMQI2WY&h{({stER-UAIXGGeR z$qCno@reAu3%qtjZsXszosl3vWKn9BRjM;mpL}Yvo<e6^leyijRcvl`=~9Y_!_R4m zfG8z<9Mgq|^-t|rpW73CxP_0yALKS(i=Va0JGIAZ)Nr?(FRCh>Yw{9)s#Qf#CMr^_ z!0n0^__kvAVrX1`o4$FflF>v-dpur7Bhkn`{5#kkjV$Ij9$Bl>ZslLW;mAz&;EG0O zs|R;9GDkh2LLy!|1)n2}cmSmzxRzhAT2&$I!;Ma<qyecL_z@^}MwTU?ZnmCUBGM1@ zYA7t2e?byhA4&9I&|WSZs{dPlszDZyzbIdwT0$q(5W=llI1i6VDlt(Sa#2C$F_%US zHEZ08(5xUy)GE!-DW0HW8qO9b&U~k#%KNuP=R0*o+cPAhZEhl>ZC`0Bj%{DD4zuk} zMX&8UQ^(nMr()Lj<)#8{@6r8Y`8>RtF1!|zf2~C{%Z24hH1dL^=w+myb;(zsR^?ew zzk*LC>**AJjh^raj`|DNpkg?(I&{8eDZJgBr9h_cmkL-9;cr@K#7|}EX~4$gvH;9q z{^Q8V)l`RDrutiyKLfR<;&DOkXn}cVi#iMQQWaNym)IK*JSgwAnp6k&9bF=>R&M+O zY2fDWce1=y##Yk@xM`?}h8n(UD7@As!XM<U#ubtZdfNAq8mpD%I>1ppE=`%cXVQP? z!}s77N;eJ*u13#1LPk;Od72V2)h=23HuM-@CX`d9mdyJy7eX}(U4p!rq6qraO=+LX zD31A564Nf*k$t?M_dL)YD@d9{B(q_>e*N-#^PFci<gMFPil6=vOtTdK;z8bUVjxxm zR#1m*;j6>;Ef6^;@}%Z3Gj-h7OJNrhAiZtxsGKZ(SDKH(T2lJzSPJjPQdr!FUK>l? z%B5be%nu=ZlKG#!6FV{?LpJk8#l5wd;a0JbRSYIY=qqZ}`fhJ!*I3!<9*pFwE*sP~ zGkly1eTgpypHUlSy|4bg@4<;J=xp}g&v;}BhF2HaJk3`FyLhv29SQJgrWC`pnQgo) zDUb`eGgHYBe(w#E#6sm!{5-7VGagqN$kZrRDy8@>vwmmF1NF@jo3kn_agp_Vt@XRO zj0Xx8N}(bv(P#Zmw0<X*@j#(vQs`zY@mA{>x~iHDmhl_t36<3t-Eh=zHa(iz1^??j z)~3)G^w$-fEZ&a=+2Qqie&AXyV>tQ76#(c#sg?i2oenDVf(!Kv;`jKPNTLt<{MZ&C zL)~UR1D6N@z?XG_c~`sqbA0s}ojJDtz*dIEg?PIGT20G*h5d*Xib}S0mVp-3A|fc^ zU>7GM(ZOn`sY3IDW@;4K>n=mwl}@2g_3>ukJru9vw@LlZ^!cjHGk+;~;<hr4U6h`4 zRFRK#sUk3^Lvyqpo?@m3uYj{P2fpnT%;3j?*(YmP7~#$wx|HARV)eoVn<MR;ABTsI zP*|AC`4s5wlOrQTra*lSoXxVrXtVDjx@8s)D8!Wvah?%>M7_%6?eLOlQdsU5GwqM% z!%Ii4Pi{!^->Nc+g2)=@q(}mv6k4AYCqF4V_LIVlPnKDqtV(`zbH*naZ!<>0lGJAz zOZ3U7G$M(NrhrLlqPVbazoww#k~z2}eGYtL{0L$pyzmA(8_x6(!R@Q%gBz7#(skjN zoS2G<bY2Qk_G;&B<9=T=)jHY;DRGX}=uNMY7pH&s^uX4JZ055J=M(Y!eNB|7(tfT} zjK{dg_gxT>jzgO4R*w?|Qk}1re=@ODF*aIOMI{5`$mfmFEO_(ggDaSQT=;sLzb6&X zcelNnh4V<|?*EAnHi8rT?Kh4{fPjjjIIQ*V1!6U{O-z+O&N>H;Ems0)58<v5j+<oH zn$xx_1jbY9M~L8n;2yW3)&z+It~B{gF0OIv&v&5Z;xy*|f9~D~KFaD!_@8737;s>s z2926()KRfun*v&Jzy@Ie73^Rjfhx*&!KSS3QkfBKLBPpWCJ#@wyYjBxl~$|n>ejCG z4;HJ`1XvROlt0QVQP84g+lxVsN=d*h`F+p1&-~$EwY%;6zWd`tp1IHS+<TvM&pr3t zbI(2ZoKi<lJxTY78awG7^W1FymCXz?crR$Lc&`cKqxjY6hDE(J%ofpZHr87IeTXy8 z;qMVjvNIEKMv>!PLLDD#KeOaO8LTBIKX*zr2{)Z!h}2}#cgRSQkTaPT6G*!0$y_sQ z=Eybe<N90`g$Hg!MB}Csh7Ds#-$Gha;fER#+Ps_bNNry7;-=<w9qB6aRL6h0nn}J{ zYgRdH>jo9DkoVe|7o{Ff!jR%aq&i7i8L-Psnfvrqpg43%URa$q&A8Xe;b~&$kYAf! zKe4o}Vn=g&fP7v~&)gU!l1X!Vkayplt|Vm-A61c(Ii@*1l$1SuG>nu5X+$nHCYKsd zN`PC^EofOd(skuKnKg11ZoAc-#zKtlgB#gkDFYwESNCZ-*;F9C!h^Jfm}~(G3YhM= z;^uVFyJ=2`NLd(5NLk2ANm<Csa;b`3DniPlt(;Vlj2SmhN&<wu&7HGC?uKkEAeeeL z0TUe+UAO3MM|+>m=cUra4gK=xW$V{Srp52exyo0nU029}Egz8-GYY+{*SNXq1F~IJ zWN)hx2PJ3RT`sb;(_%hk%1o^<b(c$vZ8g>AD0_q;%hlduWxy+EQ*~UWLUTH{*)n(N zOE$f><|;KCHo&W86tnk|?45eAD4eMVN=NCoLBGsEMCC2y?Ttl!%Et=EBSM}6nH!bW z?(%$p(wVmcAF(PZHRRWfDl_*POJiAXr1IL510!Hpx$)H{-dmit>XI%U;WV1KopP&4 zxbA$w$+#6Z4PG*C(5AU&+!2}%ajo8vmY>SzbO}G88WJtdrOI-ta#B^i-H<+rj8FDX zer)!xT*{Zr9>`@MK#J^xa<3|LsiC=)#Ql-l%~xzUiRr}O&{S7}o9(A_$CJf%$8a?_ zEupDtc_8bB&OUQ{xPis~Mp+%%6z;^_IS)IElgz3(88HRKx+CKnU}X)-ljJ>WBQShi z$vp|qZ*NF{k%thP;IUaN=ljI-llzV*<YSrT?OOT(*VGzG<Mwl9QCmg#DtUCQGcukB zo%RN;H8Zc&Q78y(;DtRNSAxzb{EJX>r7131d|7)Y=xoC$s1B=f0s5=k4Eh#eFBec9 z1>3(PqexhC^Z~NXE4ki!0M};&o7#FU4i`C19j%TMKt{V0PDpVX^v&t1UdriBh;#TV zw|3ayLCUhG8Kf)&m`TcZZe1=lCznc)vJ7B7?Y7mo<WgHm*_yYLvi0pGW$SCrrS|4h z`$*aP_K@-z3g5s9d-}H&OC1g06<Tt%0!|RVSG>*sQr2>=D}-yFcsSdm?s9qHrUiJI zf;2royGTbk%#%Cw+!`U7k`B!xi==S62h25#WuejZOLzAgm2oBMtdgOG*T#W8omE1$ zH(JW^zh4z?UwCf!D(M?s_T#_5$n--{g&Oz&I}LG`OYZAzE$+45{-(Rn(as`tk}K3W za4nvoG}YGAK1m%e4u9v<l*NT#Q+~eP%6w}_G_!8~DzT^-o9ZlH^jnVFFZ~0UXgIro zf4cI1@drgq&$jI)HdKy(N>90IxyH>I?~v{DMHXMqs!|{VbVuLfSM>aW?XD}Myt>BB zV^PODce&gbt&%}s?NtM}q+lF|d+!A*v$)IkBZ}&3<65<l?FX10dGieSk+o7S3|Be{ z+q`YUaJ4!!1zY2WvxVVuI=#Q8=G6Woi-mCJEShLh=1wYNl2960!bve@?oypc1{Mr< z&BpW0{H+zMj)8`c)|%fnDkN<s-fX|kJebnT8kF_e`P6cFVWwFQFP}Yu!^^|GINYF| z(iROC6ctRKP*ffk78P9BqQa`PUzMjP6qSehqPg|{;HQq8Kt!Gu|Ai;6_t7DX<cE}N zJr&9duS{0`4QGp^z^@)!8%kUges-<1%UkdFtTDerv2&s?z`Ac9x88sHNecy`SCcjB z3ib(@H*FB1b6Lb&b$;8+RcP*Vv3iExY?3F*Uz4vjA?sNgbHr~xNzOrDPURSAXXYUz zu?W669#>Vt)WrhKvAT!Dxbqc38OJNQpLIu(|L)?B?f%B^4Ou&I?Vn#0#{#KjeDvDD zJ%g+YHNA0marpadY0x(nx?@pwvj<)3n-xCXy)005hVuc+4En1;nGvpE3V#y~2aB&q z;1sN!$4e4ikvxg^0-eH8(J2fgv#jg?Ur=EH>3r5&s4>KMW1Sg~k`UrKMvbv=(TN0g z<v)9U2yVgBOb34vsYZW+E`yp&on2fPu!vny6E`bZm^!1yJ5FR^y{;<<zvLesWCk%W zE#ws%8QzUS5#eKnFA4~-DGPm3GCZKaATVy0zaZe0^HB1fR1fh(orXecB*&2*pXK)j zYu9l7S{}<{zmL^QgwRT49d!23=_39W7Aum{a`}+9C)L;+Yc!Gt4O{<*Q#S1If<K{Q zFFgOT4cn+~*M`+!A&hzq=s!U*lEQkAP83Z@9Tt`}^MA4?Br)laXhDAbSdI?MES)i| zha8ms#|I-zrQ0@}ge&O4MR|>x=3%B#Eiv1x!k*`hGkkOMKR%iXPp^kyHExX~{xwUW zbFno`uhiAgL0Jc^Iv{C%f(T5y235=k^@xFJ-pT_&LGTxQ6PwzbOYI|7rEh;ODU~Hx zld>XS3n?o+zCg+fdyS-QE$efsExFWoQZ&M627L&DEVoeZ<YA5ZB~~q90!z{4#m=gB zp1Et}z4ACXoHoNcn~-m!p_jL)M^M$17_u>5ZLZn^Md@u${Vom8&Y+U-gc(#G7S5nV zU>A*f`=hq=yd~Jj%%8OwbfW4)Yc6crX_rx`fQ#Dv1YNT_RR0@BHG#Gp;Y~R``YtmQ zddSYK*1k<N>HW|&9W!U%<UvQA;;AyRLP^&%`yM~F4)n4)IMBkg)P$dOadbI5x1Mv7 z0!JRPtwuk8$xYd*b@53u?(i}$IqXFdIxL%0hjUSc4i`odI_yOeI$Rh<=&%<>=x|{a zp~JZ-LeWtAY4%x?7rJ95V$hkuk5{PFa9=W<!iyG>fIifiPB`j+$xhaCVn`<JmvGtJ zlHPcCZ`IJCg)W=zYcdy1YS<2zW+EjsS(Y&Z>xGJV^d{RB5Z*EP{on@{4|ewd%gz0z z<5lH(()k}qkMGZ$J+Nf{w{yJC+e|lf$H!0d|Buh_b=ncf&hLSfU}4JlZRa36iPJmg zcTqPTH^1X1H$M&5nir1H?>fN`V1gIsOP4dl4}MAJ_;-`MMODrmKf;^ig*w3NgZ#)G zFD1mE^Psr-$<L)@N_lw7IsR9xl%#TVyn}haHPR(cW4L|;m3{2|z6nks^ZWP63~aQA z`JGS|Bnun%TRe=Mx?%nQl!mqb>|-1DAKG?1$6s#e_|g;S_#b>*NmnMd`uqOp&+#|> zkvV?jKUrF=fgBb~PraPokiNcCX+W?eh;Y&tCxx^7GOsXmOiurfe>SYek1$095<L#} z3?;rouu2kv<SpzIsGv}yD}xYn@GNzQ{RkRrXFJgeuM9s+5Ye-ULP%`H=q7^T?P$9I zmyNid92;;0mLU?ga9~R|Zs9XK(l7DB`NdAhB(?Y7N7u=I1Kx%?52G;40;$k7n$C!S z3cNEGDJF98`q+8+bHO{b5Z<%@Jn*i(=U8~F;7k8Kc<;{Pw;m94`2C7i8~u0j>pKqK zNB)fP?gYdfyuVQ8$f@W7XYbD1j_nwvMceO+J6G=Iz(id&8n!xv!mh5oy|`p{arZ0C zX>qgW@KJbZN!|7j3LZYmLz^QMpWUas{~jt}eQpix-OyR7!$;>m>5eTTiU+G(-wrdX z3NtOXw}@S$AvW4IKExpJ(|4Tw)7N^R?&8yJDI!iqo8}ceO@+p5c08glNgXJWaHY|$ z^MXSftvB6KOrjxb_U+g|3W-AwJO?{wM%0zONPV0_E%9-_(l-ATF#M|1HeX=K;p8bE zp0fF@<?&x{X3-m|jYQ&$9{xBKf64pCF({7xv2Xa<(G%T=3~-Tm=}&y~OzafB(87bM z&JwmZlf+DBqjGw;G$3@FWUqFo7CGB@w6Xjs9r$u)I^kW~qaTLvlR%Sh;0K(*BusSl zgS*al1IZ#`ku4IxtntGiv0>qCX#12Km~!mnn4I0B411BUQ2M4gUCd#*ZEoN`*$Xu@ zKmz^d?DB8mRi_(z$haRN#p9)O%0YMNbg7LfZd>^Ro44Dl-M}vt=mA=eg+E&@{&jIP zl|rfY18%)po8cr6x+7Ll)W^O`ZB4a#SF}eH+uhR7;}5eraDlus5z5H9p1FbAoBSO$ zW}{>RysbR+?`j^iPWBC`p>$wtwdpt_nY-k3+XM|054hJBT^o<PfnClnynFrwKoe1B zNMrR)?of*a!u43V0oqA+(Y~M?S|xQ7GrRP3u`&89DK)W^m~Im3yb9$=xo_ZyZm7wh zByea-zDcw?3`d{rI@;}47lDdRpaLKT8}jvk08fgMv%IQyRht{K<*Lmb%3&hq;YHcK zrH3-v(yd{rF+F4moxZttNVh3Q1L?H0Kdw6_5KOWpQwia8%z_XkAl>kVoylpl1MHB5 z2KY;yc7`;2*yG&V5~i33rF09S*wY&mBN^CUB|4(9T%~YV@{HMmNnT;L$b#wa<eB*m zZW))});0&O+S$FU?M@yvBiKcO!QddcPi=17Ef-r9|I|CeYc|<qmh;Y3_590w@d19_ zY8l!u?_I|$pRagcS^m{$oEDrZHbuAJ74bLO_x^c3WgFAKPOd$pYtL)E1QI*kL+%QE ziRQ*raJG*fea=M_Dx&`uxSQN}#_KNdpXTEd^q$gHpg%hjbNI)^OiF8R@FC@Cp_k3B zPg4g5$#LkB@=k<R%oR8VTNAITfmIC{vb%eiIK>`Q_{ClHrF@OC2=k7%d>mWxAGECN z7`F26hkt~1xq;JVJQs!6w5WH4dEw_}gueXS=(@y3{@rcokL0d+-k0-Fkv%~5tI>6L z75iVsGjeI_qweGk3CIQtP#9VGIiSWVeGd)k-HATcxsHau3T+_7QbF(}AM(%Z^}PJF zh2*a1ydTM3Px%Opy+X+kE)GYpkfl2ueZcTUq$GLo>;Tm(0SgVHBd?Iat9A4@<w^?5 zl~69?m5U@!uLbK_V~qV#vgaz2YA7l)eg_Dlnn*!45vq~H&O`b9fP^^cuE0k#L7wup zNf7B=Z91+*Z7=pH8dfJ6Z2DcX#<Zz57d@^E9=+2;w5Jz5U<q1YW4cAvq=)=M!!c<} zehIfJ67}Sau#6;DW#M|!KVgr>QiL_rk$$=7!+4H0u=oqvmwTE%3}Ulj=Ybw3EN8QM z_>00d1lA6+p~@m2Z(MTMn7aUkxkW_V*}iJ?!;pMO{e!HPtP?|Sz$M}HvX2wECx)Dl zC^PUd9fO~0eeaf@1rEy+{hV#Ez$36g-n9kfnKt5;*+tc6Ot$t!-3c|n^Fswhc!*Yk zI-N>5%}j*$;%d{|7OlYq;|kk8J|N+HL>UhQByiF#f~)Sz8Z+_?ZNz?IOL^X<8ObB< z&SU5-@+iL*`J-I+X7JSp)FFs8SWEO}A>!GbZC%pcNP6D6HMJbt4VsM|Iwvc~@(A9Z zK#fRq<Fz$rmu@~uxT-RMUf_nV5sM}CW`0@<5RohpCC5|}D|K%z+R--fLm{u|y6}B( z@mV+YkD_piZn$eCn@4VGOvbdc2}~bVOmo!xe~IxC5zi+{Psu_5%OHPY%8kjY9NQL^ z*-(`Wq?2^=n@HK8s=&i~hu)f0E0Y!Fe-G_w`9vd45(<fx`kUi!=zC@v9LO!rPW_t{ zh=mFRN&*f6bAk@B<)5_zalummEntyK+(49|LS_Qx>AGXv9r6T%+MD8L?;}d46e;(M zH}pzpM~&0c9Oy-}eWowP#rU6(q&5UZFj(p3pBU8aBP0NQtBh~ly#V&Wb#c03gxUE4 z1t&xXxuc6zMu^ARm%uNMJ1*!3T9FYx)QPN8Ko)hY=sborg3t1t$RKVfva*hfI*G_2 z^MW`3QS7@?EQxpe^BCTtf$t+G=r<xYZm88%TL8*yoDR^Cgu54@vHHUwNjGlgtK}Ah zVlSUs5BY@ahfBS;(6O%w9vKf_O_=YPD|D8yVah#PwDVZ@s`BMY<%yq)X87aeiJMQ5 zC$7V`+{fv1b1e$?zl20F8%f0yZzw;4ha5VEgdywWod2pTkmAIDRlnrb&iK5`5d5xt z!8o^?awL1`PgdG^gi7`;IOCmY)#8I;uh!4ijG4K-S#%1&IPSb`C*t!Ij-pR5smUxC zJwAav#W_kX-v8A_cEj&7?rNTA)`+G)<L>0Tcprz&cR|yKib!lF;fxA7yQ0^I?m5H3 z7(sH%_JZUker1#F*~W1qxm|0J9Ry~34iAtZ;9xi{;e9#Dz%7n^#AOCHHnO|m5PXoN zDCZr$c03`Ey^3^G!qICskA6UldRrDav9=|xYqE}2tx`U%`Sj?lW7DHJNg;4$ia2+{ z@BXXVJxFy{h3~tHMWk3>q;D(E0lBC&vqo||<4ZHH)aVp>0Qbs5A~0v6m7NuD3r06$ zvT6HVuAb*og|=PlTP{yKR!J=xJ#uC}a5~yH>k(bPsd>k7;zhDMdhK{Z9%h!?qKZW= z<hLi+^m$a%bBnIc)@@;sf}&Y>ysQ=mt<HW|3#Zm>Ctr~T#aUy&!&(3e>Es%&UncXv z?HtUhJkS(f^re!RUOS$U`Z1W2Ye647t~~KK6F8!1ln0>u@c;@?w$--7J+H7Qg+svl zqkw2b{pzdPf)mv=0Qr@Oqk0wibj)Nv0ep%lTcb7>dsdlSybcxowTX;S=CrtLV2j<l z^tG<qb>!LcAr55Dkr7ghb1@vrN=|e8don8p+s>MF6L!T;ywrRChCUBjie{W^%oUBd z(&XGo;FUzBc-tXy&t=tWE&9$lpy*@M?~hmZAuRk!CL~+Q5V5zaKc6At?ME|Q>lNHg z;JI-&PxQ#0X8%VF78XZP!lGNT{@EF$shuJUUn#_)Oa#9;(wYkVy*S&tD={siE!}hA z6s6|DceO?Pm+F}FUfhI7HFC}=H9c&@_J37g+sb4}3W{-i;|)p0oh~K9_x0hc1V~Y2 zn|be$t;IU5m8mx4ZlPdCeb!sjKbACK;4QX%Tz$#Ak6&aazGB^UT8A1E50Y6$t755o zNB$!pSMgc7ibdd8KoNkh$gfIsmd0hbX~)QXsg}lHOM?WKEzI|;WDqz?ydY|oj5&;( zgh82`-jz}%`!50$c1cs=Dg(yD&~nK!2_gP<{EUiB-MK$ph_JB-{>umpr^nE#xwc6- z9#-bz`p*dMYY*v!Y<{Mn$RY0fPmH*5`c;6>eV`C|z4rf#SAQHW&m#tS({&!zL%d<h zaO{)c^A)h?QQ^s~>Mi9*E+A-hrlw>m279u>?W|cX`HKb<#WGT4gT?49x3u3<ce7-$ zGi6o4KPr$J8(=uxbDsLmleqPAzD@lfT`%!#ju5}b3z}3DitfnAOo|>#OH~z#%ZQuw znQD=rLAk6iwwk_^?1r$?Ni1dQM6#4J9&MJl;{{nR^0H`5#0~5`Pd=o<T27OJjAuCw zh-hzm9oit?Rx}`Dwb}V~!Hd+W{4nQTZo%Y&+SlJ}0g$*Y!$r)w)*?v!qmA?YqkR@K z=UagIxmy&(9GQRHD_y^jFg(pxKx*4G7(;9;?tJ5B+oXx!&U}rRKPUT0LgX#cQ@?6m z$e9CT&?A}+bP1v}?7BlMLA<iXRQ?RsqEIP}7jsw^2|uw#c_pQ{#Z4n+(O?J?P7EM} zKF-3YO2iyYQoq>SO`y%zWJBTwi?=s1+eV2oUe<NBtN{kF>QP5QgOK|rAZ;nZPuPq6 z*kfQQ42G&j1{x9XcZAwyU^%2#85}@Un+!BQFhfx=jQ4(XXV8GhXR2rbBD~nBl-E?V z05Sh2RzuiAvCYXr9P{Ge=q6qn7{Dy?bXFe&>`IYMOnF#f>MrMxP!VS}9!{a_uoa6f znRxwmoV<!6pX0nD*0>rY#!mAZ;l!Ryd94G1Ri%ypnGsH=P0V}D_}Xj`T<D(IHtgkE zY|%a^3mAKk*R9dy%(@`>Z#sMV)S_eXKYf2Ki#d;CPh3Cz|Gqyq-jMH)*HPr1sy`m( zz)8M8en!qeQ-8P%kLiyS{YBM!YlFiq;_RR}HY~!Q=&S!P=cS)zC1>T!7X;FuAUeXM z)5HR<Fgn6*Ujf4^L0c~z!i2V&%aK`XR0a73-e+-M!MtH@qh(Fvu_2ZDk7Yz4OcnwK ztVoZbpR>T?T<QI|ct1HT%TAU$!(-!1qf;?0<RT+vLm-Jvs_azPK{lnLB*}clrN4N5 zgzBlsWApUeg<dTq6%<&Oz8mv8`&2mkJE$A}Oc-tcW}b?3)1S=8Yy{)&t|`(lG5Amu z;icj4;b%A6@X``pI&S6x>GAPK2{&3XLHue=57u&G=IR1PNb-u*x61s9%VZx5w|>JZ zO`jvneR}bwN1d0&6>fj4M!D@~BIbG7&d6o+b8M_uwbbug4T@&7Fn=O=n+0ns3{44U zB_ZIQ10(qa@MbJ*z<Y5H-dP2Jc<_GNX0w3C3f||DOA2^(e|kbzxL|S@7(hCzVk}5* z2ojdjPo0Pu<xI-5l`*KH7$KlUCVeD~vIn@SkQ;s@-mm!P^VP~he}{y#6;bgjrgzUo zv6op7K#Bs+`M=CLe~FJh=Xxs(5?Yj#w7-~d=>ZeMbIo!OewH-$?f1O5i!W^_0_n4M zDT<j(IL+B}ABIc={Z$CeA{^QRbzT9-PXmUMfuCW{XmQ&+!r97A+!<X#1F9%44LL^C z;q_#mO<-B;GrcV=;QvPOQ3U~Fn={nB^<@SI<shY}j*>BXx!RSHL+rhVW~-E&3L)CJ z?$`Vi5DwMVLhoKcIvIdz`}6a%W8p8~KVq5oBm;roNes#LPvoyp?4RvmIgik@Js8!A z%em%5nora7?>p|YZLmF5isC@~`$@X!1wI*hKUBmr=){hC(JS}g>L`}|J~P9DbbLn* z|EoW(qk3aNN5`JDqt5Vv&5bGBUz70Mi7?I}s)cn8Y-sB9?@K2{!VH4(Z0J}Al|gUG zq<&8AO|L`NK_y<b&0|36@rZl``5VEaV3@@`8tQgNxUeDA0GF^f!6U+%MdoiPXSvze z2>*Gs&zMMfY0qq#g(d7PgzoNTo<L%2>tT+5B$<PUdKM@8E(vE{??~-82Jses9sc(x zhN7c_3omreUb3kQ#}Jvb#Wn94g+4QSq&5|0&h|bb?LQ#eVzz-f;_fYq1QF@o$^H!} zlG*aR3<;LcdPT6eFsrb|P^iQ8qUsH=S?7#Mw_~@v<Gn;e=2P5HEj$=UfM+>pYH_E< zu;HOJKW@Ha6&~q@!9+wJz7l5**Gb0D9GCGLn^Br@KFerYVIASdx{?7*p!@E456hq8 zx!-N`vqEFnsdtg$P~!L&wr>KP<6<T9n%6uxb}%!&Q%?us^GayXIlLjZ=Yi(fUedni z*goZoF=Kx`pIYoqtk(5b>;?PNsH?8nc3pJE*6W%p)?#beVt;nppH`{JET%OawFhr# z9Qq|sFX)tTeG@srz|-(l2Ear?%P#h=*iEc9XB!Gm5u|!6(@SsVfq4B5IMcg&m+6VE zaC)&+QQ$kc$Dwsa$*()pI~DO-+2(4q>Gy?|5v29i>Drgt5yBi}tNGg#H>W?Py>`e? zm|Or3h3lbawQJc1GMBt1M=8xM%-Mk9VY}h%#cv($GbOY%OJ3f5wd8>KfX_}@ggM|& zXb#>wLxe8)b;PZY%mhu=V{VmL4zMg{x+;|gaT!fxOF|}r@%VV=XM!`Tg2~Q*gFKtb zcrPJaxn$$F!u!?P!SQh>or(rk`kQ!HDen&X#Ru<DFWWHhcSIElp68ay-t(#Q%V);$ z?iO!}Jwu+=gzNvEpDMLD7uaaf`1nos^eN^5X2m}VdP+Ka>bcYUr^&32n~5h+M++s; zz&~+qO_4!fk*eHsypp<(TaFJZkbw~m#2xRuvf^JBnFIQ5r!jYR!zF}4p@AqfuUj3B z=!jADbkm&4Shfz?Xm+x1PmvBD2p_CT4Aw(VmF7qJ5*G=1sFGt$jn1KZ!c)+27kg-J z{pB5#`y`Hi@(@XXk+QRrL%oW_^=zbe*A=l>F}sLR0^7{bR742w-_7$Jw^sRQ5}ayc zSG7Id*JAz=R^+t8t%kw-^dXio3rn2OaVYXeHowmmv3MdQC)n|Z_zTZ`BhV)n#8vn@ zIB1D==|%IsZ)Evl*71iPvyWL`f!cc{+&U9G2!7J9(wE{mV|uAmBOyVCkNIvFSlMd6 zH=50kv4OiU#YQdsEMEDLi28|LK;@10U}@X8M2nc67!LI;!bfo#tX6y(ndcc~z?$19 z*I|h{7``b=ILzMB8aEG#PFh+NTJomQRidx6u6IEREYG%?->RX7d^UJp^!<B+OHT9A zSm*ufn(V2_A{97Uz$N~!p;yNnU}hee2`%mA#14AnS@C_mz6O*W@uKvyxvi@$P{FBv zS(xP`_SroxtM--m_;K@J8?@2;swDrMZp=Ww^Uv~XL%~Ul;c}w?oUFgI@t7v+0&eQp z$wxos-Jj)Njm*B%<0j|jy`klDoR`g^XHU+{J4egqIQ%uQ`rJX3+^aXdSE-}j3(v>{ z8osxhPHbzygQV;y<QLi2y@U;K{O1lwXb5rA-JnZmx?j%e-f(E`@y?gM*YJb2*^n-* zie+J#=LoBTeNh&-U3b{V+r2;k8d*L5*Q%AiYNT72HxBuAs_{R?vebOvt6fJ}Rz8l1 zTR)h#_@;yfigQZ1ym+UCi{s9Z*+FN82J!#Rcn(JTIq!$!OC{46gV?qs>j=k^!bbF2 zBuYj~qmt#hjg=Q;%CwF#?qG88^NDn0L$C1nn<7P5w}jIYZb4YaxIn&p=jQ$HZNzs% z*6$waz;S-}c+~Sazk56iX8rDwmMHTje6=*%5_TK;7=zu}>Tx@>5q`m;eK^M#YXsiV zG4M_=alREC7$xk@UmUiD0~D@WxX_irBoY(int5)@2~crVu2H4h-28r`zFUqdstuD! z)}rt(aSk(|h>p9ovPSxj+4O`78|26gJfMnS$_z3$C{79w2W>OI2Rb`{Im=YH&NMb` zwnxJ<)r}5PN2RA6A1Y#+(}yR+Jhk`;?<?{V`I@T7?KWzvu^$h{$RsbHXFKHD3O!LY z0oX^#tX3H}|I(;a;}|3~9t>lzfFHb({p}k9SE=M=hNE!Y$bJc+@@SBFJV4F+&6SK` zS`L%{6DNMCXao(Gm>h-9{@~Tp{;%5h7tEECwBv2bfm<k)m%pZRC;cNvBFtf8WH$IE zD|xAn+)}KKKtqM#r{Th-Gb4S8Qjt8Z;i{#HNWViH`Xy#IT-C5aZZsG~jg176-Bc>r zVd`~ABSE}hEmnPI5y;3o@h{6c@xT0PI~NkL2(W0%*XnFj8a71wG2p|=X$6upPT01Z zt48P)JHN64&;(El`VOrxN}SEhuYN&9XnB(e{<KJ%(pEC~CH)OHa3^mX0G;J~i8QMk zyp|M(^top7f=JkhEzXT079G}GT$Qu!(1xOL{TqA;|Aha$s(=DLu%G>k2ezWCC^48L z0TsSPPnuDjxZK+Y+h#sJ>cpbo$`&PSJ+jyL_=<q1Q?*%L%X}~Ae69u3GJRGJVOHLV zeIc@Ye)6_dwX|2>A5;#f=XhTTKRY4PPZ<oSh5Q@wO|mWg%vwPUGEGJ#ICal>B{=j} ze7P!Kx!tx;B6L*!5fr`7?4gykUvpw5-}Nf7<tqzN%=uL0AE@NHlN9@sS1gAVI$e2( z`4Pwwajb`sbU}w*0VRZ?ERn=63_m+2(pLnraQ*9oTA4+%(%Am*2<?oC^b;}c62XMZ zVM9&=#m-q41B~W!7OhlME*A+QC32Z>AN^!4X?1)i&hG6OK`MvA2eaidtD~V+W69sH z6`V>&n~uOvKZrbj0YZCWSC=mBbxh@-_bNw=C5uKe6_mdklhFfdVsD(@4U(#d!>ba5 z<Q-YdFe}hp)$Dep)@ulv9K8Ex=Gr?GwmqQIc?G-=0$)D(_W;tBlIAzJlB(h!#yP_L zJ=@SQK6D-Dc=Pc#^I33;?JKM=u>U<WN^f#66G4^7tj8#`CW_BlJRI-w>j~s7T$ky3 zEV`C0^R<>=PxkmV)|SrL3TGP-+(IYe3R2X0rsJ31Qbzgpc+0Qx+VEnlz$pBB0{nV} z@aru%D%d<4VLjBCP5-L=dQhHUf6^Fn^z4KJM(vm5-^nX={0dux0^UG`1Vf*4uF|JB z(r-29tL&2qmt?(yMBXM##PE~Fi8DQUfkWTh%<`y!8MGZ(ZO*b#Lus;vwiCi-e{DPO z*a<<`H<g}oF@iitFT`h_T@*COc3RCwtNqzy6&wcyyXZ!&f@7a{M$FiscKf4_!_5yY z7^|g5_wk6lV(l}XB}{g+-Ng?%CnZsajou|K5S@@aWv7E0;wF?#XmOy8-aVfh#abm% zl5_HMNShm|vBmW`q`9`QEMldC!pe71`8M;rR|+eqTmOKX;^dWYGv6zyTvRUX{hR*? zfxH;DEukF-wOBYk6wWBaEx%H<c+JkQ`vQgY>t60ydO?O2Zhd4Acpxd>LH5u+GCU;7 zcqTbVk}Tp#PKD|c(lw=co}3uMZr}w<HeAH?JSg*UWU*9(#VsSTM06sh+{>s?-3Y(R z5BaUA;yIZrB~xx-dYMOfzg1qQk9R0bO&{;SmM<-!J-!X~ktg|i0G}&Q%a`~^awR`B zT#`S}Cs%vPr86UaM8elVSiivZw4s*_4+&!V6nAQo`UnZTBP0=0!PNwot)=*N9z@5$ zMk=wl2`@b=xwe`4JQI%jp4`G>%vZbzZ^#2-kJl43)K2W-`i=7N+8}Pvc{M0n9KK&* z&<P<SWAxn5OKpk3Pm9{b;ezVd5GMMnT#$@0$xrZw>r>vh?2LUDW;)CyeLGrb`_9AD zgUk+ZQ4d4b@@ydxB%Rc4d>fMDYhkQrub~pHPv=4(qvXdYDRiS($Xym$4+_oqUcr={ zRzXNRxfc)F6C!s=6vp=$Mb3kfy*!1It;R0VS9~8lF${~?J9;QO#5Hf-QTj$o%fE(V zT;g6$C8afJzzaM+_cUwJTEUORjY11KBYz;5Sb~HCbXlpnwUQO_H&fpX_!fj!#5c>V znyYPA0nVl7<e3d;h>#$$d0Vbh%(RVSP1w<jh}==D5AesCxWa2C1g3P36HNJ}35<~} zvI%&a^NLhxE@H8V{&8lc^r%B-Xk<{fkgSu{k#CJSwPIhZz^Rpa`#NpXu)-z{%Qk7K zaXt&CmeN+tV_qaHZ`u~57SY1ft$(6n=1K4ItODgLAPr5Po^9dpuCy&2%@WhurENU( zq-`7~__u8wW-9D5C)dWI<{Dbf0f}LBwRF8|+2(NcWf;>}Ijyad;^OZ7lAw0EQX{9( znc^$W=}b0qTzxxv#C?kRt%mO&5u#JK22v#zF|2Ah8}ia?0<*YQE__a@IdQXrGLS)n z_kG|oM4c_QQD^(X$uO(?P7r3$<|p2tH?dfs2{NmIn90!E1AI$vHN-3T4|1=wO?~8X zk~-s9AJjVQSf@+85FYY~{PK^aFdO+tQuvK98FP-^T(tJAsK6870%*|=GaAI1gM~%f zUruYM3c8-%Zre&8$Uu4<FynFaE0NG3Y&tzVDV<>_C25AaO}mw8DPQHBY?Y7E1VP`a zJ{`wC7k%Q%K3p0%u|M|VGV?na8ZaIIVWiPb=F|4WJKDl&4(oQO?ub+t(S{jt!Z>VV zGW0W*;~Tfg0O9#eVW!eXe&hUV^k#m`xu42!1;4lO8{u~bzj8KB)a`@#jqp2xDM^B1 zmqCW*oK%wh1H$UF)p=Nbt!Vr@aa-tV9ygnLv<~u-Q5J#AKgT<^{Lci!Dry|BoHbnk zL)#5Q%|oA44m?zv+rmRjyyZf?SEvM+B~sKCo9&p0n~Py?;6GbNyW8UY@UBx6_B#RF zYdNAHDuaRV%DfdfNAFj_tEd>jbw7l5)X5m&uN3jFq`}X%k8b4kUFvV^r|SOA=JCPW zV=(&Cy-5i;?OD=+0$H4tW)*eE+0l`IsLk&=3-|I5EzDmKvXlIEHvfX0EuPe0SD3#p zuLcDAxTl4fncGX4tRKmSF%H-NLOOzs`C`XRV!xV7moSMn6fp<%)5*Ip_4WfJeN{a$ zThs%6oK4ojdfTPE?E7Rs=3gm5_X{T96jedM+0@n(4;a=C755nv;CNZTNQ2mewh;yn zU7l4LcoXT>9t=5&aXmCcGn{3S19YjCi2Hk)3MFFXH#s?b#CacEriQa+izyalz6ht~ zY?{g*caUJ~B04${zJHsfM+Y%h7#<6Tmo>_5!H(O-7z{C^Nx)z80TYMl>_vrk*R@J= zfWcPn7Xt%1bUQA{nPPwV{)JM-E;6P!&aaS&s<Z88s|YZ2<y|Z|<RvU4_Wv8b(DAC| zXk}@ocGoF6oN=Sg<m{@(EMjcHyp3*zmNRR7!){ENx-~~df{Amh-fypsZfEJV-5FcL z$>&eo69e1txln-JYMwuvDZGzOzgXr~6|Ofj?sR$G99YU1eckvm-)a^{0A*}Y8X_a) zm$Jve$*3N`l${kerTsUGFGWS2aCnP4w4mSlw%oBfu{GWs6qzYGr3iF%PQ$uBYmq$0 zk-=IhXZPMU5O#L&eQlOZ*ipU&1RuZqF4*3`<uXxa7bnh<u-CXTC{ac0p@PrxENh{B zKV1guw3|F4fj%ZR6pKky%i=eSmQL(OG#U$RmEmVw(4bkXrns0jnMbMAgCS=nWG3)^ zb*>=m3h-q=tWS`6c|<&L`-~o%sr&F-F#$4Ttb$2)z9$x_HJq)<vl^yY^~!gz5NLxp zqs3?RnTr?`sc)702z!1*AmJZ)+Ngmy2BL@W!GF89c`bBRbWgy`o*e_(^^4d6<@JN2 zPgDJ%#4`<8Gvx|V=At9qz>HSea2oSzDSdd#1&B-!%K2B5=}<8P3g6bA3}0hq=c}x9 zBxmx{u8!BvduhpA?c_+UMSEd-d?woyj9`HVVYy~9<!LF*Q_Q6aQi@2nhcN&@sYq$q z6){ov4zu!5rtRbQL`(8KjJc4NUX6K86+OCxo%>W<wfz)vde?hFN(;i<o>3V1w%4Ji zT#(Wqpf$_tH?0wf1S!4lk}R|G8sd7jA8IPj#U>5HEJU&P8Eg4Cg_;0RH*JTD)?`^^ zC|I!T2XJw{SH%fINVEMZA;|OnDI304-z&Q<vh6-c491wf8~QN0C8(MyTz1=s$)Yj0 zNTffcgU5Kk<Eu!JDZeGp%iOZl%M_7JR6Rg;VU+^@nXju$tQ7)A-XT`<^L9~Cdm;sF zHU2>b6d>@^>d80RZi#-FyqG}(5mcFhw)@bc1PN+SzP7a>uGGCHGNKl0C?!)xwM44< z=@O~1gvq81lcxJ<vYMaWL!w}Sh3mg24`A^chP}!^I)Llt@O`!NRCM}S$2$`my8dGR z@0>t-C3ZC9qb<n`5r!hE#-sE5Eg5ld_r`yW;sOu<cOQWCO2F~8=`M$$os8nARAjed z=BoqHb|Ic}Gt?|-(R0S74QDodu=saH4ZY!FS8q+8cIYMMDb<MwP~(dVY$h5_ex}Ny zZE=VesWywgtW=1YU*atuS*UL{b)RO67^};!GBXg)i=V#U$ziNqhx!tq<EPS>I1faX z0M@W*Q8HZn%b);>eUFq3)yisxyE%5IVx*4nWDsw3@}%m-u{$C^cBK=onBxT`*4#Yw z#GG*bPx&CN$%Z5rk|2+;+qY2)lZ44T))E53`sj;*CnC(n-gvJ$q~ks81J4|jL4FA? zu{Yj$f6dxy{uten<@pSstZAsJy)ZlCJ;MDbuYMizkSVq9FJseEM*L?5rL(LKN{2i! zjs-@bTMRi{P=T@5tK--qFY{COz;VCC=}czk99x%Xc9vIlB+nJ;<hLrFG`wtXVrGJ$ zWV2yO6dbs@c7B!ULYhX7Vr_QMIR$g$T&T)J8;D|P*NP~zMwj7YLoh#cD^-NrCi1G| zRef2h3$Y+xe`F<JD;c(v1y?O5W*0D&>#dX1ELKuZuf8Haq!tq3u2-T*s--H^%UXUF zsP#`r+CZfr9UWZMlOCx!iT#G`XaTtU?M0nW4IbHe@aPTm!py!kM$Xb9xnm-%JzySD z3<S8(&W5^QmMi}vMMwJHub$<Vf8e<CGfrN9lI~YKA7G?nU1<*!t;2AHneell@TUD{ zu<6Yn))4yZ!?WZwC2ur%&ILj}LXN6t=ucY|N2AEBJs__Nq)udl{#ixCLgpHsBs7mG z8)T2KqqRD2e#oMWSBSUL8)Kb?UCm<=jjg;U-dBf+h_andebTN~v~xsyZ5hH4$N7%q z*AB|~hhw;>{o_AQno#^v4TN@+vjejsaa97!^B9I+J$c*WW~gdpn47}SzLa_^*z{Hp z<iTBWGZ_Wd@xqh}bRT^RO1UkN-aY>efp?erG&wC{9*-5-$WaB;SCCQ_D~R6|>evlh z%-^YTfFgs3L1(*%4jTL~cJTlLp5iQ-vsFL57OZId(9nK>9Mo`@sFh9%|0{9x;ODcV zfM+s}B%swq1^!!e@V{balQRc@p3<Fd$sGLua`Ex-<7(k0JM^S8do_>Ko|F$1(6Ugq z$O8u=4aL>YtLm3lh`ZKZxaY$suzW;W<3pak3VC+;@$&3uvjeqUgWsL9C-Mj2^HyF9 z$}MXX61+2zJ~SVhT3iM`t~$J|9bkd7&)J+T%d7fczbM-hCD4VTjyEvT>XmOw#GSaO zd9=31Mi)B|l_H<_IK^fYrEh4b6#v-v!9M>;``(A=oY209&&ySRO#9YbRgd@OQ?~Cv z;ry1;3fp&?D)N-nPH11$t~qk;yP5VDw6CE^EJcx@!SZ#1A&t@N1K|f7*U@7=4i$%z zz1bK#?ND)XqNncZa%A|p{&&_ws;SPNix{unw-MK=rpkHWi|2IzD0%Uov*Fg;a;21B zN@{9n_m=pwB9QxTa;LDxa!}m$x)VFiCNP9^Gg`Uii01?Ni1+|LlJfz4q|gWO5zhzk zkwPE9M?4?EM+$uaAIX_s;S=b&od`h#TXenZ3=cnZ<d@Q!(X|V53)hRX3s+_-S$-Aw zwhLED_w1uYgH@h8rM;H@`dL3g3>sTHWFyw?K+aG<jKDp7d?38MX;g+$x7GZ#zaTzK zSJ@c>d@MOInSo-3X^9WZiae8+sG(xCl#XbEIHUtKK^)RSB;53TIA2D?jFRRFle7(5 z$_&gPBnrk*o)S{FODYP;!b(G#Ryx-+{}RMUYFT~<*N#^+=}Ngvi^!01%el_(9e3RX z34*<Fm2M)~OD=UwE+r99t9ZL1J&Y87zenU=Nw`y6a7->Wo|I%KVihStIgx6C@Bt## z@?*2FCMEJGCU3b^qnBE`VlD+YD5!Ca|8j-eNl9;;hI44JHthc-37r#u=Cwi+8YjAs z^9dQ0=*KDR{xz&Qn|eY(oB`NontNID!S(cVX+bp<bn!D#&^V!>%anq~9YaCrfVP=A zXVS72LK(O#r<iV{rgxH39d^2vlwi>DV~~vBb?+7v%3R8jvZ(b@jV&gDfh^*Kxl~Cm zRZ7a12$2#wyE(m=T5PJ5)Z^;CeM>IYMd}tzqMFm&bE$*gTNpz4I}#md$VRI_uX0|M zXf!K?5G5LoMw?N-@gM2k;iWtIblYjJ-RqU}?XE^6&c`H<yJ@MLDZSQp<5Xg<e@>7K z{R{aLVurW&P27ADUg+p^IDS^)Ug{~_ZRrD_vR(7=iunv+cexA+CoO};zq`i0p-09Q z%;NxK#K0!k6`GHmCr5U7ul`80%Y%XIoJ|=W2d;J#`duA)ar4Y-sl2qU+`h;@xAmCs z>RU9*%jFZ^!-uV+BHv)!E}Szeyk7J9kx>*k6Kx$QYy3^r^f8TpuUs2{DjZ{mrlXv= zS&He(oAWh>vgpiis&6xo+S(lL+f-YT?c{Jq{W~cctHHvVjw{?J(ti0D1AWpmx|jB9 zP=v8)BLtdwhRPntl+V(21xl9^54SmObc2Fui%uvgDm`;TQSHB6QL7sHG-@xke)eLf zec@WWcC#E?=dbxWW=$|cEV&=hQ8y)Mx7A}U2<RVWrmuHe#l@NgM}JU*qd%m<(H~}O zI1_tBP8r0W#tTv=w$d4eThgE7)+7^KO(5*Z`I#x(LsglHTb9O_g`X|rKKVkZsyX(g zd}nFwai=-DHW7$6B`>lL9?b1Uz>K$)<Z0-@8D0BBNI1^KEzXqf&N?se1zz5(C9l}C zXY>A;*+(*7&&fV#%9iHXNvtylUK>m`20np}27%z092UkDzW*lb9ch!}NV>6o?5JR2 z5qGCNZiKtZ6KIMj)$WvK=DVwqmx$3+DspcOdpK4#pDEl+jqRgE+<XtsO+zoNI<j)3 zD8a^@0duXB8WHa2S=~<CR9)blVV}Z4Z}Xm46|Qc!<+o9PP$o1IY^(4}j8n6#jl=b6 zp&;zU9;6W|e8b0DN7GnZ?QEt{b8OEVIG?tu)-?WH3Wl0vTcqFI*cS3kS!Nq-KCGo1 zVq19MJGRf-qnt?%x^j#o@cuQ^81y=%@ldaRnHaWJoz&rUtDfr}lA<-b{~uwG&dbj& zCfu9u2N3h2lYRb0`nm1RvF#+-kyN7?H}*LEp+>&C{ghvQM==m^W5*QU6|Z}UPk_O` zCzh|yL%q%X*p_d*M*4V$h@LDT0AQc&sR@#}0><xXyzpr0E{_Ck%tV*^dEvwwtGssC zBWeNiK6@sz=YE;0oY?wkXW|R&kF&+ufX)X*$$rLfc?VCC5T>{kR$mdSE-l~}1zua7 zSWC23YI&Jj#^h^RA+`9mmbuwl{KvA60+*n9&_t?MzbSpM0Yq8ASYOSdPvNS1@rSso z9`JsFTjn!<a1^*p>VD3foUi8p{Qij!Po3BcBFWfo34f{|?r;*HjV@eIxYkeJ)?^Ew zOg|HSgF>IYX%p8Eera~Vj6X{;jB(0V?ylyJb_#83OvwvI+SXeB=&c9*`Sk#!<d_wK zf6+SyD+1-GrLtr{{Jco}&xvgB4n1whyUvF2GaI7Y@9gUa=2Y?9$Gx$r?LXXGyW936 zRwcib3$z$_ZY$joBgFFYtqJ1na@W*x*`G>(2#3)^i#MYL16a_RrVWfH#@jZ#vg zEcS3(8)Ds=+e!<AC=S62r*yTf7Ldg{4&mXgAd2D<$kF_cwLrllDl5$MtMdGO+K`(f ztUNCg1X_qpS|ngu;Ww+)4zNC)aIO-et~Rqm<~nzc$iJL33_CXlLh+0%Lh#bGJWRcL z6!jEd_DDNpsZ53Yu`CWmVsOT?I1n++O)t>Jfr#Ctxn|NcG(AYu4{M$Qn*O;IY(fOv zplg829i1JmRyY^XnsqX@sbdBEDjse~%LI$eFVnKkbgIRIWG7rF`Peq6;8H$|%)g8u z`PZC&fRq(8AIzm5%B2KWa7w{Pct*j;`Qe^ApUh=?I+qezNGi+dG9mf~hRrvI%qa0h ztuDou@{T7OR+(7G^GeN^CNk#3aGt^a7QY#;40G5ugLVsKkK^ELC^HU+Ljh-A(7yqL z!@0T^9=L%VsiVE_>G3P9ReUwI?sAnl-8%r*1p3OD3GzPd%IDmGI@^A3i!M8z-r;9- zdDWJ5T%icvS->5*xdR!Wp{2Z}i&(o&!|mu&|IywjgM3oN@8drC-H`Xm;KFmVpWA-i z=kPNnKsvg<)B%TW@j%X{3|#w58F`4{>2fl-L(j~Pz!q-=wlD%~vLnz@Qa$9a2&e0T z#E!+$CHH*Oxq+akBE*4wq2`Pm;Yu`Rt~xaJX~z?CpV3uX#tP(X1Z{StUfR7%fW#Md zez5j&v?2|F+R~t3$lOpcYDbqaYH#pH?ZtM~Zf+hOQkoha&{12-0?f+tc4?AdKiO0( zWTWQ6zABEHaf77`6ejB^yHb*M507}3Ur`;%J!>arNm$k#w#v?2N>)W`fRz5Pue?&7 z{_uBXLrLS(C|AuWs&wVFfPuuy$xj^5L*b>ep@e;uQ@=`{yDDR|r4@)F9@00uEK(MP zP`@46u*fQTTKL6$P>+N!&ul4EhEfgMXR>m<#TM~ABNES3#=lph#yqN;G@^RS)1p<v z6tcBxF+L=MK8gj&V1D?c{CjVerqBNs6<4mDLgp%;0VWyz%+;$g1GYIts<0p-SlC?V z`dqytZD`G=CReAHkXq%XvZ1&sJGO+pH4#cUirdus5vg~JES|%er{S!Q4iRVb<)Z^8 zgm~htDx*OI=LQI0UM$Y1?-3Wmo6SmATt#yO4cctGA`zCHUCanFjuk6PJPhSlBn{do zTU0oBwx}TLgrf2=zlG)MjDeW+r$`Cf`IaN)4a;x4wRe%8k-XUqxzci@{Di0T_aK?j zn8uP_R%v~ki0+>|PU())`ZpD#5e0B|{B<)+Vvsd3Dy_a%!g)?Y`-Pw}J~%Kq3di(d zu@9V-s)U&ai@e>Wyc#=so;q_Q-w(6-0;wSWZbbm2LOh&jo#Ada;eLuXuaaa?B+@Be zs<%dGy_0xqqH9jYb{5yfn`3I0ZU%Ppd6stA3YA<S#WkRpryaKXZ}G?WbZ*KQe{4^3 zCu+Pg5iuQmTt*yQt&(I^lAJ0@2BH{a6Cjl*a<Y4-1jMi*p)!fc95%x9&f1uMQhSfG zGaC^G1iL0VK#~n-@8~2wsERZt;<CSvAp=Z`&v?JLc)v5MNRa8{H{mH<Cyav3i3hlu z@71tC8C-p2G520l_`f7+gczjXA*;8O26uh){A}-I&6n$bCtyXXWr{TRA-4^-G$zzg zr@>uYPSb9aIWd>(DKA&SN-lXN`@tn_J7by*J-j3%b27eF=((Ct<$5kx!&ma(DG2v^ z;3VG~>E(2nX=E<5^eF@h_I}yK#=Z3}$5%zW%S;jNgSKTMG6~!r8W#{B02QFdm$*>2 zq-!{Sw8^|}_eCY!r^$w)){f39A~uf;R_*8%@8nYLz|Q#>x`8j?3p{R~%NIBdqN!6% zHGFM&+wOSH|B|_mrAtTad5r?a(8~!EqgJ_MlUoKFzLhU6fe;|Phbb&3hoZHR9r=i! zmmkk(XP9?pNE=FYm03#m2M$3}*wzH4=wu8yH=71HBfx*Bh2oT!b9`#3ldaNPPfmru zn%|703)FZf)Z2d7E_BcKpvWzD@1n0j9iL@8XU0ijT!4yTa%8-j2z<O2TU`0xBVH4R zY7?f?ggNHZ+Jp*eLj5(cOy@yuu{AK*{{khBeIj*P(}H>4houD`da9{%jJfRJlzhO& zuzuL=7gpHzb>I?nhGFI#a5t6}pK~^+yXUjXXjZbN?Jy!TqXTU>)pYy@S5oGH-9TkK zrZW5L^T;hjUV2duwcu1>Lq`XZ279EA^hov~CJ~Dd8CTSR6`7C=)I6Tm2iR(WKQJ|j zO;V*dF(|GJ)nj7rS)QL1q&KZygJ+FNHDbOQFErmQu)~xV+x!!9bCTpAR+xWSzJ57u z<-VY!1gPdHXLTP`N`tv>_6({;tTOA+Z#c^$tKpOY!PsW#@B9o6%&}ITWORNh$4;^) zdA9S75IVBdf|XsqWFM8mbvp%3ns`Hv9o!u|cz4e|J*o~Cm%Ki`{q<No5oKPVZg@=m z^<!R`yGHqZdlnkrzTRV)<d2!w9lzQ8`m2Z5k4lDKZ(R-HSi8Dc7ak4&B6hT|F9eH= z9lZ6`uO0l&LgU0t)vI4SdK|EJ{ipu3ByLk+_n1fkJE(%M6KUb~F_EA-RK@qNEaS^? z`XKoTU6TWmOnZm`^}1y4Q6bRrJ_}w^7Q98;c+>U;pRX#vt)%!W(e-p@O4s1soWBx2 z?tGrpNymn>3jeGq^ZDBb@4mHRolchB$#(qD=OpgLUZ;KWhh%A3CyY1SD<`R6#ri*M z{rK;1qVJd-OVsm8Elc|$yRmn0x}&e%Il>v1nRt-RLv2{>V8<*v`amXTQVS3GlJmNg z2FJYlcHHhP?9AYEf~Y?S@#C|wQ?}eU)%g~)fHFT`4l55MTk!DqOkmn*1RZC?C_a@s zT6E9Z?)6=6=qC~!wD<TF(Lp=Kr!Man+}q`I+7suZXdvX#{;vp|iFIa%$sVXh7CU_w zt$9%?PtSvp4Ve1BQ7R^y63l2K8=waSB4^C%u1rsN+);r26+G9MNrq6Nh3iFdz|gYW zSyVb?H}ZYGEGJPnik2diY<GHPV(rAP>X>yPGsR@kt4-Vojruo7H_t6XlZ+;0uY|Um zvbQ6-ClhPUa3&7nXL@U<SE@OHe4AW@B!Y_QucFD$1ruRB&UTQl>pIVxcVU;Kn_5F; zQ;XfLdp<1(__vw2+m5P1ucY6_>pG(uF4*_BTS11>4VEBmY-P$<j-@fu19(yjI<bRz zB+pFQ;{=vCef%xamh*OZ>|Wx<X{|b~HPLfPlkcio>oa{c94nha^)g{O3-?4{nLEG< z{eyq=5HElD!FBEu$t$zq#Z8&OKU`}oO6=rgH0n#Jjxso|qG@C7j_(eyQQD#_vMq|( z7L^sWs65*uW^3tXj?EDwOPhm%Bf{JCgEwTRA0&`aI6Z^4K|v^}e1CsJde(t-JU!oi zJU!Q)f}SA+HmYk(AM}bs(nPHaWdh&(uTk`@PfF3s55y4zyZIWas}@gZ*FfLdFkJ^z z3p;(u&k;N8m{D1g>4~L?7lI6rJ*G7(6G6z?;0>V6HTl6*FoyJd5!M5I@^fMV3YU|R zVfk^>spCcm&9w}g=aoww&P*@S^Fp$hA9i-s$+)R8Utb~g$`;H%Cge%cWY?WvaKdEO z0qLm{2{?u-G0R`VHvCZ16ly2J^>4~h?L~|_rxznH6IwZTG}S;Y${~V6<YAbW(>qJ) z(M<?!P<ipdO$-Gk@k|g>UF38^-xqrH9c7?2LEZzwXO6acnAq(sY$vyZJW}l3!?d9g z>U|3J-b`#yYT;gAa$I+EPa(vKA;J>bbpl`+nHX^iz>H3yj&+V_><b3dzb+(cIA11w zT(4+<1la`}@{+J?;nePziU{Q);pxgy+YYw_?&WB!o(a$acTsj<{2cKi{}kbO+JcgL z2H&U3J`!KTf0_(N%c`}n20sj4i(QC>oF1JCeD_-U#s=ZjWguGkbW_&@$MfnC@v9ar z>GCDcpjrFB3R&kF6FhoterB^oX6f0|*EjI!rX)t_K?Z%E#7gocCeiia%LKu;GzHK# z=Inn0)D|JEi3f4&e^d0s1>+PA#5=;-$MmjKaUV|0n}7VB<)@PVKB!TIgzMiD<_87A zdY~?)tP<s*2mb^Pno$mV@K58Qoe)~Ja?pc}kOfsI;h>jiIcP<9Qs92&Kk{vOjrQ11 zy$JZB(Jc3b{-CoG*&#XuH*@=cA+(m8HI8Sb9uJWIk@fau@NQM?vfh>eV!D<_+!edz z5zed9aSc5sY*%)H!diBatd1)|g07;x-(lWw);n87?m237rkoI-2Ky*5-%iL8mNFbs zVIvw|IznEaNq~#AsCa*=6Zlqh-5;1II{9)be-X|PsG;=$yMc2W9*bldD-a{`zI8D* zAX@=eg)*u!kx0i(jS)A7c5qY;<9K^k2!Wb2S`oG{obBK<Bj2t6GSxKnWYs9Glrt7S zJ<kv5$w38RCodS%czdQ;W#(hP|7Gv{=(}0N402wn#n!qn=L2>3kzJCuesZ>WL%FOt z#K0_Ezl)EsCaEIk0fF+ep6SYIYXwL3%A&OU&WTP`j_m={1g}*R`ECL-ahz67rd4rT zRZmT{YVt7?!<{syBID-^>U)Xbax1IpdB*>A7+I%@yvC{vf$i>b*nyXc#O8fo*ukf) z*rxpcIDSCptnk)Xs@^{lj*yAA^^k751h^tTjGTw$7CX%>PqeuMQro)eL0ZGI>s0RX zTAKC;I(8gt!XF!iSm+<`*j_(yq3v~R@(o9YAjE+VT?0*Q_1<RXhvWUDF>XY@=Wx&a zuG__+$t)MoXf|%nhBOBG-IWa&G;6F5fgWWyk8DaJCfQUgsVb7z^?ly08d0LcY1z6j z(5yi9+ss9Ofa=FV^`DiOX9?A-K!$E?o0;-~0ARs@iOaTc@&ZSL+|Z~cy+uQGS|bw( zTN>|H*w$NT)++RPp_(K%O=h_SZ?Tc2QX0nwN|906y{eHHg(E;<s2?L;LTlx#e8eYF zt}ZWtJz0L+t<6G&KBa!PXa$DZ9t;*lbU5PzlU!F&=h44zdFJWg4hN-wp?Kt*ks?8G z&V!1bHG)<z9F&c1qu$VlYj~r%qn-1uS328NX=FC!l0}%fLrZC1A4bxv<hF35GI0Sb zg1{PS0<l@d&06<WM)Y4yF#9hBn#}q8W$1@fhXojoN~OcnSs`!@0hx+ejgl1A@7y`d z`X6`tWn6*5dfBt^$p<=~5Fj$@OFffbO**ya1+H|(clk#5DtUB_JTVV>&I?r~6|zyl zRi!MoeRf)^%{Lxo?DmuSd%40R@qZL1XWgibCQ=_2-E*!E-tQeZZtZJbcC{w1w6*VN zzX8|d^0`dEwo4ox1(Uj0?Ue6t^@7=$&2VEhTAXKOgkPT0kUuiUugZ^c(MNzcB>nFE zDA#dhHSc?P;VD@3DcrZfq5!46&`p67L<hT)ng4t$hP~U$Aw4?@$i}&>j?8Z{4ahC6 zv*Vrk$Z}4Pc(?~}lWS*{&E~Q9XlATyB%mxxVv<^>$}?u8t2I1h)-pO5>J|aKAb52+ z{l4^DvfUd$vVAY%X?F8;$VMjkGo2|1#J(>4i@^1n!2P45o9{dbyv`1t?V~L!yv53* zH6@A5#V|HZ>YfYYeE)6yF|`FH)&53yroYRHA(M5*@q4^O&cyV5Upqmj`kNcrVQu$p z;rmPsE$t`AN<-%F--bH81Ejh0qt0|h$i%tw!4NCX)2qz_`C89vQ*XcJOd$wkwYjU8 z)E~$P<dI1Zyepa*`~Y|6AqCER;Ykyo{kr9+LGjUC!a?0_=BjrgA)*H#TyppXd~bpe z@-45TtT1E|M2xH*iO*WY;T`u}D#FlKvl04{6R(o~HQ)>CQT|G>Z(Dj|iCwNHZz3XI z=gE)GO5w!?71ie}TF2PW@`vi~yGo6V8cle^XL&LAJo)gHgOh5j<vh)&bTpI_ujve4 z9!D%_NQiXa#UQ_xmpNhqUZi>fc^r>1J~_u}8QALV()ra1oaSB^$c*Yry<L?2z_Oj+ zz;Y&bS^LiD!h?6_Bu0xQJr=A)Bw7TO7`K|o@xz)$(v!4Pk(Br=h=^X06Dm_W9h5fk z+-fs`gEE+23nxK$B5VXgg@>S+fq|TF8HoFMM27Wod?c&8X$_}2d)D3NXTakcI>!rO z5{bJIsJ2FOBr49HGxvnd2gu?l5U3jYLY->l3#QGU*JLzE>MdGCD-`_@sd<Tw4(?B+ z%)4!f(Bmo7lBive=pwh1RS7#$yJKCuW1Vko+&!Rm<EuU9|Gv0nPtzOwUoU=R;~V>T zPd_M%m8`OkDztnF?#F9%&B92ZB`zyI1F|x>#QsDzCXw1jN0rUp2?(e9e*2C#Vw)%b z2@@Y3fqZ|G6L4FxLx6i_iYc0I%xXHBM%~iuSj)U#<^-1CB6*5P%#Z}}6$8s>YARUJ zAZ<@Y&bX#iq<#i2=0i?km3(El{mFmC4c&!lK)}`NV+TlS{V2l%uGH^@v>Xbz*Qf8} zFnLFZM1>B!Qw|Jl;b_9Xo7_oIrc3Da?UUSz`zDe9af+EA$}}T(P(f=4b#~eDyj*%v z;T={0uV^+~omMOcYj(8NW~LjADs|$GnT}a|QHZgSPc7WTAbbn*#k$NLAL2m!y*s&M z#ufQr2c(e!`J!Z@{UeTPdUp=LQ(9^LA8Y%>oi(pd-$L8XW6~Vfti+-+Rvl59nIFiE z7p25>H+dj~S|hm=VBF-EOtLj|y6Em?|Fm^?Y~SwKo>LLTUUZId2<(58o2go;T#e++ zSr%PH=gkJ-`rqCoOZoPy_#0n<KkaW;cSkbQTTa>KrFT6if_s*zq}MG~Nv|ta5y$@Z z=`Tpb|CMcXg8TX5ZNAJ6m_8m*l~E?P-4(+-c;6OxZnq4Yt9h51h<0@kZ$ycjM8~>E zF~BCnzEfdfr<2?%*qg|%!FCL66<_95x%bKd+MB!|>qJ4!kY8u!aE8)6*WaQmyrwC4 zmd2y6KmYhbC#@QfPsANg!f%4rUIpmC(9x($X?HBRyBLnOakr1A544=?)wQjgTANzm z+|&DwwpTapE|a@A<Zl1&bFF4Z`(Nr)1~id*Ks{m$4-D;w=fMiS3fD^It($DcuNS?# zxwYw4s^jm?S2w-!roP+w#-=yg-q;Ti=k6}c@~6~+|GWHA^%=4$o7ZPNB*Y8$aZ*1f z5(uwp6oHTxb&1nbvtz$<a`AXO`9&exmw%6!%@$naOnCWs&gNR@71qMz*;XnuKPVAF z0BIw!kac!hY7=s?naxQBA!}B@yim{f&WCOw#e<4y>)gQ-4W2c4xt+i5G2~1Ck?_rd z6?{zU^S4I{EPm%ca!w%U80uy(nyul_X1|w=@T@#Ht6FE{%OcV&7P#-6VQE>`_|DL@ z<=Xm_-vo05RqTJwXXk6aQ<@gu?S#_8xH-SBvx0T$gzo1NDs`<Zr+CKhHF8_eQ|<(< zLtcuzW4kl<^Bv&f^~sSL1KWA<IB#En*!p9t5p_mImbw4CSbd;ov5}_HTZmR^{BX9q z!{1&5(mhiEx+H<#WGcV&-H<NP{F|kp+Io5N2P%+Z(n*{J*kos5*!E*Q0LEqfQ0*Xe z1ylL06!}~D%yrp!6VxlxOz(XieLBFAgY=Ulb!-_%_#1EvHgZek4w`cZpbX$o{3s2g zRHc-VlBX;+2kyfrdN`dxI^ugn`K#n_5H%#IVLqj$mO-biA&!8U;M*l%ggoLq-W%ui z1VbYzJB&7t5W`B8M_voX{NNUG2rz=ggt+O4=@qZ6g#tV0y6YdO{ABYOWD5{e-MfOB zvCO*V+z`>HEA?Jc@?oJu?#Fw5P(%+@@kQ;lsC3%B37Ou6Ug>{PQ6(-rhC*d%;H%?C z>GpORGVHL8WnyRxP@p`D+o`!1s=O=q9-GZs{~+T*`&-6Ct7N!ypBKIxWzLiIEHAS9 zHfa8E*wVc4Gtpm4-{;4>s1Ff_Sbl&UW?*qv9@1goLTbW}{bIU-z30FtNO6ES>YbLC zf9q_!$xha2)Pw_=WgXekt<mV8mBo+njrT!MnHyLVZJB$8jBx7^{Ko%<OpCdR*A`G# z>X+ubfre=Nox906o^k{J_#mCbAf0onL8{}>8dJE|v`Gf(Vp>Cw-$7CkksG0c2S#WG zWAj0hfL7^jm*EO8nB#<86}&DN{VGs;V-p1;I2sde4S)Md8JQCz3n2MAw^X}_TN#~m z1PT64G8Pz-RXQTKI<2`8`F#t}0%{uS4Yy(1-!dM@@<i$smt+;*+j1Eg;HCncmCJyT zfpN+~F#{@^K@F8s3#Eq2aF7yG@|2}!>R_B1PS3N0aRlES#@|qCsH28Cl$KhCp0WlR zjCb<wNOmwjprcV7^NO`lxgCwtrUkj7IEK4Hal=|&hN5(jys|@4ENpH;|E)uDSm98t z@P^_K7>W~sZ%lqD;&e^uDBDl#!uQ@SgHfmwgP4zcdvlb|8QysdNH9BR2uU!0o(tLW z6a7tMfXp|!xkbsJSgi0ybN|5t;!muhl_l6EqVpAc-VWh2@a=>)<?pkEuag=%k0pE> zk^c%csB;ev^-s(~8?NW@o9JzYP7B8Q=^mU}8P>`#Vjd}5qAFNnGr&ryNDKyg<_$Nz z0tNYHvDcB*WfP0vQxvK34w>A+K(90Jamb{+z2H2_kMEF0Xh~hy2L%rw;-Nip5{l36 z)7^j1_TmzT)3J^}3gId9#4pc;q#d!DWu{(9V|Q@SnbO{YpZAy%r4{0KZUyRa7<q8! zbD82>t=OvV!!i78vYteiYr@#+OUU#%Z3&4<gOBCDJ3>>OqMX>7K9soJ9kE>AumP~{ z0Vn7Zi@lG3m)I<TRCXCV#fFlq79Qk?n*TSc{YA3UoY<K>#&9Lyp4D}Wu|G<cXBn_P za~;aKI~SpN6+vr7D=GRcvuX<oas887wTD#OnR>iRwBwkC^8loyTWU^sl9okW)Ba+2 zbT={R*Yf}sD_7#RbM1ISvJkpnu7tFNPS;49W!?u=a%?o}eY}v>T`O;DmDv-ioM+LF z@V#O+%7LW~JKoMLmug(M>qT_DhcfO#xm(f2Rn+3MB%doaIn7O`hZ|awaUYkvZK*de z@F26V*_u{B(*aikY&lv{IDNiUkQPLQpJ_(JO=5>}1NRZbgJdQx&|_cjep`I1WYUjt z8(llM*J`<C)?7Pq1E=iKSKAhE=k+9W@H_!Z0Cm=7+ynfI4u|OH`Y0_GcRV3@%`9In z*Ypcq9lf%-plSQOMbr9ZxuiQ*DZ<kalg=#vxx8JW*LC4%v<=Sko$_jh6p?1!8~shV zem_0dR@%n25+P;%iCXZ8i%v#&#LC)9<_iFA@4HtC$hGDQX-3+DUuFxSV&_$^RljBL zLvU{~?*vu|X0f8yMr51#G#N7Kl~PWxoZ`{6eQukpPnJtM+r)>Y)bb}K=L)^r_9^k& zz6n3GF5l24G&GF~Xt!;GvqHdj11qt(xcyvdhES*Uf~AgC(vM5DbA4634rtIdAXj3u zZH;~qzPE>P@bnfb+g$8XXJ`1^UzfFXT3Vi0hi921N;)=P-bdLk+(GUdZyoaMo6T>$ zCnse;R)2z>P`mJgmlCt9Yg7~(vJurum(X9}baw;_$;`w91pJA<Huq{bpxna$q4K9r zcj!ttu-Z8?@FPrhu%9Y{f3WQ_zAJN<|3eWT-(l|=_T@}GfCWSs!#BG2&Zlz9IQZ4- zL2Ub(YScS9HAEK%5A3&f|0gGD84CQOfXb}dNn+$;Na?P!ww`wVw4-gwNAhIeq09=& zhp)xu`}mddZ5U!TndN)9jc&)VLPlJRJ5*;R22c2z%`h~gCvZ;5-<)w<$wwe-t~57o z_?7b=oo>1dKdfRO^#tFc=OsgHO>MPFi$=;7DCuDT8*acQgU{cY`my9GO73<PB<&!^ z7tc7AKca{gjC+t9x3nm_Ztj)tgUdVlz`$1bg*EaeC+sc?IK`Q9U9jO-M6dIXtq1C+ z6g0xM%GNhN%GQTGz4KojS0E<ZJJ+bT8OMWbq&4{ld>gqe+W>D+)>PM;HD`ZJJN8FK z@B<Hg;PA;X@vV=m;bfTjC&AV!@bRBneDKBp4nAz#1?a@^Y|Ev|n?x1%@m=R3HHSv% zYIkB}wjx<iN@WW_wldo{N)5J$oHas~a0jmbkNiq|{tX#@YH2W|Wuj|@yu$Y;b>QoO z&{5!j*^)VQeeb!vlOS8@vTio-3z6rfgPeYv$+ni`BWQ6&#t35kDHccz5Bl&bYERLg zLcrPb*C!Ehe!;_23OG#g9D|MOfjTu(<5O&V9P}lZN2j+ZubfTfz*o#pT}QD2jF(dh zEpt$opRrEnj?jI){ts?*jE&}awE?&YM|$S8mzi-$b{LS3qV35PllC_AZ?+caWv$2j zfZN#!Nb>5hvmZ?UOD_6R_a$>)DlX~1<PN>o>2;=FXXtgRUgLV5px5zw9i!JOy^hf9 zP`y^_b&y`m^}2V5)W1isJN4S4*G9cQqSuG?`hZ@S>2;}I>-D-ouOswYp>>w&wM4I7 z`uw0?+x2=tuST!?^txTITlBhKuP^9zwO)U&*OhvGTCY#)^>MvEtk+xg>eFjLuR*<r z^jf0VQoWYxwOp?idL5+KO1%!%YeFHf()1X;j@Ro1y~g!AS+7&|Izz8B^;)ObIeJa# zbw1Z9e$D(PA0&%ESogvH0dN&&mD#@T{s9DUw#U2sSCFXd9q=`F_Yaa}@*K*~^mXK0 zav*}ZIs0t00l^A#>@mA|+OIEv?2&o?l1$%+<=X!txqj+FxnB8zTt_bBdi%2etM#Yv z)B5wNrTWvOUVkoGtUp&Q;OF7{d#vQgiTNITTz><PJ;|>d3qJO9xz`hr%{|)h@)P2@ z$oHtceC%oNntMFLRp4&!@wmQ4Fz&I^OU({U{hLN#^WvX#&!|Vpm3v2Vk(tn=ll!K< z+y}so+}EuH@#amDEErLOqM*!>J`WA$77Z_=ND(w(L;Qal4RYx7Pis6tW|m6(ZQE38 zvTa*(pu)E2y?+1K+9StV|9E>+3q!uU`lJ??_>zIttPs8vL;dc;a5RMB9;U6Ks>h_W zy^hVcH8rct*Cqz{RbpNm>x#xgbNlnl6d?QSp@vK-y_#Zedn{Jo0}QXnsWN4Jgq=1; zi3+)#E|(rd8mrnW&HWr5Cr0sC`N906?E-d%89W9d$2YC5M1UkLAaCNP7;#|Q^tB=1 z?2@{@9T3%64%gr^`&Sg5Ch@O!P{yoc#kMr|+n*IJo&I})IW_X&-F_-bKhN9d9&#gk zBJ(!+>Is=^e#qkAB<VKu9WHebK(2Mmgl2cJ=$|%?b>ijb?`-CZx~1~AUf%v#-`Wa= zo(J#dgIG&L=-p-{59)U(N1G`eB1fxrjW2OQjp?+2ibLrT6B#>vS7Fi8e=*f{ztY{~ z1wa#=gd3*+zB~C_Q;i5c4c~0$aUfhbyO-%lWm{&4>U^Di|2iH%Dn-(b_x#oP$0TKB zdu%Bijk#tQCvP-=3+(1mKs5V;C}l2DbYubT51{ZY5MC@_1C5DNf#Gy>GsU`-`^>Ke zXo2E<4~nH^+(H*r2o&q65}P%A)P#qR6c`ru8q&DG9~c%OsEMPheNx@UjBM<XW6qVU zX)MX~p=1xXMBB=%39*dtwJa8#cDCO{O}iGr^qqNLgplmxALSlD$~W|}IH4R$eU;Tj z;R%`y&#P-BbuR@UmG5y%0^Wi-h<vKW`_z=ZXwfhb^e4Y$zf+z64nD*cP-^v$ZTtKQ zFt$ZlS2#tJx-09Re^!`1|HXTy*#??Z>&w<TvkZ&(B%WiG9-IwkFMTK656zB%B<&YG zpD9KVTW#qq4sI11C+qb6jf^1@jL)KE4>Oat=RfsL2#p1Rmlx}z)U1O(LR6<_b^4fT ze9SaRHbX?A)5Qiex1W>50GnXXlT3p&Q@hKmEp}i?tZPV<F5;Az*VMjv<L|1T{}tct zj&4f?(p!_4n!kg%otEgfWUuGG$ji2VJnhr>^l|7&_LiL1lF^bKJ8sJ;`@dBhtiYd< z8Y!*jzztaH?qAM#X}!Q+*9g&c_b=ngI!zmKf-r5}>g_yVXZ%x;SI5iQ-^}=c`MrEz z?uxmS%5~}Hv<$&J>6;h4+@f=eK1=PrV0Oi{fjC<azT7gThfLJ^Qq=JiLz2^s<vVfH zsb8Zi-qbkbNBCR9zZg~OPAc<nC(-k7+6VYQh`xex3<piF58c_vk(fVh-QO8XtsM}3 zCHXe%UDmy8+Yayl8CBVepteh&oA@Q4@Al!rWVzP5WOzL0^CiQpPlG;hA3mx~9F<I8 zH@I>7x|xp(vs+hVRzo8ct*{S%)d>ciIH9~SM*&^VruOhp`oWIc2RGijZe`J}>&$(& zKrizqgS4&8%;g@h_R=Kk@egiXXU^wlWzjm=<aRz%-#86!y3X9sQ+%Unj+9OJG7Cwx zy+dX*mz4QB7j9^gxj?^@JV*OdNp@nX47Ti0f}xd*am*9sn>G#Hz6*~4f>2#6Z7@&E z<8|gzDwGBCGu#S5XL3Jne_yVABgNN~y*BjdqCk;3o%WdDlMf&Rf+O>qz3D@_R;jLS zzo1VF9tbTS*-j~6qSwkIjkzPn1ZWt0U^SdvWWH=+xs)Myk%gy3Dgcq;x_ts(k-bff z9o*P<gHn&nu@)%kMS)()2(!K{8L<#x5yPN*;)y3-l=AigMeMWNHuMl^is&F2OtX6! z@!7CtcCfBW80O!>qJ=fCw&X!OeI?21kB;DH$!fV#GMVt4C6lF4MoCf*-bl2Ql7UU} zNk%*{$h4HWEHyvkTX3PrWALGIf#_&4{97`NY8%53HaShgiM$Mh8_mspTs!neGEhT! zv0%OTkjCeP*6y<iT|83yfC!X}5fhTQ%MF^_L81KK%I~yk9^$iOuZLiX;YWs-Tf{=R zmuaH<w$m)KpCUc2qjlPOjUC%Bjs^2WlwsRL@TVhJ%JrPS|2t%+9@{T}D<z>OI$1uR zVes2}TF0|ATkuWz1Fx(kU5zOHE%MVSD?`rqn<nty9EfazC%Y=_&Sr4j&a?*G%%qor z#*DjEuFLD?x?-_hSE*y2HR3Mg_GQZ-*B|#G{aGRIOKxA5o})ic+@U`|7MCXv-=BV% zA14;bq#q>VO5za`*3F2B*G^T}?06>qfWCcFAd&EGlmHl9z%dWw3GQhi<~ZulyZe{I z4`=(_sofpB-Pn^5oNd9myCJfp>+BlCjdjAqWsw0bhY&Y{G<pj)Ov~FqjF~+Ks}}j( z*M#uIIoAsmDxuK-$KIR3M^$A1;&pq87*V3*f{NNAm;gz*z3<(G0Fsd<LReI^>7+ZP zHR+Ds9SDjFq7DiwIF2$ij^e(KgFEgxZa6xK%P20R=(ymH8@Thnr<U&9NkHcJ-tYf@ zpZA|Y^}SWMZY`%yopb7(Q+2nFg%DPTU9g{gY(A-cCLt@%fu#jZe_mwXRUl!*jU?=l zA_?1P@%;Q=bNes8Z!>CTc{9ibXinRGYrzxwGKdC<NG@CCYsqzNf-in|g&8j7qxKEk ztiL@le{lG4y6hVsOqV^wY}D`3Cg<7{{%T>HFF=c*T|AUwpxI+nr$77>WWERJC-_zF zz!^&;;NRu=4yBNvURnI4CHPhLL#X&D?;Dhtets#hFd(!&@TjRGvE5DGfSIe}ymovn z0%61^_~dg$2lI43(Rf~RGyDo6^~yO#12c9@;u?DIOK3m0B)|gkcWg|k8jtx>U@r)y z6cO5fcPAuB;zyg`#%M!WIN`AZlnN{gtD~iRl3eIqyXd<&(Ke#mMC^uI2pTw>d8+gE z`rQwyKshIsZ(alxC(26SoLQXQ0=aAPp7h9sgL`M3cL=?M!<(lLxO(YV$74U+Jj;2L z`#GOJZw7?@H<q6ME-2WdZRvcn9iCk7R65y!ZY>?V$$eBZ-35FDrxveXaKand!T~Ex z&a%f-dw>WY-S51q{k!T>%Fr#*?E}JV%QTihB0Rgy#PWl}opjkR+*oF2`Mr>c%Wg<C zv#!0DhWnvSi=WfZ<2N`bK_s01HC7mC&yNcnC+#-V`E;*(MU_iW*tG32+O?72Yw>d? zSq3(_ZHb+D6UZdXw~GE-p0ZNkk&z*t^~+D9OGW-D=hFkU4LC*&iXEbv6SpkhRE9%L zyK1i@uq|HKPrL{OWY<v2*2ir5eHO2?iDb|jkt{!F4FF;4_^taQCk@p0p<^(EwhtZ8 ze<$$Yv-$5#{=1O>ZsxxW`0pkBmn?SMhi>A(@ABWr`R~{KcMJc`^WP2pw~7C5<iFqY z-*)~xoBt;GZyW!8mjABfzbpCgTK@YW|6Rj>@8Z9!`R}d#_eTDEE&pA`e=q01HvVhj zzy0{Hi~s8Ux0?S}@!ui*m+{|0{C6P#-IxDX@ZbLU1>rFM?|mNim?8bhw7kbU{Nns- z%u&m>xBptfrfz#1J~()~Edg7vxO?0D;_-MSO@sUbe^NL~?6DS3)3Ex|40pb;?F;^9 ze_UVuxNhk>@}J<g<uOD0KmXzLuRs6M^Bebgy6fw0UoG8&(gz|3d``B#Z+<?zR}ePn zdHu4x1(A2IHVK}naEvw7c?>M-mJ#bX&s(?j@u6%Bgy?l&X7^b7=&_e9W#?IjeEC=n z+0@QqAAf)rE)Mf~o%hll|D+#$N&Y!#$d?1EEkmAuOg%ez@h6s7Lqle^F5Yxz>*8<E z%)cm=>97~@*KCX5-SX<%SDS_md<(~gyan=w?hK^Pf-8pJ{168g9Qx{@AxrxYSw!0g z7A|@e9QDk_8|Vuq`!0TgeOxV{iu8>l{WUt01R1vdm2!8jd3Dy1ffSwwnvdcG7~;Q6 z`0q0OqU`_t{hx)v<GY#JAcO#dr=OV(L8w6Z9`QF37{YA`D-q5>XhxWXK!451HxuDW zvzfh*umyqsUb2|kkqGqnJ+2n3ne|85BGVp}*O|CF5C$Q%qnvI8`b$tcy#tDFLihyt zZz4R2a5KV%2<-?{5Jn-aLjEIh-5=p^xTn82sZ4}C!np_`1p2!J*BcSum+^pRX5$f# zL&zhXkFW~iHiWeZ8xcN3U?#K^K}VQ`a3aFDKbzP>TrWnr72!dI*APBK_!*%J?+pe_ z0tn*~+7V7gxDerLgiUz=Nrbx){(!IyVF5w{VLZZKc;A65!*vToeuNhg9z?hr;bMd# zczy=1{c-KYbtb~kKbhDk2pbXBB8*2`6~aCU-@^ytBZQX_)*{@2a5chmgoOyr2){-M zAY6}kZMasTt^IMm6!EhVIuVXT7=>^o!d?j9{%B(FBdkYw5aC9I<p>K9nh_ciA_z8w zPQa!=uJlJD2*26IA5tKbVwtixr02%lQ;Er)$!t8I%A_eRk!(qI#M^88dN!^-6VDrR ztGqqa$E4<_awu=~{Ns|@OtH+K>67Osv#sr!dB%E;Y17h)LIzcrF>PvBb2^hnYYpu- zrZuFK-SL*Zp-&<{CDVnH6NPjYuWyfcbQ;oCygrjgOQ}aw=cn`WZex4<dZzl>(9xO6 z<x<V<$=)z9K2!OrZ>^B>NS&nm+t)KWHmEwE?9LbS_DrXC@)5S-w=0>mwPv!mEOkDW zo@0w=lYw%Z?f5B^r%f6Ys~_7ip<&Wd)ix0wH(~PRDJn9pQQeK1JY!NdUXr=S*G(7~ zD?a5>p2hfl?DVn5cXao(#uNHzS1vUt9dFMSn$;5lt8JxdR&7(D5opGnrLd>kR=|^L zTLC4iZ4x8U9f1P;B{|F|uoU2#MI&s<Y!;A8rERV4@j1CzJQquLw<J5&9EoS=baf=t zd0R(UE^lj2+Tu3RdRrm|bVE4;>c&KQe{ynu&ejr7r!)M;M6x}Z=i}X!?E;oCHV!bL zo6|xq?eSdBRyj0R83_!{Ronh&B%F@6wPZTyQ(F~|PUS;427RBH>Q1F4&Sm52IZ2Lk zo!MlIEtRt!Z?CpZteY8YoHDi^D9|h4*bac4@=a`*6dQ}5YMb77zIZp!r;GB&qR_tb zb)|Fh)}+l?y<PX};twx~Q7X1m=1;0-)D&~`mh3Qpu{p&zP=0TGY7tX5mP_XOJXCEk z%+Hp1XDTlzf=#yp5A6i&otBl)#yfMd_EavvEBQE*?zFsIKA!KA1^!aqGOxh=zWPH% zm1cFZGrYMdm(MO-B~)zjd_J3M?#hEw^)*Ep4J5KNMZ)Nwa7J7OT~^?uG|ZrmPFxpE zmVdb4alf<4&Mae+s8&&3;i0D{stW`&Op}nR6Uk#c;@#p-RT&<N+`LYH$9u<L;{C<l zFw{S}DxFKGQ>n?5hp|5Bhy(@Np6^Dx8Ow001Ddpx%&{1VQ8F8gp?utTr}F%^Fh6CV zCdSk8IZ5=fcTt#jD1jdKdWHvtgy7S0khb2>LHm-YbS2X*Nn57X)}Bny$+y{@jObmF zJ{HQi%}e2NzAY(OQV}P{q3niqE2F`j6raQ<;hLixx&kdY!;)kdRDw##x23WP8(3_L z2y>yb%5jy|w#sxRwYqXrCEibVcV^Nh^t#X<;9jz|HPw<Td2Gvfb++^VBvNxy`5ej^ zil5%N0}6<_EV@r@0xhMysXpN(3(ea2L`6Ofwv;Put=UY6ZD`Jx&)CKY35*CFafw`4 zXJ;nMnFOa2;yupzf!7%0bOtyX&u6meC!`&lu~dMdCDYLv&!%#KP-{HZPRu3^?gfbt zZ!jint0F!__^Ei8r0oE&L;w&+)e<VRnd&64W6&qm$LgDoZ5(ThrxO&JG;QM8DGl{( zG7uOdM@KwQ*jpGN4kT5Nd@hC<_3sSd6^)T?i}AMMoqSuSD~GxP|0K=#IUo?7z!=;X z`jY{qv#CT<vS`(=TqmH7@fUp|E}u-~_+;RMKzphK!%uyT$x5kANt^_r^EO~9jhmW5 zy`BTDQ|VNGeo3aCmSN-ac+YzJC`V@G{p=~bG|tD^#+ot>G_$ku_UR-80v^AVZ!DLY zd$do8FEk5fZxubLNyj<;rHgUw3Zoq_&b6x4Fjhr`4}TfVV8TB>iE*7w$bvu2Rl*y7 z-@C0Cgjh#sB6i9tUGa22b!w8;3t6fyo@*<JVXB#GzR+8gAy6DxF5v}inC0<Y(gxCx zDF)gs+Llf7B?ZGmh~rQ@df1+sW7p9>EGhCaOt>!41AgDxPPa@fM5smRQzpid0YEq2 zgEG@<q~v)_wJ~=J8h}4BU6bk>6M$z7+=fDonnWxQf#35s<TLZ)*#s*91?6Ou9q|;c zpJM4`9Dr`^h_h5KhGEU5f$p?qqBzG)YBTOr0#AV>xfmZ+Tu-4JTyyFQvd-mIq@7BO zJIbrpV3g0WBxCW!Nf3~EcEaUC#h5rJb<K(Asorcnk)j0^$&|5pGl5dvr;|Jf;NDDW zxKgvxNK9lv3N)-4o#R3>JqOIedWZmvi7(+8%V!`=;dx1%Lr&I10LJrNydxRo0PO0Z z@>G2wD}{R^m@2&+ku1ulPUO(ABwCqkOSRG<5;2d-2?D0T={}W-dyW@qx0v8ai^X`) ziFM;XkxX_P<AOR8H;=`#$wXI6Qr^?@Me_TWWU5{8`xsT4QF1^&+m&undB6nPlii5L zfKjI=Gp+PMlC)aT30m`G4x)`{2LZezljv&C(7c@77tdF(Fd8yB9hjU77<a6#p#w+& zHsVVC=JzNTWp}mbQ=RR64N<^T)CuH)sKloT>&(pK^kHm1m8Ohi^BE%TEEezNZ*nNf z4p2JAKi85nj6Y^}7VyCO4RRpe3#l_EgnW{~xj1Qvlibfr;+S(SAO`tlk@}a$W5%H_ zz_VU1%;zNYKy|T3M}39+_6!iF5G#xWQ)?sY58czchTqHOP~pC*VbZaPl+wq5ttHdd zp5Q_Qrgg&BkpyE*K&qhkB&dLGqCw3N5{0lvxWz}C<Cd6LIW~#UF9v!&476kpmKJ<C z*c8qw1^sBrw6`Z)ND9aac~3}7HYIOSy%JHHNT8y4RgR0nERFe=kTb(jPHnuog-z_r z$DuTth@s|_d1_&O2^=8?a@y&tTqUoo{wZ7@Yh16(HuOkqjROtq)%c9Bn?5$yG=9q1 zx-nC!oulKqR7>G0@UJ_cB&Cr`ve$Zv9RPMxgyVCoJ=F~M1a?zQq)djtRWF$;eE%?2 zU^f(tjvl}seQ3+}hxaIEfE}Ozk-hoL1)pzUXzO>@rYKaHhu0^6vt-E<x}Wa)*Hs@6 zz3Vc%pScC*QG`x}g$T<KE=RZ(;X#CT2v(GJ7y=nUsa!hwnsiK?p_Zj@0MVB`>8qaf zIY;`CC!P9&d}knZBeZ*v7deBUZr?tS-Y3nY1p)pcWGP`bgi#0!5qJgvjTv4-f8Iqv zO)<1(tHu7s0Y}dZ4FA{5-wc1X^A&AT^ZQ5m#$I2u=L2W%5!V;gJhkHRBfLNM^B;Ha zhn9nmJM4)0cU`^L<C$6d7Y98yqW>{ZI1iul!|qpoYp*?Pw?V^4U;8WViz7cC`p&su z9RBj{PmSnEOxwN2{9?bSZ+gF?`I*^OM}0A1(8CujbS1*?3_SkuW&L0NZcpERqrdk) zaoZ^O>N_k4{bt6fgAU%vDo0=NvwnEj{zI2n-|t%g_@1`LKfk+g<%)`5ojK|Iz#m)R zKX^pHZNo=@xp%qexKBnr{@U28Z}<GIZRL4g&WiGZ1Bd@(jeXjn>4&x*)TV8icbmU| z>*LmYY+H{wWp3IzX4a&d$DjE4;19QbdBDI6Hts!f-hF#6Cz#`p#zln+SXNi?)M6Sv z>+d1GZ#mnS9m*=1odwt!HjzzdG1kUTVW+aiY#F<R{fS-AZe#bbN7z&BIra*Bi+#X8 zXWQ6zR;KNx?XMl84b`eOmlo7UYYkeXHdBjfty+hc*G|<IX-l+=v`e+iwQIDS;AnG? z_K^0N_O!M^ds%x!dq?|F`&|1*`$5x8yP5Vh{mL}Zbf{^FX}C!@xlKV+ooSqDg6SC3 z4AU%AvuTd0!<046Go5Za%k&%5GSkJT%S@M>t}<P3y2Z5Gbhqh#(<7$GO;4NFn_e_+ zG`(SZ+w{KaW7FrRuT9^Xem0rRyP5YeSD5!TA80<*JlK4sd4zeS*=6>b!{$2kSo5#V zlgv}h)6K`5W9Am~9CN$5)0{VVn-`cDn$I>bF)uSOH(z32X};XN%6zT)M)R%a)#kg* zYs?RtA2B~>e#-oe`8o3o=9kT{ncp<OZGO-Eq4^W@7W3EUZP>l>v)N=Rv+Qo!(^6sC z*K&a6V9TMF!Iq(xVU}u(ZgE;XmVhN}sk4l+9A!D$GRbm`WtwHC<#@}9mS#)R(q=i? zlCfkhU6yXkX_hlBXIaj%EU_%LTxeNgxx}*4@<+=Rma8n+T5ho1Z27ZgwdGFBJ(l|{ z4_Y3v{MGV=Wu4_2%X-W6mKQBATVA!iVR_5)j^#beX3IyGPc2(4Us<+VzO(#b`Prgb zE!HyY?$-X+0oJ{(`&tjM9%LP4J<K}TI>cIO9d50*j<h<gF00oXu!gKrYn^qB^(bqD zb%J%0^%!fDb-MLf>+#kTt+TBy)}*z~dXlxnnz3fBdFwpueCq=18P-MC#nyAIORVQx zFR)%@z1Vt*^-}Bat$(!s$-2sVwe>pd4c42iw_0zruD0H3z1w=P^?vJv)`zWYt&drs zus&t|oAp`idg})3i`IWwU$MSweZ%^ub(8fS>wDG@tRGrGwti~eV*S$kwRNlYTkH4M zpRC)hTA8`bTDDu+?q&VU_A09=+ox>bvi-{jmK{_!sO+$^!^@5+8(LObHmqz!Sxwo< zGJBb`%w6U!^Opt7!e!C2y0ZGRv1Lb<HI&_Hy4~~_)1QH5H<@lQU1z!mICrJ#Pr$uD zm{yuDHC+NsTyDA$7<s;FiRoO^*}%_5rZa)3r<vvhU%N~>;BBWVZE822WNI_Dni8fK zQ`{6YonSiNbew6XX}YP&G{w|tnrxbAI@;7=Itq9{#x&YA$`mn$F%SGEugPO_nH-oG zBTY4?5vF0LD$|jeDT7Uin+`J_Vj5&R2y<tD(|(vkdz&gudzt#1_Au>^Syg7Tm`o;S z+OGYi{iuDfeXDK7jQdLaQrn_^rhTe?j5)YjdtZB3`<M2%wn=*v^YV4=Rc#|?=u6s* z+VhyJ>$PXKXE1BmX-{fTVE#U;t<@gJOnyMSUt5DYeYbX}b_ZtnU$j4Kw`w<Irr)4l zuU(5df0edMy8^TSkJ=x!m7oK^(=O32)|P`NT&OM6&d1jkmT2c{=V*(yv$TcUncC^v z0#J?l+B|J8=toY=YMojJw4_}-NlR&MpesqOMQhe(gT|bw&C-t7js?A$u1(XLv?<y# zpgxndiQ3WHueI^oQQA0dj8+e-G)jwV5iJA?<=1?gS960}IW)VbYqeSpXxDIUm{z47 z2|6}J8>}6!*|bAJ)dpz?X$NWpLE-k(_SN>$_SPyu@AlOCYkO$BYyGs{G^=LO%o?2C zwe9R@_9Od&eb2rHW!%cXVPCN?*%z=fe#Sm!pRkYEhio(G=6md2_AmAh+XO25Ci^FQ zoxR3hWgFSc>>unU_9A<MZ2*m3&;HJyVSi&!vvurA_5^#JJ;wgZ)`9{*%pQWZ@_u$7 zTf^=JO}>lW$?jmcv(=!`e`dF`TiDI)Ms@=z_I2!9*fg(VtJsz73efP&*&o>N*-Ca9 zyA(A2x3G1tV9VJ>>_X7^rR;om9$UhG!_H-AgX*8f7J+x42|MTlb{hD=eAdn8vAHbI zax4qZ(8)5;%XP4JIHae*E9S6PmV^Y+f|WuX+~Y)c0-ME-XUDN)*-SPA9Hog(WmDKO ztdUKICT}8}z>a3WW(}~Uj$>oNb?Vt@RtK3O$|5YxLM#Yg<YzwSVQ%JPPUZl2(%DE> z%W7CP8^MM%Xb!-$j$}jG5OxF`%npY{b0|B64PpnggV=#=AUlBV&-Mdv`xWf8dqXZ6 z!1jW~)1U1Dj<-8xmEBkwvqElxO&pw(_~xT<`5OgUWfblyEX3JveeqM`n=OG^v3Z&7 z$+KLua<hcEoSUVV1+$dgH!DBC6Kf6VIBVNTXBZfo2ncIZz{b}%eDxK}R}Bl;NF#;y z+C0eZZON9Cxk^(>=lDoFx5`axM6={Q8P?RjwAK}#adVx_CyjE2X9cUA@i`ggWSk6g zs@$e2(<ark`U!Ot8)IX}j;otCp$X-Pc*EGSV`E;o3+v`xgN5u&E!WvgSU^vahD=Y; z5Pzi2!P*E*uXsDwMNrYqfj)sWI9bxG!oCL88Zy`>HjatGBvdzH!sL3=^dwPy!j?~U zBuSiQDJ(_iKuyl|DctI0e1Wk^b(7ds`oSMpX5iW|X&ly2t++NciS-n;bd)X?c9gdk zp&9`ud|GQLxjv^1!O933Yo0F@BFI}vOBD^kg)}VOm63N`XIG3XqVP_Guo)KCXDXgC z80RN)5EWiwlQQ`js%TG=F%oJPK0<xGI5cMiE>_!64X)*kVBXpZAm@RFUHQ(gyueWc zB-ZY`jH6h`?{Z#8t*h37@<$keJ3_bzuo07l25CgWQp;G4AzzKmS0nS)81n5RF7j0w zcWeMQs@d989|-lJjjI=%p%je4N<J48y{D3pfY|GAOZ1+vetN0<!!M&p&uzE7^UYSQ z%;<0MDE#EpXJ1+;D9r2f`X;Vx;kETSuJpG>T_2&?wR<{`rz=Pkr%O%Wm{`->6e~XK zkNbTQF2S=)dOV|bUKO(6h-Wv-XRDC*U;cylWaBp`zB`LtUrWl-N@D-p5xD!ZDO1Nx zeQoak$KF!eGWmAzexJU5aM{gNO}&xsG}bqFrP>p-=B3h3M}ZR8b|#v68;0PQ0{zie zs-x<gCeUK_&p4r}mQ*rBI!Nuu-~kCAB+T<vBA$;A;eN*GBVXUv>Uv8nG{D$ZCgSx| znug4*=VOKKX2vw^C}9kH(+p`1JRdf#8Pj;aOG?rjdA^mUX*}QMC237O-zuch0Mzof zH1T}c$H`U=Mp~Boz!=6#)XC#Ra@``C5gsj|zKZlyPdzo!ObYG|+f@F1%aDdTUJtyv zWf_!q9It1iF|A4DgC}<}Uz5m(Er47XP|GV8-?E#H&mw`%u-c?(%xc8fQCz^CNCWHs z&ctzAra38X8PW{n1MY)$EPS8xm;f@LR8PR~tQBdpukdq%KON%DIj;X=3&{rz@oX;J zGDPP#^({!N+P#p*+d$<T|7g=7#W%>Sihp*mm<KBUQjh1^HKosu@2|KIezgcxu6lo? z;r+^oO%(wIdQN|M#M^K&V5T9i!V<)nAuLDOQm(NpafMn$s`_d>=O<X>{05kwNU<zb zylmO`lt=unA*S{`#sM%^f93G&gWD+UXUI1YK7<R9w#ksshctLOvxFhvaY);UG@Bvq zRHR*kv;~H=%aOJPY0QxJFw*i!`@~SkCZx?q8sUKY`!)GE(z|{9{l^#cKfaj%H+?bp z#dL$-I61lbB&fw>O;`)C)#k?e(_nGSB$BZPNNL&hI9P|KN;B2-cw=lf8=IQUi<iKw zP(~)x9;0j%GB9F)r8Ul<NY<EStS*s284yF^bOVEm8)Z`^F>D7(W>YPblJnTh)>tD9 zX|RQ)V)NQk@TKXDw?Om08l_NivAWz;vH->MjQt8}P>RQnPEsSty7e2RkY{2x9}^c* zF;<_Vos(Nyy0S1t;o~c+Jl-8u;`xT&LhFuBPiq?I!-~PwIA20Vw)LoFz7Fm_tj+L7 zU5;|sr4v)hj(UV_-IOj^dOMP`h4&ik<?!i3+W->c>C<86LBWizN2#&VBp(Q?_wSL1 z{L|=ZLq6Ft11mI9U?+cDSjVU<V=`SZJ>=L})H9BJUH~wWhL5vy*iM2k3C6Fh1@%<Z z2#{$bMzFtH)q>%qTGS|CQ%I+NjW3j3tPgyS%2tTdlmYNaS{*~~C(tp7aUy_m|0oHI zyA80T`mZP0z)}<A@VmwElxms*dt7}R*@9o7@&wk&Ci?IuVFC%-YNaA7fu2f@Ts@W_ z<6u+dZjjw5!vJ;km@&63g~MF7@nLEc;T<($TAHk_$pjy_)v^`ixQ7T-`Kp(+e1`2R z)gp@c1|<~nUo^Nd1(;qK0Y2T>oqUYA7o{AeiFjX(q{#7C)gm7C(fc%q8gf`w<Y~&X zLC8VSP~N1X9kC)L#$}U9XhaAC0(0te_41anuS?o1r!|{eeA@^|Jg&>aM9FSZt*Xm$ z=v>od^c0k?rhGKUG~jG&v95Y<sDum?P(7NGj3=<1O%-dFlTP8~U2+6al)*N3t4ysY zt10`Vs;{oI69zCgvH)+6WbA1R@RkoSH7IGUi_;_^2A}6wp;SHt<=kM<QpptFlPgs{ za)yEy8D~U8Zbp%qH5F?iSWe`2PL?aCHsl&Oi3H($g&>sd0QzCbpg|LuKPiK>Ocu~t zsahfHRj`>}ERE`r!<a*EHRb}Fo{}^n4|=H<;u7&#)-Z<j7MviVk7}Hc5sx*-v$-TE z9iVq0z|buva%?v$O%h51OAT62m`HUAEPPY;2ZKxc64q60XG4xV5vL5b3W}=wR8ttc z#(2xgjCB^@9S`>ys1ppGU`vhgm$>w*tX*g#7`q&Cj*WFWY2kg2!-E>4pm3w1Jwyal zYt|Jo=cxKIEN93iVMRo`Zfbo)gL)%K?WeiQLBB^YNW%M+k57RYaLj^@O3r^{?Va;s z98WvFwTX7PhYTgZh<qZJr_!Mk%0OVw!9{nzaH@sgvLo4%<1~&*UvPL7r4#MRtP3ie zjt*>|m|hR%SyRKrv38d(N}bALDWPjRo^>?m;HA@onLddrubTm))>K9o5u2OiTA9{Z z4jND-cFyPCDKp?@LH<c+vR3G7puoU;@fPstRHixB3W^M!CU3u?B%$AFg_brOPr;*{ zJayo|2P6Jv@Rfkt5qJB*o23P=D=pA#F=$muvy_I<N1Qw^k%?gyM>Xc4^G)TraUWV% zyg`Tutt%)Fza0pV7n)rM!b3?s)6gE23JA9Q@XcFjb^+B?9^y|2^t^@pSQ1)bsQ=mk zk#;<c(O?`%J%<KvPFEI6m^cKJc`>*TqJ?hpW(u2DAi&5+$@JV*Hj^e57=!+pmo0OE zQIjt$cP3!aG{c2PI5NcK6M`M*W<zLHlPz#PR*%F>hoLQiGdw_05cJJ521lV(%gNl+ zmH{HM7XBF8aq1vBMkX1&xNACcHPBAfpoALuK(^Ji+iUDK5;uB0ry+n}lQBz=96--h zW+%_#?L%VHPI6#Sp;t9#=-Env4m-=ymW+3nJipF5EiGn3qQFDO@xg>IpB2P@hmZF& zf#lYcIGN5jW-~2GEY#1oHYo_IB(})hkdu*2b{xEMfESI~WR3=WoaLCVWOjZdH0dNo zzzMk?o>3SDwtw%^8xrgwLuykS@Hc@(_8z59oevk6jwXPxE{6^z=?;>>m{g8@QAFkm zspf1vJD(Urj-6<xrL{n{sYC?Fqd4qOYsigBHh0Z|Gqq~vv%LI#JPUsps5LV)Se{aZ zP&1yBkr|8~J$A~Zu@jsQK|96~#c82^7Dv%t2do9KV#Mkj;DAPsh*vZ6`|4v6{GX)% zPa!}j@!WpkBV&|~M(Ji$Bcz{X)sS4Wy|vmla#(pyO?mm0B(OMbBQ|MEwQ|!BNSxSI z1i$aNtxCAH&xI3u*2Y~SQ*)EUY~*suy{x%_Th5(m=YhP}mUANrDmD0?3V+i=&4!%} zw1mM{1+i!fQ%p9C+zQFyLhkkCH%j&w@-hQ5SIa$4WSWuNsHkmnBb6<VR(E!0GhkpK zf9O=X+NEL3(4sL{YqK?>)Iw?p7Kb+UHGvIKL^P8LTQgjwjaeWt!AlH}%K@V~06@Ch zmc;fbm60c@Zq(WuTG3|649Tpm@FvwD-^2sHZ=l#P-URq|Q>A=ei>(eY&X8Z2DwW>v z$|VyVz-PZ^s@O1`RaoTUE=Rm#1mk*fHQvT+Jxb%tIJm#7HH{6GVku94k+@TX(_L+w z-xE1b>B{8!wgeCe7{jDHFZrTVd+|QsV`=NQjkL`d<Nx)`rix7ii|sSEh3=K#<<4rQ zvN4QsHO01%R+LV)%kq`)tMI`!lp?VjrYG<)8>l0iNBbst38HPBY^hg9_KAFAPEZ5L z{$hi_oeggZ(5Y^7b67f2%W+AuZ`3$1j(v3)DD0qUOO^}cDK~tQp_5>aO?rgdC>%&l z1B`)f$$<H^<lE;9tdye+ZH4kxR_(>`luq0@Fl`=Y2I*m1_(qX#IRzDr;2*5sMsN8< z{e@0*kU?NT*DI6VEpRIb#$$?MBa0aF{Je~<N|ry&CLxiN^%~~Ap<XrH_#E%6{s!zH z!Acv3Q#tDm<p|&Os$n+aNGd0=Ap;(f8>bDv_1FcOOqZXGJ(Aq^3X!-Ij-t(}cG~yA z_xxnq;f!vR_EXVno-3PF?Jb!Eat)vm(8l+yP(#}VG7|nnr3T{E=j)QdcJp}xw@o4$ zm|;-cq_Ninadfx1GeN=-KJul7o!WEUyRof-`!1&nMUvCA?NnZZ0W=bJlIk1qM^V_G zl`CI))qqlbBfM2P3huQEFNDi3hG&d0EE6q;3$AU1nuRqsJ8z%D%_3@+fSfCv1OkGv z_n7?PW3(4QHP6taQdY({X2xw0kYTgOUJ-2Dr5&we1{hcs+S05F>ysQn;Q>B~O#?NY z>4{E)hZU*B4gn&k2IooTQj=Dgtbh|31p!oL10{%a&I<e>9wFbTsw~)`D~Ewxl#8k{ z@QRWsO_|t$Oe`ZIwxXd#zUl&<>Qz@cA9=MSsH8q+^5)gao+_eL*k_@D_Ddrmc4g4K z!9Iz;N5SA1uS%6@2f3Y-aqcrubA=BgAyE%JC`Hp9%QFUiAn5gt6QVubXTL{#ra;^m zE#gm0TEzDifEK7%N^rVQIzaspdp6WNyGWv2Q&|W^3U3Nq8I`|#af%Xp2@e&Z+gNlS zZYdzN?enW87I6eDEv}TZ*!AJVIoA-ZPP)6Os^!LWflFLGqdvX#mZ@Ux-?@3X!1~`n z+J+u!g@=Y4(5~YC2?drSj@66xDa}ZZP@I0+#EKGpmxMyRPP_!0>1YcA-zLDR4))^} z_C8b%5#mpQu3{O)L9qkzOBBHOdXOf>(5|AmR1Y-?FN1Q3jg)+=o#4p)U9p!)y<Lj4 zG*m*s7MmF<u4Hk}@-Ue>*!gZpM7q-P)>eoOf&)k)8Y7V)k%HrS000n22cRT~mRKLp zkz@l86i=q?(8tiiRZeog7pm`8+I0y_$ur@1L&qf)GVeshC}HvPb;!|tg9PA4n=>J> zfmG+DgwJbI_3-^us+y9i)ssUDECBdYAl%S)(M}!^G3>ITrMeLx05h@wOO;zXBD7MH zZNQ!|DMG8PMU<3NI}W-F1OU5Il%5Yf?WgPg&Q$F1!iZ!u*jS4<1b<P>D+6lFQRPPm za50;=XZHTAVmU&^0jxsq#Zy)6jDSqVCerqJmZl6L7v3z$RMj?YcNY_Y>xcO^UEoCm zOENjFI6gM#GVM@Km2>YlE>=^rqy}7=qEgiwb0^3!G2Wf(=<1-(6PP(GlVpZi6;-Qf z44Pr!;{~S2a}zrRAt0k8XPQbpGrp|Yr9fQ1H*Qy2D2J8$Cna@iEA6Z!B16f=wFSjW zi73Q8@Yi?;X@Sb+=3X&TDQ_ti<+HnIVjuffAv%=v=I{e8YG~V-SbF8#Fqh}F8L)&e zOMv`*w4^U0nqREDTtSx>rF^lXunyTe+hMBZd%$^r3&KNbvkCS}J0K+%UOs_{Xo^I$ z_GD{5SQNWN8%pz(XH#?9^0hcfg)i24r2rOWYJsW7z40_{ND#w1zKI}7w3cX|;(g_^ zo2A1+Z$aV~1dt;F7ztTw#rX<C51|O6T%_<L7Q_>N#)7yl9I_yzbhLwffr|w4o(nAe zUT8F^t!gq0vJI?m@5q3S6V)pacBG;+loKjzNN*&j1K+C4$p$!b8f~N{UtP$b(54e2 zqPv2G((X6@az|H78&;axB=D+^uMcI#<ycSBDKUtGDq>+xynqhlfv$XBE>KSA>DVHX zh^@sIw$&Tq<M7E7Cu&>{w>Y+h5^(TDG0xwvtwp7VKh^$lkCiZ%fbw{eFwSBTXI0qw zAvm_4MF>b9FWpHeD>u|$$L`pamGp$Z%Mqh<{0YNUH_N%M3UVajP_m!`DdhouN|LnB z1j(k2!L&3k;9xIl5|%7F9s;bb8RSafEgvJ!<!CrsU{{#WOOOj_<NjYorb^hIq)Wzz z(Slsg=NuNnXcC`@v?Ny3g5x~aI(FSqXlYmJ9j@@O>!tb*&c`s=v|HKmwo&roHbq{m z<P4H1(=xem)CTx52Nl2#>=ddjzMobVTH2ntq+4*m7HR=PI9m;;a#&N^l~6>a22IC9 z&QVm4Nmobdv^5(CzqF>3*pn)WgPagVrAVF!nX%id$ZJ`kBG=OlL;1AXw`y29mvSLX z(&SO2P5@mvOsgpF!!PurFa3srn}7w+A$_J4V2hFo)cc@$ywN2ZMOzh?pyEOK4&+l( z-a@1^^oy4;421#tsGDRFgWdyip?nlINURa85!St&>O?Q`hCtbyp$OU5@wlmCCo-d2 z$J+H_f=Tndwkkq4ENIg<_y>VxQ4LCT;@jyVeI#?`L>@_nS5#esAElv|B5ewUR&=_T zj)#gWIZ;D&(1&&ode>Ajs#54Cha7CKs6rfDIx1)n>Dsut!iD%2#Lb8=^ojH7Xn8{V zbow*u3;G0-!as#;m^3iYptUMN!n`tPn>ck0Z&)?j1v(_oK-l33s2R^S8zOJt%V~Bb z$}{MYiZUTT<f1S197nokrBj+;1Lu2Szr<OR&%_dNggEJjuQ!bg2r;Y5NkLC*2(EZn zy4&L0=qhmrVlWCL9K&j<oz7~TTaab-pwe!y9L5Q>?Ic#Ax3h{-X;y)Akt$ZrL;O@$ zv9^^}Y?^~LW(w&@6Qk4nclliLY;AnUd3wIJFwZJxclMoMoV8#Wq#_xV@G33@fFB~e zQ2R-_O5kEIzS9etO2%7}ojymLyij|d>7ZIDX{rQlZLe&@Y&8*E6^5>w<SoFw(2LGE z2sVb6h81=f?Aw^vmVpM19~nV3g&!jV`d%Q=H0`iwW)AJ4Dd@XMp5Yi1mq#RlJsA!Q z5@KATOi%;z2>^K{Tmny=LS6#}-p+kbusT4a_zXxvOr;9qwxX{WJtqDt;0%jS0Ter1 zkH9Tp2kVjl*5wET9{jSJzXTNu+55x=_Ah)!YQ3OmV~)gr3FuuKpA+$S-R6pSDZW9( zw<OFJn<@Uhhz}WJuCUPiFNpZJGjK*HJ%3TeeHnAbj}(7N#K+_Pewz?~S;YGtYp&=| z@Bc%@yPM1v`_l7QM0_^tw;^8fs)#R4g5DaQ_ut=KF&=T-YvTFJL-0Pzv%M~CTgy>@ zBc6|XL&QV-nJZ=@KKq{{-hHCEVj%J_d{e~FJ`nXGzWOcs9QmuMyiY{jw+}whg!eaW z5^>vTb45GiTizD&*?>nL@rr-RIQrL(xc;t)cTYt7QC{PFB7Q5%TZrci-xu*Uy18N* z;;TLoaoZ$w#VF)oyII87y37?T@qE*VBEAs&`zGKy`&h(%fX__I|Eb_dn-RZ}%KKbA ze-{0jjpw$51V8JnLw^t-CF5(*{!wq^`4{5(ghA$tTk$>|IXS;uGs0Z)AmX;KM0{<f zxndpS8)SR~`u7sz3%?f6S7E#v%3Fo<h+no1G*`TV=lVAyz8T~93F4b%eDyHk8{*5i zisuW_|NeM?_Lm~Ad(9Q!;`yj;BHj)7ccT4`vVBCCtB`+_jKB0N;0NORcQXG>j0f`T z-;4Mx;0yLARjiWnP167$ivJ*<x1oP+6#r4gKf!o)Q~W0puW*<vmQejai}<>O5XW=d zb`js)j`2c#3*saXYy>=SM0^9o7G1>q0pA})e6=Rx3CI^45#MAI@oU|H2ja{k;<o}` zTM)NdMSSx(%rC@8m5F#8;I|I(RlAG$x+5?@-vRt~6Y<%=pZ<t1>?h)D0gshv|JuXk zcmw~hMSPWvKZx;Kjri<?MSlpsYbn1Wz5#K4Q1SUFln=MG3T10<LwuAWPPSh4{M(bv z6`SyWXM=!G)lujl;*FyuJTcx>C;cgT%5ZL!qSN4ny_hPo7AY{dw1W!~gUHyBQwq$9 z6j@N|95`_XRZiK8rT$QrU6h5StZZ1LD@7t#NTGD4k1BA)gtVgbHI7^_$I1Dinb={R zxQ;CxE{ZpmNPrkaQcv6#LayRpNwyjic0{gl*qE&(mtM#eG3F_)k&8_PUjZy}E|uzh zFA)Q40UXc+YbJ-BS{(87UJ>EKeJeaA#TimnL&z(!+E(-)spmO`RaUGt08}!)6EL8r zi1R^;7rYNdn@Hyil`Pp$r>4kit=HNKezd?+B1Nx75gqe~g)%Rc)E@lEy=o<7)EZie z(#T52i{tA6S_a2+1(~xF87hbM7DjuP!3U%ukK!eHUTfjvcDwC%yW8$?+8u7M&*9Y_ zcDv8+_Bma;%k8r3cDKjjmV;)HdW{wF{!~@MpjkPrhXh>2ot?i6NvPMmMFU<>k-Lw| zYx*j|U~&|Cl2SX>j;3f2ty?REI2fb&G0%J~#Aazee`x;Fx(@3llGF;0B?e^elL{0v z3KNTzPPu)ZPR8b10jZOb2rbmN)ua$eOEWI$hR_<2x`nWVuajkdCBjOZJ-j^7K7&o& z&_XF)mzXvTIi>Zzo6rq&QrW#Bu^P%K_R?VZCZU$5AeU~X+Y1Az4DXd{OOm$X!^Mmh zw6%}Ac1HUojiW*0YHjKNfoANQ+edNy_&I-uW){0A>mVJ@eA{qanidpEC}u%~#9*kg zR32Z{8cq?48f@-mR9+=@J5n)^*L6}KpdcU=*D=k*K73NwaI7O8F#%H!1Cd8Y>o0Xi zprN&;KrNBG3)%aWyVd!6s;tt2;_@WdB3(05TtOEFj_mMUH&w8K{K9V(`bE-2&Qs(K z^j!J^5lNIpxD}IPTDm=TvVezL3mS;#uyUbs5wx7NG=OQrttr!-OJ<dsK<Svok))#0 z9Jk>UBcB<pt57!NyA3?Hz)MvzaF(URfW-vlqsBFIgoiym;6N{mOKX%`4rUL79=HOY z&^Xg7vxbg==I0RbnF9pD@v@@Zu$RnD;egg&1p^Dy<>Wc73_GO-35UKC<yyg@Q*CGx zH9@N9%6qmQ&@6cGar9$SE)nNKs<GYK3{}!eiL!SWY@M`TCs#z${E_(xi+bQ2S<KWa z6~K-jra>h%DVM9Fc~H!_a$z+BR@14Lkbq#8;Kqo8(@FskxxXd!(-P^5>3q1jJ&V&| z*(N#D$r_nR!MsgQ**%Q6<S!@m&0T4(dVu0dAgpSK!IV*8;C4qX1gP3lup6HC;-Oq9 zD?f(&4-qvcvI2*H$R4Cz;0AR#6wz_JQWq&D(Nd5|^#*tK6Q(KS#KL`{31}T@ak-&j z2g>|X>QRt>;2;EvM)~iSvS8G}_gJ8re2y4e$1#E@3cFr4_Z=v-XJ<vW!CnWH+DVz^ zrMALa+tj2a#w7<Gll~Ttw>S^FU`#f&5X7a42oVRzPTd~(WJk`OxIOUR8MT(kUUYk~ z)sZ3z+@?i*UO_0T>y@7%tP60?Bvn*-PeYV~dufMZ*iqkBkTNm!s|C3i!hkv>*D&?L z-gm_}S~#BdvW^h>DINPb7r&GVj)MrsAxY#w@Z@3SQtByfKR{0l5`*YjRcWtv*<B91 z)9t}TDzv|dFgT_HNZdn=<u5@9E|&~QnC%NA3az5#<?_UK*_slQFYgESPgN?c*Bm3} z@v}z3>F026C@mZX+qg7LV`zJioANUuQxwOuIdICre&!@Mh{vH3?Mh<{E|*QfLx3-Y zA^ejZ7*pY5C-6kI%V374+`=2!pdQ77NcN9gylX&`A?A@ulM9)3L{CsBG3wrMQk8(+ zV~r*0QO@{*5u`%|;$|<ncPa1Ug4`k|2^QQ~ePMhXgnex1ctE}82CIVUsMrUNZ34gs zUv^9sZYHCBG+45cu|`nm7MObkxC$uA{h?7qFW>uOdCCQf`o(QlJ8``)_)7&TxAeg; zFP30*!7rHBg;TadJFyK24W>OgFwrP61&u6a;QTz`!sIR4P0?#=k|%+|a7l768N5&? zAvGSB7%l}1EGN=f96B+a#7t+9oC~i2;Rql%H3+yCh7u)9yC!cY3288os@9e)-U?y` zTGEH@mJl>sbaj<RRw_{bL5?PO3`5zal5dF!t=wCC8Oq@YY4DSR7$o7|TXH0b<uDa6 zA(i(OB^3r4vS4c$Wd8yMFmhmkyu6pQy}`e!hnGSrj)+d9zomA%zPnq}CJYDkA++&O zDX}0o0<Z!MV!{@BP>$Tvx<S?yya{=u2ynHoEBa3FOlaJ}vTj$M`7y?Y<#x%sZWrq; zye!u0+*h9X57)54MM`PdIQ13s9+n+gxIlb>Q`k^R1-YC-$|M?lxtOE-V)1}k3mK=< zHc(Jn&S%85!v4&1Zagk=g{rkpq(y;1ktCd9dC3yZg>r(=AT*%{tJC448RfsUS{191 z9t&39k&&VVKI+^r0Rpiyt8qz^^9Y#IXyr?d5yBd$=i~}k=pOJulI<dW=Wglzot>_J zsUbx)Vtv`2b`6ya_9p`l^MT}E^)_3*prPbr99QBkdMlTu=!)cvg>tZ?i$I4b1+hTo z5o3}oCn_Quukhcnucd^Z8FVPf(p!g8y1rIq3#*UtV101G9atP<fVsEhr8QoGfFL}M zxd)@5=8|yL8W!A2OG!jcI9_Go2+upb>q~6VcGcKlB98)tB}c2mF5oVF0Ad)VPa*JO zr)Y6$pBz3MIwmo-IC~{`N;v9EHCmy4J$5$PdQ!?hb~X_q>qTq}7$~*{V1DkjSK^>O z<l-|_G>x{<ki$1Wl%1z@VT$|G!C4GjeL!Kjiy$E==sj0SQ(`;~AzsKu1);1UzS8;& zWTO~Q(s~h!6L>~&W-L4!sGI`kDvn9K8k=JQH@=J^F;V&2L%+>cE4Ah0kO{<rj%R@L znlL3)RbrnlG|Q-)7(yXcuXQ>|;hY@dz$3mUEC8%rsyhl*<mIBd@HUmnRotN8?XSY# zb0GW~U=vh4dkNAOBCP^;AC<NcX{(U7+K?}gv`t7`4ttQww;XBMa$m8*kajuJ)*@fy zp~ZYEf6uF$zbQT{J01MKnHPVNG`&ic?zI(-;~44p4Euz3jkMu7Pva`TPXZ@JpFZqX zJ7bEHYL_T)gi|WV#FG6)63q>EE@F0E+Ag^5%B6SF>?Nmrk5wGsV^peAK&{GUntSJ! z)?d`H73x$Al!70h;K2|u2@{o$wV+2YWzjv_QzADOq}yG=0wqUMvkJl<C`_Rcqex|7 zM|H|<2+^;QmzD=9?iW`y2q=##nupxM6Mn_=yD<gQiO-7Va?n{}f|E>7h=$95i(e%0 zS4n{iJiW|!3MSkmOy%xVJKbB~P{K6jOzX99>9$qzwOTR(&%L7Vpa>6OoitALm~T68 zYma%hgC=v*Atpnq9dl<45JmIjC9tN<wcwO0qSu5oLcc9%iCS{Yt>Aop1N{tVoW!>H z_5-mz7T(dk6p}7^*~(XXxXrLNk4(|Rl*((AJXO|25}b13QqnyDM=BO7M6fx0F76kK zAbCVO9Se3Kk-J#ZRAtln<-!U@5yls$MzN^lu&n##QVdNZo?CdGpQ*bmud6KtoMjhZ z|2H~PD539;$Wwj)t+w<H-NKo{zg$+KO>$Zm2b=7=yD-pPlgT{_s^CRVt3WQ7!GtA| zhCWKTD+QHsG*B$La&I@f#qD&pEd@y7uWN(HE?D@kZ-y_2+C)gkyC5?1g-+j_;raeK zgM)G@L+4zfWR0h!1H~)2Kuc3wZ6Kh!O199Eq)1yrIM>I+o#>KzmL2MnIf(n9-=$4f z#JeX$Qzu98&q?x)_r*!CkcsLq??Z_Kidkad_(jen?aM_K$d32S0cX{T=!8;Akf&|u zy%|&^ZARz9e-4Wde92JCtN=Ldby#?}rn=z{i%eoXAR0rWY2;^N31bru@o0y4CpQqO zfsus>5neU`a2AtQHDYJXVMj0r5#uL+7nC%myS=6VYP!6)Kv1G}CIKI+sdnlumk*Q+ zwNcSiqK_n!iRG^%+C&$mo(N@O&KEU5ee56Y#bb-YTXzp(O-S2n&jm47ULFmk0d8Du z+KKM1SUw?bsj-2(_);>JskD#1g~M|Gcn89&VTII}3C~gM<Q6<^#^enztaobcweYj) zVR)$F+5aE5AaU_XeDh9?VG$!H(w8BBaRx$o{okE}J?V0>2?e2&vIs>?pGYEh6qoGF zL?ON0MvBOXr)rBJou*OZR?oylHs}?M4WbVh!lwq)Q>e;lEe=mYEZ;k7ZFTJ_Xbx#9 zFTQYCRpKuKP#K_HY~8=9KNq@wMLaQt<e$A^f$;C$1b<2L&t83oi0f0#+&_EvLJ_Zm z|10@pSDYo{-9v>x_S(fFKD$l$V|Sh-;;YBQe;WR^8)k|4l6{5$^{SYNFUNWM<bSQ6 zSEZ!?^>4)UweZI!f9nlPM0}uK_*+*j74c5^zmorS;{_tV<WS*1z5F5({}%qZ<UhS( zg?u0W#^gU;afyhx!C#d8r5i65@y?@#zqD<wh_4O{|LEl_MSSKM;s3nh4<cSsCH$E? z|0MiVb@<PcKl4HvZ>tyn%&TR5`BdT0yh+A4z+asFmn*Ii?{9&BEcq*slJN?(hy0m4 zW!wk<Tk=<4CF3^0kNlyxAa2H3ehdF!@^4<aO2k)BFjovhyy9w6{&@KNRv|u0#@Czx z_#@sZ<1WC9{IzGx_(J&ak4JoyjBf%ykbm>SYeadg;9pGs%^R*0_4y7E{>`>)Mf}EJ z3;*VYH;DK~_+Kxf@@^FI@h1y^=FXc%e6?TrGk4x9pLYm<=FZzhT%Rudkyo!4abHaM zH?O)w#49|)zj@PLBEA{$=l;$2%ICm8@^7AfpNRKs7XHku9uV<0@K+{(=1mWYc-3LR zU&Qq&s~8CQ&V+xq4e{9t(f@_;C$2`k^H>pQ!vR0UM?EFucxQr)lfOFs%|d+P6ycvt zaq?%L{cJIRp7J*rpD#qb^NHf~Wr#N#%3q22Cd2#J((@;a`Bx*p+VGs}q(9~VT+k&d z>QX8t5=Sj$fx8oqvZl4DWS|D&wy1UI%UzX|d`|xBT6n2`Cu&&~TT1s)D|wSRa`7C9 z5(2JBq!Ko<q!;c-Z~?{^Wf<!q=O|;mB8?>16_5ET1<H=axGJ%10u2}K0j!4cMHDR! zxfIs(th&DT+wM$}*F+2hmLLoaD&dNM6wM{49c;ZNBc6JJtKvxSCnP&=_uBD_1pIqf zS0w+#yj$??A*tZzIu&7C>AlLVR|XN_sL|4r;Rn~(+A8_ml{5oL(THDZHG>4eH8C)w z(5dIu<s>e{ft&_K)@)OSK=q2HnlOrBStp$c1Zu0yRh3-X--I*U6wGP!DPF{Kke{+5 zlt|o`z?IL0P_&#(!)n(V&(Zcth!q7#251=h(xsQz32kSm7vY0}z2geo@hzx6&Zdz~ zDOjbZ(%C~CP(Az$i^Z_g{fRrnWGSB!g^@-P&<g&#(wT8jVDwRH!b%Pu`hVnr3jr?f z;z@ugRaax23MX99_@^a!V0*v_%GGGk^DP7fOR|XLE#PAWTAoR^;$$Lzo?@SHMZul$ zm<Kwc2x=0QFIIEHrj^f>OIN9ai-YiXDLC9vJ$#u(II66EeUBm;14`*Rw`=shs5c;t z*iH^gSaeCG-RshFVRRT0JH)xawSk@+h4PXUNY$}zppQg1Ny*i>cDSg&>Qxp&ZRbiW z)hO^`ti3TMTa0J)6oq?3kCitn77)$J{5+g8Sn8Z_^!n#60E(X*n%Bpfd+@v^zDXlU z%`RH?rQV%@fHO&@%NE+pzeldh#`KOuT~bXxO!!K=!CQuSE)MFk#fJ}X=Ga{suOy^Z zN?-2skhWDeR~8PM;iMIoVxz-Mx$>izZBQO@vNZJy*N2t1U#c+(1wp;bLA`;A=pGSD z-W||QsC+65NL(p49*~PugTQ>D4l1}{qI`o_n{p!PsVyWG3I}D;ceAu%;?xx!E5MKH z?8`t6h9Tfd0F&&3#2kWW6#;aZZK%v4U{$mcpo8E`d?Q+}ybVW9N<GGKe##4Zl@+a5 zxn7W0s$IjNz&@phOg@ES0Ut!b)RRUE8VVqZaU}5)(F*y3?2A0A4J?g6<U=OC8^KrU zm^T^<f?nw{4^m^?i!K27dNXvxgei~+Nfb&cg&ZUfT~*HiiE}QDq=yhjR3NP|#3qgN zl*<H$xupCO`8?{gduj#~N~v8cQY7It8ecIiN}j-Dj_EW!Q|L|T-?+u8=-tTOCV*uH zxnU=V4-<`$*eDMl<`PB;2>DdsmBWWiUE9>5Njp4Ur0D(F!``_w0i(yJ0@9%L-cTUc z5C8S^#z?tT7{VTIm<h;+w7C&}bb`Dp*^cX>=wK0XiX%VoQ7T7)A4z;AMu?Y%g8M>- zdU+Hf<N!<{yaXD_w?Wj<K1nH{V!+21pO8E$_F75{v*OP1Et4Lhadip@Z!}KE;J#6` zO^TKcU7aL$I3=kRvVrVdLI~XD{P3<?n?aXq@HW9_#jzu}XFn+ixeJC6T$Q*ECvVC^ zidIscN}o`IpM+g)i#)igh_kuE@`k2`>XHyafZKfk0SV~*vk%|~I40aS8CkRBFvb~? zDx9DA(o^UztdF>q+voTcd8`@~h{?Uqhg9xbhM_79NI`-Y_=wL^(asj5{bXmDPTZD; zr^LPE-`tx+Oe>WYC+m?5BPe7^TdH7!r)@Ei7sPjI3D{iB!{8+2@Fy-(x$e?^F1#D_ z`L0-l(-07e@<E$UX0@JMW9Azk30%NX7KVa2V~O#sFoJSjv=igm|E#4d=WARKt|ogC znGD=a9okgN#UzfE9Ihl~OUUqs0{avxbK?BN(mkH-Z<s3b2&5zOLD#G9)wQoQ^-Nuj zd6b@s%KH&}_3^pN9sVsmpy<E#33QRi-YMEaFYJCt@t%!QrvZqf^nv2N&i%!8**?X6 z{(V(8O6Gg-c0-wcWi+Hc`=Y7hL45OdUwNf_3YYhYe}c3S((Xc7fG`U|!9`t-@FD#> z`MLG=Or;rNsG2ke=R^%cKk0i5RXA5drK_v44pol28lM@<?vFA<vVhgL;#jCMR~^wi zjh<2Z>O<krhjSiyUW<k4hxcxiDyLtycs3CFVU<>LJzSKt3FZCvj$Iog>eDDAzU}~~ z#=aZxC!p`6er!5$ro1L_U2DGO{Z3pL?Kb`Is(pRI&{&RoZiMTD(80Q70ju$y1XY&0 zE^K5K8(~XO@lnv%(*5kotfB<(0oUcTi}^PEwY01?$BJjmaBheytFLRt_+5vq>dyxB z;U$EP2vnxA&&K<i_!dOZ=i~!QI8HvE<oiiJoaD0^LU1AU%>PUCf%4Pb+kl`H+3#YW zeT$&Jh`R4friv;ArFS2L`<Vy|FnQdcjj)gk>*LQjewWktEo7dB`0hm?*>{*!GJdR- zZuNZWlf8F7Zawq=J8=cC`^iv*KcZ7V68vP7h^`GmP%R`HHXeaV01_Q*qxdNPIwRV) zgyJ?4za011BFM*#=--3%TtbWJ=Sv7ixQaK$uMvkRh4O#$1>XM>G#8-?A%sBnjK_5* zLOa3&gb>n<^p@W5T1mhE`TM^E0W&K@#Z`<gq~RZhE4QEFim2gFWAuUe&OXu!PnPtN zPV;+JAL+XTao6Bk>7T|ZeO+lHVj_Jb?lzxiX4Qu0zH`m&Ryju~nZAuZ)@sNgZ$r`U zj&`LR3J<o|>VpgBvG8DgzqQ6U7;7+yqw#iVO2UKZCv$_Nkv+>pq^$2~hWZHwq;uiH z_yAHM*V2X$+vI9GQY|=IIMbT1f$SZK=Q?WV+6QCvZ#vZq&CYcA_rvjA)P|yLwopFX zmCHBaTUxtVnsYFJ4{t)%+=Z|4%$ISbWFefRmSmzai;s%5<Iufa;i2*ISpJ1LG-Luc z2(@Doh~MzwIKDMGH*<0_JJ{Bhs%s%_aCmSlee+`Q$U-rpkvpy=G_s^gp^=5Y@z+Cq zHB$JN$}a-1Bs+moHX_75yTp-0#dgs*0r6?UWMcAETSFo|__U-$x7%HAZ;jpU^3=GT zE$*7QyER#(>%K%XnRF(ct@`Q4p7koh>9#w4&Hi|eJK;wOt<8xVU(%7Ni91{_-QjSz z`knEem*9#!S{=Tmv&QXg_Sd*vE_+RL+}~1@@c0w1xGU~SI(<7Y!QSfedRn}m8lRrD z<M3pszsB!wZm#h;6MCyBp(o<rUns$s)LXrAyQ8MLwb_YYBz-mLle@;{YfZTIxZNH1 z8+s8M*%P{<ktG8mhSHGf-^N>fNic!qqG5}o^D>GU8p1T2(}=Ss>gLf>SmH-pKHnJ_ zIa1EA+QR&z1?tGD6B|Zim^~wBl$JR-0@O=}MwXPQ&}U>{4d|oai6ng|7Itto!$K-0 zUneO*5&aZR5C{3-Q$eJ{2@gh9PRC&WaiQ?wiHbJV%I4PA^AB#;K<B_u>mE!Lq3=Iz z*cOz-Q>)Xz!SI3PUmDD0>#{BMMcEemoM3qHa6G|>pHnUP6l)V^Gl-4H4V3X<>%FU` zrPZEj9gGdxX>3)WBeJW>9U9qp|BC4x5`a{(_n@V>nn^OA&hU*;{ElT)aM!>l)7L?9 zoy5lBp8g)PeEu`h?cMN=&u`3^7OuoU=#S(UCHwIN{PYJM*HB)bWpPYvn$1CJDb~)C zC^^kq89wpJHsd9Y>4kqT){J{<(ZNWsN1hJwr#SM@M{DAU;RB!eYeYPc?}29U#D+RD zC@;_EAx9QDY^W*2y6`N4lssyseDpU8U%u4}?HGf+Io874*IAOUw0vp@m5VQJgR>Uj zpN_OFN+_1^WVOtTKz;DAJ&>3Bn&<h_XiK}H7o~NKVH5C={&ekJyf*>w%;9fP?Vac^ zL2(ZHj1P=*$dsnp*iGoSgG18JYWSTUZLs~9U{#Cvde>{LLr0F$XyatGjlM!%3pmnf z?d(lEzPjqi_ftjdbY|zZOaj(5?81B0D^&uG`9!p^7O)u2_5{2pOZX6`5u6pSQA}V> z4A_uFD^rM5j#>`Y1c4m)yP=Fml#xNMF67D^MyeFwD8J6}pfrC^Y%t=&7`&qas|i0< z%Zjsru_1g0HQ_1YdJe5C#aqT!(-iCVSH?swHMruV+yD9d|0@I_=-;IQ$Mj+PiTWve zx4uYUqOZ{Zpx>_FuRpK9tiP#$p?|OMZ9m99+CJWXqP@j_vi&Uk68jbQYwWk!*V$jQ zZ?bQ;n;d&P4s-+^DMz<sq2ofwbB^~NpE<sE?B)EG^I+!;XN&V>=PAz9oaZ=SbZ&HR za(?OD?zFi2yAE{?b$MK4TytEVt}fT<uE$+3yWVhp>DuPn?y|W@;;_V!dx|^mPPv!5 zFLS@|{@QK!4D=l08R|L3Gtcuo&mTQ^c<%K);`zYyndckNkDi0Phj}Z#M|*$cz1Vx5 zca8T^@1DM2`8>WR-yeKW`2Ozu+_&A=&%d|-VE<76$^NDOTl~-XKk@Go&;yNuwm^4a zQQ+Lbg@OA5PX|5=d=>a1FfdpZv<E%GNU%M)Ab3vj{NTmGTZ4B6pANnn{4S`4`i1rk z?HBTe#)pmxO%I(I>JFV5x+8RN=#kLI(B{zgkR{wd+!&q~J|Wy4zB+tE_%Gp2;rGIy zhWkYv5pN_KnHgz|oEbSgvMlm=<eA7jkq;x*=%DD~(P7b}qLZR?qUq=b(c7YTN7qOH z5&bZ_CAyUurwwPuV$Al_57Cd-Ptf!FZuX<>6YMkX8GD!geEV<hEA6Z8f49GA-)jHC zZgvcH)H=pFj&@9O%y6_jE^}P&__Jf9<DVFx!<->!-g&cgH`f5yey(Z=3x145&ULTr zF;|(pzk7xIa`)Bl&F;_L-@1?RI6W77F7d4P+yi)j<oVt+$=l@Z^v?C3>Al%|zjqJc zKE4BeLw&=24qu(G!FP=BL|?-9d*7A5=X@J|+W_^w{73q${citkf2aR1{=58Z{TuwR z`8WB4fzg46z_h?|f#$&dfpBn4a7yslU@Z7l@U37~$Qw$At_$5CIw)KjUK0LY*c2HM z85)@v*$^dWxe4GHqIc>2>`wbh==&JQX^xeSHO_~ePdMLj9_?y$&2-Ijx4HA~`R+yT zOWaqu?{Gis{=&Vt$K#pcS>Rdb`Lm~=_du@`IFs~V<$c#{^-cAi>^t4}JKvYSa{nN| z%l|k3D75dzz&``q0{aJ#07mG+<AN>0Q-Ws%?+HE-d_DMCaF5WwAv^G3bZBZQ7U~S0 z5jr<?Rp_?R+R*yY(6BpvdiehEBjG2*&xBtLe-qv};*aDaiy})R*G8U=^ot%4Jv3T} z5syWa81a?S8>4SWzm7uaV4t9WW%^A0Z~7bhr}iTpQOBc>zdK%V40WF1oabENJlpx8 z^Ht}5t|MJFuJNv8T(7#`ah>bF7<1)yjN5UZvps+FyzBYU^Mz-Kx6V7?d%kyt_i66| zzL7qcZxm)ltFPU6j&G^&65k^jC!as+ALpOqpW%=B7y8fhKk8rSe-86wpTGfu!!Sp@ zfs+EK237<%2Hp?s6C57=Q}FKKW5IR74M7X$!C>@zL1+;lt=EA0dxQ@USA|E1pANr| zQ5zZ=k3OFoxij)gq<^$CIyZV@^pfbGqU)j?38xz&_W`G!dJCw}W%^(AyY+|l&HA_c zH2XaJ>GpH&f3`np-_voB<1k01BkY*!_>JQc$Fq(P9G^P2I`($z&K1r-I3II<;nZA{ zTvJ`gyOz3^yH>iccirN87&PT$ml^nch<lv-X!lh2&u*)y!L!P9yXWto7d)?dD!tWS zmv^l9*WM}KgtyCk79jE`-(P%B`9ARl{Zsva^sn;Y=)ceZu>VQ_oBntG-}-;{?-sBJ z>H?<)?hUwt4Z&H#Il-HP&jmjXmW8TACx>1MeI5EPWDOq}9uc;O8^V*rGs9<vFAjeY z-YxQ*$i<Q0M{bJT7P%+#6vqFh$PLlQqfhf0{sX~cHsoSXlMmDn)2s9;db577{)&E# zeHN&1&faZbXkTH!6cqSH`$kaTFYMdwKie&iLmVeKPIjE_INxyzVDp?~A5h-BbG~zt z^ET(h&ZnH~T_3nUbuo9D`v~`Nx7|I)eKzL9-`!i?Kf3#SYCK~-(>=F%Uh(`Bl=KIW z#XHg)#q8eZ{mHwZ?_l2$-(+9Rcd73H{~?&eLH`(k#($>&9=|UT2}}>n3M2y;1+EOd z1<d#~&@bo)#XL1QJ~S!R8fp)9g{}<!CG>e{Yv`xY!0_1cr11ISnUNDCb0Z5P=S2Pz zc_gwuQWo7aS{0ocjRPkDgHD0_-TE2&rTXRib^3GqTl!)4Bk>LT@t|^N*zdP50iU_v zajWBQ$6Joi9V49{XV^It9Ogpj-<&I5SGewRJ?MJE^*K066yrV-RN!~$?`!TWJ=b|2 z_B@WU{}yw9jrU>i%icG<?|BFK4nq%HeI33fzPo)7`@Y9~_}Kr2e>`YYM<5qi5V$^Y zPhe}{r+_7RSa3pcTJU$6`>%xF3w?xs?HxWMJS<!nJ__{ywD8jK6XB5&Pb3_f7?~0| zE^=?=iOAm~|BQSQF-La?eXoq_(c_~hN3Wy4E@Z3;<2^v%9~8Ytcjy6q4rtn``UUz` z`knfH;KQ%zoAf>G2ivFFAF)3P+Wt@bJNA$42Y|K@$80#p(E`r92y<e&;{nGr4y!Zc zoa;Q@d4cm{%!;R+|8TzM{1h|eSFQs=<Grp?u9ID-x$bry=04J0;|{w=yMOJT=RU`M zzWYz^+ue`3pLW0P{=mJ(eXwVQC+T_4^D=PaQ_q*6`ITO`H{hM<jeB#TCM&#`c~^O# z@xBfWIn#Hp?*h!4t9>{7Uh#e5+v+p<_xD%%Ye7*a_@@C^F7h7`I5aR6^Tq?5nH)HP zbJo$p>A|*OI(Tky8Q}Q{=FklA(PZe9&|FZ_i$XKPr-bKX?pzwaF?<^+=(FK}gtvzW zL@tY55xFjMJLb^Ck>?_pMQ@MZ6a8!S<>=<<X9UybjJW{QGQGdPpB~jG1A=er??IN? zs{gDHu)l&?vlUXy{*Efn9Va-ZInH!k<T${2sB@^(4qS>jCp!-Sv^=iSuIa8eSK4*1 zYnkhJu18$Yxn{UebSK@XxaYdha9`w}0a;|O=Pb{qo*O;4d7kt<>-mRgyJrAka|L9O z+r9Sy!=CeA=DXc@kMFO(mwlUkpZUuC{r&ra+D`Vr0*dk;uxu-6%7DNtfo}re2g-s6 z1*?OO;ID&?;Dn2VzYQK58Vb7N3xz{t!C6j$G;u-rlJFlPQ#=%Y99-oE$P{0Pe*m35 zBr+s20@B6ANK@qaNOR<LNEb^%aqf>i8d(QOZG(hS9^F4WJQ|9Qjvg1C9Zi7_UrR7s zg?$YiW&@yWaO)v`ygpH%rYH5Z{u}*wkO{AcO!%z+g8q@dMgLA8Vt0WGU1@*V{)GKm zP@;d@-?M)MN_4ox<7jrYK?3~B(dInY`CDf{S0#?N4!9;l{grdgcdc+;=33=?#`U^u zKlhpLbKMsJ@2+;=?0&`lp8F&BPvFi+c!qiEJV$vNJ*Rn=dY<r%^m@Eu;N2AOaggmU z@%|o=y$_i8y!RvT7Vmf7A>e0c`L6Tb>bn!1>~Y_-z7KrgU<Q}@4}#3$@c-K1=s(tf zw*M0UH~xX(Wk&`a;AYW4EHE!{J}B281AhrT8h8ry>pe(*B=tQWd?xrp@Xg@Af*%Ke z49*Lk4_y2ssMw>Sr$TRG&VL3<RwZHoX82#>kHbHP=S5aTE{$9boLm=KA9+9WN#vWz zVbPJ%d!r9WpNKvW?0hr&d6cbYY#`u#FSz=1`s@1Vx@O<aewclzy%sWD8z}i6j(r@5 zI*xFRz|20@F&nVF0et^S@cs84-#UJF?C%@|ES>C(IX`fI=KKaTyUewh>oCxF4b*)f z%xa%I;-2oF1uVVDeWkn7Q|oa9p5r`|JTc7SI`23@venz|J;Qsc_j17UIqzHEIli>7 z%eM&g_(Di+bNq|^=lU=9U+-T7zW1{K4Pfa2K<<XXZGpQ1t0x2N0j(Q?j|QIvoZb(9 z8~i!Ae`pZ!bTTBM4*;KULRz>iyjS=za6K(j7TG6qWW<M~A*V-XMUs(=B3DK#qqR{t zB%g7Rbz@Ps7QO~R!%B{K$LbyWnff{UpY&_=Td@v#Uk}>v;?(bD`|I|9*}t}bXV(Cy z&5&cuoc*2qIirBcT-QR^d9L5OZh#E?Jh;B*9_04A8{JLrnSjP@cLMl!4!FRz?mxRX zLP9#plfgP-sb_^}rRNGrwy%Kq_46L-jX@eb!+W;(0`P}*-qU@<{A2w`gNmKvU+(|f z|D9h8gadyFtcLva5agdXgIk0BLqkFfF*lz9pZg}XS9ss>A>r}h`Y(hxhT9?;@VXV? z_;*Gg0A{pBGmw8)K(fCx`T%5mbb140kK@v&XY{#{fNlfbe?VWaw?U?#3vPd#{Z9J> z_VxBQN5(PNvBGhi<4#ce^_X8o=~sZm-|2k7x!&34%DCoYe%<D})AfLBy{pZg0hL<e zzRi87`vLcQcN_XU7rnjBbEoG4&w9@sZyNH>Z@sI%cY7c5zUZy;kMw)|$N1C!oc}cc zh2ZYdz_>s>a7JKpU}@lrfG=1VJTo{m6bDD|4ljaCyE1ZB<gLg$U^fZl3G`tA<hC#L zk@kLA6HaziftqHVB%5A@)|}%0i+iQ#D$iRUTAOY6ZuGtFI}GxahI$4D4~Nw6hYY<W z^mJ%(_`L8_kQ_e_ZwpV1TpoE4GYExm0lUQ9@#}-_RrbHw@3B7w%JU^8pzZb=huaZy zjNuSE9jkyl9QQ&F`qc4_<41?ZIl>7wx^p_(l84+(eDNyhP0rVy?>IknmSOG;!TM*k z>(^-Kv5*}vcKsgm!*i~e_-gcf;L+~xAoyg1yA>F8wtE?;SGT+GbARmq(*2!#f6qvd z%M<cU@f_!gds0}JUhTOFyx=WJ-=BC)-g58WSY;fIS$8aCs*6CuF84m-eagEYvPZdZ zZ{I-3SHpaEU)VRMAcI`(y8$xj$5@Aa=d=3D{rf=XIvUb>2J6=4{+0fl<;tlwaAx4_ zz_P$yfd>MA#hm;hz=Hk2LDqnqJ{f!)^U@sJBXnqJ4OXR3hTabS95O>TKQz2Ld~f*S z@T=i3!dt^Xhux7_q&3okHObYH8z7T?71;}v%M%SlCd)?WMbC^r2I@uHs3CyArkCq6 z{cUi9D0BeN+XsLyX_$cnU5C43E}y#&P?`xyT<PidE<#UN`mXZ5<y#FIdPtx;;0y#I zH$N130=(|$!0y4lgZl>$4%&hvgU+BYSPyynnBa+6VWop}fo*38FADxXcmvkm_h7a0 zbZ~v}#o)%^KZEZCzlO9uFf=@*hw4KOpgYZ>w$RehiqJKon?nzRQa>5`duU5&8`j|? z!!AhSlfqLmBV*w?;e7bi@G{8bR{(=w4*xT}1*@{}!wghvuSg2B^&Ifb<&ocUDgDmK zlaSKij(il^68RRZwL_yvMqN>V^aQNda?#VG=SP=Eug4nwf#{<gLbMBTEuRNR>Rx@6 zK0%+VAFC%YvrmO?<tqIt{ZsuX-C{4d?_(c~FF}N%S(#x!0hIrA`^8whUt?bbe)<Bq z>Cg59!3Sy_<FR%>!Eur!=U55}?{|)C9XC0ia=e5?btAy&7U)%$I9ECUj5Y5I&X1hi zoHx1N#9aH{y~=YfWRhF4X1~j`#`B<OEu`MBJU;;+55RgS>^%-L)g8csXTu+czYI@? zJoQKf4Yz4*0WJ<`4W7pQUG2QfwFa{ET4-n1xt?`xz^vHl8sfgi?e;7Lja=eg=3Neq zUJ0CD<-OK>Hn_&+{%f#edI-|ZNB%ATAN}S)zrZ2jxT6AZ1~y;~bRc9D7kEJ@<dR<j zzg9(GiGCX0hBdv$x>2`DAD|D?j|ALiLl#a$8eX73g|*HHklTI+W!c9u)-eIAz~dZo zaL3;`fA74-c^6hWTU-H9INjUfeZ~7Y)+)pJN@bG&e*domS7C-c99S24A<!CGgH`B< zksl(K=w6V3ZpK<$gYJ|uGuB$m^*!xP7=;f&QCa}?ykiMqezoHY=ljm6>m0!LJ*+Bz za+SLeaE}5HIn*=T^C!q41ALXfTA$mu4C{upf3<%MWLnZ-JQ8{>bY6H>xHWo?Slcve ztO<1u;+*XtkW2Tp?`sd)>#(AG)cz`ZH`p;9{d(4Uk!z#-jsMl&mq69Dzki>pNux@d zOOq(I_da9$Or=6eN~I)}<}~W0L8y=^A*m4R7LtT+2q6?9gj{JLB$<;UB=56NhVJj) z|L^|Z^{)T>U+Z13wXD`YXHRE;pXd1u&v)<5>|l1nQC<Nb?*kvE7=H^Igbn&?3fCPn z;G*y<QG0#KBrn*f0Gyy0G#}2s6n%isz&<idV9a}2c~EOMS{dRDybtQbJYE4*gK+*D z{xSYzK23lKoM9wHf&|cGDZm%+34%bI)C+rsq-Zi}73_B<L@o)HN3|hhXQFe#1B?M( zZh@@>H-ZMZ8%*B`s;iZ*41S&yuw-Lkb8Eqkt6|pyem1Zh*-h+bP+1+|u-I~DaAt9W zIjcY~6mbr5DnMs<a$a*#?pN*@9+T(63*+fR<*^g4BG{6+;D^8;W5^{BWIs}en4&^@ z9DOrXZU&<ms&owV0P_-D8$GDEL%?ssfD8TxT)Tzi36XdLT&AzU`f_m!Xtwv<@jPqr z=$-*PnG8I7D<2bv2v-unbu*bX4US`q*uqh|kw^4X3?o(m=>2Z+Kzac82OyG3I1S&9 zD{*_dt~?*UFF$}E!Vl+1Lq$p8C-b)u=UYH@rl5}lxvY;_)9vWf=uUJOx;v;-AG$B} zpqs2t@ya3RS_Do|IY>u_$1W3bL-)e?_oD8Y51{;JY%e%<C$T%&Q|uKsgT9~skZ#OC zfYYThWmy4$-hTjsvN<&zWzbj)AlsCo658|p!G+8rCIr@yNgVid4VZc+ngdw)5levz zL7*L<*$V#MOsi)2RWEq$pr|Ga+=Ow$9mM%J4qu0j;KH;Zgn#IW@qufur~l5l%lOPN zVA-+4SP_6?r`U(UHTujk#O=Wu$^u`sh1(9*b{9V!DkG_bOtORBWdeV@gA_q*{{gIx zPru8U&s+l<ToF9l3ajf@7w`_ef%}5{7(Ani;0q)Pb_lYBmBJR{TzZE0A&pK%9nmF# z>Zh;^^iH}9aJe1KZGe!`R@<$rVRV#nGkgZV5myvU5=<8O3gQG?1tp-lVIR<8B*xVN z@q^#vfu@5V{z%6eY0NtiGm<PGJB0m_bHeJrRj-vQJ_(fRGCY#2A!G}kgkgYtyMz@& za2rV^n59PK7>+~%BRhi{(Z8~^*a+L1?GG52!>(jM0q>(1m*N_6Cjowia3i>BfKsox z?*OL^LBCDmxrn2C4R15AUx0!BiX`@{PZ8Gx3Zjlo1{Z!8L|++l9_qp~!~u{Y5LnI| z;5R&M2KElSMIWN8fU{)}l{XvmtC8)^naRrq1fu~;O#)`QTDS-5C`BBDO5hq^z&fx| zbbD}icQEcUKQc904(vtX1n%UV;W*+ixNU+AsDBg^5i(zqE>ss-lq;~P=@6?`^i_;g zjHk>6tW;pf&8&9LSeyyh#}W|Nj&CZsEPN^?xeOnRifAC)k#_VEJqjw$5JwI-#d)|F z9*(cYcj4#o6y7dDAY>ZJmjZn&63G=9z7aMKSc4lqmTt$G0KV!eZa6=d4_`(PU+ZS* zJ*WUi21DJ~!TRZ5a5i#GBj^c)F*BKYpc^ZgH(?Z&#QxPw);K`5_3Q#rD)FFC-s5|L zLw0~F)&(zS8F8&sD1@y_lE6NJx;JA?1*b3`yg_Xy9pdQ_^BnUQ(;A#XY4%Kx0c6K+ zJRG$5R^ASNfZ(;D18M|?uoghOO+%y6P0;;#j9sNiGR&FY%w(nk@W1mc5<7-{7`D#= z99RgEIT??J+H(NdSuLE?GqHc90Q}5|YXLr4AUBuW0qW@+SB9s?(+4(_3hp7nTF87Q zz9!#@zmk6xIIxUB3zWSDM0P27NDF~;oFRTs0fpoPe=<QYoI+|rC$%G;$YgW?YI8J( z&{qH}@B&5_3Vu%-D5D3A)u02uGB1FG@4|i$-X4WB7PK>;V_|jLijU_)RoejEX+ALq zM<}Ew;Cf9EiBG_Z9fRtkH_^MGz8(QKzDD1J0{ezafLa}mjRp775SxHm0te?}HrP~% zRX5PC3$Q@&BxA66Y#Fu^&|(uH=}xQ=^z0!}FejlV)q!7i3%dvXh$q-{@bUVwFTf<F z=<?7x(xB^s&NTxC!3J;7mhJ#Z<3XQG_XE6%fS5^y-?y5+0rXEU{LbU_^YnUpHz?vh z`e!-`G_gEGm7&EjU`&8lYq1$Z810!b-T`nmqQHe%2|BR|bW$~-c|YR|aC|AIJX4ja z#WY|}U?QL!1>hSxgN}wNM9gr|Q7O!=5Oe34b<ArJC-<1`fXu`EpTv@4DX`R7x-1hG z3cUp$Xzgg$3f6v5TB9K*9U<eQ+3VPu?49g(@ER3>@f*N(cLL{qALlCP2?w`w2F<m` zY6n!rXI2<^%Z|7w9tCkzfnUUL;;r~2h@JPi2Gka7Za;TB?<Dw+`oL<v_>1`QfaQ7M zkJa&8_>Vwuf8tXGeu79~u)DyGXcRO9cU2L-1C31)bJNj?7UBZDsvN0A1`!G1qB`(a zG8XE9`hmB44Q&J`=PNo2Q^)9-0DOm57#%%2osQGP;JPOR7Hp;O17>&}`VSZ2s^6eD zfydYZ4Cxj0_6DFv(HNr`N(?oIHe7#Gh6PN6!ohc(0_<QG^knA4D1<@JZwVtA;&Lq` zlaUS8sQ~=?GDZck&9lHYuL9E~x`B_uug_)eVikd+A~jOPQ&Us0BUmNTxbC2c=K&(1 zzEYsuu@*Wyo1sgU$I6E+j%JJ4+29E^2s?>f>7kIc;ZG-{o6*A<V5`IR=Rgm{ivUS@ z5(`n2UZFkcAWFhA0DUv?&3FM`jK6}~+DGJrK9y7r`5<B@LpQ}#+%w>?d2BoOG`17; z!m8PF(CKR9bO4*_hR#6`r;jth8RV#2>4O96VkOO!gD#OecqB$VQ$Pa-_<1~@9rO;J zc<wweo)0eo^h-ET1o)lITLmgOgO|<A<K^>;c_q9uUL|n0YF;g`p4Y%@g8pI~uM>KV zub|T~z#9bYl!jiTDqo$i4K>4*Zw`uw!{_nsz=d$)yF--teCH~|Ol1{x(=xzA%;V?t zi$MpJ@hkaN{AzHt>Ol`Qfosvm@8oy$U%_u50B?&XkQT@ZR0Zk+ZKy-00(0Q+905;Y z2YnqU@EX0q)d_%ZX83m=xeAnIh9Fyz2im<Dkhn}x39P#s`keKEQ_X@lL8qV_9I`&p zRD;07rG;`rRiQd`KaHRdU=9k40}iE~a2lYnJ7`cJVF2*7aG^+;AWQ~kxK@|}zGa>; zAH2&FVHxm+Dq%JBQR;;a!Y1e`wZWKo3tvGWZ9q5(ct{oF8x4^LM_3h*RvR&b-ikTG z5&N7@&|~vKLXdFifF~oXfbC`=*+?FA9*Pl?_3&I%bzB?Q2la{oi?+t?@M*X^pqmf$ zjl-eBC*vug!bvVvf-;k;fRofh_pHIH2~ec%JBREOGe{a}Avs(XC-!Fq7-<gs;{Z|; zdvyA~&j9gWMbME>hP|!@b)Svr;rS4aC3qR=m@2#)(4-!3z?+~O*M@iE-S{iu_5=7J zbSI>_a$HreI#(Mo#uS`n2B>Nt^i`)p*TS9a1>LFuU?<^R5jO$4+N-#0!F$i<=5h16 z#oQ8cf4hoX4Gw5Mw}IOPTDy(g$?XOn(+4;;2)#b({|k{!#IY$vF$ZFJ8bq)c#BT^N z?F3-iYaw#;AZ{TieW~J{{xRwu-^UzA95@7(<OO3vgArGP(YAw%=MH+37~c$FSe4LI z=>(qt3f$~Iz_&qAI5boml|z+4kEw&!F+$DZeT*E?X4cSkaspKtjf&7@bTgU_8mkyB zgFbsL)XGkA&7fgQm^sD(UFwc`!7PYXpc^+sFD@S|z)GM`Rf$z$HCR2?2;KK?tOsUC z3}Pg@G<dnD(1*7MjX)@b5b&o~(KF~}P+f_c5}kl(J%DI~fN0WCQB|R$>VsQl3Vsy= zRh0u()efqvxYG?)HJTv;4|ElDKeM5p7Bh}8DxrpUGt{BqR{*}}5oRT`hFQyOWHyPF zWe=!I5{t%CVyUw9Sw<{tVD~O8ca|5+2Xt)!D})seNG4(>K(~Cj!orpP|Ns6UxdM5b z@IxrT-_tZRBxNS1PfPzOPnMz-q-idLj}j?lGOCEkOUn4BPa_9XX%w;q3GtB}WhP0c zk<-`|GOfTF{H?JgK2bzusAN(B?Kesa2|@p5Tbh1%l(WLs1?{eVubhLnYB9RcUygs@ zViUYSf97Vr>#X}_1!<}UNE-DG{P!%NQpgmF((<h@za(FBp7Ub*j`$|YK`yb+?`KMu zfb&V+fXX5=l2i|xqzc8`1|5T_5DU^Oa-PJz_{EX>wtmrps4AjNd@Q9RYZte8p<g7- zl@AXT|2p_|l!~N#h+n)Y5Y<7nh}C3OREIy%w}m&;hQh;F#CKq$dWa73HC09J``7NF z5pWcEK0opJ8(SMhcdR^$p_uqN{O~A#@3HbQR~e%t7#$|$T6rV$N1UvO+mFMIQc-nF zgc}B6Mz6kY)MA*_K72R?u^2ww_@7@B2h?}_aYQ$G#bPMT+J{5KTSum1NE+E-<OPBO zqo$D+VSve_C~0Ie>1f&S4(`))wUtLT8z*it@SGUcR%KFa8@uSjISUu>FRB-oWZIIA zZ7T~O+xK;!Sb9;^U~sQ8n?(6I<Mp}96Lv<6t}n3X-m<%4s~kHvZ9{0K*|qJuWs9{; zX2j?nMcco)`cd5WmG(QBOC;FuwOn`O+4g5c8IL`M{7YGFjsr{Sor$Bq^u(>T$^TYI zb=_WiFMQ9|&^3V*R<6F_t6E!sg{#_9liH&vFM5z=aPaEKFQVk}T^}8_R_wpHds6xO z7yG(O$Ez*#`<NFqy85w8;q<5TK0j61Z@#BAQ2$PIPIrCsUgv3c-!vZENoC323t5#i zFDxOz{<`m!<?iQIlIs%RT{#~^f#@U`rG7?IKZ=J^M}ekBQ(ds5Khme6LA0Z(ec4-K z>no=ei*^K)l!ic;kdPviX(j+520xZzrmfodDe6)FvC$UrXm<!5Vsg4T#&lH3<Zm=- zL=yf`zzY(>5bEgBI0y@26kr8Ny2ba6{TGLi*w%75qDBUkt&Ih&BaUYsW11W?>c<&S zr4a>UuZqNxXpkq8h$*o=nl=v6D~1?GH6Sa+fvQC8P#iClFoeOGB+khZ`9n=jB~fK| zZc2Q+Vh&RJHssjnCo(#xXQoNcV=ve@YmeH-7us1ec9H!NFTIkH?oXi`4P#}Mqoy7x zw;DY#@#xMYnin%)&dDJix*<2Cq7mIE?K3fH@Ntrkr&CFw`twBVg~mCNmoKx!R*sX- zw0Y5f-&3d)@33Z~n&kX_oG=6BB3F%-%a0>zv?9p(4c{|f;btGFe&`%ClGYrSr={sK zGN6f!|L@MB;T#6!AAW1|_Z-Hoe&q1N|E(N`+eU^*!t9@Nn0TrWJc<nRnDLK!{F}e5 zm0i_o!~J#+rxm^x_V|r*+j=Cg^^m!uV_oF8be@}s;+PvWq1o31IXU;w`X$QFz2cO< z<Y|ZPbc1bgE|}S#-_smYnQ1-q&1%lc(RGHs0bV_0uqbEG!t%AnlzS6(uTOu}?tgde zI&AKd`P;oqcA2^;jD3^S>c_Qr)w!uWTQ+Oz;KA|_LHwy@(TksDJzH>H>16H7fNYI3 z#wm}wZyW4wJVi+=jNdvp@Zy`XqH3G;iEYwO8Ce-yChd;5(+l~dL=@kuFc;e}djtK< zegArgU3gvH3%cy>cSTx#8_wSU-E#x?0d0ShL4{Gd#pUR_v(76`q`%0XIWTj(^dlwH z#iiGW^Ei#{30KMukt2d%oOTqrDL{=_GA2^v-=vIG3KIJxogl%3VV=XpAIp&7y5DnD z6gx?r<MFW;vEM7SIMLZZ*QKPJ{aV*A)X(ByR<#tx#!mA0n-q*$_y;aVc*M!+(U=Gw zK?^JkCXL*hC<y;%YbXW(X_jLnirbV+p+yRgs=9ZbT4wo=70zc>%XcAq#Az7P)Dg9m zzps9OMp*z6=*(~{w@f5C^=w**uoH?_jhBj2uXteGR?w79Elqbe-m}A+s@;C$N#eC} zA(Ab}vC4>ZedZ?q^iGF>2>Gsy!3rNGikacb>(nkiuXtGTyj}lNjN<ieqPF8c56-al zY!kW?j$JpU=@*s0n_jzi!WM;;TcZcteU?PdoUdR%#U@hz$P3Pnqj-x<jMAWXVr9zG zve3S-`N!qd%-*e-E5qM8_p#bll~lNsfFoZrVUziziazfH<ilg~%`F|YS`AKL97@P` zy_kM9ZSA}sex+++BHhel>B%;I8I_oqVH$I9cJD<z&DS{yPu^T{<($AE#NTblnNU$# zoepnBR>#F^?PgjWk|xm!WvbzOnMyFQEp&TmI!f>JBcDc7r}U9!N*2o0vJqv%!3kAE zRN<Nf)sTm3yjTRc0qHx50xVE7WCHQItcrmfadTgwzW8NS@N}<V%mV-)N&_$qbOJJ- zSedFqP=Mi`{9288y^T$rC<LDLAxac85qQr$$^sgOAWW!Y5OKd2k+}ct^u8Za_MeZ4 z8Y1I{PfqjK$%Vs>L;7_6nc`<N5(Md=2ugFfF-tYTC-J&p9%YZjHrMKU>!7Qip4isF z0*})dk{%u&dg@_{1$X&dUU(Z=bG|G7^^D@ZXC637Kc3wm>ZETJaHR5F%V(>oo^Tv9 z?^N{faX)nH!@<Xk>~7tU><VCiDVe)xk?+Q+ea{b=m+<z1$4QR5u3Aub^~lqbJ3CG> zJC_HCM!Ysk+_63x>3M}q1)D1NzgZt*)wlOrVUmgbqRyek2NrqO_B^;0)G&DT+`yq} zrd!&gDvEAjmCqkDrq6$<#oA=Fb>Xeri%my%9a?R_E|ltie`R~)H0uYa3!lu;vo?BH z(~+q>MN8T;>y1XB-)YtU)yoc8EX=YD-9$2uPrCP`um!=DTKE@~7pJW;k+whT50(0p zee=oWza=09{y@orKtskC7#A3(j~hWiVu?74jSUyyTNfJ?>+dJ#96>+!54F)7+!3Q6 z%TOEDzi%!sj3c*4ke_Q&(v7~aMU=#mD_KGn6vbMKk0TmUrh<}oU(b(C4+||Q|D17J zeUtR7yR<)*DQDTYn#I<0_l^x+gIr~V*f!df_YRXQ{b6z?N%PRrCxNN+vyfBBYCj5j ze0=<$Pa`@CZkS8_m!zep0b`TZi|;8u-jyZMKlPm`cCWAIiNd_{Qz_fuRpm5&Hhg~7 zUm{JKbU3?VoR!;M*SrvNO~(hfvtFa~&fG5_{cO+MJBBkFg3S`<&)v4uvFNlDW9p*` ziBqOtsk>uZ9;bD||IDYar(O3~P_|mT%}?4D`e}$^(Wki~Ty`>P-J|iAC96k0d%fDE zud4n|d1`JE+nn>XHP_9!e6w1iR&e8(x>Hwn9?pn)^k#p}2H)OuKKPi&^R@4Ms~qr( zqnwIRUP=E}E9aBz|Ly4Lpj12Si-t8Hw6{f#zbYc7yM*1jE;()~xp|YrHXDCwPsww^ zui6yK=1e4OUEco8EKc6fkd`s)wng<)SC_2c_WYJ0+O~4{`x7~Hu9lB(-o3NRQSL&w z70Wc}`MxDBwcpUk74tTR8m*t}wQR%T+ZolfP(_{1mN_L;cEqy|ZnyNfE`Kb6+PU_C zO2guar1}r>iB*m_SL^CJ4p>aJ@MgWV82ha?u4Y+wh!Z_-iLJq{6q4tf<tpcUJREyp z?x8&@nS`Gx-@h*TXo=$2UXxutAFXxzimxa+A#DMT$7YRYUm2Y1VRCle8UKfqX)#GN zH}u{pyZE8CW5;KU=(NeKwDgp^@@15yK3|2aI!I2dYG1e0c3uTF)6C`LcK?)B75!Rg zPs#}ySKID=Ez0y!h+dwpG85DKR=mk4u0Oxn>k5)4sRgy3`n}GF?jL2dR&mj}5CJ>r zkNsVJ{}M9)Q-zdZsVtZ+%t8>j+nK2EsMUx?BzZ)A2c=2qct8$mImwxe1B0U?QDsDl z_&`cdW^$k(+-fR<&%RgiQF59t;<sw(yTM)U;yZJv5Ral87NtMR{J&cXNu&H#hf)X~ zN&y`TIad68Uj0GIY&$O%wG`VsdsjBdW`w<2(fm;3?3Cl!7~S-)1zYT8tWMmU9aMEW zVIif;XU6Ianw00xiTR-dSJ8RzV9Czi%UJ7m=040iQefq||3>fXN&dZT&!@{Gi=4ko z&yJ}4{b16ZYfr2zG~T8?!ry#ar}eVB#x7jP@y_YIq|!CMrS;w=$!5)FL$haf*c4c~ zy?nXm#GZEY;`0*qT!|zt*VlIQ)TsW*#7y<pq9waDGhekto^kxTlHOu?t0rNBPs5OX z+Q;9#*Z6vhT9-@h$y?p7xmwvg!?cEzTpaMnf^qWWtvw<%j_J*M{q(@#l<5q-#rm61 z_+ZV_Z0C*9*#Z}O^OZQ$J60X{8NN%84(%D!KSOgupS$e&!j9rPzZEv4_i}zy-f$Oj zM-{mb_wSNmnihtR+w{B1HJ=C%q{m4)sIJr9eX&WFk4Zyrp25Jmqo@A3mlh=Dd+pPW z>;+oq$H$m-FQYu0S!udY+H%0mb>p4e)Q~?^WzNLs+MPIruHIR7F@HM$X~?+dXY9L| z?|E!Y34ao-efG^1M~+rP%idC&abEnGH0t{ly3hU1>hoS$otKr0ELN#q+bQe_nifSq zPYLZ?clvNFuWzg2Z3A7SaitP+=vHpc?hZY-CWksb<*wFeK26s!1BcozoA&ipHGa@- z3)ph3=*o-b5mMSSkhA0;Ft;0EZpWWt4w(5r!W`lE=%~;Lwoe!`!z#Wt!!f#M|I9Ad zV9e?=`xWc`DjHq?gdl$lF%ds73y{taX0`oiNcVUA|Gz*wF{DNX1kwRmMF@*HT|Js5 z%=9-am{2f2-T1!*V-OAS<aY6P;fNuzoia@u(fo<Oe}Oc_g;+_S=73B^q$MSTQ{}*? zL%5Q%V#6-=7@JI?{U5?3$bc&;ia9Q&Q7<Yu&DtHD4?Q!YmL?dl!KqE<ZlmK>x5#-9 zDNktZsPzd=Q9uvjwUWGD=w6pz!`5T*h_?G^hgz@s_jB#6Zyega{f1o5r28tt3pul@ zOy=A?QF?ND=>n6XtgQ~wzUu^1YDmO|1MMD;r5!<rTeBQ_ODcKO!k*7lPrb^_Gs!Yq z=h_$VXH(gs9c6z-OEHq#>O+pE=giodn%7dJPdf5u&$deYu8p=lPl0;E<dlfGl8w`` z4RP*$A<k0sGqdNtY&U=RP-T12lEEU`(oT}YCVqh*bCrh!E%hWnD_S)vOilB6TN8PA z{O-8*EBl=q?)fTxnfzWWXSofUCb0nEVJ-#eR_eO{q4G~r`a4(};nNnR<{=tCol+Sp zD)*Bof^Umxk64mL6+l7%a&^Zb<|CHmP+dg3Kogz?^XEIyf8M8zSpGT;4K<+YPklc| zCbLjuOP8ba<EJn2*ofJTjUQxB8*0v-KW;2MUS%YJf<Z}30|Pqq4El~FrL_A@SF*|I zGy7(7$+gGLyIkD9rdKJ2Wjov|aHQxaUrAC;YLRi8dh*$)y_?7Ea=u^ZvwMQ<e8nfq zg=??H$+fr3#wwdoxhJCwx<0M4-OjsfZJ1uoW?#?|46Nf+7w<CpW5Q8|D+V_`rfz;$ zqj1e*+Y0YawTWXS7Uh21n1zLX$Pn?Z_G<KXd9W+P?>{^0-fJLdqL~${F8TJR|9Qh( zUJrZME;WmJFS1Ntf7@vN)1^bBW|QgKaV<xZOV7}J4;D>7bSXsppam!3ZLh~k^6Nv5 z2IOV3GhSZFE%6{<RMeVpQK~$<Kl;;??kkGVJ)J9huisa_VjV!y_WSmxr9R@?5}BEd zOZiG{g9K<1(RMB<zB$W2K&il<%r-19+tuSD&-^-cFxI-%1zF}S(Rm^)YuD}6Xxbc7 z>o_g9%}K2$(=sL->5Qk@-py(b9B{Kbu-v9B`RVi<A7UD6hhz<-f}4UxHAkm59Uj|k z_Fm0?Lw)~Zo5OW6pEoPNm2I{-w(mj5(}1n<8^YGU7%1@cD%!15p{uoFAY=V_jV6br ziFFrFS|T|u@=51D-(XxzS|D?LL1%OK>;U?vyJ3ax?B6s^_aAfEGBn54M@Q|^<EkLt z=a>8T#2lb`@~-VT@cXlih;hKzqh8DJY=4`_^lRM|x9Ul8ee9X4B-iVoY2$MX(<rjQ z4WxcWk|df&9sqFYBhqZ~f4ApHQTmJNC?hFhra+}=N{|ZXA?m+QjEc(sT#zC|BK_z_ z$Vi}yK*GT1#n=b~;h=~&RPCSN(ois(r)scW!<2K33d{BIp^bERdr8%Ge@O>2iSc0P zoaKtDcXPF#ovN{3bm0A)?mM|Ot7+Uf@3+|OcG`Qe>1Jq1?;Mud*SG1H;!PtY(hDvW zdFLIx7Goxyx0|vrK6F%WVZ6OYj$@l;`ep01c~uqfL}O$$GnUjI>EF4`rR<ou&$ngH z3Pn%(nd=7^oDeSU_wM_cvUwWZCXm#{x2dRV=6{L{m_)wizvl6b%->Jx3ML(K+9b8@ zqjsC<YEuyZdVZAWzEw=gS=Od$=ihuK^)n|en(W4#6@XJGdkM8`0vZC_*;a=l-Lvx= zYs*vQBv@0>-KYEVYnRrx@s=$;tQEDq$NjdBpWR6(s;bvF>lfbDP9Il)zPK_nm)65B F{$HYoO(6gP literal 0 HcmV?d00001 diff --git a/venv/Scripts/_distutils_findvs.pyd b/venv/Scripts/_distutils_findvs.pyd new file mode 100644 index 0000000000000000000000000000000000000000..074931acb7add08cf57732071d28eb33d75af94d GIT binary patch literal 21656 zcmeHu30zahxA4uvB7{X*L<Nlq)(yBxAYlm#LQoVm?4lrsB#<B^nA`}sA^`;>?pkeK zuxMSX)~$6{6!+p*H!5newHn1*w79gT<~wtfu&8bS?|pCizV~}q?<{9#&YU@OwwW7Z z$1lcc7>3c|H5f4L0OaTiBh$Z6tSJ~~-{+7$wy(>@z6U5V7yBm4<Z5QVN|~(^<uSz~ zg+fU%Go?(GM!}RTn2}=>n0ZQx)Ys0=#><4dAneR7PTwu1<~KMsq?849=7_Cj#{7#i zHd)_M7DVRT$(#{oY!8drTINrV-&*PcIU{NV*`E=$#gwO%qVbHVZDc)OE|#IW-d&kc zfMGEd3v96+XM(w{5u^6CrP$kJZUFH#LeqOf?g%eV)*Z<*6~ioz&22fB4*+25%Uu{o z#lnD7FbMv)=f>);01T4=)R~K63sAEV!v@%(g6RpyuvKWzNze}SEM{R?qPgt@xgOfX zI>K=byV9}#PT7}`77_q^)*TW=A6hHW-SJ_<?7k|Ah!A0zmo2maPK*JsJG>p9Fqqoc z*bS>kH~;{PhXujg;R(aA8ef%KB?cI|Rv{D+zCrMIc)}1ql{8lg9nsnm4@la8R~?@) z3>)6D{=emaodad(i(EGx!7;};8H0s68gPTlKB#F=F*r4~b#-+~x~FkEN@Y@OybQ5E z&LCu#)fBl4$uaK_(fyQOn{3du8eAd)i;yfGAn{r2n#o!i)O2SiqK<&R1Aaj5{vV1O zq3?{}?LP&-_Ng1mp@ifVPD6ZLMS5#RdUHkkQ-cuKy(u#|l>3ABR|=jQxe<fbPl7#2 zaI-LnLNbOA4P`YB<(2?WFu0sU{pz)+=w%HKr7vJZIp-^4^+B=C4huI!t;w?TQ?$!E z!PCm5ma~EuRN=fjD|mwn@j80BEE4upsIxY7HBN`Di%!r|ne-+eLE{(*Tv%k#ylLAk zD0SE@sG-d&dqpHB13}xNtUYC2R#Pa@S{gJAT@*c87v^TT0yF|%5~sB;Rv!*zh5(rh zL<V?}D2#-WWI+gpjETD13266qu`Oli2}>OXHr^U0>G}bztz|VtFYU~y7-1tc;?W5Z z%nE7<Sy=-Nqak7<=m}<G$_yrvPI*^8GbVCs$hk?;Fw2Mb=>XWe9PF$>k9c=h@YI-* zEHyFote_bIP2188ORmtgmc4Q)-3NB5QlJ;g5`o(}lpIXvkJQLz4N#}6FKZ}rne#^? zg<kAXHW+$lfaH?|n1H1^*le9ZUzzkYUPiR-7mRZ#|ATBoyKCGpH-yfi`~eAuZLE(+ zTdA|op$K6!k>vD)Chg36%%Rkk?DVEGsX1OI0koV3&MTcY#~`doZ>&gvVCY&QxPwNx zpnkE<de>HiLD!7dLn9$?^b!O?Vp{qf)~$<uqu+xdh=kJbNl3FE`_o{k5Htd!(mDVM z6H=0M=mwWvuypMy=L*3C)UpS)kh|X|Kn~?=NemCPAo&bkI6cn1b-LKb_h9esuht5U z8bMDnkNSY%e2704jc;KEn$~t<1)W5iU=2H9EVS(pFr{5Mb+Hei()B&cfZ7kj|3WGO z!@HD!SnSj9ASyemhc5PMM{@M-l@DS7u`?R=gum1PU3z`f8qk1bT|gD=R}Pkg8E%GJ zQYgh5%N#1IfUWHLS7v@<t-h8N8H3A4B<N=*lE&O<Z)J>dr0>=Sms6x9SaWKOwjL>* zYzS&}sUchFwRJj5JZY%n42~oUR7Z-?v5q7d)eYWgGJ`kLErT~A+u)7Nsll7HFy6@J z7`&0qGI%3vYVbxj!r+Z;n!y{nHG?-Ys|If*iUw~)guxq$tHB$Q8e)fqVU8~})EBic z9_wfr2F_0>U}*Ii!O`j|1QR7)QDVWV32Vaj+pNJ5Tj)z6bNITZsgFT})~!b&RBDr> zcBUidu%ZT9gnBBdRciW42A1O}!vio!y~GX!mg~QRp{b>yCRbsM{)!cbl?#5{ODRu( zq?NW}+R!7B5R^HT9fsDk7N`PvFuetgDy<=6^+zFU($9z3Q@<4wStBe$b_WvuWCy^T zT2`YOsNVrdp)*rfk6N#z))8c@5g}M5jNJeeo)xr$ei-zj04QzHMCkJ&4AnJjhhjvZ zWW7@tl2F1KbT5YrtJHCImkcgf0G;8c!D15ZD&mR5{Paf#&5wEo>R!vK(ZiCl+8itW zKtNWP!;lHl;<Ev`0SzgunI#%ojY|6Kuz+&GgZ5=pHDmPifp-1Z7LXVq?$mmd>@XAR z0)&E~0>eGfY`{js8PU*HKNW@<G!OK8#9c%M-$X?<bgY9d$VXJ%2b8**j5349At)5l zFx!e#^Vl9ZjEDeCA#Vs9t$|8d=+YgV1iAnW<PeHwuQV25+?w1IQV<{7xS(sU&^$mk z^dt~Qw&@Rpg=_<V(FXn+A}JEAHBdDEfDcaq6KSnq2k-<4pRDyIFmMB!kF>9ZBMH@= zGci1=vCKeNXbm*Yc;h???eh>LjD!MKT2vG7JsO+5z?dMXi_1K^!{#B8WuPga0GqX^ z+-h}FJ?9my#KdOZ8U0(>yIRl%uoZ|Tw0^{ACm0K>Cr6tlVIq=o=$ihx2J8bAv@;nL zjfK7lw5ffnX&`72VVe5F9=bRpIYK7G83}0@I#y$F!Jr6!-VL&JH2s{XUVtU1yIv2w z2|<8G4mI`Sz-rlW;F6sLr7n|D>XC-hfN>}dO@uUSflD!&*%4&sAtW=47&7x7NoGEg zkgZu{Q3#n%fK}&`IlVd`@=Aeq^$b)my928_YjFUCg@RGA4XCl2fZACL8Kj8rvlh8z zD^l1(Qz?f&ZgLHFws;2Ak-i!0I?~)!#8|w6`iVwNXGaI~gX%Imuvvc}xhn{iVCgy5 zdNj_&26rPHko+Px=whw^tJ&}X*zj*#JP=t?j@EBnn??KD<~(H@*VFaCZ#|9wxE_#W zY^n`1=^DCL%78eFVL#Ohyu-)}0RytIYP8v=jWw?o*^wsb)EZVHfUu)AM8HtHK(32z z)g?LV81pL_WyLV8>5h>rzW^Dg9oIf})=FC-v~1Bz-#`H6;ty(|6TIOFS^$^9WdKxJ zsNiKRkmm~*CfTXEGPac?c*+s9a!!zuHYsSyDaXe=3_E-b-SdQ8Cg^3CH2w8U!Q$)A zg<RHH9UKddP4)n_vFkbl!%j3h+McT*N4~zAQ9;V)L?nx(Mt9SOB2$2Ax{z9n!@OV; zkV4DK!Alujh5)3NEbGsbR`|eTfY%;ag;M=5Xxfo<tu?)3Bwhc=T%$q_O|bz3MbMq& z2&}dD`&>ImiaiO_HulM3rVc)*6Ifq6$FV@&$VRB^Vi~BXJ{o2d>I=v@0Tr|)>qhcv z=N$HjJ6FcJ(XK$ja&q$k+KZ5zL=PAhGK!(H(G9nz4QGU$Q!%tB2ZY?zJmJ(#gd@ty zrr#d30hJLEC|m!7vEwl;E67^oPGX%Cgf5OW4hL+(ZDa+7yJ_gVDCxCqh<GF$P#jR3 ztUnCi2!=9^fMYel0iBTEL=U+_0Mm3AnjLoAgQsq0*G#P4MS;)?c|90lrGEe>xyg-m zXF~l(fPzOSXzZF={aUE(qSQhJaRnwRtx1JIqgHPZq?Xob$R1Q<*-GCEU7LP}&iWTn z(*JB62`kcjLJ=nJLGCDN&10RBA2NFx@b&Hnjho&J`lY4<Z=ZvY1_~ImDp-SlFap== zH<4HzN_`<m1T972#|t2ZIkYpaF^$z3i&HRwqIX7~JPTTYNIK$?KGj&UfpIBlT+?I3 zJ~Z$tqd4>cjKT=3U6jY=u*zhe2AvZvv~MYz*?Oswmj2+4JdN}$0tgCu9Aw)OdBw&m z5yh@)8cj-1rKTkXB<MJzo)jbPIfGe@Dv(~i0oB^HY145u-UxspMp(uf3q%bCHVCOy zj)gu2cDydfTDBO)5-Y%jA#Fck6c1P@=BP>Ez=v$k0aPKyB<7$|Ov*tr95q8hHV>k< z!6$@qdLg)Q6tNK>X$!ru8GTLecNe9p51jFJaQvSW2xw~@mY>j_Ku+4!fnB4Y2$Lh8 z>EoaSU~ni#T<^lEIf!I!o{^!&p=b{<!m=1FnWh`^_&-5+l;4FsHPys;v+h|SE`j<% zhim7wZwwkMeHip>vNbY$02=eUKDAfP>nr^P*6k_^YHNY`M`|t_XPN%k&Nz{AU!Fmb zgQN)vMw3^7@*DBgk4&#Ua2<xCCZn@Y0B`?0^oK<m-CPb$e**Y^mhM#t4zZH-$2p+y za_9sRMMc>HU}HsPIZ9WQqI7LBO23+c(xZitW-VB;k<2Prk=a^;%*yh~Y*Q|o?T|sX zW>MK1$aDgFMcHyFRH8x^6wZ?Kq6k12)|w-%C|gXnZb6iM51RoafS9v_EfAuHofT{c zim?j8K7$JbtYQvUInMC9p;E8~1kSjEo(&*mZ)=TVP^I7vn0pilfh;p161Rp$*8zr9 z^5%fljmVtHO2H8{T|N@LQw*rVAZr-(N&x2*ONae}r%kjRn{h~3;U*8oSacF4;ooM$ z26Z%H9_=Qqo3@CspUTi4)WfV8K?B<XHb=(wLWUhhYG{Ly$;IXbiq(0I8gFf(BTdss z7v>zwv{=@I=oQ)*WzM0VD6<R2!d3%Ka11<2$Mg)KxK8VR4mKLAO-Me*1pPUTl8|53 zJyLW-A+)v8T{hXETiP@9kY81gGbT<zeFvbvDEX(p=%`6PvJh{~QDT5wcG#9kFUN{p zFULxF2RFi<4=L;5MLDO16;eIign@51sTJBAL9?V9je7xiRm~Fch47?i04c!KxEDqN z1{-M#pk)jQr)9_`>F>jaLnxhI+s3FiF9k82&JLZLI5l&An+UWa!;SXTyACl#`_wCe z(-6_c!x8Z0*y#TROz0LR7h#k(!>L4ThnlFI^T{a{9%xME%sUAVpXq*`P+?V3K(82U z4Htze5R%-{&3phxY|d*1A<cywjsUqr8V$?R2^s@NNEI3oIdIv=p_S=(Drm6y3N_vK ztS#8V(bg3S3{3=J@opYwa0sn|TS=l{=p;)jM!1LOqs%2#Xi38edjLXa1wb06>8cC8 z0yJqaQ!2<plcfnTvjyTHpr>^PJI87q=lpx~8mH8yH@>b#-wX(Q?PaP72ThmWoH21L zSW1k@GOnL~)&i{^I${9Ftcfuwb0kJ^&O1=9R0y6{BsC+m8QZLFwA8+_)c9^dY}1~z zHVy<C#HtbGRV|a~rai|rg27H1!KQmcU=V0ekcBh!L>p!BPJ^v8cuykJab%iLrUaQT zCsP@j=91}RGA$(28Dv^arln+BPNoaU6luJ{8>yGU8y$TN-st3G@OCFt6xkWPQLtz5 zMzNp4+n-EvGDXpr!5di@gEuk)25+S7ptl|WgBgJ3z4KVY_a$lwhBZTe2VQ*;XeYcq zq3jFqD0n6CPJ{OhyxZVi3@>_|Fbp}_VsPBW;L(cV6H>7wyr^wKAckeaTLLe79zgyU z-UINSf|n0-jDt5H-dXT2hj$&kOnASAcJ!3+Fl;5f`S7CW4dg?h?Kb2!@LEIJ4dH_K ziK!1#DP!+{Jw-=1bfgogR7w@o8xJgmSWd2xh;nnW42fJ#Xb5?(Is<{GssZgN#_aCb z+#khO51G<%czt!A>-@^wU+<Y0`PuW-n7WITU-saY4v%R#8MSbR<oO)MpA$aeJ6C*Z zu`7CichwJWpSh(i*uSm+q)|7czYO6A99hOqf0t78H%KJi(eN&3!`s`~%iIP>V9Xib zMrdn%rwtjZ0Wi1)+FDF)RRH^UKOp^!*~Yu4D<D^$@F3szANYW|#^Mtq6C_!IE6>&1 zj@|lp!}G#VLr}1VMFgj16ev}b)BMxaX~Kw1jXYP9Rv=e!*lF)=lW)Ex(@Yk+C_*oK z5YI+LB*vgspl_b!_fM}p1=)xjzm@vR(ML=#(r3VWF^DZNUmO=_Wn<WNb3GzH(Q8~p zI2u>q88#ll?sS4hll>Yy!^nOQI>CfwKYeEy+3#s5SR&c48DNeumoG_6BH0g4W!Pd0 zz)at3Vc(4OlXWk3q3Qc9lBsf#5o15EY15`jGGTd`JFJ>quZj?RMTe8~fOGBu8&A%I zxYO1z(bx|hGX|#)zzJg$js0+d6(blqu@`6-99#e<K`^P281(HMHJJDgl!5&K7}_fn zjDuiR0K3u-^G7gb8}@-UH}!)a@PxsqV#EW}TH$UFD@1)V)kuBed<gaqGV&X=7Y-bQ zI=}+Ew82Ok5d7T-U6CT#6;p1m3*C%*VXj|)r~Udn?H$Me+5>a!*0b~Y`VQka_Qf3c z!)vAmnn)Uc06xMp+unMp-+{Lg-h5ZEmyp9Zr*|!wZ+?*k6Bb1)<V41Mjc5elWJ^(b z3zXO3fY-=b1j6<Jj1RDw4*e3r25$%0n-2Xx2N?KB%(_FrZD8MJ07H9eeq6!-fXDmb z^FPf$Rbmm!B!wJ!FBj#?r%BO|BO;U$DyfK&Mk~~WNFfH;M1Z0FG4>IFawv199Ja3n zJkr=0L3mQ4se*k$6BYqJG5oA1BTA*rOOZ>Y5i*eqv<&tbJX%JSQk5qnFzhpmuqXzc zS;iP?0fv2Qu7&64OBE8V7t{rX;*7Bgq!+}Rp&qN0XmX{I(yR<b3x@f?T#1_eTxo_- zB%Ta$aa*5^aET;JqYx8vr9zG67ZEb0g2N-p#k{eM3^gIiAd2#(8FEFIGD9L&6Dnm< zMlMi;VI#3TX`WgNr2s5LS}2z06B#m*LXs<0`Dcigd3j0&mK+hEG$t`RR>1PdjaUOQ zz$GULsVWZ(YA<I<v2ZLyEtP?{&V|Md#IYV2;8A4Bvo$JdhC&2hz92)S%AQKj*uE9! zCaGeoT%}axNfkg7*NEG=5gAH_v=Fq05M}1VE)B&pRMKo%1k7V<$ucnk^FnKpiZz7P z++-Zo2WU|d8L-=c2<vUGWlYh?#gkzO;&XR^8cR7CTA*A3-7!(V+$T@%1OCnjF!;c4 zst9?W)F+qa!}2jQWs^mc!pJ!ZY$fm!b|Z>p1BOX05~RdmHoH(qNQnrIN(E~cs+3|W z7|K$MMDyHc5H^Pvtu|GZswj|I;HXd~RU=kK(c?5yRgqAt%0dzcavY%q8l@`C^?mHo z60BzjXrc@hKmtJQCj?C>0-ok2!t%n^umCA4VeXVjxf(Iv*f~a?sS>G*A|OapV-soZ z+LC~Td?cX5rUA8)(o9Wuwp3-NvW~=0h*X3oKN^HF1tSo|DC#3gu}i_Q(SrCff*7-o zeb6xd4*{Yp;oUusN1A<#*`GjYfC*jOeU2#}9xyNpqF^->xDLPQ19O#|E0r*(N>ys4 z`AlUNGg+?Ih;o?;ghnD)`jS5gG%E$OKu!)b+cjpy*jOfPbiNXHQl4An%S==<MN^e> z2~(bzFA@_>rGlv>WKtC~A2v)4*o%}J6;qU-pDP!Oka!PaYSdDuh^dekFbPtKn1qs< zCz>pUD*P5v3<Ub3txA+hneRC}rc9cf57^;HiD2k3H*}*7Ylct(8vrpc8rShbym|Lw zqAxWa`nq)}zuWi!{W=YU^BnrQUNKsH802n{k28jFP%=LhY#0>tKLAHOg3H=sb5CPV zK}UM5>H~22WY+eZ)AlhG48hN}1570&ydG+AQsFGvp*=7e!;YYhGd(Dt6IhsQ?Kyu~ zVP39TU_(7wzPKk-ssQ&XS7e8JCM8Ds1bQ-&8-~*#*z{1(BB|PQ*ibtgzDTW>=4Iv< zF#&->9qOr3DT38vnKVzN_Q{irRZ5Ug!Ur5yut=TfJC)@LVyKX3fv-z8s)unlK*eP8 z36(}oAp7$#V&iy{<6xv3oQg_L6q)J(QAww0U>2!FsFF_wYnd%ow>5Tb7Lfi3lqN<x zRhrApMQNy~NFA-1s+=rUc``Nfa4|Cdp`KZyT(#8GuMG{~@2@A}`*k9T@7K0AayTD2 zk`KC?DbEF}|9QEcx+6B4h~Rh7`gXe1ntZSxuy*)qakM1VbGnp`vsnHCJReqoKi9{f zBM$Hp1!PHma6C{Vl}b4hP8L41<I3K{zzJY+0yBd|J^_*-z>t+G@d=c&B|ajyzdz1q z2V@0tM1POLU&PL02TD0U0i4VrAAf&;mQSWANbDow21)!y{vxiF6ZrQSSXo>iSIp!3 z1maSbk3X9e<P#K-nduYAk>FWe2`&-w{sBXv6wl&`SZtrntV|B9LK^4;YYOo356qGT z;38IlD5%3K_<rwlm+#kUBaB<wq0>KaB&h}Matm>bL|LGQD1-o2YnM<ys9Cm9M99Jm zL@KEnt&AY@gZ=zW`sLfEU%o(<UqWoOA8a$%FQqe1&!HfCQodg&jArri`w#&iShqxq z;$bieW)0(;Aw;;z0<?>t*(OB800N0O3UWg|VJZ&Wlc^BpK_%8~8+=XV`bLmJtxtqf z0by{i+7nrX4?iZy8tTdQ#nC@c^y7M@qDob`N-UETQZWj_LOlmTizXAi;%I46B51P$ zh6I4faQ#{S{$g<!OOoZu%oQoJHKJ@|ce8Ty{XV?Db~woi;8gqS!JHnU`9qqFC14ql z3b1%6MPp;JF;I_&Gz!Y-IZFTKEjpoEVKnR|ZDm`I{0Dl#%#*%>te6t?`vwZ&BQO;v z#}rsLV3T9Hm=rK8uq;do{oa5>p}?Wh{LdfDB#)5ESTBG_K%YGDPa^1F1k{M21_3)f zLZ}m%4B8bK6Xs9?J_0L%9xCX;gqf6>2HGS5Az)V24?SV<19eIp9g)yijfqM6@;mkG zj33c~@FHJj*<pM#z*K;t9X|*2#dz@I(3gwZLSM92g6yXNT5>zAqVpV)SPc9_4^Ej2 z<6>Y;HaP;#o)7CqT+D_w!_k7|OlKGqZqS(+o8%-5^C3$tpn>`C;*~Fqdw<@JbKuZp zIM6s2Xp_PkeSwc?xBhM<3(j~!a6U9rhr=Zonq>?~UG%>&4z0?J0quD#j733VA_RLB zpu@-?Bx#7xW?4fuqts-8G{|AM2#^dU6S+{%0J%XUB-m7_`I3B=08U?!a0+lv1#6N( ze=&^sEBS-&z;z@So%_El9UWyO62?$K<B+_XDQ(vZ`1=e}qY|MN$-WwB?JUP|FMw3; zy~h$W&f)|4UtWH_H|l=@|KD=}0{!I_470#(aVI<oABsoeskj)Qf-lEc;~VgO_%XZ= zZ^3`VDJ*AJZ`Kgj6xMv!YE}cwlI_Uu%^t*-u=Cj4*@xKm?0f8oY@8F#iRX;t=r})c z68tCo-wtRD&<D`COs+TAha1jK<fe0{a0|Gl+~wSj+@0Kg+(X<N?ip?!_gii~_a65F z_X)R|`-<DjrShzK_B=IjJ#RbjBJW#X6R(-~CvRBbh`{{7X@RAID+6~1z6!Js8WJQ3 zS`)M@=tj`vpw=M2;OO9a!Ha`G4gM_nWbnD*OTpKJZwEI9KMH;p{4%&Tm=<Ca(lw+< zNZ*iwAps#nLn1<=LlQ#LL-ImqhE#^E3^^ZiIpju2L&*J*M<LHbUWT-W(D*j|u6#E> zlRtou^F#Py{3yPVKc1h*SMgW#*Yh{=zu@oY@8=)mpXS%`ukmm5@ALKiX8s#K7HS*n z80s3z3>_7k8agMmJalX5fzT77mqH(gGKUTv8ay;=X#CJ|LnjW+8Ja(I<<M<Ij}BEK z$H;{5TadZpTs#|Ji=V-7;Ck2tI?IJMm^GZ0!kWmEu%@z#S@&2?tZwX{Yz{k?odo-^ zn62O}<gDUc<TP;xgX=HyFY%w}|B3%j|GoZa{O|j}^&cG|4A2D3445CVDqwHGv4D8) z1g@C7p1T+J;R*Lw;JXdaiPxWp^SC@dZ#ZuxZwxPyH=Z|%m&MEFsd$CFS-eu-eBNT- zO5PgYXS^-EoxFX#L%bT^8D1UiQa!rs1t$hez^(wr)+{gf05;AZ86XQN4JZ%T7_cP( z9W2qg(j8~899eFxFjgc>NZ!H&@PD8GQVx)RTS%p1cuCI%mR$zT9Xa>49mR@TRnl`N zfQqOT3d;evv+Ocy?nsK1MyJA`NaAUhHiIoGbV>=2N}*Sc!DI059Uu;P7a9etqJKs$ z#&Fg<W9dw5$*lAjVU|<XtI9K0vQM55xHbJ~PL}wkf5F$;R#&nZRVB_<cnR$pyeU;Q zDuqgQoVBd!j~Qpiq&^w_Nx^l?))0i#L@C7r=$WHq+2UO+X-RZTC+hfcmJ9BLD%MVn z6m%|DDVPzWd@0Kr?}oruPPUO6Ri+4TdExSkTpd7doGcS%q5?w7^1yqcZnjR&MgTKH zsv_iBrVA%lAKU{q)0|vQ&FFFxE)4SW;aJ0r2*-POw_~wcY&HugpYh%8;H<*t;A{>A z<U!-{i5-YdN-$4n<K&!B1Q!Mn(K92IDs&}=?zaGmuW`DM+M3aXaKC1nF+r-DDu*Kh zOwIIRj$q>@6wi(ff(@gUP#j=`DK^v+3I*G}eQ$K)=#SmI+0=U%E%8hlq`Y&W|EUP| z<desJh2#HlJ~?$^1jRdI--aIqE&Bb_Yl%9~Tl<z{)Yq{;AK$k>(rfa?3_-}%$V(C3 z)ZI&T@_mE9S>1cPs#pKmDSdXc?*0)cq9%O4?Pc^3i$cLBzluwbRzG^X;D?l9p=Xxf z8TDp5=RuLpAI+Nb@HK|hw7AvVZso3DCZ8uAs4Y7=$@$c|^C8Z+Yvwffu_Nv+_59+( z>pzGYA3c0Ms@Lqzwd;I#&VTax!)+hA&J?{~HKps3AA}o5|CIjwPxhOKtluVOUaMcJ zKR093n30i&9zR4{Ew#NRD=kjXDU=8<PKuh9c*1GM>7wW7PfVeLbW*D4{Ep9gO>U)! zJ>8Y=obky^MOs}Q@yYeOGk+P@@HD2__b$%1v<5-9u&|;~=>2go+|yi#NZZwPL{*B_ z`Mv}xI_Pjp%9w`}g<_yv<M8J+1}dCVhQStk^q~iWJ@>C-SK)JgO@qa%+zw;?j1tvR zpd!M3p${p~9^P~YZeyl^W{uk;tPW@<I_QZdJ^<Cb();3lHi8VZdVp4vg6fD6lJeri z#{C0*NS*AUKeRb>Fj|*S7Zv?7I~Cvdi|ni4f9&FMcx;JfIxpk%`1P)pPu!PwiB!DI zYZ^BL*Z(H3?5DQvrW~<#XHeHSgLZ$qt7q-Prqq?#j!TT#Jy%$tTc-`0*80OVkCd1# zQn$xNVVT}56=%=#a<qM|7luE%`(4T~kAmoVgIp~qejb?P*{wRRhj!N2cnQ54G+t-Y zc>BvOf#=>H4^YtSb5`~0DeNfFNaO#rb;zj0I4iJ|4zq*II-L1$(qXtZGVa9Sf70Ou zdA0)Xqd|}T|51-W6Wazw9yr`@b7b^kd&7oikxjy~U8@>)3~?BBT49*WPe^ibxkMi} z_|L5?SAKU)RAf8he9YXbKQ%^-_FVDo<lu-C>+5Cv7KV*|Ru*`$>*;<kB;%T0*vc^} z8+Mj&q~03T`{L;Pcf~ilSFk7Snz(xWmbC+f_T8VYY!HPA;yf;QOSWA)qV<cNud+f% zY|mFcTKXvCqT|6+TFLSrN4<;h>%aBfbmb6r+J=H<6Qs4zx)Vpj=MK7K9kXERf+ard z3L^W+Zf+q88tf;qb;&x;(eK3PqSpqWKK+Da`|b1UUM;#~-|bD&h1{cWp60p7Yp3to z{L{zAX!~3LVS9Az*wxne9S5kkT{P-(2_*$Mm4Gvl@RMpsg)0G9RP#ov@i!`CRgA06 z>I4d&jZ5)C<~k^NZ<CG^Y9CU^3)H@9lZ7S~o!8cvI(Kk;Uy)qo`%YIsLap`@i+r-# zzGA5g=Og0!&;xJ|&Z_dO^65Al8HB$X4W{5<)pB+R;}&&BUTr_hx%Z8j+wtP=!zOZ% z*geGiATs*V-Ei094_m*^UKX4P1uG2Mw`33&)4V7X=M`3$eq^O|+jGzRPSy40v~6?8 zc(4B?jOKp#(vL;o^p#oO{+hin?|93Q{$kF9Xi1*k!`f{7*A^QCa%WVyo_W0I`#q2E zGS5tLxVVD2^L5(2qr5&5g%1nAx;TK&tlsu~^r`ZJOYDoUc5S_zHdQfpqP-w0Tw%BC zN#G~DgKu}4;@Ik5w6A#jc6rO6YrbZ<4t_p+LYL4_C;Z@g!D$ZMBm~-R8MtW3{XH$? zw^F`zSu?~hx>tke;o7%_%j0V2?k*`$Zw}oTx1oqL*mwHDJIpRlQ<`#mOt`Gygr^Lt zh#q$E^6c}+hkDAy37;I56WdRF@MkY=tUcmhPuJij77xHo)tSsxp=ZQ~gzpE~^!fdM z+LZw@b32+TTQE~IJD7>+7?vyU3_OQW!w#&mihyfCW(*<mWevs$BDk%SX9Bw1mog*e z*>d=_)*<o$hYzL!A`I3*{3Fzv=7d53Ba%)53Nu^-U*FLe0x}W_fLMeJVHl1FKqLYZ z*Ivan{~CFw8EyZ0Mpi$(uaUT(?ZoB6#UYc!9GjT~mz5|$`lkS;KG&P;EJ-W6C|X5b zZ?Pio$hokr3n?k=Wzwpo!zZVG|K;1Ck_ND|ABz1>{vxe8@vz|M*o~Wx-ixvRA^D{| zhUq2QweR@t--DFRxxwrq4;;kJi94>o`r?PlkypP{Je2VM*fL@L<Vlsv&mV6cvW5To zE-FS*UUaV7eqq;7TdsX_DB!`YY<b?#UPYhGpMf_&4YtZ2;PCR<d|6P-rf)V(>u)#t z!CTeV$tkCr@14o2Yu$bP&5n@+mfTV9ss8qY-5M8{7V+ELVg0*?ZMb@>_WG{1JIVwV za$4ed+PhaqhTS{7;m6oMVP4N`8W(np>SgV>^jQz7=&<w4vYA_bGne|w7h&E7({7m! zTNZFC^F1$5s;xItTeJP4(b}T#PzvRP0SNLxU~)jv@Q<pztNP9D+aUl^BRNv5bIH4P zb(UHzB4ds$Gk&m*<MDC0m$?qM(akiRG>jd`<9J&y>Rc~VFJuxscJc!&NT~hDd58{X zDr?%hi)++#bL3S!e_wFeZISiU8}v?QYK-kKJvW9;*wkG<55M3qi?|ZL^Mx_EVj6=h zOL~$A6T^qJ8*(be)ojQM3JN-tk*|ac^P+c@mR150n{A(h=8a!JTx#)h#B)NuX;RPq z8&>T+RJ{86ftA;P@AvqE*rLQ5`*L|*-=KsWajRsMn#NZN$HsMCb@aQPT_3Ig<yybk zy6nM)6DO?rbX4`>82=IX2Np$*IDh)ufSsCNC&fp9`}1(z<~`J9VF?qbt(E`w*59|K zr!LoaI9750Bfl+WHjjQT>)&$V+_jx^KCb2s3H+(y;{@-Wi(NPL%D&=q`q24Lzg#fo z{<F<Bx=AmNrv<zGFwy;*Vc(l^8tS3EZd#7v6eI0pv0-=DtT~Zkwf$;dxvx-ubb-L; z3UjVqwCp>bQoksAMYz~H#qxOe(>wOtQwLFcon8HCu*Oc*kG>%OTi+wo<Ah5;TmM-h zu|m7<*ZnI~FYN4EzwXlmqZlXkLEHgZk3XM!`;>w8!=Cg?x!3#&<7Vo<{C2^Sc$S05 zV!xGJqCP3$ezDpw>7w0Ng|r9dTb=4udDG6lDkwTI>T+4{-lN|5j_@7NZSw7IXwcNm zTrP{@Xr@MZUM<E_=FM_C(VR5uMbmov{VhJh`*&`xn6Z0{!=EquuWf!E=Fzh8ykiW0 zM{?z>_^!P3trL>^AFDVj{(d-p%Cxb%7niozzG`Uv<agivlHuHvxy7e<&ZJIjnPh*# z17F$T+@g<J&EG>?I9T|4wYa!+&&yuN4l;)MU$}GY&+3I~_W84xJB?-cGHhIwrg^z$ z<GAy9iDfUa^)!>6mv6QSFL#)HTsD-Kb#wE>mUl$vzsr!KD3yz|;Z%Xc*G^>LSwS7D z_>2zr9Zs6)91otunqfH>ezpW>%Wk+M0$4G+43~=FQxgF&lLfb7^c0f6;$kMiS8ejk zTonA82YyhA4y9%@|974666*WsP%1iyQsEp5I<|4|s&ijhE{`1N<XRkYZIianc0taw z+4bM|I2QFa+okv1hZ#!*U4r)CO3pfPwlI@=AT74+WKZhjF-2?SL*s}O<FhRvteeT5 z?=j)~rMs$vQZ`?DQRX9l!AtpRrlNYxpVrBF`}Te@E%lop!}j#}rR09_v)?LuH65vm z%=H*`?eMB;+vZK$c5eKZ8H4KwzfF#B46h1GXlk0bfBjvG>V(C)5Q}NO;(m@yccqE( zK?~g)s;92)x$x<2#nDlJYB{(2U9Bk`m{#{zQ1be-@$)975Dl}e)~_nN+q10OkOc#3 z0%vTL+|1}}_fc3<UXQQ(#Q*%$*4C)e{=v7y3~9NoHPe@msmxzKRLH46uNiPHsPQ}h zNz-?~UGMTTw&%c>MB5V^8aJL6%?|InDe$vyx*K>R%OT|Z&1)?J25gY`U9`9VH)(lE zcymm*tkVw?6IK0}ruDD;c$Mdy<GT;tyj7BAHR+q*E-laKb>gEb{q-}ckH+pB@VT|$ zo569F*S@96ZaQ~4TJUk?{vE8cPY=|t86EnQtZ)4z-i@=jk}8XHf6R72_AF{tV6Vd4 zo3_!tR~5LF(0(oEq<y#8E&WN*30o`0MyFHd4~8{njZ{)jP~|NZhrd+wTbA|v*0Z-) z-)$BQ*0PYAb&Y)zu1BBl)9qoyqqOVausx$sEm`z=%YiGedf$;O`KtQ-lUaFI?y>kW zirLMr12^|cXEz6t`9Hcjbl>CQL`Ts+x{xuR;u{u>%CFfx_93@*O4)Y7?D?WSSK>N( zkPo_;JhRUNPbb1N{zXssq4@tVJRRv$;TM`5aI6H*MdbFO`{6$L;HrUDAI<gtOJ@v+ z2K38LG%gqKhsJfIyW>6E{O@}%4Hu$LOnNjv0=Krb%$~!5dpbPC(w4lioAVWqLZ$y- zx<@z$oG*4*Dcq)fvL~?Ky)p1rbF6ZDq4&IC+V!0YT??F-Fvh>_Ht<U0sWf@9J!?ns zDNFuZ)+XVLehpt0;O>cCqfd>S_}#~mVV8ESTYZVK(&sy;?99OU1N~Dk@85QC*0zlP zZ<j8M&Yx5<)XEjlJGu34(x`2XS^btR9mSuzk3TZ!ak|@_3jwS8FZHU3Ybg+g?`w2d z3eNX(P|zCEDEXX~v7gRab-RX%?RvI;#XiBq$_ReSP`AS2#d(@7m801@O=62|jMc=2 z%hQ|g4tf5))9S3Lt<|>M9$?XnLaRgprAg8BIR`_R<~vWzaqao_o$Hi!1?x2PwJ&4p zZcTFhWB9MVR?Z4%l~`nedze6laBEJ*f0OyAI)2D4b-1UknzIV;(RNeXg~npE#ffll zi@SHI*|O~61l@kC>w*vIP-C!q<L*^G;kRI&zdW~nm&E<rr=hbv>CApNW<LrzKud|S z@bvC7#Ai?1sa{jIanE{HT+2N)fA9(4jt&$qDCs3sO#Ss>=C&>c8+>lOcs(UxMegOm z1v*(1x7W9i+$+~}RzFwH%h_8IHD=|}K?}Tx#;3PDE8Tu~+rgl<0kPo)m{vP+6m8_1 zg}+t*G3&&P&!&v|V@GAlvC9v?x2ryuGcx=PYpK_c=}E4-lRfDhUs+9FLhRW4%<G3= zPq+4~?Ok`RYF=#gk-DtsyF*8ERQGhN+)i&wP#lWgKALzCeD!ukUa;H6df|>c3vv`0 zXZpOnH)BuaTHds)>(`%aIxzg9_sQehIKOIt#^#Lk+HVfUy}o7f<HYa3*}Zl7S1~Wr zUOlS4^6A+L3oa$@+H*ZId1dO!`71IL_U3f|w(0w<*K3#AT?h_67_jTh`y&Hgz4PW> zED6Bzjl=9eF1P;UfbD`KzxKWG$H0%>c3=2%`iO2R*$=KyceR>c&K$X5jooLL7WFtB zpZ<2PFo50r)Re1x`^`STeELj({<^wZ8S&Q+O^G@A>+FSl7uu~~H`@Bf`I~kw8KVYg z<#yM3%oA$vy!w32y8WkU^{dZ__r96iH|p)+ed~9ni(47)8pd{uedm)dx&Ho(Q~&7S zoVAntx+#Y~WYt&HkBL6%GH#H~R|iK;KW&|PDq{>-*FlTN@3&vx(Bs?SZ=On8IKd6S zjx6z-pRtwVwD*&X`8PIC-5h!5=9diVY=?1EMopD?*89g?%_*LL>*sGLL~cz!AK#_N z{pn+ChmFx~D52UyY+%(cNtUb<${TPFElAB&|JiqbRLA!&9lKas47R6Hds<*s>9|`v zVKkO)Tg8e3ie&y8(Zz!006`es^RjukKhA@g46JrrE1d-w&9>WhleZ+VSyt9?==T^; zy<)<quudN|NOhoKjOy`A<Lke#<vuU#`RE!;^RR`VGi>DcRK?ZWk5lh8a9Y3UHetzg z(V-jSn-2%{+2yz0%ZggFd)f5sjmh`4UHV@Bd~dmX+E%CIlGUjX>cZBZus>b0dTZ}! zzeU&f_4wI&w%wX>OOD$aJhG&I!W$=oY~DV#3P|1gWXb-9H9Yp|+Y!Sa9^?7Wc2!SF zJN(g@L!sIi_tR4|^Z(4g_v1I=6TE7|&Q~P7sP8{&B-IZ4^Zf6Nmz`WZW2uK)Syt}$ z)+TU?Vf~$JyY_~Mj7}3QcdEJ8cipwQtA|WJbY|6<^Y@?L9JH@q@Z`kD#BOEWwPWI^ drxz~1x+k$VvHN<j>nTrH^jhZf<))kI{|E7B)aw8M literal 0 HcmV?d00001 diff --git a/venv/Scripts/_elementtree.pyd b/venv/Scripts/_elementtree.pyd new file mode 100644 index 0000000000000000000000000000000000000000..f3cff306623575cee34fae80da310386749afb21 GIT binary patch literal 170136 zcmeFae|%Kcoi{#{8NvVqGr$C+28l9iG>BkO!HIT4GBZI4ObE$fA&Iuojww}y83{EB z!AW8+$3cA7THX4%(527%Y~3w(DF$n4LRbcrMSl1c1l?j~>(J0PS{8#%x!?EabMC#F zWP){nJm0?_US#f%^ZRo?=kxoVTlUp0CX2~rvf@uwO{NZ9>7SQ>zxc;yHkrmvd1IVu z=cs?VzQerWU#?#get2!}>NSskbIn8F&i(pBk38~dB=>78bJs*4$$j{d+>%8Vx!-<t z#mebp$BuSuRlhU)%u4aV=DYO2C$FD;*G4?Q@ReuoR`?pfdlO&9-SYh=zV5tFruTWC zxx1aqKXcbaTzB5rcK2q!Zsu}3?|bYnD!=o-r}=sD!(R_mTSG?{^qEWx%p*)c9$T<X zPdj7ExPFXz+&I%k476Ro{nKZ-cjDfeK`)$qkK0U{Y+Ow{@Df1%*Hso%hRG`nQ8_BW zS9xhJ%`h#++mpENq~zudQ|@TG(f&1Mm|nOB_ggYdJEoXS50+$@mgs52Tsx5NO?{7k zqRK1&n;uzNA3^Fr{<}6V8Y>|~%D-GRJAKWHhawM|Ot;QM0*(ECTt7$Nlz(2J&2*W~ zlucuN5c$U8iaw?O^O{VZ)7PwB^L4!Bu~G-^cvzg4&pUn1%2kgdBaNM4V9Ld{CN1Aw zy#0Uw{u2<W5;J4JxvY$jWvWrT@LQ{dH(Nat+h?umK1Bb-_|{{Q?AWg_CwQ)78ESO2 zm}_0k*&gUVR4L9^sZpDn_3HQxr|3mNF|PGs<f;TOh?tpbEwYyDwTgvSq-H1ljAFwi z+hnqhhLV<C&{<P0yTyH@AGBXl6&mP4BRV0f?bMIV*3QV7P*6P{+h=R-jNXLN4SwSi zek7#k$tdWotyz}Z#{Z4+U7he7;~NX;)F@>(0H|6$lQz6VRiQdl_{|A`?IktqkOpI0 z>&2+0wx&B&rDh#*W;iiG(I;ncA!cx1wtAERkU$nx?-_9x<)Zf3dYdVl*+KKzUC^n) z5%uSaPpR@HXauE{fD6E~t65$=*TxR0HQi_}Q`~98vzjRaE@cLO5?-D`zO&J-Smdg$ zi5EGQBD+yJ<|ic9yIR%A*Ahi8no{9No7Ad;i*wdlo2JIU&lv)CVc(IK$?sWbZTLtm zvd05Xapy^l*>fP0S+4#PJr412O)ZZI$Po610j|%*durBB9VuHcMj{D6cR{r%H8wGp zhEt`Q<&Cn?zKzFc;)~*UCj8md9W`qOsz4*2dnr9~rwHiq%#3ZYnIdj+LL5%+x~!_L zo$IekTSc`s1)a;fYsLPWWfI`PC*iZznS!GE1*-puI6~-oEaH_tF?w{r)<@MWyEJ!j z59d0?-o#uUP+~53RbnlTzY{&B(eLBYS5>H4%jvE!w$F~KSRxi#KPy^-#&e^0q;(kM zQ&-!!HKRcI0L}OeH7m&=u*<Q8)T}LduBs4yYSwC*(u4Is8@D<VrjQXd=%_%McR44P zTYU%Nr3MXNzp?YSs<^K|;p-=e2h}?XUE{vKU^qz~AY44lNDjn|1ca|&L}}U156Yg1 z1BA6@{U98-3ZD}x`N4A8peXC-wZH!AG=w6=7XMb=jZ$SjS)$B|o08-n%%eCUEBjzz z>15K<i8#ekO!eFS$b!~7>wknI<I^e@zCP6?7TR!CKwgH+qM@45kS_M&WyNn#tH{XZ z<U7vgOv?q5NW(DbVMUerM4SqVCak*Xg1X#+b?v8hJyu)SH5mW0ZUg1~F2yGN#-gS> zxu_Sq<dQ~xB4o83_k?VY&Cg?+3J!`>vCl_2{%2R$pDgn%r(z%eIo6eFc`rKhXGCCn zY#aZis_K+=&xjDM*|`0G(&UzVjzn%+tY$5h$O6Py9W4(dBN|ug!GAzQl%+OWGqU4^ zv{uSgLYWr2FehDSGJ@)3_E7Sp-<wS+0j!oqQBb0&0Sw$!g+K{Dd4u|tJR?_Wrle}> zNE8;OR^hcPh3(w5>b0iQE~*FRFM-I386GBp(R>Zldo>a)L6|lzOeSgB56q1071n>b z=)x)$OYMrU|6;c}QXBi|vM2^w2?8q7a*f^(qV|!JigZ#xc$M9Ng#kFkEW~k(trZ5x z{Z(y^=w3!h!q6FnExi8p{y6_H^vC(1=uhmty(%;;L5TY<1ev;r`vy~noYqc9O9FEY zAb<eO(ntdl272LW`4Oe@BKMXf(V#|-_Ge|Oo;;a6A^FDVs>-FJS%4hCrY%IiAVHM% zi6hD9E&(5V(Ok?#057!$b+!vu;}wk;80Ew}$!~#PfLP=(>(tO~Ry**c7T5*^p%&7p zaILYdNxl))&MFbLheV@I1XyCJ2olf3ZFH>&*#9^1T8)g0ow+>lewhe3hkIX)mI0xA zgbBZ62J+|QJs9z7Yts}g2w~lUWIK{8Axcp@W03CmthP3MI9Nm?`3UqF1P`PRa-AXA z3=#Y6NWK;{Ea4|XKV7sF3yA{D9IPItFR8=HAAhE*Lu5d$eUgM+zzNK_nzafyqE9SZ z5xaDUBmQ@2u1LW{Q?@BG8u>0TGqL{v)8+n)MBE^hHE%^f!0rPp(8to)hOkKqtcYCI z+PPt3ZB4a$V;_2j&b2e2wBnVd9I5mx7nliDnmRn?N=4IdLLjaH>>yc>K4__;N{SH> z=!xe*nztL$Jo=^QTA0dnYSN}+P*akw>AxDi1ol{kvnNwzk=P^_*^*x;K!9pSRzr#d zB0$htXb19Mf%^e{fzQNAopehqGM)K}kPDJitypXYW6r>egbX%m*u~Th^sOj3J!h%4 z=_cGViobx`aT_GIBT9kuf2~+wr1jxhYHc`0%*Jb7rW9ERk#XP~<dq8XUX}PXB<9<c zXn*n*a2L@>T<RIRo9_Z9PZy)aFO!?`toZt{er}76R2{94QhLA|(up&#rF0qt0t3o1 z^WRk!r9?00Xc5ZjVtrX(+Jv-TbhJ$5w(X*^AJ7sfk`wSur0=)DJ2BsmnJ+jH`_PP; zFE{{sH*N04e5W{pqRIDAfC|3G1)ZYGnOe}9Ua*2@!6#>-0ZSA(S}%%S1?rr7Ym=Km zTiGw{yOYgS;X)!m&{6D)b$0-{JoVOw_a(3aYsji4yn2C*5FKZdYS*u3&Ei#I7bgLa z!O&<uU2kXcnxLqxx2DfNN#K-d@ZZ>Zmz0tuOLw$<O8xSK0T-efN6SZejNNArIa)X1 zPSc)Nh<p2y3bqu4Xqxa{K#~c!7lKvliP%08J7>gKxWRz>#8|3lPN_9I7yN;)_h`ii z<&VCL<xZkBh6;h0x_B>XE>U~(dw*6{?NvDZFl6AYSC9{Ui<E58<5<1b6uoYn8;}ay zCrTlGiA*vus?JoG5idKhM9-Hi)xGL!(8V`7i&Lu^3<+Av0AwV5AYh4kSQJE!CqVX# z?aiH2WRHv#MYg#0$!@WCh(I&2-bY}$^gw||H|=PMZ2^RreE?L!u{l+?rfcH!c*TLg z*tcN)`|XN-%Un;Dt>GNB#|pGKPMAF-h+;&n1*dyPuqcV;4;d1~0GQi)dRZ`>hY>Fh z&%keFD(gB`;n@U)b+&K`uHjO8$a)a9#P;R&OjTzNmuYEArfIZzBk6>L6=+~_ldb8- zo=i<Y^`rA0X$vsmX|gqZl#YBl8P>@o+e^eJt;eF*NF6Io{g?q^SD!u*el-KUNvRrM zc@UL$thOvr?Sg|+WOO{&1<;In3)GgiTG1sbXO*3({BSG1()nepaB>yHtobq*#1dPm z^<dQAdfL(QGEK7DGYjbRnU{3SjA)J=V8h@6)-GcP4h8KDkJt)EO&WB`ABk>6&$Oyd zHy4~1zM*uPXf(+sFBGdL&#xN(6^-MSQg7v7TkGk_b*hCj*_3P`Qo3HoJgatDjVe|A zq4WS|7V){Jf{OPNKEhg)w#*a0UioyME^3yQC{!;|sEg5&+G<K&;c;ItR{Hs1_z>1^ z_yquf#FGm=UN;EEWY9EGd0xD&M*Gz01vT26{5Pz4P!Z9G6{M!25o^qHr856<LKFn= z)GQH^$qeaGc&i3#O<xBopfXi;7zYbo+VF-Q+~84-E`WBN;No$g9fM)2$K;C!ccp<{ zN5r|ZmxfnnlY>i+Ngr8?jY@ANb$yhRc63R~&jF}sOa3>Y4!Ru2MbttZu(6_&i$&1w z_BwX;e)g}|UX1<bLTta=@>!2XtaF10790dW-uwd;iG7q4`;#@A>DXnR*)uNoCmU{G zw=P6R>*iSB6H#lyv7Vb_eT~r(@nB2OWUP#<V|}+r*2em7jXV<TTNZgZ*5{3^i1kg6 z)E0T(Y50kuMp3_Pk^99u8(O>AG@I!ErV@v<P*ys%urWH4htZRbT3v;=N3JWpHF8bi zvdE-DZ)8H@^vJj(&*6qcMuoLCY@JIb%2K|yhu8)PEV2=4g;EU7IeI;qmSL=UH*NAk zNg(n-bPz>LZbVlzJhe7Q{KvQh4%);zyO{NIk5xqe#tv5Cw=(mIOl18EH2e@t$)s%* zVlt%y{WpJL=I%%SN}HIgYtK+;=DMKGq~UFG&&Jd)UKrd($;(rup|tYLNQ{Mg1g1Yq z6lI6lFwF~jS?$n;tYMHQp8<nD74I?ggoLJ4!&Wtzg^I(XFZm2`6C;7J)B0BcizJ_( zqmI^AdMYMKrAA6IA%p&d2+iu)*kol^JyXrBgACoTJ`M}m44RsgWMn(N;XXN*6ikPp zk}InFP-}ohp4WBTi=<1E5f31O&YJ5?i>oTa!8&GdYF01PkZg_S(2)N_<NX`9UD;{8 zr!YbfvkOP-VSTh%y*}7bmO(HE;gBQ$9g*EHG2*+18*%oa5vSB`j1;8*-0v|9ebT@h zy)g|5Ajp8`p68KM=csF7*BR=_w5$f5tTUCvB>>2ElJv9=lOrLQlL9%3Faz*|!C2x; z<FNShj_6I+!ls4AK=6Ar1%5klPkm&uM>kmg4+1Kw0*;pdg<I$z4_KQjw}>J@^93D$ zzA_Yl2zxps<LmE);G2~v#|&}$ru3mg&Mb8mdmgYhylM<PEmztSGvE#gg@9ND9>U#p z#2Q#nuqcxdD!l|Ls|Z5|j6>m7-$W&=jY@J2-BrU+QA7*rY5`H2MLWl0keB89*rFET zoNChf@wNqEu5e12!(JDvogqF^vw|$j0WkGt;P8+V#-aiOHcQUkEZe5QK5{eE2}qpf z)~0NRHw&8q7B-RMDYru2B;SakBx_@(3#)aPK(z+=4o&Yxzq2_y5%l*3*(?;z5nMdh zWHUQjX@-U03AOD&?AJN54|8LmTcdf9L#`$U)%n@UYdd3SF2p+Bmi>-hCUBOXM}^<5 z-L8mzZo5+E*E#cC$}Dg1My1(ll?u*wEwahG@sc%7px#C8%}vf*bq@~2oL@q>{I~I7 zjHGuA5$6wWi(r5Z|5qgZ**9d&fHrFJj`(G5&AE4AcuIjC-AaYO&YX<N7KYZ3^@jNd z>S7#ISeC8N#*8#hghnXr&q6CGg^?G6-WC|%wxTa#dlunAiiE7A3b%~<SOxi%RQUtI zjj~jm_aI*u^AerxB0Egp!~3x`lQ&m*as4REYO6S~KBM3wIRtu}GDNR#+j}O-CWlPP zrl<!&tLK+Z6Y0)tkK4E0FN*pVv*(u^en$e4S-w~7J8%OA=GE;j%md`G<YLJ(7Rwl* zx{2}M+O5+VOq>DM;qrG%933{l27fOtqm1fq=xl?)N%rnfldqqJG@1#b932OT?O=!E zkoiV^<*<e*mHi>{1o<2$Z!1K1!+Aqzt(FP5=Iome!w+nXp1l!wT?UZ@;+;(UHaP2V zLq&d=49Mko0%F<|F32#RPa3Wpw&ofDpR1-ST|44Mssf=Ac7@f}#;b*jJD!Rie$1X? zmI)2#(u^291vRx`eS9Z{ZHyJ;BfD#eoPE*p;Zhn_mWg|7tA(nT)gXZlaNYo#4IOl; zktHO0VT|N-Cm1@iH(d*<okTWP-B)QaO3J}QUa#&(do2EnQ(~P9`o$m@4x_W-!oj#P zfy~1hwf+)5uXBmJG%rTpfEOdOOIDGl(gH`78L-zq4=PXIhgq_hpu#P>%rZomBGf?t zr9GGy_+xT`*U<uBiB(+@&-pGWr70u|EeaI4YA5tIr_|fX1#VYz%sp;(9w~L6pqxL} z`>>Se%K762%pco<Qe;O>uaqQX%V6XqU!RWU=$|OF!-R+G2++Y9t;b-uL#JYIv{2t1 zEl=W?>rrPwO|8eU$?y(+&lbC^Mkm69hF9QdV-057dU5?|fD7*|L@fC3`qqo}lL-m4 zNr1BMU}Iygyq7}E708<=qIgD>VjXFMX|*l(gv%72kU{~pYy+y9oxGmeOe)a3`n3>C z$%#t(8?c_4WEiO=p#tnpJ7H=|WtzqCFccg^LJrYqFKgTO9fVlSI4#kB&+&${hNvNx z`<;UUZ2)9|NC4ik^Em`*)>uX943dbB5WIJ5@a`UfH-w&{@OByS9#_j=OP2oz1AGx7 z+iC!OmFF>Q<2Qk6ao0~#s|gsUKvQvLXm|#?Y~a}qgl91JVv4T9br6-{*GwfGtp_Zq zM~`>`=`}2D1GskXb>z_}Y#Zf|!iTB&&d%|>qTW=7MB<C1<?pF$`ojH-zSn^%z7Pa} zj45`s&qq_nG+zi})eN3yxWkod7Wc`V0Xxm+KOu4oq_y?f`fO2lAzrLHe!RCxDeEh> zbbWS8@m&BN*YE-(Rea|`)<Ew#6vO~NoLjJKCVcGb@ig|WT_LK^L$HbmRZBw5vwFJL zj1WijPux%D7#N<h&}jv9z`9OvO6_qgQ-NT-$QrkH1VtjhJ8s<=OlBX2Ll+*keRkDn zv-F`>)V}72)Lyk+9C!Tq2+CVdh<dB%#M<jnQU2#$A7_N()@SpN2k{$B{_=?K624`r zRg|4S_c@H<tU80o*k~n_>Z~-L2cyaZbin?uq(FmcXiF^C*l!lK5EiT;XRxJ4?(&?9 zge3*?l2VG-fEIJ7#TDU`gQ&W5pdQburaQ!OaX7!yo~%5>lEW0#;%IFd;uRPu!t}GL z0v>Zs+yzd7${fUdfyweETaPu}DXP!H^kT_Tz!urt+xkzMS!`1%9DNM!eX4$E2N zc~RZ#In{U%%|=<Dr_|c`ZE-38Ed@)19PyU7$tPlcBcNC}aTXge#70W%uc>UMz30BB zLP}U_o$smcYq(7`_KLSt%D=<q|9U=^FSE^~!qt6^|0WBgZSFcuc1>T2F9OX0U^SZ| z%*<w(hQaem5`@(2BFYQ4VDAv`SjzfQ11duykRpbG-<5yLywsY;4Mf>lP=s_Nph2Ln zK)wL^RO5@}XG{-u6@~eSEqN!;ACyo-anVSgmj1&pNGDnd^9ynJ`Kh$wza*@tF!yN# z%stAEM8TxyiVQwO%_I+s<dBj-!mNAEwmz(vaPFi*(l-DEnZrl2Y|y5Z+S25xf=->& zN`O#(WU>BB^<`i=lb0`;9tbn2%Kt!p>@^Igdku%yN303-;Myw<7*ZLDG_fXd;CZPN zmKsq*)Damar~#e7NY$ki*QU%)n-@5&P}2ZDF}{RguS*2jjB9whA)MvH8oE%}dxyn# zAlMl;e$*4+Uz80ZHEcdOUxs}TW|Ne@@&T1z;s=K$NHn&i7n8Xc)?SdNaflf}@F8p@ z(diJh(1nkrJVdbuT0)ixWFu>8c!3dkX~ZwVE9><1HB5^anl>W5L3OOVFK+!aG4&u@ zELwn_+)m^srO7Fp?1;8PJZIeA7Y~@>+g2^asFkY|MHHQALJ*#edD7sjUoal>=Q51h zf42yc3egF?JRL1lz%G?VFedaoB0{#<-aawwt+?wghyxHS;Mf&4F7kdn0s`(SwmRY~ zaTB+b^$_MmJL1TM74%CptxiretvXsx5b1}6f}Cq%7@DchwZga>vct{|8dqRB&0$my z$5W@NX6px3bCBoM7{8<C7gR~euD~$P=JB}wNPMnY3Baza%+$so+mK_5Y!EeeL>xI< z-bFR3QAdu}y?8Sy@`(7PjGg%(s2-EYk)|@DPVw0YYaNiGWn?cX0wEVf8-f5u79b31 zwGoCSlY440@6rb3Xvs&uIs|eJF`PP{A-8p!9ScBKz6N81LBHqGc$7u<$Yfyd)i5H? zIt|m@Nt%q0FcQyXvNT1nK}C+%TTl=N9V4>&TsFnaSkfAS;PW(z2$1yQ*>OBWkwIzU zOGr>ovU^rjJGYgf4B01~EP4-!hd=-d6|%N#LI#sluSQM>R6eN-q;*CYy0lgd7q=12 zl~%%ljgH!U1%3m$!=11or-#IPL4<rZr72tS=ctw{r3S+G3Jj;tt7g3<*B8Ywc1EvD zYb~XJ2rSd0dc^*O-$`QOKnyj}3!e=>sDXf2(xk{SOr8iWU`Ue9Iu{5h^Qz(Eab3uc z{JC@)kca%BB+>g2N|HuK5jm3fE^QcW6H54VsM3VrEicpLB~M;v$;%A77;MsjF&sNn z)Ql?eSgul@3sN{tApM|_LYfaqv&2w9Kb>h2=*!_12W?D=TZb4;+Gfg|+2AgN-ypV~ zC~8U`#J1-Seq)eWqwjQs{z!d&78VlXw|KN^a1#rmwox)eVVLA;GMOPaOfs25QJNt- zOtM=hGx&!|CWkIcbCmNi$;7;n%=j@(GDR{V*-7&^Ofm(gA(=VrFv+<xIrj>szcA{J zk!ujN4S2(zLg8vv$p)P`Y4KrDehgcMHa{{xb7MWboCLJA{%En7hyYxK-OaU%`(hto z9vlduj7vZ<#Ar#mV8>R9p~O&MMZq9?uQ?SXkCNv>-&D{mCF_*vBcOO0HhkF0>6NvV zNuC`=dG|<)sjyY8ze$V%?5@(fGIS$|L9GUqdWIB&7wTQ6co2G`GYS^oJ*U(jMIeej zyc|A=VDdcR1^Uqq8*O+8h*~gtN_!&#jd(Xi{ObOdo2B3K<74c%oH=~p92%)Jg~HoW z8>WRkArw*$w25kw!f9xc;yB>-^GOI~U;*r8i{TB-dX8#<o=L&>UqQ|4<8Jt`Sdg-V zxuiufU4+AV=<XY~DDSnJI8?bBH#!=jJ@Sta?~xIUNF<7Fa3ScdKXMmjf)0Y3=V)X^ z2Lr31({nT)ayh=+8Mn3)%3HdE$rsr}PhPEd6PT|E5aFnjgxJ#+SpfOOb2NIVrd2SH zJ&B@qCRhd6<?2Htz6qv(tC)}2V=YvzCx`r(5FO;`ojs#T);XLE9R^26ETA;JiCVkl z*O9Mod_wwFZ;}@Fx0AOW<(c~`gd!MnWw18f&9G-7*l1;)sfwo!oI7ROBGYKXN)6!z z?7Zh5-mGyutP9~SLo}K+&}#u>06OHSb<q2>#iE=FPpPeOBE=4OFk=LfuHUCxddA^R zo@AAH^Aj~dfxe6E%DQxhL<vr1T{>41p*-<URq{2=15H95q!XRrr_8*>0NDE>B7Yi+ zV_OYO&TNUDQ-tUU^7x>?cMq}6cEcqh#!f>IF^BiXW}BmP<}9>EXR&8!x>#z97n{kd z)T_Ju>jT2E$&Vnh_L4C&3RJg=cYCses3)35Gir=^{d8W+-GupUPdq~6(=n_af@8P1 z-!4WfW{iEVU0H2auHyb_hGQ65bUjDMZ`!`FFb8YzYH42EF?hB>QoF$+=OHK&0iob} z%EBDBbhMMmZ%R`~)yEOPI1MPbM22Di0?ZVaSie(ud|^G2F{R8_eQp~FiOvs0r0qe1 zh|EUZ<Zz3qYRDp5g4kS=YdY6!-k@4>xTgBtZJ0}aXnaK+9p-I>28HfJL!Z$f(2-;o zy30Bso@3{oq@R2a+Z-G%)xGg`=1n65EuGOz`Ikd54TUi&Y@VhCwGU`erLKh_M;=x( z_EKyVq`Pzyqi+i+=tR)f1W5Lz|1=lc8Y3gTo<zgHdlHdZ(4~TPpe7fzW~e?yQ=rN+ zip-1`kKbSHd?J_({Tzn3#tR^NJtHyK|Efg$!Ur&Q@nR=-;APDQqku4sWb|k#D`-8< zf;xf^QiODaKL}qh=*(&i$Z$Y7l-mK;v;h(MIbi4<z(Rx7rOW`sll8q6fB&H15C*02 z*)asn)VOW^k7hWro5IDxCzzX1FnolNlD$Ag=baS!`+KH{A@weu*bPtW9WDQijG$LJ z1Q8VG%`IE;PE5|lt5Enn>aL<ai}o0T!){9-B{B78Dv-j|bxY+?uL!z}Sqfj^{!&Dw z&X;C}!u_cYMZTAAL-X}jkzTU`#fYn<)5#&GGKMnXyYYNGy0;Cxf1L&Y3`RtOf{-z3 z|AJHbX+2Gyn&Ei547{fKzMCAaCAiUz{EpVU@FY<ua5)(Fn|17g)&OgQqh%7(f#86@ z5ke3thrM&-dg}|{0(BaN%^4@K7<;nCe9#f8>q7m2b42IC2k7<B(MO=7qje|2QdeX# zA?N-UF9!NUrs{3Bt1_HQYXiEz%}%$z=50>Cwrq3pwf!60vT;-Q$Tt+<({bNsG?-ku z+YBGOJ*KW`81ai0s3xTH=;K@w#?>ih0_~X*O<fCnK@Ou@aNtEQzYs@uk3lWTIg($e zO$b&nR?WXGOCCc&y6(V~_&zY44*)(%@G6p9DV&A*`F;Ybh&n^D```d06<p)?9M%3h zTBY5zj+PNfi8Wb~=TGzw2IC{iuTm{lR`C|5I{uh>levgV(_x;(a?mHa_{ppfo)5^k zpeW7cbGTNOgZF3)8}<}ArW84n><vTdMXa&U)R2YV#`Yup-pM^{{RZZy=ixLY22F6Z z{)YORvL#AeEf8g0)S$zlJ8az`8`<mB=uc9yqG!8CvITDhCE0tSfpb9Z<H@h_28SLW z?=!hq3un4Mtw*VVtwE<DAXcc4XY1GrN{$fFi)nU;w0efsHMNlqrg!?}N9#j8Cn{Vz zw5gKkg=jM5)a9h4!vw3ZqA}P&@GL_4(VJ_4kPryRqocrCeGSQ84y8B4c8VO|Mvs7x zdVd_PKO_ubO}NRvaf4jHJ_t#30<Op%Us8HK{i()y>z5*~<>#``vtv!UChQdjXFr_W z-G^~dg!kPnj2jZGL7`I!>97MBuzs@s22h1WJpd^Ez|pEX0e7T)PGAN^W!irl9nrxX zwqgA|7#*>j?yG|3;T+Hh8J12QhRmipA~b^pzYfGcr>$lUYJe9{&FX>nvgY{R@S5{} zL{T*hBV30H2JH7n$G$}tTI$?G1c<k)usXL~VR>pj0)!ybYw8MVL8Kk0yHT#xS<Eu} z3rZ^?gSaS3ZHNPix2ux3^X$;t7o6ZEy=jJcJ2{CGFh$WERPAV8MX7^?0cJJ40(-`# zN|1;iucX~4H=vTEv;a?n3PGTl%=Pe=7}Rqv0~JE-W2>N2-4BS0QZiXU1rAkIX{>?9 z3tNJt<qe=Evj*M)lgb*lA|;%QiNs3C8IZ3eO%wC2p0TSj+tKSpvF)PQmWy2s2jR?` zZ}*hhqNAX}pLx{ejNA`{b8<UKIW<TIggI#>ju184Pdm41y=fgAZX(ildsg?SP0nAY zB`IWM@ciw^cxm$H6z4fwI`Cj1l7>g2{KMi-A|yJs|D~vekRjdz>cor8m<%1^%KD8g zNCPKOBllqqECR-b)U^mm(ML-5n&DCI=2V>Mxq8^OifYHF(aOQ&!|a1S>-+C%3OXZY z*zk<unG#+$BPG0SE=qXWER^u($~0*v^s*r;;bmJ`!Yj>$UN&AOyleqWp?B<5A~EWH zX7;d=N3C!bA#lhI{262#)a55~fzZOZmSZ6i37JQf163GNc=ZM1-q|Rwo`4dB-n;3B z^ueie8>MTw&2rMvf~YzYXv0fUXSf{#6NT)1^GLuT4+`oi{en8+<;Uz?(b$HC4^+?_ z0`Vcqcno|f>d5eNG#FBvK*o6COs3(JGQkF1>1-SXCP&MBa7Xoccm)-dr8qyBk>*Ss zlK)znf7Ouuux1ROzX$pr>R&x1KXzygpZ{kvfBlgBc~{CWWd4RB`Da`y|1z1M$V=*Y zr(G$3KIiA@tb!j!co(Qg<m9eiXmW<n%r{YNukaS?uY>n%Z)WRn&Xj3yW)K3nV@+;T zBumzDWRaFMi<02|%rlali?yT@PLlb9LG5Kws~oXPtCtFIDY<x1gNwDXYM9!>B&Q?f zZ<SO>7)eM7PXu@gruhOE*;6UL5^yF0a*+mjSq}ID$g3Fj(Du@yA|n~bhQ1>z;Z0Sd zdhSRB<O&bS#T?+poCwGj9+<^MAi&EWh~0V%<Z!uGzQDZvh3kbO$8$7|KtzNAq$-7a zFh3paF97;P9FWB1sWy&QI*dX1frNwJHuGDca;i_@ku;wGybUDVrT7itZ5ZN7fVW|Y zM*`jkqB<$1;B6S<k<h&j;3w=~;FET;q)wwdeY|qi;x9QD{%hWYzhJ?Kjz|QJCq4~F z#KOPedmteKr5RC%DNW)Nl9`JPll&K46JLlsnsY&eui;O48bpEF<dyvijCEkTMEKn} z`3Gie@+boVp?v7FTXZg5_kNibsY8@fdI6<Wj3r)zLU@)YUmK#!4<x^b9UY(<(ui%7 z5w!ywcJ|r~Yc}HT>&$hgH&|Z&Bv}iBERMi<n88*)2u!TfyVJ~iKuO^xW~Cd_YPw@h zGfa^i({j@85m2JX!9L$)jswe|*sELrq&!dYpwpo2RfS|6k~307QIil0^T5u?WC9u$ zDI%ROi<#$EkZ4-Ai<hX!kVqRC(FQi|z6|KgLnG=;ao@XCg_T>y3R=(bAiZ2vz6;fv zO1z(3Mf255dDW}~oE3*c$SMZpfl&ArYLS#SW}dP~jutY*hfOfrhj&P(v7GwbOJX}@ zY_bS%0WQdW&Cxk9`9g80lQ6<Nkv&YK0Nxyt9fV<yEj%g8H>`YN@yDKVo)Kg}jz*}0 z$Rp@_yvj*1wI%<NOc4kaKM7nKT=4cZsq=~*ZC#3KA4X>5_-5+VC~TLnk_2+7!U@@w zk%zDdD!_F_l7T>xf)tC;&1pzMuK7Xe!&Dbg-#eK2Vg_^>>;O#wkjRk1){}E8l`%;j z7wZxBTG17v=#Y9{tBq)zVe_(OElU{Yh!N#2mf?1o;$SGDxg}idjQmC{aw`FHi>6D$ zVv(eWk}aiEl|_;!N#-?7@(iX)l8p_MJWD1svrA9**<=7m^oB6WS@Mi2B`^)li(yfl z5<eeah0y}7Z5S4xas>l61zTrgy0I~_O5AT%sxOElZFAyRu{rS$$ch*~{F<~&iZ&<y zHCcuAy*QEaz}J4#h$>-DvWk;E<9MTsqvb6qc<~y<HEYo@nY&5eRD8W&B~x^7a^5pO zdQHo*$b?Nn^F8I}=(t#CMyxBN<yiD=L1)hh?9Mr01~s`IuvOLpypEO|Q6Yx!XwAWm zVF(h{FmWRcw7>Y=eHg`Vg28{N`f18KOpl|56f3Tt%#g!X|0~di-CF^`FJHY)ESjOL zo6+Oh{VJF1v0%UbmmPYESTsvnN0UDc#`*ffTOkgHXOK*|+QwW#c)heF5#D=&;W3>E znXgxYoe;zzMR_02gvYV672%!Qa!4}b<J`EKWxOEL7OdR)(LN|UR!>TH+8?@@X$0dT zQc^IHDXILC{1OH`zZP`rjC@_(JA*Y?RL_Sw&<aF+EjAkpFT6$7-Qgp{CBff>q?4&h z*>%>sjJk~Q8S1IFO$7Q70tm?xpEV855MNC3@S{KF6yVLVVc}jXM`S+2IZ4X$lla8$ zP*`*NVeGkPC%Z&%8s3?mN|A`y5D%tnL8r6`Yw`l>`Pz<wQ(^uSCy{;esW65NOYM;v zN(KQAITL0Px}cp2gM(n?aWDTpXTpT#X(Ye@3BhW(bNN_&qEjd2#?0wP{50<bz&QiF zUnA{sm_;tyad}Eqxe(~SOu3&AhcN~V6w~KZo?;j7PoGc+mJ4`j@+Z47_>`G3@Dqtu zAPIB~$7(i)&@mkQ`52B&xC`U6+Grn&LzmPdBX}&Jj3taT))eg0<Qq6Qm%J$*k?0@J z*J3Ood%d=?KRgY=4{Fq<n}+RN6BGe?d<-;@KA>U03_AeP9^^113FvL?rY`Da|8?t& zMAA5n%kzn&RnQafC;>7*B=;15wZ|6U&N|i>a^4Q?F20@i!@?YnwK9Xa#z_)oPH!km zvuR;B^;DufK3f2;If_l!wlQhPC2AHQ!;7f<)1iLCsus0fX-l=fObm*_@N#MJLd1Qa z+*5M_`)Y6w!Zbuzq=5|@m7`@ku?@H`(MdqAPlw!j0DTbf*yVuJJCl}QNa!60ytIR9 zTIGpmkhMv<s*tc-Fc@OfhwdQOVK#d>m|c?su-CD_0$Z;T7t6*~15_Xlq1S+#|J^&X z3GV#_`YY_omY}}^e%h{xpX99ia`?IJ=MutQDG;VzLJ(0nZ~;;^dt+Z9jD>4!9_e2z zC4E?K(1+pnZ(lGlmhkmU?%$?Ou>Y0)+ZrAd1`cd+*N+A;@R;FgOIz<R4Trd-_|N8b zE*kqd!e|hxvZWUDm%iUSg^XRHy|Y(p?+#!jH7RlYT4UeqcpM*siCM0T#L*0~Uo{P4 zWxPhwo-U%x4dbaIIwAn7yAAF$Xxli>#u(T)4l-kf)4;lnBKQL?+N6qu@UG=}aL^~$ z4xGp{->$e`^COiG!8=E>6YSPP`{k+74KE)KQ)&I`bpNlrQt5tL`Q|H?zf*3_2CQHb zmYcIv$2wAD^n|&;Ox}q`(t#!UlXfN>G*EN$gX5&Br|bci^JhpTd<<*L)kNi_VDcbO z2y=!*SSMI{{Y>8^i{~BK!PGqxys3qF6*$TOiP87I{da7_9{nR)*7ZNY)LeP{H3%Iu zb|pvdy<RqC^K}Xa8>C;yFN1qcGO*JQ)HF$MOBPMT1j+k%uaLi!AqP+o%@22wWGekQ z=L5pymK1Q$;zr0uS40+@K8S$YskhMbtuWCb%!>NXoBB<EC$;guAp$tgI{2dTrO2Nz zanq^tr=x|AgQIEYbwoQwzQh*q$E-~=wezxQFaHitcjS67c0i5TIupqaW9x5){N=}v z&4yEOk}YzH2dthy{>5G1s1Limi&Y#JCl})v?cM|+Qg&|gIvu>n+n|&BtTX=Gb-9S= z<CWp&19~R0311(t0D=vIq~xZqh5w!SpR%tjb<_4vDPW~5=-Q_3=fG?)KqNF`rs|*M z(SzBi=tXIxH{@6SFy^q03AbGPJ9zF$DY*?YEUYZKKy{GD(p)7-R@QXQQ8oaxHsRl( z^^|J78zMhrJ)}}pS{s-LGkcJ9GBmI*CP1nXm3<^ppLsWxvdS4X=5yf4KAhgyhq>d^ z`;2iu2ycX5xf~~P!)&e`Cv<WB57My+5Oy&ZV@RkU^e@E-bvXIrZ_$kdSSJ=p;;>Ze zX3QJYXDiK&iJHldc~e@}VeFWwylarGuj6p))fhhnR@w}HAy{Xrv#<|aAFhNY1^wph ztTfHqRWCz9({YFEAAY`ihg&z1tbzGDa-NybAliib%2PxSB66LPOekXjIvk^Sx`2an zI}4xsPVut;1PM_3l;|{gdb5q*&;d<G9y*vaTu%qp=y@9H&A%f~UTe*XiZxTOqvb&) z!Uy*%y_@_#e#5yrWKQZ=j~kJeg;YTvUSpZDRhADM2U$uJylGD}PHc3vjG`j5Pz2S$ zQI8$g#aIW9mQR3<@QW>=l&l5RD5$$lxs!~|WXU~Bq-NY34<db&`JN1zvN~bPDl*?Q zmrPk*8L_<?h`CBNWjR{gQ3jz}%N<WP@trLrS|4k&XGGV;nw-|?s^GS4G^EZ5zrd~L zQmc2Kfo)B(s3x@_{3c%GWPNo6!BJW#4(PAQD$fuPAJJbCY#G4e_vNeDzQTdS0=5$f z>ybbvRL%HlNCT<p%K9_H+xzZ?bNnKhEE)SKFht{X6=Car>>jlvA?(6^*oz-=5|&83 z0n~sl(_pxE)xp5dY3lK1qE~W2`J81#PU9W&-W<*zs1)U|3Y%;^Ayjorad{Gz6{Ud* zG;ajic<ESJ`Rnmg3+IeH1PllAP(D;vA>N6X8&Pp@bu6d3Jn;?1IwyX=S*V*b=5n~) z(cRQo{!z<`P3HJKb9>2X74QFu-i@M>gw*3bBT*@JUG(B+HEw`Fu$Rdrq;(*6*j8sa z2g0ogo-imO48J`2AuN_8^I{5ia_MXkUZlr;&LBA>u&2Y8gqa{clU_Nl_zZ|S!y>w{ zt<X9mb7Z2(W*aqnOrpqcA3M&0c2OU;eTpuGfe>BnO4<@Wj-_ZH*X}oquC8<0?F%j9 zt*&#n_Jt#GO*-4FtX=1v?S4r3UB5+YW_#60gRY^z*!f(g5*xqIz<9j*G{8sE(B(F9 zHO_gkoD%D;qIY5+j1rFRN5*#jeqz_J$KuGhf{UXn`^WUotnM%POq6Gfq8x+<MbC;) zEsr^s#=eOU;CNcZQj3!)<?QNlcKzBprmvu}cg!j9^a8{$C&h_^i({e}EZvHE;%89& z9ov7ERnXb>+c9GjT_0sZ5F2y6pt7%EzojvW9r#L7j)G>6E00;lA16k8!THMi9oyd? z-}PHZ*N5ZBbdNb&uwRs&DLBC&$QYAQ%5AZ4pEoP$PLa#enh&sRns^Gd4;`YDhUp0V zyWy$ccrm(i?dm&Me*4k2N`X>r#g<f@&av@Rd{gO>J0Du}=nAF6rogq~puC?vv}WZa zcdq>A`c=w&r-IEBI38z_?ar^QSQ$}@b2fgmc4cIJyf{~xpIxgI=ZWr`M6nELDQ45Z z9+=PY$9cyH;OerR!j4v@vM*kmhtpf|<(QD?_}XmGCu?(n#qF75rXPvQOwaK(Js^27 z{yfP6R0u48EZ4EC=;jv@7<39ZH#xTd$@XH`$F?!2#`NL&#v#w{A<t8XJl`<n`TD`n znFEhAAIKTgH*<aV8}KWbk~_#dgah2=2xiV)YMnVd=AD6aXl$|IER*NB<4FoEA2baZ zKb>z>aIh+b!EY+gyR~~-u47NH*uN0Nu{<%O>*MU$<;-<8s{5yX>u^lvuHu_s>^cKv z!rhIyv+<q#MZQdZ(XoARcGsEgF$czcjtn=@vy-yR=j-X&Mup^a?u>hG))~W0?6w z4%}QHV|M@s@`e?onrRVl&wRqV5fRaNimi2-k_RZc*j7-SEh_8<6*&dP&VmY8fu*2A zKWJE}-$!2s{+__!xA3<De_zF45Pzu%$n#%n1ard-_({U|CR)N5AQHY#x><}(Jxba8 zSfEPTSp`Q9m-WWW-c0!RQDVY(Kwd~&#M2RZc~@S@foV!+)4Y)1n9gGaQNvv;c@xU| z3jU=gX>AyYW@h>lJKMMMd<zQ7UhPv_+|76bRVX;UrJ%EYc}}TP;+_#-;->4Y_yV^x zj^{*)+ZkQ)*xCx*WIq&sID%`=%5OZf64%^sZ+PfixVj%&`^|6Tn)lGxHqi65CssAB z!F9$X4}a?kR91-l60~K)wUn;O_W^6!<zqC8US)~fj*~_|ST{Mt`Jy-=Fw52t9>;@Y z`#Zq-4{c*UA9H}-MTdD88Rp&EVcxA7=G|k%yjwlwo#&J2t#caO_Nco!_9w67Njkrc zPaGwbf7;!Q0Tmod{?&IR!13m3dPAQ?!s`a@bt-loIz&9N;8=1c1Sv3I<|m|2wpaGo znSw}IAQMvMf5`V5hsVJ)1**>GHJ<8)j3l`{w8byt@;8Gwj<2&-X-r=9o+B|Sg~j6y z>1YOn2V0gkf-7eYX7R}S9I~b{csi&j)=9?=rZV^k2Qm1?U&P?I{1^Fqfr=={o5MlK z1`sm|9O%5W&I*l0JyK|nj-b8&h}q3@A!!*2Tm)(Tim8(Hn`D2S9E3c?-9Q3$bqwdd zg;$_*dAMVk#R8JJgKyO1E%^^^_l$<TiNnA*m74FlUvr&8-aI%+-i%JEvsTsFLg5A! zqpe^avZ`S6`v~og?aL-Pg~Sr>k3C-2pZpZ-1ucz-D!F?*N+lly?WK<4V?Y=5-bODJ zV5C`2)K;*6_fBMc_z1FX0J0>DaKpn*#YnO7eLw{DPLTG8xJ`c(y&yLBA}vKYGWvt_ zhGV~=L{oGj^{q<wjZAj3Z~q4?rRTOU+q1tz?i%GOs<8PN=TWOEGX9M-Qvl|7l0REx zGO?3$hnX*_otOO~S<Hr|Galuzrc$+Ih9CBSVi#~3yfGJOsHbs`q6M)yP#ItliaaXD z#Bmsg1JTF|j{YsS^-L9$345jLLRl7Ui{P1Z1+3dhkW{AN><BS3Oxr)T;4E#UeWDH2 zm%mrYzE!2Ioto^#0U3Um49PIWcq$KuB=h+xYH_l<i?Smtx~Ju*m<Q=_7(uxe{|s!k zB3XJ0aw=^r@SA9>$1nX8hZAk9wfjWd4CC%y<L-!l=Wn0_i8j{kaksziB$BTGMxu@3 zkCdnNtZiGgyZvp?(Ose~NoDa**|QTb5^Y<JtlN#d9md_O#vOh5L6$p&J95vSNVG9Q z#oI*Nn?}Y1#@#;Su2Z{9UcwCp%Kiw~*dFeSqxEGxz!URx8?dEDI|Kp{CeF(cCXfY? zC*ciJ4-$OnIxY{&C(<(Tw3IGN{fdM)EMKgWmwI`L$jfTFDD@5dy;hV#i&WIk7y3bx zb3cNf6W$zt=gpND7hRNk_kILD8`03SWLlm~o4w!bMVe%p-cp%XDAN`snwxQlF_`u@ zx6`{s^V4*}zeMvEd4sza?M~?+5}n}BrqQcJ^GjOFevWm+iw^BYqItV<x6`<L)wtVX z+`XdRNz4OKTbr=-)yJnX(hh^a2vX4S7q%~unH%;qf|(O-XHnIGS<ui;?TmXA#w9&# zGR<@o)_>X;7g)ZeO|PdCZP|cD@Mk7xqK%;Ppu>ziC+-MDi8ec3_|B!>Vd>u)Do~p} zrpU-ZbKw+I6bIMZ1M-+`W~Y&Hp^9MgjTjg@pR1-Ys@Epk!deyaHUjE?@4U?TW&(M_ zl>2)$>$Q6MGV9C-W~WlR00(FKDO4NhgcNkjPdjR#aMVtWNcd-S-~2qe3BOl9mB@>n zc>e<V6qJ`G^1>*Z@GqB756a65c?rwQDtTE=7v*t$$4{bfTQj}DzeHP$yulqK62CKW zNk7&jPv%`}z;U^8S7_XMjXT<wC`*(YcMFWWpmDcEy923tkZ+Z?7jRYDUgF;z{>|lI zH~;4G?=<}GZ<~c*v(h%3U#;Tb2>&+oZ!bEawDt4v1^#`X-=D$nH!zv}a9(D`uf(@O z90i;WhT5rBhX3-ZdSr~>Zw1F6ub7qB=@Ai^A8X%Fl>8Y8sZ?Gd(-YxZY!9_+a<q=b zr9!++{R{#5D#hm2xE0+v)$Us08?--BKTV-v$(xP#n3%`GiB5<)XzzJ$PmO*o6)|nY z1U3&cp@$RhHL-_4gE}U&|BcChd=Uj%a`_pYi1N=9peP;&>s8%Fkdlms!3ADey9~>7 zjJk{9#w0Voc`HgJKX1VJH+RtOA8@PgN*YBgIl2o>hhEXYWHqT$n^z!nyvm;Z!z1_* zt(j$xJGAfa(OwPlIhgAGqK#%H)@P1<CDvz&+>=r<ac0<86ejN2QjKGmQ5}SVmlc{{ zY7Kq0)l#QSgU_Yr`KTw0$0c!!xWr7TvLY}`ybXWDXYYx?Yy`Podr$-lKRb%^8b!d1 zWBx>-1P29*K&j$8BLWK)-}@pERD35zV7cOZR|FnZd`IvhD#dq51j35%fC#KoeEURT zwc_g(fqKRFrU*1Bz7FwJGdd)`N8_LRmL|$5zMbMJT5yVQhj^-;Z(bEo(Q;FKuZX9X zBD3P#j$Qx0tuRC=zLz#VMQGmcQ$--6_+AiCF~<6~h^Gj<uwi!7Q@=y$cHd>eGLur- z9uL{eVbWK8&qW-Yo;u0JIrO3@qt2B4jJH~nu@4xUi$pq6&_7G~dKLd{;XAMR3xzMK z_`Sk+R`Hhz-x<YUDtzxNe(caYsrZA!_pai{p2s7K|3Tq9r1)0|-vPxR7QTIof0gic zD*n~N_om{n7rqX~-ynQD6(%>rw?koSBYdwy7(%aw?-iwu1}}Wul{Ol@@NHExJ-(MB zFlZ?VUi7_yo%9yPAKBzn+j+%r@?CCkqah35b4pt;m)WAU5m<!pX@!@Y(ni3+DqA3) zXZ-WS=@@MX(!2*kC=H$0({Yl?hr=cl48pFC&hMF=3Ud*I_aON@XvYvC_A|{ecbMMP z+02<Noy{O$3Y!^Hkxo=-a}s@D@)A&fGV}v=ofD^Vh{vrE@rqr{dTin{9FxBR_mlQO z()aMm8%&jjaJP-fM@2{r0D_q45_0WB>lhIC#7P0n=);o6em!-q8`UqPC{qCB8tneY zd+`Ld>33Do;<kxjVTJvMd<!gXVk<FD{rG`SOVGw1NjMOWZwQje8WI~g^4;2VO1xYz z0saN`i<gP$pbt0b^zF)h5ln927Q0Hc?L;Xt2WO?p#>6}5>^ZS{J5}~Y89Iy%hla1= z%`eU{m<BcPA%<b9T^7xiG!1P}(ujK;=;e5BZ?XZ*7NAR!eAHb>sBHo(#k|X_E+0K@ zB&Abea-gNsUlf%pL#on-E?AU#1Lv8;ZI;<_3wqftHtO_r9MRKJ?a!V=V+gwLpwFS} zS{%w>JCM^!Imf_G{N2v>jkLh%`>u9jR>sdMvPLaR`9MP&LNjJYCV@vzk}!$kM4Zri zBFNE9gj67KQekO{rUJB?+<NGP*ciq$I)P{2&nGrE^NWG!7Jdf(Mi)jwSX9bqDMhmf zYjac{<1e434@Y~RJ><D?$g_9IbBXbs+Fq$rv|#x5N{#%o{ROGdqm}aD{*AL}yxr8F zfoC(@cZ~5YQHquhU;mQS`Y^twL!Orpd4AA%PVN5+r6@dn{VR<8vj5>B&#Q(!uTFgi zenhNFd8AvJ7a{yW|LTo&**-=8D&-Bz#y$XHP#2ItQ+c+TVM8b+pNSpHD&#XUhSX=` z55{xO0KSeVe6=gj66I$E1G*VqVGKomPThh5G$OY$d<!Xy<5Q~QcgnNGMPwBkX3Go4 z!~01|M!`XqM1ZStB8;Q`0o;NL(S2(f(`8<6NmJz3STX}ABP7kyVrU8^zg~~-)4nwA z(Tzte4ZP5ZNA#NHPHg#s!)m;i1%<RM2^Nd!nOfqLuYLCRwzGHx`tUe5pv9ZA1$MNR zEB-ve+^b62OfoXjb?`Il02X7Fl&=u!GZ!*eQvrq@oh?{tiL<~RRPR=IQ8`gGs~ntR zB$uWa@!||Hqv~$i6^s@9kU@oaqK)K-TBXg63v?UqK<5W0Clz4!`W*rkwCy{Pp&}Ga zu6i8Wl$7=M+1dOS1JG_Kpk0-ph|Vie2Y|*NQ2LUNd_{oMUKx-Bhpzt}!_J}Xp|KXI zS{4FLRkj#y={DE6ac1CR0#Qy1l=je!Nm#YNOaL7OF_?vTZ18jO;85$3(eWSv(6I#2 zy9uC{cs<13E$F5WQ=Ck}KrI*ZW~oQ9AC7j3C1j%vR4~JT5s6gLGNfrFM8;Y2NLfL^ z$8ykIYy}B1>>x&5r$G}?yp5nZ2~Z3Sz)+81*Dy;%J~9*<FihTsNCIHrI1PeO(b)`& zKx=;v`fS;2u5!amQ4y~p6}Dm!uBAfp`71(knT{c;K;%Zg3=|6n0dY(U4Dlf=9!ev& zR=o`aZYm%t0r1l0r>Gv{SApH(j`o)bnIs-2GaM~`032)9(Q+$pL{qLv;2f>|F3%Ci zW(U2g$rfGt-IgN|s_Iwd*Vsfi1gm?=2G?ZkU{jp0-*N<JvHNYFBO9hcJ@a%s;=8Dk zg|_^Y7K$FRUL7n?u32j~-BOc-Ag)_#vd__Hj`Ewbqa%MobqLj>dOmNws#V=^v38l9 zLo`mLfChterq01aK}V*`kjn@@vzi^ZdK4U1c@UpXzLei&+o*D<M#u^i`Ca+%So}G` z@`~iAYs|Fkj71QU01)&2*;pJ{Ce|r1PV{7&YjPCKFb20UC&5UMwjtBf5|?*G4(K1g zM$*My(tCM5UTVG6U!`E$07*qRS8DVds2T*sBe!B>(cR6vlT>wNY+@s!{*7E+cY<XY zxIi@0jGS5q*`AhxNRp)8vb1cO83ERcu}~()7*{P3hlK16C`PLTL@XO^GInzgM9}A{ z1uSeC1Qe%@FdT+OWYj>kM5hI_hNlHzh{fH_duZ{bV{sZk8!zFfWQdJaLYbQ?l(Fnb zOjIx&i9b&i&(Z{fYh#m-JHIH;vX|no41Ri**y!fYN5%?;bAqSmcS%+%`T1>PBPVo5 zrpDG|rO{XZM&uXS&<A|}?HD$k73IjsBG}tg4+v-Z5Z?$SC_k@tW2WbM!lN~}3?h|_ z2XP;UwZVY|b0{x7Apc$Uy@U>sLj~}`w^?1-`t$$;M3+yC>~c5MVCb{|fJ9UpBACA@ z!oEXNp9~6}USH(C*!rLe2jOj;CZS9pnGnyO#ayd1k}oZ0Wwcv;jpjf+OT0sUjR2M0 zs3i?79^ADaY#JN8bPJBTvc`kC2vr#(@N}3;hQ_Zz7E73DiNGu=FE)@GO)TqJ4Yx|l zASJyNU1TxYu?pQFJLtv88lry--No_3tLHRXvE{1@WF*gWJiiM@E6<UpdqD3NLqBtZ zG-;=@l!_|%oGLrC27ITQH@uI`-)rfjV+XMdr0{CoE_8z%Q|$la)=+W@P61b%te}hH zF6h6TYio9xwVf4r419r@`gfK#)8HJ;khWwT&vh0Y!)L;v-|IVYb`cztk7BqKRYc!a z8V5mP3M^eMoiHH5w4k~AP#;ycySdlwY~FJorA#<;=s{R-rS2DRqnd)!&dVpT!`l)a zFP=~0HL9EjB7zq=Xj)1KGhV<RKMwY;N;;4SIBW#tVE)h^f<c_|GCP{3Bi(G|j(Un3 zQKI<L3_hqqVq2{5a%4FUumke+jf>_WtLKl=tma=Zi9l4Y&sD3;z@mbzKrKH-^y>^- z#<V5p$yQmq&`LxOE3Xqyb&NpTpoE`l37LArAZ+9Q5`55K^c6NG1_#EcG}=ST9;#FJ znLY{xX>&7SF*@&P*+{*>0P13W_UKLJp?L7$0j|dD7~KJ}MuYcajNk(KsNMi#=Zg%) z1RHiyqbXFC#A+a5(&j%==7QG?r_-Bh9oBYCMG{`?6m&u@k8|KnbPNEd%qG`Eb$5px zs<vXa`PViG9v;A`;qYk++DXNycVOL2!6&Lx;%Dsq0t)#dL2ZfK9TM!9L;S-u&&xE^ zIFOeC6=wh{3*7FWvC`BMhrzGJ?Z)Vo26whHatrR_3*0Vzj?syPoFJXUhBdatJuB8Z zLZBo;eRQmEg5#;pHjoZ?>y95HGNr`r$}cW~oz8BdOYsc0^4Qx;+!J8xnj-v#B$6*j zi8?dtpHz+|NQh@Y_YmHpdRKl0?0$C9;GTvW76--g_@ZEP^Eb8W!`ICzUtqZ>ur%tV zq=}D`70uD|qI{1Hy0DX~FqoFOXH#1nsVyK2eXRK7uSq!C(9dbj9fT?-QTm`#x;#?W z-0>tmMoX|}7Ylzql$=Q+HR3Mh9-==OvHjf7MxrB4L6f896xKMBU8HNkMx2~qhPoQu zx#zx%EM)NgBd*OGZa~%#_%0WQ_yiTl3HXlI*Z9tAij*|(VU-<=jT_wtH}c(s+6*8o zcFEHKZu$zrfnsG_w~gZVvd`sFO--xO&euU^#NqvcTyyfzL3k+wxvT(fKn8VPHY|SX zIu}mvj|l&2f;l#~I9etnQMBy<uA}qWO53ZrJNJKps$$P-+yWbBz@$GKR$(^w^%Ou3 zti!1@q7ML`MSa0gxsru;#LweP5mwp&kD66f66?%W0(l9!r(IeQm66IGqVI`-li;nL z38Ntle*!KSI0L`7%8L+|XoSC64xqI>5pd(;7J<A{;BH|M(Ls5^a{SH$rWF!;E^^~j zj+pq^z8taKJuAO!&T==t-fAOcSo>J)b8}>s*pLUVkblXdhDh5aCQ6&zze+=<=p*|* z7+TOxwOIBl*jEnhrxvNT+#n$YZl(=sa0Z~6*5I0Flt4B<dV_8wzR-*sbM`|)3rxfD z5+J3AlkGrFAQjE#aheAIEFj%PX~I+2+4ZH-b2VWc5>l}3gZrtdEw*PnKxq=sZ^Z>) z3VNO%d#-_GG)asWZS<sM$hYDs<cHs;`p9Y0>0g2;UEaN-y(45ecNpwiJW*o77r=^h zLll2iNV)cxxUV&<NAS(4<H1mT4>b+zcF)(TM+kFqw2T9_N7$k#V8a=W?<61lmRzBq zQFQ@3V1Q4<tN1)wiQ7xre?{-P4*-)y#lt+Q_$dKzwI^!{#c|G+T+*%Y4is46_G(2K zcvnf_NvZ-WwE(5=IM!p`w8TA8_(2aMlVeS@OxV*!c(lZw4P$i%5@dlMI%;4TV6O&e zBUAM|$;XL+fCggno*?wzGn?S$Xvw1<5y-v|odI>{&0*wqwEUV97~ipyX45Jn+?R%P z1s`#MZ;6(fm|qgNmIi5n05#K08^GsiRjIy3)>zU?%_2Q_&2@Y}fG~S9qS<IFH`Zm1 z?WG))y7uE(Uw@>SqRsJb5EPDqB>g#ZhYUJ*wEkFobvZI+Q&Gk}bCK&M?Ufp_Zz{6f zGuPs1Rq#sPOk;~R%{E0I)dUnwTcipwT#R$IH#sef>;Ttz%^%=xA78Y|iGvv~Ht!(= zE<SAHirfT5ykQf2)!WTQn-J_CnW*J&H^H)YV7qZe?BDbO9$z!={%DIMK^ACNO} zLVRZ$5gcr!#t}|okzh4rBtoOXMvekRUYe)5(;&_$_-(7l5I|FuJ#<6ywKm#*M0G?v z&)tVgXdxC)lK=-Uw*L@RT{IO^8(BDv7O{whh-!SM*bEM`7qru=p1?daD`1)_`PtK` zo%z{S`%BzcjUHfXlpy@2fZ1qmHCu;U%?>#{HJS~SM=&zv5n?JhB>zSP6UkN8x&xCk z2mDnYwW~!P{KN#ogr!wcRS2Fxn`jw*ZKwH(QgE5=xWgGb!aohj;YQ_dqF_1l+k#9n z%kUKdU=b)LeODDnZZB}>=D&sGUoq4r?h+zTfW_}{R%}d#k>V^J8oK~}1m>E*xaI}G z<v!%2n$2S2G{V*VF3`S|nxlVDtEMN6G<?#`t|#Mg9(zwkD!rRr!U#a*Vh6_5b609& zuFpuMuO<u!;eU`>s2v4eA881Ij+P2cIT>JDN6}%HknkuE1UwC{9a*SSzbC<3zqhB{ zXQ$kc8MueVLk4wp01xznm|T+6F%4D8=kMg{)u&KWmg@-zF(vw20ylV^V(tJL)NAP& zH*nwFn2ovq2fPqv5XxA{icA^~A@#Mz42XP?-<5DhIW&<+;B}#^l6ujX_J9-yB&eC_ z{aU`wq_W6-k-Iv^4s-_TE@fl~=$_tHE;m6}0mz<2ZxBGp(sU}QK~nWX9TY{UL4Yeb z3Iqo^sUXCTLO{}xnz(Txn1nM0rx#9(fgJ;az$XC1SdKl@p#dT4VF;pK%k&2O(VV(0 zx1pF3igGhlV4$4Rf#s)nNE<i3O&vL)m2E(al>==6@VB1dZgQ^0pB;Zc$KQ|e_agot zdP)9;U&c8t`1}6fn4IH(U~;x?Gdcerf6xE5$r-@)BfL9<{HDK^ao+NK*U*qX6_Ot; z3X6XQHMEONP{VbghC~UUBDxn}XcaRN!tpmu1jit>5JV7~?jhJP4GkRn!;tg8Y3=ID zMCDGxtg`ly^tC}mouQPq;9CaDPa8<+Jb{z75%lNl0E`eUPGrZFTpwa6D!wgHyKts& zvnXqUmrhJb{<xZyS4T@Lvejiv*?fLVZiC~%hjIj1`Y7fDH1q-C+oCx*y>@k11I9*? z3%;Ed&;|1#%<Z99;(${29B8Jc>=n;DO%FiWi*-Rkq@=D7t>v0{#d06?XNAic>ytv) zllS9@b3#*51}}d*%Aua|Fl37AofV=O4WV}Ie68Loo~P7;gG%MAO4-&qWzRV_e}WfE z+0$DD7Zimy7M*ly31j&>#zIz9`h;$~ur$}JSi5Z~CCWNP<*WO>_?D7|zrgskWiwT; zl<jC<Z%3wA0j=gIY^MFbm&}oAqVW~}0KimHwndb?#9N-LBcr{sE;~K}aG_^(-0Iy_ z@}#xh_mU{vAu4xDIW43<W>c}#1<d88<RwXbFcGb!q0IKZ6rF@a7-4P(pSL%!S99@E zW|&d10cAj#+y0Og=H4O>jFhrhA<sdWgA^hfJESHNx9?WWJymGSXqXy(Cz*JFF#=OL zHKodOu99q9J=Bt{53&Z;SN19@L*0s*@THO(Wl2#J`YQ0nipVX^PmD4lx**!F&J>3$ zlGkG}#J4c65x7OA7S*>MfX#>{GK6odD0>=kf+e8?kuI1kkMFt0BFyHwQmVdkr{{Ur zmBEm<%2~7=6xIU@TLwEIvNIK6M7e&xL==3+(}KAJdMbOGX(~%?Sc+~j3P3bP5PAm# zdhQ(ilaWz4zl!H)0-{lnv1c@5;BdtnQgL8K^(#%^pzqJ_!1p{ctMgoz1NgA!?B)%s z3Fl*$+my<!81Hm!mnSxFLBZzwQ6@(VojpP^CYaW(!Q}NMnQG(5Ep-f#^zA5)b=pz4 zr}~wKZ3!zKmW&+$O67BND!0Q80fG%93##1o@^kn_v=A=}$F8@JpFu1TqGT+c$NOj& z*tgKQebd__alG$x7Z&$LG|;}8iZx%dtQ{reb1kn~xQ63raM&hl07iD5$q1^uNGQ@j zDY&woTN}Lo-kPVazsgr>;sV&JY^EWY6zdxT#@~`Rte8p6-?^KJ_+ZfluxPH3#eysd z^g)|FBSqOxC_(oL-%GKBs#3NSN6ukSblmRk`Y@wstR|Ui``@`peBOnG)l9P!`>i?J zgYpH(@LklM%4UKTB%{r@fGr@_XbUh^6h0fbKdZnMr>dATh}I{FlW%^XvLcoM-^oR9 zPxfSrmwWN5;21XK(8e&aH{t7~&0!lqrCnYL-yzxprc|E9={%J!yg_W^C$v`#5noE# zzPRuGI@88K(mpV3%b|^8q4;8K?0Q!mM(|j|$F{_Tub1W*fH5UMDc4pVm^+DYUa}vw zjH25hzK6JjaOwNh)48sK)2*FN3&iGE(LXWQxyfp2_kG{9nY6;_BrOi_2O!>La5(_^ zSXAzi>#=xK+4tL_vde-lS%c?f!y95TY>scj`+AV~+u#Ezh4(}+6?D!X85!wqE}V_n zSI~cCN#2hfvK(v(TeL<eYK`8eHCjQ9a`!fkY&XmHP^Wx_wG4IQpQ*AxQ)Oi@-EmCp zp{bvT53u;QPCcoVy@EN6TbBV7=h$aETH^qc<ez0*Jqu>z+rzI!?-H9?wr`kigB~?9 znw5V^z}yCl20#Wys^}i8Bk~7&@q2<HH-K``eR2>~CXPCG@lyEg*wo6c^N#<vE17Y_ zk><C|j$M24wcP`rlZ_)q^-GrbdNRa&gF4f~h@)vwWlu+zXqr<I_KfY2BNQevTjJ*s z_>5gHC#B%h7r+O=IS~8ycC&b%$Ja{jDLmG=eHjR#;uMVaN>01H5!G9j<?UAO?UHuT z^XKr@Mqfvdl`sq2mq9+@seJk}43a(9V~ygK=LAl6h`uVU&*K49*W@|T@Trh;g0Ec= zWt;%|hVvj0zl;sy^YGz@Xs@PXI$DB+dWbPxN+Dx+h-GxZ%cPELF;65+G1>ilpGF^i z%>c)CH(|PlSUr=3uSL8-K2|zYkVvGUT;S1VEweZO4)5WYvIr;W=$K8`(WHO&Aqmon z@*V8Da4B=0NQQIErreM3hi<Z7Mf-gFkOIF!WxHjsr#QRmo3YMp`B@Rjmv)i|tRSqk zs{RQ&1is=U;v^O!#thpugUL@T(cjIh&=(@h2O}<8Hbr(%F}{?hl-tE90N@WYAPqu{ zZwIOqmF-HgQ{ex6G`u(zl+7joj;g9`p?Z$t7zb{~Qr0dpWpO)D#iGtAPc|bP@{r6` z>{M{3F8~LRKE5&XNC_%1{L>I=;1Bo|n^Nxh9lo2h$?}@H-RIbJRAkQnwj=5Qb@bJA z<N#=_V&d_x=Gpbpna%a)Z%6Z+>oZnGZ``!n(tP=m=vB@2*0uCI!W11}({Zz2rsZNZ z<EQ3=i_MJ=*g9!HQtYyO13-V>J#D7zGn|o(I}Wz|E;<RO1f)#XQgY#8Ldr3JbK!NS z=s^@4g<?_bYvvxx504`9My)&OvGbmDk%^97{~YTz*DQ-$eK(<L8X=4gV`@6`^p3z$ z)ZB3rb6|>?{UOm&k6TzaZ}+UrZo;RiobiR(<zyn2f?;GH&Z~|ia2_8K!#7@GLfA+J zdP;DLR~^3dqVE~M0jbCq#B@qD2*3gcyNnOVu4tbg(qmSrPqIdw0JRPu6muottDxDW zFRX0ZL|wx;M?&yvUoe9<QNsP9IPgI-oGAx$D0T}(CyFOmAlrx+FbdBBmYCpBB9jL6 zH+(qOs?6cIjQdvr%diL$hH3rm<h7ksyMy?^(Hd3?;J(ndr3~`8NdE!JxV--xPA<{t z(!3Ia1tNI6$Tty!qJ_N)PooQLn23G{`V^XbY)%_7y2#{EMR}DLumW#Na^lBC_;o9V zR-;T`jks6ChlXM*d(R*v-;Of6zr%^=Uwy=3B68ClN7)cC4ONQ<Lj6CVLp!Vx=URym zeT-JhE@)m4r{?c)#5uO0XViet!-rk;*kXqmZwC%uNq`Fid5UcnN@Eg}TzNj$3E0Au z$G(nfj;HP=B%t#-9lM$vehO!iyY)d_G`|K!SF!_@sr!9uiWTUesZy9{D$f$D-G(P= zooU0JrpWqw>0CPOz`USamNEa(z|KpfOj)mPlc_u#+m{QxErmHIQY^}n6hf_AVq`7Y zW0+dcd8(&RnqYjrx`{=rC)yzzlRY=1lKcbsNFGcxY<tm6a4-{G;8?0hX0ZqXPynjf zqc#w}LMj}&(eBjX2;iX*+2YfH*LDE%wc_Zw3Pp6=hK~?~Yz#D^!oL6{X24Q5v=_+& zy%!YbXTwKZ6j;E|U`jHg_h6Y#Ma4|0(8wVB13myg0qGEiWqNa?i|r5a2m^S=f<P9R zp5<Q5YCirZ<8Q}5nVg&P_wG)UvjcyoOtUE?lm1z(eEEW(5!xyPeoE)@aBB)CA*?Dk z_yN$`y1EJaH^4C&iQ01c1v@8$Rmn%;`vFeEsR&oBbSN_Z+d0a6F9Ps!jPV6=wTHc? zu#HH6-<0_CZo*$3|3g+~N&+unA}H%8lMsCBq)LO7VXr--K4=r8{&WX#6ad!ez0O$g z!iDW7<0*E#@&YMdrFY2r!Ksn>q?I;71)bUy)gZXHG<IgHv{qu*$q*yau#+?nlMH_= z%qm<AGek=?rHT|}+VbmNCg&0S{Q`f`Qk)s+qsfZ7vVPfr7K0|jh58@!&EuOf9BYz9 z|L_UHa{?VTYSZXbHqDQAbP+ay;XEUf60j+>QI~%@oS&MZnO?xRh<g8EcE&6F7RM`l z@z;;PB>pZej&IJzobhy(;fxTQq?&BPh5-*u`*bZJT@&lPj===+=>~jx%M9U^y}|pN zpF|JMu|4Nei#eL9@Xee(M9>{AA5!nj`a#bhmM-^l;6pC(0c>th2TDj@V1XSM`uu0? z7y-v~w1g>bz)a8xor5Iga`_sB5jFy`fj_xNG*q<h!>`hIfbPpKpuGxNbNpp)#h1*V zTY@&;PX3j2zEB&OO8Pvzr<nXoZzr$T+9070uc-|jqOpt*lcvMZ@I9{6bOIFb@}Q4( z$q<L0$#a^5kx69vXTC;Svn~1b?Totxr?s7&QTW1pvHZ$ptdIznc*;wn`LWM4qE=5= z^ah2O7W@b#rjF6}C51|fvgx}%E6+m=0P<#ZOhj)a&N65Z%0Z%V(NG{;x@4z#=r5o; ztUvT(EQb5rMHnU>sRIs9Fw$xyw=l;Cye)c@zYL(n<p~H<LE|{{V>E5w=9WPpHlBBa zDjG*Z^fR%*k+==SmCm5T5Tdi<KktQ7v)hCQ{`jMKD?R8Za8;<gD6CpjEw#hAm|xV= z>^y@sNW<ZJ*j%J6)J8feP!gbo;UEIW(8~#W_sjZWZ2Mr26i77%V7C_w0Ff}c=MV`K z?TvqzdH{~Hm}6iF7PpGBUS%`w4kLEN(*T>v=6<{&1%c{Rv^s~hi^Przl#K-8m0F$w z`i%G<9I?x*9-zSoBZrO4*+a&mIB&nCPzij|1C~}0>Xg`=E#Px_F<*>Chy%=6PDt71 z@Sk$D-)c~CWjRGu07^PDSmJg&p6hb#`UIp~Ou(VjF8BxXf}x7!S=bk1`|>n?IY3Y} ze)1oqQ7L^q&pYL#0W>A)0{JAO_WjK<3=h<S+yJJkNS5sMR%|;;-hwxh>&Ta;J$M;G zKKXK>Z*+(LVI!Cwgo|M*-h({pTrAN&R1SqhVKT;0z`PKf;m{P=A0D9ngNWXVG*S%G zwVrpPIU1ZG03!ftKwyaVO^yW6gse+eF5X)l0?`6+2Uok{AAmbg=oPI&Md%(@Cu9$e zoyeM*!H_gkUQuuiYpWO*2bj`<;jJ490Ghl(i_nlaxU&8r#%0q)-y;N@JP8|Z?kKeC zUW!bbhK}T*ak<h%<!Iy|p~IpPEhnlb@rApE`w{xR7D1%1XOh*g7|%uHM?f6Tq25re zhi}oL)Pq8}VwWyQu8m!S=NB3%B&c|i6@guPlYGZA6GFBxjf-9_!^O}f!om<e#z00B z;(*qG_#UkdNc1u;j4<7ZW}*V%7+DMwI_=hoT$FeNd?95NVh}GqAWKlNIuKH-;fBbR zL9xJ&Yqawr@SzWpNgqSeQ#OF&*&<oZyU(Hx6R10(3QG>?K43qcU_S-0A0Mi~Nvj^r zo&-6MlL0>b*tvt~AJYduQVGi%8U}@>#c0G>Iv@qEkX+I~<Mw$u9~EyerUmv_oGU`! zSA458=|mY?(>#%K_(uGeo2W7!MiUZyR$w5SF?w8_gIEm(=J{zzi{mTupcmB?p#_yQ z2gP#8&x_y~7u<jp-r#fXFL67}2y$5B24mcCTQj`ZrU>sI`Pw8@QS6BIIo6GXU>7{e zg57Lf$h+%veRi5UALmW&<&X=Rs=Fx4AYN*YUAout)LQsPRd@VB6e&1H13e6~m7R3* z(ILEKS|FbZjy(g-bDrBnBX3$_qO;aq=#opC_qf#G7x9E(g1}C<VtC0u@IR%^i(BF^ z$I+NHHr{a%u{H>hCM#B=trWlXFVR+_-JN?DUb#&R+z!f?^7=b?E&NNUvfU8$>&)sd zDy;6Jg6b}6ND~quanlq1)B4ijMOjprqWb(T;0M(QFm|*k1j{l44u#ACH7%q9$uK#L z6Ni|cs{>cyaKCfMa98IJFU2W8@$a>ujs0!3MUKKceT57JrL7PzsG}dCqx+xQh*UEJ z?g>;%u}w}iLrfw^6whYakEO8xkG*$+kE*&FzUP)?2m>=}gdkD5sc2A9tOAKjfF!6~ zf<Un4YHKaEYPrk+Y663kkjxy0^7QJ{+Sa!AslB{?XloI*4<=v}K#SlNFIBv>opG$9 zMG2RZ@4xmw=ggTQAbq~~d4KQk`+d>PIkV5ctiATyYp=cb+G~HG)WD-*#t;t+9d<BF z#TGAhJuT3Ttf`e`X1l(L#2}}Wf=zg!a;453$xp`)OMJaxNNC7~e(z*e4<UQ>i70@& zf=z({b#0M0@S~d@aRF*tT^>Z6l{K5tNz*5YNMg-bV1x4xF{!mkWro5<d{U{Lg05W{ z+tRA*c!*-tcYsR6B$4n%>`OX&RF<=Jw}>1jMpB!uF&h)xqKGBZC%Q$UUf(O6_@N-$ zLbno(fnSt~+Q9DXyybKpJ@$>Uf<QqmIJ^{~%@Q$sSLYA$64%ipld7wGNvT-gEeUlm zDFM>uVFj7A{tSgXl_)$U`h*DRE_UB*Zf7tIHc3(`?H{K6Owa<puvNorQculIQdY9q zrea_EdU1-uNSlj!g&LdOcROC2j_EVclH+b<qO=_F%1^oZe3KaG(vgy~j+C~$gwC~- zrGNR$EbdS)6mX^?QG2oM&V06G?ajQKQRC3(Woq>2C*|{4{r<GPU!vbjCCw21K2hHL z>G#c&hJ7+AdLctbh~Fl(kKv`UEi#5&!6sp>={cyP?a$9TKmSqvP(X)^9y=ga1Ro3V zh;<DL7d-Yn^_YX=iSfF<3o$}4k)po{qXLE9dXx%Et|p1z^^7YB)2|}0+V$T^mBCF4 z6UMg%i^lq!__rQ|RH7I1T9?|YCL%R__dCJu#}7l5DfRgImGDOo4G;H@9-10ig$j0B zWThUe6>A@&q{sjhdiO-V_WH3Z;8%R=a9wC_&8VSmrnmN1_Ds;}mpanBtn_N9KyA3_ z_UZisWdbCI9@xo<g&ERoTb;31S}0>saNIr8P^aqUDg9%TacTOO2vjD5q$}}^5M=Dv zV(E+7Fk}jo5T;coOv^^npM}@TQYhGbnP7a{LbyTwbohapM5C9PZ=^;s7)~u3Vr6Rj zHg(u^(uVC!7PG(Q*NHHzF>2vA^)u)~R<)BTO`~2X=o!C#QY*~#rFME*r0PvFZRq%^ zm_1)G3)x}JCfGeWZcPH%J%({GgPoupH1Cwz4+K9aTzFS@UbviN*~a=x3dh!>b|st) zIbt}X;ul1*teCGcEnGfrWqcBDE5mV;Xcio<w#Y#Iuc2U6g-HJ|5=fW$aS=I~jsH5f z<(10?MFPx*lVeW~(^Cq@1z}lzzJ`ozY&FGSb2hZtu!sxOMSRh%qY0uKP}3UE)G`{Y zrZrn^XdfqHgYb75IQL7l9W$D)7=9uNWD2(U?I5iZaYg!T#v5`n-U^7soX{d8@~40e zS11s&llE}x?9|uI=5)cwKD!jS6+e2M7JoF_Y!M3n9awTOExyl8X>7M<!jQ&v?5>b2 z*z^acT6?BR??t0zbD!s#A?;bXQ~faK&c|d*)^=q~MON1_LFq2jGZaH8r|0Ok^dUTW z*yV?_<?E6BB_iOLK#UEeNP;h3bzD=1<}?MRlu%x5B{uO*9|}}@l3z8~g`I;5A@HeG z-HXe*7ngP~<}Rxe*h<Y@o2T3gShisBCNtp4vI@0ArSK)ehFQk2^bpE0nZ3Y{r4MHA zYH2U$_5@1#OUEeP#6XzkhoiCSE6v6Rn=YUw(r;HHZy*z*mt&GA?zUmt*lGUdfG9#k zT#XqK9S#W8Bpu@ppDCVRYUesC?JFM@W;7;D;?h4l#to*MUlRZ$ePYTBkIULB(<xdf z4Y9Ga4c&42%8%`Cl%5N(&uPe@Y(wT#u{7k4tFsNco;Vt!MOP%Cf4l6s##~@GCfF>l zSx*K#$_52{uz3n8P56V&<M{C#ce+C2RxMPrcjwxfW-oNEm2G1A3pRb^*F>k*3?|*p zSEfx!mNrxP6;pOx<&wT=0SQi~kUsAKK%Pvzoj{J*7FBDoX*E^K&{b9D3AJx)W+1f; zCXdOIFQ$4eW(SB=>wUBS_0lH2mP!AR`{2z=RJVLpT8<|61XZofR<#L;%&N9lSXKQ< zz?`Y9M@!<K?oCpYQL~VJHpQSfNo!2<SIb1JgbkyR=_bdvC~SwXP(U~aqg{~A>Q7iw z4JAoSWHHtRk#G5^yE|Qlf>5>&R1?pTAty&@gk2Od6)`AyAC{Dv3WI3T&IamIXX{-= zu-beX2pq$jt9c29X-(8dHfhYs!&v(~ts1k|$G=NgLI5{<nLm{)l(_nYJ)jJ0wd%MV zNaAaE3tGM=ri)B^)w%$&R3arOM9ieKBx#Ez$_$YsFoQZ(X@iK6G(KI7^!in#G}fy^ z6%-wS5`E$U5<;w1=u;RneT5u$GxN3nQzE|hFdq$7x*#Q9(wYpsAQ_C72l=;rXLpOF z==8Oc8ZwOXFNJk6Yo@>QA(ZQ=E?VhsK#wm#P!yGquq)qAdOP#ulKGOn%n6^nazwD{ zC*;QJVdChP2dF4qnFHX&)}zV59|eN)?HayVWve&bALuC3uHaj3$F>h*-ROi3Xd2R@ zc~qd8t6IIxii}CL+)MV>mMH(4b8@hGn<SQX5ZBntT1M;e)mrEwaFPCreD7&(ITxm6 zcHMUYOL*ANnO7}lyp}lTH=Bq3X$1HZhOAj{Y)c5Da3M~P2xE~qT7ee!k6Al{=uF{g z1v-)$^i?a&`->D8y=w@4GEKb=as`{`@fN#_6JGO0LasFS7`w<J3bE7zVJ7+**B7J} zKl=cM@s3ERO6bHxu(?E}1UVRn#TKvVERY3FGz8Ljl2MkX;hEVrW=GW^H;YWQ)U?)_ zu(olmg88ImqMrzmPsC`UUfOfp8|!Fi#px1C&WSL*cHc_xv1}y5Ie6cN?|{JUx^f8c zb}GV^iaJ|1%7ecSMOE(fZ*V<g)8_DO@tpEyfQj!>It1gOVAEbc3M12tjSD-gD479( zqOl4V=W>n1kG(t*6j+pWR<V%bhet0!rprtpCBnj5hiEf25U%umwOo6E&uY9t`ySq$ z1M+x!htdJaru3%8WJ$k`GY~9T&rn-4nSfFwX9|?nxTws`hHBJZONQn)=$7;DB8&@F zrVb-3(ao(HKGMm<>9b+Ul0OP$!W_$Y>%rFkmIwL#icX(Lkf7t@lRZAQPk-xJ)dxZ? z4@x^i6f(k0Gt=!KwIks>O_@BozxI%`1;2)@(}Sf2&t}e0N~%mi`CiWyJSI)GyJ?N^ z${$3D>ee`NV#){GQt(=g0TZlmg6#OrR$uH1;b07lzq2k8)2w^>r9Gt4oDs&oLLJFK z)VNmwOZr-2zp@XFr8GNi!KN3aVh-MkPTq*B#J*_K7Xx)8l9+9QK~4gUkW+di>Sm<= z3^E0QVg#kushSpM97hW+4^SP%DYeR9dJ6CfSvyrGKV->iG80V0UFn0F<I{W(-H4gy zLP_%+X<|qEst*5Fd-@oHxhU||?{BuJ-_Hu_5``Zcb5V7E`rjp|De|C3PH&T}CeLqP z$w$c`6DWRxOhBv&v_k`tu9s9I&Tu5b?X-n(p2Bc$Cm3p5tKuaL?iG)VuEauOV#Q0G z{npOMA_3<C2-(?Ddf^+VPrvP`r5Z-TPO`JXqBR+#h&HNA9cM^356XVs^J|%^)p#+} z>p7JaIkB5dvw1cnL|dhAmN9SUwAFYI64$dDFToeB#*6ZnzlMAIe7pN@qjQb*A|k~n z*}6Mx-2q!g?6Gxs;W;KB4G*{0k>}~<<2l*6DsuW})E5@0T4{%9W9|oH1O?g{;&LA7 z3A)-gmfDQQ+sYL?5@4(5NLi#fIpKY?(Tc}d?~tgK)|gW2JXJH)@um9<ZLZL?7hRzV zgsTWc2=j<@71)370*}|X|0P%Gr!Tld8~7IF{bAl8<Nej`u25UMD>RzWdz&j%|CB2< z{%Kd}Nxq-Qw}*DPLgB5h(7>JCQ9yWu`1kn!@}FFx&+o!f0MD6EVoyW(5#eD%8{uif zUcx(s{e-jssKa62FCu)O-x9WT=<osMMxMnPq8TPX=L(fR;|k4wo_Yv#2wx^#zuOh+ zL--coA0YfY;b(+-<X=PBL_3}Ut}UdIU~b3AevI}%U~crNeP(uVbf+zRnVPg4g3f9+ z1*tK>ZcMB#NC#T}2+j$%{1EJGd$F!p)CSA*Je1|kHF^VZ`fLQkKBAv`(vKz9w>OYM z#a)ONAro{&j20z?NUq^}+4oUKSjHi}`6&*VZWBYSC3+h)ImOQoLCAzoZ%y?8-r8Fr z_63`fN5qkV>ByA*GC6SUgyjxhwYB@%%l3UBfT)c&_E9N71EV+&<(a#!;eq*%5yBK8 zqAY2IMU56yzIof`gP9$KM+iS9e4DTrOs5H32$T8k^4ouIKXhvU@)!6E{Y6&yX?s9z z4~5rD(}|>Mq`)aq<x8?-!XS6&1SL6Wt{3NvT0h4Z1Ppb87c0<2wZFBtL{9EAPt+>O z17`@v4SwU>?-1qP9=&HU$0ZJMDFQxA!s3UXo$oI8pgs6#(TRw=O-y#U2bwKF*yMp! z?{{RV56@gJ!cHj(u`={=qM-R!dPMn}RojENxy1HImomMMm(lPg2qv&avX>~way8hQ zjH&Jlv&i4aS8rrMIpAOm({4JwTKJmyMUzc!nv5cW_KP5EC@iQ(kK`vFt=jD^N!jmw zPo4joZ9FcCF+Ay&tnIHiEsdBoJt=ocVxL+c@YehAHszhlae|}KRiI;*pd&nD#&kS5 zut36n!BZT=R~UH8_=aS*@ZiO^Q}EF5HWwSf{^>UwvqQ#Hb*b|IQVm3uY2Hq9vx%j# z$8{5f<u$%|ja)shA?m2n4U4IU#iTtn%rIm$#UGcS0$2DtHkP^Of(`7t*`2XcqGgxb zaM!cai=J@jHp1S1ed@DsDM-x<&D3TgFmc4uQO}O~hUhZPUGLzxwlV}^?qbI@=MSnq zW^SQRj2Mk*8Ocrm9r#y^;AvCk5R;_O0=m+9N5+q?_H#B1e>UyqH92RqxQMPMP*LMY zVA+-Ovxs5Y)=N#P^FJ#FmC7ngp^2aN;NV5|Zy7h_7+dkU!wG-m79deqz#I_9fx9u7 z#yD9kxA}k~)>R&C`MSuIsJyVxV8eLwTZ*3z=YgS(q#mJVcG(JR{SVSc@s1WLiyaz- zP8Gk&TLB(FXM7laJ%@_roNIE{d#TGXr^MM^b&9@TACM}h1~ybo_2WHdSL%v#X;XL< zafyjnzgNql586C6P|=ubcs2bxFpG^U4y<?0PAy`l(;`^&ANk;vECA3LH__Y4I8{L5 zR7fK;*z{eJ%3-%)(+1v5bV}8aUZkqttgtwUYSUkp1k{CX<@FP>q)qz9)EVPPDpyPa z{3HYD1p*te2Pt5sDuA6;5h!W`i7DM2k)fF3Jrt8P1l-h5hbRo2g5+4q7<-Zr`g28< zKXOKDuvu)GFbb6o>+=o}!I6q8wU6YHe6#i&PsuLGM+jtwv0duijZGUx#|<emJ}Z@+ zR3}$`?-fFOJVYEK<zM*M^o0^G9@RER4X8|SjILM*uUR8$WZjG6nOD)>*N`uIx2%2D zD7$+QLVhpeVt0$5leb7^T(4GfkICzJzqh?({2;ex0@#pL`{9&NrEZsnJnKD3Db+D< z5UQA9b5t@k9#GecL@XN1p~$rnwf^s_P<9v?Gd@0unw=KLrk58i5y6Ssu3+;-esF-| z$7xYHLK}Jcne1#?s@)W@j!zYGq<$=5xD<<32hB*Aof1wsCv5UJQZ{#AB*~G7Fsu zE~oX7(Y^0YSLo6=T%lf!(lqbIypJW^MOgnjG8}O(nMu_|>SGcu%1)`rzggzYihqc` zoUo8iR#*V!syDXI)_f$nWRV!57)A-*(HWC}`QH`0MiejsJ`IZuWPr@RKryU9&PXKz z-l@cLP7KJV3tvGOU~!>A!Ip`zhz;<c2mY$~PXmwW<0&a09YFw(Rm$8Z*d*x~r>y@% z^1&RhN#g;Mrnq&%<P}XA0=kUYulQGg)1&Nh76h`_H_(pHA7yUIhYgDwX34KN0YIwx zEaF6GXv8-1nWb%MToo-Nr4Il_)%bXoZ?U^WuJE0)d(hs@zzc%C(pXw5<D+{ir+*fA zFBJ{WGAspTA<ul@QN_>zswN6BS02IUKK#hh)f^REfd9mrdwFYJ6XoCZ-z1Xz19C^8 zGBmwZtSE5&AiP1m)KsZTnm>|kveagAA}Hi2#_W{$91C&H-;xsPOVxdG)z=nLN+&9Q zE6B$)WlcbF^IOkTEOn=1sm1WZ%uKo`V9p(y>$Uc#IXK=JgyW5VkPTA<CM;NfT?lI( zV@?Za>w?x0m6%vLC_61+lG*SI=nSC<2q9yr<^ORswD!M*Z%}jIz{griwJ5hS(!^rE zXzp_SH(93T#vWI)LX!;p+;n+;B&mR^EH_clg$a+!O-E)7Ve`8ow}lE0;T|VSS1iLt za~V4=W^}4lB^<JrIh_&rgLhc(@ti`qgZEz&b`bi$&D!!Wc|65ecpN9mO6poFNw{T} zuj~`<B_}MAVh(Ui?r;0lS0xv_qlf!MdUv>rqhpFA1yvbOYbbG=(ZPAkw_5vI9t<pb z^<^Z`*gfN1k#l1Au!iX?OKW7Q|0M(NNx!00)eK<_++aUDdBr4S{GfV~)Mp({J}$h$ z+hIIYSC0Uc>OW9&sVVh8!I{Ip{rf{SceqbSGy8IGOMDttACTd>Mxr@4riMPkCNh6q zF$AM(qPMMlzfm<zoKNBB_L=&+)JB+ws)joQv<ZE0OeM#vD#By3N8(p-sciT{_@><d zW=t4|tazY%nf9MXhL;D(q>yc*ZHX=z20t^@T@<m^6J3$BW2+s=5g8fe=+z&FnFcP{ z@DrGPM6i+c-H1AmS=!i@^liXMBjr}$$}+UpAuSn$)zH2|4Q-bQY4gR!!7%3bK>}{= zL{7aaSn;5kx)@mJ+ZE2o8)}|GsMVjZU=FEVeylbRbDfq{2k}9)X$;9qO=Nx|m?Kz$ z%~t2LtaDZB@(G9_S?#w^R{7;b)KT+f6=&q?tix5940DsnAX<yRf$netXRIQdES4q< zU718kZ+jHciz*YpvBr>VMuG#Ca_{Gd5nt1*;Y$&FN9|~Sb`{>IN-9PNo4yIEt2l>W zv9n=6--EGLNXWgSt9!XP3c3p4mZ34Q${VmA2a1x;nvf_LZd<6%<gh-B*Oc&S1R!yi zu#CQugUrZKCEd$Qw6HGffk=T$5T73+J^jG}cdCz9qMmK#JWagHFKgN=AES(Oynd0W zExNH62^Rj(GTIpmoMzm33rJ3QIU*#pVk=;Akb9*uw&F<me752%YHk9_Q|nSOCRT>> za%1XT&g6=?K36^;iTv4_YMxF7GUq1iD;X-c`9*?VzL4apaag&jxgb2!n7VL`pW_Tu z=f<Zl%;3^<F7h{?XA=|L6M#b<VRlLnHqC4J#h)mIp@Elf(SUN;vo7@t6PYwcNydON zRm~PJ!7T(5z!<=6pr@p!2Wh)A?+?tp>vX)%V60jwzLHi-+`I$H`r)-m27%eBB`9Up z-V#>tvYRoR1Y^eFgKX+TV>d0b2&`r<x0*yBe-G5Uf=%a>Dp6FqGV-P9YEIkU99_+6 z+d0wI-a8|+qN_P;J1sG-Kn})64~>mX;99={!ob!FLjpg>){gPLIN7FIc5NY$`0K!Q z>K*ii>d2`-Kh>yL>9#(VW5Z`ACRPY`BmWQvWm)BjtB9`VS66*Ty6ifa^!FKp#&58^ z5Hzl#Vp$u}?Y^<&N!!ZZQ*+00T}#Dt4SP)FDGIq+<v{2$`~HBl?<YFpgT-8|DIiE< zx%0(>MhL-rXJ^fNwYy)hZ*fa%e0ce@vyC4J@!~f-_W1o8yZ<iG_GAqAWSMTxU+n}P zuB-Lo`>N=cy%gh$Yxf8-DayF1B<#L{+a6zCH8Jl<KFc447?li_gU+QcKVzsSd@?x9 zf^~@%M;iXX_2R#E8~0Qi6L1LE!WBUkU17D}HiEHEA37Db31?SyMfStMjM3anqEi{& zq&v+xmo#jaG|vM}5`ExoVX*lXVoe)?*O}O4_{ix$d!?Z^E5F9!>PwyZ#Am3?1F2uA zJYjewN2)|x?r;T6Tebm7<$zEwG^^C#HkdYZrx`m_OLWHX=tK$c1l?-OeFM34p2$-< z^#;j$rG~TVCRwIwySaH?C+ZNCa^vvsbs+5H{-gt%UfWh(pW`pVa$@mk<}jh!Zkd{( zTJq}tk)GjFWYe{Tj)a&iW*wk&s`vlat?am?_pr)sY9%x1VtY~0k!MwTk6FX_rG`9w z4HQgG)Ul@jg1p>Uo4FT|`y?3Kp+V{vX;#&-Kv<DRlrk{1Cn&`a{o-Ajxyg7VQDpAD z%{nS*5UopP0QD&Ckl!slE3XbVPvdDKroCJh80nq7SMiwYuFO4oo<Ulf)Ft=tB^Rti z!4cb9c^fmnz_m%1L>ju(T$I}|SEMYFmtvA5RH6J*VDrIwAZ~MsGY!ZQFXj42jES{h z4n0^BGu+90kPHLiTJ681ot~)7!{WhG4bU)^SvpBgNhabaxy_>bQ%qz_-tc|g%$u?q z0UM9AAU;=eZJ3gDJ1{MgMsc^*FSm$(FF<RWf3LEr^`AmP^jdrl)EaN3lXh7qph0tN zO;weJS8H4+ycYdU$jsBgn(3{vc#cj#&Bn5^>o&$?E{YGaSEi>?U&pvXZlO8%1Z}Hq z9MPU$1+p^|_%1q{{wFlFV7}?`+V+91g>(Kz;%<kTg5;|ezN3eW!+jCVnSTxs3j10^ znLZWm;bPob@vFl%Xk4P+U4w}J60yA{Hd4@9*FAq5Kq`@)vec!RxGNL$8H5(k{B7~Y z+;~|BlCYkfsUHjVW3GPOB#-#whEus0b8+Z|_hK#{cH(<67jyUJiSET*Jh@}sIAEKo zp_!x~mFf|V@_-av@r@$nozm5q|3jBz3WBZiuCMICw}-I`QLxPTC|TAb`dh@d)3|Dd z`2vDH54e%gKEPwdsO~YV{L2SzFbeV7)P2Qf{4KFiDWr=!eVb{QtF~g5f9ac@HL{px zZQijqCNKK@@bW7&MJ7Kp);1AstQTC^#i%%EQR>w3(&yx!6<LJH-<VZp%ZK702FZ2m zFgs^Wi8I@(vZZg32bI6dFmm~j4S0n&rjE|0AD)wbq)vZ@PCrqluQaAk&Ze)-Nk4Jv z8=W<(d)1zOeO=_-c>T=GC9#!aa@z(|#sn3;hN9i{Mt-AB4B>LOW+wi2>t`xwyZbw9 zG%eRGlzKa@yD}9K$5!2rPl!d4f_VMynG!4a?UMU;ottZEJ8Kr{oGbMstRIWz(Y;B! zqf-fdDtfI58uHh%_5pdY&BM)Kn;zt~bFJz+D-x#AxmM!kuXF9g`h~Y&*>4-oH#U$S zGG96P5#`lQ`S(hcJ+&wvVbL3F%+^`m@y0G=MTt>cCYrpmwIVP619~frbtrn12?D?J z9~g~Yqdpn4!oR%#2BXNB2EE}I2dHc4jEWWhrSHn3`YLt%+Ne*68}rCIDqcR6^7K`P z#@94`IkKrFOZOQq>dPaF3g!AXUBHU6<z;%ls4c-;bZ&)ZOVjvj#!0rL#uX!%4^;PA z)($tOL0^uVR*aPNqq|oOcc!0crLQ!mL0``F6D9rR?iH0Py)mthCSh_|s>{E{xGa0o z+%EhxzGqCE$>#wkyghwi<oMpuL;l-O`aRl+`=xpQ@PO_|gg(S|$L{V&gfP@AWWrNB zFf~^an*K+c^e+TP6VkH2SN&hc3Wp70r0!RYC6(wpIK0V~3#$JQa)`a3^#8Mws)~cG zEm%)48E#aKO#0R$u2t;k`!({tJ2ItWKi}CMgNkmVGs>{ui%&_3wNLeX=@$gP(~~!F zzJm#lCBm7=3&|Ns8Fi_`0&~iXe9c}87!&4JOpwJXIsO_Ffgt=gar~4CbHZGsf9hOa z(9^1*;p1+@;PekZY7s>)+a!$6-z2!nwE95n_5RpuA1pxj4HC7zTF1)`aX4tUT=JZj zjNJ!(vbL%|kiLLa=x;C60Hzj6nNw0yC?_lUUc`5cUp97C?8P(GsMt1NJR(=PHg{4` z#a_sO_3uk84C<$&OF6*Mp#Tw@&XU}k%|2Df0UFbqF|{X~<RCqhP#n5dok2^eA>7&$ zrRc=kHT>JEOc@huNVh68$An@Ztt}7m6&K?C8*foGp*TTYSxO<4sCfC8TN2f~{A(yi zqwQp!%W|V%>Tzrg1nOG=N$@ed1kazTSza=+^Ud9}!KUlvQw<_ixJ*<Q)dAe{P1nax z@qmQpgH^FgBD$wi5!(?Iw+;uxBU1qi62!9STf_b6{2wy#dm3TE6fU*;K-Rw=+EdGp zCYGMmWI8jz(GF|b;QHlK{Hz1Xsl($_-Wm0YF}{SwrR?1sKHRFNenw_v8dDMe6%NFG zedYVKlElP9U+cuaXx4E$TPUy%6TdvWQ``M2d3<7DDl3UK6#Ai@TSQi$b$}f;j0#8& z*4W(MAM3!E<~!qL#aA0>SPMXuk^U=*wFsuh7kgl0(!eG12aJ(05r)@()13&T$n?m7 ze`Dddj`0+d@nmUul%t*gjK0)`)GavOA`npGa~Sofo`iVB=uS=uH>qxCJAR7XwNsbs zD$*H5j1})>(k0=+71c*01?*B~I8g6Lp;3J_^$ZD>WFP)woJ&S$my&&iRJlo&5S|vF zP?{Ooy~1zI_N6{=8N-H0$61D9oG^j-GO`3EOH5}ei%%#EZmJ#JI$<!6A*~aJfD2>Z z{`47)0(-36;_B1l0X-5d-^plahu}2#__3bwKQ3?EwvoFK<&Vuwceq#bI`_Ef7+2&V z7xT%+y><ZAIi7*4Sj*|`L41BSX6EAq5`$Mb67H9T*$7>y>Ytfe=Ne{t)oLQ`td_yS z{@6z#jLQI1eJK+^kgBNUtc_gRo16kI{y|cu+E<7r>F7e`AhA$6NPLmcsS8)i3d1L_ z=iH?R(WpPoPksLrIt<GW4Tk-%f@j1GL-eQddGE}Q;W#!P*%$d7d;O?3hvFBmV}h@+ zbAo>ybuJRg)f#DDgz*5KU@HdHSJ_Iwft`AsYq88hg<A~bjs46JlZNh3AC>&G{Hc#+ z0Nvv^wj17Q#zD*phJJ`EE!;2$HZl;u2(#pxbuJX{Hr#B7kM*++*yu0s!oMPlvA<JD zVsept+*p4Y*&xO8fdff5a0T_jXRjN|es-tRo8r!j50~|#`to+~{*0&mL)`XBC6S-T z8u6CfbPeDoX5i8<5Ztu$y5~|t>9|{S9owoH6Os5eosweeL0(A)ng#W8i{1pb9mRRV zeo&3rEVnQILmD;ZK+-3K@2b1aRiCOVU}LHcL@*<bncxqu{hDOgrQp7I%3d~1px`eX zryEoDrQVP+zhAC%uI?Io@bYJ4l^b2*YmIrYNehKn&_JVe=ySM=OkUUh+`G2F$X)o0 z+`p{Ih#c^Kh`-1W$uD^$oyNR(XfM_H+_FUW{RV~s^LP*6IKg|v(lbc>6GGjil&F!Y z7Q%^-y8PKzM%Y27o}rQbGR$;w;cJX}g6sh};=G|-fii19um~U|QNAk$+qhIXAlN2O z5UwEEE|ACt5uw=%ZM~%;!0{Tsje_z=X!>lSouCie;VXssjlgg4S%!g<cLB+A1xb^F zAzM5o$y($RE&rT+J+i=Dkg$eag)&>+*Jb7(czpg^fRts-yXf1yuT&@^#^DY7>8Cre zF*mKtP2+OyDJwo*-&(~sYQ1rJ{4$YVs(f5Bwx{0k7)yN>9b9q1`pUo(&=>bWkN%2| z$cM@|RJ*lVMH_W#rX{;+v2InQjoRbWOB{n*lymjQWvmyL_*gG|!fK<Rfn&fze#2It zjqJBdM8ttVX@hvP1%eOR{OJ!#n*K9j-p1uOT1_`z)bgf?qn5l`a-2NrM3CYyBI$h? zTNQ96=i{&9Fj9Y{PwHM6wrGK5n8~ew;x16_zSLGKSyIj8|HemduSAE&i&2kM7`~GQ zC+Ipm-p}xG{WcCP3X_xk@u?vk*2a5#x2MNR(i+Bl#du%iI2K!lnD}FORzo7p&qD0Y zOi$vsvtL~*>Veq$3bBd7RIJVK_9k&0Toc0EC?&x%`Al1HHtIussMsBuZLs^|EkDdv zVVEKv4YnR4jX3!IkY{qX+!53IS6;QJBvz+#>zLlo5;A{^PxQq~A3)dnz119%8Jlh* zl48qOg@UcW;9cL4*r=~u%!It%!PajOEwvatlhc&pRFv27Dr(StNE^V1?}*>yGy2AR zC$T$ZZ>>HQKL=sEVr%$}@~w3@PEW1J8i5beWSTV1U%nNkj`u0=Ho68m8WhC6@%qs8 z8G0`)K9%h-M~5_jRd`&Db&Bfv2{qf_as{YCp{x8AZv>maX!l=4_ut^2`cLj$3&d;u z=_@5UcSA}SPCRKB{ufgc3kKRFW@FNYY-C-p=wZB1u5<IJ(_l(<<1D)yZ=eTX5yT$h zn;`ZdJk9P)@yd-Xk}1FY{zRms`wpk0M5uoI9WOofo2<2^cv)nc{TAmHO(y^5_uW$Z zE;++5-6wsAH|%pnrQFVqsgUfAsb{+-kLo+99nX86e(w<&?KbH(q**!};%q#Mu|sfE z5xWNS0~6x&<-IoEDEeEw_t^5&-1N8(RQ;#yVWt0M%tk_~mk^q*p(?6G_C1w8cKvsx zo9sSb^gq?dFCU|tQ|M#4=6e=+V|3&8^oH_7<u6Mgivf;wf(%u&6W&*yAU!Re0DsF4 z(dUTlxsM;^OAmegW1^+_@A5Q@msuWXFZ`R|$18j4;{(|~e*d46$L`|;J@+wvfI*9g z?X#nFGd7F!1Cu7uC-gR4=4-d>K}wnh@Wm7Kw4Olqc#V#Aq4K9R<HKN++N_)(F#VhB z;rqFNt!v9A`6&(GV@FAO@~(Yd&?sE^Mtk^9vWD-wd=uQuXf=oLOS}e~_DH7u;VW{p zvuiUe)!6+h(LMC*dZMN5wLDe7u3Q~%%<s?Jd+JZem_0|@m+jA!jaj|tAY-=iC>@E; zJ=om%DeU%XCRU0U%icbzkpL=t^-74aOnPC~4sqgX?&mCGCTniH3vbVs{#TE8B*A)L za=xtLR%#wS^u#>cyAdzSYK_QMtiq+Mvs{|(_q=(w6gGRZUe1=*cQzgURlB3VXjITV z$8`G_vs3;ooua4PXL$`aJ<Y$zb@(GhS{*(~rd#hJ%_}#$85r>jYfIgnd|OGLO9*~% z_sR&jGAz*qa9enhO#q_O!hRiW%@mj5edR(O#kBh+m-^!oY{!KRN`-Y}(4RW<a1J3L zATzYl8F&wSxAp{+y~koN)zpiU&mOsj@fF*ml(mr|M$7a3R0bZkrgv$jUSSP6r;`>@ z@3&=n$)*wiR_s}Nv+-?Nu><)<NuNw<uJZQweO@Md^R`%7uItp^9qfIP0H;p1fkjc~ z0c#tkZ~<N*=X2+}d>%y5mBf`M$XG86+2nY4e67@+^ocSKyZs+Xz2#ezl`(p`LTiBx z=fTP36^0_ca3348_{<nq*d>U32qu9lndPRI%;~Hxl_I$lp|(U`>}vu8@+&KWYW}9} zJGzo(3Jz`NQO<dfM%7Uo<iLI6uvh>zCf<i0$rn51!#86DWy(>bUwk%3_~u7{!rxk) zyxtuh?TYusO?<!PIJYw@^7qbK1%?TfMP<71DFO4ajWP4S5~EjqS|~m{ko0{$>05&} zmH4nw)r9X8*X>o}niLI6$aql>i+H!yr7n_Hn+T2{OG{Zym+u;n_!HY!5}#$k7;a^` z7^s*XSlZrMi~7d40=D;iM9lx8kP!x`d`^}`jo3r-;@bcn$cai>*dpy0S<tI=9IJdL z>5D2|?9n8~LR^(weH6L93wOif&r$@j4l|1oEcnM+czeBg;4?N$g&58tILkrned5MI zbd;=r^-Y}tiT*N2ZBfU}B2F}~wR4RH3$YNZwzPpWQneg97Wn+EZ!Q^g4jSQU3**yl z0~vC>NMfA+q~^WKmW$|8EST~I9@*(Wgxh&GID5-_3{Udcph_`3HTVlOPnAYk^3B;+ zkC)9lRs_;Qd>_uyi!R#7ag0E+=3{losmSS=98U`2m2_D1a2^Otovwwvz?J0`lYhSc zsk93@5m%8nCt|dYn1y@3(4tnH;LCZ_>(vc_#`rRIngE-_Fd8l?wCyx^NS(d3${2Sc z5ojWHp|N9Sk-nmrkN7uN5D74yE=eN8c;2=Lg6`1Q2)`jD2x|yi2_F**f!^ij5LH2u z<F8Qhqn!4y_!4ao0S9gGBGYDR5`}M;mhjXl_&?H~MyhWnBne+9{E_e?!Byb)c)a!* zMqYfX9o9dzhmn)4lI~nFlIA?9o3nw3oLo~)GFzk&t&!-!^Pw`ls|cQp6rLSuCVh7u z<;*5bCd?<?NpShxoYHpwc`a~c{ID{{_hNV~5QWc+bzK-96zeLZ&rec~&|K(rI>4v8 z-y{nu)a<X>$(j#iUBw*LApx!2PhvXlH69C8YI=(*7C={ZC6vQjU6YZ-j09$N!4YX1 zOBXHDl&SbsnOeFFRi18TKZC@~8<M@YY*C$^__&lVN6Koy&}&fPku!iM!7gx8tkHcr z&`uGE2^EA*1aN7hQsXd-zt6<F2A(47>I9O)eAKBv`EQl?fRx9U6F6{mg<T$wQrlyx zV7OKeXI>slp$qYI0qMyIDZg8CI>lLsz-yIH(cEkG=|wyG*IASWudvL<05?J74=>mf zfTcq~51*+B=sq5X=qmALT(W2qoo&=ioRRcZVZm8ud0=JA6w*RCY3m1K*i;kZsKJ;x zv}i9`PMm)6*`y!rOuylz=|>JB{RPhSl|7}u!GdS;K+<Db2t4eA2=~H(mN(&F`mIvG zSs7e1I5c&unMIA7Sa(?@q)4}zyh6JwuT8xC+Hf0)8bg>sSVkeUc}^iLA-Hny32+yB z3SC}1&R1w3uF>NeSm<H~Jjje43cz>9Q02UBaiocA|GYH&CRq>jLJzY7$?<gF`75T; zaU00R{t1JBrM$J%DHmu~$2k_pao<VtDvnQb)|boW!hee$7WRfmu`GLYo3jWt&I-&+ zzamQP?&~S+DncFMQbGmc4ua$SxW$Cs)=NQwN56WrJUKhwMhX985cfO9K|H8GU1QRg z@WaLOTX2!H2a+wHqEA1?qBjnpC^_lDc-A$ju_6E1<prC*PXgtnSPH%j?!&l14C!?3 z8}1Huj`K@S<(okK4wpr4iLC;w7`vOy?!>H>Lk&_)v^3kmo;j<TaAY>&g3iM1oSzSS z4*Y`ZQ{|Tm5;<sc5`6qC<?R-L`<$>mi=QnOekrG6{c@oFG+~%mDI{K&tU6asV5N($ zV7wzXF*$KQj0<`6`H2wj?h(VJ8+HFV(ZYCoR3<$&f(ss%VHNjpmV<i7H!s`Y;mT8| zA148Xa?AZcNIz|7+08$}%xu!n;%vhI8TwI>{BNY6kg)Mjr=M$1X+9J(Q1rlU11G12 z<Hpaa@{=}!7wdl^Fg^Q7QR>e@4^a|W{3J5#Q`y7DG78nDouGTq(|lxMHlgq#&YHl7 zoI;nAW#ob9p#Oh?U$|r%Kl9}6mGN|{{Kp(m0-L%+!+}P@pT#deC;VbeELF@1|5W+v z_%eIu3!;6<tM9)jueS+OhUn6?h$94`;ZIf}t)I1`iuronIZDtP$-|O_dgNE8l%!Ul zlD3~JnKqnMuH5h%P`pj(CIrdn^0M&j@z0Y_pFg7pWJ6(tBV%3t<q`%h<qbO5hSglT zEL6Ppb6M#KYQ~IaUde{;D}KKbmJP+S0~NB?2$8F6V#oXqZwVnQ3C{6NI+Oh<G+l$t zYL1h(1dvYGe!eGb`pcOp6Lb0aJrDdw0Ty8>oQ0X(ovsJuH;0kvYkr>`hn1wAK$t;r zc|2}boIU)xbMY6R5bHWqCdtxM6hfpqSqkWMIk2os*8kZ2L+&-`e~Lw81#T6c&HpdR zM;j#nAcd?frt{(Xf7@OMkUh0G*z}U7N0fZAt`gi+B7mK)E`>wHm9ci70uYJ}HvfRv z*lKKcn`NWUL6(SYtYaROMFR^IZ#7bcV;z%I+)!1VPPJ&U<T!EKVa~KiPndS!V7nhW zi%hwVbyGh5YJT%C@L$#Z^A!vy?w@~E-w>6x)^J^@UUEsd*z^-@`X%42`Ag*C{+2vk zH&o<d>^@-MBUAx04=q*m(Cs<$@CZ<)r8zi(#T+p4bBfhc_vVXKF~Tl}+gVPQ{z8>L zSGvhIBA32s1NuH;$iWub`-5pr8m5@Wa2{&8DZ=NJ(nSk(-Ex>$D5t7S`3V*6$Q>{d zSk_|6P_AK>h;csA*LAvfpGUk#g--au`9zG$CUmKY&*Vp3ksooT74a$RzYR<1gLcAQ zgr5_hCA>{IKqvr8S5c9>$Wv70)fzxwL7}Az)O^fBkz>9(bHxl$<EJU`(*qW26#ul> zK&rDYwt&oyz9btxNbsTi<I}h=HjV43tDW!-!Y>GW2ri{wbNg}>ZK#NB`uvymYl{UY z-6bYyIrJXBUidje%&=2rx~9OPFw%3=t@1@bspNsrgWm=y1N<%&0<kgFJ<gXUA11FH z>M?)Y#AE)pX~+DXC7qKgqTT}wE{gvL&k)Z+gpq`C1oRkgQCsLc5V-`gz*1slX~sb> z{evw(r^{*6{b(R)Qv;7|n_}$INBZQFh)p>?eYBC-)5l9K;_B(+Nb93H5--pDeVO(9 z<Z?h8IJki}bn<lbe23>bJSzxu2#hKI+(k03tUp1LHI}UY*8Kf$i+4t*iR{1I=4(z? z*jKZ{Iy4NTvk?Y(z)om0z#%%-1~b*CO8rul2~>8xz`+Nc5@~mjGnG?POg2CB)v4vz znyt-a71AA`D2O!uX#HvBe{(&Db(`W!>ghy2?`o6W5hwbufYN^zDn-q<PD}lzG1Tc^ z$c{;8RY+zt+qzB`2`-hO)4dN3AKxX${BGe^s>!cU<14r+6y(MlV=LB{vA4XjeMO9t zy34tUq~u<sy**VBd-L4bK6lbr_n6dc_?j1A<Ox0Z*3hkX$C+)=<<$pq#U0$V*c063 z*M+_rjO`10cTjk6Q`2^<=ng6RuTnHuRrXl=N#F|&`5%MND*9C6i;mv9^t8k{e23gs zJglv<O)lX?iV|GqAxO7pMq-kuX~$g^iPGqi4<cu9iOLg^K9Btu$;a*)`0T+~GQFd3 z;>9g`s4e)-tr%6FPTA2T`y!`TKCrY<Du|S;!V%S|@<8;+-y?k<{h?&vK5)mumovSF zwT;?QN#=I8wO?>Lwb1n^CV8p8oJy!7JXAwdX8tTm_@%l-`y;1SZZNC6$ZQL>eH=Y> zfZD_asi)dr%pF10hjHf1#z$h5-(KFq^35Gwmm+iYnv3NYI82B}vTsLAYK%kW$8dEK zT(^VI=6RIhro!N+iKUZ~u7fTAK|F*x`C`Ssuiz2u_5|07kYvPU@0S~`(ZI3e8~Kk| zhbQ)dC$lov?G3JrsuW^BmQB$V>+r@t@Mh{`-M)s;8?oD+UxUq`XB(VjK(P;enJcE% z09M15K+J7OQ~WjMyJCmj4d+L%xd!-y&Eg(yL2{~_OZ=2pNZK+@8j`$5zRYI_lqjTr z_OIpb+7a&1YQm2Q+X#Ol^rtc0s9nJJp|=Mewym%RpTeh&j&gil9RisROM{yjW)nwG zj<vlP>naMi{5y?hcB{MuEJXt2>r*S$zBy}U;X)WM;*SAH2a{~xw((qavr}4AuI;h1 zg&jn`Si#LV(c7h<Va;=STsNMijjt-xjCtG2KZ+gmG<+1?G@h}p08n}461R0aPZJO6 z;`#B=X03=ce+iLn_)pqAk`!%uPl@{haYJ~%&-1AH9hW%vpUdras~;YtThdEf4h7nO z_G@-)LUAb0K8$KhoEANNQ#cSkyfUnPe$CfoH8I^?6+JvfzTA=b<vIq$<Z!>}q1z+H zkXN71Lb1S5qhh}7J6k-K{*lYe@#upA#7D+c80si$39hS$zBDyUR~=y?9&D*a90yyj z%N2%Gmm!ak%9Xhzb_lw@o3BR8O+uGyYK5+YO(jIC-Qdim*da)JmP#}?H_-?DRNF?G zp;(y&*Ns$(7Um|}DT!nQ7fbqW<sE8Z{)V6VK>nC?09mPlEaRbpyi4Z-P&w&kv`o$| z{wq>E^|~^3Iw8P5q!QNUCLAvbWseK5vkDFXUab<&%uP5z66OM&oMw+OWh}<IzmD>D z3}8g<9_#XQ=QO85iWmTbyS+r#l)oN3;%;~<hriGxUBO_B?5NPv#k!?8@rWIvc^?sN zv?%^!_e1kKsi4E7#&qT@u_Lr@r%I=|jFm332ri>;49L{Rj?ge+VMdGMHFlbb@R`kA z7uKB_S_5ps_2s<7T(~B6N&u&-{sr;Nv@u)_ti-zwvk{nRvMRUfHYar;LhjeW!6FI@ zZzL#~_$Sq{JbV_j9*v0Lx-B3_D%&EJEikrPby@sM71urcQg^6<@FPMUAr7rdz-}YE zy(Vv7{^QTbI_W6s&Kv0tO(m=+e24TO=jJW)ss*1<iKpIzBFS1*NM0%X4e}K6EGJAO z+)2pek<7C*5(CEG_s&>PC=wc173(T&_(0hX#Ea)JF6CcSGSLs2kGQE)*4W0bihnHa zHD6&Kt_<0W!ItJ^V!9yqPw>5_E8L+PAxvYJu-h@wYv$p@gl{TRqGTcn7a1R>pOnt! z7Ko|h@dg&FwG|rCjqqPR5l~UIVf5tUh&Q=}{qhnfz|BSElsV9uTjGdOL&DQ=O&$eC zra*m}S^BfL;asC7m+&ru@G@8G&%Q?4C^l!GeCjKJ`Z9eq9M(i^v4gJzg3S)PidQUQ zbUX<@K+8rR7HoIs!!}P3{8|gTDf!S<>H&Yg310)31LTg0foh<0aRFoA!Jv|NLi8ri z#DGF@wqg4ycSyqXX80=u_h#OsgdY;*+fc$ZLKv|B$@3hZ*Af;ITrA$j{)qBqy{_yJ z{7Pnd#^l{{U`yixNyOyca&!cAv|Xvt@emIu?^X;frg*m{lLVXQ3j<RuQS)wP^&C^Y zJDX^XBvR~9^X|{^+lVRNolR6CiA+}5Y4Yx013&&KO?k<LGD9R#9@S93#sj-)cs*?G zH9i?J#kI2qKTf0uafVI^U;CX(sJM1Ep^%0K^CF!P=9W+i71y>BhVRJhNE6!R44Zo) zEh)LLVL#(O3qP_%V8x}tKI|%m;Zhz-5JUbjN0LZ0)>zZ#FCt!8@?@6eDff)exI?1} z^9TXL*T95?lku<LlI~T4k95_9M#6;zM_%}s=3T<TOtUY=zwR{Ct2(H}`pXkXgx)N9 zPFTss$X|(x{>dXsE8Q!u94``<yMe=pDzftQ@EPjE*;B_8-<Z;-b%KTKmGG%e2KbG< zWs2c><zJof;L7Xj@ghGSSKr9v>(hYrcu($NP0<N;y!xvZMZoUcQF7O1CH4v4(2 zGrrq1pu&;WcoTt^i@6UYi#{U)rh`?o5Ebd)q~^X19w_3Wv5F$r@o<hgb*M*;x!D%^ z1)IdhsdLPoriPP@IY**RlE^XU-cy7uW6qIC2D~0~U7)WM^aa-m6?6V22gomz4j}hw zAfL2>T%vO^@{+1}8F`N4FPGvqbI=LB4U3GJj5<dmaj|LwsuTGdCKxdpagIc?y2=AI zIomPZgkYwbQ<OGXaSWAdZVGN!jgwR82{-g|eU%;edE$bb+zC2Gk>Z#t4qzSw6LM%? zjbHT*Qk|u~513k|NYxs$ig-#P9<}t-SE$e1W)<SgmM+8&1--2EziZ_O_9{KO+QhEi z_A?Q*jCO~9Mc6~wJqG^IGYa}8Fa#~-AWy8FeEi2>0Wgms?JUCGgog>|5qiugMpESC z&$f|*eq-;+`NNM!y^2u9A+Zj<E(@;P2tk?rI4kjshbf5TrfU@iU%{g$EjJiRM#YuC zBR}$G=_%x5x=&BBQ^J<-P$~0->7gp6H$Bu&316O|Qszn1hoBOs{`4VePMo!+`CVh| ze4GMY<-01L3a<M=jW(H2vhZ)?EAX$=@P~OA+r0bJkC0TYS@!aB+?r)QnLv)BZW1R{ zVp{M^l{jbZ!r5#R0xy$(`ev1o2HdL>=B!`v@J2#C1*S(!!X4e^yEY_!#WkE=R`h!* zvCJn4z_08ZKC80VQh#Of@;_Ie8GacuGUo{qZ^>#pEhxviXtsd&RcC>KxgdaxPlm*f z^kHNFNUx<&#Euj%e?E5P%<wb0Mb*g3jGd;~AlDh`32pS`ifzHBhiF!;%fI3k<fn%~ zox<3EkSI@n3O3IbF$cLF5%1S(nHN>5azwmf^OaUAZ>CkP^OQi5D@g^LLslwZdI7I; z?Z7j2Hzw=dsnuM8tDK8)s&u`$J2n7*mS0_VSfeS@RMuFnh_%VI9Blc68mQ6Nr2k*1 z$u#I`dEa$#kBLCzb=3#IRP>TdL#uV>&^VS5^CatgWKAw}8}qs{OYDK5h$esaJ5jjI zGEZirPUda+iqVooKe+Q(NxYmWQA5htFv)1ip`2jTF-!=P%Y4*FYpr%Br?WQFY({8; zDG9p{+_S<cjjie^lEo$EGvJoL7(484_!Gi^u=!VFlvvIB30Yo<*F3v~YltaF7gUM5 z1?;-?fu`<B74Fbd!u^CqCAQ;)@w|5s9^qXA{L1eYXXxh5BHn^RSsVF_;8(r*KALbd z!9#H5ku=#q$6CxvBhTMn&0Y%OYQh%?ae~D6y~Z6no37~MDZkODXcY_p%H1*3iC;<h z9^rI?mG(N`t@1V88t4MR_ZD&;3V)WLW%%Xv9t7-OdZ^~iqop7cRx@*=VwEF#I4Aq} zg(c(**nc6?oI};9*`X5U3D|9tNIJ<>jy$LmDH6$w4d0VQn!AkJQGSdw&Pp>W?*FnP zs#fC2wQIn6pN4ZWkD6)eOG&7dlQpXJJSqEXA{pB#DAQh*5N3F`N|+~Qi?&DWDbup# zL{%AFcYqvv&bO7B!KRE9qtumY(c#Fo1$&8ll;En76WWJ@>mTGjANb#q0N|h2z&|X& z$2yN?mI>_Z6MQ@l$7_fb*gOB3xn7j3>qRkQ<ga4ps8rrq=h4hCfqMNlDpekqWo;u+ zcOGG!D2?e48NJy-$a=iS(2KB!wDO;j5C1<@o1%egMI<TUzph3^$d|H(XsTIauX`RQ z%W<s|K4nslz3wqo!aVA^R}w1fIoDkGG~AlEJPY5fC`V4Xmy9%?nw@&-pgM?z+@h2z zCZC{dEj~drP1Uyx4h=_vmqgA{+(c+l=X0{3yh%qx0<UgYtd%LRbaG`$xU6zu<OKnv z-YsA(PC3CKvixwYyD+$J9hpY$(E8tmXY3lKOew8G*NZYmYC=rY2Qp0XRm7+^`IRl* z!(DIa-pxj4<A1T=86Sq}|2ts|!9{O1PjH7ydEUYA6}(Fj9-{x)t&|swhrol%s#uE= z?j+0~&n_hCs|jcF`#S_j8NFDW^^(5=g14|p#JygA%GgV~V}xPke>OKymUqgVgMa>l zw9gTa624B5dM6Qn!n>nRc=m~TpSj-Ax+io^p^Ae`v4a%NAF6pMTNKBd1&aQul)=H| zcvCH;&1E;b5C6cF4VLGKGCv!;i7RNWSWQWd#d8)Yy`wHU+EAKRIL)y&PL{%n;+Uee z!l_1xN$a}Gl&<UFpg<MLgx=6gbX^hS!^|qm=OCRxuBlH{RC${)riw}}`9(z)Q}T<& zWFw}EN_|E}MS&2aDlm65CSt3o1afuA%YrAk?h&A~nS$fQ(S3q8w0AsA_=4;7fX>}0 zx?7L>TXZ6C!)^IcepZk62|9tV;kvx7qR419+PRKbHN?{}Ji5v~kF#)H-iEWIt31~v zr+UIe6%#_yuF{~qy^fZm$5LIP6j`b(R6nS_k+0OaLlSO<u{98$CHVL~lrY}>_I2Xg z2$i(4H{n6zcM#qsfE9+3SGb2(e478tdfTx*p#)XudfOqX4G6Y~R}E%|#n&lZ&g7w) zsotNsL|A&hgyvYrswr5m;5kl4b1Y+(-1-h+9w((`m$BLX3BBHS0Ldmw8<_#}Ar0g@ z8^|x4>dD}`W>vhJgDs`I_MV{oew?MITxhi9ET_VYEKaZYB^s_ZT5?uV;aXEh&?V5X z3+PwJTGduhl>vft4^T63Wi_kyzSepKeda;>vTTw&R7Ds~bN2JQmZt<dwa}YAtb@^u zxsLT3-S?CJkA%Mx%1HYyp3Z#20M%a)>sX6O{ssB~_0u(dth_<d$3h-X`na$s`Z$M3 zr-<fLiSlH4S(`dVv^P`-=1K9-OClj~$NrVx!Ew;XxxtoSkp%kKsDb>Z4dfSX`iPPu zZ_ORPD~~o7<kQAYd9;CoK9@GG$^$O>1w|X1-{YZF{nF)|#dJd`z?$8K4>)L{|MiS- z!p(#bVFut!fDTSLSN(x>ZxTGD8%y|oZa(NIOF%+DN}u5srAVPy%jcqyljG|FV-K<~ zH<`$;{3amP`i#kF<PP=GJI%pOYeG|0_jgS;_v61K=**o8g3V&wfNvKq^=58Ca%@<d z$7+Mk_gRV5&iu8qGe0Gt-L6ojsEzq^YNl1}#L9D4K&{0ZF9wN!5$uX&Vs63TU=K)% zw6LrNnNWPBJ$1;!_RJOMLMX#^a|ZDs`9MH2#Ws@L$GhL9u|dLU!aTw%!gmSI{VAW% z=zg8J4^(`1M>_ka^q)!|cv0j5cBD=y5wsnPbqxu&tYNYM#+zm;l>6j?Y*6Dio||3w zsBB56#xjX=hTN7A%x`jBC3TMDTXqWlF`u${(2JS@x}J5qo(3LP`iAA%wA$d{@95r{ zY9BIz(SnNi^{hyuceS*TF__B4*29$QFU%Gu9T04JfWm0tUS08a9;QG)$Fe%WM#R(b zVQ^E8SRFu#y642|pi5`k&%>HqWg^TGmFDcrflC8*wgL(?R&;V>9@BDs^k%N4hm$)& zjcxUq`aEh)^$G{%SXl2^s&}Ms#>bt-{_ASAeS}qcFu(Fua)q)fy*ZI`zN+6DGeE^S zWVycr4$vTxMFy*d<$LrclEyU{oy(S^N4I2%Rg#h{&e8xl3+|s^FpB~yIHw=5wJC+O zg3@8L6rqK9I7=C3Rl@|QD;|1W%z0Lf0;QB+RO2i}pU`o}oTjo^#1UNQr;S;_G-a;V zYJr<HVB>h`Ip-^A({hE#o0wW0OXM0dnoJ$Zq~V3*)~x4A0)i`ZE>cOu!+FcPV3SW0 zm@|$k$gRs-Ob96gA~ViwEbYME1`T4^2JtRaM8s+Xq#w8U_EWNH0PA!@v;rek!aS`& zgCtadUZ4}A74WKrY6h|dY#dEW!d!rr#RQ_Z%tE?9RQIT9$QI>;>mCO4d5h$5ADH)J zr-PsLfAY_9;QtkLlS1DvpwI*S%2iaZav)rcMnjd8LD<e~+K*Hr-pmbl!!A;g<R}iL z1fMQp_;H$$1*!yJrk6@klPRou><qw_c?@$gcf&0?1VwL&7)x)xrh9864>i7iD=NMG z?NR*sF^h%FS*(OP=J4s<hkf|Mh+oyB>u9`x&cRnOr2xNb=B#3&M6Hiq2pptvXt`GG zpyrZ#HO7uobIr8O6Ut)k3RQa^a+(C~QoEWSzpb=Ey;Z`Teh)8DiDZgQtNrpRC1^0k zhy-{JpAp8TvDhf+aXW}Ib@YYKXnhn(Qfu~NranidCZQ0GT8XiqevFxN{xo;!nd#WE z-RKT|mhkjccjzs`_&Rs!UcUc;Fq8Mmr28J<e?s_p25WGB|CI0uVJu-JX(XP5@2p-* zI0oSFRU&`Iy$b_<0)6`QDd`&womNtE`WYMki}HU)c$czO9z;R?M_&1J@t-_^@jTK= znyd1j5*H-yKEf9WOU>_gQIg+bYbNO>ZO^u5M)zRg|0nIp5Q0`)#J~U_9P+2n3Fud` zI50?qt!(HeLX(+ZwdEx8-6i08HX%xABV0g`JZ8R=%6Bh-_Zg&ZAUsHToiL4X%<PX& z-Zv7=vWjVbadEMaz^m3l7Z-Vpy?(SS&a$Ko$x}?|Nj9Y%<p~A(65>R)Ua@m&ky3rY zbhfGu$HoG-iRW!o%Tv6rTK0%;<B&OEkburuF_Zyw(`+?huHd2h<r$hA1{ANej7GLw z<vtF*ipt7w`rN4475O_-(~ZgLsKruuzp3VA5~$fpC6pyNsXEDM?lx-O2ywrwD&K?N zUs=>J^hA<pKh)B%Oj8CusxCXnnrtZ-sNu7V@%}I&N@yXhC%jL1g)oRVeT%2M3)SZ@ zaNJm^ROp|MKQSj@3vxyle=mc-kxWki#E4em@4lN9{#NohRs3mYA({#>^Gp_hyHaBv z0u^7LvoO0WwE;IuNIS_%?;d=4&cGcDhPK0iNU~87q6;*U^i1S_3$0GI6=)r))K)hL zTAevI8~{&kgigXPLN#r<jL?_x0>52F@PMLRk3!}di2U;p>_^~*Yt#-|@08;!`l#B^ z{yj}q>Ns<AzsnzN`8IK~UG-U}h-2*IKOt$<LMOZXuH5B|HoMakd*72;6g$Q&C>ix) z$B|GD1*(MJ*!$khwXtKqh9!EjV<(C<ssz5+`@YOMQ)>aNVNmqi!I9JTdr9=#Ig!FD zK(3uCKqsd{kXgmIPV_<a+If*T_50h=Yp;pCP&*axXs2ICw#<&)1yKod??r%RDse%& zxw$Uur44_k-4eb+Xd&EB=mOt^d0tPDZ;C$I^$Lx@u6*Z=dQ|ZZ(;-OvK9<B;!A%Sp zMUM#lXRR0_g3{*{Jw|y%kMzR-b9ITRoMjX?y?R%1Vq4{~u&;7l<Zs&k_;K@cNycmU zo#d$_EF|1Q5WY<V<d2iZ{OhqJl!`;vw{RbIj6wFHULMt5g+IjDHjk<Qb^~o|br3rR z1tr&vtAWE=JTd74*k8@n!1BN{KUC2eYAlTR?WhU3RiRZAswQL}?deOb-9t5e{a(*s zy|HcHstM`4=|lEoaV~{3y=>uCs`LrzIed;C_Jjw@H*b8tuL{rmvhaIMT024Q-NqV^ zVwV04zehc*lTBqSIaFH}kCaSE59p}`Sst1t975otgg(J$u~X3{;5XM_OA)$+mn6ku zccj;-X90MJ`sImyUaFcG#ieU_cC;}#C~{84R9|>N!dp2Ak311H+crwYSO2Iga0bAM zoWdH+!p@Y!LS~XLnUO`*Hivh0%2qAmyFW`e{F8p~KgS*V455bKUnWF&e}r&|P*1p% zI9D+|q1fj`s9-uPAozO~_mZitm!<wv=k;cBS0-z{`q|1@>h{EV_xQ?+aJAll+R~L= zu{(C`$`u^uUi;8IMGN=wXn)h!dsjvtvGyIALiPN)_n9@QvQBd~UZ)F*v~ilI%YU`# zvsPDLE%wNblQAd1Vf31HV?3eEHPrLxWFQ{g(w4j~l?+TWvlpA$-^n~-u7a=bCU4}7 zHFOqkn*D1Ib@PmPv1C|a2%GH%NFhQgVGx1T<{vY${Ao*h{od2R+F(uL17}OzIJ!NS z_JkM4(r!+Yr`?fo!XG_!bNHO-p(T+;9AJq=J|A7_`D$ctbfq^OsW&|h@L_S}I`v@! zAC^U~HV@oIN8cQ|jIVb@%K5rDa^7aW1|}*TDNVR4zZC9Wd3&VqW^stbQJQPi!!&BM zdrP0MoTbcpVc-4)T7Y)O?P%8L1z6at^9!RFs7@NjBjKqTKX!X$exh#;-felCndm#V zI5IUc)s09GlIixb+cSkKU3=up{PLD>OnA5uVVEXmYEgD+D@tGsb9F5<d2ov?J)m!u z<z++Ld}KVruL&;__7jkiln`kDqx-<;MOH1LjI#(d**?#pUUUz-of>`Nx77hAu#!Yy zZs9x&;i`Oh`F=)c!@$x0NdLs-Lif1qxt8<qqjpqOhvsu6$Y?h`<p~-kKXwkY@FI^& zMKmfQ3wPIuzd~9zdZET2kCRCYxw)5jl<!i6NPFI=Egut(61<dh7U6{Lcl50V-z;e# z>;ucfk&_eKvEwO?9x7g55IuBegbrtTCMJ)Z96i))SxT+BoJA=7;LJLp?HxaBZhkbD z7%P0beZ|2|lLt(WwI7KcDp*n8JuErmW~TS89uE6u&WUaH#!}u)zt~n^Eal7ejqU30 zto6Y_ySt0VPpXNpz|WPt@i8Slb{9<=FI!|d#4e6D3_x)4jGvUvklFJR?S6ysH^LD@ zZz}qLXCAzqA9+PQT8{bzKbA&CMc4A%6VtjA?Zdh%_shv}cdW~|Y}}|%G9!rFU%AhW z^DY}rTq$w;I3K3dd6tbN&c|7=3#ZjoG#*{C$@WPb>-0L_J@$L8{ieVIf7rJ%AsbUl z!Ck;`m2VfYszb(ZV_^An@hPSF5U-zIv1e6b($_m)jUZ)oRcu>6*PKshcPF-*kXI?l zM~~V8<XcV1CC<C-LgGq^(~wJ?XW3cA`I?@+>x^kt6-QP)lIab^nL@;>40jkFEdK|Z z9o*iY^Am(94zNBMaE}B^`KPO*x>PP-P{gWKx6CCA2DZ&VxL5shqFd2FRywmvWe6EA zrG>q+qB9tiyGv(qpXo=z*l1o8rRr?JQxMCT$*5{$>4IR>ZU!X0FxVs;i^3U8ZVhgE z>ehJQM`bQfPVY{Oj|gQB_U19Q(e<JHeg<ADr*d}kBe-RfJND+a!7b0l-YRN;tFZST zVm!oH?_TSD&AYGz3S0A5Hxf>Jx_HeF7Zb>uoh}TyrB2cF+#0X<WWJzl@HX5ohdQH_ zzG;sFto_ZxTd82vBoC3dQbTal4k8q^x5oRi9?D#(^LiRaCdm5sxhnT_l8)q#w8kFq zR_})uoy)EVcj*^pQl1r1)+T5ML|TuJRKuSX!{v)0B=-xkqjuz^9kpW)kvUP)KaidD z4mUgWt(X!DUrphO(;$q&Ts-@f7z_)rJEL!1+m<ej?r3WbcDtfGqlTZ0ZTuBag-cpb z>vnY)s>~4_IjGZ+7IoyE&NSzf5~{T3lv1OxV%xH_jN*!CmX#P_3>>>-9*<EtF3y*w ze;qS6(w7u+!a_AtHW{)fE`|ThI=;OAsyuF@;~E-ww_RBJ<b^@G%x?w5;Xbjh3zX=* z`HPA<Kg2`r-)~cgU$#XLA6x3>tnX&gY;S`H8zlHQ!gmNiBoM78m!776N1O-vr!&3~ z=tWu{4Z7dN7%G(Xje!ePbOmF>7#uSD)VdRFp6p(8_*F^{wmc#KZc5Dkl7N?-%p-av zx~vRjR+k2wU*;>Nvf2=oS*wjHrA9wFjOb~2JFq|fLzSk~=qt(rU&C&$HD}Cp5~~go zZ);BpGiZOy(|dR9j*w@(u{HXZm-EZfon3+bZEyKn-HC18h0(XYM&IaDU2Q4PuwdKU zp5on*L!m(1e;8ki_a?Ry+m<SXev0?D4j>1#Q^-A{W8ruj9u{zN%q+2;64Jitj(x4g z-GzaDM!&>UZTmbzb#Gr=+}`RT?^BYuv|At(ps*hVNB6!V!vmE^*TA-ed*frQ_9_H` zJ_`XC-O71>!hFK31Z(zp^vC}vUPZLDn6O1(vv7bjuhe*o`DM4T;@DfqW}8=vmG@0n z!V!-##hl4R7=5!VdT4K?7~?q-2>ReLmxEq?zfQl3=avmK5M(A1T(`Er>A$u2_FHkD zJ|z$<^ce0~n<vgT&(asioD=C)(WwY<sh5s2d&L6Gd|L2*D*YEF7Es}F^naVCe;)r= z(SK25w)_7+`u{TYPnb`5mGJ-5|52#hl}rD}Z2Ip!c2fFBU>@iG-$MV4Ouw;>BMw*t zbf{}vx;zcHu=j{Rs~rHyx%gmn8!xP(j3Z*m=xL}n&)2fDV)22DEjAgU$(iCrztm_J ztFnoYHu4PC7YA-vQ`l=fB<G!abA{K&tyx``*bB@wH$L7Gy8yHi$_C&i_<-af=N<tm z(jmw6+li8czMh6ZsL1m$TZ;@5L9xRlRu`h~_%y4^4Sxcnsf0y@2;pAB41#lyKi3GO zz$g5oCwv9hA*i}~!p24H2@5t-CF=D4E|Q^Ryy8xf!WmU=sI2$QNJT^gVjEY|4mNyY zSg5oIlU`IIG|a+%Wlz;?!v<AV(@X3ez5?EFkt&8Y&*Wj_u<^+($_0PEh7S@`@f8v2 z&3?PM8K4XOiF!{eEGDffRhI0$H|eq(cmSMWSR@SF-c@fFDd`(oBytCKY^03mJtb}~ zai{a_;Q6Zg{X}~)l3vm}m&q2-uolTPMzuk>qpRGJKw?1j$W7rs(IYFveM}9aKK38I z%j=5#Ju%%QXaD=i+5g<{v36hdE+}hfqL(-U=r2wHwxG4?>vRGzXPZcUxrdFJL!bwB zK1j3^44^kqx|VZbqDvhte@jSWxjWIX=@S_uTfwh?a;7M;D|O~4f?iQ!1Y3T~90!UY zT%x*b9gpCq4(<&MZrUJzN-X~@$&%e_BmB92&AxAmdzN6+N^%NayrGA}a&RxzT|#vs z?r{ok`Xe=tW;x@}^h&%ywLkbcTWy7|cAu`c&8qfKR4eXVPExJhhZM`GQF+AEm~>E- zu!eLspM^<y(^7@J`O=s1#{Cm=%<S>rU?o0}GwX$sGvv(r7-(Nk@Bcz5op?sJVlh9H z^}8nZKJXWYiiN*^sTU5=kgnj0{vfVosY2XQT0r%t2&s(kg~x2kf~PiKe@-nXpV_B2 zSj8sE<TcOO<0QE5d?Z4}S{@VD@_P|4U@gWr>-fAL26CWUDJpf_vgh#&^?CexY$2KF z@vU|R*F8mpRnd=2(VMKI?UVU98_0MWn~mRN%|Tji?__ijpoL+=U4$Qf6`n<qxSsao zgm1|i{fif~CrYRy+(5X1^rbxC%jP}d8GR}H*Q9-#@MpsNghvQ@{L%JZA|h2icVWm_ zD&u0*wNJ{a{nKkiF@CJD;cw=-eetIeFE%}DFn(lvCSbfSOLNSlWSu1z)3RHKk-<Z5 z%y9M{)8?GX%8?Fwm?gH<=9KeC45Z~el^6(%#Rhz@EDSv`I4DG{ojncL3(kYh-{P~f zdtRqHUL}yv<*G~iOP9!&xb!w`PLBAiox=|^3#=Z@+S4X(5Z;-c{fe0V#)_?Wmz@6R z1k!P*|IK1$UrZIN>?k}9SD26rAb06DR@!rFrM8vuHuQyXGkZ<T3Fn!A=r_}*D-(*G zw+%Rci-D6yi5ewyK?hiw#6uV0Y0&CE%V^ot*kXb!yMS5XybUS6`}(3;al>A{4cqa{ zW$uuKMP}H-KwQ9kGvONq`4%8dA^e^2JmDxI01SWT={%QjisQmht@A?`H&v`O4NN_= z(w%btz+|Oj0t`o}T&~(WjK`_6($mQ)ePFWE#@M!FYQ1rCemd1r_iiAh?v=Xko2<G| zfuE|~Lz&=(sdjl9jV#MjoG>lwC(TjUm~Xz!-K5uia*tz7IC<o6WP4Vo@W6_z0PFz` z*f)9DY|beTWQ8Xz^yq)Z)@)N%C4yLdDV58Yjz#EGiam|+9(~(JkhqiarPX|o6TU(C zF5z9mB0?p>%zMJK_b-^~RXQrM{zPxC_=!0gcN#CNL$?i|(-<<xX{k)X{Ze0lAM~`P z(CDr}@HBC0@|WC{izFppi3gg=&&%R(x9%#jEU-k+Vud{wV~RyiC6vkU%=7T-n7OCn z?!+|o6<kf+yqe6oEs88g!JrR-dm85QRdX4=RSoq0Q_uh1hW;kfmLC*XO_v+pJ*9m} z(gOe8Cj1w$aV-jrW1dDEel4AVnu63_D!D$vZJ)ii>)6#(4K-#BrTFBFY|j?|oC7_{ zX{JOg2(nS4#=AbS@DZ|;DdGxm6K5(yb;pnTVkDX8v2T;Tb93OA=z;&<U25R(=5eY6 zUmd&4%GNE}0YA?aph_nLpD94iqgt!Z2WSW5YS`VXPCpM-=cf+%@NHT8`L}F4l?<1; zNFLtIP$isaxTeP<t6tQm2PI+*;z75safovmssmZ9B)*5lk+YJ>mCc_3HQylINBBA6 zFDu=lM+p+oP%;k?$OCh6>+At?#BF?ELRd*yO_)Wvm~dRayt4=NZ|uE*xnh#Ldy$Vj zM|}dD<7f{WZS)k}2+epC+D15rQ*E^spyE&aiq)Ez^H2)V%$Z7z$n=d~du%E0fv^S= z9jN6&;%rR_QJrfpkKiUY`w_iAO{#rcO6l~Z7omOUHty!<^zY8<0~F~p{-K6gaGghh zUg1t$s)X#GXk^U0SsIZ;&NSj-4bJ@v9AtZ;k(0{yVHwovSJ0k{`=;*lgPB6T-;(r= z;!AQlwo+g)0<3yGA|V$!B;@|7-=$^H_vJWySFeU*1d>%xvM>xk0Yy1%K1Q`YD&=!K zdHFMHzGII^%D+yRf2NdQi`&D9Dt{IuB8<c}mi^J3PTHs2x0}Zn5p6POZt=^*?4(aJ z1zV((WPN%p5I#S4tWS7w>{zehy<)x?J662BHFoUGa4Z)#;NYfba|<B2E)Fs@EGD%8 z2-K1bNNH3LMjj`l7H-d;AqVyEM<N<WT6L1Cj0$8ADxo%S#1%=b)0e&r2xXPd4Rte; zvpuOBu=TXh)ZYqeaO*McO3##*z_hoC=McK)6+V3`xM2<MEuR9ebt-=xeFZiBisam` z{u037&#UUe@@FjiF#FHI`UWt>vr%3Tip+c*;-1!!{NYm}(MH;v;4(l`x&}yI1dapb z3vQ}KL&{(~IcW!*?jmz?m51BrZEVRI9<ZGLJJ@AjN+<Y@WmWoK_4H*L&ExuAj^p~8 zVSYg~%(>;SXJ%1o`5U4XTFCfE)DKY+7E!_GB3>XadkTWAl~P5PUR#-#)WSM`nwoD^ z37LRAyqN-d_=3p}<vSp|7|XJ4c;h-)|2GKVCH#ay;it6s^3f{nR|qbK&6<1IJ0`qO z{!a*7348brPd=fafMw*phY%y&McU~EGf%GC%5l#1vIfqy5UwRmBAhC$kCC>Wu${2y zU&tr$SfQX1c*!f_uY>~x`SxYv7ZX+xqJ&e0=_jOpowolkf@*i3KZAep{V>7J_hQ1S zmis-@{+RG{!bV3OH}Siipz2cna`LmlvZhh<Uy11vL9J*GD7p=<TPh>-IOUMYHeGKE z%Q;}l8FF@xvF2~a8nSvnKV)_LPSc4+9HV-_LrEkvBJyo#^?TBObAc0FCkN}3H?Y^& zWdVW8=ztajwaTbZVpr>|?$m7xnl1|((O&}1WS{|zVLWU}OVmcVN^E?Oq4zVAv7Dh+ z0T|OFK%g!eoDH8+;i0#r`DTSHZl<!Ru56LBGCh6bw-^`0sK%Ua4qq&)CQ%Vfy%|+6 zyfAqNEIK=ImAl3(fDXpskdgF?s~_=t#T78$d}%owK$+GO@%Q%nP}F;U=rD~uQ^Plk zR%o29_yJ95(@nUaM^<&VH4BZ6#2m4}x7(Pt|GBrCOO!w6VAFJ3ptQyZ&>GK9{ZO=s zw$@nS^)-Akw>kU*X3=CYpIHK=x!MV?d!GqKYef#qn|L~rsB9*&IWVP8bMY5UK1~Xz z<S97OYK-8z@AEBDBLaiDgaR9ZM8CxL)KJW@g{Zko<6Lp}+uTf2Ews)~E&rRdArvTW z2?W<oCC#WE8p2spbm7=FqEret*Yc~1gyO^C4c%lV7iwUwa_5UEW+TXoy-(XMTidkV zZ{O<<^<q5rC2S%LB|J^&V0OEoAm4=#pU7vyhkQRmD2Oo_2yKMt36BzYIbkTlEaQYe z3oIC3A+6-wkj-;KUT)R<OX`~8sQ2r<FCtiQpUh{0xgI^4{w;+5En>TDJFyO~>J56> z)WQ83x`93TTj3Je-AwT-di_8<HvsX<xq%hkg{DgPlG^4_BhYDo-;<W@`Pa#FLM@xU zdm_T9-aE0?fR`&h-*`D_cXgI@8wRTA(?tD;TOe`TsWoZ1Lg)vzBbQhzN#v>=ece2* zT^MQW>qhF~@M-!wbP#=Mg{h<aDokRMpo_gB9_EN@yy@gRxoh%ta+g@Yw?|j8>2VhR z3Fficj@Q&jqN@tHmMgl-hr<FN4hw`I*t)-9@+umbUzd5TLaZ`BUW<(%VLaipgg+93 zE!gA|CJ^M?V#4nTYxup9u#&KW@Bo3z7(zYzE3o`2pYr-&Hc*~_jsBO#KVA&P<saC4 zC$6x!ok!2y^!N=FG2apzFgG<5=uhnZlb)7#^Q~Ihw)q};sTD=H^qGstDK7uN_}^Ln zi+_Q<<^S1ECTz06es(e)VeL<BcoeLBo$wvPLxi`Wu}uVtmvz76$as#=fiLrYF<}K^ z6=5b}1i{K@D-811{W<#Fe^I|9{d?dQvwy*Kx5o5FLt*+p9;e#Be<Y`)f0uk(|E{uX z<=9|c*P7C`K5f<d>FS*sIsL2M0f-_?uU9V6>y<(B@MSm(p>|WXmjI<?wX{28;m9Os zZvN!RD6BbJfM*F|Ibkcb_icj2(U&KjFK*!bjfBq<780%?1PErnlb$Qf=}#=ha2@ap zoC`xu8MdN)3~PC4ygB)^nT#8O;}@Efld2ahc|59B1&^Alg0Z5{*^w!DROxdL^%3KN zHS2WpFb}EZMwV*|E8hL0zI3S1SS`Ypx0=ql_sMCS^RVhwdr6r+WUH8RH1ec)MDjG2 zf?C^;KrWg?@lfJ=Q{5{2;YwM2dg_aNg&fs(I971c2Q^gp^B{YU3jre7CzhVvFn1ki z4hgprmJuMRQ(6~ZOtA*(e@@s;=p<|)IQQMe_rPG%T~7Fa*n1a%sH*LM{0t0;iq7OK zHLD3REd>W=c)x{FDO3`CrosS&puA#c6buss5*R6NS=Y+S(#pEk_4c$Z1u-9GX=&vx zE4tUZqj-y(R%qt@KWp!EX3h-ws_yT8|KIN&SbLwdpKGtZ_Is^;#AHc?oM*tEc#UCv z=dzW{vEA<PcKrYi6&cR+HM-T5kL``uV7Iv+Dwk{WuoJd}_S{eSP=ybO&^-k|VrB?J zbl%5ma~)Z9Pk|S^qhMCL{Sa2%ZnqS8y-qS2@OeY#;~IbYHzVBk=~>1@?8iSAGv=q| z%X!9uYgopEV968NfINCi<Vh(JE`$+@M9^s`QX;PDNhkI0a_xOl=l(h*$|n)x=}=-% zSxk_!ATCj@`UrarAW#{{Gn?>q9+|h?D!c1IS@o};MKJ#Lk(1|01f!X!R1XW|H0kGZ z84S0nR59jYvLaxA0|EWm4k<JhP(M9ffI#%aZ4LO`Gl^!VHZAaKOm?_t@TdkAo534_ z4-%yLireJ~SK@MnFY)<Yw#I`76i;aR8xoeTTN0!RUoX#V5=27Fu1OGG_%#W@P@EJ( zdr-P4fn<Tk(JXE>JH~$oeI=Xo45d4n#7h&DT&FOARiK2A{L%z58-8hmTQ=gg37$1g zCr7gni4}uu6!;aQ)o=33*~BZyd0RuEl(ExgWH*=dU!x!*C%Z;Lbm7-1$T;@_89^aI z++g6Jy->aSuI;Z_A|Gsr+&)GcNcpyQ_<)yak=dkdtMg~;N=q;H@z{=Q5d@y><2_DK zRV`f{%07z<`cOK&5vW$1;ogkJUSlxy={UcTyb1WlAHpVk>>&qT4Hx6-PLv#}EAM9w z_b@1>dexxnFhkV<2~*=>M{HeCwP(2@D|Yfr3vlpU$NlVW2R7mwgSXs(#1H_vd*)4o zE_>{+d`MNqRD@ncrm;NJKv<Nico=|vc<d5LI|%N=HTWo?gx4`EMq%0v48(|Cb)CpY zm|0;+CqWhL6~dyuLRx??|5A3(85HvkYP3M6nZH~;(6R%uoxGr7ya2i9ftF|G?$^59 z@0GiA<@{T-emYETIaOG2H_qCdao0V1-%)^ZfcNgfx)0Fs2Zj1Z_@@9K#<LmWzJcBA zUfd4~`zE}93OE5U0+zyU0ODVYUjA03zY(wjX|p&^0j}<P`CVd|J_t`?C7YhVg5Ujc zzZtMV^mir&NocuVK82^St^p2%9aEa3QP1Wm0RAa}P{2&7EEmwrm(wf`X)gnu0c~;s z^T@{gO#oIth1Ui3<SC3FpdWzJ_yAx9^fVVkv6!B`Y(6E8&)o)REHsz*5=V*#t2#rJ zhq8S^<1>?pA_*Amu#nJY+kWbu(KVwT4O}_`O#kKstfj4m<)J?Bw)9*6oXF8kdmfw> zV^v#E&}dFuO!H_P%QYs_u){c?0+IT>lbQKSo18bh^`jW==^hfkhIhl7y3&5YTDFX5 zqZ*~e(NNVH5nG<iXx22q`~E1^Ni^p}fL(z10OR2{6tE0H?mg+)%jQGBjoumWi}dy; zIai{$W-X()0PEM&`-EKE9>gSddsYz#`8As!%JvBH7dd@gweZko)WWLw&RYw)e?+?i zgahILuK*qeQ~}8SVtV+XH{A!Z0~3d_tq=~Ig$ZXboS*&eoc9NG(Slc10O@rm(W(J6 zYaAeva%Y#{k_jX=cH9dgmVYI-0r_FyS0MOv4>E$UgT)W~`tzgVUe!_O%3E|TnBg6Q zA0_dk^X|!-Gu~C-*R*=q9QW>cqUMaU>T8I9)*M%2d_iu=6DZxoMA&Mpqpnlc-A<jq z<fB@B8(ztme?Y7{>Q+_V95_upHpM+0-T%nLMblFhz9|#p9%8gJ#84Ijd#@@A!HQk? zqs4dXF$d-}s9kn>=Z%c>#W&iKu{oXwr@a7p1+WZ&5SO&RxCcZb=n&%t;kgaZ9{|1p zke{r7Vskz<$7}2d(D^@ubH%5S7nC-e8|Nr$KcmfFsyQuN@3pxd4Ig=kRnk6K9w)M> zB>DM0yDcCL)jH^57DEXONrzNN^|p>fxk(zD-xy%^QEgK|1Y(clnQBnX(jURTz=sU@ zB?5<Bwbir$-p<Pen$v(o24F5A7jUWcdI@3g0Ne|BlEpj!9R%Qak_X0DpLKg#$Bsh} zEReTj5<@!?jWZQc@WlKKLJznl1^qY4&HJU{z@oe8L&_tJ5PDc1q>Fba9WMSDzVvaB zZViu71gp+ry$9-a%j+6+yORAC{MrG0_MF^&xf??YvX{qlK_-On<_Cn2O(LFjcv(iU zh*&{1BrCVm03u#XaEt_H`Go`{@T7B4IPV6tUs6q*8ihaRdw~RKNqFpQa5=w^;4?h& z1a>4L1v)QkQy+Vq{2dBwFP-BUopl2nRo!MhASYGR(|D-9-Ct1E(%D0dS!sy}ZKJE> zHP*1kiQec|XhEQ{jKLF@Q4_t`!j@*K{UGO#sbb?E>d2u~dRA387fFCx!m(TMAmwRb z&&V^DGN3$lQZTx^iqK(~(&HZaR<`h81<t)2a6jNtz@_q;8rAkX!oLSN2Kad$zIz8Z zAJ`KCs{m<~UT@5^db4{D#M_Vk6ulL66S9KN8!?O5eOS|?oH;8pU142N9a&+W1Fa}% z-U|?thgN@##iH8wFEpU{aSVT;#=-77xM$s?#BEKhVYU8E+4mFNb?`T3%?`Tjfb3_y zKVEr;?mDP?N$if<evdrWYn-Y2-`jMHy=l-)9%K3Y$iCwvd?-}98et&68et@a>;oe2 zWLF~$mTo*aBi?v`vjTSG!8^F|fNt8dIeq{w&H|J`(H}r`<v&qvj?V|ruS3TL1*NWy z*^FLvU(wjs2gmOC0H=<q%~qs}yZ=<RB)&rrOra4<2CBLPa6wmNwA>tfo2qUH-blMZ zRkwvbd0AC;FR&*cxNT%l%2HL`L+q&++?v^wuSHdN7oMbB6i7j#vbqxYB$%r!u}xoG zU8yX!F08KXC0LEsmA+={t<t>;BwRhUI?9M!7bsRTVijBCSgZ)dDzk=2H!YBNAiOQs zYuI=;6nJ0s)&(|RGkGoaUg}xRo||D19C0bAl6=<L^{kUR0n4M4V*7dS@>%ROH}Y{7 zBM??&p9zh=6LC*Npz~>XW1r~$&^Nt_?rOmL4t-Gc9#yRcy@;rHi$g#!>q+v05<h%f zRkbr^zH)^mQPlJ4ooJ?fHAp)t^Ed*Tu&{eaJu}XuFsB@cGUx!&fMftXE@?b1N7w?u z0>FKMzW^}zcV7L#9ynLB`yW=r|4RxZU(68iQigEzy#HYezyHCvw#5=a_dl>{(@0jQ zS4S$W!$1lqV}INWeca!5E$E|g4+N$NY^LtU?yP^1?t@_K2{!W*$8U6s-2{Wmo?x|= z4a=i`J;rYm3|floKC3tJ7;7m83EFt?>3EP|Qn;t1nIAjt=~yLRAK{Ns0|CPUBLR#6 zAjSC`G4t_CN7#74B)}YsCoVmm@hBnWEvF?>g7G(f`a{xRyIA?tH?Z<2!n$DjyLy+a zu##DVJ%_=#(7e^FV<TO};g5I&0mA_!0fZD)wG+>tAH1Ym1HRJwkZm@oR{s$x(EP%7 zGwFAr?osJ%T_x#5bd%1j-pGnj2Fs%eZu1D**rWSSe3p*H%y|<+i+VD{MfI2gHTaHB zGQS<e8!Zp#97zo~D`^01qV|c+w)t%i++8Rs?2YVc_iT788Y50_eR&G5G&^2IdG>=w z9|JxId~+G}8U}QKL3kh7^c(`{2LSzg)Yq#rRmY<{eiy{V!7ub1S)cDZ3Y;kM2X0+q z%5gNmMf>QB8JvAq3#JS%1;;~AGWxy=3$&0cIJUY3Jg`G_2?~z!f^|3H<EG#U$LryE z*$R#?0HN`KRKQF?E<g{EpCh;*7F|fc@kx-1?x5*LjnwU&8lr+DT}uW28T2%W;!<$5 z&`ilGiGe8!HV)3K;276qK3{DU^I^v@q~VxCdEmSpmXqn0<9Y^3bex^Bk%l8a#?8?7 z=9LHyM{oPRNKU5Vn8(wa2MgFach}j3jypKdQfEE|K0~-g9yYnf!R-`a6W}e;|9pE| z6rRG$hXL1~7ViN>{YHhgA68oD)o=7-`i<Tf&~J<qtnW7Rj~ri6zY*=_BKnNsjU|fn zDj3GSC5^PIRe!>GhDx$L%PMIeEaw5an~+oYWBJ<<6TO2ZX;sn~j#kHotRR6bQ=@$U zO;>iYJiE<2yJji7cP=jZ%>=ughcoxe_=mQ4k4;3vY=`$4Wx+OikA>oigv@%<XG{gF zlRo30&=9)oGg1qpb%??#tqpEe*p*ZgQK9iDFTy@p)VK0GF<5tt*X3`y@I#-XTKx>N zxfF%QQRt!3=UKP1uH@G$G!|h$ubV>SJ18+FO}f~ZuF%+g{2AQqh(g{3sN4iSF#x&s zv~NoN6peSkAWScWxdLz%pbKD!+ncVq=hbJVv{wKg0lWa%4yXrs^oQN_8PRsG#tv2V zT}m9A{9gKuB;icwtuB6$#&0&noO+!)JFd|9BJWW<pQ91kO`(y7Fq#j5?$}_W>-@w3 zB%?HzssxK)@d|PHP_HIaXv~Han^edY8pRGi+1XQOc-sqri)@pYQek_vm^EWxMoib~ z!bJhyB&3$HQpSl_x?>cL<6=q|laQj_E=dlH8p)SiB%&~tM(y*gXBh#Dr`KJj@h+YO z-`Xa88FuGaX>48&A`?W5aL=DGm%#HZfC)f;pTq51*e!sk0s8@80yYCYbsD?(r(H}A zM78=Ks4b~u!~9$9)gb>%LbpG>=IYpP<{g{*&#bgvFI>9#3kgOMLx{)L6;NtKj#BsC z)m=aQ4q3K`fFHW=G@k7^SkCVIBKqO9+O=IspYa|9;5}-c_@q2`JDwzdta@M8ET#ZY zI^<y8<mayvU7R|N7LHs2tR5!-7`R3D^g;4me#(6?cj{Vu=rn!^GPeW12DE~~?gx<D zh5Dvx@Sg+71r!6e0U`nZ05R@)bsC=$!?SS6MEdoxesKzuJM|mqxy_fb=w-C}%PXK2 zS8$x+q-;o!LGPlVJ!?4b=fe#(b%~awz{m81okB@Ybv{~Okv_M(e&dQp6)888!Zj2# zDy&OMQAX5#%q2gXoRRVfiQD)=CCvWA%TC<$5tyqtM$&qxr_j48bk_h?Z7neoFY<Vo z7UH{75qijIHH&&aWyf93J?1xy=VxK+j=NkLeJEuFS~+!1h+1y+xtP48vxW8~fq3L4 z6jfAuB%Nin&?7Ihj-dsXvxQz{f<+gTQpX_5J>DtxLy%&3pI{ZsvLo3VWH;y~-VaIH zU37wFDR#BZ2V9dE)(v)Cj=tk4xu}+GZBfr8ili^oxwr2Zfo2V$9`GRG)4yQs2ar3O znNxhx*F)cNF8qyv0zfIi0Js{^EuM$mquAeL-iI4?JoFuBDbeF!iQQ?5+tI5<qUU#> zms}6>?tG1r_hndou|9+!YN^n2+;{!ihD!{h-~$=73_5`*s#m9>8DT8Bh_++hXza{@ zQZiM*x*x6IqN(9SxnL`ozT*=J*cd@-nx1!<-0~NR6_>sOEK)cY<6yDNOLiT52*(7X z`l7qq;#5kL8ZsurljIX&wEUkpQ(Nv2{lKo?s?~J1hN;IL+evp35=C-^ow|!%P=0e$ zTcmG?HumBh{zzX^TLi6K+JZ#uGLCXKEUvaVgsUw|v_8MyB7KLE^cGi<-r}9^c!7uw z%l*Xt1E>1pTnQ(s@-YoU<+~%ai6gWY)&(nH(qCMIYR9cGTz`=?ZAgFdPNu*31$$E- zqXSE(zv##H7jKvAFHS}vy0`}Viy1^|nf~Il@M1K)5WdRS8Rwn47`~DMV<TEB=pM_X zje{l6GU8IQoX6v)!MY%cB!%EBd6t`av|3oajX>Y{VtR^4AZuj9RX#GRtf8g>J;gA1 zK>)SG3bE6UG6<V?EEY8s{p1>oq>R{c3s)t)3F$E1!m8=j37EIvfh5qTaqMfMd}JdA zT8E^a2#r&5i(00g2z|sPM3MJ~u5J}$WEFbo8bBjp4FJhq(w<`+I*=4VGa&J0$PEF! z@q8R<{26eB(z<{?;#CN%0gM6&fH1@t<G61#$@CHJ2=g7_M}Y9krQ=$Ou+@N7fInPD zJi<qUw-HY#!c(wc29Vzkui`r;fCxYm;8N+Ajj&ZH_ssxSZV!FLb@1N+coy(7;8N3- z*NZ$4qVYkb!}9ul^by647Ps|?z2HyOg?Q>Cu6;|ck7&W$`K0pYx_PSFi|ZqbNSsF> z@zZAs8&7@2Bgh|};mdL~E?FP(!WkCIGh`=N>TN8uE_r5r#^sbIl$ZJcsXn4>tIS;= zal<p{vG^Gn=_97|B8-FOl1u)r`iPDnk%x1Wm+h4O3VlS{)aareCG1@MF8YW#ICE}V zW6Fhde+AC{@7=_?+NqFOi##P2!MD$&kT?ZlppZx?GJV8}is+TJE2OHM2%n29BtFuk zLgFWG3W?3;t(dF63E2U_B=Fcvu;;^``37V>0pw5p@cHx+SHj;0xF7HsARY1Z0I7K1 zf%q@E(m1a^qJ+aD#G!Z^fSB)j`*JDY807VLgqQLSz<ZY~{sq6GEUq6fPap9-duW@V zLJf<1XkVbSMgOp_1ufSl@&7G^3^>E$;L7DZi+^sJ=_yJpXE%k!o_5J5Ah%22C8Na` zwxamOWTCWCmrQ$j9vX>o9>DhRE>j~B-#@_QI>fc#79#C?UHAqu+GD%@Nr`AnNhR?J z5iGE74=izy?YF2T;+z61iQX=iM5O>_M5`}!6XUz9B!<(}m2CmK_U~jWiOs9FWBdmk zL??C}FbmI*19k&G0+62qU;qq40g?fI0V4rA02_ZjbP~aTziE9QyHV_Bp_kYP^I4G4 zvV)OuHmplspC15fm$W{AZ-bbfOCj+&o?Ww)-No1EGKIuTU!VU*g~XeH-blb0KonqE zEAC<ikUOo*&!>-g24NHk;|EXyzQ+4ovUtt~y~ny-cAoy5>UZ7~E`oQVmQcTmJ6ZjX zfpw|%yUo3R7oB(i<)4p>*|`)FD|mMEr0gzUzcPhH)bGDTA<^a-3Us^xy#RCD6zX6A zxuGu4J6;??n7;##1O5eg8}JA~jQ1P$5v^Pwkz``9gq?tG5z<HOw&ZSqo7LU{SX>`* z2-incRWD=vEuIRAnq4fsAFLh}5}REMvENZ4u@B$4q%!aw(&-BO!N-U*oEnLd94##@ zRPlK<60tTsfjT(}I0I0k%&ZT*1bLM02s;804M+vd23!Y_pPi9T;!AMb$=qEh*{&xh ze<R7WTv#8m2%RT8A8TAd>X_a15f47f$0<=C@dWnPsIT3}YDYuXZ`4QZ0BPJd%O&ZL zIa1DCA+en2you+$7M3`;v-_9MD>X4tN`-4AjzcOKXLoYMB}KXT&r!)P?F*-}#dW~V zO(QX>M@;|xh)5%@lDG#O3!u>{j_Fat)OqT?y_-s6Pcjn=kf2OvV$gex+WxRGPBY~V zVknXVa!sb5{nD)r5WPacOHfG^53Le<EZIlvq>}NkH20^kG!Md8=t#p6-)wf4t5rg* zyB6XVGNn0$auWBlv=A{x3t}@ju7&t2Rsj$<X6LTnzoQnSIN@ZU#0DR-^PLYK7Apg4 zi2vkMjYM7{<9LNQOBBf1MP9~{-CRaVF02}d@@kYvxdb)D$7B@!-PI6jHr10FBD+V) z7pIz@nt)sj@lOwloPyTs(n74~gqjEI*JvT`$Mzd?bgCixdgjfw5XU2LnHFLT&vcWR z>Hh{T#O7}?;Pl-KeZY5d-!I@rK=vNoO8`*6qfoyA|3iQPJfDVJG3>hmQGf$@&qmyG zz(4SO4)$8azZ4zBsR$nd(C-%GIEAdb>mW9YVb*!rl$RN9W01}lu>U3cJClNJrd$V+ z!c*9u<+W^%?|}cifY$+^OJ%u$4x*f9ZB%ab$knjzpv~U^c03;dFq&LM2a&?u4Y&_L zY0Lurj5K<hf1y}T9Ym~mr1ALD^x^t5^+QpDNz^}N5-St_h=%5-fEc@<4G%+MT~HzJ zPf{Q4%X=L+1;lqRqJW6O)<bLXJPL^7CPA_{Q@i031rTnrJ%Bdqx=6?)Emd7MUxZ58 zjOHjdH@%O$*a0&DlK@izn*k33&H~8&chNsQFTFp!U!=EF0deC2M(<i!zn<Q=;+`&P z%0U(3R6zXO@1lTso?7rhVa`(vHpfvg(A$950NViJDB!h#Uqtr{=^%o?FGc^5gs3&D zSE1n{=^rL@g|`doACCKw(R&0eeiWtRN40(s%|BPZohcw@!jsbYOOFbOkINMh*Eki| zs_w3a%vmjxfdb+(Frd>%wYm(i@D=qBD-}>coDHXm$I{%xO_st%(?cc6hiTnIkm43g zX($hY&DQ=DLZ*Ot4$~Pl&Yl$zn@4|ubsiuLa0c~(rg2H<Olr`Cph%4O0_+sPbU+q> z{ABC(9`z5OMP5w*a2S;Tu)bq8r)BFqm;NE0@n#=nm6Q(4<Ghe6sha{K^dG9%@+kGN zkhmVi>un7N8DtuWzN&3Wauq}s0)7q|K~V?sLsx}0%>_-JS|-i=P_~1BPXR{(mrAn; z!U^FA!5#ykF^b~i*W-7PW%T3sFN^w!wq4jILnP=VHsBCtmseA|veCC;#wk97xq@|$ zY??_*iD$d7mxq4L=;;T`gPwPI(37+hRjdBYXQl-_S|Y4EhpO&DxRRovsEG(XxQ65o zuVZv2a8JsJ6DJ@PRDPJIZBGHXw-{&)aWd2vuclnQ8!{xF#V&uM*iYV{aJ|IkUHFhP z-7w*<w}?dORwHEAjuy~kI;6VD(jf_ln&n;iobpaM@pQI2^&iiQ_^f5=K#W`G5MA!# zDRZ$+rdC*s_@v5cxr5Xgqw$Sp0o-?oLSqeX3?N;`qt+|%t>x=j9kp<&IRC~2jr;7o z?x9KUDO6aDq05?p97v0i@Yi(9w?EI<I*ceo(wkDyA8=BRqFVck2!4%sr%vODL)fna z+z8MEfa)c+_0K+n&Mm?(0sIlL6Yt*v-o&#Kb{gOm;6gf$5-*cY{rMEqZ)}BrV<UCj z(3OKo*(`Kh)M@%tBV-DWogNB~tExU>oLdCz!U~QriwcgUAB7CWB(GC#6O&Zl+mtTT zZv3Dzi4?~>4*f<2$L5dGI6en_4frR3Xv}}2k`O5lT}XB4H|jS+z3~I&M-+6^Z}h@w z!}S}zo%)SRxNSsWC>}cX8-3x{%-ni;>NjFV4E;uLrr)S!`i(wJztNZJH};b0H=+)w zp+=d0BVs|n(VOWvA{O);edPL$@P>XPzD9iw)%-BR`x5mVG38aWk3={c<$G(9Z2WNP zH`4fV_^*s>_Q3M!@A&?phl1k*L>crciz2{k^qp`?>Wx-(SNyZmk^QYdLTw6dQ2Jc8 zs&<ys*KIQd=(3G~JvKC4mwIC)&t415^^IzO;6D&B91sW~zPd0oF`o0f1z{%v5&*XW z?g3y;abDfV#qi%oVdRS>%7`+ATMzQAXwRsRL5-gJji}RW=)+#WO}~-42x)%MlgL%( zXRNYPV0qN9=lsB_;JBJcsiG(}2t&bft)$?1kEGyum#E-Kd#<R7lYlb-B_c6GT(BW? z+J_+QwSX~zXo`0UI*x3<E7xzlSo!rwSos5CUAX++6&yE^f+Lj=xSa%?0Vt8qrIt_Z z&!zPzQ$<j%UW@25{YE;x=c`RgKcbr$U-sv$2<fmqir_vaaaVAxNASx~a5SS0c2jT+ zbZd{&#$04Q+GCFzj(=(XGwAaw;4Q%J%b?X6g#7~W4S=2p0Q+xYL)iLXW4~`y4r!XM zXq@Y4n*3Px>0wK~l<iG7vnTKBw)W^Yt3RmtsW=OD`;Z;+3-0uizMnpqu6Cqvr%T_P zz_-p-uQt?%d*K2Q=NHt=z5wYi>kH~zm};o_0d-VopX%2sP0vrLA7~ziq^|?q0Eh#m z0YU)M902%YKHFq)V9MHH=xQ<u>GWv^ht;pia4OxF6nl%~0DNn94vNA|s24N==_*Fm zHUqQw?W<}1spj;RO9$a<$u1;|E%#1XObHz7(rwM(;Ozu}x-Zs2Qs3qJ2`qp5maQK? zJ2=aBI_9KxFl6_#7VIXj7q~V#Wl1Pnfg<oC6iND$5S$b{%Y~pH6ovOVI+TPS6Op`9 zwW>d#FSmTfklO;wdud9O;T%iJK`9|w_r%Vz(#jG$#}iu$LRYu*gbu?3o-rp?wdvsG z2CXQc+GO}eLi1dAG=JeKTdIH|rt=Pqxuz@5QYA}X_#4Bsi{sg`8O+q6Wf-4j82{2E z#%G-v?`6fu_cfAm|I3vOV+~JoD6E>(ah8EL!%$HRi0H~Ppps}U->`gsX8D}$F`u73 z^Z8lKCmEDU<oQIxVhNpL3H{t-LTBU&ZB=cXa;D>zn$rQ6-ZiI3<Ju5V6zfBz(x6ps z!}WWeO@`AFS<g^{?iF_0nVMMpr(+DAmhhS`V-<F(m)$YCrYnh_=H7v?w`l1p>W+am zUBQ<AHC;i-vnxwg_YJ1;$gtyn+q4u=$oqY+O-th}k*VfOP_O;`d`$lP0O#X#E#i*7 zK>RTH-Ejf`Z{T+onBsityR~QBlIPF0S{i0_HcUBT+mEmAP;;^^P4V6(ekK}%>EzTj zh<NO$FB)d}H;pK3f<*XyKT!A-pbKy|J;Od5yYrwh>0r(QJ#5yq_?}PgRC=5=qM!hu z&U9G2W}+R|>{KIA-9M3Rl%Z2q8!QIdhb!jgK`d2h@TYA1Z3pdD5TCBusdQGAe@)AF zb_unS;u<v2jr3|5YO@BSNVvr5im{VY(lcf`W}Im7#dWA~Y{Kme2X1MaathD|IC~5F zF57<l29_{Gn&#Ca(scDPA$`~bBUSC4@TpneDOjuM>xsLN4^S*nkMvTblNo_5dFd>R zZH6&K3A%1%H|AgXD$gDG@_F4}i;vB4szG5hj6m<t&{l(*w*4N&>?`4AQFEN?J_YAR zSvxKHl(ADokC?9D1khx-xZ^OH;b8IQeI)wM4BN*jvi1yU+42)3=auYJ!5fdV-eest z;_bueT_3@5HeoF)V$)vKQ1OD@N(8$Da3LPUXH0vzbY^7aO8KQTgI1mvFP%BfE}c=L zS8lVl(#Kxw_NwYh=zHbqYM9IY>ih7qV&!Q8*A_1yYHO|jDxtN@*T1EDZ*{#FoBh?_ zq-cXbh`l_J^7r>|ulJ${UxW=z@UNzz6BKOjSbvij3wwpITuVU)_;>QK{uB_Qy2bNi zQ_cFDylK1weiakMyn5p+=uYHtQP1)lRvsfHY^^K5a$ug?+SMmWfchs~0|g<!fg_vW z01PN4{@YT~OAw?NII;PG-%Q9wIyPH~#jDF;Iu6)6u}S>XE<8FcKJ1<m(D@CjDAlX= zOh0f}YnM;WH`ms*_i9q^vAu6ovb#nP{%s^(<|F3zE7NDPwwIHBH}ru#^rj*1d7W)f z>uJB0r@sW|E3R63`Y_e9f8Ac|sK|O^5$n~Ar1Mcp)E2G%;~1wLk0VC0{JpNF;!C=e zOkSQ_&>f?{@Si!W!En~rm$r6l#}er<v7$MwqDg<JYTE-9sFIbta7m9)_o1qe^0yiM zZgHnF&_vs<e-xf^)i9R#t2g*FDjy?dx;Vyz!)$xrfO3h@dfGQIp?Yr%*k+1<y`f)6 zQ5@sJ(eS5bO6zI=>b>poqast#uMoPLLL=4w9q|YarU^r6B?~>EdT*x~+MkC-$Zm1_ zW8<*HOZTD8aCU63m;)=O*!nhEag8k0did#(t#3{1FIXb=kwT13YUpcIHQ}QDiH>@O zqgTywh4njIU(kj~RY#YAIq%R$<ENsr#?NTX_>q$rYeq(0v&A;V)=JBHtVL{lVrC3A zr>S1`Q@yrkS_R0SU-zN)`gF%@jC)s!+}jtFRlRn=dEsEoFW#*kio^zQn{R%Dy2jTF z__W%F0HN~dY5su+bH6BGYi|*s`D_x6dMA7!VtQhb?H!C@+Y`Yu+bEB*XZZKH8kMSg zMN-YT3hNKL7U0*&xC-1+eR_nYU+rE??<i%Bs_r_JGLcnr)#pu(gtpGn^dhkchQpd2 zX<LZh@M-pD+lZ|-KRc{f>{3Q6@*5QSyL}bHu|$Ng`>b+w&Ch35t3SpI?v%xaX#4QA z+55(}dS$e(WtT6SyyBP|ZYzJT22GcTG}aJ@$BwXIbzt#}`4ab3!55)-`6}ucDC#~_ z)sfijR?7R>Aw1a*wx01@d4_m(#h{gESX&7MdG(R^vF>!p$}<RxU73|Xi~T7E54?l# z&jMjWfFn!_z$=-b>YnS7r>)KQE_D}QQFno9J!^9Z+aczUFVlf<ymw<xrF!*FYWPjc zRwyHgR~I9M1*_f8U5X(cBN2e#UF;U16IUTMDGhY%bG@Qzro#5FeKZCh8>SgE&eo&4 zhcV)!N+!|K$1Wu(zS2P>rE2xv;6?B;M!ANSjDIk@T}jo8@pA6&m1%eqzQICnWxDez z)A=+TPua|uzTm{4vYk(Pcxqw31<oguc_KHgCX!;c|G<pBb$3!?vt6NP4ZztdoV^X} zKk>a>us`}5ox|p^>ECJ}gF*N(zK7;b{HD}VOPeWQ8QvtW40p6g@38ixm7#4nW{)(2 zPpWbFF2}^+Y{#oENj6z_#P9q(K~2kc93jM<Ebl9Rv6)TJC*at?54DDC4rj%*S*JHn zNUb*v9OoVDrMhb~$kpf@``ywjEmzlKPO={Fv9YRJTJp1NHe%1I?u-W!s+SMMUgAnP z*PO;RY}9+Y&}qD;e!i-4sOr__s@8v?k7?`MRX^Who3CE!aGXP}t$GXbRJC*)0_rgq z-E{Fv$JX!QR!3KIAVup)U_}Ugi1%2fs`eeSeN?qO$o5v%z5$y=iQ25P50O?!ZdcW< zhY#4HX{xtvMi-rn*(N}J?$oUqP5YA<Xo$39l@?{JH&%D26_(o&&^BREhq-!Ls=%EV zuoQ3;p_l^J-)<?a#KoULdmK9f7)S{FBC?O=dX|*BV@&mO2Ski0^?_pQgIVe~P}o4# zwh5`^th|%Nux6afn3>+-WmDF(DWO==9vDzCc^RBlzD2m+OYIuo_HEH%hADdoKd?;v zUJpcHf;%KJ)GiY2AJJLDPWAk@9{m;eS7iQ}&ZFzZRe(NCvwb_Fbf4Muk1!tY8hfs} zQ5kVz{tYAkMVDxaU=0;3@%lNbyA_&m(JYgciLe@y(sn25+p%E+u`_TI-S(DT^E2af zbqB6{!F19&f&<@`CunSaT*&rP>)xgz9E+2Nx(clEn(C@xN}I<Gbry0nV8zIu(q}fY zP~sw=)_AW_EWRmj<Dr`<g*RICUTVyp?D5~S+f;_ttVr>)4&<$H%30le_VKu{fOrW_ znm6dCM=0XhFD}}iuVeJUtn3<_@-3<ps&JO(XBgI{HeR)f+*(lf_inZC5Iv~US$&Pe zkoI~fNawJQaaaQ#R*l0t!eJeXn&vfZH!ux}!1--k_Mj*-e%Mkr-tFC0|7Y0}M&yrI z*s8*fKV<$2`~5Qie+z#kb~66RhV?&~Kd!;&hB4H1=MNQT2EPM;5Y3(Zu@!TW9{J-5 z(ZiiT)c?8we~e<nBH#~R|D0>E(6#SlDq>i6TYBxPrZwr65EdOJsL^+fQZmzznf}aF zGjk9#hcffP6%^7kfXpIh7BDl9nc2*o$IRKx%w%RdGmo&ihnabZnTgCyVZM>f)G~7% zGsiGf!^{!P9Lmf=%v3YepP5Q#3e4<eX`WzaJ2Nwxd6t={m}zI`K3*bb9%kkdX0|i) zC^PNMJi*LPW}aeZ7c<W?Q(&nnnd!$&e`czgIf$7fn5kiAAT!4>Q_D;}Gb5Q<!Adci zJ*P1<k-5xf&-0j>&CEPz7BI7jnPtq>v+xz{xr&*!%&ceTYGyVwa}6`sGIJd>H!<@$ zW^QKY%go%u%r}|Y!pxn_+{4U$Fk|{rkNv&X>-)CvkJ->Zz<TJqYwUtWhdW#?8ZxdR z1MAhq4y}D77V!Ao`5myJhu?86V^Tl+P%!134mF!X-;Y!FmUKH^5H@H24u4^hx}a;4 zm)brPr~eq`4kGFtnn%#Fsr?<Soa+sLe@Rh4{~tA`vqDYW(NZtW!|S%fcef9{(CA}# zARH##Q|zxn7Qx==3u6O}f@YAdU^NVT6NHuL%)y9wgZ*h9SW{3>zP03A$b5N%XqiIj zXUGtnWSFZu>{!GJkVQ$hFT%YeSfs}bmTPC)`}JmsTF`y_FY=-dr*PZ*j=|MP&hfFs zr@jb79cZFzoc|Ap_3!oq3XV+y`^&(vZBZ}#NF=szk$=I^$;f{W93Q7BbuD)oCvTu9 z`}-(Bz2T^<*k0DD_FCX>e-$H{{d8Z<yGAi`NQja+@gjk`gexgGkkK-TaJa%=hG-7! zQTyMBx`airh{YoaxDQnjNmv|2lK2W01VL0$afHK)Ub>cJw0llSAf=ctOCOTl@WITm z!(a>BjKbm(*If8C7>;((78&T^q=K!p!FrVT326?<{OnsXNpU*U)R8;CO2Z|ErVFC= zNKc!QPUUzM?ituA@w4BFh>uf#4Tg5~beP^yR(nK(&uFj1o(b-5v(DuSX1MaPOyY<l zRqu%%5#4a?2&8q3;ueRtVCyOBe`!3WERTZBH9Lp4*-UobkHAeNvu&5X6Lm-3@JwgQ zjQ<BBE=td0OPsKPcpO3JA8WxDDjsT<`zx$IcG{$HWwi{9hP_NNEb4IZ2<nEcevZMD z@leoPDYQ5SYw(!v7@Pu&jRGrA1R|A1SK9la?SLpgi@fH%cf*F}Vo<5yYBC4clX-P5 znPJsr##O=0Up;sev-+)L*3}iv^06>$R2j2^ieRm~$7ek(n?cyHhS|yuYhh#ieZxk2 zucHeccKfu0S#Y)^JWie)*5PfpPcuxyd$-RT=1UEBz4)|9IeT%7u)BIA-l@IucN^<& z8q$2a@ZQ=k*!n5a{m^^C%hXE0qNO8daG>HMKRd+}$uNSG!5d6XWWcQT|1}wof((~e zcv{lcQ~7z>d|YK)c|ya>qeFZA50$6=qU8Y}3rqS?mu^+om>?Oo+`s>lUKkxF<0^hw zi5sZ0#fp{6O8rO&0-a4{ivWmL`I~XpcNQ~e5-Ig>Z1At!glHW{I90v_8e)xOKd8oZ zO2Dy1jj2mOGoZ<f&CsR8j=SNkV{jy1L+F7fICy9>oIs#h7N`?v0y@J99oF-$lpJR? z>@7|GCUNUF+O&+>Z&B90Z@u1rFM51zc<s0LdVLx^JNm=5ProZBVXv=U-FHs|W6_^J z$ZBA`xqx_)wdesganw8EbD*r%>X9!xOlr^tn=wi`25aHc#-8n@4L7H4OAFlF?Aw-} zbJ!*;Yy6ZAla+Sp$n!TZyiww8&1Bo7Gx*U*r}i+0XKpp^*Dlh`8M_BNoCo*ld}yF% zo_L4!2ZgjJA)j>nV=Ol$1)rI=$+6yhRIeosYPw~p_W?ZkF76!T{e8^GmSKn$bCZ90 zAFRH;C-}$gDaUu*$HaVWJ<hhGZ96(nADfG$ctT*y>tCNT7h8c*e%28z)s<1{25d~J zw)Dk-ksp;b)T-R9nBNwPt=zoFX$H_X)BY01Aw<=1hi!IHz?QDW$IcE|KrY)movOd| z#~9ri+OnW+vtmJ;{Z1aCm;DGj<Bp;B61=C|_rb(iZt)InX|unLm(7Yc%pDFOliHR! zs{7%3BT&V%jfJ>|Klic^#Y4wG5!l`zPxjt0@PZQAhqHXF!&qIietgOx8iAzo1*1Hz z*6eAN^BmCj7)EDc;9sx@Ww2+EbDO=DrGmTDVG}|xkn^!kFp)>iazDY^YnRUnL{QlM zX$+^*0ZAp%$Zq8?eGtz~@j8wX`6%KE|LVAQ#1bsMHY<+Rqm)=L`{5|er{<i(y23u6 z<8nPlxB!mNYjB~-j;i1gp|^>@S|*0Jbll9ir^$M17C2}-Vb9nI$1@TeVW$cEg=kby zKKbN!iq9Pog}Y_#@*!*#s32-gi+t>}P~-a+`4!BjSws^$FKXvoID4R+g4#O&acml? zS8kyf#wKa6b2h05XQ-|5;LX>`Z)|J&E%tN_-ZWRUjIOB&6soQh2j0yJ`kdMco1ojf zG7`zQsMfUNL<z&Q7$CI8J`<U<3Qa`-q@b!Ms`tjdR>W(oI6<r9s15{+Z#DWb>i`<- z6`&B=rx9(=9Fg!++w&nRq4^=e!96 w9ZAY4aZPV97w^V8uuSGD|fV5Gs%)kM*3 zeTaUn<x)J~`NzT#80qkO8Nza75h(KpG=84W;mOzr5X#U$p#J$VpMh~c0O3(6KEN&V zwzq=ryOn|aFcdbik$4drhY@oo%q1G?R)dTUO>~o6!~L~nK2lBQD^+B^RRJ@9_5B-} z)wGsbk64&hSH`R->0;Xa)z25eT6a&~I#@P?vY~Db9-8Q3Jsx(md}-{rC7xZB-cZ-f zd^Zs$pP(`j1IX+)Y{KL;akt?)V2rQKz3dn~4*lUGp=q|`r_Y)Un@H}2r8N9AFxj~_ zJ^^B4C~O7<UiQZv+z*A`hZN?pomJL0QWim!<4wx0fEaHl1X<oh$3F(i|7gI<#8>s2 z;Y5e`qCT^US#c^yv#UV(f{=P=7j~n(3%lCYg$<~wwDe!%U-P;hxe69<bQkDz3f@;x zmripusvzoeg_V)H=HhnisG173xAj_E;-EN<&waxzSH)dN)}Ximviijdi4OuNoNr-= z$gT&*`)WpY5;wMG%-m+jLTD=)F(=K#X4&E~sqJIiFZMy7U>_Yj!^g0>KwEEyLI zyRYC~FE4eTBaBL5O9@mr6a}iA0At&+N62^_!=>)+^ahh1C-fMN#pc9hfjaXxP`vNk za3YY0(GR~lS$xCumhY+X&J8T$>Sr;5E})^v{uL@3ljr$uP69bcC(PPx{b-$}Ygu{v zTi`|=Hr3^*Q$&cG6M-4J&yssztwuVF`q+cO-E`VcJNY%HPOL*}`jM9xz6La_;cAN0 zwEReh>IvJ)TN`>cELAp4^V98Zn1xBm5!>>k=)6|`RAMm|*$nou!V*&|ie)pjhfOk- zSix!-q<Pe)`A2Y6WjNblR`%W97yaMOehnG^)?}nIsx!f%ifh5KkY!|Cwy&3984*`T z*5J5wUvI(EAC9nk!O>f=USW&tqDH@8(ZC)$d_{-lr!eyYK4+^!7xkL0+uJQ)o~3Pm z`%i5G3JuYe{a#`k-nRLjSqq*)4=GskdHI#QeW>g-4TihmXPHWt+A>MESEV@6U^oH6 z59%(bbk?-{;&bKJ;Kzw<HGBMcMDU)lfn0uU(^v-7?9p&%bTQmnln4NU&}yQ51|cL> zlw;I9u)Sl{Y-VOMvxS*EnOVln3TAF$riGa=GqZr1Yni!*na#}H$js-MS<B37X0BuA zYG$ry<|by=GjlRCsTn#((c;K4DutPe%#3AbBs2BQq&b*l6!kogQDc}H2or5u{*Nxg zF)E$;X2S$Ie&?TmnwOvfgaal5W&=t9Re+(h;STVc<0W*$J_6VUcowh*une#Oa1-F{ zEUJ4!7=p0x&+rm<0yY9Pc&FdYncVIVI}|WPd_M|%4`3qV4+Sj4a}gjLAmIIaz-m0l z!hVX}@Qa155ueW>52g5=neHVN0G0uo0qX&801g0-1I_|Q+~Oq!1119s09AlBfM)@3 z0^R|90r(c+H67srp@2j{Iv^WR1-Kiq4j@cLJlG!s?0~a?H>M$8hL@lPOaROSlmS)) z)&W9+$4=Ov0*(XD0{k<97a$QZ6|ewM4!9HW0N`0b3*Zpo9AE&-9SDdAqyh2(6@ZPX zx6Uc3E5J^`bHF7K`3(ZB!*dnjTR<M59gqo_2+#xi1J0p5cEHDgoq%TnYXHjt*?>gA z3&3{_?0pE|2hRiW{4(-d3#bPy0b~Ob0b>9|0Ox?$alprb7QhRj6aA>mWe=BO&|;nz z`4q)yv6L6)NVcZfYPM){Oq#sHT+293NvTCMDmX-|H4D?Krd=0pC^8kBN-Pv_+I7q& z!<yrA%rlwFa!bo9H3g=kGE+H=o?mJ$$wPRHv9O5ZSxglyepYTlVNqVWsf7706mB<9 z!{6=8$yyFK{!VV}74a8pij9>lP2e|mMp~LM+L_2`O`(~288t<PX3C%{a2oxDl+u#X z7R}<4(xsXLfTdJpEh#I^U0h_+1dIv})oP~)XpCl!u|(r4hpD2>lxs2NY0ReEtfrD& z6Q=|ZZw?Tg{;pUaA+TmDWW{E-RAzEB78MDF7E`(8pIHFRi%ph-(mc)5!lEJ~ez~c* zbP2LAEYaj!E!J|AW{IiXTv%FS4%TR9m`$3|RLC(V)W!{?HKpYmO3-LQ01e`mYsdqU z%@&g}FBr6-->=KZQf@K@Q|e=QMm%GgE1X>!u`0!To~c4pYPD!e^EKthl7%M9pD+&Q z1shXwL$s!XRToMq)>o`ZevJ_<R~9cg-$zZCoCF|KVnK=)O)kht85ic6G^5PHSy|<# zvhu7f<il|=n$3j^ONdu{LWk%hdKKoHKz@<w3o)};2uc&aXcwm9G7B*bPt3^-R4jAh zGGx3gkG#RqCKMUmQiRmxzLZX`k@znUSz1i2Vkl$Y=&Tk{W;AbKsK%T{U^-0!n6U(T zvSx`8n$bl5(L$DpG^4%rlEo{&v>f=Bl>rMuD7F?^3d_LVVtBI#Twy6K(-fJOn9u^t z@R(m-TCAbcRcg!@WA0+Y(~NE)7Y%2WIT}?`!b&$zlUrJ3EiR#wva*!svAP^nQgQ>m zmzA0eiR<VYt=t5j1{qMmLZl2gGbou?nro>nGlBn1ngUC4k;YiQ(8{O}GR~fomToLJ z6MInu&O;@da*b$tkiMb#7GpWJ<vgRs2uq*>=9U(-E~u;!v@I$%6GE&u@=8&Y)M4cp zQl(RiMturaOMXx!!jz*eP#TCPn62gIr3;Zy8LE~X@sqa?IcDy7q5Y+>Vrs;40dcYM z5}8rPOfcyLE4ntcL!iIVWZ^9k)JMe^7)$a%-G!)>A`stNR#sY09ZfzOv4L|XB@o;_ z6~dFH;bK>#lO^F-ShB=eR0!%*K4zB>qhU}9D<<g2o~$L*AC~a2n$e@oqlvauYt&B@ z&VnHJID(;~j9O$~F#D%|KU!indd|v{I(@W0ge)LhmKcjo<}xFi7Q$Cei<bI2aEKA? zNp9Rx>=>mm)Hl*IakUg@v8j@|5mKTT*?4vFehCmkXJ8^`DK;)PiL6if@g4^_nGs)f z&&oIET1v|+DIFQ1al!=tB>d6km*%0C=ozRki+1uU#B7idr!n!L$%v*W5N^B|pnBkV zNEs8Bln&X_I3PzJ&(4t$VT!4uP-a$NSy?oivTjXqBQ(NfWf9kx=96z$7E(b)TTD_| zASruKLNhNXu0wZ;YR<2u=cNUx*Tv|psmG!g2KGf86lsJp2yM|!yd((D_y|d5!0Z6+ z)B+AR=A&4Q?-`$g;}?#j0cmP!2^!|5!~;)y#G-gK{XoZJEU!ctRD!uf3875wOT=$9 zhHR;eWVEU%E($hTsO=bJ?MQqEy?XX{t9~KhL_H7aSw@{w*3yE~BG%va9M{DZ@=1`? zH4`e77S$lxQZu3FZt11-hErCFnT633%*?Fhr1VtuvEAG>A;DUwyEHSPZmJM$Ta5UH zIY7Hx9#qs|*4rA;`!SxBze$vmQ^Zw5!kYj5hk2<70q8Adpu3$7_i>`%KG+9_dZ`bI z@A7!h_25SS;{a0HBawa}VCt02X*V0DW>9|g3+dng^GTnTmjANw$bD}|by?<4d*-jb ztBd*t-SP7$59BYbdu`QiqubYv-rw}pgYV_dSTgkezn`03GI8&_5g#aQKL}ob$_c#h zp~@eAxNq~(XZn75r|{^>*FRtL_SX5!o_>CDz{K${o%;Ff{&&53&o$QOxZ0M{Gmj7Y z_WNabH@`FTr>_m$QjPE2@c3sB@0hh>-;D`tCT$z{!?A}7*Bxwnp!22Ho8K~4K7IAx z;;n1HePa0c^FH3TdtprQ=6An8P#?eH@AogvxNpz<^WIzS?Z0WwpHqL_mHzye<6G() zzqt3SH%|`Udh3?3!&g4Pe{ru|WAOMV_g?+<bI(rs;x^O$tMb#Icxuddsq->6ta^Sz zThie(_Z|*?zv}z)@wbe=?e7(HPEQ<p^6AI{K3j)xZXfW%A0Jm8(zg$OdBb48ZH_4+ zE2DC5=xna^n&N-z(XS63d1szkw`j@X?GGJzTA8u<nfU(q&Y6Ao;|c!HKQnm8!+U(q zL+>A3dGgIZPaXRH>hF(UZ3sKPYL<1F@}7)m)K3=u@a20Ceb!;^J@37>MF(zq=G{l% z-7w&r2mbv0*>T_G?=C+#{f~2#^S+%s#PH&hkM4c^Ma#Q)Z(p^lPwB%iYvTU#(#qo} zUfj?(VAF~R12@LDhRh0ltEMUX&)b_`>pT3$P}4`lj}J_*+%R&)H`(`%9W(LhC%*Y# z{UK}KUruZ+Iyvfrd5;(8JT@!q`@6Fvull;&;M<WF+IT;<b_M?wY*@p_#=4*ppJ@X` zk7rnd5)ezzc)+QEkS@BDpY#*?O1K&hsVUP96D1p*HU`hhDM^`0u+fg<3M`hg=<(y1 zE?pYDR2N)YzHmHR#`ut^sL1iop$<WXsnar(GE=8brTB)anW>p`XiV{pi#3OKJd!Oj zk4L!F6ftb7!O7$M;=R;I04D%Kf|ptY&;n8bnScU7EnpMiO~7Hm3BaI4gagb2tOl$H z90HsGj7aiQM*@lf&48VNQvl@zqz{-3C;+SmYzFKE908mF2+2qnPz`7SR8d)ZyX>KS zJ<}#>>Kwr^C7nnjOciM>(F;yadZo{pkd~S()(I$*E>=XwoQzDv6hWA7xMfD_bOWg7 z#DUQ*Wm<CP92`a%(hO5TduRO-eN(5Tr={{J!rJRV7r+U?Y`|ndJD^L0a=}iWnw&Nx z#ULbQW~QZPWOBU3x^eQ!q^Z-U8w6ou>TH%OL-AI^NDy#cu8(goa9!^{ef|6OSE;Yy z?%W(OP#7eC7lgq>+~3{bT#A*y)6<pm^e-b#9PC`$uM(5K8JQD<Lc-HPA)M<p;X6@v zxW}v<-%MBw`+nTn^?*X%`55ludK}LLPvCn3595BQM-cW=xNm^Y(nEMQAx;7AO{IjW z!Arlv5ZNI47?0mzwg12o*Le54R&!mz$g755G0gcJGQg{UU)6}A>^G!`-=Go75koHE zKO%6%<@|=Y0uLE6d<2rFUk~|`)A`(`;7)&!;`aEOI0dvcfR>^7{@QFj&s3<(W`U*) z09kMYWM{*FF6cfFG@h?eugAL@@7Z~91IS6uG9h~R?w;NG>3!vY>3s?GZa1PnayY%+ zX#OAKZ}GzXUv0TxWZeDDdH1yV(2IUfwo)isZU7(N2;PL9O}6+fj0GP9HUs``{mEtV z_y3*#q!SX*TL7B@B$Yoj3iFJSUh3b{&uGxEOZ`kYzQ3$`_<i~rCky@$evtNKE`}nc z4lei;<0~PdwhG{Eeh$Y9#3P{J$ra~t@{ivNX2MXl(^CjUxS)B%e)KN>6harxzkB*6 ze&TRIR{<%l$o$2j63%@|FZ4V2B@F1@lId_fHVnr81Th(4=2+pyOlP8S5_=26`y9iZ zLa<+zW5swO8(|rm4#!A5l1{JC{uor2e|ei8H+$oA_wB3by_nt?2*L=V{m;Pemw!@t zHpSrK-=lYgNBrG!9}nHVogUe*{Ywz$m+#m+^LM=`y53pV$gTU2VZ5TBkRW<JFsk$1 z3q}1j*Lnnnh7%Fzl72*i1V+ad!aqM{gh^MVhurz6oN*LCQP^Ak19SCLcrj|Z8!FkW zH&RNVcbNFBkApos9A9P~xpu$GaqSU?W@4HPEhhtsPSvo_0dHr`IIfjFJ9@GD@hq$> zIguL(1J^I%BL0x~cK>CAKiv4c8tJY;f&>mREIo=p#=o4{k`v`gE-e?~-`hou&(FW- z9N@66Lnxe#f2rv?KyC2{{>3+L;vC*kc%t7)N5VCZ{Xq5G$B19wKKNKv_2&Ixh@+f; z53Y(57PNr2-*WyvxjhC#jn44zoxCTiWpf+ePjLQi+Z|UeRFgmF*S0U?vIXYvdQWt{ zJKFXmJiUAVIR83&fs~A3oPQlLSqV;V^>%o#-@*C!oa0N?_H&Meb8HIlnU?#z<5~)| z9&pYPFXNeO^Ig2;So&`p|1WDj@%xNBu0_Jdp8j*|iS%7qKWxMN>ra?_;SSSwT+W@2 zdu0zC#vBdzb!{fVy;d!_bF&$D^0nahz--*RRE@hh+p%^_Tr95N<dyy3^@N-nZqLKK zhhH_~>T3jnEn)*ldF~%v@3DU{`hVH}!T*eT<?l1UcdOX{p)Y)|29t!}uy64Dtz&<m ze)U%`V8w{tSFY|ZzsEZE-$w7tT0i|heEwg0yEpEC_rBQwALz~dl?iMQm@a)u*WvsD zHyYN*awr?k-+xOx`2F@Pf1h@6v00qU|35dMqk18Em>C&CNg2thsl>U``Gs8W0q6N7 ztj5mqCI6CAoTX$;3yO>kiwX)6gyuk;o8U5)O%XUl(Q+6X!{7gH^YqK=-+rI*#8qz> zd-~7S>;H^-`v0AFwAfT$Vk**wQu|3OHRh!i=9EKR#ZZwX2=j2To0ONAQdE?}1Z7Cp zXdVT`{lx5aP&^wXr=*mbkn_-m2B$!v6~By1h;0^6w3aXd7_BZGZid<ENtszV)to*p zeNI-2VZw|_0-B#-fHWk;OQInHsR;^-*Jvw7X>Tm5(2N;XWYy$UT1@5}aBzb&Q%eyP zB&MT5mlo4|J_N0DAon*$e}n5e@&-Ya*(`?mDKLi2R3$`jDl{fZUIcQ9qWBF2*0@-& zKoWOLO+`gP5Me8ZB-<EC5Y1A$*aR^_6ojPoNKz8-kXwOBU!k!`lUrachZq(Ujw&uR z7aJi4MWKufAuD4ogD54$nOrhH!XgN*iQ+~Oz2g#uA~FKRW=#u`CenuF8A&8@X*LKk z<(nX4oNMYXpGb6o5R(;hwM!sX#AOy`;f*MKZb5lzNvRb=QCv9A=}lsvQaPOk(Ue$= zb69!Y!sQe)F(xqy<SC*giH??+0CO>a5?hp{nt&fp(n*+#i(Hv<i%>i!<V!S%@D>-j zf=rf_wo|T8Cch^2=^8U+nhWy_L1W}XDd)*j6s3pCNvw-#CDs}1_#sQkcoA}O#0V6< zth^M$eP)u$BDptt5uD`%{?3X*@`ST|OtF?YrKnMDkeMT2)Oe5v!mCEeI79X<Ph-^N zSQnBk8pI?e8ATCsUJ%bJ2Yn&3jV1({N|TYvPLm6op_vMum6DkviCt1bm~<n_=n{IU zNeC+=V~d4KRtml$mSV*uvD_TfLaQk2nnUalGC&rzf@E$XG*2mz5G+*_;)z}Y7s_JN zzs1J##nv)LKMzI~>snqTl$@+xF}ZoSD)S70G^BRmWXUmR$kn2{tT|{;kp4p$iP%=~ z14%8zNphnU&7ST=31beEQf1-j9kQ8)X0%p{E7DGkN4YsUqFdcicoHfsC*gKZA<Y;_ z!a#;rq9CN-okWCWV!4J>nxwFSUIEy|DRIM|dQ7hb#g?ZiRtihcl{#UAva^bE3+~Jk zlOGa}B(Xy$+V0t#A@>Q1yR6XQ&|p22LoUr9LwuHu?(GIjpG#>nw=~I7WJGG;S;^C; zW*TN^W=)ur$pnDN%_Z$dDG0)!`{|f;3GI(UoJGhpK>uVs-%^$Q{NYYpL!02Y$-|En z{l*~poA7&6^ji<NU;WGWQfC{u3>K;WxuxTFpy%fEt6re)C``{t$=DF%_qN5mYwG=> zhG(-k)EX$8<mh=>OH0ca&(qH{&r46vA+hUuOAAYMq4VTon89UvIV|sCFbU{Kw3?Kh znFbv^;e{U*LNN8RfyJzS3y?Ue2EBp{NiH^!=~|+kOs*_gtIf^F7=@c=_<Qp7%)r^n z81-?%i@O^X>IDJ!)yTr7vT)7rZY<myH@9>aZmqi;3%AbAjftoU>)}R~5X^ANWZ`gs zfv_2~li+eLJ&*e0c(C_CbA>2WPrSs+%H5YOTb7rD;t5A5N#QNIfvHIhA1JemX^`7o zmd^>fTP6<&MOG$v7hH~TnLHe>1rq8BN0xCQdQCy7o(z3Cax-yc4&!}2y>q&=xm86f zbgx`)Iy?%i;U=peJ-Lw{-Zfx!F)mG;1n8~`^=KHuVp(wuj?j!#i{Knl>>r7AB3N*_ zxjZ*eOH(SL6K-0pF+?|p1G#(t=uCp#4v4n&{_PKR-!eb{BKwesfBBE@{_^;L_z8RI z0D1hwviPwMg?bu*{N+CcVYs{q`YGTc!6v*v2iOc~E`u&TY)ChY(<YKo4lb+A6VfYF zOA0Mna(7N+DUSz0TWS-tZ=(48_W*R|_QCB4>O%V2;RanxAx#!;I`j@(;C5CP&H}eG zxFyQMt$`b~N`+Iha4*BH0B-)WaG%1h8g4!P{;P}mUtP@qq%P)dUXx6gDW!SVBGY72 z^f95={EXcAqRzP(OcLJomaQ2P>RAevj#)L9jhJefp$AMZ$xu|n<eog>n3^X%qnL<R zE3P$#uU%<p78aY5%o7WXO!Oq&Y?waPkcL%d9#m?C1>WhEGfE1f)MCm?G8<@hV9Lv2 zDj~ucWmbA+Qu)HHbf)u=0i}{m0n!QSmC4c~G%J%7xNsbvUYS`ydQ=%q)dctnAA6-& zW{}!jR#M&~%;8c?pt%7F&<_wFY6e*uCd)LY*Cwp@K|WbbGis)>$ZE<Gb2?7>^DtS- zSeH6875)7wp6HL%lCV4i9V(Eo=r{$DN^^xz#2jZC%S#LxUAz^*pdvRbMbs&SHVJuQ z`bu>oVa-dn3Sm==X^oM^EnbJh3Rf-}rlR~*TCF~bd{UsDk~O0Yql!t`BIY|S7i-CK zniIc))Y3{z7G_O^nq3CX|FSH&)>l>sDJH4`?8HT4en{n$D#vh})mW5S$~NZ2`pI?S zfHk}cN_wC>Q9&q>rI=)<)RIc_h-$(}vFy{WShp6NM17AtT`7r#6tfUslVeP%3rCz3 zno$BpE@%kmxMELA&YDq@iPigJ;ee~2naWRq8#jSZau)-sn@yFNrsbKXI^V^3fg%6{ zE3G)k5pQADZ_1i#S}Hsw(HImbg(%z*#p;rZU6=!<NU=mGJa}gcQ=?7I180Dv&B7}( z3Q@XGQ8}T9%J2|Abm1-%B21(kV^A@V$0S^)Vty!G?^ZsBaS!F&ET%jWTOvl3Zljb2 zW4EitT+*@r0z3A=ppirkw7INQGgON#to6MtE6Yu#g_x&~5Yw3k(XjlY(xn{XELS~I zS0TJ0;)1qdDx=+lDQu?&R6T|GoYB#EiDqo=Ke~Gf#cIoTr3?;8fih`^%SGOFCGrdL zl-2~=hsv66qJ|*Mk;Ne8xmhOT;_0S*U^9()0!(Et$g;3b28xAdY;RRU#~bQj!a`a3 zIk)3x3z-`=Hi_PgT)CjJOt9u-%S900f@_AT(495W2rcm^Kmo=N#2mtpE_x)Rm$R5K z_luTlVmi7#Y>AB)X`aD$#yG_b-Et!ymD<(IBJGj9ll+44oama&v<DxSa7f|`yy5WW zB;$S49j?@;7v>fulZIEhX+mi!`t`>Vmi0ww&(u@|;Zezjm1w7oK0LKgsEnp!bWLCl z;d-ew&=020jqNT8da2A}f0M-e*GWh@*;r=A*d}(8SZhkSv&3IT2v8(zYAJGH8;G~d za5wR8TKJ=cA!>%>JkpKhSf3$soY55@9LIYc9pZEPu<n%&Vp6~7rNj_39UXp}$+!gN zTO;KKX61R^AmzooHI^CH4#;OJ+q}c@=<Kl-QfdaMg@b>BL~2oCdCh+zQWMO<Xf(A4 z9%eeyS*2p@vbsu?YR)XTnuPl#9Fs{=Fo<Z+`oVP8>)Pa_gUEw_6>}8_K0z(wg|XLE z!4VVsNp5UZ6R}0!eB_=8txs`?6C9Kpo3dn~Mwq`aN}>{*6L|J=)O4htyo*Bet|JRo z#JFxFQslj?RKq7_p(r+W7R0xL@UT>R3=w8wlZ;<owM$Z(sB_keQM+t+5Vz#?7*^th zvPxX2P@;?A^Pf?qEo;fkvQVE|Sdw4r>|6Nd1Cs@8d7Ckv5yG%KVjX1`)6_PV>!E^M zTnrWWnaR^<K&5MnAw;j`sje2#Kb2scTDX^<%5usV3qyr`*0P2{51Fw9rcGH{#$3!S z3QKdc^0Bij49A`o_w?p?6_$#bWG%@rgPyJ>AFKI=*vBqeA_$QJFfPPp1m(p-l<PUm zBqWh8azR#pVG%sDXrebvKtd(?g$r?IL>6|P%S)GLL7f|^pj?y+Hr{DEB6=bHLTqp| zb$TJ(Ed++<3M>gNMp7je;sxBVun+?$@)3QgBuw=`kSK<Ibm$(tMY<Napw#F_k&tkW z^p=Ia*xbd40!QIWxbmk(*xxKK#!fkARK~Kxpki|n_HlxcLJ&xcQ8K6~Bq$_Eq`XIn z0+X@qLjI`w!cutvkN7e=Tp(0ApG?U^Jn1u|g!4(Bvwz1F97VxiwGTSw^Lh{NKD!rc zeKI8)h!cK%pTRrTEWVVMPvjfg>9iM#n++x^Z?T%nE7LLh(>w#a)ydeErp$-SQs*;v zOqnrXNGUW^g>olx5kYOyj1>ZH0dV%npvF6yu1i>k+*3^0fybp7Qm*^hnu9K8u$HBw zDa{fr<ifiUzUr9;%{XdNxup3#iJs^>lb#mr{|nsc($T*R+nyrr!AN^AnB0vCG-K5; zj;ptizoAc1P@g{h&I-v#as(aF-kq-FG`Im^9CrKJbqR4aQ5Ivn>-sw*IMc?I%F_{P z(_IRvW~a|M9BWt#aAl42o(7LR&=>MM4x}jj4UN}i#br3+o28VlUBRk}#U7_|mZlI) zNO?-J$6q8v*_{ni6n2q-k<IsA2?H(3pAiT*UJyF2eA(R#QV<|usu+h8jT~{qOBND) z=-AnnLejIFCup|sD(q|DDyX5!Dfs6@H}p#Ayp#%RCEjaupjQk3^`ifng<k4T=&mQ0 z3F>P2AHx2)2I1Qgp5D`QJ@&}q))^$IJGFv3J5*3h_dH1WNCg5<5GjqgtitKV*vY-R z&dXDj2eM+nvT^)59eGM_a+`GdH4%bZ9Vw_c4(Ir4;iiRKHr$SiZe!q<4!6y48$mR} zuLWlSWpKj)rOp)H<Y`OK;`Kjbv*@{Eq<dAwK*XZp9&1iv9;%X^jk{`!PMTa?Cf2gq z<<BoFkx18be#ED=^)H2T@~XV`oxiEj2#z6@?%{Bz;B2c@?z7;FP9x`=)!+*y=$Kw0 zsPBZ|WV~;Jzq*+7Ns$ryRf7;dm;0|bp-%9wG4b~n@X<KDH)Dc8@i!uV{SfG7BYoo2 zb@2B?`s?w%2zsx=yBhDfnv?P2YD%B#v55PRgTDsviG@79H1P2lym#WA`1};|*CW67 zh1`D-;_KmGEry?mc94ko7L<p=PewaQ!@FiNf3L@TCf?J<_d!U%8Rf0Udo{wRAia6; z&(7iDQ;=Q(g-7`b|2)L6z<V>^DSaUidhd8|7vIZJ{xx{tJd%g+M0g4&|6NW$WTs(F zszzrIWcKXdoOiiML8bOe_lHPso_&gP1j;c~P&1_oIfCLd+PZWPjFg0wEO<=1J;cRj z7*$JMoX+l-DK>YD36h~7!XV7(xrOMB_vR8#|9z<6BD||b|Dm8K^>bzLCwgn~?ujb+ z-Fdf+lpW}1k@v&soV%eSzf(nuhpDSP8l$V^hjxe>@aX7(4Dlo3MB}XVJBmI>FTS+Q z>A8QC!g|`B*|P8{jLU@ev(V?wmbr_O4ugK4@#XLBpxcipq1!&adt7-q`Lnzn^(e;( z(X(ZE_cS!)x!XFllSqI(om1b-&V{6M3=_~kd7PoLz#6n8dfnrZh7_cF5HCmB!0tFm zVLa_O(XRDZyW`{;MvpL)FA|30P#-77r7?(}<#dw#)M!)mOlRL?#J1m}MwtPcD{wb8 z^6M1CNO5|yHDZ1=2GUqYdD1u+DdwGrbo?)ZcM8Icxkwld!o*%A4B<y(0NF(due?Zj z3&Nbegfh}NL21&D%Eq7E=~{p=8qs4t#&RjlW!s6o9ciQ8(>Opp8sqME*=e6A!ZxJs zhYO4I(f%lioL@GfU16)8{mPPlL;hmBDoa2biQUs#-^2JLX3H$K*gs^)caJL%Cx327 z{SLhd56Hv+_xV3b0dIlsCmI9M24ccQ*wpXNh7C*hQ!xGCvL4)tZ|i$-_k#QS9^CO! z7MwwO{uBba@9}g-t04EoaPMsJ62{5=Bk#ibyKHhoau5a|Spe}dHUR=#(ye200l14S z0P=_YzPz{qCS4vN6ZDG<z=bdY3Gw~<#Nw_+Q*jP1jbnEo#RXW)OQOvX`Ybk@gNh4t z%S+9r`IaDTw?!Mx#lcHL0&w4JNnt)t0cP^sPkC-gN~4Lzxe=W<=9gY#YPtXx4>2Ll zXf4N8hvGY2oFaqi<%LTyC0S@PJ3Zyz2DZ<IBa}2OfQ$HrnsEU}b85*F$hMXTXsm@v zxpYt)7XS%cvngP_Gnv@&=g%Z|yc<ff<DF$=(PO1c-3p87TFr|R&n-BSQA8pZt05*; zivqata$Z3>Ekl!<7Z-55DO4L0q7RD*3JKGP2kCXWVL`^Qd{dBC8;MD%NtdU~*DjZr ztXm4Yun=8jPLweyEH4Tv<mcoCMVdnMf{dYhy*4y7EI&$Tyl@J7V`zS8q)8VPrpt*6 z((CmhK{>{#+@QShs64$<Zwxo-A}^dmNPc)kcy2^^P^8ur5~L5+MFmBL<>UlK>hiSt z;d$CTW5h*Lh%{;QBa9)TK{@$3I+Vf`8H6&01?eO6^TM>okT7GEtQ4{1J*gWz-mM~d zRmuWgydqgEaPcknL-R_Pnz5@$(y1;EjfIZJ!gTECBrPSuQ;|Q!YsbX)73^$Z!N6*K z#+20YsOIqTv)t1RhzIMLV#m9sD6!A@o)GAv+_=P*1WQYDr4|+|xmc3K9>B$ZQlF5@ zE~W%~(-wVP0J74B2C)69xPU2A-w-UK8=TCx<b#rNGh}&bkvV{Rgr0xmtr>9v;lWz^ z3xL=ulcgvvPb$ZH%YrjcY?j9b+z1~gC5wZIOp;VblrXSNxIRR$&&|yb$;%JW6hS`N zYFx;JON~2re9z@`xid<DQm)dYFMZjYRxC4x3?U1qL70xGRAHJh74NAqC*qlYZz;b! zN3)q;xQ*Zk?+2WA0`ui}-O<<}{|!Pvu0VPgp&a+!;_MWu6=KnELdqpVz5q2Ip%al5 zg4X$`7jp1S7+nSTWP~Xe$^;|AR{|R&-uMn~I^Hcp0sKn@4e}^OdKO_RLX;zf204`q zR`}(?#e!TZ9Q_h8OIJAYNI_V$kjwBZa|`F5KH)*>VoiXN)fImx+{%%HD}9|1EJOgP z4B<jwgr&0LURH!F0WL+dQn=@lBBbGuep<y{h?j;q3t0@xy$t0gDlSBsEeO-yO@l8s zXoOHk$q*rkJ%s=Vjo_ZorO_%F@h+T)79l18$7#ULgt7&Lj#OJ0iW!2fxhR|haqP6v z9-&;Og6mQ*As&@VN`dNp3gQNX7B>l3fL_x?`VglPoh4qQH_kO#z>~O--l$H9FHQIh zX4K6i(&M=o(n^O<DR{?<GFfCbCb-d(!fP2nxQF-T3OP@tAdUjuO?)b0=xPmg*C-}N zLMD8P=gq*^oqus13<c=+^A&h5L9ih(@ZaD6H40#&e+Xqx)xN8}A>_%B=R;aUz7FXV zIz05o&{skag?<rwI@C+oM|XwpI^B)BFx_h18r>thjk@P_FX;~Hj_AJ8U8x_T55y!V zUZ1Kj(67-yqJK)iP5)QDCd?YPBJAO?C&T_0_I;QmY)SaT;bS9o5fdU-N8BIraKv*F zBO*sdj*X0sd@}OI$k!rUBL5osV`N~|*r<1-4@IAhZis1)c{k?6m}4;~V^p!jV#8zO zVvVu&areaC8~;@Nx%hqwBNN6Z%t%;~aCgGv2~Q`yknm<gYr@`y6A9=Xa9Ri*QSE)& zm$a{ITeQ2h?`scg|Em33+o3(F?b4pp-X2mNQXjHCWPgZP=z!39p~ld{&}E^=Lr;b3 zb@O#Ox<$I}x?Q?`C}SUexIRXotbZnKbJ)(Xy<s1O^$i~oJ}i7;cu}||{H5@>!oLVV z9{#WJ{t;0TH%Htaac9Jn5idl%AMt6#R}tqT#zw|P+9Eeaei><x>>o8e>bj`-sI;ic zC|lIJsB=-hqOXtEMn^;^N2f)XL{~)rA^M@{jnS`1?}^sNoQSz1c6jXdvD0H8iG3pW z+1QU`zlr@mc17G>aSz9BjN2UdZrq``_PC7r+40%&tKy%Je=+`z_}&Qv6UHZmB_t(G zPnexxOjw#wl~9}TWWp;6I}-ktaGC~P3^4m(`Dky{hHDeG2ecn)Ki3Woxh_N>QWdf? zq#@+tkQYIfe}?=L5)~RBIx)09^besMLt}MGx-{KF-R-&;L6gDyQTn6$4!uuUpRfU8 zH-}9Rn;W(%tSkJNaG!{pi2EWQL-{|B_$K12NKNFJ$i<Omkrk0!QNw#8{iCjk8WyFG zN{PB9>XoRkqpn41^J9u*EHSUgc*Uw>2gi<$Esw2@JsjIVZbIBmaf{+g<Cexf6!(v~ zf5lx9KP)~vzCQlm_=n;jkKYoHL7B<FFAI4tWKW1A#3yt}Xk6&Cp>Kx%HIz6uLsy{N zqT8X{t83RC(_N(>hg!_n*X#eFZ`JS7f3H8I4-HERYYF=>>`2%*VSeG)hK~*p4v!3< z5?&r&32t2<zA1cEL~uk!M14dX>hs3PTO;!${}g#HvR739sDP-jsF<jXs0!5OA5fBx zs54Ok(Q~64q8~sVZjIg-eIj~T%=IxLF;Ou|F*n6j#n@uj#n@wp$KD#7ixQ5F)5Rsm z&5bk1HO74%_g&o2aRcJD@z(g&@sGwo9sfgoY{JZhoP<RQWeLwEY)$wm;S7XYv9|`k z_R?OdovD3Z`?7Yc_FHYQ5M4-gNP0*~$oh~Wp(&xMp+%vMp+;SyZkgCpU)P<~b?JW5 zP16_Z&H74EpjrQf{u%uieT)7>v{bvkQ|}elJ8Wo}CM*=Q#>rvnVL4%iVHIK3VfThT zh??CTwj=C7*hgWXhW#V#MA+%Db76zf0>+2y!&Aaj!)Kx$EDK)~{%H79;m?Qf48J3y zEb^VGQ&9t=uZ<4*|BAa7u$c0{KT}hpBubJZNrmKGXU=s_R8&F~LMVl@Nfcd#N)mEQ z2vN3>Bq4+lLI|N<p@<E+Zft02dB116$X@>c|NFe}`@Ejrr)Q=!GiScP@Aq>%ml%PW z4!s@Eq%miimrPF<VM*49O=S15dF&<jI{SqEz<!3cx8#DkFz!6}fRpgOd21fw1%4<$ zjSt|1_yznjK9R>^_3f0ymF`L}r7!gRU8Pdk4waF3gFb`0SR(@w5(z^VA<K|GNDkEJ zHuSb8s*PHrgVAxQ7djjIdkwl7y@^&pzqH5tVuLVO%pIGLO~j`{w-my}f5h7nhQuI( zA_QUrv4Yq_loGdz20}_&kxFs|)MY*yMQ$cflGjL6IU^5|N69zK_sEaRZ^$d;59Pnh zHC0I9r6^KdRy<RDRA^GhFb7r?4p=vynn^97Hc)9)F?E%?P1R8n+7V{Kn_dQ8luqZ+ z$LKTkd%6c>0m$IV_%mTlBcl#o#IVDlZnM}hb_1Kn=CkcNU9KCTBFouB<u-6BTsrrf z`^fd-2l1Y~KTOSTK9@hiKjdHX?|Cz&jdHPavvQyEm{LnH5S)Y=LV|Eu_$XpRFz9fo zpE}YBF+_R-GN8yXWD+tH*@$dI@{prQ333m4g{Y(LQB$-JYK;o$P;?%eh$f-iVfH=) zhH7EDSa-}Ev%+jJ5@Rp{bHYYoW55XifQ4Y2u{7);R)C$t&S6)8Q{Dj1YT_MnQyjyG z;S=$d_yL&IoA?KqQddQTqER8CWRw=AL+L@?PEnrpbimBj^iIHx%XAeT0sXX@*}-Hm zSxg>tp1H}~VV*H{jD*!^tyvbTw3ba_ceDH162MV)t|Rb=8|TTzb6dIH+<wlSCt&u5 z0lGZpKk!l|)F4_SF@ql?(OKv^bSv5!Gs1ddrLcNZs;lsuAX(S+dkU2jQS$Zjv+@!^ zxXys><LD#?UYHKYcHoC5mPh831!N)MN-<eNmcrbWlNEq4)npA>3)53a){_n7MDYrr zJW;VpB*n-BBoiyfmO>r8Nk7t`3?zfeP?*2p$Ow6~+(2QZFj1H(EEIl<d5Q|fV+F(9 zWvZEpY!INP7H7x>aZ9;0K12K-MJkAwj6o(KiO6|03g1TL5+{g@FzFA77sLl*FwFND zawxro?kKK(SyTRI54}o3f7($FloRDjc~gFrKNSeb9SYbTMMYC_R05Sqt)r5u6e^WU zr!s-na;Q8ipDLgV0o#iK-Ak!5s+_8zDyeF!1{m)Z^mjegKs7>_%V;fHht{JFXd~K$ zHlr<QYubiJfD0&^qwRnZoPZhKXb*ZZeV9H$mopViC49>orWTO2j;Ut`a?bo3eyMV$ z_&uwezNa<x8-fuSg>jf2pq~?_4r(O|sum|tkSEI50WPJ;Q{^I2h{stri+?~Jl(cx9 zYJspwh!-{ryM<$*8(s*X#d^TqgWX^jdLq_{4czIRKq!O*o^(LwArZ(H<OJxXH=rOI z!Gy?AEmQ}P#R>IAmqFJgqbX=Apztg76KVyQR1U#BFkdVNTZiq#%CJhT8mqx-u~(QC z=%_G!8GaqV3%t}1w39zEhgd}HAo7UoL^bh+&?9ZhspM)hg-j*W$xJ}t9Khh0WN-NZ zIWG5;hXdxce8X4rPx20mVT!SeWW{O4eZ>ofjOqe7Go9K)9f7)=(EVryJ%nCPZ=}mX zbM#>PGY-rcn4euRGw&H1aAhRBncc-!v7Z1{`f!fia&9AchkL@=@-#mRI4YIT=5O*9 zz{2l%nbHz?icnHYP8p{>th}Xssr;<e7Epl#RGB4&3gMtSN`-q+QK+YxRALSFv;t(F ziOfd|kt={DhNvSt9SuX*qZ#Na^a|Pz>k1ld7U+!Y*h@@`_rMW+20j~KgzvzQ;+OCW zsM9Chl&}U4N1$F5!4Y<Z0}%sUmO>nW?ye>30izoU2`M98L5-x6+2mRB5lozhysNyg zoRp83dqd^?LA3<~Uxmw$$P4AS<iE;w6#W!-3OAUnC`Gg)4!Ay1u?}jPqPVO0pirYs zD3%I?-akfNpxV>j=$^DMJ&#VJ@6!#moEgU~WKx))nGZ}Tw~!-vist}X9C#<tEWhwC z_-@LcP$xU3gVIUqs&rF&fL`+g#pb8<hw3FL9R*jY(^~<|y9$HLk^4w3bWj~yk2au< zs0n6<SzzC~+!N~Ljrn2z!1Bwn$JjgkcRUWNkO-Wf47Erl(uqtWi^zdq$_Iuo1df-I zTI3!wm-Lm-0!5P}&y(lN3*g&V%B$ry@>=;Td7Zpo-XL#6nfWm7qE1a@)-lQO-BOu! z&@;uLNlTeBQ0C%PDp)1^k^REb{1?81l2tk?30QqjuoE1h2V4a=!K1kkqCtNq2w9+E z@`QY$05p1$P%M-{f0PO3LItSxI-y=@5E{i^v4ci||0IYE(L!{PX-ELl0qu-lLa(FC zu{BsZ-gfPs2v@?52qr>_a3YF`Ccagn<$D){%Bv+_fx7wD8(N@jwt%wpRCp=80Z;uE zfr?;7C}_OzSO1CPm0~5ep7NkQX)j=BKiZ!Tq!a0NbTXX++C81lq%{~FCYw3Pc(Z=2 zKO4vfgNjWC-brQC*-SQz&0%GnHg}u5$2D+`plW2i7O%sb@fN_%i-DJ)^4ic1Q<bZg z$;xWs8R$Eygo5uMfkY!Fz_VAdo0tPW9G4MVgbo3xvJgh#wamb6{do?WYT?mZhws;4 ztV1bLMwF{6p+_2k(lY_AX9w!n38ux3^iZ))6zIJ;GJ#A4tob_*Ya}IdnOsY*BiED9 z2LvJ%l!AlVaZorZTw#Jd6h{<=ia)bOJ@tyN12xz{H_{SD#%Mv+9Kr8IGjU7;lgPYd zerKXV4<~Sm+&V59bWAEJnM^K=`@(7P&U^}>PdYfB3}rU>8$H27uoi3tL?EEYJcVCG zl<}6TuFbV*#q8UN4T^xHp->LBL!-&%%?O%L_L5u5oA%XH(TldET^TpV19X->=fYKT z)m#l%%e~_2I8Xj0e~xdb)NMw(zfN$JGFmxHm@6z6HVco0TH(DQ36_d*C(%VRkZdHe z4I>nx#o$m%(K56glxHQ(wFHxaX41j*z_FabF5_kRzg}5S;t0(0W#Tb`k`(DkP9d*= z6Sa_A%WdQc=x|EzDfjvg;hK0a7dYS?b)PZ^7Le1U=rZ7d3c8Z6rfcY0T3ib~#(*(m zOc*mJ2G-*kbDFsdoI8{q!A@jDSW9jocYr&}J?5tH)A?jRjjsi-(o<=rB$XqTEo<Q= zcnf}lzYqv+r3wF2g>)gadG4Dgy;6`wOC^3#A91$z5CavfIw7uz8{&a@B3_6$;)nPn zfk-ftilif%NEWa~5mF55v;I5A)k6)?mB6*T&_YyHX*Sq0ED_s+<zY_vD10uSfG2@F z{qy8okk+IPiI4=;k8AFI|5l|H^&QhTb-z+R8<3$%g&I&szyxNL1^8JT3ZV$9MJ?@v z^x_O?p5CBmNO~k)LYKCwa!bcIRe2SY1U{&Mk+NEBSJw7BtSDv6*mAaltz@g&8g?|O z)o9>hL*BHNQ9}7}K8la#<M;&CO!NXKPEn>QtCV)aFkz*zUc}IKkcvZ%tx#L^XS5pq z4Sf7)%oDqaUBfCsb*JL#kltiLev^migXS*8i|}H+1bj~!`1%S+bgJ<hycU0jx1f#4 zvn}}INq7<7gdgaYKo#eF!<h=A5|qoItKPQeC&5FCN-SNT*@lG%D6lqKzp2WpR0dSE z31hRq>(?eE8O%5_AxvZ|AIYGaI;<Wz?4@ijdxULa;Xpo^Z(FlOejPCKTiy>m_Bz1a z6j4W}H(_pXzz%n0A|mqdE2K`<aTefonsCGe^+csGuQ)iH7WPfSQn7SUEK*zxx5FK9 zC&)*N@vFec!OfiXtvZE-1v%h5Pe9AJLmi$2^BT0OduxS_0#US}s>n}6C}(OMHHSI~ z8v6qEfC{A-(q4==;|IPlkO}^dp|hBr){2O_xucjja2bGQ_22Q29&f-K@g^!BvgU0d zeOS-$;E#a|(o%L++CuuUOWB}oR7wPype5)uW9>I~Z<=yRo>am?pJkxg=rO>xF5vzw z!Sxk^k14@QLGPABzcpZum;{$Wg>-N|n9OkKy?yv`{1)CH4op=+zXXAs{*mkn3T-Ul z*Lu+ECE%m0<R9euiUMGhBH-aVMg4c4u<iV{_>`1pPg3@e{==r(YczQbPdbiH_!FNS zGu8|V%#_6(U<#S8tO?tXwS$R#$VxdQ@YR3rrDQ&zFW?LLBEFa};Y;~4NaQN`2ELJ( zC}mJh9q`;OO1XtUZm2w36Ans{cCAR413o(+DQHE!Qb^{?kqX2fbwS6Y!H~%vM=zoe z(YE?87@S2i*3ySrSRY7e6}TIogm1xjLw?y-C48G(u{$3DI(7yXkVPJ7^`}}YUN?{% z$xT#@asU#Ie$bC|6t^M!G6m$z1@}FfnF*5@2Y&kj<I1|TQ`kt>jI-dZIU5e)2#(@7 z&W>~7oH$o-+#Y~pUYs}Q$N6)CkW#d8dofqSm2zcVIpln8SyzYGgN{VNor^l!i}&XJ zAj$ZCj<fh2NI#n@&nfMdMuLf8)<zXjpfwK*lCmZ}9fu@<4_=2PBPps{i@M6LRaJWc zGJ3U6bTAf*orUhL$3A0jxCicudjXdu;_D#u?hM+?i5Nw+RLKsKFDJRH+)eJ$%Dh*> zPdK*fNh$bU0un;e%eHXBH#R^Rf_Vha)`0E7I<QWxE9(aM70t%63G5?C30o?f$?XIE z=*D|MrsD;;FJf4-N)u_qv`$n8D?^pxN>Pi%Deo&EE9;c?%5ccU&w|F5R5$4&GsFrB zK_UU!9wP<7nW6$|01aY<nW%j8E$ltE91<8?B8Zr;au9b36299;@CuFcLG&2<0d38! zVYaE}qBlDL5<G!*hSi_U&Sd982P|a|vr=VeWq+lMG7OU0Gs?@#Ps(wi{ZEUzWt~)_ z1;=Z9L$2h4%tAIpUq3{iBgW_gG!uP*8beAHh|R;ovBg*%WS8r(O@OUGVp&)&mJjNv z2-vF>y9Idi037rStPcACxS|HAqKg~g#<&@7iQ7PuMBz%nVHcQyaj<gJAkPcJLm>r? z#^YfXlkgO9lbLunFyB$&y>q~N*Maly0pmRdzIz85=@-!29YARtg3dMvm2C@NlL4nW z6uib5!jqT++&2q6#{y8=vA}?9z;kT{$F&>$R%enYUC19GxmiK3f#V)k<P%aCrpX-C znJc6ayX9BpzsMQINJWTZxnis08f1fgDO-w$%*7jW<v?m4BrS`nWstILpte#wAzwKF zuJa6a339?p>JjyfdP{w#wCNsjjD(<P(zEFhNX3>wa+pYOptnLgmPH?+kJ6{<i}ZE+ zF05J&{RVWmHfTHr!^2SqXJ!;LmhobInOV$SINq=Xa<ny&SMOl<GPz7XXun$KBhw2~ z>tXCTb}D$9IQBH8v=yL8>L90WgtW<)8^Vp{IzYB~o&U;{$|=g((0z%@R5%84UU^UX ztMUV|hpu2GED)9o*}@^=s_;a3Eou`<)BSNYfNM1&lSLo{Sc;xUFGJd93_1>jqYcBc zDcD@_diNnM(SU@|7`Mjl@sapr{3WE=gCN0oAtH&T;CHtY8N^X=w->?N+#)I<-Kv3n zs}2&bMo6=@NL}zb#^7=+LG@vv`IO*xT)^v$BfY=_`jbK6c_P8_#Dm|-gtP#55AMst z!H;O@x&ln(%|=cJj!mzbFGaQ_RBFtLcjevqP$61K6jDIv!i&t{Z>a+x{#nU}BH>6B z__;shkf?6|3G*wFYNQ6KRq2pCG#?dbw#7l1;TBL48^}ip=y$GFd9>h_H@@y4bAT2f z_|3&Np}m>Bt&ia3cC8Lc)F6KU=#f(tsfu((rXmZD<>e`=|67S)i%)3E2NH#KLNZjc zt!sdqB5IOAsOh(A{M82-p(dyq`t95M!PE!h!7%sXcoa;2Tr+}~G&|smztyQS=$C)0 z#b0sWzcoXOYm*kWtwoD=DOQvyN)=^_a!73}71fFwMXjR#FL~%cC!uY#hhRDsjx|Nm z(R3r^+%1~dfHeZ0V#ZoP?rj6dRtT12IZ!PvoZ`WHvVV2fIb0r>&lPZmToEU7G1S^l zO_hm?Nr{Bi1Bc^ExvBDB_?@?!BoWp@<c%7%7SgGD6@N52SOZAPO(3J9R0(V<pmtuX z0<3J#JnMi{MJ?E(1jP))MwR3><#?`;<ajiDi$GPT)0F5Ws#2{~Ri@RHXo-1Nar0U> zIgX}$r%{#s>5zIb^(HX&7R_FdQ#n0XRmR~(dPBM%sLIx(R9QzNDf(y8k>sdSu|jzf z9KR}+m&wZ^9Sepua2+U6arIs)bl_No0aV2ksuBuFouE>j`H+2=s}gT5NVi3e=>cg` z6llwJtw~XF8%J2v?7D5>=#B><v9~G*$pY*xg=Eb{wT20BbZi|YNO^2M+ra8HD=Se& z!CL$;|4T83H-vlCA+g4Zn(h0?JH>zOC~c>f9&5Y^o{CVDO3_Y8N6q%$@lMj|>M}K{ zh6M4_>@Yx6DwD=4)TFZXk>KFFwRxr!(q3IENtgYo7A*n7|NgZyvx&wrPWxr!<HlXo zoJV9>ouiY_Uo;Q+`4_tDDDHA6`^@xMgLEWT{SEv-K3!c+s-~v5c*D!jQ5Q!}crkoy zSh;2+E52v*o=P=fe_~dl+DLm%^|3NdeYJ^$(XNQT_&`fvXFQyJ3%B<)v-b&}jv63c z#HZWoYdg%JH_ZpG9*6s`s=ggO+d*H`!`~+?bUJE^^bj}G);DN+!pt82@-^If6t0wq zQ%})eh^hE%b$!F;UyC;^f-8t-2g7NNX7+=Tp4~d47>Z#i96f-46T5YUa}_Zh!EiXV zN>4<lwAtCQ?kykJLEpeV0!|o)Gy2Tz=gfo4Qky;wL2R2o&Z_m-;s=_+oer8l(H(9_ zDc-XPJ{oR5It)W%rRHr51Pi7fEA0deEbX8cE0szP<{WnR7{1x0ONWZS5$nyz_n%W) zU|DP*^250^wr&$Y8=PCP#$MXjK7Z$9$NJi13(tp^n%~J!mZ*Ik@%l{uF$aquu1$4h zZ#rDJ?-J52c2z+BfU8@2=FID1Ibv?FgJ{*~(LQSKyR+Xr+h~M4?i#e>`m-(1z9c># zFYp(WDqR{D;x!Q+KG)4p7@Yd`g8Jw!*>?idHUuo6-f!u$bKVBUC6`%)dqpvIy*h?I zNHX7d<>TkjD66L*U3x6pbAHFb+?6kOKh3r>T;%gHWp3xf$8I}^KbidLiS8bowCw3- zw<|W)mPG9u>E!UW`(uZ8N!oY(<Dw_e3ioro<~?+=$65WT3lVQGpPj1)-6_q8`GmxL zR4t{cuFOzoFm>zuAg|KW(5>ZFi+&aEzjBSXtwJzOEogKNjdoJ0%o4Fc%v&DAnRbTF zr>M^H4GFdlRke<Ia;mDwO!cMGuQDw}6Mm>c9wWdKn)Z@WaK;6Zj-?~<w#_g0ofp{V zwS$^Es%=Br54MGERQ+t)SEhq>XxRgGEksv**G}Rm$zV=25o_^rXIXEgS0?l@+8w4+ z)u?*n8>;$cAchdsK-EmPnIH9-7>RoOZEGWbT`~d5{?-4;r(fEeo*WgcIax7v_n0)p z)h|qv+B*cjpZ(G^3aR})V0E7m?JjeM?aie-H}pTaEzkJ;nwJwcN%mjY8F8o#-L2)- zKeF+0r0ICqtm#J2BkZR2-4t}`l491<-dbx0zo@!9UN8-FUf$nObINXNmU)+q(cPCW zK8nQ3GGO9YHBY?mje4r&%Na6ARxvB3hp}7Rh88FO|9Xa+W*9-K?`9aITV{CLe`|)} zwDG2u81V0A*gaq-+#^ezW8&Y=@sGaRv_rwkK6@OTPwIZ%S?ANieM4T#{rxtbTrLEC zjpy9QcItXvCJgvv@1{+6Py0k@PrB?Hzu-x={c!V*Z_W*{KbuzJpTEX#)SG40@y-|e zyz}#{>x#`8IeuquLZ;fC{ynb^e^llBQ@0h^q`WCxCT4B7cGK<lX48Ei)^W7yjV|M~ zlZG|!%l$BeAC?n5?^)8bsn_(57ccco?tZFo^rPBa=DW&Hs73A!+c0VR`8VA{3kS#d zuheo)OiEloa7UO!FaMvjLc{LsPQq4=TZNyx>s#Wyow;z~1+IPTZAOp!Rj2PB9>0ox zAlnmZe#j!%_EPYL(<7H!YJJu|wRhAOtw(y+^Rlls&2g-BJXFdZ(Gi<pHFj!nQm~=; zsINF0|6*j?MI#|C;{*df6Pb?mZ+Q#@-m`f|Lqi6tW;`s!Hl!J$RfDc*-BvArz_)FE z0(@-$wCSMGkdT4CJ_BcBw!YKnA)L5#y<{YUBWU`d^nq<(Eds*7cr`%5e>&w@8*m$X zF(5<N#h~X;uJ^|Hb`z$^3p+kVdWpNyM`nZ=M*ltfeb2H$B2q~>o4>xl#I<hiG(-`e z5ogtIj?tk9eJj(;lhw21NA^wIYNu{eb^Vu!tG)d-?;XYRXP>FJvGm1joc(5Ze0qMS z?njMGGB9d|;l<~N9v*sLWp;6Hr)wKSE020TIHl-iAO1A_$Te%3Sw{BT;l&C4*6T*! z?A%!8wIFEJ6kW%mgM&Key`Z)pWbU<}3zrN=<VP>e38?=g^{9^FfVWE~wdc1@dTe+_ zKL*YuraETzTWj;^Q2oTc(gR&nZ3a2_xNm;){Fm_L(dXk2#wJXz<MT)FjKBxjE<9do z)?R<^%URtg-KgD#jJH|gEF8bF<nkG%xxcUb)>8qYITuX1B}vui3r#9y^O0DM8i1+N zW|#^$x8Ldh(7HpfPmjFHtX<>V!jv|^)S@;p;p~bUA_h=%kQyBUjpv2JWdLTbp?<dL z0HmMzytcl%yLfTWbTfy5nE|12TlH_s0|+0W0Tc$>53v$AR@WCLK+~Ii+YAJX+2Hwb z?;!CCA(av#L5s*ih9L+EN(4IY+e2jjf3|zgpQ!!sKN0PN^lsWY<8M0`2p0~R;bu*D zSrP@(zY{1Gfqmr$eqIsRd{WfXG&YVdEU}w$W&C(-!}RpAC(lJbJn-eoSZi$NQ{O@7 zew|))_G#Gb5t+MAJ#f`}JnnsftC@vgUjCVTpXfPtfedC-)5*8aWB<($`yT(`aPw}^ zQ$NM$tVwA<c(0zb`}tm*EN*um+;eu$HG}k=D|t_{Zf`w7)-0YGF#EMd#MYHjNZl)@ z-AwCF@87KSr|WlJ-5F`w@rRl(^Y;EQzPRqe#TliI2hTL@cd}kzIp<Kutt%Z<yLPSj z{c_LFva{XJo5knL^S19_=C~q2-Q(`ksxl|L2Pb#_GNPBA#oMClHC=}G&>EEVru%fC zlLqgXE!t~4Eoo4|T1nrq$U7~-HUla(?Jq2^8r#0&*tX!0x_Ybn=B3iV6(A!20OUZU zAy(;q)BD8tZX-ZK#6AiM2~=HM6EY*j*GHu}X0*INVB<tMK4;PL7_iZ(`Q<8LZ2Niy zY28XK-lBOc5fa;OGzd^IG-QzKb3)s|)Qrd-*HS~`X9c9^eo8!Pv{viYPqOb|YNYnB z#+i1Lc6AF_j$9%9?aKz|zH1U!W=-NsQ#RJrOadqFv;w)B)UXA}!@|P8-;Lloa6wtb zpN3XF78ILyuduqzqfe7G-Vb{l8nVmV_}I>r+!N7T-WF^s|J3LC6<>{5Ey;o8(%!WD zPoq=(rA5^r+)sOUPC0cqxAU{KUvKvrQ95%#_>@T-x4C4TbR~v8>K8F|*yRhit#jx1 zIOlun_diaK-g8K8gPr@7$n62Ye<5t^jaLO~50R{RWHl&jS%+t@ms!>ql-$mZ*_@%U zp`P5|?A|wbo#D<NGt0VOIB|K~fyB9w-s~w_<^ArA7t{6e6qDOu^BX+ptDTtLWhwr( zSjTI#@7IH!XT&(zo$pih!DQnct1F?Bc(+-%uW9yPD6LrQym7Fv)_Bb`GhbEe=1k}> z?Qv<#vjOuv`t*?{j=5!9xNx*v(vN9BhKFuky5qNFn<iYz?Od^ATY-ztxmsFoJ>&WA z1^0@-qK^+vUL9bua+2qwRR?Y*7LGwXnXVhODQoD~F!{bMgT`L#cqClCCSk9B>AcyI zB_F~f3S4e1>)F$#!FHJKMEOhGZeQ=uFItrB?~2b~U~hgiS~7n5V*RsqV_n|8Op`sz z8ps^W-LoR<U{<F;-dS$1`)FrcpLto&6{++qJ2IxT;&S7pv6iP-obr7*L^d~a)T(#a zbIyObU%mB{ZE)-md2D?2h1^AIk@eoXS4@#j_YLZ6UAJ(D)YlAf`?$q7I_}W>9;c7% z2*j1jJAY)X@zM=moUA_z>+v;nt=IhbshOUakyy<hfc5IlI3KX5!{CHYKb-MbDrWq= z=V|?)TIT-?NJW(@M=)>|2wd$b;yX&Wd5A={!FO<)qK^mW(9+Qy1-C;3E87Lp6Q5|O z(|(9}!@+r>@LV&3chE6*Q{98k%pI<3Rb81kRQ#I}O{TO3=Ks}3NUYjleW;q~L)E~C z!i;4ePAS=^ne5=HZy0TVd)LxZ?ZjDcmQ+0KetPIptZUEsr&HHEwx^HX88@TgQus8r z0<RIv&Kavc9~qGvpd1}~cH&IUnjMSeD@`XoOv+2A$M3oRZrMQJcZ%^(76oOD{6lNp z?EJ&~A}3t^#qLn|Ut=FJZ+>6V<7HuyL!hb4?UN~y*~`7NOD1MT4X7CKW!#wR!RfU7 z%a_ZKrBzAioz*B|H6nYAe(f;XP~8{lzsBf(#)9p}YhK+8I_2`mQv6<@n?>RMyh^_~ z#(w;9;&Sitq4yWJOG{Z+WxTA5O`>%X6_x4t^VHrQt?b6m?tY}#nAcDCHVz$5F!$`f zdIdHXEleJ{IyhPBhF4skZ+)AtzDsy7JoqK8>-!PL{pvlm&+e?wyx_BBaOYjrk6l*% zgm|Ex*oS+zYmnAE1A4DLY<bmd_E@COwabhPH69-GER(z}OE;&OH=H?m;^#ZDGunAy z{r!6K)E;N8=33S+QhPQk-+H&!poRgXSKq#+?*Fqv`%__?9ggismu)LJpE{g>;@`XC znc}BQcgC)c4*X@N$>}#kU8o-6_jYB=`lf_+jaC0G8uz-p&S>%r`mA=lpiKSZgc_lG zhSMDBS+#)r6(<jbaP=Gd+%oTJ(K}m12i?FH?WpeMUhaIMSC^;vpLvyE#mt?H*RS1O zUr_d;XQkizBN>-pES}xYWCU^={+5vF!(*j8fabP-PjjHm|1Hgld5@{SOjP?~Ak*aH z?<cwh7wsAKRNgpuS&rk9l|F~cMt{d3e@ij5TR01t&Ig(LA2QwF>HmLVIu)hDEt7E| z)=)$)?rtyHAUIonKzhG)tN6bENXB3q#9J+kuM0%_h_CA+GeL}7`S&lBhPa6vnaP~t z1a2)&&6zPekkcWornV}ui#ei@s>%L`^awWKa&)InZrO8Q9HJ^rs;LikBjzj&@4K8) zFVA)F9A>ayXX2MG{mQC~y#k_j(fv%ZCbu2k<@T=6{Uc$BiAQJWV$UgeH#^u}-@jwa zb)8KE@9NK-MvW=3oN(h<_VLBpQ!T$FZEz0uUZHGfh|E5>w`#0QcJ+)t8<JeO1^JxQ ztml)BVy=)WmPr;XM%Rb=49>4Mnd5l5N2eh5`(DyueA9?+F)8<o%p`el(l+KhK3#3k zjaM3l4~d>VKWp`HY}I^^djFB_rmRVx{IbgC?L+-7GZr*vXlK_*oY(T{K4jcjXIac~ zJ}KBBa+aa-(aLh^j<6l`S1x_;T6)J@@AHt~dTd%e7>(7K3iL2Z4dhnLivK70SJV4D zT56NirpKfp-CL8=_Ufokt4@U67BOk_NE_7!2mLM8?TXm6d8C8(L`>3+;a(8mUlH1R zeIhdG+sDXIbD7z1i}AIR(f;Sm6-E=zURq#t_U945`+eLKUKE<(yz@7W+_nS?0i`Tf zO|q%D!>P>&u3YN9Z|Hh*z1Q;mcgnTyF(XaR-?Ci3)Hd|Xo1n+l+hTrv97hoevo`k( zD$em(ekLdO=h#KHBW{*0x};XM?_ucYnor3(`+v~QyVvE9!^b}TVpy&pGbrG0+Sz*v z)elYGbmKC8>NcBQevY5E`_!}3#E)H;+}5*x_`$HlobEN6A4s#Ov0v+l<aafGd8OyE zH8XCUcd0fU-H729iv~YXta$p<!7m!DkIx?0w=%~EWz&9MAL;ew!>2Rm9aqn!^&Pqu z8QnPEe(uZgt+!@ql!PBxYEjiLD0kEw>C)wKHS=Bv9t}A0VEKux%>kYFk1^WxQ{>Zm zI(nVX>TRp}8uh})ahKT^85eHc@$>6r1+KxY?X@oU`_pDT|I)ocVeL3s`(Vrm&Gy4z zX3R=;BfXX%u-m+BoFwj+*WGJ}J$5Op_}5?G+MYUXQB+j5@c84JxHX3pg1jdh?%V!c zv3KmbSvw~zuG_mLWa-uiPhBir5Bo@RzlOyx`hA392YLR){ar>qt=edmNp5jp^N016 zmxiyc`U-JJ9lQ5)T(th#2Tr)AoYW{duKq!A)4tHSRXA}x3eC7btJ+{CDcNVZI@<Df zY|g=-_QwQCmsCy&|8e%NH)pDi$W6;$bunQ(TCMoFE3(FMug&jW9+@JUf2@-12$?ee zN%!Ml<b(6m_CGomv8d+9VckZ}zTmzyR!tkULA!6Aq>08#8-N_@#W9=rf1UZM>HQ^i zY_F*?Kv!MOSVNLN88P~{W9q1O>w|Vu7^Ie?5$!e5P9VY{=fxD_l>;a_5m3AJw=xuh z<|%LIZjTt<h!p--VEgm)EkDSkoR9ux9N>HjkCN=dXR&+K`cVqO;QnC`lUGOX2r*+T z)3i6Fry|xNYZpf7`UmeIt|ulYRFNr1bj-HpC)^lZ=_K4-yu(UAnfqy^BCc#*bmHxx zdvk8=yO^E6>VfXv0fA{(PaPSxY{~VTH--p@oF7e7Xg!|nJ$BPCa~{36o3(jpP)^bO zy$Qm{o$hs?S^J1EbsAd`Z&#yP^6r?;vO-tQ>3iF~Z0NM$TyEbJjsqg=;+KCu(MMjn z%{O+R?)&Z2r0weVzOv}L<kW~8M|2|E<vrQ*F*5yR?&?dL6F#^PvU)fqrq9fbPakjp owtL0&90xD8uyaFt&oCNo=7=8r@JhR~F@OD!A4$Ane&|pC1;i8KivR!s literal 0 HcmV?d00001 diff --git a/venv/Scripts/_hashlib.pyd b/venv/Scripts/_hashlib.pyd new file mode 100644 index 0000000000000000000000000000000000000000..c148fded1428c1f479989da826172b44f19b0c7c GIT binary patch literal 31896 zcmeHw3tW`N*Z%`77ZC*&yqhb6;st#60_-k#VNncp6%a4zy08li0*iYQFg0}5Tvy6W zOU)EhOU=s4$}$th3zin8m8BJx)f!f4c&W(!e`lUuSk&rwec#XL|9Kyqd7e4X%$YN1 z&N*}D%(Ij+V-4fMFbogLZfBSSxRWc9=6{_9xG_xk!EbhF_IEim<bYfHnIT!)A_Ko% zuPfB6O8NP!vND~KpQqvLO=bL|GJeXWOn#|Ot%>N?%{Rn>y1ss{`Jtyh8=dLl&mM1F zj`F%=ybrj$*9R+TnfaiG-reZ^z;W(<YaMrg9QBt`JiNw6+z%Y@M%x`Y?&-My)=2Oi zIPOi$Q;PDnq|ZA?sE{*Ex|=7nx0`6D^Ia3;KBTK#_wLMSK%zLPR|M_>NQtx@K%d<i z#)}p^?#vnhz}#p0xH0ZbA~=Rdq+R=+D>kMxi~>-82E$a6*X0b;*Oxpvt~`d>&>zp$ z4AbbzFm>Y@Cd>Km9{0X!PSPAN6M+)F|JfB`)KnVr^5Id)2z_L%L?~P?KEuq3(5qEO z6~nCPjTebXeUVrsmn#u(BDiYIoUV8=2gwHsG`n7j7)FHNpw9=8jum5O{E!q#E>|MK zr`MF|P?3zC@PINp7k8H{kzvNV6#wt>AK*Z?^@{mQiKy<RybbJQaxC(Onv52U{Itk! zkvCf8=PdH`7WqYsyvZWJWRcq}@^u#Z28(>NMP6%>@36>sS>$^y@_iQhevABoMgG>d zlq4p=BEMph150a-yiHLfzhzlehg+*<(J{rgFuYexR@7u%u`IfUyL=r|okF{?kO{Dx z0_`T`e)gbrR5KrwEUz>2?WQ)=vYT$zWY^hEt#(t3-E>7^8v@ZXAM0zqWnOfQF?J(J z>_Hb3Ni&{#(FO`y*8#GgR9e5CRe!qkh4C-BvI8UE1}O~?9k<BaL?2q^fz}MasX3PH zHKH4q>~)sx4VLW9mh4(f_6|$-E=%@aOZGm?`dqu+ZdpHv=4zU2X<kC}a+(`yUP<$X zB+st4WG}19-an;=Yj0XPr6zl&#k6{gb{aUK!1yOSM?Y|Ro&U16Ag(yEM*h}Rg)Mjl zth8yr#dN?Pv=<|_wwR9vEWcsuvrP<kX(h>EA!`qkP~Q18&#(t&;n8}lMt%THeoJA0 zmC$K_l~8Ust+AU{PPGTE1EL&ji#_NP<sBdR{H@&xLTeWrQL*NpcGCgcJg9|M@j<_f zRx{Q(!fj)h8u?0v{S(6VLxdTO(XVDX>45`UGuo^tl%g}UZF1O(JEs8rpFB0kdet7Z z1GucWmfKBzw0*}i0U*pV3{jnOHffe=4?2K4IrgAq<Yql@586N;FlF|jm3T5A^HVIp zV3eW9<)@7OCueHII7Fi<KLSN{GaZ<;V%HY|?JrzAb=2)FE~lsFXx9{g&|mFASI{My z0N(N&#$NWIeJEN|{g&66y4r(op`aAi&91k5TTfUP`zTMQ5~Iq@zK8r-<vz>n7V{NT z?DHV^wcJ2}rn_?zW?laHw%yK&F8DRoYVxtB20$}>A>9le8_zx;Z8sB&Ci)PPP8oZc z-JnR;B;I6eVqbeBfEXR0t3A724;=je&4O7PM{tH0Gr*ci>wzxQAWnvg-Ru<@E%ye9 zI9c(tSNK6Y?Lo^(&)|g*hlCI|kn2imJwa#B!AJC$X`SWcWa9%qf5FFY4nEGt{LCVp zJPS@b7-^m8XG?^Pfx;dfpOmv_TD#1;{M;XQJLwZGNSEl(d?lqrxe4<iL1eP1u=VYj zD~OHgjIB0^6H@EP*7t2+fbWC{&Y7@f5bU$Ln)4ksfo=`ZVaRoq3(yqs5YW>onvVqn z!QgfTegpvogF_*5prG1qr`km|kxpbr8wA>VLUcws+ve-2c=vd6tc$=yI-VA2?p@<) z40Md=6YG1n?stx7QCr7&o^jN~?7EHz#)FIp(0h$1mLO;!PksjqG6b~D0b9-!w$Rbg zvBWznQHh}Q!;)n}8w;JJrazEM4m8PsS$DWBXbLI5nV1Fr2{8I<$D`imZ&9!&DoCA= z@MxAW{>x6|p_r+WH!5I3eK;iMTXz3t4W!1ROKyupx6J`qyMy$^at4M}cP<-#qB>$| z2urCPoBCMg=i`X$vT&R|Xgr!)sE$N~8N{%5QVP52yfwQKLNfv^fwFKK(5@<hvzvPW z8?B<Sd7=(9vZHglYyx6u=o4M4w3VQ9n+@D^5(@?6NOWium2cP&dpWe<F=?w&A0tw5 z<8N1VM+@-#j`~Ds|E|8mUhbm}AgfD|UuV3)H#yUK)cPr`Fwrdt`w)oXpnEPzkdv8| z!PJI2H2)ScSN3)bI*wRSe;3Us4eTBkrO(N6)P!15<A!nERM1SU4zW3Mv@tHW&I*9_ zuUPUsov=K|+L!HTeLvIMVted2yS;rfeBcalq`-OsQ8kAMJ-^bfsd>L*ioEUq%jaV{ zt>bt(PBTi@BRY&sE17N?5Mv1K7~7|&L%t=&qif_1aIqkVkWj@*`7QEf%N)W$TyJ4% zhWIP6tZ1hZ9y>fBmU21-LyLg#q|nZx?_g}z+!TP?0a`VH_ZAVW{1%!PS;zBkCUL6c zO;xA4(VC{f`XDz;8Dk>!C8J?7SkR#_#>3`C7u^<*xtFdqpe9-LVVO8Vq%wMW0a!GZ zxMtKVv6~u+&NkXj4aJP@Ggv%$Da2*CMSZdk9K6nJ17R4o2U@BFnZy^n;P4>9qYX&M zkid#scuLxJ_u`ewlTJ+sF_;>-qTp43>K;+KbWx|vhcFSK%x#gk_B;?ae*w~Cx)CSV z)E9##+CgTw#eCas(FiR+1yv5hyab>EUHr|r?WS++LDNu1Cwi{N#;L^&XU?tXA)pY; z=~xel$*8#>>&|45*8+dmZmPALHrP$4?WSY)p#A8|#SaTnLXU#2?}{$mwUD>V=-W3S znvrBe2y5&g6DHX|CMr?Si74ggrCa7JfzbNQsX4HdmaLG0ru(SOXy;%!F3f0`Y~nZ! z$_2Uhv(`8=wDzHf*gt_(4d<F0|D?J3w!8n*wJ_Z^srKb3{Fgt3M<Uf{$z-I21i&bp zI7ALQ4*UrsvL85WZ6M9kL;TFY+D&1!e@C-Rf6~l~%2s(_EDkFfvVhDQX#U;JfAt4c z`-+*3)?3!2ikxC*GG@sbGTO2*L{iLP%D8`^Fx?*1Kqnsi50kI9T#gmzBwA<QF|Gc~ zjsVKdtlcz_PA(Wd8CVA*g;4x_t{3zGD{5!01U-4+`f!=?SWNhEvj<^*GB49<ZrUgN zgI2q}eTJ;{4kJXi91m(^L1DXSbM7t_v{RJ;RB67Ttp(58YdSn^CGoI`optD6dWXM6 z#l{MXJ}XYd9*^?{Y?}r$%+!<e0~kC;zZa|`0z!5o!~fjyQ}-$f`+K?sILveV*2F5` z&vC`zV;8|t-?=Lx+R))f9sk8{r$kevSFjVL%Y^GTg?b!5*mumdop!wE><fkj5zaDK z@)*-ZIwwKr93y}$Z|a8SWcJBK9t4M>zJT9Ud$c_$7Fs}5xz6Z)avXhW_OdI%m{i_W z=TyP1ruNH+h)Ek2AQ&HFh9hC-9rj<LZMl!S4nc3x8h++QZH%$MHRIM@dd`_x7;<iI z+U+Adl`JTY9Se%B%K);HU==xyS#~ZUtrR~tk;ZasWY%05s2e63=PPQ@p&oJP$=pG` zP$!eZI0*6fxHXZitWpbYZI!nXcWWc~;<Bj7=%RA>5=5Q;cG(TOMpxg>TyMl*gtT$% z(1T<hT0qvJ#yi%bH>uAy>|X0oC!dW&MrkBYShqwBRrDcNp{cf6H_77T2k9hCMvS1N zp>y%!R<IbT(O>X)cRvSz&;J>J+0OiJx(9y=>`(YhTK_xzeYNGk&tF0#<?r|o{{C_O zKf~WNga)Ym+Ww5c>7Du8dJp~**q`v1wElPaoBi{DpTC4g%3pB@f1iTQ|4+#8<=zhd zw*47@6`lF(lX|y(Ah18-FKPYn@b~(U|9$=v8YzDz9sG^MI`W_3uLb*aD!&1QM-B(R zll`66nZE<?!CwOV6aJFc{|<lGU-|Fzm(WQ0o6^DG&#(Sx_&WkI1Ipi!KjZJ{&irNX z!CwOV6aJFc{|<j6oB#X#B{Wk0#&+;`5$ygyEx%+x;4{@4xeKc?ykPwEBbx?4`si-| zcv}-)rv0|BE5J63ggfm)TI&A5PpF))z3#y<+FT0eIrauV*pkn3^?Fi5h^r*6!Tn@P z2szYY?sj|@;)O8+-n!3St`D56&b}4#W~tM_VgAw@*B5;&wA%3`R*dK~i5r}<dlGUf z&Dv`2jWv#VcX)4(BaQ)M^5+~K60qJ*Am%u-pb<D-pedX{%yGmJ6F6O1D4amdam0WS zI5mhAP9WwuBKQPO6`8^b#2iN^jKHY?QaFJ)Bct|E64thdk{yRVl(=2?P!id&hmuf^ zJ(R?C?4j#uP6FQcP~t|}Lu+ZigXUx^?V-e(vxkycpgnXy%}>+(7|rWwzLMs|^|XhQ zK!QD#?(;&)F3%oHwy5?{1<liGPNH7+P!bQehY}yy9!fS1_D~X?u!oYZhCP%|^MN!c zvtkb=Av}91*(BRTNyNw=O5zLlP$Dn(P$EqBP=@AhloApzw}%pgX%B6o`4yUzsk4WY z0HQtgBF!%$kLgAZYp$8xuhn0>Y=tz^sFt7E#u!Cro12kOvK}P!6xAg*v$j15;Wc~O zmf`0AT3z#CYN35>a5|Xj%>m{`0gV6pI=oTX+~M|5pLNuaDGtyo(wP9;%x)xPWBU|M zr!Ry1OE!_VMsJ2$DgWjbx0SQLH*4A$b6g;qV*lj_@%E%ADUj`h%@eJb)fqEvhoAwr zRbI$;Bhyx6=-P$IY<d2`I~}4s!uC9nqB37wN!}XC+j#nxL+B2K!VBmSZa>1fc3T_( z%PyFbZRNi3$Xm?ujB)T(TdyvZP$Le~{EFS}I4X#;zGn|A2Ri%5cFzNdoDiP)ubTBe z0vEP2QoUYOXL|z_))#x*MgZCAVn1y;8T@Pjw~;0|piqt9PM&P%Fo2cvOC7^@H%+vy z0`0cfa5ihRlT*1+$_^)?SR27YkYXD|dIKAcIEzVa?qQpcW_Hshn~iXnP$6<qu^kmp zV+z&~D$bMb+af<44f#vs2n`Q<i|Q_S2Zsp}z!Y=K=xesS8$A&MY?fOiYcW_74ZLCU z#HnTTz|0)NhjuPlTP&ta%WwEEI|{<+JKI47soKHMwS!;72{;9t?QSM9@UfW+GL9{P zXCjE>V_S-b+em*nA%(#UpipargW=gth-`YA?H;BXTtAr|{TRn_gaWHaYIF2mG&YA= zGp<<OCfix<iIJE*&Z$6`KY-0R_pG;SY&e}XU2?G5dct-cb4PZdu<e8-GJeA6UTBNa z<5bmzqXJG6W)m4l)mfM85Q-+d)<u49CQn-xw5g-31rRh?PDfp0-+hP@5;QzKXuI&3 zI)sGrs6a>zH@X2{awP;<iu>5U#B72op2hCd&y3h!rv;a~y+!h%10)}`pX8DINFKKr zdBN(S^Yqs3G`$VlMQ@%v=q<FC-oiKIw)qjyM%=7&X8SRE=WTDmy+-b{{TwMTzlc$t z^bEkW8$v+a$jj}gAvz~L>yQ(=PkJ816H(KXo{f&DV&1g5b<D}?b0`yi<H}ZQZY=4Z zw@^OP#8|uW=740BwL8FO+gIQcS(?DbVjml6=U~G?jtxY92^*{#KL68fxCA!*bAtzw zmX&1u+}J!j#<t`NpBs<Q|K50-{&qZ&V`jcDG3h3rS>uP;u3z{0-iYapx5yC`^h?}M zCfhNw&ao0Z(u_)Nh;g;y79;mF1mRA?*x3PAzf~5$<>%3?`69=apFxIW#t~XIYg*x) zwwg7!$kAyC)BqtH5k7Yy2h$9S0`f4Bd#I6LL8ZR5QcDfOSMn<&#JP`9--Zg>)SSZ; zze_y$HWbkw^S+U{{5{h!+gezBYeUTYChs>U;bn7oKz+OQ7{@S2ngY5uSZK?eA1EzU zHfPf~6w&CO<~U*s7*iLjwPENNCV?olwy7AZ95fn`dird8n_A%mHo)r-w2<6}ZLb}{ z9<vY6GM;Dq-dS=-iF85Zgw_U;+{gUY;Ij=>>?zFLG`N^QeN+QtZD$)qp3EGFX+RlY zR*;&uMD(VxmC-(d3U8)b$H#g!_`jYMSTnh=M<X7*=C*`+T#NbG*bl8@Civ-ntz&&W z#`?uH=>5z`!(u)*{eV~!B1uP^f4w{cs5nGWwqb8%%wU)TsgG$O#kxdFzU(sjALt5= zFOVknHSzYj&8ipH&8k;#BYr^rRNKo~jnI_O0p9M5RotrJHS=N`jbNJfofiL>x?`no z5#n5bpWEzu+Y+vUx9tK<a&uo>Das1llgP268$E<|^|o~=>~pJ!2hoU5meoy%qfzhh z3rw`euc)!C&g5<T1rN<XqO$EWo@|%6mKc$(A0E+hKWd|?HO~kn>yUGm!CF7iZt80r zfO^xXgSR%U(V)OjdkeE@3nt)t+h&Tze_1H*gdht6Up6C0ALd0qjLG|i=Ro4R*t(LH zd=}n-FdpHNO~Dm>(QYDX*L<0<k2JjER~;8XydR_YKDWy&F-m$4cmwO+Z8y_{wp@;u zVOWiVIeJzALR=nyEf4K%6<pDnDy(b1pGr@SsWk@@beK?2#mL-XcZv}{DndvVs<m_H z&cmcV2S5`Jraa+EsByyt5tS<TwB=yNPZ#@W_Yq%WHB1=M_5+-FV4OJUnYAqzw<RQ; z9YDn-{S8h`RzflYO!1J-H^{qDM--E73M}EoV>1pnSB5YPhd7qseQwQzt@0~YMs#Y4 z1ZeC0*B!AQA&a!5g0Rk(jm`<rY~xV@82qaV*Sm=7-XOB}5XaE!I5G!}(W@Gk%!E&G zd~6p{o!rmiK7G1_@lM^ts)RkpSMX_}YUE_a+ZK&_&0RTW4<>DHo}WIT?q=gqxlf0R zLTx<>|ET7Yc3!hC^SF+<dHEJj4v{7hOggtf`8ho2$Iq%ikc+0|6}Q-DVzs}D`WO_q z%oTgsj)3ncc_F8<AlA_J7$={$Ij97W!m@ld*l4L)N%Hl}Nd8nc$zNSa@<Wx#3s$e+ zL2or1=<O*Zy)7@Nx1A;Q_PiFi&5tbKjGI-?vn*eShZ^!wi-(i6U*Z8+6WfXvmgQ^c z+g*f`k1-i&0b)+dcfmzXJSpExyaAkY*n`+aNFGx&&3+RHkod&y7B_<a7a(M}>p3@w zoZNDL5M<d8p12PNeHs|1)3X$+8!5#pjw6#oB6!FAP(mX<(BF__f8yo;y8KGBN3riT zBCMi1=%qbKjJIH<xZQ+}bTwgvI!stkbCt3Cd_VIWHuTCEJzzUvbF^PZ6T?nCH8MfO z<T6Vn`G(RaQ>eKzzyrr9iGgu^&&T>12gD5_x4^hya_bhyByI#vqPkf}d5p~i6rVPS z@`*IoXHI=P1^RQ4WHG-O`sG;T;oACI-*?!cPs}HHF~8_9<H(8BO(%6p_IGu)7bHx8 z+8#*;fRnKROG!vT4brG4oK{j1$KokEuCQoqI55SM?9e7MCGr;acGB)zy)~mnjU^D* zbR~D_HTfDRw=j+HSBdAVeRU+98fFf0*f7uVpl8*$^M^_~<rEf^Zp1|v)h+q;HfSUE znoMPA2;qbIN=T;YLUNZu0l-u2Yx@J3$e~CH!Ki7$X2jf$ymA+v!smm7NSm5P7c>2z zw*E5H;%%wmStj|2PFZr`iCnZUx&+&`<Yt*sQ(~3dB8$p2X&9DO-V`}bQ)YssVWsAp z*37zS@xb6M242^bU19$2_pxO9nUaAev?amrA6Mt)#u$gj&GB+)j05A!$t@^O;pM>? zy90=uH-H`tzLkm#15M`l-7NH>*~<Y~)C%_p^t3G$7JE+<ow}=Eu1o8zrknK)G}_qR z{Jy&bhlh1mi*ojEhFGlvZv4EHo@DH($N<jx7$=fjfN`AYl)qae`8+hcg;>js7ITxA z`IeU{VjE$bxxt5P2+?D<6UdEvzOkpdfzN?qo;a}Myb=t8(nvi6QIkv*LKKOR{m>Me zC(=Bf<_el;(R>=sb7?+@=4zU2X<kC}a+(`yUP*Hv&FTIpl<asA-k^CP&51*24<$Yx z0vj|Bp*eB55GJ8HF)9d_(46Qv)YbJrXg`McKYU%xW|#=12}oL`g-C0V_9C4?nlcso zg}Wc_VMy^vY9w+U%Ve0JkS-ySt3N(78HOZAN=2H3v=nIz(wj&hA~hl1Kw^NCT%#ue zCsHoH`BvbrMlvETL|TXR4APrOjY!`i-9`#PT_4=%<31573aLNJA-I!kD(ERgT8Oj; zX$w*ck{GEk((Ne>a|P)$q+>|6NUM<aNO?%(k%UP7k$jO_C!=qqkCFBvZAMy!v>2%X zDGN!46o}-G^b_c~h;$5TAJQhI{lG&mVp6!Le>^8UR<e^VR~ZZyI=z~-G^k39<X(oP zM=D1uRaKU1O2NaqB^m;+8o4l}YUHFL<X=gN%#g3IDkqKRYO0u0Lm{IsD%2PNs2W){ z(je28s`8ai5MwHvTc)ch<LfmlgRacL%nUWi_@RbbNaUH`C&^6Z_{?7eluUM6Q9gd! z5w6QC*5n%v{8E#_NPhaEDI;Jt9t(7O4PUD=Xp71U8HTIJH<-%Hb$TN}e4|#w&odPi zX!QIfMH)JuXDZTb$Y95EP$x<QYL{sE>Y`FjnW0Em#yF|aYAW05&)1b#5xUA$rIbEZ zNuf?(WYm`O2_(WXcBP?cfriP$FAL^!k4$W6Hh+9l=6Jq?z(js%c|7na3FRe4c@g9# z%BC_0=@=V%#Wz-!la35VJssbqg_C4unhM6?prM^1D!#J{L)s}F1Qr=JdX*8QK?4Js zkP;v$&zq|*5Gu*c01e}ue?ER>W7O&RCAzZ02+}8H;Z9gPKK^`FiAmGmeIX_kU4h%G zGCmu@+*!|onpPvYAuD`HQ=w7&rzl+O+}XUHHkavS@M9oD`~31%W$Jd+pb3mEDl7w6 zi^_<smUX=2m+LA(xvqdOj9~Qt1dj55qAsUH?VXnE3`NGG`5H>4p;T2;;^bYZn$xrP zs+~D|&juJzS{de}NX;)-;U`j>QZg0!y3)L&GCKKuC<(u8G+#fOUp|`8(Go%Vd&iU$ z{k?O_VKZf=>PXlDWOz1cRRV@)=$9)Cg<?DdMjsro$S4PlJa90P#8HnvaIi>$kgG=@ zh-|xxr_;E&S`l426x2|nB=k(t7)|;z17F2QiPIQP!(#Zlaw7L&Z58Gm+y;LZVE!wh zt*GwM7AG#}cslSA$iILPV{yUBF$S<scme%aFuUTV%)JY5WYoWjmz$tF@dEm9;^ij! zPP~BrD|nqY6X@D`U8+`=YK)xOBev0DPMN)Mxep-KAss_%Kst?d4vDmH#r+mio1;u% z&dd2*J$C>Sk&dMyNx8SqcZftYfk?awNV3lF$i^WIjr-zVU&p&zuFAib&%rp-xY#n; zN_0X(wwV9H3)?4VN@hyt&1YW|>*je)td>7^)#v#G__ZO!B+GJ@@E7LhigOLQisU>~ zQHeUYqNq$H%ymvpM7cVTQWJ!nBytfxjZ4nL?v49BApLD%NGWkCD1*uG2qTKf5Bx%4 zZLlsSaX%G|VA=cvtnE0uqCXvsNS=}vGA$V;{HC!pYzBeh0L-Oc8m(8|8Aj_Z>jYEK zdMi7_XuZ{)U|F=@8suaGI9jr3Jp@D<K7xhL-!fvZI6CNW8$%40j^8d4Ia&z0;Od1e zSg=5yhv6}a>CXDb{E)OH+7I@{4jcqFgZ4At6_&--!=AXKUKUpm=Zs7>p^<hRQi(^V z5ikXTX*goY??Q<$<ls9o#mq9m$Xq#KA_Ch0n9KYSGfsWw#R%Ft>Jf7f=N!NFB{0WW zajeGd@<2JyK-7{tlr6Z?-)Dxf0s?9&hn{q4hfx{`-1Q<Slce0}xI4?gj^gydSw45i z`$eNWzjtlFIUK<RB!bu3{=7^3j7TP64ib4!F1(^NxPupNC_B?F@U#ty0lZ~6j)HM_ z@$Aa0)QqAk4NH*HsUENg6G<KJTB*Q1B{EEj3+%N_hB*h=If{#`=aa=S*oQKgTws3L z_+2qzWPY4i<y1T+I!m4J|F<vupWT<~JmpiSDDz7+D!o#p*X#65s+WAKLa7)lS2}&0 z+nxlHLU&C>Oc<sYt&@?WOwO97q+1TY6XLR|=;MTuTBT}6?>#;vDH;1V+Gl~OET8LA z>F{-WyVftzYcz~Ig>XG*JN8_gXzOx~X0EbCWiUFZ-s&?+A)lC;nXV+hl#*`wbWDsl zp}bIIbZqeQs<>@OKi8g!OUJD4qPRafGZN#zKP6SDq=dG)j5`&cY6(+G`^I*tGvQ3E z6Cd4IJxyzIJIKxz&v;K7J3%=yDMPMQ>y&W)7~tY)4HqZ{5o$ofcuGZ8lD<%>Q0WaC zWhR_L=v5n3R9=~{<o1MeI#VyXDXP-37g8n}vK_kzQpDdfKwZ6FIVnHiq^DcSYXkxZ zT$!nwugTJaG&S?OvvsOoS4!Ijcj`IQsLG$4RHnXPQ$;r41}7!H9*Qas1sQ-YAKNM= z*+?R8;t9%?6Ln>pOrzeE4>|F1shdytwOrNH?ux2R%u144&3x#f7G*Reo5)B|M#ego z?BKYeGQ&F2mSrk0(cFW!eGXiyI(?}M{U3FXF^lX{2RiUhny=9pl;|or)Jo7YiSFK& zsYK=iJ7~sl?-2%Y46hZfGjwWGiH4BPwP2Xxchluy)N{_hlMIx*+kw{+EkH-QQYVeY z9sQ5f7`gdHtf-^6WV&_5sv{$mVIayWm_O|D{W~Zn+TxgnX=n-j3p8bf!xJIguQ|9f zQJ0}9)#=f4XeX-aOgpF+q3+l!qsBmK<R%1+CQ`_FllgV9ir@`LPh_45O&l+G-7!YT zgfgC9L^2FUJwg=>Gm!K_V;dL=<uJp<ILAh3>MEg_$m<jYY7jqhh%8fHWz_1*MA1}H zm{3LuoNA?!@T91$K&Morx?WeMEGZ)Ko$(BIng$J?A{nKoGG9|}!~$2Q#$Hwot5sTx z7|PV-DcKXV(lX=%G0S0<Fw}%#hg!-=JD!yqCW%oRG+JdrQ3+luiLUlzfTygWsL-U> zAff@StWc`-h4X2T9h*AmD^1z_BE7B*@f*+-#o^|*eM%@zCG3__l~;mrN<5>~YYH(4 z^y7F#%q7_`G9hFvntT(~u2ZAIpha&~LLGsKxzAZrLhTUcp+Ke&pxje2Lk38;-x@|$ zUKCzx2#1Fp4h-S=t0hLnn8Hg0;ev3EDLXy0%Q()dG2!4N2uY=EU>J=j<m^vh2f0J2 zlZhEBGb;4Dd=1>JWu95izMUXuiAS2jQPAmA5vu`56?%<<uqu@|*`(1|DWJ7Pugmf^ z$vV)e(KEg8#-65T`ny0m$pMi0mOwMBz|+z!3@^!m0cgk*>_SSBfiRw{oL-ctSLv&g zVciVOY!9;Hag&spju{zGZ07<{o1)1x6&7mrPAX4R{6>}DXev*GFy=5u0^v-?cq(=| z40FGH%0zj(NXW@rXW!@lO8;{lAYYoi)bDVL(`R=2$}X{;u=Y45qEe0!^k_Z_I*#VI zhYt;-`84btN0z-2{P1`_B8R@d3P*i@9@Y;vf$`NEebIbJw9BE(d?7!KxE=hVk^K3> z2zCS){2|T<UuEzuH)u?1ogSj2E9E=&KZ4`YG5kcjx;MAi4p4FNfu=wvfQQ$CYQzxm zeqRt*PRIN6D3?3lv-ur+1}Dck?+W2j1l(v`my1#jHy{uN8^IAqLe=;yNArtFWE++i zi!~vKiyhHGHW!C>#9mb-?8Q|h(M#BVm0FWuglHmy*o8$#0~+4~T`he&)5F8>QS0u2 zIqAIf?&w>^hZpBcINwCV<&-Ak@~Qdlf$#|5q_Xzdo0B{kZ4)ueh&@)3@O}Fz!F-Ip zqy#`;mC2}sTTzrxV|Ii~8g+!PZx*<ckrGKGpPA#61RY&r{D}RlN-9)U;3F6ECrvO2 zNh<bk{g?o3J(&i~Pb|u7`g7&Jh@*^0nfzOd_tls$1u6I7%HuJ=xhU@&3>m<CEuMEF z1q|WJ2k_j6R36Ng1I94{SxAjT9rf|N7l{q!%5`|=jYt2(xN=`S18t|PozKMEC$mXp z!9`Gr95i7ry>Lf}f$lwRD0f2QQsDL$VIlatSn#Mu^T)XA*ho&zs7{UMmpSfw$Gx1p z`|`Pqix$VRPDP9okMIo-_x0s^XxH5EztlvkRsWzIlc2R8`iwYG1mhC-?KBu@JObH< zLQqBbO&m>`kjWBFxIv4*5610<k~k*nHRar5hZ7DkmQy~+Fa+1A!(S9D$v2e{HB|BQ zwVM3722&}S1C?)wb`k%FIK5bzA(I)1HR{v`nXfN*NE8Os6wc?Kxi09|00QsOST5>Z z##gD;Snfzz+Myc0Tm=q+o<_4NiFdSzvu4uxwx2}(UG={;4ZcLqI$^=kT}02>y^9F? z`X(7+lk(shk%1GnCxdPm)OHI1T_(1HayPFE6=3r?jyncR&%{XEGE-?Dcl44+d}8v) z+}bT9iaL|A++-x`Ol4mIyG5SKT5{)=>(D8(-c;w^trxCs!hk2xfnZ;+yX*4%-VM96 zKU(JTn3b><_k0In9qddNY|Bd6pFgYf&%$}o`Ca$0AFg;VCZW&2sk0C~aK^@0;@KGw zcg6Fcd-kAzRxJ#smM|g_cYFZHOv4>Fm&=VwK&kv5a58@@?*VrQy!IY&e2LxuHwRJ0 zak()B-ry{@-#Peslx^6(jc$iy9l>5>FIhw!7l~EMJ)NbFdu&2wX$c=2UvhFB7c7Wi zgSj(mXhK|Yc2;V*Bp4cx<xW)sPbMz7N@EC4i0|eb3r|K<nukLwASg4$1>-miN9tNl zsmc&uT9mKX8FU54aBQb!Dnn_+d_geQ(6XWe?8K(J_6AgZek|ew1|#u~|3Pe`VA>8X z4cPMFAiK&@280}~q8E)?0mllyJP!5SU%I}Q)7=t=ovxX$DZ!~O^0;7?0Y{R$xf*>i z-&B;8Pc|lT!3C-kgC=-PJDS)rf8I&#m`)_cj%gnoZ5|7bl*1h76_tSMzaMU=>V%CB zB4SnL<t1=Ah*9pKtKFHvpO#Eh#|1y25wZe-I5Ik15Gjrd7mM;E!&Q+5nsAnts5Kgm zNG&R07rBn?E)1ebfk=`kRfR{YrNB^-rw*5Bgz9jWP%LJJ!pH)tNcGnk#42HdP@)lq zM~d>K;bO5^fJIlDAFhs)s>Ld?DoP`g{51waK~!{9esom0gw+Vb#X^xZTpF2|7cLR0 z*@7rFt5!w-4F-vZEr?bLgyDGwc_NHLBMHZtBE!X!0(B&-5=5$`E~AJYb0>FW$8?$q zZYo_W{ryBzE$EP2?5fqe3Iq1Y<ZF)(35|uC6)IFlZBhks5*^B=H5$uhW5zi2E23S$ zB0$xc%#5@#nC7T4Ih}C^$3yfqv12-6bc)ZIdl7JtajP{rwN~S^6{m*9Iw8g+hXv>m zKc`JdLjxlbZxVuu3r1HWVKDvDBrZ6^X&WLO<VGaZkV|;7t_(q%5<@Vt2=~6)?Nn3* zOa28Dhn%RWPM@UD*JAgTPXYvS!6Wg;ln4Dllrjt24AT}B36Y5s3&i65`~rcxAedjG zDl0Up3c2b|<&GV5@9}lODJQ_Gj?u%M?)4BOpUPx1O5}283ZBxKNz6o)(~zg)nOui> zKi?*vfH&j8T=#gq{Z7^oa*=%+SsPq0KiF|M;4|XOrXqadR0wQEObMd_<}#*$(V;T= znT;F%@Tl{jn8~AmhIA@30PtkgDaHDvLj5XGqe6*%okPyls(@FE_hk$pedvJC$W)+) z9yR#rNynJ*P7R0=y^?z5O2i)~b!(?11$7NfKBcd`Q@zgk2^|D4S*yHU+D`>c4-6gn zMN9+}jl`mE6w?)T$yklFUKwa9aT!JDK2n%;{393ZwgT<a(Wa2LAibAkyo8H|7&C%x zlrx=Se0-tFXM~iK0w$b32|xq?U*c5++TGo+Yac9Xj0KI8K$`|*i~t|WZ2eVB0V0r6 zL@zn&SVlm5nFy&%`v=;QQ8_V?InMxvWTP{d=>~pHa`1;p8sW23)<}ty8YOtA!fa{r zwg_?-LAk0XEXT7qa43L72bnQpEJl}^>MU=hK1=1GbNxG|!BrMg(8diKMS%((j zn@6faS$Ioi-2e(Z%Pqb@Br0~-<;8HlgyVkCgWS7X{2$=|OAf%%U*m?@6{}}gu^ZV& z_8Zn$uv+kh;7vh;;EdoSL6g8k=qKza93zYut`e>nZWg{Ed{y|iutE5R@LS<c;ca0L zkw_FHnjp#%Ju2EFIwCqF`dQRR9D=1sA|5B6AzmOhi`R;`icg5Y7vB_nM21DCMrK6j zMixcZL_Qw*dgRH-vyrzVdq)k58XYB#njWQ&vPP|odL`=9sFtYfQGY~vM~{k@MyE#S zM(0N_i?&2R7X4K8)6sjP-;Mq-`qSv&qunK4B%>q($#ltVNr9w7vPiO8vQctKa#7ME z@sjqEu97|?eNy_IbicGtdR%%&`jfPaY@lq2Y=lfCOOh#M6|yH}ugMO|PRc%)U6Eat z{VMZ|=@Y|`851Lk86Pt_CO4)e#u~FO=Jl9kF~7##j`4~e5IZzh5*rsQk6jYGBKG0f z1F?r<kH_|l3yl-SrN%9aTM@S-?quBQxN~to#9fWM5qCSTPkc)Jl=z%@W&8v28{?mj z-xvRJyjQ}Agc%9OgoO!>2^SMCC;XCdD*=X$QIiFc^<#Uo{n_DcGCQ7Cuyfcl_EB~R zyPJK9J;=Vxo?}~C4*@HP6{HC=1=9p`1SJB!V1eKv!FIte!9GEq;61@r0Z-UP*h4r# zI7%oMW(o6!YcPAeg|7$?2<wEWg&zt(6MirB5c!A#M0`<%XfnLxBGEk210t(vooK(P zUeqFL6Lk^y689DJ#iPYSu?+K>FV>37#ns}6#V?7EiBE|?5MK~Ci(AEkkwYUDbXE<K zm66qvt0UJ&Zi;+1vOcmQvN5tL@~6liQ6W(yq6ASfQTIn>MH!>aQTw9aiaHf_HtKv- zQ`D8HYf-;pu7^g4MYGX~(G#QR(b;}9`pM|$qW4Fii~c6MEjmatND?dwlSm~A5{0Bx zVv-z`9Fcq=`B-v6a!K-|<hsNz@sxIx_K^;fhDygsBc*ZDancNFwp1zANK2&^(&bXC z^ik;((x;@`rMsmsN?(;8lpc|ugj}4Jek%P^`mMBCdR2N;`iIm*)<xzo3z7|htPGch zLt3P=1esiRzihHBM>b2AFDsJiWG2}IvL&*IWHqwKWE*8$Wjkfh$zGDZE*l8h$&Q&H z^8h4gW6U!#wwRWfevq5+*o4@e*sZZI#eNj~Q>;90dfei;wQ)P+&c|JgW8<Zell$Z6 z#?Ondh+h<Mj<>|GiGLz~OZ?9Gz45QazZrit{+;*_<G+aiKK@GlwfHv3Q166c2~i0N z3HpS}gvANV5>_RwNq8b*OTx~Cy$P=*yqRz$;Z(v037;lhf`t8?@GEh=;AHfL&U>)E z*#YcW$k#+Ri=6=(D}<Dp*oCYaw%}1%gKdzv{p=g;VfGaJ3+pZzDG&&z2vmY%L51KE z!70Iqf^P&r3w{^43B85AU?UQQnb`Ua5FHkMDGCs$ign_};zz|#iJuq0Ej|Y+VIsXF zyG0I;91;0Y<hsa%kd2FxHzIFC_oY#NqNAgeqUT4i!%Tk`9Sn_TCCQQ;Nv=dESt8jY zX@)ijVOB><CDKgkZ0R-W@0g(kS*C1;Y!!IFS++;^itL1}QTDOyqU>v#P4<(lRrZ^V ziSdf@i|HBDH|D;WkeHD%Y)n*4Y|L29&cv9km>Ds1VhW(&`k2ZXIC%{5YRd&XphGKR zMb=2xNj69}OKK&%Bzq<MBw5mF(m7IX?8?|3vAbfA#Wut;b6`Kwrj9+vo`&^2$6jQc z*h}mcwgnp6#;$}d-7KgTR1230S402SK?7@rJA`|M`-J<2Z$S@_K@%H==Y$u9O~OmU zE5a6GtFTSTh<GAD=w+a2pePG^ses0mM=gxn9JLENV~gTN`$YRiPlHWd7+oD*8@(fX zSM=WKebFH0pStM(Q^4JwVVCw_?bT)Eit#IMc60M~uU*=I5kOV$Zf*j9wwqU%IV;Ay zX*_uD_+KNixn91byxe$hOQYT0c(oJRbheKR#Gmcr;l|YRo_4QhSiv1_dHj=)tdHBu zfB1N$B=o%fi_C+(w3l~e?EFELy3FPo`slf(wMzqQ*`*#oA?4J1xVyQ#2P}T9`S*n< zCQkq1{!JC<yxL+2P6wrKo}g!mRnV2~;^mRe^Xlb3BS{d%_96wJUVb?wE}}2vC#%Xe zf<U$>0ekoAnqt!Dsc;63ues^y0QK$Vm8Dfx7&U@H>;O`&Yp*~Kz)#lT2MPs_(1Tzw zJBYmY=+)ctnjD=XU{qR8VyVeV?0tQ@34{WnP{7h_MxSojs|rP|P=pPcbOt-yh1l#& zXLr860yC=+Fv5<GpRCj4M-epA0VEMzcf;FXlMea#R)Om=Q=^|>ge@Vu=7;mg3E8D? z!LAI#gn2A=^T!0c`MNK4b7NlG`$}5Y{Z9<+>3cr3>e1kwk-Ccqh8;^b%sqNILNVj_ zz@zgYPIe1T-oNc@d8_U92kMQdgFo57j&Z-4@#EqBucw5}J)@Mze30^9a!*5_rPiYT zqu$+k-(LNIVHxuVza;ql_sJ^v%xCsoPaEx7Dc?E9^4|9wzrVfu>zstR6KgL{xb=YO zQkC!TEvA)8o9)LvCU4yHNy*m7iXPI8FfTtkC-7LqshGge>Xx(&?q>XAZSZsN-2C0R zaQJsOCk%M-+4?QvFRc3EneX-t@4ZNMbHltIZ+)%UcK^4te*3ojv!l1}(eTfnf85rv zaOcGFDfWI}r+BaJ`iXW~^{nDbwfxMS)WumxdM!L&b@kMddG3%-x9v-QW0%~dQ#q(R zuQxAHx#@aY?&;IUP3Jye^mD?6E9un{pR+<Q9|*dqr?;CMZx|cG20P2xY4vu5D0KOT z@(BEz0-{5L6I8|q^>TBw^L$t@+}yECO~4cm8qAZhQLMODSj(=6a5T=>m$<YY!%38@ zKqV(dpbnMiL7_Z9*4IgahY#DGVD%?G@t`MOY#1r`;0<91?|=*o`avtHpau|xR9?b` ztXL9Gb<#zDJeDkBJi0vjNY&2|PG|T0tbO&jZ@LURIBBWZtZ3ykQ?~Z5`C;JNE-7W# zOPi-HWNp6|)eJRs?Wr5L`vqx_TO(h3a$o=YhnuHA&OHB~U&hOgf@gekM=ogldcmNa z^j(_1m#Y%<LLV<Xc`~}#JjCbWq#r*2G$&zDMcP9ndwb1(Mp7KybNl3e=EbkEOL^O& z@m7b%cYnWC(s285WEt;#@rD8Y6|MqJH2%M>L!1t?0!b$w7D}BuocB-ZFv5o1OpN+F z9nK^_ebEy=7XPgtKb_xInsVUa&}UQ94tBS1Yf<@TKDKYeh37~6PdHv?UlE&`?H}|W zFJaUlyB~l2)3;SsU1y$3UorpNrsVsB*Z*{MRPvFn=e7GEPMq}9a>*M#jt{-2p4Jj1 z)J@FU_QJ{??w^dj@67#QeV+eOAB%A2zS$dR?0PCp(Y?=4k6%#5$R`hazvtAhYsa-c z_ri^WxN&>S_1~}kUU??qjbmo@x_*a3tG}{+7`(IbP4@-cDju7ussE{u@vWp4BQN@- zuU@<Q(eN!5DTB2i?=n_g=sr_uooW>w`ZT{G?J3#u<3EVHet32JfL80<pT3e~jroH2 z?1JEzLtcnDS$_QOiRNKGzjr;fd(uXquL8pKd(LorywoiRoXTYVi11Ujb4N(1Hz|b@ z)%XjQ@vdeKPIZEU7qS|5q_YeKzt5qgMngE&@d`tP!C|4PqDQyabzd>6qpqq*6>&$^ zF-C(SJYN-FD2&M0=-F68++bcLD`Ew;V`{@)TN8uu7p-9m{!uL#x)`_A6Ghv*PYAs4 zqx8?F<o8LK9raeX@7TeFjG?@~Z13uOTffe$EEW+rrZQ&#qa&I0mPhi~=*sQOhI{M! zzWhb##oBZ0Joc=Z7`k;+qQ}6`-}|QO-62}9&t4PmFFo8kdRV^bQkuH7+jsSa-EVsC zh%8xX>3!nz%U`~H`E&k>dH!eC8!x_=`^BN?!O4~1Rla&AjK|-;=j#2(R*rbId-VrB z+CI;nUp8rWcX?`3S+{*ZNH)DB`>e~nfVP2E`>P+=Th#i;=GXjskGlHc%r0?H&iuOf zJH3`5k|gQ2Ys4d?zk0cK#%{M4gEo&IlQ!T&@WJ}qmFp(guXt(c%2_RO`zLR!5{-&@ z;Ejv?F1_Y87x$a_zHKL)Guo1t@W%TOo;n;Ktj*8dbg0O<_xPaL2iG>$zcuhY&%`eE zyaY3K+F_<DgOj&qei`OF__wce8^h99xSA>a2@Q6Ui<wAE7xZQW!E?A8-C&LNMudU+ z=|**gU=%xoz`OPe&LoFB8h#4-Dg-Cb9i9gke3%A!7=jV(a8lW$7jXeNBpuaoHo{Lb z;mDhu5K&JAKiv^T!3|^CNO&TUxQ-%g`p3v~^w{<9dlU?1hj7I8?;s8zCmZ-8KKH#O zaghGbK{;O%8WpI{tvaLH;J(#!{p7bA5)0nR$q_!Lsm(rkbitP|-u^Z_Oj!6`{+Odb zYwC`CSMg)Uj-7|TNcZ`A>h+>@eu#SC{==XBCe^i+$b_RW`RBJ}J^#Ut=f0ks^1-KN z->IX2-!*gV+&MM6XD;s^y({*aeeR5#?o43q-gowWyX)+xHzO}CE-WhjF{EnKs)cOJ z6`6NonE&;kR%xZJJKx>5U|6@gmu~BK&&@g3^2LdQ(`_#uzV-b0utzWIUf%xUJKZ)1 z1-0hi{w#4=kHl>s9IHRK@2TgP%PmD7S)ZCeZycZa#ldagWDHIWxmwrsaL?2MK4aGY z)K8;27<hg8qTLaBYsVBl!h}{V_{3@03c#tnyH<IswxL9Ao%YAWquu+Cb91|=147mx zm>dWiJG?fucIb*BE)Ix+$Ps?0N6%Ia1%`YT^*IWh_+cAou+!KOXBoD!ucJ9NjIQlj zw!N17iV#OFViH{|je!+38phCmj4o!XV8NC%n++?9i)vr^ZS}#vkN8~qh}X$XP3-z} z{~d`lclIfIh<!(_O>Rtj;Tq>$@j2(pi<do!&#<FA47s~oZ>J%zsHo^nM!60LCRKMR zt;bS$Y+VOewCs58yS1Lz$6YlVcFyVl`nC-(yji{R>Ve14{WkRSJNceVeV7;5ogO01 z{Alt9ty^8wjm)>F_1JLe(-(StzxC&{Lo-enj;fqJbN!POwjWFvkNavwRqD7?$Iphn zU>a~V|In|09Gv{@%kGaQX3k#lRMD@u#SyLjttDN@GM2A~kJ+`{_xm504{JTpaQ1~I zPi&7KE&2As6Pcketm(aNKw)Fh@i$LB`Qqw%U;XrKopsK&!@07cuV)WDYu|rsn#ujm z(w=6K{g_|w6Z!U+dK4^4Nvt1QcVpms-SBse%nC*E*)v{49&kJVNZR_Oe4iYz!-ZEa zcHcXFq}za#8^0fA>ZTgXTRr8&h_@b?tXTW>)~73t>&;t!dHwO}@4V3C{FWyVOz=Bu zlSYLVTz+Q$XUFV<uV0>3Qxvjl=CnoD7e8G6))ayNpfzJ2-<7(lBI>z~W3tb5d$rQz z(#qYvPU}k-G~B4DIxyk=<@en;;a0@Bh#67M5q<0zOm&OaY12if`N_c_R5LjbE$(%s zC40iP=B>Q1c7@Acf8kln!k2dW|8Z^DQ!O_W2es}v6_CzeR5!jlrAPFswwc+(-nJad z|8gvE-hxTiYwzu?zj2{y({B;wOUFhnT~U4fg+=ZQTIY0sXAt}Ng}_!@`o`FoJsuvV zxVbUEdfCg@2fY1;UxN6Zi=X_l{o&m1<%`$#nj{=x-|<MU>H6j!(@wEVy#~P6dpPWT z(X+luEB)sl*2YH{eEjTpt#^pb|CS*oUTPF8#IAzHX*aR&0;x-pUFc%pvC|~`c&r>g zeqNLCQMIm2(31@y0B^r8V>S3agx(04!-D(z^;ghu%=wx4s)3%&rs7*;eCvfJ##zbZ zuPU)i-S6Iqx|4mVJNBW_u^q2$Xn4+RUCOjxy{nVY?lhn7y1MwM2hV@m@9osrghBVM z_)ht#yo>bpPo@?eI9ZwJejqnv`O*IFmnT+jE{dOQJTjxu>(Z7*QL6^c{BrHST4~O+ z?_FCSo_{Sm=i5bP+b90vGqrU8E6**M{_Z!4FZcU-=~uF!ezgo}eyc8}WYC1O2RAI( z^U$0<4KsEv9Cd!w?Wt3ml4_-y&CL(JzV&lA{SnWG7|#U*CjXc+tG7o!JM!Va7q-uT zs{g}RJ}Wyk;SaOuv!Nf<RgTC#eOtct=F>ACnv-L^u-JR+hUK64U*2={>aaS=!X4_5 zl|#A>Ps}du_v+v&KYqKrE%kn}?6X9BZb@6+1M4Q%l&_0dh|Zrfg`Jf)eJY;wz)QEc z23^nSKcY3O>yd3uJC3U!OzN>y@^nw@M{JhBKjzD4pYn_h+g3E>kynPjn_HUAwxstg zIDRQBOFwLF?y%EOYzV$}_@y^L{$y!^_ndcseQ%v|z>(qehS?Ume?Mt|*fTz3ZjG8; zbM`|I?Z<plsn^7`|F<xd`{-+X`Ex7s1+zmNXt<R{rR)g|8)4t)Ek)CrOSm7ne0 z!wcO|5wz6fmugY&r)&Do`ayc6t9RLsUdL8mN@yw=uX8)%Ueszi_@W`U^|7HJ2HzJl zWRItx;IWvxElq<n&!rt7-1EB&-{+otR~Vdj?9oS_X+6+*<GzdPM_=83>W9Up-UBn( zx80n}+!iczn>sIZ@XY^qnIrL@LA`jy+b01TZWn)H^@Q@eXD59Z)i!VWUipKoR4+G9 z?zDp3bBQT+u31>=RIKtJT<PxR|NqHKN0(Im84M8?RwEll$Q{fZ!-lh?YDd%#UlIDJ zi!nA0<j-f2b|vgk(yk|OAltuv{k>~RV-=(lpO?mtV|~253YYjHPRGW0b)^BjC9g)i zx%2+b<q_L}Q`P>DEB5Gqcv*6OV3XuVONQ=&%Fu^o9_L=j>`@W;sNam+Jx4S)9m_4M z?k;#<cFZgGDZx&~wV@YYtzZXc^+-E5ZT6>6q$Ixg{FaUH`8^)~X|KXO$&>@broaFC zo;McnQ4YJk_OZ0`IhJ_u-fZd7-JfSq*wa)n^s%)QV(0IV9bbHTR^KJ>L~a<iHpDWy zwL+D&ziFUOerkY!na71(w{p?r8BZ?R@L3(7+4s}d_50=D)g;H}#P_WnTU~0}Rdc`4 zYRYQWPV}Dr@VZ&epO3!!Wv`6|^V_y}-E)aadnB$_6}c=sjkn~DxV7bh3yOR9f9>Kq zw=ET0OsmY-(@%dgC*b$7zYKVMagt!ErxMG<On10jODz9O=HETwUdxh8oVIq!2DV>& zq_m5Nz^~m;MBJ7g=u+w`=#Cw9M^rb69qm%`6WqrRtnH6)0Xu(r(0)$Mj_K%zCkW>8 zdj|_g@<v#t`#o~LOs?{q)=S#M9{$eel;fh?Kbk&XoawrNB0$Mo>dvUQjCi6%w>b9n zr(NEj`&5m)$Z$&b#~%;(+rI7UjFX4IPkVa4Da&N}^~{T_rasl@&<VfOww<Gu7q<V* zJUKbIcJ5crpA<bYplxEq3BmK{yFAo1R=m<*IU&_&^6Ejmd)h{C*!a{hK9_S=mS1bq ze-|h>S#0v>R_c~{Os!tDZ>auF`@4?{kIl<CY@OMw`RB)dCVre=J@m-)zgV9g>Jiud z%lx5y-`D+8`KbrL-Zc7$6U)w6=hyNsJZb2AG;HLRA=(jvl{HO$1FpJPtsE7$VUMTc zhxJ3^elPr}%i^PnFPAEBJlLfvbLit2UZ@}S;hLb~Wx7{?&-NH^F}_%S{(%EGayNXi zHs|U{kLR13ZZ|)_G=Hyc&4rS;E?n7Md8*cX_@MIo;hqig`?s+k<9=T2J7V!GSCb_D z{O9<*aLCl>ji7gC*bDRj$Q8%-7`JFd<rDl5C%qdmeDjngf=}m0yfRzTD>t;t{axXK zJ*%!4KD6Qc7iG^)8sFt$p3i>&q!-PF-yEGYPkrf!kM!3+OyaHkxt90C7IyVKwPk1P zSED}h470p2C+q0BkHVh(!faK2X;^n~{$pO=zvSk3i@6}^|K`?B+xtIvD{u773F7@z z?iUAqS90a+-4A@-J8oI-FYnvqzk9!7(faJg5#I|=9!%-VJpcaLk5YE3RiWl5gD$p( z_1dxhWm&`u+5Wu;=4CW4KK@(P)9;-9Y1>lwuJ8@KJ0!_Vu+;4q7Kc`%X8Qkj%+EdG zuApNVFV9ikJ>2_yGPSeVz8!>l2)ecxyxpKk&eMo4o&tY3VTkhzqggR45r}5MYPY}T z2@q)h;=J8<x-T>J$yYzw8g=B!RZ9-8KYo`wxG_Du{;v4LeREr5ukPP7$MyN{X`!pv zJ~w>9W7XEe{D!q(+>EX$Ikn09N15#F6JasS_k2}zaZuOPnqPa|ta|GDoS=sX`&}Ef zd&cKwhdj63*HB=8xAO37D=n*6?=e6B`Gix^3*Y?e$>u>?Q=R_i`raQ%q(h!x9kS6f zJMdPwRh5r~N~GGgk4@2JXJssDITQA6%oR(QnUBu&oWHx^rGP;P3d9rZLzj+Sqxfij z?VDeoe~PUcyKHOXEBwoU3?BDbZ&BXsK5Z3qK8wG^A6j3(X>H<DmlMXbN!{}r$L<b( z=8d;+&HH(A)8|We9&FsSZ=$_KsogYrde}!pU&;}mt-ICg`A+KoZ+&{_oE`B00P7OB A;{X5v literal 0 HcmV?d00001 diff --git a/venv/Scripts/_lzma.pyd b/venv/Scripts/_lzma.pyd new file mode 100644 index 0000000000000000000000000000000000000000..b011c973a5693d85909770ed54720bbdfbc9340a GIT binary patch literal 185496 zcmeFae|%I|nLj?iLWX2uChep~jcqEaMS~R$Rob-MB+WpI#LlDyu=ba3t!co@2WB94 zNt<-YHp3;muuIpvi%J!h-R)|-R-~-02}OohssyS<iy9F1hKXxhvpTe~^L@XcbMBox zNl<s&{`cj@WbQrZ+;g7u{C=Ku&YhMUx4OJ8m&=DwF6VOX#W(-e%ill!C**dyW?!^# zw(GH(&tAOOz4Y0Om$l!yu4>KNPkmzTM?YEh*B`y>u203QKKAjdwTZi`?!2q2>G~V0 zKKZHJKYrP)StZrF>$iS(-rifYjT!5+yn86~5!^5R{IzFpmhXl$H_G?oGi~y{NWO3T z!nJ2^!u`B|R_$)hUYjYw{cT@Za^~am-FW5}`F<j!zU$?__0GR;=UC^OSv2BuEp->U z4$P|kh}CA;<+-@jJ$tsR#N%>(O_hFfCay!cuEIC3c#X>$yu&~1+ck_rAotq17uEH^ z7#gyz{jF{X{?X%FiqgP#kE@f_10GkXgcthXK9B3cx8VAS$F&jVkNmyIwaluU=G(s& zqdCi~Jg#<(ey)F)#XsH|M`f8G@De`Gl}zFISLJfucG=q7KN|n2%hlY43iRo^2j8>t z?f6&ka@Aj^nz;tvgo>T0zX0D`rnDQlZ0)+We~l`c>j3HlxcTCgcJ-I7{rKunp&{o^ z97wybO=;JN+W-IG{{jQav!%iN595Jcb^jQ+xOU*F_8k{{Lb=Ny`xgF|AFuL+k_Y^I z$vRKv%6H;cUAON&SF85t&RH{Y&YH@%pJUAS`RA-zdajyS`%R9j5C%;i2q>^an4|SM zUthl)-&f#s13sU`=YD)1!soy6X){J^j~Xq3y}4ZO-ajNlb%)mbY6ot9D){x5P%Kye zoS?^d^HYcQKeW#!0=e>UPp-(<8xeoq{(C&e{wO+_Q24bw!1K#j<P!c|d6j_eGscXU zbLI88=^aR1T9;1DHX?!4e3{Lyx7_^HLjhE^cXPh;ZF1dOJAf(<`6v5}&!`<>AMCNy z=jc=e`{$ldTxJ~nY~8`cd3DcE57wb`fn^WyC*k|E{g3`7{U=95%U2kK-=Ruwubkrv zMN^UST)C+*pNdQXu~iQ>1C7L>U!lEsAh_up6pQjvw971u+5}0pWsNbLA{W<1vWa5j z)&4c^%$ugAMeXm6mWiYrTwyf$Vn%&M?nv^0ulM)y6&<(b${$1T#+Ve4Z75&2-eUan z=BGMt>u@bMAM$uy;N2C=%^R+E;mW^hAb#ocT=@<G-nXLtCd|i@Rn6$6DSPN&R2^;K zTILG%FRF^Rcb~_LN~@$I+Fm6kVXGu$T?Ev{a`kLvBHAAri?%=apJ20%94#@PyL_)G zhp^ykCGdCQLltDht*qB<XhRvO{r#=RK><nlF*)k*k4&T^6Vxes&`37g?s^P896%4T z!u~7K|65i6haLR`8MOm~sVa@eLqy}#i4uiIR@Dxq8hoh+f2tvnY6zto!l{OeR6}LT zZA2zeV+^v9&5OJMKicpCJSTjCZ~R&K{MGsS=i&366TY-qWCG*XuyFj-+2m;82IFS` z@)bAa%1<j&3z8qkb^H9ugWP({M>vo63Sb8hkg>^9{@&jw-aj2*Uj?(N@Ok?=x&rN} zevGaFP?{=Et?(shkbxKZmRk&LNkFjoH<*O6!e<0~j|T7mB5u~sOrE_sc>iZ`iHn3E z<(t%vH`qG>q@tjgj%I&TbtsJwv7i~DsTwS5bHWW%IbrTpPN;plb^y~&UGMLGI`{y% zU(nGpi7no&+2T;`K=0FNn{Rn;E&*&{lPM1vFB<!k2Pcw8a!?cZ{|L}y%C8m$@Bf}- zQn)Obl+8Zpo|Kb)&M~P;ymanKY1ZNl+*2lyJnK%pz2{{>Sf6-{@jdfLFXwW#Pp209 zF`owpjX{k<L3L}aeXC{@rC^|-Y6k?xkQZpyv(RwGa~AuO*<8Hl2IFniO~&*6yTrxM zt@Y=QEdm!AKN>vc^FD8Q<}|Wp;#VKJ^%jVp$Xob^<;H&F#T8J@V=1VY^4rLK$MID1 zm0Y|s`HJtJiv^YrU;FL?SOUpIISp)WuJ?s|K9WjIz<iFSBUv(4uDppoDPf31bxkZc z|9K*pqi_r)iqVQxf-Wwb!r#fRtSkPGWMm?=xbBsW|86A4y)V=bq<uewBalls{mjR2 zJ+#p>?#-orXI0f%sWMN!%6h<Op-S`&=6eGTe870w__5ged3gvEel?w&pAyMmfEp-& zBddV>5QOi#irf&9na0SXxdeX!bZMMTb!Btq!y^2>zYlKu5Trb}!I%3$u3U!5a?-ir zrb|$6yp4UYXrBj_wmf$XgTM?Xi*t#falLPai~^-Z{AcmR?|@39D{IU6Gr*aa@$cZ0 zG9KwYnrJW<`&)DKAL3}aBY;|s_f0&#qJ0a@hZ+fV#XtdjAVuYo)o7MH>rE^|PmR*k z8sFruI;5+Oj}~?{IJv8f3Ga^~qEA^O`WBP`;#VM|K~^sI@7o1{Mt&vWyMw)FaiQb^ z`V7}-(cuD4a%%#Uf%qk=SF~@pfk;KNlQD;>E6hF4t|Aj1uH2f?Br<$nx^X!OaIS9R z>vb35f-d5>u4sSo&tNrPhe!AI0ak!8-}t`S^+#cTifWZ{@K1~R6p?Vsy)d(7FXz<` z+>nZ#sC^+78BRq`ry^!5GD=yFi~~DBV}IniX!{9DZX%Gn`MK21$8+T?6?gXz#P3>R zbop<{ZHVW}9|8L+;k*bo=qfbnaHE0_7pqWqKw1QDx#HF}@vyQ54_=bDx|uSg?K$HI zm~P^P`Ez78s7CzKw@(K2-J0w=?uySMNV)O>>CI<6WeF+eli<|8@EQPm%n8s19o`OC z?a}n&HQ+p#@dNX^>7X*6x>W>P<aq%U4R{a#fY#@T*5g3$ROG^qf^&8_b@Sn9`y*h5 zTq2yh`A9B7H0R3a%6uz;;Cq)FP>V!zDv`~7s}FEEQ9Z}Tv{X$(wvhlk2NvEM2fD|A zuJ-7q4s?f%w!_8`mgf@BnHM8;SJ>7gSO~u**>yxPet0UzmHv9@2s*Y{g>%ZLBjbS5 zh0F11d%Mg{&8pI#RRz?!(Ken-WQ`WTd2F`$$8?0CL~Xwg{l|!=_IlEUXvy>4o6&*! z$~#=H;GO|MwoH2V^HJqklE($U>gD~B(R5^#6oH>o?h3W9RNdA7J{=ijv6wB@H3GGG z+@JuQFen4V2F2jCK}j(CBPTGYiKzJtBy+%-#v$|5=m6H}8bAXmb^{ZZ!J5~<D1_E0 zqGsf+R_hN+>-hOoq?2*R=$w|Z<k?(2KquV_5^Uewnh*WUrL_agQ%%+LYJZQv^YK}L z&q92z!lxdeCVZOlSqdkuI*LDmRJ?j_w0#%>MSG{rK7^911gE<Ibn*aM?YdmNdY*yS z_@0Z$D{vjgcO`nLSROSu)^Z{tO#8my%Csx`msW?&%V|5~XgvnwFP-_48>{EK;<IJ= zyr5cf1n0tkLLWcuU%RWy<?3+3tiGs`h;YE4YMFpfxak$J62k8OTPjkED*F)$)TI{9 zH4qmpnx}Z5dMT2<!F={YG`wf7alEDr=Fgw}Z7BIlNun&-<##1YYX|BU&3o&>ACAm9 z4yLnIkq`dUp8uA)+>1aOlq|YpQDw%T%z6_=$yeO*rsO^ITo^jB9m?2f_8WtPS#NT1 zhIddn!Oj6tDPN6P5lsQ2H?2UdNslZCZt!Sbr$7Dy@XiWwiB22vkrGtdeh6j@UuJT! z$%s%ZILd=~3s7*zOYoK^sa-hD=hC{+Ay5S8(z_w!0#Uo`{boBnpDAh=3eJK-QBM7Z zvOW8M)3xtV%HOGLCuw@>)TbtE-|s04XdHLi1ZgP%0Y6|Aquxi$FX7e^^7{N-xgA{> zM2y0JD<49NGgSLsSi0rLOGaA&ld3DHPD_+QHTqYW-$Ys&$TP+=m-M&nHfQ_~%rIzI z3&pZKy23ozB-N-g#>{^m2l~Emehlgc%*1p+%S7$7=3S@UF6t&`6X5jLK6{J#5nbd! zsKB$@h9@iV`19~A>5puO7#6)-^a-*FbC*w-Ll8gIXvt#S-=9?D;z2-q)jW9+6ItHh zvdg?0uyP_lNOtXVCob;k+6_soPgEF@$L2)#q9!pbmw0%ES%k;%%$pR=#xzQqTzs+= zPk?aj?d!h-r|Vo-u(y+J|9$hu4Dk@`y_2^sS(*69G)!9lZ?fkL{J*F%f2kU4;X4%h zbRrWI)A+p5niuG?9s_e4CrOUw=2y?xAdwtzK^?$2c1FnY9U;ao=J2q>3h{k9+cU}( zs)FJ`YE$(g-jV)B3k;;V=Ux8)VgiaP5uX4RDz$1Q;@=872E3`@4W^mnO;ze9>e~ut z9d5@YVy(Gym2jzIa*B})RAks4zY;1oMCjiO{rm3rjc6-Vw-PbbV=7A8B7oH%Hs7wH zH<ngc2%L3?;+I|lkmAMdkKp;tlLRdqGd~IB<9QBvKL#{zf+An+PcN1gjI^r?#vr{o z5XDz&@xokrHB4w~aU5(Ld}uzd+fSggk#(fp((14=2qy@=xRRzjxG9NQ%f%zAB;FuU z$J)p7j6>i=PWJ+raH`XbxklldJe?bUu0>;6bwE>JbJ`^8Xa2K)OLaGTFgLxZDE?6Y zCMk&aFRqB1Un@iB;6>F4#D5!_f%rc%g$Fk+0?Z?;I30}Czo9}8b~(v)L)85GJLPdm zRoM*=sT!G&C)fn6H8EG3Ko-_ppqzz82l;}V&O@{0w*?$`;=MiJuHFPl@vlBnZEULE zimN%Bs<-0{trKOr$ExYbEjRxaUH%!_(v!X(Bjx4mOHk99b|Vhvc{P`q`6O3+V9`S| zx5d`ng3B?n-`5jrs;`9>)Yn>2--K?K1B(P!VKIA+w9aGkd6;@&aqF*@B)^OHVN3OM zct9)@7;@WB6$NR};jH@m7l9h}aC(eIanK!%T>`78xj@oT-8=EPq*8UJTPZ=&e<5Qq z)i##wtaPpD@2o%+k~psezJc-!K;K)bM|)n*UF33Y@U~`(wC`Zo8;9UG+_0RU!v&x? z9frjrx(kaDf{A%_tpIcE#G00IYpCYtiRBCeGa=;?D2EyI-T5mu-+h2I`Km8olzi2b zC|hAxa9%Crm{+P{O~%X1S0NCOvDv*oS8x;87?bygU5O7GZDVym32yov3Y^Zv0Gx;3 zqxa0v>j-ox3w(kP(v5%*@sxtQ2Hypc|El~?L;kB@YJMlH(}kMWskr4Mg2;mnapqI& zR{G<=0VFpRf--<A-H;R#`amHvg|-5eG482gQsN7o;NOvjjKP{kmB#10d3mJf`P9u5 z-eX9G);+cEx|(Oa-;2RZPPM@Kx(VvVpo@o$@0&&0P-iR@A08Py?QFn}gWv5voBBI; znEG3eka=_6v2_)>^_57&Oqer}zBHa>Ef_p?Pld6l@&<U%-gMOb<*1v5?prFq;m(w% z7FE3O1^5Q=AfeJh-fi$CjBIZ%QF1HllylR4Puvw>a&XZ`FfQ`e!A<{zj*VM7qq+4J zHhZNOb@sjhjC$d98rS-6uu`hYdpbdU3bo{S$fU`8DqV?idQk-mS&E+BY9x-a>4jh~ z^?~tE-TeDZ@6q_hhRm^UQRTV|U@-JLLHcjmfd6Wr2EIOs$vbk=3OOi$*JM1ZOwD4X zg!Hn7odUr06gJt_`ihvjHv>G%FvR1c3VR9;=S0zelK=U?4oB&Qo+}(JgSSOTGzT|S z=p)g8VLV#kiGm;h_x@g?zd?uYa@t9nVC6vk>JqXOd>T3sKZfT3cKL@>l&M5eyB}XT zu5FgMbM)r=bx8rjC@+lHZnvC^rs~_oV$+F#iOF+_XwGQ!8)vafnSzx?S%77AN8&4! zuX+>jYF~|j{Tv>_((2oweb3h;gJJZlBV3eF3N|ipE%rhYDwhUhu;0?ULy7a+X<##7 zg!@q3{vd|QeCFKlL3*)pvGx+~C!bGp6mH^FZtbM5hNnOu<KW_r?)3fLxZ=O`{ghw+ z%gfT@bI8)YlqKfl0c-I7hxttPHz(fX3Uw4A&<w%cGv17vHGf4?L6v0IOsaYDJyy+f zG!5Vh040ORtHV)q|Jzs{z=I!v#S9~iwd&1FM-(?)52Ih9Y~pis*xJulV2Ok9C%_W- z4hu`nrLt0#Nc~80g^+9cWLL<zz7wh#!*mjiDPf+K*|D4@K`~pR^VP~{0<qtrhcI$4 zUFHe}fRT6L6Tyd!2Y#ddRg$dDu2v#qlOKj_Y<#GbHkpttnjRA4Zxwa_ywz?s?}jZZ zNWc^<$N`=hf+W96ntW}hU=i7ark@MyrcIiBD1?-cKWcJM32=_q7f9=P#nhz9fUHaA zQzVqP(J)lPa;#h+g_(OF7sn&xSOe{FMa?JP&Muk0c<N^aAYP1>b}H)rmN9b;sLE{A zn4QDO_iG8Y#_#f0to^&hSTSSZg%2|YHijw%v8JXE^uh8K^kxn#r}#@;jHRs!7h!?> ze~?{l4`3-ZSDr<^P9+65{lN#qT^+@c9j^A9<}#Q1JlIzp&lgbF;cjm)Ed4G^J?-(r z(yz1B+rFu=^t00YAq*&v7J8PL;XV{c_iaU6aJw7W0pG}ocd{3ZNf@N%N@=-6wR|29 zqSf*m)zW9Tyi8i|RxSU-(Xw2%EU{bqq~&9(C45}F&kS&c(Svr&pP(SR?|^FgVMohB z)iPwad_-D4r&_+p(eg8>XosxTJ0_Ks#-~+dkE3yi>h@y0+Yd|2an<s;q$m`k>Qzgx z-SR!s()Uh5>DL@BFHkM>h$@nnVbyYzqva@8fH3_TcAqbxAiA$gwY<^Ma=&U>Y`1(= zTFz4~=Q~<Hs9O5%miJ4`g{tKYN6WiZ%b9k|o26y5YI#Cd=hWPrRLdf}Wv#SasapQ0 zqvcyv%RH92J1@GgUA63Uv>byO!`$;&Lg<K=YgEfy94!y3mgm`{b0I6buT!;L;Apu+ zwLIT$X-La%)w0CVa;<6^wp)HwTK1`y!>{C7v{|*x3&;ng<yO^lkE7*<s-?&7bC$H+ zp;~Tnv>XR}7SR0{D2VRcty+G}(UL2CP!ssuZFjpz8t+w&FLyL%aDr}K?T1j;K8!!P z@)K2z*F#_8CNgNrt{ij^)m^lG4E46^iQnG76N^*1@^NWTvd3e&B9=)-`$R$O_qQ)Z zHl(2SoLmvhq@q3WE@$6<E^tvdb2k*fE&Vy_$Lb1zc4cNFI7tq;x%k;NF>~Dl#5#i~ zix6KJ*yM9xGrFsb_!DnM+R50qly_}`#4J2BI9yc3+KeyrM1HM6_aB4Bh+;`1X8yfs zJm|OhOugMDgEeOvdNWeN1WD{oK3|9Y6|#@b)yYrKbtOvnGB-BzYy3gP(P|EWunZa_ z+f!{18j<aDA`b##Xy#|L0sKivcB2h~%iV(~eRw9-wj<TD(}?UeT6P$1JB`E+!{?sU zbb%nc6wQ)@?o`X}%=gogU3iWNY1@_D?@qPtG9tU`BD>eU*J#;=zPv2~qiuH$D$lsF zj^E!@{;*M&3K=n9D(W+0{#4X&To*_+2Qp8h9a^N(0<*_TdHEy!?vFeSoCIR@R2!>^ z9wSz5c&v-YxeVn)+BZ%<tGpl}6!?K<8hgJhWJE$%53S}m7ZMfWo1YT=`GK^kS%&<Y zpoheC#fw0v%ssVFCr()%0EdFzDg{M#)Vxb|!|0vM{bfS6r^RjXA#TiEQ+qV=B}I{a zMC_{lu7gePg>D5tU1HbZFp4|{MXL^Z4>px7#I_5I>&O}EAK)dhG9&ZnR}f;q)5yzw zs+OlC!{{6IJgvSav#T&FDC|$Qjgws?SOXg;(<a6p6kcyPGnz_#Q6o?iGhY#PMArtn zh2-5KSNwy*&_2#-ncEK(jTy}$*=E3n+_q7p%`9yjO<=EJ?a|CTv9MJaIlcCR4Su7= ztZNxw55_>NVOj7xJ#r&xZD7f(?X(g(nNI)`VKig&Td39i8*6-_QsTYhUIF@S&!@R> z;@%DCuk~Xh$t!akAT;A-Z3@jeMF9(Gnae1$oyd&@32@tl(OAI^E}09!U0_5~7;G|O z#KO6wbpEv5JMa(rgor6<ej|De*ig_Ei^OH-$QX#ckw}n^6~pL`E1ex<etY-))hiy0 zhP>bT_nwgBJ|?S2n1i4ElI#k&;?<aSa-l0;NrvliGoR4N-UCJ%JBPzLkpaW|qsVh8 z&4>~JHF-87AJg=ImF^!3?OgqfjGV_YuxQpY5i{Ta6UlaD&I4Dq!igzgDI*g%j*&@E z&fsE>(CKr<D>#H>0x_SUCj&J}@bzMzg$||fFtq?O<26{GgQmq|L1m4HxuBM8UCa17 zk{{{2%nVsK9Wz?Skc|VSL0UZJ_i{Kq6ZU$dX5$M2v|!E)W`M6AGFmE(GP$Y1%_O7& z{@C)p3@uk3f>tGxjin|2y5>-vnR;O#^HLBByz{s;8v@&b*O3-2gPOwz>BPXKiUnn< zHISV$=)!=b>*U4~tQu1DV>B0;DzCsC%^;e7DnAk((At*D))$CJCP9oXs6dHe42XgB zk3+QUn*9mT4t<C&SQhft#gNZe9Np{~5F(vw8KaoDK(@z>#Ase+2*<<Tg<{|etuKjh zC~Zqa7YY>lVRSxn5fOi~GlY=47jp%blAo?{#osik3)%YW2Zw1x00KTNo*@kK5h5ua zIZk7dj+{_m!>Uj#K~vq0s;@EiMW+VOW%>1Z0Dt-uN3hf3cVAYv--1tMP#e_aXeIDg zyMn#lyrDI!YVD{uTa<P}L8_q|(@x%9O*@Rh$~E#3{=7bLVsIPO&g$QNx%O$naCLHE zVangvEUGwGoo<|u5rzAjs}D9@4TAX7jZ}!PbR%cVs&svY6x3Jp%i8*DX*->7t>SDK zf)|A_K3C!znOcY?q#Ly9yQQj{s)@v|W+CF`u7Ga?$R)-)5(w^D>RHGgw#qSi9|8>N z2)@cEq@#JR1WY)HKi`#Tld1)-#8OmYKag<SsL`;nwDGFMLbOV?m@pki#59)Fmo_(H zk%RbdcER5wP)l84XZ95(n5<gnifdnIFWh@Hf}>=_=BL_DC%aB#YnKaRYeY`xs(U-H zg};Dw7;WM>Tozc#WY@TN!y<?Zs<)y#bETRVu#CrCnHtq!x?w*0c4d&`B^uK8^D#*m zw3*-ljS*A2Mt0&4aN|ytX(-URVL@G^4*-hK_9k?a=|U4E{MDmuxMV?Hv)yDI!)9(o z6EB*`U~Cv&P#3eC46(@vNQ83^^ffjKizhO|y|-%k2XUokLaQH3<Ql`#erS6ckm?AO z^|fNZja-&d{Ta=ce`ILMuQr;)^arZNY495!FI9{mdzJ~duSVTrJ9S$YE)O(x%zu6Z zRdouEAuiY|<b`&lR6)z)He91`!_Zjzp^EbxXb)2{Zqb%j)wmTGa{;s!Hqs=!hO2`2 z|2vRxv<wILY<moJ%vC?I6JIoEiFeYAOF+?*GlF|!S0f<~{W}JS&XvJF2^K?;+_)Bm zAFRLHm02x=R3B`-8YmN`lKHS|3O07bzDd($=X_6`bAsENynDV6?uT>-enIDC5NQT} zp{~exDRvOUq8*oisdb@1joeS_U7;%*T%nus>Bi?v_#DLN6_l6Y`_1^w#ph6?D|7+o zw;UfYJ|Dx!<@R_yK9BEQ|Gate7ki7%EAeXpZn6{d{eFS1N>RExX4YZrFa0EfU!@qL zy45Vts!}SLYEIBH;LxWQaw_Qsw1sGv^>Yq?zEVtD=Iyl1?3&!t8c4<9R)+)v+UDyj zQ_YUEGX&ewf0gpTU_|hIwSyU}#5q+EiGBz5F~zH_Db`wK!gMcXWXb~!{ViF=_0FEE z*;5$tnR0I7aljub@Us5G{<G+R>^1gZZozM}8ElWX-;06d(nyFJIpo@K-rAWxaKgG> zu64zG$yS+5X|ic;DawBWlqn7*=hx*AuJ^rffYGpjb9ZM=-g{N{gY`woMv4dp_jI>A zTHty3)AU^+f$liv&=<b|e@o(XGVg{~ZSkiY>H(rFa}fxcZj|eEW0MpiFhJn8a2MSz zpTIV$zuD5?rPAMG$R*{k9vl}2$Ax0%lV9PJ<gip@Jv2H+vMFXn9Zgp4W)t#Us-Zp= zYsx_5FiOxpjDAV=V0kqhA2GN+AqBvN0>I^&YaaIj?p4|)M95p83WPH6+()B~*pT3X zS=ZL57J%EEQp?=FjGE%*YKoJbJH_wG(Iz8OW%%n_s)NZ(Et@*u7spAjFpDdK$&e~G z8t1E6)fc?~McP2DgjV+-SORO;7B)P<NpMftP1#Nktc;o$A>x2+2lpI8vc6<*F`yhd z#K%YoF?%usk^p!-RWkBr)^SXTb#RZbg!8#>;owQ{v0*$?+PG4%xRP^hTqt=H`0Qvr zo{BAmef0%<{|-Z7^x&T61sL*EXqmiwWiEb)P-bOv1lb0<@`GnQrEL=_I;#_drneLa zU}z5}21k6QaBOuOzoSjaZX+oRbb_FNqONhJH7_Ri08F}JAwbYG#B|hr>={1AR*o5d z)}Er-_<bZDTKuIA^`)^UTqt%Cyke?GOIX`GHSsY%*fu5;AM>v(8o5(?wq{-j_!v4X zw<lUZC)SjF8LLRZ1A=Nq&dE<V)vqnz0LR8m-d*ontEuxY)r(N?y~U)SugKL67ClPX zQVr2mY#F*vH>z1uJ&S`P(7>ZQEs^+Xm`5YJtS+{6?OQg0i`0FzF4nxhMD)eTeqbgY z`8NLIYe0P+7{1=kcnE{1B8SqE!>ag*`g%@%9p_hn%eO_@pmEgvx0h%tATTGAT_+^% zaw2mF;fXc18V&UjRKHQyYF>-9Bt=y~rWDZun~QF$!LBqsmAJ031#?p55T-e)&dgTP zO!3I~;HRtfO8<4PLyKLZvSwH4cle~QbA>iS9xM|GdDiwRW=6Toi>6M8dGomks4)FP z`$K&u@JDH)mcc~nII+1oRbtdHO*Q(!4W%s=@dZL<GBIM#y5?mY!fQ)uKO*6}#;B#5 z#s7nN#hQ%>JR5Ahbt++uXT?uFouTdzx)_J5@Tk@Nf}j?R4l+v}vROX@Fr{r_%Liwu zN}4T1DDyACDxYoNiwoIbs|<U}qgq&j%<rTfL?zq}%n3VH3{!`QwGRP?^y?Cip=UeH zx$<{kM)w8=RY48J*R#2$qOX}aG(72g#n9xHbmK|@$XT)ZO>(W;+$PtmO+Bx*9g(KM zi{Kb%{FVyOr5mFZopj?eHk}$835y8+iQ%X@B<z6ns^o%H{;)&xhfpUDHz)5qT_a06 z;e7fKmc`usdvX>0oNNZ?A`-iVm8!)<N6JAGgPd|>_2VENYzcCOp?t1T_!a4fKuV<r z6+c?m;UDpYJPb3Sp!CBsx#QPl))+0-5Fo-<8SP-Wk{n!s0)KM<!dCNdu|GL^07(=0 zfD2}=V_K^PO+XC707-0{iwCPAh4lR^ab1DyFs}3S*1>^_1oD!2D<X9VOAGuu{XL9r zUru=&_|3HPmK<Fs`2+I*hYI;$ccAzmb&CJ}$t%I_%G3m+9nI!vuvL}=K|?YoLAAx| zo0NE@>%%)+7!qR26;X7Qjy#NsL-#$V5)FIR*Cd6gnjBJJ)2Ks?r5XHTV>$*;*Dv6+ z7}h8w9hd<!udJuXVH;(-4kJHhtF}<jm2mD|>vWLIap^7lU%S}^ljP!v{wFNs$z&SD zD>-;Y%uJ~iO!65dZl&z%R2dv~Bw+vmP&BN*PFMXsl|?AkX5uJ>DjQQ@&KwMnD`*9V zaKPLmqzR~GjOFhrdHbj^Wud&?PI<F*za5B1%^wPkFfz_WeU<2QEony+|3>hetIw6F zpFS%u@?Qy!pB%nOe2_r$<S;T5D)ZhA#Le7*Xz}zPj?QT_<He7-M`9LB(TI_@=?2nJ zxf}ubY1CZM*HXsXu(%;@6Tv;3ufm#<XaYD?WL9+V-Ebq=DBV~=NyNQm472QpY40ot z;k;V1spcwFyCo~$t*gh&2n@6dPM9<zc*Ypp`rw`8iBz;Y)2bL=jgK*^!gvmy_?VR( zC4`wu+!pb6tV;JeR*wsbw@1miNEXI`A1e-o>(X-)4Z7n?6xh-^tF6wx@fp%567raQ z<p6u*1gmj@RE2a^DR8sC+Jz3@mp6$*52OPpr1hlrx%sPFCMvAext*9NSLfag+!)(- z@eZqVrK=(n6-BJW+T5T+F=>ZD>C^w!`W#j^x3<zc=F_+4<v1rYdHrdd?3Mn@`1#Aw zH{vuo`8mohwU*`hzw<LNj6+I**t{1TT%l^L*qta)_!S~3t_6va0W#cCvq!9%V=aUY zGL6(4pGK<it;sIr3Bf5@Aq|<64QS^sgqJMJO$&Z<KO-!hb&+MH&?J9H`(ws78lP74 znKwz0LV4(63793hPwWzcUnWyBv|DKoD$>>yMI-*>YdAQcp3&pD%O3#{0pos{e?VwV z7A{LYu#)(Gf`5@Gyo=?%yg@Fo`y<#AMt`qokR8)x_UvCq$ec#dY{K4UZ9(_4U0@w{ z{){lELpHZzaz5=ZBBr9|b=5M#RByWg!N0EfmB}Y~QH<l)EwBaKTF@s>z6R30%TSDM zPA)`_@<d8X4Ea0q9Uue`9PD9xCHa1%j|)qwCG`|DkCZb4>uYA0PscA1gt7^(BE@y& z)9gjsT&LR1K^x;fwuzc&#OV4YXv725L?g|7pbeegw}cO1H}+mCrV%E);3pVmb!`=E ziI9s_&q=|NEAauTgyaPG1VTt0&lV7+%Q1A|jKul_y`t+7H!Zmez!}X~DOwQQv{pqV z3QS7{iWRq+U&l6O5`}8YZwL|U8m|({{1dyML>WX)=z=rvZ+SS?%sAF2wP=Lo;KG=B z_eBz@q<W)5F8+1JOAWal;cg_X34fOWw)i)1`ye{(+e$OY1#a^mSw8TkdT+v0sRwSu zU!$MbbNYFWqj{w8YFvtJ-A%An+xzO#lOe5Ao11tIL_DyR9rVgysjBO{3RP?0z9DSr zI(A-nALq4R_Y9VFWvT!jXQNGNasdAAivc|`j-T#bgTH9%$^?ymUeh&D7f<lkw+=a2 z1WM9waM))oEqW|w{_z*YxIc3k;AuZS`2_nD6!BuD666JX(p2mq!JiNDnsu64Qij#3 z-ev;x1pm5;cV3L7(HY4cTZWi23NDb@nfJhsKx4K>iOBor0}J5aa+ZZty-m^&{|a!t z7`Yeyz{Pls;ESk?w6kZOXAu^@i3J6bsNMAsa2f!)q*QOcbj`m4A}>a&6^Lm!*%%sy z%=IUD_jlM1tavy1cwV7!HxgmHk45}vGk$-69HYd{f2kr2{#5Vn0t5fL;`5SE@S>R9 zbrmkO{&;|esRvkMNcqUU>>s?_M_eI)cD~>*)jL-j&SS#|cwP6vM*K|x{Vc1CbVK6V z>BwK<ISq=;kSea#ykNElY9U%DpWt7?IWI;^@dyH;r$IC*x}~^-qAL+CJ@Q*M#k320 z!zBR`4_$P#lnJf6NX6PKlU;MY+-E6C3sPS2<>Fiypnvp-<i5Hlh=!DoJYe;qlVVs3 z@MPX4l(w=#f(RlS1<8|M%qO*(x9Y$WVkM=;;$hKZ*cOAQQz5}a<_c}<TFrOi=&BH8 zzRaC}U2%vtFEZz0;y=t3tF%SY$Vbr@_7tb;cK(~%;!@P+3N<cwg>GHx3Kf0W6<UGM zmK&$bUnB>yqo`lF#!6vWWPD!4z$%TJD~1Im+I`qZPP3c3UEf>zjcrspNO7d7Zt_`< zJ}MI=I=ZQ9^0|(BqDK;T%ysnfnGJ7R3xzJ}4pCoL#^X(tRAfB1u_q=ydf1in#l-(u zX~lbMZYqfPzJ5~R2Eg#2S*PMXXTIZl5!Z_3@Gv-%N_6CEC3ndy5EFh&h#qKdUkQFP zyMLy-n;I5!d!URG9$03Dg*)L0Q1lwBhIvI8s>g7JJyqxxanK_mD3+$Jh*1^(r4b`h zaz!$2#f!U<4uQ(@q`N7I{Kp1mu#_oL=HR&0W@1gZBB@;6fTEj-=RZ&(dD1;~V;Ow! zNnRQskZv}&Wc$P`fO<=w^6*(MLaO~W>=QX$c~-(Yh96_{EcnO2xoxa(8@&b4Gdb+z zvp5~2o|RxQ*)=N9n(T<rn({1XwK-z;iQ^zJhxqJi>)F$6j^$f<c9=JOc37Szf;P7d z_w~`r3e0{!d%}8F;!`Fa>6Ow4lxL62vkK<peWGtD0orFmen9O4gD|b(DO{Web7tjj z|2S$6{+!i?{`_hcpB8w#&ULf5Nu27)2r;qLd0IMB8KI{WUnDW?^bayZNdFK*J9I@x z2z$(Id4arw7ik7_>H4Mo0<WYSqEgU6cai5mB+qjp4k%6r`9i3mpW}(i?!eJHwhcI) zb1Oc$E$>X{S0=deSlB2P8Ax^wz>h9tNy`9MAlCdfWyhJxh0W{+A!w<41~=kLIdhwE z)oT9X1tNrQJ-L1>tLwJ0xwvk!Lcx?~k!2<JXw%xmmi#AhNLC&}^ax&ci4tWl5}y!r zfdw0EN&s7ke3GTU%}0&Mw@2<&of+FYQ3A(OJing7X57Whn;~ctm+eh<?WG!z>>XK% z2jKI4k7RJsxQ|?<y1)vv52oxA-ABy4-in|eOLjdbPd_&DGWx~SJUMo--bXR-86*~n z520C!(2Scz_1=L)sMV;6U6tBOyvWcP)HSk;cP(>`aQ_y>xB&l8C+*aRIHS2zuirnC z?0UqVK!85ioxtQC8TknN(~!)Ekr3|LDf>Uck;|}_7R4aDK*ybyGime@b20P1)ohOA zl@BMo9+ufYJOUS!v)wNM<JvXCWHWb|IkJ<oTiD7G-ABZeO^j_f;fkBbs#B5O$*$dQ zqJQ@Y-=UL^9Kc_}iXObWO2c|M)pmsJ&{&UGrD!!UC3VGz4@OLUM({a<PX?b+e13z^ zf8+C8j3H`Izj!21r~bABt>*tUa5xf4+wymChTWu1fPg_D-E?6rQ(rvt)P&?k#n^uX zJ2NO}SgTla8`kvk;rC-7b%j3uF?Fre6DmFra0OC1xlmJ|{fVe4t+<K=U*;xVsCQD` zN0LO%pH&K&`Sgh+<A+VTfEk;{_yR-jyBp_fH};EeDWMZLXUh!cT=@17EYwm*VwW=( zI{e0Vw+o%On(pHQM+SK|oj>{Q^HMTJe}=h>Il0h%Z!?}h*Z{5vfneIWfGAslTg_@~ z<0W>lsX!S`Qw=L+A1)eaN4`tEw)qb>`rMf&>Cb!b<*<uj!+cWO;_vz7?+_+O6Gpxn zAL+&OV8v%Gl62;=g50@m`i3he`=q&4H+f6kCbwW^(*=SR>`T8$!9JnzXl%hY3`#-f zM;2C;VNpT9tWMts{{+g!i5``&*a^_`D%N&}K3?DqeNmwsGp93zIyysK{)bj9MF%4r zsf8fAOom?zSV)%kJ~}@4|4?zvRL7^8&#=dE2n<NJZK&8P${UW)-01D%_!$0u%nf2e zJFT!FmS&Tin2^iJR$M_~9#nTb)Ync`xJ!L$r|DsJ_lWv>OnvR;7g@{U5pDh5m(#ts zp(kk~nGfk!qGffp#;#>3q}p}bR}5IBEYhvMHmR>ZevtvM>`7C0RL1_B9Lidg>Y?;l z%{+FhiAzxnrI`K$J=$2k=6$$oTI5!}SwxP^Vg9y4loAIkNlB-?^d$F6|DYRH#0XWH zR%nHbtaSQXUQZpy!HZ~YuqEU`%zWf30ae*=S*ab!TnQ0*9vp$CwnFQgS8mkaYIBLS zi<uQrZICwjO`_d?_&IyGz9YYge4<E(?LR>%Cq{N+?%?B}7sxOdt?2&5%%7>A^J#uA zs9ho6f~5IxhcELbGEVHA3u=QW;ZgbFQDO4h$r?I2xn%I9XL8Zxg*dH{CBI0v&C4rU zpueAvSj_xQy`VI>=Lq7<VhKnxZ(^ocHvkl^rYUX#a*Pc8zPiJKEsZZG#gXsAz6W~m z@i*fy-Uo0DqvFaF-1Ih(aHI);EH6hA6$@EF2?kkpm5z0LUj8FW5?4sKOacKF3!=u7 z`IZTfnsHfLwjEW`xIAbA;yj(XiCfaAJ`<Jj49_^U>^Iai-<S3alf!O!G2*EFGhrg7 z7A8+|L!%G(qLYotT$r}JJK)UdSx$imE%2yp;fFUcmh2jHBN;&~Eli&DCvdi7EW<q( z=|;ZH6e>+^ltBc_6hNkmP9WXC!WaeHF)~G>JZ-O6;$v;j<{wjPQz>$sA03i=XZoD_ zoBnvR6T8#UKUE?ZH2|%(c~Ul~aVZJ^tzAWybr*W8=dm~K9e-l#)pUe_>WR!;@EcT8 zH<SkaNBjek1>5tvrEY<&)Cm|8`GNVurICubIvoLxHJ<@^!vYH$iEq??ZLGJBttv1% z?>VXvASQ=(G&vB}()@mdGX#JkpdEi77m)lCe}9qJKp%Eedw-z%nref-DqYY9b>C^( zAQuJ`a#qdf6#=MTgR3`gBLY`4i5zSfSRmvho*Ea*CAbPOPP=75@CRu@Soe^yhppeh zlM|Ug7aw+sDzL>40Y5rgsTAe^H9ky^&RxDjc0j_f57_R(AE6a22F<Ud{VA8nJ{pFX zhvH%IlMhKYbp}W6Z_@sf@__<8Cw|rJ)Kwv4>1<zWX$bpdw0D%;7{bv9tN<$iDv-t* z2V!*OMf|Z=kN{Lx{4ltqs$JIdQBPw9mOGiaL;N(46XAG6U*|l$Ppe$EjLU{5o^aT< z5ruJ_3ChA*<qP*(P8e+`j2^a~a~~^tLe8GVE)1XPQ|3$tyRREfqUQ3$nprixDZmSI ziUS--ZggWZ5cYAJ@62Cgn=|25k6NJnd5i;EOLri5=C0ke4uO$-Ky|w+?JI%lz`?i@ zAHVHk(oGl!|FAbB0z{_Tj-v`MNP-UF8!Ojihd!;ah5Mx;ga&tMxUJH36Yx$TpM(co zkk_y@kd}X8mv`n5g}?(gQ#cO7{c6DZsF5%oheEW&`Cj2DiINURa_)nXS3yhX+CO%X zwq#|C0mBO+Cg}p1O0^7Qn?4Do=m|1~Lv`CUN!125(5=bss}ril=b<O~=BbwB1`%=G z*eoRN6Ov*XMJNCG7S+t=;GVXe<dix2k<Iv{7-DnZCXlzU1^E$@Z1a7+yp6o7`bIMP zZ*lL%E<T)sfl*^jfDMh~R!ndN-k1@2&S*h^`J91cC3ykqB@Madal`E3o|ad!%m&#T z^RCw}0Co%nxF+v$oIF(&5d6pU&II0VuoG;9y{sRzk_TIpU0WrF**fyCz&Mi!!95YY zTrs%mKQOg)gj~#{nk~Bo*Sn0iU3G0cgGn{<oi&kN!Zr`8qnl84_UXS|TbQZp$c|*! z4i`3rwCzaV4c^wsL_!FN+a(lxP>>KZ7I;$eSq~dc9$%_y)+0uXD&N5k-A%I|vqpGO zXbnB!_otSY?;ZIluru<Y0J~cQ+qPTImF`AJUl-ZA?jGxm>QvyiC%d)_aNC{0k<xfp zfK#Virvj(Sx7)y}dmcxHOJ)Q2|0s2BJ5f6Mkg5^ciT=|~MG~iAkudKs9eA1=0vk}a zB)hh_9DDR$c}A&@$QJDmAN&WWgD3Qs_lJVY2oW}lhs#7lDRxw2&y5`Kwa<B)#Fp0D zPFeTGATO;sM0+HkY#K;d9ehPFlTCI)_apUwx@XV@KY<%dkGf<>sLA+QD>Hq>Gix*l zw4-u@ini^<oVH=?P)+bvaeykb47*0X)Tie85M8{}mug``NJ!5{$bj=TIF&IjnS?Q( zKTV7Q$~nts`_NNR7M#$F>|a&T6hy+dJirD5HTnH+a*tOqhHDxs3Vbg<L45N3;oEf} zrkvY(+#V{)#8`!wqKEA->RGf8ek<ayeY&P4&~q|Z40#$HG_ktfU3ES8x$FADY`#bV zrvK{t%lV}9Ija%jvCot5g#f`l3mhBvBHO`(4k6^|Wy4Bn=uC>I4SCRpo=)&vz9muf z7HW|Lew>XFEgy0x4g<MPw-NngHt_%O&-VY|^ZPkex`D|jkQ#n)2wial*TMQQ{cgnd zc2y;>G$vJlMso#SNC4Tixr#1NOeJFjsV!UCGb<Y_pb)9L3#eevSEd>XiKfAX!kE^v zGs#mpYK4prXNfJ^fqqO9UBt{@nJ5-T!93aiKvY5<q%xjx&XqWw)PEQe1^6A2@z6*L z8x7jBOiTgA{ow{ijd*{L?wR9dF&;f{pq)F-Ly0FRchCMYZ3}9|WD4r!e(sSaTEIHX z`ZP{t$&aigX_vIMem2#sf~!=t4rg67BGXM<tLUn$0=t*Y52k>l=X(Q&?P01Rw^kO< z+}M-zXq9=*PB%7N1UGGGU*I0BhlUf}gZ6FJd2r8%ff5AyMk||#&>U~l@g66O!L<zZ zRgwj{_YeyVAuRPV8yAN119km^gRHS6ko+;!1h5Bw$fg=0MH8tdpj5WBZ6cB46a<<I z^U*K3U6(M$k~~EQ>1$MBD;5^qMl`@3>cCwy&;_jGp-Vs*7v_Q1kNVBipNCdtEP#0B zefF;hIOAVD6RoU^;jqJR$bmoz&Xc-a?sb!selasGrV^V<B<cn}hSU?-a5Q)li5hGn zVGMz^H)jPFS0O77P29tVEjR<%zw>U1IE=<hLc6_(Y=4L0xkLB|bPNriDTU^k2!8zt z;f{rZ-)fuK>w<?-vwzSm3Vy3)!h7frjkv;2A`^F{JR?|IR}4@|P?TKVVU*ng0YSfD zX={+L??;4-fL2a{dOhbafgkNpc~bc196~iXtSeLEV}n@^ovq=}aI!$i0{A0Y4o%Ce z`X4%jK5%MTMcy)`RiqkVl?ey-%Ff5>J<PHUzjl$i8Qt3YL>-e+31LWEi>z+}^E^@F zd&HgL=0(6DzSAhXwDt?)xMy8+#o8xO-)g>Jvb{WGgcW$wg*?MKRgSpn8#CTh`ih!M z^p)BZxb=^nuFx%?c7=Y7&nP}&kj>J)T3<+y;KCxsg%JJZPw*N+rSOzKK@*rq--daB z5S!V28)U;%BN^4(fDnO)Twz=94*R&hasrf-rNjw*GYk^%Kg%1gBxPB>85Cr6Fa4vR zfVaik*$HOLYY0aIzOHS2-Q`n*pB|i9#6sG-iaT2-__J}|7XLmm;G|`^A@ifmK8M=C zcs)4mR)q&>=4i*>gT0P5EW{7ct>cl|!4aI)?O}OxpaSm^X!8%AsleVXRWe^&0)<6^ zA7S<cv)PD-i};;FI;ABvbP_5QYG)3E5h(QuIrbSI9PxVx$+2zW!8668@yFroLeHZp zukrs;wnadXgojS0U>+i&+DI6$&K6VGgRO)ZXzgbmGjqbj^$+0Gh=yxunF3gU4wv<{ z$p&Qrv~@R5bdv0SyKr&r6q};ab>SK+@PGj=*yQIb>61iC&7*8(eE(S1d*sfeL@^%i z-x7KlrAmmB`?%0u-1TPo*|}&3RG^#{Y&B=gBtn@*lD?8R1`z8;Yq(~+pKIqhTZ{o~ zq7?+ey*Yqj<5fl@t?21hphWlcPfB6o(d1qZ<-HedCV^DuePqeUSvd3FGLXu+kJm}l z3pT>mEJ)NgDL69&hnN{t0P_^Hv6PfgcBzD(qH+3s&3b+UGByxH2cZaK1iyuy*`7bp z_dw7*ivEJ%!V#U2RRV2<l4eiL{HZ$3;N|gKIDjZ^#G}7<l%Bq`B~UN^roVqv317K& zZvM}%n-6L7uY(eph<4z`rvVje_4Dl{=A+VUz)OH&j>c2I&6)4;P-1?yrmiKs?)~T@ zv~E7V(KC2ag%|i2Z`9wv-R%SFTFrK=BQxL8<5N4DD_w+IL2oQU`H)A9n(wwAMTWtG zA?;*R;1~J3aMHvJE5g_j>tFW)=EwD_*5}pZXdu&rHG(e3yPo;-6}mxBN_|K+C&_C+ zln?U>{a8ylIf77G^?N1yZ41CLQEjfZ+r%*EwvYrh0kARWOfR_AyiN6<xe{GtL;HY7 z4LValiP-N9;(UlApaYKwdImXZ^=!3zRt1{K98>ZG#-`2W81WS7Rj~;2t4paDLnuWD zcsWs0og#4JO6%w3Xr-(N3g;Jhk@Mk9iz=0q*-myQ<L&9&0m($K+-0Fx=R^O`0`zZ0 zl&DXl=5OWfvdX}PXRN~ujetN8@)%Upqfn~A;3)DA!frDV8V#N-2ByHLfxAF$AxVvF z0ttbse8Ky^DvwMIosoA2Q0Kw_Odi6)%Iq;jLEtA?V<bwD0H2t>?lLebK%}!v+34T2 zB(MfUwoDA2tQiD{M1?BvQUhc@gqBH@j4+O4jtc8{Nga?no*WKFJ7|M@2FK8es{ZXb zMO0jwK9lF?l-1nKYtcwU!}>rfWXaET+@=}SN~uj{{E|AXhwP&-I&=!SWs@zlrOB2M zzoZHaeO6OI?Chq*?#4Rv8cL}L+3>zygh>SnJ-nW*jKBcOzAP69x&s_drA>XN@YS^1 zBE#)+mLmX(nr2TE1eHRdp2Q2f<l&Mnco<yVA8u9>a<S@S<lXF^%nEdDmbv2Hjq=JS z(U|C{e@m1jD<q#$=NAE?JAu>U_BaZ{n`{X8t9G{RYE2Eq_it}tGX=%JsAd2FtjH0R zLRZb=b~Cm9g87ELi8+G(p_7^z+=%ETl*cC2;3<pjn%vtjkoj$Q^UJbP(hZt&CW&*< zo6p09s0WGk1RXPFoJ2&kvW`M;hilE!JgY2DhU*v83h7F0)lfL)?}=ggqOi+J?{Xpp z<5P^7(y!1?6?6J_ih)M<6F=P2L~W>XiMOu_I^7R<05tr%P@qu_dy$;rgE;Z@npVmG zE=Dad@^6?1_2OhMl0NXZY>SIt7$fK;jBnjlQ`lyn%{Jdq?WjzZ4ipxRnx)D^&Rh+E zF+~T<<)7V9@N81Ffqwk3U@ipk5tG+YSqBh*=CvyDgCbT(!*#Jryds6~VZtj?ir+Ud zvI%p{tS8XOG#!=WRX}ne-6+0whih*Y8i*G|9mttK&eb!>ws(INsEL|CmCgSFeKZls zh3kbQ<z+CEd+9ml9|mnOao99<UV!3u@V?KX)cuIt;bGeJ4A}Gpe1DdbZ3>Pl;z%5- zVQX~@PY2>zjl92C?phvOR(vU2EWopb562L2UPT`PR__nR6cNuPxW~9(bQA2^IytOJ z+ag&VhT%n`SSrA4*8V?CzfO40ibc@_H!CK)Ds%Bhn^16K>)I;U%>%O-^K0pt#>{Kg z;Wh8r`7fsuqp2>gak@6(y$+)}Y>Hl6H1ZixMhtGiSQ4&lu3Y<8+$HZOsWHkgSxeGa zxDuYsUFZ_&Y}!q%L%&761Y#V3>S=yu4i_Rq8N`Ycv3?{`__Ip3h*T_REm&;=W%O8S z)%2R^YROk3%P`^PTe&7i{#(UsK<4KaGOriP^9IM+D)Hk}svk_zC8io22;by@I_#%J z)7rxWhMN#FS^*{2K7w|4E<yaHRSd=d;CMGq2hqFFTnGkm915{#rQWwXIfIDjk*^b8 zKPi+`2VLUxF>LbgO3&I$QP<Nc2h=v;MOX+ID`1hNw!$MzzM$`48XXG%p+n^Fkjp@C zB&dhKJjyuN?`9!`?Ep4#i@v7VS0Y}=GnDaIRVqp?D%aIi1o|4U8WSg<Z4lpA*%Bx7 z3-6Txvc-Q#%B^EbTt+?T2ulO&R!t2{u@TF^4hT>ST7LSlk4vv@2ulOe%#ZZa5B+Mr zbb|E||GEqFk02btwDeQs^3<`+CM)p4b7PV=80!J&qv5)8-E<7Iyd$+GO7ArDW2~?6 z=+HcPbU?hkqH<L7&`^YU6=8rOFMM(`Sx#)PKl9VP1`vDzRe`9<OalTQ>tGX^XJjXa z08Lclc1ifyFnnFmCe=gRgFY$3&4JWri6HHEp?o`uL^<{ic*{F_2k7Z;Iyn57M-e<m zzG)MF<G63#`H(QS+q9KtoBuLD6AH_|HjKyF^z3JR+G_rb(sOyzS>X^|&_FQx?|3>- zy!`4LlX-RbaTXi!o&^w5J58eW9dv}S+UArFmF67K*taC}b<I5R{XvlJ4b;Aqis(m8 zDxxnmsfd2hNFx%0dE(>clYGx8)!y25<$BmLO#F_N@}n~+@)VDZsss}@nful)#NKj2 z8dkteL93bUGV8&4ZKH#yih)@~MRf2r5T>M2j%6O#t1MhOJ1x)gy<wqs<+>e0KA9!` z@5~86f|Ln0Dix(1Dn^3g*eQB>MGQxx=2p>-FvgbdrP@?2o2{1giK6BmcFVLl%D}|E z7$AKgJ$bny+l=Cd|IlH&XH4HrI>M^t8!#mCKDW7mEY_ZV*6T92{|DKRx_0v09^B{@ zJ>nE3lkXwqxD_8_do8%p6Q7;=B((cMnW`JV2NRh%*v)BMY^5fI00;p@s4m1PORw=} zP9saqxMCu;btk~3(;cgnln6?~n0aBzO#lVEF-2>`Vug~Q_POFnyoI>Vx1Mn!=g-(} zjA)=ils!DWk%*4f7;SUQXrGvJft!{Gr6G_h95c6w{{%cxmhdxs6KbEStq_1eieA0% zkv`;q3wM*o%+HI8uwUM(;+OWZze7{!>EGfSF{f0zLJt^rn6ih&`_THuT1UGU6oIvU zE^59c)i`?iT+BQ;mmR>lph*Q1kz#W$zTuTE*&>n^6J%c9v5iQ<A2qAhVPmDtn23EF z23pk^re}<l=Bgu5uYNC6@qxaw_wl5x`iJM~ze|>zdS;^4{8um_SO+Ty`R&bEg_w{X zO-Li)Xz+45!JvO{TlbXj51R?x@gV-nkrGLol3bETwcc}VJtX+Tehk%0C3lcYfri1m z34DCl(fw)xDvURH2KO|&FJa#GYBEHycZ8H~343|YJ?8B>#j2i{`8U}6EbH)6P-N`) zG~+l|@!(15S=EbYaJaPekagGSO%4|i4*MM?p3*~nS76IHbDrZ!;Dz8uod;=_x7LmK zFZ2750>z6f322}n?{$LFt3lo#Y5Xi#rjUxy4xTwbd8)YQ8N#X{>5IacWCus^QWyf# zR|2{YntlvFi$JTX^fe&hV>MFBeT_&p01?PxOpFYRr&X{TDEx*T4H7t>4j&Gtuh~j2 zRw)=^!Y!@jtO9?4Q4gg<%u1`dPsnZYIOstq+fo0|lk4$g<mlRHo)6UIO$}brOZ|-; zNfxV8>uwS)7+c_N8}B*AMIt=1d1>f!*?a-sYFr>oM}WdB>lT}5_AT{X4xZiIxL_Vl zZXdQ`wFTg02KRVi@^dwVkYU{Rc{2a#5CFwLe-56|>jDoGxxxd0$zSt~0<W)RDm-+> z_`=L!?>{NB;;>Q;^evE6g{_W!&+RxEgbM()%Shqk<+d$&aWm{4HlIK()AO#vn^(Nt zMabm4yyX^d#YUx(Sm+1egHv!ck8cZ;o2pa^54yz9mwHH#=u1nBjsh5{5N5zKE9D_s z#s6Qv>V-dD+E!(FY9c0ptn{{+%Gp{gkbyN$JIF(Q2w0K>4u-k{3I-9iQbAG={Tr_T zM{+K_;JMN5xXSP8kD13Y0qX&q-Z;MuUrm&zI>9hL2X+WMfr{1P%8O|F1eJKVGuD8_ zZ1J6JZGpZ3_TgwCRey#02YT44f9O)>b;Z>g+y;BMvCvXIp21Tv2$rtFl4I$Rb&E^p z>ACyKgA2$i-+vDm6@1Txa(@%vB8*oipai!}4a2z~uYvkeDg+Nvqy|kOhl;MR!6T{# ze8cfXqp*B4B%^HPYRD>eQr<vdeo8<1L_drXw@&@A8aw-5XZ-*X0b?NE8~dvEL3Gr4 z1aG;3VX<uwZGhnaDv8J8!32Bn7rerYSqP$=-`}NsnBv7K)z57W_5Z|ep$G6BJQVDI zqf>cAeLbfNkE^c}>T6hiomOAsIcmoe9HU>~bHKpsd-A*CxF-n#LpL6omf^&Mxp7|z z_43v~yc^mb5ayF}0(d7me%Wn4aAK4lY+QifQNY|(Dg(=um&eTSVHp|>PS0n5{wxbt zU~UnN<=>Vg_|o<o{=O^zHkyYkT-*jZk-XdIUJLn~=;`!vg!PusQM{MPtUXG$_zU=* zdonG4_Y7t|$?SQ--sf3p@w+#9%A0%{Ka)PlQqA~&9GM<GiG3u>#x}YKheJ-2T4-Tm zb0@^es&EePHl(sgQh~ypfy1LsZC(;^MAe&ordjhnxEO{MdO{585|}hvQiqIaC@>Ck z;YxC}U4`+%8wO#ib?L|-9ENq0ybOP4lDu4nbk6H8FO28&`<)~op<g&Dzd=9>^Pp>% zd3$<NbQVA&u^o9;CN34=ck%~%7XIKHzL>NzJP=JJ1J(YUX&g8_Ph$#Jt*@$Sz$1Qd zqcdls_y-OG(3gK-d$!I4ONJ%ImhlXH?F!^HWap%8hfukCh9cf2NM2Ob;QbD=b_C;Q zZtGI4j}Day3(=lc82%dS!wTHwb(z)|um5^C5DAy0xgC2L-la_epaq|FKvy%KgMvNS z&^avc2?m!QZ0sD!%+(&PdiG8{3jy}4+MV)hROsh}^_|^BCYH=&aU!;PwQNOF%AIK) z<)C(Y;ZE@3z9pTIV2N&FgTUf`>{3(Io?3hED(od$W35>!!QdSF8ak;b=%>NQ$Z8L4 zYK?`Aw~%8HJ}(V*(#G>OKBgggN@DC_eLGYFb`af3UOd>SG+Of-{FF8BQ%lxpeS@Yz zZU+!_o^6EjSd+Wcoe51UfpN?CL{tF*(nPIa^Z^p0GqxI&Q+}nSYKDeU+PBP&=^=X- zr+8>9Bm4?~Oq~ZoP$CH)Y>|SEhX%zKpgUNC_q<p4w|@b`&b7-wNO+E48BJUZMTF#{ zmv5EAYi+>y2Yn$l$2HK1Zn=pnpx#Mt`N9-X=vyep>_|ur2UfZhti-q9^0f_s5+)&P zeoDOn53+*DTOU*W8CCVui66>LkS1Y2@Q>EW75pQH@5J|Bm#fNE)3{pJ|G{}<c)RC1 zC<$@$_=+UGD1club~NL*Cc2bwAVr1{Imd=@O(Ra~noO0obL$0qOzvL;XA`gcyhn6| z1>`d(Z7>=mACi9--XA98ZCH(Fsm9evoVewk92WsRbV4FU*VM&Uuf3Xg&1e?zE&){7 z5w;rr<hLWXnm?8m5@yN{*566jKkepH?TAEhOr@<<<Uj-KB{Bs$cd)vGI}W&k-_Dr% zmCp&xoB~E)60d7sBhd9I-0|%((4?PoW}mrn0CUgx@iDuP<lS*^oEkJDAW#d-K&wH> z!Z(zfKb3R?Q?$v>)h>Am41yVPz>x%IsyxrFuFttbU%_YB=Ut)S;BzT>PwO|(iWA{$ zxXjP(P!5pgQuV9*ybGoDJ$Mu^ye8IZD)jbzIdKJAV{113St=pWy{<8ksI=}X>Ka3M z36rj?tZNL%KTeDBY3z-fLsfA%_C~#h9%VB~KjB>xN}k1*C~BzAu+Q4vzCd@-7)Zfl zsLmQg*e7aT<4g^QJlN3ArJjS0cjkWzN7)meSHbR24fs114>6<F3SNn|cY{IA{Rl*- z&uE=h1W7mej_jZWLk0M|Da#a`z$3f@P&m9v$_aNa<eN7tc#{a>(5KW2Pv8-}8A8En zc)*XOG-Um5Y%wNP@rp#e`;5l8Fs(snjIowjW--yEIQb86tjP8?cfe60lkyddlz;Jv zdE<+jSB!FE_F-k58ye5N6TAEmi`Jrtv&7efIl5iz7-b-h=62QaCA0|rro6=z_-tRZ zlXG`OT%V|*k(Cf%@J*?RnlWodOOj44**PFQ;wQ^%l%x|ePd>1dPKsW5UgbJ^uHZt( zdYo^_ip}TL$JN>f!dX~wY|2sA2JdzDl*(o=FxcRTw>1A=XJ2Xl-OqkUn~-V)+~Vi0 z^M)dD(C40;sbb&z-L2*swM!{!R@keQ$Z`3~l%NT`q@0TB4EH|jmOq@rHYb&AR%>ir zk6Djq6Nc+?X>bxsSv*n6*@vv;CuqZ|=6w?Bf38qgf_f@;^quUgD3X^~d|a$cpr&Os zdA4Xh){O$mGez<y=!&FSl!_eJJOf)_*K#~~|HWc3;Jjuxd-@_dW<Gk(GDwNPiRp)) zml^orHCWg?!s98~%t1&9QYaVzXKJWrxh#kAhcTM9-tg{xhCE`*b5P#=u_jr1NS@lD zwvr8DOUpPi-E@qzn`1s~utV&~U$w+~9O0lN66{rPUm3@ym{Y|_i7$M&`nAaglv-rW zMv`Yk!Q?w|M}P-ULFpq>MarZZ;Xz18#=Q0917+U287ZF@GWQ<E%lbH$Gg^krbQ<9? za5lzh8Mlm<k>5Pc7y;`Bcvp=la|>c>>}d5pPyw*i0WiF;d>>`K20{6l@ysz(;}s4G z4(kx7oEP2(^>!n2VsO~|coiET5=f4n0{_-BDRWv5v7m=R6Q>>BSQq-k5rwHfEZ?<_ z4W6NJVxoOf1RP`VTO>Bg_AT+K^35${c-aoPC%GRCkhN%YnN3O{FZnbVg$NY#jip5X z)r5^d)PlMY>PC*ihKOCmX(H+-q;vQq3Kma-A7d)ucXt$Z_}k}yiQ3PR5d53Jk^n}z zKduA<Na#1bz8y=F_-EhM`;aJ~luOX|X;S`hGumn8f(96$exO77bWE;C{?JmND&Gr% zfqk;`y;Wo+9YrGetmn_ZFjPa17e3zrpp4HGl%m9+JbSOs1KV-uC2Vpv{{(w~fWOw$ zWfm_=MmW!lymjy*Z@trIZD1&wwed1j#~78u2LISj{0?%j8Tb;J-wUu0wsrtJ!-p^6 zzV~auuW;6L*SJatX91*oYEQOP!ZFbY8vXfjRuaPAkwcDfmH1ZVR{5RVzA}m2TW}cs zb&gk)qf7C7bk2l51WgezBnkT)Egc3_dgML2#|@m@3-{MkCfo2v0~`WkwnmaK%%a;$ z3F~n0#2F>5-+6<{S<=sQP*rl01k(LOWEb)K03z3?k<*9Dvr|8Z&?WjD=NFdr@C!eT zbLd&mkPW8Z$haI}3gedy+@FO&K`)p$-{p3BBL~iJJCuqXNVOfxq>ab{qwNr0m~RfD zE)_Y<_sK*K8*N7(y~KPHMcA2#BMhm?w^MBc$*yk~1$%D;!{QA{U^i@>0P{=ZndUZW zj2+Qv{8*}OuhI5cY1`glFON;?MzhS-Xao)k@(=}?LOon<E|Z7dD19_+e(RH5Ov~2( zzVuM(OPa+_aRovvNSiScfRE)FGs_i;F;PZ1I5}pt9Y)A>5eGk#9RBZA+u>9MQyY`v zYmYuU%e)@rltvDhwjHtNJ$4B#BPv7Y`zBRN-~~L%+V^MYL=Mcckf<g>6u!Ee9UdsP zYOL@C`fOBITw$n2XYi!VD5#-OZ+@7wWh!XYizA>dVc7D_4@RDc-W&NlD!+o?M6>xn z)WIJzuG&4B|F3x6`JcufXSz&fCm0j?kDV&rZ|AdnM#<OtBc1qV_Q(Aw!REXEt`o>B z(hb#n$9*M(!xggKj~gn{R~TB#-*XBle_W;eCsmwb1?<7pii%QDdV9X(?Wtw6cIev~ zdK+Pp5idGX8=rMTdc_+r=HOb_&8S6P#|&7E*;cKwY}ScZbCxJ?zg1Y<H0wmv%u1%; zulE&tYMaVY_zP9&J!k>#y>9^G?u~5M1;t*pv#wLP*6?{X48_LMStq<pi!7MDDO{`e zFBW%rRI8U=9i{5I<F1aG)=-8(@KFUpZPVKT&NA!fYTPVVH&%1`#y;5ZkPt(^=D4*> zuRbwnX}KC3xdy9hS^0@M%dS4*ea1WJZMu9a_=CfWYWNY<3V}-(_>ledLv}#LBi3*X z$pbiyfsBq&acI&5W<}|dRNGd&dD~V86^krv8}V|XqJ=#N6^kZO5w9>&m{|<5LFlCC z?^OhQ-*koQeRY0KMc~NWqo}x5;s2Q#Ua)|5jU&J6dgzn}XNCccdBHkz4~KG@O~V;B z4U26W7TYu|R*-&9LVdrYq1sP@8`3bTYV;h6)%VkiP=mk5Pufo+;;N(hy6LGn!)8LJ zk05$B5!L+^8V;SDo`iODMZqls8ydH5u?aXh?6I(~2v}rcXbvP#svwb+P9=qcVQi%k z#_m&l7Ie2t2IHzsw^J0oO_gcl4V|=Tw?)&d$U(azn|9!KO}wH4;(?PL)GM;7H^Zjh z44Zm06rews?1!e_QR{}(`>wjtIGCZnpDq?LTZLnRQ>mA)o1S`@KwgEw6*HWwlt)RX zRi#$N6jf?hh$`)~q|0dQvuU{MkWy73i&F-HC!2<lxLVXH8cHA32hd|N^C`96Lr4LX zD~f$h6>9pUkm~ibs?d8-lg(?<u}?qju{9}p#-?L_*S^Pq)Y(D^OM@w#c#_I)@K+w2 zjzu;di)=a;DLTGML7=3t#JV9J|Cn`Zk|IsV8Jdow!V6UCs-yY3>FDU309HsvzHmyW z!kQ@y!Z_PvnZ#!_QjsSH#XVT^xkPm7p-B&%sVIFW)w0QM-LeVRWQR1;x{8E>=#gBS zD?vuhQA5L1G^tBr=8uwWur#TrqB&jRF;!@5QjbN&O#;QLXS@z+^g5`hRU36Ts0b$4 z;1%Z?e$3n95tI-9+S5_`Uqabmcr+D(Qf0ei3IavNChLY&{D1>sG*<u}Ez(pJ9bOBo zHwSE^DV(o^q|Sk{^bUFV(;`}vaZCUqxl@_0I)sdtSiY0Ad^Cy5^5rWgnM6lL1p~2e zHOPK++-;LFueLx(=zh>nH!HTq5%z16N?o-dJW6p~Am^Ku53}l-VkLPOO;=c=3T<&L zvIwcb8aidu2%Cj0gScwH(s8f?g|axqmc^l8*`nyRMbT@EqBh-I<V28GsrOnpB;s0i zqq)N?-yo(YV$l?p3h}b*rW3_N=qJ+<KZQ6w4XuhPG_)&7LwS9;rq2wce<R#Vo068| zS~XN$U>jE*n&EJ6K*<6Zb=8nIIvsK-$`Z*LO0l+0S6HtKZ5MThc2Ro?j>ezMmP#;K zUg8c}{ulHBywto@iW$<n)up9!=+{~(hkns9Q&bQ<1mU_T)#8~F$w#dlQgfHO5flxb z(o*NOgnSAyR~^mQO-D>{zJnKwCsPxfVyCC3RWXH{c7;%rZ&|dY&FJTygPN8Cn=y%+ zMGk5fPobtZJv-EvZOzq1ikkONSGZOc+SDwzs7Y}2^Pr}!Kl9YgJ7b`xL&rLe(W;j$ zYQnj+bu40zLaY88IWwTebJ)5eL64~$!4g<W02(@}CD1#CphKtZs_E#7=+I_Hq$msN zsSBp~s}fRAA9F|#ctAYX2jUjS_=Ma!oSxSdKRzobn<mANdsU%EjgB9`qzY|&X?Z=p z1WxhVGYBE=-~;B+y56spAN7ZmoN&f$oUIx|2&tIjEXb+)`-w$P2IH`Gt>%Ra2qm9o z)(y$&Q#Tf0$v1>di1yk-$W@29Dp26QB0Vy_`)XB8abN8Uy07vR9m1#V`++qS&wM_> z(qx_jFBZ<NLp;wJN&ZnCBGYKlk)%0Y;W1Tci|0&BJPD3|9>Jt7p3Z2@sxBa>(>}d~ zU{Xymi(pbU|1p9|MOVwlM->Q)n%7!4q~`n8jm1{#yD(s!<N)P^$>|*+fN!%SekZli z0m6=!>D8@OF-6_l6{2oe+aj>P#OUXpt!`n}HKn};ZqU#v+na^Do1|^&m5|-vqxK&N z{)SE}ALy;BOi(g(O6lKXRc6z&#G)lZ(ZoV<Y11+vo59Pr>I;ZjV4q$>aH*+@;8If) z!KJ3=3}rj-lVwt^Y7^ECsoAb>G&QxpI$97wPNHVMZhC6wqvKWkalWCDnpk|Bo|;z0 z6l&TPLe2I(HA{_t-r3Y#rBxXSBtET9hQWT=)P$f;@@Y}4f|J|i41lF<bu{@wRVc_o zOGVK4t3sQgr4~U6jSv8~&{nqGx(ecIK2vAJ8LSn0LSmruQKlv+qD)OtM46hP@J;E0 zKPo4rG(mS+Hzeq1)Qu*nQdpBB$w>swN14+Rv~U7Q*cPf=*(oz!;?=5{qHgU9QMb1P zX&N~JL;c2%rEc|se6V`~LE-Y+K?(#9w05L@P^l2Kbwq+~jRsB6znQM^4pnH!C;=U# z$d3Z)=il&n^Q3GP()4`Jx*<K&>c(O$1<>mjZ{o*I3k7u6xdhazm?EHdg$O8L1+HM+ zKTH1vmz6w#1X*HGpl%UY+5`o$r%+T!olnZI#!ZSk|8=^;?W)kG=q!t(HgIon;Ca3R zKpD>&)(xq7_E*jv(CZv{aw*G^iCuMwTY;H2pOQSVDy9(At`K70lqcqF_1kL>ZEG2) z|5M=k;xC<e(1GWP=?c@T&{nszEp<!av{byYfoDWPps2afx*;`d)Q#}_>mGRGeMN=T z44#XcR>c%*+7&|0$~-mkGj+UkQ1dkfo^#ZZHf5}abl^FAy27*SH}7m}1}$n59R2(o z9(cwT5Q?Cmux?1u8`X^v6zWO<dd-0+e%pbk8+f?;K^*2u;cwT2^}%H5V*Of~RWG_a z%9PT4dA8-wL3m*ZTg|lkl`<^k?1-BC^iP&$wIY=^gJ()=U)BXPy&Grk=qT1{O)FYc zUJjnW+v@CXxcQ{Iv1EwD4W9AV?)PSmrptGD)2ZGH2T=^UgD<l~lWB$?5^JN56e8RO zhr5Nf(E{@<o)1?%UsS(NrpHDY%jEqDRj9GAW81VU^kT2pgI-_1tf&bn3Sn=2T)RjC zpt$7<>xSGiPu*yIC~kSpajl&XD^vK*2Cd+GC<s>-bo=J8=uX8EyVZ@6)lf*AL9?XR zDk$-8EVnoUIW@HcEIG9uF|)(!iu`c1x)Ho$on~qI4s1279Rxcp13Nsge)v^@V*bB> zWuXF5>ltu;Cpl{fjjd%&Xa;1O9Sc10$5k+O>gP^#phM$lrz_m63N3axz-4mz`B}{l zZ}1xH6>50J4D+lTGQ&j$(7tYKtildRcU#<m%$mh-iW|QAGY2>Pv%0alfx*oVCpVNT zZcwas9JzDd88hZ!fg7#P$PX>*#%?i{A(rK|^A3LM=Z$SpAm~~>{2xN==YE>!1}n54 zP-U7qRV4PXDzkXuknjS*(7f=5ui4fp02DV|Xx)$-%G8a<-Rrz&izTcwo!z$BfkBd( ziw93Q*uhXYhB6mwITb=(QhQcmXn(-FvB**mgIEPq>_8!w&OT^$Mt1lsbt6;KEhd?Z zC{S;6i~Po~!(4cUAHXQig+qYt$ebZKFIc8flR~cLsTcALfkI_1zNQLgCU$WCSygDU z#9?6x!lj$N;mf}j3IN3trPd8u;?<wzC$VbibzA<mvj&PKuzsS}BxM5x$acRPR#}U? z)s5B<lFEY3&$|z^l>4B#<0tkiH&!8qAL^{W$Pbql&Sx5Xu@rdM_QGSxkNnvB;WaHJ zKlWoMCUsio3)2;DR)rQj91(UPSZaoE{5tYX1%P6QiQ|@Rf*pRVZY*(90KHyuJ+gw9 z!N792Et8_-*V|Blh<B<R+hB+ta2kx+1qQ=TG0FlWo`0v+89AcTF(ocBPBj?K7DsTI z`T^eA$@P4;6X_mq)6%<qRvkiiK&OW(=94{$V&y^XeBQ|uSd*rgX-rqRUKLtA@tp7k zK@k$X!I^=xKhiAlHh?#3-B3OJT-{i-viL%;Y`wN6X{7uugMmFPwn!o|6Ei<y0|5%& zsBVm`;6i!p1^z>@fF11h1Fjy?e|U@48QEc0!Hkf_nc`43<=J6|@c{2^cEGZd5(z9w zh{dqBQw(8YJD*RT6klNLfJ*;u`=Q`jb@2@H3yd!|PFMH|RS0%yLwxbTabX97qABpk z<`zbtbMV6n>xTUB19hXBQnAI;`GsqwYA0<L%GWKMX5%HyW`33BrD9t>VEI6^92b#6 zwG}oHxLKlZZ1o^*oa({lh%N?yVeQ4>qN*@giPahT;g84iG#NaF7E}14KF<%u#sj=_ z@I$fY2P};{_Ts{lI`{!g;|1~ND(riae0h&!>{ZVoLqUF6Jze1nRcP_U3E>BVqS5q* zXD5Di)WH%@TQ_8hZ>t-@!|Rrv(EbBlO69O;u{@}!%1t7mTf~L|Hw)E`%@NWj&k<m= z0vBSYwL1rksp3LphpgG5vy8gY!_AzABd)SIf-Kd~JKKe@wh4g)3JeC8>>ME{G7tqJ zCu$W(d`gY2k*SjnH#z`<kE_@uq6#gJ7#5BoC>riJd~^1JBNooU1mCi5$PxdhZY<W6 zZ;;^iSXm#N*-@tYJ!|hEm&IY&j9ME85b+)AM%xUvNz4&sz@SP3LUGse5<BE9QQY<G zA6Sz^Uq4YddOju7FvLQOA!K=;cMcWtnwIBpDHvPlAg-IPaDghcJc!f65ClbOs5g3_ z_cy<9VGJCw+qxk;{ENEL=zHCA5Q=nTCAJe``IOx9B2xW!8wwDyT;14Fr`Q5#)ag}G zrvmfGrPh`btQL#W_~EnG{LtAUb)zv`%HbwOoeT1kSYq_@&W<`E!s@~O$U-=b#?VQJ zONj;k0u5p9H~WxdWNR`1N>wJ1TbYS>s4`1En8FPXpx*Gs{VyN3@C6ol(7GW%80yAi zOZEMFE$+WmYMYFiw#k^Og!()i3Xrf!-Pk5W+Bi*yr@&+cY?BdC%=O*xS@T0@d)19* z@xU}1Vm>%PaqOW|;{o0|G{kG!g?_afTCiv*9OgRUu~QT0t3rz<MujB^iGU5Re51Dq z{KGRA%D@G^)(u&rQ{8Bmc%8Qgj0J3)QDSY-#jYEX>fF;Bq^m*2m(-1IGo+1EMHCgN zh*`FZn58=VPpdQfm0wmjdP=jVQ4#Yj)UO%}7`?o+RfK+1Jm@)TOIJQI1>rB$5cZb0 z8a1+JMxBVb;QwRqec;==%DZvNQWDistD8nG?rOjg2V9&&r~@Qb+S;xKuHR^tOvExM z5Fm6R=~%I?xb5mSj%@JFjajletU$-Y2wS%0Hv*(>+6Az)5V`$$%xOI^%o}d-+N;QH zE;ZEcwE6vhpL4E!<v1Au_WA8ylYVO5d+z!Boaa3M&U2o#P@-2QIxJ&KFoGS?z5Z`^ zFxWZh!iZMqg&1+CdT~%wb?8@Sh`78!B$gJ4#8O2hew=Y(#JGAX5DCdMM<ifQC=w&C zD2NePsLBpFl@TNUP`&7Rxncn#Q3cRzB5}F3pKk>s@k<&aURBh#Hbj&xl=$OQGJXdq zrUfV16`6wnW<$i?s&QqQ`iS#Fe0Yy~(ZKuFx+whQiUK+W3+ND3Gx*QncA>**^-@3w z$>T<cB}M2EDxibjBirXxMs(;>FM33w1<;{#4jrzr_VcZP4!@)!BB0vV%Ul~GUN|X3 zEl&JrmFO^y89@hjMX${NUPHuY)w;rmcRMe{hj*$Mjg$(AzcNEasDKZb7x3Y7g%98P zTNgeIsFwmhNS---fFN2VLljQBigPk{(L0^Wh!1V*MdJe;#?CQBRLtQ+$lA|07e4$_ zhKQLH?y1*?h#xJK_#Kt#;6q;Ufn9O>?Q$A*JGeXA`!DUEA5$GrC{gRY5G86{{r#00 zBC`L4{YFib9orwyvIlTqwd-UvQ_P@a!z}E%GoN3?DrdDYpTAV<(~gAL?kLVB2~H;G zgd*HXnXRZ%rpz^}0L(40;_6h&Tzy)&f(dGVeN1uc!$}=Q2VlCKpHE`J>A}JduJiHQ zrQ-fE1@(RK1Mfp9kea`<fB#xU0ho)k!`LJIhx7h8e;-GjlJr1r!tU)CR4j^zg<zr` zfpn%;4&8sV|IH-~@x)M2o8iHNOH;S-=Yt<8oYzlJ;<l%tC-lkBBAt;98#kw)xy6ca zVMvD9%&}S|S2Id4V_ZaH!5tWqitfoMy^Q9>xWvu&sZ|U$5JXdm>1RrifNBOgg1>1V z!H5vUH?etn-4;BUiOnV+aD!+4=Jfb2R@0U=Oq<aui6At!G&!9@Ex6Argq4DTquKZ4 zSHlA1M|?<$ms;FU2I^zLLC;PJrGhvzjBmHL?RxyJO(FC(0;zrLKczk$yu&Gg6YPk+ z!UDO!L$+-mTn1LZC2losPT2qPCd@(%cfM{m6X-BLY_^)We08l|iIC^kl=U(L#?)=L z5?j7nWg85GKJMvM(F>-QzC2f;%zgnisgI0cz>kHJ0sFhoM@GAmkA<cJ_HC#ZN9jGY zn2+LuW%l*z+bqLp6ql>Am&rHO=zJ?QxYqtD8f5;*8JL0g9*l8~*Sz10P(A?EXZ}M2 zO2zYn*OLynB)4E7d?li{1aOgPEuuH*mkoF+_$UrANEDjexUY6#&Ux6CGh4P)=P~{J zatG!vHIexZ;(j#aMFim>Vg^E=d><o*0OOxo(sq+vPCyr7-ZHQZ$fSZm)||#8Vhhyl z*?RyN8Ou$Li0Fq1C<yiylpEWExxaxsUiz6C+$bqQM1lz5WWpCZ8i*i1Q~IX>1v{NI zY7na$(Tord521Miatj9!*F+787^&W$Sd7?d1OFQ6e3o-&_3dJ_HGN;@kKEoMr#KA+ zE|x+yeVzOwWl3bB_)?}5*%;bIqeSAOMiCPvKi4RTT`GT`HfxfqS$YUCz?cJ<z8+VP zu)Gn6%++po7E1z9k(GzgT!2?lVll4KV<4?Y6dM3Vg`2E7fk(`#tLyACLU9FhkIJkS zUwWqI6Cpt48={%KcpB3xclrhWp-<LwW|IMgwr$%Ym&tCQQZvg4HF^kEM>zc)uBop1 z9+ze_&O5vjYY(Af5b7?Bt8}l!<pDKaHy`*N!vE%j_+bmUDhl<^Lx4U(07Nh<Ab`(> z0AJS#fY51xCa&k?gpkl8dJOI$#Zn<-iRBf>Ndk80-7|80P<nCvC;YJ<8f0f`9{LG? zbayN4`_TKEnVKKSaOcmKu0WO4O{)1Ut10?sb{OXS!`V7gMpEPH0+!44z3(yU?(=&3 zE&$AH-%te1F}z+7n7O@bCX?Y8pCYrG$D%ObjK6CEz(8hqB<=$LlJBu#q|wiKolYDj z5<E;C0d6Jy)m)bO-VG%Z>#Jn9KTt&f*+OH0yofabha@bpRJCv<Lg#u~6>qzo<<U+& zSe-x^p()NyY$_5!3}1#in?wv>#^c4si4rXy1HoH0!}&>c-e4q}Z@meq#6YIa_I1Lg zq(Vd@L$#M7Vh_F`5*`)?5_rFn69_Ohm|aSo7xqXH+>B2uG9ro~(qT17RMx9ts8SO4 zT`L{VidgQ5z=d?&hMYY?d?h4UNE$SHH+W}dEfbp6yd4#E7?Jhzty@8oRXd2^#g5~a z>=*)=A`I(tUA=T!F16KNu4XJfEHvKe2>RsiX2SknWl^Wd5zwjJYRsF;j#$>kCH|_o zgdT=77lBB^FL(H|Elf+ClYkhQ3^r*yQ_RRhh&5$Pu*nI&Fyi6_Kktqf1>RTarsXA8 z8TUsL!4$6sS+9U5FxZW7_+hj}C_)HOgK)Zp5`i7$4}~tdZVoBnv${X)f6sl&7%#)A z?)Vreu(d3b45t|Tb+bxdl)_ag>NfSzBSBn5)wblAT#Z;uaMt?~_D6k>;m+movZW^g zI>CS3)-J2TFbQM?Wz{!J)dg~&mQY#+d9-tK2-7(iKMKMC?=LJ|lD6nBURG*1%d#`f z?#+Do2LE~y7*bxd8{UnjfkgqHy4R`$7w_Y}V95uqIs_Jf2)CJ=$pZ)mYeo-Ru|Bi6 z0fo`4&J(Pffjp<ICJ_B;s~Lr`01!PHQQ6q<UH2dd<AwpF_TA6t<PZ_0XD6Ry2y%uz zU6SXB<mr(-ha}G)KFi^M$#zh(jZ3yel5JA59p-baU-BH0Jct2@=8j69LCMp{XYt39 zY<v0IeGi8b>sz7X3&e0?)KM-G<S_Tg`Ar=9tX_HE`yk4!*!K|r;;tR8vOUf!+rv`n zjy<x<dicUs)}vNgPfzq)2#5JCOnuBsK2)9Tqi_%Sbea2QbGN%zpxI^ZV%-sWZGU|W zWVJ499~+HGzE+%U0Nj}1!yLpOl7Sq+s~O#y?%4Ux(5E_Y=Pd3-XzHrlyed>SLt}1Z za<p%S#4SK9Jl&hitz=&$`A}+6_BLeTC2EKi+ggi|d68%tgDBz_DOS&6WII>~qE?>4 z1cUxhE4=l^CLmNYm>Br!gorg02uA&NiEoKhjKlhFur9A>GrKkxdeq+-`U=8U*$Ai? ziP@p_6U$h!Ewwt?`&9OYiwmc&9vsLbObF@=*ZUBs(<xbK2zPchA|~#atyJHNhc^(w z5_aI}XSaEJqk9oQVTKYrM73d2`>NH~mwi9^*eSV0odIAGD{zv7Pj?J238lZh#0{j_ z1aC{>t?!v#1QJ3Ida|2-oq(PKY$T2zA_h`A_9X!%=Y}8zEQIDXfv$a>Ic=O41=Ac4 zJsNBZePuu{$)1iRZLqnhEtROR{wCM35tTcN65%*UK8d(_yr4`40G?z_*2&zhV9(XO zXc$5KrmG2E%nx&-RNcVKfSh{q*Hweyu!%cyUt3LoDucJ)jh8{Jovi5(bq4{sImDPh zW(K~^Zi&63#_Z>q@80l=8Z(1$X7B$$uc$FE=9qh$UQuHPf%9bhZhJ+Inf9FQfyP(V zm??i|55Mbw;h3|xU~E=w2zM0kZMOTTG>`8mR~*blM<~l!vB4Fw5i@quN{;xFClNN* zOpeYmx%tu$Z->l2@J^JwXz2%0jKOgIb#8&D^)^S?QD4J#V%I?AXB*+lMztv58?=(6 zVDh~47V^{()auh`Bnte=7l&6wN6hF*Zo@)6-l<f0ywg5;JZnCe$6L`61mZ<)HBW@P z8KxDXjM)%m=0R!Zq!k<S#ZLMdE#3vB<U}M%=?7Nwos@o-5=ifj61Y<kdX(G&SrHnk zFAC|$xz%h!3``RcG``N9yx5S#q%0Hq3Ig!ikSrrn8$i;+i~1Uji)p9&^uSq&F3zxg z#lsqc=)&t4A<dk8@u?Nb5k!s#kfKx7T9TR;i3sudok|B@!ls1NKBK*}W-Uu)AR_f{ z@IY2WeIqN92=+WeiAaDH8)QS6qd{rrB*2KE&^}xd5Oo1*zPJ=5klxk+AYHVG=-@?> zh<KYLBC4;&BBC=aiioaZLHAN3q7^&&;%Qk21X6NJghUGV0<CEW75z;EGcLTWF2>6Y z@UpkzN*FUCPL8aIoit-3HBV_EMF(ZoUF33OwDYWS>!sy(q2+c3ft0JewA?PV+(HD> zsoG1+?Lyp*hxD^wyyenzyU=ojg#!A|&99i{HjJwm#<2~Kn+$Maz+}8Pwl`t_DC-zZ z)YZnC^Iu8WY`zJ9dVfq~+PP*2$24<6qmFPHT63DJhtF@#IdFb4Z8`ffy8ahIWZEV} zk9O7V{19#cDY8x7Udj5jZAx<WNiMg@HVhL`=+Qk*EKRWu-N!BPd*XbD=+;l;QEM<G zVF{^V<x17F+&ZpeC$h{DGkVC19W!G`aP0yvf6%6<^A9-80Y4Y{MFx!i_H4P6gGI1h z8x|rMoI>fhz_j5=6v(lUIotzv(tK)!d-<KR>0B4*ONCdliw*4JMN5Ta184jIWN)9b z70p0s0czA2iHIL{L_{a+9+freycZR94J3)Wf(cI5IXNM2*JDUucEs)6wuQt;r`QD> zR7N(mRL6^-og#%k>6Q-62~d>4zX}Qb{NTKr;QZ;jOW^#~fb&%Z=bx>;1kQ^AC-60W zb}<yh>_d>$7g`-46T3(ngrYk%gG3!v(V-cc^CNi~XT^BOFET4^`A)PP`pO_RNxi=y zWKGj><mh1zw>Igd$%U$Sn!EWO`l*Yo&DZ0uVHbb<?K1p}H1&@SJVS?}-aVyTe+%Um zDJoLxKI)KQCu^6=8gt%@in<0816lJoQYStqC-nXVhV*4eK?Ye{K;d(WU9dq>nb}gj zdf@ym9Vp&KC?;$3!TD<h=WE_}37qGhxQhbkwFKwi*IWYU#efs|njXMqY=hZv!yvrS z>L4W}X%N2d&<wJ6kTr*9xX9XkBroTzth?bCnHAWd(B7V=ty@XjTw8=q4yjN%x+KTE zZ9<gni?gKODnxJl>iCZB!hXjVl)HT)xg91QmX_SkmLU?lBtdT*qB_+q$P1hW-CKuK zMY7C%c)XhMxbCf&;GwsVUqg6Yv-%P|G(28QcwF|DOYqR}s31IEy8aS8G(28Mcw|>y zf`^93>j{tVS6_mMhQ|uR<B2!D!r%c8+?oAX3>}gT_hBA|NiN+nxVRM|jtA3riMr{5 z7O1=7*hBXntCvp$&+s%&Z&&H&kI<XU@q3!n(&n>o*u^~AZP)#R;KhF5|AXF6JW`U~ zQT2)%^BXwkU2l9vjTxi$WIv6OU;H*L1o8hjaT{3e$$kzP{t6m1s2A*iwD4c_cKrYF zd8Rg-t%c_TE=%^e!p8z0E<@S(!byV~pDl;G`kCn&uV}qP$ah63{RQ~>Ve`R?^*;?4 z5O@mU5f=Em%^y_-$E%0aXG_ea!yf2QgMY|x#tvJ_!*UwxaJu8LKlG^>>xv$pt?X`S z@*3x7B;e4V?CZd-|3^&1hV$sbbWr(u-DUwc@q-?sLElHm<K&2Vy^L7Veg*pf0vuOD znEM|Aj(7hGz@cyb9(j7)hpW+}0+qZt8eJq*@)eh$Qsi+iOXpcA%9n7(<%cg&8HPFK zR|J)}yNqlg1I12O=kvqQ!8Pk#w=<PH7*{rQ?e<2uGg#URZf6Uvmn%R;vY!{~+@C&+ z19<&&6lA`;B2++6b{OWhi*i>yeO8_7sE$tYC`W91Ap6>yr>bRpI6Ac=YWsLJ4j+cF z9o`F)u2*uK&^L4n2L|9A_fft^hX%&|_<qg~_IxD*+Pf#al3o2p7_itx8(@*WuuYUX z7P5&l-E9-)dy!3a(|L%W*hHDT$R^4Jw@p;4E3%0e@rCD#jHC1S&0*&8WP>mnqYD@5 zO$i)h2jgtNXuG`0*)CT(_DBxb_7Ra#th+49T_ngjV%^mvp}Zj8mAOp|na7zMw&5n` zmYqM9utyT;HOOY^79rI=0b{Ytb8tvWA=Frl0W%-D-%P-~fDNOILhgaHIEmyQp4-Wz zwaIbtP&xYQ*h81QfB=H_cc#;8VBSdjks`ji0L;RR9)MBfb{2kNhV<eWqr3p-DFDXh zcRG|lfz>`lztdvC%wI|{lzOs1z{cdSa4FThC|_Z2FJ>v_e*ISj5C~K_P$i<nOISGR zj-lC5w}l}C>CF9ik?3^GU%Begns-nyh*N#y@%}jWmd{T(VSD#v{|H%re%wOEUY7ch zlp1Q5gJqVA6BBx5u=|Nrq3xTICHr-_94xeWlnYUpxDd(War+c;@yzon`Wu{Kqknsa z(^P+V|6Ef~qm{W~&c_sNxp=Zi*pZ7Sx=ybiglChR=!Vii1Q;A_aR$R&ZfxNgNST;U z!b`6!ZbtE)gm<pX^H)9gGCkS<fcMMKKQqk9Rqyzob$Q3p%!20+zlqu%65wR-Q`r|T z?i$oW=MQy5&iO;f{c9_*lvqgP8=s+!c`SL7!?F6r!WAk!P3Vz+<#hLPXNHH1obIrX z2>)NWS7pl(xNIRt^>dBnd`@@8LpYHAG!8c|w3OA9?vW`K+UA~P(zbbX{5R*H<24-7 zH5kz^Fvps49l;D2QTF#2rd4wE)iH;gvO5UPbhqms-|4z%C6Af=8RHhb+l(HwdiiX| zhO!-A>1effD=GNQJGjpZiWV{x+zVN^-~z~e836teo@@Y4eittTII}Q_MvG*C&5jJ< zOdNB#WdO$$lIfHII3Dis@*O+8kO7XEy$th8$Rv+AV3GK<v7y|@E=1f|M-fbz;D(7b zB9g%&Q?5xk*D2EKZsZI=!`4ofTkskHq`0d1EUT)QPiAcR907DbjN!uL$sU9U>&3$u zq-@vLZG`WIe2tjH4PTV%VVdJ>#ODk98o?3Dll8KT7fr4mf1W+1ccB?bDRg^u)9uy; ze2pZl%X7k2)HRTWe2sL@i}f|SK!fM=H7aiD00dLliRBCX8m%QbzXqrGOW-VcqWu!! zgfFTm`w<+pxCG9hADlG2W*5`f=<{@;T)-0#WMUslL&4XGFOIK~rWqITHM)_r@^{KT z^CJBd+443t7WxW8I_SfA+A~}q$Rpun4wn=}%}>&Na0vvz=;U{XBRD_1hflaC`zAH~ ziwr3-2I~Tv>Fx5~wH@G7q^OARf7IdoPS!q^HR`+<6?F|nd6`o<JtwCl&e4D_5f-*B zBy~B(F4&+jK@ekg)WIoI=#y^gz?>dPy||dH&6kjI?7@@$M=-yOm!8gPpI)S|aB$v4 zaPBF+1kUrWg9We?_?qrVB%s0UNl0W1tqzch9+C#(>kiGJ8?lRKxX9XkB**zHPxfc5 z`=SqGJI0^8?wY3}oMZf94!4Tnn6a4dHvaHksR-KmbNfOHl4EOQ?jqw46WqohsjkTQ z!$n{0LOCBEIJD=<K8qtom*62`ifRdu?=HRs4;{9tj_^1oy9O5<w&{Q6dZ{No9^oOk zOZ0;=8*U{${tQlFm*64vqk-`F3{72^@PqgfB|JXqeTBgTV$Aj8K^YyS1IICVQ1&JV z5tnmFS!5^wlE<JCtC1F2M&wfgP~Hh(<?hIuN9GQ2BH*dShzr4preee)k0<wzpIcXc zq)<C10TNXZ@%l_eOpOL{Exg$nK)pHuBX(^|uxX2MqKG|e)+3@Mg85FEh|8P$0mLh8 zAej3YhY=NG3)k#n97dG3qQ}f#JNe8!N6dYU!zg(UnLUidD0#-sT@1V^c_z($47@0L z`pq5&UX(l|<}L<alsto`1YSfQvwI^faq5<AYri~qN)SZ}beNu*4R!U($oi@!qGZie ztoR7CR6lR^FdE{uJYi#gjY;NiCP=k+NVW2Jzx<VImrAv%o6;ReJ*jt~FX_jK$DX!o z)RBIi&t7bk$j#}5D2;}jP!rAamOPo!qbTf6-7JOgmcj_+DBDM<BeRR)E>QvoVa&UH zm;Qs}w&4qSE%n}iu%bslfUw61O8@e4RE>zg*6h(2JqG{(*BOs-<|U8u-IqPalmG59 zzM1zJU;7V_@n`?(F+MkoXOGwTp4V&SOT5PG{9faoi@e76#a?6Y60h-az-#>QGOzLR zQm^sBrCy^X=rt0TdyNBEc#XFkUgP`tzv@b_(Z1YkTz-|;c=gp@<N8;5jho86M(i4| z@%~@)8ozz5*XSts8e^~a8pE&g8Yf@tHI7wyjl-`)J+DWdm0n}Vb!hudUgO4Uukr3x zUgNIoy~bDG>@_~~7OxR~tJk<~HR`>=YusGpHU4xB(%$AZ`rhs}e)JBnaql{>QGO%( z96<oe^<E=>v)9;si`Tfj)@$sn!#L{E&aGbKNQ2ktkD|;w(OwnuywPhky}@g&S?M)a zq7OP8Z6O|Q(3HrRj3~U9c;H0vmw4F-P>V37Gl<;#xGa_1!cU)pPXcjeFJp)@kb1(v zBA&4tbr9l_zmRoIgyYAcxtAe9kwewcXw22X(4jzxOedER{|PE^4ao~pfs069n2oDQ zUWhSVM)Fdq`JBF?NCB@{q<~kfxqw$sr2fGb{5dZ!WsKM#45j}H4P>HIY$k`$^Hbt~ zHYJO3Dzc9NXupwx%*PSQ2M&D_TvNi8LrY^!C`42qID^1SIG1X0??*z$qaKDr%6&yb zup<k;J8=!>C8@1Gk*u6t+~Am(i}w9&Jr)n_^17?AgfSYX@>5)ku*Et(Y0L0z1TL;^ zeGN$Rz&IoBqw91~*Il>S_1x3B#}LohDW~I0r8_2CTCdXi7>1Uc7<6OIA;jyr&Kw;V zIE|+}#*NmibZ5u)D7hP-8!JL6GkH?iNPTq+GH5vAbuW(w>MHQMn?^cUW@^2e=(N+z zX&D_Naw68%$x!;Ake-Q->94Udfyr39V=RENC#Q8J1Ql&SH#sI#^K>RU>XaIlQlsgP z(fOrt&{&rmbxMifCQv0dBBe&s9V7Ef(I~7-jX0%-owkOh)G#(-=9hv+PL~>1rLy#0 z%0!2pqHy)Vgu^m8#87OlSLxhCm|f>&V($By=%CJ@928Iuc6JP^{2Hj(6G#58ChE<( z?_<ss7e<w8rIKOspR81JEO}wJ!_Es=>JjIK%kHT2QWT+G$7e@e?G%El1`}J4A)9^Y z<bN`HEUE|NMfhiYU2=@%Ki7znWa|7of9f&Vczs|e{9oC@+TdnB;W7`#BM&pyd%!H! zPmO-^Zk5`Iu;2lN2v*%t?c;8bzdcBT<yU?MOOC<V=gGxU1XRt4vu9|o*^U9+>645L z&$#YwSk(F4n;-^!7Y(Z*=5hOpmzgK9ZFU>Bjv1!h{v$~V78-SkFMiSf*3Gwb2(DI^ zV5n$?G+5{_!steWH;to9zqjOwH`|2=rhN9X>+$sBO9WFrMjY7Q7`_Zw*YaESiJmB= zC}tx6)tL;Ypi|ou#$|M;LMUuVJ&1nIL|>hep7CE~1baPy>M|CN^&c0r@BT%c$MjR@ zTp5G>=xE&D_$3#(1L?up^pmqW_NCbd=ip2f;%_I?9pOc7rN>~Jg4qy%z>VVDHrsV) z1xfT=I0*9b$B3odPa_vb8|19yo9&0`*TQhbaOG$#$*sY3VWlMOfBF+?3welW`AjXS zEO9)asbh0W`ocE^9KT8-0V;b?H7p%k;JyLDMqLkZwNOtzuoLKTs-a{SoeP|*4TH<d z{2Jnw*xeuMx*DBlF3d@tKT>a`O7RAKcluHf&p)^cmRre+>Sd^ed25Yo<Q;Ck+(}1> z@SFs*#>coJR|?E9FJtx35Ludn2q6xnCUAm4aJj$7N|f=@YAl~Uoj!?B<cx=p2<p{z zO`HNNQ}_)}MU+Gb%6ypZ4}Y7pjq1v+fRE9T%dzI*i1J8d81cAQ$b4o6_I|kt0Uwbw z601n5rITAB$z>>Ll|-TyZCAKQ-zu3FW&a5^%&k`^zI}ryb)6NfM7Ju?@pAO44A0Jj z4J7OX(r|gUfj~`Guz|`@dW`~c=#j)`1n=(VV&bp~t1Xel*3=HX=}U<O_FEO~tD3iZ zWMdPzi)=+(xQ62{G)I^ffzoPREr6<Tm>o`^tW?<PO@SE%PStJp=3XTOz6_8_-?!D1 zf|8KWeo6HKQ2P*|cAfqPlo!9M?!wp265gKpoofX~{*INbMDrD#57nmb*cQH}Pu#`% zjN6};%X7*hz~QzWrzaos=B~r5rw!N0%;Z+)Frk>W`psA#2#j9AIQx~YI+XsB>^A{P zMZIMG2G#giC+t7Q<O-n{G_nBn--RcgBHiixsyuCFT&x7HgI!g`u0ReKAgLmaWeNLT zP8o%a_B+&jf&Oil`<1{2LftPA7~~UoV>0ZUpLH55@QG646WLlC8n|@A#=AjX$tueB zZWLBw1u_JotnHFaE$X3sAlz3UxzK!H3k_PN;UJc!Phdd9)CNaH8yppFa7<RzxLI#x zq6buUhd{)@m=CL;BP#Kz`Z=b4pu4c)e)V%w{S5MlO|463RzDWROK<AH3t#R{PBb55 zPkB!$uIFheB~*ne@g9S+_-ryPe2H`HX#-ZxWN*SKVM9OJ*)c)PZRN!je1P;ewL^pH z8ZL$;#JW)W3~m~k;7Y(;8Ij~f8{!|Rsas~1#O*KrivqPYI?-(Z?Sy^@R0Q}|Aid6$ z()A8-6d)e})P&hc__K~53LgX|usv;e;82Wb$9u5B7>P~rq7xjVna(Xnn0ujc)569l zt3j9<51&_f*dQ>1<|V{4yI)Zr)kxlKWZ)OJhex5GC8ugP3nZ7Fs{fEIabUw1^vjue zwXn$u3Um--7ywqc%UFYRw?NG?Y{kE7o?1lw1AlY$BqxV_FR*f}o;O7Rpp~;vflMN^ z`VIp^H9A=qDcx~7_!K}6a$1U8hzNhBLcuka%NIkPqiMl}eTRS@^s>w<tscaW&|9{_ z`$Xp54&t;&UgK3gMf>SV;4p5GK!E)ga@_Qdi$mRa`T!R;hg&9aW6zS%ry7}(oSv=R zKl(nd8<YU%g&y&jiYgf9Vt@)5HgPG|3@4t8DqDe4ogFjdcy3)R^u|EvPSsWNmW@;O zE4|>O!XH+GmT3YviM5I{J5i?PUR(>4KJ(gvGZgB~csUAZysQ}+`k8?@r=6;=WM{#x zAt-qmjUTitQ3;DtP?5~fp~l=Ql?Cz$3m;(NYmhTNP^E~a=6VLFCO}3sQ-Wn7B=^0f z9%#UW(I_(F$3_ql2Q+deXymWSpjIL!2zfv;xSIa#>rpOywG^HMmt5rl>53%QtS=Wx zLioV6%G_nt-3H@ai9i5wb&*?;*{Uzc{W<Cmm<5XIzFCR#n*Mk*I)p1l1Z5h-q_M$l zFRO&mi$#Gd!(Is(44_s>JI?H(V8%-UBm4e&`2hi|v7&clsc8D=7LzXeO>ef+)%V>& zqbCLjHZ%+U4=tJA&?CuNb}Zdr6}PK@swFY_?>Y#OQ?N~+s8anW&SUfjIVd@E#>+{} zenYaMV){-LF?&S_>-CHVIinC@AZcP2svXY?Xxx$diXED%-6sI6s3vtGOhAsjl;<aL zvkZ{r-U_frb(0LVfItRw3Y5aF5f}v-u3OZ=vRs+xsN{;T`%sb>)LetS8J5CjB}$!G zlI=n^#YcNKd5uSZ(`)<~|JS}3_8a{F7x>@6TKj$cUqnwd2Ze0>>TyMN6=hD?m#g<V zDkST>g54yy6yb*4vIpI;jUS$mTYeXx31{5Cgnn_n^@isTFWA{QzJN(hs2^MXOsbzL z{-7yRP0)sM6SzAem+RPO0xW1!w2LV-fwk;hrL{~!Qc5YRkWb&|_q1IJ8qZsPc<;*$ z>*WnEGr%jbD^M4tD)k<z(@f>;E!!QP?x|l190R`a(kjia(kB3^FFns0F&2=|x30#> z&?C&E*6RM~MafGj3VnvqRQUpv{EG-UH<`zG>LXr9AEALjD4$}?B#$fmk>-3Sub-!p zq+hD~J*~}r4qr(^pv|;G$OX2~(`N3US9f}*DupXe@)<7$i`*?@O_SRPWre5Dc+*c( zkui;;M*YTTt52N9orx?95;OSp8ObDy4%a?<k%uxZPnb|JQLQ3#yfRrAxIYc>@TfbP z@Z`s`VLiEbi<;)QKR33}z}`mf!~OyW0Vtz!QNO6?<6a!j3e>E(Dv0EON$wswD?|MX zzDthA)wo3QToWF~8HpOL5H!dm*5GDPb#Wjn4L!2KcpJd)OXhKb485y@xXi4F1Q%p} zjofpn(vY(IvYrhk$Q{^Szh)KaTA-(HP42Vv(M#*=5X#9(p+S+NRRYs0Fs5=myKj!t z=!#U(S)tib7oea)Q>hk-rySiODQvc{5<o%Enwi(4!q-e~_{ax=)Gm$AzTxeJEoBb( zzXJa1S;9#=DAN`8^bZ!ArD{PnV#Rz!BkRwbak*a(vxlt^)iIfmU}r}eI{ZM()$Nc0 z!m~TB$V9_PfIuwi7%<gK!lw+kthL<G4!scX;Ygt64Hz%zb~Tt**|oUz3fd=?)|p7s zXuqNbpJ3Drw({DvGNA!J+{{<!Uk)J(){JGKJ~ud~9T~QRAI6Gk7&{_ukN}KGERX`d z3P+MblAAooM{*+<_bK&kJ`pOuuaA<2%r7&yU4y^gP#5gJpjG*jP*($`fafR$kP8a4 zf<h&7Y!y)9d>U&p6DubZ13tKz7%Z)V8tM!o*!{+4t1gZjaotffS82MxHg4Z1(nwet zvbZ&4)vtw8pRnT8Ri|s7NRXkWPc$~$w>w#B715&48upuOW#1sc(*0Db5{1wPa8XI$ ztW6kn`o!jDd-6xb8;F45o|v4;EUB{~^ja$cUA&HD7F}(?BRcon(jsUTxqsFC&S4pB zKtIv5sFM#pgJ>y2+2>d@>sl-I*P2a+Roh^~@->&(Xf~BuwHqjAIfA1!Qkx$4SxpUT zUh9jyDMoQ<d}(sD4Yz=5L3jzIw{>iQ@T#Tcg4{47QDj3)4U(}S|Be?)P_S^5-b*Kc zN?h8bdX&B|P>_phghsbRkMsywpGaNf41Nxl6#`2VGbI!1aY3xHuR238V>NISh9n_< zVw0j9YtsWns5v`?y>66wp(0=;n{bnCtGX`FJ*V$<W(cI^bI(ZC$~1O;q593P>h09m zf!ims2Sl@ZK`;smbIL6e=|<Bfp+`d4AQL3)j_<Q_EH<s#zyEvkK1Y;feQp%}zVjYq ze2dp;GYWk97G0X6zI=l^`&~>zv%M06zrbS*@e<%qx->f8Mx&n4+<fPK<wAZ|wPU*m zVnx~Pj@QXY5)#tTrm_`{<>{AZF>5sRW>2Y^Pv7VXb@$0k1>;+X@nDbrgBk#c3;6<a zI4bTRC`1S8-TNVuUPw=6N6>#L{U`{T>8PT3$JEdHwS8^AFE&AN_HImP0@?&{Sgy=2 zvRrULjcb_?MvPi%vbKRgM4M%q`bJ5r-ylhpzhF1S<s8#kk}K*-3sY}J6*W(N6Ef*+ z^(Xw_!p{TOzD#u#>)Za42#bE4Ql7f@WivHlcGxs3;v;}OVa0J7txYV#+)kJvDYyir zZli8`lWtQJ3TgtI<Mt=C_z8`Bowo(s_8<ehC?CPRNb)P<WE$7xQQ8v`lc{n;oYcEJ zI@z;}s|Ve-614fb<-HejoTzhjc8C6B4eb-$!y0ng?zaG=&S>m}uEUjO)mO&tkBZHV zo1PRuX%YiS;v&h=2Ozf!`_O+Wi>T7!jHepBYbh5%+1Emw?^HwSTCc+yUGfU_Z_NPH z_Xa&cQryORU%=l|E9qR~NcXqDwFO^hNJZM;AZ_8sX&)|$#r@d`z$@3)*h{06A{+x5 zg@=ih%qw@9Di9UW^7C$3af|j|*du`tq+!`(ftVG95yz2T`w45{{C!4<3n`es#|S|~ zmKAf5-!NEmUjv3}hyLwR>1rL4sW$~yGzPiUT9H@X-iq;A@xY2ikoP>^fwto|3@)T^ ziZ6(5(0<BEA`4ieG$>#!n}m%*ou`LY8a2W0kwOG6;5XiaxK-8B++en!KVqRzV3a;o z1Gzpuo}Z&d1$cnvp-%%CiqMz|xlVCnY0Spjm(eS^9jJnA_i3z<%WEmt@OF7KIfgi2 zK-5TVynPwOmSixJ9BbDa<p<EOSg@M%k8$lVHfUuuKnYGgNtClhVL|6jma=T?jR@u% z0{k=>Ya}`43=&Eg=511}Y*S`DTs&r(-?I1oM!EyK)x9#$-u6$R*7UvpK+9H4Zzt3* zr~vJp2wpn-j4#DyAeVpVJMW>~_CU+)fdIIb{$68t$E)O{kWtQ~u_6)1Jf>ca;%*wV zv_9NMqj&n=KxoHe++h7wj;+Z^r(~v_lFsfAMA3kCx4(wFX1-4t%kQN+Eg*i?KXPsR zYo72;Eq}>O*=EONXUC*;><UVlc3!st^Pvq(qRVjSTK~^0gaVZ19_^VG7!dICYAPF8 z({X!T7Comy29KFo@V;mQ@k02c=~BYpd>;`AnY}en`J%>hm}vX`Ze>!fKZq8PkqS1* zxJ`}$nF=?He_EabE)>Ohz${aN^r@iL5lnv%LPhb;hYbfRmIkO^MkeMsWqt31AJBCW z9zccE>)6Y!Ye5(6m%bw`4mYOD7fM29NXIM`?BrTC%+v?5CMd@^W^?ReF+rFgpE7mj zl0XYWg(SdKhkq=xb1$FpFSC<8mj76=^Fj6O$#g!XpD^$6=yH;Gk=F2^RB}i?qmsk= zNh+xzg~Pv0Cyi13CzaqTcKMgtwaQ6mPgXlGY=4b@*@oR>$W>L%c19$q01~2sMMqFU z+&-$3kl>mOXa0l_CG4FFkVP2)Z<MhbA*02~vhb)xal1r`xJ9`gdW<WEm3hM6qi_;q z^m&)db>60zPHM6;e2`w7g3DuNc*RD9>_X^r6YYX~)|4X}+E1wz-&D;L$nI+?Tiyht zV!*t+%xt8z468p)f_35aFy{qU8?z285Hx!Vy^*CI7FDbat7Dtd8=Z;+Kv>`d6$$%a zgtr<s{U4Y|aAp0m9qRUPPInj{F4*9rme+T77+k^a*R(Jp-@eRI8n4t!qo%dbb1vuE z+hn33y8__Ab?#M)CI-<tpB+Gc9{S`Mgqn8V7i2@BPkjMjT3~OVfuU(O^r_#MiZyxd zyiW*Sdk1)KbQ+v)w!KAwf*rOx8vFns=<ju9ar-v0^#LLz+mKiM?TsA5q^G@h;S!Px z0k{s_V!aeDGhrx8+MOLXd)5--h$m(p)1;ei0e+p6UF<2h2_ms@OX;yvyk@@v2^j2y z`lVy_pj^cJu|w$=egv*@a1aI-hd#AYveTMBo)YU91vfYd(3-zj3W`10pf!JQL7Umc zQltZ1BH33-9nJ=;sH>ePxRi+3i%2u#_VE<)PR|Gos@dnjTL=JPXbd|{SPh{5lh$5l zk0i=cU|%YsToTG1LE@iKPV45Vy=cku_5li?wzZqJEbU=Y$~zM%BT~==lvok~+9OM{ zA5>jPuPcF=K&MU;3+N3wL@)>}B8d=QJ#NPKKx4;X)EbhkdU$){_L;VMBfH$yL(-7~ zQK6bplKM?l4uuIp5z>zdO=`zx%UJqxHomB3g?t^wJ#d}!Rq&vUSw>Zsyt5ZE0y{q; zAbSzn8k8nD_mQ48Tb=B^VCO!zfdp31gw6qy+l2jB|E`w^y^v&Qa3tG_Dj~o=ifWM) z0TSRcBvCMiKu#h(q|Pm^?aQ2`K%|FtwQLrMf`t#7QCwU&h>HM0E+V@~wp(sRew}1Q zc9EvHtaj!d;?QwKXR~6*t$1Z*9|?E+t6MPhDybr}k5s)?tI$891p+<m;pC>X@Mr3? z_Hv5TKftU#D4p&z<*Su^(3DTOetT*3LE^wM2M3M`4iNK>nai^8b1G%y32QGK6mr~i zP$e8-f_>ABFwe(WN%bI=6VJ6LAQGj=iB9Hj&aq4emICJ?{g}-9j&~9?yZEfHkr!-` z^$AIjn=fXvN0zYc{1|3wx}&GC%$`TNEDg5KgdCN7ijLxhKICTw{nT$;NtK{yD0PQ3 z9f##^qr+D65M^<Jed-pAF$0mH=O^`MXEF}*s(Icse*hdwL7t0HCFt347U3rJNw}bF z-Ry)&4tYkXe&+!BV#2=5NwZr{i;za+Qs)VNBzUFVJHEt~17)f!-O*JTbY4Nw+DHD& zMaQig+BRU1ooTky_i!fYmt+cuMzxs|ZUZ@lFhxP-Q6>QNGBE?tj(|6NS>e-Xm6_K} z?vw%!v6DO6i|8FLbdSgd^^QP&Co5EQ*^fY64+-ENGWW^sc0A+{?YbAM^%xrQ<Ze`Y zNlkVqwzk=L4;#lIK$xo`Q)2SrbCa+iZdaoL4((zNYDVI>{GPkvvy1;5KcW8L(CRfF z!v9x-N^5;2!FoYG^STg|3;)0$5{?N|j2-MUxuL)H*U>n70^d`ptdKh@tc}aSGk@@H znMG8lPWnQX&iG3(qS;JCiJ!kkpBhR67^o-rCB@i<pRan4vmGPMl1-A$Kx1WSGr5Ar zsz<E>Rck=i>i*OaP_=>pz-_?01Bx!Dmmoz~PwkY2SG0o>G<w6mT$T79iTlN$MpO$e zB}@^hn74X=+NPOo8&)Tg3AUnjI~43G#`q}bA5w}yWXeJFucNTEHt-B8fmy;|njT+| zuk2)YKfVIQBq!%&s%_iEc6vpHFyd?#0ugpL=<TRBAt@Os)940N1hV@b3?XiR<R|PE zx{7;L!3IW_#zq}OCn<Su86ko#Q2fi(i}74AZeScu$X-w9nVskntX>#Wuj~^T&1j!% z4noQrr+qs4O8a(p2>D^}_>Qi-Ow~<OnZo9|y3=QT5C<d_=@beTyFE`qr)`ZwO+`Q^ z`eitp%ap<=AH*el<?ra>Pe8Eov|WYeM{*FiH)we_I+3f*{UvnDNNlEc4S=pTVT57k z#fcS23{xYtO<nRzRZ?v(`Ew`Fl{L92xE|2Zh1QF}QMT(u{(*Jj>bZH9q?H_W8}}Hf ze=99W%sc~U0AOSZ8tG?v?gS?28~TeRcv&BTZHu>t-%<jzN-%D(gV-t5PsylDj?t4K z_t9;hZP?-nrUw=$>_2K13<cU^w6c5oHp~gIV_kH{p-PzNV7h-X;0;R@wsuH~)hQXh zld~Md&eW<US4)Xk?=%-kg*@o~m25Rs|I+=Xar-lWT-3!<>0<WN=qGx)SbFJC*w44P zdf9CMfm%hbE^d}C22>aSP(BxT@fOM8kK6B2WknNl6c<n^EFCZHTTiiFe{;gV0-^;5 zY}P>?S<rn}<~#HaWlmEx^_=l0LdP%oU6#xR>_MDGf%;xJZT~mu^PD$;T1GnO>N&R? z3)g0TRcMC!V}I`nb7>To9$*(v*yDl~5Fuf*E93V$LDs4VO+fG~vQ#Qz^s^KJzIirj zU`&NE9{-kbhXPLP_SSk}Cvi0g90WG7wn9z?cZFZ54iJMsiW%o3fQ?*@F9;jCJdsiZ zooO#sF32>jzZN4yw@fMvC}q~G-NhiB350g>Gkv>|Knp6fDp#+1EVCDcJosgqs{QRi zO`HbDP}g2GDcymu&ZNpFN9ke13W_-!Ae)gGn=>gu7inc;zYN0i33I<Rg$;4KCkNq` z0-|L$LgfZOmg3lkLOPJIG0fd3tYAVPDXd6(3mD|3x74Tc3`apnO?KuJC0;Lmgm#U= zs~Lu|4?u*aJ&;4c0=X*rfZ3xT6ZCb=Y9tz<O^|QQ_Rs8Wt$2>R<^y5!rUmTyNI^oB z<#iZ=w#PR5BQc}pRoI1v?GawG!5yeFFD>V3^v{d-j|8gzxdED59YZqu4|-b}-%23c ze|=oAN9*Gvp;6FgWjI&_DKkv>5WZnS%N)c1oX*yUbdNp=3RCEctuTd|%gjWDfUw+b ztimR!8DE9hbpLATo1#y%&P-h`E6LO~6zXb}1ZN8bRmOp{FfZmaojv@7f0@ob>H&oP zTx(x}pI}7f?IKU5PpodXC#2nA0S*q;QSb=Fx2?6m_&07~v~5AV2|K9!%c07k&lz#1 zwwyhZ5moRhQ&-6!OjoA9N)qZ<Ndkein%-lQca2Uf?vk?}!FoR=3)b2H5QmK>U`_(G z*0aqkfAM6$NoaEgn2~ti&<G3GosT=?fos!pC0oHq<8m1eX3~Kj+oP#@<<^}K(9WPq z=fk3faseqZAgN%Z{NHI5x~vm6pxN0FT?OPJ6ID2YRYV%GTGJUB&jyHN{EB9K_jvm8 zB$l2$tPvH|?59Eb7Ae4lv55<nEd6~9Z7Y)!al7m@)cD1!pPW&?bBY$)U)awtB9S>e z<u*Dz5x2YK%Mh;Y1+dctYiph|W88bh$%X3Z*ki=2Yh&ZI31Jf=8CVM2O4pyGV=!%b zLZ1SE^|V0cquFU6o;%?bAttFVet_`@=BE20$f?cwDKt5W{W59tB-CvnUL-cy{$B1Q z1R}|k?Qtx@qP$VbdmK@Mt(YB&^|!y7c_$*t<L%hYn5>SDz~p{yY!oLj&Db%h#F6B1 z`<2KOJsOD)wK^vFE3uX8L*C^0^5iH2iZ91-ot0joCnPa$duEW{2lht<ZCsRRE<dPK zT?MwqIE9!$l*dWbTE#ikyVbY~_EGKqr%a{x*OV%LE`K4lt1E*!PS*!}IC^w<8BOB% zl+)l%a<~fiwkq;%G%O}O`$MY2^BBhU0v7xVpvn|X>}ATt?n_lI?*PS7W_tSx@fHiP z9y2v#cH}!dfVnW^88qX~%<gcYd26wMep$2q&&tsZTF7z`U)g6kUtw%z%wWm8wlbuL z(m$*#azeeyR=?I+tJr&<0zyGs5pth{mnzO)t`Y@s#@b-4C30>w*2@aXTRkLwu!WEo z0_DKKHi-9yJT~C57OC|8pyNj#3_A{MM8d|VJQ#nKLJZCy=L0*kVLcz}e1_GyM*7Dc z916DF(~QryVQ+6n1aPZq^V8!?$y$o^+VkT>%g@-Xv7l*YpnxUL{0R}lbOd>FjC*#u zn-npEvu5B&tO>nRj8G1lARKo}m?yzHV|C1=Gx5i+KshTFeBsMA{mwi{{pC`7wPV44 zy;!hk+kXu$(9Z-L-1IY<7NRu0G&uuJQnn4b^oyo$7eNnFWbNiuh+Q*}Gp%^$zs#;V z-URyXRYJ2b8e9%$D%R)Djw!*sN@CvR><-xR!7eAveXIfoQd78_a$|+Kh;KpXo1wlH z?-uI)hxPA~0m57#7IVEJ=6Yoy7jwNK=K6AJTg>(Fu+U??OqnYMJ%PY8@IG?H0ifrE zj7uLxtz?fhdgg(i>k~lEwaxa{X+1weqCuz`UD^ijQf^71mN8Y!IDdfT#LZQreCDl< z-qqN9wHmx@#HKrD#z@VmVmr(C$q$GW&z%wFkY^uLDZVK)g+1gMYahW5Q!0T7?4Rbj z`59kh<MQ|hxLI*Y)yhsu19nR2cs=QZ;XOHp{XKeNsWZ@VSXzz<)2l)}O|p&X(2D3V z-7d75a~xW}t~}sttXdvl#mYghDx~sCsoXv+eyEsk@&Vj6<!=#qpY%B9;m@KPk>}tC zOK6H2KOc!#wT9gZ5Sg-l7>|-+uqampU?M@i{57|j;&`{zOYb05twJHn9)h>4%_hiS zuuCYh14|d@V8Ccb=?Ta;Y(wJ}+t5J)M6D=v4N&Ot)og^|#yJNynGqrC?`3dcLL<It z8BF2Jd9EyPH4DW`<;{kxSDPEIhUPno?NgAU<&3*f^nES9uRo`$8MCq0j5icd9denC zjb?m<@)w3-$Rj2gn!tT^Wy=#-JP<S>YoZeX5Nt(dR#RB|gxxj6YzhkuDr8KRGNynt zCczOsjmQNt6#!qzLZRrB=mue>WLWjs4T7u%PeP25zya#~1D2Lj%ZL(&Z<$r=Ury0E zC_av&Mg%~OeE@fJa5=$EWr%P`91BXz0bd*-g{oBHWUlhzAWrkD<#CJync2evHk8Nh zdIb#%ee8&MnKj!RbVnR1K>B}&u-v%)J1?=9kSMtm#=7kHs}x^!ayhWTy~zb{7SO1P z+4k!QT}X9JhV&<l{wPtZvx5rk0}8>%NKnM1?zgq&egP5TgP?w3368`DeajIe@TkRz zh?7SxLSWjEVA?PQ!P$S)gywvUi-vhY1~3bd26$eqg$BgA3U!gi3a4B}gh=KiO;w20 zEs5Me(rXdCS5Uq0D|(eFsahYC+K2id3$RQo51vCOFK}U1;SARr87FHJjYmCW5mi{X zRho^JLS3t{j@cX!E;;LJ$RddYPQdpK+9Gg*q6AQydMoNnPOocP15az#K5f>mVMSn9 z@zu`9wXm=1k85c|MNN?Z)ewY6LD@Wry#?8LfXI88Yn}m%A(m8_v7^}LF_XvS70x=x z0YXZqnDhWlr3ahspE+s+m3a7&_@K+yhL>Z%8B0)aJS!wA^P$Vl<;!srh|8)>9SI^z z*H!rH35exQ00b6jg^34rfE8Bx5>;01s^xXSa8y`j;(^QR10sKM87<|gQ3}LG?e^Ix z{#s^ej@8e}TVcU>VMCMYdmB95rkm`%uT~TmZbN*Pc%pP2OxB#_SpmoaB>sd&7~%<f z206niLCOk80s*k0@UPLQLANN<i|$$VwPszd)!bkv8i*O>4vl8K(YkGe*|<SO)VS4= zcSIGS4`vz7^pJCzyG01tDUyXq5?rCE6`CF_2MrMBY7_QhWC9xiHH+I*hl_Ajn_e;V zFG_cDA|N|RT!ouGx=6*;&mUmVeE*P{OfB~zJ(*giy0YW7z$i0bC4;DC^pLuS^e8Jc z6Pz5Y9vpjG3$U`($jY#M0Jv!~D$sw~TA1l=D23v0v*X+!!lHz1KGnOyz)m5U`gF7X z=l`nd5_cs$sjs4CXNlPF<DHE(c%36!&&@ZfY21FRjJlvNbDsZ<!{q`Ze=s5RHiyjw z$f=qdAZM9%8*CI{Ac|iCCo8PlO0%A9Pf7t5t3ZS~X2A@R5vdeoUt+Jaa03j|Z7c@P z7qsj@ci>M85Cw7=68;eWPaFsL%H$qO@eUT1{jb>}O|XStSH0&q#B44`?|{`+I*xI` zFI`BF?0L*3<|Xm;GwiLCaYoX%pO)=4#4urLIu_ty&b5yR@HTLUVHz@B@`)QI*+0Y| z8MD2vi54m$Wb5kIww0Y*09j!WS40YgsqHP&*@1D`$5E$u9G{6yQt&hmu3(MNShpFb z>PfEp+#1=1xp8FFIFP0Yb_E4G5EBF5azsaxMl3YY87wr?8FrkuOOO{ZN|F~s6xMza z6~9>zq5@aA_$;@ZCs`{(eSj;Rh>LpzN>6GNCR8k7smE-pwbU}KhfIQ^aD};{U~hRc z%ZW6wYeSJjY#nBT#3@t1mX&Af*YhU_=RNQSQQ_F(4OqX8M32H!?o<^)u!ZAS8TDW= zWi1#(?eng0hFH8dZeJ$(M1N&-pIB|)i{=VhDZg25C9BO(thE|S)|hqcInkl6ZwXm) zgyD+i5aj^Go}K8MxtDef4a!cY`0A@HlZnflxVX*wt!C3*g4HkrLPCa;HEz*7JCQ>* z)3DHp{66FA=7-@MBU&1y_X(+c+|gYol<p$+8AJvgt{BBB5bPdN=beVrfFcz*C%xK? zj#?W^p^T2nJdT>X_DW~R%-tdo>j*Glg#oM0SY7>9`Ml9sbL~F)jzJ!I5G4>7Ny@1W zPB2VlFI`)Ggfol=)?X{?Gza^&1I)hrAU_~iv4?^6oLaYleCHwN6L$!9P4vEWe^4od z`tX6$5Jf!{#KiVC8}vb}6O>wB2hsu-ceh#BCga0iI0pcY!ukXDA9@Ansqr2&e!ru{ zYFh_?Kp)(s0fM1gET}YLBl0+Ctd7K?3OV^@uh3bY$mUv|nhY?}MK|WB4m?wW{<@Z? zQsISOt%m*?^zC4*lMiDlyF2KRq+zLg9_?}*p<K;cE^-z0w*8iiRun$bi3>X-`0H(Z z4gQw2y(4$Ci`qC<<a1T$q$cbe1y9K)NCu$qf{#H&1Z`~O4G#%FjO-Xr$^CBx<_nj9 z4Nx{=mpJ8=M99IWu*48<$En0I<Ftr!fc+P+km*Qb6|S5lOXRM5&e@5VEFok`*nc4y zR^VG$+h7rWPU2i^OVFBhjItg(*7grvONlii;s$-8?$2ThWs%j*#U21-!?wXBWqY_` z!ILX#!$4|X7TI8|PC;atq+b>e2sHa68@+2%i?VdP%?T6Ni(D<BJVajQC2gigcp``H z(paLSR%!%vYIOw4U+P*5WCH3umM~JWiX$5qv(7(8oq8r^i9v`^ljNEo?9#Z>wx57q z2BdA;#N{&>7S;sf5r{<)C&uQy76tz*7s5EuAQ>{oTOY=e!uD_rc1dh(yx<&JJE!j@ zsn-C1Cf`Pkga@AGT8HDy6a*BcR-*&PwQ;`*y$l{Ah3&a1Q4tbO?#Y7R+a#0$asSRo zlGCkmOnY@Se;T*N(Rhf-5-JDf3ucaS4L|^$N9D?Kz(PS377=!kELd<Rk01+xS8O_W zs0f5pZg6QfJLyhyK$v%f@F68p7Y^MC{2JiD8c07eTisauI90l9p^L*+HC0x<8m{qT zH|L~dR%7Fl*eD<gz>GzbBaRE$#~hsxWLwlN=aAj4g0nni_cWfe>zPj-vYV8sB@)7d zW?yK33x<Ue2^g^`hzyCaK4S+AmV@HTcrRz{Ca}1W=kepP;Z!Hq9+P3ztp{_d`5CSZ z6Q8-0W@->Va*^bqj37FMaAVF0{v6$7W=a~q#<k1i>xBxhHSrLe(#f^U2^bJ(Wv!r@ z6@CztSS(N#Rzn2gQ@TGMx4T6&hi|6sO+k&W@}?k?*x5R11tVE4Mb?^4(4*Fy^&-~j z#9FfnN8)f!t{mgZ)Y1D0FoOWQR?ft&7hC0VGuCe<k1tL3x1mQkyc&sBwou{~g_g$- zaRTs^-;0uXmW|sAIS|Eacvx<|b65_2SfBe7H3B&36b`^)&qX!68r&ZPg{O7A*}h(> z9LS!j<;g=4BG7Rjta#mDQ5^vt1E#yDQ=flpEC8qRi_BOiQ`#6wssnG=0pB^x>47*~ zgTX7^kApp5y<gM@<-Mg&uFWle#SgV2m$3W)RP-Szn`|m>A3#7MNF)VYv*w@pCe(9@ zvNHqrJddu+j7i_-cF8q=<CX=^yA6N7=)BwQx<NuizVW;px9gpACwFqbv0;Cs7uJyg zz?I#|l&ArZ=EBh&g%mKzL(%-kUkD84a33mxZ5G!7E2P0epHTPbWmbaCTaV$v{<klv z0Yjjeci8R6%*Sqpk35KNJt9)s-RL}7czx9YJY}2+I-^)BIOsd3e#TJ{`w<iB$5uZg zG#Bqx=mWQCL!WpXw$?(Q#VW;7wlyq<PZsH?sqh*-P~vf&h{v4b3!H-kh&0*}d$FJ< z-~>kXY2Hz?X1n_H{7^VYCi8{0hUrhpR62ZB#eO^A`LV0SRu9TA>{g#2Ll9C_?FVB1 zlIO>&^!ai}-jPKq!L5Fm1d%|)77sW#9KYW$q!f<d-Qx#1b2y2NBO|B$2J+!q%*7R^ zOsVqnt`VAw1p_~wn<vP?Fk~fzyH_C`jLU#X!1M{Mj`6sCLlajPY?&n3^!)xee0De) z5T=vaWg>wyC4M|*2ay6VDAG8<*DD)5@EGFRU^xcPF6912x`08MQUfurgx<H=-6)N+ zg|o8s@8;noYnRB?bPqp_d^lc(m@`a1z&9pSGDou9V*<eg!pvAPiJ2SR7zQ^Qx0AQc z8{C!WADpI-SVP(8&=8tVKQ3e6Q9~Sd+?tVYivPMyCN?8Z`Aab#&|a}8R+yz(jzfyj z`x%fH&P1w)!`P4@HzOJ$O(3Xf7jp<O7PE{F;3W<iLU^5a=^{%|F#FTCj&MMfh?V#F zmz_i0cd_3hHB1q!VC35;DLC}d^0{O9=JJ4ThxOtDo&7p2$;F)&8^!HkKzv&KU-c*I z|7Y-g0?%&)vKHv8b|R>drMUq8mG5%i_<FsgKqNu$1bTE6;(?irj7Fzsb`k{qS47VB z{xnGQ-Crys%|{<n^g>88zZFQcCi_XWKqsbkWFK2;{jv{yR@0a{a;l?PVgZwu8W=3# zN~b8)2--$I!{AnL0PzHMswws@)bLRIt2m!1UHbXx(MqXs9zEKr2-+`8k2)vUW3*rN z94IkrzK!Lt4;x<1&DS=FEU-Yshf1AZadruZ0C<eoN`<R$z=1!K*Pr}Q7P|TH5NN0Q zjbZ-nKFPoP2l3bHWlE%%&+V^jxx(7de3AXkfk1UU6GIb8Al}=H1DUf4`;4-tv6T|D zdjx6QurSD)31$SnpxX=nbMpVG1ShLByK&NMHvJ9$m2lR4AfAwj7?xCImSiLsH+3y} zf@UoNsXz8%q&Rye1^fk@37QITg`bq6p8%BDg8u(M|BKGZ$zJ-qt`tvLiJloGk8nB0 zBHQj-qsL!b<nfB}Bv=6)1hpUPhcH;{D!RX#%kKPQ8Gi2+r!R4J#Ug38dlYu7hy!~0 zRAVX%{;;2F6k0(LiDNZ91%V*Eqe&Kp8^EsiwM4{IURYEKd!OXTnPP;JcLb<TevHxt z?k^bQFKYpfgNx7)u-Qu=TQHq>s-`d!QWfd+(<-T`({D#T1^3ve-Zih&*k95p7z^HM zT}6l6JIzFC@s2zCkN(WVk2Rt{tt|+7JFvdMNfl{_>1-N$EObF^p{-~P^9(CIO~A0> zpV9=^^Xx6;RX{L!V!`!1jBnhYqXvre(Z<q5*n!4tP%qSZ?A8f3qGnqktSSUZc#G7G zBc@Gd3H$e*n#HTzsb!QfP3C>@I}o#X`ko3;+p5P5Bnu*`J)toMYLHkB)ag@WR@hjv z@d`hW4r|W=nys9;D`JwMg`=S5Vtm*y5lexD@6a}ZVCjkti~Rxv*j)UMv&Xw&^iby> zd^mR58yia4Pt|L%3?s0zgzg>A!4k}H@_@h)AduV56*=HbKLfmjwHI+Sigbel{jKHv zKp&9XV?luX5xd%o^)HQ`ggd?i?aq6Ye*}Y2z;)qX2|~e-m~beolUBTJMWUQX;Pv=L z@B%L240aYK0^<I_*%INhG~7pnJ>h_BJyKkNg@|kpy`fyAX0LE|93hYL*lwHF)Q${X zM`W=-SxZ<zR#WczkZ&ilM}Z7rYERC0bbq4OmC_R=!=kl;Q#lT-(1A35lPk4XHYbAc zD0E}ZHBMt=;?a-B#<K5XV^5`?l+lSTQ4UFUKDiUaaV7SIMG;|4wN-OAsQ(HV9E^Gf zm1&F;<j{bA63OoF7U7D0V;y0GO=X2A=<aZq_FuvVIUz7BuURoz1Edvl9&QN!9diC{ z$bwP8?_JSwwV%!&pPHL7x)@^?ae5%I)D2~UX}&r(EpWr>C+uL|b{9Jl1R&*z1$Ne3 zZx!+qhh~YR5{SPk&Lt2LicwVPiI#`r3HuwOa%eAn68Qh)f?~#B`Z_|Wp_I}%u?VVB zVclYy8<qtg=Q5UK4}px|0O7_dAw$mdC^n$!7b&i<4jy0*J%bl=MKu$+Xk7pBUF3q- zlLeDZ3#P1cBK^U|m;s%D&+#%T%lwm=0|Y+^x8B88=xYNI7?!shXJ7Me8-V7W&yYuB zM;p5Fi4w7`<p*rcA$cr5Vhq^P=0{APp=+b^hwV3*!w`v)JK!@pM3KNo3|6#(7(TEG zxjDHSg!Bg{5;zz%%Be~5_D&&)eqfOwYY|6r<P2N0{k2+|LedrTd#mR`$SB$+ZdV_l zN!&2Ak10L{7Q`K97!K@5bxObYre#<t@Z{lsB&0R)KRE3m-w306jPN5paB#%5W2~eV z%8!welU(R~M)u6)sAoab9t0e)AVdpiczPR}253I4O8!uKH@*q=2V5qr_w1cU<#PIR z7)IUDqhQX%p+}cRP9S{tx3PrdWY@!(zR70$H>76(_XG$D{7GA?s8{3mW~iDlhfHug zYy#LXl*oQbamDPj02e++VpBVy!`Sq5rLWgi_9MVD%v&Tj)bcj0I0A3aFnxE^1CZkl zM$JU6dDfaQ)cPe|>t5v3hI8nlC81qujth2eaLBGFSqm(Cpa$L@zfnk)q4s;%Mf0h8 z80`kKOH{LwJ;O7ALVHQB8hHg6s7H4wk1sNvt`5?w`Xx4-GCDh^ccSH%xwv9eB`xoR z3I!aDB=fCRV8}Ry5Q*kn;QKtyj<sV{Q{X?5Sia@0OhW}bsxV?JI>?a2;N(*T=@d`} zYX_+F*UFC~`+3e4nx%`)SV{Xrh;R?GVEJ?o5KFo0I!_P@)s!s0S#TBK%}$~zKBph& z1K{@ugdg#j+1*eaMRsc+b74HN;6_Iy(dm}kF*BmT2G;H7H}3t84%kcZ4f=2Kw{}ng zy)aOO!>+<8d@Zksd^2!%NhCRnXd_W0qwa)>h4ne~|BpRNPRe2iGtE<Yn<;6<ZtO{n zjk~dEhUbP);)F6BPjnPZq`U5<@VDLymJL9Fj}>FQ!s%UG1tezlc)H`bCxs<AzaP1( z++U-k=@YQ%;M}~-PoDFG4$;7j`ME+7X%`)F=oy+s$lh>uA|Qd6v8zHcsTx>KRGq=J zKoQj8{}?)X_P3lF!iEDF0KW5Vjqvnp{R;E}KPq=#Y3~Jla$YN>7t%fus?dHpp4Y`I zv0b1~F1}Z!b1KZRnF<BPDd#T0)sy;lNet`bhWO6CjxxYY9h$elWl`ZROLvre;ONU> zwvl8RcgeZH=E4&}bOr50FjXgP`FU$35T(t#(GZZ0-Ox6BS#>;#vs#SlIL8BMnajAc zQ?GHXi5Nq)+^pZs!fHHqt8x|kt!{OszI+GbP0F{r)z$Tcm~s_L-?zqtL){uomE3e& z%QreTPoXN8O|r4FT9U;5Xo~$zOF(IWXT4%;pz{Sr;>^D?v4_&4t#Ah;5-sBifhz2@ z@5U%u&AppFsap0M4L4Or8dtU4paM#kp_MsB7FiQ^rI284ebX0Hyh|N6b%&n>hv%HZ zKqwg2=-09Sm6?)98Z-5q(L7fCOm0bbBXHpyeI-2!+GTX!<7Y7O7VNhho%d3J*xZij z3S_QUlM!hQ%Jyv&y@8Pk>Sg%gzX<ua9^;`g7RkOQVfBqcvWtZO^jTOfN%uUS+8xL> zecF~?7(}%|5nr6ye2Kv6v-pIobUdB_2rzUZKpHH2oWn{4AU*+Jk{R3LY!Ox&m=igb z<B>*x+qK#@Pdm$ZdX$Bx$XtZ31nDNq5_pD}NTc-FugDtqH{>-e7R1T)Ssz4tXj;qK zAAn$w0Dr3<@fx$0y<z+aJgbKP4No-qteSe>YvewNj%MnrJTK_)tEPU6)Y~LS)q$6h z%I~X={5w)>R1F96g&O`7sjpTw#62adg;jU^N{k%0Ab&tAPw<9uKvkhC_(i0?QD)<~ z@BoY{oIYbP^rh{rOA!fpQdq)h5CJG)Oz`vW=tNI+mfPa|h8<IU`yDl5V7^LlI&Ck7 zbC*)qvL#Eoy+|rHaMr&xIitm8J5b1TI;*~SKFQkf9r3x*l6MC#N0{>IW@bG(;J^%V z0CE!01&(61ND%o4_&QYru^~3oIl$;usE<V{NX&Gepudo`iUqq7(vhIZCfRRP^=y>M z1-h&^<C}0N$}Hkv%FPprO|tWeRB3W7lGsQF222=@G;V6U(ZL;D@?h`#WC3~L4~>6X zq{R+;v)!gYa@y7Q1&08?yE3z`0d>=jFm*j6V<T!gkM2UAJe>vQKwlAVGIym)8pxK2 z(8Dyf$J%?F=bK;m8YB4sEdKW#^%_^>|5f<k<6Y$bSK{**&aW~0&bk6Mg$xNJhqwD& z^CVD+NP;zw?!qb@@WFq9jvCUP_1s@1i3qFVVr*sdM1(DuCw{Fce67@9JMSeWxrKg{ zh&Q&0&w`L~A|%aEt39FaUSuwGaU<Nn;`TSY3SF#QU4Z>2_>Ls(di{+gWsR;xM;wDE zWnCdRX6m^@*37vx^`!n-m?^;E7`l>!^8qkqBYfM`xq9C0VIPsR0vv~S&%$a;-vfSk zKb8cehVMX}JK?WQ6`(e7)!?MVazXD9)(3YGVfJKQ6$EU31qd?MBp5MhTm>>!Gq@qX z001SM9k!pTBd|bBb&2_!6TaiKM<L0a!X^CXj!g6*KW3tb)DQPX@ODJ~992IYG!l=i zpMLdoQvD37ADV5EWmx@;sGm{wGp2sV)z5_b5xSzi<O*uYwE8xqe)9am{J|jG8#|b= zKPN8aP?LEBq;r%C^c#oc7)C9>{7G8x;Jy9)`>B-sqKB5BUUUF;(0#7JXB`M&{CZiY z2kuVTKXx!dwr8!zhJ^j(F1?I(5}aZmotI=J?1N4c&Q{}iBg9fsUmZRgP`8>u0adkt zx3oAV^iJ@H)%!e+82w8K^3EMps#DCJ^Dh`9;p}1H;l7&Y?5{z9tM4P5k~E}&bpPFP z`{QYj#eFJO=6{p;FM|ezy8nZ~hE%nc5VQYtryhGiuJ9n0(4OgZMMCSiKV|r<nopJ0 zKBl=))i|F>A?9{jkkyYW1wpY98<1zoqRzQukO*H|SL@2t;L5W_o>iW$d@kVX5l{>4 zCm&Tm7m1`?E(oJ~x877fgqu{boma4NfKzTTC}KLZ=3JxVg7wE~r(!9GHemzVz<G1o ztpu8Kw^EzFZ|zNvib5r@NuR(Ollx^?0ofR0S?~Tp%$$Ge2vD=6Q|4}-j~?;kRCE^F zUBH*}<H?IBf8puM!qf7?Q&>IijyiWHIctHxvK|5!=k~wLUK4s02Rxssjs;<OS%M`x zFaYzyBReZ@FTv?hw9oGYGjmDq?y-OT{x+6$mvb`VJM2MvTUiW+n3ku<aXtt}8^ZM& z=zWkq3<{H=!`v+;&k8;2Z;IO=020A8F8))PV#A9taj+4&sD{*!^YRXH5}FGVKTdBu zR7KGR_0g!B2Mj}xhU=Q`B~G;>1M$OjZ@5kfeNfCg!PMWND{Ke#V<o_LsObRSJ8@pR z0#=?NJ`hgWC&=M!Ay-gIE7g;MEbyn3>2MOxaWn&G%Md$Pr8p;}6@+ws5RFk34cUuz zm2fO|YTc=8y|PeirLOfgg<99o_3wY4{jH4lcP!c!dk@hjf#;rsc)+Cwv4FV6RCn^- zN*Ra*@vpw`e(XsP_D%q|-mcQa_<*U@GaPy(hKtJRHc;NYjVedn{+t++xK*0#Af5>! zEQgqh2U9LSJAKB)^*hnB6?DU!g0TUi(NV#`*?{j!ZlOfWVeb%(nS?0~)CEb?p+|#p z+&8BTHaGxGsWw^8s=)ZmYNF*Y4oiJFO$<rO>uLE6Fs9hH%NfS}ek^L#g4ANHy?tIk zpJ0t_*frzWO931R#z4)!x(1k$vEL?*`r#NJ4Hhmb-Gfh%IMA*7gng&V;XCDo33Zkm z+rxbqU`|o074BMZP-SQ#h#K>%4XbM3qN^pG^4Xn0XeAqk9^DgX*KmJHp%OIWMFbF$ zo%sC@`TloeK=G>un}bkC(Q5AVcif+W5b3ieSeQ;f+hp|Hlnq8zF>kdCJOM8%)CMgL zohLRuMv(0nbvj6pIm)(X;|Mbi5@I-@0({bw+~i(NuUrF`A0iHPrx|Fzm?Jt`BD4X= z-U`hVw~fLI#fxAMETS`A(DLu2Y`B)p#lFRX2G9vPDReU@{Bk(9Gw|q~vVxsR_3hbv z=yK>d*d!_#0s@PSPr&|c|3KmI`Nx}{Wc)56a5RY(6e^J9^tkHuz%y80TrF%HW?e11 zQG|toQk}Cw@1`QV4xk&YZ$fecJE7cj!+mn>bP(~U685hv?#B}aumbz{<-Ua##Z%R& zi6<tYK5Ah&(jzskMDppg>9dQP?Wd%yAIl5IW1pXUb9gZQyK^V!j$L4nljd;h-~QIu z0o()6pl0bg;Y%N%Nh>vBg+F74dve3s%SD!$#-fp!R@#eN+iFAUKbPT8C+v@^#%WbZ zj<ZAP=@`w2<KFZjj2UB3kBd4vT^$<*-iViwEXcax-CS4Wr^l;@iH-JODRCAi`-Khf zt#1W=m^atsJQ3^P2Lrtx&Yn_*F4Kfze->Lo^qI))JP7FX-yEIbdez*KlZzlJ01u@Z zqxFq|U;_Kz#PTWhve^!)z6oRlX4h`wRPITs+153?d84L3{9apzF2G2So4x!+9yDlQ zeP_28{*Lt`^cz=0^-Q9f?aA;elz}^b;0nR%xrCr3OzVWuBYTV)6zF~ew{4*M?a4d~ z0^6pM3V$eciT-u6E3iF^k1*%;d0DHghL@y<w)g04Cz$J0mzNdmY&0luACx|&0#@JE zd3-Ya0#Z*DeHH8S_R}ngGk8|lVh_97wT!*RN0C3KvE{x!IwN`dyfTjD^jw0BG?{l2 zVAoff3JGD|af_TH%!Bx$?w^A6JhqAhKMfQU3vS;sscG*Nx_C@JVW${Wh2WG9o28FS z@(J{el7rP%BAxMSl)-$d__8kl9r6$EZXF`kxv$Jqw7Yd2=#DL_k(Js!K2o&1HNqzJ z?$&XkX`h$-zPM}U>}9cdcOexKNk}e_%3c<tlSGfCJC2mJ(yXX1IkJ*r6&VnrR<cv@ z{6qH;-%eM+O|zlm`x;55#)L|ZVK>Czx>ZgP09-@vU9H1ba!7Wy4y#=)#04J9G;~iA zZ*$+YVn-6#;7T3_I~j`GKU1+MP_Nn03z`B_fI~(5CnFoWCwGAE!MR~HXG&r>?lU~p zf<+BZHL7=QMy-bZlW?h}MZB<K^`|Pz0Y~*~993+D1=qq0TW0Uv4KF!qKT;_F;koiZ z5OH8=_p+Ykvl9PQAM}e3Rd<!r_P)DuwkP%+0>GBEu7=I&S(v<@iww6_!mO3Pzju=0 zK4<HY9qUBJ^Dxe2q(vMH;F9BHLk!w=KxC?uSP$vP_<70wuoND|gIEy{5~P9`{8o?@ z4sYXBo>Y>;zlh%+L=^U}nca&+G&`6O*MsdRKxu{;L>03^b`0%$TIRpZHznw;HmJ>` zh965%I;>6xfrGK1aXYF61+LhA(hKK4cIibDy`V+m0o4nMh^#YWE+}rSx{K`WgX+64 zy4Q?8h@L)&jy@Y1PW_e@JBeih%xB%IgRM$G^hF;uqX%4_MBLTL9_eT6>f&SomECtG z7AV`FX<o=M79$ZL6U^h>_kAdbkX;J97^n0h#P&&d94l$9nybX%nEQk_VUNn$7v|(1 z#AcZbRyc}9TEc&sXg`0*K>CG&^rt)e{jF6lRM1_sc&xi$sNg4wXlBE{^4t?v>=@+W z?Ma(76bHXJEc~nGjx+b=xZ_;X`oqjQ_mDHdMJWBZ$crsc3yTY$Cb(Uvq_rgXkJ!t@ z^h4Aqi~;RIzQyhL2_hg^1K_+<&BHjqETSM6w})hv1bxw+X0&g6Y<!jAY+t0Sl$~n5 zbuI}9-<YHmT+rAaMJWIgVUHamEeQ_OfP^6Of%G)QxV5v{H<3F!okf$ON4uJcLvj1x z)v03Qki?>ucs3yD>HDvmENKZBmhZ;P)duGtQpY{q*R-O0l$TE=HWK>OkC37*aT2E) z2w`Ktn!CG*-j*B|;c7VdBTk|%lW6le8acp|0c1inUIi^1(CSh+`xXsL>6jVq(KBep zdK{E}=UkFT*ST4Cu*ZsZ!Dg+~k&FChdknaMi#xkYh0nsLMj&cO`eZ*k1q=AFbQ0;q zk=XH6Np6uAbB<}($}83Z1TIZosVKs~7z<lO3fZHUqbyj9+<gW+*&ZvGNmu9%sZA$@ z9#Ng)wc9qq3tC9z9NnHo0jlDA3@t0P=%np?49Wt!I#L$MR=T?M@luKb{#KkI%rEHx z0o+Lqp0l@8{6vX?`P@qR8q5fYVdL=RO4Tzu>#-ybF{Jw3vhB%H5kM57MH0&S9zeM^ zU>36CdQ+ra_5ilr-~-_^_Y>_9p%Aj3z1ZyLo7Ky|W-m)v`}r5rHfoNdX3_+&41fZ7 zIRu_{(a}(M7b>0`4=2u(dZW|hyHUesY#BY~v+{oB69@J#r-NIOP}D(+OFpyrE~GPr zBD%ZS+|M_wn}5x2mauyH7vs#*sN<RfCGfS~;Y!l8a+^+q;3yJWVdjt^5?So1)AcQ= zTV?}Y=d*NuKc5Jak8F=(#swrwP(!(+{?@|4DOWnB`K$)cr=l6X0}0NI@>$I&pJe)u zg0k%;eAUcq0{S>OtcMpkLTF1JwKjaU+zgiB^bCL?O469DW5^q0k?7I(itRB>p6EBi zf4Q}Va)@_yq>P%;-_MtQDvDbZ$wdlCLwj?la~lv=Jbl(*pgTAL9EN@EknTY2kVsO8 z(jABVt>@Hsh@xWZ5V~Dv22q<cBM^cW;_8hDbSrsKMshISagY@$h{J#(<6!jhgNU?c z1wU<W*i}APkz$Ev??yloBFgTPp6K%q#bnztqdI8pPR#Zse?oE_D_hYc!U*|be#!k< zFPl(O#)7HmGf@*rI8ZDA98&_o2Xab-nDRZ$79oN>p8%i#2_zCJ9M|sApzVmk9HhyB z7q5X0ZIQ4NkVnkao>S2mKuyX4I4TM3)*gp`0@~$(!*<a+tmGbW6fzwy!G6&>C{dMz z6_J>_>nMl<zbj#SU<rP~d){F@dRB(v>*gTL?lAr;9dC{e^*LGi(d=HMM*9;C_W8(@ zp>A#h6?IDWC=xBFWIi{v^l>5Y1*e5$fJk0Jq(vYS^hw=jcU(F#SJLWbiiS)3?L~0e z&rcT*nw@gxtAHlmQCZRoP=>SL#WF-3zDTly1{%2c;~dH?mq~@$%SUTJ|C-4z$Z{`$ z7j*v&*n)|7K+*Lq-V3XPs+CcV@Ziupx@Vw|p&rchx>zN5`YO%+@LU%%TtRNu%{Qx; zf6d-JbMNQh=51a}3WMunYw5Ex6)+t^mFdB?0PwkLL7M<14w|MrhJ@_bq7I@i$^H<@ zesm~p`^@eJ)n05Uon379^3B@Mzvh0Hu)6sd8WL6px(Uj$Vz;c1-u3(%9V(W_yP2v4 z@;2L938_8Ml*kVYV(=#Q4Y>aBGzZ0-4RBL6<F6ctwuYdSt+)*;Ec`sYJr*X#f;{C& zfe_`SA&h<q=+dKhR}t@Wl1+wv-K^B?UW>kLj~!=WOI{qAZBtRI7TYvZCXpYWQOcB{ z^Py?sWPslGD83ieeeZUa{ZyAQdWchfl(Xi<(%7I7zd<FIUI$VQA<!W^dqrA!2vkYb z$cG%~$R{XH(K+%V3=TU$j|;T0JpqrUau|Ns!I2dX9N4=9yu#Wr;S!Q_qqG|KP6=d> zVJ$Jn`XK7U$%&6ERB_f+rA*>6e5cQ8!FV|;0Y0$u_}%PYExFh<jT(d|QyggiCLo8? zWSUa-@{^YAuq1I4gF~vyu^xpe$slx1@Jm#{byos#Dk0BtnS@VPNhtkpc4I$>1=kEf zlpeX-_}GU52skETuJa`;)+M=|xL8-A5QK&pLhNC^^3B@Mzvli)R7BZU8vv0d(#y2g zGC&=NsBxn&rob1&1DsYNPmZY8kg<9Yt~;<8Vxh$`;j+-^2*0EQ{GtlAJItQXirMpt z?ya#hzzQ(b%P97s6+H+1zbO+A+p+IqH9-@_s|>267~P+rP*fVmUUYZ{9mYhW$9P&s z5&?IBD4rW<F}LuF7N0=q4-zGSjOJk*!$r4+K9r+_4t<y)eTYqn)K!6WN?mZjh1A72 ztDAq#ZkDim`Iq-O(yO(MYq)rD=jr-;RM$B~b^_HG5r}s<BQqbKkk3RUOjYlO65u>+ zM4%BP{}qjhJ_vA3VC<6)fq)mJA`q<9>@Gvsx5q{lO7q1*>EA0#Ef5Iqw;*<uSAW$^ zc6$^xV57TBjC2Iy_9Rkp3xz^sCp%OZ%AH=FA9Z0tQ0^=wP(7sFnLP<(1Fmj~M7wst z$FvJ~xoCx2v}K3`M_h_pzlcTsxgSxFrj~icR60>X_x``^y$L+kLH9U(?PM3FP`4~8 z6p<_`gebCaMY3G`7Wdjx$x<PelC)DvTBM{D$rf5s3MEm}6-800$a`kK_oAMj-}5~G z|ND7=@8|P$nfY$Bo;l~tnVB<ZP<XR6!B`&5e?VNHz=|)tB5(-z@rem=8ay-xKs#U4 z7IB&XfeAN*wk)bGOu^u6(-=cB7(5zQVb)y*Wim@cD$O9hfto8!frDxt4xLtxhmf{= z2=pI>R@y`K`n?!Eh1hUW5)IE|#xTf~gU&PMAlNPfr5t23m-FMDJ)7Ymlevt`L3^+g z6f*{B{OrWDn3$n5f{za^iTVsO>LZwNAJI7U+J<{@ug#6{9&7|*)%Rpu`Y-%O2tFcy zL&y9EJtgl)e&T+#sSxp-v9UB=8*em3t2#iwbi{8`P}*!}a8IzD23Yq4P(pHu<=|Nl z!Pt3BmV@RCFw5bCSj>R~y2k^D1aybB8iC~?B}XR9$%NH~-xx|J!B8^WF){#E($3>T z4Pu_cC>1=6u@$&yvK6$F4f5+Lj7XTR;Qf!A+A&)pK_L*9AhDwzvz2ztR@mV^Vk<E7 z0c-_5B_|+1F#*L$PC-82C6ozx0~tu~!D5GPX0lm(c?Snn2Q9_=Lc^Fr;YE$D=xk$! zFGK}^N&;G<HB2;Z0`}Hl5{M3L4{hZnS{?wKV#5u1Sr3@5ZCL+5_p8q#FF;f@J47c= zYO$n`U{k;#bD%^4UHxq95$(g_NlZ-LJpO8|Uj#D1@($zEn79FPv7|FDZor#~;s#Ef zA#MO;!Qmk-U`2?NB%2{TA5Ro96PTmHm|6wXU)r{1cwQuM7y&>O&)~!SM_ey?eDWR_ z9*jhxg%#~ov@Ae%hIf8D&@E<_P`jOYc%gvb0W(G$D#k;=Bq3Tnz$0OFBBEa`5f$+! zw0wYsfW)onT{jhpsb+kzw~a(YnyOoGparQIz?Tp{NCnQX#NcHI7{pyiD@sD}9?3Cw zj7|Mxi>t(zTnJ}L_r;cqM2Wp=qhRa@@`FAaq#HEBh|as~O@?#fVaXjCmWEA`U||vr zArPvpz^Uk%Q_-Q3wGBH3<B-A-r2FT64+8v5^}4Zr4@kVj8yB>VjYC*_qVa0S(^iaq zK+D%h!6=pjOtqE6t{k+IQ9Skuh_#2e2!995%Lsql0o~xl2xI8T=x__2IGSwhghyEH z4Piuty&Nfo%@+&$d^~0%L*2Vo5gp-Z2sX&{IKZY9cdSA%m{WZ~AAu#9f0z&hd?576 zL`gJ*UyT|}P}HB|gmjI>Ax*)nmMWlU2a31yZ0Hy;;y82~7XZ9kUzw$6b+Vy6<UP^y z!+1KV9uSbJsKzv>gXXGOkaWjgtqV!;!Xra(ZQ{v>WAk@VUZj(blM=kDuY#%ynz@KC zfxSDNfxa5jqz9aU^=|ZyxdCDcNXNf|fS?C#A&0RaI3KfrAZgfdVW4ek9BPfutAKGE zq%28fVvI70t1v)MamYHzmo-fIpz7%vfC6<WvWDY<(!xMf2B1yC`bXX7L<Tjw#(-+@ znG6F#1u(#YWFnlase+{eUg(CsQN!V&<PYX!6MiznLco4P#)pa-Kok(dETBAO#Nt2$ zl%&o;QLxg0tBs9y$U_JjC@#_+m4tgV3xRM1%}6j56+U4-02v?=WWo!bKsDHn)?`ot zg%x1M5mv_Gm;u~D_d_%w%OGHapgxFj7o8c<j>arV2hadl3?KoEk@}|N06;`uqic%3 z_ACG?pA<Hikvd3wxSVKQ!l(&EivwFc^aYD>g?fw-%%coQVPKdY4RL<0K4Bh+hX^|n zkZ_Nb^CuQ7F3OZ7xa~9oC`MLDNtb9!Q<N^s^^Xv$2R<5C1rS0#Gvkb`Sd<DXizyQs z;K`D1ODI)9krVZep$O1_Dudo1;%2CD#-@oYjel(sP}4<p54js4;Km_qN5>rqv>J;K zCIxW(l?K|zrm%MznupZ$3y}am14lv$S<;m;RstKwEsSV`&W}@MzOtZ?z*am^a2r=L z#qnV%K1N}%x6~1ZVVESs^rAMdANm#7AJHPn$|67t&*7{lND&I~yG@`_giHtlM3p<R zIw-PZ(aBI2mDh#4v6Jl^fti60XESm64>g4$4~F{Y{V|(BfbB@@+f0%$RLYuYtQ)sU zoD{Zz;3II<g7jFq!5EId25Kcxx*u0?EkvNk?FZVb8t_1xpcNVyEd;hJG$y=B20c-j z#zpM~<H})36I=8`7KzBP`Xg<*gsBAT0;!_RY9<&aN-~q#VXT59153mR24;;2vLeC~ zyaT1qASj^a3EI7Avq}f9(U@hTasCPVMF7|>A$;f*0PfK+*tgy@pP>YTiek%miHp8Z z1+9j__H!s5Ln{Q@l-G<8W{)Q@QH&4b4D}$a_@$VFR1o+ea1BDwajU<~O-qECZW;K9 zwzi-H<U#Ka<RD;+5L%xdT>yvUG<cAP4xb+n>RbSdR_yej%BWDV^%Ibs&TH7q+zQ`> zqA>Q4F%P^YRt2Gd0?{^!eG=?RA=cB8d?}g;)3LBgrG3jmA_uxCqzpy=?a*XChHW0c zL>8Fo93_s>qp6{|a10!5frHYsFpuH2O|c!)wB^J5*H9hMQVtS9pfZD?u!U;`G>ex+ zfbS8z-2`JDpe+Donua)LKmH6c`%w}|f$P^LEDUclw9=T$^mz9QyT1|H`(Un&IzQZz z0>c>YMk@QDmka|8kb!_n4-s3ibVEeL0X{>p<q5!svhGg8*`if*V#gS0*@O5?7iA_& z^bT+a#$b;dY;i|}bC?NGU{$>X-2k2$fKz08@fr4p?b?QPu(g7#w1^N+Ag~a0Qvf-{ z<*evS{1Cf<*)HhRpshe--;6#PHLoaa*ZqguWBt3hUeLG2y8y7MGf6mA5bN@aqwRx| zP!BW((+$!isRtDe*``Bp(I}}Kvnyl}jVBb&k0!_fACLfKz=();DL^6pxRGWW&;mVi zK9dp<exs9zxMLtph#!y~!yp!H=Y%O>?yYyw2k1KhTWv*m@F7!G1T`6srGZNXB07XZ zax_sqniQM}sc9>Ow=$vPBiz9nchH6Q81`&Sf`s7MZrEWXitR2z4tSs_j+iWLm%|T2 zi7eyE;7t<~QIJ3+j6dA4_zAr>2uH(AJP<~BFpThki!e)PJJyZxSYVD0c!RoZWXEi% zXE7iX9Df3OKkUd>IX#<Dnne1Kz{>CeKYJN^l;{<kGGJz+%J0SpfF%+91A_c>w8YI> zj{rMCWI>h=pdTf2e~Wut@n1xj;}8LMJ={YifsWgx>zgyG(GNSna5egSHbICsCZ?kb zBN7_M#oxzF6V3eL;JrPoA$S97bz4ydz_nq(ZQNMufG>d2Y}^D+doyz)<OBd1y=OA9 z0|O8S3uS;X#6C%=KdK1kJ^!vfg#X{!H$X%UB#o<|tS^suu|j)}Q7H&|n}O#bOf|R* zodcH2;RFOrW11(_-h$2vJdkOs0JP=-6~S(;DV*|(+SruXv}r|02AxnSwD18~1#Apj zqF=$L9PR4IeF9<Y98CcN@35fP;RwK7AVcW7htOtgNRY9#k+@QPVox^KKLUS&VAve# z63BX7I}+$)q6Vt5O{gyFne+j<hm%EjfXUTx5uAZCkWvjhI=u(&3PV|<H=w$!fc6A{ zu!v%y_1E*`dbQ)0LV(hTVDlg&aS&RDeo0&nD)MXM=*@)0Q4E|oE*#8bp*)fCdDN2t zzQOnjN~D3O39x_y{1XHo1a)YVCHMeChKPd;D@shsFpQrg^YyS@RtOp5L7luM{SMJA zWBdgtkCrPS|HPFjI2^9Qe8h)(5unCCrhf=S2H6ZvEr@Q#LM>9V_<%?rjNpRaClaLK zEI}X@aoqaim?i;GVDv!-nG%riE<>Shg%r>#*dVm4wjmiQJ;}hpA8|pVJGDi-+u6_n zN-~*m4=kquqOsX3;<<m=4-PkIA}$mc0qexU#25P{#v(2h2DrQ^3V}dq0aNaH`~>D# z2z_{B%|=n%a3~ZS7&N&RVf!^210e|zR)63Lj08bp<H~^D$)jdA<E8<7kO$=z4j_Tw z`g#N)3?F%<tYSfLCzR4KrvxNIrc05TUH~sBUk>$10efZ(VOJ&ghr;?8(Jn9yy$gLI zZmM0(6mYxii^5AbJt%fBL)Z8Q+8Ybn1>-dyMl~L@NkfB2J^|I8dop2j4$;}evDs|U zKialqpf$8ZRgvZ$Xeg`V5v{a^E>eXiupUiv^eXVhGIkmx%4tnb+krNQ<0F>{N@<7D zBq%O3<3MDvD;$dgfk1_%M1<IAm+}(9xZM~@hG9!Rv>i0N;8kwz23j;w1h4=mI~a!H zs};Q*E5$)=2gl7d1EqtG^dzLF-pzu|8xy(}iKeXVj5#6*0WC@ci49<m#|6e}NL3RT z(2{-*4+;V5v^HWmww}nB4jq3A`&|nh?YGGZ;w73sXog#Kgb!j^aH7KpoS3`<?7J9Z z!^&GgUnWEjs24%mWR5FuGw}oOZ-Mh#iNkc_hS)+uP=J_0M9l671k9}HyND2oAtJN^ z^yg+<2@Tm_gd4t=#L%Av2m>V9S;s6np@tWoqMEi9H#}OL8Ir~AZrF>F0}ZQCj7jC~ z+^TpMKw3{1&9*W4<KS2;({awg4}qBbC$us!DX=JwTNy{f3<=IPFrz2(#ljmax*mbN zM3>EnS5x@}6OjFy2@t{bqD;_B{t)gj2smPTp^wuG9nlM&eFD9VrQe-}W@r!q*D+K0 zM|#21*?&kc?J%3nq?gt|&<pwq)8{}6fBML5BmB*;j13H;1H?I#cj88YS#s3|fGwuC zMvQgJpat{~^wtcJS74GHo^nE+Q)6;`DoKbP23PeHqY|LUJsgUcNW^2dU?ZYaA|7+3 zgF2CZ=tM$|fff}EfhbY00{m6GmbQpNy$oynAi(i~i6~6Ze<r^nV(`=t^Ri%N8YSI{ zk_L;JkaXw7q~#!K;6l)7otV!8e)1)n*26?Hu}%!42N;_J!4KruH9$x}b!ZI=X`Y}` zTF|ozg>8hfNKV0Q0YnuDrfo*2&G{80>zNpNkw6cOksuTYz{D9_C>r$<WkFe>lBDp} zBf${tdk}=L0oelesSz&?;3fKw3WKKC=&=7Br#r?5pg@5B`b1_xdB6tBm}~&!yCi|{ zWegqnA$BJH6H&TnBL0uk*hPf+2l^jm;@1C5^bh7k0gd6n7}SEl@rLV|)if~rm^%a- z^9dxUB_ZAddRD3x(AJoJ^kb+g182bO1JIM0Bt;kt>;vs?VPY#Cnrb5Zz>$#ke&}4- ziLrtPP7Q>mPT1Q6Enq?K!>!H^!`L=xb1XyxN6CkNbBv>4_$q>Yf_gT|6q~KEA0NaA z#-r#~5H=X*f*3}tF?AyGB?@=Cg!lq22;vLS%b57mh~^KG03ZVvQEdB}`=SSH0ASEq zAkb*x_z(igF`z1B+lu5EJQoJ}D;N&38MYFILZtw3fTRbqH2?x^<adHH6F$Zetd$`n zS<RrWilr!6zC`2*k_(u>A;g_%1Pdggl(PUDqSXT!@26qabwYGj1WQYyX#Y#1EkFX~ z7Hmq3Fi$6sPVzI82eX%nX7Uh3+m@TAFs}Xtl2~stA2;kOLDM=|?Y<vaQnIKpQZAS8 zae&NV=NYDDSQRBW#U_~cfu2JYiR+-Q!H%hN5ZR~}1$u?Wjvh&b5{v+NOJ)D~*Y@s6 zXh5bY^{4iOLQQBt7^bu%nE&2>CKK8ZGW%ou^`rKK&7gzK_8TJFubU4?hR^?`@%sPJ zc>Vt;jR)&3|JZm<Sh0<0JdlvNY4T%gqlmlpCbP39vS77HyzODEk)S!y`u1-K0?mPX zbTlD@jA#J?pza?X3=Z-G-~?(8#5aimSo$6u|JvStc0zNEkM}L;!i4%AV>pP!+2Qf- zdALUbX0KR7L@-B!#S_Q_?0#6Vfa*8unF;&^M%aB8+72_fOZ|-Q9_VwTa09|EV=ARz z@EVkQf>0v5BN1)3CB#ky2H+@2tOp?d8^RkMs0OWsAmI&8J!`=7$po&A%DIzJzXX6` z;q3$yFY(}qDZc?)12<w}mVX#Cwcp_}_g8qp;jsif2vIMd$frAz35}EZtU^pXzd!?k z1AB`B3{Xd6?23k$n1K*rfW{q@%l@g{iaILPz4a4SPsf5L8Mn+KqFF&wErGrd57&UH zPG<~nFg-HHGeXQF0(SjjJOc;-<C%Yk0Q(r(lwrH^7y<H`$G8puiU9qL(anF@$$@ax z$q;hEeg(kw*N&_c3XOZIRwf`pyz5u^1(vN?tU_HOFkn3HM<byA31SsQhP`}v1jG=J zP}xB_%@_tZXw3mgOo5@DM(}IF1Z)EgTPnap416Y9p&hRVqXEtY5exN;V1yMY_Z`dF zxCf*o8}6|I4ia*PXsd8F{;7!4%n(ufq2<Ar{3$$`B4fCpA=(jyk`mne^{gk511Rg? zkbQnjIQduEhmLbFB61*xKx48GqM={ppI!z7_%l8M0ZqiG-w0?qkwteOlYrcqsr`mc z|Ea751lP|%qd&<*&>a$J)XPMp-m$ULn0OA5oG9${qDGxCR{E!n*2!ozG!TYH>%*`m z8f^e03z8&DV3LJ7nz}Mk_8EgOV?4E<&~`@(6%2aq9cS3Rh++4_al`+FVZUbP*IkZA zS4bKqG1L1E!a%Q>VgHBp+73EE3_!R3fnMPo7D}7{^zA<oN*kH&gh&^Y`&bXs3{9<o z21JPB5r4o3?KCE%rUK!W*iJ=EdH~g9ArwyyqIh^91%Mfg#25~<qe&0MeNeWbqoR+- zR%S5afwab;-vQAHCOnv9tFb8zGZ<U3;IS1bxcq_giLn*vrI?|y6-v4jC9R2*hOyOn z(qm&QY?2j=0>C|xWz{j;#vowAR5y&RqJeV(%3*6K3V4_W=Zl#T=M3W60O(v`(r^&Q zX3+f%!a@<v1oP@85DR)E4Zu?Xni}vk=#0=pcs*uq%zl=xge7(|e1`Kj3G@N!9XgtS z7=7VF03+Z_5iKW@`*-u;8ANPkLO+f&t0MM45dHWa=ID#Tf5^o6OBd^#65=Y+pAC-F z$6ycepTP<A@f-iCBr+h5XhPKSig^OtZ`3jLACkqt;y(<s===j&^#2EB@f-U>V>KX1 zLZko!ff?zsu^LbYoWC|c)uW6?1TZ^4VXXE~+X`vpA?**OC;}6&Qn;-Me3*st42|YW zCXD9Xm>g|XcKs|?p;1`}?Au`90{f=eH^9Cw_LpE^1N&;&SH!+N_GPe7#(pCirFkFw zwb;+celzw(aTp=&b7P+!`y}iS<1j<mAH;qy_UYK~#C|*WTd`k+{Ug}V#QrJlpTWKp zPV)-Bm&Era_`VGLRp4v$lQLO_KG9e|RetJDhB*r8Jh6yIqN;+NMkOOp7<nA3Wx74e z^s}JY-ortUhYJ{_>X|u86B?y))5U=sIrbnUCM3cAW$*>;&H;yVbgtloqk_G4_pu7m zJwQ{=mqc%YsE+Y48g76%^m@=*-C_8;fMtjC+c?TFDNg6eHC9L@p%}i_aG(do>F68~ zE53|sM!(4iPf1{lhn@?bcLY?+n+hI%6KK^rI>H+KT>1q_6atgIgV9%i^wkl6B@#qD zaN%>v5Y}-36-Mbg@FM;>Z8<#{R)mxL<Cc=BGwtY;VUZdNN)?4w4PREMWwLtm!%;DB zNN)7$D2MJ9IIIL<BADd-c9iy-9*BZhs+Q5A%A`tPF8W+Z?7lCb_j*)$FL;@Sq9l}U zb~QeU?&ytBfgNB!f2`W9wAJ(^C_DWs?B=JVeFJf_7#z%kia|krNeJLlC^uX>R0d&s z7(^STb<*hwx~LRO7^OG~0q;W-#Gq1iK$6Lu_!35Gf|@$03|o*&8q$tLg@BZ_hp3a{ zMp<D+*IB5?FnQ4)s4Uzje4%mRLAJF$g2NaTl3}k}XTlf3_zEZ({zfl`Mbfd?=f+-N zg~2|49S29Es6l$l)^PeQH~kpAx3)ufu@Er}<p)XwVCYN;zfG=X0Nl1cVU)@dH_Ap^ zL*!#Uo)2{eQBX*g&8TPbKa{aY25}P>%TZ--B~EBOgtB}n%Xa`~&|$1hrqJO?K3XRO z%*oaCpU`&5(3ag;${7DALtLmmj?Kh`bqL2HsB?E240(|7iOdjj&?AAG#<Pk7L_-== zL|AA;F?K|RH11I`GTeCcu#?J0#nj-|VpL2SF4)f3)?OJ%#dj+GJG3SMg~ONC@xk1a z#)SYSegou-=^|fh3Gx?dAYVrfe9xU?>+yx(24AF<@r6SXUu5O+MM(xOM|N{Kz$Mv` zbkY=G*-u))HN}woq!W5hXoXtUaAW|oz}5v)7W#P72A*m-jKN3cuHi7nUlGANFz$TW z9sJ5jH8D=`jOdMcPR8se(UfBdp3B=w$^7h@P-J-aPD51M0Z>B2VSu79Hyy=efI*S~ z!vNqf0t1Ky|6hZl6TtAFRUQhNxC7Ons2j(4-M03UiTX(Y@71UMU)BeywuFJIDV!b1 z9!KFL!LvXZXu$9pBV8^-KHZb3u^A1^tSjOpJrHPE7tbienk!$Z7(9XyiPrl0k`nn6 z)<d+ORst%0Pz*+k$MuTFQ3gS`XfTd4L;^C91Tp|IK@|o%hQp&`BzROoH!{Rc3e1g< zipk?Z{VAZMVc4r`IILQZk|Pk!&i>ZwF5Ti%AjDDaIx2g@Lz*0YFPe6!)vlv)T{nl1 zJp%A{62I^YWLHFpw>A-@=+_39M2ws35H4bh7KzhA+zIxaVX75}e1Tyig7)@?UTRcK z6y8+gdwLD#!bQRGzOpC+`E(ddj-qo}xY^+-F**ox#1p6;vZE}p`h9Y(D$L+?%zRvn z(H_5xYoF;$c2uYZ!Rc|WDhKMW@kb;`f!RU`NjHJqEa-_iPe=;B*d-e;VXGCqrYD*L zr(wXM3woS>{qk&|w4YL^K`iZ+d?AyP^|{&f`Lt_8_~I($wV%@7fhrCFuA=8#w*e$Y zBm~4Jcin6aiR7utO_Ri_Zq>9fggyO&MZC~$cxvj2)8J4L=Sp;zhesBY11jz4#n2l; zR5J0RG!r0@Y{A~c4hCb8lFQwG!Ak<rQ}@HMxs~}W>nd@t2NAgFoxqZN#Bq0KLB9&g zK#xvkTUb^}zX%WcER`TZ)I%omWsV?dRMN>%)c7(Q4k1e1bI}Fhrsq8brnAEx9qo*P z2dEK!HZB-#8g5a{&CNtnKg8^1ps$x4rHRwkQO=G4+mFykLkal2W1tRn9rU`AehsH0 z7_SRgRG?Gnb@wswArH`>B+<C4IZi<Y7P=_v$s^zk6cSDeh7|pXhe;662gU2@M&Lsc zd--B?G9VV5g9QeJcR(%ez${9_7wGqXve35BDMVT1pr4yflqU<`AdyGVdnYR1UgD8z zw6Lsa6~>+v+MqpP&@EJYj7DI!g^5Nm`U1THAg%1|>{}>4@dBa{?_8=mP-$48fe=ag za?tIe#qaxaduJk9Vn47jMD0ZcdO$r%LNw>BC2-kVgdQ-Om|iE)WCvh|5N#>oCfHOV z2`L~oZVTwbk;F!w6Bi*vik`*je&L9jnP`mwEc0&FfMm-A)5?>}Q76p^u&|824l>6L zY6$@#1;H2ubsp8S>j>Aj69A3TL2W>ya>f8Bqlus%|0@JX*FLy9Ix+yyq&*G<B_KZt z@VFM8yu(Gef^a>&1hBPGoUhG}5@pEFA}B~hn~g<9@WYgg;&D26&m=M;+J%I3!x2#C zi9q~BI?cw;l|>~G6{SUV_SVqb^Fes16w%H3veC-{?ltT(Xct-v?vH(e-hDuFLYnpo zI{}P|DLatAKOXr<V~}4Mjr^Mt;Ct@ee+pkxGVtXn6<-p9@g>_IUoLpV<;d=YBXCJJ zWKT>;gPRm|lL<F9IA0_IB<l|QS|ldy!C%jylDve*fEZ91F!}%@s&0+pc_=YVcw8A3 z69TRX3Zo9AU!SKKo&kg-YB2pdAlc7KLJR_3SK#DG4gy@}14*14Dt#YPa9lgqHyHRD zq!^Z<?1B;ERq??SMB;-;Uts4Bl@n~f_V%#(PI5p|RLg)aN5!~tl2o-Z7B+7p3zHgW zVIpynRDm!)*kS~^lBjIJE`aBF8%;)x9Z71afe_0jZPjoO4QQvy!g+UWU~E!XRENy5 zZyHrXXBN7M>dZzLejSqTK`0ZPzF5IdqR)U5-;a|$gRrsE+OAX$=%*NY+5@4}?30&* zXgevnj=_VP;;PxT2SU1C)~!Whm!Po7`&VJn)ExeKuM%Yy@)%u&YLaXqBb4YbBa{M8 zq21cf9wRLDqN=wo5-Idi8qB^7Gsp_HjbXpXNfhr>CCsmQKwk(yM;9mx0M+sn0>UT_ zcqBuB_Lc;3+8cFA^bTln5T%_f#{f0fOMwiR%#TJ*s%2Zh1wz>n<A#*tWX~gj#P!Np zt3F@OBP9gs_)ek=0+yr2Qh$^pr5{Emas22Ls1w`SCrY6>DVtiY1y3XotWD%f3};U? z2V233_8^k9CU1gyr@^gX1E~~$m>FB-6G$;Zx>1Jhi&jtqX@GLjWfM_ToLdvwpz?{K z?7TI+zz0`xCtCB-mP0DC{mVuLb;>wl<D0b3dQMgnRZ=GyUBq-OIN3;40eA@)E_lgC zf*nsf`B0{~I+jFy1Iw$#i%o+d2SIs;qZj&eIjG+GhkS`FlbzeYR-&_er~+|ytc*0+ zlAZfq*5v}HBvCzy`m@(?pt>WW7~Ye(sjJaNh`K`cjvz}t%)sJRXqboXk89_Q8{(wR z&q82}tK}vl0uGW+qBmbE$yAZJS~Bq(SPk)7wG0y*00^i@lS33jqJ|okH6{ZQ$Qoc@ z7yIk6?|^+L?C-#SJoaO-AC3J8?5ANr82kR%_s0Gn>{GG76Z?n<jLIT{8<kbVzB2X| zu`iE(8SIm=k3_^#StN^%%8FuN2>XaFjLLF@50pId9~cAB1b4Ej49I%mgN8jkvw!WV z5F%NB?MQA$U%z_Dh_VrP9c+)+!Y3wep=-=H-B7WZZ{$!;!R(61?Ul*(s%0@Cw7mkj zsXnT_Z*2!@i1U`w#36lAxEE4=^z|c7nGddyd-RfPlbzs;jSMKi%J4OGH#~26*U-#+ zhc@_iAh{oM7l#lAGNNC**cw6vv>{wLcL<j@gbia^4QJI<ubWt=3FWy^|M(q<aH@|` zdFVuWMrAE9Fif$(1bk@mzrX(;2*ey=C4D%|O5#4sO8Nr#ufW|0mk%x-+#~qr3s(zp zYT(G=_`spxQix-Bh?QgtP7$0MJkJA%eo6401}+vH`q@D`OTo<s7X_{p-rogR1nw-j zW8mW9y$3i>aOkIe5aNKd0Ot#C8@M9}SV?E#Ivw0AaG$_&LfmceJ_4L4I2&+R!2Qf% zCG~@A16Kv^D!5bN(!j-l3k2r?P8XaUI3aK(aL*uaHMk;3TLZ2$zzwCtdvMj@E`vJ( zZWp*{aGv07!0CdM11AdZ=YCdF2E^}$EBc|X4d4759-2BqQ!2KBp|s%Opb#p>gX{yn zmRE=mHInS^O>y@lnNb3QLL$kuP**Ps+21F?hf1bIxKk(|6c3U~U@(nJ_6!OMaHWz1 zgQ(>3WZWXj9u)T=4+@+~3*o|C{e3*hK_O(?gsg&ssXjr0p(N7sppXz+FctDf>3O(P zT~VA+ny06ayALIhN_K-=N(ebL*wvka)1y*C0$u&dl#q}h$iOx*1oH9<^ofEB;CE!t zke~o4uA6^UfU6c+)`Mi{>QAGPsX;+xf7cMG3Y3~mgUYHdbfJ=|k-;e4KZQXFxP<xp z{L3%_P+3Nxf0_=!$=%z<(<cz%!U*f*K_Uf*P(mqG63N5Io$3+_wScntyMqgcZ*C+K zN*Z2~0)5;mF8-82bRXae;VHpXZ@6c|*F7izB^3%#B@=1ls*|G4&CTV0{Tqwp>EjQ; z1kh64eLQ{O4gtn=jhP;q_=58C@Ck*|kx)8v=*rCRk8wRH{#4iT$e~o%5UNX%rzfuA zzlf{9d?hoc(eLF7poIb=P{^)i1SW(_=&I!J<3}L}x%pDusiZ&0@pcV^Sb^l(J|45l zfK4Hhf2f0r0f5TipGL9)3<+=zjAWD}l&r)=BPMo-LJ<O7BYXmA0puW0gj<pGw3whL z5!egu;~IgQ$_q76<h<xWEkq7P^N<LNfiRQ+Oi`#j1S~^I(LUzpS_u9IW8o2slYF#% zLR~OPx{Og7if1mT<w6NWlm>W(n$jgWBq*2?LiM2lWufm-Iv0W#{}f_5qfh`(Z`V)& zFeQ-e=}!yw2Ku(51XElQQ*d|n_XpY`KFH5S>AJfHVv47P_yBE3QOI*-L+3CX0>1x- zBkta=K9DfvVq|V*rf1`#XKKFM5P&=0tf4-EUj7t}dn!yUAd$>avlG}k-X;^$vC^|A z5u6I}(}xMX@mis>n*7SspaDYwX9E2rnN12+1ct>ZnFCBT0Z(Go57R{?*)53b&7dj3 zB@agVfJZ{Lfd9C<LCFC?0H+{#02vuBeq%6j4+^A0ID)u<2M|;VFk~VG<cDDnR~HvA z3KfWkN^x;P<#0g^Xg)%SU+bjjA3|~Uh$I8&r9gQA5ksl)CIH3xt?Ynih=mi(JKP5< z!l)^N-EUzTXoz_{aOB@ZBc3x}YD$nNDG<7XP#4U(Nwh#(D8<7ClfZbne?{a!Ve$Wj z!2bj460m{#GEvIb#+-SN8<F`Qp&EkAgldzP8yhZP<+2)oA?}x3EmvL0cn|mLYK(hp zW4(ooz<2?`6~{3#a52+!7=N~1y=t|&{c4oHiK&gDl?!St*rfc+^TG+w28O0KdJ~=< zG$3_GToXOWmvOIWWj6L6?rn^1&GebytS$7cmQP5-!rb1_$^zb)8MzoQS7lt)@KxUi za)<Z&HpF{<8}#1Xz|h4=&)NnO!S|~XU7C_CtPHIUZCnftjr43y;UnYO(80#a&<vos zoWTkheJk11)yJRWF@FM{8sbhF0fD$9k$%Ts^!zJUkVt&8tU{vT$ly@D=rXKA{ov5O zh^W|<DO0D4Pn(Vo6v01T@@|rlE;!<mgeJF0{qQ`C@uDn?B-9SB{sa*Q#UsN#%va$b z`Sf_)n1jT98C+31=%>thhwdkShsjO+Yd`zv_%NAD{L=sYotyEw9c$wd4-?bpVSdl~ zb9^?&_uw>=Q09U0FsOc+@Q%dJ&d$xvEhHpFCX;n_by?s8`o{Fxxy6;4Pbe*>Bf^k$ z+s#>o>Mh_5K1*=$n}t01Sva!@1%ulI4m~sBsLOz3<~rg%6Mhy9_%Yuz;YK<~l$rUS z2`@4OUd;DQIFa`L8lDLs(wSf1GvPvB&w}A%0asK`X1&(q2bQt=FrS(AKvxu&S$^g- zv)s&QW_g*<%yKfHndM_XkCls&KFqq}A3TozP`*fdM~>MZ%qt5tAfpar;r~x=P<fC; z^<mZtrGx5&9P>MRhkn05XDmq4Pc>M)q3%anVfORF?zI(mnjeKfI-ZJMw)e?8$#WTJ zxtdwl#)*_BsK``q;<KeXmxlbj)E1M&*?O4z@o;&$&*9E(D@yySkCqGG&*GB_QtVbb z8&6%?nw#(RY{$1SE6b%B0o5vJYUi-!*KBdTHNe|my&^T|iKY8pPOrIhMH41no1-yH zV*YS|qS<7A4QrdwNtEJAzG3t4RBTO94B4ASzjb1j=kznd$*U?(TKd;aqwj5y;XL>> zVUfUKaHg-&l=4&4xcwK;Fby}JQ&^I(R=_8zx$<oDYV*5C)(!;C_x=#On;PVv9U&S~ z8_&&Jv-A6C>7E{ci&I}uek=VHv7y?li^n%1&#O3OAaIG+XY=eWRsxngy*Un_Yl)jV z?Lqrm0&3$vvrSPuB3L54LU3o^JA#xkvN(zmHsC#p1&+C7=iuOk9~b<9hVhSw@tgG9 zkN3A9-@o|r|BIi%|K(5c|MCY6>wonp{J;DY`7i%X{xAQD{{8(|LqP2B@4p%XQ~v(` zLf|h1{%avH_3!U51pY$czZL@Ge}8`=@D~DqA@COhe<AP}0{?XonD+Pg7Xp7F@D~Dq zA@COhe<AQ+2Z0!`wKl6w4E2}kXlbacsj4W?S5j1%H&=d+oUDxW?Af!(GiT0_l9H5^ zm_B{lG;#5%Q(>l5OiWZ1mQ6)OVC@<f&tU}~7V%-7A5;O5b^y{CK-vRHj{vC@Ak_j6 z^aB+kb~f~5#XnFnL0Up2Qo1r%xT34ThZ~kW2d7m9aP1!S4PKP(-hFbv$FYSwo(r5R zYK@%H{iJ<I%cBDdrdN4xMqk>@rBw7bRqECr520&PpUC;X#v85=wCR<`Z)$uty{Gd< zfMsFhU`@i~IJ*r0$z^B!Jfgn2jr883B$+$0h_?81y1VNLe*etRol;8<)Ltj#W7?^= z{z=FNuM-WOY)e)&vacFR;D6*-I4S%4nZiZ>8JG2+-YI^r`>o{sYyakjG^dw_b^K3T z9d#PcomXy=(;~H5##lDhPI0ZjRXBKMmULBt-NF4g>IAcI79A^MmFM2U;c~f!uUe*? z_tN(0pasIF-VW!aT+4NoJg@H2YYpSv@SLTD{3v6d(38Hzgi9M{7GCAd?!0wewXukP z;tp4Y+BcHmt}{I8;u!)R#r(colym~P5BPhevN*YS4O;s7xw-mFHY-ySR+HR5z2DF2 zzcHIdqI{4$*1k&cb9GBT#iIL~$h)G_<mesOhhIv)a5GVQCN>cLcqhfQ@rQ%!WwVEt zg<4cn$;nsB#f^H|FIP70Z`KK@YB=>{@abdUZlC4DErDuAJG?H`7p;F5s>E*aMv6_< z#dOlyJJI|vmTcg#IIG7xM@WdbbQ_uPj%=Z~eL+GHnWxe7`teTJhXUW))@9sjnL9h9 zKL5&@rkbfb1&&+!uguqWx_Rw_|BW(oT+#ch1-B0Iy}HVF=+Pyr=87lpE`~okDkk@w zJ#I>Cs0gq7>v(OCw57fQ{AbqqM)B4ObRHe$**7PTH0jbYu1yB}1p6PI<lgT6iDkym z3Qiwqd$+ImyeKgn)cvQu<@5^-lW6?euJAZ<P1G}?`zv2~1--of?OR{zuH~iIrasw~ zzn*^b>C?^o8nUV?nl-FGy)^&mRoviZUvl~dXW_C{>X(h5DeyO&N=&-=WhI;X`Y3k2 z%D(k4ZC`qw>Dv{k5?ShFw6nnV-t;)nlFUazvg)tAt@elW-Dg|DTYP;A>+A(`9JZy} zH*U-G-n_hb%@qZ9-vXzc(WVNOy86Q8V=anOd2MU+D?AR%eRA(Ta?+PJX<q<qE+@~C zW$FSw30_<wlkG_yu`6%w7mX@<m8WoNqlUy)zQem7?d30h^5$A!YxJy_&v_dkJ>I7O zs`2Ac!3*!exMwpTOex*ER_^+jj_~}T@D<m@yVh{;2=)~my{paX>BP$-JbH|>+b7R$ z=<%qZt6`o0l!#Z8GCw@xZ?cJFUtLkars*o@mGgDV`g*e!J|@q@1DCG!ZOCg~^R&g2 z_oZ&XcJpHEypr78$BNsw)LmZDJzA(N`RV4(q>3ANmG>1`pFVj-hC{vn#y-xb2XpP) zY;JkANY9V*EGSy(TE!~i?VP3%G;eV!@0F}we3cR}Io71~u___@*He+07VD<Iu+myd zf&I3>hv8uOrfoTE>}t~W%(;_VYE6nO8j|RJ-|w{yzUDJ8Ja4u+uW*-A+_5^zjO~^p z6)T0LTdW@k4@T_O>vOej%9}6RRk*mRFhepuK90jNLn2l@mvs2~ccuJ8_tbNpox{5% z{ryK@F4Jo~Ca~tg37Po)uf>k<BpY4MaShKcJ>5b7__lt4E)&;QNx6Lc+1Wg2=bqz6 z2J-j)f_z4T!}9!8H2c=fBP;T7@dju}iVUb5y}ZojT)n|2_`Nd45B9LlE52Hxa)OpB znW&b@wdY64@u@db;sqkxa%DC8E-x9490)Bnru%M^xUIKjUYi4ld1SxAX1DI`O6C>S zk~Ys-lEl(<iv?2R=+dVvS~PC)-_F!99W0);J12e8!}Js|%X8n!Sf$A@+3kDaUF(i; z8|UI1V*Z&YpDs(;aX=tF)gq&*O*r>{&7<!fz5DKc|LoM{79!OZ>DN|hqkBBw+|fZq zV9GRUF~MiS8Zw9Vq;+!qMkrltx}s%y?%8{2)UQ67m&)?$c#`<6`#GxXM@r^h?2x(e zp?=vFr8tq}{+D^Sos%)X^G?jVey-8xAKu}VS6?EREx2YZqfV9Jky<oQg#A;A^{Rpt zW2@jcN~B8P=Jh`Zy58QZ82K5UTK_~R^WOdM>Pd0MT&ag5Y)UR^QgY6$%81jRl$$a8 z&i6u|9ryBt%$@sO1pEh$9xQ7K*eOs!T`sa_fK^)WU3sv7d5m6o^NJ?*1Dst-yKWbf zvg6|=N~S02ZCG2p#yf)^zPzQyf6WYYB{7%H>U>9(B<8%3BrO#oWn8ybiObyMmY3XM zUATA3?ZFrJgMC$LITd|R(p$cCmvH5sNs+wf*QRo0Uf;Zg_mO^g&l?9n4w7&lnm^B| zqeH#TGn4D~7Iz!E&1}km*_(mOtfwk+CA?DOmE|&z&n?Qk-TCc!+lbcvfu|cs=yfH2 zxiKSaE+1UVbNuoajreo<GLniP#kdwNG@3UfG+c%2N=LBq=XyU&^*E!b@XOBbtDC;x z6YT1EbieTax0Lv%_LU;(7kQ;quGR);9!=CMjyH0aX5;eLm|nF^OeH};Kwdw?+>0&O zW^>v1NZYOV+)QWQ*4VmkP&(sijzB?cy4YC>lFgenD(1rn-Q1d*ts@^!HSaL7+x*>P zzf#l2M#=kblao@EtcugsQt8Dr>svB8dj~eJyHG({5twT1zaZ0^MpqZn%H`sb_O+4W zR-h~s?u^Vy&o(aE?J1FZYR<f*o9!j{K4qoU_qer<lu7q>wcP9|5go42;a?V)B)9o; z>ay!H^}$18_k6UCy7Z&MN7felQCbJrY`(pi$NEE<hVj=+c|1k^$3?PK?=MRV8IjqC z=zp<q1xsLKJey;w5o_xi9<H8>dz_b}Q`i%xm~#|aP8Qg$-5~fh;Q)U}pDmxqx9L3A z`<l5YDIJ@nv%-lt_@tcViaVWBGr~{IoGZ0{#(CZa5{F&iPp^1+PW*GB&$QZ4i$q2< zzD_<ZcS$(aG*n1*%@Q$b<)5NayNafmbw*8XH!{;`QrxY%YwsQH>qER+OFkGZ<Bi|8 z)Jm&t3B`g{$6@L^^`K2h7OPi2Tf~wpt`>jGUZvp4e&u(5j~BjR5mw#v#!n_^cdqPD zmA*N5)+))Fnz>1DoRc|w_Q5W)*nrF|`706gX13i>Fj_x6cf+Km@`I8alq$mt6c5#Y zo`2!Q;ss?Xhl0Ppb=Z*SI3x6+YHNt3?7naXbIY)hk5j3Jho8_QS`#;$UtP6j3OE0z zS#EXFr>HTJ`)24z+|6W<8o67&F@JuE|8|4T0d3zkg1Yy75A@$w=(n~v+?Ul##e0#) zfDiYUi*C!r0^B{%DY#mecdu`3I!$?f)5GHi+icGipLQ?uy(Z(SSz;!uXIig{q@}JL zc5gGk$0NCV@3l3i*)KB8G7eQ4UF_#v@nyBHVYy7Kfx*HDdZ7-2y7RhB^rdztFSqdi zXye7IYP+<AX3z8Vn%&N_A?xC^T2`+_qb;6nF14g<zFPCrn!I+~dr!wp+fO;DrS>?p z{g~^t#xQ7Iz=8`dF%pY9u5I|*{-N&DtCsB0*G>gXy8K#xzFp{5^oD~!s#9a7T%RDh z^Ml>76TPm3>)&_2T0noi<9&CM`njH)PCoDYizbiMJZcy|=6~R4E~o9NqR{m35>d@R z^sA12qvbgb8F!Ngw!~F@lGBOr7q&P0n5M@wcv9is=kNPdzCIW=|FYgWqQ!pkjb?$w z;b)q!mp(7~yrC`mc)`m@vp&Cgvubf`GoN2mpJ(pVtId6lTQ4g;VL#<oulg{v!8f?; zvGa79M?yc>-JX+nq-yiLXVoUU;x+f}>??jO*<X1g_Hp@sx^UT<i)QzZ-`))^b*J{D zFz+2Im%;tz0oxu-e_U3lbe;8~Zu-U4@Zo?x^Ys<>PLuE6cVy}5^m8^I2R^-<z5jMh zd)iP<$?>`in~$YW);N+C`TeL&P+`Voj_`vki&YM9Y8W`AyeKh+%VpKhbshY>e3I*S z_a2Q&dj3^EIo5<du~52t#}1D}akm5<V!QHZ#56o>-D-1xU%dNi%LFa)soVKOo@~pk zf0cXS2KmfGcF(il0#BWbj_Ao-B{KJ-$oZfPveg&Pi*Nmyv!F-ybeJvel-{yy*;R9g zG6$AxWt|;~K6&&&>52N#s=~L^IIooE=w3~H5POa9`Gd>amjnyk1Whj4Qj+t%XEznQ z7>nKD{9;|CawPTom87<kxOT~#&(^KE^<FIltP_z)6t9w^<XWDyA1)S(*dK7)y|BM+ zajT1;>~)Q%qkZyMZYP;@Z}Mor8N{-krK#xF)0HopeLty&zihV?a(6gxKh5I1ayDJ` zxX||vL+ABt%Qn8ekW=HeoI8Xj7xeH!@Rkev#l(e`eq1}X>{z|{_Br&r>H51vPn;)L z=igZo#l7_6!pya`yTl8<v?tY*wqN$quvoz7(tF@lzhlDo18;O1wr`_cY1ewO#(a0( zGI`bTZ9<*zUWYqa@i)KM^}b~}lr^N#Uv>O|@jT_(Ys~GBz4{VlvSlCl=bBA9x=+N* zh67gDA77+!O*-Yac>3|oE%W9~TQPDYnykmVclV&sSGw^T9S70F4$IC+U)>|6^7w03 zqHkT8sNk8q=R3Hzl*X^G<a`vIx$fFj$u7sD+`%O;#Y_|4Ry4H7Z1xdYaBriZad_nk zLH>I+-j_n>*08&pW)`)4&ImHtGx~UVvxVmeiN(+C%;sDdkk{q7THTj_>f{bS$?5se zw{B_j(oBtbq%b%$a39-OIc?89hvIfDTafzRVc%Sv^#)f|xQ6&%o-vzoqweGB-j{oS zCKk;%@|t?shBbIjZ?SRzhPDN!ca&qkJ-2;p=zb(~ncugXxW`ky)yqQ!lOpdecJ9ox z=y1{<wOK8jLH`oEBROwM-{L7ly0Pp>=PWIenb|!{FT(cV#isV;yZKJ4+E*RluWNW? zo4?s&#gl2hqyDqB-FS?)KYQD~ur_wruHeRF@8vIjv)toi*BPs&;-D4Bvpc6NP<1AE z`8NK5(^`e6I&^QAZyV-VFxO=2%GIAQ4us8Km@a%QDWX&%L#pKfdDWf4i1~TOWo0ZQ zkFq`Wd?nYVe~r|fXMQ04xbvrv(r-AX`I)WX-1K=@gWKDlt8Fe;yLc)VcNa#r7?He7 zW|h>xQ+c^#x1GDP>$j(~*^l`ix_SC0S93YbE%m@F7p!@>#SX0wks6)*Fk5)r#%t7$ z8o>uGLVM4Yo}XtVJWWG7EIWqgS=}te61DzkUR}uHJE3=He>`QsB3-;MSM$Qi{dK~I zoFB}>+!H@OOp!BarRxoOSVk`RrZ!`r-m^<`*0-J>>glfjR<JY6kk?J1e;SvMX;!J_ z;U&-2=fp2MxHsM6=luBxuiMBCx6zM@Y;fKgKBYtL;e7Snb0$f`hF#0p$Xnxz!&2K{ zPyXVxcEqvUBx9-V$61`Q{syi~8_zyWuCB{nyjeqU%Ts5$%D{reu;`~B?p6gom2#YP zDXXJ%hUmc7$TO>&eC|!YED(OqDXZeTX7y&4n4h^v-W(K@;Z@I6544orl{3Y2Tg8TF zOBLIK6iu!_PV3*w&a=O(=+Z_L{*yE2Uy?9h`e?b5W8ja<FVDMAr+Qh=%+0?a^^lL6 z=6c=pBPT~2qW}E4>vh&!mqpb_Wv(bY9rHPOcYAH-XWiXGt>nw)tAdp`xC!xRiRZ5r zR;dqXdEbBgQq`Uz*HYzM4F@b@V-K{iUsxLB{HlsP-RiyW9DSAb`#*`3&dhep?AyDl z?9uYpJr)C>`vatRTg=;cT6t<*lu)*+b#TV(x%DrtN%^nX7nGM@;mjKLh-N8nv~}H9 zm8hpi&78$^>e<%Sq5~bFw>>U>q?t9`&tAMCS!{;zRgMZ3_QD=ZO-ky=%}<I_mv1YY zm8G7lcciPQ<GEeM)-IzNSvFr5m;1<>xz11bV41vPz%upgGnMmmGE;jFBz}Cl-L}DF zar7m}x17Q=>=$g1HgOnm__kpmWiGGk?1QtdXD0p(y`b4Nc~AF+f+olK$M1Gbj`P;g zdTmSBT`uC_BfY@5knQNu5%)~_uFAI=btj+QtDCH`u`870+>yun5`_g@czyOgDApb5 z_tUbz_I$Ex(xiBI?i&}_7Wp=v40-mm(){l1*CSE9ab;&WNN=C+u>6Ku_`-uD>#R;G z$$WZ!lz(qqO2cJ;ouNmT?_)!zIG+<y*ttYMcZt~SwBDfD$4*ACKA0Y=a2hT+;i`Ct zRqjZ;n?zmvqi<X8T&}uUAQCt8P)Mnukrm&qpoJ<yVtd10F8Q=d;M|EjrLh%*fkSQu zZ4Iou9`es#vROu-C2!p;qZ#3`8~5gSU7CGx+s;p~<?iX<HTq&T#na%`GS0|_hNqXt z`d71A|485Z`q7sX)iZWK;<l<+?{l6)m8OQ73<x|GSU%^fs?Z$HhD-s^-e79=xiaU| z>GfN;$*e!qH7);<(K^x(Irj$tunt$lDXo{5T|LY)<>_hRyI(}JUZ>C9a8Nz4Jm1bb z{rH?<xvMM8zTAI1$>`1Y#dexG30*=pMe4p@quZ8qRoFM$>%JXXylL_F16tejzH%K1 zX)2tv_S%lGv!>Rq;12&J%3ULLYF3UCbuE`~Rfv~;W8R849^2<MUm4kcoW1ewi6_gi zktx1SQiVd{YdAEgdWpSR{3QFnJ)L&->&4s05A1zT7wh&br!^KAKiS8-w=hp)^?u27 zUY}=el(O}_r?zPA^plj9vq>DCQT^E`@3!1N_Kf3=qOW3t@C`dzyGdIN{T#P^PVBbZ ze??Pq(Lf@H?ZbmDwCK70VtU__3OP+qKGDulOSmpC^(KDE%dpaTwd_xay&R_WV#)@M z^4sb==-Iq4YZ~Q)K3oyIl_qK>c#|45)79q1MPs%0Eeq3f>Ldma&DeQLJTJRScJoUQ zw})TYUE1c!ybokEs4tD|JRo2Zf7aPT&G>z!4NZq_aAC^4G{K`^uH005*%&jDO|3E8 zDf<10gh7PjLK(wh<9Jq6*Un{5H>*;5(@y0t`M~~lXN|{QME}{3o$m2w)tcpnq-~p` zpL)0;^?`-dYsaTW${bPwvDUq{mV$FUr4MIS_Sg7sEUO4_n|!P!*maWDlgoA=53@dH zTiTFRyXWML)r*4l6H;_nWXSK6u-?|O`-$|z$1}dfB=lKZx5$jlGCSe$N!X{oLX>JK zY<#Q7y;XB{e#|Fzj`Ljmp7!6@Ipwi3BV1!Ed4<lAgfv%sg|5#HyB6h6U%P#@=cmm{ zvW48@)1N>41(@9q45m+6SZw5RTIcn(?_Vx(MX_@?%GI4dec6PK_93>|u;=)U^lLWx zozjoQ7H^qWmN1u2v7<@flj+C~{CYF+X-!dRsAy-=3(w%C5rvAM{U<pH-f3a4@;bLi zzarv(VwCZnw3mnXyKLxYX=&7Q7Gc@J`})*cd-+LoEAuXXKTer?_fW*;Y1IXiepZXF z7YY3Q%Ds!v>iMIZ;anp<$EfK^9V=%ZFgUo}>0M9LGjok(;X_F;+Lt+QRY+A3yP!5? z;<>ZdbmLqJq5SPW@#?d0G>@zi9ONEtJyU6!x5RL8)B0VeW|V#1$21*Q^j>Itwd|wV z;*^}uz3YA~SfUt|dvH|MZC0K7mUv0uEAs+>F5G?d#J6((*}NWYo6GK=e`gf5<!VZk zdBL8LBYkUIKWuyvsWWHF`Q01d@;E6e=FGo-mUZNf>x~EP(KBb1T)X5iuOfPj`n_2+ zf5xVo-Y1U>Bdo(bWilSx%}Ve~*tGig*Y4W&GKFk~>90Qt8Q#(?U950RqBER&vN6Pm zlWYEoGqf8r{HMG6mQV4N>bkA<)c9JS#e0uWhiz@XZtLHE&TQT1W%q#mN%PYdeN0~A zqb0j&q$H**D_rC0Dc_?ULs_cf{&Uh#DffO5mYlY#Lif>|{6-sH_Z`QFtW#p0V;W2b zJ{i{8&6>s@x6k~uobKeMI~Hy)QtEgfy1$_<P?<G0`&jT4Y3-9M>9omrr`MOIH*CJl zYX97I-4S=owOgxWxmJ4j@4Np%x{gac_28GA`nPo^D_a&{ea#;%@R&Q`9LeT1M@Sht zGwVptl^Jwl;Rjcq-MU3~n(iNc;Dl3T64!27z1)#YHGK2m^R*l)9*H)8tNutQG(Y^q zf{k@;^E`d|!!A^9d8OcbzO;RT<WiBOI=2>?n_pbE2A)mRTz4_?NXmfz!cniP1B%*$ z`o{u(zBN->WU?%~pttv1giY%(<)dI`p35dR`R{q&uVW<)rp&1of01}&=UPRd`aNlm zPf}Ep5{-@zNtJ0S=<)U)ocev`%2g_z8ZWQu^~6Pgd%n%piTl~vPf@EC?Q=!mPMfw@ ztmN*)Hj$z=4%hrR_X)0L+jVw_iy`~>dzD#p4{%ctmw#(8KDuy=7SEMu-L_lYS}fdZ zCh_I^L}V<uf3B(%(f<|R@Y8dJj~_TXovt!j#(XemfrgdVqI&mTOLJ~}t?pBOY?!fs zwM+1+?>1blRNu^+GS?<o=Z(uOx`U0sJUr6o6?GuD{B4R}zx6hCyB9^N`+N$z77gYK zu<M?PJdyiI#YU>d=u=E(UZq-X3+2X_&6xrtJe>R9b}XLLo1S_^^Jbm=!n;0&^0OUS zq-}rhminZvJtg7jX}*B-B3#oa{Rp=jHjkEF^T_jopJ%|02Xt#GZYKxdymI~6<1~}c znpWBFXS(u41vXw8URHN2`JmobMW@e6YrlK%DY(~qxGG>#&(6bJ+kfatexJ;D=A*}1 zxw^`ry;WE42(~#56+cl}7fItac(6J8m4!#z<IbShG+#@D{I)f!Q<m#KpYwIq`K>dw zJHyW^?`v2*Z)1DhEIuRtndjoJi?+(j2&jqf;aGn8TK5xawpS+-jt#B6GH*af<kW*h zO+wZ0H>9+3=xR2Fbk*l*33;41yZY^F_I9(Ik7iZI(K^F-u<F0t`!00d!J|*!m|jh` zTv4uc-+8WNgx$IuU%bC<(Rbg~@-ots?iV7wI+oS3NS$Z?jB}H#7t9pDl$a_v#Z*?w z^<B~8#OHiVer{5z_wGIZeCA5l@~<1O-i>*oF*rwj=cq-g@SCFD*&piWnjYK!a%g{l zBxSd_aYKC22bUYQ3O$!@rG%ZcFR92RPyh68$_}Fr*ZI$XB+d-#|9QRRp<}e|?fK7Y zUsm@-H(oN^f9hNDtc$y(N(wy{xl4tUw#8gEUzl9peKB=zv&5lwo0o*u_U+ho%S6n} zJ|fGX+_u1KyToC~{+pc3#dlsd4w|=CV@_+Iszp@D+@e+0v+Ld)OM1%>Po25TmH+Fl zC!8_U0w14S@vOPEV?~8p{lJ~&VVk~o7Tg)$CuY;NQKtPpUo6j21M1Cm)kox=&tIo) zKW{kwI&Vzg<!Cw8Gig(|pL~5O)0{>YHDKMAxbEFG9owVA1%6tMT<gt34n<`zpTFVJ zn;MowlS3!HFZ>|H5x+(vWOk$Mleg>VpU@joTN!M!Oy_CxajE;u(tLeS?227GCE@c( zMzNKKV!rILOJ^Tk<jA_g)7$WA)Ztlz<L$Bl?+y2+KOFshlXun6yBD5z&OYMSXRBq% zR(b9t_Z5DB5vL{1(-aQb&DrVlO7X|HE$WkN@9B61&NfrbNH<!$l-H?1@Rog5u8NPl ze}bFnUGa$FALm1pou{78WIK7GDSPR)Wobzz#tYeF`@ZHUW>_li3toRPgR452ZmwMQ zS|i=@TYb*^PdO~^_eoVvHQ{b6UmUmo`IP>-MQgK1fC^7Vze2}=0Xg0F?hKVZo5hUO zUkm1O*|WD~l~PmfCvEBacz_~MCLI{*dBLLX<g~T99PxU3YRW6s_agc~Mml?c6PK+1 zYp&h9z6-33_Yi0|-p&(LJ&ot~q(X@|j};`$XVyxVrP@jQI-84Kv~LjOIJ{6KN$k7` zxkW*xIJ!_pINwhF*wR{cwNDMpJ`R~LTdQ_nqw&T<jm=@l=B>L(nm6eFT503^O-c>3 zz_^{lcbU?+)1*~=wo4z*wsQ;nR_oTfNP%KqTuAvAe%^n{riK3Lmm2)0Ei?Bk7<e7I zZ{DUz&8}mcuX>X<OP-n*-jcUHJk-r2c)0g_upN1m^@D`h)?Owg8+y$#8-3pG&f8h0 zIV(N*zUIVok2T!8YmMdY?2Ka%6`J#lDwyXqFEny{bl#|ThPmE~Jq>#Ao!(a*of}%Q z_|2Z%MScReMRKOzZ@Q3pf0L{4y-$6E_Z*}hS|Ywzw>(mpZF4RvZu?3-(X?>$lBSHy zFYBi+(W}4NUp*ja>oBnMVDTW^RN2AY=SxQX8%~T=OX+<#+4u7MYnM=Z<+k^9pOpfA zT~&MfOt}-g5?QBqNk1IyIIrv5!MU?Iv!`A*Q%|xw=iy$59FKK+d093u^LR6s<i<}q zkvspHK(PSZp5jw=p(P4>?@P9(3>F$}_bvReD)F-G?WvdV@$5;pI4_X;ef|4%+K15e zm$QA3PnRD&p5Hk&W0`Ma#{Sc?NrhXAlV%n;r0mhDPSN`KGJf=jUcBw%6LHV3FNq7L zJxkEGHb_W4o)bGmSTpv@3v%*?rqbl+63#nq_E+xw=@@jZE#~7fs;S7q9~C<fS_<sn zlg7@wXK5|{z$K%w0}@Feuf!|}x-#$e&VuX!kpjUi-Wzw%?Z2_!E9_=pH~pretieUf z@Ux3`%9>|%OLNY=3n|T75JApLxKep~l9u!7%r86Nnw=GS`_}VgyEi?ky+S6en`=J3 z`@$>U53~LEf7p?!IeaEEXPC9n;75w~vmbN5R(^Ul;{3^2rSx;nE%N7p(441Vo@zdI zn*OZeahgFxq=R#FiB)Culw;(V2Zc&ss<w(en9Q;B!Sy>qchy&Xyn7^>Ug@|sta89? ze^qoPZ`D)5#Vbxn<*wknx>7ezqfvM6-~*H1pVlTu3-edsDVe|8Jvi2Bd9I{WH)V9K zXOHXJ`*R|!c$B)VPIhqEDh3_4-F8wkOo}r$?Al$|4H^cc8}{z#im;E3h!|OYcuPnb z$ChTk+<>7civz5tHTu3du+lett+o4Q%Lne_N9TJSn4IsS^U_teK5kSt%3N~x=knOu zF8qfT4smfPDBtT+yk!`nD3;i`bdkl%rN@utY6^)g*1XX+UwKPozVZ`s>&0u*A1v-) zvr^P=v{AHNb@AlYH*+U<ZpfcLYvcUs$=4o8v1?jO<$WF%+@<I$DAOLxeJ)Uvo8<%t zOVydfEP);ooE`7FI9JIb`bWPYmmIcI)A<E!Gj-3{tH%$jjlMnC9d&kv>bl*d@s;%( zomk|DwRZok_5N9B|M;`bZmukEn}F+4OFT<vjPh*H`pWbA`tY@TyA5<C*V(VTB+F*C z{F_bt2yedat5i~o!G@h$H`Uoxxm}hC=r^2s7V<g5RVwV9$I|EbOgvRBHL?zGlG9AH z+V;Nip-6S;x1a+v6E_`f{NC_fMJr09B(KD66{nb�A#*l)_mV!<;=fb)Qz(tmUv3 z@6cQDOes%APAf?_A?d<yUr|kJQ~;-^Q0Zm~*}ELgPJ13m#-Fe(eDm&O=yMJ$-rOqv z6*8~By?PwTA-~b^yVG&qt9$Qzo(R@o{9|NadDcULX~uW_<tELc76_hJ-O6)N<7i3N z-fri?t#4x<K3KhO<%2t_-xub7K6%ZZx<5eRi_{OZn!(@*=g8aXe1{jjTvwA=bn9Zh z#^?D1B12`nkAK;7Ysspb`Cm_ra2kc5*<g{ie5H5QkzLm&omH-g8)y*X5smIuety<= z!1(p~ZC5^j>i=>vc2UeEv9&Xw$cOaVUUtYj$XQMwe8zX596hrA+$O;gf2-96Hiu3f zo-)MK%BzzjyXNVQn^RWt>3Q&Pcx2KmI4Un)(RG#g)D)}4gv9RiIcH|%sP8ha8n~VF zVp7Lc_x_DN1J|F><Jay@b^LkbnzV!Bi*U27?Ug-u6|Q<bZ1$j2y)v4<&xu=pRBGX# z{Sh*{(w36ads|FJSJORbj%@3h+JDOU{GCX?l4)(PdQQuoyOp!|zC(@n3(?B+Q}><m zh?=^oU6Xv|@X?aAL;Ji2s<dv+dwR2RkYd%dBB+LbSnD(Wn{@Zui?>CV3pp;AEIU-F zn<o}<k>1gN<5QB-wC$z#*G;S0&KBt9i)5GNzHgl|Ral~b`?}}1wit$)jJRECZ#Jss zc-#;(bJ_b@TO!l@bTd92SGAYj<@~|$2mj6w9jqoshI%KQpN!<aKd;R_{l*EN4<g}m zxi{HdZ)|z!wEvM)_4V@D5V@|Cvqa>Fnq3ozw+W|T`SM70Rkq0upRLE8L|Ip|%U)FU z?s?Pk-i5=D>x%v>>&XhuB(Zr{m!7rk3|g5|7}K@Ier=)e44)%Ugw)<WkZP*`ankl{ z@zsJ4WN)oAl7;*y1fC1n|CrI)eCmiRx0BSGw4?=|xoRehmHH?1eA%}$(X}m8hlkp+ zUV{48%I@*2Hv2U;QA+9Jv9;4*iG`?0EQwdMoR#u4|H;o|Q&vCPP~dktKieb})F^oG z9+Xoo?JQc+IZx!Vqq(Kd>VQo<f137fSl=d@y5nuKd9hgN!v&p-*!G`Zp;Bw!8o8`P zJ}}7CZIQ6m0vG}b?(_@P-IFPCsm$;NHE2b?!;QW}63XobU0=%Q>I-gf+HdcFN6CWR zs34&qHSJ=}mI_z8PFVl?=xC+tT^lU9<%QEqF3%9SsBp1)FU!1-#xX`GG>i=M`r?K@ zO!+KRa8Uk8{ez{edY3B9KJq$c%jA}rdtD}Xg-kcc(aw5BPJKV6Nqn-DVZ`N2ji+5y zznGfYZ84WUcu891WAsO#YplFJSGHaF^7V>``s9SkH(IzX?hO7v?7azGP2c-3z8j^1 zC`pr}(md=lcBUp3qDiHas8i=OPdcZOs3;+XB$-O7B!m#65Gt866pBolQ)CMHKl=>I zXZ+rK|M&i0_r8AT^EsWp*Iw&c&wAD~t+n^|HXCf<+F0j%nA+zo_&~K_BpZ_TuX%@V zPuY?@dP&fh#W$8plrZF*I@=mt*JelEu1qdn<YgzmS|LTvGO3Re|LVqv8Ewbs89BE( z%YBzzxMpe=?r;_re=8$%=TOBODPxXV;tKKBaNar7<|dP6*UvwSe>P!0p?>@Hg!%L0 z)7JzQcOBMwc=0Jy`hk2*fBcgj(W_Z^);Q*zYhLxRaL-_^rI|LRd+h1<z*SSStEP-O zw(RHXHyZ~p+{O8<a({3u;qAkE?Ng;o@fm5VQ>0$FWn@l?jSrn;bmrC4_Jli{k_r#f z(Jt$d1G5f2*zzFVIPL4!J#D&OH4Uzx2IKXEzVv=SC$%wWb%y<^{l4V&q^sdFmERWJ zpO>gex==dU@tk3`vVXoNcZ_Xb!%oSQvDFGExj!eh-oHg;)#gr*=m=ltDpz_Uhr3+r znbYMS<5)|_%RgIZ*y+0U9Xem4`c%KSZddG<=Mp)iE|M+2)RwM4v08n_lWcpY|B`$A zbK0L+KSBqzY7HdwWM(a#*Pd9i<(PErtLt|zpTA!(d#8R?WCQ1eE@w@`nuwfL>$IO5 znuHQA6m7^P`JVUsw%GSo#E*s-$LGF$kf#<QcID@RLzhp7)~DalJQjYN*+$(r<t{nS zI+B;U@omfIyv#A?w=*^qwlJoN1y}YaMul|QUcYeYdi325F+u$<78lUh7j$=y%e}a+ z{PmWt)n7I~(b}-@(>wnS3*75f&nec@YYZm%?{}R{lVvmBw7Q3FjP~u;FHyL<;kwGz zye;ny>9k1p%`f}c(N^MS1^krniF&ma^~?3JjrP2)^{%w4?851TH5HdXh+UL;QmDSj zUVEpx)mtwu^~@a`;?6%adKySck_p@GaOwj2qWz3<)718}_WiIlHFb~;oN!2K=cJQw zo4;Q^aW~=Ftd?mjw}emp!er^4a4JqJ-xgT#F>t(-&ywav>zn54jJn@)?R-y<ZrPEY zyHmE`oBdUJhX&<v*fQx4l#foTW{UGX$+Hp44yyLJYZG@R7<;E4Yu$U(rywX}PKeFk z_YdW}KCy?Mbw<i9*@<rQD|2J((1@mr*-zX$9~3l(YnNItPu`ZICqHrF&atSLYI`UC zYz48%^J|Qhm1}{cnTJ6*>&3RufvMY~8q%&6-XB#izDvJVcZ;DiC7>bX%G>20^Q=SI z+~WP+{NN9N6#B3GZA^aYsrI<|gzks7y%UudJv+9V@#D}v=gvUK)U$QQJJR~lyv_Tl zZ#dIW9t<sOX3}n*pU!-~Z}Y@nOKrthz7DgO*k88);Yd2ra<%V7U+vTPKF24$^;*<% zIfv(eV}6><7A=KinNFLM<0@9JO|lK#YepYpn_TraHt$?)k2_!Xjq4)5pLgr%>ijR+ z`K#{Q`?iGlFY8*iHu%FC0_{=Ul4A!=W?w(biMceZ@a*fEp*tt4$kd8!7=AxPB}@-S zbrqu7Mb_)tM6Jo`Do1O!TD`m0wW4*wl>)sFPu<3<_it|3sXdqQeoscD`vTtgW}o%s z46&X}oc#8KUJGkKXWML8m?dtsj-{OC{Q3EIN#B=i>hw>INj-AfG+sU9-kFc-xD}Tl z%)F#=+hWT}#*nkV0X;Z8B$9M>$zsX#j$SR5ZV4ZiCNv(glVtS-_QlbXzD7<wT-9x} zVSmemb(=}c+c#V?U)WqWXm#N_)7(TcR*Kqn<!5Zh=r@t>Us4ybb6NxZNAEZN^l>U_ zrdnr{%`&ZKhu89XZPK52Jkdt?OJ6ut+<UXTKd;W`<JX1_%G#75nE|}*%xc%wen&lC z1g}2S8(X`ZN>^<frF-y@<HG~fn0I&EY+cS|++HiWYR}0RUp5^YofO}blAiKRD?(DD zRnAsbsqmKn!ng`2s{j7F*mvX7$p=!qALoC$t$kWv%2VUKfw@!Xyo(&8C95*K1ICv{ z+N|KA%(RD@%9}!L?^5QTdAT!xLuRRo_vwcN)O|bKh#T6ZUVN6{ckjXlm967XPI*La zdhY0A;3E?mZ5E&SeVdD0(8E2((T~d|d9Amuc7$&Knrtb#an`u_{hwsAHdW=#E&le^ z>zdWux{q&O=^JH-tdx1A{y9NSE81^H+hy0QT?PTObkvpnO3#uOpy8ihnGH6(ojqBZ z<gK)0T#3?(X?qh7X+YM0{rb*la<+#pgMIg?N>>N626UX9ijo)l;JRgF_h+w@JiPUZ z?#XRGA4w{8+&vy{emXxKzqYjR+v6tHt!MX&8K3cG#cn<`-go|+*Rw;9JXt+z>Bikm zVfaT>?*|7`4HP`bHcec)ZZ~DGIPKDXjr$LO*v*grs5kZ04VTI@du#mMGv}SS<|KY6 zEXi}`WX0TrX(sQ}bqwtzFDm|w{Sbd=g1P;Rpp4vrUCJk(ZFFya-}B>bc=`1!%0XR^ zLcEX-S!$%Cu?~xPXztjVsWrt0yI=Nb+)v#xF2Se>cPGc$`KgB^@9ZvSh5OyORjtu) z1{#XCb*+_mxHq`)XMfs{%~_%PDtor{J`H-X-_)mYGRfNMR--)gj*N7{#0(U#-{C78 z9l_Qk?X9nS>bBMRLh=){9Vf1QEb_e5vgljxmpLm|`^b!Md^hc5OmBuE?eUSR#3kPv zqU=*9$yQLa<~Xit_M+RyNG&X=J(6?T^NUAV=sT^$r>n-xojt4TbT@7C;J6*f$mlJZ zmjOvgy_}(xYPIghi;q)FZscfAmnyYAfb+AxwZwVC38HCf;HQKaHRpbO>07_6j`4Zf zR~6a%YKrv1JuA3gPp3?HU_<yCHOb`Z7>%N|70#<o2~&A?=N7H(e4N}vH=de%ZPRwQ zYQ>HnR(1{Nn!o0B`n~G?VzHy>#(w(Ya2MXd#WS<LI~!d`Uv}Ll=W@DiK~z>bp>Sz8 zD<Cm3T4vN}aw1!L&6%}?rj*Th+D!)TZx0(Qo*kFPz0MwLyVd=(a0T~m3EnHdIC-fC zH>y#7rfJ7*S5L)jW5(Uq-6fN8?771^i{7^+W@qiSi&lrq9LR6hm2TO!{nVU><#T78 zA9JoYFK;?UuXg70u&u{?QjGB7mexz}*$urn5hJXZogBI5!rZCb7Z2VO8>%pf+E+F+ zY2x>CAH(tkKP>tx_kR7xT=Agv^vP_k)nlH`tDfyMO*K(oK_!E|xV2^$UY%Q`zwk;4 zM?T=fxfe4E3dA-{*qLIrsMY2}UA0Zagl=c?$Tw{#zSsDU(;UqvUUKyAzB2dIEHll1 z!~RI^RiRV9cT7R6`_kiIUv|4KopLg}hn}`7Pr{?~%FnOiCwIOY*D%JAV(?tTp<UDG z=FTW;?Y%eI>*bYiyje1}=2%Djmg|ddv0u$PuyjT6r3qud>pCPyP%d~xFQ_s#@{CON zENK$c-%~f`;=L(z(PLK{W8Ks$EN5sIJU0CBecL*?Kl|!vL;kY<AElf8^3o&IRL4&W z3Cr2xW}g<Y&QhYH%^~>N0sNSG;*$op&)`g&#r-}_Wl4eZsgk1WF`HWt$L-oGS#`6o ze!1&~{M+=>id-uk&R=Za9#-#?!+I|io=VJc&+f>X^78$bF>1w}_@PHVud9p~W`9tm z9Jg{m-Z}TK?7CMQ`n!D$?zJVoP_1!g?6bHUsN*=TWpRX`dW+^9w}T|{u)sNf#mho- z71v13K0IcvUSai@>2?op)I6D2)xG-hivZl@+_#GfHSgzrY8(u;n`3|T3hndOO$v7^ zb)$}bqwBo!w6Q%U`)b)z)4da_CT%NhD&P2`_{Hptz7H1Hjhd49bDgGTn(X!R5)JmP zTbk$ZOt0*HXQ)V!R-<l_PTe(Xh5Cc>dW$xG@|@umacyemv#GlW9}RS5D}NjcEzry{ z>uSDKH-CP$j>)8LX4;3JlB`3Q7F4X7M7vt6Eqf!tIjL%#JZdh<ieGTnZMWB3a-d7~ zQRU7%O)>QWFSGVoZ*NZUyY3#GT-3NSC#PX@?!e8wA7Kfb_l<tQF(p5JGi`w={$Gv? z-!SWuoOS;FTiTn?O<cO**qI{_bu?^Ej_-9a$~6D}{NDLn0c_p#CnHls>Ss_h7Ku&# z^s$V1x+`{p?y@~A!&Njbj*{(j=FZ-?O8Qkuu5#MNCtHfLwi)+d8eq-ERpiqvclJ#_ zTe3Gq183Lpxc)`eqFHULC2HDFJ~}ybXx7-<i*l~tt=T8}%7h*r9+9oO@42_+w<%#t zdHG&S3b(G|3>Pqxx9>DFRzcQYGPhN*@V?x=|BT!lW@yNU=aK2}vg@n9ul;d(%<{DU zSwt6Q(_Lrj`tu$xY|R^*t><F6FTC6?ZMJUhqcv4ax_%VOSyfb9s^s<+@*Gcz_jfI} zYNubM(yPZE+;RWPs1WIc8q>bqm|hieVXe%hd&ynlZHs@@zid<)Rr~7r!pGlcACjII znmTkctuwMod;7;sll^*X6}xQRpEo$IdAxL1)X9YRRLcckCX3Vy_9oUXP(sw!`)8;{ zAGn<O>}u0D&W8N6^HV2wBwt@pg@3bv7WZy8^K61)Z1dZ+Is2XmZ8+D~^?ZV7-QfqD zR8}v$@X6zLRmhr9qQu9ZaaBFyyB(F^n)SQYjmx*_kD*)MN$b2b=$7xa-QDZ9%gO~) zKAqPfIn*LsX2zbMIPdG_LG4GYKDl2!`Hehri5qM2qI~}>%As(36Wk;6%Z&+A&z;wl zmT*()k57GGav(luk>Q;kZ=dF^bm0Z)EMy$tHnv{D@!BG<T=c5^LfVSHlC@GSQpMGA z6^DJ=SF4XB)O^@<vU~OXoAs^Mmn(g4T$fWHC~IimhDUVwDlSd2AFsg)OjUk8=EFo^ zr6m%Y-{$H*?-&=BbEw9=BeT5SI(iFnt4qu21G)*+G9O=OlAHDN(oGind(<9eZ@Zel zRpr8uyn9k_KCE1?vFjP{?bAgmC#!tw)7EvP^UFgXQ&5k0NvHG-=lh=9v$c9srjeqe zd7<Q0ml-MPoW*1NmHHbACw-KvJGLJv={upie(#PGbEPI569W5gHo6Ys6s)I5CFXW9 zod%3Y_1t4xaFv2{rX{=1a_o@nxk)@=n~-_hC*aN61r{#X3H@b}UNY7<rjGJx;T#>P zbIqS*9KCw4Z2#1YGI5s!L$=lAyi6Xrs&XS(`qdR3sl}&0JIP(t@VO#ozsca<f=xv+ zx9>LJ2z*?eq+=5E_@QCz_`|{LUUu_Rs>Dw0|5#i<@nY@=r=gvDS5jnGN;zx~eC4<8 z%2SsTYrn?^<1e{C9>8ax@X?#sm5J_h-Jcd7;IiQ3gXb)kztZd3QPgRvS{+$azQ>g$ zOyPZwF#A$;?o)lCSp8w!=H|yH_3}}Hx3djxZ|~4w{@}Qe&AEuSsc&UBnN|!IH1?3M zZc}lb@qCac^=V0mf^`4v#>97D{a&j+8LO5Vsv@h@>0ZUS-)uN`$JVoRW-V`$-2I|q zdR;=a#bllRCZ^2wOx#lSjXR%I;aEo#zKq@LY`k#NsKZ@4F1uE>g?BiG9n3qnzBBme zv7GGB_J`!7zeg=^B3G*yjJ{kQKh(8ow4KqZStSwIPHrDvE*C1j$N0{RD$>&YxrcTa zPoy0EW{rDcqcQr0bNVKWAY`Tv?zMPohFqfil<x!Cy404fPWha37l<Dl2Mz9M_L$d< z-7;;4_bA;pB|S2myCie{Le~UJZh5vXh-}$;eCEZK+Cy%~^u+aZG}q55zWzDAzQ~?= z+4gim&8|tS<KG9`RXk{WJ~_x>cgZ7iW!|MVHy+#{x-{f<7QOwnWRcA?Ev4o?p&CX! z&-dpFCuv${6npmTx5auZy*@gqy8hzJB2s?OJo|mi@k<lm2EVx1{A7SP?~u;%lDIRQ z-PbJ@(>%*M=5p<5WTKm~w?kiJR6yB-{siZ-h^$4PVrrcGv6>aLi7evQ`wu3FwS~*C zpKZ22e%p;P_ImbO)+zV!lX3_5ch9>R+x8=uSy_9<wdDKC7Jsdw_n{l!&Y$q};}x>L z$BUNEmpMbTXvt}okB_)Bxcg+Syx3d4CedvkE|}lgUA}79cU!fwYp<x@)|@qUY0kY~ z+^OV(qmQbWh5N>pzwjQ@dNet@M~BW{@Uwt(SFcqy^Zm}ejc<$Nlxvsm+Fw1fwLHXc z`J2TlWfarX**9euA8P1OKNWpe<^G(FgVl4k7jYgt->p*gzA~0Oidt^|t<Ir%Eko%G zdcz#ObWinCRLF+qs$V6u%4ENdcUK*IqFwII)ABP+NsZvF__zKR4BP9}i-aY{DXUMr zdnfI{IczuGeMSD(wi(_wO@7nKxk<9065ef9$)TOyrm^(q=atgcg>u<?b81d4{>+*b zSzW(E&-P*EkxeBR-kKa`e2uFZv|aG?C3lgA>1uRy5-oS)`1UO0%RNWrJTzY0`c}Ck zkx{R_s^$$4Z<MWMS}IMT_I|@>tZSv{9z^|KOwMXI&ut$UbZTm;d!@#b(MB;2^ETVI z9N$_U>~L#!d6&%KN|)E)%36lTPD%AbFBio)G$e#YrD}B+J_$D{Q{*{c7iUeBWm)a= z6}#PVR^D@rV)uie+fTkaeeL|YGv4iKCYjpJ>3Vmz+>2c?$b5V1$80*MU!q#U?#r|3 zZ>KE|Fbq3b-jf>DclX2n-UZ9bb{q-ZFxJcFo3X+T7n50H==2a9$t$*2wliXn^+&`l zUu~qOe`<AdUHkUZJoaAB4~_n-Qf4!w&sC?bXfK_8Z^GiYz0-RuZy4##cl(H6btU30 zh0b0adeL*ch3Uq1S3kb=_MIWoXg+jD_RZI7b@|6z&ZcjgGUx5f3Q_#;EH=?zxVl%f z)^47CopKk0{Ww1O@lK*%?8?L0NropAtMqnO>XmqgH#NR)ZL|z=Qs!LhEj+$zPWKqj zxPEuuJLW-0;=zu>_dd?dxz5w~-dgcSF;S^?Msx0}_N}WHUoCJl_;#wjAD3y+vaX99 zqf{~wvHNGlvma+1BpTN?%c4$OcfUBeCGEkSA2vIh<F(!<PI+|bwQ-(AIC({a)FGYK zjF(e=_22Df>j}d@GACFf$m8@0%{>am+o?YGCCOE5&jhzsp3!vq(y_v6Yr)xfw+8QB zOw7E!T1nYv(a^2Y#?}<AZ;H)P&9mITb9CMv3Js3i{qD;9)zaDOn<fMlc$JsZuIyTu zNpQH~Z!UJar1$BM)J1DN&J3p0H@#-wd#8s}Idt?G>HV~GLG9iKqi*dCa{V}Z_siyR znYXfmGn5mL?LBM2yfPTxHoL~<fk(5`m{$dnX?OMK2*W>e(TrPU|I|ivcdPWpvJ@_3 zX_V2^FMT`ou1PuN`%ZSdrBoVFBf0rZbK>*~Z9Q^p-|c%&>#I!<dS9P0q@_)HRT8Ar z##~Y-d1lnva^IcW76tbM)+9Al+|4wXGlZvYbQvEirS^Qh)S@R0|H$l@evce)PSo_z z**5kjd#BTK)8nRVdt>K3zjkhROsriZBf2*XKe#`9gOXN(!V1;h&W8ynJ;r>hH*}lP zc_{b7){p%WL+{j#S3JtAQjFif`?e)HjbN<r)HJXCqi6GpWxbgRcN4Y{H+)#6xp>w0 zJCV-&>%8~v_RDZ<UZ{P==G>u#2|vfY)0*iYAy(Kdw&Ld<dKcrF&b@f5{)xM}4%F9j zVw|M9kYLs`ja!QMCN!=y=#@G2$)Zs5;)h6&<#Un>Ki;l>e~_!EsNPh%C3Ht!`NpkD z6#M$erb||6+``{Qj=1h_h}ZnKkXBqz(yEsvclwFFsNbX);dNLeXF-q6s-|?h+xM2h z_GvNt_FENloImy?6i}xeP+BGv@%^4>Q~x7|Gj4IxtAi1@-P9-KFW<Q#iGHc(WO0Lf zzJ7_<wM*KWd&HJ~e)4R|*x4Ep8+GM+YR@?zC(0Ps5=`7~-bi)zt(u%LHg-;wq+Wl- zH}wx2W6sOp)<5~M8t?eH$<C+p&dv54y}Q0<4Xj;Y{b9{^TeXR=j_vlgjG{UQ_|y|0 zsxI6&6tVT)Qqq!-yv!8~RousTZ=0EraeS%C=y7EcJ#*z|y<WfBnLeN&dQ@t$o7sl$ zEc3(f#onW>rHiN<8u@J}&TT3)r_bVU?!IDjR{xBu#bnrv+ZuR6-SUfF+Y0IV(eu^1 z9__w2I4#-Udu;vHU71@RbZ7OBx7vF&Ej;u?LTBgAz=8R<D^vUWnM;p0mD32j(DIje z78hupjy4^2d2&j`{hTADx99KA_}WIh*Vld~ZQ{&z9>sE#tH>&nr|V*V-1QhJTvvF+ z@8hCM#ekJFEWFp9{kVg+Eq`&<u4P=^pS&?GsgG>Lb#80F(1|!O*`oTH^odS=m)GN( zb)S1Rd#wLZH%+Q(Fy6yGH(>rW<<Q6UPvgJtzguXv?H*dLZ?V!h`Jk7>3CZHDj^#Xc z;;Xuir|k>VR|LIv(Fm=5IA(31(U9f?%iJ?}KKbLn2dTMT7AI|zkombk{=w$@DPHk* zp(hhtX4JfnbqT)H!+FKp=@EBi%9_|a6U7gVSJ-Rj_jPhhU(&VKb1gKLIi7Df&eYX4 zwLZC`<nSt&{+;<{Kd2!do0mLkm|W%=@7Q(iv8~C;&;_+J^7pq9Y3Y-6%`(Sz=|1~5 zXJ*LyUU8alYB)^_nS2HRaI<^&kK%E;ACAk1E7irvW!>l<z!mPjS^1%Q>D85|k40%3 zHP5)inrLgyv)g-F>LY1heplh!yPm3xo4k2_q0FVD!)s57*X(dNCK0?RUtgy0e5Z;{ zlYbx=ldZQ}SM^kD`uGhJ@r`QTB~I#ZLyNv_zHlJ(fy<J4C!Y6>MLn_!>Z;pbU3u%d z$%1|%K&KB~G|f+cNb$~_>(NV-c|(`K9NnAy<a}bGu5#w#(~etL+I;G}<=<XeyxqI= zlh^|LI*O6WC`+Aw-m5jp)S$hS!`6kx+ofBWxVksZV?8{5&VBm+o$DQBXG;{yAKtH? zwnuBI_tNFBTKQCM*Vix0^OC0C(REa5U6i>^Hj_iz_$?wUIz-Vumg7@&_#!jb?A@`` zWhLKs*7#VzNfB?ad)0QMU#olfJsGFR?dNRQeet>|-@-L~v3kJpEcIY^V?||&`P9qd zhpx`F)R35XdB+=-<L|X34)}`aAd6iej!nR|t={Z@>aE0dRJn{7;$+T_-Z?XDlm6Om zQj3qayJi)inBPCY#h88T;fa{gH=i$j`SJW&R{xVCYo%28u|?KmN_d@)N2ljM3HCla zy=~jdX|v*YwKB8nOiDElP&T{?SetFtSGTNRGUkWRcx|Wlj;l9PoGNy=wC+>MyEEB% zo1!fJSoY=%S-cmn*TdyL6;(I}y(gusp7zr|tKiRmCXu%Mt+`mQoYqrTf#Z`{DwWz$ z6LEU*&Qy~<+)RCEe_o%Ye|hqyLt%M6MrXIp%W$1JL;A^uo00Bc%>y=sFpG<(u5&s< zJLY=YHj;MxzQK}hJFZOloVj~r)~brONs}k2x6d6t#IW7<u?7En&4LoKi*Me}Dqr?v zjY0pUDN<?q(YIYMq#5pRddhGw4)kj@N|E8Eo{#O}_4R~>l^vJqoe@JlI%=Cy^_BFg zH=gx6xqBRzP_RE2Eq~Wfi)=<P<Ac<Q5&`&aR3P$k4KQ2^OZe900^Z$H>}>d&JRB>- zcL1&p{Nb7clp8>GnGJyZw@lEk2+IDaKSh9~nG0ahKmdbs{f*B5A0Qbc2m*X9;_hMZ z5ut7}>GGQjm%U->v5tx=xmY)LbU**Zn79Z(k{{R4%`PxLERyY)7#2+=_z7T-V%dQr zQW!1}_QgJ!oMza0I$_8q<7C7UGae_2ryIq`a|0w%Bov67g<<eXx_sPR7$YAq!VE=& zf<pigPIPYP?y2izXN%E{{k@EjUB&yY%#mL&>Gv{zy(Pbux$*0z{a(hex8k=l0d`R~ zlwsH>W_(^e`Sk#q9>K*xS)2d`4dzO~KmS~pn<NBB!}MqgsDq%MZc0iDI}nD4pqoVX zc|p34wtRj7pjb!)EA!>|LmgS>DX0hF#KZMG1@&y8EDht4-?45I93l-+=7g1T1kA|i z0Tv{7E|5Fl1Y)5Kn=4@%pe6xwI+Tr=9}-rEVJ`Xsc#5zdA0rAW0(?ejY$hD5O%3n> zARuOeTrSoIX#lK9_%Vy)#s%r3e4MC0D8m78jIivFX2@?g1gJ6C!FA!U=saMQzz#&` zxBhVb=^w6-Y%eidTu~do7+q2OjuGu^6vY)U!56!Zec%$GhxZ^uF*p}}U%>er`1ZlK z8b<UTenrS-vB_-2E!i<TjOWj{4U7&>h*gOlYXPR_cF_F>kgw<y3uOQii*$}C%LS}X z!1_hrj3}#yGQjZV&yA?928Ig?Wq<YgZwyk<&Hn=!q|M@P$sU|V@qkOn@%O;+EDa?6 z-I8tNLj2uWaa=)}CxT1>&6pMw6X`!4&^n!BqC=1mVs6RKG3@wAj=wFN4Y+-F01(P! zMe`7{gj=#Fz;yZpgf?If2Dxw&5hbYYkQC%Uo0BYr8ap$x=NTNHBaah>AhpmBRPc8V z3W|@517JhsJyrssr2ZZN4(S<+LFpmag|$35JeQbg4ibd%Y>z>5LJ3C5k&UPbdlaCe z3OcQaGK_itC;&<|EF_x4#tQf&(*AAa9z0f1gl#k%IEDZMz<HQ-KoYXp==f~-iy#F3 z`4EE0VG(s(?w@FP!ZqN;-<_4{%x{KVlmedpG4?%paq&Ss1Tn!V$H#&|F^ScRsEH)b z=TT-v??H>=!{PvC6vHoU8<q%=19(P+4DB(A^AS#kGS~ZUg#5n#VuaN~TGRPxu?V6e zq~w~wi3^U5NfZz}Agl#_0JbUMm^x#KsTh)_@-UBaoJbA}w205+049T98sjPe0!6Ga zo~9-9I9z{s4j)nV({MdIm~I{iyeu7~iRqL(2BiqtOhTR<T&D}iRwd-e4tk73E?_iR zv9TZtP(!{>2<6f^;))#~H+Ltr<SP#*cI2p#4xIcNnl~UZ+Q$STV~0l;9LEt33u(tF z!rV@WA_O@mY9AxeJOt7CP3nBT5-JlB>I#OAO|pPNm=L}lnhHmVjao3o2f}_p1d$+6 z<gV~ss8Gn%-}?FE>`rHK!8`;yd|yO~mB?pW1LK1a+zayM&lrOAW8=W=4rYZH6DKk~ zBsQ5B8WT;lFk?qXBFI!g!Q}GT{unGTKuZS400<<P7Z;Q4AIV3eorxi*^6_NJh(Cv~ zD*mCYXm%tgj^q#Ulu<F!h?kxFTo+GAX9qk96;M@0F!3VDM8GcP4;7gND6N7cDgyn4 z@c=$G3ZV@j`*RRm#GlK-Fnjsfsu+8d5a=U1I4mR{>?E26XordZ04bb+AixbqMF5B@ zy2Oc22#bq}jsoOa1fl#^1I#oD;vx@24+WHK#6OM`0s{mLSK*c5_~;<a3J_gvoSdL| zKn4A+(PZES;B`Trfe@l4I`ao34vK&#PzdAo4-y=OBiI1LqM<s%iVZW3;+jI%Y6=ug zLpiKi(@4B2-c%^9KU|NCkLHC%aYk0zBQ-Z#Aa(XHou1AY6Z}g8Qs6WH_VNUAupT?i z6-V>j;$ngTvKUz*<tgG#RD`5UIC6z2F>%wuXhGs`0C0?na=PT4curih8+Z@Qqd=sw zivb=1Z(8Ng)WLJBjVKj(S|~)GVWl3)AoD0s7@jQ`2Ef6Nz(3iCaj}UJRCWprjAO+m zW9XM$WT6C>&j_a3!wF_=CKf+ZfLnV`V0=gjCr-p=E1y0FfgB&}2#V~D@URkr!<xxg zS#JcH?cna>;6x+{^wa^<?x3hx!2aYP#e!#=fgMG~B!HUyU;1(Bu{m{UQoX$>hZN<G zG6v#`-CBquww9=_6j#)MbKGRX`Srcxic~o7gYz`FK6Br2E-Dg(2#wZ2m&=I^HsPa( zo8Zh1Wlc?GWkGoo!T^>V%f&HxUS22%Cu#st!~)o8Gg(=84yaZ%2J9RZ8Xp~jq3MdM z0W>hbbyzSiHU^-zK_g5s@aaH(KsyF{afxAE4v_E;1>of5n0P=@2DoW}_zuG$lmRjr z;{XE2-|%1}#8wXF$np_@4GeKn9Pou~KHM^&%5Pi?puPDfV}{sc!wLqqXX9AGp!)op zLNwr!Lj^v-eF8YJ*&nf34fw{xvlJrZ`uGArSopFu#hVD>jxDil!bAvo%;ldM%E}62 zC?>FB{AhtV`5@1t(q97)iw=t8U_KBGC>g{h==T@wI9E8x-*J*L833X%pCUG%n0Oul z#GBzfL&LZrw`f^_1OLT2&VbDcX2nPH3{6CZe2i)SYz-s-Lf`xm{-NtXz}^dcHp4-> zBBF)~2jfE6jV$o+3pkiUf~q5dt--WK1%R@QW5?k5XxZ_xu`zKN&^?b65*Nlx7VyGl zh=wQ_EI>qag%j}$A3G)r3r}o;?s0@YWAMc=AWz^5!XXc&&BX-9N3$NO05Av;7lxiL z!g*)oIFNpT$^hm!OI83D|7$KWC5z-Fa3XOAd;n;Sl)j*jK452u#A6c)Vg|AR>doc= zxOJo~MhF)KXx%YUzoBD~q#;C?9zo;}5|$kyH{tAIoeM>d1Ca|=0xSI;s#vJ5vV6vW zBMTECm^m!&!;txq<E+R;Rx<Y&vN+fgKXeHYy&19?{Ww<QFOk4d*)bgMZ?pJ!Qscsu z2(KAnZbRUN*oHW6XiR)0Ob#E8p05MI4M<SXS#$^ohnmtrto+OuGZa}@cT<?nUy}fN z2Y)pr8oCgb8M7xo_gviHb_fb0Sdd}PjSZ_Bt{KjO6%@)p7IG%b_g$bUFued64mOI@ z4r6Nri_n0DsTZGBM|+G0#<ZYU@Du<TFUw-HAt=T~vm*KJ0e_xPK`<Kr#0@tAjxoyu z&teKf;r$XbG&kX!JXTfYM8GGC5+Ps(Vl|6xCM)v)f5ejhgGaLkOmGu$sZo6N^S|_E zSfKdj&e*@;%`x`)s|o%nhRgrfrQxuOV7jt6_;~Pf<1rZsM)C*8CX^o^HeKYKaX3dz zs-WXxTs{qvLxCaS3@|do4o+|;5)iPO7#10cW5t8<!8~Dlo{ZTgCrH3eVkpEEVSEtu z3B3$^PG~Rc3xi5G1NQmh0-P*=sU*<Akvw5O4Ll0w(=cs@eg(Y&5;#;7iJRZTDGWRp zUka=!EJMR|2P$BQ^dnu>uz+LYfC0XX=MO4~1=aYJhO1x>3LF83J&pql!=xb?)-X@Q zm4yZ*urofPkgx;@)_je?*cI9i|B~%rxiAqwBG-rcp*S!nSSYjk+98x4-_d{v<5R+9 z!wSNdu_6m*MJEeV2BD$=S$@_aauAr40?H%21fS5K4A%t5!3_7$R*5-Jk-1^U%ffL% zTO$S16O8hYhBqvx-%M|~_^*r)vps*<+<{3KEsS6cv79&_D7=Ag6n{A`N*R77V}c|L zm<q(!<s#$alM#6q5%UJa<P3lJH6sF8U^31~FeoFO0gLa)3}JYlpbW4^fJ9)}V?*{4 z84r0NrYM3YIB;TNJVDAB6AjjaT@rQ=SrUSTasByuf<IRfvpMYHfe9{zK`<8PnVzsb z#f>yFfrkAG^Ma%bQ=4DZfKyvR2#OOXpPq5?f>cM4Rba6lht24(Bm))*Aa`tP{u8<T zWBdswiS3Wc6H*ExyZ<-Mgdi&xCig=Ar~h+aJe<#ClPYqOV1@idK9UoRC1CJBWXxEw z3gqumU_l#G9Z~gR_aDVd=7)W7bbN;;O0{7&g{e9m@ly*n%nyGSg+2*VanqP!Q$g;H zi(<t^fDaCZL@AI1{s&wuC=%9YIH3MfV@7(&-+~1)!a_yD5iNeASV{hooahi<D5UX% zg^>NPu!b|jq+nzM-D7JW%<^E9L72pgWQ4JZ87asFVv^A?K_g6uqhq3@IUx{d5@1~* z(q0x17Zn3m@LOe}r3cFnb1Uq^>{qbkyJ3Mx<;#Pw^TF|PFn17v`5C`3d4;43JWCLk z1RG(NYZlGnz!oZBE=Ga~h-J7Oh&C~}fPm?&NG>NJ0D8hQEdCsEfniK1VBdu&i%l6; z(`cAE14AR2resmdCX^MHBV)@ws2dXqxo$L!G!DFlAn*tmC45O?6n_ite2q(l_QQRE z05Gc-$PG>mgo$_{hac(qtjc0dB4Jwu&LAE8vrL7{06~l2E@Lf4vtwu?`|pCn6c%$v zu)2tX#1qT$Vn(nlFdC80bHJlOj0qOzEF-5ajs**0SOY}MindQ7zS%;^<ICV5R;fbs zfC++~a}caRK3rHvv%yIDnRt9OW(fX#N-Q31MF+x87~f6*vN!&e{K{=G&4A{C90-FP z!F2sL1AI!tC6P$0%#bF1am8FsL@@*WzuSIsMFTiTOc6y%EFk>NM;YqaXbAQzeBk~x z4$c*U2G)jJC7_|G^Y=9T^aS^_VY`QaKTQMry#+MJz&UK*@ylKSoep8y5@DH7wYcI_ ztS>mnZfs)vDW1iD-XDQt{-;i7_?qsBV^nyIwHJM;K$m~B6bf<;u)Ed&vmZ$$`yY7f zfHC|NWt*vjz6nzQTyG=|gQ+kFM*m)aqztGd<ncv#{9RXE5&aiBs!&%0z8Eb`jwJYE zw3zU<hp!uaJ>e_j54(;XW9>x!$OFHa4q$X}a4f2e)xnNO&PyN6ORlhjBKp5JFFs|% zeTn)M{g%SKs2=+J>uIoGht>TbnHOw4A{`t#CQ+ZBu+N7bWBY@uU`L|z|Ni}dQ34W( zGz`lCLDH~^wt-(&`1OHb_!;pLL#*K}_AkmY9m@WTa_r83(O;C028Ub=*M9$qAy|3S z?}czCDDQxy?q+esWW;sqMRBB5Vz>Z%cEdqx_*`_vv`&hO#KFx?E-b7pwee=Cwjdja z2y3Z5*K@ilRU4uxqynr+*aorGPUdj6t*sPfnJg}s6BP(c5+D%GwbX_zjn0KkF^a`C zjS35ji{Zuu^GqRSqqDeCW(jz0NLix8f?)~bHL^D#g~Ku7E-;se-Ff&AsS&mL?Vu$W zZZ~0Dl)`f;!Ir$x3y19%7nT6`NkTZ>Ul&JScHrNsf?+%H_YnCTa+caGu48mU3}nFC zxcD$zSQv9*Y{6KLrfvR<4AcDYJ7Jpt#uC%~*Vy>YnOG7FNoinMByj!j!~Lx~CPpC> zOt`@t$=~jZi5}+b*SgKs1Lw%L)LzUXpm;oqY+;HglPIPnVi4JsMGoeeq9~Qk;c$p- zVlbLIa%6v^KqTXd)Ib``l+309h2TK8DV0NDo3aQb5=tPDgK0$8KT{yF2*Cs@hiFPB z2GUGPBof{<kVOkJWm9Nu5{ty5aER1@rhpHoSWtp2D5g}DgEu7+h%{3gIWW+aN@SzK z6gJ9cS^NtHDhCa=VBra-fx&@97zKxF3S%OhlBmIKGRne}S+o(OV4D9?x=i!mCPFZk zBP#v-MDnd*Sa0EuCOamP3-=%S`{Bb=2xb=I#^QzACbA$W6dG43j~7cfHy7HM*)RJt z1Fp<HoE^<!nknYqzthyV0@dR%&3~gPQXlibV&E^v&E~{HE)5HGk%ciuB|KZ92N>pE z<P#jB0S{Ae?AExYHgrWKXyc+;QE=ic@(pG}cFpYgx57=~85+2G9?8|lJi=dpe)%bi z8H)X<jV*yN6OD<pjSC75!*&wk=BuT)5nPE61p9y|SUka+!L?DypfVH^o<s@?3dXa8 zwQ-TG=#Y3;h@iU2xS8gEJ-*>`z9c|W!=ndhS}H+;zg~z3;tziv5O+9oL|oySN`Lru zfqSH`e3yG#^4$>Tw?`oo$VZ9%U%y!Vz&=<${>P`nB*Bl10X-fPhlC-~NC;31Ln09l zP>x1|5qOjl>4rvP2>R<k5)uf<7)R<*ZU=RuAU?66ell>wf-}KAS~oc7A)#<R8o@yy zF+h)pBtnfisDXo?Vvu;a#)c9e^orHPJ~oIv&=v7v4|Tan5TC!;-|GENAL9d~3(xyN zWF2nr1!ZwSVVFJ<F+(iii;aPT$U$9ftUP|bXy7Gs#3+96!ycZS#Gagl=QPE#pq&%6 z3E{WEdXI(iVp0r&F=OkNKbPT<y)bS9Uy^uOR$)hY-~osH-p_v~D>G>K&wZd!V;b=2 z3cPV(jAkH5Y_|TXB_5vspuuw-0`4&WuwGn1>m2`scG##y6tFpWhPK!$m5IoLyj+Fy z!88q%vuKX7GlAClLum>ev!E3wPd2nQ15FkK3B>{LY|xk>knZ2<8B_<EV)Ord{Xc5K zNFA_;He#U7m|luF8rFUU(dAo?CtSsJoC_TOuCH*{9y6^!eWVdVFQ)MOmk+f5sl|U6 z{68%LNc3yO5JVnTM%7RpYL3!T8+1DAiTa`eXf(=0Q_yU59h!&kMk~+*XdQYEZ9?18 zF7yf7hYp}$(C=W5l6V=sJYEs6j90~L;H~jK_%wVWz8rrJe+hpL{|f&ZZ$z*l%p)v> z#Ar2P3*iLe4B;Z7k1$9WO&mwmCK?lIL>Hn5aXvAPxSn{N*g(8UY$bLRUlQLFzY!%# z3M3Vh2FZ|QMzSDTk{n4cBrnneQU+-aDVMZ`w1c#lbbxe>bcu9_q)j#^qht%RCE1be zLiQqukQ2ze$p^?s$fwAy<eOx8yPo`&JVchJOrkI-Ybcv3g_L4SIpqkYmeN3ZKzU0E zun4z^u}H93Vv%jJ)?%~85sPycTGXjjQ>q6wpIS*hL_I<6re@H#)2`E=(Z0}zXdd)X z`cC>0`d7LRgUX0xEMpvGoMAj=NHOJ^%FGC63cQ%TgIUQu#H?pFGFzFinLn90OEXJ` z<upq-%ej^dEYmHUE$>?nT8^@sXr*OkW<|7OSov8kvRY}i$Lf&PORM)*a@Is^s<pHA z2J231aDIpk%o!e~z)Wp|dAWm1;F<Up_~UqKf)W8o&<ANV3HF3QLJpyjP);~Ns3V*u zG!t$UeiAf6-bTb3AnSJGYmluhNs$ywiYKL#Hh~0hlR8O{NH0mw<oV=cav4ajjoeOt zNS2_Cr&v)OC@vIVia%v7WfNr^NbM%&9_1nBImO1p*CN28)#8T5U5gJE8r1#NUg{Vc zf#yoPOnXBcP4}XopkJb2qen3wGQKg!GAA-uG4q*a%>B&M%yY~Z<{PGh<#<aqOAE_N z%cGW0EniypTPj*j0ZG_c&9+)##kS&EEw{?HI$_moRbai-y3G2P^>=G5Smt5IiAtg} zs4g0W=Aai*Z~PK`9ljBN2j7W*hyR3^CukF>1ZM)9u#QkmcubHdQiwsswV-8>h;k${ z$)B`}bcEDJ8b!v#m@~--$#-G2D8-2~hvE%mji4-|q*GS%HDwp&Amu3KJf(?pg`#0$ zWI?xBX;DUfPEDeDGKv}M%m5}N3Wz7LbO-&2o+dOBl88${r&kcOi8;hvVji)8xSd!; zEG1SDtBBRa@e~rJ(L$cyNN=LI(y!BR(bq958AA*i=6L2ht4f&p4^}|T4MDJM%NUKu zx8Y9`nh19Ydc+Q53rUQe##q6~X5=t(8F`GQ%t9t&DQl^0sbz@-U^xpsWe6H_5+6(C z5k;J&kk^pQ!3HEK3KS#S5JQcb%3R6Zz}&{%XVqZUZq;RlSTn34&|%_5mV$m&qSfd_ zv=<#h6Y+y21u}vBm0CnErB~3a=+*RdjC+hX3?vPF2-N>-rE87k^7jysdVDfzIq4z! zFl8+5FujG|N&n6awT`rowdPqTVF_Rn7RM0e40x0_v=L7rHIuHB>n#>g>*=!?PR#LE zSFMq1cqSR@<m3H_Q_1frr>Qw~Kc<1zSFC*l?AgIjGkzN}luWT;)3}UfmK&|%k#T-` zG5#pAk$lUdhxVBvg~_oS%fsLrYDBOiIa3x;Z_v+M(yeT*=3B*D9k4oTb<^sFm9h0n z>$BF_%OE(YYlF@}UC_B`I(WeyXel}hKL)>=yu|{G&e(W6Xz&LoIG%z{l8qQr0Y3&b z6B<e*(Wo>g&4y-An@Mw`xzRjnJ~TgC0F6xxrA5+WX*^mIZ3!)nwt|*T%c14c@@NI% zSBhw*v<g}kt(sOttEJV^8fcBQCR!`_n_ILFS|_cW_LTMl?5dA80RHDY4WUcYW$5yB zMY=Lwm99a@(RJwtbQ3yCC()^NCf$Z^PoGJ5qPx*O=@YG|SQ}eEwMN{;__Ciyb|SB! zb}%{_-Qclaz)bcr1{ks6vphkE#1Lf|iy_)ek|mddFMyL+G5&nGquu1E<QL>O<UaBM z`3w03Z5|y-6UgBt3iaTPEUfJV#vlXJtv$@yR!ET;wzq_IqfgNn=o?}DNXBo*cj2Go zD+#rv22u;wN3|G&<v&M=Cy9;3tHgW6r^G(uAW<4Tl?F+Vq)btzXi#tzU5WuEgPudr zr?)V>nBtc2EoH4VtQ@QYtm3SY1_3YO*xNtX1;_e)9T4MhlI|fLB%Q$Kt51xtD<NnA zVGHpiF@RD>aj?t*?Gn6K^bwtdmnVgiG|1Xy1F{*JM5dE%$kRb;?qnbGLNc2iPL72b zvxJ;M&L*!T=aCD^Mc_B9$cM?b<TK<(atrx7`3||0{1~Lw3$hv{BNS<hJor;piWX%# zc$7Ly7v(YK8wIgYuyD2Twn(#BZINeDW^u+snyN}=Qs+{us14L-)UQ-|nl)`6Z3}3~ zKH6bg8)(A=(1ll^37;VjNr4V1(becv=!SGWokn+{yU;!8^XNhJD0(V=Eqw>QjDDB? zkp7JRn%+<UOdq04G2|Ia3^m3Sh5-YG*k!|*&2VFQF#;Ijj8sMjV=qLqql{CGvy4lO ztBl*AB~KWy82yYd41_7eRAj0%aZEiX%JgN1fd?sIo?tdHZ!jM)KQU2Dn&m7@FUvs7 zP|Ik`6w5TrGRu>eS1dEE^sJ{_CtB~fzGMB&`inK9D2~*@G)O}JF%@N??q~=<>&QZL z!Q*^Gwed!HJNyDX2cL>B!Y?K4BvcT(2;T?{qAhV1aU*dHv66U(c%FEN*iRfonokNK zWs=sC3P}~D^Q5b!Kyn0`3m*ME%)%geJb8*5MTbJ6*ifc}e|M+&P!>|ylyFKcC4sVp zl0nI)tfS;XMo>g4qf}82Lr!pp(nx8cT&LWjbiy3Hp!8A(D1#I+>L{uL6?>lvyYCZ< z&%+ns1y+aI9A;;1dMuqsPol4&=hC->udJrmftSAyKJY2MkN%x5$xviyFmyrcOolzk z+>^m(R4}R-)r<y4BcqAY0ruDja>k^LV;V52OdF;f(}x+#jAX_#p;LHQ5A%!m=uFfN z^#SjW#g-akE%sJik>HvtssT~a05w5LC>3R*_LyB(iz7MkQwmu_HClt#q8(_b&>jWZ zoGRV`Zvxqb4c-m!iDyG5mjk1#!q?)z;FSp^$SXn#k%U~rc9@B3LJi>-p@Yy#=q5ZR zydb=RoNj>dg&;|kCn^$Ei5f&4QJ07k?TKy>{jiAFO1woxNRlKR$po{$|Ni_JOQ1jv z7!Vgn&<wR4>Cr}6GqXM`h>a32%1}#%qGWL~G5lCmL3(sR)=V*ugrvBb6oUFm%Nk3I zNs47yh>J-Uxu8zy#1SQ9(a{oONRi}j@iYX*|DmlUPGQ*v`9|*^r{pb!i`>~^>&?5% zrw)2;nfP>T*qB56<TZ;jl#9>|iC*}67fFbViHj>P-Sqm~l8Y|$Ud=8{ye0jefzcFl zDkcT|q_4rtp`)cG=1NK{iTm2(C!k8$iHwrGH?}Vx7mc%H#d7e<=y<Gnl#-l%d|V(4 z-v5BdPWhvQQduQw&rnt(kAv4l)v;=FO3H!)oE`Q6Rj_dD89y1-#4bxHsR%D)uO+|@ zgDC9vBb=Qrsx?soPrwrhc$EL~ou~kNl>{P6Ai{<m%@<ubg4wwqqV8msls%H+h5_v8 z;p}4K;BjQwGmnV|B4&c_^nYE(I)o<yg*|$3;u6AOOAxxonc`*;&<ru{kphAVlgJPo z3ll6RE1n@Hh8(Io;^;Yhi^h1_j;YBTw7rdDI&1YB?YI%=>doAIzbT(fSZ60T)vl)a zvBSWN<BQMpTD9A2@(}UQ&Ts2$j@#=-T=92c+_1lDH=a8&V@+6%@#U>rRdMQi&Wk1= z!gqa}!xHx>tNiF_B9-K@$9&b*=Ubl-<vjMbw!FBpbJmx|#HY!!-}>USZMXltATeia zWqahVO<^lJhRZY01t>Q*H8Yg&HKg}VR^UC@sJ*Y{^EciS{hrUW)R&c?-)VYa^{cX; zN_~}7*5`sn<LVx}70-UQVDQ<Pa+6(^9Nf*0{1;72_PETn|2gTg{iuy{?V&5u7KA6U z9j*jSU+Q^QX~~7;{^qlb#6dg7O40|>^w0dM)EpzJBB|_O_%YhAwUt+Rt1I=L_5C+a zX=Yt0L0SeBT}o<{n3$v<xKeG=IqbBl2)C$Xg1E6}@Hhyl4z@YX*D*~cF|nVLGN?5C zh{G<WHB6!AWJxNl*GNT#A~efP*f=OIaztBmfkur~C_7s-sKeK1&8d>|sH}(s2^n+@ zMs+OKlO))QG-`mIkCU8&PA&x<#!mvP<SVKoMv$*BrUaBkHRapn2>X#pPe&w1Z(E=I zZrMDv@?GfB!6&0NPq}7DFR<`0bKj-1_LauQ(e}|Fqh9+gL0^0gTdTvB8y_=c?*ZDl zFGh#9RjZv}_j+DFvj3{Q^Wp3GG8sRkl<$vIG`*cFII1s`Z33s}M_;;R5x#ti%sSgw zU3a~$H4`0I8mUMxETe{Nk1v@sY5CG)Xoh47So|8H#gDl*Ky4bTCr3+mgcqo*xs6n4 z%;Nud+mOJ9Q9SiG8z#_1HXQgrWW#XVNH7z||7OD;*h{K$m>rY;)sA-u$<gd<PwAA~ zJDwWzv$&5X>#?c2;QoG-v9m5j|IA`~%pE)7s-(5?kG=W%ch9hr<>og#WhFf8wwtZJ zx%Zs0-Pv6op*8DlTzfOAC&pdSdC&Ign?Q(h@h(1)T`Jygq;+NXqpqOa6IT)DS1;V^ zTd~8yZOp{p{QE41!yL_P<GtiI&iKCXz^7o#8C9`y&o@5zzoK}eaXCA0(&?#bk6yHC z@40?bJf%2s(|peP-if?A+bp9_8K<0$IU7uOCfZL9y;H$Uygz0>VU5=s;_16VO^!S0 z7cRUa%C+^Es1K|;bN7h%8pZ?3@)YgEx(CcI#a=k$vRqH*o80NWu3KduDH_C8UJ=-F zhL|@<$^(_hl%H>Q;&4+y1v{IHnZ`eu%&0V!D>5fA@DP-P8i~%qz_o-n%Hx{yZ9I`{ z#ua*KzM)(Esw<vlJY1I*#xnauRdXJfYZ}Bd4I!8XapF)W#@u8{GD<}8Mdn4OBU@t* z;U8LqEBH^XoG`+<O}`jcGG>;t)@`SI?m-i+7gFjJdeF%j8#<Dzs7l&jd%xeKECdlT zB#BY8!3c5cTOWv8B$cet9~Gl|_`%f9qFZ?qm02!RcNN-5XmnkDl6-kesPw&Kgqo=O z0TaC-;!{U<ltRz>kTIX7O39H+R;gTkdHCVsmtDAvi^g8r%<DYn_u#a}WV@uEq@!01 zBylB`@b4aG8*Uhrc4OT4F296m*M(yorrSm<RKKDY9-`kHy-4x9MsiKs;;OKLAKQ<~ zs~Gn$n?Kre+x*8WElTNdCxNO^VYuGp(cuB#y<!I^Y&S7?RKKr%>iker-kkGUhcdDk z^jX%-DNZIDn=L-ki5so7=ymv{`PW|TLA^~@Ia;5%wye3{N;@>jqwsVXuj+y(bJ@o3 z^K}{>lJRJU)KhR%twJ}Iq-|I1@z6ka^57%C>jq9)Bi)o7xT(|;Zo<(CuYxLr%puiK z0B;-z@6bo#oOo<AyfJEsmCGq<dtf*BIXL^UkT7^7YeeP&0UulgWEgluR3ED>p@gLX z0wTX9C^*}Acux&`LV%x%kRcbLKpKXkWXME7<AzVs`2UPOVUKeE-XmTIog!dPZJ4=8 zxN(Rh;smdNV+qo~B`6({Qz^=9zvL^d0`Xl^o9EOu*#x(EdlNQsisqg=m-6u7(6hM) zgpi&f^K<Vw4QG22-#VA>IsL#%=CRkuFejWYySk?S-XJZeFOp6$c{(<z&vXBcPx~H6 z*x$Gt-NUx{Rxy89M8MjZvX^^JDwt)k9ukYWqFhwfQvIyrX5mTl)1@I{QEzpV3s)~e z``*w;g&2(e*t<HEHn8V%af+To#M7a;y%FAxeGe`Mw|+lV|7HJ7gAJWAhfCU86t+*8 zFc36!&qi;YP4SJ!^S7#Z?9X&q6(-?%cX`+KnKlnj6+dyFY@^%X(7kT_baff?jlGjN ztW(M#GgJ4P1#UDCTaQdlOlcQ6wqTG{;Gd#A-)yI1W-IbP5)!|%Z%Z+;zf3@|_yaBn z6b;ocnp&ijHDyEs!o~E6%Z=pUTjvIIgIN5WBUnTqe4{VwgX)UT!8fW3oAVvx$o44u ztCo0{uCNy75=T}t2QSFun)CbNjc`-JDLb!h=Vpb66&)DNIi<Q@=FM%%-`tdo+&i^W zoB4YthOI<fNTGJuZ4bN`Bv&{=awRP}R}+W8g7=pr7Z+0zIr7BB#NXM7je#5H$$v0f zi44ft<R&Nfl^*NaDD`nhKaaa7K<#*O!GV)$Tl;JCZw>0aYzdOekU<XSwN9aV+@4bq zD%Q~b$>WUAxPsGn4~%=h>)lNq=hhJ8q=oZ0Z<|$e%84}Nkzw-m8O;}N8XSmMKNocR z>yJ}&$`6Zgvhi4$vLo#45Xo#nZB3-yG-TByee;S;+2?OF^#*F2ZXQVAQet63eRh9~ z$J7J4D#hv{*C$*!*}Uyw&Z0-X<qc~B-q-ulCp=!Lar0-*7oT|XlTqWB6Mr_!`)vvO zd1zd4y1mVLorX^un`87_cu1C8_{}TQQx=PLtasdO8zkc`T_5tMb4=AdBQf<$Tb~=p zE3kAVbKKj^>K4y&+qiqz?j+vk<vTwd&!5+FU|h$}ZMC!H&%K~g41!;lCERQLiGO@} z!P+q0)$@H)*BorisdLAV)yy@|ub5t#NZGg5eC`#6qe&7^v-c{s#zmzxeM(HOopmi! zOKa8_vl(W-l-Fhxf8LL8NX-j%BE~1!Y2QdgyjLz&I@>pQ*8A7HBp+3n(vKe~U$x{= z#n>P3^>*}qw$U6YZB}$bJK5Kdx{tGH{yu-M-kDXWgC0(kT$JLv=Ka+wK+x_k95jo~ zm`2ISO1p3%RXk-NU`&f9ntxw;;Dysx=3$9-#%`at2Boby{89bP33+Q$OK1C!l68J# zVwdJAxf0ZWmag}U|G2%>ry0$VRtH}%A@uWM<+8TfV<YNAtt^7?l=lq$L1q4{94VHi zQcwb{Do}XZ3G?rG+K5wh$q4@rD@|-250OJgUfLD@K?7J@jz<--f>H9Lr*Yu1?l>Nl z2|c*1yqX*T-+sV(z*BAfCv&D_FEk4lr6M=~PnFON@jtIa#j$m$IIKg##!8PAH0_hl zv-eR_Nwd4TXL+k!PI&LKj)#-ZOg~1Lpq16*zrkTN?RdLaaP6g}K=E2X=gf0z;xAp2 zw})BH;hpsjk$$=}m9koM{=<#cMKtg7tM4;SgWg+sKTC}+arq(R6;*R&U&_48PiziP zdYAEt-urcx`s=y|`$)}MH%}F$RIUuDZ1SyGV%%Xo<mKLNTSW7C{d(o`U0q^vXQi4L zQYq?l-r6rvkqAPK)~VhvN!X#b?#;dE)3bgoC*IS!(U4^5*E-~o@p-rJ$^dWP{iUOJ z6=Zg)WsWz=F=(JJDP`aBpQ4~|GdF6|(aG*_pY8oVeKv`H&*rCJ<oAZfc`j>X^Q_#6 z9nJ9uH)-8>Ndb!w4egrn(OJ!Kz*FvQad+tj)-v01d#Jm|ueptS;>R)`mhX@v8x)64 zS${<DvR~9(w9jdL@P((Io^g5`{q$P56li~`KXmd=dq(i6fXiR6=J~6i)nBCdB31mk zYmGsfjQJPiIcsmWNrc`}9(_7-i~aHa_{?p!=eN(cd=@&T<GID{OYL*lrbRvp(KypP zeHK+c>E517$*Bd26EY+|q!In@=Bh4uMLR1uD!NpuG5e`?cks*@v9sb~1FKFQ<T3{~ z>9lEU=}xJXlE-giH0<o2>~YKS!sPKi_n-USx=he^Y}~NEY@qh~C#_EQhNC6Tua-uQ z(r`x4h>617P6%^_zlS-<%>OmaVf#IrN|IQ%k8Q{ZR`K_9X2mv?yY^7NFUqWPShkvV z`1+jRBFJBcm?%-qf=I_g{r|&A_gDG<-$XioNQJk<h!9wLC<SA8vZOg`iW(Og7U^eA z{o7y+iw5kiGOS%Bs)Mx~FR6j5{ffVT3TdbtRtYER2)C_dq@_dB<zb%=Wk}2MH|)}n zT8N2D{x60{SOzqwjm>wfjCpmK+M&@+{nY0ivp8w$O1i|Y10LfNl{d)y4vjaw-reXI zmNo{zpWZ0V+=1WY_Fm`y(L_|kbDU$N&%(P~>}{^@-?{awe7@;jrI0|Xd#&EQYsV{3 zEUom{8``+ZF*ab8)hHD->fGM0xw9&}gLO7-oW)G2Va^PHxj;3&g<PPwQFqmxfkc*V zO}9pjL$mtWXo>rNVzI=0=WXc)_Zo0Wb?>gtH4Z&%?U>$Hs!7w*qT(yo&L*sh_Z$dy z8MSa--h$U%CjAeUwgxABFOjQ!ia4&fEMk#Y%ypDZKVi8sRyieHMeSJUEwP=6JL6X` z|LD}(9-#Pb+6VRgrMCDCDSrqL^Ti?EN?-L~<o?AK|0*nv*rzQ@FF+^#+9@3^ftUZ4 zC&IohsxjhB4nGD~(8IgB6Ht>8XYzP0RHH}@o(2E?iLhVKE1~AY-ALlKC2^;G4eWeo zeUz0MXW?P^Jo<A?cm1YDzqMx`Zdjz;m$}k$WB`Q?O34gyBw{Gnf5(%S6Xi3Vc+%s1 zY|}>hCR1J<aEMFKPm+B8C1?LNs@V>;<H4U^pViDNUyf&e3H*?d<)?Rf?Y9+@K?{8E zjcKBvdDK%o(O2AXwS?}>h$b6{fUU0=GQO>=YP*!Uaph$X!*46o9zTpsBx!7Tw@c-X z+MJg=+K!~ieQP;K7&I|mHDBC*?XlH%k9xd%Qm=CUzb!ep{Aj*Or~YlWtHKX@8RyJ; z+*)8M($#eGVw{sgZNen6@^6B+idM@nH=YZVI#PQ0UeLr-AHJQQc>2Kdn7InezN|5P zxN_T#pr9$fn+nWbdzadY$OLs2MV|4Q^g+`yDy&(-BHZ?cDre-2^%~q#599+=Zv6RE zo+h}1{T^R}ncYnD3+MlH{ki#IbI6{aIeA5v<-8X67EdW<w0fidC*YX>><zV#S1s7_ zO<UyS(hKT7%Cll-#`U!`$V{-(-I;A;+j&Co!OTkUD}^d7N57r@9`xGMz`|SOZ$u8S zRhYygg=Lp^W&UfbQTS=3(s?oNW{>|-&fmu;x?JDMxw+-h8CDyu#&26SmM?#jc>2?> zH}(}ZZxZji*!LuH$vEz`-1h3z&VZciiH?ttJq-&ipM5HM2S5Mu1;$<fjb0jUeDz%M z;XjURUtD&`zkAI3t?s||vS$|rR_|EB;xoVF{JIojiOb7m1GBmK1HRtYcrrQe=Gt>y z@%_H1Zckg-#KaA38?Yl%5}RQY;}2lv@CB63ifBFN2i)3)KIq8F#;VQ7%p}Fiuprhz z0^u-bLvA>Soe`LkV6zdNtcLu+Mi_9M*T@_+=Vojc1uV7UvMh$cf#yG_!nfGTSzeyL zMk*$OGdEAl-MAbhI{<qiA@5Irsj|})wp8ISoWG&qNZACJ|3%wWwtl^Ea_6dk4zmuH zzREzhe94|~YxXSn{N&L-ckz<9n@-K<HP3pp(k(|$_qGW~%i>v^t&Z=ovX7Cloy7b@ z_j`io;^%+L_&LRotlBRSs^<RqL;MCkuix_dJtCi$p15-RaZQcBgUGQRHcSz!5kijD z%hvv_o-cgyp4XRef=9kaaW#C_kO-=NbZ|2B+C~Sx?RMo8POF-j?x>IEdG>ME&5+CM zKOD($a}?TclRY;_>POOS38Se3_P6$>uI*oUVQ~XbTtwqc8_klQSlcJ<mp4D)xU=x> d(GLrM<z_T#8M)aCJFZ=#RWrRx{`{o`BLD#D-)aB= literal 0 HcmV?d00001 diff --git a/venv/Scripts/_msi.pyd b/venv/Scripts/_msi.pyd new file mode 100644 index 0000000000000000000000000000000000000000..8d49e7b5c4a5733306e8cf157261b486beaaa75f GIT binary patch literal 33432 zcmeHw30zdw`}Z9f5Cs7h+?NqSaRKfuz|6p~2&14NBOth-I4}b<#O5ptriPBFIFe>& zR%V(@X4cP2O;ZcS1x?M;%2JEUbQCHw7b<h!@45F53}(yk|NfWH=Y9Xz&i<U|Jm)#j z^PF>@dxuh|uA*EiisB>K?G&{SDS6_U_-`T}MR^Z;*PGhi`OM&byp%J8Gj)2SpxjVa zXi%33^3|oKWhOzMR$wrf3iPFd#Iy`SNts3)+O=z!Ko0elmv5&&SO5G#M_6^B^T4N3 zUcU8(K`$`rbA#3~=}Uvy`VCCFZ429ebJGihRx|xy82B^NZCh3|@Y}XL&!yUdr2n=p z>zH!7K3_-1a?DJnq^K008}+ZQ;%Sb$M#^QdC(qlP8ikr@wzh8wQeT8PrtHh)T`0<( zDYmE7DpY`(eSfDY7b*@MLMPI%EoF<V(kUtlwHJ}{0Y#Ogz6*il9vwxk>x+C9+A&Dg z1d7UZv^^rdi1s+=dK4}aynph9nzR)rwA~$nh|ovoN`%1a5m403P=iKoQd88T{%D9p zAe^HSoSrzegtB1NRSz`GL?Da-P0mjoMb(8GjD~zvGIPb8DKCVFCI+~;P=mI(41i?r zga?!ZFS3p&j-p08^8cIu$2c&_+H7g=y$MU^D?V1EykDzqR@wbEag?v(1F+s4w5cMV z^3{2brhM(R-G4g@mZKixI&12E@fq9FJ``pBZhC#K(xzg27Ne)7)f@eGlYXNf-7k&n zXPsoTp3177<x*hfSq{4tRM(mBj6D0%FB8-4{yW*BtStn&-Cqa97}R=Pd}fBthwFd( zH0Ymh4_b%D)68QJTHlr@6==6Ay|V0P->y~QkjifMu=`&oxLPbny(|yxW*@u%76!MU z)z^BwrrV6^^(-nTM*nPdwwt|}o;Cv6ik?yPeN7#Do~Y@Ti=Gd`H~s^75C@u?Ihy#@ zciRzr{edLlCzEl|bCv7$r!!&Ufq&IM!!NFLo;}0AEL{>-QI|rN(!YhEIR_D_{@9dY zJyko4x11NhxX%2`$g@$YUh{`q%^ucMBX2F|)h6?nC3@S@^fMNdEQ;kQe;=_(U~qel zxb6@9wkrLq>rAq?S?VT};rV%#FT|i6Qekbd9PM3w((GnwuureI@W2dfJb$7!uD2bO z@x^scD~S19mA+Zoz?fs5?_r<grz<AtTGj37APK(Jcg>x0fe+MJ$MEmP5tHO$4zrhg zZ88x-E+?~x0_Yg2^s=~<LC5g39E0XE6VXwaV3ys#fq~+yYL^C}0%W%`^Y>!rpX)qh z&}V5*YS%vyn_->qm6Z)*izpqD*&^2>s)&dEfU2rd9tC%@Ym{|%e-*o+5A3F%waNw+ zMomEtG^ii4naJkOz<j2$iu$F$Ls9oZQ7?m{$$+q%kJc*pWuTNpkfqjHl?|50VOa$= zJQjtn3It?x3X^)DX#Sbp8PjYlIdqJCENo76r6}hqc-7V(y>GWqtgUSziEbm9he3)N zu7E_-Fl#jdu*Pwmc7eTM*u0Bl^FwxK5I3HcK`5@v$U0Gd8VK+_A-;Q}`W*6cqkSmr zM<=Q;BM)9tC#o;D<u0`48j&MHc%u3$mn*2LZbo)l^$&=b^RgG$nWC)<6Btsf38bQP zO#J9DvzztS$e+ff+ds3OTkZk~50;Xq#)S{alKWV4UBF<5y4q-O>u0r7d9^PPDwey9 zX0+q{!e3dy2mn^!T@aBqv9|h$2X?#4rVpa1+S(s}x7&{|4kuL<?90dxx&EDMpMWCC z7)5FdE!flu4%I$Gpg}l+9{JJ6Z&0_ax&?(*oZ@w1;ESkQhD|D+pgUx^u^XaYB&s5j zibMhuHR3p<J4d2AM77EmoiE_AViXYzm^(?e-8|B6ZrQYj=)zTQkvLrt*Fhv$F`Lta z6*G2u#dl@p9t(=C13U;bw*(S?SmPiZb>K9F;~+_Nw+S}ME@$yr0CBJCfss}*WFsn~ z?0ZNr`ySFM+kW11R8U>#v$%?&WMpYfRJq5zP0l?aw_X^SD0iJ{DoT8NM*(=JQ| zWZNkw$5Ow)J4-z)imlu%i72*p_Hvr+at_=wzm;MbW1_*Lhq=?%6?UnOPib6Nog{%Z zE1bMP5;(v?7Q_70PGo^>MkN`{wqLuk<U8$Nto?>fw$H{Ez{gCoPK+TZDa!7@4kcJi zXJf?fmkXOOc5>F|3>c%IPE-fC+U@7iP<v<;a&~_S`dcqnU-GGb85&@DQ0lYtTOjsX zyccopnBOd|={`$ulA66$tNLP^fz|Vn=#t2k!!PR)w;w0kI1|oILZ|ynFmDG~#b1J5 z$H|tQPju`45)4w$g6;fEu;(~1>+z6jI2-vaUWD0MY<yEzNL*KnG6iSp8k`XPQ9UL* z##!bB#x1>*bO;?_`~DKFivw)(UxIz>!%nV<mtpt!C5sl`A8{?SpsLzxvYM(4DA=b8 zvRdX5R;DEm>Q9bU5D{xD2b|4-S!;<X9Oug@AS5!C?Yx{ULWpHltEmg*ncMk^hC%+t zXQtWGIf7Qr>P`8+kFXBm8bWFx+(dYM=5b+@|Ag4}FZBV&ptH4M#`GJmu&A7FFeYIJ zXBwQ&5(E)*p75}jL!ELkbueik5-^E_L;J*9<$aazGFcRy8o6E13j>X?Dn0Dx`%GuD z5DKun%G_7i{HXOKV%v_Ll$dz{|H9^-;NV01ZDxzz&Kw$Q_v9cuQP(>W)SalFjKW5M zJJDf=;bRS61EiKYzB6Eu1=3Yz-$Rhu=U|G#gi1y###tGdTD}td7dg=o*&t_VoL9{~ z?fzAObfBHp5pC8(2*HV7)&|?^-|Tirk65mUeGj1*=NEGLCmW9kOH<TwQy0{>%aZj( zF1ZJE;`+5OvD5lQ0|&<Pur^G;5rn~*Wqo*60dHycAS+g@Y*pz3!8NB<BgZK|;SiRM zS-e(e@se1~o|whyUvZ29fHU&8#bV{f8NcKo;SX%bU;OXkPy9#t{o3(+{SE#s-Nig& zuWg8}KiU1yp(_?00<en7d4NNnSQ=sna0ITeDfgJ+e1l-*l@G_lL-Oi{ZJd)=Kjs)f zk74B17X?5&%d5}gSZpx0)uc&fJq|IwkJUuNCl$5T9wf2vAs88<oeWY~p;g%TkWTG} ztcAmp^-pkEYYAq{FL6Fgw}T>|y$gK>U`1f{{Xt0fkkQ+;-yz7eyRaI?-kReurw+Gf z2Ur>h#?lA&%>&Jxyc2drwRDj86OMkp9O!oeKG$KQSY`gLv(wNMbt-ObZWm(hFVUIv z9Gum@7xR!JEI`Oc_!t4sD9!>u%JlxdRqkkQ8GFgtL!v#zXnKHfC?!#yr|z+;LrkK> ziaM)~!`?Ca)0zbZg;~{*X|<bG;PP2aR>!JrwI=cJ#gluRuW1D2^B_hd<_Q2xQK<q2 zxJOY%105!K6aboJQC-&~HK(J;Mr0V1M%)5j?EXhlhIprNJ+q2j9bHqH7Lyld@xfiY zeMXxFXj>9u5||r}>0udQfZGg~lf9x?q>Q~X1FN%1Y1@SWKapw3g0n_^m*L62u^o6q zwwmEq<^3o(A|<Bag%y0F!>0Z$K}QKR?R55H2(p%YV47LX8fCW6?)y7`Hal(xgdReK zV}0Y$SK$hMHTyc#PZ-24`}06aidk0keJA7cXw%}|ZdynmVqHku#y+wibM{qd`vV(T z+f58RA&=X6X?Au*0)5&^Y5l(^rGvb3`$=m@nuzER#?m;Jq#wH^{G^ALgv=33!BEX^ zIf?C5Pr3aUTaJ@Fsn{;;{)ax!>(RzS2mi45B_;nsjM5xSYi6mCwo`HbXO;@xMh&`! z?;`O-y94plc)(BN!)Q3WLy(z)0X6X+*25(4L~m~=dd<N8m-NCEWd4y}W)sI~U>pv# z#NG(nDIVNLaXv#ai65pom7F<1a@UEDEsYRaljK1XvcL?#yogBEDsQWFRpWr<A#=2X zHAh(LC`+rr6k%!QnS_?s!KP7`Ru|JSOKX5Bz|!h!8enN1V(M*a<(qm~S_4hq`?Jx} z_V_K9ueGW7C#vk`+jjq%?NgY+HR^nsO<6$Vho|rlnBJ~FWIpV9bxp^az=*Kg18*bD zvlnQvw&1AeB|d4p_!DOo{u6X2TXzS}Bb|;BpA}>jW(Dj%i;uyGWLd*cqpparTQ{EE zGd?YH)$QVPF1n*!j?!J^ay(r#mlNoy6sCveXcGKrery4Lg<vjc*F|$VN|(~sI+M$} z=uB*mba&M)<Er_(^<2(Pw~NcU>*}~%C*1`u=b>w1bEJD`9Y2*NzKgCum-Ey~xg1ZI z$>m&h8ZPImD`#`0J6|`Ct9H{Z<8to0bzH8KZabIr(Cy=LoplXtj&%3bUF530bT%&6 zRoBYpymej^SlWDa{ka^x_H2%H@2-pHs(a{?xEyv--DKqL{>!j9mZO22$!&fH1l~`j z(=kB)YnT=<oYU)Z@2j^55m$^oh&Yt&LBtVb5AtB*U;x^Ki0<2ih{du8`7$w)IKVJ5 zF&*g3#1ba<V`6f`w+9jZum>eEaU2r|GO>V(`!g{yT=t+*OiWCvJt&2V$yR3%n#{yG zOiZ>1dr&b$n~sS!OiY}sppc1)cNM*un0QX@LBw5X4?4&6B@$~7YGC4{OkBsr2bp*u z6Ypf=?M$p=;&n_+*k%vf$i%Cdcm)$LW8%e3T*bumn7EvYixEe4CGT)<nO$zx-@0Li zPBE6%%VMKUVvCJu5|F4HiQL3>aZR*s2mC-yZnnipeD>Bg4PyN59=6^vLQ|T2E%SXT zpJ(dOqO!R_6Q@i+;zbqt>U`5FUt1xrT}71bb99}u80V{xh~Xl>p=HW%-{viwe%+$I zPgxX4Ar+KQ^#Qb=a3clap=@sG1rKVf?GRr5*_OkRVtW;l&W1_ot|GGS!hLnh6d0i4 zw%36azye((X}wHZS1_$CLUI=sUBZATl=tENwA;v)dhsQ5f~}mKlv^w@lxa|wtp|?0 zAk^dsQ(feO*Dclv>sh=1MWC~PYIoCV$=xNc$!GcW>vr?Ewo(EPv9%ooh4n?9Y{P-< zbdi^iCX+8h<tEalx^96wX*0>$E?@%7lvmrQ?P8u_TMpW7d)*M(J>e$`V%Xsz6b@~$ z5Tw`!kkJ_G2o2qAv(e3NzG|}(?h-0uIVv^-@HCb{MX0z6l-BuP@XPwh6oiH+I*IFU zc!R@)2w)=a7mMA+<Yt}j+oZIH<5j6IvM}LpHOi|^{WI`d%cGqO)|MLc)#|%Gi;sXX zrp<N$9+9@{*V?N0;(EqZTkJfu1o&vYK)^gUpgx1V%d#y($4z9s8f7Dlf-h5RZQvL_ zsj=E_a<kZ7%~RQNGTO&6jb#Z1R@X62k$<4EDbSkQY~@X~)4DH)WAPj>!fZFeX1o-t zw`y(TyO;^bX6tbq4~!zG3~VKYBr<=(=N{;b*>kV;SV@>cWE`N=ZxB~AGM4#XJhPjv z657;0)LaM}9P}J4*3dtZC_j0JmxPS2GoPxn`^O=xvinCPVGcP9n*)KRsFy7Sx&x-T z6}e0~GkkM-0l3t)n8f}%5)aUjID96F6*-6tR`@StlCJZZWWZ!5am!?qAQh8@q##+p z(ya=KRY`3&F)4p@1=3oj$L7VP%)A*n;Z_G>;o)7xCepZh9!e+N$`KQ~Pq>+wR-&*~ zT&{>e`LR0cMAc%HiN3LAD`ReIQrucmKHNxIyYgp(WR!J$u-W!CxWt|BiaczjAIFCN zEE|SGs0kaasUH8`Y#=Xw{=LbA$eLwj{_Nb`+UK^gS-{RG3u5*^G#~Ox>#yenIi_ZJ zAtv3-w`jd6l)Yzn!h7+g8l@MKxXom-xrKGimDrIc0NsznO_N+Fm0m`Fr0^tIC;3{v zme+VyFGIJc%Pd!Z1R30lTblhW+S?RP$QErYaTW$c4RAvjD{ljr-G3B{LXx4`4EyPT zgaK;7!B?zo7UOoyTo716%gTO#!nL>q??DmmQ6HN4)o0B^ZL4ANtqoBhnmg@JLt~RS zYP)ppHkP6eH~M-u)G#7?@1xurMmA><E5K-UcZ-6U0?OQ((b_<a3zI+;TDJ<j6fO;@ zsb})GQ;Zefw+{97`!<r;_9GcKiEr`X*Cg?6*BvDnl*kZ_qs!VLR(e>z9(2Be5qqZ2 z(m1F{FlA%|E+^+3#BS6~&NQHGP4yy>wiJw}vK?f`1S+&-S(Bn&8+_i0_p6=Q+w~kW z?vJ$uyWWcW)YJ#PqQ-d{x>!ehxQ_OUYA|?Njs!=2YQD+5i?$wV`sKzPpkfh0IEU^} zok~#!G7ocq2J1o@`TEK1v(FRTMu9B8x0%0-H@#kj_ve~T<Q!0+WqS|15xNT4iuW48 z0jrAN#E&{>0@JLgT72I0#!lTLg70q^Z$`bXmhI5Vb{!_Uskf~XWtHs)V(jQ9S5aNP z?Hd$!@#=AcIEO(N*G<7equ!PQQt_&kff&o?JK5rqY5E?(wn*e`B19-)Mz$bk9CIIL zMHy?J>PPk=$1a1tzQ5hv+omTYPXTXlV~+*}Ub^j=gRPuY*V}F~SbP>6krIMFBh@!P zLX0si^F1hYr{iv?(Sc{{MRxMn&;la)gh#dwY@rMKttb7OZV>j7j?G?GiaPY7Or3V| zZY;wr;qCCimmO}F2R!o=HXTdLQ0ztlEIs4|L5@5=y4{4lV{FkhMpV}{o{^qf^X+U% z(EEgXMvU-s-yuddM6X(*T3feneV_DaE6|0l%RTN!sNrFOh=vxq*|M?Xr;9vv<>V}} z4knCf`#x4YFi$wdrf<TRZ@vr3_kg~Pn567y#bg;I!`B=G+1yXsMjlp8w5hO#lM@?m zw-tfZyusY|yNlN}$f|6%QsR>fr9fNfv*xh%FxjLz08yPyjlr1(%>)22_*4<DcNW*} zC$hGbWoVUxtN~?muYx5rcPEF85#SI>0|=+4aEy28o*Us3)DHmX8!WAMb0=Fh&^LLq z%q~HG%DszI`qkY#H$>^tuA)#|H^M(gb4fq<={M2=3_R?*Ky4Xm!XlHwYoPoro{LG- z>-ROHE13(s*=Jz4j|Ds?#cp#&uC~MA`w4#FX>5qK%zj)1<tWC<2`7r0>J?yPP3<xg zKeL#`FIJIw&pZ+zsz6+@;+ZW>QoD{xUNkXDbvcu4EoPF}bx78)tX_}As^r&HuR*4k zWHuthej!0l0M@wsMXH+WRZQ!4LdiE+4D<joCzRW9M2$P4+zE=Q8s%=gfB!i09=>+6 z{obWo<#q@hJA=NLAY>2f*<%oKjIie*$g&qs;vSgvX<(Q#t!-~eEK00Z9wfsViQpZD zH{~EY^#=O8O59J}ecn+vH@OydnM}IigCugs@<S^aDQPodBb-gxfOZqs-BM}tp6zAX zZ^NjR$ra`THb?h!1TpN1z(N*?m|SY1G~Za#Xb!Se__~@0S>yZ^0=K98nEELOlf+LE zK$5NsD(*SZgpZ1j@G09wP<+}FbdE@4eMZ)M6!hl+iK2cs_Q|%!;Aq>$`XOh7KC>L> zNBwNLftT9^)`P&3=<i^i+%u<jzeQ5M8hbdIj5RUPx28DIw-#Y!BVNlh;*O0}d`wlN zwb{+B*q%AfBFm#}(QGFDZq-{;TQt}X@l44juiC$xKJgaegWU`>iL)#DxJ`EwCu$uv z69(aHtT|58)9c%K#i$6wHMsA(lH;<tZs9KjrIatR-N0lCx<GhhX%5T~UrOjaz!!Lm zy4YeN=)?nGOfYI&a51rTB~32klUdm{14y6R`Ij?%Ubg-`t)^4W9DYrjhxlYoHclm% zt@E$KjxD@bYSI>4m9}twsWutYvML+H$7)N>kUH$zY}eZ9mup-x`5GhN^Mof%;dqal z3@>v6umrWl+I<vt?mWsgL^0Fdg);S5l#|3?p>lVnOx~zO(g~HWl)0N#aS=3GKIGLf znI?CxV*YI$g+R~!d7`3Dlf@_hFfKc!b$a8ydJ2;^d0Reo;c&QGr?=$Jc$Fd+tbm<A z|AZTvI{+!vQy!)XB=I$k6`%CsovTqc*Gy_5mNT`*(&%n!bvK7@B5boXc(5HIhSX+K zbGKe#>TYQeu+^|OY_+(K(Kj#%3M6y$10-1}dr(yz^dM+46E9=pRZMJS;#MYZX5vOB zzRbj1nD{CauV>;GCSJ$H+nIPL6YpZ;b4+}JiFY&cJ|;fM#C1%3l!+Ud_%stIF>xXj z$1!m<6HA$x91rb5G!v5pq&+B@i36Efz{LHTxHl6Mivi_#{tvdq9yAa2VAKCT3<tX4 z69jJrTwkhSAgV~ECWoTZ5n>R65xfv?;p_Oz2*(k2BCJA~hoD0khY*Uu&!VUR1R5a* zVKM@FZcf6t=m-r6<XOPgR{-zFlYtxIJ_31yr?BZVq$Vyu6X|M%4G23Censdx6`mi2 zaR`$UN)aj$-b33(1oBKqIsu^wL4=TqFb{z|axQ%qbH<^v>KO!lQ&fd-;;SkV{1A2^ zq#`_yFdN}Hglz~k!XSiK5H=#f$X3lqSck9y;U$DM2u1|3rHYKV8qWP)nB!W6#Rxit z6a+bf0HF)QUBFyJs3WilFC%=4umGVLAsrzOVH84N1Q!Gwc=;*95rpjsYZ1spOf#GN z`<UGRiB|wW+{o7&jr!6;!LZUYfm)+6pg2r`*jx<8l$lL}vI0SgwxrBZNq*2_HtRKo z+EOxtsid44$Y@fV%$T@ducr#Nrc(UMAYYva(~bUmKqQyuml+J&d=s#m%!X2dsj^%v z2r>!^3}q#PhkH<zF-<-uAvwXIRl_rZr>!8+R+IycQJ@wS>y5yUpHQexIzg$rL@O|r zl?jT=N(&*EkTLWTXbpxkgCIyl;EbT}&+w25n#|?JTB9Jptkk5|mlAfE=9CGHCIhnQ z%HYGawFY%Dix+k3e8M_`Mq8@al0gd0rTHd(S*f5vtuIE6zI3*_Sg#RqKa*%H>(r&1 zV$96ZPWVSA>L{11@lzVDNozn|S-G|iUp~VT2X@@zN*^mNn^WqTX9d8iWcgUFDH+>m zA=918FEbZw1mrh4nA&Wufvf>mLnA2AYtdjT6X@H3nZ6m!lqtPgo}o2y1wxyntW}qg zarAo9-aZgU9YZiCl$lG(!gMGH4;O^Qkb$~n8`R}SL8?)o&QQ?-iu7qi*q#q&DE$iz z&VAYlMt?T%)ZNHT?GZF^y__f9mS_8qLSKf231y|)hcUFlV%}_?Wl~$7!%+aKAfozL zh#ZqaUq_bU<nkOMeW~f6;7BOestt+EPkE@e{GYEy8wgq7+!CWclwBlBPh?7EfG8SF zu#?o7<P>FQa;nl{Bv@O)Xc42>L>KgFL_XR(nM;l4^71l+NeiI^6dA)At5ZH0HmO{% zVP*&gGCT1*!(39LHdH2;7L+-4cnFt61fB6eV%Cqw<>>58yi-1yA?Ojzcf!^-X_eMs zBxZ_BSsFSDkaIT<n&Z7wi=jkK%nFqzS5|2A&5W(!assuX&|IP|H3>@0M&@^SYEHq) z8jy8MC@VIXloF1SHAyYg=nKdivKc3X%9(|-ydqdwigJv^rNN9%GAao5kC=UyUOUIp zgIQOnQ6DO^Twq0}U6DEx3i`%qP5C-U`shAnPzM+{AIH3c$xjYPu~YgJayd>U6qgx^ zFf!?%kK+Ji^@5CyK1O*OtTS6+c>Sm~YlEOD2XwG;RxvBxzypT2vw<jUp4zB&K!UEa zk`g`EgH0bLLXJKTNQU2!pyW^LgU#jGpR|nJKbk14%_Gq{^Q@y(Gu%qzb~#R-9b^)| z>E)>z$z+c0m3le5-*YC1nuKG9;{?#2XXnq_ai{$pI1BRi?DiOpqX#jvqlmRNwk<wD z82-19*s&bU^br&ks|(pqn!FAx(~(-N2eTJDsQveFJ=~YrT0$R~k~lg|rJRtPkgkl+ zR3;{;D-$yRSl<!W0p$#b?uls=Ql>c9Wv0hZ$cXQVPZgh;kVMQm89N~@C3(V_wA=~t zsmcs)3`bq&6jfVYYFc9Qm?^m#O67P4KUYpyj!9Q$B(d}0>XIj9DAO?mXShkKM9i&Y zU3^AH^4JL->(Z5~l=uV!2--M&smk=R46R%_QHh=CAzbX3xtYpTRa$y{I?DqNJ}W*Y znH{|yr=u=+f)Z!zN7Ro=R;DC&q^+$_8v&~1#N33mM5QVo1mYp(%;ZdPmd$5O8a<9I zCaI5~l$n&4&eo4tPRUM7Ph|Mb;z&(ZPRML4lWC-I{37is@fn%U{nM3M6DFmORstP^ zo3yLalP5rWm@+F#xrzATq^&(8K1<2guyusygtSQ$$U>1Z2tm%}grxX%=W@JCMP!75 z%}^#xN>9!NmpMHL1C`|5jj~ggG<SF$zrA)rZ8XB-G=x|d#L<S=g_Ivc9op(1YQw#i z3P$G(XuH6*ZA9IF_?b!hR;96@D-cRy_b`k(l~y+@^IBxYPZ8!6MB6OaAZh3Vgp z>J+_;43i+w$(>VXcq~VfW6V({<eBxwnw&ZMQn4t9Ig*uY@)%0|5tBe3!lSVXnfUsM z{cSh%JMX{}=8i_ivA+oq)x*lG1H%bC=11|7hSGF?0q#rq#DXm+q-O?BPC$vG@a=_j z9d6kag%35H>XI2ae8J&d$G|mrs8ca;EgkC^xZ54-@L3L?R>ZiQQ=tqknG76W+%b*{ z$M4dyPVAV>@6-d06=Z7YLu9A|GQq+H&Ye3~lZWY1_a{2wP5FVz@ys~z-*Pxe-Be~A zzH?nB3kTmVOOF9?nJgT>hoPznjm*G-%)M(B>WJ+N)w0Bp-}twXGRt=nvQz`KnyeL9 zCnj~5QAd8W&(%pt-R?;gb=JMDE`rp-M@#A4P{+*`pMOyE;1LYXBR5+-xQa95k>A<} z(n3<zf;vHGz_4`;4W$0zhkQjt>dtYgqug~Qs|Swqg@@XodZ^vG|E^J#?}rEkucQA( zr~YaQJf8@pojhn_XgC7CfgNpOAIb+2>JX}iQq%`XIZIPssi9Q33+PR`><&tJ>39ea ziR@p_bkqO`sl)2WIn}kIP6N0Wr@rOzr}&{x<pj4Jbtcp$5**xf6#g50$VE+dg6j!O z2yY`*>{PcH(zOb8`<&`_pzbp2E;!YlLR~BBs+{VYQMUzkCZ{@YIGEO<?orSG`u6_c z^z9|E4z*BCaWO@%<|G~DLQck+Wvu%mo9gP4UY^eu#u&6(oMw755RP+nx(Y^B!gQq) zTyU%(gCjDz8FClQ(Up!f`w{MZO90}jCG1I`Yb@lE+Dv_kHnS|HEMHyhC{hJZEs15u zL|iKf7&Ts*K0%ox7O^7>sRW(cFab`&cxn=khmQIR7gc2%bNkFqRTq;#1oAUaRf%hw zxmcSUuhGB-l2BF(Um5&M!=d=2D@|HsZoHA5F!?Jss!E(Za?|qj&G0tD36bB95igIl z27Nx}9B(oiD7{;*s&Z1PJ|EXapx|;8^$tc%fe$fv3_O!0L-j<BvLZh>m2rTwC!6D> zcP_c|U~F@~iK1R}ZAVACX6rRtGE4ZnIjZ18;0O)pFlG_g26t52#X*f>mI9t#2OXKj zRg&9253;V*ZM3%Yh2<G&aP)~cGL+A1??r4Rb+^42D-a^=G~Boo$n`y6Th6!{C~bRB zj&Goz;oDvZd>P9RiV~xST?sO8c8c+(nhgD1E!7tz65dTHGbNY6y-NHPS`9np5U!0( zkgaLrgR7hXBtQUCwI*GeCK>DKi8100g}ExV!Klq7j#_MYm1r#$N3t>%MCIlhO`2Td zS<2NzqH{G`qsdTKnalc#lPEZ_jl>@vPUUKundY)ySc4=tA6IO6SF#e)aRi22ODLgP ztg(~<t3Df}rBk`M?`f!&6tI@&mse7~sN8(kb?_LKJIA0WPMKsXw+xqBY6!+K7)s0F zMWJ$wjauzv6xEw5AWKJ0r*ci&l5*TODXI@u!U{Sir9idb1eb3KC2P;;YO!7A8nwFI z0(~(WbBWgX!N_H$1^Pm>L7Q8u##wt#F1$dqnYj@xdN`fuwl!%>XX_1RrG)ns6~W@> zARxdM*gWBKARLV$b1a0v3gd7s4u>`sNVvwho*YeVr$L~_V9JG}0}=jA5Le2bW!C3E zhAzZ&K{&<ciYPKceJSyFtIPEvCB_h(Y(sz{1oP7xD=~ISNU<<P7{aZ<Lr_>^eVH@B zAKHn#-WlNGaqw5EOfX5#AP?ctY1QS<&D2)6Nu{i;XxelHCJ$4gD6Jbb<4>FYiH%Jl z#;BBdLdnYlYO!0Ug9nZ(YN2bgkt>uL#^9|7R#pWM8CkM1{E23*p%N}c#!Q#yvz{6Z z-t&*xp)7r!YBP02Xo&`WM`|+|{t}BEZ)~&K{dtLcBM|@=I7OdlfP<CjpOKp3N(=`p zEEy?~j3lB1b3tvQHqTs$Hw+FcPc!&UY6D)QkPRi9GLahANU{3{cB3&w3yJdl@AE&( z0rFMln|<C-bey>z=k3I@e8!i|dYdUKFbQwd2eWtLQOM6ks0(1r<;ZVAh(no=+3ZCA z0)lD?+kP2&FZ@{R9Ll8K5BY~Dy=)9{4rJliAb)|B1uVP``9S=TZX?QsJ{ox)LKWyC z_{x!g7~dBBoQeD+?Yod~K#22W`(Hr56@d<7%O3d6P$B{~lr3kH{6kMBeppTSWASN_ zUx%PVnb5NZ`HKj<xbjuxdn<us0NWmjd=A1)uB=0T3ql=N-i5pk;aq<f|83+S8lEa9 zJPTy;RUp3;p$cU(zum|;BJASYTahRHZo!}1Ani$*>%;g+Ifr}%%RMSCPv+xz%F&Pb zUC7hes~wiD`Rh1;IOY2q0t-c``15DG+5z|HF#m3g^E?6}KmQ%`2>vgg$41Ecf5$wQ z!T<H|^84@Lo!7$wy9#>N8)FgMbMa5cbnX{T<eKaJUn!5le?p6c?*DgFR|>8sDj04D zA^>qndn1KwqY8=B!=s3swfqtFWWAO>q8_d|YU3m7@vD=zzc~sJ?%`3SzQIv!OWFF1 zC^zEdFsiMdqNF(UZh;TX@eqHP(#=t7PorZiN{R*e_`!&`sEPn#C><cs;+qr=4vUI_ zNtt6pqyhNU1MjQU_<%&K2&mK=17c&kc8OLSjoOmD;z|J!lo}NQ_;^Kb%-3m4)W(n! zyl^TrmKB&naDkAkjU}P8g#m&Rb*a7pcaJRR(SS-Ih{j#fh!^<<W&aSHIDqMgo<<zK zamA?Q%BV4DXPGgIR--cLXXET#s5Q1VIybW~Wijm(?QCtapqRvp0JSl>bavTeT0?-q ztdD2DVo?MXsBu*Z2x~(V9rovgM2B@CDLSleZcO)Ra0DOb==1c&p!)Bp+X0-gks~5n zU0z<S&u7jf?R2$$NPs^ro2*d;JgybdLZKu)GDH|Ii3pL1^TR{b;RV_dnwDy`TCG?k zE}-W-&+HEv#Nk4*G*6}u3D?Mgp&(BaBGrmCA!?CCLW@M<1v0VvuQ5o}q5_drD-H=4 z=gC4O5{WP*Pc6$2(L~5J617Afp%qL28iTMPA~GUBG9pAuYlR^akysWY3(w07k%~2R zL4=0Zs3ZRdgH%fwM5=|Nki3FCF=nBahG0(NArfhUCY)9a!__jUSwx3D%-!g)4hz99 zr4!KKFC?P{?Q)CTou+J#5qBgL`HZT4387|%Dtx&WKSyoQI?(D&rgC{$7^h#MZTb}o zs=_i-lf$sg5n<UKaR$Ud^t91o9WXk?C+txKJYwD&Ew1hOj4R)vVbP8nQ#@w@+G%&# zgk*Fu5%DHY2Sose5{m+uPtg<ssSeu^%8?tIz&IH~;K71hqSzQfEW)FoHais&N|S#9 z<c}+pyJMLl-jJ_@ry-wQ5ETI<&|=PmevH>vW<r}`+9JXsG7%D?M3SFhAk-8D2#VFE zg=Tdj3+_<v=&(o6uf3k(1US_`dzjNLt`fvqR0frcSP8F427DfA_>;f6NGITahZit- z4)K3{Ks@-JC|Bx^>)N)Idre1?lOfp~oF6{yI1l(t6ufg(DOCt;da9Vx0&^)<K*5<p zHKG#_e~8%ePeSD}f0j6l>WBISz?5KrQUksc)TmK{TLX^@WfP@CdnqNr7-hg`qUHd? z00;p_Dx=J3)1bzLQ3)J*;_!!xd2Mtg0@g_7GxU{rfa{2#&_VE$y~^FGe-`Qtz|f9g zOodXB2sB_L;N{{mb2Tw=rJ$wQX%-#FNTgEmk32MQ3Hqg=Pa)HTj9!lU5-t{E&Tzmm zoatC6z!&HOO2lwdNQE#tA!rc%hj<l=et#U-c?=p5qd{XDXw!nbq2MD~t-tCigeOb} ze;rF5O$nJ%CP3<v|3N=8D+dO$=Bc1C6ugjAox!g(jz2`w2%jCYMoO&I<RT?&70Pf^ zLs*S`C-haJZy998j5(N`R;Z(#5qO$e|BmnvOM$ZtB%%)wnnmQ&K~cN(<37%4P9|E3 zj2l6BM|s7qm#Ees9(Q<YiKK-fh12(cpa0)EfP?;a9z}Jcd(r{)FglD@(NpPMx{!XJ zew98>e@x$@-GpJnSYfWPOjsjaCwyP{q40*VRTv~1A)-ZvqDs*g(W|0eqMt>rBD-ja zI9N=Jv&4nsrQ&zRr^TO%e-U?*^py;ijFV_3#ggTcm6B&Ay~E!OKNfyHygB@*@Vnu^ zg;No35nUpDB6>v(j0lU6L_|kuBNjziBc6-c5V1MpT*N04Uq&=Xv_`l@`bYMS42T>a znG~5GIW<xf`9$Q>$fqKAM!p%jKe9RU*T}w7xwJr9A~i@Wqzk0aNnes~mDWj*OHWI$ zOTU-?EcKT8$@<FDWRqmmWV2=SWQ$}k$~Mbhl^vCxlAV+ND7zyYAdi!em8Z(p@_F(q z`C|Dp`3m`cxqsAvsHmvXQB$JwqAH>mM=g(96}2(y-Kfu_Zbl7^mPIE;mqkAt{d)AJ z=;r93qkR;;72%3xg-TJTs8BqkcvZ1W@uA|P;*O$ojBiXpOmGYxBacanDT=9yc|PWR z%(a+au_3XN*tpoqvD0I<u}foLjD07zF7|xv=doYM-Y1)-0Pm*BMoIH&588_^r<c*Y z=>7B;^l!AQ&`a1~7$F=l%n;@X)k3|{DqJtzEZieJDm){+BD^O2UU*CRtI$t0TqG2! zL^+~-(G#L-kyZ4JXtU@8(FM^hQ5UhVxTjbk4i)E$b>d2KmAG15E8Z?XD6SV@5;u!~ z7JEwkB%zYgk|fCl$z(~9#41@Y*(^CAIVx$C+?M<*p~Aa__Y02=PYT~0{!aLz@cQsG z;a`P!j_4jSEFvZ%F=AXqW<*}Z(umrKO%dB8-ikOFaU3iAMa1=ppCW#XaEtVb>=QXO zl8%%|CPq$(oE)i*EQ_p+v_#fMJ{!3u@{P!Skw+p=M}8XlZRGcn_ab>xPpQ8&Ksrh) zmBvWNNGD1sOZCz+sag8CbfI*qv{w2wxB9P1-;};1JtVD{o|Jwl{X}|6`ZXsDzew#; zH<_obo2-{?fNY3txGYQ-E{l@I%f`x5Wf`(5vRs)~_LyvzY>sTc%p$9it&}|@dqK8I z_KNIv+1s-HviD`jWFN?Ad5&B!UoKxM-!6Y${w}129~BZ685JLu5%pNq+fm1&ZbZ36 zPl+yxULCzHdOsw@U6H6rRZLdoDxOeOE3AsA6wfMNRBTbarg%%SUs0zxp*XAfRPm+a zn&Ot?Hw6{r4yoxIGXgR*E+!*pNz96v)iLX0HpFa+c`fFxnEf$zF(+cq#(WZUCFZ-B z?_*kHevfgD?Hb!Fc0_DgY*uVeY+kG`wlvlh`*`f4*qYc?vCqbCh}|0ddhDLqL$M99 zXCP-+h>YRzLH=J9#1_QRO1gkH(+g-Ty_vp3U!(6q&U}Ra!hXVGcq@}3EELWahKbHY z?*qkC#TM~u@mBGh;=|&P#Wt~B>?i3b87vV?6p|Mt+a(`LK9jUax`cNR9}%7!J~Co_ z#H5JjkOEu84-pZOu~_l!$j2hfvD%v=-;4B=`bxv43h6kksS#S-UDgk)lPfdI=E`<} z?+2l)=VjMqEwa0^`!W}~humB4C+{m4$cM^D$whLhJVu@<A17DIv#>IGa-F<XZj#T1 zHZOrLua>WqZ;)@1?~w13@0A~vACWi6&&n^zzmVUOg9mZ!cR3e@e36I9FSd8AAQsy^ z<%gzVQIbd_(uo#}mWjwWIHyS+J&KmlQaYMWq?70rI+LDE=g=BjM;Fs3=;#W14ZV(D zPj8{O(>v+i^gj9^eU!dPU#73pHoBR<O}EnbX}-_{I_xJ57LF21gi>L&Fj1H!Oc7=Z zCqtt(LY=T!XcATk=Lr`JmkC!0*9f-@cM5k4_X!U|#~XyFg%^Yug_ng_h4+OXqW+>_ z(PU`(V$oGmi%1|26sL%HiuYk%nz1hPBvq1SlAV%$5}Tx1;unrd{O|MsEeDwY$Bc^$ zMK9{R!oBl|B}q%}b>($(*|@0hd{kAs@OVNWx~qHVnM;y*T35ac{#QA4j(eAp?mRwk zQKSoxzi|SjzL!&t58c_7M{VT4>{3P1!iW0u1+^;%P55>9y_qVn678ig<9_KLmtpw+ z$Hkw#z2uoMwVmk7jf?y?(u-VwK*-+c>cVqz@m=tA({J;RPndFZ{PS}zxZjT=I5|pr zZlGtORp?1~c6Xh`ckkgcHD2gX_aFt29$wkRFNPnPC8*1_LO;4YsqWOnGtq3wQ{!ED zaj}+}9csJuaL?4K=a{s@0dzkC=GnuKtq>&Or!M*e&h;c5L=Pa%u048k&EzF29EK(3 zaBBz>;^~3Cx(cz)ii9-tOzqVbz6z0;7Kw2omrbQ-I1xK3!!cZ!9)1~>a2Vo7FGwge z;MXyXrwd3z+2Mw@HIo4a8IBP%w1(MwxCAh?AVe@$L@(k6I5P+f=DLXIg9YYwaaqLU zQE%>iJ2`Xwv;DhwxfoRWR6zEKvdjC19!)SlcI5p~)zshoj?8{Cfftmpd($_{+qQQe zuQ#0z_-ywY%H>|__wVn1Co%A`Gr7vBj}p%&bT{@|WYzB;`N4AocN+Q)O`SF9P2rW_ zCaPUBw(Yo+Jj$&?xizfj?DglaKUncicC6y~>dWI=9~WP(?DAWSd0G5=`!Uyv&+YiE z_@$@yOSQu-)kkLf9c?%n<@ZJ1!j?f@O<%4Kc<t1^-%Rs{UAs4~-xIIYZwPr~`OR(D zb`0w|Uwv=gtZoOtQEeLk-Sl6-^L}O2OFOiJ^B33J8s=@Ckd$ce^G#x>)t;Z}7FSI# zs?aFU%p9{I^Kg%O$0~n1d3cr!q?5OK;ji?<d(2V}@aFgA`{h1=r!?pEY18u;uFU^2 z_EK|7Rp=F3<n94McXR86zll4P4x|GdW!$uTaxSW}d}Dd2i4h&*oML2bKo1_z&iA0* zk+{H15sM`pFo-XuBWTG+(MEbnDAzgPQ0&w<jFl*7fl7!E1q>t41A_QobQcE&t{${E z!RkXs;zLi|>0nas#ve=%+5#CC_JLM1g6c~UGV&54q9xK0Mkk&0$93UC%C++gD=U9| zVhX+EN8O%ZzwJEWK-wbr>5;kH(qHOXd$a%Q&WWXWN}49mqiw(FYlj#;yO)i9^$l6K z))8;Mu&ZzVlTB0BQm>!&N`32`aGOWYh`IN_nL8jmWxKZbjmo&ZptYqZPDB=2275di zfAh-c*|7uWBrhG&(|yJ^X;DD;%@g}r7VM=L@i#-`t(?Yte|THk@ZkOMQvSuFb^ZFP zoCTU_{C~9$u{ul(r5$uwBy;F+-oK^8a2vBLG4k(pI745EZ_|h#Oa4}mU(WZGCGI;g z<dwwa1K##cE$S{APw!fH>Ge@Q<BpZumqcew^6@{*j~)5@t83SO{+_zhbK1$2C9}V4 zOc)>V%nwIKCLDh0qHgz-acMtPOZRs>HsqFOa*MyHY(n;?H<oR2`E10%GvmL$lK)As z8qu^}GoG8e{l#FFcdsATUQ$OXCl2_qdzR<wvG-ql<8Fas?9Ot-_0`vN&-m^?YSFCe zb110lYum>GThG1gGI!IQr>AM_f9Pd87{6r1Wsj5<t5-Y~vSCi*Al;|iO>-`JPZL?Q ztl~qT=Qkw3C_i@Wrr7i2pEmcqZGG?ax3jHLU-Dm>8}L@(8=)u4kG(g+GSuTY&qJ@K zJ?HVYZ?Iv<8CH)M@v_0G4BCqbKcjXoa0&J#r68gjf1xs+s%WD_ouJ@_w3Z&>C_}*q zayn`<hA=ul#~5nlEHtC&k!`RpOGdWCs`cv7hd{$jMq^06I;2n(ny)p`(S*1`{BT-K z3pa*s3~}yF48mXZhAH@`S}t-jZexz?H+zrs8~91e7wP%EVrN7g?0StJM93Jz?@jlt zdbIWHxXWS_;ZYS)yPq0CrL?Tfqa!OeFCNyZtoK`A23_8GVU6pKB@=>PdOpsz|CO`f zR(>#8=l;cB(e9G>Z;u+9FTR?rDd~ExzR>%g+m`U+c{M$c-+1e*w{Bb!9G~TL<{8uF zy*XbViX4<sajjy{nP9$P^Nyd!A6+*5DetO}y4}B$GrKfxhPQG|d}-HRH>J<NDgUDL zEZ_V6D|c5tzEgku_w{?ddXD_*iD{h`FHHNU=cyhG;YpNs-9CKfsIT9;J@r-Izx>ya z3QO*HDd0f;gNij1>zBN_Xxa1@#qNolD#as1AK!mj(7DH~rlLO6KD2G6vq#k=$L{~| ziIeZg1nBZJo<F2F?L0Oh`ia$z^#}W3<eTY5ZdYNZPIG3eA|PQ?##g~z2L1YV&bi=} zCC+Bb6J~0@lbJ|P5%#40z;hfmy22V8@C9p$AjPB!6^^8blX}k{0U6}wo>q{kFVvgV z#ZD&=Z1^w@IAI8f)58d`YY%b+V3Bk<pa|m4_!^SDA!JS>;W&##;21{J;W&vv;@XR} z`Ja);jp+IJBMOJmgIVJGwi8#37Y72dfc=`29FYF*fO4@oD8f&ZQ+Y<c&gCVyXC@wO zh$}dioh^D=yK&NiBXhs{*MsjS1&a!=<%b>lQCoNT+MMrGw`@K1Ws1i)S$Fg)f<Vo# z-S2<#tE{Z0SS}iM)hE9t^YxGJzV^*yi64DldQB7g+xBTMJvOtpY}<`jM{SSZw#$X$ zm7Ve1xbxJm@3x<R{@w7a3kvlm-v?GczkD9u(k$;(80>TBhvhoi?X4ednme@XV^<#- zUVSY4Xv>$!3r^pE^ZnM>lY*bRT=v%Hk56@7@9%#*|G^h=L%YRo`sir=g<UVcUahRr zyJmiFxpFQk?#lz4zD*qz7x+_M<CERT^z#T?{X-wE`hee^>iMsR=B*CXucU(J%>B$^ z*b2a@yg%&njM@efwRPAZSJ$@Fw}Que<N<{2KQK8EG<w*^pp8S840bwz7>OJijm6Bn zHDiG>U(K933LN-h8>iw{8|Wy*HumPaGltQ*KTWqmxhx6fpomFy1`2}}G#SH~aZFBT zs$lMhGwY2@iu4=b_;tmB-YY$tKjC*UQxiOY?7Jmy+SXqBrSvI@F5z7K8@JfQm4H25 zx$`Ft5Ky?1w;6I5UQdT1pEGApM>5LG@WQO}A*FR)gcF<RpgApD_Fh}<c4zEQCgawb zec#!%?u~b=p8ILv+6%u9xp6ArZIK7{uQjI!%Q8NhxK78bYrLEB-sEoU4t@Scx9czc zcz#Ig>B5l}Gp0TB!nn-`QY2%)9$q<S?8#&2gWoXsJCc9sm){ReeB~{dr{gka%zaV+ z%L7U1?Y`Dx&(T!P*TcfLS9iJoef7}W`x?%_vGCc=k)x#FU3xYn=#5o9H}xw#=YQ<o zlP~;h#jLM?c%{xd^Va)0a{q5;^gnOk-8$Lq@@`3Yi`ahDE9cpK`<vYg7AD5k52?G` z|CzF3r%comRnhq~?t>raU0j*`Onkmaw)^{q&6mA*P8q@LcjCG0Bh6jaL-;GwKMp<k z_(av}mtT6h!t{(~!_V)mopS1pZWlMauy35#5t}R`xZuXN*<T#B3%_}5daXWi`LxON zt^fLX#ldu;&wy27YqyVieon+|&xK7o({)dU>(yni_Bd@QncHx8PUXIFA65?>IIcBx zZ0OX8rqEvYOXj-yYji1M^X!CxkE*Ebr3-o-ZkaUhR?|!TueXQD-+AMent5+-_xb(S z&=*_o#SOT<<)m*4eOYsEPkOh=llP}h8v0(%q5Q8#^JmRXv)($pv;OX-#^-+xEnhS` zV$qVSV{goNnR|Pt_o)H&+Dm@7Z7I)1zvcSmNY%aP@~alVb*JBZ`@Lc%r!If?`{pNe zyvrA?>5(StXWz0i$9!k~mdPjSMehAz>s>iJuYaXW{4$@%-q*!M7JT~3wc8Jg%>R@j zC8yK~T7+8#jjtVueHY4{iu61u`;MC?xyNJY@bGd^!^hoarNZvCFRAF{)p@j5P5vGT z>NpGD#jCH1`Kn%!fv;MaH}hlg*F5lpGkibd0CN2+AbOF@AMc?q<R0pRdnj~l%iHT3 zUUOfQIJrm9s)X}fEvG$K6#ekT#jpCjH)gNMf8dg9xlbuO%ij4ct6<-WiaeKnIjPl0 z`nuehP`O?oGtqQ-YN7kp4f7+G5197V>RlUU*{__vRUMLlD>D1L`K6mD{O*xevit4V z=1%$G+qk#-{J7|A`47L;^lLg;msmVt-1!6R=I&TJb4SC}?ej)n9QhzCy)k~HETgGu z={ql7;TaCQHAK11?KkoJ#OXa<^XU;!_P(@v_KSU=Z2qG3(74|%;xC4LR97)P=kx>R zqI)k-T{<({bZJ4Sm)2EZ>08}>)QaFb>AWqPPjd%%9TqpKq|cr~>ED0%>isd}CGs!g z>^a5v>mFY-p|*TYj7og*q&fJ!tnqWn%*Wq+@RI+X)V{-SXL=sq)VSrC`ib~%Tcs~| zw|+ur3Vou!dgVp8@Ze4Q!7JY$`aw>~B)TP~d%>}*nVE*6t8<2)es*0z>-%rM`{`$k z3OddF;Fq&&a{C<~HfyMDzRUHr-ND;D!dgd8tUdp+tL{_3&WGkaoA}P_!s-|H)vq6~ z_)a(Y;`PW+PJA}0wyOBs!v635FlL;zU&R+&ckqMO&GBF4`g4^y=kry)r{9zv_Uu%; zrN_}_S7RFslFE38UG%qW4*bg)ef#Ml9|sH!9K6HLOZaqD-G;_N85fd|4eEaF()FAR zABX~yk3O|>+wFbl?hd@Hd1}w*lQ$QXbn2f<zsGZIa~rVDJ>PMg!^!+_w>jeP8PJ1I zPW!|m!`|XAtr%Bc_e$Eei2JjucPgJ)u72y>#11>iBe$3m$DW0qPK|e8|7@pw)cOBU zb~<KD#m|ex*jP<;1R-}2Ka38cM{XRxaoCceKi!ORX&^sKBK?Z#A*5e-et)`e+y489 zEsa(YAOSy_9!q<;yB99>f}f6#a`$8$b_@4J@?7};m)j$*0Vk_`)~a@t-F!=Wv45lV zZcA#};}t<m<*par$mll5?<udT54sOO*LXBXU*#=)U4GO(`bFVZ)vY0y_ROLCXLd_I zI(f$D&nCv5eSO1oXT8>jeBPrlPny1O=#&rN*|C4Yj@+RSRzICwKC>pKQ%}0&$g5W- zjoZ;!Fy!gg<DzHpj!r7NF}?S~Q{n4|t`4l3czcdIes^R4GUdsBKBcaga(Lz9wW%*G zT=zwtfZFxLOV8|9UaL)r&W`C_F}kY6yuEh3$ZF2Kt((wk#*=HNH(eR^(^oy7E0}$M zv*(VhRPsv2Ms@h&Ny+?$`xUFp{pJ?+?7R2!1>S}^8_dfscT!G&Hq-aF(LeWFyC7b; z$SoJ!!!#Ehw-(m?51D@#-$!jrPJY^r3)j(o+B~J5@s_adoCv=y-QTI?DfGq-y4|bm zPmgjcc?k#7{Wtc-x1b%rJZbx0fevdQhA#}@3$EOoqK|!LxqXd$QIN~ZS!bUZ5#~E_ z&FTj^w`|{*m0a$yfx<z_U*tlS$L<d*ekr<N;TI+Q$A95-{?yH;PwhvC7gx8uo*=&4 zwBS(C$18mwj1x>B6%cwk;c<`F3$Gb(ZN3$KMD_f^*v9vUhxd_qjP>7_HZN{OV$TPM zc7#j2q%Z$*@y^jr!_B)*G0lF1(q)>?E-Nn%-B~qVu3D^{qQ6idI(pTDd)tkPw+z}D z9~Qju!-55?zdD}g{(R5jpNKVIKS8B0&3rLv<A?q2+dg_?`z+6=f2o{Y>;Bot{_?X+ ziZnu>;mx(*q-Cp)EIk{$x9Z{o>FNkg(^u4M@2=mIJbwPCKE1zxGb8WZ8SB^nZ%bCE zPaQk*!rsL@f2s_Ujo9$<>bF}PyA7XrV$v(_el0;a*OqMxH>X@U<T+)>+LETLwmx$| zzq9V7=*8zR7K8+p@nS!D)Bk#Ms>h9R@h6wJ75^0cxo~ZrG-;etHo7>(bFOk$!hD{M zSDTsk#?LL;tq11ZAAj9;;_1C3Pu$Er_=0Tps8^aE>mz^DXW+-xpYhg*eVrP-D0Qak zN?ulP^|I)-%^Q__&MuJlO6oi^dmX>HrvIhxE!&?QuwJu!a`V!~_a@o~o0mWHcJn6N z(8I>BpFTUR$KH^e-wF<Y^X-+dbe7DNtrd%JDSz`GHL~l;D~1OX7F~-ATh(pzmb~7d zethnEzpd}({$|`Z^{Y3>ruDoNCY%`W;t?^idd{%l=LOS~{WlF;w(AuCIr+4m?{8Y< z;)%0Cr*=tl7cSzpVsp4n)XeZ-?elZ-{e#o7v%A|!Z&#PTZq&x<bnkY;T!o%(g-$#u zlH+YeXE&h_4q@=~iXzEdL1DyHSnak}z7US)xVTwKF){zjtUi2G;PRXKWZ|jXiO%Oq zMjd$6qOqZ?Ix9-5mp-+yy8MB6wR+rCL!Ta&6}A4KR9O`d`VV+(!E4EBvu`i`AggQs zy4Rjs75-r2OD`QVtO+PPz0&8`A2(X#E}R$^?^2>3F@N0YC1I{ZC-wie$J)7hIj38* z+$Z;XdCgZ{_%*-C%g6Y1Q7s#|y4(6^n#P*Hyxw!u)a$>e=Y8_sq3CHVVp{1t$4B|z zI`ZYTXVlckGk=#TD(-%+*q`WoVD;Dr@1tM7Ge2u?{)pud5>C9eq;&6ZV_%Csd{F-S z4bPa{NhhrrroOu^B67U=vfHnM%9OO7*S~y6dp3RKwyzGYTyov>+UwR^pA4gx4L$hD b_Xj>4llA+sOVPK@uO&P&Gko|vt7iNksb8L{ literal 0 HcmV?d00001 diff --git a/venv/Scripts/_multiprocessing.pyd b/venv/Scripts/_multiprocessing.pyd new file mode 100644 index 0000000000000000000000000000000000000000..69c88e74cdea248d24e9dda8f4551be75b5a6601 GIT binary patch literal 25240 zcmeHv30zahxBm@<MOjs_sHhP^aRF`?mV~_!6$M2>a6v+ZK!PEmSy<ePAXbdjYOU2) zD^{&bt+m!xTeYIN7q`~BRIS*$#9~`&snV93|95T@h)dhwd+-0=`~3f(-)(2+&dixJ z=bSm`%$do>lqs)J_7p|2kxV9v+JlljaZLXAnKO%`-1~p(PVMS)YQP>=@~Hvoa)p*t ztWg(eq(z)usY<2Rai+^S8oi36P;nB+rE!YXd9q+Px32yc)aSSx0$)o#Im?<>2Tq># zI_e9;KA&kWPt07-)X&U(iz!dfT#IsRxVir}@AH|jp#ECw=d-?M+7B_~wuYZ%#%&D` zokhlP4L{D*Cn$2|WUePUOBGX8GRuK_)r~*Z+Sf$c4RB$(yHmbs8E$TU)EA{E63x^- znRh#iax`~$lvD*8Ak>u_in62PASnzY<2p)nwN6M;Iiy)cQDvmep{T&F<i+xg0*>Bz zFQ%xoSg49nib}WkJ)^vY{y5uq(3y(a|LO_W$;x!-e7O%YLLcFkD1*(z0ad}8JgH7f zQO|cr2XIneNa(PA;xKiv8H@@f0!c+8xCBTxPaH+n2WzyNT(mK~=HSH@DFVsni6i(l zGNl@Tgm)qX24A8L5MJXz*5fVzuKlYLm}s~+e%&RS@+_oGw8{G(-l`5e^Xm<_rZqI; zA^o-D_Eh->F6C*`yPCWM@ltizwYpx<CO{dPChtV1uiemQ^40-CrlG~;?Ztqxs~<?R zb$v|UWoS=jCbF4^j9(W)22)I7os>*$c`$#~J=a=sTWYPiHC4WgnW=*c&+2-Q`HR7; zN#6zryw97-uMxLb*Xv5Hq#07$4K3)_w^beV9B<OMn!J?&%pmky$uyO70anEVi-vgi zctf0z>1@?u_FoV#$tI*iE}5w&Z-3Ba5Vu2Y=H^b}fd__ux>kG^^h1jKo}%9(MT7p5 zMUaJ5hDm=GwCUST-o>`!Bv?$|H_bd&KPd0}x71~ryrVE1m@t!N7HEe2S6GrfaRP+y z%^{Sxfbi-EI*nYOO4@wQW2)=Ra!d}SNp3QkUhKdHxsFPeJM#b<dXE_(zyM~f+y||g zbvT2;$K>4vN&)YaD(BetKy}L4hNIaH{QB$$qF))Ag_Pkp!~H@EA_z1O@{YEH*V6Zw z9Ai8yKrIqaEo1@8hk?>}kyITwF+Es-xEe=(y)CbVV<P{XZB_St83jwr$gD~9_o_uo zCD}0~;v7@uuRtL32*Q@$tmbW)q3W;?QLrBXQ8nA&lhU*KSDKXu42pChYO8ms`rOn! z6^p_)OYK^gKlpY<1>>qe!nkXR{ytaTibE;S%RgQ^cfIMs;ds67+U2Vba?&*0-_>Jx zqQ9#faetu9=d#k@=lX1a9|I8K-PNFXuA1vZ>AO|U^`z#yn7sFZtjH0ry55BpG`hsu zDlmOImJ@w7BV0`*Jl7q@D~yU1lI*EObk{Cjb11`{mo76zcq}T%x~>}qQm<W-M-j$p zlQ+e%0rR&EGK_ErRUC-Pm52#)XIRtqG<i1ywV{plVE3bHX8Zd$+wo0iUqCpiHtC$O zP&B{_skA~0;vSxA()s&B#RzdaFxhE;^Gsy9OGoMWhGSJm%42>osH-xv^pPg-9RNSZ z`27z5(SjyMu^HCZwGxCBQ&<SEGMRM!*TsR_O!*`Wb2P)8YX@`0VK_5wun-23Szj`& zLLb2heNczc^?eK@JgeGRbAv|JK*mG^vMrtqe(X4ikZ*ocklE83uu?2$r7TJt3YP)c z=%GZxd#`IJ<C>m1u7f^cF^zq4M#i9_-x=c#_f6jWfW~kfLa9EXw+FmI>|7J?V-UO6 z#CsXUo;5F^>T5W7ES_xg)UkN7-%@~MuykgOzw)XTw`3BB#Wx`*uJ;}i+;7<gVkLY? z`!Or=hm{X7h+9bk`RIJjOvMqv$FzzlVuo-|i#{CAwst(rU|PhApI@*4ZP>}$coyua zo^a7dxG?Fa7$&wG9xm!yJAt*(y|#ok|AZbc0xlacj5jyw?~%HIjA?-j8)6nLb|xP~ zinHNDCOkg8z46i`=n}JI`4RU7a46<k6i;n@P>yT~A+kdtR(Z5%5J~VKFmix+QswE4 z7&^8hcnZCP*%hU<SD(-&g1y=#>RJ53<6>Xb!<w&x2<sTbh1xuSz}F_R7TSSlh~>UP z+>&OP)(S?P4RhLR#P`hWOvcyiog`B&WAD|Jc}Z#}`An@T_N^J^d@Rnq#&PB~ev%)e z-!N<}mJ=jS#9=CdRT6<fJVq4Q5v-a4{-H^xV$Y5pz(zQb645`#Uf`a(cUp?m9^x<H z5$dyR#Lm-90iG}xB2+WJ4C1{E#m<=TF@LXf#=^m+H}~bA;D6EFw^r;7e-9|L=|IU+ zoa3>-p2HU6&9ARMk?pave$>E2<~hiA_tcWYnOS-HyZK$r`^_-^iDvI7XYFa8mCUxh zzLTAQnu<(k;n%Vvwy};yjF5*pzM2Hz{H*xOb_`ibQ$QJ6u>camm;#EKT*u_ZE=&PL zQl<dL#RiZK!4yE8jVXZ0*%ZL6b^y)16T2}5FtJ+z5uGW3Y~`i^;wJ&g<RsVw1|}!b z0x&aq6El{muPNX>liy?Vn@moED)W+?0?1})3Lt*g6hL-KQvlgyOaW~SWDAoMoihax z1vCXTGWi}RCqB&-KzsuD!l+0$94S2S>+SA0+`nr;9K&dnD>e)rADe}aL$YopbKuv< zHPgne&QL-J<9rkzAJ;ecXWW*v(FeLYx!JR7jwj{uT0MGFjb!_oJnfJxRp=@A5mKJU zTsI0jYP^i0ljkD{IEOLDvrZJXQ2gD8tcBC=RLR<@s_6EKI5l}x??vx12T~z=Z*;(@ z`SrRK<9?W+aS=io;}&G{955lzLS`)X0N%;4;vvTOfE2(S`6SYtPI{A>UNb_nz4ESL z!eiogI5Lwl8V&QW=o5^^I42@}i=lM=GmJgDFof#7phSgs#9@RPPMf?_fzEWn<WL9C zO=RM+Xxbf<{yU?JfFlAk9t4FAg-*sHK-O63Dvuz{=c92Q8B$$8S2}7vc{82|0}I7B zJK46=k2Nj=?Z%HCkeOT%Bn2?yuoCJGLW!exHufd6L5w;tLPIxW35J>UH;qOjT|z~q zg^Kk6Y{U{wB2+X1rD2Y1wMp+Gj3zX^=)|wT>kbJMB7iBfP1m)`WT$g5O!I6O8$v6< zEMDPT9csikn|;$5$JrqTLrabRX7vM)`G-Il(`VfKr^(dO{BB3{$2hez%~d9rUI2V_ zS}Nh=Ewra0Ja;x$V&FP5UyZm4p45|RH5|7Hd}0&!FNZ3Vy?%;$p0v(+bR*4#0;~Oq z=J2OzZ1y*#+%vGon`rrGy|H-aofcDm4>4CA_GvK4jQj`S#3E+HQRAOjI}%A}bYN!m zzX!%b2XJW9BTh7HLN?KHfKIzx-)=JDrD~2VOYdMThc$IhHPgIfT42d0>r9N0pkd=h z-i1xoBhJMuc8~}Z)5!Gm?)d{t;d90xu$mBxL!sT|Q$yBoPJ@)(Hjv!Aj^uq;lRR`K z$)lGe&tL3a&lGOEn4<41OyRJYDFPNUMbLZ{tCu+JL17S6>$fo_d;JcS@Yw73k$Ux2 zaCOX~4a&lzSkyYwxqcUF#~d~zCv+ck*v9k{gWY3!D`ZcaQBNJK*oQi?H*?*<xSN_} zhc?s?Hc<vQb}C3lT|S>!=?zGUxMZ+i=xik8EMo9Ai{Uo(mxuw|$N#h#ZbA(IG3G&J z%|gPznKy?{-sauonEC1XzsFD0Kk@@Trb@aJm#$}5$y_Pa-AkMh|Bk8=yP}9&PZry< zuvT7)A87^<&W_@C6p><Atv5<?V=&Rv;JT;=hgA$~zG{}rPawmx;#K#&s${Jc!s04f z8wE2M1v4-pL=?9Im-#TpB`?Wn#|w#}VT24&OKnO!Uwn^`0Q(?8XI8X~%mZU@$L;+L zhG>dBqhnW})(<i+gU2@<k36Gy`eYnBo88gc)ven|iaOZj>2kb=QPGFzBsGj~GUsW= zqPtf`6YoUnyD(Oph<V{Ki9yScW0x{{$DyTxc{d(qyzrj0Xm8kaiR8wg$h4!_RnF|1 zQEcNKYt0TdqVDU+K5RJ77duzo=>O$$M(vrls;2&hoXNwEBWC>aINyPQF`cLzQd|k7 zaTI1tHO^+{1S<4o7)C|eANSZD?^QeA$Nnr{9A~ry+TV}7pzDQEk)vHTT@BAW+duCb zd0gXKbto|Mg8q9ZtTP;H{_So!P?-_I*am%)GKHe@h0c0k2J1W_x!Kiw>~X=ikuQw* z(X)53rZw>Dr#0lQBXK}OhVfJEMi|O5H+)8AfVWh3GduFE4ni}WZ1MQO9XoXk5BC*2 zSlJE68uI`r<9Be$%|1pw>Z!&p$g!jA?0NMK#<x+~!NS?kcovh)ub+%SqrvC~QW4iP z5G?b%lkpFLHva%%<Ii|A-ZPH`N5%no#l*ds6=l46iWk|3th)^MdS8>?$2bIVlP5#A zE!d+$fvda;t7xQ2bAxdMgT-S$A0;7ZDQUiIK#n=8<~UP&r=t#RFwHXdAUnAXJs^@z zWMrIVu5`t?3^K0yE)gFYc+a&Wx((A%I;S11y9>c3ISAkw=1}#BrGL?wXQpKk_BlT@ zJ<HKTLLLwKJwjf!xvCq%t8X5|Xiu%aH4_?ifKbn<5sm^@HL4+Yg(Fb=#*G^fkn!dQ z3^BJ!jye!(SXdxpQiTr2Ossfgp|iY<#1hNl!icr+F{=mo#P!Xzbx|nh?I9ILO_Dz` ztI0xWhNnITy7>v|8+I^tyfGD9IEmPFgR9E?so4W8+wTrmbAN;Qo`K?@m=^)G^&ZO) z8V-_8+5*6<H%`OkL}tcR004tW1(A9ee*Gsz*IqIUv?7|U0i|=SfG5*;$1)pl0-Tgr zQBIz05xmv*9Eg-)egOFLcoh!1PDU}{nqADo4kBY7UYgve{^8kyID*-ltpkxCW4UCU z<Fvco%@di|<rf4wM4Lb`nY;$ZZ^m<J)U<{@ULcZmnK%11?Di(WgDLYiS7>iM2)Q3) z`!`}ktY!A&LKue}KsbZfR4;}YYibvg{I&TcUsFNyk7kp6e;M-p#jkB(irSS-u|~%f z)x}J)QOOkV$x*CcQoS05LCmhHUXGVq@=}MFW6ZoH0x-n27pB%!zryrxCX{@G#lQ#< zb4<J$A!^()@itIQ)rfcDj0>-byQ)d1hgWLFo1t)K4tigKl09lLhe6~<#2g1fmt7Hw zJA>&)V3^EYA~Cj+SeRHV-bbcW6U94>8|-};<O%c-#5kWgdh8b8Yql@!I*BMNzaDmp z+c)$=kb({uHq_RI_3d<F-K)xV?j^2OpBOPKrL%|cfX|U%984TLiPXpf5tmENi^$a$ zHR%JY$~^7${S9$m(Hw_Yd+GW_4<LnCv>z$lqN%u5pow2U?GT$Xb_2zYRRPXK8ynIx zK68cr>?K*`FWO$2h8TplT@7a}KImfAQFi1nn!C6`Bd}fsmSq0~%N&l8$*%-bo_Qwx zYK2uv^!Kb$`g_(Q4Qs+(Eu-q#JNZXaYh*^;=3r~KSQS|saZBEMGVXqZA*Ce`TOppw z67yZ&`1@x4g^NVoN+MwSdx)mxWJfaIz<MK+p4QMIr;beuA)LXDgv$K-dA~gZZNzVr zB@J*T@~FD!pT@tE(50^@@Dz46+C$076|s_Fl(pbcQsqXv?D!{e)!dhishx8*&Esvu zFH>urYD(EP<DB^?YBCX#Ts6$O2_H7^p-LxH8pOs>g-VtLwhZE?(2+8g9vX)o+dQ;( z+SM9+Fkho(yBu?Y8yw?Yljf>V0G5E3Sd&L|y(5d#4UEolw4-#s(Z!_jj!t#7r*!UU zMB#)+d)y-%qCG)V)frX|^U~~SX_(WBFbMRt&*l|6P2!(;YF_h{hG|U?8z?ZXbFVsM zXTf1_nARf6-U3HS>GI9|vyV9t-bqZ1cFI{dmK2`4k^B=Lth2bts+rhAyk<&ERg+^? zo1;E>9T8jAacA>Ds35hTv^;3w=(<-O=a`$}rp(R!ddAiuAQ+F(!3&UNp-cgJG;AOs zi^+4Cd<T<nWAe>RzJbZ>n0z&puVnJ&O#TX!FJ|(EOg^8<E0~<k<iy5swZY`%_+tu4 zXL1tWnF2_}X9^g_<cUlk$K=Gh;97*qDdaF)+yCJOz~2Ax6Z|}W!;hz^p-7{Ud{I9i zNl`bE+K{}kLk>j}Ax%KaK~f=Q0oEC?_fcLz+K2QG(qg1yB=US3OHqfB-asM`ZY3*v zAYpMU)JUYQDGuY2>XCLLy@50rX*yCI(jX)+BuAv*fv3fa3*~U6D5PYhY^3%Wiuw_0 zHEu{2Bh5roB3(fG2JL%L?nGIKG!rQwDIF;eX%LbZk{#0bfGYvMER>^=!jOEC9FZP? z_ivCIkv>J*fb<H|af~AmaT(^fe?2EBQ*vU}t7fRwr7Dh0qfu)(Dt*y(nT8XPN6irB zD%Dz<R-HRTMt-ZGp%7_gxh2$$@}VNFOqEAwdK`kH7yz_e`?azniC(2tsAf=<q)4yS zDe##_u1u>{s0zsVG;xX~BR+YeSdtPyiPU99$(WDIS4s=Cs87eQ@EA(z6h$(%UPsMV zjI+LT@Xd!#t>!4DngSU>m?u-J(2Y=Q(tutm8#ldBma7XK!U0>BjueIjYnK*%1=123 zN3R0m>H?KwrYw(BB30^TL;!fCI-RVjSci!?_#!|i)#9rXS*~8ARbUjMjYGaQf%GtL zdO1fY*T|$~Ao!LR%hehgnVW&L49{a|E|RJM44w#&GZbc7GV`KdBrUVPQYvW?!<$ux z3WY+e0L)_qTM*1pC}yIIlIFgkS7>C`5=6;39rT2l1!|!N>t$x@Suhfb410t|A^}e3 z?U|Uct`b?9LdSqn<n38tl3cZ31to%Zan$*o91D$sLvpm7B85t?C3?s7SSVt8@*zB( z<=Y;jG?+`Fl>nZRNvT{0vI&G`DWDKGD?!x5x*U|GK&F#eq>5K&jCq|w&11})=a?ze zz*P`^*6B4WEyp@nha5R_sn((?R#=HfHeIh!GI}GC<`dC@ff>L-AedQHn3`c-tI#Rb zDh?wR4g<>}uz^D`r(CMaQ-Z@M?IqZ19Du>AS-(P3^!Sv9qbo0FWJ2`m>8A-^1y9_P zICwt9)z=wMY5nHN4qc;==7%8-!V4a2A8yo`Pi`8~*Z4#q348)ExCwntmcBZ){imN) z%CjQOe3eZ?p~vvB9;^MAD+vFn32BLG*)dzM|2%$3;v(;E+A(v&9+7DhL|KwjEJl_f zOPiINz^rLjsY1o)Wj(bd#d*^iTAo8r5_!n|^T>qsWWoXYzKQwP$-hX&bkaDoW0GJ6 z`C!SPi9f+B#YSf^P3PvrE8;5NTu+#g?msDkSu5Pp+qU7Z0sF*bZAlCqZu)KDk{GzW z$J$aEIQipk44m?@wsZ!r7;R)Bf*D%U88}?<P?Q7OEZ=5f&CGK$b$@M{<y$O9pP(OR zIRBY5XXZ^OPTv{do-zDtbh-XX@ytAk^KIIuF!OlYwxyfl5aV~krJLdKy9q_^0fL!{ z{mbx5S-)=!mRX1qQ4}#ui`;nxCJ$|1oo#&5R)#j4^%0P^<A_IQ;?lq}7Tn@V#T<k; z3wr!aKrKXo5j>rEDLgrd8Bj3aoB7j3VpI#-BD!?6F*J~N+lTzpLh5HNrM3QZAG1AJ z>*t^7*ZV%+Z##Z@U&`}CB!bsE{*ujjaRB8x35oREJ^*28`2zA~p~ISvquz*g7OABh zMcqO93~yCjo=2sYC#lHR@YK$K6LPjbM7~PeEPHEPC1M-IsuYbr>$4bM3_s9O=WWJ* zgEmCnRGUrPy*P?O)cnln-*M;v-MBL|jVIyrg7cJ0#On@eGF`G%s}qwzlA_*YPcTOp z9h((JopyM3ASQ;@_O=@-(<SIN8U!2Z%+8$zlbuFdZLprTVz7<zFnj@(K%&)A=FRf} z=GMw|;u7G3hEfTL%XG31Lf~`8h$oB{CtGR14^<T-AdsXX95hc(4P>FMELSoCkqbgK z3s<|*nygk8NJePXh*c5B9(9nUmP^K}RkAdlMxTrM-UhZrMXpW)fg~Y-L^~7j?jW;h zG!jIpMN+`E0#}MUPp_0o;`8#%;VMN9W&>Zmra+P^)o5ku`eJmaAu>&;Vo1;P<vN*G z0`|~EJ?O+>W)WURWS?4|j(7kt(!6qtddo`9SXn7WeQcp&tU5(jq}HInkA=^1X=WDr zfG|%&STxffugW7NPzNld!5BnC`ZE!|s!O#PN<QMnNPT`jA|K1rQ`FC71d%K#)*&Fa z2p78~VAX16ryTcKaF5GHfUS{X?N3@-FxwMTi9z!SrCO?!#A_4P`spNI`l1usBJfZP zXBi}-x2)fwr=<(##>mRC<>zTFf~G!X)^vnaskJWZkxuM{7GP5$LiDxDu0*EESE@_R zlSu4R%gw6^?qo9RBA_5`bA`G?C>WQ9sR|S-i;8w9YsTn26RGOVuZldPzD|S|3p%od zmo3;*q)G(y6m^E7HC>~(l1e=!v_f;^wOW~m1ezA!Z&_we(xyliD(gxVm+Rze6+hf; z#Q})twYoeBi6|usRlZu1hlSIq%Oy&M7CJkMDv}k!v?wZ+Lg1e(E7nQO5vxXkD8Hyk zt)em#CQKZgo|Gcy3TQLdfq*qjECMk+_5?)7MU=4fT_U66DT!7lm*gvyBy=V&r56Q^ zs(eL(UL%vJq;M;x5}fu*n7IiSg;WWxw06l<B?^sNRm9kQm>IVP0>(+sC^{*lDKQjc z^#ZVic`QBodQ~ow6y;C2!Vym=vv!#W^#?5)odjM4h^T(nngnO9+!@RXh(v&rT&5e} z9}or=Du7ecVntAqHV6@95HJMcuM&tm2~u){xIt#|Y;>5YGRrUz%La*pkP(a+aPlHv z^)I`<ZG2{``D9JacSyI+ZEd3F*(Yf&6}4srd?6&7s)37yevM#{*UL2JsnB5JmsGj3 z1aerDX{er0V~0z=MOxF!A-$q>FcPl?sWS2gYe-aRiHOarm8_Vqk!s2lpr=|Y+n$61 z=H*CBhU`a?lk!Z^m55_gL4izTrKgd>uajzY`r;%gU?!y_EoMh)_V1a`+}!`&`2UOq z$S=+x^g57ejWIi7OPu>Sp5`;)dAwgjs<Wv#p`O#Nv)_n%MX%2KlL8=ktq)FHo*YZ1 z<+-QhT`Sx_mTWc^2V8#zM~|mGn~?sh-`eik^Pgd?uvvWI>`r;&h(YDyy#mS8oAM;* zsD*gnVAH<??~Rsz!v7__w;*wR%<ye^j}TCvah7@_-it}H)Mw*;HByVEz8UZ5kvNbU z!hMRYOB3ojkUN?G9^O$r_V_|R<nF*3iO@jCxME)N?qk#DYiaYcX$wRfj+e}z1X;(T z`qV@Eo_ty{4{0NM<%9c#C;JHvUPxqKG7pVJU;=q~M<Va~l_dZ7^FJp6d*<)ga3xbg z79b8K(UD0gQP?~z3dcS2=U5dsjd&%$xH5MDPqpKSPSrgF9$#d2{LLXiEDwt!?Z>Uv zj?&zI3H3Hyz7Fqb$9X;<zd;bAv^?aDPks)6@`;KqD^hY0Bx<p>NBePuX+Mrkm8;If zxggqaV)}@n2tSTihr^3hiHIcHuUw|}i;Z#X8YM*xS2SH&&H)0IHrfx@ks@ub9QS|P zpdv-CMy*xn>w*w?iKN=1;1aGM2V1xzA2C~o?QB5B;Y8tlqScW-^<Tus_hZIkq?X)z zD|F?SI$AWc7xb7#mY1qglpq2qkZC(QZM(%xGzGSkWhF8tM@jN%KdClJRid6D)A(`p ziuhb|yBqD7PvULAkPb9aA%8tdRLEl_MTK<m#te^wM2e+4#dL)dRR1%(kAV|0T8M~} z78ffOxxl1Wb<(BP7Z<BF;2nQjnv@sqH%rE&xm-bLcn~*K5Edlh=Y|GJL-S=pG#!yA zlgapb{Cs+jEoV<*;D>Vg5z~dzpwK)aFyv3q3yP5O@`9v1fq>@mLi2@u>EB}zNO}3Z z2pK;pls{b<BoGL=LDQwe+@QQLVV*!LkcP?l5r2<?n;#Y)mKz=x6hX_lK>{9M7$gjx zK0PRcpGW71<<WW4@PEJ%A*1udrCeUn^!(|3a3PBb0#Bhqf{6UQP+H0jl?rXRhzfa9 zx=|sIErfX~ZGirHAsH*^)LTT|<aml0S_f0>)X*rHSwX5)Cyy_c;#V4ramjVMVo^wl z#lC_&>?;^lg`}k<g<zS(LM%sKD^9-{sGckezpU6`w5m_Yvj}(w-+8iP{G<k#V70I) zYm1JY;)n<6R6navNFwJ$qTb}N7VU?r_&h%j`OPTWFU9H`f-U3*CoqSzpaiuF$2q0e zk9dS<KOKH5ESM($`H?@aCMK%Z#A|Zp3LSn{!vP}NZzy_j_*UfN{G1MJhHDE8h025p zxB@|LZaz0J-w!{~sS5Pc0yDVPxT8Xz&0l9bBMC^VlY2PTef9$68B`i2K`y2y;4O(7 zM~y{23Hb=TlV?Bsr$=O8aH8y~U+q_Plw|)P58OOO_6FOBd_KzpJ{_f@6qJf805%1s zq-4OXqVg&7gHRg=v2ZbI{ZBwmC)bpqr4QN@08@nhNecLKP$NYR7ZZ3=QP)v&^s6Wi z=1>Eljw%I&1`r&~q^9)f%R`F}vl2M+#NjXWSRHgE0#-}qGV~Qc2KP9ALI=T1_9{o4 z@fm2-07EB!J{3%bBM~0LC>OvIUUdwd3bZI~xOjYyL@F8ok%wk2z_?_LDPTsB*^9w1 zkzxUO##I3$naA5W_(Fq2@fb;RsUYT!3mQ28DOm+$+|%>g&Orm>dC)ixw8_9@Fyu&9 z>+eQ#aYG@*J%^b(n&L9EjD^-E{R`s=S5^#U%~L>OFk~?ScV8^fVU`ckG$LoKu92Eq zYa}T3=pp)03}`hdChJeuk7#EwBjr4@1bBA>&Qt~}52JE1>aX;Vz|)LgJP!Y)cG&7h zBF3<w<wRetly+JLg<BJ1QR(O<x~~P*kLxkMN+keKJ&u%lmLQbR{6XZY5&v%Z|3U%? z^vPfFI?x{U5SmAe=~Q|$EvHp<30+Co(C^cG=+kr){SZbsfIFBQ!cE|+xn<m!xof$b zxjVTBxJS6BxYxK3xqot9c-?sYctdz$yeQuDypg<QUK%e8p->TTDQ`FLd!94jjo*te z<d5X1^Yi)T{2ly5{6_vo{x|#|_$I!iz+Dg`5DLZ%as)a-g<!p4yWnHN5kaHin&3M@ zv%n+>2#pL)2pt_dE;KV#8Cnur8TwM_lF+rG?}dI8dLlG9j2{*omKl~6mKU}p?8C5z zurp!z!+r~U6y_W*3Qq`EhtCcFAe<G^HKJR@u!wOH@`!m6n<5$`&P7~_U<vyQ!-Y}8 z5ki$vFRT$R6TU6nBK%PJiSU5%i12gaIpIa&HQ{%{yTYG@zY6~lvP4cIH&G8!FHwI{ zfM}SAD+(7yixNahqH&^$qNyUOs6bRC(u&GOFN&%~2GLT{>!LNH^`b4J_eEZjagiyJ zsz`0*;>e|uZ$&mm8Y8<!^@$3I3Xd8W^?KBns8dn5qoSk7N0&q|ie3|aHv0SMz!+{! zR7^rlZj2&E9ixw#6*DhpVa$@46)|gKHpILevoq$?m_soqV=ly8kGUE1eN1c2qZs$t zezC!^;jx9W#jz!^vtuh`7sf7$T@kw`c0=sDu{&cwi9Hy5BKBPD)z}-ccVd5z{Ua7m zmGWWXdoa2OEu!P-5p*&=fu2N5=zO|}*3q*VjaW*rqSw*e=nv@K^g+6r{+;&Y4&jdG zPUcRBX1v5b$UVuu!o9=&h5H-V#OOpgZwxP+*Mq+sYwawE5flhY1T})!1RJrwjab_@ ztgS=nbD;x5UkqIw`eEqa(DR``hCT>&595Y;golI+!&Tvn!yCiD2=5&+Fd{G_604UU zQGoS(E224~CBhr4H&hrQOcQ1c?_+iBMX{nZ(G<}l(W|1>qOGD2MMp(vMHfU@Mc;~y zq8~-AqTfYSq+_IOWcNs)$bOOjkwYWt$gs$$$mb(RMUIV3kDL;j6PX{WjMPMyk>5SB zDMK_=DtA72A=fL+CyWzD3sZ$kVX<(r@D(BX4SF&9eQ00WpAMvl(*inzj-nIkQIKFd zBv(P#(^p|dY%a|eaHF_!+(d3NH<g>t&En>8^SDZGF;~Z(&8@%;i@C3GmvdKh>$n@Z z+qgTpySV$f_1weUMs5?gh1<$y^PG7;JYU{$-XvZguZ%aFSHYXlTgZEbxBNfhxS4-j z#?FqSD|;_?>@sx0s09z*SWb3zmA&Vnsoajm;(E|-j$LvVjAF^`*>?CRa_B6_uEQKz zY*uBs9gAHz7Cb&@)8avQv1d_r?6>VID4P4kST-l0)BdvC{69YYlGE?jv3_*8>sO&^ zn>K`N&e*-=O507Vt*i8^qbu!yM9QqQw`1AadCq;c`H$I0$4>r!%p0ZW9or)bP79?h z2hcOmz;&U!INDESJNB@f63_LfdytBA57$g`F4m|x3DRO2*Ng5>nw@&MB<eNOrTC3P zsgyC?p|xud$8@>0R43#1rTY*tmmXf`22KL`=_cQD^yK!Z`;u<^9z8AH<iZ^n21Ug< z)^HNy>3+|-ad})Gk4rPpl;_-VR^jn!9v=a@a0;DmL+r#f>vUavc%_x&!T=FHCqb>j zp_V!60!grWy1^aYWI|4wb;dNArbK}w0jA~zaYpj!N|v9kfUscpl`Ib|FsrLwC5uIU zu<gU7^f9mdcJF#ApnR!c=1}$3J%bJ>XlEQc5S%*Y53fTdFDI}95_YZoR@`dbJ*z?2 z=y!3~a?0*u$`1#2;UBA*aY`bNJePPnp}Y3EN`qq8u+LZZ+otI=DCLFzA8@bzF<xqy z_RiK{lZHE#i8qGSoW8T_&ZEWOX2wPzU3PVJ+bsUg@~(fh=oiMXHXX4aziR76<=R&j zFUf{fRUgXnI(+;@q}SK=^IH15>AqR!_wLDuf9PfpzWs1?pBFbZycM*4(f9A%-a5GF z9O=WAFLc}YZR)x)x2FAm%YD=EwOeJJFE6by9-qB&?5IRjuWu8bmbqM%&##zPSe7R~ zl`~>)`oSKvkCgv>;@}H*&`#F+dB4;19x_YW*PY#y?In5RS5;PHqwbCK*XH~bd*xno zMesG6=jaSYcW`iGvDkxP+J4qLBJG}*BdR)ATO6!oREHc+86E4}gT*qjooPoD_`_m4 z7E9Q-KRbdBqXl)mI(k8{WpJ)WX)`v&tWmZKl@K2c7)GD_2C!Y}u2u@{ooRQ1)q~8$ zhMhRlfu!DzJ%H}N0Xod>1*>Ef)srA(^d*Q#3nGFTo3ybX`+4&y`z~)TDgWuk$@JEr z<RAV1U6;Ol$5lE`3zxhzVQtUa?|qkbNmTt>)I4c6ZTwA9J5cM=T|IKkc44=+p&z`t zqj$s0&68J9@11r{*?E@xj&s(~neE@s?3<aqS>|)MJZ^fx3e~Y=;e}NLoL`Rr{@Uft z*uJGnFAeSKnEg&fp<nm)<9k)j{g|#~uZP7OEEey6rZwXDqXVHT_NBs=eR`+bDm1b9 z|85&H+c3?Ic+7@*LaPl={}0(Pu8qtqG3=jg7{5fT@F6AaSn!W_{C2L3Fmcb`ftwPO z_PU$awMe_By}D!NmG_2wj6R|=Er?2+=;3{u9XssLEh|=B{!Ci#GWA6Af|6TJ31j?T z`|;4QgoA4@$#=aRH}1#kh)=p58F)W$Qj0fFJvMXQ_JtelE)MN?YRrvmxnDh3!<)Jz zd)1W9YXVc<pZjse6=|e+eBU$OGhCL9Y=3wAgZ$``+ln=Jmfew@^8Dm*Ro?Pm`vWR& z7{Bn_c=l7fnd?elohobi@j2bT_yt3+Iwvn)ws>jKTcwHp<rg;VO0T$2<ry*z{QZ}6 zk0-4W9Xawn-{p&+*Y{~Pe0KT6Ohe>1>`gQMcKUA*K306>v$0i!od0myzh&Gi=Nq1Z znyshIc3jEIgrw4FSEBrk+1cSrpeLyX5YzY@lX0q`wN`V2ffvv+dZ@Jy1Mg?CQJpr3 zvGG!Eu-4+C8AA{6fVEpNtP@tMkOn^i8lux`gL0)o1-#%~nTC!c#Pw%~(tMg*7g85w zJDNCzzZnfz@UL1q&&IipII39hKH96_SIJ*b$bBw0J8YlZZMr`pV<6jy?pg6{@AvpF zi%o<@l|}AaI+RLoSu&jtFIzu<u#?(n=QjaY>&`E?-@0IIz}h$B?0v7D{;vG<0dmK$ zKj!T!I?y_NP%i&wQeKhU?S=yPhYlM;m9uMl9=*Hs`p&!8I7eUbIQ5$D>c?5%><{ms zP<FfQqf>!w&ibuCk2$<>$Wr%;bKTmnWtFJLWxI<<#H-wPd>`?~2coaLyx`gHTfVDe z);2}!pQ}H1?K$k{7pHcKesk)#Jx}(Shns{5x6MPA48O6nb;=gj``)XEha~m6;<vZq zQQ7kG4GTV~TsW;Ide``M<@{m6vp%`X>C)qc=E7c6&loq-nZs+6Vm~?a;)w$>e)8P3 zH})%Z+m7^&dU07(!#>|jY&~7+a1(B-(c-4c{1VosT@UQq|MweNX9JTL*t#hfxT!fd zZXzj}+mrT!%n@q1!5eFIxCZ1T>+*uR!{{NT-KB?L8oAt;aT4)CicYGui9E33!!;nn z;0~b&6JYxuBm^)cc`QKT;NO?R_wKliWFnDJ#3Eq`!)Q7bkq9)dvr6m#HS#Poy8QEu z+=27}GjY8;iBsa@ki+MgzndWe(mw?#my`ivUU^yNr=%<G);hd4e&6x9{F9lPyjNv) z6ZamPdHwxIw<ZSi3U23y9QsLCfADtc4=Ecq?*As)`P+<N70Dd`ydAp^eEqvn-J%rn zhTrtaZApLc+=F+&osoF%vg&qT_#d06uAPxntA6M1mf@SD-q~SCvDBx$>b9NSaclFJ zZ+sehb8dm6=m-DuHx|vNTkeUR3IaWT{c(|8*t+rabu$OK&A9nUvt>r+;g)ZX<~O!~ zaG>qIQGrXZs&}sc;-uSZZ|~OJM_<Pc>K3=|+~J1vJJ!5cEv`}6r(dqRc6L<UH+$E8 zm(oAZ|L6Lqm%ESX;~cW=$6hk&Uaw!P=WGd{zAQwsgbFB~dC}_F@*%0|Pwn!I*#;1^ zwfY}>`;O>4n#Fo%07CX3xEv@NJ-9BQZs39eHUWs1=#f^dWbW3r`Py756LaKS@xwPx z!70$+T8D4+u?%M%qwRQ_?trpe;BSE<F3}b!1YS_54PoZd*|@3vnQxt1tzA&4sN4Sg z;=MjgobP?be#}jcb@{3HhPbI4pHsX<pA^Uw&c<)QZw{_F=HSYaJ+Uu`!U3$qk=wC) zS{-?5Y3bu+6svJzUjBs9+E*fCbLn5&vf<;~%N%|k`Lj;DF{k(Lbt|`jTCwWqJuA-t zKJf0zT!%_$>iy-71B7W`jbABe)i*sz`)pFTmHRJm?{;VHPhSp9X)G94mOb^gH%G7E zn=BZ4V@UakktdFP8Ms~F=TPqc-~QY?e$!67SL4#MXRcBF_DB%i+S{OXd7i4dF*sy% zb=NyTR1a$1bNtKg^Il&cK0M;qmDke(w!hMIU7v!p-bX$?@#g!BU%2t(rg}rp{R3Gd z?{BkxzclS?o20k<w5WR(-*nhD>-AjI2i@}LCB`)jtbgG9ntJd_9kn2}@XJ$<17@)< zElGMUKG!+Z@j$`7tM1z-4`uZ^w(8C>y_<9(d+~%Xg7?iDpStYrwQrZ{UaNZRm)$ES zpWNQ<(pzut8SQ$=C=3hCzxz(f*N08qZ+A|sRroKOI%$sK{Vx{po51zx`%1`)%_H6@ z4SRQ0$i!1_AC=kPT)3r2qo!!)@du^ldq$tB?$>X0Tky!>DPhgQ&zY|1>*p+&C-e0s z34Z4)sLYq<_BhxwarFJ>wd@<4gG9TxZ>pL7!Df#??+;qj@-VJ%>xL7a$@JB{vmZ_9 z7Jj0A>cl~x)$Gr`{yh7Ind1!iPj72@aHZ*u--C-QpAV~CP;q4Y9J`sVIqoO>(krfb zwHlLGMeVeId06VhRk;=OcmCSvvrk-O1t+gw{B!-wS?<Mim-iUQ>toumBuoG6>J5`l z(3OsT;Op%zeqOPuYy3iw83*Js;rSOf-EMtCW&XDuDTz|UaAy}r)A+TM_;;?*rb^GY z@$Wckl5;$E4rf=#aro#?t>Sj4JxPO;YnSI`_}W&ZLz~5ecXjQZ%6yH;NyD$&%rA2z z@GTlXvd7P_Rv`Po1EMSKo<4`#k#ndW&Y`fe4Ii#N{;uQl#7RARRwR76v8vH!ap8|I zUb^1vvk@Qjy!$P<Em<n=BHVp3BY)4avgvkvvQnxK^|re^wtTfBX1wm;lmf?_Z_No? z)OYIjWjpGGnVU}EuMWz+AD($@j%xkbKb<p*c76En%*mgB7q_$5Pn9=BKmJzJr+Hs} zqO$MkFZZsTx%H)-t;eTqo;~c+utyman&Rt(Y0b?q?OuD0r8($uJknuipYcB=PU~r( zOAme7=gRt$HN9WH_qA&O=s&CYUk^N2Up6GG@sYUl;oDPQ%E{DSnd`K6W%ae*)!m0L z4y=!uy&>;{WPsb?xQRu*KI%W=hg)0PM~o4OzK%0xDckF3EgxH3ygVkAf9Zri@JnIS zWkJrY4<4=c{xzldkk)jUgX@|$9Fe{l-)&>W+uaRc(dk@|$m^TdID`hSQw&)0;h@j6 ziYC%6$=&mh+)Pi`3|f{osPXlcer*Rn`1HcX%6zAs&wo3;T+-*@;1>oN=h)pDw=3`+ z=a9Bx<7>bC!d`yCtIPh<*AsWY$E|*IPs8dl(YNFSF5L<L>e$7JwH3<m3Vc8Nam46| zK4o8T+{zAES?XPB|4Riw>+&l;)4mrTba7H`=y7=A&Df^=QEJvfJ4I{F-uJapt*;LJ z!mpqIfUOR$+*c#(-)icgc0TDy|L(W1+{rrsInOWY@X{skwC*|kpx@QJr5~+7@%`K) zC*KtMGnRFmdkfp#8;@^uh|K?Sn<Mu<eS5G;v`;Q%%%}J(i$@pNZyI+yto?=RZQ>Uf zNq3$d|JV-l%q^zKx@Tdhlj64XU)$-P761RmPRDGi_=m6g*jROR7$LVmJA@9Rht&<K z8@wRkFE?Wx8t`cfGfqhlB;&fXed*pE`|nd*8l6gjIP4^PB<<|zSTN5O_jGimqYHCk zH}9ixmL2=QxIN++aH7IvMe0`d_d6pl`8Gv7Xh~7eDhqf?WPg5pTDMZKrLI#RbsuuJ z>2Q{!!kzn`=&)nd8t%r_`vb3hR7(4%cS|}vDf{y4iE*djdu!Ec*A+pRdlXEMn6PKi z<TJaselmBfWYD8!uO=1e)WkUTq>B!1xi)e1)~5V{uPz%MRkAB;RN>ueKJ!k7t{k+? zzh-=EsWg69ldoEQqK}8l{z?|Bn7<<B&3P-ouIErYeq8(7F7fT!gs99IpR(sGiu9Xn z$M6jL^j7&;r|g%PPiww5{O9XER^^wpuXovclS*0=T_+8lKQW0t?~~|d#a=TDd-neL z>Uq{%rElpMRsEXWcrnNGkLQ2svtn*Mx6(m^?P01N!mW8V|4Z)Q&huH@lFdDB-Mp1_ zua2A2F7{m4jyMtbwzRKJ&4ufZ6LjaTt~Wj0rsm4+NBh?G#<yUP|MJ}NyCfabISrfZ z$L0)=5A62C)OQDRx4!#saelY!^uxE^3&jto?${b~b->$UFWGLOxS(WL+EIS}9GyL~ z$Asq$bm9w6D;-v<My&cskiB5<VgBkZF8AsdQzO6Ly}4BPr=8bxi`!yXJ-<BRP1f3+ zJwe;I=pKG?hb6mTcKC9Mw|H&(>Jm-AWnXOhCiB$~_E#U>-Sm1>`rf#_($@>-F1-`p zkmi*4+PN_w6=Xm3oAlMO!i9xj@4q$j#`?p>1N94omt1sx6xL-^mUdR6SBQI~u)Cxz zN1^4Oc+r<Dkw16TZA_kb{vrDim!6AOgbjabM!&7Sk1pjFc&2PDtWS&hD7*W}scD-- zll=RpmGtYoC0;zYCg-)Ty8D_gy*`i?CG1M@Ikfgoy7JpMJp%42f9qZ<%JA4CFva`C z|FAe=*bjH=^})?2hs?Pry4pUW_%&nLfbBmIlr*&8bBx=^juy5%DwZkUoO8bZ`t`nx zdaaiX_7X1X|LQ>B&F8p1Wcywk%o<~-elPu4^{X#jE!rq3$ZFY9w((@)!iSBIUVrnO ztR?U9xu*s%ez`QX;e68mdqwv3)Y(N{tFN!T^X{30g~|=v62vXk#VOH2F5Zf>GwrsV z{P|{TpFi_59F-T2X7qf?>6cv}J_x!pX{>ZSwWl=gtIM(4liiEec6}C%eR$*Rg_{Pv zv3#K4%YyQ4@%z`fO{g_|Xi#?d`{IwT%TIjV>t@yaA&0M2Eb4Lk^G|Pl<?6UN_{@pm zrL5b>x&_R5czv8occLvqD%iKK(#{33fm5d@IdUsmZP*-IiJ58syYKw$JfFIB?BeJ! z%-!Cuw*yr-jrQpz%%1DgQE_6ykgUH(baCK%APB=fFE1Rw0fh^~r@(7>^s>3QXnuXe zkR!j0TTh?8GOkYGy=nid)+G<0G6#J9VXB^WtasYB-;`9pVOQ>~xi$5J_Lh)jS#(|g z?bO#3*0!zuVak_R{C?{3{<Wm#B^P$u9g}9?iT)y|^_AZbn$8WZeCf1XTX4b-pQMpf zuifbOQQB_<T~)rNBQF2>_3q0LZ{Mw%+Elfk?i#SoEud}p7nia(dzxgd4M~;nQ@0xi zM?9yja*GIjBp5#K^PHuTr#=;5+`Rt4Q0cbHF3<OKJ)IuZ>VCaaIcNBx7f$t?oiq4K z%A(y1!`OY&Zyo$|@k0KP6aD(S?AjALbm|{1b8cmSwSJA$_|x@Qqu)zC{X_e=ZLi;Y s`Q0_H?eqIwc<`qzN|(^A9{K(-`I>86J|0xsdq#e-`@GVTZ>Hz}ALn|V761SM literal 0 HcmV?d00001 diff --git a/venv/Scripts/_overlapped.pyd b/venv/Scripts/_overlapped.pyd new file mode 100644 index 0000000000000000000000000000000000000000..4a6728bee2bd938d06ef5f7319cf65178d888d0e GIT binary patch literal 35480 zcmeIb2|$!p`!{?K42z0_3g&`2A{Z**Jqt5z!y=4|0*<n|pu+$IGYA9DBH&UeV$w*N znORw3YMGUfm6hg(Vu@vD>64aPRHkE?k&#l7^Zm}bXJBxt=lQ?i|9jr=egC(ebMCWW z=i1J7u5%Bi&R)Z~G7Q5<u-O=9H&XJ%)A+9=Paebc8}VL0W>>F|NABjOd^|Ekt1}A9 z4P`|Jb*Ug<t=E^C1bG^P!K@eP^n#>m>4MU-0!>)ozP$tOLy!D@)&b44vL79x<hw0D zs*zv#r}SzOO(j<gXezo|MpH3OXLoY-gMJgz`a!=*ujZm&^Q`no2I=h1I9fitQ)W+_ ze<b6~?hL2-8M=HenbWaCrGjBncy7!aeZ_MeWi5=$$UeM&{TLBSV!6_v#YlY+lr--{ z-(48SovZFjnVl#AQU_G>7#AiUm_jGguPf!UYjPN7CQ7YHSCi^B3^TYld9gp`46|V< z-WwQZBPJ<F;|xdLUD9UM$2*rR8Rj+2ey=CYq^UHaa)l5Pfsd?}FoV-0V3^!6LxI|) zW|*<}p#ozvgAt?%PES0h4&$0J?PRQSgnkHV2u@Et!!(8&jD~!a(Y3C@ix&cL;QYjs z@eG=hGBhM>Cpcg{5wr+SPdvj+aLWGA>%W14+GA!<o8L?&<6~*I911-K(woNBSo@d; zZi=7I_)NDjN}HcA-fE6`Hf`E?XHnoCMaP|=Ov}}piybvrCvOszGd|)YbxDCqS=q(z z#k^vdqe+2-e_kqm8>#<mAAQmvso=>EnQEkgs>z$yA`RZ-@nR6tkY6t3PDIK+dS&7F zNF}RH?y*QC`iFh_5YiZSWmzK9_y*yxQlv>QT|1PGbaERveu{m3rG5MiGQQ342w8Vq z%`KbviZei(MZOOO^+|!A#Y{1yEaq#i)r?OuDG5|+!GX<Lwlg&yX#FBulQyXFA?;cm z?Ih0aOb<G@x#(z<)T7O8=QigZZ8Cbak!IQawgEJ4Njl?W^P5awEAa~2l;C~yRdf?K zs^(cz0+YnYtw-<2TE3s#WbbA3YepkW^WA7YkkHzL(z?})(zn%Z6QQYvnQo^%2F(EV zYnpAUc^JIdJ~&5ZLf@-C^@>hqy`lr59idIBT|wY9d)fT_DeDZbZ8Y;KMA<gKbttl# zJ1uQCbBE2`ZZo&p{FVT~EK7&Yubj5$*V@b~J6oQ#e7Nii<;(DzD}79ZDXcS``4a2K zVkz)<D<`YDOL?|-HAUuXI-@5y$Z@(J-+IN>ql!)<Mp#bgQAHbl)vn=IbyU$#@<$aN zByp_K=gu`=wRAXR1&g-%#bc$}SbNt>Z>Z*(_~OP^cl&x%J3yxZxeJuG*=N%Vf-Ht6 zWRaF;>y%ELjl53haA(K0AGZu&Qggff{TJy2;&jm`<t|X0XWc;|A)(NqJ1KN``q0ul zs6$I{TXy$~K%XoNRMtX%F+&(kYV#wofzy3B&Y3s&uqV@_ea%(SlkjI7!c~Nhzu?be zXv0+)30mO@zxIYX=Z-as$r|swbB*_4Laz9ZRnlUM;%c3{MbTF5RX33j*#U!OX?OY( z@#ui?MPOlID(~*aUD4a{nA>}@E*;ChWZ-8ySuNM1TLQiA<jzhaZ!!O2!cuwjbm$L< zg#Cp~5vakJe&zpRz`OBH^<TH{qu5_}hyF7OEQ-!(H^SJaVVg`yv>Qny7RrxuuBW(> zuzpsThU_33lBh>;x}TCT`TqtA^55mJoc}PH{#|$r{`2tGTn*-orT6O;ofd^xed^ii z^{MBlYxjX)pcc3-6`H|&#e3L)EQ+%=9WLe};>M$jt2l`;b&B>nMMs^Y4ce~Qr!}&s z<3964q_&0F?sbZbsNIx=vFa4oO_OPQbyEsW+cqg_+Fq|{DfU;|%;#->jlhWb7_oYu zJcONTn8TW|9{Lp<QEI37V{7&x&fe&;ThSW1qlPkkBL;V3c+$BM-3Qwn5s`A}1L$bF zJ>N}(QG<!-IC4;dGAPD@pg-A&GXSckt@eg#E{4vw$oUYgVo&dPQx@Es4#Vw;XKka& z4`P@`3X{rjDeZ;kRuqbl71nu`Lj`MF2$=Q_)zi|ZqWiXqjQs&swU|<Sk+zx1NiGpo zZ0$}>?Aqb@aZ7^FQF{Es)E*!nkq74un(${9R0hlqqS}?(+@;VA{0y=O;6GSUC3Fs7 zLhh$PznZ0;HuD040+`TPb0r1@pFq9;w{BH7a!iN-D2|Ph;L*OOT!0{Mq^J=eJ37%H zP%=j+3P@5vG5F}jK=O8!L`+?pXI+|CaY$X7&-A)9Uu9j|V5=PU7_8<9_9&BU-NeCm zG*cW>e(*{sT9F=7=6YH>mM!*l1y1XYo^?xsIBJD?*Dk~GHH!mzrp23xIgGLTXW5MY zwvz-(v?5e+7@r-)Fl$%RdOt0|?`e^l!@1eebDaD;xJOKZ@-^T!)9_7efP!?bC!r5C zH;Wv0=SoT<AIs8COCn5NN@#)<OJZP6<E@$w*NO;RVD0YVD47~ud(1TUXkswIMh(wq zzTc9-pKggCY&+TNQ?odPG4-ua3<jeNrepHcZGKwr4H#fCrfS|CvQ3m>uzGtS?+%6o zzKDHfnHX5p!Sh~mn9S1A%X`HhyexZ=;w`)WK~L}64Jg3i#2B~u5rkRJTGIS$KQp;! zPq%&6>M`Bs7lP^1olMm^u!jmP;e-yh&pCu-+CH~*8|e2k|5WqtZl0s`4#SAHCA*|* zp55+6E0XWdI@U^3PG6+MsIxPIQmdrG<7GGC9r}_m*9Z&PCovGR;;+p>E4mFkDI{?t z#Vs&r_RyB2LF)zQ?YN_UDz#Lm6Slew+uUZzH`gT!YOXM*Q8iaeO>Q+;mbUh>Obx90 z&BfHe<~LW97i{?l+iW&ECE*k+DySZja0Itk1lKeLL!CuW_B0Kg4vOW{TBtJb+7xIE zOCKB0;!4{(;UmlPh2?s7-CSrTO5u*0CQpJSB~dA6Pw;FosMwS1d!9l%>k<U=AHXCP ztZ52xH?gLp)Er_-^f^l0g^Zoci8|X;ioEr$pKLfEQaI$_6Or*dnh;224$FM1yN;3) z?VQdu&gAUU|D9Q!p>98NIjBg)`hM_t&4YoA$)7W$R@;TK%Z#$y)}3;o=b?qYcasDv zvb8q|Tj92w0Hq|VQ{cd)=_BCXlG$N7Q8zKTrqM?Uoke%jEPv~(w`?}-91a_s<2NYm ztZWXzZ5+4V6~N(l1yE(zmGut>XKP=h-9e@p3Jl@WuWbui3XDw#I0&}u0LLf}4*M~+ z3ul~uv?x5&L2_*DuopPO!wTSNU(8tS)b|0zp2}h#r~3R}yMqI&pyP?Fpw$JoXzIVq z0dM?xZw`2}yY8<!fLjlC#4dT}&IavD?arQ<#*X;k#0njj%y!EOu*99*P*17g<=_Up z{_z4vDL-&t5bf^2fb_r06Xte~Cl<1Hrm)EfTXg<O*wd?vEjauEed$DiU?bg?Kj(U4 zrzG1MHOp=jpm}yRSZ@r@vhyc7D0cHFHtX!8iGkP<nYu)1LZV@y8Z8|-dA2KUMi!@X zVh>4fV=xsgGbc|6)FVhZjMEmrmSzk|MANEkwb?jD!s-1Ux`M86Fy^7_Bd0E`@viv( zUtS~DW=UjWBwO6OmaDkx5GroLIG_=~0+A^zbSoCU`_4r>i`BgrZTjIa7TqQ7-Tc-? z-@7Wve`)Q-GaX8h*mRyC&iBM@1{vH4WvBYr8G~;pZgB|yG4-(C$RV7pmv~5>_Yo%| z6IF7r^{%+`Z>-lh%W@stIWa87joFsp>fGTkshj9oHxZ5#pSp>@Fd7N#kqu6}55fmq zsq2(vnzEbd^1?cI!Yf&@n_Z{_VHcpQZLAv9b)Naz3jGByClzjT^7h+_CWUnqUBK|1 zfN}mK;zzPi*62JLG5rp}9|dvPO^#YlQ{Lw^Wo7+sgSTNd#1#a~*D+BS#VNnX+;$#3 zo(@AM%Mwo32x~1oga}~j$?4j5fTOg1UUP&f$6-{)gYPQi@Z`eQp+~f5Jh{W0W$AHo zW1XUf9uTc{fJf2B9VP1(XR+e*M-`_D1soX0EMzyHZpW^orCxCw&04Uv5)7ZW`Pnfn z=)&-0m&p#%HM77zv(0?gfosLLtp)XpBN(R{fljN`a!AH}K(P0U1Z?L$klbTtAi8Vj z%9TAvwkVphHjCm2*(S}WYj1e3`W5QjqBsebC)Z22DKmP;Vz3ppK(bHT{910~^loj| z&FG^!Z8oA?n>~Ap+Z8FU!#tc0%0NG{am61~H8;oF-(J~8d-6i*53AFz>F$(v&aX}w zf|C1QHW6n`60-%1#YEkUg%U6m%NFXJ3iQQ0mf3CBb}w`&x6pyz3w`r@yDiHt=N<+g zU5|gaFV+e&bFx&gxQKUXbABc{{C3?P5Oba09sJ8{B#K+nkyV%IV^Oq|^^*J4x<p@2 znZcn(S6j?ry;p5!tId3oE}Y!GIBT+6C(ry}Equ?#zgRfd``7;1e|c4ua*&vA%Ha^3 z=*jIm)wk_B&ajj78mERQ$?t<IG}&nv*-g6}-*ufs1|Ll%lQ<jro4lZ3$SzD$>Yfj_ z7m$<`bh9j3Z#E^PS5Gp+vh`l^5e6pwhJ7Q4bnPJf4zAPQLU}q4CB%{--W*)~7P}Jp zBd^f-Z8pCotRl+-ML}+epx-AWLGPMBZ05W>eDpHnqaSh?AN?E^g?}SD_qY<8XRo;9 zIBKs*zs=*$HOG}(&(%|Tg)v^!=vk-moNEh8!bIK3;p7?h%PQ$f+}yXO5)KOwdL$u6 zH`l4bsT09xx;8f(BH_0I<(6i0FLBI!MG<Tz;y>`}@*kkWTK}!h21Kt)My<BGg7i|N z7wLmiF)95OCkk!IQc{(HD%#3&R;$Gn>GZ(3g?1ngr&Z(<Dk~d@&H^&Ed^L&BYRU1A z!^as*cs0tDS`+DQ`@A^bUar)x;!3o{ebQCfz!laUi7&3|D%@>vc^S0sDm-o<(AHIQ z{<e~uBe+Mk+6%io;%f>5iM9_uKIrP}X)p9~E)3)fYmQ7VcIj#v&lOUCl&}3fYqy7O zK|~AKf{0aM3nHf{TM)TGwgr)m&K5*0KU>f?8t<bqah=+Nf@w^gDYhWu!LbDq!`K!S zLE{)2$J3bbxGiWhjZ<i>q;Up~i5%O4$cft)M7&G3AmXgH1!-wqLgR88n`m4~<0UjE z`oR`N7|Rw!*vJ+{MD4gOh>+A4w2H=rl(wKHG$t-B07_%x<-%k%j-j!Z#)MG-3XO?4 z+k$4&n6Q;Ci13{)D22vESUF*^1qtYT35_FY>_cN;8V{ziKaI-~NB1S)4O}<7TyMI5 z#R6V}K;Vp9V`WU@8Y|BvAW?r3xrrO&TUqONXs=c`>k1^^?=-fKpl(!8>tHa~EO^+K z`Y_&4HljvpCCoi*?qM&c*hlM`!}wTp`x5PB{Q_NQt$?=r6n(5Gv01KCeD@Y_)!fT9 znog!hegyjj<6XNKwMX4Z2IDYRH}qQ3XiBy2$CoVDM_^A_UqPhZhec?2BeIryW87KT z&Bj<?$Dn8|(C#9&J4tOat>p$J_NwR{CWO%o3&m!YqhQ53bE35zTN$kNSjIFW%Q~<Z z1=QpVEkH~zPm2`CR=?LUob7X)n-(%oaN_;Q+{-recUC=V-Xw0c9sq<*#U9o%80>hl zmo}IzJ|BgfNSE5i2i21|lQ-*WEMS%5V)wFL%xTs~0K4@a91*OxK2SkH1OvDW=K%Es zphUrYT8ER_fJT!qfuX;3A-Z9wwOR>w2^0}_C^n<vagbm#f#L#&v@G?)^}lzdoWSsq zhq&=dKVX;ufsvv+OucJtE+#k2T%T5jB|H~?c)Y?h=?3Gj)jvI(;Gqi(mbN<cMOb>& z5lZW<dvRj!Dt;C4a>ei9I7^FbY&^3B<FV=3T0O1Lqa0fk-j<`|CNdw4WEj3awA9jU zM|fsStqop2o2z*?H(+}AJf=w;pcvJ4Vyo;97+V7^saGw$={8pT1`FbGo_|dF1JDe! zx5=Whif>>gb~IZ)u>KC(H9;0|3Lqen^%Fb~L|@{%AWl99C*Vfhi-^tKD~-5gz)Q_i zFP_=WS_Nt9o@x>2*|4`ICqqx7GsrM}yl8vznMRwR7haXPYezDdOuy_ZaZnZCXZ-=x z1XA3JU1oheW^?(2z*65568mXMJiLI!;khK1=O8Xz?YD|1eV5Q=_)MC(WzZx@Nt4hN zBpV-dt43l`Fq=&@<!`P;3Rl+V6(nDK9;-U))(B?dF+64ysocB-xub67hzZ<B-AuHW z2yC_et(ZS^ej{_VdIj=C-nhJls++nLw+`eFwJ?^xf#m=hd2IpEZ2g8D7+~;V>BXK_ z($9_te+~`bfqw}aEUBLVU!&n7(D3gq9zfQuBJ1bY=GMKoWmg5<dItXI*3<I0>j57# z3wsllZsyl$yl^$<)o-B(c8AGz@PaD5;x`jw+X?GfE72pZXw(@`Z&y2`6<$Vimxa@q zCDX^^^+=sp?J9I@J<nm~CxBt6I6fq)(X=x-u+(Te$airoAO<*Th{=U3Oj-f5Lh|Cz zy%28!E^=t2wt5@@6<5W$XFNoP;}|U~`(WCo_`L@ph_>iYO#Ipt=F!%*(D;_-=ugZZ zd#0hXwI51*_w7H4VGgzU^l7f6EPC@(RUPHcd4w0KL=UKu6IH;Ndr_%fgL$D6h(K%C zKu6<76D3Xb-P%O8@a_#LZ`$2JVk>;~Hp^swjVHfuGT(}mI+t@nj!Z#a5SC^!jN5NU zoNA_QPs?grMidKXjcbNkd#YLNMz(8OiM%D%i?p;VFq_g^Md!p&sL8TSj&W`FemB9l ze)?e7lX!8T-xln8J^FLg5cG<k;$`S<nc(R<!7IAi;8k-tIQnz*5Ad4<afe%fyCT6* z+&~bv(R)&7!`Tw)Y4)e1E{h}|^P0VP_rbPN7@08G%-_kI+azk7+f=ZL*a1yh)_1WR zp{sx^IM56XSd{!$e)LHbkY@R?&HIgh*s0q@jq{pz^5!*JS8^RZtSwN<t%I!w<dxQ! z5MxI-xr!Q_tS=z5lh*_b;v^<n(Kri+Mw8VCpsr{%(-wU0-NSkdO<R9NV{1F!tUqx* zu_EjJc*Vp+C`G9@PxU4HkYks@Uhi)+54Mg*yIHe<+aIw<0|GDYHmt!KN{XATFVj)H zSFlJ4K<h~Hl}8a{j+&*OjM?J@x8vx*v-*&oT#Fh2$tO6n&fzk>(Qg*%*LsDZk9551 zRV{BsFUI7tlXqnmR!Qy};RkW6xy3U-WL0ypjK*#hz`^r4N{Gqht=&byTh3)o6Ge@! zQz`e<o7=O&K?e!+l#SqkbFh))Lx#?+Telu0{q623GZ8nGsXlNc(C|PYB2vX})@)Gx zc(JEeOKge9p~8r?@8;M8>tuY)b2r5xS+<*GD4V40;n-vqIK#&r3*IDGr9R^hDW_YN z*usg$W_keUG-k<2`}Vt&*E$0JItwE{wk!g}HhQl+WI04OX?p`vqjfeWCpfdFq5($m zt|nOTC2rh9c<o^hq1AFi1IFZD4NYbq05V%Iqd7^xMmlSj9q|s?b0b)S_@Tk6W_*!h z_OMPsyVgD&vd5A>H_y%*)_C*eC>%eX#nz4Bk4i4-=RWs}H#ZSSmo^wVgqr{`nY<3d z&y90-^4zA~ZRkp>xXnHtyL~6xV^Q2TSL|v%1iT;R2Oh_USWow3d_8N`pb@Sn>S|X5 zjdk^_Nc`jq5<gc>;<uNOcz-40!qrc1p-KG)nmlKsNo_ezwwBQ3buE&OkJWBOVo~tx zYS-bVp1d^R<tUw(SOAvz&SGU<?HXFUjX-h^#6S-Kb5yYnCTjdq1^p(zPO%GL`#~$h zr9IPj^IW}R8+?P@3WlBolih0K%pl@_<Ln^tvKK6IPb~U4_+%FKt5MlVDo(0b>?6~a z5XL)#OQC(}6o}z(C~!V;_kLG#wbiw__e{d9;zr1&&5uDX5Gm<WVPl<D*zj%@HlU`; z)Ni3z%^oXeWlXNn9nd-259LI$6HAQ{h^Sm<Swz0Ew8b1$Q|aSs9$|_1l?&XS7=nA2 zktFez2au$%oQZ!LFo_%I9_BOFet`IRP0&fgjZNuU2Ri03K6^<N{flu(wj~y(ZEwpb zb{%x4<^z88FNP~P9h0^UWNj~r{;n<cgJ?gBWqb;3;bavSd^}xO66jNpFs=pPcu+pa z4k~_MS*L+t4!4=)!x(Y|B6Lx-6>KK`t~Xgy+Y0J%S_1)8+#!AXb&h$VA7Qi-^H<xz z!m=UTk@XvLemF9CZc`VMx^^hoZ<fB~#3XK9_S-eUMwB+8XV7VajGC)~>Ed&Vy@s<G zr?|J(6&y|+StVpdO&d-mHGN5yi}+YpcHMB&r+(@Abnh1}zs#xgsH@=DP4g5VtILKt za^A8OUtYB@yQw#6N-PR%xK6K0rZ=`N;gd9aGuRE=HP^L%?)f@bEWXaj?{l;dKIWS0 zS(ol*PQ)ldZE-eld80cI9~Q`S-Cb}EE-xpEpIqtg%9#405Qzs0T^VzKi~KBLs`-Rh zM_*dq?FCEQVFLl4&LyH^kD20Qcg)L8X_?z{vx&i?P5o*<aj}o#YMI-nn)eDrR97Ll ze*RH6vUXw+qnz<HrIEzPG)a8Sn|G32CS<k|m6_UB)8by!;cgDwM9@~#?8$Wm|1q0M z$&Ds~X+TZ0fGdWM;)?Aq7$69e6X_;FOF}5PG?Wm4pba$MNMk-Z{swi@_YNAj)3}Ys zS7~ge@kJW9(D*!!&(iobjZe~;oPBIT^e7ZW4nMXaa`v$W`O<hWjfuGjzXpwoNoWfq zwikRWG$#7R7DUv5Er>x3$#wn@iU5oJk3EBm7^X$TFr5fP3mGO1VFJQDgi3@*5%_46 zr(zgA!Xku65Y{8?LihmTTZA?QelEiVAczo>5Hb*Q5%dU45Y{4WLD-FO1mQHoHH0mg zqYdFpgaZiV(H1a_0bw!%dB7mm0?g41=~$%k2vZQian-nMt1d$z?bcu&D-p^O@(`vV zgdq$-Xv0{aBOF0^2Vpw`d7ihY@8v@aBAiF~9ibn}%aJM(Cg(9s1VS)EKZNZl(<6;X zIu^knp&!C6l>LD48Nx1v7ZGM7EJ0X}`T&giyBat{IEk<u;U$E12rCfu2(u9;AOs-z zAgo4T@(}gJz1=&GyHzv7xz-ICPlOf(s8QQP40cHS<ARg~(uRcYhx`(d_8G)S>VZJ| zl2RM#(ESV&^vn}F(QsQk7dl{fKgQMt1udkxTh&et@Oql(!t~+0G6EMD#^&LD``o-& zZgK5NXA&H9bERD|uX|j&h+8cT^Ctq2tj#$%kK>Ly2VR`k!XxVtP-yXTkEaD_b>NmX zA#Mobo|vkbk)}uylV8{|iE4emrX;ycQOPj#@sKhSk+*3&9S$@MqgbfXn-WYWgD%f( z(ijD$W+VMMWm=hDL+a=27)DcBuE{rP3Irx|d5K0)RwyXZ=!;BRfk;qh5J(s^+L`t9 z^<@=$fyQ7!Sw4P&DF`Cv8Zti8C73g4hQMgjm6QmyYW#vzqc70uiv(rm8iU%TE7J?q zI4Wt>CHN^G&4&m~S`GQ3XTHV=xYSjGe1qDkC1U}m?r!AwpH&(Yx|=km<p9&Eu28Kj zA#j&rVzq(5(cMp7V$i4ys+{`GpT;m%V+no;v`DATXUvnaw#oD7M<<r)^}vFnGI&gs z0E^HRsY?Xvf&v4eQ>l%ryefh|wV}vdN>)67+Q_J`E@Uk3VKVVvq%onFxrD%jAFzT( z3^N0;Oa!nf>UvMso1k(SCObW0h9-ZZBc;XJ2AxS`?|}MrV3SG6&)1X#Lej^1?j)Tt z-vK?T%P^?*#!{WhF`vC{nz~d|pwtnq2D%YCB2`d&78=S*1tn^*Mi>52H*KNDP@*m` z2Zkw`L05eNmSD#UlfYqzFicr@Q=`dX&NrD28t6~T0!+4615z6(y}QO2kYD-Q8(=O~ z_XuI#^8$t}#f+2$rBaau659tBR2T?U1bikDL^f%X%M!~<!MlXdlx2hwCTUF5%^I_& zpt~a7q&At2=%Xw%-m`LInW0o|N(Ir?MFde3bozo6a4bj&x)te+CXFFmtutloOj<et z$}{x_r<&XIc6w1bsWdX_8WZ<I$24~3>~x|ea>56rGM44f*O;8>0lLkYF>Qt_d74V8 zNJ~min}nh4Woe3xw1iZJDoK%|$WSD8l}}SDW+Y@JPfJrJOqe!<)No^@D^gV%$*GEI znHgPemB~tlYC>lEEG9W^Vsct?hJuWroR*c4lANTPoRF53qEI1|Nz2nRQ&LEM`ZQIh zGASWLp-M<hR46l4iPO?D6f?=NPIV|uQzSZ9W=vGgP-LbnRO!<arz$d>)+s2<D~3># z0d9L7zp*AdG7-Tv3n7kc<f!vP))!$n>UQ5&M-2a9bUu!{<Mz4+l>Jv9az-eh#ognO zqd<>w{zljLX!|c@aQtCrq$j2OR_3IAA)PyA<&L#We)(~wADJdGDo0gOW|*HN$uZ_A z6Z6cvl7gHHon9=;abl^k@`5~WBK&NEA%Q#uSCbMmQV8_qx7_r1-GQZgTB+oI10JR$ zKh6%MXD_Ui?tNh_n_pN2$CV?WI3pu)W?};Ahs!Ch4Od3@B-~^<l_k@5xZ-jyqwN}d zlqqSuBR$J#yXGEc8MNK;o@KP%Nt89f5OMqt9rWVnq`ylKG*;SwcTRYz8oa@^3tY5l zQ9&M-$F$>D{ba8XGnn!NlN0DXIN&;!&8G8oI+tZ|?QpoIHWclf!L`GMA+w5%M<))X zdfo9`{xA&(j1_H2g&ps7-_M=P(aK&%{+a+|LK*Q#*vllOjM%!pVYu1Lq@;`~hg}Tj zcl^d4_hZaz7(HQmMxq+&-wtR)LVsHy$O=hO+ZxCUjAnZog@Kgc{*W^^DLZLT9r=qw zP97Zj)3?=YMLp}C`#&sZd|pBz<2w4Eb?P4x4Vwso)H^?DLSZ=!`~fXpVK?&o5E>C0 zLSbVg?YaAuR~0bIs${*+q;irN(#n4xiMb~WxZS4Y@a`ycQR59|)lTiA3h-wMz;|9w zWvfw!(<W2tRJIYD4Njd*l2h3Ml;H$<*XMuET>t+$b4_+wcFb(@mJVZFUzAa1H=nYZ zR9Z?byeRUPT$XQwxsjbNQi(-j1toYd;dk4Q3%cxnoEqI=OQgVVqh=hW-M!mxd=Y)R z?G@NH>6o=dGmYC(cevedwS3@mZ=2~uyPZWW%4}u<X_;D9U@p;2rWPSIp+Enxtf~X{ z{?zQrW|*zK9(EQ==8`d;R??5G%x)#EWD-ltjP|*hgIHI$&9sj6>oyosMeOeFq*RHc zg&oHX^N-usORTbEuGF%dXwYbwz0MF~J)hjuvV7KIdpp_Fj#C*&EqG+BCX|(xs3yX! zPAStDF*cMaD)Uu#3lCOmLLSUiO@W<m5A&dLO3P8C;t~$K%yrUlp}Itsu3o6g(87i+ zU`C-W8Eb}FZ_<@&>?53TRaU7cklj8@U1HWS=g}%vQ>vPwu1KY4F6IL_6`GK99~cl8 zI{XS4JxP~uQUTS;I9zdz37tr0H5f>-z39BXgmM=cN3Aoe^KcRfx5Gl`v_o<LWn|HG z^_hC3u1K$e2@Ndlw2#8ko?%$PoI#G9s*EafDtU`SI8j|<bb$CfSp{V@6$naT1&?Et z1VfQZsWuojjLJn>#j!Nz10CDDdw}+KW@lpgSo;KWf>VJ*bc-}h8RpK^>&QV?m0--) z6=)K*YJ&p<o1JP25gicU=pLOrcwjG#BC7!W7#YV+?85d{CYET_2IdUu0Xk6Nm`3Ef zaFbQ0D^QwniW!DdLeXjI913~%d^fku&=i`DUECtZ4BTP}Y#hu9`hs+_E-z>7P~@U! zs-_AyVS$nHAQ-lzD@{|ud_pmvVK6%o&YZKu3%;QsAGEKANMmI_nJ*hBqOuAjK!wy3 zNX&(W8Ut33^@1QwpF1F6n4ifggpYxJQ<=fR%1n8cNn55D%Q(3SVpJ-lsX%2S*wpC@ z%TxtuZYZl#mEhb3{~1%NDTU}WOgN*`RFcE6iaU}TB&z(f($X?Lla)9lGmRW)gc6n; z)y(LO75QXLc;6U|tAiuKP|8GhzpFG%0!~>Pt*TI0f=U%px<eR@sV~$O;V7%pt8q@Q zP~rH$kj_p<(Wy&-aYvO#zffl=(^KaF{-_b1$KC=WR|#vvL`4RF1WM&NE~@M`g=T#| zIl3}|WL=tkcxoI~T&EF$1-bzzT@1wB@5reZn05K{(FKLfeJJJLiW#y%ogU2@b-6CI z)EJ5rKqy8C1v;?{gq8?Hg`sx*+|~krXN#y6=O$aBJ2^ZTfCqqefQp>}lfaKa^z=Qe z{fHh;G#d<XnGki1V>PqFEyDqwqlj7NnryUZ$_x{6q6f~E2B>*>S|;*w&NfsjHHJcR zHitVUu?#R`@<Dfwo?O5Tbt>glCJLGFNojf&j_;)zSYCpWY-Qw)@#n#RLP*0kPSNEV z)P|}=C`}_X&z0DL92wJ7z=V^D23`bclQeneq9TpK0p)QzK5;^s%ag&n*^G&lIPa3! z<^IonJQ-hpFHbKYauV`krZFoo1pByqcn)@9+?fH$lh0G$7;-SlVUs)TaiUX*`!JZZ zBE|?pV+CY?>fIYPoXaT;pQzoj-v)EcNZWUB{c}jyx#&xX;Ovm9fV)Nj-Vvw;`6W8c zNBo5lZQ||=BNVagS>ksIR>P-72QEj>u3dWfwznW1snZg5+=#|1eZCfAUuHH6lE+UI z1b4f!#?Z0J_(cwXU@!qiPB%C@2RIzoO7Gq?&_JhIh(B^i3#dcQ;WiBu2$Bm0bPe#B zVdvHm5b(F~;Kqe3b-uAT5!jMDooj{AQAVw%pyvREWOo(7Y9k$b_wdGXzFUXimQJE} zID9cR+4M0Q*0Usw@rfV6`8skJF+S^%_Zi6LBaFD6LcYbGZ(fW~gppq}l&deVVtme% z{17g`(}cTK(%zTLGYi2&_#peFAD0g{V{GKB2XXmoj2DP}{C)QROBf#(d3G?DkANR0 z2Kg3yUWxXTkynOr^^K?}G;w|$wzZwFLIlJ@xShL7IhWww7>t@_7?AVz2GgD#A9Egh zXJ+ieINC!$+}%eROf10=0rt9lBONVRV=#mWs0%toFke#@;_yt5>D?QnfV1u32@0`8 zgSj2fPyrbU96(%_lw-~1go)|Mf>OA-K~soAfsxR)4ZpTfhI07nz&pXwV9=)AUM9dh zDZAHW_fvPFG0$8WA}B0T7jcVl5>>hqm5KPNVLKQ!1$RR$v_BL#9^xD)>bh%SLZ5q# z{Fh|P*XS0)3h46bb`4ml1}>_c2uGR#tDNK2?)N5$gFvVac{)IDs1lHyj1msRy}1zt zMs1n7q(G1`QI!loEV(|hze=IWdY-s~2~F<MeBEt0ndej;Rf9e54Z1)Fl5c0#e+jz= zjU5~C(Sg>)S1Ldtx_KY+o#|ZJV0+nFJ3k<M$K!m??DC5Tb7p3UpxXgYJo6!fZZ-%J zkPW!ZY#P&BfCt*Y8zn?3a;H}g4@7@+BSs4<i2k$lxaPL;$+ZG*jC6%M=qj>#;PC<M zjrVi%FId3%_#=OEIOD@dohS5FAo6PjcKu+0E<v6h$>p_X=o(TVz~ytHuO=fOKZ?sw zu4H^NkUwe9Z$my8`JI7Wy(ijhNj`|ncc9*ce8U4=o`wFZCiyX3z6JVp4f5q<xqLJ9 zWdriL<G6h8UGx{Bnd3=<jAqy~4gP;EuZ})<Px(yFU&wpILg3WQ_%s85ckj=YRuB8@ zdgs2-A4Js2{g*R)-$T;>T`q@5#c`+RJo<l0cq+(9UH5Up<anad+pPuYW_nL&&)z;h zF)*C36z`__=x$Fq{tkPEqHCh_9TnLc$_zNF6mVM>m$j=wYFd~Lj$OQKlOV>BqmcCE zOcm#Q!(dMJ0ryb6A+Sgaaqx1aDy^<a8v+r8>7g=}sVF)ec^ED@O6d#kK{mUU=9r6) zFCe~dx=RupjkC;f>BxZ)b`MWX7ZJJ5lJ1J=n@>+0`J6H*Rj}T$L7QOoICKV%FH~z2 z_3Su`p_Ws%f(qR1AxAe(jys+2SG#7t>%Mj`6V$#YY{VQz?Y!aGF7W4#&H6lGlbTo1 z^T72zEMr>dWE&F*yY~#DKXHTItwuuxbR4Iht-J9Z8_c~ucy@#2ZU#uV(N4MpaSkS< zMs`m-ghQvp-UgsOu+e4IbX~XKE<6A4px4>c7fjL9{e47;AXTk5t4k=FLj?BIAGtY( z5D<qS1&Q0WyBQ0jM9wiF?`^~N_}qeSN6xz1jt(XR_9=NM=c6|4PmXd&O7>#M`~Uu_ zD^7j5FTynl0XiNju_0z6MdI}Em^kFh?@~^1gnO}Sr^a|Ce*+tLHg_q<&vUx|=6H7> z9z)8Ty9?}ZT=`k#tWPsch*N#UdfZ{Ub{CL)FNIro-tiU_S6Nyjz!wijXcBpVFpLcl zX!OvdaIMG#GBYNIMg))#QuGDt5}Zlp0aY4fKwNC!-Z5&UQB#^%QYF9udZRo5syWJ- zuho>QjiIHwd_$SBtk4t+(<Vx7EDc*I48V6WdR-yBU|G(yVJLwh24_K|iTE1+#nHq8 zv>$rH<~L&ptFq@&V$duwV-|cLV$dyw#xK$syDFWl71TS0Wv77SOYof#VtIhtn5<t| zHeX{15SVr3D-|QwMo*dn<GY558Gr9dV#fCXDQ0}v+GzI}V(j6gp*&p)p#J;i_GnJf zXa^z&pN*90xX+Ke;WC=biL%!e;7`jZ7svw^YecM2C<&K^3d1GRP>DD{JX9TCs0n4+ zhysm9BQ6jZvP+#;cE<?faG^LNFH#*EUJ!{93iAp=BQ&CdP_;-RVMU_w!bq|DuSbxm zMTMdWjW{%1oEI4?kw}E0dFsgg&;n^>fkZ7)OEuz%zaBwYD3wX`Wzx_HRwE3Rh{Tbh zk>PoHp%LN&woqEY7N})^GeU%hEtIK+qR_m;JTX?Gi3r7-!b2qyg$3cPS{Sa5bXrBs z_}j4?Grk8QI8r(_`g=lBDd^@~crl6V8QviiM6H`cV<2WlO0`LwP@y(x9K&i&rt+xq z<L&Yl)+JwIfNFetYVvrHSvubC&UTC$5KCMvG2?rT=wP4mcLU%q>n_j`FA7wGL&9Pl zC8h+s2Iyu#hfYXF2NPj$;;NPhU@EaFK%mE-BM(S*=!P&mxM7LZ-5r`(riX*P#27#{ z!rh-PJtYle$-e-{H+N-*1Vg?ShAjPBOCB&5HRe3X2d)b;Ak9#1(r~bhR3el}^79LY z1%(0lNK9X3#-~xVxkI>P#@~H?-Q^S$z*P6@p-gwWN)Tr;>5K}of|-H0Wa2MGJ{j>u zypv}?|EF6-|9jx;%wJvCcco<iAP>|$-5Y4e9{E6z^Dv%?F)%tt&lF)a9aF++FtVO0 zWXOki<S(7_7`E%5gvrA@foK@Y6Vav=`;!{&s{oA}IXDmSD3Lee&q|b`Mu0iWFrJC2 zKnnv}2ryF_zM0fB1t>9LR??0<@wlDgb-|H@wniqO!dKp-UC;3e9AsRwSGha&&qA32 zBXo~1X2KX50$GC;_b@!VRugTf2P`E{tLQmL5|e^|<Y9R$(Juvkif9iqdpXuiuvmmO z<D!9Lre~P|U+fF;zkMLM6f&XoO$ZnS|0P_7q2HbJI?utP#RR}O4X|l|-7w&hQ0uRH z3UT8TiJK!1Iszw|B@JAc{4ew)t8$D$Xr79`<kU17rWp@#aQGpdM)2(5HIn1FMg{m5 zQc9GdtenDKfDs5D3ouR?xS9uS8PKi(+>;MX-;3wa9C#+Y(6jyR9O29lN$A4^XA>TE zK-Vn^3~ru?6lI{6@VgOf=*hc~R??uy<IZq1gd)X7=>I(bw_?Btx|E0ie+@f~4Z;o+ z!6vX%*<$t<>n$81oFtqtd`!4q_z&UR!uN!SgdYf7gqMWZg&v}QB0tdxQMM>oWE4Ft zS|fT+^p<G9=p)fTMc;{j6m^PR#G&FOakhAYc#*hX+#r5g+$26GzA0uT10@egSV^2D zQ=*d0mzX8XBo@h2lIJB&k`E;}B}}+)_$cgLiQ&rd+2KXu3&PiiZw!Aq{N3>V;a`M* z8~$rJBkd&}EDe)JNRy;#(%I4iX}PpQ`j~Ws^i}B|>0#-o(#z7HrGH92WCLZxWn*Nl zEL)Z<E0<NsmdIAfo|J8qy&*dwJ1zT4c2#ym#*gS1F+5^aL}bK-h|GxG2wg;F#G?@# zBDO^Ah<GpJNW{sAGZ9xJu1B~<`a}+i433PAoE(`EIWMv}(iB-8`EcY@k*`I*71<HV zM0rN}L<K}iqSB%=qqI?_QRb*;qqanS9CabeH+pFFnCOV;*yxn#^61B-*GIn?eJJ`w z^u_3F(SJm{#SDn?j|q)Qig`8WpD}GQu5vH=5IHNC%46jU`7HT-`P1^v^4I0N<@@A~ z@*{F4);-ogHYipcn-M!Nwm8-lTOIpI?E2UjVqc2g5qm23yV&1iZ^gRD4UG$oi;7E( z%ZghU_h#I;algeuY2r5(*l*c^Y#h6QUCcJHudoN$CiWw?lT8p#5vqg*!V+P%uuk}u z@DCwh)L)bU`Ysi{D%vGFCORSdT;w6n6webI#g*b}@jCHy;%~%1h;3rN#7iQOjFBWs zawHl_1*rM5<bBBr$#)W~q)oyP?;9=-pALFz!=C^(4~2gi{&o1p@T=iG=}2jUbc!@b zS|eR8{Y?6W^mi#AREv{Ml%>l`Ws77l%l6COmz|J(C$q}hWRi%Sh{A|EP-l0<=MmpU z^p6}DDT!1>Rz%iD{v&dC<Y$p*BEOEj6*(YkSX5Y4MpRDJ6HyzZ-ig{9)f9Cts!z0U z^aIhU(V5Y@XhZaBP~z$6-O)#*Pey+iEr<yM4Wu!#F|%XxW2#~vjd>;J&6qtgM`JF; zT#mUB!^pisl`-=1a+Q3Y{3ZEo^7Ha<<u~Pj%3Wf6#SV;pAT~5MGBzQ0Qtb5DS+Rw& z`q;&>HL+`AH^jaeyFGSS?7`S$v7g3%6?-Z6m)JjIJ>z`hLgU17k#TWxinyt9)8n$^ z=Emj6>Eg=b%yEn3mc>0BS0DF8+|zL{#BGgxHSUeLcjNZQHN_o^`y}q4ap&T`iMt&4 zW85!<rZ5;bf~E}X&U&!}*um`mY#=+9Wmzd3!%ko)vuSJwJDbgA3)vFZz*e#kvMbm} z*fs2Wb|d>D>md{i<ArKrq3|K$3gP3zQ^Iqgdq2@&(OA(0(IcXbqDIjdA{Mf&6E797 zffQd550eB+#!IA<EKoa7qLt_+Cdp#Sa!H+J4VC1rlGi0~OZH2SNj{UDkz9~mmi#Q? zh4&9189p|AZg_sUF1#$<9KJYwd3as;n((K>pAX*}{#y91@O|M&!aoT=9sVVF;~IFw zT^cGCOCzOmQiXJ?bcS@6G*?<A)l1FNCDIk(mvzz?q+6uhrMskGNq?03$^2z<S&A%E zmIuDs1->~U`%-oZQhr@_3vxa-A~s@rgnQ)n$PXj`h!jT6j?zUfiCPu4A?lT=gHfMH zwMJc!>WJzM9x+5e6#Y{44sgad(O05*F@Z5I@&I{=TrGb{eo+3tyl?EF*kQ3@u@gY; z*|7^^AB{a1+Y;***B3Gu42esFw6%gd#DN0e2{WEeWT&u;*cx^<`wY98eTQviKVXlu zpRs4zuh@(14{RHI0}|*W^c40J`U-~%1;Ww75TQsIA&eC!K`xcTEMbl?PpB2@$ydEf zhKMrrny^5u74suKp_>FT@i93uxiL#(s$*c7P~S<LuwB?GWJG+Cm&ixtEAkf!M1i6Z z5i632Vnp$xBvFb;DasJ#K#LcMN<`%%lW2*kTC_s68XA2aXx|{(B6>~KEIuwiEj}-9 z5nIKL;U__%i{TBx{A<#k!2LdHqx6XMxb&p-wDi2RMS4+sRoW(Pmv%}S8DHil^O5<2 zG6GqkECjk(B8!p5%aTARr7T011I=6@E0L|1ZIGRnwaYqWoihK3czKFEm;A}2|9Sq~ zF+l&{a`?3xyL{+s_g-UHPF{JlFVDlJVfoOdD5`Sd@r2%NU-w?QD<|_bu6!5#FY?$N z_uk{&d3@e-nG28KkjAF4_c@h#v%Oq-OauQ#muiL;-qx2d$h;c#&E}H_)-uO#DNoM~ zZF&2AYUz|KZ_ZR3`=2;C{;{zQ%Y7Tz<*wHdvKw4ocrGqJ4?fZQ$C3}yX8kbrnTpfy zozY}WJES}}z_ZLE?8EkQcg^Ix4|JKGAoODgl8om-uWaHM!xc)Rx?CglWe1RAkAZ!X z%!WKQzWKs0#pvo#+IygThE`o+(g=sM!$`9}1AVyyL88V$?j$+alW+t(oK(9G9AvL1 z_n>eXmX^b<AxKPM@4v4vBv&L7LI>lSeP3VrDnw#dB!*cNIh&p51Z-xyW4hi0ebcMp zFvN)-x1t6(wdfD+Fi03T-2+|KWI_Sl+T4uk8pA>zympvc5Gt4?Vwdv*oDl?qxi05< zgTTDrF3Wj5=8f0hO3s-2l>dO<XM?I956B){c7FHhBZ<cOhYyA+XaC`Qc;Taoyr9Hg zo4!@FTi;#WWI7&jX4g8#<!0)S2Y0=j6gdB5l_L7nq!Wn)jQ1_K=yr|!=;`}kGYlJ@ zx?sc`!V7;)SG%OYwEfrQ5VuOj*70>GE<b(w*6MGw<K!Q#JwK&mvG`(D??2kis}eTa z-glk;^!76)FFc`pSTm-k_HeH6k>+F3zF#&jYa7wm^wrvcS3kV@hiS<Jmu^lO_Rz~s z&xh`K<cF6oZGT|UQuWOZ3;OT-R=H{F_j7;$zTe9sFKpKcPMuwEZC<i9ZE})r$hS!z zYx|thuBe_{Tv?#_ICtWM8HWZgdB5uCV}};FfIE4cm;KHzyGcnoydQrM-&gg_ulk(h z$4$?izOeMCxN}!is>3d@B6m+Px|^E^kH;U4Z8gA=$4PsT-9=TFZ!8ZpQPv^ODavER z2l99}z9;LB1b=0YjROgXkKjjOPnI-@8rYR#_Rjf+5~sf7IgWB>sKkUYw4wYwJc#eb z_I5zv>dE#aqk5B>_>dEKHkjo5^GC8Hwt$C)Lm-uuQGLjOlwU$ctRy0o%A}M0xGr19 zxb}MXv8taQn#FGaN&EKi-}M^4ciM9IxiZyDGhP@}|AYV9UP=02OIv3yVXeRE>PH#- z3@DrQ%8tnX9b?~kcIVKhM_XsDXI?+ymHOsM;Y*%5V;6OPyJ&cJ$~Mj5D^>A%LF@HL zkIIT`MtVM)@WX{Kvg3wVBtJZMko&xsB8meBY@R-(=D~N^<^0W%c#B=)`+d?L(R}M* zxSoHuc*C%vN@s>9693;VL!1n=!iXL+EQ)l<aNfTq!*CmOlo<DSGMr96xHb?umi(<8 zznI@AGHLhTQ7<PY@9k&X)TZv8{>07==Uxx-p7OrlwlXF?)7$R^KW^NgudHAH#Q}9y zpE<`;RxbR$C2?xNlh+Q9OFZ<#S?#Vz<ELG#jo8!w{ZZEoX14i>%F?no?O3(N<;>Xo zKc4!{h5UcsS0|dYbKcXlw>=lE?04U__2<;lis{2Y8IaXy?WE3EcibqHPkOD~aCz-z z)yF=2j?@&a8?ryB`Wx$K0b5VL=dx&1#S?QhP1o)-?MqlW_Pl4x>b0vM4}HEOX@vIk zZKjHI{pN@)Sr+mBFY=p{pNo3`{U5}AKKps|uy)IVFW$<wM1RG9c~QWdfjh#EmcM@> zt!A|6AAR<}GVN*4Z+wCc+dt;ycsVZ{m`Z282=i01bAcmk5Xl7*(fA9I@u+5v4sn8j z7qJ?4tRoKrzuzvSCSxd-@d{&@(XOGXpv$`2x~v@6-Bztrhuzk6yvb+`%~yvOiNf+V z1~!HOH-aC|idkX9_=ZsD-b5k%MQ^Bre^tswPRecK2fEGurug3f&y+7`<lh%JPr9$~ zC3XY>V-$ZdJE;2Z+OOv>i%o>bR7UT5d@PgF_E;V(tK7We0gtl5Z+;bYzTxyb*X=9Q zf?jwg-qruYiSMdD8mV>v@*UBx(u3_Gqw~cVlM71wUTP}pchhZ4c*&BwK_6Us^XoUS zTo8P)!29DTP3Paq`D(vxL}KNo%C|ob<_k7&|9R?>Rbw9SSN&=K&I>sU_0#6{Q%p?I z_uctJ#4~S1ec5Y)Pp5y?uIk0F>DvF?_>R}0aX&var<eTMIo}TYaNsg{5+nL<8}nGm zH*dDjeueiBzl|Z|lZTxP*xPiga^3W%m2WIxHMdQ^Yx<@t@wl+Xd(I1b4P4M#JY>!% z)~#%INL_N=o=+Y+b}%+To1gy7ex2#H_lL(kw6>*bpZ{6DnO*L75o+qVT}@R6ByLLo zI=J_U-@nN@8Jx1xSxxnUnp*0lCX!QxgIHhS9HvHJXk&v3*8qYPQ$d(;96N@T_Zb+F zPA>N}f+Ss$&V<j?x-AcE_)rb7Foa{+2S{Vrfy4yh2I+1_zK%#R<GXxvLr5)=aM&VJ zm|-j%4od_a*PUg}{~CDq8T<VGjKWduNDjE6-N50e=|+Lr{s9;<kp9j<Ia?AW^)1M$ z`dGce<psAVr|)ZyFZ?h&Tl9pcA#?BHMPL8p*7upgqM}Rr;}8F&X*_hP;>Xl2TlasJ z;`wdXueuaLV8PB^2fzG1vaGEnN)&R@JHIXC^-piS`tAIrPruM#Dv<rLZO#kxbL-1q zy7EfMwwRZ8x-h)5k9`|n`*7#?+fF_6Uiifai*%(w239@u$P%{gYLrJ&u=lUm9??d& zZ~bV~qS1ZlU%X{_Wq$UNwy!=YJl^@n!H(A_2S0wk?9I)eeb{%SpI>|atuNz8_mAK7 z>5-<>JD+>KR#B&O&G@3`!pX_;U+vxWUFwMVz@Hmi9vv`onCJMl*M?}+dwqYcUHVE` z-rDiH$C#jsMQ0p}tq_>XyJMH9VjD!n)}en~UAwGrIgfW&1BC29P&r^U_JM|=hEXd= zIvF5F!be793B6l078>)_)aEF3j1S#7o1Mu9I`YtsgYDg^Vs!4$vR$oQRtDNz5tZoN zXgsu_$vB?QV{%ecg^Qm5c%yM;v94jq@2mF?e$4agKlwe>R9c^(hHi<Uv-LjR!|aC= zZQ{v<9oISIO28Rc?)=Q*0)`FgR^%?cK@LS;QBlzojPf#Em{r{-w64oxvGo~I(YEEC zOKaVJo%FNGxHWg^yPG!bc(3~DpLef6{rjjZALhF)_hkOD?)b>a^nXs@pyf5T+(<t# zv;T(uU+n0A`GucOjY>UUG_G>qoF|{1vUzWcWYRZdswPf4_Wr5h9p+(&^Y{Pu=iccr zzv=QseEPga&*^@<B?)UEYANY6fvNlEf$`gFdtd&sc69sh=2JVCJ+)aD67l`Hr_zIV ztQoXvSkXzp_uo7A>_1j7_~zQnjh5W&2XmtQzMbcP%C@UxrrG7a(g8JM+Yzsvr}AxY z^e<eN6yG$e@rM7CWe<F4Vpb}PPkrn@axw4hW64h@<a=hjA1u0hzTa!J#`1<8efsh^ zb6@o+{^}W@h3#8BUAgwf7hbG1Jz4YoFYm6O_2G{GXP<v|_Y|+g)<|h^;gy#betE<u z{PxYc^}4`E=FD7b`NwCg_stM`4_`BW{kDnER7hWadVJ=`ec!Hhy}0U?fyWJ{i<)m# zRPCPfN$vgjPw5Do6gFGh8g`%UoVju7I&F&Byf87~(`qLB;RgpEYRjB*z4ZnDH`_v^ z-rezX-I6!9dH;ER^mA=D<A=9zIp&kXo-a80_Kg0rW1Vv{M<1x$pa1m){(?o*EZ0xG z)^y`s%QL@+l`o$lUB0sV{T)kP7PaU0`*1kB{+w^SHRb7;H(ehcr@Z-ee)Wnse;syU zk5`=J!}DkU-27-xzw!sy4V)$#X4~>uj``P(TV@_(m%9&xu6MQTdELvs6IOZ8Kd6nB z6@LEmrS{uc=0BxKiIpm4ML1Qk_}YQ!cVVPcmR;hc-*M6;=XmTKo?h<L@a0^YUO0gD zAq5^@y(Vbz8%2W&Wp)kT+iR$j{=Q3)j;~ti&HP02jT?6;b*TBjYQ!#gx$_+ALe8Ns zIEO;Uw!F2W`BnFINizoys!lw$wdQ!A)y3ByI{WpI0~6m7`Q5+rlIn3qugG`LWEJi{ zTAAmvJ14dF@KBd4X;m9_vC~b5W*50%e156)k>PW`Uc0j)GW+Ed*K0%bugkK(U#j1n z_NQl7>8`h4T{P>X@8aJa^3(EfqOSc`H>`DEV^YcRDW~>sShW4&-0jV?w=EfWcHFJ3 z87&D7k?F0i55N1u1)kxMTXVGAqG8j2Oqx5$HJ=^(=-_jk7d|)i(W_tT_fPq=M*QWd zPa7-8<Q%`HSbp=x*$?Mto6bGx@xq4M3qxxMgscv3j99Xz;B(c;z7ND_mJWG)#Ec)m zf2DKcR7upA@wS|j&c?;-((23C#VW;TkC}r{MYen)$zA-$trz@$O&vO>J)_T|O)XpA zS3i`{e`~~x11$e!GlbsJU%&jETX^s$-N?t@8vRjDX(rp2GNADNiy0Y)(Q9)?AAf2? zK*zy1-uwK_@<NZ?kA6F`PBrY%0}Do5m%3b@wk!B0&+#4Orq`eP%vJljZ?F9oPbIzk zy0G@y-Ax;(%D>l+JbPL8&!cBD>#Iw?EAl^ZZQ_)OVU=HQ-Odl%P~o@S^_OaK&KGM2 z&;23tP#+KdmVrlBU5slfoLt5`<f3b@+xrh=O#2g~J`1=%aO8G3FX0o>jnB7?NI#wY z{)hpW&Rxzq{gEgj`N-psz0|(@<c<5!7d-y<=3_rRSnA=Q${yf3wz=oA%{|j|n}cQk zx7!@?_Y5D%C)Pf3$Z)6lbE~J6H@-aWlC*O{?Q4pM9#Ow}a(a&)<gQyxsbkN=PN!y7 z|Kd(}H~aq{J00Cp@u{vD8>@+x5^zWG$FrgAxP~ze53CHj=VpvU1Np?4^ebUUk$waC z{_N1M{r8S7ja8CH0)8?(iS=}MFIwgWKOGzG-iJEumc1?Gx$yrNw?`ZUj#YcFS8gx+ z;mwG%{w)zV+EU9FR|Y*C<$8KYdjAUF$Gv9X8ZhQ$%aI&ibwA<jQAgZko)d0WULSSt z?F!aEqkr;|ne)DQDk=WN>(4)Z!fSo#7Xyp(B4+F!J?oQqx9@pyyK3~UwNE6M=hnq~ z3}Q<Uzj7gS%J!DRQBSO$60>ku%;e%La|bW`Fnq)4wSjfh+bh%wyITCq6vu{n>s`;~ z@XE#OQ=eV7;mbw=v-8>uPwrA&s!xo`jvZV%p}N$(t$wP=V$NvSrg_YJblu$63n4#$ zJ@Dzmg`J!GY`@4PKPGQbhp)&?<}ceLUt8|GsCdxOcg~;YJzw#>`H`AmQ;wg>_4#AM zFT>V9m>^v4ro#3x#|7rrvbz6}`gifU+qUH7r)^lafgRH2DedJd^y;z`;kRY|opODI z{cwWr_UihvAx=3j;r*<C!%%z++Vjhku5T3B@!iw#g#mm)Q1atfB_}?Z^Xm)N=iW-V z@pJ6v0Z(0)pYG%T>Z4=({qoFs=M5ANO8#;eCa$BewY_$qYxz&>Gk)9a(_C4Xy6mH* z7t@xWD!lYd%Hl`%Em(4R#Of(q_Ka9?FsiS9;L;WQ)HjE2TCEuK#hYz^^x4~g^s%wO zpBZ*)P3$+<S`K@9eY87l<o*{Q{Ag;qsKT^m(eSUH8WF1;9pYJg-{HZL&$fT$fAF2e zeNiihY~2udB=z)X-;O=ie6eA;u6)9rRbwx<<&NIpSaoge>YFnj`>uHLT%YGxjL^<i zCG1;$U#}afDY3^?^K;!^{OpoySmg0nU)we;woJJuzU`Os6RsRTsgYzYnjh01^Vx3O zvrpIDJQY3h>Dt+o-#Qw(ssH}-mXDgXy*?V{eeJVn19z@=8|xZUxS+WsYrv9SE8eah zvE$EAzx{dL;-M4D=Uf@CIDBa76GIv;qQ_HJ!mq9#bw8!ubM5M$XZw#B(>Jf<mcH$w zy}f?(TbcjX^0z0%O!~t3VD^(G^|9XzdVRBh{}YDgmoGp2-dMS0TT-k|HG0;=zqfBH z>+3Uqyk`EM<Cng_{K=!E8iy=h|J%T~E1p_2>BM)B<+LVg#wY%k<*$!;>DkY}>C_dj zoAC1s!mP>BpA?U6i8**ybHMlE(VzdETsiFGdja=9y|3Z2r@|6=Mbns=^VvzO+i$zm zn7}CgvMQJDewDw^oi}vvqUK+htv)>LkGDsJyy`Lknfso5Li(*ab58L2x3?^)*y;W8 zFQ$E~u71Z4dv=&+($~DlH!XMR1KYr(o0Hsy%XuBx9NLMP8UDL{el9+DI30VryN&DT z>N3=gX_(6n?gq?N*rzMw!Gj<<ZX<fR3B6&2!Ots_u@W{y7%>}KyQ`Kjgrhm5DPL=T zGHtYU)!K%=ehG8adGQT*hy#x?SI@iVrYrj6;iobdq^FG>J0^d?E6ctNdTaHB2MzBX z?LTz-@bspLxE(R$e*fZ+?baX1KmL90b4)+Wb{|>Z&HSf!Wi0a9urWREy@03`pRYvC zUl(8aN8bgdue>|4^!U?r4*!r8s9Za4T*H!=PV5*Icks_YW_Uc-F>Sl$>%FQUrVNO= zV*Pr=m#@grjLFFShkEski{uk$oXMT>>V<Qg);`+$&;!P=qc-HedvLz)$3tEoBd?hP zUw!<UWDnPq6Aro`-~Pn5!tDqDxmvfSVE3$Ru@l_V-(0l#)URKC5mf%sPnlU8W^BFa s9kA~8AfwL~(;3;blB_qjTK&o_)-jtygJqMHA6;5_v`@e>O&`nu10ysKUH||9 literal 0 HcmV?d00001 diff --git a/venv/Scripts/_queue.pyd b/venv/Scripts/_queue.pyd new file mode 100644 index 0000000000000000000000000000000000000000..8af44b4a25fff7a59ab6ab4b3b13b277c6540324 GIT binary patch literal 24216 zcmeHv30xD$_xL6Rh};S&Dr!WccmSJ&5RPyNK~Yc;1P>5HvXCGom~1#afrynxtW|4m zwF;tEZMAB()mjzB11(yswrbTDtw$8wqD5;fHUBre35WID_IH0i|KBfmW_D)Yym|BH zT{F8haoTds2E#BGB(oXA_Ctw&QB?ldnHvMcTn2sSg6-{bcJO{i!r8&8N|laNsMX|Z zWd$6$Os&?CoNR)l)vGxwH79mr3a3D$AOf779egdQBa77==Jv*#tVye0*;ER3Wg+7% zUD}+TL)C51&ZbHhRmRR{oGpPmo2239_GUCiK|OXhn}Uy>jaf=_6B-{on@QCtspLvD z*S}g>k`%)d7`E7MXTfwUOf$wD?8tC&!TLeV2)gx2e<<A`;Z)s?dS+sn9o^kgVujEE z%$=gcFeVlS9D_k<Tt`V)YeX<Fv_6DVfx45R-2pvVez6#~2F*Vc+F`?%^D!*d+V_gm z1pQH6+i?tQ?^=K9Ie;WeNN8Ko7cxX2nhWUe`s2Xt0a}HOlwsJ1&d>umF&9V!A$9ph z!PEgX80O>%9ngTWA&r96<rjrv^#NL)Rt{~{T4BwY6C@#|F25**PfO%$01&Mmn+XZg z76qxxFABp(cd7p0<3HfQWaGm$qn>SyduE)_W@u&@8r!SjIj*&eVVuxvjBBfkW}S*_ zMVO3n?8<s_fMJ0Xw!k^b?71Ju+@Q^HoCTFtP=P1o1h>l5WKRRbtama-vyzQbUgq=A zZdl-jkq&8Q&s`R{I98gmtOl@B-7_*9n&=<UW0bOuQEo7mi&^iMWS;C~I1Ur*nSy$N zGM2A_L1}qdviZER74<wN)p^*dI4@|%%$^_8_^aaF%$`l~TouPY73YEa0L2J{9ij`( zZK137JisVN@h~?tZuTsr2D1hAGa3vF+%Uc8pWsoK@#G9EwM|WiQYVabH_v9Dibj$P z6d<<1ifbF8G-FiJ3Eq@ud^E{i1jMbQ=c=qPWzq9dc#449SKyh^fhZ*{-T0evjGHmt z!&nG>ax!`^w@hVe9qUBZt5|QE$9NdWc#LcfJGp?Dhb84<=3<!m3N<m}uP2N!PxLTO z^vD84Gpf9o2<oRdoEk&1D{F?aVR}Oo?1$m@Gs8pglr%y8saRjCuPWBp3&^Ovptl!1 zz5h8Z8}=;B7OmKI(N?JDF_Nldef^Tmo~_huPL=f~!;A^OzQ$NzPUY!^zVld>^}2zz zi=bB-^)mOfW=uEU$!y4DBm;sr8bMX6uZOX<iu83W|NS1=fO&ok+2t?1+RbL|z}gyw zM)@z$m_6&E+jzxz%qGK^Q<dTC<sR$n3rp~BaW<SYJAQ*uBgBY*6FtJlvRx}r!y2mB zLWbp0|IEc~v*&UOjp4Xk<uyIum;v;hbZl^4^cbMbp4Xu>kC9>~eZ7pW9pGukD`wB7 z&}BI8VR+8e1N)ait+L*AiKp3YZedqmb6vC>5CA&wQ)8UKJz$mB=7lb_H_Y?(!isnn z;uCzmMm8FOBmIw60T+{!fqb0i4KO9umt#2YgqG04GIm?YA_>f5m6Ij^Ku*TIN=`<0 z$O(uEl9FpJgUms!@gU!xm#D>o2wOJIB0YwMlsF@{S@Z!`2aCffu|m6R(RXtYk{ZDU z)5<^0W>6bzyQRCynCvE~H^zH}jbpp6st5g#b~8q?M@D;C04?^b{Kb@5%uO#eCOU!r zaZgq*Lek)QoT3hyt@%bN5_$I|OOL6eM{Zn<OiCV>)@e}+|EWb8`6mnUuPjO?ZBlyw zX#i+{CbB6sOOU=jv}mxjy;|CyR4sjWO8N{*20XSUDf7p`%Jd#!8^M;DJwK-w;tgvX ziwwD0-}aJuv4;r|!;#$vOZ7Jv20;SDJ2nXDNk&vCeP1=LN9VNd|Ebejx1X{<581Ru z`x8HuV_!v-7ZBxX*0&ocKQkt>O`*>z!FqXNmKk7uv<LzyNTD+g+##N5ez0wV3&yb^ zcOGHUAce;!nLQs;TxVrAp#DU58WPJw_Q=^Dh8JeNtJ(85^aB~T)aHWQYo_5l{hW1y zY04*H&6KTiNL;r9l+~%_A<Lum;)7*Ng3Ro>hC<<1hx86mk27OQ%9+pu*!NOh$jAzn zNDs`Oo9OwV#m8)mny7Y4_PfEekTXO6$IL~B*33ob$;?Go+ss9aG;@)rn7L>{W-eNW znTu?lnT!00nTzz_%tfBo%thK}<|1or<|45)bIYh4SpYK^5ozY`qVf-^94*((MWmX! z>!=*9(ac>%<;dKcxl17rbB0LI?XjNuxZ&}ABe09w6eoiTBLxN%gXEyBC(3}|Q7yP> zI|Q38wx&f;xPDR(#tP{Q+k`@dsV#1X`EHo&TlLVBWMYC|P0c*!gyp#@IU>x>lmT&V z9%i}<L#HmPcU|-qj4_?J$FL>RA3kO*$-HME+A)LV;W!AAT`Lbl?<reULHcR3g;9&@ z$wbp3uyv-_;VfX<2AR?cjFFNJnMv*nc&9=rGTgKSkODAA$wIvt>W!p&X@pEb$iD^? zo|3k|04r{iK*OSI`WRCo91B27A~14Ln#sKfMJNgOz$uRjt2By?=ggk%h<V?bZI^?B zAfC9so_Wu#|G}h2;IQGQ&w#>)JbTk{K-QG!q>Ms~&w|EUG^DbAfoyCYdNN&t1uT)? z?p!ugKf&}m&~Ey~7BVx$_XaM-4lALaKq$l-!0-WRHee&^foSMyDuQ8V{cV#8aTie` zv`|q8fK9LkGZ7V60i|)iQza-;hy>BF5KP#87vL}=0x*R=BOMH8CTVNTbZe0sgE+uD zc&vP?x2=-iZt+e@M||ku0(eOM?aHUFi;e+dRG;Y}IGc{<4?3DZfkOq=Y%nwQLcoWo zB%yVzhxU{-^i%-@YtejF(q>RXH>%axXkqx|=1MbZYcSjBr_uAIbk0MLp$P@7HgPS% zf1<I)*O>Uw$VfKh%6(q2d9-<lDIWlv4adD2jD$(>6jowkv+<<qDeN6GKxrMADfxGY zv9Nk@4&V+fk}w0wIDlr}uZNHc9t`uH7<yY%DQHvYRC7SkAd;}a!XA1GksKj3-teI8 z!NTgzo;W-vnLS5ALD|3ZhrWO%uaBu2b`u%BJm%E1!|T?J1ui+SLb>O1ln+>n@}MOs zmn?!jXQ}5ds&L*!6$8qs!gd~2a7(DdpM+xF8@5}aFiNqybyUf!tAVmw%C7qm)hn;V zs!rLOKv)<U1FJ=yb(^4e%61Lpi0)Ii>!@C&uv;xpd8{e3>akO0A3`1J8(lY2=B6sa z_8HWVHe*I-7MLGYSNb9?y$M`G-UPUq$2OsH7B+a(Y(Vmh*Z_XvzncxWfert*#RHL5 zOVIl1wb^#At^6T}UQdtzx%D*v?Rr3tu_6a#()BC@;e<imrO4hWbsAeGb%G+Q4sEt& zW36jNcBBP>+M}wZ?NEeCophd18WSOCa5Fl+UgcD|3x>5^r@8VokYU+z!$S`P(S|`J zW+0wnpax!`21e;KfwT>9nLRP6^3Vf^eyEl{1R!4usI@w=T_AlZkhTksB6PH%rKKO4 za5w7UVNgVK*q0=$@|=FCX$6Yg8^gZT+aH(+oh>fV>fqdS42B(Tc5`g3qD1u9ud=Er z*_?r7k<#d11_`oGn7#+4wH`1p7)+$l%KhM_%${!0(m*|%j!;&3e?7D}>~BQ5>1Q<U zSeAj!sv65O-Lux1P(xGHVxS1dMuC)VxH;%zBPI4!o1uA79%m{XQKamPjRIQ)Ms=d2 ze4-PAG)2Q~NhS?7C!m6!G~?KCn?~19qdlsVy=>0IgWarFKbyy4-;jM_RM<Ett%Gqi z+h(*=Sfkd-aLh048~p=1T0YkD+x-!Mibe#=HuON^Gz`lLVe7pqtmPr-B2VwS-x1tK zPDr$up0$gS*}#V@1Vt^10~*pyAA>i7p&Yv5a4T@Yn8a#fg`FqSnd3~W>uwkD)UA97 zk9IL;G?*&r0rsZrV3J$BOlqhnnbtuL9-Xw|*Eg8ng32yN14Iz#VUk7lQz6i3FxdgA zi|X|h#P0wB&-SJ^cxd?%fK3nJ$#jPv2`e)7gGZRSFSVnTHBa<Fe#q)&z}I`5^<E}# zfSWoMczYjwG*IBAJP&Iy4MEKfruQf;u8W33i3oZfHQ!$ZIm}_0&&KrjCvDqc0K?>j zJoyah0m4{_N2X-D;sE0&qH!(v5&O`<hfZY@6O6)0`(2FtOJJ4g*a5dNwuToB{X$bF zP0LX5b3QaZuR#k6d0ds(5qTwam5k%pw~VKxr&`~Z4ia<(QBR4Hq0wv=qbj6V&p@>{ zZ{B<aji(!62;G)-(iTy}fDJ+_m1k>8haGRqV=K#0EKv<63~Bp*T0CH#a7xUq4Tqw9 zKdMk-l5l_)lO-S-Zu$t2%>$@!<k6&LQxdpv6tR)R3?;tUyulXtyNl5>$S8ei#000y z#elZnb=6VhQRJj80Q`DW8cdFOW{L*@z~EYjxZXohe*nqaYcxa4BxnyX(yk0FnZ6fn zv*`waqw;Ggr%tsn-l}`Hh)bY;0C2I<@XQR7gywH?q?ye@V}89dwSWDu=Z8qyohk}y zYm4|tX)YRPmwDfoo`~L;yAb3cX##@L<W->jG@dJCGaL4^;nab;XlI`S-u^Mb!=h+6 zmuF)-3Vc7s@@)c#SWWq3xJod|00`YpR4xTJR#h)S`CE%n{$3f%_sv83p%Tb*mcF%# zDyr8|#d{=GR2EXj=6tHyp@d@H8<p#zFiKffm8;;P8a>p&!zpTB6ag5c+VhgCDwk8e zTM;FfVKZO^5OYep6++agQ_>HCVysHK*X-#8RxuB&o?`y>TD5d52pqkFe%C<AUNq2Q z5S+uolA|~XWZ4NKaW*Wv2{25hZmTHWh|P<wmVS<=QzF4T?gTX$#D+mnrEos6bNy8M zu*D|NVG0sfK|ScD*^@<~B!wL&Y(!TRHlWjl^)i%_E=5j;116XiBW=KTfXz{!<08Y3 zA~m!@$mC+>V!5uMS<f|;xY_6j!NFC+v0d4h>@OLN3J-}7Dx4)))H^^E+^ZgAVI~$( z++^TBL(<rgl6Kew^yeVT!hX^9O*ckBXzO77(qe-y8&0yqe$n2CTOS1LjbKsscd$*$ zFNR`n3Ud%z0bB;URptA-RYMxt3^$vUjDz<SoJgu7OlJKv@W~c+LVF@@Rn(zzj~k4M ztqSmg@SB=NUpys0rUln}FQR8FH$fP!M6Sqm6E+$`=*)%=26cERh~13N=(HrLFaPZ) zpbZ&pw3pm=#0bMf-xR^Mm>vV%08gHS=?}mJw|9&35k{gFP9p|q)WsB>PD`&EfW}nM zzn<c{(fG^sD*LKpR@Fqd;B-|wgd*3C^KXOkD*shY68T1{DM+Oz;$c}vX>-sRLahf; z16NHCt<Jn&Wdn<^(y<&*IfDHg&#p>w(#HT6Zfm63RZ?%qz{nwznRZN!^p+H&!c&rD zXM>S0&<KS+G}>VLo<<1<nrrxyQAItp*jXCpw?X^^^t8|8=h;sYoc`0i^pwWT=3g5y zP-)V|@FmlN!^W7|nl)n^SV)Y_q1VqkWsBAhfEcu6Y;poB+{iJ4)2@v3Rnmu5lUtFw zOl&nY+ZmqO=>uvJ+YF6tdLYOiR)<=iHgL#ZhDHwE4EBj`hKp%hW1>K7LTo(%5^a>3 z8w*=!=0;I@IF*xBUP$HnRIa3Q1(laj`AjO$pz<kHo=W9ORGvWPNYl++q*i7wI`Wvg z=)_~@`cXNG=*(Oc<e9k`m7_q=%=Msh6lIyY$f}sRNcqiNq~xHlUH=31hvoeb|Cn&C z@H(UtND4?3An_r2K}rQT`4G|tNS{F32x%FlLP+T65r$z7kRF86^`X%24apADGiYyy zbR5!RNcoVaK}vuW1!*fJ^xGK%z7tZ87+?X<7D&q>k&qOSE<s-^lu?lQkh~x<Aw7Wh zWstOxG9ZnEghTR%<OJz=z;_qYc}RyLZHKf5(mY5BkkAjQJN@+6IXXg`Ai)dmVI)VE z4=*BRB*B4V7B-Aj6%ZOdIgC@F*HJIKWgN9e?XM<sWu&Tz;HdQl*@PCefN_ds`Fer_ zZ^=oGhLbPT<`QtVpeiWLCzADqp1@QjQGlq)rmzDaX!O{`d4&^03-u)GqaL!<nqrxX zs-v!4g2ae|Lb4S4(KDnD2s8{*M}4+VH3z1}vSy<x1G-LcX~QsSiJT}TRT?!%D^uwR z1t+_dLs1w2nEfc~B>3>a&T0IH2O!!kIHeX+Fzdr|IF+n{RD(_@@I!S}c5Op-^s~Nu zN7f_)(kcO@!KkOR53U+8^e*ZW^j&(X4><-u7;J(*lclc)+Wy@?ur|vD^c^2^72WWF zBlyq!fqTRzrNpKfW>46;`pA{hTYukIS6}t>3N%ejXhv4CMmsA*n4!x^ipkci@)a4y zDz$*0VPSirBHKa?x`aas{ScqV#H1!5%F+9M>RrEYftu>X>F)vpROp4hFXfkEjnwP) z034U+<N_4WQjeLG>N_PS8jXWXOB#l5n}*uphO<jsJOu|=pIzH1IJa(XNfew%_cjX7 zt6N(t1?Szpje>&{FIEWqZT&U@_KKd9`c}bLS7P}V0m;$44mjUAbLJ?r(em8jn+u3j zVLU1KjgO}3>DD%lrl)ILDh&rgPv_WF8V)X!u`+~@n%K7l9<dr|OF(S|O$_?ZBMH@M zzVi`Gcrd+JmNuXkV4$rXN=us%wITa86I`RE4KTqk3UmriYS!;A;NBFQ2VONGTc@M? zVX{_upuV^8#eri`hc*t}yjt2Q8YtK<8M=B#)$^9pS~vBj^}t%c^iqF*zwZ5A#~b@& zZrdRtyw>qox{MDWg1JqEg!<7Bx+oehz)BfVx28s@H$gfNsjLr%-GH*g0u`1ju%yy> zwTjH5l>^{_m)76)P#A+_*wQX-0pOFup>184Ha_?=hzF>Bu#R01z7c%>D}Vo+{VC5j zE2%UU99CAeE>R`dYIKBLqgH_YJ-10J%}SKbB9aKTLZ!})0Vk@%!aLyOw3>nx8hB!M z9w8^eb|saL)@bsxP*;LRor?`*0rqHZZq@|Nc%l^SARyikP*SZnYoc7P*J=p`hJD6J zDn;PbxD@2*vcN|^MsVPIvr=S5M5<Ct$Q0OS1gX-ISt$gWlCP2z*m(;!Xqcc;6IgG6 z06&<ONEB$aXdaCgbAXl52(qk!Ko;$)PomWTacUxk)aqdg*q}~|lQcRN@}{zUOwzIH zF$9^YfluT#YLz^OLNeGoB1xvz0UnurR<v5tv0UszCxtKxFcJ&0(3pne3YtXB+tN0% zh|uQbYl`V+k50<rTPi}PBWS|g06I~l(C5RpDHIm=V^f()rSx-F3;=7>3E8YkL=Nob zMu4aIHi0O{u&14)V}PwB0ahdw%~V=QWK9A-LqM|DIwHET5cVJ2XITXx=m;~?RirW& zKJaqwq%ucKSV+WrbhgUmv-K)1-I0Z&BL()zy1SDI9jVb;HyA4{C6yYrAUHsgpO0Z& zEGtV#DzZpKnM$3b$x;BgR#Tdl4^n_(W3d9FKnI}{7KCLHRQQvnl&KZ@gjSd(*Ax_J z)L2@~q{$Of;}fMkAx>izV}MIVl7zMZ3+a5$BCu#IOGhZPa#Z=ynT1H`ivb>Wjw)9V z^s8kcPsLdf0Txj+A}lIdJ`z|<7ojdvX*KEsLJc&DXxtVE5V8_5Y@{qZ9|E}uEK5t| z!XjWEOHYnoEl2W(`J%NDay>~{yXZlKfEF#81sev4-~&EO4NRp<J`0AR$g&T#(ocC9 zTA)e|;FzpX<zJxlhq%KZF!;l_ooE;Q^LhR}f0`+qZ6~W~&M7+fH;!Thh7q=)UH`J% zlL<NzgH%~fCTTTt0-V<(+f?h^)+VgnCSGT$XtZ%4cEHgjEullKieo{Xsx3_d+1F?b zWNJAPqX8Nr2Jii6?C}b$Uzb)|v!M~YgIZHcfu{w?qDAXq0R(yi?TS_D5aVg!1XZ?H zrY)r{+6)`yaOh1+K}s?fS(-UOZ7h+k&&?&YRw|n){G?1v>I>sR7}GHlwa|(<mJ+*k z3>z<<G(nmm;M219N{90wY(%dfcK1CJYxS{K-x|ZA4kbwV;2Z<T08I{uR1%ydN~bu~ z$pL-L3uYt0f%@#1uArlh48Hb7Cz{T|3WAiW@<(x?5$p~}p@B0J$<f233hv)Qo#kYH zDRq8;bBdp@j>yj$#R(h*y+pw%4t?54)#`~+93*RS+>#(WJKVwF-@zeCPg0a2SPl@1 zsH6`z4nP>e(NM=2Sw3eNg=ZL$r{HuR+du*Jh)^I~3*_Xg!GI`6ab$2pLmx925MV<T z4r&5yDNTqjfWra2r4&4T>s+K#!0`xVjRQua5SW#%%2$!4oMNzO6fxAXi6hUK>2v{I z&w73|{q*r`6i2Vl1~~;>qc~vr)TCCXCOL8OaT6`8p*K1gPG6n;`D@Nh0>1?(P_$kx z0V<-Vb_TI22b^j*M#blJ@(DPi>tGf-sRH9)Vj8rf4dD18W-EvsnLeK!KFWb2hoj2j zs0pOHpcb$yQkCB^FA|O-kOZVY0UVgLb01VXhgY7Qkq}rI&ykTJa&XG-9A$|x=ry8) zs?GtCM4dW0v=K+bi%8N?(!?o-o$a83+9dcgom2v9Bw7Iu6Jflz7%*}CtO5g6=g9JP z#Bj7T-S`N25gPzNRREqy1@<w&)S(0YC=LO`=o2)>?w9HE>s$%KK?|RQl^{9j3Vo`k z&h(b^d&l<E;`2{8nOZ7n4$Vsl9ReI2CaUvGIUrG;`}3;xbh0ae)4?4F>RRAci=xz+ ziqWm6sU6Px-qwm+XIyV>`p0D~3oDF<vv?OAUR?&`asLc=y~jU;L#R9NO*;5ao25?U zgUlULDwUelbSl-W_)XbK*l40eh72Bu0B;LXDJVN!2XSU1+lMd>pGnCx0BX<%S#6BN zKeaK4ZUSAvbdYQn6-s!KAw?R26ot0qh$I9*iW7(AoTKT~0c58kTvQ>A9Sp+Q1bfNp zgSnye@)arOb_wb=y)m~6sPBTkxq|L>Ed5(!Ft^)KU+ziwFNb>+6B=)U=fL<js7G1g zYhJN`)Lqr9*MaDl6#{okR0W`T92D$Z-4wkpzn7_}&yI*cU4L%y6`dE*X7zzx`_S`V zps@sCUT*JNKMpWue*?1>V3dCY(-r4`|FaGCcPoByG)9Y!f)eT16eywS@?&6;P%C^z zJBlCRrEpmnV0dI;aP5NCyrLaG&FT1?qs}o547E3QHdvnM_A5|pp4$D-NyKSzr;Oer zSbpekLkf2!FaN?LOA7Ki;LLU47bHHs0NjT|sO1`TDwX(5PL1;y`*3t5_)J+on0ARz zDWUU;jBs`c2lq`BWP?5e0<})!1O7BrCsz^$GM#?`b=uYBkp2(@gvxXU0Yy9?4g{a7 z95`d7b)5}RaX8`NQ*|VY`~D#|fe$qfMuNxFYaza{)S*QSW&~y-6iHfD5k#rEgs!8r zYqyj-2f(ruAehPL<fB~TBh$sJi!`$ctq(`9ik2h4E%Bk;oljr~n()AXJxO?AH<H2w zJJv=G5APlo{Vnslfg?6rhzJK&hf_KgjCRtc(-#(Mw6J#g)3SJl#AhzS$9X(qP_REQ zNGS3b3gkilvY;HoAIHTCf*=G6K@L8@>&pIwK@h|fh_gdv{y~Zmz>t%z@D~$&g};n1 z6ykh-P)>+I_SYDMGJXzUObGmg1lb|}LZOi7pDhcK`zu5t3ZYCW6A=ROUt{3qh=N7( zV3EHVCwTrsz97UuBq%%EUo24IIU)tFkOlt@1~Gx>1j~4Q|LmM>0jz=$`@@=o{DtBi zMG!9I1<69XtRg({W$uOtcH0PgE4u*wo8=bHiwaG#4o-h0s9L9lhJ%{rCdo);bTJCR zE%Kox$->aUK#P6_bm&(AP!*Vx7#|4REDB8Tj?*Usg{t9!-7s3kC-7ASykgx70^L!7 zNw8{IxV43hwpf5p@w3{5co;yUpdVc>NPJ)_0pEwCmK8vSz6k@{5MUuUAcne3@Q=|z zkgv(t`5=q%>R*SQ5(VJspAQNKkcw)w(OS6@f(1D``bvC8K#x8f^aJjSQbC)+w26X1 zWJE%qP$-w@@Dw>d@VZHztC!`{;8x`h4}A6dI@>8u0H-=v4@PyXjS%uQECtJgT#8MC zr+924HUaAKkjKF@`W<5Z`~um3d&~xVVzauVME(Q)z|2#=fvQ+CHrR0n;3F|Droz-% zE?`q(`4|D1)mRRu0l3@XP#ACtYyBt0vZ*WCG^{_g#{f(L_$L{_mjX31sKG@E{F0zf zVoK;&V;q=61Nca+7$CF&!GW1Hm>&8R&_cqj2oC+C;13fS9dyJ3tPYb?^c8l4>y97M zf$$<<W!GhV8nkHvLnnR#7Jvmq!U0x<IRY$NE4<SKI5p6c-(?lu=ZJ;(3h2!OTuCz) z!?*+(lS_?2vlqg85f^h|&2Xhdai)742j19oFh0de9_CLy@qh--zl&D^Fz(OucAWzU zh|xgfM4*j;wFLkl(Qf_KNFLm+g}}WWO&ty|q|huAK<eWE!8o)kD+aXZi7*zOQX(im zPqgp{NgCp_Rn}0AmYOVVHpm1)r2vYf3dC-}VGsOHg7F%V7d@<l?6OPUWevgOlniu- ze_0Z`%0VoQVSsia*|bvCsR0<=?IG<+g<d4*I-tF~%tAzt0J{C`FnR`mC|~))ryKPD zRsO%{00jEy85kCZkHrh|^Z0d8E?b^6ZxU}BPsS_dz02Fk+s-?|`<nNdm%yLNU%)r; zjr>~v3H}-W1^#XRNWoaaG=W?&TTm-FB=}MAhoGM@R2U`97FGyP3$F;j6FwF`6Z!-N z1WgJ`56TL9J7`bP(V#0q?LjP&lW4d|ESf0NiROw7qW49IMQ25}!NI}l!MVY&1y=`e z2;LODJ$O&>;ouX&Uj<(dz8!o&_^03}!46_Kac{A=*hlOq4iF2)q2efUoH#)|Njyb7 zL#z<zi3`O=;(6i<@e=Ve@hb7V;u`T5v13SZNNflZk{4nKSrYPA$mNjlL)f9cLcK!+ zLgPZ0h1P@~54{m83>zC(5LO<xD(qC)&9Fh?e&K@f(C}&DGsAPj^TV~_CE*Lh7l&7e zuL@rqzA=1T`0nrn;YY*IhJO=&E&OJ9OZby;TZyNHD+!RuB)O6TiB3`~Stwa7sg|sg ztd(q(Y?JJg?3dI_8YLGcS0vv_Op?bE+X#mUUPN$&BqAmvK4M}-T0~}qB4SpAHlj45 zEMiH-@`yDNbrD-5c1G-vxE1jzqHiQ8GCDFTa%yBw<bufkkw+shM1B|fAhI>`X(Sj% ztO<mciL)VI7>!TH9e6u==Xhpb5Pt^0fM3R6%3sId!EfMy%m11Gl;6&G5qJrT1O~x& z!5+aEf;+H>wn9IlUC_`VJctM~1T_Sm4(ciDCmJN;i{eD%MKeURMax9jM9r{Q&cXeH z{eokHCj{RLZVCP+I8YoT9w(k7Hi(x3*XzWei0j2C#ZBT1;w$3s#J9x{#I53|;&w4J zgdO4%;t|p>gcC9}WK;-0L>v+UyE85%DI_f<BP2US83Ky{XE+LqcHEce$5Zn2`Gx!v zSivH`ufR`$3&f%+B2rW$S|wT|LWk9{0ILud3U>+j3Y&y&LR=&ig^Qv@v7!V~k|<S_ zA(|;ti1I~+FlwHtOteU}RKyBq2m8Vr#s((@=LZ*ddGia%{ulhH|EC0#iQyIfmfH0g zv3Ts_U!58D%$kaR^P#Df$zbqYac8?8GZ&9#5H>6({I4<a3_FLBb_^DyBACfw)l9$> z@IGByT=5<@46KH=ky(b}yqCtZIQOOOHP<$cmW^>q-cr`<z_xyYefxbm*H*90tX(^r zHMOj!!lMSSu=xp6dW{W}!DPBESlRM?-pL75AB=yu_>x_F7{Y0xlmVYG<K;%4Bi_T# zW-`mpojEO<=ZU+c3ftW&9i5Be-aAHCNbo%HUZ~mL-7!|L&6dI2wfua7S{<}HxZ9;F zWyK`H8-VvmV2<t{bOR@b(2}Yg%h8iJ2p@pDZQOfXy3tD^xG*RvgkudSCK?~u$C=0H z@%cQQ`c3QO3}+R-0Ot!JAP<>_&*(zz<P__44(=W)rEp;Y5j`hHqlH5)b<zbS0rYgk zI=az>9C$ZO&zM4Ji{Rz84yNY#bH?!T3WiTt2Em5eR4`m&gBcFY3I+q){o%*)spH@F z?&WZWTl%I?`UuVS{X>t(=w=-|5|A|QxyP}hWibqH%--5t(l*nla~sGepUZn!Va#6> ze>}4H(^%hGXS1YXU&Wq_>80yaVN~rM`NcZ}Kh*XgnmBvVZr+XO$uefjmhDgCN7<H0 zHwRXoyZ6q$7fWxYM@mkvxIXULT*2*9hv%*OCDH55Cv1}6*?u{H!%Ed_#Bf99v6&vn z8&8LMd|O}MI>?#)ZiUYWXMTN7&Kq|3*Kz$9zTdFkf9LBDw%px5toMA`uWM%a{QOo@ z?f5&Hzu$3rf7FKU1n1(F)uzUIn<tEoHTS(0Yrn$rvT{*bW?qRxdUj^qg4Cn#^G=jL zI(>9D6Qq+-SN=O*{wuYW16)|WSsq#MK2c{hHIeULx-tLf$ZHQ1$^vfSd^<J>x~;7} zgTWe#`{F*<Iz-yNEk{(1Tvr$X?+-w9(BYJlu>tN3hMC32?Vy0aFvTNb3kM8hiE$Aw ztl`(-ivui!<=Xr%V*_c4>MBq%(E$KM$@2g%%L#X|QeeZzT@Y4RG!qN-#18jE^`5N3 z_@GT7!@Rzrm6V{mA%v8?`15h0*q_qLF8X6rUXI!HSo=ol&kLvG+kaN>`~8O=0}f8C zu*(e2+A?WF@9GEMD|*DLpA@uAnTMNxQ&kVqIrh?w*|syJ=d%&J*Y4`qu&ib3YHY_j zr^G$yd0W^SBj&W<nlm6hVJqQvzcebFyIOtfRB)bQFnd|_gBw@VBL@`6zc!+`-Ha{b zJfB{5$$bqAKEW$kb)fM^i^jWr*(Pp$aU@91x{|l1f4`)z0*y5OzgmZA9maX$ZaT~l zvFdR4ze$JT+KAqXk$<PdDewvi-ZO$83;$M+H_9DDV)q{$@_uamK^JpvtIQ!~<*qf? zc8qczcS3Dm9G)`S)$<%Ha^xS|R<FK#SXSyd{dB_OqC3qo<9*)x>Db7aqZ_U$_b!W? z_*13$K+h9H9xJA_dh#_B(rb4v*~Gj&V&K{FH*d(l?o-8|zH7!i)3(0nm*mptr`6YF zVbbIQU-n9KTrsBogPl)vBx61-)ZSZhFYBz^f#U|ns=kM~Wj9S1d^Vr|j5(*ac;$4W z;io?2=h2HtTxTaNU9t2{|MkVOgOuNFC5x}QOy?WZjDkZ~<&E+0g`PO^K;U@cQC<Hw z<Ke3xryIk*W4%AeXOHjBfK!Dh4o@%)Wj}X3v~A)$?3-?W+U;j)J+5G+1E*4OCnWro z+A-lupf{><k!t*f%Gj6TI;%Q?g6HA{KEhfD1s`b9QBvnm>3Fd&KxeVgl%fZBz%mz) z?1Yu6WC1UM29i3Rzg*^@%MXwfT09&PH;5I43vgadV2yv*(a0eD#b_`E|5VHQU5s1Y zNmZT8IFEr}Cwx0e-Y0T~=yT`0_#i~a5SAC-yX@80ue+B8C&Iu=!uGy70!wIpBO4Dc zsarJ6UgNdrJMQ(GORH?QFP^~N@NSfi_l<KulzuT-Y4`0X{JjN7+C~kP3vS0N3Y_mY z<huN7yD2DtURCdt_xF6i=l%`O$=R-F-y*MnlJVW4;6X7ZcT4u2^<#1Bwm%wwe97=P zUCO@d*?uFVNIh|ei!?4;?Y!%O_}$&1-}ad8*6v-pw`}f*s<uDYed5%6<fDbtdq~z! zzt#JUdpX=Bh@H0%e`D0mJ#EvrF+TEKH!3i`|23b34KGSoB{wYIU9lvyRkAm^wp1`O zVD5qIoF4A8Tk`r&|I)M>PajnkA9>)*g{O~1_$cKm?;cW-AD$QxzHmiz!{^>tSbDs| z_BNQQCX1OW@rkKT`QFcA(C;@h&if@S?rNqS!A#BXVkY7fc)f8C;5mdE&R~tTBwPb> z5=cb=ZzMh(wL7}|z&CJkoyUn)<*G>dVxcqg0EZ8z0U`|EaC{g7wsA)x0F9&*487}) z*25PI=nVlCi3C9`B7!gs$Acge0g3CZ;`)C^o@GYIzn_se1RqQj*RPW}^xXqTz@a}T zLjls?1t?eYxgrlmM(J7E8s-Muw~{|^jLJEap3YxM)J#5jY|i%|y|^>kkDq&29(e3$ zqW<XJ;vW+?Z9eo}0{d3l6IBAoSFvmFk#Bzw(X{4=@<-ivmA9tu`0D8gw`RqDbya;= z5&V4X^bNCSR%^E0-!^J%_?BHvjG;N}QS;%MU3a!#eD|}U+Y5441wZ<hzWe$-y!BzI zeXgJDlb>E!hO}+|qIS+u=UKO3Xt&KuKi>M?$(*M4-AA7780+`ub<Li-3um0yd3v_V zUwj)iv}aW9SH~MJ?RsxVrL;<AlX}%~<NVmD?+(`fkT@vH_fdWGvR-lh*?}v5>PyHD zdOWF|zbznpMWE^pj9WbCvemHV0H?D5<mD-~<s!AU+8-O6j_6y$V7xK_LH-9!4hR}P ztcF`NWbxoG0f-LCkxrLS-L30#baELLbL3d@gKeCKPr-eyb+C<Imf@6P>^dIDJD`}0 zeJxPPBz6S~1S?4D0;ze(E@moc&ib?Kbc^#;H9LP_deG|)_QS7P-OSVk$DjLcikiN; zkLor2j8GYKK6>Y4I=JG{!Id3r@&FEokLon!Oh#|3Auld2?oLLb1}@A?Us76|3W(So z2Nkz&`sD5k+b3flk-E(@`+ZuwX6I*R?>ySS`qJ-1?w^s{R<N;;Ry7R{N%=Z?jgnE{ z{50k8l%8u2UESI9-iDtq4oPgv9a%DC`de$q)g4R_j=4F!G;Yl46Bqq<>iZv)ANuW& zgURpjVXllynK9=*)o(9^0d4(^`HrKps++?Cw^lmb`>}Fp+y2IjJImj$3mzrDbM5UE z?#|`CYy0P(_dN00>9rp%oqhAC_v?)_A0NpG^}IF1`=WX8vnhJ!X9c|s0`qaFjJM_H z-92;4W1|{|)IarpOEc^Yi7igbyLi@a@La}~H{#!lmb26Cj^sYP?(*T(5sdz)-nlnY z?<^a_S~}@Mz~^(5lU8ipu(5=E%dq~JPghSpv$N-w^=tQ!b2?@U5&7lZ-%|ALaWn7M zp3G{M@9Wd2%r|~?Vd>|Sc&-DM2d>^4_inN1gLeWapLO0>Vsm@RHuolN!JNjY#ijel zeOWnh;J9Z2V*;j$S_1l*uj%XOuTmxm^hGf~UzK6$uPtyt+B$jM<CYDqn_K-uKi&C$ z)x6zXUH^DI^u5+!qXx8XI_;K#Uss&pH>qdv>GtW9haRpvB>#RiYxbOp#>eMAY<POD z`Q6_G3M)p7Di)WW*g2m$r){RonF09fYaVT;gm=RC*en~F^y@qFvPFBI^gn#SDN=am z`sF|BmSwmUE?DJ0k>B6E>5UBilXaV>oW?8c`h%^vvDkUl`wr1dTxT6oMg-@4^Zwno zmqg}&%8;TcRfO~5RDr|WPGsMCAziBYye{?~PMYW(51xbVWH%8$7uBeFy>K_wVDHpp zGy&g5YvDs=s|9y(>Sy`VF9qIQQE%qr(AR17q10;T{|X4NVE*|W%0%Z-CY(b-$2NVu zrtt&2Rk2gtdzZyr+-zuaT$=aO!YkkRJskH5-*e#NyIF5adxU&?IW1@Zsgi8w{*1)R zWBr)-CzP&JMI@6)r{&t+UO!*-`he-*uh>-+lK%d=$Cdu_$HD1$=Bw)_{J~Bu*!%GZ zbEbarL)4zWKUdrg{pq)={w<%^$L0?hck$qwIon^GxxI1P)_EhZjC_$csX4kPB&DV0 zwNE$PU}%rpHip^G>7V>#Y-Vp8IX+^U*R{H$_xde+_^tZTxIYYnZ-;zUUot$S>4mi7 z*NxL&o0(2tTVTIoP34V#mAytS^{W@p+obp=Yq0aMsL2I=_YIo#<DG5oapQ%d-$t1; z^4sg@u9{F?xGEw^aOJe#?_x;vRpHFJyI*YZe3IC2cw4ID(c0!sCu9qwdu|qQ>}C8K zPvyCWegFP@wn2Wis=;r3JoJl<g2{MmLa&??w^LKKLsw)BZF+l+&$A=DKl|o#MUMT< zFMd0>Dy#p|VY7#t<}>e2-0Qc69r$cya`nXvHp*{2dK@Z#JNDBZyvnuv8`h1N+))m` zaxeJnQ<o=Km*xME>wWmAxN+kCCEsq|&f=~q_N=h^rA&}<b-7pOgOH<+_UcXU$CuoW zY|a_0VH{<u+NutIqzi9bIpl)RK;OaJZJl^4!|K;J4@$Wde_~LtyVvezT>66V6My{8 zH@39xKmT;#b;X<e>P|mcP+;$!h#zKH-Q0R`bMJO{a}b&Tt(!ylJp<fXDB4FCGW03_ z+R|}__3ux-D{7xz`Jr^->#{xPle>A4SGt%2tIq;YC&RP;p{ILQ{QoaJ9pzHte|#$d z$4cTNMD8F~AnuQktQlT2Y%%v=I%7CAz^5tHxO{vF8rO^EjrZ&DzkhORcoG8Qu;TGC zINQ!Hx7-Qt>F_W+N9w|^d|xnw$@&kvM>qzYE^}R-v|aOHkNAprv-oLiqGoOh_q9-) zOFL6~7JIzuH0?#N;pdx=XQ;|tcsoLm+l9Z!+nn@x$hCdNxOZyL_~TP%Tzxw>>fDa? z@0@d5?SIuhH(NYu|In#le!Bg@g6&yDU#wUeUpTWW!oD|NaBSO+$>X*+=L}i7VqAF9 z-te(`_cOi9&jhU*y27_Axvf|hy|>w0BR$>URc&)EgHb40ow&Aq&A0U&Y}Zd4-r6g@ zTOAXg9^q9ox~xFIwR$|?s84NEPOzV`Y*l8<jZu%jcYi0RsJ+f{`)w@#4M~kGXwl?& zR`~(Rib9V$dA<96a{Urxeertz>xL%@O_yi7Js<r`|J4hkc@?%<;2x$kA>1mj`X4g? zOt)9Lr7rihHRWsYz8yEEJ#2VR9dRPu+v46`YK}Y?I6-&b>U!d%y40L_199(~e()_= z_czZS?<(=Y&S_XY9~Q?y;m71{;qChaf4s_FmU?CHCoK^x$4!peqgC(5&ggT^T^%S~ zP_inRSgG&Z4Lwiszd!W+-dUGDr{?uN{l=BRnx%tYyBGaq*uJeR-dO*(E;n*j9Y0(D zS?-(PFS_|hkJek)$Mn%v?Fn1`WJHgQP_yfu`O|mg{pP=W-?@;V$2&}_{>FJpp3UdK zjO9iiPwRR7K#y6Iv8KZ8vhiutlB07^@5teZXFc#c`P*0gn{)e$PTouC7k%LJM2?JD z*TZ4u(}AHC_0J-nS6<ERr<XlSne(W}>)v=x&)kTI0Z~uO8V0Pcaod!6;Ol8u8RMCA z{XflVcvzOOB-yXeoNtJG*<*+1eVljeQaJvVeeIZIpSf_8RwVj-(7aNTf*sxag8i*9 z^6C7GyPppHzILbmwrv^f_r!mkwWIuo;pm8RHtVacSARUAIxp&V-RG_Su4O;2R)1X; z{`==leE0gthu0r=e{|r|gh%pd@1uKnVzv?0-(RZ!WRqJ{_#{oKlP0n#@Yd~~rb#8w zy*GYgoEG#E<3>qd?db>mW^Vf}%QbJK-v3(e(28dx+PP1q-~DmtdEe8yS7!QzRfK%E zX`beX?{8mdpW*+`56@pawD+<hApPO2b<5Zz_PDy;`FSl<RP#RPIu<<shv9vSc4jhX zA3DO>GH~g+J7IctV2{8}+^Tx@l6|^6?!U7lxEtL<eml8I>s_@rMzXi3>+SC@?K*D% zMfF;{bMNg?$^A0k+Q|@<HikteZxlsu9P&Zl-NxDqrX$1#_MMVs$E#pG1Lx3&)J*$d zedot?`_rXk4?EkDE;h`5wpdLj?$t?{4bQQoV$T3Yvc8SzVas!cAPnw#`N6ml7xRLr zfz|HlW%1ymd09j6Po(QVyR@klADi7rzbdPj%Zfj#0|T=OiVJK>Jbbib)7=lM2CCzp z{gU>X?u`idZL-ljayF3I#qUOrciM7z;W+iIr9<R*=Q*`c<$iQ>!iujlHE}~1q<t1K zY>wj7^qGo6##puQr`H-rW~&`DMtppi<S$Bj8((VsaL8}(Y%{ul{b=Pr?yXxJqxXm> zujIL3>B}E5dfWuEPqfzv*J4KDN7)aaZl8;9=@XF_6;NmN_;TIpudupBL;cE6wB;1_ zN_+oN?*0{*AILt)>@}qN>ZEsr<il5#T|8CAoHJ<VILD(kI~Kg~BMXM{gY@TbWiJ!n y|0bdK;B#SO$QjePBX?UiZ%)0XRwPFJmfhos-_2ROw;5I2R!r?3*f>}>=>GxnIOaqE literal 0 HcmV?d00001 diff --git a/venv/Scripts/_socket.pyd b/venv/Scripts/_socket.pyd new file mode 100644 index 0000000000000000000000000000000000000000..afa9c02fe74912a28cc96eb994cb3ab497e047e2 GIT binary patch literal 66712 zcmeFa4}4U|buWGeD_9F*t!>FxY+<kMl@X4>G6IYNIg+InQmj9VBqWG|MMx{|3L(k6 zcR@<P2(Q$zx#)$qxFxNV2eJK1Q@4+_B*uy32;*3Cifw{<4t~&-G^AZ3y;sHIXUhrA zzVA6R_s>dz-M)VMKK*^NaOd9ncjnBQGv}N+Gxw_cbNiI(ilR7hB@&8q40rk!b9nv0 zm7*v&-u0aum7_PjdH1oDsyFX$P=jH2cc^P~sClcqrMa`SOLK1uxI>Xncd*l4R$K4h z+SM9ZFne~IM}n^Z*&l!7wx>S&$hhwOb^AwIh&wJ$Oo;ohCvN5Vm5Cg_|I5T2-1B}e z@>?%VOx%q4ZBI>n^i59xC6~|p`A70T<0Gn{_w(Oyye`<HQd`&Rna`^zRVk^;w`UhV zZj`y8OuKtl%8fTF9Z1<BQolyeE?j*ack%NyMVY}->#h)yK-{*uDatgZ7!g#Wdgfh3 zi=R;xA5!<>-b2~rNKc~&`TK>U9JrmHQ<UO#MJYI-C=Ev5RqlI`Uu;kBQ<N8g-?e@V zv_OxB%w_Ee2tVo{F@^2tR+NnkLaohOv!YzM9~phP@^N+Jvi*wD^a4>#*|!)OM{q5| zg}&K;#fmbtAQTR@Ad&luJ}c;(atfF2S4{9ifsQT|q`ngklpAq7PtVq`SWzCeV!wO( zBotV!kL@1I13eF6lw5^Bh<UFxszl$xfwA8v62k*$5#}J?uK0!r&LculhX*d0PZ!On zxO|G=9aI#3aaEt<ioTX!IMf#Nj>WwHyM21Q8&?XhX+9qk-%q?-=QFPMdk48K(FjeW zm(Z$giJnlSdMuGu2B>=Vl@HHuxMQgB%@5DUzqkgC{e1n2ll<fU<fHt*XMa|y|AGB^ zv1v+wX#QCJsc&prmB><egAQk-uQ>+JW%M6I0hMOg;J}(hB7w1re|57B=V4B!0>cCA zP=Ex>@W4hq;X$DRX~zI3-lgH8A;H~2cYP%Gv=60XgAE8@dG4oRk%V4;rEXPhpcN^y zxtYF1mJ{PLFcf*Pu|APC0^FjnIR}QcSrok@qB;YK4rl8OGx~aVG_f)CO$?@gL*bi` z$6sl*cU%nT$wMbmSv~)h;z|@?@Noy=!XY`@Cr_eb6hKQi`?x5Ta)?qV%!KDS!9kT8 z)d@sasm>@MW_9CP9|w~Te4yRkm{`2$=ajln)Q`?cMAG$gN26Yxoj3(b7Y=PW(Wtsm z^IG-$Kej&ja}@?qe_#J7k(EcypDi33_#k8d5N6(>_li$_vdz(#*zQbZO@N{wp1tD( zP|(d7Ie=xh=&(MU=;BK}X!h2xzrNvdYaU4QofPvMg5TtyiF*CL*wYvOC6NFcrOxO? zBBTFpaDiT(KJdnlJbkrumt){`=&tq@Oh}aSt*T389YJd-Joqh2iN59<omTikbf-&+ z4aAW!Ja7@An64x>h^aJJY+xME!z@QAPxkjQr#>NsOG)&5goe`S8)N`ls;^xcoeu5= ze>>1(lRj?idv9iRB;iLVt0xNIjPHZ?qwYp-Jx0LI^d6Z`rG^A!1!NM@1oViG<zNJ2 ztK<4d`sy6LIy<&=Y~b{c40QVq?S^6R6@oW96A!p6`ua?LG4a^2_cFzYy`-gZo1oji z=*}xj<VGSzM*q`D&|e*08QnRdXg4Ra*3j@)U;gxn?j675)zLYqBj_M9vZo)9c`xhU zoLf%CR*w%1W$YzeVV85@jf|&e;3*Mt>8s<uRr=fUB_JfY6k`>+f8d<vNW2@Ho_Mz? zbFQLf4AA6HWSs(vn17!`f6%K-G&`dcDH;7Qb1rcjaWepnC009agazwo4D=J`+{;PO zBlj4PweOIi`6Cn@o(|XvITjcJedkzomq*$0z^)n5U2bLDT*wVZqNtGY>wgc(16hhh zW=ZsZfV6>gk<aQYX=;gK1t_#WW0=fQg~pEA8A-0;=~US&rg~`hF5bbjP09rS2INnj z0CK#+@~ba`-yienrEXG3)p0QUYz+C3Hj@<%IQk7ig2F`M=~(rZ*v`wbo#V096BrL3 z+JV#BO>$7*HpcXxNn<*uPfY(ve-(9a@y27`aoroIf&CeJBnI|9Jn5@15|8VD8{crn z9M}8I@%%FsF{qv~@HMJXeMMhAaVcz!>3*aQKIcIwClwEE{Z$5b57p*@mEa?p259Xy zi=fdjVEh(h{JwzkyC37X^Rj4D4&g`1L&(_t9BF!K((qkvT&zYg8Hc6}5XMLMf*(K9 zXCL^f;)<<I*S+bnl`h?j=gdRTP+F67cxCp`&3LMH$5wg<hIXu@xf*J0lp<w(*z2U3 zHRyFtm7fWelJaxIKtj7s2+%3oBAQ4<QfCeO*Pj6E8P<f97oNf)lG(oo7tM^Vbi`IV zf#=fc83PZZ)ff#l?3-~+=9qVa(Dz;#_Fg1od)RxP@DgaYrz95lfn`aktz&`iB!NHZ zJ?~Qsz|c^@S^bdtjrv)Eu_&I%(lE72ou1RYtbOXQp}nrJeXN1dBUhl-qVZ|k!e~58 zyAK2!L%ZrCAYtlEIjyW(-*urUqp9DeMM3n*97Vg)sOLky(bx4F44QNKNO+ol+?Uvv z-4s9LN6FXHWikDPoY61!puB!!@J|6q`I2kdO_AICPir@S$(OQhRSIP3(6s3BY5k`o z7Ym0*Q|}mxj-+4;^|yeKFYV!)pSaEgsG~<nxu-^dJ1ufg;gD_o23I<K_3hIVS(n*z z$@nr^!J_DGk;?X5sNGiNupJY5*j5qT3D%6Q%pP3n1OzaYfbeAIvD?t2w%E*LL@L=^ zv>CY&^PZ1+FHYi=kL8MX1vvCypCfL96j47+62}-_uM?wTABxHi_MymlaVCxaqZs{+ z{#r;C^#}-iNue3-g_fD7-3YmurtYWIUqD3*!V%XGuXLb%;uvu^dg|YBjQGKt)<WKz z#>SQQTL--teS;+qACdYZlRDxyxlCGSg+mZGQ0m{U!hk^!P@P1U!us<HSzd3(56UdV zu#tCeufo<|$)NWb+H?A7U_P$B$ISMQO>VE?I_+(=+N*EWf7z7r;*I)oP&A|eiy#Ki zsrDNO%cuEPsb@e!VQ0c>Vk3q6`OagapY6c*pl`6;j;*$i(q!)^sPpFrV50pMAY)b~ zwmA}6eITPR<3%)($a)RW87~g`n$(lFrZPu6CFRSLD4#op^5?|7Wb&_&XxYebAfP>% z@nX$1*kz)<kyTCVh^@W!=*)zE76wMGqe-vKPW%XXlLo<@C)56CpB4Q*c~ZX#YBXz@ zq@og?mWZV3k2>nuz+THXJ;t+9k2nWDh<Lz?I*cLhmRLbFg*04=W0hfwv(2|*{fQ=h zXZr9=0tSipVKEFn#i`v2iKBsc8X>C_Sua3(UOGc1W~U=@`SFbYZy~k{v|A$u>rlqP z*X<x&TF(dNuD-}E02Jpk4mOj2LWLmajz=$ST(L27{|Cq2+U<QmEzbD%8y~)R#~aa~ zUXC93On)m@>(CpWqg(VEk9^$NuBc~0F2H++C4V|hwVCP#B#rJEtZ+fPppMTu`cR@f z{m=z8sa_%K79_G>=Jv6Q_M^L~UuAaeEOJ0^9ZM7E;1elQo~D%a4@Exu^jph+s4dkq zK)%}qeWs95&FhD_r?zY>D?ipa>reP$QchFwAoX7+mJGC5NM{}|z~B*&-^skBt{6yy zU>a^1*kSJ&C^pGtmUgumEJx&S^jJM<N5$4-mMeqa2`EWYl$UXh`P6-Pf<8_(i-k!x zlQYNA5MUi0*5`QpZS6Vn;t9yJ>M@W<hY_b`OLV4C0@G{HeWWU?FYo?{RxcS}oQCM` zov_X_lx=CM3vFE@>%R>&Sk)Gr0k*)jOGK`;#mXVpE+7&scj(@USa~+sc38<lVdhb( z1*Q<g=>BZ#egnFH=?bK8au@d@+3aE_b+Hd%%`Q%Bcg5F3^nbE0_N>&smy4)(+w)!` z=?#C%jiMja3C5b#mK|&LIU1LZlUO9ljMGbqDYSXS5ZQtu)=XxI6T{O?df?e?g(keP z|1jm#6H7?8bz|Xs0OTxuBUVmp(+wF<AJ>m3+hZ3ec8@&+RD~3NE!OWjfEXlk#94T* zNiS!NmJ&w!*T9HIWiQt%JQ*)92T`GPjuDchsjR$xu`*BQV4255u9P}BCh(jCTZWPg zPb1>i-@<b?o-%!E-#v;e{s+GzTi!V^)O(wl17-t1hfkRr&^1pE{46P$#SU~4A|MY! zNM#OoAaO4eg)}y+enVD8ZUaqs62~xNPd~iQ<BDV)+K9Rd82EG_oi$kHamODA2kYao zV=@|>SmmM`5QnR1Cdp8nd`6j@ruaBOmghhQMgz3DU$$>*U5wYNdH{kFB7DdJ75xpw zcp_^la6p&3^uPV^y~aD<ARkpL6^S@eCRXl_HF~7EK2i7v=JUWgX{&E@X6!$X1()UV zXfiE!;CL;A-5>pJVnbx6TvIS99#1HICt_Rn0a-&8?pYNc?Z!hBzzButw*JJS3K655 zQGx9VCu#NNSwz)Hc6&l}gnBU})<|9;7EA5Z>o6+&Q3m8480zWKYaIHFfj4$}c3@Q* zzVpxuWT{&6WPmws)E-<tQAbKB2gTZ_gZH85hZ0LN4x9idFw~rZ)4OKxn2AZ7*tH#g zKCPeUqPi~`X41l!@V_{ruTBRuOhm`hv2Kay0RW`Oo_-qGolYG*t5<o<)zq#uApAxc z?Zdh!#cZsqV(UEVVDR+ouBooSq|$DYJjypI4DAa+#&<{zkzS0o-L6|18;Bjyz&4)b z6RN^M{ap^&sDbI@w2iaDpgexXkfS70n)D*l4^n$f_|&7ITw~(L(bphNwY$KYDA?}s zL69dR6Nzn*Jqnu8CoYkn1G*ZKLGL(g9f41`Luewvdd+|Z<)ht^h>QaqmT;3njn)`& zhAceJ8g+q3WQKnObtDlP0fa<kXbOly?-2OJ$$iG`@13QWW7#cgNxIqyWl%!gnI74V zz*_2EAc5sFDKmxprMiBPG#MteP^GMAP9PWN+rS%<B}}9^ie4V}#vN1(T_rCPQR_U5 zv7U{I$Ymj*FiE&GgC&Wg1ROcrH?N{)?HLdfvJuN;&?-nEtFNqz4#9yr8CLI|aNJGN z(A;53C3s0EK#qPIC@<uplhcKucT-;qY<^<Svr|OOkKJQ?(GyF5u$u&P#^I^g*E{vU zZEW(fWRL&L2U4g<vV_i{l8}ox7YmUtrb<Hdz_rFT5@C>KKgeQpvB7WKdpo;Il3={` z83BWb5OQ}vK>Ihyk$fDD{G}`~34cPdN&kWq9t&-G<8Y~y7GweuZj{tWBRqXJuSf4K ziL4bg21`3MCou6pzCLk5u#O=!r2qtd^lGPG;v6nvxG}GDeIl21kBy(mZvl2<ZlKY? z^i^j<t*c~SunHH95xIp%XyOU&CJg&*3|co(!&;A&EeV=y&0qLu_4oAmn_}ys6ol&% zCR`)ac4P`|Gx{F~r|EOZNt<{F-j#RQF&aU8!YP_D@C#~e=M}xytsmE$JhNVnRZqlL zU)E+a8gTs$VIG!5cc#N#IS0lO1UsQR$va69nmhm^YQtyzCi{$scmI~1o8K1z)}d?2 zBj@59cIRT`3OtKL*u;wMjK_Au8!)c3ix{Pvh(3waI{Otb!dHAJ+{`SBPh&b5KE?Pg z<YBr9I}R?e8N2czv_02%xlv_ExD?;2?=ZdJijV!1>2bVA5-MYWJTV5bBFEvahDmwJ z52k_#S^KIOf_4Qw75^7F18khl&f~uWXoKe9GlS;aP#>PA(IEuUC*faQ3jgAh@Gll% zkaot|vnZMpWXS0M6?qxoF&xDL3vwRw?6(|ISEDTxvhah#1RT5MaRH5qz@uP5bS5rZ z7;N>xdL9G4y`XnG==~P_xWmFVFUdU}9=u<JY`4Js>xF9)KH!T??QBpx^A#Fr{dK9w z1a;9pCN5D~e=Dy4qe<XT+qf}f;CUO7Gy2&-|5n0;MU*}?SSfX{Aof12Kaz<Z(QF_i z83wT<-y%Z4rhBhMdpt_U-p_%KyV9aPZYAUQYVb@1zi1I$k|U%4pDluC4CJERr8kM( z>#wk|GI5)tuVH^*OMa3OuD?anGu;>e{x7BU)E<KKQ}Z|n8$2%1=r(qH!&L6MOQ=<0 zwrzkAl=AhjmkH^B6lw`J7v$krW#S}x2z%!f;`4xs&thmL3!g9kM&j8s2SS5{9qTa@ z8_(6S$+!wO#(IWjpoC*smX`dyI=&><jYYQh305zXQhOd2l$yMHagjQr)yw`$EZ1Ly zekVc7S}I*AHx{QaOcAG7Q&soMMxr}B=}P2o`=BMMwBIZh$iVn?#eXygUNY1g>9fC+ zxu0zO{*CnLk&RrF9{m;9qsMcfh#t4dMm~-nqYv5WaeQ<VJ>HbLljyNZXxBdQy-zJp zw$8|J<RG;PyIzhcJa?zTIs<R$6B!3y{p`Izs>8s>Rzq`YQ~Q!`njwH841f)W1;E;v z^uO0h#xogsSdcGaUOo#@vGVi}PaTin#eN|JXJJpFN_31?e~cRz#_)yETG<JU$`@<! zI0{dzu7y}6Z@nmITJKB<bZQZ+k#w6KK=8)W+1fO0RP2dYB~t+{X*rN~SZm)QmRV~i z8-4^5yUCMG&wqlU3iD>r2aESgyciNstk`ddC?}(H*zRK#hRSm9741ftzlP0;3NUI+ zj2YiW$d((zC~32_Px{o2KgB9=FXN9!F%8eNc%enZeWDAwgWi)6J7nLh&!8ap$g*PL z`lHq&g}V0)&IstMPof8nSg-ivyCAIzpK%KUOiee07X&6%df0nr=UY~$It1{e{}t9v z0WT(m>1+%o-_ai$d^k}O1t8xxSG<8-02p70kZt(yO5%$%%omv!UkHBKJw{Fh%f3E{ z7{I!Q`FNc489hWEnonQVLqp4Chz_a-x$*p>sUlABm=ibNFf8+symKQ;E*S^z<h^kc z@1+y(EduZT@~4KBKZtqjz_z_zj*Z>`q2-R}#BthX2Km~0z#YJWIszWeAqA8p5wTH> z$KTb&40{DdX;B4U80SYd&f}gAvt%b0NMeB{nHMXe-W<Wa6I80ewrcTD<zDc*_K%H& z)#IydEIbh(Bz+wj$KXJj<}LS5;2aD%5bQ+jBWCWNo4_nr?5>~*UfRL=Guf+tRgcgH zeVFkPo#y^7#d;FUL34syOUn^s8mK<v`|K~$+VUEFf8U^Y#NhjU6r9TU%)^ly-Fu1| ze`K(FLU!L5|3g@!=r-}b0R_CjlqND<WN&E4sdq0Y&u50W+<WTDzp*N*4QP5aiuu&2 zV*AErZq|sUBl>$adHC}6<zaNJ7?N+;;Sn4GuJoyUm=@+bo7kX~Trt8juO?P@5ToJl z)Eyq&$ob;%sqTlsyo>%`GB46HeZ4UKq(4AN2Qvz*23-)-n}xBBSLspA&*+%O?$V~= zG7oqf9A4wm;i5yEF{o}Fjd1bNh&1GTXyq{Kq$etg_7~wfpPtE%Sc3?I@TvPn50L=% z2)BQk$47S?<43Sz$j&o#v_UVTrGi+uq2(N;t;5}o$q751EqZM&B6$i<J)MTfDj(K* znWq34rr+@@O1ehxK^wGft0YcOFL&!dL}LCe=nC>sssME`FEaN2HHz$lhRo<cj3)sa zfL%PXQKt+QsPh%LFT%YF-Jgj9>B=_ia0r$aRi12H=T=bXP&$(U@5eJn)WwJ{WkgqC zVL=FHN(4b%#&9X2cgqN%tuPS0$w2U_nRueZA;x-b#s6eB=aWC?dToMw{A2WN;1=o+ zngF0|(XUILq}7a*Kl^NEUzx8lK7Y#kEz)_FwcE>R0EYbNaRjt>%h)@B6uExeiRA<j zomf#MwVt%5h}2I)?H!U<;0idx-6<IHPmc>gF~q4qk(C1<Jei9&FHHc?t1WFub9pg1 zdM7xqK?)C+;+XW(bAk~mw&kL|GGt1=v+p-d)n?<9wV5$rc8{G!|1EuX1~F2T*nV_2 zVu)RcgU_EMejY(<(M!{`Rnbc+TE0*0=Dkc)qabNF54wfGK&|{>KBx_C4Xm9srQomx zANtfIs03Xt{c@w9GV%+2>T~ui5+#4BH^ADGb=T={`{IuprdGs*^n6JyAV<3sR^t`2 zanLEBnT|MGe;ZMn3E8-lAxD$bg}WP|*5FPcvGFm!45H~P%%WJ$aWg%CY?noOLKdO9 z3+OA413G*L(t|oI<Pp>pq~bWy4vNeHw?3_Gm%>6pzfyTavfeOu;hd9xpdO5sZE@`I zL;90z>+ubSYwK~tmu6pqvHo(4k)*@Uw8|LtUJ!$6c#FrdQ;3Omz^BHU&TtqLE(>+< zSP`XX^#2}uQ{=#-R#1e&KcMaM30>~mlQhs`>CBt!fB$JY%DkOPTbaVKtSYF&PU&p4 z@fID#9rVUwyW$@V;qlR`L?oWb^039me9YkXNpLu61e8z(rz~i5^s*h}z9eYyUE^2< zT({(-+z0xRRQWoF3#3QW_e?nxMU#dbyH_^G#v1W4o!dYbanqY96`v*x(EQpxwgWCS zi^Nz83=Z~VLW9W8Rcb!E3uY8tP3xJA4Wf}(@Ja!3g)!DRCAtT-e2H&SW%f7km^|pj zER|*t+*5iWLAOZIN%#YKnO!EcMT4pa^nu|S;z;VFv+&IgakngU6@5zUl`A;JDhD=^ zwS#KXzE^tmNoPV^+o(Pl!zK@H{2k<BBy!(*Xc3-?nB6E2WRRAI62)SmoAf80!{t}? z?V6rlzuYPy@B2Cik}j+k3rUOzksWZ48m;tX@S*0ugJ2sz*KA+Vp}g?_5^qeKHI#TF zGx3Bg@dP%3j-U_Nnqn}S#+;(^ST90l>3s(nAWdSN-_Y)EPnh`AMj*BT(MjwA>aP!% z^Km|E7xmeHlLHs7C1112q3d<QU6hSu$-)y*hgc3|Z5~=tC_=h82aJ)Rh}(>)eLsce z83(eyRY+V)C5%;<n+*H6NM}}gJUV+sNO_+_%JSK?;e?~mlv`q)CCTW27p?8?brMf# z3&k9#XLW+8fx&y3>5(qolY2dcIz-$r$x%o${R!7gUj>N4mpzAZ`_=P_(|7|yf!W&c zIf4XVdxHKYvO2)p`otkOkZ9ylp#zCa4A#yV_!01$%)XNw-60#*`#qNd8&X%H-t6}{ zaD&v&gw5f?k|_Jq1tefYtq;iao-#F-YY5$pfxkd)(buJ465T8VUYC9!$uNsD6Om<V zAD&6zgT!unCRfuuI5fcYNX{V@mhZz<egXZ$B(KVN5kp5ffb_2DM~TP-RE$OqVw5dO zk56?%mhvV7DxMb=m!rI!@W!EB!ki9js7q-&LE#=_;yWkPLAy^7Uu{6S(RT&PWWi=) z<fsQ&kx<kHSY$qB4_2hm0iJuwD1)sTE$RjjVUV<ZbvO47jcFbaE;lYHH8EO5wL6DX zxiE?$D;rlPuAD^H(A5U?ZgW8UAAm8GEUzv-2u_u4M;?agP5~Jlf(-ZLaW5XJ*Q$^Z zlY9MSuIM!p7}fx(?#x(ex;R7om`fh8{em-ApE+DA&eJ~Tj+J81bw`BH({@Q?ah%4K zNP`h_%gtX>853w9FC?6UFd;T2k#+8x+w*iP;7*D3EI#^a&W-=!k%;c~cxbl39wGPO zD>B&<Ucx?zj^$a(q)}g-4m1Y6XCZIT4|~s&>E&xrO}q>7c~>HGmX6aVvMLxq_%~R6 zwMxhkuBcn|3sli=w^33SD>Cr%o(0F=?gJcO5}X`aps5H0^_lI#>9j99X3Qb%gu@ST z*4HGkiQI$Ucc8x2kQ0U%BlOO_f&#!7g$P+TWvDdf4>{gNxxX;VWxYnNpze^Ll+ho` zbi+Q4jx92TCl*MgaH~9y##MagOjR+3eT5$wDwk%XYXg|105t!s1cWF#=hN{bkSp$d zN3Jz{R^SjJ@c@Es`vK0($&#q>gHadFXV638PB^d+2M4>L0H7}gx8MyGH2LFuMBl|Q zLkR5=6~u`R=!4y3FJOSIA*Z9)AH|+t2b#yeNBbtj1N1f$$|wVgNQ0PB{8|qLh<PUQ zU-MdzY3D4LxMh5QrE|GAU3)-mn+_|Vfn=T1XX0BiPSa&Qeephw69)WUQg!@-6=|HW zLhMi?AD4-J6%r0FKV<ZO4$1m1hdzf$2JTs<&jb@c=A%6xnp_`b^goCqjfrp3n_93P z02{g$P$s{b1ZV>@2--?Vbl3nmgl!?Fm%cqc_APoZOuvz|-8V3`!6G`Jj^z`5-vlY) zjLR6<jI7u|2a3i9G!DrN78}?>p|>wK(9IA1@}M)9)Kf%RD9zXaJIzX*q6YkYs5Iz3 z&|cyjWO#Ha_cZu#D*v3r@g?s8be;I*?DFmD83SJeR{Hm7*ayEwD7`cj3BP(?=dO%) zVLk5M6Z7tkdH2P<`{jXT?;fDz-3vpv{Z<Hwy~MQFX%ObH*<fUjK1hw}fSRHMZV8;& z`(h<<_wJ9Cq|<;s3k2#D-=gueMq?s69Saz})KPC7P6b!)z+s^1>kdJGL45e63dK-g zdJ>|axrvY5lNCYgl?+XbrH<T%-ot=MJS1j_&TK<$F{F8b1hIrq-9hS^Ut_}(CC2k& zbcQIZGy6qxA|+j~aQKW<xe(bmO~DvktaD{y%`cK|OZiLtRr}C&L&Ws+o}3|NnxvTN zn<{29d7-%%RWa}X{!Y;$2!nKp8dv)?wjttw@|GcO77P6YxdFExdJS1^o?{^MArsXy zK>>ax>K(CX$6^M{M-rW|cgO@K4uS+llO3{2n?^D0&HYLJq27u9;OLjpq5V@kBoBd5 zae$v~^@vc*#v$K6<itnbG<x(z#*6Eqh)>WF$+_h27L1=X?4y-~JJ@`6kt!QaM~uuO zmjf|Dka{vI^l@m4BX*LYpVVqSy&(33UxRTWG_cx${b5k!AV5fJkb+%5M~r}t9BhA& z$@3g2&F*WTdYIVCIuk@HgPn=SrW4j3AUuvtWu2OY5qN)&VC|O)Mlx#?KWDs%w<e5Z z<fK34HYr#Ix!1tw%oKdI9lLi<@M+c!Q;~`Tsf-s#pj(bz6FrxHRrF}ONew125=ZXh zlRLx6iupnNbv`wZ;8`RyH|mnH%Q|{ZgjQS~AyP$CsAP>G__>LjO)}+^{3m#u2^L!( zCI}lDWJQ|O3fzGMWsjJzh?PUnLF<t*m6dFqg10sR(qtvbX&V81gJ1gJjFq9lk@a~G zRFkF8G0_^)BSx6?9IfGT5?MHWG6oKT3yqb3Rt1pt0ef2b1E){0)bF`nF!>Zjg{EFB zvuP0~TS;1hjRPC)D`b14RR^~kxfhR<Y;W3MV@vJ^39kudh?C_B-N;N?ha~GT+iZXT zsj0J%?Ki<czA5};ZE<b{V0F!8{vZ~FA*v`(-g&48Bha3r9+YKvAPPeg)AlU(7?Y-( z^ds5$mu!Iw$A={iAbg6pn8v0b_1OlwnllbP>!V>YeNtG*!$BY%o#}hUw35r>WM;6> z7wC{l^JP+h3nU~{HD0B^J+jP{{t5{|;^p6^zZd>*`Wt2W>QgUH?eP;B9ey3|6TZ?G zxgGm!WPQNbMCVqGgOx-Y@&#ob2BJ7+NzR+|LJW^zjf_e1BRZBp=skmdrokyAk{jK5 z-l2(?hSUPeFA%m0Re<3w*i39e!Oe7rlJzA<2Ayd?DJUmJ>SXVfSig+rBngMX>Wixe ztK+NGHE0m62u~rVe@6dTNH)OBnTT9ur|4xs$3E&c-zVF0tC(|<nW_q4qg8kx7q7QP z<^V_%{dg`H$<on@+e8U!{fsoaxx^i^1ivq5N*KwZBoOdPiueavwuw&m##qm!{_R2k zj;>M<OzNLDU-up*^cF{V?sI6%ga_tu65018k)4tHJ=q?i-HMv7(bpRBVp;Vu?3GgS ziy#thlUh}=w7?;rljs?Z=W{%Yd}M&(Es^jrdgick#vGX;UEOCSVl>q)=%4~j(ZV+i zhvNS$(?$r%a>D+Kj&&HuWSK{;#{m|v3#+{9baL_FD!`SGD-V|kMos~__zK8@0|sE{ zA4RYlw<7swgv-{ci+&2Bsr(nP5bS{SJc@b5L+{Z#smhZh9DWfx_FjRti(cID=K$f- z@X80Tn^Ef-5`(88NP$N7z-h6N8~mJW^foH$#2Ep=LOFWbjO?tlfa?aV<*7cj7g>(1 zYiYS@sM)BN0X;06*R|h?aXP?IT(JKdMwglB+zKFj08J{EjQ$a<(ME4)1hmw_Uf1Z2 z(seoT73A;{Q*3#`(^i423YQO#AP?@e??@iF6}ac)UW|JI?u&$RaJAQyVTRJ$f2ps@ zd=pikE1vvrazaao8Tyl#afWa%&>)`&ErrF3cOCXfv3$A_8QA)B(ZcpmKtMW=8GX{F zSTC~7AxmO3O|Qw0|KaPfXwOnLaz^UqbW%R`m>&eI$J@p7bdtIeabx|H4HEHE>@h6G zjCT;J>4err_#b2*z&=%Eqj(o)CEit(pZ3tV<<NH!Xz!FT#5m%-r<OJ4goHp}Bkev$ z(~2EiRUQ@Ab>b$$?K+wyJnpqG2}iSpG_D|gG3N}CA=;UG5(7g+_D%uVg4z-5Leb72 z%XWmm&71;IGyG|tvY;jGh5luKdk2;m#uV)LsECR6j|=Al7L&wnS_K~xx!AKoeq~i* z0*^fVR25D7V%V3*<;Imy-VVYx7i7ycedmryzCf`j8AZ{Tz1$|qHiA_TsV{ahA;=_# z%cFp{IZ<^Lfv2sp*LRcSmfpxq7e@IR<c>a%6%Xx7R;kLDVFS74L@FEtzQvei<o8aR z4Tv}3T7mqf=(b#AP33+%NW>>4^9dQB5A9&!`Y{^Uc|kuNuVcUW5+=c412V{w{%~)O zcDw2TYNouEV}I$(RHTI8!>_^GFmeZ4aOqEETkjKs`1C>{z#uD!I*I<NDZm=fJwD!; zLGdfV3G}&LABnF=+oKPIdorUv&S~0+nva%8`%zp4VWg)GWpBmcR;<FoI%FI32d^+t zQ{elVkU7lWdp#O)#;|bE&dCr%WoIas=R^8z`cT6m`ho*qfTA~ehQd?c;GvhDsxSwy z`v#BD59a$z&iIxe(#uP|GlY?$J3P-)E9jx)S#FaghVAW_MD8=7hJ_*E?H)S-!DFf5 z!2y+A?`jHCAr(-(XbYA-yB2Htpv=so`w$tOub%oGk;cVB*>MbI>5Uku_uKI0F=AM? zVIN4lu&9HUO!xT?T}Ic`BS@q9O*#>J14wh7pUswab|9Zi8bW~8B{mqLE?<#_EaYwT z^)<5#^uFT|VsKPoScxB!`;qbGhtue@EBOe~pET~zrTY=HbxEI7g?`iGi?=!w83WIu zgW|(qm=~BEo*aP1rVbtpkVU6?7Rmckd0#>I_#$`}xT|eIY!NEqwgfkdE+ZI8pZ!X_ zgYQbo3!nTF8%PCoEKq#z3$36Iy_~w&Q-&vqN+60|hoKM8K1&-dhcYoD>i;*LutoIQ zqwmo$?FYTt|AC_<B+2`qya5#Fk0j}HdMGmm?@6XS+k-0fn0Qb<kD+Kxyu;HH`0GUn zPz-vjK)pzVh&})GXX$%TWHS^1S^}qWFDKXG(pSvV^!*JgJx!KQ|NW#ExO6ts1Z?_x z4V6CQM0eFa*r|GU2e8BEkP`1CQjefpz(A$DnkN7ujtT?MqJk(Oau+4#4j`A`Z}h1v zI0NrypdyT#3Pe?nn#ekgt|HN=u1Ts}iMo1G9|(+dtDHkrfTOO%ip)?oE8<djSdrV* zy;dY$Jzzy<sn1!F+tnAWNQ!#YicC|7tjKirq!me3&sq_O8n+@T>SZf3O;!GYNX}S0 zRF@U`jq0`{PIZwLaj9ii#H}`1kz%#gjHrEJN>#Js3V2iPv*IaGW9mLDPH#D@&sg#4 z6hCam9TY!m#ZxIhWW{Gt{G=7<*Q?H2ao#DtXvJZ;>{7?fID7#URs?kULmOSv%?M9; zHOCf*##HmncsodCMpXJPq*`o?LpP{CTO918uCwCgn^09V4i?m`$P9Id6}d_6w<3zV z*NUX52du~p^{^GWNj+*tRI~*0S#kPwrFzne@3{r>^JW~Vj9Za}dc};W7}s5@YrjD* z6@V|OZYz%b3+f^(j+QT|Rc5?Bp|)C)6t&xmOjCDQk?HClE8<Z1S&>hv2du~q>R~IA zrXI5*v(%GTBwf8=MP{p)tw_4+eA?(s`)oDailnLeR^$e?*ow?j8?1;!RjtS!>JBS% zySm4U+^8O~B3bHTE0Urfvm&>sBUa=-^{f@iQ{z^|txi~xxvJxj%r2y;E-T_tbF9d8 zHP4FNq%O50F15mnWT*{hME&*sV2f5OPO4w+w&K5`{5~sA+kom`GmhzTz>KILQQ_w% z#gAC=omBZ{E53r_BW4^^_N*0|re3rn4)wAXajK3#Hpn67Z>B9ye4k^B)0E7&;$%Cj zOU-z@TP?F9DXPzkOjFlc5r^7gMVxAn6>+J1tcarSw<0O(Ggf4p`kWaV?)MzUEW-Z- zcqGdTNF69Vhseu_K*&%!nK(yK2aja?yeuAR@p}r7qce@~pB>F1V5XmsH0o1G@FkAs zP(3WvNc~4oIH1X*zex|_fSnpQaRJdUTM@{~0|sf^r>og!1YZDvQfz#dKHnuiy$RC^ ziwIWWFOckc1_7)Y{$9jA<o7T>e+s+FO_{iRV1v;;54Y=mbd#0=bP^@=`}Dz0@;wxu z(^t|*H(?#2k-T=>2RG-F=Xr$nIhMBCEQ($cQCf~gPh`_s5PWqr`kRfRm#}`#5%2Zw zWeQ^fwi2e4WzRk=?AiI(vS(?_+pL;yRGnhh(l+&8&q)k`u^PPq&BAWVTqm$g<SHD} z(j}2Q!QnWEV;sggyvX4N4$pIVmcug~p5pK%ha()m#^Df$FLQW|!=oG?;qV0x4|Dh& zhX*<A=kPLz9UOLZsBzfC;SLV_ICL=nd-!=Thx<6(&*1?MpW)EKp_9XO4vRUg;;@3l zG7b-d$*_Roki0>O-2EKx<B&cIk;tVrTq3uhL$cHox#av#<dP36k-L<`0uJ*zq<tUp z0(T;}o1aw<iJ=p@>o{D)VFQOg4y!n<;INFtVh%kV(&{FWOKZ7A?sJ^7hM(7Q*vg^G zVF!oZ9BLfWYy{36_Ho$H;T{h6a=4E}vgs4K2RM9&!-E_?$KhcPU*PZvhetU)#vyG7 zCvu1Q`85tlI6TGS84k~Kc%H+H9L6~u<8YkAD;z2e&B39QLl=kSCrRYyaOg(3d^UYV z`TfYW_fNckNyp^C>Jx62Xk5_>qwy5YO~FkR;8=6<XhHlNPAoN3<Ndg0e0yjV=a;Z2 z;*4i2in4ap#a|VDdI&kbIDL?4?fO^Km3Egp^rtv=-GbF(yApp7RoC`I==}(F;-_XR z${z2}{w8J5`hSWBt|-x>R!A%*W8k~U9ZsbP;3)A_)aoD7s^i~FN9;>je#QSBf%-B! zp&mmJ--fmR+O_bN&5QpffTFNlJxaMpD7TJt1wit#EIfw>@fHx))roi!68g_YO5@#- zcUY7?qG)$D#&5x*2#9JpJctzqdZ{nb-@@@gfJ?laNOk@LdAW*5GrqJQFX{a(-buyr zDaQD5V0fZ^W_%uioot7pL!EC!;vuRsF!W?|#k2GjKZ6eJ@m{pLJuOlb{}OPIe>)XH zViuOExl9fNQMj|oQ3-<2q1G5X!r`X)HdMnNLp)B@B`lUpES^QdlNbVg%G?#d0Fe0p z7`D7K9xfsrcHwI@m&nUWNC49E2`w#}n5L!b>s_N>eetQMu=-pN|7Ro>@9~f3;8;7o zEp1RiACE;Y(&F`1AjWy|@8aaMnM{sQk^F53Q5L16iIm79z$<`L6#e)b((7@a-Wh)i z6%SE+_!uSB0^EAk)QD_q^#wRZQ=^ILk<ST$^;SFDN`WY#PA?yQXbO&_9()}@Pg#Y9 z@`fM=PrTlRCVv4k!&7%c55x;U0B(}Z`s?w3!PuR^T!3qlP@?`5oo}Hp+`dJ-*ZA&< z<b(~x<0!iR($JMe0uT76LP{hx-iz5}HT8Kg8uYm=i!sc~BmqibTzF7#a419AIKrb3 zAK1ZdJvG03jE)<&-xmKBMiWFyZJ)OG&3Vtdeg-PdPNy)-N#Ps^g^Lvmi>_c?+xBMV zA=0*Yb`Ia>OmJfAWxnN(^KJeZZqIx<)r}&$S9vy*?~Z4)amR;ApY>3D;5>RYoVpQ3 zQ<N0t5M@4_gV=DY3nAe>oSMnGG-2KHsok+=%aAhM=Rut2n~3WyZemrb*b7{9`~v(P z4u~I$t7o19fBqCyB9)7-w>#rhPm+NSTZ0T^;9nvG4t)Pdli?!B@UQDUkc{o2{)@h) zT7BC+<`(_Q`G41+3m@Ab`Zmb6G!p3%M>LSGAb#Vvna~auG3>v4(~F;_!IlGS^p)hu zC<<LErWYW+S8ygVoP|5QhWcukp8lm+`amA4jh+`&`DdUZM?5-~84X;<Zt3M{U;^fF zRz9Wy-drxEZ-~%mRS<oU9xB8GZ>wf`xX?I0&r|3fEA(C|JWk*Qqct{tzvdr{zxxU% zVq*E*nq%Ot$bIoYpdFKu<!?u3zEq3M(HoJPHv6WPigNsdYt~4NS@gpn`D4tR8;BQq zM&BGQB2l13Zs1v~pk0Urn$T(i8`+DHa)O`ZCs_&~TZ;4($BHS8|1&jP;fOjNu?j~V z-!u`iX^2r1?CjM?3h~<VPw#qXgxQ|cq8ILJcdy0kd0yu`BZaA?t~nEN>^@S-cm-PX z#h>Cf0gB)LtXMI9B;&=B%)wRJ(@)`H#+LEC>F+OpSNjxdE&ptK2%oWZPJc9g`A8@| z`fA?tcO$>x_m=QA@Q*GP0h9oQ$#&mM)t`fJ^kHWtM<=MeAEv)J63I9=3u>e7;gal# z<4DT-6AOpdpJ+WqcEE|o_;;X<P}MCGUQs~--RBr}EI*~u*K~e3p7Bk5uQf8h5Z|Xi zlCt4MJSHm4jQ<QGc{Dp7LEIPr?+BsMwdo6oPQ(u*awO#hEQnKRq<?5_#?wf>1*qcl zkz8V?c%B(g!NchPLgDy_s1$!+)I^WscjFNae~L$xrFnHG=^;bQK-cFaBH8f=P;Tv7 z&~_X;8W^Oj73f2J2_>J1e}kc9^goO{A@s+TeChWQqK)WIrxKa@dTIwMq{MF_O}+&= zK+-`pif<5+G}K#1^+qod`KaPpdSB5-)KavWM^Y~BK`-e=7`&K*Zvm%7cEwu-F84tj z-6Qb%6Qq#I0~Z0Ir;DgozHn&tG3K7Z$mJ$*(Dw;@W+NQIH`qvg{TWm1`RAYiKGhcq zs3Ow*ucs0=DHtG{QthenCXDz=xDc>Bbj9~Wgwbq2CfEc0#0K*ELo0CGeT*W^CRHy9 zHrWHta77*gZ@xr%pFZwe7571flf{OEhWH4~j=QD$J(4nd7v5XbmBKf6F9p~kd~8oY zPD)x9SU414kH(2+aUTi*LPj4^{f5G!mx$NCC<xkDL}Q?6Gx{LOA~$20S>x0FA5d-W zT1j|g?xhlyF#S;Aoe?^aGBf@d%8kwv#Kz=P)_!<)Egbu&?!`x@?9(=t=*Kgc>djbx zDI0|WM~uryFmi~SfG{;4!{irm&Q{>NQhQOAvV^j)hnh=8WpqlYx%TPt<DffU%{~c* zILP{#UR~(~P*@bPfxRGOY>-|&i#<*6oyES|N8z`2Q24zbgl&7DevWU02l)0?jc)_p ze0#owZ-1%c_RN<Dp21D`;$-xGJPgvqK|Bm|yJP|A#aG&Wv4MS@dzdh}h`~S&AT#Ve z3=_3@*!u!7#&^b#;*eY)?NJP_Nql&2(0dpseMAp#KL;lJEj}DbW)QuHChQ>aayl$= zCpvu+5Z3am*E~1M+RFyLFH>_7Vm!RF<9!*GR-pO^UaU`MWW4Ad!=GYETSLr>zqdg) zRsnKB$VH|IyWcLt=2#-^=4h{W<F@qZOL4TSXwxA(Aam61+hC(HiZnnZa+TdnTf$o} zL~^4&uIZ7x^y17Scj_O0O1q=zZn|X_-9xw8MN08kfK%bn`d1xF{5D{GGMd{>+=%a> zymAyPg6~qW{8!;mHR+GQv`y3BmNMwaIEB6ZSD{PrTTt1TsVoH_SJv2sQ@^lXakVBE zQ%A7r=!$jVOB1+0eF6J#%<530g+K7c0&$#&g=&_wiiXBJ-uf)nd;bK!NZSfkh~HX2 zc~E}7e%1See<31aw~_^{R>PWBNh8Jo3F8e*di@ELPNtHA38&AdMN{F>?vK6(+(>TI zkmhPckLZ}EzVKY>4Rc(8)1DT;0ZdLVu?~V57{{U{I-9ca#}4o(Fy>I5!JX&pGrq3> z>T!I8c)KH3>%^y5n_!Wg$2X%O!*+kzsRcT4ZfbF`Gf;_c>D~*AR|YyG;5cY(QFU<r z`Pg)HJ{ES&8lHvE;68@8jM5{efRa1@nM6j>5dNTrc5l%}yriJz6m`=rtH?KFI=&*0 zMBHW~ak>(@NiXUFPSLkhV*G%^>>^?3Wtc(0=gN+S?K9UDzA>d;(WJiq!iOgmbXvPH z`t~#lW4gY6+`r+^6_Q?UqW_NJRO&m~#7M_Cqig8q(pDC}k&$wWzURMsoTO&;c=W=I z=){c3f<r{M=!jEP1Pdz9QpyJ>+}h325w}Q&q!G#TtE3<hCeOpEnJ7sEmB?+y97^P_ z;jn?jjU29EN5fJM7jam?VLpd>9C|o(bC|<nHiwxUx;QKr&kU1<K_Zt{L2y!V=;qMF zAsK*)+<Xod4i|AqA|{bbk|2>wGai%I{vWacZX=|ltH1mGr>8*sH}I#~4&ra#;o5}j z>zD_x;5v_M9G3(6Zd}W7`Eb38>-TUygX;*c9@IIC>ub37;G$p6VMSSh>s{op!QF$4 zeiQ$d|5RKb1YsWzQufU_$bZJI?<YuKgg7QuUk=hREBhd?`ZQc&T$ojTSlac$9_uT_ z1!3H`6c_gN`fkGoXH*~5cV9X#yn)(x6E3i4AMC+CC$7_ge*^BX;+~27818AfAH^LC zw(n+KUATav(vCjULBMic3vk_x>jU6_2G@6R9me%1xc&>Seq0*z>30;8{&idzaIN_| z==PkVWaG-i^$4y8Tq>>}Tz`P;8@PsWy@l&1xW;igo>!C{T=(O81XlyDO}Ik1p2GD9 zxW10-6<q&->p8S_>wm+a;KTI@u0~vKxOU(=fa?WZKg4w&*BCD4&lJUl%Z+Ohu5w%( zaBai2AJ<`AFXI})^)9Yo;QB4DFQJ_>^yz+FnbbF2?;k=vq;J4gg=-<M+i|7gx{Um@ zxQ1~36|VibK99=@9NKaJ3F^Lz>#uPgz}1JV71w8REyac7z)Cu<@q>Va>wg0#{Yc%3 zr|XC0Ng)qQq_cTbN5HLhxx;~uK#S(?>U4*@TDAnhSZY^TbJL%vZ0m}2wql%u;dumg zb3kiuZ4CuG+q&Fs&B2ZU^0eUAK&!hef@(?uu1IG%(%sz^(vV7p1K}{rZVh(y;)A!r zj@FjuP^%lMT^-v{0?luYbZEhDpdw2H#=^ym7uYUk#imeKGirvlN0elk?ybS_)@H3m zB~;M%md>v2odzVc-P)j{)CManQA7#$-m3&#JDce_(Am<}8tmNc?rL*WpF5kk28@n{ zwNSo$Q?C{XySqaC&>RXi_qqc;-Jn*WHJ=HTiz#T(iz;u8NXoTzb!yG{v!0!ijt+N= z+8k;|r4Y)3hD2uSMssNMGIvS2zp}>LVB*XWHep~Qpowf`!Qz4fYN+<U;IicUQ{fTm z1sVWSFn`J7#f6I(T)W*RpQK^5yMw5g-1aheTSwP+W(EW4g82^?ELytwA+$KT?55^c zb3AN$9f8heZhKw>_zB$P-qzd^2@qe=;DnkxHwOf-QA%r9Alx|@>>1SXr&Ga0rEX$F zRKfTLgUiB##$DZD%3!ee?#iSTO6$Gfo+S9*jq*Xv0{oTM4h&5o<kr;YPIqolumNZo z4DK)ofPl+>;L*J)(uS@~!WX4Gf?+MtiMpMLgaR$w@ThbKHaBa*Z2_v)76^rdpAXQV zfaPqFgfh%~kXaqgn`!K~-@l_%K=4zSuLnaEKpg=KlMIu5Ycm+J4XhjrJP`>1saCUF zCT?w^uB{(~9~ZH3q3FlrV-=#li#Y`%Zw>{TF((9-H8tP{0XJ(ZjW@+4Av$XmrT2ai zFB~9IWIdxlglq5pwVVZ#;5leUsJPaZH_xp#Z^0a1NVB-mjd6`^4RmT@cV2F*do#wM z6OwI9?XqB3i^lM_RN9{Nwrtrl&x!{-!D7KyHy3udbZy<*+}Y~RCA1V0F8=10mH_x- zQ;<<rS~|MIU|R*kpc6vFxcdV=km-=6Eh@$rVzd*ugO|Dkfe?uxgRkt*f|n(dVaOAL zYcQ9=S9CW9pPr5JG@gw-NlJz8L`Fd?1$S)|{*dezh(yA{d`3FWFBbAhH=phEEUZSf zRtR69r5N&_hEdKfBT3PEy9ss0md8o>!^kv*_H<5a>FQt|Lyg<(82CgwnaUW3I%S11 zkvFx2-1+Xd)}q`FNNUk|Q7#^-Eq-9&czOhF?tst$<4ElXI`EUbH4ttI1-mtH4zvO3 z3AH)w-X7}06V2ItcUbL;bYLO{+_|5Ri1|da7Ju9s(kT+ASuHq5LS&%^J`vFcMvDQB z#5!r9O}#wmfKgLht4vNO#<8c75<yWVyd%tdArRVT0th1#YzaKT{j@3bpuH?93)DyB zRD4q}#h1CSr9u?Sm;#X6r`EY4vw6iBJX_OBa2X_*8df-5Mt=hvWWwaw7J$w&g`%$) zq@cfvt&w?9>V9y^{7n$_Ff4+bJ0Z4^5rA|?yAn=Pg)Skysj30_dQjYX4aB503DF$> z7IzCIvrq!9fo@D3h^SVG2*uF*)O@}>7e<Y+je^Tmt*evG036}N)4xN%B%J?{eubC8 zb)os2fw~gx=zwPGa98?Ft3Wb-cXK!_%r&bt$y-qw<G}V*cQfqAR;n&0i4^Fhb-0>Q zE+`wt)M9z@iQAPGNPQasyD>J#EVC4dg^6J=ijG{%MifGvW+1>ZpVPgzmLvnKd;&wJ z4$T$g8Op`bC+-JLn@ds*eXi;13@8vlN+oy;@p>Ud3{E0@A{efvcDM<e`P>AxVMMOp zMzb&v3CA#*X3LXmEOQ$KB>_X&nt1YDw_so2gi}bfnINubvj@UTrEl9J7WUkpVGu4f z5v{=#0hUQZE-B7h(N>1wpntLqi$y#OImI!~v*ea2n<Rx=Bi%wqAdh4PDR^VH(w*XV zel~cDn3<mqexn%z0K{v+!5Dx0IMH)!psg8;8B;xyKAn=*R9{lBHHTo{%az75NIq?Q zS7-}MO4vlLSScyWRmxeG8w6&Uq!g{u%;nZq>jXj}a2}R9P*H5BNZq4w2HKITNHyZd zgG}Gt927a`gH^}uXg%x82G;DN9_ZX0_6NJSEup>``mVIZM`n^@+_CmqT~qJ#mLg5A zgZS=S!|@WIugcp{QuP?sk@*Y{&t=|HkWHl5*OZ9-y0Q|bzP9u+e|<xpx1?G;m#wVB zqj;_>X(CvnjCYl<r1UXwgOOK;QuGYikFH)RpG!(hy}pLh+8UUllvn3nUGFU^E31?F z-ZiCFtLrNpISpA<<}t6=S5k#ES*EPErlGEOHGM0ZVLVz_TT)h9QjeB7j%ro4wZ2Dz z4aci0YgT%x0l=!QeYCO$2}a%enzBb%my5i*(nj+c=~cB&cuk#fENwKOk={^Q?X8vR z=Cil1uGZ*7!&>a0)z?;+tdae!u3t$FD|GjHy-a_4ws(Z$4Rxz)Xzb{@R7U8zsiYFa zR>kRPXw_=(YQ~@P9+e%Z=W6*}Ut8s;F%e@?<*)Qn->du$r9Qr|F7rXY`08pKYB|q* zF0DpM*xoXa${Wx2IyCG^udQpq_|<#s8ogyk9JH^q(rRdA{UtSP0aH9Djg?F@2TR5U z5BpbQjM2V?QB_q@Ti;MGQ%!gvvcIafw4}<&kmYM?F~pTVf32^fvbLt4`sA-DtE;Rj zt>Wi~T9MY!AmVl2(#Ep-2EmCaTfMrfp_0hyuPmp!R-9`v3@eR#z;yEifWO*X{iwID zzJkb3b<65%0l=16>1$l#|7>k#jnPMnS9wbsy+$vn9@4B9Dr$Z8lhc6NlyZy-*IivB z@aLMcT;r13nyR$|PHBa=^s)NYG)cKUF=KgM2~AXvqh3{IbtO$IBMxGMYBKJ7tf8`| zoYbwzCkoazfX23XLupk>y~Nv|C)2@S{+ik{Z&k@!g`P2(^<E%A&ot>P%c_{q&3H{i zBZkY&FRf|d=W>iwt<Os$Me&wY`b$=pR8oYVA1x^>uPRx|cvHN*q>?~zUU^A%CCI_g z7@yiY`3#&&8XyCyJQ%5@8d%UXv3g~xS3F~W@k9qKWckofmQZ*uEkPwwi}Pw$S9|L! zONoE&ae~Hin%V?|m=6-8ypqNM@y12f5ZRbpHI+mfQC~cZx_GXsEniheeWho6I}``v zb>3B6U*?(hq!fo-s923zTqf>Kbw(Ud$g5=G$N15+DTw`zB~_p(r5TeKgvDg>l{8e~ zHThEHSNUtp!Jx)7;V7SlXsYryLQE4o8tLdG3QhWbdv@XDlr#<3XK*e03a%KXD2kDn zj^|8V8uGMBd9#t8hst}9hxgw2cTn8^Z6S8o3cezaw$j#U5|EUn*#C6|+rdg*eOdjT zk1hSeKTaI?K7UK?SN`bJTmOujDP6YCPgc&lMeD-re5IQr@CC1f_por`I>S8ZZrvnM zxD_|L=!ZQBWo0R(9xz|lj(rC$(4%>_c5-GP{P>{Nf?#X2*6hL72jWk`2ao%Lf`XQ| z&De)A;-z&Bo;9VICD@NhPQ#fa{Atgmv`Q|A6Tbo$*RAAoLrG~qF85k;8kZYMN~76{ zjrrs>E{B6&%0_f{L5TVQA3DaJ@#nZF+#`~ik9JHm%6UHj`Omj*Lidy-`1@3%yw>8W zEa7&r-)~F%oamoDtwEH-UcXhYL6pP!X{8Tv7jVNKc&Zeo_!;bPQCdJCvk&oBiVM0g zq%xP0Mm#Ok3MtL`)ui!RL}|3Il#dN7S#AlXVP9Wy0?Go}R~#2s_Dn~7Q#j1|<Jj-O z!-7ya)Z!_4kkZDH;J(33V;s1wEua(E6g?&HM*R2N#XK<LXC~!mZAs3z*I(3uk1XIK zxJLc6w)#I0E3OG#lutioF%BWnCk1iiqL*SiaCPH4_&B~(gu7)aclWj`zTV2tpyoFW zcI0ZHr}4`>i28kk#zxu?kw$~(`<ju0d4zqqirtE`&Q>>sv<8&Rww3GqbL@Yi+|_=+ z+XwyKKIngzeb7HiT9rSow1om#QcLHJ^54X|p4ak!l(d%rGuw*4iC5pesKt8mK8lrL zJ1$7hK(W?sQkGF_rEthM)i3lHE?m$`I}-P$)(5l-><e@RD&a2*VRsTMb?hCdHU>h$ zwqAs^bf>%$>^`Tg3}~fYTe~CJ38{et$lHS!*H1%g6}CIQw0g(e|5O)XOS?K-g9NU+ zIlM)=l}eRHLLs;=eW9)v?6g+4D&L#h4j?|}t*h}?8906qvIU_1b=ZcDgjxbk&7n^6 z`EQu+>s{R$ByWMgB<!W#(Lk&4S}A4Ie7&{x{%~hE{9sy}vLe;*>urD+-d~PAp!xuu zt*zl&cDyS;lJJ4DOj&4_E(uq|I~5Fz3h=$#+AKq2YoNToOgK`MZ>IQqtKe-1GOMNc zm!itAkY3%@8tDL<t*!8`fiPjMxl>bqEL)}?d7-<eqolW|#a||UxuBiVS!Eu|K1v(B z053bK9Fz5HTUv;)P;yHo1f$w_44k;zv<=|b;PEHwaOeFv{)K^V!Pt~&T1a`HAj0qO zuW#NKXi&+&qr7N`!998lRPaAaHc=z(dn!Macz}Y`P7^kiy0(WgW=a}L3NU_b-E<L4 z`f1MwCoG7@esVgZHxX<%DNbA2mM0>?kStncjs~!-?t&Mo3!`4jU@CxHc}G{X#^YMn z6~QS1MfsL(lxhOomAfSEN@!2qM!&zXl@o}!21>D8r6{MZ9!X-Kmnlu5pcYu&8EOuO z=}3aISW=uRA!ooVc8VqO!Vw9joTr+i{0&o~ytyN6kYSP8Ta2?{JK3#Q4XEt8`hkTZ zp^lbmUv4SU5S}f6Ww<`FiMEe$#zdCH{K4i>K*^C9*TOGHd*TA=<z~CgDw5%Ujk1z= zLHx2Hjg#Nvo^psQ<*y`sa4xnJdA`#T2iQWH)`*61Y@<0WNA$7<6*EFkI_19`v<aZP z@)t&LOTx@^k2t_DVgjHeU}R;pZS*kZ8p@aA#GWmU`eD%d>jVv(+kRpP<pZnzQr^~u zJ$6*Kjsj*!U=PaFQeYoa{?vd{(%nt_yAM$R=;VXHo)E&Ws;{@SxjRf#of=w<xIkIt zKV;IlBuv7HCR%3~u~I-;Wl^;hQ>8rEiOt*32SU_~vH(vW<!>c6Q|4JyP*clkSBUmw ze@wj#Y{iVg;3$g-N8$)M(@SU?D&LlnYPwLeE7XhAJ4m7NMLDff3v4xH%pHJ6GO4y+ z@X24unx$%>WlKHwxWK!3H5jR)r_4RPbx_jT%H6(C=84%SD3Ok|lF(+quQ?PBFbPrm zu|O}@T&-bczHF257Ol=VDec3q4bJZpB@N+UC%n+_$$nQ0VkzGtj*$WxQdgNRp;m6C zok0QjZGz)(2t|zPr#ubJm=0xu4m%wVPvR_tKHo=q!17~EKql(FP5dc2)OS8M0rkZ* zKvCvW8YH=(2lY`=-UM`i2_OVDWw|k8oHYxjlPRSri>LCD@=L;l7)nlaDZG_#-k&Ud zNa*{|Dq$_uqC&#uDzMeHR=-BPK^r-KY#?i)u3kUw)58i^wg$F_$!Wb<!Da_dZ9fi} zz)%P+^3!1gm<f%gaH*1$_Q6F30{*=yD<zQvs6h>e!dB&B>)9VrO5kA+sD2zJK&GF} zkWVRq*x44`9D&U5#L1<u?SAZ4ZR55HN|5J*krn9N7R0tTos59S6R>3os1uOTud!%W z9#Q<Ez-Btr67tKOHtd<QiQ}PO1zKRq7+IpyUBD$oJB$QKxzmXGp^#d(pb8R|+mI@r z+7;>`=BgG@n!AJZw}$7#OE4c0=3{r3wjAbnJUIWs`GP#pr>^c4G;B3x45lqWV8@m$ zv1?{$O|_ns{?rDeZD~;9&znrI49iGYs2nF&Kv7>PfFl!{Qtnt4350rmkou&3I$Hvz z*c7J5Z?{1gd;`-=`8lQ5_kwy`Nm!MHNy5+*G)S4yexh(ya1&04LGpD#6l|DI>p(Fa z^(1mD$cFel@G1*zifqPKxPi|}hA(!P$iQq;G)fWbM%bjV1<Q#KTe=~ke)qdR1?Y{w zZ+`0gWyTubSi2jw#JQO~@>)EOQzmp$Ykj`4bw1BM{}F7wfgjS+s)Ac^$N&nC%gUnj zaKuS-lW5%@c877Q5UT?^WJ0H0NOI5|fbKWoEl7jvbz^T`?68G#mIVcAX+uXWah|H# z-Q64vx$|g?m6G%MAjiA~*yA%=HnFrLSC3p&rd}B5TySE-I%~7Q?WUF~L7b4o2?6eF znz8$hgD?S{SVRFRkRCT?LZrC^)#?J6EuEav8QHoCXT5N?YZIB=X+TL^jvU~<6{jk3 zf~JGI!6)vZb(v1{+(B^^%-A4B;Z2cnFM1??o9+9-dGf>yX>9b9H-d3^h@$JcyI8i+ zxskLqi5BPut%Vbsj9DA>45%Q1xT%^O!r6qwDGSmX>{Kw?;JkdomQR$~&jroZTDs@b z=KtJCYxmszv@TF7v>oONfcIL!aWb|8gn*ewo#PWtc@kg7oviw_G+5|d(JiwiE8rX? zj?Y@Bl|cChA}s!Q5aV@)7YK;+aH16~2Vs>anP|B<_KUuDcQk7x#c<r!EbiXkMJIH4 za~gTqXfAAyhjGp<Pn_Kg!`e#bILZDd(?Ukgle2^B+UiZ3BjGNbTQr%8_&E@o3zj#y zAAo>`xqqK0&VOJ7T8w<RUzUV|rh{A{r95?n1D>|iF3bdl3;Dc}JVJuAe2~OMGYk)% zDiRQ6g5X1<e<z(a#EhTJWi%^{;hHo~#z{vp7Qi3;Y@E5v16>54hTUXL5p#)hG^{u* zY7}&D#gaLnIE>dkR4%Bci87sCo%55*p$+<$Uf+GfKe-Rjaw=W*=EDathrD9%pzm*S zZX9v<XGMJDX}l4H__&Pc{aA7JBYv<<aXA33|4qfU4{-&ady<<6zll7=_sO{PJ9v8r z@#1QcU;HAT@z?K$5O<<{&tKyi`5S9Qy!)KudJXZuT2bEjcleSe;&4oJ`Gen8TxSsP zMx5H~d0laxM|@o7E8kOG7ZKmMO5~qK`{Pu<PQ;J=jpDk3c%O`Sp90){C|@t~htQu) z#Jd|57hKcIzW)JQAU@tC@{50{xbhJ%#+Nav{|C?D8S#CHQ-2O1AGf5RI0H&UEoL_H ziX7xFb|$#DV;Mpxo@xFXx&cS>1ECI96_XfBiYHMOr|al=2qY^GB0|8o!7dR3w*@*! zNCIkb5{xv|qe`IwSEFgqGRxf^33WsKgju>wsYYBWW@w<*ln3Bv7LnpqU>?cTYt9i% zmP&byh6z2YWJzH(o>zy%uN}SIs|E9zo^;+ePtI@<^HD^(uB0U<ZL^zPB^`#q0GM*X zzn(Hpvy`b+q@=C_{GNa~>lF&%>^4aRN*3Tr^)6u0q2}#S$MiadA!@mpDX>Ug^AUe{ zUa*b&C^eS*@%-*B8Z9C4q&CyT`t_oh#(Ceo$2S3RN7v@{=&M(}#vv4!Kt~)xrqhpf z=ol6R4Ot}=uc$>MC9I7gy~Ti&mGZDw8sr--s5Ey0Aw@YT3hN{QQ$j?rdZ7*%%v(+g z1{6};7$`%-r{UESJ_n6)vmt>(BtTIz%oZ?s8#<58AMhLajCigs!ff6d*q&yqx`5Cp zW;R*`-Y{5%mk_m@!(D<5Sgnz$4C9RpuxckUqSSm-rx+0h6YILOL~^oeXOO{=N5NGM z3`4g_`+~bFPT>l3LYf$MtK<KTg<+m~%M&Q`q-48{3>cC#Qu#?$h<Oqs2PzqDY?EF~ ze?l)MsYiF-g9{56ELyx^$wLd4K8&;YVzMM@*tBE~%Tfn$z<2XI0^0%|=J7aVp=sG0 ze5NnSPBOKxso&kQF;fSVoo5)7z=x(R+oVvTkgGi6U~^h%Lh$CvJ7yXdlQd^Vy7jgc zY~nzOi9*wCuFRiHj74I!nO>4<*7DONVTnS*6UaK7>^f8fY?%9-?eN?9_^7*8EDOVF z#7#!yZDJY9_9>VhFLVUK`4}9wPi#iSgYy;;-cw=24c0~Tgn5)rT?hqR#R6J3@L9=@ ze+zw?s35LEXW}h8eR*poPaeycC;Q~teB1dwDH4kcm_L&gqZFzJi1`o7+VsGhq==q` zT~<Uyz6yx6TDTlRas#kfYp?~+uL)pW8bEY`rFnwZltE0qG((_^QY;pwTta@A@phL4 z#bVu9G+BVswyQW8YiMVT3a`Tg&0F1hNz~xgk{mSI$h<VDF<QB84w=RIsLVXsE!ncE zUCq|*SQg}`O<8~PQC4$-0x;5-Xc7WwLS!3~UYH(|l)$lty}&R#!Vuh@^Mjq}Uy%Jl z3)0e>R3^L_9%4gzygb;6G2?dy#c)~+Fws^->zWUnNxXjtH6xddfnLtWxoT|D1vS_P zU}ZE@Vh*jah)fxVHBM*1jYULv7sLXY;msziT51Ons_DRTD~g-Ox3J6b`p_2PTD6gb z6cnp7yfCmVEls`*M5}`Nl1w&rm@lm*n)T3j2BvMG7>t*ejv&ou$y_8Mg?+=YC?+N@ zPa|TpN#;$ORC?4hKiY~LdX?=Zh9`S$D<eRL;K#<aHIR_S;INxg)#waxcf(l;mgED+ zL2SywRmJp0hOwEEhGW@+Dso9j#J5ub`C_jXZw!*O7JLFT*?6FS$-37zhSSLUly6ie zHJ98k_v81kr=rBVWQQdcO)?sdQgDLgv1Wn<@8*O0um-T=g#ac;!+bZO8RID&CSj^7 zg?AEsL!g6VB&5>FQ4HtD;}Q`3IB-yiL}C;&#)H_Eg?n_fjhDh{#^M<$*caSHrIrA_ zXh<T0OYtjUa-EH$;%z*$j=<ku36>zVEEr5I>E|&J8Wn<Z-R78)C$H4a>Q}`hA2zRa zqs>cmi&3`lzbe2f_)&|Pg~?7i9u~@>2`Y#|v1=6~YUQ(Eij7XA9;5)4)>IKM7E&1# zTjBJxTA@raiG(^a=1`J~b?<OLD68=6AuY5c#<S2|vsXS)%k&`rF%pv)XsT<#D3)*e z14sZH$v~f3eJT^@i&t*ZC*+yDjN+4d8A%2&6Vsv_Y~ozKE3#yo@p>S<liNi}yf26s zdAGwo7;0{73$~C`gTR5uH(|vI%LjbO%a^oZ8#XHF<(O6oAFgdk4veN@V~~LtYHMyG zcS|eYe1m?%cvHQw0YHPeClHiq2SZj+OBeS0!`*bk0+TBVSfGaha8+!SlZ@c!PYQu* zq@|IZ;WbS2HoQ5{@7|Md7acG?Z+9Ec0e(m2<Ls_$ycQ=!=5-9Pv>KA?ych$;Td;-9 zJSQi;`Fb6{WX%YRx2z|>hL=Vpf;&|>66lR=$Z2{V8?pj^0&G}7?35BA&BY^m$w)in zbOOC*hvlKxm3ED8EJ&-s!V~-H<mQHjF!c>R!w5#E^`;&sA_kpTmb?j!s5{NnJcM0a zgm!S;fK115Shb7y>|pQ~!2fjQ9^t<!ct>$9MSMI@_-_tN|J0FrBLB6Q6jufE3l@m{ zeHZW<GQ@{uyyt%^u62mJ?ib}ZejA@kLfrR&i02(uTpft_6^M8?{6#&8cgy^d^YEu3 zeqpZgFYS37z9huQS4e-;TZ-!d;=V^jd;<QrgNW~YP{j8gQ(T8BzEGAwiM}CTTqyik zt{*9`mnptj<QKsIHG+7-5|N*W_Rk{jdr0Ju904wfkIQ($yZ9Cp;_l@l-;Mlns_zl> z7(WYt8sZlaCx2Ks`s;+h@l>wJpMbwEQ~Dw)|Lorb7Ujb?N&dT$pTM6+`RFhC&knvZ z)qiFR721xVC7LBuFr#6C@>~uF@$wU7H?MVs$&^PG+(kuhd72!Kamw8e6P0E^)kwQu zjix%(Fa#C!0qns^5K)4^fk2a=_JZ@sz92PVI=1J-S<HJiSh2vP0Q6Tv*7C$<uK?{$ zkir)W6sjt{5sCr{EX{XA5X-w<rcz&I0dvg=)|U%U!WB!>c?{iVc}dfD0qkbsM*#&` zz_UEXe5Dl+TsTv!;Js)}_D(GB#p-y0u<&gJhm#sdILOp*3x=@Z4)Tcs@;}*eMK(2P z_7hr<=po&Q^az>zh-r};8#x5R=ETqA<r9sg970fWt9!2PgCg{Ck-4J(%}jCG;!^M% z@gAMer+YEt4Kj_Kx0JRH@eY}mDbsL<e~NDxSqfyTeNV$Q7q}N}lA#O2z`^T)Fte<E z6R}Mugt<jWEW^sd5|kh;OSm*Y*;X7cxiCU(nSjow7J~eSmAeJ6S8Krz%LPc9m{;xg zvc&RSjxmsSG+9R|#OsV!AV@8-x8iE~ES?P;jH=NjHJ1<6ufW!B4GTElrlDbxJiuy~ z>2?(_8=uv~dWk0wm6YRY><4w{HMe1wkvq24*b_?fQ;{yRILPMRG8|!6romLgu#?UK z3|$gDqkTFan%A-wJru*m9q7OjMs5OULpqp}a@kDIez$R|l)R+ms9)fgM?7g+Ykpa0 zE`ZJz)0EfYY1XSR%ix6)t<5z&yTY!rOTY#4)t38d8No*<!|)VMd1b~9ix@$=tTC_h zaB8p(M3plhI-blg$PMy1UG+7aWfoctYExGi4Bk%B38A-<F8y8faS}s>iT8ZLqv(}w z;RWrD31!Wg^-NrrTtbuz!3mivr~%fjpSnxULQwb_N$Sd?Y4A5=Rod0beln{KbG1*b z%N!sCm^4R)*reX2Np@ff#C~=9v<Y@w!Qx{3S2)zse`!Y%%b4#RGr!8sOX-TWaiB2+ zO0T_#nZ%7^B_iR-oNz>VW70^)z~{<4O&{lUC3$9FxM96^l?CJ@a#e|wLd~t@g^{)v z%^a49@B@<`;j@$2%f!c6gjBLGH1WwFA{CW{kxI@a66k5tRUo7T9WeM;N>ADbvA(%O z+oVa`3SjFHb~i{M*#VPWqRnheYLX>MsX__}knk4~gUK!uU0b_a_-ixr9LFZw$)j2< zvN7OE`i&ebri$Yw3MNHIusKZYf3d*C2?>fo%hy?(;jpIVt`tc=6l8}15u0lVa8QIe z+e)@L33)vJQV9xwCks*2O-Rga$ToDA20@e-TN>yjz=^G&1;+PpXo&{f##|uC)h}qq z+x<<=;C&(wGyfEC2Ii^kU9w*&`HTY`335Y%P$HsA{}jZ6=rE-jE%P))5q7J6%t0C; zNwfRfr)hZH?4BjlBH<n;4bCJ4ES1QfN2$(1L7@SX&-7r0^)aY`e<s<1OnE7j4Mc>O z|NkfUAQ6=9X<}1hIkVHq<~2qteM`vhNrErw5p!C|O#?`7Y_6Jxv0sA?Q=UPFsm}9^ zKU6o#EC*-9B_=VU*@4scB)_ljdm^#G6Og5xl)nH#3@XN5@&P3X1@wu{IzHz^W&&;B zz@aq{;-{NFtJT`k3kNw&I@9AtOpP+wpQhbZ%st_$?V>jwz<5Co=V{0+4~K&|g`Y+U z2H>55zXoPR3;Z$U)1nU`Z3@79&ydh%{+V)&X!4(3h@nUPeXTrj5xrC654Q5G66e;i z#-wczYwU#L1oI#%M4U%;K;s4sCfv6mjgjaMwx${1MM1f3SY!%sKLLa9iN1pfStj;j z<@pcmyE{}!z)MSN#6X77YBgMSa`TZK@OUdG$i5aBRKzG~LT;WdAUCe)D)06Y|5{!~ z(oweMq%={%6^18KE_uOKq=Dwq+5j`ibTlHH-ob!5XouRsMNwzUo~0C8d9(nWw>+s5 zA8f*5!0Xg1SU@|Lv_3O_Yrdqo@?_+~XQr;tT*Xt<jJoe_w(?RO4rL9_4jFlq@8iSp zd*E!;8TdCQ=TW>5?VMBLXTg0v?pG^gPb&tlleSvGP|SgR4m=G<5J3t2=d*pXsCoKD zxZ{L93MFRDa^8>0BOYQP!swm{4P)-mkh_evyKSe&jg3k8^9&$DR6x+-ynjc44vP!J zMlSA2rAs!k?THJch+39;w$e%V5#Z9skhB`O!}2*T&3yY#*bMA=G~m&u5S9wYr`mYx z*$9NwjJ)3@2m>6A^ElTy`pAX<l?NZm<fF-Cw~etjxvFiPCsJXfKvrU84XcQc2os=> z1tLxjf3g#ig0momi1^kT+TONdCa_F1GNi#I_P?N5{$0!!@hzsSkFdFxne1l<eZ+9{ zR-obRha6%%)poGpcYf__`n4f}Y5b?GpXHVhz8BVsMa9RK63d+H6(r$p>>o*}^4yFm z7-&ZabM%uh#Ty_x#KPKKl#qH0z*z!?OGj+XH8dubu~red{-5@~11gHFTerJuk|3xc z20#!6QBvj5-PH{ODhLW9qJm13Q3(=66ctc0fI4Er2#6R^F`<|c;|S)A0TmT<LI-nt zyBbiKasK(=d+V;d?z(@mpr}(P?6c3_-`*#dYLFHL<0n<To5uIMn#|4LJIswSfH&am z0L(TF@~Q?-;V`_I;0CLz8nbDvT&rfVXYSNAG{X19cnTmRn3noEjM|t#zZRhh%9>@M zTG7xn7@{H?=>9X<t45LdMSjiw5l{^!xD(Ci?t$NZ8hUCCl>WJ&(XzMG;8pW3L34ZB zfFy9%H>_#x2y1awdm?uI)t=SOh4T;Kmmf>z$4>dN(&-ru@e<&k0>6Lv%;(8})4Qpx z=6UdQCr#l3D)bm1cM}}2^5d+X#<O?$I4!~(&*0(1t0X_;^JnoiT`cT#<n!s%>|7rH zU1CmCjQ`yK!vQsc1~379%2Zwu9pT;)?nB`Yw`P}6b?#5>FT#0!n)Qot5rpUcA{@SW z2RqXLd<g}7c*UQCL0kFoYY<-Z5zbg?_MUkM=hv(K4B*dBaaI5M-1MJJF(GPf({LSU zf!ZS$uu2MiM{o=|3)l~A$5;Ts!f=uj2C+jqi{#LF3x&LOD;a-0XjBjkQ9}mN@tg&0 z`;o-MmgOjAyj@gea9m7$Ojv>)jP*#A@lp2UQ44;PP-GbFavIVw5!+B2WMytHgZ@N( zf*U{h@$cn^Td2}ON&xCan8QnMe1?!8XC`{Z!RQqnZyFl^<7M;LuBx4jV4FNtYfe=o z!kmRN-Yt53%$U$P3-iQCCs@=R4|P-ZYb+doWFvF<`$A+6El83%{HU8MxePcG3r=)U z<XE8kpR3y<I?u*NB4o<gh9y%_fuD5!m@XLTW9}BhSxgGW5ELay+72ZN%8tN;NjoJO z7HWqeOh{;GC?0}`A(NZe>@PXsB#JXZtkRAQVIhaGpb$GI6brFaVg!L;7#YUm%72{$ zp~S*4CKR_L@gUZYAPCehNXZ7<g-~n=p(K=4D9-%r9MCX|rh;k8jzL0EI|9R5JC+Oz zvSaWNB#a6{LX`AB<iLa?VYCv3eLi79IMgDPv4c91b_5d^LLy3(RI<%#A#?aMcV!MO z8ls^on??HPhE!?6Pq~F1uKf89J`GECe@du~pDXf$k#MIZe$=5+9U>AEVkHg^jrwK( zL%-~SDhD4=HwS2D%As-7bW@%da=x1`b7+xcllVCNihy6#8x~qXX8<6fNyB7KAqh^6 z2=G(<nlQl)5+v~A&5yTn7Elz9S*V7OISbDwY_M-6*WOvR5!w#=1N`(@yakU4zrGr$ z6*vpZ9=iWLRy7Wc#Kbwlj%+woBA8$5!CCZzH*kzaWH2mY9SqtW4M|848Hzv&A~-k< z4GFV=Q=_B96P4i&(VLW8=J4zK{R~%e0yy=v_5h|E)Cl-HMBpPB1%F*(i;)kUWH3-L z0G{38Zy)%dzskg~zVTj`ra(>bR&B|TJGeEf3*cP9+lJ<s7T~xL@=FlJ2_gm2f^f(! zQZQB!3OPp$!US++g`gG^2?fZHA3_iW|ML_XL%1`<i4w#Lln_4|s8PZbY?z133!W1M z5%4}*U=C%(Kz<2=B#03QG0dT)7(pVu3xSXXD3y=LUyd+iF8o1<3&f2V1gq$aZ4s|! z{yZIgzPzo{XqJ8mgvCJ)Kl8^0_5vDy`8rSn9f-@<H9-|G8fY2YtQIZHaDnY-9z2Nx zM3@2TJRnWDDg|G9EYz3hVmQ<pHleFH(=yB)zJO&ez*L+>1$L_cP@uv5|A|-jknXSL zHZKE#7`=hUfk0a*)X^UJ$hX$NN{Pa004$s-&_Ep`Kvks-0I75PH`4L7YRZ9cb5Ed< z?{74;>A*(*@RG*!xk=Xerv|AR1uYc=RE`096CfqezYs`o57I0IF2%vy5RjT+c>8y< z2GN1TybQFA|7S^PE(b1<MhFtk%VrZ*KQ#cpt0dsHXE40w<vbo}Zz;2I=o}xR#iaqK zZt#+32X{EY<UiN{b`G@RaRa{Fg!m)dksF8&nuZpkd(k_n9p;AlVj);Qwhk-Cj$o&; z%h)aK0rm#_fPKUCa6=r!8C;GJzz5@#@fG+wd?&saKY~BSdk|5?GGYy3MFx<GWF`5C z{7mXn-KgEv0qO{)PouOOy^KCWU#1_>_4EK{Ff*LVWOA8}%pv9`^N^`$J~1LToQ+|V z*qQ8nHiuo!u4T8eyV(QmY4#$kDbba*m2{FQBrcLLNrI$Uq9!$!x=JTYXGrHt^QA@7 zZPMM+*HTTHsmxCnElZM3m93PWklmI&lD(4Yax@png>hNja&8xQm^;N?;2v|YxsRN& z9F<GuPV#H=d-50Zukx;n(TZ`3$%;jaWr}>ocEx_hX9WO{ieCam3*nI7h&z&jWFiZZ z5@auO2(d&N)D@k9E=5<O1*ib)f_1}eumPA4=8rAH%CH*X-wVtYPr}pjEW8Lmi2sh? z#U+G0F@lI8<`OwXA+d?rNmLRSh*!ir;wvF0O-L)!k@P16$p|u?TtaRoOUMJH5#>Nh zsJ@gZ<x2%ok<@Z3pV|T(uAyF1ZD>=v7cHUv=}>w+y_znf57Q@U5u?M%nf^=|Gl$vB zR5E9otISu%iS=biveVf`>`C?#Tg^UYzp&~OD~X>ZTCzs6U9wMdN^)D$Njg<}Sb9Qw zMyeyTlrgeFvJ6>;?6EAC%jOEXa_&9H$<ySs<Y(jt3V-0(YDIx!lj0d~<iVghf_w=O zZG-}j%|(iloydOVGtvg_g!Vx_(L8h`T837m574iuCe{NR4f3`X<n07@4!eul;YvIV zkHhES^YKOaO8hkb1b>OY#}&Y_bYdnkpLj@oBh<-}<XCblIi1WRbII%Eb8;9pk{V5= zQ!}Y7Y7tdIeWgTnYubRO>CtpNT|n=nE9tAW2NTLnW~MRAnYYXt_8$9z)srxi{*nku znq(!^e}kl4a!hhoa!b-$YA5xS21&!EG18UN0%@uAp!B&^F7uTI$!5!z$%<rqWk+OH zvKrZYnI31x_2;~}q1-fXBS_arPAu1x8_6Byw0yWcPM$1ZA}^Mg%72%i2U&Y1e=j#y z_$tB`v5FMMbVaseonotEx1v(<l;@u#bee&GHVBG@ArpXqmym17W8^EMgF2ur>V(cl ze?#-pVstn94b{VpF>}lsQ)0`p-Pl3wHr4^BaTk0za4`-~#b@CQ@qBzUUV`7ppW`2K zeZrQY2^WyRLC`T-50X~}a`%leBYTsh$Z+82Tyg_>lDtjc2c9}m4CP1-qLkD$khf!0 zC3TLvLOr0KQC(?UnxMVt8T4l0>KA$flgd0{UNaIlmYv8>1uZUQ%h}_soy1k*F7c7f zm#mPil~hQ+N{pn&((cl6((%$M(mZJ~@b#+HNM<I(WR5a7;O=nX?*v)8Y@KW?Xz&%; z9gw<u*+-d>gO9^<Jvax>jT^*;a<N=8H-no4^0<Mk<gRm1xHsHqPD^eow*;+b<*xDp z^3n2%@;UNc`Fi<w`F{CP`3=x>9fhgFT7f7$6ak9a!23c)kz$A9gyO8?s^XF2wF1mF zoL~rNj3QPl`R$K*Aw!X5Bpq3dEJxNLrN}|#cccori)f%ms1+RBBSjt2e&`r90iA}H zqvt@f@1jpo9n2830xZBW4jY06V&T|KY$a9zZN$s@6YM+I6<SILZ558E;M4F`_!__m zzMWp-pK&#!3qcW5!kO?SCK5M@JH#X63t>c>lCGp5AVVxUh0G)i$=^v0N{=$4Y$yWI z!IAO@`JYd1rOK(}&`J`J{TMolUPJGv578C$SGqleGb5Q`W(>2MDP;~Yr<lu(nAK$s zS%hU-1?$R&v18bHb}@U5tzloV-vJvsN%~1VB>|FPNsMHIWT)hS<S?}4Maff%P}*5) zE|p5%r30mYpeG5^6zLXerSygL59vp#NVZ0{MYcnBKz3M##kGLNpJXCV2U@ZVXU|bw zZ_a}Y;6k7+Cvvm6xm*sH2k5ewJIEd7u5#7fGp>$%$9?Av<elVJa$N2x_XK?kmnQ)B z%#*K>Z;<bjACaGvSIeKs-^tY!ZJ=%K6r93SF+vdqs5DoxO0h*zrZ}Ux0c~5a5Cp<E z6rmp>MhuazpkGdiH=;zMkx9rbXx%l)R^$M38mUH}BOe=EmjcA{K?Bh!bRs$vU8K^x z{b&Vx1-*y9LcgHem=Pd80&VP$`GM^mhfTpUu^g-r+kusX1-*_v#Qwn4a09#>j^mEF z7aoYmf?m$Wm*eZ9wU6PK@mjnd7ZQ4eF=0)RL~mjs5kN!|tB4IMyKtX)ONdB)unN|s zJxP$m$<^dOX!k3m4%L}5qk2$%sQ#1>6;CBoQ>htLCbfWCO0A*_sEr^8yQuxtVd?~R zhPp&ur|zh9_ciq%&{2)nruFIev@zY4?m^qpIL*=u+Li84d((dO2s)UK1ldWXC(&v2 zOnNT85G;5uT}W@Dx6`F`8GRJ+^c;PKzDeJuAJH%9Kj@G2cUm26PFtn}W6E@6dNK|S z$w(O|rZ3~k_%OqmQGmW<m~l*!3WH}e^O?oW3MQXf&un3Kf{iL?j)O#AV5*o~%zeO< zSAf!=86m65wq_03POKSg$=a|eOS2s7%(}4y*%FnM>PZYFwh~k#m!wK&feqU)IWDP^ zypqsTH))hKLwXB*10z{487GUC%>g@hK~^ohFH_^RIeo4@2j8CNtN~Xjj^kVa#|Lr4 zxgc&dH=diyO$UTo#I5FvK_<^~Ra`518^CoFxrN*s(4CTVau<1j`5^f)xl$e}A16-% z$($))0J2#u-wAkABY!A=E`KBcApb7cP_$MUDvT8tik=Eo!77{pgS-`f3Z)`bv0QOP zh5sKF(Af~wf*BAY`bZCu&e0&9Gr`|jhU6lfz+<aIo+00mov0s{glz!4*TjwRo;ZoS z;zRJUfFn70E?$V2;)iiFz<M9TpGY9)5le_-@G!QL=fGC#QMS}rDvsJm9R)jilX^wf zQ<@+Jaypa#jot-qdy>8e?fH$)hSn)y?l6CVf7Xk|SsClj`T#=2vg6qlHl3Zt&I3PU zIh)6>V>h!q*gfn)z>SmadG;!J7Wdf4>`S(u{lp3+8sNdTlXR4Hkx(#SAxIUdCO$TU zhk1?fl>7$Y0EOEzrh+-oT$6r~8p=A#2=F@~aGOAo1-Hw@HKK+PkYZAoY(pA?KA4l; zNm~*DosfaQ<U)FoUgTi#Km*AT@C{<g1Tuw8Re1=%k&DQcWFEPe+)Qp$c~ghTW8`V_ zJb9U{CTqxAuyu80J^6(cP-04#YC{=PCX_kV9XN#mvdREiT__Jqa7aatpbos)FSLLW zGrCM0#*i^#%$e?tErT!wBV!yH7si9}0xvg!31mW;u}mzJz@&hMoX%u1zcGuLl}sM9 zmf6f~V@d#n4>8A>(@^irOf^%()H2VRI`D|UFanlG<~D%MCagKzowWswCZG)*Sr^uW z^<oFJ0c;=}!j6UZNPzZ81+OlPt&<95Vj0grYnk9Y-)Dq#df5tSj}NStq`Sl#G{prF z-9zF9o;19yQMqgaL$o7mjuPO{%D|qvfJO5{2cts)`$EtNux+X6baWP)r8=h^QvK)p zAIgE8&Oo?GBtX(TXK85n%IKHzzO_(Ol$YLlG6W@yghEswX|16hn9)xdswNf*)dfg^ zMk^Z)p;(wsi-h950f-0Ep;?GNqOB$r<cZgaQUzdCTc#D8-@i6`$e1?UhL|yjJB)b~ zwwpXx?z5@W@+St<45QzrS+2`VH_SuQ)n3A{U!IysC=#`qvhdmGl-~yod)j|_(q)Y= zQa;Z{N`>k`Pg*9bgJ^50`HD3RM8loX_J{%hpk<)z2eU8m!AWyCUo{jpMB4Geng%*9 ziE%+nI1duO1*fVVgtju!7#yKYN(e<w5o11@j)7rAfVne#x-SxTZ>m-Tp=O9F|60w! zsPXk+*boF0Mp3c+(jsRkq)Ug^D28Gfim0yP9a_U!HHIS?4g<36aAagNVtsv@ifd(H z=#vZ+Mlhml?i>Th5H%dQ0h!o06xZX&Yra7E&{|`OJ`KmO#6!{McIJICBwc9HoI%iF zYUx6KXkcM0QMynl*uHtE+u;67P1?1(W|_Re!mn3M^&YEZ&hcZ8l-qj^|7>_<{5)r& zrE^LCJ=gljrIU^(oVKVcStJm>_k2-aQtHxu%$ZTH(hDwUo!iBCNY9Kcu{pJ@%jP&^ zE6;Ie+tFK}y_F)LbwzL8Y}F^Y7COv6`)JvtZ&~;J6x{FG)$SiA;kC)FKG!AAa$5QQ zxSIE}qN=gE3nOQS_MA53NTA`dib|>BjYDa5W~~!$XIpGK`Tlc4N{@%{-HoTNKf2nk zc+S&x4~u#jO;*0o8Q1o}J+J)!4@P`?pts&Ow<y&7(zPXzD^dyv^mF;%>7I*bwoX;V z^wbffCxp133G6dv@L_|L<H@fp504XpbP5a7J|SuERZVHCCpHorj#~aUI^gu_gyolS zO@5`g`P?Jb{uY91Xn~-st7{5{Vk@LOV$t*rBdtb_Qxq}5@v-)>gdaqQpPW$1n5ltK z_+6}pXuwSbqtps$LQ^v_13d^L56eR`>>CpY$Bk{4)}cY7nhTV(lRd;y$+M}YSQly4 zM1h(XqQ~c|&zB?yJ<&j{`RBIcu87%MkYThFXr)R}+wd8x<i!qyPZz`Yi(BfCT3VVw zO?$=s<X2ONAw{nuc73|9ZMuJ8y2c24)Ve{rMsuH<WNW)bzm0k}GzEG5F>-FVc%61J zeK!`fZ9nwdzG7SFqw}5(TO!zUR@ZaKd32ptK(C2k?oBlH^VksD@kz2{kmZu-6DR1= z)4FQSb9#E~x}U-{$!%sYBaM;kn9&yP3cNc_o3a~87Z-rWXEtiQ-nn|F;#)ZxExtB7 z$GEfCpD6w>*P#X-Mo^}O4r6SS4hQ{T=`c(iHnfDzKj|=kG%~FC0X-)EQIFRI>##0+ z_IF$F;<jJ!dw!j=mCwR$IXAc1>boD0{+=Q8@zrmCR;;l3x^c;p>j#y|I{uX&8RH++ zIQO?${PKv6^WofU5he2+2fm!a>}`9z+nbP~b?vd30e<<#v(}2LdUZL||L(2eD;;KI z{@X?_8@^$cwU=IpmrHIcrLNwl=h_X?$?p4QQ}MenuJ7j9xJTKKMxAN1_t><MMV-nl zQ|~^$Xi<26pJ-x!(n9~xqc1xo9B|6$RjuWbm7TS~ZgrB2S;W;12}w8g{ISd-nRwat z;0m`@lH<pp;yM>!7Z}%P9=yKOFH?G3yndp^j_$?wCt{Bu95BsF>$6VT#(~SU?zXXx zD>~Dl$LT^p;FJ%d%L~6s?L;ssWW+yN@~ZJKR7NuuiEmOTQ1Eah6zSFU3<}<*QAZQv z?NmCR6mK8jh|nrUr+>s1W!U_TtBh3I|0$|NLVUbku+lCZvkwl9Lu5R0W?~Y-5j4*s z&#rlD9uWRTYJh@&SIe<x;MV8&$O1ig!!B1mZVU?UpcqLVX#Ef|<H_hI?uZzr{u=%M zgc7{%m>?}#&`aP^H$MoWClpNYp&8S0$8F2%yvvK!iZTXR<}P<sGr4v4e)6fV5gIpk zV<l1L^|n^Qc&%GVRO^RF!}Z>)uO-K(%r^S{$&Ncap4>A3eVqQ8#R=8B18$emX3i5H zPS|zET5MiW^t%7CSv?o%rCw<J<yOG>=z$~kT>Cghx8C-YS-xFzLwj7CFDA()sgpKG z)_+~OTi3|u^;CatZiW9nqmu?{Fq6cz-q3Tt?cE*q!#4`IwqI%M;AVW&V*k-^6Bc<N z&DfqkYeXGa;+>z2+t^RqTWzjwFz(stPX6Z}7b1SPv)vSX&rPi?ms>;x`z$YuOxS$f zR5mrc=I8;FYvM#CUA-1y>U1MaO|Wpz_qk);%IwqKfb-TK8O>oz2ON{h&0xaK12sYn zf#=|Av<5Ve<G+bv?vW5;kJ=zT`EVTr3m<-QN2s|=WH@YH8{5qD0D}+E03HU~6Y0T6 zRx{vTfQC$3I4I^$iLj%XUm>FML`d*OC~(6Ngal6nB<|-UlKAhD*I1&?KbMGhL%KE) z*ZC)LV`1Xh95)}>a6l0_NdM%ZTpMdi8HNNTpHb$Ba@7}mAE<B)JL%_#Eey@`-G5}_ zovq&<_*!G(4}%?!yb3*Z_+iou&$WeRw>`A(4S5^sVctDtTS@tiPi#!xSP5oZs~=o9 zc*})%o9>Nqxo|!DVF>+sgMaRrz_~H&o@}(;AX~RhBoM}&G0fY1a@&IqmzM7%Yo~-q zM!o2synIdyQukb<8E&or_T`)iw!ZLG{zR+RV`{&}Z5-owtnT*jVW+=rFaNNmpY?+3 zm>mTdPqtp!zI}c0w;PUDZ5{J396Ne>+o~-yTxUnB4Zc3@*7<&pxA*7Y_cU|t{`yeO zymozzwH&fvb_!MQH+(x|@<#ihY=_AC0?VX{RZYMa2Am4|i<MWYttGFvP57gx_QU(; zgu-7sAiVtn$N@n^dgNK=b<615%mIn#<p{Rjsn%A+hryOymCq5@ls{nOa2WIK-t-LE z*s(FW3K*NGN01+}L>b*1WATvKJdy*TU_!ius+@#oFcmg&^_i9N8KWcfia%xT?>JxU z`4w>sm>Qt-s`FY$|H2NDGm(=-g!6f);x`S>m3f16r6Kk;H5VYZKY?5%G-?9!q@<*l zWW>h6f{ElmDXm&Mcx*amNp)*?Kg?Et+xK-sd|_bc()^s_eW}Y{?^$yBQ@1B4gVocu z1X~xK?#lXH@y>}59;$igb8u+eoU-f1Z6D>ny420{bhyogk^YNUxEJjAAo||zncSyu z<?&0_#fip8g3CUB-S54AhiIXr&&Y|ZB0qj3?CU#cj@9Wcn0>d0!-g5H9=(`hRlld= zQgPbS0@{{&aC51TW$|xD`NrYr+aKRoxngV9xVtacAIc1TQyw5`e{ZD8rSBylh9-*k zMYWrTe?O)hur&Dl_O@YZE{;dL9eQW7IHt$R1VM(^=u2lbx=s>aoA0*RDOk%-qdfe1 zwch4oy@bXmmOZjbY_04j&Kh*l{=g(}uk1CsYbGQtp0@gr(j~)A7Pq~&dc_`h-6M}# z$~x@Hy74!TeMj%@7%?}p`yBtFlQXwo%sMa#)i?dkVabL*%af>0%N%^qwB9vAt#;N% zgVS+Q6D!^&CGT-RH=|1z_Yd}c?T1s(>^pqFnRsaOq6iN>alEs|g;asx%qa$k>wMkc zJj)f|-C!pvEnYu6W%~yGuWzhY)xCE#tzTQ&#sjGiIlpUATe|X#zpvH7*=50ZdW*+R z9GLm$?B=8IZq_XSWFMQ}n@Z0}JzhLnG_gKV@1!ZR<fdW$V~=IB9cuGzyxuPhPMyBv zt?|LVx(ecCb=B8`c>#K{Qx+Kv#EieMoga|+cIDckl}NgVF<`w~BhE*zZ{;*ge@uCV zoDRFX{$c%}MCQK>NO>=nLNMr6Ah6nv$9I%%_K2i3!*}Ru^8I+Q99p^>1K|S)G0|u{ zqzxaSsjJ;P6i&B@gOh)n5WJOc=f+R7`@pJ3)yk|s{Kw!M`oK*v|F0q;>7u{(Lq&W) zR0RD{(6O~Ub1F7zEOHrYV3g{7sc_n9ovhI>r(V0$>0qDTSo<y+4@WI<)n-ephJ@`o zF(F8_C%|*Yk<Owg1Cm!p%Doc~4-eO<T|JqaW9ok=ds`msxBl##8Fs;MXuk)OqYDOn z)fy62vUAhKVW;jp?&$O?{jTKY$Jxfu4jghBYwCV!f6m0BnSn(W!#AYZT(kK$WKfM$ z9_#b$+04@1Tf(@*>J?J;iN@Y9Tt*nF1tY!Yb-Y<HepTmr&u>JRxqqF8-{^MX(1e}= zr@y(Tzh5(aW}sif%_*9>IWul`p3%-W%lZ(LvNq)EsIIMhIQm9)+GRHA#e<Ds`t&Cx zHypnQjQw(G(xL%#V;9N2@N1Qc)|c3t>qOwB?cZ|SzxC|gvwpD7;ryDl$CXo^+7>cv z+GSor2BZ4YJL^}elh*l>UFYw#Iu#J*i`03v3p-vrcyOFmc7WCCr8yQK%D3;kT9qEA z8F=dB*+rv_5BC^n^?0)A(ZCYxby^M|Y`o`Qx~LX$)lj=EX{k%;7IemnJx5pe=N?3K zz4nN{a-zz2ZtB?k;U))P_Hk#7C)_A35?kgZwNF?3BNY$0{#(ZpPuasdn$c?wj?Jo7 z)P(hm5gryr*3aI*HC|S~u-iq8F5SBpsq3N(rH5A6nE70GJ8stQ;mt<@mrr39ZpRkP zUsu29{JSpIAq#dDR6d;&rD@`c927R0xz%9imbWx>;F<rUnd8TMObx`mx6cpAH1y(c zX1T{6T0ih1^<~_Q&8}1DD0iIqZec-wX=0+9Y!+BLB{J&Yv~<7n|Nq9)sZ1)IVUB}g zO+YA~Tr;r)Vu#q|^~~#$VfnYl7&;C7wl+T9Sfm@DuASHf>HNd~{>7vrUVJ2Tu^ZAC z(bCWePt%2QIz+0WqZ+VF+eHgS;{Q+c2;G3nRQ)AhMKMozFxO0Kn0IxaF_R`(&XlNK zF7|1gWVk?g__uaF&(|Cah)mT(w@8j@$X20+UT?bH+?9lw3~uXoZ0N}AOI;k#ZdtwT ztnL!K>jvRL%%DA1!_Ji!?VVCI%IaJ8Lbuq!*>X)IB<je<TfXi^HDTQrX1mMAm&p2! zelntC+DS6UD!cn^@A@RAQ%Q|UjBBN_eze-n0AVb?#B)Vj&W%Inf^9Ez7nis`oa-#} zlXslZJ2fhC!`%K@X5!%bhyj`-=PerX?3V58I|j?b#(yc$DXJB?&FAuz<aA#*aoS!k zJJxXGXrs=%t1k;zC#_DLGwrR%>8ijspL_pdykv?Knyx+y%!9uO+^w|P|4r~OYV#|z z)NGtKFD(b@^kbw{TMgCy;U~hlEn?E_Ne9(~9`w&q-S&uWvnO4&3u2Pj8TJCSTzU9o zts3I+vluaIAvTxB_tz+$S(tUbI{)_yt9~zhZ)%-?ILkY5*{J7zUrcdsVL)MkQk*Ul zh_0-n9-hCQT{gtpWLk(nHv878yJ@f9YphMGh)Jj{sMYk#jSIRMz-+SCO?vWn$IzU1 zPcloZ%FhgY<02Y(!~m0<%f6a?+4sFT^R|9y;G|{2tESHsy%E01L!8lC|N4#}(&r}! z9%AMd9sD}TYO{Oo&R*M0pQTM%T4mF3%(9c8mM#kzvTdrQ_<Zu3J!941RXYzgoH5sZ zYR|R9+G<w}(@CjJjd6JT@q+oTdt(en6C$mEbxLl5&brchM@uJHn)fdiF)^feo|Reu z8`Deo%rzge@SV1I#Hupa;QC3uO7QQNtDX%Ru+J_nt#nFS;z8;`g4V!cd+K_AD0?>U zw<s@JLBH=_bF#`Z#^?F;7`btNO$KH9+Fv0gZG6)2ObIbPUt6**>2b=%Spk#x_Bb^y z>z;a^SNM=%o!7*9_H@saZ-)E!EVG@~dy}?HKiQQG%5LYkNbP4ar8gd%x7l#X*5zJS ze*A8`h4(k#>Ei2c5!}`4Ig%H}IB1;c-A+6D!OkUBeapk7Q=eB?Z@Rr#KJ{9uRg&cF zYwf)qO)Kwt+<Eq-F0!>Cv(>_np=%4O9Ml3HtUGmj`n0Z2m!HSY?v!tmyuVlMdGqMt zo&}QxbvLYsW@LTUQhpj~RckXz{B>rE?P|3HogNLbJ{i%oRNUKqu<5y_-kky$yQ*ui zw_UbtP1?;hXZF7?>Q-Q!pDxk?-$3)HBx#`O!Vh2^>UlMb`>!7J6Seuvprf{ix{aQi zsI$5tZv@iuCt+%+&W{I8At+MQY=pKtst-;WjPqhNLLdx=4+qr#@m7q&Kr_~EnAFz2 z!eW5We3yHv9|r2p(kpN7PpZ^GD44T->Y`mK+}i`Gx;y%Ba=4@6usv$NQ`w`ZG04iK z@DXog=d4t>D%FZl(yyBHq_AAmcXZocSDh<Xa&7yJI;&${dB$b>;oO_uH#-=_e)qAt zvnkB;;BQHXJ<MZv+0VXOi*J8CM*V=Ww@s^*J`qO?(@l4cC!h6G6Bbr+HD$`X1vwM` z_%OYq<5{KAbenSviY;S?tvmL`?x_RYIp1B7{qfTD5gRwoUOJ`y*REdL*8TR-VPD$p z*W0>jjqu_Emw{Z)fXlB^`mMS!ylcM!D^E|m7e9Lbc5LCKir~w4Go^Lj=N^r3ZyR{} k;|_Ul$KN8+h-Xjrjwna(4qkIsqA`9~UF?vd;;5Ye1G64%1poj5 literal 0 HcmV?d00001 diff --git a/venv/Scripts/_sqlite3.pyd b/venv/Scripts/_sqlite3.pyd new file mode 100644 index 0000000000000000000000000000000000000000..437b45dbfd1bd8be4ee71157b85764464fc459a5 GIT binary patch literal 66712 zcmeEve_&MAmH!KwgaHB*HPMKmBTh6bU^Jj$f=x&!A(9_M5)zajLr4ZDF~7{b2Sfp5 zC+RXguxuAw+u9b2?b@!be0N=o%C^x^1D4fPT}8z$?XufRC)-Uei^1mW`+m;3@4fjM zwY%T%_WMT%?tSn6KKI;n&pr3tb6+a&-7h6el4OC?G)X#&C;bZ9|70&KNs?w=^ZYF7 znQ8xc?a`!)f4sKN+v2l#b$4#*Zfv(VHFk7#%Jxkjd$-bIZ|Sg?RM*<uJDWWVXU?4N z(5qhXh2Q`0mS2D4hlbnutyw?pMEHS+AAkBjJU=YE_lI5%f0M%xJp9<xn>hT{r<?Gs z?|uB~Hautdi~KFWe*A~u<@iUR-pJ2yJWb{6dpB`C^}XNXa7{~-m)e}Hhc2fiRV1ZI zM`q@&HS(O5rd&HCY1S-h7h>8(>;ZaDhuhELbbg;ANvR^)d`fm83rJqNC`p<k6(WE_ zRL*?r)%>j_xe$96&x4daCP`V-=|%tjMv@+zP47w4I+X8459*Ax1kck*FN}=eFG*`? zz$f`Fls(&Jr2Xp-c&MNIO2iTIvrE#(h271Ka-$@@y95cSQ@RuG^KcQrLNvWlWRs3w ziiBY}s`D6J#II121{QYvx|<NkeI3I~8r&(kh+iSq*X?QRL`Ld6;XtB#Pt$w&S13u# z!=XRFeG&%h8(JlA*07YWexP2|GLPWRf85$Xpd`CD3~EyY+pSuvJJ6LjRG2~43>9Y4 zW5eJn{kK{jtydMRT4nVoX-b+}WLc#aW@*Fz;}*3lEk3T)Qm^(NL=~K6!+Nu#aDA(& z!hOyO*FL9p$T>m8@AB^bD=8iI50&z`Ynf;Mk^oKbACSvb=Y)SeWvBIM3UUUV6M<6e zP^o~nl%dr!N0B>Fnugq0s!ppW!3&h8=M4;%&H)KY8`OVYKj=T9@zdy;c%pv|>Q1Zw zp>#>!Sg&r&=)WM(R$o=OX2tcb|AO*w{)gsB8{`bNIz28~txkZBGD|}QI^63A(O#{( zKCPY_t<|=rX_-O5u8z^5T(I?h0nn=T=?{OTY1%_OEz1M->FS1z{`YKsZRkjTZMyA| zCcLOWQ;RatTigD8SNg7L>In`iAE>2Sh)oHs$p|F}+*xXUM*r(_Dq;i6vqXuMKvx#h zwq*pWC?-&fY7`FNpP`nfxq-XVv<++5528D2ku|@}s;p4AWdSQi+E(i-E%O`?3@FIf z4;F^p1jlrpZV(ETW%*MzeSknPL=ZZ`)Oz>RC~r&GGE2UMPM`K4PwRhA?$9YzP^XRx zd5!8!(<F?wmaJD6*Z}h20awei0JuMy2(s8xYt&D86*wJZAc-Cbm}n^68}bIIe`SQK z%Ycr+wydb06LMmr!Zd^N198=2{0gb#iaPf!+6r0sJ;5v9e$|zs&Rl`s0r4qnw>30H z{hjK{+P6Im5y|S^Kw+1)-g|%$kvXmpeLB!v(3;emq-FN*C%U(|>a{n3ojBmtsTi)W zAEE}_8`f$PzpWqC`vfo#xsb#Y{_r!H>xZBEIW=^i@nPv7*gngf9vL&(s?}gn7XchJ zhslcm`A2imzkSa0@27ZwD5YbX28W#IFxC=Y&tk^vuj50`v-<1AkaL_S8Zw+4at52l z>**oqc|F6JOI!R5y7vD1(_ZiUfbh)&G~a2;gQU36i$GF+|1kxeLmAUDPZ4S`FTrL` ztJRB!%H~u3LuHKR{*!XnP}w4?JHa$uB9fO(l3XB?3lb(XJ~0QXSMXb)Yz1;(64%I~ zV*r`5Rq$J&tRi7HEwd1#p;n$($3A>#UzxR4y6R-WIqLsqq5s9yRjyhsGXsdPS5Ir1 zS=8UvU;`QcDMYZ#Ej0#NV~S*`&QaAGv~83m_XaSswZzcC7eNfydVfKv%uJ^WP~H+y zCcvp|;e3EonNX|k0P(7!GJC>)BS-#XqAFWI1Q@ARY6yN{#q2&oeCedEuNaYWSjZa) zlsU9iR2|qxwa4R0t(=G}r76J%?^(dCQzEefaQZ;mA}#X-IzgNz2q4wPPXNiTKv`j+ ztVDaORSJ|X(cS_)fwBVsLrWxE-%H3vMDsl5E?YEIIEVW-mGDQ5S7$r#J5Q_5bMH5# zpPAVOdJdGO1us`XtJ*fJmg!*1$IDqX7AVVAo#O-mBxOm<Tm#US^}N17vh52Y!h4P| zy}0*Rgzqc{+ls-!MC9QpwR~7uhivJ}?OIpbp;1)medaOb&Bf?&?zBYs2oF@NRPQ~C z$)PP~^2)TMkUC7bSv?Bw@sc_dD{J}-<N@0^sN?&}rF})It_CeL2Z$5v`gC=r#Xo52 zKdGF<{83kr#?h0SOg$|6Skn$=pat)!4x`?qkp`?iK!du?rOxGrwJb+_BT(i7le#31 zA^9J2VI-DNk!^L9t!|QRb;x!JvK`tB^aaY+9NNy$b%ze{bK{}?{A@n7gP-0*UHoi2 z)W*-QLoz?*Lw)?*eu#!4P_`p)K*ztip8H4BYSniFtIvZ;FPnoN=3UTyO9JaB0?N4d zHf9LA|HwaJp!PL8q<SQ2nMaAzKn#R%%%L=WF7)*xmzL_^d47s=n}1h^B(L@FN|WT( zVq$As(`f1*L8)4GT%W`1Cukfr<<?LR=babMi!8YyHw+iec4QkWB`H|a*S9#_3g}fp z?ORf60G~f*+gk=aYQ6&WOLS+~($G|W0YZNYqWVL<Nuil7PaP^`CW;)TTrhuZ$8Z$# zfI?j!0?SP}q5Th8C3$YW-luI=bqoRwDo2dorwxMBB;W<ru7p*B*G>|jn5nAOb(7>L z#-FHN;`j;T<76|UAd;7BNK!tn^HYdr^7ZxFHemG#s6?HGaVrnZ!rGsSITj_~xbp@! z48}zsrG?8BsCj*b_y_sdSV_HmX+g9;iisb!Ad-Ah15w$(D@T%VQI`>i(%#N5&6VeA zZ@aXuxn4WX+{H8@3=RXC*Da*oUGpVnj&}*ws^`$>H$lnr@Gh&QO!aO=j?fvgmROIv z{t1)HIRQ?D>F^l!cN_%NugNFDQI}DwT;`<*k}Vi_!E+WN(PVjPs4#-%`N59&MzUiA zLba-7Ur|z^wB+H7Cx9W_-u>`vTQM6-@B;2j?4M*r3l_kw+SUTd7$Sk@G*9DQEAmdR zLW)lC0q1!!hr={~iKd*#GD{;TKy9S#PRvBAM6E>cEcqvPJg-(21U3}JtyOE)(iQsb zvD0#IM>tS6$yzt0V;*AZ5Q(Ls=fr%1yl<`dKZrqGpf2V?d@H{=SGH?!xisG-gGdti zs^^Jv)Sm@&{-9}q)Bhmm-V$&R5-K#Gl~@kVy#|_u`s{OqT4$*%t-*5*AUYOwhl;U~ zOF~kN5E+Ts@$>h9POeBqCwT*d{vMFX6-**AM1(}9YueBFM_C?zM*xOZ$vF-=aKhCJ z9_0X>T4ow?y)cxto0v;LehxsYi)qo<-U1^6y|?8J@LEbT3^2r9t*4G2i|MHUV~=d5 zI{r{kw8AKXlw+{iaAP!oziu=FdFfFq^fC&CR9)EP2enH0Kz~++2ke%}0h{;91IBae z!O3PFjRp6tm^R<~w0jS;XcQe|Vz%`kz%c2<OIYL$GO*~~O*1Mn9+i8+AU-RqhF6DC z#ni*AQ8cP9HH0wi`GKf!porUuvi09i3pgz%CLtMkBizyNPl>;85&l-~b4|gVIsYL* z72<a!D)&!<$~h33{}@#EL(ns*?lYpY21O!Jd2?b^(tJ8M;2&L7Td#i5pk5S`h;kX| z!pfqm#T0n3wH5+rl6;5yYOn@FrH-lZs;^%6Gyg?RnH3(kZvrvc(rKA?t|Bd5#Y_o< zng61#?+3`TDw3(&`oD%KvyF6G1T!CJJ_-R!u4>g<HIh6fu9DXsLEwchB;Vp+BFQ(k zO8ZJ2S=h^F9^`_wA-_flosa9QM4T86t|2?@aC1=k89;|B8~`kXMWzfBbX2+ssjJ?f z<3PqaF&z`cDCp6|=erHHfpv~TEpt8!(!yrx*KB<sp__RZpkjIC@2SI1t2*ZhmW&DH zSwUQPJbBx8&Cx&K0Vxk#b}ITV;?-gGXAjd3q}Ts*ssH4*%eqtiA3>o5P}eZ1mQZCa z0>?OD4HcsBUL9b_>v+S06uJqqSz=s~m-cYX3zW;X%%^~|NDc+u6}e~-PavU`mN?l_ zVB5PAbfjYGVdSH>(_FKKHkT*#S41-Ut)UlaHICXGvF3m#G4>Lb*GcJn;10t57EYhf z{&V9bQr9;?-po9Mny{YL1~9Pb20(|<qOMM(aPW)RQxIMu|H{`kU<@;~%r`~T5UaWA zYV6C(v$UU6H!sN9>RXtr*8fe#KK#X1T3MV73`si2zic-|97)DXVg-gmsRB9RjAubb z=%}u~5Dn&vUh5b!*QY4pNdO?&TP?MacC^e2ytAaU^bVz=zP?^l5ShlKksg?8OeDD= zaL3Zc1WN)?tY3}-1wwmfG$h_a<k0TWGM^+A3M|?B`awYggTYmVhSP+Y_vDqe80awS zSktu<nl2M{%8ipkvVz)CfGiy?abpg|$8Y4cc!-VhA5E{tY|}@cQ8uQdYz$-VzY9A% z;xHuBV&SL7|2&BK0J;gy-f`N{-VSLI*rZ-(si}VSI89w)ahcuGKnZVy5<Z6B6S|Ur zzUo400;oTU5_ZR+e}ej>KpwO*IY6;VS|xo%#AIO}LF-jLRCM))`<6o(EqwSRA&fpk z9U@`05HDc$EQ|ttunbwQ)wV9ldr!!aJYRQ}hf?=_opMr=DUO1OXiFI-j!s};!{X>I z$X;w#lz)21Pt>X<fn7`DB~e|t#3VW&DNU~x@!S`EyhMLWxIZOv{fQK=Bl=S?d4Iy< z^=Il&L2Q2t0=p7O)}OsUkT2=PfVV-pLQzATpltCv`9>(b54tL`d>gk7dLJheEV>dE zdxvRTcA6(sq@HpP81Y~$RAk;lED4xsP}_oCfZVoX&YkD+wj<9~-ZNBoG3hbD<T>7| z@4YnEwb3NqikYHotNr6xjW(NNfv((*5wHY5`;*|~Ny10kSE$c%`0y59k3=b(ru-+N z#6iXXNR%{v5=wv%mTZVSY04bvW0WjS$q*oV3mIAr3n>{%vqN&;T}xA#htC$vN$tK} z(7WrLfmhP?gJOZH{RwTrV$)2KC`rBzY;i*8<`%!EDc74z#hghNEv_<dmBShq4M604 zHv30J$LJ-k6Rl3vBb*)lcYB0hjG-6cWMI&ITvCNY8-1yn95jP}n(#pkfU^FTefKBr zNh<0aP%hs5s&@rOU{#Hld0c1zq)RA;dYKm}QZRryCYBBC1j^^4&W}tiVR6TSo-P(- z>f;!lst;jwB=1km$+IxbOs@M>W`g!erE=vYtb~%WS-vvyW*O(8#9F)=|BPAE95;nX z)AIr_;yrs4sF>JD3Co0hpy}P7aL#~8CuJgSu`?!o3@g^V|0!-Nwy<6+b^DpPZqotW zkXmU~ORf2QW~N*#NE|%zEG8^Vzo2lP6EeGA<sG=0X8MGlClM0nFek-ELf@-Ka#HmF zPdNSuh=rbsLj;dM?K~I@`7bJ|gon^o*pNl95Avf#B^&4KRB|eeB%GCsjd^&ejrsW} z?C*K*DvtQXaX!)WAkBOt@i)bah^Q;Q<CBoM=#t(w?%Dq={bI^yk&cy4DZ^cOgSA_< z&T&W1aYx8h;Ytz&60UAh9f@4hA$zi5vmnfiaAH7O!cP!vgzk-X%D@NBpdwOF7TMXp z0EFb<4px<wm{sB6u#j|6S&3QI`a#UB`OJPS0cYBf(@KN5UdvvBZZiKg>YvK>htfX1 zI#b7`%sM1tA;5srWBuTvG*pTZJxu)@+ebj)YsjBVswU+|XrqJ8qu3dU(?~g9n#>y* z`979vXkCpXIJ>EjjyZx8$8GB&!PUkewm~3H#{%`<Av$CGF(0%I$aDMyac69$7XQmo zgDB_Xwkc{VqUR<&Srcc4z`p|P6o;0qR@nm^5-XF<1AU@*sDgkEA^%1m16=pX#{jGm z;6-b0VoK1r$h>gPO-v1X7S&1QeTB=L{#A@u=9?HiR;Szg=tPO8gD~xgnkTkC8xqy3 zLRRw^8ftzrahYUe)e*O^az^c^z%`=xQ<<29k^3oI|941Yi`i4XFv*_Ed+-ePCTK`- z82ODuWvne%-x@08vpMy(p)xi}8Y;^`)v!R|LuO3$;O`dWOdK1+0eP!`{Bfnw>mcMT zrt?ix-j5>>Q{RFVTmJ)Cqi8ob(t;QN_}7)I_}G|^PxcFm47I=DtwY73@2IZ@KVC)% zwFXlQp}#&%Vw5<iI!&YTp8S^rTeQ7YXCSIPFoU=f4)FVZ)KY}4%*ZB0@L5$vq^U<T z#ZS`b)?=$PLA!X;DeyKPVrLqZ2rUiX9e@ntV}wdWxgt)4q!TBID@vNK)6nO!Vo_hs zyAZe2jYFCGvO8=?_9^i6{eK3}{yzac*e^HaX@Q;Ct<$b3K*}z|uwn=#3}p_~FN^08 zBgRhdEo_&>wh6`+*iwLwwqtOc8emIBBW|1m5@W2Qsg6-R&ctaAV5NbUWsXt5Y!gzq zezF<5hL(z*6OwXy|G=(kh^75hXj;!yyn_6+I18?XnkgI%X;4_jYA#KM71;+Kx46Zs zD%L|j)tY?$EBdtcuK??xE`3@erH_d74WL->=F$h}D=QOmSXH4}60d4Y*d6pjXSPcp zv>FFQKlC010cn}T7%Nhqk@o3(!2bj@U}8OA_Z~qG7qXZ`g7qiedyLAlC^AC30WvL{ zkHwUBj8MGV`nD7PlX2XN*-Hv#&;-e3TuBCWq9e<Z4mJRMvi{e>=)hL*{gjPlL{s9( zfMPz!1<yWI;$WsofjJ0dQQbx$=N!RDd6ANf@rSYJ?l&O@pCef~{cB8w@2_)Iu#k0* z0mwneu2xYI%Q2s_dTkFMW4{NBm;52+YO(s-scvvmQ}tpjW)+SMvEPt$Vf!}DP10h1 zwXoT7O;(No+Tlo-6f3%tPMuWO0BL;oi1P{@q;0c$sk_)SF98Lq<Mn|Z4yXgg;cNz- zHjo{W`U|rV1_YU1$jqmllu@m4*hyo^djXk_4Tdpr7&cPr7a}LUHh8xal(NI2>oy=7 zWx&kA9nVg+6gkDOr7Ah1(f2VD>X<Nv3eIwo9aN@;+Bd+2^4`|B7M=5JDYm{Eeo3|U zmE$Eu9VbI~{p_oj&JNQffhT?N4u@T`^{>TQKxi6ty7w+ckH<l{i~QPD1sviO5N;mh zfSAY7Jy*2Y96q69vctgXvoKP0Hug899~3scIAWh~p4gV<%Gc0|?Y4wR>?6NLH~bGx zwxb_;jgu$a(T^NKvY{;W?qDJ|w+Ljx*7rqZAYILb_i<V}BQ3fx1);PN7QGir(|eUm zf&23Y725jA)(%_ZT6IJEg+aTVr4Bj@ZO;xP>ce-hdfor4^Zu6{$!~>{)p|$XNif!Y z|G&)f|G}c9+Mcys5}M`zgB7novfPavmOcLQTpUb|FWqYMj~CI~y<6eA6<1Mym37An zwEVbe8OsF0{Zpb(Y$!5G^v-`pE{mEWxnhPKkDehTWVzuzNRiQ|CZPw+s?@SNbuQTs zqt02Y>Opk6)-yB}0oc0IN+RE_uC}T#-OTn%AD+HyAbac%&_-m;buYO{-#X65dn<T0 z(C+yXSm?m~Os%$}rr@t{m!!3EN;a`dxi=ttsxUKP;)<p$T0fkyAUC$r#Q#Rq=tRRX zYw(_p9&T#Bj%!-#oKS2_o#V>%rOxw5&mo(farR!lNtuLD3e2|sC=sn^EM)X2>c z(Yb&zEQ;})u<s=Xdf4$#K)7MrYuMQXUhEh6C`PbZ*SC=?ESEEJt|kg|PGDDoU1OCM zuduUDY$R3XKz!CvsRKhCZvhIyS|m?mY`crp!I^Y+0;UCv{Ddo?e^)wAkX}Un`gq`C z0l$$&e<I5*Gh3FPEh}L*nAM@5IKs&x*oR8zi^m)=GNBlv&fE1W5^uxQUAP$lu5v5P zywM5mjeKwwhxW!~TqSJFsjep@DqTFs%1uY2ziiORIFH418=}esHqg#&NZ~_~M>^q3 zSU!)iWOWafl69^Gd73wOVtr<F71iemuq8+(+bQO;?coA&S6-c9s0bnO2&Qy|8IBdk zLdtYdyMFgWUFnFUN!WlS#I3rLOi&XT)vZiCWa`SqW2CN}1o0~q8}s=eERf{sSO^yh z35d5e*r#Jf8U~4xS~z;b(B@?h)Q@0e5nC5!%7(#)dTsGzyjKfyT`=Q_+quw&D7r$y z4=}^ji~gUHkR4b*u9iXJk_H<78=6<!qG-O1Z2Qxbu7<=NaT7u<bL3qJ;CQkNtA<xB z?_`zQN)?n@FBGOtk+&jKJ!k0U43JsnO?#|;C*^g$7uVtj&6*^%9h%;IalMk_|AVGX z-?JjAu<xYu%TWH!gCs1Fgilf<(Ox!ok7HPpAx5iX04C}j-q!yUU{J-$;?4=te3Gs2 z5JedvbQvJn`T~gGV^xQHFWTkH_V-@Qk!J#?X?yNYT8=2?w>J;hfV*?sVq0qKdlN<U zaR6964gd>B0g5H>Lg>1N*n!Y(1tKUvZl?f9LA|Le>%djuAsI1P1i%q#eo?0flp6p) zdIj6rC`^+H?U#WIb1yE8Y!XQ7xaR{h$6W(f0mRLY@Juy{4*ER6HH*2*27PH6+>_cj zAZLe?VPmmpxL~b3eNRzR(Vk%(k&NZPx;3r$qqWM^-X6`aB$eO%>MC#z!XCN++9P^9 zH}LT2d7$tRF4(2#9S`(5#t>o}gnXGpQjC1F_b60W+G4V%juCnHa`wDa!8|A|Xkigd zL9KQ`e7he6C<_8qPs2K9K3W&zss%%3ZW#iQG(pHe%zJMs^4K1sdzIWDllI>tkQo0* zfq&X(@P#HKEW?`m@9>URYq`-KXjC1Cke^$tu5fTvAH#taO1acv@jSdEbStC*M0J{K z)(Lu91FM_>E}iXxni8HO+4^5VS(W8veGlCCG{san;+dTgN=<ZG7R8}UfZm1%O>rG9 zLr{)|c$sK5r&cX>__ZXZj3@GTh7?BA55Ejl^s282)1fTLWglzXE<q1<(;;<i<PTs4 zG?9+!%xP?71TlVX3bxzCHFl#e*gl!2L@08CxJO}{%daKd`u8EAWv)XmwaTH6M<5+n z`LNF~uW&Ww&pZZ<+WH-wm#3^gZvA~6MK(wnB6OqB5zUH}l%sW!EE-(iHaxJsEAWzT z0RY<p@V*L12{t7AR+%S(uOLe<8JHD>nUYfCeFBA}MSrV4^x|L#BZtdKVvDNoa4aeY zy7P$w_xfQiGjaoFF&{B{2M8DtHr0+kVB@V^o~ZWFwP5?=NZuhZ8z(2SW^OBlgvdpC z#Dj?ZnM+VcnQ0nSsbisfY}E8f>Ke!%kwxAUfCp=ipiO`j!eJwkJknjDiCV^{Ab2aV z!j!G!zONEpqYc6b=w1EDMfmDo#{^9tXu{TFBDdZuC=*<V&kq)nvi}sLQW%4qTiy*g zmW2G0<sF+WHJ4H|4%0Bil_gc<+Ft{h0r?qvf9(x^e=@?Po%s{&!{(E{B6f$Y2xtJi z$Wh;+T{57Sf^?&VHW!wufP3YVq2gRnmo!w&5*aht;=}?Zhz9GYx|sM7=@7D9wmv_K zdJ70(5~<HH&RMGcZYpYrUP3K2PXT5NO+X>#&NbQM$PUU`;Yi1AR<*DTy}Kemr2tJp zf0cw9NV_p-<ZZNr5zOTVEEGjuC_>SZV+6v+1Rz`&2ZF7y2c0*hVAkP)XWMCyeIZ3a z0VywI72Ry2Mz|+KNP(3b!$RsdmKZCbeV|oMo{e?L)_<5vN8H98`4S@HRwxvX>A-zd zZY4?eDZ!_2z%I7LvB(8QLKaNA1btFBbCAp6!7FuXyg2@TYirU_F^{<R7I%%h_3sw$ zR>mPxD``n<+r{VVab<cl0VH`)Dzl4x`ltfB+%27;5~kMZteQ4haP}yoxD3UU3$u z1LTTqeGi~c7JHi`RQiO^Vn^KU=Dyqd%20$rQ){ikoU2is75NT5^+u!)6+1A@gi>4o zl?W5EN38U+(h*dy$Fta>E+g?8@-xvhWMzMkL$dXyA%sN#_ACVWCfWU<)KSJR^h~-E z$Y;eY$<p42sW(_7YskoCeyf8I70F~C98?{{2<q!GP%;fvo28apL+!MrAp&*_1c7NH zk8VU3AuIVby-e`uz_q>~Kw-mFKBfffyxdUdLQKSzQ&(7nU*@8Q5_tx`FJKUdxa*1= zf)}vj#gU)D5AX~X@qA1qRzFg=iM<_1iT#Acw@d^&f)&>ikVZ>;X&FV171&kS`W{8Q z!S{f9%#&RIxJRDmA8)qx??N>6Oq<R#lj*NV5LjJlNH@B8t&U^f8PbjFOGCePxukzB z#tW4DNG+Z~H!&Ne20-tzcZdBCl9>Mi@<Dv35kRTA2(`jSl!}>?fYe6-p`PU$lHYZK zNS6$C!7#LVPpbMVWJCKOB^Kf~1E!XXX4P9f4wzb+Bo@rpq(qTZ5=AB_inJt(Oi2`( zibzmlE*j^lj{TG`O&cc5WI_$Bld($w3oTw^D&P`pu@#q}wajLL;H2U?p{d{>;Ex(; zGzWZ8#y&BQh;(svC0#b7iL_B4pE}2UXjsMcQ0oW~i#nvf0?rj_lMPJ~ojd7*RcJ;H z0>|`)8jS{uvq0paCJ@pdl%%t=KhR|US@2;HRG@eXF)b2z(O0^-63>+Y`<%p^VP^Cw z5qorj1rQa6>Aa7mdmR&|W)uXjEC5ax5Wh*8$Ml3|t`GAiWp?BO5TczoE^Ro1r>{k3 zS}tP0*bq4pX+Z<VXd>p*05B&TX~(&YcXzxrF!C`;TFsmgWzaY>f&^p2%2yaRSr{fO zkZhQ06I9CyDhy(|HCT2X7SSVAFj>Xjbwigyn<&T=bUIaO&3ip~5O+8LV$_!2Oy|o{ z!JV;LNFHH*U47ys>D@Fjaku5w;7b>TP_mU`D$ncsAz)NDA;21e6i5K3f)v-SMI??* zz@&r2KLg(860b7vNn21P4(*^gV$#N)o^c3(R&aXQiqLF`zZ_-j{|4wm*c0RSCy4H< z7&afN#nIlthUp>y$IbE^(2IiOEB9d0=jDSAHC98r*Ne*-Epb3N1rRXbm;?^_^Monr z2Qg#^u7yaFV^$nac#slo;xJA$iZr+O25xgHSL1T{%WSqK<glaBa+q!mYwn%(@sHKN zviXDhYC|ynKUw^&CYuJB*G{(Kg@MI}CH?Oy3$gLRl&}X+V0{<w8G#M)+dkdaLM^oq zm9iMB-}t+&ww~ooi03566K{tC6P*ieSi<&)u*y%5JX6QF9{vE?o~YzY7(iaNpy7Bg zG&PuQNBFckPaFUzcq@q=WCidb&A$j`2eSYe6#l^@SNi|ZEZ<DIlSOXKjfkB3;Cy(E zgzo}~&sw}1Joz8sTczMzij4}sGB=z^_e7$m6QA#+Pr(DksK=NgC|4SADmGqT3_S)A z`*QdsUJRR<Z>)mUk3-dBoFDQfKyMD&{hebuS?Hj}@g6khw!S@>DW+IV4YT^v*4Irl zXc?V8V5Pkqfd;VR%YQHC>QYL?9Xnh9cD$*+CB(i~&}*@MNbDi>!CP2gn_%#4ec#2v z(6WwQaoENc1NSjjDah8Vv46%jQs9m>Q`d?)LnilQ;tFCt-!UbD40<I<ss^TP{hz0b zA#PoUnW)qN=H<WDmk;?)%m}F99>NM~D5v6<1Zc0ypiRu*Id1Ep0eT3n3iy_U%87AK zgM=OW9KC5*p^ezZMCYl$$1sPkq+IVL%tez@m#gHuIKjrep2$0c*MpCu4%CI|^K!&` z^E|CLp{EkfywD-gMkFKGXEoD@l^A9w9Ru+F7F@-rFWT&faA%IRmn1#hlWhpi)Nis2 z{^x&iktA%MY<)LV0o<dt_0Q(FT)a)Aaz1f6U<Tigw)J16$ydxqaJIf*63O6<*w!~} z63=sC;;Hy!h=-I}pGrJ9MvEq%@d)C97G4k!X|as)u=PI?Nj&$1cv4{Q#<GW8PkSmS zpoGaZEIM@MCi9K6G-o5Y!N_a0q)vJ@e1x_lpsJA%2|pl|BUfS>#`nfJa2SEfXzMGW zhLIQbj1P#6w*Dg&5!w8=D1y!*uw>c#{t_YHlr7-1h#T~|l=vuub-B**Kv#yKx`qg< zTNx$gEQ_GN&<$+07Md+A5iessMktMy9ify&8W9}JxHlMh$H#&AVpW6%lyOUU&>&@f zpTiG22>?B_H6Bieuolct)CRF{aBn&{x<$9@<WnQvsx$F<v?v6@fK48B)5`A>;TpCe zUlmK3BY5!&p!t)}<#6T&iV>SM^jEwv;}_?Lbc6r!Xrl8&=##|fv<@Hq6@7~ZM+^9F z)}YJV_Z_wos9@1K%{&z$e0ay+g|f@LA30$7Kuaa~IceZhsqFeeGWLhojVd&ceX*Lx z-ZY@YmgvPv;9IwU)N2T=o}kY&1Q`x1_(^OvuwNpD1GLwVf#CoUUBJZ9dmjUcNN^GV z=6mNtqtej8x@7MntXIYX1&(P+_did!!<dHqN-r`|#EEy>TUa<U5*Y3&-Y3u=q(5p; zv{Y3qS}H_KNZ_Loy`?KfOUjo&djlEXBZTv4#hrPo!5mnu&p5l*zn(zXo3K#Ri19r= z?=h+&d_Ih|8FqO%Bmk99z^dXr&QvTBLrViYprnf1TP|GRd@XnnxDM8D5ykB}(4P76 zsL>%O9aqq|q0CQS;5;4Qh9VM0EWR$qA9ld&7~C1Sb1v^=Bs&~u;PBO`GZEH7xdw=k zZ1HM6N~hs;jgzk>L0an)G|ILjfM*rkr}k2P!k9Zo77_hr?z$huOES;^+b1h2`jI@> zBo;KYzGGCMuy2p44+q4=sgE0V$+Nvd9;T>`)1(#%qMgs`GrsXPz47`6;0<=TLNgj| zjM5K816lbg>wp<KD?dd7Y;t;j3aS5PD?}#5E7ONk9>)}=QBik}^Q6WeiXe}i)N(!@ zoPOF|#$_m39O9VlhmdG|dnDXD6MhCiPlJi^ccTcBc@P`-(NXSRV4bncGe@u)c`<e$ zfJq$Yj)}nsVa(Kdx60CF9G}<#eiJdUI!J)WOSi-Hp*8VHR6hj<>m-;)^3yQCq~^g0 z(s9cNJ%Fee%PP4A(O;b1dH)l7DsKh#C$kwa)Aj;O3M5ogF)pSrwt0`f2jyZ)9juh? zTj*^J;rVaS+bG^nP+3wNL!932rc!fVfQ~=U5}3=}-AFA$Dw~4@=Caj@5l?zf{#aaK zE`2R7Fqc0UXQa-cRQ_C?5p$7XCadYd+yXLdGU9)U_(L**OpGNkcQ3#@d>*f6j-Mch zmO?XCUA&PpvJGJHd&CCc(o$$aV!*xUjVNlE+wx8rQPeU6<h6cZFG%fiquz8Qim=A0 z^V&s}|M&{<+6lC(U$3_H{U?cyGwToq$@EsQ0~v7;k0AKlVfr!^ZBd3P(_$J%u%mC$ z((u+Hy-2QiQAClf!({YLMZSR|m^30Ys$NWWc}t@5(h)7?y`S?QjLEw$D(`+huaom0 z3FoB*uN;+^K9EKAUdegKV)E{d%1f+>^8Pz!yUTkjChwC`dFfb)^1jG<B^)yY5!5$^ z;doSD`dAm`eU$T_jj8ucR9^bf7v*i?yaO?L$D;D~>Uo!O-V6bQ{uMr9T<1;u8wSjO zJWJn*`j@32!Y)$YjPKN8Ln=Pds2#~bq|gWI`(0b#ubDrBha902kO1_lD|kkv-G+0b z5G&1#XOmH*|0vh5JSAwvYX<=4Hyn^oecMM%oHs{+#-AICKSaS*c}!bZbWs`ltK3g1 zHVVqr#WXohNN5-tP_Qn+=^P13#F307(pP~`<s53mi?@(~&NYw5;&uRe;g3tirA12` zf`Q`0Kw;*NH}E^?b8y)ow&Lo;2Z4_D+S!O4ERP;0ei7y$f^)=LwuwThkK}JCJ|LVW zus^Dr#Qul|v6q^U`7SN$TP1F{T;^ha5plakuG!}#DJkKqDlf*0ilavHQLKgWAH}-L z+XdX3Vxf5?OKT2VG*2ll5bzHoXXs5J3YLOu?_&%mefiId&;I?RT8U#cc!9gE_<o>T zo`w)LofcT0roI%jgb93;v_!ha-56pacuvtx8o9rf^feFcs#I6qhcBVABzfJT$B|Vd zd+5jT!lxCmNl-2`_ewL((eA&{GlRyo(3;$34W)`#vgkBh1AnD1Kqti#Gq;g$>!T}L zk@{3R59~XMNDL^xrHAjMFt{L<i9DPa@7nqTUBQ7hplZ32&&x>@Yfjqzl;%uRPmp$V z_MXf8UY9fWB=x>xPqW|ok}|ERw0Ehb1VbtGNa?*xl4q6SyNLNaCw5+q_CikrZk#!W zkz|7FJx-(H$WPf0aFi>MkG|Q88#xS}RqvGd42`b9nmK(;<-JMaVmyE={HM(g;UCC1 z^&wdG$*BKcw8CACK*0r|AV;8punjC^Aq!Truz}O1rPL*5V#oXD)tyh7rD&g&Uuca< z<WL`tcHta8p4H)FP|)98F&fcZGL$D}A1oO$UOSLO{}36yg3|Ja+|dd~<i~tX_kTP^ z&hUSnEZYtpKu+3{(sTV_E%q2`yjo+QfejHjp&;0Kqz$4EBvV7ZTsy`Z^(fdVNeIhV za~1Bj;mXi}@|*mbX{bc`RopfTwORQyT6%3Lxqk4o$XJn_2>tPoX7KkVC-xPm4S@(H zi8vCz>q-{F^+UxO6eUj6c@E=Cl>M(O(>Cl|{&k)X>MITVdXn_@$hay0T7KoYe63KE z&wnb4Cm;Pfv^qM~8OQCZ0Uy5TJye`UZS9$YBgBV<zRdRH0sp{<{_!ieW!awX-QA9w z9R0m`>?utug~8b`LiOsh-IzzMQ@t*<Q%_%l#6*<uK*XBJi0cutF)|{v)#~*|M&MIa zp%k_S!6}-4yfDU_xZ*SySQMRc!0-;FL}whP#S~JoNaI*J0OL}qzrTPk;M2GJs#9Pe zXZ!IK|M)Gozc`FYbl{liz(G9x7gLm!ypzjAXXuQMPDn_NCoK=1@?T7{_3xz!I{RCW zuN)z(^*M+^2>j50(Sm?TIpn`MMe(TXN3}fjC}RkcsU-d6aZ<t?-%&yZ@;g{y{)zI> zc#d)`A8AAm|HWh_`#H$P2(RL>#Y`{aa1w4?Ak){EkKBsz{%LJe`ekrnvPt+K`;!)+ zXFYJ|kmq(hU%~S~;oNwaQuSZbl+;xGkNqW?5y`2kmedqtI!vFr#NP4o*B5b0jg{iv zeBJ>mmkX<-C&V06#|*_tnMLdjp|%_dZC3Sfg2@eHf2d47N|+2)8Xp^@T!m5J3RC7o z52zoT$$IvyRsImzjHS7VAq0lfjuPH<iUCy~>;&t1E%-HDxWsqMKEij)UW@r|*&E0Y zYN4BGWb*bD1CA9y2OO+$5u%WTz5*ulJQkCOE@>cNh3GTrd<9V@Y_OaYqQF5;fuV(7 zDZW|e9Ht@%F-gSK__R-!p)RTvpB@<&bv|y?NmUu2F0-)p7A@EQS2eexE&o=Blzs+I z0y1ueI{;@c9(eIDqdmE#T#x1YQ}*x4=0_PLD$w~A=;0%L6L;r%=-zcjtPd8GxVg!o z;v?IzB{t5|t1VcR@@LZ0fDglAlI72QhTjk2{llU<jEY^kloldp%e4RO{{oUsBCy-~ z?nU?oIBDtnahL&sf&_mu*o2AyX8?f78VKLm0%NLR+|QRa1a^+OAUo#Id=f1wSBP6~ zES!*r`NybUOAXBcWiTKx5TNM4CaS^tF4R&O?{eN9YFp!!Sn`do=V|wdtX~OX?&~Y@ zWhC@p9(6hd2F8YvACvg?Mnmv19FhY=fP>FsqD-lkON#T+<3}<u`E`miL?~PT8T1R^ zq4GZS11WuE0D)TXZoC=_ymTH5Ltk0zT{3B!SSQ9PJuJINPG=fBB?ZR0A(*z&;EBL= zqHD$#gsk!WL3ysL*8A8~u^^=DRpq^hp?&0f0J^U_O+Sw&X2G@F)J0z<bWf#DrG~E8 z+qp!&RbBK=O8Bi9o|*J1vnL`4=%0|F)3sV^QS3ThyLG*k&UfT$p_jr3XIWbrp^6gI zGCY27k9_9w+gF>^5PTb-8N&buoIHXy)fhn)5u{Fm(6{q^G5SnHxp!LpP%4?V-U&vV zu(ysLxrpg^3X%dD4as@*<vy|kfILI<jt=M}$lf|sOtP+|4(aj(MgSLp0>v3?qxVyE z@8BVPi264FL#P#2mwK(+xYi>)nQ+cbhfI*8)Ipqs<1ayEY*_0?b?(7aLq%+>W>yOR zKuZPJ7XGet7(}xweAhW$zZ0Ku=S6=RLniuKB<PDzhQd28{OJou%k#7l+kTvcMSj~3 zEbwa-pv2K%fQSDhTHs$V3Y~?x^Z?s;6ouaOf0U%ObE%@x5M{AGPs>qJ=z0G~SlIQH zANW6-qLhkH(jt@mpV&D4j^eD()7n!M+Ux%aEBEuX0u_zypp_b>XNW|;A&YjfawF68 zMI-Bw4raO(K;^-`C`;+Thx;42SK+Qi+<#?lCIpD{7gA&$W(``TY)R>0)Hr}4LNRUn zB8@$04Kc@#^Q*t3W96eLz#Po4W!nCNPUdXSekHh-aQo;9dI%0i*IAHz0J&Y-Vp13x zTbDGFeQ+~?E@$#<I2-ATqO*n5NQX078tH;2ON%r$7EOoiB(+j>Imm@m(TSySm%=TC z`ySkCxclMu!AVI|NVZCbv+!F|N^0s<p?|1M!<MH1<U`l(n7Rxj`_Q)8kTZ5<J~VY1 z@YLHK@ySknblGK^hcU%seykGL>9BJh0BH+R1#?SCE7J|`u4MB~_vz}(>f7Qd<WLE+ zdvkDGI)X{#M9e*7m~CRTY*N>1*(L0cBeRx$o_*3`YuTgh2iZTz{#o|Vuz#BUH`yO% z{}lTt*gwvG4*Se?`137VHpxp`b}sv5u&8C{u<u~s&i)+sNnfF56Jyh|X;-FYTiKuB zI`@N2v~2psqn1s_Y+5$$&9!V2nzZaE*ng6JS~<0B+Olfd&#-@#{Q>rmv(J{o*+hC; z_AvW&5nanBt9UK@4Etx<KgWKM{W13G;;fcE&i(}Z7KYHuej5Af>}Rk~oKef3!@iw; z2m2%;YT5JoJ(qoAWLkCs`-S42^HlJ=i~Tk1Z)CrjeJ}f6?C)T|m;K%B?`3~K`;W1I zko_mve~SGh>>p+S82bb4S76D|vgyt%Xoh{d4Gsv|rwiv8U-oHnL0{PCPqb#!pSjSo z>GQwnJNxw2SuLCX{s=~yecGg9l-Z{n;aWC*+gHn;;9ifjf1dp@_D9(dvVV^Kv+SQ? z|1|q=vOmoJDfUmW@8X*G^7|V0*Rj8m{bu&P?6<Ms#lFn`cJ_C$-^+d<`@7jc&i;P( z53v6j`;W7Kko_mvf0F&D*gwMlGwdH_{}}rN@S$!PmeM~^rhG8?!HA0G1UvzXCw~yD zx<8mC+sV6xyp+6w!ccDT``FQhQi6SW*q$8-UBd^H)*$WG?+K;*cfzvi(E+5mf>R(n z-Lw9sG^rKm8h<OL2iMOetEk{RD0)vHv|~R<nc(nLN!soFm%mHez5dsJ&je(rI<QCy zcbkxk^C1LKj}%NnDQE&JgZ}_oBDg0N-uK{ny+F3N8D6l}hI;RTfOBK;2dI=RkG&fy zbseRaa;m71*4W$LLxWJJlT}HOcxB&vN^!7jI>eMQeDzhnrapMtGzL`02N%;?@rP@y z>h0>Q(5|C8I@TG-5f$OYwrBmXHRWG|9h4n{NRZT8gRN78H=?prt!ds|>ikAT9-<;p zd^N5(OmD$A(ShC0bK!1JQL2J_0DJIRND@J921LnhMu!1tCIE$c4K{6asWqTc##f^Y zLze`%qL`+f3kC_h1jS+<io?iw3Pa!`DBeYt&`H6%!?tu8!SK*jd|ql6Fib$8ru=bv zI__cN&pWM84>{Gvz341nVegO<aGndzfxJrwrUn+&v4C=p<l&b97^ekapfCLz(SKt` zKMU!Eqv^)jBGi|Q4@jdQ-$Xopw8a|yJPID7_5#kc*xS%|dC}Afy{Xk_p-IHI9+H)N zMLV_OcJOD^7*N!jTpGF~4#to}tsGU8R%yB3x(6|Me3nj4{sw4<x@J)I1nJ5u{=5^@ zgZgstLyR4L|G(a>nd$#B(l5SB>P5PrBPd}5(KxcM9~r>j2`~PgX-P^-um`g#+|&bX zNRX!IB^7BpF?6aX4KLnl7HI&xX}n^Q&ccH~clPk81GThX5&U<ICXkZSI^~{!yz#Jf z7Fe1&@eBBw<K)jhPyXUD@|TUm-@G?73z;_Woteguxj~LhImeIev;0_a29L+Tn39ex zs#7{_;iu)W6;J3E4rfrf{|tIHl;T2GD0!qqlz2D|Azb8vPjC;VSU8m?Y`Xr|YFTsN zfHc&bfiTTC5r+O{7$8=pj3fNwSsYVZ^su*&X6Y}1CDI}Qi>=lmmDABMN1)-~K)-|r z*iipZqv0IT@W*u?Kn8YG|3%+Y!hL&q)GqpS`Jb*oXFs(+pkrz4bYkg>#qUXz5T3Pl zDprRT_;wy1g@<Xd^?^0|N_-@QOnjDzN4_)7mx(8-7gndMX?p@`{aGj$IwP?19{@ui zap<1?p7T&qo%egj>9*y3OauI}rab3)vVh6VLGV_3afp|F&QWBNIMdj^%85MZXdX^i zUZm;-q18A1r0U-aUw|$J_Zwf6E&Z=5*9X4@j<24`e@&VCTs0Cyvk*Id<|Sp4^y1m{ z87Bfvq96X;9bnqrz<&jVX7r{0WyGB%Wg5@gT(k>@NfX*@XQ_S>Vg~s=IKW)^Xb$2B zkLHpegyFIVb&ua_39PULaq&=urXWO3@cn1?L>@jW^~-DCIKgDkasIQ{wA$~v`2@uL zH%{cG(EQ;<gw@J4${Ada)?C4@+$O3*O1-+GAo+ytM@6`%nw30^m(=^la*{vDe+z#^ zvNA3I?zHad>T+xH^0fRD-D&=pa`N9&e#2ifQ(p>Q9Jv)$iHb1Uu79rbUP;=#)QT?< zQ>_m#rN1w$*pAM?vaxw-QI=vklC*yCwt@A7&4)-17_1LIgVhK{?IPmGYk&dOWeHjG zhh-p5ePzt{zwlRvl(E|eHVhs~+AtXOivm-F?}H_WvVxrmyMl+|V?~#fZyOj4K90bV zBz)U2IE+U62JV5NF&MlIphES}Ii`yDslg<?g#I0wgCC+$@B>j2JqlihS2TPj^JwPg zl^L`S8LJG|`Z@T@a_~CjyXPL@_BU9g0YRE~3HlJciJ}LC-{)FveGBj;fWAV}BYz1W zZTNSRUE|9s>rfymIFnZL`;Y=4Erg@s1`(K!a_gvE2p`<x5yjn(-eoS7lH{pJl16r; zmvs1oD-yUuouoVz+#q1N9_!pZ0na0dA(6-CEg|q85<$82wt>(}rk;Ju`36wXPY8M@ zBka)(GJ?4`6lIuN-}%mWenRC%1d50__sb~+O%eu(rc`T6umK}}3MVC9BuhL37DluE zs2~sY6Pmd7hYIj`_$URKOe&reWU?ESk*?eY+I)`EZhq0VD(J!zP7<4ZgMYh2+HtME z{2oc7kE@NUQr^jjm!R4K+kqF=7ip2!Gu$>1Y(V2QZGv|r18T7K64s~X4LnD*_7?)7 zy~}6}BssMgoJ_eC!^|r_J%5E__uQi+-k5tSge6QrWO(BQKG~y84So*!LNf%iZ=f<C zp1$X*fe(kTbK=Ak?VCjje>`)kT<ZFfG-O6SVqECjC{Ys%P~!nieo@cq73&9&K7pc? zBo_Nxto9o6qf=s;YfTQ4b;^*%aS99KK3<P;lpfrKOi&gE`u75jfqlElf3%PMZ}gJ? z_dCe{hwbn;?|t+Me(ZaUAK#Gq(ci_7@3isb2VOiL|6>2+c&JWGp#K0~_R-5hybN)> zBmt;}6Roa5|9(z=k{~&a!9WQBGvs^{B5L7~^C>_q1)R^|suZ{)&K=fhAHKKG`6LKV z^kDXTAhM64lp!&Q4i|+S1X@mmByL5gPoai;_)rnJ@sF0Ymh5vLqvl$O@Q&lVMaNLc zg5npP*q`9DP|nd%a_jUpM6A$ok&I<WDiFEIWMMZ&vaq>f7Ivw>N1nAc&Hr2wtx9q- zcn5fnw|zHcGzO6dh*+-l@RBB9`&np2wx=g6*WfRuF0-fn)s^y9%dVwI#<F?zn7K?U z{3>9|8(9C6MGDfT(o_EIjYN%uwe>%?VE(*7UjFZWS2n13LA0H&zNYh_xAFDW{NHzv zkd_pA(<m=_pO*L3Derv&DZN=+OkKdmzw|(xBYhv-&1Z3D#*~WXGw-LafF}s6LM+Pq ze4;^dj^P3vejf~~m1E6V1o6AaEp+9pJ`j|ve|etBx)^e_m)4@-FEP@Pq1O+Z7&4b9 z2yg045|Z-<9=`YpU?YxAgPGk-nDCD}YV+PJo;Eif^|Ve8(sc*2nrNdMJ!9C8_-9hm zl)RJm4S~5-X5Y>;wYG1ozh4`e8rWtDR9o{-1{xrXoKbh41NVCP!w%WgraFU*TRJ@D z=$7g{ySU8Lp@7z~R*Rzh)}IL^qw@iuWya79Fu;}8Ky8{*j9RkCKBw814WuSX@^#BL zrcROMIm^1}k-5y3nhYxoMB*_Ok;#&BiMq@SnEbCL1^5N#A|hhvc?dv&XJW@~ty9<J zos4T&G^wsX`{AI3PRq0WuT9bGNLJV5wC;OgkudHO{kIIIP~S-!M!aN|tLTA0R+o3u zmNbmB`M~Ni;+K_U{<Eq6@l<8uAwrw~gjEy-@kxg%=E9&|zSMuhE~3GpM6`Y{00_dg zS(=i8oHS5S#Ow$4XBV(v$bK*T73{m%uVa4=`|H@>$bK{XUiRDA?_ytOe>?lT*{AIf z)HLkV{zuEE?GIEr>`UxB*e3xHsvq`q*(Z?;Y9011?AzgE@<#qQ&9?l@nC|2|n4wtl z?MED~eqft#ah${l_eI)O{!z<21&%eF{bwKA>>qzfe#5x3Q_hR~sNH{V?45yk>Ks|W z!1oe=f$4?&xpdE#7)`-HkMzIZbM-rO9BP{5;okwny$`<#ZvT*fSVFc8|Lam{zMd-L zPmB0>rBDWC`0ypltsH%4og<6f$wAcd=iek4I3Y>jh5HiR=Z7Ten{dbAhT+b^9Yy?X zxLmkWxQ%c-;OKYyr;_w5xTA3Nv%f4!^WpA<tAN`Kw;S#WxB<A+aQ_B30hfxp={F1S z^t)6Ke;cCBF}PRYegpS0Tn7Gt?>x8yxVz!*h3kf+KkWNuxToMwz`YAM3TJ`dYc|~N zaCgIPhU<en0QX(Eqj0C-&ccnsO~Lm%=D^(qR|2;Vt_yBA+;`!gg}WZ&*st&$gR}gD zBwY=+5UvVtJ7C<4=RvrmaIeFigS!A{!NzGe+(Nh#xHWKIxUFzsfcrAs58-|cHw<?c z?mS#N?vh;(cPCs0+$Oj#xIJ*+gnJ6^CAiaYvjE$~k02w%4Z|ISdlK#d+~?uC;5NXy z;O>H32zNQ$BY?XEt`5!%cN^S1xLI%$sPngQufiRL`!?JGxLt6qaQDKsp?{@#e*7%( z4tD~$IgKa%R$$UK!#x1^Ww<Bd2H@U;8-q(d4jjVW4p#xU2`(4$kKy?g+)Hq$;YQ&k z&{qcBBDlNZ?uFY9w+HTPa1S7l1!d2_gfehP;l2&G7p@Dg9&R~Y4&3E%6EA`e;fCR! zhx<O<0k~aoo8ju<?t;4>ZWi2y0gOG|D{#-keG_gsoD8=H?k>1_aH(*!0SEnPsTOaa z!N*>nbVJoUTBK@Z&#tu>EU?30a2NdP(iV>_m3d^Jy|KgY>5#j7?3=qg+wHQ~V{d9~ zg5TMVm$o(^M{RCwk~=An($OThbavR~PJ35(XS33Tj2)hZ7?&1bS6gF`REl!Vo=wV@ zEiD~ekk;0-Q1ad1)*^fIsydrJ#{0rzY6NgKDc!!#Zs5{cR$gT{o+ZvwXHAW>#0ZyH zRys?{i|U+uKIfX^iq*B{^-ig|QEuGS=%cD|-@M(^smM~ZNA@(yZn>w+<D>W%UuRn* zf$eVdZ1uEBXu0V=x396?<CeYMp2lY6(R(Oy=bPO=xl#7C12I&A(hVG5zoWUO8vnW^ zsk%jyeBQ=xPqV$Lv!erTp>ChOqf@pwZf$I7Yuwbv@azEM4a~JGKH1*wk(KTad!t?S zdOjD)UU+M6F2lJT{je9CH7<0!TRK`~x0|!kV0fB=X-O(>?4Y(fyFA^15=f>R+d6%K z$3Tb3S6x|I4$GOE>WYfxMa3(rY*VMw)+{RQ?AYq*mhH<cs+ZGvZc;XH_FyD{bBbx} z?AYSz#^{4U%B$+!l|^gpn|frzsN(Z<FKG5`hA`J0CW-FG7J|UDy~)!>2#LwpxMfSX zXA9uH!Dqk0=-CbSc8~1sY_=PPySqUQKG_2-e^PnMk+>{?YHVwHfbky%XH@$}uEce8 zfHJ84j>hgS^dzdMr>~`2auS60CQyw`1a3?SslzQYo6WeJ+8TX6Dsw02_PEU?sw<|R zsI(Rze#q19!IWz9NR0|`)QwJcyNL=mH8$NRRp06J$nJ1TxK6|~XyG)T$Xp7%tGg59 z;PbgLuFY*?yfIXuX|6CXS?&e|;b!%AV`DML%szQKK>viBw$4T(2ieo%V{(v~$dRvh zRR#Egy>nA5rjAb_6O_|JbSx$$Ansu1Vc+DjV;DIRq$t~I*6NuS+Utl<aV_?3jZqcp z)wDF*v)dH#xMq}T@!9b|DrKRhbYT_&rWhV!=lP1p8|^;1n^{@6y$Y-@cFwkRYz4hF z+u<u7`)1HaOiid;=YI>sQyY7@P9@w)&vs9f!ZX=}=5)?uM{j`-@HCptz!^c`x!Jz0 z8#B{R%x$5)lDG<>6fjagy(;6`-q_J&y!)EETe{>3c$$@Vo@Z{1Mz<a)1^)uN!4En& z$&DBiGco5z@Go!(PX|a+YDXHXl4OuQmJ+F}aSJnBgMcW_*XH4gTz%~hM@zM@`A(ui zrAseE-6u8%@M+cIfeo`$Py;Z*O_?-nM_URp<%rRt31RTtmX;Q2wK?6II*~$*D2L|r zd~*`qC>dkc1Rjos4O|ZWG_%`z`gb7-ya{OrC4^h5uC4|jZEtTuzq`?jKD8vdQ*LZ? zqgHTEqV<*zHzrDl4{h)SsEKC(Of9_NhFQMEd>mzqiJyzbH;fbva51;b7{elh!I13{ zZ7h^(0FRvjnmmi7^COdY6%#i@V~zF>&o+~#EhKthK!ecS*v$)1B0d&f)?{OGg=4u@ zEz2GzV>3r5wjgs8kDGXjJCc_WeL0EKc<jwR7_pWn<~KZ3H`{d%V-~QtLsn_?_+o2^ zyctt*1u?BjipQ3wJ{j~L$xpd&MuJ^uw3GG_^91$8b5zWE#u1G##4LmJ^9yDuu^JDA zC;~QuY2<Wa)j=}Yq0-UP1d;2;Sg<9hU^g`2QH5hO)_A&zFq+$Xz{Z(FeQJ@&y4#gD zxupvO6x9f-farpW9orgY6Q)DAITLA&!}MiFPfDRJ&@y#*E6n4HHg!U_0r#_ac{-Yj zEDX^|mzyvnV<CuOgVeMn<||eWRNDyom$)L$S7MdKiTPcZKZ%84&7!W#AUhhK_C`6j z1?))#3zRAw@8cOK!m+i*mvg%@)gb`50T;>GU<%w07(6&{cU%GF-%he4^`oJ&y8{>y zG6%xtR1*YK4+|mKujzfzgB&*At69hdvKrfrC@#OHyG8ENW4OME3@(x}8o?hswwPtA zI^|ldwHOpnvk}?dxy^0J-P9Q~KtM<QfK-wf%mEBDM1A$Ag)ic_=zx@709OIG4vv!I z>fn6`#AZwvqj<51>+pD*#S)0639^!h)~KdNh#@pgg7M#C@O_poNLuOWG(={U+U$|B z$-pGVo@${qikpy0fMEj9DR`#+wSXxLPl|WoN%4#H@CrS=4$ox7Z^zSu=K(xZ@H~QN zDxN3soQmgJJgs=1$8#E<mM5ij*hxrPc;X;invW;!6r>V7NrAi$&slhG$J2)Aemn_D zPvCh8o=5S#6wecQUWVssJTve-hbLLOoX7KWJgvAReFdIbcxK_5gXfiaF2Qp)o)vgr zh37gv=iu3f=UhDd@Vpw&$MC!c&nNM;<9Q6vYw;Y$lLc_R)2|wl1xm+#9i7{FomSd` zZmiCCA+6Zl&oq08+tD0dU01qb2`%W9@rG>Q4fbs<vRBMY3R0bumP1;juL+WbB=uZ} zy%6uom@xh;`!TW61A*0me|Gy?wz4?Obi{S)yT-P*&TV3I2hl<j8#~N7d%P3^Nl&WA z#**ideVZ538g_0iZOr0mLNzt|WOsWb33fWuCK(XIn<-N3(e{$ch=qeDfe;Ymr7V3R z;c4R2_f|Vv?qnio0TXRax~3rQv#cY?CUJ$3vFW{(XAlJ54$Q$$NF|1L0uvJJ3MS=3 zkzWVE$nV1rzq_%G%J>o%GTMRM7}*YjpI9bR9uw5S>vl^=mm(8RNZzaQ+^@8dR$x<) zy=3`<B3JoBdr2qQJj7ftEkRf#x_ZQJfRKq!KwY6%fN+?vL7(Cgqd|gWV|RCBkB)fo zD;a%jA)N)D*v@y5NFUx~FmRyZ=Eg2?dERp6R9D|fdE9P}<we1bWwwJBDTF{7H(;%# z5=2{|K+L(Yx<fLzB#3YB#6qMC+{Gm6QomS!XN3sJkCaE7+ZwSq=B)(EtVWG!jkFC6 zk={?lwL?6RJz;GNXqGE?3-yYq4g26NE!gpQ3-CRxqcG#liuFFDJ?=>kHiq*_NhNoJ z6U?_awxNa&h%+~m3XHSR>OuTs3#KJTM$a0zlo~J@5}1(HXyFEST}3suPIrm3xT5YJ zm$Oz67gtwQ6;&cg>rQ!{(_Kx<7yZ4&S#^)`US3vJUE>U=71ubS<#Lx-l{nWJdGxrt zqU9CN*f?jUOV1ovM;)b!LX)J`l$Vt`YfQL|cBou^xw9d*EhBqOJZClHN}Lr=Xz9#4 zOKPga02=+LI0LY#xQO1w#p?y)<4v$k7`T437tyfP>DeRe5j`;Tl~>g|YwE&%aMcu* zRThQA7@`uRty=WAI3jOdO;J^CQE^>)b(LA)YF7zqF3oUJU0qS}ig38Z867UFsB_jB z2-4xKaSD<!+AXRos<`J~RH~=zV^?pW)re>O8?k!c($!T0Ks{VrRPS_EL&pb@jB+*3 z;?*^*U=7EWR987Ax30{fyv63e74JIVsWsFWl&<S|T~K5-c6%Te@?69ob(_hr3|Y|7 zkr=Y75ssBrjrdrZ)rgOkMUD7Ga;%Y-NM1G4sJ=*9*NCU~V_{Du<5oi#+K%<1d9~P$ z5#DZFc>BU!Ji!oIGbZYE8$km%cVfM0!A`<pqelF~SbQ3)lCW3-u~lD+Xq&jXr5kD@ zLwN$7jY7M!s4PARPf(JD^Hg=xwx?Z}oJjL_pQi^fmv=OKwwpSU7N{T4fKWe4$ieH4 zv2UVff#Qta4c03mLx}T$g+vFG=YGY5vjqS^3MW=WC|He6?F{rNP&mtW=<2Wq@Yu07 z(yC#{y1@ETJHWyk#ag;g&{`AhO`TAgG|Bc3rF|1rI}qnLwearHXZK-u($)eYjJ1jo z)>yY<E`6kh^x3nUv5>Gb5qdCS%VW=epgCL=a0t0fuQft`%Wk$Wpe1G#*3KSm&8a!w z3<*shbwOG#U_mQT8j#e$Qto`nce1?)`a%Ol?Ax1LSf|toyyZX$gc^WK&~Xcw@!d#> zCLLolbd#iI<FY*{8CFypKxUJ2XEM0&%=UdM;HH#{u>(qg)!6=p<&#MM;Oc>1y8~1X z9abl{Pozqu^;loh=@l%BwtiqvPF|`QPr@7ioOosw^0V-Z;wd7fBQx{X(ktz&3gP;m zhC758{ERf(6J@|1N80h2G}<TSpzvv=oz~M1BJRKZ8<x_0pBDQ)GQEkaCn+lQ-wwds zNUEtVshvO5x3cE(sm>=ozJE{st5?5I%@p6c&b_U(`@VIH*7?@Cih1j>Zd*%7-fim) z*1oW-c@x7xdo*(NqkUglaa{#L{;xZ5-b)*HM|%e+?#G!WHmVC-Xp8P(J16u}qCM-v z+}x(kI7Pu_4-qb|sdKC;E~0X{1rix|FU8@?NJLyY=krF#alW>wI2Y&ZijL!aa#UO$ z=i81r+Al9;Sn4<*Oo(w{kGO8?gCt?B1RNZ8__m8^rlTF83z5(9zyl97Z{kCuzcup9 zO^)&+ZU>fRdL0yZFSlcjjH?s*U_}<rS10n}W{%WLFml6=?Rb^;BhE!}9s$f*g!fWd z;Qcnr)Ao0QruDcyit9yO#P}?tI670Ga;aJNc8Y`Dm^3~Mae7~I5k(rHaoxnnQ8;Ah z|LD7~yUCGzD-{_-Tn>~DdK|+*@sU5e%R}K|{b_{%VuzRqM)=K`^cg#&(<95@v`b1a zhogFp@~0!pzt=CN{}ztY>4zkS;U(ZK31Pz>Mfe!p0Nj3z`)hb&r(`ViT|Lc`tEZfg zVf8rJQ9MI=#Bcm3D7PQ@{Cgt?wgx{1zQ2Tefp_CKfjC%fNm4}FtA{W)h&vUL?=Hl_ zj!Uve<lBfi*ktiI8ugtbdl{-P(GO{Vw!ita{mq~4Z~pJv-z-jc_0-|q)eX~CPj^dG zm1mpua*Es4<EE40TDe<klCknmarIR5p|ragTBTCmWJWrS()uRAT?%a$wD>q7fHjs; zYYi+>AYvZ^!zqDy=f?3*IYe;S1{pEbp!5|Z1oIt{e!z$+@wADU2f{G8AQz*R8OT%A zy~XWn?Dl!;XafNKE?REzG~S0}T{o((@odI=Z$W=3V^!x$PY)!8W}oyINnnBPB(A!} zqmob4q#IG^axw{V7x~b8I%1HHA`Y^oySj-*=w?_{MfAIbb+pjWE`dZym@^RKykBW- ztLrSPEiNzDtNMUyg0$+cZQSaq6LvbUqAvGxQg_zVdAsBUWTiO5lL0|Vr^0qO9f&I{ zuV6vbU4yLxTL;Z2EK|3sr_u_u9F2rg^5qD80J&lirBT92#DG?^#Y%ZIqJSr#^j*|d z0sWM_mQ<s!>;1>z>HS!Ybm#UaH$$v%8IS0>3>x@5rlQiuHlIO8l_rElanPv~{6u@@ zzFK7yo&LkVPp_rM<HPBcN1CIzRE?eFW@wZ}V;><_3>fHECdz_!pk5Mi31gkgMmn(Y zNz&5>WTbzUYQuCCNy|ppr7eKU7{Vf-7}wTt8ML=tw<`KJpkOR94Yx$)DU#)GgMOaU z+b_nrbxU72N)^FOqoY}RJfgkQTIe6pQ>gW%ZyEW_IdME9r@&xcxJ~Md7)I$SDhY!M z5D-0zI+_jaL8c*`GtC%N@mU?Zs?JJJI}GA*hJhHKt$NEwKkB1f(`hLWxy6hjx)XWP zBvVcsATjCIi47t~^iqO=N#DJN4vEEUOEb;_r8LwPJ)=>RIcKL5Md?&aC|`iui3$l9 zf-aOWgyp`vZp<b%az^UhXgOLTbdk!}T}*~^uy3Rpp(73Y5$QFiUaA5;VjdWpWX|Ao zX{e9*gJ4U)kH}XF%{H|pDD=sQ@eAXMM08+~X(~Loe@Ar^r_d*Y&Mc(wC9K21cM0{s z*6r))A`ZD(`ne7n##$dOZ$x=P-A38RfK71PZZMPWveXvFq@aRs?7hQrOv=P(!C*1N zZl@kF*A#SlogOYCEkCae(RA_c2q*{>PG~W3KB>bvEoz*%%g{lAN4K%<q6ggfhN#*_ zi{D0E<O*ZZY)2U86^*{gS(&O+kI65jA0dWGfIy-b=_MnE8##}V&UK2K4Pd1U;aG97 ze;WzJf+9er;p(NC$Vv1n792sb)nWLEP^5fdh8km{mfk~ZZCeYh)kH5l!@1ELue389 zu7Sb?hBTy<goQBG!n0hIyU7e2%;Xj`h9|0YU$`bC3vO6rPGHfD#J({b(vZK3HBPip z(m{?JJUHFxA!*b^2c?t9Sqs%2*;tA7<j0XQW@}FvBgi2Cl(5>^)rAF^SUiaU`jGx8 zva~*XpG0ov#9a2dh`CHu$y6vEr98wHjnU;1{-F^ocqPSQLWKEc7wdEK?pW9?&erq| zQ`qp4&YVbZAT2X=neKR-kHcn~FUG<#)l3mq6Yg#gnW3@VVOkc$W)>5Ztw1cX`AMIO zO_KqaI7)OQH(4OBGvf{GP)Yg+GcMY;>!)Ts*_gU{zkH1uw@LB!xD8`u>C0xk-W~wF zeUT)6F*d$g2rxf4<H6DtkP0D8deDr;>2Qa8>upl98KYwZV7GwI{bqcZ(7RJ+NR2VQ z?tqR}`fD>**y?@F4C}CR<NsvF>JYK?@sBaFqFaS#tUj`)mDy@D1qk=y7+czC#%vKI zjgvZIRp&5M*dC61&}zoT+H8HnOo4(m#=3Q%nWpz>Q(NaIX~>KfJ=(;E%`P)GvDI0M znXY4;j2`t9*dLo|Y_27}Y=-p~s99;M8LQX8rp_nLSdmvJ1j%d0x3z52PY2vWbuHay zrU^R-K_;8cSUM-hR3OE<8+vz~7hh|p85W8+g=5%O0@IUElNZIt%QWCO$Hv0oqK#9W zW(rLNqn2CDSRF#0?sH<}1@fib*m$<XydgH0$8SMwtd6o(W_+S^<fUe+aq=ulTg<pH zjwNZj8B0oXw_dw7I+h{1G&+vw%gpFFo@uk9<4l#gfvvRYbRAc!84K!#nQgimX1Kz& zFs^FMRLn3E5+KbRvtHQL*P3DEX!l{irl&K@&W446Pj2Rm6QG^Voo-kmz}le4-G==Q z?%zo5o^}F5S}ei5jJ6Jj+2bPgqrDxr3iZV`tE=kDE1kD4$~D#j*c~*13|l%kxrrM{ zOC-M705;t&Ee*fBJyH=gZyv9Ea|<2TyJ;D@QbNrgn_IR(9CpJXAGA!C_FEYS;^!@F z?r$V{I<~gJKAMb#Nz&qW^c>itlSLe^i_qTpE(xoLZdRbDn4HQ%y<>YvcT}Nk01Nto zGbmI9&A1+N<ERbyNjOrv0<q$)RiX~!I)dzx7NK7<jPROZaNXF|vY_3!06O;ts0{|T z%`Ke^+HPHN>jHtWnDlN;N!WmYLJri7B``9B^qrK|9m4Lk*_5eD8L6<aNP&bqX>#Ti zNDw&8rPD8*i#Fk^fYg^#XY|B~k{(Vj_vwMo?oybEVtjBe=_ACKT2|4Co(sEB(s4kR zfwdK_%F^ZWwU;+bvm;`K?2bt3Un#b>2ZY;R2Lu%P&;bv<VV_&l;-g^{nJZd0b>kq6 zL_(jmA-UWnidqtLR?z*P2LNpe-%9dy8&IC&`eDB=D_!Lv_6A9&7$LN-Xr$W_4U)9d zSySb#$h*y;<wWY%KgUI5fWGbWzpngAiJ@~hbnWyse(A8wB%46`6{d&v^djbu@GX`< zBJ=;9tWV(lZvQ31=JH9rpNDf@CTuh(@E+SrWWVR2-*!EN9d*R!{mkJ{>GxTjH-1uG z`~M3#-w)W&-imwNw}tB-|C*FOhPcSKtX~H{BJxD0MZVLYtRXwrHE;%w=x^Ro+`5Q3 z`g1iDw=p7){wxi}fl-)c>Cd@PoHrtl{>%);k+GlA2K|W`itCDqqd#3kaacCYe9}P? zM~81l*$h1nN1$e0jvluHamH_v9#>&RO!Dk)f$gnV;BP+gyZ<U-^P2@67Qpq+6?9dC z_jAB??lmI34&hORyX+#o1L1>k139An5xk#<8@^G5NAaHVINDku!VbJwz(MR{8)Pru zpMo3K!^iL*giBv2@=M=9+i>Z(i0}%$@A#^eUU<7Ge-Pn5gopL;3553}yzvf^K7sI( zZ-RabM7RR)+u_ER2>AQ(eiY8NRD@69eGbN?@J=0Gyw}0yeomxs#CsoHA;L5^6plr) zF=iB>4p@5i47s!8^Xf@akAb`d`7rNX7~80f5rHLdNa;DR1NT2qoF_LUaePD-aj%j6 zkny+C3iTXki~jh!%*xS^12O$5K;n@)&=A~{Z^5P;&deY4G6uZIM15*-31Fu=W`#5Q zRHDa`Ert>2LL9wkz!|@FdcG_~82P-2!%;jP+naI5T(l$Z(|$z1M`}b{=kXVVnSS+f z`V)eF$Mi7MFXHU=g8oYI?uFZkFpkJ28Se+-de?~br|?em*R@uJ-$XbFSBNmdKaTet zz#kcoh1ZVz0$m$K{ku;iKf;n*gmVxsK-i^+)8EBA!e<et`gbGTjPSvYB7EX)%r`2J z`Y62@@56ApjUxQyJMrUb3dp)aj;A|^_ItF~5ZCEQ2D@?k^cr1|Cetl5tFRn1&7I>e zlK}=}7Z$ev&B1mA6|$xZ_ii?$LLuEoT8A0M$T$eekgrMHk2l*z{d_q)hjyiOM||yk zzD^07>-o5&9=;<!KlaY%{ONZ6heMI*tK#!vkH>f62?I!tyedB5j+^4^0Y8il*^W&I zfGqi8%S5Jbx;>Kt5lr)7iFcC`ylJ7`xEBh&()4+EV!wq`hCAm`ankz$A4Xonh<^2) zQX>-ho-9Oh91{SC9n))yD)E3Ejhk(-%>ppEtbZSDzVtnE69i{cM?}~)=a2z6I^q;J z>|o-DA~f23`;0Q1m$3LoEffqe17}4V!krkEW(3d#{}SxQb4)w(gsm92>)DvRovw9| z9U~!-fTgy?QOLsS&h5CMgiQf#2itCmxv*%`FI#)-)H@mF0=L3sKALcGTiu8k)phs8 zQJTSzsIzPE7n+E_(XV%N{G1XgpT+<0$+cbog|;L6VaHz@Fc|zW>cY3ej9^0GU6ZB9 z$f>=0zFhs;d*+ktP1x9{M2=$&_Cu~>45A;g*(3XzflsB|^$d17K5uN<$;0vEMeEZ4 z%U|08@N~FdIFii|!aW0b3~m^X+NLl)Pkklax2GNx?*m`P-UV&~j`GmYNTc^1dOYPj z0XH0xZxn0idAJEUO1FM3TnEXqRQ_?ac|>p5m7x7ISaT_#@uR<#Y`oK7F{by(u`<%m zd{3m&{&L0J;W9@0a6~;6XY}c_;Ok68S(43-I>)wz-;FrqsXS)9{rMS>fn<qfz8tVa zLS`YJB*U%26OV{rl0*i*T?yie26iWiC)w{{f_QxU7<MSJza)v`PsB!p!YKYU;)54) zS27}f$pz3(ayWu)9i1uRu<=&#x$W(3c3nZgY~HO4bLZikI#9r3p;|VNZzIklK?N7- z+n`WfHm}FyoA<f9W==1lyV~t!5RM8ue9PwH>o9lvAXT(C`WE0ydv~X=bF;hv0?(a| zzV?M%Z=Gj{I;~|hw6gW$?to|wRoU$YID7ZWq{;e>wdKv@awrMwe@HHJj~+%0T@FAi zo@SiWZ-tD44;q+>k;&rP9|W8V`m&Clzpt}wUZbzPV{7Mqp6+>erKPBel!(jbZ6@oM zdAFF=6x=d-BL%lafmCpd**7j;Kq4T%?Xal@9~Sxy$cxHOXw-oyz@aHljQJ}OVYp1w z{OVeJdGoS)4|;CPz4g{bi|<%)>*7VXFIbe<w0J?|;?14~x&NoV?|_OT>(=dtCP`39 zB0&%nD&bVl-5{W%s3<B1RB})h1(cvDpkPj5zzl+liWwD0RLl|ci~%uXPN<ks?`{Oe znYr`-_q}!3eQUj2ETF6EoKvUv`S!QJ6RH}qA)%q6L<kXvk{jOHUrHb-j9`PfKqo4M zgA&4mLY&x8Jj5vwCrO0kR2WAD{&NXrARdOZp@b7f1aVFzNn%bxfn2at2+f6%fn*>Z zO0fT20v1LybTC6Zu_zRCB5{Iq;;5h?Czc37VRQ%z31t3732Z0|V*)YUDJU$6fV&7~ zo#37*Cz1^dp->=31#%7ULUj4Fbw!t78sd9XHc0ee#x1DM5O~fL#<SILy!nYx5!@`? zConF;EnfXVLY;F(#Kn!~U0mw?%lU_YIYX^ne0zAgKr_=We!rG!uLS6YiY~vDSPvhU zzpKFC+;<4PNC9T~M+Mh=m{@-#&aI9Ce!{Pw6TH-`eAMt(_qil{xD<ig*FN1L+4rdD z2Iso!!n<YE(=Sf$Fu@LwrpMZ=8R74@A3OyQA*p}t)sLm9T{JqzEhac3Qr$0t!F<WS z1Dt^+b&<iasHiV^^C-!lrT{WDiIHS*a2OU6W)BZ-j0ztM)1bA<>z!M4`TP6(dA!yV zV5y&X4`f=XNy6X$GGFNA_Lq6e`oJeISua^n*!P0Jo#C^3+oyQ>RjmwkU=IAP=As|} z)$v2U0iD-A_ffl3_s0NuTn^>M$ztGLMWbNeuQU9Ql7&Laqhw+5Rd~Sv5K!bWAXfiF z%7Wmtx<*!T+#S-4g!mK)=@X$gfv^V?NwE3AejJQCM#C99xJERT7blB{6fuy(4z3g} z8w=+`;7A-?Rh>?~xxyMQ`Hy;dK-ySYaBcnI9XSos{aU`d9_n({u}Zr^{{C<*21@u@ zJ|T0KG4QLt2O3s@%4_d6t~MP!RSb9k^Dch9hKI}>e$*S1XFxu0$P-?hLw)tpaKCCR zhQmFp$4mcu%nsg&Y6o-FYD;1=r`k^#)WPom$X3pf@1L)MAVnvrV=t&%C|K7S?5J+7 zf69r$+#?4wncr)tuBZAcJppxI|3*IbUDcPMZu1_HSKZ(3Br^ni^{TUv8fj`f*JDk+ z_Z>CEpryvZnMkl;s7&2bYO98*O%9)RpbQ@<BN~p3g?ou>&{DtRO`RUq;^5cxe?~(? zEO<a3IiOmN&-$AE^a6MvMXd+*g|lj`$3iWC#Vw2ys$J|an|AGeFkl%1TKs>v|8FhO z1oXXJCeuQVQ2{DO5726?H$DenjIYBt;qUMuVl1(kSV3$h{vd7>uZVZVXF^75lg6Y4 z*_Kq2Gs!G6o6IMRNks9K9~DSVqE=A_)II7k<w!54m(#21&2$NE#Mm+I8Hwq^_%Z{T zBxVvbmD$SdVoI2^%q8X_(}Hcqc4Sp-CcBhf&2C_~v%j&2*i-C9_Bt!$+JgRJxdB`- z7sXBC=5mX;{oFh53#ZKw;Dh<$JSTVy`NDc(r*K-R5bg<&g>QnEs4un@T|`mrA@&sq zizCGtF-hDjUKSsUuf$KHw$xnmkmgCNr2=WQbXmG3J(3zJO_c4FPD(=Qq3ovgQI1rm zE9WTlln0b2loyl_m9LebmAWb$Rcn=-%2zc|HB2>DHC~mf%2ws7cBqc1%2a=-o~Yia zYE(c_G7E@N#>fV>MFi@Me33s&MOkPGT7`C^z33piiteDVs4-@NwZte)iFLt-U=i3D zY$7%vTZyg14q>OUFPIT-ha<cv9*9rHv+!&@2j7pM#BbmaaWjG=ya*p6jz}eDLo4MG zn~2|t1H>`n60}qep-noH2;?VA`jA7(RPq>kj=VzNB=3{2Nkht#YD)=JXQ~f1hzg=2 zsnOH~Y9^IMl~6aRO6nQ)hN_{Q>2CBuI*CrDr_<-@YxEuZ5&e>uGe%5TW(YHmNnxfl z3z@Zy1?$9iW_{R!Y$!Vp+N^?oz&>MNvpSq1XTmvf0_VzkbN<|DZUUFaP2;k;d~PSV zkGsn~hjy&tH27w`4d04q`R=?A@6Si@Bl*evTz(<HjNi!b=1=hF`A7U$UPmw&S_lpT zD|iTj!Wdz^Fh!UJ?S4YICOi_Vgik^v(OhgNdWaEXia1SNA)XT}#0TPY@w2EQ*-9NG zLgFNq)JGa14VA`7@lvuhN6L~`0RnbQhozI!IjKT=EPawRly=IFN>a%yU6uWmgO!2G zae##x%0<fc%3|d{<#FXj<qhRs<qPFErH;y0)j>t5IF(A(M>Rk-R5eBwuS!<UQDv!C zskQ(vE~_e3cU8~Sq6Y%}Bk;Gz$P%?e?U4)Wgu0@hC=i9Ck!T{Cik70as1R*O2heeJ z8$CtU=o17yGt3H5LSt@NH!K*7#S*b;*gR|_whKFe9j(QQCa#BD<My}%PUG%)H+%>_ z0w06N<LUT(K+P(AE#T%0u0b>+Y=~Awdx9ZEqC1g5BopbxMWT{;LR1ktq#<cSb^z4S zWG}KG8A-;Fx#Uhj&Ux}0;N}x)L$#u!s2D1N+D7f6j#781YN`wELl2|F=y~)N`ZnO> z9c{;iGo!)BGr-5cGCHg!+llSZhO=YXTkIEBlhfm@IeWkb4ao51BDrX8EVqX%<&JTG z045%DAGoiaKHr*m=DYE}d>Y_jDZh%}!XM>N^A`XK@A%KWrqEol7n}t`5QJdBLV}Pk zWD9GA&B9*ch;R-NaZfN5n~QBkM{%GSB#scX#5{3>xK%tTo)+JTT9UrhRB8>FK$5%U zCH0a*q>)mZGz}0@AlWN9-~b<J`ytBV%F)pJQ<SrnOO?B7xu8O6sA{2V103M5iclp1 z1I$(x0s~wC|1VeFQTx9utighImZL^!3fc_J`a8OXEHHb_3mc3DV&PZ{mW9c21KbS1 ziYo|xq6N_!S|g7*0-oE2Odw|gv#ujIk$1>9;H~Yz;wjWFs*HL<RZ;IKbGkK6(n>m( z&Y+jjg>*4pN|(_$=zFw2<H_^|?;Os=FteF0%t7WFbC>zX7_qj%uu8TUJD3e(W7zrZ zDs~OKk=?=WWskG>*hlQky0$UnthipB9~S~_o4`%tW^pUHb=(uK3Vc<UH{wnCw!9;c z^T+rr{B2$)XbFZwd%;Z@1nn?GI4Wp>#YM5RI9{w0--!Xz45?T;BHfjqO7EqnN*iT+ zC9U*U4g{Y{0gu|H)KD3NH3`*l)f82xYDq1N-T`lUr}h^g7-y=rqdqc6cBmtwkSpqj z`k^qi03Ah_&^@FJ-mwxh!8_n2&f~6l58M|Yh=&9ElkhaW2G=6oi6CMsv6|ROoCK_w z6YmKFKsf=t7)4GaXOj!ba<KD5lBQI^h;u21cBQ-0$#fb$ht8#U({Jb+T9a{Qx-<Ql zKxQ7;vL9G6ke$iqvd37&almiMz-yV@O746udKLUEelefJU*fNUjUMtZ__urwuOa9H zgSiP^g#aN;h!RqPy%q|~gj}H*?DkdA5t{;kSwY;QL|*g~eZ)|}?HF;UIA1IiuZlII zkz^)WNe+^eL;`AuOEJ<!DP78x7E3FoP10%U62!6lVCiPcmdXyw&S2;9%00^c$}(l8 zvRbL9GE!NpoK-9^)j;5>;eg!?)hw`jj%uCimFkm97Vtf88G*H1K;&{pJlMN4@<T&V zGRgp6+KbLX<a&x;p)W`aBQXx^g!y28SSU6ei^IlatFSd#F}4poj2*|yunX7~tQ>oR zy}>?W`gl{k72Y0q!QE<GXaqhQABT?zwXpzSg0BR{QHXEDf5Q*pNANQIB7OzGjo-(g z;BW8`z+7tHYD+j0B+-fJ3Q=z$F^mWYb&>-7HIv99a*0A>8?hVWUm0<gs37hUPl=C& zg481$lg-FBz-bgIknUt}(jNw4!pUedxwh@I$YtbuvWVP69w3jCzmpZfb5F=Gq%mbd zxllAUgbJfZP-CccY7JFb8y)XZPpS719kpp=+KRTL9RMS1>5cSOdMCY?c47#o3**BC zF_FN56PQ$pk!yhk+p{>ZU=*9hZeq*WRvgKRTz75|H;fDCmT_CT%bXoA@IxT>Wdhr+ z1-3iJ|G`%PcB*+(p{3AH=qO+U1#G7hJcT4-i%=w#0A{pAGtpXf5|v^vz)FTVS3Dpd z6Ro5aX^NC1<pY-$N?WBO@If6=Hx3ZfluCc)GUZO?8Racy6-2L=DqhuD)g9PuEO=m! zDqmFqY_?T(NOczY?565L-C%Dv=ovHcK^G*TE`Wzjl#4b%lsX5hQ4`b0nqn<L!=z&i zu^enIR*02=f;j>0e*>$;-eU^fxUTj4;ZdMvmO@0@jPHV|bQC|0U%+qTI?$?vhyWrC z)J!(C=RM*Dcq)Qc>jZHq2iQ=gTqzH#E9Fi3P<^TS)FNsbl?$wRfI2}vgci}H^=LEN znzpAAEz<6^7d-$XQz#urj|UAi5A^5?;L08J9{L1*1{BR@`YLedZMu?f$B>{+gX`LB z1(V0D2kzX->;?Wj&Xj>hy~f;P?lVuBSIm3n3!};Ev5i?X){1S(wgdG;upFpYPqsVT zoAqOdu)%C38_kYo$Fr&IRCYGB`jR@n-Nx=__pyiBlk7S6ceb3p!#-r6vv1gs>^D}6 z)90FU%{Uvb71y3~;V6iYZd@0x2j|NT1f+y=Be*eKJaElqZaV1Tg@Bw~;O0%-4v3!z zxTD-@?gDp(tKjZI6n)9P<vw$AUWYg2P59=#E#HRk$YVUiOT0Vp#rNX-@q_t5J{;6m zET70v;?wz={Cwc86?`7Q9uT;b-^(B5kMm`<Ja&t}&p+i~@$dOB5PkK8#)6q(Rf|j~ zh{9YgE;k5&K-^V`dZIn(Fj5>RP88RP+dy}hiT6b(&|bmP1YoI$k^v|zLKy}zV1KQe zx~BXHT1rc$uWG7lRvTR%Atvykw7aT&Kve~(q5z*ssua}>)dIk1QLWyVrF@UGGNg?R zkTJ3V)@p+sL2>iQ4U|<cV6I`Htzu9-@Yhr{ALXO<=sfxZ-9UHIBlH5jMKyrlMu1)m z%ob~hxnK-1S{JMba9S#8tYT1Dx3QPl2TTjM!Ts<6h%3qXbbKzp5YGk9D#P#K)%bd% z2RV{lNnQr#FraLyj-ai*L02bIbEt)Y(oNKE$_#MnMfawM(^KeKbUuBYUc($^&M^ws z9wKrCyOrI;?q@Hs_t_^9iJNlH+;}d9TLZ288+QU)^aYm&?UTiy<L~iLcuS#`;3)8d zyU@Qbn#6zxnh1(`hA>Z9BrF$J3k9HtiiF>UQsJ0zMz|<k6>bWZ!V^%+?}QqN)4HOO zXe#1jPf`7T0_Y0L1`tz-X#{-8`MzE+1=PzlGz&EW>)2rq7{XZ073&I&KL87W-pXh! z0hEkdi)Mq@7hqe#UZvpm=dr6`wMSSL*iDA(;!SW1=*KufPlkmEZK|?R*{Nh(zpoo| zz`NohcmzHLpN6a7YjFnReQSh3{Z^u9s0tKt4YG!7Pr>q`)EiLlGbmSvE1*0P_kp|# z_$=rb72zkKUsMHZ%8@_>3;NarB84~6ml#0!!^nRG5e0pv1Y$z%J<cK)0Lv^V@`(b7 z97RMiQ3BfQ1aXGA4DsUzDB?%NGoqUK0D4S8>XHVeDfD@*$=0L;^sCgpDv|UcyOQ2y zUvdD%ln^ok)I=P)0GR3od7G>uWt4)lru?Z0=nt1rrPL8%sY=R%b_8|NmyVz(&;`Io zMWEeE=p(g^^qr3?p_lcHuBJbL>QFGci~(cHSTNR1YsP_b1fJ^3c!R<l!1yyEOav3f z#4!oLTT_^6%q(UBlg%t=@|gmrkSStncwNB55#hXWS*RAQ#nzzAQp73ZEU{2579*r6 zX|xn4C4fh&qs1&~0Yr@N@uEaJA)SX_@l~l3`o+(rDydqMDRq?wN>lJ#2PF&YI6xT% z-aAj3tz53mQRXWPl!eNz$|7Y6^p-Cx0Ym@0{XcJkY)h!3hK3BKS<ced>yXhk<GrC= zM<XZAG8qmfYRKhSV`QkU7m(3a9;&I(kZZ}1zjmXJ+H!?FjnR-Ra(W_f)U3gg#z;?7 zF3VA@)<}^d>`!?WcIg4z9ICJNZ}Chw`cXx6;Jg&84=>H%ZM^aN?DjWdPm=fNq?zWR zG|d<A>zAXcA=l7oGBNAv=LyGp4t&ymY5ZmF8bMuVT}|a$P@mM9m_E|e*6gRyHqjX5 zhM6G~^^UHIfuDL_6u!m7J#cg=W{Ql}hjmQ!J;ufa1;W!O@GTv+cLzrsnP~To2#k*l z#cYt3I+?zS>GuP6?(kezWLVwQBW8<i)TcE~%<E38A9H{S<B{q|I_=!uP>W`U7>?mM zd{c;e8`R7Y=BjW4;RH;`aD&j$29@pSTYtGmCZ@iLFkuWcI(F{SG4KM1+L=x$#QFQ> z+Wk1KzMvhvGU59beM4i$!GpB1aA|n?R~H<m$?Y2&2pUW?P2Lz9Sl&n@O)i&hE8OAL zxBFsi<3?B8B+j?@>kxgTxa|@5*b#>gIQtCxY<g(i9Cvve_oCdpp4E?bk3SrD#{LSd zOwoAX<N1N2-5#w+lnwI~E_j@EH;!$VHZ!uQ<LM<W3S+F=_84Qk4XgOvJ5a-S?S{8r zj#>$xYh0$EeYoV|*I9S{RMN4`8{IyPCn^&geXbfi&29O&qnf>!Y`7A&Dl2koX#2_O zhXPEGoH!|%UN23pvNepmnQ6cA)cenI6WTp^-_2^$y2C4-HqUsn_Q8gB=E;HYv&S?o zx$BeL{r-?o_l?#$uG$c4cj@Y)M<*t%>DkreTl2dfI+^-cBBrDa8J-a0Sr*WFV&8)% z6OJanI(cx62B1@(m--2%zOQXc8zY6e!gScux1;>eoQYd{xgz<cs{EOEigN|RwRHjL zT3R}CxuPv<jqL09VW!2rZi+HGICiu%EaL;{s3#|DF=k^Tmw!{}B5n8wU*V2a(1bR& z3Kr3b%)xU|hI3u!;Fzced0oCEsv)4<-JBs!EuL-KC=5`e`Wk5JA|rLFjn!9DfS+h1 z2lakaMN4Fx4;aRpgICr9wTZgGTD&;nh-95=eX@c7Xr`vhH1(FvO?)|NAlmRUV&|uO zdNzA|rD+dghOO<h%6#?{>r6e5QEx{+9WVhs`WQL8Rjj^obeHv;xuzdFY+JU~^6;Fe z0~g6Qoi*sO{XDi-*S|wj&D|s$KktH2i^qwsL2VX|I)0oPKDnjt9JePG*ZfpA@m^Cq zm}?JR%MQ0U&g<QL^2A*zO_2v4KeNu`jm}lGC%zt_Mk%fi&$hDkX$WYw$NzWx(03mO zt@Dcy<6OND2mP0P7?uruZ;6io%7=X;!{Kc;YCk6br5~>j*5^Em_qJN+;kDQ3TW(cg zBj2p8+2xxY8+SW8>RX2B+pn?NS%s?Om-UMlUE3d+s6Y6mcgDE;x81wjFMM&Rqx->C zS0jq%xb}LH&hBY?wAJg70aa#rbWgwB&C~KVu5@To*8NUJ@bAs0<Ab*jT{5U(g@cb# zvlolX0|n3CHs_4{>t}YU*|_;#nAD|kbj-udhr`O6>^U+yWI^+NZBp($x@f=V{BIgb zx$#+pLl3`b7FXhy(cy-!_pHoW^PN`4d)P+&Q4kkjZZsI5*?%Un?^^H)uNC~!qfZF^ zi?8yms%P%Mw!?3xa8t1^$$oq5&CbV1AKl+`a$DWc`uo=RTB3WWi9^hWvhRMJCieqN z`62@~_-oxx112)f)q8E!uJI2pqmzPS>)i<)JRF6h4)y!s;4SKWG%nVu*2m*xonz}5 zy4KN|A89o*I{r)>7#ZmNr=%`%v9V6UfllGLb8u)364jNnRZ!4J!E#)3oEqj<6T&~_ z1}gY>y&P{qZk>-s<{5P}ZSlMJ^*+JPR72?!!w1M#U5!=>3uK=1_w4s;l!YK7mn8^A z^E=4AtL6qFCLwQ1JDq5Y?Kj)p$ho{gb3;bYHmjDpYFbyEy_a~pWrX(iU3k&R1J#ag zgNaJ7kdcND4u>1P*UG1&CQLU!_IUfP?T;($j*V$twlMC-F8`bR7+d#*2MIgN929nW z8(wukGOhi5qm&CxYbyN5jp{Yj$g{KCD8sE!*rnU}>w06F)L17LrHn6(tp2immw|c5 zSCa<oNy`S`H9uvN3Ny*9VL|)3j(4_K4_YtZVz%7T#mlPPe(&M02@853&e)bVZAg_= z)H^qk=;%Ct&kZ|0lQB<+Hy?cN(Hi9EINeLN=iH=|2bA^^!M;oPMaC5#wGk&}-acGn zeN{0QrD;_HO`WNusRVoXT;E#`jch;N@jvh2ozak{^ns?58_<N8H)f7Z!R8<}41tYf z;$Rtwop)S_Gu9EcS0C3mvG-Lk?h3W@hzyT}HPQ`~2Lybe22dDSd(=*ySkpu;0lpXV zi$Jk+`~F2Oaf!7`gaR!>gA7B60wn^7`?-t8{(IG{yQ2QTz9QBNwftT=%b%4~e`|vs zVfXzVC~AT9uLR1~s5Z1|h<{>PV7A68t%bcyPPm4h^7F&9LUa1<J(P57%h&t;9Psc5 z!7hhhhL#?D5dXYK{+fL^y>;*Qe;es-*E(ct(Shrqxag`V9(Sy499-3R(}i~%?~d@e zaBb9s5ax5i;8i06W=F4myxy@uT)S06CXX&N%_%&!^?t#nrN2>?6T>4%K5w14bjAc! z^^DgEcWC_f#f%89dd=zFq_&15D!<08AK`bT>gKVqGd0@|eAv|0Vg8Ni?RghZ87?<7 zs}BBp-L-8~*W3$74qx87VpF>3^hnLV*Ctn-@9KJUZ|=Pwwyv#TmEN9X+}TRkCG$n| z(7?T>Z_|_4I|pUDM9!79iBGyxPi$desi40^`C7MaqjuYR{?XL@p}r-#{BH$_I{pCV z0MJmooHjYFGFmneAhBv3#l}X}uC0m<iwzE})f{2<<pVbkLIY6i`hDO=i@NN!#Mm%D zLO)VzWVEhJrKZG&iClmM<6>QEuM^jRroxg|mMxFX7#^9k`O~bu7ISr<{jT_hrh4kX zw9I!Myrx;?RCJ1ra6j+1`So{kW%pfNX)F5K*vVk{=LeB%$j$4CJU%}D*J_N8h6PiJ ze{x#QG*E2%w((W@yB=g}z3uWUE_O|T<?h_<&A+8Ac~!jV@~2jhPX%kG>B_b&IMb5z z{k?Z~guL|jJKy~Snr832wz=uURWC2K>TxE#W5UqE3zv1v+v`nsxzj$ebC;7xFF9-; zYjr4i-^VX|d#~HBk>%<;G-*ZT$FHPwwdKqx{Z6v!ciOoWq&Ir_JiTpo@rg^DQy1qk zj_m#N#lCGe&oj@p3O{dl^tY4Cw#*uH=f%3xnE|g4`159Whgx6yR`g-OSdHIC8c!y^ z9Wn4<9Q<ut)38(z*Tbz!-&rq=Zg(n9mf<t}Qkizk@$##4y%xF!>-uRQ2!D3NsBmBh zxz+I{4?B)E3~Z&C)#svf$@tzrnX6Z=PKaALdF7kkiw2(B-1O?oWyReL4n5*%hp@+M z$6Y`24ZFL2$n410GX@Vxp1I}Xtdc%hW1D#{iwZg~ji)y*ap_lPxHCbsa@u;6GchBR zPP~gxEbewLy+w;|ADp{552BwsH~UsTwlsM`gf}sEoV)#n6q(=Di6#fD`gME#bd};x zffK)b^SbF1wiPt~^1AJcs`suo)%hozc%vI3=XdsL%ABkj+^_Ba>HC6jbyAE;>NWHA z*}}u`%5N|I<UBg96P=cka&&XDMpAWv(J33WsNA&rk@pgDyXKsZKJS+Vr%c)Y)@uJA z0~LAd#+5I5bNr1)Ph4Qq3%B}~Ki7Zk+vWKKPNFnzE8u#~I-ZYQ*T`*J;}HiUluXzk z>mF492{QjvM5<P)G{T`*fnc?(n%^<5!7iH6fZw5~sqV)^<j^(H?gfv>M32IZQ4{q6 z9Rs~iq43_mm^e6A$KZ_&EbHF*><g=!YgcA=hW7%%15L1gxIU5QKP5tG8h`DFYN-36 z8qf~~AIsm7ePW~b0*?VE<|*!%)=WO5KWq4lNmp+*-`{x`Zq_2>!La$Bdfe_S{lkin zCj@B}`}ascWU2AEXX5fmW$(CygTl2dS0>XlYzE)T+?vDrtvmZV-6{Ar<99!KR9??7 zy8TBM?bw(!@bo>`?ag1N-Qiz+oNo2Bq|_tIrrV{x*-0Cw25dMns9-|Js~x}g?{nKN zhx2{<bn5O^74n#aS|<dpB&*)fJ%*TT2BQvhEXwo7t+1T)?E0vE-M&mFuD7~Sn$X_= z%vaB}_p1j@4e*OApQy7cJH5g(-Pm!KLn%8UKje>LEe+eb_8ZxJr){6-_t)2S?oRU8 zUBCH9)s&83&~x_a1xg>{>dCPVm$=*4$bj+NzOFKR+rzSbbzl91xwrF=22OHox`thC zJo9(d7i%osTDL-ra>$KrId@0f)BYp-p(=0Vu%nfI`^L1*^ly7+akl-31KWQ4<4RhX zPQdApXBP~!I@oSZ+egV74|^3ktkre-(6RUIOBXdG{xH?s7r)qJ_a-cTS@GfJ-KF~x zEw4Ugem{Pt-|UpAd*RmmUv%!qS|waxvq8}&JKii!^Gyoje{G({kSE+heVtMHCP$`K zs&0pMjg}wOh^(HzcT22Toz?21eT&vDH)t7PSwiW`+qS-!y^h)%KPZ3bfB7_S?{#GU z+_lxk=ijxs5i);g-pMBuN9tJjK>OwOVQwXaxuw5`IZ)>RGR&#Rdu&V;YPGK(kon$= zFQ3(Ibm_WY59pdP>4lz?W(00O-}{#c^0y&oWPQwnNEZmR1^-^8`#b&rpG3OakP1)6 z5fE785UsARt-=L4p^iE2bJ}IJ`A>r}bQ;v}hEeB>Lao&Kj1|_%@<;srOGraL>O^)5 zFPNay)z%JAHGpwCBxvi`4%nscWaJu(|I6?Q-GGxRjTiZBh<>u2y=r}%eOJ{ZdVE5g zsl4Xp&Av_JP3Id7`fA+%{Ou$Dkts&lCjN-FxB^?_^SV{}&Uj?qx2e~W0Yk4X_HaGB zY2}i$28*1onS=+ieTv%-Jhywpo{1ZVwf&lz<uy8Bx>Cm+jXbozqF=WSx5HXxWp)$C z6^UJkKOSO{dWy<!o7sAL@9OwKx1!tD(Vi!*8jsQ}_m__*7WG(`nti?0PPX;Ms)a?K z4`#cIeoBjkPAMbD7R>IB&m7ygI-;k}&^Zf+Jgsnib<1Q)*tnWJ{SB2euenlAAT_0* zmm+nKlsVcoX}G!Nt{a!-E8|y=oiX{X_n9jJO+I&eW3_0a8<wUu48p@;4Uk)@)BlI) zU!%$2g{21Lv^lBSsQHhPQaw$~;D=6xaa&~FU{4=2f*$nGQC&0S*kI29Yk{nDEa6$8 zUsoRgSf`3yeqKg_*(>b299i{7M$TR|f0=NvWt7A8<jxV3@;*&9{%UFv=4q~dsbK(x z0ZK)hhHQFN-;I%LBeKq&nn&GSTAJk~br~#N>m8D0=Ij~wa=JyziVyFn7-!FIZ&tN4 zuk57Zt4X__d$t+BsPw#he9vQ*3!6R}YHqUW!|x`yOf%+O2^hV2bJ}p-lGW+W-?X-z z*Y26*<2}Yi&u?{TSWxB5!Y7N~9G*Dk_Vxn{h#iCMx0S4Q9Q6E}*1Yt6zi}gXmbVP( zT0YZw+gK*AIDT7d*c5|j&Ey%KRuygxds|vKYT~Q1aEsQvW*CmCk-P}qsXJdOKLyli z^_y^a&wH1oig&O2_Y8ZpU~Y@A<rY`A`FE0vR;)bl7CC<&@L#yj#knUn=VyLSy>+<5 zh1Ao1hCZHtB5qw=^Zs7c^K)IyNZremdi8Yq_U5AgP5Uj!sdnkv?-OGahu%sWL{nR* zt+N>yb9&*cDDHvf^G63-Pr#>89>!}zyPesr_px<VJJpdhKKzXXUd39uT0u)AH+c4# zs@Rbfc4<Jmaar-Lij~&!Exum6?YXB}za9@xyh+v7TK#nH^NQj%E25}sN7;3+=r;$? z>rE=z7}{>j!}I5j7dOo!0@EI?PrVwV+p)66UF^_+0j^%&Gn|ZffAo$j(YcmC?)~+J z*JnQ6;^RNez(70aa_Rm}cAfN}Vf!Ak=e`YbR&9!jO~2gb<j|+Mm*>3&ITK1Nu0~v5 zJFPI7N*<I@J|*I$-;U*N%|0f_ZmYWSB{xk&AGCqaPb6t$Y4Q&c9IDlB7W3ad=BLr* zFN2PH+FBirG&L->WI02S#m|btT8AGyI&yHN`q>CQEvzw!Fc{~>8AKu$V+H|h|2V6_ zV4!(YT*6w@$!D9ZCilnN8??wMUfp=yU)(`1Yrb&mIYs8)5sOw-JnCDvKkZb?yItGb z4M~pC9=mK;(a9&3b8=tV?%wD*^-J>Az8}w)`q@sMp_ex|s9lGG{hzY;f0-H@x_I}5 z7cadI9>%S0m+G~c>e6#`$^M;j;+{p1<|exHof8h7)<K_IM6FIeZZhEdrsS}Md)@EE z4Us)F$PyoyZ$2`2_5*XBL(K0ps!A%&SMNEsZp4^z(=2Mveds1(@)u>c9^(5F|HUf( zN24wl*?1TwNYho#VzxD(OF5zGWV}U{neK*dMe|DzIDFj|zOl2f4^cKQky3@<c+qm8 opJ$iAThaN=1<B8DYNL%Sy|+wW(=%!PxFL9FuQpi`ZfqX<4<3Ij1^@s6 literal 0 HcmV?d00001 diff --git a/venv/Scripts/_ssl.pyd b/venv/Scripts/_ssl.pyd new file mode 100644 index 0000000000000000000000000000000000000000..50d0f3ee002f4a0996de4f07b15cb7992e03cada GIT binary patch literal 103576 zcmeFa4R~C|bw7M%uk6LFybDMmunYpEpnyXZWD^_NM6$H{i1o47>ca+Xk;af4)dAPu z1yO8cXQjr=wGuxmv~K<+#W87}mgaR+lRCr!89PW20}k<@D6yM5iJPogwG~vg1?bOx zf4?*L-o3jkgVXkT-{*OsSN6=#ov%A{=FB-~&YYRse8(<rrlx5gIMdX$gZSlNmG~d* z1#&cP?lsTO)ec<r%C!e`nqIlKUH|;1;td<`|J=sUe4+TWpSkb8`y<7Fa8L2Z=zYbX zzpuEqHC+6K``6ubb6(z@607P5?z*=4mSwG*Y*!gPwdqzoUwdcE#&Y>>+E^jKpWe7c zephT<jNiOFRQmPE$NbgZEgKi%_m*WXoBm)a)9a;t-W{z{KJSkGn^;fY9nJFG_W951 zd}n44LqSbz%E{H9&8xW6PCKp5xc1_lxpTFBh<RPbUiUP918{@#9FXt~O`9c;sbB3$ z013dY`Li5thE|0K6k<8&S3N%I%hA>$){~c`4KsN|jux21fc5vsIoj^45Z;!fEiTlw zUEUn6-A<e4H-Ypjcl@BHt;=;sq=#>g+|wIDRM}s{WBb@wB8BU(SkvyldE>gzL_VWw z`S&AX5N-n;Vd46#0{YynvT2jIA)y@IUX0%&{JQ?CP{Yj|H*NeZ;-s(Wv*yD?dse=x zn>XIG{(fX+-w6Yau(&%b-*UwM|9`&+1Xh{_`G>VY?5O9+G5)n7!utXvyb|$Y>CC_M z_sIWY^?g`+hcRX}d)JIk6l)sWi|5#wcOW<wG8c^>(E@t$n_9q(`pkm%AF&sK{y~4= zYXC^Nv&+~rRdLcR7(;(UW`T|$V;mjtKO4PVZ+Z*G7M<?N377>VN2UMCO<iU|32F)T z%<Ng;X%^fifXeS5eB^R{!!-G8dNlq+&c&>Igl|8Iy0=Y}_X^|3iSdu4S@GbcS#Xf~ z*G!@@vDs+6QSa$8stV2H(z?hT)VM%k?CD->9J$l@mo-N!2I))xSEBbr!6^=UNM9`7 zR}d(Yeh36!A_R;zQ-Fcjd=St%uIlR_jLzRPjC}f&Y-G99`HI1Ac~7V0ZUSU&SY5Vf z68YD5-)U+RVmtazMv9DA6JJ@RX`P1EAGF;VLN=yLC6jn1;J#a7%f6iGJhNaD6;E3N zwf*Gg^VDYd-5P%*=nb12(5GJ1OsIPRb-%RDZsVFGU15djXut?N16X_e&8VmQ&NW9m z!xd+pY0y8o^`=f_wkClwocQ^zn$|yv4z~KjanIk^Iaw>mH~;Uo#t^H>8n(6F6@!Q; zexiLwl@E}fD{ZpCw&n<$a?Bou$QfgJ&FKAj6FcSlL-|f4>NV<Ef$G#+cMZ-sMt);H z02r)C=Lq@nXBWPWZoV3R^vc_=ieA-sGIHso)j78<&xy{B9i9<;VMgCz^i0KIGI!o! zY&hpm^lvY)Y`tKNXDu;H{n_(tGQ>HCt_Y;>A_#+1v7>BNz}+nw?dT->woU5tDm1mL zbLMM$eZBvk`pyU6PBfyN6{|@eDMts-$Q1UVyVqGy$h2M}y@<@iQ<cyS!a(|!g0}QQ z;IW`$urnS!RdF^RJRJ|7i3bz$;8;939uH1nI>&=k1Hls^y+Ki;c=SX(I%3l!04$OR z3O3MjA`x1qX=vP*5iOF(5@ta}!QXgstqnH3FI;i5vunxxVbG=ryk<cW+GmUaCuF?) zi1Q>I{pLg0n+2N(wLrXXfmv_>fiC1Qw0K<^`mH8iGB8xPfP|uAaHy_~fp}d>Y#FQ8 z9+(5H->e#d%C68$FVeJ?#?LSlueeOpFkiaY0;53_3l)UqQNhD#_I(&gjB0OJg{goM zOXNf<>E-XK#S3+vkSbTSC%J;47zp}8`dx?yKX^jg1Tq$>c%BSDd4;65yHg3)0;9u+ zvH)(VD{<gc0^6hBX~5f^4qxFXwKWbu**>-dZ`lK>B~bAr45ksxA9%diG)?r9bFoc7 z(3%5E77YybGy0%vh)19T?%?kmLU}{dzR$!*1Gim*Dfl|3U?}Idm7IcuGcXJLUUyAF zOr%~J(W8ncRJ^pLrO^M_;flip1DpBsI-kA`^{xy>fCPQO>*OpD5d5lHI4=!bjpnI} zR}v=&&<>E_&_F+{0D>(LSbEp0^dDI1<}>Vv;sZ_pp~hlRa$;B|>)OOuth~-lcId;( z?OVKsp`1YUDx*2j|5D_#mHJWi8ZQ%wa9)*>c<9F&OV+GLlw;;MI;H^s#N!RBrEb!0 z&o}b7kbc@OtoS+$my;Ytr_2oi$P)^|0mWjopaBp16aR^~rE_#udnUO`>k;r-h#acC zTVU&n2hoG*M*(v(=>m!f6)%PKY6z-5S}5@ze!=L~ODhJ~90_*;&WaUf^BiBl8M!Bu z--Ofo&6S@Jep5C*zcDfK3l^%TDc)neR$<0+C^l4kR@!32+U$HbJY!=QM!&`t#Ixzw z=WXKS0gjl_Q=n}Mt>VI^=9mROJR9T5Dkerxgc1jz!0-l7b?V3OL5T;v@j3u(13J;E zYxhcwS#S!2CPNcDT4HL(B1#$4OkUUAWruzbdhAWIwZ82B^h$s7&4TRyU^+)r{b{xP zllWiKpOE=Le!Q*_9Wo16$&eHREmQfg>C^}9?uC$Ub<cO<-BbMoS%ZW(iP^7#GEUmU z-av2y^8z!^jOK$H$<$I*s0hs{#MCf4Cd}w0C)iVAA>pJ3X>&~Ar|O?b)o;IQ!hV&$ zzwLrvvu0JsYoz`n>A1rn(FJs40&W~`3@!obeIF*4J{X?nHD&0{9~;4h(L4?rmhupI zEQA*bv*5Q=m3c&!$VY@sZ2Nai{i=6_aX2f0=xp#Rb{#T{(QyXw5IMao6izf@txEx+ z5J?<6%w1vu7%I6$ny8(cKP4aDAH8g4PGBH-CL{rU7dS@ND3#-d52gAAVZsQWQN26$ zU+kS3J&oQ~ybeU|WcR+{hgt`CFm89N$av9$g+c?;JFchJLEB-?C!7AYD<U%;@w*OC zBk_BGb_Veiz&P@$JwLsu66-Gz>I&1s<BF5<EmK%J;vE3_6CkZ25ZaU+4*I@z^*|#Q zQ>1qk#*Imc9#4s==A-OzF_v@qjb2xiyv7VNF@RjCY>;#sX%O%SBc6J`C+ba;+W)3Y zU-+&T2<uDXV}j^a_|+TuP_R^(R*?lH_x!U~SRM>))=&!DX9l2ASC1x(I(wY~(JY$V zt<Vo(5O(G2w=oX+E*_n*mlf>!7GzVM9!J3L^kh!74Ug=m!FYC5^|CUyWl}R<jm%E? zAk`&v6OUg@wC+C}SqZQgBxEGLu}L$sAU2DfqR!K4a|$CmQG?1XEkNbS<`~d^NZO0? zmt^J7Uh3S5#bOp=k=Y{jnQPANCg($R2}CGJ2!$*4k}(2%T&5cNYcA^G{G^z7S;$IG z2@t<R3ll_=^mY4H`my&=PbQaNi>i7qBB)RVQ{B|Rh@rtVSMbJ{cH^N(>*Dgd7_SZ> z!CGEd46<l^gLkM3Y+cj%WOXFfAJI2}2v0(0GDCVfdty;v*NPh)0&C&uq*`$UhsR~K zJj+n%kq2fU<WJIPKA1}BKili69N#(vW80%Sq8bPsKvIpNSk@UE1OQlKfz;)zd~wUo zpn6>B?6e{IP!R;SEO7wPl_dqxQw3}$@O$vj^R8z;kLkT+gD-NqekOY~k}DL`6tph` z>WaAfP?kKk@KQxm{ubKklst7d=|ktN1;>Z2l{iG`4`uWoKbZ1R9h9n|e+4HL8fbzB z!mWu27B?=m$dy|35*}v;V`EFXo~bP<!Wyr(q!_LQt_*GgTshoAxW#Zw2Wm^aA$W!H zNJ$|SFbW;;P$mpnp#<ndr0k!N6Ug&VMI~mWgbt!=2oSLv5^%(V%_W6eWG?E=N9WVm zglM0Vha2QQ5T;Y|@LY=OuP43@J@WacBjKaUugWfe3Ccf9h$ZelZxv=i6F`?5lZ@$c zZ1m21(sUSvr|9QwNrKE@AD@nfQg-U97+eB`#=P-AHrN%y%#7f5wzlSKS)z36`=>DF z%0U1H>9Iz!ko&d77w*-xE^@m=C`LU9xLq17oc{M^_y0b;cdGyFLq%#OG;F=aQU`)I zu%<4wsg@L2ExMz2n@*p%O+N=jKCn%03gfiz#B>4|(a47-QzEFJXN;Zl4bw>+PWk`c zbN=#1hu8RY2^Vr$P@JpcE<+$P+srYRmq3%Z5h&N7BqU4!7#qvS5*hp*JiTKAYy4(g zLXEE(=W_V(QG+pDYC;w{JX#o9sZRp-@#ZnbY$<*D`p^3N{u<jSo#vtu$bp#hik?B8 zH_ME#nF7md0n2JEG=D-}$H^$xzITCBn^Dw4^1xa=tmQMRmV;TfoUaNainm9L$kGc| zSy(fkoT;L7pPNEkjo>8v@ptS;^F(Fd0aWhq{{|jK8}>BVt4Jq`PI)2dGW*Xkm5kS7 zqqj$Hjg8KTlz<WYg#J<eM6$MCfibzjSVjrfoSiJeo6HTxdhNerd4I9>;KRe79n5eX z+}@b%H~oDrtXnw4Qs`c<0{`ji42AX0$Z8faFC^Mzlge=wa(o;)m|?doLw@omq!chE ztnYUv1d^9BQa|d7gH+=08$pjl5T^7KlA=T<Upy$%&ks~0<d|Z-pW^|sFFywH(`Phz zLeAJ>jCK)_Y<)CWXkSS8VHJakwOE8NyerzxF*fECE@5Ln<Mk0>bf@`KrSACDlHg?I zV@7bIGMA$fz0Qn|>-m^7PLBCq`WdVyoaa1<l4x9myuzC$)?je~l)og4b7H}MNtVcC zONZ9_(}yNfFVNX#PXG$CqA%#6I&jHGpTF->4%w$m8e{Lw@_%U)9?X(~qMHDz`NvW8 z`4NEhIqn{geuf$6A7Z5E-w+9e)<&BoauAWvfkA4|FF?xZClUD^H|d^l=VKWkA(3m( z_wn&cJYv-PUqOuV3!{eO@LZtX89@)Ih?6ra&H{oQ*~gHlQkLBQK5D-pZrl%XG1{Z_ z8b-|m6utz7y#hY$L&(x-$-`xl>y)z5SWy=D?#V~pq|67@JFIL5*2uGfy|YX;Yuw@| ziMLvt%|F53agP#w==l+JA$g}U{}>~^R^)z0)=8e^vggo0bTFFx{5YafrWDU6bgEi@ z^g83P(3@p{g2!mSF`r11^gYKN)#nSbMl^<35;2=6jh}XPCT@MtG##O%do5J=B=tYI zQ49R}N43DyaEIak8Saa4$Kh<6O?umDyafsZv5X@Qpbk1(BD|tAlo)x}RlCJTT;;(Z z!^ST_H9L*}0GFgxIna_b@Kg!fsy#ZZ4x0LRZhFh#*Ma_StGwCYM_k~3#&L@^a)AMQ zC|a*xu79}*rcP;0<bH_M{yq(5xNfd1M&`xguAWaSWuu)VT9T>YS_wSs3MJ;b8*kJF zV!g$hzwd9*G^yZ#qG(uan9*kA#{(;K9?hwi7Qeibi<l9isGQM%ocV&)cmWrY-+#vi z9uZIl`XHB2D{>q{aLNjz%7spqH)K}XZB==%yUOHjOZLE2o`b5MR8^(kq}Y8qfMzS9 zLAzqZrou~mq%Q0i_`vZ5O2j*+y7X-=IRRrUP@@VHLiVQOYbN_o`upC(tRAY7MaEDK z(OZje3YfEAtjR}o5ub-@iq((c!B9<^dRo9Avp@sf)sR=5U9u=`Z(tmKv~`y?K1aI` z$Zb}$GK}TLCb02s<XhG*PUI2_=#1SZDB(@sWUMJPmK_DK%uQbNX9id#^jtrqx5<mm zO3A!mhCd%`tXVzRO3YDK+U(=r=S%*+FA(kC8tBZi@%U|j-*Mvc65#O=0?_Y&FdBmo zqvbA4&Oxboji7NS(U@)KOZmpZ^P+M4IX9BkSZI7Z>XHg<G(H~h0Dq0HG+rI3&cP~v zmyONMlPf#hT<GlYpTV*+<wH7A*`D-7>EE7py=|0=wdt`Lx(63N`}@BmV=IiqQ8e2) z{Z)6Ju~*G>Y=-EwV<$=rTaDDldP}s;w?8tAvvuRG7@nM-d!?fqhi4I&KaiI~<{N;T zD>Wc+wBoZ73k!K;g>NMQbUT*g82aSWinF7eK(KVq9+^k(DKwKLw#E~-RSgbh#Uxa8 zV;by458@94^P0eEz;yh8r};BX$ha`Dzg2q-w~E|QIUKpg*i_U5EK)g&rq@_JTm+JJ zADStpjA%Xu#lHl!D#!hOe~#bnTRoGI9U^|UAGI5MAfpw?Z`1^g7N1e&t*rJ&=I93) ze>vh~4`YEgM?cNyS$G!E9#>sLo9F0(38aj@j~ZIMi4n|MCAPhZm@dg&3rNeNph`ea z5%dxpn_dE!8vVQfW13jIsNMb)?IC?RGl}(S*!Vdt8nT%BB>0cHCxMARgmo*rrr}p8 z2-d1a6diwvxJnT?qaRD*tbPh8tUrZO?9mc8Ot{e3VbJF6*dxFyKd|Z%VAbq{m;f5t z9Y#p73va-Rc3KR>VmIHyz!Z)d^(8<*<H2GqmIEjZF0uLMM<B&V%FyUSR&TbK6wQ2* z6<^j~;)}PJlqB;j&Q`o6C7Mcn%!h26k;k3SJw?D7W6=}_BHmO|Zsc(n6rqJi9ydS{ zT8xZ<4MIzeyb^}Es*hk*-&9hSoMo5>!WL4Z?tIq$07MsL%jdYgA?pkjsExg!v*j8z zuRLC}06z;mk!*P5E6VUtMcH>8o2@lMtt-x2)H}Y(*=(Ilh%l>xxT7A1D62h>_box6 zAkw4fMpH@gO~VET5X}qBdx0=YdJ!8yoG<qNjHsvL^`tlU{><o&1D)@ORvND*elTA& z@Uh7m{=Pp$ZL!Ij{ys`Uu}M#)707ux%9f$5zb`;cejmxR5tvraHQLe9cXPI^(F-7E zu7u5s?>~te+zO_Iq?e6@J*2DOrme_9B7G7lmOQ2pliM!ZPpRxjGAmJ|rHEn04#ET9 zw~tYcliH7^CC@Jgo|)q8I$U9fL-GDehF{bv<UmF}Ez}Lf<DpMx3J7KB285crw_FIW zsFG}${tc|z`1)nAgw*_Bj=>L`&#-n7Nl<&%T!r^dAV%$a5g$NKqF1U-FIQb_t-7oV z%x72#tSr^KEFIV<(K@n^zaDorFIfV%b{SS`%K8IJBAL9&ybvneCLA4$!hwFmqw+;D z7P59QAQD57ySCz$I}<;-Uv*6MKb>u|pQQBJ##`u!01WGchZbZ4ENnF?-`yljhQ(44 z`X<;1bm7$@{chrd=+E^ol+t%_h}GW1guDQI4~|`fJ-{L_6+&J*+=UH*aV%bu)mWr- z=TM|?NmwE=rXEatyp)}&qrzyYxkysJ8xa+Qu)Y9&`|_=V1W{DAO?3;Jnk`ePX>#*M zaN$BlrJ-etd=>y)B>?mwkLbnSN(Ru%PoXYK+Li(xgDvJ+tuW8BRT1F3TxbzHq|v|! z(L;C;X>8%P1mD<&RUkOM3XNgk9!<l(7q!U1F(R!R1FocZ{01>b^H{~}0PtkuU91Ss z2i!>-TUo#*ZGROdsi3mj3#$}1*l*YkHV}d4;T=!$9l?nz0If2Z@b7#XLr72_KzwYg z7s&q?2z>~EBG-Kwa31<x>;r^=bV0{PwQv8c3;V$ge#oIY=w34>|0ZksjzO}Aa$LP~ z1>_EAkRowsJI}^E^(*wH9RhfYzCd;#>Ys$X2mnBFC$kMR{8G*(Oexq^#MZ0XM9kno zs!a)!2xFwDqci^X(<p5g>=XRUkN2O!BNt(Lm=+f6o#!Bo(j)r&wjt4wtf4*mC<)E; zGb1P%@88ebj;n$D@&WMaJrm?y{bPvVLnRUj5`!cL@%{vZTsg)2PcX=pQ@sB;gCPkX zWAK>d9cGZiV7&h*gC*pW{euiHmf#@<*OQC(A7qe-74JX5Aot|r{ZAv<X+Faq4)vdc zPoSB{Mg0?hW*ia5)dMTc*gLcRU)qQ%0i}n2JA{lG=HqO>uv6mQ7b$+MBL#V!eNmn5 z>&Gg|7+@_hEif8AiC3^tAI(E-Rt43lAePLDETwmKEa{1^(0iTwR3)g@SnWyPu1BU% zDAm_bpWrhDA&jrHhaAZ<bR~>7nU533s5cZgA190v9Q`cmL1qW{uq$6@-}KFV3G`T; zh<)EAov^zIDvk{1A9-{WdYq8?ILAs9Uj7|_ij2!NVCrVSzSFK@l&c|__plhUbL=T9 ztJaQ;CNUVX_q-3z^?xt63t%@(`gh=GPdVfyC<9STPYwk3$B73J#h~%=_f4`vg26=S zo*Z<HxB-2_<3tQ;ne{?M9g>nIaT$9Omd8+BCHLHh77=S4!hHwQvH-J#1qRpw<H${i zL&o7$KM0>Mq6-{+dBIIb2KsW}L)OqhO-?GGF%theCoGs`Cv<RY1LosIQDZJ((HNi0 zW>Iz7{}PrX?wwDWUkZ8a)MPUs-;aVAn#%Dl^@d>g=zK`xqPqGe>Ts7IrDiRQ64_FG z1vFWsUu6+R4i@!do~f6COJee%aUdYp&Z8m={=Vl>06Zf_%Q6|xonpNvWN7Mhs2tKt z|4XCYz#3~%ls4laF{IqtB1x9o&FVt4QeuB7QJIjTxAc7dq+DFVfTpFjEK)G7Tz4nT zTrHw_pVb<XIuQTL+Qgk!6!!5C-lhfUeqE^r9<+Y#=T(Tie5n@rPyA{?X#TV9U`0Og zLF6Mc>fA|Ki6y$Ct;8!>SVsy0Mp8_fQPIo!B;fVff+d0E&|8~9b8bL-6f*>;^w!Pf zXhPb86NF!t)a$DZPDWe7FO4csZ1JpUEq;+o!!r_HYkx|uCDZutL?-{8kVf|Y5eyXS z)81V<xw+43Ik@gA)Jkb*FnX<^-Ypnk2lb>|sK*k*Kafe2X^E(wg37dOWM^rf&K{Nh z0~Fg8W>;6w=b)`2QzO+5#G{koiWgfjCWxt5QbG_0#)DlO3TvYR=1yY~VI1EwL6rju z-<P>TZeTS`6$k-dVH%pT$`i(>5%XX%xb-tgw}u12m=5r0h!_3254wHGSGJhOO{4Uw z-hZ<9)5e-{)rxSvGy)Lc0}CQF05&43U6qsmojnBgnyJ{sUTy1KyxpFPlgT_w^3Fvv zOztuT8>m+?6y*x_jG;T#&SN$_w~v*j$s6G=;~ixQpQ2;Y01W44l3%e-O>)|C+^vut zHt9dY3Z3>H{=OvU^PVxF3ykY9=fg@C00#!~^9k{L=yGV{`j2ql+r)45yLieZhj>AQ z^MZBG3m!$*PJM)RE8d){x%aQ8slx*RRDpaHaxJdL$KMx}N={E#iGRl$Ks>XeG|9@C zPZ>qAqmYt&%%7sUci~mWGn6B^7TSP3Ztf%^OlQ2G;seDeY+*cfqfG{vVXMVW1{eOu zMFvMVLl(2SswGyPl3JV&-GLmPdV*B;8M2;C(D-+7shQa;)mYULY)qjGo6+ddo?Y<K zQV|=EyZg{-KF;RHj+UYEj)JHKjUT-oFSXlfKF;Pjjr$>Fp-z4B0~%)_$A>p=DI13- zuw5VCs&2MwAD4oTJR+?U*6g(H25FlIr%kfZ>7gr$sI!p4K~&I+(f@?xl-1VP63ZP7 zJ%J2r^D45uQxBZK>c6E7X3qgu{k3VTe)hX0Os^%rh&==~#UiQtKhdcdr|QQH0}skt zIG!}5%l;jeDERC@sOl=5>aIyucT=Zc_Tkm}cTn7{INRCT^SLf1RNIRSNZ@L55xrCh zu`#aFWxp_;9Dkj{At~~FRHoz*MGmoJ|3kq%n=*4JH#uv71RAo4$o3f|`s*X8%cjzw z&!EvQ4s%S$N~))^RA4i*NVR+2eX{o+Ltc<ct^eFm?UWYPyBbZh9Y(E&^ie2xzD2o- zcOC_k<mJk!*n0A++!bfD2)W&5l5(5Zg30u#VXYjGe5_Mnm>M>|0`jTM)9l^u-X&_% zgFsmVm2rfpqJ+5Lwic)+5?ngFQg1S3g_kakWi^%+!D@|4p0PEmHaE+G{Nz3#1_r(k zlUhWJhi=ML_WV6&F!fJ2{L)1Xm8BSL%*bIEfYIpRL$++~PX0979oZkpK46#ecIL@D zwd}>|xam&bZ3MKOlXoQa(q<?}9-02+-EtwR6r2}J&VX3Wq4MdD-W7m<Lg+B5n;KDP z?|>uOB7@p3v<7V&RlI<i%-i@y#*w<Klng%2k-8(<=jjxRrOwmwFx{0<sx1d4%{m%) zo|ANi=Q&At1ob?M`IcRejUy1OXHxv2MnUEZWr{~-;uk!vL>UO7X(!i`G$Nqd0Z;>S zwsvtHT=3WhWxft}mty=shU}J*AhKQrX99ph-D{6z4Fs1MjzU=UH6@^+DSZvlOUK!2 zt~#+&Gu|Qw`~Q%%MtVTLig?vRJe-jSpC~d;A*_n&Ca5B%h$oRSFu<B(M@!t>*|B$W zwqCvMP~Lk;niI`$-2M(<>W{5J!5w{hEHThO2A{RCdw5p@kC22=B_77*;UFHcxh2rz z{uY3Vy(<sIHY6wK49PDkFKXF=yb8!pu1PBwf9+g0<hg2NUB(D@Wlo~}wycz4q`VaS zA)BJ@xeH?m3!H=aS*af+LDL7}L!d#jepG^Nm3|DtkUk<2?4bp+(-Ofx>SK~)N+Jkg z-HX$Q<}(DmzJZo@&k)plK4SGkCW)RHv@3S>u8LQ%L`i&nwIW`LJMM56e?U@M|9Lyj zKLU#NqC1M7%hKZ#q0RRBJXwHn?ZtHlFiUBWN$8-{I7fJr0yzsk|CbLU&M<95>z<jS zp|z)h7^Lk-4xxG%HW4-<@9!}cYQdga0I<lK3}u`Q^}hJR-8E`eVYRz*#J}^?WOO)m zDysCX$)Xh0uJgm)u+DaA-HmG6V&n<vto@cFfYvbwQ~t#m9{nA(Y!-olGE|*CRV2WM zHp`^;JI{zI$a;mXsiUU@>q@i>K7RTnhRz}?so8FizdA886%sV~uOB{j@F}gnUe3t> z(qUHAHyu1P51xJ;T{|OuiS+VX>j@BCFOjs%qB)>_@HGA0sYChHfM7o0yoOOtW8vz+ znj?6I)hg9m%XkJaa<k4K)V5y;G&KnG)TZ`QPP=kU43$9p7MOF+qJ6s28i+p_$TEF1 z>H}19@VNM(;D?vnc&^Pk1y5LigQoNr=HRp<<cnIY`#^-OY<7ETXrIPK@NV>=IK4I* zZ`5a0;RI7=essz*T{AVO82isIa5DLf2a8~zEbsTm>!&vcFzSoWjdaf&JU7z7t|<7a z^VOpDvX9oac&9Z7G+KDXG22YgXemBVe9^S=K!T@aAl!$o6+E|(@tzDff5RO7MHd+} zNj``FFpj!j{DQyl-|^i4`Xg1FJ^e3jx-GU9+w)grdwy%N_Q2%_!JRZJe?-zej`Lq6 zk+Ny;#6D}qV#mjfUVacOuT+U|SZO^u1N{lE>Uh<|6z57Ej`2_dB-@}v{o_bPgS91c zj`)F#ts}~l$Tu*+l2t1Q2AHWwgJ_exvPVnKgvkbmvlkl+)@Hjg{s3*WxH%8xIrqzX zXJfyeIZ!vlX{z69j>x-eQ*)|K^-0YPXMTu%L@n$iU@oxWLv18V&~n;Hh<Oza4ahGJ zBW@ZSi9zUXY#WK0KTVU7*-n7>LTn^pX?H#wiNX)Gk;q5$ATn&eMQkJ%pwV)n3M>VR zXTE5>jMNhB?FTL!hP6PM*hvh+Qb9^FFFP9Qe3nCn<?Ww>A5*C|IU|~<_mVcK-FR#Q z%#7Zm@0J)EwK^1IS_QDPu@Cct=xqHEiY15AtTCPf%Ai58ys)e>V0mF#V^lfT7`2Wy z#sW0C9QhlPUh)svW0a@tF~ruxvd1VyUl)=-l{<zRK9p_hKl=#nG8QYljHPb7j0SZ0 z0_-vhQM|#i%V>bIvLAONnM(jevCAli1xAV3Wt5?z`C^w55W9?g!avO}qtv#`xE|ZM z3f}&{otO+_m+?3Pp#C(;SRf`Dd3cYQWOxvm7T_?+XzG7`>m@KoqlOKW#X>zjPtNQA zIPrPGOxr}mJvk5#Lku$B%DPTK7<eD$E442BpS?@qa@Sn~KYm@{fJUcZC1CM6&|_!* z0%@T`gXCtsO-m;XE{}+~O_;^n3H$;%W&Yw<EN;L&uERkNbv8p!q;oz8WdYw$PBY7! z07rY4&wq`r#T;k=Y@CATY`ma>Y@X|3V;JKKM8L^5e_su#F4W@Jq3(h#SqymNGY(th z6+6snQIx#a2-0u}!Tz&bb1OG^xB86@s<WW@cc4Bo=i=-pY5EfY<iqW-{@XMrWrtNv zf`J)PB6e71u)_+FusU{F`DnUhY-Z%`0-(eW3(>T;QWjX4^VaOgoVR8_<~+$g@-;ZK zpEJM7F+B8eBN>KLg>qI3=2tXFI_d)`7D5$JjK`&FmRBLeLYDzn6GkLuel=*DU)4C~ zS6ESC9%1tEhZFou=p-h1u}tt13{;s+aN31sO>mM1x9!!{_8k8dv<hmDM?Qi|`}$C6 zGB@`AtjK!I@N${q*QgmD{ln1$g!BcxZb2xoLuZL4=S82`7Oxg9m{z1np(jmZJxUq} zeTOyy&;ePzOn*X1#2c{Vss&;vzgls2S{lQbbVjel0W?aIJBj14e?!k~E|)=iTr?(Q z{ssU6?L&F6%vsFca^}Y9mJ!jpxoYo<@_0h*5ieq?nz#@qyWspxw)ldW>}Q0@-icO~ zSQDVkVzLV^1HuC@%9Fv=4ubw87uERP%hOQ}R3-L=_!Y3QYV=0i!#QH)iS1&+6BMu( z4Pz1!%lF8n!9l}4GG}nwaF0xx+L8v?JHccTGqDJCu{Jq-;3=uh;*}`eg!+qF{{wT( zpMYx=A+C7a!}%~=g|G}1c^w1luuc!i<$O$rg=#`AcC$^)xeuOA7t8!q6AEJLS7?+F z{U~szuqw8>q$vk)F7yw~Lo9H+ifsW#*2303XS9jaVKV@M`wH4i%8<T5CLRfaHSscA z1?z7bS+Z4e%xDNOw1V`Jq4xKqzXPH7(Vl?u8vMe<--<0O<s6)Sh6&_VvB})%XV^A( zTSkw96N~hstQnJqv4=}$K%n9LOy;@-BxjmVJ9C^l2yos!Z4Nyj*1anY&cVSS3%Rf+ z6>?wX?AFTq90^$_k(giG$4FOF>jNy&)maW84JewrE~eu3C7rlF=7owEuzX*uZ$pXm z-5hh3TN$8M3*W3)k~Ma6To=cPy2eZUCo38Ap7WjOS73~c6I*liUYbPj!P|OZIa%N( zHjiVVxOgGw+Wx+VHOwPhvHWQ#S+TUhez)}`#Aw(jVqYFMHBtl14@OIsQgsIjX1N*# zEEtrjqZ|Ph0lX7Sdzku#xc9Lc01+E&l_}s{eW0_FOlx&#=v>rH`iDCw)X9j&ilm|~ zS+|QprTjK9h*sX#onkr-%CTk3UIGG`U(rj@-YQiGRra_{3HIgC7<HOjoM%MJkQX_j zM`xO92H?x}y=|awt>t&SfB@*IwLC1<WiekLung8`i@|#Gy4WMIR-Y}_>dAt1Rdu9D zOw}`CfeN|Mhw*wiaTWVDf|c9tVJTaS9)!V`t*+2=9mEz(CfDUSv|z`<r+@yDiw@q| zt(qw&BX;+QKak(#80ArgzZCIAHEC%maSs<Ylz8HgQ_vbE@RoOCZ)%Z>*qb?#8|ckb zc;eypKNg-S5J9*699Ou>i=HDzhbHta24oy>4RLdQgS=jZJeSS|?c@FhjPbCHHjQ6o zoVA&Zy*D#@1vV=Hln_+RYIKe9(QSA`>^%<;m9FO-TxrSA#oo(h!l8^p$(GoAGnlX- zGhtEey#N#TXC@TI-n)ber!(I%GxlTC;sx%7b?iOUI<c&mqyxx7e~jnHGRL#`Vi`~W zQP+4n79-G|LFI02+l?+;M^rm84KBr2lLCiRb^Jl^P`$|X@$RyrdLIgCL-mR&*30^o z{k(LjUdfzlY<gxwlB+LfUTd`EibZR<25QW6Bl8AJkvb!{U0c3QU69ZqZ-%un@V*Ki z1qt7QACR3VWSB`%7G}xkO3a`B<|s$>83v{=gP~Gj<LqT$;ZHG-9P;U(`Ex0@q5?Pz z#cLXLX+@xCwtkSnX4DD1UIGyWjB#Dt2FPMANpuN9g`yKIb~r&AHA>TuMdsp^ZpiHL zDf)<m7)qZ-{aFLGPK85N3aFWvLrG4DzL01D|MO|D(ON`O#iG`DWEPdSb6kZMkg%E$ z0{<A0TPwFc31AQl0_y6FHuI0r>lD!Ee-Mn7=F?V7O9MIoq>8&0E~$;Ztes2yHm)xm zc44U6x%|-kxY{%C<6546A6NWeWRZTwwD)l(3(j}_7VW)No2jj*a)=#5e_-tXbE7#Q z7VpLupK%VR4Y}Wc9{52#zCKupsgwIWpF`(<xpLmw>v0krMp9m^_jgNmh5aXiixJ2> zIg#0-vg4IbHeDn=Mcr6ZuJrZ49`z4ttP1z4#6j6`wF!epV;~Myt`uSZU=gTj$Y;E4 z^ddPQMh~w?bDxza{e0d_*T06jlKUJVSDqVblQv?D%ewKzY7?ip)CXat%XnAh5rrHW zeR6u>C^#Kz!WzOX^$Fg1%}<6BUk^dlsQ3OJSA$uyks{Kn{phm1xVO-#$~TS^q|)GX zY=1Mf2GQJussq31ocH?mKWoEoHqItsnPj!Ufxz#Mot~MY-acmc$HH+zf2Tj#kk0DQ zE3ML>>8}QJI)C1a!O}XX@J09|z_?o|mnW9cVC0MokZz16W<(10(-@eHBRCve*xA~v zG(6<EA3#Sf)sgHUsQW<j&!U>ty}1~wNU6G<57=;B?4e>UV%>{T$ed}MmB?*0dK33! z{c9t-%wC&biKQed9{AvH5IFoC6{PUlcxz?n{7~(=E2}-x*$^P)RY5PN1dT6+i1LgD zD`jiP&v8|A{Tt`rxE@z|ydIg~hQuNP97+CM+x+W>JO}{Sz^G#xSwE?-BBD3j89s&# zsnuO5k^e&%VG&7&EfMQiYi6q+u>Fuhr;N97W&>Tov`t;ma)VJ<#)ZfYu}S~d+}PwL zTdm7?d$T~QcK5Ij2X~E@#wOp7<nug!{=u0LVZd%d2YVh)-oR5Y<h}^cW2TFk3DR&f z_h1e(T8W$G&Krvx0Sv|1cvMo-G3&*HYBVUJv0tezLz!Q4U7ET)hfq&dlzR}uA@7yU z#wT_@1D|e`ohyOBM;r)PNR<r%HPTb;6=)r*lCJZ-q1|QS3#rCj^8vk5ouY3eS{i=R zd_<3tbEWrhCII5@o#3;=&;QB(op030I{!!dC*9fy_ThBKYeB-9Z`u8E<{P*JZ;eJ{ zScR-+fR*QtU;m<-W^!*XlOw{QXpoD`HW<;MB3#o%;gh)m3Q9!*?2W?Ic)0DA^zke- zN;ONaZRBe)eX%xO8H%@{S|vbX4hSaO?<>ySm`s0PNS`?Wi+FsDAc%ZaI%Uye%%dwi zjR&DgwB=NUEU9!Y;1jPe23O2PIlDb&t~ujINu=BNK}>aGfr8`HMyUPV3&71l<mygJ zCaWl@jnirdi|W5c0xlRBSQ|*LmRvZeY&`58z`^B_WWABsi-}!%IC2xW+frM?MY1K# ztM$qqeTE~Yqd0UCxyGIOI1oF(2^F9>f<ffyAeXXor|E__UQMc6vB!rd>BZ;L_yVvX z`|>zv(a;qRCBE5!w#&wQyceCBHoNRsI?|KOKWkY-tjx!5<0qY6LkOVYT1%BJ82YQT z=>Sv!b=T>&XdcuquO<EhG>cO1U?h}fJ^`Z(TwYLlcx!{uM_g5uK_IQWl7V&9*TrWK z)d#qk1f8G&#QILTEliWI+KVu2TQoi!uLu#3qTa+F>QU+;zx$kRbs7IMTFkv;-CAM1 zZ5<L6<jcp5LIB71V7Ugo$C=5Y;0Riv4FylBpVR8+jQUCN$GW0rK6f#O7@?Uz1u+Jn zx=Ak2Jood^yqB(R_QFhmoG;+D02tV-mF2+t^npzw3U9{6-M+XRL2eQtE?i}upieI{ zdWO0`UbGYmTb8;jFk3<xAT<)X@#v}KRr*mGqk-m;#Dr{@VUYZN`%qTjf1mUlN)ohh zAUGl*EEp8};_M+W;+Q;;YrYW=ju5d1LGOfYkwE0}k__T(a109^TzdrDKPpr01P>2K zLZ-ewwk4tY`}xfZQNLm_vsjB<Vg5Apa+^^<ve@!M|6CY9j{>l$TQz`6bll(+or#w8 z<T!2FDNV+uNnRT>d`?rS{Ar$)<(E1anr)KNJf)JSIEY!vcxO(egdK=(N;Tf!|0!^3 zyQN=4OOwm(m#el4lnwz(Y{9slmew$wcaLnf>-Z+>a7#yL|3OJdKjjrmgg8eDH!?|> zgM@oYtwmxpRDSvB!!#xo(zon*hh}_e<sv+zdTRw~E!o}V)zVi&q^98}FCoRvUXNJ& zgk$MQ%Q>xdiXljG2Pk2Jn0Vt+Fu3RfyZa&i#{h<2G709I__y!6q{Oup6Qu$H!%`V| z4}_Q47T=8MT+w2z6PSCGACWAa&=>)Qw4CXDkbI{^D*$~dD02&zgIHV^AxgBH2PKVq zxH4lI^>DbXWqA9qILTq7sA(5RuPf!<Yq80DqA(OC4FKn?!Qtf5jX(>h%yFz5sZIZA z|H-Xw#>?A(C57I3I2zpkYpLvA_<2##TiFafn_P+M5-mgS65|Ey4eO(YuFMzl?qn-- z30mdcX`-PyG}C<U?_Kc1ohIZ+j+r#opqcDbjo(tSD27JPqKreq2{a89aGXCDv4dID zFBPpbgvQ<U^F5?(=T6Q$dDA=B{}R;b+&|AVZ+h$cEnb?NTo3AWGKwwM=<R@Hm%bDO zs<@<!MV^#7Pl6W~O&18>Y<)d)CQo2su96oFG*7IQyG2P3XY0F}`aQC0Hl{}#2p*+@ z=ouMZE{N|&OivBiRRF|GRv}o~Z5hdVq{Qer3b6(Yx#+P(EzC8HaTbQWBV-fzKbXl4 zsTf6gkK%PHrtYganY>%wl!td7xA-A-(Q|YUE=eA}iU`m=HPFd}pbvNx|D>!GNS(mS z{LZC&m@vRah~dfx36N?Bq}KcZ6c7eUBw5+>7FXp>8{fUQ|Ky$Oq+{C71B7$XOAt!l zpJzsJ$IwLV2=CK6>1+sFY}XhEO%0R2P+WgXW{nSf3HFB!&{xZlC}!sP`#OdCaVw3K z+|od0QuB(Fa^s7la4Agfu`o6N|8ij}^76_I`wmq%fdT)<mAm><09RH&>j-m@Jc?Af z0ZSU8nrX3jg`y8!WC;{p&G8?^to`-`_sRs%x4Q?jjOlN65JS02RlB4-a;=(es%u!w z19Jm{D_&ay&+OjUtnMxPj;niiW(+!RqV1WPu_&^RlBQtvmsTa?f9I+MV^EBCTO`@z zkmQURO?W{e#x*Mpws3i}@vbExWZdVC`qV<2f{E)sZvqSJVtl9K$D$5}Sk-$#kUEA- zy~lxpb6~ed$rT8keF=d5erU)3Ywrii!W|et22CzRGeQ{j#3Z;O#)x|)>b<E;w=Mp| z{W6@7v`+ou9A9*nvLBOUu06PF26(N5L}0daX-y2u=cf1`Eb5K<W9UtnUJD#kw;ST3 zs?2kyvayD9&l_04LaG91ATz7|G;($6O&3z(HLeOTKW~Naz-*;UZ@-WVUqx2Cg;$)n z!hKTVx(lgri>t!I^H$g;74}|8g$rC2UU}XMXGw+IE~LVfAe(lVuR3pq&mdQqzVkvV zeAHFp`MbPMD!iaBFL6~k@4PL%Oe%cxLR!dWh~4G+=dJJs<m%G*T}Xwzw#%;Y>hn|> z0UzK0;g$8a*cDxKzKRxf>4%((aON-bR6foZU*r&%tW~8W!5%x7Nr3H}^bhQF(awrN zM@=RC1mqD*HHr<CU_?fU=8Ad)4F|*Q!hGHdVhar@h#ZIoL<XPnX-}JT0gAor*QpPq z8)OWY#*d3Rl4S6k$5_KSDgZgk+R?3r$qIIK^W4qM;1eDPcxdQkiuR|(@eJBezKQ;+ z`x2vG&^|H^)kC>Ke=(Wo8c;tN1H^ENTl6wCb4rnNXB8@?HlvhC=SCeZ$7jR#7)w)H z)t_M<?3Fo7coB~8Rf@zCy<%k;Al+1io=cVa#^mTXfmL7^nniOx5OS75<#K|R@RI`B z$HX8scMWOS#DLssHO;ZS23(<6<ZYa2_fmNY4~%9bPjqHi@-MJ61DTi~2yizk`@r9t zKo)|bnIDs$NJE3Zfd^-xtwS1(B1KxTTIN_lSZ0r&inGa^(Y9UeUlfW6PaGGC7Nhro z9vjX2Sko+a@HtR8Evxm@*6)Z!7+;7H)7tZk6+hC!{k^fRWdR&i7{=@LgoU9a@@~ht zLG5VPO~0ebtu(7omqQ|0Bns~Xf=Xf=A_(rN8=_?)R~98W7xC*4m>24;`IbV*oUL!$ zilgVOFuoPz!a6Aw-Re@Q7ZDdz`qbDM@2h}v`h!1qF_HeUi@Vf$TXjjXmus~D&i5`R z{#)O>!1fBR-okduTYv{=mPix0WLD9Nu=JhlS<J5|glfnqEGF&qRan;ezx)W0C3U_^ zK3MS-@<Q3gW#jojWHF^aWKjd#5q!wv*mGR>KyP#*AF`Ot_>cv^V<FUSTIHg`WY<wC zb(u-}9sw0`>30!W6!OaHKRp2>lMDaygdg;7fm-tug^qN)zC2-Z0Be2-#F<r;i_Rvy z*G9XH`6iTj9MHx9ZBWxFg`b>nQXey5a)Vx8v82uyxm0wmC}Ex8LERODX^)CtV<d3q z^=;8uSXC^8!2A1u)Z)|B%XWf)DTT)Zg&i0EQHvD+u|8^n_Qf9ZL0LE5hbX{Q&5d63 z7TGl_Q)@<Cs!*26k?jvrT(>8kBLfoFE|<fc@jmPi|5v^>;Z$LbFAzcOFIq^0r(HEG zj>da=s)Ve0P-M5F&Tb??eJiQmqT-aNLyR?0Yxw&vL2!GoTypB~{}0T}?GIZIzr{o4 zk?8D-!BLtOb`3OpR|@(R$;7AJA*&I2?0^;k_U@G(Q_=R=o1TrA?lNXq=0pRrAy4eE z2Qi!eJ@)QYWZ|Q;Z_A0^5PSFkL_Ydxea>ywInk?P@4g=?dbEDVZPhq%5_{K-_#dsG zd0X|&$ZYunW%44mX^AFu<BHeVJGl=o$6aBCUm`1tULpozw1&J3U8Wcz#$b#%Xhncw zC9`s2Y>{kT=e?&KVHV*p>(Kx5QfThvn!<uI@H_}sR#wAI{t47JaC_livch}@e1)HJ zfBb{&Z{#yK)>mY*)U+vc4az^LPXN9XIO!mnYk$s8A65icA>lOXBdYvS^bS2q&3D<a zv@78-f@9-73nZTa!l52%`}GqtN4QV&d)VWlKmP<>k^0JsOt*|roQM!+H4g7p=jZXg zN$bq~`pl1Rbl-V|+(@-oL_F%!{t9?9PzS*m7GAf&{7y)Rh<s!&3k4C9>S%MQQ}1J? z)|Z`p&?+8*j3b?cS#S<MGeAva_PKLtu~Drsu2l%2o*hm-YzViNaG2A&{q%g_6_5|X zI@A4_@p8rMqCB!-ZoDi9vPOA1D5E~?`znC1$ji8piSk1^8U|4rQ$*eWfisoz%>*bH zk|m@SKx<x;rEX)wEv39|iP9~jV5I=NPDLD`T>(T?RnA4DQdRP5cRkSj;o}ggO2jgB zGkAv65T~@drqn5I$q?zKsn5n;(yOxHEgvIDy&Lf6x@2S8yQw(28|uqx2_`V(k}TmF zugm_L!?e<Yvu5kW^(N6NeU~%#P{pKn7BC(wjl;NumiK$|vM_-*pk&!K?6&Y(Ew^m? z!aC*jZ<rT&Hlg?Eg&=}4p1A1SyhETXtnYKZ(*7VBd2ixNV7HlHl(A5Z_DbLkwXD*D zxDu;7^=ZCPa|GL=x1GN-;Nza7*fqmDDJ1CQ(x8w+pS?^0aVRnJPBHXS^m={D$-qNV zp17Ujfp~L7sxp2?8{Mn6zsc(hB0elJET-Ch1Yejr3}5R`%@%8Yh}G{TK4*vPHQzSg zp}~$1x?HsA<CxS4E%Ov#v<(x0yaCo_DJB8Lb-q_Yf{%d&xZ6qoIVUhmdCKtIx~q%F z!YR7j^;cq)lm^e^e$!=&&z$E~R$U}nClsd!ZU9bOD$FI74?M^Xea}HWFG1_pvndL- zadnZbq)rQ2<_2%32A)^PK?5JTvc9r%<3X!wQ~(_HSnmW9Sz6^RmNQ*;(i@>CurLH{ z-?fB&YpPkoKJM1oHbYd>J<w5W05{e1gW&F&cdRK8Wx*V4TBxB>4!4`BZy!uS7_sjc zqHM7V&{f=s-KON?$4b-SjSPY_c-y>banIj(F-4qZf`4W@{t@}(R*JvxH{cfv|FEig zIX0RTDcnA)P!M~277F5ny0eqeRI9t%zl$Qzdf?%t#sl1a8ODZFWgd|X_HdbYvCndC zjGRp>Cq^8H0l9|^^|`uSMPZye27yt-?nt~QzhW>Pe;8Nab;eittX(YUZlwOf-i9m! zMhuRQI{*dgKk4uPM=+03vP7KA&KwoomVPq%(X43WTrxj95*rJgA^9Aw^X%SSI0ePw zvXha^vU*T)mI`}x!GpKp!{bqW+s@zjJm5C^ZFpIY!e+}lkf`kVvtWTIM^_+CuEbR9 zHo<3~;PczlE?)7)*(`hp&H<lAE#q1aeh@x;Eqs<M4&xt$&*07ezM06O&~M%cAoDXs zp+$nsXVa0HQ!;L)`1=NsPu2G0G)%@EPhs*b!DOzSKTA{4i4@U`+ynhr7@r$~d6A&q zB<cgTN(i-r5Y=0oHE1MF{CbkrZ=g5Oj`zop?nGJKp#|VA6a(<8Lhg)uk{@Bz^=VPr z2V#kwLiGv-<EGz7oR&RT@UquwkPDX#NJDMp%HyudEu0@k@N9hmDWCcSzQE)eT=iY! zC&t@{-}J<O>yMX173cpRp1l6=z04;cf^mMu6weG^(H*yz-sJz-zglz}!0VE`H{@<f z4El~So(SXzV4Rp=Foqw(bYg}XBPWHd%hz^%k1_v=O%{DIix!+h#pG6U^Z8#O5u>~h zgV~d#@B2SU!gTct%b?PwuNN5%ubE3*mv|mOsf%xK;W*IV{RqmwpuQf}#`B(LlD4<% zR=#7QRN&dm<NmDW7S@tSWt{nmkbV%a!Casu2|N_5vrCWxdRM)@9pCIdB<Y&e5!lNQ zEoIGBV-b@vG$JhPn_27>i@jmT?LCfi`Zzw=rB9?M9AZK-4pZsA_tQ!YGNF$NC6W+3 zTD6y-kg}`P&)|b$`eG|Bu$NzwiY;UNG=E>K7plx<d?_B5%L8A8heh(h%JIOPI%CUN zD<0<If#A6ezp5w3B5uX$4R}Wv$CP8xKQWuhe2?CqmT*!Mq@x?s5?+u5>1bbC!nY+s zI=VY8VV5MZUHa2$2@gsFyQ&{bOIV8p!B6=(d#bf{j3<`r!)f_%W;}6KzQvl#e>vlc zvHFR${O`{~JdfJwrx6b%Jp{-YixvWHdS>Yp68A>W3>_c8M(P_qGxcIC<k1&fp<KOP zg<?k=fZw_mJzMX!LSB8B6`G?zX@xX>&<f?~$5e>LXXvM#3}aTvqfc2OpPsMfNIQ!4 z1u7&*ar7$nz#26DE-TL*eX|wH*PpUNm+Qk;=xTk;3YF>kIZ`W&->5HE4?Q>OcUhqY z`VK4fF@3)kx>+BwLLbL9W=`>Py+l3qd_u3aLbvGatWbsCXNBtYr>s!DKCD7~JHD}L zMc<+4&s1Gqr!Tfb_vv?8q5E|(CjrC;eZLB^_#f#ftmuup*P}9Q(idBy8T#E$XoD5P zSI1O{#V^qxv!Z9}`>c>hKWK$=^<yfex8qAt`e`d#(-SI$8gy`#8Ty2k4G$h&%avv@ z1*9PL;MI%N0|sn?6J4e0OVtD0qv@;clq#U<dZ)l<I~sSn>ARc<txA8&%9EoXR3X+= ztdCgHGxSL-<k17O6o9;XxfKfNAuII09#J6{H}#$BLDxv&pRyiksju(19%k_2ko7=g zfBl&C;Nin5^&l${RB0@G64T5Cy`fyHk4fs!B-M$Wm@d*Yn{Cd>8JI4z(2As@jdk)@ zFL6bp8BTopbTurUF0x^|$aYt?PMvqFNL=120?JbJjlJ@X&^L?%{_cGWUjOU<zReK9 zNuGIK>z*gUV)$?X=<?iCc!)=*c%Mv2ExODHuuW>-DqkX1yp4)Ym>q%svl>XGAHy$} z($@D#C*<8i-}8}xMdBj97lKtP;XO!sS*$Nhti(5FV=wy99HS1)LVv&9H!VF;gQ@!2 zrmt7swwTIaqHgs{eOp?>pD^K#z5L!O`}-i<uxtZ3pY|MmyeER=A6Q{gG&FCeyuei_ z1PayNIuu}cZ^tit#fs8;RmvJOW#g=FO0QrWITgEIi+*JfYf;?^>5rwg_YDk)S-?Y- z(5xZ9a}I#5|2`5!`o6RR-$I=6qH+9i!sGwmaO~Iq!wD=Cr|`nIm52Wg64{{fYRLb+ z!=b~Y-jxLFB8n>dASxkCF2qv%o{&E5sx#UFEVvsQ5(^n9Tn$F5Li%ZUrt%(tk2i!5 zr{$#8btNdPJKIIrVNxIIax_M^Y{}n)2|&W7(15&%z4;!kZDrzD5TDHryhpy^6vSUN z6>3qW4+H~Hb<lbYwoHen%j9|iG8T+WX^*^xC%w|1A^W?ZQU4mVbQmR6CF*(7c{WQE zPMA4V`XMI{&lQ8)w)p<Q|M*}-saB<Fx%6Q71dAnRgX|Bmjz|bfXvkRiitzMX4C9`o zh~7Jfh&{&`8fR#bp$Ud)=eAe-96}R}^DuOpAumHy4EY!uV<^Co#uCL0onc%FL&q5^ zW5~nQ1q_`)+)(Z*ykzj}44p>kxP;CibXr0Qgmy`25~1>MFy9nH;}VyTYBY%}L?|Gk zB7}+&+FOpmP_A?oy*xOAQb)|v&3LI<$~(@?Qm&hD>`{EKb<9$(vCYze_#W{!@pqun zW+|;X%+g)r(=Nj--7P+MTg}oZ#piCSS-MaBr^VkdJ}s5a(u3mD_|`0?g3&AuiBC1J zSxSW~M%OI8OCC8H%u*U7o2678nx#v{Uo8GY@yo^M9;8{y?K88qM0{$}&C(+A3&qbD zKOnwOeC}tPr5^D$@u#GDlj2W^&#gqWbWHq&_-DjFE&eI-N5nrN{&De-i9am<QSlFn z-zWav;tz@+5I<l1Lh*~lFBZQ<{4((uh+i)LLh%=izf}Ax@oU9z5Wh+MkofK5uM+<* z@vEf2>m;m;zh3+e;zz{q6@Rn%+r*z#P*M;Bivje+_loZmKOla-_=V!j?oKI9XfQhB zmx<2{1<cZN@fV7}Sp22pb3+m1E`EdfP2z{dZx?@+_;-naxA^PC*Tr8i{s!?Q;`fTb zS^RC{_ldtl{GH<O68|yrcZ>go_)m)el=%C^e_H(g;vW$Ip!kQx9~A$n_`~8)2;9cS z-!J}{`0K^rAbv#rUhy}JzfJr;@pp*7Q~X`xKPLWe@t+X?N%5Z&f1mhIi+@boa6rNb z#Xltep!i3{9~S?Z_{YURA^wQ?r^G)k{u%KT;x82vv5K6$l-97A)Z+8bOS6<)P#8z? zx$%QpEdFBgxe_x=7l_Z@PGE@mwD!UL6<=h8Qtm{9G>K3BIdD&W?i-n<Q<MWssZTOX z$HnIw7<@x~np>HrRAQT@r^Fu-|AhF*#XlxK_bJWNLGig(G)oVNzh8W+ILy+g#1|2_ z^a%;?7XLBvcZt7K{2k(-5y<yR_=JQ<#6KneY4PupUL+(uCjPki6XH*bKPA2<^?1bh zitiIYAbz3vMdBBWUm|{)_zT2eDE?ycmx^B{euMZS@!Q2;CH~#wuM=Mvf4%q{#E*!- zS^RDAEAzDSoWR@B8E+qXd$bIk2h5rBz$#)1`EfA<`b8dX5Stzdf-i^gBZt1XkCk9K z(Q`%OH5m3m`pNB?vHF#d?p>@?Ikb>|K{@^T3+OK@qra>K{=GX3Lh_SWD?js#<tMjD zeo71F=VST!dEzU%4frvF+TNw|>)Bg{-+`caZxf&UPvNk^Q0@*ePk!-d4-@y+3M*X< zpY0yXT`H+K+mYK~g?c=z{%}wm+SY{U8R)cnHUt*&rrb$9A3hEBl?Sllv%U)hp7<5D ze^3z<MBW6;SzstqU>JrCJHdccasN+);S9j=`*j|TjPGFoRo`+`ecL`(tok!K_y4v2 zoc_@M-~beEC5vqdXi-n>9-oHixev^SnzbR0iz|Y@s=XX+YhdlZ#_pNYlE^fLZx&AB zr!wf<R3IBEQ$|O?@I4y$^@mU_c}hX$-_Z<f#8D-0O{n0l3B~j-p_f}RSd}bKd?gpV zQMrlF;|FVrBu<fY@+1m@BCC@DHWH#PQbLItSP89O^MVf-yy(TgoIs*=4%MKE=TLNY zAC@maL7Bue*fZJ@{LMe)>{#<VwmG(JCzb%3zn`Dg7|P`X>d_K!B46KNq&e|TC{q(r z3|r#M@bn1KRo_6I{RJ+_S-lz?1|Lm)Rb?*L*E3aT>h~m7RY-ik<s@E+?LQ!cnc$T) zeJ7(ei4LgiptikTi(J#0m{bjo<Z}rE8)2_;tMMwX=|Oeo8)j}hnnsxTA6@f1Gy0oE zcoyCd8?eORp@m0!W+&#NvSU3yy^5W0L*yP7;fI<U_A-?CK02@?cqY~D8PS%+{b+lF zpTA3-f#Nh)D&VjiT7ZUfv4c6uw*ib1Y>HJSFG<{qVrKMA;uSWUt+>Hz#SUaVh9S6{ ztvH4%VfzUKSpSk`Y{Mh8WSYx0D`1bBDkmdzV&)9Y>@@*g*tcjmI*TAI2Xf=VGs&Vb zFIP!H0UuC_p5c1<1vE_35<lRUo*m8e)+%}r-XYOAV-&^piqY~gS3wEx2Em9Ip)aD~ z9=<OgJPq0skXU2b0(i%1Y^CMK%$d<URE6Qxdm{C!p{R9cUGkGzZA_Nn`=Cb7O0!)5 z^*$1N{Fmk8YXCDAl1Get61cJ|dd32?@nT{WW2bHl7Z9-jg!5%6i{49V8xz(N$GPwu z9mE_$0P`~^nwwaMzNcRG$3QeFC#<}&vHaLQ6FA*A5xZxST9y)U8XV`U2u@(S!ZZSp zpJ1R?1qOm+$kZU2#s_e>R&cB$I8||&Ggi^^&aUTMep~f}=kQLm^0kPk|JCS65?=*! z!~X2G=<M&eA~87^v2*e+sn@i_rvn!c$At@=`$>0P$p2b)SQ>w6Y#9eai(Z6*!B;}? zUi6-A*H-~)umyscBN9%$0+d>P<e-lDBZ;N>?k%=ZVqQ<Y!IStMU(cr*cw*&y$bpUF z3Ya|o>YASp3r~@_*y(F}idW+*!=U%4!}t^+vPmMIalo886WoFbC31k(t63FNI*o>< zGl%{ESe-wxvT){c1ZMr=c-hRiE8oB!o;a5NY2U^<#&Yk><-W?{jlS3mWtDG4-^4`+ z0ND%4cSaAPLRAs4?IYiBzC+XQUE+-vNv+$Lgo3!0(SMLz=JzhCE{uBi=d3w$3$BV; zw}-^;NN3_Oa0Eq*Rm5|<00AT9NqQ=eM|eK!<#GSt&jmRezh!Xkk^MPqk0iJafdaD= zZ(@=r3lp3197^0w03v$kErUlAH{fA^4(#9)$MKTB!PTIqM-sac+cy}M96MEbcH&PE zNd7A_CpIILcn}^Q(4$0|yeE34jHRG#GmlzfB!zZ$fS?uO09N8V$hUemV0#WU0xj_A z8_<WuGmJix_&6%0mgyiK*`OjkuO7V|KHkCO+R@oB=01i3If<*#pTs!wp^+ZKDDfNh zfV(pjzhZUCQG$;J$9&tC?LaBqv9~{GbO(A#3tQ}3;^x<!=p%_gRBibPrrdR^Jy)^< z0Mf5-X7lE#$4K2RgUJ<wJp<8+E@05}Y`vfn%+YN$f{6sov@of@^{sC`&+;k)MO0k( zi@9t~4hD#msV6tlg%Lm2<JGs3VE!+VXp+W*3O&$I*fXrzvlKtu5As3Kr0M$#O?Ch? z0@2%nn^esO@O{pei4f=%*%Gd?>BWWf*IG1Ye@^lm9HBR~ikG%8Mzw?Z9Ds3{l*r0( z%V1(1UM>U5uTY`}|29G$rk~#@u6;=XblWnHffktsHIqhbGh8eL5c2nP_+7o)0=zx< zatS3&KV<mnFmH;Pop>45CofjO{w~6+&yB3cmH)@D4?-n{F>{I%ell}eZq}O7KSyTN zqsFC|C4o&Sz?a7{`Bgn54Y)}E42m*INz!46(tXH}PAM6(XJ+Cs;6CIjIR=_MAi^$> zJV(LSKsMw3I|0V{zz+J4_tF3QHu}$OrvJlU`1kI7{3-bv*eyR_kH}B|2Ko8cdinV~ z9Y0TerT+>17(skT<}m~Y7<du^e3KU>oZ_`nHPwS}=k1czeQZe*gMkug%usM2_;A%w z@M*Ldmj)exVc{V6YX?@D=S~g;_W|Kl53V{1BzqtBlU!raTuLo6fXhCJ8(wt!7;0E8 z=eA{T)b`X41P}3bn~8WwVajy~g%+Ur*&u|lS^j?vj^TR%b5;>qVWZ6jOc_!E$b}9G zyU|U;=BG&5rLl)1b06@<zMsHbwa8463(y?>^moA%rHLFMl3Z>3;?HjS!fD*3)Ek%? zy#}|0Ei2Cb(<>wMmR-xA{AJhiCvTZn^%rOp>~ml6Xo){Vi;u-hcM}_rggc)LVE+7o zUgdvmy0Xi-9sGL^Zkbgy=x4DPJ(d5laTKP3%v;F3^gb-FQo}mFp8N+bu+Ch>{@{|@ zKzw~kU;yr>(=bdEv;`Nf_)#c+PXeYo5Pz-7#SsdQuiMLVZyzz5$Jc=u;%{}gvQ=F9 zwnAf2N=sJI4}A-wBpFlUcNlh2KRe)ZcomjOMjnZ5#o+dL<{r=jB;Op_(kBR(*jP!p z;$+Q5^8=`-XHH@}aGfM}J!`yY90FJ@k4gCI5I)R1pJfKNoC^EDY5d2X@!9bQJ@Hn2 zJS5%)ssEI*<qSyK_H*||?pbdH6N^57-#v}!mJvL?sQ#Y&qCh;bY*ln%&8ax=)rfEM zTs(9!sNo84JnW0spqA3{PnrH@gR^q9$o0$ao;3s4mMz=BpMqtfSu?fBTtwn$HX>(g z(MzyNfi}fn%ZW<>H{Pg-EfZL3pgmKYZ|Rx6s^X=r_o`PKYfhg#g1tl38+&brRmV(x zX|#Low>8Kck$YADJwv(dJ2GmB*SwJy{sbcR6)*X7j^j#_c*i)2XY+XM^sLzAtmw^q z2)5X;R}};%YI_-T_DFH$(%5jZiUz?^(U#ph0E9WTBsU*9IZ$TldQ2s=R2P4p_;-u% z6)ocd2~)FfmQIR4A^y1dW8x>oKO_EW@lT0ABK`^SkBfg)d`)UTB;i5vJrXl4;bY?O z7yoJT_lf_M_)m)eg!sF~e@y&c;_noHhxmQs7mH6?1bvwJA@Q5UZxFv${3`KF#9u7_ zLh;MRUm$)Nd{7Yge;yhs-GF!i`u~%E$8m=DIk=^8ZE#P*eGzUw9RCJCmZSCEoTHtE zI|Fwd?pe5R!2RO79PK{*u7bNA?mD=+aPOkbDLDRp@unQD7j6|?3*4NKtN2T?^M5}a z^K3+39j*<o7H$Dt0B&MIj`lj-LAbwy+YPsq&!~rgYZ2DrTHrRr^}*G`-3E6vTt1u+ z&I31zGXDm53ho5l%WyBibs}ve+;<S>-+hHS+E%z-aNmU+hI<|Ew{U0SW?Y%0mB3ZO zt%AD`ZZq5ya0lRCfI9*ACY<N09IXyzZpQCzaJ6u4aQDJR;C8@$1Fjr-#sF_mevWo2 zTnSti+*-I^xUa(f4cv2ZC*Trr@4^+K+*-J~aFbV{Z*a%po`rh?ZU@{S!}Y+eg$uzg zg}WK97|sVbbvf#TI{|k9?g_Z9a5`KA+--0raD{L_xQT)s?G3n>;SRtB(Eh)|?<}}N zxR1cy0vCc?57!6xXK?&`?i%0^+;8Eg;O63*-(tAi;2PlWhU<mvgZl>DLAcl9-h`WT zE#L(AHI!S6-wh1IeGhIJ?w4@?2ImD%7Q-!v>w)_++&AIA3%3ttH^cn_+>2=U2;3Ol z6kGte(_aU7D_kAiy>Of1z6!Sw?jYO<+;8DLI9L^cyAEzCTnO$D;CkU6gZnPr8*t-r zm*Q)yMQ{t?mcq5bJplJ*xP5TX!X1M<4L1dM)zvv#8QiUKEpY4Lw!%FM_axjwxMOf< z;578(Qn;mX4RCenKmWdS1L}nvhC2n<2lp=AoU$D4YPehB8sIwNHo|=w?g_a4a4*2U z3HL6X@1qz`xTSDyaQDJ}5$+ps`{9nl{Tl9VIM0okZ*b*swQ%il_rmqU?Sy**?t5^r z!u=ZVEZiK-x$EG*hPJJTy94gia5usg!oB|y;3nJ%+)=piz<mv_4{jq|J6tW?jc}L4 z&45e5T;Vv}b8!3No`U-_+(x)N;A-J+g)4!Z3pa_cJG>5e5bi0sop2Apt%D1}-41sn zTmWwBdcYm-Ww--yPrz-1yASRzxCXcz;qu`ofp25z1OF&CN#Fv!#n52xfMeEBuvrU- zo3vGn%9rqYd39~~^6GH#)`i`*!J5|EpcRLQw$&kAevR~COKo>kV+)hyxv{gmrlGnG zAJ0<H&DHgdHQg;8&C7#rc3h}B9PVmutL<(JR@YkjI)iQD#?}@m=kmtZ?yk1R_F#8i zbz@UU8(&b<7-|T%bvK5QtEoxTf^BWBZQV7kEhyaH*izpeYHRGQMv)c4)qGcQRVY}K znb5twsdaf;TF3GxG!bR2B(1Rpb%q<m?ZKAz?gq3GO-C{dT94f!bTQa14bYsl_SV+! za6@Ywtjx5Q)^-4GMR#LMT`Swd=U|J#EyzCeIn>r#)7`$B3t&8Vhuf>$+HGJWZFy6$ zIow?zY*$^dfQG!GREtrpEnLmG&K2FY)$P^Yu0}A<^{5ftHf*GwcIQyOqb1xC3Zd=6 z+HM8s^f;^S7^3uef~}^tIn>$$U}4m&Lm}0U#+L4e>XzDYL-h*wue!ZG*c@s{dob!9 zfL%BkmH|h;+Qz!NU>kuAxVHya5q`w2>L!dUvey7t5T)We+8dCwv8KA6=pxW#ULajd zeb8!pcNhb&^4By3YgU9in(gw0kvoj)+dJA?(Cg*sNOe=w^6Huu*1L%G&7n5cP&=-n zyS}?A*izr#AnmDb=*Dme_E@p%y^K%G*H|A6V{}zXD^Iw(JKR{`QjHc6MlzpjYPxIC zZM%)Zn%cBnDo?1ju|>^42ga$YrJjahQxieGvIDQR>b76bI-09%oJnmzr=_FU)c~l4 zo>FHBpb2L50eITpTGQIpoiTw~XDAH(ujOd9ukLO@i!<5?$O3PG3)OA)9nHvRwG$Z4 zwmCG0&ldhkJLEaDF63!$t?g*)2s<fk1M_CWIP1AB)LreAQsWRt-12GSoWZx+%6u); z<O6}IZVtACs-@~nwakud4|O-MXzcE+Zt4I6u)X0n#1W{ZTtILH>l&MaAPX{#Do?nn zo00CZ0o_hbDUf70o`JBm+xTU@O6pPc6%(LswMKeNniLKKubNtGR@hT1ghqklcD1#( z)U(g%Y$NDr4Ti|>cXxARxVgH$rUB_Ho>Zqv3gDR}LdZ}vrWdj>PjjtAbp@+2*=lOS zoaMpBPE5mKbz2jtH|IcO9jAGasMT1vS{Q-QPNsF&EVs$8<h6S2Zi)t)&_qB4*#U>h zpl-!S$k9~4QsA=Fz*ico!wuaXE!CaiKh>bcPPukIVW4X42Gle)0(sSpYi|k*0kbIw zdZfle`fI@?MODzOFsl>#W|!f(+g#5b*H|k<)YaII$>cD*HWEI~oeu-lR^7JRZXVKF zS}b%z6&bKdr4gMR9H?n+UC|g!fm3+P@?d*cFxb+~0RwFZ61Fsk8>I1)p4C%Lv*xkg zC6!mr?NnShz%7$iNIhwj2Kt$WH;UGhSqm21fOW95R?%1?`8KxHVnDi^ZDIzrT;51D z)@nOKsEF9*hFqhJL(rnZ0*pGejV-CJZwm$$k;+OZL4o|idYv>d*p8-JU{Pl<lL$?l z2aNI)E=mQu-yr0>u?;B1Mua;c4J{{;<6I8b)VH;EgcMeRenL({9-DI`U8JD&c}E7k z`a>v;Bcs^RO-*G>-l`9_1lz!UA#b%ehoo<SkMv#SF`%Y1nXQ>-5wGB?8uC&A#2%1v z;~nS>CQKX138fblw$e~xJ?K$2k*s@p5WNGRAm*v~78DXXi4k=tvWzQ@bEUNdqSq=2 zbCfsO&W85(P?&{Rt#&vh<D3WNX$0k{uWo{%S6j=WwV$m~P^iXyEs%KHS|NE7m+Bk= zB29*Lp%~xa*aG~;Oia-yhg_%9TAQ0O#oW)fBm%jpz7?Wz1BDv9E=t7RH6W`kU^}k( zP)A#+H5_#Eg@bJ*r;tho;Hh}<F^FYtR`FCkcn4Uj&8nSvNMMu&F!Cv`X1AritwWfV zOq({KiNg&bE4M8dT{C~XA?nnSj<wWCJf0!#cGm#o?Pm~}c01g>f&+xUN!hSa4AqQO zTq-}>%ms!kfBOpJL5LH|se^GXt2@)4!z+SannlVS&gLR*wurCUbar`1y%Pr40NJo6 zB5>8lbT<r8X_(UoGn~Smh<mO$nN6-|iZJPUESZLNNCNtA=NGzRMY`g$N;qk&DD=xr zRwUP5S1OHdNNbnfD2qos?`OQdR<N6Azl&)Wsmy9O<tUMvT<<4&u^VOA!8qxov?kSW zHz{)G<vT+ec`bRuAvDb$P3?^#^7Q%|VmjAh7&@%UTDl=ub>0H9)Y#rA)PPuzB(B#8 zWvly~AZi(roz{(o8~6i|F1<{uNJczGu*|$%(BNIdJ|#^=7;xc~bfU^w@myj{<`gc< zqA0r#OR{wGf%{UD<Fkl0(oGO$&`~nSjCh;UOT0_0$!u?ZD;7U4fI-g0asW%NP*CXw zP_KH2tC@&{N+LzO)tK0Vj~Z0wNv-<RU`;8SOOrGxF~2OIEu6qJR-Qqy4G?gPKS<ol z4&l5up+_7zG<k7~$EM;iz_N%-k!Gu{wm465ol%67g?_2UrqFH*@HOqLBoAphpDl>k zgV_ps!d^C8oRuQGgL-M{uEB8lg$OiGcCEFgX?3><NT2Aw1x;^i?Lz;+Zqr2#m5*}N z2V|4Fn8#I3T_f16C9kxGs<9NsSk>VLA#h|DK}=g$x)PL<#g?d{<EU<La3w=u1#M8R zB^9e~QA9{hO8`^ySbCaNI6adq9>a6K@+q>;F>;kjQ=Oz<u9nV3VDePqR^Z@ujjO0< zQ*nfW#Z8bTYjPK#k;MX#Sm}Y9A!i7|SBsarjuu%U5~*xNr)VE;=xDEP?GiaBZT(G5 zscY?kNP#;aS4d~9`Hj__6Q{%jEUqLjrDw88y0fHk>!9#fK|`g7N|kXUMepQZV4`w~ zYj120D(TGP%2vEAHo*==#89hTr3JEuQc!qn!D+<{Hc<>_yIpa}rq-OPNe;CgL`N6; zA-{_NkbAXK<YQl1mpje<UW-6j6Vc*1$ZyA66Ht^~sTr8cM<p0>&F&Mybw{ub+Crru zlQd^drc#_Vg#?tV1@<a6TodjDHLw=aUC@)cX`5P~r~yu2tJ*Y$BB@fqVcl!7JP7Er zCQ|xBrLZMC%OrO;W~9=%9uW?z7DpNLiu@jPwYmv<Iw6uZvRon%NI_&}2E2CYrcFqv z(~GzVQ}T7RtZ2a;0JX`~qfoznOGS4r^k?-BEk(Zt<is7O6AG>cvx6!~s}SU|1>Inc zDB{plV55{xPglSekvgkvD$UWcNgmf=I4@T1s&F@$X|^DWa-9_b8<C02Xg3AROta<& zm)Pv9Q_fY!5t7fB-WKd^T>-Q>U%CbUwDdGxs-xXVZ$nC#X=^{y)9p2wqgzvOar%%+ zyxr~Vz@m`50bp>B+?Ss2(toFjIQu}hOl=TpW^J&p8q%V0XYg^gqGX=)w4KT_(Zyu0 z3s?q}1u_Sg!`AYTajxOF1q54_A#HJ|x3<(lhtWPwJeBCFS&>mMn?f|P-YPJ5zc)=m z1n%4U2@AKXYq)*~3|f>R>Q3YMLY-!DT20GH`@h+H8}O!z?0@_g3YPL>#fm7Xp@I}_ z%gxQr`&&y}pjz5Wi$z64nxt(YO=^-ttEh;GsH}@FtEi||QBheJU35`VQPE`;UDm}F z6%}1n7Fk6_MP>E>IWu#Uo3@JIm*4aJf6s5jQ}VfU=k?5)GiT16nUF0vZSO(9_3=KH zSpN>aM(Y#O%4eXhOhePZ|EcwNW}Nz&Q(#LZD;*kIJ`;;)GFW8BfvvU%D!yoe{vG-~ zV;VrxjI^owH^mW|@5Pv_#p@~1u`<$XqN*Ib68bV}Ee`QmQw}>mNnrl2$LQuZO3kGE z6LHA;t6#xudFe;|%$nNC4P~GuvvcyYX4X)>Vc5b9z^w{eczUFy%_?}8v0%VF=p*9` z?1WfFrFCYChb^@k4U;R&V8CG-Ty14NI)=Cln~I#a8F6Zu1%}nzr^x`$7oZVrvz4$a zQ@(wQWwE}Y_q?=}zDS!76}*yqT5w|(#n-K6L4v+*j^IkX!>$%h=NXzHo1(F=#;nDN zAVvrlv{V}DZN1*57Vq`CccAf%vU1QWrCAY;(rIBItDt3aN-DB-MvwO_XMKzw@6(z8 zd_E*fQft9<9@Vw9bwN|-^a`^NhDn$Q`Ff{!9Mdm~!_1+&jQWz_x-dS(7+o?I7j1m; z*^%p#TA04q`5U4uR~>{}ms%|K2xrk#VQI5lD!sOD)Z$>diFsA*Qi{T~cVwT?lz>#2 zSiJJS=5?A;IUV{8mry<9Q^#oHN6SOo_W@g$O`%z4YFRm1JoOr_e*YnZefwHJGWw=R zzp%FpTBO4vvZ^5NVcnYvV`Juiu_h~dyV7Yg>#qyv(u<ct+s3p%Mp~lQ2na{fZZY9C zN_<}{bHTxv6uo;~gmZm5)!Vp<gZ8^b12|4u^4Nww5959fzS=2li(qmU8`dIiS`*eL zTAn5y&aK~CS?O@W9$G%Sp4H-NEl&GYkk1C+nUk3R2DdV3+vG4QVXpwRXKP8Kec73i zgX!fA+Ye-U=r$HJd_Tm*h$#t%9NJV*ndbQZTUj+N4$dL-0Tc|Z)A?LdKBF4i1AkRf zS<N=zDGV*p_Vn21H>O<}Z)%KM8>%X>HJV!GrS04mu*#G-)MCdn9R|A?EF;`<4b$pO z%nGTb+R#dez}Ac5#-ur{6Iu}@!8Cg+YzoX*MGF&3ACs%XBtsmSVp5`KO=TlZ*k~DN zPCPN280qAoKHHtaER1=8x16Pcv4Ik3&M`V6oS{zX!r9_fQ?sD|(-srBmXV|9oRAjx z)F}`>Rm^uon~#{Ooo1qpnMIQw8r`U#T38LX$22VV6|ldbe$VXwEF^Qxr&hnni;sb7 z>@L#g759DNVf>-?G>0!4N+f;3P#_iz`2wMMlIpOq-O&<CwueG-9?~_@u^=8!hUi_` z5fAx;_+BtkAYAI5NJL6#N~(_q=7o|a6vGe?UDy$hhY|*(AsI6$27kPzqb(FoCL}4) z<V$w7hoprGD#sUS^+%(jh_5Le4ThsF@VAa6iaVm=3p-FEWm_JD+jwUZW$T|LDd9*^ z@^E`=D2{9;)YC^H(e|jXJswNO0<nlb+#kt&L9J^JM_9Y&g}NAQ_a_nyVsW%kl4=*$ z);c0Fe~?jz>KTqwc)-t71^n&)WGg)f{YgLQR;$IIABu;YyL^#Yz@H4qqNqdyq@lEl zP#iCPiEuEa;nr9p8TGe?q}YOJD9+*}5=bT0jtMWU9g94D3*!EEA7v4u4hlyDu{K62 zNs4tOTVev&j_Hx2DGWDUNdjU0@h)F;EZ!#i))(-zHYKF#p|)7O3-TNB7K+YIObj}( z(_P{72N@m0{Hdu6%tHBz=k`RXBN+4X;3WEoH3IJwU?4mzv8K6*8x02;LU=M35BYek zgadB>ZLAXE<}k>FthKN>dW~2LU0)fG$A}~ncq##sNRe<;9F36#h1)`jguewnD4vOr zrEnOB;iB`Rpr;`uGMFZaY-kH7+Wg5tYmtGvUzBYKCk)Y8(lFm22?q@zlwth1`tc<w zx2nznDu9m@|Fx9ojjMMU#?_y17?+@LLm?X^0mr!D1WEU<XE?>r2<!1Eg&|j<FHZt( z41pNNO@J88(CSYZnnIzdArOfrLP0}eW$ly+M7M_4kRjF{iZebm1kpNbC-|p55=w>) zg)~+v;*sJp0f2}{ibwOBArgzt>uCQ)<%>43xTv!s76^32<7h!RYM396MR>hq%?52i zqptO_wveG}QZ4V?R1&Go(CiOKI^rQpoJ7NkNP=O~vCyYc-p`CTKnt)8`-rirjYmTO zatXw03K{%hq_*~Cmm!giW3U;(Ac>?uo-`~7CtD4ELj+W$@L((nrlCjy3{-z2K&&VQ z9J76pDf4ElvlFx1V!@6`C^4J!gETW548<c|l$eiieXq8}qEt1(I!0NsI}FqT5SYP4 ztAC!pYm?zNPz~Zh7vE%Z7<w1bgI7w@`J1eL#ZSg!h6u!Whz*QHC<2}<oPc)LBu<qo z!tolCU7<FR9(Ap#!Fp;&l{6#N5>6yT)RQ!ANiMNq^Z?HkW3wd$dFPK9NFo?$Mlg(H z@<!_)^il`HN)%aUawpNzG#6z{;Y6Z?1SQ5ilauJTus>4M(bmMor-V+M9Ks+b+5wj} zqaJ{gNM9C7vMNip<@I$G9`IMO9I22%JW_#*$HPq>G_dL*TWQLY%Kg#tNkf}I0-0`T zV?vYWH8$00a|n-v(H1qZASS#FY;vXk#a2Xd2%<X(ny~ljZX`AfqO%QMB;frWG^<F` zypUfChFdU0qwZa8Z6V?-g!|bHjPFPbCQVj7;<-??CE2P41Vf2HJlsxgkaR;w3WLHI zC*~#iC!7c;Y6VVQLS+iM$;LUSe_Ka_j{zD^+EmPV9BqokqAj5~1{+4mxS)a01;nCE zUg#u`jy?O}`Ccs9N1UHzLn#ryC}c>q#yTQgx?#XZLoJXT^Fvabzcbv{(S{L9)S)4b zZfp)GNksS!<%aR--|=WS)tPl>T3G6<ER7$R7;g}oia}^9oM)-;!X!>fy9p5kYy6wQ ztU>e-E5X7EOg4prG^d=+_*zUkej;l<kBOH8p)SqfZelS%q;@kNkh`u2C?D_}6%LgL zf2=4mLP^CaCKZF_&6Tpg<NIlBq~%G81bNJKEs>!w9_qk+B1xF&Q|yYYBuybCn$a_u zo+)p7#j!8tj%#b+=T<*tLt1&`Vg(_3<qi3!!ZVaNj8n{DG%FK*6RjP|ASQdNM-N>T zx)PW5oR?{4*E9z%_O<ug7@^lJQ{*MqB91YB+BJ5J3GpwOT^wUf6_xdlG3>t?<*H*0 zd~eGfW9lm_D-gY+9`CU0;uwSNKlngZO`VpRi6qs;44f3ik~GC=4MoS+btPNTtkk$o z^gYZ{ZHtGJ9dS&TjIEmEu{P><W=W?W=+R!ZOUF05m&9wdW~Ys$O2dLyQYKnMfqA~v zd<c#WMg2_?;$l)}N#55o5kvYD8=nvdd@Kn*8lOl_+z@b~1dYB#M|*n=b0=m(u705p z4Vd9u!!50lb(m~}Xz&7pqBB5~nNg7p!n0>z8RX7!ov2F{{@UqJ=<vD;yiYmR!5YKH z7>RZ0poUb^rVbi&8F@t_P5!_<1Cxh><bJ3Dq!54~#acp>L!>ll>LivJi7rfrZOEP^ zyI5=dlBnsn2>HhH<%N<K62OE+Jt9>y^+d1I@-<1hPRXSZeNTa`VqRm@8ns_*w#3&s zP?FgihxG|x=IDruR0b?Wk|gzb{9n{0#3efX(zvYF`qmR`g<Cpe9Z-2$FKJp>0zDB4 zL0m!-YhzecT9-a*D6228suDd%MD+7{t2h!Sjf(3S@g_;4)eaUZOshblq-&FWq;FqK zEXL%X_6+eHYKbMoAfn_C1VZgJkF#$cRbYKIsa4F~Sdu{8V%>|1LxCf812n?m^EG!w zFvwDCnMj0Y^nd{>@_fv3q&AJ40T~$$V?ig_6XJv>1tw9F28=ASu5<SyQZ1QqNB$JY zkG|yWqqSO+I?1*b@RJ_IFxBN^XbJeo^n*;10C`K&!Pgw|w<IL2NolSniNnY*=HAq^ zzMhnCjLD7!>2b7L=9wT|CzPZfOJDKK7q<G<KU?@`%n=F91-*>{J(u(BIoRrJ_s9Kh zpgemP70@l;F%Pl1#s{^Zbr5A83^n^ZA}I+=OwIa^-h~3ll=Tyr4M<3fUoE-B=0<H1 zjyAJrVaZ6%Vdd%mqLmFqAL#>{tYV9H(cNr1hLXYObN1v5#hMG*x(a~L*A#@ZSpK?& zKeR6&*oqk!__r?-ZVnMU`dXnMAqnG6?VA=EERT9I0pkV6373puy!Kck%#<&L*TAq) zI4{BKQG*ZVq3Qo(sF6O;!ZkkU;aGx~7@_%(mtYI)l{d*QEk3;;hlLj7U4J4<Wwg%= zBz#sMd+N)`rMGV|EUX(0XIM7i2ST<G>bZ^t>!+XU_udu_$Pi}bAd3cQC~P8{MTBTb zbrqJKlJc@Tn!==7&`j7rNPM47!-GsDm?u;A5b^%pP&_t+P5<JJ2ygU9lQW>2^^8y9 zjbzKyUWoYhT?vu}JXC~XInJM<O=!_2S_Ax4o$#(#eGt~GE+Q<W9tg{*1D;dmr%j7& z|2)NYDGvd@fmBblLprf(Lw-7Buf>V8jPORXsx#-BbX*q3wlXsFVBySE&#kEX{OixD zC$E8wypdzZGfOW#T=Z$tw2XME-BfYPvZ9jek<!LAT+250%cu<YPIG|5v#{|Cl{NKD zHgCRzP+eI@Wr}#|aAB(!;jFEE`#%+zg)w_Gc3-Dd&0zlKe2)+MZ}|+`f1-WoYWTjB zMIL(%*z;f>GWz$r9mJGZNMG@2-(BqDGtZg6;)wUDUH-n}^z8-HyI#G$NqWcW;R^sd z_KuUWqX#`&^VaSwF7=*xkG66TpCiRfxzqPiwmv_xYtUyMwH^J`c10g~X}b>OCDB)% zGCfmz(;;I!rH}mao;*~<9#`-5+OB14i?xqDs&Im~x0gxpyl@UO!_%a%_Vo1r=qpZd zuaw?p>H9zJtI<1NW?$)jL3+pS?HAHJP7mIsqs={hP>!62?INapTYAUWctY>xigl{k zHz)Z#UooYhp>h)Mq~51h(9AIImzNPX-<X+hzR`z}USSG_)xxcj1TenQL97xwY!VoS zBU2uSVV0r(nKIKqoA|SEOW>8nhHfQ0I9*;zap_D64l%$L1neW~f;yy*$mrrQcMukf zmyvluiHBwQ2}sl6z(1wBY${sUScWq{T!7cloO}khV^LV@eN83AcCXjE_c+&IRb5eD zHlu<%B%Kb9`DKtmaKY;HJv*eqy?yi%Qt3tOnL7}+W+zwFPRE94y3euITT?ZC=5*b* zE#n1vUC-(>ocd1ikB|2kkDu-@{WJBK{+arV9PR3Bs@OMDky9;v;CVRp0HUyWHFY)Y zyQ~^OOGoUh!&-j4COn;16Do&eMJo#|YLY_nxQ|S`(4=E*iz@-$4`H-OV`1zi+rR1+ zueJ{7<<g!9sZHuC`k-Dt-)r|A^az)HS^)IOwDgpu75n)e723Dq6Dh9<e=7cn1`)h( z7jbqXY!Cic;;$Qj>+!b{e-v-kKK{KN&wah0h44A}YZdWxM4psZ`#dq!bROY;_`|(~ z(#k=&SLG`T!7nn3cSC^l@wXlCw)c2P7oQa(@gBU}Bi?l*?7#iNZCWb^;YvkhKv$t< z<U@h~iyvJ7Ce5g?sQ)r_$HV@vDO0Zfq;ZGUk-dhBDcA22)s;7Ogd@S(3&K&8!gq?= zgD^<obG-N?d>sC!mN!&Wtqbpyq!L=(k8NY?A89k%GXP;>vY(7KQ+%{f%EotzEC-rl zv%*!w{JDHa!`NATzK>*volEI(VX-b=71IlnnPDtmXGT~Zi?=W{jKy1&5ytO`Sb{L> z_Yzi@1{QAx!lVj>#knmD{lx3Rp2sFSc`)OlPVfYeH};~7E($iGdD4&}TKr^SY*iVn z53cwVc~IE7tekv(SObrT>;0r0s!ts88hAVd!WK~&D|jrK9HnlAks+ug#4D3M6!*u_ zGp9S7r#2#t_*sOJc#*atOxHgug~_-lYR{-tJPU>44nN6eMVM$S?vRl-_s4Tn0ulzF zcHBjTuabBo9vCaLx$*$Q41-c(tPU)0kN@a4X$smdzP0D$9^m6Zd*0FG{mnhz>(g(1 zP|AA)f0VD5ey1*d&3Y-%k3V`(AG~69*abS$I3T$|e_Qdq9e+FVH|KUqD*cTleF*#& z{v^a?_J{VaU`jZawYNvY(RnbQS4G1~pSHHH7)J5=hv?h6nbTei+f8?&A#9f}-Uhle z>RCy$F{!{~zJxn}BF{<Ee)OC6*@rL#(smz{4lBi-NBDIDsYsXKYJ|-}yk)wuON+Cl zO$e*gh24&@B?#;5^PjuiaL-fGf9`Vo&s}c+xy$W8ce(waxy!AwUh$cfk|6E56iQ^~ ztc3Lzrm{p;w4TiO(o_~YHG~(~4G)BZXNJ0FG6ys#dov{-3L$>VZeN-XP4B~{-WH|H zNWV>$HJrUICx0$pxO5H+sl`@14`6l_QQ-wcn3;|pe}$(2-2DQv4w&vgKB{)|8NNhR zfzer#Zk3qdFP#O2ha{QyH)dDz``DtP1#so#TNc7cFF2ItDNKXRX5^!N3cgV@j=!yk zgK#AU%RX+mPe_ftlv<nsgF`M(ZNR&`8I-}T$Gn!P5>~P-FXjj;J<9W<%%Q^if(oqp zSMXd!dhWj=Ngw3UiC*$Lz~WnM+FX)F{^!&HIOh1UCn&Ar`LRM{1IXVw02i&e4=Xab z6TZ)A0)i+J=*mNK(|ZBy()G}c`~h^0k9+t$@Dp!?;kfj4`dx-Q(hE7Pzp%Q)rV`r~ z`*awZ=VO#*+gKl@Y6JR759er$xWqhPd#s%kZWe1H$OD}(tm|nUvcla%L^f?NWki26 z?c$^X4zbY1W%YvcRV)YI3+owXn?zFND1OHbT%+maG-nEFD5r_o6PeB1mca*{o}3dR zy=sIVFexjm4EM*;<tgN-jyq6<;gHwi>Ykh+Gm=O@^0LGZ93wvKH0-~yjrNUt`Y?|N zNqR0#dyUA_0@mw98QQoBNtb4D6IZ4m)Oep&sT7ohU9y%F%*bdINX8>R&9z0kfrTXm zH~dCCf#;-e`;k>A&CnmRK1H7><QF?=P>N^K<Gh`1eb5wCGqU|uX(BJ3@hqqDq+xz= zO%+{{gY$XyQfn`oQ(JkvUhK(pK8P`C9m}($9fPM?lFkxil#fK-C$}(~!S8#XFXG3p zE*~w=rl~6&=(u=T%ES4FFm{Yrb9$f_yvD!R_Y_q?>gc=8tjRph7#@Sm6!_h8m-Nm3 zVP|7iJeKoi#{OI))ziGb%UM0RU()Z=b?-HveWB=l>|6F-C!;UiF6H*_H(%MzS<>^V zT-$uuM;HEuds2N)qV~a5oYXckV`j(-R`AC3d+yFCWbR1bLb2Pp<>;`I<YzUw%#^On z;A7aDW;RT*Np~?Cpv~}+=G~@^mlDoN;A8AR_T5&|U)?Ax$eB}$vs93%(mzttiS|{$ z92Qpmygp=FpGx<M{FBAd_BLBG<q7MxEvdFLdI{gmi*y`Jyvt@S^6w7ByV{enVi<ne zRQx&H)1w$<Bcp3O-en<~9%;j}=q<&HGpTxF>N)KlwjzsKNb$tUUg;#3lQ8sBV)R^L zD&+!}Q!S5!bIBAzV<YA$1paK2#_011Cw$yH^I;aMogfxjOUI@1=Dx;c9mEevWO0ik z96VdetE4kkqTb6OUE&gokGYP={+`9A5}4<76yG}ExIOGGAK%C8O6Q()XQoPG>1nEC zehPGxy^c;|4)L+{R43sLAzhhDPobJWM^367IzyuO@rUnIMhfPz!9CxIl+q;`Z#7zr z$w2s5%*}|CcKJw1|735_5*f+>)ClG$1}OY;Kv{*=jQF}Tl?$hhC-qD+Uy{bB+MrD- zSEOQ4Thj%g$AgHI48u>78sSXE<8!1&l@D1stDUad<Xf4QDl62<MR+X>p>nj4>{Og) zc-bUcDcxvZ5<gEz9mt)9eI$QwPt^kco4&eucs^!9Xsdkks!QeHjC?Lg#U;u(#XEBI z)-_W)FO`OAU;b9+`FXs)4tl3!X)%k>wT${y2~<suBB!w!6e4;U4xR9)k*;9;9f*V> z5;Qiqr*hCdoqVjLM(N9^thiStqro*|Tq#;6QdcS$qOHbXsgdOat%R-dO%{{$!eb2U z$FlI$lKz<SM(;;+PO2nb`?RV{l_^@1h&hqRP4^>n>b^?U-k7TW&8a-8_MB$eok)eE zB$+!hNz&IWG)<6%^y@6rJ9VR4I-zH|<ao{~r?UEKiqFYC<IU@2u^wgNJ?SDzW|o@I zz=ob_wc#Y4$KMFKDmVZ>p*RPXdPD6L9U6gGzEqx~oA9UO%AIt6Dn;M^TWeD9X*AG8 zEDrwgLtR3nJB7ze_X88pgIJkFNhZxw!*3spt*3cisuYU-bKK=f#pLP})NUG|K6r*o zlT&S^zM}cgB|^9dn&y!m<Dn_v=kK)oq~`(VPbNu|SWHY!kQ}s@(d5VSR4s_kLZ)L1 z!~`Pz1UIl4nLSK?Vm<xC7H8y?mW{}ii4l_RSF%yf=e-n5vzigLxb9XZT1s;m_p{_3 z46Oi8Nhy^;I=|o4P_i02Y9&A3btZQCE337&`vv{$x@JbhwBzP0OH}eB7xjGoP?+tj z>ne-4`0D&|utGhK4m9AW$aE>H(DrzA3f!ng5@{>mHirE3pg8+#LJMY){`^-Mno+o~ zK9sEG9;3%0WO6JP@ln!ha)e%}%e8_Xv7Az0!F>j$?g6NWZ!&H3oK1e)T1|#fIM0#t zE=wlkRYB>?th%o0?BI~EEEq%$VM73AuznwlH<g_M-wZ7F;jh=|k4Kq5^2u5|YhsZ4 zbfPgKHB%T>da|GLKr8)`a(I17(gdnI9q$9Zv{r8vEvywMvhdqO6oNIEuiigD)X>TX z_#aU|H8$Pqrhcgg;EKPQ(S|s@rlnC-0`u1ORVBy*!aaDU5u*Ow9g%nEOQK}7pJ>^L zbD^;X3A~dEv{td+t4|{5vM3p0SOYa0DpVG0jlLJ7C~0a{H4<T<%>ZBe6VSb0Wc^Ts zvo~mW2ONB*BJ^5A2hMX)UrVQGCDz31m|J5EM3e492^BcwMO{<{$8L>gZpy8J{3gMl z(_>g1#K4EJ;eY}!>bMAR1=nl?wU7yQt8_2X5@L?ELwYSu1(E$O5yBkjW=7-waDw@M zpQGcmvIO&P7AfA=Qh+U{;P|H>?K2CCGq&Rdm!77QwO)j)eYhnW3NjvEFLKaQe}$N7 zPUOX;m{IxzqvjNUgltxfoG+wXL7jo}qBxUkBO2qt7kHt*qlw#qMvHpYVk&5c|39zV zcj@v#G@?2DCDR->h0IC^({VsXL0D<L)^m(kc#rboJ|~?X99j{INcHIu8W2-DqU=~D zvVy39&E-Lq!01z!U{vu?-kil|gy{H@bhoY#sG%CY=B9H-{rLzW?K(9OQ2;v^Exm@A z#0kW8cTsu73G^U+oo-(_23<0Q9X*Fe!5L7)x+H0x$g!Mk2GXrsdhCkfV2;$Os~wj_ zlC)YEHl-eY2)ffjxjT`Qp0_3Fk|KoF#+u^svIMa@34~~jm@y<hDr$j<5K3@@hs$as zj!0I-0@54Q3fSjZm%)-+*H!LshrS0UXruEWlJuCCI>w~|eqm392uZ-Whw_^OXK0$7 zwZ0yOyh#ee1CdP#Hz6Hs187d;Q<6^2;07i+gt$06-9yy(BFhIw$>nqerXJ$~JPnWj zbX;%_mu&D`=_PF-l!(>vlfd8;Urj8DCTa)7#K4dgtp}NqY7YgZ2wIVnP?b3F0*muq z`d*>|#Ah>6%cCfNjv1>I3p&u);*_{DU1JoC6_CccW%0Pb%g0W&YPN#OXbF*kgo=+f zT$0`ty*3@;=tNj~1ZSf2Nk~f4UsxL(;vL$Mmkv=GqE;Xi<C=XeRx=%rBwMBQr7q4C zOypE9AKhzvw3y2nNqU@0)?^e>*O$Z!C^f63B>H&KAH0D?2}$}KVQl8YXeC3wn7pL> z`z%ZAy>@mE%Vgy{0%y>f$3QD+I8MU$ax%y+F@R3h9D}ZhcQG9JCnXgcIc$OnI>~94 zuz;g+zz)wvLUENA=WRILb$0oTnfS4W>6J!R=J_Y3W_EZRyoyv@PF^kHd>$s~`4SEz zv6JwZNQ{QqBKG<G0j$@<u_hc7i3X$vQgd^pBZ2cpafz)wkpliE5;K-dS4qtY81|(8 zyzVeV@{0K8H#3`WGpzP>UV<s$@G^nH92*a`UdIUxcK5?YQgaI#psOS-;6hR9G>NIr z5a-uO%_2^v<b&u(F;WL=Oot7wkg&eS5kZ^8v`+|_Hp!mGzK~Q#<+f5@c<H0fmlIHW zEZPhWfn67XhA;5p{4uO`peO0DIPFXQk6R7s73_H7cq~fCFD1#65d+hDCsf`fn<ga> z(SjdK_K7z{Id(>NEcH|<&;i{bBhe|S3#bgCi;Sd`wI?4gx4_Xj7Rac@(Oiidi0c;U z6i|D(xGhl(AD&|5Pz;6%$BHAyVq-Dy@E-5uT!GWaxM#pj+GYyk;73ZDLh_N2mO=v{ z6MypcaikxY(?R-ZvMwGA;GBlEWI%&fH!VoIynj_fJjCKtFtvc<by$THDW_zgg;UmD zb(oDwbHHv_IqfK+@DaUphmLxpE|iZi1WF%LC_MWiglV!UOOWU$B#q9(L2K$59=V!d z>_BoLAzjeFD%H*PG!afC9=Zs%tq3)BwBX3GR?BTHe>#ib(O!k2*eE3_gsUji81Wh< zX$p<VKs)Bi|Cc`W6Wb4;@Jxl~V?$mlX-^e#u7&OK6pqEX$5dQoh!z<pO~@@S&dtT| za?-UCIA><y7TFeDLeh$JD3J)e2LYnkzzy-manKp3PFYqZKXqoea4Z&s&8h5Bmj-s` z2sbn|<M=;V0w+MDbbkU9CR+5SR0^i{;+!c?YO|8`=k*LtIM9v5QS=haW^taaBsZ5I zj^U}W34ybGbkvlkXJ^!tp(sk^A8j8nO$|tOtfq=^>=oj@y(?9f>ETZ8{9vkBvCn6y zn^7|rFF`pJFA^FG{RZf?{^SHYf9Yq(TjPc%j3->#!0)QiVnXsIanDSMZotUp<(C)? z^`Veq#*}h{D%&in`U;zSy1J8!3<yIfLN#(TEu42{HM@_)fOAqsbm|gkZz)C*J66n( z5uyVPwKzrv+Tb`c+a%^24rs&VF5F?jPPz%Qq6N5PgD&|%Ej!vlO-fs0AkB=IP1=Ac z2|4FRh*zjcmJpg$3^ys@4i<hKUTXMG%G(`*Pgq;pFD!_#c7&~<aPetJm|-q{#TtKF z*dl~slFF0ur-iLR*qlXD-Xi?9mhs<P>qgjailfUf=L?jfE0fZ%rL?Um7k^rQ8xhvs zf@fWr_D=sz^C#pZO<v@QSr|xmPRMO&MUT_P0l3G3v8Q-zz#-*WfX<5s`T14By7m0H zzJaBqW7S>le9Yz2L3~3qbU+rL-Csb1ksV6b<}n;2$Jx&=R*?R<Wv<{djE!<$J330p ztHo=Twuyo9n8c@fv9DU@A`@OqoH9jB3|@@73>jg7*29{dzFNQ_uIfqTN`;4|yu4+c zzMa!}|Ky`Dc3;KA*4lZPig=qvSU3E1iPqH!TO`6Zx_MXw!n#G+8Yd6a_lt)6v<+%< z24jbxVRn--Ks)%HdZ3+E_P|F}`d$M4eFdq!L?jg4>+E5Aw9<Y?N}^C5HU1HnxI*zg z0irl*n8do4NY4*lLJBm1>^)_gu-T#yS+8K)!}U%E_(vc<<)3lCLPD!B+bK!tD<cb{ z+3=lHla)6G-+8B{#{|7jEo%5BJ$wpbS5S}$7T4K8SLBxuC4?9wW)bgrid^szE(Zv( zWiZQ1NH|g)3u$#-WH^tX^ge$A1iGII9k4IG5~7?93o(L3?j`zjn`x?x*-e`ljD~PC zqg00Yh9w`ojT;c4%+hr&?3$lYG}h75Y9LNv=iy~a3KI`RWEHLe!3|O&QnYY86^$)Q z$ueg10m~pYzf2&ZpP*Ze+Ht`V4K^x{h7txjCLERy22Z**L@20462`x&v&yNy>&Zsa z7LsA3rM$&Rv;B;$yd8L!PvXxxc-~F&Y^0P&{>|H`X65b2^X3!z^8pXW&-YT^ffM+1 zo+T?UAJ5&Rc>1+?KNin*3q*QrR-TGyEX7!PdFHIVYI;6d%F9Ond#bYXX5%?eJTF4} zPCR#C!qZnkJ}<-b9Pz%jIxBBAo(-q){7TQv%3DY2Q6I{0wvZQqsSl&8-X|d4+kL7t zeQ7P4rhv)0-5-t{3Ym&fgl>iYPy5kA`<VbP?iogXPcvSwU?r|y@Y{_@ywhx%k%>-) zqJ9-4+JJ34_G!T|)pifWz6jg<OgAfoiNR`qEKJ$u5}2AXlj~MQxPyYOk!khgxIe1F z<`B#e>3IM*bdXr+v%Cq!$i#Ii1)#hv0d^<B1G7&DW;Dule9A|P)?(v}bOEUc;rF0_ zX7{U6R$||p)Jk@h4P9SjNZmS8Na6uUd+5d~{>k|__%)C7&l2$4Xguegig^LAWn)%e zA)eRcnfTj)c|*nX0r9-omX$XR&+=H#PZIdI0nc^fc_ZeYc08{b$N6t-MONMtJZ~4z z%ckJG2%hI4K8>&4C~p;>58#=~JB0CsuZ)jwKVBQOq65=?Px>#;)f)<fp$Oy)#CHNa z2Ds)6&1U*AJI<e}LNkS!^fkITt<4{w2eP5VNDS)aer|3f-Q@zF<Dx4i+eo}ZVMOc# zEY%C>S{2A@TynM`jJP<*PdrUT=R0t{sxCzif-YC^Ibk>Yff}8Ix%hwxD<xU-Gan}3 zMUzODyNivfDd-4dKBIkA&3q~#5lr_X!Ip;Yy$~8lC9oDkyT)ad;=YiQT%@3Oi(6b6 zE7KqbDfu;Td<2Kt9!mhzPm+|lwva!H8*rfHhT^$Ia_}V^SkV}#EafmC_cYL=w!|<q z!4;z(#7)L>gILf)%6DKJA7oB0poxa6lUxvEJg&)u0IJWFFt#{?I=~nLZN*yL5NeMF zTKSl0#B4?B`Hndlhiw$1b!@Z;J7^7)R>Zs#_<`EMTSb*dlJu2Pd~T+Sq~qxsiV-SF zJV$Z#UN}8D<R|4yCL8m4jmZ!wjp1l28z^DmM;M0C1K1fQAoMY|V~;&8y+$VVo3uj+ z-TtZN)my<q-63bSOHQ?TxQvf4oOFyxmn#VZ>y%`YN<?(ZfiwV81v0LbT!3CdvGZ{a z7vn^p4JntHLJ%FdujsNv?A&y0Tt3HG8JtPyi1Znxcr=K;5NPO7H;`W~b?5?^;Bz@o zQ>Rh{cI69bN*s`()?@9NOx0gs6W$hT8F$mb{d};!G2Kj?=V)B<*7yzhz2?-Vb^$Dr zX$6VIxkMIywna2rsPSBB(!Vn3DTTJMl@G}v(H2%sJ*`6XF<`>Y2HfI?q;#cJicW0& zXdYi$rwU<Pf%~UeUQ9a``{wC!kzR$xp)|wpfsK<AiFi1Dmy4DoUp{L>ydJX_ze|U$ z#h6UcWGJoBNP%P`Sd25i6vn{QI$T?^p<<KZ+NBL-p~GYD!+Hva3UVJ#caOeT7-2zn zE=N+ULKFd6L*gh{0<zL5CZ93tM_#X7rk7G@qiDXS<1+#m2x867B!sYpka{8FYYR!3 z^WiE~lB?M$EV9MIRsq2fEE$o6U<sPTb?w0TtH%7X9`iWqbwSJ(v+*n+$LG<Fn74y? zE*&AUQ&^j!htho0jrSCPH}t?Ho;M%E=Y4}WD{m2=^N#29@}lyryp?#Kb1aWP%>})Z z;t%J~t(eDmA3%QM{gUa>Gx6S#&)?6+e6|J8?c%u;_1T5z&Ek0()|q?p4C61W&!N)Z za~<h%v<%i=Zmcm7tv2~B$nNp!>yF23mN$%Bo-TFOAX{~i%n`~G4Qz4wD_CL%?Y<e# zCY6kB`)G?Ax`Y{96JWqOqPRKK`D~Wtx3Cds82Dm{FQsz%0Om8AZp>1rvr35cshQ4D z7%FKg5$hMm8>l+Jo^(P<Zfz85oxX`b(K0e?kb%o=SL{^9)NOAV(Y@}~(J8_(Xt9fx zXhd@Ap)v6=M1)?%B)Hu~coN_uM@U|t5X4Jo041u66dw{(AjA0bGSXLP)YdkPC-F6Y z`Z?p7e8K{j-{(g0#URebLYtS#GRCFESWn|lJdr?K$LT~TZ5B~6VyOXJAv{(fsM)>} z(#CP|CNyx`Wuvt-jo*wYuqgUlFp$~xfiOdc;<ynJea#0oJ754qUg|fts0DRr;@5<& z<iMK>=7ND02Jw_6#f0cD)ErU`SS4ZL!$9U!UK6}rpbMq+!_2!JQ!Jh`f~4+1`epq_ z2X6ka>#zS#N3j_v_ZN2*n~S(Ep3-ahBXLqnVS!IOzi~TFZ3LuV{|{`zG)=*V%;s1o z+xUHDy*fNK(Q29~WEI)8F-h|4#k>&U_>g>;$8h=G4f#y+Un=18zZ>#+2-XtY@l5i5 zYaez!Ve9HqJ{M+urcYbP{1I9UkR_X~#32#6j-M7|BwQ&@5mY*Mm#Jo%*GXDdZAnEv z*Vke$z+bzG%YC{Jp|p;#g+_{X58a<IM})0$@OX5e!U}|K#@`~?Vkk$tU%}wRT!g>% zVjbl|8H?ud{PqevCoetoe?emGN8?_)9+c2x@;mh4X_|Tuy9R^}-60RXOxz$3Nt(W! zz9`p_`iNj{K`vDAiAYKJ)r&__j|_#JBo@ERv^WBR9N`JLIsg$P^oBYZ!pTUIFci=R zQ2}53(t3pL7--52xK4i;psp#jV9Bh!){<UT*0l=FJ5v1_kBd9{bmi%;)7NjZXncp= z9U<6B0Z(wXQm=bM<daPWZ7wfkGZC3o#ESHPqH`m=T%DSXOl$BHHV#91dYO?R;*zRL z_9W<raVTzNABGi&)M!zyjwogvHh{XI9?uWuGE*p9Ou~#rj&pReWPsTQh{vc<er}*o zHq;1nVFw%*v3U<IJWYaGC3IoDuG&P5-hrHoexg`P6=tR`T}q7J`Qir`SQjL6v4E#b zkV$nR5rmYmc2SDd-2Z=^LSSQ3+f(e5niN5|U%1by-`mWvduW8E_N65qmur-_wzpX( zeg+|R2R?BDC8C8;>gwvW<z2r=tjUmWvUx!Vr@iEzLY8Uo=zG(CDUbFF*e5$%av`oh zpMxapwfARnxu!k-*S={s_~}pgWG+)@!S4LivHojs)}w7XIY-WKHSUkWwHs15zVq?D z2H%5qMIC^gSC5cS_deJnj}V8l+<`jLcWTL)S`HYX2yzz`2-T)|M|(2T#ind&n@FSY zmyNKk7g0v^3H}fIrGod%`T*u^{P7Ia{~v;#m7dlrKTpR}>`SCm{X8lKJx3maR{3c2 zq9er7(_<ub4y^*+!jAd#wfL#GN8r<GoDOrK_xw~26h6oB%jwaHwiX_tt(50}!3VG! z6gQD?GU@yz3&gfu6kAsi|1stu0iyveY-s6+c>qchm#68KWom;@TZ)jmn|@q`-F44h zf5b0!a4QJp5-zLO%1k9Mk=oIp?MJBpYScaN2yyiNIa}ACi?00Tv?MxZd`fwL%GhVF z!{7Fw$ZM7Q^Zl8T=Mf$@gC4Vv&{oP~*Dvi)W)A-!b*IEN7IAt8v#Rbl7uZ%6%<fFs zXmTmF1mM3*Lyn2C2yl6{4)T%YWe|Ux1%}I^v`t{R4@$cPru&@s3k)|uIPUYbaCemQ z1?~VY6d2Bel1t#rfU5<D6R#8z7_QaQGJ)wbr!@kTo7hHyF9O~n@WsG;1;zyh(jkH8 z0_XgR*N5)KA1N>nR!D^c!v$HY5I71vOW=jT5rOG~?S%rvNnTnea69lSfiDDJCotRq zr7Z$q3cMSb<{hHvA%STUF5Jq)iMB3*iM9;_6Kx{`6FnCSycB7d2~2HVD=@Wjlfcx* zZ30sp_XtdFJSZ@=CFjq)4%C*>0?Ww1NMIvyslW<wwZPTDL4k?podO??@FfBhO;!p# z9pP&PCi-j?nEHL2z{Ed$1$H5R&P%**#6JdsiGO5)iBC!eCO&BpnD`_jF!9MEfr(F6 z2z(yZN8s7O8wEZec$>f%0Phw!0enzkA8^jgyl!)VM+@u+E)|&gr$J!ipLT(X9~KI{ z2=SK*Ok-h{77n~d;LCwG3rzc(TLr!Xc(=eyfDZ`#E99BIjo0lu;Cz9vM4Uo_mjYJ^ z+=Vy|0$+vjh``H$mk4|{aJRtM0B;ibTHqZ5e*nB!;N`&CukboFBLC3>{|e!<z$S#x z68JiVCk6gB@Ct!f0IwBTMf{BdUytye0^b09K;Yj1XTQqJJpu6x1-=H@CGbkbnJw^d zf!hVHL7Zg*n}OE|>;~Q<um^azz>|Tq|H8{E2QCzNKJYYwEx@e;{~CCqz)is20^f)_ zY!VpPn@PI_z6s%n1zrW5znzzLGjNf>w*XfN96;JR0tbPY2z)EztP*%N@LGXKA<jmD z7Xoh=xC3~vzzx9Jf92)ksyE3X@JNKq0?!1l6ZmrAR)I$VcM7}&c!j_r;I#rz1Kuof zCGakRj|bi_@MvJ^HC~64fO7;s8F-|?rvMiUYyegT9s^t<Fs_7?W(j;Ma8Tf}z)69} z0WTByG~iVNj|W~W@ExemMuEG5w+TEPadrxPC&CX1T!`@Ozw!Fth47IA-wj+S@ETy3 z!1n;p68KW2jR<@R@G^n#MVvJP-v_)|;I+Uz1->8npui6R=k4HiXhuF`1%43WHi4}O zuM>D3!h-_;4tSx!4*{<f_*}$aC-CnPzE$A$z<UIK82GTjj{xVt&g<|8;6i~n09Oe7 zDDZ579|LX|_>aKL1l|a|O5n$V*9v?l>a$tkClJ0<;3t6(3Va6QjQl&V!zP3m34A5O zO9g%k;dKH(4csd5Gr)@k-VD4#;CiH8BX9-qMuDG2oNWSkB7DEVxF%AP-r#k34lrNf z=Yhuxyam`L@C(4R1)hbp%LTpyc!R(f1Md`g0`MV$rvm5i<Ym2xe2N7A2jwp?U2|A1 z@ShOgF7Q_1g#!N>c%{HE0k0SMW#Fv>Zv#Fc@Kwk&`%PZ%GT@N{zk)cjz^?)~2>ch| zh`{dwFA;b*@G61d2VN)ecHpf7{}p(*z^?%x6!>qzIdAbg*iZ+9z&j9b6Zm!DI)VQV z929sW;&%#M3%pX`I^gvJp9Q>C;5U$Vx4>s3Jm+m*?oNb{75GiyQi0zBo-Ob>h`&f+ zy7F?Rz{de^6!>k#-y(1;!gmY23*kAtcv)eD=L<X+*e38i;5h<EfENk;4$^iDd^*B6 z30wxeOJFbXA%RPQN58|%!gY_5P2hKtPlLe2v%x<CAMOuc75F%WuM;>Qc$>f@fcFbL z5IFB$o<D6Y$O0b^Tqp1`z!8DJp!@|s7UAm!-h=w=5cosj{Q`dkobw*fKS^y77*~5r zE`dvc8w94SLz4ne0$wTb$H-^Bz$c*GZ33SNyjS3Vqi#97d0C?nK33qdz!d^}fLjHg z1iV~e8}M3ztAV!)TmrmT;2)5G_WL~lkq93x@MK_{z~=(b7Wf?CB?31BuMv0_@Fs!J z2Hq*~UbIpAfal+awvQD!3hWX%20TmP+Yr4|;C}+I6?h-;c7Z<uJ|OUZ;35Cu`P-3C zp}_w__%wk(1#T7CfjG+q{tV&k1wH`0P2kUg4+#7PaQ+^i|Chivfe!*#3;Y%E9D(zZ zf4jh6BYcU#-vD<Dd<b}>z~2II6L>Mw?iRQm_<+FQA<mEwc^$q7HVAweSQYr+z;y!u z02~zfN8qHuGms~(G4l~70k0O}S-_hGo&vm6U?=cFf%^du`G}|O4?I@jDqxqu7Xmj3 zyc{?va5iwKz?T895O@IaT7fSD-XQQm;H?551-wV#9N@zO<C<tG|6^XCIB=1`xxl3Y z4+fqk@DSjjz(awT0S^WlqWD`Sa1eN%!1IAO3mgaDA#e!zfWVglXYb|tTmd{%;AY@L zffoVW1ilcsTHpo1q@z+DF2>&+5q>#vyTA$HB?2dbR|(t#yiVX&;LQRr1l}p|65#y; zhk=Lulb1#7zR?0-0;~#rDR8yGbAe|IJP&x0z!BhXfjfXV2;2s|S>P_<9Rha(?-e)( zEbZfUXa~#}_#z6|eb6=RGeQ^kzYRN9{cq>^|CjvwO9N4rLUdUkzDw~v65q4%jW69N zOY-6g{jf+E2*~f}Ue-r=KfLYkBYaRcWLah=EFTKr`V-+h5xyJ7f+F2}8y353Fc)bb zy5GEVfcBLBc6mG7BHC|8x(kdYazV;t#$AAm@``N**!hEZk{>71LhgdDP@=%=8Jg>& zE$Fr;cq$=-Xu@3pk55Me=hNE!iQ=|!ARbG^nv=yaY&-mkwvzeA0(c5VacnU`Kh8z_ zd%QGcWiYsyFAbeV{e`)i3RpU%goiJjb(3A<86hb%JKf*~|5tbwrC#b^SF*Fqs7N*2 zXlL8)?gD=TKShgEdhr57N4N~XMwmd`n(20qf=Q`tT$6sf5Z9!PD!C@5+QyQ*$kdO0 z!=`WqwLWrlGolk2MI~H*y1YHWb|BOBO1Xg5)*GsV?t+U$iflBhW^1w0tXhgyQ@~v8 zH#dihW!V-Cg+ivFsad{6-?Cmgn9N3#t;y~$HV5s<p}8qoYzryDV!xuQvZ9!q?I!=v z=b-wPX2ljV6`M^>_F`34jm1rVd!RUIu?JPZ>bHbUwx7?z*le*{0#-}0O%550RmEg4 zwws%pifyK#+-wQTLBI6~IoLvSv(;}@ikq67OlU>OR*W{8i&a~5&@B6nX1`t63fH8b z)OAhD=m_4Gx=2UvNHz-6e2X*gbVCpPU};+?&7m$j_*n;6gR%v5PDBi@)?~8XF=>(* zUnQyWRf1Ygs-Ipp3Ega&Bz*O>JPSNvy^w2CMvfZ$OzNuweY86mBG(=`(P<;hrG+HR zgak;lpC%KkkN|EAIMju!B-{lk%A^$VW3C0$HQ7)is#{Xdu6HOdhr2->{^tcG5&HfJ z&j5FUr9`HG>;MK0(OA3;$9Zt)LV%9ry9*}bO-B>P2ktp)z-WfBv6#U!7S*V#fk3k{ z2&b6{4w!bp>5xU&2DfWc-|b6>GfIF`>DEJ>uIaDh|Fflf$%p?dr5Qj~Qms^j=PLX^ z1(-fhWq$^BGD|v2>MwoO|Hjle%^&oEn3rg7(0{Ta$Fq=M61P-@p<%Tkw=fRnhLCeq zYR27fkpD=OCCRCOs?-EbH5!HRa>QxF{NzXcF4V@4C(^v2<Kj7qL%K1%F`$eX@=M}g z3_r>WA!G_dI`A%t5d4Zfi%027@yjDwsd`i(ZbAyM`n6}o%gmqZLHR<z#LSvbe>TG6 z$RVA-Nh*=7_@g#hq``<wZB4RxQPd@(Yei-m6;d_+(MQf&igeXT)520v>FsDQQLzPW zCLOSMm;pBp86<^K(kK-(WJDbd|1DaTAl=WGAtT0Q)Ug(I3!#npJ#o~t4c|YV(un&& z?6}#3*G`s<EN%_BuId-0qgH7-P@hjn4NE`^hcpQEsulDhP9r*Nyhcx)YkcUb1m0lx z8Pp6Csez9|+B&3-A*2IsNa}hhlg}u=%=$kweorpY^FRgCWPzKBFSQz_xgYB%HgX#9 zmUx_Mm&vbKnbOee^%*GfQi}1d^m_ZBfdA(x07ZXemL&C;^W{@zRj!ch<)EC9m&m`7 z*T~!CzshgPU&`OfImThee51iwWV9JQ#tP%v#-MSovE8`TxYoGcxXXCRn5_&_j!{li zRK=s5t;|#6%4NzjWsR~;c}w{~*{^)5<eE+}nN3kshv`z&?@fO+Z8mK;y=5AvTGUFl zT0K`?s{U48tv;Z>s=ltir+%jXTg^5PH=kr4XFkt7*L<D%0rMl~&E~(DcbY#o53n3< zQ7wxsS6Y5$S#7!7@`UAC%fBoqTFusS>lxNL)*GyUv_4~f+4?u@XVxLMV{9kbrrOT7 z&9+5s9k%;zkJz@_Ubnqv+im;EcF^{{ZIu0VyU~7zz0p3$-eSMVezpA``(yTZ?V}tM z9d5@I$JvgU<6_6<j%yshcHH84!10OWJI7Gx2<K_eD(BhGInJ;%>g;k}?R?g`-C5|e zx>{V<xPI-r-SvWNyX$q=F4wVctNR>xle@(|-+j0HA@?8LPq_EFM|lc8C7!9CI!~kL zGS5=a4W4^FzxQnO{LS-;=aA<I&p_{B?=fD*Tjo8_yTE&?ce(dg?;7tPyqmlqdLaO% zwdl7&a#-$^FO_eSZ<8OCACWi9FQV7pl|Pk_GEO$uppTXqZ!tb*+-f{saVRxPgL1AC zRW4R8S8h@6QJzpfRK8ITD+5hunf#_jrYlV=Om~?cH$7+i*3?f`RJ%G~y;8kX{k{6A z`jom;{Z{Q~9$_A3KGkeCmz%51XPG1Bo6T#@Z<_a-&6W<!rIs5kt1M4iwpeyr-nIN- z8D<@W9;vWSw??fCtyfuZwBBu9Ykk$a1HJN<HODs0HriHTv)Ej=2HWMft8CZV?y%i! zd(ig0?G@WQw$E)<_VetQ+Lxd|ZnocUf5^Vk{wMq2?O)o5Itm=Jqta39Xml)h-0Zm1 z@sQ&M$6m)l$I;HwPJ?r-v(Q=Ol%1+`y0g*Q=G^3b89np5^Bw1p&LOVhu8FQv*Bn=y zE8$x1y3MuL^#|8x*Nd+ATwl5dxO3gZ-9C4#d!zel_lxdV-EX-6;r^HVuzR@2;PHCS z@?3#_y2-QJbD!r$^wgW4&pk(ZCwWV~)n1=>o_D_Y3hzqqE$F3Zy$8Hsduc+ay^>+_ zDe`#PAy1R1%QMkqm&@16x5$snpUH!adB)>#<&)cZrm@l3X}sKc9eV5U7*UckOgUMZ zq0GWq`m^$?vO{@S*{ghk{u*J5o4gn`XQ~&fo$96NqhDj(>`>oVKURNKOUy3wndZ3p zGV_(@+s(f-KWcu){5nR=aLY)G(Q>BcEX#S8X3O=Kn=HF5pIapBY1V3Mz}jYAV7(f> z^N@9;^?B>xtz&HEwo7bR*jC$Kw&mJSwU^qb+GpDn_Dk$HVr)EX-)4Wq{(=2p_Cxmm zj$w`y9Ah1m91cgq@hitWj<3-VN#|qEea_FFUpo&w8{G5U3*48xuW{ex{+oNJd$;=& z_c!ib&nVAWPpc>5Y4;>Oot}lBMV=*|WuE1pjh?NZzkA;G{0n2?IIjUC;B4<=?+Wit z-bcMJdiRs^Sc*L%(A6kUmd}#s%1a@wo{(RW56A_^Nyf8`7a6ZM{?7QKahq|NQV1HJ ztF(dR?^Nzno>E>`c7cjND94yiHF?1GOCgQkHk|}|E>K@mUsETV6?2#Qa`WTnm(9D) zKbj|4rdc{Iw}V=rSw@4SZPtkOe(M+3AFTsyC)+03?6wM9n=NTuY+D8nz6Bioh;5_o zY1?+&d$td4pV<1@$Joz=Y?*Bj+UJ9tue0B6f7HIo{%8AZ_D}3Nj?s=n(9Y(la?Eth zc7z<Aj>{ZRINpVnIpjD7{2O#$=v?5u&G|g|_pr0SYmn<`*NLuiuG3vE*HqVZ*DP1S z6$LMMxz@R!g3Ni%^``4HSGN0T_c*uFZF85o8{Bgsd)nPsx|h4}b02d5=swDGy2s>k zdd~FB^!&>62hVe!KYQNr^!E<;p5Ptto#w6e&hoZ`n=kQR>;0|wHt);c*Sv2+?(Fk^ z;f2~G89@8-@(ejDcgVNP_s9>)ugS+4FNUm{q)b<4Dwil%D8Gi(|4tcg8f#KalTGtY z3r#ng2C75Uk?P6nShZGdRA;MAY6LQ7k$R1KubOM#Wd7EiWf@`_Wf^NRF+RP_@|fj4 z%O1;qOFwI_b)>b>>b2fueapJr`knPGNc1_jxuE=|p!_Pxi$(UO_T~0B?Wa1dj&{eT zj&8@>j`tnkJ4&53&I_DNoYy#4IB#^`;aux{*!h~%>l*4l)@^W)cNe=&?p5x)AeCQs zfA0R)J-{;rvboN4f#)L6)t+w8I?uzN$32@pyF4FyzV>_%Iu&_s81v_P=Xl#8mmlyx z?0wApwD(=_Cp6~gz`hFl^plU0kCqkLiBVr8H)F)##Avln-XXs!zb|JQbB&78VVnv% z9e|`>XuQJsTjOfuL&isqe=@#meAl?w_?7WHV?Sji<bXvvU%5^Bz4Ey7hVl<(pYpkK zv?<?oqR9a2o^NU~wVS$3SDCIi<*H`YqfS+u)dZ6bOCTF=RPR?GSD%3d|5!bsegjIM z011A+`6}~G=5^)|%qLnVSV|!kf|mJ~Yb-ZnM!m=KfMtW_Ez3U0htsX9b&54;O<23E ziy_6Yw?1fn&bk$H{2l8)>o?Xxw&AuCo5|+1&9lXAUACKTcY*u=WZQ!t8DJl7KN)lD zY<s|dIeO<haQt`nAMHmuRL4}uIgTdB6^><&6^>^e+a0e%a^yS5IqlBL&VaMk+3vj4 zx!(Dx^C{;i&M%yUAh%1v?H9N%c6Gb%cWnWmf8rVhX>D>>x@+ARV^-bm-Vg5X?-}DM z_NbmI;O=_Qqn;PgZ~HtaLXH%Ajb4X0;Ej0KV;0@({nQJU9`{vJUmXJpJytFPPdCaw zIVoQvUnj4XAC{k%|0KUEe<*(<{~%`@Plg7hVrIS2cnKuT+s6IqpTWuqr9hDtm(r*N zl!&rH+05kiPUR@m5cJUmlhZWK)M%P(y3F(|(=Dd^Oi!4ehwk%*DI0y&q(;@N)Zako z`AGejdV=|6^J$n{Ys`Lgr}<j*2J?%MLffJ9d}!Wp{?2@vWvS(U%fpuEEw5sZ-DmmA z@*PITaEuJ2wGnzx%-UhS)_SXTjrDid$E`0~w_9JwSos{ilxLg3X4;w1g8b;I-`cuu z_t@6iKDHfaH`vG7i|ju8W%gU`cR@BiY5&6ht$m22+;N8Ee8)=1t(adwbnJKh=&(55 z&N}B+&g;-OJDu;LUnaO@SGnsV*X6F2u9wj#@4NEdqudkSad)TtdiU?$e}=55F*Vq8 zB4$t<X3$xl^F1w|>pi!59`XFi^FE~f0PhIzY2NARnYrFo-oJQ1_I^t;ei7GA2SPVJ zMV`uJ&2`XAZ-t!SCGVGiM1Kr29%C#p%Fsz8#)R=Q<Bi5UjGK(lqi6OSKQ(@B{N9+Q zjDhA;rqn7y%mE9PE0u?o*Ob#t#psnX(^S(eQ>*E6(>lxmAD9lC^3_vSuX>IeQ?FHT zQ{PbEQU8JQl5Ng~&QlD1Ctz;H%zBOa59X)LpPIjCBj*mwTFZLN<Iq4~wfx<(8?x#k z`XmQ^GTLgej)lxBLZ94#QS%5i($}m9AiGA{#$(Kwq4@-Ctr#`e+Eze<Jz#s$_J-|U zHftQRon$`^c0ZH7++JnB0UFRV_LuE{v%hCQXwP+waGdNI@31?jIU3lUvB0s^aRYSI zyB&`@CO9WS?>P^8X{+;MNWIn0yPQuu-*A42arC8guxpH~*ky7#U6rmHSA)yvintcL z9)kw74Z7-X=s^A4Biv)qgBEwG`%L%w?n}{+o6w8HJd-@rJq_r)Wsr&YLs$JH#@4Hz z9iI0*`_YF+ZwR{2Mz6F2t54Wxj*~BjCi<g%l5wojYMf=9XPgfix5RjZ@mAxV#&yQW zjekKe4OS*8S1CJ{X{H*}9OyMmOt+fuG(BqCWZGhS!}N}6ujyYHDThoyng*yt)lul5 z36O8)YL$AH+N!pz9qL8u67_2JI*g&))VtLC)OG4(>XYhb^#%1W=)qmkiat?4SAS3k zn@3_T;V_q)E6wMaFF-#ozzADmUSqx=z4@H^@8-ABr(c=}S_WHAww!9QSe%v`OTFb> z%N$FK<wDEFSZ(|ovhiN@_7l)?U$wk#`4Bq6x0e3aJnKo;@fd?nYo)c;I@{W8ZMR-z zU1GfsWAPsA?=cpix4wdTYmfC)>mh4D+YqcsPPG-=thO@SnYLNBCag^6L)-e5?KW`1 zA8lJ~uiD<W?X`Vn`_VSUeggC_+3v7c*lX;w>`nHVeIaz>8=*(6hfe$~G>KQC7r$%& z2c+wl(8wf5j$^3fILArQlP5Y9%!Xc!WYU&>j-VsrNIJT(nz`C>o#RHw?ckYpj>jBN zJDzv!#3=s~qkMp~02;K@S>{}Zk-pM-i}NApADmmAe|PSJPIu6GjO%z;qw9R=9SdAn zVBGJ3#<AD+txIwbh0dY6{qCji2i;rTJKTHRU%Ll-hI>u}=QMhnJW)>qn%*Uz#h$C6 z=Uwl)(Q_+!=^oDm;HC|jW1sds58dw-&uh>|c0o3L1kO5uIrlq{<jwZxdWU)Qy(7IR zdkY}Ti?BAbcwLx>E4^oW8?Z|9dt1D1-h{Wydztr2XfD@7W4z6KxA%VU@1Z$937z~; z-dDVTgC_GHbeT`QpL@R{In#}OVeqRY50r<<!{w3k$(RWy%Cc;cUC=LS_HK~RmFHj% zkH~Sh-dZAGBd?Helvm4lVU~DE-T>{Buf1NAcY^Ep$ors+ek~uC`x*J#`9!RqPs8k? zh!yl1#yYH`XB(T0t;VP^35|6TR@2KdI#wBPH?A>0U|f%N+a}|4SPi^t++lpnxZC&< z=9@3DGWY?j?OY`f^Ui3@JcUXLR^1MzRGFewv-QFSkacsFc4a=~-D0f5uTxe+`|Vcl zRn{qwC>xchl`YCk%68@N(1bt0n&MOCAT%|}G!XOEaMMWB$<Wy*nq-s3<bvi#BeTJD zE=FgwDS{E&iS_#u(=}Kt-e_8l_2OF7L#7Rw(>9x4G;K4zX4+|b*R;p9&vd}_H6&_3 zHAfw$=Bp>F2K6+x2&+mP#&3mshFYhd%{0JP%z#OZ;zh6kELU$(SE;wFYp|YKk8!+7 zeNNp9i@*-`Ep<0$$o=XU>LH9}lE`^ji;gxIm<!D%W|fWWDduYP4D&3E?I0`$?dJLB zh33WPWw0HrG~Z(GHs1?v=MnQp^V8-X=6A4W{mgu{<v3`YV=Ut>#jqzhEt4%(mO4wL z<pQjbqR@sGTduXNfJW2}edr0xOVEh^VHp9rUI3|H0=>v-ooubL)?x0wz#76Ds>6DT zb(!^7*56ofv)*TY0yc<`toyN6IAs07nr#~lP3Z)iLCAi$t<p9fWB+{20d2OMux@x2 zRtXzc2^T`%--NOKsQo#6wquCHjPYCLI1j6<CmpXiK6m6g{mu?HDxbw@9OgR5)#|#? zb*bw{*c;w-?Q?w%8J^=F<~|V;yaAg3Xy~rHJ;!*bLR-DedxQ6O??c{aysy(rYCZPb z!TMQpjyy~@fa{mZzm+%1TjY1-Zy>vmhkiOzu_=?41<G%g*Oj-GQ%yxCqp1S(=K0V$ zuSeg1Z<5q;YO(52r>Oz-Wk2&^^Reby%$0LN^}9jyC(O@7y6!fA1RdrJ^C9yO=4?x@ zCC@U#GTKsLDYTS;_6}&EQ!Le%8J1a~e$X=4(hmABL=P;pTxVHnxdnZ2uVtO(5z9u) z(~!O|S+--g-DUZ}ve)t{X58<fsSdOb!F(%ime?VlAY}VWGa3g=>NNbHW6QIRgvG&N zE3_5aRGSU6Zz<Mp(`<F<h1pn31Th!4V?EJnTVxw+FNDmsVRe;sbwb9ia>2kZk<ZLp zjH30*CTMwEFot$u?%IPfv|l-dmAPcf#u&<j)@Q&NQcX6DplPORQ=MrQY+GwEH?3DU zVs6@^ZUay61W)e;PajmLf$I)g4}(W?FgN70dXClAlWJKFD+$$;Y8hd*TxeT@mCth9 zO6U%&ZEI|6q0eo=+H(`;kFB<CwjH*ej$MvDu#D`7ZRC*Sup`@<;~e75caDUegj-2e zr_JedRye0QtDOzbS<cy5Z?-xkSijG41)&>I>leAC(k!-5-wlf%wSI$W|29T}UCM6I zV83zzazsyq(Toa3kR&STPztUgN;H^eLzV;~OS)0#b++}W^CsJ7)Onk27FG&#Fajd> zc6+CN5mw8~?JMo8?5pkF_O<qP7!w<?a^7s;YOlunY!++>3o(zZ@*MOW_Dq8frrq1= zT?9+PO78|}BD=6w#V!$KJ1%pBJWoP)FPB$BTJMI0&W2=Gjip#|tubyf9xxsRr&G(Q zN3+p~4dC(FrX=Lr7HA>e=(~;Rx9!j<_M*om^APA0W6d(GEz`^m<~gv1b()ue=T^fa zwgHyPZP42Hm=Bl_n{zDr7K5e8VzX4BpJ!WIElJoem%~=J2D-#1%T~({rZ*n4WJ8k} z4cVevOJS9ng;iHOEN9ECE3Mtub+F8AfkwZ}y4QNpDuGW%+Q!;saPc&7#vJfOC-`9n zIAJX)x*62mi8a^(+hJRdJs&!Lk=+Ijq7D>pwI@N_<)G^tP;?Whxx>EOz8{)Hwj+<( zBUDGJquMbG+CsZyAy#NBv6f!v*yz}Tb=odwX_LT5BfxMvzTXAXF#6WZnq=$mVu z8=RY++pt2|<2(SHMUE@qWpEX_Y_1AdoohCvRT4b49Aj#YYrSieYb!K}-LCzvL$F%p zxktMTp+l6qtKGBQL0Byox|g|Ey1U)$V3XV8-tOMz-s?W-mas-23Hy=kae1aeE1d&g z=!E@f1#EL`p-XIrC3UA~544BFo*ZZm2DWCe@YZ=}!?KYCmn_FxV+~sgZuRc)?uIlx zgtdDXe%%lIl5(CrS}ue|yi~51XTc`kE-!>^Tq$?U>*S4)kK3^Z*()E!X4DYlNNBjS z(Pf-wY%tEjN~9B7?h5eLTH^-eX4s&18ux&|4jXfne8r#?L7rA9b;@j|RY@v~l;z4Q zj4F~STfuv~nIs|p8*M7YxGBY$nT65P4*SV6(@Ik})+!spk=sqXz?BCfd�QR+Uv3 z<ZpvI2Nso1Xv8ZZZ`P_CAZxZk&g{Xu|FD{4&Nmy(MP{41!dz#bjkQeDyvV%Vyb3z- zdRSk!VqV-08GQ)yIS;bA5OTQ`GI<u{aXV!3GRWa>$l#3@lB)mt{NGQ3RVShi{rXAr z;uDt-95iw1w58t+%{r=I_u>;TK~Pt}tSsZv^3Z{U<}96-73!beFKd7#&mNe2`oOI0 zti{%TS=rq+7$3*$LXMUP_0N*Jv+wG+2sdr^NSke_`J(OIeX+7LvcG*{@3#}|XYYUW z%h%o?Kkwu(-<!Q@`#Uuy-HY?P<;DF!#b0B0|9)Bh`sH2vn@_%9_+rgD`_8;&!H$84 zos_4jY1RPL=kjZfgXKX3`_IfCcx=CO%Z$g#$I?U2u|pc^Vyk%6Q0{LJ8S~}g6nxaN zgDX1XO@90$1g>3UtwU(;u>%`g{R@&I<4N);iZ=Mzd>){?8w0*m##7{z=ym^NM~K(- zLj`acYip;|%H?J9$;S_cj;|<2%s2R)d;C!NswgH|F~K3jey)6huCg=hwc>J*&9Co* z!x%g|4CS#ne(Z*MIw6x1UflT9YbwxCua#Jj3t7T&388B*iVag0d2v>Oo<QiZ{)@AY zMh9o*_FJ5lB|W_E4^<6k-ZXl6?#^*t*B3NSjP2TZ+LrRfyyu=NsXO=k{O9IhSDrPl ze8Zg|R36;>$BUm&ZYy|W!%C^&H`D+1%!WT!jGgz2uhRL~idV~rCyrlyZFs}!FW-Ff zy7;KmreAo<!^U^MKg-{*{@w?^swx`LS$WT-t6%;2=8u0^{z0SH{o)O~&Ny_jX-`+~ z_Xj$bm975qh5l#V{J<NLJAM<sDm3AWE1#Q_zho%wHVzWl%`LzC~`Q1IYO-+Z53 zIR2w=&KPyseb3)s{LnS~?)~V2@gpwrf3xbsV>W$IcjuWOp8ws4!|p4(<AIRjZ#!?? zyLI6`HPb47JmG_iqiz`dM(dJA=g;j7R=zT4%B2m@9=q^`uFwDc?1lZnomqEZ{+)dJ zH>@j98kRjGJKuN9SJBzqwk2=b@y;cmdEee&y{P0JSs9oEMjtTXsI08))1W{UXwUGp z7$IDgVu3_^39j=4>yUF2<FS*D&C2>QJ4YUfFE~ESUUcC}r)1l(o>aS)Zh2{mNF0bq zbZIAXj?yz!d07eKFn&I1T=oz-SF1sPsOyyL(Nt14#>qgrke-jp9wVQ!20Uy$0i%*J zY93|C_@!8pRa-F|le+QK|MJVF{)2A)b=PN?og+W+S?i<U{bSHcPu4CTc)rzl?~FS} z{A%Cm8wOQGziRtr)<Svjx8Yx%nixDhHue68?8h9M`0%akPkjEmPtLhf`rWHTra!XX zcyG?^i5DII;G&ZntJj7`{<EvJY21y`KmEx%_lhw&*Ol#i=gmg%Neim3nmA(M1^3$K z77V}ptP`%d^f7sH_T3oq*NPE8>@NpxTYq@Q9L?T2ch#s9>+}pwBmV#N7~*4CHrg`A zuwvK7aMOQj48v`Z_r&Q(8pHG>Qn(Wn<5)f7IKC?|*j};m$y4vEsCshPk9QvM=hpvb z{i?TrS9J6lFGPP_>Z+f4^l`6ddr$xO{WsqD=F|SJ!RP(Cdg=TRcbA`8@Y_$HJH7nb zJ9f5ixURJJ(<^O{AM?VgUj%0zI8KSxG~W5pvNiqQn0WFlXTJYV;PvCLR?b_0!OiEc zy{)ir*zup<__p6!dDcmP8GiQQ8>Sw9@S(4p-BZ`K$3MQ|W8W)zk8immxblRj#w~h( z?`sA3Y=5HPMRzXv&3U2cKRrIVsch-QT{+duZ&-eP@$CyLPHFx7+T?<_hn=Tfd-k=a zr``-~t-8(e!VCLMgJ1jn?okJ?efrHmG+yg`H~YSe3LY8zP|2U#UwFFaiqmqwAN<t) zwKwOypH~=v;1xcO7iTqsQuXo>VtzL4`oSq|1U-$Tq46_A=BPz-LK{vP;4N}Uo~S)z zfS)YJXfjdE#`uCnNkT|yHqfo9xc!!%o{sAe`%8L6os>)@iUa=Q7NrCi3&}33+$q^+ z*(4jgCv_L=Q<FgWnbZ&kzjTx<I^j0u#qiz3&d5Lc_3F1~1djJ!VA(YEBl#4n#;MsO z<q?bemVTMDEGCgGsnfaP`iWBYfnPVt*3P?^j6W(i@{xDP?dsmKvi}21YsTGiOKJbn z@4Whtu9wHO4t(n|WkcID2a8S%nD$f!+lGGhe9N$J2COkh7G6E##eY8X-Xs5f$ME8X zN5Ash<gUkNzx$N+l=9AxIv;(dFxznV1D~I{W!Z%5hb{W+F^AuoJwIA|!LZ6HWznJQ z_t|cF*zwk&3-b<-?%J^E;&tJJ|6cvrkP)YUe%X10+_#?h!HAcRy&RrowxMe${JQA< zM-HBQf7b7hTU|7%YSh~WPd@)c=gPC5U;6OkW#=DoZ#e7DF4O5H7eBtsFzDC|Kbd>N zd4Jh^kK9;vb(Qz=zg+g`XFLV1f%;pX3MbdSaFXk?8+JdxY4pzQ4teo_JrGmdgqZ3q zD8IA*y~5m6zI%W6_QL9=dNDN^V(Jo|n5e2Yj*#;~bEq0aA&uksea<#Rbuw6DJYAkZ z;e(GYs3+&{kf9>n5>Db$-SYIUTm}*i&@hY><na`_|FNV3@J!Otpr9Da@B_Uu@(^d5 zh#9(w1!|Zqo1uw-<I<0E$1kg%C~@$SOEjJ;kKvU&F<rR`97hc%1OKfzQjm_MpzMr{ zv*ZV7cfI0Y)$fi0zddWy*3#ye8XJ}0gt})w`P@bC{r-m!XBH|g9|a~o_gQH3vmY(^ z*Yq{_JoRpM&If0I6|Odn4X)qt%v;~tV+SG*rD)I5fddV{`|H;aelV}%uWv>_3R=Hk zd)^)M=KLyl??3M^TI;$O8x>ixSMs~py|n(rwST+i3G<#yTf%Ms8ryZtH4Ehf`yEHM z6dwK6r`NRF58m_gofn-pbl#pH;`h&M+;ZUE7n`>oe)yR~znfNg{jS&}cfa=1(ACEs zcQEk7TcxKRQ+nrLw>-aN{cXRyvhwP1|AsfOcxU^x(s!S{^B>bsDINRy=H1r~pE4?E z(hZ-U5b{5n|J9ZMUvXC+4rSMeXES7`Y!PE`GKhEvjU@?LBC@}>u|;EfiEM+SF=eYP z*&=($_9jF`geW6PQML*dC8d(R@I9lK^w#@*-*tW0cfEg}nRDhj*Ieg!-}mo6=l7i8 zBB{gi(yp-(5pq!P8nBVTf9mj0EWaAIBJ{9b!yh<&U48F`LVqbh===jh4!F<&(QJ`y zY`E|S0pdenN8n8ot7ofyNIs4ZtD1wf_WK|<T7enxj<q(3jog0@Uj@dE;{jm37c6|o zpS|dixUrKoh=RU8(yPz$-2hXhpv?Q}KH+Yz*`<r;>bPT>-aSVA08@uhA24~U*7@69 zBY<`}m;GI8rBmO;mC!eFg+!R~3qin5+;t#_LAlm|oJ=PFI1MjP@W6E7UxF4+1r-}g zko+<4`dB=}jP@sApL}~vbxulYEhY6+O>)m7cD&t@fyxBAn%E(%X!6)7#Rb|pJZsWm z!Io0rU&{76>q9qIzr$G~z}7k`O*gkrPfmM8JWxxU*4iyr>c`vcSii7TXH-xDOHehj z4a#s`SeBET#+-FWsY9YhM5PPEm|wpS!%f$;b(e--$d#8=7#+M|B2pU1mBZ`Y#o1a* zOS^jR*vMo-<5~NuTSO(!7q)!eE0yyWey~~(_EWMeEokBe$CYw6QmBUNZEWK#Uy`S2 zyDuc%(5?GEQusKuFIFc>&5_9*dCU3T(=C5k?u7E*O?@rlx7h)UIA{Dw>gI7H!}v>C zmjZl~PGx?sPPS|>W$VjKtI<U_zfmNJk;X6k545b{UsTvcyY4t+Z4rF->Z5Zvjqxn} zani|!S{KQLl2mE4`<tr*;IAT!I6AyNg4$-ufi=1h!UP0#=cTlztOyfQ+g1ks8iNyE z^kn_~_iuklftW{xa5Q~1)18{gLW~sdQmQU3h&oYT$g(tr%lJ5_%0Hb)W7PwmI(1bU zv&qxGTASe-qUs%o)Dg#m49-q<{&9PDaQNb)lowT<Kn<s~mIlLurtP=1^8?9)Tc_XX zr7BmzV<ZgcQXMI$D`t2bZlL$cwLk4$%8emz@d`=gFp%M0$%`fW&7|j9&;Tlu7sPt_ zpE&PYz^oR@^7}0p6?xK=g0bnpESY}_Na-q-0G=-)003C+LdSQ!;)W)0VgtT|nI=7t z2bqHjjWhtSI0RE!c7T=s0V8^o`VsIIj^5x!#A^u7jK+L>E2oeNSk<&znW06$iR@ca zx(4(At`k6o{hWuw=y@m%%tOH#%e$7+R)S2_u;AdL?C;J$)qy(aHhHpdh^Im8x(ug4 z_?X>!%}t8cy}yxa?gku&)e!Z=nlZ5PLxJh8Dn`CdR?f&*nZblJ{MJM9W!Z}61)Wo2 zyBw$F%}0Ze<{nyN`pu*AT1k-Qy_c#LJRhhdN|Oswyc0JYHQf1iyX#VdiX-fc+pG#t zNc2f8|7JX_maS+qF%eOn^$hCW#L%{fA&A%Ly@m}J+!5Fr!#$YmpMi;aH*mCGcj=Vu z0QO;HfH<*ZS(7?<$tuF$+;=d9F)JnP877Qf@|;+s!ihYmCw9V{MODo_c&Y@A-;Wl3 z)jBArG@!adbpP6TJn>MpSE7ocY#+@}tXpxoU(Wt``EnNLj6Ozu+7#84Go07za8ive zU*Qt_*~fq>o@LKaK?cKau^d<7*lW0ZL=Q9IqaHh{^_8iqH!hxt>$s4zeg0N??UP<A ziP8SvLT92KZ<FXT+?!z7YlBL$%S_Vq5=PP8kKis(wr;8?U(l$&f)7ipxt)G+@2HD# z-)s5DcYDpEDef<w`5Gp*bQO352J(v$A}M4}D*Q7=me?Q1ZSz*K3B`CckE12>)xKfU z0Z(WX%yl}d?y8USbOQF#c7Ywj#SCbC!k)&=VL_7~omN5ivBB5Go_jLebz08HUY@S$ zniY8JbiOK=_BO<Wkxw6JfUeP8CP;G^f2283ng2(cqx(Jl90<DFryDZgviQMsx?YV1 z24jS;$HM;5JbA{UqRZ$92Kgn$c&u?2$aD_i*`NQ8>3*gE|Ay&SDHXhFUKS))Uw}ZL zt{_4h*ab*ri)V|5i~KDagGmGZhI;xqcK}Nt$By6wFzfvL6Qu!$^iDzu9q_me6B6kh ziUxf;U=I?tYS@KV$wOg?|B)WSG=N57Nj5C@d|RQ=$2Y7n`%&NXcz{TR61=C>gpIuQ zJlblRUA$|!h3HDzg1@5Ff>h4H=NnF82dl^cpDCM8i-m3f1r62CE19XC=;U4f9L|Ro zjB9X~52}lAgcRH1mg5t2yzHY?7`XtC=Avh2y2ZmJY(l)QvVW!W0k?4*?$Gw#DY*C@ zQAX2b2ery!K2J>=FUwK*AQ9>%o2;J}nljKR1Sy-$N~+Wxi{7tnuEHIlPVw+7j6NuH z*3Wd><q)H7Orp)iGs#aw9H}J#ueqq=R}h`pz1a@CPn+o=LT~Ji_u3ld#)Y~5v<I3= z&h$HTYDTZ4*Piu@`e)wc5H&oN!49McYZxfELZkj6_=mCnik3F`wArC40MEKpx(SX) zuj@q6w*~k%v{3jhU<Uo&)#U^vH?+`r0e~+X1J(lnSb4NwuL4Mae+&Y@9U(L^RwOfA zmL@*`>T|w<(i~e!W{4%9>D0;G`R=TD^^4*g2^2Ia5mXq&$(d%_IfNXoYVPur*Nj=z zSUR+u51~vOq^ywG3>OY0EROnH^q)?)z0;JtY(`8a*zS>>z-4&2C}}u#?ejy4%(LE* zI#?D~2N_in|ET`*$fDYQ%cI@~z7{RoA;um);dcqwxCFvTbxBitX28uIPcFSki*u#y zOT^+lWsW=~=q3W2MBOBDw=NGPTl41+859+%+~8stOFoll+i!pJ;o-T8&q97>B3A=N zX`Y*tHuFS^xrJi3>=nj&=FVZ-L?WIaIiq!`P$Fm6&44+^bN-$GsUpit>=$)o$*jCC zos$G+#!o}ty%BA<dY3z=+!2IH=8xsHud=p=udjCns8hwXk%3nV=Nwds&(3at{(;>n z4`LX3XX4bc&M_J5ZR2*nr=QD~!?0Rkj&YDn3d|=ZPfHunD1!2o9>wi5l;G4|@vPf| z-u7E6%~bWbzijV6*(|K;{Hd;25Z(2eJ>ULvLj-2%#17>3C~23zki{G&1qc3EMy$^W zxOLYj{%)kY4HaH4G;#4}YB<Z(SonT;3+j&EsBk|Aw_V51gBi&;eRm1Y&8RCo<|i|I zInqkF{21Ajy6w1dZvz>3PVws(!z$EJZ_wGc19y!#dzI~dqA#;x!^0`@`)qcBEwyrH zh$>?RiCkE!H-I{|iwCl!V<ax6>y$sz(9($;KMlzo%Avwgpf+IqzLJo5Ds&zshiQ74 zdH=sXKN#yzrsF0ggTxj%48s7)wgI@mPYjMntv48<U?8pSMr>lhvw$KD^m%3E!JR_| z8G;pv+UwsU@SxFrMDp|b8bCWE<&Ad@?lStgPR!1{pTYqOku|(D-`V&@=tY==|E&l6 zI*-rbI7;;F5v>Ik>GQ8l4KBomjSL@2ViGk>AJ?){j%2vL6d0`;6BLq>Gm<BNFYY1V z{QdKG92b`dSaf(InS0_E+-r|nwVIEwyup>Jb4Bn*m;D}m^z@y0X0oMF+!dbT_d9C} z)4A^=9*jQ_U1U?iLSmeX?xt`#vo5!PKqSZ}ytpW)4>)|{eV^{gosi_LI)5;zzfDS; zsQSEJ+>$L<^D32O4VP;!SGE(9tSI?H7U*M8(|j&hJbs`&V?3=&TE`pvg&}gmI{G%E p$+}j~MF^kMGudoB80j8jTzk}*b+$CNVaQWp{F;W#MJKgA{{kjvdanQg literal 0 HcmV?d00001 diff --git a/venv/Scripts/_testbuffer.pyd b/venv/Scripts/_testbuffer.pyd new file mode 100644 index 0000000000000000000000000000000000000000..f8fa27802598f6e25f49e335dc3c1ede5e17a4aa GIT binary patch literal 43160 zcmeFa3tW_C+CTmb3^?lOObSJcIT4tp;4=q~Gs8g`lmtXU&^#c*;6R+3gNg~M1LgQc zxo!1Y>u$PM>$V-JwO!jzD6Z(HWp>cgdaZS947R9D*<zdj_qv~Fh5@bJ_x=6<zyI&^ z`@B=n;XYmWbzk>&y080wu;A8hTqwtJa$G(i$L+(Dewpn4FK#l98$b0=<GH<~k6ph{ zmVfN}5?hT!(`0X4ZLg@;R8}-JG&(h_tQxzkK~vM9$(diQsc)>ZCX5?5CRPHS(a`Yd z9V+gq|FW<B`O#*iZ8frE;xqKvdX^45b~}5@*)zu`JGKsKMZH+>4wdZa4M^wM6s&%Z zjgy|fqtrgf7Q)gCYbtHjmw#kM7LLo8g>f6k>6iNR&T=8wkClxd&n-mGY%%u$y{mCG zv9y}Khj3iDSR8nAUC012-yJ36Lbyy&2#u&+;3+0M-5j?Vxr#Q9tD@qa92Yf)UZmf> z9JhTE-a9!iWfaG4yOZNe{AE{odQqMkoDV#k(EE@55}ej`P88l+gd5>U;{)EoKMlvN zOt4o~I4d}=VG2qBle-RADXySjCb~`#t8w1(DA<OJ2tyqN{W3YOE5YutS0ay%bthhw zxYpwe`ehP4yS1(n6>02515SbKE?hys%)smfW&Y3We~AK%guY^7xkBhJ6~2D>(hp_A zKUB~D(0;->#@2Z|r#^oKz}io%w!DmIhx|HYkLteX@LD_97unUssfB*`L3#T{*EnC~ z9wf_G=)0CK?=I_MQqhyk_{r0%@T^dZ^-<fCt8VXdT_ZLq^+i60cF5Lum9Ick!J_o! zM)c%H(I9$qHS`d2)t=T^Pj0kusJth4Ix%%m?o2A_$u)=%Ud&7pQzr3|Ne|DO9D-{* zh0*L%<L2Xik<oa%4=SWSj|Trrg+#&#bP(nMQD=CO?>(R=%rOKfQi2nv;6&z7qKvgH zU(p>5U&t!)gy4p1p`IeSXF*BNY(^%j7N((0D3uH0m;<>dq&L))RU(XUKjI7*a^;>Z zIfx;c2}7};lZ0EYgqxU<a1#>}Zel{hjS{6kx&t?1LCN_oKA+EzqpkDjpiyKMqmUdk zCF}0VB-!J7GMWAvHkzYHCH^TD93|}+Rc)`MVn?>J%-HW*cqummDv;}FjdsQhbD~AU z4v|NgqX|yL4kgNbk!M7%C@=O!4v4ReJJ`sDLL$!*kVgjcWRE1z|1x1P6wn4-{m_W+ ziAJTuR~@<F(UKmb33#)lCzH(|dsBdtKK7;zypeL{gj>|ezV!a&BkqrXaPJTC%#A>L zMNcMUbbVKVs(|lq<vEw!T^ONow`OuqdQ+EyinZAw%sEC41qL~4Q(*)LzOT(4$}UGf z)t3jDPRLRQU=#kBFL⪼?lBO&gW7HUwaC?zC_J-PVI4>@kMR{bm5fyptAk6bES~0 z5FAQdKUksIW9jp_F8CsMh~0ZE1L!HfBR8bTV>#!GoQ^ue0I23^Ios}Y%@PU*+%lg_ zDP+kP2$@m7<0x{6QbxAC*q>3p!hP7cRQTKSZv6@UMUSgLby1({-gpejvuLn4yyF*) za2Bs;j#99ka}UT`$GLmd9dmv9u5W%PpraGctK1<3bhdn<AE?hY=!-On-0QKNYVT6D zl>nkpaK<x74RkIsE)H=jKp4T$*((>E&nY2VV*Y5?wZb?Kt&RJgss%;9$iV=)$GTfC z$XsEbwGqAff%@U9wvT}&)R>JZu;>EDX*{56C-*{sr2Rze^?|C?Wv)_?Z$Xzi_bNR( z_eEqG|FYpf%Y3c@U*uCn_`}di?MGB?yV3eG@(HefD92oxWl&gj3dAzH`c(IP^n=f* zzbII|!lH9N&i!3T>(w3eBisjm5M-F25M=F_yFZt?`rV_5PIKgCemed549&v~<wg14 z!cfYELo3(>G0kZk#2ACrr~3_GZyV#MXu+Z=MH2JoDd_jO`pTd<!uCCd`k>))8k@)* z=h}U$wy!ZC#kE|S$ag_Z=UMKBt!e9``2ypS@&MKzm%``j_eCCMQ=#-&`e{<{MkTOt zWIxN5dn^|ycR6xJh8@nTs<v4u>1Yjss4!jykISjAA3$os(%<1wdcp<E1y8nG0D<Sq zFJ+Ok8|{h~A{jgU#W`W&f?#$Sk9zJF1#v`nL~ntxXb@Z|GEunmwuOF%P%wsY-O8BZ zM!_}s<NP3q`~XynN3w)-)@AI_W9b8eTyNwRr>5NpMiAvETw;Vna`%_S2qUHNN{k>Z z_X;iNgn|o~bt@F~UzT?{NLL^DZ7CRTJ{T^Dmq^x02?hNa|3no-?SZGu+~3Jm?SG>= zDTol3YlIfagEP#X%C+dAk;2?YuH`1dqE1b5#R!&YJSGd_s%LwOe6A>Piq|~{f^$#_ zPl9?97R3tTJ(dBYlV{NdFlT#LYo_3e0w|?0w*APua3MT&e{YCzs0<JWz3FHUuz&!f z$XW)oJOu-xJlI3vjE6TIA$SE5`qN;vdoL1>7@!aMDTUF)U@a{2UdSa#>TISF04*Z) zBrssGj8Pk2mk@NPb3K-RLQi$?;{?#6fez@B3oS~r6gM0uWV+;@f(t~B_b;7>+MRs5 zBTIh6DFCOE<%7cVDCp*n**=fO+ffzEF?=BW7@I2eFvj*Kpn?UIg1Y?#GDAZTAhX-& ziWL@leNgGH0UEo{)wcllprcUkt%Xh@@CP-7cM5O_jRFlaA$Z2{4UbB=`=_u}ut&jJ zg0&2LmE>KR69w5H&19eO*{Vnz@0!$h#5rN>Tv=M7%r)NK72-Y=(ssmkPT$oVHo41v z80fl^ggHv%Y^5tfSQ}xqN4TazVlK8$Ccj~Q^o#*PZHyS@x(X^^k%fU9-`Mc?a(&l| z?sAxrfUP5(z)uT`g%3)}fpbKSKuc6f|0YVRc9JlmOld4us@l)eJ5X~(sM_DbJ3~(= z6h{NY8OOm}9goE#8%!}sxQ3&ys{MD!2txU<04B^KM`x6KL+2pza(1jRFG9@Nf{Z9Q zMX4p7gD#bjtr3cqsU=$m(a3o-(IKaEQ1$EqDAZujdxGEd4%pI*LRo|`Kf2WCi1j%% zKD}>ktZ%Kxm+V`s^xiw@^I>A!FFMBzx!%lcCxH=FNs4{AmOtzZo^nQCIH{h3!7@;H z44d?hTj7ae6=7RPZ4+bRPKf%K)V`wK=e)^Ao(l9Dj5FzR$;WU_y38&GkSQ*;wE-Fw zc0Sn3eUR1~%!mc)l*=>^2KK7E6<T?!(5m!}a)*=EE0mY|m5|UQjU`~&nEp|_TcSDW zp!ds!?>x)<UHLwj26kELote$7j7tGOlzb!iL2$RK?L*9~dz}Kh>Rp=hCZ#XjO{NNl zqsZS?pa;kj8O;Z1*!^U7;3n^&W{cGN)2WkM-xCU=AkzVfp9|6=%VU96jUXYn40OyU z1J@hckryoA*MuI2D4ztb(8@knG!x?iCeupDviEwppzedw;I64cp%UGB<PT>9CV+>g z7$<Gm8$eN{Q!eNv`D$!s#I!Y|Pc&$Adr6sObA&>Jup&ihH9`GAH?<#eT_<wRmf@Te zn9BCku4_8r$5{qDTKa|DSg0x?cRKV*@6~V?C+JTIZ+Ii%L<<98l_M}au(aeffLM}U zCzDXi6%F$kV4a|-PhDn?$gIDB`ivPdZvmH;c?erk;#)I)XgNxrEIbUhe(hZ<Ivs1K zL&^gF#yL<h32lVZXx|zh==s)Uf;*ry2a3Ee|C13JI+%Rakxal0xwOK)k~zJMfjgjN z2b>d)ttRJq5MvD3-{0KQ7c7SX{aec|@Fh-X634uEu$Yq69#f2Ekn$WRK5~fSm84;$ zJuWQ+@uNtQi@fTbArvaIkjIn`d2yJsXpvl(u?<tn9ffM)<czl@eYjQDktf@dGsf4} z<@)Bb1|*NeF%b0&v^S~L@@UN8sbIl*jiwKR26yWX;_>)zi2Mq$7Qt2pWSzV-pxUL{ z(t#GjoCs8Y%X{g#`>c%lcuG$;LJ~pabjkI;-V!W%GW`lx8tddA87r#CNkjeVF?#NZ z!c2}1NW;*wN3vJ$K1DGpo`OM7%fKdDH%?XE-3zok<gefkwik)-_gRl4uT*~#K3<8i zNFhL5j9AtvX<3txWsN^y=DZCv7+?fnWC|u2Y(E?ADbCRDTQ|XD`hBj^HL&5?73D&A zkkdaP3AF-EFdHH_Dq(xeS*1W0A~;gkzQbtJegX@C<9I0&b;GGEfl&wANLCEtqY*wL zR;sY%9|&{!{bxh`ln`0dg&7P)ow|kj(=T?*oj3mphKBQuPc7qH=RjWyb5ex-hhRAK zw+(uf56w1~@f&)X;_C)XPySu7ue|&7kad$Jf0@;nQ++w=WAW77Csr3Fj_E@M^r0(4 z_<$+E0kVUUSOF2Y{S2Llb{qGr?z<ar%t@Faw5SF7eGgyy9yH0yg6r~?um}W%doxb( zxlNln=b}vGp$*^aeef+Ww(4LoW*qQX)J)$CV+6T6Pxb8K_O3g}hQ8lB+NN=E>RxT= zKgdTrAa{QubDb6n6dm%haQcA8U}#V1exqgJ&LNJo%|#P74Z*9o;db4xPuTdB<d2sL zxhar+0c_Yl3WIsr{mH0~=n(f`2SQ)>EGHcuq!LtZdeGgsM$w_1>RY2;;QiW2Nwvr@ zvK0#b2~R8Rou?J<wOVN9^+!C*2goJ&wdPSrrY#VXR3X<SL~Ln4ap%;IIX*Z$kn>P- zuH65SZ3w?~D)dzEXnhy%p`-v>`7E?FzPaH5(yct;VSycbKxVl>VBqC9hg>?18u}Bd z>Q)WpmF%Zb7~LUPg?=B3#h(0Uvk8ED!{=x|T-eC;<Wjt>97_R@;zeSr)Iz=$QJl;k zIR(soS;j(s1I(Gpox*KU^swN0@3lP~Tr7luQUngGjWM7drDeI%o2nzer`38FVwg%m z<HSXZpN0MIoAA~?>Z?pxAJH>gL9d|D6ycWWQlX#xX#x5a+<8do_t+J*qWfZnaElWB zQSP}#0aYsTr|`aT06eNBB0G5E&>My9h&^hjYS%vKQ`-h`#Q8Y@KTe4omaqZ!R4WtS z6ApW;z9+>h_hhG#!$Uz=Fc}sX<7+wLJ#Vg9+B-%lju2k=mSKz@L~gSYZdA2>52S@V zQuIgQz=EHzM$F^kOLt5M_rv>8k^uZ2B}@R6+uWwRIcJ5)|3~yEP(K}&X7qqnEJ~U$ zl^{=%_<wxpTfIug|K~}%Lf=PCcMlVRQ*0?TK*}&1Jh09xWKTyYq5DG*7_(#VEETfV z9ggVG1Hv1gaPM|n;g~6sR-4TNp<*~~o)k_)7MyZ&ToL|tACY_JMO@skR<*rP&0hC@ zfWb<Z_=<vc1^uo@Y@pP$s9*R>iV(P>#cAloGz7^c)FE5A-lD+DbJIUIVvw!Zi~5t^ zZO5hRq>EwZrRo&F$C7pmVrzczqikMO?cE?`V-T)dk43@aeelhLJOvmyCB<W+L&0xD z=HV3FY)}(MHptU%KYeGNs{Lz3WJGipJ4Ya1zLcSU(GnqdPO&Lb%tknDaAFlG$F>H@ zgb2tq5|CKQ-7>(rqDyT~Dvm6Y{1FBCSTFSy2&9C={bW3i{jA}{lxq6Ig;p#=Tw`q8 zQRBQ4gAfXo!hUFE)w58_{=JTGz~l(OZTS>Ws8ibOIE~l9UWaIZU1LR&J^v2Lghg4_ z1M(p{p3S1bo;wuGvmn*T#D~mmq}XD}RG#0?+D3HDi-zd+WQ)5USz;VHTfM*|^E4}Z zvPd+!o-7tX?#YrWMTnWvtkW!w_+U#<&l0$`<SkLhVm$0S6bmhb!h7&n5nuHFaGnGe zu8{)4uFJetcgrBBy5|tJ$%ezECWpy$$8_d1&6K<)$t#lUPxRV^IYZvkaq1N6{DjNz zFpZ2jqD7K$pkuyz#(rQY92f1a<U3s@`iG-@Q0#Ey{DDfO2yU?fv!sPHEkK4|C%-R} zDIhTSx=EKgmE^xLX1uHf(i{CLq<5(#Iak~jx~x^8y5z5wBHAPz5We!k1%Ur`7?h&5 z;sodg3gN1;APOh%8xg475|0cwD3VamT)C&PMBmjTPBTiG$z}RFde=-i@TFy-ONV8k zsKYYYWAW0=;`Kt0<(%}|FD<~3+b0E%@OrMtGALE>vS^o#E3!RsKa{+e1cD*wi&Qd| zF_ZN39@IwgM<_T4wIpN~QQj|+2i|Xg5YJSFs*Swn)Pg=&ZE8Wk%L-;Oh7pRcTj5|} zG-2)mjjK?w4464A>|Kg|(cnrfR0Wr!sH1gy8RDPY7$Yh%Lq_2w7I@ttJQ4{)VTt#e z&p@ie62K~7F*++k-$h!_HUM--Dh(Fjq0&uI2<XZ=%2wopW;+QYkFss2*P{S~e)q_n zW88%bnfvSy;BdsW5Zc13xNiaao&(M8J_s8(!nwo@F#1P{^rw|Jnqmruk)H)xkqh#( zV4X<*3!o6q4`?ou-?r`n(7X>Q4X62Z&}#}9`QibYGg?%77pM{+v=1q&{Q?D6*&SI* zY@S8$T80U;@oTPB@nRMt90nm5v540A7gwMTHb<OcFRsMff+DeHmDEx+7365s*cUPx z661bE9B({Zz9Isp+Omdp@?Ol^3LnRwj98!#3_o@W39sX>YkveU@cL{*=jMMGo#ox` zG|mt1fsw;p-tGP76A2v&n<05w0AE|kED`2LbQDE{g|Tn~iLbr5U*jaL1zE&8L1I4| z1MH*n#j%(zEG51czW?TN_Z?AweeD_r?Mrb>_xcD}1+_Ew;(i6J{`zRnsS@_P&qkS| zTqx9VFdv;j^ZXWY`bEoNrjr**;T?`UiZ-g+9H>;j0ycq^wcoY7xL@W3C^ZLzqh1S8 zW&*We&Tt@ZBByr0@SXc?%BIiA^)sco5ClNS)2X%!IfT(-(_)wE;sGV{b1453wcH=K z9S_rX*Mv(4$ZVj{Mui`Ug;B^d)6I#NYV_Ymg|xbq#^@Xi_xnG3vNgy8P70Tvh~%6q zj&UDq6Tgbgq`-hA2dF1oG)LLY90`e{PgU%DPk)33{!|a{Hy(BsGgz_iJ3!Q^+FTT) z@I}^>Wl$;BnMHM66R3_$>92!ny#|x*$;M8#kHefV^<_p$+JajLZ9zg3BuK+uFTZ}J z)lrr*HLJvVHSD!eG~GQLy9Hy63rd_}-h0lHPd>CQA!H$7<_hh|!osKhM00rPafHp| zjmHtI&C-+#TCq?ma6(?J>e=I=?+FK1z%7npdjQcwNa+6VT?ZjVwwb^$2sQr}FXV~* zHQFy{`@EAy-z9ToZMNOLNZC;sUFNkxGU39Jo+hfHoeVw&1*8nH>9wCTPaQJ?9Xhmo zABZ*5p&1+LXDH^LT(*^8R@{@zHuD2=0?k~+)O7U6Oija6S0IS&83h~v@TFAW{0Pq+ zP*Ltd99rDBr^w_SjTp`jXNlO3LZ#P)_H4Zj0cY{1pr|5SV+@hnKR@n1B~)%Hbm;}* zE8GW*U_Sbo`GEJ-Ozg&#S23KJ0c;7O9;+qfM*9r=e36U61VU*ntt(H#PnZl&zNTY7 zc4pS8JLFrjI&0Coy>j<?S@SnSu11jWQ$1@Ll;J!@v?qEWaypdz1R3%M;4gY)B733n z+d-A(TYHZ)bVYliE*7SchexYqJr;WrEH?2r>`vgFBHVDY2C)F6d27KWz(;RRZH;wa z>#r2NfOf7xW&M%V!id(48QtU{_0R+B%jk{>L0EnPt0<3rBH@H}F5W{hOcjEu!t#Ep zX!!t^q!AmAQLnAB<v1{-@A9nB1g|s6RI>9ekSytB3$O}j5{W2~Gu(e>#jmp@`$#NX zhHWWfUI~0NcQXzsEE3lm@b=wzDmWbIxqZ5@z#!yBd*6q3hu0>?hm2+orpGnL7b<j% zIX}YiVxf@9mlC}U;8*v)HqsHQwi}U<7AR~V+3oYW#`}X<s`i<1!2RN+xia*N*vOVT zI0=#RUd<M)Orj{F$Rz68fJ8-!0}%S9Hdm6WEok=dNYz3nRfj%gQf2w?O4X-m9~i=A za)lEB{^5;8)#LKge#2<2c{+0a;?M9dx`GZ+ZF!UQMCo++OcNQ(sx7Y|hx}M_M49{3 zu{avb1LAnka>UJ95NKY+{*OZzfd9obSRcL=TTZmyg7!3{v++bErZ|=ss-nP%ZN-&C zfBOkl+jUguNb0<Z)`i5WEdw)pNCXbhqfd&@Wk+`y?(;Lf9(+kVWh5K-LH4n27Av&$ zv2-%pXBp>3Y&a^ou$_%FB!ix8?5PZR&;Ze&;@C}d*#RYRv@k9cTx#6!ib8nfB$f$Q zF~9-D+0nP&g??_YfI_6$gcr_ETE`q5M;H)NQs>KEbIDCQS?rxL)N(U;1pQ@;n>fbh z-WG+}5qwtQ{km861*Wy&f_K!Jpy>rVz9yx}$IB$MAT9WN_2NpBh%@pK7(0;znPx}5 z=!^sjI3+G)mlX)p2g0n(|K$-XQoxUeo$(24V3=ld&M6`W<fsIhv4AcXmaDO?Gs?CR z81~*I<nl0#C0JG)$C11{`9SPh4sWVi!8xz9k&R<Ohr<)sY9xGx(ZbulH3sh<upU@Q zEFiT5_tv$DrYRHMIOj=<!8v=RQW)b`3a$)+$$7#6$sLxCfc`dCY5+b@1TMt}L=m<e zFT&znav9y&LK{=Q)IU-f9fkMecOXnZaKZ*-3|1~3i;lbZM|<ysu>*O*_rtdtI{;8T z!-kn+sxYwfVDygOg(I?R{h!HTAj(y6u6RL5fp>vzCn$u5FZ*qu^9G^73rZTph&`Rt z#3^}9Vv4{i#-#{*>5qAT9SL@Wzbo3ue%Q#qB1CBemUP{_SQKFy!wP&Z9NQwxS&LW! z4j@g(E7`0F*n_7_%k&pJ?od*^(dT@jFL0m=q`b~EDwkqzKgc(n!+Huk1+4FBQs0+t zXi+hacIuBU^@d1wL_;dw89fvNLIQ)d2hsv-=~4k}!iOlw9Qaa9v>!nn+i}ijyB{$? zaT^HiGjs-H7$IUvdl{b)f(*oEc&$JTfRzlxhOGz1<%O>)B5=AW$Y%k*{&H+TNC(X> zFP~cicM(Gw&sI`_B@CR{EKN}DVg1Ga1iZ`=UlT$w{fsl@K@fuQLG<TG@xgK_(*S(J z_R(??Ja+stNCE%GKR*5^;9-0Vcp)!k`FSJO)<HCs@R7<*%g;~#sq)O_=fD5w$o8a+ zYO`T;++ESYl-3jwIdZ4+A~t<Y3!_W#ub6z~()&21ckQm3U=-WYks`6Y8!byj9txrs zqc?+}dj<Fxvm%siS+auGB>xTIpaaIw;A3mz%J|dj?0*e^7@FnhtFUe%vZFtDp8-== zTq*@3gvBK|`hjS-$2D*%JA&xtyvmp4i|k}muJHSV{tzWCEXbXrtu#8nO%hke*2^6& zN56U8V>v2hv&}cj{!1nw+7L$>TvH{B1k)xSoc6sZ={)HW);u1ecu&r~gF-ReXNwTB zX-97O4jW8$N5N6yB#sVx(_jp-9EtR;RlwPY<V$!%Ltvk$1xqK^5j$KBcXe2ABK=`9 z6vA4VF`S;AY^!R%-0YA_!UCn$#KDAZLxtWCVZw%X7%?`s{S(+?MEnHDRN<aqX$xph zN%@LRE7|tWaB&yshbBiT0yii<ixeHVMk9=JJ!18n*2!tLrfRoih63fr<Epj_WR!|i zAbj&0zk^eM^SIBh@Fgz8t1mK^R5jwT6w{9JXFev%vp5?bGu5O)(vf<XLQG?K4m)yX z-ZBmP3q|mMMy@)vXE(tY=0#x<n<2c_VV7+UnT@^rf6RDq({~%;z^qZ)=wX|_9#qo) zY2~jtwHUJv=~yU3#jkt9<^lrc!>=<_-PY^HCRJz>F!+)S<40;<G&+nXiZ8IOM0@Z4 zsqn)ODtp562^zymgDO)cXK{gze+0FD;jdMM8k8f<iydBTJ8HT7wMwWKa%?onKyaLq zMYN?|nEN1ignhn1Viov7zBcul;64vG*&PE=TMIfm`tj&#zkoZ&%`LD!fFVQk3|a6S zg?6ecWCr$T;>4b}qvo)lMML`GIMIlUj!FALv@P<zK-~l!6bQ##!h@%fCC*Um)SxY* zeG*uS+~+?BS^~p1;F00;1BLN`bCTHVo#A+#Ck0rH;{|0nz1$+0>Ck{Mh0Y5|{<r^3 zfpmmgPG=2ro<qoud`(Z=3xkB}+fXS@!aXd3rF68=eiqqAWoOG(xyBa=^_J^Jta_he zXp}Cn4GhCv-OG2h6Re^Ri3pJqK*IOJapVaPo}v3;Z^QfKDJnf|1~9FGx@X8}6p-&F zurjzuZtS{}ZVOB;d#RQCBHs~Zhm{1Vq;^G#6E*XWVH4GPXE)rFC?X4j{c<qh-*E(~ zc<T~1e88aN?i;_)cHXe@`&{RB8^6zjouY3~Y&j!gE$!agy)+mlrq9(<JcMG={Y5q# zwIWp{vK6AWPMky?I`$#+Zzt9b2QLMEf$lv-4$|1}AAGK>{9dy28mY#nALw|VGZs&9 zx<5+2<BHI*AMQN~o4&<z!E~o{2V6?*hxGd*S7Lmaih!dlk(rIhgrH7o83uDfkNLC= z=r0!8IxicPs*N4aat(G^4i>SKQ`^|Y&>n(=mPspFxBcig%jY^e+z$CqaNP)G&>rPQ zIQz7d0YDUKoeDX~kZg&7KtKBMe`YfLJR}`TB1WOpOqVeX_8ro(&@_k#T=TfCW6~7T z`PN%xX>;j(>wyp)aUF5K)ftKaAlupR#ugdRTC?*ATdzt}yK>u3I8(MRkfjyLTxs|^ zgxa6L`Pd`aBtN2hpsRbUEG@*PY3sr%+ALYxY?&*9Y8?oH{tc=%8TH*qWMY#c`qL4b z7A1lNAK)m#4D#-d&v<Lb`=UI9m%`nqF|yV%g3Kr%%MP;S;;RAUCGzhX#;_qnkvle@ zHq4}d+XK^y?Ix1lAr1w>U2-BFY&Fdxh%Lq(XjT#Y#f&yfJK+1S$Yj#8Y&+QCg1>>Z z`r$SViDU32`gg;{AT&y9v)QLx@NS%{4$JnTq-z?L=K4!jZRf!JR3j+sEo6aeM~y8z zRqfqK2$thU%VVncKeG2zM$1z;-pk(4V6Za<ODFod^F`W9*s4yu%C#C(TE4YNmbO6V zT1rQr_lr~7)w@tA=mZx{V|BN&%4w*qlPV_+s~pG5C!u_TRL;&%2Y~s{PpjG~b|Ne~ z3m>ImFWgsf&I#3nUD#}Ir%edT-p8_2E$5_s+Sfv8M1KU)y_a!nk~O+06}~}*_<rVu zlgFuyuGSj`%U+@2EbZO)3pm9IW>JAYs&?_<`l;E(Gsica0}9w!gjT$&XrZuZpLYWk zHMuGv4x~(jZ&%o-5ZBE3NU|s4M!DWqndLqt$Ja1l2?Ym*Mcdt9%I()k<uYRkHem1> z3(h)yDR+G7_6<7YnLH%8egAaENCI)a+xLSra%)yd+UyWWhtKC!Y|RQyn;nYX6-0Y6 z8Y~18$t*CYc@Ogq2H16&DF_9Hs$5~a<d{7lH%#amzo!tB)3W*sjIL^Xl}H7xxc?ud z6$edss@mw_H)2esl8@&~#NGu?j1DbmM3Sh4L_$C~<O^q=3W<b4ASp^g!D0FkDWD4d zf|C;@2Y@E&Ds<9eIgI*j)x@B)u3X_FY_X8YK&H{(uNd=Y8iS43KuZ`}z^t3exu%Gw zt8I9H{_u#9slnkzvlkFa(4>&l0FIUXlW34zqCf3xitT8MhWkznl1y<yG9hR|BAhyZ z40ZjXL&PI!MWPm6*`Ywp(2@iv8n7zCLG3G^3WRy1r3|eB*g~OqwJ@I-=7?($@vPr< zy$b1g>NfFw;E%6Ho_dq5Mj}S8Mg%&9cKKq25rW);)4?&MVlgTweS8!Afz?t(Zim?z zn-@Fxf$uN7X??eV@g?X-TO+o6XlI{mA$=>VTybX~PJwF_CWU}uNu)nw3}d`xQ9!Oe zbHN{CH@>(55Jxf&cmO_5BQn~;GL)9Ry6jHS?mKLfu2WzO(>Yf9JeBsyJhSCKE_kyH z?MusS-y;5Q+sn}2PJ|biCaN|cX{2#yk>v}cm5z{j0q-nAZR-O!m3hYPMK+{RtV1Jb z!?(#Xyt3VW1oA!GHX3WBiMbciyXo5k3Mc=XfG6%CfZI_4vTWN)71_rJyXk{QvK#8% zbl%BrrZhGZ>d}ZATk*7!st&|KcGKwwDxz?;kT@4*;u_{DLdEx9t<1JhdJC}~mfqyH zcceFk?X2{M69D3y`{3N#Oxp!9A;OZkim)`cDCv!}#Y%57n?ZV$+j7J=f}pUKNZC=g zmExO?_Hk`ZQg(`Mqx81e_JCA@wt{VY!~}rYrci?}sgQO8ZAYaxQ*39Xw`g0R^meU{ z0}IfYqikyNjW8K)i<Pn!HiP)aKI*XL_!Dp)ZAJbDJUiM=E>yQK&PJq;BM;FRM=?iV z9EE0ladfWB7njfOL~>soEjN5|G}*p5T6Fm0D5T|!<JrBRcqxton!Y&FIKDVibH2Fg ztd!!RzBuyCeQ|895J#fni&L=sAgf8t?~5Zo^u@i*?pxTM9AsY{DOq3K1ME($?297? z^Tm-H>5HQ!wl9u!i!bgecJE~ODh5B6-Md)MQFcGh?zFh@#hqgJGq@YaQSA3?SIF1h zU!NBsIwXNO$LQspdbd~R)X?oJx`pYxGJARNli0HD4fD3)q54Bt?^GuD3NIZ8Thfa! zSHRd0cA=!m8-l4_viyLOt5w^kyRi-~$6~UU^S+O!OWMHPZ=sF%I1ck}vHbP-vMtL$ zb6W>Fw|VeCNIKeILTOJJB>;!>hM^Ta&I0c%SU7pN;*);wZ*jA2#6WEuaPwBH0Cx!# z&rRN^0Th)rwslnMq|(`}R0Igt;B=?aA#5?6c%K*NhPbxVu551;{^kW%Ch0h9Q0kpH znjuQZIFz;cvR5G_;h2A96Ttc2^M&oi0UM%;YU}dPe6GKG8>o7>zKdblT|3Hq6M!A9 zRodp#;8y|dUDO2LOU2yX^yYmB1K5J^Gy=m8aTR*E0(b8p!f^B9l!!Zyk;9KDV%GGX zDfR%SP;Vfk6X%sOd$01YK{G_ry<Va&VUdgu35(sRcob7$BP`AUB)o5gYE-Fa!r{(Q z`mXciL197yknp+37`HFP8HOE|UW<^p6N9DA6@0>hPpf;QY1dmZL<OAtb)BOvy#qju zm3d#HwXi>%JP$GZ4>(T9vfVzM76LrJ81A&f`zz!ZW6h@UZbrjh)St(47RFo6a<NMy z5_}Q9<i<fSU#RO=5n%C9Kh8NKqJSEj+nanDj=fl)_6f2DKHj!@J|<5zRp|0_kQpCQ zbqiK6eez9b*N7j4L*9R2?z$lhSTYbwG=8G<M6{((J?M)jKPRjp9!J&X=ew|Fg%@{= z5+CAvn;}g@U9AUTEH$LM^sTUggpj~Q<Ha^w&UN`BdAt_+B4^^UoVwrC7Yiu0*LeSm z*#uF-YD1PByJ`2H2SKHAkI_AHC*7y)pnKwWx|<)sz51TWF7_C=mp!IzV~?<V*duNW zd&IZlvE#n5eRv2KZue8{Dc{|RXNN_x`(;YEpTVel!Un)BGOWvYQQ_{rNcDv6!JY8# z344l_lEChh-fHEGZ|mZEHolBB$(xwQ=j_{nVt&{F()-WCAj_q+?J<zq`!T3Qo&knl ztMF1gi44&q8Hj(03<x^^?<T`Jkm0{Jcp&N7LgN?57B)1tO??`1Jj(z7#&h;xjt6|q ztr<fq9e@A9s^pL!zh)Gy!(1GO$0Kt$O|~?#{;`rC=|!bMe4&fhD)>7egGC_=PI zEhx8ou-rzo-ZLUqz62W5jJx|H+|~<N`(AKc2k1MaD2M@eto7I)r@ed*NiDr-#24C8 zMEsdm>hHkLo~2I@UvocmIvJytmc3T^Y355<5+U68CcZ3s!!^x&KS}su<D0HgFV06{ z?|9^n8F$qjj@y4$J@&ANwY>CJxrg!Q3gSg3(G%QeQU#oAG?Us0^b3_h0&P1CE9Hw+ zBd43adk-)zyze;jyZ4=<yZ1}#cCOs5kmKyF7iT)e6#n*xoVs8EUE#3aqHupa_3guq z?OC4t?9^J#k{S5=TJiQ_eHh6PE2PLtfs$%^bI@Cn*UtI`DDs?zxu(#=sy}8$bS#Jp zJ&u>~+xn-6er<dY=Y6m(ev8sRMwqP#ovkz;wkzESrW@aLeGcyk-ui*wf1Hm8C=n2Z zZQ6?kw{l!{ssew0fS_(lrN2_;QtcZHvr(Oz73Gq5%9eNQ;F4GEB0r$J)cXfmBQ({B z8Lx71XN4kpFV^Hv5KZ_?zv{X1u+;rJIAoo&72RI?rUwm1dH)kCxi`vtJJLnoM{$Qm zcZTY^y1m<x=#+KCgE)>(+Pap&(dhP$2C9fVu^RtG4ZM%?UcyW7-%;87cf5JMVoQw3 zI|Z-k_*yojOq&-(kR9?{8Q6M!xf<o2ih4_yfVO?G(ZE1yJBwNLPNVE@?@k6q)piq} zgir@%pT8S-^nt&_fPI`pVR8&w=2ej;uRsY9lM{`+C1PR>+AXAZz2}L1)UZ#v(L8`| zaIUyhc76*+Nh@CjD#F}9$Xs`NSBkhygEfi~@gYBmTppFJkI=hAOgeLQUA^-d_jI@} zl!1d@BkUO)VNvF1BOIc^W;;ad@y8#3joOPDXd>p79||LEWSAflsoF4a8D{(_Rsmbc zm)HgsM$*1dWDkrJC##n4GU2glA0-%@<i9Ag$rf;i+J&!a*ilQIx-VMbErJOrkIi|b zdtEHI;d;sZcFKCE3iyH*VWLeb0NbT{V85`RjI>li*X3P;&WUE;d{h7g)kdQFXnog< z#A|np1l?$+IpCb(8==Wu6EMx*v#3tbQ+O^}A`#v%dtpQ+h#xAveV7hjjPe>$uXn6S z>>H@frBh2LcU?MugGDhUq7d6Kq92o7Y8Srzyh7|qoR{-(a)_INFm>*M@QZLx&0XHT z@7%ATA5bJ3`(jx8Z&4qE63tv~sCPf;-Xo7a3WM0e>@mJR_Ew=1+ikc9Wb|}wq5Fev zbpPc>y1zidF3&6LaIe1S!N=I6V>^5N(#am}P3-Y_9eX@&!(+#N?K|)gEOJl#19<76 zmz{X&Vf~T^AY=~K7J1sYvC=(+$p@GWv;Z<amOXG$GkYvg0b?A&-;1OE(2BKO$70{5 z(;b#QU^sCElW=Nj@P}^E4WfXS=m&w9mGHzB81zv<Si<&ynQY|L=5$zIrtWSd#yf~p znlGb~0^l!Nus#V_{n66b8(KSNF)=IR+vH=(Q3^sD0xIn0U==oHNQF&sH#^6#QMzCB zqF2rt3f%#nWBbK2QtafZ(FBpo<u;{MI_l55;@s=hq4=;rGs3J1`}wub$>!_n5n+y@ z$2c>W`7m%oc;bMZ^Ns?>N8ND>;>Pac(pRG(KQGbE_>JS*G9ewV?HJ)rNe7*z;Nv&; z^VmS5x*DoWw|`ZaqA0dsEa%i!zC;>?kQ1x+)WxbhaLqW2usdUO7*PG6i#%4Gx*vd9 zmL!U%#nNB3o7#QdjSu*%U<UD9QVuLY&jnwLyepk(2NT<FhbL_#YvlbHa}6(gd3S(D z0Rsj1O&CWDCVkhYf4mCZNN3Y@#wm#w?!MS!{psw{Q`CS{JI4D@K%%fm9YM7AV?p8` zM@1p}BlsL;3bpBIIa93qweZbS&nVAYxo5rtpKjvsSXj>BPsBifZMxLpwASHI5GB?$ zSo1I}!E!cnj<vxBZiBTJn|3Te;|ay!Jr4QUp0QAY^Aw(9C4CQgCayojr!sei<J*oK z%qzn~u>E9iqDQ2;C_I#Njz=aQqmUWOxvmn-YT)F4Q|4hWz2Q<u%LTYVz-MrSu6ER7 z#Iza8LH&wd3d_%4>Smi<<K1tDNHFlHEBeb<{1)nxb5@Jvm-mFx*vTJ8KBsUN(nIZ> zqd%gO9mi=z`kD_K6MqipY`A+M+?BA4$mTw*5F3L1xZRX<v0LMu;6AJov!SBIZ0Vc@ z2n4}N4U0fcnkWQ7n!x{Yne1+2_YLg6j@_N?-o);8>~3TCDt2GV?#tMHF}s(r`$l%B zMGwL$>`tp5UmPuZ5IkXba_W3><mdU~ICdvr5P=kSCr8T{M~VgE6m};$hsXy14-Mdp zo6Ab`amP^q=l6d+1v>A+-`MQnxM{d1;2K2wEUrViLU28TYa^~ITt&D{xUR!RzXRB> z-G^&Cu3OQz3K#wUB5>SZTu<P-7ndDZDJ}!9Nw}cXx$n^C3taEuoql`ae7%F~9Io$h zDLfn(jVlRPA+BY(8gRAY+Hg1gQam3)y%TtTg6kqK1>nWtO2bu%%Z6(Mt}4_o!8IEf zkE;#soVZrvD#DeHD*=}R*9DY+gzF%#=W*@8bpWvM#d8ua4%g>*aoj0fUAQ`N?ZCAe z*D74M;7Y-z!KK9YMLYhqE83sIlYXR<#kYU|POE;32Fym2#_DQ^)v2j>IoMy;t-xEI zv!<!es%fm&)Htp6j+*t>p?ZxjCl#z}bTw2tsK=&?%G=6o8k~)Iudi{`S2!ze_!GU( zwN@+rjoun(O+_6b*frKVYrVC>si|nF(o{FvQBmV?+G`qC6BNuvRfXMN(X6R(IBHfm zP|Y+=-I|IzmzA}!i?6ndHC9bkO?9=^POt#LRq1rutq#uBz%Z${H`a5G`2l!o8fRl& zjl((pCQVhN)uEw3Anb58H8t9u5*FsdMfv$NH7<u0RaZ4Tt&Zt80Uw90qKU>$I936^ zgua7DALj_r3nRC#w%Ui6v$mI2(WIL-ydPem^v4KZ(|{4zRB0+3>sQq@R5)uI8yMkT zH1?Squ?wQ5A3;XLntBa73HnRP7*-YispQJWhFVucB?Ggz#%a?O=9CxZ<xArX!iI>Y zX|!u9G)@<|0P_Nvj5~;Q)^(Lu0F0};!Z=2@gv{iW=gwbPvM{S~Bu380)mEnsT)}Yh z524Q5Fr5wTCe8I`4NHmC$AtJ<aR?Xu9cb_s@!j<KH;LsxF^*tX^kd3KI1He*zRB6l zHLj}VM7hB7n6WCJbrq|L;eq!mS2f4Y-!OlE!~B{WWU(IzEOH}F6mcPFMO=n40-UuH zL~W>R);KF}0~g+itQ%))ZWMvt$T<8))&t({t6jwYOuGF21#(3wB5MFOn%AH1){mda zF!*cQ6&kzsc2|uZ)9CL?v(^S-9Rk&`S{wn<X{N{r#1f9min<Cr0J6Ejb3TXw8qhqK zW-YWVF2ZDMXc#ozBBq!m#)4HY5_LZ*D(zOr(SRXh4-qErwp-&xss+^r$~E=%E@#Cm za3kvD0(4@=N?S$4YAXqVs07k9aqFx6WUta-njk81Xduovk>6H91aJU66x^x`hm{L- ziHQnm2>iwIHIRBqL-?hQNFZqg#@ll&C9@ahmgi>W<)=~AN{|%lLzI#x5;frJ*J~IC z;k?#fBaUQ5es(;_@2pwvYIHe9w#fw>*+I~t8kfPnVwprI%z@q71SJWs0*WMZq{bbt zRU(r!PLuFS^Gj-F1qR}5)VLZ*AEOyljhdQj4dhlLj5ycqFSIk@7_J|8z!Aq&<80Oh z>;e>#$ns3Zay1QA)^(cUCdIG!SQ%r3>Hy<O;}M(HTk9L`&EPJo6cd-A<9SC+pnnbh z`EdVOK!7UfZwwwhi%F@jv14!n?jN#!j=GvkFd~yzj0GfvF?5K+P}Dq|F;sb;BReov zFe}WSk#dmi648LsirQCHk<=4i{Q8UDNvF~?cm^uVhfN_@Jt7@kD$${$3fey~i8NWz z=<yC`GkBXBQ|jYK>x$+!zzlxI7RkD%#=5qgv{<<)MbmFe)A%{oPp(FL&1zVtI={q0 z(TVy9>dP+DOlmUgva0YE*z}F;hshDS24JeXntBioBGm|cL&9#asDwHNxBggLW~)ZF z1P$iHA8=T2{|W2B^lW)kBbjr%I9QmybTV}KfoFru$S{Ei!72`BsMvIls56X>nO?%6 zni?JOhhQI|rwDGNy$Y1_(-V3LlR*BEzcDMH8K{swQ<F<H&Z4&SF(`3voXt(vKpk)? zRMJ9ARu0t^Q)LVDN-WgI4_9obp@x7Xny||HCW+%P2gBtfpcZTD;Sn$=j&y(o1-jDN zSlL)d9pD!X$6*E62AP?E7f_8Oi22j}M&sXY9pHH=ds{%^2H01UZqY4--!A%mT$9UT zBmA2hn>Ywo`H*1!7{3K{4OeGfT~XOwPX81Iw}E)g3F}rViXc-daF7|h0Dcgkuy=B= z8>`FLG}cs=H%aBevfk7ziD0?2F^DSMFdCuV5Z&>Y0>}!9(*s<{I%0=bdcuZRN-jOw z?Sibu<%KzU1;cDOz)_m`CTn)Sh2AAUj^!6;XXR(nKktBi=0oBcWD8lolwMSrW68}c zwB%6Tg_fMWg_i6RPGrmCyn-SC$8U&DS$9$zT^6vvnk=OYbB5{`mn_W7u@nc|=3xvB zv{W~{JbQj&N#2}A^B19#2tW4<d0B-^hUEt8VoebIUcM01D#1ZN^B3j}^)02vDpDO0 zKSEd<E5jEgATUy%h~daIRT0~e5c}&&B8&q}R9}e;@wLE3Cy$&z<J3y2oa#^>J?ZEF zw@4`Zl#T0wjkw^$($8N;Fe7lC+K6jJ**N4+N8>(}^+{zrk@w&JZR6D2Hj2kWD6}{X z4h`)8#UH|{+`{6V;-?2abMJqstnlt_xAAFFJ<n1%*=ftl*EZU3TV`11SXPw1%2iWW zwQOxogI>2RNQ4ras#b{z(b)~U=ts1glU<Te*wepxl0g6dNo+m2eC*#fp?@nSp@zJW zSQg90IN4uxOW^s+YUp?zX%W-e3rk`bXJ=6}oOKD#!=4@HXINeytG97@9;??jEU$>w z+cG?l)w^d{UJ0wW4S6&P2@IDKRu3DcT>p6FN&j98=1atlrDGlIq<^2~0pxE4Z;16` z*RNk+wThPX5pI8dXJu?&7V8J`atQ|I-OBoj4$dnP>mgRo{&|)JJL;8)^>F@(LpX&? zU>(P<!z<T`yv3Af6_KHT`vz0tr@M~oEJhy9l{6Q6%Bw?O(EJ!EkK!r!j|$XFqCCXL zxt((4Nn^!v8*c6xq*pl{tb8YEgctU2(8Tgu%Iino^wEJlh6Ck~{Lv{D$~!JS{plBq zM0xP1-x*P!x?p&DaQnpzIrUmx1lQmGR8afTw{q%eTvQ(XLluV0C!nVc1^(+4(r0j; z#gz$t_%)uxtV=>ua}~5z9>P53K@vl?E`Y}V-&VxTwls0vo}j!l$U{7u>k7&{i`X3^ z%xr%AZSyGxh`cNP{wLP>zc<!+B&4Xh7{LQ;L#4I6nBsz;$%>i_m?vLKD~35%XLew1 zgxD{5!?Lcjd^TG+S?u;kJNF*Jpk-EhR#h#6j(L)26iHUEv9Yc^7pso^M!3N{!^(@A z(H2U%l;VJ_#}Y(K<;b7U)@bF~6?JvFQe4Yl{te;OSmmmtE~@ex2qk!A4NjarC~79q z<ynqm@`1{o9Ctc^PYJoh+})^?S5J|fa`7R8!oOpNvDoe9^D8S|b_7p2?oWPbgmC~~ zCE!WOVbjWLuc-u4vYbvkcLVAZH5R(C(66_O<lz1o426yROaP-rET)Nd!Vt{4@M*cp zM61geque1zvBJg%tKZw38Cuj_LUFwELhD-YSypbTtE*{p)Hp;e5%HErR%~^m87)AT zpw*&=no9VyAXQdzc3z%TGHIx1468_7FL8;|$k;SV<C;dZlx1ICUQ}UsSQ!pk4OR23 z%`muC4*y(rN_`{5fmI*J{hnc%TT$om51|0CbL$!_oaN&Dq|k^kQ&@%<yH>F!3|Brx zpIp1u%3VO4ArA15^Tx|DlF%p~Y9Gu{Xovwo)BnytM_CRwL$yQoK?QLpIPTX}3lTF$ zYVP6?4%rm#vceM73~NVBA(54vGDO#s#vl<oNl>iy5DE;7`-4QS!bVZ%unRH-kuaBr zswZd^$!5YN_5tEEi5*207V9xY<Iw|gCDBxzx{stj7g_<av66dVN*9PpxNTw!NUn9A zG}~{oc`LEI{L{w$O>Bh_4bu!HBNEbkg1C!`j<o815iOW>vP@At&s`2hB6su<#TFvA zL!ms*=;sZ_DoxFZb2aFb6RPU!I4+JWFLyYr%86sJ9II|DM^xWwZ)`57=pgJmMHR3U z!f}aQIfc2KoaKlwR@GVU2CTd4>k-W>&0e?&tBL}P*1(HUQ#in?aUy6?&!rB%ms`0k zuH0d@l~>o)p|G4#xR#^!TQy>Qc58V9R)>vi%MpWG!+IPFPy36k4Qp!bjcg|byH+A> zaWADD0=^CwR|<)ybLDpHY77GXNF~*hO5|c`EY?bw)9No08%+f+&~RW&0Kz}PC#A{} z7{+!E%jB*>uJ~5V(Ew=|!pc=N)x_63;^8I7142ChB}P(a@pamGZM;a7$HNvih?J`W zV}Xu{c;qrNaGW&^TINTKBSXl5ka}%!7TFsSUvY44VI}^){aM_m&^(8fXtd`-xIob& zF}}&=$``n-_U0n19TD033RtRa>{S7O?&`~-=T&i&f^ti26tP1l_czKdZU#;3OEA1F z2L@oJH!fP1Q{$jmv{*U6W|h6d-b}*h;8ui^CnQc%F{y&N0LQHdwmH^SuGQEl@?&|F z!FN{Ju?3L_W-Q~Jlp`vwxs2_~IBuS0VWA~ouM>GKmpHVt3DLwk^j6=v1}y)7+>cIc zK6mYFIewqg?@MxQrG&MmlT)jW!+p@h$m2)k9YkKyh&(wyuHQH!Pl>#pBl4n<*EJ&V zIN+Tfkr#`4YSRc@?7(G29{aQNBl2dVZPSRn6y$9ikvA84{Uh=gBd^Fjyx)H{kxkkk zuTN|D&IF8)$9P(RSE{(SCYTze5iw++U{HD{(g*^m<&?lL6X|V8(>&3y2<eqMLunhe z&l^gwLz>SWN{g+6?y`_jd06-;#pp3~Y>?Zt0p~i*L;ZCk-4&GHhcp+@sY4|YT}W#% z7C(Lmkv^V2lzs>4l^H|npq>M-8UtXaaOw*L8$aSD`Zok<9*Nh87l;qf;-Yf@*y-K> z!(Z5AWyHrDe<r^B%jg;0hCVN&IiO$vyvyr~B|m+SLQF(l9shK_pDNuc^}X%CfJ5*& z=p#B>Ptz}R!jF$5AN1IGKX~nyp*oKjitp<ft^Bhm!Wwy3qb=oW*qBF_BAzfqELZ;o z4kKHgb6t6kN7nnF^#4u@gmU5NZaSuvCOi{Q93rNe%|<+eeljitsirIB6MrJ^voWYL zUg_ULMr`H^`S_Y8@NZ5JwUKd@e|RWEdK2?cA?5uobYoC?$`jD3ex-zbitAXyf+|R_ zri^v<b(%HUmx7yPj?pIYF&eCo8>_I8GRG_`$&F8m!Nv|udPN<)GjmL{)e)1CK5mQ& zCta-dtFS2z01XavjLY7T=BTt;>nj}b^);3DMn_|{6WhY|X%&w8gf-e24cwWUYIv=s z!My>LMq@&BpVrdVjsGSzeGF@dme{1h-n_F}N+XBP2cQ>gRgt}B4g8+fR!5*PxY)ux zOAI^Ty2e_E^BTCDV=5eZ4Qm>2v)W@cu9~b$a^lP})wH6EnH2zIn)TzIm}U(_$uui4 zHrCt(iZo$=WmQcb?JfUH;ti`#WR#FFRWvmr4#CbL4B;i64YF3@pBB%nGRNFu)$v-b zAu%~#n`lUiH|Q%9<0}%Yt?@jcQf0MT^;P<6z9o2MmqE}cYV|3rQY+#Ut5N}>dR0|? zid9z?U!gM?c%3e>I#pls(+~_5x@ujDRUe<IUzHkfFc`G)t140}<ExTVs|*!}iX^K( z<)<NNtCNzGDwC7qQ+TU3-k{T`#-}E(S{0w7ui~qds`#pk<bMGn#mZMFS7>$dtEyM& zF$!x+JjRq5Z%C=GO5`iFi500qqcF`HNnO*dVG|)vWl*JmJ&{ZbhWHjMkgCSD4y-4f z5Vau=H9^c)7gacIS!*kBszl-s{KF4TX|rZY@|6&fuLNK<tGFO<7N$9AR@rcvG3j7E zt7+CSh<^5&btMF@FzzaAlNBrFhDyJLnfy7<EJ*_lv7cWj<e`C+*qfHC<`{IP*TrZW zD(aCa@au*I3EhNjwmglexPiT~&JjZz;mW^&o=QsK>Ax5awr@#98|_*4N*ngu*>O5^ z%*`lqt%7_YVp9TXhH6Vn1j{5Dv<5?EWwo}dI!056^Ea-F)xZhW{laaUb>;C5<ugiv zQbVJMF6|68;9klVbLF^O@XyB=b9vl+t`O-w+;j0xzgOg6{y_SF6c@^U8~RY-N%n(& zQ1i?-u!M9Y=TZiEPR`ENa1GpQK&#>EI4dAGaMfHR>h-~($T&XmpMhJ2cfx2g^0QH= z9`>mM^_ziB1ybVbs|aZ)XG3`dr$HZ$fam1aqJ|wcH0Y_3bD^vXIZpIS_2`$0T|8L; zj~vu>aFq<dreXDl!zVllF4?N^p!TK6vjf5qd_9-ICF7zoBynR=m&WR3^%{UnUC=0o z_mP98T0Wu3@v^(nE+1`Hvli5Q6UIwaT#Yd!Si&eXJWqoY?ix<VD5-^OPj6b_puyhE zf1OqdXm@$P!F}+kF&j9}2W~j8h%r|J&w4z6yrmY=np8x3MC=GZs#^%I%lkLl(Wv|o zXwD1JHUYGl3%6AUJVg2srxBg~yhbUJYs%R?IB;JD-l)cZG<yk*wpD<W0ItSAx`Dh# z@Qn-OaR$v6?Qsp!5!FFo;)UV$M{-0kKjff|44h3o>c?(K5;#PSNQz2OO8oA?7>4sM zq?IZR`-O925Ak^Z=%&}O7XOp@zmfuQ^gA)INqicg$Jg@f`Axi+|2zLJKT-RF_A1>q zx;ou|=zgtxR(HL=Q{STxGmJOH7-kuA4euHzCQeP9n|OEPjY%_;3`xt9DwA50+(}O+ zbtS!>^g+_sNioR@$xD(SNj{L=ll*3Ke%j)+zovbew%6Eg95jwIO)yO|Wtj?1C8k?V zcGC{iZqv=?8uOg={PdFa?di{^zmR@9{gd>6q>s*+lu?=S>x@GgM>9UjfZ%iVCsZT( zoA?y|*Ze>ENNue432m?TqBdH0z3wI*uglhz=$7j$bv9j-ZmrIv>(srbdtU!H{pb3x z^(HuA6B9Qlew}zJ@%g0hlG2m2ljkKjC$}cwmApIo>EsuZPbK#!UrZj8qDx6m$w(<p zS(;Lra!1O>lr1TbraYc<DCPB(w^RO}5}rCOH8Hg;b#-b(>haVWY1wIu(tbz_HI6mj zZ9Hi_WAqwtHZ3s;rfsI}rsqwsm`0iBnTyQJ%uQyOxyAgj`B&yA%m>Uz&2O7ena`S4 z>DQ!d)05KE(-)*KO<$G1I=wM{V|sgfNBXbQA5TA(F3*^mVamwL$jexp@p#5786RX^ zA_Gds0<_TZaeO>q$iK+H${*rOv`e%V+RfU#wfAY?)V{0bblY{^x>S7&#{Z3emBC?H zXV_@?o#7?JTZZ=x9~t5jXC#&;9#4EPQJ$2Qv;cFcNWMM!;pAT>Kau=g@}H6?r)W~9 zr(~uqOt~$kDP>(sSIY5}v8hW_*QR!)K9KsG)MrwEpZZejC#nBTRisTz+n)B@w8LrF z8PkmwMw{_o<1@xLj9(cCjMtfdZQ5@-WO~DN#uQ?{&U}M;hB?)|%Dl;Zm-$}v4s);h zJM)-yLwYvme>dj-ll0Hhzf2F!n2-^ZQIt`Z(E<*5I^*{l2Qm(4yp?e><1-q6CO-1R z_(Q-8JfFkQ<(Kgld=1~m-_Jk9KgsXoU*?bVAMu~?pMj&l<9+-n?akWx+ET4k+pOKB zeM);sdt7@;JE)cEM(Z@XX*#!VtL}c??{p`1a{Uy2jQ(bQvc5*&pkJeZO#ih0u>P3- zUHzx}i~6e#lMOc*@(j&}&4ynZUN*cAI(}*R!JvfCwKg#~X?{{g(j7?~leQ#1mGoTF zi%H#(i22EPB!7|OOBt6sD>WsxBGr+)G4;OGJ*j(BUrgPfdMfp!)ZWx@Q)AO^O4Fvz zN!yTiPuh;OLuv1(eUzp(&Ndbqe`fp-<KxEXjDIj5FrGGkZM@1f7t&K<T5YO_{H!&# zn%Wt^J!tv`XuZeOX?oSvZF=4GmgzmyS<|Pc?@XLoVZPd|G2d)9nA6R3%?r)t<~s8l z^G5Sl^8@Bx=HHq3F`j(ieBOM~%%zV>k4V2ReMWj>`t0=i>DKhy(r-^+o8FS{PWPnW zm;PY-FVc6V|0ezE^xvnynEqP&pVMDYe=GfD`iJR%O+Syh`!@aibXmrzjByzgGp@~; znh}>VBSV{!oMFz$1|QGQSd_6eqatH<Mtz1O<5ULBA-4l_Dd(@^b$l{k#4qAk@sIIO z@$d5g$)D%Hhdx@Wt=Ilc`y^&7QkSMH)K%yn&^@E;(|xPs^rQ4Q>f`l#eX2e~Z_(%L zi}knaEA%#fBj&DEf0zDV{UiF_`aSw*^!xM&^e6P6Ko@+kPr%|V&5#LgmTxFF+zQ=b zGc+337+MVNh7QAnhMk7TAt^5yUNf99oW%Uf6UQW~6R%E;PP`%U=0t5`N@7N0Zel^= zqQvEi*2JbnSK=Ls?TODOzMA-H;@=a;CrwG3mZVRbm(-qgZ_=Ylzf1aK(ktMFH<R8? z`aVgO9Fu%9`Hqxdq#R8NNu80JmRgXyB()}Wed;zy)yt{fsYg;zr~WN9JFO^fZQ7lX ztmo7Ily)NR+qAch-x&XC)R~H)T^=%hWctk1XY!dQnxi07S>_d($4>LR<`2!En+MDj zF@w*izm(pc?n|EtO?pd4amKQYTG0HijBObYW$b`l?a6p1V{gWvGP;<KJ%QQyDC1nl z=NbJO7c&M)&Q?Ol;1R+r`0;!MKZ)1y)A*T~rxeUnDGx`8qc~BM_A%`q?XnDK#=49R z8Cx>AjrfKO`LX<T$Y-X0rGA5cqke~eC!OlqhO;DiL;+STZvdpZd_LrNCEvt5A;DYt z?feeRekb3>ALQTRPr)kn@q=*v)Y=GW{OQ`o+I89u+Kt*a?KbTL+MVdTQ@dB&r9B9l zen)#&drqs?ML?=!VG#_vOkIwy2zFtmu1eRY+oHP%yt7@mL$_1+m~M~mDcxb+JGu+t zqZHuSrhgf-eopVz_vr`poFUdQ(~tuWS!dV)&DmzyVz`GEKmS+!wok$^LP9ux^Q3#i zN8fzc+`BG~lZ^`5xp`6xvYJC=GOdaq7e0FBU2|pDP<e<fjN_MukC_oJlgl<IhsfkR z3o&ok1m&ps(V;S&!}@i|Mvm8xXe-w|{HS^7(dF*j#vOCFl)U_@`kN0El}DF+d8zYx z<=6cEzuCQWbHq-5bLbbi%65i^$U;KYtv~Pme#4={C7;iGWbHfQgGPcWVJZs)KAQyX zSblVP=puRe#E@IFw2}NoN+>2O%P1~pZ_s4p<1lRmKY_AGO&pu!vahPZer;Wym5mO$ zV<v`|*ecdKt=cL4WU4lHVuYBX$+p^^HPuq+NjsIFLdBsIua=5wn-KxS`X+=mG}&4F zb=Qp3>a;qY7CevNt=Ei0tU{;fb$S?w)LZ!#LC7vD_IEdCVnlH>0)|-8YqA^dIMBi( zT>z3Gc6Vc-m^#!H`+F?5+Skz0c66<Y*UZuJn`JS<1j2-cZkDMq!Ll(Sn`JWYxu<@g zS2FKEq9=?w71#W;n6jH2&+MCaFxzq4f!7j>Zv8&uz?yrrWpUYicYR{H;Qiwr-Oi&i zC-K*ZLM|2j{k6S+%!$42Sh>acR?ZvQ6CBrU7Ham+c>Uq)p0ZD#R&e{&=d>Swzn~(d z_=zXK&6^pv&hq#y&l{gT{Mirpd{UNSK6L+?TL$jXpKBiTeZOl<)(+pFLl->!<jJ~6 ze_nI9^(J@wft3*l4<9i`e9*P2f9g2rNB774?k|_VcW$`x(@VEZzVkQTzlwim>*r5= z`s9sQw^Ur(e*0A~e^Rt--rtsg_qXxCnfd6GR?XX|9`YXE@Oa_e9N)E{<czw1>`7bO z#^tr^sw~G==C+pXpSa=A&0ihae|reHQ?`54cl@SHY$~UWmtQT9D1YSJhGj>OIv;uG z!<H{IPWR<+O!$!3g)6}5VPT_WGWj&9sThA6EA6YL5LIKPqbb43ScigBjK`)-l*xQ@ z1s{$F{wN!tfhn9aRi45p@rIqco%~%1QsYW{T~OOuB1Z)?RCZPZ>M(wu5+_&kWBeF| zLKPEK74;;CoP_h!DSegvdVcC-;9>2xkV?j=Y68gkC0@rHQsS9R2FXw8rcGSv=wIB| z{N<fX_$R-#z3|;%M^AZa{^s!I$>mQheDvy$&!g`jozw7beedE8y!Rh99XB|}PH3F- z+h<a*8o2qnUvy6DzPESDL)_DEC<~rHu6;tW?B?}@pRAu!mcPdub-p=sRop`jJw3^_ z?&}rzW_|wQ`(+tZ*5=)P^VQ)io=B;UnXr4oweHqG@SEkkA@PDF@#EjTkaGBk*Ag4# zr)sxPo>Uaf&?NEyU(1jv!@M?Sm<;Pu{W84jza+y58;dhB<6p^eF@3vbCpk9!OF8~^ z<=E7meJ|bco1DCt#`|{lSBxqCdFS@iPtR1{^5+KMU8dqis>nCw88iO*+lL-{|J91- zu}hES-?ip%XS3(UJov?d8QJ?EJ!RW_Z|3|j+EZS<>d!ZPUA4GBQrB2mw(FTKkA<AP z`MP8CKK`)s-D^C$rJXAtzID$prx%UC=8K0;R~Rh|ro1_!bnN|e27mX=#cK1Mr<&}a z-TztnG4+cF-Bk}<`%2u#kG&^i9zXu4koCLP{(Pym`-^LwFK69#^BG0{J@?=9v-n@F z&6#R@Z;x~B>G4Z-LaCsC<^9UTdB05i^PfN0k3I3#?#UN~SKt4AnPB`#{+snN&&NKK z(9`tiR}0<K6yJ}1<+t-6R(!0UZh!KaD94*+WuR0suO#MYVi$s-;MJ6hBhmN?kr}m- zclgB#0=}BJ@;Cd_5b*0H8Ff11nT)S>Bse4u%>+F;P&eeR8AEj|YAO;&RGsB?IN~cS z;#cbuDy??jM958*C-Qn;yK~mg_~6#05PqUHRKdS1<+>o{mV2mX_xM{Pu6sBCgN2pX zWUNSfdEBS`R6^qhc@%&3#w%;T;Z_z#M8>T%?)}-#Tz>z3tN7$~yW4IY)fn~sM{#F% zzVkrnlXn%yJ^DyyX!M6~{I&V@>uup5{6V+3{<RA;r&a3D<yF;>`?P!Y_)B4rCDv{5 zTz%;L^Z)t$`42URZdV<9(0S$$%RYJ~d205$PuIP0Y`R>t`^m579o%x$&&F?j>#D&I zm#t}-zhb;4H>+V>=jSPpJeT&t=-btU(an1|-tkn;g@5k&gYxPbU){NMwD}iHKe_rZ z6E`7}m@;n9P4~_G`1uRB{#N#E<c^uM@+O~-d8zw{bq_4)zU#ToTbB2m_b%Agte=r^ z$BSn)qbJ_pTYK%&H@%PZWivf_885zh=aJXaV{DbhkGxXjeCp3rOn2UYw)^GiQ*sx- zIqV$N)KN)It&7RtRs5gR$4ve1<7LOE=ie2qrp7`|wFIe&ynOA|d<19?S7RKsu^s1J z>oxh#ss!x}{wB&FJ29r1HutQW9DJ$g#Fu(Qo(Bv*R0BK=?M?iRR5^4axd0-Np=$K8 zT9ymv=xB$Kc_NAMMUvo#@q8jY5pdj4l6U=k=t(_}{ntHeZ{V*Nk()GxTpczJG<uDA zhLIekf90T@s*6jCs9M&1tYUk}qhSv&c=>Q<^<T=$bU(N5T=dd`_5b<o4}V)UUAOwv z%2@}#w07<PbnV{@9((+ikMb3tlzv;2uZgYd-22)G-=#M8*QM!Zo>Nu!mpuK}#ov8$ zTh3eWH+))^{QaJ#kKVSjqw$IJzn!_q^h9R}Cu=+wvGb|FbpCD6+mHMy@m%Zbn)<)T zHb1g;1K;15Hfr^B)wf@4wWVHo{PkVyr;WSq+z<BO-d1+7|D!|IM+cvKZQ$v-(|>lR z@%h~+{xWVyWaNd)A3n&Oc2(xCw+?o{)A`G%+by1&(31DvA0D5Z`O!<e{#r0KGxn>l zv-eKOovfI3{}<O<D_)BDw!P)I39Ig(RdXK~w|4zWzhbKfrB+>L<(b&Vk=Xk6PiSbs z`!>sDS9Czg{y^n`(fAv8#_hb}uIqyw5C`#*!%@ff)*RLNY@GQV)qeQUjkofP`B;A% zx-m*>&J<&Cd!7%}3b`v*szoX>xY8_WL8oID>&F?SrmENf>evp)U9~kkpZV^dm!j@d z^t~$|rltzVemUu}%%zWCQ*$@}7lSSPc-Avti_VosbgshXi>7EeEKLK7JVbW2Uy-j} zyLLDlP54t2mCYlBHgq#Qw*RM?GmnRI-{bgf2AM<FGtD4NiHK*CU1iN4LdXzjWGN)s zw-`-Kh-^_9yP7g2TSV5IK@M4Bh8IdyN~Iw>#eJr8PC2)8?!B+qecjjj^Y<*T=lSFJ z`@X-Q&+qd*JljLwmekFqaV#6X3p`uuim5NmrZvXoylcoB{wV#ThrmJPf>dVoNov@P zSZ8}dTc=lSS{(SZo5yMV^OQG3(iVN5@}VwHnb%B<o6Pqa&B%ovGNN}4$<l(b?S$sF z&rR0l)v$CO8<+4r@3r-PiY!c`504&%JhMybI%&)NYmyABp?ioHd!<-SLH!x?ip@@1 zsz@Q$b3nMOk$$Z*>CDVxd26EU(tW(9@Dmr&p^chVhagy^uRxsgMkfk?g|Km(-y_yQ zr$f4RMKtsDuAV^11*?-o50R1)(6JPgOkDz(J@UTis|ns)j=Q1Q2RZZdK|i=jBa)6h zQoI*oZIxC;DGCkDjLUytpXJy?;~&ev)?kWif3Be_>+zy2n9;d`ds6M3?7icnlS5Qu z<)fr~M{s;%sY+Sb4_ysWy_utA_wa|>Q21=Z4Z*$u-|+60kgx{RpGo54rmKoZipNwJ z6o1@c2DL_Ic$q5)1?x)<#z5@jqXpaE+L<mbP!KcM_h{DB%E^(puk(FglF57fK}U>L zLf>i*Ot=r!9^qG`e{!;uX(2Zgrt}bJ!Yvb*`fqitFsHA6RP-n6sS+>5bkU+<;Vf6) z9x)(`Da3kio}*n2za($<A%_rizIqwkau;=QU(dwj&&8MUy#CP{f|h%+8zm|Dpyk{W z2RcARV!>Ju|E<n@mv7Nc;5&8S>wucaX!#uLU#868RY=)gsw(Khr~&|(c3{_coW`ah z5V@(ogG!UF<3Vz8p^%nf0Qs~ZP5{`-KER3M);j_Is3jl}JoZ}!--5zeeaT}>*np{) zFFW&x*#D6ERh0f-=KtMA01@`R4u!FGC=Ar0;2JBrliht2nPK1{C=#PTR2tXElXP<N z+}PB%mP2)Wg~cz-9lvbItx^B@s7J$t(4SxpcneZH2KM4`Sg!X0>%g{Sp2*q!DAkK% zPE%=B1se9{{Y#`hge5imXHkB|hd*;2^{u&cGu*NFsZRB_H^dpu#WgZ^;a;nOkC^FD zQ+7Bt-j&*Y?0Tg9nEd+DBh$JC8a4|H@%5BRXh0iBw-!e@*7~)9vk063?7oC%76<2H zF1=#-HJg5pQ)WmHwuZ{#`_>JKABv8}yV?gbqd6(rq)7}(Kp{!CRXwuAee}5G54&{i ze7DtZKl1w7jZcTn_GvP7Ht;^5S|c(JC;Mj{uu>kQ2gwd;Opot#jkvu|5ni^y$gymB z+6t#jy4=p`@|UU?2_%kyc0QlhRCykUifo~`WXc_xUc9dz@YY<wqifdIHb5o~FVlA= zTWa<G?Z(l^L=R5a-nIUW<Jh)cXJnp7!R9S%WXrgeR^_dehaSPbMuoVWL#`OqSKvt3 z8ai^#_CNEI9Gh1gdGOdSImYLyr)bOKAyaj1D5I2$*qI$7OoYFWQO1v_qMcuAwDEBI zl?Zkw%pRQfFg^`!gL$*aO_gW0S?SV`q{MefQaMn#bgkC>>FqYdCSBVF=9u&N;oiMc zCY_g4%2*8pE8-LGmurjZFQa`qMJ<39Fn7w<;Y4UYh`FnO#2na}|3}QR{T?wv1iRa3 z8#2GDcxIBRe`~qroa(1Dq+5pPF1l3@SpR__e~K92-<buH&J8&JUy|<6`v1Qm-4~>S zU*{-;U=0LR*{{1Dp#<*P$QQ^J?7Fb?FJTOd2KHAy?E8EGY4&{r2vGp@mA~I14X|Qg zB!Msii~ueq(lZtX`gDL6lIM$I7h9_ag(3b&Jc2TS9>bSqMLqqpT767(T7BiM#p#I9 zo$;FRVVVtph|p!!v2_8tf$2`XcMLDCLbDU8orf#6T9Rhgh5(|r{3e|aF5_1Wbowju zbNW$Pd&UJle^NivAmjLRJ@sxh^|;J>TDpn9EBOGY2;kd(W75u)I_)8yo@S~YT%&D# z@`W=xwnrsfCT$1Vnib-vTQe<s+K`Ur^Mf<-P=Dnti)*pjj8+Lq)gmRc#&9lKU)%lw zI#e&lH|Tn@+1|t;Tb9>hPM1p=&I^+Y@1_KEJc2(J^H66YCMo+1+*HonnIK~C?oaa< z3O^}=shb#v=7;15U5r~c?|baJ^%uSO*sN$>9FgNVhzBPa*lxv=|EBT}+xll%+T_y~ z#AXBAzB;Aca2)Dup9uQ4fas<X4~`d9(BE8LVL)Ni2!#^|L<=xr7IbrxLE^Ur0hn0< zl)gO%fs;Z=43Agoo;uMH<RFxYlREo)aqY?Tx`)&Zlg_iLbrIA=r_BHb4N3$N22m(l zw)@zBg0xWJn!T>6-J}r3gVeK4zn1R2qH?{^@!e`mS}Njp+&Q&Ab>WSyD{whlUgj1} z`X!nDr>MhBiD@qt5|7h6ofV$v#@vzy8G8?53?K$;ToX5TfAktXIMnbK#kHUuu-;VX zZU&hT>DNU@sstZgiJJP*0ZTn5NfVcQIC-apKvALGMZ4a^%i<`@?c>I|Ns&`}Zwg)m zWbb;BTmdGgv_HhGAVPq(^A5#M)n{;&kz#8_QP*4vs|l5VO;Li+I&pI{7O8PY`=IWG z;h-#0nqqS2`Im}l9AA4|z$+R1gfmyUqs@0mUQMaFH%#C{Qc)`cc7|9vD~@`Si(#S9 zB>6|`Z0vL}vr!nU^C7-m$bSSaO$)Pxj|S2wd);+t9W8$Ky>t1c#$EilL7Mu9q4*AZ zaQ@6lRjntct8f&>FH`1b|MD4`Vc1|*rr69x1BxDMdQuVx$r_DPGrN+JSvjo|A8QGe zV9UUHa*#C6Qom&-Ii$xY<&-;AI77a<dd5)S*gS4k0(s*XslwS2r!^5SwESS!12an6 zvw>S?a|?hEB6mQgSE8-*kvRRtn+xSPyX@$>e$^*9iw&yzJy3i}K2~@4-BWkV<ZbQ1 zB=_vGkQ1Q)qad+DTzSc%c$gB&tZLl<w0*n-z5KJ5ybRJMc#m>fArZy{_6D5aW)c!d zgsy^cV6m53!2jFxgKhoJbmT^I$n(Ns7!F8*Gl2f~VsISK*8wLKTu8s~MsRcB_`oI% z^m+HHfqPnNdsU8sRr~8%1P(NsjrtQR=ZjfYJ-m*zqM6RsSw|oGcgq0^(E*!)Wm;`r zSYCMu!|JNSWeC-s)M9#71jE6|$s1JJ?jR}MM(L>!*7E3cW<<NnYx$#_cQ;dRMrV=| zlxde=)rvkzMdiE|eqwP+|CbN1DwDcpwIMmg(2AB%V*VA}nN~R#?x~~bU~5V>VZ2Ye zgYi^|yNGhD=Z?M{S8jrv$pgDPZ}K7U2dz7r*2+9T4tu+kn=6e2u|pFjs`<th@F7Cm z;rB1QJ#G^EC6XBf_eVJQ_#O^*g!C54X|4fI=<upK`=@K>=BXxUlH!ln{P?~%;(h^^ tegrjmezv&fpk@;O4X~4`GC7ijrFe6P?EtzWpp?d+;>|>LW5o8q`6qETd@cY0 literal 0 HcmV?d00001 diff --git a/venv/Scripts/_testcapi.pyd b/venv/Scripts/_testcapi.pyd new file mode 100644 index 0000000000000000000000000000000000000000..689dd36a4e06a5c274eb22528ea32dc70c0e7614 GIT binary patch literal 81560 zcmeFa4|r8ql{b6>38WZES`(!;t+yp<)0Xn34JdzWD7h)v02dMxsK6y8m!6~{iMi*N zfY5?Bafp|U%nUPwPMsGlI*e9DMGe|%(}E3ksG{X<(W2rEGjlN+jg@Iro6r0GerxY@ z?zw*g)cVZ(KHoEez0cYI)?Rz<wbx#I?Y+-k`ruw;ykQubaIu(S^x?_Ba`CU=Wf;bk z_kU-KarBxOZ|=*edhzBOvnl9l?`V6dqkglep}w`X&GKvvcsfF@o~Bk$#qw&;=C;Pb zjLDNH6=~4RKl7XKzU!@BQQM6RUl+|qc<N_&Uc5%0AHO(Bo?RCWd3ImSz;ou~J1=JA z+4*Ue?_F>0jQ&C5dnEtN$9L)HqfwTh`FL2uE1Mcj)@8TM=QWI~j4b2P$z>n0<IWr7 zZhlwBlqtqu#OzbCcm5@wd2k0LoG0(&3}b=><4?l}qJWqm%pPZqGs+P_A(nHVD!BKj zhEapq3wU-i*^^;Rox~UYSCnDwzX9*18OD?OhSC1A%5NtpKTjgP+#PwqFrw_(G5%&) zfldo)XFmmx`0a%w6S)37hOuErM`OKJZx|g!_5fTh+&(zhUpcCtp|Tn6?_&a*Jr$2% z@jd=mZW#SDI)WVyh?2IV%|;Fa<M4F-l@ne^prs8N*>=*vcn_XaQu5vBD)v9Ge*^{k z%=cyF9Y5v#t%?lALV3+bER@|GTM_+PEEbDo$J#T)FJ!EU73@D?<b_WZcK2@`A3hmd zhjNlXr`cG^++V#?Zpq*4&GWH>oaPv6iEg`cAqTrtr&g{o3lAB2v03whcdVf3AQ8$d z>$jVr@L37KE6k#lj8n_{iL~qQU_Y7^GvvXP<ZyLuUGq(`f<ve$G8{gU+5LKM*JnWI z$c>Fp7<px}y4XvM?YFi>mgV$h9=ksryJ`EcYGVaepCe{S39T!8wYT%e-a{htB9%F@ znd4&xdj;{#c>|$4mWPjLhGVhEE`%q5D3Qv{+DQ4-*l83NWc=$tV&i9aeLmiFLm*_Q z6!Nbx>;H(;NYEoZ<UuPUKN;|f)En@QkWXR-2hf1XNOvr^s}SSrptR@p$mC0a+vB~| zvvj!o)kp8G6-0Wxquu?vU6)YK=c|jY8jdU-4WGzC-0mMDE}TKc7iO-o5s!E;RnGg} z_UC%NqrP765M0!Eun>Ujdb}41F%J}LJV+w+c+bZ|qcQJD>~y&=w(1h8oJ}hK835PD zLPJvB6x6n)X9_Faiumpq5((w52l+2Z1rhK0(4p`|qIQ2~osHU@bt6`_c{mLrPsTv% z$iJ;Sp3)rudT_fWq2kxvJ%o5&NXX98F6P3k(7#BC8<|XsgR}=p;_4pnaM`Oulv)r) zXi?X*^c?6hI7u^0?-C=a(|)8ntPCAi_B#4!el17_PSG9oKE$gI(!KL#5GRg3f z7H9e*3l(RvcTS|GngyCmcdR;}*dNcN?T^lfuc|LXUrg5#p$8Z3dg~<M?zlIy^xVZf zN&+wzxM`J}o67n%jZxKnH}#!_q=CY2NY}+_`bhdGr`J0I9wo0{@|kDJ8=;(7K^M9y zd?Fu1IFk@Tm=V$@bSYLa6{DM+n$!Jy=*C#VPIN4?6)?GAH3I08vi|if6`K%wUS1Sm zpuWgbj+HmcIiq?)g|YUWgL?tayu^A-ZJCxsQB~GIXJKLPU-$cB1xFRsWc~^-$jr~k zGpxx8f~(ft`EH8GJsM4jtq`QxNi@i;_(F;d0jkGsKoiYQWEgw^B5bXyGK^Ng*KVUV zS%W#kT*bOnXrg(6;evxxQ6@6^Dbzl1@qFuc)AJ80wWUZbsXndjTW?D~XHbEDknQGb zfK5LUBoRpUZ*?Cv2QB$9+(zrlV!eNdC<C1s8^3+r8$a)>UA1ae<QH%JW?AI9XQS^Q z|6Ffo`JHFS|GXNV4YE1H|EEx@K%2#iHW<w$&$Tvra=SlIpx#UKj^}nCM%I+Z0v;u; z18=*6r{@C=4@A~1)u3T5O9u-h8}rSC+&v%Q$XPWqzW+Y7t!LFp`1d#G?ztY3%^3;R zg>EvZ9yanW-T-LkZqV>z9^WqTZGu9ilq@sCnJX5WWR^4c5cJ$Sr^#q<Zg(G|A~zDp z*h`!l4kLW926Q3=x5&8R)Hli8PXJ#+s$!cIDbVau2#O55L{JX`Z67GSPa~2I3iRw4 ziHoo$Q)54}@jFNGRjK%0%Nhl<iDO|l`yWwM^2xZUMGFtJqtSL$IYxb5EOZXcgxtEz zgdU$kl&Wtp-qKRyEQ=mwKB*4?NNQ>K2+5KgS&mtXjbrW99CEw1{~;Eu#o({HB4VB| z0{Ws<#C{KUREQ1ZEiGc5ESl{gmeNHjEUZOMY?kOw33TYv)me{<Op7caFMuarkp_Vu zF0e9=yvQs{qu9$f6g{9gn(iaQ)_j5Bl(kO8UXDy=jVaS}I_ck!dImpWF6QI^F`oqO z2TROMK5jNmFwNi%roqR%%@bh$!5s52A6ce}$7Q68o`@WAbn4>Yy%meagGwLHHa%Z@ z8}jMGNO-8Qy6goJQnhtG6-D_yRYiGlg?r0lJ==?>M$SflOF1?1jaS1j8(LVs@f%xG z<&;MT?tJ#s;r>|o$FcEe-~C!Gq|5=3N|>1%-drs0z;Q<ycM=s8P5XXNO;HJYCH!VA z^d4K><aYlXyQZSZ6R9aGq73^zq{6(HbGu)|Gler)%{g~9-$O1`bHc8sM5-xDt!B5X zrU=z|SWUOCW=FbeBBTI_a({$WK|o|)6k{W@wx}@o(6bqf#`pK&Rj7uH;kOp%?s*RB zV~D@IQHv6PxA9HH-;H>K)JY@$#v?`3ZrXEf3I*Vc5G!s0_)lYr84-Z}6h|`bQ)t*+ z9v6V<7moV66bXm~wA*tT8Mq!bq#$`Ss}(8u-m%aVDJc2UNI~#H`YJ^X4k~HG&W_XN zA1Ftp%Fp60t-KLI_!Z_$7K9Z=g``hjToMukB?{Y9L?LrKdaZj>5Lvhs6=+tBV@E@S z!j5a8wAhI>%yY0y>8~qE!xIVQ_#~=P74Bq()bqxWiJwJ!vP|S~wUHk~Dn564si^fQ zEw;>eBo)V&X)dXF@y--^7#_;zDjG%wb0)-Mtl%`ogHoPzyCy?2LG>Q+j{X>LocO29 zw3rRqB|70UtcP{)VwIfR{WOMSWPzw2uVA!vpF%jiV>H8>WbOv|i%&3JR_7+h(POcf z998RcNP$G)g1yH(!jYDPerA=~oL|q5G4ZGLc=xNhUA2Iv&_=%*J_te^?cwlvF18-X ztai};1JIs`0x?1OeRw0nx!n&?L(B7-hf>M%ItFZdvYbsN%Ugi|4;<?P|GRjbvu+gh z=qEk?3PDW|V7k*qkH18Un;xN?06Mq(V=UmZLO81|Qc5(Dw?(Px0Qa^i^)n7WX~}Q# zHYYTi+kKBF)VWkby@)(-gHYDPyWWDC+W>XWlR6<3M`tiR%5VT-Vb!Tmrm*Tprz+`l z7ptc2lTa>OVg0SM>fH5K2HFw&gs!g;HC+5JfKq&#xGZ=b@o%G9x~^+ob&>hes`;#i zMqbvM+x;Fyn+WYpSQq4WeZr{^FA2l&a&2?hN1)b3b1mu{yhT;^kC55vlrtYFZMM@( zW6N`zAX*jIZ`6-+E+azzk|Ly{C~pAH79!^{qB))^L?S=Mcyx)8X>W-jS%6}0LGl2? z;q66vjwHDm5z;p>R4P3OLQ8B@9;7(B1x7<AMFOqV)moS!AJw>2QINdMg$9$)!atxq z(QS|(fJ9*%D7>-(Ch{ENVQRGH3KXKLsCe3Nn9}8=j&z|WC9TNq=BjWE@#1$?=O&p5 zL6Xd_&L*2(-PtgO%{ZsJ_uy^L+M+yL+WaR*yYLq*yoog9Dl&;?THyS6EP+F6QsBI8 zYVM@W`QxcM4aJoN`XJusSVeic-8X7trV&BcxoUG06KF?H3jaYdW#2i(tdhQqJUi_; zlu0YJ>rINJ(3b93LqSbU5k?0tBaEnCB{UJVvYGxWDh=hU2G#<Ml7zG=?s`)s)UVOW zp^M}q%0-b=1<Xg0k}?+ZU5NY<t+x?*5fm`@Q&@cwZ(No97LpnjYD99osqm*~t-nBt zcS4KFq(x|%`4nZ>3|JZeYu8%<xij>ibFkvb?QXT@Sduy=a%?*aU0IIVOT?tL^C{tO zE-6A=>_wQh*<Sg&EGZMs!Y>0kXtc6ywwK<@3dQ1gJH>BHTYM*rPgTVQiR0#KMrE1j z*??@kr)x!gXGOIj3IDUe|7TenUKT^fPcQ!B{Oczwwp|I8QPvBS8C#-J>1XxPtH43* zdD&1WVc0sU^+;GZbG!Z%9oBq@p4CPulCkVPOUCey^gNp5GiQIr$g7135Ihxww#kQW z;^jt0*OSN_-Z64VZg-cwjT)gxQ?!4(2Ey;Rw)a$u>G%q;ts24&-OfodGz|g)(~(QR z5)$}rQ>WOjw*y!7%wjyuc6#aNNo`=ZIV+)m6j>2<Fb_ngQEo(WT5^Aal1Ajsqz$fv zAV6$FEfn_CcVf>5LYNlIlVNPzypY=!CV7%~e8Tr;SlM;vVIp43lIK}+U;;!VCIXgc z>Hg46hfUE}WB^^T^s6X%Bgir!JL=9B7?scCb>=0&P2BU#@ni30{c%*4fV?#ah?|{& z7RNff`vvQkc|WjjF}EY$JWMYQLB$Mx?>Oi%PZ60{Qrno^bH}2{7(E8*(B0qJe{6`M zFR9Sik6mKuvnq7x*eFAvQlY;&mU#rBT`II&`pWM9r0pZxlOkU5XDCau#f((@cEn4< zj-3wW37RDKHn_)u{f#_So^F3b_BJ3%E}2uA!|pUPWSqxj{7nagWaO27560%+RU@c> zWiK}Fmge9wJm5XUk%iZx0q<G;8XfSS)2|l>u;HgNoFBkupn5%reJ=facECHNU(XD9 zhvn5gbZrJ?6vT{g#enw`<Mc?56?lZPXM+S&uz6JWVs!il=ylwA;dafXSZElVh_O&K z7P=4%VXyIAEOa&&I%8Hijg-yI=_vVvUzLnESMA@Ce!5zcQCCfBYC+;NSHA}cb_!(` zaTQwFDp#9FS4CXZEA+jJ`qpCC$K3rVsc%KEH|8_<3M^;Wi!3L*Ub){ws@emA&`V?n zg|8~V@12w%^_ly}D*p_4*D;ZeQ9sH*K34f}OZllv{Ec1yz!>FaOK+^w(qCvl>Ob@j z%OAd6dF~jcqrR*DC*NWDBbO_`{mS(py<GXr;t%@}Ws})=83-84vYMbuohpx1`KPW> zo(A!B<yWL=6V~EnYZVlVobH%ain(yD;v~pE>h8Ci{ixQ={#yDu#jhu6u!txj`N#() zWE8U^<}J0sjG<<|0^J~nnWqTpgI`NkJ7_#xjWlgM)94&bLg#5{>z&ATu>}J13RUKI zZ9pbe%R(nu=z|O=PjRWriAy*-;~)G#LhRzZ=8pXM3FtJG{j<WNSV1&R2Pl0``hRo` z2tUJi*q9Kce13dB!erUIbZCWXd>wOzi^BHg@b7Dsh>v)2E+#K>swX4j9qw6}$xX(E z-1qBQ2pMQl-{BFLJj@E;&_$%-s85aeOjMArz1WkD@yLZ{Qzw7++svQycJf1h=Z%qH z%kQy9po3rj80AI&jaAwuf2Llp{88!o)Y(JNchh^lXMASi7!Yvo0(15m>?_lHKFqwZ z*os8TNjO`<4ibKVJW%?M=}Cl1MM<#G)3Ja|kO>YwiV{mY{EV)}c%1?iT#eGYnLN_S zC)K`^F(IC*1;}Y=CZMvB#3-SinYx|29*`g+D?o=3b_S>Y>O6}%J+V%w{i+q$LPc^_ z3Bj7u5QiS6iI5z62!FUpA)_SjNq?yJ&m057JL%uqi7=h^UAcefCzf>D!$XNU#50mc zR;A&u@<b>p^{0Sw=vk3i(y3qdOkOjUE?4Q4j?p9*`pWz#TFBx=s17~}{e3yG0#E6m zGD%U%^_f*EV6AzS*&vnalQf)(Ix9mGRa)<tqf#<Jz+sW$SV5uYYIPK<tlt?VZ@<2p zcV1t<DDgbaXecFKPDJ7rOBU5?b9G{iaR|(MII?sEE6MA_TeA%-E3z<uFzeuxXcshr z$ii$K=j-(j0|vBJETJ|?`5~JsEPp4cGAzvHjB(fn49uBiI7K0Q96J;e`usQG+xVx$ zcSUWIamH$e_F|%f=1jAl^%R^I9g3_{EhZG`51mMW2{Wz|%@Ky)og95jdKJZ9Ka;WC zh7r>5!pN?nwXjkuE#X8@SJ7&Os43(WVOwEEFRZg=F+K|E6|FG$qgISRh0Ii-IXz+( z(P%R-YbJW!nmI446iu+Ei+RQDW1~u;Hb}Fw)rQ#~sio{xG`K>k943#&!%W%OZ1|#` z^*F)V53Ler{X#eoToGIe+;q57xS4RX;pW4Y!&Sg7hO2_}!PUU6hFcq1pAFo?Z)HFF zUWL$TB0__WWif0r{P|yl;gL}tJsfADP);PXZ!j}b@pMkFRaDqJ^J$(oI;Wa}X6HvH zg!}V)DxR8u|Gc+$tRWEwpOz}>%-P>ijV_YhIc2f3*KuAoQgyTtgXG#2<4I-s582y) z8QD|RNZJoz%NV3t?Ng-b?J6oqv=2|*dypp&Br!ZBgS4yYw0<7d&;9bODBA7=N!R*f zR?$qj`EV7sO`w!!y+&xYkp(<A6q|T)4Fd7GDcu|R<={RFvZ3tUZ<SxqU8jsE*2-CP zF*n+l#SEYauI>U6z}0(53*l<+*W}S2c^>$IgL}5X^tcbnb*Wl^Zr68_DN>mqxv>jX zLN}REE4$NkyxhG#gi;rG3K*CiY-x<4a+ct1?&Kia0vHLUL-&Ut%{Odtk;=UA`3>_o zgt8))*@NRFm7Y1?kx)^}DnsTNbd0ugb10cn)McKcm&Rh2xK$_Q6nT|LvW?RQTAO0r zJ=KI7!5C6)jtql9T-nOWu2_b8_AJlS4NhnnHtjj-h+N1&nn;7(E}rd3$gZeZgp3zo z1QjW3LDkg^{}aMv)<7W+f{T?2udwlm5lYp&(_JqlLv9z3cqG>wdhkm0zZCkQ2>(06 zJBE#`?2CTX4Xf}zJj^P3SJ5TXA2|mddtGf=KbrQdS6}=^-6o;urRH%M@>B`*VKJ-N zi~=~~*h^q%9v+^S!Ys0~6?@xXRjEN7xj%beWwy04C2NYrHiwCQ(KpjKf#OqH^5$sB zJe%1?Y;vI)FX_nz%YQ(Qox9HUr&MAansd8XVAPv4QQKhTilt->pmu-Ri+UKWkAD3D z)j%@1(39&6usHd|XKnys*FuovaRJn=1*r5xTOJuNXSa#F8V6P*X8SstCJTx*eRHsb z8+tdIs8s-GRLu*G?ik-&nc>5&39XXWMb6s!a=Kr&&eT?$jjUfAYjgBToLIqZ0CyeB zaYUVs{|L}GQ`eZ*hdH_gz5S5uviscqx-}CNS-1kzGx?-80^}90w24e*gOahJ?67Sg zPTdaupkKPq+qWbVkdjQ+Xw|im&}d~H&E&E7Z~16%;WshT4D5>^b&>PI>Sm)ZddGw4 zp{1h(nV;evMxYOl;W7OSqQ%n)>!Po7o&`cGGge>%T3uX6&5JyLIU)-EppV7v=}PMx z@|imm+kslGJE_{a&CmtgWwy)@kNiQ_kS@cTQu%E7BefJgaFj;8Km)nIKed8pv^ugd z?{K*_vF|ZZXV4QqUl<<A3{C9gmh#}W;b`_7XW!RfY~Ye#7K!7FeKb2(aEap`V;iR# ztXr{#@<?_wPd`?G7P3#Xb!y6Z(pr_fIVf>Plz#MC=MQ|fiCiGJ9;7{aB2aB5TeZsU zOKc4_<fX8}^yYkz-F)ZC72Mg;nlktw$um$l)Dh~})T9eeu@PdW!G*N<rf3|Bpy6lp zdRJt8GGk#^f9TCSzYjvLfV|sht2muM!B}-xBd+lclG7%ch$QFe1p5IbD+uPYN!sIU zl>G+)sS8BwUN8mQwgIHG```{WgG{0ZEELT|!^Xd`0xkAM?^uo5>x6CVaBH^-_LKfZ zTwN>5bK#M3+pmo*J@b6VM<U*H&sSu`*5L_V?}}!X+PbpWfs{-4v4Yj+8C0b;5IHdd zQ8Z0oC>sVxz1O^SJ+>#9i=ta?h46q~@?|XKy*7o>x?lZ>m8*3TErUgt$S#ya-?&Bu zDi0+#J*Art3r$_!<jAD-@Up*^EYlOaeYK2}G2rbQ>IVbIr(Dbw1Ko=u#K_mZ->kyh zKsSAc%U&Jm_UZS5?i##7jWGtgS37TOoi`e6`8Uu_rB>zRnGF67bkpX`-PVEbcIVB) zo66UTHww~$?(KG}cPHMkkJg1FJkW-AOJVOG$?x6!|4Q0E6}eyKd>qG~kn?~la7g7m z%&qhR?~^L>h{}01_84>a<w}94RL=ek)HvWhp(0PJoTo^K0q^NN$$3WQJey%K=Q$O5 zUghLoVJ`Lw3nk}}$~lY&_8c#%$Pwm@J%Y)S7E3+l=63x#N{|l`SJ%^B&O8N%>cXDx z3WUg**TqjAt2k(-z05mrO6Z<>m6@Si7lohC3BQ%w@%PD!vZz6O7AY;kTnpxbnpT8| zxtLxWH4USi(@@!qABooJa*8D}>CHOC83_{NWo*rl;C%0}(xwj!#`%%6m~^jIL&?4| zB1&4Cp#(+hc>FG?GylfzquWy$-P(ky69jaR_^RsKve$7C^U=aye-5O9HU~o_Pwg3B ziR-J-RJQ+z(rWtDP)ix=Snu`w)#_Y7MCxMvDSP_fL`)p%1vO5I`JQYcyK8acv}dY& zJ~kgugyiTGwY-I@CevX|0Ye}s<{KL8N5o<ugW_P%)&;wn8j6NbOpO%u0|Ds3<07wN z*8nrXxX5!6+>U(#FW;~At!Tz|UiJ;*Fn30fkY@QCSvoXEd^CN$zBCwKP>#i?Va*6H zsF0V$i+%@Bqhj+YTU_e0KOB!`F*g>dXPHz`f?SxUo**nV;HmhAetP*goJc}Pp7I0> z$c3Av2MNl`pO+mfK6nDq(Jg$iPb0>>lh&_%D{y1Xo@GO?9-N7HWa7g$-NyCl1bKe7 z^%u-roE^F~1%dKxU~n-JgP*3y;GMM}^+PVC)}Q&`SAR~r`g8vK>d#A8f8N`yU$_bL zB<{jS%8Qyaz_>?_;qa;vJ8fP9FH$|1<>+LxUF2+aZO^*V$dVG=m6I5R!IklF<Sf)# z2}7K&C0|00a&*7U!78F{Db{22dph&|>w8w`^(@Yj>)p2gmx@m_tUW;HQEc`mAv1!i zdUm+6VMG!-b$=W-f)C}RJvz*h#F6QUNks=3r6I}|=Ep}Eh#L8AtiS>d*aVUVtG7!C zmc1&Pe(ql%haA5)<t7d0%cmgsXq!2X1(7W=FkUbL#KGY*F6lvl`hZv(;fE506`M5# zwJ=uDuEfH6o-1<3pU)gkX&N<tOhrckoHJa1sEEpXd8Tt^I`7+nTI#wo&4$McYEU3n z@Fc2yf;FPxB()-DGAPoV;lp8BVubyR(v{4-pZdbm(da2CNw}fI(An_6X2f1WWMnw{ zO+>@0Ee)7<wr3q^$nudJXCo(!cCl9gDl(h|>@im<lAT4E*+mEYJx|&=d)kf>5IeVv z7ar10ccd43bO)Ae{D)2=<z?ErI*s6spZnkU`Wrv*t&9oz2~W+x(@DxS`}d$Y#wC|x zXek>xVjig`#m=E(SvQjeaueRaerplPm9h{^mb}UG(ox3oLVjKFI2fck!z?9AujnOG zZr58-^&&TRqBe6TQp8l6&AxqRHi8$whUApB1fVQVgz`;fOD<o<@*f?e{My9wp)}<; zu>9R)ly6TgKPydni{*a{B{d!XU5Vx8!bnp4ceDK0#wfo(u{@0^iS3{G%;U&1Xr)$; z^ZMqKPH}wez}l8v^eBtYNniA2LeUQ;7X838r;(geu+F@I=yWQxn8l8#6iCv=Z8>H0 zR4uIYqr{_NJ{ZSdZqKhXGyBLw1$n}}=`Ndf$NZtGW;U|f2Tz^to%L#;+}?9?*XbU# zjHi5a?yq3PnpFf?Fq>-7tetA){H&%(AEN%5K0%%Lv$L_6VO;JW#`^1L6-=J}vXQ3` zSbuC%pAS$j9z!CffN41}0jkhGkDZeO?Q;&a#R<^16WYTzv;$WOt;T_7CO|t(XgAu> zPF*E5o)l(Fe-e$i@(dxpgaIS19JxwJTx}|vl_ub290Rm&8(I-UsvjJB>56kd`4MCi z`gg6so9uTb-P*(jK%_)&<O$~3OM>3&%K#kj0DKd}PXJ=tQkUX$yWYiA1!T`<fP5Q8 z6;@wP1LS$8Dj@x10@>C^09I2n20ih@!($h|QwkR+7Pfq`m)uORji-GhfHQbQ-w8h6 z-M5dAoW2cwWc5wQ!)KO!=Q0D`)?hGxVp)r!^uZXMjq!RIQz&$S1shP<nmmv-jQPDC z@0iVy+AaesbHRZJ<Ei_d)FIJ3G8dG)%AQiGCgT90Q?g_)@G;9I1%6m%Q4)pYd1(GY zXFo;es|zS)vQ7bGvhaZS)YR|tak@kvXG-O9cD6juEtbc5pFA#bkp{!YY6%TB%3~N^ z0=tMDQqUhR!CZJ_CuUvf8Eif#z}o0J>MN5;1uRu@I=`D&&F4%e#d5p8igyUi9u@39 zfFQPi)!BNxP$mmST!psb9V)>oRm$80Y<!%BrCA`+Q^3F`S1IT%4M+SaiQwQ>;litw zRg}1@;B9ns9{|^?N*uaVNup5XtbXheGF<#E$A(-KfYqaLSB$hp+Ign^Z=@Y7c?xg; zj5nyZ3JEN9Q)Y?q0#XF~f5%#w|L>4LyyLXdyY5tO*C8^05IX_8Q8Q-<Y<O9ZLESHN z7S2816Wr>%gUAHQhJ9$P-Y?7T`V9b>!+;BQOfyiA_oUsD+^z$xKwWm&ancCYq}WD? zZobnqKwxl!&VM{7{IN`2+oTaNX{MtI>BZ=K?p9W()D|b(S|f|HBdbo}{-AHgoK+|B z#h$7Egu(cTNdgYGrNt@XnhF{YDw*t+!E#m?bYrYGRRpDQ=@=+!2#=#e^EAELH)P~R zfAuxk-%jKoV_-1rm<9MN%(cKRof5!CYr9#YuEw6}UE?!u-)aFImsShL;yF99@)VSd zuz&{Hscs>;EKAPuo49_wGZ7LNUKW*I=SxoIq4&wXD{~(+mfC9)90s8%tA#bBpX|le z1OgugyA?|Puq>r9+(}>C`h_hE*+R9BiQnQmI2(NZL>0Uk&XXJ`z9vIvzn=tV{H$|e z)`2X>f)Nd~Pqkzqi>ZvUj}l-zJ2dYg^WkM21uB}s9jZtHBf*y#9pgaG$cHmm+LzlE zqvCvG;^9I2&WOlMo+p#-5IIcNpGZl^KBxPI`*uf!G&$~u>uwf!d9ot5&u{TQ2AhEz zcppQ*4*Sf-ydyCzwJ9c08xbC~&b^7Fcaw7TLJGa5>*7P|<M~CikTNENwh5fyf%#A- zB9LtB1l7grT<WMm5%2;<%C{eM=8InM30S}}nqxiQy}jQ49`BRA-lv)u^>~lKJlUL& zM(iDc@W7uBa|oZ9L)7DpdYn~{bL!zTjw5H3t;Yo#;ED&eN6sP2G(V!O_x)KC`Bb(% z_Q6M%{rU2+4g9LOZQxf~j;co=AF+Z=VdlM9dEy&ona_sSmxo8Pw*ObJ_X64#@g8Yj zG+@vgk4D8p``Iec%w0%-;%-hxXj*yrVm3?v&aFo%@%F*#N|u;;Ph(W+k3LclM>6Dm z*^6cU(Rb@SHoe(FGUg8;9~Y+mTk$cr^z3;GvRoGX!{B2y2|=}-MTzyc{?7Xe*nXW& z6w<7at0DGTHnQLXCuf+RM6<(kA3+#`z;2%E*eeH3<T0xV1jCAL0B#UwVtC>;HZgS| z8hd^;scb-L6az-e+@8N)WtC<+9*oB&;Wsm^Y2i1=SvQ5>9B*AO`kC31P*FB6%i&y{ z$OoKzx5uNoGqFvSk9T6lkH;P1kqoOC8;6!BJTl&TUs|Y&^U=F7sPjleyKsLFFGk?9 zmD;7<gJ#FKNM$@Y`{(B4f1>)ir#z%^I3bkHBM#>^4!HkSpwYmVE~~W9OQcAcB>bNG z)8l8obNs-MxB?3+5LzvQbzmY#tPiaOaI*z+4?LMoZXCwciWz1h2Zd-zE=yhL8ZcKT zN(@d(vDu{P6EO7I6Q>VFA``*A_~2B}L~C5nMC>zZu?hMqdr~x!a-1(0s`)b9S!3*Y z{~HTy42UP|Jp;R*0`5lwfa$tAA#>>pbA(VZT#AHf7%p}__5eVA96H%%9~vDicw8}H zT!iCD*|TnWF84(_phVH*@y3jv3Ah~MsKpa7&9Pl$L?)<23A41SB@upjLPmsuoQwbO z5c;W8Xsp`X#BE%t?rDszZXtR+F@H)gC*~zhx$meqPr*V_kQ0x!@rRUv)Yr<A-%VSV zXYoF@MuXg&s)Sz2Gj5>=mFPIk@@D|l$30FKnXdX5MJAeyk$bR1lGIrrNDoP9VZxfo ztU`CmQzBky2cKx}VTRedWQCGDlJF!G-XEFOh-#cV&j^|<dA)fG83fn3YzCU^k0Y~g zai(su%nEF&`UC$(mg3$}jxTn14-D@MGkcay=NE3X6%R6f71A+b<zPeVo}T*(Bll(Z zteoESVfhkkPMlQ*U~2xN$bC7I-$StJ^2h5h!C9b``o;c)E!?{1QXG|?j<2L}vIp6H zk)K3|XUdu6nTRbaZvu6yaiF*aq0$Wq;W=}!dd}|0GgjaORRN`hUp(55eux}Lo_4~+ zccH^k19MO`!^(vhD&}Q*_QK$Gd^?KVgV}r|f9Q2qXj0!WNPqD+kY5Bl2dA2?Nqt5? z;$B4@zCkhn4%AS?8jvuR3C|%Ra-5aj%F5o&%I-E#A_wHzd{%RV9oo-OjvdMYGJ4g9 zil-CSBZ(EyXB<ze+I8aNAB*v!CdBO8UR1?8a=RBe^`pfZ))dxXh+#tR8svB(gAPu_ z3wa#l)YY<fR*>PYV0)1d4eMh3MSxcgyM=&pcq=1xXLA;h(vn#R-=p5i@`IDqI|mMF ziGy5d(&L2k1faNTe3EhU0if+g<>Tyjg)ES^A}h36I?#tA1_|nF5ETz;5MES+@RHo1 ziG3FUez4323v&5z6wP=RkvF-e3%CmR`}<BXcUE5w9=_!9mcUl>b(?H$OtJ?Xo@Fmw zyd6hVoEVH3;qMCJZ+vOHqNu3a7rp)-p#hn_P}sUT0~mM^EYW;DUGsHm0$+Q4yt_cg zZoUIw6l{qfHuUg&sES$np&!)a0kc-w%*xdPC_0m+7%7a(Sy^}wtUykTca-oRm30>! z;k`46BZxWZtlaKr5dz;;D8Bm!LXidRi`v*LY$#Yu;~;Fc-!2QDwONYavWRnyjle|V zl)+}F_KAIDlfgA;!t8OZKXf05URG#cEklXb=}w<6c(N|t;qTKO9=Wmq0DxVwx8ua7 ze#l+M<k>xLKTqo4Ii<<{JML=x7lX;&zZ6iE3GcLj=l`ktmxJz)>0e5S|Lgi!6MO9b zJ-8Z{h4Lrp&&%?`e>6WbxdzYf7aq-=_v~X6<fEvvbg}2h)FRg<6p_VV#0zybCsxYc z;`nSV{B%|2`4vhBM0R}Ug}izD<#Q6s$KmEBpk}u(Jd__^FanFN5qb=I5@%d<6v1X= zAdAruDqPziX{XWn(y%;6N<YfbXgeOUm(4ub(jdrQHjDT&4rj<_k>|Na0u=8M!Np!i z5bw-Osi%W1;bW2TiBd<acf{=}jhR&n%m^|8Ga!Z?iqzU+nzq#@%Il&0fh=}7vkzpk zv-xK7#Uu-ug_u5ED{Y#i#G>+l3t8L~Taw87qv_*@=~AjeFInluKB&%3B%Hn2f?J0? z%uUg=JR2)LIea#C;Qnk9G)3Eoih$f_ksIg2lP~&neWy-oY=LbO7Aq(&n19#BiVs1s zI1C{D$B*%q;S6OBE1t!37O|J{<#Mpu(n~OS;4}=s6ZF4;1FhzNizgK1$c;Sy(2SoE zF?gNfC9oV!1}}+8@Ia8d<$iEFScPA+x=k${W|I-H{G+u5Yx&45;>D9ZIL?Db$Y2eD zT*8S8q%DxNSCl<RfWwM{lo7F^(5fROhMI~aGIAjdpQ{&}jK@_ACDl@(Z%x&v#1tyx z%wS{|k85B>JHbaha8{caLno|I0p4wMxB~Q2>){$!l3+cOgW#~ef+}3g;kMnu#Q@9p zR-l=Li$yiGFsbWuMrx;bw7rt|D|r5#wgKGUZA`41C+%-DcS|Hr*X%+4_Pp`lWDMem z{&9H~hS_`|1~qV>;EXQQn>A;JwCU{CieD1(+4HBvrv%;lcJWyO?iGXHkwiRbqPWdG zla4OeC)35bql3y#(u6x#dqI_2UeHnG$#KZ@qv|^IEaBQ_r#Od@KWu!?{b}$izbbr2 z$Hqs9V?3A4uSy2v@V}sGbIw_e7<{)d4d*DsW*ruar@+D0HifEb+$4o+>k@2nQ{zNQ z<YzU0O8$iSjH32G5+AkQ;o5)61GPD1NAT1F#x@mDj6381vfuaFfWj+%Fms6nbnkn} z_`$@j_D{^JL@NA|_F4!<G1(S8rRqzt*D4(ByA7=WLVtLu97~0nJ~Q={n8j<iGm$zU z`0qwL$PfLUH|fi`^RXgFWb*f497CSK$M;>P_GT9GCT})AHju83nMD|#Z^I^y>bdNO zS;mFbh1kp@MCS9haK5;L=|Ta}v2y^QIL-Ssd*Pf&H?+d~1~XmOWNhP4qevzjkeRjt z3sudD=uAhAl>2X^S;Ra~T)~sTJkB%rk<b5g_?%9QkKP(7&sz+_HVUybUFyxL<~+5; z_B~&o*QpE*dK6`AgPS`y?2C4OWs6A3%lk$xsHS-m<;_tD9_NfAM0Fv;x=4;~!L&6~ zC3Ip1!^i`LQ=2Y*WX4i^zlNquv||KWFg+8q#QM0Hbl1nV+~w<Ie+}hvK8kN$@@^!r z{bA~EVfAsX0o#q%X1V+3Qz*C&OswL4=VCOH&Bq9j468ekGZB>ONo{Q9tslG&sqr+} z6#1i4TMLykWF<FPZfi&*{F-Era--xMuF3;_ecx?wBEl3<yzd6Xp+<PvnH6t^N`XFF zZOaTBgMG;u$TCDQNYyZeewVNRjxp-LPSroGM!Qs!c(;xm0r)ci#AcNMPxDAh^VF=! zt&8^jSUb4$fP$xq6ffTo0*qOnCO#^H`qxlMuzsP7doIxU)XtO3^0GiJd%f(1o=H8W zKpYn@>|d42w62SMG&}rk4wjlusydx;G?BR27F6ee37dZoJ;8stSa&9+y;c?UV~qiJ zzRO-1yv|kc4ZRC<B1>>O8J8^Cxm=n+Q719d*6+*%s`j}4>N+oQHW3Hsya2RrbvLKB zZr=Ap6F`bs0xokSTeEvVnnQHIAG!f_S~|L-PN}gPEwydspzjI&!aRq{aCwVl5`+`R zetetDMpw~`=Nl4-FNW@A(5`dn7c2X50?v;_R%G{X6`WNkUtjjZij^F!z#i&1#xlq$ zL()Mz)0%_t&&)f$qfqV9j*?z(ktNwz+<98yBmyy~9=}|B-6LH!S@Sbm%VPwPg`Ure zEVOeXUF20%xHmItcSHJD(hsO&W2PUHmZmK)_FhP0SRncU1$MtoxNOe7b!t5Zp>wM_ z8!a>2>7}`U$3sL!IkMn9Dnik0oN<FlN68zN9NdGFiByyVDk~R#vaxg+xduO-P=2C0 z!pJU0%1M!OAc+7so*-*c3_q)N0ycR+k4H$&1!q7lyh1%d7H)P;G7m7z{CJkLkPhxF z_>{#6v+!5GAW~5WrFckVU-7-P*w@Jl6^)!^Za|KUJUxgBGZUrtG-d0qHmk>q^O5MV zyOs|aMcJC+?X!vQ-<q?w)isy*K8ohoML%@|EVY&8zTV2&B2q+^tt>$p`d+06t`Kf2 z9L~N}=D|&Y%YmB&ca5*k?Bp??q5q8rh16W=5#Czs=PaFK$Iv2NE#e=*H#V{!y(=Y? z8YuZMB@s#WaBb-)GkTX~>>k&<G6R>!U(?@SJHWd?yDLi*KRFjG<{Y0uAM!Ugq#FU< zY+)7lmvqVOdVC<=8Y>+_8yD<g*@^5rfHAf%c0LZC<z+tNNhI?qp;J3Ji9X^+KhLCj z$#s#P+zb%&A|i7^4Qzxj9qm~xdc8~P0v=D+Mwam-$x{a^(_4;YdweIcA;?VEl!5Zx z|6B-d4Ia!DS$)^Z#X~-@)rZjqj>a^j)wn-JeXx18XT!oHw=MzQEktU~(p=mS!<DB! zLK6<taqICbj6Lny)bvol<VZ+|99WtY%K&xUpoHqkFYBL~Sfrc(g@aV)Q}`4yE*GKK z_0{*>t|^F*OrDCi#<KPnp!!)mk!<qS+<k_>^*Ol<zlhi~c^_h6C0lTm$tQVY0YV2l zQts}5##xA17NaEI+>WlThAnlNwb_}zAek5?@n*ly#3nnLc1b2iNkdH^5dfr-ceygH zl}wD1c+*mu4xT_8Om<zwcw#nxLej4KPAR|?Nj8U6)sY3%>6;&mz2Y+uC>YH<8F*6H z%1iDH_t|0G3n$QWpLs$@;kQU)%yQb!f-(%BbHex)AB3ZJe*Sui0x_(jBD1D~p!jm% z%lHndL={K}0IrnGgz$hFLgIiAO5=AwPy%1gl$2LkRB$R(;h$ysaCHEj9+?$|+~w*O zpiAt;5=qR_(WQ3u>V)XocC;rUx?Dv^W^t9t+xz@Q1pr^H;!Wa*6A_51Q8CRiWYAh= z1wJ=pm*>GuDbKtuuF?!|*JZ(NK68%_Wa~yAK16c7a<GOBYs6;pX&%s-#+ygvtzZ}g zip@HKQDmObX*e@rp20f|#X`Lc5^p>qzr~CmS?p}$IrgzwF(=qq@mcZDh|iT`toW4p zJUACC=F!+#F|84?Vv3Ad@lo-Qh|iU7toX3_KJlx>Uo1Y?T(M%owwPK&toU*9_lv(* z{5|6D7Qah;8ZKkSq+zVMQ+!MOcJW)pCu_%wH;BJh{MF*q)DtVFp0AAKz)jx85MF#l z-j9mUlMZN?_$S0aDgG((Pm6y>d`|DNV)6tiCjJHS$$qioA@R9Vi4|WGe?<II@eRQz zQ~Yf4bHt~yHdf4`5i2ef-y?pJ_&hlfE1oSrO*FCMa`7v~Uo3u=_&)Jhi@#R<4dQd= zixr#Vw}{^^z9oLA_}j(bDSnsuyT#ul{$BC-iN9a`$HhM&{vq)Xi~pqfN5rS}1fPii zl=%JPpAi3~_@~4_E&dtt&x(Ie{PW^p5I-vZkof1Me=o`V0eK&lcLSp!R!lW1R?K5{ zv0|PUjumqoKxs&zv%J&75G(eGUnG8s_|wHN6@Rw)^TjV0ze4;f@wrfr71xNrTKu)* zZxFvxd{g`u@!Q3>#P1Y;yZAfB?-GBv_<O|PC;oo%9~b|C_=m(lEdCMkkBZ+X{!`+g z6#ta?XT(1%{yFi_i+@4<sQ5$T4~u_E{1Nd-#W#e)nc`=QpCf*r`1#@&itiD>Nc<A< zr;A@I{!H;_i$7oda`^Km^U(Ecp>eMrf9+xfGc;8dZw^nnl<{<p$39|XWtH`p50*v` zLH8NViav@*?zj2}-!JNBc62Hv@|wZC@QyqKzr>6bUzDGkTeI%D9Q;z4nf+7zltV4* zYBr)Tq3D_}Y<c|%Wuo7oXc)V_|N4!L-Ru4%92hmi3r=C%73YWe)xUu(1^~y1#*nWI zA3utII|rdp;`cA2Prx%r&<OJqyyz}`F=fpfXfn4)|3PK;n8QpRV(L0cRRA$d8~415 z3Zb1tw~s{^AfoHl(4uJbB<Lu^;d>2yoi#f78bQ>`hxQ251N6TSM1FwdegKEvwXAmh zm;q^$`^k0x5exlm)MWPKIBI<q7#?q)7@Y=Sr<!xj5;lGfA`h}icmJdHi=W_I^ap6b zZtsP7v&V&&MZ17|^jlarM&EoFwkL~)95$i_Kos*{C_DOI)&??K`NZMcXgiAG#~Y&m zLh2HW85)bvA|nif=3-*;5<o_F;DcnL+&K$~!($W6`Y%oag^2_p%^R^Mg=6FJ<<@n1 zgI;XmVHU(IHbt}W`|E>+IK~Y+I8?xw2}2k7A;;%{n50F&i-Si_^p~9IZ{b|MM2BM; zp_zbJS`FhzcJ%KNk6*CD+s9GxAnWV#o`*V)&m*!b+z=9iuR4#bO<DMP*U*Eip6Yl# z*8K`mKpkH>_`wt$2XO~wD1trJQgiUn(Rpfxgeot9%-Bmk9tlLtUPntbnIq3fhtYS( zMGY4cu>GX-yLsZ_2WstNbHaM^II^z0*pH9=P!-;hlM%{_ZpCPdSG5g{hJ~%p%hQ~t zoR+wsJQFYGHJL^~PI%(ghYMABtYh`NhKc~C`MuFUpf^DjoN`<9;_Xj#zL$EkMZch( z{*5j4XPNXDG{WDsr(mx<CU?o>#trhwS}Tv@)$+Kj29L)-m9-m>h}U>xyF4?W*oh|& zPd~AT;qG&2)j-xsFiQr$&3cfDPjn$PkktvFcn@T4msAee-TJLLbM?dh#=y=!2y?ut za74sSPgT|k!q1+^dLR?xhhZ}xJs<rgFT}y(fTlNRM_Epjp-_?G4e&3?fYsE0HyJK~ z3~#UTK(c2y+ppS|6>r<FA&+X$ZU5)mbN-6$0UsNWOrl5+WrhPexC@vw<&lY)9TxZC zpn^B2{0Vlp?pV96lp}-4G+K`H3wX@)<^&7y#JW1NDld}r$)23<y(l(#PEqAIKtuO9 zkMsmC;d`)`!hsQ5&GIn}@FATt{OSNK#|2XnyqhnD>P0Ry6nG@la4+t>d56lpqh-&E z$x0Zlw(gl_|6cyxr!f#?^L}V$cK;xBYxFN6@gpba{V+7~*m5KePC@LX$=BX*7|)*1 zd)LVxDfz~a{5`^(>&c5UqOS`tpmZ`q*T|^NL%k3Q9MI-|o)jv`LCkS^j~){#+;<r9 z$D>bgMTLtq!`YcVi!-DD!Ri?rhY*1u<P01+S?0|S|MLAWofL+bxbXS+H+$CHc@oBo zmrj;JRAnfkK-0(49OjHJL_NOfUrB8Mg_PRJ;`!rG=6-u&e(#E@<4@yd!o$NQ<6oQi zvUNR5&HHdp$0VGs9)BOce$$Z?ey(KR%b{N>!}xQ9Z(dvmPzn%+*{#QxK4=)5=46Ko z1?sLjJ}-WOFSn0(u{X_GI5m`cBxBw2dvI;2@gOyT<F(OmU>-tIkBWHuG$;`9We#S} zJ8gknk?#-Zer*co=;3>CZv05b`s2}$s{#|F=g`8zsnJ%1ebIjSn9Hs4_w*l+9z)<r z#&PHlr%_2){~D+m$D?-uRal-R$4%;eVst8A2LBV8qf_t}y#^ivXi@YAsV8*3^rgu0 zrP$)6{8jS{X8FQcXlk^aHLn3}FJg8E207*tv>|#wqmM_Q6)3q~AI6gieTC5%55q?t z;T_pVXyWr(XHXy`nuGR8>wsh?X%r118v>J1F356&7fC)A9Lm|b;3P^J*2E(j7k8tT zv^U{ON>=y}8KK9b>l7}xVjj9h;qxWLP}#{fpCWpXtDseRPygTp!acpAOLgF&XNbM9 z5zI?A8{rrdPat_mKmYm9Kg04W0!37u|M@IplYtK6U~0~a)}hBwHD{Y9wTNB_FOKs* z#U5xUt{bmAI3JH)eGCYjR2@@nvKyR{7rGa`d5mdyKI>Z%^<na+u4dg9?kqC4->fIz zBN@1V;2nw>WiRZS4Y2*W`<}(k6im-L!#({`{-&^W=n`ZAgxsB^`ZZ<!$H;4crU<%o z0sFwPChUX^3t=lSJDLFs@%bi-ty!Z9FO<UA%OaI9{E*?LlRR2AF}fD{2H&NKUBNPM zoL%$2{x?of^TPgxK68qaell`dZo;~Yw<9y)sD7CwwMhY1-h;uf;GA8&?s(q@oZ}-b zHO*IJo_`PWqfu&tYaSnc7IYuTEINg$uvcbcm@T9A(3zl1^mOk58GCwn)Bo!(`k&oN z|C`(C|5GRYO?&?OkUV<#%j2__Ji6QE@%a{ceA&d~@lSO>jz`3s+0(rbFTH#@fR_QO zmveule6-ou)6K6Q_IeK!lUL9gC;?;!yoaHjmg5tLz!+!Oj^b+70hpVN-qo=;UPX2= zoNB=huY$?`fFoN}fVh9AG$8PD4s`HrH2M@EtdWB;GBzrjD|q`8)tO|x6WB<43WYLJ z{B<wZC=+tO?Hw8%-#lqGnH8JQ)UFJqf{-&E5q5`LgxweyVb_JXT2mg$2_K81R>K+( zaRHfQ{^9SSoe7HUAc|aL*X)Mi=JTQAaA)55(EB6h`3pQ*e|5d}z6Ce)k-y*;J|-_P z%0CU9aF_DAOe0zXj8BD&&ypMQQKhFxeq!W(m)^YJ1+TA*+zX|4QsjqP2E7t~K6Bph zIxgaj5AzxrYu}}JrM#!iw;nh08e_BA0v^!lX(`I<g}d`S46?$gm^aJ5=j#dJo+*Bc zj{9(2_^?mB!?57s?=_frhZ{Njf%txP%xJ}HY&@>rJ9@17Qz+0Tr=sXD(a}(z*By5V zBy29Ef~|Nm#cEmqt~YP`tdU27&Au!?M?!>$imJ<AU3ATjd4SVADS9)wn`a<f2r)2> zbx3$Jlg5?3P+Qk?Bg^#eI9HwfxybK6(lfDVOJ>jVZ0uClK?yk**>M5FYu6jCR-h%~ zjm~On4J<*kBHr_}?hmwvz-pMJRngvc=X%DY@jb!JcMZG?^6!D{p6Z;?B0wn~{!lD; zLH~pd!<x2W1HQ6i6)tG!qhNt=!g#})f=E0jB67SDx)vK^9P~fT=#iJf2|8lOC1^gt zXLS2L%@bFby^vC`sxq?f{2RyRUf-1P565X3<0I>a{p<hHfQDghQti(i$YR^61|#0c zwwCdcXWd`+LT<+C9`8`ks$q&td{XiJgz(6O(2Rp5Tli$QDhS>)o?y)D$350{;gcQ} z4H2WF%lc)Ifj}5FbF%W0lN}W+o{zx;OPBZ+;_nrIkNEq<-zk2V`1{4*E`F!@miX=B zw}@|w-zfeD@z;vKTKpREed5m)zf}C`;+KeDB)&)dLh-2)!m=cOp7=T9Q}VzPCB6Y4 zW7_>6A|h7281W#)RsB_7GK`sU9=J(xzy6(JoPm29?l9b+!*#%|hx;(xbhtb?{+0jM zFgCz7!<i_{zvo^vj6S%}!R>?F4z~fW0`3;LY`E8vKMHpa?g-p>;Q06Vc>WFC7vP@L zaVP%8F#ZMZ_i)$!E9!?^47VPx9qtow`{AC1`wrY0xG3E3;qopR#;tJo!mWfe;kLtl z2JVY+C*Ur?y$(0!-wfj>xclI0;X2^<z<ma;AMP~V&*6sQjDH6%aCg8}z-@%<gxdpm z0PYCf^Kd_h`#oIVe}KMl_rk4)YlqtdcL?q~aHrvZ1vd$DdMaEA++4WTaP4rPfZGT6 z1-S3Poq@Xm_XoKAi=Zpqe7Fz8t%Ylc>w^0mxUazd0Pg2-!*D-6k9PjbFph$r_u{!4 z&V<_z_cw4~hdT-P?{MP=fjiu-aQDKkglmQSINV;i&%u2Q?)z}(;D+G-0C(LG+5lGx zw-Rm>+;+JAa7W>O0QWC&zlY2FPr!$p3%3kzJzP87$Kn1G?hA0=f%`t(PvKsNoAhhL zxB+e^Tov4da4m2<;SRw)1$PSWr*OZ98;1|HOoc0gn+;b3*9!LuxC3zCfja{ig&T$Q z45PhpRd8$JTH*G<eG%?yxF5qs;SBKTO>iec(<5;E;XV%cIB5F`xJTgD!&Sk30PYsJ zY`9<l5;TD8gZl#9Ubs%Ujd080J^*(E+yuB%^ur~<Y=rwT+-$g8;qu`|egV3}eIM>y za9@Di1J@4sAY3NOR^Z7$PF3pd%07)BG>Q}l=X#2RhEW{!Olu5m!u;b|u)tH?=-C*u zJi(@IfwoO0#lhQEB)|sEwhjx=>Lm|)msk3$7cXB~!`hl!Ejw<>GQ_mBwLZjnov&*7 zviprk+L{{gh{x3~UsB=sA#62m4)_67=dD??)axfu!tiK7E;xPxhIHRn|EfjRcN=ar zJ;fnUQ)|!))HizCHX-EXyGQ4r$+iZY9%^k31cRQY;Piz2O~{Y7l-&b_LiUS_`@l>c zCohO&y~G=M1nqa0X}3BUO*r<eVFiMgzoiLYeS6bfPe<U9Ku0j(2{v>DwgehIp?2h# zJdI5amcPjgbkti-ZLM=X411igXG@^f@@(lKWsK#^TjxslhXNLIZ1z9g+P0<DtPh&t zC4#|gu)U?pvg$Xs1WIoA)OS1-+DrhOLqW^4F(AOFds^Ep&uzuQ+kk?>(oL;qprgsE zZ*2$=r9g*`TTA`6tpsZNU0LROHq|$^pbb`=2d$~M0-m;w&4C6>w>f<oYioM|gm1E% z>OmDL-R23lwY6TMu7<WyOQT>+JnWh@?Z&`Q>S80^^=;hhA%v3KFJCs)8t80CV}PMl zxGB`yz>XoURG*?N*ry1GTFF-I&3K{KP)iGXI~ZyKKcz{(>ux*MRlY4`wPX0*yZ{*E zg>_vXa=P?5WL-7|ste6!tE#Fzn>yMydwg4~*rH0j^M!Sfk#AXO^Tt4je_7xmu<9cL zjsq#WFt|!LboJ`hC3oF@JJ_tT^)}1X(6+g~rM^jMN4R6=@2D4+2)1nwSm4HoJZ%;@ z(qozRt)Ar=IGbA9ws<=_+Q68X$E^y?yh-Snwyt~bxMSIUOKPge!0-xX-UgOe!gFOR zo}?Y{D-i@i#56cM_@(Ck6XI4K+GusuV>rkAOZwG~T>4H<!0)c){8x`+0-R-St${1i zLgl$!1vL;qnuA>9m~)LD%avpNk#9Q!R;Z)Z^GJP5DB#&r9~5yE3|N$aciruR=dW*V z^tWk-H4OVLxeSUJca2eBCDO(!$GR$!!I4l2h?RCSEv0NjOQ60Z(8zY6&ct-Kp{cc@ zt)l}HuVpLqq=(HJ*uQk)>dU7uS>~pNBCeYt>0$fU_^Yl2Kc0tmIQ&s96LQHIEaH~e zLBF1`)0e$E)`^!@z{aY0jC@yD3Hrb(U(pugM1EE6Ym~fWl)bvDtLDlKSLJVLYlL_= zsvyA|1DLPK{+Q;J8lr~5rnU}I)jTurQFPX&u2cp(5{t;6)V49y)Y2$0{mbT3V{t}H zV*u*KCe+*1>IsG#8lb*y3blBkeci`0wH%Hmw-g6&!IZ9WNQ9LpWBQrtZQ!9*pERI> z16ULEPrz>3Ew?ArPb&xMa7Nr%1W1Kz7|U;6W|Y8V`#*x`Iy^sy=MFwgZeM<DNy+WE zBh*yV)WkeZO-+PP@x!O|0-j|$JX1es@rk_pkMi%Mp(ZUu+S;iN)weLu!-1_^+BzWd zT9xc*+TK(|y-3F!2s3DGgu4$8YO1jqZVBAOa7-j1DhSkvtKc4hbNJuZE2w5Htq(p7 zmG<(?NEui;W5x{lfFu3-u;S*26>sYh>c1M^P6QX1*`-N;nxX%AyzkOA5v~GuRrn<p z+k`e#&{x1!!>xf^1=j$#2oB3WBZviAaGGIk!}~V8Z^JtU|5m(j#XHweAw02@W;}@J z^6fz*fPw+&19&G$gr^}q&1iuh*osNX`jtg-VFVS8gF<m|**13=+_rpqaQWQ!daQ%| zR;axtAk(F07UDKm(p(Jxjea|$vzQ4qiI&JkmIu;EKwbuh)z;?OT;ICY;{X!55(j*l zvhh_&Lt886cgq3tk>YKQ>!=8{)<Z$v;t5(EP+&2>f(^p_<U!IVq-YVcWozgP{1>{7 zC2vzatV@NaB?1Xe8yiT_LkVp|L0>+o%08$OcyR2ZQc_p1>eq#?REF~u+xp<N2Q{X4 zZHybcLWQec<JIJ4O}81BKKa#N*0-ezvy>vd2O5|sWNn&lht2v&xa{4uDbT@%a7&=| zA&YWIWCIH}nDtmzTowlOr#J}YT?K(vvaI!XyyCrmZm6}16Q#c%vs4gLbk&m9)+Q$w zHkL+J$*R`nt*uUcLtFb+#zWPHX@Iao(=gcZx8;txSm8r52mM?8LA)StyXwBc=5}kV zA4xJ+5FgyGM;-LIjsO??^=Ko}=}4P~21}Zn%hg;Y9q!lC3#+{Qnk>OXXe4S}E0%sL za?EnoSPBE5<xO)%+3*KC8v-&{K+eyFqUjHGbhNfX1}s-Ck*LlFSQa+5p`34P1uO|Q zv<xj;=vxBQz~+F7@nkRIw?Tz%L=M`HX4o&1m2#=w@K)Ctco-VGWx_JiNa8^>(bl0Y z2eAK$_TEt6(n2GNu^e?5LuhhREN-+-8}*h45ydTybP16d?gm_99E2v!P+B*z%Z5-k zF|v3Y;<hElwX{&=B5zV=6(@Q-(h@5~n)Hq0c|X_jehl}`^_GDsf|I9jt7W!9cM_50 z3A8qHX$_$#i+>pQY|9GQ>Ev-t^Ytxa*3o5Vz*afqZbQkuAm)9V*bu`!Sd*irs?DhH z?iu%#QGrOzE3qlL@49<N*{qbj5}T5D#@&HZ_Dv#OiA~9S&y2ubm}ZjlN^DAAHUn9c z@=D{h^+MR#BU+|jIbJjAuCmlJjJ5U3)G{;fzNgHSQjf%rS*UDMGG1kq#>@=ZsG@#j zLvk4vd%1FM9<ti}dIbSE_3f}<1u&&;7I|)m+uNYML$26i^obSdv`9lfS(OYf@L_{V zMr*_r))8v3+B$9~-QvN^X7zYVwzSooH;a5F4wuahxEil3Wi$N2wuXlT)(i?5;-kZc z6K)7WHwn)0FY-$czX}_6*cLl1Yrks|<Zc@+kCZQgMzk7Iv5l%TR298`QdISAU8Jb& zzdvC46k$DjOv;?4r3uaQnyx}a)_u9MtX#@FiZW}KeuLKT(WFwKE(a$OhDZ#X%n2yD z`c$>qv&9Uw!hmfz#zAOfAkcbqdfXjcrJlHnuVt$sS{(FjZfgWb&h>D)=c%_K(SU^x z8(RVai1MIkOWQ^~WhVoT-s)*=qZM)!x&p6TTGQ9<l7oqD#(bBCZZc-{0AOEmI>Qtm z*jV52u)iI;ANAz9&g5rD8L(tJkpPQ{3D$PbMy|!x@>`eRN|@MOm@5iJEA|RF;Umr- zi;Zm!#>V=fj7!@5CI9vy(AZr6a3DVG`nNzk#*l_sP;-S$5*(>b4~5!7*adP7KR`ju z)zIHNLamsP{ZO}sV=$lM^)B^}PJ&HVEdHDcwB&DU#o8U?zN0N9^9%8T4$!_;HhI*> zfFHue-t!qN4N#0_SPYJp9)wYzu>F3k-QO5!@%u?<X{3rkni;5X_lWV|wlq!mJcRL3 zyb>}^b}IZ0ZhO9O>r!l@tgPR%6fDx#P*Q3yFM~2gf?ss{BAq_nlbl8883O=tQZU8_ z;M=-fHc$LxfN;{s24QR#^z0rn?66YRY#|L?bUwSwXvD(WKC!SJPA+W6+l8SpKr$=M zbyG*c7H&>$66a*r69;ghkZ5a&<Eq2S)!F%M2(5vZz-F%U0xg2Jou01hgfts~7GAVT zV7{_7A3=sYSitFF>@83wq^dxr8|Ga|PNhgvhgE7V_f}~A02*NO%~;Hu^)3D_*ggyR zMO6l`Z^HH%nrdu;;bVE4eDP7Cat2+HKxe3}+;r7yorcu`SWT!mC9hPfG(cu;Nt>r0 z`;fZUc-B-{saY@{*=Mbk;#iY-G{M?Bphk;!uw;2FC`vxBp%_$L?C1N#9%%gBvN4uG z$xcjP)k>jh=U5IY&()5zvgh)Son5aN^?<P)FtBzo9^S%w(`8lC&`u{=>@6h128hd) zRknkg>T0g*MTdd*0+EfCo!+v<`h#2nR)N;*2ti6UEngw=)SANz25GC%YY((L9<79s z!~E&e#LyXN3^Y!cd5i+iW8*a@PHY_h(!s+XWZZNr(9o><7P8q^OaW>?mW>0-3JT6r zXgWB_vNf%nZ|{G!W7Y_CJc5$-n`B}DYjAy$fCLtKCAVsVOc$X_rS4A$A1vv>zdf=2 zm?I#bJd`gsF>U>n+a4U->}%Dh81e~SokUCFdZ*hQ{5dGb>=W{d9xa?M6{o<K%B{}$ zG_Av%1Do4Aw%X$*zFOA21*y8J=^?%5lQSCr20tgdpo(*p(FWO=jt9*Ev=Rp6`f7v3 z2|8)=rHv1?SoP$Mr2N)4y>=JPgC)0N+`{@tB+xT5=c}l;O`F)LZGjH1_1$Uykkz0{ z=(gHtCXi2bEjifWoQE(Z2mn_;|6s#QcOF5fb&Ans6V#+YuocHO0`)XYt9sKU2|k@_ zTOw_lG)Yp%h9w&sYHcC$N!FaP?4J%!JX`>|LJK1Wn!vF2JQZ!!n9wQlzutoZYFQL! zunSNDZcsU}rk8TI(Mm7=mA<H~mXe;NFA@ikePf80G?iJfd88?@MW@j$C32Si`|uVO z!aHA-!B@eMFvcGD4($ByIA=e>F5BJ~gq-58gCr%Jjft0(=RSk|&iw}ao%TNao%;{= zI~RfWJ3HQf=X_?rV>)%-Y2UKrxnE(wSGnG~e__Yd9&f+XkYm5oK5xHQyWVMBx8qm2 z-l_Q7@rzvVB%U3Q4Nfr>#=|_m5>KbS-%i_>ly{q)@rkE%BCzwyJcda;9!`Wy<CUEj zN`k{Z1Uv1)q%_;GX{U3K!Fk83#(58_f=*aYIhoMmFxaqG!IYY4^hBL0X|~Z5X~NrT zhXVSZZMTgZf>Y!4z(U!0nzHlS;kbo2o+sJ5Yv)zASs>JeQR#vSeW*1^8=g+G+SFLI z%eCOtO#?eaZ7&#pX-I;Z)9|+|8=qfAbE#uc&vGwLokgf#naW%fH^Wj7qZpDsjN~=w zSSw74S5p|pfl^$#l=s_OH`iZ0M%LO!n+h%Q8b>2_#R+@P7>mcW@mx6KFKwD$G`d%b zLN+MwSoq28T#B-;IFO^Gev6*Bq2(r}xf0^#wAPHGu4K}+6*g?n>%`9;E|KNMTr8`n zL;q-N=bL8%)|SWzcE%A7Kk+l$+8!49xKiRg3YbTtA;n=6pv_K;b%vdQUs(;}VdRvB z3pVnhug2qrGJ1*R&T-{D_axLOa9lN{ly}nnu-lLgfI~7K@jN_61A}5my&o13Xq6BS zNjS&zs`)RlsU9cpK&`}8np$ttq=Dm-?QI?P9b2h6iAJvaM075HLkmt$mbl(;_uO@_ z$KKDn(mF3WJ$Zc>Pfx$POG-~#(UG_9b*7XDuIW~DDfv=XbIQ!-mwB6H!vR6=%E%f` zrzumAn&0gt>ebwrsl+xzHMWmhIculJEmwy?!52DhVNmB*$5>qP1gFQXlXqzo)(=4& zd>qEoriPBTcs%9-KTa!!Afnn@VF+r+ZXW1^;i6R&`v4U1Q1Q@4{hOPDA!RdDamo@R z%_I>X;>z02&zXicih7u>gR;nN->ONOrkKcA9nW{_5$?E<TInXlu?>=kMnmMcby`1m zmf0-gqWHLa$^AH84TcTCC<o#07nXGJ*#u7D0tfk1;?#0DHQuFoK@8Do=@@5-*XH{6 zb_jp2U`6)0<IrUxJx@FNsE0G7S-)9qkv0DNmM^cu8qa^<ni?;ktK_9dA00>7IYVCK zm!sp%BQG`jq&LEH<h#c2TT{)0;5CF(S+yKLFIMBPSib7MDnMpjb<N5pIGMI&nXhW$ zA|1z~Qk-y|fSNdA+i6oL%#|J>yAxm@oNEp8h#+9{oHDIgIJe5>ET{_^%}orIP3((k zF!ne$hd}rem|iKjF`Y|<dMH?nu-*Jf06S`g$pPm<YDZJ2r>$Kd_YPu<glF&@4NN*s zmL5X#u0R;6FktSi590q;%<j00p~gb%Lrbtk#Bx5+vem1Hw6R3Y%s6q4V;T=(#fxQu zGyQYn+aVTiRSZU8J*Z~D#=5zq&5udCqY2A7zk!=+I3M1yu%)S9c*3vbr60T@%P^Q? z?L0~^krg0pwPO%@(c*<G)oDVUOObb;>chUdE1`Pv${IV5de?be2^<<clqgRmlZ)&! z?D)iYUEY;YS*5be6Ui0#RY?(fBJ4VrXuk^(Xf_UXoJ<rJ_3N75VP@9%7<_B)U*uox zT}aj6u+9HG?c9ci0fsk(vK+4F)C4XxjJhQ?i^2X&7osle{6b68b%qklws79QapQgF z;-)1n54Ub=3{I=!`h&lx%pYy$v9G4>C35`hb_5VI_?y^-k6SwGVdTyJSpHY;|K+xQ zANtIv`FHF?Dq;9TtLGd&`N-41V;H|k`kVW41rvY2c}%B2qw@dPGYmgEx$Gl+j)PkW zXT1XV&y0zu<={OZt`BK_NokW2&!3Y%g|t&T?EvEb_&@xH_$!9`8V{~^Ccw!^2)*L~ zuCp2|t1GJi?bNETuX_Fdim%m_-TR$?sx4wQi{`HNW1;)-+L>#EYkiC4gyPyQO|513 ztc`bRdn1>w^7kJ2bo?uTyMIwl6|q12DZ`k-UDl$_GCvpxa9?RW;+kNUsW0MoIzBOk z`$2flC@pQ+gfmF^l8_27T3J)HdJ((Dz$b>>aa^Jq_#TlfZi(a@NsN<xqX}_7$!8pL zm-R`$%!Ifa$(N0|Y}7SFaH)}e_&$ZPp$u^yYy;*n^nE7tNVq82siK9Kc7iu_{I+e| z8aMKy!lj?s`K^YcB?}ea32_f9yxnm%DjzN?D||XownpW{XP=DStY0cF>cp$D7jc+= zj2Qui%msuS8CG<s8f+|nRq?fsLyK_73~{dhnaMcb+nRw+)%iZaINVJ(+R@=W(*hFU zJ;N}v5Z)LRS!;MQjA6vj=m>T+6v<HtV;FHI*En&410f~<@y;~k_*27t+Tok_s_|fl z`5VOU^v@-wyURcO7e?NBICp;jc(EOB`LvPu7#zdyKV*?S&w+kuq2u}xehRK1&hux$ z6;HRcYv0-kU2q9zHthW2IDwv8j8V|n{=4V5xbt@aclBIxU5J~HxTq`c2e08S9pavJ z#r+y_KE$!V?7s&u;q8DON__s$-P-@TTl+tEYyba$xAyw+SeYj8+!-aAI3~HU;~~FK zPBB+wF9wstBgnf-+Y%SyROcessm{BzP(qf^3xkPE*_SiiX9FN*oEodS&&YE@#suW? z!a4`14^z%lF)GA7HMW5d^3JKtwN%$@iXTCWVqxH~4%n-V0>s?c*47fg`nMV}i+GTA zSzwD-&Yj%jKqU6=1^Pyvx52+8ZiDsegQvz>-8SI2&|XVJq!OCzdW2uo?`z0i#j9BH zn}iG+o#UL-4@+f9Zv2jL<tUJUVPoTxR%=n4TH_cenWEROOJq$ti}b|G3q+FT3mRp- z*P*ePz+s7kxl)^hUKZ@c>gwNOVqp_(hv}3bWOA^p=Gg;Y^&KD|2+E|ibT4B63^|w3 z%w+l1L!oLkyZD1m6sxn*r+Z|1gP262RD8#-NxILjD@eR-_VV(GW=-3|>P1VIR4ZF> zL!3&wrKCEJNZ}qp!U?Ym=QN)28tcY#-d~O5(TdHDX{epNwh|@_*k|-A^4o5lq*uP^ zY7G&!+tU`uV==cLnn)wfat{RTRq3ZlBYpg7sjPqeveG@RsR8~J8^<&5dfoRx1cxc{ zehhR%HPBs%TMh{=26xB-MPpJtzc3QVmmK*pzHZl($a_)?Z;;=&6^x)vU)uD34kebl z&kY%^h`E1Bl^V7yvF|MBvz`}zVq?%zupb!4m*aI2zSJ?Dn8{@b^5<W;XsZTOh2AOn zu3c7mL!nX^r}!c@K5mG&le_L}58UW;mvw5+j_0j!kPAMFBn>VcK$Jz*Goj%ELM0FU z3MFiN-c-^@Z3tFEIKTqYW_*~f7MY}mY@&$zrVBRP`z2SH4XeX}d`eH~fv9n*K3%gC zhZU3<V;)q6QTgLIzvyvrPRG>oEY7M{8qnl~_asnBUtNaGz-RMZbplbf>!Qi5N0u=Q zwR0@g(&D8@!b>iUqz+QDrcKa!8fgp)dEDG;{4Zct!Mpj(cvAM(g!x1IePL@OMu+T$ z+Vb#-Zb_v&(v2mSh9M*6r^G|?pYHWiv`F!gG8%nDIIpt4C1|srmz+|qcaL}+PoMRj zDZNGGZnClVhpyI={%l>G`rp$SVze?66vEMdV>a=i#9b2PC1Skcdn$42GY*rLWjw7* zuY^Ft;aH;(b&=Z3_03sD@LLIulbdEFeP+lwYSTJ##PWWaG0$la(Xx%z{`felq<Q7X zNo}j<aVw{BU(wh(bM8_eXQtgVpBO2fphJyvHDW5AS{0Ypv~fmIn@^R1wkYMKFXlqP zvW0pjZipzZzeLQO`AtvV#%-xwqgiFHQ!~+DR^Mt{%5~AN>b6t{&;;X4amukfje7}K z2{?2GPXo5Ouv!?jN24BK#uKhoA(!UQ<~V&Z^(cveFUhbregK05-MBr@2m12+>+!ZO z!oG$Tz&iE_a$){K>+t0OGA|65l`Zu+Rxp>eCvTA%x59>&P$#E58_T1*&8XJtLc{o5 zwiWXu6rk2d<9>&3?jGZo#FM)8B3_#|z8a?(brnqgoh}+cXh2&sj6&iT*A*Y)UAZsD zOKNfXxT|DkHKr!sBMWpGUy0{ruh2mz*kggWCF2}KQocaCX-x-`1AOUq<v<54<H5Xu zn?9odV62K(a1gmgA|ZmB628%7$4E~-;DUxMF0J7dX-NFgKfLVozQlI(ET%DmlvPCa zS78G))LxB~yZGpb@lC*`I^gb?IvB+(uoIXYheRlPZeGUv^c>D&i?PQ5nOFm{fmW|& zsx$;`W<&fB@N+1ld%Qv#Ax4I~(Qi|jOk0bO()f5urq$ISabAbT&DDOT#=&A>Ls%G0 z>7SxFXFH$9IL!RyeG$mtvRmE;oMb=vWAWYrKT|`-*L>nM;M^S~7yZ2pM^3SzIUtLy ztX5L;3A?71>I*Z5@y$4{PFshF0rfo^QWUF#g7s{voTG5*@QSHHpZ|@z{RpiLY%+er zcW)~-?m!0*7J+ZSq+7L!2g=A0m~RZ@^KOhm?gt>-z|Ix4Zk3@#vOa}0jx58Qc0^Lw zZb5q-?aGVejF>S#Ow6@Z1&=y<-Y<}s{f@YW@pZ>k;N%*gn%*5QOc$veP{s+}CX@$} zMWHb!x;UBx<Sx{~9$?q1KDar~0r~?ZKi7EJoqI3wt<;~AQ6s>3k$Lnu7Ci&h>yGmU z#2LQWK+Huu^vPD?J>+?kaA8MB{Z_TjZ=VUdPiUg9wfUt}4C5yn550UcZcL;^6Ar?N z=xsEXCQ{UAZwht*0>!2<vhhRG0;hXJwqjvSMma8saSsw03a-Wvq-E-4G{tolwkefJ za3)#f4U{7l7Y1>Pl!v<%DUDY(#yFKPgZCKoL2CHqYQ-tw&y}A~9dx1oV~jEm9pmQB zET^4HDX-pA-;PgvF(+7^9Q}0-7qY|Y=^vB2WFJI2>=P7mYW$9ATCP>1J*=9-2Vc|! zRA(lq)}hx47gS3y-fMX%hE3N~V;kxw$F&4HC3=w#7{>KTu{CPsCts`U8b)C}#aUte zEKVz%(Tt!A8_m@evhD?=aVbq(Y#r1v=8<-sX{F1*tm#zIgfC0gZ#BNpvN8wQ7e&jQ zk-HGIO4dNmxOhRdW_!XFy?K_aEOjQ%z*VG9d~6H(i;0s<7v%fH_*9#gYFd$0V;o<f zbkTrhS3P1&nrSwy`?&k9_=<<O+gi&$IHQp=wir90L90<t*vkD>ETn=~N848UpclVk zuo;`)l+UvaeUul6)LI)`0v$7Py?XOzY~j}~TDfW&zif8*%u)rl$G|yhfZt(k!v1fo zVHukmTA;5P#xy`t8g!%D_s6Ib44QCUO2GLa3Ci7~O~z~k7~u<FfsW0_ocOyxfL%At z8740uAkoi;TyLN_PYy$5`qlk(p3!_n@Fo;~iwjzfP71U>(u5C<@i-m6SEpd>99YE4 zGFui@#=QoPU_6BB4fW_0=UPn>DT1wJEU*&_y&t&1E&??VfQ*~$kRJ<A^nyeh??tS7 zYsR^&j?GQ2$ZlZI^RCUoyRc_=7a-h)j%jMUtL5&y?!HSAHYptk%4oiD=lFcqDtsl4 z{nLoCu1sfOKU9Hl8Dv4$kC|LB4x(U@I<e;KXyYeHjIOL28#g=3*foAhPzTyNDxu7R z;=T?XkOwI%GgpKH9b0|)j1~1|T>DytyHc$DJ*m)_G#WR!ViiXt^8ah^OTcPO|NhTu z6NOTegd-%hJo~;xp$J(Ep?#rE3n3<1#?sh_7)$n~Av84BtP`>~gsfx8Ix(T4;r%|R z<s8N=zu*6TulK#K|L^HKo%6Z(=l-tu{oMEcsD4&L2Tg=N*G@NeOH|}X5g8agfov*- zsY&b;6|5|CQuI@zYLua3@N0-TNO4HKKpm?lL2Et3f|Da)heTZ~i?!t|YXXwv6}#uB zN>V~<1|weD&hvxQIeHB2*TV<LYB;*5A_pPy;En(1`oGiz%1Z=xwmj@v_sp&Cd0Xlw zl|>V1sPY`P?wSE%3Wmpt^;ZUjDHygP*I!E^OaaO>{JLuugehs1GV88v2vh3Qe*l;V zVP+6!U6%;H3m{BcD*&gh*I$JYrj&1A9|GraLYNg`jb2y@gc$<vpchsKVMc(R^uo#^ zOj%ce=!I27m?dCFFU%C)d)ExGyI$Dmey)PoYgY8Bxj!X77jWL_ntByn2sjO%)+_g~ zT*ZJ@mb&;-z)-oiol5*uz*&8DSalN8_tWLK2Armcos{_gx_EabUJv^#@xHqFcqJaN z(l5$21F*#a9nJ!r1-P!g1%Ner?JEKtXr)VE1{fA4)Tgfm91pmTpG<#HSrh`UtIvOn z%EG;s4tId~if|ov2kaZ6!~THt^l%d3J9;<+Fr4OHUw-^HXrD%h%fD4wAYF9W6mWcJ z9roG-^?B>C=}x#GT!%M8`5G@BE>P+hboW~Vcp=cg?*8uY1w2@X%OT#^uLf7cZzp9P zPAyjYUsD9-4b`O&I0)?>p~LPF9~h*={(vt8>-sl)2lTJAE<Oq3vs`rTO9Na8Sdk6o z$^d*vFMbtZ#8nrc2Uz2#!$p7>>fs8&AUyT-t_JL`hfPlbf9YXsz=e8P0~ik0sL$^V z*j*1ZN`5`;spQwgzDj;fmp?$suZJU*{CYS^$*+esz#qPP{E?aq{nbI&fAQOa-}Lw; zO(~zy)t8}^uZJ_0^7ZgWzzC^Jp9eTl4<7)$P!AU=`SoxKU~shR`{xc|cRl<RaGD;j z27Eyeo1X@Gpmq6e0SD?~C%_l<Faub_=+b*C>Gkknz<GK&6mW$ejt7jey8LN?<MnU` z;6gpTO2NH!>2m>Fa5`K7I86^92V9|tO8{r_y7cz}=XvR{>J0Rsw+`C__62#Zlh5Ma zP@k;BKKT&uuEQO^1NrEt!%mPN@z9kg0Itx({($2>b@7o(`W`x*3V5L&UJ5v{r!GDh zu!UZKz&bYzUp;&uaN0m!`YOP%_^6&g%!`4ZqjcCFum<c;o&I(PT<D|2f|6b@-V1PG zpf27Ya30_~eGv~>qo;qC0*1rG>iaWSi3eO)Um@TMJzNSnK2#T93D_b`hb_*+{eu3l z%Wr)c+N);|?3MUPU401Pyl5Tv0bHnuBLQc{>f&brj!&p5e<}Pv03YAPn)nOwyIjF~ z`nXCDm&2P2OwZ}!i_O&*8a;fWiQ2+b50_iOi?Z~vFTB8ah90(s_-sAw1o=z!a0QfK z4LC4a*B|ERfuE9U^t}`O_Jz*{z4&;*f#Y@Q7Xq%(!+C(yCg|cX0Jccc;VQscdf4^? z)HhMre*|E6J?slO5O5v6LIG##;WWUSNxJw<z-f9o7qI(eUHoyt7xZu$;J{Q}{S``n zJ#2ar=&y(E0bkI=3}A~Xy8OO?-Su!Z;55K>?N3wUr|R%hz=e7^53uG7UHoytfqM83 zV2d<ed?nz8df5CDls`=u?*tf0*R_uU><hTgU-AJQuZIHxFVw@zi|+FP*R?+h;x#jL z<<(eu-T%6DN=Q<Pt{z>Af8&=?oi_b^-aO#z&&T}xq3*Ll@6=w}{jBwyf0Q%1VMnX> zICt$J+f_+cA6>I=<xlnoImKuntihHmu~X1^*xwNv*U7n&ruGUJgF6K)&-yz#YeGfb z6(!)Dco8Szv~*E<hVQIN5|w#RXHB@MeX^>{s_Yes7C&9Y4fRY+6yf6<6O^JnT+?NM z(@FFrG%gynb0Zg*MsR)Rc7v3Ihv9^k`rE46N}xM{!?_U*&$S!cbzzz$I1NVGT%g?+ zr5xKe9wr5}+W=r{FHzfVf8K9U-Y5I7oI2F?o}06#zM9%r|D#4LZB!0*gDnW~6j&2m zyRl1YNg(iQ1<+i7ELcl^?bj#t{lk8>j~W*o7uWgo{RpQL)gD$;-<37}pf5Mdo7L;a zxbb>?sNbG{^!sn*rV8HW{*TJ}7ZSNc+w-8!b^7Jgte^B_eJ|+k$@{1)Awdm=KP~8g z8T-xzy$PRB?&lADfqis0HH@K%*(dx8&#mILiUm%__$-HfQcr!qeN=pXXMIw-qOtxU z!mcX&Je5TU_&CFdfR6wlrCarRv96m_fv(DLWj@DW{YSph&r^6=$G@si__q*zj=C~G z_YE%%voQZkr+bT`tk0$USHkjuPF%)6D@Xr6o<iN4f2E>7OAB&nTHAkrmgKL(eLv~L zze-ydr+**Ln|1Q|Py3;+9EBcrziW0n=+M9W>(X5PGXJ`i5}2PTgU=oKl*30!Jr(#= z`J~nIs}fdrs3uOCUsUE3mH9(uzEGJTROSPf`9Ed8Pnq9S=JS;KJ7vC3nV(bU<COU~ zrJPU41N!}#3Tf)}+CtzdCH<$DKlt3AhAH?{zMlQxz}HGY{!@DD-$w_i+pD&b?tgM0 zpSy?8-G}fu_hGC0e1GVdkAOd^kN@hoFVH*yK9RMwPtN?S)c=Y5ztIDRDidgklS-AQ z5ZWES6+g=#zTr#nQmbS@@t+A-_;>ba!j<{^tj~nQOSWNk^QV_urGyuK8VnXs2``24 z^3H0NvtB&os8;3HO-?|#vhS&fv0j4OpMsnc6RoM;JS{q)u80Gib_;8>z~2=eh79iM z!Z;}VU1LLoqQR9H9VUh)I>=JvMgr{mht0py6E#pkY@+A@?>XQSVX<FKP@+qWcH?<m zc#;b|gXMw}V_e6h4zPnaHYyyR1`n;-s$EkX6s6G!u*x?vNqKhm4@<)xwD}+>Y;RA7 zRjU(gF@z|mLP9NJq40cqJUr=(2urMw)Q|3=ebx%gCw#O!jkWuYMTek7@7VEiW5W_0 zG|5rjv~Nxj9pD_y#4rc9`eFpPKd(e^`>08RTm8LhvkTB8@vy5nI0{}i^$$AlqvT3A z);2<b<uB1uA==}`bnQw^j#t*uhlTbZr11_F9VUli2#OLU?Shg7<wD>gq)QMP9_E4| zOlVkG7#@m;BUAM6><=a2B#JY^Y>*2X%0da@!J#fp7#8Xhgb@USVPrUq2mN&kL=YB^ zF=4n1i3hVT1VNxK!9i?@ODM&L5<x@|6^1i^T>=_T(NqXcxiCl=>Ox>R>%x-3!7dCQ ziiA_4NN5oKHzhD(NH`sYVlKhq!8qJS7~=x>M7j`6cqoYkp=1!NcNc=&r@bq<eME>F zQtBo8m-!Z+$-}{_aLhxJvcp`*p#q3mgl`ZmJAqT6!s?2ROiGI9+}vvA%e7v<T%lEN zgZg^A0huW`zmLmwkbw2V1h<b$tYaUy&o$sP_YKEHz=9!A33U=C)P*D|>yH!-pku!} zo!|`_V1N5W?e=}q0jk0=2kohcqC?G29?%W0was<)(5};PQC93E#6>4MC>r7OSG}I1 zToL8Z0Z!`Dt}KX4=#~(oY&;23mJf&yT_6VD{}L4fYjXyJG{=e#6bURt5hy`~goLA^ z;SQSUpxB7ypop5}b;2#Ueg6J*;o6>np3>bt=+az60{#z$cSnqd|2<R#;g>f&aO?-z z8~*o%-^z8+=$H4(NTq?wQ1!}iS^c+SKa>m9xpp787S#ST2R*Ka@{&{u@ZOJDRRok4 z1#kZdgOX!a;VR`^xN<NkY86udN5Gpy5C|WtY6amQkR}G~QxK$|2(1YM1dC_j@&%j( zZx@M!7!A}B2jwNHCP0b=NTGq6;^4g&v9ND92*RVZ>6Co#@HAUp-wsbmn+Vh0O8eqJ zO80U3N;{Nt;k~6`S#|k`LKvL6uU9^<a#hjrQSO0KnL%3RUX!%xVxcW?;%)t1d|Zbo ztb+1Uny5n5vml=j<cZMcP->5d`&C*Q0r#8)Y5o|dfj97K;L(}Vm#E4``wN9OX#TCf za)o?<T?Yawx<ecLL)*gO9$ldy6>9xeP88NJv9N-wrgcg?m0J1%*LnYge9B$bm7vhP zFXUBbb39=+f*RUU(?1HQDg9i>YYM92n$cQ1!1+$l(jaJc6y#R=H5AHl1&&rjPbI)T zgaYTlDO!4z`k3D!IrOo@2Op>ZlpFMU!4vYRfvXk%tZSK03Y2vXiUbXYScTUUq5U88 zEv%DQ68zyZfrr@&$GN~a_J`R21pI%~1K{XyR0EHJbqPQgA-j?9k;6zCat|p-)Tk+H ziQ1x_P!1i2rl4!kY;-%CkM2X?p^dO+*jQ`|_6GYMGsGkC7(5wI!{^{X5EqH-#2w-R zVMW@LG})6JM9w1TkxR&}<Wcf8d66t7Z;{W)mt+<Bo;0JZD0`|4MNll&jq;{^si9OL z6;4G{E2;I=Ug`jKlq#Y+&<yQOC(*O%74%Q^3;G>x%vdsQnXZh;_%MT+KxQm6gIUQO zX3j7VnCHw}#+Yr)y0JVvlpV#6VUyWZb~9VVmaxCDZ&*XF2}g1w=fMr<0=al@GB=%@ z!>!_Wa3{F)Tq$>(d%!*8D!F%@0pF0f;G6SyyoPt={rCVrn2+SI^Urxxp_?#7h!gG! z6~bG=NVE{!h+RZU>?;ltgT!cYrnpKxCY~3cij|^DGLx(%O6o3+mLjA?X{t0++9{Pt zcckAXW7$%+mp$Y@@&GwjPLgNH3*_bUYI&D@LcSs2lb_44<Z2m|ooY7F$Pj6SSR%Ga zTf`CR3U7a+5CMrrl8_}x0df{8MNH7%=uC7TnuFd%%TWYN!nR}i*k$Y;W`?)K+u{;F z8J~ye;CJzNxE(Qo2qvP5WMUHW1u>JDN9-i_5~YNiY(aJ=C7{|W@;><(DAb1<NhMJ0 zsK*pa)3iUGNpGfe>9atC_6*4kW#%&l%r&Ml+l570k?qd*V*9d#*m3Mc_6znab{V^d z&0%-31?(ZVnEjEx$v$FVu&>!_po1ybn6u(qawx}gGS`Fi1A0VqNn9#7jr)?z;1+Sq zxz*eO?jrY?`@rFRPksbHga3+O#;@kr^IQ0D`Q7|QzLdYqKLU!h6&!{B!Z0CRNED_B zvxP0fx594Wgm6VD6P^pd3RS{;pj309l8-oCj1<R<GsFyWn|Mb2Rjd}9ORXeY+9Ksj zN2RxtO7@cb%EROYIYlmz56Y*27Ui;HoR<O}8Y0aQC&U{Wh(scDki|$gatgTw^3o7( zhB~6&=s+|aor5k$H>0P}OXvf%A;^j&=8X-6VZl6XDYgwegOy-UutvB&?to)>cf1$w zgAc_0@i=@6z5w5b@5GPb7x8;|1#UvLBf1dY#6Y0cJYp%ao%jK$bepgN@2)!;MJA9d z$o1qY@)B82Hl&(Sjvz$?L4xK{OQ~F{fVxeUQy-|7v;)o4z36`QSdgPdbQZmX-bWvy zZ`0+p5o5u$U^+7x(-Y(<iOFCxL6VA?+sto_0c*?3tQR{PsF}{LX1B6=?0L47tz=bP z1J03i<GOQwxBxDKTgI*Bc5(Z;V(uzu%eUiY-k%TRlleJ(5zy!tppT`{QDA{SQ9`^h zUYH{+6taLu$Ax0ynP4Nf7EzHE-NhatLl?y>;w{lyA|wu^=8E)CvX(o_U1eGBDf`G_ za-#gD{EeJ1?^m2icX)mYG--^qKr~24q>ENAMj~-YGBO#cvj}A4Fme}pfgmW2u0S`S zx#(`R06mBv1L{0P8(__`R@iuKGM0wT!ZNU}SQ+*Rv&7o~Rr=szATb$0k9_<nUWAw8 zzXLt&2seTuyoi3pbRvVuCvFi>2?NrMY)$qd2b1yS7i2E^9r=cALb+4@sKL}EYC5$R zG}#-fE$u|hbRZo?Po@{sXXp~zkZH<vVkoU1^J4;-P-X?Qo;k^!2R&xPwq+@HI9tj+ z<$mKR-kl%B59deoq5K#=o?psu<3B*JwiHNV0QBZ!VFU1czHk}1{jFdtb`X1s>w&v> zi~Gbv@q~C*ye8feABfLI8>y|tN}f_5X`~b-#Y@YiwbJ*}38`4REj^K5N;Yy^nU#A$ zPmh+zf&?s+*UI06J}Q=P%TMH&N}v0}`2pa6+khrwksgQ-G8!3+Bp_cR>yaEJ4>=0b z@Doyrv_RdU&qdT14MNAE>1ZDMJ$f4Y{55KiQCKf55{m^LrAWj^?0f7Gb`tv$yMf)o z9%FAY1Kbq1!QF5UcgOqVLx2)7_;@@OPseBDtMCmV9}S6SAQ=R~5gtUCR+FU?UlXf9 zkL@8&5ci1JgfZzrQe+P@m>f^e1S#1=o*?g$uSsL79fbmQ0>I8prWRAnsnyg5ur$Tg zeb92hQ7T$PJJQZzb=>Izpz+4h6X+@QTzV_Lmp%b>`;mSF+Rut<2^z2mGl&UdBA9W^ zYGxa=liAPQWS)TJd;lBN0d%6w_GW#-4kfb-*ss}d*nMDyuCsT*4q0+7xYiuO_2l|; z!$9*zaPYn_utsUzEYN+MxIC_aE98!I=eR4}E$$w0K_yqssd!VqDc^!`%eUugz6al% z@6Qhgy%@|#0ar}mr}8uT41Nip$M5A&@>lr>{5#%Uuov11T?I^_1xfG_dV`)E1=eel zFirRpIOiK-vydn36^;n!g-5~*!CY)B(xSKMD+Y*T#Fb*MxJP^^8b~NuuM}yDG*?<A zEtghF>!obqnR4l!)Ie?`ca|~GnFHnFz%`TQOgRgz*b(`pTq0kSZ^`%N$MUa=EenKQ zFd(lcphMdsoe&SCFESWOL{gDu;C0+Zo*|7;7C0sXWw01*KK3=1t+irh*i-CR@HEWu zW_VYe0FBuf55ULb@puYo%$4{?yac}nmhA&>3S8kv&>)||VA*C9Im8aIY?p{f#7m-z zXiGYgy~+NhA85`w<YF?DJWrO8H^>*H8oZEUR4_H0S^@I9g*ru@r(RJK-IE?duc9~7 z`SfM_I(?u1K$|elnKn#E#+gAGUh98^F)_>}=1XP?lf~pR`OFdKEOTA!i@akRu;#2a z+a6|c%sD&Gf$PE{oB;G51C}lw^yUt*Z@0nYc*iy6efS~#D4^qPKAX?y3;A>WJ-#*A zH8=1#h6*EvP@vj)Ayt?mED?SZUV@|>h^AoE+KFzWhv+Xxi4(+m;x6$A@rL+VtP&f7 z-_c9zCk+Kz50%D92~xUrOu8gpm+k@GUP)@XsoY*>WN+CIsJ2+%0y_1yTq-}3VSuCZ z)yjA$@C+$LL_Cq+VDW;HX&~ocAzvf;$UdYHDFQiv3j;D!lmIW$9rZ#p(e>ySbO(5e zN6;elJbDGajXnaIH^3}03=^<!U<n6fBe4`L9b|tYP<RctqgMVeVx`z^>;d)+dyT2^ z#^AL$;S?@{Z4AJJ@F+Y9?BiT~5uS_h!jI!G@g_tIqCFvk28bqRfi_-2tRXf7z0VMr ziE`o@(E9^nM4E#is#wZ&az43?+yMG{H~2Qs$lpi<%7U_`+$f5YDKGFolc*`w9MA|^ zR5o>(Itd(5O5LHVDP!7_wgc^r&>pl8@WUw3;c;{Z{WZOg&Y=tFLg0-u`e*t%{TuK{ zOU8l08G-4|3}nKXSY`q<75vk!%r52_Qw)4@k9ozs2fk<me1WmuSZ}r;>(5593G6I( zKDz^arR(f%_96S8Z3Y&W;rekQTr{@?eAGkSG42fa6KDZzz9ZiiB!48Iz<<rJ1b=8B zf0Vz^KjRI+&UOJ=?=1`zf`u61l?B35VGY=Z{X(H|S||~22@ka%(eFYtv6ZM1okUXf z6#I#O;wUjhj1kw0*<u0sub0Jp;uG<`Xf9bwEhQ%jk$k0LU^9|{i{?v9q;I4gX_s_C zx+Xo6DkTHCi|huxG*BKR$ARB8PhKRil=pzmsF15<RT>-&2>jF*JSRqLFXE9DWCM~5 zJoFl|KwF^pXa{sS8Uo{tZ(x*h4!w-tKz~J5SOd%)vj(p52ad@ED{&n-<UZJl3QUb# z1BbN3WqdFm0@h&`z5?HhAHaXWFX315+xTy|G0}*yCLD;~#0DZ8Z1o$W8u+0rcuvE~ z(PS7o39R)@@*sJV90;;MnmR~bqOMbw)LRMz?cWEqzaJey2hovqEIl5q_I!E?_`g~7 zZlL)=umz>`P5K`FnEstMU>blew`N)~u0VT+>BjV7{Fz8*GBc0)1}wuN<_G2?Q_B3z zJk?r<rr=q%W1U%&^<aI#%7=i*Jc*qH79yM730C3<_9}ZH{H$u$h-(O5vK^=4I)bN6 z!^ouv7Yu%KEa;C(wbo)Wm&vW+HgY*&HTHnVe3UB!yHUbj=kCC0<|+4*tK!~sMtma} z&)D$xyaVsVyYd9jfmhKJw9Y{A)<)HO7UTI;J{>gBeDE<=@>%?5K9}Fc7x0Jp<NRs< z0)K@s1FcjJqo7LuEw2(x1aqO8U@No{Iso4x0woAScfm{OCkz&b3xVK|M+*r;iZB&8 zaV~g$%Y;?JdLdib4jj1;IPxTTfR}_);L7{LV;E1p7OJ&ct%+zY+5vYuiq0Y?GT^s+ zioL-m4F#(d4E}qpm?TaT)5KZe#V-~!#WmtaF-Ob;TXjG@Di(?7#1iqk*5`RDz64$P zUNn*#NfwfgWG^`YH@j;6OLwWK<RcA~{H0M^4H++umr{YhX9I^Xl~zhw(q<SF?2-zk zL(*~SG;sSBsZ8o7$H<ew2h9S{=#YFy@rf2HJHHh_v^gRnUZ5#M!KNKYu7Gy5LdT#} z!Smb;-p}u73v38B3X8(xLH8}gR$=S47VbOj0Co&Jjn!zthuAMLvNpucaZ9`faCldo z2XAx)JiS<suLkdDE4~B&4mkZ7ej3IJrNHYC@aOnz{5^O@O@QOu5KaV7xDydX43S7o z)Q<2nh$X~IVjalA4)Bl;5hsar#5M3<?-S1nTe1__#G&K_7^^RUkzYRf96VT4%9_%^ zh{Bm-s8KKmoJn!?E&4s}23l=C_&a&b0nleRnO~Vk;Hx?UH%l;9*v#$*{dJFh$2JH5 zhUEOgcOA+Hf|lCN|H}WychmYG!C=QG3-g6_!Xd#7#?PcE0(JexL~*Lv48~&ZVYHkm zO#%(GTRH&!epz}TRY<R;YS1&L;B8pTcCtoxl%2urU}Q=5lzYp*@=!TI4wfUeW9dn9 znmkL+0IQZMuaP&(IdUFoqXXcNC=VhnfMn&kHDRkvV_#6IH1MUOj9@mxh&H7yXbtBM z<C;Jii^8gNn1QPT-DQh7Bktg>L;__OA{$|3QH<OH`)3Ne3qk$S05lSf2K|+a&PFr9 z4z7avl3W;T8~{65jFzHhFe-nFR-x6XDd;p?%pP;XoG}J$q8H`^`YixF;%Lxvsn~27 ziDUwAWMjEl0dPhURt%Q03@ZmOs0ypbOo20OVf5&PJL3#4;9f9(^amRmiARG!l#0&) zFF6Cx1W!2|Y-Is(N)cWRd{Ty&<4^G_yc)bDbGUbV;1g#U%?L1_@ge+)03s4BX$p}F zep3dK3Ep%zkxLX12Z$n~7{;AtU{#-jRjnpW!K&KA4387(OfsZEdXYY)KN&zqlF?)e znM%$kGr+f6MP`GwEg%n&MPxC|{FK2c^(oB!R0D6BgXOiSoV45}fc5pE{J|rS1fM*G zN(C=0gUX~<fgR3;QS1Sj1u6zxTn3}rr&JYHO_|c>v@LB9HrW|8wLp7;UG@iE9Z5&i zDRe5#6=i^?UPWiaTtxwWfG(noL0gx>c=st?MOV|Nj5%Y=*fUPx#W7&3y<jHEA4Xu2 zOf-|iq%yO$<KR_HHu!S|z~@E4>7`5=Qx5vOim7IdSW~TEXUp2NPQdvD%di6L3H<NF z4hCx;z=pDsY&4t1roime40bk~!7gPp*;VXD(D1on;}5XMVNR+TM$=_%Is25Y0$p#) znRB+BJ?F$ZgWVT6FU|+#Cjhj4G?xOrI2%R=ncxRxbGa}&H~?C{7-p=>xN^|(RWLd* z<;{6p(C<#XGtck>?*+QuALgwh`Di``^!jWV8)WjUz`M)^jeY>e=EX37QpOvBjxH4P zq<l$$nU9TNufbCXAyF%8O?3ykk8ITPavse7T>w6=1`f8Z<=hO=W5+QI;6R1rig0@^ zFZmLKftvz}P$FK-Pie#qEl(|kIShrbvWSgZ-pbQ*R|(7*RuLAYHK`#(frk{nso@q= z;17i_0&7n|RmAi^*MDCRWZFSl1_ml5-7dqVVV7B6v)(jTH!#Rbx0?b%6AjdAv?<cq zq+#GJFLjuqk%8J+g#?&1>T04kQm4}fYNM=vF#d0$7t$1IXsA|Y8Lc-+Qz7Uld5ttN zm-0t$ogUkL@sDL4fA270q0P!+J&hY`j*RKn!Ps$4?B=X=>ntSQ@Hu?^vJ4H>1_l;W zmpplwda~cJ$9+~#C^4z#l`?Bvsy2r9Oq++AAq`CohZvby84T}+Hb<-!U}|OVr>u)e zh}C!m#fPERNHZn4ft8tOazbzr>|lr2eQECwLK|6`42}$%kQ9ctMp`M!%&e?y0yG}V zp%dY?OApYtNNXk9(8{JZT6=y|Qc#R?6u!oz8`7plV-!O%4278}xQ4fA49}`D9Kmpy zvSWuMqx2d(WKdmojjXH(!K)i!uXl*XBQ8OC|AcbV1r*|1Q(dR}Xr)38oK;a%;~;pk zS`=(HhpJ(5crOe|S3Br;5D?5TUELH2tZrnGu2!pd=I-_$+-JFcvqq&ICoXdE>k?O1 z;CS34aqQ8<uD-+HSsxug-$UKeBY)k!9+l;LCm%~HcDS0qRAum{@3X`Cdp$dhJv+Jw zf6?=tN3+Bh>GPuUyPjFmCO4s#W8ZOYccM4n4G1zAv^nRMx3h6dk4<iK&OKc5@O{QT zKUqAvxU6^8Wc>cbM(-+;XLnom;e_FU6**U<*Di_rGOY9TnMVVyj~AWdt*;kOt7zLe z>DFS0ZKvP7OG@qZ;7#vVUu-$H#%255$D1GIbh4Qe^d@th<$-&?>-zjW^6k$}wm7fN z3DaCIT~=O{x~ZR+=ZBW}JR2-FyBawoZRD7g&>m+4drlpE#47c~#22TIj57f4RBxE} z7Mb=&OUl+wjBJdoN3VPp8&F)Fw6f&plwaf<Pkqu{Zz7n9DKNURaRas5$Pwv)IMiWy z(rQz?L;+r^67QO%WgTU4f|kcxTdCC_j7$*|_%eW})H0B;bz36_#?eF;mW9l6t<4;g z5UrQjt%jrY8Oo!ZE2Po#bL);q=18Nu78sf$O_WlbDm58_oR}a^3br(AhqT=YJdCyk zsnjy6g;JoFUtBPRU|h5^sV6^%)268m8-BB3;xAteLvntJ{O;{f4O{Q;pKdae9=&<s zTAQyP+b?eD8T%^ciGM0m{#(>n?Gw$K#r4{{owcm$vh$lfyJPd83|pr9_MCa&T^G>J zrU6|hRo|P`+RrCD%=Xbl_u!7pVt@F79y7h2>HKbwZ(j40TTk%*vWtz$sLjk6hh`fF zw46S550Y-Q0VIB2t;9DuU&$1`KTO6Nm5#}5W#_BU(2B(WPs>n^3?nG>kql#OoeT&6 zOEL`0hH5C$_3vbO5FCvZmY~Qn@walkKE#amEZE<Ei>LSgCLh*S1T`A8Bro&Ex6Vy_ zpNRc1OBghyY4dYNa@XItE?ai(P|!rP5vP1+jsN+MM<0i;pC9e&ab#_2Wd3~j{?BJJ z-&>w&|1#9SqB$1V&u`uK*&7Y6c4>3A&)u6LKem{IjmR6dVtDpyC*LM5o-ex*#P=A` z`h2sYW{Z1OZ`=MlT<nz_pYU+;!_j9gzCS)abZN_j9n<cXUvk)VVV}XIbrY712s`$? zMbd$8v$~X-`eZE5Smd&1f@j;vE7?gCZZsKz%^NxoKX@&q$a^(+;>2Uz?9z)3tt#go zy0+VI9)HVd%Or<g9k#pv5P#xOzv+&q@5~Nv?Z3kGu7y)V&e<9{PFMRuPYpuM73SB9 zodGOluu)J)MKu0GWE!L)iFM)x0v>^cAzkV)2zZ-X8BI!b(aQLQMAyVx4XqV)x<0MJ ztggDWK~X`jpComIGrC+tf?Ogn*O0ITL{J*n)`&!K1kG~Ga?#JND1^Vr4XWUuN;#&d z+<Kmj+R&u8b(<f3t`7`pA&;UCG=6}zRhrS>$QH3l`@Hu1*vf(tQL9q;{6$?<J{1ds z5jthVj7|;WY<J!2Se8|?)G%jOzm98Hx*OWxJonSYGwmWxuJ6I}V-8n3JBHx*y+dOf zKR6cA<c;x0GCFmR&B;f*Ztr?@Q*&}$)3aYEmF)?*b&ziBk@6tryR%M4nhiNG`W&C# zc~O(Ji<Z?l1IEYpAJwEs&u+1e^ByxRcXHPoj<cw?pO~LEIX9~E_f>n$ZMwerVnjpn zn-TYHPFqcbl_X5#?9L0E@9wG`zE!=W`6_2O?^ZV)_8)tnvUI?)Sv%8bkE{^$2dtZj zcXgfoeVL}A)wm~PT8=nhz6tSjp5rZlfBuV8hb4!|kU=XCMkVE*Xf1rP_|CBd_N7M2 zNV@TTP*cUVYAVISW8I+JPL0~Wy&G`B$!C_nnlb}5HAPQNc>AC>h&A*%xEhT?8z;a? zWHB0_q)=D1E7DmBH?wkpQz&6Mm&P+HA_`tCr002n!3Wg<9tPSO>7*n!v{GDvnnFHu zP&D0=;d~-xg{amOA;A}+zzstX5<C&$I2}Zi|5@{DYc%`&8qxMhyPC$?=^CfJE=z-J zYR+;}9HhT<P)egaQr4jX6VC=^8mu+`dcc7q_wdtxe%O+*tRef4PP)D0{m(<3u!sjC zZbyF!D?IXG!n3{`Hyym?V|s7st0*5$htRzI!`I)kaTU=V=6t_tNX6i9FTUP(Z>;CV zYq1YP>37*9){YJQDsJ<mt<KrP<~#$HI_|7>R_^J%pR+Ho+(+J@8W9!qti!~Wb5oIu zr(A;wr>3u-&y8d&H=S8G$+7X+`|lIBj`cfUaqDDwarMr_Ro{9!Eh>xKwc*m~#;ck) zuMByA-QCgBeci?5$4c^6e>=0soG8P=*QVdR;N^a6|GJ<0wsr6DqVUfAW<6V(x-EX* zGAwAn^{bgvwz>u{c8gk|>NsK2)jGu%4m}n82P>}?+m4FZ*6ANZ!+P&qRI5MhfGG9{ zR1Pp2(kZKBR{L4)^c;{x?c044qqS=*6T=fjg0wzIcwPCR8;2wQNQXKMy3w{ayH+vk z=SPtGR0gv;)TUBYqJAPb(1J;cZrXa1^wd=Nq%~((CC(ZXm9_nC#(vucrcZw~`bbUn zGyBDEqx*<WEuy|eP7{$H7rJeKS>s%3YMd(*qam#|Dww9JSL6n2n>s~4VZwxun-L!e z3nnLiBD99-;IWytolvoH&x6IruX?>mO57A^w|8CU_I+t9UKA`VdE5Tc=@8>|Q`L^8 z#qHQZKMu%@R2SZPJ?N0XW#++a+btii{pE7|zQqw;Q$~&W`kUSx_WKaM?slHov)8E; zmz}mJw>lbf@VDRh57@HHV2S&nQIl3j{q~-4t+bmLZPr~i=WZvr?3s-oKAY)SSx|I& z`?Td7XlLf<8_NfE+`iCeU8{%-%}?w*_05iqad)3@DV!Jh@^Apx{N5=0%OCQq{F4p# z#Wb6ae>iR)usr0$PRsCVp6<um7rwUtI<C{{B-Je6F_+Jpw41ChUEuw7w-8f5lfw~D z%bMg4>!NP;!-|JplN$%MH_8}z$@ReG0ltgZuU(&#^!4;LzwTW&?DTfa(ly@{^fo_Q z&Qea{k2a6Le*6P^Z`a7LqB_hS;Xh^Gj!PK_2BJ+{FLYa$-E-vxYTF98A!i$ZmtuH- z_ExLngqTT1uP00_=zV@>n>M|xTzk0=r=GaB_;4e+aLUq1A3S-yhr`7*mEV_Bt&UU- z>HYG_TBEz!F5KSjTjr$h%x?PoOUKm}Z`@l~Zaih-gOr6{_->#jeX4rI5XVDv4u;(B zZZvLE|9LOZ<sN%|<Ic*ruJP&Jsq|TCC$>*9m{b|q<aBFf*$wN;a-S8#F2ng<ec!AI zNt?0jRjWhao6E%Mva7#um><w2e(F-I{#dII8y5s5zgo4?{}hsL(h79FVXdBz+R~`o z?51N6M@n?~l`Rh{KVg~wEk&w$sT6|2r~-l2?uvd#Sv`oP>gjhFX)5D*upFl5CjH?^ zHW*trLoAel2IdXBhr!wI2}uxEtHB$Y+xcqGxzh}SmCM?d**)PTGI;TfGAON6^M92H zNjLc8IMhHHhZ?{*6l84U?#!ZXCQCj2t!&afE^nG%Y?d+R`4^?PTOR7U2W#GD)`QWD zdNgGBUL6`<@Iy+lK|w&@nMdsm9`&2JDoPrVbYysh$^A7`sJX32++LiQ#rkbI_j0C7 z$V=Mq=P9up`u%P?G$w!dwn@Xz{N%o?<uB=Xx#z#lY4zklp=WgK-k0}hPRjW*FsEpE zc52tsuJ4Bqywfd<9rWbMmwVUVR3{uUF5-<RwHolubEJ)72-0P~?TroNSKG~hdOh}F z@8756*V|t#Oz9j@{Jux}oAtxL4D?I7F}1<k%$YasW;S!qa4KX{H-=sr-L7#b_aQMY zziT`2+0R?6d-fr?>+T-{qN@uhFYWhL{8GsmFFlp)beX+#jR>5)^ZnZ9ulm|`t{iN3 zWZj*OCxX7{X1R%3-)!EG$Y8W7e|yVnW726|RJ#Sc9nS>B3_&V<nuVXZKX`D0<Kh6v z;^mnRRfl)(yK*%>yg}fZ-_9)^-RelEagOCv3?BB+ciL>~R@HUDSC=mtMqaUQcyPjU z&%NKGGruV~wyKZ#b7Z^HhxCs>TpjXNTJ%p5_J^ML?9H@FxxOjKsAJ}Y=IMsNrr`nC z7TS({%pNgo5WCUp`0V@gop7%>^$~-p$~pUYBnp*F+Fx>L)1h6Cu{pYgFI;n{?Vu9x z6K$J4xbZNc<P7HEeSFb^&6NcgUbiU=UG&|CQ;(;{G_dcB98%Yrxiw(sR(@>ez%&0_ zGpEe=w6-!*ynSUtre+j>BcpeG;g<dnsOoVub9;O-H)z*|0UueA&zhK+I-3QSE(o4Y z{xeJWIsgApES=V*!r{3%7}g|&QkvV=$PIBpx@L9G>NKn4pBiHrG$_YLEBT_4_Da5H zM)rtZz5V@zNke><L>eP+q!(gpViGaU9Omf|-o#8hVK?nNT5VwT|7adz7;q}B=`!D( zxW~JgQu{m1>x#Z{lT$i=$r+YxA7nYfdXf3?_su$AxN|%pDy<3nEqB~RSdDJ-ecArT zcM}l%!Is{~{YPC}?&*H++chiBnJ;s>W)%_43@mUQc7AWp_fvC5JHB7M#5+E4j?};g zi8;FU=8)bwcf#8*S=?I~pD%cgc{I{?+G#S=adC$^11cv3b<4kFAJ^kltERDrHv-i0 z__Ds=Ov}7ps8QuTU;A}_j|X3Q2!4`nO82yw<m|8dVDpj(S4Q@0FlzqNkxy<qzqoC+ zB7A)H2D6;|D(?kiRuDO3h_}(S@5ROO)|1BA*zGARQLmY>CVB4kS3bp811;Wl|FzY! zsol_Y<I!LqMi_v*HEquSlKMBW_?%hNo2Sj1mWi~ipDAr<h?>{?i7;=A*y|xPv<Zx$ zb+fw75obMQj<!MUv+Q6m;Kw@;>es0wZn|oWPzNJTSbsZ<ck>Nh`Zs!=x+(CdxO=aP zEppEVv!|*WZCpZaf2walVS>^q-9Xjv!Of8H4Jo(YX1*rAK&+M=UHE3$;rs>dK76^w zgL^gNuw(zOTfCy)WIQoXw3_!*qgyAP<A~07#yxkpS+b>%_{6Yjd9R0uy^f|uaGj2& zc@9XryUo&Nhx4z&k<2~+#61p)zxmA=fU@1s*%|B@J8X&9>b(KGns>78(fP=Yr5`r6 z@L3#p;o67QL)!Gd>+SXUR?4*l)0*rU&@*jCmlcmI4yEKIUnAR;JY3&!MGC#(R*dnP zucl1TI!lFpcl4Vkrh}4QUw=LA!S<HTw=NsMVBQaS)$8Bh58d`7t)94xco#6=n|#XT ztv;ji9I+tpcvM*9(Qlepx&<_ExZG$=^W6)6&Pm!cK0kXhSF|YX*Ot9{?ATzM9X)7p z!{tjBj9a*JL4ye^r&s(MS#ss-mg>Y|y?PV*M>|9lKOWz@1$!Rqxuo;7E8T~wuDuGM z(=xl;-jhG?yV7fjjs4I`Rd%_~y{0vM(CqNI1ATuUdZT-)`_ajp2KQ)@F+ZyL^Cq^F z$9)xLIAGj1?<Es=2fy_}W<NsvmJJ^L#s0#In7M{?L;Q@|oV(Yfd+GJFE1&gjoyN^^ zm^1d=_vlTbbVknxlSeJF3k&^j`bBX-iqFB5y_)>^{oc{moAEUVmL~slyU3>BtR*8B z?l$=8L;8T#XC^;+WqF=S4D^jhj^A4s@!R!n%Sv`k_C78RS{>KrspZAV_Vn2e<eL@i z(hbbOH)x>aBoj1UT?NLWQW3L+|LHkD1B*XQIyN*h?%KrAz|L5eH4?GaHOvq-s|O9# zAV_sjBN`f`O~DC+d0vc02!zI{;h?qaV~tRlXnxmt!xrzMKNJ-^XsrCW^D9fQtX%U4 zaZsy*yCzOgiD<BO>#O7d%jM-4hfXxulef9g`{LWX9ypLh;vUC>sNV;yYu=_&#wfJc zz8ychw)oOu)@ot7(S{edn{DZ?{<f&4Y*f`hd3+<|RnHc9lnmT-s`2n{%ZeV3>o&FX zgc3*VF3pd3e7>l-LHWt%Tl;JqFe7dM^eq?P7~gkP=UA^OyS)IvzSn8_(_`n+xlPYa zkv8~Z9RlyKKVCUxP3f;sr%a5CKhnqdS?)W2$ccR~ZbkkwHvUY^YV>r}rlkHh&)N5V zG^cyz?9Xo2ENRL4{CIS8;^_<f8}AO9G52!Ll9U<OJp8jQ?|d=;_VO2F-5+1tHU5O* W(zBxjuilG`ci!D#|H!B3WBv<&ZJtj6 literal 0 HcmV?d00001 diff --git a/venv/Scripts/_testconsole.pyd b/venv/Scripts/_testconsole.pyd new file mode 100644 index 0000000000000000000000000000000000000000..1188cdb089ac20bcf780d82adfe5c1084f2a3d39 GIT binary patch literal 21144 zcmeHu2|!av*XYf{zAB)oAQ1r<1a5L!!locZMFFEAh=MUB0fG=PxsgS!K*WlX+PYP( z3lyzOtwoDl-B4W6;#O_lTWnpTP(?pf+M;=9ZW0J;zkdJ!-v9o$d{<}Y&Y3f3&YU^t z%$d0%ZraBf1H&*TB&`<14nT>X2rB=ZjD}&hZr|Esbr$Cb9iYXYAC#CSRj~5qd6{xy zE=weo$?`~6x`ZWH%2-kvD|%uAD>qLp@wKtB^w5*GTldMP34dyv3~96~rzr;NQ#ZUh zuPZyxkEiN?oR6f+KdF*juWRS7eRF;s)&EVC2ugDOD+-@nuho}W6Y5W{e@)dVOGQ~| zEW^zBJPeDanP4g#V!8p=jL`>K(QIw8J^*poK}*oPJtUl}+f(m!3^Ua=ca>N^06>`S zDh%Wr0TO~vs9#s9tJVi#*i?Wz2V$5QHS;lyWr<$&4;RDM^oRGE@E^vhVq;jMq3u0o z2ed~R!*L9&HLkz)?n_DvNr2fpLWcN5^FvBt^sr!PU%6OF3Nh>+;tgnG){qciMo$C` z?W;q>>`kBn02uI$c|kIIA~3ApSFVtY07lJ~4=;$`P)J5k1fnOG<m3V3OhjiUB*dFP zB%>z+!$uob|NZ)(kN{EN&}95fQMamE?bRnLcx~!&%<9EBX0OIV8_D7PNm{3sP*a^W zFRxb)s9p%~S*?(1ajnxDT?0|CzMs~h=9woXC94a~EA#CyKdqSGQOP`ZyqV6g;B{)9 zwgIO4y6PmeBCWmrmfgawz_V7_nT;iAPW8qx)k*7eEy<~zV6MJ)2#g0ihV(9@BBi5p z4!t6!vogjpqoSxaLp|nAMn&Xv?<>k*)$=>lY3=H`HsYl^#=Ih~9SC?<^4j?7Gv259 zmCSvWOci1twAa48o*cqZwyERVLtn{nC1{;K24Hm+#XVDtQE!47)6p!lF|E^PXwW0U zv;{MWdaB7-UQ`!-Pb5i7e$JJ=PJSh?gP-LR2?A0&YL$>%Yn|3pBRQAX+bwj5*{OLQ z6+BI{dVXgQS$p@CwaZ_~T7cM0NUAKbS1&L}f^O>)bbAj$w<1Arrv%-O1fAN;AZY)$ z1g+Noji}qyX|3uwjb7BPI#Fx>TGSeKT<c$pdd75W4)2P3#&n{dYSL+xk-$N|laO?? z$oEOs5f)gtp86$0BI-dSD+2X%TB=*}2CXMj3#}(wX{{$(9<3)*X00dEb*(4T53MJ{ z)_Nk<4YdL1X8&ACf8Ox?k(z;Fz>k_|t<qp5q0-Pu7Rq{|%!H_qXu&l*%rUIRM6(bI zyM6U7Zj>gNYn)*<Qd;a)^X)OaRrS!q*U&*BQqoRXW7+mu+yKm8BecP=Y)o?lx~41y zjkyecG?&aUY%%ZGZ)l6t9;zgrm@2$I8vM6i`5|aMV}dHkY&0g&YhgVZr#S)+R<i`Q zDb04svg%<HS%)FhWZ41T6tLxCny-K;AhWU#pw>Fn8cnt82qG8Exdj8B;dQ>zYPFhh z04%(vjMC(Tb*kG`BQeq~N#kHaF-n5ATW8a?N^^Cf`hwP}7RYIT)S9dT!6TX2ElGQ* zRsO1xA#_+A%`xDxA=^wd42U&lTW3v0lNST98g(hJ|3Emd2EA#n!UPuc?sZR_u8h|# z0p2zHVAs)Ttw60kDRCGWbpl2~yOib{S2P-kk#s~n^wP|MZd&C%jRr{<aS^QNq6QF~ zU<nEl7e4_>^?YziO1t22#KQtJqW+OBNEk5zltMd5OO=*RnyAz4TX^b#W|%CzmcLY* zRPgS#xFjSaIdn-u-BzKzSN_s&;R#@jYSSEgt<`pczw83<gZ+*ItF$zwKhVPy_-Gy* z0iKYA-pZh3H5#vi*NoJjf~p(!0-w?hwrQf$GL+MF<0N#CLypxk3RD?mT7ur;vBd+d zR!y6v#j_$DVDWU$3x<3QVpg4WZct0W1Her5VpgBl{0VE<0Jf0SMVZon2j~m42iK=G zH)z5Pq~m~^_Ncy7tA!WUd~2H0L{kLT)IC%&C>m@AdR*ioaHL0wj6b|&SunABt<wm2 z<!haWLXn1sFKzVzD%pKC_hB_bC??tTl=H)Csz!s9Y}TXPX${I<SE4-NW0Z$4g*;=a z(*dfm*+~_yi>bn7Ays&mP=(JtDAq4Csf9w#!)i8DC9`H5l$AX5nmSZ3zYViGW6}o7 zLc?fSHEOKc3AHmORgfdT&zNkcT9Lul>ff@NQ)ks<XG-dzj_gfWS5xk$BG#k>>c^Wg zwG9*852|O~gE?#Nf|QVpgQ;hmYfwME7+iE>K>CZsppG;D-z|oFAcp_g<blbG#c2Mz zxtVm&t+bV;n~&{(-+Y??c0QoT*c?mb(v?h=#2SOT?Hn`M9mZAgtf7dgL5r<lSi@YA zA87%k&IkyPpa|tzE1aNI$91Zw*sHCVR9KfEfNm|fby9f>Z0J{9)#|8{v}2XLc9o<9 z12b?0m4J|f;I&hsmNQh@DCTm}y;SmA0f|K+wN=J-61-M|*GU{l<aCOblzc4yLBye> z=qMO^kz|%%P<m;WgU44lhF(;f9h?Y_Ew%u)wCOb#!;UxGTQyctD*EcOpn}rP8Aul? zi|(xoN8SljT2NMN5AWbGkwItG!!D(DvIa;4^{zQddEo<%0B<;O3FVrnXxMQ~l{vFw z98>eqP@_W)4N;AOA*dS(p1JC-+m%L2?J1b5*)5xu;@t>Q=#@so1ffxlP*=xUBTUU0 z7>%zXsWE{Rv?Qs=g)tiK_D4EaPI6{kf)~?SZ9^H)Lw_XuL9fv9)^bbrXmiGB>(EBI zwd%ys&>xkLiTW8JxDzeEKk@@oIznJ<UI*i*LC6|xu5_WOmIk9Urqb?!6>J+B!I92N zW-TqPfm5H>Ag)GnKtqz|0PIH4m8An5?End=`OFq(=p_<_rasqZx7!wW>NZaOjD}j; zj0Vkzx(;TVyWo;roHYul^EK6w!;VfeIQ0#hbx^6LK^&{O1cNNBPk}(AL1P81F05Bl z7+S!9cQeiJ@Y3=dAZwn&o93~uC(KCW2Cp!1KWarOZyx7}_94SA1AD!TR_Ux61b8Va zAloOfM*|1eS=V6>nxP2Xp!uAlVz<y6O2p7I1b$QjIgFv2Z;mO=PMdT>2b!iA+Q~)G z0*o<{j5JBQiY4?*MEzPGA@QM(t=1*sZO{uN&1z|n7Q-x))JpU6m$2`>p(z(=(sjIe z!9M4%<7X*AP{?DKbq}#OUsol^aOztoP})<eY)=LaI)=EX)JWB+HK<VqvMUJKJGX4v zat!s?0icTxCOB<^xS_!UA(P5B(Imr)H)We=twFKGa&TeD+7IZ|1Lld@E7PjOpeQ|n zDwLYU9@MGHV$ckG<w(%YgQ(5>IDe9c4_i2j*vKKOLJw@-ApQ1ROKWjc^IFvyaki8T zWb5r#9#<bno3tK*Q?Hp0gCm(~;sF6D*p(ouTM+dJk*<BH6KF{|S_6zUEdfua><!DT z`32BXc@xT%6usaLwr7H*1m*__R~l6vTF|6$z-zJ63ELC(d38NyK>e#rgL&rNCJJV2 zg5*b8F6w8R_Q+B<kZxUCAjm=51Pr6WE5P`5bgqv}YdB!d1OEU`y3IZTcKcU=50lbu zbJ+~dagh5NrbiQOh?UfSoDIg20Z0&0RFp3TF;-MAM)|6RDBn<m^1bs=exwlcjHRnK zQ$^((s@OnMMR`6|Y{{XDud<+6zpQ*c6lxx`qI@O1RHBzEcsWCjiy{DZL}xa?qWoj3 zbsOU3HY^780A|kcwn2y*afY`OIL0b?by_EL@QT@3<y7sfTa~<Rpm4ew^uGm4_NGA> z2BD*+E)D`+wuVUD946fa6jG@3DP<ec+0m7}!)Ul%q<AN-p$46pK>j5U&L^gJ`+2P` zjBLxPNLk?;0L55bXazy~ce$|P#xBgY+lBR36_K`ctW^g!Fe*kez;}Sp$x2}%$BrU3 zv_Qz^Vx?S>BDY!TsVcN*DBaW%j^Qkm75&Ho;e$}&819Y=n{X^*E$~Ftr=4J88VlgK zN#%*bLSt~kJvtQZ=Mc(5|DouYtR4xWt)=>+-UnS%oo0sqL;eWP?Fbh~xG4KOT-~8E zYx*F}UaW=NI9QWt5BrK75Bo|;-pz1_K`A<Hp~NYEg+!xOcEHB0w<)wRyf$$S>i4_> zZXd+35yF!q(A^(Qdal!6!_i-9p5+IzbQao=G<RXOA&yRK=#o;`76k#E+6En&i2Bms zKLFm4*G3EK$wbmnwR$8Fx1uau?SW3VrRFtILbnMyh@zwojwC7@)I=xFCM8$6qCS=L zZztG&uKvgL3bTp=X2nEv;%r4S#3Q%W^Y4KND}5y+B{^!ICO|5a#K5%Fyyk$h5}6Y8 z4fbnY*UGfp6%3esg@S2y#tNL^1oMgnYh@Hr@oXEVwF|E|rD5dY@R_D`jC2XlM}<>3 z-;{xowg7~}41f$w*-IU64m_zY(kiHz7E?W7emev~z)$BqPPW-p;_N%)>V{OOHNR>= zcZ;O0>LOiFgP~4q6U^9-A>Wmun?Li637R_~VgSd?$#_)QlVgdqcC<?syw-{-ZOCWF zwW*p-RUM{E-)bZ_RinACBPbwNgCH*(SY&TiBTEMcC#3`HZ-PKTU^>Ajj(~|4O6wT` zOQ-c5N9EB}o=W9Ysl1TN`Ba`r<s_BQqw<+lE~fG<D$k+vd@4uB9<3*`Ev+Xy_h>!Q zu}ACaLFFi{(|V#vPwR;SKdmQ<2DP5{RE|O|ttWCVT2JHww4TV)!Dx;DgAah|{rma< zN&+K-FzjduhV6i~5>g?g8IZ<7;y`kS)ENvh8KkR__CZ<)=@P)vgL5%#8YDg>^z4DM z3DR;%iy(Oc?np?nkkTRLKzai3DoB>_PCf8`5BRtQ=>()*kk&(*2Pqp8A5w3?K@W0? zy0?ElN9S&I9+wp6OGKnZ%#sTWSfV_cA}>e6%1h4%AeJG`ksyi+ND~u63gl8!B9O}R zmGF^dVu)NK6btf{Bvr+X8;x58q(njL=^|Q*P(>fSlrT(2o}5KyNm$8JnK-XNVHh4W zXJhvEkPtq4N9Eg(;oB7QX3>x~b0E3suncW*-+`e|IT~owyw!#_rlHWe6WTiUZB+pK zPe0)8syMof##-<rJ?Nl7=6~S>+cP#fAv)p1A9la~EN*wy5!Y4cMvIeN&@fRUse*z$ z`K(m`R7EO3DqShf5vLYNWdtYHcqx4I#px7B=r#}~^dMP{jY^C~+@o(`)b}utTp87f z>%N`&O3_Cx4=Of*c~YOCd~sZqk%?h-hI-WGM31Rak*ME+p0H^McDM&DhQh1w38U~% z_JHvzyvCj|3a_aLERn*y1TcFT%a`IMk-}>RSUnA3`tNtJUON7%x`(1r|Gf_BQVHmW z4$q^wxLBMH)5FlLAz%hLDe{Pkq{e{=%m_A(8fSztEK!FC(H92COkLkZ9Uk0hW9WqD zOAYK%2(Oso8>p{D#|-)w%11alxdUf#VGS^}R(cqLVDkW0+YR$aFyzM$z^<*w0}OZ~ z;2SEEfqt%Vfr}L)oOA^;b84_QD5!6e9yokK#jrMD0Ea7JJ&fW3!QXz+Jvf40(wBz1 z!ck`rhWgdF+F!lZZrs05AIv@g5~6G9f8D768CT5yCM48u`~V8Y%X5%1Ot&j(pxz3p z4W-`jJ(`kAPtzz8WBj5RnUoY5!*wz?j4>Kyi{X$^sejzTA1?&hVV$HYC<(9#fHfJx z3c<(oQQ!AG|F`Wu4AW$^Ekx;dju^B#BxBeF-sE^*EWz;==j346IS?mLE*B(7$T9M~ zT)n#o2zJ^;z%LTS=gA}qq+AJG4mOAhkVtu^fG?CQ04fyCij;{bNQ%Izi9tiZ@1_M^ zq_Rwm%itF!7UfF>F^U9bItgzWc8$g_ij(9D#>gd5YeO|^%ZZj`2++b}*hVz6o)ZJ} z69tG4hWP+KuTVtQfXh5Nc0*4uPMAY|fzK}@v+`s_kZyjSm_VQ)#R4=o?2j3F0x|4z z^1LEJj#L3-jl*&!xe5uq1z-Y6p-7TX3bKSUagIdpFA(MB=H|(;q^QYL;uB-ycx-=M zN0o~KEh$M#<hfXI_q#xXMPdSlBufC>Gc*d2i2GqcN0uSYRLUg+nGkp`5D4X&bEpv! z6{#>sTHMtnk<F3H^JKXa8SoUSqpin)r6>f&Cxz)~?;nW?<dRI71dO9^$xzBfq!c*z zKy#6Zln@j2=;Q{x$Vq_^eoO&^9%!fuW-FzlS<nSZzb`;_Z`l}{pi~Cvm@r@JldJH7 z-O2|j_`ok@NNKLbCx`9B_R$Gti^&w3PI6*cAdn+4GKLZZhDl67zy7k>i9S|BMk(cT zm@{9VCz61>TWFGK7~25CN*OT<eI-vmMj|9ZqI|hTfkZWiIY}vz7x5)>h+J}oG7+df z@F<aEecq)WBgXn0K@+o3R0KfmK7u9`flPA~VS14Yn1BSmVJ@_2sR9XJha4+SmkZ@Z zQJ`}QYz71At!|MLVqrzb0XeJ~xQ&*iD>E}Cas!u56n#=CCzbgzpp3~Fi6A-y7)Plc zSm?i>zm@>H@88|;ShQgeG3*~kaqUnKT?{*d<u`(b;^bkLK0cO~lVMR5EFlZ5pOpcw zjtXz}(JxD=V4*0Pl*m|Q9-xRJc=knH7{$)-&>g{2=txs;R>7K*IL3z^=o8ChNn|4U z-I$n_UIZaFqKHCiqp_qJEaZ?70&t{MNaScR2y0MaWRD8;_(Ocn?}gcy!FxW$un|zN z?X9ajL!Cl0${eA+1d<WxomV8Ux1U((ldA963UqJ3McV_~mi`Uhw`u<GsWULR5l27A zDnXNufYKStsZc^;^w6+TP|JT09LWRXyb>d1c%@NmQS}};d=KsV&0%*R8iwGF-2nZY z4t^bKZ7C4*8MSkhASQ>{&hVf(j%Q-1b(dkI3UhN<b0l&FxYKZVwlD6k(=OOv!`+d_ zaos^*!F338z}1Jl7fBTEqej|Th6xo4Np5;h5eo>&6yfelxhzB>%97*?6+XFAkvvb4 zmqGf#78fE^<oeEGyR*P;N;6=0Ofnt~NU>O95CJGi<gxxmYJ@x04|*zK8v@HJ($@hZ zm&{heC=xMWE}aABnJH0pH5xbbs2vQZ9V?k5$zkQ7JltKVh>^|7n<bIEvy{?E5!x)m z-7|za3W>X47nv}>zaAvauLnzEeqD2;x`%;8@`a={U77=2|NV4(pd&HrnFtf+=jTX8 zKq*hw&6h%%pPwg(xx-IOW5nU^b0r*{&Grun@?i(~2m1IEq5vOZK!(Hz$GKvOL_&y( z41B)v%-*3u1h5Hida%$ZKpYGdGSbC9TnR_)Bjot|;~Y*vMld1#=M?;foD2?ELihv_ z>A^n!{{C#AbYZZ_M;sU|_80mK10@9apHpCG1O^3)f&zWGxP<NF&mn?+f&<dieYk`e z&j=LbVqwtVP~b}Nj36PK<CC6|PQWZATpyTIfR8^nLmYq$*#W{}qgjOcy)E4^za9&r zTS_COzh6ko3cB?cA{}(`0dWfnrq->YVPIyNd?A??Ss;{43}mxNGC#!6Pj6qoUH0V* zT=^x$#rVN82m0w_S_4h@k)V2#FuxuY4eI0fJ_g=1Z?Pm_A``=gW3aF=1B8s!dw_2B zGx&rU=s+U%M!QhBI}Al|+*vYVE>z+SzQI?|u5T0-2KzuL4uNxy!X0^p_di{JD$o~4 z|J>1!tC5N3$s^^WEI5paP|z0cJ{($<>0lpldPoFo2G<rC04fvc&-V8hi89#Y40l$J zP?o6_X6n!l#vSJO{`qyoDM^5&x@QmWw2t8qc@ma@2_WZTli@7}n~23jJqGeI@Q$7% z%%^XV|2M-J*bBz$t`hAZ=m9sc+o!3TE^`DwP6K)*CdZ_h49f&+QY;6P0A(4Lf#m^O z8*J`0IFuUx`D5wS5j6=L0PrZl$%Xw%2>3<7jSy-O;={v-I*DaLy9{H&7<oXC#0mgI z4j3#LDGyUZn;0M@jEeBk69GR|rgiZV4Y&$SMDds31Ft82#0R2__9|1O{z(9n1BGt- z1m+9JYhP*(ftVHGqPdb3o(y=&F`7lsF`}_p_=g^xwg~#gLZ3{k2O2#e=8L4533G<S z2ql@GFcy3vVPPCfl5EU}dSk;$iS?h7l`r&rcU<E!aKIQ1JWd4OBrr!`kRw{Hf7X)? zr@~-3QR=wEF*Y?yJZN3azt9iO%0L0Fc^q(v;=}P+FOb(ny?l_SAvqg#4b^m7BcRqn z0XgDS2J4nbX`?SCT`>|p&@%&Ce4v#Fx}yY4(rCqc>K($zDShaP|F%{b>qIp4p@F3# zJvDIHZ4Gc=M_E!Lv?85X0DnF87jDduslD@<V!Ba$p#00ru6KI<8}R>(1R&5~O2aTW z+y@WFN8)4feEc!4#hGkdwkz9%9myWY7O-V(HG3_43wsB95Bmmt3MZSB$0_10<}BkJ z<TP@wa&B>+ab9s~gc)H&I1v2^H^P(fCfLMk;skM#Xd_+_w*C(OEdO->Z2uMh8~nHW zAN0TM-!H&BU}8X4z_EZU0UZI>fo_4519Jj*1b!2EH1Jg5{lJ#MXMwK*Uk5UREQ5Ll zIS07~c?J0d`3HpsMF+(OO$`zTWd!8}%?T<A`Z%a6s5a<eP;1chppKw7K}@bCw-?u$ z>&Ers`f&ZZq1-6$1a1O%23N$DauwY9+>g1dxQDqXxQ*Nk+^gK1+`C*2_bK-!_cfOp zY!&PfJRo>*ux~IC92^`KoEtnZcysWV!A-%pg6{=C3$_S}3W*I#3z3E>L*|B*hE#^E z2ss#XKBPHhRcLTnO4yRH`mje~9bs1CeZz-@bHn4qCE>;4rQsijuMMvWr;W57889+@ zWYWm|k%c2a9{J74Pe$z?b!b%EC~#`nLQpJQJRVQP*W+989rzLaGX5j}2&b_JvS+dL z*{j$aU=<Fqudsh&%Q<s7D$X&^70ykLCCJ@{7)}tx7=lkE5vfEvkwwS|k|-uhh(*Lw zVmYyf*hp+9b`Z71KH@N}Oe1lDxJuk4nu!NQEAgD@K)36-?$2>*@q4%iFJUiaFJ=34 zxSR+MKOjF~X~4$;I|FLrJ{cVj;hcyy<E?lb-hp?5Q#NP2uvzRx_Eh#vwwO(_3#l7* zK>GLdf2;(kzcHiJF}$q*Qd5iJi^eT_WkWNgSC#dj51=ACjmEaaZA>j@E*eLZFqm}s zQ#m}<)Y99O#-x=6(P_-8csv&GYXq^wEf_SciupOc1jE^H^<}c$6&WivxuWe$zFg+6 zmCTAfF(B@n#ZSkxt@9kBrGK2UttxY@!pj&>ASG8Z=rlUr{(}`Qf6hA{pYnLZx`L~w zouP=Po>Q6$@KdU0Tj3U_j44c02l})~wiE7vD&`K>$>>}xm$9OR`4YAx-W!3<9IT?1 z@^m5G3+LoWsM!J3(!n$_OISck*sk~hgl6U7r~|N~Byv)kp+9=E-Eddb%y8(VZ${Ud zaAA;}562o-R3tvIuML~S=5W|J^-Sw)17{TufpZ85$b+ZhGmMy>l3*Cl(!nvI2rdjD zqGv_r$>C5-opgbSuWq;@UCn4f7JMzxjhG;j&ym8B0ETAyu*P!mGMc-wfMCHGWi&fj zV45Ypj7GzD@BAhval)rAy)CbM7JcHLJUs9A0k4x$idiR)`SPdz>3Cw!M^QA-sJiN3 zc<q|~a~sGe_iJ@4G5V{x-;UMokM@{#Ucd{z9DO0Gx1w*ET3YA*-P(aW<paFpX1ncX z-}!Trke=|xju$Z_ObU5h{3<RyT>J3N(qEECg`Zx2dwj=S;$D&EpKZ#;k?Xam7?alS zxR$eNh4e$oFje`9nT{tL&xShQtS@bIvmt+4?*8SuSAUZ8hCFyRe!zmQ4I6!SEqVOK zgB?Tq%on~|GrQN}U-;D%?x+26-*)SWO*<s4E7w<R8s}|^9~Z6d_e-?da;s}u3ro_n z3&p(iGsk?8c-&#$siJ3RkI$xqcG7A}|G-OMQA_D+%k0B+6s&t8OKoZ**Im6c|LLe( zt+6G(cW{oWIVie`i5ZQ?^uj%GcS9W_?LPV=YMw}u?@LmugAS*Zj=4I}Xj-N@ZVCnb zSr0x6meAFW$;AV4|0+%uzQ|YKStQRf>g%V|C}V|+iu45>N}pXlnbx?afdhs)Zi}ee zp^=ziC#LvNRPV(cgu8799cK3ftE3dw9ucJU#fO9YbA2eAG_oH?X(`6A_-t9x(*-H` zj;C3B|M=Cy_0YsJ)3hML7n3*jseJ6R+#*``BDZDgJY4g;v~sY*s(0Sl?Yn||bqwGA zS#AG@k6KbzV_#jcj@xsI{e^kz@Z!#2id~aqw@I8I6-A_bu9lrS6O^qQWd2d)<2yH! zN4XZnd^o(1>5MP9+3vk-CiPQ&un#X|)_}#U^%ie?v7Oua=2(D?c|Cj0fc|`Ag+><t zUu{D=8^+n(9yZJgHrR0bf5?X6+DNw&-hXGq3DQiNM2_s(|8MR1bCFeW^npWzw?@Yt zvej0%2`v*=)ULVp)d;)sr)1hiVF^?0oGvg&dB5Jidi9N?!Xm5bXJZ%5x!)W$!F|<} z6W&qBH(k%F`zT`KlXC9CUZ(~>7f)?-;^f6ASMOT9nSO2f!1ELC-Vy!Kw}LahcE;Li z+cpg4+xC63`j#-1H_7#4?<A|`V>`dx^)e%T?9P1o!{rYJ=j{)kREbyiJK|Y#SM$C5 zmP_B#i>nJ(OqVn~=}R7tTr~W)dF;~VOF!}1SP<=&_2V|O;Fj%ljyg$A9JwKCjM)%! z>eOSx>icIk1KQO`Z+w%i4*iL_wb*@+$1dM9`KOM?tGvwrv^uhV;#%{&_Cw`6&g<;B zjFt?NO2Dm=@>6C<hbw_TsOE`G<DZy}SqZK%m=hRyCN9B;8|q--1NAmaDtss#FHra@ z^d6cr^q?+W`XcXcT%lCx`xdGnsZjWcgg%)ZUy($Phau+Nm;pF}v#b27e2jY|hwx8& zgDdz~t(;@z+{T=i*4U1B9QZ@*&B>y^qh<siwt0ZNAvOjxo$)>;@ArN^cUjm(Xjoxr z-6zAb*tTWqcu--@!XajP&U=3Hyj^v5C1b~;c+XAiA{Z`rF8o^b-JmSfoBKF*xyRZ^ zc!`L6G2&dC2Mw9FuS_-v<jkw+bNbPqpZ7ev!#X|N?))n9_P*4gjs&?y6+S53dwwXB zRkP#Sgp-ShePUa3xmV|%)H$+=Gi-TdB4swUkGbo1hupN7ZQtoqR97;0r?ma``hC`Y zyq_(YZV~?3^k4d%b0~$I1g_1tVarC`-P1m8JMC+y^&|XZ2HbK#)bOTo<)ns1yUP}* zwT0JBsxBhDediv$&9ZQq-ICpJ`bEtaJb6S#%&3DG7o0sd(mhL*u<nSI+<D41Y{By8 zhQlt`nM%CO<Q}-GCcT>~bdRb|_<5+M+aGsRFAa@dWbCG_z)j6JauYGJ>^`_7$Q(iq z8}P<*60QMRv833S?TrsZa4QG*1a!GCVMR+brKB*&DDr>}A6x@O80=yA5QNNdKp}vR zNRI%86{&>p_2>%$6^R5uED{J|7>)-(Bmx@OUB#9E8hiQ?t^R&Q_F#OFj=BEb%;mtv zA&X#5q<&|I0;InSP_E~A20DsUi_Qzz&^MW^nsm4^BI8_gGG~RPYRaJ##Xo=j=KhqS zoXiIzzY|X-^~WC+{1&%)%aNaA&3{RHA&q5uh->SP-TWgsuPrBpGvc0|s4elU%P+tD zWmfd%8?p!Dpg*@w-!yAxW!@K$wvX5r_C+lnqvf4<tlD|5_Wrgj>%I-R_d%vK_cxEC zbxY>qZLJ|@nM3VfJXw+z+`i?z>S8aOS@+(^x6evG+4j@vjHb@r$2z_mH}sR+d3$QU zKWDSv$*EoR=4OOfuZZf)CmXKTZuqL4S0QC2-ca4SG%n(&L)E{=xkY$9t8f0O_m~0Z ze#@WqlL!wvz9^r+-8X%?pL7}KSx|h<;Mg)iQt9vP@|4+nBC|F49|of<`VObj-W!0R z{RdnQC>lPb%Cl<lqCrLhhyv-6LXkt=tt&DVA|VxXWEkj!Z=8lt#XSsl@Qu#;?v!IR z?vLYLSoB36dMxA;jgkDo3z7;yY8=wYO=T2sJilJCC|g>!>yM>}oR^um{=n?vrsA!h z_TL;aeM?{Ihxj@Ftf)(oyPoTUE0!*}GG$J2WnuV;Zbwe1^)Wc|f`WpcY~<&`g?Z6i zM$0IJh|S8apl$QM2g^-fjD1Ebw#@9mzk1ECZ%fubJFxodAA=vA6Pc8mV_&aq8Wf!H z!=yD?wEE_k2}h^)T65&au3ir}J-sqGt|`;IaK`jipN+3M6zf0s?y#aUW6z$tGIW=6 zzzNZj-(Me^v~>@CMMT1k;tkT@-}w8s_gCjwjm9eO4)NPoZu#)Ha<BFSjaPP+ep(YW zf_wkgrwN|BKJHUJAoG&bsc+AI_Vv=)cb{ynSI>NYEH%XGml-Zsv~?X*mGp0Od#ecT zN$b>4McUoHGD@Q(8V1+DbXk=*<Q$1D;%8quZ#rl$?fSBqRgog|WYc4rt+#D=rVOVI zIJ5Slx6(#9n7MTF_r8bcPU0{BeADNJ<SNz1f9zkKa&A|z>l;5iFy8uvCOB|t#-lIh z+&rme|FS2oQtGi}`qcUAufJb<crx40^<%%)+s3Rb2>f!b-<0z<dkY!&7H@ZGlIIpT zzAPv@F#clsz=7jCe8>7u3vBW2tG%VHpT9CImQc=#a=%=HC4cyV!|}E$<Da)|V&2{6 z6S9BT){1$%x7odZ?zN%qRfKE%=Ck&(_-*l}y_0(do$Z`H#p`Ir5z)`1nX`*0s-Iuj z+3@mK^SVEL^UFpDmMtndwQD}TxP7MWIahr3Eys3E?AowBjE}teuhxo67Vdd5;OIf? zQU2#{Uwd8iQL1hJ2P+*Wat3HOFH2RvSigDdS-i}20Qh=_-p@<7T1GCmn{_N}WKhPB zTOYK)r856rjub_yfj9?F6*zqDME;!}Y*fYP8TofOX`*vH>>TFSrW4_ZPI)qRZ`>XM z%&aX&ON8*Li3FJ5gIikn=TpD?VkN*=ZR*S182J4U{E!kpzZ#Gj{|pH)qrZC&rK58w z9nPU(W1GKO)A*(7%IK*MeM+LPY*95?EzN$i;QG(~j*i*KaT>Vjf#4IKMezP>Nf`&u z6sFS;q{fw>=udwXU$kC2auRubTBhl}jq?MSxK96hd2Lm2^41H_%Y8)8gOcyhm(|3- zHc!f}`{v8yl<$6x*wgQ6+1-#QzgG-sIb0u|<2wGzp*6)jKAgFuaoV<d-q*d~Bu#FP ztO`zOY58#fraLtGag)YSli~rBev3})!w})aKXSfRGiO8pk6Lfaj*Ne;B5n@8TwgdW zwdoD7?A7PfKAf3M-ul37)0*--{mXlgSUR+xJ8!f2N5LSQArVt@`|Wj`{M-HQont2W zhun<Nrsj0k&s`Z`nZI%*pSXTjIrK_!^9}!*b9cYl<n$u0|FHH%tK-$pn@<TBME2Uk z{k*sO2RxB&7y9$o4JH9YtEGdMedG0AYVH)gEw*>Yse6fua<Ap7UQM5_aql>```aI{ zm1UUC{O<P)D+L3N51H+ynNNQ>v2N%W=6)UClPa%#&&c}G(c(zKr_uYrVwZn*pke)l z@cUVVu0IU=;moxul_fd9X1W}GGG;t?K;g|TJD8qp3Y^Lq|0p3+Z+z^W_Bi;sm6>d_ z!^y?>Mm1-Q%cC8qOWP|BeXR&<UorT5_kkXRc9>YRSA^DYY<5ey8gt66_k&vxQ?Gu< zagRCq$+9on4_taV@V5Aqy)|bae~@eD5{Dn98Me8Nu+6ROxy?aj{<qs4y6<syV4`Rr zUC8K8@wb+a&#&J)@j+nc?DCzw1xti`E=}sOgS>Z($u;a*u+s@~!N0iEy)XX%i=B?z zQsD<o1Z=D%9*Ed=WBS33yLZ*Fsv(O!|8g^iLj(HZ6Y7_P4@UiZGhOihUHk7lTN=(s zNGxUyJ{C7OHO(xwhI=|Z)YOW)uq)jgM58nRC$~p92AnOiTg~5*_jnKYx=S<nWm{a{ z+(OR}Ll{?gCG;wA{KR_No8H4NHJ?nCme{ht3OQ*Swt>Bc|9tSRy#=^SVy~E!Q)k@x zG&<tKR~y$}uwLzR!yz-BJNbZD%EkRV4t}sh;PqztikSSF6(i01;JGKZ-<dLgM{~yD z70btm&8Z6;m;ETsx%6DX8n5LZ6_eTvgpqa4E_uAO1MFmsTdA~sVs+eSrE6~1v#{DH zn^x8F9#lq!C69D299@#D+*Ub(qgE!iXT_V%_-JKX%bgL=es)-!F{iV}YR5e+W?6WZ zFks=77-s3g@a6fA#o2xO@4J1Kwy|KNa*66iY}2)w_J5B4$AHxzM6%0F1h73!r$e|^ zTJhiH{^|Db+m?*(X{$=t;QhL8N-Y>{>#jHv?rm`wqnZ`l7EaLJx4KUF2&0-cdm!#o z)gOKf*7M7A*Y`=>uX`9K+nvd3-@Dm7TSM$Sec$zX|D?&ndh-((i?P>1!ojDOe0QET z$#?^W3rc1g9sBr|^N*JzZhduO!q&PY@`@DB5B=wjo+dx@s`SVYKFJDejl-e41q<Sq zUpPM_<&!r-mo8ps*7RRw9qMYe?#J+u3ymxB`)QpIzKOrQCuv>3m%m(l61ZmLFYbHd zW*=^v?^~W2>C$(@AMtUU?Je3Y#~0sPc)spoOl(rzji(=7UcG$Vqni^(Jv`fx?Em~3 zZRw3z<yUfP&AfSU{utJnpOSZ`+%M6>GP$m9np=!0Xv^>=*&Qv3i>|ipdA)yb`>e(c z^6}7!56FG(Q_}orjr3}onjCz!!I8DfdDyBjX_&3)56gnSQf@0Rww$m9XVyABV|z|` zU3q74(69Z3Yi?ApznY_6n6}$CeezEFqLl%E76jl8!+jquv76kPzUgGdFY>QvKbqlI zH~tvg^6Qr0nZG)Qt~&I!&pl1^w4*mOL~U;40}kF^$SnFMsAAu5f~WO=l<!r)VodZY zF`4<|%h`{vaG%&t-|OJA!ah6KDo`#l$t%#5N4Y1D-<dRH&7EGX)U3x*cB3kHu6f{+ zqIMh7I8DBzL%Z&`f<~!lX?&K{;_JuN;p-Ir7wikV))e*aI)@$JBOD#hbqF6U&7Hd1 zFO%yPpTB-yvlr*au+mTWC<yJwUg>>1d!5?x=!>Jo#5X_CQ+UPJ+ph&5{<(5T=B{9~ zQ$O%8?GI>snVt6{sOj=~U#DW8!vp!Ae#Eas=Tw)`tspiq>((Swb{VY$Hivd(X7c~) zJ3qSpJC}|YrY7FD40?YPtSSw6?q-a^w(6>w(ZG-lUn49`*me+v!96c02=~W>2+lO{ z+Fh+oHe57EWASqbx7IvAZfQM#RmhRA+2qAb@0bG(bGaFEAiR2PZ~1Pv<$(0XBerk* z$Jv@|TVIT|ADCd;KY@n7o@4i?U|s6ssh3;!ZLs^WXxlUk=aEnR;=g<NjoH2pyxbeN zCCv4tyRcC>>W)ykfjOqL?zXVBWd0L}!ra$2U*GuMvq>iSl|A>?k*S?izMbA%Gx+K! zWyAOLKXcop+3ptb<hJD$nIM+1t1t5stUhDvny+3kI>xuT-~8Uoruk@&ol;-Hu8+%Z zn<wZzy%-KsU+!)9p4(7Jf2K9H40!gUlAm8ITyX!}fj^xaDhPS{@suyW*EWBY*tTtP t;N5lC=m~qhdA)}VBKZC*JUy>ZyVU0Yl6$gt@bcXQqbvvB^%TlO{|AI)B{Kj3 literal 0 HcmV?d00001 diff --git a/venv/Scripts/_testimportmultiple.pyd b/venv/Scripts/_testimportmultiple.pyd new file mode 100644 index 0000000000000000000000000000000000000000..899c8829b303d899ba2da827e68100f60e666fa7 GIT binary patch literal 19096 zcmeHv30zah*XYd#2w_nc7eFEc;sV^P><B_s6chzT6vU7O2!;fc8(G|dh?PdP?r2-Z z;;yx7sbbwww4g<$)wZq`TbC$msp8U>ns??VVQFpq|9|iM-uK@7eb>%*=FFKhXU;M+ z;n(=-?_o3y!|0F<1`Ml(5`B?m{tp=i!|Xghx5H|BT^LkLiMuc;DO;vy<*AfeDp4*= zEK(?x1S><zQfU+{nSvEFF_D$4lt}$;ZLPgbq(=rQHqV=YHJOu2u)3)b+S$I83&xUm zp@?iVF3cfII$6dHrCcb0w$%tD-n<EvCMmRIhFX#MF+(v^X=p;@V}?@6_GFnj8_i{2 zS%MJ5;wTKP#Fjh53~RxtgKQ{vc32;P3^YRbI6~<F2`AeQWSxp(7RK(*63YVs2y<l- zhEcIdkPr+)<2p-YGmmeSwXXofB&a(9!+fn##q{AARyhFbvmn7d32Y2YGIhPJ*a`iS z-8*3X((dg))cpx*0Rgax-jE^w&{~labo*E^yT3{zB19PWx)*c+O$_nq0;$^<2~+zU z(J&m*0080{V?pZnMPgW;ze=qV1B_g20#ulgJRx=aA`v~6RIWsbh|Vli=?`VMFA~E> zb!+}l^*<ni>=!f)%kCG6IT)Oaam+z`#;U%l+h^=A{)hg!9{mPyL@Cr31L!ji^;!M1 zhdP*Lite#a$kggFf~(b22o}nEqm03=i)_X9yR9&+m7!k@h5ezrRu6;5!Jx6y_k&fX zv^r=PIAHc`>!2q=PX)6|NjuHNavZYTc$kAe(-y;WF#R<cnzFdge(_f@M&E1+CLsLr zQ_9k`2U=+drVV$B0adpzI|{uG4AcNRn4STn7S|E+`s1LB`gg&i^}8U;u7pKouYpXT zYY%i&%IY*j^&bOKKxSpXhkBQx-dM8NNDyf&=LSsJAnbT!Fc|dV09brO6Rpn!!_l>A zBQU~as@@T-2^b}u3>sz*6;`Pe=q?(ZmjXG%w+2Qn2oA}_{@t_(2F;Ip1wyaq*6Ggx zhxIv@`k_FqDTkTuz=!!|0NjFxl+`U1jjcvC{S{ciQsLdMWm7d1^zQ=i`a=xJ3^o|1 z^(Mt(X4DxN&B2hs-O+3$cZi4H`nfR7pt-BpBk3Y8B1~LV17Z_w0gkx%5lHG5Fv|=Y z``~cI!y-#=-9tN&Fk%8Ig}x@NwFWA|(4{%F3U&Pbuvn;;z0@$ug?C%s5|fb}I;Eg% zE7#mDduhM;G%!Z?>5u+yFm!_Vbb=3o%OSy914Y9FdU#?2TE`}UCr(ARQW&@e%~vjL zDXSwKNT{ySB=9LMWd?$wHPAHEjq@aS%|nbaG73~_qgw<2#AB<MF8;BOGRc5v&vt;# zLn_NeQ$7MQYtQtn*Gcu<m#`9(m~~(1F%VQe*uvCK%B21~!dO^6IohlVGm(x1YTCoP z4ub(I+67FChM_M6YwDV+2oz0whH1iuJ#-#{^hjf6aK@pM-HVRZ8JvBgnqYADf+7t~ zU-H-ssO0q3KZ4x^p)hi&DHn!T*F}MpY>%PbxfbQ_H7MurM|t>O$TOEYUnL9MCbDqf zNfwN)WZ_*!7JeT<@xcm4GZZ=@R(*yn>D7%;RtT-Cub_6>O;}X}!vX3PjDl@Joz+dC zIt`3E$PwQSj5AO}X4=4LHq~<I(`MIU4aHZWjqJ_X){*X}JdW`i+NWADoh=>uQ9HW^ z)~vq+QqtWcm!4y#N8?Ola5IVl=`Rw4F5c?@v>5J!82-J*1C!-T(fW;RV|1;p<T1;* z9>@Q_^|busdO(k{xz@;~Yv@`j6N9$hTuX=!W6On1C?c!TW}7zFyjJ8#S^=pevRv2! zMW~Rec7{?H-=Ul0pkuyU&MdnM!&+||rScQ7VcK!+V<)Y&9jg$wYo)I-Farlr37zmY zSJ)1;49-r_WTQ$yW2Hj)7?9jZq_&Fq4zBPqSJ=Tlg~%BdZEEt#3HKw9o<OJO&`Sip z?4rg;zY09Qt}*nI#`4HS=xntEsI_hHF&K8L#lfbroK(?QU!|9mx;Yb>A!*TlwBg7* zVVYi~)iR+D4ig!4c1tvh%vJ!YC+qriq!+H$1H8Vr4dwcu(6nReS}S__Si1g!xkZH* znqmtELeVvHg;v@-9+w+QwI^ZP7LOcO%J4>=(CTs{mx0j8PH5}mnFv!q9%f6>7m{-V zDd?H18yiMzv_Bl>R57U^tr;p7v)g=W&qBW?`opNuaZHu9Zj=>m6f?9@#nhhm4gFU0 zh+8)k1b4dimxnwcWh4Z~=5r)|I)-HiTWQ=#swKhbIIgj;wE>II436rjq3@@p)pP37 z>LpvyIiP;3{y0P<7|JpNPV|E)u1lb|(nFgG5Ss3MoBaVhh}3PIx|#L+DKqQ!%Zvjo z_4mOgxAxN)Ks!Od9dd~11dUTyuip%f{giq*K{Uf8i|bP0pi!@P09F^*X-EvZv2Lk< z1E{S}09oG-HT_S<k+34Y7gS;5{^X95-aOt3#UXQ)fmrWm(Dc*$0A5N8$o4tJXyAaE z{Tg;r?}xzk`W++{`^7kvh@mwI{BSwsFo$-56{fNLg5idaE_xRf$+Mvcn4}{a>1P-l z)-Wywjca{~#D@kxW)_D#pwkawxu5cIDXem;PGeQ}65`$)ie`~M%gBol#5qqRKPv%( zjy(3+bQq^EH8zRSoVwQWr1n&3+LJ+pP9p9}HPSX3%xYAQ?CLd`*0yciPNMNf01Pq0 z(!XFJZYZ!p$fR-@`efMgrW~v61ay{I4=xN@d#zDDV4awQCT&X?6eZ|_>OiVV+!3Ri zECtPQ&_sZ49zlJ>PbEy!CqM{CCpKb;w!jOUKgbk*_fuLubi&6vjC-ym2*}piuQ{bV zg@UvRfm5fS1(PG0=@S6~DA*SxsrTa69YMPGj!~e+;b;#q!lD>FnWhhl_zwUbmA9cx zNihlDY<mnOB``lgxZJ3HZO~ZiM*&`|jZxUc(3n?OQ(Ws_H4heAb(tubEd$Aqv|KdK zBJH8QaU$csw80?<X%jGvCNBr$H`2K}Hm$yP1Pn!8#$cZa(Y^!lVNu2~mqXK^0=YNP zy_z5(R*>;H2aIDjAi;^EylfeWvAkj_%GWMN`G>_Q|7<?Wj~76mxoquLvZ$yeiw_C1 zD9a;@ZE~{sI2(!&R+N1Jg-%E>FIxkZ3RJ0rN&`7BIsxb+J8}}r%ibe<cOp*iz-GV* zV5UL16OO2n4Z^+XG*B+AF*w70)FB6}m}Yo&qe8e76wbJU0XIO&-qah9K^4N+;K|WB z2y~eVCvhuSbQ4fWnb8>=Vsc_CgvZcyDx`R4n9zbjJQ(y+2=@~U`@_P=t+X8LX=n(y z4(!t4OeaYayiON3th)<y?{Z;%w1tG-T&DJj9%jV|8u$+IIoXTdkz+?EHMBv<<zgj4 zVs&nd##>w9K+|~WBAvonjMe=K*YH88a0>TCg>5(%xdC|M)}@`MV|qK_xJm2HLfTlL zIQ2veT!)ULEcCg$f3hwDj<(jiOC}%mo%RcQ=yTP>^qDgdt{&l{?4NME-v@OAF$akO zUN2x{V!Ry6<z5aIkcPJ;PE97Y9pWhWY(lwIZ_vDk=xj19v^&B!Ni`bxtX>!2CV^-O zUrIVK17e-@%&5ZPB~3@@?CB10zCl4re+RZ44%2D%oucZDQ*esY*`j+Bx31)ueZU)X z-5^k{w-*wL_OVwY_eOLtcL$)8W3B%kD3!qlQI04|+u&ZJwMAW2?zySS<?d)q#e$oO z_8;k<&nUMn&!?A9wBnvCPliLuP2GaK;KoW`DF~@tC)D$03TZ4XODAmMkC7@gpmY$l zjYBKaZkE$v@#Si|O@j@1!tqw+iA+s2Q1NaXX|NBkv!Gza;P6=%RE%&7&qIZCc!C8D zBkTYOg(U!Kn5MTb+!uJ#UZRwfl~xNAU_m>agn*xp`J5cfY20&vn%6j`F0JKNJ$geS z?6jAtCK@zdT3h<eUEnJ*BGb5jdIJNk9S|{qV^+ijR5%c0xaaIC&E>+!<x|>_<BV_9 zwpeIiTWI{ZAhBs1t&9Uf3$bbhd0EdQ`e++jMlg6PBbZx9ni~iR>?fGv1ej=}4Bla| zbq4PkGLIy437O9#^Heg=Bl9FOPayL+GS4P+g3JrZTu$cG$Q;?c!5bNv!5dwE4BqJO zWAJ8?IXc@JywP#b;Ehgy25$#4XOcNOZyCIie=&F?H(>Ba<_?zI{XcL7u)P1rzx}}& z_AR81kQPFcK$-w42+}}ER7g*QFzh;{W00yKodFp71cC502WcuK^f^FZJJi31q=Nc( zC@Uc?gERu#*^p|X9s}iMNa%BdHu{k18f*WY*Mat+OJh1ARTHw@Jf(`r)yN51o?ME( z1;&!VL*iTD>6uF9U%~%!OomAH)-eDl#~|*_Z^_7-#zRWtK<bBjy87VKjX6Q8g1)Lh z^dZOS3xjK*ug26@1+f3{2l7hb7_ZUDRra8RqUnF)2jKymoEVcx*`){^ZgX3BxMtgv zAFyAF&@|B@sp<Jj)$CMWsya0xIzuCqOH%V?3N9!0E!*RtC&@4}hMuNSLLZXZnCPT9 zv<mcgO}=A$<toTd-1z40FGG*fUSy1d^^(up{x~kq%mQ6Bx1%Q~c}<IsLgU`+34<#M zhOOxVizV?Yd%{S(4|>27NW7|^FcNQT4_Fe3w-aD+ufY6CUXn<>{Q#??0L=964*O>0 zpKN=n3rz3qNT-&9ju`R0ii(OP8L&L;CeMsdh`nN?$a&y6V4{Iw)5&@6c84Vy@!%+6 z<VOW~Nk%+)Ud4(LkL1K&1yIHEK(e(6CN(mHe#1yWZKK?QGYl&Lm{S*wi(tzDhOQna zJfLi}|GQ`%#<73_U!;k?X|1);E`SK*pP^QxZZugN6y$FSUO4>n0d0T<!F!|$M)H8* zfBev+EP^$gN^^TtZ=+q9+gJY3@7bqkfA{fGj+nzNNQka^{MBybpAEnq7_P>Cgach9 z4~IaGu+<m}o+wp9dn=^<kPvnxBo?HL(0&NXij)oo!ueaxrBH$;6virKMEYC0|E4P) z`Lw?tNxDglY4X#+8RiT1VjRO7jk|?FSP{S=mSb1D!4?L=Z)*TU`)>Xoq1XYiw|)P& z#G;p!gu-~GL?f4`N2{bFLJHcHS4d<l72H67iCm6h-dK9NnvkRug?Z9+nIcn}E`d;_ zQWmDmWoiP$#$vhBT(uNxd@NmBAeQD4>DeNML@rhF(#6W$T%`h=8a;W+grwMbA)ALA zsRm&{OGXe<RW26XRZo{<QCPZKnw_30lS5}ZVxd0<bQGDgER9N<t`MnI%KUVZDr+t| zBcdV`$z?^IT~ftdnM$e1l`4QIfswWeL#dD!fX)!23<#fC1eUInX2Bw09#c=IMj<9- zz_Axvi&U&3q~<Q;AP?Y0MWlnEfDrs(YHFp=(a6NJVF&=Rz5q4Waxk<&nF7!;QJ%~% zSM3Kezz-<+!SBQn&!v8HwjbNiD3ooCDGH<HBtlY-z{qG)3>YS5Bua_D>~^M(krL4w zl?v9Jpi+vZ;5-&HlFW0PL0AbbR&8o1Rik0ML81vNsTzrDG<}jrswzy7sxp<TT#-U7 zjaCAWQWfU%XX>#MY(O_?Qa0$01c2B*1WhaindT<J@}ktR04b_rZj>0A8VTNr94E_A ziByHrBDq|R&7>h)Hf~a49PG$gAcqwJw=vQTO;(mvW#+Ppq)&)cgeET*lrb425X7j$ zV@b73hLebJ@&sWVmt)j5v;Cn*%me*T#+ZE)@<--m#xa-2;Ox+hPQxbuWrmweH13a| z8yj=rLHc*b=+PPFZ^ry_j{j-@XGwrY{vCraxOWF283`pieoiwU0lG~>!A3$W?=5ho z0}$hjyCFjr#Vk12yaf(F@^t>qN!J((hTx4|08`BfzY49_DR8Ig)*mz#Uh_~8HGSwj zAVk;CKYU>$3v%VGxl)xH97(t*+aLF2NflzHM5f3J_neY6+AqkHr6#~=L~`(d;hu$3 zwdcqPTk9~9S}o1ZkQcImfI=PasZl9H)Z%Puu1M{dD-)}fYGo$j2hKf2q|Wu9%l2e} z!;ob{T$tK@HXy}fg%K)^nn1StFH+-rlH*{c8XT}nMiiRb08vTjXkZqpBta#c3!WuQ zs_yLU-Yq13H!M3&I#()Z$x$BeDN@HO<|=1PRh}%3EJ}>rWVmOhNUoN826U1M3;63v z!UB4*6c*6AHgb3vNF+~0$TDPd;QF7J+XEem(ZocUC@)Vg69XlsqKhxJCJ$Zzq!Rek zqF70|=R7F~XR~?yKtDF0C-CEO#e6>zKU3<5<3SRsRLYfbGw}u8SN10gTt1r{lo2fQ z<4b~pLS}}<FG$Lf_=z|?9?s$LGlRLJzo)<xaWXkUQm!ALn-T2C<MG&j8KPjZpF|KW z;fZ)6fs`Bc_Y~Nff<S>dP~aDYOWA%r4ma2@n4gj17sQp|nF0we5e5DOg&--O87N|N z{4z2#xUdRokRPmx@5c+ul<;v8n=cCPwu-QTKT0<&pvOiSx3U}3KW`*y1zmazF<zp~ zS3|@mz|^`lGz`ovD?vnLN9BuDQZw0Xg2)RA2r$`~f2V!<16Kiw@v#B0&4PgBo-{op zK=q_y0X-<1)hFO>47_FC5^0`PApw_Qwy-cWgorYEfG+hj`-E5+Kp^!-2f}bqn2O8s zWGO_s(1<tt27eQ~{?X(C&@Wo4fFq+^?TI|X+rLgfCGf}5KTq_>b;v}OswkB>TSiF5 z=(rN@IShI<8DJmdrG-gg&EVPud{7wykImzW#hGkLrYB1-Qe<gFSw?iTafb!GeSKYU zQW7AkuGNE2t)uZEpNb`7>5vPt$xw^MCSnty9SiwrsH5*V{iip`|69Th=LKzDXNlqm z`oPVTv4L!uG8Xu83eY1k6(++JSQb!|VRB3gloePerUbkW2q+Y|NSOceunh8AF%@$K zcr@VTLVOYdej#upf)*TZ;Y)xvfn`I#0%O4(N}xwz`GBDU3>M6!#5B++0SE!JB0Tg( z!XK(pI{AnJTs0;p`OE8p*ONZt1JOmX%A(u&sQ^;}g)aJB%pVJcgsw&c_!AKdxmJS2 zQvfgWZmZ}yM+_DR|Imk1mcY0;7?VYgK(pt;dXW^fV9jt0CneJp#)21L7RDhZ$;SN1 z8XI_E{fA`b599tkZ}&NHz!(KQP6XbhAYFfuBigOM8_9<IP%zx3jNIXHI7G8d0IiGt z7sjDgnJJ(>kB71TAd6{OKakf%lYEe-Avv3M4YiC~lMa$Y`;GJgX%*U20%{t-MzB0m zH~mRjOMtFFXgLL>rvgj~V2J_iuXGU5LGnm9dgA|4L%Qon42+?G)ghfVbK7MZ7~Ip4 zRV6_$(tkB@*Hf3_g#jV-_$)Bv41Q4l<>N_@5&zTp|3U(A&@Z6C-!bD%+y@_lkH+Kh zsdy@W3V(wCio3E|>|k~Tdpx^>y_S7~-N^o$eV5(Aj^Rw@6meE_9&z4q26F?s<G2gB z>$%@>zvn*Wws9SJE<87$C(oDX&*SsLc+tFZyh*%iymVd`Psz*YX?e?dD|zdATX=hT zM|ofJZt(8%`tsfRgZV@G0en6`j33P($DhQX#!u&G@)i8K{Du5-{&M~r{wDrT{!xA% z{{jCA|2h8`zJbpWFa?f+0fIpSUqOICAczo*7EBPN2xbZ-0)?PbutRW3@U7sLz#`B- z&@GS`s0hptTpGA0uqtqS;NHO6z!QOY178Q)1l0vef)@vW7Tg-_6f!tO5Hc!ca)>yj zFyy_EZ6SL@4u+fwxfn7cG&potXm)5x==-77p+`f%4?PxkGwgntYj|*YVfdo(hVbU_ zZ^HHA9pRJ+rwDe$goyVesv^!tT!^?Hp^u=Av>W-+$UP%J9r+Uqek^36@a~6O;~{u7 zNPRjk#^>V2_!4{>z6!6zH{o0H-S~d|5Pl3ljW^;K@hkXsyam6HKgOToukklHoo&r_ zV7sv0*q&@(^a={W1IS`a@fy4qzsuIM+t^loUw#aKEMLOU=A#Rp6ZDV3aeNjo!Pmen z<lmT6sTf{5V3|d)VN1p?d1Xtnq*j#<SOB0xDuu$f$89Zo%~~>+BBjx(@Tc;4s)hA% z3ksc58c3zkt0n;NeY-*I@m@3vRz?4aT8!cBKa8cbN`5T<?NWb=U;X^~W#h))5fJO` zMl4<2>#(nFP{Wo;S!GqJQx#rHdkQJJibkbSsSXQQxBfQ&iwP-@#&68OV$l(bXqq^s zFo2&D9oq))WkH)lw{WCRk77IHj;LYf$V^7}B9(#_Ey|O!o$x*gZ0Tqdqfupu;6+R> zmy)XksI{X-Qno0ckh0xzSA=Hc=wt-2qNOTAmT9_rusv{h)J=1AF?FMd9Jny%=E1R+ z6&-~S>}$*BusIwyNEyEAeQn{a%HiT1E*!{$r{gobF*_yEJe{?pQ(_@p7~w?6idL%N zQbXQ!fQY|wx*?t2XhK$^dB#MkYOV~9gfKPBk2Qvamr^{t3kWuhR!Xsl4W?LAODPoW zz}`<|lg6)i>tlV@yKtpv@-XGiTAwq~>e;7H`X@~P&FS>q<<S)H=$b7*2;23C=hYKU zp5N81!Kkm|pPZ~Y9OE_nLb@>YtC)+?ebjwRb+Ve_Uv3z<SLNyxKgZ($`_^xhMAXFX zyI;hPU=#?q1(aWWu;Ia*Wj`d34F6))&2g{iaqkvd|JJ5i8ufwUEN#+;-QUSKua><d z9jYxmJ<I7#<GE0$>vbh<9=62yt33CdfAt$Nf5`n;<6IZ*sNdwb@7+h+@9!SsvOx5z za!&7KKO}4!e=qIVdv-fUY~C$pUB0?b-#CBUgt0M({y)T6uCn<qdvS4EPJu*tVb<t{ zNv9m=pDq0P+^IQK&`wHq$**|HD{?E{?dUFar}T|46sb*3#KtSP7W_2w#^bnR|64f6 z!U`0f!LX!I=svg??rCnrNz27_MNx{?dHw{cI_Ppj>X^GDg<_yv;TBN9->TyyVGG?o z=s~yu=T&j4@Fo7H!D5xX+t>i3Ms-)H=qP`{A@$kao6f|o%^c9Ia63fR9?e7tJF&oh zQM)&N5bm)RbeP>Atddkz2Skw67e5Zp3-TjvvYY+TN=h(VulH9J{<J6s-~CheXTSc~ z%l+uYQj4^}^zD;3yHq@KTh%K@@glc%+I(F9i>zX>+NO_k%&vXGy<ZPI@c#Y*^~+mR z)?puCWX2zCW^cDj9ahxwLy>!O+)in~hlP<D-s=<%4S_k@K~~G79^JZ@JkmWs_MKra z7Bja8<#_g~p44Bv@DN@~uLg_PnJnJ!QhQM2o0EJ6{c297>wtvr3XLrOzuJb3HjJ}_ zde|^0*lfcY|CSBIvw?9ZhX0cdC(5!EQWdge-ap#$M`D}cnA)R*cf`aVwKHsK6Imy& z-d}m+;}Q1b&MFK`!V;(0J71)a9RB;Rb?dI35Ea_YI2X5M?!A`i@t$j+o*o{3YV+0X zn&pubpOyt3>3w$aGs(0zXO410@|Jx|w^F|wHt@puJGaE&^eyMi*gtc_^qn92CfN0T zy6%Q3R5;1~QlF_dtHyNf+4nLte9YcF)q_<J(l0n1Iir=V>3`h2_>TT-&uz`0Q;W9b zubv^Tf7+Kg7PVy9O{=(NtCp?w+ms*Uk^SvXBL9Zn432K9j(hx?xH0y_kh5nWac#c- zx!Sc|cjDTo$-2<*={t%%4|?tMZ^%1)VuIGk>NlI?yC!b1y5r!h+I_)j$EB2HkW?bh zM9NQ^9Tl#GE~w>=Oyh4%#<Cb!o6QLfJPViN!^~|k@PQ^9CDeYTjpwWV)g}*38hT(S zE_KQ9E?kjJ<o^fM079+y6N~(^IR0X(3J*ifdC>Vd7iU)mRQYuujU2+?j0RWmuUa{$ zn{yleg{<0coYTN>;;v5?_Z>M?aLo2T?t$1COz(%g6u;g3^^CF*L?~E6XwAxDSX|qR z3_P%)dhrlTWxs>pd*7_OvWB*M$pr7s8zX6Mw=Vuz_~oE%i|dCtHMu9-NBD@jcVi{F zw)g9^>|Qap^5yf(UA}mD@b<xnw^(1yvA?jExOph``{RKg(FOMlKD*#cXI1b1dHk8B zLs!}rf7QF=R_a{E#F=)&(NPN9{f~k+9tgSKYmP&QTVYM{yuGsa-#<9SbQ%8hq8Yuy z-=Fb=%X!BVxJd@t?i{*e#GQlf(|1umasFULK&<Nx&!hEk3f4@jUvi*yX<A!&&7>`b z+~NN7j@)GRa-7qe(|^V#{Wd&#M0xDUBbOGPI~n1bEl%8cTt@6Y>mIgfRZIObx2tpw zUdp%&ZmP-TrV2cxw<O;7wf6Y+PHMAn+>-8Y$_Cujf^KdiHjeFrJAusMs9_7<SVh1y z5G#(5__K%OLlNA@(K8V}?n+rPvMd=Pl6O0KK)?sr04EIgP<#kNra7V`fRRX#0}3lj z1HV+F7h>`x!iTen0FGfe&WDo-Xk1ql*ZgbjnP#;4=NZ|9@j*uB26Qnehle8;mo+gX z2Og`?0qLI(C|Bj)0w+mo;RR78bu(k_q+^Ydndg&}Ijf~rQ;wc4y8X$UdsBQlS@*>O zr+<>xow}d@B!26*<KM?w{V?@~ERN+R*<W+=`me#tHhBnV#9e!FThhm0z1;J|?3k~v zDeg-Gf7>}@^Xyp_%Iyz#jo2BseLoeWC@(lw?LEK$-p<P#Kj+_Fm?g`7;#Iiu-T8Ri z;}FX%U;7tN-^~tg-}dE}A|Kn?ci*UX%}zek_Wc)`O&teLzW#Wu@5-CXgVkT3xBbA` zxn2C`dZbV9$Sq%;slT%S!;i~^<uY2*HSMkDv60^&-ST6+N2J%!buG*LjCQpOSoO5O zRCLtoMcIN~{u!$RWGgW5{G#v7jx7@;mGP%2PnxYaGF!9%q0u@|-{BO>TMr;8{(#E? zMZ<?wc~=cyGN{`DM2+-Ft(KE-tLjX(SVW#VGR^eCH%`Z=;a=u8_{M&w;iO~iJ|4$A zv8YSDOjyVzc1H>TFG#2Z$a#ovZYr~A(}fSzOLAmY`+i+^wBHJ=$KTL<xTy&?KMmL# zIb&O2**o}oUUqbI)V^oN!xhVTxU!&6ac5z0jqP;gREmq)k>}^<_hcha2@j@)e=u5F zDV*4BJo4MN9=gAZ@nX!+gnHYo0f)C#?)$uW!_T$ruKYUq;dwEm)C&7#P1B&@#BU~5 zW>e}~UM8NH*1PifwSB!GZ2sx;;P|Gj;RQ2itbKo6_0c%qm^(uYM~^vo_OkCjjq7Rg z@n3#FI%&s2>gveEnMEJUetE<5Zy%tO+l<1>?+gjpS!Vs<NtsW3ZR6#ACF`pLM+Duw zu|Cmz-+L}wT(g>;&whUH{ZE$7x$|^Koo?2%lc^!jKg@KyY^ZrXO+)=Ww~v-<IKxa` zFE$+LommnSSwFb$rQ2HNkn;q#Bq8VW1&cxRC|6g+u8k5~C0m@#dVJGvZ^|%=Yr}>I z!!@>|!SrR5zxF>iZ&Jdlk2Zf)K&;hndVY9a%K3f0uWow3b{zAxK3L$J`EdK(>t_t? z9}cEf$h_X2F>QhFldqQ@o6NR%e=lI&&e0q51$#CGOu1nDSpn_t(p`>Cs@$T+m-&UY z<1UpA960W^{}})2f>!^&h8vo?1#7b7xSF}qo?jJX$?q(5Jk>U3+_Tor^gBEKLJsfS zQ9l2`PW#`V`Fz;+D$>1u>p6!w{HCP&v&p>!&vne0;&Y<>xcK%c`kbPPx@Q;n*1x>b zvhi2{ywXvE(j~=b_bs3nwa>CU?~bp#;nc2=+Yok;wtRTPs}17f#Rp%wo;boB$vc1Z zyWgvqr`qK$T;n*A<7(KtB31L^gRRrf;iVR?;Ol87KQG&19ktYc_Q~vsz|3!V+;9Jb z%KUdZQglic;2gMB;P7h~^6%{6ZcTiCH~$VdO>~ck$YI5_m<WI3p;WN@;0_32$?P>s zDuSOH2!NS9xHWS?0{Is&tVH-#ll*07H2mcQ{6QA{{ANa?{T&isO8xUal#1@5RJezN zjcxt3vT={anwV*hF2&K8w`rSfmgPKMboF-s6Qd7toChwspT1JqEBNqtQ!{HD3Nom* zsqtl}2T&hQDEvScF^M=eJ<H<mrUim`-DlihwZAGjdB??PWq#skfywt4D5@v?ZZ$Qx z=F>ezDPR5=d9eRarFTM}{!;GRdaN!+?mq7F(aNIT@66iWIDO~*;a7*hnL4>8swz0K zwe_9Dn{QE6rx=Z)j3U=bPh!$sXkvWW@_sj}=YBX~`Qz(~<KuqUa<32ms;*#YYSSBG z>8p>XzcVYDxUtZ3b7k4B0cCwgEc2}kn!i=@ZTcYFA(2yZ`+w#!`N_Rq9izwdLas*| zQso_W^VUqL$XgSUz`c4-<9j){<r;6+yaR7GJHLn@Ftk0%=G2y!t!G7xqIz!&`lyfY z8$5|^A9{PohYY^&7TKT`pZa{6nmYw=i|dnl_HI&=%4b!oPt*EJ&(|jpeE#isrJ0tq zzWn9lnsnDwL+1GC7f>HetnuA$74Ulaq>9U5)3U#H>UBJSeazvH*=6t7)_*WQ{9g8; zs}BOdY4~nRMX~(HEVmO+M~@3~Ex5jIH{H83-?^0byqKGM?Y(|!kAhFxSSq$Uo>_W# zWJ~5)CFK-V)?R+}6Lnbo>cL-o4)hwdo55tS4z1hN;*oeI_N+&r`!^n>Uip&a8GB~s zitX*S%`XSul&t)$`rM<1xt4D6_z8+R%x!`&x3OoKgOm9`hB@@!<L*dDr+xGwW4y)R zST-)NZpXy?f{r<5dxeYM6&-Az)FXntHN@naV-`d@5uW}pM!L71|NkP=ks%fS#}`}( ztOPDV?0V1xa6f!_)zGRTOT7Ow7{jFj{xpFcC&ve)aee4+_<+v%`=^kGCm<viJr*B> zTUl6Sl`!F*4iB}kAs_5YJ`1E!>HnMI5v~E}itX1W>{dQH7<ARGCFo^aymDTF_d6l9 zEBg|A=R2)rPJh#9XmiV%R9Ued`{R%^7GWQ<w<SCqeB-lx+%2hh?3rmZudR=Xy!i2^ z4Huc~{H{4>Wdu#G^+~yOc=wToyVHH%tXdtLH>*6t(gn{wz3bMLal2bG2d`c=E^Ka1 z*w~zhY5hvh^DBK;d6iFU&lg42w74mS=UnX-v>U0EJnp*q_e(0T*RinuPdBfv5#Fze z4oi;cS1_tLSF^KXJV&QVYR{fvIdl1%wANcAe!lIvA#-j=waxCkSnP`MDiMG2lvsMn zk?>V{PDME`0}kE1LfMqRN%OAuMO@Q&vmAaK_1tyc!YFnrBOSuS3@RMAO3MG6+&|Uf zZDFa~J8e}-CEmaDrL-4~&FnlU!n-Z*)~#j3wu2jV*Q>5GKB8NT$sUNiRSkf@1?u_B zW9M&DctF=Qbham*C4Kg$<GNJ-<?X%}9ySq2pO0DF`v>6~*~aE|lugP#b2;4uC_GTo zOQ{$uWcfV%!l#e#yKmm%<~lAREV%d20m-6Qv#+dPu)yx#AjM&~O#_CmZ!NT3tjwIZ z=+XJvD^5Po`sAt7xozBh!P;5dZduPdn2>(;&0yuWCvxw}bN3Scl|<2RX&*+uIDh(x z+nHqRlwZ~9?w?+ou`-Y{{qDC%X5g<ad+)HnIlWK#<{ih6{+^RCzU<Nh#pVaL^E@ub zpBU&<+>vp*{~m`+u1_02_rCUUEYbgblM`30xZpndkl#l$ZPJhO_J4M2PRXU(vFiss z%t#gOmfL*sPSrNYWPxhIiJ0>Z+qa!;{_)G_k<aT}o?QHB`nSEle`ndlc5$Ebly#@G zXxh>hyB*S>KC>O4x?<21-Oyzjr4FxdJYRcsdBbn7j*R^Dm0#(~PXeYezRoGyuexh@ ze9Y`y*xu!pNf}K+0~^-9^I)rH?Bl3?>u*wK4H~2!_MrOEn3tu>{O@D;ERqjlGjeXf zITi8Br9qHv)%<I5-Oqiarp=2!Tf1?<xS*pcmzkUJvOS{Ohy`1Z#%c~EBwA;tJg|H3 z!kUn6bI0uXB<pOZ)3ku+cDKD-n1eqWV0CJ6u-B+_$4*V7&I)gk%{<xhb-c?rLmoc; zRm~l`KQ?>%oM9IZFZC!UGG?BcS{5^U{sF5w>LK&*T|Os2(mV>EwkG=C@`Auz&y}0M zV?Qt3u#&1T{_V+UtQo?wgEz`P?bkl@m(P5LY$>JMz}djEOOq_vrIgnY9NLkYss5|q z{HP9pdUWh%!5D5wqYhwTRcUy?F2-nVo6d$M1q{jjYeX*w+a3;K@XpH##Cdoi2cG)} zclFZQ@X&nLt?%yZ1v?Jkp0ec1@zalXe1D?(;GfKaf~^{M_#=@+<-{TV+wOguylGj? zRq=@H?Yl#rEc@o>@$;EW7O!{gbFcaR;6)qkmR@OMzL%~^cC3FhA*=0V#qTv<yPIz1 zM-Dt3J~nxga`zo(Q{WQep<cTde^fJC^_*Rjpxm8MxS1o5E?&9lnoGleMMI(;{abqJ zfzzIWgH~sad$pLkICW*H{jjyeLl-V<TAt;YnJqi9=!Wy*%F|DOT9CHc$?p8`tK5IM zQ^6f|>D)Od=7L(L&n7QJiOcBT$+J&7zFs$lcHla7&)8=n%B91W(zjMcaz^B@pH<&4 w)p6ly=KDMM%3FLEw=6y5vovFZv%EF*LPE-SeLb$75&G@gRl2Et(Tke@1@#s!J^%m! literal 0 HcmV?d00001 diff --git a/venv/Scripts/_testmultiphase.pyd b/venv/Scripts/_testmultiphase.pyd new file mode 100644 index 0000000000000000000000000000000000000000..990bb3ecf778d2d22ceeb5e598a4b63fd4a3a177 GIT binary patch literal 26776 zcmeHv30zZ0_vlRsi?S+<sHhP^aRF|2mVi)*ih@Q#Z~<dTE+hy6v&d4dtSUy_wc1*R zqIIeDQ)^wSRuojUXsO!PwPNcM#agPkw6*4)xi^7;>-YZe|Ng(<d*9W$bLY&NGv}N+ zbLPz48{(!c#jG$4V?Z(*F>F8N=!zikZ@JMh%&FhkPS~C<XZr7_#h&S(pipX<IqK|m zwKR(<ld4qNT4pN2RO?hsrHUCnE}of{EhhpT9lQFNNE@?N8xA^Q4d%3a){2G$P~M`T zouP88GtdK+t<UTta|W50Drsl-L%BYa!aL|hYp8&7snU+bFI8fu+}MEHmn!LGd4f`= zKz*4d6N@k`mS&9=J94I)VNDplzdg;#3F`$AE(KkTo?Rf}WZ8v$rel~5Ro#|jg#Z9$ z-q?$QUL!z5&<M3_%c){hD28nTyaf>$CP&rNF^t(2J(#Ys7`6uWnS)_9FhDf|3`;QA zy(0Gv>NIA+r{NWNW>A2Z$kRfhuP59Pf2c3u$MRwVR{?6dR4c`>?H*7AG%<wV7m~#l z0bK`BXqX?8K@7<b5+9Pq6#-%ds5NRCz(`rA!-E5)a7Y$c1fr)VGP3~@$&PeD@;2H6 z2_7Rb?7fbV|CIh+4NTPE*Ng1*5q4!YS|_8<MQohtP*Mja9i3B?QrlpvA7xi|O6z$t z0*xwGLNn?d^pTA6IB4jZVr&9D^9A_hD@4yvik>4(vBHamxd67&eI<^$l+-x@VTS%z zO07QbIZ$*5Do-PjUAt(z7-@RZb5vJ#0dS2NnW3_oHp+p1qF!gGAAuP50Lo&cdm%|0 z0j!PKw3J$aCK}xrQBWwquD#CH=)N7W$`LW0O-a2Gko9pcWv6rj6y<eLt8YR2c#`j- zcWi*7LWm?{8QtqC`uY>lXj*xkOS#A{#pv4z&`$l8+_wXbh$}?T#EPXI)#1{n4$(6! zz%jaCC8?4sBFP|qCK`2iM)!+QgLq+-J<$duf{HaAiGgmlOi*Eo0n<j77--sFaMKM0 zRn$;Kq27~IGYzSfBDs@<BjF9CvZq-n9h$8%H`9IlQngt|;IC>6;3Xz0)=b1)s)b_E zj{5?0OXt!RFt}*I!VUpUtY`tA6OBJnmQWxTE1n@C-1n0WkOXOBg$vsPCsE-R-+`ny zTCDK2#NaA+*<zT&i-fs1nJMYK6n+3w2q}178=N755tC4(-Jp0zQZFTI876yo2ulX2 zmKo-UvYu6yP^*vw9V6a0?r3%-CQ$~YZ-FuK&ak3}PyY-Jl2O;A#0IQLKZ216v&7g4 zKnZ9+r8Y^CN3n!#1r$+Yi_k_glFVqJ`lS><K#HU>7HGtH8ovh``jd!#v-%qph*P7x zCI6(oJp+3K6RAT?w@*I{dwV_<?D1uLQy`Ho=qYd*Rm-xxQ@NA=6vGla;?GX(Sg!9> z|GZPVsU!XUE1|w!+y+jKMFF%xjg1`-I>9Z*rVZ)k`VJ%R(1vKzXlMG0r5*J_(VPC- z{uE6UI>`GnzM_G&_&wC%ckW-Yy`%h!Q62RMX4|2OVtPmYQT-M2JLtorkz)I+`0Ipk zp#+6n$Npiylip~f$v`ofvaeb<%m#}5bz1|I`!c&)h0$o7+h&60Hb#t`ALgcHuE^`i zucEHQco==rd^h?cXK(aH&eQ0N93|z5jlRf98-3B-H~JzkX!J#H$momwjnNm4fzcOv zL8C8P2#mgk<Q>f>qc3t|MqlIvjlM`+qwhNMj#e_GFPfpDju7g&Jk-%2);_$ehe!pa z)r%aE1LhzH%tW_t=w{8SiD<?R+hF}{wl<VP=DfG2xgRXJpd15=sU|nOl+1C#oLALA zjo3hk$Z>MYF$XNeMKLK9b1}#qF)RZ!T!N;POKY4<zlS!4MsR!!M8AGXTaa?6gm{jX zggH!sXwJFpAk?0;Mg^dQ8LXjIX^l3{a2UcZ!$JsJ4O`)+cm_f!TH$8Ma0a@QVI>%B z_yULmGE>olYVV`k5o9ez5Q1KeeFZv%HU0&RpdkzZrB`%Oh8&3fV2HypZNEf=YZsDH ztsA(X3_3`u=j+cJ-3>s__@mK!Czut|iSxpgJ4W5F1{FfD<<uCC0*AF3wuZq#tRcfe zk%xp&17H<uQdaYUbW}BZGF$)w7Km=Pi%r*!H7o?)4STKOX0(Su#g|lvnNfFOGy_8l z?}K^+HEP`u58Vv2pqWv3(_lc_MO=iMxTpri1{i`hh>Ip5sh{HjuH88}4Dm46mQ!=r z2{eqD07{|Hv|US#bgi{M#id!K=efX4hsUxfI_q-L&1SFoB&3HnE$CaybvMhNIF}v+ z#>hIu!GDa#Ht^?d;Jpx;li(5~O~(a#c)S?Nu^!;@Xnq-rp<xy3uUymwQ__Wm>g!Dk zpV(Ap)LNGqt#nhUe&XBv(T=1T1*%pfnguWM*zBW^yRWB>H{y!1Jz(&V$vU7e?}3_2 z>O5=pgn{z}Br&O3f5Pw&j9o37`E8U*`*(%5AU)aIYzfnljRR`R-J0h{BRrJMaiHm} z4f!ye+Pf+MLxYvlgbQQn?t|<Ig+*Lsq+J+TjnN&4M_AH^L6(BLFS_poR5E%P?!ah* zQmixRlg|vU-k$_oa@>RN?mN-F&vta@Z9(_2jc`v}<labTj&)?#r;^O9*O8g;8Zz@= z3E8?O*7cC-MOgJAGG|oRKwcrTt8PH$va2A~NozZJreQR!3RPCuf$5yI-Vb-g_etwR z@Pwx6N$YykQwC$wj2i4@VFQ%We51;G(%qEDT0evG(I!mq$Pfd|P*%9X$Qy2emQZj9 zqG#9{P&<<vyeKsw`$cNd$JzbgR>MtD!@nmyFj>9;$xq2<-7Z_veI_N3%m17_O>dP4 z>=>KX6}faBql9q4pzJiu7FLH*<st{jBC63~n+Db_EAk`Ffb=|~9JWHD=b<78jXT;E z#XZ+gbkRF3EO#htgl5fGDXshtY?wy8<i1-8(TY`wT1$v$7)%3Cm<D>$GmfYgXc^tT zpvXcGOzNRRbRUo~5~-yk?m0(vpCfwCIf}?phL)IgWbEyTgWsToq0sNNjIy)3frjPa z@%8ng-|1`*jDyN%CxCW!>^2g^jyAd2*O!wf`t*BAIcb~IkS&rkx_e0&@=lnp3ps1u zpkHv9XhJJ4PKK%M?gEfn^4V~L^uqg_0A9P_fbNFhQMaQQC3cMRQ4GT!bBPWm)I}9q zhxPRwkzL7+e&_2+vnOFCP5m;MlZV#B9`}4b#~PuLm1xf!=YTK`qo6mjVHVjZkb;^- z{V1VTz4N|Ew~FzeR*mprGo!`N>S5@Q+MduVbhLxItNuMZtM?p2>(ve=$NWNn)ZHUP z7yYs3Kku@D6h#Oo+rR^HQ!p$o*iPp~QY{KbCr&!&{q`{9(}E*Cb&Q>~lv+0ICgfEp z4ya8ud=0A+G-XnNZ(Lv%*NYj=jL=3cC{2I5#d((#tkf;+nrXE=Y13*A<x~S(!>{0y zn>`IWD2ol%aEBFLYsIdqHLQcePFgKQ5RK4DY0YE^G-?fwz-noYj>Mo*&$foY0k!!z zKsNjVPlo$cOOVLWA0DCOp5%y<-aO6?twZKj2G)8nqt4SX0PrSH2Hm#68VwvcC|Y0? z4MPyP*07PJ;#}$vIbvuT0^ilc9r`GlV~6Q%PguL5(8b`2R&oMrfJp|@kzo>5=nCx; zQM=~5NPVc`eTTv@I~4tBZFkb{E&wUfK>=*ctV>?dbaM@IikE?~&UsV(ECvV)d7Kr` z5qoo~qILwkrg;o$Jr%mvB(R_(h<nnEAdohjQ8}7d&tPh8+O+8iYEJ>62?dj!utwa_ zV1Uq+%CI&h!H73x*eUj-SYjo(Ff`luQ|1A3VlKLrDj{S=`%!^3lh^~4nJfUyaM6W> zZ5}{%LywBb8^o}LqlisAs3gw^o88~E{O+VR_tT5+>oLx$q97n!<Gk{y{wP|cO$h87 zLke_`bY>6(0#I-+L|X5{sX2gbZ9b*Y!Z0)jnAWBcJejULTJdiJI?As?K6$c9@#eW_ zjkE;Q4-n4Rmpn7-Yz@N!ui2hb_8`>e>BY&tYo0a^fTI%2X={!2N6uW-&L-uq1Jw~V zF26yLgRBV{MxB?#<frId9F<bL-v^jPRn%f153Bv3fDb}Z%Up();V9_+B*Uix7Q_m2 zJ<fp1p#UU^D9Xzgff~yz7NGm8Qgr{M5Z%9;jqZo@;GVW<)kZR_SVLx?XvwTBhs-u* zlGzsu$kr_>TL+n5#3(OY2@e(Mp%NZWlKr9xKp*iuLtI|Al&sx?IQba{16lwxCq-Kz zM2$Ep+K!@ua?u{6y90Q|46I_3@#&Qc(H1Z`N`hWjz{p<IQehA}Sfb(}uw@5`#O*-n z2B0u`YTMcnoe^CjI)u8*Muu1C03~Q-2jriKV1Hucyiat$*(#&!B-8}<e<;RcKrJYe z+vdWCSh}!2?Jlf)Nxs%;mP5$_1N4e%t-yDH&rziNAjgg(H8eoT<zhuaGEG*K&bK7b z#Y)#tAK@0pv|iCu+dHg3%G|=dQRWziMXUv$;E3fI12fnI#|<UEp2!+&;}gG$h52(3 z-9jH}dM4?^A++tP|IXxtekwV^2z{i!E15PG;U*wlbbA}FdDE$w;fuM*jXWfXKHA5n zJk!Ue0@Bc?_{1dA)L{|j92b`p2BYp7EX}4_g@#7dBCkg69>O7FiyW3hxF$=06VU1S zhm`$-i!{a0im)CK+@KZ7a0A90BI%UcHa)d1QV_!F9nq$VQ&aTkV&Dz=ZO~?kuNTrs z$$g)A&XuSxeO!P}Mpwf>K&cFNhna{X(E^*25=T@;=bTDRD({2ZRLr>=@BFF$(bRI= z@?1vwI6Ka%@+62zuIlI91RqxPRHY>{^&$gLsUl)PEWN0SH<D24z~W%VrkYlyTrIZ( z;mb7)`;+$I2FKWy$2;hvfQoO+aHDfrjSUUc4hWlWL&vmUVL2#s4-?y1VOl2uLS_p< zD@@l-AI1cpO1`6&lMl@{CcvCl2!nv1=d;-vwv#xgUh0?XQlHZFv=)Pzt#vB-j&7o1 zrB7**Oxp^M64Rzp@-t3aBiT_*3~<a&I~HXw+L4@7&a}pI(f#s?Ey!!ewUjj3lsvQ1 z1ymummDJl&4Z#GlY6N*w%hYx+sb^APa8neRQ$x-*P!LR>U~4zPL<42?jmBXP_(qU- zA$iXu?^^PnL*6sVyMnyS$@_Hjo=o0j$@?Voo<QEk<Q;8%jJ{}g8GX^t$LNbTK1N?Z z@{R&Kqc4-ZqtMUji{e3}FABVjz9`r-`Xc9I^hG|v=*xgROk2zU-~~Xu|6Ko1Yv7y+ z!xoOfusld|NMj+fA$dZgL%I+3Igs{3`V`V)NC}Y8<ra-$T_N3zqRP+Uc_7qzL9&6= z1m!wNTOiGYlnH4Hq*zE1kkB;{+6F<2h4dg2!|Ea518Ewhb&wW7(n4~BWCQ8pdl>c$ zqy|WPA+3j02uTGg5mGp$VUT)3vV(L1Xrc?bPU`9HceFD{JNDV*LgYkNHb&l{8Or?z zGyTJvW3yERDrXW}f~m?@`4f3cjaI2jXNvNqSvi>mQ>xXfm8m){pkWCLq7AOi&p{we zq9vd~R!+7WUc?fz08=|GGczPDI~&84Au?%ZrbMHaY6*#&NC)z2saBb-lBDTWvX|S( zYt<NP_~up^X6~nR|Abndtp>i#IijajX(h63l?J^h)?{Z9S_P6&u1rfK)Pzcl0ZVQ5 zSyH76$&~<Np_lwR(195yC(@YmY(fK?f;y>IrhqY3s0pM9l8-E1rdFAwkZK4CD3fa4 ziPoF&Kxe5^U>@CGizmrdY84VBM7CVhk<WK+^9nqvMy6CsGGSyu`Z!8#l{AZxqwgJ} z3J4_Xt9YW?&5)|3P~W-TXlagAMQGaX#8N*xWEGj&+PBGIf!CSuRH>XK0eq{|p%=?B zdmHX+>s3TLXkiv&`km-m;LFqmvT|~ONP`C&W5HCUOmRM?n{lZbgiOoKCbMBom{&|S zF;fS&2A`V{YJbXPn5M>N(h`lb0P$m{5)F2UI$@d-m|12NupK#*$V1bSi6$7DX)leN ziBA=%_Kh-H;vu?J`K@$yDm6j+1G$9AlMy*24{y??sh?N2>pV_v^NLb4@;PQRdZR3F zYS+0Bk|;P3Q285aTH;Z9CuHr~d3nB&_-d&V&4@SY!xHb6yuDIW??Cf4?K<~C8Zeq% z;Hqa4YH|X<iQiY@!;&D8>$0-)JL%98j`VAJnZI4418^jyx*$jcDGYNRoPc9)kQ{;` z4eD5jHY$G5m<e@EQ(Yy6^1pW%V=gs8)R{Kgx^y4{8<YQ&7i`zC3GvbKp4WSF->>*9 zqA=*8XZ9bbzD3<cg(ORIv(+<_xyhPjaa5{KnJG`sRjN4b<W55ukRwl}xI*uUP(l~d z*T|@ZSR?`ZPKx|y$|s9l=ODf&zpn~Vq7R>Z$o(S7N`9skfa9{XbcmhI<){e>K9i!z zNTj7B49*5IthECyhQxc;5k}%Y?*J2%co@snC)tOX#A9@TC6IV_0JDR>0!X|B5)Te! zv7NR6GkxO)V@B~$mVGpNrf<5CJ(YreP<TEC1qJd{5Dyy#->@+dO|@3$6B9}H1N(9d z*c7rKu_Y{l!h=0|J6-~X2k$wt1&AKmu}>a6V&?DU0tkwk1rgxS5e}tyHp00GFf>*s z7ze@b1I*A4<02S}1up`_COqovG$6Lq24E&x;k6!?X9eX{4Xm(mO~<en$jI;3d~nbh zlmUjri$N2N<N?7gFZ5;<l^adDxm@H)%?ES&LZ^D`o*nBg+xzswT%sT$y5{y5E!zLk zAI=gWp?b>;P)J^$!RaCmD!`P<WCvvhq<Tn9P#}(!=n5i3o&%{65)&qa7}8QmHIP~$ zG2vUlolsW;sS;8Xq@}0~Z7ZSP1)jx_DiI!}2zYjYx5S~4CPB)Ev<lKUkeVSm!S{b` zNCc!ZNSh&Dg!DJ0e#0?r45SYrRYR(S^cd2B2#94NsUXdTge0S5R$x=sm<?tNw%!Hn zirK^Gg^rjL<_t>dhII$w++cQlU_Cmo?EyLYa)=XRR7&kcNhjwZDVUM1n<15`q*_8H zA!f;NLAo-CXhSDtGYV33Qx!6PMoxNxERW0L<(VowlX?wUf)))F)R`hOijmHZ+p)~? z%j?LQ0s|DkTLe|Fp=ueeycvaBg5Qku%BAu(P1@psH`TwfQ<B2J*CmRuBxDHp+FnVN zxAaTm=u}ED7^O55;!LyoyfkW5R4Ms)xHOM16`j6@&$h_ybym=Z@KVV4Hi}dO^Iqw7 z*zG%v*I>LH-<S~FgBcSb56dK14>XT4>}nMF9vos43s?Z07r^-$7Gwcqi{RV<V93{- zuk~<df!5|%UFQJ*|A(`VM>O+}M-nNQ$EdVXXcI4m9lMM!&ZqWL5;)Q&)JoY%LK_K3 z71%y#6Pv9{myA$nXQ2n|&vq(+1bZj!gtbJRFBuDGA8<OLlWE~Z2y8D}Dbq^g32ls) z$O1SV5nvd+fX)}?$s~w0c?u$;ju*}$xLS?SO{kCCdjVc4U>m#Gb>KIiJOY^jXD_n| zYBvZGQ-@ZRL~w3oqCS?$h0aYIC^*Jy(*{&v*tIsA(4mRodb1oPMxB*7f1*k$gP$r$ z63FwK56$(U2_z@1gKZpuW+Z6cfHe%-A$(GY@i~MH`?;;J5lWT0GtAi57DfRS0qY7j z7+^?a@%b8{PpNB_xz}hS(^9+k0FP9sOT<#xV<hO{xCz!^28_*EIC;?INM(eClp`k} z4m(sFL4X`Kte7t*f#W3DoFERBs<dp09QM!Z?0iWk94<jLhh-628Umhpm}vtlQAkzt zOhV0tW1g%m*byg2O_(?~Atp}5;^Gw5APi_JwOT@*g$1`iO9(6ylV}KqBu$wKl@i24 zPYfLwr76>OYB=bTf=T2`-~?h8*<-sWHCGX;SxPk=2ce@T_$dL|59MnmV1ju{twbwL zMY4xurV}#g$5hj{hxb9U5HdK3GgncK`T;Mn5P<4|5d5IQRFcfpDP=RD2^vp`5@gg< z28IMwq6h$!<|zHMH2$!U@COS1@Y@zR$0PhRS^g}4N-3MHC#opT$=mF31gQpyaje1i zUt8@?2ZM;xsnPM8Se-2+AP6nBPB8av24O{3F&a}LTRj3!Pe7w$H5?g%szxxz>j-te zm{6x>tFxpk84;BYJQ8Zm<7MhGa;%pHGyzWKq;ddaw-A&v#sm;AQUd}I=n3<pMJqK( z@f32bGF2^A=SRV5r3Ra3g=PXZNb#{?R-=F%Rsh^a6REoNbV6<BvVo+pm8!M6oER|1 zButAS)O;L8nq3k^exeCuMX?+<WoxhU>HmTK*EE2>@Y&V#NVIv6Km&5-G~K;@FM(h# z7Uj-MESx?2DTieY?%H(%0oJHuYT?jZqswAur!kdG7*A$K0OAy#QS7v!gUS)z+xtP~ zMvM9eHs;dkN}VOtjBm#SH1dM2T8GOlhZzW4S4<8c9*H4mx?nCNQ3d27knMyV!V0Vf z@(9R1E$I88HULL*4})jOI$Vg)=^pKHgoj)3jp|{e(bkUCAIO2g=rWf(%a1+|pWcn? zca#`phjOK<+%mqsJw=5)^L|<H<|BF;L8;&0q<m;Zy-EN_NuHJZ;e$iqcY2wbO!GS1 zzE1fK?%D~N)fu^M0eu;l-5J+%0rwkB%5RpzoC^gYJ0#emlUESPi+9qY8P}Yz<imSQ zNapfV(3$xe<w(z+FE1YE5(LQ%AJs{(`&sRE7=wWY0nJy@X$0GR1_{xr1RO;tI<IO| z2>9zvZBV;+Y15fszju&vDd=$>B-F=J;H&T*+Kd9e#3tU}wM``lb2$VF_4BIhRXPyD zculexvz-4X-f%AFk^srfSK~YMQwsQNAi)>R<n=D&GYsU9{Wo<W2mI1Ew8;Y-L}#|> zqD3&UCgA;5y3~RlS6bMz=R3%F0pz<0$?PlNMaGLTUJR2xA)Y3^gRNf#z8Dtcoc9iG zZh}r2z#HlVT{WHLp`ib{|MzIX3eL`8-woSuGyoBhqqD+EkV9s1(J(lILqE$cv;e{* z`ofJo!+i;k*15`8;KLX2ZNE7O6w^h+5WL=8Y|AP5MJTr@VO?&6!?{2j(6I;x&>5}B z+5*A!C>)-bmB~bJXW$KAm^Ui`_hu3**y_Q)HOzZr!U+E$Z}c8fC6{KxULwpppU`*@ z4|nV;lxj3YR%&KG69}j@VcrnrglJ?6B1@|A&r-_N*_!M$tv_s(LZq6kfLSbWc-5^^ zrokR7(Xuxn#bgR$|E$rXxc42YalFZP&{6}N8MRWIZz==C^d^*$i`B|m5T&ORnzl;I zY7w~)0<mL>Swto?6WznSrJ5Mktn3+t+MB6UM#|8ZBg{KZnyDeY1KY?517F{XFt7tl z!oW7!$mT-ONDjOiPE}?C*KZfM13FTpi3y=JCnr-WBfo)Y=S!o@p<bE7pB9Lbhk3tG zuyGcP%M<vscwD|emm}l(OL=L8KaK~<34-9rIcfMDOUYiMz~QktL8-w~f1W%TD5Ryz z{euX$++WJ(a&b1Bmln*CzL^47%1&bk5gdOWCpFlg%jL5CQ>DQ&e>p!`&Xsbde1a47 zW(uq{zJM<i@cn~ug5}R;bAtVYd8w)XK^!@r#+T!Aso*UXf(SfKAZ4-rQ`1s8AO#WR z4>Ixmxj|`i9xi3^q`?+a2m?E7R~Xn~AgH0VKzjQ?lCz-QZehPH&(77r?iYP0({7<c zm}co>sa6r0D^(L_vI?y>CnPY?G`|Ac=2rl46&N2E69~i14@~Mv(>okYj}QiSplCLq zz*jNw3c2M(4xy5ROEAwcp&6o$G<kq_^E3N|7-*nH=8X<l!n~m?4%?fFJ_HH#jx+m) z028|bQRHEYKOA$x@k^%08+n9RUu}MhAAqBO-sq2OpedTIj#SGON-ca90bBnt?;%j5 zONIF{hR9EV*$l3Y&jXX;b6H%jOqRxyr+G6orK)tDG@U{>Pi|r0tL1BllbQfcwM!4a zbiWlB?ul4DCV{&Mn*dKS*f?w~lw;sN0-n)znDP4yv@Y1fyP3yUtJ`w4exM87Jh>+% z3#OYV_;DK0(_-)q5~jk^ftnJ_#0a3Q!qPDKJPK=t1%(C&z2<*hER{U=O~iTwJPL5K zV11GTem-y`g%TVT!6k;W7E?gI3S&Ya*+5T=<pPEpFqqI&Hl~9*IY6|~E5bup1iVS2 zweb-RxEf4G@|V*AuOofL2cnDCDjSRTi2zdrg?9QJEC3Tg!U2~L@2zO0tXdLJ1-xWh zNYSy6Xe<`~p$n(YgLbjdCY@}7dd~rQkrvZIW;oI!HPaEsgfC*57@O223-c$RSil4G ze@j;Z(C+1aE&IR$<2~SU9Pmbfb^}0<Xtdtck_Bgr!Ei1~afic8Z`8|Ju)3IcXosXS zQ$S-L2W`<|gc#li(tr<2KgiOMp3Sy~N|e<|KyzrkwNTap2C|DB(5Dn&1W-cylmop0 zux=VqRf9Zoz?1>z>ue9uLF33KI^uV>3`@I+hBh>qZOB&5T(-{$4D%spQv%c?yVn4x z9c>s+JkWIOaM@r~5B`w9@<nzB?Ee)0pVI&Y`kvrRr{hX|6}}Fy!!N`1>I;Y2Y*q+M z%*tlvv6iy7u@140vu?5eVRd15V|%gv*f=|yJ%%l2C$clxIqV|#eD+FqHG3<2FZ(q6 zd-gT<FYLQ)8poE?gVUGe%NfF9b0Rt8I6BU3&WD_%oRggE90LdAcH{Qo_U8_QMM}Vp z<c{Qy=O#gbl+K;W&E*zx=W~~FKjc<%k8)3N&vI{YZ*w1TA94TW_U8@av3Pu5IBz^J zi3i~wPsP*l@_Ea6AM&brn|VihCwbrVe&qek`-AtCN8{V@o%sFvgZM#wCBKAU#ox@| z#oxz2%0J0J!#~fz#J|qJ#c$^S!GFsChi@h5B5)SC3wjIs3kC`N1sp-JV7OqTpiyv5 z@Iqh}<Q3FEC?F^&C@-ig=<}ejf=&iq4;mC49Gnt7EBH+CjbNLQULpP=(?beE_J<q| zX$UzV@+job5MzjSsC{U+P|whQp#wwxL%E@$q3?x`4xJD>B{VHGJ5(E55Lz0#ICOpJ zj?iyHPlo;#iV1Cm4#Mt2PhmgdK%u{oD-0FBCyWt}7fu#Rg_**c!dzjIP%m6BtQMXY zHVS_fUKRc#GzfneJ`w&SWQ5s=br0(q)<0};7%NN|78y1&Y<$@JVGF}{haCvJ9CkPC zVVE(jNBH>gDd981bHhu*%fpw1e;i&Felq+@_=9lx(t-(lZ!q?ecsjlYKZ`%bZCE{7 zzAPSV1S^@PVJ%=SVXb0qX6<4*gFQrnEy&p)u;;PYvyZYjaE@?Jab9q|xXIj9?l$h1 z-2L2dx!1Wjxlg&>cmcfkd4;@9yf1iP^XhrO@*ePt`Fj2e{&)Oe`S<v}1Oo)a1R;Vb zL84%~AWe`dPz&+|9|%eX3k6FBs|D)>p9;1Jb_n(ez82I7P6!$V=L8o8KMQUO?g?51 zPXx~e^dLKQ=nD%eh=3VzH<l+WA!t(2^q`#3rJ>tHcZN2EHim-RCHI$J_%K|Hm*Ok& zN_-=}9lwd+$6N8|ID_Q??Yvk%EFmivB+g{bW|hKBSjk$)s$^|sZD%cFFJ-S|SF&r^ zb?ioVEBhIn!ExjGaD<!)&L~bSCx@fu6mm9lws7`vE^@ANZi2--a9y~bTrX|}H=3*E z=5b58Te#b~dq6)|xlP>rTo;}jkI9SXjpF6;X7kqYw(x3rb-YGiEAJVP!S~}20~=1} zPv>Xym-1KgEBPScfAJ#!#u%NB;l;fc*>o8)Z`8b}jx<|(WpS@L0LrJ+Xe?*k(WcAv zd825A6@w0cDh*Gz={nSg#-J4o=rl&<SUeW*VF7W*yI9e%O2()3LJVhhYRh1{9@)kz zojiO1efQAj(RChQ6dtoZ*Z2II>)xNvwU=(6G_kVStr9P`dH^Y@(uz)_(_KDT(fs%9 z6Jsae8}m`_1)Jxgh^C2Cnl<oKq-WXVU2Lo-GHhJwQzBXJxGO5yxjH1l?wf#@5mC|{ zg5`#HM_^l5`)HjyRSItxGcyTNI)HX{wMkG&bF~Dk58fN0*}J+?0A>`S)+*CXTTfO$ zybr3ja`iA(qnBcEV33uAK8}xy#QXMe1mDSKvvBg7(!&w<Dr^qU=0HFmJO!U-!R*9% zb9Y@`-Qx4%zyKn8W>mHsHnrqV7l;H<-3@B1MjbNYtufVOJfWVYge?Jd&GcuEWaGs& zZ%YNifLRsOoMC`zUFpR%8n$cumoW)rKJ@C|^`dY7GVi1z*;n@utc%jjICdmJJmqh< zW3v`V(R`!!RQ)1qHSBx8R@>nH)1H+W{b}59NA~QC_L*@;A`1OJ`fOBpO^;%|a?j9j z*Y@46?maMWX1`smYk!ZI(&Ind_Bdvkb)INbVENfQYwx^R^h?t4uoKI#j(+w&=VpG_ zzgu(*BG(y@Ta914?WfEQE0ptz!6jwKrn}YEp9*!mTvOE2&r$pHa_`SiKmA)fd(iEt zqkGTYT)W<X$HIG`-QG6HV~+Icnwi}W{UWX!b1UVqTTYvYZP-RI&tF_^sGq%Q?5JpC z&tIZ#m)rlOC@oCM$dilCOds(<!co`R$MgR<b#x{jtdmw<^cP<AlpM-FP7Du*o8+U% zs^o?S?MD}`&G~)!mHV-U0oQQ0jU5=ewY4pc#u$kE;NIpkMA{yvEo!z*lM|pNO$TjG zNgM0qN~0MWcDM~>@P}OR;V^`K`Z0oVKF+OVSK{*mOpRsgOpCUGltoz@R8(XD;E?v* z$Cu%NcQtchWrsT<s?Mk<2Fw#1+z*wzG5X{EHi8Yadcv$E4b=q^B<;nYjdO$i$vJ5; zf2@j%Fsm*fFUkLX?qq!1?~1Sf`n5}+gX4;AQUsFECT#GixaYOJOSI~7R`aCUxZzJ_ z#Q=?c_w12dcLaBPHe}bwJA2hGZl1gv`{Jxa-0nu!XLiX$3ZDN`&?hN&3*mV;KO)t4 zwd&+aK}Jb`yTy_Bu3btR-X}L^{tyqFX`cmUcz3TJ-?QX{y?8OB8fLuSG~=DVYYnP@ zafGL0T+CS0yO-F~pwW!~@18@{9L8Be9p*4Q*gS_*|E)O;$41mh41L=ij#s9`S2<`N zbKg3TKb6@BNAEv4U~_cLK__EXi?nO}ik)k&d@;;<^l_DOo-lr*v-?@b@S*=~UA_9! zH`09jsi$J+&AQbTHO70@gJVOZj&8W9*t0ld+=H^91Ko}fcqpIL;?B+<n^d)9!AAN| zL;9W>bK{!qhaTnZsXM2wowDT<Ke1Df2dl40Lq+5JeAhkEe)-7fpYM2*7B+Hwj{45> zJCZXl2kJ`XD|;UHExchk=e?=%YkEOd?uw~I?SmfLLy_}_T(yf`w0zMr|Mj`i{S-fL z(dJ%pn#$HE>N$rm$?9W12|0fJ9>@ONAJx5E_1|3jGD#o$Gh=gs_impZ0Vi{ge>1jZ zpxxj0hqsPfYj?xNPrdC7HIIvFNua5C+yNOsIqm3hB;bKczG!N^VanJR;u`aGf(f3E z6ZjBw876pN(;U@m{K+|<s|nDUJTy7c1#P(Wc|+TArAlc)C)7Z#M&mD&`lqu4WP}<Q zBIf!rcsK`VRR&i2Tee0H;SH_96};;#XInV85hs+@PNUuW{t$b4f~?2zY5YTuxAA_6 zjR6c#+@tW--ml{-3yTO1%M0DJYzP+HvLqE3<W-jrvd#9~{j=}Y$_p#4w#^&syWyh< zE3a#3f6f24zryD7UiO}>Bdx;*$~ZS;<XMilYtx;cT5sfK&Mx;jad-Fi-FL4sPt0^a zvr2n)Z}QKF1^uG(Zs&b<#*e|Q-uB0sx&?!mITe22?fJFjS*mf<oJ1ocRgOFF1%0$D z<Z_ppF3-L4_Y}UrUD^82y1fn_L;sjNwM*E?Q-AR|?OFsU2|<oq1}_<QV|VM6t+ao+ zuNxK^)BB3|!P*yjE63N)+f}?Er6p|7_^N!)(17<3TxE7~o!OkxbLw}7O?c9<@|fWV zzMFgMNVvB`7XQ&<rFQ%AKEk=nn`#evU1aF+V(XjWrW#CcD$hHrD*n1(*M5K9NN)6t zooDH$?7>aVv2YVHu`CbV4Rj8nh9h`mHGGwq#f;U;16V`x!3b{e>K%^`_X%dSGF_>a zW?DoZu;7DhfCz&%7$1a?tz1zEKoRK>pfDqK@YNT3LqJ9%Jcvd35QgD64<Zq;xb`Bh zdpGt>J=(v$N7ewmKgC?HcIGnS;E>5-nts9s0n*z7l#7|Zd^dS={u${S`UdM&;}6wG zq@7MmVy_@7CmuXjaQ$B|ZcX%Kr{9(Z9{ZiBIeI(yx44a)4*wi$_e<hqWh~Q2zH`r! z%YOxDw`7K}huw6RwIqD;{gcmsnGyZ{CDm=Y;O{L{H_Vt`k^R}-t;4nmKif&iXxV4n zDz~5Bd27r0kG|&J{2*PK^_x%rM+;};E%!rg)BT(uKUk;;Zr${4Rlz{V88=_3x6Vka zYx(&^TEp{QN1lB#%5T}#?A_JpPCKr1cW;%wxEwLCTSV3Ob+s3Ee)2_`s9b54aH-^4 z<EV(A4_5se*Du27kD8{%-ADAc3tax7Cm}uP_PA`$)_~OIfyyPAZ*IX)X2+HWno50X zl_#gIFPgSy|6^s<7JY}&Xs--F(E0-|2Mi4#ROwqeU|xTV07QfANTbOl&(<|*8kv-g zInvDZ!8cC9C*eNkGWbSMQ*+WWTDHgWHZ1x)9}^aGiIzx#;03jsK(ZgLg_}w%Sbt`n zW?qJ}a>rkb4tg%JyZ-~DgPR&_|9h{E5mPtyP|n9sa}`mIkvkqz!4;DVu51_+`!F%s z(zQ8qI?coE$a8aZJF=0J4F~4=ohGeSF+^<k{c>A2?!CR-`tis=w3<!Rd+n=Qv*YW+ zwSVkiec`VGcTdZ#i|w#~t!(HY9RI`kH40iy)06mbCUskL_|lGUcQ*Wfen4D9`p~>- zQ&)XFy82)&cjS%1`6EW2I)2`7hpzWA+2KF`IXHgvZu*Ld_-O^7DF1xH4QTD9&$NFJ zE59))a7$U&JHM3;Y~5dfen-)V)q-I`x2}8`@4I8EM^*3iM)%`ipZfS;i)P+<u(?J* z{o#@15cglEd7U@zc{WK$|2nIC3CCFHko=*{xT{-QQFKJ@fSM;>tFi~3)?)L-8RyT~ z^nagraY@XoNSR%d&5`u`SDm&`9zyGVa_ya=I!EaM#-a)50uH@DUcCI%4WH&|SCy=P zv~Ts~(>uCdT>tU@(GJH9!F<28yPwUvTxVqcvOA?h>9cU^q&fP3om+Hh0?WD2(!kYQ zMtqdZ|9oxW#50ax<yqZau+_CeomEi(BsYKm=<mw<_8t8!U}V4)ese$%;}u=aoRx}L zj&4?z_xFWZ()<rxkG4!4{jhlh<Hi>MkbOHgm(Sj{#rdCy13zhb8que9<0+R|{Hnb1 zs|no%r=CxpIPjbD!?Nq|F=iHw(?2}Bz4pnKrjPy#$SHo0Up%ky_>MXBg4XFyr~BZm zueh}uV%G|HTP+?ce!5mxSi1Xh?{5w`4CkJ{`qMwvi<6ylK3M5Gj@{e1aY?f7@w$zZ zPT|Eiy}{R8nf$zRbJxfP&NGfE!UbtRZob{x$z=Yg94U%Y`8XSP6*#=@ME;!>Y*EB# zTlja_X`+2RtQ>X@Hsj#Ku51;nJMMx2whmq1BhU{PwE#1D@U9NM#N^k*%y@XKO}?2M z0bh~AkEG!Ju^GwgO-Oh#{pEcq9qmKuun&bfw(-j~^`G0UjGpA`Q5bc8Q%QsUqKpS~ zFJABY&4|5h_rCLPOO}bc1n>JPF>U|Jyj1%B<hZh9z36wx=C4zRkJlcZl5TTz{T%+n zK2xtR-&q-)wE67AGJn}aLDH=`s_L=-*d=D|`SSCE$>07OvAgH*#WzA8{8`?+`A|)C zW}ngL53VWLHh=oI`YBsx54||_MdE~}$jadO=H~hPHe92rk6PD<S{L*l|66p5hm{N; zve@%V^{h{NExvzQb$IkYC7jCxzOTs}oZRq2RQ&YQDf6c%X|H@>yJ1b)wO(c2hb{7} z37Wl8{-dP7<DiI%Sv|k%H{rKiTc3{@!wtC{VNA|^Ui1FSu@yNh!^ND7r*wYjgPSgK zr@z1J#Rm7salHn&CfFaXYT9^QIybW0rl3!|>wmx#Sk9r>H-BQy^Q%(!U-IR^Z<Dho z;w`b=(~jRvNKg-4o;<MO!!_Q|j_msS$DfMRY^Q(w=h>B#-bV+`9B7zBzcX%+-)DA# z&xVe#IDgJc@uORp!?_<u@B4yP_VNDObz{PADf(Z$BlzLuPZKK&Gk;C@`sTri(LufQ zE^pe#@LiMZUTpQKkdu6Asb|W);G_1os*SF73vLc?N*k3;J4#o!mLL3=M%cPyz&Y=} zKK-{@JFr%S)~s*p7k?q<c)#wquiQz#@GaXrrf%7i&sz64KIwZ^zU-^&Q};f|vh|9? zzoD6zx%IHjebjN8gUI}?%N#oI>Ep^k(LOqmp?2|C7LCrS**xwx|M|?a?V`C0rMnx) zcUVDQxx{3d*DP4+q`2fASGrfl|F2o;$R!niO~8SLRg3cxyZsn}xIaF$a&YCKdA_e* zjA7G&euaSAW#R)+yY37xyjR=$`_htzixCo&5rdD!?QCq)iyYvb4iB}lClBn3z7o*r zjQ`^D2-|>Dh0d$R+p_QN4!Y>o6!fGeF8lpF-}xa{7k0#V%XM4kFy%$}!HrFI$;v_} z))yglHo{L>o5T+XT=^;&_e$s%Q#Wbar4OSc&VI3e?OBJ_{+C?SQ-db#A2|8DecKLv zuuU@X#qt#~In&F-Z9VX;V_UCH9KEe6ZNQ4<qlL5f2uEeyP4O%`&08~Yxlj4{)?8`i zo+hts(W&0fDyu8Wv>eXrxQ~n0T&`haJ0EOVwMTTjB1)JP?wR*qVU})7#Td3;m(Z#h zYddZ6%9Q47!~VGLx;Aar^J@ETH?f!{VU<!|>BJaD(Sfk#Ic^0R9=-Nny+B)^yI!}j z<Z*1nPt#rge(zE5)gMH%imfHEJWQoSxK&jCKji-DF0WdaEY4{wi`L*h+fGWmSg{=1 z;zT&N#l0*__ADpZLARgky5qwvN)D{PxL0K__!g|=o9DK7lXzfzHw>0HgSm#)Rk>wK zw=b?Pd^$uO%@}9ZuWBxHK-0!z?}(hsQ3IA+E}(Eg$tb2{{@tXHTh847c-83bb`RI8 zu!{ok1Dn$pJnLnc_i<gH)$_XK9bdLT!RyQ9t&0;64B^-HmofGJ4bxg^XRF6uXFfZv zAJ@!cKGYNjpE|MOQRwUy1N&808xmJM_~`c!LN8pLKDS=tno55>{|<l4*pVSKFZoEj zAC5csv4d^hOnL4>kNGoW=wCYY@cAm^MoSQVK=uS%&%of{Jc3@F+Hs0E`f}6>#^(c9 zOs$&mVenYhq5GBReo!B}`9=N<N9OHA{5dDzTk_{M?93ugBlp))kGk0^t~^Y4uNbg? zdC;+<N9*6Wp1<(=;jkaA<vz!aj|TbZPR8wgGHr5xqV1epT^L)p{k*pBO4{Uvtk&N@ zw3)GHms5pD>>2AnCu^IHf9G%H|M_^hf0nII)4J5|`yuKX1=DzaxL;Leubs6;zW3Av zk6FZxJ?p}L&j=JPK6II#l5$_)y0v?~EA7!gDXX${UslFCFHQ}X+nv2SQ2tMVwo9D4 z3)_G8`oDht=yX?)%=y=Ak91|9zfsUKW5?D9d+r!VY?`mid2ivMX%6$<_x9oTp4Rf| z9<j&GSx=|T+Z|nTZP!m#e|@?qJ25eh_gTjA0*^~y-=3K?+_?6u6Dvitztl?I>t<iM zHTqgY!Y`v{pT4(nm|bXh+KyYSzmDc**6y1;PQQQ9;&UDc2IYI53o(9~T>sVhK7W6F z86TVT;zHp0IaS4Udx#Be+bzk4RZM#Zi$g1#X6pa$Ge5e^ONWkKY^;YmS<!o0W0fhm zXFFq7Ec>>CEe$4;`E5iOYnC$vVQ|jN7T{c5z`>`0*KVt2u;8G1%tvE0G6u~L-=fQ& z!}|7k*vLB%LSC8<G|b^&)?4D2B`$w3;K9Wjr{Pz>|7rH#8KoEY{joME{K2<#1b*i( z=k8fDb9=_!?c2WIaagn7@k8RpTE^USg1T!{uM~M7lF^k5ZnpLu>UHkXF#p863851P z-AkO9<2U3|-{KeD?-qRQ96j&8Tl|Q944R{mwJg2o-o{}+HC_7tzz1H}7LH>qt1mUo zJ~=RT;DC+wYmbU556_<1L)0&4e$(UdA4-;$cN;U*b?5ZF)n|EgvJz&7Fa7p1Co5uu zcCF8fzK31qqvqY~cEftP{qMIN`Yw3CrfAJ7!$QWUo3)P|9#2jFBjc-FM_I#WvCE;@ g1aHpOsN1J)LoeOtcK2zKZrkE^Ykijo6NY;JFL4pq{r~^~ literal 0 HcmV?d00001 diff --git a/venv/Scripts/_tkinter.pyd b/venv/Scripts/_tkinter.pyd new file mode 100644 index 0000000000000000000000000000000000000000..9f17a098dedd3cff4456894e6c5ebbc336c10436 GIT binary patch literal 58008 zcmeFa31C#!^*{cSOkl);L`^iZ=!l78C1Li=nuTNn(Ex#j1Y`+GX2K+dB+k5HQ9$e@ z{W3mdsl|S6Yg-Vlv{j216~1m^(O^ZvrHX55i|t@&8!?4wsqg<e_q{hu5?oq;zwht+ z|90Ts_wIh~Ip>~x?z#8A%(`JSm%?$J3QiO`Za1FvD`NiVd+H>P8+ZACjpKHm_tF)+ zlPX@iqT1IS(02ISm;38iY8&g@+S++-gIDVhwrQK&w54;Zv@6>^-n_A6$7IV@hj;wv z{Fh$%WR&6#Jkm1i1%%)K<>2VU?D^^FL+p8W^z-cbkI}t&o_bhHf94m`^QwmiM;}D| zOD_zLI-jL~#LAy~_!CzC)Wf4jQ9Y*~{yPiLYi{&Wn@SHW-5ghul*&CZ*0@NCJH{nn zaemUcaoifjR7$aadQXSj%);sHJ(=T_ij*hUk8~h)-@GI)nJWUOP>9M!pHlG1Po%1~ zTR9H@IqnF@WsRX1`FD`x?jDc#V;sk)aa_+2Ij&ks8{wIC&k)*e<~S1(_#D4H-n)iJ z+QqBj5q#7?VurY%mgAP?`91Y~J;!~62!}ektKinb#r=xVbe@!r+c6diJ#f^Qd*R}K zMM%l>2mFnQV|_)RISt%{aB;sPs?YCjZAV7xJK=!As4yvl^ef`H>Fnj--dD!JeBos1 z_+aRya~r6YZafe!&9;VI)h_|hHECV@P+yBEW^VZomtHAmK8T0VA3C7!I-S<}B+`7X z-{sQ9%=<QT>7fIv?VTvr)sxn_6-kvfV&?70kKEDtO^ENV$X3rqT@$6W(BNl09~u;c zm4cZ^HR2n-HK?-}IU$gS)XZNuLTL+?zEFIlH<g;FVp8GWRO$r=9=DAWmI@WwR^y?_ zR1e1qA1v9Apwrm16fxuFm_zgvZ&Zt!yYHm#nm41En7NYysxkKLr}V0tTH!6D7`i!& z3l@u+>yX&u5&Ff<A^?vrn-DPrxCn`3*1gSgP1v>(alV~|DV<WC+SpUKbkY90rMn5h zMXYM7{t)OfcUuPvP(yEr-Dg`k;iIY=@rW=OI-uzi)4G0y0>apSWD)gZW&}?(M_BJf zLRCvoO~i@;O__UmzT0`3n5m)a&?`VF97Sf~wXS!9X=3I8BI=eJdlnHs9A|iacRANx zmgMN=FWOkp6CAhEx-od3p=VDrD()M7+o(MRYsyEPlDn@<5?*nf3BKCGUHjU+DsleV zDq&E}R54i6g<f=xs-*r1uhew=lWt3%-q{oU<k~luo|qttA|=Q_>TkFEY~@@rGXq!` z=AQ+_2nQnrpNS&XLHv1AT_b$dbvk&#w!6{7Qjud%O6_(JR#NGj7VwG+7!Dl(1M-&( zZve!;6!b@F`4!>i$X3+3l!^)Nv$b74!EE1=c=kmXg6M^YRimO_P~OmBQZP?&4+?7G zmH3`S=AkweppFkI0`9&CfD*-2T_Rs$JZ%e}-QZ^M2(tzS%_ET<lm(!dg-f5%lsSTD z*Zpb4wnvLWjW9!1D->mkM^KxQS{&A%f=hZbd}UM#Z`IU>mz)$zR6<ep&p<X+S|>?a zp+s#w9d-|dgJ;1qcbGuYXG!vg*AI4MW<dtk<-)<RyFc<PKqw3X{0+eTY{&Zk;6)*T zb6q?*eNHhrAa}N(I(wS;0=Hc~8zzO9^motJT>HLoL{OdIU9J+jaPisDhe^SH0bscY z!%iJ?3hM`pLcJ=mIRJ3D2i9#Q$?{{sQ71evF%jy#AT)~bP^PL;@DSx%>RK|t5Z$Uo zuM+Y8HsO6>!=*xrM$qhx{2ufI$}f^pKCtdjQAVYXJs96HHady=RDU`@0i$OMQB>+= zFjGtsFm@S}Qw}x%m+nA%xBDcRv403N2453{C!-__t?y6Tuot|T{SQ%$8zxZ_O8kz& zFPeQ2Kf<TsS!cz}*Oj5$^-fynWhxQ?lqx2Pna63=%+j<Z`CbR(`i{Y?440_G*K5Sg z3Z!8~oH;t7=giS?353}ein%$R3zuZ{mSh2Rj-Rw`9jXFmGQhWLHiT8ZsT4=ag84oa z@%7U{dBZn|N4R7n-qc&@O^de-_LhyeiR^6(-n8s(D&D5BHyz$|?9GHXD|@rzt(3hv z@m7I1F`y2Y6hVekm)sBpI$>-!-T~W$mZVBwHS+itOBuyiq_oh1jL>>D@pVfQKianp zseP$F9*-8z=fR^AIS(UO_uQmzPd0a3QZbW6zwRzhLVuY|l&N~YBoR+M1bHXCeC=UL zevIzEC23QsO+=}W(;gqUtrHkJt=g2#kJ&bW*V|M{n??yP0<$FvV#v2fhVM;G29iL` z3awA)f)|5A1Rb($RI&gpVSR=W%<2+@Y)<`*F#hJ5w<o+B`u!+y{w2c8fD^+*0ejZj z(7sVAugsGnKY~FQo<G?2YES{bA0zttWDet2+kKrVh_@9db(bdr_|x0&Mzi6hrfv7& z*%U6O(b|T57kA$z-Zmo%-K1Pi+qSag(J0OE6)S(ATz-dKUU(V2dE2NmhR=^s3(G$v zX$B$&kr>Ppf@k-hNdEYKVOCb?cPSs=r{HNGknkXC0l~#LnM9K@)u*76LyldPBeN8& z4_VzPW;*fadJz~3)<oQAXfOva5;I#t1TaWRR3w0^2WYrRR88yrD@wE^b<a+pi#iV} ztrFi1l`29&4Wdm1DS=kV{j|<7D=U)>X<00d+SBbJVgkSE_6vgJJ7485ysa|HJ~t^i zF4U78+MC?@YVf$Rr!RFvPv~G0@?VP5Q!#p^nt3CFQ>5Uw3>tG*aEO>W6R+DBW9YHS zUaqp0W@uqQlQe{_5ml2=3W>)ORn;)@DCrZVN}Litk+c<IiKYq+C1xHXmgQ>1)fr;u z-FRm&tt_$%>?me##5)AvJ(Lzi0a9&32c{%Sts2q14Dbpc$wKM~O#`n6lb7z_M)4vi z>=Q?Y{p#N7G|g~JW15a6@*wX3-Fmf9s}@$PgfZR4VmLYUNzyH2z~fmGhJ-nqt`{&1 zBvChuRdbbY)<XI*m{h|^S+`VDKO}vw5?ugX)Hbyz1l2+r)T3Z_w_9B)u0mfW-9s(u z9&1jEVwhz}K{e<?nMSFO$_um9LNRGqqmfjsAuR;8klq+y%aRj%RKwb1{hOhbSgq-s z$V#jpQX;~kfY6WWc2pfSQ>ZC3p!gJNM4j&_8wy(1Sq=0G#<{aGAC_l{ub^i%lSv&0 zd{x2{HO&(jLKFyYG@I5rnqJ2eL2TEn(z;H761JImIffU<(Vz;PT2L!?03bpY7>%?V z32W-x)b=!R_zU3hnMw9JGKcpjcfJtE;dR2S^w1}%Y5zegzL?#unZ!nI+P0k-ii@DJ z(R0cEZ3oc>3et1Qe&F!WLvnQWtbKb})P~++QMc?G7PV&EkSH)bTHSU`27#VS_WN3} z8umpPLYFawLKj~IB9?QTCvxeJ!!3ea54Roe1-R(sEb))vCbFnOnV~x2(j_OH0}1M_ zqK|>c*Q#66=kERM<znV803t7=_$x>d01T#>LoFXajFqFh2<aALW;zJeJtH|~e@i;k zHpEO1<8Bg4xl$Ij#O_p6MZDG|&2Q2AhP8y!P{Yv1NmL;8$5)2gNm(&O%STnTA@~U$ z?+KkWRY7O3MeApZ$Xuc3T|$}K1)cJib(i_3+(l$TuZJ#(Nad>RE~B-klXXHZOB+Y( z0b~ynwycb3DoLq9#;2s-Ml-&S^t7()!13Ls+1a!VJqvteWQW#eXLG>|P^2iKNJ|p_ zsgc=4nLVuf3`mD8k<XsWT&6Vv7-)0IBy0ddYladut@Al_cL-6nKy_LdSvTUzVLUB7 zFGG#Sb%2X#i_sh<FV^CSmFP?2Lnr5pBXD(mjWU5_^$sU78Vavt)e@0Obo3`y3PM8+ z(9$ptK4I)3^w_aCtur6W5iQ@3GBl|nT)MJJUz)8FirGSAR9aUZaL*Lyw9fPJdb%uq zWAGxNq=(S~Gpm@^IhNLUOVdy9*YcUd{_LW(#|O{+c7hoC(?F;<JLR*!6k$WQu!`93 z;u?9GR-HhETWR@q%c?QHRxs0vhoMgI?Mn{*VRY#4$-xVuK4&Io?^am=HK}{(GmISB zidZzh&~<u4u5hILzHHEk3;jJQI4bRNl?@Q6zU|_;BrY(qDV$s!+L!EjdEGGqMQczK z)qa8`Y^84_08oqtPcgJ;z%|*5`Ul~v@FtVMw31PaoE!(V90X8NZRKxgftQyfkKqC0 z34_QzM9wo^Kv)V9AH1*%^Yf8JwEP`tDO`04;a|186rcrDcQ3%B^2BYZvs*>x18yiP zhK+5b*!9kaJjlf82u|i{(iAki`&2^3Gn&Xn1ZYKec38D%hU4$+-W2v$%D~W&A&ZEl z(`lki{$80HOZoRE0yDQKz#K0>zR3Q9`3;rOx_=(a8euhIa6lJ?l0vKFtrBaJEHU<w zA74L}Cwo^GxLysZ{1NIQ1z@LA4}S#<k8A>xOadrM5=x6Am0%_4Piz^1<-Qt<{CGK8 z9;DJ(iWbyVA~~ZL#b1xL7*_&}E8$HZgi^s4=)*v322zipceOF}W<ZO-3X&}=DR?<} zX;5PDkyL~;ajnp}hwK@O9BF=2<ae#`sqm370}QARS7c8CiZ3KBZH_8Z`{(H5)lsHR z>l}mxaFk7iuFYPugIAy}Qzf8HhXx10o#^jz1{%~^#=wrUDZxwMn~|<?#14sQ(bTEI zDN-F|7-DK5(KrKjnZ(RZEVD|^EYx8{O?4dQQyoin!TBg=Mbkvo7;|U|2<8}j&}@qV z#GfBs#v9*JmJ-1}<eLHs2l}9DLKW2x`w2!nT1e~c#fwm8qPVA6oHecMPZ(8bc`91w zvvp#oPogecMf?<Lh@C2%C&&ax`q?iKZR`O9>1-&Nc1H(BZuj*X;MxQ;r*$r?3cb~^ zs?t#vKU=8Iwn9AANVbd|3_w#jDYRDwv7{@al2n}o)vbFf+BI4pOpjk4L<Q2Yg+r9} z0pbt?sARDuj&Uq43QhrSdl+0QBJ)i7wIvxyXLQ!c#0hQCa=`{6We=GS$R79Q)=R;u zM8@z^txU;|7&^PQ18=~=tB`aG2b7t>93^Ol%ne_*iHpKZO~RX~DH5wmTFppn86p#O zXBEgI>CP~>j1I3+_ZG3GjNG=wZs5{55Ic9#<iuxNp+qOJs=OY9f-dZ<Aw%5RTHzB& z+AD;NCq`cTlsP_L_j?#a9E1EAAX<_Q3g;{174l3&i@Z-^nm&!`Jp(SCSS*D&HEIJK z70iw-rnSvz>eoxemE1GPfmMP!tczO1unZ1;R<vOOn_&xAT|0a#Ij8Q{t$GaADbtH^ z1Skww1C&>TV-%gDZvp0((;Hgl`4-Sg8Y0avWT<2F%aa<%ShDr<C6QnJjm<OZm}j5? zWs2Mk$7kzakRaZx(Ep5pPGc~n3vbp$z7OQ1;V732XOO!N9W2e(#0=B&q=5NgE-?3r zNUO0O5*uSOzD2|F*NUTrH-y8H6Q2Tti-kd0M8e}jpC;Y%4G3CgX)0TZnGsr90Lmt8 zeS{cvh>S&hx1OY332DFOIj{gUW%DkyOv}U;m2V9#o8ORMge>t5Sn#AB4aHD52GaDT z#8;SdX<3dHa(CAt`d!(5*I7IwA3z_Hg<S9wakW-lJyBepC1!GHN0^a;-GMMdw0j|p zB~xFxiwy2qWy6pNUcQgj9)m{crew&>Fk4yX0e*2cDpFU8k5RL1>9_`U%V3AQ`YATr z3r?z^`l3B&U&P0#5yj4+3O!AABn68BuT(~uk)^!IwEzOvG@Gq`2jUd5YKE1Gz+K<@ z!W?xZ19b^=GQzN!#`l_<_?%u-vhg(Qw~cjl!(<`jSLYh3EXTU{ySs=4n2*MQI`V+^ zwGvgC%|%=d1!ya9CC8C{MSxxJfX4U|+YJI!N4`~#QAw%`<Cm<V{1Vg<v-C2e(SQqW zP$va15N4BkL>f*iK3VuEbW1vy*7*rCNS0sQjEuC-4-pg&_c97m*~m2?FvECe3nsl~ z0EWrE;H8S<Li<Cr&Kh5eoSG@Y)XkWom+QC&d^0lxs&jV)9fo8K&&=xXCVmLdoY>uc zlD%lVy9tY|v*DT9bA`j<4o$=h4FYHlJxwI%f-{6JssaOiiuf3nlh_J;{x0K0a5q(g z@G$^*g2s=`c=9G)g~YIl*-oH$(y$O-RtCl)8qCTJd^sADjBcb*#q$Nha4x>cq`~T= zEq|H&!#XBCi2o(%sW!=4HZk;BQg8xGW<08_6Lw17>KhCBvKG^iG(MEk&sqR_K4+*9 zmZh;Sycl`l6LgALNF^|qFup`QG<}B5Lqqi6xez#Svw4R%2_JXQPKw%ar8SlRGA7^I z!fK=iI&l?$O_Zbf%cKp?gEabdi5r~6!XqLWn?&c3HLUMdGD>xX(%@MIpBV12+ky)S zmxNio580(X-FG>gcCb|^+3&|phoK5PkJwY(`g@?MKLN>-^oybzK#hU;lZER@1`e7p z{^#INP3rg8hQDRM``>~;jP4{(VZzc8m@w-Lm~gzpgtx`<pZ3_-f<G*o{yR93Z5qVM zNcZ5-AuOpe%J_N%5~(VzX0ne53ZwC%1M)OJf<D6*@FY6f7C!`<yxA`+dQ5+2_Scyz zVQ%%AeUR{KzF6o`cUPthzpm|Go22ZN9j<e{%#Zi=Ln>|CjS3S)6B*atnx)}%HsLPW z&nimi^SWoTvngwkp9rY#dX=vde%*azwAPm$v()?npXz(qX58VB>^YZ44d>X01<2tf zRx8>NZ`5o%g5{8JBJvXePf22*S@$KW40!_O9kx<&Rk~1?A+FNU8tjNLJBxI*B%v&e zwua_(y9Z$Hl@2>dT3lj`k0726btemJ1r(dDr9Ji}Vb%bMG<@eIrj@ex$q?eASxuqQ zoAQgG6W{zi^%IIPQ$Jxc91cD<8)M*0ptF4sri3b;kz(S(SIgj2H)au!4F})niD^@- z6m3e1BW((pi=WN0rE-qB27SZAM^?HdMV;Xzy+$~N2{N>S)Th_MWAbEI2K9-|yTZ%8 z?z4Dukw3pfT1#5z0|+Sk6C3(i@{E%;C{UZ~2HRp&bh-wN7oMI@w)W{+z(ROBc7q1O z)3sPauzpoyw=8^9MtFL5Z!%}%(j&IxnCfxJMN)nQcR%`v<?i)#_JZtPr27C<=*zGj zGSGim9PKT!c{!-THeU@97>jkO_iTK@K1PguGD9eapsB@Sr$};IX9skyP$UVnJ>%$Q zGDk~_Ow2fd<uLXoO0%<=oeO*R$cGvAEMt6F)%o9GnMT`rX4;U4JwVxyzZE)+c*_^* z9w?lF!sDqhJFhaNe4vL`fss{zB1tQ09<YeWOC7vTRAdg;IY6kq&JiZXGd~V&q@$MX z8VE1gaX~jcv}}-{rKtexdPO0@at0Ra%P0$No{gyDsRb7;WyR6T;Cd~pZpgr-b>iSH zEt+M$Bf1h-keOcT+i8FpnK=ZRIP(QHkoCCpkJMv2J#!<XqCKA|4Ftl$m+$!$^c-Dc zCdY(+oBp+af3C6>?R31hD#`o#>OJWeQn_JW#1?R50U5^+sF`6G<5f`7ljL-3Vmjn& zEyj;LWJ!z~MH!);#Kjl~ar|k*v;__`4LvU+^XJ5K>BcmGa88eH;S-u@ro@q?5wWgt z0@HQDZP0e1q(O*cIFsG7g4irLARLV@BVg>G5H-#XReJlrVcVdAE%P<lvYa1^Vjtwn z09oTRP>(Qw0Jwtod+(dzkimqe6B%*oA`H(s+X5(}NQD?pWPBg9#?j*-)>K32!O|6a z>_|)pJrc=L>D!!02X??h68_UbhaqF!Kj9oSAZR7(om)N}7(yc1{Nbi~GQsvyn}8`2 z3F|Re$a@TAESf443ABz|>rFc6TF-d8Z!FVlaB9Fz5+R|1L{iiZp~Um?@|pO(!ybqK znGl^r@Xyi}{7)H@?$!u1RcDH6Up9${hP7mWjjYPlLz5Cm(E$SCjan=$UnZ#%Z~7V& zGkwun)L)?r#crO~bw7p9bw~x~xJ6Kjx@T$T`nH1H5O<|)QlO2^W?{Ytx|S|c*OG_a z_;ZjOwY7*iC31kc9FroQpz11u@cTS*EFG-qWv~!e(|mutN7~;EowVX?2uv$wD%$Ei zA2Z&Nt<FL85EwWr?Xm!HI`TV}bptk8#(yZAN(U{1HDDNK9Hwzg48uv=7_j39uQ)fC zV6%|wc@O6AVS6K#fGSOuz6XIpG#$fWFLnk@K%sF&6izw^3T2ps5}?vf*aDyvDgo_W zbgcq50se_fdX5@t%Lw?J3vD54cS_<fHul(x)oFM2fWor%o8YdI(UJ){*X`D@12ZJ+ z$ZX!Xob(&tZgdK|Lab9a;y5t+WMzFyobO-$0(mSELuyLu*Wzfug4%P6(m35n0X{nP zm=L7?{&%dtlqp4#S6|M4G6jA98rT1?kdBccwmx@CKZpI~ziIvY)i4;=(F&!Cjnj#V zRun9<$oBNPl71Z1%;kN`e+6eGpJ;RE|8<KU;fr(*5_AKJT=!-0mGPc?V2HT;=di}` z_1|J2`RDoT!LN?5ua&>B-gC3{-b@wNdy*=U)^#uDIw%6zik>(ZUdCKn;?V5g$pk6w zM+YZ=-gGbRwPCrGo_H?*IL_rGGVKll6D+2!iNcFQ#-ovM{+4Y3WJu@pkzw5*qH6*= zp#RW_2lR#V>N9%*sfs@@dZva&B=dCAOQ+1u?9c(a0qx@;rWxOncohWtW?JWUnBoA9 zX2c0}%J2yk9mB~Fm88SOHXGSo%2vNw^3f9cUJBuhj+0@vL50pW1*J!;k{Y-Nd6k<a zWejr}8w#+MnT0zIxRG*0^lr^-k)9VB2FEHG%vkqkAG@?M^bQG6D`L8|A`wUGgF1@s zn6{r_51>h&_=Bl8X<Y|o{=jh-;YKwr_tSBHZU}><V+R%c6Ys^g>PxZu?+IomUcHgc zdxWA4&>#aGabe`fSSe644iECt3F0EnhDmaMa8MBnKqrfGkY)%6tr?Mnr2R4+TibvR zv0g|Vax7jOp%sY@Ey2hbZw-`{kde6qI3C6wzm8lBA`#k2Tu906C=TP#NWq~fqGTe} z_$r}H`Z~zl2(LG_0zL)~^lsYBg{Jo9Y+cHpl5Fo%4r0slQnG;5L>E1;$+J8RfG}5_ zd;b|aC^G=UwzVYvdK^H<U7o@45}X!S=tW1OG!Zj8Efd*z8V4Q<1$Ra_4%hS`znUGR zosMe`be>+mDK<Yn^3g#?&dP8~88rIPewCD)ZcDw?!qu`F_K<Yg1nNJ#Dm4dJrQ{>g zI2Uy_*2As8p-O@`(@Drn=&WSlc~aK6TUGxminqmEkB(p=616EZs#Y=!!zM;7^{^9} zpHICJs*cJBMIZgwjkmOMI1UTo;g(h$J{&O~beEa;^Wj&NMaj~t98!-HFyKErk58sn z{z_j@ISIxrA2*Yp%oLt^kRdLE&ifYir75u{37x|14Bzb-5VWs<2vOoHSiIQgI>mwu zSvHMgkeB4y$#h{K*p!ZaU|1V*0(STw=*TN3#dZpafq|!#WngfUWE4FKk&&>^Ag!<1 zhUvwz4b$_n>AUMW#@r8AwO~eN#|NcN>EKw&YP?7)DvrkO2}d}flD6_gY}{`_r?8dJ zuW8ZBMlEUMUNJn&TlcZk2iU@ws_RYOcpavb!`Mg-Plt^U)@RsaV13TO0*oQDvUfU@ zF5w%pV403Q{ZhQ`8N%j7Hv?fNW~E^pLc{Fr!#9K&g|RDyrWuhdnZigUK6A811q!p{ zFLad;M@6#Fz5gAA^pvbFs?hoYj?ea~{u8*5+YFBO9yfR8-ZSe9-s3KiO6T*x7X7*- zMquwb2s8A~Z6Z0?W<UZVfNCy$1GWn$MogF)Xpt;!0)P;GH_1j`y30exMrCC<%#t;n z3d*(|4I+7jVmuJaKW}GlAP(iYDm%%i9fER5zNm0wxQ4`!$2ARm=~jSR*g$3<($L;z zBUIH}rl#KFKH4?CW$b+2Fflz$bjoeWO-RRlaUW>`M*c|mktklek0d6C{hHqCtVLxa zlw}ghBX(bBjt2LUMwERxhIbtJhR_@a(QpBW`Y?IzaRODLH8@n3x`*x@&#m-T67n+T zD?PC@%E*t!9xf;?)zAUH2yl|PHz#99jBe3!m_a{(myX@$qR~Rfh+A-KC36RpTp7?S z+10V@adk|dHivZy(|7h4Pmp~V3?o-OR|@@gL+z`|%n;K{mf{u;jYm4khznsjqViF^ zjGZXSSRdg{mw3zsx3p>gxH`H`$4@->nG|fxG8U09to4JA*uzN$ui}0Z@kott^BlVQ z#*y%q`7*o#YF0mERZX}|&Cawd`wx;m<CO4Ln0DhxGO`=C?z1?|#4g<0N-}WEb|Vse z!w$(vi=<jy#wDGuH+2&Lpn)J}W`j>0&!^onl~zeE8sT)mGUQ@8(z-Gc9deN}$fb4B zmsqG#zA3r^@unmXaD{t_VLJiwEgWpxnS(JoKx!$eGdO3HD1C3PjP6hMwToY_b{OMZ zlCg{Sr5cFac>p~$qIuH`G(zaR3K(&+um=nXL!rB+>-3sT2}u%i9PYuiZ@-VdFBvKF z_2w8x`Ng7{bZJS0W;iyJS}mGMua2HH>rJIhl-!$2$@FII=}o0f^e$_$bxY+2=y)8= zo9B{u;ODtj_>#kj!ukt{BOjnhz#g`Qh&+njO(qg(9CvO>Mi<7pWPnoFF%X%AV{l4H zA%;tkos@xHs^Ex+qxU80d;(M@TnB>I;2yB8PLDD+l#p{Vwxn<X1{x5wlSLd1mEnsw z#C+>8#Bn^8Oi9WCu%qE67+Y+q!Ono;nvO7uZMWi1z-z-c#75Jq1y`FAcwNDne5@`J zXQA~tUcUf~hP>T$vG=xdcC~!zadwh@CS7`bJ{dQA6D~bs2Ajq{fDpUb8@!Cb9tO}N zMR8>4AEJWDGmrEjevx*^uwueC<=rIiVmp+yc2*I;;g|>Rq0*;M(s9Zp!O|Ws*05%V zPQ9#w-eM+b;xi1rA2XNse`<xBRSM674)F@c=bN4Z6-GRn0XD~^$~k08+>ob@HAY`> zj5NEdN0?DaCe~q_GI$ZYAbqQqE=UJQNs@}tatJnx8ki$e_NAP5^si4A`fKKf>1ysS zaG&u7+9c{p`~F^GuQKfe-;m$JbX84w{#oH8*%%O%C!2#qCmU&70his%)ELz_sZ$Qq zhbs<lxFV&;u@}wlt*pWHAT=j7w&@`ZGwfp+-@%629dwo+jm3_<<2;D-Zd|Ea_X9H0 zD9yVZ?92c^m+sY-sf*FV_;a<eW{x<TvW*I_+oTc8RDBbna1^;BxaNAx<(2G$!zExP zn&x`=D@z<p2G?H&cuoWn$xcT3b|m()ZjrnTQnyH2H!;M@T*~l;gCk(MB1uYMOn3FH zSrAO4Z?N1W#Zd{&7jg(f15I17$Jae;poQyo(>59xq0^=kR1>h4C-ZR}-h!hA_W)Hh z<O&zs$2|wAiF)BMwuUzk-5WmFW?>y|4XZKc=|d1h3I$%IZ9k0ti}AUI;i;Dk^R?2> zT2=SLXxSGR$;O{^?M5#}lk>#jM7l#D;xZ`&RWLm=@hR$b1|>3#cD=ebOQOQ@L@MBW zLu`<SGub@IvB3UA+b9$_VkQ1%+h?k~Wl>SehyYQM);SGA9-TXj&KXAPoc~<s85pCJ z9>x~0Q(|kIuPE;azgXVaB*^+f(m-N@eo-auwTvJ6Yz?;5wNi?3kmP;h2YMcPeAsps zhGe2v6DNUaw`w@U#o<@;KODc(Vc@S1zjGh^dhwez0)FWOMgOn!FFP!(FtK!4I1$NN z{{j=A#CMp6=rLc3i6wc><U{rd_&p6ljOqR??m`-b7l#YKbIJ#%QGO-)z)C181(Z2S zAN&#rq;L>OF<9`!Rf;cRv0$PT@<CRJByCupSK`LEX$1WIPm-U~W`82<W&8`QcjF`f z8tbw7jo}xkU2(jlbOiiP{=YoF|4IG}<H!m=?8TNO(rJJJWt#djyW7~U#iS-J#)hs+ zzS3xx?bl=^gav5?d`|hFgU^#PJ_j(S>9C_b?SC13;<Ny1?d($mJD9Sg{#RtAtlAFc z*JUH%_kSS2N~a6H5`MpKe#PiHOXqGYeH{#^(u%fUGD2c$kV$8h=Ht}4I<goi4oQ_8 zuK7z;Qsl`%rLS`Y`ZR$5F`o_mi}P7~OyBjK!<HXA-OnbruVBh=-Zj*ef3qT%WK%xA zzxc&!vuqtAD~TyKEs`ByHsF2U%orVP*gk;`Vd6P#`K)Vf`mBq$<j1YaKo2rk<ILp$ z37fw1{m&@>Y#E7v(mLrJD#$(vh2$)(U&A)$h8vAp&j@m6IaY2nmSvptHsexBZ5YXR zJX%is^44RyKpY+w83cUF_8(d!<DloT4%1PDG%Vn0v}`zmDLP@Ou<=3TO*!uF+dWbZ zX`SDaH9w$>EOd--n3d;Ctk`6YY$U_vFuQTw3hNwp$pkDgX8RobB>D&Q2D@z`TPfv* zw2VNh|7-_AHdqe+YX(d87mvi@21~U7gQaZHk}j?OA23*+{U;5U5D;IV!BV0}Z_zNT zqD&S>58Q3)SNIWMNtF#im=Pkq?tz2gPrM%Qbsu9a-|aru>pm{O4)nSs5a}Gv9=-09 zax9p;pS}7H4P)-9WcHvtTO<qU^Onp`G}PiVLAqU_`wA-_b{PT^V*s|4@ywQz@I6t< z8WgxfnBNa$QNHkNG8W-Hi+sN+YAzc2U;!*{tbQ1bPD%!&h!{LB29HJhekL1?636)v zc~R**#xMc1T-5r*!w?A5+}a7}urE=C+sT~7#@vY3V%o1|`!J!;M7qz`3P}O+gKujr z-H!thvPP@eQVAw(-ic=Vf~9Q4nM5)L6S}cyJCE4yv|$Abb<xLfU?60hIcZ(rrO<0% zYR5_#OSON^+e+9>nk4TV;VcIMdZHHQ(cV;gCH|8W`SO2y4=J{Tgzu=M+v02Ni=}a< zJVw$l`Wooa{L&WKIV|GHEXhNnO6F!zVmp28gGNX??n?RoMxR35%C_0Ekf>au==>O6 zrk!Hn@gEQ&(<u%23+eOYozEi;2IonGh^+MuB0~*rwve^4>-$tL*{Av;<`dUuv?RC| zBb#)`kTQfRgUXkV46#U_BGtZ$36b;-Ipmy@5J?~PLr!Z#q?sbqeWeMJT8h;AsuLpV zLPyI#e9ICd$pQkHTN5IGhe*NI1K53Qkl<UFkh&kKQv9Zbc;aav&(QfUC@i1aOzR}> zuJvu9yuJT{zt6yaGSY%R-|Z+7cCqg{XU3J|>uP;lM=oRXEn{WaiH3wS*Vg(T9I*_4 z?Xc~XVO#ytPw2LYVHe$D!B-f8f=c<r|8&EYIDkIS4R%_9B>77k{CdVM^ugZffuvG4 zv~krU?z_DgMY?~&j^hOtQ4$pB5R!YayM&rq2R#<DBDDT2$6p%#0&q5s7TQ`@p+!m_ z`nlU-JyU8=>&n6?j$T7(p*xn@tP*Tw4$?3<59yWimxiewfDb0&PP8JPjYphUfuNfx z1BN|94?Y$teZm>>SuCDJ;=lMk;Blx-{vI&NR%zd5znDYk*Tft(^EJ#*XMP6rnJFTN zK1C$v&_~k59QM7n9CoxfhuM2`==8CeLwAqFoU^PH?e>c~Y}uVdM;gSOlgy7W|2XsM zGb>`wyUahz{MVU(g!$~GT@Ibv5_9PGm6+4R{HK_|oB6w#zmxfF37WHmz2C=tI-)1$ z+|B$g%-_uX+nK+K`JK$)$ozH8U&DN!`5nw}WxkL39_BA&{$l1YV1708E16%x{F%%z zWquL!oy@l~-^6?!^QSU@3iGp>uVwy3=4UaVlqoTXwkE|Kq9NXiV{>Q(h&gnALCkSV z@8CVeGoO@hF^BGMi#c>nO3bNdJ`F1|hs36svyAy3=KGjW6R?=m!F-<iYnV^7te8Xd zv6yo^^GVu^Ia`>25A(M&|32pLVE%*5-^u)4%zujcB>2RfBg{X_{CAmuocR&vpJe_Z z^UpG$W7wF&-m{snW&T9wXE8sW`5NY{nXh6#$NaMlOY{vx@F(-hMgaa~K7CkD%sI|{ zl9OT%-NO@e=;Qcej+NCw-_it6GM_#-D&{=Jd^%w%=Fo?C#T+*K=Fkx+G3P$!J6YL7 z?0qVG*D>D&-!Yc{Fv_W5@~Qo&P6(JVnZ~OLML6C__u;kVT|i!{5eHOtk)PvOSzl_T z6OXjVd-^V?9r~a;LLb{-*q2V<g2&xBq*O+dA!-&b*{7lDtMVtf>0gIGn$yBX-a^rZ zosdqipiJb*XpY<D{==`5HZA#6$a@y5hzX(@hkob}u=J)<fJ9a#6{R|R_*s#saeOXv z+bDQHgXb#+OZtl7Mb_YN=qy|aUE!L@L#Py)wLT}MS}C=frAie-Ip7TMph3t(x=tR! zhfulBcY-C64*WeI=m`ZJe|b&hqVpJ_Ja#rU`1Bu6tyzSZq4=RX@eMKcC?+YwN!o2o z{v-zf5NV_A*wAGV?r#|#xdxRTYSH*QsPhc~dm9zOpO2`Yxt-o3ucHH-+{a_xP7cnF z+y>YqkEg;D&xdA~!_c7snh8L$5e<Y-qSk;$K7(MmAhHU@pi@U8gk6Fn9}N-|+mZ1Q zNU)ipco$U)>!Ilc(`+t+;g-?Ho)hDMVFCg*(TDg#VltnK1Mhuq!MqHe#VZ{l3%if^ zO{~JfbbRPR!Gh2q4j!j#`TGDEON%^7-)2*yNoSCvAE!U-K+z$5^vs0%bXAqqj~^o* z7t8VXO%&Wl?S<XPFy-J+#86WQ<)-Ez!)hlrB&Gy!kSeT-wZqSl07b1SWqtX>VC>5l zW}Ou9<u{$r5CrjvW$Eh>kq?1pSY-DL-Uz-d7{nrt@q_Su<P*@2{yGa52m})KpYV*Y zu%@H;th9oIrNraNy5vL;ZswClx?YnMOpUC?Xo@v;6FUx|k@M1F0uv2L+=|b%;>CBK zitE9FAiQE0pNa=F4&8b(8@04t68Rgb38bX9BrkmFn(fDa4J?g)m;B75<WG8?eDe|V zU5DT|-JUtf9%E0k$E1Vok$QkVa(dV!_bEK?`F3hQ9)g?Oew;m3+aq}5%O%?fDBSff zdexh%!+R1w8?=oQx1R*-^rjwzPjL699>*IE)85p6`K?8@U_}qtyKw+v8gEiqVB#iR zk&2u83-%tvSKCz(KNR+Pfab{WfF)YE0gEl_2$hr3Fi}FoU%<bF23UvwZ=>Nj(D2nd z4<N&vsQ*&mQe%C)^`utn&t?C8{W<o9{Q)0ytH!WD@1Y8LH5|g@R^i}^W@Z?7?A@B8 z?L=&uuu5M^j`ShZ*&>{r!NcL!1TxuiF4(}+1<h??P1hib^}Q=$<*xukrZ~RI67mjk zI4TqJ4w5pPg<${%+K40kbPRkVf_i$<N-y*mX>d)5W$N$7NBrC;jqbC?y;PmVXf?IZ z&i-T3lh0rvijKp)s_W(8RgpU(@r8qq!@<#e<{+_e9Ad|ey<i5%?LC%${=qO~(KD~q zg&A)yWq+fIM)ZXt7l{Hccpe+I8E6+Gfd;gXW2=dD#O!D9k$p@G?^Yvz|L%11BY&l4 zXR1PKRd}W<f-ks8p=5-p3HHHE;h+&$fqr-SYX=$Iv$)W)%UiSyuRRF6;A;nssT{@& zOGFqq(<x`96s=XVDS07Pg_Ig$rZeSW+7rb%50sU11TUjj^iN4S<#>a?6r~*3Y5Ze^ z>FSi}8plDuCbVyg<Bi~lP|bn3eSM#tC`5%)MHp;X?U{80$2Hm1IP62U-fE-2CKycH zO$*K@TX9xUwKHkSenZca{hn>42kftjJdW82MYU4IGge?gs8sc-97lK{P55<x+9TsI zQ}-LN8rYe%bbq8vDlj_oTZrVotjLWBS4JLzj~Sg$G4$+@{2YOuN&BHe96=+UJqw{| z?2k+UsQ8O4EJvF3K00z9Ui$uw%n=cVBA-en(WA&DyrSVtnT%%Ad=|d4M^czg>+><! zPsDMih#vVCE(C5*VvYs`8ebOr5V2D9{>Y=Omb6X>o&?ZODEh?r;iC=ugFV5~&!;+3 zASseYGkE|h08&LbiZn@qF(~Jua(yQVeN^zIW}{1oQXD^eXVQsH=p~u(VUSCuQ$n{y zmPxQ&h1qDb1kXK)A(bc1mrdYxOF_QO(9?H4<DTx|KrJ}vS%RLiQRtwkun`WfVV#Jf zb^rbMKTGAM2o#ax>Yh&}Xp%r68d5E(ky=pv5KI(1Ntf6R5k{kZx5OUkCk`tv+2+LK z*4-3fY*MjDVv|kajPzgucykY>UAwn(Zln@ZIB9JB)uA=n+`22|>33%mzH;b3DR9OY zZndJ?p0q7E(nyoEoWal&S%}67XORkIKn-ad3G3$>d-f2o{fC6mjV_`A$B)_wNrpe7 zhZ+AAveT1h{)G!=#4BSjm9T{2hYYVBq{FA9BeRgN?|cc_W-4>$=tBItsUugq@qr$+ zA1zAwV<VT!jaqVIyws3Hm%l^FA#OqeYCMd=FV%B&=92xpx1cB`Nt1mQX8X}7j7~|@ zTuVx1FYw;0%07e%v761uSnEeTs1%l|aM$fXW4L=0`FC}a|D%oMKemqir`N!5y8W*E z*rWSy_V^Lc9$g*maepg&JmkaUo^N;EgNNW&g}b)krJG*1;-#0hOB#Ssbhf23+_jmd z?jT6s1~E_q!1TIzKt(O;bw5bjK-j$t7jYpKTe$88;+c24-8;w_!fG1-4w&pSd_I%Z zAlf{Y^dRuE2Aa4Uoj!yb7P5^j;3jmkw57D${S-B~f*9`rZgxF|LTVI04J$f7D(wmP z$-b19F$;)UalVjrEEQ6LNK;gVeIs6kO^S)I3qx!9ajP_;JrT6Z@hOlUkU75VzX=_U zfk*@*k;~m`Z49hD7R(8)Nlyu0E)-?Bw5i{{l%L?bf*u*J$@CcO;)=cxn2bG3_NlnY zrGWTQD5r?H5uZ_drWE7nN%9;Y2QIA@3ZUAK!7)ln2E7@2Ugh}Me*#DGDQ^YkCGU&! zl0nCJeTYl<h-T^pZc(R)TeH)<;jTRf8!6*eOrXZ+D#KnF;BhaW_R(ksL}YRId$v=# zQ#eZ6@4+;P-@-cSLcrWp67SL>Pf7drT>(wn$MulX23kXlUa~)mqv!+$^-UN{lGWIA z>nCl1jbt{FGpCer5jvS&WqhaPyh-V(r)5ke4Gd0pt5&Mf+m8iFXe=cq8(+X5{F_8& zy4Sy3m3FW2@uKkP@M=|fj@tM_xE9*TyTbb8kYBf+Y2&@Ef;(bvZu6F-TY~$Td4{(w z2yVk{Efwuv@@_Z<oyWz)^Lx*S2)te$uF~KO>+W}R`U}N0SI?*<+}Ct18<ouQ6I~tj z$aGbXO5yl%h{R(wB2)0!Rs`2fz!W;16lO2<2fkRu`T?jwfamNwL(Av|#utXQD>W%B zId*10efNtW7do6Q*O4MD>91S*GYCmsc#-;#zgS0oCw&<4_$K6RdZhC+j4z}m9SOTn zhUfQ_#GKV1IyNdaI4YR8jnEc4sFn(X{kZKELw}Iu!q7pj6b&gOMa#E5fFKMUTWSV! z5}{za!T5pchWQJazmEC$FrR0B2lHE*?_<7)`OBEUk@=m>-^BdenZJekYnZ>8`LqlY zb4VPBIXdRkG6+T|=98Ky=4hEuilCT7+93>s%ui=Ni5i#_nXiJ6K^*@dG65zj#G~8) z{{64OKsAm|Xm)Yjr+EGm?g-p2xF5jLv5GdhyD^rmcxJ<;!<~AR<KBRK9r1_Y9;LB{ zpBDA#9)Vg4cLN;#B6z+G_Y~a2aQDL94YvX1zlG-*Jg<VA4tE3GCO97){q8_I{dVlc zJKRRNHn_!b6>wI#Y`8ISpZ*f?;Q0og&%^D4yBF?Ta4m4N;jD0%!D-+IALh7s;hu-v z4R<fx7Pt*?t#AwAD&S0T7sDmP9Y_7AsXf3IK^;AKKZU-le$H{@;qu^$;O4>k;qHLj z0k;qCDBJ+tC>VS$gR{cTgKL6Y2X_bDR=8boFT=eL*AMp@T*iYOHx+I=++w&kxQ%dI z;O>Ll2X_SS_i(4+#yo_-s|`05&IvaUt^sZx+!nZ<a0lSth8uvR->Cag25u^x6K*>C zWr53r8v{4E1AT^j7w#b3F1R1V-43?~t_iLNt_;oqHyJJ+?(75LE4WwTdf;}zZGodN zrnbS|09OPz6)p=-1$XkNpe5V@X4_}*d=Tz#xNpI=!QB8?3TJ}T!fD_J?+1KvZ@}$_ z`zhS*a6H^HxS4P!xbbjmxYOw4AK_kxdj{@dxO?F?!TI4laMf`1YeN4wz%7QOA5GKJ z+n4jn3PjeS#e8EcIcuJUE3q%GTixzovDmaYuo!=W-Rp0wZw*i?zakeI@~nBf#jBg! zjE2Rn%?(N^j$2vZ+@|Gyes8@;+Z@ogwewm;u-Ml2_6`P+l<f6T02S7CwAS-Y?f#V% zZfI|B_13p3&nn*E+_s$J*Ye(azrTJh-aYNXhE^}fHMjBH>Sm9(9M6X4<!wRK(Apf} zsh$phdt*bphq7}4xf1W1W|mf3UR7C9ypZ#@t>W}ZCm2wd*I(brH?Q(?I>gocm#?B{ z9lwGl)df~GcOZa_tdiWo+O|fdYvFQ(0WUqN3?5uHSHe|rb#UeQ!|(IBVz`Bfr*?oW zf4zS#=gbLc+Z$TEjl5l(Gp~SajK}xNc2BU?8(6F~p4Z6nYdgGc^()cq7)*K9sBlh0 z3&jzBlo|=~e0#gLwVk1k<AWWo-XW2Mry)@?o)Tjlef5MEuU|X=+MG3%R^QOR$_o;E zwf_3H<zDTS`Pb_3%bkC18GhGj>swpfS9?9$hP7J2N3aFpN)Qc7Qk1sI-@a1oX>Mxr z`n_$uw!Wj@&#%NA<@K&?@OnHb-WF_aMIAhPoER5{h+7#%9~!(`(03}!3IzD61wzVH z#(Oz=W*s%p&ADohJ>cb6)%yWYAnu*TY5m?CgUx<m&;ZP7jara0NFd2&*9Gj$rNRNc z2HTXHP!}Z-BjU&2W#(k>3Ns@u$T#I$@$~ZcKu2pcukfi7rt*#LD_7RHq3akljlfqu z<8s8;w_S}Gj49sB5GZG4WmuZW+v**jHdX6Gb*-SCluiTA$*<s>S9<+?`wDNHww~AK zbmRmIz&{wTN~g6laLsK^?OF_)03XoO58S`X>kl-yw?S4n+gI1O@e&IIOKsi&(6F5G zoyY6#piy7fgn`X_k(-SThEQ#kXu!C)t&teIAsAS@y1tpv==HCvZ;j?DaA|1_2JBwM zD$k~78v6me-`m*kXEG#UuLsNc{q2wyP3<h-nhw7*>XooG8c-L~6bYiF#Rvt~kPsb* z<A7blpAyxq<YAbUaSS+t6B2Yx&f(qD-rnZ*u96tLdIi#N3Iv+*yGd>WMYv|-%Ap8A zywqZ115t4hPebHg-Q3#hX%2MM^Nl{LGoCQSM-(SvP<l!j#5^KnFcEvei9Al0x3)Jx z=*uCFlZOB&#VaB3cHDT7(qb{n=)g0Ibi79qPSj8+MemBtil-92D+S^Q4|_-7h7v51 zT1t8%E~A7(`FKJ>46w1xc(DVRfxKvKulMkvUmX7HJ1~{S^S1;8!`(1yQh$fAc(g8} zO|)K!E;q3;;^JPpdG6xU;^`G`%3C|Hyjpp8FDP+WR+rD2P4VTkOXt+qxoh0BtE&($ zE3a@Xq3ZHk?s-Z8Y2~G{wBm}2XiDjv+0}Km#pTt=Lpnh9^>sDwc~z`|>XM3Rpn3(m zUyTU~`Knj&y!=WqE7K8DV!tQG8W&NBR=-7X2XMydz$U!lr=)4{o&iUH|4|jDlvvtW zyiY;lETm=0X<I47Kl{V#xaS^ezl%&83DuC<>udbMoWsqlDy^FOqoaR)?(W}R_e4+H zH*Y-1=TI{VI#y*#L$JBkBkNRAmgw*_Fla7;PmX@HhdiUCx`H6T7#c?&4+SlIC6lvQ zWpgH23-X#h^?ZFcvm>F8oC;;~bh^eSC{x%@m%=6Us<RiA6jPnpXOEA=egSBe5LeFf zVYfamUpdP+Ga;^$<*P`HWBDo*;;LD`YQz!k^B64EEFU&$xMk-d&QE=SUJia?@Uw7s zV2u>b_-GyYLdutY(@i&d8c0_x`iYXCZ_F+)mf%i^yFr3GKCW8I2RohI7Rpvj`Ed4u z+ek37hO^h;l{<pCN{aJJz-YHZpQo^dcLQFz2N6d+Eyo!tt_N{(^f6H!ts^X;rJT<~ zaa<49WP}5`uh{D6ju2fN0s)qO1nV!n<oN^s#%vv_v0OjmrZBv*I0ggD8|RU&kb+0# zrxNzAlE#4&etk&#i6QCn<<)Dr^sC{hUZwoexbk~$!QZHcqjdTqiNTP(mHv!P%nbsk zXW=-+AA>HRhG(2~>{#pJD%X}n|E^Pp2iAJ`QXc77`7^AY?!-D6_*8!MMFSjtVt7~L zjw6o7iD#P<gY_WR%=aNq6BoxL4%Q}48yC0bQSc_>7RSXsjyTxUM*RKTe(`Vn1u@3I z?H6C(eo>Q5n#8OirnULdrW;pahCs~p*>x*B>Kb7l@WWoh@>F1Lg0)_Go5u^OJTaDw zt<uM^JTts}6*B;oVcE%6%l;&)-wmy@f~}C3P`NU{*UM4|SSm_UVzkUNO6+tjNsGx4 zp(O2ODO4Pqrc^UlD`jkz@+SsC6)pG(RPHUMmQrTIP^#dLN%_2dO}*dXUc)V9`AXa8 zw0Ygq0-{5z88AylIqnJ;Q^Hn-)wHCWDJ}LOF<EW1y{o4)qX_F&mV%2~$zY;1ofTJ0 zIjz4sIBv8Q*WTvAnykI8tQn@C=9|3Sbu7M=tu+%{+|FvB=fzq9Ua*zttT9^f?R8iW z02HsMuA#ZD4tk1LflwwOw%u6_qj?2U{K7c6N~Co$=Tk~a^kn^diRA;eN?@p{@U|`I zeVj+hhYnGu^I15`2Qq{jCAOMbt4c}L*rU`YVNO93*T&+BW2VdYsedRr(STeb_gP$= zq!X)IOo@WY+3kFD(^~Fh*0R*>+@Lq8(D-$wd`ZwxmJuljbUhX?;a#CoqtZu-9T+ZN zVR2Pn>a+sW3>GJ&87OeKdS$!Dd5N&qVgb%Qz~Vq~k9&=`G0006h$a^623MnE=$p?I zZR?6X9=2F1XKU`KSspYXBS=Brskput!xX`D<?#^76w8Zo3t0~9{PmvZHQX_&9heYS zcJRe8D>cGSKcpRKNlJ`7Fq&EY;Qsk-&5i9IHmJ{IaZwK7GL^7A-qMw@T!!QBVlngB z3b`2QAOl1bi$l#M85qXvm6)hhpy(DQRvv2<SHz%{XsGaWJ&R*ia~Gu$PUq7~nqcCB zQW`i;Vs?)EEvpsOW$Dfs#u5fsfCeh3WqC<ef(FXo(RWskhk4h+=XuB~P@7b}qK;*9 z(i^hO4z8R93q~y%pnWy;%w-fGi{bbcN?}bZAaS>?YWBCc5ksN!X5yAw&YX;jMobB& zR<*)3#4Vv574-pLUhH1)o;TZFVKhiky^vhFwn{b*)m2e<rl{&F*B1Mi*Hza016~$a zjVU#ya;-E%s(2X22z>4pD2S-EP8tI+u41iJxt3V6ju?`O`wyu$kOZl9WR)xnw!!S% z-lo)hC+d~ipw8V!98^|S>TRkgsrGSF<=R=yI7{r0v527^;9&>jny6N4dU`#@GjloB z&T)Gvg<7sF4n*06dqReEHtgO^y1LgidOHXX=u2|ioW@2H1h8@476(%)c+%sYUtI=s zVk2-RcLiJIUVn2Vuu#nNe$E$HqBuag!Nm-lr>J(Yb6r*aDz7YJu0+28K;67x8<|OD zy8Jd3kk>Vm>A6l41y3L!>q-=xd|W#~Mq@oVZVck2itB)ZcEow>*fh>XkV1s2^n05y zz`5sH3$tM-1D6LuE^aE7C3|%p#u>MJXnTx;>bUwFncY^ZekO94!C1pHVk`6HFOXZI zCxK0ak|qo6`N((%x5$HR9>F6u4*^QNXO=NjQ{M_XEg5Ha%H_(4c7XYB$P?oVsj4Vr za2F#t<3Khg{EGFsjLd3smuE$xmgbBDQGOw4V;r*&`55k5HY?$P2vZ)Y3O4Y}81sw_ z7eMFR{a$XO4Er2dZJS_}m%y)!@eEU19+pc*8E{rT?1)~B{)`x&{h0LYG4>c4r^)ro zSd|!3#?7&Ko@u9@06#Z?{4xAU{K|1xQ$M4lT0%N8Xf^js1;1W0XfBVVpTx-=*Palk zP*f%&w>>VEaH!BpHH!Ed;}tYJ9fL_yp$r`7Ak0)jB6bA%neFYc`0bJ*0WU_;gLS<e zTf$V)v>29}pajaC{wCG$T?tMky|4$N=(wqAZ}wDTh;k1qvBd#O!~j(&g*7W+fi!OL z`Y{le*Ry@8#}#PWQFA*sk+>@pa0ofrxIz|VzffTGc^g+$LHPp5aoqhwFmpWwJ(^{@ zj}aw^+X8I#NVrsFMz1_h`SO(*nk4VN9+`bP1NEOckx*UL;ceu`#$Yd@=Altid09}= zxXwk-N#0O7iE)B4t}G8!`-5JtD;9&MU@4D-UE%|U-U8LG4Dor;AAp(Z=nctVnv?2e zDBhB3GK)zij(avX(&UkRnDvvIS9-Tc#$zS+79jtrgxrrZOkmVPX*0>K9dXbxM96!N zA0l3oc<sym^($x77T%m#&)5`^7Q+`4UmW*q#6;&nHZ(ZyBZ7qFwmiHQ?XY7l?`v-} z=1a3@4p#>b_tcR@z+Pojdz}Z;z~8<WJCC$8I+I)JT^Ybs$(gx2FPn4f<Q)uC9c^%6 z0;(yQH-9!6jrAs-tSNBV^@HwK!qu&4@R3$=B})7KZP;zGa%@i&Q{GC>7JIMrV&Aha z;PusEy8(%Hq;g!!p^dht=H)@Zx2_HQx$Ud#u<Hb!6420^t(nb*N)k3`75xGhvV<I% zGO(K~PfJ_@SLgRGM+ec4oYEvu>s&VVlayJnk|fP#mjf0*Ux&$wwuLWKLUou>Fp8wT z;!6-Ky|r-EL9B$ZAz9zioVzlRi{0;B)R60!Ce7SdeXc%NLfDWTAV_n2eER*V^V=k> zL(!J!eXJPK1lC5RS)DUElXNF}eNc%#ZZFJ%ovGCdY)TY&Yf5=Q4z&BruyY8EW7ZAO zZd92Hs}BF#O3Vtx_t=ChX-6N>_{GC(FZXcc<6<SQLnQYB#a68a&R5c6usA?VUV6j4 zQ`#J$fhT3IkhZ*u)dSqp6jC@PGFQ>EWG2QdcN3s3^)>{TFZcQtC=apvdF%}bJ7|qj z%kdN=O(fD<w-)Cth@TsMz}vrn|9`{)-Trvw(q~H*n{g64Nlw{&o07ef>Elzi&0xf- z+G*E}$;}-zM&1*Qr3SD;=WQeL>mqd%=LMk7#048$>jME6zPftF)l<jNem8y)`pU5o z7gO4%YU6fS<D;rqxM<#(s-=S=a)MF|&WFgY%HWMb3e{7+f@NuL(l(JsIF*i7v}xs4 z*_3Ovo_245_WqZ9r4s>O5Ast3N-=27N~sQXK+BG$&=H2!%>f@Wp=Bj2ohp#J&Ki-j z)5#S%cWiHXN_N28+B8)Q!Oc(<!z%XqfkAD16FdKb6{}X#JV)I3j3K|xySffDSF|1o zI937eissVJzl3LGp<@Fpv7Ox<z$&NB6TtBfel-ZE4FnrW*5P;#I~qX;T(q=ej@ihl zXg#VW1A^D1tz^@pRB?wNrz8A%W5$&8+JLV;*oxCBI5t91w4;otc~x@&Cr9LNt*l?u zyfU~_ODmyh`%Rd<y#dw+nrUl>;*Ygj9_@)YNG2f#YnacX9pyOMPgYVAd6TO5%TuqC zBfjgvKc=v_s<`Ohw~{@vDYnP2B!S<XJNQ`X*dDi%1BWw~2VA;X7I~jrNmro7J_)n< zjRbEj4;v_KzkGQ4xcz%2F%Z`*7k~ah$*?jIk45b3+=Vl0lcYVQ&3mP1DZb~>KVEvD z@|^S>Nd}q_nO?)C7vVYc`B*-R--z<l@mw~6OE1Gyho>FSJpnGg1kWP~m*c5E5Gx0o zdzk%J0d@!-Bz(!IMU*@=aN;_B4?awyTfn8OQFj*hqjw;@tc6S8h_Dsmoe1}=kkWUc zzXuT3;$z~p54w4TzS4Ot=y`Mm$L|Hd(?ri$RN`u!+iGVfkEvR3GxGYi^#RIH2c{ZG z=|{ErWA4Bc{<H+c2cAU;^9N)7Mv(FQkh2W2aW1pNJTJ5jIt7TaDp@kMBaHN~b7V8P zz=8_0hY$pCXMZ340e%U8r8w_sLU{9h=?nn%s|ew(*T%v#5$;(i;eYCWT!lhdyGRPR zf*y+z-ndu_?*fiI2p?M_g^wdYkMLG&tiE*!_r!&7M_6Z%rEfvFGA?`{!aE(Y^qmMF zi3|52+>bEv&lK?VL4-M%6y5?}eI4PV0x7(8A7G>OIw@QYcuyj{Y?&0cB0Pxj&U(2# z!Yc4vdZQFRfc~T-3}uV8r$Klk!rC$^JO%j7MtGS=;@{U%-h}W@gbBV~fTtAUtxa+| z;8}q1=H*hDLwOIvN96EK)ZanrK8apE$iD{RopN{w(mN@?9BxIJXc+$^nbV3zwZakc z0*BJ1u`*IB&g$L`+yPeNmCke2ohSg}Ygf)yMe80SiIww6Bg%)NBA=b7r2}P3Z8X1O z3TyQwNN&u(w8x}m8p8hZ=fjjNisa6KT#X@5#VrP{ZU=5lqsUZorHIQwSOXr3&)W() zM7r3}-%*sOIMUgUqU_N0;N3%GzHB&!8-=V>AhxN}B0RJ3Tp%6Kz?<?*;tKKFF+x1S zyJ>{@WW;YBAs)BmVUHd9OX4X0;LvDjrWAh^@sYP+%Zy96z5#nrN-ToTYPeHlVdc$P zxMpRmRz7Cwnyk;$P1fR=WV;8F-8C6@++6Eq2=4kePd(V%>zcgQ8<<>JFm{X+>K_iu zwyxEpg0_HbGDNUF07Kr&`atf==0<;epuLID1=rc@11s}Z=_lh<c3X23tOGUDp-!na zRHfBAp;rcYT6KNN+KiJ~Ih2Ir7W6msYvnLv=xi-o@p@oGSp}7Hxi=6^j8B%foS;=z z;Lv2Nwv~L><oZB)+bSGZ^-tCYn~Rwe=$g#5<;l~c)i|e}yAkKK1dyE5qJ3k<oxliA zPBu3*V*q^#<RxS$G|E6YaVD;{8Mbb8AO=?;*wF#QiPtlyN?Y!6O}^P{(CPIibAGPg zY_jB<jE&~pdUKOESEsY$*sRy+F*fPe$M<Yl4MwxxXl=07=bAk>)X>!6$+db7p4@ta z$)qzF%uP09{pZ(Usy8$ltX^ZT+1OyqHJMEM+=hBvW3I<y^O)*Q^%k$u`uR2Jn=JX3 z#(YbzRp-^`nhZu;uFc%gkZU!1bWIkI&QqWN1vOZ`x~BYky&<=uslkX|c&)kUlR4L9 zZSt6P^?Gx?Ev^^NX+yE=oR&ZciIj1fzB1p!nnQbDSeno|<`{=MX%?xh=Y7Si>-}D( zS|87M*r!dC$5&o-eB}YEX;rhzr-96tY4SdrQs?9XTCO>#CDf>}&$N*M7@^-DFD?Rj zAQF@j=2T+%Vp#&j*iVrO<tV@td((2wH5pAA4U@H`lDa0(Qe;D(3~pWtGXv&g3j>D3 z*1%+v2qXWZa>|mYqkogNbngP|w03{7zY&H)Y_h@d<eK~qq~Ov<bK~{iwbgX=+%?%^ z2FqAXdXuTKu}SY~nyhWbeS%>9aw)qqxSi8R?q4jPVFH+n^&Z0X!4%SFYq%;XJvE%0 zn}@e@ZVopa;d1z8c&Fdfs=t0l7KPDV3ir2^??s<9f6x!&oTIrR{-=Q)PeOe>=jWQa zHf}j;Yvx)xFKTY%nm8CmIr{WT5^j<x|4dv1yH`@fO+b7J@~p)CRFC{?0ZlzZ*e1ZQ z5@8<Sqi9Ep7HzbnKHPFa4nJ~e(Na4XM4AUNJX)oE^ee&{nWQKjrN|rL8X0^Y3HcK1 zCpf5HnyW^|m9IgZA2r14H*$GgKAaADE!_FYOMT^8zBa(p8rO@&HcD|1rh-7^bV=Vr zxeAn7&Pq`09q2D%aXI?TBhT<SEpE(eIRnF_p37x#dcdIlr*M^ra-ZLZ4mqX+#yNn^ zi$3N7k3_A{E2)R&+Xfr91f34Iil~*@;JWfJQI2}0)Ic<!g|d0T#dK~g@HI!q4{;jd zS>ZJbNnBG0%&h<p6?)_`ta=FLsAn|ls6-v@;F%!$!pBi6k>4o4j`2Za{-N9u&kLm} zlY|jQ{HZ_|8wFT*u@O{_RO0mj;7{aR-1eg(HtaWwlUm8e(=aUc-x2?7FaSk=OA^i$ z=q}b>rOVY7>fE|nx+OZVZmsTi-FJ0A(LJDhLU%~_uI>X}rhcM+vc6DXuCLU4^v(Jk z^>^ua>wEOa^?mxY`U-<!c-Zi`;YGt|29@zbquW?(yu<jIvD9?fbd7m|*=PQt`KRVR z=Dp?@%}31dng425S<)<7mdTc@EqNBJWxA!pQe#<WX|eE@4VF!oEtaj82Q80Sp0XUa zykU9IB3j1f>+_xYGxF!=FUen-&*$&Se=)x=|Kt1%t=C$O)^_V!>wj49wEob#&H4-L zUh8kHf3;p{yV{m#v)fv2H`_wCJ8a*z-EI4^ZKv%C+tao`+dj38vZvW6*eBbswU^kh zw=c5)$o{PT1N&&lEXOU5pE@3NoOGl+Cpc@J%bY%EyK}Yko6g&ucR7FL+~M5meA2n! z`Lgp3=ljk-IQyJuod0lYT<NY1SC(s{OY7oYovue*`(3ZQ{^H6kxS}AhAXsoy!8Z%O zU+}YnM+^29yjpO);BN&N6kb(mDRdVuEbK1aUiety;lfX8V${Me#AtGfZi>#TYt`Ma z`-N_w?rq&)bXI){@IObtSl^}(>G$d1*MFe@L_fwb$FRt-%5azA9>cwc9>Z$}wK2<h zxiQD+FqRo_Fg6-*GTv_duJIn@BgX$S9yXpb)|pyNn@sna9y7gXI%U$B$Ady`=I!Q- zER!r(S{#-#%REc7<pJRSg8WPJr{rIkzbyaz`M=D+#;UVgtOeEu))m$tSjXC|w%N9u zZ2w`q)AmE#L$=+veYU^a{$We8Uu@R`qx0<b_O<p-`*-cn+Yi}awI8*AZ2!craa`;u zaV&HA9Bq!(j&+W2I)3gr;Yf2%bUK{P&aJ@hUT3fKO=pVheAfl8Y*(Jk<htIq(ADC) z(Y4yO+4ViweXd`+E-si*aAkp`z+G@%!Mp-bL2H2@_`SX0&VnBU$BzTY2Z7<g7bF#C z7S<FlDr_vgxv;D7w!%9L?<;(;@X^A3g@+1XEquT5MB!<|IVRp?z<IJxtuyN!x?<gY z-S>1q)NR*2se4ZMYu&55<GPc&Q@UimMt`CHN`0Q*p`W3jr4Q<F*58V8a8&;uDDe;d zXoJR(VYtdL&0sdT4YLjNu@qQoSZ~;5*kbs;VY}g&;RC~;4VgxZvA|evtT#3p+b~9Y zjbls~n8ur?n(|G>Cf@Wd)8nS6OwXBqZ8~Cl%k*2*Urd9hDdsumrRF=#KQ=#P-fuQy z#1vt)EVtZg`A^GFEbm()mX9o-Sw`oN%g@WV=g-Qo&c7kwo8OkdA-_9+NB%?kyYi3b z{~qIIFh9wvwq9j5Sl!kN>pbfcYm>Fj`c3Nt)?Vu;*3Yb?Z3bJut<W~tw$N5@YqPDf zZLr;C+bWNm_iP{AKCz9qXV~-Ywf1k>ziofq{-k}seZYR!p6s~LG0AbI!|rf9Y8*=( zjgEHEcY~wTai`<Qjwc*%I?i(%ou$tC&c)6KXVAIMdB5}L&POqh-o+R?;Z(b>beUZx zuKBJNu63@ED-1e6;d;guasAo#H`j#)OF`pXLE-O$w!H<13qAyOlMB^_6TS?6i*SEq z2z~F?{RkuLX<aYm+v~bNVss7YRQhrH41KnKn!bq9cM0TNJE$DiAJo63|Be37`ZJJq zD#OKw%M95DlcB&+YN$5U89EHBLFMlneqy-a@C(DUhC#zW45`LR#;c7}jV6r2*~V(D zJ==`DvD5f%<5uGX#)phg8(+X!{EhL1F~ejum71<M%{46twLb>6MaaxNv&CFwZZrqY z8_Zp1!Mx4<DP*R}Qf*mlxyAA`OJ@G~{3{?2D?sa|`RnuV&3_>O!Td+_pUQs@lJV{Q z<M|)vpJ%<$I>DN2wOXfJ7h0dSrrO5X(rlTw%WYF28C^EFt-{s}*%*do+-iHk)@ys& z_NMKGZNT=K%?_zpZeL(;u-{?-p8a0?ZqWHf`|I|%?7y{-cU<nc+TnD}gshzJXmxZs zwm5b<4uZz-JNg|O=QYlJXOXkaS>vp8HaR<-H#@tW-*MjO{3Yb(3(mvN-+<<ShSZ$m z$_345x$0dVu3KDpxgK>r?RwsI$n~!41J_B{KU}JUOA01KdO8cH7tAbJSkMR#c)H;E zg4YV(Dd;P(6fQ6H7p^V5rSPYP4;4O*@%)}Lo-1+Z3TuR`baZ>#qASuZ)-~w-x^=p5 z>bB}0)IFlxqdTm7OZPtLep+`{m!{9uPu0)WFVnYx-mCSS^*_+>&_AkwR{yI0UCeKP z)Bjzc%EtC&L$1MYC^u9Y7P7G&G=vOy7=CEjX4qkP1eAZy@VepmhQAmF*gQDKcoDeZ z8jSTSV~a6hTx;B9ywiBM@jl}(jK4DOF}`Gc)A+veBjXukvMJMKGnJTTnkr2Vkj{S7 zEvB&P+omn1pO_wkG&pE_+4MWppG<!?C7CZWyUh#Db><H9P3EoUpP3Ju-!#8(9yE*Q z%P^bfT3nVHmRXiXmIjN@vdVI+r5m&9!<IdkXCWmn&A%-Fs{C3=^F8@uzRIexI;?Xb z1-@;4)%vFOx7JcyImUjM?Ka5tAKA9ser|ij_M+`|Te5vLX3J~rM!VHs1j&8__@W)s z{T90b?)aH~CnUjs`*Hh+_Cb4!<64Kw(coAP2@rOC*KxOFtK(6}e>wI!4m;j*{MOOu zI1O2l?!4G}CFH?%&IQg!r{LV;+y}XT7?R*)=b)2wUFaI`n(Uh9vbhRfm99muHdoMf zvul&<XOR9+yAHbgTm!Dj1y>hLD=06hDp*jktl&mA$9@~L>`w|FE_kfq$$}ROUN1OS z@Ik>}3(hahD4bq6qi{}Pb77!xP2on&1V1RexA2#RdkUW|e6jEia8AE87c7(RL#F7m zb>G1JTcTT`<8}8!6Z)m@1>I}9qq<|dk9416E=bc~s=r)s(7W`r_4D<M^eezQ>-B>E zd-^B!2lS^PD@6UJhARzI3_3%x;X1=SNQ!1dyWyLLZo`k6q}XeC3A6R@3?~f}jM>I{ z(3$GMBO!3fX5%*F&y9~7pJh_w_r^aPKQpG9&NodkU2V!WIZS1ycGJzKCrt-1f1iQ8 zxYV3$cABp<FEg(<Z!&+!{C#L!JI#-qpEDma|Hk|W^Isr6)Ru9U3`;gRWWMD)mLFJt zX?fD}8_Vx3f3*C?a$f#L`C0ked_%q!vqx2aOa4|!li%n61w1m=nqj>HT9)4GvX)}j zxWVd$zO~Bw9qWHu@3lT@{m?pqxg*JTk!^zQN}CQER}myjrERHgrERV47H|^jU60xh z*iPHV*wgJ-K;xQipKt#r^sN`|8IDUGS2zNWHI9vr7aXrTK5%^KIOX7+sZI^}BhTr= zjIqdB?_2>nvcY)=^sfh;4>^D3eA;=ydC2*;^8@E8@QVojE5miU>l&BAWpzz=&2-In z)k3bU0M~rSb&qSC>!+><UHe=wx?Tb2^t+M^)CHFnWEa>93Ja<WZUFZL3vL77>;lic zU+{5(x^QCQ70}OYg$0Fk3u_Bo3PXkA!fzM;xbO)`n*ES9SO#)yAY(4oT@KyZuB*^3 z)HOnH?#8^b9Wv%ka7n8EeEn7We0{<H*W8tWQ@OS6JsGzl^PE|xc=tS*kD*8*9709L zE%T5eiR~bVaza9bEku-%q9h81XreL}l1h?_QW^fWca$@H=Y0S5U*GlpuFK_G?_TR& zYrpGx?)!e$de#eLfr$Z@k&h|Hlw+zewU`D>Go~GL7jVh|W(4yBFv|y^<dy)+ps@m2 zF{})*8#R`W&;hoy0lS%nI6JYP*xlG*7TY9XQ?Thk^D(if1bYs90ehK+Kew^>v5&Ds z*k{;R*tghO>{l!t$ARMoNF>41gc>*uj)c?083R<Z!r9}Tfe!J;`LobzKQ0lMiaU%u ziaUWT#GS#N2kN9AcO58{E?hUR5BC)J9QT@qR|_~Ko(s<pP)iCg&$3Azz%K*5DT~J( z@Z0h3cp9+LaA2kJ_+<P+d?r2@U|BJ~9AAa6#W&!a@$Dcsc!(cZ#<dUl&%ln^2xx); zL5v_nPy}{d1LB2I!V3b7$VL<d%;!Q(B&HK{iRHv*BAO&aG6E{63h><oX^|uVY;y<s zIJuZyNv;K0Hbj0#eg&d{S@Jv?33yL{A`W;@1@In`qEE4)*isyUh5ArJD0E<<rzqu= zCzLVD1Z5gn={(S|+*ARoI8~OaLS0WKQ1z&$RBK?f&Qwo;dvt0twSrnhy+UnbY1?jU zKXruqlKPhVk-9)-)8W+-(UH?p1~^F2*$H%Rw$2HiYdT#zk93~teAOZ7>g!qooA%cA z*A3O(54f>hw^8?jZnB<+{wDnx5Frczb+e$)WguaoZeR$k&ktZ$ltHS&5rYo~usCp* z5=d4Uv<}jSHUeJr1*}#KC146M=P;uf7}gML1~};`hz8DMo3U-!0qi?0ADCxXFuMnF zdAL$sGwu#<7k)QB6n`GfLkIo~9!X$E0g5cmVMeedYy}a)4uS{47qHA8LJWZpX5$bc zi;xEx=QQCgp_))fxJGCpbbx5?5n&L_(o29bGXP}-nI~+2V}&s=JWxG8I6HvwAcitH z0JL|hL5o3~0rULrJgCNr=fMl(rSWojRTlHP;(hQz_(*&lh)#O(gZMH0OZ+5$1}LI= zJc_^x#wZNN6G@08Yy|P59nle3gb&e=7)gvF{sN-LG{AH@#N)&wVkw9oYlw9qerzLl z5_^e*fcqwibHsTfCy56jois@a#5I~EJit3$k_l-eOGi19Tu2@yACe!4FC$4Yq+dt} zNNJ=jQV!`jsR-!kvp`4J0fp5<Y9n=$dVr=L1Ul;_X_7Ppl=VEoN>0G2!enu>G+Bup zMvf%MkzFZ4lrYLKlr+k5N)4rn0>1YDo1Yv>Fcbs=2GJ$c*tyh`HYR=Ig>xVnbjf|- zQWOFX$M8eE>|Cx%8{wWv6avl$gIw6THQ3=OIGu!mqZnHN?uo6s!VhsF;V=g36e11= zVgAq-B{#+Q`os0iXNn3^YNqOb9XGDzi{Fo^uPHPbg)e>RvY;{O!VHLxoC3cN3?u@M zK&*+)eEl`%=9X;}oAM%h*ynYa_go$+oDGa8J{5z8xY&{QD0U%)lMzM)5@HrOg?Jp8 z`(hwf!q_dy6C(@>GB0xop-sX=cDaGvS3f^b*0%#!xrNy6eB2_!JTWqm6tfyyNch_Y zIb(3DisrSv^@NdyWSAc#g+!M>W~O9<4MYDRW^RbF5wuo}7bpTO7Q=jN4+J@h@q)by zEDplrz=Ax*3EHu0u=chq-Ej*E+eU#6L$IPRXB-#;HnmtgUEn5K-@04({bOc_av&G| zTaUKjl`b@}B>=jXTQ9c(3(?^Us~-@UFeDw$4<;DSjiAHfu&T2c%<VQEl@{dgRgOBW z;GiBjSf|or9J>2Pqn5SPSK%9b4jIFhjcW=<O=n)#?rje1RCrvI1w(w={HC#{)<kJ{ z*G^NN`zCjc1w+N?sk9o6+qrAchDfPw4wkLL41Kk6L)e}!n>E*Di!?3PPPy|U_r+q` zsDpvt&5S{dxxKitDDJP*;RlS4FSR0Va?2k3<!928J=GEtZ@3D#w6*I9_cz5)%kqXj z$xtZo`1Ca_X5IKF3#t7j%_rAa{5o-ZylkE5KDSRf!2(xDtqV3i-~Qz}Ux{XZnWtQL zZ}!W!nBpxPO_n4^O*k^pk9~fL+wL3bVcO+t7HfB1D5f>)UHkQ51h7tcVf+^;{u65| zW%y8{DB+!XvjHxhond)BL;Kzu3`|<aX$?VGc1~dEY-}8GI7$VGL4}nvSZNns-l7V0 z4-L`^W0?+fbBbkSGD2|p5{eUI2Y<jnd4LSS6w1h=$RG~EGq4OONo%>Wdx+nvw%Xq; zYPCTb8)<<$EPIwwM)5%0D<eR1LVV1-@-urv0Y71fRGDP~lsqI`1Z)^10lboBsB4%v zWZBDlEQBYoXZhqR|3Svb!;oCZ(xcw)-v*Vv^||=v8JA4G6`g%MY3J#!`Jx9Wq%*io z0%rYRJH|jSKhq8>hN1-nH=L=U2+XNh9jlaVKJ<E9HtgITp3T+wFsC_P)T8G|qh%Z{ zOFhM3MH%i=&JMVBi{zUi&w0pbVyMr-KqkUGSzVNU$7!;!f?%PIL_+K(h>j`*9-q4G z@qBk@$Zd;_gaA~pZ;q6t^=gA=di;OdhranRgdzXVhq06uAKvx9@?o%T{B0&Q{>g`# z2T4Hg81Q5KKl<@0cQnPMu3oXk#JrwwsbJcT+cvW@XW*PBzeQ`nQj)H%J-^5ul!3;= zne6PoYi?0!=XT4aJ<o@YHz^#Mx}jlwJ-^qd=8&P)R3iDZK&#?=565W{Y~U7$f{Fu0 zh{x({yEcssxjz(3!8%v&$aN|`p=!-1HkCc#rekU&b64<ZbjF7H@`{gMdK=CLg}lgk zv9oK<<(34GEQto?xRI9+6pHU%K|~isWIB5`Pl<(HHA+$+<g`r7NISg#WQ2*V&!f_? zhygxlZ0gUcxQ0IWHuDqI*47Ce`oX(GshQMkeHR>3b)KL~q7|x@Dzt6|wO-qjpu+hT z-EhV#mvdx|YDihvH$SGs9l(>ag?O08&vH8i*b)?FmXw*U@i#8R5eJ2?xD#-2Z?NXA zzETDbzING1!$Q}yd^{plD|8v5S&mNnUKf$1@uRLA%}whMRkg!HL)W{zt@p-ixqF5{ zy3E1Jq6iQU!Z5TM>sPmC0>a<422k+tdO3C#xS8Fg74lgKuYG9QztvsLU<dIk?>HpO z9EKuF91@NDYxMg)%K{RC!y<KR4y(f~r_*;qq{zZw)^P-iS3gl6Wb|Yq%aXPz=jRzB zrHAf3i@GiE!`^=hTjSq2qp9MK8#DLt=N)hM=KI7}MDUAA5xx1U`f2s6A-S8u{9Q-F z1~0ihX&}iOM~+8c>{3O^6_&l*)N(-WFkjq#f%zeqJpoob_)N`=0(dJY$az)Ney-p( z^U_f@aeL3wW)_ZL;t|z&x8Ipd@0jzbXopZd*hwVwma3&|j#SS$oq?YhIj*T~E;XP~ z-@F)^Wz(EgML)28TCc{YAPT3UwfFL%9G6h=YhMZHyDy6&2h9|7gUfgKw>Ro5__*8V zHPFJ&w#w-4&lqmLD&30;hv;l$0H!*ZVJcF=xWM+QD!1&H5tn<amPxB&3JqXt-zu0e zx5S7-!r++$slf}-I0T$+^_Q~@^U%U*Kx)kEXdwk#W^#|GoC(dF76y{Fe<%+?_y8J! z!oa9O>zI|1LQDzp?Iu5}f!r85qi}FuiJ2k9QX&MPMTkI#K@b5b5nypYict8!H@xK@ z(f`~dMiG+#HaN*2gJUNC%i-j{o$6u=q<<19y?)9>VGoz6F1H*+KHCwSt8Io}9S#oI zOizY={f+3S=NF&bt75&!-L-GL^=!I69`R;#QE|f)OU}`sXK9vlN*<Lpjs0IJfzy6e ztmYWM`?TG;`yb0kcbnYr3mEqxeJyp)-|c!Z@bs%Qnx(p@D-kewV3#oCY)9qu((b$~ zgt1s}n*ST6sJvfepy^2}hqo&K?9{J5l$qk&1<@+JyT=wo&g^z*nSOH9t8>1paqiqk z)x(2<)rAi_c#n&S%(yT18>$Ex7Tj-X?x{R+F3~iFhP3NT7`nI7@JW5av(2)GO7EJ6 z4+)w{acXBwNqD-|3(qF*JEOHLLz|WkQ;vv!yaH@q;7RTJ6U(#QR+;IxEBJ#%eplam zaQI&e5GMZs$N`21tz#%N6qDpv36M~x9fgMav2trdy+YmHSenCY<^BL0ogha@X{8LX zQGB^M3m8|ohoJAZ5J^hQwV05&x{@|P!LU$mRzG2@V9G1{WY_V~Bwre%;!9e+csl3g zL)7nJY76?UWRanBu^25G>cIOL-!rOs|4m%UeG^ygD0>+>7^L|F$PsYS6(Em@i1__5 zf&xLpOw=Eo7D)$+4J{inU36(YgKc)hyRgt=SIOFfoQf-Px$o+-d%h^X>TqYHbHdJN zb;?t0AKK*jz?+6Y+Fo-M$Z6=S5O|UQwp(#?r?*Dr4(B7sEDGx_@f$|eqRck5w|1*m zgiGCUZ}_}WZ&Ol@$TYOw5q*O8c@eKQBbn-l{t1>cvQE1+k^9A)M3tGkw(g4fqlF|* z^7DbCw#pU1i55tC-xF!Q(thlGTJXqJNmHup`$iY4$mkB~?xmVJ$8f|If58OYQVWmE zQTL@P0k3!y!)C>%kJ3j1*L8%!lB|8ZyV<!h6%rj~KagI<Pl-PY&{(-KGwgx|RDv zBb?Vw5tX*}f!5W%Hr5%Z@=ryE9Z5L(p*DM4M}<J|$zydEJU3oah^k(%PVeb&S;CA~ zZ$C&=`qkNSU+Vb>X;-&m_+@_6&Mq~}iy)TgYTI}5UW`PJ9XKP@8R8$^_Aw%=&f;$3 z+O-yQS{t;Sh_AK8mIlI`_GS54;==bBE8LHRIV8slU7xnMc>g*dHB!2sT3b<)5>r*m zzwln=#PlaanVF*YHI~qz$GwYN1xW4l&h{$TQX1T!{)7sSwn}|}=WO%Gf#JL_T0!)m zi1ehm){1?I=oweO4jCwWKzQb*Wv*^D@{or0r(E~AU#e%Nu3hFaz;_HjUMM`|!WR^q zC1iz_S}IC+37<V)<k$|;*`)y1BbRZWR>Ey`fPZ(Rk3PxkQOWqsA57-I1*A-sN`$Z= zs(?VYBNN{-lvPD2W);4JNRt`I1Lol5VYdQ@IRgVQg3ub~1r8prpFF|43cx!{16B~6 zn@4i_fR8Q6YGq~SnSnEm;ALrmVpb|4|E>~5NBlVsMKI$~1c*a{j}=|WX)9;XGI10V zjWg~pPUu9Z`A+TceJXLy>=IUFZPNJ8!=_x6+Q&b8)!mBRg{X7coOnYL@oG!dahkqO z*mWmw_OX-uh`-7>Kh3CQP#j9`yiZ*3{+{IUd|yD}mIcnA{cA3iM{m3R%&=PGEq#PK z^*KfA_0=X5KN*Ye`kd&pWY@Abr_vaWUX8_{w+<UID7LR(C)ef=!9%XIwdt@$OWC|J z*)EE7htv;=4;1b>A$e%BKcK;4ApzH~c)ux9&82hEl>X_IQ?jc=*gz~teoo?$WTK#E znrag{rpV*bPI=yShW7pv7iG7;d46WzY!jZ^Z@A>*H{Y~3Ys<l)EPZQSZ+p0EH)XgF z@4B~YF<)eMv!vRL9r}8~a8aw<ej|Zm@+ra8hmakHU*~Db2{wXi0Zl&rg34_de|u=! zQqZe)%+4-ECBsFf^JtF3Tw~RhM~~@V9Im%N-^to3b$wm1%FBI-7gjZ@r#ZFfG;9ub zKS26C66R`%IBHUR4wHDSuKD;Tz2`piy)Q@)Z#}j@80YuQTl(6RnFU!YvcI?trJNHX zLPvgx!@2bRCcb@wavjYPP$blHV9a3HYhxh%I)XNnQhz>FcP3Nufx=oP`7$;hOr}oL z$zfUB9`jaN!SR6?E<Lxg3g#_`(@)RT-TSz9(BtsM!uE++e-7!*&^7o9&7A}^m-l;` z1Iqj#X^y$xBO`=js(t2y%(p0hAk8AEsl;lWI3JvN)^z``Zq@f}e#anxNiqH_oCTQ9 z4chr{GTmS4|9`=BEJ_706~O^w4TFfx;mV@4LAH$sLyfU6N%>!rF$fx%FC$^L^Me$b z?F3QMkmPs%{S&1@*33$BD0657#L3R?9nS;S=^!0;G;6^w{vrvEK>Z)-5rhHlas1iV zWq}jb<X-7v^2h1TfqNsBlc~s_3R{5);ln&mi-KzRhFe@{aeSC_)E0K#6PRM__lg4- zBOqxz0rM8e9eqbl4DXyfnR|yPdwrjf_b&3*I+bmAYs)UjmhDto%*Zqka!t|a5QY42 zoEfsWC>!=t%*?RR-BY8x(f8GM@%Roxj!K47ip@-fn^DcMbf9Uw6n_A6zy%(J%ieq} zKBvD)4puppf278A{GhR}gT8p=PjUX?r3W`*Q^W0Me711xIFz;h^^oSfr$V`2d*%z# zWn(b&bUlU};TL;zRQzSVj3D7?Us1_RgFWz*5hufcO_;UpeC)dB>rWq~vSW=fbhe#< z9-I+CZpEkkm*5|<=C5dJ)jBOBJ_nNczEaAC#PEFAiD2Cpl3rCpWB5P>{bN;E1kzkp z;=!ziq#2UnEXeOOPrv6WLfSvNL17e7a<F4RYgk^^((j6QD2$SYt+`+SF-rtCe@89w z%CT!BGy7H(C|ICG(Gjqs<oY)x$)1tz_2Zb~?o!POFB@xD7r4t!i`2}>^XAB<h;#ci zqO9t^?0GJT@`<`Vl6T~td4i~8^AT77>M4^qQp#l`v6}pc{luOee0c`{Tawj5?%ftM zeS0I{!FwkI2g{ZE6(s6Q%{xcaKZWjbipVU@aA?LlF3fTmN|}hO>&=k_W60YbpO_mb zE{s|T)9Q!Xs}Pf4*M10bjMduI0HKZM$M>&sZn%4U+X9~s|AL?6p@as}!-#&eHFr_G z{f<}B$qA5P?3Fn-dx<{ysn0nRzK-1TL|iFBt1#=9)#DZ(Cn80tC&|ZBm`(DCM^>!R zBTm?t$0<AetaZ<i^-P^5eJ-zswBycfs0hrJQ8l@#mlpv?4xkzkz2zl-J&lplDh?+i z5(XR(Co2_vz-6M9r@hh+kYU25D*C}i?s%KDJ6yqSLwcFd^yhLX+suj1CX0-_^^K<S zPE8?gU1wc7+9HMsmX+trF>rH3xmntP%7ZE8kzw=AY8}stYECM($wlYLeCjN&3!9r2 z#!nVX-^3=BdXy(bdZ^85qW7p$IT&la#ST0Pjg9n`U;CgnNc(AiY7Dd}vEA0Axu5fv z)X0W6u^O}qbfAybdpmV9E;6~yz_oL7{dv+A!H=BR7-nV9jT8)TsfAa?W$N%fnT-lg zg6Y|8@OpD=_wk9b0y+W>v;oHtOJc{+;d6i-W|(dk@}FMwL#+AJq9YeOn+6{e0sc`L zV>=}NV_--O`g?%`4jgG^H-d`|!w*ClSm(u(AUs6I;++6$fBzJP0SnD}u~&D}c9&hL zI)>3JY0qw)N)9mjlRLm+_>=ps+9xyQ<2NyKqSFI<xSwzGhE=9W6`9Z5o_v)YX)dgA z?4`ce9M^ts)QrHXN0sHCm$KcceEisRk}quCO7Zf~hH|&)Y+VXH@47cbuR&#N;_>tt z<;f()D0)TuQd+y8S-1N@k}r<SM5lJGyfq=A7}<KnY&yHF)J~~uPSo}w<JLmiJ=`fj zQ*-SkN6vWeO71nL@xcnI;e<t3wK$>d!bNrM*CNo?qXhYuFSv~%9NXHR%!IVZUdh*H z+dgm{{?NX6p0p)#>j3=r^ZG*yrWOx^yG|uuP1V1>Po-4ts@i~U{N;NcJ{PZvX_>jZ WUG0gv+JCIem~wSX<^|8MJ^uswUPJBx literal 0 HcmV?d00001 diff --git a/venv/Scripts/activate b/venv/Scripts/activate new file mode 100644 index 0000000..ffcbffa --- /dev/null +++ b/venv/Scripts/activate @@ -0,0 +1,76 @@ +# This file must be used with "source bin/activate" *from bash* +# you cannot run it directly + +deactivate () { + # reset old environment variables + if [ -n "${_OLD_VIRTUAL_PATH:-}" ] ; then + PATH="${_OLD_VIRTUAL_PATH:-}" + export PATH + unset _OLD_VIRTUAL_PATH + fi + if [ -n "${_OLD_VIRTUAL_PYTHONHOME:-}" ] ; then + PYTHONHOME="${_OLD_VIRTUAL_PYTHONHOME:-}" + export PYTHONHOME + unset _OLD_VIRTUAL_PYTHONHOME + fi + + # This should detect bash and zsh, which have a hash command that must + # be called to get it to forget past commands. Without forgetting + # past commands the $PATH changes we made may not be respected + if [ -n "${BASH:-}" -o -n "${ZSH_VERSION:-}" ] ; then + hash -r + fi + + if [ -n "${_OLD_VIRTUAL_PS1:-}" ] ; then + PS1="${_OLD_VIRTUAL_PS1:-}" + export PS1 + unset _OLD_VIRTUAL_PS1 + fi + + unset VIRTUAL_ENV + if [ ! "$1" = "nondestructive" ] ; then + # Self destruct! + unset -f deactivate + fi +} + +# unset irrelevant variables +deactivate nondestructive + +VIRTUAL_ENV="C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv" +export VIRTUAL_ENV + +_OLD_VIRTUAL_PATH="$PATH" +PATH="$VIRTUAL_ENV/Scripts:$PATH" +export PATH + +# unset PYTHONHOME if set +# this will fail if PYTHONHOME is set to the empty string (which is bad anyway) +# could use `if (set -u; : $PYTHONHOME) ;` in bash +if [ -n "${PYTHONHOME:-}" ] ; then + _OLD_VIRTUAL_PYTHONHOME="${PYTHONHOME:-}" + unset PYTHONHOME +fi + +if [ -z "${VIRTUAL_ENV_DISABLE_PROMPT:-}" ] ; then + _OLD_VIRTUAL_PS1="${PS1:-}" + if [ "x(venv) " != x ] ; then + PS1="(venv) ${PS1:-}" + else + if [ "`basename \"$VIRTUAL_ENV\"`" = "__" ] ; then + # special case for Aspen magic directories + # see http://www.zetadev.com/software/aspen/ + PS1="[`basename \`dirname \"$VIRTUAL_ENV\"\``] $PS1" + else + PS1="(`basename \"$VIRTUAL_ENV\"`)$PS1" + fi + fi + export PS1 +fi + +# This should detect bash and zsh, which have a hash command that must +# be called to get it to forget past commands. Without forgetting +# past commands the $PATH changes we made may not be respected +if [ -n "${BASH:-}" -o -n "${ZSH_VERSION:-}" ] ; then + hash -r +fi diff --git a/venv/Scripts/activate.bat b/venv/Scripts/activate.bat new file mode 100644 index 0000000..bd7567b --- /dev/null +++ b/venv/Scripts/activate.bat @@ -0,0 +1,45 @@ +@echo off + +rem This file is UTF-8 encoded, so we need to update the current code page while executing it +for /f "tokens=2 delims=:" %%a in ('"%SystemRoot%\System32\chcp.com"') do ( + set "_OLD_CODEPAGE=%%a" +) +if defined _OLD_CODEPAGE ( + "%SystemRoot%\System32\chcp.com" 65001 > nul +) + +set "VIRTUAL_ENV=C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv" + +if not defined PROMPT ( + set "PROMPT=$P$G" +) + +if defined _OLD_VIRTUAL_PROMPT ( + set "PROMPT=%_OLD_VIRTUAL_PROMPT%" +) + +if defined _OLD_VIRTUAL_PYTHONHOME ( + set "PYTHONHOME=%_OLD_VIRTUAL_PYTHONHOME%" +) + +set "_OLD_VIRTUAL_PROMPT=%PROMPT%" +set "PROMPT=(venv) %PROMPT%" + +if defined PYTHONHOME ( + set "_OLD_VIRTUAL_PYTHONHOME=%PYTHONHOME%" + set PYTHONHOME= +) + +if defined _OLD_VIRTUAL_PATH ( + set "PATH=%_OLD_VIRTUAL_PATH%" +) else ( + set "_OLD_VIRTUAL_PATH=%PATH%" +) + +set "PATH=%VIRTUAL_ENV%\Scripts;%PATH%" + +:END +if defined _OLD_CODEPAGE ( + "%SystemRoot%\System32\chcp.com" %_OLD_CODEPAGE% > nul + set "_OLD_CODEPAGE=" +) diff --git a/venv/Scripts/deactivate.bat b/venv/Scripts/deactivate.bat new file mode 100644 index 0000000..1205c61 --- /dev/null +++ b/venv/Scripts/deactivate.bat @@ -0,0 +1,21 @@ +@echo off + +if defined _OLD_VIRTUAL_PROMPT ( + set "PROMPT=%_OLD_VIRTUAL_PROMPT%" +) +set _OLD_VIRTUAL_PROMPT= + +if defined _OLD_VIRTUAL_PYTHONHOME ( + set "PYTHONHOME=%_OLD_VIRTUAL_PYTHONHOME%" + set _OLD_VIRTUAL_PYTHONHOME= +) + +if defined _OLD_VIRTUAL_PATH ( + set "PATH=%_OLD_VIRTUAL_PATH%" +) + +set _OLD_VIRTUAL_PATH= + +set VIRTUAL_ENV= + +:END diff --git a/venv/Scripts/easy_install-3.7-script.py b/venv/Scripts/easy_install-3.7-script.py new file mode 100644 index 0000000..1cf8dd8 --- /dev/null +++ b/venv/Scripts/easy_install-3.7-script.py @@ -0,0 +1,12 @@ +#!"C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv\Scripts\python.exe" +# EASY-INSTALL-ENTRY-SCRIPT: 'setuptools==40.8.0','console_scripts','easy_install-3.7' +__requires__ = 'setuptools==40.8.0' +import re +import sys +from pkg_resources import load_entry_point + +if __name__ == '__main__': + sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) + sys.exit( + load_entry_point('setuptools==40.8.0', 'console_scripts', 'easy_install-3.7')() + ) diff --git a/venv/Scripts/easy_install-3.7.exe.manifest b/venv/Scripts/easy_install-3.7.exe.manifest new file mode 100644 index 0000000..a3dcdf2 --- /dev/null +++ b/venv/Scripts/easy_install-3.7.exe.manifest @@ -0,0 +1,15 @@ +<?xml version="1.0" encoding="UTF-8" standalone="yes"?> +<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0"> + <assemblyIdentity version="1.0.0.0" + processorArchitecture="X86" + name="easy_install-3.7" + type="win32"/> + <!-- Identify the application security requirements. --> + <trustInfo xmlns="urn:schemas-microsoft-com:asm.v3"> + <security> + <requestedPrivileges> + <requestedExecutionLevel level="asInvoker" uiAccess="false"/> + </requestedPrivileges> + </security> + </trustInfo> +</assembly> diff --git a/venv/Scripts/easy_install-script.py b/venv/Scripts/easy_install-script.py new file mode 100644 index 0000000..8bbbbd9 --- /dev/null +++ b/venv/Scripts/easy_install-script.py @@ -0,0 +1,12 @@ +#!"C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv\Scripts\python.exe" +# EASY-INSTALL-ENTRY-SCRIPT: 'setuptools==40.8.0','console_scripts','easy_install' +__requires__ = 'setuptools==40.8.0' +import re +import sys +from pkg_resources import load_entry_point + +if __name__ == '__main__': + sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) + sys.exit( + load_entry_point('setuptools==40.8.0', 'console_scripts', 'easy_install')() + ) diff --git a/venv/Scripts/easy_install.exe.manifest b/venv/Scripts/easy_install.exe.manifest new file mode 100644 index 0000000..9c19e18 --- /dev/null +++ b/venv/Scripts/easy_install.exe.manifest @@ -0,0 +1,15 @@ +<?xml version="1.0" encoding="UTF-8" standalone="yes"?> +<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0"> + <assemblyIdentity version="1.0.0.0" + processorArchitecture="X86" + name="easy_install" + type="win32"/> + <!-- Identify the application security requirements. --> + <trustInfo xmlns="urn:schemas-microsoft-com:asm.v3"> + <security> + <requestedPrivileges> + <requestedExecutionLevel level="asInvoker" uiAccess="false"/> + </requestedPrivileges> + </security> + </trustInfo> +</assembly> diff --git a/venv/Scripts/pip-script.py b/venv/Scripts/pip-script.py new file mode 100644 index 0000000..1bfb0d1 --- /dev/null +++ b/venv/Scripts/pip-script.py @@ -0,0 +1,12 @@ +#!"C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv\Scripts\python.exe" +# EASY-INSTALL-ENTRY-SCRIPT: 'pip==19.0.3','console_scripts','pip' +__requires__ = 'pip==19.0.3' +import re +import sys +from pkg_resources import load_entry_point + +if __name__ == '__main__': + sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) + sys.exit( + load_entry_point('pip==19.0.3', 'console_scripts', 'pip')() + ) diff --git a/venv/Scripts/pip.exe.manifest b/venv/Scripts/pip.exe.manifest new file mode 100644 index 0000000..dd6f562 --- /dev/null +++ b/venv/Scripts/pip.exe.manifest @@ -0,0 +1,15 @@ +<?xml version="1.0" encoding="UTF-8" standalone="yes"?> +<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0"> + <assemblyIdentity version="1.0.0.0" + processorArchitecture="X86" + name="pip" + type="win32"/> + <!-- Identify the application security requirements. --> + <trustInfo xmlns="urn:schemas-microsoft-com:asm.v3"> + <security> + <requestedPrivileges> + <requestedExecutionLevel level="asInvoker" uiAccess="false"/> + </requestedPrivileges> + </security> + </trustInfo> +</assembly> diff --git a/venv/Scripts/pip3-script.py b/venv/Scripts/pip3-script.py new file mode 100644 index 0000000..5621f44 --- /dev/null +++ b/venv/Scripts/pip3-script.py @@ -0,0 +1,12 @@ +#!"C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv\Scripts\python.exe" +# EASY-INSTALL-ENTRY-SCRIPT: 'pip==19.0.3','console_scripts','pip3' +__requires__ = 'pip==19.0.3' +import re +import sys +from pkg_resources import load_entry_point + +if __name__ == '__main__': + sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) + sys.exit( + load_entry_point('pip==19.0.3', 'console_scripts', 'pip3')() + ) diff --git a/venv/Scripts/pip3.7-script.py b/venv/Scripts/pip3.7-script.py new file mode 100644 index 0000000..f6a4d02 --- /dev/null +++ b/venv/Scripts/pip3.7-script.py @@ -0,0 +1,12 @@ +#!"C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv\Scripts\python.exe" +# EASY-INSTALL-ENTRY-SCRIPT: 'pip==19.0.3','console_scripts','pip3.7' +__requires__ = 'pip==19.0.3' +import re +import sys +from pkg_resources import load_entry_point + +if __name__ == '__main__': + sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) + sys.exit( + load_entry_point('pip==19.0.3', 'console_scripts', 'pip3.7')() + ) diff --git a/venv/Scripts/pip3.7.exe.manifest b/venv/Scripts/pip3.7.exe.manifest new file mode 100644 index 0000000..991cd51 --- /dev/null +++ b/venv/Scripts/pip3.7.exe.manifest @@ -0,0 +1,15 @@ +<?xml version="1.0" encoding="UTF-8" standalone="yes"?> +<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0"> + <assemblyIdentity version="1.0.0.0" + processorArchitecture="X86" + name="pip3.7" + type="win32"/> + <!-- Identify the application security requirements. --> + <trustInfo xmlns="urn:schemas-microsoft-com:asm.v3"> + <security> + <requestedPrivileges> + <requestedExecutionLevel level="asInvoker" uiAccess="false"/> + </requestedPrivileges> + </security> + </trustInfo> +</assembly> diff --git a/venv/Scripts/pip3.exe.manifest b/venv/Scripts/pip3.exe.manifest new file mode 100644 index 0000000..cdf9df4 --- /dev/null +++ b/venv/Scripts/pip3.exe.manifest @@ -0,0 +1,15 @@ +<?xml version="1.0" encoding="UTF-8" standalone="yes"?> +<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0"> + <assemblyIdentity version="1.0.0.0" + processorArchitecture="X86" + name="pip3" + type="win32"/> + <!-- Identify the application security requirements. --> + <trustInfo xmlns="urn:schemas-microsoft-com:asm.v3"> + <security> + <requestedPrivileges> + <requestedExecutionLevel level="asInvoker" uiAccess="false"/> + </requestedPrivileges> + </security> + </trustInfo> +</assembly> diff --git a/venv/Scripts/pyexpat.pyd b/venv/Scripts/pyexpat.pyd new file mode 100644 index 0000000000000000000000000000000000000000..c81be03f74127d8243e223ef5f0ee0c33f14328d GIT binary patch literal 168088 zcmeFae|(h1wLkuBb|DKa>;fB%8YIA~p@}xQpn*i2nCvEKf*V2-S|EU8-KMAryBZ6G zjk^i^WY~ze$kodA;=SDa@wT)Vzn5a9HY5hKpk9n%EB@#$ZE3qPu|}mBZ0hrQpP6T$ z{gJ4V`}y;m7wj|7{5W&w%$ak}%$%90;yb$}y(CEn{8to7YR8lQ3i<C>{OBZU%B&+( zq(c+_dv?37{J&=}cYkkl=EhC;-?M4my_t8dyYIgHJ(+jjow><-U*`Aj%PhI0D)Zj^ z*WZ2p<jE6lD(Kf2o&6(Q(RMic|B=j@hnw*J#4V3LFY{;U`Bwg9&x`n0{yg+8kv_Ee z(dUD_{G*4@;d$s=Ezh^{XB#hf=vxmQrt*irwUfUu``%q{sw>(umqU`ub>pOeoNQki zjXNu)%$}s1GDZ3e8rUjgn?FR@Lg5tpvG6d0<LM25(WkTzkszjLr5-s8MIl}eKl~{k zmVy+?g>q~0JVXFCrbw2F6j1*jOp%_r0%2c@^xiBy^HQYc(X>&XE0A885RY=G{fqvt z_uSp!LE<eRsO_S*5);JzWdgnHH?3diSqCzdQ3Bd_8y+7g0xp!K!s|sg>C7~wyO3`R zo@iVAU!f#*UcYJcrn?Zy+ln?zCcNA>B46S4o9^ClKQi*Rg9cJ2^3{yUcPnE5|G)nQ z1=^3_nPTaFP5Y~61B%yDFDYJQy;2$ZjiM;bsBAR&Pv|O@v=^lmi~m?gbLYc)|8ZqC z%JKZBdTANu{?D(<&GUyG78g}us#j1;<Og3}NW+eo_YW9Dj^VIln40YhIfh(rQ%Z^j zXalB_cAn#CZSM4>Dc)gLJ;W-Ek?OgU<UeL$e_Y*d@1)--NZ?-yXfAg;2Z8b%bks%@ z%9k;Rv4(9lHec{u&Z>u-PkCmtw)NnBf0rxr!+uF>?(|Mp(jus^PC%Ah+(>>V4<PCk z@l2``^#Lj?Gy?v3=A-Pg!xVNHcaBT3tX8hxkD^iB=qd918?2J22&HOJ>>F%XCW--_ z%qVh&8SItpli5AlU3GvaR~rFo7-%J6vbvkUs(7g+0Q^ztY5OXAdawN|dX|i&r;}P< zW^6v;$ze@riH<`$&ussY-jl%`!*bIAqT2Caaw%yCcrU0Omi!*qfolJO8+bwYsu7r5 zK(cSwFt3p<Mb%z&sB#`V8QG2OywhTs%q2{&@^2fK>dcRK2AlejC7xnb>k$&kC|(^c zp2$tFz1FuSOOoO`kki-1`SpC1U&D?eHF!SC#qRyJ#KG1m6F<S5kAbE#@p;8N6v@1a zh;B^aD7F1A_kof0&IeVSI~!;Dhvsd*f*G2Jrl(k3ZelbgjrdH1HEN_FGT>L$)MA{n z&)D0dTi75*62?SfO>LEub`XHr6bzUp@)ZA&;<*AeHZiB6h83nOy~w$yj`!)x)!idg z?45{?qgHf$SJkiwjJ51DdD~F)1@CzKyY|lhAFw?t+h5O~&I0}OPj9lZwp}1)sO1T~ zyOve4q6L*ougK^>W|8+$KK3-FhT7=27^5aTpGR++%UY;#<uc_kWplB@1t{A>l~CCh zUbbZ~US-fxX`JF$=53z9Our;L_NUlSxT-4MFA~|)%7_R<DAlZ(17tDOOSQ_v7w@FB z<($$cP%RbmiQQqSWlPePHv|pWp<j=@2^iq1$39mSitY3)hTuB#o`~I|#oDTloD*^P zXmOUBXf-*aL;d5ak_7UD$gu&#mgLww7a1M{hjYT$u#cD%L&Q5xxlu{W;6MyA#duN_ zsjeIS&#H~hr@T|*hr;S^_DW6Y0Uc9Xbwz<r@5Sts?g8KiTBaQn?X43Xi$0$mU$UF$ zTLxXC=1c7U*X#l<jVF?lU#qd7Vjo4WsY16pjdj2>HC(uH*9<AD!+`HH_jy7^NrN3{ zfye=G3VC}C3v#K`m*Sb~@6&~S^hPFyy>oSU*q4DfGE3=AtG|l9T~mwZo7G0Jg(Tej z=dxGO{Lm8V3){~IF+`TI;w<1ew+0eykgx%d7@HMudQFY8IZH`9gE+2hytCG@p1PIY zO6rIXWZ^YPSW|~?1X^M|vWx5;R+{5)FiD<`^*SYO0g#H0%QemKdd+My;i>32+Wpfw z)iH`OU{$)K%WoM`7l`|M<U}QiTS^KlO{J}P1EmZ0fzoU0p!+dyWv2-^)Jx$~D<~(` zC>x<Yvj~wh)TVd6X|+evk@A97pJIvJC3u#dL3ZSpM%3N>uE*!s6ZaMys$#+;NkkC8 z)?{E5U(TF1pg7GH=@XE{PCloogMzP%^&jY^q#XxR&7J1v5TQw$fFO9ML)fxv6Gq<u z5fH$#Y^kk^)n(SQZI+N>QGR!07PQrjO62h;)Y9D9P{^F318zbA`-$58zcs>2AaE-Z zvaVT4aGe=wnI3k-FaMx}croc3Z9D<^`3Fp>&q)25Cz%5#aAXYS&p|*|OAVgQN~ytD zxX?ux{?0{3xRf^;O$+`S`TW~0QjN#T9)iW<9p^u(^v`66eMsm}V-Ab`g6th$l<P71 zds6%b2PN;Pc=vBNNmZVyHA<SKcAP<8ZS0?<q`gP%dPa5_o8L7DQh<}aQ+7Zao7<iO z71?SFd%f#yiXJ)6v+0pv4Z}_Z$D0F>qdsM`A=3Rf#DEbDRQ_g;9hen}7+LjsR%VhH zOk{;7d6mV`pI21_){Gks=H}N%<B$>D!5l;W&J>`P?-(}kbdw>u8sJT!PzewMT>?J= zpemQ!1{RDeJrgwwNhJK)9Xafb#==#~e3gTt;!J2w^9RV|CKbSCiaUpc;c}&v<O+d# zg}_7wi#hNdUK4~%-+v&653G$#k&_RssL&cQ2u3t<W!)OC?`dG>jwlb))~}->Q)H-& z4jF=ZB3=W;gZQ8#83j<RUycdC=;%xyh~TJy=Z*MD6oNUh76e~er^*P9CYMiqgwfbA zfSdn{#>cq%&qOOed}oW{3vNCc$pWi@QPcrU+<cVs(O9aAZ23%4T<!v`|A?o+lipdt z=450hVdLc8NoseciVPodIko6mCznlCn8Bz$3kht31Wv0tathu0LLtef@I{UQ8$xzK zkw)|a3S{v5ep;^9=b5=Ct}>z8OQG7MMh^{oQX&}N8a<4l$KL@yMvo8iHj*CcXmTPw z!jzBG12W5<2_YQ03pl&n<q34LXmlAD#Z#Cgai~ISCC~-qj?3&AUCt0)mJ?n6b7-t| zdHnXTNtdXCji-+V^qGyyWAvGhw~_Q25@^No3+7^=PX_VJ?MP(R>FlH{Qpkf=3NGY9 zSXr*fH+T@d<%-Ng(B<BcK*My6hFw_d7#nXvv?S5+9MRB2H2nUjW2Iqbw7#+ORx*E; zfPT3N^qVs({n`aearFC)=;yH3!YI%TotwF#V^uAObXYK|<-mqmbrzBO>;)pVjVSpm z9?YcRD?Et4a7B*tAdwm~2utK3UR~~B0=YAx_Fdq~_@P=df}DRPa_%B>W&j4p#u$cb z$`ZBvJTq6WiOGc#Lv`gEb*OTdjOWL)F^*Taz$uQNG+wL3bdHZ!h-m(F?@efYjMu8M zyf!voD;q%^G7(<bPsCBqkCixoEY*lJHaQkIUa?+)`PoOcc13v*79Te~kE2iIiXj+F zHH#Wejdpuy=-be<!@Jm0%Mp@S`s0x<s0$b{x5)ZZOicaV27jj&S@IiATi<3CLzT*d zMnS9x4a$w~0~)3L$I`)aWCfEZM9vW^j~mCa`6`SPP3D%P56cq9#BHOFiT#3faeX)q z`D)p#k%?qh46&2Vif0yNaOC|@s2Se*BN&ODw4aLXbZQ;h3nozcuJ0JawJ!G|tx-`M zc_bLFXB+|yT0$m9OAJ!~wxq#QuJQwVz=X*b^xDlZ)?R2Qe)#ZX!4Jn(y@vG5Iru+e z)tj@M=L!|W{;4CVIzkHqn>C`;1XgIR;<Nj@qzQcd_;G>uB*A0yeB7wC&jLjg_1$mK zU{(!rjX?y%Ib9t@R{o5*(JZbFU6IuYy4=SS$O@67S_evr))`-69YDGzNpM<gexaAB z_#YpQbyPhXt#9lSJf2?5K`&YviqY$RqQeM#X-FUx$Ez=KdXc?Ea<&ZVF86y0M4|bZ zFqz&j9xG9nk044N5#=lqW%uA%iSmPJePbd@JUy(S$BYF2F^<YV5rIn_J<f7^zzC>{ z<Rg()b0Z*^2e}b&H4kzl;0gp??!g3VSv6|Cc<WfHWgS7S?-8|zh+5zMaIDlSkJdLP zY9-p2>7bXCK(CKS<)3zeO&q;m;q;>M7MX-Zb#O@t#!sE1GE4B$zZ8v?GU+2ILmNLY z7!9CI`CrCLnH!?@jgc}!W5x4R2Iw=E`N$Ijr#Sk=%}4q_AfkNHd?ZvjR-$B#Ac~iW zl0ihd33ZIk$e9_fZ>&U#r$;8}K^zj3H|K~CM#!6>KqrnKFCrgAjcU~70%tL~PUH~Z zx5i40%n`(Rn23=_#Q4U*SczeY);CsSfJNfzVFNu#;>PIl-l+6w5E#YL;}FrqU6?=z zEPSXEx8att(!n-@4%>(hB}9ig{bQwrF<Rf(phKK}r`b+fW2A>$U^ZrYxNjaSJ+MTY zq?VhA9xI3*)7~E|J%$R@`u>;n$N@dbDva@m0dFJ6%L;*696dN6Ij~%mxQwo?%UWWy zD=b!hk#Nb4w&N=&^*JNx)=YGB6W!j4jFoPk`Cp%I@#86XjP%Ot;~4!vr<WAP|10U0 zJAz&^(Q6~o>&Jf{E4_9tz9f2KGUYYe->rpVzi7n*bKpdr2=d-8*h^dO#+uhffskB> z<=}?wQKZgQ+{RDQu!*iV@@W#SMJLR*7mR3oh}s^cw*Tx;U)grgKh!E|<ybr>g>`1c z9@m;W)*U}Z0DoW!xT?nfF3S}y&P!B6UeCxDr^dH<IbYq0+y&HByKV&!a=WeqL6@eO zo<JL7iiu|1f;4~5i+0qPlO}HjX?{ec*+-=L;UE8BlZK1n`0-PK@iQes-jH=SQr<)a zDskiI4CyU0dZDD#BY8;Yvnf~PIv(V9?;Hd%BTXPt%<esgz2>nkNED19(taY+i$tXR z&V413)P>dM(fYoojE<*Q;TZK*yTB@rUSF=i+ix5zEec1_;@^oDy+n&U|1efsltt_N znzSGWs==-~`zWfRyi2ii4cTD~)y~7x%XqenHaXX@lXZPRJPW4arru1k6hFfS+44^U zNsTlOlQFtgUyL<%-D?u|)~G%j&$k-<1G%3TE(g<D;4Hx2_N?Fz53~S+U3n#~o%WWn zz>KX=PbJ$-4mI;x%UPg89w66{-^Fa@aD<rFY30ibp&HW*XNhX>ox=8e3r}(k_g_;l zg&e&EvVcn*Xw-)%XsbWWafWT{#gY>23#=u#{fq!oZRWt|2-4pC07Z$KBa&y9Kaye& zyofk|MCY9sZXxQ-#;g58pPyno-a~|h-PDtjAHui{beaQu5pjgzhdCHZN9x^ZJO~_i zQ%bEX@>W;}9{`>Ysh81qHMW#2X!!M5`)b1aphdclel%<!U50fgY=dE`bh9yXH}+tW zABDE{N}kEoXeBLEm9oFas+1LbjOvP*K-&gH>=*i97jJ|X-nzuwJn{BlqQB5ZZpnx( ztq6^M?1sXxBS<}@Zh8eCr8YSYqDPG$BWpB<oR<DlHhCAa<#%~<DuIoMV}q?1FBr&x z&EIGCBE~&HK%q~4JlWL00Hx9G<IuDH<DM}hwzf&3>KpCP1gHQ<C6k;|v{IH4`(n{O zXIE8ZYY*Q*6<L<T&qVd6;46f2JNLw$oIfk8+{d|h4Hhd`phlXc&<;|DK-jHTy^|ws zRJ|ogCm$iyYT-5%X;~(mK+yj)LE0Gku%8}BI?v`&$abwpw&@9EGY6&ul%P&EsH0M) zl2b+Pp(L_^eWs2e&4^_>Z9H&l+m%`<#NmkJ<v6m%`G+(s4Zp-TqP??OVQ-mtcd{i$ zSLC}cVm|{L)C9?sG>Uv+4D{vJC~b%|-zRT@A$c1-WX#Qfpq=mJt-~k`bMu|Fl<G7d zA%2XBBMgx7?`hopCA`!(JQ{c)&wd>-U=L9p52EAMUveY@*=BH$0nK^u*WHAGcS4<V zHF@u0YkQ>Qp70@HMa1FBZd2XDb1%tnic0t&hNs@QP>MYD=4qaKvxKK!I*WPgkrX2z zJuqXP@XU+43?}&L#atP9iy&{Y{th8~QLY|#p8;RPM@mUcC%(q`g<qC;JZvsnC@;;V z!CgHpJ2O>z9(HDc^4Nnmao-IK{Cw1vVOE+hJJZ=6#>nkhu9KbE+{S)vj>w%QJG0Ol z_yfUDV2Gn^@NdtM*v%GH>&a0b%v9b&0oe(MHSf$394cHSRjkMf&+{JB$@3Q#8N7P= z0fYU-qRIPK0MHff^avGNi{J?1{j>=?oXV^R4e<S%95RFm7nfR34$yhx8On{owe}N7 zDA=!uKMsuB&@yXii6LB~8>S-u#gg}Zp4Cpf5Bc^J@ETx+In3G)p2$#AP(rr0E6+U( z5UgoGez6fjO2}9mG9B&uU5ft&f-ZT(<f0>X8DcEP`NI?SEV`)kT<O24_so!YjpED* z&lJc_Rhz2)D)`eoAyhN3u1`6G@uBI(t4J?i-h7Ij5nD88M2$(fD`H*Wt0)sghx9S{ z13SE`M+da70XD!mzCG{1nYW~h&3p~LSi=^QznAKQ=vmLH4`&Lt5qipd8Hr;`=WGR< z$rSCmLKzQtz|)}4h;C*T!$oq%aL6G03z~UFAp?H`ruWC9GWRZ$w!bE3fip>`=Srx% z)3l`nc*%|o?!8|l?}4w8xASY{?fn{g&wY)&Lti7WY5dq}mi{&J+P+5K+^><h<ZI+z z@ip@9f?J>RYgNp7(!Yogg}$j<3HF*kVw29Uz)px8#27D?kZQ-l=#X9Rym9N+rC7X| z^{0mRlSL&3eQOa>cr(qswtnm$By_RvNw027QPO%bln5sa+^H}?uD;;3_`KHurU@`< z^mTgDM~oHN(S$@(qmdwat{ag-*hWKC9mb(%oA6TbP_xut=+1;URky9seE9gMZ(n)B z|GV@4E}Q;jzaBnpa9?8|*-!cZkdghV|8EBGc=KVy)cz^{zZnsH-cX55hFfm_y8_#m z9QozcTm4}}(`USquftc2d55tr?28@<3HuBNA_n#|eMU7j0^@cxM7UJPi6fFnWN(t9 z5+1~Hno2CoU^zh5OJQfGl!-coBVX8Q;x#%g;$an!bn)P-DOoSU>-NZ-t5MUdk=+Z( zf`OhR^?ltlhtL=9%+v&Gj%Y!2eI#vwy7V|(W{Lb0ZIp7AWr|l>Vi$C3xNxiVEy)u0 z4G~iK(^T0^p~{v>qiM6Lnl?)#1<ExiG@AFyQ7~EwPku5{RMG9ZI;!l(hsY1_3-ld# zCgrv;=uf6B*zs9Z1-u1EPH;u$V3imzP=9RlIn)q#!rJ9_nLAopc~!0b-J>MRnMohA z>dA5Lgy*U-=CmlAEUyXDac~xV(!y5S-v1WYnOy?>N|*A62%*xbX+Z{qXEIWFoG?z7 zlFQ}D-DtF6l^|BUyT)r=vtv2w0xTlH%49P;k&CnnR0?Q1!x=IhhVMHy0<V7(6Nzr& zZ3{+y#)|CN7a#Xb0|JVaWNxYZ18~rc&W9}KKnL2-N4Yg&l#i#`G3>6Bk$YgckS}~X z*``Z!n4t+(k5fH}$=w7l*Q}Qv_y0b_|GP~8X9n*aw0Q=N<<3vfT-oVAd*0t^)AyJU zOZ~TFc23V?|7XT8%J#g}Z=-B@W&qIi5rEJuP8);4M#S+CIn2#3q6fJ$t|5~Ol){W$ zJ(uF0-cAO3%v9kRbNA@PIIf_z@|UB$ve6j%aamkhBb9ZNavqWI_apO>VvgoB2e=ae z5zrX<HQZGa>-G;7dzZRNJ8K1+w}9+!Qo_+F?`}8g+32e(Zv;sHC?N0jZg7*bjTZ1s z=WWW=j5gjHQn6YNYPG*1L*jg-aS_i)>Q&1pAYp$;HUD@HQmR^x2^><o)PKlL3N$I+ zB=zrgld?>Tw@Cc~Hz`Ifel9UxQ5HB(9RFDpwHQ}-D-sf@X5nx9A~C};-bI?oCVi-l zDOhvt9XN$~<_gY%eeJ4J`Nf+)Vq~dP=jICyp8yAF+SSAP+zs73-T%4XJ8{t#t7qI% zav`^$=*OV*m=qn2&Vpucdl$ndKPa0H!YrTaPl1-j!qT#+LnW<>h>^@K^j_f26;AS; zkMOTj9f06fZNkKqm8we_7VjKwnIccs1?n;dl%NWUcI||^Sf8XWv@CAo0IZAg!NkYT z!&nC}aB4!`n}cg1AlT9j&o`S-n43vj(hMmk>ml^afn!jYYgAPSxxsy#kUj7Ol|31; zzQO&MgK4}pHj7C_$E2jaQ$^QJJd}V-c_J=vq8?~4%<c&KVuJqIS;YB2)0qR=c=dm# zHwWe*(A>EOQ;oV{(+3#+YF~0zOaOmXB6u$~1GC9!6F854S%DH!0CR59W<KEJ3z!2h zqkbF$5bIAmbjMzh*1h$Mx&sK6BLgikVyd(Kx~Mg0Zl+~$VMy)$qQd!&ndX3v=+T%V z;V@dGP4duk-|p81{T~Mi<-r*JfvKjmX|`*LPHyQ;1etVlV`i*#22gE$+dPv1dJzZR za7%1bnn^1(as1@XDGeEp#<bSiXZE3ilqXk7%i(;6Q5&rhD>%QkpTcrL{>(h2d1v?) zy?64W8mq^6ga#W@?C<uQ6+OYU^09^}($=PSIinrp&`P@8tT~Zm%>blahH0?CLK|_~ z%9187_<U2HRo2vc7Qma_u5^&HRqbbnQEf<t2$=%UB$rZc5^8y}zsCxb(|?QP{S7Bq zbm305SNINA;VfcZG6&Mb&Mb7qNSlLe+!!`|y^s78frnf@q)u&X;A46Ndo}UAlK-Oa z!I^?N(v2W4C>yh~c~6q~$md?L-Ye}2H(?VOTFUz96d^g2tH&jVusHS&^(bQhNlor# zdS4POyehFGjhvTk|2Af!#uOzLb_lJ@U?R=!-+HMk@<ZtGuWJBf+506>nZ+5vdubQ( z5)9xBZU8goe`o)S!NmsquaBCfW3zwh5GRxfKX4cCl}~4^;wFD!oaR%F8UD}aZN7{d z9v|g=BrVw_o|sHB5W%nh0V`HiXsHAfoxRk>r&U>G4%`Qu)_p+44U&AqD(ZJAjwVD( znv0KRt}{v~_OE*U?86L3N!yJizEUl(9;72QHl#m8Cki2SX1ZMN7YS%u2?t>MSCN2y zjw>OqBsl*e6>@Pcl6fJQ`y7wKvJk~7<EVa)gnKZS)&1;Eh?ORwEStHN@|~_X)Th*^ zxGji_o}VeiVQG5x4hmrIEWEjM)u_`vej^GK_8Cy8vsuL;1dO?P9gx$642Yr0NjgW$ zkH;Oyb_fZG6JEQZWLhBs65hqb5Cj>O5U1-2Gw-mwFdhs4G3$u_u8G1Ok{tsCSMe?o zy&>R|#*nuSU<}Qy#SkL6Z1rHRy9|I;>H#c_=hcHFre=(<cn7v#fnm07Kr#n5A*3z4 zq3PuRgL70i0PWj}QDs+fR#;IEX5sXxa?plfw~HFUkK)n-0uCH`mJ!OdI0tNTvWjXo zv*;!VLj<iSG)#kf*pAaz{`O3Ok-R_dA1^AZaxYJ$i3xta$?NgJoGql|U06#wBd<P> z$8qxA29xc&9P$iif(K7!;V|L2763tW;s!zy*3FNQNM{bol2sRD%z<V^;w&l^K?`zY zxi@H_)a68>rp<vWB!KE(tX`|fAV+Z@7(sSm8N8f>l&rwc!<!4;8He9zSR$xTNy6`s zhy;FANb#Oe!0;6$sVQQ?Gm7DJNVqf%AL1Ylgkf+L3|AnzUY~?vF(QE>6-vf1O9Pig zLo*UC4Z~kuMvXQShWkdr@Gz3=abzl?kDoy#Fr-4s7`ABOk}$j%373YUor5$HhV7$Z zXhm}UxFigf85~0@l#JmyBq<AdN@6d+iiAtU@G%b3LKwa|3Wl4IT#td7K*QCD1P!TB zGKRNm;F4%K4+)os;fHC|Xe(hjFbamfNUl#!!tfV}1cp>78N+=VxFigBAmP$5tl%Ki z2}8p~sxfgaUytN^98pW4;pK<~hEymS!_TowsHP<L@*k0KX&C;5gUlcdZKGhg6Up@x zk}!M-k-(4&C1bcs1D8a@VkBG|h7&l*Ov12i6b#>=4h$zIVfZUV0z)d4jNuU^sVRvx zd<F@ZhT%ONq>V6KKMICrNUn#jOz34hB7q?lO2#l<1D8ZYW!j};_%cc=3$qAA-zXUV zJCf_+KahaoV~7NXR45t42Q_d>7_LUbrO|LM2bn_{?i&R|1Cr};8%+X+A5P^MQlVrF z-$atKkf$W}@-L8ZX&5$fkhz3m`zRRRiRAhzNf=fj5;UYj$r#?CflH#{<w&?R41bHg z1ZCj@!mxJ~3_ForZ%)GSCx`@wR45t4T^hI~3?D+mrD1q82bo704vd1~RY<Of&6v>3 z6A%dusZcV8e=$>oc}ik0{|X70hT&5jWC3AlokTSzO6;vjuAiEO;XQ~1hEymS!*UH= z5)JK0xHJqe;_fkJVIg6dI|_#HAh~{85{54$5*SjUWDI|-flI>hF(h0XhP51I31L`1 z3Wj+|uAiQS;ao%lLn@Svp-}^ugyDyiFBQX|qolI1j4<3V3Wj@-T#pk^34GXuNMJ~X zk}>?Q1}+K13M5<_4X1OE<%Hp`Q7}A@-NSk;%p_p=TSNjwDwK@jF(j!ei6iAFNVqf% zAK)NegyEr4FkFV@`WZ<W-i%0KNQIIyoTGtDqTvK2TpEV2PohRICk%T>!SEoG>n}^f z@F_$BLn@Svp-%&sgyB6%xHJr};~-ZMh6AHuI0eb|IA4~~%NHkd45?5uhW~>kWg$;V z?B$n{aA_Da4ssP?XfjcaiSlp*lIt%|!mt*Rpdl4X#;`yGmqf$4NVqf%`zBDM*Aj-g zqhR<7lIyQX!tm#a1cp>78N(lG;F2(GLc*nCSjs`JCk$7Of?*bt>#t10a5^G^Ar(r- za0oluYD!`+{}u_ChT*?)kZ!`TVH6BokX)aUgy92-1cp>78N(V4ToMg$M#80GsOKOz z5Qa~Tg5kMTU^p`g!`BfB45?5uhKG=(rX<qvDI{DPhU+-UjfCOBQ82s}$@NzyVR#)P zfgu%2#&DVjE{TR0aT)8SVR#fJm4zO{@YpCA?n83@tRxH>B7q?lO2%-b1}+K1S|nT= zhBG<H2Ey>nC>VY|4j8KY)!N!zA0mMv6-vhNB$CvW#9sb65-ttHEga-l!f;>|3|Aq! zes&TKOA!eSsZcV8IU2Ym8cs*TrD6CsT$q%FKEhC%Of@D->?267pOb{)zabJBQlVrF zTQzV=7(Rf6OT+Lc4l+O(rjLSQI+E+>CSj;YBrv2x$rwhkt)QkP_VVjUxHJqO=OBZG zVa_NRK8WOc)!RYi!*z%RhEymSL#GBViH6r9;nFbt1Y6q5!kvU+;V2lsiRAjLlW2Gp zk-(4&C1Xg3n$(m;8ZsnY8iti92_Fe|Gc8`bR{%+O5I@|*g0HmaQk~xOY$5I0xOee1 z_|Eb)D^DA8Kamj2uZvqf$QHha67`aMzeuguxsR!#6!)MAxh+%F3Kj2w@)p}RfLvvW zt5trD9iJ5<<UdwcuXnrEXoI^!4UKaL)zEnNUNwZBE;XcczbHafJjMN*8m)J~Cqm(I z>#>uy3cDiVacdD8Ky-MV8zHm`aT~PIMufoFi1Q${u?^mK;~EfJyOTm&DHNiR4<U(% z0u<UoaY2M!UJC6*DAPxwT?qO76xxkYCl5V=(AogS?WKG?ZXbo3DQ-VP`*_^52o3VM z0~Gg&L=-ldK}Bjqc-%pX<!}xmByFS8?G%EKppy0`-_@~UD;%c@(oss=VKVVUlC&>L zdo^b5{zL8;ZNRQqHto+}GwRmah}|7+Q(5eabAK3I)k8b}Z!h9I^`08I%VA$0el`=r zhISBF>c0WL0DPZaypQzlYau59Y;SFbYdrT4fOq_Yqg{VW@$=n&$@{aqHA!2m9095y z+oJpC<CMh(_@vV=HMYs4hZL&Z2atmOB@+_dFCy%Y;D?>TZBv|H<e8R({d;S@5yYl6 z<@8E6C=L^d_cSANYH`SWt-CV@6y-1D=XFLFujl)929(COBl+Ysf)t^$$+$YS0g>t^ zu4f$-1Tdt009M6b4^`@-*M7dzPE5?+`mStP6uOP>LruAr--r6f3xsR-8~V3eaZRW$ zSTa#T{3pO}0<{GGiT$YnN~p6z1U4do&ApY$XAD3;ctYWR?aD~ye)zZH9=lv6?GVqM z4yOsEYxim6xJM*sv`ldh5;&KpOVP8gaFM|<ZhUIE$Y`7}aZ<R*WSTt1jJ<8ZV-+UW zh4Z51H`*03h8<X5f+O^lpi{@Xy86<COZDuPu0CUM={P(imSByctIra2rm&u__mMh2 zSd$7LGmZcJ1DSI5fLw7FM;Y4Q1t>ZrSZQRJvm%rJ9riGe8BHI;KBRen@8qt(Oz-;r zWO!2BFHEQ&o-{ar^|1X@R+-L<GO$<aJ;y%QKR_p5rhnTCo`#@1gHo2ReoNQyEt7`q z+Xg4SgQE)e|B<~B_Llv^B=32Bx2&7~DNY-h_y0D{-r4p3q)FkfKcrz3bkb>i^^m<s zzb(R6pOcF+WK?q+=TX=v)4hY(tF0I|?|*e_*ZbzK-%Xv=J?Ra5534w9e@iZcv(u!o zTxs;*JD`(+PLb8zoQ=Lo_C+HK@cU!o`Fs<+L7Faj@7}y|;obM%zgf1+#RgW3OFvCb zALE+{_bptv>HhU{l~FD>F*D`;Xx*l}?^}5HJr8e?Z@0+BR^-I-oP~F;zuO}hXEc4Z z`EJj{q2f&W_VhJ!aTe>Y3m4~7KZT1I(1Y%Zr9bqi>JP)Z^zXo-4{kA`vMgNkS;OYn z=AYi2p8wJ23~+65Je%)CqC6k>D)-}%V*W?wN1g*D&>{3drulHuwNK(2talK&#=QS; z#wWY}Y@GDYq#?Xto%C)?dY_y0J}2pYcH;Z^*z5dnXG|KJ|8V*dQVWrTxb+l>;YxRE z!Tk9v4D<8+g}FvJ`}kc8a38e!k#8n<1KJONz_;xuYHHE=*5a&hbmwH6I|f<LQZz@u zCAaI(>Hg2hKUAmKe%^k+WHBEuzUIlUvtTBKu13hnL$)XRWA2mY{V%0=olT!~e9~vg zFo)hPlwG{frgtM167QK$QUDdtzg@Ip{+0|lr~jF5OLYvBp()MRvsdSDF*I$4^D$fr zHe030aY`;W+Kba!mC0U}VK27WtE_gty$Y9Ub0N!=mB96O{Ljb#Z2Y(3{}uRe!GF>7 z;+OY-*)#YggT?+bMgcBv3p-v!P4HC@J31+_3>Q4h74Kny$`$A23XIgjP{oU3$1zF_ zJC2LTYvR!>9&d`r8G1z0sbAnk5P4KwON&r5PU=B@+5fvPa&n7Kiuv3SKIev-1_CH3 zusS9OY(Bg}D%juMW$z5G$|#ddY`LN3HhL}ymD?;KyoXC{7Vr88Hdi5#zRvwU51tu! zfA_w-@yxt;`?~MrX<N7Xo_q1kT6gDmde7Oip>Y$Qx%YkV`&$640O1nUCE-~{&&YeA zHRLW(K1Hn<l$YB~I4tp-Yp14Io@B=vdfD)sYw%*;|2la7cg9JdO*&3-SC0~B8zpY; zC~<Q}iJLu2TxL>S{zu+#EZS-_d2Pl1zZIGvc^y>NykK|Qd}xsUwaDrp2!gYnww)A1 zuA+!`s?qV>@!D&o195HL-7vG^a>DfqeGeg6JzOujkWelXv<?*VMAhi<8i7}fs@7E< zS_qdoq19bquGO!FE}U9#tWlLZ8|-@n*v6@J#2iJ8rqKC3jqC(y;j~1Rj;y<pb%a9y zF(Un)IAD;V(AOp?^krYB(0BbW^*PQQUVuF^G@l%_xse0pE%2;>+e>eO&O7cX$b~6K znicI@Nk^E8($S|Tzv&|v@I6Ex(ryre$Rzp^Jz=^5(I2ym3W&mu2vp%Zl8IROYquH~ zPxM|9IN_PrTBciko6b80HzxaEN(r3sp2NY)aX4&nTnCr3S@njRdSk8IhGOJA(=I@{ zB2V$lLet4Ep(=U*n?e=Ck&iK6P}5XcgD;e$ROA83UP7!U<TxM2)_dMg4n7t@v-iBP z3faEbi)`D$ERiAvMxLi^q9gZ!J58K#2^pChgLzQXAkx%^t86Ur!Ql`8QA(7&O9{6c zfty*w?N=Bn{nw2ZGrAAFPToNPeMbiX70!f5d~j{TCCq=@1czs8=0RQjIWiR;Za?9o z-U`@wbQK@=C}><odyCVr5*NOZCa!g#r>4G(YbEtCst3up>w@QgHYwC-lFjUPgM5bp zY5;f5&m?mcUWICw@@G7Fr(C6mXUK4rXUU~Tmda11smFNeEEWF3En86s8F2hs1-T_i zRpPdP95}DxQQCZg%0nTEe9jzlGgJ;!c77*AG(QfCt2$^L<(8efjP5lO7x&67>yba) z(tuz3V<*Ec8`W^QC07fPPdfdDTY94*=T;Fh#1kZ`r{xTiW`8%_!s(B!JEK`!cB!GB z7V^JEQba8zcN{`QxMiP~b-xxmsD%z_p=Z^Q-0>Ph<QMl=xP=Q;4)#SY<8du?Obd0Y zp~yu9=x&Lh;_2_;xR{#>g_=l*k-9(T=m;8<?&UNlqLm_7xX?xDhxz>(c&rs~G_Szh z3VO&5>%)a^5wSr$8pOjR9vkT)H*D=GG@uMBrJ^SOpdTbzdJ5AKm%-x-GsVM754pkC zQ<#IaToJiIJhDVuUQb~m(uC41EE8!3BCR~^^C5&bNIkwF#f5!4>4CqnZ<h!l6i`EQ zI|=Eq?+GnsuNvy{?W0iG*RDo{efzc0AuV)33mw!#&#EE8dmw7_Rt$dS!5q%Eqi`^+ z_ox*`_rQDR^l%o_g<H-6R6|yZrBw=Y?qfY_#x){s-{p`1Ngl+IKQx{{V()}o(m@H= ze___&LNw`2)gfd-hzJyJG0}sEtZE2De<7ykzI@4(TIws9C3!D0r>V473_+TbdZyG? zxgxE8D0Fg+HHn*0fR0-Q5o#fl_7pA|AL3s^2}>LQglY>7yZB>4?yq$gxvX5);p88V zfZ&9_y)%p@WFX`;h==HJXP$WDT^n{5inkK+5Z&%97jG`{SS}tb#AB6stQC*-;^7vL z4dStp9`b{pu(N?jwD{<Ozi>-H1Q6nE#N#whiXI2e5_wl>bX=u{3bat67Any~Wm>3Q z3%Rt=ay0}|vz7;C{xum{eEEf62_v^;B1LYo@!u@|n}gq;mIe6L$t`(2Y6JiE@LwPQ z9R$j9%P{{v&wt<J@n`Y-U34aY84y|Vo9vtpr9#IVPvHY1{n7KDI~tHNbejPhf2ypL zpQl%R%;L{=Yq(+*`Vb5$SDz<mbK*7i8XI$SDqgDC(}ZU&n6H|(ZA6fDv(xNKXk^U( zSVN9X*R@=$)yIW-2%6|Ewg~m@;q@urKZ}W27?J~j>=l^{dbm74$2y2K<Wn75Z^LCf zxp)iRVT_iiSFHd1ne8D$;W*3{7_G`-qLffHoLmr^Yv=&?B;_#CjgN>>+dh<t{Ae3} z%%`1#k0Ka%ZxB8#L8d&EPK1!cUt~2+rTDcUxKSwb&HE+kppM%dH;4n+q_1h61B&<d z*v$)tbn`-fJmd<TTfs`4*Ce+Q>`;*oD;xx}pp|-<;()C<l7^Jnu@v4P4YcBcPqvVj zuwyFAN*AzK;okk}+pIKCb_`y5f|VA0`UafTS!to{h_KQU*>R4QmdTE@th8KqyvIsi zGHy32T_ro-WTk6mM=vW~FFRgirEb}AoRw~n9miPdM%mHHN*iRyi>!33>}Y2@d_au- z<9ZNl?klP(BRdYU9W>x%$3eCu$O8x14jOK<<5{+21v1Ny{VY{>?88EY?AY77gV;Ri zP*|x)c09p$aE^8CVmpYtWXI0d9Uq`{(D6CrHj`W(4Aq({VFbyJ-5zu6jx)UY5LvPP zDfLq1Q@R%(#tgrjiQiH0I4?UFFvp<m%wvuL*;&9G5!qSD9Oq<b33Hs4o%k5rd$O|} zcRa~X7jwKRJ6ADBuk2jQ9IwgF^~`ZxcDkA4nC#rZ9G$XrBXhhcI~$mzU3P9|jzcmR zH_UNR=F)~a4!{@!*39v&+(M0Kj{R~AHJ&;4$>Z}Kdp%gtlAQ+Tcp^XS(aTOxt3wI$ z5#Q?gJlH}_W{%x*%OEeaOKu^uFvm`r-x?*i5OFZdma;uW|B%z<QoKP}kn<kkHX-<B zHU{3w$bY!$W+{)gz4K8V*5X=3(>yhiEvSY@1AYI8%+4MzHFWLxYNV=Y3a3OB4YI~5 znj}!dLKV7-q{;;h&?S=ckcDA!30JQ7;>lHyk$sN)KX6i7{oYWe7$CS?m{_-kq(>Ef zDZt9anD6u~kC}Pw3<F2tbeR=POv+{(z^=@pvGcCyDv}4vW*kDdvMp4fQ`{kLWWR+# z_!C`LL$`l%O=swTIx0s{Plpg1I0mK}k;q!hw)1;h4E^u0ryB&ZulQp4>}e7>z~jsE za1n!r@L4hWcL=4}B79y&RK{KhvVE*=KLI=8xs0`ZL56lM!)v2MAoEf{7&Swj_yPTV z9i%LzH7mWDLY|@I3{|ibYngYy6zSZ+StZWqQ4aS~-9%QL=2M?h%V?*TG*bGeC&^wE z71M>}2^-MR%S#N}qzp20JU>3(9s95zz6+=KOb9+kci7<jUhOz2qs`(_{>oTRoK4qz zCW$L=_%T%e{jmzVb->JYxRzR;DsBy`G^kT5XgY8*UGFqQ(8Z5$EPeVgDBFqe#&y!y zpv2uy)E!bCeS=O999WYZ@4y=G1{|bB1ZnK<xc2~mhx~>dL;WVqbL1k(D6IG9CCukU z`goBZOA+HuD=*UHN{*Ud@D=3?zaqV4lyo3ZXUpZvGP$UHl=OJ~%f2H0i_1^u?RWJw zEg(W`V6^rpr0e3-HT;&#MJu!fK^{Jz=JXfzTmBX4UsZn9SCn7-h3TUIp=Z$l?pQ9Z zeFDGrv6NB!H?HKU=^MVH{Kn*T5D(+UV~{I7-SQGoY`h438j|yC_?mftK{Hz9rlDAm zY3X1YlicKsr6l1i(#eiUs3NI6Y1l7IC&inPj`n24<iS*u2PXNk0q_(bz!=V&sNo19 zKW^<Js~Qq(0y~cJjJ=yU;qx(p_&|P)w6p*r8lwIJUs7+iWGk;h7TlZzD=kPL3Gr_; zNw5rYaFM1Lv0EdvaBC!P7Q&5@w_+xifwb9Z1*|^x&4xE_07kEmyb?-&Iqp!$2B1aF zgF+%t>=sF?=sysR@9+d$&LIOD^bo!q7ivsr=2}-JF1umeIH-}^XbM6$G0X+3AF{4S z;D^J3#kf<maRFNGU6k;3Oywr=olEr_nW?-q0cwX@m*`dqfeU{V(h@6?aWfyxo5dWr z^H-7u*<sP2jBF5yUW*U>m|T&wP_g*z4NsW^sHj5#CM@SsH8IOr<0se`n5_)g@}*D+ z^Q&T{zK%#eBRlLZjS-qakRg;vZHkG~`-;e)a3eXWJw@)IifO`6=~xW}J=xN9{Y$zU z8+JXaLUlAHu1X+o2TjfdiGzEn9})<S#X3%sm0~uSNE2QOzrPLrFq!({Ch7-$r~#9Z zU1)wte5h2hi>|0-OBUc(oJk-P3yUi8H6q@WZAQuSDi(y}`h+KdU+Mlo(t6%hl@hSV zPML$WmJ+2LZZ&lRbMUA+@C^i5V<rpZMvCmN{9bdLnPTeFSyy(qz88B!4ePV(jI3K; zjf+zaxR}$}&X@Ka!}?wp&UPB}d$;GnD$DOShYnLEOO4rQ^swbahRa=*k&id&q<M82 zSe=+xm)`de$dKKb?oB;PFqooO@;}>l8LnlxfD5HKv!ZfheQG5>s@jJY4_KXaR+wzW zchEZ_Lq4u7#K10O7qc6UxEGU<8YcjTv%9ii*E=&@l~s{Vs5xrZurP?2?M&Bq>o8;t zv#{9FKVDatA)|-UxTP6kK6^*qu#hte2Oc8+r$6{Eba9lTSk6Xdl+jeg)p1RT$3zIw zyjqo4U{y<)f7h6XkdQUuCSpKQl9xiyX^cMI&v{MnF$>Djh#~IAs7psF&Ye6*mGWSg zV&?{!HsT>BznBpLfw(xzg<KkZO)l*AbrAE9<ifbdgA8c@RMCDpg*8zL`PP^<DEtX% zna!KZtwIb!evyzyLX@A*9-|H+cNA7+%Pz{&ztl}887DH*FJnzM-WbnhCi9%IIkUTj zDj@ldJl|l?@sta=0g7(yq<a%RhU`K42LAP0SZ_-*vX9FX6Xxbrfhzwon#O_hKri}{ z;rZ%Ug6AcST=iSQstn~Fpvh6j2X`TWaLmQerNLJPLmRb;;B$e`_=;2_c%pwQE3z(A zdcV!9joP<GCPZOO#p9y3mrP#z#w|^_iYz=^Y=dGXJkKruhh35<k2U3pUa-Omg*|o- zyrJYq_AVm~jor#~)JN<wl5z^~i%6526i1C1Kj3T1_$u`T^{dphVj{@aPFE1bAr1P$ zb`A5-^kP|)Miv&hArMrvfuDd+%n$j<x@g7aASox>mb~EEMDlK_tvFP0`JzUH=Pp)* z*-)1LbaodOz4Ch-7el@+!yL~7QH0wD$lxzyHMT`HCR|av6dzQkO~=&im-Jn@GZlMq zfP>&t8<aBL7W$x}HgfJ>og_CJAP3ovV5hb<bq95P#=fTRhS(RF(H`u7lgYtO)~Z7c zx9-|c;p#7}4@5rzewgSOxgX6XFC;6boKv7|XJMr*&>1S#VQE6$DpdLFh2DtH;_Dbd zDakwTg@aiA74yeX3qf*;bz*+e8g^^EQ`w#fq5(1oLI)A}$d*+o_uO4@R>QS6UQ<m3 zC$Nb9;#m&$(e+B93KQDEzgtVo-#e%h85RI5#Kay&{6n96R?!t`xA=#qcr%bS{}XST z?<f~3xY@~JT_fjWz~R#XRPzp!cV|&Ex-GIq)Qa_o)!k|d&q?`t8Vl|4`Gu(xm+*5n zf!4HnLISsG;~V(WbuN|Sliz5cyv<ZAcMwd0Gn}6IKqD>&^5#GjVSxtJ`-e>4Ybt9) zuD^m@+pgm54vKBlbS>H#(Rs1~UL#`XW1NU#zAy}ka1f1PG(_zoR$+y8y{1mq5!<h6 zpNk|AIVy3dt>NvA#ds%yU~(SWF{``VMN?HNqxSz1UI{xH<EYX23HRwF@YCy99gX8B z0x9^@KTu9r=#XKy+-9p~d|wa#6FK=$Q%`%Rh1!TvAx=QK+-B>aES76RSTHQH*=X*t z)s`-&?m{S3ZnIVr$>FczBIibovE{Y}{?2g>C5h@2{X^5tJKBs89k%9!|0G#hiOrf_ zT;f7$Jw1wZ`Pb%5!4lgvES1e-&H~y#TZIz!I>4WSj|XzbGxe=Q9Kc(%t4dIsZMEe9 z!ZH^-9lFC6`O7_O_u)Iel&^GEe(4IYg_1U7ZJ6$Ne^SKvQ0iI*3$7)$JgTdS>H@Qn z(R=M(f{sSund56GR*_iQTDfeMr^46%2)%ksFlLuAX9MKMj9SHGE8rLcAGFxi_Y0g| z@Hf&2^4`H1N3xZc0x{?!w^snxR$FG@<H$k_#-HHn+dc<bf5SugYEyHVisJ@mbMtdN zWRN^1z79U~#$e->K7$SDn-c0QMb>)wDxv|`e2eHn_s%pwGlAEa-j_v?8aJYzyC7!R z$)3_oUF7dB>~fT5LPVGY+mS(eC><+?%0pI{@}P$~H_~9YQsPV`vX+Bj3Lu{@w;VvI z?^j?|*0B*ma6>M(1SVotnJ*gl+hO<B=YkW4K;Q+03!2J-EH&W(16>Fy)Az2;0R=$( zotbiJR=6~WQ<^V9%BgY($@g%ng(B7O7OM<{jd50-37)~exWWe^R<hwfr$3I`vRJ7N z4;w4ZDg*BpxZqus<*LN*0&rRZvF9B&T+fJ(#|1WQm2E+G*P>OnOuADFaho5&)oGp$ zY<m{8LiR<yQd@}<po0-sc;GwKWb$4zEk@H^HiDvmNxmZsMKh>Isx8w+41qvSQiZvo z=7<V6Jt~)`hwi|~)@|@l)B$2f55`_;jtip-pYn(V!J1$y>dn*C4bBB%y6IvWP<hA{ z9UA?Y6UQMTj@y278x=MBJNAQ=65F#653f<)L$Cc;@Kv>mtcBj>6cNkbfc@}({2n`X zI{k%tr;E_DY8){`-$|%zwxvYB4WD+;tR?>~zRTECV!KkO^y<Uxw5vAMK~-aQ{Py*P z5!5ZdeFA9@x5xZaBb=gNkG%1HF+x8jaHS^DfR$Pl++|*3E2QkdrFf15$Rt?tB=1!G zlt8zdB5R1nv5P8(bn~0B0_C<swFoEPWrBD@sz6GWqtp$j`VFniZPS?(^1w6G-?)Ho ziX%Q+ZcE3aH!c#-69xLO2;lqlBZ<8cnhnH8Q+|CXP=yRc=WQYO?#Ls0nFCpb5s~aE zJpy3MMVxuff!|XC=XZ>xJQ_vB`(goJP6gM?e3-G@OG1V+7d24uKdJ-y%*_hHyTjm* z7^qsLXKuPm+?TG)Pw}Rss!V^E!T%EFpw!KO_74qvid%JyQ_RgTp|Bq!>F=H!T8ngx zZ`GNb|5J_n+%v1SC}r`j$hB9EQaq;CBK_i9_2y<7QA!)N&EJ?OdG1#Y6m*-1uE$@- z?#O7h=<hIrTvJ2)ZNxf-!Kp>9mcS|R1z!j4ut==d>bVAtIH#5G$p>{sttn6e)7AVz zU1*uEHKho%{qy)R1lS$jz&XBu#>gJ{OR4CAx7ZJINZ|O%O>wE4g<<baXQ^<lh8lST zBr2qSx-|#pjEvuw1~dUOMed*g`R5wtA_Irv?d-b+KxiNq=Wr#3*@rp!Z;<M&v4HAG z!`Hmw%UHmUM}AwZg9dpCveSSA7pf}YGE?ZYoq*2u*=0Q?w#z2Qlo};4XBlWVQ60^O z(MGdbG!NhW0n5Xg8TJS%6^ko!HLgq$qpJBJI%N^`tGW3`KvlgKek@_3M!1&N6hP<a zku3W=$nV>NuOK(?M@V@vm*J{>Fg$?UNP=aA9I*I=#H=vEIT&mQ0VW$+O%4W4X7($U zxJ1yPEVq@Acmgdxpf9~ESd=)20J5YL=jy&3ayfW;2>A%IjxEh0Ud`@;?2Chp>*X<O z`rSyg!jg+7pF*|$Rq^s}W(j8i5*G*2rv4k_6EhuJ;twftlp*|6k%j7!fqJTD1mZp` zbU7`!G*5uX99ejj2L_%>*LIwJAPbe258BDFj)qNf;q<sLPBusL&}J8(&9$S)qLJua zveVHGHIY3FdG|)UP)L^9#DnOPXe^N%I!@NLLkvctwBzc4XxO(6Ul48nDI!<}j52Oy zd1j2pkkPTl6%g%VJ}&5ra;PGU$ZG|vLV9_#$a;-Aj!`w<+thq*G-VO_JU6yajv<3| ztDM?yh{f=7)1p%Vq9es%`GH&0@uY@Gjkc*Bj2{hi0B^9G0*I3;Vr(xAB$cU28y7%H zSmJnkX^tQ27!(9Qff(9w?7to}Ab3qAG1`?}-b@3Gs4cg>m@^dR=2XFg<g9iKzbHa# zyD2ul<)Bu2jBn<~@?*btV6SA^jQ=M5|0Vwa1plAJ|8={?fA=2ALjRxoN69kvN0O!G zNy+kK{NM8rlBE>SKOpWb@=H$%Kk*v&vDggGuM+y;4mbNBNJA4F4{7)iq#;Q{;dHXp zz~;jR<e#|^oCMcI2tmwrU&ETEHUr1}p=lrplw&UE7`xHQMD-!!tcqZ**sFtynk!cX zLJwQzpKm3j^DWuoga3x39RT2ZPGU!jyim)jC_8px+EvP`eXJsYT|PD~Vy>gfD=wcy zw)%8oo3pswn#RE%K`*%Ue)I=q=(m|;m%2$>Xi^Su1*ekdgX2&Y=7L!;<~k^fF2&mo znW?XMHvjd;Z^PL0cVQ)llDd9ps8r1>ZuepSEb}tj_$1f&$eZP=BX$M61cE3BI8(83 z$yOh#V#TNk(CKo)Lu?PF+E2*U2jq%<iz;@T+de{sT(NT(;{{oPk(*9YYYA<+3vHoQ zQwvs2gG}#hP%w5|P>NNwv+4sqg^G^pWkV~g*r{(L@N&gL-@_(kIsj_<wiu-z$6lQ$ zhi!Y7zWvjPYom9uN-KLM|8md7LVuSjKfLvP|HP1?u(jk7L(s98RUBm1hlHJ0t2|&- za8d@!WpCu75I*RLW}2boIre&IFqo@d+0gSQ-@{5~s7S#w3J$Quj5z}=AewHyLK+w; z6$fC?!I*;;!nU=GnMBC+f~@PWL0wwKRO#!HYrn%e0$n*b4&-y|2qdj-^;1m(9&8PQ zS8)Kq09%HyvpG;rm2yi_HTtRy5DD{qTP8^G4)6w*`Sc~^*=P*uEwpPKf&i*l9Q#4o z6n{8{Irf3Fpc7US+TkgKzRGv(-d2R(>?<Si)ra!;@VPP+(mv6P`V-7>T=<f;!(``D zfHTTZu-!!R%&vePst<rY<qjWpWf?6*+1LaSQS!ib5B-$6$n=P30-U&c|4f573o`ak zgby8_7(<Hv-9@XPZTv3wz2V;jMYM}8vFeXw_dL(HU6H)`IC>>l??Zd9XD&3`9MGen zuVI2@4x9#3<fDRa-RFwTCd*W9KZ1l9DCsy@?C&%IcK+&Tw>}d#96=eJAdstfFRI>; zZ3hT!EV2M(>(jgO3vVMnD9ndnJ$)9wMDViFcb*=iUf_EP+xEA<%EG6IKJUWdzJLmX zZB)#6QNMYD@bA?>r{@q(pJhuefB=rf)t4^iFd0Q$JfY;>L0((p_*=e29e>pasN+iU ztsfmVL6Qweuu3eK95J9L(SLo{knq8vDaD}qf-HJufuj)W>`!GChcF4cg*o>6PbhN5 zA=V34ye?!a#MgrGts-H`s^4eeMM6u?hYdRF9sm0}Z$HZ0Pc1<~xs50V%cyN0)B=2! zc7an_!DAuQV=^|46a`%d)A}va<ZbU!R_x_R&cKD9o#`LXo*qP${S*%L(7`hHQrOW+ zhs&Birc+{J$7^(iOs+n|US-t*e!#5hBRXpak1@I8Sjh2Sz0~vxog)i7dg-89ZD<(| zhP}y7!uc%hAjJ$BJV*}^MvBZA>$%i*Rx;lTY5gEDfr2iBT#b9%&4H%~(_5|fcbhvK z%URn2;Ky#Yv>Nn5$5Z)jG%NJZQ2qE)AiPNe9EW|(st=0sSln9iR1i~kQP3(N<e%Ak z1RvwTp(Ix%=LA2m)0$dZu-JRi-kF!`NiFmh;CoRQA^(vjG7&jMIjkY<QY)RVRvKC@ zDy^bQIeM+BL7k`%Fhvx`GUUk11nidttYYsCr&tGd{Sx*z#`@eda>cXg!;oPmIB}6F z&)ggWk%a!N*q2|PXJ8f2dT(TH+_vAEXT&@z)ti=mkzu(FD;gjfCQ?O<4Q9`W6!90L zA+G@CF!#xTQyP22e3%b~PfyLQ-nZoR`(2TgIlaDDbmqe^u~)N?=bzb@%2w~yzulk0 z-cCR!z!^uKJyq=VELUevML2VIP_z)Ag2)s6nM9v^;m1oD+41eIFQgBMbKHOLejVGx z+t*C>$-J#0(@F?H*}^#2%NaotV5|4ZtAYkKc6ku;e76T*PH68p5NF{y3d9F?CU<_0 z1<C%|7^8^Fe{0)i%zJ<t_TU9lSIU2D>&Hyk363Bm$v6%2t;odS|BNpiEFu5QL3N60 z4!DT*;G?*LwiRz+EAjBoXvYo2F|oVAp~?q`59AP|R%NXI8O#x2Ptcw!-HS^il2I<` z=!!sI+Xslpgi+5dkfW1Y4HIepIfNuwC-M)l_GFcBwICUrVMh5jtNm1~;W9cGJcJbN z8&n7NFXb1fH{Rp#OqZL<@_~J6;ubyxD~+oE!W=@`Y-J%zgijledAcHxR0H3(4ZwxO zGOlf>VN+zvFSbCtR+`uZ5a2`M00$$+aS;5^s)KT|h2h`rsCZeeOH>!Ri9l5c2+k>N znel4$6+yu%%YtAPy^>oQu^=1rkj+(WkyGeU><~N=|9fR*2vb>7S+riv?_0-yz{fb$ za>EC*cc@kWoG$1vx4yx~=iO`enjsw>b?q4-8lV2)^+sP_gLl5KL3gh=+t-k?!FzS< zM!oOz`@EO=8VsB1cbw#%TGxJUv`pZFH|6I#`vu=NGuArkJd^)(+jfxts>Ln)a9x8Z z<%Sc154<z5lz^0(YDy>0>>%Zo(^qhn<UN666Hv@+cuv<(`LW}Oyk5gWdhJ}?=b3Ik z{IY*gSGO``a9o3`sfAc<m{ixE6-5LaMZWek=mW{4bJnu<1_ZIP`OW-?(i=0dffQPr zUP()&!Z7qKkxMNhINq1yTQKw`3b~02^p~(g6YdMb@+V*V^vt1CwoaI^MJgMVVg(HA zGLGR|RwzD+x~7h6H%>tT5qCvDWRV}TM!r`?y-5cIT3ZP<v@;ckPp~|f4q;-iNjA$^ z7%9S%su8CRywlku>yd5T6KF;Lac(hTLy49&Fn`n0LdPQRhjH6_a2W>S5Pkgy-=&$` z?NV-3Ht|UTwl7qV)Px-uv45a_f&-geY@1cxm0;W;!fqGsP1Itdg|iJifdXHc@csbv zDOC5sq83tgxRJZ6vPShc!EQ=qI{yZAbd^GdDAG5=Z&uqwLotQ#p20@`Cdx$j&n$TV zExvAxQ78`G(GD6XrZ&}5_ecE$8FWGmXF95lwQQnXabDf^u&DbT<`DNK=${bV^Kjr4 zK91<YKirH9JH!W)FhQ!4w?)v&)dT)c&=!5o_d0USJ8mW>pzjr$5Bs+M6q`l1=CydJ z`x-D^X&tCS>2WA=t3WR!8naiq`W&g+XYeLgXIc<aC$f&gkYf;Q**Jk0U6>i7)sq3S zC{r;QU6ZLk=RcMSzAeLYjHj4YL>OGKqbo523eG6T!x<nrLt+WWF&JH9QQ>&o*|tdk zwE&WR9A7!b(hOgFQJ3JbOmLpNI^T!GCN!U{fUG=^Gj8Hrhx8F%n!?dG+Cr6%ARY?Q zTKov&wH$|iEt}hM0d#aC4KFryCap2hh-J=lh?v+)Suz$8dlU<Di!_o899F>3qDxY| zi!sb-#?3hcl_ab`Sh4ekbQr@T-M0-N`^5SKc7#DZZ9pK4HJasS^lCQ#&&2<OKanhL z`2Xes$<mJh(s-SeGM@hQ2LAYxpK<Ca!}t=L$D@rYED2#$@dZB+S{+x{VEzqq%tWF( zT%PBfldhV`{n+~fPhwM%`#xy=Z{l9!FTpXi7N->0<@tOQ8EYeAzi(D(kB#^@%Kx<n zc^2-Kz#q<D(vlGN)M+XWQHHbnob@4_IO|_;<_8VH^;!SPx!#HgUpJYGL%BG>K@+dC z8$|!$dsG#}Yt#<1cdA`fhmX{h`OnVfJp=)nyht=^Cr#lTLdz<=7<veXs^~-kB957M z{r+c?r5FE?;(q}DQ-GsnKwlZg`lr`qBDPS!-rl?i^H+EPsr&PFeRRE$22JeG4y056 zs2?}M0kW`Th^z!0D%}>ff7;i+ufxprymwrCAv^;@)kDid)r0syjQ<h*Kff%*y-Rp^ zRp5>hqmY_>2^$M|P}=YE&jI;6ui_+w`83DBZAb^>l<x-j_#OcTb^eY4^t{eHUgm*C z9VF1rf#2a5od<dTJ+b9p34X`~KS0fOkRB7dK#z4?%;#(QE)+DLIpC(W*fPOyDuq2- zDWV}5u|~kQlaFSAWGHJnhF`hmIE5?DqrNHuIrKEI#SzKAwFGs%8u>(QzEB<LN_<}k zb`$L@y&8E~t%Hm@L{lBOgkvQZR?LC75!at$e;2Y4)+=7{sR{@;zH&2jQKQQ<gI4~z zUZYvFF|zZUoOkW-swY9c*b5)T@T(ARM9fu^Us>YK_J5Y*HRN}B=g53$VXv6X)Jf{O zrsvB@vZ=fZ0SFd_vp`BauDw=ymXr2`Xe0_3B@<cSC6MAx9|Ab8W8pycYUDN-nn_pi zK!e9D3cfAO{R3WQgOMAl#OKrK^TBX`AC@Qb@8zlXUef^G$fT|B4Rc}f4y)NpTInp& z2;N(vUk+kY^MV9YfAW)1Grfczbd*bSRVjzb;aHtof_W*H>x(tiJCEWG*08$)Yc9eh zZlO6SSQ4bf!hr{hVUQ<8(XSZBV%t57gh8rK0AARI0RT^!jlY8@jCU~fIAH*dvW)w{ zfYsnKRxv2I5lW<vcsF3pq-_`xunRcM=_<^mdXd;Zjk1v;{9&G`HzuFq-{T)J@lg-b zz_)l*znl(Q918K{o8&5ik91?D6@og>H)j|093pOKsc><?G8R5gVyeXcDfbTC2q`YF zB997CDXI*X+id3DUFO3dL3Fce__&4@`vY07+N#JotS|VF;p1<7FvkRns!zV2jEci? zfS<JYmZB;l7idqyYwGd&(L6{8+6ItnJZS>yeK@ofnTHsmbws3e7?B?26Ol38C<Oc} zVHiSiaayvsVNY6?33jio#DqiUVvJJ({X%MnyQX0M;oEfH2;MuMZRCS=W&Z2l43$nW zfZ>1?GZ_3sGd-oKLckKh+1tx%A+$i;M6la`3f|cg1+)o(fF4FCY!6i<3CLW*(1@w5 zvY&$OS&S72m_Fd}<|ZP5YH!dW)a(roY}kc%8CBD_muQnEXruNWxmMjwo=G`CBm<R; zkzQMgN`7V|D&pH<Q7uR2OEf$#8dg1scs%I)rT$#hemKP8Ykk{`qwZV$(|tt2s0)|> z;^*|;YwY}D1_}!*RAhjQ7Fx!u<RNY|!A1Mx6z}E2T?{T+a0`R?7$-8SV8_)8*gw+P zfJHC-!idu~Zzd`LjgiJll8%NZcw2IQL3>OvgZR(`v$z<a4%Eu4u?;a^IMISTu2Aon zpe@Yt<h>qE*-i(3JZZic&Y=zo(w$g^TMj@Uw7;HcKMS;<T3dw=&*!7}1j%_jIl)J7 zJ7;Xro686Oi82gp%rM9;%}*`H(19qh)`}th3tm4T&Tp_+m(c+GA<yNZ-B+)rHex{; z8q>TZ)nOBbZzHKpm)X>^j`e7Wx)?nr#Qj^f3Cx}xq=jz9<OH`Uk%tzhoEa#VLHoRL zj<I4JklY&_)}9iZSqCSF<u)kB?brFRdo6j4(2>n|;`1b-VzYn9{LmB_cCKD-*yZ6t zySonSr|%N-A$};n5_Tb%>Q?eH2$kvl7jHK2*o?hV#THtNBKA|%(322b=@ARRdV~*| z0PHiyea|5CEPWl+^2X&7-OXkNN>;JF$4gDTm3Ig_2<nuaN+K(u`sJ2F1WCV~MrC5L z@rD!dwShx5tzv~+%J55n;g%9L)b|*6<yy;aX37>9{R2cZ=W+t}0t|h83+XTwRt{4^ z<uFyG8VRtt>5cwWT;3~0S%8b1`ur>Chp7)}Y!1jo%L*b6xy*qz^)v+%ZgOZRE<x+7 zhgRV3etoA9s<*i%+!7S}#{lZ+;h%{ox6bAQP6WB70M!$szX75>JDQM5#|gIuK*_hs zf@(-fWU%5qZu@a7?4OVu_z0ZghzAcH>|myoFJ9!wXn_!9fgrM}?K)qI5;%Qh4&VkW zDUz0p*SH-Pxs519JS1U#@5`#5gW|rUJ|HTY111yd>Yz5@MZu0ZA$5l<38VBv4WkP% zk;t3xZVjDth>5hoDr1}$a#=c^qAp$Q?+A)Io(0&xdqGO3vWVv!*q4m!QJT)8yUFBG zDH53h|2f_me+Oq4?_^&Goo)n{zr=6rKNF#&<mQGkQfM(zIN1FILJ1v*9y`652uOql z4ZjJbRfuqk=eIrJmbsoCq*Nv4fpqe`d%&VRU<IZRdN^j($<sOQcqY#r-%&EqCG5UC zH()T#R#}oS+8+Y^esdK0@j-#F%012%1S>RA<6=YKZFHpuM%pU4SMagPPDlPlxQ>Z4 z(^TRIu!;J9Ob90BY`=#0kKD2fB%+)y<kYTP2)C3I<?z?Pv4>y5fU7tt>Hrq+`oG=N zvJPQ2Dne0Ck-UMzi$&N&;p;{CEQRNY@BoEph_DsIg!ah@v=L!qevQ%o3R&v!pfMzw z10-1cR$?hyOFk8!{4#&xNPAL`?8V|^zxl`^)Z`z^^o%>Q6(My{%qkY`T?;1!l_(;G z1QkfQ=4Op?Z$=ie>nU>#``(4Us@1;?RhkcTO0YddMb@?gzcp}3Mf6$(U6Gf#BI3h$ zFdp3*cwrnSk=}^6R-^A?mS>Xh;!<xTmSFGjHi)5`-|{RVc`sM7UsodLUjM=Y96(Z! zG*8`{;X_-^AKhD-ujbzrmtTtJ=Q{;_!$q`D>=$qsAaeA8pA31J!Fug<G0rD628qT> zF5{>2=}G;gvT=IfPhe1~1fs4q2j;`8CR7SfU$_l}O(7&mXl0Pl(unjMlC|8suz5aF z{EoGd1~rwC2Wl2UUTD5tL1Iui;+_*N6xf40G(PEs?@Wxc{~zAIh_ZsBQTj$w!56g4 zQU+*(^diIP^qm}e3o4EBr)&9Xk}5XIgrnnEQuZ36EZ7dtY{WlbPFs}$av_rXs<0E3 zK;~CS`+>lxNeZ8g>4h7vKztj?YWP}|Hb9cWj>y7{{4QEp=E9fV;mN+EK`z6!mmV2e zgb4OHqHI9-w_$;i1EKzR6Q&OsamD0pZ2Y^hEzhrP;4A=bSnfY&6DkGH1s<Axz6XPo zy`-AIsy2*@VKNsg$$Sy5LlbCefU7k;Bc~UsV^K33W*3p!K=Pdi&R%MEoJJEBL!NL2 z0C^IXx0zx|MDkuH1g|At@aBU_RE6fvNmc>93pfffrJaR3!??Eze+gaiSAzxx(h4u5 zszqJ2MOffJ0Z$I7#ifPFdpxQMErQbihb@vh@FG;LrfK@lU`0ujK5s%pYFaqVUsT<B zgjBNdD}ySEb{!Oy=rW<9FoY6%4!zcQ5jTKn@I5j3VkFb&LLe`JF?<-w61*{wQwEb^ zttoz};8;_zC`Ft{Ut%{0J|e7yl5bok!Oua(5cu(2%Ek<3W4f}@qHMH6tT<O`GUdBK zOEV092MzdTMTuL%rI1TR4Hbs1Zw_Fn!k%!4rw`oR`P81y`4N`%*XIXxl>#12KjIp@ z<R-PT=D@XR3H95aTfmB{W8HMb)!T%#)6+K)5ooCKF+--qdBPf57wJ4{bW=>}s<=w0 zP$H*{poGd?;-#l>HoEyeLeM+e&u{UOqFZGmN3d*;MxAb~9rxY%SFIbV=R9o*4e{Nm zHKYy|Q$zk68ZX+A+YpC_2-6i7&>QndH0D~ZG3I8v+V#tD$6^D=-P~M(oGSk2=0dzY zr|Zk7xW={I_71l!S9>AcLfgdjXAXR96imnG3@YDsaMvcxKs2FXq6Y9%Boual2=PLp z@9OhF^2^NIVwCWA@LJ7*?WmH5F0V4ls4b3GjjQ!gMit2+*!9B9HX)MF_tpB_s7+!n z)A!Gx5CM24yj$+4mSZLM3#vLJ<PJ6HFfdZ9nxj?q457K4dyiV>6y-40#GGrf&&CDx zVX8=Fe?Co&LKw8erYrY%aB6!Na3taeqXtM5^<N0--vNnQLX)uon7rd-Md>TT0wHZ3 z@Fq^DAxB4ONL-{s6=6^yYzvX5f<rW|&f<XjOtFiIrZ&$90T*G;)%*Z}iIu2>*rZXF z2Wxo~ty<J#!0)C8Fu*cB^e4YgMdnHH2c%(5v(vy2fQiiSGGvdogPEZ890CA&Dj_FM zh^SesDeDf()IW!gz+{Fwv`j=$9)kcwKyN}$*49h3=2-Lq72nZ)$S9cuMOaV4khzcg zs27?q_;-qU^bismhfYM1t-+A#S5$!Q*pJ`rSCk!;BWwsFH`vgJUjQ3|*6jQKN8sGJ z>U;&dtysq=BmfGP=V+B5M}DpFFR1YKNrhVtx`G^Y;9pT1`>iE;JNBU>PeB5LCBfm4 z>1Dzo`?$c*Ul7!LE(3M|sa5cJ=jX>WF>j2=4cKh$qm@UFnmVf$(=6|z)*UqO3GVRW zSJlbp=5ESN^B{Aeo#rxP4WG}2o&_!X{*}^4n_IpJp`>=*kAN1*unEwsQ5n{PIOsP` zhE2W>^df;QM6bWYg8q|WPUd*vk(b9&^B5Pk<RH3#d>%&~mKpe~l!W))0Oxyn4*KK{ z9?F!=&8rdeKa3Mzbz~tIus7IAl%NH%$QlwR;uzOm)QbP}Ar_2Jc*8tnJRQu<R<aW4 zU>H2M5X71VY(bR_roQ`7kfx@d<*_+tPf?~0lT1F<jLtJ5+6plXMiRG){*{nC>PHL3 zY}nk)FprL}xX%j62@y=M^)2-t1`i_Q2k&j*X%H|rubcyX!<=!cqVSG`^uS*a=PF&_ zbAKTvw2z{2f+hwYr+hKM;5<Pc0_Pxe;0zK;kcr90yl@d9qYxGviy-1~_yqUh(-VdQ zCMDq_Ol0tqA|@b}r0IQ#h*GVGRx<<=QePdPuI)oIA1~nj6oldj<Vb!8rvo94(*qk( zr0);7C<Gp?)A`m+zlkp+_mAUV<6yc>wV{G^-$H@rPVg<x!;>*iTp9TeY$bGaupf!& z<Sg`=Eo6O}FeBlZ-75xL*Y8tcpDzd-Qiup5PA*R|@O}E8#k>!QTlP~sEC7<D=2@;Y z+E26^rgE1j-J{ROx8P@B>%Q64f>Zs|`65-niQnDcKkf)MRqLiE5^GQU5Tytj#Z$@v zvBmL?3I?n)?gp{t<w1l0C`m93iw`g_p&hzM@Fs3pLvwQ2Bg7pclaD<@h=mM6h+o== zhNm=k*vx@nQN=iTM{DxT$1@vzA%h>J%L&143lzjjfE+rdm*c96+zet80m%u9&r=02 zRE^+;9s5unn3HOyzrG6KM{FIxWb)6La;n0lf++PVt|>{*^Ay%b)I9Sj&uQfG|7{BI z@W;FQK8ImW3wZo}cURwEVum_JdA=E)R9(~eB$ZT69xNmGbyHDQ<~KJWkqVFkH3#lf z5s50$9)ZOFW$#_!qpGfk@41mo!oV3JLXe0-@EWUVtOXL05E3qO6-jKl+FDDkwg@wT zn&99hz|3JRZLPJ{wm!W*w)JaiwTRkcLM-885yZPz5w)E-R8gsfOUd_Nd!I9NW(Y|8 zzR&x6f8XzmF3y>K_GRt8*Is+=wbx#|qfTOpIKz<yx6>BFc?!e1onWeMt%{d0xK}(b zvJ4A}u@x_I_FFqJ3kRGBAY^Ap>4mSEKK-VnwrUs!JJHUh7469wMYLH{>^MWRp)~V# z*KcI1R^!Erujf=^WQA@h&ZOCZ5N+qaLB_n5GOfn@8DZV4@#1{ZYP<+<xofz<dFk%E ziOx0e77-~nKCQd6*B!7`#GbV7E;P&HqoMQdb>umE`8X&uSB3j*Kz(7Os+D$#Hr9S1 zMo=^xLtM@SJw;cG?;W)@;5>R1JrZE6=157nFj4)!{hc9h=juE!V@@u1o~jv=iDh<u zX@e^`b%!fh4SWtb8<<0wt4I3J-NWPc?SIx4{P|y8!L@udcz=}lCwPCY#T9IM+!Y)S z^nB74tZQ=x$2{!{KF#-Y`1Vk%D;Rph6&$$96}$s@lkk0ff921v;1@UJD1hg+f5e^! z_%Gm5papmaco}#H*bkifCk=;rzYzE#zXdjK)bIiMhPUBL(Sk|aUBTjZSFrvW$^m8p zUj-&^aRqw;-{t#*!1saw2Ii1{1+boaJOy4Gi6dZb$JqWw5}49t`5(}oHh&i-X*UGz zHEIe{V}RY5Xp2Dy>b=Zp=OAO%k7<2vFV^{-+F*H}hq9a*r8fYl*CP=268+TEek`%> zT}uKLb^%(1l;H@F>tz*-3DwEIk21nC59!TMakzAo7-HS3w?RRi9fF{Ro!*-22ECOx zK<x82Ade_VSZXk0R;2KA;&O{F+TQ&vNc%nzMASwb`>1T6X=D_~$+$rX4a{|n5F!H+ zWr-s!%JPsfmzLQIJO=z6xEFYtmga(i;6`8)zg_<HpW6?erhoZ+`1AbvcK0cN2>Y}> z)T?Zz4P!Km?a4POR8D~^f0Uc6OWp0&N^;O#FUA+OevZuxnCb*CR-o}3|LSo?a&n(} zVw{pZaE4%B?Kkgzham5k$Q^?@E^&ZM74TUS5<m9re0Q=3?ZHQjjzri^F8bpriZ{7J zAbcR%^Bo!L=cld|VW*gg+M?8GzL6fmRfsjlZ*qz4kIrTKG+u^N69^`-QIZ!a$7!|L znT)9E46(@H!&h&3KpE&@3)5;j{+j<hj=vO3p~|}cBFJhVzpB#GK6tQdO>arcekAS3 z+4*|&Nr{Z%NkL*<f4ymGMy2YBIY;YE>{IIk-Z~%NrMy!(PH;4`oaUG*%@Mk2#&kS5 zut36n!FIAzEwJ7EjwH6*!HaFDv_rp}TvFQfYs~tfxqVu)>`$tKh%(Jvh;CJ}IQpcn zqES}si`C*2+`7JMbFHpeR8=f0^`T;>DWfU&r2G`TLKE0n=9&yPu&33xM~exTU24-^ z$4W19!kybNd;4|C&+k>3S_N9MtxRCzh@<7tjrfk}GOS&1<GY)*RfX6w&HAINkA2$~ z?TZm(#;Fp&#a}DlI+Y!Um?V83)RoRVJZ5-}pR-x`vuQ1>%{rS^%dzP|MXeu!Wk+(s zMQYhrphxlN#h_AIMX6@uXL@k(qWZUl8+Oc1c--NHzj=c+nOq@rKo|$^#b6qvWv$%e z1B+;9nX&5IOgP{u_8Dv#PkL4Hv-5diXd|&N(lWbjg{}StaU*y`3ztL>m7-Iv3z(Zg z9=~RM7(S7)DCb-gGxsG|U{1-UP&G;V`tE=fF(t6JVu~N{DLaz)lu4aJ<%Gq@Ub$}^ zhd!wDlt4vevf;IkH^5nJRB?d4qdvKXnNEvf&41>DY6fc<fuK2hthb$Us*u8|kZw$) z=?6rW!)`{?THdVYl%fadqBp2kET!0vZ%72n!nShaSS)E1z7f;RF~gKArT~7HLG(Pq z4crYfc=<xD{$DHtMQtEHxr-w*WOIHu*(6LsH`#+K(887=IZ_fvpXP)9Tv6o@_f4*_ zvMmutp^{;JzL|#LNJW*}NAgIznfuM{vI}zAAhI;KNSQmaX(Q{HDOtv5CKKbQaa&aL z%R*>R1_?u?e3ySMUnrr%@|F>5K&5(Obj3P&#R`cd>s}Pkyo&C=mUNNZW$mj*+3lqW z`2~bUZx=r&dx>RERI9ir<aLbS+q!v7sarDvY)ESSaLVn;n`I%-dJj@cZXR8VD#mDz zNP@-#>ROVpO=DRUxiYNQ|D6@e4g+JxCrc^WX<=-6c`=%%(<WBEjOMZY-~h!>Iz;6N zZRDh9va{tXc&O%_$HxjfVjY(S^LaXp<32hB*Aof1Y2)@xxflc=h(%QeWfnRSUYPI5 zXT{0Qu05}~f|tDH3KlR*J9sbTeI#%jaQBPIaD=&JCRG!uk4ZE?Go>E?W}7oB{vq~q z!a~|vVNs&1&fHY5`AFi{1!9C^nniR+dsP1Ae^+#rC}0A78X6YonvWrLqh|_ajZ`9- zjefD569cm8!dK)Vg~f$Rja6e|5o_T;55A%JPXmw0lS#=R9YFw(Rm$APXp(r0Q`Ub$ z`CyILg!v#*lMi4sX^k?B1zl$JVgA+M^e7vsa5I_)ro(ebnOo9f!=i>+;@eFiko@x* zgo)13jIQG|OWWd@%34NBFA$2T@$nkpqPGWKp|3~pKzlO-F9_+C#-d^wA6<(${j;!Z zk!WxhV<{jDdFK1gRSXRVUlSQvD-WZ&7eBIeHAkf_X#e<%yLel@BEr8Nf0sb+AIKho z%Fy%@v7*57gYX9NQd6Z0Y5qu($x@rei8LWcG3t|Ff}QAwYyPg}NMEY%i>bc0iBdXI z@mpzpJW<vL6gS^|j^gIq6iY3H7pAVIdji(np|f4xlj`7jqZG#*H$pZ{4VbWC`E>!T zb%Zr7H0q325ELI<S(=#^Fv)CqmF5hh2nZr$sOA50G_>+h!Z#>6XW)x9xzs4TGEzl0 zG>{`?@E!l{borKB{p_4oGs&>ej+fI%5(}(KvLhXbrpiosRCYWPV+eZ+cnEtqQM^JK zE}F}zVk9nRbShWHQdrCMVZ{CDb=G@4Cj+<e{%c?>(EBykmVeFRDZaepI7voQ*HTH` zEwg-OuTX)Uu!JcbXfs=X->a@FvCthk+$-F3v#T&NqA=W}D&<)njGtz1=Dg+J)%|P_ z2DZHV3KD4aj?u30py(YqP3kR6Yh)>P$IsLHo(IhtVGK3?y86WB<IORpbt0+HJeqh? zc!PJd`Rueh1fb+njvYpo)j`v5X$OaW`@hcCQ~P~7nAw+eTjJBG=70>(6%x$3F*WoN zHj(*biXoU)W4$e9`^~DM;(Q9fw$Ij0O9t&?LX)f_dSWX1164$5MCM5R(jce1E`V>! z{c&dXXk^6$U5mB<G!l$}_c%?%)0XJc!nDr}b(cl-&atlWnbA8PjUzHLV{e`s#~5as zxM0IiVB#@pjfC$S)OpO(=8lAKEk+v2>nTSK)zCPHw3HgGhW6!ZXuCv6n=393hBCL8 z3cBOQa_UXtiU-AHVgQT3bb)j6o|<D2YWL@>m_sU;A9q@ZxlT(c@0~QXWemwmO=Nxo zm?Kz$)vNPa_PHu`c?Cp}sPU&yR{7;b)KTkX6=&q8*@vqz8RjOEQfiC8fv!*w&RB)l z+bm5Mx-y9nKkZROiw0KvMjL~!8Syy*<mtoahhbmSYoSXJd&{>rKert3Q$-cSji!5O z>MG9RS8Qw8&vzrb90|D~a%X{yqoB+2Z5bQ^tGt>GbFe6CuMLWF;imcOOpfd_)fVyT zB2eNMlM?zy4l*M{6?H8s(!#oIY=wKM2(h_A;?o}-aHsfKCF<GLoTrIZ`DIO8<ztj_ zj@K^|wM{qaMS^O7j9t$#TNw(RW?XjzjU4xKL`W=JR)ZD?xtEzED~^QDWh=g-_BtAQ z%CzL$Osov$CFYdboXHh&eYSi)68@_*)}M4N8gq7{u9Bg0lV2p*CG&}%j9}%a32c}- zW&Q|1#~G%~j!l`L!lmbI<ZnFH#;e`c;GvE%JEey-&1?D*f1(hEMqau_Bg$dVX~~fa z1<tWkFF|99nk`;}TL>ngaT~LNo|2k=rsGH@RoY`rg3=6Ybhu7nE}t(dhGh~q=Rl(F z{BcMIf%@d{P|B*kC9K|MH=~{iBSzqZY|4CdCpEGOtadiHqC}qDN7K5DrgMoE&#zn- z{z~LdPTO7|xs%hjvm$qTzaE|$xs$WDQ{z*6$idjip^@Qgt_2(*3~Z$^B-+Q^w0TT{ ztwTtR%L5btG+H`2RFIJ)r~cen<*(6gy(&kBPLGeRkk$=<EDXxF$`Mx)oz1T;|E#pt z1eY{LUunjV(f3MIte{|78`15)kz<Ivn!BrJkLJ3Uiro#ntcF(<(yCG*^jLj=z}fdr zV%=rq$M)K1GzAz$mOEo?Y=jW(cXrn7*L3&m^(}5m%?~eouHO8S5HEhRqfb7dTlf2d zZFk0SL#^ukEgfOA>q>p1zACcuWwLR_l+l(Mm8{I`ibC$Ixh?Xw<zsV><iA>?8%9M# z<)BkV)X&klR*=DAWvp|oIMVP(u9g42+q|RFti~bSDy|r+=nSd#wrND$edtu!CakaM z4DW}5nZvo;M8`6_h<BQK7IDO~dk$z4=>umCjpkPgwQK}NY22FS^j~_Vp*AbO$>Hit zoaw}8sLTV&LX{>2kK{;|NXwgD0n3(cKteenlnc=+^|!T_&D?3`w&X6RH%RMyI#S$Q zt!r(&Zy=RU6W*Rxu0hg!RZ^qrI$5S^ySX`?C+ZNCa-;F?bs*&9{-pz&UR#z=%<`9D zJF&RZ%D79WCa9LQx__i+xK!D4EujM;=8BmI=$xAUzjrG;?#Laia+_9@nC4=8QJN#i zs`52vNf{SEloE2<YoN5$SRHElFUU##Lo4+>QlF&7wrZ5RM4DA)%oA3m8%h}%rY9(i zpX<5Fd^4VJ?Y+%BDoBdfr80nelzPbTRXi)NG@7UKv>K+hOl27EnYc^wn3~Si9XXys zl1%E7`VW!{)}io-ZmPVA8DH>PFH0hgT~f^QgbB&XF#P#RieQEEOM%S?=YhBlrh{of zj(928KVnR*{c`BR5})Bt+<{~m2#wSJJ6h?9%A8iLw-6et5=$qkDamU1@op=t{$vy0 zm@|9_T4|GMM!?47Oo-2wSQ#QGT@Or4q*C0C_3MqI-wRNi=0B(;YW=60AaWHx2gaFi zb|lhyS%@0e*!oSe8X|Y<wvKyk`m0XO(a2iy?XkFA$Df*RWpl?(jK}OI9>ID;Pouug zqf6aFbM9(wt85<8o?ZpBzHxjP9qsrRG?eyuo%VsPg>(Kz;%<eR(#Th;_KqAb4E07Z zXZ|@{8uG0Urg~Mhh6-_K#jnk-($VoccP%3NON926&~T5{)4Jxifus`I$xB_SiMui} zpFwEx%x#M;<i5;lG!oX6*XqZ7{g|yE*U2Ncu;Em0)m+HcnJ2habK%ev->SKgn=?;z ztLDN<n@5iZx3L<V@%mAz9+3zSNWm3bCqmvSU99;(bfu;=usz=O6&?8YFqb0=mY5$U zN>+*f7P0L#GhgNl2=*NCMnd}lj}hfvBbNJ@l&&@N@Y>XM`3C$gu~5mQi`sn~sF!P8 z#d80mx7urEG0WO~^UA2a=<~x%u1Muu{LEb0M6h|cv_(1_73R!JojP8$o1@SxWf3BO zBbJve8G?TpB-bfJ(<y6Fi8?SSS@b4pQ2DC_!<L-A7O(K;l;N59=V!$qrsH3(<BwJG zE6pjBGVv?3;*VYQW_zvbUbSamH!XZttnS*>#nEMAa@zt^#sn3;hN9h$b^Jz~7&LLc zcrE^R>#kMKcK5f}YFe(HFXgt^Y9g*xL>ygyGd>{}gnPv5ZcY{1sc)9lH|x|~YujGC zK&M=$A0ho%D37l7(jDze;8VdXACL!sn^!(454O3uJ#78Ycx_*)y3P)SDYUPYaQSOr z`KW&3?cwy>I_r%Mq=&3m4t_*<b(8;H5|o}=6ps*kQ|D*Zm5HnIw<|~D%%w%<xDrw4 zm8`7z7>dh_ZdMfcs8HO;P#lrUKN+#qzoeg;Z%&2c@QefAwRA_tQvag&WLf<=b%$H| zCxnf7Yz;*(8O$AqioU+7>C2HwMOd`QT&2D|reetza60+Yk|ia2z8F`8x9IHRN)~nC zs~IQRj`EfcTQX3_3of9|snD0Bq@}|o{_w7)=R4z%wc}TsQ=u<s{IL>$QrFT-72ljX zjS69MSgiBE!MrqcS=|o&Gww5|Ud!hJ7QWqmU*P!O&`tWAPx_s+fPGo2_(KD_9uoo) z-yJ)<9uvw?uh0ok?ZMPqr04-~sWkwE!l*;XV1B1(3jJc!LrE+!ls#eu@mI}TD^Y*c z%R#_I<;seKoNDhU<nUa$rs5!r4Hnq9o^MtSOZZlz@hhs>PlQntp({MSVm}esFGI11 z$Zd`;!JrQ{a;dfeD(QGhaPE`1dRp=kEJRp0^h0|UNX$U?n3f#Y!<q=g@wBjOR?n`e zmL)4mhOy>AKz*Aqe#$gjJ=^S`{Ho6B8J*Mlqi@0v^<5w3h<+E%ZYiVow{dPr1=-aT z{n0yp@P=AgLwsDp>M`82<;Qcg?W?CxB6=S<%A$+t9cK{@&F-b-T?CfNgycJEC|pZ< zD3&NkX;i6i#mk}o@Wb+Gn=gh3a4x)38=@62<ByJ&@k>|(1?r}wW*LAGM|zQ`PAB_> z=D^#hakj=XbWDE2u(P6kMD}sTyjQE^X>m2WwfSXy<qB|Jt*jj5YP7Fb7LakpSyr!l zP+D7Ykk~3kEs9CRlo1v3iqvzJ{A()S5>qySrs6@`gx0xYH~S@BC|3n*5q4E$*B9Xx zG<lns9M~0?tGt@3<y$S{Rj5SN88rc1_D$DEQt^(2R>WvhYNlH1A38%Rt092srt@j# zVabchN}84(;aYBA=l`IIS5(y6GC<ND!TQ)oOdKf@8NFL`3tJn-R76bAN?7e0cgrbG zQTivQoG;rL<)7H|-IyZQp%lqhw+|Pr$tURzbE@p*N%WYnw@HktMe(tDzSU!UqlU*r zZJr=|E~!e*oyo&~l^`~@H$@jk8}j^+(<G7XNzVoxHV7oJkSUIC4v-G-=O9=yE?}&= zgDw{=CAW^JNtQhzl{~;6nwUgziTwd{7)*$>)%z`XBn&#sqXYhtWqt1$eL)$0S$)=@ z!J3=^GScoFrG3b8H-`d}PeWm1v?nKwn-p!Zoj(~D`=M#cVk?1&!Q$Oax-B%gqULD0 z2fJJ;4&?h$h}0ZSevnTD<ul^TF)lf+FDCg#Qsj$#AkEZRb#ZE7*HXV(?@Qig8`Fk{ z$5_T;!ck3l2}uk|BDTyVDT!5=80*IkUR^zy$Jwi^&!#QRIr}^M(ry{GLAuezgL>E~ z+Xi1?hv78$n30~)$CtIVt#j*bbT&iXp@PH&_vpw7SNI?o*U84eb|BS0hS97_?ZY0% z-sPC7j|oT!Uge0mUm|7#GW>GiwHfCeR(>^VB5toyb2OgXs0o+lCGRFr{79;-5;NCv zWpHA03+^PPkYv?Tu|yr7ryMNiDF=%$@;UiS!r|8P`lDqKi@3^|oBaDf=`h?Kq-&nR zN9Oa3W|*Rag=r71kK%k57Iabg3m6QbA02{oxy{wSy!LAUXbN5+;;%g<y-4%{dLqqm z)mPb%zPE=sJ@d0xLJ!<SsCGZI%=jVuJ4$58%=9Ps%NV=EZ*DQYQ_X`6vyvenB25g% zn`2-d1NO_XR_=Nqi%)+yCky(H^oP$t#whEQBL=d`7N3;w9zD_@67gavi;w}v`m4DJ z``~jEhR9j$cBfOuZ51DKol&*Ftkt_e<th6R?|)KA_-AsBpwUzbg7F!61`HVMw@uic z6oS8%dLG-P1_Xh)M`a+&I25TT5onf9kelPG*}xPx4Et$xi*q;qL#oEHri4!hfos}L zuDWEik4>%?+JihwM^yWbl|PgmbVm3Bo;37wwqKy<#bzJUUX<J^OkqE<hsj(r<ltq` zMJv~dLSgpMVNzRR3{qROeaLRSPbMaG?S3!qf^r8gDEBY+!~2T8AL4`ZL&-zZho2_> z`BY!Z^SODzwSLFfQeiTsc-=AX`igWHlMr?5DpyiW9EbN(zw*nTTg~V@Nc`d<*fPo> zv@%wRNjD6{(dX4&3NN|=%mgiorMzQGNA#BD(i0LYz2QJiZlMU)s}}7kC4!sR^sSQ) z`5p~YFSIq%3vKZg=MR1}@H-r%VFl%#N3?8d^_gd&X*@8=TIXUdU!8otGtXM^utr^u zvb@cae&F%x$AO<Lliow0-*ts*Cqf+Fwx4-sGdAp&^}1!eu03(Zrt4d@*ru&BFN<9& z!cdhD$5OlMOpm$9SFxEZ6ht1y($E+4K&bwT&EXG~@2OUMGmIgubF(bvEsJ=&AZ;`s zn_lD?^rHN$GcRR5a;uN^$S163`k6Q$%;Ps~=eh8HJIA09Zgy7E9<sUAA0oB<bHLoq z%dWAjZoa7HSrK<_dA8^{dDYoKne}UQdBByJi$9FRvBu7DujE}YbkQ=&_>)@%#T}vA z-5FP@L{%jVe2b6V<A{z<cv2lgX6WlIXlbr9WBp7I*Ms9ABQG)DADa@yA#SXvcT2}; ziCPOIs2JmG9L-`bk0S(ixDX%`=50atex@hz3)*j5avgjBW^bW0G02Lx_}$(Fj)`l7 zcrzuZPiP^tH+8+<tPAp?VrRJCWOv6~c9^TkFm*a=tUg2>1e?1*<e8|KJ7`w_jaTi7 ziPf*%YNof#gu=J;iN09o1L<jgZw*IqMs_q2NVa9mgU0G#@vd)NY}8jcrh?usWA%3k zmQqZfiK)skE5d7NIVEWBqz&vtx5V!7nZ08@6WBGfcUKpT4Pv{ZVpFJZ*`{gNOiylv zx${A)OqHhk%Qm4j@^1IG(KTix&f@$rZ>%mjeTLp^i%ns>&Cwyv-w?)EYg;xSKjCKj zTdou}$#l8D;!UIZ%jy0L>;4<uUH{3QZh=^>zeBFZ;O<M+g=0_Jh5zUxW<RNqn59V< zvQais(Zd*@To>o>=%A%kH_l9V<JI)wtJ1JX_$CeeF;A=elDu-`izLeJzP}LY=)S`p z5du`dJ;F;j{U&R9$zB$*R=>q~MN`VZxqY{YzDvyTOZQ3N;ca`6sH|JLffbUyCh3u? z>b`^8@$A>`_a1@Ewn?uc57XHYXX8<fDU9{`>`KfHRLADZ`?y%6=!et2$CjdIq{nrj z>OW;~EBz;9HXKa8gfMLnRZ&&4ud4LDcYja1Dc#2l{-^r5;26c6LLbXD<TGhEMmKI% zuP!@O_KNhe82Csh$WXO9;eFK!($mrj@VCqm-A!Qkef&6Iy6NMe5G>jMfTxwcm?z^* zhJSPWcv*LSd?3@ugZ?FH)cBM>KG1z1(+3#Lc-WphN;hK@IX5uAnm(bo;WFR6Sr1a; z%!4nUpr<qP;XZ$4qzioyxtSkYo1t?9mj84;e82GTb#0kMKc(S&@lj%)yldZ(W)v=b zO?vo_w}<b0e3Q19(P|A}Q6U&jyChNW@D;h**|n)<YV7`;;BNZ$Zh|H6l{{6yF1s_- znA@K>ch{eeF*^kY<LJ+mjaj{?A!D}jC>@DT-)L_96m~1}3)ze1aIfSr5EWYhB}CXJ z!!T=yIPpyL*5&!kWX&zN;Z54sFYED+Zn@5vm@8|%WtvA1IWdp+uER^Sa`wtqurkrs zWVkfj`#JOM_`@gf<xFn9>*?rkq&xb{W(C!AOt<e^o$^=d6g}NO$E(rw4F4Y2;g1n$ zcldajZoP*zuUzM5V8klyEqiP7T}||CLhyULmW8?X;Z{umH-#3Y2|zSv*vHda*NV&W z-g04&V%q%@i~O-Lw&_9!NWqwygpVd`;64sQI8fHg&}QxCJ?!1o9Zu;zoa_ailFuHy zf$<gHsFcCsv&~h{^HUj+jI+E~D;*7M%vtT!h;r|h<tLj`{9CbW(e>uNvZ4p`3llz> z(p+V&t$Vyo^ww>(q#Uecd$+Q;Mg*KjjSDP@Fb~+<JbCl*GC7w!%jI(^pbLp9b&`3v zEOZlN+_9BXa>Dll|8g$iM^bLtrbK0wUarupB-42?GjX}8NH5eYjals4C|2G@h<pep zfhw8hrWDO;AE)&>o2-im)7KCNq@;`ls^t-FKhl{fQFv%Gk}}SdG^&o$C<pEnhsc7U zIrctuQNHLQAHE;MC|i!2{bKbP`CA|TasTSV#6)*wxGUBhH}w4yqutJ+@ITteDKspk zY%0^4PYzgzdCY6?D>4gWQ-iVkK*IO!gl`4bTH+%^6%)EoT*Ft1>r*r=LGwj9jN)yZ zmb_5bZX!6c;0M>4{<0lo5Pza=MX{MSj-l0Tz6L7l1B+VQ$Dyr}7Ez-$y`Lmv{*Q%> zFmUB_q9|fUACec}TIfJdY|3&MX+Ph_Ud7|s=CcW3L{>APfH4wR@zxwgZtujMvG~gr zL2R>K7^F-4<BYtuPCWdX8>B!Cb0jSXx%Y^h1W|P28bRL#8j#?xa+DW!%}l~XhdXYz zId47|Xf+I$glH6JB+uhev*71veRJ`MLFkvK&W}w^8{m-QMIz%=DEY5f+0qeRi;YvR zz@xS~aBI&7YEM~@;i-NUsut5zi$6l^)M}U|->kMeym&@vbEzS|6=&&17xm+~M<7xA zPj!c?$my6gKjg>j>CooYJP?-JT}Y)txU!s*^3T;jmD(XI;B%zS3K*^fX5#)YxM0}n zo}ipnov3aYG{=;v(+V6Dz<0gMw6xG2RA)QwJRTfO09q8CY4li0xVNbN!~P8w1cFSv zOQOgyp3~+6!w>S^!P9uY$MY@VY~E)AHv%p<hqQX+JO1(%W6G-k(yvhWg$1ha*YVgO zRU-2ZQWKuK3I31N=da-WF7OZFBj6m+xdL$YaC<!7^chKBd|3>Z`Y>`5RnnbHhfy6L z%}Q79C#{@}Q&qBRq#9Z`qNAM;mEgTa+Bsjfv!j`b-?ff>9s?c*HUc{Um(R^9aOa;l zjg#QR-FuxzXe1bg&f(VXP-(Q26T!^*CoD#2ZlTbFPj$aV7LuveU-gOF52Kxh90ei* zwVc*d)v}VuJQbVXqKJ7A>$(8>uvXV(Bq3|TSzVw+oW|k>K~0&8PnD>pyHI5xJ2_d} zWI3*6K_~9oAY&pQ7jwQNW{qFy)le1WjG;xa^PCiGc72-~{y)G|!2Li!GN3K3rqpei zX}`}#I|rU()2$Os@^YI_^~ryfpG%sM%`2MF(G}_ZaKzdgO&Xzba`^MIXcAqBp9@Y; zMo78clGQ2BG6Y{cf3oJ@tWVF{(Z9~DY<z`fHU_w98h?AnssJn<0xIgQ2&l6c98WBN z@ReM&U_YI0){dQ#@Ks?UT4H;6Wy%!NLO3ZkXc)HVgtlriRt_$RKujl&zw>nB4|c{M ze$x1B&mjJJ&iL<u(sB7;ZR4}EFY(z$1RpGEg?nM3%bV~o{Z^^p>;&_rXOW6j0%iQn zmuOc>IH*XskhDU(Ds7s0`L%W%4fTECr@(G9d5q`(1MC7^+4m5*^E`PjZ#vAEmp;6s z$1^3;#SD15AbKbO-x;A0iXlzZ_~&%6uafa#FZ3`okQhVfox5}@9k-uU?61J$UY563 zI;B*zI?l;3j(d-fRdGC%v&39p7y5hju&_5gmSxzR+nPn@w8dry=5)L&TJ5f1k=gfv zb-*`)`+>gzj`Qg@6L#A#J$iWbt2e`wGvlpX_#cC~-zg5_h=aC-AMTXj(iT~JB$@ol zy3Z+Q9qdC^Y<7~BMZIcl$Uo`)uoxtQa)K-wUkdkOTp)(DyGAqXwvYA;-7DV*;@7w& zd_#0Ot%@<d#q3VZS~)Z!+3X2|g*AA(=d4!5wV8<X+Ve7VelG4=_)AltD!){i$U&Bq zw8y`b->}oDS+5i3XY;c~!Y}2ttzQnzpC%0RbE*+9O;nwwCa~fKuczl5&YyANk2(f| zQhYNF*doQ~26Q$H<LPmk^wbE(gFRFm^Q$XkkFQ>)zeAO$PCrfp2xeFF{~-O83bQ*E z`q?Sut|R`>(2v68e<S@Yl$w1y{fs)L`B2C}(SzJ(a8g=0Zv31oKPfE&Ukv(X{OH+7 zvQmEzdWaCg<|pBqpUNJBGFR%{u-)oT@H$8HkrpXkM-)E9Sr+(^Q|NNCj2!eF^#5=0 zi}`}u=_jwRjHgrOKh}5>+|(T%j%Jkhv-!mrgkOw^CJPzipDJG+pJ(@cp(wi=>Hhk+ z<@M5jG|JgJH!b1_0ciXaRY>b+EUjX`evoKP)@voUB?)!QuhQS(a}rlP*C?6(q;loj zO5#=n^MG#vE-wqeZvQ;F^!eYEfNUsia9Fgnzg+U5rMyW0G_KalWxnFAU&u&DP;>bw zh>UByF8{-PL^>#z9jNpgA$(<R^q9Y4uMo15;2htiGue-7cg-)hiaAc&5=7cv(*|%6 zPi=oWb7i$$Zu_1?`|bf*+V}Yk&ZI_-CYf{6=v3P90n+{ycm!~HJZ@H;-Tb+;+b>id z?L1v3$>LKKLZmtw3TSsZT3O|+|H;rJ_a^i|#jGE+TT<OGXstj04f$xlq%T#Cm1*f* zeEwJK>p-%*`Wj6yX?jG-7ws&<{UrieA9d**A}*A@;T(k^6lpa7h}Y<y*aSDrMxBE! z5!qPBOp-+g3lwinFl!x?mE91PosPAjSW=ug?oemkpPex7Xj#7Kf!v;N$!)Bga_Lv= z2mTHItEzvl!r{dI^Y7{#_6V})>rC~MOS&aZe@4@<`DV{wA`kbs<>7S$MIOd_2KIfC z%0T9!MQR?pIZGaXJ}u3`3DOFLY_VF(-f*GHM%cy9bdr<Bzd*&$mToeY$fhsqfWA){ zvaw3`{$Lspl_;jMnul6$itstPc!8gu6`dW2g@tmeN|YZ`(T>~#Q-NjelmulOR|y#H z6MbE~YuF&dbyMhwuCoXz&qQ>ofY0UzT%H?%2Vje1om~C5b{Bmx7;IkQS-|r$pc=Rq z_%h(i&v)m0^7Fk~1L*6KXR87=AG4dtF<+g&bOuec;7rvt*YdDe;=)g@=~Z>sXKW<1 zgD=hmN3v3%bOyubaUb{&CdJ1*3wd4&xRiR$?aNZMp(0At=f6E)?-ZPLmsl0cqW925 z;pYf3Lr;<EI$Nass@wUCep1N;U!;9shg6uaT7+UW#X>P%qkS3jY1hP(rXK5ens}_= zY1*-VXGrH{il|AHJ0F+<ECeFJTHrwdJ%(G<7W$4wE?MkhD={)O<Di%R#;RY^<<#jY z)J~mV7otDUrh+JY^x<CFB$B3_?mng)vAd6#oGja6_D5?ZUY7IwQv3HwDRFHn`2QL> z54au}3oHlj2c85NQ~bH}Wn9^R(n$7Lvin=}_uFmW8J;S#|FxR8<Y--cYmt7Pt-^r; zK9G)>W`JkwSo^J5pDOi>`o}^lGhX1}15SywyGC2eDaj_2p84w3(reAuhLNh#9jGXb zH2rA(Y2|;op2NCLNyh5wY<%9;Cb=U_^j`s`|H@N}nznXZ{iR!|-QB{@35I$yo29Mm zWRc)f5!&6OSwm(U^4V=G#pIT!+sjxVG`JDR+=Q`ZbgwtMC!bNW{~RtlDZ0ySZB6!w zzI9e~k2~R;_Jovc`kI4-Ji*<2hipoBoK**%U!8%gZ)5#JkFnmbGkwd5?lHVu$=q1q zw8hSPvt<1@$=cj8x7*xLf?o@S_dkT6o%N~W7a6{3(P{C~_$IlnaA-?qi(K-F6eVqy z(?GgDGvebtO<QlPh!;nWd=T!-B`r^ddp+?dqL17)@VSGprg}!+!b@D_P>XTTCX6ck zkay(Bo^YSa2N&f@0pT*0Iieax9*7+IN4VGHKbGWM25vq0N~&OJOZnDH61TFg{eshJ zhAuxo-b?Xi6haZ9AsU+!>t|8iFU1|&A3m*etySEGR$VCVpOHfcC{0X|x-0F)>=8tH zoFsU~{78)UTgx`Hd~+LXk|d6d`b-G>TTF<Cv2RCBYRyAs$8e=#tl7$E>%4@qKF?S` zws;cKwXy0KghQAQpQG6KJv^da9%GFNNoG{`ez`Fl4IDeZ;a@~Id!iqBQp=)UUSmx} z#Sr_kOpK=JW^eQZZ>lcZ<!kt&8NJ#0m0Qo)2Io*w^aEe&@~O3;)o=wEbKBBne{I>0 z=plE*xsg$$z~5*V_iOVKQ`}q<sI)>-m#I>b#3=bPmmN@okowubmbV`dbqC)B+*Du) zPy;LlxUstj+lSt6bl7QyHSH;U+T2`*53NHqX2T+5J;QA5@JZ2@ebLT*W7YSmEVJ7K z=h8~yz?iz^GPQ5cT3NUd#*6rS0Mo%lo6|Oii*&Y0ZOXJgRwlE9$QMhwSts(0WHhw- zk31%fA!_4m$~0q6TiHj^W1fbOjP+v}>k0vtMlOllr_;Q{L%MiwEVw}{BCTISBx?=6 zt_4bSo)UJ9_PC4Z6kxXX9hW=lKbPC<RzEyum&BL296C(@rC&2!6N*D|Hln;Gep=-4 zb)i7y@UoEhDK=M+)%bLGRpjtw`EpCnmkA7rNuhp`LpO&DA+KKTd18T~M#Ws&ceZ&f z{Uev7<1q*Wh>y(e80si$G1k;UUz(bwtB$Y`H&%^99H+JBU#MDmJP(y)>Xzss==yfP znyao8x>QpubZs;h5vX>9Q{$tDAnlnd((LR=AMjIc8>NO|Wn!!urXtPHj<ii8$p$WF z^lfFE)xi86KXZ}%3GqPk0gYrs8p+#qDiGa840F|_?CifL*;B47HBCnZ*@slbY1t9S zNJQD=!mF*q1BCBX5wFdTI6xw1Bb=C;9%0H@3|~r{%UUsj5p{C3(~BDx4vOS60Hp0+ zCa|{bjpz|~!}cuxLXUJB#wyuSp{6@^O*im}9-(?45p1qf{3YEF&1<B9%^o$TQ(uc7 zp?2F;JjG?~c;N+b8FeE;YFzXP6%!U_u2Q@v9cL_jW&_ueb)|;Xf}3%78SgL`u3?=V zz-g<0UhGnBUQ-Jz@wQ<$0uxPCWmi4TNgWL#_xIqy5e0=eY)DJ|i(*(FK8IP4ZU|$| zMjA&7+bD(2GdI~~+5Adn*Y((W?%?Zy`+WA?cy?T%0lSUN_L{tT`Hw#z>!jJlZ3cb= zybl~C%}kz-wE14O;PWZ*)Y~IplIG`;R^nU*d<8Ip-vT>;93II$J0m_|<bA6z_5{Ph z(N)pTyoL{y?Le$>7UNR>wImb$kokz4FlCKx?x^^9QNdi*@^EFyUJSN0Clk{JY;lB- zzH^Z~SSy5S?htl6A~I?YK2rFm0wqW$f>6HsVaL<bx!f`_MLg=jVzstHH*_QXS5E{K z6loYfsW9wK+{%8rT(i0%pOi8OI#Wv+A!<l?8b;+%V0bdrmzt?RdmGL&S7j64#SmWV z3jNvFC>zDr?2}7<J)pi+FO7#i5!>uQTW`n=EF+|F>8*^8p`TIAD#*je?d!R?&CvsY zoQ>V&T<j|KfIrv5uYt=4vd6?gHPE>jfidr3P>HWY^j4dR0fn^L+Vkllfy*tZEprE3 zfjvMMAm5@qe+xX%`y607@ME9_aItt7`y=v`^}4b@@GF_+S&Mhi01M3)i_^SYj*ieA zrI)DY@bhr;ZpFZ&ig(*GiP1Dy7?@&-ns+O!=cwY{nMflfl46INcYl`OW>oR+Or#=- zWU<0_i+BG9{PA~b$xGG@lOhl-XKO4gd0;mUuZOL@&L=afxOOJvCkfOj&d?FzYmcai zifd;g3TbFGFVqoXZgCY+acw(d=$4$0w6IOgNOLcwB_;PY>}T9(@JE&iEWHHWn>6mr zcql;(`NJAXBF)%iO`E@ncwx(v8ImX8#gOZLz@LDdfe$X$a5DbYhd33$4ZzQVzXCD9 zkrw`?d6zIS%j`?>uN_u=iHls4*3ajNBSLSsJSVK=Gss`@vHnRH6<4~KUNJ@_EO!I9 zt*OAuKB2zq!<kdY5Z;)CpQL3v5$Uwa0BwN0Wr^WA`Cl3L;419OF(N-6SKhGW%hQPT z&ngeE)sY7OqyZuJx$Kgxly5+PHmavp4hX-Y6Ta6yqQa5YcoTt^i@y&ei#{s?rh`?o z5Ebd)qUPQV9w@?JuEyNH%d*FuI@F`aT)j<xMw7Tub&k2y)Nqn9=ZLgkB00v~K1Ikf z<{Xh^!0R#BN%OVSe8w7~V$Q#0A^BC}f#hh7<WL@(G2E(CG4c{Bdl`9->@Sn-HFMAr zy$uV@sEj&CByr(tA*v(!8mi5xj5tRmSzYBIny7aSHyJilttm<ytT=|sR5uy7s>&^4 z#)!M2mx)#BurCs3tar!h6h(?7syKXkjFy<d2Q_}xH%N7+`aWPvl_FJp$SUF~hIrJ{ zPhZhKr_Ij9m&sj-9SV9yr+?2*5AIcZa!nJvz7~Lq;P1oS!N8^HV}W7N#vXp}kte_q zw3UNAv3BzDAAdc-c@6RZ0K5tm5x1FVx9P-4igf&?ZKR;z=ss~<@lp9}2vr;s+pO1R z#+r2yl*NykJuM0r4^|MzhR-PqzK2I`hun}P2^ClVp8Uv_rR6pmru&Y`>6ozPTU5*( zVS0#)>FpSjjtO6`Rxxv=Y0e9fr?2A>G$+pBI`~~{ZhMjpTxB~dwi|0cP@~P7{Vn|4 z_zM2}H2%-?Fx$NQJ02sdTC=>&%W-R#yGcajDC#D1Tt%h^zgCg6)-D{{CL;JU>33YO zB2t07RK%?HOQ=#J>M5{exJ2CARkmYo!dF<!L1sn2mk`Q)5=VHc>>WCzvS5+FvT(^? zD^Cx-0vTEJgow8!wVWE1;k-1H!TYMSXn@&tAQ!8g9X-;Ejr}79i=K)eDO~b=^vLO< zXS1`am6I9UEU`hZOVShC@JSVIM$<!7E86K_`YK|je>g&ktnz+Aq#XIlXr3)%4stsp z-fz@0FQQ^)iFiiy6?QCdYPDMDDS;wek}{fub}V1VJYMBmgJ-8*lc;ki@8pVI<)wsE zrFV-vWfSCQ`qgEMwVEO=WsO~nXp2nC#;QN6ff}i#66PCJnF?Jb?>i3evKr8QL-oP0 z6}@EB(49K*LK5I>k))G&ODuMqb2?MErU!x|n%vdzSm82@J*lxenz!L==Bh0E;kp17 z#mk8jHKcqE<IPoBlw&j<!-O!g*hhKP)~;t_I%^}%W`rh~lCbN*{VR;p+@uaS*j!RR zgKpW2(ZlYBzaab@%@2!FVh!sjWO*T8>+BM)BPJi6S0!^Zt!w*Qe~2mJIp8Sp-sRYi zf7TuR3Ge6f-k)~?_?6!)&epA)OT0buWNqZnhhKe-c=rLVz!$UANSw@{V=ZRqE6+Yx zu$RK~hd>+90Z91Q32$UXUk4~0P_oFM7--1dG{58f%fJy}kt6OedAIY|cx$A4fW9}6 z>sI)){W!xfr*|V@7wDmyHIEk4kg%FZD;29;%fl&Pzb`BySHOOkKx+<Fqh_m$lp|ob zNF?bbOF8m06-kjuMr^oWB5CeYzP0QaXPlL0Qrrt>L{zQBk!#(+vs2@_lSl2;j!THB zl#{h8_Z%tvN&*?%C@4GdL_kEC;h8F8j+8Ch9<8VBkR>OoN@L9dQs_B9t;{r<Qj(2Q zS9XXFN3KP9nV`o3SFN1TK4jeeGv0HNe}o7if6<kyk&AfLM%$0277Olo$N6|%8?PWx zaBu%tYN8;1w<t!;+*Qmh70VlKKbjgUSl>NL#mZ@AS=$KK?ME0VN@MzCMsH>ivL3HB z^&+gHL-|k0#s6bfr^wA3|M5H~)QSlCQYI5y`m)zOkCNoLS_z-BC?~z{F;&DI>bXlI zD(X4QTK6>En6o?!U9TudPPi8hGq=|#UplA`A|baZWs1co=vtdkP)$qq?SezYQQ#%v zL5iCQ4eE4G_LDQ|XiVVMt%|iW<rPn=EDDuW4h+8_Xw<m{jfF`k8U&Udj&|i4Yu1pc ze5=;~#yulfC}m1<6}n!ODN+(*nm&+Wp|1kUTjW<JcMo^Tp?kL~nF;^ZerNdeu=+#5 zpb_lrGF0BJa0i$1{0m_(@h%`dME|i{DK9n;fd@5^?&rV`VB<)4@H@o+IS}UeLBNqm z0c*1Y`Rf6A^YTU9EAW%YaMH~Mnt;myN16=pls5<eEToKbU^eg(X{6kT059N356?a^ z@3YoBTK9ymDOhoE5q6NG`C}OeWsBlivp~^56*D-P95-CW(Bv{5-G_f<%BGcPi84PE zx}Ga;?NCigjfJ!3DZQi4Inq#^Q8>*?Yn*I_6WK9EX@yg*5R=w*l_*`;x1c~3$b{Zd zAiA!w`C)1~`E!s?EkO0iLPeFc31g|K)MrsqMV0(wGug1EqEeqxQIR2ps4~pnj0vYz zRD!uW<YnVyta%LV(oDf|;;2)a4ecEdJvtDz^nlLZD7syb`Wtj4Z^KQwSbkoQ_G%r$ z*DxVxt0+8Njdrg4wVL7l$a41_&cbzi8_tX@_l!zR@q~sbCWNA0#X)&HftsSnQeB}G zS*j~kKd8Nt?W5d5fz5EV*MZA;zX6B>KLO<1M}(L1e1JNB4e$XM022XPg<<3s?x7W* z*1xjec5F{5LDjk5c1UUij8)=QgV|wcm1@gJd1z*;_a`nEmYyr2IhL_%3YIH=j+4<G z%UC71z5|-aNokp7Y-WE#ueTjYvWe0{VvzKYQAqAfBl%TJJ!!0IR@tjL*jBo0?+Lo^ zN84)3`R1yu<y2^a&FS^NM8j3)s;pI1Xq+V@=p5+RdGxDet(sO(m4JeC4^T63Wi_ky zzV><qeP;b=cd!BYFW^3^GmYne^Aw;{^SqhEIvBlJ>sYVZb(DDL5T_Ps0REYiP8gv2 z>t-Em6Uo0pA2j`RO&>2;tEO+^;iQiXx}%Rl1Uf}DpNf<t!^_&#DWbipIxt6ye_kR9 zfjjoE^bU@LKF%_fhe7BgI94HfAdTdg)ASKh*=Ny5=(Zf%n3qc%*X7U#3i@o?_*@Qh zi7zSI*sza>QuRxhZxGWBp#Xb!7e3&ig{4sS13)XV5O@Ui1)zfy&Q&FRuL8aZ`~Wx| zaHNBNG6W>_qx2bGQHtbwwR|oLIXS)_Fn1yQ;$~lV<=2C$)@MvYBX_8m-f1@0uUJ^4 zTJ|~~O62{XG-viyU^I(y1HN6f)SJ2i$+2Nk4y!eq@3SMRo%yR|XMS=nyIrbsQ5*Av zYNu9g!^(4JK&{0ZKSLwFE3GS%iM0iPb$UQbpxw$^kO{_yrKb*A*q*-hEC^+_u1<sp z(FcN(CAJYgeY|@jU%vrG-3R;$cmp^LIQOS~KC^2S@umXgV((2m-jx1R$pbHnJiw0B z2_=G-W6{pDja4g{EWmNYB-P|M$OGA+)@|;tpZ2(HNhe1#iE@TKEg@Ln<hV+5kmFls z3jGP6GVP!jH3M`x`*b<4^RVMLEXl;(rwk7Mf$p8D)<0PzqXiZ38yS&A?`mlwV=#q@ zt%oJmUy#X6I>1=<Aem9Y;gZ?V=JR=20{tx8>Hr%NPs4}C`dYC%5Z$oqIk7spPA8hi z!=78E;j=`gS$neZ(ny`DkfIqY+PRUBX*o8016SU|$(^W1H+d|59;GG=LIF7z)-#&y z8Sb6(aVN5WLanxsunRYG3tui*G+WY}vr*1f<vT+Ls1S!N_czc18zi#uU^UA2(U(XX zqcA#`Ek}>8$=P;JO0qaZBjC)qe{RMs3MAvKe!$kI7|u$QHt8l^sGF4OOcyiME+!o^ z<hYP?>=1=YF~2CriHbg<;|w`XC9#RaSmURT8N@VY-l^3B8#H1M^3Ze6*U+YA3z63` zwK$f@wIsBdI+97l3&*Wl&yfg#D|Hr9NyDQ#%Q~Y;oW9yj-4f*1WGp6x6hV<0=XI8L zwB3G<;`3<~Z?i;1tTt%$<M!TuPBM+)G#wGGz(p!zj#i*SA}U1B(-F}McvVC-1K9$$ z(KJIMT2rJgd5XmZqPEOJx<6F+sA-7q(K4*D=22QcXOSH01@nHQ5AD<OTmCr?{lC%N z#L%}FsC>X*xr)kG4ulHPXsCQr2-`VT`!AJ=H+6NoVizh*vJ?lBgHPvh{&AX+c`65A zsz61kP36@-(HC@O9%FiPH{6g#Q1q6FvGi8u6vc6ZJk<F5y{PnZw?{q1HOWWmZc;_e zF^Btb-}d1P!hThXE~D{*SqERml!EqEGiMbGB}#qb0`MS)L(8>vD<y|?$+LOXPE9?f zv_Y4v(sLT8Nt#_sSJUIYN*mNuMa=5=&^#4MrpOMpUp~1A4W<~8fY0H+A>1O1je;J@ zrR1rDFK`Cyqev24vllD&AQhX4LNsb6#(MgUTGry@+`&sGV#fwN4qU|VF~Cp8yMud~ z|BeBV^8PSkNBHi&8e0%%l_q}oAiO{D1K!v2lyFy(tX_&Z2H-C!lE1>9d4XPmUcGu1 z^)`a16&3aAyY@`t=K~WdU!_45)PJOvKNtVW100*JIN!^8O1f_l)(Nx$&spEoSxI__ zt(nA^xS2`Z?as{XX4eYvp95SCe8aAb7#QG#L;mzR0sSf#2Pxw8o8S(94tU3kuj+CV z`R;DwJ_hUoN@>egJSB~l?xgbFXKD9GfY$*ZX+{CR<$W$7>CXd#fR$Gv)h{e8^Z~qT z9du#7x6tcHyW-4C@{lw)@$61EB_HJp1^E)<M73VAZBf2beZX`!sSU@*9&8iOX;aHn zysp~zh;H+cHDHi{`Ys*9fY~rr4b^*iXnxsObHjk*b+*yS7CYZ3p;u8^`7NIt6+6QJ zKx(=sF&(v7^7gmXoJ<5YJE@4W1SeKI39a2mts5cik*cy?=>3&N4MR^PdG<qX{mN8j z(4)#qr&y86<vcZfE(Y%+U=IWS@4)-O6n>8cBEUcSt?pX&`Fl8SL{uvDPj5dlCtwS5 zMyCB<q5Xz2IsFSGTGf7?(^UJt%;QwsPcsYARM0ZdX4-E@a->6`;>&KkWp^ak;zkK+ zCo%rLgRjgQxOLu;Ru~Xb)=7it46R0bHvE9ytWLER%{ok}t*(}4b*5N*Ex4Bg=K&W3 zKL@@Ad>!~K;L3*w<Y#*nvd%!{o_}CJ0xw+UTV=gdc2G3^vY-72s;bm+*5-bv-&l1o zVF;y@u3?HehCb;jiK7-ences1b_pbtc2D$uPijH*7_*=x)QcTQL^%|wB6_3mdsA0M zkNFyI)r*~Uq;R8(;ETTROAVSb4#XNtBUcR$_tEb~k*j8f^Qu63+!R4NF$IFmD86;1 z4<c913BRS^-;P{0D*VE@DR@WgGl68Ot=S8rBIMo+LCaF&(&*Oax~!MhUP-+Lwoiv{ zfuq26zzX13fP7Q*$*xy$%!IOSGwM*qH%x~h)Azl^&oI_AU=%$fx1X`}Y!Q@5NW1Rg z5jj$TW9phBQ8~*fY<lgs!gyQd(2%ckbolSu{`kqcO5&68+O>l;>wp&EX+Zck6_7tp z7W1zs9iUVkvc84;sACMW5A{lUR~7ycqir5b|Lq3b)inlo3JOcPWLpLfXYs_O3uFT` zHL}-YDDYf3SkV}4%!~EjTpMt!OslG^s#A}5_a)lup%}j2-~Cr_w9Q*p-Elj8$bM{d zkm4MfSE<~qJ7)1Yde{>hDBrxXxxOkq^UK2T38`(h+PjT59>pyES$>y4r=v|_D>*o> zDi$uP?ikQr4zfJ7ayW#*MGn1;X0cPzIp8<fKaMPP4lhZJ!|rfF`Eww=RsHgWzbHk` ziQv*TR3B+HO2dOHruaew;@-+qJo1FmY^R%4eEFAG(PkhV&&sU9%ItK>ENDgfiWQho zX|s4&r)<>{zUy(iVa^QX4&b}MFZjI`c!Br+JU<Vt=Y0oHS0Oy1(C0&_U^?po_zMaP zWNIt0)nDqo-c0V|WUW_MuZ*Q`j*oGVsjLXq=>4aSor$G8qsOjT%3<!6{yIeqosdN9 zTfUw<Qu2tlZcXK>=P$j_u0WM_nyYbw&LrHzX_`*|m7>qOv+_!@M{b;iIr-JYSCo9l z6HJYwoWCXlF=Jy(VnQ+z7;hynw35G*ddgY_U)e?4aNiYl7H*pTD-Lz>412L;m}d%` z{VFIe1eO62fY{a_GqL<>ZG?XB?q6-OrrHB%OWbI>CEDQ$&5w4tIZ58(4u|6Y$f4^) zgCd7+4KLsTOE~<+$TH72!m}gGyrFQN<!OKq3&RuChiX174qs^<xQh(GK71)(ZwZ(2 zbz%6N4SEesP$*m+cU68R)U)#DaPJM`5Q(ESqtwGPYD@Q)K3_Rgne)QF{c*Gat&H2@ ztj~L3VXw|F+*hwUiTgBzaZl}-kz2xZ<GpL~Zp+)X@!lf~!&Bl@+=%ovGTlCMODa#r zYYktKo8OXkaSs<J4ArDeDatBlX%TGUkGhmcd2mZDJ)m!`<z;OtVf}#Kz!ktW02xUM zf$4vAANah;sv*ALE^(Yfru3KYLAO(*FZ{M9zywwl@69crXCPda?JV2R=xi7`+#l{A zpOohwJ&|ia|53iRq9!<(BSB`X<ta~^QPN}QFcUBGs8mFw613ZHl=v&8X7^pE+mFY| zq=oF%OE#D7P=rW*rjT+bFdO(1a653q`aAm8#&4$75B7m&;jl^ZE!goCM-CM(=@B_} zdYBGpc*Z9Un-n=zusEsKT+S?1`{3v}pzR$$Z*6`wa^;jy*RRl6KWV_EXzP*ap&m=i zx`rm!e4gojlZV58sX@_A-e}UB>KEPQiza=k-q9Uh?c;nf(5|lhG2?4vOYw8%ZhS%s zk6roW$H*2L4zUX(4FeEdJY&XZ5~Oy0j*PDY#sRZ{uK`nm9DF%H@~U{WEdK;QmS#mo z=aQS_Q@i4=Lpv+?%gJzew9~hEbonQ#iwN6axyK6gE*?%;F=2Z+AEx7Z77ruL$62on zrq)(89$mUV?UOdz?sdF-((mKaZwf8i5BoMIWOH&cZ5J?IWm^QTnxMJU99XtHHn|ud z;&t^EyO!rAd_7||2vTNeMcb0u)_hvu72jlGUZpS}UcME~H(8iVn0N67gcTE}F_$pU z;xh>IH9dD*->Fp<N0vU8>IufFJjALLcO)Jx`xwm*Zf~dj1R;t8tWO8r!@yGh>8z+J zmdh6uu`1OqbIH7cEprdPtbRG0ThTvOIx~x92$?RWg}tJp-H6KFs57`P^&=xXoY#1< zIvcPZVi_?BRc*ARhtaf?0SPZOnq*^9IAhU`#>VY8#(F<4b8%vNm%eXG%)#C|rZ&1h zBplV}7WHErKa7pz-O;zMGB)mx?#*xAo7Zy}As#~Pcdz}v;yu`b%iOkNZx<3yYe(UV ztu7{z728}Ga!Z+_=eaRf=Sh7@m*8!<Sq^nZ$bJ1Tg;?ubc{ftP`tcqDZ=?ic{Z;}L zwl~K5u^viYpwoI9hQ&$x_E{?RZiz>9M_hB4ca!(SiuT15X}gXWWm29QP}U}B21Htq z4O7FP80X6uX^`wMgqCm3id(*Q7J*qo(m#-$^bR*W^sbm33|&d)@zWrT!CY*+T?~c= z*=>=%SG9EHMYguAHo9DqZ4uMY#W((n?V+O8r**ly@>Jq5j?L6*NSiuxPG?&4NfAZb zb4sz9SJAfk470G}*~LXBEk+x=qaKf$H#)|bMSmMHGTfUOa>7DYQZ^YfCoYBm%sf87 z{whE2x#NBscUL;Ij+18w<ubqZI3Mm4?L1G3&c$;TbN2I4`}b|?@Jn0d@UcZ+&iZZ; z&2}3+I5o!|{17+@bO8h_wMBPRzaz{8{?i#>2=pQ?52v}`!Wb%;@Qr{ARCF5Ap$rb0 zea5-tY@X~~ariZIHdZ|)|E`b!ah{-;c$i1zNMvydjagG{G{3@Ea%Ht4O=hn)CKsFi z<S?SA;qAcwjvuQy#b$3&4)_{&a&0<lPFY>4L&R;ZNnr-9dp$jOMsEpv#+aKTd%c`r zj%@1;>~GoYTkVdwb>&6g_L{vT+dEs5o}os|+n&OmkVBqe+kYru3SW+IBD5u$2mKVj zym|mBpq)JKDIE#N)A+D}6QyZ<3psT7B3t*YF6_z+>@oYrx3}!^2-UrPRblID4{5hc z+Tt$3OpwBUkT$yOO&K1jJUR!q9DF%8!mh7s0GZUSfH<A_YhWW#L5taXB}ae!f8td{ zOPdMX^feO)ICF~4?aVJbg%wBl9;>&m94qUcsDvXPV~RPQi7@h3XXMb!;X;h(h#<`e zkGYKI)%WZ4tJuAGsEHsm9&p{*`j-F3o?C9jdHUo)G|ywYqb;5o+dPY295E<dP|>ak zaFLgevO2*=%zE1ReJcIu$LCStarFO1P5(UpucH6_c)k1oKKj2N`Uf@w6|~s@Pya`u zZdW$_A4}7J`>~VKKLYb;_x~39XJq=#HjX%84X{~V+tTT2xPiS#{8?=ULC(b+%`LpJ zhBA+cA)}|E#yVfi%8JDYGPc-c1Sh2m<NcDuS**$?KHA8>tS_$pvYNswc}U8y>&+Ej z8#iTiSz<46t+ny-j@SjDjZiiKFTn>S1u1t4O5x3NOuv;NIq2(Y_@fFu2eY+ssR)Xj zJz{ks>W)vds$BaSF#636?%)>S1z<1m2;kh~&o;v7;S+w*U3(d8eoB$uwZ?_)2}^4v zi_~WN4x*t8yXQt4g)^%7q_6YLNQOlNk~XfS9&Gr+uuy3aCcdabsF>aMmE9H7h7GDJ zra<f*zDB!0Ekz7%ew0VL4I7`%G`X~&ui=CE6nsU5d$QjyZU*Q=f4t6<42el=QspH( z@9*fmUgrUF(!wHPr0rexW|5M<kwspRo+f5T&QrqvNZ2Bt=K>Xggq>(FM!rd0=Q7#m z8TKN1MtKW_JG{yr4#WpUj$9Y&6*;mj)XUN!>SO;AZV(OsBR<_DXa9T2+5hbC(N<sN zHYjUbyg-})^cN=p8`0YIb~*u=)h1G(_@7bdfkYd@fO!)oYZ(V5I@Lk)y+Q&@-0^-* zpU9BdM0@%trSjuDlIMIP%_%AiW7Y4O(`eEIUsc`nIuB$0W-bsk)~^-6B(^`6MA1&A z2Hm}<+4o&>$6_=sBc;&6o0{~O(AHAi#S|Ch-X>%HpDA%T%NKvDApQcy{^p;VVk>m9 z!){W=26?Dr|3b0iuH_`fiee&~Qls#Qr!nE6AYla^HGCGP;O&qi<jvP{DR102A;-#| z>`AM{=5R(mFWgtosLM$*Ij#RIp=`n#$%>`?x2)GSY4?JkFf{D;>z91@02S#pmiDLN zZqPND#Dn53kx^~f3QyUXK~HV8{*qEGzOqMcsEQ4e#ao_Dj|*eXxk!MDl{_J=<PRcF zz)H+E`?$O&dpSU@6qCAcne+E~`uzPZY#CYS@9laSYqnEimGzU7^?Ez&^htc23#7b^ z#m4(tV-Q!{H<?{ug*2W9wgMl1#U1=JAYt9@zX_j`Gx?1R*e?XW1>6rTCH?}Qm4KD@ zglF>Q`!V8`@caxg3djd?_+i>tiHJ~j+<hTqr-X}AS1yoK`h99e5q>PM;qTTtees_W zE3`alFn(k^CSblHOL5GhWL+f|(xUChsNf+tW;c6|Y4goQ<uC_5%oN*cYl?XRgJ?NF zB?iG_p#h(}`DW;W!9gZs-Rx<YC~a;uf0xh7&e`(lV3|NPl&LQ1FI^&A;L_W$H969+ zb_zdC&9i$jV?P_eT6kq<w##R>n<%!~opRcr6Gz9L_P4T?eK3`+w!dh&+`?4wyiM1! zGChY@Y81T<y&>Gx%lcQ=8Gq<E)uIa%ik#C19-A;|(oLd9$-^`Ut#Tg^yT)3*XB#Pd z8dq89%C27qId4N!@3y{Z72NQ$-ge!5<ZJBh0~;*p&GWaw3&7iee47pY5V(?ZhXRv; z*}!K2=Q(^^3|I3hD^CYERjjlFoVsVFugZA?i<OE=CmdnT*Hv9ZJWiFB_93P8fyGK2 zqix63`r_pLbgrZ9onT1WTXfkE*=3&sKUKShGNB7o?esL78J49uVTY)jG)G-wz4=nN z6JPVmU5+u~<dLni9V=6IVCm;TY`;eA9Uf^m=bZjC!V(sF^uJ<jY133Ca@c$+na!7` zkmYRPdZ6+a><It~I~iYkmN>5fZv*cEBZ<F(=NiCDd&0B!=MY!ot9TS*|B0Sl@e_-D z+RazgA=`#8=oYfZX|YVf{gOX<pXO;vqQPB?plP+G#b2^xE|ZveAs%Q&KPS_EJ9Sry zC4nt!7OK`$A(j~AR61Gw&N~0Dj+J{FZjVnzKfx`<&3BR*H$~xvC=~R8Z%@N)zG^O` zx2D0qfAXDwq_Mw_xMc^$HPdBgS9ftYNL=v0-NOGoHmXHoam>@0#$QV(G)<3WOhwlx zw$o>=(`D@Fu7o<PgkpT~g|}p~-|c9g#8gXyl?F;Ti5l<vfWk+}PL@b3))wMCMX2uh zQD2B8^A7fGvR7^m{31Q@D;KGOU&`ZD2fjLHmyxAcWd{5lOMoh#1b&tPbqmGXWj;tf z7*`=(=5=<NpE}?}H)ZJOTbX()87_69JiMtPN*GUZEssrB1(c=-C1MQXL6@)bZ09gk z2e4Q<+>gYOwQ|Uo#SPGW`&M@_2^<1G3lsnn&QP)r49ElXaQmzQa>NtFX$7_b&jLRO z8iC`|<(xI3f1~>X)(T1P>P0?oFaHEK$59?M*yts=0h;k9w2g2Kr`nWOc#8k*rlp#f z^H2)U)ago$NcE0fb!-vtfUy1%ou_@?{!C2>J9Vmuc^K>2+(-2OG^zG&$)(-Xu>fs* z^Cw30ZvDHx<^Wl`%#YO&GuC(n>80-YB}&Ndjz%WDm!T0k)J!FO%Ty)yDRhwSg+@*) z+lOROcf5+WRNOUnl^smw>HU?2ubeN5CD=yMf?;sg;}Hot-ytFQPquZ)pzqD`_0EEZ zLIjfKPqPpVJq1NMY&^<a9+&)MH3!O`Rr4KtI+Fhco&V{Q|2W(nhE@JE84)2Qu957A zW_8jqUB6Nu8%4B9oxag8537?tN%hz$oh0kgV}a1Q(PO<rgQLd^jJw2KF?y_U$?E8_ z(?ij0+`xmIoh_BWu_i`iXk0960THMr8<7PXk?VMzj9R!Ydxjj$e*lSSEpgS!CAnr^ z_MGBsvqoHxMB9BGw}GLo%DItlMxx%6yc*li^cngaAq{Rhrd}P_N=;zeZQ?0}u6dPD zpNj6&8r?@f1zr0T{%HCNYC1}EZd88><oEHada&$Sn?9`mGqJV-4e?}@(}N;2AJ=dt zw<!t@@Hkn+*~4r-Tn0=Q5Z!zcJjU{3tRII)l)-j#(l(lIBXMH6#|$4xx7Nc#9g~lC z{DanIUh0VR8%wH=yVTQ{YP62$cRG&eYlitH%`j(|y^)$pre$x65@>z|;~h+DC<qHE zqdA`!h$}q>LDou%B1^ALOiOBE9Xn0UH!6ozKpx&y4|({E#Af9yAhQ_Dux)tb>%vok z_kfRukMbwm_n)G?_l$uZOaP_<yB1?l8)A*cvli$B4CXgH`GkG}+LmCO1?&d4692z4 zX|mN+j&rRm$a6LDP2fJs{}gd840D$sPz($PPBop>!G@Wn+s<!+D|jC(dGY=@&laE^ z*a@6!-X9b9V%qLs)L-(U)m4+*{tK!Jp9o9`z5twRzA55<1RRnyfL+Ezyx#$+vQ)pE z{Oqr+Y1I5zWO+bP`k@1gZjCjIWMm$v91_{a|BkSn1GbzYXXO}c*EP~YHT(G?tJ}-@ zbs`bRtl95S63L8+eA`~LPwH<iaEvu_kUnuWdwZQW5~z$0XfaT$jC#d)te)AGy!~y# zrqjko^p#-q0Of;5$ccuijc|?FxR0Ut-$Y|ML#cu=rbM7XSu!{qKBd3{XMszvr?8#6 zuno?_^z@0JVq6NN8gte;^chh#iAq??O{sF>g^9kf=*+-X?inu!I~apQM$#*;euV24 zSHODnb;wx&^0b$Te@L$nMZMRH4%3ZiY51!5!pXEz(vPS@aJiNMs6s|{wkd;6_kHQx zY0ligdv9}*^1o~}O{WG*OMCz=aeeZ~qD4$=i3ML@!<VzG!!K|aO$PIsEkIhU9b?V= zOek6_a!}sHvxx*{5{Zq0C3RYhKO^xBF`Sa8w24+@7;ApWw|K1x4Av5g)(FJ=#kVBO zF}oI`=IV^I#JO*CGf}nBTAy6`cV|V&Q0fve)=VKz`BshLOvyTL<O)$L8O`JPRYgSc zS@5Q=vXTomvUa|6MHEXnkR5uTwo|sZWxLAnz;3Vsn|L6P4qD8!glE6o-NAiKZ1P?B z@QHjBRPp_4U?wmR2$Fs%P{8|L<gpmA@;IT70vm@5Nh9g@WYV0Fm)qqYA^uMRyWG9J zZvbq(Pv)b*T92Mg{}x357EZfpJFyOK`kVByrGxt`bOU?1E&|nKXEWKa==B5b%z%bh z&J66}PBc}zm(;d~8i7uG`|h-C@4P{p6KdJgyCouw>b;V*8t^iu=Nlsj>#od@Zo@zo ze442La04VxI<+PZ*9ZNecH|OUC5c>>rLUW#wF|@2`nq9yIDDGE4jsfGYGLW<z5$cC zPnv6Ja}y71L^WP_a-H0$9G%?7_U|o`<!o}Cfj@#dY_8)a^|8qE9$do}S?<F@fe!}- z!Vl8AKO^xuDwtcAb&Nu+Fl+9_Z#D33_}DLj(|Ml<Gy~rO<Xa2jUY@%E7j@Xea}Tgz ze)A_Me0bQZKK1-h*8j4B^3Ln@zpz)l7Kn>KTJQ3^RO=P<=$@M%zkwoG`UnkJo0xI* zC+Yo@?v{36w@YQ)=6=#r>dm^;X?CffzWo34f3o}+e*!tn|1+IT*kXbG($RE)y+5(G z0Q~l@z>Xj21TF*e0120MzvGB_mXCqQiPHkK13Q490S$niF0C-gS@+wW{Gax(?=`D` zY3VNA(yk`ezscyS_wS!c>FD2EKdpc7e$^_KV}dbV>Tq3Z2@ge8pWeSSviesa{})A; zUay>|*DIy+@TEBVpmtBSR{*7CwY589(a0ocZT@7*D6BbNq7_<!%|IXEZ}g*t(U&Kj zFYf32Pk>(n>wqR;HejVY={d5j{uKRuz<d?Xg<+<s?L_$)((=$4Yw~CF7`Fk(FEk%$ zR=v1}$KzU6@VKQa7%BRkt*IW5D}BzPUSce;;&mPUX&zF@H7wUut9bW|`qH63W3>oZ z-efu7-Xo`L&cTXT?Ioplk*s3!(eTsa0m;)?Ow*?Q24pvLFcyqYwA8J#|E-k8eUjmq zg)r3iH&$<v0~)J+JV>79GJpW~g{3FgJ`Bw~0z3h<0T9$FtqU8;_BG-k0{p!92llA+ zbS+F&?h6oK1Gf@>7hq+pEym?v`Loz8<4@aCHU?wiK$g1!nJQ+a_t(UWsh->8gU~kj zqI31h9ks)@JGuBJJymgGi1;P=1Wryvj9#O9bDzmW{1SMSPlEbs$>&*dXL%*?JT5jE ze0jq0B{To(J0i05^s3-~$-^&N1?%1NMqO}77kmQ`XC^<TjP5e|gPn;sx)@F-Otfny zlZ<%c`m5lqeJwE+rq9?9CQ~g$Si3``yDQ=vy9l8YW7P}j7-*mtjpsVSGreWrGRxuH zz}N6$_a+x^GIW?+?9n;B%md`)Jg&C6$P%S)K?ZYF0sRIM{Ypd1$preR8;1wdet2i# zdS@}koRFC7iC1@JBzU^PP!jyDFVGR{>;PCfoFVkb8N!=fm#fxzoOse1H9lcunemEX z3w-&xZV@bJ1`f9fR)}_s0EU)O$Z0{_F@o6sTqIK5d1@Q~m+(p@^Aw8@Cd)~JPoE(? zTXmp~kJCwlRg89$kX4N3CLy<{W#?$Y^H#^;HbJ`#jRX>E9CYf=NmI^HyWn)lkmEv5 z>^8wd&fzw}3ej#89F%*nqd~D4j@9UEE{yft%~x0=@7{x*J~Itgy{)MpLX~orj<2mb zpw^Y4e05oD>MWx0QC-%P{%ACbqfm7XD(xfr=s{qtSxop^7JKoFIX|cAMeI$WmjK2l zTas0~GXt0T^l55N?$_#;I-iHJzQ#x`=4b&K%ivI3Y@HmfSEW&u+WD0QILs*ZUG-}d zin#d28!jL-B2ap6*<$FjCHd#)q>I#%px;yI8eM3}D%9ExKo5_Wz}6sS8`p%2(|C1+ znT16eIFuQ?VX#F;NLEbgVyJ?ykca3BWdYv!ro*op2k~oyj6ih~zcJW1w29PdS}0Yt zfSq&S(65}~XJx{_?F`q4@n_9D__B=U39jF)WUqZSXJFyJVW0sxli%gQD>2U9@ckYj z#d{lJSH#`HdcXtxfZrDqUJ3k;_jaCNB>kzJ!|zG_1FO(=lDA5eHrQfvl0U~e{PDz- zIA6$lO4y}@y$jqA{Kop8&PuXzoWqy+5?9Zl))c27%ynkh2JpWJxC{7&U6+%b!*{k> zg1ol@6M^5;HV*^8=lutOs-N3)(sS_==Q>~xAbAW1{!AX-$zoJXor`zKQ}+CP+~mwc zvoYVADPrN^49gzMd_(4EWf3J7FlboB$a43y!kxLfoN?55X$eFh_@?4X$-B`8h{8LS zJ}#fN^lN<BqG)wm9?Gf+2gCbhHWwAsY*Axn=0urx6y-}KIWC_jX1&su;B{Gil-XYV zj_5Uf7S_T_&jf47GG5JUl9NWmXuh7*&Qi`(Lj&5MO|7bdp+G<2OyEvn0k92_@b1pk zJLIANwf6qf4y(PrV%I9|y>P8+?`b^#^Y-57JY7#?%JF*D5xccp&78ya#Q2@FeKNi9 zgMXtJzW0|C_QE3&(LKOQAOZBCcJK3i29WSiJ9kfei~omB2o7bf7>Cs(aOSgrw)dEK zmpE4NG@OmCPrOQ24M^5(Ajx6QPXCfIVm0=jhZv1-S!2Mt+4mL=e)L<a!T0gddse;m z)^L7g#IZ#!<t<2fL%)sOMHatL`<jd%_BMPJZS_Xq^QL|hJ?v|E7jw_(dp_nDN~26r z`ld2rYl@5*Y&72?%-{ZEthtq+@>O3L78x<iX#PAwwH=eQ<B7jV9dD$(jo=QMOS5B~ zmyS`aVxW69B!;SX^CzLaDIHzNH1w`=)_I|#eCwBJWX!IE^u;lt2Mw@|CoxWGeeovo z1uCp`jXe7TgMo_y`R3qHO6Ch{yvlZQ#{V$;ioc*N4r#89f8O2nnkajv=Z2~EUR&1I z@I~KIom9djXJe60a_-+N?*N~rTW`=QuH`}2mqtbugfF7rV*RW=1cZAS8{L>dZ0Y)C zgcb|+CfXZZT%er>JfG>U#9Th7od>La0Alzl@GIaE;8feo3nn{=zZdwYN_S$P1JJwJ z19QuB`Buf)+4Nw6{1ifrXd>cuZVq%JpJDWXR}}cS*vb1Rv0-t%>BBwWRZZ8#Bd6&` zWjCGpD_HtpG~GKo#UFVzcZI*n@wvw4So!AafLps6;C4?5%hO>BDQqu0zC<$-|F~}; z+%ZmQvda@HQ3+W=#HxKy$pm7#A?Of8S?z$Jgtzi8iRX<i_E$yQf>gdE?<5(>lCa}l zs9gIWc#Sum!KNy5ko}^zV8@^3dzU+$U*6Rrd);7TG_T`@l8nTE^Afou;4+$I@1bI` zFEom_9T^!_8vbm&)(cya1wm=(eBQ8Jul1;ftw^c8uxm$D{J|Ds<QyVBYBYa=ENCrP z$8=uoGHcX3WmZZ7Qf9dwO?*`eI?4$>e&bu!!v7`c<qhCn;C<j!>1;mTR&Wn<888C4 zn%|3nnY`Z%yaYTT`4u2%6)3+3mbYWSyTC1;kKNY!*7E0~Exx+?;nUpVxsl<^!k_09 z6esOn7{zmnzakVeHh#ze+QByb&S;nNZSc)~_X@QoUgy!e*VpqUd>icbMK_6W19|?^ z`{Ihj;@hC%5sMuweUCHOLFrrr-%d<VCW`8GipCujpL&6dL2XwEeYGouAsE%4J^U`^ z3gL9y!@*(8!vT8*%EQ4nJRFE;Ewifz)FuJf0<!^WSN$hKCx2QV)bHK>s|^Kh)~22^ zKe48f+3EXbn|86yNpH52E581WCNbZU7j=M<Lj^|jPC{Tc*N3jIywzyl#4kBbU^H(~ zZ=SHx{2TSwgRq~eH{Umm<{zlHe8SeMx4e+iyplKDYl0j|xGi!Uei0T&ZbMCfOXN1+ zH^N_u+?MYOUmv+GZ*h2*?MFe3tEWUpT#uIpNmWg%Tf$eWRG%Z&!tkZGX9f8@l+U5? zAT^&AgZHO;Sy1z}ve$xp1?$)5D#I`w$s9-(`>aXdS4^ssM-G!x`n+uWEVY}vTBiu{ zh!>8D=hfnuVQBj8jCkS5-kdL;D83n3-@$`MZZVoda1raAEt`Oz@W=9rL;HMfHJa)i zU!4b#EK|?No@SWp)u0?+c~~RxGahK~gfp`rg-qFSAHo6<2fhRF;gsgnO~l;*{04X% zaFa2zf7;c9deQW#{5`x*oJ%B*b1@^dD+Lnf+#!+vn5_Lh<TbT~&K7?UN^BaU`t;1< z?(hJbLfP2A=Yhw)UETtZ!tVnjf|As;$X)RV+y8@FPbkUDn!jO+#~B8-{6O{ZIvzRw zn=^llx5lNo_l$Jv6iG=T>kjXh)c3Vh!Y!$_dfRDBYL(?KVm7h91l$BH22=yk6x|J9 zN0{e9;@%B>5BQ~|vzDIeIFb=%JKIuPLeaNe^<ke^`?UH$c)zOuS{^5@e`moWgO$t@ zbPlKEz`WIy`k6T1m`%Db0XG4Q0YOT-I*n)dFCM$s{$KXK1R%<4{rhE=6dfuxEvrd! zE5X^BeLxtMLKp$pG#p?Ml&x75y;=~G;K+?zwp(eoXI<NEQw(z{OIvPPS<$^#V_5Mo zD=c%q-*evgorOj1*8T4N{@)#V&UxRnKIb{l*`MdUz*k%!vdsp`TDonQ<`>>8NWTMh zk4k6jDp4PzhjiY7^{fc3u(}l?Y#xDuk%@Q3EFFcJa~DDjdNSt=>M`fk<GVTO{B0Of zXn8p2NNc(xng+mTYM<C_o8RWgU4^28-l*Po&o148#)y;KSU!bdnjKG~JQpL|F@Pk1 z25_eIDnr<5fEfUKt^>@c_dfLVRyb<S=#F1U`Z)N7J|pY%gGYgrMgG7oD@+-V=C^1c z12BX0Eo{Y<A*j%pcsHYOJS@;6RH1Q4P{0E_L}#GTXy!b-37;^9MmUav<8M}IJb4$^ z#DLoY4*;G5tO9h?-w8c0I)y&t{U8<HIn#q0bGGx;5EL5e8Y=Kl@jW0)P@&OHGo^qe z1~wY8anPqiqp8<?{%4zz4?Bh-jmCA92hPi31(<Fnu452I$JrShX*A;F+YId}z7nC) z80EVc$%SmMKh3AL8J2J+N4&=$x$+Kyv(yJr(K8V4g>E*vHN!0fb{Fh{u*t2jJuUL1 zu%W{M>l~<q5IQbFpE1HS5G$=d^%*0XK4a7=^ci)W=k+!GM~#1{KBHz$WkjC}hSOda zM_S41M=_qEl6Kz9DrqyUzyazhWuGOhu0~As4x*%0<r)oI9WP`B3FHtp%1>SjW@qHH z<2JGE+QsZ%JH6yL6YL5c&fFNnKeWAjWHJ(FJG@6I3%1F7guZ$}LT0DZXM7a=(^H?3 zS`e*6A_CId;Km5wU@D2A(5T{zFaj3!t^6Grth>eQ%9n%qp-+*leHhuCi9+LO^w8+@ zJTJ1Y<eyb&EXRIc4~53p(6}jS(!D-&g~k>=>gZ;`9e}+XpeF_(x8C+msgt7dZrVod zVFT=d#ek^@uZ0~C5aRZ!&q)6J5$<ciNq_|J2Vr;X4}0h{qU~IW9V-3xn{jONN9i+? zgfpGD2Khl8zu6EI{Q`A%yh7uX2#Rhl^?n+W!xS262&4G`=#C90y1q{cKr%{~QI%lv zD_j{4A38G(QD|HMCpM`FQD_u8`1C+enHS}&d7gOlcW5*&XQea=SGZ#oHSuCfr<0JP z-7ZlMiyFzdTScNUmBv~S1av8f#itj!qPt4t^?VZi);4DOV!nN;G`75PAHGclSR=rv zXoPimeh}~sfc%mGRe%I!{1fbpVNV2b1R>uR7UrAX^uxQD9EfD?m#8hVW5fJg=+z+q zOG39XC@H^Uk*vOg@7NYR$VxjE)|rYokzf=tgm7$K1EogfD0bgnJ@v!?{9G{GcYz<e z@AZ7PE5vM1EB_){MXO!!sq`6dKmfi+Z4jQKkNgQwB0sKpGo)Ee1D<rq!Me$>pCtqX zI*mJd<hH`<bpn8aTVVSbB;VU$9?-S!rqehQNy-3fz}XLAF9&r?Zl~&-?m@VR0Z##5 z1`I;@M%eQJLfk%e8jlO%SvX`O{(4!z1cb>0`i=9#=1W-gGFt6;2DIW89A^Y5EAKVv zEflnO4afcbaKrQ&1zM5<AJY#G2qgv7`DlGb`rP6Ajn}S`ka8m_TthLV#<P?ZWdz;F zBJ!ij87YsDxJ?{X!hA77+)EIcS8vqPdZ)M0??27Zm#kVvOvD#?Vo(e5b+HJ&WVD_| z?MvBlS4*$?E#&iaGj+#Z!HnJ(Gotxzuj-COA9h~|M5y}GcMP=9-Xsu@K1B_H7lk36 zWwg)<kFt&-0oIvLu;?OERHi8Rc%9e}L5e+mg0(UvyG@9M?27s9ri$5}c7o-u2)4~z zf|D244R-t%eaF$EqFNzqi$=^z!qyhTpg}@dkwEjEM=;I<jsPwNoO~E(;BZGX3y3eq zcGGu!1mT_lYz1rw+zhAy^oZ9@?h*CN@Bh;cI^FagXGNpOKM%XpBDbSg)1v1OoR^FN zc?WM{wHXbIU#t)1549v{IpMqhY{SKXC=2)~Mp%+(bI^=1mYhc0v0*HBX27K(s(=kY zdcHwZ!-sLfRzZEodl7I=3aM#!zr)1-gvg3Zp8*!@cq~>hEWi}Ij@*G`0zrK-Tx~I% z(xirriSU%ri7;CJ07?~li<dxeQL>iK)-d(BW;^LFLZT=X;ehU97nI+^)E4Pmp=<i_ z8~#XNR9ghCg4%*a>sB7+EwFgC#i6{~qDbq$^%m*7i=?->n)DX03&#sYY+4y7>>mWw z7w3vNiItCO5Gp?$p)MXFAFNYWzNo*r4$~j$6BzuCV<AAAHl)9J9n)X@guO){p#w{% zzZl2sFa8OV>;e77sR%?@EkJ)Uk0>3YzxW8e7!6N_Z$9z{3K_6YiLa=@xCSj1bYIIy zTS1tIWSMd%S#IXzu0MU2{O4oN<FoAIqrD4@ZzIq*KAoQ8A;=neag|R9itDIpKu=K( zF9@J^cp!G#Q4L|!j>Uq8VqB<(A}J$wOy^YzFGo5|w{S&ntp)S;YmfxmG>(1UluyWr zfz}~vCqm;?*rE>6PJ}*U8lr^uhQV$XW8^;S^8g<L4pTpe-<j+=Hvbi8`ha#o%Vx+8 z0rK#yhwVo?6JVpy>{B0cF~U{@JOCS@0pW!>p?geW-`UhYhC6ZrlL0osnc}(^VGjV_ z2YmJ$;t@U~40#;<hqwek0;2Iwe#>Cj0#*b50ytBgwjk_2l>1HqD|a`2#G~;49`G|D z8ez^f-Ozdo&4Xw>O3dqz(MJ?ETEf;NzM4m=3+b+p=zAtqA8{w%`dXHR>gGvSon9YN zK%x(Q#IGJ9Y`W_sPI#6dHem(OIAeXpQ)jp=G(&cRwSdoTYG`KvDf)=Pt+H@^#HSuc zkHw#Xkv`%Ez6dK|1?7@|uRfyxN8}OM<YhZ$|AamwZEAGUjuLh*{t$gc9GnF<tuf`o zxqk%C{qKE<=jwn$;wt1RstCT?heF~sgn>dLp~&<RCr9Y(Xje$mFd06lS4h08SB1p) z!xR!*+MdE(^=Zfs0B%LQiUK?ac;HFMcml|u`r*Fx5#NIUM}W@(-vTxuou>h}<M|vw z6hKI$PklrYhZhi*;#CLZ^x2n-`FfF;5+LU5#Pd{ui1#0^kJ!f^TI&O-VPOyL6Lhwi zsT|#kZXzi0{|$r;c!tHnRnU1B|9NGmrzozR!xR#G+a=3IZfCqpMvJcyjYMqJrPCf> zH;qI%pTqX=expVrzITAhwLG}rCKva;PJM$I?Xh|97m2o%R1zmV&-&G2u!KFf-=mU< za|);=Mg>(8qd6!edSaoQXzr<!sG+GV+X4*k--W0ow!Hrw#(%&lfFAH5;C}$;p^`@f z$ZtB}W<W9CZvtEiZ~^K8Z2aw}llXhr=UMj&-7NGH`(r)}67GC~k?<i{XSzN=0MyQC zeg5$#A-kYL;t4*xb}_rtug^mi63={n{yP;C?*Mu(Kn<V?@EREGZUDK{y1Xxa#LMA7 z9WWbE08j%40>pTM1%0=5dB}PC@7jMUzc)zmF4Pk0x8)^PzcsMVw0^gR*YBb}_g{Y9 zC}bB@NZi9`w^_{Y^z|E}kcj&IS12TU{iQ%B7cdL($cqsP*8s>3b=l{5F#-NcfF6(r z7y|e@81HxLBYJp!M3RZY5_S@{MMxj9$C6vNjn$qM7O#&ul-Ea;)GlZHE!`CotNHM= zVfCVr*b-cb{ecRJ{rQbcDg(bmnj7K!$34Uu0gc2)9<5qfsNy~}60tTkz6`l}z~z8^ z0P6$KKpq7Ww+ZD4zXotS;32@(fY7ru(n*X$xWNFVOG{4rg*-9&8&RI+)cT0!h{w*y za7#Xl-$NhqA9wTPl%S7z6nksb*Y0GsSxwgO)JN<<5yCdhMd^<+F=u`k*2(AG#pmpU zB@FKD{-r*pCPs;=@EVB|kP7A}gI{Hci;8mQk5S1%?Tdi2#U;QkOd~O^S4_9xCD4dh zN!){t1<)vi^1ux;u!2+n?LAZydy|={M1mnQ6UBT=^I&0|X385>@gxNloJ>9PX;>K` zdWC>zppqyYT3LE6+2`xUlJSa&gXpWwgYnfl(s0B#nggf#J4D2KY9XE-qBMt40pk89 zEksPwlGx0R*Ft<2s{n`_vvb#|KTr!%m~gUBV1p0Y`Oar|3Y7sh#IO0OMhjmdEBFct zlqiw0OK2HK^>7(2y0B^-##du#lrvC6yeEXBf4CYV&8B)&LuB_T#o|=6yCxv7h4|tf z0;iz02DK0m@`Tz9>z~m=+>h-y<QPyxjP0H`uZ3tq-ol!jv=9?^v4+<rWct5B3$ew# z9dqg(&<AY8eZPQ6^nY7gaW4U2!7C97{o$VoaN;==;a-OQ37`oe#rqb(D}WS0Hr#wj z<4klA??(Eo0jrQUixUvC>ZybHp%CV1H=E+M!L0`ABm>d_d|E-F%upRf@}sc90S$v2 zKgQv~>$d>^3jk*UlEku{LI*LFX6J%#HoyVop#><&#=8{2a5{|+B8B+`@DBi`@gU#| zKyULelrEryi1m&*9-o;$+#sfYC`d2~`iD$nCHGb|v@iw4wYwR=m%=)wLfoTbA05m0 zI$;Wkub)N%5rb_vt-(GN5QR;G^eCow!%GxExaH1U&_;v8E#1<RG%Vm3p<*_qfQa#} z<zuwvoq+oRw*u}4a46^z*jcd2{SVPU?33PqzgeJnKmqaC9!BqXVg2*;z7qFziBk@$ zh=2m(-~SK=#6D_a2ny3jEqMJZ6le&bA7BvRdO#Im8i3qSrGp6mJ`?>z5~7w$o`r^o zsDGHwE4-ab|8T`?jNaw2_|q>5e^eU>(fpIn?MwmjK6p|ZPxPvQxG_`#aa}-hZN;B! zA#=70$v^>dIT$eDBUxLGSNID0hsz?MfH)gYlaFMDhnp&f)6>H;k`I%Ghakl*meMdj z1U6d-QHT%)#FLoLpmFxDfY`EhFV=a02EgS2G>tPlXIcQ75WFPBI|+Lo;9kIA0pu65 zUdN0PRoG4c@Db$2^bdza`48(mR&z48z6<If(i!iT*I6ZPfYt4Yk}9c(0wVMuYJGf^ zgRqde3dB3hlMFJ1XduQ)wxxxtAW9JMW5@^!I*4xvE3A1gXd2KmX&He;M*%Jcr~qe5 zv(*Tj11JX6uy}pzAd0jL$e)oukD!m}-8GA;{Xr+O35O`VBAac|Yhs&b9OGv&XS2?c zO*2U;@kGz{a_O6lp0i<fqvti<=*fRY`LF!UbSodN1y+M!(r`OmNl{SHL<AnZhU6=e zN9ao6-joq1PeLfD{4h=1-U9I6LZETP$xvIokaCG?$`f@KyW&CdsGp+V=k*d-cHzUx zbi+ir-XapATaA!eJ6b@m>5%FoONS&J>Q{E*^T|8m#HaIOK>zWCfX{6#9f)x&{esK& ze9FAoCQ~b1h4`e(=)Q*381?w3G6(LvCPL~-UNe$(84r8T#<!I(VRh8XOU1>nIk0A* z@4Xvnl6wplX0Ud7EXaYh7zuxAk9-I5`Fe&EW#}^(V$dIOQjVf}1_%g#j`x60WBESp z*8!FTRsn$O8MXDxP~n>peiz_Nz+k*v0P$~N{{gTbkb(D8=`?oZXY>cqZ`=X>#x>M! zLst$WWwX#fP^TGBjgTogc6L*6T)l5U<J^~Eom#>1X+gn}^rMi0kmMzjZ9<aKH#XZs zv>V@AlSYc;9q;~51;>^#z$^)%2ABXuWBw=1NBOyCaB|xH>38ZkLcQ@V<VO??({GH# zXv6C_Mg{a6qv3WR0z>gIpx+n^w-)Bsue*LDR>aV6jAHtY(M-QFhUquPGX2JWA^MG| z!yMEo({Ds9=r=|&{YJ!seq&6iej~i0--xeIUqm%OobWzF{YFfA6WB*0{A)t@*0gN= z2<kV|_%ZHn#x=uWb?fi={lRVuj#nW{F(1VSYfbE=Gg5E#pu6HfBds0e`4MVUXoKSC zsU@ps1$@IcLx3*Z2sr3P!wsr8HuBlm!U}$qdfr>mLjx=VxB<jh#7^B=sM~wwMufc; za06fm;8OtB6n*M8z6k$8$XQ5UTpiIaApJzOmOzuH`B@+Oji}R$=tEw=Prs462yuSU zo5<CD@38t^2di8CcAp;v6dVunQT9<3lGTBN<87jX;|-#M<Mo1qBkj2&U^?J(Kt6yG z;tXhChp<(E8o(NgcLq9+Y`z<+-*~$6uX>l2-wo^3<?pHBxQP@TseFi=4!9hU4>;5E z3G)+i{mE1jBx`R&^bq|<I=tsso1%V14>7(ie`7`10IORO!lxwR3XTU6{5L2#y3huD zC^#mDwMTJdZfYaiW3L*HPqg?!pIGEP5O5ygOlfsF!X^VW0D3M2m;n&B{-4XfTN6FB zIX7a>Tz~V_duoplUm6+R-h2gnimGjE*SC4%LB$V+St$SEI-vy;zd-+8{9gK8y4sPx zl`ej70^c^5JlmwYG!hf=z!%e7-vjA>(-+gXGSyJwgXyTw{<Y6jn%zH{exRicNnZ_E z251JX2h;(?4g>h&dm_zNKc=ir)~;qNXQNLu_&ssW)?+qrnsK`S0DS9r4%T5N)DN0~ zBn2$lW@Yxief2wjsy}|-(!sb|a_akxZBk(|C2*)qx3y^SW&}|0$U4Yi4@OTM%b&ho z8;8#f&hj2NeD4_o*}a0Rc2iAqyf!&yNho@NBJd&<N&1oyoMN06L@*AD!h8H3(S#lo zkvvbbdJsQfPWX@^7Y8e9X-2d4BumLpDIwYL#7?r(h9q{9Pi!d&T`S`g8V3t_8ormT zvVoJEWP*HZv-MXI&67RR{FP7Hy#g3wI`4P8>bp$t6(Pyn_~fVZcy??7Gd0N=#wQrY zzxImpi2%lXS@H3GjWpc<avsCDnoqJ6R{e34`&_SeScpJ3%YaHEbAQ3|`Gw_kqSt(W z>7LIoLO$uBObee+BaeEs^=FpQFTE!8b7(>@O14e=x#OAo<0IW?)gK>=YePU$tPg=s zlT5M=*Y9;UTaSxm{h1OBudw5R)P&kUZm@Q`HT7Ng71*U-e$CkWt~7d@dkwzcBBLkW zHRslMCA$aJcO@aut^!HJ7nsH)!;YK1IT@f()SJ9EEse9pe(!*X-#OSfACv!xQ~1}y z?@y=jZ-C#Mr|{Q&0R22bU+pNYJ>!<VcwVceX+~$$w4>hr`05TdC-2gXs9nNmp&^(~ zPR)af$A0>xX-0hWi0WoYgwKxyg^vNc04HpDzS-EF2ZiaIl5;>0ujd55=d&uC9;b{b z-3oCnzo%;^+F||91O#gM8p-Ocosw0_LXc`)F&`Sly#fvXn0LST9p4IwPuK5^4pdcq zed~613ALT#TBXp9jBFa_^(3N5xWwt~%cf-5@@DyG9Bqolb*OM`#%{)e>CMxQ0lEMu zrlarj?)PnC2{WW=UM(O^S05A7E4pDMS#=$J>Q{Dho)z@<#9hb-D3(5r!l9EHfh_sb zxfgq_<A@S;-N<gtzi<!SHTcqb!(Mlc*Ltie!fPFY-k+hJ0BU;ocO&Ki5ifTFk5j{k z;5?nD(_KOt2Q>7E=}KFGCc`Bhhp7w)cP!sWqVLS}zK0^qeg-XDe`4f3k9`{W*df;I z9fd`_eGt9tT{zArtl7;v{9e>B;ey@02=*r6R6K^ynD%n%%qVSL=%q7*>y8VT&Kzf# z&P1bEZu9PF1CuuFl{Avjcir(?m@DHN`}1Q(-Ej`r7Ox!U-BJ6QWk*+Rd~5CA+QvvW z`)j;Bq7D8a_R2)cKR&*_F_Io)5jN2hUrRwJMX<SJ<K>Yo?AhE(83j2fzLO6dPXQ6C zN4!Wj)oi>xipDG8S2Ib->nwcrJb)Z7>RCCy?g$~_-BI_MAM?~5UHy|dsDHvWk>g65 zcw|eOfB~h%|F+ij<2dmJPHcV<HxqJ^{w;1|@!D#b{sZ1lY!d&p3y*$x47+Cpbbf&< zO7d(Y`+n@M9bGZ?UtC<@-mf`&kM~V)G`nl`oxhKw%Y1~~{>k*2tnF_}zX$q29(vOd z_q@crXUFlly5pY$^J_1tJAROAIlf`9XSBAFSj2N7Bk6op617FoAQR)1uS~=!?te72 z)_h8rl7*IMI=W-@7x6P^HCa!12hi5es>_IUm{`#qHlkT|on+fBHK>xhUAUx&Yj|7I zK>2&Eanr-83^dVp8}EjvsTRh{fsNL9M&%=<OlM*|INZDE1t^zrJC4UDT59*Uf^DY7 zH(CdFl$#h2j)gxhQ+6DWuie`YKPoZ>{S2XNDKt_Y)L}+wFpV0aqgm*4YWH>uq2u|m z2-zd<AZ#3VL@M9*T2EZo&v4+{Y2E?N9$X^}wI2R-$UC5Z$FEo-^%p~2mew@DD{00> z`;+~R5&nMlUqyJn^$q}Sh*S-930U9`Z8Ux=8f*NF#*80%@_Hd-K-6`)y+ge_XgQCy zh<A@+#xPfw<k>jMbL(<yK=zV`w>@KQ{^uC?t`@j=04OVY?m*ze!PZ}+c63CfHbr@3 zOPUhuV<Umj4)0K;?tF~qAC%2NU99IU0iXG75{-H%d>~?abg=g|j9}XjOo&X_MtNNJ zGygrVHPMpBh_w1|B0N7RTY=vi##P{s+T$bK16S>JpQVegmo!|0Ql_#hUh#4B8bVv? zZ+?<k1jAwdD_L8K-S8>)7Vn4`>wock&fXQRk0@!1DA^qw!5v9O_=b;`jjjLXgk<e| zc)^{rxDah0p0-3?+SVAYSGMkoMU#&>k^r~5Uur?qmGU+9#NoyfZmbU6afVNEPZfL- zdRJ^j<5dw2A4wWWZ1zRU`^dX^^1id<=eW9`iC3>3T=z3;D~TYlN_!LQPKVb0jG)++ zsryCfPceAl9ejTR2onN4!lVFP$NVHWj6t5>Ht*}yU3^B}1*Y|^&ArnOF@JoS4tx`} z8*?hjv)A$W7Vm&Ef^c;)Lb$Qo?c5bHv||(k@OKx71?a?8NX^k!y7jp+qIqV7_jTV` z3_M;;GiID<M0F2m#6^`%p)-bE(V%#ppGHc_+CPIA!N(YOn(7$;V0K$a)r;|R?(VuQ zJlQ^>k0aOuPx*nT*?8K*eCZ2L{L_NKQ!$<rKBc&&fhUrAA~&oi(u}ou@b1{1mfGHq zBX$~I1Fa&^+pzv~I@W+YsIO7_y?(Fi<=PP#gb(6-Xi>y((MoD*GecK~mkTSySK9Tj zcm~qS(7PM6N6KPKy+3v(CI%-uo()Q}g=9zk&VSD_ftKw!LNI*q93XtLnG*0$!m&Xd zY7N&M&N8%la@S1CY_y&`A<7sjxqb`kU`?#?+ok8ZFI<H=$p*X|jgnQg<Y(7x7*9&B zGlK}VE6>GVVjZ08kK-CP>OF(#thuOhzGTfX$+IgZJHA98(>9>1alYR>KcUX=KZ#mf z{W9W7R?%$;s7E8Z>54l4i{HYnfv)60ik?xxiV%1k@5X4!s@KSlk*s=!>?p~q7hsbp zQJW{^L!`CZ?UIHK@BuqCXGeKwbkVt(cM{a+j$Mh-bP#!g1W4N$?T$7^VRd&r!hJOY zdM6F;aMdo)<anp6SPHm_P)Gsm@30i=aPcS5p1@83&LxCn5jn;^h9#BIF|Kx{A0kGS z`nf{tLs;tLDQu!-+oVi#j=qk>ux1>~n`vu`^hP(bDWOo&-7uhFp=AhE`PL1?BNKwd z+rF)>L&M&|4=j_o=Tq4f74zo!MV#+%be6C)VSZb${t>=sLi{nEN7sp~0AreG$9CwH zA9+=GF&^%^>}1QD=#*3QubTK5U7|aMHB_v`8|P&1j;Q_uO)D+B1y)m9*6uWw44ViL zI|C=tZExxIzc4;e=)iR^m`(;paNt{al*ZPLoGmgz`6><JSe!I9)L@O*+^_<sxOv>v zK$l)MTd`tfPqvxOER?Xwr#0R)6pP;!_wu2eDTNo}E{aUR+{tJDhTWzzy#CsZNYA-^ zE1Y&h`G&6yLoo3Ynl#^_oA08Cmwj^D_IwGW2WDj#d81#ZI-v?@X$}$6q&B|dA#!U) z+26R*cLKu<Wk!|G>T3dqwC7X5#9Z7n&hJU|d!&BP2)}0-Y8tnMqK17|rXi6yzin&H zxG;X$nlLKtJy`z<GFns#{P7H1RfO?Jh<}9d<`DmX34gTs7=LVm^&iY17vXcm7;1X* zM<(VAe*k|F%>(@L1KI|q*@Hh02_E76vEaxl_+vB^76E_o_0QKk7P`KDOhpXKZg;<3 zwX`NZ55l65Jp^xzj%H>YGvk?=z|6tS9LCHE5ft(OGxsrb4>NZ%vz3`IF>@<3w=i=v zGaq8+eauubQ^w5On7Njjjm)fN<_c!InOV)ua%Pq?vzVC+m^qJ``OM5>=2T`HnTdUS z;Jl8RvzcjQW(G4;nVHDUeXNWJnE5U<4>I!*GuxSYn3+CizRO~Dvgc#W>|*8#W=1pL zcxEOra~Ly6FjLCRaWD-7sjvIa6Zu`+cSpSF3{Yw4^y+<_TZ!9G-BL2nCIc(I)DD^N zJ}iClq3~;9L4&>HVphFzzG0}&IUNaX@_94Pr(114x>{?_{8!?+MG2)XhR6ipJe-?j ze0T>@=g<gD2adkiu;y&E{^O~L#`#~?J5F%*CZjzPGuVa~;k!GAUZ~&p`4J9N)oH%x zaEk9+6ANP#jMAehM5zyk?<R=(&Y6R;WW4V|KCra(F!{EVZx!?96QpH@;v-~;?Iq0e z{5~vyI7o4%`xfDT6D)7docrRLzJX^kMBV84;ul5IR*lB{rhmvGB<Fw6AJaY`g9K<I zSu_7jzvmymQVNdcwC@FA*tV#jZxj;Sw<x}J3l+WqjvFaTL+ds6shjA@_a+L^XgwS( zcBCiUw+guXp2eLtzT*QhV;RlJAtFkGxQjSyOy^N<AftOQ;c&LE8qxfo!@j>0bqNcV zfW=)1xDQoufUx)gN#grW5TTIhOoYR={gkaoXy2KTKuU%#cYl(3h{2qy!|GLYk(f}< zPrwBcF-_LP9kjUwIs~ZT?QHTKrX4n#JuyGuix}Pm&NS)bou8!<h(goV$||HM%d=5A z?uL6F_88)P*CFCY%CE`Vjy?ht1IlWTK=2vu4cKkKt!JLOe1dtweB4ubM3HLL<c^dc zICdn`j6Y(!Usj55k_sacWqBB6uHQMV&Fk<fe*|s<nZ3JwKceoa1DhF0neqR*V0V-r zJ0hMqkrS>W9!JpmM_RG@h==->@e!UFA1&{Lo!@dW8g>DNu&Bc!BdDQLGE?zTdR8>o z>K`J-qs>1g0~YH)>y9QOl||?I63}))l$b@4bKV%g$#)f~H1IH)L)yu_@DQ2mgJhcC zg;}z82v<PXz+>#~!UN2T*~hHWdzh896W010V!B{?t=y)g%#PmF2^$;Nn@-Ss16_r% zJ4TCVoQiN8$#c^&u+HunA56k~cg#^dQ8V2g(<MADik`i=mD^o=0`Jt`_;)YsZkn=U zy70cEo%0TiM)yPSrO~K)-)FSw!Z-vfE{gL}Jb?@&cru&?rY16AzW0Bd42MC6-&S~9 z3^h{u`Le|X%T{+(%9lrn_V{lqPy1=h13u=K^rtS}6J76sOwr2tK}-5!beM`u>|v#D zqRJL3RxB&^BOM5IB9%>_A(RyF!YSDa%sELIGk#4|d;<p->Nvzx<y)X3)Hrrh>K(^8 zZ0OfJx;Qig8uq=`E+zJ=ttb3Lw0M=%15FL^&}==5Kt>j*6T9h3>ro|E!aFEAp3$%? zll?{Ni`!_s&#>Pe-SDPojPFMD_}D7i@9Fn^4m>*s!L|Ruv!`H}tUY1Co+iekKfP7Z z#CY>6;zib?<2?}QI&vR11?zUVNiL6^qa(UgbC;L^sPecM?tymc7d+kC|%PWru5 zqwC|Mo2Ewlpk2<tMdFPT-$)~{caPE<N1toj!x)~q)wf@~NIK`TJ=hz3XOA+5f-z6L zLvDgX`lcWso9}*>8<K+0Oz%`<)E>!mX@i@m4~sg0huFoP<D$MZyyqT{Scc2vo&B+H zjhYm1*yF?((8n3x^L)iNalNl}96z!EN%0AREyp}RZ7w#^ba9>$EY&)l&5A7@$<_gA z>m|ChVIEvnG`~%OP0-?vGy`ax=_5rtM3wRm+fqRRuPqv%2|M5hxxBA+N}d>mF}hRH zdR5z&h^yLsjeLZDzQ3b0?il8C<K5<a8z#nbca);F&G$N9wnVgH?r;E^tZJPjxf!l9 zpo#?#3z5h__w!wZhmNli*f$tYJ_!uGphP|?%f~aE)g|l4rwyhNNE}}<%F{Z>mrFU% z0d2p<=nM?vOQk4-Zw@)P`F68ZB&+7ZCWM|Q=Od59L>~1k<2X;hT`?Jm5aBzA#&9Yf zkc=i8`ToSe^hdm96tCk5k&hxCjjuIn5sP#8+Y)i45v9aRGY*GHG4&@SJlFb)cwEL{ zgd54@^D<m$vLh*-K<GWrzq%(YT05@TNUYNAIW`L%w4JbLY=naik&UoNgPk@ss{8N1 ze>=tJ9T0_gE7%o7*hHX$s4*>y@y$Yw?^_gC+DWsBo6vbtJKxH)2g=DMc;;`!c1uFt zR(fG<lJz{#CXL{X1dkcK`8@euw!=2vXT#u4b2aza`kF*;#U;YPyCs4?M0V86DfiZC zk!-7E-42|^V0ab+C|Z5<kU6W+90WiLl3JqrS-263cx^RL&{`AK0q2gbMIYul2i5HB z2MUqxN3=O}1j26=+FlG%3C#}y-r0l0Zcjg7CBk(K;E6qx;{0@Q&IPSM9T;Ve3pP<S z+ZduBYq=CJcK#6q0wW#1UPiFoSOm(v35}mm=ipQ<pj!*kKcN2kVLlJz{5XV1q4)uA zQIu~7=)OBTaUX`lW;PNpLgQG7ITPj*O$}>7#-?Vv1Fh-iRb<{(OXf2x$b7j5X35%{ z?_*Z;ZOppM&8&uMX5CL$x|XbctQ6Mz8yeQb@>-*t8rI>VnI1OaVK>W{#(r<=iAA=i zh8E`g5MlB$Dg!Zq%x>#Ln4G5Wwr-|*K$G=p|Bwmj4;OLGv;9AP)NFl-BsN$|=YIqy zJK4rhfS3RWn*o8B<1q)1L!tK}g*j|blC_PDMG%5`iL$FC#@h)IkeAT$k3;f5TCp;T zl{{xX+7Y#=|7>DboM+MODiOXQq$<#bT^ibjT^Q`b&Z%GK9<(IB{&^pA<=j!|F3{(c z&OVNbBAcU81yPsF)oF`d744qU^)(4mo{PPygH6(yn})kDFkM2{VADvl2Aa6k+kq2K zhF*#0e0pHKuYUAY;>NbTncG&O{k%wq;d|HcSza?Hwf(*Og+Azg>_B5r^$3>b6m~6z zCF68qg&n)nD}RQNxL-}>@Ma_?G?gbNGy^Vc#~vHwbPSrxS8YuWA5OS2CJT*<$<lNd zZ=!hLwP8oS7-JxQa|-wk!|C4<2?85H#M>%Nqf4pn_&!5*V+uXLEkLHg7=^i;cOb2n zl&y8guK{k<ZBvbo&LVQuA5F|tew2RJg$YP!QGZ_&c$`kFX(zni(TUYa{Xp`H#Mg9Y zHC;$?npYmmlich5{>r9)O-rMja^jSGn`U7ua>%>#FuJh1pDNvsa<A2=E~|88qF7#Q zyLyVF(gTLWP|Zheo_`2OJ=POVuIK@~2cQ?cBCaVf-jj}0Mt55L5>qRVRotUY3t}TV z_XtxpSwl>=*eK3D2#&D&!7+;Sob5H)fK&bch$i;X5i2;XJcjuX@Hw$Uv8dl{<=!6o z@>zQ4xBt|}q0kWR*dHmR5#^oVS#Z_E=qEXM319x`-7!>lnhe98i*sj_mEfMD+$)JV z&}2Od!3pX#r*+o1$KrF}p5%>0w)#DBd_-^{w~1VSY?Hdrsox{zozc<o&cca02!yty ziy4fNR8juX^U#F+qh~WSpP4T)b0;&anOVckt;}>Y^J!+5GV?ZOu485kGw);OW@fHp zW-T+<GjlC7H!$-dW;QZ&Dl<ngla@&S(HYE4Wu}ptT4t)4Ni#A3XzG9bqsK8b5hhx8 z=s!9N|7aWYT>um0_<#J@X^!NgEs@;$fJ*^JKrUbbpk_)WcMG6!Y9wa^7y)Ad{Q<|| z{vlu+;1R$)0R5K0?;>j?HyCg%Ba*AdJN=%;JN+tQ-w0SDyk|^~<i-IW0Mr0Jg!?`~ zD_{ZMuLm5(^Lp5^0Q#-RdoAE{0R4&uyMH>$0Z0az0XD!@04Japa5xqDz}^bj2WSWU zc~T@d2zW{XMt}{l0N?~%54am}0%3N+ZUjyCA&qT-&43!X9|gPzSOBmAb^&C7Er5#v zae(jABDuc<-UYM*HUsVetN@e)W&=_I$$%%3&w9iegy$2$??>db9&kOt4VVka09*=4 z0CWPUgMeLt&44=qHzFSWsQY9Or!i<rPD}Ni6=iyx-RW{5yi1?wa8I(c=jAJ0dTWi_ z;jFZmTPxjV?qw{LGu`R1yAimI!ota35%evqT*$4c*3WP`CRaHfWeY1a@-qkxM`ck} zF?r%wX|Hg&s_jLN0+*v2(cM)}t_;1gvy$UhEMK0(BNNDmE7x0{&MIe~+sP*|+NGD4 zqt}*>E}I}Nsw($XRN|52kOLKgt12mRIoupaVJfRoCPXa4dy#%#!O|+{;(4lhu6Y$z z#h!A9YhLv-M@_Zeom|9m>7_uX2zX@J-FBoiE<1ZXrI+WnJKffDM}?yjsgV14&RSU< za2c1KGll}%oK-~*mkUT{Rw7SNk-Mx4MWS@@8_&(CL}^`)VxC$Vj-qmo%PwP{NRQ~t zyN$~klQX7lJU6?doH>juE6W*!_}SSUCuGXIXCq@4lH=0c?(#C1o4IF$7I}-ys;kAU zL>z!*c9q*sXz@7-Wy=;Tgm*>Ry1AeXd=a_ystQJiaY&2NCA}EL%5#WiMcgo#3`dFG zQ|{&jd#b&%xZL5ig5;IOK#TA}GL^;l@~TRzJmkY@70!3LjuN2^APb*wMpcn}S+zqf z2l5Sb@wiKpw1`9W2fG%J8!s&`E0$JPxus5r+vBX1+NFid+zywts&EmomyV;<Orw)k zGMNi`2yytZj$*01s!CenDJqpxarIy~A-2<Twa4LdJBlYrM=viH(smTH_{f^GI~RJ0 zV2JE;OH1ub9MZ9r_E@Ri4Yn-wpdl?sIL6`WJOi`mEHH1jr=rl|6#a<L1s5UwBorXC zve;1r-t{=0$R;FKz%8A%5Fw@zE+i($6?#fa9L@q)*>Z>Y>~_?+#b*y#Hl)o~I~^ru zH4YcrnX}m8bQBi^N&+`mwWFx4q^z4O+J?}-Fne-YIn}k;(@YV19N3wa)gE_x6*>dt zAI<|TW}s8(z30Kox?9InP*7avEGR&IRF|X2;VQt4Wl2=?Qn5>NN$pMt;|!Oly1L4V z%H+7&)3ORebCj0Yfpjq!D65ouF}_v{9a8FIDi=;*sf-<+tN;^@<<jky#BarpatE>t z#1!dD^bRCouar_3xDeIdtN%jQ=Q^eCQiNRYaH3o58IE!TGGSrSF^2VPLJLH6PVD+> zD$1*=dXRNUJqP;cAdcYTDsVAcs<cS#D<?>+D$3lf0aQ7q+0=^pzC0KWEsu2%cIPsl z4+6C)@UhUd3-|=^a!{`io)Ymym+e58$pPPF9${B9-+5Di;%3c;%EjWr4s}I+^3|D- zW=?*yZE5)hGp)IKnK|fIIrOpAwQx%uP8Yhzg0jjIA~823e=^^Xpx0dDC=hvu&jYxL zIJwHO%Y|Xl<D{0s^N%$*Hz&6sJEvfpby`mD9L7_;Ti%@P{IuCU!dbJd)2!L~d13K0 zvuCDdWo8uQ=UidU4oPE1c6wG$o>lY+i(^a6&Cg8BDoCH2mK%yoe%h3RX_<M`((==% zhPr3Wuw`YYr{!A<((?0jGbhc+w}z#6`Hbu<3eqO$TXPFCa?%R~Jj3xvo@vtxfPQBF zoPu2I<k0kIWM^0>XJ!Lg-aphY*P1>9wJ_7#N8B_J3t6&sL*q?K%V6c}p4X(z?6llD zp@~sj=II_NU4eBr3X=^Ig&-UZ2O8P3($ax1>jyGJ^93ogb7o~DVtP(SX7-d&zf8F0 zqCoi}zM=ksI!n(;%TFuFLr9+eLh7|UW>eF$GqSqnlbw@ake3gSw5*(Ls;ZFqGqS<k zNEpZ?2vuaTTtZ<ptm#>4xd@P%U4ZSkp#NlRTK<e&D@ZzhMrN)xj}@QI;DTY&)3Wo4 z@Yz$W1!DM|>~w1Z7$C13o-?v1<)H2hY~Y8?Zv0L>L1-XKul_{KX|^mYm@*7U!h~Xm zmMb4b;~j%|+Gb1wPiJEG8Fb5=k!Q0a-;5A9M$2B@(<bHQf{0<X1rKNDO(n-3X%dq7 zVeE2YKI3*tY1qWH0o}i=2m?LF8|uz5U#%=IqZybhnZjdysw%?xL~~c_I50DI*%t=; zkg!%IP`Du5ijIrNp;!MI*;&@Syf6+Se0vR>mNhGFPF^o~vtAs7y_-;WvndSqzZj-U zs+<*U5{VK}y6O3IY-qjHZ25d2$G@j#&p~;D{?jsN3v}oGv(u&tyve_(PtD0p5AZVY zmS>$VrZIg6@m)5tJ4=&)&#~nTdGPPKR$JJ+Eo(+zVEkZXML~L+EmJB_mIcR^pgYD6 z8cA3fVV)^WxW!>JIPVu-`k40zy?dGW2R$+W4a~<yS2nK>n}Lfy7`M93%|#z!UM{}& zoSO%HSQ?>o^ng$J9KGAzJP?Y;)zCE|=H?-O4EK<kxabu=KNnpI7jfMabQ9J+0f&$^ zPrxlLxZVl4g{^r4u3#Yisv{#4RsdQ6^garZ2*{qs##I_}#b<it<bwu%JmsS*=dTM7 z-Sn!i%RM*e;SbKLEgzV4%`flYQnIk&xz$&XZC^KbfAa&kzfnA6$*?#7adLL$<h`$_ zycOa7fs1^!F!824mi_R<O<N8>JmAyoxVyi9{^ND8zBqsRgO4p9IeFq!$A0;I(Dg6f zaFM6Qw5oON%&!K2^WE}4x4bs$r_Zh1GVQO8-}up;ugto3-=&syQ?^a`;m93j>)&a< zrSqvBSG;Ur_TYtkD_*?qn|sgyZr*#_b}uv}Z+ZQ@1C8cQ|G0T!-c5VnocG4ssQ8E0 z{WbH)UAD)zezmn>%_ld0_R{x5Uc7Rv`rvtw?O)ul$euj${=FAIxcQN3pIq&@d3A~H z-Ur5gn>jCU)9S}2wWS^W`No5aH&=Y;oH%{#)&HoObA0ls?;q5j6Z7KvTiVZg{ML<< zcUA2}p58PhZkvCayiQj*zO!Xn<h1x>cYprwq1WcQl#7-e+<wP_2cz>AKWrX!<DA(i z-kTKv*uz6!xpPmfYuL?~E&KkZ{tvwS-G$#BzR;>ZzIv8tc=Qc<4=3DT{==tl-0@L| z=d5{e+*W>I`opi^{raYJzPRPDkDZwCMagdG$=qA#rWb!Rcc}HrC4akd<CE^!|Ga(m z>i$)CJ}otU`BdFkN1xm@VB|yB-kx}$aff_X;>-2T`oC^(er~||mns~8JO8V5ZOb-| z8u7(~n=TtS`SAO(C7=DJVBQl)?<@a)^eyu?RutYdtKhpoFVJ4_xzifkk)>F3GY){b zr&DmO1slh2+#cbXHb@WQ85S1}I84uYz}X?!CAgEH_`47fnHg+4#M|Jsad5*N)>P_t zSL-KET)K2=@=|4Tm2=@l^lTI5I-PbREiTv=38lj(3$QU#rO|wW;`fY;HHT~>lC5-2 zguggnqVbPCXIdGL!;5n(A`?~t)&U*@>;W7E90i;JBq$>jCID=JVn8im9pELvK|r)B zGC>8H3RnSH2iOT{2MktYPYF;CSP$3?*aPSUBxn#1FdI+~SOr)IcnEM1Fb?!91+3_` ze7(~~XulkdHv9+#I??0`X^8ZqGK=)!X9Yr?fFd@5xOsE(@~zW2PMG<CYJvWM(GAmH z8s#`~>MPa>(Ki#*luV3mn6YHd$Y4VlmpTOW0jvXXfX=~@35~G#z)pmXnP^sKUVd2J z1o&i1c1|vm!IX*3KUiK@a@;aZ3xxFvhwG?gV*7#X&gwrPe&8TU!r6qe_&euZZm{^w z+e3zizlXntD=+^6Z|8-k{~OX978>tV&k5J#yKC3rUcg2821yI-X54{yLqtOAZMfI& zc0At!z;~2uZ^B;aEeLxn-0^O^5n-;vo%0KD2O(uZ4P5*Ufgl%2&2{??Nr*pp#6?j9 zFP2_1a?}OqpFKSA8+uOUpaGH*!`N?VFTcSfqDKrph5v}e5x?a(G#Gg3i1SAvY5Mh& zFFEz)E(Q<ycPnnMuN$nOvkBiaybN@mj^}L9GY8**nF*K$x7iU1t$>6)(0T@F40mo0 zz6X#C_jz!ekMEs#Pnqa_R(D5KL7((K@4xgu1A3><MSWb!(>sjj|0ezxK0xtLTj3Xj z_k0W7<t{w*qhElnA|j+C!H0kZKr7j!_~!+%Tj)6v@UQAmeiMKH|I?qWgT~1`z#b?< zl9o$3)I$~keosGBi#|r|XL|7cZ>onsrk@G0;D7J~?QhC8r$-R7NT>V>DMUkVbu}Q+ z{QUlF5s!d=-(PzY@<8}q%S;%Oc6yRSu#+@G=|}IvFM{i$`F3x=)c5^<=>8z3Yx95g zOSqGt(hL1gehLG6>}2}=_Y8-z-y$Rf%>36zGBc1UoP^$j@IJ{frx5J7!hh{VZUMqF zH2wZjcqAQpuKgZd0r2aq^tdI8i{jc>(|ZNIU&V1Fxc0vSyI;Si@N9~~hkt|K5gze( zo8B9?dpkX{U;C#Z%&*_Fcjg~_PYu4atdU#KAH(?Cft*F~x@C0d$;ZnFN-ypf6dHp> zoHP0n1uTq?*K%Kf$OvPLu*t7`v~U8&Pv!R3{=i)0A|e^J!VO8tYZOwl&^t_gCd<#B z{r*o24qd!o;=lM1Lo*e7dg3p@K!QUp?32JdP&59EL!SNpSp9S_te6;V%Del|avFb0 zh(CK=0R9N$?^>jLEs`bh3!&*z_%Z(Fi7h%&p5)Sc8vgy0fN|gad(saMdvPd*3*ldC zdVWw__<?`%%_x&U3JQeu``&N4$iE+`esd4;>#OhFqpRJr9}IDr=ihf$>$t00LECS5 z{{4Qt0iw=<@Nay7gRXT;8{Uud{M)u0%ILM^&+}{Br=|rQ^AEnK2H*W{`w^bryZ?Cp z_4flQ8Nqn|^&1K-0d9@*M{Rh8=iih5PbJ$=`Yk7Ufrsvig}wVPra&72C;jFSp1HUr z$V>jE|FZG_H?1fBm~kh#NI2cozi~aW4Rf()u|C^`xfky8mF>cs4EJG6aWCK&x)+e{ zvBMo`3AhWi9ru1F9DqCC58%$<R6D{J3G27ey8iEaB9t0o&%>k6zhK0L7jYb0#3qjJ zzF#n=+kU~=|7H6H{~7bjKW2U(R<Zw~FZ{eRi*1JS&y(2m@2Q7BZe9Dw^t1o;f>wyw zb0r(@@<*&||7G<4P3x&YhVTDN@9@U{uihv7e}Ueje9rIT^FMBX@{i&3)6Lp~{{O!D z8(m=4IR-i%<0BJfG9D5x;NNHDC8g!1XJ!(&if0!A!6~?rfP^UUDf*L~Zf0Iil2)tM zCCQ<(@E@@s_s5JA!TLJg)4#7iWy2y9Zo`F8voFJWUm_11us=udRF50}Bj)S>|Fo~g zkcM}ZD-}fhtSWnPR#~AF@{`t@G>)5x1Kzaa;*9e0j4~%=m#ZLGIgbM3-fwm)D4YqB zQ(DGM$h#;N$r)K}cO`Ebgq15Mdn%bkrc6m&f4nRtPDpceY;zz+HEG5a4o#3`Gn`e` z%OLISk|rgYrLvmQvP;Wrq~k`HdwB8Z@i@T2nW?)Ric`60)KwMqUScmVFSHje9;X@~ zeAbTVsyvV#Es<6@DhOlr1IsGi_8ML;isDsPNg*oBq@_!$JiL53iL@?tl$R%w&=CZx z#+6krv6n-V+g-KTQ8}JNLCULmNh`cV&I6+QW%lx*d@9ndD04wxsi>6XvFr<>H{z)- zFDrryLx@c7B2VRFsl5b(Em8<%@gmy-GF(}Cxnm*HMA|r(ry!7qg0w!Qy&*S^p3MP8 zXNX~!KxDgE@T2meZak1Cg~)f$@OBiwsMJ|iS><twQ3A=4*qB((fS|3kl9vXjbcJjw zTwz%y_(Dt~+z&$3OnF1hzYJ3E0jYB)CnbeM8p&EiO0B4zR52i!#)O#dZpbu)mQ-Op z_Eg5jl~qeC@gCIW5TB(1!EazL#aVq=ie)ai7F9t+o%ApQb;de>sY_HI;05Fmy*i*s zA?;p-K-odxKt&;W;*-#E#Zw7ME+mW!;YEeX7d4(FtuA*!y#={e7E7T6;8}=jB&l!G zQDL>plL8S5lWtWG`U>*?QbF1mv9I=^8M>&@1(21L3R2`0-AdAAToEq^j+(4oNEy4` zkQIj%b&-SNMlYpy7bLeAdceU%pF(1Pkbxxa!M~(BKm{ZwqiRAt!HXlZR-i~IT7})Y z*i+pr)_h%euj7z*#r4Vrp#gxG*bV|LInFhnW#=hGdy<wFBaBFF5BLGtl9TAhs;Ij= z72aOR3*A#(dPh4dbD_0TT!D5jJ|5*3;D{b|L*Y>o4(Af8bw(lSI7q~d=S9&ee~4iQ zh*(U_&r=%h$PVvPH0^-o4SVV}y-E~2P$x(+z%WQJm^xvDvh!$!1`lLOa`b3k$QDc_ zpdFsQOOQuYBrB3t94QP`m5d`kONaRVcuGISElYG17?GEg%*kfLv6JTHGXWs-%N8Vo zZXKwER0+q?{-^~It%FYBW&D<^=ob%n+8WA$Uq&}SQv4l<;IrX}c>><}eOC7H&lu1q z<#fEv6{!M;B@uR@7v}R%y+Hk$%gxKkd#-rs^Z{>Pbj6zabwwN0Kg^_T()A&FVz%@` zPg!~KyrpH8N<~0hth%_6&vrO00{Ri1rljX*K_8bh<4dc_)Tk0GSeqs))BR}4Wu!oq z$n>sJMkYg+ERz+LU|ho8Q~Y~+ZhqqIbd2<nFAI0W6&tuHBFrt5g~QcWA#pQVxXv&) z8w+<V+>M3n3UgzkQ{0JgHx>>zns8hS%HX6j01@IBSp0jUt444pK3ajGg8TC2%Zm$9 zJg(LthIbbwW~MQGpx!Q|L2h$dK8>Mn`FuF2wg<!I^Wkt&7*|XAvy2nbQ)1m<ggz#@ zIe26i;C%zV^K@tPDb55v)u5XakKACmh18FV+(<|E4(xLXarskH8}vuP_{l<9aW59v z1tKIDx?B_of~H(2tYoLlS(GTFX%yE9Hz}pVyYV=XN63%PBIxyiV2kfHUt=E}Kk@zD zZvH2_`G>~8;9Gn%9S|D-U`YI3KSm^c03d(*!HeNA2{enqy9ipm8v&^Vkde!Vje-h_ zlhw<LIoq<#$})F>sK5hXqNn&<4&7AZ|Mn2KFQD(b4{pUFZd&N`LdTlh6XNzHbbp~G z&K(SKdmC;$;kGKo?HJsu;kF{gZ7_6`OX0RI#7z&kTDbN0`>#&)|6ZNwt0SRZIF0H2 z@{-}`eLf;LenAviNTqQvMTM-l5b6;MMXJ46a$%T8D<4WOf+D4$^P5@BJsdIF>2L_^ zH16|Y+WBP_jx-nPJkk?)1@w-rSy+)3mzQ(gTWC8_Tq}S+V-8b9<!T~r%lOBFX;?^A z6>;B3*p~6A7XXLMN>Y%dxvrbrD#Xqy!b$_Gn7B4M%C>AqWf`fH6l6Ha!VZ}h^Msg! zpojHpkG(v<ifz&ex_3pvT(OpOKw%nXgpj?HD-B68%|)rDRTk%wuIMP>WvwYH$n{|2 zT;V`5pvcW#7fcC-q9lYYxaSZ)tEzHg!DMGu1wC+u!LU=(3uaX2L;rd)_a<^Im_(!Q zOnbS<!R;d43rMvPDM726<0c?PK2~v#f^5f9?p{zK11g3@#7wMi#r(FhcvJ1JQs^f` zkp&XkL@!`WSTWsO0q0AikwcnuA+Pe8=LQxi<Q0x(P!}&ojlUhNB_Z+LAm-_)C2>K` zsRf!a%!Smq2(h6Nk98=={Sa24e1d^0<(^_#Pqvr4#NukHv`||t$aLj-3Q13y<9-gN zfr_Hib6kJq6DS03^b7D2F($W#%9vR}OC2H<&rsa4U^?I}fd#n*!MLcG3}{{E1zkeR ziwMXO6nYftu)0liv6|f!!ZlRgV%Zl3(*fR-nC3CZ-Al2dzRs$X`!R?Uf7Jj+%wGw6 zp;-u=i8iMfDU%D8YHTSyEl?U<fogVC3kvwiQ)oZLF5G4zR616IPVP=I?=&dPW7DA~ z1arOxVP_IC((TnQ+!(-6+=%y3j^ntyMHiOC6;y}B%nsTIp;pUr?^CH96<~f;2KTIh zLv|J1*mlUDf|NmNSi|RT6;nl#iL*IQ+LKc`doU(yi*G|p#3Ute7i(-hkBRLz37AkT zAfDn`)Dui0)0OW;n^RCelt7x(X<t_0sHk=?D{wI_XU<Ed6FV7!@*fDL6S^#JKjUIb z3VE|O+Z9@a>3mH;6hdp_5*|;IpF-xmR(dXWVc2yPV}%m&2=QvXpTW(F{h$KkNuE1q zmAOj;4YzukyR@oOnZozAqoHl*au*j+3t|es1<<*}7T2-@x;la5rb7F!!bSarnk#TH z{wctkoh~d;6=0cNf!iErrsvLpD(W<=TqWaE9muCzRwV=}SmLUNGPt{hyAeCx&gw$v zVs02$!fJguS0U6aY5v)Z&=kw63JXfGBf_1JwI=Tw)g#3cA;ko4Ay)d8OE^x;p#-FN z?X2K*!RG=8m&V~*jnaaWvT}G9&>%CM18S8eWecI4T!7soXVuaI+)IE|P)<q(8)oRw zMK7dZhK(uywhK*I2z0?UnCH3eg`~i5<_esSg&-aB5qzj5tkESB1+o9-c8Felq>F(I zN{y`;B*a}Lz7=2(1r3Eca_7O7e_Din31<a%xNu8?y}B%^!j*(|SQ1i5LPeHUC6&vQ z<Vk!*^zbK*{Lld1Qz&)Vt54-0LWj^`-STnrgI{Qf`(tKQ@_bVq=!G!+qbS&8ib3Do zr}vPaGYf82Ouk41VX}em6+~sagqJGkWM1vuMtcaD6HJbt?r}Jm*&I%$r-@yrbnGTk z=I4i`o?i-XD@GT}jflu7b5VuzPQnC+8kCE>DvIXyJbUC(2R#*$xaG(_!-1VM+*Tmw zx{u9wXvfe~oe2%mS)7|(LT6mFpwU7ttf(42^%Q!ls9FLx`tR@GKmoey^oilyGsHEY zxYiR<5$??xm*{eomrRgO9N#}FsXuo6X&?%@qobRDE`PNO?P!7Joc2mrIhroE-D!(i z*y<{y=yZ<-6pQV=k~D&|`75qTaV!B3C-?84$?uD?SLsshjxMBGDNC$y8TM_l3yQr| zdj+vJOPO*Q=b{^05ZEqkUSqqzKUx7c_W~yiOEErRtF#h{h?79qc>dxJu)K&QL%71e zj5ZAIOK|lEH4vyf^Y>SXrKUZA3DPnbHZ1MsCN^aYkjh3kYVaH32!#?Y5W<a>x=O1& z<;9dVhDJJsz>YdLBTKNm3DQt5SY5~B4zdI;p%%~D>5&OFcyHHm38ZJ3nhV`IyyG)W z?0ps9*W$ez@6qtzJOg@Xc;6trYq76(AB8`MPp>OKGNBdkHoQ}M)ia@ghxb;&za|go zxa5B>pPrQV<+}Y?@n}sW(gNd+qmRN%OE9!!SGU}eR9?0id!B5elPuo<BBoG?VLp%o zdP%l1N{-SQxmi-GM&c{lBz8C%k!s?gGXNZ~18!ZQK_lK<@lIvx1P!{O%w8GZ!u=!T z5-Zq(5SdO09BP<oodJFj6)=N$RPjFjrJ+CmsuSkJw-BKP*rk<@rL6XOd;?_;yPrlZ zc}cl_p^4^7f#RoO{<qY{3T&_DPpjx;2K&_2&Z;G4#o!v8<>08Rq^yXJy8@fyE>9t5 zFw(LTc1w$RFd|;cLu~^H1=?cp1cfaqiyYw7{8GfC!J(`iZ6t^Xnkw<AT{;#gU390@ z*x*SS&8XNl0nRF%m4UUF5$gRzP@f=OS_%e0yTmC18Z&<eLKSK+UV^18?mVE>`O?uL zKmavLyMM@~14M)nMv#sr>H!xXDbTD+N~9zb(2l=AuVTJgb<<rB=LWv3W49gDxO;Gf z&;{}<5|BZtSmH~1WCs}`rxU_q67etEHmVLq4J}2r-6dQQK|a<#RO%Vl=yT~tHj!Hd zL<CL?G!V=++2Kjgc0!EL=K1{eI>`34JrH0yK0Oy|h^6CTw^dN-7UBdGhl1?%k>O)w zvuf#5C+Zg`CKQGpbcMD}oHGcod@DqI2C=){6epI5YA}EYR>GK*mor9XR3)|uKZYyA zX&VlLi^@H8r5qz|paJkFaMTFKgPCnrxQ`88x0JGwVx@q~y4ZD3bPm$%eHiR+jS2nx z^zU)E23lfq-@*CoHIk(wby<%O)&zd+6p$*PaO+QF9ELBtK(547&ggs_?kea^=)E7~ zsmhxRVuE3492bAl=nrMWOM4ofN}Tymn$9I0m@LFejpi0$j7YtlOK1UfPh|tfr|xdQ z_dQX9{OU1Y4G-q0h1&wS*+vB2vf#D>ZVN69x*hEY`4zae4-2}LBV79`q<2x!tr2cq z1Ijce=(Zkisc>r@8+6+Ww*_!(9~X2x0Jm1;(K$Zo)=udm5AL#{+X=Wy;g&EV=r$O2 znhG~*QqZkB8hOCYmK=0TM7UbyTRSo6W`x@YxK+!7ZnMb^aa-g;w`#bx!mU*ibZdm0 z?RvOf9CTX`w`#a0ToQEK47UWh9T*vOYlWK(Znngr+q-Z(K=_Rgy8YgI|8M;NQsBQ7 z2)~v<q{lk+=SK9yv}W6h`L5_L+K0c2NI2RNkx&Q_-OkL8;^@AUaX6x-h^esYB8J(p zVTJr6n4Ca$FYYw%H1^_7Cv6*gamS}%aC*`G7r~MHp6<>#i6r-faBp80$xR6H*Di_V z9*PP&&{?ZBCipHs87&Y5kqWnGm`39Mr;))a|41f9JdzfTf?%p?Bre++X)zD%Z=`uz zMIq+G>~0m)NZcK&cR`q}!tP3{C@XSSxvEOsN!T9L+g%mOOXMSIby-$|oyD2_U4ndW zNJ=U-V)%Dq0bNpchN&q>vUrFIDJhQ=LTAD|Tmqs<HfPxq%&l>2Sim#X+sgLguzbkE zYPwunPNr$3-IZCn1Tu8aky1}t8k={RMnZDW<rq0Jkc@F+-<cREhM{Df7$_TyZX~%R z$deV8m6NF4X^9sWoX993VGLPB1n~;o)R~hf%`7&J{F6f=lgm}=lq9)YrAbmLi_}SW zb%`TMCes!>91dl%vP8Brv}8R}P^#rhZK2Mdq%PJWg_6SJB&|bHoMcz1R5FD^U7}Ok zPo09wt|(Dx9m*uNvQU?#QmN!gg?3$0Qn5x?tg@@@8i!JQ>J;Q9niNe@iY7@bbI6la z3Z*Vdr!Fi^(khE(C7NPcu|4H9DQF$Ck`%jKkyKbxs6;6o+9Z@oouty16su)+x!SG^ zDTQ%jcj_7^hE)V#l_7ynUy-a81o;;GwZ&M<V*XF_-5`e=%W(i`v%5>vmXbi5z#qc3 zMnd~a4z#aiU^OvsTINJlvu5I~@H9u7X;y8V7?z^QJ`;OGpqFwNJD9*)Ws%szjG~J> zP3QrF>?igKnZ?2~j~1z>k;qD^7|HeyOe3d>eM7Q<ZgM(1LP!!9I3uY?==~Syr!>hj z`Ws2hSXvrXIn$g)rDbkNHexg1H1bmTFzGuSdE}EstZAf14VKZU<SJEBQHi{`WF+>= zDi?aNz-Gb4#%-L~d-;Oyj1r(!u=MCmABs}JoXO>J1u(5#E}k;E94;I0nJ_2gnSL)v ze|wTfv3}5Y{vqm?fK75{^h0;vLkc4f{dfe@b91;495**FL~3PRIp;vim0Sr26#?!r z29yX+7Wh+fg?J{6E`WPF!c;&G#E$UGfQ=n*{0_4X?`}wgRKZ7zJgShMn_G$yPK1ym zrz*|^zhbz!kt>CxUn&=mbVWQe5Z1*NG5o5-!iA?#cu=}Hsm90}j6V}@PNWb_U&$py zq$-(}LBkC|SSqWVg{uTE<sqdA&m)7&!XN!)5!WML7UC>qF(~(Hl$WTu5M{=J7NbnK zn-pJ&ka7w}NjaCqp5&YcZsGZy8Lg5LuV=oYdB_lA5^&4`ZVr?&8FZxDI#o<L&bD+o zrQ)%ZK`Nbc$p+VDo<Te+m6!t6`833(g*9KNIRbr%(}>Pu9n%}nHAF85SHt+pjhOUa zjQGjm<_J*93H*z}HASFsU%ZCkpfK@3c=+y|5XuJ`h!X*hCf*dW3bp{cw~$&-K75JK zUBEq@XK}>@1ql1aa(oU+uzM9i3k&_<m;dz?z(oHj3K@aXWuELWvR$&bWoOCHk*CXN z$mh$O<Sp_K<)6yGlz$`tK|WM5QZYwSsJKn>km7*ikV2{)t87%>s@$u5TX|IZow7^W zPc=|AQI)1rsZ-UH)$`Pa>Q(AH)Q_v%)O*!~G?!@<n#(o08i%G_<J2tIysG(|=8)#n z6h+GADY+?&Qm#qao$_JIXDPmv?@}(&PSo18#oEucx9QH(57)2Nf2sdke~w|iA=#iZ zEH}Jh_|;%FmKYy2K4yH|c+|+5ET$!<r%l^UubRFxMVp72XPIv?M_JCYBwMCh=2`Bv zyk|kD!DKSem0chkDVrd3%4%e{${v+{B^x6zlrNH3$vyHr<WI}@$onZKDT)<0C~jBW zqxecusH{}Fm7A42l?Rp4suI<Ms=umURlTn2RP|S1q@J(7Mg5_=T^*yjSffO_9?-<4 z3`$X^OiQt+Y)E-8Wu$hTcA9pf_D|Xuv_EQ7bS7P)ZiTKzw_g{lx9BtUm+PzaP5Qg^ zhx9`YS%zH0Qo~;i_Ztoy#u(=r3yrId8;#Exj~O*4r)im~*0jd7&U6P#`GM(c(*$#g z`CjwG<}KzI%sb7mnZGrkWw{V#z1{MPWsk*YVS`Bo$HmBo%O=abvV*dZW&e;x$)$3Y z+%A7W&M9IQmnp2M)7up9DdLsqC{vWvl@8^7C}*O|p}JGGRkc}tLfuc3tkG+-G}AS6 zG*z0Fn$?;cG+$`G)%>c7OzEFuNST!4NVz)Yrj)x=9!U8ZHRsUYroBshzcxZQNH<hB zUN=!^(OGrZ=o(S#TXc8nw&`~3<a)EdM88`9XZ=h1-Kg9Ch6KZCgTvr7JZ5;t@R8wL z!%v2jhIr#e#@WUN#>K{J<9g#B&_Qa-GS!&wGaWFUFpV?kn`_OR&3`lZvz%=iX_;s- zS|(YpMEUQwJU|nSRIEi&{)MuuWqW0B$-a~wl^v4}k*CUY<#XiM%I}jug4+H{9;-M{ zF-qZ3R4Fzqb|~If_!JS!{>n6Ex$;}(ugVKCg)*t;fF5<KX4PY=ZK}6a?J7=vwtB2u zsm@f})K{vnR<BgwtbR=Ws`?Z4m!Q}X&3MfujUC)@z2-^H_nIyZmohZvf|OAy>J%fm zeR0aeDLYd3fIFnxv0Alux^}j<M0=gK2~>MT`=oZ4_HWw1YroWfs~xXX>e6*r=^Wsh zwYs}?59*%Oy{Y?D_nj_LZ`IGx`}NU=c*7-zOARu^R70tu!r(FNHN0i;8NN3BU>Isl zGv*oR8m~2OFg{{@+8A#-$2828Xu8ytX|kD$LCI@OH<@lXJ#Km)Jhj{OzUdRwKTJnV z-<i5hznUV=XPF0?&o!TK9&1iAYs?mNhB*`Ms>ytZd4u_B^GoJe&7YaSGk2NeEki6L zEV&lD#c8RrthCfy)>*b&Ub7sqd|>IaV94VRpdLoZE|HCs8Du%KnX-kl3R#2f1=)7l z9@$5-Z)IKRbtLk!@_FFQMe>#Mzn~>PDt|)0SAJ3+rHEHttWYY9ifM{G#bU(<#r=xM zQB!|Ye4_YP@q=QZa*}e2(xxm@E>+el|AHRrugb&9Bj}N0RKryxRZ5jkHC=VR%Bxz3 zw)>)Lr|NI2k5u2Q#;KFk8r0x?b%}Z@tHIaQ`_%{49csTiPBR?sIR!n{)#$03H5)aL zXkOIp(0rg7lyYv$h?I#b=_y$$^HYja{*<yM<(ZUiDQ~5Gp7KqKKP5(cp*B}LOS?ep z(yrFFXg6vf)Na=v(;nAG>V}{-C{Ul7Iy+jzox1yU&*@&*y{r3N*P)BjYxO4mWc?g{ zg?<TIMzj8Y{fGKb^*;SCdWm5edcKK<DTWn>I>Q>nU4|#n1HO)WK4Q4YILbJ|XhA*C zGgcT~Mz68e_^R<u<7dVnj3<o}(-2dVsnE30RBfs^-D=ukdcyRaX+L_%v&`q1N1Ju# zN#;EB9P`!Y2h5M6PIsF>G9NboVE)B?F8a-BmYJ3^)aUh<TP=54p0Rvo`IhQ)0p|ax z&jGTFQJ*@QMK(*e7GuX9vd3gQWUrw<Ka(AoCCim^qdZ4mBrivO*30jdACUh|{)zm5 z<S~jtsL#;~lftQ3s;E`mq<B!V1@*aG@u_04a=3D&QmxEX=Au5!ly%Byl`o>_eP7w3 zJcjxlpc<u`t(uQsco|ybEvV1O&=>!#@~h(17pNzywW!Y=^+NS}^+xq0>X+4Tp>OU` z|Bw1Cjaie9KCD3F(yTyz-lTa{)2{hk^Nl7VWk||Js82O|?1q#zDL0@OdlaqnV9KW{ zM^e5|`6Y$ZO0>hZW3)1@UYnuKMq71gtF$#}uh(nWYH!hQK%0GB`?PkecANGU?H=tu z?c3V-w1>3q+Ap+UX**H(KWk5FqjhoU56{sJ(~Z!L)Q!<i(8+WfonDuwo2<*y*>p2? zb9D=J#kxhhrRXca)s5Gu>lb2dsM9xs7jD$wp?_SzO}|tBp8jKugpr2x(B|hFt~E3o zo<)BdZ`o>j$<k`siJpHS+TEAb{|Os(D`msvqvbmJG_)-b#`L@7I>ltgEX7rdB1Ng9 zT2Zg~i{e&R2d#>C(EI(OxKx>=oUJTTR$zSJtZY-hq5MFZpc<x{teOkTSE&B3I))yw zpZZeu1L|khJJbm%jScv}r8|heX|3gXOB>~1%R%Ce<5b$Iy0;A1ng3$mVctXIa0|!b zyPw?I7?WnoZ&bwUw_xPnYI@1kYT9YqW7>z_{aw>R(;-v4>9EOXI%?`P9Yc>a*NjLT z__#Z@pJ?v`HR{nC7N939HI;+I-RRN2H!Z`cFxWB-J(ARtXemaYbkOp5!e<K`5;(o$ z14X-HE=Kj|m2s+}s!CP8>K^qbO|Eth>a$I^!f>bYapMcdU6@&XV*JYZqcP1i)s$=E zT6x``$rw8Zrlec;Qkn;F4>T;T%qUBhWyq$=vSbTn#j;XaxvW~|#tdVHtX8&4)`%9; zB3mcBO}1XPL3W?)A=zfx7TMFXt+JP7t+Jiy1^3Ag$lk>meMr_WJ1p~Itm?#Q)g?QD z<xaFbP985$kPns*laIjoohTnCpCFfE9M__arOGqpQ{`E5n>=5Bjr=M33-Wgr2Qfcu zR~$xd9#wQIjwzB<nd(2Q>osdM<Mb2sGQA4DjZvS9`Nvd!l%c<21!%U)+-P2FZZWSj z-)3G<wC?1v>V?EA(^86{qH^zHg#RMthm=_DdD`*X%e7Z(uhBMwYAxDz81>hqE!+q0 z{{X$+`MS$=*}B=fd5o(|b>+H^x`%Xa=<7Ol$8=q~6FN?xrJu{@0Qc&j*0<?D(|76z zU>q|VQVkgx&9V%u4L2L!H+*hLHtLL-#wO!B%mMZrKSsZnU`jTnnyx~f{~06K*Wiv5 zCe9pfjx)!b6U<kb>&#yBO_&uOG#@gzqet_ZkD9YAb1jQ3527DCX5nxPZ5H~li!dHt zj{0)So|C;Q>n9%~Um#zBHgc={Ud(!bkgL#2{-ju=xKHt<;wME6#+ez)+m#P0A6Nc_ z-pGXZPzLU~U-hNx2UUvN3L4+8{;T>0%mMmq<QlDJ3g)}Tm<6<G)@g3jtk)dYoQwJH z6)9I@4)B+h+fp7%c`fB#^fiZ4CZKn@93#ff+T9raN9Zm^->^h?zwTAt`?~+Z=y0L_ zQuGHN%$Hunn4fI8!eBT2$<SihWq8BzG3H7`jbn{kP-(7lrLobt*4P4S-G*7y2IGAg z3w*{dj0I!B$N8q&rg<i6Gn-8>fNK5CmzdMcQ_T*u$J}7P+5DWj6?EHU-e*2wei!tk zkzHZQv6NeyEE_CaEN@#5S=ud!F~2-&=>#P)9!PP)9e6{BalH`yey8kx@b7u(bIRmP z!I5q9x8>i-4T{-{TNKYKK2mfkG|HLEcQFR9Q{RT3dV~5t^+W2P)#+FrEY(~CD*d10 zz630${r`Vvn)ZE>v}m+RrOuf-vu||^MN*2QP)eItMT=0WZpfA->1y1HBuPSuLP$cc z5JKGSA#Ui>t>61h({}Iu-uwMO|L6DoJP)3k&di*7pZEK<ea<<F7{!cIMmeLBQO&4f z)H3QB4U9&p-77{3vz$2-^b*GAvK^s+Tsa;bFOCl<iIdDp1EkF2Y~$o`@;Eh6r+UDL zMou%R%OALNc?)=*P=zjDH>k*7ULQCHGGC6b#8=~MfhN-DQ}}*>BC?=(E`pYp6DkSS zgo7x;6WR(LfDN66u0ju?7bu)0VKP4Z2$4XB9=ZcFn~0{MgOk=v?V}QCWSR-hoMuHs zXc&z}<AEmGOY_7QW4q~#8KI0lj1oo;9Q^`t2*uC?<)9&|C4JDr>;wlS$5LXcv9wq^ zEPWP*Wda_;3it<Ou~^RFi#&jXd_Z9Yu!31(z&Tf0q3me(WR5j_*Y_N3%&{-!mGdfj zExcA<8?T+$F{%nf-`j+54t?Paig2Vig83KtzY7R|VwF}v(y>RMU`r&hpa#<b_ue2M zk!rLCtwrn625?c$XcyXz_Mp9JA9xKiDC{t*0!^J(4}9K8Yo@i(T7lDhX?-*TM#khY zB`g42j?w5Gx)*pyUwQyNm>xz?1`l};bhVH%ov|Fcp^ov6(ZjH1%>b0?U?s8Fvn{wN zx0ri~8^8<Zg@IFu<;C-oc*(r9zs$j4Evkp>F!uQ4b+F<id`w)4K{iPO&m{uCQ3}&i z2`n|1m(&DW;579G6oHArTwo<Y1eky&@Dcb50tCT=FhLY}lXgLlFi%(jvr{ZA6_&#U zRpY(mO2p}iFb>iG3+8*E&Qw>b2h58P)faqdFx0ICyvY!r&!sJ(bzq&?E36AVXb;wl z^#L1`>2mbN^kwve^j<(80)xzu0(Ta|jAEuSGnrY;ZOk0#u^Og5piJ5@X4Ak`Y-8uJ z^VkJ!5xax`l0S%`T7q?g48h>u*5Lc=OC)r{f9uc;v>eo0HMNFXgq2}DaQY5(N4hik zpc=X!!-x^Yh>&32U#GYoG}md+RyUY0nJDz~G}dC)Z=jCa*&Xao_A7Q5aDy60i=)HQ z=TJB%9Gt60X51HakOFrCkMgfaSsLbg0-wrH;b-!9g1gZLjEfb-3x-&(6kKB^sNEXy zFgV%`@&h4?NN|8&?nk5{0kK3^pb7A83sDNyglbN;q9Rm`${KT2qNulkX=Q0DG(DK} zT-r~xGEhsaur;7ZW$08$K918n=^yAUh7hU}$4F=FWyCV$nMurK$;{U<Ynk=T2JnK- z%r0g(vxnKs>;uI)H1k7qKAK-kS>>!svEHm@)w8<93bU7`#8zW#fx2{HJBszB$1wLk zfXaSmD{+EBO(t>fK+^D<L*V9d3%TdHZQN%(jL+ipfK45SQ2^Ibc;}}<{j&JmAalqY zqtCh|ifn{)w+POH_JjsWCgQC^@PahS_aAi7cZ39f&m4_L<I!|<FRDY;r;gNlZ1+E; zJ_Da82ib%dq!VjtuOMyemLP{dM!`%lbIb}uV4-avR*JP?_pm^EI6aHLjgIq61HF;n zOmCsLg0t(Qche&otAIy7Fs8yp>=NfqxZXAcO=QoR&DqB(g&f9!YYqyei`&iZ;r4R- zxC9=VC&yFbsqwUUIy`;oKog!hxGsc;0q62~L&&pj6z2|MO%1PBjJzY9GlVi@t3JBs zir~#&fnw<v^nknW0~{s`<%Fw+si2*S1RbcaE8>BSu5lOg8=^Xlx1;-&N42FofWptC zUZgfr^=T9_GkHKQeQ3Ub!nbMtpk&hMnc|Ao((A`mtR0dq4#N(37@u97fuq6s6oKP0 z0e#0~+lu=wmK_iIL^3-K9BnDv4H$VnXCtQ)R2|O4uQ*+x?0PtETrbcoIna3pTrHj+ zXq9?i11P%YF?<}$U(Lrg+z_&E5WIsbuz`aEgu$RfqJ*&$22K-Z3bTaU#F$DD5ea?J ze%Z)wWIv<|L{QA*P;20!Yr}X|ORXQqP+Sw^Og&T&oT(Sl9@4rX7Z^b_k1<RXMUSP& z)04naKBd2hRLqUx1zF}=@Q|Mwj*tepGCi1HOds)dk6>;dU@ku6zp=luWdYTeazeo0 zZ{?_QwZPTub17UC=r%`CyRKXhsE`lW7v{1NI`2DIo@c~M<fZVY0w<k=Wb+e00#sTF zpx0CA4;`VQaH?>+kWfh!=Uik&4pBnXMmdq8E*b4XDkZLC$YD_aqnk)VlhHIZ6D>eR zkd>99t!NwCj&`7(=qpL5g;L|G>C^(K<N)M{%OEjJplzd>Lk8@I1!FOP>7-6NnIXqe zVyH2+7&;7n28Ch5FlRV|FLz~lKs9~9n<q2U7@3T$Va067bcHl!2<7@%1U4C*^bp$V zvngy7wmEwTJ0G&KdNzq8&(Y@Cz!aAc_g_7ygVQ<Og}s~@$d7;Iinz}pJ^8{_9itY? zK`T}B@R`MX69r_%RbelGfIr0XUZeOu89dW~Kt`AVdazDNs2|iq#)t)^Td_z#BprvT zCt>PZsgr5ev;tZY_=YB06c&rcV@X&tmWE|wS=ctnrSh->OoSB!ewAaDST$CI)nfI- z46jAkq3hErbQ8Kc-HMLTF~~V^=EYS~l2{?((_2ojq*ntAkDcLOi5kG`o&~u_Ff$A^ z!4M1KecH#AVzsi`#EC^G>y^0HVeA;t1!0^hPAn&$Q~alTHgMFTcOAfkh(LLja?627 z+PNK&TKj<p%i|UDhN`qp;wD9cV!;sW>Ooe!b2zPlp=}|G&-HOby`bMVLEfi89pZx# zCP=2HQQ^!CID=z3Er*r|)f7oIWE%~|Si?2#!M<Y_5>HVMn2#e^C;b&*|9qI%GKrUH zX0$L`8J6J1Y?%(gzBifbptYk|ajc81CYB|nbaEUevHrkaMldH#>@AGA)4-1oaM$wA zLB@uAi7EVa@XF5tqn(9t;|_uqVDmcgj@B?4kEw6Pa}iBjO-rY31>aaiJ4`!CI}bf@ zn<j<1K|-9!$Y)%E6$4e~1jvQ=g9lIneHP71VdcYm!Aq7oq~~nNgf4?;w&sL#P5_=> z09SK^(+cTe2j>M~>nBbxryo2ao}p_4q8I_5;HxAY@X^!7YYJZ6#oPdHC^w3`3KGOr z$c(lC4(G$s+YiUCid(}y$8F#?aa*`|;W$2n^!PpC&o|&b8DKpP;Jk^zcox8S4Bj5z z74Q<DdEa=N;G0Y#S&RgA@H6P+bNsvfiJ*Z!1mR-m{f9su@)u8GwD1V{h>MU1zX8Yi zMc9Yygl-}s32H?G%u+?P5d*{ou|%klCfXrRh#Rs92}G7dZoe8*;+;qdavV7a?&2%* z2drP<NwGF+0Jvp|QX$u}h4jM}ddD9PMk7E^q@p_^JwA_KL9e5?(fhD|^#XkdKIA(} zqRLa%ptmTX=V+ki1XM@JAXBIZLDAj<Zg@@oLRFzTg3`d(d=eo|&Y)$}YM{@a&~h*q zu)zj;9rV&yaQE5_GsuT$gS$@v%*p_F|1+fg%1jIr{&~zuW*j7mRm^Rm)J{W=ugsp! zb{8kU2idjk7WN&`WJJzH&T^Qrov`{-226RI^O&;&JpFoZ9rrf(0at;i30lK~N8?TB zx$@?V*Mow25#VnU!QEtl$IpgY+YA1_3{dL?VAcg-(;IMf9)Qn#0sZ+2n6;lr<|}~9 z)dr7?@i}~`Jpq1qJp9{^lBsg|BCs0V&jXIdVBTZ`Ovr;8c#QI8YM2(Je`B>43*%w7 zm;>gBIb*Jv2c)t-m@hcEU@Q##dxZ0qIJzMotrxrc!AWcz))!rjZt!=#j6SF)B6hqy zmM!G2j(_8PqgW!b;wWcVva8uOP}zER1G|yk3>9vLEE4w>gW98)(+8TD%$0-HlCjKd z1&I^JWsORmT)F?`9f!C9*DWn#S52Uh2tH6hHJTPphc;SK40?ZCngi6+8CEF%9q~uL zJDDlRRAQ<zwU|1v-auiRFwL1(OoSQFN@69Ca&UQ))NRBS{J8={&Z<X}x{*0JwvF{! zf3Cog5($7cr7*yaSZ+KZM>01Jup>*N;);2t;%s4rF9+)}Hf0#my-Lu9wy=ieC~y|I z0!nznD$)om)JVKo<8boS4#^z>A&Jj!QA4y49q`H&zzK8s4R;vA`Wu}y;y7|3jTEs; zK}U50nvp@hL!Y}2-jfGcGv#O{to_xBlZs|onP`<Lo594QPn=gM0aj>9e2Epcf!YYG z-mT#GI;ePN(+oLHH>}^84CgW;$UaLYzN`^e0a_%C+6^lJz2f{|Nu2&u#MwV4(awWD zEg16AD2ayNCidgSprp$sJw4dZgC2SCC=MRML6?k((_9Bga-BKV;M3|QDFuAvfBloE z3!9Kg1SC~AOGe%z!!hHlGEtT!O4VHhPbH9uL{t?~mXY_(a3n61B9n;H1jI*1!BU1u zCZ;k;M6$>QlArOTo>4{QrHBL(`Daox0YU%tS~6viA^+<aeV1MJ$F`mGtqq-I)EX65 z;kP)y%;iq%*YO37qEsyrk}CBc{(6d}NJO~yW$li)-;*x8EO;|3Kdx1#kBh&jWKW6G zus<oAP(?&uMrs~eMw7JA4jqSR;t%9Bl|13>Te$Nf#ojM!8LEY7;7`kHDmtuOvD6Q) zZij2s#NQ5{RnV022=<GMU4|MUdiZ9Fnp%TTQ0$itUSB7^DI#i!7~nsa($tpx7{8ed zoG=_7g<pbXZ--1AuMDh2rJ~TK@Mqz8WjI%nN<*kLI3bU{5LrBGXXm*OeVl@(mU{x6 zFbrq(QS2jEz}-0pKMp~x2S0A|@Q?8iq`<vN20zgqZgUp`rv$=B!%YomP?1!k(dYuf z0h3B4s=@&#Dv(l%M8eVXV@@8kcIj&<w3#MsH}bTIY_BnEu#Z`Oq0ZWM;diYItG3t^ zP3^1qJ)73^>g4K+vCT&Js&fdWue0CPRiAV)S$=)VH0~{j8}=G8<5M?<R9jx#J+XX+ zp4seZ!=vb<?{0o1_x)v`ovfter<K@jxbbrL%l@oqo<jcR?Dm<xt7)AH3g5d|X4(}D zT#|CzU3M?5a7W0G%ciVPzu>FY(0G-r^`Jhb+fX_7akkN+rmx>)lP16TI#X}mfs1>m zR&0E;|3%qk?KOU1^P<&jpSkXv^?cE{=PC!R3d@#JZnx#WYD_9|ada4%@XSFrTk&3S zTJoaM_<(8GeW$PWIIo#>DdFSQ^U);ePGV8YHzeh&_)r?CkhRHLOY%QQ_%t`i=C?jt z^FjEq%Q@Nl5ki%bgGQH@mL(F&W&k`!LyzH1J8j7+s*(ONQPyx3GqetVa;mt;3^a+v z0kRw-1OJiWEJYz4LIXoG3t=Fbh$=!dtR*k@UlBIywKjttHM*hf?W|!NaX%ZFl9dpJ zp*@h2Lsam0RmDGv409rbnB$Mt$&(PnV(4LX0!*d2QPuD_6!*(iDuS`5if3}v{79vw z5TxYyY)$yEZUIvEA^7;WU*!$X%t@75#9Xp}ZlU((H~QJ~4iTTj-+Cn>uYM2NY#gJg z5jo>v1zWw>;^>}A-HTh^F32SuzM(X`ss-II=VOuB_bk!C)46n+&g%r*rKY(NSFSKa z*H4n$V)y3JeNUl5oYRjM+A@pxvqFtDirglwUwZ;cB^SZOZ<0*B%FP~DV}Bhzg4`CG zr>E;Wx}ouj|KFaW!5KzS)|eTlvWI4P>HpIV!)fD#N5b;oX4pL>2(E6&=NS9fIsVyS zk?l}(#`u7P(;1b4ecgTv?mH^;9v-$*op~u@AcN;VPj%c4ve5F6gSol)&-o=NdS7+U zSoOTaewNYB_ZKYf&lk1@S8uVM^FEz*O8t`YrvR_+anwi`&wUk{#iV-{6R*#D`pEyz z_zhI=%Eh}Emi}b!sxtn4?n6KBG&h5r8uJyiXY?Ja_!7vUQ69D8W%kP@*VRrntPjYU zaMm>W>8oFiN?J~n68FXJ@LqQD{rK2gy9|qVIp?hGtnE|x#yJ=U-z|-ed#K_~-86p_ z?d*O3MyH=RmoB}bDgN@YNUvwpx%<aFH*p`64<s5@nN(O`iMn*oWxbi)cg3>@=j@hy zs%E~T?E2swrxHD(QtpTn-u&XRBf&|*+V~?=d^G-HWMq?(n4xik0S`i!Ar?cAVZbL! zW;8Zts(8lZVyt5%2rV9T=J2+p49k&i{X+b#|Fo%1Y)s5lf4`|gRBQibD-a&ObB1I( zLPJoIjcDrVSL1;253dF&_;072IttvTUk)i!nW;7Lj`M@L{^Ny<8MVqU5JP-7jLABP zcJkk&-&mFf5+M@exz*b(2+rMGmx2y0N}DVjsZ;gXv|ZGiBUP5+Vp^DQE2aPF#;*z2 zCI!npI6<uruj{cg^QUz>1%xZVxEQ4JRl1lSmb5|p^6RQ6Rj(gWE=Q|g-x=F}!sqc> zrlEcOi}>T$&B>IavX8SGGN)`;Nxr4t_sC~e#GJ({)27=+C|AB=<saodkdIdD(@&^Q zUR@s2^GCr6C2h-(>%8Upd%T}%H)*E8nZzvR(kWZ5o>uiNJV-n;uE5I1N$;W2nT!4L zIc^s-j;3ZV>gHFw?Mt9pTCYCUPLbD)ej7T$`{t_>#M5enlkn8dbyw>IM#28>`Da67 z%P$%5)@65GtkrKLuS8O%I{~JeB`_6lWWUe-iMfK|x2HZW=FS<TVM-BTYRxE^aB@bq z5iO`WNDXB`;}vlCws4AbY=AXtiA=$tSJX6u`;)=x{1k_fppaO&ntw!j0O12PfWknh zAd~Tpr8IE~F!&}To8k8cuv-cDI>N6I5-SlpXb}d;Fa)845`m5zd5En1?{-h}iHiUJ ziKsC$X>jLsM|Lg@E*zlHD1&!p!UfX536!=lQ-)T6Pr`M-JW`?bPPf`d+rTDIPwI|k zqIqX7BtALP|9qY~HRy%E&4mxk>d(K3dpEnd<m_W-xo7h~hd5JA0xGNP9(-d*c877O zR-LN;-5!T;eL3`Oxx=md5ibIm-%Gs<m-}vx-2eKZRVi<OCEVjO^17C&ys7ee>FxZ} z^v<<GA>r>#67n}DA>CaZ*&uV(&+j(|vwKRe?MpOMUf$Wi;^1=6hVI9g1DpGf*7Y8C zG~eDHSyl8)lXAhhaXtS14{XiUZTH=3xY%0x)8X`K8$zT!?yrB;;%NK$%)Vb|8`_$D ztnb*OF<np2Cj0$_WqxP0KBuoaXuUMsCS)tYG%oSp5U>S8rI!AM<;7!bijVCO{zyp; zt8YG$__qQC=O2I^Xf$N9$W&yUF=><liNX6QCMHaLZB0yI4E$PnTyq2ty+2^%LRf1s z8F~!Zs3Uo~7#K&t9zlk;B4wCJw!$HC^hP#-g0V3+;?Id41yg~Ed#@M7WQ2x@D!yf% z(b+23b%#6#rd$+1=oZ_0my8ej5oyAL?OW_BJ`IX1%AmNCA<r|Q5a86_VIU_FwTFNl z|NZJ?b|WehZdaY~r=gWf1;wUl7}s5V;zhRf=NTVkV@iB=PwvaBIGw!vV@+=BH{;h$ z{?e&(gd;i4li2Qe-135n^&MZ_&v~imoxNY7{<84HZR6R^L6-50y?5@JS#-u3oAGo? z!t@zeFWok;SgCix|LpI7oN+r)McQHOzBuuxkl*_;>mJ=rVTwNxHawkdQ<|>u@?E-F zPfg?Pij-YNa9+sshr8TOE4FFx(+g@Dcj@%iJx8*lpT0j(zsdJgoeyW+v&H(i2daC$ zR+3JKYpkaYG${G(@*g;=9+=`_d(pW5i~i2Y$xX3@4A;=x*JUQHCbn&L+G*!6=P6Sc z)YYz1zQBU0cV+iW%azK0#^kKIzgX9<c5}`Cx$x)s*q!V5{&q5VK~sf#+ul7jGnFp9 zVl&JGU+-V_pkV-gR<&qzh{;B8uQi*F{E}5W7gaUbW|LbwJwJ|dXt&M0>&nODr8+YY zYBsM3Pi*`WmryhFX8Od5GkdLPSTAI}wH`n4aAp0PoM30#%2oD8w~`5-Kd#k0-#u^U zr?-XVr=?RlCo2wYNIF`o`o|};pSr)=8uS!jRdYt#16q#HRcBu9^PXpRZo^ssCqIy* z6X$IDbff&@mxmqs->joje_*6$BwwmnLrU!NRcSInavy5-ymH>ntCHGc>H2lIe{x#Y zXT5W$l!RDQ`@KJkw)m(-t<BM#L)9B7-s-dRb3w7!RU}nL53pWJg7YB<6znopm)8Xg zn1Oc>yy*E;%luyfDXvl(keM<N1g>_(@f~H4dWa;A!gp|*xQ_?skW-SG1Gj67j6gLI zHT(%#CHWtg`N5@TvGAM(!4;HrC3p95hpSq}SLRK}??pdoN{3+npEg2LNq_aBB;1FR zz=y(&6(7rMJS3Cj;H9aZY=66CeY0X#==*hTPbQq3eu6q~V#bRl+o#F1Pu`m!SaT(Q zDXGS1cKQWf(rcH5f)IgQ?D>U3GM#(ZFg6-^Kgq5Xu{{sm_>?}?{}a>m`I?9#mp|m@ zhgTmvl(^v9ueMbaKBPY7y#IZJ-rL%GhcJVgx6kAymi_2k*0``V$+FF|fBxJKI}zLc z?b{zu7Cs`bI4|AEl}^-id*`r7Tgo4?*rM~WXw^@;Te==ZoSpf{dfEfyTlMi%e46{G zrGEW+;g7zau@BeE7Urct(oNT}$}+EKB^3wUT{1~|vhBR^3C9iRzI%SKZ~82Z^T2k% zC#<i2b&kvCs2qVSt?lYc^V{r>`<U<Qqy2^BKF`*j(&M3ceqTrNCBJoc>Lsk7H8$Nr zJWy5clLJ3V)6MsVOxk+P?3z#bJfz!MBk)qEhsO%DY#+1cU3o^mbw^L%y_Xs&>wE3@ z8#zn#&QFdud$or2a!$4RemR?7OSjFpe~}8lt0jLnZkNN!!)W@Rnu`Uq_|JnUwY_BC zxpHsb=H#$ngY?h6pFWeN7yqE7jBJ`0H!fA`w`7{n{cSpn-muRr%0?7xHe_}RI|3ae ziRVcnJsZv(iQ)C^F#g48qRFH(X(e<Aw|;Mjp?j;-B}0uD4`2GUUZWa0HEiFyzo(|< z%f$A8?Z=C*zF8YCt3Mk#2fw2P_u;9;y+CvMV`&bQ`M=T}p7$7Nl5w?<2Qq^${$bY4 zsQLqQUNHKi)61u=+vr!-;x>js{+43Ghd2wE&JS7gUozd_>Hq)0bYe<{d+gAFSYr_e zzPpBG8)PbCDVidhoMHMO$rwxnes3Q9bzz7x{yGh^KB7C!zki`L#1-F&LUuxCAaXJ? zK`Ba*(;-|LMR8!4a-2ydk^evG5p2NKWYt{PvdA}8tTz1))|c+tk*niPf8<EDR=BIj zX>C_p*sn3ArK7<oBv}PL%xRF}{e+gdelmV|JPy(KP<LwZT6}+(gYAvOdw1VZ%AI;& zGiWJmZjIT3n<vXotu0$()}Ot@Dav<)Kvo+Gzi{x;yqRSkfyO(sXYy86^BhB8FVabA zqUV`qn{06FiSx6o?$D2%c2!R`Lh7LpF^ZNudrwN<gL(>~@_pgX>S-@F+w(jHI`Kaw zhp#N%Jd3(%rAJS&i|pbpIg8#tvikT$b9dmXz9Pl4PJ+``zQ~WBHqVKia*CfFrIi?} zt$U)qmAE%<@5+tqKRY+y^Hux)!*6=IYwgff=_No9-XxG)DI5Ne;Gd-SceFGrrxm5- zArpp^Qh6y<X;>#hZj0!TdZdV|fP)@Mb;luAqaG=t6A^upF5C-Z>=mKI*D4}5BOgOX zjmVUJ$DdB^nY+3$&?(FD&N`RLmuJlXsO`D6UzG3parXH`qR|8j0VO$=L|FQ1ZcJwD zy`E!)a~qEs9`Xu`>X>A-?s0DUyWMB_msiLd2TeJhhKB0*`2`<*nn8Yyh6+-3$(^mG z-qU|yTDg(Fk@wQJ^%=LrE#X7s&04xg+2_rwb2c}fygkrVJth5_(JY1RXU{|GOejxt z>rdAnNFXgXZ`l4r3G3<BwVSUcT<K7Hs}hnY$0je64n^H8z3+ATE=hB#_j<j#)n7iR zU_#Wn#>p>(JKM=3<#XzH((>C+O$@!KxbYrhTcdhdbWQ(}{~}w9HxaIPKZF?W%AB(L zrX9I>HIpvCt;ue4<~s7x=$p>_om}R*)!oeOMLSa$Jqmp@VcoZ~86Qu)y(lLYm3hHf zq^xs1ySI_nT~Tt`)Xw?&t4GSA%cG?~%zdI$y6Hvn`(tM8h*Rr>OIy7+IbNyO2%MWp z2|L?#{e$AnaN}K}Oye1kukvX9AsdS?r&#`esw+YCCf2(sq2^lHXOaG|b!x7eKTk;f zbWwJR&Q>9DXF<6^@Vo3o4;!4%mq(pGJn7rk=uNq|PMm#B+1`Au%V}>$XCrxf>h-(J zC!Ux;uCV;Qv-^DgJzmnG{^|GiP9EO5L|Whdhfm~HPwk(#-)S#+L;cigpw-N^UD`m_ zTpRW6q$*__^|VW<4%T5m-J7cJWzT=<IDwGdy-qXe-iBMVqpqv&YJFFgk+i~?yZ7L@ z!y(QZ8T(R6il7Z-M><IcO(pgMIrQLTw&H&~^CPMKC3KXRk+xKkBI!yKM2ireksXsl z6^9?l5@C>rRwLx4QB@FOkn>WRutLS8Qx^hi5C4>mLeM<pm@)B}g@HQ@dyNzqx^r6e z`@Zh_%Q(P&P99gytlaZndZ$H)udDR8T>IeFZD%KPr^MRrAljT-x?pwo!e9Hp)wXL+ znZa01fb%7?(gX8kXhzEO$9Zb5TKk~$%i)x3uP+p`?hY)h{w~FOkx0KAHtFz@$nTck zyB-`#nvpm4TSC#50LR!pUvf;2F|QeZQM;4v?pIO2)^v+&H7BC%YE?w5w4FbZp>FhO z;Hk@RjfY~6yR6ZA_xX#}z>_`ZPvkEhG!NLnqjk60B85pl*MAG1oc{8H&7yq$P)lXK zsnp#sm1?|8im4WTQ(BKGt?S$Ldy+x?M~yW#ti!Sg-eq-5m-y1W)6+}B2f{yu+3hqq TK*ug?<yO{3m@h;8d=35w!9rK= literal 0 HcmV?d00001 diff --git a/venv/Scripts/select.pyd b/venv/Scripts/select.pyd new file mode 100644 index 0000000000000000000000000000000000000000..f45f2dd40c15e646377380bd75a8cb1537c7e628 GIT binary patch literal 23192 zcmeHvX+Tp)*YIRvUlmYP(1@U@EH?{bNl*}?qM$(#L_rKBkRT+O+z6;B5V6LHw$`n! z3lyzOTdUT()D1;Nty--<RjXEPt;S-NT2$In^PRa#0IhxcyzlqE-}B>puAP}XXU?2C zbLK2Fb3>D+zKIwJAtoe~38DQ^;wOg6|9NIlL&$Z&=dNgv!})>xX^H0trpgr>R<T-@ zua*?CawSToie%-;SZb}3rBJfsC#JB9R8m=pi;JVbg>-q&=+7b<f%mM5n0xS^0P4eJ zL+_i*;g&M^K9_<AQKhZa+&)e+^uCblKlC0AN?R%GegstpTFR^U%=KYZeUc(qj>md+ zW?~USi8LFu)`dIG+SZKd1D$BDuE-l8fo3SHFO=?(2&(Q*z0(o0H8*#bs2Bhs)B~R) zL`N|oDd>dzb(ZF8a~O;Z&>%iSrMOuPa7X-Nd14S+i^rUS&^#FDA{(JpOVjI$K+Y>` zM<CSpIz$UBgp`$%@cvV8$S{9+u2>nmJuDbKL@kw&5`^T=&;T@%D<mIC-JTd2I>d~I zO6{Qm0F*$6LD}tzL8u`_tx@L!jG8OV8CmJRj29E4mKCZ15zigVfZ|Qq4GCUj5E}I| z<Uh54RRSq#hU@8Eli`<|O_WLM=G&urLk+IgXUN_<nyHD>Ypt^(mYHmb@itx5onVg9 zopP=;(O^N;m$Iif#o3$SnbvrYdL|nl>K;0$7_#hjr%h?;+-Lg9ZSo*Ca!=Na+V$EF zJy*{$c^x8<yP;io!oJ$%w(vOcs%x~bc@Oh!n8-B5rUt+pT~K20R`UtGRX33KhB3|t z-p&@Lf!ya@{mgCQJb;^Q(@b7#ffO*MYd4W;hRJPBqIPIO2FJ=@5pbxn)yFSkn&_3~ z9aOcyUej&>F5)^yH!(1xuF)B|YGU9yv{cod25Ry|VAn*Lyv|Xi?W>=WJ#@Av5W;9? znpFroI}8}ZOt%8Er^AG&8GguW#7z!{SnqU7S_V;j_VgI40Sm|~pKtU@9h7*o+PJ1j zjs3jAhQ=DHKT0+gGfiG%7#U_w8)Hc77+u4ht(&K_M>R}cd2_nSYd<t%;W4XCWPw4{ z#=W7>YLA>^KQGSE`ld<SVVd1Vp^w2<oRV%{MU&S@)P$U?8%hVp0bhoswisBI8fJ`c zUM0}yRhBmxnzE;N&f=8`avM6QVP0&@eD1dIUpNCHW3d-Pbtne8b5H0O`d0v`?h58L z$vGu0T_5isSOZB6nNL%^KMRD9tQB7O3T55m0%ie2PGZF|dF`b5W`RVK4M0L*gUM>` zxTXhs=vctOWCFz|uV(A~%3|t_@QxSp1O;P4UoQ$KpZD_WavSi3ms0F<&lwMbR^UY} zU;s^_*hKmVQORo)MaLcM**V=j{|Hp>Y}S@_K(A#-4S)=Z{_Zsk{ilEn71yNt$2TqX zm%=+%EqEotYg%3xjy1m;FLanphHH2!Z@4WMg1!O?Paq)&Tyf1x|3vVj#%&m>6(c=! zTin}><PAurKm{YEx&zWeK*A^uZj0L>*a&`^Pd9ukXoUP4sEN19>mu;a0I?g+!b${r zB>Ma76a7Ix*8py4HF;G)ncjrg0Re4HQw*gT7{Jm^6sMTH5&<O*dPkVNYT*@zGk4QP zFx{#*;*JT(<h2f(fQ{-RU;~C0numso1r0xKi1#O8SXRH|K*rx~aSe1@U|)U4tx5-P z1vHSFaFQ5Sd?iKS{eO(Tg;EebEE~_H^)Y#+0(EiSL&&j)Y^BDse{cxTU?sJDHHrQ) z#$*sF)bUyXx9&Ad{m0_vh%$q*^a1P%U@=~RK>&t2Nctww19fu*CHDc6sHGohkhe7z zFic)|sS(`)-3R324!*Vr_}Z7fEHrrjRfG3y8-Nq6dd8u@0pCk0zKy=-cg(D@2fTx# zFP#Bu1|x&ogT8+O3}St^8g!ccDOiBKAs%GowFmgbng=dWOP}6oaKR!o&`ik0mLCGO z2lv}RO~u)8YI>t70L#@BfYrnlfL)j=09&Lf087LafHln&fc4N6aE{8cZJGiw2~z+L z38nz-+e`s?TvNbGDql<GSgA|_SZ<~O><vr-A5l48J5vC*O;Z5YNr4OYKTovuCyh@Y z7+@ygZw(@6oe_~-osmYeaMlB7Hr$4o7Q(n4mbAsjxDX1ry$vk`Oj>u7*4_wmL>Vpa zx^j2qwyFVI#6~*kb4J#2XH?)WpAm-KjS?47S!BEpT{9LoxGlT{eT*0F5Lzty{!`lG ztou4y2hv4nj)i@dTlGO`ZL+}?po5Gy&}(4>nPfZ+8z18m2(!j*kja@KRyl&qsB{Cm z8PyHip~jDaC?K=s9WX_CJ7mUjRI8aFxCF$x0RuLPI$nUD8>0cR@P;<dSPVN!Silj8 z9FS)8aG)3^Jwek7=rBtI-*Ca?)rN)lwaEsFz;T02+?HhBH)+2&DlvK^x50Q6IBYDi zGY$n}=L($V6?pPe0M_9y)eZ9{W9#vo@d`{}vFL8swCUOj#wEbJajy+zCMO8D0hBnb zj6%Qw5n_S+;?Y2iq$lQ~hjBJ^GimP{jaa&vi%1I>^?-N|mY^1M@hy-vlsi|Ov~H2n zn1=;++=d6PAYse|P!hD0jye;av@vA4w}=d3ERZa`f<D{mMR!|#Qqr*;I;CJ})obtK z?Zt6mjA}C;`~!Pm3;4rM@Lt#>Q(&EmrsV-WB1Menu>s&IY51)QI@aOw^rB{P2ksQq zaM~j9$<5#!ZFDAvcB*-tl&*2eF=j@ADr0m@_@8)e@i!zrG|-YwguJ;IEFM-_XFTMO zAZFbO??!{n2pcc$U5l6vr;NYD+BJeLq;*oJ^xp&e!tANuR!x|WbsSK$9yEYU!~2zT zXPVZ=SO(VAHPjqXG~Eej3ofjo7Z2-^*52ghgO${Qi5g5^1iXq(UO`Y~;o&PE`U91M z-o_SKO%RGr0X^gV(0cpPASD+j&b<)MeLG++^<nKek8XoJZ>bjx8uFI9cv6LLD+RQ9 zNEHD_stCRd#k%D--hg5dp?YVkWY)VwStGKq_rdk*n=q>;n<;=wLo`%}8|yux)?{N3 zIp({`#+hox2J3BkD_~BU*?^iVe4vi)&0IH7?na+z(+>4x&B)-w1owmMa(`^YcR)(m zyTa59?2WjeMGQV>G28|H#bPid+5f*5!(9-=e{J%>q<%4;zj<ypU305^$TH8z^WQh0 z=D(c}=rNk@h+VptsgpS)sJqU#gXl0;FLH(=rXDZ0Wnryz#eSp(kUC(e+yR9^<gD?6 z5;o?B$?gW{C3@#-7IbU5X_m@kV8gQFx`&=RSsSVmwdrK-2+Y76%mB9CTu~d)GI=4W zvhfSc{8A%&2uS`EQfp082UqlvE9&4L!{p40mX>~W!o8S-NAT`Z@FmHtzMvg!Tmc^6 za9Z%C*6zSWXl!u>sH01dF$f)Nc6U0hr&RR$rED-T(9P*s7b%PGsf)(m327ZDtM!C& z!C_*9mIp$VGI_ZJq>*|zo}j$&egfc)`y+5}e2j-3%hcI3^<$aF`_>vAYIq3h9AG%j z71`_V47hxnQhN%fYaUR*%7Cq)$o}$at_=d7s79#6K>=eLN5g1h;~Z*CAO$UHhOt7% zX}5i`o;AtdjEnGMJF_*A@kH=7*#~+F#yP7U4WsNCqnrh&)y}%(fr78KKXMzUgW!(0 z{Q4jaNSO(Nu?;?uG!>z|NPDdhMYS>#-~DLa_B%n?$cv2i)-rd}vKl!JS&h;<ybowh zGwz3I1YKEXz>ygs0fU&?!W3L2L1>1vt!}$qAyT(;8m2eyq)l%$zG3cQXS@S0xy9S4 zfx6hZ1#*b!B!kn?Xsm_GPFf@EATGin3mY<EqtR&W0jw@;&{7!YJ%ZNGXadxhp8(nT z6yA)j=AJMk;{bStf%{M^N_q1nPaKD=Q3hhYk4fuo90GV586ew75Tk(uXL$_F!5D(U zjmE7M6}N?KC^18;F!;f8$YBg!xjoX_owAWa2b!@5j^qkx0VbJPM#fBY#S!{V#r;|y zVDaIO51lKbr$8@6+U=x0SPZjFGidQ~+D7++rd?pnG4nDQ;+&tEpA`VXTOK!gB4$r# zu9BlU4K3p-?WxhWrGo|?#oSYB1cz>`8tJiJwS#GG-n{uJ?r#P_7c(sTlnv&F1`C8u zs=&sW4l91Hz+T>f_Yy0>g<)&oZ&nYOC!8^}>fki$Ub!DvC^bnuU{;gGpc(Gk5ulp~ zaNF=>;$)*3LO9;BkwbK){%GDnOZeSMYZ+h=Jv1QhnaT(t+u*kHnBf=>(iQ|xgK-)R zj%8+?00=<AtpZEkf!lBZ>)IP;fmTH0H9(|o1$Z)TPaN@$fR4*%C^IrFg16e94VDs^ zA0S*l4F^}yq&UE9aWV^gIPUZOT1LNy=NAWw?7K`9%+?0WkFs3c&o=9UyLlk<y8H~A z9IQ>iFdkeF#&4!`ZERNKeiFLkCUdY)foT5+;KQWMVXlB-JO*-aV)~zhfLKGt;{q^_ zJV1gSg}!<zh*4j&80V`N;(UDt&Oe)n^TVZ(=Pg~ei7IN=QpI|bDyoaAVsjx?d@P4z z-SX;nP#8o^ef3IsslhL`@X|z$i+2Eqn2rLmzWPn7bt~rNCM*W@0A`v*TVabD(<J%` zI7WKW9+Q_dc*O!#GsX1$MvZ7IzCNKS^}PW~_M*|e4XP2fgD1!PAkbxJ*ooW2q|X6` z4C(@fvW@tH_!`k6JX{f0yc5n)gHHC)>6r-5C$?_;L=RgS1&&j&vT_^1E=^uciX_SF zbYa7~yD;A_7uHi(M!L>+)*UdysEA~M?*N}8|8)>{?0Bb!7YMstR2h-0DQeaR=t|ug z+5v_b&uEs-+kMD>(F1Ye8SRG)muM984)DZn$U4qMMmOO2oGw6)wXrcJ?MN!v&q16C ze$n(vH;jO-t)t;fix0Z0JH-_IqJ9A9O^lm~adGx{xaJe7{C9ukE;Yd|Ijjks!u5r4 z5{ERr8Sa!QMTZc|Jt@}9j3#Y61ZIm(;e`>kO6zgICyj=rRw)ERcrvoh_gl$N%-RbM z(z1J&e+heOIgUrhJFwcYkIriBlu~Dif(@L(1s|EX4VAz44?ynNYvTnCD8$mxJ@ilE z-iUMXbq6{Hjz$KkI9!G-EW{LLt#BmKx!@)`_Y7Q#`Qkn`<u_B@-Z%U*O>d_!Vd^K^ zbI<70VLx)yP<|IYSmkpiDJwLHjA06;ECHrv5H*L5ktwyHZxFA|U2C##>KQP3y@u)3 z<OEJ|yuCifSqqnZHv?Knn%trrY-xxb6g|V1j!2*AVqADdi)|T*bOj(3b^v4`Z4X0q zG4Q1OlBTC#T5K(V@;2B60Y4q{I0bf7xM%(}u6am9R`c^leA7z0>b|5~XfO;}t=ZGJ zfty5Ro_YSvCL26=KtupX_T&UyxRYbJXWVEP^`eLR$*tIDCbjCCZFTLo+K@UdHr;7^ zb4O4>RF5Ig8d+pd-D#E?3{J`nwp>+$fWUMjZ9D-JFO(@D9+u7&5JTlcDzBjOg;c(n z%9m1kDV38{UQFeMR1Wt+Kw%!0XHxkLDwk3@HhNP4wlGrwKK+;i@ZrZ45J=_zRF3z1 zrT|3ccu!~w@T79Q;W7na2V)Are!vvKgd9w_`+wjGtamlIOopo}=J3;$4?k@<5rA4@ zYk2yJ+R1P%W2FJ<nf^~2gF*198nxU9>Ad<J5g;@gVjK?=3z8$GM*zD5$sN*GNXsCp zAx(!g4pI;#{G5tJ=n$lJknqzJp^7z-RFH7}coag{AbkgE9i$3KQb?m91wz^b=?V1h zfMgHvy&&OdLj*#fL%IiPHninHiigC3)F09kfX{<e04Wtx6r{nBJR!A*LqAAgL27`s z36d-H>43JcA>jv`t@-U=%kjAopBE+Sd~K0TNorW^U@ogjtD!z_YGkvtGG(qzgGiN% zRU}cCvGNp!GL}@P$yF<gNtIfIKYnUtg|b{Sa3~CEegzv*6v<RtvXhd8l~<^ekSvv& zH9@76{i$84QU)t!`4UnwTZTE8snsg=Yo=iRhKa3f1f(k*Nd3)-);2hQBTt;TkOsWm zh8<-fbPj~JKucS#8Rfs1gY{kHm@mGt>wJj_4y^x!4}=ReDJ4E-eV=Q86kj<JU*F;O z+u^*npYSkoQJL8#D)r1vUZy5f9G9b26iPEo6iO~9)4U`h#nK!LFZgB(C;VVJjfqQ5 z#GK>rq|`T4{~{&TNSME`hA8ldPk$;-!5k56W>5%0<mTmrPFm}6lT!Vs#Kq!%9WTSC zQncXPF4d31OQ7)JKCnBC!n1z~CZ_P5Uxrb5?k~YoDLhYr;k6H;#z>{`;1~!e5rA2~ z@xoe}$E521no`R*U93m=JFFScf6kma(j1r`62q)1zSU%|e?lxZ4(tZH!KPB<Oz93w zHRHifpbIb6j5h;d6_`hAVE<BhMa=+9#4wqe8T`FmitA>%17`@m2{61?78qzR*gwG9 zx?nsETMItnA~0;h0}Oa#AVK)Be!qsxL{th<CL~9r!Oi%)d@B^xcWZwFBnEYWu^c*K z6b~5Q{lWLKxPH-6TI(L(W;?Lfue{Q}=9TvD{rC1k?*D*<>00|=>()PiAab7r3Af`1 znkXK6!c1YAJCi-sogum7)C(bBD6QTpq_|9q#AOLe1(|L2SFKb##xct<kw7Q{WNCet zfuCIou;y-f%>WYu40XeM6on8(PHJteeWya)fr$9p=l{nTm7c=M=5j)$g@qtLn{07e zDg=w{(P~vuiY!;9lximC6hJ(I-|L9WL~3>R#N1r1S}g;Uc!D9bC5723lG(CUxmqTX zqEnbcHV!H&q*@EzP;@8FF)}hq1wYhLDHXYK@LP+S=qn4&6d4KV3S~YDqXEs*-0U<- zp;iXN;jpvAf(39{F{w}~lO$xW9Ks-K1MDP~R9h&^j+II+jH1JIaaoEbR%VZuXh`%v z;3X<FWcCDE2|~}hdc^_LqzvpSypzjV4Hf{NmQtmbC^RxO9_X2AXUA$rL&S~m47jMD zh2M!OW@bOM@ERwV<<3k|<SQkGz-O=pE48fHGO1t&2wGbVjEf~82;>6&V%7QCla<9# zr&`b^E7u^N1X5On(9te=fiUnIr7M(DRfz@$M=0#ib3i}i9(Xd7WE$8YSeFSEmyvRn zk{fPb_W+cgts$k^B=DE5Q0A$!VNXG-Rb|<QAT@->q9R$5Mh0(TC|gD?L$+L^lora= zyzE?6QISfC(&8pfo{*Z5Bx3UjGu1(Wt5z#vlNN!1s)8hC>LL``^`0$5u?UP_o(=mL zXw1e+*arbcWu78mtCnReC7=Q&*{~m)O^uDIC?ti7Ih{>1<!psorNp}>g!pFK77S3r zQgAAyB&QH|F(Xj6T9yyffpIJ?d0J&I)+gkTXC=$kk}_+PxzhmPMNMXdiU1+h-&)I_ zrB&q4gf0L?y#Z=|D?oUH3MHT;NwFfhND~Y(KNu(k!|&4Y9xS+!9n20ki)XXVWTjb# z(oV$&<pL70-?D)v|I21CI#^O1HbNySR;yq`s6h*DQmtcKL8y|Eps`d`>d~O+AW^Ye zroo~b%}mzH)Ma9sI!~pBtz@n&P6a%|;JyA#Jwb~4c7vKt9f0Tu3{5EmnHFKAF<S?I zLq4>4g$4`WjGU;*QA^ZiagstXhv^LL?9Gdmg3WR)_8fD7+jv=yHa}mcwsLunqEAZH zq_#K#)G{5B7-Ba0v6KR)BQ#z#X@V%x>cd{^*#86kw@UzjPuSJxXuNfgVBH^Bjw@>H zX@XcK=AslA(}GyoXyD+IHIx-Rf))50oS}}6=@JFW!uD0j0=vd%nj&y?e?A&X0ElB0 zoSFbfqbicIW`g%*sq$C}p%X(KQ{}jm8qQiI#4;JH>kx)}b{@Vk{-2IrqzeD~v;;Vj zNiq2-M~YWga4-e5u-7#@euHr5NKN-Iu}ainCV)jrqZ12rFHy2)%rHA*@L!Tb7LL?_ ztWpjc;+T*Jf+#Gbq+y+5XFCgiH>-x=sDKb2#446(G^}Y^ltf6FzX~!n3kzQp;u!nt zJaJ!{f<lpi0CQ)`s3RmL4HdOZ2*TorwjwZeIE#`pFlNVm6?lFnD-XgIv|((eDsU*P zNCqKD3P0WjRF%@ac6lIsl|~lgNUes7iuN!&9x3l!4wj}^maE89$TUFAq95jCFST0{ zus|D%BxSH3j+SFCh>%sR0&ZAJZBY))4_3=e1XMvSp+bNLFRRA9;R#`}K!iXBrYp(8 z?$Qxvh4(a|kRT+A;}Qk1t(48i<UmPTprsbB)iQ9jN)`lNt&AeU0`CRKbQr*_Sd@5S z#lV4Uit)Muf4~wZ-A(@-JM~Y%l1Xyqc!^1gLaCt;HCkW{q>pI=M=#NORXZI?Ih^%7 z)gRa#Hf$IxAxS)OQflmkRMv!vsR?l+762V5Dp{5t1*|02A@eGO9Iy#!i;Goi&~O1> zugOY9X%Gu99v;uJ`y~YY9vhp3RwI*!AnKRe@MCP)q**BdIZc@|R}OJorPW~T!vu@8 zg`@%t>Q(;#R~YVoYZ8K;BmM<oOi%OOfj8VEyy`Hqzk2n-ecI#T{tTX4_#xA)?f<F& zl>`{n&$R>L_>F}Y1En{VQ_RQlZk=doB-Dyu1IOzDU-~M#A;T*TUkRhy*TCWT7M*`{ z(A9^AF#L2E!188>UxQk62HZn-YmZ2SyGl5(TOWKj7r}Y{)kiq8w5X5;{y_s?IogjM zLin-Z_D+S(J=$+_>geDIKbD4sO^l=vTuZcHnM~t1a)gVc5PY(%C<lxW2q-nte&9`_ zG;rW4l4yd96uD}ZMwLef!?rt0qA3cQ&Gy50fr>oXv8Qz(4M?$ALO6wKNW6FY7pZam zsD98ByrC8XP?@C;5F9sP6q!`4R?G&Y&zEUB8@o4)sJ%2yI}!Y2A*&GQ(S8z5f^xQM zrcCX}(kfze@wPSEFAvT~GQZGHGQ!Zm9z+=W5=+9+&bd+Dg&>h)xU$Sq6av?OKi!wm zu^25(2qneEg^FCDq*8YA)#?1;PfHS{(SCDf9D>c}g@p&R!+88)9yd2ESQ3^e3nqvN zsZ1v0O1XJNdH0$9i2^r_&5g*3lmv%KBY{F*jx;zz#*qd~I6NM~;e_QyawY$q0#Cxp z<3z}~!C~B-$Y36i#}3YsMCJxd`H@ndgeT$4xDo%H0y~c%&d&|!2S*Sxb})~_jSP+q z%gG6j;7W-+zLbzk!vBUsgp9}wm#{g(Ie9r;n1w7N80Hif%!|mAh7l5Wm?W~>EQF!2 zN>>>A(n6S*vK!LhFC=9JU3v>=E_@`06BOP&b!n&&%q(9lA?2|pIGS0EOHPu-QK6w0 z`wHo_uMprWG$kn^6qcDEY6*%~ntmfd^<=`(mnd4*C-ij;yk_1~S+Pth1(#s8FrgJf z##%f;m-<<KLIQLkv3ld9dbA%5#pU?1l#(K-Bw2k!h=tvdIO=E~90xlGwW?6#hdsjU zpH4r;4<YbBKm5m4*hE$8Saq%(_O-eA_!#Xs3|h1~U?1aUWvO7z;M(|MpfY?Oo5#z| z&0|aR{8)t&WxiIDZ$`How=nee^Xr0Bk^o6{%^sZURt699G?ap}As3-Z@Rookq6tt> zfP6H(<L5B*@eAz#?GOV!WvuQjas0p!xOplzP!&sN4}P2m^hl&e3Zz8&Kuv)Pkqjs+ zQ67S;3v?F(3Jop{t^ar^hq^vYL;V0A2RKC#pCo`^2HZ%X2A2)+h@nm*IkYPg3&v0Z zJrb1wh8i$fFp>&sp-l=95=O;%_=$mAb6O`K@qnvAxfFlJFX6pRAM=6f;#g(dt$!N8 z)Igz&J{N_+6=?`H2R?EFTs&8j!czh-h23WH@)+@OFOF}<;rf)e2>K;LpM0tZ9=#am zi=~(kbB1dXN-{6QSnvgwg*cQX*(jKLW5b;d>%S$d5a{>kal4N}0LCcbaU$?0gE@wP z9Pw)Xvz~0YpNfQAE;DxoVpF3`0If^-7y98@St;N(PXZ3{=5hoj=ZO~iU`@kvw(1(L znYBg(d}8g(1qp^w5|v_c!@C{GTMYeGpf6gg{jYQl;}et)yo~><CUn<>c<4g|>%zKe z<*Lg95ZsSp>q&)Htmhiw@nxNbuR0jvrN<VTM+k-zE?EEb{QoWi*yt~%!QCb?n>a?e zu|3&7?A7c~+1J=Vv6DI3oDH1KoV}d$oa>xBoS!&PIKOd*a-+GUxDU8Ao&zt47tV{} zP2x#;Yk0N1t-LRIU-NGBp7MU@F~U;9v|+vZzWfk=BtM3q#82U8@U!_c{!IQXehI&v zujA|a%lWJL@A2#STlgRIKjk0bALXCqf5E@R=ZEKntHR$5UlqP1{L}D;aC(Ge1UDi& zVoXFv#H@$|5nn_+j<Ao+j?_f1jr=I`XylVf=csW}DN)m-WKq>ohN!oq)<mt3s*l<p zwJU0W)X}I@QRkzsMBR+K8}%@%J&Go<6*voe30ML`5F-!^G6YKnD+Fr=8w8sK+XcG> z`vpe@rv&E(R|Gc%-wRp<zX)Ck7(xf3htO9@2*ZS#!W^Mos1%aIIl@ZeV&QV(YT<g} zCgF#|PlX4Cjlv7U%fjoz?}aYWKGE^f<D(0s=SDA#ek*!g^!L#ZqyLC@7~wUd--v-D zf=6&iWQ-^pQ86NH<n@uijs&NM4uL)nBW4hKVlD9@v5#mXt`Uz28+KpzK=u%JBs-2> z$KJvI2m2QL8QY!X%^^4`95y$ZJB|A$cL(<ow~Z_0iFo69S-e@i**rb3j(3FT6y_cl z78V^gE^JDeCTxCKPkulCAXp0xe-3{;$o&xiEdMh99>10UjNiehhuep{hI@wh4QGW9 z4i5_Fghzyr2#*gR7cLG@3(tg=k%ue8$?!Sh72%7*mxiwhUmLz590x97AGHzw>_E1Z zBj*%zO2gKM?Fri-b|vgu7(PsTLVGQ56YnG572Y*oGu}Y_=lM5Ffco2VIvo*JeV5ug z3|lmI(Q_A?9lf@yZ#jU<=rkJJjc~Dbn6YRqO~zo-;ZNj=Ok2m{wlpTKDx6MZ)=nT2 ziQe5HZiEAahH9Db(<>0cex)yy)tt5D((Uiloxi3f_x;-D@_<`;*}K2I9}#vW@p+0} zz3y&pm1iwc#driMy_P|z(dq8<-){MR-l+*0KaPL5<ce*F0MoQ^O0xleDh+HW!oij? znQ7}mpBl^dB0O-#-orT^pNrwvFHTY{V|x-kG1$(-DPF72k-!(K!a^A}JAgWR*rv)Q zC8Uh)OZ3BNP9C0S04q+WCgEn&eDq`wAbfE%!=sm_8Gl%T3xlF!d|?<DOZ4yU!sf6! z95z8cQ+vC>S%t$TI9%9}M@}WCcVl*Pigh?g56_e`xG;bnJu6P7h8sQVqzgns%)<@o zY{mn!QmiAU$kekHa3p}CS;4F^9HNTm*IhucV2mo78!Rx*kzPfkp<N$+nvgnvjZaU< zYXN0%`K1q2-P}L;M4V>k@uMN)slR(3pS>)O77(|m?mJPNao^lV@|@q*Ju4CYdD2fu z_w0-JpLsr8B)AlRA+D#Uca=f0XZRQI^#4fRZ*bDA0lV0@eovOrQ$E=KG$F{QRJ1u% zf8qW+_g^giE`4P5sTDWJwa?|=Epz<6Rl7KLo#`Ya`JL@o3pc*4ctbW+SABej=ZVv2 z1fJhCRJIOqA-`SW_u<*+zmxNZ+<QK*--0cT8-jN%`SF8$+lTZjmporPtH+`5#C79; z$olOE*DXOCx64?UudOzop0|0z*mzT)@8a!NI9-)5tjH=Tm5R>K7(GArn8&=6Wj~)e zHj570Nvp5?ji`K1Ev2t3vlr7d``xF?%yZ|+cdy(ke?0QW!^Db^TLj0}9u(ci#*Ri~ z4kr8wKWiO!+Py4CR8_8~I0UY8L3Qxql+rO@4;szHv?pw#fIk}~M#2*M4q!$Qe1ccY zsU;SLSUTsb3%m6VHEUFNg^G&}0US!7eFK=zgrk)MhCShmsk-5jm|!QiL?EvBU=Ab( zYyur-_W`S<6xAIQr1T}2L+~PkDVywOKa9#s#Bg|TdD-Iy8N~L-^3Q(z-of|a#46jY z@azvJZR}O^qt6P5c;(ZgmMQZH<FAUEK^mu?sxjMkMD}POw(Gr}eH)jxWUNLXUvN&^ zeUbfvede$^9pBCIO;6k^^L|hklM}F7+0+zXpc`nvEcVA+*V9M(mL$9}te5Td4<ZWu zde$fR(aqmWR59zp;tdvycm1+0;`EE7VM^w;g0=nnin}W`w)p>T8#3E4!H#&zhB=W| z8_xMJ*)UuinO9=?-`Oz!X##w@06XUWtsTFg>l7Kk|KOl4@d*cAO?9mj$CS5suD$Vb zklVPEO4A}?%49dM3(S$j|Jb&A_4Ol?GN);05*N+>p*e26->OH)hsPb;cul@%S<J*o z)e#4JoE-E-I;GW%qneOjw`1`p`qg3m&yT-zEB7D0^_*!tr@u3G>-s>kYwt&^Z%729 zWZy4)ra7$`)A8YsXL-?MJ}Oq<UvWSCy!(L@I_b(jhXX3^7{Bt{eDQPooVt>?r^y;0 z^(GI+E*f^zK5^-arEdjqD2X2+|9UG~a>I2R$B<^=9=@J?I$?d($&){Foxb|HzF(W+ z$n{Ut4T5i(Tju!f_TLfGRDANt1l?f!-<=L`oA{3X9rr->_VZ>tuA-%bq*4fHto)SO z(cwy<7p?_h)A%PQV^=|FtmXs;o=?b#Vb(ercz=tHlA2)3#!ECI8jFXf3_ZLPm%eCt z7p_Dh33&xIl+<W~b0xv~oRD0Znh;{<1~9`2F2Sx1tqtzp8#{!5(i>dCziQ>2Zq9A= zDMh{OIM4q7Nc?6}Zts!P`G;KY5d$zAgP7h#uZq`uzn7yd1Q8l473_Iy7)oqio<oF} z)-N1lr}EzYZNSaiD=Qh>7flG*_-+it=hlVq%f1*WxBX@>XHU`5wxGee+`9?VBA0uO z`L54xHiZ?=)Au^{VE66a4{ote&2l@xioCfu^V`GW1L8{Wm40?Ukjbjw{`2?~i-*4D zT5+jI$F0oS%8AomMWbVtE<1mWcz0LSHx9GhJABIaRLuQI(e}r>z0SRc|GZ$DL-c#o zzUy_?qY`csB3!l(T^@92ciYr$v`@U&1%)Q`yWw}R@kQy%<i<t2supLpM(;_kE8`9i znS0<S%fVw-OF^G$Um7<P=|TF0kq5q9aOUU;KY4D-yN4CzM<;!S3sy8Y9`d=y)Dl%T zcfn1av$&~Jzqq=T+kuV)e!G)-F)(pacQ@q(ZmPVSn@C7x_aZz&=CIXp0dK4(;Tn*Y zNJ>N4!-=67?&RSIzwLtSJXX9SUqQkL)~=lg1blD}u)|;vC5B*Rh6mmPn2B_u!QD73 zRtq0%@fQMWClUsG5k73g2qFx2BA{_yRYLo(v1b|4>F-Bm4<ZJdnd{rdTp?T>vbZes zPqpv{>F+iu*9rspp3=;+^OCjnjW(;251o$5JDZ-)d0SRH`QY(6w?BFD!{k6t{=MAL z<Bw$x$L^K<l(cE{;cpY|ze{_nNM!j-ckVg*&2N#a*1{-G&|SCO*3^$LJ^S#xnemsd zEAL6ef8RQ7<IEW~st+D)3)(9DU?&~XROdZwKRUbfhpm_2{XFdM{Cq{xPyS`^E}2KP zK8&)<4|IF_Xo)<sZSxm(a|XN2y!%4EZD#t3)^AVco$J_jwEg3;fp6VZ?XLgotjjtt zueRJ5-^2{=5mR^RMB|m6>p!j*=@pFB>$+PP$Hshnu<rY$0WtnRH#9HnIl7;H=!!>u zWRioPPpiwfh2*RVRV+sVC3CJ?9a|nqD(6p8o-*42Y_?Ya!(epozN2Zh*KR;?`~jB( zibf2n4X7QoXkfPuhz9GCMpH=Lt!wf$xe{v6k!Ph3zHursh48o5!8dwax>Js^dw+uH z#G)_qw_stH*c~YpydbFwrN$w<xv9K48_uuOEGkgc?)Yu#LGR`E5C6e@$xTggdfazY z%(TtD6>kt{dGff6u{)laH&-n4=E{~i*_VZgpe{#Fr}eTr@{*F0m)R&*!G(F*D@Mzx zf*qUFfRfftd+)8Vc{=82QnPtR-+gs!cYI#)&d>W-U-@m&gR{9dRrctUmFEUVru-v$ zt(?}-{4C|jlpbpjU*FN={>I0b2PK`$A6`0r+N$@))gMgcjkz<lZ1k8jCoc!?(Dpl? zd-&Hs4kmBeO@BKkW%``;ieF#wLfZNo3Y|tF{hcA9TdN)K|5QD=ZU5=ZJ1W=IhX+Oc zaAQqMz>YV2)%DB2=yme*Gw*$}bk?0mTN(^Ao*d1L^7?MN&t=n|_9<HW=S4krT+<2X z%r&{DT|M$D<6{~JH9YfKr5bXUM2o})m(SY{oJ+g5JYiLAu6?@g(fo%uT|degM(fw~ z&i&z97s(*z(n(*19GaUfUh)3M_e;rDx(&bVTb*%sM~`b8-rGOU`M5EXADH*xgW2Dl zFtNYeomHdoUove<x#5$qmL8hKcJqBRboJKJ@0RdCd?$4Bd6&;h8Fv?N^Ejt2nsfSD zN!k8!Usm_;KdwDwOvqGzOGt0i4Q)gDN_iqzJ3G$rQUywXW4_0+*2&|Zv}|PF*%}<R zZ^st>yj@$}{&+HYee3fW-?mL>+!KkL(u<!>>JfgXW7_1wNA!ntZ;xWmnlsVx<ibad z&u%oo`&&qH)hK?|qKcC{%IS03X1Jd9C05_?Y%?alBizkcHeCGto!p9ryPx(ua=>{c z@9fR1f7CC_bS<90(qkg0pJ~(bOzqQko2Hy0s%-m#uV+~Nykd)E>|(c>N97~J^S<74 zuk96;`FA-|yi4U195_`F@U;{BcXnjADlxB{e}|JMKF34kuy?kd2tT=0DcL;<cMPy| zb{Hjt-wLbYC%{$@?&#cCO#K#>l>%S2sV{S*;g^W;+j|HxRwTwhLn5l^e?EuO@i~+Z z=TNY*O`onk{h{s3_$eN}D&j70)}3=&TJUJWwcCA;jNZ%f>c8k-_FE!{$bDDS^7c2C z=Fs<NCRHErOMft-Y@K36GI?xjzU|!&<@_bS({8WWSsR(Y<-(Kd;M^zS=|7Y!>nHqS zpH{Tz(+}rleDQtE?mmyJ?nFKMRo}1WP(ys7@3_kc*Us7g#*FQ!r*54${MzsrX_J~` zYa>%yTHe^V@fJ;e%;vPfW=_B4pW?H6F>;Av%e-&Y&tBhm*~4#?hsXV)<9;*fQbXy` z%yTb9RnOm_`o@fO^2U6-jccoK^{wt1v^20GV%{d{*VzMIhQv%R>hsxvNk9Fttz-0f zUeq@+rp&^QhPf*z)D*8AA?98?qYb<q*?gThWA3gO8@-+;^&Q%l>U6BGdDBVBg4iCL zBi`?6_y>{7b`#v*vfd^vuud^>`KN=w$Sj&nv?lh<J9#%XRXun`=HPQ{*7~&{-Szp` zSF7^uW_<DMg_YU;jt!YL*jP@#KXFgs2lk=u!;@<+f5ni0?dfp1WKI0OkJ;7l?QdK+ zKKcjwz-#xz|Iu`Ha!p0y_xV0Y9*rIs(XaHI&D)s)YfHSU7{63-Gq1nto%LhnF(*6a zCXW+~?~ZKF8>^xnqbu6<2S3pW+uk1Zm0y4Vf!l4I*>4LPHZ%`Nxsq^lK+k(O?q^>4 zg5#HP;;rQ$wC%t6tp82vTc6dR`Eh=colg>Rgk}wM8z9WR`*N6ro%!E}Ieg#a>%qjk zeS9HfKE>ZyI<B~3%fx&9j#<?oi54u8?7o=%QUrNzh$*thEQoXxBKu#Abg$e0|3##u zLMr@^FS!s{NrI2r9l#7Ff{Ed^Lu-dD3i!)l42K5zX$sY^kQjvf^<?@GeLLgtpF$cT z#z-t?0x^cLx3$f$bcTC6LSXAeUD#EA7EYrx|1ZNM90Sf&xUCj%SN*s<;+ju$#Ix2U z)!fp6H=-C<cBJ$u@qEj9>WiL3FE*dZR8+XKKaM(KD_qasEPgWR#%CpjPil{Z6H}&N zUlSj5;o}YOTyS0;eBC2ICt}k6!5Lrf+kRmF_UyqgR=k~1JVQUit`|{seA}(b<F+^F z4SIXUIN|I)!m$Mpvb-zLhOHgE!e5`<Rw9Yr)9j-Xo$2SMWZcN46?0c7y;r&Rn+6uz z`Do*+J)(Oxal-Tw-ld}|inLp6#&ZnX)HeA9yXnhTX0_Z3`uVoUJ9)D^>YcXVMG4EJ zYb9X|Cnqo~4@9ph_MB7DtMA^MS7;kbHfWdVo+h5VI>Y_<QNQ$CJwKLRWs?ozVHzE_ zTb25Mll!N;zb-6wyQi(KTub!nyeV~Hu$?>iiEwXA_;jl|v0dQ=-F2($MFe%LIkWo{ zKDB+}w_q=SdG7pHNrZL{!({t0S*nQLS2Ermo4Mn7)2vG+S?jkfH8gwH4{UpIcR_CA zZ?fv{0TeDMnN@VOa`EK6J14#rd6lGXU*mW?pf2uljWR1BpyA2Hx`!`rWj&ZXzQ26d z$`?0c1^upknG`cob(?4()sx=m>RdnWxzqP2e8zv^skyh2HN|(?%9M^FkG^P{uk1B8 zzIeOt(EY)6&)TNO#>dsVye*hEr!IWl<hQGDd$U$=j=gkmQ{3ePM-Ct09vykm<;C3c z{v%2&%94t=U0CKcPaqh3@z-~+jJntU!H3FE_MQ)2SiSPb>|0-G-S%FbCv7>ud>zsH zbl%~yjI9gOKVN%K(Cgufmhrx8CiOS&-TK~=&xMM89_e!(OjjQ}uPi@cT0`$SR63XU zM{@m5w;4Tl53Uog*Y|pMY)?r{`Ax4F)4pFye+awz@QK~mUL7vif12;vZ&gOamal)w zocqPZuiqO|eC{i;WDuwF@v{9NGZxi5cs<%CDt~Xql;5S7GX_=-pDN{l_ras(pRTyP zyT|ye_IJ<R_KL3Y=(F+4v17>xefqcQpX~c%i0#PVZZ=NkJpcC8d2z*Cgv9<*_O18F zKaM?cf6<bRxvjjq>K{hDU_Xd`(`81Mf59kv@f$tf`|#8Gdm@8=OW@}^uh}(0ykN!n zE9DQr>(OF&=H`d;jXjf{=^wTRW_*>XaDFtfXKH1fxc-Xwsv)C123>e#&@VGTH28d9 zTh4y^Q}xZaR@Wb!yl;2kWtqaKcjnl}2>M5_d}!Oc);8jkpz7m4)>YA+U~gd8rAfBz zDq1@Phc;|x>i_LKKf3#$E*%|gZHBut=zVQaZ5H9(#TbL_)LF5kfgxGHMmX58-Cz?2 z_q?2Nf=7ghg-r#o-Py`y!$tG5<hlFTUTlo4iSU`ZOgY2tW7<z~e=-Len)+<nS;s++ z$6ChUyEZb}fu#{2$QyfN)k+`F5A4dnZP4X;4?A}4JCD5RwqDzP@BdOhVBPGu{ax0t zoHNyAcYA-2J6HHu9Xl?BXJ;KhUie_z<-xZDrW74yuM1s0c(gkHt7Ug*%J$qX9`ecK zUmhD(r`BBA{>|e(Jg1hPx7hEb9_}-VbKz~<HG5Y*+V#fR+Pv1P$AR;=4ACxVWd+*) z*rO?IgZOUD;0<9{Rvo9WQ-~^OckG@tZ^@JZvhRknjn}4a4j2+$zTmR~MH>clq^sY* zxK6)Y^zhQJTV2IBAMkdsnz2AIFZ0{2TlQWm$_qVptfz8Xtnd$qaW^-%uh^M(WXr>; LAJ}eY)NB6_;?EUN literal 0 HcmV?d00001 diff --git a/venv/Scripts/unicodedata.pyd b/venv/Scripts/unicodedata.pyd new file mode 100644 index 0000000000000000000000000000000000000000..adc3ffc8fba9732b9098468827e4795e33a26844 GIT binary patch literal 1065112 zcmeF)3w#XM<M{navLPa}i^MgEO5CDuQMV)nS#b*?Btnx&i6%jiWKk8wCY8-tm!edu zYthnDty}Ao2omb9?w6v}ra|K#s`mMu*<C{0U;F(&ujl{#UeD{9SKo8aoVlGjbLPyM znT>`Fnk_j<lB9y!EJ@o4#So~B|6yb&Nv?IibCtd=cew60yIzOu_K#0U@f?#p`rYK% zQJzC%lafZKdcG6qnXF6lOi1z!>J#QUYV@$UrWGnUds#RA)1|HvpX_L;viWfD_o^jK zXPs~4_^}fDI4)AcHyvjyVH3wWgsUzza$HDgx@=kQlO2szpDF2{%JQo&G_;0iRAT*A z7aA+m{St=8i+$OSEL1B=z3d#NZz}i>wxwN>?CX}db9I&4lX6R~B=__u&>&Qq)F^R# zNh+gEz6_;M7Gmo+eJV=!QXnP7v{>&&Xqoiv=PC^(bpqiGF}t}&s^%;r)}g*eT3Ca4 zphoI1cGBBb>TjF(7vVtW2bNAJpBnc5cSF<ExCyDuywZ-5$e%dY7o|d+!BdikG)*2B zn;I)gyUMv*j@_BCgEITYD3Dw>wJatzKg>>tu*^ZiZiJ-<mdk0HoRU10H04-1X32$# zN=gB}Sd!%en<mGN9L<8tu~P<;6SHgoX}QiXR{H-V|5XWWYxt%{lXvLFFhIU#)@c$Y zv(72e+}Cu;Y&OeI<}oV$0lU6t_l!_Uqu=Y1ne(25zQ7#Cddl)HiBdnY^oD<0T3Ozx z)r5*2xFnj{i)rFNuk<2!%KCDMQ~DE0swgG9_~ztZQ8_l>;-rbnlXLY~r{tQ-s<%u% zw%tjSdxcnr)0lG=h}xF1tgm$nsPn{L8ecE9#+&ga_EM^g-sGaIyUjO7lA`jqC04c< z!MZMD>dhFIOx5U3LsC_~IV4AfC<}cxQ3Qt$S#wgsH^-<7G^(`4*BmsZv*P))k`;$s z^;VU3%!%@vQj3YhqWtu?oQ&FM`PygV1cn;5C86<G`bip217&1(&r!<UEi)%|lB{(K zmvzq~<g^kdz0xPBLPxl2bT#Ebmk9GQ{a)4733gIyjqE^se{-s%dP`1`bA;Lby0QTk zC(S4Gk*?PAi%iGQ3u6z>&F)u}nNGerG12mks62BSdA}tVYIZNNtZ13`%@OneCcn4- zGQYjT&AJluYj$7%A`6Ykf`=swt6tB-iySDCml;qdOYQ%9j{a8L@Caj&SF3zjiY>^? zKQzANFY_^)a+6cNTFH~V+EQ*!Y~@z()pBcQDYpugn}MxefKq-YOXe>*7KgZME*1WC z<<Z`tiEmyy`?4@MzJ4UH7bd6pl82Ys{g$P)Ewhzc&H3-k*$<6ZiEW7U?bKIXV=iQL ztUTaZ`ctK*Q}>E$%X^gSoh9m&yhnd!O77LN4h2-K5NpK>S8r*h)IbiH^*w9{TA2gw zr&N&aKs&02gL+G`xz%RVuMQfs`zp)fl`iC0uQyBnG=I+D#Q!RP_qakV`SZ5r&*Me@ zL<QEVd><8+%a&edG`@oB?=t$L{5=1hzY+gc{_eiW-(QrUdP|_)<Fhq$>J^8-xISJf zxfl6q@~8Z$Gp12h|EoORe~~9&TbVU}wahB|K6))j*?|t$5`1lj^-8jw<QMsE`=|V- zzW-n4^}&n0*0<%g)~k6H=hrzqQ1$WzANt!9O#aeuxzLwbPOn1ayU(C~CTm@c#s|;M zX4*lgzVW@tIBms?%SN5y$>QPiX0b@7Ikk2A6iYMtrX1`N{-T-G)sD~ON_$!VW8{!$ zzK2aW>T-@~>C#zSBaN>u@7Mn_CAUP}R^p2s#BIf4zi7)%WVy(mX1`Tt&T$uwTqaCD zOUsd4<RrUf2HvsP$WM$BcC)j~2502xp7=a9W<C>H?i*?v+ES9l1%4rQplt3*4$JM& z2oN(pgZ2AWhRr2JjhjV+oGIcCkIl`uNgPvr0f*|7AIkY$s9dxfV{g0cGF_D&+;w;^ zE30N+nDT{nXB5j~ON%o&+Io0ptcNEKHplmHjOn4L<#?^vJmqb<ABBrMk?*6>__vjc z@!Gveow1V)(YEU+J4w27;<lk&2J(QC?Z;R_-V<j0L^RCV)!J9r)yTMzS}A*=UHeEo zovS{_UY~29aY1*THqEhSj=sPyA~Q$VoRcY^4o$R^kD6{)79~Uzrp~O%ZbIeLByOTJ z$t_MUjv1`%YWt7Me*V=C*nUf8`-yhS4nBCfgYU>BX<`qdukYdFf3yc5%MpaKrTVt* z>!K~0e^~a_%x}BGrj5hAq-^K*PL$69%BP22`);Cq_SjQI83#(057}>P&A!-rK_zSP zq?T9i*Ov0I9)$ebo-FrT6T2&YyMGij*m}lFwe=#ZTyNsR;qR_Dqp_GenV%`HE^&hU z#*Y-+)`@HIMOQ_gF`Ze~YtX3F;zTK4)ZtL`X0d*RN$)NWf^LnjBRA3pmTXD`Ud?8X zt=jgfZK<V7MYC3AKWmz0`|RF!C$rA4X`TO~sykZ~N*}UP-(5tfOSubAP>$urU06dE z%vj2y$l4Oo^9m4$Fxg|dik2f@^QX*;b|cZw81kSm*C<`vrPXZ5SW8(YJl@l~&RONM zr2lHUYC;|u)1~Ld=78;NfBYLpRd;i%Ow-^{wNaIMiy$=7-t4}^vW~I_eenm%q)M55 z*`&vd9--NNn`I`YYnPWF==6Zy<_EfL)QCV+OknHsbNu1*z03pjCf~F5COegCCSUDM z((=6QP1aZL;<_4t)1i!}Hz_fSHfWuq%-*6iNx^3x&{g}J?q8nSPR_OE%XW^$`4Rm+ ze@iZ#*m7A<ekGTG*>@wif7y3ya_Ouk>(-9wpSo{KnUZ;NK40s)DQULM5r)fmBmSd4 zntF@B(nZUBME`8ErN}GGU0?5?m6%)Ye5HRD6Ri|Yc!d1qKipp{t>|*SekZi_2bKPo zyYC}<gRgY5*xTQBz^pm36vBU%AJN4kKXq((<|^EoE%~wZuVUz6?T^ljp^19EKKxhv z6Wu5F*TA;F+AsE}9KT}>*I}O0U*Zm~vlov*w*CHB`x9Lt_SeR?zoxJ5&r;s6^m#;i z|80lpWp1qPv(qc>v*pTo%XVcndF9H`)q1U)W9j9XX_@|S^l~Cz>*oALFDI>$X!}Gj zC;b0JABV%D$3TZ>aJ1<S>%oZ{YH8m@Pci+uc#=x-psn+;l~v_e%Sz>Yf~PE{!>7DQ z5FI{4S!<WiP3iK<T8*Kq>^5KN^Bv4BbTXGUIME|jZ#ftfZEzB=1YQ}~fBLNq?jWV^ zr+W+`Q^O(*+Eu=0InYTyYtYWqmpD&$33zBWPnqIm9Ozu+VDyj-Q5osK^Kzt)dU{_+ zNiwRIuo-Tk?gccZvUuD#3|N+VLY?8uT$!yM2={$t2w5wKY77GwKHB4%T1DRD6-bp9 zPb~T?5A-=+cG^`%W#m9Fb}kQC)-Gh8dgdf5ld-FvL7OFO7kYX4t90eqn0kw<d6By% zh2vYLD?_JuOp$}E+Gq&cxn7@dr_N}_nufI5M(z4O2ID008mHAZqiUN$J464wLz=g& z&CusL>vNn9+Kk*Q_M!dE?%$GgOUEwbcd@c|nehXuzu6qH(npfi)7Nr*>H9^(wz*#2 zKYV;gUu5raI`^qcrljjQ95kv9iz4vJm5;DNpMq@-zDgba_)dE6nu?N?`_#!0GQ+y0 zJYcOMWHvWdX2>DS45~Q^+S$E$Un_^K^(nS)-Ql#Xn<2KoCw)(>*n+8!!ybyo5R|Q= zi%L<ZKNnk0?J8%A!|Q46=3q#j#%|UY`O4a<qH|yrS+=}~QD;tNLJrhe9x`|UA0v~Y zwAltb_R4lM&FaiUbbe%ty4X)UPdy`pslNRZRhFB(S+`6sF{I5iyU$a~i8e%?aYJk~ zSR)tb-m%yJQg*GUB}tsuV~@|*JfXk#K)=V!;Y{HPv7mOUrJ5&;s@&oAcL1fHeymm9 z@<Kt>b9p~+6L_Z}UMRSQh^HG_rPOj`KRdaAN<>}f(&1?*wTwQ^NlI;;c|e^}k76;Z zoQ?G3cnC6fm*mdRjQyU8DiW+Ow9^$A+KGCh9KNAdb|;FiXQAjia;&z)<mfkYywSA6 zgDtI7tQ&{Iy;qL#(m%J;@g~c;$VLC$p4e9BB751{`qoXn74azb-tVtowq<*0#qDMr z)s6bLs$H;?dggCT7$@3sl{_A>P(Dhgth*^!<SKSUU3ckBU3Z!GpX^Ab>?ljSG~<Fg zBZ*yPP(Owfwm+->AevCtu658Z<a&?F68kHo-r`cWNF#PwR=u@XXZs?R+-sUjey;z` zE;U??8i>W5=`q+FCQVZny(1QNR&Vw1tW1W<{?n9553yKzvDk3KBsSAtELUDEXPIuy zf|i)4b-y0=FAmg09H_^%thep$<ftsm&NX7^js}-$MdgMYL`h`1*mujkFnO?bb^n*E z`-|26r={~OzzbQG?*UH8QT@#+xrID28<Z2mORA$3sO2S<OZRM-5OG3y<Z<B~v=3RT zo?b|W5Sy+{38}X@nb!PDt(s`Z6JwE&9I{FrPDQrR!!+~dj7qXgwrTRqY5VN6a>zVd zDzkQNASc?dlM~fWJ>v~=!KKZMmh*Y!QJ(M}czhDI%Tnz`T274b;lZXN(N>WDdiyOq z)2>EP_iKx1uswcHlHJw2162;WekJ27b(LN28C7(kbvI*pB~E`=y*ub$8J}E-{1_%I z&r?&Wd!^cc-r`31nnMj~3r&}vkh=oWl!s)9>*)xeVB}63n$WeLsg=b=Ui|oS%}4rQ z9_aUbIozeJ$9l<~oDAB<0bE1e8T70m8du9*L2O7nPqa%TNcTPAd%!SYm9Z0z`&wDM z*snlsyu-&n-xHbU$?lft^LD-Fuea3J&VFYm-IWK-;GQ9F0@P0b7DW}6DJOA7`1clP zdZux@^c!cZq>_4ih*GB)x8tO-4>E39lM^4*!mg;YbyeziP;XJUgJ!A%L^G?N=JxLv z9w!!_ep9q-|F~tncCC1=Fyf56!!e`k6zfPndyM{>!?vF>`-Ln{<6UK`BU8O{WGZoF zs+j?ztxxW2-51CI*GuKG)OeqNSSmd~@{ZZu$)SYWC=XaAYv&pKXLpv<7IHoc$BHT$ zv~z7AL(u&7otRBcC=4gjH-|go@*$&KsQ_zfXj|uNXNx28D@l%%wX@Z`rw(JDgLbW7 ziL6~Vt~2#~S?(1FgLbw&^~GAc<J3d$=ElA>aI-mVeTi8YATl8?kJ$$QIU*l&LE+Uu z%x3j&)xP0u(}$)hzvuu<aVA;t<x=0X6!$QZwW;Eu4QXpFwc{^KhbxT>)}Wdtr>*r% zTdX#IOZH!um0O$AHOg%=<?goY-#^aCAyfH$!iiB@S`MCzQoQKy=U0%{L9XCAk~f5A z(i-~a_#IEKLwR|T#D#inT!&zz>JL$ta+X+(>-7>v$huX?DTfx!aZy$x&og?7Tb3v< z<%|_>e<sSw|Bw2t=kvtjsorc(&Ep=Pd&SX*Vs;4@cOZw{5_|Dla9Ng$Pdw?ef98;l z6~sfp$D(I;LMhU8Ib<O%oFT}#o*Uu9K)HhLq#a0|#jVVN`zNhShV49y2BvOjYi*XZ z#KKCxUuLbgk~P&S<rLE7aN0TB>WmKJ2-4OTHYW5trmJJtSvwV?PqtUZ_XnjVe8R_9 z<vtsdp|>;Z)N&_PUpcUv`4~sfVw}u=5w^}rgj{U9VbfQzZDFf*3%0gY*^bML?TC$7 z+t+B5Y+d&C_O<VRtyv1=DMqxh6|7xzb;e$CvO+}P`tdnAT2u3Y{;JB-k+pXy*ywQL zitm9e?ej-@o~iC~-s|0=)6}eRFL|;PEnTvlXB=y1Yt&qvse*Y-DUF&-4;FOE{<pXJ z>`~9DfY~le{mW>geaMYWSDRazW7`n(c=xOjvwXzw@uZnC(Mo?~uqfP^Xwk2+-B*<7 z5uFoH@yeT1C(8%7s65+S(|`LqvypgHDqdQCPrG4#SL#Z$YI)uG0k;*(ez3R&S>KZy zS9yu*|8KYNqr52<I~eqG2Vb%Q>u$YD@4@n(RH?uJcKcqTmYhDLc~P>j3$rBraPMW- zmA9n-_6=#XL_5nCKDTW$Re3M16oNI^Nu@Ua*DpqMl*M0GQO;Li-T~zLnt8U;KFd5Y zxlNc{tC;?(<^D-yRAz*^8C|(*4o~EKZ%W9VT0YlQ&9@}|CRZPwzGq$i?oB!~m=4J6 zFOS#_HLn$S9lmI9=EL&1D5iT`rhntT<G2t}Gwqf6r&rrc;{upoW0`KXmFYLrp9B($ z^=oZox>ouVPeL)h{0P$(jOn2*{xAo0ti?^Mj8ZA{d~-^5aX7v(Im#tGBK>#e@wlEo zt(v6s5>slincsi3BdlQ5zkEGeL8;MEd6qOTQ7+qNwkPWPudR7fd8Ik-5D(g6FTTB` z?quDUkA1bNx5jUj$3Dvg9glZUo#dyvztwSgnvgFZ+j!Pfo(Kz-z~Q)fYCE4>RL9}` z<2!%(geaa5i}h)4H4Qo!^^6{(J=AHIZ|g5<3}u$@5J6Yf@*E{}TE15aU6vIPW_8u* z_tS(=k)QJ+XUs7^?Hu=cl5NjpP*zY?Gv8Y7b7#%A>!f^j;gNK(!(A3k6$?K99~Pw@ z^Et?(q5)y~3IDX=m@HKb<$OgC=0WHO(@APIw<~Xs$wNKkJub?y_(SBEH}9r3m&G;X zqAVVxET5Naa#C-}@^mbx$-PP}&!Ir}Fb0N8noJ%}{8(Gox$)LGO{3l-dsZo@Nq@43 zs+(M0y=87)F`3(eB4bsD<J&2Isi>@cT)dl>9L|x63V!?5vmTM5{i?Q}fxHb_#`muD zJ<U^HHQCNnpG-}0V*%qS7U-Pi(l$^@OTH!2a!F(I>J*Vawf$7xR9jPN?RP8hOJ04y z6&4<mXs3KUu)gW<*Vm+FJIdFC)F?TP*XT6!ZR98?qfvY?^Ep@KWNq$d%kIjxs(cx9 zDCRQtRc~>tsNUu3cU<>IpkMx^%f2~nGXlhFG12OIwkOb^#48orY|Gs%T09;cvL?N3 z8$^u!@`gA}K5qyqp;MplK(U$IrMXP*%bTKbUf+uvBtBX?$#;$6d=IpKuDj>wJGpvz zUw$BAcAud<?eoQ7SC;qE246#48jWCmjtlGgrMXPX)BBmDb!GDDx=RvIF}8b&ZT~!t z>nfK1fWUJxmuI>p-8BcC<gAS^E4vtvT{xsRI4gCe)H9Bfe+_rvw?r;@Pv(-Si5Hhi zg!#1cD+G1s*X&h%49wS-h=VhZ*W_y-h*)CfP~!l8xKb=8<Rd2WVaGxD%&2|9&BI;H zBk_VQu{hB_(Zia!pF}yNM8DTd|Ag+!Ch{l`c%Xkue6@&273+T|zDUHi&wTP7_WNly z>db7WM;vgEi7xdj$Wh|ek<mpjYuyGLoRq^81(aAN-c;%+ba7n%z6bPos_65p=%1@n z%jusxsx#ZML0-f+&aT=!_o~X+`IvvX@s9f3V@0mU&b$2`)zho7fIjztde@#{hXTG+ zoi_D+Dy~Cy25%F|n;Vx~slCck8sA4eUR{{%YpsCXAKJ?mL>(OQNZciyXae?^x=R$N z|3cwOo&8Qu`cdBh_?UVt9qk9QDzo_(74@cA>}syq6+NM2VG*W_^!SwfWok9Eu9_TD zEDvxqJyxy;x^+t3;7yLn!IzKJ#bnrVm-tL4YafWO)@-_1_E0v>d)bcS`y<VV*!0N= z(=^+bb<G?eiLc+>e#)djdXrCHvbOk7tLyf?=-4Q?jMBG=ao1_zOI1FPC8F{vrDdq5 zoT3+%_%E(^KD0Smu5{ZsLoWFKN`HgbOu7J$s{Y@7F0}M(>xvhBR07LqX{D>{YE7~> zA(oGYEKM)T_i(gHyb)5aEAqoNNN3dYsjtT0ed<#_^bK(87aHEzv`r~Fk++(E`<YKP zB~GQUQP2PRBcJ$g79zfziO+ncnw;g!m=2GBNLvtJlH#ga*<bnIcZgKESX7KhI{WCn zh<FoU{NgkCn#o77ADL-(6dwlVfW5?(Z-nv1ED>%#^U4Q9e%Y5=H#Gj4nDv*R4b5k0 z6gVwT+)3iIX!XtRYuTdGQlz?s#(R;@MwwPV-k80`&oa#3;^zuxZ%K(iQ{v)tpylAq z-r`qLW^a=+7M~Z*-r`qjX797gSjoNjF(oc?Z}t`kYxWlVHG7LUrDpGq%2<4UHhYWD zq-O7J%J^Glyj~d>DC1SiSo|u&uY&kR$vvI@y}WycGUch9dVUHhrTXekcB!6XR8fo^ zeRBefnwwVf6VxI{6F+#6)cmxLhbnHqP9{D!NRhn8OVdc|`8mu9HQ7^}BBS=WNVKI3 z`?_jO;T7mOOQw^o8Y$ii9%miXLB7;yX@CC4E-UJ$KJJ;M4{+hPn36j4d*<dliV3zO znanJgk&_x?5)WIZY<>)ETFEHhQ+$N>U}Q?*H_DNb)W1fiHI{`v<Ex3eZep%hnQPgg zxR<xQzz+GjA(yz>6hH#M#pq&6<j2R<pbk=Mop4iya!N*1-Ndgn?Kw)hwS2_vu3>ZL z(`LtwjWiljChF{{n`Yh5rg*V9{Yulf<S;L>tf?LwJCx`WzfBx`B#Fz#Dw#QxW4o;s zG1CzaAWM7w<zd_FdYdxHyJ-uzS<{p9G`rqPao94-&jlz#QQ%d@-YCXYIxvAn6-{GU z&8)j_x+Y3j<f5rH7fV?15U1d*$i+!E$=xlJ$J}-SA`er_`sNghM<$U8w&Yim>Z~{0 zr#jMz7is0U0y$Wsq75}@uNQfQMTl~EQ3`UgL3cg#kvd}!8B^w&lvgFT<aIBSx9}=X zSz2$l)3suI&BH>)aePX8nDRS;X|&(V#r_Q1D_nuxj>WDDtOY*c3a=3y_1szqS@sjg z;?~`#23s=9Rvo$)wfR#Xi@fBJTQWc0Z605~9VgH7n^JauonqGSt(GUpnRu|#UAGpq zyx&yJxy$2Ppi3aKB#vK{b7gU-I3j+bsB^N_glJL6Sv0CJhbEASKFx*K^``f@nqKZ| zA{C7W!MZHx&|M`iLa~`vMB>Y-q#Uz*L!!LJY)%j*cAtLBi>)M9HT}Zbq);3a?IRC2 zTDh&UMq{Y(tr)v+6ysX!#rUnYVjQrF@$eb$$CRMLUL~ltObHwpD}nbyC3tfl!Qxqt z1q8BITDe0BRV#A{jasLbhs1QIxY_1AIuW<yF1TFGT)CI3lkd2VvB-D6;|^ltGR=1^ zu*MQq14raY`BM)uEv`4qw5&8YhF*>(Oy^#a<O(X9A2A&tL@}GLQcB_u#GxlTnZ$b5 zV(_pO!%x&-Q4HKh{!bUfb&BCXJ9si_$P&kIIX1_a$CiG}({eoO|M!mP%0C_t^;jC` zEShwkN+0JUG3`2z&bdoBgVu#0aHTle))Q+xR?&{|oTPomYgvAz_{>l1lEN3%XY?}U z0UF*i8C)`tv0BkZOR4-uHmqk{f6GlD_dufOtdA=ZpLjjE3}k+Pr+vV-%<i5{wh$37 zOT?(X#X^#@P_dB?j`o(X_L*<4*qo)Jg-7h}{Y&8YyTo7h_#I7EWggMhH+?Aj=>>jA zb!E5rVP=slsm>KD28&M!n(_q(rHVd29%E4IX0)h_$`xHnA0V0n@k2jx)mCG_GzsE@ zjz8N(Lm$A6lsqMF+OD+1+f1bAnLa(r4!f!JPAWq;l}Wr0QKsyf5*t^(iO2=MS||P0 zIwuR13a_N;uhdEOjPxm>D|WJg&)Zxn%1ox^5ErqesT2DNHNCIwjZG<?wr>97>t!c5 zW8Z2H^rSnL8ByHO;hx{=)atC|*TW^*S?=uQ(AmYWAlXH~r=j0z-LL%egCg5g^rWyg zo3d<(%dGzPkU^3(yq%NILl#?2ZzujxNT=Rbo@;%0yH3?~s*QG0c`bR)8n#^Y0P@03 z-*6vdRZmO8E)Dl@IaF1o@;jDFamfdZ)nB`Ek1lS>k4-k(Mdz8OSym`(x=3SORLzvc zbf{@9WA5dt4lQ%?Ov{<rXqQLd;TSu~$cdzjk!PwzR(buPEK$Z1FKZHiAyaglg-wrG z$#mDUCP!qdL6jX=SI(u<j)%C3JCN=E!d>2jhY3?dmWzy}Yzw(NlLMFdV$PzenMlqv zeXeXpozap|WauN2TsWIC`w(A*b!GQEx`|GU$wl156PZIMRicbcQI-j3)*CF=D=HMl zCsw@WGBv<S^m|gvZnP`R;wVM`pNBF>@kMZoDaw+U`rL=!u;gbhDWbEZj(;YymtmPq z?b<S@sHakUjJgLA)S%rW_ewS5gNUsf@o;6(mT*yh_St8<#rl>6R<WeT>~|EovEu}Z ziz(636u}ukl;{*+B6<-<8ZU93Z?jYnj#JX;qL%Z=VVd-9VnV4Vy|!DbNftFjqw7H3 z+%D$%<c9V&g>v&2eKkJrPVkZ@)wSMuH`*1|k+rvE$@f5dTQ-}co|nt7;kZ3p7igJd z3TNk{%uL-`fGwz}ic&A<o3mZiwds}uof;s{fs|TiDs7mq5~tZz$l@ZrN*EbwEqL3t z=O{{v%Z~+47Kl$pWlcdWS5)3o*iFPbkIzQd%z1pQ9zWzOec3vS@>8x{v0j;|!itt1 zS<cHnx;LUWkzuiO0~fz#J7>G`XEa`9Qp~d4=EJzpKWBLk%5sBCbTH*o?)fUOL);3D z%AGioizAkW=t~$fXHbj=W0n}t&k*A!Q^k1mBr)DOf${Je^H(W>aiJ0{NmYW(F-q{+ zNG13(o?!8;%*6z<R%OVXN5m*1%ZTJF`xW<oIq+Fxs3CK<GIy=W$r(-tYmk|I?OHmg zf%)3?q90(;e#>=5dzdI02bv#WF!I4iTVgqa8W*T!&-w5yIzZw#r<NWNb=ieJxDy9` zh%H1a568;25tJBY)b0?wix(AdFF#b>!AdTy{z%J{37=)Pw~8DRod=4_%8OmmyK-VK z1=;FF6V|wN6ISbG6IMz8UaIRj7yWh<dzDfhXgg?g;%j%Mccx@foFLKUO6hHfri{9x z^VUz$IOyugfo=hwj&rN0)(ogC0=IxSL{K3>3jCNn@$zYpN-}B4@gco;HBlS$!oqiD zas7NRMt=8Gsz=Bj=+rvPN3Ctp8GiZhcR#t1R~Ta1*<x8S`ln?N#n%j$G{ekqi6fAM zyflW9UK%5OuJGDWspH%?efNbL;!NU?k(9r)5)VG&oM?-OtrY9s<Jr7;7<WI0$Qa98 zl)m>Y6_>V=uBzzt#y@RKXI0#aOjkM4be^N~UKG%ayA!=Oxq^63^36$q(t*5*23wp< zZx2xr`deOMz8AWbtEFK(iO!~S)Nb*LXQbF-Trtlf`U+x}JwN7(Fw_$37}G9>saMGN z2OG*7#;Xi{ocO38K_}#*oOYeYEB$d&YTQU!YkDgoDXu$*C2Oy|6&#nOqpER}wybK5 zx@d6V;0-CN^7-Xy|9UzZ!d!G+*ot>?N3%L0rwo5MRxe;k8UEPKBVddO+yg?(I7q3k zBodS*(Sg^Da)2j!(jT=mC=q^4W=TkUK+lK#Je$-qvFt$K1Ap4DWtVc)mB)E}&|tgz zqxRNqIPktNCi-()NGWx=<@i<kj^fxwH<)zEDYdr<G^xS92h?`Q4BA_U0mY)Z3@O%M zDWfkbqiecc6q~-l$+9AKPg*Hb#P`8U`T|c&GVPNk+4@P20^+J^=jg_g;zXIfyK(WD zy#tkTkTRa3j5Cz+BxO878K)}aG0J$PGLBcq!<2ETG9IFg-&V#0m2rP%ES`JJ-l7#S zdy5Ajv$uHeF?%;r#-d+m_V!Z7p2}Es2hHB1-(~g|eJ!)MXkpCWq9NcN3uCU`(*MyE zn7#c;=Yapm;ru{XX#zfsbd{!JB*M`io^Zwk=6{4;_yTW34Bs+ueYmT%1v4Oq)e)}J zEnLGP>_Rq@&<ic$iApE~G2F7Qd(9etI>1$G+}~9i!gN2h$4t`P2-g#;2p<rh#V!m( zW6~xP_D5^fM<qzO&bAI=3sxW-6A+DFXb(4tL0qy*<UbgRhe7d>*d>X-CD&mjQY9&b z>5!p_<IlH;f%M*^C23F!hz}YgNnM!VWjILd!n|IiKp0ATDC>lh9?JTm31GQU=7q6L z81utMK&(Svd-c<zkJOKNCldPg(xQ(P8q`(N_Ld}V82U4hco*Wm!$PFa#5=P*lTrku zK1}!O*PZpcOI^ddvo0a?x{3Md9n1P6gn!cL&dG7HBRYuq(9xsD#HNa<<e#D&6PMgU z@*kcYJ2W+6bP}ngy`wBQd~}jn%717=^3aiSmgUDM3==W`adFA12}5H?ig?OcU2L*- zenQIVk+G?9!$kV<ge0+me?n41YJ#$;<UcBIm^I3Jqhd#j`AM<K$)m?B+wU@|Py1nU zLlc-IDe;7N6F4<WJV`eyE;(VS)TRAU_VDiL<o8H#|4zcNgyc9S?_!<y9NatXFzH?5 zqY~I~avbNSOZ&Lkl+>8ml!Vx%7>*$|UZk-niehvM*&CfCr3`4FG&-3*CrsoFTK5?{ zN{Oe`Yd>=I=n*=qfTT-G5Pv-%LlLBi^~ArL5bJ5nwPc%Ca&DPt&AI2$_*hZQamkW* z^Hu}JK6-cUf}UM0@gNZo67htjapYr|r!7OVB8Q&C$(|$yGe4M7CoT6sPOw-Zl8IpI zL=Y3&J|L}k59+d*M?!BZMI?!xsX)w@B3Q2%+X!Qw2-fYzf_<3Zi}|c3MY0fosVDVd zVgS><sEZ<#5p1hhs3i4N;-s@(W=Rp<sq2K1EUZOm){P{M|D@jRr(37q!2^1EhDG-3 z)v0qYttZJ+mmWPm2lVdVwYxURvwM)XPjJ6Zq21o}R?6kC=ZUiQOwkRE_e`>$7ZG}< zjvnnfax`aLoSR{BRJ*ugFUwk4*0X_kN(1KG&eAYzy|UG*mo-X~Uae7*^s+`t(#skp zNq??U%JxguDDrE~r>*kX&S#vG*My<`^BSTqH673;NYpFawA7+S)8<W^Q}(3$Hf<@Q zl5Xg*7~hzdF-rX9vQ2eElj37j;$ymW3Khl8a<5K{wEr!G9T{-|4}nrS@K#B31wYc0 zD#IN-g-JERZy=;PsEc|K=dTf(peaN-v_vbkMq9Lp_@_TaV-g6_UW#i$w27k5indU+ zx#1X$ArR*x0ZB-~1WZCYK0r2RVICG@307b=)?p*Qg?MP(g*+7CFpl9zoWTWL#x?wc zA{65x_}Pf`91awa_?#~Ogtj88pa$x|3k~rmTB0@l5QrdjM{k5-Afgb9VTi~7h9QxB zBq0Uk@E*ipG)%!XWMVqRr{mdJh)=K-E3gV{@CClaMtqB{_zvRFTz6v+3UCZ(a2Yr7 zEAHYkp2N|evW6R~Lwt&Cgyv|AKy*VNL?8ykFcK+v4^uH6GcgAX@F`Yd9X3JyDq|P+ zK|CU#z&TvOP5g!jcm@?0NO@F7P1HkUv_yM!L@;`zKL+C+Bw!?xAztZE!3Pj8LFVCO zEXP`Gz!vPpUi^R)IESk!#9cgror-G}6;U0YXn<yDgN_JBA4DJq?_xB@V+y8Y78YPB z)?fp+VmI<3eoTD|mv95O@eqH&(NU5rz#X+v4-N4q-a-Jh2thwYVhG|f1`{w927HK* zu?%bQ6~t$(UD%H!IETyl8NcE#N?=AA8m|hdgsP|wZ@h`O5CAQDAq;~t6eEy=_o0Uj z@p9}Fh%ba+;A?EdZtTZl{D=$q8AZ5<Cy>hWAJnLdI%oj#0<bj#phXA<K)lo&iUf?t zIHW<m*PM<Sn2SXaFEYiO&5hWG-Pi~55%efd;}Wi;5O;7NPhsao8wNG1pccH*3~kT> zTJ%64gd+;E7>*Gbg9%7S7G_}~mSQ#5VH3pb>m20c2*fAb^SFva+`)a6z@8gU8MvSl zs-ZUO!xw%CL=W^qe?(&_5-}F<Astzmg^wV<Tdu*^_zrnEj5D~3BHYFAaCD|zP#tyA z2+h$39TAK^h(I*rFdFY69R|$7M_7i>upZxF8+KwJ4&w~2!i3*Y0y}QF<xmkdP!CP; z7CNFk`e88QFdE}A1zDJbMOcY1u@$?Kk7GE8Ybe44`~iCx>M7Kyin?e7@!i)K?a>L{ z&<7ESK>||1i&1GhW@0{;;&XhB?a0Le9LHJw1o0K}7VhII>?%l-Gu%)c-e`iBXoC*W zq8Gw22yqyVaY#c3_*x^)!ADqvl~{|7*oNKMhl4nd)3}72D8>_r4o?}lpdzZF4(j7g zv_d;{Krs41Ji<p|7)E0pCSy8`n2V3G44+{gwqQ33a13X04L5NI5AhUb)SMesMQt=d z6SP2EbVOH#APjF~7{t#Q#$r6CU^<MLi;uAkYw;DfU?=wA0FL7VuAvb3@f3C%?tQ3) z>hMH;G(l^0K{xb4e+)!4-bE5pFaeX0j_Hsw2Me$SE3pn6u^HcCH})YPhj0w1aS_*W z6L;_szr&smt1~L0Dm>r`Z!|z7G(l6eKx_D+6S|@Y`k+6eFck4fLJHnPIt(yk4nD$S ztiW1)g>Ud3_TV6n;uJ38XZ(u0c!;MkL&YCdm4hoP!VOhX1GV4@FEm6`v_Nb4qcgPV zfl&0vAPm89jKo-s!~2+w3>YvIA7TNPU?o=L3w(u5*o<x1iCl<(JL3>e;507c3a-P1 z+qj1(Fry3)5iY2NYN&}isD}pdL36x?b_hTh1fwTH5stx#MI1(AEXLt|OojLtNenRJ zLoC2Dtj0QQz_-|joyf&L9K;d)h;z7%pJBpn+(QYTL*+&tgBtFriMpr{AGAa}1fUCg zz&7+H-XBpIj<L|;^<g4uX_$s=%)$aJg&5XY!wrO6u^R_*6hGn|F5_pIa2xmV7|&qG z16>)EhX(Gb0Ws7e^g<&vg)iD70G-hT{V)jcAQ8z(!!%6C49vkt_yo)F8NR><e2eYa zg*+7CFizksF5wz(;uh}W5q^h574nVBsEK-Lh$d)`Ht2+&=z}msAPU0}k5L$lahQlH z&?5^*e24{DjOAF3b=Zi__zt_V7YA?zCvX}UaRoO}g!?GLA5c~08iy;~Q5y}=67A6u zLFkT948ULvK^zh>8mV{>>6nfgn2q^Zgr!)8&+!$$!B*@<F81RG9K(+|hs*dGCfveZ zJj7F&q2dKVIjG@=8mNtWXaFBH$6IKRjtD|`^hQ4n#M_9)aE!ocq~bkHh91)~1G6z7 ziy;0Pm{s@!8?YJMu?u@}5J&MN&fyAfpa{iyh^G+$XoIRc$AXHe3J=spefXd`TEib* z&;wz38$*$Z6ih-oK7fqbn2$wRidEQv@30$t@dHlaJg(s;Zs9H-;VGWOz6SkuxS|rO zqc$3%CEB6`x}rD25sf&EL@FjB12ZrWi?Isp@hx^B4+n7!r*Rp-;5HuM8C1OZafSxf z;E9H4j@Ix;5PG3M-o{WQA{i4g4cVB5dH4h?upV3R9roZLj^iw@z=YrM2+vW*gXcWB z!2@1sgyv|24$z_}`XUms7>*H0!TZod#$0@Y75E%qV>@zj0LO3!m+&)g;UWHjBQL{T zP#HB)7Y)%2Z6N+&C>VVZffytp1rw2uEX=}3Sb|kphfUay9OUB&PT?Yc#;>@G5|~k@ zHsu00h<~)n6W(ZyW@v?W=zuQhh7g1y60u0YSiFaH7%&GPV>v#@SNI0ouoL?rhQov> za0VA~6~CYe#dwG(cn$|%AUdG}DxoSoP#5*#gXVY(?a>iI=#Jh9Lj>MNEQVtQ#z2RO zn1T%01_SZgn2QDY1fOCBR^v--!dC1+F81RG9K$J`!)5#o6K>-k9^)D8JUI_24-MQ= z19jkqMraCOw1Gc5p(}bK6az2_F&KsfjKMg(58E)Acm}c|hMArm8x~>-R$(1BVl%$O zZtTSY9Kk7^$5ohc8xQaV&*4y)>mF*jp(ec02u<OOw&;K^=z+c%h$y^+cQF!UF%DCa ziJ6#-g;;_W_#7Lt6+4lKgZQW6ILn;EIb6b3+(032<1QZJ37*6L4bBtFLk%}ng9kj} zjYepSmS~Ok=z!OU&ZGsSH^LExckrJK@3MR%l8}P&cpp=c2^ljnAD?15R^fAOz&H3F zxyZ*+oWxoD3=?jl7!U9mVt7huSC4iK<)KCu)Pgsfz!z=chfdI<J3`PG0}zQQ#3Bv} z7=^LW;XR}w9hsPk1z3)C*o<x1fgJ2b0S@69e#BW^!c|<yP5g@6D8_v}!V~-fJ1>q4 z;vY#@!yVO72MzHiTB02~A_(2k3!&(bfp{B3z@Pa@@feA*7>6|IVZbcR!xF5<I&8vr z<RBkE;3!VwJZ_*6w{aIGu=6J0D2Ix0M|ISK7ktnLe&~oU=#7DR8^bUH$#@?hU>4?L z3D)9k<lq2K-~z7WSKP-_JV)93)C*KXP1J!mn!p!r5Qrf3L>~;q+la#`q#_L;z=*k6 zfKRaoU*cPQk6iqKlQ@qnxQ?4B!d*PYbEq0{Zc!1{P!sjg5G~Le?GcRr7=&01$4HFD zc%&l>bMOh4V>Q-c1HQpF>_i@Zz)4)j&$xw$cn151+}Gd=H`IV9>Z1u-q8$Pej1UY! zG~zG{I=qi`OvfxNz;dj^25iRn5JN8Ee*AzFID?D$87ADtBm55Wq0SM`sE8`4g*VUu zP0#|Z;g3LQ(F=VMj=>m$IE+LJCSnRQkd0ZGhecS5RalR2u^qdx7YA?zCvX-QaRoPV z2M_QRc8w`lxWG1Oh*w2zc%wN2&;wCOgbr!Q#2hTgdThcD?86CM!Y{awr*QD${*5Z| zfH&U6Tku0y^hP9xVhko@20p@atjBij$B(#zTX=#pO}M5|2My5zt>K42Xwd_G&>xYA z#!$p#6p}F>laP)NAY(S>V-c2O6+XvT_y*gs6MK-4LpY98IFFxj9fi1qdw7JWcn<qF z$v>Roib|-08u)LAI;`u3hG>H3Xoa@$M<9aG4ZYA80}zQQyo2EwfickGJxqokSukP_ zKEfg_#VV}DdVGVe*nu4E#Q_|~kGOzqFrgSFuxm;?4GpTI4!q%m7HESG=z?JMf^7&T z-XD>O#!$p#6p}F>laP)NAY(S>V-c2O6+XvT_y*gs6MK-4LpYApxPU7#;Ws?QQ`k4- z7@$TKc%UvCq8Z*odvt^rJ<taOU>gPzAA;c+iDXQ`WauGd4i;buR^oGf4KZvb+<{!| z#}7D$Q#g;Ga2<uXgZn7KAFyxEeF`q9h$^TFPk5s-nxPfip#y9~7i&D2Fa%+Ug!nN> z97bR)#$ghs;s1+67RNOQA7cg9VH<X1KaSu6ZsHCe;Th~&&<>z7YN9TD&<bMkBkY2n z=#MCjz*vmO{}V$R+nojjW@0WDVj0$A1GZo%_TmSez&ZSco4Ad8c#LPTYe}1j^3b3P zYQhus;e%%IMH~2|GrFNS!Y~j~cn9$qi}x@E(_zFM%*V(06wC1$)?z(2;2Uhk_sGFM z6yOk!<226U60YDnOt^(&JU|JaLGq;^1t+*b12<HI2Rz}0hVVf%v_xyPM+bC55Q5PY zz0nWh7=&oNgE+)v6p}Fx6EOvPWMKy8;3F)?3arI?e2uNxiCpZ*K^(&=oW*5aM<MRu zA)dkvhgP%`C=WF%qbh2m4#fWgqY;{-723cL9nl$DbVE<{Mql(t1O_1*aY#fGk}(bw zF&P=i!VJvDJS@VeSb@**IlhD#z9#$@+weVhV-NP@AZ)`C;>Sx(pCW!17x5E*#!VFA zH{8c#{0=i5-lAMk9%@uZRn$Zs)I$S^p)ui`Xo0uT4*uu}F?6<umMO}N>Fx+YXsLN& z#3L{mLof^p7=>hvhiynBo?dGD1LE13g}J5DZOgwNe*729EG2EFHGK`?I&8#dd<WZ* zLwqmtaS(@b3@33K=Wr1};U<dl03~=1RcqQuXiyv8Xox0giPo?U?TL3nS8G~N!anGa zfrvsZULS^&HlkGe7~(oi#AN7^1tUJh0xZUItj0QQ#AbYl-Pnr*ID(Tn3o%?Iyn-9} z6~Ey=9zzVj6Pm4YRU7&h5Q8gWC2L$vSFy%x64ph1G(iizKC~e%pj3Jn;@#1wRGL_) z|7+8)Zzq!Z(HM$&>$0P);p@xVrjwaJ9`9oc^q3AAvoIG6@ClY;CDvdazQz{(+u?hb z&A~qFItK}l;3UrABCg;De#LJP!$ZO+cy66mwWU2r1yn>8)PyIz(HPCp3hmGVUC<37 z=!XcrjaUrF2#8@cVG1T74b$)evLS|<gdbYt3kVluIacEf*oLo&e}iq<g*+U<5&Ver zxC$|t2yf%Qb(%jQlFV>yXPGa?&ZXinQ~!O;mG#|F1D>U})qr>tG)F76g+Brjgl_1C zPz=ETGz?;X42B^ANf?L85W@$AGG<$+=M#R6Pq6}Punrrs8Mfg&;=4*s=Mm4xAsoXg zoX1bNjzZkQeU#u2*th2%02fq571V?$ywMn9XiC@;ZQzei(4srU5JK438V@HNj3J0a z0&K%5;>j3~G)zMljF^j$VH=ha|E$#XI^r9#rBs@2+1JDGS!T~)EO&skBi8hjglBOX z*YPWC!(HN!@D$Hs??*on&TvH~R6z~YMm;n}3$#T?bj80NLRhx1b@>5=1MxOuFcia4 zdPrn?6vkT9b%YZz2~(|Uw&nFqPq(JY)^HZ#Tx;C6+ybUQc`a=z(<`w0we-)KUXKmf zge};Poyf&L9Kc~5!|TII($3-{uHptt55F>f2luV%C4|pl=g)b7ZE!9Xx24&_3jf1A z+cJL_R%YF*sDWDWL_O3;BQ!xXv_xz8ArL|6hF%Coe?%e*e>DsteK-=4gk(&>`<Q}h z_y7hNF$ZFpPq+|^t<%d0S7Hs;;VW#y7JP?Y*n|Bzh$A?G(>RaIxQ1WwEAHSP9zhIG z2%m{~0DT)cp*&ns5$>o44|u{04bcS6P<m*|bZhvbBZANkA?OD&3?zITvDWF~gozl9 zRBM`L$v=-LFn^MDnQ4R{Alo|q`qDE=pNoZ9Qfir%#Mj^pe2I<t23xQlJFpx7H0)uS zqqu;ZxDPYRcc6ZuCf+~;G(iirMtgKb7j#1}^hG$tFqkj~!>rQ@grmTpj!EJ#x8BE8 zWFi~0Fb^N&Q>?^Ve2GoiiXF(se*A!AI0Z4BBfNxbxQSaR#sie#57>3IEL(=KJT!1e zb=Zbl#NR*zyor`*ivV;%cZeaBZ~z8dr(+3+V<eKTX_h7bJRZ;dN&m2n-a0>va3<zq zku^<haXInT_yS*H6Sm+x?7|-GhZqhL9<|0TDgS=_BkP^VWn8mv;}^n0+(t1T;4yxO z8Dek<q#cAa#NZmpbqIG<hX*|2g@$N?=4ges@JAqm&<(v1ivAdgw=o36@GeFm3CS3T ziAcj#=rJAHn28VZ5f<T7EXOLW#RhD~cI?6)<l_e%!zqa2LLmJXT!$D611S&O!(;po zsS{osRHQjWgDUXA8)%58XodC&L|61eUxZ^YY(p&ZIK*QFk}wvj7>|ia!&GFzfSH(w zMOcQ_SdUHEf*sg{0vyIk*oJe&FIlIr65c=|ZsRT<;tBqMU1$2hD2EED2zOLRE!2fK zN)L^gZictuhfWAa2*MDF7{p-&Qt%$8AQLj?U;&n3B|gUnY=#)VC(K1Y4&x-w;Szqv zO^Bh$8jAQ`;t%mV?7GkwMR`<2>B0TAX)&)lX|>^vCh$djh@q1;>_!-Zeu%^nBp?-O z_`6{m^Ri&Xhgg8cSdP_LhmEien~Cp0Ua2(OynhM{Sm!8C;}Wi;2>0*=;txv8!WHiD zKs_`@3$#T?bVUgIV=&%90>)rGCL<FwFc*uk9Bc6vHe&~JQGmnv5f^X`g(${j`~j7g zItVqYpccH)7%k8i9ic@pygu|LZ6Kl%hY?6c8m3`7W?(KBVL8^~OKiec>_9H|;Q$Wf zI8NalF5xO};8*-_9DXBT53G6ny;L6UyK>$k1{Z56;+0Fq#dPVR8uMzQE*e^wYev`# z?a%>Q^g<ZKFo-Y)!>rRItYNY>6w8b!KG`~*Noc@q%)`f6jy3oao3IVLuonj)hNFaM zaM?O7(rys{6~%an-ysIOU`tqrumaq`KUE^Vfd;S*KE#`&723idfe1o3h`*^0g>C3h zd=Q4<-BRhc`TwWGB=V4qG|a#!_zWAd69qVe)3}0Pa0mBLg6AmHjr$#{!5cpCg&%?; z{?<Gk(HM>-jKgGPVFqU5L(IoQe1cE09ILPf>#zaeU@N}IZsZ{!Kj0Wn;|lJe1ka)B zP926DJm7`KXbxYrfgd`e3xd%TV(3E{h6oHs42I%ejKFB5U_2%w4e7{)0W&Zg^RN($ zu?(xQ7VEJAo3I(%u@gDS!+spZQJlo<!x_>p;tFn{5O;7NPw*V79y~Ll0xF^kJW(G_ z;EMosK`?rvFCq|wIE;c0X_$^#_!ysJ6~4emY{3rfffx!1kKjj~#})j7Teyc3Jcp_$ z?KxcGh8pmMH+;|nZ4iJi=#D-ZfI*1CFeG9ObeM=K$b=E|Acju}S6~CSU?=wBFizqe zenKJc-~pb)sh4H_N`xNpLUZ_|GeQxAVMxGOyoYrBZyXHdYX)Xx9u{ITmSGjvVm&tE zTWrG)<X|rfa0tinBhKOiF5?=0!LPWDV%*0gJjEXn{~(15W#IxfDx(T&pcdYMHyWWi z-a<QcKxYJ_CqfZ{C=A8B7=h79!FZ%Wk8I4we0+?>Sc(<+3~R9tU*T(fi|?=td$1n| zaReuD8t3s7eufFRaUUgk4pncS4WL04)JA<YMQe0KH-sSy?;;s#n2tI41fO98wj&RR zaS9i44TZRa2Y3pp4{bDDPzhC03-!<l&Cm(~2tp6=Ptiz&Fa*Of63Li|X_$d|Sd0}| zgZ20tTkt({unz}u6sK?jS7E|!+(!xifPE<S04}JADyRwm4JFANjnNFP&<-8Y1>F#W zeu%)^h{bS>z!>N-5mS%>17>0_7GeojU=7wo3}0JA%hb#9mQv~86W@(I<l_e%#YvpO z1^k4caT7)O4fpXFzrzfNz8pKsLygL)ikhf{dT0P2G=neNzz-eK1;OZvJ_thu1|tS> zNI()&FdmbTj!YO}#2n1W$5?{p_za)pOMH#Z*p8jZ#XcOsVI0RPoWmtt#SIkVHtymf zp5PDI_2XF*<xl|?;g0I4g}U%YBfN<gcnj?ifKJe&J3`PG0}zQQ#3Bv}7=^LW;XR}w z9hoq|h&h;#kFf;H@fkkHm-rf+u^l^+i+wnN!#IvpIEPEPiW?}zZQR8}Ji#BZ3**{^ zGt{VzYN&;}s1F}BLo2jH2XsL&#J|bY7vUI;A&5f)l8^%ar`S>&reQi}U=BXQCs>Bh z@C7#DTWrTJ<e>nEaRO&>5m)gGicpM)cnULA{W+g-MP*b&ExdsSXo41K4L<}z{M%MN z&<FhyiD(SPyBLAdNWpl#k15b&I%LekTr9vRSc;WcgLT+|Z?F~LV>j}Uj~{RpCvgTB z@DqN<O%&lb+{a`54l^7EaNVLj)ToTAsEInLhX(LLGx(wn{Lm3y5R9JagD^y3Fk&zi z?_vZ-BL(B}KBhpA>5wrCbFl!QU@2B&4c1`;zQI;}kKM?_ejLORoWN<E$7Ni@4HV)w z?&2Yy;1Ae^bN!+mDxf0VQ605V7yM5Jq=smM=4ges@CW}(8z~6g&<mmHkAZj_LogKY zVgyDb1>^BPreGRAKsILLLwtlq_!KL!8eiZmY{C|Nhh5l%{WyptIDykRkIN9lHNs!; zEACj+MEX7AkMI=FVIRTu3}=YJ)f!eJtb!V-ZA}yN-ymKejnNb>(Hia10iDqmJ<uEd z5RO5J#yc2}L?j^@<1i6vNJl0NFk%ko<6|tra(sr*@g=^-W^Bh!<U$Pl2oK;ej$6}2 z`YGaPaS>N=9VXmDF&>}<&maw?ZGaP8pn)5zqc-ZH5t>2#YiRAz5uMQ$J<uEd5RO5J zh8W%<9F9aJS<^&%GVyVkh{>3S50DKp%(R9d5`Kh5_|%#v=C2^W8eiZmY{C|Nhh5l% zd>q1YoWUhrgBWfS7U4JC$7B2sGaMpmJ5U~KR7O?QL><&a12jfcv_xyPM+bC9SM)${ z^g}oXAsX*sI1-VBWQ@Z^OvW^PfNadfhxiDK@F`YcHNL=C*n}<k4!f`i`yqydghy}! zr>$us{XFr@xQ1WwEAHSP9^omT!+sFg4V>YMN~nSwsEs#JAC1uzEzuh7(E**&6+O@! z{Sb~ph{ih@jzlCO8RIY!lQ9h+AR9CBAwI$)e2NuVjW6&OHen0C!%pO49}eI!j^h;0 z;S#RGHryb72M_QBe?S^cI|?V1hbt<hDm+jJZ@?Q3;e)1VfmUb(KXgPF1fwVVAPf;0 zj2M(2;+P(R(MZ8~q#+%dFklwuVgWwEa(sr*@g=^&cI-wz4&x-w;V0a{-wj2~yMw!U zfX8@>=dgd9GC?_1Kt;HtIy~SBFEm6GG>0$Rzz-eK1;OZn-sp#L3_=uQ5r+hf!dU3= z9@3DGOc-Fq9L&Q)EXFdd!dk4yMtqBH*nu4EMF9@s7=FZAT*MVzhY7b(j0Y&eGe}Xi znQ(#&G;l*Tc%TmIp#gl*48E`pZHW7$6S|@&LSY*Q5Rb&$7=odA7ylP~cNt{Ik*JGS zl4Xx&Tg=SNOcpaUTFlt8n3>sv7Be$5Gc%*b%q+F&F5Pn+Z(`!ifw=MRkN4(_Se?16 zYIp6d%FN2{AKlFepdFp*PA~c~h!Kot0#lg9JeIJ6b!=e=`#8i2&T)zB+~pz9c*j?M zsHOiCj_AZCDXGXn7IKiA{1m1*r72Hks#AxCG@~W0X-`*r(x1VMWDFCT%53Jdl$ES! zD?8cG5l(Q13tZtEw|Kx)Uh$5PeC7Mv`Y>UMNOWQmpTwjjEt$zq9tu&6Qk0_-)u>5b z8q$=Ow5B6n=s_O_F^tiSV+u2v$0Am+hD~f^4~IC$DK79Qw|U4@Uh<Y8z7V30e#tL{ zBN8!)Ln4xqh74rmSMpPsl9Z(~HK;=)nh`)7I?#n4^kX1H8A%`$na*q$vXs@VXDd6| z&tXn-p3B_e4v%=j8$R%v;C0<ELJ^h-L?H(8NJI+Kkck}RrT|4KK^ZDgh2N-6Lz>Wn z-|0XXdeM&|j9@Gin8qv?u!L2tWfR-k&3+DZoYS1=D%ZKqeV+1?_k1EmJ!6bt2uBoR z5RXKpARU>=L2e3CoU&A=2K8t{0Bz_%7kbc#0SsXTW0}A-X0d=JtYRHo*ug#yae^~k z;0o8d&3zv8k~e(dGvC#>jv_SSiAqf3lbDpGB{SK{Lm`S$hD!WKZ5q;?R<xxfUFk`G z1~H6L1TvXv%w_>gSiu@Lu!SA$;Q&WC#W^l<o!dO*DX)3YCxSIF_wyrRh(Hu#5QhXL zAq8p3Ko))_KSe1`MXFJoZ-4u^Ijv|*N4nCJz6@k2BN@YZCNrJ6EM_I^*u*w=v5!L> z;}qw(#C7iSn3ufg3n3d?>k*DfL?agQNJKJHk%4UFrXa;BOJ!<MkH)m1H67?i9|kdk zu}oqHb6Lzv*0Y6O9N-wIxxiI!a*xNn;4L2s*2o;ePlO>N(TGg~l9Gz_WFaScDMWF~ zP?2iXqCQP%NgF!Sjou7kD1Q*hB&IW)1uSJ1>)FCi_HmdKoaGYNxXlBe@{0F-CPZW7 zhhGR!6k-yOL?kB-8OcU2@==%)l%*2YsYQL75<puz(Ve~wVmPB2&lF}dkHxHDEt}ZR zZVqsiQ=I1tH@M3qp7Vwvz7n#D`I|6ABpR_vKvGhXo-E`fFNG*h87fkZS~Q?30kowP z-RZ+XhB1n9OlCTBSjaL~vw^MbVn0VX$vG}_ojW|_8L#=k7rtw1{1ci8L?ssSNlHr6 zl98<BBo75BLMbXxjoLJ%Ij!kL5Bf5Q;f!WHQ<%v-7PEr2Y+^fmILI+hbAhYe<Q|WC z!COA!fByyho}c*pg!eiY@kve^GLnsa6s9EQsY*@i)0CF9p(DK+z)(gro+->_5v$q6 zP7ZLKOWfct&w0&9f;BfD2u&nnlZcdLA}4t%L|Lj(gT@5VmQM6yFn=(fnapD`E7-_R z_HmdKoaGYNxXlBe@{0F-A!G~Jk+4J}I&nxyGSZWS0+i%GOC|fOQIonfq#3PfM`yaz zn*j{rTSh2HGoHyzXATSbpJbWiSFw&wY-2YEILax`afxf(;vSE9#%td5iQp}*ZTOk+ z{C5(?aWRNP0+NuDbYvz6xyervN>GLhRG|iSXh2i`rwQ<$Hgup1J?P6IhBKOROkz5- z`Ih<0#jN=E*K3p;|GoZiNBsA`Zu6d<?ByUwImuZra+Mq0;Q>#0!5cpCncxBXBtP;C z;fO>uViAu-BqJ5+$V4`BlAC-Kq6ForLQU$^lvcE-E4>-WaK<o^SuAEH>)FaK_HmdK zoaG{aa*O*s<^^vE;wvFrd43R@@I)p$v58M&l9QVBWF;qgC_oWPP=RXHq&|&lNo)Q} zd-cwAqbGgn&me{}f>HdljJ0nHb6CO}wy=jIoZ$-pEVu2u$3vd*k~ahq{CC%ZFhnLA zaY;gIz9qdfGug;VZt_u(A{3_-|14$gt3YL{QG?plr!mb5pbZ`9Om}+IkAVzf1fv<p zB&IQwIV@la%UR8OHnW}G?B_7YImczLbBBjK=PjQI(b}_t&_pB}aY#f8(vgLn<fAYp zDNj{u(SW7|(2g$jq(4LWgFq%RgLy1r6&u*b9u9GWb6nvj_jt?;-tn3LEZ?_re~C(5 zl9Hb6<fj;AsX}cU(~6GtWFR9M&ot(-jCE{dA1AoPZJzR;5N*vBL?Iq2$V6_6Ql9G6 zqXq5wkJ7{TJ`7+8BN)v%CNYg!%wrMDSj9Rvv5j5q;}FL<#W^l<o!dO*DX)3Y7eci2 zyx}Lp5P>MfA_2)rLnd;Nm%@~!JXNVpLz>f?_H?E@z3I<jhBJnVOlJ;@S;1O1vxEH{ z<G-7;j=jt^Zu5Yryy88d3DI7k=NG~gg_y)65y?nR2C|ZqJQSb^-~OjkIVw|~TGZ!T znkZY+hK_WnFM}D$SSB)^x%^|6*tU}OY-KkGILax`bA=n+<sb9tAGSUB`VB#R<+~2r z&d-D;B2kG+ToRIuG-M(Nc_>J6%2J8y)S)5GX-x;Z(T70{XEfuP%4`;}jMZ#p8+-UG zhtyASjw{^cf0Fx-e?br-I%+48h(%)3kd-_Xp)6IYLsQz&g}w}9EK``vQr5DKeH`Zk z*LlE8f(X&cd5J_U5|f6k<fRzp`Hg=}1KR@VNG}F4iiyl(5v$q4UXF2|>pb8k9|_sn zoK6(tl8p4^AV2>s#qBFkHR{lq0NT@yz6@a$f1in7&txG>S<ObavzNo1<UCio#RH!4 zhK~gAqHppu;fYFY5|W&>WF{y1C_*VJP>tF&q$vTkr4!xgO@D?klCex+Dzli+5>~R7 zjcjEX`#8igPIG~)+~lv^SAWba-t&c!U9C3=OJrgYk0hibJz4pcd=#N1<*7nV>eG}~ zw51c>>C0e7FqTP7V>Sy|!b;Y%iS6v=Fef<6CH~|V_jt^6-VnrBLU!{!AUx4XKuR)@ zjRF*<G~ZG|S(TbJq&aQrL=XBggpmX?iJ8o239Hz^HuiFa(_G*xw|T@%J`k+?|32;i z{_;2VFhnLM@kvT*GLoG<6yl$ygni|x%x~18A<bw-J38~v(!;*K3}QH=8P62vvV@ha zV>3J0%U?O9ev&hs=Q7v1%|o8@iXcMt@Vw?{!t$?}b6tlR#3K>ONJTobkb}Gwq&Q`% zN-Y}Ei~!ouiLUgfKSLSG7$!26+017tYuU<P4s)EdT;v)zxx*u#@rL(&<O{)j`kfL# z6P`#!B_{DmOe)fojXV^k3{|N~1Dey0&h(-`Lm9<*rZSs_{9~5ewwiTpWDDEb#a<3@ zm}8ve4ClGR4es)Qr@Z1lp9$H^Tu2xq5{<YdCMD^~N-hdhhD!WKeVWsb?(}Ck<CxCh zXTH}<Sjjpzv5j5q=P<`P!v(H#lY2bo1#kICu-@(mp$JU`q7sXEBqAB9NKa;Rkeh-O zr!1AJK|PufKs!3qgZ>O>G~=1V4Cb(aC9Gf#8`#1Q_HdA6oaQ3exWxmW@QM$7;rl+? zLRcaaoj4>W73s-FF7i{Dl9Z(~HEBQ-0%%7kdeE1F3}-asnZiuwvXEu0W)nNu%Mng; zfveo*F)w+`f0ZD|eAm}Aitt1u7V$|!O45;;9OR)O#VAb$s#1eGG^81=Xh&yy(1(Ex zV-(|<#586xkHxHD4IA0UE)H;vGhF0PZu5X=ye5cX{oEsdCOlDyMFNtMn!is5ud|V# zqLigFzfqg|G^RPNXiG=B^7rZKbw36(f<PuSlld%VH5=K^UJi4T3tZzaPk7BoLiE?y z2uD=nkeF0tBnSB@N*O9slLj=W4V~%5Kt>SA6y~smHEd!B`#8pV{^Smic*zI8{iDMl z3Cn+$DE7xD5h=+)cJfk$(o~`b^=U?HI?<B>3}-BpnZ-g@u%2z~<p`&_#0~EAjJJFy z<Usv^2t+3yNl8Oya`RUTsh6Z8HE2K!+R=>x{J|vttIToCLYA?b4eaCyXSvQ@Uh#oo zgRI&4g^0u;F=@!muN0yrm8eZqey1Zn7{qV_napgKu#ydIV>bsl%4z;tF4=dDJ3Qt! zK?ECYt;EknAR2K<L@F|ngFF<X1m&qtT^bWWd%Dtx!Hi@qlbFR~R<fS0?B+1XIm=~k zaE~Xv;vJs|K13fSG~tO#EaH=x6r?31*~mpfic*U5ROUBo(|{%f(3URrq#uJA&S)kw zjX5l28LL^(7It%p<DB6Fe{zS1JmWP%eC7M0=3~MUg;*pc1?kB~9tu-}3e=z>0d%An zg9&6B^I5@qwy>MSoaPcYxX&}*5p0<GhX}+Z5vj>S9*R<q>eQzN?di?{Mlp#wtY9O% zILsNYaEHgd-~(Uyez>+1k?6!DDXB<LcJfi23RI;w&1gecdNYt=j9~&Zna5&Qu%2z~ z<_KrF$e-NdG0%C;JA(L3uo0e@{6J{J5s_%bA|8oIMk+FslYA7R3{|K}eVXw*?deJ% z1~HOArZSsFtY95m*u?>kagkd*;29tI%HKwsuZc=55|E74d`o6!cJfk$l2oE54QWAJ zy3m`!jAAl#S;|_rvX^6==Nk8T&IdyN;d2n3grp)fxhX<<YSNIFw5L1$8BQQmnafhv zvXy-t=K?o)#2Y^G-6(Sv5s5`&Qj?i{l%g`VX+mo{(UXCUWIWTE&vMqYodcZY61RBF z8@>{1v~v=hB%~z^xhO;_Dp8Y$w4^ir8Nqm_GoR(GXBS7gz%8Efk?+Q6BN2&7B2tru zJQSe}Rj5s4TG5H#3?-1M%w;KS*~(syaGJ~9;t{X-$aiC%n~20DAt}j7P6|+h3e=z> z0d$}zgBZmm=CG7CY-9)fInH^m^MF@;=Ep$iB{oS(PfiL_iYnBl1s&<lPy(6Ge3r9; zogCyOm$}1pKJvG5&O;oMlZiYOr5x3$OA}hrk)8}<6qA|D3O2Ks<6Ptxk9osaLXG$H zDsf3pMsiVv(o~`*4GEwly&1|lX0n*IZ08^+xyTJ3@RE;wH^IFl0?~;_Qqq!@JQSfk zHEBXydN7z#Ok@tr*~DH>aG6^?;w`}^THEkfqN>LwDH+H`QT|E=_1~yZ0G;W_NG36t zrL1KKhdIX$9`lZ`{B4r<5u0RWBsaw<M>QJIiZ1l$4<<94#jIl|NBAq})vs}nmwe{O z$$#zDU({ogkThhcAZ4h|w>13svgN;*o&LS-s~o{Nrm>JUZ08VXxz2r_^N}B>SnCjr zq+}om`6*6$s#A|<w4n=q7{X{K@mFT4FJ%M!IKxez^MzlgdY+JgbmXQa)oDTpdNYhk zEMOgbIK_1y@s^O&+#}+VhF>X8CF&4BH-<2Qd8}bOhq%C9UK3)vXEAX|LK?D@k8dfd ztVnGd(~6GtWFSKr&L50nB6C>6x2#ug=Mbm3#7!RZlJ|Te<P6t{NW|r@q)^X5E(%eK zN_<Pr8Tva-X+=kRGK4^;GMA-nU<U^{!3C~!m&g2-XX-(OnE7v8LMtN^k7T4H8+j>8 z3BIMYvOJZkPA%%uh-L)Ph7NS07Xui^NJcZ32~1%IbC}O!ma~@4?BXEDIL$?_af933 z<snab$y<W>LWo)VK0gtTNJJwJ2}waJ(vp#^{7QZbQi{q{qb9YfOMM#Af&kjkf$sEU z5W^YGc&0FeIm~A<%UQ=}wzHc99N`3Kxx}B`<SzGl!b{!~#1}%${<r(`gYqZB5Q!MX zBMGU=M0RqMpTAO6y#%ExM@6boom$kRF)e6KC%Vy-KJ;f0Lm9y+#xkDCOlJ-Y`IcqM zHEd!B`#Hv0u5gnFJm(!>`1^c6$9&4qgdrkPh)yixl7PgdAT{a8NEWh_n|u_c2*oKy zc`8wrn$)8aO=&?Z{!i1!_vlDB`ZAP12xKBtnZ-g@u$Im2U@wO_$vG}_od-PU9Uloc zSKsGnA`pWFBq0U=CrRV|8OT9y@>7Hol%WEZs76id(uigR(1Ff$rx$%0%y9l-9Fv&F zEatM1C9Gf-YuUgSwy}%79N;LYxX2Z*af|yr;wdk9Ll9pGKF^wm9|*-Sgd;N1h($aS zk&M)2BpbOXKv7Cjj!IOg7WHUIV_MLL&h%m+BM4*)vsuI{HnNig9OpdOxXlBe@{0F- zCd7Pe8h#->QHf1Ll9P^X<e?BHC`T1)QlF-@qCMT{%MeB}ky$KaEnC^kG0yTQ_jty8 zf-Uf@;~(>*Z9fs3utXp-(TGJn5|e^7WFQMU$U`BDQ<h3pr#1~~#_x2X3q9z|AcixV z@l0nv%URDh_HmRmT;V=XdCf;cEcCgFKy>1fjC5os7x^hdDauoo+BBj$t?58#y3>n( z3}P6g7{?T5F^@$oV-*|N#xC}Am=m1k5?8swZSM1ocYL?VTuDS?k&u*RA{)6WOmWIk zk?Pc;5iMy=d%Dn_p7doPBN;;=<C)BC7O;#BY-bM#IKl}|bB>E#<py_nz!RSHn)iI< zGr<<S7yQ6a{6YjG6N5M;AQ4GOMoQ9>k*wq-4}~Z}Daufe3RI>lHK;{B8qtE^X-6lz z(Tf2LVJy>_#R8VIn)PgAJG(i^Q7&<ddpzO=Z+K4-p9#Li@4Wbha6}>+F^NZFQj(r5 z<fH&4C_@D*QJq@UqZw`JOfLpAnh8u}9?Mw4DmJi<y&T~b7r4T8?(vj2eBy_tJ}c3P zM*@<Ng0y7fR|-;u;*_E+6{t!L>e7g&w4fDjXisOl(UU&(XCQ+a%5Vai%53Jdl=W<7 zHwQV%CGPT&r#$B^?+M})UkJI(97|{-5|x<5B>_oDK`Jtnn*tQ2G!>~%P3lmeMl_)% zZRkjM`ZA0_rZAgDtYkBLInG6H@r1X0<;Ufo0YoP;>Bvg~icyA2)T9O7=))jJ638^> zvYK7&=O|~nz-6v-om<@D9*=m+3tsb%PXu3~U+^>Gh)86j5}nw@Cow5WM+P#Ho!k_l zD5WS*MJiK=2DG3(9qC4I1~Z(Ij3JPTOl2msnag~Zv7Q|q<P?{=%@f}8g&$UWb`g#E zq#y%1C_qUnQJW^Tp)36v!31Wpn6+%<04KT3ZJzL!ul%^m97jwNk(#XJr5NS;jfS+M z6TKPCXeKg?#jImH2RY3pZg8I$1o7Q!^9>P+MtqWxoOEO)8@b3!0ZLGs3RI>R^=VE3 zt!YPRdeEDG3}YnYn95A%vWVrZWfMEt$6-!#k!#%J8E^Q^_iKz#A`_E@q$DF*$wdjO zQIonfq$zFbNH=;jkl~DBBC}b_T6S=l)BMQ;Uhs*(t<^t>N_<k1hV*12JGm%8amrDR zIy9gOE%==_bf618>Bmq;6UY>%F@rfQU@5EF$aeN}jPqRQHg|c*3*PgUAJ(~cgd;LB zi9<q?k(vx-Ar}QHL3t`uom$kR2?4aFGd=0gP{uHcnJi#AYuU^m4se{)oaZXHc)&AW z@s1!q6MVff!vBqgb)E=BAqMeCLMk$mlROmR|BaONealduN>t@HYEhR4G^RPNXiG=B z(v!XnWGEvU!#E}~h3U*<E(=)9GFGvUO>AQq`#8igPH~P)T<0#2c|{PxH@HWHB?_@g zL`pJ{oxBvGG?l19eVPzJJG#)5{tRUl<CwxM=ChR5Y+xIEILL9%a*6BQ<uNaL&u6~d z=x0E}5{VeZBMB)<PgZ^<KSe1;1*%bt1~j7;?deKy1~Qz{Okf&wSjckLvY8$1;|M1? z&sA=6pQpUy178Wb$y%6jL?IRlNJ1(ykd53Fq&Q`%ObzPMh-L)Ph7NS02Ynd8P)0G1 z$;@Cb%UI724swdi+~x_d`9#Rgp8rH31_?+`I<k?MB9x{wwP;8S+R>c>j9@%7n9nlS zv7G~);37A9z;iwjVvF+=iP$6|HJQjoVaiaIx-_FTo#@RF#xRxntY8y+IK~BT@|ZV# z;rp%TR3a0b#H1iC*~m)~%2JiuG~stT(u+ZiWCAmo&k8oMor9d>BDZ+VD?anXHs>b_ zaY;sc@=%J3RHGL4X+lfd(2;KRV;EzZ!b}#hoONtwH-|XIIj(YxhdkvqK?K{bAMiJR zCM;2iMFNtMhF>X6Me5OnHuRz|0~k&qlbOK+*06&E9N`3~Imadb<Oa8Sz*Alm#8*P@ zFqQ~MWMUAPM5G`cnaM$33R8lzRG>1osY`tt(Tv||LwmZ>m!XVdDvMdcS~jwceH`OF z*LlE8-tmbLJI$$tAreuEO+r$Wl{^%oEY+w<Lt4_F?hIfg6PU?77PEr2Y+?udILt{- zbC&a5<O<ig!7c9afG0fT1+RI>M}qIt2M9$tA`zW9#3Kdi$ilDWrzoYVKxL{?gId&~ z0ZnL08#>a39`t1ZLm0_eCNhoLEMO_CSkD%AvX3L2;sTer$~A6so4efSA&+^=b6)bA zx4b8aPkbTRZugIngdz+PiAHP^kd#!UCkr{rOCgF=hKf|97WHXD3x1~^UFb!BhA@&q zCNqNttY8B>IKT-maGkq6;yG`4&nJTI@!9#2UkFE3;*f+iWF#ATC`>6TQibZ&rY;R> zMhgP?oi=o&3*G3=AVxBpaZF|g3s}Y)cCer0oZ%wZxXB$J@|fqm<TY=3PY|C7zSlZ{ z@A(^{2u)Zb5S3WOCkd&@Kqj)1n?jVN0#*2pn$)H~O$p$4+R>f<3}*}znZ_IzvV=`+ zWf%K7$^|ZQox42b1#fuA2R`%NKKF_+gd+;kh(kOQkd)-4CIgwsPHys3j0#kx7IkS% zGg{G(PIRFgz39gvhB1mUOkgt8n8{ogvW!)%XA3*n%VCajhKpR~Cii*D8$J?Zzk9{c zL?8;WNI+6jlb$SOCpQHtK?SN)pO&<v3q9!15XLZ$iOgaNt69rtcCd@R9ONXIxXMlL z^PKktJK%m0hDgL90ZB<g8q$-CB9!Mh8u2@w>B&HbGKTR?XC6yg$94{KnycL7IUo4$ zpngph;*x~aWFjZ|DMneUP>V*ipbeeqK|hA@2jiH+Y!<Vc&Ftndr@7269`TwFd?MH( za|%BZng~QAHt|V9Dl(FVToj}z<)}_=8q$nbbf7!^8O}H+F`ES}VKwX7%3cm}lCxam zPi}FK$GjkjPkbfBVf~J9L?I4|NJ%;}l8s#Cr#PjlL`@pfj8?R#3q9%25QZ~~K&CK{ z#jIf~yE(`)PIG~)+~NT*_`p}bKjQilmMFv~AxTJ1YSNRL9OR`irKm_XYEqYmG^Hi2 zX-{Xm)0_SbW;mk=WFk|U$y^q)l$ESyBU{<YUJi1Ulbq!uSGmC*9`J-0yx{|%34T;t z2}Nka6Pf75CO(NtPHNJVne5~uAB8AJDauiaYSg4I4QWbCTGO7+bf-7{8O(4-5y(WQ zGLyM1WGO3I%SN`clf4||C?`3~MXqv#J3QbCFL=WTJ`?<y_7jTGgeNl5iA{VGlbqC~ zCo|c}MLr5qj8c@N64j_lT^iDqmb9ilo#{?*`ZJi}j3SVUOl2l>S;$gWvX+f(WhZ+% z$WcymmWy2F26uSC6JGF!4}2#0aqTA*p$Si9q7$3=BqlkjNl#|7lZ$*5q8OzpM<uFJ zle#pdDJ^MDdpgsd-t=cM!x=>&6Pe0P=CY8btYj@4*~(7#a*(5(<SZAt$_?)DfG51* z4IlVS@DtikC_)pS$V4YL@kvZ_Qj?y{WG5H-C`2(zQI1MfqYh07pdDT5!yrZw$P{KW zkHxHD9b4GLVNP<MYux7<9|(EUx{IF(Lj<A|kCbE~4@D_WMSi0m&1p|BhA@_CEMyJa zILK+Pa+l`>@%<@tI8lj1Vp5TXycDG@Rj5TnTF{nGbf+&v31ljBS;|_rvX`Tr<xlSM zf{%ne?OqX;_@p2sxhO(es!^YobY&QmSj<NDbCz2?;XNVF_`bv;Em_G$K}t}bYSf|u zO$neKo#{be1~HtmOkx)ES;7j|u!TJw;S86#$um9?>a6DuaY#ZcGLW6T6rnWbsX}cU z(~1ssp$|hC!Dz-ajd?6%Cug`v5TVcMJ7lCVC8<CS8qk6^w5Jo@>BU$kGn4r&W*IA4 z!w!ydmMdK27I%5XbKdZgkms#Si9ihElZ=$4Co4I~MShA<iV9Sr2K8x7OIp*O?hIx$ z<Cwrq7O{fWY-BroILI+hbAhW|;|>pb$y+}0mG3SXhlD30k%>usl9G<><fRCus7N(x zQJ<!?q8(l7Nnie8DhpY~2DY<@gB;^D7r4X?9`J$>1iNSrO&B5)owy_>6&c7ueu`6` z>eQhTt!PU(`ZI!YOkxJ}S;i_hu!DUZ<|OC1%uOEflvjM@yG!~VQHeuhl9QV3<e@Mn zC`%P;(ST;Oqbq$G%2*~dlLahe9oyK)G0t$2TRi0rUkG{GxFZbFh)ZHpl96oWp)eKr zje0cYcRJFOfsAD)OWDYN&T^R>JmeKY1izy15Rq6UCN-JKLouq*kN`T;k5NowHp|$^ zcJ^|N^IYKu4|v8KKJ)!mV~n^YBq?dhN^S~Mnkv+x5iMv-7kV>@QA}bgGnmUFR<Mq( z?BO_<xWRp%^PXUT>YIck8gWQOGE$L=U&%*dN>G-{G@v<c=s+jB(35@)W(4Dy${d!k zfgK#+H0Qa@4Ic28&xE{YE+Rb9h))XAk%eC=Oj)W@mqs)tfVOm^2mKhtP)0I_2~1@+ z3t7raHn5$29OVp`xx+Kw@|o|i8#{z23NeXKQc{qbbYvtOxyVluN>YwWRHG*KXiRfj z(Vouqq#r{W!z5<0kd<s=Cx<!574Gne*L>!?8^#u)2~P|Xl7jT)pa8`wOBHHRhXyny zfVOm{F9R6D7^X6h6>Q-U$2iS-u5g39Jmw`I2zJx&{s~P)Vvv9oq$fLh`71@$%Tb*M z1kjP*3}Gyjn9c&$u$6<H-~!jU$75ddj?a95%iKd0;*yZ0q$Dlb`76Jw7orSRsYer9 z(VlJ$WHeJ*z$&(|j}u(rI`?_bdxG6I9tlSjVv&Gkq#+YI$V*8o^BeVOOaQHEPiK12 zmq83=EK`}sw=7q#Wiz`u${DV5lRMn!2`_oaC%zEujx`%0`GFq^O(bFxo4CX$A&E&! za#E6x%=}6LN>Z8HG$nwxw5J<=8Nw(gFr9fUWC_bz#kZ_iZeb_;ILryoa*1o)<^j)m z#d|&z;;wZ)zYv}%#3UYxNkLjNk)7NWpeUs%PZerVm&UZ94PEKQAVxBQsmx+NOZk>H z%8hJeHwQS%Db90+8{FkF&v`=-UkQ27cqa@IiAHP^kd#!UCkr{rOCgF=hKf|977b`h zD>~7g{tP3KNla%Bi};q6%8l&g5GT3FHSY7A_XNAI-w=*y#3m6bNKbb1QiL*8;y3Ei zjCS;(Kf@TsWahGn<*Z>N+t|$kj&h3gT;T?HdBk(x5X4tPK5#7wLqwtxn*<~!73s-B zPV!KIqLiXMRj5H-8qu8JX-^k=(vQK6U<?zO${ZH6ijC}GKgT%B6>jm67rf^yAs_nO zgd-|(NK7g+l7oB{r3{s+Nqw5qiuQD)FGCo`1g0~OrL18yyE)8hE^~`Vyy7EY`Tmh- zI$?=SOyZM_v}7R{`6)_iD)AqshV2b#Ne6n+kHL&!3=^2jEatO>m8@ekJJ`!1j&p{K z{K+lu^MseY;}gLjoA3CUa6~2saY;mS(vXpC<RU*s_?D9YUjEyw|L1GDzuR6}y*jmN zKvM$fNH=;jfT8?BAd{HRJQlNpjqG4Ahd9nTE_0K6JmwWad?n-){f2NvB^L2XLQ2w+ zmE07dD5WS*6>3nIMl|Pl+S85R4B$V@Q2R&!7svc(?;r2IQ<%XV7O;dBtYHIN*ufqS zag0-(;}U;zle;|RDKB};e<wkX`$CAP`U*c0h6sF16lDzJkboqlAPwJ=L79ad<R(9b zDbBZ)R+gtS)u}~28u2a7lmWD%16}ArAHHRPatI?B%{V48jc=KyoW~-Tv5IwU;#;;U zcd?H{9OD${_?An`Yux4mPkF_AJ`wzx>%z~3B@)qzLqd|0iu7b5CwVDEF-lW`>eQwI z&1g+0dNYVo1TvB7%w;jF*~nIQvX{f0<Sgg8%nfdFk4HS?4MBV%#B*x}LKA_g#3DY) zNJ}QNlbZq*r4;3;L`@pfoL01>BVFmk0ERGv(M(_(vsl0qR<MrE>|hsrImmI&a*;o| z$3vd;h7Wuu_zPp7|1Ttzc7!H8QHV)A5|NBlq$dkG$W49<Q-ZQoqB^yxM`K#hnhtc~ zTY4z_Fn}S9U^L^H%natRkY%iAGuzqCA&zmH3tZtkcX`Bf-VnqWLcBC~_=zw?BpR`Z zM`BWtmW*WOSMpJWQk0_#HK|KuTGED&bfq`_8O%rmnZ$HvGoR(GWivb3$6-!zj!RtU zHurhTYk~;&N;~+42t*?eiAX^@GLeJ-Y4Unc0g6z9GE|^4)u>5b8q$;&w5C0s=}sR8 zFoY3|W&+cg#XJ_Vj8&{-6WiFuJ`Qn$GhE;b*SXDo9`l^nyyp|aUK@w}$S;H=3bBY! z5>k+c3}hh(xyesqic^~MRHiz$s7E835kMO{(1jlKVF1JUgRx9t3Nx6)0+z6n4Qyct zdpN)mPH=_`T;V#mxz96R@qy0-e`8%pC_)pCNJJwR@km56Qjv~KWaC%zQjnsQq%0Mw zN)77JfF`uyciPd3ZuFubgBZpijAIhhn8iF6v5Zx$V-wrh#Xb&kj8mNB5`S`&yFBD6 zFL_H4UkLHmSSAb+h(ZkFkcecYA|08?#;@e1AVn!jSt?SMTGXQv%?O|k9q2+2`Y?bY zj9@h5n8Y+@F^@$oV-^3mvd+1-v!7F3;WkfrOR#sw2GK~wKPH83sYyp>vXO@Z6rluV zs6bU}QkRA_qZRGwOgDPcpP~FgAXAvld=|5u^=xGi2RX)RE^w8b+~YAXc*{qEy*CE< ziEu<FI&n!sCJIoBa{NYJ8q<<Cw5JO__?CXkK@4RiqZ!9UrZR&$%x4kHSj9Rvv5j5q z;}FL<$yqLPl^fjQ0Z(|r8$R%v;2*S$p9n()q7Z}F#3vESNJTm_k(Hd}CO?HKPHD<h znd;P{9*t;50Ig|HXS&my{tRL`qZr2|rZSVcEMzIGSjQ%|v5S2i;uwGBwEAUk@sJn1 z;UmF<w3|@;LO3E4l^Db!K8Z<2O45>%tmGsQ1t>xZ%21xlRHqj8XhbstXhR3O(1Sh< zU??LQ!+0h$jakfPAxl}wS~jqS?d)bhhdIt^&U2Y-+~OXOc*aZK62uomeDs_r6k&)! zRALf`1SBB^X~;-ca*~Gv6rluVs7O_6P=^LIp%rcE%zu;~w)bTa!x_zZrZAJaEMhrp z*vK|^bAY3q;vAQ`&K(}`gcrQ!Bf&no|NKN)A`zW9BqS**Nk?XKkcWbl;9JTnD^isj z)S&@QXu<EaqZ8feMLz~Hj6WF51g0>9IV@laD_Fw@wy=Xe9N;j=ImJ0Hag`g~;XaRf z&THQDk*|FB+0R7$Ojsfkh3Ld4K8Z<AYSNRL?BpUJg(yZT%2A1G)TAyAX-Z34)1J<B zr#Jl>%y32#$V8?xlesKpDJxmaMz-=TJC*x6$|=rsg`3>x39tCTSHAzEy@V$!u}MHu zQjwl4<RmYJC{7tFQjJ>FrwJ`-Lr1#Nn}G~x3=^5gZ2qGxuze}3SkD%AvX8@@;4GK8 z#%&((lvljxGa<gZm;6F_q7ajKBqjxE$wYQ?Q-GqBqC8djpQeWQ)TI&4X+=9a(VadF zWEi6eWD?Vv!$Ov_lC^APD?8cCL5^~gvs~mVH@M3qp7Vwvz7jH6@L-_`Lqwtxn*<~! z6&d)J?8;o^qY%X?ML8-_jhfV>F)e6K2fEUW{tRIxW0}Y_X0w2$tYSS|*vUQ)bAq#6 z;u^Pkz*AoFp5VcQ2m6VL#3C_i$Vy%cP?S=XrwTQwOCy@|JMHL95Bf5Q;fx}XiA-fC zb6LnzR<f3jY-J~VImB_!aFIW`#eJUel6QO}c!=P^e&A=q6O~xRCo#!MO?onuom}Lj z5XC7&MXFJY`ZS>>ZRkihdNY8b{6Qd-n9dv)vW(SiU@N=W&k;^?j>}x<4i9<8Yd-LW z@4gEj>_<WqfvChHK8Z;|S~8KH+!UZFr6^BjYSMt_w4pP-7{~|$nZj%qv6L08W&@kq z#!mLIpF<qu6z90aRc>&H2Rz{gZ}`Axf`!yB{>IOQB_dIXK^zj0gyf_qJ(<bQujHj5 zMJPcTDo};rs7-yorLnRZE%}|cbf7cc=t&>?Gl-##U=(8+&m^WYgW1euAxl`!D%P@r z&1_>Qd)Ut*j&g$2oZ})_xW-NHaGys!<pr;KM-ZP0_PuMz4}{_u!V-bVL?b3~h)*Jt zl7iHvBO_VJ&adPlKZPht2})Crid3OGHK{{=8qt&%w4xKe7{nh;U<M0V!3K74kW*ad zHcxoVSAP7#xFrS&NkwLIQ-tD_qAca9L{)yH4h?BSD>~4fehg$7BN)wC#xap8OlKBz zS-@geu$B#MW*a-%!+s8NjFX(<JeRo2P3~}?M?B{ZL3}0T-`qRG5RvG_Cm~5lPAbxp znOx+h07WT5Y06QVYSf@E4QNaYTG57%bfY)@7|0NYGlp?YWD3)m$sFdhgypPaEgRU( z4tBGTgB;;Fr#Q<6E^~vsJmoE4_~A!wCkk;$LK?D?mtvIXHyY5A4)kOYqnN~Omavv> z?B@g*xyd75^RN8t3jFH|{Obz*>k9nq3jF`^3cUOF3=Cz>K_p@lkHn-RBiYGK0g6(J zid3T(^$DOYo#;tFhVlo2Okp;QSj`r8vX8@@;ygFF&l6tqj!y*t$=ZOhL?Jc_NKP6u zlbd3crV2HvPYc@9g`Nyx7-N{kG-ffEg)C(yYuU(FcCv>99N`3KxWE;zaf^FA<S8$C zOAucO@v}DY6Jdxz6k-sE1SBB^X~;kpa*&(+6s9<(DNkjpQ;T{uq8S0Sp#xp$K_3P% zgb|Ep9Fv&JOy;tXrL1Hv8`;WE_HvM;oa8JQxylXh@PH@0;0+)6Oz>ZV2m78-geE+Z ziB4?dlbGbBCOw(SPA>9Mh+>qY9F?d>P3qE+rnICr?deQ+defi53}+O9Ok^rEnae_! zvXZrIWGg$_%R!EElCxaoDmS>p1D^1LH+<kT!9#05p$JWQA`_k1#3wPyNlkh(lbu}T zqY%X?ML8-_jhfV@Ax&vXYueF?ZuFubgBZpijAa5-n86$tu!I$?VFO#(!5$89gcF?M z0#~@sZSM1!=e*`Up9mJl&o}(YFN7l!(TGJn5|NBlq$3mA_?5gAq$njROGT<ugE};z z2`%`Yc66c}z39gvhVchunZOigFoy*!VFhd0z!r9}hXWkp1ZTLw6|Qre`#k13uX)cW zf`!$7e&iRz5s7HTA|8oIMk>;giER8zUJ6iz5|p6=RrrnC)Tc4cX+>K)(v_a{WgtTt z$r#2nnd!`CK8sn-YSy!v?d)bhhdIt^&U2Y-+~OXOc*ZN<@sY257tZf?_?fUoBq}k9 zOG1*8lC)$bD>=zS0g6z9GE|@nzfqg|G^RPNXiG=B(v!XnWGEvU!+0h$o!QK15zAP` zIySM5UF_o!$2i3~F7YQfxywVI@{+d%@r4lKJp=fOFhn2<F^EF~l8}NlWFQMU$W49< zQ=HP2r!v*4MLinPi~!oufiC<ncJ2ens$$U}H3FW?Q5292Lk1ag8j^qvNwVZ5gA9^$ zPLeZ7&N&YPl5>z8B#Iz8$w)>9Bua+&@h_=oS)QZk-Fxeud;k2ZKD$@1-ZQ&<t<`Jq zH5T3JO@F>%7^4`+M5Z#6Im~Af%UH!aHnNqS?BQDuag>vs<wq`YjT_wNK96|D8}C^I z`8)3ri?}2t2`NZJIx>-soaChdg(yZz%2I(U)Swo1s83^>)0*~lrW?KJ#~_9>lCex+ z3Nr{}9t&B@O4hQ0E$m=7`#H!FPH={BE^?I!ZgG!?JjFxwNKuJKbYc>R1O$+r)C7`| ztOSvV`~*{!5|p7lm8nh$q12-h&1gkCI?<J$^kpDJ7{M4OFohX}F^`2TWhHCbz!r9} zoBbT*2q!p0I2XA}1h=@yL!J^Tj`0(X=)@!r2?!uLsR<+_SqUN!`3a^dB`8CADpQ>h zYEzenG^HhN=|~rP(1!sGW;ml6&t#@Eo4G7t2`gB`*KB4xyV%Ef9OgKuImZRAaGjsI z%LAV9f+%sVfxJx&ViTXlBqJ4R$v_rzkehrIqzJ_+O*tx2jhfV^E)8i)OWM+rF7%)e z0~pM3Ml+ttOlLN8S-=uju!gVM%yxFMkMB6laZYoN3tZtkKXaD{JmCdV;u$}06NA{q zCo#!LMOreDg&gE29|b8waY|E;N>rmJwW&)(n$nWCbfgPC=)(X8Gn~<kXEM{7&0H3+ zgcYn|J)79ZH|*sA-*b$UoaIL@ag7_?=01;j#vAdif&86!h(%lyl7tkbAsv~>Mo#il zfI<|bBxR{U6>3n6I@G5z&1p@0I@66_^kWc18Oc~CGL@OkVLppk#wymak*(}x58rZ# zqnzX{KXQp{+~79%dBii`NMQW@op*>uToRIm6r>>?naD;?@=}086r&_%sX!HKP>VX$ zr!mcGO?x`ijb8L)5JMTsSSB)+nap86i&(}g*0GVT>|_t$a)_gx<SajOiEG^8HurhN zGu}vO{QRAFh(%lyl7tkbAsv~>Mo#ilfI<|bBxR{U6>3n6I@G5z&1p@0I@66_^kWc1 z8Oc~CGL@OkVLppk%1YL<fi3J{H~Trr5l(Q1a4vF{2yStYhdd=xBKH8I5uKRCAprp- zCpCd&Br8GWAwR(sr37UtPi3kTLMZiUL^E2^j!tx?Cw&>n5JoVD2~1%IVa#J8OIgWU zHn4>q>}Ed)Il>9f5Y9!e62UF*@sOuPN^JZ@BRVmOLjnRwPHF<lNLGT#Lw<rON(stP zp2}1wgiz|yh-S2+9i8Y(Px>;DA&g)Q6PUsb!kEWGma>wyY+wsJ*v)<pa)c9{A)Jd` zC4yVr;~`J+KM_QVN;IMqlQ<+GfaIhmkc?y{h&<#cn4*-R4CSdzbwUWG9*t;5E85YC zuJoiY0~x{y#xQ{?%pi<;EMzGwS<41~n=Q6?u$%oH<OnA?LpT??N(8sK$3vbHDT%ot z8qtYK91;*fa#9mWMzRt_9`X}RQA$vT@>HfeA%s$oMl_=p?dU{TdeWDH3}FOgn807j z6#Zs0hp$+|O4hN7ZR}z{hd9P*!nwpXZg89XJmv*albRFW;XUFLKnl{3p3LMRH~9&s zC?zOMMXFJohP0$3-RaK|#xQ{?%pi<;EMzGwS<42tu!G&~=O9No!5PB2$W<b^#XTPK zlt{^pi)chACUHnW0Le*BS~8G@9ONb+1t~&tN>h$XRHG)fsY^qe(vr4xqzgUh!vF>| zoY9PDGSivOTo$l|6|7-Bo7l!q_V6u-IKm0e5Y9!e62UF*@sOuPN^TB_#@oEhd&DCl zNk~B&(vgX51d*G36r>0rQIfJ$pb9mpMIGwXnC7&mJ)P-BFZwZvp^RiK6Pe0P<}jZ{ zEMpbx*vM9PvWIUu#8FOimT)d|l?ZNekB2-ZQVR1xG@=ueI3yr|<fJB$jASK<Jme>s zqLiQv<*7_{LI|ZEjc7(I+R~9O^q>y|7|d`+GoHyzXEt+Lz!Fxln)PgA8{e>(1ANah zPVochxy(=8<PN{^nCC=J=~)PG@eZ+wOG1*6f;6Nf6WPc~UJ6i%Vw9vT6{tcDYEg&! zG^RPNX-{Xm(TjczVkjdS%S5I!lR3<15zAP`IySJCo$TWv$2i3goaZt>ag#gz!egEj zIhC>V7Vi>^IK(FrNk~pA-X|TI`L9lppP82rDMAU#QI(p6QlBQYrV~Br&rrrNjd?6# zH5=K%UJi1S^IYQ=PxxDE*FQ0dPg2s5ksN$LAxiKumHC8F8q$Kcbfi1|7{Um~GnpBL z@fAy0#d<cejh*b~TfXNwXZVrJT;~?|c}(Oqju$bALqd|0ia;`vo!sQ75Fb&R@>C^+ z&uBz*+R}l}bfqVK8ORWZGn#QsWC}9~V;&1x%1YL<fi3J{H~Trr5l(Q1a4vF{2yStY z2Rz{gQQr3*owtcWY~qucWTYZ38OTBoa+8mO6rnh!DMux$@d=;u84YMc3);|u&UB*} z{TRehMlzO(Ol2l>n9pKXu$r&g#8!6jXW6aKAx?3D2=4Qo|48fnBmv1tOJ;HrOi3yc zLIYaRo^JGI2qPKC6y~siWvpc@dpN{N!nwjt?(>)zL=E&^k#~tr0+Nu1OynRhA5w%8 zl%*oo2%!#5XiF!$F@TXwU^??y#zyw=9Y;CKC4S}+k<ytPq7#cGq$3-7DMDFlP@fib zq&xi>!f2*2hp$+|YBsWieH`ZkSGmC*9`KYm(py7#n;66)AxTL^AeqTQ9t!diWvNU} z>d~CGbfyRW7{X{KF_U>LWCd&4$PNy1oO4{^Cii*He`IjHh)V#eNKZEMP>_!(OI2#q zh}L{gABHfNY0PCYtN5Dj?BP3(ah6N`#LwL05zmR5@z1Y=Kf6x;C+>gCxMPukq`XgN za`7P_@iCS8ggP{&Ic@ozUJPV7<Csbq3s}xNwy=u>9OX3UxyCIX@SHa@xn_t>B2o}Y z7IIO5qLij0HK;>lTGN@|r<b-tjASA+na?uTu#xTjqwKNoTfXNwXZVrJT;~?|dCUu< zWOi;7omj*r5y?nRIx>@kJme>sqLid86{tcDYEg&!G@&K!=uCI|F_;mIWfIew!$Ov` zj?L_3FNZkJ8U8Hi^|?X>x46$Eo)bBXu@as4h))ty@ID#HLJ)Z=Kw*kgh6+@rCZW`) z2`y<yXS&mefed97<C)BK!kEuumb04mY+^gR`IbW*<rLvu<~q0eg{MT$>OMjY;*ppX zq$MNS$wLADEQR&?h|-j&GSvwolzKFx8Ljw7X=h(&y3vb%3}PrF8OubbGLt#XXA#R- z#d<cglYM;8an5j_%UtIsx4F+_o)aaT&ve8j9s#5zkjw<}0l|DkSt?VLIy9ms9q2}1 zzF-97nMxQ7SjHMQvV(mb;socoL<DzuM5OHQaYQFJ2}w>`vXYw*DNJ$7P=Ts^!l%@w zA<bw_2R^4ez3I<jhBJnVOk*~4S;#V0vw^Mb;#&@Ll5<?-C;pY()c-CIc)|;!<Z#XL zHZh1zd=it4RHP*XS;#?d@==f?6sI)hs6;htQk%N`HVthzqct7qLJ#`$1;ZK5Bxdpz zi&?=MzGfSHIKWX(agNJe=MIl}PLv?$8!?DS5>k?m%;Y351t>~M%2S!@gix1;G@~t_ z)1BT7VmM=&%xvbfj5Ta#C;K?WaZVG?C9ZRu2RtK6PHP4+h)WVu@iG~dSqLHz`3a^d zB`8CAD)akP*A_|xn$d<%bf+(0Fp>#O=Svo`lCRmu9u9Jxvs~aBKXacayphZK#5=?x zF)2yM%Vbpsk%#;QQ;d?7r6Sb`p$-jbN-Ns)IX&phAcirT2~1@cU$THDtYjUV*v@YD zbBLpy<Sgg8!gYS;K97l%+nT`J#3CL6q$H3`WG6R&B?a^=LP^R|l@LCo5iMv(XS&mu z!Mw^S_3=z*I<uL}0+z6XHN48#>RZ{x0giEo^IYX7_jpXCJjP0N-Xj4?NJ&~Uk%JEi z<|9f|ks5^3fTpyfJ>BTbU`8{US<GiCYuLn2_H&q1{K!>)<`<q3HLv5qdn6<|X~{$m zKA;dKC`VOlQIDpyp))-hz%a%#h1q<?GS;%0Z}^rYoaRTaaFcsH;ssGZaLw{AaY;-H z(vpcB<fS0RDMvN_yHnfms83T`)0tijU?^jl%q-@!lr?N(C;K_V87>mRJsuM|pJ%DW zBq1sIt4XVG2C|TY+~ng`3aS^OIHf5^C0?bPdQECmmxeUuucW1ZZRtoCdeDafyv$(b za7Htp$xLT9FEdxUn3b$&3%mJ_6I|pb4|u_U<hPa+mn5Vn13?s|I2EWy9h%URj`XA- z!x+nS7O<2xY+^g#a-1Kz&SU<gfa`=rBqIYs<fAYp_?Sw3!e33OzV&ECGg{G(&UB|Y z0~o?c#xa@cgfXARtY9r0*vdET;~+;l$q!uMDmS>zFFYaAhrZwO7BPrJLXwh-Kr)e? zT;wB|Vw9pBm8rp})TI&4X+uZ4(u@8KW&~rI#B{=#&tg`vmW^y<7yCKHF-{ZCMXqy) zM?@-U%_TaqNkj?)$wDp)P?XYCpgOf_Ky%vBh29Ke1ml^;T$ZwqZS3O+XSvKxe&IQP z3$}(4kEFa$MuK>i{OUz0Nja)elR7k{Ic<5J*E8_HaRxd&x4YAafed97<C(%tzGMMQ zS;cxbvx7Yx;4mjR%XzNw`$TBF#XTPKlt_hq-XI#$iAfw15I}NL6G%p~5=0*I6HHM` zP=@kUraB>nQjbP7qZRGwL|1y!mw^mn1Y?-M6lM^{JQni%EY-G>wQOJuJJ`*B4swJO zoFSZxTqS~A+~XlniB#Bp5RK@>Bn}A(AUUZCBqLb~A`kfqrYI#SLwPDwoe)B)M<bfi zigt9OD?RDUK!z}aF-%|zGYDfI3t7ra*0O;u>|i(hImi)CaE5R$a+L^fagT>Q#XklT zDJs#3PE6vEfB=${nm{s=l_2tvpJ0kof-;n+GSvwolzKFx8LenXC%V#;z6@jtBN)R3 zrZ9sr=CP2atYj@4*uoBWv!8<;;RI(0=OR~$;1>6I$WtN}HGZNIotVTS0Rbc@HGyO# zD?#KTKfx5G1Z5~sWvUZGDD`MWGg{G(PIRRweHq9QMlgm6OkoCL%wr)-S;<;9u!SA$ zW<Lix!U@h0&PA>g!7c9bkf%f{X8c4WIx&eu0s=@*Y68hfR)WYweu61V3Cd8O%2X$W zQ0mc$X0)Omo#;wW`ZACqj9?5Cn8FOgn8!kvvXZrIU<*6g&3+DYgcF=0oQqr~f?M3< zAy0|)k?|9a=)@!r2?!uLsR<+_SqUN!`3a^dB`8CADpQ>hLa9e1n$e1ObfPOg>B~Td zFoH2mU<xw`V;&1x%1YL<fi3J{H~Trr5l(Q1a4vF{2yStYhdd=xapNZ%(TPbM5)eRg zQWHo<vJyld@)Jx^N>GOKRHiy1gi?=JX{6qaR<xrNUFk_*1~P;Zj9~&(m_ZoxSjbXV zvX%{OVF$a}&q0oGf-{73k*h>-i+eoeDgHsENKuJKbYc>R1O$+r)C7`|tOSvV`~*{! z5|p7lm8nh$q12-h&1gkCI?<J$^kpDJ7{M4OFohX}F^`2TWhHCbz!r9}oBbT*2q!p0 zI2XA}1h=@yL!J_;r12At=={4TruP<?L?k0M>Bz>vnp|E}fTEP9B7c+`+CynbYdX@6 zJ`7?wW0}G%=CPPHY+*kq_<@W3#BCn(g1?pWypxxSqfAUn(vyvs$@6PjQ2EiX^|Hz; zzt%&Pb!kFtI?;pv3}p<HnZaBZvy$~}VHe+Wn3IHanF#Lih!?zB+A}oXBLPWCO$M@& zn*tQ26y>Q(E$Y&kmUN&iy&1@G#xj|i%wsVtS<hB>@hyirML3s<;0_OYPSi5K*AtU? z1dx(IG805T3Q?T0ROS;xX+U$@(wQFgXBgv{!Yt;ogtcsC4~IC(d4A#!kBL&&dm<JA zq$LAc$Vom5QJf0Y<TD!6ica*TFJJIqkr95*IHoX*`7CAy>)6ar_Hl$$gmaZ!JS5V` z&R?SQ9tnA$APQ27s(eNZKBpfen8G|(vW5Me;3D_=TRDGAA}MLeND#r4rYd!5K}UKp zkP%E`77JLx26k|OW1Qm(w|T@H<voKX770i}I<oNrg(*!XYEqYGw4)pS7|K|t@+FH| z!)A7Kkdyq#b?)+nC>31)#3c#ulbPHEQ-X?oLS35Dj;{1)7~`1A92T;Q4eaDwj`0Im zxy2*isOVZIHi=0|db05Wg(yuGLTOAJy3m)QjAu4WSkE^c<_E5Di-){X$?qaI0i+=l zxd^5N75IeDXi9s!F@WJrWG3@j&U$vRpCkOhWo~efXZ)?QXHvu`1?dPPKSe1`B|@l6 zOFpMRBbmyVEM^Ux+07wNa-N^K%M+qhF-~HWh*V@Ci2M|zELHfF2DGFjJsHRdCNPuv zEN4C2*~byiaFGb^^Nhb$^(>S4Bqxw;<fSmBs6Y)uX-sQAr#FKc!xX+`F{{|f4)$|` zOWfokZ&Wj0;*gZIWa9&h@-fv2r7>;kLSKe4fmtkMC7bw$gPh<zKXH$zyjk5^Lp+ia zNLD_eFlDGrE$Y*P4)kCkBbh`P3t7!3c5{$ZoF{^NJR@oi=MeEoP9WL&fTEP43bklJ z3p&!1L5yNDvsuVWHu4PzIKhux=RVJg_KCHKM5H7=S@_Q;$j>N9DXLJLCbXvqUoeJg z%w;(n+09YTagBRCCt6MGJ^{Q>Rz9E@<*7-1TGEC7jASx%Si(AXaDWqB<R%Y^8seNL z5vj>c9t!g@pU{BTbfrHdn8a)rvYIXI<5iBThjX3#yx{Fxjxj07Odg6-ma5dD8J+3N zNG3CvWo%>*#|Y;q?(u@Ze`=lxAPt$xLt)BLl~9_{o*sO`7^d?TE7`<uzUK^=xy=*) zR{Q@Q->Y%{yOpuL$K+%oC;2EuamrGO8q}sCO=-cabWrb1S9;K!ehg$V!x+gJ#xsej z%wRTOvY0h&V=v!xnv49*6aG=&4D~sV7{nt9sYpj=a*&4)DM~5IQ<YlOqXnJl&0xkc zop~&01G_oGIey|kk?Q!}#33nx<lsXJQ=IbDpcZwgPZL_wj?Q$YCoj`aIgr5&XEYO- z!VKo{70X!5*KA@dJJ`iOzT;&MD^GBS@L${h&yHXJb4lAz+~yaa@PG1|wVk(#Njwsh zg7?WtHgZ#dk0?iV>d=(-^k5L9m`oUpS;1O1v4g!F;v_$Eg&W-EF_G%Jo`_Ct5|WHG zWF#B8$VVZHQ<h46LMRPrMjJZOoxXg*2*xpm+017NtJuIcc5{HEoaRTaaFcsHCQ?0r ztK}VHlaS=RPe!tnmx2_dG!?1Nr_`e<t?5WN`tk)M7{^p*GoK}_=4-aFlYJcGIA^)Y zPu$`co)M+KHISIZCx8^ZPe$@kl=6hom=1L3Rr>#0AEq3|I3_ZcnS?Qy1uS7Xt60m| zY+*aQ*vq#Z<S@rL$r;XZo=aRMf?M3<A<u~1z`c)mi9<q?k%kOpB^UWAL~+Vek?MR( zT^iGpc6?4x`ZI)4jAJs>31c3MSk78Dv4cH)$5Bob&SfIF%>$khxuN&XyTm3T$w*Cl zvXYDZ6s9<(DNiM;Q;WJZqB*VUKo@$_k1rU`7$!2EIV@lWYxtVYY-bnyILJ{>agGaI z<py_nz*F96<oe`oVi21IBq1ef$v{?e@&N@YLJ7)Jk!sW=l=?KL1#Rg>H+nOGVT@%W z)0oXX7O|W)Y+x(ju#bZr<rL?*$Te<qmxnwfa%0yq(TPPo5|f-Xr02KEVmk+U$WI|Y z;#Eqim!mS(sl{i!N<;N#w4yzq(}P#(t3HTfziE59Z<OtEOkx@{nZtZuW|49Qt69%R zwz8AInmzh{$5Br6Bd>Bv{W`aKz%!yWabF}B2}s8KWa4Fll=&!33CdBGTGXQnt?5J$ z`ZI*lOkyVUSj;Lmu${de;sob-naj!u?(n!4V2m$(Fwiu7b74+SYk87lD!b$FRZ z%9g*@J1D!+m%)r;A~TrFVpg$%?d;_cCwP?~)Gu(A8{FXmPkE!6Yl^ptNn8?<jDMG; z_FgiOoxB87oR6tO2z6;fYdX<`{tRUdlbOYQma&d4>|#GhIKu^g;%9#036Yw+PKiz| z;*pe81d@dy@)AsO%20u-)FhPpG@&K!=t55hFocneV=^<C!&fX}CF|J4PWE${Q-pJg z2yXKWFZf#v>m>0=OmYIrM0RqMpF)(NEETCn2z6*gOFGbvz6@p*6PdwW7PE>CY-cZr zIKeqCbAx+4A#zKf4Twp6l9Gl$N=EHL<o|>Hg|ro;BxR{U6>3n6I@G5LEonz*y3>b& z3}qA(m_`^2Sk5}Ou!{p6;S}Lq;U@QaN|aXCBw~?(WV}x%g2+c<ew&iED^P<vG^RCO z=*LjTGL<<jVg>8j&VG*a16R1kW8Q4-*prA<WF#jADMe*!(}cEkp%()f%4jAtoB1qd zJzLq$cO2s^SGdW2p7CZIYaj7RPCByl0YxZ76>1PleVWjMHgw=~deE0I7{M4OF^yS# z$yY39IcwR#R(7(7m)Wm8#4%12&J`lK%`ZG5Qd{qx-{-AAX#0Jif9LI(-hX_Ola8$9 z=0l26hDy{Rl!mmRJzeR;7mQ>QGnvN{R<n^E?Bjb*bDnG5;sMWjvz_yTxCD@j^yJ_J z3Q>ac)Zleq&%nzW_{_P`fF`u09i8b;Zw4@gk&I(9GYDfoi&?>1Hn5d%*voeu;UqtB zfvfyBH*DYL7oPBfsO^2m;~m~3J^`d44e7~35PA8KA{3_#6{t#0La9$<n$w1kbfp*l z8O#XAGKuMgF`vb(U@aTj#xC}Ah-3U`a@y;E<TBT}#eE+0f~Xzb%XybLBqBNQlacJ? z;X{g2nu^q*4vlF|XL|Ab4AM4~QH*B_Gnm6yEMX;U*}zu5VIK!M!byJM0#~`g9e&{n zkvdwRc#9asAt6agMIf2T!Cy&U{XV1^WvD<^Y7$C)n$VJVbf!Cf7|2jYF`g;R<VzN? zlvS)}GdtMB0sbgQwV&oku5g1pJmfi1I~g}Ih)ZHpkd{p3ATI?eMk&ful@LCo5zT2! zXS&muFBri%rZ9_nEMf)g*~)Id<BxJo`)R_t#83RpJs$C#D4ku8yu*9MCx8^ZPX@A* zlMg6JQA+YLm8eb#q15AL8Y^4Uj?Q$a4}%!aSSB-*xh!G@>)6ar_Hl?~oZ&oIxWOGB z@|-B2yN-xK91@X?)TAdXx%hqZX)8o=%2J6M)TTa7X+uZ4(wl+&PsuRvbqtf3!CV%x zlCRmu9u9GWa4r+U9Uk(Ws9l`r#3UX8q$H5c1n~jEd_);4Qk_q!M-y7nfv)ssAj25L zBxW*~#jIij+u6tWoFbgdL~w_PJSS>b?~$0qBY>0yl9?brAefIRLq)3dDfMVVD>~4X z-V9&}BN@kJW-y1ZSi(xyv5D>M=3Bn!IA{2g%UtIc_j$|<qIPrs@-DGSKoU}tmW*U0 z7x@UL7^NsjWoqy#b!kL%+R%}%^rAn58Npa4GL>1(Wg*L0&DU&UCwuvhBb?w2;aub@ z5!~WFk9n0B>QTE}Ux-dj;*fv<l9QT$ltBA3k%PPxq!^{CKvhDhLqnR;nvQg%Hv<^L zNX9dTS<Gb-D_F;7cCwE{9ODe<xyns`pL^OK@q#ydcosw~;**4w1d@py<e>mXD9OiE zqB^yxOCws)md^B`AA=dmc&0Loc`Rln>-l}QXxqUa4se(goaH=MxXvx^^OzSz>FJp9 z4(}1408)^K^kgOnc_=_(ic^LPROJ(DQ;){9pe>!~#-F9PK7$y+c&0Ijg{)vbTiMNb z9OEn(xy~IP5viBwP`pcA0!T%AvXO^^d_-9)Q<KkVOe;Floqh~qG?SRgJeIJUjqG3_ z-*b|1uJEtq=D*ngU-{Xu`~KfC1NWUnk9k4V-tIBHOKcL5gp{NuBiYDBK7uJmDauiq z8hlD!8qu6Kbfhc2=+9tAFqTP7Cye<lW(8~6$ToJdpF<quG~rz0Cw}H0k9ba$KGrAR z;XUFLKnmU`16j$*2Na|zCHa_2RHqi7(U4}erUPB*Nk6_|IAfT|G-fl8MJ#6x8`#P> z?BgIuImJ0Ha*dnZ<sr|A+}GMfbYc;Y#3UyT>B&M6dHIkcl%OmXsYVEOXh2h1(Voxg zL0<+jjL}SBDzli&LYA?bui3&*_VOJ^ILQxO;3_w`!vmi3MnBKad7GHTB@xL;O*%4@ zgFF<VFvTfD1*%e$Q0mi!mb9ZY-RZ+XhBAurOkpNpvVf(mVm+JL!5$89m=m1kJXeU| zHox$MNd4W@d5ajtAt6agMIf2TPHys3h>s{ud8+UUwW&vATF{nGbfY%|7{W-#F_{_6 z;VYJ~l67oiJG=Ro?>WvHe&jOOxy5}R^Ma@YT>rdFY!Z-!l%ypi*~mpcf+<ER%2Amb zd`ev!(VRAPq$|DX&tOI{mPt$}jQK2P1#8*JHg>U}LmcBY;auV;e&!yJcutgof9+lx zO}}@EO8_ZJM^<w4Aw?-oMQRXALt4<DuJqvxMlylFn(6w6F`vb(U@aTj#_PPEf&b1K z*ySAC$9Ej&IH!4)@L%hfl-Ib)T^{m`HwIbHd7GHTB_T;kMIf2TMlSLZOfgFGF_oxJ zE$YyKrnI6xo#{>=1~QaUjAsfnn8Q~rVI?oKPPysV`m6D5|IPMp^=~=CY0h(vTRh-7 zZ+_vvOKcL6f<Us6ivkp-G!>~qC@<4c*@AX_PEQ6fjB!k3E(=-4YQAO*JK4*39N{EC zaDl7b<Sq|+M&!XhBM_Zf#3L~&NJ|E?kb~UhBbZ{8raV=tNhtMcN-Ns)IX&ph7Yt`C zlbFFA7O<4ne9abivX}2T!b#3?kw42deQt1@`#j<WQHJ<z$2<H_Pi$jIKoU}tmW*U0 z7x@UL7^NsjWoqy#b!kL%UZ#z*<FEDK&rMhDJ?YCJhB1bTOk+0lSj2MHuz{_7!#)mj zlvAAJBG<UdT^{m`$V06QyiH8vk%-?WsqNGRl8Nl(CLh5Rr6eCyk!pkxN<A9Wf;M!d zE4}E?U`8;ON&Hc!|AY2F>ifU7EzBIuXE7^S%SN`dhwnJTNq*oWKXHruJR#CB$C~KG zB0fn-Ng$aC;sb&yMrkTgjS%Y4fTpyf16}Dwe+Dy>aZF|=b6Lm=*0G5l?ByUw`F&1n zyGR6gdCUu<4)@uYcZp2`l8}<LWFiN7DM&F&^C}h8t5cf>w4ejs>CZ66F_kbDu!67I z&OQ!vnhRX#E>DOu!gWM!5|fII<m5w2P>~QC(2CFL%@>SfGGQ!YHJjPZA&zp2bG*zY z<xjuXUybio`Lp)>Jmrm%jyrD=gE+iQLS<4?{kk2f%tUr_lb=F-L}|)Xg-`gD&uB<9 zTGO7+bfXvj8O#XAFp;UuVlE4Lm1XK{*zlXSSNpbV+sPij<q$_X#W^l<oqv`)_CMqW zZ;o;e@E!?BN*exIGT5Jkd=#NHm8eNwn$ngo^kFcgnape!u!67I&OQ!vnhRX#E>DOu z+Id855|NVhWFrp+`G~SqrY4`!m{xS8JN+2KXeKd}c`RWy8`;4=zUL(2T;V47c|znd z|9o!#*}VN%?fbj;@Gh}QKoU}tmW*U07x@UL7^NsjWoqy#b!kL%+R%}%^rAn58Npa4 zF`Y2xvzQgEWh2|z&F^zS+xHyfG~rw(f;&9r&9RO#@9|fXNWY|{B9KgECpY;iL@`S7 zF_oxB2%*%c2`y<yXS&mefed97<C(%tzGMMQS;cxbvx7Yx;4mjR%XzL4!EJuw36aJb zFK-cpI3y$~zfCIJfn+Bi#VE%o)TbG3`J7%1WH{rPN*D`R&N{ZRivt|x3>Wx`+dSk| zUZ}r0-Z3E-@kvS=GLe(~6rmIqs7`Gf(42O3p*MpV!FZ-IhlQ-*kFs9-7QSIW-*b|1 zu5yb9Jm<{`)-Pg{h!g~pg<KS%D5a@L4MJ(iKT8Yy+tZyvf717le$E)LnZyjfWFae9 z&+Gi>W?-8++`~amaE{B|;2uwjI?;JS90Ev9MuNysQOZ!65bDv4c66mLLm0yp!dS>k zHn4;J9N`QXiQpbji8{&eCk_FmCL=-QrzmBpObGR8MmxIFmm!Q{3Slf{B^%hmevWX4 zi$rjbr~GeD)X6^g5`(xTCIxB9L=N)uA;l<71*%btx-_B%?f9IY^k)d8n7}l`n9mZ{ zu$i6g;}FL=$0e?Fn+H52$`s%Ed6#%3B{k{EN^btYq=45IrUV~TnNJ9%0nKPbN4nFO zFBri%rZAJaEMf)g*vwA$afsub<vdrp#Y3JGb*g(9F-bsDQj?yn<RU+XC{8)5QH#1X zrWOAz9qj*{?(|_G!x+OPW-^z>tYQP(*~3AO^8=T-&K(}{g1=33eG;35BqI$O$w@wn zP>Kpv=Tqv@gjRH*8~qu|7$);)nWfKsmavMi*~%`y<uE6Co!2w)dInz4z`xrJoU=Av z;0o9InY%pT2``8;-Mx=@c#rr5kb?KgKvr^*pTd-+Jk|J=`ZS|0pVN!ic|8LIod?4h z%VcITkHxIwYqqkBZ#m3K&T)wd9`KAPGknh_7V$|+I<k<Hd=#cE6{$uDb!b2{+R%v} z4B*c)RG(3dX9_d<k_9Yf73<l|4)$<>!<^tO=ea@zxA}#qyfM>t$2-I!5y^R<jN~9M z1t~%a%2J7%G@vD&d7alY@b5SSeVm&E7|d`+GoDFIV<vN$$3m8}igj#aD?8cEe!k-{ z$2rY8E^vkG{LEb*@PrpcndNWSyiE*Z6Q4vRAq8njM@F)cot)&Q0EH+@aY|ExYSiL0 z8q=IMbf618>Ca$BGL}h9V>VwhpG7QZEgRX+@3ULmJ`Qk*BOK=xX9?#5SGdm4+~omJ zctMoe=7H$MA}$F?Oj1&inzW=R6aSfH_4*+4@*zbiP8rHmg&KUyXEdZKt!PJQy3>b& z3}qDKnZiuIWC2TA#d<cggFPJJFef-eIG6Z|pSjBep74UGVV+m;F7FYK08)^ajASP_ z1t?4j%2JVPgb+%7n$nVgCGCFGzq5Kz1~81VOkp-(v5d8B<{Q4{2&XyEHE!{M=e#+` z@h3KkNWni#p#53MNj?fuoU&A+2DSM|sc&BsTGEcrbfXvj_=4e#VItF*%{&&doHcA< zE8nn>gB;})=eWo<ZgQ80JR|a#&UvB}i+Cg^IcZ2w7IN|d!4#u3<*7;tq12}_FVkGv zh7NpAcY4#GFBrxs#xa@cgfXARtmLm`y?&e6#y9Nc0N-<*GyKS9u5*j~Jmv*a=Q^Kx zm)ImA2`NcS2C@)DUOuESA5n^ORH7Oo)S&@Q`73FqUwb~M2YndG5JobVNla%BU$K;x ztYahF_=bHP<S3^&$3?Djle;|R8Ik8X?nEaR@kmT^QWHofvXh&96r>2nDMJOSQj^-$ zr7<mNM`wD_k0Fd=BGU+CK1*21IySMLUF_o^M>)w4T;M9Vc$NF=k9khy`JRRG7Vq*N z@km5cQj(SoWF;3blV4egk0?!fs_+T5sYhd4(w;8#VgN%K%|xd2CI3nm>A#HCtY;J3 z*u_2$a)guozy+>ygF8InDKGQJSH{oV#3U|>NJeVXk(nIiAwR(sqZH++Om#vCr5=rG zPHQ^Qm0k>B2qPKK6lO7(g)Cz=>)Fgs_HvM;yiTM@r_93-oaZt>ag)2e%)?*HXUfP6 zT(d;yWnwAgk(lJ9Aw5|LA}=3Ogc6jYJXLs^Pn5N(OGBE{l6G{WE4}E?KgwYHhBJl< zOl2lt@)b*1!CE%3m2cR`L5^~Yb6n&aH@VA0o)LMWaTA?b#3M1uNke)vlbzh;rw|`e zijS#CRcaDSJsQ!RwsfL9eHg?r#xRlTgz-n2uYEDgS<QMjv5jxo%K`pTzPIlrKXBpK zepi(d+~z)yc}|o?z7O*%@2J1`o9+1O0i+-e>B&M6dHIkcl%OmXsYVEOXh2h1(Voxg z!OQef4qyl)8OJ21@iMcNU;bKOpj^r-*0YJ1*{1x4eH`Q%r}>e~L~w^!d8Gd0H`{M6 zwzd(ASBdwV`m45AWukwuFNOB^$wW@_QHbKa%E#)Jsllhzr4h~fZQ9uGNLP9>fY*6F z1Alb}hB#kFFqVl-V-|B+$a2=Ok*$2gUcTcnCpgP_t`Na(e&Gp`miSJ?Tf`s^2}w#S z0?9;na+8l>ic*q~sYEqG2&Ep4X-*qD(v@EHV-Uj`!z89NhXpKWEt}cFUcTcfr#Qz& zu5pvQJmMK|EHxJ1;$7m9kffyKebSSe?BwDDKICNz|5_GTmie{*SC7+wSHBA0M-^)D zDWB1hrnI6xUFb=FzF;_`nZOig@+Avc$|}~gnH}um0EaojS<Z8X2yXKWk9kg%W$rV) zLoDKwkR+reEg8v55Fb#GVw9phRjEZ?n$VICbfp&q8OCTPFqK)%Wg$yh#h+!JKAYIa zH|*sA-*b#p{J`tHo`HYI8949Uyv%ie<{l4uM&#wLL*5}a@d+R~X-G$Aa*&4t6s9<3 zs6bU}5=woV(2{m^raOHYz+gr&mPt%w7GLreOIXP|HnNpn?B{!qbCwId%1`P)bDzgA z+gDh_d5ajtAt6agNm??IojiO<QOZz*2DGIYBbdN!7P6Wx?Byswa+6<p&VQ^lm&D=U zB>~<`a?+5F%w#7w`6*0s%2I)<d_ryN(un4?p(9=CMSlh}g0W0uI$_LbF)LWhMz*q( zy?n<JPH={BE^>{V+~omJh_uQx2i_(Y@dzL#>BvGZ@==J7C_@FRQj<{X(U=zeD`~5L zC%V#;z6@jtBN)R3{!ymbH;cI}W;Gkx$pH>?h99}c9sVox%+GscwK?Q1Vi21I1dxI> zq$e{u$U^}NQ=BqXpei*9r9Mq)Njo~zojwd?2qPHFB&IW)xh!A_D_O@zw(<@8ILI+h z^COpu;5H9<O5`=JH~uWq^@&AX5|V@zq#+%d$j1NH<TSRtd`J<BQ-(@ZBZNBCrwJ`- zM<=?{lYR_hD5Dt96lODzMJ(r4)~Rn{7Y8}YX~Mb8b#C(uPkCdlW63-GKJRIZPhygh zinL@P3pvP5K7uJmY06WD*Lghy|2NOTC$51{sY^qe(TetTraQeEz+gr&mPt$}jQK2P z1#8*JHg>U}LmcBY;auVxH@L$Co)T%DzlRZx=)@u(iAhE(0?AAc^70`?DMbaU5<(ps z(u~%0pbM|_?==HG9g~3!XFSvSlEtiM6Fb?@5zcUt2=4KesOz0C#36vxWF(0E6r~K6 z385a%Xh&E2GMLd!W)@$uob_yFHwQUEI9IvFLn3|coFyg+NKPPG$wM$DC{J}lX+$eJ z(Sv>rW+da8%53JdgjH-{J9|0A3C?ku8~m%e=QWRc!J8Y*A@7lZWTYV@Imkz0ic^+K z)Sx!?X-aE4(v3b0VmM=&%uMF8h~=zdBiq@-0giBra4r+U9Uk(G$QykY;2mO<kffv{ z9a+dpK8jM7O4J~fhP0qP-RR2@Mlpfue902l@n_kj&o*}PE#GsTGo0rtH@U}SB5iWM z@^{`PHVH^VO45>%Y~&&z!4#tu<)};zKIJnS(3DoRr!(E@!$5{Iit$WlI<uL_B9^n7 z^}Nbv^_}eFdrokU%iQ1|Pl&wPScpMf0!T%AvJgaG3Q(Bhl%*n{(TXng;{T5f@Oy_d zp6SeGDeKtAJ`Qt+OWfcWUJz}IdlU&tNqTaSpQ4nZG9lEXIUVT97mQ&V^H|2$?BqL6 zagkd*<v+HXUy_raToj@-)u>AgI@5=tOeBndmZkQuU=8cp#8!5)hXcIK_sXN3<P70l z;0o9InY%pT2``AU&HLtUVi247BqkZDNJ|DXlZ~9@r2xSc;Uh{?mI_p%IyDKU9*t>E z8#>aBm+7tS&tQf#h6zkz24T!&0ZUlPI{s=l>HGh%cQ;U7RsFu`rMKs?GP6V@!@?pp zCBs6+LM0_5^M#D^jTFnb3=>NWlhP6m3yTVqk_w9wO_S0TON|T@6H^P{u`o4JF{#k7 z%=_t%=NV&<J@(mW@4N3g_uO;*j`4A>_5c5YHGgZ)xfXvxKc|>=e8omK^DW!hNjcy1 z0|%(&2tV;NHT=dO)LCPV;O|_>#WdtHuHav$nf>Op<_03@NN2hcOE3D;j|7G?oCkTB zM|qr7o@P4FlgTVz=S|+`J>F+AOZaD&+g?R68~BEuRB(`=IL;}~`NDe*Tuft{at*C$ zOC(+B&R^-Jy_*3HVFXD$LJChYm2_tEGP608|9%B>)M+mBSja~#XBB^Cjke?;+Z(mt zvV-r~&ta-L!70uzc0Hgzfixk6=7e!0k#r`8JLpY314(2!qZ!M1o?r^od7eyOC5N}k zXE7hMk~OU7UuN?^_P1&G{9}8c_Au3);1p-Cb^Kh!rTq7Dnb$PsYFZFRTiSCA(cH#= zD?L2dhkF=EBE$JB4{68!WBYOKlT0O@7s%pu-Xf0$6tIj>`J8oZ<Xd*|9s4;<H77X5 z*<b26^$Fy1t|FA{XhS=0p)0Zcl|I^g|FM0ab{G#aj>k#m-^<gUf0hhh;#KC5%eyRK zF=uk70%t04rUL)FRbZ*Lt&ml$;Y&8Ki86MwhaWgd71h*G%b%RJ&fni~KJ{rx5KU>u zzn7MtZ%sJu=}b57;4b=cA43^V5)(*e8qbr(9NuO=OIX1wirL6^zT*IgI7$ttIlIKM z(}2rpN+_+lk&blYR&Jvwar9#_NlaiOPx3VBWROV~IpndN&)LdO_OO=&9O5WHQ_Csp ztarc4-?@lDn$nC`+{7((p*ub3O<(S1D5H6lRHpF~uk#KIS;{Kb^9{S$$1!R->nmTI z##}{fB8Vi4Xkv(^Cvo&+5JMQv!#u)7CNqs0WRgWTIpmT@J|D1*Pgu?8lu*VF_H%?^ zI7z?;-|uk&^|_SBG^IJ$(~eGb<96<(4|g+w`+1lNq%w_6Uga(FSxh0Hv6fA2V-Nc| z!ZD6>l5<PFUqmCC(UKeJNHlj4#{d!;$v9G&Ogb+zhdkcrBUZ46Qg%|oA%5j|&e>>8 za~W51EjQ4SF5E#J{TRwf9%cfmOlKxp%waD1e8dV?v6l60WhVzY!ZCj3H~!?@uhoDC z1QJ9r*U*CNxrtloLU(%8mwQPdkq3E%iA-e%GkJ;E$Ymaj_>dK>qL|HWXD<giLJfa# z?k4x2)T1GnaRpa#4b2JTM%r^Tw-QSq?&Us)@eq%YLMl^umKT^s4(~9J1uSL>%PC?# z8`;8k_V5!m)N<Bl>n-QgfFMF>PAl4QBkk!(7rGNiKL#_Lhj@gEOyOBxU^Z{EfDb8T z4I3$AH$QNQYJTH1=WS6x8q$;&v?Y?R+(8`u7|bvp;t?h?g=cwzS>*6G^C@5jMXX~3 z-?E+Ee9t}(@)N)C2X(%&CQzSCX-pGZ(1Ba%LU(#{H~kpI5FTJ85Az6Vq?5rb%w`UA zd6)To$j7W;B}IJ67Iv|Z!~D!C&iU4w#U%uB70tPx4s;@h-t=QIBN;~ulbOy;UL%)z ze89)7<V!YE#&;ayH%?Qx%zGg;rYWsyOGmoVi+Bbxl;I@t7^%!)CNGgq4)3st5BZoC ztm1P@DCJvrv6sXA%AcIO)%#9dN-)=OJrQ)~HhOX|iHu|n6L^xT%wQ%jkxee|v49Ww zh!w1*giUN^Cwth-0S<ALpE=G+{^Z<k>PCGor7=wip#^PdM>MhYq%VWGpHV!-SRQ2} z&+r^CkVQ5*<nkViSi*8v@i}Yxnq7Ry0jfB`pPawl8o^~;$#vXBG(EVBdl<ld3}rNr zlFCe8C5Lx-pF&o$mao}P1xKji6zA<w8!jV+R$Nb8+R>3t+{*3r<{lEbpHYlu0;!~t z&WpUt8@x+C3n^eJ%UQ+etmA98vYQ_`L^Z#0n)7yAvuH>Yn$eOQXiq1)aXWFu)1L$q z8NnFFGl^%I!Hdjh4sY=e^H{`cHt{Xn+0FOt;~+<=p_bE}x63iokR~*v6>W*63*G5K zZ{kU07^4`+1Saw%Q+bx>$s(H^a+$~bEM^JI`IOK2f^}@9jNR<z04F#_z;5d;^|+KE zt|XL}gb_}AZYG)-V(G)ZjN~E4@+glpiD!9^7s=us7O{d=e9l@n@C`fJ$1#rc2j`ZX zx74E{O$ntHZMcz+bfFt}(2IK*#1KX@md8kCD$kL{o4n0?EZ_r{@+qHF!X~!yJwI}k zU-_N0_BcK+rZG*qhE}vCl3R(T4|g+w`*?uSj3b3qrjSND8N9-5<}jD}EaF2xW(7qQ zQ^ID-*g-iJ{K#Q`qJ}>>>pRCyAVFM3bFL?XXm00D`fxV`8OkWeGLb1vXC_(9;cedM zV^&hcIySJ0Z`s9Oj_@<bInCMMTLU?h|1~Rck#p0K%L$<cZD>an-ME7|`Z1W{B=IN{ znanhv=Ot$I2JbMR0+zFywUqKLJNcdiRPie(sZ(Jrb1{u+N+_+lkw`idLoebP#0bXm zI8QQ_3|`@N^7w!i6tkH<RPrlz_F9*?jH|hxNV?I7ehgt0<9LE8Oecd^c!NAXU<rk+ zrkGO7*h3}1@(1Vq;Oo+eri2nk1h>$YJBjB$MlhDYlA@i;bG*#!{AcpE*T2t4tY8i6 z+01tKQpqt+aGLY>IbIraCD#(hP29|_^x!V~F_@7&%mh-I&P=j+lYADlj8zn~fp6H& z4;<nczY(zCx<VkqTuU1|5Y6rMrXLS5hVe{d8ZVN~+stPPpYS;)d_y_=I7|({bKU{> zRRj^j^+a$pUAcq1>Bk_3@Bkxuh_R%Q%2b}^d0yldW;2Jkc!zns&tjIaoKN|TFIdM0 zHnEL89HfTRoc*Kw0WP3Em(rLfT*=imrxk69q#HemqaTAAP7;suIFopW8D#Prxh!Hi zt69r>HnNR9?B@uz)H&$bXh0LLp%rb3qzm2YML+IiI7y6W64RN<E4<EJ@>$FZzThji zu!|q4<QOOTlXEMrH(bh@oT<S7Nfih-=0gajC1HdUK_pQ`6GJRLi6fr=B#_83Mv+7^ z<4GZvDWs832AO1$O%A!_k<UU3SV|!)DWaGXO4&>qJ1D1u{Zvv#H8s?7ihx7rICZH< z0|E&mm=Ho~Nf_Zo5J?o##1KnQ;)tg|2_!O%Q6!Pfcv47Z3TdR1K_*#blS3|f<g<_h zmQu({iYTUpQZ`e@4$7%uKb2HbO%1i2BH*z8Q<r))Adnz}2_cl0gb_{zkwg(q46*bi zj(GZ$KqA8!MH0!3Cxuj|kVZNgWRgWTIpmT@J_{*eDTS=0h+;}8Wiw^$pqvW!Q%M!o z)KJSQ0*>fEb*V=K0tq6R5JG857~w<^Nfgn<5KB+uh^IdZBr=RqB$3Q`Qb=VAX{3`u zCRt>YLoRvbvycLoQpie*D5iu`HdDq9%Bf&Kl~hqp4Yiyipi2L#OFbG8ND#q<5K2qJ z2q%I_qKGDjSb7piJpD-^kztG?iDbr;LMl^8Bb^K~$s(H^a>*l~g%q%qLRL~lF(s6; znKE`zP6hj^q>5^4sO1y^NA;h&)T04`1QARKp|m87a3Y8#ifCepr6+O3)1L$q8OA7* zNM<}Kq%wsx(#ar`EV9WVmpt-WNC8VJWF<uuQ$i`5DPsraRIr~)s;H)hT22x0lm1he zdNd%AAc6@Yl$L}MP6Uxe5lsxS^dydW`jbE+!x%*p$&4q3RHl$dIvHe=MK(F)l1DxZ zDPSputfYuyN+@MBW$d7w3ieY;71h*G%P9hm=|6R;M*{*0BA5_DX-OF2L=Z_7(Zmo- zPvVHDKM5o<j8P<!%y?2rWeRDelR+j~WRpWKdE~Q@0+v$9N{T3^gi<zB#tzD<U_X^q zQB4iCoFbrF|EWto8W2bj!GsV>OTq{zf=Hr>CWcsg5=T7!Ng$D7j3S9-#*;!SQ%ED7 z3^K_gn;de<BcFv7u#`epQbaK&l(LyJc2G_Q`>CXgYHFzE6ahc$KXs``0|E&mm=Ho~ zNf_Zo5J?o##1KnQ;)tg|2_!O%Q6!Pfcv47Z3TdR1K_*#blS3|f<g<_hmQu({iYTUp zQZ`e@4$7%uKb2HbO%1i2BH$POr!MtqKp;T`6GA902_u{cB8eiJ7-H#39P#ugfkcKe ziX@U5PYS6_A&qo0$Rvwwa>yl*d=^r`QVLl~5yg~H%4W*gK{*xdr;;kFsiBrr1pKQ1 z)TJH`2qcJLLI|ZLVT2PwBvC{YLo7XsBcA>wkjOAbkwh}%Ng<Ufq>)YrnPibo4!Pu! z&q4}VN+ByLqL>m&*-RNbD5rw`R8mDXHPmv7fExX$F7;?YAVCBZLMSZ>Bb*2#i6WX9 zV(Cd7@$@HwM20bnB$63V3aLyXjdU`|B#Ufv$R&?_7E-`c3Ry`J#gtIWX3E$>ITh@u zk}9gHp_Wqw9M^y9QjZ1%5=1Z|gwm2Q!igY~D58lWmY&2BPk$0fWEi7JBAM}|kjfO& zNGF3#vdAWfT=K|gAq6a@kd+isObMlIri>kwQ^9^JsiK-1YB@!~3H_%o^=LpKK?D;* zC@l#ioCqR`BAOUt=}8>%^e2HthB1mHk{M45sZ1e_bTY^!i)?bpC69a-QovFQSxFJa zlu*iM%Gg0U73`;yDypfWmQw`$rvKEX9t{X2h+skpr6pm66G0?VL=!_SJ&7Zp{v?pd zFh-F?GUG`hl_{i=P6nA|kxdS{<dM%p3Rp@ZD=DIw5=z-j89OMag8fudMKv|la*BXj z{iiPVXh0xA1QS9iEeRu>2qK9hniyi~NgVO?CxJwUF^VLT8BYqSOd*YQGRP#0Y;wpY zk9-zVz)}iXNfE`AP|9Y?IFmCKI8%ZDS_O8PN99zopGvBzriNNh5pdEPLS5?7fIxx> zCWKI05=J-?L=r_bF~ri7IO6F~0*MS`6iFmAo)l7<LK^90kVzKV<d91q`7ES>r4+J~ zB8n-Yl+Bc}gK{d^PbF1UQ$sDM2>4z9sY^W?5J(Wggb+$g!U!jVNTP@)hFE$MM?C#W zAdz8=B8g<ilR_#}NF$vLGRY#F9CFDcpM?~#ltNZgL@_0lvY9e=P)-H=sicZ(YN+KD z0e|Q}b*V=K0tq6R5JG857~w<^Nfgn<5KB+uh^IdZBr=RqB$3Q`Qb=VAX{3`uCRt>Y zLoRvbvycLoQpie*D5iu`HdDq9%Bf&Kl~hqp4Yiyi;FSJTmwGfHkRXByA(WPc5l#e= zL=jC4vGgR4c>0q-BEuL(63L7wg;b`HMmiZ}l0`N-<dR1|3n^eJg{-8AVoE4wGiB_c zoC@|+Nfp)9P|GO-{?vc!QjZ1%5=1Z|gwm2Q!igY~D58lWmY&2BPk$0fWEi7JBAM}| zkjfO&NGF3#vdAWfT=K|gAq6a@kd+isObMlIri>kwQ^9^JsiK-1YB@!~Y5k`z^=LpK zK?D;*C@l#ioCqR`BAOUt=}8>%^e2HthB1mHk{M45sZ1e_bTY^!i)?bpC69a-QovFQ zSxFJalu*iM%Gg0U73`;yDypfWmQ(l%qdMnOmwGfHkRXByA(WPc5l#e=L=jC4vGgR4 zc>0q-BEuL(63L7wg;b`HMmiZ}l0`N-yvG7Q;3Jmt39DJdmwd(7e8YBj^F8}G$Pte5 zE5Gpvbpp<+a}Iy!LN2Buml48sTu)ot(UDHv%5B_1FYe+V25=uk8P0=@VH^{f$df$H zG-fc9mzc$Cyun=FWj>4ekdIlxDn4f|>)FT_wz88w?BxK5ILgl)=Olk})>&uOIgj(X zh)Zb1<us)k*K!@#)0TF0q!YJt8+Xu)ySRq|+{aLc^B`jw#{?$wBu_Jq8O-D*X7L(t zFqe0k&munLV^*+=&socQHnN4S>|_snIlv)~@-xRd$)B8cwsU_bXDaZ&c?Hfh&M%@7 zS8*L}=|C55=PvH!LB{epPcoGmyvQu(Fqe5OVhJnwob_yCE4$gtA%5m}0?u)5p+12$ zA%y0%p*>M_C6?aAGmu0^ki;XT@Dyo0M<%b5!`tLjz%o|yC0|p<E-LtuDt@7s)0}(m zS#>U;0gVafYFg5U2yP~t?)0QD14(2Q$)xZUX*@?Jukt4O6i~=&iYcXxUHrgdexa7r zoO_<*q5+M$lIDbQBaw6_hMx4LKZ6;@Xp%|cDbje3OtQ)4Jr?p2%UQ)2e8ncp*vWV7 zqmrZi!fyop%{7#ITtZ`-ay2ao<0c~ML|1O7CwFl#gGgjJqZ!9zJjpXW%L}|hHgE7Y z^H|7-EaOv(Sj$&zqKut<$37}KN)0DD%{hNJM!ASfxr|_%(VW(V(~c-^r8~XoOFt4A z$_O4JnF&0>WTx{xnatvK-r_wL@e#{e$>)5@1~#*mU3|}e4)GJeQp=y5UDtV_9+%LV zD+u9QT5$srbfh!gh@}^O=|=)X8O0bL;c-%Vn&~`GCbM{*x5#5YAFzZ%R<VY4l(L0w z?52VP9Of7`oa8j;obP;a5tniq!8D^etqG?cH`9d}?w~h!)1UjepOGXnj>nk96sGYU zFYzjK$mLxYu$ZN+U^QP*!bZMfJLT-<M~+a<aen8l3(l(ZH!kE78gm69TuUo%AcBr` zrW>*JqA&eOU??Mah-4=41d~Z)1~2dm*}TEq%wr)RvW!nDVl7{>i86Nb9s8){7&V+E z;6h`IdR#(dt{{YKX~hjh(2>q`BbHwDr5_0lWdskA%mkibGHE<dCbM{*x5#5YAFzZ% zR<VY4l(L0w?52VPRPi$>_=A9Y?tQs{i)lm?t|FA{Xv0lJ(uo-EB#wI+z+moY1P}2D zkCVzYp5sNbc#T}<v5*g0#;2@d9i?nx8@s9C0Ean74JSFxc^A2Nr#=k{qAAU2PHVzx z$IWyhhCAp@JOfE&1WAnJah_x<GkB3%%waC`Si}-m@EL2_z!tW%haafqCu;befcoYE z^|+KEt|XLJgwviVx)Muo;u**ghVu~Pc$_Es_cGP<>CEJ1W|PBQ-em!cS;`7l^93br z<QulJoA24rA%5alYB|MO7wa1ra4~`WmCLnPay89qMH_CUJvY;tf1R!#>;7*%{;ywm zX8(U|1@3eX`qG~vj9?7onZz^9Ad}g=$-69M37_ye>-d_jl=B0JIL2{Kadrc9nv3~o z8rg2jwX~rF(fmgf>$Sb;OFt4A$_O4JnF&0>WYU<y3%o)$Z}2wrSjdMg<5P-Q%U5io zjGcVPJ}NoNFZ{+S&bq{0;X)eFh$dV`DA&=3n~0<f-RVU<gSejuNoFEbc$OEKMGo(< zfDb9;GrnX4|Iw6r?N0WvmjfK)C_i(Yll+xGwP#=I8cBT`(u8LGmFC*(xseWZ<~DlJ zhj<1snBgQbj>nipIxmsUTo&+eWr@c>;d4sZ#5VS@pCkOjNdg)=Uh30`V6LGRZ8?)O z75M*i1tN{%&cx7zIPN8Z`x(W<jOPg^GmYoSWEOLn%X=*3Lzc6OFIdkewz8WF4se8@ z`Heq0C(!!N#Wdmyn$d#mxrs<R(~UdmO*{h`!f-~D%wweT4C%Z;7O(Lpc`RTtOIXgQ ze8v~7V*{J`mL2Tj2M$uj&z#^70vfsRq#g}v!j*(_9cS{tUIlJ&UT&m4H`AG0xs4w5 zrZ4w0kik5_D3VC#Q649ir<ukKGRP#0Y;wpYk9^)|F-us^r+mg2tf!RCl(B<yD%ejY zRaA4F-w9~!y)f!hj|K!1L{mZtr6pm6)1I5@Ojo+|pGgm|?@eF&Gno4sNfP6Dj3<~( z8Z(&5%giQ+T;62?i&@GFR`UfVl(L0w?52VP9Of7`oa8j;T;_WXE~YV85W=;z;s*Y! ziSRih>CCOf5KB+uh^IdZBr<{|9wCLN_&+^qYLNc_VI4Aj?H75OS!6SZH<?Qw^H{(l z3RuE2R<M%KSi@RM*ud9pp^WY9Vh<JU<3|or#W8;2IJNx2Y0e5VpZPl%a1jk?NMkN1 zn5(#&YiUVq+R&B=I&d?ch^8Cexr3hcp)dE)pFs>}D8m@ZXvUDtqddk$Qkl#%Oe3A= zd4ZS6Vm7by2D!Y$d(3Aci}{F;DdbaD^Et(=<103@nQz&~PRjY7A2>iINBD`Kso^(% z=T8DIw>I!M&Ziz1b197o;tH;$8KJbG71tBaO|+*YQFNgzw-L*o^yV(&>Bm6sBasIf z!Gk0*mPeRC3X^z>r%B^ko?|ANyuz!zMh<WBHt&+p`+UHMEM+;Lu!<tS;7it1$|k;H zD?8ZDckE?92RY19s`-@@oa7XBn)tqs^Qg;()aMccxr`<>C4_5e&UJ)w12@u+NN%As zw-Uqc^q?1U+|9iVAb}y=&u~WZ5Dzns@jT8GJjoQMGMyP@@FFiWi)`lbCUePS9t&7R z0ZUlM3RdzNYgkJO8~B<nl(C&%?4g2v{Kz4yIL0p=r<OlB%~@BN|NNZ`xQGTcq%oHh z%vD^?wX~!)ZD>mb9k`iJMAMD#+(A$J(3gAY&maaflwpiyG-F8SQ66I=sZ8b>rjgF` zyueFjF`L(UgIwO>J?68J#eBra6!Iyn`J7_b@f91{%(rY~C*^$44;-M9BmBhA)bJa> z^Ctnp=0AVqeClyAm(qwJuHZ_V5lRbMaXsPOM0+|CMHjkq8?oF;Z|)+VehlP35_y0T zJV+8_d4vh1Fo~ylnlzr}IcAc{E4<2U<nR`6^Dg<k&j)<SQkL@xt0>|NzGOY6Y~mZX zvV+}x$6oexki#6MnqN7=NlxJhV(OgDdDP`X>T?N!Tt*X`62dh!=Q_f;fg5Q@B)8C+ zTZ!RzdeDnF?&e+wkiZb`XE>vHh=&=+cpm2oo@5GBna&I{c#)TxMK*JIley$Ej|D8E zfF&$r1uOZCHLRtC4SdZO%Gk~>_E5n-e&i5U9OD;`Q_CNm=Bz8tfBwz|TtovJ(wNH$ z<|?k{T3XVYHnb&z4%|#9qUlC=?w}`q=*vCyXApxK$}mPUnlU8vD339bR3`Hb(@5ue zUf?CNn9b|FK`!s`9`jkqVm{(y3i*`Pd`>az_==5e=3BP0lXAZ22M$ol5q{!lYWR)c z`ICUF%zysI`PAcLE~ODcT)~wzBa{}j;(EfliS~3PiY|2JHe$Jx-rPkz{TRr7B=P_w zc#tH<@(2@1VG>XAG-*7`bIc@@S9q1z$l)#C=3Vl6pAYzur7Y(YR#C(ke93xB*~B+& zWe2<Yj=k*XAcr|hHNSF#lboVXi22WX)a63za|wZ5MiZJ6!ZkGKI>NYt8)-)*x6qke ziQ#s7(2F?k=3WMnz!2`||4D}XxX~mto)l7<LK^90kVzKV<d91q`7ES>r4+J~B8n-Y zl+Bc}gK{d^PbF1UQ$sDM2xw;RQ<r))Adnz}2_cl0gb_{zkwg(q46*bij(GZ$KqA8! zMH0!3Cxuj|kVZNgWRgWTIpmT@J_{*eDTS=0h+;}8Wiw^$pqvW!Q%M!o)KJSQ0<PA7 z>Qave1QJ9rA%xPBFv5u-k|?5yA(o!R5l?>-NMsnJNFtf>q>#!K(nu$ROtQ!(hg|Z= zXCVbFrI3{rQA`P?Y^IDIlvBZeDygEH8frO3z%}|$UFy+*K!OM+giu-%MmP~f5=AsI z#L|;E;^|KUi40>DNhC9#6jGT&8tG(^Nfz1UkV_u<ETn*?6ta>ciYcL#&6Kf&aw^zQ zB~?^YLoKHW2-Sb;QjZ1%5=1Z|gwm2Q!igY~D58lWmY&2BPk$0fWEi7JBAM}|kjfO& zNGF3#vdAWfT=K|gAq6a@kd+isObMlIri>kwQ^A@1*DJ7J9S?Gtqg3-NCpgI|{GfK7 zvpJ8tTu6N`A&|>xLQ_JxhUQ#H7&mYu?TF+SI&&*A+)fXA5y#!!%K#D>!u<?q6c6z* z;~3B5Ji(JpVJg#^K?X1KGPB5L4sSA-Jm#^0MHH}vWvpN&pRtCul(2!X*+LoH*~K0z z*vF3?qKaeu!f|T(gVUVV+#KcaT);&%pdpR9oM5ivYObXvt!YDBBIv-)bRwE=bmtCw z(ucm>Lw^P_n4t_~B%>KaGLP~Y6G>$<&oGU2p63N#B8%C)&Ku<N4(~Cag)HVHKBkaQ zS<UAZvyQLW$Y#D}8#^iIdw$>ml^o$Gex`=s_?<rqXyN{pzi~eGxR^_6L=abSCCvz> z1+BQAaBiYK9f_g~UAc`|?xZ(&5l=q`avzC2zz7~BiLpGw1X7s9Q#?%?&+;5I$>bGY z<u!76i??}~eBS2+K4dA&`Gi#z@daP9o>DgP4O`j4ZoXqL`#H#Aj#AC9oZuv<sMFH? z=RE3iA@#Y0KrW*RO$p%|nsXgt+`x^rBa&O_%&o+5J3Z({9Cvds14v*9_cNSPJjBC{ zV?2-Z1Wz)BsZ3`E8NA5L%p#jPyvbbhn8yMZQNR+Gv4WL+#v0aA!Un!(3uSC)7kj8+ zA3t)4Dvt3B$EoEHPIK0E=0AVu0xqHf4Qb5f1alQvb1f}tO&i)0K?iQ86VY^|J9p5N zKJ?`t`ZI{Z3}qN28O<1yd6dVPNGg+ghH3okq<bubOtQ!(hg{xa9`Cc5B`jklYbfDs z%Gkko{J@V?QB4iCoFbr=dQq491k!{MTF{1eL~}d6iDw{*jNoA&<0+=|BC~jdcUV9H z%UQ)**0Ygs*ui)F$WPSp2d6o=wPWK#F6L4iaXD9VHO&d5EgiUpE_9_kJ?O*T^e2I# z4Cg_{FpddK<Vl`pI?t2IEaotmc`RZH|5ge;Uc`E~u!9N?@)N&tn)AYpPa5$r)71Xe zT*nQxCyK7b(wl!T@tz+*A|n{XqfBHn(|DeLCe!w-<nR{xEM_^YIg|gn6<Dk0U$KcY zcJl*=sOC7o<CpyEoXdqY;4-e{8d`Ea5p<+8x6zZkxR*iP&x0g0fhTyHbYA3D=8(&~ zEaXF$@hNNAz&C8CoW1<W5vn;!KpW$odNd@6rd-W+w4ohQ+)8)uq%Q*)%ma*O94S1> zGdxQMuaLvLEZ{>v;WLU^&)00FoP8YT7&V+E;0D(Y>eG-Qt|FAygwug2y3vC^#4~`w zJisW%@Cc9d6w}Dy6<+5Z@>#@EKBb6te9czM*~ejyQNu}2b56K=(ugZ*K{y@h%ALe9 zh!KosJQI0}sbug9uQQi?7PE}cDB)YmIY>3X5zyASBao&v=LXu-i5PluFGCs4qddh_ z(s_kB<gtile9l*V%Xb{2hB`O8p3{h6uAvoeiQ+bTayJ7RPBN32&P(JlkB?YE5$pMe zom6m;YEE+YP40KOlq(3OH8;|MPQ-90eHlO^BS~f=&+t4i^B>I|ubs<#yw67zvYKMP zVl&$)r-J<)rkWG{PMrwr19hp##Wdmyn$d#mxrvT+;Wqj(fFTTLEEAc`KQqntOkQR- zZ}1NDS<J_L${N<QiLLBrF9$iwubkvG=eBc>X+UFwxt7+16G<1k(}(^HWi*eH$~0ae zo3~lOM|?^#U$L2Ol(U~IsyV?QoYmeMz(q9Va;~NYZMca@I?;_g=)=7XB9Y;YW-Jq! z#M3;>OkUwN-Xf3re83V4S;ZRGv5{}t!5)6#AXWUrN&e)l4%S%C=OQkl5tq}9*4)5N zbfgQnaVK}tkNbFl2N}x*Ch;`S@;oo{DmlDOK8sk&3O-{k8`#1&c2U88DyiZZYB|N( zk;W<Y38V>E(~5A~6Gc~gGmue?X9_Qn!va2F8LRn%b!=c0-?E+Ee9r-n@H4;Rm*wl! z<zgChCD+oHPTavg{Etk6&;J0U8Al3}na)hIn8Vx5r-0?GW-X<B%P#g($uUmwC+FU5 z?dDQ0CxjNXp&e0lqX&1<pCOE34C9%^Gt3~9*}TcSEMy6v@Hr)HVjFwd&k=s%BmuXW zZ`7v|!CXTtZXkk=oXMFA{LiRBCu6M}vGk%Z{YYRaBY22p9wU`!NaqEzc%59{<3F2) zKITIT`HU~w$Tw`~JN8k@F={x;Y0ir>k7!5`O}UyDgmDv*bfPP_)04Znmq8>loY9PB z0#7iRG-mJuuaM0fyv_R*u!7ZmK?xiAhV7JdfWsW4hLfD;yiTtFTtZ{6AcSja#SKKz zk<N4@mR|Iw9|;U)1P_tSM4n<Q|B<A7T_)M&l1~AJ6j8!vc2Gej)zlKu+4X}41kseM zX+aomX~&tIslb1$0v(NyPITpVdJ@My3}groFp4pZ<1r>NnKWiFlb4yz9CCS=1uSMM zg{)!?>)60%wz7-w*heK*{LBe{r%o6564d1)E~PP75W=;z;s$Oal1_A`J9iStJq%zl z4=|D>#xa2>n9NktnaNAM${ccemj!&l5(-(x=X}Xu*`VD-89Uj-4;<tO)g0#}r#UCu zeF^orgvMM!2-nh@wsathuEf%tyBWX`hB2CCCNPPonN9{TGn+Sfhxsh#V?LpXFDYdU z+u6fDD*1^TPEzMq>nIn{fW}-wGg=VFjYQI!7<%wmdTa0g$M#?Q{r|=GeYWra7yBb^ zCy~sAe?0z#b~0(CGn1E@O%8K;mjx{5uPpsXyF$B~HLRnQ&1~hb?9zVEekwW2FPz{H z0=nuq7jQ9wG$DlMw5BZ`=tNgy>CN2?U<kt)O)?Xh#M4YCgO|zXP4bw}Vm{_miujUJ zzF|9i*heKlQNu~<baTvHKm!_c1<h!|_1r{9I`LP!YH#OG;{Ng2Uyt8odmux2fKiNL z9FOr=CTXWIjTyYaD`fLm-q6nFJ>I8)rL15zU$Bl+wy>35e9t~AIm*wR;1BA=SR*)} z`ZOenVE#%oZF5?2!#^I2&_>dUu5{<G-1(38|K9OOAN%nP;6CnWBuV_0aoPzy!DP}% zXC^N*n>pn2F7x?-B`jwppR<;)*u=N&U=KfVkSc!WH~!?D+pLMyCy*vw#kI61oc2U< zE4R~&zVv4>5AYyknZP8TW;z+XOg3-u4)a;eQa+)GwQOJu+bHJ;4sw)VspT~1b~g@b zKx3M46`@?m_1s7YqKM`;deED@=}!Vf8Nq1AGM*Hk<QbkNgO`}a>%2uC`7Giimh&k^ ztYtl4^DWycXD<gh%rSnYmOnZBcI!9wxP;4S$~Cm44H4W-7jEND;<%RthBA^dJVFXj zF_js-$SmeCm-kr6M-;M(FIdke%GgB(2ROpdoZu8^$2w*%q9H+CNhqxdr#-iDE4R~& zzVv4>!+4OfOyCKoFrDXliP_}vHu)@K2`l)FwQOKB+bHJ;4sw)VImv0xy~EhyVj6J; zAv7n9wsfEqU5TYP@eCx95sYCxlX#kRUgTABc!vcPu$<Ktvw?5e!T0<~6~FR3XZ0{2 zxtK--a}BKsrvsh2jXUYf0ERGvF+9o>Jk7Jbz%1tQHuEW9Iji}C^=x7*yQttts`#1T z_>;5mbbQpOA(wL%p|m2LcHF|P+)gj<rayxj#%RVefk`~gbTW9E*}TC!<nsYbS;1$l z<tsL`jdFgVlArizj@$nIul=6RJ?B%Oh6K@+t7$<PZE4RfL~|QGh~pjxGK66~$iqC! z<D~L5(|MjuX7M_2k;i;KU<rk+Vh!sk<r}tB&R%}x2-O_t4+46*7IOg?6UgOU$u+d( zdTyixQQS&*?j(+T7|0NY@gNT~o{2ogRMMHr%gkmDxxC8)7PFKUtmX?!*vL0*r<}d~ z$PubJ!5;+l))y||Vgk9Gs|e*f+Hez*bfOz~(1&{%#85^uhDVvmWTx>vFEN`pc!vcP zu#A<gp@gp~V<+EpfFu0OZ~VzQeT*Y6rV&@rj22waO?0FS-RVhR`ZJhej3$}Kd6KEj z;6-LJhq=sS5ldLXXRKudTiDJX_Hl?~9On<tiZfTKPasVQp*dmPNC!I6jXUVWJq%(f zBN@Y^Ok^_Cc%GM-%^T#gfC84Wk~Ng@HCx%uUJi1UUpYy@U9Kb4rxC$iLo3=6Nf)}) zi+BccKM#^j3X_@6OtP56+stP%%UDG*8~BEuRB(`=IL;}~>1#}K2|-*%bK203D7w*u zyXemlM)EKdNM$O|@e;4{&&;u%OCI?wq=2OqvXUZ-S<gncu$7(cVJ`<b#8H0X1iy2d zv+wqEa9lurE~PQSG^07K38x)5(}fuBpbzm3U@#9biZMLG<D@c$X*|b^WbqnrlE*@p zP{=BZ`HD?!WjFgcL^ZXX=I`<D@dzS>=3GxZI?;_D+)V-x@GvPnLk6$%26?>CM|?^# zo7lxZs`!n7d(3SDX-ae2(4JfANjf-$5pl?-N)!@GRIa@Mect$fEpexc62&I^~* zoEy1??%c&dhVv-TFpU>@h1ZzNJQlHxRjlJ%cCm+j9HyG%)bb|*{nVF>XhbmAa2;)E zO9UP0L<~LX!@Ue(FvEF>M|pxYW|GOPyg?rCQ$Qg_tY;HD*vnz6IY~f&$3}e`6HF+r zXiFr~+{rx*;(i_^na6mNG-i-VHglQB5>``8Dc`V@3J!9V8vf**0mcIjxQwf~j+^Mj z?ew7^LwS&gd6X2MVj3B|Og3+j$3m8|nlIVRE`Fej6P!Iz9cV%*tq7+B(cD2_1~Ht6 zd7LRs<9V`plX)y+37_yeC49|R%Gt*uj`9m92^i#jP>(=@xt8mRAd1`QLtpM?5Qz+D zG-DahM4n<Q>CEJ1W|PBQ-s62fqL9y6%U5h+JKwRNLsat{r#UyldPhToX+ay>(V5$c zV*vLview&R3e$Lj*}Tbo3Ruo+)>6v1>|!sK9OF2DaMpdUyIf3Tni5KDZloj8+)i)q zVIU8X!~{~A%5%I#HgEABi&(~Il(2<e?4yd~oaXO?jax3~YFZLbd!o6G-t;4phe+me zo?;r$k;$v%@D2<3kU~D=OEyx*Zhqhp)g0$Ee;?vlxSXqLO$42Y<!%Ntlu?Z3F`i@^ zFY+4i@Bu3*W+U79p8Xu+Cw}EL=O-GoTtzD)=t3-aF^~sHVmwch&MUmhe3nwgMt1Te zzu+ICuX7<mTtgc=(1lp;W-z09oM~i{%OY0rC0i)x07p5&pPYNY&(Eb?P6#b%Lp!3l zmG0b0UlJI}I8u3z*T`oXYboP<4)Yu5KHxe)W3C~b4s@m)vGk%Z{TR$hk{HW)Ch-h2 z$YeHe@;)mlVH4Zf!;k#L3F-`U44hAW8WKcPLTOD~BI(R+^q>#%3}7(BNn#u+OeT#P zyud4D^9Fgm&qsXBCwxXR>)Fh9zULrS{7fzW<AFMV<3cXwa<1fB!nl!0Iuk=r;u*;O zjAks4@g&bMgG^@g7V}uh5<cMzzT#WH;~>?X<m?f?hvEV*p$W}sMO)f)3!S-@81AGm zgBZpb#xsd2%;aTelfzuz<9!PFm_k;uhIN#(g&pi+KL@Ge7{Bme$#Eb5`(K}9r18S} z{FVCJh6K@+t7$<PZE4RfL~|QG=tDeb@?WdK05u%U1B_w}kMKBuB~|-0)5#!{S-j3$ z<T0NQSVAGISi?F>`DeD+-o|b!IKW|!@mFfJC;zcsXOuBQJsJ|snVhM>nF{>BTY+Zg zRZH5?jwrg(gS+U@5JoVD@l4_wW{}Bj-sD~WFLvz$%8H|57d4uE2|<Eua0UtP?hxGF z-QC^Y-5r9vOkj|}00Y6@A$V{L9^gKl%fHsYzV*wob<a8Xq!!P-)xCGm?yjz`uHMXQ zHW9=g4sx7xT;(<odBHnEw=}mTGBJopVp5WhtmLK;B`8ld>e7T(bfgFU8OB(qFq?%e zXB~m;WFJR3%_VMdkEgumBjH<_9}tbWBqo4#WF-%UDM<yYQ=ewEp)<W0$Oy(Wjkzpg z6&u;cZVqsavs~d84|vX7KJis+;~~+BM-ozzf$Zd?D5a@HO&ZXgc66l=gBis{X0U+e ztmhYYv7aNH<`Or!$5USOfpBfiS%^v;5)nW;vXY0wl%xXHsYf%~(T%<gVKkGN$pV(K zmM!dHFNZkE1+H<2NBqfq!nF0=MigT41IhW3%;cgVKT(dV)S)r0=tvL#rSw-H%y33C zp2<vSHuG7`3f8fO?d;_+|0k4__VYYfxy5~+@`}F*)6QI(?}$n);**4wq$3Nt$WIYU zQl2W*q5;ilLnnIBk0Fd=0@IkoB9^n3%>=QV5Ds&Kb6n;+cX`AM-tviX?ezm96N9)U zA_YH^i5%pk2qh^`Rch0aX0)a~UFglfRr*^$gb|Ek0#lg592T&Ie=f_dTl;UU|L6Dp zz5I6z{M`b7x4?hY0-KE^LF^`kBb?#_*SO6Cp7WMa9gOKjA_nnEN@_BZi$av5GIeN5 zJG#@K;f!Yn3t7n~cCepgoaZ|CdBI<V@91-h#SbLsM>3O(LX@N;HEBpoI?|JY3}*r} zS;Pu9u#J8EUH<D^;HdUG$yqLbX}hcP26wp6W1jPhcYGvFC-YIhB@$7INnCy)2`NZT zIx>-sToj-frTJVc%4%QgwZG)&^$ot%o61(Srwcvl$6!V<mPvdr)8!l%vh>TkRbO)b zm;5hp{HGsV{*BkRe_6NZOCI==N9AcQep&uq-uY60_$5F8`sZKjZ@%QmFBz`$|GTf> zeaYxD?w5L^FZp@<6zV^ci5y?n=aWS!NqMSLn}&QY&1G9U)AP%^{&FaznfPVh%rCi6 zE@KUw*v7By=P)NZ&*ySg-r_z_dBtCZ>EaoVNJJ+tiAceZWFiOo__s<C>q}7f%j=b7 zb?VTNW_&KKWe2*_i~bB@B;%OO4Cb<kWvpfcfo$jhZ)LY*I`ltqT&HY%k?Z`yV_xzX zVY-?}6NOkLB!Ki}CqKn0OBHI<nAUWrH-j0?BxbUJ<*a8byE(`S&T@(0xy^l^@F#Ei z$Um2`-RvU~`JNcWApwa=PAbxpk*wq-F9j(|3Cd7`D%7A34QN6O+R%Y6^q>y|7{Um~ zFo7w|U=9md!g5x#p3Q7!2fNwFL5^^evs~mVH@L%n9`l@6yyGKbx*LP}mPkY;CUN<J zB%~lU>BvMja*>Zh6r&_%sYq37QkRA_r6q0YNLPB&mw^mrBx9M#e`}d)o7pU3HJjN< z2*<g=4Ic0(ANZ<=XFL9-#8yvCDl(Fb!jz^8b!kR>dN7btOy+Z$EtjyG&FmzE<6Phd z5BQT0eAUzE6PwQ^p-f2za!`<xRH8ObXiGQxGlGfCVj;^|!zQ-zEBiUjNzQYXTioX< zulS2Fy^Os?B06zN#D8r`;k{|eL^g7fkHY*!87fkZ+BD){m)4d$(2YI}VmM=&%uMF7 zgq5sg3)|UE2uC={d9HGkdpzMK?+M-8cMwD)4)IAy5&}p|W^$5`B9x>&Rj5S+n$nt% zbfXW07|vKGGlO|7VI}JcWE(s9m0<RBkmH=^cmCiBuldB+eViL&@&n09OIGqwgwj-^ z7L900M|v`lkxXP7|6FEUw}_Q&B#1ry#z`)6oqIgv4Wat#Gejm92}waZvXPgfl%WcB zXhJ(W)1BT7U??LP%{V49h3U*<E(=)73f8cZK(@1+5RPz)^Zd>o?(vW(Jm)2E_`jjN zcbsAR8QY0UToRLtjO3&MKT)1))T0?~=}KRQFor42W-+VS#CG;_fW!Rvlw-C#!zHeB zn+H7OH6IAu-#wbh#2_At2_P+*$w_{SQi=*xqYjN|K|8w8ivbK{43n6_JeIJM^#rnm zU=DJOe=cXN`<(~8BJ=>`46#T;TK=Pw!|QqfllS~b+ZVF!Pn4xHHL1_v<?j~w|Dpw& z>TAtuNn1M6ou2e(2*Vh|1ST<!IV@s1YuLy(c5{FuoaPcYxWgk}@rkbn`oAM06O9<e zCLT#hMP_o4mqHY$1m&ni6{=B#TGXQv&1gXz+R=$FbfX8o=+6*_F@_0DVGi?Hz#^8g zl;x~sHEUVVX0{T<4tBAdU=DDUlbq!uSGmbu?(u*pyyP`+dCw>QG041usKg{TaY;Zz z5|fkwQjwNSWFaT{DMm@kQjx0ErasMSM+Z95jb8L&07DqYD8?{>Da>FF3s}N(R<n^n zg4oX?j&X_$T;V#mdB_W1^PW$H9c->dB%%<Vn8YSNiAY8YQj?BMWFr@OC_o{8q7>z+ zNM))~gId(339acwcY4#8{tRR&!x_zZCNq_p%w|4|S;=a)u!{p6<v3@!z!k1>n|nOq z2`_lbTRswIi1SV)q7aqX#N`K)kc^b1CLNi`Mo#ijkYfBqDaufp>eQqG&1pwh`p}O7 z3}P4~7{wUIF@Z@;VHz`-#T@3bfJH1}Da%>OYSyxzjRdllAa<~uU_v;^A&zm13tZv~ z*SOAY?(u*pyx=wO`9#>E`VbL_Of+H<kAx&8fHb5hGg-+_PI8l%{1l`F6{tZ2n$n8) zbf!Cf7{DNgF@jNyVH^{f#1v*Qi#g0=5ldOgS~jwoAa)bXK0-LiAx?9N8{FX$&v{Fj zVUC{&MCN;95Q}&uBr(ZJMOxC6k?iCoH+d;YQHoQFGL)ktRjE#G>QbL3G@}*m=tx(3 z(wBh@Wh7&n#588HnB}Zu4eQy&R)W|`Fd_WLQBHD(i(KUfceu|}Uhx-UhHDd|5}nw@ zB|eErMha4so-E`d4+SVfDJoKx>eQqz^=V9VTGN*HbfXu28OTsZGMe#BWHQs4$y^q) zj8&{-6I<BI4)$_{vs~p4fAEmUJm&+UM>t+05|!x0Apr?VOi}_!Lwd51k22Jt2`y+t zC%VvwAq-;_6PU(amavrNtYQtD*uqwJ5X?bNbCK)Z;}I|UK-iI<6No}oViKFUBqT9O zNlpN1$VzVVQ<&nEp%OKyM`K#hjxO|O5TlsHbmp^|)ofuqzp|GD9O5`9In7zFaD#h1 z<u#x9dX(#rSR^EX^kgSLMJYuEs!@kVw4fbb=*0krF_KBlW-d!u&PrCZo<M@wK?p}U z!70vhfh*kN0nd5OUxXiR%peNUi9-UCk&-lIAUpXe%uke|GIeN9TRPK|!AxQ{i&@1c zwzHSRoaQpOc*vjp#V5j!aW5nyk%>lpl9QH<WF;5*DMB$yQH}~!p$7G6OlvyOm0k>F z2*Vi3IHoXzIV@s1D_P4%0tsRly9s6=Aspcp=eWQnu5gF@JmU@T_(15f`U(+<%=g40 z0f|XL8ZwZTT;!(+B`8ZJs!@jqG@~`0=)nMnFq-j9W;%0N$YPeUo~`WWD3|zyC%obv zVaM55A`_d0Bqe|}q$eA>$VVZHQHHA2qbVKf%Rq)QlCex=Ds%anHEduD+t|q-_H&q% zoaH+Ac*HYa@|I70HD0?CkK|+^Cq*bpd8$&IhBT!OUFpLhhB1n9OlL96Sj!f6u#dx> z<_dRt$~(eN(2t2pB2tr;{FI~uHK<Q>+S7vpjAR0HSj;*$638}ovX?`g;5=8j$rIiZ zZlZCONJJ+NiAY9jek2{4$VM&-Q<UPAq%>uzNM)*1le*NWAx&vXdpgpU?)0WVgBi|9 zMl+ttOlLN8na@I&v6^-K!msQhgx@&EMXqy)2Rz~#FL=#cJ`j46HsEW%;X5J`mFUDI zHu3p^BqZlY(vyYk<RU+XDNZTMP?0LspcelvrH=PEq%qBDNn1M7o!$&!FvA(mzb@k~ zPh>i?na@IgW*IA3!@pP7d2KV>*u`EBa+EV%<|g-f!k@h5BjG0-4~R+}5|NzLq$dkG zDL`>bQ-SK#qZ#e!N*{(WhAGVEXV$ZY9qi>0r?|u&9`lNigq`A^K}4bwi})la1!>4Y zR&r60Vw9pH)u>Gan$n8)bfG8x7|aO9GKD!TWGQRd$S>?*F9$i!87_03`@G-{9|$v5 z-{d>KCnoVoL~>G-o-E{{2qh>>C8|@0M*O#y7Pjd?4+b!TaZF(bb6CW3Hn4>tcC(M) zILb-RbCo}M#-F_96XB<sUl5lcNJ=WwlY_hzq!=YBPgQDDpGGvJC2i<PH~KP^F-&F- zKeL+6Y$uq*oZ&LJc))Ys6K1;a*@;3N5|f&Y<fa&9sY*SX(T?u)XC#xD#UfU*mQ4im zzjN7c|Mqf(GhF2^&v-|;8LlT{k%)gTsjbUIZVFSHO4OnuE$K)v1~HncEMO&D*u_Ck za+%va;SFJCIyXck9?AHTtmLH_<*7vz+S8dH^kE=F7{O@9GnpC8VIfOd%?5rUh+XXA zKP&sa=O9No&S@@im0R5BG5=n9?zK03BK$040MUt0a?+8RoaCbjrKm_v8q$Iebf-Tf zn8<8?W)&OR%C8*YI2X9VeO~aMaI@VTiA_@evy#qxGLw^h6rl{&s835e(1ZRAXB^X6 zzzWu~g&pkWAV)dHd9HDXNBqfq{x1J>S|HpU=bKo>Cpl@!N*)SOl+sk;pG$q~8q=IM zbf618>B~TdGnOgLU=H(G&IY!!gWVkB7^gVLC2sPNw}hMP`GbT6kbx{@BR6@;Pf<!x ziV9Ss3N@%jJwBHPvI#9|OGi4>ou2e(D5DwARA#b(MJ#1GD_PB2*0Yg7g4n};4se8H zoZu8^xWE;zaf^FA;1N%F#w*_N7op}E7x{{R@Gm8XdScR&@n5a~{Cd_e%Xwr03Q>%b zl%_ltsZ4chQk%Nery)&gPD@(TmiBa{Gu`P;U-~nU!3<?MBN@$D#xs%0Ol3O%J!Pit z7P5kM1hSPNcCd@x{Cg$XYatx`58m_dZTors5!;>QG-tWURc`WtC%on@@A<$dLeDo} zB|KjffyjJMG-42o1SBLmsYpvEvXG5j<RKpgC`2(zQJ%_FrzW*&KvSC2lE2IU+7@W* z9CW59{Ta$=CNiBlEMzIGSkD&zE`PVc|BMz0(wBA-ObCZK#wpHmiEG^CE)RIZ3tsb{ zPlR1y93ujeiAF5qk&vVWkcRYRCOf&wPhpBvigHw<8nviLBbw2Qc66c}z39gvhB1n9 zOkx_dn8zZPvXZrIB#<C>5lje&IL0Z?afxf(<Sq|*!V6yWo==2b==h01WTFv^cqAk# z0i+>4naNIW@>7`Nl%gD!s75X7(THZWq8**+Mlbp?h+&Lk9Fv&FEatI@rL1Hv8wn(c zT?7-tA&zm1b6nyYH@V9Lp74U#yyp{P7dd_+5SeJiA|44zN&sm{PiC@{oBR}}IHf2@ zC8|-2dNiULt!PIly3vb%3}P6g7{?^0F^hRDVks+G%SHkTVi&=LaEN1^;vAQ_#!c?> zfG51*HShUE*u{>Y2t+0tv4}@Pk`h1~(vz9&<R(9bDNZTMQHg5Qq8^QCMl0IUiEi|w zAA=aiD8?~~Y0P3Ci&)A^*0Pa6g4jhcAspfur#QzYu5pvQJm3j0c+Go05q62=Cjya) zMl9lykfa2VhV*16JGseEVTx0Va#W%kwWvoUn$e1ObfO!*=*J+2F^X|aVj8oU$0C-p zlC^9kkRWyuObCZK#wpHmiEG^CE)RIZ3tsb{PlWy1@e_f_L?agQNJvrwNJDxulbzh; zr!d7SML8-_jat;B5zS~tJ37&gUi4!S!x+UlCNYg!%wrKtS;<;95=aoc2quI>9OD${ zxWqMXa+e1@;RUaG&nLnzb^JsiGSP@dJQ9+W0Md}2%w#7w`6*0sN>PqVRHGL4Xhbtw z(T+}ZqZj=c#4tuNj!8^o7V}udQdY8-jRX?JE`kZ+5XU&hIWBRHo809APk6y=-t&pD z%N#!uh)gtM5s!o<C4e-fCo|c}O@0bfoKlpd64j_hJsQ!BR<xrN-RMO>1~H6LjAIhh zn8iF6v6PjpWg~$Ev5R0rIK(kdagIw|<0f}`z!P5Zn)iGn>~hCX1R@iSSi~bCNeLhg z>G`|--2#8N!2cdCkokY%^_bmf=OQ14C`t*+P@YOuqZV~(Kx3NGns#)eD?R8<KL#>{ z;f!J|6PV0&W;36~EN2ay*v7By;}9n}$7OEt2akBcTRswQh5w@<GBJopB2w@pnaDvt z3Q?R=l&3N^s7qs7(w;8#VgSP!%|xa%hea%B4V&1;F7|PV<DBI(H~53cyx=u|@rl37 z|J^MRcBSu;`G)U^OjKeJn|S;{Vv-R+YSNN{%w!`cdB{&8it-bsC`$z@Q;nL`p+1dh zN()-kj*fJpJH6=300uLRk&IzHlbFg3W;2h4EMXZdS;KlZ5y&=n@GHUW=OBkU#!1d_ zo=aTiI=8sXeID_Y7rf#vfANVht9-A^KZrmiz9%}dh)V(zk(3mq;z!bxiLB%xH~A<? z5sFiiGL)whRjEO3>d}xUG^Z79=|E??(UU&(XAnaf!Dz-Ykts}P7IRs^VwSRk)vRM9 zTiD8WcCm+j9N-W~Il*bpagi(h&Q0!ckB2<rIWKv`dp;6+wQ-iO`Id-8AsR7>LwpjF zgyf_o4e7{87P6CzycD1?#VA2(%2AOjRHqhoX+UF|(ULZ_rxRW2L2vpokRc3b6l0md zWTr8bIm~AfKeL=wtYrh6`Gp{MvYWkx@Eb=s&i`mR<#(Ln9GAJuO>T3ahdkp2FL}*d z-t&P^gkEF*&sTiQcSIs8F^NY45|WtYq$D-z$Uqjdk&C?Kr!d7SK{+Z=mFm=?9*t>A zE85V3PIRLO{Taw$hBAsVjAH_mn8HlvGM^<ZXC>>{#1?|s#cqPxM+k>F!bwhZk;~lR z7I*lAhdkybulY!*wZ;k}5RquaB|b?AAQkD!N_O&6n4*-T92KZab!t+N1~j4tt!PhY zy3&h&3}6@|7{fRwF@@PIVhO9*$Y!>&onZFy8;3c`Y0h(z-?_mZ{@^iBdCs4_<s+fi z88i8g?}<%9l97t6<RmWzDN1olP>M2?qXLzvLN#hoi#pV!0gY%vGg{D!HngJ)y&1p= zCNP!h%w#rmna@HN^E1m>!7A3Ujty*L3%l9R0e<5+m$|_oJmyc{5O%%(z}I|31R@fd z?}<hXViAXUBp@M)NlJ18NJSdblAerYCM(&=NpA9zpMn&oD8(s3Daufe3RI#B)u=%& z>QIjcG@=R3XhAF5(2fptq6^*VK`;8yj{yu~2*Vh`D8?|32~1)N)0n|5<}i;1EMf^u zS<XsUvzGO2WHW(mC5RpDVmHC;BZPw-;t0n$!70vgjtgAk3fH*KO>T3SdpzI~Pk6=) zUh<l^yypX-2))7iCp=&C4H1Y)WWFaFF^EMR;*o%aBqk}z2_O||NK1M$l9{YzCnved zOMVJcn4%P?1f?iLIVw<zDpaEewWvcq8qkO)G@}KrXhS<X(1|W|qX)g{Lq7&Eh#?GP z1fv+kI3_TODNJJqvzWs?7O;pVEM++>S<PD3vysgNvXvlqu#4RUvyTuCa)=`w;{>NT z!#OT+i7Q;=I{&AYoA&uG4|vL-yx}iGZ8YcNAACm?qVoeO$wVGXQk^Drqz}WH#9WrM ziJgRSoD1CH1)qqpNxvo`smM$oic*dmG@=dN8N?W-v5?jLLNG_T$ZcNmp075WlMs_1 zNI^QXk)NNaNNt+XmhKE>BompzB37}9Aog*T3*6!<?+L#}dl8r9q$ML+$w^)cQj`*u zp#oK?K^^MTh-S2+9i8Y#FZwZvVT@uNlbFUV=CO#StYj@42_%SJ1QWs`j&X`}T;dux zxyu8d@PgO8=M!NAja5V-GSP@dJQ9+W0Md}2%w#7w`6*0sN>PqVRHGL4Xhbtw(T+}Z zqZj=c#4tuNj!8^o7V}udQdY8-jRdldo$O&hzj2h4oaG`{xxpRo^O)zn;vF9e^NYU4 zw?rZ;F^S6$Bq0T<Nk=BKk&Ap3q8KG9OGT<ule#pdDJ^MBN4nCJz6@k2BN@v?rZSVc zEaYcau!aq6VH-Qy!+w6_C?`3~MXqv#JKX0n&w0f=J`!fD<L6r<5tW$4<p+|Gg4CoV z6WPc`J_=Ecl9Z()RjEl`8q$=Ow520m=}BJ(GL(^wWg=6V$y^rlGb>ob2DY$`o$O&h zzj2h4oaG`{xxpRo^O)zn;vF9ev(54IEs=;yOycqbNk~Cz(vgX5<RTx1C`L)jQjx0E zq%I9<N=w?(k*@TlF9R9MNX9aesmx?93;CH9tYHIN2;x`vagbx2<qEfWz;oUbD#$fX zBw`Ssq@*ST*~v!{N>Py-)TbG3=|XP?F_H;PXC6yf$$EZaH@|U;%UtIU4|&cTJ`!%b zb|(rkiBA$zl8(&eq%eP%f4c>OD};)YqhhEiMJP{o8q=E2^k+Dena?UV@hgWp&FA0z z-RB<})U$kEjvQ)R*vO$yhmQPt?SCm>`S~r8h(<h;@FN+?P5}y0lnT_KDXr;1S9&vm z5lmzb3t7qv))2@Jf;qr(&T);E+~zUQc+NXQg$@-eJl_$M1SBOTX~{qqa*>}x{6s~n zQHMq}rvu&T#{h;hjtNX<I<=V3GM2NRjcj8FyV%QboZu{1xXnYJ@sjt13S-}iOibdC zm{epU8wDsrDJoKf`ZT5uUFkt@1~QbfOyTpN9QzZWP~m)*KXnN8d1~m^|9MylwVPl< zILuitag`g~=P|GOi_l?1h5DKZL?aGA5I_cUP=Hdzr!1AJO(UApp3d~3Kf@TsI3_WJ zx;|^RT*3<0u%1n9Wjp)$4S&88>WDnUMXqw4+x)=;p7EM@gbL>vh)7K0k&qOmA_F-o zMrkTjn}#%_H67_jZw4@gk&I^wGnva`ma~S91hSpo?B_5iInNcYbB6~!<xk%7k+9)I zh584L)SJ_WPITux>j%oHG8XYkN&u<J%uugqm!sqarjpxo0g6(BGE|}(v%FqY)@F%% z1KETX>aFBj*-mz%Cz~wym4g_@NXGJu^*flPK7&2#OXNz{6G(`4r?^0n<y{1`pR3mW zCJ%Fhvs~snceu|J{^Ttm31`6ihDbywE(u9WO45>v?Bt;UKT(DXRHYX6X+jHH(~0i% zVIad8!$hWX!@katb6LbP?pn7>t|O3#mUqfvo~eh(gB;~FFRi;EZ}3k2u6)FEK3RS( zLw#+`;2XZ<dtwlW1SBFE;j~36`Hf5~)036l6r?z1s6-9w(U_LBrz^b~$Z*ConVHOE zG0R!QMt)%jdkEn$CppIzZtw?>dBIyg5&j>>6rvD=Si~kiiAYW=(vp#E<RUMHC`KvD zQHko*rXG!GK{tBQk3kG&6yuo0RAw@d#VltH8`#1&b`neohdIs}E^&iDc*JvF^MNqm zxNeC^RALdI#3UmHot@XzG9x)DOlfLTmxeT>Grj4@AcixVaZF+wvsu8;tY9_k`GsBV z<2R0RhD-d;ZSM1gKY7bXLc8%F(&xg;Z-_`#ViK2jUOP)d^`xXA4H?KvF7i>7l9ZtW z)u~HEn$nVXbfp*l8O9hUF@rU1=Lna1$OpcQpx+ReA4p0{ek2F^Dauvnqm-;jb!t<O zrnII5UFb<)29nM;L**#OGnpAIU<oT&!v?kx#INk*AV)dHIWBXZ+x)>pp7Mqdgf<Zi zPXwY9oA@LlfOKRc4+SVf3Cd8B>eQhDO=v-obJ#(4r8ff@!brw3i5bi#lVe>hSFn~% zY-K0G9N-8iImczLbB6~!<rVK4q)#{bJT;5xnD~Z>L?tG1Nkno|k(NwkCpQHsLUBq_ zp32mq4)tkFbK1~>&J17(BN)R(rZST`EMN&MSi?qsVF$Z8z!8pfit}9M26wo}W1jPx z_k1FZ$?-pkNK|5zfFz_O9hu2NUJ7y3e59B8OHuWoC_@FRP=h+ur!g&POGmoVi~bB| zIHQ@!bY?M^soH<BT+Rlz5zG-zbCK)Z;XaRf#RtNe{(nOxq7t7(BqJ5+$U#1RCa)|= z5lT{yD%7Gr&1gkCI?<gz3}hIinLq<=;m@%{C3C-;YIzQeS;1Piu!B7u;3%g!#}#gI zk4HSCxP5yqKM~%OO+=Dt^Jp?2DM(Ega*>}Rl%Oo7ZC^=Nrx|VNOkV~wf^ke?I<uI^ zVpg(=t?Xbo`#8u^PIHZ$l-7U#kbm-yFyDs?^%W6_N-W}&n1|XXg-pedWFRv+$xA89 zQIV?DrXkH}MLW9CpP`Im0#lg7ayGJ+orG|Vvs~r|cX-H4J`yIXeI*Lfi9-UClZNzU zAqV-WtX+%95|pJ9)yd-6>d1yPrwtwHMsEf%l+jFJ8naoz&#YoSTL|J;_H&36oaGX~ zbDR4-;U(|*L=MkM%?Rf~_gf+nl~}|hAxTI<YSNL3Y~&_Cg(*Qr3i_SZWG(8_h~~7R zBi-oD0ERM(@l0k0b6LbPR<nUXwzHf4{Khd(bAhYe<PRS4oY(wCsOYW*z9llziNg;h zB_(OeL^g6$fTEP79F?g-T^iAx)^wmNz39&nMlz1c%wR4HS;{KbvxOjjWgowBjMJRw z3OBgRL!R@7kA#ciScpPQ;*ppD(vq2+<fka5s6aJp(~#!0r87P0&rn7)k?G7~5zAT2 zW`fvF2uC=@1+H?7`#j|pe-S38djye)PFxa_oHS%4J9#Ng3CdB0TGXd8Eoo0zdNYvW zjAb%2na>hdvYtS85X?c2afVA==ME2f&Ko`wE|#_>3NeXK5&}p|W^$6BqLiWn)u=-w zn$wof^rSyS8O=ndGnd6IXDyovVmBci;S?9R#%=ENlvn&knAqBuNJJ+tiAX^jGLoIV z6s82_s6s6o(2Uk}q&s~X%t*#FmDwz08LQdIR(7$EL!96oSGdVN9`l@+{6(lZ?niu2 z4B`-<L?kB_naD;S3R9M<)S&?_=ty^ZGn_GuX9_b|#7Z`@l^uj|f(!i4T^{j*cYGv# zT;l_ANK8u7l98<Br68p!Pc`b%nC7&h1KsJvD8@5|*;F*gSR$9Rnhk7W8#~xT2*)|g zWo~eXXT0ZIUqr?sCD|!P6&lltflOdNYuU*WF7tqQd=uYXjR3Myl*%-sBLf)EJl3#- z!(8G%Z}~?8_Xkptl_FH4Asy(?IOejN?HuAFH+jf2UK9EUZO=DEA{y~XND@+z-TXS0 zOh--ks<7rvS=94TfFcy96cwmK9U9S`c66gJgBihirZSg>EM+Z0?B@t4IKu@lbAu-4 zE_dWZp7DzJgidG<Lj<A_gLot&Icdm1HgZ#tVw9!=RjEaNn$U{&bfG8x8OmrTGM%|B zW(Dim!glr$!eLHumP`E3ZSM1wSG*^5B44o(k*LHXK8Xn+Et$wp9tu*7(o~=tb!bEj z+R=qx3}6^_%z=t&r_t);naniivVbM5W&?q&VLRPz_p98`VNP(CE8ONjk9o#R-V-{p zKE*80=~?uZf2e=Q_rxMTiAYKSX~{%3@=}nZlpvn@b9m2orPV7_i-t6(9o^{52*xv& zSuACm?edu86=Z|uVseYzMlgps#(A!Ci+eoc1#kHL9}i#iz31gfGCHwIOlmTdhe8ym zG}Wk2YdX+_joPt~?8jh+Gl3bDv|menRBvO{0Onb@h*fMLkZlAr#Onv;H}>a<Ji`U9 zaGkwA=eE4hGhXw7P)Xgh2v0;}kbp!a=Y;K2%dO5|TA7|K<Rl-3`H3=Aq#CtpKr>p? zfv)ss07DtYc&0Fu`7B`tYuUtBb`s11j&PE5T;@7=c)(L$@}AJiT=PUA3NeVwWyf-p zdnB|RKw7dA*7p<NkXJpDj7Dq{P|&)fl%y;bsY)&C(U|76qAi{2#Q=sgmMP3)A<I}p zAUoL2J`Qq(lbq!e*SO7np79sqlG{h3^8*2-BQx14L}_Z!m=5%2IFp&rYPPYP5KeNL z`#j?{p;EX;`Ht_2L41;thV*15C;2Hs87fkZx-_OOEnPF6Wq0~9gwaeQTsYUHoW*>W zu!1#gVmrYc<Os((%kSLcK2LbT8~!3pfPE(-(TGg~lF-@t50I%yM>g_Pm=ctw64j|g zBbw8O4xTeR%5L;x07Dtg1g0{Z1r%W^E7`y=>|i&;%p3O0W1Qv!k6e#`a#j5o*YOQ` zmxnx~94~ptCn^&*rSmNRAtMu$_#`D2>B&NF3Q&}il&7xk8dFuhHVtS>TUuD(Np__> z{Ta$=rZ9&ktY$Mi*vAphaFx3};SHfvnI{pA_#`JC*(pE?Do~Z0)TcS^=*u`3vXYJL z;Rt8A#yy_#ny{($S)vn<B%~reS;$8*%2SO7w4w`r7|a-^v4l<RU?0D6lyh9+1`l~f zs5Hh=z9Aa%NlZoxQJQKrrXAfF%y_0VhXpKU6`R;jFb6o!MSkZNcX_}w-tZUUe$?lQ zL3|REg4CoV8%3!?EgI39&h(@&Lm1CwrZI<wwACk8$aMs=gFPJNIOn*^Z65N1cYI=$ z^AawtKEU_HCIQJvOGffikm8i40#&I+eWDrLo5<$0rahhMPG1Hyf^ke{2J=|Va%vhE z*2oQPVH>;H%Rx?Xj?4VcEgtZcH+&*oI@cNz_@3CrCn3p5$#i2xI+-2+Lgn|PC?zRJ zHR{rcV#a|MvK^i2PA^6>hvjS`nB!dK0q+Q%-Zko+d@W-Tmqa8dEtyDQJjpI|QHT<h zr6Sd-O#_<JiuQD&Cp#kO<IY<@^+Aka9Fv*JJbL^5C2}R}*vt-sInH^mahrkO`#`?n zJz+8!vxrYhGLesBl%pyQX+bA?GlVfrW(M;Z=Jzg^D_F}W##pyiZYP+7oaLqa=XH6P zr@Y}4;WL^m5R-WP9N8EuQ!-Fnr;}O9#YDfmfGkRBDpH*~G@%Wh>CRv#GMfb~VI5lt z;#a2meS75`c~Bna1XsAlJs$CrcYGvlCg+_<L}#IGixN+LkMs7OewRc&fHb5hD|snS zX(~{idNiUf-5J10rZS6pEM+rW+0L&V;27t)#2p^<oVR==OlH>$5s5}@5|Eexek41& z$wv`NP>w3prWqaR#b8D;ndz)@%p2LtPUc#-m=&yLGkdHLk~`VQZye()kNH6OEUsyy z5QDfRBpInlM`m*HA*|02tu57yQksfXqc$NvudZxJGg{Gwp7dn^BN@vCrgPjjbL4!M zv6euB*v&o;bB4>D=O%Y~#4}#<mQQ?>)%Zkg;**S2q$LYE$x9)MQ;LdIr#?+-MHhNA zfT4_JEK_+LMSIIdoU#8)<r+4ynH}uqz~^P(<s6nLILk$D^MpTn$0x#OGj}Hv(TGh# zl5x>zq>^dLLQe8gnE7A1{*0wRsh6Q5)u=;5n$w1kbfY%|7|JNdGliMVV=>EF!$y8# zC&3)x2q!tm6>e~sM?B{Z9|)UW|0g0*iA4gE5WtUQ;gmkr-Zh&`Js*YniPDs(GBv0} zLz>cpHgupHy&1}ACNq<{EMz(B*~UJOah5Aw=RPlZPnaC81)`IH6l5S5MJP*k8qkU^ z^kW2*n8Q-mv5mbP<vcfd$V)!)O-|>T1O$+g+!Uo8)oDm;y3(JKOlB_2*uZx7G2gSq zA$gROoZ~9DxW^-&^PaG|oEyF)3NeXCVs7edDP$V5kdsH&<&y;|PC1@iS5?-eE{$kL z2fERRfsA4jGg-jTtY!mS*vejxa*10!<TYV)>p#RIK8Z+9YSNK~JQSuZm8e5gTGEEj z^ko=hnaB+0v6$toW(z^=Vjl-N%1JKpJGXemOFj@Tk2WMWNl8l<a#5JFRHG5?=*1Am zGMxo1XB}JF%|3qPIA^)U@7&@Zk9olxJ`g6a`yodY*%uj!sKg=x$w*BGa*~(Al%gWF zXiOWr(vRUxU?z)MLm)fY%OOs1joUorPd*SnpKFNdBp@Z}$Uy;$Q;zC1p)FnM!$`(6 zmH8}Z1Azpwn-C6jii<Qix4kBB@qib+;S=HV>)&*8ZO4%DNJ=Wwk&S#5r3{s*MI&0! zmd^BI07Dtc6y~sqWvt~Fb`s1XPI8HRY;nJMB%kw|4}>Y;yb*yY#2_w55*hbpGE$L_ z%w#7I1t~@;Do~9b?t8UmLz>Z=4!m-Wc9p&8&k#m3o#g}(!f9^vlCKKdACi)eoD^Z< zx6YfaNfWv<fYD6gz0aB|XVT#tW0YLLQq~g44)$||lU(Em_jtr}-tdX93+c<mB{2b{ zCkweKKvB+{!<3d)s6~C6(}5oJXDDNt!YmfBjJ0egh`k)<ELXV61D^4g(1nee#2`M& zNk?|_Q-bnTA*MNWZP|e6;kB1+O(N~vUUsD?0~yOCW-^~8tRlJhu9KVih18a}%k=VB z8Ny+XbB;^g<UUV$&3nQWai1YR$w|eJWFi*@C`t*+Qi<x+p&`v^?08zswsfTr!<fW$ zX0wo`tYsrx*~wl)ILcYBaFaiH%nRP}`488_^Bvz4gLot)1wWFJ?Bu67WvNUJ>d}NY zbfg>o7{VyVGmY8I=Vw;3fk1ZfEBiUYIWBUQ8{FjuZ}~|0Vy<1jCq5}iPj>QAf=bk( z3C+pt+_jM%DWraZp6bJx$^!0Nw^9De5zaHgbJ$J!l(5BJ7sMeMfv(GpGAnuciAvO> zB|R9-C?+t2IV|F5HnNL@oZvjabDt-?;yq!0axW$p2}nW!#qDnznUU<|p&-R5NolWF zq^x>%SxMHSK8<NbCwel7k&I;`)0oWyer6>#16&t!1A%O34<Q`p1ZTO(@7&=5&v?aq zJ`uiz?_`KXG-8vCRHP>hImu5^N>Yx>)S>~c=|pb^FoZCn%?ITKrZSsFtY96R*~TvR zbDZ;B;Rg43!W+VrbUhH4lw_j_m1syOhA@%o%wZuvvxbcXv6~PMbAmHm<SMth&tu;5 ziEyRNPl-Yd;_xhz@7!fF(on~_%qX*xn*tQ21m&nq4eHZ`PUdqhWLrAYjXn%wB$JuV zB9^g=&Fo+=hd9AmE_0nbJmeX#`HL{6jnhOX260J9o|M{9rXe#q$wy(zP??(4qcJUM zM;Ch1pJ9w)64RN_QdY5^K(_NM2RY3pZg8Jxyx{|3%GggL5`%aoCMD^}Om^~8h~ku@ zJaxi5_C)$l1p95dI<=`!W17>7_H?5k&7H5Iay-+S$5Pg_jSvoVf(!iqnR9lJyXwyf zRo47~h(sqIi3uPRxhO<ws#1?OKDW7SOK18pgfUEH7K>QRR)RUgS#I!<SA;I7y@*J3 z67eHBC_;H^)11!qXEf7T#9D#~;S|?+z-z*m*I$TB3Nn$8l2oN3ZRyESCNhWRY-Tq{ zxWH|m@quqDIJYF?M{-bv^3<j|o$1eLrn88(1QEh1uJM4^gso^_iAM@Dk&lv8r6FzU z$xtRTm*s3`H%GX@9bOQsl6EC70c4>7WvEFrIx~Q=%widv*~3vT@dqynQ`tTepHyU{ zFy*OD3%W9h@yuZbf$Zf3SGmt?!c}pf<p<J`gQ8TV9<Axl5GFE@RcvKHr}&*myyL5? zejh)Oh8z^7BK2rZ4~8;{d8}e9`#Ht$JmMW+SJNj+Oj>eLoXRwyExj1d6c)0UAP#Vb z8$97JzNu~wNm4S9ml9N^5$);2NT#uv_3Y#j=eWf)J`$mZ`y0v0M1D$BgC=yOAETMU z&urvZj&PB?ydYFfeTBFLkcEPjr54TU!T`oHi)CzP568I7Jzf#EmcBxKQjv|ql&20Y z>Be9tFo$KVXDhooz)?<eo~zv90nd2FJHpm>e$5{u$>_u*DXGcG@eKNc%+F7hp&~V? zOCw$-a*ha-*s)q}LwmZ=hrx_uBGXyG3O2Hp-TcN;PIG~q+~+B8_(=FV&KoiKfh43N zEt$wc0g6zTZUsCG$~rWlC7tNQAbNX!q@2KP7PE#xc2P8i@kSozB<HxqHEvQUwd-3x z<u#$|>i0w<776ID{gTPlq$3NtDM$&*QI*;>q!sPxMt_Den(@qHK1*21I(BeIyZ=8F z+y!)2WdjHB5&G#+P*Orbn$ZoT8%8&dmLAd|GLX)J0@9;PV06O(38e<o<w!{xDJ2ZS z@8>!G&i}c0@4fGhr|x|@?vsc3jWb;2I=8sbb6)ek=g0(YTuVMBHR<@AtmLKuMJYvD zDo~61^fYH^CR@^uPIRLe{Rw9%{d{he9M2C-Wft>T%yL$<fvxOh9|t+gNzM_=HEwZ_ zM?5E<e@Wa{-#}7Q@EM<zg`DK0FeNBMC2CNIhBTuk?dU`|dhrc|7{+KKn9Ot{na?NY z98&`H4a!lhWh2|z$-rR8@S(b-{40m~jZ>T_mh0T+9uIlJYu=K$opU28$@z@W`GOqe zp#a4xOBHHThXynylvcE-7yTK;D8|z;xBDY!GM5D`VFhd0$ToJ7#@s3c`;-sy8!<_> z4S9jf+~6+R%9*Fgzj(<T5`1NxAqk(7nsj6$8@b6(5lT>o3RES8dNigvt!PIly3vdD z{O<TN%l>@FC>Cm`ljSTHvzbGj<RaO*#w{KY#9zGR9f{hTXHh`;W0{I{WF$LzC`w5x zP=)H$r6EmeK|8w8owoXx-trp;F^thfu<U*HiAl=SnZrVsvVzsDXEWQ`#a@2l2q(G7 zRc>*QM?B{hZ#h`j{UdP)^_Uc-BO|M8Ixm@zl2oKF&FMrRhVebKS;9KDu#*^W@SOj3 zG_H_^qEw*?o$149W)Q_L4s)JcJRw0R+mnOBRG}HEDw@~JZyCk<{O+-wP9zIhMigt= z!cO+^D@Qoa87^{#(c0<_`6mx}Og!&M&{<m~8O2MuUNQqY$wv_?QHw@|(uVeg(Tjl$ zXB<B=hh;>uiCrAxG?#fuwNH&L@(u5GQU6Fo7IKk~5|pPJwP{3iYN@X+Wk<U5HN6?g zFvc^5*(_oen~7#Gzf#{mns8Y8G?%%<BVO<?|Lf|ykc!X$%S7&%yy_m+Na(&Rm!&H8 zX+cMN5Y9*@GL_jZVKrOW%>hnufot3*j>kM_bw+)r{D*)r*NH%q@_8QPs^jlWYRehO zLQe8hkdl<63N^T)PpdDR5K3#lVzzyCmAx6t7`|sJi~Vf{bCj15#X2_gweOCW2ROoU z`UI+b@+!Bu$3y<&Id4eVO~1n@q~UYEptt?ykU`|9IHjpTRrbBFzm)Z8%$KyLJzeNd z9|ka(;f!GdQ<%XV7P5>e*0F_X_V6o5IL;X^a+O=$<1x>9&3kUkzcSI+>IzBtgp_<n z1~QYK+~lV)#VAENDp8$U)T0s2X-Qkc=t*A&Fqq*)Fo|i*VlK<r$j=<&B<Hxqb#Cz| zPkBS4?%F;{Nlsd_l9!^SGRG?;t5Aogw5AK)=}mvWC7dCQU@Q}v%rs^)hxsgK87o-L zMz#{o&+O+A$2i3~E^>vN{K+Gp@i%Wt(8IkTkffyGGcu5woa7-tg(*%MDp8FP>d};z zw52QE=}kYv8Oms;yYX@AVubP}rZJoOEMWzmKkzx$D6eNT+u6-N;`AX0WDF-b!+9=o zja&T5BcFRHpYV*=yd_~za}H9FhIC{h4}~c~St?VDhI~mY+R>3PdeWCc3}Y-)na>iI zvzCo)V>f#_Kn%w@%{ea7>kG&5p>t5a#dAjI*4}%W8}S9%$x8u>QJ$*Qr4?Q1$56&H znHel#C7bw}Bb?zfH+jHw-jJxb`oO1TBs=*iN-*WAK|Puf%2$NZn{P>G3>YORGoPPW z%T{)CgwtH&Cii(pJOO>QEj}eZ*~m``Do}$uG@vofX-Qi;(1jlKV<5xHRmm7Dzh@ee zETW+GE95G+v4;c1aGc+{Ny|L0k$k~h{?}K3MH(`agCI)VUp`rsl9Zz&HK<D?LTO6} zy3(C*_>Pf8sRt4AM`p8tr9`ow?flGs4seJs9aC4wcvATsm$*$FfAKf}kf5KsPaw%i zO$M@)k3y8B9MyS0xoa&O(VRAP;~NGsl<`brDzjM3D%P=;pE<x$PI8fJ+~Pie6VTth zlLDTPK9Z?PM@DTRy9^>f#VA9{cKR#lTv53yHTc%tu#Rj&H@;&si`c{jfB#ipWUlfp z`GlXUxi)gWb%EdbZg%Ha?__TBQ-o5Krz$mRKyzBrneO~ApFTnMC!7(CA-Qv$D5uiD zi0ekA@*-BTp3Q7yHwQSyCGPWz_XoK5jy0uBPbRXElROlr6cq@e9*y~uc66l&1IVU* zPWsrGs63PrjO7QWGK&?gXFIcV>AU0sj&Opr#Bzn3JmzoSk@#C<I;qJ<AxcnzYSg0z zo#@3tMi9YtW@!U+<q}r1md)(sASa3CCii&43*M4=pgKfKGIK1QI-b~dQZ7hI%29=y z)S*62X~kD`=4*N}n6XS|77w)Xd2$(1Y-Bq>)5Cq;lg)FN@*$3LoKsxj8h5$RW1jOj z0pX6D|B;MzWF#9w<fkZQXh<0S8Nw(g@FTNW$WN?dD~CD31uk)eyFB47?+wz|l7XBQ zqC7RIPfKPPhdRqXe8+gEGM7axV-4Hc&tZP!6lb}>HSY3+coGfP&y$7&f%+d=l8V%# z8ExrGUj{LfiA-TGi-=+iJJ`iRPH=%gxX&~GA<=j0CCN!oHgc1n!UR*1n$)KSVf1DI z!--%rb6CJnM6rQwtnr>>x7^1;j&X(yT;eA8`HOfG4AHhpLMlSF&9pKDUyy@56r>oz zl&1<I)T1$>gsbQK6Y8gxyU@aXqNnV~w+vyG&xHHTNaYd<)NMJLSuA2Do7u$yPH=(C zyf(&Mmw)nv7rd#cFH0ts6AV>{NuE|4l%J5AbYvzwdHMQ1*ISmNEXgdVvrQ%C+B7DV z4s@qKgBZp*CNZm!zCzAr5i9;<KaVx1P9NwqEN^Bf2RX&>Tqllaydm*0*Pi5LA_sXX zK?v(zuX?gEEy?a&+sck~r8~WR?{xF&0m_3I#wZphRbS+f%w{R8Ilyn6CWrm?bRRA% zU*}IA^MZI*IhU~oT-)KUEgk!+kH(Xam0P)w9t#6LRZc~EE?So^m+P&ZlYA7S7^Td; zOUg35s;nN#D%7F@O=(R>x)JETP*2&H0etOPFNZis<zb9sER&eYT$Zth^=xAwzj2OO zu5yQmJR_b2Bisi*;3EdPo~h+$d`?z!lb<4#q%4)FPHh^{loqt5BVqKUKZ6*~SSB)s z8O&u7Ke37pY-JbwILJ{>a-K{4!5!}NgcrOaV5GK85<Vdn>BvMja+9ATl%hOU385a1 z`I0ttq#L~%z;}#b9N+UJGnva`Hfrn3<qo-*ib>Qp%LkQDvQhbod_g>0E$?LSf1lwf zCppXST;mq^c*JvF^OgjooF_^6gjA#>GdajZ0g4h#IVw|wIy9syU(%ZPbfG(a_?97z zWE|f!g&E9YA<Kwj9h=zBZuWDK7>;v>OI+tR_xX#z`G<hf#sxm$V?HG{>B&Ska*>CE z#A^d*>u68P!IY;uiCTL;)}L(1p*~t}Kode~%~y1$8$IYvf5I8U7$W$dADKZU3s}ku z*0PE1?BO6W{KgqBbCdf#<t1<UmqcTXw<IMcpOKNQ<RULcC`EayQj3N(r!^f2qZi*W zn30TUGBcRVVpg!0%|x@8gB;@&=Xq1uy^()#hx<I?8Lvq&Ry`w-WTYY^*~m?Pico?w zRHPcUs82Im(}6I0(y^vvmxCF}cqTE8xh$e|koqN~SjQHk*~2d!<~Po8kt^Kb4)=M& zb6)d~gyZzxB;gZMk&cXHB`0~9Rz)3?C8$6(YSV;PbfO1+8Nd)mF_FnkWfpT;#v1l; zfaULL<MKGCnbF?oxTt)YyFBGBACA`+NJ)CKkdr(Vp(JIgM0FY&yB{ZVp4vcd%MEBk zD6Q#0S9;QqaE3CP2qrUwxh$eTgIGos>)FCi_HvM;3?s<1+6g&<Da>S^zAwbsdrtWx zSGdVN9`llaNEo5rla!RCBQrV3OJPb<j;hq60nKPddpgmL9`q-i5sYObKQfcKEMyt0 zSkG2=vX6rt<22{F#C2{H$0MHcink=1;69OzRHP##Uyzf06sH_j385|xX~zD_<}<Pb zVf?CJORJ9bRPM{|FFcpYp^V{?<p?>MnatxS))LLn9N;J?Im<;ZahpfH<Qv!hjeKvS zV<#<{$VPsOP=UI9Nk@7!l!?q@Ddj2})8saGv6o*t%rQ=Lfy?~C9q#jlYwtVn|DG9@ z<N3)k{VNlGubuJ{pOS{p*_c-wkhv(pH`Vn2GMMsIrUrFbWnT?tGg|T$8?5Ur!|2UG zhBBH7%wP_SS;=~~vyT`~a-OSfwXd7<9*@~&`MG>ef*;fgl98GWWF?4#l%x_hsYhc% zX+sCP(T~9lXDmN3gSjkXIqTWR3(s-8<vtE_g0uY2RVJ5k-Q|6r@PgO8Bhe)NI>|^$ zTJ|}YUs|aT${7M(6T@>B<?Q4pA0;SHHA1LM1HPm!o#{nC2JjuD7{_F0F_(obVI}L? z%y#y0h!YHVJm=+AZt|GZ>ca0_=Pr+ULB)i|?gYv{6VJcAH`zIojNg+vPnm`cd_fNK zP>>RQ)WJ9=D^iVG)Tb#eXh&~tzq9<BK77jv#xjw~Oec~BEM)^*nf8@7R?9tcEYX(t za)204a*kN8a+5!K#4}!zQUCCdOfbc`OcIijlC)$b8$lGH2qh>(MXC`(J(|&ic68)x z`cp5&dARO_lt&Q36lSuN^=x4$duW_QosoxF<(i+Am$*(*&-}M#9FKU$B4gg)@(lq$ z`p<XeFm5GQ{*Yv(<TEmmiLB(NFlDL9EZfzU4QRrbw5B~>=uRI7Fqq-gS3kzc2~1`> zkt|>tQLJMN(d^{_M>)wkV!6gG?(v9cyyhK=rW(`unB=4(16jyLJ_=KUGE}4*wWv=M zLTN(>y3&Kbe9L!?U?MY^OB3hyq06~Qc^NC&z!r9}i?rq4FZnBn`HfSYCzfm6<PLxG zfWLS_z%=K@dwfVLGLnTH<fRb7RG=y$)TJTKXia;%(t|z>By}HSKHn*iU@Q}v%1q|7 zlwn!SY2^lXaG3L4<1SBmL%?)n2wO55Lu6{wlZh<kBo75CN@*%kl@J>9C9P>s;T-Cd z45JVI`If<qU<?zO%wpE_3un2)ZQ^*$Lhbj3d_%wteG@52PiAtEhoY3H3bklJ6I#=e z?(}0g<N2PM%w-`fSkD%Au$zM%;}pMhlLx%u9Usngy~sdz@==sv$`e8pLTODqI?|oK z3}HOeSU?n8*vnBaaFfTp;eWH7JDJEuUWyV-1*%hrhBT)o?dU`|#;TW7n62XXvfPIO z3}!f^7()c#GmTmF%i}u9#jIun+t|roe&c#y&ld7Bx7k$JwURGLGSU1`CY-GgCK+kS zNLF%^mqL`HELEvR1Deu;Hhe{A`Z0=^9aUesh>iTrG5*)d{E~~xw>WQXek%Xw9}+}r zn|#D)WFi-NC{9IcQkRA_qb2R=L^pbI$sA^;=ZOBw1Nn|&j3$D~Oed0s{KP8Ov6&tG z%zh4Vl#`qzmaE+49)IzqpL3RPNNBS00ZB<gdQusWv&fv}r4Yp^Nm(jVmD)6<Ij!kP z7`<4fZugVl@*NROVmk9!%4)W<i~Stt80WacE$;D%iuv{T@-2zyYQv-?Et$wkHRF4J zS&Y(DqPBI_WG$M~iuQa>FTy|7j{ZxAF@_(Q#gk#$lw8glHnN@F?4yeMdPpAUESI^> z1O6smSH~+8&QoVeN@_kQE4lbINZU)R-76QO2qh>(IVw|=x-=q`BIY7(Wk<TwgFXym zD5IIkkIZI1%UR8Owy=v|ImRhkn+u$i7rD%J{w$zRQ!j5R-{UV{5>KM}?g2?jPCC9I z4+SVfX)05bx-?^aY4<>OqC0&U$S}q+iJ2^5DXZAX4)$`0W1Qi4;&{qGBwnDOV4HC{ znM_4mGV-@EDx1tn9*R?r2LII$S(}Em<SV+-k0Fd^0+VUx^R1YzypR>FVFTOQ%OQ?) zmMh%lAuo8xdkf7|NJ*o1`VN_i>=d9R6{tl$zN9T3=|&&I8OcOuu!t3`VKd!7a*ySH z4so2b#Bz-XyypEyj)fGYCo8$gOF@beOnItMle!EyrZ$qzXh9p=)0uAcq%Q*)#85^u zmI+K^Dl?hG0+z6xRjgwZ+t|q-e&G;DIl&n&aEWW&<SzGl%rpMx4gZp8u|Az7BqIfB zNKYoRl9N0Xpa>->O?fI)om$kR5zS~p8`{&EZuF!t0~o|mMlzNOOkyfCnZp8>u$)z_ zV-wrh$sT^;5Jx$|87^>%Yuw~6_j$}S{^kw;l4yzZCke?&K^oGNiLB%#4+SVf2})C* z%2cNo^=L#hTF{2}bfz0U>B|5HF_e*vWdf6!%1q|4fF&$v73<i<Hg>U>103Nvr@6o- z{@@OAJmwj%_=f~bwKoDuN($1Dfz0F}FNG*ZFy*L1P3q8)rnI099SNfceHp-DhB2D) zOkx_dn8zZPvzqm6VFy36pF<qwBxi}`8aKJeBcAe#w<K7m?Gi{bQjnHRWG4@WC_z~& zQ-j(xpb0H#O9#5roj!cSAciuEaeU7dW)R6jma&qxY-Bq>^9w@*)EN#bAK^DnagJE7 za)Y}>=hh#|r)+xPxu$cT%5MnxNx#mAe9Wh$rfWW9j?73FiX?O|WrC{CT^67yr6@-w zYVyjMT~9WoDJ^J6N4n69Zy3Z-MlgnnOlBJ2CAFS_lIpMJIV@la%UQ=(qG@Kl+b0il zmP_2BO#<yyKIR1pmTQ}QOmaRW18;}BpE3_cDM=YBQk~k=rwL!uiVlR)lW@i}i{)(N z2q|2@3-T&AxXmM;@i+fcvASbgp}!y%nc3)g^2tI3Q=2w)rYC33XJYNUukxDquB99? z+VzxY{B4*V!vv-<gSjkXIjh;oc7Em;W-^b(tY8g?*u)OL&!X*oqK+w_<99A|le;|N zFJAGE#4FV&npJYWWfOJcQ<;jiWFjk@2I(8*=^VyFIXIVkCWEO!73vhzAIb(ar4=3M z#@r$5q+{!&Jdk0GVFEugk0q>N4IA0YPWCg)u^yBs`JG$D@s!uRBT<z3J0Fvr)THAJ za#Dc&AClNHxG$rLU@|5BZMuwPA!RLBrxwdB*O$+|H)|xD(~_*789K|a=}S067|wVy z+itR)%50X<!~Ax&+`u+=@(YJJ#RV>NmnXa?;VSixlzdJO@=}-*l%+B?sY?Tz)0(g7 zOb_}qkim>$Dsx%JdUkV!vs~d%9`cemL^+=Xt6gJ0Ar<M!;TbBU%+8PMo>L6St(>1$ zwH&7`MoGF4)@J20^`VNaL2c^Mgch{r_wo8Q*_#0jp`~p{$g<x#emRM$%wZABS<QO3 z+y7R%gMA#~f62`i<QXn<joZZWm}k7^9f{ZIyF3p)*Ow+yPDXMvlARz%RB?{7IOV8D zU7FB}j(kl&1~ZC@Ok*xfS<Pm4@he9;!zFHVpJ%)w(OSns3euC6JQSfcm8nG|TF{;_ z`Y@2;jAsh7S;R^<u!CP2(9X4z$2h|UuJ8wUdB9Wt<{tvqxmJ9{r=%t`IVeIY%2SmZ z)T1$>wBbdFdz(l<q1>4;x|1)$_ViLNC96@JhJ0gPbJ?1~$|G=V10v)UrZbyGeEq$; zCRehaE$rZDe&q-!ILk#YbDi7V;}K7J$y*YxH`gGLWTfCTGLV_<<YAVvcOC_mi&BEp zlxJ2ebzjz?E=_1bTf*qc00uGSzjO{G<P-IAtenVXrZb!Q%rUmElxtYeW_GZf{T$*b zCpg1-V!6T%?(%@Yc*z?U>aSPXZ@>n1j}J*oO45>vYy?q&Vw9#L)d-<3O=wLIhA@tQ zjVF`jRAw=cMJ!|NLf<RbvzeXj<p4)G#!1ezV1V<GM_Oyo@(z!9&KnYKbliMQay}z7 z*~v{|mghE($#PVq4h?BWOWM+&&V<o}{)97xQH<jUrZS6i{nb77bDr`~tYtGh*~cM{ zae`A^<QliR#{-`5oL9Uh!6x%}KHwwLQL>Y^B7><;V?wNJFP8^u`|?``GlmF$;74XN zpT(?X9h-^fS59(?>)ho&k9kTwP0fjRBy%s7H>v9%ZPp%0M@F)clYA7WBxR^TWol5H z1~jDwZRtoDJ?Y0le#xv28MlWhk6;{An85;m;^qSVsocO8cCnAc9OpFW_?@e~aD8se z2Rz{!uXszMEv_>k^C_vxOm^~6@V{k!a&cLPYSf}Wjro#o867vRmD|yU9t>cdc~lAS zpoc1tWGt(+^GPz2#cb0KR?4+(;%5$Ul3#o_R-M17d`ka$MOH8C8puY*$$Rn<uSl@f zxsa6Pq#^@Z$V~xCQIYD@p&?Ca#aDEpC;fS?E{4k?^!A<MjASCy*+^64=1w`vXT~#; zABm*Ed+wQB!V1=~ksa*e7Y=ir(|n^HU67Z#%>!QY4?~^n$J^W=GLntl6r?!is7^ha z(Ta9-q6cG!X@{<5KjpE!sOB8xGB&Y;pZSHu9OtyppONRe!Yv;1l$WgWJoCv%>XCB7 z?dBbPGSGNtImv%zJ|hE}$VLzaDMl&w|2I#P6{$)M>d=6uw4e<g=)%|ZVp=QLmj24& z3}ZAC=sUo;A*V5uc`Rl*tJ%O-cCwcP9OV=*>@!;p=d65*>)a-e$2{jX`<=UKQNT#| zY#iS+m08T=ozE<i33nJr3FIfstNBcMo7_ca<?QTN4w3~ZNm(jUiv~2K6=!@dO!j3U z7c74#FUt|~4|#{t$`Sm)G^Ug>cFH+&v0To5pIar@vxR8(@C%3ejWb;23OBjOBcAd% z|BxVBe@!6CNJ%;}lY=}IpeQAI?0cW{nlhFvP?efA;hpt~C)gjUX<=P>U-dwCpbOpU z$3TWKlCex+I*}}33CoFMBipEEpF8CQ?Q@?z$T7}xkw3V{L;m75|MI_`-XoEoOk^b& z`6)}c|MvU7XP4sYv*mR5pPM?$O=w9wy3n0&o-J?a(~<_NgZZ3~b?;d>P!47^KN|}o z<N{;Q6dCznnI){^w&(3iw%@3{qkuXk_fx_1UkFE)&vKP}{PeMQJIg&(elNf8`Na9u za?gFwQ|sbMuuGjKkffvy(+-RknSDOB<xJ$FASI|obsE!-?hIr!lbOc~HnE!n{KoIx z<_WJ!uv`C4O49QMK@_4Km8nBRn$wDkD}ATz!q@a=5F<$Mx{R08n9p+7v4efYaF#3F z;7=ZL+gSfvCi>Y}PbxkqCj}@;St?PTUhcU|A5c%Z8DG(zpK2Nd<se2dj_;YmTz+C5 z(NuB|s<TJ=Fu!qu%iQ7t&v;FU@5`b8d8?dgk84H}YJA|{xKAmR(~yqs>R)CVUe12q z<Lt_Xnd{nYpn`I3nzP69Nv`pjfF#Bb>-&&Qd6+zIA7_cBq>~<PT?CVu%3?OKmlIs& zA^(tMuVW%NC8<tRI?|7k{Kz8Kvxnnc;Q?<5+^0U0ixO0$2_5Lm2&S-*b^Oe4T;@LU ze7Ij9OiqeZmBzHE55t+v0@kvdV_YJR*L?7cYfKJ`QH4f)MQ?^NiTSKy7e|TZ9<TV{ zui6vYDN1D;(vDsX<p<`mnw`Y(JAd*w?;lV<$wm<>(SWw}WC-6gmsLb_gp1teCGQ>7 z=EzE6DpH>|^x!)tGKVO3aF`3+;RT5gsdr?d5EZCLYq~R-2}H7z?HuAfw|P#Y!{%*# zK|#t>msWhuAR?H}3bt{ObKK$?36Ge^l9>XOqYf?UMmXb{#d5ZCfV14>DG6fCUC2a! z%2JyagfWnD%;YDw@GEDy!CwR%)n>>@KFUywP`dIhW0}D+HuDRo`GY6?OVVTd9`aI} z5Wb`f0~o_}ma>WcoZ>o<dB?}UnS+ssU~1Bw&V0jYrm=*L?BgWYc*I*iI<7w@h*H#` z8J+0QD5kQQ4eaFvS9!=kBsrn|lbe!Mrzsuj$4Gu;5$oB*ajx)yHw2#4{>eoNs?mfF z^koE7Sjakl<~J^LpLjkzrTvqW;#8$E?dijCCbNLG?B*Dkh~qUMoYwxyK{2Y(h_C3) zFeWjdHSFRjvE1Vo|2w1olbxberXlU<#ZZ1=9;?|&48QXyfAjuX?VoHEp%M*fOHYRI zJ#$$_G)K6|U0(9uIqjdU6s98eX+sabV<K~iVh4x0z#U$Y_`LQ{779^;dbFlHgPA}i zE7{H=&U2gRB)Xve^92PdPhDE^HG_y?HY?c1LC$fDXC%C+{gasjl%ozU=|(u?nZ<Ip za)7hk<S7Y$*Z#>we#%mt7KAa7am?f=w(u)wxWQip#A^R!Bp+p{MJQeQma)uW8Jqcq z)BM2`{w3)p?Vr4qCWJ5P!T`oFouzDIKc~3PW8U%cW$m9l1XGjdbmkjIGmRx|WFIHF z#v|VH(G~5VAWBh#W^|%IqnOHKHn5iyT;(DEkmRcNPY}U`5K0)~L=Z_7(Zmo-9PtER zvpqos6GA9qgcCs|QA86%EOEpWc-{5{5ljf7gb_{zkwg(q46(!!Pv9T6Cx~D|2qlbg zB8Vi4Xkv&Zj(7rZ*q$JQ2_cj)!igY~D58lWmN?=GylH!a2quJ3!U!jVNTP@)hFIc= zC-9c-2_l#fLJ1?B2qK9hniyh<Bc8z9wkL>SLI@>{a3Y8#ifCepC60Ik@7SIof(ap% zFv5u-k|?5yA(lAe3A}52f(RyrP{If&f=Hr>CWctzh$rw*+Y>}EA%qe}I1xk=MKm$Q z5=T6N_iRrP!GsV>7~w<^Nfgn<5KA2K1jgB(Ac6@YlrX}HAd)Dei6NFa;t9NOdx8ii zgiyi=CxS?#h$e<u;)o~kf$a$*m=Hn<Bb*2#i6WX9Vu>T3z=yUch+skpC5&()h$M<= zVu&S<cmf~Uo*;q=A(Sw}i6D|FqKP4vIN}L>Y<q$TCWKJJ2q%I_qKGDjSmKB$@QLjS zBA5_D2_u{cB8eiJ7-ESdp1{9sPY}U`5K0)~L=Z_7(Zmo-9PtD`wLL)u6GA9qgcCs| zQA86%EOEpW_{{bM5ljf7gb_{zkwg(q46(!!PvCRg6GSi}gc3$L5kwM2G%>^yM?8Tq zY)=rugb+#?;Y1Kg6w$;GOC0e8zO+3-1QS9iVT2PwBvC{YLo9K`6Zp672_l#fLJ1?B z2qK9hniyh<Bc8xlwkL>SLI@>{a3Y8#ifCepC60IkU)!D_f(ap%Fv5u-k|?5yA(lAe z35>TrK?D;*C}D&XK_pQ`6GJR<#1r_&_5=}32%&@#P6Uxe5lsxS#1T*6Kei``U_uBb zjBp}|B#LNah$W7A0^i!6Ac6@YlrX}HAd)Dei6NFa;t70bdx8iigiyi=CxS?#h$e<u z;)o~kU)vKzFd>8zMmP~f5=AsI#1cn5i2@S%{WL*9bVYL+nVB5qr8wo-R>?C-Rdd`t z=4+PszGrSnBjsYBct#oM`5>b?nB~^ArwiTb%eM?+B;)yksmx*?OIX1gHnNRf?BgKE zIK>67QZ3NDRNf<ZHghTYl-DFkkRYIfW2#CB^>Atd?^&OOPe?^tGLnTH3@hLo%A!=H zHeb?~PV^u=pLyMX$uPz+ktxhz4hvbzO4hQ89qi!%F&yU%7rD$I+~Gctne15Ru#o$% z^E2yS^F%pGP4idflrmAm1OXqClw|LFUXiI}dVaQTTFY4oqA;Z>OGT<vn~dW<8_DLh zp#xp`n*M|{lu=~1-$V&KD=2@@kB;GaBF~n}vzW&swpyRfXRod_2e-VEP3&SH2RKS@ zpV_$CyjuBpu5pWdL>6@ZJXU_gN51%T@>8Drw4)CrnZ`1<a)^uEBc3FQ6Zn4sB?!nz zIqK1t-i%->OWDFfF7PL>34AX>Kzj00mb$c|7sL6HC2ZyZ=ef%(K72nxKsxeJhUzq+ zDfyjysBA+=!sy92e3r{|tG^Fc9?gSr?O0A{m20v<E+vX}Y-JbwC~3R%A)W!1kFmw) zPs<Bj<`3?0pC`PatZkxwE?)Ux-us{PCK)M7OGdJii+mKJ6y>Qx4eHR4rnI0f9SNfc zeHq9QMlzO(OkpN-S;TVIu#v6oWG@Fe!g0=Uk*nO|9uN78m%Jh11IIYrbGZDFq@*M* z8OcIU@=}-*l%Wzes6zvq(t<X0pesG-M>s<n$vD1e3Nx6)LYA?T)vRMPJBXX$nNS|) zI8T#$UUjc8Dc|5v7AEt&DYF&Q*5o@r{!lw7w{@9ib_!C48Z_qpB;I$(j`XHKgBZ>j zCNYCKEMyr`tYb5E)rm#b_4&#_^ISXKFAs8*6NJ_BjzC`EGPig@L)+GIY>jB9{M@=X z1O&Pdq#zxc$VN+_$s-GL!#<13QdFQCA=IY@9r>D9KDRcf_Y4gE#Pd3Rt#4;v-^$^P zWfC)(%M#YHg=h|Pidb&(h|Ko$Qq~`5JR@^$eO{6T0Uz)&$w@;7zMzxu3nPbe5cw!c zS^8ODRfbTH7WUObwx$DN^ke`7eRi-M&UmIUi$$ztBU>5bb9>~-|MuP5IIMh>Q*5;V z-{np2@raka<^7M;e?H?2@=%oW)T9wD=|n$<6Ty$nWf>dT#UW1dTt9za-gcj_{g=e? z7q56n&l;NH$G)2sWF#wjcxk&g6j3fkS*jB59=vldwYM0<E!U?Bt>{2taqo*{Px|wN zYY{HLV<hAFo*$XXTo&;YtJuIcx*AV+$$cE;7^gVTC9ZRuIA;2ekIf^VC_m>lZ%L3; ze@UY6Rc{&C**h+olFvv_CbE)?ycD7sr5PUSeH9ZZXSpi1XvEn~-t);R{+8qi?*V<s zXDqUuQGVrbo#{qifA1svGmznoV*-<z&TQtfkSMmYn_tLke=#z2ns>u8*t{wvv9VeC zEWdM9Uvx!YXIB~TO64QokSLiknpC7GGeMM~G9lEXIUTvP(7QT0n30U<2dbD)OqFw3 z%u3FE>)o97>y)>!heQ0vX^K1ceQCXKmgg;B=Qa=doA*C)Y$T_y&!my7$D1d~%;Y35 z1t~^ZvZ{YoWKHT2Xa8Mn+d#P)jdf@3WEXnUpTP_#f@-C`<2G;E#$?O0n9D+zvVt{i zU>ke*l_Q+w9KUmw8{FXmPx+fS1bmtxAThTb*9S6AKH+2K6r>{)S=sG;PnZ|vP!6I1 z#VJDts?uwt`Ms=1Q$lG&N4n9Q?-;{mW-yP%EN2yK+00J%a)4u;A(rdhCXT1PaJ=(B z^xj_i9}*@{5b!@fCOK)yKo$bk@tiUrMJPpm>&nT>)S!jsI<g_nXhnP4THi%>rw=nN z&trh{U=}NH=j9-CXStu@)?X`XY?0qHl{qYC1smDU9x|A3pR~;Z<<nf^58`;jOWxA1 zi)WD(>LaPi$QR7AZ4Q}_!W1W%@>J$;ePRt+hlX6!2i&5m@>AJD{w>?eP9&P+Hyx7E z&2n#2cQD4tp-f;ZcYW_nxsWI}@t1Ym<sJ@mobz1a^K^b+O5vTp@)Do>Q{Lw<Uh$TM zDfNra^L_ad$w@;7GLwV6{4>=%e0@yE1^TX^jN5!N$!|9l^7mqtq6{^uM<bfjf;!Xv z9wYaw+kwWyj>_k?)2lql;eK20P9Fv^nBk0J0+X4}92T;SRjg+V(d^+@j&Opr#Bz;W z+~X0?c*R>1rc#Ibh~%Up17DDXJQSojrKvzwLa0Y$zN9tn=}Hg!@-5#nlJWe&G-flO zC9Gf#JB)90jaeI&w-U|IH0`N=%Yz){1ZTO(6>e~s`#k13ub5ui?;bKiYV#qIlcb7% zRAwU=`6x_rf*H}nZ-^ghqsmqItgd=28}KD<=s+(9Gn~;x@B`C`WC1JL#18gxkQh#K zj?3KOE>Cz(f;7fw9#+*y%1=p4b_!COD%79>U(%j#^x<2+V-(*rm02uc8S60=23#{& z+^RgUpWo2frTi;LImJ1y5yw;B5b&8}Baoyd=Vl%6b7V%ck)L9erXrQJ=c=+gA=IZa zZRko*zTrEXx?iK^1g0^MC6vtL_eQyn&Fo+=2RO!QE^v(pyx<*m&F7l)L0ZR4O49KK zxhOz!%2J7HgiwcOw4gJ+=*Lh-F^+cj`-7a$e12jro7l!K_HmRmT;mph@_?trlOUb3 zgH&WDC;2ErSt=4jBSL9QN4nCT-h?xfiTubc=Cgz-*0Y^G93ZxYxsyD}S$3B9Te7^u zT^{g)HzY{!8Hi6v$!BCDJNYO|Fjc8Z9U9P>P}<OeE__XYzGD;-OyOvl<1v=cP@d0X zeqtpX*v`)!;soc2<tjJ%lLtKEIj>2W!90qOxu&1~RHh+4Uyz#u6s0`XsY6p%8h2XD zj(kmD!WmAby~g2Sza1-2Vj7*)@oS%YZ>hY1r9`owt?Xnk2Z-S$=eWdm?r@(cyda)` zN&LBMPcl-Hj!a}DH~A?-Ny<@~8q}d7&1gwGI?;_@e8V7yF`5V_F^$>GXDKUL%O<w7 zoBbT(7^gVTC9ZRaoc}W(>MHIlH;(c?Og`mr-tdmIAA3g4s9o|AsmM$rDpQLnZKI)V zLK`~Klc9{`M`p5=wQOS#zj2PM+~773c*<K6XHu6*PYw!DoFm5de-rvQ56Ybb&81~c z8uEd^eUio8p@nx~mcODG-!YsqOkgrIn9CvxXY+4Us`&Q>%290OVs`)LLGI=t$64^c z{d%rE?U|vI`O0bQ&U1}>^fKSvH^9GZP=3Wh?-EX0ey3bry}MZ0JEP3THi~$5P9{^3 zmW*U&T~hBS_4`L;F3UwJNf|0poq$2+)AE@8<xXOsK40H*C>`m>H+;uP#xsRk%x47~ z*~I}Gn^T>$lNjaWoaQ2zsbK%rDBv1h`@p|-u<jNQc|pJzt~;NQn)KwL5Tz(j6$S?R z_a(9^p|qwwo$1Sl!QS~)_Pnh;iU=li&32J;8S9DW7Y=cpK*#+#7nQGYn_}LxJd{s) zOX4iX!2jq!pE=|V%9+VVUW!qcXYN;J*?{J>rV~B+hGC3j5;K|4aPw!wa==f@8`#1= z4l%um_oe=JOu1w(|5ikHcP-D!%iQ20FZhS$>Rh6%+8QZ2Vc%cK>oU6xq9DZxraXP@ zFOBw4Rk<NeX~6*Nb7<pz)YUeYZ`ns@*`3~`wtkQt#d!9rZ{N$`{U&pr4!?Q-ZaI;9 zJHfVD^`)~dFJu|h)R~oXJzLqyULM+ZuX8@2e2NQPW2EExRr|TCe2+&w;}!2nlubS2 zW0I4G3}hiEc_~D3N>hQVgixO*gwlqNgwc!sgfo;;jOPcYGMo7<WhHCb#CCSGpF<pD zfcig*6t2f-d`=d00|BS~{UTSm!Jj<jFJ2H&Kz8+zK$4M?bYvncxyVN$ic*|l%2I`z z)S)3w38gii>BdXXHa+AU*<XeeFxhWtaw6|5PmxJvq+GyW^>c|_!5TjCw+%9yMms#O z%6%N*P8R>BP9EnB7r9JqGUJHtt|{N-4uA2Icmi^`ucYF0a*&rol%O;fsZKo_)0{SR zq&wd*gwK4>XgP^lEMyHE*~U(OC5BU6;ZL6PhQvA5FH-Y4SqY*rrKm^<4f&FGgwcmV zjOGVsFpp)dWh;9)!f9f;$wOWekjr%^6&cAvK8jI}YSiOPz9Njie8(6jGlylYWh;9) z!f7sZm%oT7ac*^tv}B_orKw6?n$n7n^xzwYGM*oaWC?57%3h9gj;q|^F|SD&q`x8! zUl2r5%2SiZw51#U8NwJQF`LD#W*hs6;Vjp<$8!SmxPGJ}Be^I-S!&RjHgu&Q!<fKK zma?9m9N;+Txx#H8@sfY}Ft5IcbYvwT#i>9on$Vg~^kg6-n8-{P5yfWqaD=m5=RPlZ z$NTx*AJUSAyp*6KAvC59UFpX#CNQ1(tY8znIm}tEagXN&<afPDLpBOhnyS>LDQ)OV z9|kj)DMYfAb?o3*PI8IcJmM9J3TR7wMm7piiYnBn1)b@~FeWga`K(|QyE)8Ru5pj& z1Qc}qq#+vxDNR-C(~{2gWf&8g$r9GHiz8g%7EgG?dxbn-lA6!SLJkV(+w#f6|E<%< zl$2%3sa#ohZRy{c_VIo}xh_p<$yaox7ySum2qPIw1V1p7g{)vL(H!6ii@d`~?fZ`_ zpW-a%iRCIc_>+ee>}zf*U-FuFBrL4nl8h9D8<5h-vW`82%t~I0Ql9G6r#Wrt#Mca< zl5Gadu}ozSKe3K&?B@_CsA%qeRz8^(5b%e*&0oCc9q$+MPK4dw%cPT;$w>i<QQLO~ z%eSA%0Q*y}^51&Cq!WD^##nx24hxyE$I!-7<rS=F8+$p-aV~I;J3QhkZ%ABJ9Uwiq zC`<##Qc{+uDz#{4U47Z;zcOv;!p5KddvQ6C;f!N4kt|^~$Gkt>BKLBF-}%z~uTdNC zH<j=5fG2dW;oo%2cmj&4qXhB^sYpj2+hvkD$WL*~QJD}L(3B$|cs`M>=|m5@IFEiZ zoH0yfDl?hS5~5hoHuiIj^W5N1p74@@;*O1x_L)LvAPe~^MFpx-lLj=SCGF@!F9tJ) zNz7s)%c-dzz3u9^4dsn&C7L}P;x{gGn>hYroa1;Y6PD0lkb=+2MKQ`ymAW*g1?^b- zp655&jb8L;5W^VF1g0>9NEWb^mGn+%d%212?B*AaaGcXzpp*N0S>E6-4|&Sp{6m70 z?lnpHgtTNNE4j!=Axct?;N*ru@9>7`FDhHEPHpPbnC7%U?%&?aPiajTrnpAkWG@CX zlotAk8P<<f9?uU<V>a_x%1Sn|i@hA=7^gYURc`Z;7tFE0f8@UemU0ZFAp@DoL4Jx6 zOgXAkk0yk&&_3G9JAUizF8lH=Lm15jGJ78%InZ2Ic?NS?$Z87v?o!<KnXQ(0vY*48 z;2hVv%|i<3)St>1yy0IG1?#)`h~!K(pDyj%?^b7ydheOmx=dsz4}~Z}St?VLx-_CW zt@w)0d`)k@VGzR@O$3vfP9zIiMilGW$}aYEnB$x!mh0Rmjwiezo`BNo7l9-rC27e> zR&tS#!jzy4m8ec_8qkcEw4)Q<=*>3_Vi==|U=q`q&3u-yf;DVp8@t%YL5^~g^IYOO zw~6C1&v{KP&#)^!W4%*OSjN2}2`NZJMsg5D3CdH2nq2l^UPm^hDJ^J2XS&hbxZX?l zqvFTvnjFMPCNPy*%ws95*uXY+@e7AJNq_HnF38Jt`^fxX{>cNL@tT0L`aXaAps3#r zls_gpsYy!~a*>zfl&3P)2%!P3>A=_YXBZQh!6Kqq&kpu+l#5*FE>C&ITN0LYEF|YM zvJgZeN>hbb`q$dBA^&IZKH#IM_J)sd@7b2!WV5|w8(pFZ(g{d!hTb6*=_Mf2ODLfV z1ZmQHks6vHH3EVlO`0GAp(98YLCX8vMSZ;Y@p`>p@B2K@z3k`nJ^wRj&YYP!XJ)c> z(g4kHB7r_6c0gyOp%?mLATlr(6EPi&u@;-L9iQMJPT(xA<1QXUSd!1Upg|m52qF&( zp(JuP^PUv35~`yvnxG}#MmO}sP>jYD%*S$^;JL|K;#Ta#G34L|9^eTirMP~<fdKNM zFp^On_0R$x&;xxj6caHW3$YR#@Cob!UNaNF!e!jW6DUe^9K(bBD2~dgk2dImbd1L= zEXQW-#R*)(JqXKij>Cc6D1!2+jZ}2S0F1#0Sb`1Mg`+r+Z}AlBWR67y@fwm*6HU<( zeJ}!(u>e`vfrI!8H}DAZvOIr*53isks-hv<q9=wT6LYW<Tksi9;R+r=T#m7T3wco# z6;T(hkcL5c4>Pa~A7KxUAqRKx95HY5yboc#j&evrb96>OjKWkb!a8K*Fuul3`~YQn zu08N038hgTjnN*xFdXk=9#&%;4&XGd;UT0I7=L(>AH`7__0a}BkdE<~h2_|cy*PnO zxCdcH#vcykMiG=pZKR?r24D<6z!Gf0E*!;qe2b@0S7Q7T#A`@KO*BPE^uY*B#sXwv z2M*#Z+`uEqD>MG^;T4obRWw9f^u$nPVh&bf3qHdsT)_i~t1$j>Auo!eBI=?Q(l7|` zVFs4rBkaL3<lqjTBc>|jk1$?GIi#RDI-?&(VJa439kOv4U*jfzfU+9n4?mJn8r9Jl z?a>Rv@jm8ZHMZdZPU9LLLRy{ihX?sl9F<WYZO{Yh7>`+4j?LJM6S#zX5Y}M);XrN_ zL3z|hD!O6-#^3`i!3ONYQJlxOcnWn*#vehvhGf)4Q*=ZhjKE|pKo)l3Aily4Jc9f! z#veYsf|96;hG>hP7>Z2H!AfkwXE=o`cmQz<;|~||q9`h&E?OZCgYX_^U>QEb9vnjs z?%+9MYBBx@<8_on3Yw!c`e78NViDFM8;9{VZsG?hYcu}vBMGHZ9gWc*y)Yc_V;)vx z8xG(!uHhl1br^qmkRQcS8THWyJ&=y^n1$uojJ-I4OSlJNUB({{<VF#cM{T5{D+XW; zKEM)ez%Crcd3=kfP}gJp5yWdqMolzDNA$r6OvVCaVFwQ4E8M^%$m=uy@ZlAdL{&6I zTlB<GWMU3hVhcXQDO|w=h#N5ea3L>>q9W>|71A&W?_ma(;Unz9G34M5o+G9q<Bu?2 zM>(XRIXa^sMqw%zVI8t@7+>Qiet@zO;}1WQP#V?I812yu!|^`mVKuhl08Zl?9zxof z@rMWbQ5=;~A8pVB=@^e$SdPuuixaqndk{8Z{NX@u6hV2^Mk=~u0LI`0EWrls!cm;Z zw|EM5Q^p@byoO}dL{oG`AB@0cEI<}^;2^%j4LpLp8RHKhUO`DzMMJbjPYgvS=3phZ z;4_@U6+D2rIpYr(@}ejzqApq?4TJC=W?&gU!X6w$4({MNVp=f%2;+5>LkgOsGx}i^ zreYD+AsdJBHE!YuC{r1K_>qLtsE)>Hk6sv#_c0Hvu?+`s8rSd;(w2-rJjjpYsEqn( zgC0o7c+A3bY{p)kz$M&+uodGE2Xdnb%A+<?(G>$Q1|MJvHeeTy;yk{^Q>a@r{s`hV zB%>ypq9giX1SVqvvakaO@fB|15#((cfB5hUN}?(nqAhx2C^9hzE3pNi;S{dm0mN@J z{%|2LilQRwq7~9G2=8GAmf<7p!7=3E4xS^XE#r?cUPn2kpgB6DA4Xv+7GWK-aTs6Y zCVqgj9peu_l297e(HO1K6@4)b<1rO;un4R15w>B^Kt2;C?!!@hjf=Q};e76WnD<Wa zkbjKl5Vz;`JoGTb3NLaYKVHY@ukq5KSOTR`9gUERw&;#t=!d}=f%h;G)3L_GYg^1E zzXVy(<>z-i#BEqTi2G3x58w-&#bw;WLkK$X8XX$M!U`9B$c@Pw-p3{uL1|P#Rn$ZS zG(#%dpbL7VU@^`E;&8l&OiaamtiYG_(?`Ue*oPxHg{2x^*YcVAdGeQV3lH!;e7uMB z1MxW|9qCVaa48?31rQ73bri#AyiZVySPqp?1GVwJh4)*D2btfL*b?o~74M)A24OhH zU;?IKI+kJ$Heow<VLy)JYh1)N+`@MdcA{UQfdN*0E~9UWUc8F(sD&2jhF%zm5g3O_ zn1Q)ij1^dqkFf*0aU6H)gNwu)xQ9o03PESCSx~`%IJn?PE)+l^ltcv_oXPty#M)?r zs=V*fhS(83&<BGs9HWtmsi;T2nZ!9*h|Rn&xQh4@w&D})#bKO84(>tRg<}prBq13o zNJSdbk%@W8LN<;f2lpWE%JT3b3CT!7D$<aSOw2<TvT+nSxCe1JmWK~XNJa`$k%n|+ zVji-PjiboHJ&4m-9zG-?87W9b8q$%8dB{RGjv@#5Anwlc@F5AwNI@#nkd92uLl&}e z6gjvDaSxV<4@pQy3R01VbYx;4vXG6V$iY2`-(h+9kc4EUAQfpyM<(VW3)wh|9NdGr zC(FZ!BqSpRsYpXQGBFQX$i`9R;2y;9vOIi9LNZd2iZrAn6Z4RTY#c=n?m^s(<>5mT zl97T`q#+%dn1?K6<0x`)58~b|4<C|{j1;6I4e7|lJY*poN0Ebj5cgqu_>hETq#zY( zNJl2-Aq&|!iX7a7xG&4Yha@B;1*u3wIx;a2S;)pw<lr8}{a7A8Bq13oNJSdbk%@W8 zLN<;f2lpWE&+_mg3CT!7D$<aSOw2<TvT+nSxCik7mWK~XNJa`$k%n|+Vji-PjiboH zJ%|UgJbXw(GE$I=G^8UF^N@vX97PW9K|F}%;X@LVk%CmDAsv~Rhb&~{C~|NQ;=wEr zACi!a6r>^z>Bz)9WFZ?zk%M~>r?WhKNJ27Fkcu><BNOwGg=`!}4(>rbgyrEw5|WXE zRHPvtnV5$xWaB7ua1Y|4EDs-&kc<?hA`R)t#5`mn8%L3Ydk_y}dH9foWTYS!X-G#V z<{=B&IEozHgLpX0!-pg!BL%5QLpm}s4_U~@QRLtr#2G9PACi!a6r>^z>Bz)9EXNvb zLdeB)8{#hP!(n`h3%HDLa2Jp89O4l?H|BR-YnO6gDL#)=Fs*?ead5$pJSc#2Xo&Xc zi}x@EbFmbwu@PG_h2Ny@CmzCaoW*tA#`ky*$w;1qA_ivI;YI*?@Cp+6URKI>?%PJb zC`uw36;Ks#p&pu`CEBAa-bH^5!3eyEiI{>Jn1h9ALEB4-E3pBau^oGG2*>d?a&R5D za0lPx8RVmQ4gnk7NJMTVp%_Y`0;(Ye_0R+@(H0$%hIi2y1CfpljKeg{#saKF%XNI8 zmza&cIE3T)66f#@9^x4!qj?<!Bb@LfH(ZVR9xU;76h~Q9LJibGLo`Dxv_&`c#!!6i z;J5Zfc_qHPK%9svn2z~aj@8(R9oUQGID@(LSKgsKk0qajtGJ1~c!(zuj^X(s)X>8W zD_lrK82Rxkil79NQ2|x)7V4rgQqdNjkcI&mf|`65$4_JhBgl`%4xX1yAnqo9hQm0H zNtB%?j&9Dq^vJKmT6}~p_?me;h<kAe$8nLebHp56#W#3>y<xr=K)lBM+s#<{SjGn$ zROd5U1MxodOvD6)`JPS^D$U@xtW5h5LS7`HFiPW1R7YJjK})nnC#0bthG8r+@d0LG z5td;MHsMv)y^IeicaYzM{Wy#}ybgQ6AN@i8G|uBHZs8%GK=K~nMS%rQ_z=czUe6RD z-kZ%whQu<cfV#*xg8S|zu)XBpMpyL4APmQQcpo#d06wl!%ZMwm2J5j23-j<jUE&@b zz%hJ@vzXkD=l{ej_!i&c8PwzGW4IAOUL-*@p6d*;1l~k7)PkJyM#L6qgRba_foPt= zy$GlA`wa49FaeYB0cK$lKEz?ZPyAUqp8u0y2MukuOXl?+`K{QAy*Ps7IE#z8hHp`y z?^fL>KE`uM#`Ag>79=7G{t4V?kJz7cQ&0QF$(KbXR6}fg?t4jWgjVQ)9_WLC$iP@+ z!pibfh;y(Mce$Qq5jSBwcH<yU;cHyME!>5RWgigz#CJHhACnhN;Pn<vaKMi|D1-vk zdxKaErBDtPQ57kuhel|F4(N)}{JrWy?2CaIf$^Av8JLSUu^b=7C0L0K*n%C{jRQD> z6F80YxD3e$-2aDo6L;|)et;;GV*zRuUCDQch{ZTZ%OQch3x4E6KD>gWD2s}yjyh<B zW_TMNp<;cB#n~_Ny)Xd7FbWee86RLa?hDu_;)i$;;Cs%*_1J`M_yl`#07q~FU*Q6- z;3n?jdpv<~BG+4}p@WfQ#6(Ph3x4EA0lbPLD1l^@M-|jW9W+Gq9lVD?EX<g;A+|>v z`d}DF;XO1?<u{K>{QV$54YM%Uz;`5wtFR7Rup6J@Ails!oWoUoi+pbSf%p`X_t^)S zVM7_V!AbNZFAAbdZ?65sq9}v%c#nRpOiV!oG)FshMNbSxMSe58fOU)^KLJxP9kZ|q zE0Bfl*n<N&j8iy^OSpmCP-)m^;`b0v;`4K8VT2hD_>c#MPzn`M3yshQ9nb|m&<h9n zJ28mZl<y23CqIn5me*oV<U<Km!zju-5&L5-W<twrE+^h&UI}6~WRjnZ4=^iI&g-fs zm`A=paS?GDw7gz&A|Fa%Wn?~aEV3f=c|GJrK9oQ;G(jiy$5_mSme)N_<U<KmLlbmD ze~iUUY@p4VJjd4ZJh>X0pcDFIEM`K>b6Y3!VKeoc5Vu9Pi#QfDk<Ij{IDjKKfipOd zOSpzxxQB;$0^wxdH-ZW}n2-Pmya*yU3gA@~MlqB^IaEYd)I@F6M`JWcE3`!?q~Trk z!(a@@XpF}se1KV)hecS1mB_+Ie2g8~g?%`Pqd0*xIERb4if?cm_whZRKrn@K2?}VS zhY1OA!ixZMAs-5&5Q?HCl2IO&Q5`9$hel|QR%nZk=!zcbg?<=>p%{TNn1D%`hMAa) zg;<IeScCQ0gssTN9(;yFIEGXB3g>YN*KiYe@BokT4C1L=-=TpXW+cFcM1+tRub>d# zKuIK{0(S7Xt_pEHzY*HUZ-mbC{l8AcCtdjtF6GlGuSG0Cz52xO_`O$SVsk8GUMpfp zbVnbIz)H%?IeC6cej4WBL#)Hc_!P%*0XK0Mk071KYb#{2{7l}5j3sY@2f0xI8<<y^ zSPZ360o9O#MresH=#3xP*2Fh>ok)HZ#$y(iVFR{dFOJ|eF5(+J#B(g=+OGV7;|LD; zP!L5>5@k`3_gO0v53*e$)>V~!t;jsC&y9(x_=0&4$MW_(`I#!t6=F~HLk7ko6Voso zi?I^xupRqw6lZY-w{RcNAe+wE!v+rm$cq9fgyKj>Wz<3=v_N~T-O4?liTyDImrC>c zf;b6tu?$(*gss?#UD%JKIE@^9gZmi9@=u7u8H^<iu)u{7GQ`|>n^+WY;u`%@iC7J_ z&>S7n69X|C`X1cNf;bC{k%g`J6i4tSa&QBE3-X;(;&*t2XAsZi{6Gu@9K$A}1>bRe z*@;0EKw*?dMbt-2bVLsf!e~s#LTtuf9LHH)LK?^WUE)JL#asOC70+UP5QBJZ<N2_Y z=tBs3@fu3tO;pBP*pQ3Y2dGCr6>ZT8-SLP%dxqZR2NmG{>%`$0iw`gxNBAy!U0$v& zCchGE@iBJeAdcZIF5@=t<9j@Xa5mcuGtX7cL<hXci^3?2>Zp$v$Y{cICSpf)LthNT zDCFWb*m&Y3%)&(K&Le7!JlBtGANkeTh;7(~efS(-ATQ_dDdJhUVi;%QRoudTJb`cy z*9_<p2OGAn;JD)0_K=tHy4lUTa+5EN;wXnosDb>E=j3c>ZSsxL5^d25J@G)ub&ZWZ zX5cw4)9Dz&_0dSX8RW-cBI20N$07Cs`8imKa<sjaxDxAOrOsyJ4(!Ge6tVJMbz%-Y z%)dswg$H;7^<17~!2vIFAzj6~h;N`Il2H+>`f{&&#=a`~dT4}ZXpMGALr)CGFi4er zw#Id7B>9P$j@fMUT;eihp-G7Q#t^q)2lnAGPGB%~{k%pzP5vq#<2mH>c&>p2oXO3# zoa>^Wd_fdJc~nCav_gAq;@FtNJr}x>?}c=XMzbB16KCTJ`9;K~ScUcY7(4MP4&pe@ z-~z7V7VhIQ1oJr_pn(w<IFX24D1bsJhBBytYN&+<XolA4fNppf{V@b1F%FY39dof5 zE3g)uupPUxA4hN!XK@kNaU0*^2}BEcE(0CRu)~Ki3gC4VM=~m+I%=aKnxhRmA`QJT z07Eef<1vo0OJ-~*lb?YFSc0<r-J8g~<>Y5K=6cDSP6asrS2I10@^!>**oDt<7$@)* za&Qgb;sJhua3RM7Vi1c2xZp=_yn@$J9LcDN>ZpxINJU$8Mi2DCAPk3;>-iYs1Wd+s z%)vq|!z!%9N7#ZL*oD0~fWtV3Q}`N}a07Sn0FUq#!bPkLO2ohbGpukS5n<#*5(=X@ z%Ah=|peE{|A)28T+MzSLqZj%k9T^yd37CxOn1h8_hE-UHP1uG{uos`>C{E%lT)-84 zgFE;RKR~dU{ecQPn2-P`d<Y>g3gUGXLutH;%BX?bXn>|@iMHs3G`x#`7>wZ<jq#X- z4=@`GuoNq?79U|NvhgVn;0R9O49?>+Zs0Z^;4z*<vV^gL7O}9v0WX5cgI7=pMNtan zPzlvh3-!?isdyV5(G5M(7lSYiqc9HdV;W{*K9*nwvak_buoHW*ABS-qr*RIKa2?;` zJ|5v2#7jBv5d$OQVTT6+<VFF!hBr_WWl<5;kb-(>j238v4(N(^&<6uC6eIB--p4e| z!h9^j3S?m;wjvv!;sB1|1kT_*F5?Dn;{hJyIV8&%7ibX+3motwh&*@&g-{fwP!5$) z9koy&P0$7%&;z}Zjtq>)B+SBmEXNvb#&+z*=QxTpIEQPvg@<?o>4%&Ph=m0n1dt!E zqBzQ+GHRecnxG9jpex=%9}L7$jKo-EVhUzpE*9ZKtic9+j2+m6&u|FGaT@1v3D@y0 z?&A@jLA;#f1X{$x0tb8uAukHzbreS#lt&fRL>)9jbF@Z#bU_dF#sCb#2#iH0reFr< zVi7*XYOKd*Y{xF_!$BOwX`IJp+`w%-zz-0v;BNyoFdz<gco0Bt6u@hE10_)w6;TZ- zsE5XAfi~!XZg>~{k&X<E!30dfOw7j;tUwkvVheU+5BB3QtQB}~ig*U+aTzyo8xQaU z1S>g)pn?u2Sm8n<!pMgt6h?8BL3va`P1Hd{G(#)2LuYhHFZ4$`GB6gIn1UIYi$(Yl ztFa!Nu^qdx4+rrDPT?$aa1}Rk7Z33S!c{y+f*N|5VTB8c2qPboP#DEg2IWx&HBkqR z&>XGN9$nA_y)ghoFal$diK&>0`B;J#$ihZ!!A^XN12}?{_zD+r1>fKf9^xrPt2wri zi{~#Iq5*NR!3{rhAwOP45tKkODxfOfLR~aMbF@Z#bU_dF#sCb#2#iH0reFr<Vi7*X zYOKd*Y{xF_!$Ew3Q#gwpT*Xb?#X~%Sa1G-EHS{pU3KtR)Mm{8=Fp8rL%A*S2LR~aM zbF@YWbj3U9gMk=|kr;>fF%7dYA4{+jYw;1bA{(FLa~#D<e1!|Rf}6O9@9`9(EUsJ7 z!h{4kk%(N#kJnHXrST>zqbBO05t^e7x}XPoV<3iN6vp9wOv5b9#}ceS7B*rFc480q z<1minG|u4?uH#$W$0Iz0crDwH7#I-`J3I&=4+^3%ilYq5qY7%G4jQ5vTA>{}qdR(` zKhlwbF_?hKn2xzvjOEC}Mr=VgKE>xaic>g?i@1hwaUYNH4B~a{17cvrcAls2#(o@u zg|d^xvv88XNW6~Q_zq7X;(4(GT9}YXJuA_T0CF*%hgcAWQ33@hD@&||8fb|^lodle z@@0r!i0_~;1|tI%C||~Fk5#BjejD)<?8RG5*G5A$$J^+LZcy?1Rv_Zb7|}<JK*t+E zF#<z0)kjk!sfz!VA?98}vC&jbYUdw<iUo0kSfN-DA5Cr4iqwfAHAnMufs(xK$GMSZ zIY&ty(RNJHR1_^yv6M6;(!M0xvP9sF&W+TRWJK~(@N6l=LTgfimhF5|NAjXI>ZmEP zMN=i~m1IO(mS!YG>no$}MAj}<Mbb#k$hsnReoR%-`q8;kN+auv&VA8NbnP$7rMyKK zY1#N=8rimJKDs5+Xeyy3(tf1;#TH64B$u@UNsVYKkX$7%kerF8C!^*2elDpYiR5cY zgwc{n`eLc2lH1Wdd(X1hqUrTW8d;ZgX{7h0OCvod9U0xzk&%7;abHx<$kqxXYnKXS zv>;`qA|>W%oycf1m+c`v8%-}pQ&luoM^jBSjftk(XsU~*`e<s1rp9O*8%<5o)ErIY zBB_~erTzFw-ufbMiOx-kq>=uLjI4&#hDe>rR@r~dbA(V5DVI2-OSz({JCa63TKG9t zMUGl(+M;#r(bN%5J<-$~O(VTgBf8f$<k9t7qp8FfnHy~_BXSH&IU1v_B}SKuu1y}@ zT4OYg_B`7e+5Sj>zc^N<Dv3PWzVbzDlrNRP7==jri<&i}^*ITnqZ4Vlh9r`zB()-S zBn=}ak)xOVi#n0kYDCTjj;J=#I_;zBJJGavB#n-2hJ@ov8a+d$(KD1521V-(j;4{d zER_uTIiC?}Q^cBRxkluCmkJcoHAc=gwpJP4LXJk-;iw}$9!)t`$#XoDa!g92=ah70 z^lVxhJyTwsQ!kFprO}pOq#4>D+mG~H<T#YPI2xnZ0cqq+r-bvDl<N$2A|;W%qa;He z-9ioTkw!*e6isE(R1r<Z(Ns<vIf^7NQd;JS%7|QfBF9+dh|&s7(bODG<DzLiY2+Fr z&4^snA}RGVBG)=;M&w%e;@p>HM9-RN%HM!!ok%Llh+aLGMy^PawM6PiM=&GOpOR?$ zW1F0nw5*EOiPnr>mxPfL)=SAxEl48UAe2Pwi=tyHS{m6B5o?LG8NI$mTA(MQtx+Di zPDa`nWkmX15baeFxyUF-w&cflqQ{0P+Vjy8%4wNY@@1r7C0qwc8DCPa4D|H5pIdlw z%%~&^%4<ZfJfi4TQKX6<OI(v9H6zEi=tZ9Gj9d>RTPw<Nke707MN)mVJi64<$ar&P zS|i6&G*8XQ*%H~RAFl>4_9ZeRv=iOhjL7jLijJ&^xiRD;;}xAt8X0#{bTmcOR7LZV zxzQerj$outY_ym7;2>Heh_)bzj<_JYY@`pl<!H18LG;QHDUan3aHJhUble4OZ6qH# z#sty79WQ!b7;Q}$ZA}>MH(|7|gwell+=`U?!e~1}&Wp&NDxzuhIHboS=ZG_!MtU%E zmPJx!^m-M!LUHy*&(P>~eyQ|iq*tXEB5CBmTS;GB$D*SkjixXDDv1PDY6|o<Pz&|Y z2+hzEZ=(acpgZ10Ukt<$WMDKRZH&W2Ou=-_#(XTshggNR*ocp@9nq&8LXlV^mB|%K zflAGD74G7%)d}<lW30&>7jH?h+M>1oDzP)|aJt+cuP@Ob2!_IfT)c<=(<4t_-uoBu zqo4w>6ij;cwL-5KF2cL({{fGp#frb!%M$;KceZ4y(q)p%mV2{&g^HCbSNXdeT9q#w z3aax#yP)RZt^2aVzn}-+N{KXDt9G5b_3Afh_>Zih5uc542kfTJ{*i@V*8R8cf#xkz zTekYQ-ouwW_p%3G_Q1;?c-aFld*EdcyzGIOJ@B#zUiQGt9(dUUFMHr+54`Mwmp$;Z z2VVBT%N}^y1222vWe>dUftNk-vIqWidmx+dfqa5bu^)%<1y14&&fy}i;v3w?eSD86 z5WFSOOQ3)TdYE8=9g&`O6B7|a9u&Z<_|NV2KX1?ZWyfDU`1v~DFa7Dk4{dp<`PP&! z@*OlDCcekT&%XIql1tzt1_ikUc?AUoNzprZ72$u%mlTu{loM1CR2Ec=e&wSUzte6Y zXe?+ZNR2cgXf0?f=pg7U=oX#oA$XU6H{4$^NHB!y;ewHZG5lN6Ou;0<RKaw?EXw8z z76=v#mI+n}R!5guE7%~|B-kR@&Qv!4|8}onzu=(Yh~Svuq~NsRtl+%hqTq_)y5OeZ zw%}fLiSGoD1WyFd1tOtTs1T}!TA@K`62=RyLWj^T^a%sPurQA>f3zzK3SScz78Vtj z5SA8}6_yuPqO_{8hA>4~M_6Cjh^eN+7Tgf~ZDD(1Ct+7%_vlhRg}sISgad`?!ePP@ z(UQ@^_k<IK?+d30xq$(Xnf!=*K0mTtDqPObPqKvTg&zq&7H$*n6z&p!D*R0Nx$tnb z-WS3X!Y_qi3C{_0gqMZagx?6i72Xv-5PmQGLHJB46iGyKkxCRJ(u-n6aiRoKbO-;5 z#3pk7MjIYc;&06T<!XbXT%x?90-_{QAyE-gF;PiT8BsY=1yN;DHBn7bEm2)j15sm9 zGf}FjwWzJAgQzp@b`$jwy({V?>Mt4;UCR*BaM4K77|}RUrf8CAs%W}smT0bMfoQR4 znP`P*b+pb}(FV~b(H7BmQMPEeXs>9$=%DC`=$PoF=(Omp=)CBn=!)pN=%(nl=$`01 z(Ie3l(Q}bVEEOxnYOz*q5SzsDVyoB@Im`uau`e2b+K+%ZEY2g&FD@v4O<Y)9R9r$_ zT3l9KUR+6B^)KrERR2FA))2oXt|hJ`t|x9FZX|9ZZuU?1L<?~%@!R6|;!fhO(U!W4 z-x0qn?k(>7PqzC%H5UEF1KIMy;vxUy?H~S&_DB4fAN`B6vEuRKiQ>uPsp9G4S(MMk z0`X$;vR~Bsy?wMoyjr|gyg|H4yhXhI4=kT8-YwoM-Y-7LvPZ;Uh>wd;icgEriqHLl zwl0V-iZ8R=Rq^#7m;UB2TDc{@!}R?h%O3tb@3Hu)n6KFW%0v9CrN2_~ZxqS?q2-kl z4fS<DE@S+8S+m3<vHd*tH&*pm#ZHOmA6(+E8u*t?CQ5?8u~oSwc_jrTNzodGBt@dJ zn53knjHH~Tf~0bEx|*b>q?V+vq=BSybh?=&Rnl70R?<PzS<+3?L-MYqkEFk3P;}l9 z$?$0W^<5eH8}ojBiI=6^UqUiYk|~)anfkxF_oho`N#;rx{4d+a#ca>Azq?H<{%(!` zJ;&kdzuMNd(di9;Rr*J_cavm`WV<9=vRkrOvR`uWPipm#Zq2`Hxg(Nee`n85N={Sb z?BA*NuiCzUwB7U3?Y#J>Z0!}vb;-?WOSk`&_Wsd*`PbIJ7u~1tB#-{izCDpV|2sAQ z-0c)`AEEzW52;ikRsVln-~X@u`aSE>{)g?i;V<^rB#md<Ds}ut>F?>cf2TTbsZSdC zkM4or9?dX)lSi6gTJZl&AHDW}W=ns&=l|&3!hiby7nPRy)7$*z-j)8Bw*JdCMe@nN zvbHyWF01%+uFB83$p4o3^~YPkGN(3W^`s4@O{C4GE&pnMo4=a=wN~5xN}Y~Bmv#9$ zm-cfm^8W#T{n6`h&iVEF|949J{@d=^|D7@Ty<0lqSH@}(WkWC=BQXY%$G9Kki>W^& z&7{Ri(N?EQrxR!W>1+5iw(_58W3F_*bRm1SSh`gDp>&0Gm2{1Ct#rL~qjZz>W6HNm zw@Y_QKauX1ek$E3-7o!IdPsUi`i1nk^rZAl=^5!+={ag$kY1EtmR^-!mwqF?CA}@Z zE4?rMPWrv{vGj@b88@;K$s{tFOd(UrG%~GBFEh$avN)OLzdnHcZ@Xaqjd}mA^4~15 z%bYT|%qvTj1!N&vE?FK~K3M@-LD{RaLbAfLH)O?RC1j;!Wn^V#Z^|mjD#@zIs>y1| z-jdal)sfYcHIOxuHIX%wwUD*^Q?}-BZszZp(OTA4)<M=;)=kz!_O7gttiNoKY=~^Q zY@}?AY@94pHc2*BHeEJLHdnSlwpg}IwnDaAwpO-5wn?@{wq2Gj+b!EG+b=sPJ0d$K zJ1ILYJ1aXcyC}ONyDqyayDhsX`%d;q_C)qvCX!3#3b|UYl^f(HdA!^zcgWpxpFAKB z%k#+d%L~e1lNXj3m6wp0mY0>6msgTkmDiA`$m_`K%Nxm?%3H`=$={Z@mv@qPm3No- zl=qhRlMj@q%ZJHF$VbcHlTVPpFP|d+Kt5AGM?PP^NWN6QT)s-4C0{T9NdB>Wn|!By zm;6)tXY$YGhvi?$PsqQNe<eRB&yio2Uz2|$|5koi{y_e{{0I3nxlkcd$Q3F@j6$!7 zRm3S06n2G6;Z^t*Aw_OQKE*4FR~4_n_+Xp<eM3=PQA&}lcvDePQAJT*@s^^tqMo9m zqKTrpqNSpZqMf3nqKhI;@s6UGqOW3rVz6SUB117sF;+2NF;OvDF-<W;F<UWDu~4x@ z@u6a+VvS;*VxwZSVyj|@;uFOl#XiLW#UaH}#c{<c#TmudiVKQMimQqnid%|1iu;O( zipPql3V~9rlqr=;jZ&vHD$PoZ(x!AOJ<3F7P?<}aS6M)rq%5Q?qAaE?sVt)`7rEot z&yNbq%F1fWn#x+ry2=L1#>!^ORAp;rTV)4jXJt2K59PbcKFa>eLCPV@;nC$rD#s|t zDKnLmlvAVA)0MN7bCnB}i<QfiE0n91Yn2<6o0MCW+m+eM-O9bn{mO&NBg$jSlgiV| zv&!?zi^?m?>&lzT+sb>&@05>}Pn6G<B9&C7P^r0Nw?Lp(8B``!yvnL_M5o;<pDLgV ztMaJws|u=KqpUEBq6A8-%Bsq%DygcfYN%3FbyW3LjZ{rlEmW;kZ>!p?I;py<x~qDs zda3%V`l|-1(pAG$8LCmLF{*K@399#5o_jm1rm1GAW~=6@7OIx0K2)t#tx>I0ZB%Vm zZB^}1eWKc<+NV08I;1+PI<7jUI-~kpbwPDWbyamkbxU<ebzk*R^;q>(B~XjiGPP2z zQR~!3wOMUZ+tg0AN1dn+s&lFHstc%-xUEbfbrE$jbxCy@bvbo;btQFGb#?Vy>e}jh z>W1nj%x|u4scxfgr|zKctnRAruI{Pst?s8Ds7_Z8V=lLoQIArORgYIsR8MAls(QM5 zmU^ywfqJoenR>Z;l{!nkUj32!WA!%mPW311J?eex{n6z<S07eK{=dQr^_S|e)aTR} z)R)v()YsMDQ1-3*j{2VZf%>8Pk@^SqQ}uJTP$Q1shb6Mc$V2*zDfut*FXsM~sx%sn z?!V2A{jtQXv5>QCTtC<Fkqi7h^;0WhO&(3;Zu5WZQSh(kz5Z9z|9!b4nxfG<#Wf{0 zr8UW#a+>m*ikixrs+#JWnwk_%ZB1QGeN976V@*>{b4{wIm8OlRt){)Eqo%W_D@&$n zdT4rTdTIJ-`e_De25HhYLp8%SBQ&G_#+t|cjq?A#W&b-$#%U&Mrf4E}EuW#8qgg;) zq*<!@P_sg_O0!0@R<mBSQL{<&G38q|+oSuIt=Xm7quHzZEIM^Sb4c?Axf3{r)A&mB zwdTAghukI270or`4b4r>x0*YedzuHDhfF`xJk>nc2xG)CQf{d9;vtVw#;9XrVst;3 zM9K{@=9q*SXN)%{5R)q=UrfQ6LNRZ|l!z%4^JYw?m})UKV^U)3#59O$9Md$WMNI3M z_A#Aey2PZ#^o;2h(<i21%z&6dF+*Z9Vn)S`i5V9&F=lGa^q843b7B_6EQ(nYv+OU{ z^<q1g|4P}5IX|VVW7huNI+3~?epjuZTK(&|DP~K|_J68{zi#ojrn7%u)9z?)@6Xe} zwbXyj+fV(2zgXr-%rT};#hm#?*?-mkW$s+GMou)nOnU9_F7eByzoGWGzq-WTm<KW6 z$NUiUEIL=Hm1rZ&$+g_l@E4C5Ew?Y^5v%1Eg*+0p+$``<c(}A)tzR4ZQ`-8i&B?9J zr+r2H>R+tqb?qD4;@VPwQTAJH{JHazwdMYY*8J!0$N!Di%4;iXD{HH2t7~g&Q?#|U zb+z@ijkHa*Ewrt)Z)@9YJ88RWyK8%Ddu#h^2Wy9EM{37vCuk>Wr)g(u=V=#fmuuH( zH)ucB?$GYmex^O7J*GXWJ*_>fJ+Hl}y`sIYy{Wyey|4XV`-Iy-N^}aHMyJ=AbQYam z=hh|aLb^P<0=idqg>}VrrF3O=6?9c}HFULf^>mGN&2%kwZ|gefy6C#=-qrQh4b%<M z4bx@lM(RfE#_GoDCg>*WCh4Z=rs<~ZX6k0^=IZ9_7U~x3mg+v#t<bH~t<kO3t=DbT zZPI<L+p62H+o}6Rw_EqAZl7+y?sMHC-4Wdvy5qW&x-WHSbZ2$vbQg3Nb(eKlb=P&@ z{B%3pe_{x4{RwUS6RZEz7rm!@sC)cxv`^3ejrQeFAMD@JpinRV5BUDO^k2M>@_%vr zzhfYOR~6;o+)lMVMz7Nw^s#!gK3<=ox9J^vm)@iI>HYekKCI8J&#TX`e?_09e@*|o zzKFi4zPP@mzO+7BUrt|MUr}FKUsYdSUsIo=udT1Eudi>YZ>(>sZ>~?(x6-%Kx7D}T zchq;*ch#rqd+2-Wd+Gb=`{@Vh2kF!GL-oV;BlM&6WAyLo$Lllo@9QV)r|Lh@&(P1( z&(Y7*FVHX2FVQd4FW0ZsuhwVj*XcLtKhkg3Z_#hl@6c!Kcj@=&_v$~>AJ8AvAJ!k$ zAJd=EpVFV!f2IFge_o%XzofsSzox&Tzp4LLe@A~$|3Lpx|49FX{;B@CUT6>-qz1V` zX;2$t3_63s5Nj|S;tdG~o55jl89WA`!EXo}!iL<2yoUUSR}4vp*9@;4iWrI-iW^EA zN*j_5<qYKw6%CaQRSne*H4Q0-+J?G@`i6#v#)hVb=7v;5D?=MYTSI$8M?+^rS3{bi zhoPsTm!XfLpJ9MukRjbL)G*vI!Z6A(#_*nDydl%@zG1Rqs^J5}48ttL9K$@r0>dK1 z62mgXa>Gi)YD1P`9sg<Z&wp(Am$drp+xZde+HBZj*!DZtxq~{NU=Q};01n|Oj^h;0 z;A>m}uQf@p;zo4pr!BZ;xWn{)!$Z=?hNqEvMlnA{kr|aQevtB0#lI6H|Bvs#9y+6u zX|vJt7p4C-pWnAI#|aM-5kxNJMFAwC5Q?A}1cH*JWl%0U^;26FjFp+LW~@nC%UGAR zfw3`ZGh-_0?|-z8)^2O;VC-z{_T!R0jPL$KZT$YV{jz2sV?W~n;~-<Yaj0>)afES{ zag6aj<9K7H@qOcD<5c4Z#u>(0#yQ4$#s$Vj#wEsO#^uJ9#?{6w<2vI8<44BL#x2He z#vR6N<1XVK<6h%u#skKK#>2*=#$(14##6@A#;=TD8_yeajF*g8jMt1ej5m$n8t)kI z86OxQ8Xp;dFg`UtHwt6LvC>$1tTI*|8xyOGHN?ionq%W*6Jl+#j#yW$C)OA1j}69# zV{^ymjm;nXN^DZ>Yuv&)@_0SANNmyA;;|)TOUEY1mWwSPTQRnBY}MH6u{D3J@uJ@U z#WW?hZfwKYrm?B9ZDQNUc8*Pp?HSuAc0g=;?C{u8vEyRjkDV4fD|UYDlGqioS+N^q zx5Vy@-4nY%_HgX+*t6{YrPyn+H)HR_K8Sr3`!rT)lA4sJ7?Z(dHYJ!GCXdN)3Y+qp zUNOC9Dq<>bDs3ufs%WZes%ffis&8s+YHn&}YHR9f>T2p?>S^j_>SOxrKI~^2WEx@` zZW?JCV;X15G)*#1HBC3oGR-wDFfBGMGp#VKGOaPKHLW*oG;K0{Y}#ttZrW-3#I)P= zscE0-fa#FwsOh-rl<AD=YtseOCDT>Y4bv^t9n*c&W7BiiCNfLRGPA<0GHc9Qv)*hp zbKhyR#cVa(%}%r1>@_Ev1Llx9mpP9)pSgg!p!rpEA#-8#8|Gr>66R9oGUl@8H_a8y zmCRMl)yy@_Z<%YE>zM1A8<-oJo0yxKTbNs#+nC##JDR(g)6DOfdzt&12bc$&hnh3Y zqs(K?<INMzlg-o2Gt9Hi^UMp)OUxgdSDDwEH<~w_x0!dEcbh*o?=$Z=e{McxK4SjD zeB6A}{H6Jf`K<Yz`GWbP`Lg+{`MUWV^DXmj^Ih|O^LOU&&5zAb%+Jh%I8mG=P8O$# zQ^jfGv~l`4W1J~2F3u8XjkCu&<J@uHIIc}`;kbNpNpY{o6^knsS2nIvT=lq=xVmu- z<C?{_ifbF!F|JEo_qbkh{o@A34UZceH!*HX+|0Q7aZBQs$E}WA7q=;Hd)%(Ly>SQP z4##~FcOve~xUb^Q$6boM5%+D}{kX?*&*Fsfl6Y0TF5VoU5buij#s}ha#pjDJ7+)y9 zXne`|GVyQ5SBkF|pAug;zF~aR_*U`l;ycEt#lI8ZCw^f3kob)F(edNsC&o{SpAkPh zeqsF5_~r4d;<Mt{$A1+6as0OUo$<TkKaJlXe<=Qo_>=Kx;?KojjK3QHP5kZn`|;n$ zKZzGuBo>85ZP8kc7PG}-u~}RepCw=kTk=@)TMAlUx4dB~ZYgC+w!CSnXsKeUZb`A! zvoy3cu{5`|w6w9bvvjm{we+y`vh=eIw4_^xSw>h!Ti&xwu)J@XV)?)_%QDZh(6ZFB z!m`G)&hn9Ei)E)}mu0WzfaS2|nB}zPg5{Fss^x~|mgSD+zU86ivE`{nkRVQwB`6a# z3AzMhf;qvG;7D*M_!0sMxfAjy6ij$6p>RUcgc1p*6Uru(PpFhoHKArgt%SM>4HKFs zv`A=^&_1D4Lf3@u2|W|~Bn(IxoG>&YBVkm+*o5&36B8yUOiP%VFgIag!qS8l32PG8 zCu~aCny@orcf!7e&l8R$98dT%;cUW%gv$xn6K*Bkjr<hz4?Vt1`2G(s`-fKea-l!e z1CL*h(qHu3lZ0pg9z9|eStV8({~7t8dnl|btH!Fe>a9kr$r@+1SglsO)oFEGz1Bo) zz#6jVvgWbovlg%xw7zOBWG!rc!&=N*!dl8&##+|;rnQ2#lC_Gpnze@YEo&`n9cw*n z18XB|6KgYT3u{YjYwO$AcGeEoPS!5gZr1MBcdYMPdt3Wj`&$QE2U~|&hgmbMBdw#Y zW3A(?6RZ=hldMy$)2!32Gp)0&bFK5O3$2T-ORXPTS6EkB*I3tD*IPGQH(5WnZnbW= z?zDbl-EIBUy3e}b`nmOx^@#Ng>v8Kz>zCFu*0a`g)(h5)*2~tb*6Y@9thcPUt#_^W zt>0O{w?4K$u|Bg3Y$BV)CbKDQDx1cpwdrj}o5>buv)HUQyUl5H+q||!Tfi2w<+A0m z<+ByA6|}u-D`YEdd&5@DR>D@wR>oG=_NJ|Zt&**Zt(vWd?JZj^TOC_HTLW7oTN7I| zTMJuDTWj0fwsy7-wobM#wr;lWws&mr+Irji+WOlD+6LQ(*oN6MY$I)>ZDVcYY!hq~ zZIf(MY}0JhZ8L4NZF6n&Z3}ISZA)z*+E&<B+1A+B+Sc1P+BVrfwr#a-x9zljV%u%| z)V9yI-}brfknM==3)^wqN!ypUGq$s~bG8e%i?++QtG4U5Z)~@0w{3TA_if+VzPCNL zJ+VEr3G5=f#4fWd>?*s)uC?p!M!U%#XSdj`cDvnaciX*@f3hJ+Bn?D!A$u-+9(z7} z0eeCFtM)?n!uB^PFNPA)`K9b-qER3yYk$*T!CuK;#a_)`!~T}Nmc5R>p1py+k-dq% znZ1R*rM<QNZF@U=2YV-b7kf8*cl$f`ckR9HeeM121MP$DL+r!s8TOI((e|<SarO!J ziS|kMDfVgh>GqlS+4i~i`SykO#rCE45A7@LtL$s+Ywhdp8||CyAKSOux7&BxKe6w& ze`?<s-J1RO&+UioN9<qNkK0e$zqFsRpS7Q}U$9@aU$$ShU$=i_zh%E|ziYp5|IYrs z{jvRt{h3|h5IH0cnM2`FIW!KfL+>y;OpZ8*#bI^W9ZrYa;dLZB0*;U)mm`lOpQC`I zpyO3XAxB}y8;)X*5{^=iGLEv2Hysrml^j(Z)f_b(Z#il?>Nx5-8aNs`nmC#{S~yxd zT07o$v~zTDbaHfYbaQlfyyJM+(c972(cdx9G1xK0G0c(S80i@880#44nBbV`nB<t^ znC6)7nCbZE&iKDvdbVSpW1(Y-W4U9sW9{E;d4pq<V~b<EBl{OMc9Y-h*zfq<amaDR z@rC2K<D}zD#~H_2$2mui<FezL;~U4fj=PQrj_(~mIG#C#PKlGx-<&FEj8pH7B_D?b zr=8U0^pg6WA!lx9KIbdWSDmjr-*6UpmU1RL%Q?$CD>^GXt2(PYYdTY$wVidH^_>l! zjh#)M&7G;vR?argw$Ap>j?T``uFf=P4`)wjFJ~WTKj#4FAZNOBsB^e;gmaX0jPpI` zcxR^bedlE7RObiI8O~YGInH^`1<pmzCC+8e<<6DP)y^#EI_C!GN6yX8EzWJu9nNg$ zF6SQSUgu}d1I~la!_K45W6l%KQ_j=Qubf{y&pUIRmz-Ce*PJ(;H=W-)?>O%{A2=U6 zA31+;K6O5K3SDBC)b*D={zs<dE~QKDigD>&23M@h?230KxNI(m%jNR8d@jE$=nA`X zyYjm7yIyf6xn6S>b`^D%aFuqIb(MEja#eNJaHY8Fxazwaxth9KxLUd1cC~kPbai%h zb)~u9arJWbbq#P0b`5o9xJJ3gy2iUEx+c4(xn{U#yXLtTx|X;;bggu)ajkQ0bZvHR zb?tC{;@acd=Q`jz<T~m)?mFc<<NDfl!F9=X)pf&l%XP<f-}TV-*!9%KEfU-^x6-X~ z>)b}S*==##+)lU0o#+m_bGh@n3%HZqh1^Bl#oQ&`W!&Z572K8G)!a4RwcK^x4cv|0 z&D^Q(*6z0M4(`tGZtfoLciny5{oRAyL)^pNBi&=%<K6GOr@Cjj=eQTR7rU3aSGZTZ z*Sa^jH@UaCx4X05yWM-;``riKN8HEUC*7yrXWi%B7u{Ff*WEYWx83*L-?<;TpSYj9 zMINa~;Zb|E9)ri^iT7AN4v*X8^8`F$PaaQxPeIRXp2D7@o)VtYp0b|uo=Tpoo*JGM zPaRKvPa{uLPYX{g&)c5%o=%>wp6;HWp5C5*o`Ifp&oIvj&uGtko(Z1!JySd%cxHO$ zc;<T+d6s&Xdsca}JnKClc|P`R^X&BO@_g#~%=5YDu;&ZU3D1|FuRP~GIiAa&Yo2dB z-+JzP9(ca@{NQ=!5qc$FxmV?l@#?*?-Z*c9*Y0(By<WdJ<jw8P=Y7Tds`qv88{XpH zQr=|mo8F4vD&Fee6mMN`LvIsrb8ky;8*e*rM{gHzn)e-VFK=J(0PkS$P;Z8Jly|Im zymz8^vUi$yhIh7io_C>liT6YAO79x)I`2mBX75(-4(})4J>GrZ1Kva4qu%4*Q{FS) zue}$%m%LZKH@vsJcf9w#5514QPrU-4*eCNTeHx$6XY`qU7N5=M^m%-VzMwCcFR!nF zFUj|N&V)j~H+&_0Wqfb?D*3AU-tyJ)HSjg@weYp}wexlIb@RRB>+S3B8|)kA8|fSC zo8X(|o93J8o9kQXTk2ckTjN{r+vMBo+v(fw+voe-cf@zx_oeTw?}G2L@4D}n@2>AV z-(%l1pD0n5s7ll(8WZCZt%=S=Z(<-ZS7N@zf{BrBER^_0Vu{2uiEk!WO01UnR$`sR z28m4)TO_tlY?s(6v0LIhiM<p1Ck{>=mN+tTY~qB(Nr}@EXC}@~T$s2taYf>q#Px}r z61OJqOx&HgFY)ulBZ<cozf3%vcp>p};`PK^iFXsfOMIO8EK%f_`Bnbk(<lE(9j)K! zkMrC7Zol83%b(x>s=tW8xW9(K{_k8<6Mr**3x7+0YyaE+cK#0jPW~>xbIBK5+0EbG z|BnA%e{X+Ze}Df#|6u<R|1f`sf24o3f2@C;e}aFaf0BQSe_FKF>HeAi+5Wly`Tm9e z#r~!K5B)3rtNd%2x7NSjztO+R|FM6of4hID{}cai|EK<a{{8;X{fGQV{9pKw`%hBu zOaB@FS^v48xAB7ilK(1GH*m{;$A91d(Er%~)Gr8#1G0cJpb2OL`hYQD3d9900c*e> za0c7~Zy+%c2!sN;0(k=Y0tEsE1Fr@O1quh=2owvH2$Twx36u@I8K@Ab6sQuY7N`+; zD^M#?Cr~fYAkZk#B+x9-BG59>I`DR&U7$mtQ=m(rTcCU3oxr<+-hsY>{(*sk!GR%x zVS$Xm$iV2p*uc2JguukWq`;KGw7~Sh%)sox+`#<6!ocFd(!hs-6@gWOHG#E(^?{9n zO@WUCTLaqzI|H8tb_YHU><jD<d>%LyI1>0Ga6E7_@MYjk;B4Sr;6mVH;Bw$<;CkSj zz^%aTz}>+8z;}U1fhU3I0Z~vIR0P$*pN=AJP#-h~O~JUJC1?%WgU+Bk=nW<Y`L}Ap zT){lSe8B?2g27jVg@T2HZv=}4O9V>=%LK~?-waj=Rti=LRtwe$z7?z$tP`vkY!GY| zY!Yl1Y!Pf3Y#n?%*e=*1*eTd0*e%#S_)hTMVDDhxVE^F2;Nakp;ILpuaAa_FaBOf~ za6)ima8htea9VJBaAt6JaBgsZaA9z9aB1+v;ELd?;F{pt;QHXk;HKcm!L7mV!JWZR zg1dvC2KNQ`2R{!U3LXi55j-9|8T>MMCU`b@E_fk$F?cz6HF!PvP4HImcJOZSe(<~C z_rb@(C&6byK}Zymgk&K_NEOnAv>|=S7&3+8LY9y<WDhw*?vOW>7z%_!p<JOnp?skN zp@N}TLxn<xLvMtNg-V1<h027=hTaTS2vrJI2~`W#2)z}m6{-`e7ith{6lxM`7HSb{ z8EPGRJJc@JA=D|<CDbj{J@iiK-B9mP-%$V1z|i2(kkGJDM(D*Dj0}wqjSY<pO$bel zmP`sw2~7)456ukCj!w@F%?~XMEe<UWeHfiy5n2^m^W(B>L+e8uLz_Y$hqi{cQ?@ho zNoaTI)6l-q{?O+?*7<3q|Eze3c8~sM+sA)%?w_?C|J&O+6*}{>AO6rFeI2^+Z{2g3 zLRZ<p8~@h(__qiCR_M-u=$`-WKKUba?uQ<R9*3TW1YvPl7XBkG{7)^T3~R!=urX{7 zTmFZ)+ZJ|&U13ky7xssP;cz&2IBz(A_?2){__grs;UeLp;o{+v;nLycaJg{#aK&)t zaMf`2aLsT^xOTX1xPG`{xN*2?xOq4=+$!8A+&0`k+%eoa+%=pQ?h)=8?iKD6?iU^q z9u!Uw4-F3wj|h(nj|smQ9v{vOzaO3)o*MojJR>|SJSRLaydb<Nyd=CVyga-zygHl} zUKidF{wTaTyd}IXyd#`VKkW+d3Ge-X#JvZURK*kUdxxCaB}-f~J2{VJiHd-Th$tXI zL=Y4e70iH%sDMh&nFS?hjEEQzNfMPLA|N0+iQxP7-nvZhuw4J|z3-f_>pys_O3Q z>gwun@64obOx={aIdyC5_S7AzyHfY0{*t;c^+4*O)WfMqQjew{Pd$-(D)n^g+0^r? z7gH~%UQNB0dOh{uREIOGGrKdVGq*FZGrzN-Guc_#S=3qFd55!<vy8Kxv%IsSv$C_Q zGu7#GdYnFIz!`EzoH1v0XH92qXI*DKX9H&==iSaG&Zf@h&KAy=PQz&BY|W=(v`PPb z#Mv%Ae$?5~+1c5JbXR9L=abH!&ZnKvIG=Mq?|jkO*ZH#ZRVc3$`Z)(U-*Ud=9OxYE z97_H@=Wypp=ZDTw&N0q$&I!&*&MD4m&Kb^G&N<FB=X~cU&V|m!&ZW-f&Xvy9&b7|Z zoL@M<a(?an#`&%Dd*?>yCg*17R_Au-4(BfC9_KI4ea-{UL(ap_BhI7F<IWS#Q_j=Q zv(EF*i_Xi=tIliA>&}0j4p&xJc2`bUZdYDceiy&9=1O)Ib`>RM7{y(8xJtRoxXQW8 zyDGXWgRAOFb-7#~m(LY&g~&%-F;{h0O;>GKT~|F<16L#0-L59Crmp6$7Os}AR<72r zHm*lp?Ocz#I=VW$y12T!y1AZo^`zv}u4i1&xt=HWqN}g#W!I~&*GcyyC>Y>+%k_?H zplh&esOvp&!(Ag?AG$`l#<<40Cb%ZKrnsiLX1Hd#=D5;a^Ie~~7P=O@mb#X^R=QTZ z*1A4(ec}4b^|k98*SD_kT^n7ST$^26UE5tdT)SL*T)(*XxemAvxemLIxQ@DxyH2=H zxlX&zy3V^Ux-Pq}x~{pdyZ&`K+*#e(-8tR4-Fe;l-38sr?!xY(?&9t{+@;)Q+~wTm z-4)%H-BsPGZkOBR_PGP@kUQdzxvRTtx@)`Zy6d?cxEs0eb~kZ1bvJjnaJO`~a<_K3 zaX;d2=YG`P(cRhI#og82&Hbdir~7I5Gw$cy&%0lA_jSMQe%1ZDyPtc2`z`l7?t$*X z?xF7Y+{4`?-5<I~xyQK2xhJ?Mxu>|Nxo5a%x#zgk-1FU^xEHz?yO+9`yH~nbyVtru zbARFf%Kf$b8~3;F@7){So7|h-Tix5;JKVe6d)&Xc_qh+a54jJ!kGPMzkGoH}Pq|OK z&$`dMFS;+guez_fue<+sJ3LuE**!TuxjlJ3`8@?a$)3WVqMqWOJ3OU4Wjy6P<vkTW zl|5BGsUDZd<MDX{o{%TviFvAfYI<sW>U!#V8h9Fc?)EhCH1#z1wD7d_wDPp}wDCOR zY3F&=)6vt})5X)()6Mgwr>Ey>&oiFqJkNVx^z`+-?0MDmx~HFKfafjGJD!1_!JeU> z_dLTrBRwB_MtR0~#(5@qCV8fKrg>&~W_jj#(meA$pLiB}7JHU@mU~uuR(sZZKJ$Fx z`O5RP=Nr$rp6@*yJ)1n6JzG87Jv%(RJbOI9c=mY?cn*0EdyaUHdX9Tecusjvd(L{! zdoFq|d#-w}d9Hi@^*Fp)z1h7vy}7-4z4^Tby~*Cf-lE>(-aEXdyk)%Qyyd+Wy_LOH zy{TT8*W>kh1KyA~;#IaA^H%rP^w##)_15z?@HX<^?QP<1>TT|A;ce+{<!$Y4<9)>2 z&ikmhqqnoSi?^${oA*g?Pw&&-XS~mOpZC7#?dyHn`>OYKZ$Iw<?_1t?yaT<1y+gh4 zd53#PdO!4z@{aM2^G@(i@=ozi^Um<j^3L(5dFOjS@h<c(_Ad1<_pbD=_OA7Q=KaF^ zmG^7!H{Nf(-+MQDH+eUEw|cjGcX)Ss_jrHt?(-h-9`YXc9`PRa9`~N`p7Ngdp7oyh zUi4n}UiDt{Uibd%b@;OSvioxSa{Kc7^7{(<l6{4JMSaD6clb*A%J|Cp%KIw%D*LMX zQhhF;$LI3}d?8=N7xPv3)%4Z&)%Df$HSjg^-R*1QYwBz6YvF6@YvpV0YvX&w*UtB- zucNQCuZyp%ubb~lUr*oDzGr;T`JVT^=<Dly+4rjNbzeW<0N-1_cYFhVgMCAN@A-!N zM*2SVjq;80jq^?LP4Z3gP4mt0&GOChrTOOjKJhK|E%q(-E%&YTt@f?;edhbZ_m%H! z-#5N*ec$^w`ZoDC`?mVF`*!$t`S$pJ@$K^+@E!6U_8svZ^&R(}@SXCV_MP>e_g(Z| z_FeT|^IiA->vQ<C`m_6U`g8m9`t$n>`jh>I{YCx7{df3F`OEmr`OEt&`YZdZ`cwTb zzsK+M2mB#_#2@ol_t*5-_Sf~-^EdD}^55-m;&1A2?r-65>2Kw4?Qi3M#NW>UsK2AX zv%ibKtG}E7Nq<lO)Bb1t&-tJCzv%Dlf7$=4|8>8zrGEYa{<r+^_y_t2`-l49^AGor z^nd6d<sai8=bzx8<e%c7=AYr8<)7nE^UwEx;$P@r>|g3%?qBI&?O*Hv%>RY|EC1L2 zZ~Wi-zxQwSZ}M;UZ}o5Y@9^*P@A3cQ-{(KzKjc5`KjJ^?KTdlm{HOe<{b&8>{TKb0 z{a5|h{MY^e`W=C+f$V{tf!u+-f&77jf#g8pK+!<)z#V~7fii(|0p9QnROGWVffa(! z)PO7C3HSnmKqwFi!~)d=HNn;n)D6@NG$7T8a5o_iO>X9zl4?$9L1-Ch6=+S|Ch!QK z?FfePD4!h(oe5nCT?yR+Px9H5z`7E6Ch%O~dD1Ti`UYMOyc&2t&@V86{9A!{0s{ks zNevCW7Z@HGN$NwwsKA)OxWI(Kq`;KGw7`tOtiT+wX@U8HPXY@Aivvpo%L6L|s{?BT zp9Q`Md=>aQ@J-;`!1wT2uraVHu$lbU!1ln7z^=d^(!T`u1r7ub1r7&}1daxd2TlY| z1x^Rf2F?dA1}+D#2Cix4t$P0N#Mc8xFl#VJFn2ItuwbxIuxPMEuv9QEOW9zBV3nXV z=nV#g(O`{WonZZ7<KVr)`+^Sy9}2b&b_hNed?MH**elpO*eCc(@QvV`!FPj0g2RIE z2S-xRN5Rp-vBB}diNVRisln;NnZen?xxsnCkAn+>i-Jpn%YrL{tAcBSp9Vh<ei>XB zTp!#J{4TgL_)~Ce@aN!eO_I1w|CRbBxc~oCxy<T4^na|T%xeF?kNZ7%H29}YA5RAV z3Z4m`3tk9b3SJ5R9sDPFBWQ%OgtCQlgmQ)Qgz|+7gpxvqLPbKwLM1{aL#0DyLn)yO zp-Q1Dp=u##$Q|;A{Gnhd9EyhS4AltL3e^eS6{;VydfqT}PpDbw{?LP=hePc{okEY_ zq?jDtLp>5OR>}V}@l&B*p=U$ALobB-gkB205_&E4MyP-2&CuJScSD0hLqfws?}tW& zJ_vmj8XX!N8XuY%njD%MnjV@NnjM-Oniu*wv>>!7v?R1Fv?8=Bv?lav==0E*p>?74 zp$(z$LO+Cl4E+?^651B}IkYphJG3|SYiNJyVCc8d@1Z|J$3lOGPKN#poe7-_T?kzY zT?zdi`X_WFWQ4PXvxRenbA|JS^Mwn9lfs3<MZ(3xCBh}crNd>zDd7s?O5rNuYGG&C z9rlL(;b1r%j)w0H*9g}N*9qSht{-j~ZXCWRd~di}_`dM{;RnJGh93$)9BvzKAMOzD z6n-rHc=(BM_i&H!Q{i6WXT!b2FNFJqUkbkxel7e)xPSP~@Y~^c!-K*@!o$Mvhew1z z2!9kF9UdDVAD$SV9G)7U9-bMV9iAJW7ydZBAiOBNB)lxVBD^ZRCj4pm^YEA9b>a2l z4dL&?KZJh_{}kR5-WL8jyfeHzyf^%7cz^g{__y%y;XlI1!heQOhW`qm37-pJ2ww_c z3I84bCwwDpM6yJ(MRG)PMe;=QMG8ccB84JFBE=#lA|)fGBV{8gkqVJYkt&gD5og35 z@kacSU?d!gM(&K%h}4SIiQE;bA88nA9JwcQZ=_k|zR3NN2O<wf9*R61X&Y%D=@97@ zc`WjH<cUc4NRP-<kzSE!BfTRpMEXQtio6neE%HXBf8@=`+mUx8gCavB!y@lTMnpb{ zd=wcS85<cNnHZTInHrfMnHiZKnH!lG`8cv5vM917vMjP9vMRDB@@eGr$d{3Ik@b-c zk?$fuM1G9?6xkBl7Wp}{GqO9fH}Y#_f8=1~x5)32KO)B>e@0G5{)(K5oQqtDT#8(Y z{2loxawB3yvqZB+b3}7R^F;GS3q+Hmg`!2G#iAvmC8MRIWuqz43eif@D$#0DXVe|_ zM*Y!XG#rga?~K-n){54N-W9DMZ5VAFy(fBav|04N=>5?Lq7OzNias1|8*Lx$5bYFw zEc$r#iD>s|kLXj;UeRZxy`wKg`$S)gz7l;c`bM;W^v&qo(RZVRqC=v?qVGpXL_dgr z6dfHM8yz2=7@ZuQ8l4`U8J!)S8=V*ZIJzLZD7qxNEV?4PD!L~6Y4r2xm(g|6_0bK{ z@1j3Me~kVV-4fjv{W-cbx;wfz`fGH5^kDS2=<m@#qQ|0tMo&inik^v{i(ZIcie8ES z9sMVIBWlF5#InV5#B#;*#PY=o#FAo#Vnt%bVkKfFW2IwdV=1u;u}ZNjv1&1A%pLQ_ z{IOsx9E-;8jMa$Miq(nT6{{a>7;7B6Cw6bFS?s>p{jmpP55^vfJsfKrYai<n>lAw| z_IT`xSoc_u*i*4yv1enwV=u(|#9oTM5_>K7My!AA&Dh(qcVmNMLt?{X@5e^OK8Sr3 z8yy=P8y}k(n;e@On;x4Pn;rW<<AMI~)}ns!y`oX@#^DshP-&-@_G{^YmJVv^kd_W> z>4=t&YU!AkzEewAmvs7{R5;Q_F;v>2r5kb42Pz%kRZD-TrH^Up@3r)CE&YR$?PfiH zYUv-0d>THUc4{)XB&`^qG;(HjkWlGfMyIUZM79=MThD0eZCd)Amfo(V&ui&cTKah{ z-9wY7r<Ts<P|}$C$*!fdIkIZ_c)EnfbBC5Lq4D3LrHg4i#kF)Xji<PzRf9@DN;y_q zwXDX}D`gel=P-3>;!W8syv2X75y$tSP7B{m@T%-nTDrNGep*XEprw23X{|5MYw6xv zzn<69Jv5%4TDphE(^E_TVX7d#?+<2)+xCN5;^Q?;!w=K&k7)QuG<;hP-&Vs{$x$`^ zH?@>bs_@%eMCt8T$<ahhZ_v`;YU%H^^cF3><7T>Xj<oc&8lzFUH}PvnX8oh`Zpv%5 zHBL*9*V2=<^b{>ULrc%p(sQ-+JT1LIOE1*Yi?s9-ExlYzFVoUXwe(^wou;KHYUveP zdZm_LrKML(TKzb+(uv|zV=*f4=Qs5;ieD(QbTumPms<KOExk@lZ_v`;YU%H^^bcBk zqn0**14+p+PLpArCc`*QhH-i0GK}MQlq@;N<&DcQj^9>_<Kr@n;}@6W__z$?<ad~q z4C6H!#%nT+*JK#4$uM4%VZ0{8cuj`!dE+vS*JK!<H!j0?O@_&u43jk(CTlWG)?}Eh z$uL=yVX`K}WKD+2nhcXQ876BoOwnYRqRB8tlVOS`!xT-1DVhvZG#RF7GEC8An4-xr zMU!EMCc_L(h8da+Gc*}yXfn*uWSF7JFhi4Jh9<)dO@<ko3^O$uW@<9b)MS{c$uLus zVWuX-OihNFnhY~F8D?rS%+zF<tI04|lVPqV!(2^<xta`fH5uk=GR)Ovn5)S!SCe6` zCc`{UhIyI{^E4UeX)?^yWSFPPFi(?Vo+iUQO@?`z4D&P@7HBdo&}3Mk$*@3^VSy&Y z0!@YmnhXmx85U?VEYM_FpvkaMlVPDI!$M7lg_;ZtH5nFaGAz_&Sg6UcP?KSyCc{Ea zhDDkTi!>P)X)-L*WLTuhut<|(ktV|;O@>9942v`w7HKjp(PUVn$*@F|VTmTg5>19B znhZ-c8J1`=EYW0GqRFsClVQ0g!*WfA<(dr3H5ry`GA!3*Sgy&iT$5qBCc|<~hUJ<J z%QP95X)-L+WLT!juuPL-nI^+BO@?Kf49hebmT599(_~nx$*@$DVW}p=QcZ@XnhZ-d z8J21?EY)OKs>!falVPbQ!(vT_#hMI@H5nFbGA!0)SggsgSd(F~Cc|P)hQ*o;i!~Y2 zG#Sz~8PYTv(li;;G#Sz~8PYTv(li;;G#Sz~8PYTvCTcQF)MS{b$uLoqVWK9(L`{Z? znhX;)8768nOw?qUsL8NGlVOD>!wOA?6`BkyG#OTCGOW;KSfR<VLX%;ICc_F%hLxHO zD>WHbYBH?UWLT-muu_v@r6$8lO@@`43@bGmR%$Y=(qver$*@Y3VU;GsDout}nhdKn z8CGdBtkPsyrOB{LlVP<c!)i^2)tU^eH5pcGGOX5QSgpyhT9aY5Cc|n?hSefN`Z*|l zpKql9U7oq;|2%Je|Nn)S{!&YSrKQ(t=?z-?TP^*ami|FYZ`9I1rl-|8MXgmzwjc86 zPg%n+09xs_l3tr%QOvX3;iN2zoPJK+#<$Mn=>b~$O)dSFmVR4HzoVt!)zSmC^dK!g zSW6Gl(nGcMFfIL_mVRGL57*KowDd?V{ehPLP)mQLrAKM$(OP<pmL996$7$*DT6%(( zo~WfKY3a#YdWx2ws->rC>FHW}j+UOUr9alv3vZ^^7T<6)y+TVj^^Z?~&aBR5&9!t3 zE!|Q}x6;z{we%-idZCtHtfiM~>9tyVy_Wt?OJ5GeWjm7PxDqklK96TPlAcz13)27i z*UDrP-%=n0PrB)6z+^MB^B>MR4SrbK$diF$Wzvti20!G=KRYJ^KNQGcYbS#)lt_|% zVg3c0U(Yd$@n6u1z>gysd^y+POPB^<3CslSzD}27ls77HpUd}FGbzbadZP;eIBgib zGRaMEBDf4U|3&RJd=SzNBZ0yGp|$xCk%w1CgmTe@vb-4s=1xL&qlQuQ7HTapwFz}@ zp_que#$84|lJ$)SM#Ecp8X1j^yZO)TCQ$CZg=+9$+RZY-TBznE?lW2#_ZuxqJz$}4 z#;uG8jn?EI;-9!Phlh<v_>b;(MtlCJI}th<9gR*#XX7!Wi}83Ok$l&5+!L8l6snui zJ)QF8ZRm#4<F*vuir`-KY3RK&<$1<<)_9Kp5r00N`ob+dFB*M}zWl%V%f>6W&`iXu zM6abMU%!Rp4WpmYKOH;Z7Mh88(|C)2Eq}*&m;WtKgh9q&{>yx*F^vB+e?O6!o*$km z)<ljlMj9WaCqK-T>my?n|Byb$7|Xw;kH3Xu0{@&o$(YQ)r%yGe-9lCWsBRcDGQpdu znMAV)vyD0Y?|LGnr6cC?f9xL{pYWgTiLlUEl#W`QNJ!5wF_s$3jOE4({=<EhvHBLC zHO5-wQ~ulibK{F!Xom46xUVw7Tc~yXAN+db8~zjiTjM(mc{Bdr_`%r7f5mSye!7Xv znAmJ=0kM_;lHZ<@K<;P$Uw)^ti~pG4W9+?!${RC+`!y39zo^as(jS0wFjJ~R9=a`s z-$yeJ^Pl$oR?}^G{^0-ak3l<5`12N?6B#fkGvrj}6ydL1uyMrccrugJnM`nT)LG+P zJd;W4d?vU!>Vk36xD?OclDd2gMn_yRt{Q*qh=lYt<DUdf#_aWs*@WDUgnY*AzdZO$ zfA*IVeKVH@YF5JSAe#-1U-Y-7=5XY+rRTDx=62+9<h9|*XG3E*;V9rJXv4t|H`-9y zaoAD|+fs`-ib5}TTb|-jO5B!uhohvU)NQH!_kj(~Fv{3c`6WSHdO2IFvXPYk;3#iP zuV72%`MC|fk`0ahm@QRFUgbYHs@l@4*--gPgoCHqhWj==9`Ig*FH<@%hB|^!LYYzx zBMd%5h~9>-`WCaH-DyK(4{1x~UukUVHEpT<ri(4Twk?$%tS!B+EmdjduG@0dbJS0# zHAw$#cne>nbWG!0@TykcxfT39>2Z@=xbAf{1=s8ryji-r;P1N)-Q;R<8|wXzmW~IY zwYm-c!E}6Up+0mQF0+j`wp9M-FM<Auqis5-UHWJH1S;<or(-(Yf;U_1DELn4apzmO z9&>a7_qgD@CeWXde76L=S-17s{WjDm9X%Yp-(ftJPJj9qu3qVwX9WLj0{yuR`Q90F zs^#Z1U|z_Ovm~?P7jL2VarC_fXK|bHOSbfvZK$u<&{W;8I$pEoc-`@aExn%&wZCJ4 z<4qg-TQ)Sa-*4M;yyJM+mOjvyI>?r47=vx;Lu{x+ZD^`r!yNC~a=h;tZc86wLmlb( z!119C{UaNisq;~`9HSj$Z0TcdspD*^ywPAwpI}Q>(og&kj!8E3$u>0pRneAe7*lQO z(`>1x-mTB+w!AZJsfIDrmOjgt$~oJXKF5~I|1<svJ<XOr&z5Q!^Z$eXvE!5f;8<Ww zUua8RWJ@)S#s5KH@*ni2w)ADTRKr;ASYgYt(w1r%t8D43ZK=v`*VuBbwWS)yr?&LZ zY^nU0m@WMaTPpWBw)C%Tsr*8UE&Xd-D!)l@OaDfw8*I7wReM|dceYf1b?-muKiJYY z+ERbCrEYTkWJ}*{OWk5i<>t(mzRi}pJp=XU3^`@(J2GH)X2>bJ4!dlrhOyh0zQ>lz zFI3smf3c<Vp9cx_eHrrmGvrjC4rIU_%#hRjtkQ>UsoW#l(hu8G4dZuP`Vm{IVf>Lm zKbnwF?8`A*`f*z-x1hH46B(!{Gvt&Ur!rvv%8*Nx^RzA1FwWT0&)QNA<D4!1ye*Y~ z%}AhM%#gp7A*cFvIRoZOhFoI5ui8@iuMS)KHCw7-{9{YMZc8<c8wvD(Gv;r3oa)Gc z$&w+*J#B`3whTF?mFyWXIWpw<z0`z!q8@YE(sSEV4I_^&J^jV)n+@i>g*Sf&Oo0qJ zeoG@mJ}E;^RhpauQz%1@|6|OMFOng5Q>2@TqPFy6wp4!U!<JscmdY>K+R{tjLM@d6 zQ#wPAo8S!jvKewWyL&TH&X%5HOXZvEw)6_NRBnB3>6L7$-2B?otJqTcp1m!-+AY-7 z3>asI+)ZUl!evY4zBqyI$&mME$R*b8v!(LZfh|2?OErw3Ej?sQ<;L2U9<ilz&uvSO z*;08g!j@j$mdb6nExo2KmD_GxdTm=Ox81h%y0%pAx^3z8Y^l5pVoPseOXXMEZRw3{ zsfN+mmVUP_)iCa{r8lvq@`j5oy{Rpg8-81Qb6YC!$=K3c*isGSep`A=TPknn*wS0s zQu+5VTY76-D)0W-(%aZlGkU>?|AUur{Mi8C`?H01w)FP4RGx*{(mU8v`DGScdM8^d zzv*I2f6SI@7+q}XkK0mt2g{cJge{eKv~20!ZK-@q)|TGGmdYDmw)CfLsr+7!Exng5 z)i9p1r9W#+HH_zM>Ah{KJiW4|zhFz{*MV&5eQc?Q(bty#k}cIRUbdybVoT-Omo5D@ zTPnXhXiI;?mdfu@+0y&lQu$RsTl$-}RDQq7mj1Ra)iB<%rN3)SHH?A(K_6sGA8boC zj3Ku4p|(_>%l!xaz5k%U{~z?>w)7D<sb|VNjPr$VU7D_D@)Gk}xp-+ghxbQ#TRKI( za4b;yN)}^plEVl(GG02g2sn(_@;Z#~N;-^3vs>Ie1>isYEEt$%rFarbdI(_<p=f@G zvAK|0-^tS4A5%wWFkrf2%&U+Y#l*b@{mv?8`gdNk?oU1uHYdCgekz;U*0l;|+zfgH zd5rrDavb2>^z|fPpZLLKhjGkh7(a2zdKdX3x4EQx06q(PAk$f1HC>a79d*`%7W!uF zc+%vZj0{;t*A>uv>3KI<G9>C;<9}L>0_nIq$a|i04)euTqk2O9_h|j?=gCk_dZr07 z9pS2MBVy$e-JZ{4%J`sM6)(~*!+Q6O_sgHqR#UH8|I@s9zb(N&j!3>V_S3Q`dLSq$ z^NhpD!s~>kcxC^D{JUm^_FAF8d&v(*=FS-}_RNCv`H75;%Jz~mT$9ReE)Umw5T|72 z2`+VY(JuF=^XlV7^7(Ve`|@`d-U?2*b|3FFj3(H!zf`=*_1JR}(Ni32rsisV7Hxed zwp;*v*Wn&)UP0o?-Nf?W!kN@z(X6;+nRuNO=9}2o*r^2%A9EO=(9T)xeIfHy!2>xh zs$o>n#yE~OQ@J!B(TsUzLF=q$Jz4k0+kT;{Nu8C);zEAp8KGXg76|5v^IN#(#T>>` z+8L+Gq-bwoH${*;m(;tDbjlg}0>2JPjGuzDv^C3Z7)v#JO2Pw?JlNFx=*wNgETcZ3 zMW%9k+nSx%qs{aeeT4mVCjZbkHe0-|2U84V!lk%;r5W#~bK>;OQu$;)STrwv(4ho% zbi-F3+-lZ)QnTlWE5|t>m9e)lzc-A_p>RjY&t+cs)Gou@$h@)2=y9<GTiu<)^UZ&B zj(B>CHlHkPDt=FalenQ~qbAn;oO#xiaaR&^wo;suicNN6T-NS%aJJ0oH)D+5;v5<K zrb^aBZ>O@DcrQLQ5&BNU?$O;~@t1wb>#)*cmRUjETOKgHHQVG!A#!OpvlO0|xZ!Kq zS6{~WKH7Upt8byyWz}Cxed#CxPRV1#){LzMUA4y|Wr{nD%CwoalEWD2Fnzwor{cnl zr3H`39C>rF!`Q|gQP3W_?kz*WK1Z?6{3-1z+5zGJO!SmhbX-Wrpo;W$5akk~Blda` zzSNQ?rE`M)>inzmzZSG%jz62iK6#pn`3fD~TQE-lf_w{X_+_D6<r3o`6MW)e8KXo# zEB_)g{FaH2TaC@RY}Oa6yox8W7L1&(V+^CUHji{lGV{Ns&%_jA3@pe`|F5$yDOhuZ zUlnIP*~S|6uGrd#)c>!Hi^;_slQKVxu#d2VJBpZk>{&XlPsQK8M?Bv&H{avZd`khD zv)h9X<IqgA_IsFb_25&mh&6t(w$5)!VNSBnRb|Yo%H!I4j8|RwTd^0aExdP=f2|yM zzS?|oi|;aPHa`OiYv#SOHuchU=BJK{)LmG^&8H8aF>d*p%LjLv{c9gI>wFsBH_ya3 zyd`{!>s)h_w;A)NxVEO5So1TgWS6yVy-xUlncj{~_na0lG@yHYJQQ{_^e3VBME+xW zxqZY&x@-J}!4F^JF!tTXPV;8sS8IeEMs<RMUQ$<C_GeSXAMeYSPBNy*8gAy|pEcR1 z-43!Ab{LJQ`d-oZy7Fc_iobCtV{Fxv7ynW)q3?SV)@F-W#s4g#UfENwm+`XbfeKd2 zjH|K+9!WFP-C4V9Yj&5BGoE`+9(@ng=5(rNBZ~7;>~k>mr(}&CDP7Gf>+D|aQo&E` zVHH#toop7lO)UFcv7-rBvlxYJ*4u6=oMAGNJ#TTdou1;0`(oo3<UbxyD_lcu{ZRRw z@>QQ3`5Z=pg#Ha-j^<2ZEkzg4=j6H9S%+~y>r_?ZJK6uXhrb%>QUpIsV;SNi_?L3T zWeMd8DTJQPqe8@WvqL9t%)b06d$)=?9mZ+apF~I&yDNaclHmVJ)+@#5!uIx1rkLip ztn&AxyK~6&;|{aWzsQ`ZsB8ro%{cvdnRBSnt#T?pz+S?FTE*jOg)5XC&o9LvD=3K^ z6|XpqJ?Np|&ko}=WEw!+pRl%&VZ1{8I$;a@!~cS3;Pb=x9C3iSCvlMYY2pxZU*bN5 zmkBQsJm7j0dx?F7UNYW`u>0)zhnDowg8JLd^fkuvNy-#Nrwu7{0>0l$n6&lUKEW#Y zzr?>+`){sMvM)(x4DQdte{Zo(`6!pe$jv@G5qjfylF{osfjDJOzIgg7wBiH>%Va&u zB6I1Q_^$F><9%0r#qjk{{B7b|vyQ!bf&C(JBCKT2u9A6MPxcSPEAiALfmi?6>f*A6 zd~O=L+-25yA9Ma$@`WnXM`S&ju&;129*NHcJ;>Z#Y*f|K7Tt80bvO@oJWqXpVRu=n zJA_XxfF5(FnC+?0SJ_`JL-q&x!h1BB(|?<a0a7%%g{D$$Yow-ov#&@31zd$iHA z&wIH5^EHJ#81R1VD;IM2rv2*I&=YZ?;yg28yq2NQBy?P#bxOgzpPF^{O;|gUGg)&N zQ+86q-u*N7JWla(6`)@g-~N&C^}b<#vuWH^&QSyfr#N#JMxLT#_pi(|@z2S;_`VQ( zdis%v{pc?G-h(lHSNdym@+LU-cTE`UON-+AQG8W0@i_|bsOT_GbaxnE>~t8(tO=E5 z&w8HnYtYwCfKNdo<akHcqxI|?EqD;So2J?OGHtK-Lw?>!79BpngnDFet;&v}-n+`P z$D({ud|=LmJxgowLFRvy{n<%m^g_==e_M*3e}XSiP*cXx%$c7fwEdlq*VBiwhvDoM z&x8`+2x7freca9%E|4|QDpxTT8>ihUbf5U4myz)aY-$d2>hJ;cV*+O&R|@te^IR=! z5z37RA0i%ru7^WA#GR2x>KmQl*WQ)!%!!|@ijBQV{w=|&_P*8DqQcDm-T0v|wf&1F z(-eHz-^|a(E}kvQm@3*kvS+aPRD3`BQ`^>hj9=0@hf#~YuY%{8UtVlQL3OeBmu8vy ziRfk+dU4`A@1<NSabsc~>XI*2#MIO4tozB#m4Up@_lC%DKzwKm#x%RwV1V}5Q)Xi! zvs|)fL-p}fqy2gd^uMUd_bB$V1b<OV>#O1niQL(&dXTfc_<Qy551GMwY(<B;nqB;} z+oXL$TM7yXGV+>O)<t|oPwd2kUYvgwETUZH+4zU;>`An;3&3y17Jk~|F!Ew^3&|(G ze^7{WA^P_-<DIgLGmi9i)c;`rO;}GAjPB(y`eCaI^0LlmL53c(MqFZ_a5)?EJ4-q_ z!$<aQW|@-OeM)x9ma1m5-GwY!r9XFIyS5;8Sv*D2>2z%17isq(bE8(mdN4+GdAGI) zN=04;wOFfN=xkCZzG0l)$&Qk^_Z5fnIQIP^`Krg_V>e0Ysy+`k^BH4aLGyc$FfJ{% zepSUz>o92w;>RzDFRLngOhWz$b=<*TPQh^I?C;pOAN?$t#&0_i#?Ro)iQJp<m)|6t zax~iOFg}L%IlPOAQ;6piE676IOPO;DJ{3I;$Ho*aD#dR@VP8$fH&mmYa)hPS{iw_} z#kZKX=WfQUBDCDhhn_Bl<&AyHHA0tP$a?<LKcs2fg8cC3C0LOAhMCG|%_$+Mr!~<e z&a^_e_!Hx(cHS$%T>L}y^c?F`5$x|7bp0yvOX&6y@hOX>tz0s9b4q-7VSJ=^RyjzY z53&X}!2c=OPyS2sLBEn#uoAmha7^|?Dm_KUdL(+(p>oj7cbm!F$Q!3j#@-ZU(e_UL zSzi=1W=-#dO_asw-3}@+{}nW*p4r&?d)T#Ce3ez^Bi6nFRakEr-~Pl3ex%OBtd9!H zmrsw38d7d9WB8`XpeX;yz1R%eDCuB-#M#CU9O!tnFmz%Z8zkr=v$A8S8O8>Dl{S@( z`Ng>3mVH4<*1Mmy@zLv;NZI_fc_;mNNqp`YaDH@pY^x)k^(POunPQgmn<%{sqcD59 zuj%JsU`uMg|EuQgdGL{+h);NMD(x`e{=f#j*V!MU&kxZ_S|&cjY9K;;`{k~@2f9@d zrVa(3ggdH;;Ll*o_i#>KhfWl{$6V;kdH#0bW9&wVJu03c^_<7<EeMexUx{Y|(=3b` zmuHSB7|mX+BYwkzZp@p^V7<Y4c+ai0Q)*6NXLF{ZALe}`tYB@Kb(=c>q^zHLc8PUe z!KxIVi^;rekL|>eJuLb9#P4YSQ}Lg}Hrh^CDHD#Ow>#n6dB&_SyVs)J8m|_=)`@v} zNcJns#6Y@$vtT=OrJ{_D!c7-nW6=}i<H(?30P`%5w$>?JR_cA8d0UnGw#Z(8QdZ6v zBCiAbYW!wz+L*|iW{`JOGK?3rwd^<iLM6&CVy(z2>-Otrld1{hQOYRDjjyf(UkAz8 z5c@lxY#2we?ceeJ0j*zd<j~=XOni?=_}9xi;+6bFDeEKu5_=3CE~+sWzQgR7z9eiV zC|H3GoX~~{-Nc%o>L07dV*?$^$FWYv_5;n9T<G9!ZJmj8##7a#?q$;d0CxNUWvYnG z6K8NAy$D_5ziXj09Zn(NVAhYW*hdGM=RYIY3Fc&W&Oc|NZz2CZx*SXSYt%D=`mPe+ zE&g^gc?$~UvQqK56TV78>alp+L)F*={w;Bw%Fn_#zahF;c?GlaFQxF83c@L7>`1V? z_9^M)TRsXhe-vEA|DB_r!RWIperXT$xFPy!O`i+f_@3BthcQFeQM0CupB>Q2>*(qa z`Y}kx;ZTAOev>_fDmfXukBDtpHD#A|yN#T=+h}^Sc<x8WDy&iMgvY|G_$QfX7Opev z#6EmxNACJ87{Qq=Ig_%va#$SbJ`>+|LK~la_}~SlP5wJ&91bFr1^3CAT6q=!Lw_v@ zYiSFo$1FuR!K?WLh1{U^F$ZhC1(jq^I{%WxxWanc7uz|aowrjG=Bg@Jj(zJ&=ADAS zIqO!Y%;(aN?`3~@5T9s)pE>gZXR^#-d3O`P1l<%x1`BGjwk?&mJ+gNFfltZ|zWkZH zOu|<L1^01(oCt-``-ie8+?32cWxT1ItZjs@5Ni_jR|mTfB+Qu-jQt8(gO4Sf)f8j? zDd>$aInExjLpI9M$3dd6>g4mGqoLUJgJKJhC#;$Crg7$#aS1X%6s!=Qf<AnR=vd+J z#70xtlk{YMuGj4Et^^%?&-l-0-aMMnuV?X<&ES1q^O=6}>qVr$Z!zB$j40wTcA&da zVrb1NccUV6H!Yo<{*ha=;WXyZaqV1dai!+wn?;(gExbqWe10flwl^#jo)+wtzof6O zAtuk4*q?&MJJ2zHa*FhCF>-X^9KWTg$!BtzpI?YhTgiNGE9d=`B$M|c^7*y>j$T%! zA5OR*XivU2b3nl{(!CkmV~op>XX0(Q*Y=Ia&|!Y;Nrx}B`B{T8R<MS;W-u1zw0VD& zzVBxrui)IGc>OBBLgd=S*?mPG&T!=GXJwx#>)I-zD_#qVrm%)!!|j;A$+E|vCpK*H z43+k*{5WllEnHpkXE_t*h($jL{WN>60CT)mii!OiyXi<>4LIlOkW3xEVkWM-_|M;w zy}it_<KWidUxv{yx6qr&9$M8C!+vtI4@iV@>_K&?nb5AHUB8f#N8z60E^XnhE=7@y zy0VumK)({rwWr9d_-4ucS7{5j$oZpS6$`^J9BF6i5mI5Pq_|AEnIkQ+rL;NmGMS}j zF)vSxZZ61t{pLoT^TF%!w3RA^4;ai@cZ{|l8A|>I)_DtBkS~jGn#Oo;z|ItWr15W= z#r-Maaq$^eITgFg$8)W)_a*2j4c?uy9*xZs@8_NbU;jZ;ysVWv$JuHW!NGc;2j6#r zIe3HpzXKmo5}npTzdtcw{zA?li8m5Tfcu{KJAw|y(CMGlwT*WEnZ|u(-ncA1HQ%^_ z{myRLFYDziNgtYNee5jrZGnt^kL>t<WYM7$e!aW!^=FS^!JvS{_?7WXVK1}++dDy@ zo`CO7)|{Twen;}v*w;KozP`xYL$lv!g|7np(?{TaSI)my8!G-a8*`FzsKIy+4X{@f zKek9@IfV?XnWOC}{}J}MlX<7$pw#^+cpZ)=#d96R7muYc3e-1--jTJuHRVQ9-*=Ml zn->|c@N5qm6f|MqIRyG@+8ZiuG{I&*l)6l=_-9P>uR{`K8kUf^O1%gEZrM9pxSHtd zcCeOb3JSKslb<<N0vkKU+FnTfrlJkd_D(AQuC%>U6_xev0J@7H?+uxkiqC=<Qq0sC z)><8=%Q~lUA22q9q~00Gza4qr?-l2Fi7r};-_9m}BscNfl<Vm>Yrev`E2y7f7g^w| zhClOD_i1=?NO_Z+Px3xwSKnpq$67U9#$<%V6IpX7;_I`qzxiS|cZVrAOB%zlR|~T6 zY%mcH;13i$g*`l@?hQ2f{Bk_s7QVj7F+iKf4%+*Ub$40ic%di6P8~zyW#iQNFUsjS zl^!YjweZ6w{{it3Ip<ll6xPlWLRUY1`6_mtRoW|(VsaIbd0BF+!<dDfI<(;Vf1hNB zu}S93M^e{VIeU%3f3)twzNeVO=q38G%I_Rx_Ul0zQ-%K%-#<e9+cvp>+#`HeIV=7X zzxgYEZwK@ju%n`k$xv_#%1t-p+kLw63l{We?^TAqUVo9@!mGFwWBw-ie)ztfS{a?^ z0(Mq0E8_{@R^(AoinZ_!@*Pvsvo}Bb;<GI1r?vNk^tm?u-z;<MM~}s6#(&ClbCqky zJUU4}nRz|@Ec-`vxC0qaD;)Qje`&m%we`ZCJ!749*aug{1}xY^xnH%i3V%2uZ}FaG z&3oqzb4l#@OeTCoSR=j_KiT*;`m4Zt{u{P_QRcK&e=GFUUgl9d;)v`8ExHxA(De8o zd(Ng>z6-uUheqhFxkl%IFL}Psd&#nP=)5XD-)67UMO#~~av!n3Xv;psf)B`NLq}tY z-^Jf5xI|ya$=%jm#yb&`SdW|HpPkH?(a;ZRV>Xd`{ud}zfwQpYqX%lTmP60$p<A$o zIhuOS%EjY$%&CjwgA{hNlzA>;9>+_VsiK3~7cl>hQa0DYxc=WP&%3$!^--JwyFsr^ zyQ4)X16jir^kVOC!NvspxA3Fcds{HnFw6DCJ~|Ozm$7|P?8f3#aRH&di4Oac-huxQ zql+Wx_&M^$rLRSa3owuOakg+Ge<AWONZCcm+>G&kMe<k0zGC8c^!9F-UdH-jK^D=^ zQO*DpWQ}OU8u+KkV)5zm2dq*53-k~@jYZyHwYgWg@~x%EXR@cRB4cB5zbb39$`>o_ z;9GnJjYcwWMxx8ipeK5IlQsH2e85iT=2N0K#rraO1y9Oak)Girg6%7)tIZ=5!*gTG z*Sq2{-WOf<(CV{zRNR_9d>Q;jo*X9j1F0)7@_vXs6=l8B%XCRt+Y~J;Yq<quMDLHm zm&&+zBJM0@TFD$Ovz<G7?W|&zy+^ZIh4YKOHx>L-(r1hRZt%6HnYjk=HX$F#Y8V?` zJdcF83H`4Dy%~OgF7t6SVHvh*!D9(}=}P{6>2p48YbWzhLGu*eJ<3LX*!o@A$k*&a zO4GNsj7c(lIS2&_-L(3eqRUQN{zSs~rB|Hr5u+UoUS|F)cy%6k&vI80mc3{8pE>iB z&PA*sC-FJ_Kpx4zf=w3H{90bYE8eQIj;+Y8asaf$GA`4wnMs8l#;(e|yCY??5`QG; zw)Zu^Iyhh!SD$_8=UTDtYMi-iupSIwY|8dB_CMkRIzw+GxFcMQT+hS5-fExnFKc>I z^$lQ+t_uA%@P9UE&q2QTF>EHJsO%f4qhxM};ap_4QICDa5$@lskw1Xncvh>gtH^mL zHc*2zRD1TkNn(4e{^q`xIrj{Efik&xpI6hF*^>D=i1AiX4;~BdAbl7+v!EpTK#G;a zM<>P8D&@qk-WHwAPVl?$qyJecCVyd>EA=vwrNc3Yv70(x#U~76{9lxQR+jzye$mf< zIj`hq9aj*<e=Fz>e|z?E3bHT{UXt=hv1=V(75o)s2qJej_9qI=f9;KPx@fmCbJ>Dt zq}*b3tiy&9oOQ7&3vv$T?hc-+=sgi~V($ueWiey@v$0n11GIHn<nGTt@>njD^Fi?S zGtu3B;J4%Jmhk>uK<xcwUTjHpcZ#)4K?oils*C^Calc4;g}X3Yr<myy%!MLy&(n;1 zs?wYpw%{M~%lYy&>GIf1<KwsXe~0Gd-V?jiTNolfQQ_488keP>udtbX!ds5K1)m~E zik4US?(8iJYkJHDy^qM6Ro1tUWxq8MTTA?%t*zKnIebWG&MQgm`=^Lacg9z)6FWJI z-8D)W+wRGH|B!halY10PMin=Yi)=JbWvzoxK^gIT*%_lTwDTbNVw&vDWp3xZ%=2#M z!^A@A#f<Bs!*}szjkNvIUi7|A%9xzyXC9>^v7c=Pd8bL!*$({nBIbE^?Y?W_-)1?d zhEtg3|MD(|wCyZr_F-$18LwhpI)NWtdd$p^MYe!;r>V-frLFnY{S*3|Ds3qI?I1sL z7C|3vk-0B+I1@c}L(c^?`BmAN;V_<NeD0+EPc++Av~YRexkWDu{@Cg;QmEr8>abwu zKURwU4E45@u{ll|ulSqd;FFLe5lV<0sbWug@WIJ~+eZI#Ntt`7tB~OJIzB_z!r;52 z*Ye2p8f)s?vrLXRDsxAIPCFs$S&{#B^tKrLv7iXPD@m)j_F3LrqrY{D?;=zu)F9L( z)FMO(Q9_LH=oZF@I7qlq2_4c_1I?CH8%>~f5uc~>jmT#`!+ri7{C_fYo<7zG*MM+Z z{L4esktFl1H9R_`u)bEq))X|Mo}!xU3imcPQ%;`yG=tubG5>?UFPWyO?2X0##~{0c zVX|I7#Qk<-Pz`qQ?j&oeg2MQ@os{iPeMJdR6IM`9H|kwX+?Duo!Z)xlBd?$v<NXWr zJ&x`zNa8%(fcf_%yb8wQO9o-b3i4q~cZ<9xCjMC)-B@rZ>Dly62fvg%xtRA{Id@f| zu7lM~j=_xUaG86#&}RwC--B(>(bkN;><2E9e^&NUs^pilw&Z}n6#J6w#N(yi;^G5! z8C1F|?J6h*ZyCZ(kaP`^a}T<F2V1Bm`C6LqP7<G;N||o#v2>W;oiU+YlzoVTx%thw z5B*k<Q`27o*7boYyhmHnq`f7!7u4*so$$}ZM_;9nk4pZ79PD%O*B!}c!#<xbiQS+x z9X?`yJ_}w!0r)-=A7)}`SK7%BEtUS=Nxp-uX^Q6w>aD|Cr(lLQo}-wT3Mz;!mC$J( zY-SR5bfAto$eOm3do%Wkhch{2o2AXqwT#oVw4-1GzNx?HLglYxcfZmH-#KK+9q-#W zw56bcjHOC%z=rzeS1A+5RIyU@A&EVcrkfSAXR<h&QC*2G@%p>54lCG&4gAJ<Cd=4$ z_N)D_Nh`=&KOs3@Mq#tFUOLf%1s{sO56S*?XL*Yfj|-!(6xpM+75~tLHZ8bUlgq+c z@pkNGkam}C;jOsoeC!MQuVPm_iN6=${UG+EAesG)1q;~6c4m%ML?#7Wq}(_7n2#CH zJ(7P&#@)yKJ8iNWPm8}$*@d$ONi?P*^Buk((ED@$GnVx_H)l}=z3^iLWS)E{bG>U) zI?1RnHZfhZyX)A$0;kOTJj}h5Vi&(LMlWb<n^_C%xA==%tTl=7tjPQfaTmt2wD@tw z=kO(RXUtE~<ocaG*zXC?Di!xEcuHt`QMljW%PMx;0H3DdZuF9b51z-|yJsuksVU66 z&$4bP`b$#xNbS6)@Cp{mm>6k{rPSM!v;|4K*lURo=*paUTC>>);2XgFD#co;;8)sN zKz#>^4@jE|-$R?jC#X-sGWe!o&u64;2f-^^LB^!*F`nDe_a~%ng)hzA7&}#^*jsA- zn<M*<R+)_7Jqi1}!<v6GYl?qP!+wjPKLuABv0gXF)}+7X#ZULh7Ux$fpLQ?x>=v`E z!XFfwuBGz6rr<AXdi}S8;^IzP>)%W0LqQe%o`S>Z<OS@1fy{@l%&U*B@k-|~KOS0Q z^5@CMxs@^8gCEI<U(BKDRB^U}ZzeW%uguR=*j)(!d`;F-t;+Odp>t-v9hk2*vHv>w zp`tSXN8#HPgk_vZQ?CWzh>YvXo0tODT+GEjLK`=WU&Viv)^qInStFKbH*t^3m^`ZK zN>T185pVOT%;N{e2P*n;kyWKFctF-(l@DlkseTtMKejlTcqU^un7O5XVXd#s|9v#I z=SlW81O@j)Q!qbaJQkBL$r)JvMo~-VhWafd^?OGjpnK~#nO-J8SH@;C_%A8bTkNtb zb$+YW8RA^NPV(PNyzVkK!S}evh)t#oA|FMWBMLfBLw@R3uupW}3BNEDzr7`iwMW*l zD(Lnh8tp=#yTM<X{1e3YVnaIYyv?}jJXX3A<I+-l2e3fKsw_66f!O)e$Ya3-Y*Ilg zbv#A#Rc&vn@L!`l3+h)gQwIf6hj%kx0Ov6{=aE)WN#YCGd`U^4q^~KY9}wT8__h}{ z`SXH5HlO{l@G9Ev;1_M2V(cFjY-OD*o}977Y*`EP^4!mY3e3|8W4=VnDSQR-U)5yY zw|G0u;!aU~Kn$HZ#7`^wKv@G+x-2@ImZDN|7@07Rit_BwaXB7KpciBx-CpF_!rh31 z7Ro3E?!&ex<>!7+*4+x{;&oX(iSajQ;ymMId=<}7@r!k6uOv3DpgZ=t8NI%RFH=xI zAK%9!KLh)FQ*3*iruUHe=bVhW4y~m8WSM7gCz;f`3BIl)`7h~@f*-VcRelrsr}lEr zM7}?<m5mzxTl|0@f0hXCu(M@ZOj(X2^CHrp5S9>@6Xp|E66O*Vd`dinFi-Md67TWz z9t3fk;Eu2#UPHPybz3l1XewV48~RZE+GC8%PsrI5JNZ$QSMjCES#Qc&Y>06ygik*s z<G2Pr6(#?%JdZpFK8bvN#^v?gsx*G7ycuWqnIi9j)y99kBf7tj@!Cyam=Z=A=-WyE zOen)XY#VXGMV!Y83JxIajtcx9iOAgf5@*HIydzSIy*X>_8=9SN1Ah>{j_Bj8$gk?C z&K~_QEnk`W5GurdCA!!Te}^-iyP@Z;%<p<gJ1dFPM21wxIsm^86{thOXTral_#A6O z1?KW8@PjkiKc~pLrOGXraw^?|^=7T)bI7?U8-3`94SqrBPyhEIU#<L#oAW(+3!c8} zFd8x*7VOgcIiLHGt8%7N^rX2wGlYL2<wwfg%?G`R_)DvfXb*?6HH~*4=)(ot*CB|{ zI*zPOnSUYl6DFJ_A0*Bp_Mr3c5P3c-&pUeTN5h;+I<wwbuoL=3>3cFd-L1)Q@wkMp z^3^JEAAzsW!nmhWU(F<o%Z&3-$Di=e)qG*?^JaT78BfLOq3kKC_XKhGT>PIf_EZFW z|4_usudQvxNKdB^V`QCIb=<hBK5q|urT!t5jTBclZu0JvSTDIH;f~Lu&G(zal+eyo zt+H9vTjK%rYb)cNm$^1O#Jkg5%<@6@eFqrJ^4OJvYslV;eb6h+C#Tr5!skR+Ue5n# zk+Fx^PBq5$OoGg9lJI}KMNyR7lGRL~)A%CH?cTD_&MIwuBkxaC!O!fF;(1vY&tgv& z92I|FlRf0f06q{O-T-?YN_rSU!IxFI*Ov9O0ro$IGFxf8!M3<e)wHx#w~Dtj59`zK zkyqlpI$fo6&onV1ZEd!A^3Zl(=ph-0%e0$I_$?k4zbJPDKf|veAO2dwzm?e^PUSaY zXuePRbd>Q4`ALM|@YxrrZ)cEq5D96FrGmo}SK+q|N1=l;grm%rUW7N;+x`OY@1*w- zU)9DSA9}w+-pd#sfj&<3r|SHJyn==3|AAr-<8Q5;Ny+%R9{QIBImctmb7ehvSoX@p zu(vJTUH+P4miYnyk%XR$ick0yTbacezAI~u;`&O}$2|Tnq20H0o8uCs?5nfQ`Wi5w z$Ka3N(e`F0#r%Aa@f^eaErA>d(7{2%KEi&2f^pjY&qti+W+VSGXyZvAA@&yHPKo$; zf}eIj1b>|LpM*QuulJ)b?}%K#p|>8KIi@h5{Do9|_<r~TjPoGMwGjI?C1Xv3UW$3C z;OR>E5y}pwFMDM!T73KTJbZVjaOS0L1!biCKGhaudY8<X6v6KY-xquSU2M%P#dixt ze^&li_^L4u3TkstqQliWd@n#-FBC1OtT|Wl6;~)bTl1@mo*jCvt?_yakiUd3E)zPz zdy%+SlH!cRzu=nYFpS5b@1@Sa$^S#RLdZ?|)!3sW#9H8qmr<!c)Kf?HGb(?HvI^2@ zK5r%V?aaZflvD69V|ZEUDnA$-yDIrsau1f5J?(Dl`&;8vyoqp#H75~fh~6)1W$%{x zeS`U}V3IlH#$A-Zpz*B|yyAHtIm<9+-SMY7{K`75L%D=!NEU4%HeZK35d}`_dJDUD zC7byL$nhELMrH1`YOueqCbsY^^z+D5fOY;pS<kjeg_q<GOtQwtR4c`Pfc|Y@-!*@U zS^qrZQB&DJ(e50<#ku3D!pQza3eT#rFCFsXw||y$`-zt%)UltjxsIH>(T{>_c?jgU z!gn|J|2}bJ)}1+v;=1}r)AR4Fapkbh=aAWgX9scDiVv!REe(`<E!uDJm(F43GR8YK z-d9D=UHEDRJ1D21t&}}2`Tkme*5c<rCEtsA@1@_(WuJGJGei$$`WD(c!pCQMPD?yV z=65koXT8C%Ae2Ji3O=D<SLH00x3DQopOa?1LS$2Xg>R@&p2wWy{s+Esm)YOZZf3Ao z?m`vq3%M8kMttrbZ0)F@=Z5&C!qlO|1^oMfT_$cceY{8HS3K9Q>zwiQe)Lq5z7%Ia z*9`tP%+VDxmbI|E`OqE*cL(}XP+a`4N_(-XDxwFKS5Q{?N=j^EnP24Rp^y1@n3xje zYcu`_>B}L)e!>BQf_=pOkoQsc{F#9Rdn!%4r{OzEI7OHV{|Vx*=s6GLtiuj$_#CwP zKDCEZ`zmygKWMy@-#HLDn~`orSb$$wa4+flgr)?4i0>g#<~pGX`D?@q>Y%T&4IRc* zgWs89pQOY4DP}Gwca<;WPc0}&UWaT6`KC#6`d{c@!42A&NqCL9Umcz7C!M=Idl@O) z4O>v~hsae!{8Sm)7d$M#D>RXE)zMo;)|V^rUL{;2T$Xa9W!(wMU0yDDlc%OvZDf&H z<+fGgE>_DcTpscV@MT9AneuO##k!0fBd|jSKb+?b%YDdH@IyI&>}5<!l6T0QF}cjo zkBY{1@DTiOGB?Y0=X+Yz{}=h<$faNke#S?BJ9q_y>7Q4AXIkY$c{vkZ;&%}6PiwGm z9R}ck72HLiI|q2jiLw?{V+~hOn6>dU!GEsNXDoIYDeTW*kTYO?+1I3s-c{Kv*hyya zZ+U*7hw->3^}Sft<eDb(B$oLp3+uPcX`MEnIiO&|>^Qa!_j;wUi9%u*Su2}756OMs zaIuFj=&hm1ykGXr1(3ZWw!aCv4&Z-&AfC#6sjuA?S}pAsAMhCa@`dR4cF+xa73zFZ z^z<<EvKedJ58^N1#-6K)jo+@0M7%RCBj#`FP;eoa8LQ9oG7jgYojAoz)y3w%OW4C! zOQ<)ojGnK957uFgHU<ixcbZ8J6*qNrzxdw2f@Z$|r*WM<Ew*-meS06q<O}3lj&IW8 zI{VP6m9cZqGPx^p4r3hOU`{C5OTSN3Z!}&dcF*%T=oQdI$K!EAXYsvO-ItnMDV`lt zuY#RhxRYVr`be=&Gk8C6cf5|D$fuSu%gsfeJVkiE&)Is1=z0tE*J!(-_|@6}n!Nhw z4O!D_QhxGTv+nVnjSFLUuZTVr|KOZvsb1Kj4*g|aSRwn2EaKnhXtww|{w6ax6T<(C zJ>K9vHw9T=6n|2LxEA^^#eVI8^tp!2nat{{EB<mT{olu#dPpkYy~ejGa7&$L&iu^A zoV~#wrXh8fm}cVo(Eb~YUm@x1X!e3{70X=q8Sv^bXg<&Qv^|ERwUzl=TgK=K_OSP3 zSLflKkG|VM?^lp_WWXoFo#Imz{#tqL4WBs-Kd=Fv=<qRZu0fAU(#IcJ|GLX~E54!V z<>W52#51C!6Y#gi&nj3)dc5@Uea5zT!u;{)F!?5F^LHKVdewxpNZn)cK1{b6r&GC1 zzDlg)3Z72TnTh4Q39^nJreA+*dssz3Dfw;Kd$bVpbM91dDuGYoMleoy;j`1GsvKvm zIqXd|zP4hoCe{30$$3k`LiR)!Jf}TVE5@9BM)HSP6BKkI--UJbp^Dfn^#27avNmL8 z4}TnaE>ob4tQA4_cnZpq&mnp+G3Mtl$+y=3Exy79e>u5dE-$fOZlq=x7XHvS_6gX) zF~U}K>BC=D#wHaU2RDs1(aSnv!9U~`<iLh?D3Zi?WRal~x~_q3EBKN*?SQYf*jH5g zx26Q|HA7QSR^;p;z9$R(=a9*Q?BuJWgS^<ag1)6J3U>kMxiWP&kb3ir-rJOq^QhDr z{J90&kngIjvwNBU=VfksWgS_LT%F;WfZfc<%Xf3d{;l#>+)n0?%6F4{gY4OvKeE0k zd>Zq$6MS=tk8>BVprw@Sk4~z|+UUgx{>mI}$lmlZq4!&4%KVVlPMYYx82h;OJ5Bn- z!e`dbyL7BiBk>W1*^4!yT?HL-SyX%~vTl%dx{S0Rr)HiSeVKKIb)sw~v%c*!IG2b` zbP^vo0oi`0-6evbDs3*8{Ey-v7NJ)KU8OH7z5Hj+pn@-qZ73KdzG|72AB6t8A@_aR zIWx-qNM}s=xF~u_llJS<-vhGm?Vru8JE4eCwL5Dxbyv=5Qnu1R1-a79_<#L8ENgmi z+FP5Nu~f45{83SQVprqOoANwC{4w`r3VvqX5}{&(KV3vSMP)1$Z}zNa*~!@RYV4@A z_>38h?^^N-9u_-t$U8-b*gzBZ>qD^jj?lx{-&)ao2lB;`WmK|RUjN+4SnkBud&u3j zPP<Xf%-yfeIi0T3#kDhaB2DFI$(f@YKB1bNAJ^fhA7Ol)GLJ4`YmH?*cVeH_zz;zW zU%^-NQ{FQ|_S3B2iLjTkt}ni17wKL9@ZH#o30(9qr;J}mbW#?7Sg|~|EjD{VTNm__ z%`(x4PFLx#k?$vbPCmwJ8ts0mtv_AGFDbs18|ssLk%Y6-Rb=>)HD@E?ef;w#Vhcvi zHdAw1QwJjN{{kPg<`>CCPkPxotP2+8!?$;vYUbu9*!Z{DN`3Z>IW^m~$~~d^nj_5L zH^lz3(7uB0%$cL$-BZ)E=^x{IneCPmpD-L-n8`SYXrl$?+AuB(4pVL&_LwYt(Y)Fk zQA6g~PS%m(?7b8$+-=4c<gA*G)IL6`Y-ZNMw@>EntJw88=E+2D?_d=fA#GTBD=vh7 zPW@};xO)`4wlG0_+c?&kiD?$bjDNx|$FaA$9Xv|kXHGS#!?N*y4)(9$1Mz(-eTj8w z4|8yP1@4hAIgE#~O^>W~imu>s_7NTF)8U4!byHcVT<PfakJ;pNVrz4WGlSRXaEB_s zVs~-Y6`MJ|0U468$$E^>^%?Qn#!`m`U&FJAbB7KG(Q8R;a|*ubGsYx^^}U=5^rIR2 z*@~ZAyp=NaPr(fIW<jUF`Hgwm4_G)AFCe(Eqvx~oy(H#wdF;8T%o|0&t7N>6$B{V^ za$s}s((fGD>(i7il;9uRiH+&yUSZ!gi7^XsA97bNzRMuvG>!HPifuQOHR=xWO?vsn zbeO%C1?!P9RqR>e=E>aKBlRj=HS|!GFo&~jl}vP^c*<+|%A_k1y5RdpAfunOkKiSE z2s#8LpId9s4bDYy5>kb3m8pPlO@tn@R-|Zi#p0QVzF%UzKA37@%y^{aD`MyAFX?9_ zXUu7Ky|NhJ3#P0Cd0(UKIDGK*ocx9dI0bKrO*T)E+oZBzWN%uNyXwnj&3^pJ_}965 zYo8Q<;5g6DHJenpsMK3pe9WV=C-0M+IW2pZ2s~jzW#kTOas<)EAnfQ2`q1GQnN$BT zm)9}=@5!F5Vh-$%HE|#G2>rS*1>c9=?-l+#q`iM6uh-d}e)SidT!wFT;!|re&!$c_ zxxNuQog(?NXEMq(;tIYc!B^ge-V}U=zQ;=4=?Lv(`cyMB4t?AX24Tlt#P{5eN5>y8 zZ|0`qe@=+6P?(+gKLvhl@*NqEnW1!)Q4+oTWgk_RJ#|rS983=OSyg#2mGSs5IG)RF z=L)`BhqB@`*P>qqUKuwthwqhjw-oZFLt%-@JSXevf#xPDOZPZUVMgN@Cdl26%KtGR zf6bUE*u<U6CVZC;+oZ1+uB7l*pxy)6cRlnoLVVq;_%BZ$=8WW5vBw-+-YSWYozC-O zPdu+uBk9|R@GpjD2l>Poe8AWYNwCY=+B{Zuv_YoqtbISj*E5CnPWX2aw_smYO!kV3 zH%R;EWKXpVdLF03@~)bcQR#WuR0{sig7>9=D!)V4g@W7pJ{|iszl_yC)bn?MJavyj z-=nlPt$M8Z<%BU(`0wyTrJ2{?6DMO23mLcKvNw8H_WgfJo#SOcG!p)onb!(p+1T@9 zhYDV&FJDnlZkcz}#5Vg$UlmWsit3Z|G<B@k=FkDPj@|~Q$@=(9!v4WO&n)l>XXoFb z1<0?&ryd}ENO<>4tT>l4Ud^%P5N%sfo_U_r&vOAnk=(?ZFHNPsS8{PDh|U!>#BV4# z%sZ#c*q5C_@0o#5^rvWRSSyF2t8vWx1JaN3_(cVm{Cuw$9p!;P#<}Psc?IRT1DS*@ z3aV>+NtJ&W{FtkpH8ek>@KdpgL<lk7Sv9?;YR^M1C&=CrTN_uDy9o{dvbHb01pdn% zrcC*H)_#Tj=aN_LUL=1U+bKgIR>&S8QJ&25o!Db7V@^)a%e_a4xs>1sRGE(W4h8RH zM}z23ZT2{$wS7u&_J29?k2wh033&*)2?}yaTvFEdS;(khLwU}D^dmdtZo%WXk^5H| zKBcea#NKL&y{mFXs3U|u9ACuqL2P1Ov3Pw}y;fXZ&Zh0B@m_?;WzkeTL)M(<>5m27 zwK?*T_=bM?q2>5M3x1Mv2Su*^0p4Y0e`>*U?e4HhChZo-9t(i)M7{Zl3lj<vk_kx! z3(Al#t>rCz32?;;!|-`!7{|)k^W(@p_y*64!4CnSA3J|n*4&}mnbWF6#q;2=IEeiN z^xu<tM?ua<ZkY=~;$GN!HR4o)li(s)P?dB$^wNuY>LcwZEW#H(z`p)#?DBp>Dn9BD z=3!;=yXUdn3h=#+pQu9o4CjFA#QU<MWB3B36?`mX@&{vZ1v`A?ANFd@Qwy@oJk7p4 zj#IR3^m$Two(YuCi2sGU6|5X$;$!k2dqd>9$U40l`Z?NI4Sflr1it+<boeXyK}C7~ zN&bY`!wm5SQ@|BskMS;a3pPnRR{jm>nZcd-{`q@&w-5e>wBtesHD$Vxwu5`Hv-RR9 z4pTPexLJRx!e)FO{aP?a_8WuI>A!-1_(^Q73g-}HSMZO<ukwY#x23AOjEfifu0dap z5BCdyBYeX|ske3t`x5qM&m#Lwa4zO+S^SF~G?222=lg;tXN385Y%cmwkmYyU`a{Nf zgxG~%_gRg<EpuRZDtFJ<8DsSF_7?6$W|`crI19hRy<i*BZHReS6`NA9E)#L@Wj-v$ z7A!c992Q(%Y!>ig^I_^#u#mcD<*+!|J7QDi3C*b|Erst}vd1Y)z9IRF#5#Cbt2!g! z8gy+zXLPFIg4mmxGe4hWo_0#8Ls5RD&k9c3=>NTB)==vF@CrT~ofoCu`xEMVL;5`u znFqr^L-VhHVFUZ5orW4-wOjuT@8MI|*gPsnU&+6j-AvnkHkG+#@syVHk(IaNk#a9{ zIg5!Y$64ke{_BF+KsAxODKc!##8#|&hT%iTK(AYwGcP(&P=|Arf~Kr3I-HU^li|zC z9$LXn?rjfMp>2W%d(p`OEkBttn63Gr?5uP3&zWufi~YBgcCSd8@0edYRG-8CgrMMD z7Vhtv^HIiaF8jkbQjnKE4x$gmS(ERiuKL;-PSE^eZ)vBe#4+KkLHr=Pv%pQhHtppX zzV*zV+d<n9@8K}leDMCuz4UQp(xDwTbBO)LA0Qprkb*J9A?c6G*JB=7&>TBa&?c*i z*@xesBtE*?R^BPX-V<Sp(2M#_+D6VqGo^2e_Z`j%QzSnOJ>}HKrXXWoQqFvd_3C+T z_>3#k$0fX5wr;1{W`&++{QGRyrc7iUpJ0QhxLdKH9=1>lf0rkda-}r;{~KK@IIfLp zBk>bI;FC&MH0g<-BhXuW)|~|@d{-<fuD>MSsj;Ae_!ujnMw$KCY4s9uo(~iHFiP?* ztFnHim?cYU{(Q8|&2P1_u<F<2?-S@7$oI%Z7oX7HIDE(;=3!HL)-pzP@ezH~VJy7A zi#-g<IE~ZURx|Eb#s4eB>P&3lB4^l^jHd-H@nt1STRHYtTksuXdt-^0VP~U=TOeB% zY@~<g!&RyK66Qt^&IkW1<lyYo^DI6}e8Ue~!M&`v3LcR5)^k45;cN0cIinSLl4k}o zW>eW*EYoycn{_fXaOO3!7p2a=1x%UmlD3jX$DdQzWa>YCHDjNCLMIAdQTssX3SMH3 z`&ru~DO@#a#~PA6XViZNW~@u`DL9nEZ!#p%zG94LCfsQ#-iNW3XL7PH@~a%aQky&5 z#pV}hHEH_iuZzvLn`vi~nv8*h>gCON!`8TbS@6BLgD(=s!{RH9&VQD66z=3AvyK(4 zWfuIz{Ci&fRaW%36aMPx*ww@2ttM;g;2dU&17cIJRATRV@m87kVF$MZciQbJCVtUv z`k|<6@Mmwa7AR=QUS5Z`l3ym}?;}4Wfyd%sqv2OFN0;G48qTw*+_SJw@0M|>E3ri_ zB<pj7<J?clbI#<F>bu@1M{~|Z?Xf)zzF_=M%0Bi1S%ZRNhcB>Zhta)T1v$SRNB23A zNkK6gt2AVIh<+7Nn{|N!xlNvAY4?Fl^j4a7M#}!;e&{_h{I{f>s-`UZEGTuR<g;py z$0swfH!pS8(a!Gy_M_`5TP~X^&)7To-o`AxLsE+0E|PUi)mV)AQRHtFU5!1UiZg+- z#p8M_N;?-5_M(Fl_AFKv$=p+RWPWwM5-(pf!OnI{zZ=V*$|`HcM>Lx#C4Et}vzq_x zmvGl?X#V_+jHxP9M(bamikx8+)(ypz2m@qITPk}_i|*iEgwom`@iq3Y<;4G`iZ7aw zi@W9B@xEJSi)&}siE__t(fZNeAL18wF<)CqT?N@=?9a}AhRw(Y>{CHr`ZG&>adX<T zU?StOLTt4O{N?0)`@tN(vm*G9IMY3Zf4d}ktE`HfaaaEndy?$hUC8}U#_R9$GkXd` zBJ9`J@+{J3A>ubQA6p1t+$TZrpO!akT92-B%9>k1_EfL2clmy++18WXB^+Z<bd=y@ zT$5!Vy%XE5K)FA_TkyEpz*=;91pE)IDShNOs(&Z{b1LUrnJ<U6a$i;C-U|E9i9gFt zc#d{<Q+G{#&l%=v_bOHk>}i+WssoD}l=fA=jb{HAy*KUTl=3+wUW|{L>f%g>uK&(~ z{so^+;+2e<f_s^!3rKfkPjOz>f7dya_H}}9$R>KU+STJ9rECZ6!h&xLapytXv!yKy zKj|#*>12ubcP2Wq;MYv%ZXRvkDZXKutVdS)1?Y9N%&(7`8!fTf|38q%xvVyK^nLJk z3Ql7mUtH&R4n(HGGG`R+UO97ygjeAdRM6Ib6T|(wR?fnW`ILJ)Y*ay>swUP?JDXXL zUK9Opnr`CN=O#H5FPC|3Q66W^@6g&@p`FPro`TFv3%(V<^o-28AGE!9VXZH@*|ToN zAL!6tY~nZOfCX!iXRqd~jxt{q{G}}kbG5bXC9RFU%$J8nkK-8Uy;9~C@l&dvnbXu~ z9O@-;kCcKB6IrGUy(IMxNsi0AL9@AdX)_h&&O*Th?1yepzA|I{Uyz6P3SnawbW89> zcP7}a;%iTT22Zt0B*ZfBifH9d$lhcfJ~T6U5IrZsUlzGHz&ki`{i09~t-fyJdrKt9 z8e%<ItNCTs)>zh{-|%OL#HaOV51_+A&DUiYITif?_*vaey>ueKU*l8sedNntQz;YN z^UZjkW_MY{Pg^{Rac+D_P5QoA*7O!)Cuv*a<Dr*X>*U;o{T9V08Z)OG5fpT1?d~h< zR()_)#OM9#=llQUUqw$(z|(+q2bpKTYtNiZ;b#wP`DYX6hc1Ik*H6iad5yU_5SbD0 zKcOx%)FIR+B*I<bY7n|2Ygx{l3TlyW<}i6nVi*0jIh32VCnaIL7gR9IC4QD>@B0R8 zj1KwHds)%Fj(;G5Pto>?Prnm+4l&kIVg;8-pK8wi6Fxf&d-Lqf!R*93{6CbP1(;UF z_xP6$*j>77fn7G}Sh~AILK+DHr9ma6kq$uwq{AhamR3NJwo&OY5s(s<QbADvpR;qu zclP??_xC@~bKbc#bEeLmnz@%{4RTTz`ZC~lXS@^+-2tA1z-ueG?~Nq>6`f=)ox<Fn ze9x;3o9A%kySU!9+S&^6==o6I1Hm5)H;Fq6(q<2RR>D3PK!yaqqP#J_;dzgLJ5Kp4 z>Zh0C4`Ycnk2!Ye4nE`yy@Oeuihm2`==P=c_%|mn<4pAArK~J>F0G^F>E95deb2`K z4pzJNrsJ2T#e2$wQo0r?dmaBHkg`Zp67VzYy-3{nBv`C|JCu0ln%eV~j*T6oJlLcC zJ*l75tXUufbd~X2PZR6cF2uiKRC_LU%h}7^PCk)wis{^can2w@+YKEUNqn|fZP0+N z@BthI&brO_Fxat~q|co;>+PUESK5AJ+<-hL!CdI(fU`k?zg35}aIQMWz8?$6W^k_i z)6uP3jyzQ0PSb^)tV`g%)!e^1HnRw8DU#ic5rRD_!94Dx8xye0p{Y$9`#X{{f!d@u z;lpERY*WKK-YE05n7CnRN?XdmYenWuDZhQC+(mfCNQ=JpR~Zqy8_1GCIOSpBmKD5X zBo!D&(wO<rMAo`0PhVDBG7G!20vk7KI{atN7RHbl=pUJsB>lYM%u@=Add?HmwEZ{e z)4h`Xn;OmkrRxu6K4;*`Sjt0qPN8SZqv}^OU<)^_^o<t`&1&+2r1hC&ovqkcY~4a) zvt^Wzz%JE9wgq;m?H~2X*WP`~nT>aroU_-cOxn7x$fAYR%J(l<5OX`{p=0c`Kpbr+ z$MWsJ+MeU;i==L@#zeE2*Kmyur96RrUB@oYC+~&h)Nf&LHiJ#+`+3Hm804km-dFAP zFkNF>=RRGivm+z(m|wj>U)w}&GuxTNL1e5bYbmXENT@G6u|r#Y`wU&%B-NFp=<8<s z*qebfRw8=>j=?t8W4w#7Fvg=tb_RLXu1<|KB?FH8_-$!MVOIopAvYgK@!jN9be6U3 zB`@%m&ZQ)BPy#H1oD?J7N_}b4QeZr|2;PmO?KjZBOWGGKO8G}o><O`IYwSP)wbi3a zCv_b#1)9S;&i3DZbIY;H)E}blbZAoC;Jp~>0PsC9ua%=<zNf%;XIJ{4^7DQj-FZ>h zR2_etHi7-bhJD2RVr8z}CkPbgxe!<oEC34pmcaK`=v8~##Zb0f=X;y-kCE}S*Le@a z+1SDr%2S*&`B{uxly6VkBh&dy`)EEXYN)?aeSMWa&V-t>qVU<mrY!tTE_C(%UbJWI zDD-QX`laq0xnH8JIjKNisR#Qa6Im0m6Je|yzBJ)Gg!QBXd8ofd-A2tz*%oxYKWm!h zlu5b3ePl}@ggEfFPX7Wnq6_CM7cw&ULd+|d&i!~D#$`YA1{tap*tA@Xy}yvj&r;hk zlvwaAd`(YXIxr`g1AG;o%uX5#-%^$#USDI{h4I`QTQ!98P@V-6;qhSR-i7i(&KgEI z&q8-MoWIfF#1v9yAvJyVr~NMEZK0>#6-Ot9K2<L>?q{qu3vDbkMgP)iK0mV9wWKo4 z5@^~DxjW2y79x8VnmYWP%6=aSGi|%7oCsYh?5sa{>(76ePC?&p6*1){m`gbGTB33z zrP(eb6H)w|`c-^GfPVOc(by4z)hh3k3Yh#f*543)x6t&yd4BPhN%v~SB<3K{owJJz z!R)s{7qw4cGY1QE*vqrz*W(x3VgJU9|3Qw{>;A7LJ;``+whjB10*oY|7|dBN2%Ef> zzby-05apTS<1*IKM(>e(Z-DQ};&B~&hQ=-l+JAj#KV?o4x-Wa7@5cL=XPk3On96c# z`dfY6thF2VzcDhDPi=Qj<`n{7Mi#bWuODLr{sdD~_K37y7HlgqLj?J!*JHzx(LC%; zCh~o;`CEEpTUWpfV&=lg?u2l@dBoR#$KFOzF0d{Gf7d36xLot5l<ymyd>$tz{gE*` zd1Cl!=u;`^w>x%B`uU7K43qhz-+dVSb;b@S-;+IEl>%SG-dL!o@|B;v?iDdqDnybO zD9Zdh!<!UA=m~ukAYT@`D6NmiM=nT3x#q_+#x-9z0UOkBn%>NBgfmX%l>ANBKK$Ep zCzk9-eGq)LP?`985jHfhbC)v=nG@*c=*MAfVs-peyv8!NeG`@GWz5wd6wA!H3;R)s zwOKgE<9c-7g^lM-ehcNBow|)YZva>Q#diVG@Uay4p2djeNf%+)myqs;cU2fept7d& zT$txX>IH^in^x=dG-RV7b;ZB}U|RSjP@QLi-1Jusx&Aha`yicH31|LOk*{{jqofA< zQvvyJ^N8<uXfMzW85MYzbQ!YZg`Lp7G>yMKqx81E12R5{@?OFGZ4$;37((7ce`o)) zFvsE4wMGsLu|FG5@b|xt`)H-jQ%+mSA0Q5_M%l-Zt$`<Nl`ntkes{zEy{P9np|`M3 zbs>+=H=aH&ZnU+?@CM)W9`x%9b8_LL#-CD_8ynP?_Kldcg&w`&E4pZ*9X_@<HsV!c zPJwM|i`uZpZ1<s6n_H?d=X5_d-}W<4zb)7sWJ|c4=Uv;=?3KW?%wr^d2t0?qTH$<) zAZ7hSiE(rvB%fbxq&!<_P?vYa^pkkU%zw1X$5RQ0;`eCIeI8pXH3uEt+!A7F<@W|M zeu#Bi7;um8CFp;>GY|gwUJ?YK^3hrP(a^@QrjML6!hR}?!O!@3Vo>TM9^%`T2Q~5O zJ=vd^nNJ2s9-l@h%I3Dc@}3a;_7r8I8Tm#UfASjiHQDQ*@dxpJlF#Fy>XolGv4TTW zz<IuX(zJaUncpAjYmtYs1jeC5=@R({kb9YYT4t$^#Mvj_Kft&A)W4v5+c!S>oP=^_ zq>o;niqZE)-G_u;e8U!H+GJ;qlUbX<GRlJ3Ll?@ZoyzR+E7YNBqjwk5W+FP3yQFE| zFVdv;cOi8af*4bv)md~JYzaOMHV0dPW$~>c=zkY<W9J$EpALM(X3{O-En<Wy#;6Zn z9q{*a+!5fX-l1+V`nH?28s*i&DqvO6!i}`{30s35^9S30W54l14Un0U;qXT7+i++8 zwp}l11*V<wjWLe070ls-Y}j+s)!;i+FGu!%T*>=0`dLre25=)-khLa~c0!KVk|q!v z3-mni>$5EWCy$@;4P`(;B!2xbVuQ?)_-UO}Gh&!TWXVET<n(9stKP4^ex+^_`+Llx zgPj3|S3nEh&+uRczWL(<rkCr)TJ^9CMX8^qe36<$<OMEAao6MF>yQ{zH&*4y<b1zO zDG3@96RlF)JaxJ$oT8}^EKqxu@uI1F>bgk>ux^1cY^8<M#2a5bGAiXG=xej%Q!K5d zozSCnj%~dIAIk=E4uUV^@G~DPaT$kCQq&Ne^q14;UqRg8;8P01qg1ME+SG5-JQwe( zoiz$kdZ*nxz0I1op!+A(-;EFVtyAcW!oZI7(Hz@+8v7)WQ|-Jw=L#_N({-Gl$X7Ia zFxxY38SLd!_P`&6F^}8CRCzQm7MdLFb0D%S@PVfFm_vW|up#LJJ;Mwkewo2uwZV^- zgFhBt<K5%C{H?(Idd~QiF&;ph0()(t0Qo0D?I+07SK2(BJzatQu#kcG_V)t$UW|DQ z%+h$%<lvd3!%}t#f1F*vUHA&!>+iAiqlooSvws#EtDmxYn+9tilAn%0zRo$?g?V(b zUwP%07mbDAD|{szu^+uXbg7)aPvG+eo@HNe7bNB)ws)Zx`zw%7``iO>%c@LCc_(~= zz<J%H&s6r33i<g=`?vYtj@(Px=hWZy@KnmLs-GDhntVQ=WJP9Ug~A8#s~q`C_?{g9 z@-*dlk?AP*?w%MZV1%x3A^j#&{!3H-y$t=03N!Tw9Q*k^JUPdB0(FqZ5$tsWb}cJw zP8G%9>rh?j&AoX#bh@kN7nC4=)8`d`ntttXe(Yn~HQb?Mms-O5%h;PndVeZ38C9Ng zqHC|I4V3a>_<n)ku`$hby|vNr2z<UjsGX3!w3&`^Gn1jeRxEk_f90Aux@GC=CYYyq z&lxbU%35!ouTZ75#+v5~8I#X9D9o2{Moe5sztdTWy_x74H<7w@#9P-K{TYXC{Y!OY zIOm`i@UwtNr%J3abG5%w*p%MvdCzd)*ex`Uo~CF2u*|+X+isa-$E55aJ|rveQg)=a z6eit=J<ULQC_EnlKklF#A@o;11l?3QOWp#zPyKMm7kTR?e;!+EA#AJfx!4L@>PtUE zN1L;jk?L;)v6r)TAA&M)?~44*cI0lfWAkh;SGJomeq~+-oqg+in>$o|{B`PobaXd} zHSc!jI9SJi7X7gBz4j^jV)T22J)5U-WG2UU3_-R9MmV<oTlhVk80$K5b^?BOrN%sl zlKX7>dlTKVP$(t;P6j#uJ>HD}qRQmU?0<yD1426xIm?1hyKowPccIWJVqE$YxWF2J z)N#J#d9m7vA5{*@qoZEfQ`(dbQ#te2d-L1S{~(Rs>ave%RW=suJlk?k@2T$(@~X^A z9~rTyff^5a`;>fYjq~KW1-{{Ef;@3Y&pK9xATN&1*{t!v@9PbX{AO2sKAHQwqUd34 z0biXwjexfT?<ucqGPeulw`+Vab)VvA1d69g&Zob0pYpFT^^ZOJ|3W%LA4B~J?Y}kq z5=FiZbN2_uSfdLK(fbM585efJYk|Cu43r`kB+N*H3fOZC84~RiF|KxV51H<?l7D*) z4+S1MGA{XBq4I0s!hh_4l=fZDxo_H`_I0T8HKp?I6>Qfu=GB3De&ktW7kDun{w&4U z2&B;URYopS6DJ;z;=3Q>oCJ;ggr@V~@@pVL<+-T#`?}7dBV!l5VfxIDUJ2Y*88tcI z@1ISP#dX{{(Pk&}_(}Kr8Ej80-ZA7*n-IOxv{}kJ1j?b~w;UOjvWQZqZja74ljc)v zDl`I>(FqsMu^+!Vb}e%sQ~!wh48bM`<C~Xae+0T`lmCC!Jlo%F=xiHgr4F&g_o46` z*%{@?LM{AEZsxmD_vAEoshp#W(oa*?H@YN$=ibI|DjP4;wwa?>Li>`QRkE<xYdv*R z|0KA?yyMuHSFp=t!Jn}|jqo)Bshxdw+gGH%19KXL%^gphabPv(z7l?w(|wPO;`~H@ z2)2GNds5YrvoUFWy_KbpY`U&y(5?6EpHNn3ZC6#Fnx^J&;HW*cy*$J(mP7t~DF3QJ zzcJF(Zi9X_d)9<_=`-cy5YCiqRbPba4gADsx_|T3b`PXa3+vdsP7b}4|3-cYd>)`Y zs)XKcr(Z8jbYiT$kNG#wy7qpw`<eC`)Hk+t_WlGq=E7{^&UN}epbF2+9edaW+a4Rq z-&WGGj}tQttCPIF?dupmsDZ|R7d-MB<H)9^w`o&kvjnofZ!7<HH=cLYN}E#ku)D-2 zXYqsBQ-S9x?}1Ho;W^EBWFG|H)HPN@cDyiB=bznU!(F;jN)toeFdCUjOPY#tFP|~} z-Dj;ii1#d%*7bhNUKUk5Wa}hd5Xs-u02hG^!NuSlusgC5PCrX|UIIQxJ`*-^F3(Mn zl@yHIhP`*)(Fo@o@@L@L>(II|oBTXbU=;h+jXqsyiCrkfm=$!M-(ZU-Vsrh$e)<=9 zDw^+>9Ge_RjM4FtuSFAVP*(QHh2qY6CB5!P9c0wP1n2oX<{(hJ7x51^O<*j0@CrB% zeCdQKdr?!V|ADjT1C6&!@oxGa_CR2#$B*5Xxn|*S^}x41)MZk+O5?;LH%{_@vQwYq z34AD4Ci&VbIeVPiv+fb>nLt<Kj~AGGPh{GKT5A8?GI{QT9hs?Zy>&l$bk^1{ci!XK zvS}gQ9V!oQ#hB7X&K*qPHZ#A0*oa~eO?_=_ULCOH3cgb$%|-0I92@i%`(BOw^glVf zP*-NPp)bp`KxxvW&~0J=pC&D(^-}jE`FJN^hQHIf37;d-f<9Y<BhjM;=uRYiF@<M= zx3d#p>bys5nUrV3M=ph@cVhV)Tk2oS=spBG_H-xh2N#kS1}@<zXZOb6>YQ!4H$8@} zdsW-L?UA7a<U1mp0`DW&yR?3FKGRE6*76kiE4HjL=@I7GkkrB>;?=EjHuvwe9klJi z)?gcL*HC@8P}e}$a+2>%-6-tVGo+osJH$90NjoFo&XWHb;ESk#9{oP#3^&DBvA^Zi zcPvEKK4ZQD3$Ydc;C1YZKxW6bw8o~a4)d)!nz_~1_6IeVS(Sm9SjRLynBU3QeeI;A zvikE$st?=OV}Dqu3niSGDg?d@bb+R;htAYI`FF@^({F3%%xS4VtjoRWUGBa~+pyQ? zweMQaIqEER1GEp@&P~gsV;zy#eE7BYr0rC8EltK)Gkzgwc~|xP-wE1hz(ja^D2%_w zj4u+X?~%`=8hcca;XRNFLN%U8>b$1G#}8>=ig{l`r&h8L2gnOl%SOyOkeIuq>3e|M ztG=mB{ijNojr|m;6kzCj(QcoXnHt~kYG*B<u(!pKr<ueSUMQpXCu^{&OLXje4*mCc zryZLdp|;!YXTQ^?U_HJ^RX;Eu`N)l35vYRhp1~H4#SR4P*;L9W1mkm&<)P~&hu?(< zZ|M5ISGu(Hu|3|*uQW37s><YAcxYi3axvPO$8eS3o9drxV{2=HH9>)ecTC$2+Q$r) zr%KpaFEql&w?PJqLi?%q8^k(yWh7QZ9@eOCNxQF|=j>~^k8tdMIBi@=Lp~9HSm?mq z+Jo)DwqP5uH8>`Lcdn!@!4_b1aL#&k6uvd(xe3@9{2qVYkhB3<AC&E@OZq$Ktu_v? z?08cg|KBkaaWv<4e{j>WDN^4NKPfO;_hBY|cm6VY+sE*83wyR1{1g40r~8}Kke~2; ze7CD{?#syK8-C_j4Bz)L^5KPz%x9KI?x#g!o9QRcvw!8WsnOWGSF-ZnjWJehY%?yw z*XtXZIKN<fnrqy9UVVKP&ln%4<U9?22u`Fw7siu6O!*;D-~-b4!K2_2@FaKwJPzI` zzAS(r?ULEo!>5#|z(2jCcKCDhpMe6$G_3;9cBl_~fW18kUj@eKKD5QwKcn`3Idyx% z<&5KncXU5jQ6Ixz-a|eF){x%<kE-3^ohY&`5QqM}Mfo1k3p*XT2%-9HB===`4b@?_ z0Us6ewHm<Orye)`WUZIHzgXg(Zwa!qIOT_&nCm<|IH!C#t7$r=y+HmHn4bJgI&VAb z8Onb|PrfIe%G|yq{o)+)5_8{%O}s>2U>o@j#0&|P34BBONZNfx`Xx9O|1K~g)Hm-S ze8e^OVLv+FO4}8SMK)EIZ(<vAIsUopDeejwBU`$pu9E#cr~592n~9eMdUNm5KZLtz zQWs|G8SiKI<f_K_Y0;(Ix<{`ia0XI)?zSsPS!!&;rQY}r<n^dyn}jYQikOi;Mj=lJ znY+M-JA5|=ALi2b2l#LWybKClC%vZ6Nd?YN7GgjP?Ku1X4Be`f+~1J?2;K$nfGe@B zzmTp~e|i<(y#s$*<MVD%-VmKWg>0-=pJ4l(lW3pNCG`6=_sJbk@QoSxwnO_oJa^$M zWNIt@zr$Q=sE<ELeyz%@&^~6|A9N2BG?nthx^KV5@co*~xs>mwyf}UR32%qOyPZlW zb<6je@#pHENtr;l<9ws4KF5^se_z3;-q`TgA<5?~^}jQx-@p#ov-_lvz(2r;-~&+L z25kk7u*Q2@c9+=R!e5mA368nPojvhP3hvqhz`rTW3lFalt7L$8mq@RH>EX!_q*uYO zz^}mz;FsWc;3xF`4e21+Bhu602{4d8&yk)7&qx`%kq17^P}^kZa}e7jP=LA-k8G() z&tMClW$!v8d%?sxiMkIJr4PMx4AB2~pc?1KROrD)mH8it#jd3`{Y>1zx1ZEKN8B>e z*-JZGd18#m$d|x+bUP+{a^CmG|2$Bi(k}%zJ{5LS_x?;2@m#ErK1A<6OmFBD`n47P z?Sl=7^Y}-hISy~U5W(Io*YZE$+e_@z3GDtbmDN7@sDhq3Myns~?|eTY{VwgrcPFWR zWAyru`xfs!zFBQbZfQm4GQNI>sZ2}NX6N6|OMV4&wXg}BIyi#w^>yEe@hotaHCjl$ z)jV(IY;_g-NO+j#uCLzGWn(}4>iYVS#v&VDXva8>>+rWV@HyY8E%eezJ{@`&!=At3 z@r~JaT?2{nwlf!jKT4Xk0P#Tv$3`SoIzQtE@U5-rxW*7pRlpF|)`<PTsl4eIWoq~0 z3tVWW`2~z0(Fb2lKKKu8LcDLSf#eH0dokv?sf$w?o=40SqxEeco8H&!S|m3MyXry< z)uk`BA6xgm#sr0tUxC%w)xXSR(r*Ut#P%fm3U*T2K=Y~8cQjgS>Mv6M`&l#3r?E9f zW4JRz-{02x#VU`5x+V24tYhwB#ZAfc%;Aq!zS>*Flm#`uc#GKL0J<WupEMX9*>sLO z73`&jwaSNg8Dkl`CGdu>?;XnC1~a4Ez0s#VI*;9?yYyM;)3R=V(88fva0eRb3hVmf z)GoXLAI{@<EQGHyPv=w)*Yf_X#Es<rAIGP-@SR>n?q=RktNn~qxoS@gao5>v+b$Y@ z3uHttx?vM6q*pn~MqjrBedSW$T-Q?>xv%A%%a`a{8sI0!JAQ6I^zVWDz`fu-_U0hz z0Z`y4_WxbRz8Ho5WRClEPm?PD4?l-{n|@9wpJu>jedj1$L?U-XuyKR1(<43Sb34Q) z=+iqgB;~Itf7atC%HY$|YJErKM_?2CnBg|}0Q5heGg9%4d_#@Aw<LCX7Lw8U7=bF- zq?NQ89O{`Qbr;zC(`QWi8PaF)BhUT8I|a(qVRzn7fC#8b{+!ZD{y>8K@|^_oEYOR3 z7gDGUmE*8i3j11&xmn0bUB@WSMa)~^F8f%Q`kkEh1a>*HlGYEuhORVp9n>yLZU}ZF z4>Gtlf%6MGEbu;ZcsPN(Cg`fcrw@>kUF4_YvpRatW0mzx{}i##*cF^%p|>!L{Kvs2 zpPP-IMBc(=Y-l~uLOPx!pot^R242d*-)VQ~g)UNsWd`MqpeYOrOxH9+0^hRfb3tg+ zlXoGL<}-TkJSv?aCI$u4vM<GHThihC`<(CAu|5l>s6PUa1WM%M{hQ^d?y04-={0Ox z(FkZC5Qm*L?QC5u^r;{+T7dew9$Bz7ZW>0cT2;>zd!mui`}|w=1Y$q-ekglhMf*sD zog75I4K}1E_471-ud8=JrIb&pp=-(W`fdDsD&{B91bPb<*RxO927v|%*jMd;pW4F2 z5XPoF8EAf%>dlr=Vrt}OrH*N7`>L&%d^!*B&M1E^t(&$-4?@w`<Frpnx<lo^4DT!i z3aAVYg*O(;#@Z*oc~zV1E1{nRUv9bDL@61I?FnOU8L)5T!wpR<{NQHBxP)El4L|#W zEmS@dRX^TDW-3x1MB8%c@tnW8>nD9*^+9@iK>G*G>ooRiBeBk1@&c_&@WZ+U))8B^ zi^l(v4*~<h6yUGQ{|u_r&7ur_2KE1;ly^$tjN|yrs`UHE3ff=f-}IE`@4~Tn-H7+f z!L}}}a~^Z_!XE9{mhVTN1g>$%V&NiobCmM>d&*x^|0VT5kl)0*1v=ozH)4~|u1LxT zbWGsiJ?s3F>dCLmZ|aJ04$lhjF6%ha8V_|VYU<tJW7=OK*0Bm+9wML7BTpYW`(GBB zcHubmomF<+@{cM1DcDz15B?3nC+yMjO5NrCyT;(@;Y(H4`6>La&^v{%(G#9NhQ0^- z`Mm1DaBO;cm7!k5#$GtD@tc%4Rr!2opKqK9<mxF$-YZhq*{PRy7Zc={bG}KEe&3Dq z^<j%ABX1Vg>sksre3+o|jiq@fuX$R>o>}O?d@Q^LU)taw1;W{vF1o%i6L{aH{v)Z9 zpN8?=J5ess1l!nH<Bhixd0&yhyXvr{s(<~=VSksZUvw+KUcq-{G1x-<yufYp7V4@j zl~BIVVo#c;w6!K(;P}yC&c*j>KP2AtB@|Di;|-W&Jo+P$72Dh#o)+GYT?fmnz0bt6 zKt|Fn=xzqmuGq1Bx|i|Ty9MyQveK0yEl%5^U!qUghEn9~gN?PmhNgv~8H5h~p2_sz zQtyDCVP4gs$)j|c;d=yS0wuIeo*%Gx*~!O%BOP4~V?8CEI8kUVjDc<u^M0GPhQY7Y z3EYqJyn%go;lMe3iXWTe(&TdX|6AsMNB<8Op?L{D*CQqgOE4`4Am0<2Q>f<qIeTL$ zux-ddE44pmluqi>vYz5jzCU{@u>3gRYB=`b3g<Kz2C@c$yiUw;i#SLiG9fAX*UzKX zrsy+xGak8hVIDH~vf5}VPw_izRNIzS=OpEg88=6QJn`)caw0I8^XLq0t-t|iuP!j3 zsqj8aCgM1!{1JZlu#*oJKkVdx%E8^8&Q<!1gx|-UdMW!r^P8~)x77bh`Q|wJB_0Ul zZ{p+gO4q^9v6d-1*OT-uuoGR#wt_eqn=w=M?FEf9JK+liW|E}ljJ8DQG8A35FmnTc z%VVR-J%Uf?@v9czaOkA0ZZF;~hHy^7&j{pHzM5R}-;eO;eWHA2Gq;+#yh<9l!dJcm zdFrUPOG=AmM&_xXn1yeF+1sg(jx4-q`pAf^Ri%G{<`1}g)cKea-|tA;d!cGZ&O9f$ zn^XTT^{I$8ER12iEA&@ec~ytIvGmBWz(Z_7P0A}ddn)Bsk)=}fD^T63%NB+GVV-N* zHw$6dh$`q|O0^a5)2A0A^P7^n>~*|H=R>m_`Y!0pba<Ia{ZvvfbV}_jtAtz%gdrb` zk%`A^O};2HC2%MR`BIrNHN<71{B3RRHzB1d&5ukr#77I{r7j<MFb#K=q`AOH^qYe; zCn!)r*Y*Z`ERack%NF)_4|Cazy&0@?Ng~jnmiss#Iku;BkZ&z6T|R8;ZuZhbqOPGa z?FI57Cjy(X?=G~#CST#5hQM#!9SM|BT9e~Dr^4nb8hh|Ax*0=y{~`LXa#x`=f71&r z2bKrRfMvl8>EI=4B=o_^g@q`!D^;kg3g*|mt(SBS`&3HzUh?gA-{jdsL(g4zI*DDC zuTQIeOGmySF{nVw$fV?-pW5obuAKDEt&&H7K1}$BJm8MbbFQEBLJMTCF7lq6c{WtJ zuj9ynZDdH`kYh(iJ26a<pSz(_`rW3T!JY*BWYT?_-;jrMEc=|3`{Yu{z!3K9Fn;D; z5B(TFai{c@@E3g3y)3FSI3R<W?+EJdIq{Xy?~mZFHr~{iQU539A0q!xg6ha{I@a5O zc~()r)DJe)>5&r`s$<96JVDM~I{RFi{w}VgZ+QF;I$e!?cjW)5#ygfSo9fYaUF)?3 zc!Zx5h{Fc0(D)&obGASwWZZ@PO6!)n&sP(Cx$n@W8=8NMZYHxYLDxC^tF7aY;RoEs z7Q9u;jM2@pi_*&_<#}=FI~Vfx>wW5pOkOQOtjazu(^$dMyn_91fxUXk*&|!`r1ZES zUG&m!>E+|gW{=If6GfbZPVdObJuP*sqPT}}{AgbEvJz`AfDf*W&fGul>#HL9C&2;w zE1~tn)$R)IQ;uEnwp|~{`)&5{0BIt3cON<O`5ygQcqy}a9*k{EgHQPj`3YpNjyd#G znX`qrJ$v;H>-`qo5B*o9=kQftXhf`+ntghi{kX^2m!SI&JOCeDcri2ga1KugVQYFJ z+X5HSX&3hS8As~N__0s6U3QQCze^m~uORo7poR8o7i~TeeRQEuev{h_U;V)l^?6bk z>g-i#Wb_5C>&w2U(&v<#eut0jr!meJbnz|bF?*mHyZwpebJz{<1WuvnRhauWc)QeD zLsBI_Z!4Y6ZzpE6@DqC8l{uX&YD@TcgO2>iBMY(Es3jTrzx41eJ=gi@?9)Phht(Ln zlNDNlJ(0+f6RVk0-)~%$?^&M0)$hvl7-E?e+K=R2Scl$yPMjd{Gjb#lrM}JNu))s$ zzTw!vP$z~M%=q&?@7`>CNl##VUr;{OW{<aPd|+vM-!XHDQ#(49`5(iU_0sZV>_av7 zcX_;_lXl&yn*v?$dz@L3?@(RiyDHPEkwby!Ri-*=Us85b<+-Dlb#UsWJ{NtB#s{|5 z@@_Fw`ftdOZncEw7j*6;KmMgDvecaVXx6eFTi`;B`hrO8!Z6m?!MUTgbb0V^8J{q= z&~(NI2;{nekB0wOu#L6h#d3|Wj&Z(O7nekm^z$?_Wg)*G8y<}>9j^3w9Xa@&`L#r5 z1ztuk1Xk$1rOENFMyP#4hGKl<NNEuI7z_#ol9uIskmzZ@(v#nYzSeYNm_G2a5IV3% z>1GpypK`{$rt?Y~#QDjgb4hUe58~V*(3iRN1ABwpoW4vg>$t(+UqJq=!P6Ir<Nd*= zP;50iZ($evy2}&u**Zx_hMC;kN>j6#$=_7IA5i-?A)bG)hi#ciDo|GG3^jM&?70`- zS36sReSAh^vlz9l9}p8YMji!bG2h=j>v>vb#!w{xEqI*o)ripqMzUUkG3ZEXCyr?B zoQaYM_z9++3mG{xHuA{bMkju)QOc$E|2zkt4A;1%i=Q#Qt$HFyPlA2xh}XbL=;i}m z%eU~Q$$;eZw(Zw=biB7?4=s(PmF{v5$1XjluV`%dv)EY+w~&1c-#9WGsn501VS$^> zYaO<sZ@8iE&$GZTN1tDG+Dly-55J`>C*P%P@z6>6f58Nu?+>hDyT(Wv+3(M9^X;J8 z@m3zb?o>M4?@PotjcLC_%g<tS|K^*ZZJN&>X(&5*=9W66k5?_ZKU}lI_J|J9z7FH2 z_rwW*s1Nf|`kp>qW1hp2J%JtQbH06MjL4MefpZoqq~(Uv_gkO%tba6l$CumM@3egp z_H91=zf8VWwCVqYt=xrZo12v1SKoBh;|rv(dGKepN4})I66bk=Dw<|tA2#Y*k}CA) z8uH?WlMdZjbmjdMrY|pD9eAEm?aNR<b|s22%Q-w>g009;-yi9EY=2WZdlbmVw^hpX zkUPo8o2#-Pf?Nokfj3_|JY5&coulyC0~0*w5UI|?obr0?MFeHJ!B6QvhE!mSho@DM zl|PvKHrCURJGR>Rf=c8MMDaH>iRtI7Z}@|?jZpqQOWMlOThp`oJ*V^k!o!Qgy7sfw zUjQek;$4~2ewo*_-K9473jBCq`JTAJ*ZcCd=J{9VX5r>W^YkXZd;t34g`4;vFMNd! z5@<o)W7X}qJbZbIesARXciU)U+P>)WAZ=&+&W>FXn4R_CZDt{7eN*#Ifv(TCku*W| zzb<JVeg6I&dZRvcqV9DJF_VQq(EFO1nFD<e)3qE^yHP`J-XKr>nT2@^Ji{Dz!>c3g zd#Fe6>~(#d%8DKDviiE>PWc!54%*U`Vb4-<7k)>5sx6mv4f^yae(qqrZw+q!%h;Kr ztGQ2b>W7dQsD%!7=bObSo}VS{3N~O3&yzj}_5e51?I}O<n97;&FzrwJ%n>HP+`~~n z7n!=M@$W-oTnpKqwo6s+q;5$eOJUMG%Gczj|D8+Fd#P3#{PW`xvX#wK_i?!YK92}v z9C#nP%0)~;Aa?h2;+;dDIfr1A1a4tlitDp!VSdM|47p|A=lsZJjZ?n)|D?7-=w><R zE!*xOGH{!H^TP8n$xE86Jnum^!|3xId-4^!XyGa69g{6{)92J~Ogdrac0HE&yy%la z50NGCsPae3j^OhI!ulGT`C+~_N%;%Nbm7~k?0e5SP3m*r;kzxJvpoWyUm-OHp2E)v z{E9z{P&q5YeNCv2Cv_i&$ghFc$lY5dO`Gu#Ogf;CNrhrH`#Fp3bmrM1##f$Q@4X7B zU)rShV5#c(ZDhWb6PN37$&!y98x!HVqew>R$$aMF*~_fYLOpEquZ(?Zt8cDFH}HJ~ z>k!z;I3@L-xj8niD0V_1KQ=+&Ib>{)+U8y8cy;X7lVIO^Q&UrUyH@4xQs}?il)~55 zS01_jT~uGa7`YKB&v;)bFFw4^w~5M6Q%gLnawhqAJU+zINScMa;|kd1w$7fp^}nfX z<zxRxdG3)1!<U!z9CQU)+x;KoWYhWEzJI}XUwXormgaZmLoH%53)z*2Q}A^bYGg3a zKX`oK-|T-jrLXMRnh9cG{OG*x&rQ#2ymr-@>oEM3g{}CyIm8JqbT78B7e7FI+S!jN z^y^dhD@^TAF7#@9Y2K5NHu2mSRfse_XGMQwk-5W;?62g#zzD~G&SmVTYC{S;bb*eq zD+X__F`s6Rj*au|g^W1uPcv>om9H4&rwFq6ts0Lle&Ri8QJ(oc<2i@bm%Pqlo^u}F zr0ZXf{g|vaCznT`uVv(0H*DcH=KUdj-huq>;<>J83^Us&|89Uc0<~$^U-iB+aoqxq z8(-%Rt7RnrCPU+x;c9R9shyU#)9K?by4%|Ev#C9PX%jNvEwxV`q+K`KbXLCYan>(& zBiL7g{ho3ud(YuTe#g&Coxm_ZWm3NHxaqSnXD)$4?3;yqVZ0w_jxS-`1b*S)Jv<3w zoV7Jf<)f;`o_HZ2wE5A&tegb|${;V_ZRFln`9A7r)24vVDWasIv%d}0&Px8bK=xc? zkL>ijLfaNc|KEd8O=z1-<$kxrw;F!Fv3r;LpH+qn)iHBeM$$GQ`5Hb~UT0FCjzAt? z#g=`<IxGy!Y@UwdyT&?q#Zuan`9z?<0`0l8DI8>;pL1-3l#GUtyOk$~f>@WiJk6e5 zb@p58im+ZUROd`P7Fk+NANSOU3QZeb&rZhck1gHr8CPg>IXsqpALvf%`ug%LuvX_S z&%;@I>qO4&jt+Fc?c;~gyooJ&5t*{^QB(WmKW(n#NbRra*f8RxBJisk`4?5^jyiL& zy?pP)78CE7Ijl#9*WTkE7kT*_`#A|4lRntgweY+%{ge1?i-+&hcbLY-P1(;5YJ=Lt z%e%<TCP%h1!Oy4Aqf_k3BE~&~{d`u>g?5geJ^6}GeA!LEDYLX)c%RV;`qr#Jnz-UT z_Vgrc{1aY(;n?QR<WK9o?rt=#|9otFF=<)V;bpoHJ8~zludOz%p2L%mB9rf9@)o|_ zVvjAeH9tFhE@fNsXRklOmYl-2T8JRNnCj?hdHC66t*uR-eqV@tcw(aU>wV>OSDEM6 zNM%`tADDH_Cg0PsSH2eJX%_X<k(2qzTDiQuk7N&vqYt55`FCm9t;;H3hma==O&DKb zvCgj(^7XPKzor%)C_>Dh&a_L^xvo%I7Mh%_cc`|z^c(LlS@TNdRUnqSO;JgY0ozxb zRDOpjea=&cE*CPgj5!ZnX=qY0=Q0mXov#(&F|r<koUGG@eZ(OG{n)3k{p@`re7v=W zdl>j|9i2|Yyfz~LH+c33$B^B7RCJ8;)z2f|%0vGa7Q(*{QRpc1c41IvL$d)tb(ZlS zsjdG?_u#O`Fm4-pKI<uX4ju@sJIlYRP#yV3`zR9bA^sm(w(uW#5cJPu(nB%si=W|X zE557i<K%S#S+EOw2Cy}+z=OO_TsDPwMES{|cVtUw53+uN1orv^cqdSq7_U5XxlHBg zJ?G5Q?uMZm&HH5+254;2*s)g|wY^Ix&%w-B;D<o=t}b$^=hQTme~^mzb1-6#W48j8 zUfR5#ns)~(J7LjM!rYy4CR1-AHS+Y58Oj#@XPV{Wzlq<Vzga3fA33%)0sRrE63HDM z>$r#<3?N2y;SKa_9&H=wJl#6)^WbRWOOL*|G~v$sf=Mc8ZvCn#H^*6#aeJx0HNx(E zjePopQ0;dr@>B9|a+<5`=>pdFzaUX{$4eK?c~+oE0RL8p`_|8qqk+UT0=1D(fo<$v z6Xy3M$Vp7%g#o&*o*vs%-H~^<O+(_TFtyRPd?GRU{}syV`YO}^q;PCgQ1X_0JTY)Q z`EAHbxstvyhR{x6imu=7p&&ZBRC%>b)4fi-EVSukOp95Le7k-4drokCTub$#Z5&++ zbmHF=YO~{+bJ|E^4DzY<-(mafdm(x{#F6)RPV?>(To%u_50n=rmf1^QAP(8eg6}v$ zK0EQ{x7eA(JRbp95huJ)`T_VM*dAFZkAIFP=KGZVG4M0+bMOmrk=~_lRGF!TtrFPm z$WRk}q`)M6Y*URbH&I_vZTgGYx|f;bK+-Vwqr0BR$1!(-?#RkMVlROlPP}4Duv^&o z#h!gA?(DUt^Or79`|r~79-ADQ(eN!3JQLWVa(!N9Xd3$TC<vd=8p`O|F@^5s*P5@6 z%=UhQK1iP%(7S2y<jecq14OgmQQY5={z&}v8*M)zRz2>C;iTPlcvjH4SFBlBN|Qq^ z<~f$WUj+qrt8d8Q_=ZoNzDLmCdit%g($LHAM(!%gQWndco&@zge6w@~4BKorDLqCE zE3lt+zxj~w9KdCuzy!5{@;p`dHE$8#tFgAF&@2HLgHNFkOR$Gw^f8P4Yv3o?;yvs` zI^C<n$VPSD1L<!jG&8_g!Rg>surIuxOgaf1r?Mxs)5!l(NS=H!k+KQkc%cPD*_Ywy z-X3_{kG#OAoW}%e>wfPiyGwcB7n(lcJDPu<=cTN%2We;cE6|(gUSLl!FY>-2rz!79 zeK*QlvYxJ_H{fABdo-WtdEgtMg%;SnR=VzLj*XiO%^Ywx__{-H+r6eSYA5BNEthmR zd(aF1z5#xS9DIyk455#~;2`iNa5&hEK3*mr3VPv1%3c7!&0%;{R&8}-=X~RBlXWd| zrOJ!c?Zk#OKX2Mgz8!tEr0nM?$r-5V>8~zx7kEZ_{Ds=mG0bH&m<pL2Nh;8m{Seqg z`iY($FX6uhMktNRCI791P2a3-|3Z(w(203|dK}-Y`!N=~_6+@X1UoqWcHy}**h$OQ z;$PeIyck<sLH%z9jlr8z-UMt6HUcfQWq+O`-+;aPRBiMTmE~U8{QQxIvJN!0!CGKV z@D6u1^-1f2b-_2atx%^4!X{Am9JaL^I1(Q3CI2oMLA$!FZ*d$tO+G*QeWZo)9eYT3 zgS)^1w0jDgyx7eCJa4CL8yKf|MDOst4jwjV+#Nhy*iLLQt_b%5*uo9$T_L4^8k!o6 z+k&(Qds~I)s$gsKl}YCk7Y@=rw|&*2T%fm>-`<D~(ET+vd@tmjPo-=gbLs$nul$Ch zCVdPbe~57of-|u}-I(7dc(eqYJ&17+Q!cQGbmJ}7N*^wqK!yjwgTdg7;7edn_GXaS zpa}E~+ct}S7Ly7r#V*ffp36vwK<mOO#<dVg+gsS{H=<3+P-H;h3+54`dMEjG*r`us zZs=<UY*i1=p`Vlg3_J#Y3VsaEXD>b^{Q&&G!qP}H=3@HZLc7i2Ti}T-+@UG2v#Nbe zse8EtyS)jTi_CiiY3~gD{T|XaU?R90w6LD%rH*VqN1NsFWh*j13BMMM&MYDSBzRl* zw~7;!3GK~-oWt2mftQGR{J}SooTb%1J|{8(y3m}lN3j+!Y|%SQTb{$Qv3qonY+Y_* zvge(CujJ(Z6q(z{9z6+C5!26O?knNVQO;`#q?xnvw|p}3etQ*h5^|n9#DD8FI{tl) z-|{=YJQhB#&^=4^#7nOrXD8U}tngi64deb?*gTg&PsfqptLLcs;imkDK;If_t}|u+ ze*2!nJ|aIZ{EW?ch)vGN7^~4Y3%il4^u)CSzaIDXUkU%18$S1D9{!*r^%iC!Pw6=~ zE~hUS8X|`l<|8+=q1&zTs4WlCZzxu(@9&}ZfAAX47|J_KyV^NJrT566(8OXFO7Q)P zg|TX{BwyjKnakm<zBySsH%)~Ov~l>5iTsi~rcD~<+bW&M0`@$M+J!Z7zFyYBhiuG6 zU>ov0L}kNAfo?nJ*yoTp3*n_ry9n%cF61vZzpe45ogQO%>liw5?+aA#gyI_hygKWS zLzns@!xpA6=aY`i)OB>k(n$Io`Xg|R`A4$%x1zYu<2_n9wx*)z9c2<BKN)>2PbwP9 z{4DIIy+8u<sq2xYuFA(|_<tAr>)NC&6d4+#I`wvPvZN-bk?WiAY6k0`l$rP4dS;T! zDdb(~nF+t6XQv&iQ}>8-TWU=3;cY(y(7`=)=_BmO$DqJx8UwwJ?guiq3%QhkiO5AW zbbE@kH$vCkk;ykz_uclDsL#92%%dUSxp-l$^NsW%;=And=U41gC7qj>Uh)s=bCzcw zQXYj(+s^s^0lGX0`#8?gFR4H7*a^wMMIX~V_YHx{iyZjQ+r%0fky(E*Fw&GRS3S>+ ze|BNMW3O7WuI6g{rsDqt^)5l^uMnG$aT_|%uOSOwC<Jc=ifby*HHe`;@q9PeO!p-_ zw$nm3-P@h2zk%q0g{PE$iNp8I$a-OwC86tr4J)p;qpi{xAg=3<9D3mxyxo9)ydPz1 zdTT%JxPNfrS7#1V9)=9&Q5$6GCV2MfIy3?a;1HF2$u~XYTkB-C-I?IM3&r4DZ}ksS zUeMuVdDfI0-H-p%ZK2OjSt2wW_3Zo${zo7Wv05YSNmH;1SRbs!JR6cW0BeIEU_0xQ z)&VW_gyyb(w3Zs5x*PtqWFBpyX#=(g(@_32X-lv**a~b0_DA3HAoKU(?ON=>O?<G0 zv>v}?%Nt?0hCp{sc^HC>-$e$m7BLiIPAp>E*z|R^eUk5^V=bqB3&tvkyhl9@2#5p| z(Y-j*STF{R21_{lVEaq0zESd})c=NJZ?0pXKMXc&iS&H)AhhFEhVtniq+-tH;Df+e z$0oN`+Zc3_xCdTY_?|w~c-FZHJ5-o?S}4JDad0?$QIxbN_P7vfL9hUL9DTp%=;uX0 zeogwi4$pqowMafaZPS5A*wa#~LyvKKogCf@U0P_S;onk|hJ&GCUDlYAGz4@ZjC>_< zR04JeyCv`mab8u*s(=&O+lr(ksIQH@M|*Ta=;Ns`2@2d{UoNn|&r5KpPub8!d=mT8 z#?h5y^dIiwVM*2@kPiD2LA%^wF6}crX*Tc%`kF<{enkdz@>~h|5%^hs&3NP|Gv%4U zd+cWh(i}mC#{R~6`3;SQU)c9x@<CuAm;yZD_|96&_f|LfKAU(*;B%Fm%(;9zB;^lP z*3#lv^3hLTFb^m&9scx<HqY`q3|r9m56*4yX$Ux2`L#^bYmU78T5+#h#N=L3I?25N zZ(h`VGvewR$oiK~jI+Swm!gP`j;T(&edo@|`5`suAoeQD-=<~|@yA(WnyYF%PhgH( ztmdq&af#dBeJ)6BAutkOGhh9rt<Rdm)ZNoL1jm~ERJD)Ac&9B8h}=)ZX841M$bXl1 z^w^C@jJsIl+5D-HL4B5%Q&_7DN3$l+OI-<MEKfLp|499jrGFRNncBV|dM7Y}d<Q4~ z3RHQYrF0|Wxtlr5_q$+cunpJ`6d0)K56bhL+z+~t&dGO1hCcPk_eN~X-%i}=w)H-j z&^i9?@ufmnNcW|uBRjVJ`^c|_x%lhs$eBPf$JgB|Xeqce!|&~P>Owp=YoX&;eXY#X z5BQ72@M0gaLO=GbDKhY(@@AIWqpvl;F^;<w^)GKQrDK#=S6jZ6JC%Mar>7_{fDByG zHSXaaVUxD2j;%bdZDa;_i+g8e^7YXB9?a<+I#BH-e`^2~*suFnlY9-Zy!x6}^egau zK9kCC9rQsUXJ+2DoHNhM*^_6tn!Zd)^50A<w>?>V1D;<}9=KGKHGW;sx~edT%3vi> zAj0vB&xP{u*|9C<v@QU-S<Sxn04q?I1sz)K=xbB~d<Z;tVc7~d=X>tNaDT&}C4TCA zVk?Wozb;Y4ECKv|Qa|=>QAyKR8Rk(M{FYebw8~Uh<zZRMOM(JD*xNelN2bBQc*^I| zzrYmoQ$6!GHNM}%d413BQ(nghyXEryoce}HVk&=dl=&8C9<Qz=79br=ekXVqojs~H zbc5buN&Cgv^TN8GyJ|DrII+SH?A;4`1_)C*cmdwMdV=pSkelV~SB^;EOg=4Tc+(0V z3w*43dEP8`oATP&q+nz=6_^rCA@U0bfq`Hy_Mtg+ZzG@a_>~mQp%8QYI*fncqjNn> z+@0q-KKVEPeg|da^c~xT6*7{6>5kvc&EBuL!~G(5&_X;id&G&~f7JC${ri;va)$5O zn8)kRK9)m=f2I6Bcpe_)$i~0H;Q2Oq4=kLMzvWN*7!2YL>MzpK$if5CN8nK%?=|ee zA<vo5&g;L@RQUF%99#G#+F$S+PlAVxeT+EfOLWVH>geKI-1ohw_9qnn`h!cf{Z;S7 zx}WmV99or}`b+rZ51OD$wb|pEs&7Iw(y`C)Yd;4`S7SFV93ekn_wN<vo=)vsZulw? zp{YE7`77UltK3RnAf3uXQS>1KoB=igx2YZ8;K;%SM;1(L&b~3kQ))kL*-f?Yk}s3q z%%eag_qf;_fh?@GO<>Yvz%<HcI_JY@em68XPMg$F`F@)Pndge|+Y6UHZJzerS6tWn zI_QVMLQfyN;A<vy*9#vyJdnDE*tbVbeN>ZKLkQ=`FQ97$@5+GT=!ifuWNv3<(qqz3 zqdLTH%;Nxi^#*h$)|$E*_@@SX##x6>x^O^!MLP6V;HKj{URYzwmOA=qO1M{lkh~u$ zZ>Z~gj=j9D=hm4TL%)k}cA<{)=Z`S%@6`V!hWaSp#g5fq=gT*U<a;n|XCZVZ-+8_< z!?ryMu0$oTIr8tRCL?IS!Iw=?8Mh^^Z}V-X#;INL6K%=6(4PD_;v<3DPE27+c!%ky z%+^H{6ZCLmNGTsn_jhyiehoRlM!$uS*<K#K%I3KzvHjWf4c#}J?-6O92II@B5r+k` zKX)@GUx!d6Xxuxc5a;N+_|vJ}9pM8keC_zpy`?!j;IE6QyjvPKo#4^kg3kU1J8^z? zkKL=5!8hjYD7VMt&)L*&PGFucoce?K3chVVo4kAmx)sYEd=}~~Om}>*Et7QoeM8f$ z7vFe!_FU?#%8x=eXaZ09`mCt_qA+&91$=y&y7wGD)nk8t*F8F@YyC-WqI5ahvwwD+ zK$SC_@2LAF`RdsI6^<-@kDge#<oM-QoKqTLA3{^vT3^~0{#1AN_&R?6BJ+v`8%1;X z&O41k=zT}pyYLu!@dp*;9i_r9_&HPeyaIY%@2;sE<eYUZt(#s#R_i<bSdOi?5a;+a zTh`H!Zd6r2VQKELt|{2nKe3P1u**Y_`}#Z@WvRF?#@<xmUF+NUL4ghI;Wdrvx;y;a zL48|ngN5x%FZrz4j%t~FbyAjwm?bT`(15Wz=)J3yH%3+lATza6OU^(Q@&e(`yB<@M z{I{FRt1Ug3CHa`y9bYXpnf1&a%(?Ad=brsEbMpu3gOZo#z^5Dx<GsBTbL8UP#xeZJ z-=Qf2Ug5buHX?*^!@-7>r9)2gQh$@!<D_H1FGTa+7#U5;oCe03aYi|I^Y4eevxTSc zfmNuViTxL-=j?&x_fju#fb<XAyh~b)c;LSvQ2VkpufU6=%-ajak=Mug&ikN+NyPP0 z=v){w<iekh9u^|LD}o#eG)6|gBF65dds>c|$qP-;hsElPy>+wc>m&AS9dekRxb#Ud zA03WxeCKcQ;zweN`=s|kfrq3Y733Qy^~0a$Fmt(uJ-kcZJLu7E((lpzzTC_7Q2SO# z_j{OQ&yK~LKIJzGeHHk?;o)ie`7)7zr$BlFJP)1&&w@=fKKP9Bre#F-p<AUoCjGoh znG2ne^BRtR*t$R9<p$=N%fq|$a-LBA9;x>8P4;KJ;{$9T-y<v2815(aD;2Qo>EZb| z%=2sTE3h~7v+y1HK($Q+bxs#3v+%N>`)aF=@8Pr+nwx4jD`@>*{Fa4z*tXWH3ukCo zCna(dYijF4KPVmkjq-_G`5pqBEKrqvKec~nod1vI7IXR$ys2~h0v_IBjX#tB39O*D z;0Djv!47&)Y(@(RxJ=n2e0>dgdy(f9$n#awAHX>boeulj(XnHb@jaWI{9g7Y4R-V= z$JY+}5BaT%U)uw{K(^cbzXrS)^THe_POYl6E=?0`jD@{{oLikcj_Im*33`UT8DS|+ zngKajhz<=!UMi?vAIV;3QCl(L9^W=OcU{uzAo3pS%wwtE3E7@&P(PpjvGAgECt%BB zbblL2s(K-H@$m1z;5zFQ_!eHdunPN__LQ$IIE|^@jqPnOYj@7WXRyDkm|rm;x!YB; z=O3}<l^x$Mm8*5VxsindI!>}iWcH}d4^}?4SAJw;9(&XW%~riU63q8)*t&k%u$jno zx@h0TKB3)y$L0<|-kPyrcPanDM;1^@`<HnXbe^Zc+mYCS_3YyT%3mwM8DHz0!LMb^ z@2cj%3O618gq~G&WJ>ys_Ix|^nd<N7q>E_(Eo0;jVQ$w=A6bYC=c4o1@B!IX$IdwZ zr_OO_@-hIh(z!Ps=lB&<>-$|e06T}RUZl2jd#tZ67rt~1^APA9&%FtB0%LV;Ng4e) zr8Y7Z{Jlb(!|<pvveA%v=ZgLJ{M@$VotUE?I`)0Esol92JFfk@^xo$sdR}PY$G*F? z)&8SC7+W}3ZO?o7x6z=5_t1}K8gHh7uX%`3`lx>7(z#A$oy)O}`;fUZ$}`(u(zL{% ze`Aa1z>@|srlyI`XFO{x66jK!=S|4NAU}IMpFRXGaW<ZbKDJ?O3oV?nzelzOuB-k0 zBOxi9^m8mn@;%w4dh{B;OQ0J4v}2tDE11Uu;?e&f810d{kVMP|KJh-Wl?!W?f0eP9 zIjR4@Ko7NXqtW%R{m7#9(L`l6z{9^dm6d2uxwILZAiv2W7~S&+n^@lwKXo;3@b}vt z-SpSiTlNKV;lfJYFSksdcPUT54KsXNvYmgM0Cw1DDBt9{Ha33_^0ky_fkmVX!3CO^ zvIz-%PYPWP_INhsuWQ}dOuUmWf}P>KHkYzb*9f(NTKLvkj%?ZTRPdm>BY#QdvE2V* z>lbM}WN9U>q;|Tp?xB?RQ@@&1Wlzd(1re{>J(L0m9*6ldZJe0nEaSTH4Kd(f+YBGR zWscp@@5khKsLZ*vPkO$!lCuLcbB$D>&uZR5W4~X(KD>uc55sOe&@r-TtdIiPx~}x~ z*5Mnmh4-OpuIJc9eBLL{TKlk`{!dt|8P)urIbqf^P4y&GDDklRmJiqChgoBN?9$)* z-CqS~zuMwo|9>EZAM)wM9+QXxEu^__p4Xs<E8$Cd#ydpXQRPwSj;kGgQE8>DH1iIC zSG`&H%W9)`t8X8|+D0OW0$q^7&R{3-8F0PI%=Z%K#UW$LPeaYP&~yMdE8Pat*5q4( zPlIofZ%^6|Y|p-|Q@YPe%ilWZeG}y^z~-O}U!oIhiD3_A;vFw`um)|b^6bK7?C^*1 zUtqBMimB}R1nk`o^vQ)ul>e>1W*qebYa{vhBHW|QcFsgKiBEbkm+oL&>|AfsUf@>x zn?WA}6G)e<3_MF+S8$bQyoOJ>1IR$zLd-cG>0|a#U|vpQGEaL`^Y7nvdXBC^to2Z1 z$tY(}Y9bH)nNL5kFZeh=XIXeBFp&HP)+dmcF$MZimhyCRzJ_UDLiuLe)=>L?vpMI! zEb#tKwFwVHi67{*zjOD~0NeULO+QqgoynRaU>Y=2L4i}mlzBIB|H8PVDH{dW8NlB? z(R!g7%kvm8B|bEj@?bS`-&JK;XsQqg4Hi0hdzN{;$n!982eLbq^mRY}^e|_eCD6|U z=YY$>#o#hfU<>UwgKvSGK!Nq7>%bSG=}!Fo9lU%tb5d2nP;BVdb9{#qW%6sFo6j6O z!uM4?2eDVV)PFYd!`rGDf&AFYgUoeK3husWGZ~x&P6V&9=U?{We#Y?=Z)hB`MEPPy z=HI{&%L%Mc$+^UjJZ56g%IKa5T>|mIHpbWr3KU~aZ}Yqp+yNHUHU6?59Y@Y$V|f3p zW5lWcB{kHaXpPqz^FDTf+S<NqlfIz8&p|Kb9Qg0DV(ARkXBtNo)%*cJ?cb%W(4Y8< z)ZE82-yhkdr`eN3?8#p0PLY2KzAuKyow1p1;bV8!aTfbm82T{mK|b2<gswwDGwx;d z^jU1?s8#4b^Z$;1c2oZi>GNtkGAnH!_AHLrd%WuN*U)?gehFqFwmV097CeI-|Aj3U zXn<^7pzJ*8h0iEE27U^D0tT^PJvm>UqkStq*L|w@JGJ4@L1-+*U_+0RKLUP)9Vkg` zP?PxytfWm4el!{z`(IGY6HjEohipa8xNQkoh2N-%9C+aq^w|rI5;@m7??$dGe<ssY zr0PQ>_T?2VFADux*0__qjFZeinmu2Gf3K`gvL*HNSkn>qLExqixutYKKqPz~%AIjN z=iDhY^BCs{?ZWjwqmfg;jPj@GBLbb+%5yX79%8qq!|TiV-wyC;l<sjj^0b(_oP(}x zKIs`7f*r`5k$+38^XZNZ{mi*!6MVV~ZC!0^sQ>*Na|gQsMuP_!cQJ8i1kb6k^G|{+ z!jG+{J_mbY;cw>U!q<%51DzFU62iaXAbz~y*pKI-U#Yh7A<yL)yLkvU2YIjP^fi%u zXLQTLdSsz1^>bAIUPQ+?D1AxJu>$SGdFQV-dZW&<Tw3lHp&K5}w~W}P1Z1ouvOIqu zchK<6!ZXN2Kt}#Aac7_UIx=MGBprqR=GK_jmghv5_l2V4I&Ol>mel{`_$N!hwgB^r z<-S36;yd)R4DBt<b=p^er~d`1vA0u^!-debQ`!%74{W>4tlvVY$3B0r`_W6=W`+mr zoH4tzwvYYjneDIEI^t44Ya9yiE$q~NlYCxm^$1;eYuZkC?)+vThyM#YBQKXj`6juS zq1~x+(%13N(#K-r*}zECTT|8$h>a3>4_y{m;kj$e3SWN3_F7nhj0iLcAs(b{ZmrAa z$iJnni)~q`d)Ah{6<CTcU)^Ayk1*yPC+JSkSjVZK;fyDgwaA}lJQqr_UV${o?r^oK zl5Y#|EcAvKyRZWSud6-`QdUlJWNDwq#6q{j;k)E-GRGy*Hgd+0^2^va3whA7XW;W9 zbZLZV?n3iAe%%XWS?3C!!`}41+N;>wAHeTe?`2Yf8>CxU=QYx&)n`fhvyt3~P_{e* z8;va9R6TuG_x>ol<b{do`5TPel^Et-#_b)&{rGL){9^E(Kd4Q+tf||_B%O1l>iS&e z_f@6+h4~!8w*5qU3lwlnT~dB*A?}QI$RDA(i_Z`U%)@tBDjSmTt1>CiF3e}n>9Fep zweR`nF8N=H1t$j*JL#EwHZiI|$@7NpVU)@D(!9x;-)-D2EyuSCWWbi*Q@^-S`!F@h zfB#_q%N(8gmHd6M7PjUt=|k`V*kvVucYxFjcPP6Jc8WAL%hU$+_SjO}?r-|}FUWwu z9F&{y>{O--z^n7@wS^fRD*6!Pl{jt624c_mBL77-AA~=RW9>!3BKYDO)YsJS`SRim zN7J@|(n_CE$exA#@H7El1fvK3;5X(T=J?YT=)ga4!aUDKW<&k#&2_b#@2LDqyFTdl zVe&zlct?ZG&vEwQpMLcrJMl|>)#3WAZ9RK>Qpbs=-EG}>Z#&61MaI`V<NBkKvN6cr z5utPRDTSl2LbHzgG3r|+|Gv|2W5*6ioeTS@d!&4A=h(RG9$t@jcv_$Ny!gP!<I}o+ zw_ka_d=5LO_OUj7=lsi1L?cTAEwCAJS$zF;dC2z(aeOm{j{WEv-?TKpjoH(p>Mx{Z z2(tLU;E|v26ei<GPiA1x7*pWHRR8^4&Ts0cU^`dxTtVkwL3Jqy@4>n$@3v)SZp?is zKB56}f`yydpcjy}De=UE&e~Ere6+MSoxvW)@U6^@wWeg<HeY|1M$)u8kMsD0j@YlF zclf5s({D5NMJ-9|gXO@gU{mlZus{B(G-(ZR9C9B|D)5P}eIz!l3I0f+I&#*X`g%IX z6ns-x^3Q@>GxA=Jv=#Us<<F1`tn=8q4d{x6v>IDT{=D8_$a9hNoRfWIQWQ`jk@v9L zXHo$_#T-6&q5ciE;Zpw+d~c^`&qvf*XooysRGTPeQ5!iEb0!h^F|A3vLH~j?{w8fd zjy<#xN4pyAe?`^vL&(x8=$2_;mTom=vxz$oAanV#8G)sIeOMYvR|N5I*Esi=_V6oJ zn16b=?IqTef-zi}hCKeEZ42Q$yikL2-YH;8U&g-7L9f~>|5iJ8@1CyRwlA&uDfBOJ zhkZ+nUFbo)AW#{(S#{n2oI}@e&j1!Awh6+g)YHBOMkO`n?^yEh1e~^W*zapvR}kIV z<;>*;_*sVe4$$+(G-R`k%H_98x4fj8$8zL%x6^h%>lIiMY{s>}n5BSJMYspiSgZwm zEHKd%Z$&}l7jBq-d#Q|PiRFw++sB*>qV%pq+GPy!+d8Rmltb5t{i&&ahQT+1)SA|3 zJ!zP5TXZEJJxIm+Ej&ZnK<d|GKi-Mq+mk>uug`h*2MO5UH<@#7c<c}AXCS6>)?A8s z%R+P2$)DhHC-!77<BEuXf=t{^&G!sv%-EKG3H1VPwcURD&2iVz6ol_ZbPo?H-467) zncDef$gB%hp)C`M-=_IYm7C{?H@q-;CHKPYLpzm+Vxh??CQ|Q(+^lg;2<K*<ht!7< z6I^%l@4~Oo^gZ-#&e#^_KqoMYz3RxBtcoMkWtDf?oVdkMo8QPB$@%5h$#XEaHNWcG zd`EukI^SdnU98UYJn4jhfA_h~S;sAWbqyyk?LS3F=W8rHJW@&w#Dwtujz=GCoum<* zqh9ySWh?%_yxLZw*@CZdVJBnHKH)3tp!Vl?<k&(_Xv)CHlkoJM$SLXPtZRVA`j*b7 zd#PU(Z*wMnS@)rjv(~q;$rkQ0UQ>-}@}VmiWB5P1xCgTE740@5k9XJufq^QQL5x)o zc|NOcYis}8HX1tl{TusE==(4D-I<G2me>4vh>NKm>KkX8#p!<BE8**AZj|rYeVVMc zeIh#YB-o3N3Up-MEmR-ViV*~su}*=P)RvhX_M5eraO9~qerKopm)KsWZFY2F6!!f9 zvBT_Cre$ZoiJHQB@-h20P0y8wkP8c8j(r*9oB?e8CHOLxc7N!5xp&Z?N#ws_%>3LH ztQNZo%{(1X+HFf|TbpzizT#tOQW7^U@|?@>DBp!LHRH!?zCFD8n7wl$tEa8ht#sN; z{u(w_ps?<tJom#cd<8$3Ym8olex4`h%>!*#Y^Q~HoW7P2uauy!rB>%uA!-LrdbRmG z^4XTYG`(|1v!!+Qn=6}7m4kN?#11W;82>HDk6608jFqvV$wiUgM>cAbena_qbfiD& zEBP%oahTe;N31K3ItzF4BNpD%@+PF`oV~x|&<pJdl@)m|;_&jvRh+Ha8w;(`?X|>D z3us@4eIMqu6PlsqGkf+?%Jbq2Qr+P@aS#1)&G)<D8)KsC%UZSFjUC$|eU(PG|5SZR z2@ft{Lj}&TzLp*z)7r^bqyBBj{*7n9pQgTWY*O=pQ`p;a=vhAPyDR)pfM$aFGehP3 zO%JVw9clyDsovP~d!>2jz!~r+=~VjJr@A;CUgUGmOk0VuBJ%MqgYx5b(wywWWaa&A z^3#!lM~)217{jplja8PWW54q0*-7fQMX^uF!t3bnPbybZE-*{SF*)-a>gd}K&N;!Q z@%J1DUoUBVI0-pFt1+vW_9yI=K#Nmmzh1$11?%4CbmFm!`11b+hp;X8uz%mc&nfV7 zE<SoHX=~Oyi8L+tsZM^=%LMYDz?<(JJD5KVouWLuM}NDgGh-Ljc&Y$t9`>QI=JOus zoh$tgcFrF&ksE<})~7+cV67S3{w8vNvq6`YpZdy?re>+`Lj&|94*UL*#u^0!3~?3w z{1x=<UA1ME96r5C+nelJJ>B!`=&HabmH8I*DUcE$Yhe}ho)~R%H<Vs-Wr=k<qSI@! zofguDn5S0SPprlp^WmL99`>#-cJ;HYx-iP(;r}J%v7O4~CiGL_o7>o9#_geeG^PBF zGS)kVG51H=694HL#(BPgsT=0lvH9>I5AneP<xd*MU4#GLfozmUS1Rio-heKa=b<VS zc9gZu%Z2CHncTjDZYh7`4%w|kU8_vK^0nyojLe+Nn47>af!rgZH%C=>>T3Kbbu*N& zhp1bIJY6ZyUFr$mg){daI;POYo=g!CfxdpAeSD~CPvV7>&<eczCI4O;nR{RB4q>AN zZeWjYgeE=y^OJ6)c^t!@eXepLC1I48(L0_kj_n<%e*Iii?maW{O@PX0IQ08e<})$> zwB!pRi)mH1iXl5*ID~BysDKTd6q)oGFjD)grsJ4W|Gy7(yhXIxr~50EX|RKZo!HE_ zp3HoLuq_Lr@2`8Zi*}23%q65}*t3Ct?8^b<_8Rs;pfdcu!}AZ3TnTE~o(=HBR0k~3 z{*s9K$&OrAq3$U0j6gfxgRjrwvysE|==FE_l*cMNlaNmf17pq82G4i4wtgMu_jC@& z*^jm4=drdS5qx6<4>mdNva5bX-{s$8DZe)9T#F%BpBKTOsg26d9$F~C{4XI}<Dsq3 zzxmv+{!i*l&`w|}@>a1P{*pEHg%RV}_x{Mcg|LhGNgb;h_GmdW^$PioDw~0<^Km$L zVJG+=gYr+X9pgy%qmRYwqNnWJy}Z~a^#`_JNqgWY1a|$(H&)88i+bmDU-c@Ax%AY! zTJT}B`r{?^zgoZZ*vNTjHG5*=P3+NS<|ObIb(N#|MiaS=&u7Zq-$oD2Vi)_G2b`g= zDDAJ(S=InrD93XgdsKn6B3KG64VD4Rf?1Hm5~OL_hZ68U_jc|r!7H2(icucI9P*Mc z#{45l7qgz6q_Q<1Z{_?HWJfaTN&Id+eGN!$@)yVpd<N}z$e#-(h?hdxum20obz%ac zPl+G(LOAk#0NJmNe6+<b2oz_oHJN)+(js6X@DZ|8fHV&D!VF|NQp=anUo6j$v1cz~ z1M+KmjIOx`;|P3|$=A>Llzg|vzQ00x0U4W2ItiQzP5=kM8y60sLjtpr{qES?_h?fH z{Sc^-opZ|?#*H$0`CWqiPotmJ*zGB#3ynDZLr{Ua#NIW1mg0F5_PX?T-VJkS6i@m( z`Z$Mnv%!>k@F&Pq3F!R6#|fr17GB@MpM9eFV$jbH=1!UZ1YSf|=g{vl>aWAAE9yrg zS=)T)43fo>mFl$30gff6I1b&swMktCyvn?$gBE7-{2DkDoB>v#O?j{!SQd1lBKc>q zk1q6N-V12=Dt2NX>1JZDXyjVp8<&vhve=63$j_YPDFQOEPZ2kg_b=p2>0=347g=6J z>cTS3H>D4OMC3bvMs$k48ZoyhbZtu{aT3pU!8+hLoo_>)8-M~!b^lk<zBXmGz?xtn zc4;+b?;tCWkTHKyMAs&DE1?y56}hrdM}7Ae;=mu2wgA4tAGA5=YxgE=TMh=n&kN@` zA27!XzwzxP=Y_xEtw5Q(hQ1^|>=o^^3p8Gc!4{{9^p=`@4s=yuA>&---?d-F|1V<Q zUKsEA2B~Wwm7HR!6H7?VA<ub5%6>~NzyF4h68P2(`~VdASov@y0iVx4qz1!5f%}Y; zp67I6S}l|E+7FViyCr(DFpOA`IQqZfbM$IxxS>dk4~lmFZCQEU$3>yMCyh+rOA!6% z|I+l`i?LIN`Nk>b@M=RgQ+_%sd3&3ip!VA4532u`{7G~*8rc)5n920hiZgH;{H%pn zw0#)72vvT(s&hGy4WG@v22$P$yY+cEb_Bn04|$nI`Z_oq`}SWjn)a=Z6L+Y;^+(&@ z>7p}yc@O(#Ax3$4o3&hxBqrKuYfRdVyQLbApGvRm9isNhr4Gh!b;q9My206ub7u}c zdkW3?05gdbj5mY$!opIGC2jsNeCUdQcHvd%GwM7qM{?J#?O#*gjEQ%t>^jcn!K5 zb&~hxQij5Zc8ovWnNMl82QHoWIafZuYr!w}r+s`qU;l0O94+(__^o*Kx@IcV`a|XU zM7`TBtM+OFvT`?`zdr*`_oLT#?6UAx;8*B=1Mh*=*_SiAUok0s^C+Toio?eVbU}{f zr9==|KbE^#+CB#V1O>i!;@-A8zXs_|T}XD5CK2*89Y0%M>ulLKx;DvgIbrAv!5@Ec z+H($aY33@gY+3q@$;X!Rdz`JRI{NzuYj^}c03U(^Q=Iyw0{!{k6KhCu2s}v%zQ9>1 znDoX&;*Gn++Q{2S*qd~e38W!S3x<JJ;Cm|4P;i%LJ(m-c$di6vLq~E$^F1~p2Wd_) z3z!Ye2u@I)eJ{bZSuAk^HekQz8yDjJ5k96p*bZz9MiX-%r2b`Mhba6^qMkL!sBdcn zO>0n~8MdJ(&(DMFINwJjBUPDuAM(4Azg|iwv{$2vX^7(wBOhs3ONoD&0DlBFF@J&d zq#5*C@>9^e?Rp<E1KZ)kaK1+q_}0U-JlcK;^Lfdm`)+%A9;fwrX_L<x*U~LwT{p1N z_gK5Y^sMX=`YJGk=l_D2LVUFcv1I};FsFC$ivvjegM-0A;7j0(pcnd4mf7LoaPq^z zm%*XnXmAub5*z^v)M8Dg*_T&!eic)iUJqU;cE%p&*7NB`U3*8Jo1rqlW9e&*_7{iT zWpn0W=|bSi1Y{<=qwn_|dpD8iwaCC7bRhy1NbN_Lp2CL+WOjUGHHYpYcF#gj9V@T) z7f0KS)R)d|Xx`RxOP^BZ%jPBBh-?bvz2WOu^1&KYRr6#2OTjl676fr-yUTrK8n+Z# z4>tK9wXadg?k(i%K6sw>#d`X&t-BCE9m$e>KDN%L4dM4JWN$nE*@d>cf9bIc7TPD^ zi`ci$8?bNiU|bCMPxyv&w~68P--LBz4GT_~zA`&DSNeDxyWN&PCaUa6nZPPt-&VB` zrqukdgBK}@NB>m*+PV)IbAN{9bC$Zcp1v);q@n8T-(_!e;H!qD;%>;1!Q0rfDx9HX zu)zm7XIYqu|IMI&JUjO3URd&RSERL+|4uhB&(qlG*YzHucz|hp$C06<PJivOx1%o* zo2Xq1hMyKjAeRjty|Cq*RbGzbXD9fH-M5_c^<mqb$Br~+F9kMZryGTFkD>c!O3iN^ zw)Qyt^Qqb=TQ^&I`Lmw!(=*R`%-e-o%(Wi<3gnK$KcPoq&Uyy2*1(g#HfJ1JP4U2# z=Oo@(gFm<Mldjd~XLJ8kK;wa=GS<}w|I^FQ*}=B)m;Q}iiPCRtZ2f+0bhyUnN7U|~ zM5d2we7(*cmqxpFZtr{I)9m?ek0$+PE8l;DwUD=;NnP0LtgpNy^QDoY7OMY3--I!8 zN0^r9kmD^*o!g&%Zi?KsE}48RsoTz;mt=3}Blm~Vzg+BDbB%ZJ(r+!|s5wQr=Roc) zRO9hC>RhPF{5oMPR-jMCk*iYVEnLQ4yD%Nu8G$S`=N|5_|Hs;UKv!8bkN-&s5C|m+ zy(f^+OX$5<K}330dKKx43M#z{(xfO#LJ3WfUKCIi#QG9CQbd{p3WN?eexJ$CzIXF@ z@%#SI`Oi6Xx6QWMY5P3)Ch%RL>}nrHkjmP5)#aX#xhD}P?&M4-Ba4~!K4g2miEd_5 z8=bh+)|&Jh=QfYMl}E?AM{6DHiBX+9<j}{K!?uMZ2ijKHu}A$K`@M!Wtl^xZkcHOh z$NVTW?svz{UNW=pm8^M^qvLi}g>>wd*o+RWdjbAapbpPmb~*Al8`=0@U=(NL4|XST zp2UZHJ&kLrx9|b&FCH=Tw-UW!FD`6HzG`ACEi`p}sjV9b&1TNLm)d`+zY*f=W9iN) zpF2D8?E-js6h2wl&-jx)-%F{iF_NYElDU$ikW0==;73PadaKR{VJ8LZIx=Ny_`Rdr zxDTAR0cta^DsSFq%=ySu7~k)#;rY9!bJTvzcoS47{?s*}g@*z;5`FuhtUL{Zwmf@J z!x>-KJuPwMD+!xr;dkVwI{xQ9m5o*CLlSaXPJL1_hlkSVd)ftxIcIBXe4ov35hJ3P zPlD9SGie`|#z%D@T{$Z@SoxgQ+5aSb=tB5-kT^h~udc7M!&_9(FKk9`TzE?3jL~ZI zqC7V9A-b{>US44>HPV}&zoA23C>CSZ5)<leG3A2P&r^O$P4*nby6C|$xz~6gyYe}+ z?r#}uuB7(5Vx%E%2VZ`p|J&x;5bz$pR3IC6Q@aJUQD6QJv=<%T8cM#eqr51Bjr(0Y zRm6VoQyH(B#V1dT^&D(pHw{E)-&5HOgHK+lz`3+k+dfwL9HVjGUHnH3_c{x8u<vK4 znDVcl=lE0pWeu-+Y~C%8pE!Pk^Yg52zv^u?{y-pah;JP~U^jX>W8T-hq+RD!#|NMF zW1oaB>IF02kIZw@vG>yUTBLmb6XKCK3ty{mxuEN`^#fIAcL%|DXC2bM)8SD?4-ce0 zv+`Z?7S<xq@lmF9)v*V*y*aY6g?avP{DicvRK2rwM`*u`y;$j4ue6_4`)6tMIPtx$ z8_Rw!Ge$+{{a_PhV<PnyjyY?n3SBcjvz*wNP-J`zv>Eyv`m(eS&BC6GnBHY5$6{|1 zuK322mT4Lb*f~<M{(7A00-g7*ektkeP_D0IOek%7&BDj8qi(6LZ#sQr(4&W1?x+4T zp1zeFJ7wprgs$d2VdlB7eQs&`v)cKe3mfV!I=AgRHXYAG)R*M+W1B2pS%$A1#QV$; zGf!vE>J+wA;G9Q3-$z$o#Rt6t{(z5tne=_^MJ#I{PJR;K85&C32i~nFKZyK`;8}dk z3#47dCn0P7$oB<*CU)sf+6&B#zV#sej=4MTGHaR6nkG2*@okmsb;$EnY(zef{3I{h z`M9aP3e~v6Hm!G_vsClL_uK<`PstpEl_%0~JaeB^nF(bN&52C~nmRs6%JR7VchW1& zUB%DXW7xC6LO-@w>J!oLHl7%@x<3EO`OwTMbOK%0n$&*YbaX6A*OwXH&9ed@0De^x zyZQuKn6b=`V$xc=_Q&)Qco#kCq;b_!J%<ijZmRa<m2`Yp-#M=j;o&0s2_!_aFX*ah zd4Z<$cy1uDP|K44;h1lqxz_MKSf?!Q4HM+kz$E54?rFDeN65^g{UG-;fdqIvkMc}p z)53#-#M!!!ZMya_<h20x0%v$eoztURriI_PsPDJs#kcsKcmy$!bFX}kvcP%PcniHa zL)t7dxhh}=`tX`VTbJ=FAbSE03;Nb5<u&Nu75b(PgNI4JwpTc(5oP(lgT?|vJB)lo zEuZP<qYV!;`LEIUp>aY<Y^kw=DRExd#;W%M10wbQAoXcfW}ii-i^W(<lh)Av<yZPI zJpOqaw$(x=d`59(=R4)Ctxrzj`M21{cs-lW@%Uco!gSo{DGPMa`QA_&%tU)tbgqOW zKZcTXqiw9}#6s-Uf3Pi)YMUdlH>-$`uBy)o#_ruvT|Nz+z^&#cO^v-MaEj+NobOQ9 zST8GgB}ay;M;N|_Ydq5cJ;<Yewj%StqR;l%!1rJ9kLh(!GJ5x7_)NzZbVmm3vKE0> zYTG6Mz3TJGLp&2zJG2I!5-69GJG^7lMqo$RG5<@X7M3WjEw9mYsu*Q!Oxio%q{ZN8 zLFfK66<<~XzuQyW7pd>+p=IgSgEj19eXp@k7v>^&sqmdi%KL4|P!;%?0o(MOCtk4q z_Nk5!EEH&~lG9a;Jx<sDzRG1Ebb5n6%XNu|;78ttzdhl@Wb`16bK9C|#+!g#rcO#Z zw)CB(a+Uot{w0p*k?eUAI1RK=Q|&<>+N-NPPNCmu<kf{~+9q{pvEehce18hEhm1|3 zyb-w+xDDQ+ULaRwa>8#Qd~=!_-a8Nr_CQyj1gji<yRCB81-TVC!1#ymoBTYTw;E^s z74_?|O@kac45ge4dznLh&NijD^G+vb4@KUGsy|u6U1o-Uw`e-N*g|aG3pqW3++}1O z7aBW0Xrju5w5QE)s3z+3NhuZL8UBInzW(co<345Xp?db$k%ywh<nylZJWp*vDEA!; zt>R6tty5>)Y<d8DCy-X<wh%m=<h+}dwpn_%Ep<Gp6KF&E61IAZ+6<}7aodb1`45~s z!g_e$cYtZjorAw2NZ;+M*Frmq_II%>he{EjGG8zDDUetFt10<Dk3-j*`@~_=Ykb$? zRrKn0*4-2PBk(I{AdpCVpFrQ5q;8^PzodMAHQ&wUJY!V;i#6h%7j~^L_G^pUH=)a> zdkcw@Qc74;*37X1`Z*_f53crWo72A}<8Go{2-(Pn-4a*@k1{&<rP^w?*2i%l)w3DS z`F=$C-(Vx{n?Zru%J(DmTZfH_#153!`}jP@-{!H0vykuh=t3WOK5G#1og<eGSVO&~ zW?c7k4)R`|`kTn&6kYQ!eWq4{`Yp&&>mz25wX}a!KT}SOGb1(Pdy2!+&wUw9`OSjZ zZOX5M0%J&D(Y&EZ`FYGEr<dVrNTi_|$Q@oF3upV0$3N~98_IrvpJHf|37wD99{QE( ze2u$_Qv^!G!+2~_9laBuisJoA5byc19Rh0}QSbvB)PC)aOWF9Y@-SuX|6O`v1^0M- z?AyqHJ<hSV&hM}1%h)L|gsP7@>%?5;G+&N06!?Mr#(zO&=R5U*-I#llqvtQ;d;eFc z5YBhJ@iqJLFXNDnqJDI}K5KZadLZLQ^Io{5z8kjlRMhtXQm*XSA}L>Gy@fsWQg2}< zy5T}CY?FnG+ON)9Y`LEEP~zos)aU$*SVe7fUT6G~s`u~UPg<)8++htFQseKDZ-Hl( zcUiFm7G^j+l)8(^U?ueNXO+d=jI|dVd4X~kWNiUwG}qHd`lYAsZ`N9d)IuyVz-8p_ zT3NHVct@UvCWtlHiMG_dLq&#a;d^rHT~ys*z;x`IKqV(Ovc0-tYb=~$t&3EiGr$K6 zMUjn5x}U9aruG-g^O<WK<#<O2reb?7<ReaxFU@-m)%P^S0S}S&ZXW%g2~Aqsx=>$= zSf{I}y|b1_IAhy6q7zImbF4|1lr(8G;{JokXD8LGP-Jlld@qGuZqf7qmN`T9x#i!^ znGVJF2yB8b9sH>bpA&VSB5MB)#sB@eBaUZTDub4~BYX=(Zv=8@HR%YIF-!9Y`^dz3 zJPAID^0jn}<h#A_(1o;|-&p5dr0r|$d=tla_g4GRW4W(q9%Q$>Q}(r(+#*MI@2NgW zOHY*#OJDdf@0ZKrV}gkZ{EVmDPbQDxY<}U4>k<<SWO4NJAoAZ->u0J@xyQL?<qlMv z`XGn4k<yLeo>ZTH=hXg8$5u9HE!B_m9W1qj3zhF?M)R3PWAr+zKep{Xhu7D1jxj1D zLNn4MueRT>$hyEg8ox_EGxp~;@t{A53gCSb_X~gU7JRSugf=gI-8H6W0euoQHuBQs z<k@^UXWa=IyP@{MOY^^!n_yFFM5o+ODtwwiOSS2n^_f-^*0q3m`BU`H!Y6tjPwAQ) zlU8)zB{Za5N876Ey;u4+qOKM?^Co++&}S*nvdWpU=dI+~gPx~tm-G#E`QPBV(3GuX z9eH2r(Wf-nMGH;w69U~><NNfPsrG0Nvgkq{WVgG=j&)Oe)Kv9p26AvMianw?n~{~8 zq)$8R4)v@<#$U3+oyC`5tTJe8o`YwNW6hdgK^7k)Qx)(lT`hs8rJeBx<L?DZo%HRc z4ec!)yLL(SVWy)OI#hBp#i=i<Hgvr69BHiRGP0OP<C+Ode_d_VTa*tw_GXeZ-s|yZ zrseQ`JLm9*me=VsGHHFs;n^5%H@(c~I6rl6yUp+Q_|S(=+;SgVHxP88t0U`8@%@kR zKLV*Y;;W-f{@*@pga!V$`E7V!P0I~P+p0d4_1Kf=(E|&WIHNC;d}G*pH(l=NN%{1q zrEY4|r--vZ+h+pzo)XAW>J2<wa$-E&Zqq*4TnpnJIc!GkxeK{lR2*A~3<?~?&t3@R z_W{wS{G`uorA^C>-}pW>^7xe_lTYe%3c0w(U8SbV+wbU8Kb}7p@#x`m@x-a<Suaux z>)~;0r<_smC$`;9t8y2$P{tX1Dz-?VIA<|H&!)eof8vt`CaRt3q4hsvp9Ka|o}fC> z+u>(&BOfuuy|bM4O^&cFzO*!J-pyGB5pRD&`WV@J4}EwL#q%$fozcW<IkBY=X!{Hs zWnl=qf1A2nU=lb2x{wC^UvcuwSo0myj?VmrINNSc*^VRWO`a19gsCnjq%vjsT<6OM ze8w90g2#zrJ|&&Wcwy`zv)bEf8axC#_Xp`-*?FE;{uJMxLdJG7hQJa0j=%=azAAKa z$na@&xy=)vvAp#JpV;dV-=TpAH94QY8e5J*mYxI|e(>>favaaj={pDhj=;~%pgfFn zRrnasdc3d;TV`QD&qaP#naXgB->6c4CC;|;cRY~2S9CqTTHX`Hn)%0|r*$Gt%UPAJ zj|%!I>pA&KPH-0SfWLR+$aOlE|E3<FFC!f$wrqvHNQb<C2>&k&k0X6^)Yo}me8I;P zX^ln(i|YOhViWR(nf8Y&FG6$4u^)?VJ3b&EG@l}ad%)e`E^t!3^zgxbo@3s_k9@AW zR*^k?44s8-<hO!*vvIH0`kkaj;lp+<4|JaIZK7@?xB=YEe$zX;E@Mv97}1U|X(n{$ z0{qEHDiF$Z(&|Nsbtx~!XY@qR1v=uh9%2K-sP7)k_rWO_W{&3^Up9gLb%VYTXS0>L z_Op(CU~A6*bJDNDGsNQuNWTOHMyj3d&NzFitD$F++^8STu>Bnd`1m5#jXY&bUt0Z` zltUf8lk!48@$g#Y+zTJ5T>Xdj{KR^{BmEXUSd{N2QQi(;4pJ6ahy8AsU`F^x>w3|C z7P_yv1AGnkhi^Nuv5`D8+pqV6?dX3n=N$wdh~eEWed5)}eFM$6;K6)+2b^)P>9{h> zaLP9*Usb(W4xhh;zr&~(7)shSig<-_&qB8tA9|YflrzRT@;_>MZeji&BJ=#<w6E7V zHxFanWc<Ul9RinPA47<BP7((mQ~D*y`bvHNnMhrfbAGdu43Bmo=l-Cx^PVM<H4F4{ z{Pu2mum`Np^M+ldJHd}Zf6!tRzbQrDKc_tdy!?#xBJ24CKA$K33H$|o0r|X4dI>yK z%#5@H+WW*n8FNw}#66tyR`A8&&H9Dv`DpI{j{R}h@FjBbfc}lRGhBA=0zy+wWv-|b zZx>OTq3B(+Q~a(J8!{Yw{3Z2~5yW4}i5Gf9`w?eR^Pf!tMc|LXZuHh4^mTMJ!x4PF zmb<W~hpcZX=`-qwq<=r!2O~!vsjor%U+^peehAd2e3P=kGL@6=&{d~?Ei^swor(B| zHRKnAW093Mw7*Bb6g;$006AJt-Bi*N+%uMuj|1bu55OhhpTw2ZkguFq`8&hxU0@o| zD86={w^t<2I;y^G1ADj~W#~pYzjc+G@mh`vXRY|qvDmIB!7e{OuR&?PufaS^3YuOO z^^ERmj5?mRrf$f42-;g{?3WFh3}A07w2$<Bdb#Pp0iDl6dl2pUk)P7wGvG`x-5NvV z{rpkZz80T)nBQ-cAB27tNaX)hkiG!ccIK%YZ+f@Xvu-Tw#2z*xE#=7QUHA~_*vTu% zSs{4Uo$)fGADwl*T`6D2h6$8_{yECKS$`K&fzFyfr)S)re)Co(H>LQ9aD1mU#6%%e zPHZ^A$-jnOJzf?W4dw4_D4*?Mt>B+PuLfrRNoq@uKrhe``nDRE)_NEikf?s4r{}pt zLdj(EfakG+y`xRO4`+}73Y<P<#xtcSe|AUrU1-Hw%-1obzB@WP-~~f-S9Prfvi&5e zp2&M~_PE&@_Br<RKKvW$JX>)4uh%<iCFX7C%<a-hz6j<b7@gXLybA1Im7M(d<D~M? zR$SBdrdRt{NBxv-&x5=dMkdOk%L0WQc``NfJ7wQSY7(=IQrm0WtDs*C@B3(^zFI`e zavV0G8+>l7_YT`PewoejU8Z3C5#^Ei#LFrp(%K){?M&YctYcmlLq8|pr0?P9{J}hJ zm$oV7XKQ)BrnkcRy&kgl4mMBVjibDO0#g$=_9GP-K{`<L)pD4+<Ocm{ta~2Boj_o` z%KsYdX$O4s$|zGWpTE+*RG@E+3EKBsB=1h){W9oXSOg!6AV&fh@G%R~CxLG4cXA<o z3FrD&S!4=2FKlOi7vgUD=AG|{-lcW(mz;Ay9b#GzAzwMlp_8N*Zjc}2>}@vu_zZpA z3w{oM0qz6$gI|INz^}ls!EeBC!SBHD!F1fe4wA0p3uNQfE=?faNclAO?GJQwJMBBb zo#4mdC*Uq{H@FA<6ciW+kJrJse#p*N*4Q(I-?6IvZ`Sp1AziFtNhr4YNl=wocQI>N z1ilL{0Yh2q`=lR$70Z~OwSxG20h9w{`5hMX28tY$pOnb|&7qtY{$E^fXrCumO;1}W zm<CJ-Mv8uuW&|^Vc{%3{q+8&BZ|50uSB-PC($<7=BS^D=nZYnn;1~Axk=h9<e}r9m z8Ql^HVeJBgscWG+-<xp+wkMf16SULgk!$W=&t~QCG-pSD)dvhZ#5+&!x-)2RM%_ec zCWF%`TPRLU(~Vf<+Ht=38jL%|2R~0a>;b$X^}=iP|C%+ACXK@fd`n(nIA=D@k;RYc zZ=sKjr+cw=qtKU}@Zc7{IMnf%b&;Q<tfglde5O4L%nud-^Md)n+~D8Xx6kQYkh}}+ zvEe1@AILbxX)6I11&e`SqrWZi*M-P;W3Mh`LI%d+qXbIQK885RLK@b-HQZP3iv2l` z?JSX+-`leG{u+;1`l|H*IndBAa>lXklD@3-w}|xBZpFv;W&M5F*HV@DZ#erc>@}7> z36#~;*Ng971@k*U9q&{1CDNX{g6Z>1qHpaX_yK`ktg(yQ!t_d)R#RzD!WUJB=1g;* z6O&d1D-e5>BP|7%0R?L3AWmA9oK60C8Q=4g-kC@9or3|ae+`&{vG*jJKG`-fuF6AJ z@-Cc3{<b00rLLr`FOb=kk2yZ;Ds%!L6MJ++*Pe>@jnu-CKVR)XbFE9Itc%omM`|x& zi(GhG?R!b?Py^7dwP`sk?SB~_#L)K*WGFAXnwk9-rMy%5v`2mAWas{6$4;$&-Ig~( z6XD0lOM5KyO+=^rI<d`%&Y9aWBpspOaT>0v)Wtbl8lbkMD$gXY6qi>25R-&WMCJuf z@=j+kXJp~eSex^uTQ%mZ6XL6r++V3oxe&a#fZf>&Z`xy*Lb<<eBfk+`2Ol?+)_|rG zJoX3A!S`Ti|39J=by?FC$dAK|B6`2b7l}VVf_-JY^`HwyG*<jMqp5ugean{xo5Ow4 z!Y$RQ6&f3_MmPTrrZ|4P68BXB%w#e=t9Qr(>~$%3_}877sFS^4rc+`ksi$qWYCgku z@YLBho9;|9bGN<k+l#b4$6o7VO9a+MCMU@sEpPL`#<1P*d+4R{T}QSWF>f_=`6r%R zmed%pZyNlgWB<0ps|L<9GZ`a0w)2qM8Yv5$PG{DZ$s_yy5`AkPjV|TJrwgP)&R*B| ziKZsy=OE6iG;$%3&LelG)_k_p`<j&Us6M;xL<Iq_MRCX0^=`wD2psdQ|1jmJt_B7q z9Od@|poOL6S7`Yo()Hj*a09p&TmuSxNcu9e8UDzWv!XMbsXGL(#{Z4YSGu{5O_P2Z zuq%a;p+lU@()7GL^JC|(dG`O8@>=@4kjAm4Zha8-Md0-k*03}?e>=mWtHj&^lo!+1 zb_4fuur=5Q6lg^{PU9Xa_ae?+!Wb61vNsDQ(7_-*U#a_EeS+kN<6B+mjDAO`{Ybz@ zw9&g*Th2hBGdA%sK4Tts#UBLAx`8gLciH;;)+F^wp7KcMAE~zBRnk|$E9l5AXkRB^ zLgiojJ_+JfcBDP8H3Ulhs>36H{X4VA*EI&P?RT9xsVwdOpvz-Zn;so~m3L(g;7<eW znhR-=yC=aG#;u23wQ}@cXb&bmxsP|Ond&#g>5~TgU}2KO<Hl+qrENcF)+fYLrA&{d z<L{v%7xVnYQBj3b(uQ%y&lB5w;e_&fI^!%L#=4;8?T#!y=RCLgi2eV6f%#ce@@BB} z>^v87;KLK#d60$RVBV8NnUV7;e}{=Lr9KSX+Zp@%bUB_EQ5I;2oQ-2$FG70`Ju0U1 zFKzGm;fK^e3C5|uydQ1GE`Tf#NyYmx?j9466)*gB*U-83t&xp4`}yi4)pl8$?&|lY z`~!Zyzm9QFeU7EG>F304E@ZDDzvINbkajEVw(x8KA2Zk4f5){c+p7~VC1N}4YTWb* z_A88Wn&OKxk=Etin?OeL&*-x(DOW>g#$!7y{K0uy=;`R#cHQ>^jhQUX3CCttQu*%4 z84ASzi_ZK=Y}2NJZ!Xg#<!3GQJu7D)g<PB>9<q>xP6Vi&cW~sOK`eHP`g)}G!6-le z&5j{yxD$&W;Xc-o^GNU9`KEGiqjO{TRCe6H{_=UTztbIC@6sH0<i@R^1ARL6+frZ1 zi6!c=hZyX_9`;n5d=0QB7y)0Zll~Fp<6qM<zEMxB&3Ou%rr>m9gZvrTANfY07hcF@ z>YCH`4A=~O8l3Cc2kDd1@q>1ZE}<s3nmA?>zHFQNvrFi6r_|hA;Ym-A{q3gw>`U8C zmFb&m%ckE#juY{_%gnfIutkx`ia-TDn-U%wl(vF7Qts=K$O!P8>Pe)wf5|+xSXVf@ zl2he1nUIf5DTfHy=G+@BO%2XsY#!dHJ2o=C`qr$@dxKi6wGXjYYSIC!M^8x^e3rV2 zx|a^vq3B&HC+?#$`6Bh18?jkS9X(t3&_}<xxLuh^`#Uz}C7)U+H!fA3k-|96?HX$t z4<>@2fFJQ(=MCij!${&y$^!AE&#~4(Et^{O#8bBQ`;oPE4sWD>EMq<i$~*fKnon}_ zcSVR%PTuAJRutvF4+_lI)RcUmOOO?TxoUgM>3C6&9>vqQ`xE-xk@lDMt#P8GOYf^4 zo`F3VSdJg_2cz++m$4Unb)FLJVH7b^TIW1$zv$y;jANxt%}HcHAQ0JiVJ9}@1MGGu z?DI<WQDC{l+g!24@EiEO7Uw$sDEB{bDmV$83{C(ig5$ssqWDc6@^GEI;cC4fZdIL= zako0-cJjoY(r%#+x+8Ez{X}+0=38YpZBMbUn$%YVD>&^tnBzHQA-~p@PGv@Ym-W2| zE(8~Wx2N$xGgcAvknhV_b4WMy+-4T(Y%pj!zaJnK*a$Cgau<1XqbZva&1Wg>;6m)t zq(S^v2cPr>^Sut;XmAwxD)<3%Jd!jcYpMmm7x7*&ocsdPbfiOQv+xr65#Vrem{b2Y zw6nk&;7o8jcm>-s_m=596g%3Q7-NXWrY~vy)jr;iY|>7YH{!RaIcFg)B{gR6KzkMC z*(b=uD0o@A0_V+IN|Hvi*DlCw26!`-x-q)O)_Nc9j~*}0i0)HA7R-&VRS)ML7Q){c zMiyq3<@apLSD7~x`HWx~n3*-SNWf>3&kAM%-vR|b%Eogscr}f3N7a+qBz!P+`QXD& z+Fyq!UYJDPPWGCOvz^I$#!<e_I>wNW_0Z=-w`#Ed4!oP04(&8>=_#HoBPYvAmw_Yc z(}(-_eAcnLIDa>nnBi6S{t7r!c_3?e8$b3FXDx6xDmh91XsG@!ssi^r=M3)R+XTY( z94b)Wi99WUCMUGtau(l!Rdnx$n*TjWT_Ttdng&_<p9SQ<0}q1#0drs*=ChAE#Q*b1 zEi59x5L|<;8Nr_RK--e|cdpRp!xoax0tL3|+UmhKfg$*cQP7lNPJx_^eFL-*ruOWI zBxIYh`yJu=CF#rfuz{p6f&;*|j8~K~#v-eQNsEB*aGo)w1;IjKZ|M4f$0E7sl5WTL zjRd=r?*<CIj;|WY7&Ud?^W?L|^1g%i?(xYa0T0o^Mrv22=DzxtKQ%Q}tcO_e$Gp5N zbI#`JNYnav8cT%@PW16IxfZ!8kyd1ZJ(ovD@A}%yu&2fNtbc>0%G-td>^PO`vGi$; zziG`K=C{@SePG6U3K`nuc}_DId%8no%~sI&MF(GCEuG*&XRrg<5o`x;VsF!~@VD{c zqd@T}v(`7@TQ_|UcbWY?2W>9ou^)BK$^U{5HzS?Pdz}Q0Yd$6hD{$5HU&Xi?dA3s? znQIAMD^Osz^5O^d>u=(kw8%p(hrh{0eEeR}=J<ckw7-fi7>!)rNyXW(<hg7a?qu4p zjpyB-^c;=61*v~1fnL5wIiCAhdA)nRO8Gc*1Uq+;8_j)lO77y?lx4Scfc+F!Ugdd! zd~&X>_`RM$N6&h06C0!=UT8p{IM&dC_WH_?QSiAP<%dzc-`9RkX=}tiv<YcGd~GAr z#^7~$SN0G(!8uf+JmV-S^S#0tE#aqyT(Nuyk@lKkEwDARUW3#^NzTr~dd@)LgLD%6 zoBH+6d6b}TQKG3Y=Jb<3-8mD19~}7}&zc0<=>1RfpJ9(9#Ez^%7HN)&N4MBRS7a#% zu}D$M0*e{{Bkat2a2+@<n&&uSyo=ZNJjnbe_GY2(75p>4)`c))jqh}?#hf+NiStoq z#&$mqy6`4E6nG<w=bDXDwwV^{2XKc(ULv#LYtXO!YM*VpO=ESeM-8x9szV>b(@Ux+ zmadd%p41K>Eln=&Q5HUQ_CB~c&otrDT5t_0u#z+ZTmdczx9GWDL2qL84kUEp=tVQu z9}|mzhAty|5J&2TKjDRiQ1<$<+KA1Z=W90a*unY40|J>ir|BviQvO5zoa9|-Oy9#y zyF%9~ZR_uFe}iXDk^e^6u_Nf%a@PJe_VhOPc@1(t4_;PQUbg3MdX0W>DxWIEbAP4( z0Oh-knO*O11xZioy2r4$xFjYAW-;DQUHfokW?W=)b-=5tkCSM(FgYFfDfaVWnCV-F zWGpele{?+)X&2~Nn7bfxqCbele&>Zp0#lXVlzg9asejj*cR2J(@TL@V-NGjPplfTn z%Gc+HFw+AGj8Vvuq1C$2N9Bpv;IF`A8=sqEz%2BzJ~q?BM)n)UnoGSvZ1p>OfP8N! zb>SNHo2c6eZqT-Eq+7u);AU_tHgF$0E0CY_6ljRgIDzfSg?TFclW7YsX4;ZeF5cR} z-(7~EF1+AJriQ?quDb3wNlPNv7TP-dk-DE*i-n=ZO)fJ${+M;HR=xg|{2uUg#@R(W zme`_E9DWzxS-3=g-fyOSjQnx%5O^5un47yUsS6PvJ^LG8w}|6BJ#^A18?+6P(JZ7{ z!P?|w^{fuEo<hj-S=Kh5v_AL^bqm$@^x!$wZfM^_55A-RTkvb}EARmLC79NEE+_Nt zrS3CO-~{~MPktZx1^7950bN_1fR2)12NuD8J%c}<O>A);`o}zDo<=@~`oiE%WOzJ& zdJVJ%DX%0=09Sy^!5PpBtR}w-+^Vt}%3jif%cxrlJ_up2oJ|ba`jP1~IjfJah0%v? zj(lVZ_O;3Qk<QsqWLyi`$Y%s+<Y#QHZ%jNJmc~->eIlK&GydXBCqAf)Y}P_21P&1= z96^Q!g2K^H>a&z1{?^!{cPjoD3A_-9mS;gK`=*A!Cxl%}(wMLfa<H)!a>p1|+0%D^ z?(?U0Ug<wHf#0oQ%LTeIc2Q(RpgH#Qp2jEbiFx|qC)+zb6Pmo7Nj@+?SOClkE{o)R z;YS|wA9J=#^i0~uNe|-Tc$3QKiDJII&830<FXZG4bZVvN9DenbZ6BLfBNiB#$*kYj zx#`_dY&q)+!k-C*laBy5!LKT@_%ZUk;MrEnVdOi(8-X#A$w@%vL%y;1r{?a7JPEvv z+)iM<jqr<G=<h<ijQlRrd3R#lYK55GVU01Ou{~b+Q)4Szzn*wLjJrX|3ZB(tzha3Q zvr)EC)QMNJP@jMfhm-bT=(N!OUoZ?k5J>Ah<C>>_qAxP|oAT`t{yR$dF7)4F3%5A& zfz)+ECZExe@mMC_Pq7vYCDq2X%Wmo#72>@=vLaB3J(Q#U9pb<wy-%Hb<m=nt@yn)% z`JABNXD-7ttTQ^+3axYLZ2k;->Oyzt+){B@4nz-fa#wAHeeLDUSxNcW*jdw4x*vDE zdgyygeNHCzW$E`3aef?nZ6Q5;E~)1}W*KsZf9%hFs0lu9#x3sr4f%fs-~})Qex4ys z!*@So(Z|iX%_!%H5l&Hm8l1~o{|%Noa|>Ng=M3F`?|SO@q0iBr%MjKkFo<-RLsO0W zNich9yT%;_n~lG-@B%zM#2OESN5G?Cton~F$WtQaaVlTZC)AN^J4Sc_|J#N=97#ib z#2VV71FxX(UC5Wxu`I2mQ{kh)YkIbWDSn3D_JqEG@=w~sS$p|d>=C~3Jba$TJQkX$ zUtN!k3N)phYL&?^^~{-?`j?BDHu*fpp4wrvPLQ4i1r{-WFmy$*!Ou}wiMl|_?^7>O z-;uShwC50=racYz#UG5rUwGkcS#J&BEppa6)pJe>>Sw-ZzSi)@!q=3)0lx*m1NVbH z(e+&T<gdsV;2bRMqb%?jJS^epLls9)_UXC`_2d7KkuQ4(-e}zre0ldYd~XxGdqMBb zX~?GqL%<`@odRpc5t}3DKj7ET=+>9%`j1jqgZ4h0@gedj!4u$d@EDi^7$c0eHc%Vo zw!Q1DS?be4vz#^0gE!@nr8%UjkeP*~m1&<(x&XBB7<~z1e1T5*<?Y1wfs|XTEIoi% zkCb1w&-Wfb-5@pdAqzS5*-Zs>{tf1M6Z|?zo=;}t`6J)w1;>B~)ppBx6DWIO1oCqa znJbl!`xR@S0?nt4Ka+Gi_?Gq=>apXmqhA8O9Qmn8%<T^<vBvM&Zy@It1pdw*{{a64 zpGH@A9S;nMj3nk@u3_Lv@D=bS@MSO_`zY`#`PaaE*#AG_+kVc;AH=Ya-x#|oYo0|6 z^9%Va;8pM%coDn=UIu>#<A^QFIQn^?x(}SK+@@TGJ=`U|2aYYxZ+l38gWtDE1#YR2 zy-v9ba@vz;XF1fqwB`Q&JF$ZcG3@(E@EE&kA=;zIxwKpYKjK2A<;28VwO4gV+WR^7 z*rk{JLC#$uC-F&h{EEQHl*1B-`xIg6A>uetU<kIy!eZ*)*ZPg&+<(c(gCBrPv|ecI zh4H-(Vz}QtvSi1Zz7n}6o~Y)Di}IvLZ`q$fWzIohwqr|7P0G)h#FQK9bH$WDL`Dax z9{=S$m;H=&7I6HGj8;&6dJfK`3iDS-4(DpzQ;~8jJ$s=Yf{%8g!!5r5p2w|uaz6Tq z>DvN(P)q%OapWmWM9MLrJOX-4Od{|AJr<~_eCq7@jjH(FZNyu5k<W6-us|<t(j)k= z-r?5+%9T?4<_=V!TSk06{993$zXzzi>&-s>K~`+7Kp)y4Ip^Jkz3$XDL-Ehg{JYRq zM;|An=ieSO^YmxE^&FdHdr$Y&RaLQF+mCw>@>G;D1q!f-z#P~c&z;4NbDX$b;KdWX zE8;y!73iN*-jsCCxP`OtH_+uz^`2&Wo6kU%r*00dZGT4nc3<rCHTW|>pKUSei^Q7U z=~o8(-;4B|#sQ0&=Th2~w6C*Pfez~LY-??2y@NDPsUAw~kFRcyt_h?IHmUdXn<v<( z*OWh(^ZI(^W~?ywIwp?0z9S9;n5(ApU8rw!ra{;M3$Mr7oJr59-5STbGvKP;b>>J( z=_{2C@#Q6#2D{imc`N0<$VE+uU+t797aSYeP;G<IyO0lkIYS(MO?h<O8K)F7b%!`b z;059TPsj<j@@a4;^7<H?FVLB^6ZY#z_`jO|m04eE^#v<+yj>@FXF*++xa2O$AC>4= zm2ySwr9cjNmj~PU2K+zO+|*T%W848ge&!|yu1TFg_``YE<86;;y+PQEWt>&dSTo)h z-CITUO<)rDrx~253m^Ki!T-TNjCJ^L>3`I{p3UhS<CgQc`m(Y1z$dKnoWu7x`e%X< zO+5EBJI}gs{0@4%pop#EyT_?~`2zG6IDzkbpzA-+8GB(j74=m{au9<G{H$~rNGqv+ zEc}f)f^tK(5i=S0C(4=i*@^VK;n7Q}b72a$>InT;Kk)I!ZNH#nZ$J6Z_R66?%3pM! zEwNb^&MWVdh?kxOD_L(Sd(8u;0gHfP;6?goAT0_O2L&QX!@=xeE-*bPFiU-51ou#Z z9Mr$&*!g+1&qB}UD%~7SlZo|XvigY`(uUm@IH>ENq57nx|47p5ywcD;HM*#NP|A5( zOC@YxM$*jS6?8E*X-=>qbU#P)`z`Pacoh@~iQ&$tEc=nVbKp<ldGG>w5xfLm29JX$ zz?0w);3@Dlcm_NRT1X^+2s{iP0gr-J)$Uhg9ov~x;Hd7olE#mw_Me|^f=yj1;szHo z{^gc<{;hG|5a&E9@?AuMvFJ*rti;6VtqZ>)YeAlI!&V!LTF__JHMV=gvy=p4@UM$; z78!h_)}h}y&Y=pa3yYoar%hhww7?UA1eJvl)dQ(}h+n*~c2vq1Mr87h-4MHWoi)H_ zzfezOrkU`o6Y=^Fx+fuyzRNQ}^k|wNovcuf^LF&E&O<ZjAhj*hf96sCzEJ`;Gf=*l zAT`_-^*pcXy2m2t*|2%niN}UD;N4^zzQa<)&{oIp){8UwfBP(l-4xh`U7U;k&V|2N zi~TL9F>YDM7W9nr@n#D4X(V&L3JR3-oJme%&)mU0+r>s6fIr`G*AW=+$V4{v?TLue zX@_@3@VOIIzq4p;G8NxZJ1%*M<d5m_;5K_~gbp5~Z?h<0TSs)FF?EaC!&JukTF>C{ zF`j$DSAj(2R-iHR_dWH|w|Q4a8n}Yr26FCi==?&ngf%SCdrW)f%MRp1Am3{Ip2qp3 z5AnTQ`juyo-xe|L_H(#1p46R$$C32)2iLK~<v7zHb*+_DR=PT|knQ&?nSQF5lcTvG zW#RqKakIw;$V*!MS+H{l8^`&!*LFLGqy><*!N}z@*3{S0b4!zfdq6gog{tuGGskyt zW6WKkg#nDeiSi3N&nv2Tz0h5OUX0%|fcHS~dq4OVv@^g5<a^R5M~tD9&mKC)L*m!C zyJlbc^j`E1ecl6C>z%3qG1X(n5V%2lA2|^CH67oBP#=1a*ylC;@nz&=IEvL9K6{~% z#{O;9pR|LId*MrZ=DLkNdO>3vZ$Bw#!LB?BmL{3CNqZ*MWy!~CymK^CO1!639oeY+ zJfu2mT793(@w?M??@~LIF{dNDUPw|M^47cM*-pO>#3sS;$3j#XcLvV9Z9Mn9jHWi2 zcy;_ev!4*;Yp=5o+wU5F;}`ZetSIkbL4luj+_A{O)~P;zm{y(vJF@o+eTHEFjx%-$ zHsMKd2O2NzQCaE6dA;MrF7?u-q`d0HkR^3(BUyKMbonFXHuh@DvD?wVpYM^ze+SEo zp0y@E@dufS7cTmdi$yA5Zl4PG|2akt=MFBkOW^6p*woXkuPQn(u-4JX<cfd!I5FU# zbHuP`ftH-<VLi)p@hJxxqK<GLzP&AI;kxGzW$R0L_T13XYoR&s8UNWh^w~L|mX!U$ zVU?xUPWwx%{86Gytg{Wiqo~TmQ;sg2gl7vJ{h!M-jXTTDIOCNEr_r(6g?Q#c{d~`P zZG;64cpf3}1?%pL|9u`5*w0wWDRUH9!FMEdT&at|&);^+Qnyci>visOE}Ylz&`n_t z7Cz19%S+u;LHI1?+hgU!=Z-v7(b%?jlpVpOA;|dC^jpatL?9<IKof`mQrDd4G>wvY z76mo|Yti16v>AATzu)h|bPZHq(^T5NV_)xh{8p&rk8J<Ss(bbGnlWd=GlB8!W4-dG zt=dJYe_h)rsc)CM{{_mcekJl<tS0#U&(r&QP0+DMad&N}=lW3^zO#s5{9a?o!5&?- zy<2deU+Fq+oi}Y3hYwk8Y9E%s?!$k95YA7ac^uy>P&t)yQ_2>~pzjvy(yc+9E%{Fm zI%}y7Pa8V+-1b=N*xv~Fl11&>uBC=zYF4wpo%qf)F(#iIo_(zCb{w153g`O)s$WwQ zY;DT)_0*<(6gh3Kyhup_518*$_#?1W{muRe-uo*3BVt|`+Vbq-B^_7l(|GJ#cmuQc z2u<@7C*)wPIE@LU&q~c-LkG?xbH5jrS_9?r5$EW$1Nlf~sD+;W*JJJ^&h1U^L`SiC zmEh${GiCAsZB+i_owL1joWHZ_oT;5_NDR+~ADYfR)Suj^PGAl^Ez9$#8y>qVZOzpe zPr%>3tL^F65T`lvU0h{a=q(&kxqhtorXCt|NP7<Ud7Acn*uo4exRWsVQ^WyRnZpYc zbsSrNNo8wPATcrgNss*OF2?gh(#j#0igEQ!<Mq5->T_pHahY+d60iMCdR%3CG5+*P zu$T4KW1RwZlz-E>D_9tfJT;CprT(nTg{N7|aMtlu9KX+C9mly_SXf%p<Yr?J=CYP8 z!Po_Cd?x(9Kug|%2;@F&(g%6bU)`J3PYmIHrRTkX{<pzg@HZ>5mcYa2{9Q8Sx~wCU zQhyUVfxnpde}$7C`53@ns;KX(lkT6R42CCB*oRf@Ng$M1`|V;TKZsbjlJm|yGL&bE z%3q<_p3l(P&sM7cQr=w9)Se8ot-dssj*<5i@7Yy$Z=~b*FPz_Y<+YF6<c2G+rL-A+ zEEDUa7|tGCSdD-3LVfkg_mH0rQTS!_G>CN+&~sV={{<#u<G<o;1acSQ*%h`YgZkn6 zsrZg%_J58owB_K_QuVu|IO|yDTjxk=<u|4dA5D$<T&wFEt@5}^_dkU_wd3rL5QA8# z1}~SuBMYZIGW-!s`wdyM(9N+qMY+FNn5BEp4G+e1PUT~LeJqVPeTVg2r1GKK#y9Bl zuCDdI#!GIWHmv;%?7{<VfD5meH|6{N`TNn1P0Fona%rDoZ5A%V+o`NqpfPcsKgh*- zhT+GiX?qgu>dHEXVMAQ#O`O&X><JEa;`zz+KgD_6(Q~}P8ody$al$}-hgG<+p=jvw zJ5u|nJ{y>(x;5Cb$0r&4gfo6?^iH6K-bwDIGv&_6dYtn40=!?Kv3gUbJL<@X^lzs1 z9}-_gW|127o3!Cd-YctZXos)1@B_A`KI5m-*d~H=80+x8AN=zN6CK&>j(vHt3_74| z6Z-d7nO+-+KeC|@FQb!<(4P^cuVN>Lk<Qok1vqT}b_M)TFnwQE`*IH*6zIrW>Y$VD z;E6!SV3W4Lil0HQZk6KMjmEQ+;*v>He1vmGsiS;VgOHOQsv|{J52bY&cJ3XGW2eQz zH~LK^wa|lgOmWJ`Ip43eaWwq=P1h$?uQ~Y_k;9N^CH$8p7d*@A=)<k!#21eKO4o_Z zle4)0LH5zMN9B5yBi};Z**VWSoJToqunVuMe&#|p-*ndQ(ztn^n*Fz!z?!$JUVNjn zoz2-t5a(p!t{<CW+x(>i@XbY?dyu8+sJ7XbC0zzz@=^bbbEdYvG4^qnu5GKzLL9O> zYni1m=|kkuADlvm7O5}F{F84#LOTb0w-8<0f&B=^R@Fq0e${)@P}P@r*vA|{e9e>F z%r*tN8-gwggtOn%+&^wdr<~`a?zsbJ*;||5ic9ViFiX?vnl8+qvTrL#_oc@J;;LmD z8~0G#A@$EAtB2B?z6IdTF()3Xi+t89%=an_2_?@N(fgrF8}0CM9AlgbF*Nq`fR6L5 z%3*n>FQ&TuJG{BZ`4!i45p0KrBG5K>e1_ByN4~3bCVg1@P;81o3G79C&ZszR43Fh| z<;u@H<s4pkc$$_t<dC0pk?~G*=RW_4?~^<I2Xc-A!&Q!(ZQwgY%r_wp+vmhV$wd0` zKK0{hcOfnEQq`@{d@s)J8~8d_?WiA;6jdxSVD=N%e;ygC=-Bka*av|Rv6Y`qH9UFA z(Z?qE3W3bnwWrvVz))=;=bUc~-RC5yPH49<<TCuy)4ZEWogg)wTQQT`&kKAP>%$mZ z@}=L0nf3T;h_CfGY_={dc4V0!-L~zLZXjOq2e<Jb+0|yH&*Y;h>dU6cHBp{+*L1ii zMt?esS#M>|>UHGZLZZeHQXZ~0)wZRk+yHwJ?5R(~SXZzi0w1aGll(D{?cb+o_BU%f z#JjRt(0;cTA1nUUGp6)E?(}b^`3w&4_jznYW^KEL-xK&HC(nu)_t!{%>*sj}5{cf` z$jkd*_!>n%8Y~1(!WYMo76prd0>wzPIy_IV)Q=DNBJG(qd}o!kBy?rKJ=lQV8p|!A zzBTvL-Po&|#L|061^$lW`6u(|);SJPmxp|QFrU`Fq%pxYY`?%1hquWUd^EuxWe+s% zCmt|wR+E?ZUkX{Ol<86SY+<L`v-OVde+J+BKlF|BH}+!$GV(Gye;Rut&{O3poVA95 zS-=Re0sGBL`V0D#o%B!Qlt=XM!8unu;u|x`+6QO^f=HXQ{$SEn;70s$YSK%b`%lP9 z2F7hgoO^(?v~XDULCT@frU&mMzwK9I1IW)%dtvEqnhG1(mFJl*Y;bsD>x1zDM;R{@ zvi*=T1q!g-d5&$Dx^cv;0@D(S<LM(X-|mlmH}$(xzs%vQlm(V7<*utTE9EvGS(Q2q zzdOr5!2Z)R-vj2VeadOD#F`Gko@Lf`d76@o&!Laq;8%HUQv>qd$@c<#f)(&ly-DY! z<L^0;3glBCk_p>kp^n<gEy&RT=$_*F(LmC{;2>~%T1#otOUQ*lPyA|`g81z_rkn=9 zCvY3R-Guz!B)tW;hweIQ6Xw25YT*R7Uf@^Nw=RyqH!Z%;!j3+C=H!JUwdz<wedchL zGjFV8y~LRXp~G#FKY{QgCS9)2LGsY|mfFph?Dbi23o_q|G>~TzZAjaL8KCP(+5udb z4*fu;UC2s%S=HZq(9{JRfc3#f;2iX$32A2N1fC-Ag?#Eif-3|D3}#Is*z4cn*8}h& zcn`b}mP7ulX#WlRETbUfKJ0JCj#hc^#rao<E<3SJO{K5xnfG!kc%yak+J6JKVmKJK zoZp!_cDyw9uQ#@&fuqNE4?&?e$KQI?_NUoHFZf>l27kx(N=kkS^=<4?Q}w-@G!~Wm zvaBaf5`Rwt87)V?B3J?Z8<t&FnGrgHy%~sQu-V^`TIi%_vo#XgU=IR!iHSSG-%lMn zssEC49{6;=q?Gu(JJ<mW<?opMZRN48x9N~9{0#%%EqtsMBd{gYh*?G{&l(_u?+^!d z5Sv44VKA}u9i30=W;=7<*Vz4zrnb*L%7vpj$JD;{ZR*FF`+3H*@HpRH0xcB!iT`P& z<!905?~tFllt;!HiZ>Xe;9-0O<xcR~!jf>l4-@Je$JSrRW{raOFMZY^^(D~B1xF3- zPVE0y{Q0ZUOoO(m<M%(%b!<idqH^*bi{E*N?5tJBsz%*&^m`r@s6{!LbFV>K9TaGc z&H8BrF*5igcn%b3ha8rGrZ{*R-yV$YmmyyoECrSX1-caBZb!a|meV_ORgk(UFcQ3p zFDy(N14e^|z%SHZWG0^p+}n`%I^Y-JG4-vjSo^1x=OJ?$p~(P-g6Y8!FfDk5v&fB& zv5+45Nk{#6wu1B-&Y(;r&q}Bt$DRX8tAaU@vC5>CKnpjR^G#%=EOoJ3|04UUNWKDC z9xSKzw$ET>p;)XfnRGtua^aEM`!Bd}g}~1ojFBD824)54!{=VHJYOciFCITxmfxy_ z7P3$u0fvKNpoO*2d<d=rSA(4xV<o9T72a)hr92@w{8xP%NDTEQ;|sii-gd;^273It zv^`dTCV78wlKmB69r?k+OgCp4&wx3r9pF^ru??g}@Ee;+w}5$}n}ELNCS6b2LTDnk z4H>?va+)r}*Jf$F>8qUg62^!Jm*Eox&a;=rl-~yjb6)dF7k~@FZ&~XD`cz|{`5Vx8 ze9wo}*U*8#j^a5w<<;OCa4lGh{jVTxkFTh@RtZVYGS*V+1xhlOg-C2uY09&C&bua( zzZr7Ov~BeGS)re%K1%Z6shqq{T^p@GOkE;4M8^<13;$92a+*s0Vr;|nYGZm7<~wru z@L!1i+B);t{x+?EJUnDyZ|NM_ocK#<=5h`Lu)VAFnZ;S+AAt}*_kel&Zg?nqkdyPc z@5s(Ktg|lq^b_ZEnst3oxi7d1x-am9E*#Ku5#?D+wF4U%*M$<grZzq^8?cald>h3x z9*1XNIR2syaxSoGC40lh7Dwira+h75+l<_T{4DxrVU1N!^6nLVokKZ^SoB%iGU9&) zh7lvUutDwaywz^4FF#P%^T~;n{o3E-Hwwfi7OpeT<MgI<61(og1^h~T{G>nl(_{B7 zO~b1x>Hqf7-NeR^Mpgtu^c~71^wUBIjrFA589tY~pK`o*#2wik`Dy@<>Vr=shjmHY z@*Ta#q>aFapun4)yTC{2NjG$;JJ<u9$@$K}E)0vpkC9FTr+|~eN#H~<%30eU;`A}p z-3aonX#(Zp*wt~QV?lvIoJo21_?_}q>K-GDUO1)q$3+G45y)i=y-W1XWXA8s{h_S$ z{f9)y9(cz(i|kh;7W!Lbinm$IOt2UGT#xMZAr%-9>sz~&2baQzLN^<n1wNaOxPj+& z^KPZ26Iy=|O?+~h_18u3OTh0=sqkT>FEZ9Z@LhfXRDrtkU^CU7JPlHgKMCKlNBQ*_ z-hDvd_rVUVyCc{M{EGHAq;0`=V0&;eH1EkgU~9??Naur-u^|nM5X%%bt6oIiLeRo5 z5jICZ{PdMXvz|Agc^w=LjsnvnZx*_87ZF&dax3}Qps_HGXR$9)9s$0MUJWCC6?_F8 z3BC;0M+SS`;qMXQE9wUDcfs)A1E^0&JXnjiKID6Yy}+KJz%lmFk9=RSrt<S;jrRlL zeRt}+fju==tHC%4oL?_}j%h|ACZc|5B!3GIKD`BY^Z1BR*4%(`>Vx&bx?mHqF<6^H z8j{Xexp;%UcFfEB73!V@i}7JD98g>EIr_5$yiP3kCTBh5U&fIB>m7Zw<LwADV`oS- zX)t^cXwFzqgVF45Ocwag*}lzQTTu55m<2vt=ti8-7oD+C0)ACpZcDzj;cdRBiysl# z?s=X!hOq_Gs(!yp`8BX1e14O(3+F5_lKf99Kc>cf=7{mFM{2sT#`o4BGsx~V`iuv= zQujRg5odoudC`$_2T<TtIKOXY-D|K_t*L7TCKA_FCH81fz8%;WYy-NG9sZ}rHV$D9 z3z)cofs|hai&Nc~^f3OhKj{F_g{j!AUmW`=ZL^V&4BSJeshn8)Pg(cgXznifISa#_ z@qR=X!q~S!w<wdkpCQiO#;vc6iN99Dt@&rZs-Jt1OEnW8(^lojt@q{&s(*a9EN7{4 z$!7MIiTG|mc6Xu5qGicG+D2*J9`YqME@+3XOhEPqs$crtc3{G-JQw_mvC8151=i@Z z$S|Jk+|f18Bk#f`&e_6deXeNBl6DF~ZmDnS&`JGm?%toHBQETv+(dnN@j}>SPrFMy zCy4J;<BR{&weE*@A2=Pkav>x3?k(y@IyP6@b09wgb+{XB<qRs2T4>~nTjJs0{~z!= zdRp>G%CQ!!4cM)=wS8{<$00)#kNy9T%IS~n;|uBsM)~@`r7|mPd!Kd}Y{>Qva_<ku z^L*7pcjUo^ZhF>DGzJ}U(zH*R>Z4nSEjz{;tXEky{dvLVfw`Xfk8bddahUTu<mZg* z6SpQ(Ux#xkUY`4|#>kN#U90P-uV?yzH87%)Lzf?$Zy|<wze9p4T~)am4(*93e)EO= z3Gn1CU{gWgnh)w&)l7I7@E^+6u$KaJ+5UHw=Mw*ZuRN6ceBq}5U)bf|jQ1S-+l+6R z2i<J-gH`Ew5kA)<4Z$A0=Fu}5r=iNiapbcabOJvS^MoN&HMJ~tmGH$?DEEhdTWGgX z&!LgJhMsaAPg!V2p<jnNXMsO%@%w)8FR)?*e#1a|S>yRG*o_4A<TiEpz$w_72c$!a z^Sf)(hv2W^HSjw48+a4E0VeT$pfcl?haYd#uL7w+S<;_rzY1OfCnZ5gU97g3BCUd7 z8_Tn^c68|<mE0}hAi6Xi+G*faa0u(4O!|Y0=W)+Ik9x{cjJu9Lbvc{6?61D+<}&tJ zn{yct7KY{mb6+`b)@o+vS(BdIYxD_LSv#rYe@MDk^8;1xY`-iF^J{sYPlWr%>qY#% zTIq%E5;m+TGFt~Za-l!+utROZ1?=s~MEG>Y(7cNrrc=8dg`D_<PU@rjVNb8AEdK}l z@RLX1r0-jt&qT*wB<T8bGpE1|XKhv3%XsXW3nhqQV!1Dj#2=N-j2vS}T$rb0k3?_% zK@YVBZrcFPVeb=cbQ86gRVBCpCS$J>@uk6W$TQ`c#Of#TO(oFB2*;iZ?WtJb8qz}l zz<KX1?G}R3*JseRp~#HDIAo)v#$IJO)6&?Ag?xYO4l<DwTT+@e^uiZhLN|7D=XnFY zKTcZ<WGx-{usR4s59GZoxC#Dl1jARN7sQCWIFpXlkA!dkffpx`zqXXyfvv$mplM0E zTm5=x&VRp$H|rShSv@aV?_0|2=Bc^gD!*<<N=r(38eXm8JWFxLxsbyRjN=bJ^3<>Q zlx?38fj<7)I!PyTJ{AfykHA*uyy)@a$FSKaIC~eesXdaqJ@7)HEqxDgHaYt9ooNrf zq40fPCk|-rk+F)L$F~|EtYj}+;Qej%_aWylaG!L&`h$DqbE!|9!r9)XJRN%<7=^rZ zwv$1DM(C+PM_r@jf5zWGOMNS_HTVqJ78F?eLtsEX@(sWRj4RNTd^7NAusQfEx|N>u z7N|>EpuVQd?hpeb-@91<hseWo!Mwj>ZMVUj;3w2yCw&M0EnsgSQ@%=h0?W<E`p>Cs z%b11knmueo9{j;Q`tAn(L4vMb+9nc%w$5(GI*l$2z;^DS-*%_(IAZTb@Y{t&YLDO4 zHMPcn2t=!_JV2Mda39`Gfqnwx<?$nTb@km(Aa){qVa`CGx5+pMnZE#IZ)05t9bLMt za=KO5JDUBpMSr$X-sP-$v$G!=FDo?rV|czED<ys>9hsaYf8^Ia1R+m<VxWp5vlc3; z{hq-2v{gH8+aw(YzNxY64dg}OTrvD3ay1$|(HtI!YkLnz?ve@lXq(yQxWC2l%p)6r zr;L4kNqPVjc$IM`fYTiQ_<E(xJqRN%iDG`}T^OU~{@9@6p1aiyjXC%0eA4f#>SI4Y zYqsMaZVs=OVZ-6A7v6PbPTGdWVaGJylk!WH1v=sH{lV}!bjCBrSoUV&6mu>rZ_2;H z_YltTR-mul()ml568E^U4jqlxv6iyml`3yL8Fv;w<UO??`SpC4E3J%i@`O8*$@f~D zvTh!J_Y-*jF}NGt1%3+d0R`&Z3k>)a-V|XEg^}B64?lAv;}%wFrXY01kyU|V<@o!h zl=CTF{?){pY8!J9i+%%->tchu>iWY}-cv>L{{bSChxqTuMCVRcoVE?D@fF73M7j~& z0&WH;!t1T1JHYLrz)nqP=(>_C`IwoVcPO;QfwMT%rKBss<={NZ38bsRRbU@@+Y8xS zL3|+4i*glgOK$ix0zdd6G+7FA2O?bura8>-&G`OT2x(ey65|Du27{@<^UKUQ3wU1g z630H_5YLOT&wJHZU(|L(Mf~NITc{mR;(S`^_g2@jp2jPA5AEFHmvO!p^0CgJ8KbxA z&Dtw`CxEzQ?js{}S5!uGqW3NDq?AJ$qY?dGD5U2x;3#_}7PgQ+g6B<sVxt}S7=b@j z->YF$HaPuGCh<PNDGTiYXZ>Gnzy^W)z)eb5C6>RXOW7YZj7nL1p8aj6-}`EddwZUr zZ7*c#|KRN2!)O0R`f(EX8q&YP^PKe%=Na8b`1c}Xtb;FoNqd1kbj)q3%vgOW4*|Pt zeLqcGa@GRZ&<zXKsk^G>SMWIk6^rr?n?BFy_3d#9{2fZ&4QQ`}!;k@iZ}5XFSmRsh z+Hcg~WzBcMbDVLxBE%=;f7S8hH7*)K3^mQDNWcYj?gDna0rKz@v=_m~@Z>V-CGZ!p zJ3Os`O};{2;B(qTi7zdTNDsZrW*f%)6}koVxvum#Nw+;V)C2KlKTtlG)7SrIoN1ek z44<a$6nGXqBXr=8;9d4`NB412WmbBvaAc=pS^n;X>V>owe!$stPD7)KjX9h0#0WDA zk|)*{xXF0cIL|JQedta9&0)T^HB%cU^y?iR%fxwDxXn0;tnqzhavbr%R{9^Me2e<y zq#Y=qBu%1x$jU?p(>pceELXW%$sKJkbf1A=fS-ebv^T|mA0YoF_%-+y=!NygOwAAF zP5K=)x$zS{u}$BTzljYyfvh}*|F}zDARYYjLOS~A_SAoXd{l)`7M7}imU1E95eY<- zwue6tS0xuyeB@r{E5;!!OIXh!?wds;`R=*KB0h?gx#=%p>x%p8E~pMkO?TGRHN>o| z3U;Np+GuGTt<Nn>soiUe4)03hea#AK#r|>675E7I?7~7_&*#w1Vx4orIbasfwi5Q? zD)sXzhf^+(&Xv&d+%Y8oE;IryX&;f7_eqrB2Pc6O!71QmP++R26Yu+YoZP_2SIF)( z+Gl`ofwkfNOwt$Qc-Fz*gVAw;fpN)6zyZfzpM&pzD1X9{v67M8eVL<vAw&Bn<2(rl z$MHS~6ey0)E>(YFYRqRAbpE)`SDN#$f$o%2d6<PA5O|2}*P(tkd>GGs-y;86oPEBi z=XqcC?6B&G^sPp}q4c?Qod4fM+JN#)q$9wJ$neXgGqH2)(BHR-hrQ64JIXZ9_h2#P z0oqYuGuC&&b7tSO)-RFqcu#$-r`%C>Yq`oydr$jKPkA|f6ZnKP?4xp(TKOXN@1Y9< z9kUy{aZ&#~e`(LgnQu=tZ8@W*#=y(^oWz#ftN*yc^8tY!%yr%2%LZMyY2}>`_9ou3 zpSJ!Jcq&i``(Yt}tjSH#XIr-3rsEtRY3sWEWpgGS?by=P#Dir9@I0HiqYLYJx*y*| zL6$zzXGPz@i*m?sFXr2TjO@_0|BSB_2+F~CCTV|zSRoic*^juS66f6AS>H#Fy&mLQ zi;QtYeU{|6@jZtX8vo2<+tHN$L3JHxA7?sANha#~%~qR|JYKMAyyuC>OS4Z44fGEC zg7bXrdE#OVy|sRau4RxzCp1C4FBM3IZd>RRZ*q|yS(MtH(7gn|x}rN7^gJ)ZqhRN| zc#GIeJ$U&#^>s<h>z-<p&j6omk=6jKf!$e871GLJC9opco3kuWDo~a*7F@&Gl_o6- zmc8QJzoFv0Zo~rBxO2avG0j+>JNko$hk176=#M`dw{8{lRt@JJ7`j&q+3U=C$01{1 zQGSa!Kwu=}jrbqNT&w3Yjx+n4eF#K5@@#7U`FS7P<-)W`x0EvfV{=o!mWKDl_-TP9 z_f47+f0GFu&RR2&3Zy5^s&ok|gUJof#|4$Kf$((T?|e6n7{o&5RVG&fyDD%|_qga* z$~8;d4fwVNd3%7)y^BxXgsx>(8IpE^zR1TT+Lz)d1rm_k3;4*A*pWY|U#9hOnhH%w z5_d7mFRNV(L$3vj=(>{&eAGmrva<Gb#6!E(M{LqK&eHfx4?0_^e1zB?`E29I<`way zFYb6fRc;G-&b)x1JI^NM?p@~@QCh~HPh7ZP<?QKczD2$0*qO!j6Ig{VSXhZ&O~pQ+ z@tnyG&%E^+GY{^(A!!4!G1#vV@g8Xtuo>7Cd=j*X=lLP+>sdn!(t4bCOVZ_}i?A8( z$hQUmFPP%Um(Ugs<8RCAnMOJOt)gSgR=GZ(IjVv+i*g47-v?__t^?KvU1+EFdObd* zIBOJW>-_erBJ~zFA+rL@mYcK@bDmclU~2q-9z(~9M4Gm0*pejVxGw9sM>?4~Z;=YT zqh}}i6Xp3o8b6t}zR3F5fdbc{9hU){bjY-gjzlihhtDBK^g=AU<3bjATavklNANzB zwUqMkLugy#`;$mNS6gEHKf8u!6(UFFi8qO<1*UV4s>=SVfzyZ+s*nn-gYJOiJEiV> z-9s_$TS;RVY1@mvvQS3X)Mz!fpL}_+9JmO5s6d)OEHEIFv=CSj%!PbKla4{J(>LJR z_#-pYNuD=bIKVlMN4857-$xuX^}(doEP<wDw67HNFs8uRV*E`^@&&;B;FQ$dd*~a; zcfsm9vLdu?uz#yqk3eB)$Ft@{>`oE#)!^Gm{H8#5&d@@SB=kaK5?hyq&)=hRwnyzs zCHfBcV`G+KPgZ+$+m0h?1apUj715n6qynRu(;sAlx1rdX^x#R(?-DjYGx<#5nK=A6 zX=;tn8=?<;JT^qee7h7pL$3zG%l=|79iB!YFMHunHrBC_`W&RW!QRN$KY)2+@RRG* z<~8%b<o|Y?SSTgIZ>m>4nI}4gX9-#kV7|vw`CSfaciN7X;|>(hJ6LovHFcjxnjw!; zKVR>FQq!1oFU-5t-=p9UbQ!^E=vQXaQ_#MGEeIoj5gwkPY+=zO{*H`3yW9l-hQQMV z^mm<I4}=*sU!QddTvYv*d|Jjl7lX{neDLEQYcGeteL#92T#j5nB>e;YU9d3E{7Ee& z{AF_{Ek}G?9PG`U&vPC{)OYuz{F&JQRfg`U#vQXl`Hnv8?xSlgg4`DdW58%oAZNP3 zfJnwHN;x(b-^&@VgAZ+4#!B=&it^vA=`UT^gFkp4pWn<QpM_{2t#a}vX$<98NDuo+ zl5@qVUkz{9D1TRx-oRE`=+1KvFC4`eu7~am8qTNZe=RLF6lGMuTA-IM<k5DiON8&a zDHmj4#i0L%an9)6ZXcUJ%o%NiZ(IBO)|8XJJDk1dr5u6I<|fSrMuJyDuq~u(k<%x^ zZjBqlp$h{ugBjp)HqxwM7BB)l6J<syLd=w%@?hl6!diUA9qzOf(YHO=+y|*_i!WW^ zk(VFunY}Dwt|bnAZslK$rZPenbR-eGkju|q&d%@*@9SO2fuH*ZUo%(z>qCbJ9gu;H z>_MOj`GUw&3(}{+HF`(2V+CTb4sgCMRKs>p!1fCaQvRi3ygJ3XvyfK7K21Vz(~<v% z@n+zgroq4B^l3vn5<4FQpQdOGofn@e@CoNUnKS!0sQ7^2vO9WwAs5d)SDGHZ645^$ za|b@lAEa|)8fiaL$VW9bJI@@kMb&gq(lV6!DzKjkPCO{}$2spYD<ntU!83|;@HaCu z-41@g6%`mzg1g(@4ZLdt_lCk3+QPxTocE`cS8=A_kP2j>{wer!nmFPVXrVE60$)P+ z1NC33&5qGM)`o8<l>RT`oOZ0~&&NCyMmGh<vY+lHOx}JrV$3|8lfY!!Eqsi;ZDg$i zF9mVF8snr^`RR$gXOi{YF*Li8mA>p{6Mc#x%lj$Mz+N5G^^9STmdN}OEiYtk<*|1H zk7--sIfv2s^Xd5F0U7z;Iq485#>&n8MIaS&_Z~id0QO@m^9hvD`$%8x^H|0Z_}(PR z`GrmluvPEn8PygG!M+p8WXT^@vDpLT@t^Fuy^cSaa+$J*CIUOT$Qk=?LH=G1?E;73 z*_TC3{%wb^y?A$hB$~f7)d=71*o>#B6DXl$|BC&aN?ja%KSAaMrXoiIKRdSg1s$VF zLUL2`$5*U%g35+eG-jOwD|Me!beszCe+{-~EVOTcKM+$qf|oA*NS%et=zi%~TjKjw z%HLzEGvBD3{moeI@Ken}fxgZi!q=O3AQ6238C!Xgm>?HAn+p5=cCeussdDn1V++4l zyK{XF?@X{E5s%FH?wCum^6u5yLl|S<gkB&4-qu48H<G4?CsT<V1^U6m&+z#cqVx=; z+?M(GTi!Z$;61gMty#A}Sj8B7iBoH%AJOo+I^Wm%5Sesg8ouMa+OG8IMlokzmrn9Q zv1YB&@TKO}l>5%XUc!)-P(26RHwZcTFpl@T(LA5izlmNP+FU$ebs?3G{WrX_5Qh%0 zLYFNJ#8wYdIka`N(wN*|j<5ddsIQNuYsuRFgUt1Z&&QOPOWA97=IyO|y;k*0`Yd$j z{fqj;jQJ;NYA2q*g1r<d#W-n~n!Nj28ChI#!mK5owvS0P<p>=o6X_WCP)*m6))`;M zTAt+FOFaHdpuGN#`s9N1kp?}v#Tu_@to~5<^FY&nJj>XGd<$gd3>ud8jV*P{luq)S ziHGAUmpx)==HpKUhG|*ygOJxhXzon@ch-ME_bP3_1@er6y^dH$%!oduadb%92RL>| z$`<-#XT31ZLu*-G8yRfO9-4rKvE4BPOy5M+Q9Di#wGp-~=}P2&6aH}(X+w1Q&!VO^ zfwI70#~w?0mg=eG3nBkI{pd+rcxoX}EcY<tpX}Hcf$GThf$)Fs&C=U62|dlNarz|g zMZq~!_K7AI5D1}uBJFvg?R>@1<mFxzMEz#;MqmQ%ec|0p_%DGWtb4Yz4^zvtSf#gR zNe8Peyj#RqySJdpXW{*sK+lu#oqd+%tSv-Sw$Kwhnirn5<iJ|kde&DQ9?$fV1+=gS zsvV!9d|U0*By8-$71#^aH9NMXn|KcLFy5`fcTmoSEIb><cgoZj9bqpF5s*mC@-#X* z>X4ayqPBmcsf;vZBhL(NnYCA>u3x0I_~5k|Up`U!bdUJK!aC1g`LpHx4mbz4NAIm& zi5dPcsNUbKQRt@2;uV6iqXI2eP9-1h$lWhaY}FQ<C(tjINk@8~lb&Mj)v$?YIM?CG zdoR_q^SY-Wv6F3RYYy*YIlqGeW}HUUdEsevFFX2w?Jn`E!=E<F>qYpj$?&!e=ULWc z<MxL8_Uew?8h>Qrb$rKfhyO{p9vKsuhmOCXcaa68MTl`MR7B5TW)A|>9KL2?%`;1y z`mV%R0!>nxR6cj(I|m@+7M@k#)XifX8Z!RBK}WT@fA#Z?W$AOraer>$t1sZ3rKPcH zE9~f#pqTQxt;*Kca6`H70l!DgW%6lsk5U@z*vKYfX57Wt@N<bK-|BwKxh|+}&+eS9 zjPq-ReBw`#wII*h2ddpEbBpIv%DcBccNXcpSN)pgEhHi@qaC|4Oy#}xL%z#A$gC|h zF`k7k_@^!*zOvNEv3G%a#6JQb5Xa8fcOa>;VOdlb?mG5w2K$R&&2t3!*I4HaL7rAQ z@$-!n#Esa+-Hv>o%fzz}<ltH4&<mIKY&IxQXQCr(RUU=5u=1@dJQOIVspKoen=9DD zjVkA*;p29V0pG@!eXeUbt?^|g)phABu!Q<9xw&(J0(bCrml>-Be&lELnWY3=BE1Y= z055_+f#<<J#KuLTdye_H5nB}Az`Y8L24leU%C{GZ1KwxfZQ$o@kBn!6_sbpLB`<=H zEo!I29GU5)G9omesQqso>f>h(?6((=;{zV+oD*a-eqgPhe`oaBLQd65Th8OG<B`rS zZRg;Fh4k$AS#A4*z2?_GWs#Yez&mPxEPV~NYl$A7*miIFvdXp8H`PA-9beHOeK=*@ ze{$D(p81yG_l9$}1(9EY74SX1`m+D%x--M~tnev!f}wFgZ^7T8v~7i_H<7W!$m{uZ zyhr7%1v=3-R`tjBtHQorn8|#@gG|j>?zSh9Hw$af(ZbmOXkFiG*1G|@68Igv8=<`J zq4wY`awSmL(N9yubA?F$jsktN5QklHcqHv*82?L0H>GZAqHi5}RKIpoUz2z%M*XtT z4c0mHDSxuTx64a8TlJ0EIP=2TpbSZ7yo|`f`?~JS`nPmyhxz7`F})C{x?INbH7?Ej zj=rqrjPJoGffFjnF0Gqy<k)mue-phFn5DKbyT+EG&Kg%X<nP8i{?hh!)4uTRw%Q%H zeiw1i4Ykv^uoo7(r02Ud$9-j~FX_kjTl#2xk3erd>()`GT!wk0V~Gc`U&lGC>}n5U zl;=m;b7St){jeQdRjy1=WLRyCln=+-+LY-g<hdDf`n&L8wZr$6RD8!lW!lzva(HnK zd7Y+x$Dum`e&jVG()Kjz-@0F0yIXm80l!dK?ZzV3B=Cagu8|u*UJifUi`Z?HW5=q% zlNyek_oVv+)z6Juf6s|$K3{HTAA>A3^J5Q8E8l@g;u)9|vqcg&ZDnn*pzDJfZ)k{F z=id%bYUVI?&Gi|DjMcoXsk7tSbhg9yqiVxTbKViyo_~V~Wbd%<OI>U-`9MGMggeeA z`ngb^&KZz_TB>Jmo6Qfz-}{4~(_puVA<y88+n{S-Xx!zG)~#y_-yS(WXS3?3OC$L- ze!hPo_4%nENgP^Ud7g&&!wZpmzEZzN&%Kt)OAu>)&*A$XwF~Q%|4rAJ(SniXWzY(A zz~=rhP#PINa^FXr!?CZn|64kDLH4mg?@LD_c~(IAKgUhqt{$E&{=@cWeCUR*<PMnA zH;-+7RiF87Mn?n&Am0MRu_b4V64yC#aH*{S>@T!cJ@#-2cb*dX0fF3{wLm<+Vy4H2 zH{~2YMmN6KJ?vF~(!q&sMylT~&UhWMQH^!~r6@;&WptjCY6qIAeLbdQey?Zw|0p{P z@T!jH;fG+s34sv&1_&;}r8vP0#fnp;K!a<cNDIZC;x56pcyVum;;t2FfkJVY+V`8B z+5g=fF75lx^UR%<**&|nGqbaMPC&*G$~qm?c}m`fT<E62Hp?%DdbkT!ooSKY_uQq8 zFDSdt;V%cBPaml?rmUdl&ylY{e|*JDY%D4EbXoOnBYWN)wM&oA-#nu<afb~dmLECo z(gDL)<zH;o@MP0FE0aIVUjA=z#T7>w-dXD3isEktCZc!mf`XPm7M|JG9whlNbh91z zFqxTG3QPC+Z+l`unQ-S>o!}MN;gXqCiVm_jT*WtywBoSs=x32DPW#o!y^W4Pfu*Z2 z|292%X>nqvSt_#!Ss5eu0B1tI^%E01=`Y|jaE537Knx_%$P-Qc#wnkZ^ZwR(hx`M1 z&N<c9E$m@0Ed7?&$2f02R~<<OZ*EW^T<s*O%6xBT{0DVU;1>w9;-#{b7t?1vAuf%y zHw<{^yL2VG10O&8tQhOC+V(Say&>^>ch#TckNCR=$^?F4UoYxfTPeTqh)j}xn;F-) z_@tjH+suAh@ip(~z_p||f{Ve`-~^uWp5+58@cyPTbJ@0(yIj&`z_Q>3)~7twKq=Ct z!JN!-yN7!~jk%?Mw!|yI0Uti3D(g^L`#Jc6{@C~b4ay+n;<`45uPFKVz-JT$Th9&E zz2tNB_r>|Q`;BBgH!R=2IMnnQlTO1f2Hoad#-8&^tBU9t3Mw7I9DCp|5|hu2?H*S@ z)yEZA#q61HGyY{Szmke~$>{1}>~5`&t+4K$?tV;uvOo5u=ZGV$cQIsJ9PH!a9uE2( zeJTts0u}|`FhK8qr93EsQ=1Ih9A6Q^S~Y{lCqFC#Jz(qw(W^5WL!D#&-lse+^|he) zxeKfWtqfKHtAYX*pcTOga5FwYU?X%BxE|a9t_9bDYryj8-zw;8a0R#$Tm~)&eZe0t zf0#h$;fuF=PWe8KICH%-wla*VEcg>Xr#!SI_#RjaY^V1giSet&$>)M+31e6aE&>;W zQQ$&wKDYp!jC|%n1?DJqa?WoF^&fc`vq$T=cdWqgkaxp4_0v+GkNOGZ?-lZ{VMFp; z*E#tuO7qg!aQ3>y*tNjdO5ays-Wnfu$+CfHChKQ5vdIIs7oUKvY`BQOFwkIuNjbD{ zA&2hKJ>@RrD4hg7(moC|*9q9)dj+|3_3+&vv^ZD{EJ&=|*u&qIvya6F>wvvD2h79w zc1?~BE}$>?{-*C;<ZTFNT?&G0c}`JiZZI#H51fx4`O()Cnp|W)xhOL*%(XTx(A_Qx zOfBoFXOrMG-m=_h`1>1pDlwMxQT$yyv^-cAG;o>nt|@pPRG<cRO^Jigk*`8JJ7c(q zju^;7K66}Tj(^QYIukgbvuCK3gKmgiz~5x1;M)q;GnjU5@#)Dq%WlJ83ACd=6Xgcl zk}n$M<j+20UFov}7{)%=1=<#D2Yv!Zf&%L}17x9oY5eFcFDMxcc^k&Le0yh&!>YR8 z2fRm2utndK7vZd4gSG#FanuGkp&xaj^}q|^&a>O#a|9A0_nwyTD~AnM812;A<1p#W zvX>~-)jmvKXc=@j7k#wHXO~641s-JMJvRQjK6X@DpEcEbW?9i6;3occC*yX*6!z`x zDwor&L)FI)&-d7$friMmk;=8cONQ?;=4`Hhv%wQ+$uOs@%}4ar0&EGk0-JzM!P>-O zW0_B9_Tv!M*~XN=3qFUx9QO27?bh(6PW^V9LzzvjLl;@&i&^8%6~OL%K|RKlh&g=- zZ2*1%)&@&)R;~;EmiLQEs6Pn(4m=DdB>#9R@7dJ1<W?V=kr>s$QTUF4>#?0<(39W^ z(1z~#83T`8v3@wR6BxvOX$$OiH*HrTo1&Td`w-H%E&X~*{aowpmF^YsCF`Hc@)egX z9dLT)+ZkfojQHPT?4KjdzRP&)TJ2V_#~2vSvjw&h>z!9WT8j4p0^eJD)0evSj4>0s zyAiqpj7Ptlps}IfGPiA{w}LhtS07go{co|rsaXh56u1~%1olAYOQ30&um?jodf1bp zg|XRq$ROoHZ;wY9(<<s#f*;Xe(Kzhuq`wARk@p1!*`EsNHyk0_*KvG*)_4y0*ShEQ zNB;j%-b4L%IBOrci2m_av5?;(*Za}WR7WTJ@%@kPf#&&_)IWT3ioYSZWS@aP(xZbJ zz#!e~Qj`7xKa~cW78FPcO$F{ouCeK(gr!&J8SkPEnBzZDPVG;Ov9ZkAl3_Pw^<*XI zY5ZYc{ANSyBJsng{P{a{@H6T|b*_C$+tAINg{hy8jr5~Fn7tt*`GKUr0Ka98TCpw( z7=I$2&uDEYeO<`v%<)`^L&LDkj<nktif@rVkb75Xj>X6U+2w%>BtZx7az;C#df7Fp z(|!m(G%oiZ%UH)e>`^Ufn~Slfw&X7Dzvd1$wPjPe=r>gRZlh-+;rlO`j6c7Pef_eO z^IdY{Am&)M5Z_~f$w*g*7Kq~8@&&9NautZr8a7q?s;+0Y+Kf|R5@V`E`Z4mT2R)4r z-eCW2M7kl^fjyuxG#=;phI;<JN7IfAc(=jan@SxrYnq-ohIAz`0;~d728%P+s!)Lh z=v*Ae7#EBO#s~etR?Nd68XK$yZ%yT|q|3j48Q*UF4?cMW<4A_w$H6a9nSKp)b?NXN zs+w~)TL<qTup&D7zd{-AmYU(~f}qL6_}dxATM-<TRsMfB&TaH7un>L7kkvZ|cmLVZ z6E{p{4)wIXT~~|PswTLUwM?gXDpLPSZM|1~){_0XD89}>k(7M58sL4#dz`P|r;i%Q zqM*gMgFcIp&j`PPaPm!%->0hYQvQ-Xz=k8VGf-1)Y@mnx5M(hIJjL_kaNpIPvJB{L z1bb2}z5kk2$Z464a)Ef1U*mZO;-SX^v6Vj|vaXCQQ*dvwm^P&?8I%e_=Naz{AM)I) z{hNN@Mf1S-DQlMiou0_pr+|~eY2Z|F1~?t8%$#RJ$Ea?)`x}aUhk+&VD?^|I!I_ME z1Z_SiJqkJ!6zG%!zp}#VVKjAPz}oBsEm_mC@Lc0gW<0cw#-fXS%%$2DV(L)N#n!#J z)8pH}BQ$2IV9CzS^@20Dz^}U2WAS+&p1Tma+c1W511t2NDG~9nffQ$)baLp&>?28` z$-u;55-=fnS#2@_X#rf1-^7Ca`{>~CID8KZ9S4pF4aAajn*~#;n+8q>*I6=%yTD;u zz}Tl#m(>*ySzW|P4j}evPCs+-=>o^lsb=IGVqZ4=ywb_7Kxcl_n8nm*)OD(f9oGRr zGO-X0uU-BiGra4-Uab4I(atkVh7+@szpi=dw_bYFJNFIfV0n!xyroVmC4J4*bG^In z-}22Ca_+)j1x8r0U1j{yeHJE{>R@5g-}@1JslCs~j<@T4oz~88cx*d|?}+fOVQpk0 z&=LKgjhttJi?|!IVWRpibpw9g^?YyhNV?t~r(G3%S0=`_;R5GqWIO{Ks;hE8hE5-i z;=Tx5Dh-wb|A40q^iSyL@E)iBFVbBCohOVym+RBMh|Xhw0{NbWyU9_k3wVwAts>+8 z6#l;G<Za4+0|lOA-cfO!e(q@5Q1;*7Nk1lDy$3z8iu0M|!9O(a4|UmCdioA$jMbiT z2LLSq76w0JOih?;5z<Ye&A~wQwgh<_^8StgAhuXX|5f6}^7BxCk>_0iFN0%|e?%nT zN09yzOi2uU0lV+`#_q*Q?_vxBdFZ1KYhDGt|6cuVetqs059f2noJR9sv}bQ8zmjJ( zdc@yXvsX4|?E_e=4Di&W%S_OW${&w%fu9&l74*@D%H*5S$2p!`K+oIBUHg&Ye;?jz z@PwXm`rBmLPIry9a$DyRY1cN`;avysVV*Bg7{4XZnY*3G=!QTF#`-h|u^}`F3<gty zYgpIqw;3O8&uaUg_>H^hL31m<iv{m0<{2C64}R&-H=(RuU34iP`Qkh)0QxRCM&C!l z6X0?16nGLm1D*zVgS)`}QJm|b@zh`LA^%F}Abt1h;><_V9}~O1wCbd+X@Iw0@&W_Z z=Sg}ieQyD`gWJHJ;0{n=IPWg!TJl}H2w5iJ-7WrQA3Vv>vjfom;CJA9>JLE=f~nyt zuX2~Z&Z(bCP28G&sg!UoLZA0CpSH`Ky!>vUZU}zSz&-W%->6QR@;54v4RP3S(f_qP z^IUSq06nbd4&hD3nnddJOk10Nr1HC?Yx@KKYo_k29iDr~(Nz71X}gNMmIUbW0rqxZ zu#s_GV_zK3nrtF1@C~$##_y)h=zGZ6@|l0eGc{fsbT*dX_nb>2vN&Zul6uFrJ{$Kw zj5BQ%cM*Y3`R9y(F3*|+&Ijj#Un9Rq5v&zFZ8)b3{H}Vi^BI05)G0H+pE8bRv|Gv= zuYj%wSJ1~%{IWn->{lQd-z0DxK7rNfeK7VK1h(U>^jyoOF37{XIr0U4?BVVI;jWrz zG^2hAv;}*8ORypM5m+D0#vaxYzIvo1p*D2T{3D((u$%MtL-gxi@PIw}faOopo#Fo= z0>9$f6F`9w@&dJWym>v*S)V`KSqFjHw4DWhe-3*l2HggYz*o-0uLv9=pDrpo={JCN zI*N|8J&(Op9uFTYaGG{De9CuYUt4-n6F)3a0G!})(jVvsTN|2$v2;X6oxt|sMq<-X zppoDJbf+D3Ja+}Ypfhy>;rP40q<ewA!556RC$uZr9W1W<VlTCon&b<!-u<ZS53W?5 zE<<@uSIo7+TDv%lol#WO{&Hs0yz6hy8)&TI)Ovp#s=xP^_)b-}bYXN#XO44;7an3e z{d5i$xj+6l7}cKdQN?D~dHIUcha1-78(ymp-NkN~kng6?5Z-O1^XR$hq23!kQ2I0l zcM$M@MhvlqeJ58a_JV%o2UGmTnT&is(z`0rhw6d!d0PE`5$cM9S-`AdS?qHXzOo5t zb`N=hjL_U*9xx}^AG=!1I`qa5hmrTgj~WO>ciQ3S1bSF=2z`J)koUau@(NEDV$O^B z-|BZ_mP?(02Y-E@@uUbLzN_h!m0#-6N%WPCHQ0&{WDfJ)UO0Q<GuL~ZHuCGa#ynJ? z<5@9pZ*=`1_V`qstpxJ29Y4+*os9nZiM5;I;X7cR-!^2}#hRlqB|^qesbBjHfAJI> zQvdgWveKLviX`BDH|db%#DLIF`1glUH?%@tZm4V7^l$j)-Hg>heDtG^{;g9{?B8F{ zd_}RXP~MNG*YjOmE#Kzy8ME1MCnw}A>~VUm#hA*_R$vt60;R~;p?rkqrR+h%x5qh* z`i_=dCXg@BbH|{oyV>&xv8NY(f-Qw|euYkAY^~6n0oY3oV$kmEV)+eXAMOghg8b6C z?$qSDy{Qv;z#7~K^JAmM7@NRE{Fx1Ju;sYOUSJP>4bU|$qVmi^vq1s8!+XyAQk>-E zQ@pE29<6xx751$N*0RVdKfl%+*jIR#Ko)VPKqhE%`V7$+;sonZ)DIuZ_zhI!`>Pvq zoLodfr~Q}o-yFZTR{4HMw+_M6fiYE8o-dHg7Onq<v3wWByO6~AappM&T9UDxrmTq0 z`;5d)I``GN`1XqWdp=|*Bgr3TMu+d<yfdGedbRF3-Wn%Wm2vbA=S~C6qcKGSp7jDh zU_*cE1@b574g?!o$XNQ`=I*?p!!?%m6)1}hEF!LGWu1=~F`nWoQ-|C6tz?Zq1bI~< zb`!{hPxu)BHbm?1vOoV03fzM(#y7nSng<f&rFD3d<aM|j;SUDjPi(lQ>mX&nYTq}Z zRanp8ptry~;BC-`y&7wNh0dfxF9jN5Z};JQ1U>{Ct;DxzyV1<yA--FnZ8G94)~$%f zCHF|*1qJ%E4#DWC8|vyegE?Y3bsJgBVfx&D$lt(6BoCn%mwE1Aq_0AM0)NzT7{09P zM{-i$Z#}lab8qT?I9hFI68(o!zc&H@t_Cs5I^x|2&%Do?7uWQL4zNdj3IDg~_g?m` zDP6pLUj-5KE@d65|C#=N0lOsRZ}#;lRNTuN-QhU+)?kxKw7fjeoM`ECKH3}T!dwj; zj&f2pRnDfoM|>xBg!;z#tYfr43LYYV9NI<u&ZKK9+>4p-e(co13HGI%_~LW$Uj$#F z-vXCNPg6ZJypP$d-LRj%+rUBAy|(W4X;?>r-aLDa>cC?5AA!^KeF{7)l)A*M%Wl&9 zz`fvS_>Fq%3%(_9Lks3vM|H)NXV7^*X6%uiLAGIQ<5~0E))_Vq`$%!M`4Ie%z%KgU z37*4u#P#tVj>F~s-KRe0AZ@+_4}*t5fnA}zKV^Ld=Hp8yf+vx6W^6^^EA=l<jyrdB zFCn^VLtpHt9%ZfGIQ>kaO##*2Ptmn0YAdGAZgg)3JOR8z|62KmlV4)Zdx_4qPeP~9 z=8SXmBfbev<>XCYHqD}Ama_Me*<ALHB05jQ*BSq1U@3imOYD_up($}_9DIm@P?e3z z+jKSao^8bgQ+Zx~Vu)$b{`i0`*we4zR&a;TEjB)~5;1rpbf+$54Zs5U<&E(C0yZSy z2y6=01lLj4hy8m4^ck|h4n2Y0_havV7euI@jY-G8oSc6vP5pOqVt{z~y_%Yr_8l32 zRr23ivB@6xj1OgB`ww``7z)FC5Pv>w3HGUe-8B17^R06_C3~&<i<X~|+NyEhe%>Lq z_b;%|_n3PNeV-=$*;yA4en_Aqa;gH(0jq-5zy;uN_QTG^g9iGjA1@f{lswPO86c6V zeVgvn@vi#IsY`+E_OOrH5UxJLF0<2bT(*)&^*va9`p@dOOq+T50D&YgoN?bc?Hzxc zf==B*m+ZDiai&M_x}9}+UoCd{PO1F1Q*Xl-&9|}ksYzBGFvGGVX%`P0DuhoE2<8#J zh~Ib7M|t&?&DB38a@k4`wOwhqnKg{%s{dPk@G$nKPQ+sGf+Wa&8YnO&K5Lecn3*xo z#cm9IqdI2tLeCZA?vHkJz_X<P3+8eDT8`fL!LALQ)-#{vLsZ`+eeUVo{Y79$3DD6u z8n2Ztz#WOkTa8GUqAn#mm6ow*)q7Rx%Rql^C;4*l$5tIUuKUDU<hO@?M4*9ENq5$v z1TB}G1NU^S!RW-;6pTanH>usDWB1@o_EG-(DW`*^)*2*YtnZ<VIe7Q6C_p>?7ZPU4 z#uwW;e7C^+_@kvdpQJ9|T!4L|FndBFuqbEC1JD?N4qmZ*v(#mZ8-pV{lh~STedJgJ z6xfX4w4o*CH5pGUX#LlA4S$D?%xoyCK47rwq0}`Ga(MEp9Z1;+_=jT1)Bg!JqIXhH zRNgJ|wF^K4nK(1rkP#o+jX9^co?+_u;A;iqp*tbSEepQjN1mHXWhr%mdJjC4=gm_8 zJ=cd_ETI2L_J+*x)L@KR>9euw`~~VxC6wOqqnxP(vRL=al260j1ZL?tqu4v{`tw~b z`k#xrUn=OGS6>~6@F%wXLDfiy=ObirEj>pl5C85YK5><gd&f2GnQpjAK}mGs{c}z~ z9_CPubXBkhSRJecMu1ho%3yi099R*o0Q!RP*fGnes|}vC{P<qhu)OB~;r+qsINqMF zJ#yMNwfebc>4)L0&we(By|WbKC<~SWOMnB>(LX6KNxCmO_Z#a}jC4`ZK#M>pJrdd8 zxAw1p@QpU?xlBCA{_>bHZl%ws&?n$?@EQ0Ld;xZOMf?o4;SO^wq~m_0b$>$t0RIO6 z0&jr<$UP@E^c!h`JJ8P<$I*+(m_7zu`o4($HX->GU}o@R_NPXiQ*8LylGUDUyql#y zKV8p#hMg`#9_V&ywHpsU@JF6E9zDEC-8A&bzzy=}(ccT;Mer`N_>Gv}z{Bi(XU;z9 z8Ra~`7kgoS{Qnhrb1<j<y1uD+S9FbM{6>GjK(B*0z}E1bg?C#n?(TFAMnP-Q?`g_I zQ*&R>e1D9^ca=J))3iGUPQ;eaK!?G94tf#10FEbr3EGR8;?Dry4U_*%*ZnT^3UvZc zNna)X3K|Rfj8DlKm$bm&(3fCqd|D};o0NA}dz187_^Yc=l6*h)ZC#jCReWrw*iy<K z#TrF`L%}fX-}FgLJ|#E+dwzD&;g#R7D6=7v#yV1V7@7PRWZ?Nn;9JVN9990F%p;tB zYir+a)SopD!1ocmA7EX3!xJljyH8{<5OR(44f6}3O%AXsI1+4&ExDnJ+Uei;E`d?% z(>@?ptd37if!spSf%aLrZ&x{`<$PJe^-Vwn+Rs6Db+sSqYXy7ghgM$7YP<4Mmd}I# zODrk;zs3uLbR15p=%oXXbibRfJ|LInFB>9<NMtaDwi~RqmzG=6MS-;Fxq&Z<855gB zy(x6jI*d0J>oPc;yEC=bX3#5z_|`=8c9Wcp!N7LpA@D;8=T7{Oz)jZc3-<X__|^3I zdjmn1KAJK^SEus!Y03g!`&wZtMxXZbC1A}A9P=S_Q@7%|!#C`LLq{;r?Z|L2`LC=s zn1+vA!+FBM@95r_=#)SK{8&bOQ3CQyVfleIdKRBGQ#%^1e&=WIuzn<-+>P%y5JtO7 zta*RrR!(KGjJtqZ^dAeIE02$lO}}x$mCwA-H|>QU)BZlwIrLF#^O$rhY;qEMX&{8> z8|b>iNgdYyuCrDGJs4jmwVhwNbFF0Q)(XbjTXj}=Tavzo&Fo8vKR^cU1BlhJ)ji~U zbH+FdeXY89H>b3~ANjD$ruZ;{o_a29tod=O3oSJNoW8Gej%ZH)Bz3{7h_UGJBl0Qm z1Apd@?#6Gjr9<bOBEK@>nsAXx=)@t$X<(!)PD`XVDD}6H(I+~Vc1knq-Z4n!Cw%9K zt+TKv7WGKZH~jALu0@=c4$n%}9lOOKd}Ek(e)uKSsm(*|C{USrEptk~mqA~Hl5w}D z`rlgb!EUjyJVLKp`M4LG&Df7caCeBjT55e?&SyFG+&lg}X9;UBkmq%wzB4GWC`mN& zs~*qE_t)}!_)Hse;D;ij>=MrKny+K&R|a&+z*Q2ttTT#~4@<<o+ga{}mpfc{edv-? z!@C4@KfT7X_u<Q-{@m1$vz|3f-vO99p{a<I^5Acqpi^~tuE1h!Eo!}YjM0VqGm$k| zrE@v>jDHU`%&v9Pb5HT_c>7r67mMEJ{jZWk*!4~wH_IChAKk&<qR+Q2eg59%A13pz z&J8bVW1t&0Zo@zAz4>WN`DP*mF$4WCSN(mBANj?a(+hl=fx*ac27XQ8<DJ;351B|^ zSLKnkfv)Tu0>9y(u5mW4t2QEKje@;nl6)oB`R`oZ&#|Th@eiXiNh$iGJ||NBUKMx* zS~HfC>X%C3>jn1VOHwoT$Fv!NUe8iFe5gL@q_wY<z?baSy|{*@J0B>o^jH6}({IBL zeAmXf9_YCtihbtSn!@40VoU#}WT`8!Z2w6r<EyI>(+WKBL=(S5*88RcmVX*<joIPk zUXA@UftD{omjynPakGyZILv*9!1vH8@a$HZ{D_Xdh(&x%K2ZYR7hAEp(}KN1{YV~b z>B_z!rnL0SAH7P<Sv<tD`wGa<!29f(oAFfw*Gd0~oe8vLy(X*gk^DmJ{W9ZQYTf75 z*0q=VA6WATE*~Z30_z;|*6$u&zi#>-a-_zRhVjc~PAVn3d<;8Jg&fABV+pVq1K+sb zjVxh|Es2Z%)bfeg;Vk4Ru$DQD(Dj(=Z+h@e3*f8X1xFvTf1nqi^L;`G^fN$X*@fug zpn^`T_-Y@L>!Wd;qzkk6EMgz~FIY{RVD|oUFy3D0@E0P6sRvF5Z3tP+`$PP|1$>D> zI`RT>EPuR|80!-99*8`~bKh_o{@X6UdlMc5=dHF<cG`oFVxAeb?<KlF8Gbii#5%a4 zzja5th!|0zHg_RG54gW{`ADahbC2%H8(n*i)E__&2UWJKSzBK)RDE+h%a0ho6Suu% zTpG^bc#vI(52_kvI5@*|7t@B#U<EeR%cT?9kVPw(-}JWR{6~FP<|a^^@nuojRoDLG zhdbOOtv-g5E{1+oAa+>9oD&d#G{t`%gtaYuW`P1ufAKYzUWlAKb6<Br=U*6`S&D8? zLZ0ie8G$scTT#l3t363sfdKg>j=8|MIM!MfCbSJvA6J|h>5ygbP7CL^LZH+4V@L!s zPkF}s2Y#m)dxgM@<qnnKa_slzsE-vFKfTf^kHfq+>t13wE5>(HGZ=d-{LlXiYuRIt zsP1OE=8Vg<ZO*gZkQVz5O3r-+F<F1P6Hr@?VvQq_c@AsumbRfPYtzqC<`AK0fJ&#G z=dDDBW%bb)S8%6eoo@@MPq>8NT7|Fu-nD1{t^WEow8&1rmyL3s)P{B6m6dmux(C%q zFD3_>Q80FN>+A;ad{ePrr!;?-J{JAq@U~N1o?xxB)LhZ{v>3dRwB3R3e}hbllJBH; zCwvKr4-GVAEXnc5301G(gIA#bGxm;)PCA3?d2#izC6q^Mt7_c+)RMt3>`f8OQ=pTM zH4f{tg|%CbtW(qXzri>8xZl!so^RQ-hyCO*dzu?MU<XNP^EG<5S@+@y^l_-}v43PG zCZqfo@{3sIZC#MDFU;=bPoqOciHH9U_G`@lZ#+_$T>DvsUp}aE{|sFbIF2rz*EL<P z&#s8RyP=s6|5glL-lFp>#@gp&{F|)U!|r3AWhaA`rw{g6TJ^XnzI$9|?g;cbg)RLq zsJ_JXR|cNmVpkTd%;wDu(z%(EV#s|5`=Slq@Mn7|+lZXE$8l<=Gw;L5U^nH%)sL7q z()~WlJNuA>;W6|z_Fj_lXF12dvy6AQ$aev@w~hAOK{wo0fA~b{4Ro|481h2?%@u4` zbvEM@zB?g~n~IITq`xEZ&wvg-#rJ^321CrD!g|0F*1lM3=b67?e~s{^26|aO^nCc+ z;}X8StkFD6=cVj-WY&l=e8bqLqQiq&&#k04fE&S0;G!J-of~`tccP++UmoOgU(5F6 z*FHh+hpflW!Cq#oU;d8g3gk=9J&&F>TIjo1rv_VBo({BI#rff00#m~s2KtsAT@O*; zvdoH4=Y)FsOe(46lXE9_O8aH!P6YcddCEJ;`IcWXZEflgYcbb8K2+B)H#Q=0L1T)@ zH@t^pJq6n8n7+2g;nckQH!gl8A9mBovK8T;8$g_o&efn!U?uZdNd6G|@ls_LY}v?9 zx!B(r+Cb!J!&rQnf$Xe<z;%(M#uZ!XQ(zl(r0!RT@TDQd3j)s=#~Ji;Jo`X@)~CMp zOozkyEfeL<?WKKb@{`cpwR&%Loj&@||K6HjK6k2oY^UV9^_|4>rEV^7J{I=Bgf^v# z8GgWy%IUr#9EJ6qDCzt7jx>zv-ymGq)#iET(vz}2c;+GROj@3$Ys_bqr@XDz$2er1 zhVwvLFpROMV1KNMJq43b4TgXMZ;(+C>6DuPQrD=~GG}yy$^S{a8=|N{X58ppUH7;; z7FpsN*v|*p@C5Lz#%TWZ85>N&9vu(*(*pj!JpyLZi_wpt$qQtnO@457Oc(8!6uw97 zS;?V+U_x*QI@ShXn}oE10MZFGe-i(eA3xYo{lZ4;Of39c*uMk{tBo!6cH>u!F*F3H zg96VP>kIG|_y&9oJ^`PC&%pdLao|=I-%?uZb>||!DktwU<650Zb9#T)s7-rIys6r1 zhu0VIw{Xb1EV01Pdf%}W`!9-rKCF9gem$Q{>(n}@PZ<9)orCH1Q(ae+Z;$@8=Y5ZX z<f_9tSof}+f492Y8@^TSxqY>--&p6;*lvE}$=r-%nEJi_YFpA~A9fj`c9k!l)5}oT zo?ifeB9PSbn=O#tA;wU{lHsO|4&P|{zpgqK7h6BWGXyH21K-H=ptq?1lKrAA>6FAB z<)H#~k!>l`rNMi$Nh@S#{7K_*7WEOI2}^hu!|A2r^l^#j+|jW#L3Vj4%M0cQvx7On zoM0|cpbG2$939O@zBXqY8;Vg@9DKNlcj3@NU}3NbcnP^1C_ug-XkdaB6PmJA&z$-| z)_AoQpIy@ZVqkW@6+<opSt?_j^x>h;P%tx?1$|BrU9y;WA<#K`KkBr2`!^}~8|Py& zE_{Uz6OgHaPw~m4@a_GQddp0mFIrP=Dz@$whUc`#Jtl9{V72eLK6skb&u5k_vNEr5 z#%!P!GBNO>^$tYJ7ILs`qP#EgF9uTK+wQ3TN?9Z^L`rPywCZ|CkC)f9F|-|P+7;hy zLq6ubAjP}e7~W>EwAb;L@S&TA&!$0Yhjv*qmn}-&HZ40(ydY4EyOqDNz3o1DFNVK8 z)-mXH?ckW@53Thmi=7ukmNzK7rR9zBmjZFP3tY+`YC~D<-M|mZcVGSbc8yQdA;+A^ zE`_zeQ>=D-t=MFTHIFi^*H-d>E+96-?gS>X=h*N8@(rf%aIH_wx;<onIj3iB;Y~@b zB;arD%U4G^WnJYNf$W9YP+ZH7wueSHiT>%1{d{qeZxfJ5Lu7LqdKSE(^2v`+K2G{1 zcoaMaZo}8*qdYHj+fP2wdba8L7oPiH(2lkB1#5}R*MWQSqXMDH&`rG?bxORy=X4zk zX?<Dt##gM-R_rmU+OcpKq~0IDo+XSJg!}(+^5wWU4zz4<1u<4E-G2&OZSS$?J^&wr zBaz*0=pNSYcj#SEU?=(E%lO6t91QLv{{Vd}pnLUd=CcOeO}W5w(ksA0$gn^B0)3%H z^)4bh&sesBQSdDU7l8uV;y82$>o6U?>{5uo)dO3Doj`#l@Q#lko&3L_-dfiK`YCvb zXLW}T00)A7z>e(qFVM4jw7>a>)AX{+WGMB+z`@{H?zjg*zXS#D{^Rf#%1(@=akZ3W zc<R(UwZsZ{y!j#OtE6t{62sxpVAXla<yZY$!r0Q{_u}ou*HIt&$my$OLH_?N%O=uM zABJq=TRK07`DDPx4YVY7xWv4USh0wyJEHrl<YUoSyCA3Cbd|r9rwMh+5>VeLlz+oU z^<}uq<D9>6@y>$!xs<(R&z}XI4bA{R!0x6(r-SpsRk0oZOxWxPu6<_}^{c_<;0kal zxC~qb-tjo?%<rEXubI4|zvy{mGB(#(<boXtY|*)XfUde>Hg*(8=NX522*e@Y7I;Q1 zyaBozIS#;{;%j{srN>l9g?AQmn~c5~*v&Jus*le@{1c=;Y=<Rx;Vo+IZ-dmIRJ6`N zb*w$C7~?STg)7EwNZezfFS2cb4xXi~fyXJ`?}~>EubZAAh8xbfpW`PD<a~->)VNv7 z%01&-x#fJbfJ_XGCofQtXNQAVk<DeWH1qQ$<UT~}9WL+h*${6Z-qM(<66i}Q%Z^O# zH^?cmu0a>hV1@AUbI^^r$my`!R%Ps_8fe2&^wbxeBu>9-`6k12M`Mx?=q4TZxE{MR zFwFAVJFw4Vw6Caowi+LkfcWn~R{n02cxd4({zep9!t%T08TTF5eego3$0?jMK7d~! zK7MnsW#0~m_qT@H(+=*L4V=_@o4nAb_<Vs}#G%t!hhfO5Bj?#O@Q&2yrbky=Tj%w9 z%=sDXEKrZSw#?-OYfw^kKcR>J6GHWUu4T)!JluJYa@rkbe-e0e(V^>TpGW1J*&62_ z=J`<9H<sFLtqXj63O-RAnueSVEN2eON8=yBjO-^XpsT@E;Md?9a2>c7bi;be7P4kN zkaIiqax?i&U>Og0XwaY0*R9Y3=+buRW$ZOEek@}s|Ne(%yPweh2lDmw9%Y>BcYI=` zG|0D&&L^%FGvy)nJc8T>J_cKZt-yIaCpZ0_#zq&BUI=c$?iWJ^mO?YAo@e}rSb=nQ z%||ovlbUg4c9rdAEwWIS6|BCL_kg-Dn>Iq%upSLKtMnn=8~haP1q$>7`+}c=UBND3 zXRs646YK$Y2fKlvfbGDxU>mR_*a2)0MuM+68@*sW!Tw}`F9VnxGI~zg6VQgCjA^y{ zo5RpPD#J7Exs~umHjLH%ac3OfW%)UE2a*34^r97U(|GN>dVIT;lP*BN>EKC&eDYt3 z*>8Tv@C$tkJfOe#vhlY-_?scn!Qe1(C^&_+X+qy^z#7yKMt^dHvnb!fv*$o(gQph| zKVU-wqtLB03wS4?cG-b(v`HTG`RAx#n^CwqAE%C4mk6KP+49fBkm(?vF%TRKehCf* zhk(PuLMoTN#8CzcXy2o#KZu=;fi6T2<Dg@~viP0x(CvZvdFU|JZ`0nU5B>)qZu8en zfZgexh?HMv?w|4ufj-dQU|%p2IrfKMyojnSWM2y9?2|p3Eym9vJ!^N@{U{v2)f&EH z+~?T9zw{HGjfI~}tbQgC-*%7je}G@!V9l{Q`S-z^U@h<@{Z)a+VysctK5zO@d!9Q% z@DJqLg>i1Te1-6|XKx6kJ|!3g27_r>*AVEz^w<mbo+QkX!5-Qsr926k96U{bpCE@x z(Dou1P@n@efcp5Lfl1aJA~Z$_XG}fd?GE+=dxEQU{kM4d793x1V8T8A-Ki`lhu!0U zlUw_OsmaA2mR{o~DQk$HlqHtxMBg33E?{S{8`u?W2Bu%i-C!`^#*(hi+O~jtTyaco z{Mbz9FhK2mp6<1`!<{i^QvREoH{+Q`e>Oa${&o)jod}-M7@Urb9#B>h-Fpu0e2O!p zciMifDgPW_kb^rffsbj^8f*);5ybCKKrXieoO<~k#<~gIb?M}AeA`NE9V(pRtjU@# z33d2aAmc0KuY&FIJ2%<?wrO9j<Fl^B2{x2nhA!iS1nOEg?3BFyn+E@~8d(oz?F3S~ z*6&Yb><h-f=Kd8O-<ryK{zcV;Uy#=zODB4%-;zGQV?EZv-<0)g#vUfHfqW};;ZgFK z^N_mt(3#q2W0vQ@*RDZ-7V6xd;CH`8rkC_=R;z%tj0uY#5lgWj#Es2&!Zl;oNiMIB z#jd%<zCS_r-jr`h%)c2<TvUv)Hpc(?f+%$GC~I{LG;osiDeyRW0?g0+L$Tip++Ca@ zUz#>O7@L4c=ld<|Vnav=Z$7=gH=4<K1Y+sFCFv#T(rtWM24rMl8_&2$*?n*;>0RJF z);yAN>?Ca<2j4(-)b-k@<x5`jx9+6B1NVamz{B91OZXya7`AjJp)<A;#9bqDo8ItI z*!@V_A6V>^<!0@!F@}@yq@?aRe$Ixb=*}J1vOn^eil1qQe))phQG72#KQ*8>)FNL2 z%))aryW}T)k65!=tm_=co16KUKF7T-DB#bYVM9Lpc%MBYHEs6jI6vdueO>j;=3UOc zoEvuV9AD58yRl(r0^R|m!#2dV_B*@Wr01f4{@Buas6aw&VTbFzx|FY1zp{BGaVxk5 z3}n5wLAQcCz%<#=SJrYTX#<TlzS%8&$YC#Z54a!P2Yw4401txSfdaKP)|Yfq{8R26 ztPeN_92z904xCp<`U&gY82#Ix)%)D6oPWmQZ${(81UjM*tC>S2bPRm$p(n7vuX$z{ z;+S^i*OJ}<R*2`cv402QqXlm8tZwiMWT$KdeRd`PGx~cCya{$9|10zcn2a%}2D5{$ ziRVW^J9hMrvkg8b{S*F;4tW1zT!+@-r}#+hJLrAZ<?@2)M@9eKCSEX*D6^Bgy1<k; z^pfU(R2nCgIkG10@mT_&1j*k$Iq9&34$Vxy&nc&Gf4whoYJC4LMAic9{(8GUD}8yu z8|Y>NVvAS>(0hFE-^k<_5BF`@TGVp%06E$aAHJ06)1QCy-5Blr#pgbRvW4*5utf7w ztWz_5>H_i$NiP8xgUi6z=*$V$bUEn*fwBCiK*wXli`2)>;rRk}b#IgOxA=%OjJHt$ z??#_H^Q*@g1CgCC7(<@|<Dg@~Qpk5abRu{eJD3ce1iB$nfKxJ!x~brFeB^X!Tztb! z=o~N(_XzW#bHRkj;4b41fF=M1_TrCA5zp8VNL@R8;T!s?OZ$KDElDX$2?m2D;h(EA zKTJLaam4`o$w0aYz9^jfqv%u`@@c`;U<g=2=f48K5Q#5chYuDgfzAqCjNm;MctrPz zv!u^~=fMl0z=7Kit>7bmU8QRg&B)Jj*3BP1xJKLS;1%#H_yhPOc!V(-xJ>>LcjP@8 z+wAoCu}8eCN{!sny@9HuhBqZLG0=*2z8L83CqVq>0?yew2jQ!W4wPjq8F}8`6`VUm zIis>31~TZ`CR}tCeG7vx8@Mbh`v7dAq%(sj8DnnfY3Lcy4TY)8Mjx}-M+%b82j&O! zfO)|{_7)q4pzmSmS~2Pb`skSYLO%ohgXOTd&!L$ZOM7S}xMd~pQq%`@BLAzVrH_fX zc?Xb$*oAQvu<SCk&M`r_aCspvwvx*=u8-+cpe?iw_zBn!97a55;DW|~D_$utYkywL zj-$Js;h)Vu-4)sc><$_@r+g+~8$Ha={f{2KqKoh1GfE?uGGKAA1ek_>z>|V+-_hMi z%&qeU{5;P}OL-U4HmpW}Qd4fgW2H^mP4sP&Yd;=YfO!A3({5!v#%=j`Y3EU&)m3%! zXrRNplku#<4jVC!pJH*I*YSih-mJ7Kgn!+|99mL772EkMitk^+X5?Fd+2CsrZAH9y z0KWa;J}`{(J<#2tz)<A05*-z|&G-dUF=iVA-}w7|a+Wh9GzHiy5%;a=$WG)OOg;@5 z0tP*E+GoSg1n%L3pXWfH)Cr`Arqgua0RAmT(s986u+1B%O#-ctZotoT<gf=DF3CLV z(0@YelYoiAWMEQIAUW&1oaem@zGSQd`A%aCJo{a+HH){V9Bb7LfBh~v#eNv1dT<86 z)F>|BWD=iDw(cHtiW15g8J|Bi7PuYR$JTL6-<dUj_!8FQ!~r%`V!wC88_O@YwQThX zc51^W^i7~(FusSF`4IA%jxVYB!rN!z6y9{QQ0|K0X-B*<A6kfa;vwi|8}e7foSt)Q zTv;C75~xp|KwZ|!7u42$)PqdQqO$_iIco|GVJ%w6<2{7N_2Jl_4aXOtXT&)R)yJG5 zFR)zmtDLOgV)8k-M_CDds&&nETpRFr1|I8LE`?_u<x@B>ELz8XElxQKI*+|{KGeXC z%)A4`?{C1SgYgkRdz_lZ@GJq>T7B<DKUb5l#Qt$1lK-!_Ab)qHy3~O<dj|eiU?F=^ z7wX+`m1nf~u%D>^I45*HcRS$UJnJ8@7`E#R+FIkV>o;1@nWp`k`jiOo6SX-h%YKL0 zLhbiMBUoh)cloSBKE}~O^`dWXr%^SXVwMj4n+{iE&bL?~cQV-E7Co=&WBw;HoxMt6 z7wcieK*l(Q^G(!k?i;!DtfPG6-ys{jZOT*5_%_F3@6*4}X=a^`n&E%k@U!xn@*l1I zV%GXMD?dPWF(tAPD8;@vMg5WFuk&1i2YSyV>0~Ohue7a{b;d8pL2hoSOkX3pugObX z@{x`^guH<kx+bgD&wqk0xuH*jm?b08h10Hmyq49c;VvBHqz2IC34CB|=8_MeajXD7 zPRH6CTM!tfa~TaC2JTe3j$qAxSJ?>P3oG`PybZUN?-sHuGV<+t2ygvZyxVoXSJ>Cy z%UhGSLFjmiNN<_6t7_?ea(sLHg!mQw&u^+r9hhr(Jp<jsHwfe*J|2sYxW~Ajs(+L6 z`{Wm+j}4Id`%oKNCgSht*~5Re#uWOu!%<BAS0;RtfJdoQ%eR)6zfNbZ$L~=NN9bs$ z-CfN~X&sMK*I)OCWB983)JG)b{!{yZg)A=Pe;%zM778HNr@R6_KP_~P?iW=wHgkG& zeiNx~N$yjP=kjxJ^c{On9%PW6xX}$a^bEDlRkwqDZsbWg<Cl;9O5h{xw<rFi5^HMU zH?@~ZuKjMG_V+RR*UV-2V=a4=em=mKPM;^X#YdlomcXagr>qS0B>7XIfss6aH!`!K zr24=@s{f@mZ+MDp{+8~Orrf4Iv4KmWyvslr1oGoUFIn=;j^1o%96P`~>|G7frEgU4 zb~49(l<x-*fZu{ku-Em-eGlmmPxH<bdIUTQUZ?IQYkZLOA@Bw=d~MB%NBb?)J2@H4 zx9Hg&c$%V@VavGpdG3{m)C<h!83wL1hlj)r0`22DRDR<jUjx}0`|c2@&CLLBTT^f7 zYo4`@cw!E75vZ@R#VBMs5*z^z2Sp_o5(~AmVj$Cpp)IlX<28BDjBd21-!ztdU*IEp z(NBg@^c?I?x*KT2)hKe<x4;nfk<Zn)v`<b<N4t*D4q#`n6F87Qz5qW5ZzIEN^wE!W z8hCGV@0|+To4mj|`VMCAwc#6&ox``NzQ-)(e1v@oykR^~vD-gXj|^XL)?DDV%NM@1 z@&n;X#eG0g_GAO=E;{LL#0-Ba??BF2ALf9AvRui%yeV!IlQaH5mG2*`@0Q5x4=eA_ zKAR(}x2-(yC|C-=^0|+@rEfUz{RA4w<!@3Bou+Yf31Wd)>}iYeUp6E_AD1%Lj#;_O zVC;Fpn&4WS$x2_v-c~Ml3Vy{_3=C2K-<-J$^hBrQsXs}8&oBAH%WK;FrvAJrK5?|_ z&uetCAF`dQ<NhB1T?d=~+T*l(pYawAchaKLc@}aW&_JLizIa+N-+}9+zGEI=G2Sf9 zt)FFM8L-u~$(%lN(B42Ae0{Ly3#)HhLLa_hH*&0TmRJIrK8TWYv%@tRpZt*gJ^WS? zjWdEhPF?Ad&cGg1Z(x0V-eu#b3_NG90tJ~<Tb|u$6?akLtg$OL6`r2N$-dye$0;2t zn*@*nnYy7R<G!qV6UkWbBlDlhe}P~6guH>Sq&r#p3RIK_BfyGaWv~)h6|4eQ2djba zgEhcfAg;x)HuwQp7pw!;2kU_izz@MjU_-D8*cdc$8F_RH;`=hjwXdKleK&1PERsy; zZFA*6<y%(5v)Hnq1eSl##QF;S${m9Zxt=-YD}2~v8Y{k$Hn~~1L)IQ(_v0&FinGxN zDV_dPVi)g%aMtgW0B?O=9qae#%ajfLJG>f)JVSo-|8#m8%G{n{XI*uULx>@FV@vtz zD|<oi%b+>Yx!h0#A@Ib<ZwlOk_d;@~?m-f#Onz@`nWQ%-@V1qFCXf8`E-X3w2r)uY z>)&EJ!TiE^I{f*N>1>{pM|HYZPN!W*YmOz<ccm-Lex&|n_~V$*lUCU|+cd_vL}=Bg zvZpO@`g8yGL|4w}{MuRaZf4ET-Nw$RUe7&U7&?mm1d|r1&$%X8efWD;{5jFO^RWAn z^ey(K%*ZDFqqpa?-xcd`vc@TGKS{)$A3m+C%ePCN4Q>4KHH<Mmn4Nj&QW=lNwrqH% zzBfJmMfHNPcWmNbkHb|yw?j*@CmQ$xJ#)isy~D_4$?}}uw+QbM%dT#rqam-oa}QP9 zx>?iRE8pfJ?;t;iH-de?9lE{>KR?)IdspzS?}7mAAQV|A%I0uv_TftdTz(|Jl|QJ@ zH~j}`eASiMTp%&~;fJ}n|4YF8Rb-fjwJ&(dJHIgWVm<Q^D39$1pfjgch7nfZJ<;WE ztj`$sJsSduCx&1%OA6p~@fp4#j5>j0dd{w;`mxxGQ@;rJj;RIfZJ-u=cM<g|uUMDw zbggo!?p5;`PKTbt&ow{?4J1V;1umZU_AmKuPo4Y=<gyWY^k;sn0%P(BpMj^uMj5Sh zjg)s|JdY^<319DqhZ;-$#yH0=!C&d~CZoU0RHy1`JAZWMnet0N4JdzX<p-jZHk6EO z=ZM?TA%XYs*AeZVIpoqfV>t1}umbO%SH>{@7Jzvb3yR4T?D{)Y=Ls=?%e!Q1YJ0L~ z0(IiX?6dV!!{MbRk^9Hlo%{~f%SP5Zbk}+0Qyb5S&itkNDy<G9-<;^v71f8<T6Yf_ zewmPXOTXC?-c8u34SlG)g}n?w*6kQu8&HQH&DO(eYua_CtQU3=C$^uThq3qem>MrV z!+e6VJAp55JI{<D_DM=yC(w>QUgBpB97AU-v!@wogxyV1-}grKW~26Jc(!Z4I_)Nd zRkeL7l~)A$<)IGuYV2WSfN2Ro_FaMcnQTn6z}a9?>|hFXDmV=^Fp=~m%|B$!xkH?~ z!T6~ql%I@pIOmgI07ij-EhY|K$G6*}kNB#2lnEr)Jvo>?vpn_Hv7eQ%oVqc(zTxOy zdGw%MR;S$Qo%mV%kbF0M+ZgiW!13S&a0ECKd>x-}PgDl&)DI7(e0A2C{h59z7xG<h z>V45hSNMjTvHOCl?|4pf^x#vCF`gj*&gkX{bSMTq=KQ1kT!8w<*_Mwyr#jOd+24-h zeG3>*^{c4rYR}Bx9=m8?5sbH<j_VY%d4qo0P)B2%2lQV}{iUhTgKrl&SChLY-7}xE ze%aM0MT8no?hG?<ug-gj%&z+!;TX&s3;_kMvv2n%-48rUi2nt&EBGXevjp@dG(CR) zDfDhAai7X5oN;GS-*5u`ISC#E*R6=|_WypW(x(kwm|t0Jc0YX|04vaEd9WGjJ>XvO z2>l!dcaYu*+OQb8<jcvvn2mc=t;>Ml{GRlF#&lH6?t1t)IY^(l=xu$+wKsgDJ~N-5 z$v&rF8>&#h;$qC_590aX(C-#-IJUJ7x&ge6j5a|xgEp)upP98kZ0U~F?{uyE9xHzU zTWROvZ>g<4?tp8rx1SMW?a`)uDzR>BwdWn&Nx5N+%VwstChvlbDwiQ1hofyJ{vHK6 z7}&(z&!~@-vZlF+Tdn%)9)~lD?h8)N`K_n=-c#2?O6#BH9liP|!+V$hV#W5(V+qel zhwlkdJAQ?)*`)ieX(RL~`}tbdV4bxtt4OZ~$D#W@g1EmUy_fbyiN98oUdqN(SnYLg zR=YRf=~VE1{SLlt^y>@CW4DR1&lj$F2I+Yq(seF~i|_seU0!6#Rr=kbI-L+d<WGOa z5;#wbqy5gu-(*EU=0T6sXKCmu?faU)BhRJkKWbQec`ZvHVk7rv_?}wCI@#F|R_iis zCogb|wXk8jcbV+s==5s#*H;;1GNeX7Tj2{&EOFRZs2`PFNe^)a{dddc)D2OcUUkab zM?daYiV=6s&^2>7`3>d1!P1E##J)W>{uQ1_$l*S6x`SMk@{D_|e_fT|8O9^92)bYW zu2b^gzj4*?hpJzBSBnPf6Uwtbt<eV?UNWvmS)H;{k7CvhNA6jW(b+KK-4)!iL^}1i zb?j*^JF)vT=_Fd82%7jmc%@AcJSi={%!&EF+VV}p(_i-mNe@~ozYctcEXw1H1h%^L zM9PwPh&eYY``%ikN>TjZQAwoqZTLR5Q#P7?(jPxvJvrYHWAA|)r%CN_)v4Ra*bTiq zI?w*u>OYy@@d<BXjpMrM_}%SI{$p&@z!BXqzD1V=mS{{9?;3Fm`J_-c9JTf+sY{PN zY&*}s0;WUvHbQM!Lw>WXY#n;Kj<Re#zg(2f?WC6w2UL0P?WY9mSpqrxGxkX0y)pkX z$MnSH5$IVx*~_uR&);$9){phQ&R*b#8878~P!2!;0iVY4j!#$*6JIQ5+y)lo<CZeV z1>jDr{3|_Q&trb2RQ{Qs@E(#lteeJSV=enyuRe3DweB@nnx}BK<T)icA2eO)Evw3Y zS=Gv$nwjd4On!j+rSt`exA_L;efIG~>R*MYgO11WhvCmXs;~L2J=D}UM|Qqo0lsS) zYtfbU`x+gojGya3%p_35dS0mIOQkMQ-w#UKhGXd5O8kmIDW#G=Vm*JCt1qb^!&xe& z+R=H&G1SE~OqV?}i1lFq&!>J|+Fo(_wHd76R^%5*pSg7%h0lg!?ANW()sXevwP*C! zWYsx;Xzg3xTHcBIknME(GVl>T>kKmZ!PUOEHI5;~)RS0G5B3l%5%;9{noQ`Zz=yi0 zN_rqNxXRp8S#$NkyI1|W@EC|n$6d0Pf0xqfD=l*~5Qb0R#F}LdH6{El8@efwgtAcq z+<U5zld@gt@lNnA@yKMx8_1cu$}0YbPS^d4HBRBLiGThGdoGH;3Ji*LsH7vctUC6x z*OG(O8Awe$@fY!GI<Qt2r)}BnruJ<*?zH^70DPZ>KVFv2Ti-(4N=enY-Z6MNoK$<{ z)fGK+LmzB2J@MQPbmJ;xJ>`mTZT>CHSzus#_R(OcujejZl=?!-C+V}S<uV`lFs<}C zv90k7e<IyS{zjMGFw>8Jd(DT8?rN;kO84<b*7I+ujx?~=NBV7`zPOy_JE!6sC#gT5 zZuv<+o;e2n-H+}H97o@e<mB5EWGB#-wGrs1RMKPFS8T|NP9$cnPitJeTlcPWYUfAL zIX`%8h^zgZvK{E>1bbXm#G_3{#+He>FJnwL6g=zgZ!=>S_%+Jr;2nAxXH?5?-L&fa zgkm$~Q(61ge*BEU8<mskE!`8RT=L(nFr{AlSbg<R$Z`)l^BeD_yC?M4OX}=$eDFK; zFSW)6JzQsd)58L_vn=SQfy>Of2>VQS>K^&f)9yS^pbP%<o~wQ}KDP*R{ZZw1h`2Hz zzPOr8|CT-GPJq~6AU12@hKckcP*3+-cl~^8yj#5@^oyIAzgZ3Q7TmOKzKi<D-lx6w zvEUc@9Qi$FJvTvHqVwhcah_Nm`F*K8Qc{rjBO`eB?|$4H>z#HV=w0$3;+q6M)$%FY zZlLC)EBUF0UJT`2Vqh=!@g4fn&hj&R(DMlk9FF={%$k?<_CU^$>_x+|(X#CC>9E_@ zI$mi}82`D5zDDAMFR>0s=|71j|3~=hcR@n>-$q<(!$HO-(4OZeFW{t;DNUi&=J%Cu zpm&f%8OK!CB(?56!dr-E?(jIR`f;ynppeI;yfna)k(AaV&g-T2T9AH9vfso-wmWV+ z;}o9x7o2njJ-bVpz&hekfvd<UgtZ&Wo_P*^HLy_I?Y7FK?u_`H{{t_-6a}*`0=Wu1 z<xkOzm*AV%{(fJg?-ACz$3oAtp!=op!{x1VX}?PSZ#l~2GB1H(^?A`5ev-NNRw=Ip z{~LT$3Vh(KDDHY){r<3+^E0~DKh*SsjjeLhV+uLXnc*XL5snnv*Wo|uTV*pEnvC+9 z(5q^bu^I1qbTFy%C(P}Amao)N{K&d{e536eYjVvuQa_R53EvB73|*Cd*@kS%xWCqz zV~nNihUZWAkYUL5i_^{=O}U}HSo<ag->%z>&xo>oNb2}bi++0kJdoJ*;H4!4kq7!$ zn|)=e`kV-V?jc-zkZJKtO_TD{U+8y|kG=dwYR(H$UOq`B)Ndm`V{dpDR6;&Bq+yN5 z;M+#!a7r6lGE3vbAKPtB`jpz(KGruY{ROJdo+Jh|@C+UA!P<W0@jiblYhgf^EUnsf zb=@0xBHKE5y!?r+w$d&q@6f(@;jM3#l<(73M@+wl*4DjB^7ThMZH~M4V8bi4qS{ze zbi4@iX`9gdoU`ckHhje~{AtJ%yA|L6S^D@hd-g8oaCoW1a~OVKuz<btBW!;+^@&rw z&C!^>Xd>u_4WUj+@t00rEA{<l@CVD6@vU7vr~XIvZ;}gJ#rH2G`L_zdx?ml!KDeIw zG=P2xHUb-h0((`STc~eL**SbhQ)m;gIoJ%W6Nm9bTY)V>f!5GD_}L!lLLYs82jt-k zZdhmZKQs;zzB^XAY4<gDR7syv1$q$QPz_oYtN~UBYl82CQ(2oJd|6T5k4+zLI=&Kr zW5yk(z$)UH$@qqb>{F#QW|Hz$`0;A=cU0fWK0+S3kaIzeOO8-p4*q<^>e=zFmy`3i zJB)1t>uTUSalnVzXb^txr1m3q+v)ch`K+o-1JIe(JpVfRYUubi?kyM5*IM?DrS!3s zePkh2U_NPqub~s@*T7n>H~Dtx!i8K;F1PD0!0_BtA7%13y=D27vG1@k!=E@UdnmU3 z7+ZMFxUT3}4x!&8NDl=EgWpLxzHJ<IEI0$41}4V7CP5=u!(OnIM!#p0Z=&%>clNX+ z>MNe%OH=B!->6@GqBMUNXGFc=uXY=KU|kcb49r+3-s5{|V&d-1Zw70ZlV|1ubA$Q7 z*O7b|1kDc$v{c`g1Klh@*?#V`3PB5k!OZyqYgLSNQScl(QXDE!5}JhbWfX(`fVGTb zOcmH)vml=nI?h^@3k)ar+2!(0AE8eIjXgS9()E--Ajm1JO+F*fnL^(ls6Ts06UxF! zX9aU;+kPs?=nnbm$sD$x^Y&}XM<DlP*pEQLS8vxFz7!fy{gvC4IP|Yjhu+ZgGx)G< zjKhZWuDEf7wI>MQUSwz>Gq!dDJ(z}XbHmn1hc9jdd?o%iWomD`pR|uao}C>0f%}&f zI*ytuiy!^@Uek4!o_pKr!#}I@wDhz|2hL07?c0oFqczSfR-Av#@?rC_3mXz$i<wVJ z-$7t7m<kL5Q-f*2G+-CT9Tyq^#s_U!W5sHJSpMGTk@TnVdDxfFsN7Fm?W8^>HtVN- z`$J=aaljTlZVs|{!>`sml?3pO!e=FdCIpj!iNR!G5p?`QGH>hmRcB7%?@#0V8pnFO z?^Bd7_3(W^df1pf(uS|lae-&ZcO|}3;Jo_ONY2IMs6Ru#gRXBge2NW$s@HazJAKIV zhYziF6uvZSdp$YBb=Ljm0I^dr<zpxl_?fvGNJ;rVm+#4^GPr{bZ=$yXJ5`U;Y5!8T zg8enMm6x)Ex)#^*gYmH68`e5p(LNe;$19NZ5&FbksV4_}6gUV>hOXB|=i`tL0F#4F zbq|y_V~DQ{E|3)Ga?%^vlLRitr9Jx7gnj7=&u$Xtl$+lvf!;Yw*>;!QGBb~(>f0*n zT|`Q2pOrR8kfT81jJ&&Xwa-fX;q2D}Q<+0HOD^B>USYPz{#hu0L_GZ)YtRlkAE!=W zO#uHERDhF~-yhf$I^x?ZW8)*}_j~rxk<g1O!>7!B5A%IOe}}M{-;i@X#(j|V4sa(Z zunn3Mc}D7*evZ7q)3M#<9B`catIB&s$Fg6a5li`|;@_r$lffzAOfZuDW;*nswn=EM zkvw<1_7U4v-pggz!Yi;6|GJQGIQ;dQQr24K(GpwfOUyry^@&S=y;e%C166fd2dUo0 z(e|g+*TvI(9JQH?%aK3rV^f|N8Q#YCon!tF*_*E;!`bw6l6?DYPXE^^U!*oIB_7&e zrhX-S7oqX#r=lO<i$VjypD7dgLFsWTKEJJHx1clW^9J-L*nbr7*B5b4qWu8U1HmuA zIIPbg=nyanxdkKBp`;VYGd<Cd`M;kOXH^iCtivb8bLr<okGK92e&`%~UlRKH7P%h_ z<-D!BD;*}rZ`{U5r9tNgxc1*18WRkFKNe@I8M^=8hd&***PZe80)Hpp8ybebeFnWp zz8^G;`kG8h=^y`jhw^*K;68W<ybC^MT<buAH@a>a=v$yyApQZLe2aBkt31i^Guv73 zk?P-a@k|5D+Vi)VYPV9Bx-hn)apG+sXBXl5i!~Qm!(4;)xzPpuB(mawoWy1Un%{uT zKlX7RmUfN0uup-v^xRsNbX~9lxFUqJ82BOSDxB%cL+gX(z@}h2#(#vf<Z^gwk?+V{ z8$+YWSBF*uZK%ySn&Jn>Cr5A9Hx9UsjWgDrth)_`(2={Vyd|HoKG(6e_RvVMqflhs z8G40v=?d)vMzC((pkL<owzX4j*=ytc<1MML>+&mpGxg(`;}xz|YP%bh)}wEM525wJ zkC$<;4{Z!K0((VrpU-$2Ba3F_1!^LP+F%{<Bg%fHz9qB;xR&w!N`5!?lqwLvOIcgc z4Hw|c%bb#+bBU0dfxjt_Ma*iT40(aZ5BNqgrNeg`eY7Dvx|M{us2b0CAFKfu=DwvS zv^MwwSQpHQ{!FEhU({c9pihB>wDkqeSPvU|X#5b0j083^&I7J^SIYBf*-t#@bB~lb z@Pj^Aat*CJ3(1esbKBoarR*EEe@P2$S9_N9JnpEbK9;+6$vN->xdgKR*w6$yWTRa} zupYjqFTSuevM|t({B<%tSYHF<@%!C$t^=rd!~4vypRUm_to3!!hEm#A%5He@aZgzn z^jM%@R5bDXQF%I$&r57mR>xExS`MrT=0sjSsE;6B1*{Af0t<oyg_RB)iEZll5>=q_ zv9+1B>%^Sq``81=G2R8#3yjyjX9al=>z$iE7ZQu)h2{bCgZaR3I8TH_1xDdJe8E`c zRurBhU~w=b&o2ob$zD<p|L`7Zfl&q7&v@1d=rZ;*8!G8MHZq?7f>{gD3AOz|o;{NL zK!HDWPEPLa-(A+7{%}nnO7HOP!`{baz`v{ArF7}3-P>TsFR%_7kACK)<1^=R!A^SR z0=}!VbYp&?Q$AeB8Qs|WSpvVnRMo}F3!<}rQP546?Kq{p>LV^XggvJvc6nsQzDrbw zhEHf&VuKY{`7M8EEH;m%Yod$Gl<%_IVwC2K>%4@oSzM?6W^2DIq;cQRDhuH=@TK~g z5cY-wp~M-Qua}HH=K}8@)s8c{e4A-6v>p4*yP%5|Q@o2u${YLebzQaXePlR8^>G~Y z+C|J}LuF#Z?8y8Z)^rGdB?IfUj`Vskl0Mcz1*RgW*}7M6rA;?@w@|lL>rJ0cE&sZZ zetkhV_Ol!8lLC8u$TeZyw_6os9a5zB_LoBaXp7Ut)t8Vp<5`x<Tkr1SlBH|Gaux>C zTfTR#>)hDX>S_yhi|`L!@SER|-U$AkfcTyHttZ_!Dd%`=9Vg;Tr!uD9YD>=3oZoKh zdmEu6Zg{bR`)G7kz@K$EMBla5ZcbaVQ8D$i->U!hU*zp+-BYLi6xK*SjCk$x^-mXg zdH=TRzR*}uYB#}iFFrorwYC+BS7&oKx`BEdX0g{dW$&v0h?opN)d1QsfOrePa~wZ% zfO#Zj9{ZrxIgjmz?g4j#yTIk}zaX};VLW#orAG4&5_*?fZS@$uC%_}%QSdPMJ!r#2 z%V$XWyv6tt##B~gtxdZ2v%|Q*XMIkBhpctF#yl2dCyAcM>{t4lplcy%18LM(?@7ix z!DXDM&pGX`5Ca)VZ|Qi}JH+y?G3L;BqWRCpd}d<eEgQZ<rv#cP9m_b|;n!z|I$YE6 zhXUD%okn9r!z}%FIK01CU47?cojzB6*!+%m11)`#o~B{P)385(Y){}Pbaz5>CoR7x zk=HNSNzH_Qe$Cf$XT&(0LeoPVLj@WtUF$>M(F{I*vU27*fUiHvx+cEn^fS`KnGJnU z>fw7Xe6hd<;+a_&owVfRsGS5rqtN5nnwPrmDZPA>7bt)n1;XNb>!zV^h0+t7VuNke z*9~C)-OzP6TwqKB14lZv2(lWY{<pXGZQ8VK@9<PZW>b@U`#QXVIGuSk5A>FqHbRSM zAx5_BwC_r%cDw3`&1<J$pew!MY04dhKpt%Dr_0<&u#dmdbslEP?t8{zpb&d#xSs0@ zW^u}Az4F%opmB!b7uuO;ZPxNXwEuS4__xUMOe~BCIDwCi2VW7DcPHg<iG6%a_i>g+ zv-$b!9v<O(&QSDGpf<9a#JCdCPc7@6NEc6Zb&Q|7#7OfB@o&&zODnKhj~{pH=wcoE zNM`9|f8uO`eo7_%Lf2^_`WTz`0#i<L=G3*#;qR2~;u)cqO&zyvZwKwJsogH79|LK; z;`IAM=e@wH?-bW?a)ws>lafUEx%#d%x0mzn)Cb%n2)st_ds1*_Wls~hp!?+{>~o;T zFF9E&fk@8B0)=$1I#82;dxN!{hHlTtAN>QaR2vk&;rLVoDb*$<-#<R@RWwG5IFCO^ zc9o&!!E#_&Y~H0nzmdHFT0ArVE)2AUq`~*VLaM)}e?#}-&uqxR+`__~ao=TqCR_el z_+G5%Z?x40?RF;p961Q|WM2zsT@zXRrQxw@ZN?_>AvSak`z#%gzqzNZ7I=d42k2J~ z($&G+I+ib7-vb5_|986W^do&;LB2K7g+Em8Qa0{6-zIt_^)~#>o?3<dwjut?7v!d& z`HZWr^=~iyg&h73{?Ph2&`G*>?TCMFT6^4f^!*WNpgDfUh64qh+~4R$Q{68{EarRy z3RG79jk@n=<C`pjwVIc7ZgfRpZy0+nzWeSwbiStQxA2z1SDv+OTFL}&;q!iSl74v{ zSLC-$^|zhIT{Vg6*0|=OO=6HW))=LtBl`J*ww<v5ZW=$Y`7=fnzm}}iS$GWm!E;(C z=idNE|L1aF>V_ZjR|3=3-)+c7Y>IEln1Fw4_XYPh=x9gsaj><**ma}R{5x;zJBBj< zyYLCDD#+aw<*#}F{5^VQAPuqhG<?)$_HG@rsq%Y@41K{Y#@xr6gYbN><23w9n3D~e zf}DJ5Z0Q0vE>IAi{D|=jbadUpMi*K?Us$#uPP^>vlLBq<6ZtJ0k+OWQ{2cY4+b>Ej zXBqal>*(xf3!S|Dmcces74VLE#oySI`tJ0|C<wp%sl{(vPP2S-M%_c#60aP<FK%Is zA=qp<`jr7+{g6JoaNjy?6z@0L=SDzBgKaqfj)jf^$AjZQfpMyX{js?}dG=6b6^2}| zkY2(ZS|GEX9`>V=yl=#RybE@5W?cY(jU^7pPp`QXC2!y={=c5u)G^gFQ)kn{E<aep z%6DU*XpF5_*7oy}UvaB`DPt&V<)z;$$ZK98_d%p5u)Y(}Z3FGBy;sT_Yn;$h*Q5;f zm01^ooVo^IA>aQWIPbDwY1=8Y(?e^<bv;yjd*zi?3Dzor=LV$rmMK>>NuL7$qI$N7 zvDQ-ilgf#fpOkzBAOEhqlp8otyfELzGtZUZ^~T|@!~W_Ey1MMD3Hy7pN1UZndB<N0 zeFzM5TJP`?8)wAdKg7PbSpI1+{#;<QQYS}z<<g(s+Fwgun}_<?N9b^V*S>rd9ci45 zyMJuw0rhQ?n_l_1^T_AH$F0-;UT5XKj5W7TR_yl#UK<Y4uYn&{IjK(8vr8{>%1T&q zo8dnLU!eNBecba5_BS;Stzpe~jrzb++MnSp>&lyQU-X`b*wi}z8=fubg1`*o$L`kH zol@>uU-F&|-4mDx?W+4uGki#Mbf(!U6?{706C=C6Py^Lm@-pRy&LI}Dp;##I)M!)8 zYM0FAf68lJC1?{5Hp-o>z*Tg~z@~fN^sm@k0sQt5{L+_t))Kx*)%Sep=%jGYefY3o zV!I6LYlp*Ijy?4c-iJiuL&ET5bF|;0%&{8n5Brdp^gT=EC24`V<SU|osZ_6KSoM9- zjXjqB$L3iE(&F0%>UfKy^Dl`@8!<M4mh1xpoABTBS<9o8x50-UhIU}B&K2ZuSMZN# zpa$-qadk+=N3Ol?l=6qFUp%Y%neBO3aGLKj$OmP`=2Lk4DzEx@pM7aDF+(}>qmg?% z<}_YqH<o-&#?u`+FSdMz8Jp1eUH-f}`I4Mzt3exP<{LkK&R@)TDCKUbhc5JR#SOv} z73JluPTQP!-frvVa8frdS<S=838Z8lTjH+;cB#Hd`U-n}g-Gt~cy`O!Qo?%#>?3g& zC%r<~OmbUwd{wPG#c$P5OwhV>_`n&YkAuU&p<qtckL36=8w$tg-Gt7kAAC0Cv*vk> zx`V7~6!x22%ja9`uu9Km(!L32wLbd1+{?Jbz*cN1qU}f1=N0Rjf5BJKk9Qe*CY_1C zyyls0)#h3&{a9%&^feei(~A6a?7F)CJJ~rI<1_MKJ;rxivU}ps|J|cH@Ddwb!Wukh z{x*DWXGqtVJ4fQym-Hu4ly=Pv@I49RF2^4AmCB%o>br+KLxF921}sIpEUx)W{l)d% zwN&!TC7-1aQZLYLr9<WSnEH%f*4}a4vb~a4xb>AK(_o9o^p*$xNXR&k!Z%Uv^Xg)! zwlFbbmSoPjGBc;W%%imBn}zG4>h?9{EO1!oD(M2)S_S+^GCl9kw8kR!2J-42HVt3U z5xe`EbzH2vITw4_P5HO@x9pbhm9_`)tKIMgeLw?K(V0T5MZUjH$-C(Y9nWg^kcu+b zQJi<6VbH8#b}$=w0=caJ!|5j%`88^nQZfP`6_;oJ8#F}!gIM?M?Y(?EwLfWBkG1U& z&!_+R@t!bdPdV{1HZ)LsFlE8?*^_oQbSFPNg8OP+6T42*J*ZF5zR+ELQ7^0gVPxVT zH)f0b=%)=2$+v$Kv&_`rMt(L7;XU|so)gRR316yy*?f|2VC`WaB99-LYYp{#Zr-KD zT4&j}q^tAr^@KkhOwIbF1=E1(!E|6oFavlPeaQr^wvK;S2thYR@2ZmS!<?t9E|h!X z%xg0Db~!nZ8(6M!cCI{5NziG|vds1C+cD)3Px}$B124RFJI%d-#u!g|cBvFjeQ90e ztJ=1J+QSdzkJEn<{6-#pPcqtW(&rDi;{HO^r}A;1V8$*qh5Ce4XT4*x>m@yHH1QkN zbFjDK>KhlL-vWu%mq~gS<0`84k{2jK{zVS_F8lTy{JbxiYu$mE`gl=Jsx)gkUdNaf zUo(@v{&#=F<<J_IZ0(x;Jhw?^yCi0M6S^L(J~?KMlWVT=`8UKr0v~Yx{R92z&GQ~X zSLk!sX}$22=Ij*3eo{EK)21DAIzb%qv97Q12$VoBXBR{#`M<u|_kE0G75>h^5`4`d zZ`N;I0lrybeFe7Dev^*HDdD}pu0wk4L0~v`cFBwvx*p7D`OT3U56(lrHP3M$s6PLq zwkh9%zja_w_&2Dh@y0E91$NMOGq{$q+R*DSV(M^fGFtgS<L%SdJ~xK;_oDcQl{RH{ zzE@dSfmALVD@}c<#%v+PN&;h;kAc3dnLuxA&-~QdE2VCUYp=h@^QVCZIwvA#rk~nN zxeLH2%%Sd<`lsQf{~u*%0jE{bHSk@QU3QmRmhLTTsinIcX%s{S3F%G&0SW1p4$)mY z1PMV56h%-Bx>ZC`0SPIkM8E&pIrBcV*9YJCJHOxD=`%BDPR-o=>`u_Ovz$I79Y1WY z!v}-lr#kDor&iq}W30eeNQG_`_$etlN`B;L{bRsW8~rj4+}E&W7Md%)hv_(*)ZZ9F zK69dJbq4wC5M|OGRi3u%o@cr#?~F}dl#aQZ{5x6}ou9vNM4J}Ke`aEV-6u_4n={n8 zRJ_yE@@&LQ&|gI)X3kUL{|2e?2jRyJ+GhefE1vu$Y<NxRC=iUF)>&=Gmx;+m0b^C) z-BR7w4*hYAIW5;cEvY<y7T=?|rcKX(KDRPXT!5MLkN5ybz;l=of**37`5kw3`jhO- zI%xPyDBoou2QxBZ%ftDu(2>zV@?O|@#8<YQ@vhb7?5FJ}p%W(RzIglPDae`6@t>}+ zR~Cw+&#S=a@%T&vLzTaalRvI^rl!U`i)g!I8h6C@2^1#Z#B)Z^$Q(ZkG5sF*JeQvL zKkTo-64rkcJiVCTC&YWWGuol!OhIOkkp7zRiQXkeV+RM}&m5#|m9{I4ok`O4uf(ef zWfJ+#m6pjk-{dfJu7hpa?36c+#n*H4(pI1|?G__5WAm82`>gBG)h)N_uIztn&pm+D zeWCr<LjRq}_uPJb3;2hb*I?*Yhaj+6b<h-e=3~_ZQhrF=O4>p?oqHYl?Rm#$Nd0qu z{L)_R^<ws~T%yHb;&SL9feMMqQNR!3?62y~?W*HUjd_mc?6WA+SF%gzITwB275%e~ zxxB6YCI$K0+0=W;{}ATVOXV}G>W?fcpU=^^m1kcHfhXq;A0HnkKTPjFEnXYH3av67 z<{m}mqlnY*pu^*9JY$48G(H=~_r)i<k43jw*b#@`vHlf>)1bqjfxbD}b`tkfUrW+G z;|Upj?b=Hr@CD^AT!AhY$|CD7oMAm@d-}@ipo=H7N1OfVfB~wvOC=f%#WmjN@RN&s z7C4GA-_7jFD)@8^dMtX1Z!Ft3&Y7Pr+gFCaag9DbhtC!0=ozWMK%GF$WfK>3?2?rK zp!NNb=~v*_elb#-65`O8KO-9%PyBN}((*IrYN2pmlbVcdd11NJE;TahLditFD^Zz^ zCB3yII*EKoNB_F*B^{cPGusB_Sovvz?!yRZPzqY~pnu(?e8ZK*+zA3j3-Vn6<$ImE z48vbIA8zW`fa61Gyj^v&l)md(N_-+Zi(uhX)hpAKm%fHSUx~7{d>;<aJ_3IPYw1e* zMd!X)TCGQB&lTofAN1eHygnr?z_uh}XT8ui!IZVucrN_}S|uh&0gI7^dDz6xl&^Ny zU~0|t`bsy4uGV**QaT%%t`2=x-Q|DyB${@UJ$h`8Bfq9a%IA9Bhm@tz0lXHn2d7+H zp>!ty1Nxv4_O(JUd=u#P60{oZ?3MJ7L?^iL3HA9SOj(g0+%tRDT?w9^1rHAacM<UZ zMH_)%kniU_{5}wV66nf%m88e4qbRu6IetSi-k}e7_Vh*GZLZkDdnjbeLLzw=UMIiC zQ}({@<pkB+x#86|@Wv?*{arkg9?p0I4|EO%GIOT^|65q(c}EoP=+Cc8m{!}M*>9m{ zj_rQu{f1|5(&|~(eTp$U>Nw}suYLu7TLeu9(0>eT_&F2r9b@rL(2bQ@LuH-+glIb> zU;G+$9E?xtg%;?CIOf?y=Va?!AoBvt)$R;NPt;_r#>{`6XWwm~zt#7Ue6$~X6|3}! zIM45_Zo?mmwr9$?Ju+$G3hOGOJR73>W$PsV1i$QahbIcNAN%p41!l9hsrbhJV1{GM z=HY)#K?hWJ#w`m?1<I$!A7{P-F&ptARR=Xm!aqA~%6qTFhvrQ2m-^btjrFnC;Y}$z z#XHCsX}e1Kx|-s!ea0gfiyb>G<-cK{1tx;OuKF*MpHxbo2FfRL#{_+1Id^a7Jz59& z<T+^E7a6|{jaKS7{jirGO*8nU=ZB1ypfsw~+gEO|@;>sPMFBOy@s#qUZD-@*j=V}) zUU>W&czj_gejgWUTCG<a+CCZ7Hf~r8ZB}s}kH&VOzg;K;jf?6#MYr6W?g@{dR#~%k zIms7<FDz_w=o_f#xXrAm548V$YsztLABhJsxBl?Me&!MC_)oUY5b6c?D2{=eH>KuT zkUgvhuZ_5e&xZe4#kr&Yh&{6qOS_yQCifZT<<O_?b$>SDi@C6XeU5N=@1i3Q6;&tg zhwmOho8!oCv}0Ei!Iho-2|W|fqHj*8KEkmdd7W~1{P#mmt~PU+LH}*Y-OhAw3zL3b zb-v_!>K@#|C&<k?Nnkp%E^wAJ&=nmkqeJKA&`e-Hykw#I5np<?>Sw9z63pG1ZA5(D z;|EQD%ssBtB}Fn(dGAAX>=(|Mz13#^t@<KGCr@Uc^8aM^YrC^w(ySv}`m}EAE79<w zu6wXUv)|F5QRpBSdg%DmxC_s-nlm|fBt0|pjfv9IZ96%R^PZ#Qq%JkGxGS}<)h8a_ zvNglt)1k_%nVmV=dWk>8K4esWsg2wVL}^~qldvIIDIcw4+zOLYc+W)qzaM_TrejD^ zeb)Q7-oXX`jh%D&?*-(+3)g8A43E@8FTTha4b&HR+s%q)9n^(TR}wuLf~=+?9B1s} z<c}f;LF7ZwmxCNyWQ{Rcnj!xJ*`akQ+F#W>uyR_y*5Qq2;7UK$w9iPKfslz1K{&&B zk;LB;=T;fbM&1kWf};v_t?lq@28Rv{l;`JbyvuVZXYr*`c^i!Gjt#P<CcXkcR#(0X zKgQoMc+CFhg0JQ=mj>Wy<g8P$q;=-!VqXY9=GL)C<e@KThJS;5=)BCA{@LaQ^<BCt zzZV6Uz%t=!c;7-h`rpWFbN^dB9-Gz8V~4#xQ?obG@Nx)oFd>v6E>1Xc7$F@YEy0DS zkn#M9zLH|jJU6M#MLYG<G9UThmHw+#FYaf5EZmra|46t+xZ0Gzr9hk;UE90|?}SL- zBitnjM5?}&^nJ>fz#|WdPjl{iMEob=Z^B=MK<1tYzf&Mh0pED0#5}7~o>|Yep?>7g zZTq<N&x|E-k@y$FWx^%G6~eECYlOw@-#6Io>!kn0?pvs?JTUB%Z+>6Gw`){3rQJ~E z(n2;}kIg4KdpvWEE#<of)iEEayl=_o!!NCNQ=STb8-*-B6~)~y`M&H?Bz}#BjM%;H zs<Wq~3wC+@z8_h~X?)Jsj?X52yMU(<en6aK4~pn|CP9bI%;hX}urL)~m<V5Nc#OO) zh~j<>y;<I&k@W3@{R@xddl__an|SUZdh#u)@>$bD2KzYrq{Ge~(ZSwj&cTjdD}^iz z%%lJJ5&UkNd7UGCM>tRT0lo60#Dt#+7YK(5hX^%QUKMqU=zd}Rg;l1giPBJVW6`g7 zp+SiijOS;)W#NaBtYZ!P`~_niAbdsml5mjlHDN6{+By7@4_pGLR0kfT%~3)=^h$c# zZX-03y6o&1<s0-J>lyY)pu=fHgCe?~XvNp73}?X`rmjn<X)DiqY8NDZ5t%OsehZD9 zx;;Hi-=_E%Uigypbl$tzHQGM|?FFVQy(Hb3^7`Oz;^32V3wQ7ZrotCt=${{1mls0y zp4%-i2%iWHgce)XXPDt<ZqjBxyk1NBJ?OGohm>C{%9&Gj-u4{6a;Zxb%)N={Y}SIl z>#z^IPNHk!SAjVAEN84q`+L@P{Cc-Od&=RGtBx>curt3Z8BLEF(6TIgWST=$sX2lU z$_?E@*;@-&mHv`nO8ZEyyM!H&Af1koo-h+ToR&BXAuFK^GI^0U*P<;Z6X&BYKj9_# z>>xTI7wgVNK06@?!3*E3&vXP?{4G3X?bqzHg}+m=FZc;Va@&%WaS;c172W?T+V%<6 zhtgy3Vdlm=qw$PeTiXSxPROqQth7s`??=ADCV62v_DSGeRC4r>$5-rcS$H=M_~ZPv ziE`!|rn*Xy)Q7hUQCFByfKZSSONb*x6P{OE{f2DCphxc|N-qPquz_8X(?V)v6KG$G zP>fK55Ks76eW{%)o6@r?JS{Ld&cr3+(0>kpwgm6LK?me25xbmA<wDv<!s9NyiLTk? zoZ)O;Ui=RivZ)`q^d|P(j|@xO)Yz<8y?6XZZBHC?78nozZel%c(4j8OgeEUh_X@!a zqv5d#=G#Koyaav?K9;h72=$d2D-V8OI+d}gFn){4+RLe(OMTq*nM?jSGIfi(@bmn? z5Ol6UD(a^))|bwi&d%iyZM{%U=g@B(b_aVRFrEEh<H+mfAkNh6+horAF3h}*?CCg9 z<J4ti>{-aFg}PBD^*pxdCi9)8zHbOJCXhqdGGBeuc8s&?jIaL|_~&w6U*7ccJ)d!W zsRGE>Tl}q`_93P|54bE$M>o#Og)YGdn?pPbJ`q@l?wU>h97DXUI(pt6|Ksggi>*z~ zof`5`jeY`hU3>*yClIaj@GgA(O%Ze)Yjz=qvZ@KZtBiI_@ju}+3lYwoZJCXebWF*w zApHiRKosu@Q>C15qPBaDxI<CfoA)lvzrFrHt2?E9eQKb)*6~}XLde7%hd(B<o>kzO zxCUPfnT~)iYZP~W_{+i#aBXAFH;H@Ft_PtzAtc7McoRJ+a12`ARCy@~4P9u5jTUIl z-d%(qD-uk8tjbYq<-5_2TxA7ELwIF6zDyS8{<QLt;Q5UFmrB>N*zF&s5ZL26<NcYL z|7ofA(zL*5!nO{-#CumgZ!IJKh_iP)N0-^Q7j=y`FL4iey9~5g3O_YL&-aBE4PlhY zoS$9z7P~e^*E0-R>l@A3>{rEfDciYyY`U7t*adj(L+)TLq;}qu?1b*w(3J%e(GfR% zI17>&xX1Vzgoe&uN_pW#d2;6kZNBF|sWN=fI19hggAW8AQXZ-L^Ufc92TNX{E&CwQ zD3gip^CRUMo4-f<nebUPXHI{pUbSs(+zXr^(7z0P;e~d={8kITy{PklpLT~mW4nFc zrM@R?SmCElCidzCd(cRIRO$B@vMNyRZxa^?^wIE&>Pb^$o|#n-*s?LKZ#3a6*7iO! zmKOcjDHPt)bq|j-Eypvb51HGreB9qXM5ho0I^(+rq94Q8nfwc$_mw#_`sR~{dxflO zA6{f{wyLk3p0PWzt}o#Gp_K0@&I5lnXYYsT9tw6*ha<?3hVLzO3-_gy^iE3ZKEXZ- z#9^ZjFs=(<l79_7T%0}0iNE*+{NIeR1Wx@Ad@b#2s}4-7GT#+CSeOI9b|K%Dy?-LD zEj4j^mE&5J*X6!<5%d~|4yfU@ThDv2P7XflIS?L8y3Oy*bUzws`~C3!Qjfl{BaVvZ zo{T;X6U^E|n3sjTny%^SQmI?A1%H^jrNn=$t(lMh>gJh`#j}0|K8Dgdl(+_d&63o< zaW+!F3|s<X=%IDwYoTj45ih1)I_NL3hV&xs7q7m~9M<-{%4-YsoeP=i_Xs|H9CUQr z??AttKg^v9y79i^lYV`ic|H!$|5APod0flA`!1zro<#q>o(toB6TYDfZ|Z!;MRB)^ z9IeKFRhk0-)Z>ip*x4m2D;+3*5&M*n_5#ncuHw$Vno@keXzuE{cg&t>O42Hw)38UE zu*YHKe-_<J{*daEx`p`WllIR-FBdl6H2Dh7Z?bZS_*#6{)R&gjUY*ZSbj1+%IvaQe zuBOA*AK_jt&WC?-X<yp3GS7p^@{L&Dq0@JU+Q?i{*hc6qaBc&<>Zk85<%xBfxLcxW zqd!dhC$9S+Cm9)!Y?mHiALQ6B+up`2;A4Tc#DT1PwMV~xitSv&+3zy*-OBn`(=H$U zT^PMB>MELaPkb(c?s~?Gf=>m~D;;}Mo=fd~Xc^8ISGi|KCSRa@p`#y@JMlQJ{SOM= zbZ>vvdD=FYV$hA~pVsWh0Oc)P_qx(>I{eXI=_hp|@LfH<>)ojPuu|=+?fbRnS9!`; zIQjSe=&K=#217xIH!RN8+IJs%J3|Ij+K=`jtaEEo&ZfFQy_J41Lmz>+;nC@O&Z>zG z?vo0?n0^8^$X{nq1is1|7?7xA6irMn3P>V9E{{p)=U!AG>L_P@^=Twu($5)g<3{f8 z2o`#?$!GLVCNKTpQ~LGBZmp-?`_OTvwojmJ4D#}bbE}2-sIP-v7AS%|S*Ym9Unsor zbRsqkxvi!;;}7M5cTSkOcck9J0c>qA&6k4?Kbj`CI-m`7$)vnz3+r?K$hZ}qK^&=i zZZG>$iT)Ov!s`{Cd@cCCf|GxOdJFTgzm3Tc&&c_;C~}HlkipT}!zi~<S#eZxaJ8WC zJILB>KYJkkTHv2t$NxD2&mN2n3>eFJ7WS>?9fZ>FcC;y73(Y@7MnaH>6ri?fEBmlV zWvJB}(_%OIm)Nh7gc)%udIf|8<14G(lbSW``|`Wo=`*&#eAfIph(qT+kF)a<`deTS zGQ3R3{*pBdyhc82Dr_tH18S!~x#XLBHuZ~gW-{&NIbGK}wG4U~`b^a}pRP1*Dky(- zy2ZN=)f;&ne{vslYU=P{TKIN1ba^oW9|IjSmi(K_Z-Vg#IG$$wF_e#@O;+wVMiReF zemL<6f<RN+Jz#%U(DwuIji!E}=e#5B@<Nww%v+$L%25dGAERZa#ynq#KEt5TSY3yd zW`z$jr{=yGz2`zE=vFCZQ9vc+JZoO=P?*awe4j|&x1F3d#z42!@avhP21_%gtK^2! z{v+1V4f`WdUB^0xj(^9YT^whX7iE6XU>spOeS(m=f!KE!?z2}@sb2uz`Gi+UPb9R3 zmO1D%lX*=e|2TMwKEbq|O`Cn#)0xDx2-68O2o~NZu?4@t!iV4<k8d!X{uTz29-;Y+ z#ZBoEe5hLJfk(OdEgZI}12Q+8IEl4XCtU+OH<2|3LHBC36L_S$whH+RjJX^A{XKfC z9{JbMJ#Vph0?VjdhWsvLo=x!uEzAS|bms96b1X{zN7#&}1x)Q~_Hv%iaRs<uq3+B{ zv#wXQJVJHbT=M(=Fm;=m>#%|bM?ca6v#4Lr*mVlv4->ye*uj`fh!+qR5-t-a((Z5O z8qZo?n55%1XYLEs=9PnYUZFhho*DNC^^Lly4KB?dO+u&DWXum7JK0?2@N?B$)g1lU znYw6n%R!y@4)|&Vcq%hQp;FBCfjcXBxv0q>hu(SEHw*c1;4k8X3JClD%zcSKZ}!hZ zj?&z(G5;;d_2=|o&Kze!=ik-F-9-<ELyOhm+7Qn>0!RKV4vE9UO)guQiGwxY3Ho|r z_)2U%^?A^<m9TYRvG!lscYy;XP3r=>|B~Cu*z44Gn_Ay<rQR+1N_YnsiqER!enMY? z+00!4l@V}^{ivPB<io=F4IMf_pc?+1z}6h5&orGwa8z>fe;yyh&sY7NpMJt`p1*;y zmEWbq1Rdu;o&6+g;^#E$#kUh_xm&wz#vX^Q?G2p{L7PFu{|2zue;_;Ok1kI8*667L z(f_FqD07%^5IG+=Wlz6U-mA(OpTTcolv(&$(;J}UZ3myNm-th3#(JgmZ^{=fIPd%$ zTw<*g6?dfL8y=1E_3F<)EDQGKy{SRazNY@R+18b=Z^qpK|5wV6FM_Vyi(V?uUe~4W zN%rM&5F2G`K0&7mBw~LmB7?`-6Bp7dFS%tlU4=2q=p3YM3qD0I^wQ~dwuS$Apz47& zv=?ZAJh(8(u`!obe~iT+ekudDhJ6!Q#5lPkeEsgF@}*4+-o2nli=vm;sV^<%!_f6E zoQdKd^eFcP@Uew_jvQW4ov_p4Z)x`q`N7=7e}*2pf<Nhncd5^%@>dOfyJ(OJ-g^O_ z`(L4^>W2;VDa$!VpaA;nZKc6d_%0pem)7&Q#aqVl4W`mBYf;X_&blL2-lY9LXnoz$ zZ%1z9$An|k3R-O3b*we%&VRvQ@V^V))DF32lCB_1=YND*==W=k>ko3_qj=$^sFWpL zVpH~wRlc&V+Eaf9I(cD(%14(YeAnUW^SVRR^7OsT+669YyLZ**N?8_1&UPS!(cFC% zMbEclP2Wocps2&Ero{K`>lxcu<4ffQpFnQnY|Ph%x9Q)Ab5j&^&Pja&GMNt>y<25l z+U5=N^=Mj`GZtY2GM`y(wyzf6Mt@eKK1k&<3+>{;IRHQIbv>&rR+}&VYAS8kcyN6U z9)Y}SV@%FG`+D|ud91JYeeAM@cc7;WtDtoQ_A@>A@5`9W+teR-bhz6#Ew=xHo;5nr zr!4Eq%05(x<6Y}2w<X^;s!o#9GP+l{oO3`K&pcB0{%7tqIF7Lg0_Ai)Eq>=-@*dx` zWJtMx(k2N#)e!yuz!~!w-Lq2A{XXRl*oSN((i+=^jr{`Ibs;j9o8w)KuDw2XRp3Ir zsec~ZRv6#i!fC}bB(*6EKIyA_8NO<%=f}0^;)z@MK0|e3rjo1;*%f#WU3*!}C4W?T zCnVU^_x)Q+(UlIJFVKE|RB~~^9HsfoDp#MfzWn&e&tx+FhtqF@>a{5Kw@lCf{yd<% zy&n47LLt?sUnxz#U@m{s?htWR`1woXQ-0p-meMm@JpDdKFDJ1#E+nF#E%e0CoCcnB zuFhmne}KO4`KFTGye0naQQ8W8r}6p({7-_wr}!_eawjMM^EgktV^sHceoJF3e~C7! z($F>9(Pg&2J>#Wi{{&)`_Sc~KTGoCL{qp=;Q}?*%UiAAa$F8<U*2emg!!qpEFvi&( zKzr7*n(#6H=SpIMB#k8<r+oT;w5gLafdc4?-L%_9c#kl*AUcXTAAh%XaaMG9TGP%x z_fYpS;Z1znkBD7p)x+e&BT|;TZ4PLk&xk)KG(e6@sV<wW{NlE^>CMpjOYo;F1P?{q zQr<H~ne_XrbEe_P2&B1hVtIattuLr^YQesq({xGI`_iTZvUt?vKioieXR;SN)F+U3 z0{w+C6!x)({e-=QPYL1d^C!dtv(bg`Gu~%}Sjq)vpl3cMpAK0(KrHY&d$0z23iMLl zU6uVBmy}%O_wfw8Bv6sF$ukZQj>~Jxp9c3Qs-qJ1UTiiv=du5DJv`7Q6=!qGx;uCb z7QTyR4Fa_@o7k3DQ5`fHockDSC-Rfz+`rZLjL|^#ZANJ7LcH?Kcj_k<hkpeM>iO(0 z{{2xu{)NS{=Qi&_Ht=^GQk#C^oUxB?fuE7v!^E%Yn!ZGS{*2?ULv@q%4{_2Z4x9cP z*@wT?wzp9K_;=>mPIYIz{yk$m{yNSC{$PVsK8t(0gN`3^UG-X5o!j|P?s{WWV!3^a zZ<(NN4{TFULN7vZ!YuT5Gkk$=q`MP35;_q&6SlF0?~?f5Ar*hGfc*0W3$1m1>DX(5 z;<`W2d)|8t=8j-Hp$PTa6HNd15hiZIoCM-@kCHPyl4x7Ov){JPUtEth2(;$i=3CJF zd-gi7uK!6tcseUB7sZ%<s~r1kO3<y~ap4$i5U2-j+d+qA@Wr#l-=N=~B5p%yOK7Nj z(Ta3y!sFlx=GBbQ2%e}%Twi&zmY?~0adgqWkHBYXqWd6iTB4WsAz$x$^p4yAn8zQr zbq$p_CI1_IUFHV&LD-4biYv-v&(fjC3&O*h+5cG%FG~Ma>*dLNCv<08+MRdKXi}a^ zeXJi#^KCCdV6gH+cW`x8eBY(xTztvY7r$xZuGnLNQEJ;IJry0^jq?4fTUslBNnLl! z%Y(ZnK4I0%rf(uN{)suosh>Do*SJgfysfhb>$OcPkG|R;BG^;HTK3|i7QF+Gd@37m ztHyf&@VDx_4$$Ih?A1dZbDzgHRPb|;WASxX+DX1R{!%eV|43PWk1XDzJ{SJsCg$D_ z8to{^-7>n!h27jWeG~1L_)mAf#s5}7uSF_fRP@M;|6bgwtuQqe7&e~yG==Y~_BM0q zjBE)UX3w&o4-AO%tVil%b#H^=i__FsC$v|7k^09$oQ_+EA#y7pd_ljx@VG!Gd^Uk> z8k-#7DuKTxbnX+*-<d$Z1m@^?r|_2qDpOuV>x#pd@1kE;(&hsEAkY{a)eT=HCWi0n zINP`|)enzI{qNYfGU%lt$oR)jn=06+H=uh3_O=IdYT-Lwhs}HAscO4Bt~E8w9ot;M z(SJeM|9^wXXj2;rogzr*AY4UGvyv~Pb<!e&d<}lr;KFFN)fM2u>>hpMwv%)*#g$g$ zQp5=kes6o5uM`+)lgaT)^mIUa=BRy7>K)NG_5C+HXMhwP$#lXG@CStw0t4RpBjq@@ z-J1@+J@CLz^5Y$u4phI*wzu(b>VMh18?VHsbW$BU+mB4RZ6*DMGl%}H;VaGWWX`iz zz*~&f#?klECkh$~1abb!hJVoze%@aYJF0$DQ+x-3_A5CP!G8jW;6;D%4RdTxJAt+u zo1E`?PxWACJ#*TchMxAV$^Qtx4Dd__&fS%vy@e;&*;LASwx7KTM((nzj-3a-pCb5M zKA=ip8eXIQ8NC-g?c5J`<!;DA=U|&M@hRFpz_wX9>GYGb)-lMa^8Z|D?m~IWXZ(r0 z5cgPx9=z-u$F>WF?pGcD`&0M5phtgvf5Y@0#v1Z!T?}}~vo1cE4v5sU%o;Dk*1d<X zQ2~Bxja|HwiEkQc`z-VjXp0Y3kp5Yc_?8UYFb7^Ke;C@4KdrW?F!gP)?L~-PII8j; z<J=cL<>9kv`b<}QYy0NF|E%;kXAgoG7CJgk>Pph41fe*g7@;WP5;QDAT$oUSP@YhZ zP?k`JP?}JR@UiOcwXDA@YidWoaq!f1<?ZLl=YeJgX?q(vjUx_cZZX8sglDK1NCzz} z<RtwJG|Nt$UiT|2IO3Hys~Jn6wCdeL(Izj?H0a1h>R(8HHfQhZQvxNK4C9oZHZSpq zoL|Q4Uj6u|Taz+<*`sG>;$yt6HaaE*-ORi)r{$Zpx_qlZU3cc5Tj$&fdnZs;=Nv{m zf&9Ol@?g!cg+KPO)-K=>_+0PM(rA5hA&-ns{(!?9wqD}&;1L*-Wa8qYxBb8}bW-)3 zoJ}}?S$OAPe2?#RPkzY{zdLrWkjg_Q_H{q=uA;1*fZPhKLuVF*M}nc1Kv~92)H+k* zdk(_)dXc>osI2-dZEBO3=K=O{H~8mZo31GhtE)db-JwTGrDHdIh=$ZJ#cnL8ejL7H zEyfQg)FlM5jt0a6S<xMZpzo8aix;fm4oCMv>R)GX1Ht>=5#9qc$3@itsC-pP^s3T* zw2m!(EaX-nRq|Juzd%Xs!fkwsv8sF1Z}sg%Eof{ZGNZ3t%Cf4A+4}5ChbzwB4Pq{X z(DVLa4f`?FGsl6N&jH{5pm@$JUKht7vB)xQ6WOP^$h*J}=pb;$*(Xzi4uF2!sef1b zzcYQeY5Vp%<{)(DU*X#0SjssMfp1)h=R3xo&N`)T4fgiyLVS~|vMgmgoHnf;KPFQ5 z_9FJHl4J9tbnkYjlioh)MBl>>E?><*Q*-W{xxS?PD=h-!Oj&C7Iz3}r7`M@+O0&LA zdY_n9>G{2L9*ck{z3{Qp&08J;j}2gbyYT0~);U)@0l&hd>DkxLz2H&ROHC*r$+*#u zKG}p$P83@Q#Ho*)US<2fLtE1VeXcaKd5JUKV+{PBw;Y}MaW?Kl@KJwd%yRfc0=spb z#c}vgyw7+V-4L=qxhnZlJKm({=~|nd{wE!5>zvrd28!=Ge6;v4?hNH#0-n3+;h!%e zvBN<I*ARF(okx~JH6Mvi94KRIz6$v@%%vATeSX&czT@-Tc}V=F;{MJLz1((P;fK!5 z?HV+>srMXiy-lZrC;B?NpagekZ(u8yKZXYegz;X};o+B*Y*$owTfE_{E4BJzc^v(} z54>X?-EQ00iN+>T_nBwhmXx=_W(&;7Yg_x`yx@)^ytvww{ib{oqrCHqW3yNMZt&!T zUmL>@jhuN&?+WnAOqH8Iuw6gtFs~QZghnl)&*n^gHwAs~!UMa(^$6RPI*Pv~1ix7* ztM;WlYZ&j`4UE(=Y&(gkX<1Ruif#VH4#98zz%>ne%%CnSV+fRGf8K*17qD;dfcGZ* zv5L8PAw07w3uk@;D~QX2JA~q{imN5KkEu@i9iP;NrRw)hbN2NOWG^#5jTZ_yb|4pY z->7GpxlUi(r-1H3OO+=nAEf(G2Ho#M9BbH4!6*mM6=)-n7us7We%7Q{vp#{5;JX=4 zo8x@junKu1&PRwQJWakPdMbvr3-3mmTpQ{$9p&zY`r?EF-1$sl{7%rU6!`=~8AAV} zygwn1Bm7nn|AV*)A$25vE^#~|37S{beGu&V;(6DkJkb>!??P5|TIvX2S@mOq0UKF^ z3nBQo0t-ESYfAAE9sk6ZNxYQ#Tezt-vU!Oov6ckgm$#gKv2C7KyYjPs+hogc;(Oju z|5M7c!B6=J3C@~xkoO0#q8kOW<9p0hU6%oy5UXR=zGLbKMzjCQUqi7w0@DJxOH%ok zeB&5-8kiZ1e~%6or~<G4jDPSIdZR8n`z@tgGw9Su`Ci(kclbAkIjl#XF5ruO79_R! z7}&k7+V{4ekuu}+PDL&QsT1gU%fubhBxeI&q^=wN&#TV5PW%(04`tm6eF-<o_an{^ z&-EvMlYKe{zqv4gb8Q#u5;z0)AihMO7l?Zj&XT@D=t{a5;ak!Iy-8;y{D0sD$4<3o zJ}#v8`1g67`VZ=vbxZpa(cDSE{{oBkjD3iCd!cP_(`OVuZ5G-uP`<Y9swfRl-0<O+ zx`8V5E6@Q&;f1Q`!qM#gNc46`&pB1v_oQw#b^i+lDebO8|3vno5A(mH=XkgOOYrSW zlxId43glEe??#4PXsqQCQG5fK#kB3OdiPz;OZ(FQvQLqxeCv;mR2<my3hD!Vs`Tk8 zzR3RoInt(V)Bs)dR3P`Iv8KE;vSQ&Q)dSC>gSLdBH=(t_H~5a*b^ad^k9Bm5?Q7#9 z58+pQoET_38=v(CA)0g)ArIjMe#ERe{3U2NUGHz&V$bULL%(8U-=KY3+JzH(k$#QP znUH{9O+#63LMhT?DSL}J2l<SIA>?Z@-APk@>ybHyvkn&?sjN+<U7z**76)2{sQ*|H z{cGWQ^w~G;Q#Jg|vgm0Gk%hQ>K=)^I_S4qcxW4M-6X=^!_$a@5baZC;{|k@(u8s~2 z<vX0YJ$-Yq_}sYB8oo1o<SWU7&JuW?v!lRkj+~kjesj%y1rni8FtkcdSOUEQh%J1D zf8-CoW^V)@o%GEsTIcwQj@{T}*M_sN*Oktnd*ta&l?TCD$&u4u8SsIiN#7W$;eIBy ziS2XiZT^0jV`HRzk?Nc0oOMWfXUDfKnE@TT#W(l!QRrwVFYR9-KU&WuMO5ZG!=o1J zK-(vD>^^D>Y@Hj|R2lu?5j5v)QUZNZiGFX~;dkhVefXr$%sA8Yn$lyH+PN<1<XY^- z5ZyCr)q(JI8vGID>c7Fys*@I|uCndFW1O<g=?47xqVoGMj;<-=?EiFVEpQgP9N&n& zW(^@qk9E-cY2>1cXJ0Fq!fy+<qos_``zi0~*)!=;x|FY93tj3{e%ejb`PtTWkYRy0 z&{yR-e`irz+IopMsBUx1-1H&k;bMPrC#h>&4!v9$32h6hpW&9<^b`1)0{fAVqS`Lr zY5z6&@{(_-d|NAlcm7(R2R&oqvL78#4|^G}vSHiVc&W}aBl|QNUbE1PJ<SHK-qkS* zK$jSNm%p4j&GD?!_LVpuzcKV*>fN@Iu7aH?$Q;UHKP=3GhXkHLzCzL0kAsytoOy%e z9P%IJ@K{1(%AQN$!9?_h!0Qg*<b%&oMI{#p%+zzk2$gLqO#|<L%vt3f`ul_R=*Wra zfK@u5?dr=`);)XXINxC44|rjU&PB?fq>T%$$Y+Koor!y5|Jq{@dZ6ztyvG>lbgmtc z`)1Ir0W@f$v}>%fZ7=alwA+gQY)M_0SpFUdaSLsCY6a&GmH!p2BSv+a^t%at1U6&G zCP$b#j6o+9V>}mrV?A5(^SbgrZWMTDK*Q`eOq&znw@`$69M^nHbmRGL{Eb7kmlY42 z_Jx%nBAhW=p_j8bd5f<E<4o6i*)khX)N&<Nz*Nmw)cdCikLhRo4?b<?GakF_!UcSw z*vqDDzUl#~zpH+}+g8#~B3GNCeH-+_eMg73LvDLTd0U(O#}7^X9x~-ZydN5L0DphA zt!`UMf8dN~>&B-ysnyDZD|MamjvPvhWsXg=ec#kXZ~V#3%%u}{rhXn<YvNi_Df2dW zoxLupK4Q1^yk{UZhaX(1fZTkqYq#Y^Ret8j<LjOE(IY~Am^e@SWBN|m_LsP*c552V z_jUM<7Jg+;0`u96AY@ITtDf~bJ7>Pae&{Z3vqG~8$fp+?I(H?rm46x>_Khp;<DlDC z_8<>9I;Vvm=+2vZevVf=R)_NR$lGSsE8cN3Byr!TK6#l9ruGT-IsSyU5!64W>%D{B zOHbayGw?=DUE^9uCze8w4#%(P=|}%IzKQP9bqrzMuc@B1IK6Rx_<oz>Uh3%3Ht7C? z@Yh^uz6f7&Az=aGHNrB&h-mKez+W1=&n7>Mb~B0R6JDp^Wb&_)o?0d_U<zR}L0|@D zfzWOu^#ZR_K8H{Wz4jvfHk0%WLJ4R-jd;DD*)K8H0>_8!f6w4ESonqwT8%(X3KPna z9!Yg+aQK4)6u!n@3M4Y0teKf7^I1+>U?p*3_9jX5$%UTBFWeRSgUnM6j`gY+<}*$f zEepNvn{yt<ER@~kk2~^ta|-jhVak8_!^A~sx1V)wRGQgwr|BA2sGhLp@w87H#k<R_ z{5=unz4!5h3aMVT?b5Q}6EAU2dx&o^4c-G!ApL&x+z~C&aUM8l{230fWW!#$kU{Gv z#QREzAY&l`fdMB~2gmab%lEAH$sRtM+*Mi6k;(K+%RNq#<L6CLeoqBG+o}w01!n;H zyCJ5}EM2c1d7S4v_2P`{!k?*pxwIQhx{<S<=8O}AUHJb(LwNAN!G86lOR>(99$qc! z_&8Ug(;bh_+~C>sOw7Hfya&J!$fWd>@zWqb$LZf2Kj^(J|D01Z_Wf}Xg57eVzP4>a zoGCT$YLiTD5%ixxVa~k4de2lHy%ov2EF94NvH1eZ^DlC4Dy@5b9zS-r@|tb8Hq<x2 zQLL{hd@N8B+7&?uMxwt20(CAitlxzoc%ub85v28H;NkJ;wgB=o>01%Hmy6__3a+Dy z+wI@ym~VVr{vL9ihw{u>`2O_~cNyULQ1?>Wv{v4fbar&1g|X=3M5W>1YIAIzjYq}v zt#(gepD*;CLo)|wd9|xGp=mi}*Ft9Q8%{8{8U0NEZ84^1GGm1^M}Kfsb!rvvq!z&+ z^9fa$<23w-d8F$n@&2ED(Hp)w`NPwQb{2{j;D04Ld0XzrH9Yl={zn;GU4VB?@W`SB zzDK-k<}?YK3A_-^-IV$-rUZM#-9h1X*zYLpH=!u$rAps8hbB#(`Lqk;f8{X7*dT+y zmPcn;+$B^$+q{i;{b^IYvqo?4KrS8!ix_7X{5Tpunxgk-`@{Ig5}#_Hqnn;g<HHaK z&I7EgKKru{`S=7rJP)7$PLuD6_h2hCv7Xn#Ezkj3yodg{K%KxQ;>^@r*i1f#0J>z@ zLVCGl-)1VEqbV;!5GbtiA?WFa=N$d{D@d;pqL70pi<p+zwC`BxG?}%Za?XYGRIl~H zCs_-hm%m}g3t_MJI{KuD;|mDZ2;Iw|VAFn^hY!LTCsNCL;<ME}V%p6>zSg0C)_U}5 z7Vu?oaLn=4&%a~(%h=yy(^^4ufo#nAH0ulR>8p=Lwk({W?ps}dY1Y<^cQ*A@N8C-t zo`>=GmI)(};~1x(^gnRehtuMdxCL!3tOIxUqkPATPToV<Kt3yZ7ZS_hud$xaN-L>b zpuCa+)hO@^_0`ac0?ol=VVSnGc{eV{JnFIc**BQdQpiyj9XpA62qY3u75%F)N88%` z@6b;mz7&6h6rFHHb#iEuDVOKU4E%mrc}eoi(1YPxUrqmpRT}ao*_UI4cU6wQL2l+d zK8*CO1&ymcMvkT4LJoZMjMx!@-44BNy^Whg(_U)3k3p-2&~XVoc3oxS3#G#;?B5(m zPuTw6xVG}ZM^wBCuBp-JCVb0f4}C3Lp*sd7a&Gs-A9EQm20nXL$DL2S5qiupO9@!0 z<qL>QBg>14+fsLix$j!z8^cX4(LNPbuYI7lJ*UHGFFN*0`tH$p&Z(WfcX8fQ98%T> zeY1vr6R7OylH>v&&-P*s`WqA}+o}3V(p(1xyoqkKkV)tG8oE3Ln&+qQ@T<Cb8pS)l zlI?RAd$&w=e>(bnOJ3k7;yu`ci;g@b@-jYwy$GT#4*F+TJyg}hBiVAmKR&j%L#2#+ zq8p&QKm+C}a0eba3BPZ1-r3ipU5SGHhQZN+5lYv+C%F&v_-)CE^brm{LX{@A{H2v9 zHH<hbytTCl|Id;$+6eN|=z#jzm&JPa*c{=bo%H%8m^R@l%cQ)i%CV$fC{mjLA&f2i zKAQLKq-VjKb0bss?*I)?c-HWRo?~n4-+6csT5m%h;=mD0h#^E1q6jYRQ@#q-eR1nD ztT4If*{iRV?zTP?`|c0^hQ5zZr5r=rHDXU(n8e(I6vvZJRTj1J*;VJ1xrDCQGrsLV z7F*KZgU{C4ILA~6sV(#qzo|B}E$i!v-2bKi^0V+%4@ZX%M`u;?(C9<`o<Pv<jOM*I z=f~l!DG<B39{IZqu3S!^m8>m?V>6}SNAQjp-bb(JK^_E_vCoU4m4(spo`v*EE6Lws zy$3nZ7RSFI<LHoA>025aS~%yNaX*4bEYv{u@*=<ab$(aaM}a=Qxi8pa(&?2pQhvh0 zBl(b<fdLPxuK*5#^29fgO@YqLr=pe@K!+CAw5jELWpv4D4}aOZINBFe8s27&1<5x( z%e@`zy2rh1Ecsswo7P9c@iX%(h|b#2G<GEMZdT{Hp^TYVa!dHLs?P0U82@tsJDia* zo^tNFOXG8tl6l_u^*f=wA~>FQbZVt2bgJX;+&~wVr+-0k2C8j+kFw}n_!{7w#P~O` zNfx^FG-F(0u6t9P^a#BlnZx>u>)fyDT7p^oPDkGra_#^u&Ka!fE;3YA@!4{TL+I~? zS=jv=@ZD|Bn@^$Bs+QuMLlAi0b7r)CCqR$I8*R=PH)cIcw0t4)t%s&ArT}NR$L#a# z+P*V7JCEF10JGs|3uD#4UrM_wLAKNvZ-pK?(6!&`zV>ruS6U5ZUG?DQ?8H0OpKi}y z>}R~XMGc<58Td`<2F?vp>@WIsFu3+L<@bT`bz9Z1`E^Q{O_$_n&9%PF5d5*%;e|0V zzOp>b<y0d21v%`dc(&;GW4=}<we1G}5xg^m^$aEqA`B!9APAiF=!<8tBPF1BYIyZ? zXmcNZ{;cwov`@=#mLol5W%0<Lv=hicyXWAI+N?1)lHV0*zcG48lwI>fSwoX!zP&NM z|NS}D(N)rNJ2u51tWZ0eP3M@Cc!r~=(vqJX&fl?R4?{_BK$Zm3krvp%xk#W9d)K^Q z$}#4vEN9mJenR;=9c>HYFJy(UPN+RRh}^t`F07dnMZo2>27d$HkKdTbKKhQj$u~2E zF@%npIYXlVUnV_>Fpw~W5Kq}K;_SS?sEV)sBI!Z!MnT6{`w%%SPJRG&xx>uhrIl8X zbWEASUn)~G@IeGBIQpnPda)&ZQUzLkgS@@KdQbZC<D_3WJUNxIEVS_O%J;E+?@#?% z);X9xoKDkT%&#M|_Q*LaG|_%PaE{Ko3LT>PqiRQXvxjvu`^K^3tpR^$Kjl(C0bban z4J$#jdCavBIxUSuFRAXu`Jqup_<=S8HyJw#UE_s`(Wc}oGT#*3ztL_5y7Noq?Ep69 zn$FqwyQBHF_!|N<nX4D#@u%vX;cru@4p??C<r+J#=ldPnBoImxN)U<@iV=zux}%TY zRh^jHBNG*sw+m!TiF23osGZAZT~|KnxXN=EGs=;>SJi&qhd(xZ+6k_-*q1@-^I6<^ zplLeF_aP%0)&88*`Ick;0;|==**>2jXVVq`Y~rlon5jPX_l{n)?cI1GcbEbPk<EF2 z=4fio^8oW$fgdjLLcEFP`Ip1%pJwvWE*txPoIX9+uU8d!8TL3x?Ty8-bhSx!f-jou zo|K~98;<?&u6im^_o5>82UuHSWFignUsh>jaZ22S@m*-8H0kT?QL_wuJBc4sT6uZA z?)^jNv4u0^B=RHir?#u^D$cke1c5f3tv4l^^yjoIp*W=EknWkJw`=*=(5@-A?L<>4 z<sB?`{~h8>*r3aVW$2I@=qG_Aj<5T686QohZVUOh(M?w!eeetY#-KwlfafQ|&xBtH z0?Wbs1L+?%FJ%pp>CTDRUPrbMu!h>?zjx;Tgw{{;L*Fatx!&->6M?+@L!Q^GUnux3 z>|141@O7w3f9Bw~wFTs$41BExOR;%Rs6Cm4zW;#r-e0Gc8jWLa?P>EeaYwx$JOS=! zY45@W>eFGj)2KYzx_!<(F5>sMWByAB`O!OD(0y|w_-;#WSGQ=>>omB!t4)%UZ^&E7 z=*Yn-%3nz28z-l}4R<FeHQ$Q$jXunsRspl_Am&^N`j0^FEtDdE5I(Fz?1dkkxl3II z_Wz{vj&1wkr0Mrn4}K2>{wxlEuEL%~9x?Ujkc--ShFL**Mb)V<V>AB^LcrGtS<1{h zER<oc)1cen5L2@Jzvv&^&&Iv*2Q5T6^BwN-xi{qq4CqJwXMgy{w*87ZHlaQKp%<!i z{+Xxtdj@m$LSOVri~ln3443&GoOAB$3r>HK8+(%&=Bp{@tVv40jpS~_vzI~a*S|q7 z4~|nx|2WQ+0>8mC0$ZTvkoCz)UK*yv`8vK<ZFq0D<Krax+3%6)Zh=Yg))VMwfv>ep z(w~vuiO+kV_+_VD>MXoXeL<b`Hs^2pNc}=RbM)1|>7m6I_Eum$ZNEjQ{g}$+YpRae zpg6{>Y<9+m9aI`7B0mwT3pP1?8JfU(0DXH&$5~-@xSkJ^2lPD3ID2{-->~gN)1YB5 z{<i}@`U&S<?hVq%oO}uR>j?Q>(Dx{DlFDX6tXazzY|}AxlE5F@FUx)YH(ha4wh7tI z2+bOzQwr%iFT$%8b&sXh1V;~DQ$1T0Up)vt6QXyH<vhG%u$$+yQf4l;>=kGjiY|Xm z%O{dglZSUA#53TjjE+4n;>=^^O&^{h?jJv)y$cu6FY8zGeW{+4TA(xDWnaCpT=%B) zL%u(wO(T`TCz0p3Nw-9fdQ%>wcx?Zoti6@eQp(mjXMNj7;+fa~Ic5*={Tp=pFZJ`B z^I=YGh6_`mLv!7`;mmmg`LTZdWVeq^*Vg^Kf6A8dZAvPWz7D_ig)c6`hZb__+J-nb zNa}i!@5dU>EB{GZ)Gc2>$^QaA*^U@&;CA-vQ5q@5w?cOga`3giWBR?HWa{nnL-Iq^ zcb2kaQKp@(|A6|L@Vh`4@a2a;1s*7EUe@*@*!LRP$Gq(2GssCvc(<$SY18AM&o}Vh zLf|=pG#b0DdL#3Xg8}fi3#rljJ)?Xjh1Qz%R*19R;n(V_JEXR%>ZE~6r|!y!101>? z3F6E|zRX4+Zku}gG1F_IHsF0^A@dFHsM*8c(GM;}Laz_-DGMFr{V47JR~U}n{}zAt zOJusc!{4b@j;E=wKHrZG+^Bx(pYV#nA;(WOB`KdX<9u_TtYdu<ow7~3O#Bu^b@g$T zry6=Lu`ORwI!peLqu1NQJ9U-TZQ=12IxlH=1K%LO+LA?{dG^w?Wl?8-(#H#p;DIsd zu3ft48IbWb$ni#9LwV@95IZp(xz356vao#%I*#x*!5^%^pWZ=T5A}DtIP*>euH}xu zy(QEi2EIpIjf|>(zXN|}0>{t{X1wcZOrIIpgKbeJeMbEP$(85t&b>jtEO8k^dDhpQ zwI+}*l$o;(@mBUf4ZI={P1)n1hw8M<%%vu0k{G4cQO;KW;7!II2rul8!vA6K&fo(q zxcYefg5xE}CtAz>Ls8~;9KI<+Tv+Bz$c{X$M-F=Y#eEuifiB8(q5tJ<o7`9*xtU5O zZJ$MTZgQ3LE+L+^4h8pf(5DVMD@}I)^MBykyBOvbO^71oCtQM;@)9Q;<Nk>_7a=D> z;CvZ=tMOm-pR^mRYn1e8XO5B=sLg)tLD#j1?gC9zN4)@@T-eEZx5av2N$oYhw4`z{ zuT%I|*@(ZG#_#Ni4-iKZAEi8kxR=_%gOm$=js1FqHFV%Sa0&bIrTS*cl{`Lm@|%U0 zarl(Tl!b4!zU801V}QpKl;3Ur3C8J&UY+5b4;~^rCn>MT-I%~R_&5V|OHW8gxR0Lr zkTJqYkHdbXAr2t~6D;h(7PzqQlv&S{oTCK#z_$s|vzOAopxQ=L3ynPb_;coN;aB+9 z!b|#n!1L&_LrSxslxJEi{ZliqAVOQl3zRt${^soQ7vT}%du;Yve5YH5v7gW(o;mdi zGb5B%*=!D9bY=~E8KWXJ{Dk-*bf}JP5?G`24~jN<dB&aPJG}_x^uO@nJiUjQ=<s1X z)yWT--+e-5)_<4y1pKj#<=-Lw6F&7V;?pdtjq>dS_3he`pXu;&9COZzzT2U6jXG>- zc%1c})+vt&_RZa2Y8d{;6m-YGL3jLL3*n4;h<&-v9Ip|s60Q(_C0v#`oVx(WMvhfo zKRn7{7(;$5KJ%>N7Nak&&b$vnlL)mLJ=GVI79*98Cv<Oqg}z@Q8>cxFM5$g+ZintT zw!()qm-<msa-H*D5H{~8=6Q;6l28FTIZnKXagP!oAqdQg<nPxxa(D(k>V>VUpF4Wa z+Y41La<W%H>N-2B{&#WAfR>wX@OL(l?}ZMHH?kjH6^FF1tG=P_`z$ueg^!v0H;hwV z?fC~DyPn87PoNXL8wjpZ(4@BNBvX^}IbZ$eLVT;}!X?i+)vc3s5ziUKTQB*Ao^j8{ zqceJV#%XGLmck$D9-R`)BE4&s(g}_X{*7G__)FvDjGsqIbXDW2rfoX-Co48>wsQxT zsx0?Hy;9D{i>7BbzCFh-)P>J3atAw!vv@c>{R;6iLI?I$;FECv&MkX22Du+kxfe#O zK1g7^Db!CUyhfO-Z5I+R#?P8Tyns-*6n8Ylvk0>ZixN3Q5LabC`#8RmJI*HbW^4LQ z=FHuaxD{bDQ)xlmgwTv&p{45gHX1*rbtUu+(FEJk$FV8W?^;Y?z=!n=j;FNW`--v! z`DgJ1${fSDR=JuFuM6}!!d$fdSNKFrk)?V1Za?E`gWv$TEfg-v`%vYRsoHK8a#w|N z7ivYCTz!ot7mH1Q5;=Ea5xV^?J%6o=^3~LH`blX`^6jC+^Mq#!&k<^HKk^K58$xaB zKSAEc>U~AL@^^05Y@vpupKO`L3CPz3y=(cPG-q^Ow{24b+`I7kCy0Fm!mw!qMJRul zHMK;)%<cy-k{4)+y_>9U#}Mb^E`C0I5wG=c>3N|z`B@IXY**cu4Z5!OoG}b$^ZXP& z^NQlP<z1ppYR4)Qe{cl<-oa5`$F}X?L#ErN;(e5sZ&N*&;Ix~-++q?<j|}i_bNH?_ z^)uCX-idxJM?T^<?@*NP(t3*CakNCISO|j0zE=Ibmv?B_)0&#NL=*2opJZ^xw*CCY zCsi*=U2becn5SPT`E2+P0=v-b0`=A3nh)K=o%UT=cX}ru4o&i2h99tbX|V;b>AKd# z-*>_B6TC4>X<trdX(ai<geio4;2N&=E8xqf^hqQRW6uhz-@cUk#mLkt#}?((IRvwB z3#rec`8CMx32pZ><%Pj<jC?L<&S%Nzb@C_HCoehR(P|Tq&{%S#9Xl-fZ{g+U`c88g zKH5&gLdDe(zxWkrj;~Vw25V_S`{l#}{i&bh=!fJ&Kaak&Tj0#GxAfEeF=S{E`6nG8 z&5I&V?ada)_Jzjru9dz5^&Q)_ADUShO#J~T-}W%yzCpua`2U#V{FJdLW|D8i`JRNk zolmv>9`XVU$R8#B8R1iGi9o!LE9t$u-;(Z)EC_UAZWcOmKCsYIWuS`Qm+XqRH75QP ze(R20?IV5-`U|8|Ivr78Hjw;D_Bh0$=UV2ro3NT7&<MUOMEy$gcU2aS<lyg0!r#G8 zzkARjfP7W>U~g9WelfXw^5X$C-HpCJgYEiXp`prI6nN9C-}Z;D!;53I(mCB4zK@9D zeWl}T9b*0c(W|2vzn=P01)+VDZM-j3{ri(cSHazf_V1vZda55CsCKQ7=6etq%V%bh zlQXA<-ddkZ+uQPB@>!jGyHxDm1N7kgy5HMG9y!m2XuopsRaJEER?4f8Udo#45(`W# z#DjLB=m8fd;A<DtHrJuUW%kE~^}1K9;rr~g%Z?xOg7To-u9?z(1MTN34@&(e^53EZ z7wOq#KC~ML&y~w&=21c8%{q?s*}*=9GuB~vECHL8LFZSwH@~6Kc0Z}kkoLpN$n)`V zlRl-Rc!$YaKk?`v>Gg!pJrjCY;FdF&X3*nz&HtfsG3C*E@KtI}SA#DEva>dUs^pjB zZy!)wRaxt$?gn^%43iY^9pUXa9lxNMW3x;P^L)>lla%Zx|9Kc^e()ZEPP;tyw(o;2 zyhp`O#6mk4MkC9gBVSJ)PFcPbJ>-Sk$Zu`cH~EiZQ}kRQ?edYg&<Oq-z+5bJrJukT zoJpe8-+LMU`I@|iW$3_(*t%cXm!|X=h~eD-HuBq${7gq5^im(GnYL@JvGkcvyCsY< z5#DbGO{QwU50Hl!Xg9~fBklJl$&>GiI133}#t#gKKf-961|McGvYiik_#Iw85AU8J zKUd{0xr67?T5ZQf(9L8IJE?9D1z%g$Gv(5;-^@)Q1LdtL|5JT`DQl<gByHhY=44?d zdZ?Z9s4bItQK-S`mPxvc+Q?>Vvl?mK#Ia%F%*h|D<@|gez0``fMIGAZgjZKNI;1Xp z+!~#hwTur-G4w;UuG5yrYQ8w}K&82@TL6EKaBOc=@&(klc~kvK+qSTl+x*ERfdNBR zZ-?{Ul|U!u>At%DUc`MgZTm@_cdKb12Msb6bZhXfJ#t}dzjfp@0$%<S{m_Ux<;CZ| z2LJs8tv=E=<2-X6=;ZSw1BcbF2<~Ua4gv|-NP$zV>B3QyPL0lA$~}4x-q##1fe%32 z{mA1<{GJzdT@_iw4s^hm@YNRtfi0>NUW(z~BsIE-@*%VzKp05qN9a%ZobrRZ$G@_M z&&U@!$-O;wBMAG+ca7kG0;}CK*v)fYf|+A`b2LdVET#7h&tEciw*6<$`MOkH&bPX^ z`5C(*d{%%l1@iPa@u$epY1N+=$6?2|Y-4?Q$+uI#<d;88za`N5f$I62Dqo?FZGUMC zzeRv=M-Y!Byhs>MxQmPz59S+I=98%WkVokv<Bx_GV+b=IaCbsHfw&}eFR$`675z|^ zbPeY$Itu<srT2&HRDbL(jbD$<{EmK^3J!sH51YAX>}g_C>U(a8HtBUqzA{O5g6=t> zcd)}tQa&dLJ<Hw1E=RwNcl5Tjd7i%Q9J)xEz!N$blQYi@tf@jNx5T8YIDU+j<Z^gi z@=Lfw7FYwl{u}hV3r+F2yb#Ae4}yoiFb$hFAGsKJ75NU~{p>XUHZJ<|{08>67{6Bt z<o^LPpF<v;sZ`bk--<BS1s^`;=+KGepPBm4`ThXj{mKs|b<gdbW}z?V>0TD2t_wOa zK9{XE@yA*CJHE*82IY?|st4!M_i6OOA@)q54D)8FWLS&;cN{*kut9wlo9~_3H_vC3 zXQghW%2rO+KOXvxAit1t1jdmMVjh!-?;vv*@dE^2PvU$<XaS#AVeYT7-&5(+O!+ps z5s!)V8wI|4l)u56$C96~Yj3G*xC_tM(ta&DvtCnrwWcfwdsK&g>#g;b*((cA!;=G) zhmInn`INtYWsIy!H)(sByucI4{w3B@6W!RFzDJQ?3!T89E)lt9&pPJfZ}pHLq%v@g z{xhPm!_*60B0p65q6a)Nk2{hxI)-Usp51lMlB;Crukl&hf4<t+`ax=wenQWuHC4Y2 zz*e|$j(*R9Bg;KsdHfNR?x}Q@_NQsrRB=eYBewWu>UW?^-a*%XfL`gdQfk<5Y|vfS zEYO)YJC%05w7wfv!`Y*r<hMEWPwv2Durscdy^5YluXD;soI%sJy~JCgf9}$ZtuoRI zoBnzt=W5CYy7?LBwM6c9)NUs?(#K5pR3HMIGmv$6d4Rp*eDyfUecr6~Lu|kx+9&2h zkE{I|N<KGoG>rJa!CN}Sko<g?T*ly(J_Q~9IsiQ5S=$qeU+RaWf4VDeB|q3nzX?xP zC?lml=n>6tDWLIC+BG7MarQOU3Eoc-79)H0sr%NEYl~qBJnDrz$N3I|aEq{x^M7a7 za-Z}cgd^<NpTsxtFCGv-Bm^)<T6iQgYi-OpJz3YMcX-d}(cxpo*C@m{we-10_?1v8 z7ymN>+j5iib;56izVx4@I%Y2N-Gh8dzM~U(gbon+hOzol-i^8SB3^<n5cmySCGd;x zyUF>Ulk_YvB?XX^iQvDCo}2)GSooH6!~t*$R70mFD*u}j^nimy$`0Zqe604dy1r}t zn*P0=eg9nXN&CG{|AUk#fd31pehcT+FyyXfHturLOAq`eaE)^MnNstNg@)HM`R4D| zwQ_9Mp3=y<gQNN5#US9zlIU%G84J&{uM?P83u1w1G&VWkGbGxVF71)CH=Q*;*Nc6| zPin&4y^#5=Z`_;ci<-&{->E+_kUMG@uH&~fhwsxWFV97v{TmddZD$XTL7Knq=Z<KB z-f@*=Pb}1hZv;B2&nW3k@O$<Al1d5b{K!}(=lu1W!+W;pwhYKLbLz<YM|tLYl)e6x z`cU@s0^<#G<g7M(S`B&#Oo~d50?xAM+i5RwOV5UTHQ!zxgfw?j(p1_a;{Sog*p&!$ zPdA6Q`@vgcJ@3QSwm!o5cpOZ|2Y-e7oXGzs_-Zp@BjHWLFl1)~v4vOF4vuqt=CY38 zc5VgdYv{5Y*>s^?1n+No=dghO<JDhW41aY`!pC6lc|_K4n?AR6pNHyLf~UL6!|#bM zR+GNu%;m1upJv?|8S{?j?-K`;7ig<=m2@$s`9juiVH;yzSH8AoZX6iy%Uz{iG33z; zub}HTU@t8Es`#>EW1htx{D$rpcpkp(K)xb+=D8r-+QebZH<0@0s9%HsD{xjf{s3o) z3V)a~DG%ii%|a~??WKID(ofQ-wwQk3uvY?QRewu59egA3t+r`Ezi&vNCY;f-G|0!( ztfwY*Cl2$SiAM+5VLv-CZ-3C)k34-0zc+#|0;{kUB^>5n6o;-&WiY*=Yq+WNmeTg2 zJ{m|q7CU+xoA(W&3bHnevK`3c+C<(XKr?@E%+bS_*|Xc=e*?YH-O)GY(f6sS8^U?S zg~9k`R~bv7Dfqwitb1%J{_Z_%dYQP=jlh8M#OG<>g|+-h{2k%97=Cj?e2#FLFddn@ zLfmT&zb_{KiExqd3*m8a5&xqPwDJcz{!Ce#<`RF;0okh#T`atTum1vkCNLU1c{mI2 zLD^duI#a*=cVF4}?DI9&|2TNl;lqdMA{RF4UfQxKc&HV8B`}Y3)mT4zS?X${UtQSe zp|@Kn>FUVH4=Nj3p{GAM{t!LMJxpWnV2a*k518wKQk<{QyOs2QW*mF(LIo|CvMG-K zk$lm#^7IeisxD8ZvR+hUX<ZV!r(VssmCQ#VpUPDQrBzqX7!^vIy54K~jTAboSUS#G z&K_Ly&{<k9(0%QOY<E*$D6C@~P@k-OxWPNuIk&7)omiH(x8Sd*QkgdLyqSnzaQNyv zd4Vd~`7Vw*S$HcFTSb`*RXuwa;<R_$Wk(Ni+z*KG)GtzcB-}H2*Adl454@#1)x}}c zcj50O<oOiz&#w271E9+QaGYoVB3Yk67kFCW>${vqlx~Hikw^BaujWk)d_$WcE>0U4 z4yhi^MEP@t(Hn|a+8iOD9$iq7Akcub(Hzz^S=W<X_?X8ZO7qr27=<aZHpTZ%q@x|X zP=~vOR?x;DyazwEVchc2S)c=Ys1<mF9l0HjEq5U+I$<F5-%4;{C}VEdeX-@aqj)F7 znccz(hqr8*H;&%I*#jAvTLixVeCG<97SmO3>f`7B-pk<3nVK^P{Jt@O@Bd10hoSqE zn>H<VE`Q_Kgr4Qx9Km^(_BFu$yyEN>%6AyFi=e&0$ESUBjfN+hI{W<)-hb%O+04p3 z*XTY<ZW-q&flbjS?f|{Ku+v*WJ`$en4E`e8FAMgjC3`oN^G`?Q<t#Qqpc{04Bf_NR z`Ew%gUs=Nv)|Wn<vm1PNi82dmS+9kOSK<9)yqf~=1@<CWQB%{OegZ$jv$LG`75S#* zD`@qn>XZ$aOuIHpm)gux;Hi@6WoS@~P>g-6L)@LUY)LTn$&Gk)a_o(iZS~x9-HB!n ziQJPZ{%43UkQX?P{0em5g6$-%WGxoTU^lv<X9Vhkb07X}DcT&y9(SVrEB0;;x}hs& z9krdbopOW!CnE_5Iy?1J+|`qJnx;su3gLd{h;L3W!mq282m7<PX^`<;*sjW~(Lxr+ z|22$nwu4N`n8%DY!c#t6^F6u0s;lz3DL?dGhhAn+M^gWhPUUhi_T1Coj&I|k%xN|A z5QuTkd~dPu(@Nn7fOjhKAZsI#H48h_o7B^K4*MB@x<7l>=en7|H27f8Nt50M&*kPj zsK&7-KT7pdX|<&d9DcZvin~L`_Xj^<o0B38jv&@2uu<1I8DDaZ(p}0U;n6<I-;$4I ztSqeOgzD$<@N{Fw{hIve@Qc7T#@(y$>t9rza8lbprR$V-zc@aC<ONo8-g{r$niBI2 zb8Kf<=j?rfA$R5WwM<lA@Re|{gwMHvHQmwo9d6w~WKZBLr|w;7@Hhx(ZZ&$Cb=E+) zc%dkE?{U!28RJlC^s__Pq3p>n<Sqwii5)s87tcz{l2}7wZ23i{^BUS)SnU}$1|655 z^Wa9>Jhuj2;<UAWsxbfl)Ct^XO_!ogdZFqH$>qZr+pXi7TJzk_{4LC){xxWJ44xXQ zygGq+0{91OevrmJIPaHW4LPx$T}TfnyiDjy_$WWRwHG>ubQ;p5iMta<7J)9vPAAe9 zGN^B5^Ck4o!shc~v)V?X8`SRg&&)R==no6eqi<Z8tA1Q7#WT_I&D?gm;*d|~(TmWN za2|f`O<bBa^&uYU_>#6?RrYoOb*J!;Ypcx8WiRh<G%XI}HwfI!V`6{L=h&NHu|57E zH8!i4$Ir0s0-=M2KFCQl`>=z(Is%;q>O+S-l;tO6WetH_eC=&N8-GimOti~|F3wE+ z4r@qHoQ{x@@C-bZlQ<mS$W5G!&>g#*g*ZDQ8{vi2|HNOB`;2JTFc_W)qfICwWG!b| zcz%;}Ub6G(f{azyyN(3rT(6+5!G}SAFDPvCNz+&t`@RGoNPh{QVlEbTpm!I*55N3# zI>}9*b99RBa~B=?x$=`ObK{we`%adBBK(-KcThfycoF)qiE}SgL(_jBPuZ_9dO%>l z<CD)-U0Ol=bkTLXb8yo+(9^9LQ{YMZybK=>cX+5C`0_q7Jw8x<ZF0V6WB6(b`d~FQ zo(G=}2Zx0z?3q9V{EP>V&d$%c@$8E~c-@bFcH8BpZ+-At$jLr8a`IB%1KqZac}$PO zhOmd38LKQh{sA^`K_vJ3lnZ>DVAeiSbRqKmDYBXyUsoU>`%oO+mI)c`k1lx<Ik^(c zy*Y6)?5r1}nU_GM%Ix=bO`ELbGesp=1@yVc_i>J1G^OS_51eC_#upu1=C+aakKk?k zhj0AsM|^3iKh#v7$du}*4>y>+Jku87+lH*B{Z_ZUUP>IzAERf&^<J?gw&E`Pevx@h zbM|{SwCfHHEd+x1iPY!}<W?XUJ#C@6;=0H@zeR?dhx+DFrH4sBVy)xgzu)1lTxo1i z-mOOAhpK#!WbZO6FQvNa!?B!m!jJU(p|G!?q~@}R0?qXADw>>m=F>ftT$m4)+ax)i zSKqZ&`A3Z@Xr=s^=ej}Cl6<0;)zSE8$A;!)+`nl$5uOuhpmJldnP<>8Q#Uvhya<lJ z6HWO;;_SQ^?n?PUmHSD$2mQ%EqCU@I)7SJc&w=1LgT1j(2l+Ut%^oSu4xh5M_!R8n z9jCq2v<3ewQ+SsFUq$h5Fqb3KgQ%;0*&r<L$M(!a_X-3vx69z(h|O65FVw|8)`9=V z_}C~Q+pU!I?|_^v#twf34JR?az)z&Zus>ap&sgL(O!x9UIxH)+u`rmq3S`6&Z-|}9 z<ILIAm}g#S+6RB^FZ_%$*qQwL?me1*Lz$-wb-<sS`X#!iZz6p2eIK0|s$&!l^YzLX zYtjQ%mkhv1y6>wFNKhWLMJJrSSY4EJTac+a#rn#5Y=hKXRy|MxUDBDoxXBs>%Bydj z1HG7+zQ^IYFW9>Vm&}~E!}!^tT_v4!`B2kOp1sspD6T%t0Old^24}@F8GLJ&vNiCR zzy^(16R*cstwCoT$F?>sVd{%>c8g#h7Lveq5xTpO%c;M>{>=f$I>q}ZI-(zAe+F)W zD9&sava^O^yc5~LSe2bKfvuM~J$mSAc(0;|hPfHzJ@#&VKZ9@Q9Uorl*W<b`UyCt{ zF|QfW*}_$o@6O75xr^gxtjDf^_XS^9+dN>R+S&gUIEnqp{(OApYw%BvY`)GR%;7s| z>B2ks!7faV<=YbYJdMhO)P)A2bCnlIN3+*c`5&mxdiJm38xZWoJ=R}6o-?cJk1^Pc zHq76JQRwap^cSec9FNhrC%Sqz`ozM89Q;iU<>zh6XSQxcTK*PYYIqpj=a2yxUSi)< zMf=J!=o;GTUXKs;)w%r+IP&h6A5oc*vLWo*DcY@6KDtN#2r|}Pzpv}2aZlnH#{CjG z?G%hJ>Dcd>I2XG~_h)^rwC`=5=aZVZt^1H~rgA?4f25aV+oVkl`{Tkr)w|~%{m}*- zwFplUK23+usC`b87C1`$40SHN$r^V#eweMx>e&B=x|dQn_#t{Ui^12ygUj|U%eg4p z;|p&*Y5H7e4z=~%G@f<3a3PGpyF>jl@HSzZQP}FI@0m7>nP)zDR^Xo6c}b6O>{vZ` z<?a^l8kDbUBL~fxYxBp<Q~GzLZYsK~6!b2sx@#rBQCLfey#bHnOKl{bl{PzxEi9#d zRn>jA%*H#B4}nY0`X*yDj;dV#hW<=&X#OF-lM9#8O?x()l626-LOaE4^Z$us|C0(R z;NX?gUz|BeKGst&Wdik%nQ<C1_8SSNOr8s%rx!A=O<D35a{4*@`x$*lL!)`B^ByX1 zjzvH0#J246^h=55pSh*z01F?`ziI$>3He`0d1ICHNcN~QYZ{>TN80CyX15QUzD1(& z^O>IugLEHqrp0H{wSJ5o*JXZ<;P0p5uXNb%%~yFBoZs}!k=lo0h}w;2;K@gM`>EI~ z;tfjM^*uNzkPiY!e{|uS%D2JlFD!wVzr!}<-0EAOU>^bAK-E*R^pC%lvVJIQZN|FZ zhSm#<nE8|<p9;J=GE=9zMQRo>#<fD&dFJ*;xDQV+{Hi+abr;IFVqZo$y31fR&-3(8 zr@B>2GN`|Pl5z{*IcZzwjo)FeX;feA4NqBnpR=(*6Gu0H>%m!D<skEUvxa!xk9*43 z^WnKTZF5)cWf{cuj;{HyQf7=7S+5IY)P{8FZ_0P7XwOII2#iJUT{ys=TBwFE>V={@ zc1ikWP`i0T+kJ-|++nS?i{p=D+a|8yZWrDXs7~2$=*o@k)ry|HGf~71DHq7^*t!Qw zFH^&N7|s6(UE89I?vWp?^r@usJP}{!JM6Z=fYQD-qzc1#C-{R0%;lJ#JKx1luTwdE z%JGYHbJy@Be${r}uln(P_s{#AYxs@=!~QauPdIxkB?EOoBt2e-A0NXz5ae2*yhm1l zK<>*z#~SQ&MeOJVczloQ^D~T*CYJj&UGv9}(eqo?uHJRdP<yp)OVtwxoW5b;bYaaD zlW)R26E!^*I~B8q-@_<v2CxT<GVtBE(qj(w`-*Y~K~8Ta8f?8hJSe4KGp=R%?xpx` z8TzOjaSiyeE3rTp{HM90_(Sm6@95WYI@hu6=k_C<hjm}aQ-0U6QOTWod`11&gf9pi z((s!H;u(Z#_+~Sd&vIasEF7k84!8~yZ({ywx1tXTVT5pkK&a$7XA4Z%`IsDc$I$st z<}sW8;c>PUzZxF->n7h`z*FPdlV5eNKlqum?X|cEXHeDcx%53r4&oo_6Na2!CC*O% zP1R2sa&d1)`f@7Y9{$0YF62}^3mjf_>sO%1^WQUlf{}%{z&FrY;~BeQPN(t6a46&4 zf}f(4ANSF22mQ7X&S{^(Ox!ntZx=Sv!ZGZ_0+qKHOZm!M!#@IVz*{c-hK+LJRpg-k zT2oR8yn7j|WnS**p@j?2V<-A4zfSY4;hfU=Cb<3$J}GT#o3NMj)D9kl50<9)_1dT7 z7G<7Ik)>Y~p`oKQuaFnGtaO@+TpeXzsZ;SSI%mIYiSXPJ<cl_~pv}k=d|z7(I}yU) zWFkF`FqANy@B?~b5b;355W-+WKSEzZJ=WBpSl}Fe1vaYPoT%lqk%vd%9!LHa!UVz? z!f3)+!pnq@vBe+$$v5$w_bPe(aKZV3(llQ8OUf)%c67<l(cJs7o>Gh_@PtFNKF}&H zcNPBz<&@r0__rfhnwCAm@g4q(KxNk003S)<=^zuQMIYB=4pWnOKY7WNB{$H=Le`T2 z-%h69LLa>s7=?U%se5@-`L#Z61u7Ds0e28_HTKQI5?xyvZD-5RDxR}iKNB~iCvxyO zD1X^kcWhP4R?n~(7P6f+?S967Y|}Yjj54)*sCqV-Zx`^j{tbRXAGy%|6n)UO?Mj*Q z{W^DPvq@<^BhJ^Syp~D*li7Ubl3xui=PKR1>s+PWAJk!=sxs~}rO}+|l&ywpxs*mb zd}Uibhdmak<ec3kznp!VqI@Cw$3e71r#rf*RoI7+Dahtl{vVqo!!C|j;oXARk_Aa_ zDc?jpba89O>)b1=?Q!dDx}mnog8z~V89j+Vw-i}iMtF^|obWo~4MH?__f_Iy(5^53 z+(`Cq0r`c5o9OQ>diVJmx-HVVi+%y$B=#|LlzAjM^ge_R_y<I#EE$e&`9t?Ch<ENy zemDCug?UUROe0JuEG)=xS&17T<L}H63p|gqo2PvK{tZ($iMq*zda85wC?AHY9$2aK zYpi^lJJR&4Prlz8Gq)OyQHT6!WTrN8S$z6h#4X{;nyP=k$3Epg!nZKA{Q%qd>w3Oz zSO3&t!FR;Yjv$OAtOwU1;+pVTY)>=hbn?~7zl~i<A8UFoqAZ#@EhZM&gMa#krX^nt z-JM3~Ecs8U&xkEqwawt%_kZl230Rcn`u}~00YzIJ4JuEjj#8E;mdim;hM8eUOcPru z3W651w6smLENMa0)E3i|rY&S?xtugjlfs-CVFno4SAiKj$<A<!12}l{|GA%cFtW~d zmj7~H|KEYj@Atl+{eJHId7k%uhj)<lw7>Eh3$f4QEPt7MhR#3lQT|&$*RW>KW6gfe zJmlxO4|FLU#Cn*>T7AlwH=@&;m-35zeiL1O#`AvQ2KxF(KS!DCC&cYi{3$=RtktGh zf3Clewl3d&#%8X`|LCWzQ2zF=-tKpw>a`LEb?df}IPAX$ztVOe@=LHA>;=2PpTX3D z+{bZklAqDs+g$Fu#x2HgwS0cH1iAd7pKa26*ZJE{XPe~I`D}lYGthC?`Fz@Uzc(YF z?>zwdnU0(V4A?#sxs5e>2QnJS&+W)7&pLZ9We*<k*{CY{D8jclCozXxIkV*FYuZo! zkb6q@_LV$4$<NKC<>&BOwoBd-)@G!yT+;G$7#~@|A@D8O#TlK7JP5u9IqZY`87Ch6 z_&eTZ_T3BHDEq93KBnH&uQ`M9I({zJmwC5YK0kHj|CYSkca4>@Y_5f?7`Nl+4}JA9 zLw#%N$6g&Je8$h34)E=N$vycaXEWpdi8G=vYcJCO=ejR&F2}OogMFWeb(BnJ{dfM! z#*ZI=qUU_?yO+8C8a<uM+Bz*iof`ByE8X*~^yy1~S^u=*m+8Jizf7N&3Z42tecJD= zwD!xiSk$?G|FhElewp?s*}49C0l!S2e^$99f3DvY{>yZ?iN8$uI4j-ztaMZAdD5V> zy`+AT?t4~w_p|2P{Ve}<Kg&Pejlb-_J2UP)UUw$^i*)z1(ml>f2mT_hi32;e*Uq+A z7C@)+J|sJ*rF!QyiL=sY*?;;h`%j-`|LL>rKYf<{r+;aG-?P^v)qi2n@6Jk-?6i%# zoen;${K8+R8SR(-oj$E~?*BZd*ExOqg0s>c?U%ZK|BU7O8zd?9C%(3KQU6^*lTZJ` z-%Y8qIy(2)O*0t$jQ#<J?mYr~_B!X>^Um*W>eKgvpx_HHy4cX~cbD|Pbilwt=D|Zk z3<kqxmm7v&apkb#SB(fAdG$4;MjOT$3}b&EHg3G(57$n(&JaHF`bjrTo@}_$V2GG< z(;ufsPNU7u(`Vc=GiuhYx7|*HpF0#sEB+^Rr{S)S8ZmeKw0k;oM8?K-PW_gC?{8)P zYkBd%u9ooYto!co$a`Sas0U|{dT7qWkIbF-=wtIcvi}du1^@f~J^sX#Pd&ZRU|96b zV#Bk~EqVThrG~^8UwZkKB*Umt%M8n3U9s}DRjb#${>Gbzw+w3yZ?9Ybr*}4NG`zdX zu=&0BKQMflY%qMZ#bEgOldanfpBiYRem>hiYR7My<|`ky^EXR>&Xjt)eop?!n)LJM z&v);U4(|M7?><TY8$VyFy8Hj*;eXX|)TjfaMt$|GY{S8nU+4XH&ez|h9{Sc`I83R< zYE$+d`MGA=&#KZ!rQ4NsWEc#YSq6jiXm(C+N0jpN3kr*hOG-PnDLa<XDJAM1<%WvN zv-19F($%SkyOaJ8)Z_mk|3AzA?muhxf1%YsTWNn8_5DAq(z*OZ=fuCISN+4ub&k|O ztkhM|<$*2_ba|l516>~I@<5jdx;)V3fi4epd7#S!T^{K2K$i!)JkaHVE)R5hpvwdQ z|9fCm_5c5K=$b*72f94a<$*2_{JS3Lc=bl!>JrFnXaad{R3NXe3gn#@L4XguF4j#T zue%8X&w_mI;I|;JqjlgMbb-7|D&SSzGvKv0^+umac_mK3E4K>r>ZYKt4}5iq_jGwb z(+BxFgy2FS<SU~B`P!>MzQQ4p*X9J5bb`EQ*#TY~?bd+-=p7h{{(=unk%B}YUPKCB z^5JEq;1wT|kb-4CEJt?WRrC(5K<~gx^bWj+-hox<9axRtfi>tIcpY8vMkl<9-hsE! z1#5kH8!1@V3G2~2@F#S^J3eec3O4%iE>f_`hs{XAdp^96+yOphu_c2UEV4^jRDmp} z3KqjA7QuTU8EgUaeq%j>Zvc(J19}n6bHKUaJkV<(X>cw$51bFK1jE2^a1|H<LO~q3 z7d!}NgNMKzaM2+ChQJWM!wD7-<Go)H^nN$Kbi}>@2H*#bz#jyF?w|(<1U*47a1J;Z zoCnSa7lG5Akk5Ou1>p8a`Fl~|X|NE;-$Alv;}E`QqXGF|rhEs~2;{q;0iZkR0Rll! z&<n_SP0t1Af%8FcU;=$WUvL2k0>ME3uE#~-V$cuB-<Y@r$ls>86v*GC7zhRdGZ+kp zfDmvQxEu@xSAZ+QFd+Z0##LYhkpF*UB)A$}14e<-U<{D|kLC9u42%Qg!5@J9-z*cr zbs!u}1lNN};07=m+z2AT6d?a6jr^ZUQ$Zw{25tuO|0&G?w}6>I{*R<t;8t)OxE<U9 zqQRZuE)WCm2KRtiAm4Gi7sP`Ea38oIJOCa9v%y1P4tN+m0_K8w;8E}xm=6|!$H5ce zN$?bS8Y~2hz%yVmcosYdmVoEM3t%Zo1TTV@z{}tjkOY>2<=|DY0;~kDfmL8NSOZ=M zZ-6(!TVO4C8>|EC!Joi8U<23)-UXY$X7C<(AAA5l1j*ndumyY!J^@?7Ht;F<3~UEG zz)r9W{26=>c7r|O3$PdL17Cvu-~jjv90V!gYw!(71&6@5;4rWNE3knhAPuAgJ8*yu zkO{JY6C4HEAP3}vJdh6xKp`js#h?U~f--Onl!FRT30%Mpj)U*OU%>a^1gHYlpa#@} zI#3T9KqK$~-lvq;DSzW_%FZuSUUvD=E3WALD&-jU9;LiSslP>eqwfvMo2Q?7fAWs# zJMW6Q`<~did*c)CyZ?cI|L4Jfzsdje7PBAf7;?@PSNL9~T%g`qeER>&&%#A#{XFw; z|14gt-lBYAss0w_vNLZ`uDIfgH&(p))>_{yl<%(Cv|{rL-l6<3`J*i>KK^9I)@`4D zwqpB^6)Se`TCqajSzPhO3ficjz5A~Ca>Z}`_{y)?|67Hf@}%B@PU-(tm43cDnDVu> zmlqK`!t*c6!>XR;KOOzo?H+i*`oIIWU*{i5`*q%L<xEevJ2En}R;c$Pc^`5*KZQj< z*DU^7Ra!}DnUcrKSFEV0T(QFCKK|WbR(yY=s=B7OuD+qs)AZLLe(codU-U~?wSUC} z&Ht>@-yUfBXH`0vw{}kaTY6ik5dT75%+JYR<a8yvJkaHVE)R5hpvwbY9_aEwmj}8$ z(B*+H4|I8;%L82==<-092f94a<$*2_ba~)^q6fSy+E4vYoLASJ{xuK$+rK{SYVbeF z1AqUYG?}is{M#P*`@jDFN2foeHToa?jQI!o{~Otz-!u6)x|#G(>)tT==XX{*{^VEZ zS5`*fH~Rhu9vnSe{e`Tbdy~JFwczKZ(s<wFtejsb`4d))Mvs1G@vlqt9Nx+JM@7HL z=g(iANhhAsepb|9#?s&EP?@WIMXT409{u|0H%51QzvJgd|ApG7&F}pe&bn*LT^{K2 zK$i!)JkaHVE)R5hpvwdQ?H+jlga2+1$jj~j-5&Vwo_)8hN9)|v^LkAm9M-rzEWbI- zTi{K)rr?&*1-E$n-y7C^;fZy%37Ow!tu$F?m=a90P0LKnP3ufMP5Vr{P5YY%9-UBe zWmx^yVb#@Pd6!IY4)XTt5uk;GlVworjZjkp6anh?L$y<&>J89j;GPS)zJoS{@}W?P z8=49VEKuH)&>E047|J*RO#*2}knL;8S}Y_rESs(w@oDZASu016__TRW`{E_#HPxQ> z#XXGJV-$OgVvkYmF=CHV>@kWxMzP0;Jw~y|DE1h!$0+s~#U3N}7{wl=*ki;Vqu65< zdyLp)6nl(fk5TM_qz3jht@?CUdCh2qBdn+_>rr<y&TiQpmfth1>9sIxSXk@Z?_}Q@ z=IPVq4y(JS;IuoxV&+)yw}hkUa9Gyb6YF#D3p>`wb6;5gjbWMB&Ca}TS^J~yi%V<6 z@)w8AZG5(6Tjq5MWxJ$Zj$3bMbJi|<IB$p&)pJEG&NI7{i47jQ+^@P(i7ym4Kcs{s zObL%f?sC7Jym83(yP(zxzm{#thMsymq%=gRmPpm+#H)HSQi>6(7^#ZuyOCLP+)oX& zO|QC5)!e36+}2U#=~H^C*s{&<0r&~M>JzH!6MEGr^e(Nht4v1{UUs@wB-GT5*#8B2 zmrHFCj41*;M99>PGBp;0nwrr!H6^8?J~bs(8+~d<nUfUjQ&UnEGd0$Snwk--ajpod zsir1ES+ETY8uy4TGBu+<H4#!(O-+RAQccaMsi~opCqX%;PXHmQ)(>c=gro{@Q7MFq zm~_ePBoYYa2VJW4H1Pmwq#j>c+@xD%(>2{Ek`1DyN{h85B_8-jnW0OSR)&y9s<i5z zwCWwHOw*+*SG|)~qt)J|Tc=A7hMV+>=~AUtf237^NLC{oR!Po~je2`ss<c>3QmiFZ z%JsTbX=OcW<wc~jUYDv|SxZ`Z5~)UST+A^w@OVHEqYwwyJbhGMa(4Yix2i){&ZAPL zrXs6^N-4uhs_i6F+^kDg&R*6tL{T|16)MP7SYQ%VB~(iFMpE@AQhNJY<~6m>^d`}; z{%-Oi*->ipN=QmgT?t8z)mJPcU|?YkGlc@Q+y*tQ5-O#JC8>rLDZ}cL<9Udxt%ORc zl}A#Y1xVFem#SQ~mb9$AjIZ=^UFvD+UDCdCaR^EMWKf}fLO(a2(C4OvoEmCwN=QoI z^SYF@nyV6$QXyA@tI0QdWOd0k<#j!+OO;l;(Xv_1R0%FRoAq^~OO;kLBdz3ibvoUo z?7qqGIp%tkpIt6RN(5*dcA`T8+5x%du@#>qLkUjd>(#ZB4JZu}s%3{vZ}P~V&mAh) z*6fAQ0d<u<pt`6Np>~monksrdk%H!yOE0Ti9Lb`U(R_mC_716vwW=(=NxvE&_q#^w zu)Ma9t`HNq`OU@sB2TnXphSRH7>N#X*|w@qmC!7u<ZPHt8N`abpa=HW2bCw1Lo^Hi zB*vl05K5?2?g+_#LLWeh04@C-veJsxqzH*LP(ry}76%@eIn^B$O3A&PtTVzdV|EYi zaaF!y9R-l)POdR$9wtw-mi5p)e{7!7L#tRM>^&}=I|Am|8lW#hyspMjQSHbqPooBY z^W8Y8WbrKWaF;JnB`?<(gA&U7su!Yw6i=$85;AR-QbJOmzWvnZ?a+LA`lW+HIq6lI zuNhgYSCywONk41pO|n9`Ao}|3&?Il#o%%Q(8p|(6-&(p<Ye^i<0W6M|b6EDMF7=a8 z(sB~&vr@Zjn|_`mX6pTSXc8s8hYrb^s#-Q&O82_IH_@R=GK$Pt2|OtGfrL#tTFnuM z`|fRW^6tbZ`t@EkH4n*P8j{-Pmzk_8_!OD@Sk;FvCGAdDr-)Bc*Dk#Z7cWs%j;|6~ zN>g#wYY|wz7K*P{hbH6em2@d-UlpIC&RV?+hpXNXimy_KCNbA5=~B|ZDn3O&g)bV< z%;gwHQF}`iwb%3<O9LrLT|ZSkxqzxDbnJL_1JLw3H446`E~K`cY(Tc0Y*bc^+*T-| zU+3jIE!TOud*tTFx7s>1$#abBSPi-+d8!vBRLZv=$xs>re_daX9g>ZQUFvL7k^@A^ z#>MJ3-m|l@meRaXgcvD{mV;H6uo7zLzC$MMJm*U`e#*R*qe9J0X`Gzq%x}q1LJn`~ z<q2t(-lQHvn5HyULfsxnij^$&jCoJ_RgF;{c4#WPQiVWD73Lx-pGa?#M-^{9l-{I- zTr-SvZBRz5>9I3Zmq;m-^WP}vKeR}%Eg88(xf&>eX;QEG245EL5%bh$l7iQ3r}WT_ z0Wj07f^s*hlRdpjJr=PZq*m3BO0bUA1UE<%d14|6ay?K=+YDXG`OSsocaXY_C~<|~ zcCH^hR9&GuVtI93Sfo0=sRymL{ZmDk+Yl@+9D~T0$Ex%ud8A5j!fkptN|j;G<e(_O zAZweYV5qLq-5TlBovfbQhN$7W5*an+2~Gp)CTlDgCdsT1(pOP>lX|*iap=<_=ooMg zq^?3@jC$%zZ&J^F=}kQJF^c}^x7pW-9in2!RY@*KlF*lumTx^$Q@gl_ei{0<hnD#n z52sq&#d7H}2B@di<{Jnh2@XBwAQcW`*R)$KY2q=JLU~SQaZ#b;a+W*Pr?Dyrs4d_b zp#-Tq-5h(I%5YRGkuj_zzfSfFA&S?<l?Y7A{}CPp%cv{|<y~F-TfdCiQ#51s1|b#- z!aWyS0|=R7q9FO=e}wI8$cmO%F-03Il-|^Q;S|lAG=+$XHhN=D?iB4B#j@=rUzgW- zZ=hIck<cqb@}%G5o}%%bJw-d#XNo3I$Wt_V@}HtDQMpSbdx<YcFSc)L9ymqYsEd{j z`j9Of^g$P8JVEC|_l8Z;O817felTquH<E?77#(3_^$v0`Vopt8${@y?Drhsv87y-v zhB_>+%h~YG6m6+c=?UQ_LUq}~)}Ee-4bzb^x;#QR>7#IpxMGQ#+!8g<C2HPF)WnyF zZ|3TAnLD;a>NYKLU~cY5GPAb$rFPF0tv*4Cw)iD_N(rZ9igrL~$u*-wq=yh`9wLqm zafF2&>l0Ft8`Ang$h2`Go<1Q}W5$Ir_YgJjkQR5ytnyk?I;++#?ICjI2_cRbjSCSF zN2T4Fb3z7qcD#%LUz73V_>j>;*Lc4j7jmK{1c&F14_PExuL#|17#~u)7b;j+HD-KB z?g-&&<3l`s$798KdLJLsvMr?W7BORdNbAP&j6K$SKe@*#og<^Pekhs3j&b8dj?t1& zf<nd$ImQ*_g*aDcCL^{hcCO5NO%jS(28=;lx*ah-Bs+e5h_z%~$Sk}v7N1mmHcV$G z(184gkO7r1g$(eVWB)E>fTa>k#)Z^hjp5=MHNWv8MTZ^Z#)VY<VO)s!ub(*#<3g?( z{fF@(={=z8zq!v38SR}+9%GIRsT<Bn(rhvg@=?D<N>Sz0#FgGl>0T_f;N7t@!Lhh~ zECCxUvm7gCsz{8ziy_#p;X)BYlZB=VO%iIoQMf5VxO#(d`B33CLKz2y(~5+x#RCGg zs;U8;|5a$-`?5brSEA^KumR<d2y<tU)c6DWN?0lfu>8w!b`F1VfU#kbPsttHq4H4_ zEi5Mn*uPWmlWrUQNO*T=_>rg|EeT|RF5Me-S?J48Ki8KYE0SyNMnBIv{ZtcgJ?+{i zKs92m=N9Q^6l9Sh>-{0eR>-{pa;<|Z-h@hJ3Pq1W)^DIfX_21{<z5Uqhd~+Rp!9Q~ z{I8*A3zYX2R5%6_6M7*r4T*o$e7KY-laXpF%2Z{t)KezQwVwKzESFvglc_!m!elgm z2$N~L0m5W1t8YS>Y!s7;&^Hh!bDd0vFxjY$#AZGj6T)!0YC#yzCDj69I8DYty5Ust z8Ls<SrIn$D%Etk&FCHAwcHM&m9NQioK-H=-O0+-P&!=&NCtChD;G+izNOjgo<uXQ4 zLd(oRg*3HHAWaoQnp#lVpWlI_Gw#6X479qjXb?dPLW5X@!_gpOdmIg-#WpmEP~VH@ zxp#nT{euH?`#m^7Uv;v|0>tR@o9jnYz^W8UL-8gQpx5K^c_$fAZa<z5sL`>213FeM zIX-o0fOdQc4;x7LW~gyHR5J`pzv1{`L_<HQb;e}adI99V6)Hah6-Pq$nNVd4#J!a2 z#<_A5sfJ)E9JDQj(&j)l36MvUs$<LbXqIS5`gX1q-URAb2t6hAFf<huh#~b?3SA0i z41r{j`p==&z<vkRTnQZwfSiR;_4qK@DpSc?D{2I=6hT{ta+m;2<7AivVHysXB&M-i zuNR7jCId0eh-oa~6+%x5Jq%3+m`3VKp-Ul5<4}^+=g?|^X)M%A2-E1S5E9c^>%$;1 zjZ+O^no*gi$Ajg(nGE8Ac~VowgPWj!=n@Y)xBwy^oOeec;=yn;A>yGv)+HWdzSyJU zQ8)$-!Ywn<AmaHa8C;mKW?A-<P(n(4X`ezYFHz-6NVzZVQ&<NN(i)P}1P$WB+JgpB z|4}pu?J=JAxKvBJLuJ8<ArOyxtCXcma43!SbI7E1$!cgI0Wsb(G{}({7BbY)FJx%J z`jDZXukt5`49)vOIDcfw&=U?-TzW{>fO93wG-Ec+Iy9EdI0=C;D{7dZV-_i0vS#n| zOYcQmmn!{$o_v7X<j#FgPa;`ell(lguyjfKPG4F{_J4_<)}>0%lI}<&Roa)7RNHo0 zbHdp5h~83{0R!tFktM4OJTgSLLzjF+kSHrpn3e;4EtO>Rgy?Bq256ZFWO)dS{)C?x zpi8#U8ojPA0|sV<$ZFOF`^}}7>QbfEY)GrwIKQAPNbFG?Kna!dwIoAnTEQx6;kDKe zXrfEy4RJ2c5#QFY)Z?a0<q;{xA*%EdU#XI`9jHcBg1S%pN_|odC%<x_1102v+S5m+ z5CH=(mt#P&Iv!O;wk1+No1`9uwn%TJOFjJ3iG-hCRQOez@JqTqQEgr&)OmSKN?DLd zl~yK@R<-5VEEFrjV%RUIjj-sxGM}P8rBIc5I96@t<728Tp*~O3Q@*mX5*Yc^n7$+c zQm9L{q}38;X(Kr(hU?|JRORxBNegNyO)V42V3kNH5VD4pV2i$?j#VWjrOq=YBxO0D zno3BjK@3qsQtC`oLQ?8*Q$kW%E>#mDDTkbcO33HO>fBaBEgH2*Rw~OXE}|YptxM1# z=C=S1;>end2JzXs*bfo00NH}VsxP(KS%7M@v-0$`l4=tw&#?)W=bU@>?V(GxV6Rce zJi<o>^w%Kg3dA*WD;lK6P<=3lC;Sk<c0LZZ-3--CfSUZE`fni1<Dz{k)E#<DvaW~R zX;8TXvL1$7hd{2WP}NMxJqN0p2Q?Q!Wq*XM7eGaOprZlMkp`$`IaF{y<emiW0NIgH z+9i<VLMZocsCfir^@s8kAlGeB;dH1j?2!J*d&rw~sQ%IEhxk45q2>z@akG4={l)2r zIOdy}8o$OCVt%Zq2@vyRM}Gq`KeSJUx<hYC*7Xqc<ND-)m><`{ArSN9UTP-9{OD;O z#QcmhKe<Rk%ulYr5c4z2{J4Ug4>3O@^J7CtLd=gF)C(czM<*j7=EvP;0>u2d2#NK~ zkFz&b74`Ca;E=piaOlMPobM0S`-N59CVZ$NHf&-0vvof~+0!7W2eRCk7o$Xt7vZ=J z$_<f>c&K0^WE})Ka-f>`g+3@fPsC;@@9u&)gyW~0J&1xUAa7vxvxw4*pt2UB>x9Bx zw<A0jC~r38_$f~^tRvc{Tk25?uZ7%Vf=33n1TS1r_G$Bih52F5FQMwIu~<aG@0G~A z7g6;&WWN<sg{nv|xL!&pRgbzXZ5~?QK*-ZvXe`S>DI2vgFS#roE%(o81(VR6TN|Gh zaUmivIqU6$aSIoun@B7ue?(;!O{`u_g}iv2rM355sI`SJ)N1~)Q1iGJYSjZ5Y7C@V zD66Vos5y?KdlqUVU0*KL1Qn}El-;sW6O1gPsUZ7{h1yA)k1QCxkefCXd-Ot0koWtA zTJE(AHRmS_wTv+fElu|K7Y?-c8OtDuv`6V&l8C%yVghXr92^#C$leiHyS?lHN+I}j z;NS)0ybGE(=WOsUs9lk>Au#tf?}Gfll^zZg;W+7dDXjg5u)yXE13mkWjtI;jpLQ3W zl<uJIH|^)zmINBw&-I!E4Y@np&w=-OTfFq05gTY+n(+uU@NK_}^?ufCQ7v-<jdiyK z8a<_fM%RmhM<)bo(*x~qOv_829>^98)Lco_)2b5!wYU9_oi|QI^?eB2qq>yj_(1J$ zJ=NYbP;0v<P|N69W`zR-HOIa{&3y|!ETk`UpyoM2-r+!YMWDvuTK3F9&3P1AM%mwK z^9cEK1GV;{fm#i^>sG(V8=ql7l*NtDFjU>Gck_XMT9K~lg_1|<xWJ4*kR2AN<vl=) zF9WrTb%9!0Y@k-;4AiPlWA;2|Q1*SG#;oe52YQMFT}uOT0P|=1&QpPzw+9|OXI!An zQ6`r8C{uDLQ@o()XwCG%!+#CzV=$%_k3+bVeaf`)fw@DeQa2M@7X{iLqosEN?*%~# zU^Z9=mV<R*C)fvegZ+WLS`_G+PaGYIP;Ep0*v#(&`2<${*tl3Gl6jr@^=;ep;(h5| zg+UDys4bP)EUmszsvu;7ydWY~NJ;GM*MO14Wwyk{FDF+Cyme>8gMl1fB)d}@6R3Tt zxBE~$K8p^Df&#UM!IH0ht7Q<AjLV4Ad!S17gkbiPn$|Y6pHZUcX#gM4a-z!b7>Fvh zZ>UJ-yg>Nx@iR&Ykzx=+x>32sx+48e!wB;97`ty)3127KQEEh~fyyAX(iPh2=4Kz0 zmXd$0V*+!1O8XT)rE#&Wmb!6%(@JlmrYMLsT#BmqT5vAQ=|O%6qlDhIYZg(tR2G<P zznTC-DipV<9KB&pD@(Xd6&HV^RNb6vyGrOiu@RLckkSF-OupVr(NSfRT76nh3Q;+# zx<u$TtGhL_$TO}`?W?=_-Ay;u-D)mWe32ef_M=U5*tO#B%Hl%8Ette^E0PRhN_AJK zu`%mzmBn*6ce}#MM#{y;2+7cmySt6;eRtcJY81J2v2pK`69$(v71?Pd@ZOok?YCY) zR>gXjt8pm@gK_C%wv2Hp=RkeJ%_sj7m|1yq&K>nDtG1Jwv(hpHk$!&ee5EuluD<YQ zP7&kM+i#?sB{VWFJ$7!OkyUTRT;ozjZ1((nZqCjOte@NR?h=d=xfGeRaw)&qt~<YF zBaP))U{UHv39C$$x<a<3Wrh+7if1ccrg*vHb&7W?-lurC;{6<C+4^qyNr{@dA`H%8 zZ-H>WsqBvu6E#pq7PBq5CnGC!oVX1+-zUd450sQ})iB}aL0QKtZr5eb32D)hLoLcA zuj$8(tm?4B$ArtS7WNLv$m0GeBTH*PAL0lR(RM9V(;(DXQ-tt*2Q@DC{3Rz7rJCV5 zA|cBhsEVF7M}<(Os%<$UMQN&<>mBrpx1rK+prUZ-=vZi^;s~^Y!BFl{C9;dr^Wq>i zlJgU^jBB9$@7qF^sF5M_zxQ08k(Kx7aYEyT8Wv_`S&XDDM$#6eq;r>(&RtHrVUgvW zsw;Kr{fdc)P*NR2N%at^S$`4f`in^CjLOKWyQcA3`t&C?Gb8KqSsX{Ypj<YSV)Vj! ze3Y*XQl;H8vfB1yT-NKBo0M?<PKml3IX7cvE1YQK)IgO(OW&1xe*Wn69(oD6lAv7Q zVw9u!&Nve4Vxm`7drcj}Y&LcF`nqAY(kAUPTInaPtX{4`G-Lg8q2K`Y9giGv`Z)SY zmp{5;Hl69YX_ujLyitLc`Z?ztfs3r{aQ#|)M)4KiuF7Cqar)@ZQIstr<v?enzteGO ztAVggU5&6!8Bebt`WZQ}=F*K%!zYWB^(tRa(XLa<SCPhV`>Eab_|NKMRJj2-lYb`h zi;~(m7?30EOtlVOYRMUPrr=CMN<P%{Rcq#;D%HM00SW!=;OrM)JJPi3M95hJ6=gxW z-$HF(s3Hh*9f7=mhtifoW%odJPePt6A%`8RsE2C1K{frM>{}qu7my_u$`}n<pMwfU zLhd`E=HrlE2Cu4sTp^Gn9kR@aoK7ga5^B<*w}7P=)GpO(9)|MfK(@CXY3(nADo5Ih zyB%ruUpms#>Ai3uI+Li&M4t<=HuH8Glx!{@#5oBifZ1RfSPs^KonRl>4fYog(!xQ# zD3d`1m;?$3K~sU}Z%~OFYC8obgN#=p_Z+B&K6#ddc7Pm4(GG%|45;pDXcO24N<Ooh z5L-c!8QKF@1KYdM7Em-;RdAo9`gNb9dUl^fxBT9VUj{14uK|_J$xzC6&vm-g%eU*r z+kK@a&rYZE*lFX62QA&;O)4I=L~-vzvu9fIpx!l(;z7+977yZqwRliPPVpd*vv^SB zlCa`I8MlUIf2p;bpf*3KrXKQq54oR|JTGL4lH?M|(O;5ZK&~{Xq8cjw1}X}NoEJdu z6HwhC$Q}dbT@2-9LQd&9BQg8S1yW^!n=uv?&W1ccW`D_VLBpiq1-j^C*dCGnWgmm0 zf}B%5C9z!>Iv3<HB6*6TDSYy&bf4HhNs6H<+GJHxv7)Jx&b*z$O6WH)S?BhNqI-`B zx4oxyRqEWB{UsMK$tatZH$kMOudq*lO!Rc-M&nzBv)(S-u2Or;O10`aP<x5cbwUpd zjfK+cpp)g0dkN(24z&jh{Z6Q_<hg~ig+@c}6QZpXx<F{L(9=R!3H5;*MnbMssC{Tz zY5U~qWu-^zpqiaf-iKT$5{sLK-Ew_PEHVq*xvY@Sg@_!k-CAPX7~vg4<rc*UgtLaJ z>xzEJbD2;_sau{i<e4aAu1}Hs)-#tLxmo3?<0KyYPM~(X?>6ynsY)HyLq|dmdk)(2 zM0GMwvkeT?az2s!z9sTF!S#mA7G3E#&?wx_x|8LJ<bXV9SRR%WkY^#eu;?}AKA3t~ zYP_BNg5J91xx<*zQy<J&bQGn-0zK7!z1)VkUoTHP?bmbvW?Uk-bW3f1-X{<|92%GM zL}*+}1>;h#H9V{tm-wXAGLelKrHi9VWFJu??|LO{FC)}bwsEOEXE$2(`%PXJEgK)$ zw2Ftord2$|HLap=lG7zwEXk#T8y?0{8<fvCl)s4jFq4!tT>j$tzys7iK;;9}#g2LM zB*=X>Ogq<0;u3y=JuXmwuPxem(Z&akRcYZn{TiQ@JS9D4l3L&#BlrCAJZ84E#~TFR zjq!#ft?{z!;x+!A>KU(1j@OR&h}R~?YiZxdYmcn~o8z^XpCY6h#J~2dBx9;%K>YLa z9|LWQ*IbvyYqiFBt!93_R@@xVCt%cD9?!uGro?lO#%uQRU_`v;`3S6~o_{>2bG+to z#B(f@H#}b3L)9PSwd8m$KP#R?9E^$Aw#I8);<X*|9NO{Pu6V870uEp%t&ax8YgxnM zwS)26>i9l}!Wf|e@rI(Q@rIKg63ncRVKQKDoG5_V^)WC#C}%k=GwfrKDRN=~CMlUy zRi?0ji5iZaLdh$XIwx!63&Y|wcNo%V341ri%Wsb2<s}bFTYlOumC|QIX@805^IKfh z7x&x|&u55C^__S==Z)vGL;7R<j2+rz<yNZWatPIv7e5woX^b}|#G7Wvo0i3!mdBgc z#hZ4<oA$+<cE_9c$G5*27H?RZHLvkm2@HY60UGnyFi>NBO@=SqEk3spuG{cq4Ze3@ zjpVf-Oxb{sH>P;^r?4(kSQja*ixe$9g(Z=qO-^A+q-c{;SQ05L39vaui%4N1q-ax9 z2!D#UDTVN-5dIXxpF;Rk2!9IUPa*tZN($jmA^c!O3gHK9spp?U_)`df3gIVjc#5_s zMN3X0^eKcMj7ib9rf6GIv>hqht`tI@La0-;gDKkT6at(=fKw#E&}4w61Q=ke1Xw6% zIUE5nm_PzdCXm?NpV7Tq#kJE@SXU{;BZXKnL7GS`sLEVbEK&$UiYXz*G&{w#EXA}u z#k4NPv@^xDFU7Pw#k8NccE7ov^OP)q1SKbYItWW?daY<ug5ueVmnmMZ_~D9Sjzf-v zo~fifky-UA?&ni#zQdTb2MGdkP09Xrdi7pI`<%855Q>hpR`1oq!Kt3mWN^F(Gzp}A z57qC7+OL8N2SMI$&?exz45~FkHS?k3W~g-t)Uq6M&k>pe6`3LXc%c!H=OdxDP_aLh z@haqSKuvy-XE?M6B!m1csO^-{7-%cl0(O91pxgqbN&BM#&_S@8Nfk}4-YWqVW;PN+ zVdf)26qXrD@PuVf5<eOqVI)KPZFJ-63)S2KSssUSmO*t-SMMccPy(0@$Tcxl(>kyd z>;t<2y*omx_qIP&z1RI__1<)?dT;%kg?P(gy^rh{!>Vm;3&^_>!u>YfZxi?1aKBC5 zZ^QjIaleiIA+)*L)`uenRe<S|oQf*IdK)3JNl0uG5}Sm?CLys&NNf@kn}h_K0ud6M zgajG^5fW%EL`ZBB5}Sm?CLy6<IJ5^O143exkU(RgtzZk-0d@gGg4xoZkl5H*&_S@8 zi4qqZn+wY&I52Zn!GW2r3JxsuReMZ?nlgJ$bTw%?LM5R{<}FdP72;CaW5VTD)m|JX zM_#o}f@ULVHiBj&Xf}doBWN~)W+P}ef@ULVHWe9m7`<4;*38=>C*2#4^@1GF6-ACi zHb1V*^drauFQJ6I8=)hu1zs&2oazZp2FH6qlR(<{&|_<aHbW7h{VHfG@OFbX0oP?v ztr4o34;42<twW%e<&b-h&=jc14B5vEjetBK39W^S{h^FkA%_EM@`F6Xp*<iO<Yz%` zr-a5pTfr8v1MC9j7AQ^H9}R%AhCv6xY9?2Nsf4e<E8!DneiA-mW+>qkmN}~MiC~%% zH(^@KHWM!~eESHF$O5lADd|6F8I*eoWce5(lEURyX(Rqpku2~MNhkr#2DC9z&$JHg z1pB~lu)o0TexCNWcMH7gE0s!A&lRya57&{IRjWk3s<Jq%CX@h%62DL_Je25#YLi2W zU8puGl*ol@5uu!dp+qcHn;Ob77)s1SwN0UfD3l0=5}Qz>5=v0W^A9Bkq1qm@ehk%; zL$$4;+LlmlM=0|Q)pmvAW^jP6sdY3U6hDV*2Sc^hq2gL-GGKK43K$<p0xS?`LQ?@o zh(9s<RA^yXsPbee4hl6TgqmiDnwEu{mWP_wg_?GTn)Zd7c88kwhYohMg${oBgdK9c z80z^vEVT5IuuyAwSg7a8u+Sz8-Hf?2ER-z}IyfxV5YlpLTq?^u73ZYl9CEzxj!V_T zQ*lwMHaQg+rD~H>aZxI38*EP1B2sZxDy~Y^rl#VmR9uy+ZAxWvr?R$FS=y<%Efu$= zvaVBc9hj1e`%-Zq7?H|~25YJ3pNcC}S<R^|X7YxoYI{<(<Wv@ND(e`GN!7NdYFkpZ z9jUlCRoj({d%*$BqUF(mRNR}Y9Zc0$r?Pxg#l_HMfc3Z-V81L}p`7J#1Yi>4ZD=ZB z9^!4ha4MCRo2u3?w%(JfHS}lTCz(7=WzA9%Kd2R(N<30c38|*psitMArsb)ob*ZME zsiu9YrroKg{i(IfOqN?ND~!uG-n?8A4|mcZ@1!s8q(6LFU1LZ6$2;kZJ9I<(3D<ju zta&Z%2u0qFXh&Kh=Q!7US~xh>6PgT;_kbpWwC|zE)(CBeB0&9qsQoHvDkvNTdAmWI zfa@}-)(F+ihl-n_)*(>Ka>zYLXbMzhhV0{oMnImAgw{gE{!qrNki!8r`9YrH&>oNs z^0T0}Q$k~)tzZk-0dkf>yFj@GN|R2G20&TEpo3sFb1lMX0`7WGA}-8yCFa6RSfVa0 zQ&w>o!K@|n!ZL4SFC;UU=!+MzhxohRQwxBR>Yj!Oy>Piz>WTYQ^j+@}ekcLV1{iIk zo@pJ}3HE{AfZ+`8FetrGqS|4Jge{Rhmq^eOweUoum8eZlBvy&qq(mZ>NT9&xL@gqb zC?yi4L~Uv!Axb1diQ1+_;*&^t5{XVC!AT@GiG(JR$bcz{#3hlifDwrV1+1l>e<Be{ zBp`{zgS_F1+8(O@n5ZQu5|2c}0mdY1TNAY{iQ0}tB9W-=N+b^80H)FUXh0%?NYoA{ zYOCr0cZr5sZQmR@m1t;wMEIm9Q33)@226=)0461|5XxB&M*wCfae$@*CMQ9_DHt&= z_l876L0qENyuW;?uoZ`(f0d{X!bFbv!r{WT8{ozD?}(mWBJA);PI|HEb(i3<`^2v@ zszi`6@T-bnBH>FkB_x_=Cz_TenwBS;)+L&DCYtsonsz6e_9t?hCdz3FIbM|B@`eak z&z1i3%%W%23fI3YIaxJ{o_*8B%3?g!yuZXPEW<YMCz2R%6?T2M-r(J^-f*O4y>{}u z^;-Ke5CLvmueqOCuO08cUP~h{t&;RAuo|2M?d!F=to2&`9_sdAuN53wuNC&Aj~~`+ zUXSbH^;%h*u-8-L6kXW0xn$#dEqjaTUQdfd@`b$~_Z^}OXS^VFGG563sN`L#D|udz zeXNuVdp#b?%i4rX{$4Uq>WJ?3WDJ*lVe0Hsbzsj?UmbL>r(l@m3wu3nn?zU4NZvBh ztjs)jrL?M;%bXukmMoKzvSH6r;p)pIE#-An)*IUUtY^{O0=dH5??5#EsDvxry+Wmw zaD^A_Rw*TFPNG-7sWOzPT<eLIthcIPR9%TeKhmqHHCZT7c{WQ#I6-K(&@!RrLhFQf z3hfixEwo<^p@wVxkq+{bD<?W^UsitX+JkWQbPdvlrbOi_Jr$rt?)!-1Pm4Dpnm=t> zqD1o-dg?huR&v&ddgjLnt7h$iXx!NH3c_J17%O76BUOo#mzBtunnlM;Oo+yfo;b-g zWK30Mj=8!xqKj7%MaPRCL$p@4l_2uN^J7Kq&fkit{kraHJtYlD-KA35yAh=yNDVBy zACdD_PP7Oato)Pm<03@2^|!r=$V$#WtVGTql*oJ$Q597s4l4ho`EA5DZ<@+0Dn=A+ zfU@5Uhs%DbzE>qq^;E*^R${W^<Km6%_tIzTVuliv6sLWU$j6gSuk~&#Rap^=+hq>f z?}<OMIq}QtJCp{L3K_VpMyOWkhx#{^aI8|oo~%UkUl5M3q2f7^RXkS9Tv#|z0+<b! zf#qNw*a`Ll9B0~3ZLhe))x9D~tK0&)dS*r{k#QTMcpKC_0?JBO8AaXD8#h320mo`p z*|AzLbCcD20?NNmXtye?{aO{~?^dGrYn560J{7FemxM?cFCc7}Kv~JEPF0i=Q^~1{ zlE(FmE0X#c!iCCyaAB+*^uk^S=DZg=-b2{BM%eO+@FbzM?}f{LsC>O5>1ddt{9`3# zGF%FT>XU^Ti%-c^-S(?0k}5ymRgttoJg<afl`dkHXvwWeYSpG!Bo#kik%YUU1TY&c z1IxiWuoLV9yTSg7q^hVQjID}N4si9V>BsC`y^6X;`4@&oEvPQGo>S&;zc0K)J>4tk zo3>}R{+z5Xw$C7WtJEud60JF0)T8I3www?({}bnF5~`yaO3i-7`BT(_)>UK~k*Az* z>zex$`}C*<o;&O_T3?G=Aa#oTh3zwRU6(lp%{f`uN>1*;YOlza6Q|G5xv%Vr?X7f& zLDQqk*Be@rauP&V1S7o{8IA_le0{pNuAe?PS+cSpvi~v4kh`pLTTO~jUZTtD5|JhA z^?al+pS*QZ_%_Ov5M`PjWm*<xS{`L0YiE>cUzBNglxcsIX(MGDDcnfuMv6C5zL5$W zsj-nN8>J3?ENESWISY#GTBj8Cww&8BkJg(?oiY*0KiX4jG`qx4_Sn<sFuk;#`>Hqj zWOCF3Z@TLeNh_HgWw73Ezd6cKmIiB^qPQ)J;<hM?+oC9Li=wzKisH5?irb<nZi%9} zB?2R&xFrH>spB8TEm0J=L{Z!lkvBX_+Y_ZFM{zq8#qAIn6QymX(LG>R6i)--!YCd- zqxcX3JRYT;?h~bLiPCmNX}hAhJ&NM?C`vmRrLB(A!lSgx`!T78!pg6rxSxuWO#@8^ z$9q7NK-%}vV{3$RmJ4qdD!0NBpng9z6%-DNGUQk@Un~Aw&H=P<+7^+SJ5>709ZGKo z9D82Ld(6a;^?Ahuxb4xX1qH7~87dyau?B05aK#*ZEDkr6JuO^)tkpmFQjukIM7onz ze&)iCdT1RvXUcGO=0b5cjJshR4&!ndr^C1%#_=$&hjG5}2w?&syjGYXz=Q!N5HJ&f z2?o4JC|QV*zyw8jjPO<=LL)p&nD7W+C`^c8f+YO7FoA-%2<;HsB}BkrLIxicS}hbV zMCjn!8oj658r4!_S$Rj!z06*T%Y6&D<!^@D+8&KUe4>k%lNtRanf>x<Q&jJUJ6l&o z_0CPou|@SR__*ev(vPsEPe%35|0Fr8cTt8^fL9jzpFU65s!Kbx)|=4O9%cV-)irkQ zg4Wf}w`(HH{Bs9HEhzoadQOL4<S%E-t*u*g4$4X7JE}U899KEtXAa^0UPv^9U*jT4 zh>TiLac|i|*@*V9MMi3yB8hb*k&YzJkwiI?7)KJ}Na72oL=s`}T_iCEBO-|}SW8|1 zNFp0aTqB7pdBY>MJ&{^+B+-l{mS9Yzwlz}Q5~=No)OJM@wn*(@q_#Ser;bQ1JW_Ku zK$9bRJc`sNMe=wQsYOI;rAwfxkvtDY_Az8cpX!NFG#Q1eY%D-!wh(B)3MyTq3QCtu zCDG7xTqF-+k%npGBY6-5r$}ENImdAL@D{~86l0HMVNZ4K!AK6nNK-<jX?CP(S)^%s zq-kBGX=kKqU!-Ywq-lSop*$-)I?@1om%ks`ySaB{@AgTNy=y*+WSvE_$|8BR139?v zvCW{|iYa8NoiDsuh+HNpelA@i-Ys3ywo&mqY$;uG`0yT|-0G9~?dUnK*BGOZL6o}o z$PEibsUG1|To2}dj&rByEp@#n!O*q5BpT={O*+){nUTIsd*d0c;fz*)Myorc)kbRd zHtAaeu4|T^9a_!JbX~L0^_s-S^+;ii5)vQRBlY_w!mKc7gRC)UgRC-VgRC!SgXM8y zSzFEqSv}4M){e75mX5Qb?rC9JLe2)6k+Wen-f%V?K1|5?)m(#G4$cM%zq3KYEpnuF zO(eq3bYP|e*D9_NZpzn7kgBXHzkZ(G6RG7)EqI#&4I-)UY><TjCkV|JS|+qyXr0hb zp?yNTg;*M{0pd-#9z)s(hAU=W_I5TT2-Ugn;S0CfP@5g9IRQ1k4AnmjrTIgaC@4e7 zEv2q4P{nglSp`(`JXAOmD!3Q2L_oQ_q3oSd#*I+=@1cAf<mw02%!cyrft;T}&HJEM zBjg?<$wg3$kTqTMCPURrga$%YVx;W>NnR^S>E3F9+GpG&(~w!nBxDXU1(|_NK<pRu z#d<MbY!}nTaxq-&7PG}_F<NXElf_~&SnL&Z#ab~|Y!y?*QZZEQ6f?z2F;Z+46U9Q_ zQK60jdl)ypNvvxhdQU;@(GgR$d&CB@oo_T^*om<INtH+XCuI%ppH%#O|0Kta=oj@* z$_?nBR9fCYDgSNK1N$dA1CjmvCmkQqKdG5|S(hVI`zN{1qs{x&JJ>&|ihhb0Q#J_s zBv?e*r2a`cUh-&{Yoz|0^jnCe-~89XYVaah0hWVTz%uYMcon<_)`FM7D%z2Dy@5Rj z(2aiEKs&mI{5v=W7|-bsx`Q6TkGzxMCv@i3yaRmJKdFU&Td=2K0rTnyOyFV=3@!lp zA!`Uy=6xyX11{{JWWAF1OTbRBoj#aL3wAYs4ZZ=pNUy`*1K7$KSs}C;iJvJiei}Rn zp2aue{gdj>>+d?LC>*8zE@%s|E`aK9gd!w0TIhOcDzLpP^cGYY16jL4lO$`F&;vpf zAxjZd*A7`PfF^^}0Yd(g^@7k6sQv~aX<si@tfPdkfeP(H4k3$By3i5G(k%3&&<{d? z6Ka9dHwe8Wv|dO|OkWFGa)pixWeZ8CmJFdxAtzKPz0|cr*1ph*mxZ1a5=&2rr6&@F zUV^-j3Oyn;N9bWFYbbQOJ7j%c=xV6YCS>hDpA|lz6+XW*wf}rp`FtWUp9sunwa;gz z&(GER&(HY@w1OW%185`P*nd8|U_QHGJ}Y!SyI?-MU_QHGKD%H(J77LLU_LuwK09DO zJ79k0A@B|TF9uJ7r@=GeDe6rE;q-kPctJg=qfh$FIR)B5GiYIKKcokoL^mL7v84p$ zgF=u8azGI{21>C-?0gNZ0&kLj3!7=nE}73Rna>WH&uX8~YM+0+FX<u3-}Rr*ik@#p zw}#N}0PWT?7yMRr7}$V?vXRV-bmg~zyh`#asgpIx?7!OVf1=FnUsY)KuTBI;Fp%_2 zaFf}8m)XBO&g@^&3wXd?;6Cy`2H{kx1SLSar~t=6IVc6iX8)~b|I#q<quKx1g=YV< zc<?ys_s#w#KbZY9tl%4P2w1?k;4nx9Uz`1RnEi7YJ(s4r6y?qVuaI{Dj4}HkH2Y_+ zH2XVmH2Y_}z-?f**+1(;^37)dqXCr71$)pnWDdv!8^9fA|2)d_Mt}(L2#~yJFdmF! zsMDYw`~*&czmtC}m<DEmS>P6cukxmYNH7IV1^6!Sk7oZi+O@7gUIDy-DYPvl?*zEr z?4S0k+24j;X-qL~Ik+EC=STzjX?THh`vqoyM=bh_pf?y|_J7OlpYEm$)F!6e{1W<L zvwsT?Z}~H6rq%R}+285_p8=d~wF8`N#pzaDV%-h4fDgb&fPSpWW`Bx`9y9wFuOdd9 z0hX2E%_4>?8V1k{Pa@9;g8=147lCf%vqWml;X;#yCJUYFDO|r_7*E%jaZioe_O97~ zli9x#A5_wt3qxIZg9k`sR3$5<G6Y--m}KPuFc2_Wr3v%}!2sV>27x{R-&CFhu&nZ2 za2`Hn7_0blB3K9R0*qn11kg6$inaMxtj)J#ZN62k&9{oR`BtpWw_>e@C3~2~U}3tJ z`GAFHVWC)hk<T)=NS#sOTJT4}V3z9vi^y`N*`N7Xim-$6tj~e#0L9jB<o}gG`I-G2 z=)yyJlL1NmJqykLjjYp#q38t1lL&~2hX8rjgFk^Ju*mH1roLMPOvU{Whyu3)`g7Hp z{cDZv=|Y^&7`4=^*$ut|{lLYP?Eu@rcJL`+!PKk;OTh~87FZ3|fS18jtVajHEe>pR z*Z~f6(5C|%9oW;tT5iVQ%`CW<Wk?Q)=1Rag%`5S17C_Hum*;1KRB#A<4)B-#9zay= zH-Wps?cfeTOzgNfeJgk$Fn;<cfHvtLgAc(6X8*dUnJd1i8w9Yo4xiWENL~uSKe#b( z7egTnSnvhGU@&Q_<>A(xVJ!M8s!lV9)a>lnhu^rFLv-e?Rde>8)6F)6S-y{AZobfb zbb`5gpgFHj=#uGXxmz=v63nLAX45jWX}Q_7&TQIgHtjQ;cAHK6&HUQNJUG1&`IdQb z?RxXzx{J+&v;JZpd^E^BxSn+J-R8k3?3AB$yvUIjD@SEXBVc=#G)aye9j&tfVQytL zX2;5;YNvx4;1<b|dF0VP?<MfE+1|9k>L={EUO1;%*tt@djb2H){wUo1xo}m6uxFxh z<)~OKJXVW{)h5SkQ)9JBvHXdjSe~|HwN0^F%~ycjntribbs^XltF1;1jMb`0R?Upn zPLzR^SdEg3`#`T)t^8vU2PVd9TVu7d$78k9AHn+|ELPh?!#S~9$s52Ns}-+`)r#EU zF>qC^mM0hhE&}HPKcK~G2V?o;+Ob;p>{!itW2~0-VXT(95?mh3vwbYj`LX=r5#$i$ z1+khVHkOa7W3>j%Zy1J-QI5W#59kg8fIncS_Itn`;3j}8?0CU`eJq~_fCm5*v0W0Y zSsQ>WR@;K0*vc^0Zn1oa3^4zald*iw`Ff!Xgt|eLLA#)mlR?2J)&~Vg1O>OB2nwDY z6nwl#Q1H~C;KD&c!PeEnG4=Z)O2UJJPxTB6wmkr5D4wV^;gL!czC>xlfl7l*7AgH* zl@?y7G?)^&{VEyD_H|IOyh|ArJn{=r-3Ya&@t4(*_6l9f-##O$Xspy4>s&c2lP*T` z$B1F)%Bo?QH!`33jO4GP1qIhX92D$kW`)@1%?=7K7z{oS3eHakOTcv?M8+46sWw7Y zg+aj-7wicN&U;x*70!E6X>eYm(%`%olm_QLuQWI>NojE2D@uc{t3@xcNLo0idP7if z#t^VHDA*ATrUV7Q6%=egE_H=tJadFDpvtR&QPV4>wQ#yaX>ht-Y4B`Op!7p32Tpe@ z4Ni9{4K7(Edd2}p8UvWHeJ~gw6zqBc*n)y9Sr3(e0b9T-u|{|kg$!3YP&yK>yi{p$ zWq+l?mA_LOT-i@)a3w>~0<L7XXmH6QVb^!$T^1Cawa9gwaOL-kH>#YyLBTD54hn8H z2L(631fBsSf`XeG#312TdT7P;riIe0aMM#tgPWdI8r($uDTSLJR~p<zU*y3}i<AbJ zEE2u-#-QNrBu8dYa2fTE1qTI}{s^+b``{rNTX-vl7t*LnnhTe(QqkZNOhbc9>XinU z)F}-v`9W!L$zPQQmn;&!e5j;_OIul{y+zAT5-!07CAhzM6_^_oTtqyJSjN`X!h0y( zOvV+`T)1eM(%_;il?InA61{|mF~u$P@@7zQ#eD#KD|#_D5ikE3ydu2{@1np%#sp;) zTz;+6;PO8x4K8QVU@}}jPHAv?xYFSA>y!p#o^1wn_%M{s3eBzv3U=aZC+22-2-LX3 z2PtHEX0n!SGlVm7Ga8&pG|=G8K1zc#O-h3^aT29)<{+iPC5uGQVU2iu3ul7XR?$l1 zv)Du>i?RxYb5z|dW<-nCDnDO1`(aGX1Nhjv6Knu)1qB}s02=zOGLo=!meOEnl+s}5 zOr^ojTa*Sn?@$`-yj^MV(H=PcdaxK=00@Y+TTrm24!K%*3(9k3Y?mg&md}(1TRv49 zY}uwX*s@h=umz)O0b6z`4K7(Ex^+!ZaNFg=wi&|NNiuXU5y-6<w#|_Bk$VW>`kWGQ z0K6w9vQp?G_ghKqB6qYX!m2yy@L{O#M(_l{yLEkof@@R2=jcxZ_Gqp0k8m9q7spqa zRw?ZGNNKQx<w73pSOt~?2e5;OWJqDztM=jGO2Bfmj{u<@c=VKx$?5c+&d5dARSy)F za~-A>W^8z@@M@vzM8zB6335DF;o&?6$%_CJ!FVtR%mt5tCo$lBa4t9p^cJ&p|B2u5 z3MSZQ;H}~x0PZZtmSTcb%>0U*!H=MY0e_Mp$ZCW4D8_*7Bw1^=?&24iHZZ<`@dV85 zE7%7WCcxko7*lZ(VDO5IF(^ZMG(%dVizhRbFEf-kGn79wlt(k9ul7q%mdPGrzOAj3 zg{BIzn_FAuY7gTE_!7nM3d`}-+A4=rYpWbht*w~f+A3F*)>gTez*~ej$$TUV*+~)w z82@J{;rW;v_C`$2twISx@j|x?&4+U0gz#jHxHcwtju119!LKpa21x9Q5d&jvcL`x+ zj1B8zPJAJ>SBQlWbK*;(eL|cxF^<QDuslZG6yuO8;;I<&ON<={#>mAnMy`}G_R&Hi zLgS&lU69;4#K`SLOhK?DlOchAfoGC2HT{I7_nO^8_%o)~2)PVGfkHABm$Y{g!Wh?O zP^Fk$DTY?cyeq}BN-@4tx~df8iyjlg;V}|{m=ftlq7Z}oV@kt>-iPEu7E>k;l}lO7 zR$wWD<cNupb0@|slaTEnLzrURngm5S#w~g7TZN*8SO%29F>VQgTZVOuweFEZp+aoG z828msxdcs)iWoUbVk+(u>II448s8HV^BQH$M)7&$2STdBd1$hnV=BagioQa9gf4;{ zJ%!k9F|zey98y^}V2td(7>B=5fRMCsurXpB-G!u=!>1vOSYe44x=m=1ka)?$3XQo{ zaf9^LAdMR&fDN(~8pN0eu1PVOD<QdX#mLnxCR@6Z>sgG%#W`1KgHWDOj?f-RwsMS| z_A&NJLJ>lD2;DAplh8d-^Ex5Uh?wR|A$DX;vju8d4%ua?+r<j|K%oIbmkKeDW-D=* zCq&Ms`#D&eI9S?&7n}rb;P2p+Iy@d!{D5L=bDR(<I6*NXMt?|nq?`@x`mYP4vL2gW z$gltJfXZh=b(5fMCsceFlztE7sfHZGpyt6)OEOe?IaK2h6`z1Izk+h2p!O@F!VoB3 zO6zkW_a@Quph7<=eF}8^Jju(33eG8vs=FRDa)%;v`18cSuNzSpQMVs8tw^XPJzx^j zQVLnuK(?<T$0Lr19Z4wl-5~GIaJb-ysc`%AqPL4${+h7!Wnn>KjL=9Z_p{vnxpzr# zuBV`u_e6Wz^&O&i3RHhLRI|7GeU+*?M#}oV^_UvEdQtTT($&u?QNCIU=Q1Tqo+!Gw z<jE2@<<3`>XpsKh%iXWJUzm&*A*reExrmw%q4G8DcOjgwiqY<c_17cvUHK;qEGX@M z^^%?SRL)?8^Q!Wdy7H0|tv8Zs*#tQ*atulTG~<9&dQpj{1oXB^Z8x_5{bZSBFIS@B zN%TS!RR2-^XJSiPURh=NP?YjjN;tVoB~|fwMREDM&1elzL+%WrOvuyXIi)%;sH;0I zKCO33(YsKS)NJhwwd{g2tD*80kTVfF5e?<Z_}1c_DbBum%)WG>aMPE<-kA^POiBL^ zYP${6R4k76Kr0*s)h=x*EcmNWaj*0#^`H8b_9Y$4)Qm^9a4;E60-Hds5#k%dkMjHu zHTgk%Kr(1M1#Jaez%F2W7di-5XFSR~EJF0dug<F{@*Ss%e7$KR-)x%5mz5^cF~nDt zCeks)ca0|UHKU1q&1fPWLtDWXumkJ@ws)a}V0HCGIv1iZL&3}W`@|*r`^M&d*!rRt z4km+1U=ye{LdDHc#;Z`1AG8M~gSJ!9R<H%^0K0(gUFaZK-TETq2u;eEhhyg9n0Yv6 z9*&tOj+rNpnJ12!CytqiW9H$QdE%IPIA$J>nTKQMiDTyBn0ew9Xi~JcDVmoiqIszg z85qr*e9^o#5zR{z(Y(+HNEdaBrrT&<n26?s666)+RYfyiG%rj<Yi}V|k>!qNz-Zo> z0M~)fqxmE!nol>PwVVUdeApAs--3(g4TESc%Mh&{jMi31YrCTP25Gdrq)%R~;ztxm zD4wWzgyQoR`zbaE=L}aIB3%A^#lwX2q7~n-cx?KY2_4F8rQ8+W$8Gm67CzN8T3*J0 zCWGTWAnO{)@(DBvq<s&i-wPGSKwH4^!B7Nfrz2k1fC>je-fq!`;)kORxi3T;EW4u( zC8wed_O;Q5wnNc|oSo<=qYbX@(T4WWXhZg{>`$T%N62Zuj2a(Oaw+m)w4t?o{_~Z? zq74-{*pHL*`)EV{p3<wM4V5dSc_}ovN3`K&W3<8R7tOErqfH6XrrFV^WznYP(WZ6L zrk&BIebJ`f(Wd>;y(@0;`e!ZIWod6+<}cA@TeL1)AJt{vDW7cd$!4GQ`ea*NTd%nK z#c|CS#>u5Du6bY_e?DbVoV`u{hq*ZC1pih`*@3vSGAfjnsVc?MakVd8n>{5#7qfM- zEUwSd5pmcaXG(}O&5koIi!&{cGp&m=?Tj<+i!<$xGwqMl!sE1vIBjyAHZ@M06vu%d z$CrKM_<}*4wkJ;Wrp2+!;<V&A)=eC%KTg{kr|pW<4#u&v;#ib%EY>&{a2#*_#A#dN zv>kD*`#8QM5vOg6W3|WeF<u<+TE+2)NRU*nxCnV|9Dm)KvbODg!bD(%y$v($Z5U#2 z!xVd)7-Me}bL?$miM>s1vA1E3y-n<~w~0meHf*xDi7oavvBuse_SoCRB0Fy!2xFPO zO$@WQVHOQFVKIq%*9jNDB;3$HPIFGc8s`M8aZYeQDJ(WPCt#Fwf*9hQKp)NtGPrZX zY9UN=P7secCx{)+31SDWvA{V&d_iqSbWV^FofE_+=LB(zb3*R7!eTKwOunp)fy>Gm zp{xvNmX%5KvN9=Zd6mDHuqaMzH`FwF-%Ze!BW*s#b4<@j$8A!>o!p_dW$HPLI~1ZW zH5f<)Ly0JE)@ADuUE0U{<Op4QKGJ2ezb<8>(oUu-5+8`j&(dYqFkOn_k}tCr**;eM zESerMRi@@GTFrc!tY~76u8Bdq=AP1_iE(<KXKjZj{rU2ScW7dTp4W7yXWh$cT%S!F z39Y0zvP|^aZDaHtPisex+<q6N1qGk{o+rg}ZVb6O%r}rXoZHPMe5iO8pXqV;TWRL= zGoCez{>=0HqdbYu<0GCYczEFc)%g_Q`NKJb4<%fD5HW>M5?-V3P(GiH5H7l0X>ieH zN`s3+lm_SUY>_h(@U)S`!$uBc=8Tb2dFCpNkPkKsBjl6C!U*{^uP{PBLMx1r&%O#H z<g=f`2)PHZx5;PCw&}tnjq1bX+>hk*<J|h3Ybcl@pMvozh=)h!*?_xYJBHZl%+8RG zK)`bZ59>T1!EXu6M+q_2TOrSM^|)87NyZK-b2Xs4>iF1Yu4g*V5wS*U{xN58`Hx46 zDniPC)HVUvWzhd3>s#QWs@As~W+W>u$*vTY7^Y5;4#)v5B~c5HN=9gMs?*T~yipPs zdCT(8rzM&m%Z{3sN6l;2QS*{!As}-F=E}_(88sM&8D^}B8Heh8&-<=D<oEr5zgf@o zyzjcNeVN&N*51pl0Cc<oXbb>?j{>^a0-W;*o&i+71kil|&}spGIl%Wg;26Sg1d9O> z`i)=|U_ZiMgs%|3MyUP_P!|m_C;?{>HXyk605nzhUofYgU;@E-0?#SJo<u_1Aj0rX zgp&v++ke5NP?Qfu4L~X%FI6X?KH$~*+X<<~3TmT*8mXXW;r*-xXjD`)Mj@*8IY7M= zU@x=(f*1AJf5Bf|_Fr%&2h2t&Kv;u-5sBG?a0KB5!cl}%BOR~Fb`Vr)2^#~1nwJUB z5bPz;eL$$?6kn6vO<*w)?kDJci?D{1Z6Il0NZ2}rP?JM=j9?tW1OgA&>^Vq!Jb`Tx z;ba2!bizpl*Z&~wNhH*G89j`hjBdt`rkh6EXUSHX7YeZ=B3A8?Vyd)~Xbeb6q?i?v z7|fKEl4xF*#2JbAN?9TiE2M}OQp76V2U1FHq?%(=mPpKsNX!Z;X4P&fi^U*`{ZbYw zVnrlkg%q)>^DQZ5O{BW7r7V${6_J<~Qp~CiQWn2l5~1IuJW|YxNX&{z%&JR|NolJh zO^SF{L_DkX?@Pr<;?Af$Yu{xT{b-ZK<-U>_FLBLJl9(iMPo5+uOKe*r3H5YIT#w}G zu}hwsh_Kc~aur8%O_hYRgoSKGO@kyFyCu=&l!Se#BwDXX!arLQ*IQU@Yx!Q{v&=Z8 z1dDVr1;Sb*Xsw_vf{q9}A?T=}Q%p-@ME)p;gY77X{lx*+lotmy$6VU+;sE^01cqi2 z245#M|IQd>{FSkX@j9W;z^GwVGwK+%j5UPn4l3Pvm`W!M%_0oGPH6s}G06BUV-MqX zLZ5+A!>DG|F=`oWjE94(aS64WE}>TA^g(b2up0qaPOEX{v|85u6aZINt8wB597AY0 z0th||aLyw$o*)*m7vU>}uMuh}3zaqwVMA~=U1<Tv6HFqQOwf}TTy6bla5dhARR7}0 zC9+jJ2ypHJUb+{!f*dP^WH-)ohzmYS*u9n_S+6)lk{u24kfwi90@FsIUrtdhP20(f zQz8(jM7UYw5Qjd75c-Xxb`#(f3B=hEsmQTHNOtchdoRTke1%|q0q`|~ow`x|8DLdi zG@(IBNX=Wd0bs8Lj6+yK)&zvheF5VUYJLLX<hq1Ts7quH2LO}KM=qfW=%|DURm_WW z_;uM1^T;Li9M-={%!?X9<1#ObS~@Rkm1&brAtYKlFN%6KFA4=k)z^$%g6}(mmY?e} z8g$GP(iD1PG>9(Q2yrS0)?6h-^XRgTa591It<gkQE^ZRZo;>!W;q=u>xI~cct#r}S zT_8;tffsP;4~<7qryw`Tq;ahRp=lU}s7t@MVvG{}d%Kp6T+*J1LzrncV*%qD#<h%F z7>_WXU_8o*qLy&pB{9glBnCN`#3196801?LgKSG;kZVZ{GA)Tgo+bEdT@qD|9!6DD z+w02#trG!l7=fs+4*{m3#*b-lLR+g|2DMfZVB1F3qrj;8PXMk=KyXlk_jO*v%NLX2 ztV{3~BqwM#buCM%Y8ahRt)exlPA|q9Q3U(Ccj$MIPSAfM*!nzHlOnJ_k9D`6x0=hN z)K8mkCG7saJgWO}d6a%sc~q!xxvb}Ygjn63<+95Pgg&Iy6A&hnGHFa%jFZW7_#IC% zjwQ?U5ppWaWw!AMndI3~j)f{(el5po0ijRFZRI#Ol;eO$NN`*($5D?k-}%>a9Qx%l z-G`3137h*-9>1cwU${#!*-eK`I}!T<rO=IpUruosZ!MP{E0^sqmsyXuZY#%Ohwyvr z^m5t$a@pQ;*;nPVugh^1mCNeg^=8I@m&?wS%QlopnZ}i4cfAv!&LDWYekVx(BEc-@ zZy@e26ZQ8_94_cE6ZIIGXA$IKOo)Ul&m_`Xf^b?waQ4jYc?~0Rs-DI}L8#tM=s8MQ zGoP@skT85V5PMj8%<S@*g7TO(<uPl^W44sX94U`EQ66)&JmyrnwW!?sVR`lN^6o3v z)qvU|q_WGcACwOo(DgpRHx=MbCuJlsVcR0AnRE{UnZ6DJQ^#>og6=j#&#Q#3Qy8Za zI<r|%l}jR95~0cD@3;eKyn5O@L9p*Sb0AX_EeYKm2*(Sjt;+?QzhDkzT4qHAm4p<Q zH}zAatP2QA2}<-+W#bSgAdE-o$pcJAn1s;T1K5FJUI=h20F41a@KJzs9-y)q&=3#M zeE{&w0ml$_BXqt6s3CXgH^6>`y$D|+e2q~38Q=^;l@_o;KXqP|bq(Vp#`*fGI9)Ac zL{-qM7|{XfwTvsM3+n(EPy_O3q7ou5yLAZ4)!(L{iVY2zjZlDqI%1GJW(&d*gcAry z5l-o+UiTq~NeOUJmqMceBU-Nz+J}br%ElqoK18^I6=6#gVdytN>pG_097lKzp{0qi z`ZIPiS+_E|73^Yi&V%;L0bj9`a6c<T!`r$KKn)j|&aj`brHODa+k}k)z}IXNHpByh zj{=(h3TXKlFacqFXm6C}=g?k!s}oqaGI>ssfp|RQvyN%9&`ij4XVjZRY9B(4^P(EN z30>Pld#!IF6o>W>2;JFqs71xX0w3(wKbWj<ITB?%5H1}9v<?Bd6@ZT6fW`nI_$Z)z zEx<Vs&=3#MeE`sE0e(4vvhGH(yh30AbW*YIc0lMiK(Gg}AE9|4K=U#|4!|1+*o*KL z!q*5J5ZVs_YN&=Y2zAkb>dye<9Eo(H$cXgxMN2q=U^0Pi5aD<NJRc35<Vc(s)p~`{ zK9q1LL6eivT1og3f$lV6LtnzyU5>;k6RN}eP#lTo-MarFY#6Bhhfv)c$=3W;Vx+<D z3z&^ifUpJuV->Rn;RwPBgrf+j&;iY8f+T=%k1ZoWFSKKt%~-&=hH)+97RDotCm4@1 zo+6Ze%^1Fusb{RPYJ@eA$>9^$RY5-qx+2KI<hYH=xsK`bEyDUj(8o;nzcZ;{6f{H7 z{Y*7>CdV8m&y#}A2%0Y_p2_|tlhws!TP&;=VND}yPS@N^-0@${eQYNSHgUxk9r=1j z5t?^5KOs1^`3WqKV_e4zwb?)5<%F76&}vB4X=2T_7kSk+?NTP)i(+*(-HW`&nOdcu z^m6lPen^Z6w>ydO6cZ61vm(NiRzx*@nDD$6S$O1%2v1!R;lV2+JbOii$FGR+^b-*t z!Xm<RSVVXfiwI9+5#fO>B0Q5tgvYXo@MIPd9?l}d^I1fAM2iSdX%XQ;Eh0RtMTEz- z*jdVihqlPVb6XrYfeBA<k%b4ii0}*-5gy}W=aa%I8iD7z$caa~i11Vw5kJ^P0?&3a zWi!!pU1Z|XF8x%z@Apo9l3?rGg3UOGlRtR3V8`J4Z9=s+MU-C=QK8@Kx7FltYh44V zy$Ue9YVxBR7Xhl~Hec2!z*RN3XSB0PlD(pJnIyaa7|n^;F{J(-7^$3Cvx%v7S$GG0 zQz#X^>=i_Bxdj=UTmO$#NcavRqAr9e6G)u{G7Xi)g%B0OHVe34z@iGAGQ3l$@Mqz} zaD+b#wJ_DJ67-&k);<KY{qo`PcCbL>KLm$AQ|C1gq11l|7(XW3*8N913}+fZeJ92B zrzV@>+=f+B(`j+!aRfbieQEh55RA|%EUgTt#g-M({@H|{n+R#OY_*>k%~ty-kO!-X z1I04SSmt^zS@xlXrlDA@8q8}|^WxmKqb4JN?I_7OfYekR*0Dx1>rXH+-<FbK`Yq?O zR*Hgn(P&!T8tJg$G;ll@B+xfNFfXHxIIK7gtp1*`at9$+mX=-UaI7#q-xqu0!|-4s zQ6QEH1!7H5AQlA$VsSyB=fh`Y(c=($@&MOc05m2b|7^e{1gt0ybUy>2g`J}(AkeDL z7zzLuI>smfny~6Jj|6Bkg7qhYN&r@OMqdEq5qQC8REYJU3Bw+iRJ($zRZz7GRH&$b z8*rKwZ3Ymv02<XRsAdJ#s_?u7Ky`}K1T?518dMNfuAqt)s8~@uijYPQRMP<HAr*QG z@G!60?0b%+g;t~vRQA;uDP$8EKVlruSkv$@MPP|mB8)8&29yX(suCeDw)J$tv(j4V zSejidir#rz5?J+Ic(Crd5Y{S5V0~=iq2<bdjTIV8(F=j~$A!RB;zFqXG%!Ow^HHJm z6ffJZHOTe*`YNJjSPGAJJgn<VgepL^oE=$Mxs~Wyx%FSm!DyopXrmBVXIzNZtCGN8 zFFa_z5NN&-C|d}$S_m{*2&|wk1QtpcqN+&}=!Eb*CM}STrE<mc>S#{;D6A%qmSIgk z;XB={uylQ|#^Qk@8l9EW9gqZS7M?dH#**uBVEd~5yyFEYLI)>d6?CxYCICvNeXa8p zfY*bc3$an!^>|%#8dLb3I25qtJwe1nOR>YoD2YnMa8U|c4V)Ib2Vn;sMr+nX@|yR8 zMFu{G6j-AWPTmbMhLp#17XVuxV+HZ%R)D%6fDS0UBwZ?(_vy+VaA8<QfxO;49GzzX z+WiUMQeL9lTgpp(8@|R>|KrmVF2*FdJP8-?Na$IZ;PNK)EK0zro4i;$`-_B&0}@gL z^U@P+)6=oeG*-hdADy6%PEV-$HJwtq8&5yRq9>2c@K(a>e!}1+tjrB|o)Qa7du}4j z{Y(O#riid0+!ex|>=7u|oo;fnOCnx{+T=BEpv1<(gog!H?jR%VA-vu~7<!7Z{%yj} zQ-s(EsW?zb9+2Z!$6Qj@N<z<Fgm3nGtG_3k7P2I!B_c&U7)z3;C$tvRvfDt%jD#r! z)oEB?8;gVcW=-Rzwy^{^FYV1Mcc;_J-LYkO<#}IP9TN+6bK%6%IO?XP!(?KMB4LR* z+@4{R7(Zbq$-5869)~BQu#n*#QGj4!Qy#J@4_Fi;3HEd!5GlZH2j)pxNbnk%7YD|= zx{wG5myi)J)h?XJMM{wuuHL*@U0oz1!THeY;4a}45(^ui7VQ>{#ciL(LYqh;7{9)@ zi+I7preevaQo%k-FPLra6>RPm7z?3`1SI$rC|ZW2RJ05ND^ydDA_~7Gugb~6#1?8} zlWT=rjHV>8W~PkV!+RH}AREgJa9{q^oKEC~Q*2ELF?N!Omf?Irbu+QWy9P|Ku&E}p zsXsVraJ*n)Q#{#Hyr>ZlQ6q$?Q4-PEwYBLy0FsbAJhJS9B41>8h$zWNtz{SO3pnwU z&BPYB4kouA-v(?8#*cc~)LOy9j*J`mgl50!1)QQ6I2Ce9g0aLgY${1G+gO1-l0-=M zc3<xG3MulUrbuF{6&e>A--$W|3!Ca7o5mI_S|thgh_Qu790_k?=b}7<>C0B^euBvs z83c=X-WHSqf;<>^-WCysE2~DiHVvf;W}ABtn_E_W4r_-aUNEj(&hb`ZVvEaz$y*l8 zeHYB}TpHQbPkcXfykNFDKWxrlwNZ*^#ueL6d7u!r3uc?kgU#iE#klnf9H+e_8EG2* zNXOH28*!>6@tB+*MT0mT+4LlQcg&SstLCDmwNB$;*uLkWAEU}BAJ_R9em{s}h$%KO zkH=XOl7~l)T~LxQk`Wnh$jjr;DWRm4QiVt;)fxP^R0j)61tHZTl;n%l0cWHRNU08? zq?A$}@NpeD<+4XGpJzo`aEOv1xE#TpLh3p^tRg;cm~e9Mh3qY^xBtQ)DHLuV0pX1_ z23~F-&Z(jRN$?q%6T!hL4u}pg(HTV~7fd!ck<KtIBo8;0UEESuk&H-3QcB6q<all+ zE3QAHC|z5Sx056!k5mWZq&lD?bx2Z5Db)d|R0ot)hfs7BvxA8&QIKG=k&e!rl8`*y z0(Nl=SVb}-gXkrDxdjm=<(4Xpv;apEmnRrUF^*O`Km@Zb%7#Of48i3Jj+QlFu~#7j z6Ir<2Bn!m3?eB@w?C(8{UtwOk`IuneX~{kwTT?2zzU!6d<FQtCuQwv$wRn5IkhtN* zB{HK#VRMPX#U)0(C??{KNKs<M%Y}PVL>s}}MzW<gl1pl%@N&b1mrEq?F;qe>YK=&R z{t1`V8sUv(K#8K5XsO<4sb1KTdf|%H%ic(a8}mwI<KeVCHjtt<Tq2qfDUqcpG2#`i z;k*$U8Jpe``5KY8AFdU7Y`~E=l1pl%@Nyf4HzGxeTny538!0V~7$u|;6M1>WMBa!* zUT&E1Mr5Ro!pqywCT%}3w~=gV9LXiMQFysw!pkL+ms&$EYK=(6O%SOfGSV91<zjHD z%wq%QddZgRC6`pM@J2Gg8<C<Xe8n9Z8&MMO8b-25B)3&~MVC`W)wWcr%djI|hAYx# z_HuocP^ua-Qnm2%W+5*R1eb_`h?K}ulo;`HYee3N6eUK|avO1=V(|DBz)iqGz&2Re z(UKi4Y-~}E2Xj0|nr$%K=sw$E5uYl>rwW@+498<DFZG@-B9cbtof{)=un=d}+!%L* zMSbeJF-};KlZ&|m`wJ??*hHkLDPqx}y>nw6%Dy4)220d*LmX;?g=<khfVm^$po~aS zQ^XQAMJ&WcdLc61V2PR{DUmPICs7kOL1c<ZQB%aap-&=5q!+z4MN*2IB9^EL7M6PF zJ&T(l_MwOrHASo&`Xq8hdLiw2(pD33k?kbnB7G8Z+yoI3kvH^7L`1fe$Pww2h`YhM zp-&<%vYoIST(F8A@8X?;Z`jGWOGpyw0c7L|i8NId!21&lV8+hQjGdhsjlZ<|VIYoE zWcT$GUyT^}NL7$r6*y8ABv(bu`!atoana&9<gWu^^KmG?9#9FNPJpPMx=r80I5N4H zVD2Rtt>A-FNIothBdJ9j`5cdo%-lO9;VQw%LR-3&P-xDKgPf}Zb5-C-RYG!ArdV+r z1V_%mk=&80ML~QX<*H$G)nF8XOG?fv$_B#6{lVsqj4EVgpNxzuTwD*aG^*lkg%cp3 zt@uR9^&kn?1IDI<^quxBFe^Q8AuKQydEPP<X-f@7?vD&b2EU=G^Ik&{mT)Z6?l2U& zmKcgEpQ|1vu)$2)d52@_G^2f5+ouhdwog0n^_}%BKzPe{wq3b3HOJnOy29R}!Xrwz zO-o^{9cX_YM(x1%vmjL}MG&O2JC(h@YpK3#!KIoV!KL%3IQ~(L(600>ZTrOX7rVPI ziQaPKnCdAp+C3$f_^x{Q=Z>k?dZXQ1-?XBk#ZYAVwfTIS<yXAJW_6m`k!p5mHklo! zp%h@4hLYL+Q|&;<^l$|?#pq;VDx8*zdB)B|R+D=8No{s_oAa#YFX0E;{uNy6USlw- zl7ipJ&G)1TO2uqs^Mgp=>4efg66LwsG}N**Eu%2FG$Sv#bVWGMG_>xizy$SO#o-6T zzttoJ?r#1zO@F)ZES^Xh?pB+3Pg^?0{BQGPW`}zdgxd=!Cb4PCG;gW@gyypxdgP^L zPJcsDwcL4!`_=G!&RyCO&Rum$&Rv#Cj;YSoM!R#h`?~%U=V}@W=W3@~*Q9^A=M6%q z`WE-D+V-9|n3~>>sdY6p0Q6%qOJgj46i?8PU8^6vML+h4e(VYT*rWQfr}SfAP1BEU zKCU0@8401XKBpg>LV)B=PJIz_7R}Zd73hoB=!@3si?-;Cj_8X{=!=f(i%#i_khut% zizssuWiCQy{zqaQ<0Qt(j8%<H^=~t|wlU#<EBbR{CnNs0A_M<g5#hflB3wxm=}ve4 zoE8|A=HHj*UhaM`&2CL=u1ss%kY;hDVG*C|+tQkDs;y4zTAkMUOWLKDG|kOv-q+GP zKDWx!EG=m+W7_rZv^Hm2_n|bqPNPjT{4Gt}o#t#nR`o9^t3k6kt>t2xaYmYBWm+gI zEkWf<#jR3;!#Q@h)r^H{1&0reNlyq&1gH>F5R7I-2PQIw4=~}c$@BzX{yD*uA6N`9 zqyv0?$t(`}6I7JZlV4v1XdMPn-)c$Ge34)pW++E#sX6-HpzyJL%#Tw)j$69H?db`H zW8gcS$|>?(sq$Uk{DeY@Rbxh@F}TzFP<qc>wwXQo+9>TAed#&;hv=Kry{r2(yF0(T z-8M7$pgOfPa7|Xfz&EG!wT<}uY9szX3x)va5G*fVlOaT{EVk_47(D_02^*t#ZdB~N zBzrb=F8>_<3ut&c&9K~5;&0uE|IyBIFqdqM{s?J5Iv4$sxlQ+~X;fXpG+k7h=Eucp zHM7p)PeAL{G}~0%mj)nR<qox<&ga`&pHB;)P1}fn_}~pr^z_T$sF<`d8lTQnYCm8j z{>9s<nEXk8C?mh)$$XzP-)S%`HGUjzF6k^tJEyShKBwqtKZm~)&*5*xb4{)K>1zMu zxRFn|(=-%7s_LV2!|>PPxncMt4=@Q~0)lg)x!T@=e_gDWU(<T-R{QY}%YY&ECk;!h zYq6L~-MvhWe`C`61Z^WK)_%%X=Ywo@K0vfokb9Hh`B*;=UbolK#%VpDaUu^F;Pwix zd%&~Jy#}is8h15hG8B+nL$H=$3&9bB69h*IP7!EBgr0W^)h&db_Y-2779zJ-Fcxf4 zkUg8RfN>4uTE;DmM;K2q9%Vems0}fB-epp^Fm>L~go>D{CgIS&&kfM74o<?ezuXAn zqW6oDZ5oP9IJKCD;-O^NhMyhp+(n`@)?<)_R7jgv`#z0V<#XCk)&7_Qgf)f9>b}W& z$(S~(N=Ys)OWspGJ$a9(CfV=~1FXU^^0|2kh1G8+=OGjpyY50J!aM?R0U=W93Xn`! zP&me2vQ^!eFpt1nKv-HfMjrYGsg@(ra<Kh92>W}g6cmX=S3cKUP<bE99V6EcbxaX# zY(ZwW1shwC$M5jwlj(Ojri2e@9CaDVfr(6L`xtH1;jM+h(7Ba)psnEprvt@EK*$HS z`ey0)R`;dj+}I-6F@+C*_07^*z*`_<1tWIMN*by$g;Oz9g=1FcB^O#h3umbN66O(j z3kXs8$~@O7l(MqWHL5Tb9aE(c<`ER8qKwq!yi|-@D!QGDAy1_-2Y6~ydDIEXQK;FJ zoQF_oP$lOf(2%5Jln4ubXJ7;J5WEEd>NCb0P?(9R%;daGM6eXwBXf*xr1gHp5XZ{# z+oD(JkffGnrgEaZOk}BECx+8+r(FRB`|YJ=naS8viojyDqHrp9oTYi_@fdjy?I1bm zC?V`rb^yr(Dzx35oQI%F0SpO;0x{NSyF%LkbY9f{r)yKg`A)lMVcjFnmZq(q)wY=p z=fg%~1%baOJgQ|XCG!7HN+BGW&~L73YBd|1TK!k)6ouaf&BxNFSSEEHGZ^azH6IT@ zWb1D<+xiEW+4?6LxA}J(x4AzwZZlVIcGjhYe+>WFvM~IkAus%6*SA!9*J<mF%?;-P z_N`&9eXC9G+^>#zo=A0`&}?#^@c-&Op-*<6xZrf22u!3vp6~%e?KhzXrjN{3Q<{%= zUhUXxu4*5xO}F(o4b|f8?3iyHTzhwQaaGW4Y&fq?YyMW77QW{Ysv-=ppb&hy;e5~Q zhc-7246kU=k;0#glmdugQyki?*@SG@4{i25zPV!$pzC^QbogEE8T+-4JzR`7%BIks zadz8gI=iRZ6jX3vkY|KvWZ)5_+1Y+*v(bELv%g`p=Qht1oAp;cBYe{jZ9b%p3QqUE z*0M18oH>?iJhZuOItZXYh*})Oscx5x&@p@^Nq}QGHJA*+%}I`7%}K8I(CCKq$kcG& zF|6UdtG#KUV|as(dgXEvQ(=gv(m*1X1w}(pysMp}9m7N{l|hk?VdgIVYi1ucLqC_0 zG_sHZqU~qCMySu%FS5<lKSevyV<d@S=@(&4kohU5rh$l?D%yr<R&dCvQ!tsEA83BC zIj;FZb$k*HYLc}Fz(adzGYl>#sXLJ5-;!vVl-PVcQ9B}$cD=+Yw*HB<-zCxxnCKai z=sP>dGHFip@j2QNa}b%LdsC%*6YtY2)x8-W)clENse7MhQ%>kyirSY7N(FO=zHd0M zSxU;izv-SxjM=At!ZcGqm#{&tUnUL^sHJ3atLOmXD0G-wP0eqPZ|}So-Ll7dtm^Bg zvIcERxI!MDi(f}gt+cxn+T=~G&izfT>UiHRw*F|S{;I8i*D>vg;AvHZx--A-NwYB} zB2;V<U@uSijPS3g0tmy}RQ<wK{gbKA{i*7B%bY{8IHVlIvE;YQ1*mzH_7*}{yJI-^ zKe5eOIELLwu6DM}T}=AdcuaoA_EzzRE+Ex#KC(%mA{&J_5^YN1Atm-$>?vZGg)sYQ z-{oCM5)J3Ycv9(fs^KwZACKw{?qyVUj%R7}WxAv)P4V5~Sz5;ESv^&L7;jA^#-<Dp z#Aym9PGtX&P3DwzLTe+(SsTevClVI7EA?CaJzNgx#$x_o6Be>FR_<*0G1S&F#dm9( zr!2Xxy)>Lz7S1&5EY9lJaqZZ>C#8Fj%3Yh{t_{|t_)i6ERQ^*M2b9JEWg6OWJ}t?f zAD&x3t$wC1%Cy9Cztd84n<3ru@>J*1G_@b`)$g=*P-;8nvr`EGC``n1p1?FL=Lz@g zhHp#56GCIqgV0f1bZeq#DE(qKwpBGb+aEI(2T!#s>4NbfT`V3Hk&YRmNk)@@VfcD@ zimp*pXPnS=)%x4DTXoME&il=NQ+T8Ml>u$<GZ{vhl`PDUdsLF>IxPubUr9J`mPBAN zi$JknBMB+WVA{%#&^5v4#|=g)PslF`$1q8_+F2CVtYprU*!*~5vXmlE2)YJgPnoVn zoyf{JU8>srcv<&PQgYvOkyKK1)O~x)#5XEOViJnAQ55lVZxN+`7V%Ofl~jbcptlJ8 zI^jt3t-Xzih+8D#>??^tu_Q`sKaC9At<o4{*sh3z9uGVcsm^yNE8okK&|j5=v#%rq z#gZti{ZwkXs#j^#rAU`6lKeig34AZ(>y0*b<-JULtz_4Ym6~XN9EWRUtD7I-RAt?5 zQnJ!s<=n<mru&&}qnN^8sT5C&B%IqNVM~=n*wb)6;Fv~dM*byQTY5TpD)d4=E>Y!p zA*%CizQ0?o%<s|wJVp7}?$6Iml6QZG`!k;B^TStLlk(d``H9%|&&eBpNYw1|&JTVP zD3&)=C##3$H!sR>+njH^$F&vU_;0@T$$aaW{4SG!-2nHl0>h?!Zl+o3d!z0Nlw@wT z?rFSk-D7U4e?32t3s707t7Db}J1qeFg5@df0CrjcaL}z4b&TImj6^{D0>7Q^w2+q= zDJ8GUzn<L7nHO5NGouW0Bb5}(j96yGI!|_5+Ld;9r$rs3vMKBfIHLYVbxaCbTuA+k z`sX!v{qw;K8b{K>U=4@hH!I0f4hUXQ<t(swq!6?#>)*G#7~2`!7=Q9TJ78Z<tj1w% z6Dn9EDS2QqdCFqjm69y|Q|8DuU-ZTb$+1G_#8wyg#tO-?z24yz3l}rh?wCQIoY-KE zV@8tuh$%7Ovzc~<PD@Kta92yx;gz)?wj|ZATWQ}&Mse-(mZaj^6>Nf?16q<a>sykv z%`Him-#j|kCHIROhxNH&jrBQ=!@nLQ1JF1$rdka&Q>NxWI2W4HH~mR>Q_o8Oho1j& z?)SaX*_fYUbf#*)$Z$+2R1YNd&LbrME_u#Yj$&bS!jYP@wdeN0B>g$<$iSpFx7=M_ ze>kIMj$=Bqw9G*gBK1Hf?>x;HNS~23L|>5+C>~;Z%MzV$iMBmKFcM%e<lE+T>hcE+ zX?SM95dEd8u7OP2+5toG{U(v-1gzWvLwbq_3<>2R_y!DVSL&7w7=l52a=?%rlI~q3 zyX~gO2MnqG+S*F!Y#T7dchcVKxd)u=zcyP?fuJ>l)(#lbbQcw^Gha^NYBeW={sBXR zQEapzlYTxV%IL(qY6c8(IS5T}6RHOh8j4U<UNDf4!+OAw#@}H54aXibE&$o)F1O9? zUTvG}-ea5V+)WsIF1W@vH~6DA8+bTW+4h`mZn$A;z;2uCJ8PTkf4AqYhKaVhsUbg} zcfsQ>c-jRIyWm+DJnDicUGSg_o^wgW`@$0kd)`ePtZsq+Byq5NUE<)*xWvH*PvYRZ z`w+J?ad6`+h_{u*%r1#3D2Z8960^1>W=l!Tk&>7bB{4@!VosHym=Y9If?}XQDM2wM zD5eC(l%N>I?JPkth_}Ver&syJ6f-VmbZ-*mWitHCRQCXrXBSiBKZx+wawg9zCiO+( z+`{B8XX<>2$-spTuDhQt&*w~y{HCG7>ISk(a93g+!Sxox;6y_IY{E$dou>%h&k(w{ z5l$d*E+lNdLb#K_K9sP@NjRCnT1jXwA^eEIIG9j(ns7WpO#@-|_k>lAjGVA?M<Ql4 zj3c<-LKvJ#=$}nEiJ<coq5By^*EYfl1kQzotyc(l64-|lHaQ6=6Id$=%_W2%5f}#( z>P{1mC#Y#4tp1*`s*#ZsQll_Z1k@-RDMD%#Mv8zMMI%K>jlxI~P@`z12+=4SDMD%# zMv8zMMI%Lsx@e>bsZkgy0%{bE6d^SV$O+LXJdo9N7wx=+>J~!nCxq^Ggq?AO1`lD~ zeT1H!gpIEds%@z_ED#D1)*!4!*n)5b;RM1_gj1<>d>}chTJY|^_TdZO%_Z1Z^CA=h zE{%NOvp*u(!|~+dH0H;oG!e0n1gD7zd~F!p7Q9=wFE+&$4bF{CvHy-bgd4Gr862yU zVpUQsx$(t7c}u0drIEbCjaW*ASk8-Bkyp6!6+(G)Zpd3kMN<PxN#sbSQOioHa;m0` zM6Sq+5~zHX&|7|_1XZL2t`Q}uA|<FIC2;%km5D)Bp(f6mf+mV0_TdXu>M*|8(V7&L z!C6(ktq_^{%TbiUl~Nfj&|FalI{s%F+zu*(MJ|1_VjOdN+mXYSp$r!2TW=X<q7aNv zsZbaoAyhQ*q60L@tW>?@m;xnQgmFMtX(&+~De6}a32GAyj4rn+RoZnV-UsF#N8(gU zluDkm+JUht-ZvpqV^eDHgjd?7;8#h0mE`9gB9gu|l3v=4BI)55>BXLs6G@*FNiXd> zk@WD3^kRpg_OvUdirbY^&D7k|-WXIN#fU9Hb%;DDOp1}lA)GHA3M6>13Fk|@FbUd; z_xbL?Pd#mveF4Xlr6Nm;^PfNxj#1wQ#a{1x?8oHGC0{Q2a>=((70U*8E4Fi0v77;W z%0BOWb<Fml-@ahJX9trxfoQ3Roea3s&%D$;n4)mQAEtYD(616w#StozOoccV=T^<9 zqEuXN3cUMjds^ny_V~`%_NZfom(e_ox=3hjGY?b8kVao)@f#OG_-<4f75F2mge6i5 z{4<u6$eCeC&%`H5Zd~WTn3?4NEkj{QPr_~4&H+jC90Kbv{{Ik5qnsi%kH3nv?+%Km zY?%ldrp1}2#ThvugbeEonbsHZQ&ICpCjZV;4^*%O;zuJS{|GcX$;$|@WfY`k6n<L5 zNdQIhjQE8K$-f{S)5*&SFLDuN`1)qj=N9UTudln?o}Y>P#HE47xClajf^TK8#MTJI zgW)H#FAz*yoNSDpc^Iqk_2A3sIa#Xh$eKdn+!I{t+=FtFo*DTi8z}<|!gIL*61X}M z9t?OSYI|TYG6WW9AQHVp3=owt!jl<Xnk1(NCUN_C=zVvvjU247!E!=3+dF7fcj0~( z6J=pRy>h%CSd3KE_Mu>^UT_LCHE?Jqca<V|40=Ux6a=>msWo44J2PA6U?USi(e`E( z9nojYO&<hCtH&7j1Y$GvS2Fci>|yO9{j~6ih9=+GhNf$MY`0|SWSKfys16skbqnMH zJ7HC0{b}`+a??KV^frGeJ+t;>%k~U{+AewliCgFDkALD-mK0}WMhamj>&#Nt!c#`t z&=BkYw%d?qI+hl?BQ5wq_@p)9KM|-h-S0m+)xI3y%+g<t_5axULVnMj+H0=-*xDzp z@%dG^R^@573~}`ZICcWue*m;afa=Ey-Uc*h1F(4dGgEz!X1a?y-^er^?|dVJAd|c9 zzHUxvp6ysh*pk_qlIGF2TuE#Fx&CAIO-;91#)oI>{?hSP@FvHI3t>m!`o;C8ZeRFq zOJQa}cgX=T#{rBx0HJ8|9RygDGAI^cjsqBX07B8^I|x9mVWIwSnXdi--!1yTWd!~L zMZOI3WsonEd~JTiSaU+dS<jA!v!OSECqr)<IvY+l%iI^!nq^II0cxFT)zftb{|QeG zp*qgADBrXQ7cM6(xy;8UJ|^*hB>r0BuOvPsxZ_~U-V9Mnk#%mq^%;Q0W1X8;Ju%-W z>wF!d2w@SzLWBhf^J!0<Vr(PAiy?6#D9?mRT%6fe+FU%ODv#inuC5`jj;cJ6V<=l7 zvf#WW)BRJ1`zLH$%jaRe|G54Ry=Q7qR{iRpTii7rCt<XE!+rDJ4c3d;LzmjG`n!y6 zOpY1V@29Q0a5>HUI<}tob!<K7k<OG@aLbigxLU5r^}7YaNuC_xYFA28b8uE@nS*l# zjti0}^Sl0&ua31&$`2&CU#|JBN#4EQy16w}6Cd~{qj`=!SQk?_+B~psu;E`JQ|RkC zt%;f5ms%VEY;;n9OAf={>W2;c_1U4kz-ZH#8HPRD*8^i>O<$`0e5|Pbe6(N>aJC!L z{ogn~=rVM7+WJ{O@Aeojv<Kyx{u7Dh?*5;K%bqFW4%;wQ^*qhF40Q!_ro<U4$A>NB zGa0=z4d>Ew`TVO2WO}B|sXyKMvhNOOJ2s889bX$6n&qZsmFKSnlf(C7H@PVnn@PVr z77uZ!TYfiQaeia@-H}7++-><i!++8?vi6(WJ++Gi8@jFS-xz-BI92^{o3-PV-1SV0 z0axh1HD{}zw2j1FihsJ>obB!7I)~RAlH8m87Y)sAc?O5&syt-U`kgO_D)U_fT%Gyu zx#m6oPi-UVTg=^tZ>@zH`aK!-4fRXZF~MK!mt@p0u`eKziBB$WtLdWbyVG>fdS~<u z@;qbO<Nn#S$Ms6h-L6-v{H|AU7PH=Ly%{Gv>&=;s?`Jf=j~tY%`Jt-DT!K&?1cCM9 z!~PSw2&cP0gJA6IKT&%<6KK5%XleDI&|jVE`_{clcXv3>y(v^5j>{F~-V_)Wj>~Xw zvZUfHDacTu|B83WMC_C(59iN}?$4mD7a?;QEw~wqDqx1=kR%-E*=5Kgw4@>p5v4Hv z+-sU%r@R!wN_~-I3|>oWIF4F{LWpt+kgYKzHq))maBG3cgkC}?A`z8<f^>IVijnY3 zZI))M;mh1Wjp0kfyj;UP>Y8Vl?r!r1lob*Flhe@Fz~ZL6=0IX>y*c=$fx%^ljaass zGt3Vzwgxi=b~>SP?rQ!v6XOjle_zhlmN_|FbMdJisP+f$Gv9_J&=HmTr!zI;Tk&V~ ziip!+rZ-t%i9%kkB-hnnaE7a&@#9>aG%-O;M_PR8w9LV6PHV7b4sLD|xf><h-6(nJ zpM>By6i0t2kjfRa(Wrf5IvS}+GImj_eJZ-!#wsPEP#fLz<obl@YND&s*@6lLtr4_V z&=x^Q1f39cRM06VT-tUuB|c8208t1KWdKnG5G4Rn01)|s$PPsA#K$=^+Q8YFMJu=n zwnaO*7`8=AxG1(oTevu~QDAQMU-FW3Uro!!pXIq-$I^0nl1DClG~>hj4@(-Pu{<wX z^Em{8?+i;p8F|Ut6`G5A;Y{s{U^OTMAveQc<}HXtdI)u22tz6o=3cuKXl%{QOLja5 z2nDdW<t4ipGv(q}^d*?N>KNvRbCLu9AimddPVy$^B1!f5yyW0@ZfNj2Nos1Y<N>1) z;nUp<sk;X`{suu{yE892l}cRNbtU{`re>G_H$|rA3rqWH{le4wCsoGyP@8W?iXfXp zKE?SR%@s3y^$Yb+nZ1T}`0ov;wz>U{I^XSwyN>q9dHD7@^cN?<CdXM{-o34BSuB1A z;*UGq0QJo{xcm<KRT!gUR#_d+J5vbUvk4vV<4<45`}p%$6`PW(_5mTA;}3%l<6mL? z?;{Tsr`rp<P6em8D~;Ki*JALa8gPreP@5w}9z+tGNpk4^s?4N={Zj~3_*<<%{=k4r zWyz?@<lD<gB3R{av_98Ag;3qs{1|450Kx}496V2k39~lvulC`><imN%hcPecFy^fs z#-tT!08j8a%yWAXL9<H`CkWG2o*Enc<*Bh<Z$CBG8w9@vJ_$|*cY~LJKLy_dwt;iO zC%~h?zk*A^YrxUq3*d?1FTn}mpTMtyw}9^kTfr}YzXhj&1K>Bo?;`wxa1QoU;GN(& zupRsocmudU*Z`ga{tEm!*aKbw{y*S8;A-#$@Luqv;H%&{;7`DJfi2)1@NqEu?WKMf zgO?$M5x#?+4&Da7AKV0f5&R+e7O)2VEcgI;DA)xq0KX5Gfh)in;9cNHz^&lFgExT( zfa}58;BUZBfPLU1@JfW=5x$50BzOn-LGVTJ-@xm^{lI$gU%`jLN^mE5KDZ3509S!C z!F#}i!B@bu!5@PMg3aLP!N<TV@Xz4I;CB#02&Z8G1^h4Yz2FA$4Ded;&EOjFB=A1) z5O5oKE_fBfe-VCwJr?{q_#v<Z{4)3>@a^DQ@Ko>-a3a_XUI<=}(1UOW_Gs{Sa4fhP zJPW)Id@EQB&H^6<4+D3A3&E?wQQ-67r@{XQ4+1;EuY&&xjsY9N&w>8~9s%})Uk5Km zxQ=idb{cpq_&#tWcqaG*a9^+*{0w+M_%U!hI3N5T_$Kg=;BnwDzz>5jfnNb{1m6L! z15X2g4Nd}gffs>SApC}K7WNqMXW$3GE#N$GIruiP4m=rr2s|9@2G0Zk4_FSa1dj*r z2FHUhgZ}~E489X=0#64Y1&;(@1HX}{uHp${L^Sm)l`Te|2#2X*h{8!joI1prgJ!ki zOiNSTm@w_lTR?N)a2pP@<p7usM^d1=O7IxDw^VOLE=+qv5j+D<t}7Jt(ZDnhjoN{k ziA)?LDQa7IVqSP+VJZlLX3*g-2F;-Z(Mc|JPV)3hOo@x-?;?B)LC{=D%sG@VhY6$@ zCgB6d(zg{wid>vP<fF`pMhW<Kxx@breYeo>eE&D}ZNmxu-$Zizzu`(nJUK-kc2em` zDK$mpseW^eC8ev**aphe9`&zQ-yBiid?;@LIUQ4arLo262<HbTCOfjj`QZb}8d#uU zO|OON+4AP&!aqiCnS`&px^c*Wn-g{8kTiTCfD05%v}DQ~Gplx8Atoh)@{$q8%qmRA z9Klyd7ZPBMmsB-ka-enzCKIar@(ux|+EtpetIRb@wW};;SE*}M>8_NrT`FQ#*{&4w zBR=A18|jdq<B<-NFXg*RX*Y-nF}V{r&9Hxvj})gWi=-kUQsHK%l!}xn3;U@k3qmRj zN-B$XVk)#Ol8S^>R&Od*Bvt7wPK?`|eJPVF^t2GhHc`VYChvSvIHH9xwuzRAX!Tv9 z#z<l*D?8P9u~inSN6L5DcUI&HO^1{+L{u3&ds`H#vbPP9CejpE<2u(po{>?r@G~&o zb~^~0mnJ%5<4Qym79GQ}sc|eVaSU_0kVwCXQ)-vcuPQ{T+#y{-3PCAB83E6K^Ua`X zOoj=B>XU&-RGIjTJcU4&X?-pQfnrq7?t{cB601T3g$?GXOVo+{bcs5VE$s`=cKqSa z^B?47;E#8nBGGGb>PRyDg2DqTUCZzzidhxTcMLz663%zI4yM8&f(4%{gMUq>2=bP8 zj?AgN&)$Jar4_aTju|MR=54tly=5UyDCt@TFh1)1uBV9SoN^M(Jq4@p!d&?uO+zsw zwE{E1Ac$;>M4Vvnd@5FcI{cjH@6L7{v~)lIf4Lkp{y!Jp(Eneq|CK5wR(;q1mrC`& zT`95us}U-=OhaknF2W$pMPpLn_bUrLjlqmZI&gOa(~T2zwkBG06Y&#!U81EuP%M7q zhR$KO#dgv;Tj?&wIQ$72-iM2mQtU#3#fi8ln~0BNSfUGgF!#7v%qfGWnR1^BYYv?d z4aPZih6IJ<=HP6Cd!@zB7{gz1qjpL<K%Iz9(60FcvTkU2VDLhUX4fp-{8edog`UpY zieLMor*XSA_#NK^2GQ-@jNs|}*uIa=%(jk<whmRbs&ixtfhv_Hqw|upPW#+SXPvXY z=^jkV@D?}6C&~Q*tKE4qoKid2Y{bzMYcN}LC7yv7fuy%h*9vDxg8s7hYutC=#r3h^ z7U0K!S#k#5PcJ6H=oy4-c+Vi*e}VG#g(ARJKU83`aT;C7*!mmFu~|scw`%A?!@AIe zH2kTSNt#V~_-VSo43`N;CzEzq^U<bOn!XBrmGM48^<dlW*nuTsnbg#p<UBwTNr>rR zY~LEoXj706Iht1$>tE16FL$0WKju7X>)$D}PIjJfp2Vzm=gI3{xxpBi@BVxEfb+QB z?fh15dc!&@Jk^rKM%}nSjfV41r}m5`$$2t7^)XADt-pB?6^DZG6@s})^83;N&iw$) z(>{rgl1ikDENoC)e>zFjuef%fU`vr;v;Ng6+KJLZcx(1DVr&H9l+i2+@o*L}L-R%R zw@7tgI?<HTgq<(rUMSe8>neRU%Gs{MzX`-C;F?040_&+6n;$~zbV79^X2_c4!J5E$ z!zqpsIS?nZBvLARc{h7fvAbi(r}DUJCQ7RL!ucPw(Rh)Nx?!4e?Y{6O)OOW*fUY(N z%W**u#1I@1Ko_ZS&}FK6@GK0{fm!N!sL(lKfXNO$9qWvt;X5FdbAKQc+3Fq(WTK?H z$5N9pi#JIfFT6uzsTbJb=pIVO1#@~TPxz&3ik$~ZGuh;Z3dj2bc`m)eYN1HVx=@c2 zke8VrL-3ttTZmYBs<n}lsS^n?H&0PBmkng$C}MRYjY3yh_;VhOZQ;*xKw%5DO{W8W z6VJiJ&pS!s%VjQoVIhu*wq5Om&EM8OaP2nuJR{}dIDBzw#g@Rtd73Fs-*c~GQ_R9+ zc%<nIE)^5%RmIm7o{_b~mkOeKao2Sg-FhAEd0fuVr(w1;Zq<H=`OZYJaC0pk77<Ny zH((|{O>-xfY*dcB50X<DH^d+_r>2NV38e9ovKwOXo-)c4UP-?2O2_cn+88lSUlQ=( znF2&J;d|P<_|PnxanHgr44&EtX>Kz-La;|9seN!3r{L6_gbVPfK<LOU_zh<Elf_Pt z3X*1cJBCTZ)gJK-r~XE~E;7&<kya9}cJJay>S4Xo)lMyQ3?n2>HDMD$paBr6O*cD+ z0bK2*hGW-pxvUoYDH3{`+8@XaPWS&GmrJl@uaTP0PGJ~MYkzR8(*6Mck@g2@X4>Gv zH`C3&S+z0rgyvkqZ1dv-<RAf$hzCMTaZ(KZPC`~9j+1Qh#7C;RD^>rRei4pr{Zj;s z<gZ4Jh9q1h$Eku0CVr}c_X_c3gOH1+a@9`>f<-$o5(tLP)xl<l&5eUioTNIv01wQh z5C$^!3lW|~SVV&Weu^KXSTsxjB!0}{7abJ+tRpk@G)X>@;GvT5<@$wuSInDlc}=d1 z(bzRdo%`MYZZOua!=0|$b+`#uyAHR*EH1fmFur>=o1_OIRB9j0R1iP(06y&d-d&<< znKl&@F(_jRPI8pD1e=!`R~aZSl>$mk)$hiHbv&ueOcVFJzLVq4t#=!YG?^DCe?g<E zq(Jd#>kRsO1kyP1PtnlbrkN}#LbE9_i2Sr?5sDp?4z)v@X}_eyjULc3lv6gx`<xMH z3;F`i%-P!13cy8LCS59K@)KT!q*W=I$%Pqs?kWRUyBTzy2&kT(!HEb-t5P!XkXQy? zJ!yw}^O^7ro3NPFHz&#Q8;bt6#zcG~-0biD-&(~Azai*fY7qUT0C5H|=kS)|Zzae3 z_%nwfqvlbXRKS>F`6Cmb_Ny7~SKE~UB*P!*Epu>Nk^l-nObF;-{|p5TgbX|wu`H7y zBL@OO#gC0GEevNs@x4XdDlDW+aa@KI(d9T_25trM)jj&=#nnBCujmC!$>=dd$|YhX zMR9y#DP8_LX3&|tFxfPW&ii~-GRriKc6z%0bhQ)epDe`P&pZSvRUQUfO7&+h%7cp? zPC}PELf{U?=XhkXcAdez2N?R<@J=#@0{<T=@b3}=&8hf<=2ZNVOQV)+ZI)Y`o!`;F zb@a`U3s++OY2?OTj}+HEQ~)Vmfp95x1(J(YmUOYc$8!O7-Cz}JKF2Nu$U~quVV41v zmI1Ig5qfHXbhm(seaOYn5HcYrKS#)fhbcd&rzP=hB{NdeofWEr@307>ipb;|SWxLC zL_I=LRivm4d8)XzBPrA=TwD@IV!rUQ*2EkF%CM3;#MRP6m(Y}DC1SXj`~V^}Z1Etb zV5AWbV+t<JNTg>V3G)bWoB^q8De6y{gEf*+Nvv@|m=YZ`Oo_&}#@`(?8h<yo;lEHv z`02o+@cz6E{uiXslSu!A7%!{)3WYyLgm66XEg+S_N$`Xy8ytyeM9C06K1|QK_DXsV zl}3cUz0%l113^wanA)o%KAa6CpEqCp4O5sL`8!7Z8^bpLD+9YQ7SES}^CT{e#ls?O zgH5-ODMOcm#x`In>r&P#^<D6!Fsg9P2TeCI=pj-5gJdh7`jH;+v05?>e*wg15CLeG z$v#}t;qyRMV@6W<R{Xu#y%m3)TmHcL#P%9}crN-bM77MJs~#4ZX(R+qXz$*N(-p33 zaIymKqd#sl{O=h*jwt>smmHEvq6e7NBhy@tX_idP?j~46u$Ewp=D7KM`2MzSmLpAl zGn?nsO+=e)Bk{I~W&4`vgrD?(>{?kl^-@9j!=8Us*I8mQ|44rY^N;jb^jG;T3Zk<p zpMf;H!sGb{mYfvdW+dS)ppz0Q&tUhi*#rgkGmN9d_YJ7&%hYh3$vl85B&aThEzM#2 zo#Ct>t$sMaZbZKK^?d8NeA7@owz>=xmoEZ>D*-hHfR15+u1^3}@qo(F0PlUIUH~}X z0KC9B0jldDp!E>IUJYpaiQpZ8Z7{$x5@6H<3_k$WmkGuL+;0Qg-2iJF0VS?|9iVv@ z5cmvG7Y(RV5+o8#1sG;*09G~t6qVmHp1_$KqUt7qbF1)%9^^>pR!O*h6j=nQCD5!H z2XwrJ#$tl>MF2XFiOU55bY4N7$E@Xe06LGi*WO3!1pvCO;Lc;dG!#0I+0usq=sc!L zQ+en-USBjAfX-ujv=)HQ;}u?)3C07^c?ESIv#Hw%C^0&Z7rQ?TK<5?Id9*-DkVr5U zK%GZB8UWNyLhd}GZ-ON{kM|f;=gE`=IuEM|fX<^1bY8)o$E0z*NH%pVW@rm$o8Ao0 zFJq;5Wa1U7{2uMc_<i4aQ7OGcQ@l!d9J0CaZl7_m@orl%zx0-EysMLK!FVx|2Z`_& z+T|d;yPXj}40)qGg`9YMD7{ErB6$59;oXk+k0>P6&9!_F122wj_yMf;N1Ap(z5<UU ze@AbIR{O=PO!y7+{H8&?^;7>4dVqaqC##uQWI-`gL4dveE+_zY`F1Ekw9I!I3V>G} z{Tm8^y>2BG0HypL3V<Pa0tyf<(|!pBz}qS*7JvcS4h6towipV4cOd=(1&Ee4u7?6( zyz`*|nDGxW8En}N0l;B%8VZ1&_F*Uh=KiNc0WgfOLILo6!5}CAY8?Otz(WJyK>=_W zJ^%$k&-(Y=3e6NPdvs>cP*_ZOTwyQwmWfhw`<ck%_A*gQwwS0CE}seOZTtr%0+8x> ztqz)rQnAHEmWRfj30vdd*1KUbQC;ni!(yV8Y%!6wfwOHu`Il}YO~|SK;E47=*m9}Z z0#RHCZBHh$y1rryL{{wqwm`5NrU{do?ZzJ|x?via?S?yq4Q9K#MA+Z~t;c2#Xbxa& z4Y2GX)Hlx@pc_r9HHNVEAa6haUNJ62G?v^tri8`~=`#}y+2I622Q@x;iHC*>&7cQh zW`es+c(oA;XGGNGb)B4vSE0BT&g4YRuXLS!8Sm7q2Vl(=?AdJqtha*wc|HJZtza*H z9)NXLaBiSjtg(XqbU6U)tKclQ5`eW;aCUkXfOS>yK9HjTtf_)*69HIH1$$~W0BfnB zjsgJIQNf<N4}djPa9ULWuzm{6QUKOY!MRFJz6k)VngVzPfE814@XsalNiwN;ERllU zB3nB}wiltQl;CZGMFa}~q0FA;RrzEwEFo1)P(tt~!TkiU6TAk{^kb^}2RY^exC9c2 zA*w1QSWYloc!{cJ3QbgX7eOYVCxr<)$*Ovl;O_)40pOi4D34q(0xBCw<r3r&ECe7K z(RC+N)$`<kj$k?g^}T8u!CM4V2qqI`5j;aM0iYYfR5hL)PZQjvo$`##@e{JvJpq{K zyd%DkeQ$i9=B@F4jQ@%6W7rnorxrT+Q+yvyIKEFHF}_bjb9^7$f8+af#M_p{_o=)! zzE9V`;`{i@;`=xU#`n>dBh~)+K9+9~o<gd(5Q-7rL?}Ut%J@F|-@(Xd7><A%4FeFO z;`?;hARI+Fj&K2?3ZWX|SbU%JR}pFvS`e-vI1nx&m=S*-;ah~02o(rFApD4MBEFC5 zI)V@3SA-BkH$o605Z~w0Z3uFNXauz9(#;5c5ft%#sy;{fCjv&GYA3>H2s;ok8m=!9 zV7rjUh0${DLijhr&V-?|(A$8Td4P`D03Vr^PZPWd*n!~rkYEYHe86M`>tM2m6Fdaa zJqp->pqU8>TmsZZ18Qvmw-4Zn1&l+uOgXy_0h-@XPXbkC11cK;&VNw?yP@)15Pik7 zj|Bb~($8x-4Z>9}gi1f}U<!hY%!4V6rajKDT27nxcuR@BrJ7?%r#W^o1;Mn(kghWA zv8fKGFnUh=TdXg+cUxaF4JB;**js9Q!&?y6sr!a?-cn47`!UtFsO?kdZoHmtQ}9sR zzwnN4Z92V#TeZTPb1;PfHr*!0%~Tc5e!{ET1mV&D?RZ`_Wjmf$g~Fr%+YhR0N4<G4 zg+P^xKj;u}7j)%(ynb!|l$DU?f6s}$m2Dc{9rxh09BrD>Z23#IyzU7+QH_a%_tH|~ zraggs)&9Dtd_T)ou6kgKt6uH*UBgfQ`dMk}YTsGyGT&K!J)JCb3_o|3R^zFmj_#jR z+def74cwb*Ux+u*;eL}!eOoFPxp3}Y(YlzRSl(Kk4o#|SS*pG(a4+t2ti!#9Yb~z@ z?zR4Hnt7M!y=ncFrb+#j0dW0Gvk3|a*7Q?auJls|PxVvkO8Y4<eTAq?Um>dNIHF(e zr&Pe9fbG}>;n>6qnH-ze_EQ>;^iyiz1s_73;Sl0n{h?g_Nxgy!x1z$m{girC+KdR_ z67Wp;P;PZ89Mz>r>Hedi()t7}>l3hQW4CJ#X<+&FXv9bTl+M@CJjc|)Q~i{kT2wO~ zafazg8PXy3AViKQY>I}zDH{H!=rsgrU&|PzFrXcuBd@EU(l!>U|A}<Le<EGWe6;3e zwDf0qTtCC(`WZR3lhME@(Kf26nkov8ug|51wRQJXQV5PWARDSxqwyGm;P~!limzUe z3>zrd2ILCNp_q=Ce#*me9p-ZE8`)<;#W`>`=fG?F5<WC8I9~Tx$4kTx3|(-1_2Y!@ zANwgiRY>cpLRwGN8ghCn(bjuNwfzi4<sHv+;viwDKVkh@Zql=aRp}gy(RVKB^pYlY zF3?;eP3T<U{X1zwHOCPK$E&^B%GudUdq=jiYgx9^V9Zw5|1Dd&JX=|it#m|ZD_b1k zXR?)^>DkJo*~+ruscfacE?e0)D;qmhwh|8^XDcrq&Q@CbWGkz#qlih_$`tmtYdv$b zmD&)BK8|8v&Bo4|tu&jnl|4^oE1M^yP{ez*h(moHu?P<s&Son+J=x081KG;zJCNhM zY^8B$w$gbSB||$lqWUIiDj^$jHAr_;w$e5<TdD5OR(hvoD{I$j--Rlr+79avWGjnZ z6XD&ItqlHvoCm@G%2w*p30FUaMQ9(=yIz6+P&W2yw1<3_Y~}Sfq)*RQHdG)zN~>Rs zS}|N2l;Lo~2fuF#T7bTFZKqU$f!Rto1~8C^SSw=QhW!WZ8R!?<mRi-At>gm$C9C0k z5&h94_eU6+di3)(4EggIwZ9<${ip?ftN9t}9!BfvAVEjQQ0KIM6rPDfFc@7JgiZ{j z0nJE8zDmgF&`PkYCtKN#^7ZW)QyqGD8wwbNdS1#_Herj^8jv*u<2N>28AcJ7sn{a5 zs0*XjG9SG?k*%zofH>>|%`c<Ot4ND7g4iB<jAj7sa$Q4vC!@^o;qOATHqdqrJPCzX z)aPPn!Im)~cg_1~MKNl@c!yl59V1{`fUWo}M(GH0x1zPp;Qykwza#&8lrslB6rKD5 z`LRQG#9(*b2*&nl#z-0JQO-JDeyBgn`Vx6jZj}$cdIO_}UeZAag>g1417j;!KaSdd zL_cYK?tv~t3o*t))U2BcUkP&GhnCx^-foOW2kLPL(Pq?9e-_(3AEltp?Z2Wf>>th8 z^1(1lT#R(sA2b`ViLiH?He=sGEuCKYF2RRB(GlmaT<?48Bqrw=+epmPMvayn3o+F} zaxIKyC%!F4kVik#U6LLV977(*jEIY#?)y`VQYZyI&qsc%ZM~srec;~p^!3wqcAE2L zr%~UQzuviQ+WNq_Y3m19X4AA=e2wE<kOTo{{~p9lU`$*gL7>WTj69e^U>P{A<I`z8 z2_4_#^!^7`CdCm*Q+1`8x-_wu=Ji&;={rmBUA;u_cx7B6$TDzo=Nqo^co88%0l^xA zwFFxTju4z6I7)D8z2l*6)7Bex0N*5l=ecdu;%Wy@0j2_~U-zBOY29ObW*VdXLWg0w zka*(GweU~ppC+EDb1h6nr`GEfc+<mEbx-6|P1+El+Qxcw4h>h!zG>FU;h(0hf6{4L zzr8cYP*fpPjH{60qnJ=3!$&c`LWYlGQiTj3#pDVZK07L~1Z#!t()9{i2h2+|Dr7EO zg{*Zh?C)Uj1;<v%&QxG|-wIjnMDU;rnSNb`?EHT#Wc3BGU#yTB{tdpZLZ<tm0*ka( z$h5Ci$b5I95)FWY7iH@nh4bwS+2#sa*R~4Tu?k%FSI8P(uaGsxgPj$!4Ha0ywL-SL zLe`Epgoah%;=e-H)>0u0epn$he~q?10zb;I4n~^k@V6n&*b3SH3fxUVNUM;wpq<TM zpl&oBA4O#Y+J>O0x~T$}0~NBbDrBa6D`dvMgUi6D5m)_L1=f8<$UvBj@E}@+7F8P& zi7`^N&P`}t$r}t@Hy#^KG9{}5o1o%C2VqxdWqa#N{C>*92FQ}(qnMB-!$&bbONNhP zQkD!K#pEm*K0C6o0kW_GvakWbGqSJ&vakVQe+PRnI5tamCJP%N3mX7DC<_}P3mYH{ z8vyo;S=a#J+p@3$vakWNumQ5L0Z@qsK*5W$b&taNc9v{&7B)bZ>{u2yKo&MY7B&Fb znI+qhg$<A;+nt3C068oR8z2iCAPXBH3mX7!djx)zVI7P#)8TJJnz323{aM%m2x(c^ z0N^iBH=2$QHUQd&fDMp^4Ui@KDhnGR3mX7j20o3r>d&&U0T40}<{~_ZR-r}JMnqza zumQ5LPA>v-*38S2UGQe%S8nS{vl`nX3*(-}qo38)d1+O!9<O=;SStbcp@7a)0RL=& z?lhpu3D}9?eg@Eb1%Ow|*5j2A0CNeTsu586S3viNfV#ebkI1zH5S$1w4hD=vn2az9 z!E+GMlSpbeAbb<R`V*;o^35kzL+T}h;eZJU;}M+i0BRZljopBbhX9vv0bp&Hbn-^W z$u3=plNknse~6Pcu0&Xluq;ldoe2MZaWWIqm}GG>;~xk?gr5<-2qE|tak6H6oXqkG z(mn$IFiuu`3v^tZ?DE5LvH;36JO)PDt+%7hFOcR;oU9#nj*G)O;Bm6Oak8q#aWW5T zn*^DH@N}GPavU}q!sa-c?Qd}16ek-GGY4TVLPi`me4MPa2T^y$$tJ{gqHx0?G`s}i zErfT_!2cq65CRC-5!`634Z)0n+^uM|Wh27-2x}3_5Ky6IHR8ano6wmk1XON7XAQqY z-yA2iqPd1gQS)#F;sm7q7(Q^-2(%3KRsMp|ji5!)A=Jjn!bJ#$>%+(Gj%h&CFv9r+ z#RN+U+?xnBoM0izU=6#k6V|^(sNK$<4+&kj5PEckEtjTYiv~XgR1N|-X%}+Y03O;$ zJ+lBdim)XBoF4<iCrDKR)c2DL0vcNZJ&ysd_W;7QL)+2_$mgsG){o%be+2LFBX}Pl zA$IbP#Yo|xlFoPb)9==u22}qQQ1t^K_&h*A7|^z!U=zVrf(-!OSyCGb$_XwLd_=Gg z(BuTTwgHS(fVC1}SPbyb2DJSX(B2BrRRi?>34R9D-43um1~9(`(8>Y2GXVX4fVR&F zJ_K0m0Ok^$4CpMWpmU*uPJ{}a&=hnUQ{eoipfi_(PFV^%S1ITurJ&Q20;e4Xop%&; z;!)6<M`1i&5_joBNnGQ~k~r<ek~mXzNnEqNB+l|lNnGtMC2^M@E{O{uF7QK1T<h&f z^9AD0l*F|o&!w7i$oMWmI|*RA8PMziShfIaZv|X_1Q4Jkfgb^_cL21z0G6}=m#Q-l zh^lHIzXOb^w5VBzWs+MOaWf6WGA%PrEz1@wvqj5Hvou?LTWozx%~#D_GSf0mvPDfT z!)$dxVA!{r0Rm=98HR1B2nHDK_j#Us(eLk%&*yp0x#ymH&beoXVRQ!Mmkyd<9rtYI zf4_506n|b-_H5N{vtceQgXORh_P{~d56Qsy6;<6<DlKbHqSPg#E~xA(ROdulQ$;DL zdML_%AC*Xd*$<)GuISG*QN=M-a6M`{8)dB(U4!awLj@yITNA34UJ9i9-0_mV7GHH+ z;f1Kui}GHS>@~h{rd2<;%2(95t;D(BN@_M)No^l1$v$o+x#wF+o!O>%LZb9ATQpa+ zOtf6IQM5;NP_$o^%yrkndQNbz=LF|^PH?X01n2sV@!aEh?r}W#IG%eP&pnRk9>;T! z<GIK2+++ATo_kE2Z5%rs&pqb6w6UD{D&ih<>KTZ8OoNSxd(7#vh<l8FLEK{+e}cHj zbV3K**ydNn-V@S%T;+dxh0AKqhPki|mcvHa0|#M0Bm-Y>CHEQCoJ6ThL|stXRjAI1 zvZjhsQ1wuh{XQy@{<0rJwO!GlXQGN@C~pQT`yJJeKv`0(J&p=XQCk%9y^IQ^`^G;+ z9_0TSHGhc87om#jD8CAo%|Qispscl`Yf#;7Qa2K{H6hO;xe44b=X!3Kb3HfAxt<$V z^FD0ihShB1hShB1hShB1hShB14%ckrgqls9P_u~>YBq5~Z457hyASp~q@i}KhO%EY zw7qPWKGNWAGef(E*06@$cnz*u8r<J%2rf4KUZZZXQ5!4|R&+~@pENdp()jpE<Kibx zh@Uh$e$v+XNtLZIJ${mR4smDvq{H!(a&C&Bl(jN`Qr_J7N!i=uCuOdPpX7Wneo{s+ z@`3S_*2Pac5I@PYDt?lCVf>_${zPB=q}B10{I2*(Rb}y$s$<Eg#ZTH5KdJO@;KF5# ziQD2QaRrAveo{)O_({9tCl&OLpOpU)@h#$^_(`c-;Ch$?7a46EjJA<R+t)_B*YF)R zd`U)nZ=<f8QTMIk8fdus8s2?|ca`B?ZUj6=z-I);7=dey$_OKHrBUfNDqTipu~AuM zRDWkwA2ce58<kfX-g}M8H;l@6jJ#YUFUiPmHgZQ8xx<a%zeaGB(eSd7@uyMprr|zl zR6lJL?=gyZ8=+RCXq!>=l2P=s5$bAGxs0lOqvc_v>Q}?xZWNUo#gT?TU=;mp6!$Pf zj~YcIjFv3JKguW?Z1{&6{^3Sh&?u`l%9@O_14db%QJQX)?lnsH7-jbvWz&ta8Ai%W zM#>9@Bi+c)F!HmF{4qxU)keW>M!_vc>T`N8tN7K~N@iPet`(PAak&*YT5*pR4_a}* z6_c|UFtt5%X;)^TWqmDH@XlG?sjl3iydxffVTow+Zo>O2oxHR-O7B(EdM>`1aZ zk^-aZ52G>CXzOHrU=)`b#Y2pStwzH~*@>uetKoaWs2f_c!XMU<nP-MaHI&_LG_vmB zv=tf$jM7nKja|l8!~3{V_JI+|GFo~W-nm9mp5X~`ur?XhOf<?aGQ2~Ks`re_cBAwk zBXEo1e3&C28Kt|7hR=-3Z;YCs49^)<l@BpWcN$Gs7?pdB(j>;yGz^swMU{I|X%fS0 z8ivY;qRPFRy^=qG@+<iRX|cnoe9<Vq&Ioie3cfQ6lI56Kjurl3xHoVWs!Fdl3YQ!1 zcuHw*qomcS9AcETu`3Ff8ScxeP5sd*`P--*Y?L%n>pkYWg-f6|pV4x_Xihhp_Zck{ zUSVEMh7sItRDWiyHmZ&pzAB^gFavAm<a>?s&yDh3M)_u=JkcoIoc+B~nr4)~Vie^V zMK>5los7bhM)nm()}==3TqDi%3e&$7>3s_BGk05XpSjzD`^?=I+-L5#;68J=1^1b| zEx6CzZNYu!ZVT=+cUy3uwcCRGtlbveXYDo)nY%5x&)RLleb#OZ?z47VaG$l?INjWB z!F|?lqaSm(k(j%U#N2Hp=58Y?u%?q<*pcLPB)J_)aYvGGCC+sn$$LiNFaIBdorfD! zs=H`X@IsxFq@lU(T<77?L!^#lH3tc)YtWzPAm`z>sRaM^87+jU%sX+$Zd7~;$~ul} z6Hs+c(fNeZ_fVajQS%*2wYjcz9u7W3+V&c1Y(t?=&SweLCsFp~w)KR9%aQLFsjbmV zlul{<O-qG-g7a|utEo#gX_`_a=lOC_{cu!p1>)*<LZQ?Kf4!COg+D>&JY0J}!PQmt zxE#7$^aS#iqn4ehDaIL5Hj^Y!s8cL_FJ0T4E0ii{6bwMl!_Cq=>oM8+lqTN$veHX$ zBMn}q<+6iijU??dQRm^*<r)G>sWLadnm)4PBa(&`R4(m&j*MA^D4k*Z*d|%+(Cnsj zqV2w=@LaTgJmLLl`|p=PcNhTuqwQ@yqwTH!X!}^wjnVe>^WXwFKiXbg4_VRn$<cNf zRkc;o_6gDU6lz0}(e{>;#G!CDTnv377WzRFd<0?mnYIgH5j+W*kPLL!lF#u(SON^N zWhUGM@4yrAD9nQ?FbQslsc;M28f`C{1G8WUJPohI7TCnd>9;sO+RmZk$D-|pR2MR& z!mS);S&EoK(HLMo3ReS{EZhqp!aDc>{sRoH@MU-jUVs-F>i=LRya%gb4bVquExZd{ zKEzsw=qp4&p*P_z_%AGnWx(}9D}ZZ-SoqL-coklOx8V(V4VY4hYlq~z+{zGRDPhVb z4+HZmnGKHsOHsmdm9ShTj|0nBG9Mm*neY%i2-D$im;v_z%UyCWu(Tz&!Ci1COoKb3 z?S8K5=bC=T<7aGs#^`5Ee#Yi!PJZU(XFh($?0*)X2ezA^wequme#Y)+?0#;)e<84* z{%3&O<zEbp(f<^%HT;a(&sHh@625@HVISmz4=SVWWl8W!w0##Li>h;hEnLceE$szN zsdOxC1D2@lQs6Qr|3W);iEs{dfwQPP27f>Rs-o>RjZnj8zXUn~OHj+st7TfXEL9D+ zujU8%9Hh*0*09_)EO8A>T5~^42F|Iu6{bYnk2XOt+Md>%c!GE)bOpwdb~dmSX-qq9 z1+d&lOTh*8@Edg(0=F*J3F(jz*^mjWLF%vY3#38{905nPz2QgrI@%s&T^c;V{DaJ? zfwc%G!~SS{V<eG2>aPaYrr{+bTd83)aJz%UVF^s6-hj)2`PGkvE8(hWyR$Fwyy0Yw zPS)GWyq&kf)M$I=7`OtMTPACg&KT0$fOSX@N82;<;Apgc9ig04C}s{M)^eEJkbazc zhM(RFQrE&zxCKFWTyPc8ZSWoVAFPC}umwJak3gpI8oUZ`0=qcKP7VGSHozv>2rmLV zHuyR$1(qTBGFu`6m}1FjV2MgtqLNW?6O4x`FahF$r70N!EK|vKa3kCRgMc}eTn0m6 zFtAMi`(Xymf|<bb`5%CX;USm{+zS6ZV2k<hg1g~fxChwkejfe)N8u5;GurN9J9=p6 zVQoAd_dEm4$-^3yEQ+=tAdtG5ikoS;nU4Ec;6dj00XxCN-6`o0XHw?wyP1xAA#lgt zEQOmT@w3GK58)GF$^9&~e;a%ZpTSP}9CpEaV2S-Kx1Z(qZ-x(GJA4W|;9Xb)@54G+ z3-1B9*3T{WuLh>%=N9|9)#W?_$}^(v716{pVg%U04w1m^tavKgzL)S8O(wz3z}+gJ z4F3UEv^)veAr%(^D_Fr)%Ws4mfICn=5pDwRa5;CloI703(v=SbY0JhAP#>T^K)(T& zG%yZ0Kfvw?&{v=s*wr;r#L8%U^$&0ueu5vVW4Hl^9_Rxsd4MGfuv~%fVFzuvHPv5( z3#hB+L0f$&+FqFj>Cg(LPz5zm9c}l%3QtDcxienwR3*cz90S+F>+mvghbotI{CZ#- z-Z{XKE16E^P?!$vj>;>6J05r&Sjqr*B(My)D*?_AaHj&?y#RMPz#R)L1^N##gaAt$ zcmud*;J@%D{13Q`0q%BS6>uv8OMqP&cnMyB7kSR^3}-+LTmTnBAD**Mz`t;kGIza< zr7L4;%UH&;F3=6Sa-3x;4Uu;uhM^7GqwQ5mz}&080(NTE=dcUDgfD>Qu41{Xc%)RZ z)Kwn=>sZC^uKF0Z!zb`5aC@qD1KX@>509K5;b-^>xD}piXo7lRXM4D<o=w2{9{Tlg zZ4Z5TeBg&a*xmHy{{=F*&BNi+X!~ly7%t&}BajLy5CrbJe;TkG{l{q+OZ=0kf0i)y z3E=jpa@$gVhhxAcQdo-Ai-2WIy#?mL9np42Pv`-cz<I!OJ80)%=^YQl1F#q#jkX_Q zX^+s)5tiA(t#a5Q8n|T+`gGh2jOz%~Kk_$l%Z{|bKhO+}`v~JbQVRiK`bSu<rpMqR zcoUw1*MPY+y#cRB+nWm^lNWyjiS*sbayD*;4}eEVqmy>5MI(JRv(=ipmCb7@zYO%# z$n9(7HZ;;-qtr9^M&{G_G_YQcT)**g#=@iaND-6){T}gv8%m)BxMfGYa12=6Bl*DC zjugOePzmM0c#h;iHZblZS&#zU%Ol+4BWaKdM|q7+e=g2*u`Vw9chRql{$1QN7u(6j zI=R?Nt~y{0F2>^G8m<apJzdP%#h6`O-^F-c%)!OjUAe#*T#V1f_*{9wc(Yl*J<;}@ zn@G7eIak6}Fg)6x_aUr|wjU<!h_+{qhY27}UxjCZmCWWY<(^BMxkOISii07*saZF| z6>v2_(V1l?Gt4@Z$Y?T|c_t&uj)F+&26i|Dx<VJA-|QYhpV_@Q_g^?k9s!-;Ea(nr zQ{N8k#H<q#24<G^H-vzxWwGnBn%R+z-@#lQlVKtZ1E%X>?2ZIr`i@aB5_rTpu7ew3 zEL;wZ#W4bymm?kw7zhJ^c{?tJK`@wIcpSKk&C7wE*YqB&h4ruwK7noUIeZG~z#28N z1Dd!)P5*<9@Gh)^HSiYv7ghlMHoXnYqV4(IhkS`o!(w<Io`V-)2`mL30r_vhEAS*d z0nfl9cnTK6V=xEi!#tP^kMkq{EBF%jz;4(9JArY#KZ7Lr0+@??D{KMwhnxAiKZ1|p zePBLrww8M{@W^$4z;-JKc57~DVhubDvtbsz1k5Fe_BqTy=SMgQg>V#R!hNs+9)btp zLAV(v!c>?7lYo0(z`7T(mQ105OXqWI^KXQ4umM=s{6oO8f=htqF5vY1Q7{s?ME><K z8m@y&VKA^Y@-KrSFqB`jM*!Q(Hx}4ZzH8wc;2a<4dfAR%wy2k_>20R&46s8l=t^A! z)REhWe?ueu2~}_$SSD`({7}uWq-@nf`YoIQT(gil6*8y7n_xVg3G`cdHk<`)_rhVo zm<kzRVH9)%1G+$GU`z#Ew}7z}v;pHNU<?I+F)rrmW9~lM`((ax!2Esjz*_kF0qf_B zg@G^tSSQ~gxDfh4f4CSfg1*oj&W9MdfS-k|nTPRtn1_eCd6=Vz_49DgJj~I<_&v<S z!+r7a(DiVSJXZr_@h~S34^a<e@h~P2*Y<F24`cK&UJqmUFb8)eM8G+~eBG>*I~rIg zH|yl$9=W(bF7B7B9asl9>*NXp>)>L2T&=*`q<jnCz)$cU9D-yx4Bx}&@CEFF-EaW* z!8%wA+h8NChYi3zNa4Pu^a93~!kAJRQ%VnDypA8?2lxfJrlSgc9AkVA_J@P9IKBoq zFa`%>axfkT*KvFdpTQ3J1hz-Vu_xkqH66#x$~e{{jvt0`JT1rZnk|l(p>g~w9>;5^ zI9~F`@is*qzgx#~tvKE~iQ~0V9KYwq@e((VAM$bhP>ti4r#RlZiQ{!(9P1UwFL80a zi4@2EkK+YH9B-|}@zy{b^NdU7nmknF_#HQn7Z`Co4&wL$7RO$Q<K=N2`znqXEOGqa z8OOsrj#v3{{J@UmhkhI{65@Cr7RS>_94{>5c$$dgDKw5B*m1li66c*$Uci5HK|7!* z8#P9v%oWJ#L^V-pD|iPZ-#pYZ5H&AH^?gys1EM?8E;s;t;V?KRixwkK6Iu-^(x<-? z)jp3>x1ik4XeR^~p|Q|D15JS1b~GNOr*V)zO*93$?nj$Ts+|vN{IY0_S#Fe0sBft< zqYQ|m@8<G?!W~V$#q!_l66|%!@J)ifIx4}QIs@)Yuos`7U=Iz0c?tHi|0UQfpCg`| zU=O4v*lWim*wY?OuxEBpusb<7*dO{O*ef`<fc8Ns8JA$syF0<2lb>LB5FOVi*qe7H z*nM{-*gcaH>?!o&ok?CopZn>17U%R%u)ASA&8iaYeizVvDyOCz3A}m7aEPIyG=GaB zEhaLAfP*1j!jL%C`5=7C5c<Hy3@Mr+Q6KC@_oErkO>ltW(B470=}oRRmSHg56xvj_ zk~8GM<OJSTB45Rj&PlM-q%DtPFu}f>g<`O&TVO?kT?Ul^VFt6F4qk-+kaN*MCIfq( zfzd1zoK6OEIdJj43HIFyysN^nrX<)8C-8HP5iuhNS8f@|sOE7w7HemMeJe{v@Kh%7 z+hKy8Rb&Qk7TrZhu8UZuk&LA)*jc4P42Fxeu&`yXF_=ZfGa1a!oV_o>ezYRNp7A?_ zS<XOYWjMe5tpt1i#|id^*BQ<g3HEHtIqMip7r2^X)-#@Nj3AM6Eq$^oo?QAon^k(8 zv9L6*6A5+}F`edBWx(81I4y-6S;%BVaSZ7lhVm+>KShk@^q&|Kr>C;u87#h&=?Bk) z3mMWw3<>I4j*`m~c&W&c79{Ws0z(+VkhU`<8^gGYvYS4qljm@2*fgaK)4h-(aWgsH zHH<?$S*2+(ipw$M)NZWQ7={(kuoz+)Gp~G_$czHN!Y>T%2Ud$Iun<lr9J~PfGO{E_ zc8JB=%*Yr?HY3R)cQ7Ld-8UJGjM;d|Q##Qtm-etg0k&l6Hb&+H>L>7^o6n(R3_6yP zH8H9=a2F500gUWQSi*?7bS0ap@>z1a4Wz?SHr7pSEcQqyd&T)ZL*twv{Zu@{j(>}s zb4zaIK{%J;6*9DY;RYUrUo$+e;hDnlD0{i4rxaMY0R05M;yT=jlKu>nDSMjf^QwfV z-U<3-!3Rn>He9xK$#6Di$#6DH_u6X`x_f6Nba!5!(A~2jp?fHWy5|zQXTFipJ(!=+ zz2UWl?v-N`x@T08e~{4K7oET#A4=#kJE6zigdWQhdMr=qu`!{?o`fC;6MF1V=#eZP z?-Dg^9>PaT?;OJC>+U40zkm$!vD+c_eaJQN!R5{5h!0zTNrw0^DIW_W*T5$Q-*+WY z(!j^BBT}xQq=64cUmh81){2gd9yg`jMhgvcHHVv$201oX4~^w2O*hKtj3`<OSNcoK z8l>&17N=6K7{M7xdd|2<dnWKP+V#ODlr%`G?j0==wDg==dX7@*vy&-^JKI7%Bo}wK zjWiEvu$5lIXRK0x9yG++TKY@kpdnRG4bC?S*|}|f`CL@`jru{V@uVre&^V~RhPHgP z8fCAS)Ri!3i1+D1Ly9jWh`AG&a!EvXj%4SMIfjy<&bH=X$Ph=*l%r>oWe$p5@G=E6 z^6}hC3WyJzk0C>3H%fM+w7yK5%9W~;$q*m%y^9PnOPMf|kI_nsC)$QEZfp*@ZXe_J zZJH2c8yjQW8e<z5!+)ZU;eXS`*b3&w*fO7vu}zM#xzCBQjgPVIjj`>BvE`R=tZR&| z;=UML*~7GXBgR%TDaPixJ%;}-8e_{E8pHo&jj`qIft!H7axbFaGh%Gs>*?$^SV;R3 zF*Zjv#}^O}#n^UIy_P1!V{AqF9HvY6D>1gh&thyTH8Hm0^J8qaW4Qc7Tn0-2rp+pb zavALBJjUty3M!$AZZ~r-<(kLg+ZbLt#Mlln>S(%W7UfGB5tl4`htqE*a=BeG{MTQq zTj_lpRqs*$o$`ys5Tju+@(wbJ#nj2^TVe)1UHLZ3u*Z0A(?2#B(-a%i)H^2kx)`1U zCfb_5-JH^`=ovG)za#0EQ)|_9B;5)PtEMCAmj94dBS~$3{eL!pFwyp!8A_|nxYP`_ zc~+!V#Z;@EnMg}Bqpg`pYb(n)<7;Lptuo_M>u8=CZ@H5T-;$k=_@=~(HvJ;;wqGXN z3O@bM2=QC$S|9V}LxDRqS!%_s-F;rm2u`#Smu3XJ@LBk;+Pih()58+9G{h_oq2&LI z9I@#?Cqr!YPstEl_+v6ewk@)$w-hw;asAq4`Otp;0FH&Fcf?l($k!1dvQCn9B5Q3V zLu7wOG8-wG2{p&1bev-aLs};Au{??$nSL?B94h#J0{Pkk`I>@rtg`t<2GsCZE>2Zi zIZtyNKH@a7eka0fauVN>K<vzaQ2vVlx>-m~M<#XUuWJQ?&)i=^j`V93_|Kis>6alC zr*JLJwZ0~UM${3toPDK!(*iY`@frT-I@<HO>QlMan**lOoJB!>{%ShY!1o5+q9qM{ z$AQP1vz72&3#qh4ooz?|acm{m!1ov|(=U0@prunIr|Q(m(;ngs#4b344Dn-NB^l~$ z`}16~KhK?LOKT#jAB)PTqS8LdJptuU(VISnG$R6~kC6_N8)uVikP<sXN(3p@OeCZ? zYQhO-A~kZ4#L{Sup0P%Awv?Q%JIj}xc}Po{hbG#V$~PnO0F9k!%UQ|SsL?v_dyXRM zPrq)0+gxDy6Z(X1>tf3}ll{aG)ZfjovoIsOV?w0t!PB95lYDyx--aPcXWPwkQ=`nl z_cI*Qb=AO{A8((*F%433-LEBrl+veZiNIH++#Kn8QZ}BI=>9cp*tU}B$jlmsX4dev z7-o%?upb6mHCCcu-yy>+7;<O=;ay!{rp=7`T9wY@<pvc#OP=27{X+vw$QnNx*|?wB z<Upb87#L!+Cy=4ewr6yn;<}NxoP_ZcZJk+?ITLMBu}qIn(;Lf&$gzSU+*ysq4vD@U zW_{I)@?}zPd!&3wR=1M(Y-82q#S!&GwJ=USK|NUyR9~fq%AFd#T{Q&ynBgu75p5r8 zsmU<I=Nf#y%y5H-i~(jauM&J)OTjf7)~TJVG&F2B4_%<a?bA>+#ti#3v{Y#b#cL?t zrXl~3hVmq{^n!-$?Hc^kB=n5X`Sy&^3HOZ9srHP}x%P~3T_SCYMwR_&#UHGA*oxnO z>T~fW5QPKHSiL~wi-rBoa(0aw>$aHn*#TnVpsBcMrZ|7BxNz{)q72(s@D4^bQOMJT zS_Y!#<;XV=x%;Ec70BsCjgja8?0}+d6bhqVknw=%PE_9)rEWov$)d$5YAo6byJ0Wn zc1DL`HORs7Fb*bwoL0C1rN~8VpGSf9s4lrEBWsEFO_1&~t`Qk1_$l((QCmQc9Ie(% z91X|?+6GD|oWtd_ZqPwAw-;sPoLk+Sbr`9BI_G3j#?vEnPUgMKPC`dp^4_(Lg>W}C z9)9nF#zER~v~Z0mf4TT0QF#iU0CmZzJswR4*CnW}6WR*i!Kfw*1r{Ms6KWZVnx!M( zJkdnt?vFCA5g91>sc1d&*iq&R<aDCONEEyr9e^EBl#N1RQ3BcpJ7G8Mg)})ew=>F) zLx*8Clsod?oflF4YTmm&BV@wtPmxTSJt~q(_l%HPW0^LAd1IM4J6I%B?-?O;?-{}5 zWkZW)`VmJNQ$%xn-n+rVymv>6_zeophPki|=(fj3*aHV)KO_&DMME?j=E5>q4jW+) z9EANqL%vsG7QX<@;>#Ll*$%)C*bQmD2hECT4bF<lezLiJRz!37Xn0n{NHa8t=Ss~o zku)h>J1gL=J$qL3@mba9%!<evHOn{4l{kwRAhUW#v>x|9QE?^%(lA>+SG`QVT)k1f zM}1JeU!5$rZB=^*Yp99R;AzruSe@HhgJZD<cYh6;D>PJ9YB-?Yp)ShSuuI(-sUZ~B zuv@)Ty;q&OMT66+VYNEV?7C&3md2`G_iGq$7A}#{Gkuzd3F>j`I-OF_$x_%{G*v@O zv>DDc%Mp#wNjW0t)`I(NTcIWjd74n>3e*^h4!{lwh0!i(8HjxIkh?!R47*`3?1a=U zXf>3rN1jSlG6lJ9Xl%iKY+%ti(F9R@ym+#xt&_O6U0hdGaNoQLPqVnhCtf3}-du3s zQHGLt-_*WuJ8yvNVGP{Z_ia9o_ICcCPzMcg5?Y{<W0Azah<1qR`*vvw<UwKIw~O9} zweViwx3e$o`}XhW!A0bQA%^<z`@Ze}mHd3)jELd|sChT4cmkzf>6>923soz;3kl=l z_bzB06o1pahT!?9;s!H}D_Bo50ovoyWY`Mck~}k%MpLSZ64^EPG?BLq6b;e}-#l{n z05hLo_K%eMql{}r*J?%ZQ}W<W%}c)2rkN|K%6v!j#z^wUC_Q|DbO#iFqlZFa^3Vy* zcaiP{rfMt5Xuq1U7gD#Nyc%tiSEHRAre?LQ${uICZ${6EOlI3NB7>p#j7agTtIO_^ zn02rEzOtJoX5J@m$SLh6v8cs2V_t;!MscxS+;X08M)3>28N&<4_-0%sD*n7JL;PD; zarqtM)XT)hFKUfXeT%sLQS}@%7R~j|NN+6uTw?Kaz8O4IpxHo0k7ckNHo_h_2>T&f zx^VVO|5u`K*%Vt&ePEHedAZm(QS7mcLkUwNa_aL|P2uHjeZl-Gwks<N-2FAwKChuB zN`rL3G2c8h&;_O7r)F5MfgY)2h#F?A=c<>fm#a6b_oxr5_p6h&k8+2G#z?c{%Qb|; zW=Lp$-8L4+!#J1#?eS<bYz6ONR1<{)i;(97Q4?xjj+#=DZ=Pr(@~jc96}^ixS0JYo zHAbS~<;Z<2Iv}M_(GDoGiLy~BERrFWO4D6Z`Vj4e-LMzZq|fX)bQo4Qzb-!x#mqo{ z9E$7cmS+}`>wYnlk>?k2TPJb)wC306MbPiO2s)k@LC^CdQn%3KFz+AY8kx>8PqWl( zunlW|N2)RpiA#LqVuv_ICOu5`k!0D1o>V?WL-pq7*SUXaHq3=(z}ofL2z%fl?1$v$ z*9&)K-zg3jiun;NfiJcxoMQ9#lU?KO*D_EnyUyEBb`ECac>Bo?^Y+WQMs0{?Ct)@c z=B|7D9S|KBtrqz!#q7z61lg$Geko3|W3hPml=4m9ey+tD3a{1RUp}RKdu**&JX<t( zimg3%_mqg@$G!i{2u_J$w`SCvp@s*;-NhU90Yc2}d}Z2MwxyLjCA?;arQWVuGQ(1D zPqU<9X`qjm%&^q+xt7eZw8_wt8J0Gg$IP%ad%GSp!%}xAEtz3y!)7g+Vd*+8sFyld zX~7Ij-9Gay4NF_9v}A^*MPsyNhNVUO%#wzsH9u&{3`<M5X~_&rQ_PW=VQKy$J!Xcb z<w;sH!_uSmS~9~@|1>R`Vd-Qoh|B)+enRLO?j{~DN|&ZR$B8D0tY&9QUNu{se!Kc% zaqCI-adBIoTIRdC?611DW^~_TMqL%^vzJlsUiq$Ak9E&WmfU}bU#{Q1a&zSeW%rkT zXq%v(tZrVe!QEd&#x-UzGz332!+H%KyN2A(8nWXg$Ya`!X~)gjUS-C%PFA^6VpEa0 zeS}wQ+mfYZFBm^nVrrz7^yHTYsW=+uE7vXsz9cP!uU*UFi_<bLhoOAg+G=<g*1=lf zi^_s)`rGUIBDMNna1q2nALzjsq5TBO@ICwphv5e})Sv%#4{rl~g!r<v&<5BD@5t}% z$@=A+mlh1B(9$e#%Y>4}e7mN;b5Suu-+_6TcOLkaU*G!j?WmZq@2kjHh01q?YVCsj z0usL2Q=9Q7gvPoD%-GUAnWHVupX(a~hs@yHp>KJlH@aqOwI+OzGcD5_KX=I+ND_PL z!K|Ze<c$N~%ebmS`YNbT?N@y>$w+y>hibjv$d2S)sePA{4lA^$t{3HJB6C)nXFtRD zk9FkflQ@*#sNtE&;qv|sZ)~8H$fZ~5>5>i49ZFqFNk<*oSHpEAW;Ugd)z~UVn(f~; zFEg=ad!%ni%O|`8;{OY=bmlUeIjcxwT|6%%<u)$GoBH^WxkML8#g4YRek_42;lU`| zSeO9gVKR(^G&ib=LR%s5y-1D)`k-o;XfIkVNi6b9m46zlDii&Hq(Q|aqG(i}Bzj16 zJ=z6ji&5#{qHUr?bO8MGP{~?Rf8<$(+&<AlQ9LSC^^@!Z(b=L%kqsS&`~fI$F3PzH zWp77WD@B*0MroV50tJ^yHc+x&$oU{@*o^9BzV&fZl%YG%74;OIA?hr$i)58D9uVCl zx>+RanIQ|AaRW--BAO$Txu;%)QtCxsv{N3!w#xT4<mn^bR#B*>(l0gaP#;h?9oFD9 zpLe{GTJn5sR=%Ynb*+Y!85*kcG^AgxVZ6F1O+#C>hCojZzMC`@?A8zpo0SO~8Uh*u z(=-In*AN<^p>k9C+nQ7qSxM<vR#N<pm6UvGCC+QD#Iwyxcz;e$=f#aaiS~@}9h2^O zZIffhl#yo4UTVhltIXI`U`F?7iA}m><+u43OR4Q8GxAzRialnl=c<>f^=Z7vM$PxA z532X8llyvGT}MP|$k8eaiCR$ld!mg}%ok;&+BT6isg=gH&8X@n(Tk%0h+YuAB3dGP zUi2Djds4KZ?;_6<SlV|H-$Sw}yLaD3{1Ui`Uji37uY((5JdEzUh+hU56?CG_#pEa8 zZ}<nQA<%b`_r1Q0N<C0OoBqUNDC@h3ul`t6v=Y`(A4_}-*1`I|i*jrbMg2w42mYme z26Q2BC3fz+sCXeP>bodqFbwUxsOe>RiQ|{jM>2eO<~e`-3n$?OgrObUpcO*U0?qIb zG{N8S7yJp05QGM(hdQW*8VEo&_@N4p!!h^+eg_|Tp%N;f9Dai`D1{R6fE!#;3`I}~ z1&|MUkPA7G4Ox&0PRM|CNQ0x03Mt@#Bk(Ky0zbn~@FV;Hhv9oT1j!(4bP&FUZ{Psz zhkfuh?1eqB8@_@s;S2a2cEM+m1UunV*a6$&6W9hH!$+_cw!nw589snb@IGvW4X_^8 z!F#Y4-i0-=8dkyoU?sc*D_}V+gSX)=_%FN(Z@}yD8oUaxz*2Y_UV<0l1^5pvf#=~l zcov?4#qcyNf`#xDJP8Zn378M_;BlA>kHH*x6dr-uFbf`rhu}eY0A|AdFaz#`d*L3K z4tK*{a3|aW)8KZv4W`1aa0^U<$uJ3ShKVo%Zi4Y}BaDL^;CdJfW8gX%4cEdoFbWdk zY8VL#a21Sz;cz7kgDb#*c(@$m;4&BrL*P;v41-`G41oS{3B*D_xET7vMQ|bXff%>| zdc*l}9`u59p(pf!?r;vA4QIib5Dnd+D|CS~pflJZ3L+r_Y|!b<bAJC9PQnQYLp!uV zD}<m0n&BU4g1_M}_!Al-2n|pVbx;d65P)j%Llqo{WAF$34nFWgB~(B;{03!E3MJqH zH@Kh}il7h*ARqD|7jhsQvLF+jkOAqC21g+kQosR6;8*wseukgmNB98_!}o9qlHofz z2;agtZ~*qhKKL5;!XDTSU%{8~1$+*>;4?^qo$x8_fbH-JY=e*CBiIUC;6vC9AHXJf zA2z}USP$#qJy;9x!Wvi&tKfgI65fFoupE}b+wd0r7v6+7;B|NnUWHd+DZC6X!He($ z{0El6^Y9!z3(vq}cp4VLLU;<Egaz;f%!hgKILw8|U=BPAkHBo01rNhR@E|+@GvR)i z0r$bZa1Ts}yWuXl6YhX%a68-vQ{h&)1*X7cm;^V&M3?|K!Fae4#=#A6J&c7ha2<?> zYvCFg1&MGqjD!TZ3P!+ixDtlJ6<|O-Tn=$?84LyfheT}cAQAr?AhxDjvVkK0aXR*^ z{DJb%(y>{8{Sp;hHrahZL)}jrd})NVzE)+*ktH@qW2ArIlA=Ukr?lsm#HRFgG&&lK zuU=wnJJ#yuU%e9ByNQFESI0{3{Z3r5T0E@mb_oTe#hD3m+QW%UY&p9kb9ObnWG20> zB-qsFRHfuvzadgCwjr|cVR2dJ5?ko{$l%{gY=O}lf<6t^m*}yyr?ljlsloY&S!&cU z%$uyy3KeU#R5ne6+w3&&TeE5LK#f+&xKB%ki5d#7)4&vD7?~qAaAE%qI<|tZm)N+3 z1WqT!Zm3w@)wUt^)th>07)A&^E``wJW`39EM~)DRyUT&%?sA~GyBsL)t_MOh^^BQ% z#!Nk9rXI++QVwKXDF-sHlmi)8>VeEIav-yd9LVe<2Qs^uXN=G@M(7zM^o$XDAng%3 zkoJfiNP9#Mq&=bsiqDn<#b?Wb;<M#I@!5KyexMwvA1DXv2g-r^fqKAwz8r9$F9+P` z%K`WKdLVPC9LO9h2Qr7sfy|-iflKwkrF!5}J#eWW2yT}H!R>M&*r0iX<n=d5UVnqu zZ`1m1lKZAg?wcxk{%exwzb3i&F3G)jnYmoRdzW4y5RwCdkQ@kv<Uk;#2dbTNpxP-1 zs-1G6+NlRTyX1gpmmKiyk^`Pydcd6<xJ?d8l!N&{N-6(GGna<>Kbl>4ikx|$_AZHD zpi|%ivm$UoM_DgPy>&{%`(}fN_ss?k@0$%8-q!{*L*L19f*dA9RzITGuu^Kf-!clW z>DrwyG$)h4^Vqffi<)CImp`b@G0Kurr+)_043y;0*bz82ZLrxz+F;801zo#GWiFrw zU&Dg5$XGlrG89jXE>Vk)@)@arMyg%9rCqwE9UiH6c%=TBj&Y~Wm&&yHQd#LSn@cpy z<|&mP^Q8K2(zd>v9INjp*Q@WQ*Gs?IJFn8Sp{z>kP8H-(>`b{(<OWXcNIBa|+wVVJ z-G2Y+`qZaR*QY*px?ZMbohp;FQXTWD{B*sJ-Ky8|Te;5SRDQa>&L}qh=1Pw>=CUfe z-v3u2t^dCYnQ-l0y2u0$OUbJIKlArZJ3VxHs9BevemZ6GP8X!V*wBNK=4m8)4$(Wn zI-+M%VVy>%=VW%X&LPorh~_yYdJfS#hfL3LerKISqD_ca6Ebb$n`ZV#)E2z$r4!n2 z7QF+kGKpT5sO|FjqrTdZL=O<n;gFauezOkzW|o5|tusjU45E1kiJp<Uz&t?Ivg1iJ zwhy(=B+&zb1y%)#R@9ENDoC_%qS-e|M+<A_)ac9$A2XX0wFS{?L8dMEIi$OrXwH?y zT!dt+cPc96StXW4J0V(~kZC6s?^`F6=*dKLXe4?L(K?4r&zWwWGTl65x^=>Iv;Fjr z=F`pA?p&)miC%$dUV%ifK(wwvrdO!$WSv8zO^8+#GHo)`YBAI7bf(qkOtbyWj^;DX z)=o!c))-x_f(JS>I_yYuPDBPvWT8mBuUkp2ZXh{S)^X@fE3x`AAFc%toPH=f<ms&A zF?Kq2=bp~F?CF9$aOLr4_CaEHKr-DrVxCHcbsm|X#DmB@iNrjKL{B1`Cy`huk?Bc1 ztjv>0%#%p;B%*l|iFFd0p2Uu{YGiN9u*|(^Wm+Q}OUlFw`T3<g&WhH_vg4#i_LUW_ zBeJighMi*uJ<eV*$4X+3m89c{IaVsHF37YCigHh-o0-<>Gp)1P8D_P4uI>=CLeDhs zrEeNfq1OG|emeCIIGs;FomO{}oI7HkMxy5s%@atpHPLL!eK4DnXj7uulth~n&8Bi= zq<47+w4#>f8BoeR14__mKr7J-edd!2dFHdCc?o&u(+ZyXtY{tJDNri(DbPx^g+2vZ z71~0c0;McZeG>Jl&q}mHpZcUip86!RWz6xC=&3~WswCQi&7=p2T4tY^XOQRtqIm{M zg}f-z%_WhIV>TtxrbM$TiFQUbms6gz<P@H>%wV?TIZKLcAM-GY9w(X&NIF`W9qCh( zoFh+7R%FLXCQnIb)IQ`X$t-F+HkfV~bE8fFKR=_ZJ8407OGjc=$*#~U-4>e3zUWA- zR&rytio~kQ$+N0RtSVhSZANCcmsQdlnPo>}HRs`?H8N~Xcp|Kw){zCvIx_E@nz1u@ z?8(z3nLa_YH>?^mtzl1CHDp@DfUO!btzo=Y4Vl(#@2J>rmU%!}Ey%P5j{&QO%<T8K zj+(sR%o?_`)rPF&O6HGEE~Gz~i002F68)h=EO<bs#Ne#tH!GnNv&NjaJden{C7ScL zGOaP^Ej2Q4iRQemOl!Cn<C7XPt<iZ)1@o3*&fChg#+<j*$h;*oTdNnDx73*Pwlb}u zf8R8zAdz3YBzgx}i9SVAVLtQfyyXbJnKe3ZtF5`&r5D-d+KZLwe&=L!!*j$;SfP$1 zK65A0X1i`567K+WOUdv$GV`Ez-LcEeT`5mMTC*XtR(=<Ym3ULH;(vx0-(LLBRmHb+ zKjgXAydbGOZAv>Um4Rxi10rJuJJOD)3Tmxq3(d?2vvg@Lo0&;RJQa7`GJWx*E5^*Y zq#R~$wADp2(~euj!`AGIYU@gxojQ$YC#x^(d5Zh6-8w}x?Ve|Evz^?E|C`BC>bQ8v zjhB~d(j&E!S`AL0Ze51Ed}{ZR%i73URw`%7tuzN>W~b`RMU<m@P5l93o=s|9$jsyv z&8+3%v0)w8Oi$O$I<7xB%&x3ddXS$Q=0G&laq_fgt%GLTlV(;=<gAIg${o4PkGx~5 zRw`E@wXR@hQb&b#zGOOQN%TsxeL8-~kXZ-m*u0>udq*XQ&6^-UORVFX>Phmm$ZV;Z zHF$FARmN+jG9WWO-Nagcs!#1mp3u$HG?A0^b&5G?b~wH2_|4SniUPy!s3$#LZ(Twk z8&<6h%xp|{Y6oep)q?$fx)a^a+PCgp&2;N&#%gyANf%x#d9`m|Kz`PCWY#sAo>`+i zL7OvwtG&5Ttovy#tL{E+CqEI*bIpa+2dmzx|1%W5DcZ7Qm&wdd-w1s&rOLXZ>=3h0 z-4WW6yyh|MSbM9T*`th%@ko!7vNTLbGhMNc*>rT7_j6jXEur$QtRoTf1FCTL|5t32 zw`XG8<sGNkQh8@GHt!d4f&K>6ewO5^`fE<!&wBKy_Onu7<44TH1?MEPFYIm4wmmmG z@21hYuF<*gjm}**I``$#xlfPIeQb2@{iAblADuUTbl#}ZdB*6x0i*LS7@c?4=)8!+ zV>O=)zO$*f8Tm6rRw5sOwvNS`G50z%^2tCm;j@uuqJLh<Oy!RZwd^)?e_Y**gJOqQ zFBlYi6&mRrB{@M#znv?E-_Di%&oh4ONy87Xp&_E3T5_7HC8ycB*YNS)3*}4#r<xa9 zd`rbFGpl<(_=A-_(UC1J513V{3s0r|yfN$enPVoy8&`c{Rh`PrKcQsR>K{_F+R9&9 zvZ_y~`p229TKN-AR@+mV`~fGcjz8CAH9VE+A9AuP<<B|g4s3YoMv--j(Q$_HMeuNO zLGz~Kg4Bh@1tUel!%VDs6VfS0HT90-Mn=gkjLN+(swp;#TNTB9i<0$;V)9YUJ4&V; zb(P4RXq5TKqM`;QMzs}3we^j9I5DbfV^qauiBZ+niBWt$E~;Q?_R6S+<%v;6O^H!W z=e70hDnGxwW{&3P_^7V>%XsGFHE(y--^TSfar4Ee{w{95`t-_g<L1lHoD-xuC*&1D z);*+I_eg51*0;PjME-WRzEi3Rk5~Sw!Fumh6RAmks-w!xI$DL~JpgSVl9vxQeeo_; znw+ZPfoj(1W#v(3lixvYp$8=mJ!t0AD)gW>$?R5^Du*P>!AyOFGgIH-%+xnHGtD<R zo!?0_r@ray{7!msey2U?Yge1TsKIi;eA#4^*RnQ!KV6>1Z2A()rY~%<TuXoCVC^R8 zm*zpg9B?}HS`Nwe)h(9Xq3_h{@8Gt)JETqC9a5inhg=}<4(%u>PY&ed$$^|aIgpd5 z2l9T?Gk()Ee$z94GcSEo4g^oif#69w5Im^|G8f2!%ms2FbAcSlT%ZRWPs#zulXAfE zq#STOsR!Ei-yPcZ-yPcZ-yPb`e|HFIR{`xRpj`#bu4+d~SGA+0tJ+c0RqZJ4s_-#6 zQ23Y}D11x~6h5X0yvcIFn=A*s$#TG(tOxWhHk-cff#pDj`If!>5@C}c5H@)xx9JO3 z{_#L+^*snI_3m8lrn-|HsO}`~_4P8=1Nx>kJ5&zvV^mt1KTU1&dyGwfG}!c=U;QT| zdA-uH<4@%@F>`a@pUVGFz3%jm1G?F@z!fwO>*csTHNjn${ZtYU|0MprThf5UBp$#? zJb;thij&&jPU7hxiKm04w!TRZCnh!ZPO93NBu^bl*(;OyKUhgUW+(NSo77`jQjg_H zJvJuw*pt-bU{a6$Nj;L2nqrf3uS?<yB8ex5B%UOac%n&?=Y=Fb|2bCFS|)C}N!&PF zJV8{OEUuX-uHGyjFY+xAd;buBBq|>wF7b&ci;5lM!e_;6MEL{6nTN#VL}_ku>W|_S zk6If#wk8cXzDSa%u%xR<<g>p?JZC0V2TAy^m5i5<jx%2Vk1FHkzZx=L{)44R#>;=J zWW4;hNyf|nxfIEG`8YY_jgs;5KO`A1|M`*e@;@>~GG6{~Bjb&d@yh>h6w7$||C%Bh zFaNWU@$$b4886m`GG3mXllW7#N%Ab6<V;K&exuwhv_k({;0pOOfGgzh0IuK(e}()t zF#bGP>P0AOtZ2MwoM?h*vS_Es;TETK5@+;UVf_s;N^+W<B`3)_a>`byY!yvM-Z_#< zFNY!LCX}@j<;_Le+fn8U<a`j(HN}Bw9UK79D&$^>O8QIYL#x5>LRDp`I#!C)&@L$b zTa<{(7E87b$+dL?I{w|13Ya|KDIwWgk{v>+TTlu8>z}M!F-iYo-3tEx)(ZJcVkmon zWIrR%E25W0FCphmDEk6b&{<?d`6op!qQ6A-q7W*GLZ#)XXamZQmFyjq(^ZOn(eM3G zlUyVFQpx0!UKxgS8!9@C{4$`i&^`n0gp{XIos49Hl&%upfF=V|L+g<1e#A2HN5`b< zPSG6E^@uf+zdVLgdZF=2%^&f=@0OV4K9ZR9ThFAH4Id<>Bqk=MMklVQ+45Q1y(=Cc zu_C?8h!rzNtf-$mV#W2@qgLG5^t5kp+c#}l;#@=Q47i>uxS@H8aPiId*37ZuuO^7U z9WUN6S)4XbT-q2ZVP{a=W(Rvo$<eS`!pHU6@B`mGDShg@OTr$XHd*VlN$IVv;w0}J z32Q1_CH${)r-aulr%QNampG+tv4j<+e@i%0x=q6OrHK-94~P$y^p|kJvr588Zl8n? z-3ukSc8K389w6b%A}t*)8Y87`g?lCZTDU;Me+%!G@I#@_c3<H&Qrfs%e6Zjx30n(# zOYr0$lJH&rLlX8M7H8zmmGF7aO%hVGw@cWRwNk?SnJXj|We$|E+xeh`f_36m8M+`_ zQnyHHS*k9@7pd1vX;<n+5`J;$?3X)qbU!+xr84>Cxe`7*q0@P#t&@~i)?X^&#rnY# zw!7mbd{d}1SYNnLN^ci9Bz#?PM8fL){Sw~Id{e^9>6H>*U?SaHe-`~DVtU<MS*Px; zT&sKQCnD}}_f{s*z4bj2r+06CP4ud0spzGPZ(iH_pRx)GOH$8~@O<zw3D4CT5}qxi z`?amlWYtJmTw5*S>4J|XEXpa6u(0|92~TA|FX73SV-glLW=VLW<z)%;Q*V|qFZ8{H z$6egCwXJir@00LY<NS+nE?wL@$Gb`6qh4mPw)GL$Bnh)qhe(*EhaPU5sqvw*8>I5V zmh}=I2=tJ^p|!2|r*@VwL!`amTh%Q2Jt8*i+Sa?Zhda|7q;Q95n&|eX>m=MJnku?A zP$J=$Hm#Z>IS-Y!tvV{5%|t1(3)i-?o7T4SxLezLqi9?yGg{lKW4u1&3(3cd#)$MX zqb0jmq$@E>vP99<qLHEm(N%sOeZLy*<f0I_b!}_!?1v?sKSF$-s8?2Z32e5ttvy9O zQpY#xo$79ebD9D*-2Sz#XQ%3b&yxI1U5V(1LMe0;brqc<(p9ue78PWZt!<4IMTl%7 zcJkWLzbI`$E6*7cWH^N3X1LM}!_07n8DvM%B;E{{n}Pi=m6w@es2Sv@Q^_Mm!eBED zG6RoKsT^R2{${wu46$ao*bIHmaG@Fcm?6dtvS;a~i-yq2_B-WI)|Us&*zi*OolO-} z+wUAO8|K0?SPmOu4;+O3kPOZcN_R=N4%NJmYGY9LF_e2As*^g;Of<hL120y;sIFOS zhI$Rze`(0QP($4(8a%T!%y+&a=c->+*Q_-|y@u?+G~`~Wq3#n6o>>~4ts2tZW@){K znoSyN`)J5Mt|9k)4Rz)*&jV6QogUhk9xJh?HS2MSc{9!E{LqXw??|k_wd^UgMY*dZ zD|^apTlSQ+?brTvTLj;UVaDnOW~_fi<3@FDjD{K(#7dlRm<JfARg-zYCeBtXsqJGW z^Q)Xz#`zuTeCL~|D*sQKRc>`+CAEF5gifqXI_ao%zG-EwWk<@=b)<aj*$(>iH_k7* zo#^~xwv_6`byv^T8gb*?#r0;L88ep4tTUE7LuP1g3-luM*J(xBNDa;}I>I__rAw5t zytYqAW36z0VFflB&75Db!H9KNTT7X-+)A8ZSV^<nN=g=<I>av1lWW*iB*8mt>UCmS z-`4gang3xTM975~J2xfvd$DjpV!xEJiTyHXCibg;G_jxSiNt=3UGq62s#&Y97nco7 z>{r<}v@fw=d2V9A;@>&%*TjBp*TR&<e$}DGei;wTQOE6EqHs`RzntjAe!jv)w<|IK zliZ#teVAkkqVA~ScMUoH$%D6{!d`MniuKZ{P1O8;V!!U0*A&DQr8i_o6knjB=;rG4 zHOairN}3zA-1NPM)N?fWn>7UTH8}6qFhbq(vxc0nH8hRXP*!e+9UAghX{hL|p`}Pe zb4Af~O&V5cXzHsWJH;$rtReK6h8(k>DsvS6EUj!=QZZSR=0XhxA8V*H$5{V_meNmZ z2+h+_bWg??nxsW)D4wMu|9uVRX7|O}p?|bo<Iqsus3Gg1hN#vmjj0PmshSMpTaC&S z_}<tAzA`p}U)xY<B&wN+8fT;NkoqHXY(+ed68L=$dH+C#&!Uf@d<ZJ>q0*hm(;1C} zVh5@`jMhN@0F-$MWn72a@=)D;RJ|Fcc$$y#;q_y-;%`yoZ1fSN{ejj%#awjqTvYfh zYAr*2D*G6pZKt^%@nP;`{Do!F87O}MY8j8lfu}RlYw&6BW44UZh);YUv+)7%V|-x# zm~8^2c@du(N2RFbR;fFV_yjqUKC=E2{fYQI`7yo}0=3+TGOj~uzoY!+sO$sLCeiz% zji}-=R9B4BeD~B{<9vN8?lD_5SF}vDT(nWNM|4oMUzCjaNhMBqX}(Te^S-z?Mx1?2 zoO_<QPU}50CFj{h0zb1P@SGw+erjptSz4m}+>$6ixFpI?E{XD^Yv54ZSO_ga-Z>~J z*#t<NhaC5!>R9Cb9*u{sQ1_1LInjJkFEkm72cVonR5=~hT_(C1We!B+q_heZ{erx` zrMOQd{Wn#j-@Bl+<5G9lz@hFNXNxw9oFQ>-42M!~K<=X%_Yks|WZV;ou(c0EArA^n zM8QU>yBrlhf_(o$)h{6D8dSFdRT`+mjmnBp$<xSp3rcH2#UCQiOjPg{%3F&vJEPRW zsCG8`{Y+GK2o={MUCW|cHvd4}GEW?65;v?8PY^j0#r5ZD{*dP9ipPs8H;OB?VcA5< zOU@A=Ef*K-Nd@;yo-<UOsn-}MX;YR~zo#x1J4(bUapK7$*Ck?>8?P2+=q1t~kUZrI zb-emE@$Un~4!3xxsA~2g32k{A8dhm=JfxxI91S@`({Hi0HKNdUC{T^OgHiBy<e!F8 zFG7x~sHy=uf0tqqdA~zBpP`EPP??+&9D>|q(UE^q-T~Aub%lGSSSr~FRIm{_e?oyL z&^j0o;~?uq`YoxE4c`qcIvz1r#7ZBJV9kz4Y!$IfaZQxC+9ghLidzPXeXKCn6Ejyx zp3zI(7%2{FUeD?tk8tW)J0uN-#kJ3i4~X0g#k)kMf2-LA$0K%%(zMsK-jeSY<+Ce} zN9+|H7C9D+b32Q(xtqr$xOvATTHDmE>X10)D{-(+T`La#A#S-BTT3utHu-?LA|6gS zU8X#sDkC_$v+b+#>Iv$x>h_TuCaYbSNXS{K&2m<1yPTEUFlVLNGH0bW%~@%-Z9Oh$ z6z7Ul>eXY!)tj~cd~s-=IJ3JrsCiSF<i0z^-UZ@-_E5J^^0Y_Ab)Ce{WX&%YJMPxJ zm*&@Newq3m^>ga^>X~BK6me}JI66vaj+qf=LRjWQU^-Z4!^f><<`T4>&Rj}nOP#qC z&9*Xg-rZ!}ykE)8F*BDpN41`r^CbezmbW^YIUmv1TxQO@rp%moO_@0#OV=J`=21Fx zzCx0j^Vw`>PR`8vmR)8}&dkY~IXN@O%p5aw%*-(}=i3LFId9npa!PH*=c0@}R9TN| z#~|m&D0@4~x(YR|Mk&{$s-q}01O=Z*fo62ngPc2&qYEl~5_$hcsnT=xo2YyPD*X}t zeh#YJi`wE*`$Nbz45fBP#a^i!iSoZj?y;!OA$8ZHs{2rSFXVbg6eF61TB}jpgHnt{ z?E_F<f2q4!vK&-33#IfaZm_j?L!mIrT!DP^P>K_I2czKQXg3^&97%$gqvi}$6NPG@ zM}_l|Hw{(PqS8#{z5=B_iB`i-7z-0%JWPgh5SFXgB_r1*#SQ%90h$eSVHqrkjj#s} z!hT3DZseZ|MD6kFA?lIhmi^-9<>I=}#S=8$C|)h9`cOPxv{h8MOI#T(-Ye4b0m&wd zTsMn%i0VEQ9~R|y7PDefog~h9K=YlN-zjFL@HkQG7BMS|1B=9t#cD3WKO=}_E_jHV zx$sX4%!RLsUM`lo@DB@`G8ev$K_qkG-xWm6g;tE6Z`EKfd?SNM%glv;S`f)xqGT>K zWiEVqf=K4VgO0gS&0P2*1Li``T*#RV4@Ty~zdnd$E<6^Q3y($S!Xu2i;K_Aw+r~m@ z32OctHC3XZ6iaTDYyhg;fhIuhO(^iaC=OM}qVeFn3wh_DibqiSPpE7$D(R07fM*Jl zs})O!h4-R@w^05YC~q#xDMXnAky9=(4$|hKloZh#<dCx*H=w|5(c{S5yE(5t+SXR9 zAv9J);5rS#WDRvkG&p8!sQuL}U8^DUdJTNJl=R~G-3*g8_||F2?X00<rCIs0hLm44 z)DP0oY+l`GcII89mE~7z@cT3r-lw5$lZGa<mnMgn8lTcomZ72W0S)f`8tTv1kn@iQ z-`yHq!!)EH)=)cBL;ZysnvQEI?xG=ZuZ99^D(7e^t&axh`5JPb)8KnvL*qgX&E{BA zZqibbxpb9IDK*WRdhw+Z?H-X^<PsH&ibRE?0#UvwPn0Xl5oL?AM42L|C_|JkN)sIw zrHWES4$%?OucBW>KZ|}sC%uyWDEdKkSoFQ<kSJO7o#>$GThTY71ET$+eWI^LdqsOh zyG37#z7%~S`dqY2^qDA0v{Uq{XoqOK=o8U4(Z`~XL|a8$L?4Pai#`x-61^|lDB2)e zFItCAu8{0K(OM}!CfU29HKNs`Rp{h>lKoG#QuK~U&s|P-LI!j~26RFObV3GnLI!j~ z26RFObV3GnLdJ4J#&SZ&aze&(LdJ4J#&SYNa6&GALN0znE`CBTenPH$Lauv4u6shR zdqS_fOtQB{Z;AdZdQ<d<=ylO+qE|&rMK6n95-kxuFM3Y&tZ0#Fq39{mlcEKpCq(l_ z^F)t}=89y&PRtQKDtbgTTQp1bu;?MtgQ5pSGe!4{W{B<;-6NVVx?6OY=nl~|(e0w! zM7N4=5ls;d6<sPCBpM*PMAT2zS9GB$M$}t$o~Wm&yXb7unWAo@E~3t&C=`~x8<xEr z{#vwGv`4gC^rh$v(dVLFBH6a#B$4dcu<Y2d?1-@Jh_Gyiuxy5~Y=*Gx&amu=u<VGi z?1-@Jh_LL4u<VGiY|OB1i}1T5*%o2h7Gc>IVc8a8*%o2h7Gc>IVc8a8*%o2h7Gc>I zVc8a8*%o2h7Gc>IVc8a8*%skfM6x%+vNyuAH^MK9UJ(69BwHmcTO}-8B`jMd{ETR^ z=xNa+k?fqX?3}RdoUrViu<V?$?3}RdoUrViu<V?$?3}RdoUrViu<V?$?3}RdoUrVi zu<V?$?3}RdoUrViu<V?$?3}PXB*U_O!m@qBvVFp`eZsPR!gq@95Xl}2-!76p6rL)Q zjTDxR6qbz?o-CRqx>+<)G(mKeXuRk~(Kyi!qU%LtMPo$QiAIaA6<s45B}x=sEgC6G z5M3o2AsQ~aQZ!6-g~$-ai!K+%i7pcj6%EmAUfNnFg~5%wV1sn118b9|Za}qeuKqq< z{Y$)mNM)?<zkU@>Qn<L{ZwY-X{*rJ}#h(%`O#M+ppA?UTm=xV=7r1o1z1wy3oFCE+ zd|og~n)IsuMZ&rKQ!}BbsE4S#=p516qO(M2ilQ6m*~h{J7!Q+S9QfvmdZDf0or5Y{ zMLR{)(O#%{L?nHbCy5?HyP#|_D*aouO_YcZKuLe(S%us_(L%HXiU*(~$%@9HLg{-q z6uc$sjq(qPr2oT^Hy7pHgtE7ztd%Hpg=iphK8V&qhKxUTi%2GrdcEi(l;RYnAcu_9 z5$&sPn`>+Dq9HU|L*QBs!AcF)u^LjJ)Zn;ZgTG3Hv%;)w(BS<*L&Yi$Ww&c^kJXU( zjfPgQhT;KcrAI^Ia190K)pI`6Ql?hs-Ipk(0khR})yve*kcM=Z2Hr|Eqw@{(DE}%| zyqbBT&}bC676mI&bu8i+p4B$T{m5U1oE1`RK;92f#VS;GI~wL5i&c5wkhOYI@c@+P zL50Inf%KpA8Oo$sF|Ec`ygJ_}9xxl`!ZKJ68^IYu>8_H^wqfmEuxeOnG^r|ZEm^Qq zj#tNGRqB&uj{A|n3OOs#Fh_$_iiUYVz^Y*tt4LLR9R#V0d625|z9DP%qT&H4&w~nw zqXHSiu$<4ZDwE0qvtceQgXJZg8+VBZYy@Wr$votJ-0FDdfkLBE;93-{K-ID6|8aHZ z0a4fa|99{r+O=?M)2>yqV@vH=ZHsK(bxC)vtlipbJBesn?K0gCZDY$0w8Ik34oA(< zvO^&)Gi)*)aA1((8km7$I5dR;6l#b&`#qlT&rtjQ{qcCb-tW(Rj`#JsVJ81U<hl(t z9YG#_;5vpH-a>V+px_P2KLeG1ih4CmWrDH+RB<WtzK@DXC8WR_@bsX9DntQ%*|z@S zsAmQWhf(|AQ1dvH|8L~FA2l^2&p~C|QN!n`ZWRjNfc#pv<aen5d{mi$N^4Msrj@Nh z-uF?_6~63*6!7$*f+}Q6kdQ_y!<Wq)-zlM~yup~Nw-;0O;$o^^TukMK##H_)3?)I{ ztEk}+S`WOfn5wrGQ~7PYsl1t($~yqWn~ABswV2A^sUhBNOw}8Usd`y4RWB>1>SYB> z{|@nnV=8~(7MfbPZthD>1-2Q|EGbEvBW;%Q9dgfralf1;ZIO0J)gKs7FdipwmCD_6 zw$yO0+*B{`mP(tA)8uth#RGEDa^no+iN<EFtCZ{*icfaO8=w4A$1;kHW=ToX9BH#e zkugQaS<)71hg3a5-YR8F6b(}}yj$wK*M!nEW!6cQ4O2FGqP$9?JRQqgGTNRl2${tE zX3ZCRvuuwEjYkOyDUw!|kRdIT)=1l=oziw`m*nY@3#v?7+u+5B+&We+{zfi2Rb~V! z@G?Y!mmvyz8Db(YLlpHgL{Tq86!kJhQ4jDHdBv*0n|uXc<tyl2zKOhdRn*&jMZL~f z)cbrzz0g<G8+}E+(l>eD=_~4`zM|ghE9$krqTcH(>czgI-s~&#vfD~5984@3Oi-`r zXS^Mbrl?yqMeU*~>K9E>Lo3A(Uli1_`j(7^(Oy~-jV&t&6Gx+o;_sq~k~5--wvEw5 z;GSs0(_0W~;ODg(#`68n(oE^$SLIpK98@=bZo}A^%gQPe34LqP{%#gp2YiD+KVUTs zg%=>cK7TCFf>7f;#MkzZ<?GU=DX4vuv>FA5Bfia_pRV#CzObJUCZQdW1$>|XSjM|F z4Q+wVuobd_Z|mo0yGEem3(;=imjcGxRzQ6&Dm+~}1G&dg-kz_nz+ENiT8guu700JQ z8e{+^X0W1yD#T!vJxd$L(%#JvG>omtI`*VItn(2C%N={)QYPq^LyyYs6*6BdZ6+O> zSiHDzAxB{=*1clIrXyAi-eARwORbpypcTFETd{n)6?>wwC^}#1T5Ed4TUPYXh~`hR zVrd{6Keb}()mH3}vtn<Z72AJf#qgEUe0?;ZYDG_UKG$v0&(F1@>sa*jFQd^aFRv(6 zU3P90-)!_v+(hl0el($OjS0<<n-ILqgo^u2pyHad?MxHO?=Yd~P7{hwus%D>goe*e z@O!P?1QSYwCbXSlLhI!wP+6_B|9lhLe=s5ZiIqEI<?c73$O^7`Cg<5_Lf&*Mx6=gI z0}517=KYI8K~=Dlvp(vXE?tDeS4w|J?e(a69Lj$%SQ%4rGbz{Y(w|VHvW-eL9YLNt z<T{2L-a>h9rOrTgub}pGkY_In-hliwQ0b?rw*mDBQDp*Zy&9DUP{pMvFGs2CP`S$I zeIFH{h>G~Mf9WGv7$*iR6H;IeczTekr5zwxS&?<%klex)#`LxM<BvV5)K3X3yYSc( zni^_p9o5@rn*jrHsP8S*->6inQU|5mq?^$!XxoM6K-GAZ1P5c$OmH7Y4fmnEJZYWu zJ__ebuSzMXD+e{+go-92k3MaGTuMNN(@>>StyiNSeb93W3N%Tpq}8Z;0`iYhb_fbC zL`}~k*Cv$rN93M|%AZGd_oC7?<hm7kE0oeK-fL0uFHrNi-nRawb3GUEy+!HsudR4@ z*kGb=>CdV8*QS%Hc$aBqrRnp_DwHIoldX8S@vF+eFuF|OzC=0hOBA>-QQ*Erf%_5# z?n@N7FHzvW#7sP90{11#abKdqeTf41B?{b^C~#k*z<r6C7%+kR66LrrQQ*Erf%_5y zHzabJafb0SV{S|I0k<Uz3?nOYTk=)q2CF_B*k4S})MtZLpAA-hHrVnXFrS(FY_RIH z!K%*&_7L-#sm}(hJ{xSo>&-+{pAA-hHdqxQr;2Q_ioU@r`UX?<4W{TD5>)gJ2`c&q zM!yNB=o_L%Cwi7v>^4O=p=Y`Y;VVsOuQ#E2oC*04nBcnIgr*}_?wAP;Z<$c{iV4B% zP4Le!q4ZM|Dif?+zy$C6CKO$&z%Q^U6m&!r`jV`n9XmD6B>87Lk_josX~r4G%Zxoe zCKObeK&MPB=(JV#&QQpk77hKkSyPj&snIaYnmES_RkvFoTCuXXzuL-Mk^DcRc@xS1 zKAJa?{7uokiR9-;^CptNRr$)^);-pAD^~XQ9=7sUWWL$a<xC|1w`ktP%HFDIIjqR% z_UPv(lK-pnmA!3GMB}4Y<PSj1^#1D=^QKvm`J&~vBKb7yb1RZJ&6GE7F!s5v^|aj) zUC-QTe!3N_##r%)X-}5_+M3UbmA!pSth^N~dmGnSc`H)C;a1*?%>P()eiNzRb;>h+ zsulaMiRLFq=QEM*o?_*#$o!+DpPR^f{%qx~SlL^7RQbx@o~;u%@NQEYh?Cp)$$hmZ z{k3tLvD5fVxz8idk~))2Xxn8z{lqxO*sQqiL#2}>{-_AItu|gM_n#pboN1=KX#BYG zqsH@%&FbeU$=}Z4z`q!>#InCzvFbK6+jQfHjW3Y-u|yO3yC-sOCm4@3zDaH!FzK)4 znG%2RgaiL7_^V>s->ul%t{kIR&XwD4yj;QEIdKCoQYAGUFE430e*Cl6q-i*&&~TWB z!(Ym3I9{qsrs0@Q!(kc@({PxE!yn2t+%VH{OrYT~4aYlM8jfEAIMYmd(U^wgQyLD> zH#S?Dqof*+FS<7k$3J(OhGQxX$IR1>X*kjs$X3IVqv0?OhiN!W!|^u@113$w@p@KL z!)f(uFs<H-YB*-5;V=!y;%Yc%r{TE#+K{jYxB%Ort4wp0mOV?G|5*0EZH95rfC*W~ zMaxYnOf;c!o(bI(O;};vaIOihkD1Uh)P(j;CTuk>%P_&U(1hK_B_m8&XWTN(glyw2 z#ygDj9VXO=qKVDXtQ7;DChMPIg4>jIw5h}BBuyGU(|DHg9Ql#b0u!n~Y8b9WO!Ji{ z6wSB7U#(!)!5=9o7oTFBW^5`Fzs#i97;iJ)X}sNdSJ_|UQy>j8U>U4|ZLkxz1M|=c zsGv%zRjB0+)H)Uwe}hU+MQxfExC3#{!Q9+q?(MN|?G?DQC+NnWp!<4)ZtDrUt1tVD zxdAhwVxkG2w-pw8-k4a-PYlM&JV{j0eG(Zf=%(g1t}4tVE9m~}H7=E8-Gh<lPKF;O z<UZ;(t|w&OlkwAo+)=Tn!SIKnHx{L7N-1|#uW_{`_l2#<-%aWh?zvcEFjNmNQJ$#j zx})PK3%P$|p26_j=sdb_dW}ErLK)IBX^q4{$NZ(2(yL^hyo+BmZ9*K^Th9vnV^Pm^ z6uuHQk3;znBG>Jx>4;LtP{UiO?iCcg0r_X3(oa!u1FB3=Hh{{t7VrD0=u*^rKB}8k z{90qRCZ2O`BI3$b;o2*#v_eOQWle9IrgYOZr9ZYp`Blms$ifLJs!tCpsIux*{8~lU z!W(<GN8^s6$DUBKb0NQTY^HTS9G$e*OmpxfiVmJcICv1@h-tjs5mPYQVVmLLsOqpK zIXL<`Y%?7kWE}iPC6p~g>miiqu+4JtS1b<O90xy1>9DPH@C?JjBMb*mFdY2wmV<{F z4xV8+c!UA79X!Qw@DKy0ICz8stC?@OgXb3x9$z?kdcm|w4%-fgEz7}^3kMG_V4B0W z#bMj*ux)kNvMCI6myB@mz`|kM?XazI@Pm^M+r*1PU&v({vOnU`k8PozOHD{3No9B} z15`(kW+W<v*Gp81M>RmDcw7TiYyW_wy~4qB2#20rpv#OyVUj$yz@bMS2`P?*G)F>) zBVm~%VT~hUn<HVTBVoHEVV8sManL)&RSx!T2fMa|J=?*K?O?xluv<Gc7?EeGgJX>& zKE)BA=7`U5#4mHiuW`h0bHwj-#BX=Rv$DpM8gl3{#KWT;Jv_?ciBk@}g_7W4ESd@K z!)O-tPeyZ~ZwOikJZZ|&lcpR!Y09Ca5RaR3^tdTUkDJhJ#51QHJ##`+5YL>@TheM& zekS7SQ;wcK<>={Cj-Ed8=_IrRvVf;gIePkprlBpc8MZ<;@boE1PoHx1^eKm@PdPkz z%2ChBR7jmBQzdnqOr_LCGSyNisU_G%jGuh}(#soi+WvwPfXn=boXd=Pl9Z#zNjV8I zR}?=}yxdk=W<t^ZCiK*q&^^|K_I4A(-<uHZH6ie=33XK_RIfC_{k#d4@0gG`&xG=9 z6Ph14q2V(V8t*m1|7#QaFEgQSrwIp7FrnZY6RPG~pM7XTZL9(#!-N#$G~*28WyWia zw;7vt#&0+2U0q8VFsN@W+TY!^l)-|MU?$9h29I<OYO$g4!zd6z-3h2G12z6j(#-zx zsPGDDGHTC~R-wQ!RJ0U%3Q<Q4YQGRwuSb<TknaHM>650S+S8D0Gs^o9D&LFh+EM-* zRN8==pXpl4uN+I1*!*Z7rr;V4GDR{!mxt#l**8S4x~6OC2XniY_Sw+>fv%;sr*<u+ z2~i590kw)>25gF-wp+?i+b!j%?UwS>c1syAT}$~vyQTV7yQO?#fyzZ$&CmDYwya>c zZ3ZO4Oqd08U>!7^i&}=E@B-955%IHP-RxM>Y{butb+cnhQxHEahE^kfRIHob33)uI zV<>8$gm!>7>MKV4dJme0w!l`%2DcX54J)85BiPOE5bS1m2zFDSVD~uhzrBYT3aD=_ z+TZOxWSap4aVQB6#-f?vK8zlIRVrI1ua`o3coy_eMsuKV2wDdX=c1NjD7*j#I#KsT z)TPB6=Sj1Xe*!8@l%}BeP10%<7><gTBaa7l3`Ome&<@A~Uoq+#kfxz6uo<>OHiTTr zt>sHbpyCVBZdl<xq)wBQBvp~&BdL-)2^g!IIt>`Bq6{oaRb^mFsw{^Y)Z304FGmHV zy@#quv{!f!F;={XXm0PJ66#j^;aooVYsuN9TFbpJjV2zr05J|x3Zy{>u=V&gunl&? zcG%@T)b<+d@Lu6P)O?cnP)84|F8xQ)Y5e6IefP$vNNG}rv`ktfZIgCN+ofHI^N?In zWzwtUmN(?qv2yV@a>=Q3o0%TCLut-TCh!D5mNQMP&NQ){X<|9a#BzR#)%his^GmGG zFR`3oVs(CrWi+7hYH0!DBonKXOsq~au{z11OAsfSSe<0h6vRmeX)#VMu{yQH>eLde zQwtxwElol@APYFZ#OnNl)=JaR7T641AsaZ!#Byqh<<t_(NNI>Q=NC*h%=raV8=YB@ z>Z3CYQjK(?jn(NTR;QQP7%wT#BC$G^#OeiYL#$3OvF0QbtFupR%z>M0Cfa5|63m2I zunro|MJ>Zncme93h`N@c#(B~u$UgxUCQ4IK`zGmaX*CKAM@7q#$AdbCqV`E>2V{Y- z81)QD)6f>!3|k=^+*))utbno%RDNd7L@H4KqiqHZ#GxcO7>j0t`!JdX{gcrg=o^C8 zLBqMIWf%&tmKLBuC+ePvx|X5FdD11)Y~-JS3KOL%sC|?4HY&?dN^1!WM@7q#$AdbC zqV`E>2V{Y-81)QDYo%#u3v7n1kPU7vUoryih86Wc(u?&!s@rAir*4<2p^gMHbyVle z)KZ<#Vt$fze*KT^vnU19fYQcOz4$e-4R*qI*wx$}b55V*3PM*u>RXHUcQ<pkfPpxa z1P5c$OmH7Y55Fp{M{O)mJEN-csBZ{b2i#ffl!C$w5VyNJub{4Fh<kCJR}eSAI<H7m z5cl3Xub{wi#2viOD~Nk@ombEf$O2z6;(lM}6|@C5!&b<KkPC5N-A$vS;tSDkSaD9z zXf{VPq2Bi9ZZ)w?E!D&_^;8qfswpm`)cSRIS+(VKO?B1cYAp&;b$N4lpN)5=<bABl z=KiNzl5m-cW(_(aX(_cF4&|NG+)XdZDN>r0AuW^ENZSy<>W<b)J0yP09cKlO+h)K( z97=+Nv1lf^52J@)mCBaM>!na0o(27r(H!U-g4RL9xu|6r3NJu`PH8Xdo`|}%j>dV? zY~-IH#iPPRX$orJB&|k);izai@_10kP}DvN?SQ~aq;mU;QO|%h4Q+v%F0>i8Liw2} z8|ucOd<QBSfr>9gyJ1D(xH?Wwl2ms(PEzgFamK2@8r)bdz+NM%4cKcWwE}&Jy82Py zT4lSDpN|<L=weN*x;${)3+)ww;~Yu@$2(6891l0NjtU&-7#cWEPofk^gA8EX@oQik z?1b&GD{$O*$K1g2#xGffQ?6%x-!9L1+YA_pLrHKj7R?0rVf65;QrR+jy%fsBv!H)6 znge}9&^l;17qtvS;RPtriMl7EE-l_TPnwPV6HsBIGzGP9l2)U@a8$G$c|53NC~BXC zc0d;Ric!yiG!1Qm&9D`+!L3D0Mxf#g(Qa7b8LzIAlO)xSu98$gb(OJdsID?r9qB5G z|J+hgW$7_%iV3PUeTMqhqW#?xC8Og|Z@XuF^ES_T`o=T93g{n{0%?!|Y%qQeFjxFe z*bckAiCkhP(itcTxc*Ay5;Kv`KwNwwuD$Sji7T%}E-@473^WJ0>PqAiGm*|fTw*5D z8Hh{FL^=a;iJ3@eNV5@_n2B_TGzD>qiB=;nF%#(w#3g1Toq@Q-Oym+XkxR@(Is<Wu ziKd|~uo<>OHgI*BNM|6fE)%)BOyue^QJo<tNva*4A*p`q3}e-h_Lo#K8eUS>bUmI( zizBYb5u2yQ5tn_5Tu~<KvNEycqGM0WZ+R2Tlehwuzci*8Z7J7zO6GbKOaJl6(89H+ z7rb8C^;72P6CHc3O!<qa|9_dw{?A8+E2G)V%F4|W{E^Dga_X$r{xs`Pa}BLHZ*cLF zNrS1*hfg0|g5<)sRBLI{Ei09=dD8pBw3Mx2|Ig73iN3IDwV#6faLr1tpjI++P!b%B zMKi&C^zf^s7&-EKDU^q2LH}el2l|Gfb-+c}N=6RiqH8512XW=Kl97WN=Si~>S6(X_ zInorwl^0r#xaeBR$U$6mtz_gNF1l87(Y2C`u9b`=gHhPJ?F*b3R;)}kdNQ1OLm zH>`k=t7fH!kDMf_iVPn~mDKPtRyDOR8>^y>B}r9fEJ>;?!wBu~mMBY1Uvdq<#$L0M z5md919hXT*oHZ-ib5RPUK?bn;_%*N%cEWbpb$8D%hE{gpUADUC#JexE(uFInh%d7~ z8l1(N(3r)%$jTkClS5`66SYu5$6&JPPTLF^h(k$mFc!@O_hB>(`X{3~&^H9FgNAca z%P<sPfC8PUdm`#uh8pKdvyp!SDom87p!QADY7`ibik2gf2XzcZ?UT?B$O2z6>KTxx zp)If(wn8?zwP?u*v>R4HSw_*Fv^?71U391VQ>H@dPnjyIKV>SVUX!VodQFS5F?RW) zJLwpd0%^c%<Ed2q8rTLqVLR;Vzr?l<8qP(5PP7AxmZQF~30Wk4#i(ZhZGpylsB0PW zc+ghJhTY(wfL6c^=opIHC!v;Ms4r|ncme62X{d3wnX2{9i`lo2btteph0t*lJgSif z;^ZXhV5~e-avzpwNxd!d9I1b@+}GHDNlg8r{!3^Dlmcmx0hBv_4Qzv*upMXxZfFtT zYII4=u+m$xQP~asmz?ZA?br(23>b(*NpLV0%>?&hGz<DCqdCww1g(RHb5YAM6kdP= zov3>v>RN^x=Sj1Xe*!8@l%}BeP10%<7><gTBaa7l3`Ome&<@A~Uoq+#kfxz6uo<>O zHn_ED$p}<@A=(Wqpe*Cq3N@)rUDTv9wNaDG55H<$MmcF;NwuSWCDo4siuQL)Y@XqE zYz0Sz{AW8;dFL9j;tVU~|G|nbzZExIA#aEk55`*2eb|b#tT4w4eQqnZ46|Z=bm_L} zY%Z5Iz2H_Ww*AA3Rd-pjaGDkU)2-Ms)QWwhqp{J7-7i|PBHM~hTchzRD<0{zVsmso z2l}kM_cvDDe@v0rrl#(^NVc+8-TBv6Q+Iy7+nQ|EU9W<zyj6GJBwJZicit|Wy7LvF zrtbV(Zggp@?yS_*ofpTZ?!1sSb>~g6sXPC8YwFH#pqn!D-J+)Mtk=|?XzI?t37fj} zjiILQ{Gz(4JJHmge-buz=l|@Z>#^$2n`Kk?VK%Go>}M){e2Q_Jafb0S<2A<HjCUGu zH{K<)@0n0gW#v|x(DH@}tz%6n{>FroQ%z{IJ`3ETT-D{S`=;1tAV#!t!Cy_7X*|og z>UI<6823*$p>K!@<>#BFxIrXqTPHP~E4K`j!wcj<r`$bJ?ph`{&XfHU<ibSbDRTQJ z<JEFtxLmYc_ITuup>q2qd54rG`HJP90pn@%7OC(~;~V9pXBnR+yHpMSuvY$Yw7gl` zDrHM<v&E7TN*7-!@0M0b^{M#cd8#bCuiVvdJir;+B#uWDeQV7;n%K#4Ug1)+B|<c( zt&ua^yQ%p!t+aE76(1>7?h)^C`7$efY^L3Gbiv@PgQ)|L6)&{SC|*bpN(FzFXG*iA zIa1Z_a{pwxZ;1TxtH$dwy~i5XLBqMIWf%%CK!HxwJrQ*+LyhyK*~mWu6(&kkQ2Qon zH3|$zMaz-LgF1$y_DN_5WPz_3^$bYU&=x4XQ@RlyJqx)gF#Usm9E~=^R>%goR$MXy z6<>&U!wRTREncWbHfBE3nu)+17tf1np~!@WLnZ{eOz224p}Nt8-k=Gg^G%>>n4hM> zC9x)yC77ThaR^8IyNefwx6yEFe)<b}k0W{u`;v+mHlOy$(3*QsKXCo&g)3X?{x|=> zITrM^1f9lTR$kiqSo0*lCcuj8qA@!fw?t#d&}f2x|F`CJFOMbyozcXKXymIRtXcTl z04uRO8u{i4YeM(LXo4>yu%>uC(Zr5u^c6=FTceRLpRi`-OA@TajA)z{jY-isCmLr) zV?lB>aU><0xVX|am})pQm@4{WFcms~Fjd_+m|8!W$afB=0$qctyjQJMS<%~}*9Mb? z?N+Mv!|;Rydk3e!{c&sDPwBy=nPuP4xu4cj`r*%O`FY9G58ob~x90HR3~XedJK9Dy zhku@#^x({)hkjad=%N2vE?PJ~{;6=J2ba={TjQLz8BVULoVFw<=R&7#rjzR_C%5rX zwhXOz+GaVqv~t?!IJvNL+SWPQyPfRZPWEjlyS9@(+sTgYWWR>lPWEaiJ2gykvP;8i z<{R#0e|EAvJK39=Hpyw*;k0Er*^`~@$S}=m+v2oscG|W&ZP}EAxl2Yk*+reU-A>yI zr>>Y#5>QkQO+aCF2$Co+UXNx0CFYO?l$nF8lby}Uz6JwMo_#pmE1cX#IrX^T$wR7N zO22S&3U$V(IOEft@fpteWzP6D&iHN4_?^!9?augJ&V&?aLYgxn!<n$mnXty0u+5pU z)0wc{nZQS$9w(Qs#8pmS!#H^f<Kz{LlNT^fUcWf`qX6fTf`ajLgL^pc2KTU&2lw!H zaSyGDc)PfVwnV&L+(T<3-Y)K;EfMbz_t0{P_lJ9Ub-0IDhkIx_#H+(Syfxgz;ZM2| z9X$)>JCJLRv=IF`8f}KHkPRgx&~8`(GlF{#Jg(AUm4~1b5mY9EN<~n)2r3ytWh1C` z1eK4V5)vpQrj%IaB&ehW%8FH51<FfMi3ut*L8Vrp+yn}ZDK@6ySVbpLcuesz70~dI zlcbr_EQxi|_o%BsnDZDjB4)%%(!p4HrsO^>&yxBl%X6f@A@VwjmccX(=1nlBbuf*C zX&X$_$g^eI2lG}~o+9&JSY9pjW*F0Wn6|?-9p>#Y-XUd4v>vAM<Z1F2X|uFd%9eOn zjA<EMe4)HsS|Np8a($}Yc&c2OhfRYiB$<q93ALOinYPfLWpZj0?NTPFRkT|X)UbGe zx6Hd~-1URp{1D!+BA07@<=PzkmYgD`Ng0wFEq;x(P1-4Kmv%MprMD#BKj0*Z_YZic z#QO)#D+kOg2h1x6%qs`HS>p8u<{gMUP2M7{lXwAxd4Ym?gMzaqUddqI$za~8U|y== z9TG2SFmGru?_}gDGVf9_FKy)6GVf{R)iUpPaF)b78N5Q;D(yz<1rt<39obA!71awS zm`bYsP0mzP9YBr_ka-`qm*z&iXW6TkmQ$oODMM1R<JU;rq@B`sX;-j`@!h0>-J}uS z#JFqHfNNr;HED!4X=pYvCYv<Yn>5IqG`gD@g-r~?CdOcshF}w;u8DoDsm~Q`(!fG9 zrCHLPU{mE)LB5{$y3$+YVrIm}oHxd(r$x!|Vb4*;71F^txvr*pk7CVmxzraIbKD*m z(_alWWBM*M;plYDLq7bS70hbLvmSi##OTM39VTBFG{NgKVNvp;<e5sDnO-23F{Y=| z1gkjYgNu^e=9@_+!%Qf;hoC8Ez?oy(CYs<~mmHo#N(DS+Of(!jY;xv<Q%s3Y8Po8k znO5Ixg15p1H&yRH8DisN`a)1QMxXSRLRq>MmUu2!F1h;ksyKz!(OmK6B(h;8JPZrQ z)K4Sa2$#ZSnBqE1t=l)H;cF|V_f080A-(Vfqso8kBPOL=Gn>?uj-3CQMq~G#7ss~% z0^QZ~4b(yv_|r|G-QFVSgx|mg>RcSwY!^g3qWi_TnC_R-yI)c#nnc0xl<3GYpZuHj zqv_oW^Wa}`d?#UCOgl~0-dA5X=Dg(KwrEm~WTvURtOOf1i59xaN(}#b{_vdW#4y`4 zpEego6ATnHp^*l)60awR?vAD#wnh^)u=(((PeRGb!NCthbEBVDPlzTe(~{MyW)bhz z(S$~hnNpCF{8Ks9_3f(7e#nPBI0a(jVvaRIvl$8+O2-(y$7&m%U)22dF*iv#O1+L= zlWql#;-lAizs7%tzl>>%C(MQ<_!BVLk6r~=g4uEK*JiOqru;T8W)>lCjEa6VF8yen z{}1VYy0MK$ZmXjGn_o><kC0Zk5^5qQlu~GN8nXnp(v}N!RvR6z-KXvTG2w5lV0KXQ z!G+3q<X9h9#aU6Kx$Qid2o%4S@zna2#u7d+x$e!u#9L#cY3&_+reR62s%0fi%}CP2 zxcOC8l!SFmAkpxg$u~T&jgqgw&IG!eOx;f#s5{Y2P|q{HfKF7nIW9&ct!22@+Cpcw z45fS>!;;yWNe)IG%b3ug;W?IEw8W%UWF~2EQ<#*jgBK~)LE)=pMivR}1q$<{d9^)x z4G%(eWROyK6V%uWFC|k2CFWa!wl|H=q@NS?pYn68V67nhmt-1RlP^y`@RCW<<BW9m z1e2RNyeKS)ZlKAZtj1x|5qh3rH7$w87m|<ECPypSVAV#=%}4dER%kPwsR?tFqYYve zJ9@<B6OAr{hM<Bq7)fQByapYa(sxYI*dyolB^PvCsZUHeaFYqz_xPBhiB0DbZb?3B z>YuLu3;zJeJ913yCq0lJ9telhHPY2T;mH4)@-0)^;Rt*KriH_Y)2$4v(L^oEP8;Sh z8D0wxb7)qhhp!pKzJ@7L_!?%{G<qTYmvk#INm-5^I#h%&*DwonTn}HyFw>YK5#8uz z=6p$>o{D}#3xzpd=*$zoh*g<r##i{FF=~tOMLH2QQ?O=#M~;a;(v@S>Sqj^tok?2l zPbke#E{s)5MbY82`2a=HxrT%l(wh&2*fE;vndW`qGKYlbFG%i!Phm$~40}fNt7h|N zm(-|gq99FvvqvagXmZ*e$muvo2-7Eo`bHB}CUWX^0*!ctcGf67;v1vUM9_K(8g_(` z^_jZ<NJ(5w5@9*(IC5uP%)xWvy!3<TX@4^b9S{!w5@_dxC+bjq@Wk@d<n)6ldN-zf zHx}HIu2oqB{-9<U+_?_g;$j*Zf{i_<p&NTTa;$7soE5clU5+#|bac{bd_FE_U0h5< zwT^OF7Z(cmC+mPjO3gt~b0}~yCcI^3IO~zo(Nclkl%V4hL4#Joj7%jMjS8XUlHuCV zm7Ze-MwoIJC2MCgDQnD-)X-3%{|IUjf+|ALSRv?IMu8ohpd$i7hf9Kv@(PR0u4bj8 zTV-02Rc`I)d{on!?B_g0O6O66I+@^OG!x3KHSRW<XhBOxn4E?Ib9mY16&|nxI{>)@ z^e~}_J&C|b!8(X5(1QwzI--!!xtQP@Pbh)|9XTfMCH)nA3EDj4xgj^*1hv56uF~)U znGdag`jADHeIMR~=ivFe+A)jLkqYsA`v1-UF)l{!Sl?%sComIM5!J97_Vv`Vz8o0e z^=0WM=;K?`*#-J0MdO7`VcgVT1J}AAKZQUq*K2iu(w<wdEwR(qUse@o;zgv##>HgE z#pvpo;?e4O@MLC^8apPTlP(Ee;1aZ_DMYU?NotTPFfIwYs3GV?M9{b-MAxMw2)X71 z$<Y*t1?Aam3DiivPs-ZGNNCV0^yn08B{axLso@l8BL!-&K#djtl+0<$T2-`uIu!6p zbm7nqCZ~bQ#OTR~l<qnR8j1wYD>{=X#g+a=$=c%vGdh$hZPn6ye{wVxU7*OSk&e2| zRdi1BdC3P}PTpa1Rv8yX%NM;LVJ@x^b@Eh-9wumL*466JQCAH$=E$cIEtk24;fCq! zbV>U|9mfgNTh@h4-5RoQnB%m<Wy#u|w6BJGpbc0?O%h5rofu-b3EgEnnxJka=m4WI zT2&@t9a~7yUC~+8OH9!IqQEYr;55}CrLH2>bqr2WpD-cX?xfV<1V61t@Xi{X(R+Tf zZW5TLvry<Rs|X!ARza)ctf&?W-KA^b&>cYIg>Ff=0<)N``S3<QpyPGr9=bk#FkBx! z-*1VFsU2qy-?ihk&(w~IiwRQlAmds0AiDC`fC)~I<J-@HYSysjnk&*xVD#5qpapAA zgA;(kR5L<*7S>)zaIu1#5$V=P=}b6JgQ8|cM~;~^l=LvO#4tY5H6K|kXwA%8y%9Kp zRKMQ%t~|#3pc+Lth-UIC(l7fj!7l-Ar>3n=&^oaOR&|0JBk&5W(Dg`w!&Km(kQVJ) zB|^zoHwRMq;9j%OD@?X>Q%wIbL3=TQj*QNJujxuAX-6h#P%8M6&(m?kN=8@1#J-=_ z6dnA`piv*VC5|tf2f9mZ^8bNhuVaWws5eYPSA$j}KmGqs&`SJ&P|HNGApL*n$g$Q$ zWNqo%rF7=;U&#%>?sH8-$1s!7?UPBUiY8$llT1=0+$6H2QH^XSc+ZI@bhhzd$qlTv zMkOwo85hGjr}9I125561RnnQxw@Dp@b&pKYLIjO{0-b~@5Z1K|fmLB`#J8y<$E;!= z>G@-H0wSoR2^wy``BiZ~KHM4?Q@#fnojMF~PAjd{K+!Xn(n@U~>)Kd>%TNNxT&y!b zK_i%;-G-n&fS@KNs3QnE7ZY^HLs01y?y$n|t-wyfMD<T;WxBO(4Q;cAd=7fL@F`_q z)X83FdOd+D8Lr}C9d8J_v?Zw32|Dr;bPGVBWw1HAmc)=A5*On=3=BlCPZx|{U%J=# zznAr9LeZ1yMNdYL1l|M8#RaII7<u;r<x|zX+f@v#<DK^-_}EPNc#Ix~kkL~Ng6`P~ z8m|OhJ}H=|QY7jxGI<?|$kou(1XbU=8K|{)qsFbd;_RNEuIp2;1GvEPKA7H^WfD}` z`!Bc}W~u$W7X!`Wy(ry#ky^ydkk)9_J>7wq(@jVwc{ebIbe=kJBm537i;F2*4lnkd zC6CdSIYE6~^rF_T9yKi#SdkuBajYO+*XKn~>cFcrU5**BIp%PXWA=GWd2`HRJI9Ph zoeFh5rpv#gbF@;=U2wPR>R~_hB)~*-{Pj#sw{q#8iT~SCg{Q>D=sZx!uqdQ&)#C*{ z=><KmMd=#pbp0aju8S5amA<I*)AY(uqkT&Dz~$+xEvZH2=cg|!r-3v?H9obw6x^bo zDY(T9GJ<MPh@PLLsYNPy!7Y|`94)xTyVqLcZ)6zb1vAFz^hV&QsGE0E8p8xiRd5wt z0g2`w#kvaB^RNPQvsW;j6ej~Kn)Pc9IvKDpnz+M6U5k;mCTb@nV=6<iE+aG{C0PfO z0-DPGBOHf5=+~&lI_eSLGS)L9GA$I9p!)~~b047uW0{~E0|J}H8rTHw3<}SipmRMr z9VG}lM-sA(wF{EbC?%*f35(2?APIE=!QDd;y=pEUCfvtNagU9u*Bk_nLj;W{cNn;g zaksz`sDYqqSvLn#jS1Hx4KUZDd(CpLhe-buZh`SIA>D*=B+rIlThB^eV@aPJ7qgF6 z+xG(;R}uCNKtGr9>)JASY+GXvew;k`h-bI;Nj$&P6H8j%JhG$`#|o0Q8}L+4b>|6^ zMkhfz9!c;-w_#iK>5C3~;V*!-9bsH?OQHw73Ky85V;(uJfuM_jmLR2;CeXy#n`(mE zmRtd2ha;+Py|_HGhAEd)ZKKUo7+q*lxZsuMB13Ie{SIf|`+&7@BGy5TpvC=vEn6M9 zvpt2gNl3>C--9}QM~`V9`bEQ?HL&Bo8MBb{`<pRKj9XS(;iw74-<eQyh6!yOO$gj$ z!V(TCZ^rQbJtiDAq4+x!O3pB$ZKDZ+drW9qscp6Jc=OGe;_u{=Gvv07a^N0$es~>T zXuQO@Wu+C4no#_m2_<Kk(6-Tpz&$3+55H}em6w<_%PP}y)cS<83ZF!ML^oY3zR9;7 zHKF)B6H3l7p>3lHfqP7t@2zA0g~m&wuK#Hz`izw*c#n(;N0LpItt9&tHS4}liyJSA z`k#Y~n|#YrYqI<CmW^$8W?o`aCzEPfsbuKr&&k%GlgDQKPr5fqruaL}-uD}lC1)tv z*#2|!Tg@Jw{H>Y2ZKLLKH#0q&Y$6%B$1M5d&&lIICx7@Ud2oo<x3F&td#%Qh6&Xd* z#L;Mikz`Go-=p!e(0GY)%gVt}5N(j7)`X)y(FuWvw7rMX{I-*{wDEk;TGPt>+@LkU zjutnW1RtpEreK~o2b1&L)|qk3F9@1Av2Wb`VpUp+iiuiz#W_3$Bd#@}ZP|Q}#!uTa zzO2K<7Av%lCD*cY(O_w#iQ?~~iIOv-iMEZ=MBpBisL0aB^ovMwBya2-r_g@VU@UZ4 z`3epoI$D{_VG_DJ=)d3G*Y&iHIaZ(pWKU>J{|hGQ#(<oT2j*qX7~OGn3^T{u_C9kI z<sr0={RDHSJ$A$#ypLXOj#vtlIpz_j^x5k;Hjva65y8BNxY|6qBBxUgLB|&ba{^R? z107+7v93hOSQk$u^h|}IbASRTY=w)Hqtok3%mm%{GCg|hODc4ec~eJ9hh~N8Cg>bb zPIV^eGMb>Hvx2#<;?;&WM$q+o+c|jwJeoHc@j8-oP*r73LPa$RtFR`?5!^)UwFPtQ zAZezk04AXeGfoK#oD%ecjc}}4R~RHHhqXE@t!k3e%MyYbkigAa^z8sCT@y2nNBEpb zNJQI)lp00BdLBS3bfcM|8&7i41*;R1_2x$t5|Y(5q;#oE&>1m&eDFlTb8Sx0JXs!m z*38pltEfEPi9T@ViSIF0L}#lh=7ANB#feGxHH3A>W(?_UML9TIxrU_cv|CpSUMPkG zPy`+*go5<C0<E{s4g1sU@(Fq1f_<<TIEU70mao7GU&3z41<tc|yWn%!37^5IumiZx zuiI`ebO;*e1m5iF$%2*oIiu^V0Vd}FJzdAps@n=515H-<A$$Pb&D6aQo8dh(U<l@+ z*?W3-WnNh^#XQ4$Z;aOTo_TbsFwx|6X-7`iNCaIU)op@zA<NvX5i}YIrpN?yyFp%K zo1mAI(OP7U@#ZD#I*rL@jak+jIs4ab(4|82*QStMAaML6Z=TN)v<E2sv??;X4C5KD z>k$IaHAa|XSSj5%2JVfHWfI!433^dL(C$KL_@fExUUJ$y3EBeNBE=BH=8Zj36)&x% zcq`21haNF<72@?-#~G3;P03Il&~#JBe#|oly&xdySqMS5l{~Fuzf!}HV$ar-3GXbk za8XLK?nw&=AMBIRg$b9}dfcLGYPx{S)OLm(p>CrI8XRf?#;$9K*#uXNOLSx%HS))y z5Cb+CGHT@UAK^Is00Ynueb5U%&<)>1Cq&>o_!c^#9gYF(J>CYb&;ns-h9)=yhv6GI z2#rt=br6DD2to~1Lje3x1(o1~awvmR@Io;hfFkffArycc^1ucAU@v?Pd*CZ@!k4fc za^VZu1)sxC_zXUU9k3lffvxZ{d;}kk8re%3dnsQpW$Uc~%GFD`dMQ^gW$L9oy_BW< zkMIYW0l$Z<U^-k0iEss64!?uTU>Zz?-@>JE30w>p!4#Mbli)(Q0Dc4K!+CJ-sF5A_ zKr-A7cfp--2iy*~!9U<uxCL&8zr#&%Bm52i3OB&@Fc+?aYvCH01Al=(!)%xZS3?r~ z31$NI?V!FL)VG8Bc2M6A>f1qmJE(65_3fa(9n`mj`gTy?4(i)MeLJXc2lefsz8%!J zgZg$*-wx{AL47-@ZwK}5puQc{w?p+k2PQ%SOn~t)4t@=1!&z`9oB^l9SQrDR!LQ&{ zI0fu58sgz(I0;6<FX0z(BE-Q75DOz=#Hf)+W55POMvZLy5st$TFaZ6~2ffe(-OvT! zLnlPwJNOnlpdF6EQD}o!Xn`;^LlYbU_M<lTqqakE5E`KY>Y)xoPzyn*foceVf7Hm< z&tWHg2A{$X*bbjS4rIeN*a{!RNAMwh09)XFcn>ziCdh(!VI#Z)8(=-G0|%^yx8W^# z6W)L|@H(u9RgeiQ;Wc;_R=_LpGQ0#Y!g5#!8Snx;56{7~uoRwwr{TYl4o|^<;7M2l zi{S})eALL6S#UKZ!Jl9z{1N^DGvN1d6-<XKArY>C%i(u$8BBwz@LRYPE`f{TBA5b` zVG>*j7r<}ed^iuzg>zscB)|k1598q1a5kI;XTlk9I*f%ea2osyPK8sz4x=F+PKJ|U z6#No?0VhHnoB**fa@5FX`k|SAXr>>U>4#?ep_zVYrXQN=hi3ZW$fNLYSOg2<5m*2Z z!$a^OJOKB@e3%FSf;9Li+y|*}@2HUt2cZ!fpdRWV1ho(xHL~tF`~U;c4}H)JJ<ttZ z@cpQfA=)iOyM<`C5N#Hsy+X8Ch_(vRP9fSTMEitjn-J|1qD?}yNr?6c(H0@vB1Bt+ zXp0bS5uz<ZBVafTgBTbxYGf_tsii!%l%<xk)KZRG%27)hY9sJ1w8K$ogBECpCO8a- zfcn-_*IMdYOFe6AAOL=-gbFB!GAMy!D1t(8Lq51*AAAj8!IzLbYGgI*tESzmS!Z=M zu-<CcTU`aLyV?h=znb+|v;OK*U>nt5U^~?ZfNfQKfbCTm0NbqI4{WzO57>4!+pgXV zY`=OBP=;zJP>$-|pt5`cyWn%!37^5IumiTkCy)c#uno4t$D>9D&IbA|a3;`qfzyHh z3ygu&;8$=eoC0<j4e>yK22KL{H1JEHUjy`OfPM|oum1aCKFkBgqdyH8kN*3B@#tqf z`cvQ@NQS%NF1Qo!fZO3V_y^nyx4_Ntcen{|gujg%Sw*{4(JocAOBL->MY~kdE>*Nk z741?*yHwFGRkTYL?NUX%RM9R~v`ZE3QboH|(JocAOBL->MY~kdE>$1FhwuSxf%oA( z*bJK>3*Lo|@D6N%^{@^cuom8ix8O~91J=Onuo_lDCai?l;8j=wufWUj61)h@VHsq= z3-CNV2hYM%cm|$^|3W%E1^<C3VF@gTC*bi>BP$t4m9$qS?Nv#8RnlISv{xnVRY`kQ z(q5IcS0(LLNqbe&UKNXAAv^*L;9+<O9vn5YycJp?49(C4N8m7g1Bc)sG(rQ^Lmh;m z7J^U%)erzbR6!;9paROF3`(H{yig1Wpa?vpMwX3(U&GmO7MuxZ!09j+#=vRtD>xNS z0XvL_csLnOf>H2GU@VuN2yt)%#KK4z0mES!422l5!H`iSOMisp@B<7$KlDK_^guUs z!S~P!5%><ig$`(kV{jDOfVM57{fj<>Phkgahfg2}vSAx+g^%GQ_z)PcMU2-X#%mGd zwTSUr#CR=YycWF+8{r+;0PA5LIAATj4R67l@CK}b*I_lRf=pNmufeOZ0$zca;iXX{ z3;3*n&kFdgfX@o}tbor7^x2ERST0~J7ciC!7|R8W<pRcX0b{vfDLeyD!+#+io`V0t zlduF9!xQj0JO+=#zhMz9ghyZjJPZ%PgYW>{5A$Ij{0q|HpKu?f!o8zLx~rfPd{6=9 zPzI$?0$wPF15gAWD1-uV!+ywzJaEB2*b8679{38J@FnbqT=)WZ!RJ6<yXk8;eeI^N z-SoBl6Uc#V*alnSWB3T@Yd3xErmx-fwVS?n)7NhL+D%`(>1#KA?WV8Y^tGG5cGK5x z`r1ujyXk8;eeI^N-SoAazIM~sZu;6yU%TmRH~s0RKi%}FoBnjupKkioO@F%S&wT2V zPhIk<OFnhUr!M)_C7-(FQ<r?|l22XosY^a}$)_&))Fq#~<WrY?>XJ`g@~KNcb;+kL z`P3z!y5v)reCm=<UGk|*K6S~bF8S0YpSt8zmpu9`k3P$z&+_QAJo+q;KFg!e^60ZX z`Yew=%cIZo=(9Y^pGW!gD1RR1&sz@5AOl{2=SPin(LOHP$3^?NXdf5t<Dz|Bw2zDS zanU|5+Q&uvxM&|2?c<_-T(pmi^}ATVi}kx$zl-&|Sig()yI8+V>wgZO1;)FJ@$O>0 zyBO~-#=DF0?)ncr2}@uxJOPixWAG^ad(_B*6Cf5w!Uz}+!(b@HfDML>8rlCN9ETrZ z0Q#X1dZ7opp$oo;PKdyF@GW#eI~;?f&<3s00%2%AlV=wY12!0PCeJS52k3)d=z(tN zg72XdBJdq_Ksy|RHfV(w2m|Xr-ULVBFnj}t;2<<YJ=8%6YM}<IApm};f=ci~1(ZW6 zlz<lwfCmbp0Nk)2@*xjgun+da*RTh^0w;V4yCE08fL-u8?1azYQ`iC9;S<P#Y}f`{ z;bZs+K7<co3%n2S!DiS5S@14wgm+*AtcP{rfVJ>8yajK<8?Xjmht;qOGGQgW2Cu>j zcm-aDm*7QM1{v@IJP*&ov#=DNfv4fWkPc75f8a@20*m1ZcpM&sN8#VF2o}O4umB#0 zhu}eY0PctRFc1C(X>cE;!o83J_dqh-4R^tva0lEDx52G&3)~EUhnwI=_#6BcZh-4y zE?fuK!Zk1l{sMo7*)R*Ph9vkC%!EI}A7BRj9<GAva3v(d6>vHH4laXfFcp3am%=4* zF<b;wU@}aC3*iFz4V(|>!MSh_OoRlO0OMgC{2I=Nv*1iP15SsrFa}P8U%{zx3XFz$ zI2lfYQSeLn1)K<Ra00}_NEiXbVHgaB7_h;RGe`dLBOHexU;z4|4|<^ox}gichfavV zcknHAKsy|RqtFJe&;ns-h9)=yhv6GI1P7rJ8lWEPAOy7#gc_)Z0QjK_D!~U8P!45K z3MJr$VmJUr;DJIY05|N1e8>YA?1R1VHSB?}zzJW%Zpei%U>AH2JK;0<6n4ON_ylqw z8@9n#_!vHd58(sY0`J3nuo*VNyRZ@7feo-8)`0`o!rSl`ya}(vYFGuCumWCzm*FLN z5thR;$bc8%d3X+<g{ANeJPrSaba)E>1502rJOPixWAG^a8y3Mrcmx)}!|)J12oJ#h zFdyc@zaS0%3HL!N+zTmi4<y6ga2MPOcfjp%8~g)qg<Ife_&eMLH^SfGuW$og4|Cx< zxE8K~Iq(<wGt7ora5W^spI|2Z5&i%(;P-G<d12MC^3zC7hbtiwu7JzocW@a@gQ@Ua zxD+ngjxL6aU<yozNpK-t0O!NGFcBueI5->5gwtUR{Ho`k(3`5mDQziM!cHb0PJ&;; ziEsjpgyAq0V!#GN&Kx=LBOHexU;z4|4|<^ox}gichfavVcknHAKsy|RqtFJe&;ns- zh9)=yhv6GI1P7rJ8lWEPAOy7#gc_)Z0QjK_D!~U8P!45K3MJr$VmJUr;DJIY05|N1 ze8>YA?1R1VHSB?}zzJW%Zpei%U>AH2JK;0<6m|eTH}DDMKsIcHt?)5?1Ruf&um#?S z_h2(@f-HC!Ho`lw0oKDhaKKu48{UF9;SE>=uk#a)uD~b3vlPSoT0T|uofkaY_wY}t z1xi(Ku;%fmDd#!U%2geUPJOTP)4)t?2~vL=T-v0~^0h<tY2m50!xRI@<k}%}uuQJ* zkxNWD{EsQ!aD^P0ARqXRN$1FQ&l#UrKUvZLbnqO-+L3bQALa0!CjGoz^HiWhu__om zUvZHuxB5*b!gtC3r~S_;7Jn}Xe`S23T$3s{?361%t-D3B`dTacs+Fs?$$|UjinVg# zFXhnfa`6kY$80=!T<L~C$kl(A>l5Xg`(*FEa%iR8(kGX_E7zMYC|;^`u-NyOqIZMr z|F22E;(yV#&*X>IELN<{mID*zf-_9IN)G;D(sNDvRoOpU_W0#uv$jgpxc(KIQajwt zbCTTfnn|0|xlNmd?$(s*cw@6{P)qIezbw<mF^b;b$|d6qPf-l5^8ZIM_<HRK#rm+E zccz)9E$nO9B3G(h`|=(#?Yyt<4gZUN4T*jJ#ojLzt1k@vRWYnK-se;Mu|@wfMekRE zYfa3RgJ*kG_kF=<gDU$z|H)Pf8m1{1zC&)fM6PR*E0bjRujRn@>Mj#2gR0-YyjHo? zBNwI1!3*R-zVZG#jiG(Paq<C;t9`)?xn`d1H`6ONnCZU>sLl7ao@;VTO#1h7!&P$a zxWKGvoT6A~<_m<B_OFsnGu3MV?hCv()|MOiM7vaO)lsC;kekn@a|6^px0(T$8`y=y zG*oWzC8Y|He?-j(!AVN|JIL_L4bpzOJ_d4bH7$}GT-8mHa~tTv-0(k@VzlPE0yU=+ zs+v%c&dl{^Dy8M~=%d{F$58`qlv_f#=2mN&BFz`L6nV~c(O9_$XuaIP0d;Dw`)pLL z<!i?^Oebhp%ni6v-Sa5;oTP2~pG2N=6j1S7RHo_~$iG@*{N#2oL~a#3xEz(;jRH5I zx;4l%7WtQ24fbc!+81*JUZi~^H~19NxX#s4B{wivQtRe5Dy2&KRV2UWtDmktEZ6@m zs-BH%$7ulO=BcvPvyfK>EcrDGYAMq}LH4`chN+tNf>M_&waT}i;Q9mw7=O7n4U*c+ z`z~s@rtV=ATCX7l+EDd>QHU{=>r;DI#v;$bv9`=0ZIqeM<}!64&eU-^Ge9jf>lhxH zfvb_9B4h??mC~nqtS>XL4SCCyVh77?xDt7Mn)aopU57NHGu2?3c?(eeRj4!z1t*~D z-z!BkW$FN%Swg2~=KT%@XqwE1-v!f^{tW3zkQt^znSqZ`>v^c!l$FC~X5BbtFGe*_ zpkO?zV8mtyPm*ZN%n;p@>CaF$6V)duI~wUYmZ`&7rkXNSZJSxHRFReq>_kDjEYnZR zXEt1he2+-wsHz8PH_OysmKhwc)IQ|egDUCCOxIUPJ)NmTNalg3QT-oLKr0CBKn49s zyHsYq>h6CIc`7ySM-&L6I#nT1fc%WmOzjn!;k!}&&8U2Cl^U{0<tnT}eiglp{XDbo zA1IiNLTX{13o~m}MX%|*U8L$qBEOo}`+!nv^U7bLz$=>eGOBnR>9Cd=dJ2`#tzo2R zdhSAgZ8W%QCobKHS|1&2OVvP5Eo?wKI;3ikOx>?+h;g4<Nu^VZUqt0^AU_?IT1~-H zD?Ua=e@B7csD2U3`v#SoX%(b&rb#V4i0T<_si91y^G<4jL6xd=Pio*(>0RWf0;y$H z$|j*o#!zahiV<+3;AtpK`=kawm#){e11R)gWdo@CGE}rcJ(pTC4pnT{)H%i4Y@kSc zLTcX0D0~|#9Hp#g^U)otg*Mcn)B&wfXOvVoBP2EdI#hQQRb-<gnlv^15DKVXUR6Cf zTB7Mwt6EV&D-GwP!WdM4HOjjc`A_b=N$C+N$dFF0R;&2vu2feZs?+v#$V&|?8`z4p zH>TFcDw~VK$*A=)<X?z<YURAMQNX8ZC-)>0s{F{O4d^J7+LDTNDU_<?O{zv>YRf#e zadkJUU>8jdsBStUruyDMy6i~J`!x!vB$c1~`Uoxay47ecpK1DE&<xNJPMrf<VcoNc zx!HqKi<U|nTh()_TaGl5(4j6h?+g@hAXlLjKA@g<g*!?VI5efY_M!%r)mMfBbK0g6 zD&9wVEvQx9q$`wE9mrE_BB=ZVX*&w6l{%64ZAtyoGOzrvgdO0^LfSD>>oq)rs>c>3 zR2YxOQGG9}(J1otpw^pF_(o2{d)G-bCGE++y=}YX@_DlMXWw4!%f7udrf;wIXg)ka z);`TFw1{tSHCy!U)fvmTSG&1yues*kt9{(J*UM<}?bUgejj*r#_L_^yz5eT!){f7z zzm;9hvW^12z0`ycSITNK(&@5V%ePmD2Z}>evFIzZ8jBUrF;hM^u9wwdzP;M9eS6i* zzP<VMlW%X`iLx4vLYZv^UsSsMI+@n<?X7u7*3sIxS7#|^Tq2k5l=Dk#rt_UWDDXAP z8-i-SLVTO`biT(2%>bVhHH=5i%C@(l&NZ5L7pl^<+Tkd0AIj1s%{vFmzChj`$fH!7 z59K@1EU4d%>Rv+G(EJ!GKMfVJF20rsr9c{Fz%pQ)d`<OqzNUIQUsF9jepk(OzTJ8{ zU(VL^f%^qp+pQ+7GcHXtq4hBng0Gm67jHuNdlTBnnoz&kgvL`$IFf5ZzQY99i6(@< zGU3?UCUoVP;I1=am2uC23HfCv<Xve(mNjj)2{Vl67*~xqVWx50E)!-MC&}kLUD$5o zQ_)y+B$^047)>-etwc-8fxXWy9o=xdbPK9KCKW0Bxb$yjXGs?*d#7}<v|Y+Z^)E}y zm0ch`r0k!i+0uF`UFwk9QG?m!B4x)*V>GQ$+V|YjdG3di|4~#YHD8DVv8a57QVFQy zZz%5?)bt(-zKc2!q3XGs_D|%y9{HDOn%2@c1m*2VU1iTLeWdg8!V^s>W>IntGp#^L z$Q^jfgr?~x6kYxtKYbSTyl6t<-@4u>(fN31z?z(8LhF@;ytRH>fKWcxghJ{>uJvBR z{$MF3iV5C*;2D$iZzLSKEAMVXUOu8oSC?&hPQNpTQXma7U>U4|ZLkw)`S@MWElu!5 z&=I#%y`HBDHG4F{V}hr*=U3zkSDCGaZqsJoL`~YR=PeWVb$IeL>1O25MtM%9=$M#Z zIxD7NPZ!NgnG63;D7pfLXwjIOk*M?W=7pgo{}X<O37L+Kh1Z%yf!5Lac)?elYOv17 zD?V)BVG{l=g*1KV?J<Qnn2>js2_c^eb!?T-^4>6^{uL9N&o`mwViP<snNUbwnA7Jm zp<$v4&HpmN{j3SCw5nFdK+yJPm{5PF3HkejX(Mc*^X0Mx+3lC}opRqVWY;>m{z<vg zB^P}mx6GDXcgaao!y$Qw)cAlrOX>~E-B-&qC70R4dL=9VEg$(t_D_`a0&+)+Ty?u# z-6+2*&5`&vJe<dbVW!~xP%j1N*LYd&FjH{8-<g8*EzuO5?~bP6!%V@4nS%4J(iEJZ z@}=PXF0rJ7^TpMY3eLAtODZ^D5lzAQd0<HeA7-QAd|@;N=j)*<IA1bN!H1cG^F`AX zoUfs#;KNM8hpFJhRB(Rln1VAO6ZDOIY4Oa;_wl9ib$n@j8($h<#+Sx-@ul%qd}(|W zUm9Nzm&TV{qPG8{0!owMc^$R9gj&x+#cil$3~HlP34yy<YJOk%6v9F)EHR<;v|yT! zZNapY`+prwYi+EWyV#bsm^0I2+lfTqU5jm77V}Fti*0@Pl4yNwF<&YNV;6HqTg=Ie z`3e(}a!RysT5Q{~nBUD|T41;qQ;vkcd$BEhu`P7jVtyhAe!1A@IeD?|7+dkg65m~H zTep~Rykj|H#RKqnmh6PRT8&aG7TfYXi}^A@xP|Q{Ew&wHJ^l$0PyR;or>R6FPE@Kq zP05lGi}?n|#e9n;*qHB5<~vLCk=V_&g%GpYw(lD#)y7P!fLzI9&ZLWN{gk??ezC23 z$>Ny4gvBxCY5SXG(tH~~48)=SOHp5`<VJI#YCOt6Q*xqN&^BMX16AFMlHf>+bdQvb z8rP$PTJ^zLWfw~a&`c=M90hkvcOmy-rRGZKp}be6Q&9hH(#@!C0xEmSgtiN;v_k)6 zeVB#%hM-EVsk#vbx)#4(c4YC}g>~{3i{GYS3y(q@v_cDnp&6P?D<3mv9$K6^F!NyM z!cF$ZC+A)O_Re3}J5RKC#@Rbhuy@AVJ4f0(N7y@u+dGHZJBQjkW9*$ad*={)<VSnt zxIOZNJu+aA^xGqS_DHWi(qoTw+aq1}$oKY0r#%v}N4~R1zO_d>?2&eR<d{8j)E;TG zM_TQX7JDRYk2KpOP4>tUd*rY^@{K)m$R0Upk2KmN4faUAJyK_ngzS-8dn9O&)Yv1{ z_DH}U@!KO+_DH2Y;<HC8?2&SNq|6>EwMR<q5wAT`Y>ynUM~dtbk3CXoj}+J=ZhK_E zJ(6#a<k=%Gdt{$IvezE@+8)_sk9=j1IPH-y?UCK~NUlBdg*~#%9{JoJ*=dh_W{-So zkL<8Vw%a40*dsaiNVYw)%^ulmk9=&8d}NP&Xpekgk8H6=-nU2Ivqv`DBb)4zEPLc# zdt{?M@{T>S!5&#}kF2vt9QMdsd*p3<<Sl#TO?%`Gdt{A0^13~;+8$YDk7U{-EA5fj z?2%XPkrnpHEB46C_Q*^2$cy&Ka(iT%J(6LMykL(!Z;w1@k34ISEVW0Tu}7Y^NB(P% zq}wA;+5aC`Zvx+BvHkyB8kMS5aL_8au_+mg3nGiSAp0(|h@zlSEsCX<MFm_gS40#S zihA|Bptvg_dc77wG+u2(n=~mjO}eC{ZCKhg>5}J3o+P9$zt1_7;`jf5z3zE`&df8< z%sFS~NuT!C5_wugo)VGuBC<|I){4lJBJzZYJT4+@L}ayytP+uxB2pkCkBLaWh^!Ei zJP~<RM3#%lBO>y!h%6J4ToHLlL>?5891&S6B1=T%0TH=hL>7z4A`!VyMD7)lg(7l~ zh}<nA3q<5D5t%O{^F(B>h|Cd@J4Ix+h}<C}vqWU3h|Ca?=^`>sM5c<!6cL#$B9la9 zqKHfok?|rjPDE}Ok+C9jn~2;hBDaXh%_1^JL~at1(IPTRL`I6p2obqaM23sV4I(m3 zM6MT+>qO*Q5xGW0hKfkGh+HiqQbf!mGDJkK5|JxKWUz<~5|M!-GC)N7i^vrsa=D0H zCL))L$R#4uPel5P$i*UZk%(l8$b}+ufr#`G5g{Vyi%4$~=_MlPiO9Jkk|`qRh{)L@ za+Zi>h)7QnIa5T=5RubG#3Ul=BGN-d(nRDmq5mcHKZX8>(0><tm(Y_!KPmKt(Bndn z3EdESROk_*>q6Ir9u|71&^v_QF7!5`hlCy!daKX_LT?dzv(Qfn{kYJN3H_+h{X%aN zdZW-Agzgji5uw)$-7EAuq1Ot%M(EW-_XyoB^eUmdgkCB1!$LnK^a`Onh3*h~xzO!G zw+X#W=%qqGD0HjPON3r5^xuU3tI+=^^k0N-5&F+U|4HZvg#M$@_X~ZW(0>s6UZEEW z{d=MRSLojf{XatgR_NadeUH$;7W!_X?-Ke>p?@XxFNOYv&_5UYXF~r}=${DvW1)W} z^c_O~Q0N~BeY?=#7y5fbe^==52>stee_QBp3H@I}e^cmh2>o@TZxec<(6<WxHKD&M z^jC!bve35({UxElDD=%je?jP*g#NtHHwyhZq5o6p8-)H3p+771XN3N=(4P|edZDiq z`dXnsDfB0V{<zTB2z|BCR|$Qk&<lkAn9%cuzC!4ELVr}~%Z2`k&>t51GNI=R{UM=0 zDD)hmFBSR{p+6w>`-Q$(=!=AYpV03W`a+@KBlNq4zCh@A34OlM=LvnT(B}yKPNB~h z`W-@_CG?p>pCR<=LZ2q|sY0J3^vOb>B=m_wpCI({LLVpe+l4+>=(h>|R-xY_^qYk~ zM(8&QeYDU=34Nr{M+p5!p$`}O4MHC#^y`IwozSlp`ZYoyD)eljUoCVgbhFTh2>mLd zUn%s#LLVgbfkGc3^!`G>Lg<$Z{W76nD)dW)-cRU#g?_QnFA{o|&@UAF1w!v5bRqQf zh2C4}y@Y<A(9acmrqIt3`q@H1OXwLw?<w>%g?@(6PZzpL=;=c5A@nq%pC+`wg!ZS< z{t(*lLhBM*QfMcImJnK8XfdG~LW>G5A~aoSn$W^R>l9jt(AtI8CbW>yf<kK*T0m$m zLTeV<385Vq+A*OW6`EgYO+srFT7%GhLOUX~dZBrRRwuMtq16bjT4)}jxrJ6GG?&mS zg?3nIhlExkG^fxULMs=VU1&C;l?km>Xa|L66<UeViiP%@(0&!#|Ah97&@4jxS!h2A z?SRmJ6xx2F?GxG$Lfb2}BB6aRwEqh2JE8qYXx|F$8=>tH+SfwcEwo)i+bOiKg!ZM- zz7X2yLi<c;p9<|0p?xg0kA${EXdepg1EFmf+WSI#PiXH7?H!^0TWD_!?Jc4GOK5Kj z?G2&5F0^ezD-_yRp}i)wSB3V9&|VhW7NNZ)v=@c8S!gc^ZIjTR7urUlJtwq(3T=bX z{votyh4zflo)+3uLR&AibwXP!v?qo3gwP%r+8Uv)7TPMItrS{;&>j<7zR*?(El+5V z3T?U29ueBZLR%)ZT%kQAv<HQjBebPLTOzavgm%Bs77J~W(C!o3y+T_kw0nehx6l>{ z?Jl9s7ur0b%@x`lq1`F8*+RQRXtRViQ)n}UHeG1bgf>-ZQ-n5IXp@9CQD_r{HeP7s zgm$~o#tQ8=q1`I9TZDGA(8dVuCZUZM+9;uo6xs-(-6*u-Lc2j|!-RId(5@5OwL-f_ zXhVgTEwrnJCWU4e+7O{#CA2GrHdttbgf>uU1BBLJXjcgBa-m%&v`d9{iO~89t?yL4 zG*0>zD7k%P+FxhEGGIMnrjcpQFTys%UVv>HnO628>;u?#*!!^eMy9o6Z2Ot8GhnB~ za9_0(=75!tOlzuzd0=i>70d;zgdK(*f>pq3VAU|(*O-9CVKJBii^3u>9j3wN!{))} z!sfv4gw2NCf%_kX<-nH0mcSl>-H&UZ!ajk04Etzg+Tm7M0M-I)hMj;NhaH0*9hp`! z0X7~s4u-l^jD_7cGR?6C_7V(raiA^^)Ww0iIG%@X#J#z&hhPuFa$tzViS?X2V5prF zwR56&PSnnc+LdFTa?DeXdCD=5eG%+F*uAiYuzO&4!xoH8vkBPwu->p<u=8-wK-d6S zf7lhU%VC$nE`?nJ>xX;OV5edHU$8%6f53i+b&X7`+X?#$_9g5K*ypg%V4uQ1fqgtO zt@ahz%P{0#i`;7wb1h=7Ma;E`xh5aB0+xsIh@%d1)FF;K#8HPh>JUdA;;3nYHNqNT zKG>0wX@S>Zm^*;E1DHF2xdWIxfVl&hJAk?dUWFls7M!6LoS_z+p%$E>7M!6LoS_z+ zp=K|v4u-Q9z}f+<9l+WFtR2AGfxfVdF&5{f1?Qw?7HlSL25dTP8f@ywv?I9p2<|<C zdynAWBe?en?mdEgy*PhfoIh_E)(Pu?wZqzABVi+8H^PRGOsiiBD}X(Q_J^<!VB2Bu z!`_3vJ2I^Vxs~9|lspIfCu{@knUQJ5cn*q@YcX;yMy|zw!TyB(0s9@+1xt=hbCtnL zVFzJW*oCkQV0~aXD=wTB7tV^S*T}TW#jr)N`(XFN7Q%40T!_Ji7+i?Kg%~RL!G3`4 zg%!cRhy8bCniVly5wrCj*uP<K!)}A!3cCe%Gi(g(L0ArKDQpR>AFMA7^|M|C%Yq?J zE8?tcfca$X2^o7_#@5K#Y8hK4V=HB>K*k=Ev3wa@A!B(m_Na_4m$64=>|q&OCS$oW z_K=J{C}TM?wp7NJ$k+oicE5}*ma#=LcAt#hD`N{~>>e4rTgDd1*j+L<U&iLi*jyQ# zBV%{U*lZcQL&j#w*i0FlA!E~JY?_Qsm9Z%@Hd)3d$=F00n;>K3Wo(>`-7aHeW$ZQ? zyH&<+k+GX)Y>bTEBx9pxY?O?Rl(7*qcB709m$4gUY?zE)FJsrq*tIftjf@SIv1}Q; zTE?V|nPqH<j9n#TSIXF685<;H17&Q0jP;kXD`f0)8M{ozE|sxMWUQZz^_8)UW$Ypu z%aXARW$XeO>my@A#?F_q-ZIup#?F(mb7d@3#?Fzkvt{fo8OxBdo-%f(jGZB4r^}d0 z#?oc1hm57k*lE)EOB#Pl;}2>4E{!f}B&Bgu8VPB{r4f^cA&sasBGS;Mp-CewjZSHF zNTXdEZPExyBPfklX#}LvB8_HgoRG$GX&jTrQEB+4(IkyVX*5W~CygW0sF#LU8g<gB zl}3#;s-@wPhFcm{(r`(mQW}S)aYz~!(r`+{A&qir*rj2UMwv89rEyRiR%w(-qgWch zN#j>({7)LcNW&tHpQZ7WG!97PM``Sr#y)BMAdS7!D3Zqa()h15zLUm(r17mZzLCZr zX?!h>-O|`4jh)i?N*Z5E;|pngE{)Hm@u@UEk;cc;_(&Q%r17CNK9I(CX}m9u_oVTz zG~SWMzoqfEG~SZNzohY|G~STL>(baJjY4T`mBwq*cvTv&NaJN`Y>~!G(s)rCo2BuB zG&V`&d1-8v#&gp6r!+Q5;~&y^RvOPp<7sI;C5`pcSSO9O(s)uDPe|i&X{?dPYH6&J z#!6`vNaHbS<V$0PH1eeJs5F*K;}K~*ERAK-$d$%J(s)oBInr1vjV01}KpOW;W3e<A zN#j0g+$)WR(zr(&cS~b|H13kdd}+*+#$0L4k;a|Um@SPvq%lhxGo>*@8q=jQO&U|B zF-01ar7=kw6Qwah8snugP8zpMW2`i8lg6#mxJ4Q_OJj^QZj#1mX^fJ_NNJ3a#*NY# zE{z+cF-#iQOXE6eTq})hq%l+)+0wXL8d4f&X$+CZRnoXp8iS=VNE!pBF+dvqrE!Hc zE|<n-(zsL_mq??ZH2O;8Vrg6?jVx(gD2)rG(MK9W8s|%+w={Z5<2-4cD~(KPoFk31 zrE!)tGNjQ{8fQx53~8J$4U;s|rO`tgY0@}NM*ou0KV|d}8U0;GyJR#eqbFrFA)|2_ zjmfAXqfr@+$fz!(nv8~Jv{ObqWVBsI+hjD9pB8vGA3qJv$B$g|@dMX<{Gc@-KVi*J z`yd}bQq9MYNb~Wt+I;*JHa~4EMwQh0(V0^@5F_`K-*ntJBtOm7PCa%<ewwqmb7+1V zS>pj}`SbGAT6X5AHC&8Qm*(S#!1?%DYd(H-n~xs_qiv>E-BIfIuOL<qqH8{LddE|A zfyKY#l&td~=sTK5aSvq1O*ES3syj;buOL<qO3luFn4d>r1y-!Vqd+x}e+37%LQPRQ zh)Mzeh@2}2QEk8yG|GRZY0H0930r^8PqR*gS$G^xQ8|cmXgaP21g9vi97Ht*k7M9% zR2R>o{Iu%F^V4v5^6mVz3HfQ0^3#rD?uwV;mrc#bKiWd$+EBa79q59Kj@|G|ZqH8} zhx&KH{X9QyH7&av9hEzPvgtGwPW5HjE-d0Xf%x8sT>={myBoLR*1D%LsP1X3U-vX7 zt$P|_xm%NmnV1plEhkcsv$*=Y{ItiAS=Yp2Emt321obwjoZ%^bW^Srq=>{dqGq^W- zM#IdMQ$7=SC(kHf#?pS))2z)eDJ`Exy5W0*eJV?!gBrV);836uT}kw{60NI<rFVnR z(D-N6ZO`!dXVh)a@NLiVZO`y+&+u)}sM~JH@9|Z7cyGS_<Fvz*@<+_dulgkVU-}t* z#k0X3X&w(rIIeV);}A91Iu705zgN|NfldqHZU;Q&ZLhI(R6|Oi;#TQX+-h2nu5vqF zUH}yP2n~Fx@nQJM*LifPo~1k;T}_jye>34l9#~!p-(Cn*k4Y|pv}UkWeFs1G51_OF z@IS}BO;eOiW;whCS3ENTM_uw|^6lJTx}GKZijqyZ()b_1H3)Ej#J%=w;3u8H;i*8m zhkMIC^*1_d(Dqo>sPEx7j0M`S0Bj!v_7gzkqd@ZYP<>q{oZxaE?T^5>ZDhac8QXJc zdCmf=egGP&jM0zzqU+yuX(9WbyIGp4f^{zdZd$)_Yce$%iQ@neXafAt@q*Q3SUlw{ zZrYkgs+HSA-g3ZmHeYI*Tz77ga&MZFa*FHGO1{WflP{IK*eO0j_dNo%y#&NI0A8E_ zpODh0)EXbLRPAG_9*HZ-PXXTzfah-R^(<s*OY_`=&c@Se%x8dYqw0SJez}MJ@^bjm zk5&I@_=l&lU$U2X%0>ZH?FVen6DW|Xz2s4rRYgE+PasJPwWYCmtUQDLzisED)BfL( zm!v59D#_PP-zRCNrl*0n#X!kLP3u^=JdRrUjo-1~QNugZnAa_|1&w(;d-4?}w3&Q< zZCl~lsiut^frg1~3!=2U4HMh@N8e$`_Ik>(x1=0@2ajpZNbN~$hG$lCJ_eK1c|Dwt zPC^*ncX61?RpFtR$JpM+nB+phZvdTV09~WpLzDNile}ArYSmxMt@@i-TIpDJjcPrU z#XXeU_1{<h(o9j*f1fl?xt-UY>O1Aywxs%OlxqF=_NG+Z-qbKP<(_if3%SStlKuDQ zyD&W2?S$^J(<esg9`9<F4$7kb`_eV38LBKP$GtGMK&z?lDDNjZ9UcsCd${TQ;PQiY zaQ#t&4&ZTI+IemBJa#)xpQMzZuHf>zfAX}!<(;O^K77ep+nJtnJ55awrG^)uopNel z<1L^YYG30m2rjQb9(|YNRj$flfU`FGZYd=bTuyE|J(pOp7bN=LZ$XyEZ&{pbndX;D zvh02y*7iv9b2uegHu@;*_#-8Jwd0TE*7p7#uk!`(N_%t4?Pv?Nq+Hv-s&8kvB<s}J zlB`o>OR`Rl#R}bHTfgl19dovRS#lwy^Yr9auRZ0|)A8v%oez2E>GoY{Rb1LFyE_i5 z_HG+J)VQ$QPJ2*sY4R2&x28rUZ%vIz-pV67+FSpH5gk#_35bI}29k4Vhmv!67n5^> zCT{VDB<JvUB<JvEB<Ix9!%UxP^`ptbXPR=*!+S(M>@<GILQh!JI>aRs`}_AALAZ|K zGP86Zphm^Z#9^+<qx$z6&U8)gSc~La4$ti0D{P8s_;`XB9fBJthAw1Y!0dzLn++R! zQ~zG^Pi6sqVgKphYbU;*UF`_<?^RYzw67xu3z=<1r^f6IK860*m{X#2;7^Ip^|T~| z-Cp8LOgM?Ig!ZSHx{fwHy52rJdM9%>KDDo?&vy++t`$u{upaXqDMOgSBkjxa1?CCz z>z*LL!cTsMpZu!9@6vb(-4X3$ABM!AA*xu^I#uUWTvg}On%;r5iuHEldxWaN#J253 zXNYLu#{Mzl@@9LPo1BumntlCyJwS-AQjKeB_FKpI?*)k`@d^J?&HlC2W~aMnSa;8` z?w;Y@J;S?uHg)%G>h4*4YS3C9<;_t`k@A=iYWAzU$e|w3ofO%@W}+HXGlgTlLERaJ z(zy6Xlzh!kNS;tNnAo<R=nN6<+t@!w<mAa2?5G5sV_9rp!MCB5gKb}6cTcA_hz<}v zgHQg^fx|I4c${#IaFpODV6zfS5^J#LQet9>{SNYpi6zbh<P#H1+&jr94(?hHI647) z8+l=%{x`y}K-W6Jw+av9R5};QsdO#|cf1T#9s+`g0p|}uVmdIwMq$~ukyN_zB;)qt z?RW$E7@y%+;=H|w6NJe-F-zdDnxCD>oV4aBc{VGa3=JRGpAgG*>MPS}T~ES+8Nd&j zA22a5dfsPZUij}a-(mini48&j4y+<^!uwLzGaaP}AcrO&yea+*xRx0h3D^0x`+nTg z4-c)U-&*iJ_FD&06s?0O`}B|r_gBMek_n`R$$gu#_Xz6H?R3}<-A-r0i?ib8Q*mev z_l}|7;63CA?;+p!qFblK?|aeDPe%MhY8~Q-$Ge~XF+_XP9S*-&Wpkq_-M&Bgx9`?F zu<`b!zxD4?%2%UOe(3*>@`pMa|Go#U25byI?*hlv$4cOs`e3={WIYak7j|$A9?dEE z$lCzL$DXYQeV4#44OXG|pF~@&>w5GwIv&G&Pm7wUk^X&0H@2s-<vKd-jV&%JYh#Og zP8wVINoj1sv+}dUMfL6Wsp7bM```V_SN*{wqb@(#R`Wkc221&$N}@{Im7Gx0sH8!O zPstG$M^7bZDmg>R=}JsW(v|d3lBVP|mh!)p{GsG`C0$CAN=_;{uH=}Kqe}crnlAV6 z=Tu0L3QN0^6G|GC_*figDmg>R=}JsW(v+OWf&h84q>__L5=!DqVoD4p5hc13O-Wcu zr;-jOZAwB)f=XJI1eCNWX;yMv$uT8ImH3r34Zgg;?Nz|;1>C=1-oIf&{q~yi_?<Lx zDPb95GvP(TTZBD?y@c-w`v~~$G!Va@2IBYAsOMiq{DvBcUr__`J8B?)Ne#qrse!eN zy{oQlvv+h{890-rxq_w57U+r2He0ik#BM)wW$Zm5xHP&F;{6s#d=E6;<NOg4)`8@; zKy?NX|H{(@>3pc#)M0_saR4Yj2Kaq|=M2EL0SNyIw2Vy{5bIVT_yf?j2yo3Ki~`!q z0KW+cpQPpzpnWJ1dkW}$4Cv<?33_$`4O4*V?LgxZpw$I9_5f9H13|jkH5zCrs5W`u zqSlQ-tFZT|zYk7Z4&e9+2sBf3A>g?IsH7-@l|bpLYLk_g*3yCc6+l}LpzJcB!w*Eq zd#6DH6+mm1pC+pR66ksyXj=`m=L6PtK*hO$|2Lp>0^xr^2URK5037NAIH)f`K}XLc z+zNy!kuL6|397HRA1J*SPDdPQpi&3l3|CfuRo1`v(v&Vs>E@Kan9{dWx+kT3Q~F&> z_mSG8Y91)h1Lb+3JP(xTf$}_1o(IbFK=-{`e%H#Sgk^-ygck{K!IqL{_B-P?*vWbz zJ`o5n1t!5l`+(qNAn-0Q0p`yGnvMY<z<fi1IzKQC<|ziM)&N^!l>>qD{lGX_X$@fg z87QeG(1_ygnf**y+C)p6XlWBIZNkzfTG~WQn`mhhmNwDSCR*BrrA@T7iIz5DX%j7N zqNPok*hEX4XlWCcHqp{1TG~WQn`mhhmNp}6Gi7b2tj(0Q8CjbtYcpkSrmW4#+DuuS zDQh#bHdEGS%G!*q&6Ks7vNj`YGi7b2tj);UOj(;LYcpjH&<I)@S(_<qGi7b2tj);U zOj(;LYcmoyQ^ICS*o=hDl(3l+HX~s(C2XdI%}Cfx37aWlGZHpa!e&a?ObG)tf@)0} z15|C!8Kins)&NzU^9HHrlsQ0E=iEWmowEn2@{~V7wdV?es4dq3r21180NMer14w(o zl>j*?Isse^kj?;?1Eiq%7;r`4b5L{=xH2G}1*#1|r-7>jQc!##xIpkJC_WQhBlr{) z9}6xMd=83F23M*Og({>|QAh<Uq{C21g(##mP)NBKBK1PbypXoOkhZ;$GA=~Ig_Lh0 zZF?bQ3v30DYavoCq-`&xL<?!#3n{}wO05u?71EX$QeK5ftB|rPq%AL`bP8#^3z1AA z<x)u7U5HEyDUm|j?m|ifpb=DA$^xM6=43$H?n2t`Lf&r93_ex1khYt%1gWxxwB3dL zh;z#DQCUtJL@XdG%ejNJ-IP5*+s*ldR9UV7$U)I|a}hw=ZY~2zLGgAM@?+06K@SDR zPd=9gJ_W_w&6R;qLGgBTf#6e6yxm+Q_!JaxH<t-M2gTdXl`2A^il|OSRG=c%r-;f^ zMEhPu`(8u^DMCGps2oLf0E$qIB02y?REi=x07X=TB9x$rDo{iRposDZwq_O~?;_g! zBFegm_Pz)?7g5SZlyMOqf+FNwMClgMAt*w!MU-n19fBfcT11H!(LpFennjdl5gmjg z<XA*07STZ{q67gNftp*8o`ur0P<j@mXQA{gl%55<ZlM${l%fSGS|~*eva?W57Rt$j zoGg@+g>te`PQcbo3v#khP8Q0^LOEHGlZA4!P)-)g$%33Ll#_*WvLGi5<z%6pEXc`1 zIaw$t3v#khP8Q0^f}AXrlZA4!P)-1ipmRif24HcJ&Jph&h;zid2O<KH4tEh9Zr(}| zQGhr{yqh2b0dbCaLqR&+MRd4%UqOTe;vDhTf`|x2NJJjULDAvnT?RQQstJ4wiVrt$ zHGB?=4ma;M$U)KJ<_!lqC_3D{=O71#3c*E*Kn{uyH}5>iLGj_{%|{P{%0{8GsZQBc zrffO_*(g#r9f52rQ8ra58wJXybC6Bt$wqau=^SKJZL(3CY&z=MRG4hkC7X^$HdQ4X zMaib4kxeDZriuVGf|f=(vgv$eQ!%os7TG98HdP{<&PO)YAsc1Lrt^_aMaV`Cvgv$e zQw6e7fNVM+*_3`Zvd^aEvnls%q@GRZBbyS>rn~_fK}*v+4M2<YTMbCd(|Zj-0q~m* zNFmU>4M0Kg+YN{?`27Z?K<EtzpiuZ72gFkRmIG2a^qvDyK>VfyQb_!+19DJQ5PsbO zsU-Zu15!|26@KS|&p}aP__YV5($I?!K*ix#ACQ9L`taKid<u$7#4kYbDJZTIzXQSN zptw-{8k9|M1prlw-wHsg6ulJyR4INd04XSXD*&ic{8j)WD1IvdsZ#V-08pj)tpG$& z{8j)`rRc2ypi1#u0Z2jdTLDOwqBkUfgW^i@TLF3~D6SO06~O19s8ak^08*vstpK1( z@mm2%L2;${tpGj+#g*c>0{9dZSBl>X;B!!1DSj)+#v2RmpQ;svcTiOeE!sm>F9;oO z2yY{o3=KYAs%U7@R;sc=_=Iuc(BLzsN{1G0s45<W&l#5w4L)hAfN1fysuH5br;Uq< zw;O&4_~i;y@ly!laMhVpr9__!myeyQCi?i`aXr!Cqo*p079BoSQwTku5Dr%zKvh@t z(GgUYh0wDKQQ@j%$kp}cqqqQq1yNcM=MbDkz&Qj_RuEx=69}j&h#0{S2#63wJ;7-N zR1-vW;8p@YKR{Fx97jMMLBs_jEFup?4ZZm|hX4mf=MX*zh4R7Wpy-1PJ_m);!R4T+ zaPTQ8DjUc_p=fY9C@L9zT8jz>a!@E2Tn>tg1)qbWQo%=1W>d#{`u3n>Jr?SBMzRe^ z+yb<=0G+dewi|%rS>&A#*uMn)_&Rt-6MeVW@H*ff1=KtSlvsdjy2Jem;JO&Ff0YYX zTn&_u2FlI>-1wq*Mzk2H`VpwUF|%LYJNRabA}~<|CW^pB5tt|f6GdR62uu`#i6Ssj z1SX2WL=l)M0ux1Gq6kbBfr%n8T}O+X7!-ktA}~<|CW^pB5tt|f&y<ctX1})Kh?j$I zdK;eG0=W8;_h~M^=R$;Ls*#y$WTqOKsYZBCW|4O~fC%x3(l>mF&`dQlQ;p12BRp0X z01=w0MrNuJ?m&&qR3ki>qX9&S%lNj7YJ}(aM*tC;Q6n?e$V@ddQ;p12BQw<qM;{ST zjm%UdJaveGYGkGwnW;u*su3O-L_jq%Q;p12BQw{?Of|xzh6t!exQqy>MtCF<0oBON zH8N9;%p5e;$V@ddQ;p12BYbAiHgc6f+DNVwNL$I3A|IQ{wE}57xmqA?DAx<5E#-=V zw5eP(khWD-4MH2sbpvT@xpE+FF4qpE?WOAB<AP)3GsXo(51leDAxP(piwM$5<1&JD z*0_)$oi;8dNau}<3DSw<a)Ny3xS(jzspFD@bndvQAe}reYd=-jeq7joT-knRK7L%= zeq7vsTwQ$qM+P8H0Ep^>$N)rjL1aMw=|p4zqPie508w2K8GxuRhzvkf7eodisteNg zLQq{08GxuRhzvkf7eodis+&#EFJ1{aHmWXsj*Y4dpJSuyl25TwbwQ4estccEqw2!v z*r>YjIX0>;e2$H)iw4I=)rHToQFY;SY*bzN92=k7Y<{$}`Pt6yN7c>dr#qV;Z}>R7 z_<Ews%cqxGoCKd=YH=ETg1JSB@EIoIRQMEAi<9AVOf61_PcpSQAwJ90;*`{BrY0xF z=b2iZ7N2NpabkR?sl}<$sYXK;o<A3;rJ`1~=c7%XTzx*=)Z+T{@un8<03UE_@gDFI zrxx!5A98B(KJYQ87M*j_l<;2gQRktw8+_PFct7~Kqm|kbKJaL&!^TG*E&4ox&?gGD z=riSv4jrG;1pEiz0KOOMy$rS)_96_AXYW0*y|C|K__mP-S}@Rpfffw3V4wv9Ef{FQ zKnn(1Fff}2W@BJB24-VmHU?&6U^WJ3V_-H0X461k8^lmr9l&5(AD|OV<0%9HcTf=C ze3~4j*ALtRY$m)&c#E)yu$S;1VPDo3e{ELaUcv&x48m-}B4EqL#1vd5ZrM?GE$c?t zr;T6YO89l4rHHWCS3sj$en7)}oLq3r#yq-hV;;tTLCRy-Drwo9SJsC*wVuojHFchr zk-ACC;Q7(Px8;TZOVg5U$xBRqR>d~;S+$ORC0~SKM#uggYTd-t9S-ETF)!6_+3Os) zqhbVl5X9d9<8cg#XsznYTZ?hQfAO6vh#k=aZnfN?1WE5mjKNYoy_S)>kDQU+3Bjc> z@^-Wg-^i)L>CQQ$d-=TZ_kZ83mPF!j@alOx!f&MR48Os5=It2D9i&{99m!ujel;mv ze@n_8np$T^ckyUk6NjF(P)KxJY9@BMs_6YYP)r|~6WkW+p(Guta67&GLOSwPJz9oy zdRE{b45q#<tQj<ZcB%`*+C%Bi+c7?Xf0Q-lvNI0<)+o)K>hEr<YyY1sDge5f_a?BQ zdm`nGtInbY`8v5Xx-YA>$EmRSvZ{S5sBtZOYmU<Kxf4+&#(1`c9;R^80NNOeOeviq z^kI(zbDT3as!r#O*n8ZLy??3$9&J30@;R~sccV0X?H;wxJv_y%@YbxrOgwTF>s`?O zJZ6F7el>JKO7`<D3z+lihIv_mg;@a<eFl%8p~lVN0kgRf>XtiD66cSAnte8po}HR~ zwz><QBW(_T=y9a;DqUHD`{<;QgXfK8wvt7u7P6x2RY;PR4gw9SqTTm7+m{nJRaVf$ z!A|&jc08^06#1O=FyOO<oxr_HW++*tuKJwnBgW^XHGEE+lb&oJF)*72jg6@mD{kDl zW8)4S@_=&H4U`sE;Ovy(Dt~n3(cU0G5(LjexgtrGU-*aA2zItqRw1vz?8>T58+Wwa zNS|?w;OFhw7~Y$Oi<DDkm5REuitki1LkR}cw3Su#c~x1(pL!7W$yixMAyrmULbF)5 zY)nm(()py$>g#ZwJ<3yg{^oA4>>3=S)cDycU36+Rdx#*9)1WBmGa_&=e^O8!U!sRU z{{pk}sCaohC}1uIww5zW>3mWSW<jcFc1joV72X8)C^+t;T5}IQ827M8rzYiP(1SKh z^=5EtDW8)&HF|dHGml2k<_B;KIC4klxj2X9(D`GBPbPZQ*AzH$`>8Je8nq+%)<*v9 zCP!U*n(oC@N!+}{kEiCIZclZgzHp-0qXm5A7Hr(XkJ>3|_$S51r*h*Cdh8aZ4&=ri zTnM_fg=_~tUbY}A3LHXVLnsV-g83^8ZBXiQB;^gDhh`N%khko3R!P~l>$zEWEq_p> zKe&xgRA6q_7OY{bs5l?+UJfK~$_hl#3`EcjM9_46iKgRAG#y`}8Gjwk`0HrKUq`cY z0h*Ny(5zfQgKsGJ0`QzSHav$*&Kph4hUYK@4dx-46?F0Cpo=b30~gR>;<EF`pexy& z<sH9v6Us$`LP2oJJAM;$?WSZ)>RPgeuU3q-_ox_o`0*_7xKPjVpIP1sO2$<P$9@{Y zPW{r9LpO6z!#~(5(Sja0Be3CMcZ;GJHzL`RYU45Xj<aoZ?DtM$C)I7+#^WH}0~0fN z#l#F=FEN8x3pa3QxPd#v4XMt`*D+UAU5lz~QFZN69{(s0f0RcTU&LL-7ja+lMcnDR zj5|G-ai`}pblSeDEJSHZ+E=q6LbSH2&TXob!nS==p##a;&Ut)|9KK49tuV_w@nkDa z525KHv?dAaHqlnb*KB2c%~r<OAapG;CUqw{e4QK~!Hyb}njtYJH3vDVF>0O(-TTK5 z&BG3jQ4Z#TqqbrK@85*f{!JJ``vRu6WdiNrgzo)=le&pEj&>A1r-mk`qpfxf!po{1 zn-KNk3UAE>-kJ%#H51g<KzOX$nh9!aAl#|8=3BK35UMkTcHvvKUl7$<$eq|4@3`>h zs=>U$<j_3aL-{KQ`NIjQ!$MAKOh6qO>ftjU-fVv|x+*mjxje4f!9C56REy{JJ;$BC z=eX1NT&mNA*u3MctHYZ|@OAch2zxw=JlnQYmu=flUAJvZ#ccnMAF}YK@DDtW9E{=$ zaQ>Br$p98gW#6(VxZ3(M+RctruJ5^1u61?F#r@)xJK~g=Y&kVFyt!ph)SjA&9h!$7 zngx!UgB{GkO82LRbe`wAF_js)sm#cw%qGzEvCn8g%H>{)I`$ctZi4a~o})UZ8YX(i zPF>&z1%*5CIC>{2pFb_T8)~ZV3p^D?pITYDSQ)1b<%oR>2dS`9DsWVI!9%Aa4IVlb zY4FhBk)r$WNP~xL+y0J~S`E*giWYaBik9yBKaIbmJvANgm|9)Ar=ks3sAySv<0?4X zRHRgJl$L{q(1Rb|9PI~Drx?}Zk=E7DJ?MncURYPF`SF#Co;ZHq@QD%e%*RPc&W^6) z*x9Skp~zJypLM!ipTjjKw`Gs@6_sgsOWiS{yO~P8yQz}zZvFozQpFutqD5B)SM$2c z<<-cg)wq(~4Gt;PGx`{hCWpt8b82jN16SGyBqyK(B&b09fY4mP`7>bG0M~q=;v&Mu z__V?GpeJY_1}E@GR^Y;{Kvrc9;2npjmBfA{$%IrZ`~tU>OvVdOXk|yG`{J6C;9K?^ zPBqq6o7$KE-_|C&SmxM|*GiJQG!~3$zc*A?*CXX@LO*q^O=(>Zj1PW}R`7FtX%Bv0 z63q$~<Hage>>Lh6$7O}e;~L6Bg4c*p@q2vLI*R2z8c=K<fe-mmxpi<>sD#!pq0mZ# zzh;FFA}L@$ibjHJgi5KaRCPh9>ma^G36&BKM)R_wbyc4Oh$&j<Sej+mqjfF6u;8_f zTKH*4n<J~H1S4un5OqySi4ItA$m$vt58@5BYmj3J-ucjKGgWS-W)5lm6Tck@HD-CI zN5|uC61?(}(0k2vXAxm9YCwVnz0-q_5em2~SioKTu_xZ?`}xNGd||(*j(R-aRLfg3 zh1xD2=USzDq14-m2XA`gA-=ou5MRQf@lLnv+-291vd>#})E3Y39q~Q-Y*{a8S?_0k z%P}Z?1Sp{wNfH#*cEaKC_(SvIG@R+HgV={8#-tp4UwObg4SkU5IFz;%-rKuwj(Xw5 z-p74S?C_ZKbF#`av5DoG)z{mOD>;#BV>ascdAXfPL)$yfe>YAnP<L@wU`<x&Xja9# zmhYYOS=?D!)-BZbPR$BBQ%=P?`|#izYhjkH%CX<E8xr1xR{@*5tTd~vcic}`TfX<7 zo8>d2mjDf82saT%6Gjn65=Ibi%nF^E<@?B)pXK|Q@JY)bfOR;~IUWd5WWG;q9>5pv z(6XXgS@hqKW*xdED|$tiXLeSoxA#TDX2J`EO@!yOD&N2bU^C$b!X^S=*ht=U1biKM z!@HI68sSyKD}<K`TL>==ek$$c5g`67P`V6gH3J?00!jt|#WxY=0saDD9&-Y`j-5c$ zF2H96>P`^W0o4Nm_w_)f9dP~vlpQ6E1A<QiEkU5-F~Bwjh`tXTIs+)VnlO|w6DY0$ zOvOdiJ`M1{qZ)}zxX=Gi$_aMfIs0_qRgEV}25u+zZ@dd~<g=#xNH#Y;MDlLqt0a3H zKO?!JaVo@jnRP75CD!*z`j)iQwTG<>NeZld-x_NMwf0*tAsJNCO0vLuH_2BeK9Zu6 zMv{9=8X&%lyg!j#SkJ9K-iztlu6kPU$cx^mNoIJjCoy}khWO4;m`Tn{{7#Y?-$K`B zCmtc$lz5WlAMrYp`{K<IU-|@M+HKVJ*Er(%wtXbeO(Nc2-JfLcG~%MRPe^k7bmx)# zl?+TCrq=Mb<s{LHi6r^~V%YIA$%Mo6Nmd<RMzYwsiR5kP$0P$PZY61MIGg17H^ig9 z`$=AJ;L>ex$f4G^KE7?H?{jLc-K~0m@9aa(li_rdSUZRLYA2^VtmB{5d40#bBpvp} zB%$(`NLp=t-^=B_sP#?xAd+WoM@c?<gV^NflKA{QSG_-tI;Z;QkUZ|6M>5HO7ReWW zo@?Z8rFA9Ttp1Fy;a{C0Sy#eYzEyHNweBenk*p{=jpT5MD_jwJf?AH?!zBL>@eS{V zxSC6X|Dn#;f^-;;^bc|!{~6-)*lQo6&a%4ABnN9a>Xmi9sdY<@hh#)cHOa595wn}? zNlF4Hk{1G3ko?jzf@ERKog{ArxSF{w*HY_0Eqojv3@oA6*5-1O?^>cHgIh+E>}%#M zU#YF6*3Y$#ByZMMkgTrd(>AZxORZ_Ohe+~k`OHkNZJ^e&S|>^2ZZ+oV-D=RayVa=a zt-PyG207we1Dwo|*6-+^v4Jv@+X60<Yif^^d|k`6zp<7#{$n>E+KtTbtN4Wd%X1+O z{I6#q$p-gel26@S^ZE6gsP$$2n<RPl{~-CH{uL6b<b!&C{BNq?K%JxN|4DLn{W_9~ zyVb>KcB`v*?^c(WHm;(}TN>Asyx*8la-i{XlJ$*GkUY^?Kr*FqCCT#EVv;?rT<|%q z7HYlJT1xU%E2sTo>o3&W(fTXNn6HVC*4<3<P~CKrN9rWWRdxJiKUO!MTA$SM#(rLR z1GQ$=@|nJ}b~v@}ter~oK<y}!>q@gohL-X}bBC4pcXa84)VZycpNzW>@*ci(kU#Fm z)nw4M-8Gkx+*}<edA^39h@I7c-Z{JXQW(x}ZyeX&FT&n}?SbuuVM}}CunitqelF1- zAvPmp_$W1qKibWGcBS55x|ZS(Q2$8`pGItGCwd*k#P7t4OrmEX_gqi>nlOnFdV)BC zFpbceO)R;9Xk9_9xsBNL1MxG$ID&r!F<MM~jZn3m7&H-U1`ut1h_%~@r7sbit|YdW z5sQ}*8&?t!ozb-ve~cPQ;4ecX2@@w_;v`I*go%^DpQlC==s^-DN&<g@nm|e5PgE0- zgo%^DUyw!;_(Ru70)KlNN#O5SBMB2Ffj?ADpd?J3go%>CpQ}a^_`BCg0=FOu6DMKf zB=DEBkpw0|5++Upf9V=Y;4fz*2@@xg{HtMj*V6L|t$Sv5Ee$N~TKb5$5Up=mY7id& zPeT9~dgJEan_(})-h%Cc?S*{@+t;;pUdWFr=2cxX%U|t0I&dj-8FMr9Mdn+~J<Pq# z@0k0T_5@2=wQ9Y=5`3E_bTNzbILo06SlZOJ+WWY*yxGRODy8dF8r;_Hw5J@Wo^lTL zOF3;HrJUL&DQCI;IW=2K*QYeNt=nl&IZi$09O{>H+CEA-wM$YC9tAaBSxtA(n<*#w z@01hjn{u2dQqG|ZQ%+m=nA%0Do`&~1x`y{i8n&ylH*Mk0rk7Z%f@&M8f@&kGf@&+O zf@(9Wf@(Xef@(vmf@({uf@)K$g1jy6dug`d=H*p`QcfUGIqRzikW+b^T0PmS)=Rdk z^^&dKStnZ&VMb=xSs9s$MH!j?*%_Ig%^8{26&abuk7Q&9p3KNBe>5Yr<mQabrXMmg z8{W#utY4gwSyPdbdH7D;HzXr7GzxxwMrPGR8JVv8GBPU;;hv0)O#5EkGXVM<=KKTm z<z-~HVy=$$v{J`<nxkVq-QBUC?wv>7^C*IOEq?*D_B>j69<4l&mYzpz&!ZdX(dzSP z`FS+MJPKeQ&qB-3qxI)e0P`q<d9?gITDv@#<}c6XymD#s@?4s@JeMXd&!t(*b7@-m zn6f;V<}A<UoN{Td@?4s%JXg)8vMA4088~)P3XWa0hGQ2c;n+nhId)ME9lK~f$1cjo zv5PWs?4ng2yJ%I%E?U*Gi?Trv)^_ZowH>=?ZOnj-9J?qb%z!u?yC@FFE~=_y7e(XP zr7BBGv-md9uKG4mOuh{ilWzm<t#1QG=G#Df?At)Q?At(5`ZiFMz6}(mZv$1uw}GPc zZJ;Q98z@T5i70&=)ch2sZv#c?+dw<-+d#2m9>nU~K(YEZP^|EOBT~dz5fS?~P{bAr z%|ek`C@>2}WTAj86pw|%u~0M?3dTaQSSS<=MPi{qEEI=@!mv;j77D^bF<2-B3q@d| z04%h=g_gI_>K0nO`rNzHKTa<nL*B>foz3-;6>X)~Y>0Cmi}g;HPnoW~_WN-uaDrt# zbNS3@5PhqZtXC4;meO{mPF?AteoEUuQd+x2>GGKgJ5R#0UbQd@H-qg;F$uRZ2`eUH z#U!kVBws~Bf=Eax5>`Y)N|BIKB%~AxDMdo+o(fc_0f}-T`ZnOa4RFi`PDTLhK){~~ zB#i&8Xt|nchBpLu73@mbVAvqoK-d6Sf7lhU%VC$nE`?nJ>j&!#yBKy6EDLra>;hOH zn1G!R>kaD#I}dg)EE9GP>}=RsunbsF*qN|1V5h@Ouyj}tSQ_lK|Ey^K3-%}M57_Up zE?5$F@;@u)QX-`bV0Xdh!{))}!sfv4gw2NC0h<Mz37Y|%4x0v>3Y!9(44VX-2%7*K z4;u%&9X1wr8|+rtEwGzmV_-MIM#DzIM#4tGZiEeo-2fW~yB>BO>{{40u%WPQ*wruz z!v>UM14^%Q&y58W2C-|+Oy{HItV-$nl;TjR3piTJ!Ld*d&V_PtFqDInp&a|kl;dBP zavFD~oT|&Zdm2*?)()Jd)>gVc)yCSY18XY>Ybyt9D+g;U2Wu+_Ybyt9D+g;U2WzK# z8dHud&!3sfzw=BLgVOagl_G|e)1Gn=gX%#H%0UduK@7@449Y<a%0UduK@6#$#*{Pm zR0z@GDg>o?EV)h3rE>6KvO`ZMJM?I>L(e8V^l-9+5R`)ul!FkIgAh_ZjVWim3L*Fn zt#4b$%xChUuq|i*5$40pWz1aWL(H|zCz($$A7`#%u4b-cu4EQ4A7idy=JhU~O+P<_ zM6-G?hpmFGhXuD0+5x8y9O?(OeFW4liDq@w4W-|=>!_>i!_JzX_*ZTSC+msviNx?y z;v_<7A2B$Y7<iXBf#A<0HXS2=K=2JA*7=Fk2%chM)f(bfLgheW`F`R!LTL@r`ZKYl zmdOK)x7%D5w)i*bt{gbj42e%<**Y}#pP?n*@X_2HblyfdSx<~lB!-s~ClNyXh{4Ik zz`Mi=1b-f}=@{_?f^P`1&QF|1@DvlP))2Q6DhCqF_Y=nvN^6MLpNS>4OdeRgJ*WAn zoVt@ahabstUXxSxSB^CoHO8phl$@+r8lR{%yj1BVC82#vgOim8-c>q5i9b(i(=nwV zDDe$ZTIW|fO^K&iY1JB~Ta{D}R9e1Y={O~&HA<~ND=n!_Y3jD(?XFMj*Ny@nA63_f zQbtN7loBbWL`o@<A|(<^iIh?zrIbjK5(%Y5N-2>dB@#-Blu{x^N+gsLDWyb;*hnZP zQc8&wDUnc0q?8gVrNo-Lt$2I*d)349Hs6cJC$IysE<799ylXo4<U|+egj;ih&*n7G z$*KJ-r#6;TJt4=rA!ltmzVFL9=+0S>LwEST!}&R@aH@jafVPjwYj=-YnscZhvCQEf zwJgVZ0!NGfcux%-G5W`qasmT$0t0edDsp`5aw_i5DVvsaFz9;F@9C9xo060DO5+oi zhL<Xxq$IRYX>hXAz`IH(DDmehZ91m(10}v8O6&Yerz!CiE3I0ibgPoeflABwD;=k# zv_`4*XQd^zDNWs0y#1PATgK;1ZTwfx)B`!^lnp-Kmw6fU%ABd4PqH_Zc?HwNyquZM zJfC?svk%kE?8m&CDVUOZI`b@MI<r4>ATyJB5%WUkb<As-Y0OKQ*Dwb&vzR@Y7c<Xf zp1~Z%JeS#v*_)Zc9KsyHJWYM3Q7O**+r9R0cj({lrGLBU{Ow-+x7+h?_o~0$3x+n| z(RCkTZRN|ot_(g*^xaRaSWhgmu>S}#eo=Tu@W<%*vN5$Q(;ZC?{O0g1$CT*Oq-ej^ zG5Oi}KU|;1-%E<x0_$4qs)NV9CDw=A%3BA9G-9%rd1dRs^!l-Nr+IU7t;@r|LV_o& z26L-*61A3+{{s6BPpK;}@Hk*8-IpFJP`AKQBd7<rK^%7gt(QBFRTMgo+4qcXpEKSu zYdm^Q(VHNNh21hH-Sv4i1?QLWd`ZAo9Xwzi8V`mFn!_Di%U8vhMQw-YhC;TTohxlS zJ=<(M<Civv-7%Xf>WsHn{=3ELm=SMpJ2bOC0JzR>=?rdbxIa3&-rle{w76k$!~MbE z{4LgOZx37K<X?eU{T%BP<ue*?OB{5sapfg922Lb5dM@!?5v_218(8MF&2&Fd|7i8~ zaj*OAhH0*I!lkZr60UHY>+JALeO+fe-0`2B%i~`JpAN3A{KnDOo!NP~dXZyja9zc! zU?QHC?hu`$oNqQS3|lMeo9`iQUl9&Pzj!B>^t~D0&@#$>Ud4vQ<oG^!ubIJb!@=NZ zeH(X|Uu?ZRFy(N0+}1bzmet&PRaCZKWqYRm?!-f0b95RwB$0@h(b%uk-SgtMboXW9 zM)wu2%#uXaiNsm)3;ns#4{SR_Go#ysUBTa-4<{-;6Wy0<y%MhS*|weG?}Lr*$2;@= zi#j&P8XezQhem(!=9Hcld+qR3hu;bO9*YJt)9pj(Z>cog75{B!@Syi#{ll)=uFU>T z+3Eg=9Itx=4VO7f!&>84iPg#L`q%uBSlxLmBy@K0xvmH7cgC8U_0ZMUNtK^Qvx5=$ zwS9weZ@@b?-ZT1m;QZuh&zrV}z_92td)PiFdQbeAyE8emRI~;=TrJ-?|97NMBC9pj zd0PBHung}=f&Mi=d9T3ahhGXD?B8^??ZJb8_CLJ3a$>~?>4)F98?OC*6E0_cUuS*1 zDzUR~%k|Mi!4u9eDknLHIVaXXY<spj;`%XJ7yP<%Zt!cz1=hQKf3@~<9q`U~9f*a( zmc$ph{ot|C6)lq-PPokr*{S-ne4X9!&_(B0v9R}!_!)^O(#yug{~7+PIS~IxbV=tp z=!WQm_=e7#I>-2*uY1xn!_iKC&4Kh*Z}t562LB@W1=aIHVPdnE`0b=&|KmuX=62u8 z=Js%><LATcJ107R4n5>w*|6EaDCP-;W1jJz9%DT{tOetPC#(fygC{EA9$Wc#LrbCs zc~;yT|6ku5lJ2&G$-$1YA|>A``BupuCA(d3cxQMV*0u3XVTXNM!?muTV^!_<hkvq8 zb$;vI)2zEbY`w6;>3yQ|z38tUTiySNA8&iE`T_h(U0MA3<ku}D8yXWi!MN?2U_2fw zYY$u({VkD*{uW$COk{dYjUT!Pwa<^Am1v8f)$xLNW~d<S3>Da?hYDPlP(jQcDrkQo zRNx$Mo!T4;6?mTv6?7Da3fvp;x$s1&An;(Qz<PeDAh9x3;CYt%Yl=PBR@Fqm3;h<d zw^h^>d#Blsk6-H^o{0Es$8SpMu#^s08q@;!kFpj3)e`}G!CKg+QPH~tlSb`_h4)y` z4Gare>n<w)!9TZsVdK$6U+cNio2%XoOmm-8@2Yq!d2Yp9EtZP6tmhuyWj#0U3hs*E z?{BFX7+=iX+j>KNgY~@7z4eWKt-V^t1}3hmpT=U%Bynd~&$aeSkFRWV#NSUZeZYM@ zJ>D5uQ{R{#sB(W=Uje5qR((r-L-j4z^Ad6Gw35H7j`$Z<-{D`>dO_=)L?USo9qKx* zE6tndZ*x}rot-1y#{$kykFU0FtNZHE%KEPYs}n!DuPJx9*ESxS<y+Y>xYE`7t)sZH zBK~XmaC+bz>!QSpz&Y`M1<qL&ILnzEI49tPWv1T{Z-t%+oKtdB;G8O4MxQIwH6U<S zAhR>SGozw4{i+%MAKNy45q~CGk{hpgI&z}}a-Fjrm*lq3>HIm@y>6y^aL}E&vg4av z=i)@A{rN=Y_+V+X-90SV`&8mY_?6JH`5iBg3Kz#(6ThaHj2Z=^4Td5__gSO7Po-P0 zingSe^|XE77b6be?>?$s5P#SEW6;rItv<8E-Y!Gu2lwqKcs@%H7kWMmJyO;u-mCng zc&}K{U#o8Z4AQ>L_F2LbZH`W@Dy)39s?d|;*k3u*w!Ly@yr%rghI?y%tT~Y0xgvZh zIzC>zKVBO+5wDH6#%rs4Ks|LYC0Y;X)lV<);aczcBsA?vpTqx7?yUN%Yng9#w5EQ6 zr_r{@f6TVWv%5V#*Wc7Oxorwo95XsPzP=;f_ek&rJFZWIC-$SGTj_%Pe79(h)pmLR z?cNRhI(^}oq-eOS^g{33)U3X%<|uSma#wodyLiudMtaa!D&jruf4ROdJwJ4ImEGOX zQBf61JYH6|FgZ3labe$w_eWR#AMf_`q02p0(TVNL`j++NOUbYP_MeHrle+=t%t?=@ zJ>*;pUG99^x(d1;x-zk&ZIgR?!=3fX)~hQ0MBj($eygWvbUd7<p-n@5AME#ikeHj8 zM-#-WeNDNpqWC?DSo*_bMz<{`R$q_z<dx~ehL0KTd>;9Ywl!c&$BeEyy1eY#whwcg zB>u0DUwU2H^NfZ;tR|&36R1`0<-UeN!9UwJ+3HGSfrn~t=o|O7Om^pbTgp!he~OP- z-95r_JUy@DDgUBgS0)~?z1OyC>^1Rw#={z(bLB->Har(^C06(7>`8uSPZPN&^2&rO z&$gre5n`DzsRoPh(cu**$46I|^;SAG{DXT4%$y#0^d|CaEW-|sO<&)!w#G7CIlZo| z-xpgqzGryvd{}HpcyIOS-1fYgp8ic`-h0d4^^?+Tm&A9*f1cU=PIPi;<?`xWl2uC9 zD+z8(X}eOVuJlkprEMQ6tzDwjelpd+L220$rPY$=F8hsWe}Wi%l^G&BJBWw+65DnV zYabxm<J|KsvCKQ%xpa8<sUU}sMSN|1T{@kQ%F4vtcx~*j`a{u4W1Tg9!$mbm-FYpy z)i?TE;!7O&HC*bnSDTzSb^hj<=3L;s+q&4_qrS1zJuGlPJxj2s(mkIJSFQ23^76E? zgz_HveW!+*-Z!K7(SwnQ&1{?OXywPsmkj>WHrbQ$EVX@&o~2`}3Vn|b^PCAJoSvSL z;2SKS?eN0~hn0i_i_60N8SnZuaDO`fW2u?0A^*pvPkz@B`s{ZNDZL=D*fj*B@<KgB z9v<YGhW`SnZ)H`e2Yn?$<o?=<8^_~|2`j#skd95Y$8wum^reSdq!^DcMy!~E$EVt3 zxji=ZrHWd7U*Me15!wY!*?qk;*4LS|K2^2uo8#w?4ct^=qtCwa-H!83)lohrR%ad1 zboKK1Lhp=Kg!Kg5Z-eL~GjLOf^>BVwUGv<~wC1_^;4E*R+wo?)y@GJ4uX{Vxy*>E6 zf_((MWMxV1*x){VxCZydf*U*b#)6^q<NIKjx8>FR1pC?ZDRXDdPvpaPw&iua(UwR3 zo{u};@O<j|*!r|{9$j(Hi}&{I>>Ode+WSNOhaOLK;_$wBbdqD^_@><75d6;R&+W`( z(Jma+G_>-w+Ae&e54Be~tkLF9y>Yj%&bcIzMPFCfyS9vm-2`j63#e=!=3E?qX*gjO z@Zx&HF#Gf9BMeKHz$18<#b5GurI?#I^k{mbB5|m&q?TNkeyIlO7tw}UbfI6=SMq1Q z!+U2i$7a|{9rZICGAahm^e^__8t~&~#2;Fj?))Ba9xKz!`^@y4;IB;I@12&?>3!+q zsYY~=qu;59eM;&|U^(|S8`eR1?V$+(%y{^<&bx!(y5^=j181kk<7xVDsGzP#s324m zDk!@Vx-y-n_M8?f&@y4?h6)<-N`=RH^;L}(aMhITM8|WqjyG(_(G5A#7wg))eTu5X z5h^J8BUF(58Lw9vcs=_Z+RV%No}X!ZslyRpL}3N<aTk(J9>BHncrCjhp_b!SZU8EC zG*sYQLwBk%&A+6)>3u0wWLMyC2~9}$#WW?j4NG=>Lqn{Wd#B-+`rP_m0Y6>_Rp{)b zD$G9Dm_4csJ0%^?qDCjXl%zWYE@CHI?<YE~h!{k93(8O<%w72jSEJ@=Yi8>^Xje~c zeaC$~Zs}Zhc%Ju(z`5QhoDV{8aUXYmygaa&ByJB(^0&l3b{`L}z*`#?2ol^MnE0vn zPWSMJ#rXfXSU+tmRZXR3;nelAaQ6swbzgI?Qyz~gHFeKI9*<F7G={wSr-sc}bE(c# zm(^^1GsO~rL5+&Pz;jWPhQ?n|^FX_=&rc0NhZ@mxYt;qUc;ZSD{+6-M(au-7ONr`w zxN>J%&&r((D|faptK3<5MO#l#e7=$^_H!d8$!bsBaTzgt{)n=0^rEV>SF(S~duBw+ zo$ud`D}?#X(n0f`F9R;K^X2G~_%WB6Sh=$$>8SR-@A@hhYB^v#0Q)ID{!~q|?Lhs| zFI+nvM{N6TKgL4wrPV{@OKqFtIgVew2a?|4Uv2lgvtyy^p~UiQs)v?eb23^z^kmev zx^zkBJloUBn|x2%e)T@)o$dP4k?s1@J3D?^*9_aficc!HIPYt@+V+d@kGTZxv{9I& z-ZjAYhi!YXx%zr{pN@aj9BrF9%K2R`{zCP4xm8<z75*0gdiSE-j`wPQ^Ht=!&$X`2 zt#JW~!8Jz{gAxP1vl9b77u6i~WJULfzp0;?Ydt5|H7t?HwZ*J!qhl+cOnj2~$a7OT z9DX+8k1iVKn{WFlz4GPokt*k?p?;@xeY_~Qby#lL)3@Ojr=#o1iq{fNi8**VTkc*o zv*h>coKY38*<NsL^?Ve_?OPJ7__lgl`yJkSuCHvx-n-&Q%Y+wyuDMK*nY#Mpe>J6D z{ksNqPUsqtoOJl@>Y-Gzjz4|xdv2}x<nS8rU5D4iV$O=-FNa@u`rhnyWmRvWYakH( z6KJyo)+d4FTEaS4u9AmX4n~ydkkT~5X~4n10LOg5UBoh$SwF$C27Qp#N>)Ll)OGkL zpq6eps1d?I<u2}p96+m;!m79e@Ne@_V30o`;R7@Mg;3X0rQsHJbt{YG@tNUfHR_a} zpmt006UgD8XQn(1qy~*Gy$`To%l9`dWl4VAJzMf4bsMX?iQUp3Gg%SFDcymgt|f#A z2=@~f1IaEz5~wc*4il39kG<;vjH24wvxFdE0c<EX1eGeGiJ+rWETDoQf{K-*5G)`~ z?BzYhf@1I3JC@kRu8^T7v-D;tij;(=MuOn;{ognDoSnOyO(mfG&mGQu-#z!-bI+|i zGrJp3!fE!+Jl%xT?*%w*sT|ZgqZ9ayjyTP!ox^@E@OjGSDGR5qKjJjM3r<<xahiTK zPHVoyDf0@P=2pe2U{9Q;uEA;Z`o(Ns^yaQBsxadqoTfd6)65kC<U9?Y^(0PH*t@HK zUEdC{wINP(YX(p-o_x0ewk`*s`QgltGe1!BKFKvW%~^-jhHrRcFdM$5?g^gm!)epo zJiW!!1fJgH=?$E=Rl{k^%UzeeXK>1mz}d}lT9t>>!l5{A%)n{!V4R*_e-Y2~er&(A z$BJ89PkX-o)O`%jT48W~y1}f>%K6tU>3<OJ1Sq{A*n@D+%jUUL{;*Adw1>&8`(~Wn zetP4qcI{CjtKDmzvf3@_kJCYrUJw?_YR5uZ?K(9>nJGuWEMQCeXSHh<l-^jCYMht! z$GOwSYQ|3KlKva3Zmbqq=3GuooMD-Bd8eF#j3Vdq>EjRE^zmzuCH-+a2r}gebM6I> z+HsyfK05KW=)@)cqZ1E`PV5z(h|r=Fkq33|`m8Qn4_SgwFNg;j=w$$AhQQR2*Rp;w z<^~Tk(8~bK4S~5KudRE*m>WFEKraI@H{`YJ=eB7-^T#Fq4O*$W!)E^YTJD3AEhH{Y zi`k6=8)LjaFh;mih&PLHj(`Fr&~OPpvoRThK{TNza5nXOqp*<~M^AemAC^sf{^+cB zz^rzIj!&sP?S-wKaGPsLA3;16FbY^K>8~b+!Nw3883rr->P#FN1}j5oWf*H)ceK<- z!rF*IZ6vTz1IgEHVlT<=#c%@!90W)QYO(b8fYC;15K7F>C<je@?)a2NH)R*#p^dOU zO7ILuRDl(KN+wohffb3dA`7ezQX`PS253w`0*hX10TNgMjRi<xfuU5JfCg3pGj;(T zlvkzI)T%i3fvg{h)1dxP^l#OtKa%}h4f?q@k~sB&tRINepk9HB=RQ2GAIS5dUNGwg z4b!a#HASjvt3FMUYT62yY&fl((zF$?t$3!QW$UJ`M&Hr2RpzmSUV8!OsZ|5$6P(u% z3;-n!uA34d%L|d5L8d6reRx_wkY|(&VBHh~OBpokK}-5GIkl?6J_gngG>Ec7)=e>l z<&|mXpkBsB0DXcp8crR`8(cRfK$aFFIfKyirnHbgg6jtgfe&TtrU;{-7?u1%W|i>V zhbIgy&VxD~pLw{+QPxMv`hm(Y{TF;SV<2ZX5!0H$xlinMeD;>iWBM5wHvMr!2CunN z$n>WM6-@5bs!zd`?5&+z4Vt!;(8s`_rQN}2Er*_`K1>eUlArxMxPd{r*90j8olIQ@ zP!}FJ<vyE|`{0Jrh7B`he9NcvhXv|@;Q3R4$PIAA4S;Lb56Vlwk*5V;1+e;<lnpnS zbU-KViwEo12X{cz-&uq^nCZ_1i8cGpdK({?&CVNIsq6I5SN&E{W65wl6L}dAVb)x{ zv{&vgvwq6`WzETWMDnjXSLUT``e4=FIoC}32~W^*@3d(KKA35XJJVr#Lub9jkAUzi z*b(c`!Hr-`dY|_|)>}a>gY%}%ekr(hp1CsbyMPQ{dV8J0m4n+*{3U~IJYihq9|fN? zmTbzFyJ_6DO{%lz5~h(caq$`6vg{|o@)oVxf6m&>8U-)U8#j7df!}FP4xd0xUAg$Y z{PEeiH`_3F^TOqS<TYRX@Z4>af6E*_xAB@TnQ6IG)^|@?-!1?2wMR{J);7pGb?pI* zQfIBs{eA95O9n+R<azqjJQsYj_V6ViZEZXCh)ws;oV0X#@KI0J!?|B?n7-+=-}5#- zvt|9<JvV>9Wm&;%YkrD;o4sk??f5)y<^#El*S)*8Vb{f(^A1@yZQd>GPt1LCQ{IeA z3O>z$so=|$tW!5Vo-*^j{6+<j&3$IhicL3lT{1ZO#^x=#8A~r(vvSG&#r+HR-|~Y# z4VYBt`Zd+j)_JF_DyTE>6nrvqP0G}U=#R`Hi%*}2rvSM(1wA{rN8Wc!*XB1_yYK3W z1#@!0&wgyv)SR5Wq0wPef17$#-q3Zk)}OlN)$AYUW#`_VH?-h_jhC;jk~4MoLD|Ey zTCHuJH*`{O+_|Sl$IbY3)0fMi&-rHFVXNPtcgE~5a$a8CXYtxCYi8D6H#C3G*;lR^ zLELno!7cbyDSyvSYep0-UV3`&JJXiUY(Mk({P~#|ZhAEOWp+MdT|9Ez#rdDjKVjR& zTZYX25x2{0YRz4_V)e{9v!0o|GXG5SoKbTRSn@~SrBiNMa>BZs*1j>RTERQ>E3MgM z%K@A7qqnTBo8KhsvDsIyZNKic-2bd-H|OrTPfuStt@_-#8>Vb{rp@Z#^Y`9%NA7>~ z=1f~rFn-CloL)KC7EH}Lt?Tq#w#?}|`JCv2x!2CvXUounhqp|a^=j971GaqCHS5W& z&a-b^bmi9BlfQuD2|O=Z$n(0}d0zDk&-rV3-dw<Q*8P*eXivlTv};eZ_OxnGqxQ6E zpLPEpHCA<lbcLJ=IRkP!qzj}o<TS{skW(NhLpnh^LOMX&Lr#L62sr`bLXL+V2Wbas z3pp0j267CfHKY}!C8PzUIV26z401H2DWnOcF{BZsA*2E1D9DkJBOvu5^&p2s>Ou~K z911xEaxml|NFB(5kOLsKA^Su2gX|002eLP$7NjPm24pYDo{&8tyF;o&szItkc7s%b zq(Uk~QXrKe5s0%#ji3Gt`4jRV$RChxkgbs4AzL5?kj;?aAo-AAA-_O=hHQdtglvGU zhpdC-L2@B$A!{J3A*&!iK~_S3g!}+m0a*@N23ZQpfqV~H0$B`M1X&1K0GSV&2bl|* z1DOq(1&Km@NH!!3G7~ZbG95AvG8Hlf;z2SYlOdBJ-$A~Gd;|F!@)hJu$QO{$A)i4e zLOz9j0{Iy75#&S22axw6??Eyk??T>zybXB^G6C`?<PFH{kk=ruLSBKq40#FiBIE_g z^N{Bt&qBsSo`F0Kc?$9*<O#^*kjEg8LLPxU40#ChAmjnaILQ5w`ygW>_d@Q0+zq)4 zG6r%d<PONcA^(Eh4!I3-E94f)&5)ZQH$rZJTo1VpG8%F%WE5m1WCUb5WEkWc$WX`- z$kmXmAXh@JfDDGDLk2+xLN13~1{nb959tT#3%L|>3FKnPMUV?27eM+z&WD@_ITz9! z(hG79q$lKTNDoMN$XSqXkgkw3A!k5Nhjf8-hMWdD6><vXWJo7SM@R=qd&o(U6Co!+ zT*&c|;~?!IZ6U`(+CYwhw1%{Tw1l*PG>4=?nn8|+G=(&QG=?;SG=wyO90fTNas;G4 zq#opONL|QbkV7GdKn{i+1gQf#5OM&dHe`Ruevo}3`#|=F)PmH6)PU>-*%Pt{WOqn) zNHs`R$Zn7-kW@%zND8D9Bm!~vsIl_DkUt^+f&2m42H6Vv9kK;d0ND)r4U!M}74i$@ zXUHbVM#u)pddNCR9wZmC7P1Di8nO!V6J#aiN5~J56_DkSWss$i9LV>OC6L9CMUaJ% z1(5lWd62n~Igr_qS&%5ihh#&tATuE|Ak!h!AX6bzARZ(WG8r-n@*U(`$TyI$Azwkh zgnR+{9P$}tBIHxZCy<XJA3;8Zd;obL@*X4u@-E~Z$lH*&AQK>OLf(M94tWjoD&!T& z%aE5KFG5~`JP&ye@+@RL<Qd4*kf$I|LY{y;4tWgnDC7~y!;ps{4?-S*jDy?{xeqcH zaxdf_$lZ{;AY&kRLhgY48}cv6?U36bw?b}#+zh!1awFsh$n}uxAfqAILPkMGLPkJ_ zLxw@FfeeKVfm{u_3UVdn3dmqcI%E)JAmnn$Wsm`o{*Zo<zK}~Hmq0FtTm-ogasi|d z<b23^kaHouA-y2yKzc&XhV+1RhnxlJ2I&ep6LJRRbVwISXUJ)gQz557PKI=XbcA$( zw1=DoIT3OK#DyFWIS$ee(iU<oqz&X4NNY$dNJ~hIrFYF3l96?F2ELY>F=zK~8TH#{ z;42jwbMxC~Y@L^}_0Eiz^SWoWhHO0~<I=Vn`L#1vJ(j_*k7s1vn}P3xXVmJKQEOmE ztuYz3?#ih3SVpaPGHQLCQS1GTTAya**Uj)x$XMFAZN|D5Z8O%aX`6wcJ7(nXw{`Cf ze6#i>o_=4#bHOP*Z|cYMsXXO<%5&~%Jg<3*=aYF_aV5{of8_aDo^l%Uyl4f_r}H## z63=r+@H~#ES@n6IF_GtvJWW}^bLN*kPhJ?D1H(z<Gg>x#GlL%!WV8m!Pv3TZ2L4a; zj5QlU@WoriTRDigau6@SiAxRQ#cxy*FMe8zcq<3-;`gegj2FKtMZA?6Z{;A~%0ayN zF)I~}7r#tJyp<Vm<sjb5LA>}GD;10vKXgUB_|Yrk#W^r!yqoTOGovR$Y)vw~Z9&S6 zA+BHG`s-YOh3n6A{pqg%wd;TA`fs@Yv#$S`>p$xHkGTHBuK%FxKj8Y~T>pO8zt8o@ zy8gYce~;_m?fQ4Q{++IWhwJ~__5bDix4Zsru79iR-{Sf=yZ%kCe}n5^@A}ud{%F^~ z*7ZlZ{z%s!;rhc}f0*kJb$x_!wd-Hy`d7OC6|O(n_0wH{kn0b0{mWc`fa~{n{eG_B z*Yz)T{YzZ`V%NXO^)Gb&KCXYh>!0WP=emAx*YD-}=eT}P*FW3!d$|5tuHVh|ySo0F zu78H>pYHlyT)(sHpXU0fy3tN<w4)pC;6~fK(UaWhiEi`+H|o04<K5_SZnUi%J=Tr3 zaihn$(bjIXl^bp8Mq9Yi=5932jUMero4U~^ZnUu*ZRAE9y3q!1^e8uaq#HfLjn;Fc zhr7|bZuBrWdZ-&c#El;8Mh|kMb=>HIZnU-=-QSJw=SKH+qx-ngz1?UnH(Jw;)^MYH zxzRn`=<aT`x*M(LMytBf-P~vuH=623E4$GYHyUxHj_d!|_5XDJ|G54iuD{Lox4QoC zuD`|gH@p6CuAlGvzq<Y}uK%;^Z*u*OuD`+c*Smh6>*u=uTGwCW`m0@kmFxfH`YT=k zN7w(s^_RQ;GS^?~`Z=!uz3VS={l%`o$n_Vx{sPyZ>-uwCf41w-a{Z|5`>vnu`dO|& z)AeV#{xsL0>iSb$-*f#;*PrbAlU)Bh*Z<b_zj6JqT>neg|HAb@cm2;?f1>Mu>iVC! z{>QHWk?Vip`tQ5`d#<11`tQ2_JFfq>>%Zmt6I}mI*MHshUvvFeUH=u=f7$h4a{U)w z{{`27-u0hz{qe5<jO#z``cJw3ldk`S>p#BWv;|#e;&(**WQ_yhv;F(<AAC;F&ifBw z+Q;ioSl4S^?`^}j4d1rgmfl-77Ci9DjFGFG%ow?9`Hbsxa`W6pPR?3b=B!;>XW?P% z+UMlX7};~i$jmvpFXXv-M{drU-E`Bm?04ra&l%q@>&5JMSFFkzKk2OOQ#O8*vwYqD z8(!JiYSYjCHoip|xN!nu%*HnfcWr!Q(Z1V;ExK>UoF9&yv4FvRQm|=V<$_8Dm62G| zZ{3MA2hY55-Tv!pugLP#?#kQSZ<c!{>6kT3{bp;HkPe)Et>0|c0MdR_5BHl*$<MlG zW1o!|&U=0Hwe#M*b$-7&Kdx?8@ao*$)f);vT<}A|tE)FG8n|NNip2|m&sn=@Z}dmB z^VW;9nxI0Gbq9VjW0YSP&Bu9F4iYKLH!=lSwG>T<x+hPWv*&fr$<2L~=k<f<o=x1c zf#<3F&OLK>BX->EMk^N1uARM4_PYbKYi1oyGA6r5R#P^9<|`Xtn=^OHul;cPdCohe z1993k=WYM+X&=p8I`ff&l+D*}p0uQG=D0<_a`gPI7XjvcgJ_2$TBZR^uR9(YGhfNN zHG7{m`Jb$K#os-9A3$`}rl0*LD_+_3(#%(<ubuhJ{2DW+=I=jm<D7X*j-A_K>+N&= z{Qb8+yy$}LZrH}x4#lpxcIf7NxBfCCYv$1W!?V6$+I#tPk(`N3?~LSrnfqY?d7S~X zsLFZu>}v}C$bNL~8B0=UA9l#l$qgX&4;h-ZAFyF=uiSHTdoKFzyLI2K|88SW|5@MW zTsCXcyrXjZ&H83xWbw<Hhvp2J^<C~2^N!3scinZlmn_bk-(t#dmoLu4R~Umw$8CCE z7CbEm?w-2hhHl;*Z-7_V+s~_>`QOa^%(a<Iz1iLr?+foe?^W+<?}0fhb6+^BXX{Q& zTfA9t`h2Hb!S~;7s9tG7kLl}qzIj29g26Wzq%RrBw?dv5ZeB8wZ!<hE+<a_geYFnw zKYoM%?0w2`?+)*JZ;035JJ0Ltb@Yz)ntDfg^}TxD;of21q23|h!QMe$9q&Nz0I#;U zzqhZqkGHp1%d6?t@b>cd^!D&}_o{hSz1_SjUaD8wOYtgs5zoo|GxI;0e`IdU+?x4& z=9bKY%*~m<W&WD^OXkm+n=&_MZpd7pxh^v=GdFWh=IYE<nLlN&%=|I)hs+h3%QKf{ z=45`Kxg>LO=Az7nnF})KXU@x<>&^0_p6_LQS>8-<hBw`t=1uiHFVmasP4d3;zV*KG zzV^QIzVtr#KJzAepL(BoAA28pA9^2n?|T{EyWTtA+umE=1n*7n4exdDHSZPgW$z{L zMehagdG9&zS#P}ejQ5oHr1ymPxc8X%sP~BXu=kMnpf}FD-@DHn>)q?!<K6Au<&E*~ z^#1Mr%e&pX&AZjR#k<+N$-B|J!Mn~I?Op4Q@<w_iyy4z3?;3BYceQtwccpiQH`q(} z26+R$%e~9IeqLYiQtuM)V(%jFLhk~vk9WRzuGib^<(=d8^v?Erc-_6Tyl&o^-WlHM zUKg*kcba#qcZzqi*U9VPwf9c)PV`RjT<>`AIIo@8)@$P(<F)o$c`dybUUM(aYvvv8 zHSrpIjl70l1MevB$mNaew_V<N>mkb<<KhdaevpBXF_60;k3rsnd<=OX@+sCwgOu<0 zsk3GS7KySdk@eM6dgkOF2c0t2ZRufbjozfJybohVko6(F!!AF)&i8v8y`iezydtIr ztrA&vcPx~6dgl4?h3Q<7GQC|p7`~y=2@#FP7HBmzP0&Heap`x2I#E_7GCWqlGIq~= zwuHSC5YbF;t17UdL1Kmmi=APCVT=Zr(i|uQraHBRGN9-K&|qW?4Qc|FnhX;cCZXkE zVZ7j~_^OmZ3slvzh*25Db#fz<HdrMxd%Z~;WVc9-LPQg|4OBs3L6@<kgh+Ra73NsL zwq1}Cv}ocRF=Uyko2D!@ihxlS9c>gqCRevsMZi9+<~O-8WljI{Q}729l;Up@D1CIv zPcc6Kf*9=>W0Mxd=&3Qbtq<q|KV^B(FCxqLOiN$>V_N#c&1vZcr=+DXI3g{5+6hQk zNlTwGF)e-3inR23lhV?28m6UB9+#Gmf6u0+PgwxXXOPKh>9g)asr<C`6<4OE`&HA@ zvzkFyKP`RDQ)%hTE=x;YK0PgU+3%2*klv7{&{2OO<O8H%f!qf^IxThKuaIvbUqHq~ z9)+xi`~=wqc?0q?WNlh%LH)GU{C`2NOH1AKBIJg&)Xf=?*O7Ms^v$4KkMyjx)CGq_ zYCx)|rOrnz^M3}1&4SvHLm>`y{{bG9mO8B+<VeU7kOLw6Lym#8hO~vC-f8t9$0Cl( zD6<*z8w4>fKpPjr*Mk27Q-Fwl!7A`dX{j@APfMMCG2}Fq-8U_DD)MHaju|x}>1nAC zL;V9Ns$cXhil9ptUWwvEAkCpem5UJWq6d&(0f~Z-OiP`IE}Z)k<fgRLIqyQoLWdCN zA?$hZGxtOYnlrCOTI%;GzZhM-I17TNEc!Dob;&SDUkJKn@$-;D;4h}7PQDR>FemSx zmO5zx1ocer0D-^B10iVUq&(mmX{ocng~0c$MUYD%@ICtu2%0tfZKNkco&&!>Ep_Qe z2z=)J4uNe>N2L2h`atF&{VD`ym!fS`?t;MYl-<%&Gck;r)4<_#$^gi}(^5SQueTH& zeU$Sl1Tp5k4?#cVyaV|N@*(6C$a|0s$j6ZHAedq~pF<`<-h_Mw`4WP*<RIppw;*35 z?mHovTC=W)42NJ$X59|C4T3mlT?ZKrK|Bk7fgq*@>mX|(YanRvf(;P#?*jDKf?UX^ zwA2;o=M^VGj)g=p{ZVekIgqm<{UGT36_~CoE=WuDk)MsWWur~ms6QKhm5sj2MxSJ3 z`ei=_c^LA2T548f2+CzuNlTrHDLr#5cuhzRNFzuk2>fO3ot7G1jxwh}pr3g!1Q^BG zMteapzp`G0pp8-ZUW4|oo)7sfEp^or2>NSHT}WlfDCm1Y+JHB~a>n>9!<a6+7;+H= z@h&?baw!C3z6|YKb|D09Th<r#4}Uzp(&Y1Tn*9P#oiB<^ed4_IO8E`O2j}HS1+eTD zld2ZL!Z!jaI3j?}cLk8&%z(*T-~_2nDFI9~c^jTGsYU^O5S(Y+9l-SI0X%FH_XV(E zMF3m=2w-lOffEh97r^4@1DI@Tn>8^=<-8hzw>|*BN&s0+0{A>Q-yfXcJ#TNcbIz6L ztymP0W<q8)RdS?eod?tTZE@Q6<F}D5^%mv_=Wl}Z_~5)cIKR;)$PLcl1n2R=d3A6` z?zW>gXYf32U!EW4Y2KvMB6+j&qMLqu>PfI@-Yhc5aUz9|N=}MX$*GKU;k;0jf_&Pg zI#qD&=2V4{RdcH2yt}i9vnON^XRjp39<Zq4)P%4^t#TaIP_DYOx3dpq-*Oz)P<wSq z*q%rU?X@j!zMr!{+FsSE4LJb(K&Os#kaIA6AL1P99Ol$@4tMI|IMAt&T;|t9{t?cR z!Lh${lyx+)xa#9|4IMk(z-i<(#?eHMMnI;iQN8MnO~Y6T+A!}ZSRNH1d0}Y^tHL(P z%P=0}!_IHy9PKoV`Bn>46LU-{Ez!7;rioY-jx90X<n<?(vrE-?(wwF^cn+D-n6&0< zK9Ps&=`FFm$)}CURa-5U<}?q=(5|^0Eu5B^A@<qyI{PKLq{aGFW3XGMyovbKNL0VQ z$Tl0FY?YDXe41V}XYCKum!>pz>c_@3%qhEUVO~;x;S%N1G%q2FqI|Y;5|7qSYv-7_ zqm9$XITq5|X&XpeL0YzhCG+(-5IYEu;~*>*dRGgBt&tmFGCp5Z$2)qsF=jNbLygMu z&I!(ma-86t6yqm4?QwLFqodO?mP6f%fu7|$$#HTlpZ;Cv6dcC~=Tng~HJBXo(*hgS zpNN!+!gV@3U2y2xlt^~gxpX@EgPgBcGL~mRqp#zfGcljffbeicIHMbscsL0b^q_k( zciEB-&T;z)%QnTHz+Is$4zh5qX}d~7mSVXUICl$rpha*tdl7f2vyeUt!b6daN7ICs zu`kX_qAR+O>~<O6IIgXQ^W!yqCrd+bn)Rhf4Ue+*N8)~^eb?RT5j)Oy&PJ=t=6Cz- zi;9X~!#$oUwIr&jzNob7iE2ySS>m9kiaWSkk8yfhM^XE3`Se^VJ)LucO`#61<a&Yi zj?E2a=UO_>oZi-9(mbE*oQL!IP9Nt2=R)Tq=VIp)=TfJy(+@{~XMl5=bGb9n8RVop zgK?&pLC8&fUE!4HP%m0`5PT<pUFn2JH|!8sIalKt;tX}JLHp|<uJ~h^Gu#=0ypeEs z4USPbu8kc`mF*av)c!i>dglhm)ODkClXEkUTjF}%j74wf)+EQ(&TTkMY`4e!|I0B) z+2Y&L*4H9FO7X|FL2Kei;!10D*c+p9(4vm?Q}4j%zn#K|sp}5s4p?vui#i;P@+jxd z5@IVpa?Wc;rDv`cvtm?d&}dc1xmvv6zhmwgC)qJ7`N9+JT~6UcS8e$*ex|T*@5WKb zxhFX84(jgh+>4_ub*R_7gAvt~LDeZz%NKW^q7SD`^_y7DZfkrOHA{l3cgm^s^RRHN zr4P`op7<UQQ&+}T7j<fD`pN91#@6JR6{w}nj2#=h57qn8^5cC8zD(NIj&a61_rq#z za3ro7qaEvv3v!#sT4d}VaN-Zf$sAr2JecI@iR*>p+rntZVki==I6BlRCgvBFPV~gI zd1(oz9)kAaxb{<PB5|BYaEyzUV~%+}tR(0K2WR?Z`}s=Ne&+YW@u+olN4h!s%dAkA zPHewc!_s^aOM4_*GyOo|!<>!BhoA|^pLOu1Eg_CGDruV}0A~E@h5qbUvi8%HiJWsJ z*(+K5O$lv@V(EGy(b}YKEu-N0hwWz!97BzTIi~%lx01zebd1TAO+NlTgKJp3ys<Ym znmWy_OKcs>P^XxfUsT#|sVN_xO&NML^Pe*>jD$1dk)S>^{{w2B9>a>!7iWRiR9ySJ zqXqWd*YY-UhN!PFLe&`L{$*a;8l$&$<b}%{jeRy{oM8Ry?n9lK4`%gq{qv=@1_`VE zCLMoHHvdiAc_pt$FR<`s>gOof5t4^(Nz5ret>ucgGPUbGG_B?i#BqFFFkJt}+Hsz6 z_<4o#sydS{Zu~<_!=7^NqdWYW9_YD)+pm!`e!k55e;V_Bth^664pW@}JQr^N!-Ym) z$Ef)BYmGs*g-$G6)cV)HHdvA8alyM=;`?9X{BQ1bkHu?he>iR}KPqEZT>I^{Z+Q2( zk!A(S+n=nxCY)qB#p&#^S3BzX(zHS2{}}@~+dahfVPfT+;T(A+VMZid|8&LnC4cW@ zZhQn4pW@Ck9<iI_S?Af<JG&EHhlDjA1DogMFxEv~(-qwswy10`)^CqS$ZbCwWnzD6 z+LQ{%RQ23n?DjwJJP)^QU1)23^U0RuydVcH_$q2l$D>b8<bheaPh4X>>}P7^FUDz@ zZ|r#YV3;{4i?8sSdlY3@j`EW8vhzwHoR_BU4+xr(NYsV7$(XSY&uXJx@~ZQi^Sbi} z<aOuGKwg7}2X{W^@m^>gT1X82m>Fo!uLmP$#zgg@u6U;QifZk|^&@*TzGqE-I4;`j z)KuInZ1487@E(sNJH~k|=(X?)Zw%h`cwKAm?ARa8lg{t3&GGNb#w$yi!}O?LM^i_O z@UX4IQd&Ah^A1RFVcD@54f;zqzm3(HVEiiX*)~6mqUg);@;%2csZ`I{XJ8YYUHfS6 zyjAKW9Pu5;N*|4Fx#Qy5^*o2~oLmX<@$0*+(H72+w=Q2Qtg~YL7w506?FoIAuWjWi z71miX{ZXD663Z|W^90j=uP{8>)kiWNeS~dGtU=Ry*KDIHY0ee7|L<sDjM#o>VEUYd z6{hX}2mk4TUAqUk8<gCFw@YDD*bDDq%&TzT-$7$`!gm}ViSbC_CB`4_jl43}r}6Qn zLz~1}?6fJ*m<qpayP`PD7xgNtOn4`0?zYQbzG%<o$uV~qJcoyUw?Q7>hlDm{;~-{4 z^}8?p{KkBGlkEP)Zma#YQ@NdQJ`pzObL8{kdnCqpVOWy?^7KXFG9`URSGYv^HFoRm z`OBUzzt^zjdGHdxLj7OQ!l**FeNmaU72Y?q56!IB8p3(4v;ADm+}@fU`z(SpFxgz& zp7>ZvSUy%|90~I)mT4vB@v3Es$@=6`F|e;m%gf6aA4krNC_^aSJ8ao%DB9ZWkMTRB z6Ff^wzHjP$Gx3g*`vv{pgV{ZMC+%P9-T;#IznyRPWj*WuY|^v~>oecSFlTCe<C~^` z{Y(3kPh$D}E>Soh;d8yBN2jEmhwxd2)-@*he2brAn9nho&ahT0ed#M%|7&j>)aRl$ zhTnqG{<m`tH#L|YtEA|Q%MYJ#>P*WB-m%TQNwWBh^R_*Ce7b7dV<OSWGSIt;FYUwa zsn0IU8to$-Yr{-L{MH9wT6^-(cZ`kkUeWz$|MG%S*!RPRo7(lfWA4f6-FOar!Z58@ z(ahhT&U@G|^f0@J?j&Q8XCFE$e12^X_PzOJgJ^a>^<TLC6{9h~OF72+eM<OCl~(wq z%T5)=OJ|j=bkS|l-+mNrQJS1&b(T+O#?p+kp3V34-giF0h<_N2nC5IBeuQtNp9i0O zSNa&pUDE!2z&||vT}86K(BI|McRmUB4gEbuGTXni&i?I(wn@?a?k7B}p2%02!(T}` z(8eEjK6!jD`#1iu^XbpdP3B*JnWbo#C%4O!H*r2KQj+<f=)@n1{^N5e7HVJ7`KGT- ze4n9~;}F?#IL;Iwn*SN1X8xJMVe0>sp$2wZ-bu*UI5qz$<bRGs%W?Ef|ET}ZQMcoK zf#b_U$GZ-Xubi))Z=7%OjQE@2*x&iindD4%G9535{7v)zxObZp9Q!*{ooUW=XNEJ= z$#Sxt{Tv^^Ch?u9GYeMV;kXCCjXomaEHfL2dG;_T_(lLNXcK>QL)zFS=6xB&X`*$U zxz0RizO%s6z3VK*I}Km;!1P$;;Qv>4mN?%#IneRf**r9NA#ydJzZER%2;AZuEb+%u zXIY@BouH4m3RA{Q(P!@Xe0SHK-@MZ^#b2uNP-d*StCNM-3Pt;7&T<?roE5kaUlA}O ze{sme{PvKn8S;%)w;;#l^PY1#>{+@6<Ojjez-aNKcxnn>AKzCoNBy9b`d*3O9GSz^ zM|~Y==sOLcu>TYs{I$GcVcO_cImwUJjyaO$Y97%%Bjt{0*gL3+b?d94qsO86J-<2D zIBNnM+L=i0GqvUjtyEJd@DQeoV{1{1@z4<dC?y|<7HOlsoQMsbTqh65x?mI<28^0@ z(04<v-N4s78v>+;M;`KMLu<nu!rqAKtvqL=vl4kLanLpwx#s8wPSKLNK~3S=)Xe-a zQd5W49_s05Q&2BsGKYzbrPm;D6TGt}^dFBVDx+sf<|~>!)}vPB><elP#z$fLO09|X zr*+zTyA|=RRF9#xsV^)M=7cO+J*w04p><)FIH&ZxS++iLR{iY!9GhqKXxr9tesO+H z&}e?)d+@(Xqw7{9D-CwHTBT!EdMr&1WwEhqjxWd22}j6`R5)JowiTVyU9<F<Jc81f zH-AT^;?8<CP!i@lf8XOL=eJTH`kwZ8L!B2D6_@%;#FG5eUTqS~YF=nzEEDahHMZfq zcu_jFRNrcs=+jP{S`&9^<H5Eg5BH7D&Ss>-e61<;qZ-<TJBlemtI#s^QdXAeM|ZD8 zEXuEm(eyw#4u+L{)l}MjF}a<oyKo+3x8E(2$4;xT2TjVfL(k0D!{(|}v`2!vL|fxK z)EZ{aVQgVLXdmj!#!6o@Y<sdA=qL2Wh~hQL%221*FUc_3uBe}hmxN{ogb@{0f1<wl z5<lbWi7S#<QH<Cyz3vRxs$RDxYD`*l`M1|>F&@J*$=F|Y1@?ETH(8(j@98*GICGM% znnWFYM`s){K4s^a-1y!M?`DkNwpWdo2=jDZbc;n8`UxXoxny;!Ui~p$+}fa>-nVL* z!Wg#O_-8s~#-3?&Fs+=Jm~ZD5%@e(ZmUfQut^HzZTZt!Li-QO>w_?%M67N%68L!=* zRM_5vpbt$t^cdzFou;+#ZA+s|+^<WQF8w>CMo==cX4}d{625<g@86}1G2V)IRPma! zrz*ln$+d2OoF&&`EViIQJLdCU^&0<u>(YF(ST-BR&%foxgC*@xb~FZ~)wBBNQ*A95 zUn<edu8~fQo88(X^VFQF@TH$EJQaM(p#4!1$k7g8hU;hWI}5}5$y(tX4#mCrH%7{G z6!sNg+Wx*Bb9Q`MKNl%4ayIZ2DT<jHhJ|UJFGTYVS)MhYn0SR0mS`<LLyhqge$$pL zGpQ9Vcl^uTS(WYV1b1UB^Lvby&BM;N{=LYK{2guh=h!uRpvXZiCZnjCrbV_o+k)d~ z=MVf6_CL;_&VLIDeI)9gNF-7T$ImE}c%(!sM^YnIBD>*mB7eZMIk;M?MtHEUZAkHR z#^k@htrnT!lttpLL!Z?m#!K>ZXjc+r`3XU%RgYAU?2h9PXOGC9XkYS@Wr^MRwo8OQ zD>i<5<FPFmksyAZ2t|xT7)kk<<LrrE+Eow7*(<VFq=p<dBZZIh_KJ3UQR}m;di9rx zCB;{`MWxkn&vYE^8yidOA(>sRNc{1;vv;JpBbkrV=**5Ej%`K7U%2k#qTf5oj4~ed z9jUOtiqtqxMSA=D``S6Zy0iL$t=Yc1e&0d6eo4E||7L#T-pq7qpVjOryZ`Sak*v>c zUFqA;Yu5jz!}L;FuS2%a-X0mlo0sYNOv%=XzkeyJ#4++rqNse;7xnv`!YxUz(I<5~ z0{I(h^BviHzzQGt;Qv=CZ@qkeN{`wPe+SfWu-eEN?cW$Bj)ML_Fr`EOk2LWI%N5s$ zX@#Cj@7(9fg@5l8MjNs)rq<3rk$obXWB#8erpne1``NqAO+ATYu=CQ*gKx8k|Lc^Q zwfejF@M*AWN;|8~ulx8rTz#L`Hrao9hoAZP!neZhS7~e5UORmPYu8QA$hX&bY09&n z;tu|ehr}1xZL<B<wky1=71r4CnZ1C2{hQh`N&VaQW#Qp(KFzNWSXWuf>t6&8{pfE; z3;%xA^g++<xFRtgw1%?9SypTQGFN|%tG`w^vmqmHceZzGesXh6((%#pkMG|xN&nJ) zviTE6pZNJqm{WdckDj(#Q6mr0)KhrBVK4EOEPm>>r%H-5{x6G|ZyoXPI?{hhWh)|| zR|s5@=GVAnp;wclrmQdeFn?<x^k%d0ci?7@@TyP$qI_aqb~)yil#VZNTPORx&%AS1 z^m(6%{wmA%93PoU+4+A*9^ZfEO_}u-o_oedyQuY}eWg#t|H19+0qxI3EZc}`>9Un7 zkG0mcZ{&ab*e~+Gee56k=P0TN__S+(e7;HHx$u#gZ=R18w)<-|T;qRD%{#VM-McCR z`FrE=D9U3pi`tO`BDEt27CII=wV_XbI949HN!#c6atB8Ae=XdVu}-A;qo`gF^}BNG z|B1b*9ylnH84hs~tf;a(OV6-&R$Z*8qF+VDesIM6jf2zhe{2_b91^jQLnDVFZO0h@ zv`PQ!ghA#V5~+*ha2zaKobY>C#=ohNWe$(jLw)s7BhS>=jnt1E5tAbW-BFPSk%l-L z1$K=i)M|{T{iA}OEvhg6H}&ix{)N{jktUI*k)t7G%_3<yH;=T4w1l*Xv`TWcfJN)b zF%Xt$Q;wq<%B4k)jkJZdE633cwWmQC?QxOgBQDOzMNUX^oR~zH%&t7T6C>N}-ON(E zZfZ)GHf4{-$Q^@TJPCL-W_|le2RYhD+Q(Lbu{Gz85gz=_C|^b0I~JW&R0--!Tgup# zWL;c*rZ!q^->bOR{Qu1h`>ZEE=M8@&V1HUuvE0;H_*b8uB0KBQU-;@LR7E2#>jeM1 zPto5`(H;!{QjlsY77O=SMQOsn!CbKs?^@o<zs5~F%U`~<C5!LR-p<L9@*L{5v{4jg zr@Msu3$dsYiTc9-L%}<tlOo@r61|ir9bT)36_lo2Q8xS(s;IoO>NTRoay?^zm(1=J zwcdWzZzog~R`h2qiT&|+O0)M%`h2CL`c+4|qWV|;Rdj!<U&V^{Uz9(sFCN1yn|OVg zD$3uE(TDXaD@#3E#>T|*c3x@t6;622{)#|CT}3i_r+>Z-md(54402A1#2;nzaBAe# z?JA#Gn`ujUj*pG0FmK1O#E6oo?Ve{GVVueBlWW6L+OB(o5lwDgv^MOCK_UH%SkY1L zm>g{;`;s--eVUBZKAFCvbXNrbV*tN<#_#QfuQB+>3jfax?FBP~wr_W!cm8$S@Xljg zlD360kPRwy#OG^#Wk>elpji9LS6<gad`x9YCDwatFe?(ZrAhNUM*0e8M|}Tjeu$;< zTv0ZrR{bWX!Ls;f`LJb%m9Bi)-tv?WOOt7j#%se=d<~)g@5xHne>>A^=l0WSk)3fA z-KNfwopHq1Z_m(CPQ@I0ZyjHg<J_9$NVNGUUH%^E64{<Z-_^^rzU^70T(9oK_LOCI z@l!)HkIer~Vm?JYJz|b)96dts+s}61H-XKan*HtQL_RL|t!DG>W^J85xh@GydKRJn zLgcRw%KlAg{XfDI?>)nG_&<j6JE`&Cd>`lBAGGtUSZl+0Z1z=<2z{28**;2sK4a!v zX?>Su_gK)MrccK>kK-_7JTCbEQ<IHP_&s*^Q{h)hHI^>_p`fpmeb2l+<6pWuZL9cM zVEV+=oDqA1sy#8rc_`>L^Xw*BpP65;=o--{&?RBvzNN;FvM63UtN7A(i_Hqi2->Bs zB--~|$)nrx+W4s1(y+B5i?`BL^8EN`Zfd(@(EOGr++R4S9tzf)_FS_0qj^L#3%T+V zBV;ahii!C}r4v1=m(bopj1R%{!@<sIW{O$+<a|96{EvvH=0G8*hpj~DPfO`Fm_cJ2 z>a3y`4ZZAWX4)C9eZ#2LcOmwPIl@(veEc}adg5AP`(Ik)jzW%c{QMm2JQj@a!#JDS zH!heBW>-sWQS$aDT9rS&quOo!#<!kPvNt%p!<L6*T^gqGvV29n)ZdQ6qGvt#uJC{M zPWIl+_LVgL@lR9iROxzW$F!SmGkddH<>t(Hz{FQc?Mt+;=ydto&nQfr?A0Bv^Kr2- zleLdmDrT;CkJ<fIq<rl!xm5CbZ{|F&M*qLOw)gYh?fpErsQDFtHC$A0a~$mz`n2<O zkS=+A%Vse~-s4#pe|M{OChqv*y3vS3TT@ooSlQ|?*_!pKl}1+>S-ak)^Zi;6jkfHl zb?!WjkFjvQVLuekE2~CFOM6mxO_Lt$oDnIh7fUz4<7c}`nRar7${Mw8PcIsMX^>Yq z@pdL{&hdT!cSzZ7)qB5+oB{Fc*R(kNw9)hw@AvtHgtm#VWaDq!*zp&>)3S3*&&_)m z&t~k+RjYaLO1w@hDLy;ae|W|BK<P%6^Ni!k-5~x|y7KW>@g8>Vl>N7&{{Qjt?}Q|d zyN+7?$o_RHjb~@$j&1SIZcW+i+p+C0tM{_Uzr7{O8sYZa$49(<{)&G-Qh2wIuX|TW zZBPHOef+<`&5?Wu+#dg>DH}e2Ce!<+p24qc_)8Z3dz929dnLcViof13%k^qlM`@x@ zyxI#(|HCS#2mb2kC-F0>q?FFzifQ}b!At2@!OpNs-W&W|Z9DErUT3J)J9*uu3S(&d z*D(IiBHQ!&U-*m8#r4nsLi;Ba(*fJp{$d>eO|rJHegA(;>+tN1oqgxmp{*<K%Fx&p zjx8)pRyf~W6L!ZFrT1_>`>q`ErFNZEMg5w5SMZZ;R4O)Z)=;q?i}QA7#6G%4x<<^M zo+;A}X+3n7D#rhvp58&s;hh?Di>tS!JoQwxogH`4R^`h{Hp)foivBAQJ1@ud*N*;6 z5=HmHuAEcS9h>GC)yADS$`w&l;Z|t-N{{hAS~z7t!oP-CdRF#YT3COVk@YwU>Ev~9 ze?7_lCTd$C9@fQ|o<lS_iLs~;wj{ANiD|V>^ii6$mMsg$M{HUZUzcfbs4FVs;%iN; z$M$FXuj1+neV2|EA9?cJ(s_=zO75w6ZM=ulrHc2MJhyb7<E@f=Dqb7!p>(O@JtogB zo#%L~<eo~_CR;V}o|C1{ij?d*(PCxXUYN{l@w$KNOzhDx{deeFzCYkjBC_KTeZskO zP_O8BMr~S`;+SIZX-uv@-%tKoSuiNUDU83QZ-<3t{+>+l)eQ3QGn90&9q~3MZEOFY zZA}(cd4Bo&PnjLj0~{Uw9dU^9Pb!j);P&Y%;@AHb@e6)?McKcSxXUSgXp8xmDE@hs z)C2na@tuozIHtZKf~W8BzXVlMKP1oBzkOZazjAKM@yr*`>e0qft2TkToJ?6JOnF6m zFeQyf^@*sZjBQvdj38N#dI_zRh1RMmj1s!Ur*Rs)vXu`#?FiP*=~k>;eJb^H?0;@l z&Gw;Ix_w^$KBcuiiCBDuv@Xe_xcr|>EMHvd#Jt4VnXZ@g;9r_BuY9NcM-Tj!@$#28 zCC`qO{aEfSm*^d*?4`pJd!g=pXRk=%BeW@+#X{I=MDKLUf;A&NiVo4_SNvIPEbLix z3>F`q<JkY-c6`awrR?(M<B6+G(}lg&iHo*y{?65uEgEfABJP-&wU*GkY7#NDD2ka9 z`u=9DdPejps?^TWa}3Hh4m&5V|AksOFaFwgCeGzBt#Oq-!q7+2OxHru7RhoLQ!>5L z6_;0ZslO^m`}gmUJGzJdPCa0^Rp*n5k2%R-cA1c~lzFMnZl~=@^Z&o2-DaEbdhNEO z-+o?H`_*$%`8!Il^(rQ-NArlu^0!B4``%vviN5}h>7x2dW3~5<is$k7FBR{f9{Ezw zrd8Cbree_eO?FP^-?lUPwkDn@D_@bi_}X^8R8jMn`qI31t#7!OrbT75*?H|x9@oyR zzv63Riz?phuIDlN$Qtdg*P2}|;^KP0<h<?qpUO-2zAISp|9~z3OMg+Yt738g_whe@ zyM7OpG_&`M{O=y@o66@nHJhL9)ST4AsaX|#4+wRwp{og`ZePd&kb@z0AxA)%A4Qpl z;7uXTse`nIILLE>EY}`#GGsDrD?{HI{7gu9$T^VnAgudB;H8iOkU@|uAwwY}Afq8S zLT-ip8*&$9EaU;mBakN`tp6Fv^AOg51mtD#*O|uaEg<VB&j9Z(dZs_LIP0g5FV<<8 z<FHQUtW!DbRL(ldBltY6F0fK1gH=-;Ck48`maeksT0+OXR#sjFd6l61f+#*3h<yvO z9|EKgrcbWxIIR=X^vitu)qDrOIw0*pubg!$uVnEQi!*+;sV=+|RE&xGQvm9dTz!(O zPjdCs1zhdP)t+4K$<?0UV9<EZ0@t$ST9#bPlH2y`rx)~EmR!q{Ygux&Ki{(9*lAgE zElaLt$+cc`^+T@x)*oE^?J{unNv=N0)hD_7Ne5SZa<wN{dvdkEn&vV_L%_8xxt1l@ zvgEeC`WXqmmL=D+<XV<o?XR<J$W`9~oO6<MhJB)(`YM)QIrR-Kz4A`bYYhD@PQAuM zy>jYzOQFJXs8>$?9+qDD$(DYA#ZLj(m^m)Wsn?jPS5CdwMZI$BwJp>ur(R>AUioR@ z+LnP9r(Wx#UODwz7xl`iZy@cZUU_G5_0Mk<D(?cW^MUh9IrZ9h>XlQkF;K6ZdTk^1 z%Bg2;+~dekhmg}|Fofe3=p<(9G`2IqHGclDGs@2d*ST?}#i>^t>XlQk{Y*VMW1#*M z2s!oSjE8%X`seymPQCi1UODyZpL+HG1$;40pJxHI54i@FQ?GqUy>jYzmp-9h`Ptwa z&oGNquklc?oO+Fodgc7~yZRY!aq6}IsaH<D`lMbt_3D#)<>y#7BP>q6+EA~&7r4$n z?la1%*S?}&IrZ9C)GMc6_hIUlQ?GqUy>jYxu2Qf3TySmswHD|5h3dKQDW|@wj8`9U z?c3`uPW^6TL%nk9wI8S_=d}U*Q|Hb>)?84|*p)MOa?WM$Z8xF3@|%TopHt4cuWOM! zSa&GPb)cN{T5ZTx&pA!b*tmad?0qfHwXS-ub>*Db$~mu<vn|Tm7UkcA>zMPe;3%hF z`<Qy=)N5Jll~b?pZ`3QF45~g?TKp)qP4x{d?pZdgEY5vb>*BtvoO_sZ?qSN=4?5S_ z56W{fR$6bK#XkYpvJW91<s1ic9c#`d<(y089Cvb#7vt2vVw}o3zS<`oU*(ygYV(uD z*$=8`KPX>l@hukb0A54pa9@j4U(3=f=li7E^L<h|^=d=Ca?Urk;e1n0z1mQ(oc*sh z?0@Cds}1$axsR$1_fh54s}1$aIiJ;r^I19dYD2wp?xROZKXBbE=YFZ2`=xTepX(gp z`?+%Vr|v84XXWg-2I8OnrhGoQ&bQ4LpJ(ykEYAK>pX?vy&8#(&W^wL|>Yw{1Iq!uS zGx2iR5;>2F>_g&pqQ61#HbL&iK|YXkyDqQ_d@5%=%DML|=lW94_ZH=RAE3Yf;-C8; z(;NfhXu(I3?;stl3t%wcf%~95*A@4E)lEcN{hz{o*d0$Z=<6~mWnQ=VgI0OH4tZ2{ zDEGL<pS1XM7JtR!Z&-Y~#aWiIGG^K<f6ub{$l{+^e4@o?Se$zGlWFm<EgR~!-P45g zJ??#Q;-`X)iLuQV8|Cy*J5TT%!OsN075q-{2|>1n<z52P*M60O7T37<fnMXQ0<QWx zmi_>%Y<+OfJNl$vd0UGgW7(6d&sN}CS8q#yoTaB9jk6QD`X2$Vd&x+P?{C?(v3O03 zH@7(T8V~i#**{trV^+S<vRPzt)~jV%ukzX!Ki1;xE8P#+M&;CNS?ZM^YVi{-zQ*Ef zEq=7cyIP#%rFF4Cl~b>EQLmhOy+)*7c>~MlG>bQ}_!+{v-Y-jaoZBIsCk?9LZ&gE- zpCi08P&sXSiT-ra(+~9{Amp@HKE>j+r=I@j0oCWX7N2eLhSeO$h0wma#amf?Ka1~g z@!A$Y*y4v<yq?9ISUk<*Q^3E1Fb47k!e0P>A^b&)ziaW9)e%30W!qYOe~Z_)_`w!$ zV)4^<cbwi3`XN8j;^zuK9Ow$KXYq%?7l_^iekFX0#i>`DQ};k!5Z3iIaGr24fzP+} z-wB^?*_^s3;)Db-Tb%lHMZX9*-QvFR?-TUPkmkJVx|id$gpg+e-xods_@u>O0O#}1 z-D{ZoI|4ruex}8HSiHBzFR*xf@Q)yD$2GuV79Sz}ec-JS#zlUc=s&RZ<f^A1+SBJl zK#lDgi@#v;S1mrl;tzmpY)9g$Z!-w53BKnOVE9fw$Z?K=knd*kY8Kz!;(J=Wmc@^= zxNGqfEq;>4I|^qk9Z)^d6YMB>vLLVfn14Tn$m@S1uOEqB1Wy+{L-0(&u7ceJ&l0SM zHnV(pN%K0GX<n}qd7Vq-eKfJJV0S6kL$J~zCcmHL4-n)vD$AWOb{7a<D9C#k=3gOr zmEalBQ9ne|=ZO9OQcrEcp_0#QYTEN!oOp=j50P@CM1Q2{dA&lr4+K9H^aQ5>Q<0yJ zaztLw66v2ve?<Br(hrf>FGTtw(huu70q-Tmvn8JXD9>~+NpF(0_RHmxzC`l-3SK5S zNHAS+u;2~SzVVX2O7ITRKPTyH1cwR^6C5r$LU5$uXu;bB|0Os9ZD2d@mh?S>2TOhT zN_wmy?_X*EfTSN3<h?NUynf_5>;O1YcwdWm1lN0&eio;`zSvW*ocb1)UilR0_1bN< z#kt<pKj*M=>eVOp%BfeM)GMdHfz(UAa_Wz^^vd@}+x0qeAB$73aZ<0G`+=6_8dFYv zbMa5T@`jbdYrsYpKNU9GM$S3q++XzCifdFk_Zzk0y`OUGwNI#5PQ6}>QLmi(1`;Rr z%BgQ=>6LST)3$I;D)+&)Pc~Yd`=9E$w<xDxW20U<^*VOcE9d^HHdk7_&7onR9BXmf zYgyVWr(Va1dga`gH8$>j%Bk1BrCvGp8V~i#xv#6u)fT5-ZKzjHy~akpa_TiU>Xpv} z*VuluIQ2TF)GI&Jn!{Z!PQCh}UOC@?lygs4PQA8^dgXkdQqH|uIrZ8`>XrAg#^?fz z(_Y(7d*ytNqdxfzK{@s6lX~TS&=$41z~Yx$ysyRkAqKVYZ*jiws-Ev@%Bk17s8>$C z#!S6(>UHd>SKbT!2w7hvEl$0zDe9F|uVtxMJ_v2mF-o`iU~ruSS6I9^%BD!Y!F#cA z>a{J@E9dow?uUF<q?~%KmwM&YYrWJfr(XMzdgat>UDPW-&$8h&BekbqeNwNS&&AY+ z&&8An&u^uT!Sh?;)N5VTE2mz^j(X+X8<le$wO+=opNX(ueMZ(7{44D5d=I?^{jc$K zfJ*D4jdJR%No>?B{|;RH_6LhouVX>Ia_Y4#^~$MF5&zUHe;#vQKXZA(;(W%V_40Z^ zIrUl>^~$N&x~Nx9z1Bs&a@MQQLRhbIzHio-IQhP*oO<<1y>jZ+C-uswgKNyW7N=fg zrd~Pq>XUlq)T>YGm49mW)kKT){ZY&E{ZTpf^`%|ZE9dpUa$aLAr(VlauY4}JwkzM_ z)N5O)S5Cc_rCvGpDH0F$%4b?_$+GzK7(1=^1&dR!by2UJdaa9k<<x6k)GMdHzQjYl za_)P|x$h~bUVT!p{9TmQI5R9xy~akpa_Y4#^~$MFk$9+APQAuJy>jk9>XZ9`a_ZHF zdgat>UDPY5K1J%KUio{_>9cY2eZ|H(j7E@3Xt%|w*M6X0IrSYad*u&8r~b*+e^tw8 zHH%ZPKB-quz51kHIiDM=e{%I-6E+%uEsImHKB-s!sO5)T{TyJGJ<#IRYgy`*^Etf6 zL#}@6T4fKnIQ3eVdgat>8>v^$&ll7`x%zJi8*OhRi&L*YsaH<D`lMbtKO<28<m$gU zY}9`Xi&L*YsaH<D`lMd@la_yS_1_jY>c5@EsaK!WE2mz4Qm>q!WoZ25>c2f~)PDzy zQ?EX$SI*CC)DOA(>1>tlVsYxVEcMFyd5ZcWS3ljYvOO$Ly_Th3IrZ8`>Xq|z81;ER z^x8&pElaNU)2w*Nwd|!<*}fL1Uj0z7oO<<1z4A9K|K#d_5NtHIbc<83KB-quz51kH zIrpf*5BA8n$gw|h-K*|x(Q)mm?j6x_KCA9s(Q%HbZl>rsPO8fi9s5dk*`jk0*D1my z7O!OS6pL53c&f##SbR5&SG9OGi&wY!?iSy};(J<rFN@c(cwLJhZt;2+uW#`qEPkZL zkFt0Ji#N1*Ba1h-coT~^wfNB%Z)Wi{i*pWY|8ov1?`QG;79U{o%PfAm#RpoPb5MP9 z4k{mP@hdETrNytZ_|+C4VsXx8y*?$^XD~w(Y_wj^cjdI#HSw`!|DffQTz!)3{JoPL z>xMe|<MaBuPzC!G))m)@ty8Y`y$)ODBdof)<}^O8Ipx%=y=U3;eO6<-iyU$AJxz6Y zTRQdiHOdG1uqD_1f?Vrh{MxVN+6Vl6U41_wzL~G(n6LavaP>j1KFHO_J>-bvPb(&J zjfq_SWm^8o)gM2fSAQAe?^~e0XOQb2%5v(D<&?hyuCbD<Z*uj0KRIH30jT~sj+%c5 z^D*|9QU|*m5&J1phI^lK?tRLs*BCZi_I$rozhlYa?+r^g&e8?GQ16E{gI!%<5Fd1v zm;j~#dB4YGNf;@?j`=m|PwHxgSm?7EeM3hKIP}ViF~6{BiSm?6uu&eQk#`LA6y_-p z(#Sj9F`{*+vTo>4f}WzBcI3oBUpc;>pf1E*7x}#RZ7#_BKc-s?9wXRB@L0jNg6#yG z2<~0als`ez4FwwsUJc}D9;}bZ-#ZXn3bqnt{nWF5BI_rzej@89vVJ1#C$fGb>nE~) zBI_si73BRm)4YEr@_7xBpFt4^Nt(}jndb9YBA=%cwH<uk$n<c*5kU4kpBYleG3*OW zgY-{GGrtPTcA_3-GJpX`8QQW8<D(Bv^L~<Z?E#3E;q!U=;WKz*=OU18VtxY%v5TY? z`TUuBww2fo$U2COgSzg5Jp|cK>TOIxnV!(|IW%KG2gqk3^v^t|na6T`rp5KiwQZ-* z5PhcDbrkF*$nm2+{Svhg)Njyl&_`2Ef6Wq{EjS0ra_K0~7+Jmp<UH~Bjl}bT;KPE? z3)ZS<%JZ`t`r+p{#LEQfm+8Sk?xp&>9?oAo&G}myYg6-yTpPAcD@k*WoLtxZ2FT9m z8ev-VHO+Fg*EH9Zoz^<JwpgBa%-6K$bFDF7{b^e5HO;oMe2~UCYkAIB&N0p<V!+`~ zxt-UWcCZf+_C&Q;9;DG{cG~uFp7;n5K8Wf=d5}guoRh4tlOV^F>0s^x)0u`3V!#o% zayxI7lnW5{M738Qq!G8Bwtb8i9|6J#QGF;6(uj*|lyUYK93XfVkYmL;#IfL*@xAkb z!!a(<lRsqfM=Tz-_*{$6ws=at&`(v1?{4w>7C%xr`>+W(h3idukValJ=qb!oPGr0; zP-E|8@l!0`+2Y*$)xNK#?`m<^vN_S>11y`%EI!QQ!!16_;@4XIdW+v+@!Ku_FN@!4 z@i7*E(c-UL{0)mwu=tG@zscecTKpl4zi;smEdHUzKT;mSXA7KIz-qwVfL!B5?ma}# zHzM~MBKHVl8$s?7Ot%%}{<m8t<A<)52Yy8#_!b`c7ar6hJg7%_P?zwaKH))~!nI!d zX1$zuyjEbnjjS~D?KJDR(~QARGY&h=SnM?8vD1vnPBX3`jeSDnVSI_YSe%w!ELKYw zi`UY{VzzX#xGh~Qc1stF-_pg}VCfRuq5T}RL&l&P+Qof=dCD2Da>l8g@hN9q${CMx z#-W_`2OQ(dzG5HRY3l5BEC#WU#UbffERv4JBk5R7l8(hC=~!%%w&T;j(ReuSeIfR| z=$DZ0pO7AqkiIM-&F^j4{&=lur+IB?r_&SCypFN+d0lL$`F>=l`95T)uTDtw`pnKB znvlLGAw4W1Jv<>jA|X98Aw4P~eQiQ|bVB;Ngfu^IWxU+GItX?Y>?C-y;3<N<rldW; zCqwKk*hTPkL0;=JpVuNpUV9L`37#d`U9gAX*@8U<&k^h;*jw;i!Se*q7v!}!>**`V zImR^S7Ljv`$hk!193pb=5IJXv>4KaiOml7!IVXsm3q;NVBFCP{F(-1Yi5z1h$Ck)3 zC2}l@977_<j>s`1a;%6PBO=#&CG17^HAZlqfwgxW@+iDU;NC+FIP#PedEJrI*jz{O z{*G-+0kThteUF9-Fbj<(KKGnK4jR)91=|RoBzV5y9fD&8pBMa0@FWZ}{ahw^h2ZUi zj|ol?TrT*VAaBT6{%OJA1^2^bp}vk_Tfq*37Ye2e-Y)pD;8ejM1s9-0=<hI0GGZPk z8L<*38L_(Heu51IhYNPUz}Vd?xJ9tWg+^abu&v<Lg4YNxxyac4B>1!7pMt|KHu={J z-XfSU_^06Rml(T!1iK6N6&x-&Nw6vw3)|O5@C?B;EEeip3yu+dT<~SViGs@oe-hk; zMaJ?~vB-!G1?$Q@>nC`f;0J;;1m_Aa5v+klNI&}uwidhsi;w!oSaifTg2xM<BzT(O z`GOY+z9snY;imlEg5P7&(%&k<1F(3RK1{HoU~|EH1s@U|g+)&Ln*`qx{915>;1X;C zwEIEuSHa`1Gx|>jzY-jQ&4Kna1b-JCexuQE5o~jdN%s)ENAOF*$gL)S55c_!TM6DG zc(>q>w;B6f!CwXc5ZvQ-lYfxlVS-l+4ig+L*!50he}!QCyG;5_!Ty3b-);2w3eFaE z?lJmf#~M6Uu$SOy!SR9v?lX2n1wRm+aKF({7kql0NoNRtB>3P1M&IQ@gP!0_!C8XW zK5FuB6+HMclm1w6qTm|A9*>*+iv{}$rVGvxTrc>mVB`r??sdT>g3AOSd(z}TDfpJ) z>rWZ|LcwK%M?P)zX@V^UUBNzrKRsjYMm}rs7Qt5pKNp-Nm?bz%@OQ!g2=4Wq@w1O$ zUBTl8PZvB}@IJw31fK_1jfBs`_r{wh*N46joGknMDL}p#o`L))A>>^xewM|1SiGmj zds+Nki=S`t3oL$-#V@gVUyBd0_~jNKWbq*h{3)av|1e8WuKJOdo?P{#Ej_vFZ?N>_ zsy|iqyuPT5D%o$!)n>fdRD;c3;P*fn+XT^*zish%E&iUxKd|^m7XQTJ6D|I^#lN)p z*B1ZQ;*%}zS$wL+{RFOUoNejJRX@+tldFEAr6*VY5=&36`d2OeMvHH<_|F#q#p3@F z&i-c~vOS#tPA!8G!8Zjf3BD!xwqS~2Wx-Uz48ivV-xvHq@I%3m1nUS^5!_9%s^H;* z)dZ^x?k>28;GTke3Dyv-DOgKzZ^6ET{RI094iLOd@N&U{f`bIp1qTaWA$X<WRf1Ow z4iOwGc#YsN!Qp}<1V;*9D!8xUeu7g3rwYy#%ody@xIl1`;K719g3AOC5j<3|u3$aE z`hpDv8woZMY$|xPU^Brq!Ipw;1ltRqCU~ac&w{@Qo-25s;Q5087Q937F2M%{9};{- z@L9nZfV_|4{R)xyA;fBeOM07hbx9vBxVvCWT(8ld_cO!;1tWru&Nuqz=Nb&|YjBU% z5LI%GH3H}}H?A!^%{67Gxu)zi*NC0oEg{V{V&`*>*y%kI(p)QcKG%$$=Gw8-Ttjwx zZ%yN#Q`^UN71)T5ZA{d$oryZOHBra*ChFMcL>=3msAJm`b!>m4j(w1*V?QM7*cXX9 z_D7<QeUhkSy;nnme%a0R731R`!aVLZ6Cgo;mH2%6i<Q-Rgt=yq1Lv@v=3KVZoYQvt zk%auKdc^0aB;;R_kbhA^KChi@|GbB@)4b=h)4Uh6)4bQS)4Vpe)4a#F)4XT2(~Sqk zr>iCSJMp^s{5|o&$S!{!?&<9G3%Ccc(-$R_|M2Yi{2vqg1AlKZuKeW}#HW886`zir z6`!7xQ2#jz{d-kHJhc+a^PbC&pZ8u&^BK`uy$s%Xu|eLaQ$Owo^E-*|utWIHDYVBm zLQ7x^i!-hIRu*q<@nbCB#^T3XysgFC38z0?js*V6wO(?qmz=^Fh*~dsP%qlTeU@$F z-b3VmL*yPq<i0}WUP9#lLFAewa!nGsHxRiW5V;2sx$cQvn~a0?am|zKen+nR9J%gq z<hrks>wZSA`xv?IU*x)Pk?Vd%uKN_Z?oZ^pFOlnhv|DOe_7lX)n7RM#hJ9N1C)Ua9 z50)e6zQcC%y^_d%hRFSe$bE&#{e;MUgvkAa$bEyz{esASg2??L$j81w<bFWpK0xI9 zCvx2rx!#Ff=R~e=BG)yM>zT-POyv3{a@`WSUWp4OeJtL?ndY-NV)_FH8%w-HCC)Vx zS1Rt2X~%U&d{XTC<5?5ayjCFcT7k%G1>!0^izEIj{*D)X9Qy(F+!u)44~X0ch+O|f zu6yFaj1yzh3PYjmiCotcxvnSjb`aWgZRmO;Z(-?mJyFjxYR|NCUB}dEz2sUixz<ar z^|Bo6<-H&4<am>_PUWmqIm;?%S>>!#IqOu;I+e4|faAT9b+KMM9jjmRHHPYlr!#C3 zTJZZYOtIiOe2_*S)4e6{OyD_?lOY_B7f}iEWkKGLG5xyWn}WQjrJnb*MBd91c^^yU z{TGq<uSDLv5_#WB<UK2q_p3zSs}gyiO5{B%k@u%W-pdiE3(gRnDVQagEy(*<+VdWj z$a_*E??H*Y=Oiu_Tqd|&aE0Ixf-41A39b=bE0`;oC%8^<y&&&pSs(9XiM)p;^8U3t z_9^!JEXW@awpDfX$Jk%6biaZxhOi8O|3_pw+OizSj{QTs4C-J*9n<Vzra7)}h^{*J zPmV9ghT}+I(;)OkJ<}5eS(bBvzG$y$+OY4KrY-AZpU?->?59Z(Z5ws$8``ie%e^H! z`qnf#$B1+K9UyI(M?M1*ltmq!hd)7L{-C2x9^@NHU<V(xW4&y%a`qA93*yH$s_Hoh zSdKB%k6ni28EX&XiSq&9cADjbHbKw+rLQj_?4uwS#7aFm>&t?$ja*AiYd?Pg&a%@X z%x9YUIZVR`*BX6l9gLSc*3EIJZO}&8ay_!In5T1uYf^3LU(>;uA+7xw#Dl(^0(<)5 z*l@lCeFPqBFF0f6nxsFX-Df`1jCV5g5v$Js#Cla9*dg{P?AaEsF&&q=;9LicEjC`L zlloYHAReaKZ;W{kP|NEY(|OAFuurLf3Bvk<en6b_!PySB{WVD719j1s<=Ka95BD0@ z&ApA~wSTyFx$m)0$Y(&fPch9hv<uoQ`ShoAfcEtDDTMZmB+WV)FXsaLlx1|>z6Ynz zAdPl&?+ao?dD@c)?M0e-u~@BiU=ROXi}cTS1#=fRstejDY4#7tmoYM*c`U<zVVeHf zf2)NvcJ9IIH>eM>Qpb79a>{l5gZf~@bsFpo@S&V-)tC#dW5l!)`D~}QThrPG?(>{a z>Vq-p+|_!i<9M@;)NyXnC)>g_Ip>PnbG`=a4{af*Z^rq)aQfK@uJ!P`0!e4$(C~Ug zIp6D*^Lj%$uQ!zQdP6y{H<a^wLpiTEl=FHc;D|%7H|#WZb~+Y=*vI0KbSxH0$KsK6 zEG9|E;*xYMHc8v@vF=#kAfIVFKBn#X$nE%;*7(@(xcqjyL;6CvHw>_N2k>6h!>*s` zhcOMiA;92T3LL`}e9uD5Uqu^~p)d0H6Ve|rjdERpfq(GfxOc7D&*+c79QP%-IHL_e zW9KzF`Cia}j_Y^MGu}7UxCEd5<NBKS49sU7jG6pui}U{~P(9;O4!1FW26#sZ%XYQ+ zY0BZFKX_jVLI`4D`8b`#a4Pd92IY*w=6X%ac$Cwha$d*cW8I)1skhUN&rUN&JB_Xj z(};t0?{m0`iS;Sx_$X%`%F)fixM>?$hMazs6P2?Ml+#bZ#g<&hU+sc4{MmV0PHmY- z3FZoXX<3~+cAl11TjuRo&wTfWbHz?;-LW|j-z;yZyC$UBzjppGq&W}Rf83w#bgbSg z$@N-4=jw2lM?Y|`DrX-nXWYtZuj`HW%4x5h_R85N<!p~~`Z*V(^(v<y<@BSRew5RX za_adz2l}Bt;OJ}iOEU<45SiZ*c#ZJ>KnnH5pbt^56FB>heuFiTVszYR)DLaxi)A?` zSoQ%Q1Z2I`a~*K3$kT!BEAlgd6y=PWob`<m&UMYWsV5K0A`WuK5yT~Vqs5N){m5ZQ z&N_qrLDDQ2q*0D>F+R>ojsx4pGC})b&wNT(2xA~WTR7(d=Na`qfun?TJhXm}G5e4{ z8BYf*&G%HkPXyo10dHyXRu<=bgWB+YOL-fMA8T>GSE&u(rvi?;Sy%IfbgX{KkHsMA zSR9g$#UklgJd%#ZB<WaOl8(hDX*)jFZO6y79Us$neB^d~Oxy7>ZO6y79Us$nd`#Q% zF>S}ky6pIv*7!KKoQs_EoLeao{Jne3DdL%eLtZoKqoAX{r(groA3MS5ufSYj{@F<L zyYQXI8qDXL0Mh(U3~{RHXK_&=-Ljj(pL!bPcQL3}>~X$H^SK}OWB5i7>@51teN8%j zl)*c0F?iCQ20t5PaLZi=$30-M62H6%KL>G=0~ZZ7xOBL|6aH;*u+;nWlO}z;#5+>r zt;~f_Kf??jE%hFX@1#)Q9nblQd0fE2tUC-2xZB{geg+rbX7DhHb2_eLXkVKH1RN}J z{vq{bOFQm7%jAF3!{E}h4Ne|laE`RIrj%PP{S>*?<X4e+FBIH(pV7B`+~AO>4Q?H8 za4a`0#B<Aa2A{vl;Iw}kto*R#OZ(^JyH&JbcAn(pT8rsR@!c}w&9@rtC-F@e|KG_x zDR|7}FO>5AE;Q+Vq+N@pUusDIrb#@<-fZm7kn*#oU+%rt=)af#nkjfNFOm??S5p3G zY0pS0f9t&_-<R>y`SYi=ubs?`)p%}8KYL$laE#2Sp(9PYw#=Jt($24C{N9j$*;D+? z<bs5s(U%#lCvi=Z@)t{gM6NaYU1Yw#De-(J^OD~^qo2FP-=7lyPq!QW^ZgB8Ch@%^ z^`}d}OcT6qkg;1W<2FRf&zAc92TlHO($5{wF=;+WXZ`DBK4(gM{*>`*Ec58?M~&TJ ze20wokIVeY7UXw!srN27c&)UrpR{j;_<x|U$q(MlVE>e?gZffmmupP^-6IT6m-_Ri ze}~*^^hb%`4brdmWxbs)^Sidh^OE3~(%z}Ek9;TVSjS_U#P^$w^9|DP??^jNlzts4 z^JS%s!|%OKJUXvFyU3&uzSQ9RVxKPUdFmFUKlN6FtsgSDS>|zPS=R?VVf6Q&W$+#8 zhYw{OKNb5Gmzw-LC7#9IO?rdO^OIyfJ}Kj>>mpnFx#K8f|A+MBjna?&?p-i1Wjvcn zeRoTL-XQzluYw(9oj-H6DOXL}d%n!uD`Y*@lySUR+Q-kGSWmNl21iRhO{5(MN`K~x z|Hd-z_sTe(Ec2<h%zs_acZ#1z5^oI||I2iLl6G~I_+OXuKgl|*BJuwq@n0w7=F7ZU zAvjaU;|HnlBw7ETNk1GS^+u(?pAf%W?=bCsNy?r3j7dKy>*;ZcYlgIY&21*1-vwrW z)xE*sLozSF8D`Q?%KSd>UX%Vt=0zLXFOQS{*iG<NnfG&~|L2RpJ7oSGD)oOT{dK(b zKfk-nIJ!#w{LU`ZbHrbJ8P{)m8GRqw4@ZcfrIO!R*2nZw#?F;_ezD+Xg5v~x%li0A z;^cRnS?}I=8r&lLU0a#Q{}J3M^X(78hEE#%562r^Dt4bpd)|?Cx4OH@?<(<5lYUz% z*h9v9ytK1QZ(~15u)VbVb-@7_ntc8yfN?)^so3{5c)#E;f@jIP{Xy_S>AyQ<zFsTi zQ%B}oy&=ZW)iU3j3^VC^GVdN7ZPI*}!uq=ib{6a|*jtdF!_w|P!TSZ<%RIbI@Ee(r zx=&ZT*_7)bI84SV^;V<*KlZ)@KCa?g|E^7o0b^?Dh-#XQR_+vsD`}-&Yo(R9NR|Q- zvLxFIwqzvP#)KqFCkc>1fP_?1AS6I&flv~_U}GCM;sO{*p`<(#Qb}IOOZk7_%sJZG zt6dd0^4_2QY34g^&h&DNc3=OH#bqDP#Rgf2#>sfPK`<oadAi_cIe+YPl}&%Yj7#nJ zSEL{RE#u`J>G#DKS^M9WjWYE*T=G9f=E;51&+`TQWE@147hEO%|93&{|BQ@-8wFnu zjQ@LO98@&ga-;?4G+F*snRlCH9&HoskoE2k!RMqNwJkQ?K7u-aE)rhH(IlDQD`a0g zTK3(fV7-hlou7KHJxbQ0dO`jV2gie+Uv%AnLB`+Oz&Jd1k+s+H`0b^ZpDg3@PC;D< zE|GD%*J5jTj^Hs%EPtG!t`{!||Ayd9@qfPHIvMYG2gd39Wc_%z>_<9oX9UJ+Qr6Ai z3oiSFEr&1T^5cPV`lzfwx(=-sUdOMVM_(7Yj^|IwxYqGJO~!M#tV=guWAj~dt;Nf4 zu&Co)*TolPyz98%SH``L|AW3{)9LlwOn!kj`m;iC>qN_c<s55w`1uy63&xUG|1`hQ z9qBfIz+(B=tliZ>-h<#W#h`SDLvxGedz5NpbPjLy@WJnS<#3=6ZWBuP?uq*%2$YlN zZ<r{3vCtm?x;6{J^ZoQ~!0!wFC*Thd_?;Io3-Y@+$m@4)Y!Uti!50O8BKT{;*96Z% zHq7V0z%NHo`f;IS|C5!IRyp%!S!hrC0f+vf(EL6SrTLv8O0%p=v%E@gb?9dt`Z<SY zd#L^M4$b<i{6&ZUsYCzVp<i<7R~-6PhyJBQ|H`4+hME`KO=-5N(yYsa2y7p=!=pm8 zoJun<(i{tHLza7A^yMXc;XNrq^6wL#xWDjY1*!jl=!w)5sV7q3Cwe0FMCysuUnY7Y z^+f84)PGR)MCysu6RBS&dLs2i>WS2UOY}tQiPRIRzeV&!>WS17ssE_xiPRIRCsO|r z(G#gBQctA*<Dw^0Po$nm{U=0Eq@GAUk@~AdPb7b(@I>-g3r{3}h44i3Ul5*1{u<$l z<i8_4k@*vuKau)7MNg!jNIjAIdqq#Ao=82B`nyF>q@GAUk@|;3PbB}a@I=}ZX-}m7 zG0_vr^Y@TAUWv3P(w<2DBcdl#Po$nmJ%2-q>51ew3r{3}hwwzECo(;e`c<MQl7CWo zBKg(A6Ui?XTq|-S<tv3Jl3yb{k^Ixb6Il)-%b|Qsc;dd8)29H(BkbqUD(CM>shqUR zqmG=k%1s@`kEy57rmhaH_NLAvH}w|U)WM<mcW6z^@@v^htBt7_>bs75LAC>VwgXXp zoaxZT4jpl5x1IP~TTFW@P}7puw4^6EHtL6R^+Q_yoDN$3kXApW)emX)Lt6cio{7Nn zoB>onq}86Z+LKm$+G<{;)t)l-Lt5o5i^@rBTGDDW(Xk<|Hl(#Kq}6`1V?$cyQ$TB8 zq}2~;^+Q_ir#d#IRX)w3r-N3Xq}AqZM^0Mhz9T2CWgx9(Ann>~J5#RhT;`-Dt@fnV zp0wJRgXUahpOV%xlh!hj)-sT;Ku~-2Pr3Rht^R4NK1r)j((046`XQ};NUI;})emX) zLt6ciW?<Qf>W8%YsRXTlNUI;x>W8%YA+3H$tDh>+>W8%2lU94uYEM*q(wZ-6&6l+L zA+3H$Gq7GIz(qob9h$aAj`MdBj#qK;vuG!LO@OZr@QDCl7vSlO{&oFh-b$A`G|R7Y zwwKZ@pVF)gX|7A^hqU@3t$s+WAJXcFwE8(6wE7{fen_hy(&~q_`XN0Nf#u<PrG7}O zAJXcFwE7{fen_hy&PSE&+@yb<gG#GC=gW8m%5{Dzt@-NwQn{wpxkI_m9i`QVKGZ*H z^~ri@eMxJ5NxL>$U!vBFwECw^#|CBUleGFItv*SsPtxj>G=uJ|oG(gqz9`N4qBMOf z&G|-}V?)!D*0iKGEon_lTGO5mTGNu&w4^mHX-!L7)9N^38R$dPl2&`l)IVvJ)3?e= zt6cXu`qVv6X)TZLag^&Gr?lGWen+|PcS>tHb-z=&mO=MB%5{$;t$Uo(YOi}7<+{g_ z=3LM^lGc1lYdJ})AI=xGA+2)G1@%K(ZAhyh(wq;>m$as(Ow*Fqw4^mHY1dx+moiOD zTGNu&w4@oBFUPprlU94uYERm=*Sv_DmbBWC=3JxynT`!<^-o&;lh(APnSLzNo+5Ik zRj%`ba-A2XPj~D|tG$kS+K^Vcj!DW%t9+8<hqTJIzi6-hMOyoUw6>MfnpW#bd4C<T z@0}0-wFt8i#tN_dobvtq9MW=}b1mXNOPan&bDXQ3w8}ZQRZd#vtgp&RtDN;!Icb%% z-&9Uo<?MfzlU6zVR^_Bs&N;4f(kkb?Ryk>vvkdghI+AAIO4F~>96w5PZ70ooDb2i; zrhn4hgS0)BX1=7gJ(X6uwkPG<o}{%sl~#LgPs+7DNo#v5t@hfUlxusE*7j6d?X^8A z*Y+f>?WwfdYkN|z?Wr{LP@3(jw6>MDC*|6nq_sUc-_^g;tf$iSue8p0`s5r@xzg+x z+Hk(mhHarVeJV|#q%~iq)rNAlaee9@!SauXO*I0?jMDpKE}jk<^EGWDJpEFp`h2{p zo7gjNmnZF}Cr=;hk37@thxD4a>Rq0C%4u)<*5Nsi=#TB@mQUM}GNxCa_R72Ep*|na za=7-i(fmj=P|q>Kycno=dDXl2Iv&-Z%hO)_SnErkwrnr@cX_o}|E``g>N##%HmyH- zx4>_BwvFK81MouX-)7o<&qo-YuWYGe70Ed|YqTo_gigzw&CYXBMVm{av2v^}NFR zxV)B6&mKWu^HV+Zqkr-o8#+Gn@oxK4uRQZ7&%CsKgS_hKpZO`T<x`&JQ$20fANAyk zs%QSLKP`{ysiTZM*CzGh^6HO!Kl38b`Y5mcLEg>Z<<*{g*Pgz#y=hNg^^}umV0m1g z{&+TG*){#?py@xzt3T?4_T*i?TOQiG<<YvSfAVY(O|N?8xxTpmb$!tEI{%f|`Kr8* zFPC@AM>+FXJ<+W{dDot_%j^8m^xB`~+1{$x@x}7E{jc*^)9aa0(`)}T4f~6EYx~o` z){k=PHNEmdebAq_zvj<;-1^gx%j<QG+H?Fcjh5HVpXFoyn4W&fv;RnI`Luu4pO%k2 z@A=T4b=V|4+q0kF!|ui8894X$6&cIHvYGQ7WXw<7{VcIl-`WREOM8|nia?)~QBRs> z(mbfA9p&`xmX%|7--EJcC(nCXJU7sufqp0p`lf7v?|p0=G9C47Ptxj7%fzy;bL8&` z!4~$!P>ID+f@h1IkJYI^UhrLlhl$-g1y3omb|(uSB6zT1vuE{+rwV_X;QIvmdIR%2 zMEo8qI8N|D!7+mS3hpEL4#E8d_ZJ*1c!1!$B_F=7HwyX9C>k7DZrZtc0C=_^k?lvE zAUxZRJlm1@F2Umk**=uB9f)iPBHMw;b|A7Hh-?Sqi6TEm@N_{w$EUtn@La(eg69eH zH7?qnBzUsm`9Pjsi-0`G@(j%DN<Gt39tW>BH4a_t*ppTpUW2M1(kkb*sLDyJe3m08 zt@5NJC(UPZ#|xeS<g+Lu<tGYHB!80dMDiyKPb7be@I*e#BJx=lk$TP{`X`d-nn9jO zdm`<L)So7LBKgyWC(@osdm{C`mq33+>WS17spnj#o=82BdLs2)v#2LhPo$nmJ@*3Y ziPRIRCsNO~j(W4^0ZW7@QqMJmdLnsqpHq-L*Es5l^iQOJBK6#VsV7oTq@GAU*I4R_ z)Dx*EQqTRGdLs2i>WS3zd`vx&dLs2i>UoVuJ&}4M^+f8qzEV%5o=82BdY*@=CsI$O zo=83SJL-wl6R9Us&;5vcBK1V-iPUo+qMk@Sk$NKaT*s*=Qct9wNImx!>WS17sV7oj zDS9IHMCysub8ldJBK1V-iPT3$PbAO1iuOeEGleHIJ(1~&oWCsR2?)GKR$ApJI&#t~ zKiQF!R{3~GPMY7XdOX%8;t7IWAIWolBXWHso+3D2kn1kxTz83FM~PfViCou-Tu+Hy z*NJBdVmUT^Sg=%ZqTnRK$%0b^rwUFJoG!?Hg8sR05V?L6xo#7=juW|$5YHF%1<M4> z1uFz2f|Y_*f>FVk;7q}4!MI?JV67luFJ=C9f_%M{d{U6F7n4s5W(4a68wB}UDed?= zDX~eA`!ad%Q$+61M7~x^<o-*%NU%k4j$o@`n_#=(T)}yQ^94Hu-z#{r-~z#gf_zPs z`F05|61+sPTafSl(T?x_5f=;cbx-nq&6CL2Jc-K$FB9bcPx<A7JO_~ffZ)e4V99?R zI1b438j<H6BF{TSo=1rPBgpTyA^&y3ZwlTl$nVXd{yT!N2=Y5zDChS=5T6j_cPWtn zh9JL#f;_*+hIp&scLi?~yhD)RD?vMcrwZ|2!TSXHT@;k_dp3v<3;sxu->*UWa={gX zPYUvT9H@UvaIN4v!S#at4iwsL6y*1Qkmq-Y5c&Nd#1{nlT^Z#0-51243%(@yvLL^| zf_i>$1@YH{{C*1ZuL=G}kl#N+`RjuG-U;&jP730Uf?pJD!@@&(Sg=%ZqTnRK$%0b^ zrwUFJoGy5_;5mZl3Z5r8L-1XK=L`CRWrF2`6@n4LO2I0@s9;QRreL*TT(Cy4Rxlx0 zCpb$mDVP#W3uXlC1seos3pNTi3BFtK0>KLf-y_&8c#&X>;2gnLAm`^dWWIh=@OHsF z1#c0&S@1hWwm(N<!(zYkx5S9o2=e#D$bU}oCb3%!<U6J}LirF4K!3@hZ+7VLfgx`^ z0&Pkiy6WJNHv@rk(hWjCcnEwVP)_<ThyIb!4;&iu?nE#)4&CtMkk^ht`D}-72Hh!g z(p?U{$e}NB=x(7O1gg)69Qt9<>hp&VO}YA~oHXB+_R(a-GC}T{<hf@OBZAyB$#c&n za?d1k&m?lsBy!Ira?d1k&m?lsBy!Ir)(OrM<eo`6_e>)9Od|J8BKJ%p_e>)9Od|J8 zBKJ&Ui{KnV?tzqZ4<xn=at|cWJ&?#fkjOod$UTtAJ&?#fkjOod$UTtAJ&?Fa@Df4p zfs}I(BytZVat|bO4<vFABytZVat|bO4<!16|G)Ro+x=q4!`t)5w!?7eO>jNa^((ku z4YfY)>UBxiqwQUX-d=y~xcL8le;8`t4vzbg?$g^l4_ag&`@gy`57q9&Jtyh;=<RlX z`~1W6-`nR?I}V20pWnWIu<i8r^@D8(Jx{$of8L%yTu0x&{<h=b|N1#Bc)j=b{VUt= zZ`J*)Fy<cT-_%hSuNiIeTEWi=UMG0H;0=PG7yN?Yje=hk{F3081-~NrRl%<b-X!>S z!8ZiIDflhHn+0zX{I=k&g8U9u)@Sb%EZ!~rJ%aZNeqZoD!TSY&AozgbgMtqUJ}k)Z zdSyO85`0APQNhOqmkT~F_=MmJ!Igqf3a%1dEx1N-l+@=h!v9$C4}x0-|0wv3;M@Ia z`|0iewC(Wr{Iu=x_WZQ%@b-FZ+u`l?*0#gj`=@OO-9KNHee@@SC32q>kIv2hUn)3J zaFXC;!6|}M1*Zv47kt~FZO83xKfYVXa~R)gCGuTUBHs}u@?Ah8-vuS|T~i|8xg_%4 zKO)~@B=WsKBHu|Q^4&us-w`G9T}vY0nI!VvPa@xuB=X%;BHtM$o-W9DWXbbgRwCb7 zCGy=+BH!^O@?A}0r{F_^Ul;5W4Az(LKr)@yZ)ewQsQPF<wEWr+!SZPP7HZdEduqPg zZoz!CeTLgEh5CJa`&-LbsGqgGh5A?fb*OQy{X5+8tnIwL_1anEI5<v6Ixqhd>cQ{4 z<2pS7LFqGv=02b__X4H4o+-^eL22#_N^@^en)`#&+#{6cK4EC=Kc|BB5l%zU-^wlv z@Z|xX&%IoG-fwaF$^g&j@2;Nj5xIOU!1H;ftLOVgE*}r@eBa2`^SOb`^ZA;~*9CaK zkL2q4T*2k}T+Zdw0iN$Gxq800<nnwz?ect&$>kdZJl|_lJ^%lO`Sbr@`1_3P3nI(N z-wq|u{vgeKn05^G>{BB9l1MuuZHeqNBKwNSJ|ePjh%rI-1$p)Xk!??8n-kgAM7A-J zZA)aE5?M|n>p*1N5!q%$wiS_OC$epbY!jlX59-Ep8C%fITWR_=b%LC<$!D}J2g{;% z^v^aJE$Lla(-Td7Ve>w;cQpck*M;xqGO#>+KbKfN$6^Cs*e1UY8538Dp1<Eq{zz1W z_{t|O@;B?re@pa5b1i@TB^LR;@6^|z;fPn_g>T|jXi(x^qCZCTWq3iF^5Yg;{LYmY z|A2<1d^#GOcnDrvBVI4%&a_&d9Y{HUXP7wivljV#y5#vgyF~u3E^%*3x9BR%r^Mff zmRbHXyu?PkeI(z$PRsLmgpFKqqLjB=>Ty2?1obu7*ma2G{!G|%+>aV9{||?<xIEj~ z<v)qOaQO!p<?<}6tABP$F8>ph#nm^Ut;ut~eIETl{5=O4@I2&AoF?cCo)8*k<QH*5 zK(F6R{;=?)>a6@S!5anjd&@Tp|J6y>?(Ds+Km9)QG$$7Pwh1m3JbF)S_n@SkCvuJ( z+E<JI^TK~iaGjL<cH#B=w10Mu_4gN%k4D?j&(FmFIl@;8vLC5mDtPE*%j@@U2fv41 zzlVEIY0td`_4hnt!t3|7HwoV(_<q3;7Qiz(aZ#Q{i)=Zb61$%Xw(_59p#P2Ve-zvc z<CgNT3QiM@3eFe&hTvZX$6@?3T}rT3@S_3L?-{>M<o60bE_fIhD)`awrGKaJv$&8! z-YclT2k<*Cn2>J}yEg>)7x|}!FBLv4c)Q@MhuC)blkop7xEB{-_~rUVJV9`d;H`(* zbgv2iR^&%<!G`^K!RJIiSNPvevHE`q?!$k0f&GjCu0F#0e?sKX3F_~5{8{+JkFs|E z7Je`O;|%<z_>VFyx9}gDYWa(V*YERxO!%t=Up>b9E9XDnApI|e?-c%G!OI0-5`0<k ztZ6pgKZQS)|F{D`=LvQQ&Jnwh9B=cxT==_0f3M*Eg8KVK*M8I5|4ZcI6D_Y8`moLK z1g*c|D)Ik7skMK;#o`>%Uo7~F*nLs>^@7g|zA5;ji)=n;Pq%oq;B_M3a*Fl8O897t zwTlbZ2KdW_zgqAf!EXuPDfm;tKMCsZRq;0}+0I7^UMP6C;1<C;>|eCo?~GBlUxfdM z=;sUn5y4jl|0wn+wAu74MgASZ31?e*hv+{b_!YsWf(yh>e<xxA_869DOo=VeE5iQ` z=K{)Of=8TV`D=vVNBCF8-?g$%UoU80B0~Bvi~SvaHvP78i^1OuI39Z~^LvkAO7IE! ze)*W>_ji$hOfWg$rqkcISUAbn<7$x~CwNGQwbSpZFBATog0BhQ`d(}I%_-K;3&J0M zu9Y9pm-A81Z%?!OwD7f}?-u@Rg8I7$4-0?Q**4w2GOzzGeC-13_lM_N{iDLK7n~<} z*g|VJLr{OuLw{GHL*$nVeoXM#^Q_-V!k^V?{d5XWJkRp_dkm{Y{^J=o-J6oG6X!V7 zPw%qws|BAF`E=Ru^miPN68;A9KU4Vk3oaGBL-1rdCqyo>`LveVe7-FFZRM6fwcG0T zcOmM8->1^*`-Hz<?W(N&kf_DWdTjbn3*J7%@;3|rfbfb{y;gsLp#JW}$Ao`M@ThlL zyOS1MoD#SB%@F=t;q~{!z9#GMxFy#9>j`WBfM7+P<^Lgm_c`C%>F-zkS@eGrJYtr$ zpD1|jQfq%)0QGk-ri;H%i@s9$8w8I@TYt5eT0i=Gar!$MuZZ0#_0~>*2j+{yuN2hZ z<N3`p>*p-rqW&(-%*!mF5WKw6`ulcMF8)sRqspxPZSS`FC*NoJHG<<s-zUF2vFUQF zze(i37XB4M^MwzX*B@`T{#xH}?L)F&trC9J2dq3II7#%U&avsL1RF)ZP58?`Xw%JT zwRYDF|98PX`>g)?Hmg6e-Qq<ezg74}!Z*vhxK;AGN93bFWc}=0VR44=_cdAm+w-j7 z`vgBHe!eUi`mnXzL-4DgvHZp2?;4SRTJS4^_a?2~-O3C8Nbr|}=UzO@tRKG+{+N&0 zbghDS2%aeTBf(z@>hJxegnvqKo#2atQx@2KE?#JHtMF$;Y<_?IsKq}E9`-TIKh<OH z+k`)}%kmdWx)#B^MZRf~<RkLBk6S+%2+kAi5d4nd6@p_wVeMZQUVks<RFPjS_;JB! zC7+js4_#r?zbW#Igl`p`x5Sq3S>b;wIJwfM`@8TDPqO^?F17Y^msxy7>{bch^eJnn zzel6LLzB7E%5S~grn^n}<$_0DW%Wx1&-$RX+hZS#YeoJ;!9NK8RP<Y}w(0eEZZ>_) zrh8rRy3bnu9|aG*#_|(BVeO6*e%iHG{;c40f|m=v`8lgU^g4@w|Flj2>FX_jeazwy zgkO4<)&ElDPuyVj_grZ4#Lrud$o1@z*IN6|nO43;@aJMT<~pmtN8~pMufNNqc-j|i z`unf9_Ad)RvD(T{yV2se1s@mum*57mEBTU5ufOwi{+DgKe+q7hTmE&yd0(;ohMR1< zzlnU$uUmfXH!NNw`0!V)eSM9^H--O~;GSQz@&g196Ff)Iy9NFR`E;IOl@|#HO}iZV zV^A(fcpTvg1fF9?A@EXR1=w#Ki{GH29G~@&^M7YYA-JELU}HXtVD_MGp3f-P#-Y`8 zuY5B2;{PwZAKsS=e)t_A`97;0;g~%B`Q0G=>=)3D6aFAaKGva`W;MbZgr^XG2;D*O z#eYLS3}G!~4>|TnLbeCmZm&T5J>b|NiFYdWhr{-8kss;kk9BC;^7964k4E692>N3| z7YT2rHvVNE88s(3@{=6e=-}^^K%U1+`A-VSPj&dy9opt@<8^@b2pbSiMP8>PoQY6^ zuo1G=PP&bdajD~NBlq(ZY$iabpEI2_lN`C~OGN+cJUZHxI_b$zf!(BljPmIP(w`^t zDS<TSi2Phfezrr?CqFYFJ3o)yYVo`Py1&6!x%m6BDu5Mv(p8CFWk44Z`AkP1b!fWX zgs>T53&K`}IMUQ2Oh6wz1Ac?p*FlDVT{qvM!|%<~&rOi6gUxHe;3pl(i~9OJvNY1p z&Lf`<`8ectkdq&MGzDzyVfUVZ%-BJG0fPIvD39GmVl&6l9gaNT<D`ABqf>uvj$UQN z1&-~J@H0p37CG`xhh~~>2+t$DfG{8S??qT3>0X5Fm$2^yzX)M7!XfZ`nA0wILiQ?b zx&wZ@Azvc0-hl4%0FP|U=L3-UA$%C27wO&4$07SD0zX#>lKvFvD;@q%pnn4S5~Tkd zXx{ST=W5WGLiSh3)@rb><&jah4ECQ5=-wA77wz7kM@IRzNPAr%{m&tP3E^dgR}ex- z%inq*k8-{W{+qD>1(2T&kcS{2Ep@O`e2<Oz3^~5{ge^a#9hsG6<2|9<JCA;Eq~-Sx zx*vYORq(UF$bRK0_RZsu-?5kPvwy($K;aK|<Oeu3ef%2XzYtzS_z`scdJcZ&#yb&y z1KGol{ZWwZiMHB1&|VKZHb~-~2K^DRJwoJ1Ir`%qnzsD>1-8c^@N+!$$ALaxcq_H> zuS9mDqdVE5X>}sfj}PQ=T%f$_^W=ctX%2se&^I_Tru!|z>j=L?I1PE9flw@E_&sE6 z9Q&sse+Tm3H<15Y#|BBv=PdC-rr6O>cI4L5^ZpQ!g&ljfA^w-xO$_L#2GY}Za=?bN zv&C*k9((Gi2GX1>cIP?ra~zs!_<2_zneWKT9onYwyf@*yLj3<xg}_K2+h~FERt0P; z#je_s#~hm3{0ZUD2yY<#1)&CM5(sCZPyY&jqu9@aY!d>%C;kAZzrPOI`hZU)^L_() z@RNaELmt~q9^1w|c8#z*5P2W$<j*|b9k6Z4<F7ejW75Iy!hmf{9=n!+jn=Exu{{E1 zYIf`{hVJu@o@v@eztEBM5mc+lFLC5u4$ZW0BK#fUe-Juge=)*BN%s%Peg*q3@RuNL zK{ynC-|4i|U6B0(Ha!8qJ&-RI+2Vli{lb4RAV+rIhame1!eXR%Kc9f?V`BdWLDhfK z;Xe)fDu@3w=zqd+Dg3<&nzyw0`3&fP1OFR%BZB++i}05r%{2kt<$-cB-3LVWxqvNo z*9T;;ABTF3rpA7jgXiZK*nLZEzYDxIkj`3p-cOzU|L)MLC;r2czwFTa<nj3!WRHk^ zMIQa*j%<QMYkr#`ds^hr<k4?&WO0W+(-}jxj{I~-{x7HOn%@hMJ?qG~I`lS&{x*Ex zEPihTe#gl}eGz}=r1>9*c5VLY$X{{jcjWQ89I{76zA}&g2}gF8Lu-DUA^Wk&pUtD+ z>d0ywy4Y#Agd^u8LjC;PDZ9#EgzPy-{)|IE@6dO_=l8_#_ks5~d8jYq-H_iYy8H6j z+$*v}fQRML9}3w!5$X_<dGxa&OF8m3q1zpqTb{WhpO;5}X&xEVE(^#n6aIYxIc>ib zki7{0d6E4*pridy^T=L?>?a5>i0&oe&xB?g{k)P#_8Mfr7Wwb;=zp6>_6Nv*gYaLX z`#tb=p*1h!9|N-AIpg8C4(+CSUF1J6pnu7cA06<oevW~>#2L3LCx-LLfA9Ew2<z#` zo%QuW@DCvDgYXW7e4igez8c{QC!N|I4*3yIx~D*Y5_YEoPjlpIPh1E2^9Y}E{A~mO zoY;TYkxzqcy2zRKZ=kP)J_?LEa_aQ+TSxvH=&K!n{{{ZnqQA|NGi{@j?(d*K6VTIU zKI9!@_YcROI{kcK<SX*%7eRKr<M(dxchL?ZL=1fHhwNU2ZiG9WbZRyZ@&gg{(+m20 zuqy%{@5ojEBxFw@EJ3)_@%Ll!Pb2X2lp`;JER67s=&VIHz7+Cxus<K@=dpPevR^pz z%RsMp{J#YL=b~Th$m<}RCGu=;xUV6y%Yhpld$qX;@)m@@BK#R4_}K*6XPtD<ip|Tw zyBzti@}yN?Z-{QQW3M{m7Lo70hbu+<3co2JA5A_WW6Ebl77FN=3;$w3uDSixk?-%& z)V~b=2$8)S(CruCf9deQ13gywKREI~IrJM2tz{wpP2|4~=zlEy=72l}zAhl6pJzoj zE1-K^_@4yiOvBI59QlO~P2DTtr;F?t0o?@w{#OqFd(iI@{*R9Q&kp?;hh|>-c~j)C z7tl92@+Cqqb!6)2`8+b}UJ&_f1@ymxoZoNG?=L?YA^15-WT)iO(e`nXZ!VzcZ>+nY z)81jZu%N3WJ;{-;1-;JUtM|oPj}S+2Ki36#>YjpZT^{+`fGoP7>&f#T1OF7lDumSm z9WB=eWHa|ic@To1>VWKd@Gm0#G$8*8_*2FOQ)l_Tj<WPVf?18F#)y2s0{XEcKd6BI z9Fd<_K!3i-{Q~-OM?Ou?DANm^RW1<ug#rEi0IzlI5c%zn{(gtP!=ZoR&`&zF`Xa6p z`Ev#I+XC`YSljn-*8aUf_aTf%*wc~k4f;b4@8<bok$<Fs{-YxQSONXVMgECA`Z190 z=g7x`z5-!ig#8`)0iZwW@NW4&CGt-f&|fL?s|x6^7WrrL=nsPI5QKvf4$Y%K60)Na zjzTylkNyP6PIBa@fc`APi3le<^6{Xrad@|W*NXge1@za6{Q3g=8$|y3Jo?iiJJXR* z0R07oGZ2a$`B|WEba=OXUljS53h2Kq@~;%oe^umP%cC!aY?33NBJ@PyWJf;Lq202b z4f(l_Zidk30MB#e?{a82eHr8x2;~ToJT@~Siz8Gc)a218Axk^*dZAOmj3aMwXgB|N zLw=#7YZiJAu+5Rr1$~pltB+R5+8y~k&|eq+8;)G<iQg3Yw+iTQ7Wpj&^xua3y$A~& zeJAK!9bWUh7_x<qybJVqg#WH1S9{`ZBEP+W{tl6UuYmqek>685|G3EiR6zd&$k!um zaP%7;+AS;TRigXvJT^ap?5B?WXAZ4?zIeQ)z9gt}#qWuHeF6POk#8uV-{S=9=^cXV zS8+d)pHx79ipc!}`U;U(70|~-zOaCPj>s1k&|f0*-U9l?BEPhNewoPo3g|y1@}C#b zza;XH7SMl8<X05Xe^TTx7tp^V^4kmO?-2R-3h3_?`D+FAzY+Ow3+P{W<kywhQ4tr^ zF``&2^11^0q{!0+^z|a2T|nO?@(T*+-y`yi3h3vEyuE;ap2#~2=odkL2|^D-ZyuW^ zkS#@6hHzOP{pFCoAK|NcbZo;nM1Fe#{r5zER{{M!BL98?{rw_;pn(1%k^iuO{t=Ns zRzUx_$X6E7^M6zMSyMp&G~_=<*o?3xkIgfXJ&Ujn;rTrJ7a{uz!hh${G2g$5{LKRT zzl;1|0sR-pg_wN6=gT6$t$>~hCLCzfo+U_GHC`Zy^CbfL{P2*F_b|dE2>N;G&@8Po z;=={xu8l*7ypT7_;ddvAJ4d)U-;-JHwKuLhaAUT>Mf~n8)$Yj4x#rjG-Z98WZFU3; zx9mHzr5Q8E$zn|Z#}N)7kzzo}2N><3AeceW9ra^S49G!w+4=+xw~rsLzy4xMHp5Lf zRH=sPhxNBb2s-R9SOFqvKNLUA0@;p0o&){m5g8-O<px&XbOSv>GQgQz&A{k{@t_05 zB+Z+P<0!v=H%a#k++ahw0yziyu>pN9J5)QnjX6v@H-nLL!^|e1nNERxx&pERNt~V@ zn1sX4k&e7_Na3W<lKs-WF0*#Sp_oTrH$w>rj3s)qu8?oR)WI?pG#rLvKrRCWd7T_E z?!bc%woS{*4=+((PkDsH@m8RDhLbc;j)RK=ebJw_^uyqZ3uprc4X}Yk{W)6sj^x|# zxp0p8H91lpfyNs(Iokd_3KRYI{lq}qY_kXIFQ!@uY6o#M(6J*y+CwZW;OMesApgPH zY_cFVppdMAHOi{2gbJ-6r<v<Y<%+Iu*U_3=ZdrC+e(HJq@+<K8T%8IYicdf^I6Guv z*h+)D7)qP%_Z@cCpOq~VVlA7vW@!g2uhs8p++U2riT*+!Hrx-2K6v>D&v0n1srk@m zLtE@LN4Z(qo)MY$ZLZ1ix!sk1sC;&|ekgz1Liz370rt+rk2vzEqmMZ@@La(5LcZ9# z9`0}+ksV5_y`R6}TCM-H*x%rT)Nq8$`yifNmFDcqMo1SG4KqQW&eiM(Te*kneTU3) zigx_*!|-KOWXr!JR5rUIy!4-=Xvb8pz2O5gS3i)J^h_w9fi{IDOftAOM?a`_VLw?- zj<>9MB-9|~g`1oVY=dN-2YG685?FyX+wM4<-;Pr(#E86%)P6+H3ma==6}A{!GqC6b zB}030ETmA5WGFJHu}5Afn_{R;{_pDTP}O$Jhpc-(`OcBqmUVnNPp2JeE_q@uYq^th zg{IinyDh$Z(mxpwS56s!>S?E+5#mF+Jx<<due}{UcmC%36;3?68RWGaAhan4i1P~y zUxS{h2?lh|$ctoL6>E*u@mq`epOx<FGEKlIH;=Q<%H{uaxRP+-#o=txv@3^=*`&LM zDjnu$*W~VcEp-{Ccj5Y`Sqy>&hL}0$43aFL>MZAzPoH1rE+NAnGCS9h1v9<imStdR zhtpA5=Z!abQuD!`4$Q_%P{V?%T*ZL4$W`ZZG|rXao#MCn6D-dFe&PVhP8AGjz}+Co zIXLFcZ)l4F$#PE)1JnfsBTcod?F$rh=Zeh$8j(wx&zL<UO6C~Lpbbty$0CR9ALAm` ze76^KobN)Wzudcqm^5kE_<c*fP9AZt=(rK5*+mJoD8m^`+g*fVRyU^%BgjnaFoGn5 znz9^&8vN%dcT-V^Y!BOBcp2j@{Jgcf54+<33yS#`6p;gYM?U$RKYvB0<T1`~InZ#p zb^}umEm7Z!L#Noe7CSlLsXMoH|Eb<~a;t4uHMI<i+vQ|;C)&M*-MzULXv-a0;d0X! z$RJmIST6g&iOa3+&gJs8!_LiN_j%L0Y=4gGVY_g<vSm)$gf`zSKQc;7J+f4Vtn+!> zvGNtlX*hB%4RCPtAq@skK2YoC$5ITm2uOyu2qX}e&dn!R?dIsxxmG)w)1m}%uxzrn z)=CSTMX?Yk+D?jt`Oc#YW|zlgw}`ZQ%q&}`kx&JSNf!lFg~cPucPH5DNy4BqBlkN* z%7eWj44fQ?Zz+kkx7SQ^)8~bIV`poedhQJJt$8e*r{uwQ%44$IL?z+fmesDvD9;*{ zZQX2!Sy{pHKTyHf^UWKaq0lg2<lJ@tUp?|W&DqNDDr)Rl^S_2UZR;|*biTzMvY<G) z2@GBM+-!C$X9|ZLi6hE*r1m3lo>LH0Fh(Qzj36&l^+D~C@1Xj8%0OB3nW!vanvcz0 zA&_u@5r1RWeC%ebzK4M()!=r+t3Dm&`Z2C|Vw9)edA;YBV#hhRUN*zw_@w2|w4*Pr z?r{7DZ8R;5<<N!<+76TNcaz_~U)|phSxGKs)3adtJ>{3e7;X^qt4HRnfDa?q!uH#! zV7S<yFiY6N7c9GDIH-*&!GQi8Zn@Mho7>1Jrq7omzcim^Ru*g!I?n67KZ(gDw+K=p z$HYkb`RydcZ9y2OTc&qS`~A7X;nM+c0}|$D7EqhK12Tt|qEXUc%4~kFXlKw)#yduC zXJNJ@)0~{PKmEv3YNpv#D*4aGY<criIg=u<g$T8lgW2TjG{xYUn`TEj<~6vFKxqay z9+uYeSa?J1pUYX7HeHq<0X49W{e>8&myy~J+ilQrU{PVwpL@RE%9|qSR(Z$M_L1U9 z&OgDtUEccFjJE@ggKWC2zy4g<9Qm4riPVTD#)%53qmVozaqDK*?-D|r)EY51{4R-1 zlV&q2K<%uo)qU2VN(RTQ{Ya?cw%g!&Q#+De3)(u_WNoZ4%Y$<4l+4kOfEk!xB_qQ@ zvK-Jj^c=JwS#ATZgZ@Us5A?S4B_k=%Fm2sJ4l~KnX6kfk%YhaHdo{;KUFXFd%aJhR ztv|_tk=3usM+B_1MayU0FN0Y>U4STL5lEQLa0e+V2HXd7C{RANM>%uSXfd+Mti<v; zrdgALRMt=&W=%AQ|6Q0Ze}EcLzkoj9V!aEh9?W$Y^LCIq_1GEtIqpVGjxhfb`yVR7 z2=gywK2$aZ^@SV`DHo4J*xCLzMof_R2vV?Y+oKq~Ji5AOJr8a_Tx~voT6M)-UnWJa z$Z%OtyNAkC1QqR;0%&GCgic9E=*LNE$N|ZN1|#K%8u0@%+~tDY8tn4y24;{`fPv~9 zNsjH#U~;^_#SH7S8;f9?FDE}Yf1`EFlch!V*1~Q&5AEDaI;~y6v173VWC7>@0pfg> za*LHuzY}ErSrqiuZ?S{KZWxzC?I8tfFuj0$Xz~Bbl-t)z?)V5aj8O#_=zz@*vyy)> z8&)Q(vg8iumCu1&|Lvyx%i8ZDUsic#{V8^wF#fY{$Zp@5$Xn2zCCnCZ`>CB(7Slp# zqd`i-CgfOjYz#?>ErtPd#wKfTCCVcUbs_1EL}iXTTNvZNU*njH$@Vlua71Kt8=7K% zLtE{*g<G$Hw*dtR7AVLE(hHl-AxFQ9>&IMk@*63WE%pehK{LwnHK=7k$%OqP@sfXh z<z$h=^rzpMgp)&#TgbD#HOlh4k8+CVlxHXB?`ARx?dD1|mmdkOS!B~#NtPd+8kjzx zy;|)&baSCsmmdZ_QhQDhx@AtoO`B8MY?-Xs`pTMQ^~0mGDR&K(TZ%k+jQD?W^7t4+ zv>UP*qy$6e-fz%Ph_@g=NGAUaRC#KXN7P@D!F2sbJD+%qvK>&7|A2D*2NYpIv+S54 zPmOZdr(tqVDTbM1JIzMCA8ltogC%n+3vw{a|43bK@dt3byUYU$U<7}7)Ro`6|HOBb z=Z}q+BkYkF>+Nx#{b@SY?FTu3^(YEmG@#?J-kplX7eIG`=x%~+yFV9=9p@#+nqOue zH_IEB<7X%TU+7U)o|jBjq)LBsK-uM=`B>x==e{uaxr0tw!feXVzMy$&SNFviOuC@w zg1YiKi#ryyU9hyHb7JWQi#t17yV}~@T6$Y1ENYu$OUSSB(692~PX$$#r{gUB&vAcm zLT~$}y(cZ~G?sOq$I4CUVEU8He+#0X{KZvoLP<&M+<9ng<;#=llV+FuOm}#$tckLt zb7V1NSClI=b|>Y?>Wtl~xiVvSW{xav>`EYGCrmJ9NgKQKA$#nf`+F0*SqCUNW@uyh zlX@-{F~?FL#)il*yX>;IIjElZ(OGKW+j>&WH~CzVBWp7GT<OZv*6y>A?PKyn+O)O% z0%TWEW->nMQjlIza;!I-GSg3<cPV%(q}|OI1pfgtj%$%k1nKRO8te9t`3}TG(qp~v z;`eaH&VDu3MPt3Y)`YwXQrEjq8|U@mi@Yby>FJ>#uVkF}2f&2xp6=F@?Emim0kTtZ z92Z&MFDYiyfBpO4|0X^ysQiqx?R-#vOF;j4K<}o1=^UgzH#hxrPWmg$y>VYdV7~4L zCZ;S&v{eWS4N>rMggS(~@GVkvfS#8#HI}t`b<1L%9lgztn7+S&HrCGv>c@K5VNRUy z$exDmT*yA_$o|$a*1Hn2D;(L8v&VWLg)HsJ&W5ZGGWMf>ZfOJ!S-#Knu)h@HTG;d< zEI_D7I2)k|VGP0>(BFXY2*P&}E<oVt`_SEvvfhtyB?3RUpq#%&co|_G!XpTuLg++@ zBa|W(AsmFT7Xm-Om9#Glel;`JI~`;0BJfFsvk|U_>=5AXz&(I(0G~s61fdP#bjU6P zrV*wfoPux=f`{-be62&cAK@DapF+44;XMd(gtHMi#`!sQkLJ2%e)qiQx|Z&q_U2T_ zW$kIts~A<cERkyN>0H#^(b+rKJ2+IgEOKdUb9MW&NOyNvx92^8z6RNxXl-5G-QC{i zd96${=e_N%z0Fnao$cKntyS&4es6EL_XDJkcXiHduI%nwNW%N}=(=SYyQ~^vqPwl5 zvt@zz(w-<yb8GLiMeWVKU5ghjYVY=<NL{(0tEJaiR&*_%v!LDcuA!y6NO#pPUdS9h z@5)?xMSE+<!j=UU9rHSRy-iZ)RC{l#7Zsc5O_qAqw=7uPE;YMLtSY;@7q;|z-d|u- z)77?kL3^{`)@BoycXjskwsb<<oUL_bcYC|{Mvk>@56}B+R$AWO-qPESwIGIk%3Buo z&~a`1Qtw&Xv@b+0;l{gPN>SSdSy%Tm&pR=vr&7Hwtrtso-5hAm>W<Dfzq74^i}l`Y z59t=>@>9tr+1|2XL07AHRiM30LwVc8s>T|5w+3>M=JU>hJk8Ex<b5Zv6-vTU<t<v) zJHM-Q;?xOk3l@0Z$zF4FPj6eZ>FSQoxn0d|?LEESUCWvmbo8KIqu#>yg+1+{CVS28 zm$tSq>TRCi(%H74y?at~YuCbsU7cQic`{R*j@3lMlS-`Dt3CMWY+bm>+u!={=n~`R zB|S2hr+LjCSfqN}yBB)XvvhO2=X=dP?em-Gb}WFhnZ-Q9L-NkK9rG4<w>NjTVCXMx zZt0%4#FUC&I$9Q>ZmMeUT+-3q)w!^pBV&s7Ef!s!?U!O@>}@flcZS#8-98T$MLwdL zySTHpw*$30iS=!7UEJHQDx2syl%>138G{FoyknJXzGQI+MuHJ~?}XG+@AX(gOsd{? zuVqn3@xq>BoMwvQp%_hsv0uC(TpTWzb{k;P*3sn}1oYjDJ9|48w!0QL@0sbe{nLhp z0=<Q*RGNnLy!JgY;|i(|9fftGoQp_jZ(Vm+Ydbd7kM5b)(yPe((CAo?FkRi1m_+E4 zy6*NKHg@G6vlh2^FRN?sp37O=+1g&-g)(CGIBcNzSetjGBTdi8jBJC@`vs+`W$2ZK zX;jbeK?T}Lc}IsTI(pc3);QiVr@N&avv<LQ9`8M)x#!t#PQ}ruQMmIiLuo78=PaH# zuf1DKxz70SZRze^yeNht-{AF9Vi%XF8Qcw?R~<>#M&c7o?TD`AJZN2n`M=|z+Fzdk z@ZCo|TA_Qq?(OQi%`TRwp48L6VD6bkt@FFjENW|?+p>5;?|HQtre_wNb=sKX;xS{e z{4Htk?(HdRDUu}^#x30~t!VKgY#3cd9Z<GoWG-o0fc}9OvkVu3UEDrl%$Q_5datvm zsCRyQuCA!1r>A3HXM0-_oKTzfi{d~__w8uY31eb&i#ofCdKS0Nw{D9%dRW>HB<?RZ zW!)w(3cFCB4yNiYn%A+Uz4Od5*>&GowsiEgw@vWcxCriwR-oVfZIIRcN3?()5eqxG z*SELjG=&TSw+Gd(Xi;|;cI@6|BdA0FPzbYYa(jF}x_eH0duLHc8wOFw+zt#2h+2wH z&>T+~lN}!&okepx+B&*%0KwYRvY?1pVP_VV6m`LC_fmB21R3a^TqC${YsI)|oLPiZ zE0)IoL2hekiewWM(X41Z<ME`8O2@xlRK*8II7U`So9*i!V{8()bhj6cudOT}e<q<? zumUV*zY$f8pWt=c!;F@0C(c9hoOcZ7=!WjWxjd5X%2|l(#*{Y>mtp4mk84$-PiM=* z{;n+CSnh~rilM96Qe=A--DwvalWeCgGhWVc&FSqtlPt%$sC5Ar%AsozD1U*)vZb@A zec>WZTN%X8qG_hg`5A9q-+>6|fFj(liGnXV$nvMQj2%}8{x0EfZ5=yqHti4g#__uS z(s^UYwSg}>#PXkQA3LrW{A0p@VgA^0ec<a3wfd4dW5-<y9yeD^`hAf8Ch#{2|8wwn zfgg9I&HuT!vEv?~{ZZC_TF2ONk5PZP)$fDy1jkK#OApRbJsmBb%}YDldgl+-^t4A? z!@kJa54+tZ<5nEP=HU!KR6g@~*@T5l?MIpqcG<3li@JJn8tLjBDzogunUkz&VauXL zI35l=?=fTi!ovr<HEPq--oI0;_v|FX2t%po;4s}eZ^$yYbavsYkxisYhC37bj}84B zPKiAW3~-fGG}D6%y1Fi2yhsbjMWBC^h(lGhc#(5VnX{~j7Iw{OaTH5Cdgq%h!<;>g z5f2@6aZttC#GX>9AJf`}vvAL%u1;JN&&xWPP*h}Ap<Yd*7vt{H#gsQaAAT2_OIB{l zOR#-nt!U-RT8~w_ZI$;Q+jzA&hh4RFen;#4G4>?Ylg(Z?_YU~t=7+QIz{6k9grYQ$ zbnu0)AJfZ%kTH%y6WfZqI^C_48BgfF6xG6My9npX9*o{G;qZi#2_?2Ltl%PC_II={ zz|mq!OUD8p#f#?RZbH%A-bH7hbr#|Y*uHt2c0yP8ytB~yEQhqg;vSS4EnC#XWuLu+ z=D>d2vuxp<t_561_25{9-eVU?^RQ?|ya*_&<dLDb$d*da5$>L}4r|UKGT(2RHt@ch zsPe+19DCkbE&Q1_7waF^yuubcpuzo2=DrtjFK<up0HEjX=N)KpfA3&m$Q$b&W%zO4 ziNHO*1HED+f2UVs@Ca|3(I4fN89dsH7(B*H?ZxK~$9m_Q*V>Nv9x-@=_pHGay&2}G z?@sdSfg#)>c*OAIy=M)c>echXgm;?vxWUuCt-z3XhBt!`CA?y<!Qce%DT8Nu8x59t zKQkEiCYV+$^(G%h`-$F-B}_lbd&oR}nBt8;kUcupn{hC4n%7`(x_8$h<j?jVGI);n zBZKF9cOFXlc?kA%E`ZNfe1rqM(Owd`556+A#qdXaxNQdhOz&18?;t#GaEiAAI2!pr zW%zTvjRw#4wg5-L|8s^v-+R%Z@4alW%zG6$8c%UvGklfzdxKH$4d5u;U;3Nj<K90E z)_9{(+>lr69b~Z1iyKUOO$O86MF#7=`M}Y*oBlx{p7eM(8Tp0Yod%n6KacVj?={2E z@lHXdM|*AF1YpRU?_CS@y!U$7n0~+5yWZde@AC#1dN&&E^uA`W%lo>)Mc&N@FTs5z zrtkJ{H`wES&tR{2x535UeFm3!KQOq|d(hye-lGPWdCLu6=B+gNK5q?hly|we!SEmS zHW}>m_A*oLL*6)pANCG5_z~|=;Aroo-jRmC!aLUBCvgXk<@%I2-r%RbGYnqo6&t+D zD=~PrH__l{yve}P-e<kD4S$_C!{GH^xxpK}DubW*stta@t1)<^S8wo(UN11@eaU;y z;8(m~8~mC#9`nfazV1a0e#4t-@SEOpgWvKt8NAusYVa2G48rri?Uk5$cB?nh;CH-L z2EXf7nfY~_cdfzOy(fVo?+&lh%(FYaM-ATPJ!$Z6?<s@#c$Jt}A@5#qo0(ttc`q8g z-#gjNvmbbSntAqsx3|Fuy>}RV$lKT8!`}V|f9M@(@JHU+1|RXxHTbAE0~qoi^U4hW zxHsik@=th823LA>46gESGPuTjz~EYMox$~<cbtdSX`^>IFyy`D6&d~&Z<^u%;+=2s zzrCozH@!N8|Kl|RJ@231MZj_1zr0?<9}v3S;JDEJ1`iB9YVe@YlLikC{ng+hp??`X zH1yfy>F2P}wFciAy3XL?p{ETV5!z(%$j}ypM}<b8K>MRZ`xrbXw6DQqLnj(ME_AZN zqR_bpj}Mg_JRuY@cw#7O@T5?U!IMKR22TmK0Yl#SP`AO;LQ4#u5xNXG+A9uy*zn=d z#|=&lU1M-^=o>(+hoM^yKP_~d;m;1;103z06RO1e>3Q!8RU14%RAbN&B@C8@W*ICG zr3_YtG6o}|27{HMMuSzMcN>g`E;JYmH5;56YB5+HYBLxQ%{5pPns2Z+)MYRc>NZ#x zT5NDu=u(5p(EALgLSHeM4&7of6S~b{edrE@4WT;?&JNveurYM6!KToC2Hzd}fx!zx z4;s8M^svGAgnneOIrON(i$co{wuDv~oD+J|U~6c#!M4ywgYBVB2Iq#h8k`q;&fxse z3kEwvzXy)?-W&R-;X6Y&n*FIO^d*CfLN^<{BoxMe74o`6Rc4>+4LxY~rNyBKurGx? z^H`f51bX1-MVwcDjcX;|3*?z%poQnfBk6QxQz}-qp&^!DovQKU>r##JxL+1uS?<@x z(*C+=ERsxA#T)BZ$Nh9{gP-)vVo#K3Y9q1AL~?!On(~=zYy5OHf+$w*uZvVQ)}>?q zhVn#B9VBJ3cr3jw)mT%OSXU9NifyS+G(^^={o1O`7NoD~EB9;t3fS9RW96GsmfD77 zEFG&|#ryu7%lw+mdcSr>St7myw&_G1)=@fG7mw9O{7qHKNMvn1R^_KN$(1#klqp3z z8cWp0o~X^#ltnh7EM>7;IIK);T3+6mjK$-zCr~%UwV70OYZ4_u(NlhHsyG!%#-1#X zCClTH6{%SnKe;mP*TmLU#%g^Odrdr2xy4T=6AgXISXFdOy}za+kwIfcBeiKCWvE@w z^7r{=iTX%iStJfanm=3bCu3-i#D=n@kL*{XZPJnC2EVT??w7AEYi#oIl%sZKrmrCy zORtRe#Zn10cVtCPq9Rrqi)?zl+E4q{aG&U_Y4mGr{7n^!Er};<{A6_>#8tD`RL83Q z>dcy&NNvSRw0k7&Z>WzXO`o9d=#q8Oh+n_0CK6d+o<J8pQ5~&`Y+^xIvMT8YKUuN4 z9EC-0jgi$=kwmhJ{TM~}S4URXBx<Wn)7Ql_n=2yq=!z;oxh7E?=`+m~Sy31DQ<378 zsWk2TOqa*|(hZ3|w3&EM)TR=(e(jb-?aH#mb2YJwia5#|Us;i<izgaU;6yn)WhU}U zMH02EP`$P3hK+T863rWpq+(5x73rwIzA8~$u_hWROGci}JY5s>H>RV>$jYj?&my8~ z(L|!UFP?Z7ov^7Q={Lk`t2RetRjV<){YHfKQB-GDthOTZT%8~F8&+2&8c@@O$&|h# zeU*t!vM=h#D;r`J>D3r-6~&dY)Rr2w26HGwIcp=Sm9dIQqAKavMUkoBmnu)j>b8h% zy={;c=|rC&M>E!NjQR1%la(=yjZ~}_-j`#5V!**&vM-HRf#^w$kZ8@CYQHa<sYMf` z57N<0&Eqh6JnFBm^ZRNO$@J<*zppYAkDJnA@JF}QU@Rs5^6E&sFM@HqE{+-|QKZ=H zzPR6)_E%LTYGSn;Bkb$GTEEXP&!kb!q+gxRY)VDyBei|yQOxdgtOuAYk-kJ-WP`23 z6DjzPpfK?@Wl=v?oyt_(VIL_*Z)eKarX%r8)mA@=!N<uNOJZ!)F0YATVy|mzYMkAN zD9tEo$Rx=+Mm{5i4CNW4MYDsXHiM8dCdj|3DM6bA6$u1X3lW{hD2hc4kIIv_5|Ri; zV?^jyun0blecJjo_30j=u_}@3YidYA)=)c>QJJAhKGlQ?f*FX?Ho!E4#2J<-!xCjs zqD&1!8B3p;jBsDm)}|DOL=*a;X%+^^@}>mRBw)$a2&G6s5%+7BBLcC!X(nW`rcy++ zSfE&4T_jmtlgOl3H^tE9ki;u!Qq|<ILJX>6c~h(m_;^!nVqepmrYKuF%9f6rmPSkx z1&pHD(FUZBvhYzhca&9#nl?vFl6Iy}h%HS40_z!N>7z!@Iz$s_+9(MOW{e|XoDl-s zJIaoTveBb#^eDs1rl{W-s|Cg8kFxnO-Wbu$w;Gm?p|2^DL0@1MLzF~5k>tiE4AG`Y zO`JmlFq2T0T;3EZ?Q2@u<TpZVGeEqd$*+%Lp+teOa3V_1GBFD2&x$;W<<>9roBT~p zehmuaQ@pOpl)-0OCPNwg)lEJc+K*Hsn%dX2ys0ES1#-j?BZeF?YKOSO#N{SNuRwwv z5i^<$hlowm$tLM!lXS94I@u(hY?4kkNhh167)K@HNsQ3FC1F&vBphZ`f~aIVqiKv# zvXT<!Q)1GUFkQ(cx+r1ll8N+LGSLX=sic${mXtEXl2W5AHA?1Cf*ksuZ^Te)#7Ju7 zKthC2hY&%);6#Mb*VurefCwQLV}t;U23la8HP-hvVx%=@8WOV*XR5LI;Y?AR&X7ZZ zdvtPRW^*HlAtD4?{<sliv5`X&5sfhH5Y;e3s6`+>6Cpx-<e906GFsi3@u~JPR2nnI zjS<=d7&FIW!=s#;VyiM5-^P?qVl<IaDWfo=zQ(PMNmRBjg|iGGf&JWIbuyNUq5O3T zLv0386~Sgu!)36qF@ZF!LZYDpQ6?S5dW|gu2`sa&F|oCg)k`F4jfy0G+{l`;Q4=+c zs!*u}YnGsk6^&Rj8WXlw02Z6TnAXK~W9pSCwmPGlLg{2is9b`TOR#bYRu0KFHey#r zDX^e6#v0IUSX3LaredmAA%f4?szxrah^WD&Mue=fhBaabkEK>O#@M*9#5`}T#5RpO z5;h~=&=^5GL>dq{79yD>ixy!&N7#!I^cCC^5T|1pGm#WW2+~Ke0T!olEUT)Hp)0E$ zVGJvEzeybqZaIP)B&Bb05lmf;Gi|0C&8i0Evn=FE79hD50kw)G{ndy-pr>lp*0y{k z!Kx!hOQP3Pku?A;XowL|`8bb&2A*w<V2x{xFrx^XmTidRD?(qR-_*niDxX9nx*G?T zT5Qum1on#$KR%krM}{~(GD6{S^k#&>k>#hzkw~Jvev-*ZY-;q;;4BxK3Z985f?vA| z0a(Mv^=tfUoFz#h#1X2abjOy$&SzZHY-T1|kFEU)P~cbwV@4|+eGwU!V;75OqhGld z0T`*NVITV(&who(BoWFfD>D%YpUv+Z&wd3O)-UEj_1V%s8`|e^_Bot=4riak+2?TP zdWdK$BMf`2hm2r{)sGSEu)d-8T;&>z%W-I&jfHMDCi!eEcC)$IAwsA_NF-*Om=Qt@ z0f%Qsq!6&qAwuYzjkRxf0~J^RXLA8WgwQt|N4?qgAi0_$Lg<@~a{>AQmnck3IaYz$ z*x_d<>Y|JgsOX!GIXN5Cads@3*f1M&ayI87B8o5%5h0)_XRQI0f$p1K)i*nWop3fL zQDpOM47S-U75;oIwTKXy3A%YUONl=;nvF?LWrU53F{8<hCc(AYP#BY($f%T2xNmmx za}7;>4UM(6j5ajX$NCyj=>}A~p}wyHD|rL!j>u3TYG-al1R{>holJadLk3B(h&Py} zfH9SQ4asc{Nn8nlz`+|)ZFM}7B1dAgU<CxIYdn&qDpHG)1n|?V8*nPGi>x5@HLw7f zhYg8jDvEXl;xcCiAkGM{<4{!1Xe~lTs?IM*c@jxzX`MiU5{WpYij)~Pq`*?Xp&@|< ze=}o}z9G@Rq#=kWQVG!UCmRxUiB?GzPh~WP(PT!G7)@kU$|&52Yw>6zvxR^q!vL<& zlPEEEPZkzUfXi6|X`F-*SD^uTZb!5dp#m+4n6(BlVrpO<mz52;Naf52R>ilOm`#gI z9W)=VUwE-hEXFls1<fnq5(5n*n>ljvXo#`!F%~|?!pB(n7z-aw#8>h%Hd0)Pj==RJ z9FT=362WD)0bFauHW|u@*MY<;)_@Bj+VwRc1B~?sZW;|7%gGG{+x8$R+|qzK(13ls zfdd9BEh1hCA;xG(C;ilBkPsSmMOCC2m*~tt0vclMU93l>48g}>!{LM-8ex?ptWtzk zim*!MeGRa}QrzHgYw%~Yb#RDn@EeMG;w;7pM3J#TH~7ys;36BrnAEdTea;5Ieq{qD zUjr6ylowa_xK_dynk7xV2~rMTwt}C+%>Wb)7%B5pyru)4@^NFPh7_(C7%xZEFC(!Y z*C?jzaH+x~&Z?v#8VLts^4Lf-IB0;VK(AmNaR?w`UEIf*0YPpZ0y^1`uWj&o8;0eG zvBj|<H<-DJWxN3^IDPx|tQ1EA*JDIzHm=8r&}=28P?VJ7D9V@-)Fq`*my{ZH38?UN zMp%OwGn#5h%n=@*5z$B3_`qQpBz@p8jEFwMCB~edN~V*<!59%eVKqZUA6Ul_F*T3D zj2Y1fR<Qb}8Z>Y{HiCL=0`=Sk5Fykd^wl@aMDY9SF%s)>Y^}$!wVvlyL<q3S#H;*G zh;b_mYivEwr1fbKuuDy!&S)B=sf?yDn#^btqlt`48KD@d=_QO1rkRMTrZLqtrkci7 z)0k=+Q%z&4X-qYZsc1Wusiqo=sird3RHmBBR8yI1DpO5ms;Nvxvnfn9g{h_(mZ_#N z)fA?h!c<e3Y6??LVJccoW~#|dHJPa<8yQngW~#|dHJPa<Gu33KqH+>bO=7A^Of`wA zCK&}&O=7A^Of`wACNUM|6PaovQ%z*5iA*(-sU{jNQ%z*5iA*(-sVFLCs#2yZWvWu9 zDmCRSoy^3grlh5&sHLW?rKYf@rnDHiFfrvVH3cp;B`!5ZE;VH?oy6=*O{q&wu}e+4 zOHIKs+@Ul@FEwQ^HH9xVr7tzbFE!;aooGsHYEWvbP-^OcsR9SK7PcC;9=0O3d^QuY zWD}HPS}|rLV45Mq>|$)%A#54~lZp~kK};ypCM!%S(#8R<FiA7QbYg5AU_y~L4lt!i z8wZ$9q>TekDA2}%iNJ=<Gzgn{5H=GbY-U2(OogzS3t=-E!e%yv&2$Kx`Cuv#HZvkT zjim^iIT1FKB5Y<w*i4JCnHOO*F~VkMgw512bq|}#5jL|UJeAc5oB0to6C`YANZ3q~ zu$d!aGfBc`mY8M>n|Ts86D4eBN_Yy}A#CPK*i4qNnJr;6UBYI*gw2F8Egm*gCT!+R z*i4$R8I55x8pCEZhRtXUo6#6HqcLnoqv@=$8I55x8pCEZhRtXUo6#6HqcLnoW7v$w zuo;bbZ=R)OH-*h;44csyHls0YMq}8F#;_TUVKW-TW;BM)XbhXtXog7GjK;7TjbSqy z!)7#w&1ejp(HJ(PF>D53*o>gC8I5Lig>7fr9<j}8+s0PVmeOV=_8d%MGaAjn44csy zHls0YMq}8F#;_TUVKW-TW;BM)XbhXt7&fEPdV#;bdfes29kF_x3i&u9UM#o0!9b8f zNF!{n$Jwtwfopw42sL&y1OX<Vsac6Q?N<@vkw)AQj#G|JfW~pZF0-~i5nF*!&OMZf z!%qrcK|ovq5$|^6{uCYykX~1hlrdau)Z^S=A4?}=i8!`Wp@=?DBnBBH;9)}oXT&E! z`N=9?*a;=Lygr5-$S80uSw+9FVT>z10BVOEa3;iIC4xK6*t?ZtE=DG}i7e@r2tb@Q zaD=MI-GO>M)WM?*oZ9Mnae@e^%vFR6KaK3Uv&JG@5SSgUDrTBWRA5`>o$_)VZ1@n$ za2p|F(aO__<hJ@4ZfKjv!7agh9A)YwjZKJ<3+^Y>N1m<c=@1d>$NL9$IOiDxaSAv6 z5T_#R@DOC1JP3)$(dqV?NIc#zEH0UXzkY>bv9^hwVKIAL7VYG+Xe^h-kaby1zkYUd zZbo3;jKI1Xfps$i>t+Pj%?PZU(WKmrz`7ZMbu$9%W(3yF2&|hCSU01Ixfy|VGXm>o z1lG+6teX*7HzTlaMy0tKfps$i>t+Pj%?PZU5m+}Pux>{9hZ%P;fORth>t+Pj%?PZU z5m+}Pux>^rxfy|VGXm>o1lG+6teX*7HzTmwj5z%8Oq3H8#7ab*xsfEE#^Sn~6ha*W zE)we_xQkyOiHdm?^y+%tKd6r&9UeZ^M=&ur)yu7^dRzk4<Bn9l|4couZR&BYhxvu; zmwH^c;7;deAan4OjUbbFK1muEkF+4-@hQMC%RxqB{u%>d>hSoDNl`GLE014OhwEP= zp7GV-<{gtM4SO!ZkYG*0RZ2bX-Pil8>&?{(;=cNlNw`X2jEK8n2{*x#iMY~W%m{s6 z!hNuW+hEB=TqQ7OgoZAeh?_=?85vL96iZ5Ry}_6fu3s24qCf77y!t^zf2GDBw?<z5 zAfl(z5;QjAY7?XApiy|lC_Z9r8i*@RjH-i14<Rl$ahZutt}F|8R$f0LV*cD#dF6zN z`EyUjH51c>ajTy(qcB~C!$xds$W4}y7wUNxg^2!2rcz&G+KO8)uc#2wH-{*%r4Sjf z9F(}CVkJt#tVBtel_&|b5+z|)q9n{pl$e}LOwPO^M@e4>Py8}X6A|vs;N}Ewer6i` zGPo0zQ8t6?F9eumGNp(jeVKHoI@Xs-r6@#<C_0-_2G4Z>5#uHmg*7hGGpW^?RAdDL zwjjpHGzBNAm6>Gbd4yCSBJ4nnmm>nPHG{jT8QgS&T@ugP5FwaLJpjl_2=JD?CsW5~ z=x||hvjxko$kgHO1o+`Y1YGu8+(5uh7CwE>)R`9wGJNU>bzNjrrVh7CaXX232{U!Y zbqVgXwW~5rj+<>6yaZtGVr6QpYZJIZ3`D@=xMa#-2O^EeLyYPoCb<Q{B*u9Iq<Q^< zh&y3`@<b9+JO@Txu@Qm07V1m_hlG`esKCj{5PV>52orD0)RxDVBSIQHL`!eW)Rx7u zpwO|O!py}Dj|x~~IwQh68b;BV*^sHh=8b4Q-qT3p4i0K+iRD0?G&0rbf@-`n!RN|& zfW!tzygY-d;t&$SC;?Fw&1}j<kpUl<<KcV;Ye5Egell3PGPu2-smN3z!o3&LfaQp> zPGyi}MW(zDk8LaYY$t=K+qf^gF;nJO@Q9Qt>&x)|I-V&ZJ@|VvB{*6m!nomLlHp>4 zXd0ubjHWP}%m~AR3kV`i4aSU^4ogSIEFFwVGBp+rL`;oE0})em(O}Gosj+AvVroow zL`;Xtj)>_n*%2`vCOaagz;s5$6qwG4m;zH6(G*k-F*Cq)M#R*Z&WM;A6B!Xw7vo+v z?xJRjV|cp6hi1i*46rOYvx+#mFO5l?=Cf=>2(e8FK(ss}1gyS@5c<-Mo6?PSk>Vei zcnWwh_nR1Q$lPb*NtXG(VJ2GUUc=mD;xOi}A?`-JGL7?c8u#YYxFetD!xBV&>DjpT zjOdy4Y}|5u3NN9+2zOR-_l|%Qa}u+IBu6&U-sdD0S<l$K0R#<heDU;d2)uj3=bVTT z@Ip#sF)Xv>MirX(M}*<)7fPCUEQH~EGeVk|Erd32ohZ%MM1(ePZLD?~(O5vOP#&DM zqbVyONh)5Co1R)*a#o0nMdFoWO@d+sb{1}RrR$S1Ja<Xg$7=kF%%*f^c7!Yr+vyA@ zD`SK-n-K4i;CU0~5-5ZuO|Wbt!Yz410-c4G56x)#TC`#&xdEXXPYw+{!5C8(P=*_l z0E9XOT%RGLUtEbHLa42!9q!lR&MFYA42s9+N{A8Gr!#R}*I-jH4MLl01e|o%B4$yl z?n!6LXkLbZGsh~#IQ}q3RE)c`h%p5D6c`bcV3$a5O`A%mGq~-E;b71bVDL&3V@BA4 z5Wz`0g;A1DaULLML^a1@nqvr$?vRX)j+c8F84X^j0BKYvA)cp#XRok}(vc{h=NMSc zm?Q}r$&m~Mz2OXmh{;g?6mv=8{xu?qQkWUIE@DJ3@eE3eG}tlm00F>Prwpt$@k}yo zY{aNI;#G_yR!)KcI3rNFrOX)j(^1(96an!XM23d|J(pskQp?ku)5*rNIQAjDKE$fw zpZt+4;&Q(92BM}87mfytrwdLKoGOSFgmzqm45HHvqTdW+xfG&A2|+BMR)Zx}2z833 zR3z#aOR7lJF_u=5XbxCnMM6X?Br_`!%2_A8hKNghB2LGEnpkxr)rhy}u)zq6QvlvA z!~0+T0`sa7?iOTi`gLeB<0IZ!6%)O=|A4a#H0B%(tj?ry2wwv#g4bsF4p}mW#$r>) z(g`#__Q@JN&Ng}CHUi!=qAC@sVd-OaxIIC@rf9$l@v<IL&=p>w#Jhad;l=}I56&)p z@4+|*wVndJKWM#ICQtxlT*)^G)AWKzOzdCc7C<>3ld*<;vXqJYn=BQN6ekmzT8szE z!O1Eutk|1Uu`O9vJkiG!cM`aqVT{C)8hGb)7K+_xW$ZsrA3O&}sECxCMGB7(&66QK zL1K^L`Ar-<hdd<_zA~OjB+X+J2<jqDXk41srtI;{kadX^TAA$yIbNIO+Cs7>hAJCO z;k5-;yPu(L4WBa+8KEWlRuW_Ca7w{zu}QzOGFDC@@Cg9k_~eUwc!W%>Hus_oMIHg~ z7Gf#Itu9jLMbC5s%K)yiY7?=|!15^HJ~RX~pde!8tJ4X*1B?jP=t8`Cn24odm`rgu z)iyD#(<J0+j8}UNmg7;cNlgNNlX%dT#)GJIqRzhgSci=m?<HdDbEQu_jfIlS0w260 zikF$<*P0SwfS||lTo_Y~PlpjjiZPD~n8gIlVFG3_0rQuD{wJXG3FvtMBi0TVmmu*5 zGfRt+NUzn68&Oxh9}T(++o@^03dr#A46j6B97BP|O%$_<`8XF5vosl+>`Z3N3blx% zz45#|&B4i86_4_q5;t2woLfNLYypT#8Uv2ZIJbZ}m)E#qLEt^XG*1<=2J|N1*g@n! zpN`2!7Bg8O-U!ih1n84^e}h0CkJPyw#FBUckSy9fMn{{{c;gWH#_A%>j=N~=X&inq z7Gt&B5ZGL?+H!2qhOi45-q1$JB1Up99eBEI&PxXI0(YF*^RYc*+(2N=H-15^OUJ4s znKX|l0Ccux`65rTys+blRE@{>8KyQ#>%g#>hOzJb2$Soe9Cny4)~=lSar_z9!j?2g zUmS0Q;AuS@1W%C>vC9#oYJB~>YBf$+Y<C_PVyFe*wPnT3JGTVVYw@Nv2Sf}5Eye*E z<H+E%azv9DVIcBZIU<aVD9*)EylJu?hXEb|5HsQt0Wl+XJKoxaOTN2_(?W7HBdoj6 z136R?;~EY72VSQaMsO3@nljqgU=xnwwRO&JU<PmJSX^yhckVwV^6Xm7*WU3Ku+{J_ zRGf*8!km^Z6{)I1Lm67Ncq82kL@sA&*x(%>zR-X-xo~-`6pCd<DnT+93{JQiMX`LC z7_UE@85zZmcaS)EL^<!Gc<DQ41`ggWAkQ;BUf(ZIV9mFTnc*b283Eq|5CT49yi_-U zf`GxR%($6vNF$~b^OgmW9f2{y7-JPp#(u^Uz((c46|cK;o)S#V;zTgJaB!;QWCKRH zco{@?SX;54)ZmQ~zRh9j3Y-b>in!q-xHdQb@ZSf~2-EYwD^lEFNz$f<-c4>O4z6+2 zQJCTl1Vpt6xIu=Q2O4)#2#nyz$2-|fgtxm8twUgQ`fCux2=8r!@wrq*&D$2~$ZU9u z%-(_k#M1-BIQH{uz#!kgAjQZ~J|2LB=Bok#1Z+Zb!Z4&cV~{e(3liqYKthiSrXeF} zX}kc8EoZaE{u2uq<p>ItV!*i*bu_q~;NxW}AkrrB!aLS<7TA#M(ww@HTC)=aNN+`8 zuOVi{gE8Wjj7TBp+FERpc>A5Q{&`~RhHPr;u%F@Wci6@ghU67VBpypeQJ6TI%Wm;} z^n-u9p!ayB4g)$%!EYS5K8*$qQHO$KC5gluSb!?_al|%<X%Abj2v-FhS|Sx@1;DE; z+tPT41x3LfC>%A5Q+O#A^Ru5t@47s8-7>2#PE<Y#v+~T-cwdLr;Cb6@sAfAgo2l7K z%|>drQL~AfEfl8&GYAc?#_KCAEn-9VrJulM3I6i{ucaYE;5$0#{4JnRT@F_N*|ff= z4Fdc#xPakpH~?n5zcuauKd#PnyNw)Kw@;+CsL{!vNijKyqe#(J^3(8<?y2rG{ZyCL zwr|<8kL9{`+)s1&4kXD0)?$7L42i@<01*HJaHb8dHB3(6$U~8GTQ>_w#%y3X2RcHU z3aeOjtwCroaAVLMnWNDRYUBk@S8F<1{u;)!q?cE=7nE&47v`kwpW$JXIDcbI-FawG zeus@+00hfOf)r_^d(=1PXzXKJIyz_)+idd*;C~krp?cP^y$c7wJG&D8&VxDKvO8Fl zlG?s%Y9Vf3H4&6={gI9eM)?;K#*vH_>GZ2~6ZNh6avb7J(L+68Ce8fQbhjiy2BrzN zIgrwz3xk2H+1)7vTt`_&*60H6_=2ot&Hl}Y+Hz$+Zh{=h-0A~_D+8ILFW_3hHzeqy z<OL~L00u<J9u%T4pb{7)6@3A|jpz&TJ%nC>Zy@w~Q0N8t20||Y;gu-(o_w03FTnTC zkt&OVZ@V{06p+=6!kZwC4>1^EOo+h%gm0o?d<erH5QZ_BU~cFNw`|$nzGI&nz%d)d zU|S?$TclrGrC$IK!#2Rfc_?0Cd(rlB`_O#Zy2%KzTStB!lt=^e=oAdj?;zBgXSMSK zkH}`}`Z0&_g{xPHTSoFFy-u)`E9b>QEuJ(+M!V!;J38F<ftV68hw<iH9WZ%WgMWQX zR0rbCfw(yk>``a~u}|SZT^y<NBh@=n2ZFr|?F;N*I8etgu!G^?c8nN7>%r|9-SPW~ zU0Y9NuLtTF9Zm7zc8mn6>%r|n&;(m2n&5#tzDi>}xE()Bvpl#RBc_2K+>W0(deUZF zPa5ulI)04CdvH5`jAndrJARA?eQ-N|j7EKMgP5-#K5ZZOTXy1Z*<1Tz8@pJc*~}`^ zFqv3x*+cpnSVT7#1id0AO@+zk*2YY4`w;j8l3rGXthXNl7zBDa2-=lX((Nz%t&4r1 zKqLw{g!!~(a<D~6xZOQ$un@~`%j!Hs;R_Vp&2|S%A{vhK6wF``#Cse@CJUp!ea4_! zyWqlycN@wR@!*ydYb=<=8N6Du*)Y%=E-2O!;F-h1)`A1^BRRwoy&$IxICM^V`jV#{ zQ^3*m*W_lrIKg@XK|wG<AfBa?5^b2I5ZQ#A7`D2Y$|bC@yf)O3)yoKig}n1$)R~>| z(J>z=ecWG<!80F47H7<+IBDl=tbzc4Zg-TieYb=_Qaro0^`E~RUI;w5?hV#p%?0BR zp4+Bjw%Zb~t=ZZsfC1}2MmRuBiy$|usilp%CCTX^l_v(D9;D-r5NiZ?%ufx<;K!kc zAdZ>D5!$)K!QCmukv>v>;ErXkD5FG~xI0#z4TIoHV@z|gI)eCy3C)NFL|r@WlorAZ z0{H;I|855}2JmlF$P1XHNDIu^_RsADm8}Gv6DS<C1V<wp1JYjpTj2C7csn~|@ZK`G zv&Wc2mg3CH5A!t{_NQU@(~02oi69AyAQ_1uDTyFCiJ*8A!3cJs_{X<yiFn2ex2`4r zmKvr8#uh#-c)YMhIGArOs4)MD**HrhV?pS_WJ6qznF~w6DA2B$k^eGiHjW;Wfe6|y zFzkxllldhKI33MYe-iN2ao{OjJ$Bj>6dt~#u#Q8DY1e^B$~4OPfUKdq9a<`NIudR= z(na{j!@Lb-!Xy4c<K1j_xYNPuG36{fK=!8!TQSl<LoS^`c*D+d3?plnheN#3W{Uh% zOkk8KX1I~f`Yi>EMbj$Rq~w^iChNnF&$WMUOxSV*vAYS}kncJ<Y!JI>G3BhJ0^fPy zj!ExaD;>wi5cZ2sJpn}Gx`gOe`^W;UNB;zdiXSog%NyhtDY|(JV#+L;!(>~Q0=6*; ziCGA<3z~Y&F=CS8;1RucblcHoNB6h2``aS^11PDjBMGuS;?&(vV~eB+pik$tRXAFt z(152GK*{h5A16m!_yK^DbnOW66}tGtiL8U|bl@tyTM<r@`*d7V@Wh?dW{fH1NUe<L z<j{GuD`+|fNbiP_>FjVyEIgCkDacM7OT+=@knbh&Q;<3`4CtB;iv<}%sI$@`1w z3r{dh(Q$Q4N3f;BXd3rB*2zTL%x6tbY&>hyGVWR7erGQqgszO$N^k6r!VEv``|X+< z=1&EXy4UTRc1+2$>%fB}$<%0WC*y{se~?CQ6UKYkNrnX-Z3-NLd>{s;v*KqU=B@Da zENmGH0<Sp(6f*KhQ;2DEz>gh?56oG^#2qW4*dhS)6(;RpE3wL#fe5#LCL`ItW8rwt zcFmw2dK=bEh^O<fOfj0_U}b}Xvh&dR2;NQ+cwqWh17m#Dw2upuD6yU`S^j-H<;yi~ z2`~PjGINQrOv5GK(#te(+Kt_d5tw<o4#Q`FJ)geD{Kau(#d*%bR}4rF;6TxrdJ2?d zEn%K<q~mS#Q~D#YF?(rJ<obuC{}6i~yO|Y}Dx~N98F`!2Km7NVkO4e&6MPz385$&} zLs;o#zG@KDe8}M#+$f#ZI23QJLOTP8bz%@V%2C^GL&Q=7E<d)be{Sh%jgFSg(l6#M znnPBRF!Sj6su&z#U{eeZTnZNg<Ji|N8&%lRvQOrV#%L}VEJe+2sOq4Fzj$n-;E(N+ zhHjBA>u)^qMm>9mghAe-bb|wodM~CdD~B2NMynuh@Oit4%4e1pN=^{csOyAx=gyy) zuCX;#L->n_t+?P19$MiC4I-Ma7~zPRqK@SXhEj^SwMWwD(J;a1?HrNVN3dBF3XEu) z<{K9N4pcXC_}`=2wK@3%d4c}{o%qau>Wt*fQ1TG?c}rVFw6!IJI7BVZK5;ha7lSjz zMET(pqYVQK>jWswc;2#q=zr+05stdMfHX;~7XrO309yvacnu61LFvIc$fIMts~FX= zP4j|rkcde#teZ<HX4D9cr6?|v@V^WdCWj^GEq{0xZ!i(`AG>TV(M{@{{Ms&8pXhQA zs{-*N3OA7bQ)uDM`q}Zdwolf*?UN;soq1U5HAi-L%eE)isqM2R+b&u%EgZx*4$B5u zC@Bv5u(unN)uM6qL9CB(SlScNxKc&55r8#IdcDzu|AVfTe?+pT;xS-yp{&reVHXzV zwj54AZKss;V#i+dC5g6hjuuj~pqF(A7u0la{}v`1efXbo0$X!VhYuG4g)e(R48#d9 zV0ynpUkz(cyV!w!BuT}*Hp$8+rZZDJ`%T3*em&+=pqg$Nk)~t*=+p7vc`zN^>9ASC z<kQYMIXTEPv^&+XuL_gKaXU-1Lx{-!fRHB9KEwqRz^J3_>_c2I*?!up<pQ9HLd%6H zN&h%u4-h~cEVXZ0N=e9H*<}^LS&GXlfFXZ*=5e@nWo0{g%Om4Dk#l8rj3u|*m|UtV z0|#eJ!EUK41InpUsLBu}$=ih0DPT0B%b9o*Ok4^Ph5A9TFf%|X3PG+WyWe;)kxU}~ z*911~SOa4O#8~)27TW`X$XR?pF`CpM%WF<56ZKuwaDJ81ntIcC4MY}fIF@*V(~`Q4 zE>(&>P1EsN6zS2%&aDWa{I(4Er;sZchm&nt?^4t$DBFj+Z%&j~c3&RcF^tluo+4l# ztR<5B1JVLq{SS{^zz0noRx!)a44cK`#B{P6(>zuNvwBxl0reM!VwoCZs{V?3)OpA& zSUY;cm8m%((}*FEjH%ydGvim$#*HyFFzJo|5~$T$pMK%7Uv{ksV7#OonbXlvoTp9b zD<-U}0=(f=c!CBcG1^<>p-e5ToS^!krCL+NY{GF*IA-bz&>$j3I84bdhAjyr@FV0s ze@zvz04B@Rv7(N17>5blBY|;WOu<|b(GtPw+aa}|jblbNdEQRYki=;iP1BBSA22Tm z5q?lsCvzDx?DXDcD1a?t;-7+PsyE*RIw7#OR9!R`%}2fY4WPm;bR_q--g->}oNLf} z!`WoUw-%f9C#~nC*7bVa*#q(y#>|NsMjKO14Y1k+VhG_sig&Ct_A5A?Vzy`)Pr8O- zGOf+p5CeKCw`KuB{RaeH=A{1HcFg>2y!yT!^LHNCfARcdOPZTUKFMm@ZvLbZa}!Js zjH`Z$39z$1HwijChxs!Z)M{9xZd&RkoQ|U}uDIBmU_Mmffay9M@*39EFyLm{&&#~K zfia-puhEO;kjz|v@yrq$XKpm6ijy%$l(|N-K*M3M!_aATkOpQ;^O|lBvq8%mW!f-3 zj`g+!g<h#}qA+=z|DSOLvWwqTEtqpoDUAiQ7IV3<gcj3K5+@NePt9X_Eg0XH{_$`f zvU}n7hg8}>bf72+oY3LsR-yxKN*A0cVuDYm7SpqI5NpfdL0&cf6*M1~dZ0b$usP$@ z;)$+0G&9{}7%KlrUw7!M4o$l_hM|EU>GKZV>(D2XbC1X1oPIpfog{D)^5ou00;eKR z?wurXLh|I^Ndl)OPwpr3O(zMQpF9TP6y=HTB!Lr^C-+Vg-gJ_{8Ou|cP7*k8d2&CI zoV`3c-*l3|In0xLCkZ#5B;0h8aMMY`O(zMQ)jY-1NkS(|PH!HAaE9|lcap$)&Xap5 z39g$Q>fDu+Bi%^?r#(;Zog{RkaSi40s;ekRx|0M>gr3~H?{<>F8PQXiP7>JFesb?5 zq4TQiE{D&$@^Yj*NpSV$=-x>J%YrBOP7+ucJh^w0;EK&Lo)hV+&B2-V!xP;}0;`E9 z_in9t^t<EJNs$M^J3gH>c`Ur+(@B*}M8~9bYsVww9iMK>x)tO(@=maBYPxmg;qp$f zZfZD#(DCWe-HP)3`6(3V6grk}L9uw-@#&_9W!#QWH#IEic6_?2>AsTHSypMTyd8@$ ztG29gSrqOB%cAb4#<jRpY~9p!L%Aq-4CT7q$<j@Yt8*uxZrQj-ck=0`#+AC0Pd7EL z*PVPiG)vMa4;H06mTqcTp6>W`Q^Rs~$ETYb7Op!!-PCYCu;bIAPo!t|k6}Ez-?4NO z=0X0BPbXm>>+kq<66PWQj!!3H9{KP1bm;Cts2+e*DAWOTEZx+g9H8UVO%197IzHXh zpg5r8(@jnHo82){r2?l{x}%~h20A|7)Sz&n<I_z|cW6`#K_^%@HQh{ihetIOoL=b; zkm@Vw_;gd#9V1m@&<WNpo9-~FW`j<!4&5CoRd;X-h1P?PrJI^=x2!6JPOxrjP>j&= z>6Q&@5;{H|y4x+QJK+=x6$%|oH#OaES-lFKVBOSoyJeLvbb@tL(|y0&Evty(^h&o| zRxLxvr(09qK~!B0onYOv>2}L1aOec<(A{oXtq!M9-ELVO4;`OwYP#LBiXS?`x~b`Q z%W8w@1nbb<Zuz|1EuXXB=k!XqTRvy!PsgWQ((DB4_;gd_it3>!R<%UO(xJQEvic@Y zp*TR-v2@FZ-9sIpZfe*^)bZ)2hJ8gHpKfZp^fAnVfUS{9k+F(XAYs51$wZ+9Sws&7 zh-$J2%;v2iho6{8xy5FfWZCTaJuG}Q!{C47C;?k((<X&536Huwqhf<COmKsu3vFzW z8#Juo#9omm_`{kb9G^K{YiTIKi-rH8E9Ja*tEi1jJ=co-ZauJ)v?dc5@hg1LcoEa; zE9X+zQ^lS^$TdRvF47;F&RZ5ZId34r6Ouge36irfA(U5a;a4y|iy<au{Tn9oR_68l z7X2T{M92|(z~fVidc}#9u!WE42fKf42b&#Q!XKwdA=?92n0pp8IouPA(d>0(rvo`; zha)L<$s9qyr-whV+R4UD&ecfNi1`o_)Er{f&be6(cGmmO!>nerrZUJxY9hV~0eVY4 z<3t907x4i)J+?$BDAZsljzH{2de7q$RJ~-E`4~r}12YYdp>dQC0tbyT8~iYazf4^@ zgFx~OTBGcL3@50?<LVF4Q~ns77Z4}xr^MuZKiHryGK`PlAe>@v&<j>PI3Hl`X?jpc zLfI~c@PlXWZ?gJRl7ynwOt9S80STOW(1<e(2v;I;vncPGvOpz0B2qS_Jh2JHRigTC z7#WyykR%cwr9Pc`QgItTV-_w+rFD;tQsAM=MoPNsQNvORhp|of5J4EyAt|2s+nW7E z9L7P>H4C>E2O*4=<FWw#M(w&-txQ`rX~30mDVT3%+C7<qo}*6B(Wd9*--E_L_|g-2 z&=?>-4;ll$af!NLQSd#-gP!b^`z!(9vyXS5CE$A(9Q+l1(SE(>G}}FwfN!(s67X&N zY4=<LzO7a^QSd!`UiMrXo4VOV!8n`*yYmt-4tr8}TLQlAp<_`n4yUi~vjo^DDhj-P z_6ra4G`2l#P&T|l?7u<kzj5aRz_Z?O+}Z~4Ab16M5L*H~?3on<_8Vklo1F@}cbYsz zg~k9jtzht;;(dT;ZB%Rudj=p7vjagv#F`|A3iUMj=VDBM2Ot)ocxnO5m(32fln|@} z4V$zMu0<D`%4UbQRTWumSm6i8gP&*};1tdB;c4TY0-N1GHk>-&xM>Nv7OsR#;X*jy zZ`iF*O4tKT9N;Uvbx3fOR4S?{t0=4}gUEd3K4m%b963!{1$mtU+8~i-Yo3wu-vTIt zjm6DQITR0&0XiBsB^ZE#0Wbg~5b%+QeDY5x76Tv)1`Ka~#9}Y6xWrBEYMgoeNSZUg z$XhXE7Y&(esnc<@qs!^U*}>@$`XwBUj(!n{<t<GtW@fcg9;!)2dEylq0jgV|L8!SC zz=3|3()C#7_rT%V?i<AC&5G54@#7O$V-Sk(#33MzKX`B%tbPD=Hk%duBTWdsF~DPO zx<n3K3Dl-b<N&qFA|l^gy0t=l;RxNA&4Os?D>rje#M!ZpP3W$9<-vU3sPcj9C^-K$ z*FbVfVNX4P%=Sd1<1hlG)kzuCuGq2T8tkhO{!7lApc0+KdYkDBt4(Y#hvI8fG+R?R z({U*LRYL{4<2*PMqzg$waBTX_n=z8bHNTc>1?ndoC1E5-Z5GMa9{x)fVzp63u+taV z3mQpv8yP*WMZlWv9A(%^$@9^A+%nWI<Q{?@-P@4uUZS+xn*z1lg<6X~2&I!P)}}N6 z(`t1mL|ReqIJ5`RS{K%o+xXIob{1iBiiPYHJUJXzy1Q=OM0Y<~gss!EczQFfizhl3 z#?LyRN)B0KlT-Ig;nJo*1?@)Bx^!R2;+tiQ?kOGJz-g^r_s@VW*&c-b6gERvMgUsX zVBkMPgLYaIlF=35FXf6cz+cK0V}QSuE5;iZLFt}Z{o72wZur-(m~B}P_PkW@SViYp z$LhlcpI9MS%~5mqAqaQF;vReNT|3|<)><~(h67_U+dNng?(dVs^TyQ}fF~w)VZ4Bw z6|MJwC7d&3y57l-Eyf-7he8p=&PRd`oBS7`w6e|09;|712uX0NIHixh6-)&!C;kwe zs!r4->8E8D=Mf^jl7rMo6u`3IlZ!gAZ5kDS(}Uw7!vMv-G@R90{(!WkKmiTyZV#4X zE=tNY!=pANvtlg)6eMdt9Hzm=hnJXe0xYA_n-V#@YEk-v0=X#R`ILesMzp#_F6T9B zCkzk+0d?I{;p7+Y9Qc|kuh7#qFde(C)!$OIftI2nB&s!Eu~J$tmrHpBSkw7fn4r3G z^kpMDMfuFxa2OW$d9;On`*<7ULL*@~I3*m|_$<j>+J&c<w5Ljr^t|#=$Lzqzuz83q zNZ5r3kqqNxff{}Iz66)j5~;7p1;Q^h)3wE4qk`6xPc5Z6K}(h<v-yo|7+{e^ApaJ_ zuYB|~8aK92oO7q$v1NlNP7Jb&H|77rnjGZ}5`sxKz{AFWbUR?K_@lyh=zh<$4nEX< z`p<x_RC>K2PPhPHWU9l;t#_!fN=VlfZG{6*76FEJt??dQ4%mr>Irk`hGJk4FlWxHH zQI5n~>b(94iFHIlqhuZ!PFI|Ux5OmFftQA#c(Cw+TUIlFVDQh!AqE!q%Eq8u57=jp zBL*P`P|jLd+1<b&ZR)eoL4-+xI*SLwnF4jH4O9Z1lGAH|PRZ#tKwziWKm_hVF}((S zgNZf3)L0aJk0~|adrYYT-&5VO2r#h*e4B|i;CoD|0pIi157FREuK}jlqCiY>xbvR5 z;yv2$@0nQNJFy0M);ueoDG$9cz{A81;Mw0Z&%Sq_4e;mzSAS1`cfWhflK_H9IqpFl z@jWNl01weSs|FsP1zX#TgihfJG2>}9O9tTqPkS{ju<7)2izjKWA~PyZdcwcGLd<^% zbKP$L03b#@^r8IKoA(Fm;KYX&JBX4HgB|;2SRto}Kw%b+94Dm5*GYnJgsB}a`r#+$ zkO}mhyg(=xX$cZi57W}Ll+JwKqS)VmySD_)vP%B}oXtBE?EBT%duF5etAE}zVZ6tI z<gwrSo;e+Mn&&+;xO-;c_iUoSch@zbD>HC_XMgWDC%{T_vlC!7DIU3pKfPxo4PRwY zyk}?Dy<0s19_HzQfq3AA?>T_WpZVSZ{P;WG8$_`KxLGzoL8yBkW8`S0g{Sd)&;3^S zH7DjKOg$lZNN)Yl`+CS$G%h*Pr5+ib9=2lOMz|KPgiGN<INz_|?bkHeHH~#`V+DBD z`?Wj0fR(`WbuBjt@Q`qThfJ-1*{|R3*SmM`xPXn;y57-30UicpW|+~vW5MCanwHCm z45^81LxR3)Z94`Sqd;mM<m9&gOu9)2#wZNPdmhqfYX^dYaEIR_OaYAwugQp!p>>M? z#2S??*bU1;lp%&6<-Eh%gEqgfcmG)LD0)Em3myuI?0B5}3CY%8b#tE%>Sfa5KoZ)j zn{jJ~ck-x3=HT{nAP(wfu;Yn%run|!?%6fYAq|kj8me^+Dv%+LE8v(|b*{kC+9187 z0YSQJJO<kn9nS1a`KgnKgTF)2^g*?7M1*Phf5ypkKpf_7DYauANahca6K)$!iQr1W zZ6wx%<@m7i6`3W(aK}-iWd305J7O#&(c}Xdx1<DaiSnZXZ=SGth&K!d=wy;cT*G1< z^hxn82^~3lA`&07MRwC*q6uw|qdgc!#0<-~W1^L68QN26_JX)G%VRbWb2)5FB?Opb z@6E%E<7t}gEyuW>dP!sCg2{l>2_2Dpn(81-fDV3HvvucXHs+I;dcpQu>NpXf!d&e9 zL+JuVkw6U8J9wZ-rcTVeS|VQ4LTT^U{>j!fTKcrL5!w3Pr}!Ee^moYEu$WBT*yj$+ zA2vTRn6z-xz*8(5$U@eu9~{<uIH=T-Rw;~T{aKVW2pgK<Ye;HRzO$qpT1uipubF;G zN+Qw?W%9tJ+e@9KNMUR=)Ud)=YvyLYz~6B7jk69zrgIoPa?5KfY{g+C-7rWcY&syr ztw9y7`2VfqB{MNYE<*<mvAU!1RO!ekL0`j&Z)#E&7~x2+;1wtp=H9;}KxWcof)P02 zV+rrqU)M{tAUj7>&CpjNNVh;Q$&`oA0S-)RFtZgU=}EY`PvBwB1*{n!)@Ym&;~W{; zXG$JTiw%vQ=dhLWw<I5IS?4sBk*lRuy!`_-+M1a)Uxtf7;_meJM1Plj2KMVIcl5<+ zB`NLHsfulA)wdI7;l$KZe?Va2q!*cBo;XL+gvq}T18G6v2T6x>PmtWw^rmbmT=O4c zqKCosaLnC%q%>%x91uK9FCzJj$rT_jOh7&Jpd?|%6c;Pg2>`b_OBR1I94JP_pzPzz ze3wx;G3<vu?a6i$6SQ{smA8C<*F{zs7OmqHWY?i(r#nFs&zv0Ooabi;2|&lKjUw^? z$vtuMi9YO%PquE1hb`~=d;=_gW*9&s*<J{3uV<5nQ}w7Wrq`8d05vDc6h}!do<J6* z)}Pi+LuhAovsh8y$zugEPjFOqDTP9(+1PB^%ZqYSq;gQc<r`nulV#ofL1sCqK<r#T z$Spf-j?=tKtH_87v`E*J;~9g4J;WXd3rTl?Zi6OyM6!Lvz=OovUYH!EyD<NmjDIBK z31jofNJS?EWf<C?yW9cWD(OKod$u;<Ku0$`n+<_1GuA050MOtN2Jo=?1n}3Qn?N&Z zjL%^wL7I-&n2eY2*&IuOG~2H{>;V>k1Dc1Yb@NIWhMF9Z(@pY2egMr}@Vm)O))y_7 zFNUHG|J{t*C{SZD%(b$v?K_s`)Uc?-x0{mqU8DnGfZ}z;6vz!s>VYOV8#(F}^T>|& zi%t;cBnZ;WeogxBl*-$PEOo+49SF9jzvBkBhmT<VNf9r=o2odD#8NEkl?jSbp9;{; zU8WFQ+6V|oh_U=BI8Dc#TFHn(;2*+dKBP$%w39J-4){(cCsv1Hf}jAnn+cm5Pec+W zfx$T?2<jmW+ExQk3WODcp&79b{BMVD$@sSZR?tvD&9L(i&ZbeBsQ2(s6)e4IZtX{5 z$Jav|5}otyeqD1_Cdh?#h_w~Sr~(L+hj!*oa_jo9^<m5Q+J3(NlLK#ZJCHH;VOdd< z%VyO|B9ggq+d8G?usZ|h4^67;Yz-5BhK6EJYdLT3y0V>m*>y)0;2+)7^89JO2k{>C z(1V8m0V*=SK}Z@UTgNFr7_OfJ%Pkb_H%ay)qp*unJ47(a<+BEQnS70euu@?@97JFa zS@|`COtw4^%#mM1Dc=c4Iuck)${M#szaB~cNlcZadwQ1QkH@i}Xk@L;*K{@kHRrVG z;Hi`&{VB+pYClQxE?r*48YJS#qw|rX^x>NT9ylHQLe|2#n0o3&{6Houkm97d)szl5 zCNCe=8lcHw6(&8k1>wD4Nc|FpYGnyFWrKE%>8RDwmJ4kO!>rsJoDGl^<w1<mk_&e$ z#k6%ibBw_B0_z|`p`I>YzHDv?6IFrP2I1IDB+|CQRED#2(M&jRf!)I?=9n&j&guRL zgO%!I`#4e9HW$00YwHkgBVtwh(VN0?VepT?HEYw+lVH+U84c%C%>SaU{r7TEDw^SZ zbvu#YtLKYH8Us~6Ur<-9z5ri%=ISpB(_}GAaw^2?G>SJg)Bwaq)km`JNy3K)GF#Vw ztZOf)MfoD{wG6U^FEOOC&A<sH{4uvvb5fAzqjk*OPa_IL<#f;_ZpgsO83kr1pj|BI zDR}VpxVzcBo$(STGe=PgFN20+xNtRJ@vWNLCv#f&>x=zbi4)KRkTn67@J6^1u7xWB zDU&Gpo+{nN{pyhx!2tHe?cVl7EAA;2o>srA?O%N2?ByP=lGQ|*6A9YOhcG?;6a>9j zGGlVylC2ZxYjp7XxaPf-8YSUQjkNwupQK>+eQWM9o9_VEkHc}y_&N+YUjd(4dfczr z2k`a@gmO9|eg~+$moWA#hTrAm(`tJQNd+(>aqh@LHK-vGBM*4M9jO2%z1<(E1M!1t z?PT@Bf)vp(b7i8*yPAYhKpS#l-H?;3E7L6c&wBRWc3uQgDGQ52Ulz;`<blaaBn7CG zmw2Nj?{-4x0fWt$2LId=-;+s$fp9fj<7};WblIuc!jjy+hEGz#8f2WXm_D@qyH5Mn z3bjY8LuGRWjfD(h!lTCk?w<MCeznBaVR?lD_tg@iD#)~jqe+-7_5ReLD_2jqB&m7U zRM#QW_%qfBS$yIUjq4h#<*j#{f1nabKdB%66T3z8g2{}XZ-j}Ji*B$q<0sa5ojSm! zG2;No1ctv^%^tq4LdYvV!KMvN%^la#?_tS!Xjs$FtI1-&ntWjt;ALu`t~HE5xU;wZ zvQj@Qf6!zm;~C3-g|@(zVVP5|Sfv5@<na9p$p-SJy{1QLFq<EM6Bueb5x9O|p`nsV z0B5h69LwjfP|kv;;gDQGbC8ENqh2TAGfygRq(%3;=as5de((V&)*6gEtHFNd--~g6 zRkJ-Ng@0Q0*!2$d@CGR}5MVncPzi5@8{t~G5-x=c!ME9+zH;LV;2UgQ0k|hy<lh4t z`z2CuQ7|U9vH<ibqF{V%XaOP}Y-?E|Yu6u%J7C;M+yUdbU{j1JTm@--NZ$ctLi!Fw zOl)ykA%iy%l6b(Fki-MVgbW_=ZDjC(Z_^_JT)`oldgbvVKpzPh2Yn>K?cgFc4Vvp- z<XYYP(!NJO3Pg(OO(Fdn{V3qq>_^2tmkkrmnO8icqF}##hZq!i5D-U-!dl>gqX5DK zfji{Aps$ihQF!6O3>O3(%Xcu}fRVx#1F*DWq9u94%`2B6d6-iIzJeSQFl^29wDbmW zCL#EH**8ES@AU@!VqEGiN-hPWV<m!ZYWgy90}PF@1uz8cAHc(Xr%Y=MW?~<wKX_hw zzVrABH*zAJ(G*BEcU4Dd_z39;<LC7Hw0uOuw&d<<fvEUb0u$jQkKugYFCT9W$AlU1 zO$KEEeVlqTWG<CJ13Z2d@$(YN^HRw(z_VYz-7hVXojJBtSiMCfpeE0cWmK6pW;sPM zDKv)SS?=Bi{tI#}#nqd<fie991DBU2qMgmxKzjP`iTI2`m$D^5oYKR9M4$oSr|Awl z@oC8+KjS9Vs9UOu(7f$v^uWI@y@$e({*gqT-6sa}{}Iuw7e?Tlz?;D9z^lN^z=%RE zeZCMe`B%~s5%On(=HDbnO#D}*BPRYQ(h(E?6ltSiK@QN)3g`0SS8fyMwt31|RYkxZ z@FzpEb%_3HM=Y19g%3=En`dVJ;phAl=@5drcrn7+64V|EeB;3vy<k58B2jVIQl%SA zqLq$>LC`o5zvO(kP7~@2utqV64OYfT<D@O<KL`Yp@>EQt#=$LJ0FlI&E>V(*HvHY) z)&=Mr4agl`kovON1n~H$at9Z{<G%s1wD8KKGwE=r7NE1)gf&>+Bi&je!d?3QifeF} zD=vQ{EEBENnwTmPBU^E4V4%~31Myx5M*LYgK>VSDmS-LnP=%pG$iXq8f1u{uKwAPa zwep_dAW)T(Oc?Rw_90vr^=FXl$d|NubI39-Irgu(a$i%-fgyP(guarkk}*jRgoZvC zXkK8}uz1p7)LpJ-69lA7#%X}USVdqm!A=w4N}$2Hc?+Py#b4Tw$JY^cEnBB>OODCa z{(&uof-OMZ+JH?D3}@SyGiHFtRslz4jNIb~L<D0)vX&Gm@C>#T0qqcO1c-m<JpP?v zrHdOm!wBR*g%kM!$q-16K(YjqC$J~_e*_~6|Buk|u7j7Bh{C@mbVT9b651&C%b9<T z*;f@~Agy4&N8(~10QtVNao^dv?_w+iCCSDe4e!pz&5iR3CGYv*ovr&WdPq<bnE_~b zbw}KHw%0q`)16J?&XT+Han!hT)VOn`xQlTC3<v)Q&_;nk6X5x@yi-0W8YcdjeqVwt z-Jyurpb4HKu=qc|^B;6a7$&=6ioEFex!I9m@XXZLlzpG1*Tg8x6jiPh#?L^d*)8#+ zd6*SLKl2RPmJr5oAa&%J$IiXw^ve?Q^qg($n-5Sd2%2lwF%KpdR_5Q<_Al@rTzC|( zN+G<`jh%Ml4`A$T2DIluWQro>q&~g1C^(JO>!lo_4HZJ^mQJG9^a9L$CsZrgPF_g{ zo9HBsZfQMO7t%&SSXtK6biiZEEQT|?7q^4~v`)8#0apTT(k)>CEi!uFiPH$;L+Ka* z6Mz(usu)MB0?9onAny=uB^sd3YYck>{K=ySDjWb(#gtv34#q2|5#Yz=_$xw)m`sdO z?PHa46}N%a@+ca7#_;<tMjXgz>{Rb34VxEo6&s=k`)<SZfPYKG>oz<@9T6=n%n^z_ zj-%E<JuEX=6oAXzBOPPbg>)Q8ddRY|VEj*@sl#IY<47cGW}_f12}UcDDfJRY1QPte zfr6<Rr=(+~LJT6@DLr?Hi7D3fhte93LS)D#^OQ{2&UKAEK-naTkgaxBLu4{yj2IY> zkOa_48pvK}?D#gWUwO=D#0_g5KBmLom)0%>`LrDEmuNrd!Te<#f;TDo<JNq}`ox3v zFQiw<j`?JmpEcm;_*0{b6;&h<ScuI{!K%N36GNy8dGDQM&}dbNh^Z_T6fT>u$g1F- zK^IRjc#IzTbMxIhTHWZB%+*VnMtqCv3txg)Ts8w_-$^MV-3Mz{%b_i4Xn75zX9Xqs zB>KdGKUv%~gbjOWn;u%BE}a640fjYO&7bMY4P?JEL|F=8$Y^Y!B=RcIf*x9Y!)OMe zZ`c;xBo5_kiGr}ESmP9Qx3Vc18%SzAQA)%53GK($=fKfp;OH@k(F2s^)dAh;z>Kn= zM{o#H{|=z9@0!VhnH-qO0eKvlC3k=UIz?{4MC-sq>lm0!_q74~k<t2H{e9WW+c9xK z*!2QJ(K%AjH5cD0rGgkv|Aml<f8J+|*cHJ=dHi)hVX$%lDntygu7&8fzJg@?FAy)v zwqCu`Haw-H1yzJAMiTOZj6^VLtc(E9JQor?v<n1|PXN)4H++{Jgt#Fd0dQw<sy`rd z#TXzH3{~i8DI^6b^Ph3knr`*1Lz`?~yu$D+s6YiOfezUdFu=872s>o=&H?B9r9uNB zs2&tT1AuoC8t@%O2LLg|nHNzK_Ffba7l?u}Aua%n2@wHcOo#{o<4{B(3cihS0PsCo znwT@il!+M=qf6pyV)mqP0K0KGXNoCP%$Q=r6!WE+F2!sqCQHG)#8fG!NHX}#m>|jE zL-9TKSez|l64_F^u}}1Qc~)<JE@<Bin)l)nU2_a?3!3(VvR^ztEgts^Sx$h586m*K zKMCNWI{|q1i@z3cxBG<`S})!bCT>Zlhg(4I7yoa;zhtpPo`g7_>usbrsOq|Vg22MZ z@w*ND9g>4}j0X~zfq#>f`pARH9}O6@9|?nm5E-ceiEjgO@1J_XpODQZ2IUV3gw-w{ zng^C@pg~s*@^E0xjWaFrBh1sD+|2sY+Kh|W*rOHZD)hkwx!_ML@kywc7&Df4WPTT} z1TMS_4dD5(U{J<1E@mG9xxD3+7bIH)0DU9bXABvL>&Yc89I$j~;lTNR@#jKavAg-F z1ut#BF4hzYa#AY8GJvak2AWqvsqyKw%hAOHClM(8PiJ3_0qAK%TzGIW+StOa`Ch=q zX&MNNB@*8bUUs@9Q7v^KUUc{&kX4WfkRH1sH;7nv3-UX5MCH<qNFdafeV6csLHMPO z7YBw(Cxg|+{iHY#3v*UV+6KU}oF<w+6vfK<7ap$IxR+iyZeW_66{#_LnRctk9xw1C zWE}0mbZ-#5e1cLHr$p=`mT=w8z_E^pI{lXXqS@X;BAJ?u1Y9o;-cuOHPteLcPQ)Oa zNB+oYeU#K6Z!$2)U`N2BCe6d${41!&KGX~0(UR4Pd~+giPUQ88q-`BuqlFzv+S!4m ze>%~f7h&*D?wwa*_D=3J)nh!pBQ5cXhiQxXXFCrW8^QsJ+$9i3ATVI3%mRj)PR*3i z=L3G*f5g`Xva&A=#<Bfk0k66sjxP%am<8p;(%7c{p9Nzuy9;=>$RJSZIUTT8MNb4J zun}^>;0(V)T0ApxhOQ>IFujIFr`X*e#DbN$L>SW&l~JtQNDS<%+^h%iv=`d71TnFg zYYOIM1wGO{v!8-aa6<IUtOIbBA7^^0W{ycw(;k+Bw*TO4t-$kvy*6ftY5jp`N|w{c zppHFQoi=phoswtpPKmMVIJ5x|%vAE}Mv?fZ<bK%AqwNb|0XkGLQ$v%M>nj*+Z#(0b z7JBla_2FRG+lB&oA1f&75}P3T4>M5>k_$C8zXIRUtVI)+{{pCb`7eN~m;VB2VcdGP zfCpLdpB+2)jQwZBhXhFnAu9sdGlGeh<Ow(X7<ny#=j$Rk91)wPEf)arFwFz(E5MO` z5T-!gj0bS5VI++30Zg*!a*zPR953V@06*!d!31eRccoS};Dra1)m&cSU(M^I=%+wk zoU~#%6gTg<A7o+jn%xf`y!rm!YT;ZsS#aU(PoOJ&+Td+9ng_-PjtZr<8z>f$L{j2T zAn}Q-*pL`9=ag{8H<`~E#>qxrfFgHukK2Hx++7+5Z?ga!`%<KIj2PIIgNzXy=1)c* zdeDy=#vUvL1|%BB0p-jS|C&iS7{+(-EH=4A;PYj{x)b6$42~8qnkmZ)uFAQ)Mzd{J zP>4?0S{eJtG@DPNPAn;k!vE#5(AoNG<!bN&*bmlzH96ane4{vrY@3}9Ipc^|6q>c# z)YJwW)mVLRP2I3laA$0_0%^D2ceEJpUKZ~cx0644DCXZ`g-8lpW2rt+;A;cwoU~|w zwmqAiOa<_RCv8!Lz(JNsw8$}hk9AsKv|I;GGmA_^XydV=v5SVa3yfI8*L2UFrtq{F z@VkQKPd6a#YzF!Rh!uFv7XVju6-4hCN(;2}kR7jBf^BpIv>h=F3ysh|-omQ4fAXlL zRywsZjsk6-u=&n*LR*h;>_)@N_-W6=ABnxeTv+aRnM7<pVYopB<ALjLc-<X6pD{LW zFV$o=!;72QtKj?s!@fj=jA{4@3~Gj5I|4#wGUxS@B5ewt#H~8~)**R>I$~U44JooP zO#-B66hI!Qjht$d{I+1DBFp~hVW1~wCIP$Unv`bLvPJtZY%p6OTaDzDpzNPOb`Mao z@MCO4inoRwW{Pa$#9x6uF0`q7NlOHnYFOHAxo3XH_LBHJV(O+tJ)_%!^MZTCNt3kC zDB|ynI#np$5el*KWT-;+XE7sa6w`balW1r`B!it07!G7wU6aP(ncT4r1H%r2ll1KE zj?6)Ek}I4ze@8X4lMz3zjf2E_%!Tr)2FJ=ea4_A``5<nx)neR*Pa_{<3q$RrOED5@ zd#===Lz)EtQfvV7e^B$MaD=FbGD2KYEvVuljE{jqlO|XH&zS5v`Ars8Kprhzd?r&B zKFOeH87l2H>RM&7nx<O9_U7m&GYeb`w#aCY(Hd=w=l%cW`466d=lMI&-*|rG`8S^b zvpBE*o9DlH2v-rVB3wndif|R-D#BHSdqcQ4gnL7{H-vjbxHp7*L%27DdqcQ4gu5Z! z4dHGGcSE=v!rc(=hHy88yCK{S;jRgHO}J~qT@&t_aMy&pCfqgQt_gQdxGTb45$=j` zSA@GF+!f)j2zN!eE5cn7?vikqgu5i%CE+d!cS*QQ!d(*Xl5m%VyCB>J;VuYwLAVRT zT@dbqa2JHTAlwDv&Ixx;xO2jt6YiXF=Y%^a+&SUS33pDo9^ra~>k+O;xE|qpgzFKm zN4Os0djDt9>;E^;fARb$&wudzJI~*F{>Jkg&%f~yj{4|PA3f@$M}73Dj~?~Wqdt1n zN00jGQ6D|(qep%8sE;1?(W5?k)JKo{=usa%>Z3<}^r(*>_0gj~deldc`sh&~J?f)J zee|f09`(_qK6=zgkNW6QA3f@$M}73Dj~?~Wqdt1nN00jGQ6D|(qep%8s1NsB00d^w z1;87KPyk*-i~{iP6$`4OKr{$d0OCTh0uUi$6@XX~tpG%gU<Dw4#3}&sUviF6G%5rv z0N+B$0`RR%7H~y@FCuaQ_!eRpfNx!}BrFPi5g`n~7ZJn&d=W7Wz!%-EAqspKp$x#c zTyqu$zKDnh;9D#_1AL3MXMk^=`xP2ctZ|82`IhG@MS(A#BmNNuzAIbQqnRnl0r=wi z1zicq7zZ*Qfb<6-oCgR80a`5Qkv18q9t~6h5J1{o$`%Du$l@753Ryn`NFhsT0BK_t z4IovlpaG-@5fMOo+*KzEqzZu%z*l<be%ieuqVR9?f6Y;mGDlW4M^-df5(@CFd6;+r z%MbHM=65giM>o^Y383r<;DJ*Ccp4shI$%GiYo0T`VN)cJ5z^((os$DPG5-d5ylh2- zO>gtvmpNMs=4v#V$K6yQ)JIO4j2#LvnRtnx=ggJnJ6;)J)XdoDyGx!6p5Nw-Msu#S zoii<(GqlgySB7lAHJ|6E!V^W!dyVe^JAv8z=dt|%)&{?#F=Df(IfumgEiWpO0*7(o z2eS(4`A_aogC7)M0rri7Shrl(u+^PeNuZY-LEQ6@UR8+zYg3Wz-yoK{{lSB|bYp<~ zUnx)UNr0h3n9VDY14h-`iR#w7Ry3@4t*BV<S{dHR@ag5GRlVy{<Bz<-l=}5AbJdu5 zhDib#<Ikei<C^jqD*z$H7<buwc{;Y3t&romG0xp)O!ndygCAJPm#5&9Pl%^alB(pz zaC?$XwN4Z#+ti}8DF_NE8delhOR@=Ojy@>LOs!CWO%fCs@<oC9sTj_-Q+KNZJT)`* z`5kg~mSE@c>=mGM{oR~d?A&{@+3B}=hI>b^KQu;IXgw^*J^>#&xAi9vp4t&%y$7+a zJ>)c#c%4tb(V!@j4;s|sbomF*7)B9;d7DTm7Fzm2GhGPVWirk&7K`0gGHC1C0{JpR z4`akgg8v}(G`)*~AqK>~_{V(8btQmj5HNUHtPL^Rfg*W0aR~r|z92<nHQl4Ai7Dsh zQMq8*FdGAC9`dgMkHr?ZWzA8UZQkHY5dE;D8tD#ap1Go&N;qnMhx))nKoZov6Ns1t zkmdwlfeqcXM44f}q7gR8KV$bayOWZM@x#9yl>)NVjdb-uy+9c8`gZaJLUCx?`em8S z%U0vG3hyEP(LQ|zxXz5d-u%0Qv@Q~Hb0Dq{1T~VpsHj9xIf<aoBtDAd5aj!c_e4s8 zNht*glJq~g%9p<$Rt$pajVu{(vnB@oED5tjKA<tD)utn*4jq-=5D6CkEngCWGMz-A zONZ8>XPgbRDz!xIwjLDMAq->+oD}C6lyAyf+PA}23RZVBbSpV0{6dI}Ir=H+@=qR5 z?qR&2bCcnI&K-mE+fVb`=Xw3^r`!4Ecu>^A^9#>k{6YOk*1K8#FYr#1OR#JKHUviq zOuj8w$q*0@+aH`VN{6T*KJl={oz!Z64-A@D`7^?Ph+pHL98RoYvi>~AGyZ)h5{-0% zH(iGj_+C<qkPFr$L}4&|0#VwAg+G#MnuVr{M_4}SXn}G(&>wlu-mnEWOlB&YH#b!> z*%cf1tN#jvDOH%vLX!EPVK4*Gyk<A8=2f2-7$)s5OiDP+)*nr^VMjB1nCMVVW@~R# zb9MFK;mq7m^AbI}VWI;*nJJpfHj$U?-VJwVkD3?ghD~Nljw++W&crR5tvi#hurudM zX0o3%`P8niQOzD2e#1naZZiKZ8Lju5NNw+?4aHvL@NNsmX=K=$8z!^$Z@=!GXkNp9 zKElOX;r<tD8V(y;c37>fvEz9?{*wp3UZg3FIfEzugL5Qrp==OC+A&Pxc1y#sldsw3 zIcFy{5}9bW90Api2qdk?zJ!Hlf+$W8q#bi3ggrL8NDs$RB<bYj9p{uS)j*obE)zcD zXEFz##Sq-;xSKul#pxb{XT`%vL`O1%WoF|D4}Z|rD~4`7zcOJ1_zR1IJ|I98zY+y^ z%*=j`0Q!eFzQ4TX*<CVOo;d>qcosZ<-AE%&qx@ySgQ&<ID-R-XzxCPAm>kYf^MRVm z34rG=63ap$6F4l~YJ*6@K%3pWhI^}|4940aGYm|g?=$3{GpCfmTKL98QkYh<FJ>&j z*Uu4WK+btS&sdaWn~X7$xE*(f13^K&;kn}Z`;3|7Z1=aBcYXpl!nL3;%sOByVb*8F z#3l?13=}L8Z#V=j4^XfWL4hfV7|s?5w7`QC!Upy}%{C1ZFAi04yo!Ant4EKQJ27nS z$5Wlj?z!zmJ<ZVGFk3Uf1V{sCyJzUwL^@)5bBIvjL6~L`+8RIwu$VZb{4B`TTQjqw zTv)CH&`XHtii9yNVj`CUkx~6VTiwT&ju}Tq3}OWF9-0~?S^TANII|(}ApP<J>Xvw7 zOW!A+!Oj*DrcQ%DXB=9^fh*boo<C-ck+T(HNhqfytY40@14hgrSmfb)FOkY|EgYb7 zmgu@*)ISiI%p*bPHp%#bg^7&#JR{~W9=@}rIi_i1HJ(7I{S0~I%*6R6#Hs=hex#Er zW2?ce-PzXK+@^N8d8~Cx3p1@H?P_Z+Y3-%891d2u*2DTsSpS$YDV<G!nT}BYNLHr5 z@K9$#D_;FD<NONt?JLi8aV<Gr{5wb~vUQN$@TcOAR4W+@F?a~drQOg)2P7#l{{Cym zJa&d)em4Ea+%;tMn9C=C0iGU`yP)u7QsXO3w)uP7{HK16sT}Z@hT|mB-Dngvv&0#* z#M$)y%(?N5eR#8}e@AAB0Q)`w{(UY40cOB|p9?_%73@OLjD?^Xhr#)h*JPc+4obWL zL(bR@KLx?pxH5}U@=hz@2aod(4Z$4>7<V&*ll;lo*<|r2rLQY%ga%~IYxWTXl0Xp( zx#o<UmB^rXApvBFQ{D{tWP-EYXpVd^Frx>6ZX1wlaf<Z>E*|tl>gv&HD5LPNIH~!L zMc{0BMrYM<Y=BbJ_y(q1`dZ@s%(7)DLZ0~;|M7;dGfk6miVJ-db=pmGNz@O3!XPg! zF(Ek)(w@LK9$ZaIBuq2w0VI$KGbIh1Oi?tbcbGX%Mvm{BiF!(eh9zt(p!gfs+-YGN zpGEkvFo=<Jm9b9(D$erG8g%9Hh6ka=j{wBTc_9BWvxaIrku&)pFznWwh60L*lb8D$ z8kYAnT-ZTHEw!^sO)Qj8?TA%7GI1L*@b=OFti}@v<v_&YOC5JFJO=WA!HCI9u<yZ0 z7?>>>sauc=J8JK06h(3*7YR1CNr!E(nh4@@1zOb4L!@DR1}7{;f8vA~TOi}Z8&2@~ zCCrEbQ`=V_3X~2z{;8P8o~|Ec<XDc|{-bqjyOx8hMBA+`ueG~$OZ}sx!bGjtB+9Nj z8YlB&Qx`tp$kjuAhc|x{TB|D%j6Zl=__kuwY)4oxt_0c$a}|`)>NJZf4JPy-v)W#X zWd!~SEFqXd|LC^%8kdpj81ejbRuB1$*TaA3G0q`>^LqF<9wVops0XCOSEI%v0#!d@ z_kF$@2pImi8H(0u815kh=t~s412=*nvM*8W4*0?uk~gszxSuI#19(RP8^AjX)&Sm7 zlm?vd@0cy!F<#!$gWT<CDjeHm#HL$egE`Fj1``<%um<QGf$^53fFB?lY_Q>XNVeec z#}Ez5#t=d9*8!1MfekBAjMH4<d$)Q_Vgv}(0)hKGx8&Tdez4NQ>#OC{9m6KyRQ1a? z47NIG14yV{*`2%P0TSgFd4Pw>0icspE>Y0exs{k`NuF>sTkeeqco>ZUofsqlx+O6j z=<}ro9=b_@hqNGhxO1liz{6g0c2hZ5yPF~p`Rk6Q>$`~`qrbhgf4D;toSBiQ0(j9* z64<k!o`+-4EOX%uZ}=ie@$hEz@eaNADyt*~hG@Rrp&fxzsvmJn@wPq39lYq>LBRop zoZ<5w^EPf9<e@sk?(_*B0%dNLp@+Hwj)d+UW$x<f3lApWR^9g<yn!F{^7pd??}_z~ zJ9cFp?%<rhW6)tbn9L`P2AY4=<J0sJj+?S^+?wtvyy?TM4b0Z|0<qXL-aFQC<rz9{ z=FKa_QrioU>@qap9bzz03Q(L}d764=pVaSJ;cMeZ#q)te8h6Y5uKCVnfHyXS{S?8T z7lvZG7ga;IrzsuQbj7wmSmEjNEz=G5PC+2|p%u2o`!Kh-vrhqKT2v3@R6zLpNHPY~ z-;+g+BYrY`!t!#Wmmh*wMKVqQL?>qyCZ%%mT||g8k{KjowfcJ^>)Y0Gx=Jpb6AB*& zlPE1-K(cvEL!u)Ikn{K^#Ajwh3{^zoF<SOApnC(_qv&CfQ_j>zB|)G(4124qiz7nQ zB?>Q?N1;;IQ{+%)Sb>vBq+014b{aftC?h<(<xp>eNo&WIjri{{)R59<dxUH}ML6O` z<Zk#%{A9XDH^tI8pH8>mX<E|c41!_LZzqcHv(G}P_2oY;veL>TFJEVisrkiGrKDS0 zTuU5W$UAaiwLm3`@f(*pGS(n$CM+H!)mcNGQS75Ve+737d=4`ydO4CbGktY^nl30A z_IEX_SB&MQmT-B27{Ta9Yi&tioU-4>*2IRSDRQA8k@`&Mhn5bp$9A%kF+`<`T9e5) z!k&yjr!eE}ccqUJpQd+vZtqQhPmU~1$DcU#^2>J5UxlwSvl<_EZ?zVOW+soxmWJ&_ zrvbgC+W|b;(r&Dl)`x8h+CH%TigtkNci{_dFLozRSiKnbaq3vB-1;WB-sINn+)6=o zqoO>zR!XC5J<qMZ%z8^jcLLk;yH<LOuJtyz(gSsUDgUlD&+l!X-`hODw|RbV^ZefC z`Mu5adz<I?HqY;Ep5H;9U$)_N(>%!YJIM1p$n(oQCwn)~?;y|bAkXh0&+j15?;y`F zdw;SI<@p`t`5ol>^^e@C6sG8zHP0{iaAdxDei`30-#ou{p5HppFZZfu@8<dCoI&QB z=a*?@=9}lY&hy*P^V`q!+t2gc&-2^Q^V`q!%N=UnWN?dGX3g`<O=_8Mo?mWL%Y5_v zB5%!n^ZX(W?)p}FeycpcRi57}&o3t;vZ(U>a!Xt0o9CCC+A`lfzueZA`R4gW4xahu z`9;i}`R4h3ljrwMp5Hfle&6KzeUs<+O`hL3d49PGuA2<*g3GLVez_+#^Ud@7CeJUo z!exQ;{IWRE^+nl4X3cYi`iaap&k=XYWxjcixKA$g&2w~<=jbNS(M_HsWdB)Id5&)K z99`!%c%9eab)MhrJipg@e%bud{VuoFW!5~uthQvnd49RIF7wUv%Y~wuZ=PS4JTl)r zzgKyFuk!p}<@vqJ^UIw)-I&=`lUeipvL2NA=J`dvOXi#Bmn}${Z=PRPgfibezidkC z`d;Swz0C7_ndkR1&oBFvvZ(U>vgs-F&GX9!sLVIdFPot<-#ou;hRS^N{IVq~^Ud?i zrlPJdyNfbwo?rGGWxjcSSxCx!^Zc@Ym-*)TWfNBBo9CAW&dfK@FB`Hl-#ovp)OCH& z^ZcIY`906`d!FZ)-A-9ld45@l%zX3wviO?$=J{m{SmvAOm+fGgZ=PQSPML3>-(H^I zUY_4xo?o;Hb)!P9P-e~Z%T}_?H_tB;ugo{kFH*3~H_tDUvCKEmFVeEiH_LAy)m9zf zJ}WYrHOp^*l;yWS%JSPsrkK5(<+ne|^4lL}`R$Lg{Pss#e*2>=zx`2`-~K4eZ-12K zw?E4B+vNF0DArB0@{-g1x!>gZMed#X=J{>%{5E-hn>@cwp5G?VZ<FV@$@AOf`EBz2 zHhF$gFWODB(veOE(P5TZ^ZX9;{IYD31<vz3%=0_U^E=G*i^w^PD$g$>=*&0I?=a8r zFwbw!;r4S5w||@G_cqV(ZJuAY6Lgbto98#@aQiuj+s`@Ne$L_ca}KwkbGZGS!|mrB zZa?R6`#Fc(&pF(F&f)fR4!56kxc!{N?GN(&<{WN6=WzQuhuhCN+<wmC_Hz!mKgjDh z=WzQuhuhCN+<wmC_F1p!R$0#B_F2WqeDnIP^Ze!<Za?R6`#Fc(uk-etbGUu(pvk_Q z=eN$=bI#%Ra}KwkbGZGS!|mrBZa?R6`#Fc(&pF(F&f)g^`TsZPaQp0i>gFitaQpo{ zzd487@8|i=Ioy8E;r4S5x1V#k{hY(?=NxXI{p;OC<{WOHo5(ZYJik@mU*#NbpS@Yx zyLo=Aynb^Iw_oM`RnFn|a}KwkbGZGS!|mrBZa?R6`#Fc(&pF(F&f)gC@4TC%oWt#N z=XvIv=QrnY``mn<1<vz}YQ?VaO+Fsw{BIwvi&^0O|I2o)%s2o4vbitw&Fhz4bD3}6 zo^$@UpYy-{od50L<oV6{-+s>j_H+KXpYy-{od50T{BJ+!fBQNA+vmRaZjN&Pw||}I zH|Kx*+}obLo7eAk-kx**x6jVM?z=hv+t2yme$M~)bN;uV^S}L^|LwD1GW$@TU$#YN zzIlF8bej3*`DH6*=9}l2jhUHmp5L7R?dSY&Kj(k@Ise<w`QJW=M!Fx$`QJYKIy2uq zzwBAfeDnNrBq;OE^UIN-%s0<3J370*Ise<w`QJXrY_h=l|CfU|nQxw74jyH`d44&5 zl=<fQWxHwSo9CAUNtth+UydbZzIlFg{<oj=zx|y5?dSY&Kj(k@9Q)~hDCd9s?CQ*X z^ZarID)Y_r%R#8jH_tDJoHE}$zwEr|`sVy^Kj(k@Ise<w`QLud|Mq)%eslh}&pwar zyLo=u`;qzP`DH&y=9}l2JtCQJp5I<Kzy0&9N9y;oKBpRH;@Rppn<7^Ij4yjL%;aWo z>TEcE)6b>>Z*DUF=*@K|l6rHUwYoRwSrdKJ%Vy>`qpbFCnrwn`^Cpu)-Mq<a0c*Dw zZf-K+&&_o<_rAH#W{fx2*${JcnT;tomzhB0<|3Oh-dtoN)|-p0=f56h^SbL{#w=eC zvWeXFAWOz|KkG)W^FQ5nl}Q7xuQRsg`YP*kudlMgxxUQA4%e3%^LTxcvC`KU*`(<D zB5P*X7g@h?eV$EgubPZ~xN5S}xN5RK_NvJ$6l=G6UySPPOWM0#vi5GDtiAiE)!yxu zwRang_U`{yd-sp4z5CDA-u>%p@BVkScmKTFyZ>J8MgFq>3jeIb(%v1Bv={l$`Yip6 z{Ab0hf06&Jnd@KVKa<?)U*tcN-RWQCKa<|+pXWc9-(8Gy0iO0e|G5ZH|GfTlA)fwu z{pVsl{qy?I1$p}C^`DFK^v~-*7v|}o*MBa~!#|VfY40)=+Kc>WB0c?!{5N_1_cN)U z;q&_MXL3FL^ZM^+l0E(N`p?G@{qy?oXVN|Wi~7&xd-!JpKJ7*Rhk5(&XEHv+7x~Zj zvFKmqKO4vNFY=#B`t&dIpUL|4FY=#B`}8mJpUM01&jfzji~MK3w*E!^XF@;yi}s(1 z{q!%|e<t|Tzi9uN=uiKm{b#~I{fqXWiU07=<bT?W_Mb@r^)Ko_lL6{q)PFYD(7&kv zOb)1jQU94FQ2(O-Gg+YiMg3>eK>dsQ&*XvlX97X(Mg3<YLH&#R&$hkjU(|ml7Sz9} z|4cBbe^LM0*sgz3|Jn8z{fqj~#Dn-}@<HuI{bv$F{fqj~WQ6(`^`Fi8^e^f^lN0J+ z)PFYb)4!<yOjf9WQU95=Q2(O-GkGEYnZQtcQUBRwO8=t%GohjWMg3=DL;Z{T&jg41 z7xkZs4)rhUKNBA6U(|m#yT?D1A8Ie^Ka(KpU(|mlL)5>h|4fRge^LLL98v$G{xeCU z{zd&~yJhq*>OYev>R;4<CQrma6DVpg>OT`H>R;4<CREhFsQ*l?sDDxanP5@>qW&|{ zqW(qwXTnAOi~7&Ri}+{qMeRlXXA(yJi~7%GjQSV#pGg_@FX}(zzVt8ZKjRAZFX}&I z1obcKKa)1<U(|mlZ^S<nIBGBIKNC6XU(|ml0MNgv|7_ch{zd&~8*lV4>Ob3hqkmEV znGiw$qW-h(H~44rN9{%ZXA(&Li~7%Gkop((pRvUH7xka*!_mK}|7<6Y{zd&~f)D+R z`p<Ub=wH--CXd8F6G&<=>OT{Q=wH--wkb#dqW-gOIr<m%pKZ+1zo`FgYmWX!{b!qV z^e^f^lhELwNs6==^<VJ+xroy6Mg9x^zhChGxtP-Ti~JY-f4|`W5x8}PbG~2Xzu^D- z1^?eK`2T*v|K|cr;xG9BTx6+#k^h4K?-%@kF1GajBL4;d-!J%oB#e3f3;w@f@c;dS z|L+(4f0gauxfoU11|IEs`>(PsJo@MPud+=%`seMx%C_<7pXa~IHuC77xBn{J%A<c? z|5dh`NB_M2=K?(Z3;w?<`2VWl|Eq%kuL}OZD)|4Z;Qy<F|E~)Ezbg3us^I^tg8#2F z8M67w`@gE-|Eq%kuL}OZD)|4Z;Qy<F|E~)Ezbg3us^I^tg8xTEp0($y;Qy<F|E~)E zzbg3us^I^tg8#1y{=X{t|El2stAhWp3jV(;_<v;ld43B1zbg3us^I^tg8#1y{=X{t z|El2stAhWp3jV(;`2VWl|Eq%kuL}OZD)|4Z;Qy<F|E~)Ezbg3us^I^tg8#1y{=X{t z|El2stAhWp3jV(;`2VWl|Eq%kuL}OZD)|4Z;Qy<F|E~)Ezbg3us^I^tg8#1y{=X{t z|El2stAhWp3jV(;`2VWl|5=pE+i$`DR|WrH75sly@c&i8|5pY7Ulsg+Rq+2+!T(nU z|6djSe^v1RRl)yP1^-_a{C`#O|5d^NR|WrH75sly@c&i8|5pY7Ulsg+Rq+2+!T(nU z|6djSe^v1RRl)yP1^-_a{C`#O|5d^NR|WrH75sly@c&i8|5pY7Ulsg+Rq+2+!T(nU z|6djSe^v1RRl)yP1^-_a{C`#O|5d^NR|WrH75sly@c&i8|5pY7Ulsg+Rq+2+!T(nU z|6djSe^v1RRl)yP1^-_a{C`#O|5d^NR|WrH75sly@c&i8|5pY7Ulsg+Rq+2+!T(nU z|6djSe^v1RRl)yP1^-_a{C`#O|5d^NR|WrH75sly@c&i8|5pY7Ulsg+Rq+2+!T(nU z|6djSe^v1RRl)yP1^-_a{C`#O|5d^NR|WrH75sly@c&i8|5pY7Ulsg+Rq+2+!T(nU z|6djSe^v1RRl)yP1^-_a{C`#O|5d^NR|WrH75sly@c&i8|5pY7Ulsg+Rq+2+!T(nU z|6djSe^v1RRl)yP1^-_a{C`#O|5d^NSH=2&Rq+2+!T(nU|6djB|5d^NR|WrH75sly z@c&i8|5pY7Ulsg+Rq+2+!T(pq`hQjM|5dU6Ulsg+Rq+2+!T(pq`hQjM|5d^NR|WrH z75sly@c&i8|5pY7Uv>EZkL+?ng~w6zO|o)b#`IP#3%9C65x1hsqY_o41p=2wog~v+ zH5jAYA})`ga=RVuj|#Q{1QjaQ24G21kR3j7<Dnv3gzPz8R7o~~U{Jk103ty2_Jofy znPs*20LEmF&d`+ztOS(6ih`4O@GM+-AB`<&bO<YIW~OI@2GujuGju=5rk~aO$-8&& z#(~0G;Q2+TUw9sPpi$q0-j40`b%H)Wv{0Zc8MO^qP%#^NI}(ZNX|5z{-IMV$dE{;y z)Zv7Q@vCwFs&XEY_(47k0^u5t;iePnc>u$qo(DjchZqj1=aCk8!Y7<`sSQ^ftTq&1 z{$<C5CMR*SpQyZVqRO%NBBc7MxT2a@P`$`aOJpPwudUhI32(r~H=cN9QNK)f=+v0( zrr!KDK`Rn!LMA&nG2k~IOp1KS&Fm1qjQS=(e^kLu(0DX?xZ6)Qk8hXLr^(tPT9Y~w z?nPz5W{fsJLbcSZgtqS!u9cocJrI1gMR61QT~Hyir3gS?-573zwjgl&4o!xr`}ujI z&w4lfI-cQhT{>Kq4y6AWU%WzIatHF2JM=P#>+-WW<e$YM|11vqXK~0si$nfd9P-az zm7m2S|11vqXK~0si$nfd9P-cNkbm~F{45UnXK~0si$nfd9P-cNkbf43{IeJ3XK~0s zi$nfd9P-cNkbf43{IfXZpFJ->i$nfd9P-cNkbf43{IfXZpT!~nY_I$*4*6$s$Uloi z{#hLI&*G4O7KiR<PmTJs?Op5BWW~S%Yy#Jk{OP$39$9J_@4Y|l(Tj~F_&df0f~fJv z-jct2O(0fu!v6&ta<29v47zaf%VdQzz==Adh=E}W8hvrV8^J#{`r-hyY=@(AQGo0$ zcMpQyEhx}MdC@(fkG-$=bpu-MdC~6~c6(mv<RZxvKH)?%z4a9!>#9`*3`#n^%@aUN zn<(JHJ)RS<-~<TE9hpJuyVEyP7#Czp>%e0&y=oCKjLs(2Yx4k|BB@}ab>Jas-tz<) z&Qzf!b>h7d08VjpgeZwG`t2rO1Oez9NdqPIjikj*5YjsEm^80P0C-FlDp>`cB2}Sm zURnnpi%yO10FUWIZMfiTCKByt6T0--elmSWB~2Of(X{qpOF+RRE$(+zIHKZ|yT`cZ zfN{W!NL4#-Thn+S2(9M+3F>3f%Gc-$b-FkrtTr{BQ3yIWgo#5-6K{B}c_Nd(r$i@x zPl-<YUlW~_HA;U3(8@}IPE06yM9q`Q7}}0NV8FeEk!F(PS8TqjP6e)oD}m;#>QsQ{ z%K#2gOlUQosJ#^6LGn0Z<ZP_X=2z5aZN6Y~!!LgoP5*=_+I!$d41qR-g0LV^5}YX0 zz+^|Dyirrfoq<eqjF^O@1QcS<opZ_ffd%iVYY>HV%#`p#F?3wqh=SEEI#w~%+e=!d zQII&{)`>}jBG15P$(W1{&30jsB=pjn5R6tycF^I%H|x#Wa&^Wf1D~OXs6|uha3WXB z=OAwD%_yAGt#Z229Kz)c)pJ9yB$+f8c4J{T7ItG{Hx{-RzX25XknGSec_H9gv#qyJ zl252J42@xv`WGfHUNOa$)awV-JTCmF)qhU7LyZDe4=L6M-5!`kQ-r7){pSRwYu^Et zb>g!@<uh3ilXo^K<Fzm3f;05*>o7!bA;nQ|-t!E&c#CpF3+PYODWaS5E5>y62^_zh ztoZbDh(bY2L@MxAQhmzF3}e7ls3j;D{LfZzoj$eH=OFB_lM~b*$;rP}>jwE8j-&X? z`YP0q<isB|1>*ui+QzPZskNo|ZtYEc?RNJqncgRGp#Dn4bmJYYCpx`Kb`P$S;b@>U z)Gqqr#XHM(@s7$`FoCDMsT*ojLkl;8d;bBd`0fp8pH<ICXSaTh$mTSkdd}q+bR=lF zOEoq1-&4Z~Fp=i|Fll38dipOBa<oJLZ);*SW6F`+RUo~{6lC<ONzz$_Ldz*+CD0Pp zathEA)p8143Ks%wtk?_OPvn*W-U+Spq9kw1EdjhKw*>HFXqz9yGL5~u4&a&cjQ$)y z(tV5{>#a}=Jo_=c!WgZ)WA(uUJbKdYj8UmM2KQ*1mTk}=#@&W%lqa8(`e~JLL%ji( z#Isxe$%BT?r}6H~7!9dolwhKsk<d)nH&{Q6ck~N@@iiaEyCLR#?snJ=(d2DpP)+&| zBszJ92RG4;cSQZ$m?|E7=??H^y!msCl5GBO7~W%y!9~I9)#o2K-k_f`{NQT2Cz3#@ z7)5*G3k02zC|N(m|1KzQ?TtH0I+hfKuM+YH-R#@uk$-3qXYIXm$r4x1wO7&U@(kEd zV(_;XUxjY~EagJ)HBAPCG(TZ*p$G`u4GvL=jnc<NQJNd{VFo^rVVcOs0|P$y1WIWQ z4WXD^`{Q+jL2Vz27`5R<sE1)ueFz%C>ODgRmAsmdOe6CyV8&xXtx$Pu(pH1H$w7;| z@R?^n=8ivnmIwW-WA0w^6>eYh4Gr-DJ)0PVXLRSP2YL9F7^k-%`490eQo)cvM$hb+ z`NNp$!&t@Vz(*dxhO*P4t#P`UzY0?IX!MM6Dg8H|3yI&x%sXI3QBgbQA{_%Rn$G|P zx48g3qaX0+encIN<LQ9gABdGj%<=S!=kH_ml#d;7$FRN3<HC3Xp_t_YbaEh1`Ud^| z*qal_48-IbmEL3nq_99AufS>P<XAh(h7;XI1khr%{{0x+$CKwVeZHX;U1*Rqx;nu- zXEZDux+DK`8i6m6)SkUgdX1p*$4>w3_-m*CcKo@$k$3EkyZ}>CQD9mphBLD}X&_v~ zG2E=JsIIt?7m`_>2r!QVd_CNl<#8hzRxYmfx)<-|!n8<1rgp9QqLrHTW?8iSQfSOr z_=_rvp+#tX95?8{M=L6-U*|s$mfy#SwdT(t^BWr-#O#w8H2(raQ0SCc<BibCNPjCG zxSM9&d>N~5n0X|;hKBDBzVeW0yDjw5jvJ({W3R^<-`bjPN!`Fd)nM8@d&e+29hmU} z=@-2dV`&F7*pHn->`?n}f7H$<Frm4Y-D`y?BBo!?Sq{_(2vUIta=)ko@||f%!FO0g zr7Jcs^2FfJz!af*Kd!%_JlRG<*Nr3!WB3G+@_PB(IJKYJd$^$~5iiRDo_XRk(XgOD zbBh}uBc6YbQ9A!nx7vrtHARFg4Xx&D{&!IMJx0AZHCq2R?y+P8ke(ikGr+mf16UgY zDuL0W$I=IY+)osI?}`NlQSfcnGXURaWdZQ*OBNkPf%P|0Fb<Xr0N-X|0Pt;=0LETZ z2>3P<cp%<G_zvlNh}i+(vx>cX5J0vo0!Xz1-$s57_#RSE!1s`P0=}ozQxtp;NhjcY zJr+(y{TauBNCD$Gq%kp$1IENS4xH~tFl!@b_apeT5hL}8A$sHx4e-z@0{hY1?WJ%b z@Dh!1#9w;kePF=T$iMc8Y1fFRh#F*!(ARvT@R`qJ<b%K;?cXCWUIDNf3tv%F@6(8z zPezQhYC1j;AHpGQFOW;Fx0-UH?fXQhJE^390AG0GMP71h1u|5K1P_Jm{C!7UVvz1m zfLh*u1e<pZESh>gj~FLsuj20jH(lduD;D)+h+L9-i1>>@gxcg0J=kdVzawOc503gR z@uJCCKlRqLpjErf=X6Gk@mcdFNXEZsi0?ei4e7O7g7*~{M~SSw@OX%i=6j5Ya`W(0 za_9RfnD!<L2@;GR=vTpvX&8VR3w<J`B>4kGCpO513$^C0+0_84Q!XZiE$06ywI&s? zQIZHYh-~!`lYR+ZBb3Qo@lYWQ`~K%gT+}i`@?!Rpzc7gV^||+fg~4aX%o4%<=<A5E zamOSGwR<?^{Xl-uk<`sY*vtiiP6{;W*Kzd{N01wk=+q&o><G<V<TF;791zvkA^{oF z0hvjR+doD~5MZ7)C>6yC05=Vh3C*)%!!2q0Q;2l=1Zn4V5?lvNrv(*XjuyilBtnmw zgyS)08Xm@FGWbvF$iE6hAS3)2D97oq+&@V@e1XFDwmG&S>1Zp{x6h;L!@IS&Ym;&& zzXT*7ut_A0>{~7v!E&_(!4T22xS=V098EXd9{_*6>8AOG=0JiIMc_?yOY8P30cnA6 zQe>(Shk|jl(8GL9#*&Mm4^Ae-AY3!&HzZTw?^w95lAEx!2hPc<x5dDov;?J+?vDwB zs9-OF&pdqE^fI52yKV_z3>RO7AW+mRTEJ;Z;7?&<;xGc^Z;FlSIg0F=n2PU569hp| zBdcM=XB>6`e%@U*ioX}rjH%2mGujQ2gVR?qxPfFojhfZR5i$-QmD`5_IzQl#%C$}~ zn_*z_UlCX7j9^?w&E!uWOx{;g0`jM5kU#<Nc`yeXm>9ntqk3z8$I3-^;%N6-V?S!A z0+`Tbr2gL#6BGC%NGAlz_^u@`ENO|CFvIf+5`uZ@h&jS10OFp9b|Ci#Ae3S?3j)i+ z8znJ#s88a#gPNLFT848oOy*|b0PqSJq&dcYOQ{<QljPiT8G;opKjnW2t^{s24E{>m zu989hYr9AWb)P1u7!+kp8b(eQ0D>@CxDDjn(EMYZJ^(#{=>t#+45OmJFe(a6B}9Rb zJBa{{l}Q9(984krHf@PQ#Kcqr(m0qz0KUy60`P5bJ{ASzU@8IlHd6_}_n1TgzQ-g2 z@V$$8kEsNt@16S|lL)}~m_z`+$0Pz^;v)*a%_IWwJth%=?=f)ze2*yu;CoCN0N?PQ zU~%8P+wy#DxJehYd1>D5n@4U9rene5v3cdO7Yrhn+LHUYe%G8Xc_mOdM1Q<SBJzyO zfYIOAG5=~FaTzp^{NblW8v?TC*9R{fnE#ZJ>1Ea)w-|)|43TRh5WIerdID%b+#+mS z$I@^m1KoL02mubn`{vg*QRxRi`ihN}gyj!RF0-X0ZMX%m`SmMu&@Cfi7$8DAI)aD} znNEYttye&{P6zr0XD{aPiUdez+sL~h_*@wLP4r>X<;BB41w;T8D*{Z?zIOmxH}y+0 z&+3@Ugey`m3SfEr6R)q$Zr*%vc4s@hSfU14qZSh_S?`;NUwM}GgwcYYtohtfhN~Bm zE}bePM3`({hMZg<?w$4V>3?2^3|*;4Oeo7gQbQ$>^5PH1n<mK&<b#`czn4{-0Q zHu`AbLLej;*liG*lJNJ?*r%^fZ}0|xBkvIP_POEKT)J2*0gB<($)zN922zOLwgFi) z-h}ZQxNp|mDR&sR=1a3?F$c?(X`5nms9{Y%M0s+71x4_n8`r7QdlRg_{n0R+fe+-F zPbe*>H4Qh;HA_l|OH7zUkf%gEH%o5%h`T{vh->p`Cc`A3nt?z4%#Pc=w#4b}Bg~_i zJO^ph(kX1;AzSfuvm}r4{yko+*9HL-1i4zqJ*KHK!GLjj5Z7?5(xnzq5g~VT=!yuO zi4fGSb4rJ5NbaI0_Z_lzj2Ef5Wxe^88o^L(%$FDIho4^7MYH}rOuBlmtG)Zgy<M9X ziw-7pG4Q$_48}74Ybklyh9M<y7!sN}rRwd`Mx(i9B9#cTz+J-Rk9&T(lBS(2CtGrS z(Nc4#HYO?Y@51+N8*?rJaccj$rHEVEIxjF1+4{nK#*j(aH#546X050Sl81tWtLG|0 zXoMjm`M7In2Byy`1Zmg!8R+!7bw8S~;X@NK7(@1fcnODNeh?Qlh<^UnutR|l#b3~k z3C)Cs$7Vvuuy4kXq>VeYBS%b%x$Tz<9P^(zbbus~aLf<5`mAYE-#BEWgqNi>l=hx7 z-#53UanSlQbT^w9E@q+B>g^Av1rHNCPz@Y54<7-7*Bc!dlrD>(%(WT>(4@Fd7x^^x zATIQ2erp`rfHwmFd4@9*<e&yz3j7Hi&VU}ka0W0Wih?gPr~%i4?=h$WzGq(&oUsVW zpa%HfIYX%^Fer<HaWKFE#=+1A7zaZe%4gUQBnpuNhB-*%V3-4Zn_&*{ZH763w~@C_ zKM&t|?GhMJLp?H!8or~W9=_Z0tay+t4&OQV26-l2Q3>iubq?RrU5MI!;(h85if2Fk z*AU_P@bT;LaY=LiefUVd0w0HrcKadssSf=ZT=<Y{l-}Athi`{G`{52oZ;P>=2`r`| zOdPW5CdM9!3v7&G!|CpIsKgE6SzZa3!rz8FZ<}I#f#CT(<O0^=PHFjY_kkOkjCf!) z1D<~j`IiqjKZjgxME~y<R+7S(A;Xi_l^6VkX(u*>6MK&%GT7w@Om0!GeP0Qh_zW!h z#)g7+<b|U35x{$%A6_wyy(acpY7FBA9JyGFdCP*cF9p$>PkeMKi;PE0y|%=A&EtL7 zS_ooNR-|ObCtbvc7$juDR?9qituAd~o$X%RAiM@QI6PY)2%`>{c}paN;163CXTo6L zdNPx7(^_v1?(E|Z|C?m6%{i>s2Y>cCCx^qE*T+|(4t}kf45qg6%GDtbCb-Gr5XaRq z4yc1)YaUW?bxZ=(!S5KsDHT`8WI!FlwPrHtM&k3AhxE{;B!@$Em&f!#9sFAJke<t9 zdY}$|#|Td8xjd!^>JY9q4<*B8)`v75%I5Ow7}u$Ea6Ehp&LE}v>X@KY30)qG2<jA1 zCsC(TGQ=^e1JRnvp!bYVT^tfgPnsMKQC}R(3+mw4nup|F9Lo#p;CGDRl(dUuc|je* zwdSF`E{^2|b?`gJbt<omV|hUx!W|QIDzA%Uc|o1x=_Kk@UWPbEbs$>v(6TO$O$+Ma zcZ~Pcx-O2*3+fQ=n7&gByEry6s8c+h^qpFnA&yZUh-1N>TH1v-sHbW?wKW`1Re5S{ zIv>NH($^`#Q;Q>PCyAEZq50@>`s68<aJGkZ9EjFT2BUEJpC4jkEKUxGqBuW(1nS_| znup|`AKM?)!S5KsDVgWTL_!_HwdSE1&yVd7>fm>b>r{m2$My$x2zN}-srb&1?GNe{ zPbX2QqBF!XssquQhxT`VY=2M(zhk_o_IG}4e^7^T$Ml`r-}$lq{r~pf1H7tgYa87O z0cipPqEaMAMHB+7?3!c;)-E9-l@yw&1V|tX2_~W10xF7K;2?HX6l{oyiUkD;3Q|PC zBOod^?1~<&$8z6y?(AfZb^Ojb_qor1|K~pU59~3=tZR<B#(LLmYfNx0<=E=iqJK=$ zTvVKCZnzfx)0_1VTuYg@#%s|(rf4pzrGB;sY|%fYwN;Vr7FQpe{;5PQB{p+$rpb*X zpWY08;No%3b#6gFy&3+%#nUy{w*>+9W(Wk=QjV>zEhxwo%|*qT=JsqsLcJLZ!L^iW zYtI%mWQyjZTIy$O&lW^PT3Z$E?a7Gd)&Sp9Vlx+KniaDJ8TDpp1lLkun{u|GBU3aN z)ly%Zg0>(e(%R}vy^P;~Ml{#AMN1LfTy{&l+7z_~DN(kqX{nzrWw$))EojN~w(8p3 z*QT&cWNQG?#CDxk=~}94t95f=oN02ELxSEY7Gq1`VDk=0VLtkkSd9Q-M?6L__Sl6b zP)t^^BbkTk4N_|lXb!vFg}F!p2eYOi=nQkrfrB2=`(+vMM{$7&28tY(6o%Ddq;Y0n zq!6Qa_|R|W+0z`FH1ntob71x;Qm`q4OYMwcBW8qS7)-%M^0Ki?2ui|ySgVMji;HnH z$({(#*d2*vbV%_-f}F8q4@7cCVo7NW92^FVp>`9qi>~_OAr{1aO$@@6LNn78&=?Dk z`B)I<i8!&2fYQ=8B5LnuZ0G~FX~GY2;4zYgi<57$Zi3NF6HBHD>qsaU`!|c5YQ@16 zYM76m7;rHh!d^<OIARk7wsF9-89yw7^HgP()51sqB@_?aq>fN6&4Z*^GGRrm9dQ;? zVizOI!s<C1DhD%)*u6m)Z3ViGQzRj4Uj%m@+x^st40GQYkDwS#ogpypVf~vuddw4_ zZDC9#2Nl7z2*qIqVl0bQIoC#T&T=F+5!U2xRo?vkLWqY6GHeV|?oLqd<Y7HyTYBK) zL}Gf?3O`(=%qqpo9kX&4g`=??teAw$@=DPTO`IB~!h`J<Xh<xXFoqtg16LLzNP(Fa z<)EZ!NfZ^w{8c0e2{81`!FNIhg^+<R_FXi6FGCj-R2=EWm?jsu11oRXy9E~;k#Qs| zBNT@UV?Hrlnz|bdWK)&FW*J<6EN^3sElI_=6wguI+sy5aaEA^Eo(62tiDY99D#CrU zASz4+V!sajd^)&`76jLic`>0z9<{@{$Z#=Oj=5NRQGODnrDO52gG15~!CZR;+i)>a z`&N^?7iaKd??nV#R?&`_HN&hVZZ=wz2h4(&<dzohhO-^NoME_)a7b_ham?ALJW)DL zrx5QV8=FCF;;61@o>ClZ&ke?kR}@R7$XLXBW5yIq&sf%pai|1i5Jq6)EysM@0W#1> zOk_fP)ycvw{2s8}!vcpDFMv3hd*rkQW(+A}Ug;(ha-6?~!>1o*Di^a=yfzNx<ssP3 z97;tcbNJX|Vh~Rfq=T!H;uK<nBhun=$AViV%A1BWo}<Jcx`@ZRB<2PA07QAtFfNH5 z3@A)pBU*$BP4LiWERe>U4H`inJ8|O-N(p1x8F`yIRbChnql)9z!kAS@%Y<_<LBq<1 zIfqI)!qylpPeh_P=NS{Zs;RNM98r@&k+RX?IAMXA9>pRD=6gsu*8>{k$>OKNFsluY z;RN{z)|EjRh6P;^taX#dc(V9Wxs|TRR9GozOf8jO@*wC4?luXe#+IfClCyApwufJA z$p#FQ@llUp%@7357J<+aY&=$Mw(=kgW-TLOJ^`>w5`iU>2&|7pU~we!3JOatQ0uu7 z>p;XB1z?Ep3nYVv!6vJSg-LdBC4fOLKQ)rlzZE}zHHR4})B^jUV+$*B?lmym@xv}Y zP*}tu#nt&<vx-uSI15ELXB!=SI)NG#rH0C&RCJ>V-i=*br4Sg)SjYo*II2)E3`)Tz zQV?7No5aa+K~uTB%@#JmgCINh-Ic1$ib2WTh)0To^10U+?FPi)u71h{UeSGERk>Ip zQQ=l8q=g5um^ubgSHs=3@b<=fRW{#(aUL8NS3$Tmube&H$*!&d2PNUnRD#{DtjaL! zAW5ETreSO!2&JA{D+-SH04;8nu&NecZWiDS9?k1R%|IbGXqKY5$>5O(G^{9YDR^86 zlmtCZ4b}=ka6>dNuBUlXbqy8>Kr|580s!%oFb8|S8ouub!HhI13G;dI6*Vadb9*$@ z4wTjMXsnh8-|dpJS{{6(OUi0_@I5Z6%Fk<Jkr)JX$)qH_G8c(SNqBuM4}<W^SRMx9 zHL*M#;qovD^Km@L>2na~;2b(B3G-nN9Rv%mq$JFZnRF25HdH%t48)mq5SD?NbP(po zOgaejVGcdQIdl-_<A|N}<{-?0d2<lvz`QvKb70;)!WnZAB_(Fe!7?9a%t4qBGv*-7 zhZ%Day&;UfWMS+j3-gO45MX%DX1L(7+Eus@4n7hop%*_)31i+Di=t!T!HN_XvBI2N z2N^}u5FUj$DhPgf%Yxt+#h#{Yy7=ME7zPH0%gXTEhwoiV3-eL9a-)0ba-S4jT#X0` zf}ZAUbO5T#X;f74TfhR6=@cIz;hQw(qHHXSki@d*F&sbi<ya0kM1tmEffP=dA4!CX zz#zObLwAPD&;uu?hs&@YMv4n@(++lhz!&4*0E3hb*!Iv6F2)DK)($vW3sRjjG-dG^ zR-m|SY&56%4Y*<TL5^ZL9qmCbgpqZ(ux1NuG_znh`wfcaZh%7*gTfKO&q}r`4inng zh6Z^V%z7)gQ90O@idUs#72OLK@?td*qJwfDHd?S4V-H4!v4oDLB=j?|m5AYV_cgsZ z(W#7cafVTm98&f2q??a8i(ebS34t_(*~*2ZLWKuF!Mz>EY(9E!uPGM+Wkq>g)Vik% zi>-fh!J%m_G=!aDiVx@PKoEq+`w_2ez$=$c_9`~4f{O4;hqp+*%UK1C+X~QSg^Qgp zaX04OgFs%RXiTwsTgAD3Wb&d}%4K|UA(mKJJVyn9<QPK-KP)+e;0rU{9lE?eK1pf> z1&6g~Y_F%J;IIi9U1^R|id8PU5C{%BQBgi%idSP2#bZU71r?NHuOS_bEn;Pn<MPoi zhO+0TL<NgwqS&$$Bk(>!+bFjw8%C=tKuJ@8?jGc7${Y7E0aThg5o6E{Dj=-tR}#gy zFMR$A3x+rC9%aJeW!Rvs0x{r<U2Hfw>LMb^Q4X$@!WmXvhOVb#uuj}kVeV69GVZ3t ziVZn*3{^$2m8*0c0>b#x0^j7tVwI<9gcmN%=NM7l;uwc3=g0SnH1jMqA6wjF{lyj@ zQX?3B+tO4YUQ2eLTlh@jqb{`M1GL(Fn%#$2ku45yBfHNhd|u%bb-}yJo=?;TZ!deC zs0-d_wm7`l>^@N!yz1<6qAqy(+2cfA@FKLwiMrsWXpa+h!E4eMhxeu3C+dQCr#(*8 z1#eS(oTv-lul6`m7rb$8ad`FGeWEUS8QbGTUGRFg$BDY&g>8=$b-^p#9w+L8m%1$u z?{&LR)CF&Pdz`2X-u?DCQ5W<E>~W$l_{_T{&I>bccAvd2UYKyR$Jy)Rh50snoV_ky zm~OMj+3Vtk**1Hes0&Q0+2UYO&F&L*fiX3EoTv*7soCR1U0_7b9w+Jo18TN7pQsC_ zHSKYtE--9nj}vu)Q8Rm-s0$35+2cfAV9d-G2UBBqpQsDE==L~K7j)X~aiT8h#@pjW zUC^<&$BDY2t8a@#pWp5ib-^gW9w+L85rI8U)CHphdz`2Xwujo{1nznT?s_pCu%{Gt z!O*}SC+dR1f;~>u1;Yn>oT!VyT`xu!wv+;Qy%=lQ<3wFB?y$#+x?m(?j}vvlsKgd0 zaMvqv*NdTwJ*B7%1~2wFQ5Otn>~W$l7~t6BL|p{#dNKB~r4+d9#c0SLC+dRnkv&e- z1tTVVoTv-NP_{UMyIz62UJR`4DMei{)UwBkx?u2Sj}vv_aICq{;1#&bBhy;qJTRVV z_u1>>f#FPhoV_j{7|pcD+3SJ>&qSQPE*==mwB-}H>k+u?ff-ACN>LY>u(ZdCy1;y; zJx<gGrYr4nqAmh=xk7DA36qj`pQsDWN!sH?U3{W00(U(yBWcek>LPHLD^j+U0(U)_ zBeBPcx?tAC9w+L8c@%q`s0(IRY;gj2Jpy-m-kv?BsEg?DdIauzFePKpC+dRf8GD?l zi@;rvz+I2PT@PkrY^4a?^@#p1j@T0^MO_5$;`BXxN`bo`fx8}oyB>kN9?{?R2;AkF zi?&(|-1Uh5u1DamN8qkU;4aSnvzICQyB>kNI1*5#6m=2(U7QvuQi^sFxQl}X?I{KB zdIauzM1R*KaMvUHyB>kN9?{?R2;B7u-1P|D^$6Vci2kle;I2pXcRd1kJ)*zs5xDCS zxa$_U>lV1{7X4kfz+JcK@45x<x<!B2EpXQ@`nzs{yKaHIZh^aQfxB+e-*pSzb&LM4 zTi~u+^mp9?cip1D>lV1n-8?N%fLq|MTl9C`0(ae_zv~vb>lV1{7P#vc{av@fUG6Wi z)kWa0Ti~u+^mp9?cip1D>lV1{7X4kfz+Jb%UG815)kWYg_j}mm?C$`#z+Jb%UAO4( zx&`jKMSs^VaMvwx*DY|@EpXQ@aMvwx*DY|@E#?{A0(ad4cX=YJO<IAwZh^aQfxB*j zyKaHIZh^aQfxB*jyKaHIZh^aQfxB*jyKaHIZh^aQfxB+e-*pSzbqm~ei+KjOz+Jb% zUAMqpx4>Puz+Jb%UAMqpx4>Puz+Jb%UAMqp9$IU=V*+>G0(ad4cijSa-2!*r0(ad4 zcijSaO@X_nz+F?|t|@TW6u4^&+%*O6ngVxCfxD)_T~pw$DR9>mxN8dBH3jaP0(VV; zyQaWhQ{b*CaMu*L%Uy~s_sA5uYYN;o1@4*xcTIu2rodfO;I1if*A%$REoip72;4OV z?wSI3O@X_nz+F?|t|@TW6u4^&+%*O6a_^<BW&(G4*t9*)-j^~3?wSI3O@X_nz+F?| zt|@Srdp2#?6S#}5Y9db5Mc}R}aMu*LYYN;o1@4*xcTIu2rodfO;I1if*A%#G3fwgX z?wSI3O@X_nz+F?|t|@TW6u4^&+%*O6ngVxCfxD)_T~pw$DR9>mxN8dBH3jaP0(VV; zyQaWhQ{b*CaMu*LYYN=u>E||m5x8p#+%*O6ngVxCfxD)_T~pw$A#m3axN8X9H3aVR zSoW5B8Ul9>fxCvlT|?lmA#m3axN8X9H3aS&0(T98yN1ABL*T9<aMuvHYY5ym1nzP- zvrSroyN1ABL*T9<aMuvH%Y)wSW!lGThQM7z;I1KXm;0w}r3l<L1nwFFcMXBNhQM7z z;I1KX*ATdC2;Ai!ZChOg?ivDj4bk5<1nwFFcMXBNhQM7z;I1KXmwUTybrHCWZP+5t zj=P4yT|?lmA#m3axN8X9H3aT*-?ptT0(ZHW+8!tBB5>CbxN8X9H3aS&0(T98yN1AB zL*T9<aMuvHYY5ym1nwFFcMXBNhQM7z;I1KX*ATdC2;4OU?ivDj4S~Ccz+FS&t|4&O z5V&gy+%*L58Ul9>fxCvlT|?lmA#m3axT_1?)dlYA0(W(RySl(#UEr=Ra90<&s|(!K z1@7tscXffgy1-ps;I1xkR~NXe3*6NO?&<<}b%DFOz+Ha8)be!b0(W(RySl(#UEr=R za90<&tBd}wE^t>DxT_1?<!4j2nhD(11@7tscXffgy1-ps;I1xkR~NXe3*6=BS+=?e z+|>o{>H>FlfxEiEU0vX=E^t>DxT_1?<>y_tx(M9Ghgc%cj&-`gU0vX=E^t>DxT_1? z)dlYIQ!ZOw1n%OaD-kE^B5+q1xT_1?)dlYA0(W(RyZj8wRu_T0_+UxIiMj~f)dlYA z0(W(RySl(#UEr=Ra90<&s|(!K1@7tscXffgy1-ps;I1xkR~NXe3*6NO?&<<}b%DFO zz+GM7t}bv_7r3hl+|>l`Y65pPfxDW(T}|MwCU931xT^`=)dcQp0(UimyPCjVP2jF3 za90z!s|noI1nz1AcQt{#n!sI6;I1ZcR};9a3Eb5L?rH*eHG#XDz+Fw?t|o9-6S&JQ z$1Tqh_a57Q_UDMZk?nEzbrSARw#V7~-rTWlixarZJ<RqvQ5S)`+}><YDe59{m%E+q zDMeib?s7}BEv3L+Zf~~7iFOgV%RSHbl%ib(?s7Y{J*8+DfxFx(ZA&R|mwTt}aiU$s zJOejW+f#~m5xC1;*0z)ace(G{9w*vG;4U{~+f#~m5xC2J+V+&9T?FoO3%4z$z+G<Y zw#SKf5xC3!-u9HDT?FoOE4V$SXcvLIG#qA2DR7rN#_e&UT?FoOGr2vbXcrsqVuL4* zmZ*<@6w6P0xFZ*#__~KXL&>R6p~%u6wsO^GUwr1qJ(;lB1k;1qG>R`QV9Hy$if#hS z{mF&-p{8x7Wa4{Y^Re%^Ft041mxEnNQkXhY`(^QsA$-^dijUqH&5t5Tu|*f(W`wZ; zn$|_&=3@UWE{v};KxmeSZbKNmn|Fp`&=LWu>boP<uE|ULh)te72n#_TP#ij;_5*{Z z{}t?^AGHevJA>gbgbf$cMi3adVivfhB@~a2GRLYom9%6F_;Bv1oEWn`jBl&B!x?6p zVy05T74XChx@zw+KDa{LKuj>ON3PQ1>~DBsI0okRv$&_34ipIv$*cHbt1W8?W5=+L zhW+Q<yo-Z5id50GFU)W>VV(tXU}qm^K`;TVHHXp0++L1~Q31e|j)|EYi*sARY{M_M zi5Z_Z(eyqxpp)h+W1h|Ie#NO>!n?>)DwSMq^Jf5CO}Q$69#sq9N#Wa_0$3!52v87w zpA*L3=bW8kextw-s6fiXsoecOEOwYjEWpkqg}PL<Y%?NRM|?j8(h$z(CluNIh9X;i zL;*?`vDu?Wf|M~@earv~lV<dgFoF8!K%KTlJ{H1Ye4z`9A3iC-_G=h}#|Oml;fqQY z3KuO2fBq&?60|Qv@ZBEm>%_Ueun9E=KJL25@mM4{?S#2t`zK}(h%CeT4McXKB6ujc zgFBl#p8W>St0*mt!hR6j2M-QQw}q&-Y6-H(%P8bRGqVA5Xwr)g8xlvh<d<=SKfasB z*%EYcPeG$lYJN)%0xQ0td3kS<!r;&@<*G1}+-)E%J2jVXuDXWu(;N3~MIwB_pbDh2 z<Lkk2Hge+2H+;Ot28xb^O+7fQ70l(Sho6k{qA6)IjTB#-kn$T@FeA$Fv1KC|He(de zeay`TuL5uo1h0v&6d?~jMC3CAmp3#T&1JFpppldW72Km7<w0v855B_#8JUCc@>n8l z*jg|xMTVp}M)#4;QMZ_`^1>#k+67N@@nlo=kdX!C5q?#YEgo+y5$|{S@zxUYcvlEN z-WI~|cKA()-*ET=JR-j){lp}DylOU^e0<_XeAwZ4$d3~MWqODFQHT6dhx}28{85Me zQHT66y(q8ekU#2>KkAS_;*cL-Z;J9@MNax1@<$x<^F?QGuZTnbh(rE}L;i?E{)j{V zh(rE}L;i?E{)j{Vh(rFcLw<ZlEb1S2$RBpdA9lzecE}%g$RBpdA9lzecE}%g$d6BA zW&IrT<5O7~?~p(2kU!**Kje@<<d8q)kU!**A9ni1^+OK%Lk{^v4*5e4`9lu*Lk{^v z4*6lKPF~+3f5;&}P96~HaiE3tJLI<<^7At^yT0?2MB#VHZ#m?*9P(QZ`7MY1_$*nL z?~vbe$Zt91w;b{Z9P$So@&_F92ORPT9P-1`qNpEdMC|RsIT7J^$j^BZ5$}+nb0Z?& zAwTCwM7%?O&XL&T{SNv44*C5K`TY+0{SNu@v8*iLAwTC~#PuEWb1p{2JLKnljEHy0 z&p8<p?~tGKGWK|Uhb{dM`SESGjCaV7^Co1xLw?Tui0e7z=j@M&cgW8fAQA77pR+(B z-XT9{f<(MSey>A*uS0&XLw>JAey>A*d;%`6$Jr+P^*P@p{0{j!=Op4C@^juv#5?5Y z+>?lR$j|vFd%VXXzsDiJ$05JRA-~5VKa8Wx@*VPXj!RtMAwTE2M7%?Ot}%#shy0xH z67dfCIp<}McRS>FJLGpe<aaydcRS?A2mG>phy0vZ6W4dh&ovDZ?~tGKYa-quKj+v) zyhDDjZ`k8ahy12Pe$yep>5$)a$Pe@KvV4d9oXZo}cgWBAJQ44ZpL2R5-XTBNQ$)N& ze$MUL;|+)WhC_bCA-~~}-*Cte6BDw0hy0vB6xVmi&pAX9?~tGC<|5u9Kj#ufyhDD@ zC)(q6hy1!je%&EI4o;By9rD9gg^YK|&pAtReTV#9FB0(%`8jtf;vMpH{!+v{<mcLv zJst)>q~9SwjDW~^hx{-MBI6zMbCy(G&mli&N=3Xwey&o9c!&I)F%|I+`8jJU;-&mL zC+lqSdX|)5&yw=%SyF!8G5*)Hr2Kl8lwZ%1^6ObremzUduV+d5^(-mBo+ahiv!wib zmXu%5a>(x(|LczNzwQ|S>rsdNQF;G$$M|25I^=hZ|8>XsUw4fEb;tN$cZ~ma$M|25 zI^=hZ|8>XsUw4fEb;tN$cZ~n_h(mtI_+NL7|8>XsUw4fEb;tN$cZ~ma$M|1&jQ@4V z_+NL7|8>XsUw4fEb;tN$cZ~ma$M|1&jQ@4V_+NL7|8>XsUw4fEb;tN$cZ~ma$M|1& zjQ@3*#}d!4WBjkfY?h37=)Yt9uRF&7x?}vWJI4RIWBji>#{arw{I5I4|GH!RuRF&7 zx?}vWJI4RIWBiX9Nhxp0A-`k%uRF&7x?}vW!=9CBKgalAcZ~ma$M|2j9M8XF{I5I4 z|GH!RuRF&7x?}vW!$6s=pF@7f_+NL7|8>XsUw4fEb;tN$cZ~ma$M|1&jQ`b6H2eF- zG5%M((L}rh|G6_l#5?exyCX!rLw@d%5b+NEcZ~ma$M|1&jQ@4V_+NL7|8>XsU+sRg zU*9qQS3BTDyhDEO#t`ui`MD!Q#5?5Yt_%_Hkl!)>*L{xnzhnHb!%CYd&oTbz=^QfN zq5s_bVXu#4{IB-iiFk+n+yf%w9rAM@h=_N{&%Ge=c*T*Z<K^knqn3-*5{s3e3qwmV z)u|2=iZN=%WGDDsu6oh79%(@do!Gk%OE(08VZ$53Tm_<GQAJ^<bc|xKI)k+nF1c`t zCkmrQYPre2Am#{cTKKYss%5bj|Gy+?TEIf_1u)CWWo|IVFos#MCB^~PR7hjYiTPr2 zFxodZws^|LE!f<I-LYt1Ne)+cVLda{bh=0wCdf(=f^}FnnQ~tXN24Rbvsc8P6zq4w zWO0+b3EpjCn6_jCz(|^++rv>S4?0DoXJNE<7!9n}DzRKhPI<X@iG?*4&=kVb5fr0r z@7TgyY~2f#0kL2e2d~P(a21SD9(@d=4ipP>Q4FinAT+qU3l0_rxvXg6TxilTtx7T+ zp4fsJ*UPMZ2!}0aa3wTmhST`44$5@JrK7M0ht+Cu#W@k2^+k?kFMh>bS%U)$v|Hfv z2r8@sTE)BZD}=489dvnht{`FoZaax8maB<YvAPs<!tyOCNh5x6_u%j?7{h~7!@MZ` zFuX?-W#nk4&MHDPT18lK#U_Rr2lJa@EDQ5i#bhtwx-Hs8)c|H$kqe8A*d+l428Hc4 zSngv(#QC>kY%F9GJ*r96k%#a>ZJLV)&tzeW$V%m7(I4t#<riQn99D60xQ%j93QyO@ z5zI6M2#SC_-X!j_u&^Bfwl85ylM*WiV&}o;ure!47U8+7tXwn`w8+A`t%Y;UR2Yn| zMXAnK1f_;c6$_(zqiB4P!l_0Mg<u0S6;BNtL%{+M6AW(()5Ic(NdmZ`iA4|qi`t(< z6N}(5uAzxV5Dy7+aEBvJEP^nH4s(*EARHyCEi^Q-2#)zU@}r4G5a!c3^8kt`3zRvz zEm0X=gw--`hry|pjp0;ook~R&LSxGcUJH%Q-WD2Dx+R2@_+V=sJ1wk&)H1XSwwGAD zLZgQ@gkV%L#M6F3@Ut31Wo7v^dL6=<tGNHl*+m*H=2@(vvV9@!P}vJYreqB4IU*1y z1Ys99REGb>Z{de?cMB0*Y=G>6iPX_>u`eKm)6Nfo;JP?=2wYwn*}SsXK=Mj(;vao^ zC?zisTMKx3#h?N>9<Nk+qqr_~03-yG%PL_JA4*ix%*7d$nw`@aD&zTRC0pPkA`1sn zvT70h!nsh>P+17Ko|)-3glIGpG#B+Q$+aF2l|&#F+HNZhrsFs`&;lId1SdDT3lyjY zBd1`j#t^qlun1-JPc;Y@^|JsCDl9T=3t}Q9*e`%%V!5}54$ql_eMCqL529i35EtV~ zU8y|plg|gexuw{ffg_6GiEIK2<A5%#{l^&AUxmaRWVdp|Y%tzxQkq<hqK0Jl(Lt3) zG=z#!TH%<z_`w~`;tEIMNGW*WYynl^PM1MD@Kb5t#)0<Or-1U6yAKYZ#RDN6cvP6L z&V9ngVjgv_Zrq0qNU@WY4Mhi6fw<64Y7C4kj)t-Gm<#2hAGD}2zcA~K5DplIoIGY2 zgiyhjfk{La2y^(bxkxXV?X*n^4|Z#T;0MdmAgCzc**Tj-g}^cp)R=c0J5xe=I1CkJ zO9-2&C?p(pJT92G@q_Jnl!N1fp*S#A+6cnCi1yhY!d@k^mSS;(^U%srSC}7HEKWk+ zr<hb*AZ{&8^>V9+ifRZ^*I>mS8>8T`0ytY2zi?sBu24=%ei<4G4ndj>ciF(9O=>1B z0lbBB_$cC~oDJj1aABaAbQ1{boCC?n;w1reE5zO@$O?vlxrbn`3W38=-bY*pJL=G` zWYk-R9O{ZA7(?hzgmSPAjHz)0a&UdB0!$~uAS9w9IFY^(m8MZwJQ0W?M-`1Rba6Z* z92zQxT~Ek~`?M{D_k4&()Isn=@z^^9xww}F1V0{H4V#&HZ-K?#;2R#K0jGn)<}w`U z3LYmM6^6voQotH?U%9*Bprj~FiGyqk;TeD_blj?FajsPWD2x_|aJSGQ3&Ftb=1>&R zcmZMyO5Y$sXaRD-bR;>nW)up5$DantK@deH!CNl7a5o(W?!a#t&ND};IqKSYT9GLm zXS<PZ1pxyG=%fz#jB&jG2twI7_Zc;ass{xQYtAadOgY}`bV-mOeG&o;H`O5;uW%>? z9EKFbnk60bjAL`)waPGb96-ZcLwE@`fHa0e*m(wmj3I0{1Hliw%|IB$EoY=8j8&K( z19eaa;76Rt<4nRd48~?X5c;?^j+D{d?nX+2pNdgIyw#Y4z`K`;DMbj~auA4*xrI<u ze=UT57-I3Xpq6-!O0ffyE^K6%FcYm{gKWjm+78>*IBAh|69|A1$Cd8@mz|rlhYq7u z*O;z4%A5>Cw_uYW+6jF&{D9?<o+p-KN0@S%241ED4k%w<locw@8B<t@{cU7JxGUID zWPk?)gR5b11-U#roi077A(aY>2n*YAn6_YT$jS$r@$z)x<gqKt`q41yJ~C`-Ix!E< ziHL0oRbhOez$iEgP8A2m4^rn);lX0RCR!dRz>)wa3iGkijm2Yh#OuRB4Jas1i7sVb z`GSRsaP(N&F=BB<7z-xAL)L2{D*~hbrFiTu^mW-z?DB%**BC+{i``eas#e%y%04T+ zxg|JimFd8#6Vu}y?wktZ5gTMNE>mtQx~WY;%!QVto?4*;(2!!)7qPJAG{mo&LxyKv z$Z$W4-&6Rl#qUY{)`ScbeiOV2-gp|nH6cClWJvctgWppjewqd1C-ISZNl+lawgO>_ zwfO1uXds^F@MCg(D+Pj5ut6V$sj(d&1Xa>KxB`|RLp*#6<Z1jEj7sUKlx`vb72_8{ zAP7Y5bYne!&*Fzj1Ca)<Yaos_)&e_8UIp=!^ON(D^O5tC^OEzB^N>R++B*DDinb=C zL1rxg7oUoNJc}P{rum=754Gm^9Uw^KM;a{TgRI97>CjM`56OJ%@OuiswfG^S4+*`` z;fHiyr1K)37wOn;wA~JZlwPFtA|;wl^B|=MDY5Pgf~2@-ng>OCkPt1Vd5{pFCV(I% zzC!>(p=dqLjg+{v8t$xyM%2)Vnu#J!Bs5W^iF8;l1VJJbiO{GT8dWop2o0;DVKoDZ z(72j`!qC9%(1Rc$TA1B=5ZqWzM^YV0btKi1R7X-BMe0bYBPBZUASf66;6YG0I`SaM zhR!?)@@iNcCnZ5K=-PvzEOhTdP#`+=ASe}!HXu)0W6K(>F(Lf$99pBJ4Ho+7*sFN} z2l@iF3mbs==&kPJZfZQ0)<}+caGZ}-fFTonFdB|0+A50;aWSyvu5~!*OyNC_qR8Sz z<wl-gjboK@9&!#2NLJhC!2?Uj!g#+bBJRPn)e-|1M-k(oPGqOUjA{gFp(|y<%sK5- zgTqUEGf1|@5g$Q2W>p%TwVedR^+t@_c3L=*daH#E#{hSfLm^6Y6breq%^IMN4iw7* zIE{qVkr<Et{b95MPDMZjMu4m_4z0FI#*`Ir0>#nAh1i@7pgdqfQ0#Wj=Z<s5HyyG| z-on}qTpIOeg}4nL9WDlu$=w@g;vw6c0=Vtn!bpe+2N!3n@M8q4q$sCprlg5wnLPW4 z6A7uYCP&{2-t1wRMTUbO5@>+LBv}i&*!fTnyJ)zzdAI>3sU_BMyb7%1vg|TCrF-$q zDcMJ=#=y8#aj6yBLW=m3C|)DVK|<{M&k4f^^Y0AgN$ZMct3E+98;e39ib9&06?m}N z7>-`IVsLAVVU8UX2WJn%$vkhU$qQB#0~ItqXaNpHEiT0Q#7qn?O3P;s9Ik|xDBg)T zr&WgZxj3T-*>l+vpjH9yJBL%84`^ag9=Ay2fQ~}m5yg~@QD=9vy`gL%ICO@T1ZR+7 zgr&~&P#$O>rY;b{89S9jF}q>`o8fH55Ak53ZqO~N1nUh4=c&hBUW9&}r{2Ugxhxs4 zI}pf-PI4IEa8N<XLotd|i_u4+W8uhJ<+sqWg?{1eavXF6!N8!;hZ{+D6J~LCaq=dw z0TVaH7@YA@g$B2HViA0N_Nq{D48pe;d<xMd%{&T<eF745`7FUwIUa=~bgP@#Eb2%s zG^-E=s`#wJZQ#(uU}-o^jK>WrrZ^uJR7Y6BL7E+yQev8D$s1M?8j)xJkm9*+u<(_E zg->O0Q`PCke6X9?II{@>IJ<?~8e<SpiVgj!Bh0ibVc_Q!DiNrOjWY+D0-%AA29em6 z4`6F%b8*r{Nt0h4QKe$ypSna-F&U>&5ILIzMUpKjR2{7xb6GcPVXVhw6_k`61Yt`S z6jAdE-oV^hSxzbHg<f6^5%IwYQLO-7N2_2sl&AoM9gJTw0As@pD~o{+W-)MAb|Rn{ zxpDF~6pBtGDEmOUv0ON|2m#SOB+w5~ro%BbpqT7qEap#HFwd31JV8u+6^{dSO0pWP z{4!3cVEPSr9ml$>O!<H(ygg7>6W55twaN<iaas;a#gvNKg&rv?&NG+5ZNd*O<;b`8 z;D@7OpsScgZQ>g&oVtc@K=z;q3w=lbt(c!vjoi}AB56F7;L^;$7H4sxra)$bd^iLu zMmK@QW5S+u6K55uFnIF|fr&g{10?pf7?^GN;Wd+&i+OG;lVafDd@M9GrqOU;KuKQ3 z4?{>&RB%|%K`RgY8!+EkhGKb!7AR&=K=Bn6l%8KWSvYu}lWTYpjiE}=L7fS8_`->a zQ}ZxBW_5viIEpI|vrK5eTntgH-0XauV71xG#aO{o2ho#mviPkAbEvPLw!<Nh&Nh1U zIF*6#*ch_~vpsL&hdSrvp{a518I>U?dnEBCyM!-|Y+fiEItF!m4Fo;<J#cW-hjC&K zN1_eehQMNUAYu<*6OYCjhN97;bQ*91H}o&7#Ii<!r+VxndZ~}@@VrtXvxeak+pH`V ztMmaM#_hM7j<AQ@fC*W?uZk4>foA}Ic$4k`1(#>xyd~T(viRlVH!O-PMN!dcb3u?F z$BH+n#HFzSVMRvrImIYMan#ia&ZGmy{3bux0~0MJ=-~vzofb~~0vCPFil}qQA+2Ke z!ogC76+u@8$5S*<)x|t)rD&?+8%VcsG8y`H04{D4{lr*wDK=vaQ-Eo-D2GKBmOJqL zHMK8h5c!P3!Iy~uL4|f$uP8!Y;o#f|bn>ulK_pfFn1dXsZ~g%cfbewhurRI4W2I1f z2uQ)j3M<43MW7;u4Ow^z19vcJqArBiS{U=_U}%zqR3pW9Sx|J>K}{WvNC&MS!r7UM z;(-CL(xPK*VQk=2)T^jRQKsSN;G|5+u>+|}j|D&SDm@nS$g^aAqz#IZ7pY2vVHbH- zCdOLiRT_LW4IbkyQk4>e2l6T<23_P;nJ_a!Ugg3V0z9@~lB!%7hLKmfu&t83N{=m) z;4zO*s?y_=WAZ8uJ{2af(%{oz@YvEvs?uQl9(k40F!2P!qpD&UF%R||GE6m*p~u3o z2ajQ@VAZr-JwOPS4@gyhtQe42m&ITMJVqL%Dka7k<drBGSCCh^FrpxjycP})B8}k) zJ8d{)$+DnQ)^PkVdXA}w#WSZYQ07r$T0C$HJjDdX^+0hwP+Sib*8|1%KviB!0v>g> zID{fqc_|fml^3fb<W*iu2wvr-oZwYn%4sP%L9x(G57w8Jqo^v0QX@i@M5)26k|?#G z&Ese5_?gVlRDLG%GmSr%1lRJJYb~GgjOEjx#qVkS*5UUQehAl}#BYt|(*mhT0g5<K z#DXGTdk(+#_#v;x6v(eJ4O1}wNz2P8%In32z1W})g1ULB&0Z?Am%8kwDtoEPUMjMe zdhDeddog(c!W`6Lo-_c$bW~k0HP;LKCLl~l<>dhYAS{nM>*f8UA$|~s@#cAX*Sx%G zUfwe=Z<&{O%*z`_OZgy7%)8~~&GPbId3me6yi;D@C@=4mm$!-b>_M2AZR}+md)dZb zwlS^GTQoBdf+QYn>HtAHnu!NN5)bAeK$wJx;=xP=2-D$<2N0C!!F&XWO3d<zDzwoK z!W@JY4?Y(FVGg2-2fG14n1k@*A-d3#ItUXJT0Fcn9^M%bZw0NHgD{qNfhNmAR4j|) zUGNZ3JiHY&J`TbhycHha01q*QR>Cb05rj6uL6`(Pn?ab4H^sxpjP|@in3(s7M!P|n znD>a5xj~qiH_F2sMXTE&%)uK))7l`+!5c;U*&xip8$~18Ak4uVMN8Nq%)!Tk=B`1Q zgSU(}twETBw~XefL6C&Tr$LZ}rlvuVgodR-P$<nvgP>3vjRs*3-Zxr?24N1~H=2J2 zVGiCm+IR+G4&FB!at2`z-Zxrn24N1~H=1MyVGh0-Xm=TeIe7DETp5Hp_*l_`vPHwm zAk5(*Vt|q`A8#uyB7-m=A1<0b2ElSHDF|;aEgXX|A0IZFF$Q5iK5VpA48nZ8*EC2B z!W_KUv^osJ9K6>wEeygOyy3JTY|(5m2y^g;(>5>&bMS`K05Ax1@P^aMuSMg&ApX>m z?1<C2FNiPhV;Q<P?qgxPC+=gZx;yS;@wyrJ@jAK@_wj<d9{2Iey0(cV9<;`SUEd}T z)d_Ze<383$i`Rz=2D`rTIMzpt*M}+xyT0)_)<=uihe`;$zVSHLM~l}-sihXL3L%Ad zeL-+#TJZ(Jb!f8}1f`mRr|?4&G{+0V4AfTI+y!9<KR(wXC1Ez|ER5-@KxC%k!hWvu zvIwd#ZRUco2&yj)<AN|V)tA<9L72~{@==Lt=+>frTM+CIBPC&OsxmFug1A)-%b-Hj zSS<*1Q=wszmeEvenxh3_ZYnfw&Vn!>6`F=+L70!KOzW{A%t2Mg8R;a<K~*-X$~6B9 z!W>j(+IR(F4yrN?xuRDNiq|hFD?#O^MOP4(LFI<oR+S376UeJnES2g`v#l1awK9-O zPgAWRESpMCd#oTViAqnSt02rrrKe?85auAt(R?Zha}ecVBbArc@ev9suRz?Ru~ZP2 zLEM8yRHo9fRgsjbsJb+b3c^x}gj_KIVX0I?8aV}F8PqgbGDSYxGX+6DS}z4bKH4e; z;oYO5QV`^(SyB+>rV&yLwnrIF<)h(I5ay=Z(Yh!I^ARd(LKKAgsB5$n3c?)JH5vm2 zVGimVEq;P92epi5JuO=E1Yr&yqDo4_eAF_U=>%au>KAQsf-oO7iv~AAn1h-{tC}Fp zLCvD+Oc3UvX3;(-2y;-g3~Cl_UxF|PHH!u=L70P@MJtvd%t6gEs7JI=3BnxIBbuQE zVGe2yZB2qO2ah@>C1E~l4UI^GFdwysmLfrzk6J@>kRZ&VQ*UVk5(Ja*q$JEueW8&@ z5ay=7z>*`=P)BIS5ky^^nnKf!Ak0lop?yXWYCWjR#FD5rG{|Ui_bUj>;67In<fe^9 z5agysMG)jr12LLSw76dsggK}qG>Hhp9MlooJp^G6>WCV%(WaqAQ-&bSK^>vJLJ;Pl zj?gF}2y;+JxV#0z9MldjZ-FoewSzVUL70Qu!38dh_5nedgW91}JGjIJ!W`5NE^&b{ z2epG%{6Lt4+QB6+5aytE&>kNMb5J{IbkCx#JrL%gcIea&*wI6y(wZI!^HE2*Kn8*j zkw{6Ho0>wScp%J89f9RL=BB3T)D$&@rI9;u%xB=+9a0eL3(eSpFgG;?w(6LhnnFW$ zAiOp;h1TdmRBrC!A`e1+q4_xwY?38q@k)0<$+A=pA54-m8}$f==Tu^RM@U`;^J>&A z7@kvpUQ^@Sgtq5E)HU%Uq+vRG8!Q^01L4bsR_8#dvNSmdg3Hpt90&@gIXMtyr13Zq z=BCooLL3NlQ0Zs}4um<VbX*GrVGaV58quo(J<Yel%N$fX+Gqn|4k{fDv4JoLm5$cd zK$yeJ*9s`a24!WbhHA9W)k1JAgKEf=o<Ud!)ld!m)wrK)hVb&LR6{l9r@b?9%t1Be z${`4^N;SmU%)B1YX(lD%jZkv{v|I*`FA<*E48q3e$;}{ad^J0O^P3gRvQ5H-nkP`x z1U$<bUY1IQRnrADItEUaWMHc}M#bvd+$PP@ucE3%P1Q_Ou}V8qaqKZx8Oj<`%XX#~ zWfz0V%^p+MNQyOq)W}%ySismrlGiX}nd|?BzgDg`xJrMQtDy_rp>R)zI~pz=+h2lf z2z=B3B0K@%*ZxI#BEpydMR>a;muo%Z<X?h|;ag=Oe6jHT;64j<aSgP^`@LOUYg)Ag z9M!tGqODu}aV}%X>}gYzXI9kKRn=4nQ}jVvN^(W@#F|M})surMWu;lE{*>gp`ts^Y z<x^{_D}pI=D(X^(WFFr>qr9%JV%mhMbCOX&bzLxJMs0Ok-NY#s)5_~or&Ud?t*NW2 ztWTX-GcB#WZrY%kdP?%N^6IL}in{ud_N$?&<m8O{+8K5AIn|Xl|7B@ripqzabrln5 z)K=BcY4Rhaw&LO$xJt#OqS~sNRZ}Y_SJX8}+M}bhk+mLT=T*$Cn3_D5G?-Fems35n z=Aw$)l;jyz*2IYwb&##Hd}>`q%HZZ=G6w(87s(hbs+2LfSvHkD11&PWyuNBe)l}5_ zKZ`4pvl*Kzkx@Q<`qZk4D5<8prCxP2rcbY_h3thT$vKmPDVJ2>?Ti<ZFBPvYZ>rmz z=t(X2R92*7nrTu+MTI%Ztkf>EOZG1%pmS~dCj`n<J(B_`p>o2cRDXprDYYCOA54IG zDg$Quzc0aEZd4ln3NzJXP6(u8P^qU*C=X0bo#YKna+kZyy%nba-<P0QdVSuBK5wdD ztI$(1S`4HHJQF6Q`prpNrFW7xsoeJ;O7K@`mA-O}{3cXRFd;>SKNT{0Qr-T_Ngl0S z_ml^0Qe+Hvwr<8?aU){4(w68y-$?ZowCL@us_IEKv+7DJ>g(~SwP<Jt9<#|s<@Hmn zS>?4A@nWac*H2FyJh<uk8r1xJ4MMF3W0&M$+-C3KQL@aGOsHN(#$ZumTzv-rRR#V+ z?nxEXE2<{}65>x-Mm(h6YC?b(^^0Rd4l>kJz3b;p2WH?>rje3dT|Nz-{5UoYYO3y_ zaLu%7HPxx%n(F%6nyGauM1;ToYsM+>AdUZ0lBd_!@DZ)4wQ46$sj9D-SU;l{7dZzp zGbZ5q$gP-Dil-UShN(x-1TQ8A+!H5O>XRx{lBbqePo7aeIhH*BaAyquYx!EjRZF0y zTBHY<u4&~49qB4@T>u(&6@$xh6}k%G&jHN>&%X^x-~K_|KF-z3^+T(r%`V>``~%Fp z_-?TObpehipuBolt*gpa?V60zs$5fD6)3sdRq3ih;;)b?!KF3-bGs&hXN`IxJd8Bc z@O~;s`Z=ggIeZoB5=HRWyQUz%+LerJ)S$e2*DR!{MT%rxsm3(}agz{IkE=2r|Ax9c zqTF~rB1l{3nyBhGU8IxcvmPwhg?CjOTmF#<t3?Sd<(sZSE+2lB!RzXPw3M}8rK?6= zrrM;C*NC|C@Q;65!UE*WL!QYh2d_RI^0E~tL*{y<`PZ;y*Taz8P%WvuQWdA84#_Tg zo&T<_1|i?SzlMesA=I%Db*q4kgV2t=TmLSn?h4?ar>S<DOIKGZfY#;w7x^evyae9! zeAI9d+9KQ41?^SX)IQWSwsZU*(-+ek>O+;P<s{TNrWxfZfo(ep<qU#WC!n=zA;%<W z&qTEJ|D<zBj+Uk_$n;K)u<Jtvc@m)6)X{kDTAl=#>kRc2l_Hk<UI!VZ?&4|XV<!IE zxMEjGg=>hI|Ks`pRSTe_KRyBag}2K%?N+T(drLd4eWn%Z<MnC!EPbhdzy7lRk^T?; zXWeD=HnNOjbZ%xEml#(XcN@EmgT_zB>E=Lls2Mf$&1!R@xyW2+zH06<51YT4iSDy8 z-(Bjibl18Y+z+}Rb#HU;aUXNH@pSbhdony@JQF<EdhYN%<XPw0<@wap&f67BUs>K_ z?|AP5?+xBZysvn-d5?I1^CtQR`U1X)Z=~;W-?P5Mz7+o;e~JGEf1kkYz=wfP1K$RE zriIh;(-x-Pl(sZ&M_T9flheKF>FMG0s`Q%lS?PDC-=F?y`t#{;roWwjB>n63W9i3d z=oyiWoQx3}RT(of=4Q;#cq-%ljL$Ou%t#7$44xev9lS6&BiInUD|ml!Yw%$3li<-{ z`^+wx{W1q;j?TO=b4F%E=GM%EnV)1H&GZi$KBR2O_#tzLGz__I$lXJpAF^}EM?*g6 zOD@^vS^}r5)>k`63!;VZL>vF2_0b1nj^{#sonCDWGp{w5njf33-6y$Eb?3M*b1!i3 zbRTqoj75;JC*O0v_ag5M@9*9VeXsi#2c8IQ3$#kRE$!j7XCdeNY5zzYkY1ENHvRJS z+aTeq>0hRwnK1}*Ey?H;JSXT2W(F4qKMF=O@5%gUrfW#sA>JW;$t=S?&(*%se$al` zTI<K_ef4a8w!T4sPybp^GP>bD=NWex9~$N6Rpu9Fd-sX%cifep+dapy&NbP4op-%= zgLjMf7w>7le!fAzBHWkreGR^Ae7E@S^F8T%(YML>ns2}FUEjyPFMLORKlpz2CHmX? zPxSZkpWz?i_xUsYA%CHNyuZ>v)nDtM?Z4cAmH#^bE&iqcyZrb2SNT`_*ZH6KZ}h+F z-{Ifm-|v6V|FQoI|55*s{@?uNfg1yN1YQVi3>*l&7x*%en&wG6KW$1{ZQ507ccp!t z_G4PlbTj?B^n21b<8FVE-Y3I{JA8S@!i-xo)?_@B@nXg+8Cx@UWxSPfDC47yFEYN% z_!)QoxM1htNx{>D1A{tR%?joQ&kbG_yd-#4@Y&#o;O5}A;2XiWf``zSUj)Ak{v7-> z*e0`6W{=EMGtbT(l<CgQ%*@U_H*<XEHJLYNF3!9?^WMw{Gat)*D)afwP0*7!GXI|W zUgnX^Z!&+${3A1INT(tGA;X5$44Daid1%NJLtY%RZwNXWu0zn3PTEOYf6PP-)v~la zZM1f|wn%$W8>|1JpK25uR~xI14aRQcknxrAyV1=&#~fm2nR({<<`g`4d(B_*)b+v& zSkPVOp6wp#ndxcpJnh-*>E=DfTkgHkTjQPYUFyBlyV|?S`<{1zPxF=e&huU9o9$cd zyT@nv)BR!p75>HkJN&Qv_xcZ^)&Jpd6X+7?5$GLA3G@#P3b+GlfuVt{Kwh9YFgkF4 zU{c`1!1Tb(z@>rtfolUd1(x9MEDt;scr36sus-lopfPYLfY%+~w)nwfN45^;aH8t# z49$$7-SRSvGE4DPjYIoQ%AArpHFJ7qedg@UOYw}|ka<fc)3?I=8sq-7uhNdD9ZUN; z?YA^ndQy7Z^p5FW(!1kn@135Uenxu#^nvMGx;x#Uo{>H@J(8ZCo`<KSG<|gXxb*Sq zC;;zDzE7tFrv|47>w~j{m*N?}DtK-1hTtv1CBbEQ-j@eg1Xl$g3$6*S3$72o7~B|a z4DJZ-4(<!?$NfJXbnWiwx&>uS*Xp&|+ND~9c9nLmc7t|{wnST|-K8zpR%olV$Fw!t zI&Ho7qP7uF{8nv;wp-h$?bi+gUq1%Iex)7Nj%hz@zo9#mq_@>O>Rt5i`pJ54Jy}0P z?+<*y1QIYJLm#TzEKe`eN9*JCN%|DMUT@HE(3j~e^fmg6x@%}B)wWAAmt`(zTNQP3 zb%(P?->rY8AJsb=T@2UwPOfnb!wPPOH{#9q=6OrKqrKz2le|;BQ@!=x+1^XNS9z}m z>Mrpv^WNoM;a%l@%)1Ux`itI1?^f>)?>_H-?;-EU-p{;Wd5?L=rB6v;mfo1YHQhBm zcKwd-F7A^#Ecicv|DS1rWj#^VL_CZ0d*0Bd-8l=g7yNX5!f}bq=l8q}L30ul67<g6 z@on0TUyz+p(JCo1p|wjJ*QWh|HVH`y^L>d4Ny`g>Q773#I&1A(CAgL+-JjUt!bTsN zH!1m8_fCCh%xt`%q<!();WwT2>%+gF^wZLxUDI~mwW;+BDF=HlpWl7CHow(3_>EfL zDls83vCHL)zx?N=uNI8?BKMA2``Y}L&N7>7n$Q~cnRmV3L2K8hRasJ-Zi!<p{Y0%B zJ#D*n9L0ID+Un$R`Sc3CyVjM#$93xvnNd5Tyc%<5Q!A8o2yNf3P3e^KS@jiqAFUUY zb?DYT7LXjSsI9N6Y?^w~`)Yj{-KtxUrs&eDX}C)HwCR}ENDf=tsV5ze^#?3gY3gt6 zNylTZ0?S=k3JZ7wW3}^bl`SiYU#@+(?j>_DVTciZa=4}zlUiz~3xy1dUGA*rXkIY6 zB!0z`irSe~m=eIHlT(w28QT1W6ng{VhP9fX&>1&4p?%`~gap@<k3E%BntNOCuI=}q zIp@}tQRmbgTHmiRTzAncFApjj`_JyL%)BX_aAtVjeIG`TefI1no9lO^yuEITEAglN zuU}sGY~+lKc3u!oe>1Wx+_mnc`PWyi8?gQMQy;7C)i3|zzEA4!{&PfmV#z~~{E#!S z_3Y?_gBR}l^!88xxZ%T5LxQg^IyC&}OU#ewwEySP8P{5O{kf&ph}$1|d+NQ5tFEay z`^u|d8Q;Be>$ddn2RF_;+V}YS_ZFo*`ub1*tiSZEBR>uAb;Zif_oS}A?u&<xJaSf# z%gTRRcJT=>epqy0?kDH{`bnpi1MhvLB6;urrJrrR^udDc$e*Wt7&&fHhqtF()o|X0 zvnNG&j?cQhbW^uWx6Ju&+op>Xp`8g2%==ZF_mjGneL5xeNa}vU9Y0i$+p(kmj(zW5 z_U({&zRGJD^sZ*KX$wVf-TJtMgrt7j8Cpu*kCAqdrYWkLiFMNl)hpHE<do8}KHU-$ z{!D7CwSkj}S&AXJg?;)aVWXPnUT!Sc77S|2Jh67FE$`r%M%fiAYz;yhrO$oNOzNn$ zkJq48TdfmI?aV7B;W=re^{4-Yq|>y%E1<*rDR?TCqIO|{N?%g3s_DnFl6-zz&70?H z)$Y!l=X`s`810d7r#$`ZNA3E&P&mKMdA<uCD!#YJjbHR$)Gku}!?Z6)U#flfOVy31 z*LCPxGwk8jffIf{=gB+Q^xS;Ymt&T?9^ch5f9-Dlp|<1Bnfu#^bNh_STUBxL=W~Wm zICE+BYp?k(yz;cRH(6i2dtlU%KC^PJIj2XP^B?kGn9}uu5vN>v`7_%5qzCZCU*Gh^ zcY5QPf9oGFd#aQ6U%0GS&mu>S|Cc{Qv1b_D8pSh=RsW`Ec*6g!XBgAQu{$x~KRv@G zRg<eLYWW<y|KoFf|HKY~$odyfUm3}Hq0^uD9W8HPvUtt1cOD<udH9y<KNn<_lyyFF zSJIFHzdyWm>4BHZ=X5xCTi$}1pBxV7ru^-jR|bSP-MfFvx|@a;esi_|xf8aW{{5uU zM^7|r3P#<x`q~wVZ=ZAO&fE{)o%q&C3ypKvoPYb+Rd@F<>U7dKOW!F^kB;c`M%R%Y z77hFD(bYdz28TU1z4p^ZpI)%D%X5uaPFixxhBF&J_-s$ggS($koO|D_#phOR{^q3m z7p(>79BP|)!=f8*O}%GUr0<l!ud1K*PN#E?>qlO1Za6S;YtG$iTef^*cG&aX1HF!2 z|I&e{MqQu&Uee0BDQnMIJ?ORRTV5)-vR~VOcG&Q6;q7fd=+eLTk)5&Ucz(htv{Z@K zk;<<gyF^S1_Mq=fJ{te#kvXnGtBXHQc)%xX71}v*KOXQ?o1W47x>WUy&#D_#*M!jO zLH9MMO<XXbC2e_C`5;Hq!S!`@sT0dnCmVw%R@7=4tX$tDY{=8}<%5@}+H(^S{!MN` z!GHUd8#ZvudbR3-PQ$yO`c~e-;)y2>Ip6!@@kg}2tj6g{Cu=<#{u=!pD8YBf?DTcF zp5w|pdh-O$H~WFB&N{B<<hAded1(2*C9NJ=P;lnGcMNUS``uk1&Dnn1lr{&SG1g6c z`PjgI6U~ovCQUp3$mYqNermnKGxgGiJzo8M?fYv#e>eHni#zZ9Tm7MD#=W<}*Ec-- z$n2+g_D@QF;F0fg8?Qb4)=mv?p77hd<7QSDp5G~&WmO-)<_rHFPo^DgcX5~Bde2$c zaLHp;$9})-nT|aMe0RmU?Sgln`(cmQyUoK)qW}0+XWu;VgSE%TKAiBxiFXYgoYU)_ zlovMtF?-2~%?qBKf9-ikgX>1zH^&?>=#u9SCAaH#@s}5#a_$?SJ*bTuxG-nPb8lR+ z?d8mrDHBWX*icpf*p@ySS1dZb`NiJ*lV)i1TYn6g+R+44vs1$NmAv1-ecxX{7`MBB z-U2&JbwJ1DG8;_f<mo-M?r3v#HI4@w*VbbhAUUso(ja|+b~eL1bW17W;$B5^q-t_i zefd;d&jT-fKm&Rh`q|o9Ox&s)y8y95L<c3=no&QchAV`sCxShq*y6#yhzC6pXk3d| zoAKXOujz^%{__>})3wuLmFwA3xv5w<NH&uTCtQfd3U-kGQwL@L)HA)^Cykr4vwT_N zy{-Q?;>E2)D_<Wq%2-^nyzGTn=Dz>LAD@)<HzpsMIQW%sD>iOAGVAO76%THBFR$%~ zBY&vMOFm=LnsqN9{54Q>bZVM0@Z-)CkCs0E=8unlcv0ld1Jy?+`Tn`;+<Pw?e`C!< zpFccsRmMYW5?u*3JG(D`?DaLDtlE3W^PZ0{pIkNV>oexuaowfb(XY~uo7}(i58qrj zC2;J)?f1>?cl<>k|55w!MWY&zzV~Y7j^Cbq`RB*8``>z~X6*xeUO)b>6Hh!g@sEQ; z`<*cKzBd~;?^|>C<5x!)R<$ZUaOJzZvxmO-!hIj*_Z@o1cN-7i)HSPD+rf*zIi;ff zh3-FGec8i<CM+6Ub+hZtS##fx16w6pYQn#~<<(<*CLh~4{<Lb<-1`nDB>ZIugzq0f z4irs0Yx$YWPhW7Ftpid=J*umls@B%(D(fbet3F3%ynJBeSj<A45%&WdPj1StfYF{` z)0$HyE;yqp6(P}{XfRN)zHYF(PQ4ALD(Bv_^RBuD7gjA_{p$@coP2ZJuii=$Fjdgu z+ny_ip8McQRo7^*yQhSATdTj1b*_?QovSuUWqp!e+Q1edPfX|$2l837X31(yufc-Z z9LGc3YCd{w9s15Xy5gB5i(3CM?7RB92gmn(_P%ASpKrMRyY)-={d)T6uTN|}zpd+u zB|A<Fl)N=!*_4Ehhkq=2Y4i!pHXK-e!l(CsyZ7|`9g_#lKL6am-8uY$7xLW0J~(?$ z*060`_V!;rqt`1FH~jMZ3nNypO<X**<ovmJSN-ybd(g3-*H7&baxMJetih|UZvW}m zSNA)%e(T=V^KN^<H_-pdJGYgbx%!qK_w|~*`@}8JZ@cq}8!rCfo0S`{AOHQ!<I+z2 z@ciC;|6KR;=oyL6PwRT6`DbItakowU^T`t`=S7BYK7Helz5iBo*6a1I1w|L`-Pz`} zOA_|qobxwpV%t$|UY`8bp-zvDIVYjlYqx(oV8-#~rzhP|yl2phmy9S{bpO5g&#wR5 zmG}JP*`;G%Uwy*<d+uC6yyGjM1-$($KYwWE!Nx!J57(Y|W7Qegojdxn>z~+j!;8gw z=RUU#Ub-slj#=JEZy#K?^Z2J{xBB?nhr8{loi=ytkF(~iAO6PGr=B|e=Rv~;jrD#x z=%hd2nX&P*B~$Xu88gEvZ#K9_U2}Q2O-IXyfB)sZNgu3AO?!6r%7vFcxvKN;-}k%w z=uboY99yxiOP+RU((b2=Pw;K~?cB0{FD=|K@%>QJ#d8a<|9;nFn}2-g@EyMnnm#|| zoxh-A%j(M#=N=p1>GeL^(s#Na`z-JFjJ2(98c_7p?GqcWTKhw<m!9i5#QplAw|{@& zrg5F7U%sSUq0#Hl6*rHY@xxs!MsL&Rx9J6}Z`FkJRV&+D*LJ?><tdrI%D=BXa?GJJ z|GR*cy;OXJfl&pFkhzKP*kjn@)h@N+J4Tuu$K%b>wqu*Z+KS0F)p}R03j>bp*e+C2 zj-}>$gf$^}`;I+}=HNY2om_%lEox;xt7Zl^#c=yYJW;EEmq?qR_^;#8M2<rfF%HEu zw&JN}TOVz+Br>{NkB0Ex2d~`G;f4#pxnlqOr@WN)jB(<r3yxfHYqVY9*|$elu77Rz zgv9mZ@~?iSXX57tbMC6j98te%?Bq5d-*cJwx<2Q=zi7?!z^IkGzP~zk;`hE$pIlb` zK*8^AM^0P!)T499Z2xHJ+Ec!r|3TU}zbx$a<%=65Q~M0x`@*uhk6bhUk*#A_T{>X@ zfImhSAGVeUO1}K^nrH8QH=%Y@>#gan=k^-$b>zGrttM*c+;s9g56rx~=S^Q7tllvE z_bbhVr@y&z_Sxfh{1Ki1)BR(w89%E2oy(8AciGkN_Po05z#IB+^k2GS(%&yQ?fA2X zmQ6e5>AuBZfAa8eS-I}CgG2uuH}$uTmn<o`ar%<XB6I(?8U6PL4j*ujzvRh3?mh8` z{GMkYEA6o9zQZfFlwV<;@Sy+xuGhb%mFk_--(PumYfu0Cs!qH4seaqXO)Jxm=5?*y z@^NWtZNEk1`t7)FS<25ZKl%LM-=1H2-1zOk>{@a`uT5uN-0!o?5<e|m*Z-lmgMS_{ z;>NvuT21+T_jVg*-4=QFasBE$*KfWnH~7hv)AoPrd+W8g%WiC#`qAXxFMX3W+}~^V z!3Q5nI&;~q6X&=3M}s-;z%3`A_eEe+hvTYObZfl!;~|GDvuhGIB~~3<_`(x)8OIi% zz9;3>GfsP?bw_=1`o?<>_bu6%v!!p>Bkz1VZr^qzC8zP$n;$y1e)o^39-4IP(+_O> z;__+7_0HE`N{GMa?!jyB4*8lx&-_2W<~ZNer&|(x`<#%8jpE<AVfgfoD+{q;bn(@X zMX$K7eC_TL;tlebub64^cNX4s<=O@R<(uxW`v3pKn@+t_YbI5gc(K-NURJkn(qJuB z8?gNB<!3E8^M8C9W6*%DX)51T?R4hrn$%nC+5G<fmsgrr#6-zSIodF-ZJRce=XJz9 zotECFgPO3L_p~n|G3o!|>k-3%Z4I557Cln)#ajRV-iQ4^9?h@0WcHcYq_x_&y5xje z-EZwU_K&V-?>^i(uBxGv{&-qrn~b~l2aCQx{hg<0X}wEN$Y~sX{(;*fLw7xX&+WT9 zE=@hqZSn+v@%nya-gx$r=PrNbf_{H2TAVX|{KCxRdT7&LdHCJ3;g1}yJbm$^;Tbd6 zWn^FY`FSVLd)>3F-=Z@XjyN`}+*)_IcTIF#ug=x2-WiuL-CUY~=e%VHHzvE*d~@&L z)<uup7|s}#dGhQ~!?YQzZp<~VpHX^jO2KjG-?ZesFW(*b-TU2cublbY105du*p+j0 zaCy1ss<ND<dCvtGP47PU!X7=JIkYd~o>}+IxbDgy@^-vEzRN#D|LC>!a!a4z`U1Qj z&P_yjYu>{DP4J)C<*!~#wt3p+^Ok9+G|!Z_Yo&K=?k8g2R_kr^b<jIu1l=;Ld!jbb z=If}Rs`Xyp6MI4Bj*#X(3fkb7%OvS3Ny)>m`snAJg0I)zv~0y(E91kS{g-VzxTJNz zF?WpI`0$gZ-%YW<Krum?G(XWb@P(2oIRiUi{qiu^+Xp8s{%qCkwL8vyuQBlUi`{xm zK6J(QBNIMtJf-00UpDyeelIj=!2L77xMI)rSGwF%)bFx}JqN$O_5F&QyZ!O`wSS*F z^@`sDY5LCM18?tGQS$joD=%2^{_r>Zz1DF0gw<1Syna;gUgNqfd+g`N86zj;zPxjf zHn0D8{Z8AcZ~Ek%xsMH;yfN?FDKC3AE$#he+s$LT_Bi|fPj21yRhR2}boy<+>yOc| z72U9S;a9KTpS#07Y}U8=Gq>+*IPrx`H=TIwNX7fT@7{gNpwTBZp1d|Q=ZU>-7O$*) zaqP09cTf8KZ(rW^>)TU$Jk^-i_VIxaeiXU%>y)?q&o6%YjMk@)ye$0G>WxQ#|LoeA zXYKg>>y_g|FYYhe(c$-7R}Kw^PMpzu@lR*1e0ab`51o6>Q>%Y_ZpX|U`(9PEb6(?9 zd%r(+a;rDbI6d;~o~tfRI_W^=n>SaMHw<`d;odtx`R$tJ8Cwspyx({6`_HT&_UQ6A z-<`M6)8?MF?}V;=Yr}%&Z$!J)?R}v4V;`0GI<eQtZY$gW{&fG!Sp_%Txc~0lgAY%+ zY5cH}`&-SqVe^e=hF*VsPp8YS{#bkSkFPx!f0S8$LQ*%~+-qEQ^8BAZxqr#j`zoFv z`mHwYKz-M5ioW}7>%mKVJhgbvz*~R#{HtKe_@M>2ezGv}{kv}dsr~SpFE9Ik;N<q_ zA2+AZ&Bwg`OKZRQY4+U6#lJUr{^9%e;S(O8@_FK;k@@${Pwarc!Er5`)JC75@H1Wx z$M~4l{;!_%OYHJ5laB4$v>wo@RbtQ9uI1-xC%06rmENJ*b6f%*r1)w?yViPVbiy#t zi;s2i>71dB1!_0PCh3@H{-ENxjYsZSa^s@B?YYIh)?9Jx+#~P&%j1yXx^Bsw!XdwJ zJ@Lc&-+Di5pPqZep7Vzu`=zsY=)+%k`}(?fy|+EFL2Eta>e>5x{4+0nQ_u7q_m8*V z_4s)^`j38lbGH{uj^CNE>6TGrKd#v~^QE6>{;+EHg}Yz6|Hchp9e;(9-7e{?%_}#o z>y|$6(5M;hm)-n+yX0>#@^?JCFwr{ylWTswV%_58f2>V-WO}cA65ksC_knX?*?#lZ z!|z<zc$(4c(3@whtowA{6wf^=Pi<ZE?$IZHz3SW(F1&tP<)(Ws_+fHY=fp?X|8o6V zH!WE8*iRdtf35GplTS`s`O%7Rzlq#``H{5Hv-4_JEqeN@`IFw;_V?5aMkGFb`Qdxc gb6wT-gzsz0vcImImH27i)sMg4vFyojH!S_X0P8ues{jB1 literal 0 HcmV?d00001 diff --git a/venv/Scripts/winsound.pyd b/venv/Scripts/winsound.pyd new file mode 100644 index 0000000000000000000000000000000000000000..5c79bc0a02cbde0bb76b04ace5472b40e37ea4ea GIT binary patch literal 24216 zcmeHv30zZ0xA;v6i|i^`RM3c^SOso22nnkY6a_@tTtE!Tg#-h^ECQ}9VvP}P)mpVK z;I37R*19h!sHkXdwG|aBwpOFimReNWQuEH-BoM6q+V8!-|NH-b?_E1Hch1b5IdkTm zGv`b$jhp%|W`SWC4U%4uVMn1vPdJ(X>&%9NVUB~3J7R}=T^(|i5_@$>l0>Sc=PTsd z3Sll?B+Sc`tLT{oU7^mSOY`Va6B6mUaxvlO;9%=zM7=P){w@BH9Z{yloWh9;g1XO` zodQF-UBDyjTLlcV+(MSLXhZwh$en^<a{SIH8z^bf`^o;a=pDv#N)#GTi{3`oCrL#T zG}r4ZOAugKEX5N0#DO)<)YgnqhuBdZ9Wi%+_!yu;gP?SVgp+k=@|}udR)*%T63Yhw zFg0X61*2l&z$qAn#&wm3YIq=qB>?nYD3_sTsJPjp7vlqzt{njHGcas2Y!uGIuq0F4 z8_Ffn9&QfDG3=pv{k3;L6;Y@H*tLO>A^Ol-fo}7M4zv3y#6p!2!!|iU3*f{YAwh%r z6An}R8M<LUy`TjEBt!h5G<(7^tj15FREPjZt`*jd*+XJOGJC=iJ_R9@Lr1iBYz8Dm zTR0@MCmh2@n^phs_21w?vbMFXm0Ka`OsEiaBuMN9n6qB(qE|z1uXnA-G3T;6xAGdN zMLr<HT0tl4Qld7!BUK}4zbL3j^IQ}(ph6ROT@!ax6W6GTYtqCuYvLYi;&ht0R!v+R z-=hK0sA(*Hi*y%FHGCIEWh+rJFy|*9!@wM@LQtQOsCTU<=dv%aDIB4lU*8g{jikK{ zN22bmrt9<Vt5!q1WCIM-<9gSVhRzwRnrYha(ra@tKyV0P+K#e1n{vJCQHtKR5$bw% zyS6O{OVzthhFS`ct#{o(j-{2&Z@{Lj?9uFc*Gho3I9DM;`Hd<k=)VnK$$D8GbZy7f z9+Enkyy_;v5e0Qn!d$GH43YvpMs_w-ST%^K2K12pwdvw7{-^vchLr+qJ5#jkj*95J zA$JyHSiwXf1T7;mMcbiwwSl)(ZClq0GRj}5JxGEi81pr%rjt~WG)<poBn}Z(RRc&Q zO-43$EyB><jBb*61N{?$`ip{2pbtxsEP2xcT*_-yTp+yDNG?fj_-oXbzsQ)bb|cBn z!4L=6LI;wABwdL0W^|g(U)GAVYAy<{BLWh&cQk@Vji5;*Xx0cGY6Lospj9JigN@Y) zI<x|t)Qf_fsH2(C%>$w1fzWx7LihRxc8gGj;CfFve5jp&{qM=4NeccThgDs2Xwy>; zJG*wVZ2nDy9A5t$a@dKfZAm$N!q&rME_4Qtfu#JTy;Jf^58|_6z@P4R?OzJkfIk(i z+MZHnkaN?1rKD<~8D#d)g~0VqLSVpZTv0bp(4WMV)JfXgde<f-A!^{G-t{`XnpEAn z{Do>rY6=*DU8F$SL%nyI71%FrG%ZCN?xw#EDhxKEcbPQ;j-jQRfEm-L8P(K8KGN5T zlIL*PNRp7GyY3}%+Gqrw<uz&=l2jlEHtHzACBdL|+C~FqITUlk>|wtD0%4M|NT10S z=TOb@BHQ*~!8^Gduk$~NSKNhHg1mx%5_P^AYK-!aqMm1tn);8TUe<*=hxSi$V{JFy z@P88Twr;%tq=reVyYNbi!7TriB-eDI&iP02)_3FmM_Jt1jTiqX`Ow;p_aD{ij&8j4 ze~?~qBEjw=ORD!qPMO{t`89fP<S*#Gk+-AwM)qCrjl562H}X;R-pJw8dn2o>_ePGM z-W&OgdT(T(_1?(x>%Ec7ruQa~3GcP!J96vv-pJwOJ3!Rn{7g-KR{QLU7VJA1dab~| zOoyphWjczAj<Vh;vt-qTx8S-xHW=1osaphv)8U$y!K6!UqjLixp3>r6Hs2X@dcOu* z5_DAXjHjfZv&V9rB{cz<vrYmrQVyoO4MV3a0@wL-7^AyxjbTd!-+n?_lK!}i=)}rG z>|-F{aw<Ootrsm(1@K@xOBl7NMir+!1rd>MDa4h!-H=JzVG)ux$aHciz&izwqY=7& zfD}5@C9SAchg!#ztp<ctK*+oc6N3Bp3fu)<2mlt{RY&UbA;i?Sm4#xe!6~}F5UT;9 zDscPlbExQu4bWcGyFLVT`mgks)o>6Zo;WQ{f2>!3tII>(YgskA3qWCQj<s$CAZy66 zmo%fr&jer<8d6@fKsa_Qdehy61uPLf>|Qoi9j{vowCfIALZ-LFurhCw9VS9ufl%-g z)iyd0G#g1BqM^5LHVo6NAL?|7yNHT#BNbbrV*_jf76>zb2Pn1k;S^Ro1%)6Q7Fx4v zo;U)B5fOli-=VTC(^FNJ+H~g@ftKS89x=RvM{NmyWs7@aD&j*I7qo2}^~3TPPK(X~ zVPu=`#P5227x<$t@L>p0NpP8-qGkg=JTU>SV-vs=Q_x!}46H))fe#CgGdTBXs(K^C zlbhj)w=C0JsHYm{N$j3SHO4?FV6}*D3H$?%EneEVRxM?s9+&(w05;DM#le(Mfz1%d z)oKYH>jkXD$Y$*Y9TgZ=3%Zcfg_)H9zAzS64>6$H#v}>Tk&Hvv^d~i)dOf_9&9|qh zEp<hpP2E$?0YNLPvp4pIJ#@84a)i)uk&yPHVKsVJXLtoK$_0vaG<`{{7huVGOV<j! z2~4rfp-#CvV(Zap;F7~3l)F}=++#1wIlE9EvJLXAWv<uB!l8~VJSxe;asyd-uO$oL z)lh6$VObA_R)B3iNtU#&HBeRvY_>L_dU+G9>Y}9$yi>r>s6vff>p*laS{{WQ(S6bK zB)lOty=Yl)e9NIto>_xkEN*~0(l<k0OPU)^tYrt(&o*OP2O5|kRF}BG&g&ikmyijB zrRUh_&^RL-+zo6%@{8D@jkEcG&4!1-hJSDIK%`~~TEAg!mfdSBX{8(1<N80hp60(? z56Ce#+ZLI0HLZ-W$Dr;w+Zs-Xu^NFr6yaOZW*axwv{qzCTA)*BIK&1}@CEitS17e{ zo!Vq)t^HDseff15*3x9)%8x*XamUMAUCM}dxc6u;BRVip120emt)PR2f>;O)eW1!f zFQW`E6@pgigp-}xD&jg>f>svX#GFOw41$)DdM5r+_=(f#4wwI#idKG2JxsR}EWWm$ z|C!qQ*aT>7aRjKXL+>#dcDC8su3kfm=*!PDG^A`!N3uw2bf2;iWSuZ|FH&piFfSNP zq|lPav7pMX?f|JJ-*s0=D}1yW;I&6}DA)anrX5Qwv!Q9m(sYkaH7eB56jc}~g0`L| zuqk^m_(nY`_9U#Vd2kMW%E)>M;&0TmEKxVI5$f7Fd(=}G2eT#U=8|&)Dria3jt#b` zcRCW`QZdoZ;yS!o&200rc*g%q)gMOj$Jr}vwWDn;M%(l274~K4eE46fpR#JE1LMxM z{PH9KP#F+`vJE>HHx<LOf^5|8B-WCk1h^DdI~}zHjn4{-a8uK&De1M$n)F(674idW zQ*>wGG=iaY1K_kXoZ{L9S__STT?I_jUT$+b;0Pym8?$D5Z8c?jt!}wtfVEBsCb`8; zHwWqox?PaNiLSC>*3{~%pi)hNJ1rf$@>o<e1ssi9T^}HIQH`4HVP$x?)?x6{@;!9c zy?{Zwp9~{mMY>_|3KRDyca*f|aW3c_GMzGT*1PM~ZaN?6H)RU&_Bou<K!Lra4R%rI zkHEFM-6R&LMNB9WL2D5B$-9ul9A)!uFtzmsOBdw2=-kjro&zmFBn|OMmu{%o!nkQ@ zT+0*0J~Xh^zBt4Nc|R)aYRZ!(uu8Z*vVpkWvg{Q_y-+7L&@v3pIZp#Us{n#r9w$jB zB5#qQs)}aTw2UXEr$XJH3KDb%QBR6dS-svQMuy8FP_6CTx1T}d4FDKofMr~;MAT4V zgOEz)Sn5(?#~X5NBy{9UtOFB<wEd_-JYb!0C7E6o3`Gh0xx|?ilh|VhF<AnV;j9h? z**u2YMxITWs7rt&9C>W2;bnzh*t{Xe<F}g9GFU5U)ncqmC0syT<Fxv$_AEN2jUAXZ zx=ffH@l2Nt9RPz<G2(hJR?RUaYws8sS{#D*08?2NgC$e<fo;}3f$pe$0Ogb^M#h_T z&k}J7)DJq`s4wf#tF3iW(67bL!0b_I%*)0p18ZJhA1bivR#8w}OT<4?bI~}f^e4Ry z6B+j988|sent)(5xdxQqfTwY6dhJm!AQCkh4*Ntn?O#EESd`(I%dya%1-@UTc{RX+ zSV5l0IiMW5&<Q*WP5Cllqo!gB%HLmv@{PqP|8yS8PZdI*we0<EWKpq}EH<jhqCB50 zw#&$3p9G2xE6O)Op%u_H<*VVP0=-ni%SCct<N;{IJ982=<?oWMyAUPc!e+n-Am*ZA z7r3b57X^EfH=q$5(!08WRfNmz$@-UfD+IgXHqx+y0e3;jUey}hAauuW@Pj~>?ZFeb zfkig}hACt~MCwLVPE>{9B$`fz1g{Qms87Nm8lZn6fcV79>4>1U#UjUcG7?r+4d|ub z6@yk_B)iLmy=`v7Ji1L-pRyvA<81q~V>*}>Q(1uR0GlJ}<AV%4^3>1<A(M-ha7D`8 zX0>-&p|gd0ur}N!gl@U2ziME}5LCE?c%s4~1PfmWG_h*Z&(ScQGf>=6=Iw^05iZJ3 zAA*SB1j_h7EBmKvL&3GR)qZBQLAS~-(D*+qo<KB+`kq96QTA7TyYA}Hi)7#k%vr4G zpw(!jyqq;MFXswKBb(u#j+A#eNm=I;G=xsCh6`eJlZ`?lv_FD2@m4hMS*<p%O$_HD zJX10Z!Rf?j1|c^66r#3~=)k3xpkqn*05%=m>GawzW_6uZ;KyklP~^m_DfuN7XhX&u z?W?ytVoF)7S0d|fWG@eAz>{OE`yDW$Usq%ZBhdztNtpv`qOvZfq-s3Sn2PyLiB4Oz zKTp$GYYJ$Z2{x=tnpAL0nzZxb{=2>8WuA(VX$3ltG>?cOFTtBRV~9L8h#ef;hM^Vd zO&SYWyhcg0yJ#oq(2TdyB-*PZ0gHEAnBFO*#)^WehK9_rqGBrdkbG3Qh9p>7U@Aud zLSYR+3ryWx8$t(~%08oL$d?u?BVc|z_(DKW=R9VP^<?;!h$Pu;Uc;2y^yZhf7^t_( zvFtOd5r>5~y)9$<Zm^b^D$B5b+C@vWcIb!!9J5iyqrzD=hIPq_avk0IC$}Nf8P`_U zY*p4_rS_{rY%8m`F$@Gb#I_>Hi(0y>Pgy<P00vuS02_Zd0tSHw1zEa4Pqa~b?*!O7 zy>~2`k0tX$GM`80#bmyS%$Jb)GBTHuxrEHcWS&pvGss*;<|z8ndm|Ood!z72?~S4# zy*Hc8k$0!}9!2KJ|I>SWkva0d^xnwh(t9HdqxYtfIZ}AgUGx9I6u|QS&1WfG2^2zd z3&OB`IMS9w+5$-ouy{yJ)CP$PsTJT~KspR52@-nzU>tf}_!wpj=_$`p$Bb}y=+^=8 zW=M6Ate`#&QaHTFLYfLm25B**U69Zt0URqK)j_I;G!@cVNNh-hAYqVN0e=&udPs*M zt%0-%k^)j1q_L3ZpuX@RH8i~ay&Q#mC=67})p=qVk|h&nE1{eq<t503MTtf*mZczO zsfj#M5wwZb3ZY6W&qFgvrM%Guk&mg0@(EO*C*{QvN~JKHAi-Fq;lqf0z(p4-i}FMg zg*;ELR?3R#SqgbBJ(tLpD*)+ml7Qj#T(y$?j6$hW(B%qxygZK>MMs}j4EI(J2mH}O zsf-ZQRdPCs(nNMQeO(yfBMep`T_sVd=`3bo0DN=MJvI}OjF~UcKrM!u6JH?B>%yNH zAC(c2I3+$3Xh84r6QTss5y`RWM_WTZF=;}A={+?f1{%mQu`v;e#y-(8v4Z%BI0012 zwm3oDgh^8j?+MA1#-Ii?CUyeCWE`K65E~O2krXo_9*Y~DF=0Hwp^S-~5Fe44B$yPF zINnqjOpc6=h%<CG!Nx|!N15IyCJPctJnj(jc%i5Vo?s})8sF25C4!qC(>Ef>I)y`G zvmtpIT1{<mje)s9QbC*QwKjCn_`u*L(6+?bRtd2G^aIulXB#di9)exyfd}~~|KJ11 zEjB4JD)Ht}y?62Gf#IimRSJu~cSuIlMDo%y3gn8JY3wv*T0&%|S}GH#fxxhsC@00n zFJGKVQiCq|P(lyl)0oJlSVTGc4u$+C#VeQ8C9rek_bYx<^kIn?dCtQc$<ILia9os? z4Pl3=9yuw=YjR`+!r9srHWk6zdcb1He(gPBWWSCcumrMSXHOW}4`UeVAm>dY`_TY~ z_TJ9`Bl|%#jiGxG(>FA*R|fjYZ)&`hg~o4YkQ~hexiIwenlopPI1`qKRR@^*t3+Ng z5#&7JR2gv~*i>?!qvo(ALqBk+y89&=`oSeNR*YyQC-y3YSIqPsk{@9p27Ql&8jO5r zqCPfU!(JI-@TC!aE(EZLP#R&d0(ijoqU%m03}%BT9M%EHuj%_BxRb>S5l=Fe$h3mt zf&GDk{4U4~2aZ7<VCXv{BaEa0!Ob7!%c1&pV`-|7ayRIKsebdd_UhN#&BuS{fjR#G z3E?%3Z!{ZU?2S3Ef`r=915G3i3g8(9>ZT-tx(rf2Bxexzg;2sr9bKwWB*qeoV)CS_ z3=<4&1@P1KI07Fh;|3m^V03^Xok%n57Ywj)fK{8pns^wt8en2Gm>-<4V*xhL490}B zcm}}U^!#t|4SIE-c&Qkc8WSHE=O>oQFak52e&Yp`;svoRCJDsmQ_au9<V3+FQ_C~h zO2KTQEF)1kn@Ex<2%#7oN*C}Wa3PbJMI1PX;*fni4g8Y|Ds&WMJy9=%`}EHe^{ zGSIP}s8Xm!DhwM!14x7-J0n4;Py$pani-KN9#0g3c@=}ce1T?DC^8ZW6%3IA4vulI z6roIQnyK2@D_X9|6#~{@p--G#td<cOV+d806wM^JNGM9qlZxQ8%!~+Ss#HuwN`wj{ zQY?p>P&6SkhY+dIh|%h-ECN>Wq8m>nEL25+W>&#m2qPjXMn&Xe*e%qH$c1GR1cvz< z=}Q8i$iRqQW-}vJnC3jwy*6MTYDtymiRA@K7=}JiOeiwYkuiyo5ke*4{t1mhyq`oU zRdR)i{aAjHN+Qo=1se9w8_UR0s>B({E6b4PWyv$d&|M)f%8*Hwz=^RK_+3f@-Z)qW zQ79tvRT&ato>)dG*cl>uZZ0@?DUp+s<C9|I1PnHAz{<q{msF)96uDsby52JgECS0= z5|WH8sSFx3kWBT*08d_)G+V78GV+8V4h0!PMfPlRMubHwlu74wH4%BUrQjIm5_v#V zfC0C$2Z%}`m<^RMQwHk~#WEB`HY@_>F}7r>^F*XO>V?)qh}0^=)MOYm7-&(bGGOxn z5jMzF%b2B>ie|zP0Ag<e)bN&rp#@6wpgSham-^-^eZge;0tR3BwigMvuZ-c#@HH@H zyJd2ofpcQmLEt0!#nB`iFpRJS0r}HrS1O2Eq*|eXH76+KBJi5AMV3jXxlJIf#3Dv% ztjHD7AcDZr1O=f)tcs>hR1=D#1VWL8<UUVCM1sQ(^ke=0h&@J(4KRZm6c>QlcL<tT z1U$`6g5^ahVF3hs!`vxRQYB)%p>wP>Qz29oMG9pyB{tmxnRCM?CC0*zj74@}4p19K zWU8~X35AKu1`@wYs8Ff%V?Y>FF%^Os)N?E;c3_YG`yceP!GZo~qD*I)>Fh$*&&LbC z)&^@aitaxOA`@e<Gm37Cbw=3w`r6t?&<hm8{Cq+|7b;L>1mOiiH>xZhp`k}4#Q53T z(z{W>JDm=8!4N&s<yqty(m_PuiAxBDYK|Y-Db5)B02HBB2=lTDV+bQxXG<W883kbs z>T4p395z;7K$n4OHN&fv$kj4286k~AljKTep!WnQq*w{xCp*K(4(MMgu)Hx6b9RUN zjNXR28~E2=P^b4X)T^Vq&wkSmb;V6S<T8L?C}<o(_cg?1LOKbyMWKu-<bgKhl9hBJ zy+Amd4z_}z=LvHOvR?!WlX`YCsJWuZI8dlm%0*H#?(80hA|)7w2r^r~g2+dfS}ZH# z8=^s>Oev=;^9hkOtB6iUWhjy(CpN@jJ!dw=q;zR6M6qbYx(OzSkf9nHp_1p*K^1_* zN)^&QW!LVKQ%NCC?dAj-JQ`_DBxOfIfGX!HVV+z<3@amKMI`>N&=Pt_$;sfCjCF-{ zF_9%y%TRm_k|s5mB>4LSvLpNfLKZ@9M1*3}ZY)w{85HV#6<wHTWUG=cGFTvp$I&Ek zyc&n15Eh0`B8fDovFF5Mg>*Kk1N<pOrdnBKYfI|VoAd{8#R+E;z)X^Qh|5W#Mv|To zi8cos6@Ip6K8FuFy^vHPd()+5W*tnQ+IP#Nxe}ACH_7H-Yi}2lE)_QH9a7&UAd;+^ z?j88B3?#rve!)gSv^L6gTY>bG)CW>Iqd_z1a9pbiCF()mTx1ilXoVl0o=6brZ$!ZA z(8Y3*8XbP5e4Ex~w$vWx3GpR_ybLf{r9b13PvHo#MTI7@Q6lQeVKBici1lq)f7ET0 zj-xUO`ndc>A7n#ce{irLV<X`H4jvmQUvC!!Uix3)eSOS7U$-FtT*C*#LquRWlx|Q? zHiV02(^0T6sO7%_j@Ax8=oOoFhFA1AFc?<(1~`0H(e*b+-D4;ig4cHgjBf^bBh++L zV86`TxhWX7*P<JMVn=~xcir?B99Ebsql0=X!6^yxWccBpbhyHki$TjnJd=~6eYu`s z#oz!I!T~~rcoq>#&#+Jj+h8!ZL~bV71VE6d4Dkdz#Z!tTM6OWjn=2J5<Vty#$`>3( zo=}<VH=E%}2j@eY1wLkq`D}oSP7ek@U#UXp{@=vL@+8N>NI0_83aP5dSO*Asj)J2i zP5`?D3YbkOyBf`#1*9Jc%Z?>x6EeCC<sqIzWlY{|IoKIbx>_0`LM~T`XBM0egr|QO znqdDwpCs772T8&HU27wU2Lng)L4`A=GNAgem)oN|Vxy6WVDK?yQW0qky6IA?^Yi5j zSo?%TdW<;4b1uQe84NZj(3ins2l%pCB95<+lSTOAI9E&%1WU}y!snZ>><<`N90rS< z86@=Oh=Tw_R;JjOOEAU0LMEGyGnt&MAeQi7V_*xJSxhd$^5w8HgM8U+Hp4el7$ou) z2Ly@PLbfn~U~&I721ZsuV1Otvz?X{?3|}^r733Sl$;|ZSvcz~+fEX7G1OEa8m%y_E zg$$-|W>zK(RzYxmVND!gHaAPm!G#QtFvx5b!TzsvH`u?&Mi{oztkYj_B&h}6atrYS z3gW=~SAnW^OK33i(-MR#NkoBAL731=RH}TQzrRtx{JQkZ52*4_jEnJyZ4U4^dYLAi zo}nOmM6iDkj3)8%e-i<3ShpA)r93gZ)i;eaK~xb&3(zfoCYulg15`-7$z#Y9reZNY zNtZ0dGtOii{EX!KMUug!Z=^gA!cUpf6Ip~eKV5bzzz;|NJkcLlA{CV@A`~KtR0WYa zggzmjZ$pbZ6Z8Y_2$DdX!L$W%Kx6{g3^rRN%3_GKJn1s<p4H&Lk=;$o9qj++^>xEZ zP5`I6R}aQ?uLT?O6f6<TfLwr0g0~oK0u~ST7|5gH9X+RLKfXft-x{;Po?EQxD$)6Y z9x(Id*+5o|nLXHX3gA;=3QUUSVcCF9ilIB17^r1oa_EP?nWMl(nCTxI%Y=7C(LjJl zLZ4hXpM=oA2&fT44FY9&5}>ZaB+#CR(P0ib;8S4*&_e+|=rEHUQ$w2=AS##@^+QiM z-0D)g=!k;8N=!u32fy=}_3Mcr(Sh)yv&zbBd<wu6fT0^d3-f~ySN+H}1Yma17p+xA z_R9lWWM-@AIY$&03;)oAQx?OxSQwK{jzF{L!+H@Hvti8;(vzI&38TX=taSMMF~ms* z=1aaY;J$(WpW>AtjQiuf=5yfCV>Hk>0cay&jefvKv|ImbBm?eNg5X}pKpmnJ%@Pk% z7xOp9p;ehMpgoU+vB;ksjX40nCK&mHBn|P|Bx|T<keUMEUmon1NizIMu8I-M0gpA{ zNB|sikQp_sMP;^AJ>?Dc$4NQp+5dHEFqefW7()T6M)GN*tXm5(%!|~ZBxpslt_1pf z$}QXqBNh9@V}%)J@r4qu@BZ)k-^u}S^qVN~HxBq9oWKk5rT8BFWBdqy1;2|w!GFfB z8IFwpj6sZ13<e{JF`gl3EMRP5>}7n)ILEli_>6I%p=12Sc)@tZz?ospiOi`?5px!E zE>pvNmwAWzJ@Xm!S7sj;lNHDcV<oagtXZtNtQD*^tSZ(H)*)66>ptrttCjT|%aZNL z9>}J%eb^j!C_9Cn!IrRRvy0hU_Dc3g?8EE^_5co@!{vl<1e^&Rg7X1qBWEY)6z50I zbB><l8ZagxE?{ave!!N1T>+m4TnYF+z#`B&a9H5v!0CaKzy*QTfrkTY0>28h;W~2N zxPIIj+$^q=tKpvDp5<QQKH&BZ>K`;TC@5%V(5#@jLGK0C23-oe5%eTzAa4k7Brk%u zfVYUZl=m)g4Q~T)3vU;1KkpFlIIo6xf!DzMg4f9Vn)i_RlsADtm%oI+o4=obk>9|- z%^w&%G&nXmC3r@#B6w-=7r_sMZ9;~G6oxDdIS_I_q%p)U)H_rZDhn+LT@bn{bX(}2 z(CW~`p(jIYLobJZ9@-dsKlD-P_o2^2e-E_`>m4>AY;c%&n15JMSWMWIFlm?~Y<t*8 zVF$vFgq;ej4Z9rnd01oE{jf)2--oq_b)o~74)y`|mWJEoZ{hB^Cq4=fz+>=uT#e7g zOYnE_3Vap59<Rc8!JZ$+PvLcV1AY^4!XM+U_%pl{AI9J?(ivh#Ib$_rBV!Njc_+h? z*^lYT^kcG_JZ3aAmZ@MaX0Bt#v!1c~up`+;>@DmA>^k;!b~F1Ywl!xEhsEJ>!a0*T zX`JJni<}=gFE~yCBLWx!F#)oGae+C3s=(cW7Xz)i4%}q!bgqayo4b^|g1ZIw<!kQ9 zAUr5JC_N}As4!?%(54_JkI#$bE#$4@t><0l-QYC=&wu7w@tyho`0jj9z7OAz&*t;^ z;rwWREPoPzGJiT>%+KNH^Jnwt@k?QEmh)Hh*Yhj+JNSF~2l+?&=)gsB<U`zr;l{9G z*|S_&ZY(;hj#baP&T0(k2yh8>3uFg!(QkL*hQ2lodj{(5&hTRRfM&26_8eyp&S7&T z92rN&S;ARH{!R@e{=a|7|F;B{is7XLmRa?Bd-2%CFC8e>)XLHU^8r*urBE17xPw)% z8H>kK2n!k&{udc|nw9NHD+-NL8c3zkD&z53{4Fzx6W+^$f>qMCP>V5~@!D7#{U!ao zbsZg3`}EtQ>7x#w{_`&D>>r;NZ@R+WhA*-6j5%Ie>Qaf9TKoVhwbFu0p;Da}tZMmf z-i7!nPsgt>xM|hNM>vg?QY?X<5-r0H?`36?Otb1sof^S##rvX)O<(&|h`tF$9^97Y z6ATx;4+2~FwTn_KGKKK#icCh3s{^QQU#ldEus}sHJn(_2n_XWQ1Arb0*U{1}W9Z2k zjC-JFi@yDg&FDt~xG>1ghp>ho8G#Ra%YngUFqsUTe5StT0I>>_g)>>;kOxi0r<)O* zoM@WPwy#TK5nLF6M^BHGD<G&PBV9n^XP9nyS2LQB4!;Q+W=td$v!&>sH8KLO1;;S) zQi`WJgJ8ofN-0jT!4z9+DTRU^*!xLL()bVD``9*m7rp11`nJ63=&-s-<;-(u{1T@A z=5lWK@<@tz<e{o>1ns&bb8A%%p0^II#;7mjzCUy5NR-#is~H0R=TX-p`zYTk)k+VI zys~c4Ud6y+akB;=VBGs{qL7-nW6$%LQI>^*?f#l;kJmkZwd|YJu#gKYo5pp_Wj!pi z{jE*CBw~a9yv4+Idv3`#uadq)j3_HVH^Zf_{u1BiPEASMU<cLLD?LBD{PH)|yy1^t zjvKgeXYD56{Y#(jc(iADzxl$KYiIR7`AtIA`0vtx{myacsLgu_`i;gly83zB<Httn z`+pN<z0&TMWKnT?PN7(Ebw>1pq_chJoiF<7(%D&5kWR|hl3($Xm*iG@IMVvjTr$=_ z&r54)P_4gtZ~l*AcUxnN{qEsRD;p4WOG|4Cg*FWL!aYrO@U;6GLsYp)neV3}MF$0^ zq>Op=rBL)V8{7&C`0GGC47Si?FpUe=mtD!M#25P+2a6Okv$6gLi82?c$Ou2^L&~#< zH_aZmHBn$;gF7OuPG}|?=!q5XgX+C$L-4`dK!zFpK`Ti?bw&tDdGTf9Y_2b<lV<v3 zQBs0g^!ji`(T@wK;Cp_QeERFRy*y4#D78ut%-At$bH9qG?kjsm<vq`BnLH2I{UWUx zs<i7PAG3RZQ16bn4}4fXpmur7lr`ACYxZ#muQPVoq`f_-^P4#ysj<5Vw<ks6nci#i zE?x}GDH~$5JmTrS+o@q51u^fu-Op<J4sMQTpRE)7mn}Gqm(sR^#%qll@Az3exBk@` zP9Ci>XYIfN3FZQgH2%L^hYUK5Gq^o;m>Fc!;mm(ahvC}DuoENyN{17r*?I8G0q8ON zFZFnf$Sx@A=!u~_qhd}t>Z{s>wu!5%*WTSX%4yvBJpJO}#AGMeYqYSDzwchN=Jsh} zk=?XQv5RMa*Bm+C^Zg&rjf_0IxlwXxdH94M%DKmSpC9^6Jh{!4DUVOB+P`EQ_14>i zu8x0jPxR$m8s@a>>FcKM+US$u_|^|=?h5&Wi5{QzNwHfwrt_oyFS0_$?9Ep^UimoV zs`IhBGV$vEr@V_F=)UmWe*HLgPF2CGX+-T0Z>dg3EPlJmCU)7%W$*cJDu@~^`D&M{ z;I88|rZz>(I(1uAAG48n{`^yx-4{P?9oVitefyJCE&prU&N-e3z4rTE%s+oRzHFGy zZ+544PgrO3z}ZK!=c+-EODU<qsYKi!2|uZJR0w4Ip_(^Rjenss*2TEeq)wpV+2H@a zZK{KU4>IbgO6g1Lc!APSX|&L!q6c>Mr7j-X-B&0T`n}fGU!_#~iiEz|Og|B!z=IKS zgJ~R`g)=JsD}BvJBZKfSMuRE%yIRgPGj7orq+1=wxeWR;_Rb{HTVc}!PC7io2O~0u z(%kTV#c#HLJx^IUL?~Dx|ImAHW3g>3GV#E|t&4_R%iRus?cG#)bG5~u#qr*o*N0oU z-@Ep0(Ul<*t2>98hjP!fj~XUoJ&Y0OIy|b)c6@2MjU$_<>38AD!TSfF+@oKZ<#hFZ zRny_LuTKRIjx2ms_~}(28hz`YpT^fM8S$QD@#noe@1@Pon=suGJ}k|1sD8>_e}H$V z*DU8w_o73^bN5Qyf8TJ}zTe277EbFG^5L{^`d#i@0yha<hg~C9jCydeed=z?$F3Vj z`Ns^r>v^K~RpIK1wTlmwE=g|-IW)1Vh&9r0?y)9%ufDTda{5pEOt&3R9i@p0JNDVa zOJ_noC8EUjr=+UA=RJZKu57M7>E1|F<E54l!Avz6%~YXhWL4sQAKSsdK1jRn6T8^l zOxb~%nr~(%VqzKna2Mb?xEc;%jTI`m2BgQT#D0vC_y`2I>+6|_F82v~lr&qa63Wax z4><6_G=PV}7=aH*oh|wz7r=m|hl4_oP{UU*=obRg6XAd_5&&)(j&r~h0g3Cb;_AOg zo^eLIzn+mX6dz(BZa_D2GPpRTv*?D;h>(NyR}M;}%saqEoK|#IxR$!v^8JY?>%+4y zr=~Jj5tYd&&ds_1@vHBWeVEygME>V~Bx=q+D)>Hb+xAmm$J%_8@?08A_YzkhI&<gO zAbFdN#~k(0Nz|6K@ADTQeKRxa^V@lk#DTx<nzni7j0*XVC%Z@O3f@so#VGQtE|q&P zSAVzb#`@!&hYPZ$x!-#gtzSA1Z)@dQXZtuk|6!>lsD1mDsyV|PW<GqS*gZ3~uI=j! zSq+^B&UEY>>+@cd{NUCvE<0>+b!`{Dx)VOEcX-w3b+tFEH|{GJXrvZNx6AHb9~=Jl ziK=ho28Vn7RMWh?PxL?=|CK-VCxj<lo|n(x?U%XIU%CSGE|_!6WZ1HRQ<;A_<w>>m zMrv!aKNc2U-ggLv@<s;)oj+i5K+y2vmEM&@7Y{LWK$J+1lu8+Sx30`miiD)kk!8XU zws9&x8TT^P!8W=Xhm(fUd_0bK^`b8JGWJ3y(Y%vCSV5K2pPWZ!W~Q>{Y`VHZxj08! zx&PN?C)`%pw0=qJVW#5kejKnZeA@Q6r0?LD*^<cX5&NGRoGZG)xw4`qd(bfmbGr;V zmD0~-$O{SzdXkYZhYRzf*Ob<x6g)P&!3AyG4nJCH`FzYzD&_VW1CCU!-G97z-A_l? z-28RulglE@QXA~!)eS>}62F|dRzj(1evx>3a__aLZtw5?c=L}phQ>8yk1U)%?fnnO zZ9Ngo9`j&CQS_Kg=WqDzR}VZVI`zx%CnoMZNL>}4IDO7W=`XL?e(eLaGP}{3=D~3P zUFEiqzb_xwezg9^{*n*229Dx>clU!t@BQ!gs~VVn-SzzOOCNr`Y}SJxcGhTTJUf%d zbNyzz`wjh}j>&53@!URTEPb7Q+6N;2f!<jqQQ@^iYhJj&FCTtcg)L6VxpCEM$XrU} zikSB!L^i2bXR=$H9QRInn=<g?y2m5c4#J_dWs|<}J2`h^!pbe1w-l=0FWdC<ku_5; z@9*8X>BFPr?9b_f0(`Qb?3jJ0PS5z}V0wkrYw5Jf^R*v;vFzj|hLgv;{%dwcuP+Gr zXq|uZRfkUtEgmk}-M2xJJE#6dLDA81pOp_9G_J#MjNjCN7QeUjchxoXS4(19>e-Q= zpBH1P?=0whwk>(wvzE=Y2fKWENA~a3%sa5l>Gx;DHnzPC_h{dC$vGBp5?}vxQt!Y^ zozs$soz|QZ-5*VxHD`kM*|oj3FYY$4|J5(QbaX)J;^OoB=Tqmj&v3l#fv>si(yohL z7ktoS`N)Kq>qNzi4n7}v`j~wf`*PE*-?uJLbIf0`y6*($K>fBAY3k=2woSf-ms$-3 zTW?{s^U|HR5lftAo{@wGW_`8uQTuBm^FL)sk(U~PGa;(L;nz-N-x)z>ReYYAeTPUB z#qn@**w|Z5fbWRpd5k`|GXhxK_Zm&WSE~vYz>F5$)_y<&`Sm0{5q{Msf0>I$-_RI> zQj?kgSDo-u>L24!DvCp?5Ql<}ZTn<x{YO@-qbB$5R~&g`ds&0svYa0lHs0@lI{Glv zb<pBR8Se>t1s%DSl6CZAVJ7uxT3q?L0n{h)MH{4{6IExYW?MbnG(TXe$F%z^t1E+2 zcV2r|?kjp0nEKuPysh!S+oa?k`sAZIQ?7g)ez5<Kr4M*N{Gu7ya<V2$<}vQZiM4a~ zyfb4@{nTCaMmCOol`^S0qB1D4rRAL?o9|H+XD#dbmU9M9{5~qZpM?m2d%4@)t+O`{ zSl)Uk@6@>8%UE}Yeh&YS!nB50g3^~;roJ;HRdsiP_2#wZ_Xd>r8MVx(hC6SY_^XT| z4#UHfbNhcfc+&UZ?e2^o&*t3;*Qd!kYv!(wugG5=n!swjr1rTH)O?#gWA1@hn_ZvB z4H(g$WOufzdE0s6!ie76xm)^Zzr>RmPW<~jH(GLhs-#0!d@}4xT5dAl7TYK5{KKRq z#jurW!x}zV>)CPU!11qcm1bGbxbn-j)fofN4xcqlH=p`=!Xcj>HvSzWCsy3}!b0+u zORrM}A4DD5$0+~sXzhmaA>T=cG(Hae^5U)JielNf+3u%*h#tosSa@gq9-8;s0@qTD zpNm;(x8HS3e;Rbw&N^>f-?}9a!<w_k$|+~5(ss>>kCnmgtA>8zImm0s9!q=1Dt^tT z=D~?KW6lrm^XTs5w3}C$o-uXrt=Q3i^!kfIP2%@H-FoTif?R9&IQ%rlbj)pnV{U!V zV-7s?zdYv9eUC?98uIqhg^VGJzq@Q)e$CDaj{-VpmG2cSTq-<xePWLj<c&v6uIbEz zlTL_d{LPc@P5%F%oOI-o3SU^W;9ynZ0f^keG=JO|A6Yq~a`<BJKRt{gXh2_Pqj55P zC>qy?=8g~OI)DFgq~Qsu6P*@=kHKxMtg=h&;hqlXTiKBpb|s$%QmC~5;_(P!z@=iR zH3@s<PY-e%-J7{D+T!GM3%%drS=`*8*t@{xJ^QJz`i!{VT$d&-c4X}1)ma5^WNc4( zHuUbN1-N@s@0hyD({Fze6@G2srghis*ZAJ<o1Mv>badF1&yMUlwqQ@juvaTr#pKV> zgj)B*bI<L*mppDybJoyRE5`-TJ`_AQ=SjL-$z{&kVJp2f6Wa@f5r>-H<$_BCo$@U1 zrcv@)YvMjES$n63j#dA#`TawJM-`F5siAI#ql<IZyDG*rwd$mHNxb#+<*U<M?v48C ze&2Ojvpcui?RkjBtO%(Tauy}W&`OSltju?rlhbd&;ij9EO$D3OOUs_eHr$%w{M+cC z2d-HV!6>!Nfa75r72K^7&Hs@3r#ipsSTeh(tt?rK_wTwX?PbBR@A4Dj-WGQ^tJyIe zA%gC{)pf;3nbqtWgK+oC0q`wY&tIOqey7C!yQiTsJZbc!gJ0|_y>#NiPcLt#t$9@V z(Vi{Z6JD7@Yg+yn%F+h|o|zw@a6w5crD8I-BiF|(>h0cru=nFF(@w^|teL%YsK*s< zFOMM`h*7VW4WC&ZGgqfp2mib=e45?w(ns5uk3RFe_*TP$PhGYQ$xt1o*@kWWSvM5> zO7r!Xtftf3m*ektY~P};=)bh$(^p5|P1Uwolq&~R@0F<z2p?$zb16rDb~=7%T=d?) z2S@rOwCC2Xxv^uw>VplZ7hOt?TwQ;E{g?0errdp0`Y7>A$}ih^$(V4R&+UDR`ijAd z1EsbPgRc4(t*CtO(W48;pMUjmzuk<6l8}YJ_$orbZEezs?q`H&mXrtk4h@SPv?Jn< zWb(A~4!1^y;PXvh4-VH-I9vJ09#i+NS@OZ@FZJ&qJ^fzcu5V=Gv!^;YJdqVzRxe-J zbj|bE%2e&C&p#Rd^2GZya~B53e6@%hN{qKu<fi#=R&VkX@7>1@`?$$|+ZWG&3`o0t zjoQ$9$D=KN`;PW4VIOSyve$9;Mva5I?Lf9*{Iy$cx2-mg?)=?*pRP#L`;(T!_wJMz zoo*Yrx8uXwyXki(@9xJ-6?Gn@-5389Rhi?cykLFGR#rbZ-fnv3itD4dzqfYB?LETL zM=x(!KJTc-F~0#noX*z`A6my$Wb=Fd{MJ{W_}e_)c6Sc7@^SdZj@dP3pL-6rz(3ja zk>p-V@OPObrXO4``}EQBp-HRm&$_+CVF{0ynvEq4KmU0ee{m>huuJN`X2+37s!FML z;2T(XOOh3%l+po*LpxG4#eesmAJzE}myW%xEJr$8PzP9ImFc)!H(?eGyRM2g1r*8j zYeX+gh7&kpaL>yO#MwBPiBAQq-PKBCz(sS#l^YAhpDj)gdMVnyNZl(;>FZkc2X&xe zL%#IRop>i8Nsd?SsJe4kmB!utbj-%3`43*rn$f49V$-rYlI!9MizBwPS>nx(4h4sE zD!HTX3O2^&pDb2ZJIL;34Bh#$YTDa-_h#yTwH#NzwWROFux~ehRd>8kf3I6RW<?h( zwsd9?jS7B7My_vgz?Jr6BWk@){k*34Ep<p#-@|PyrrHjA6yLvMxxo3ARj_r+<L`(0 zHZW&U>mD=@Y#njvc#>Yv3sBzu=u6ij;`wQNB9^aS?AwC(D!)KG^vb#2@4VI8Z*HX3 z+CA;t_fYwe&yG*BTYPY;^-S;YcBjaWJ#VsBINr1UB4qQ0_vWis*F=>x^2SWEwXdDT OEZWHon{uxIfd2r?K#M5= literal 0 HcmV?d00001 diff --git a/venv/pyvenv.cfg b/venv/pyvenv.cfg new file mode 100644 index 0000000..2dae58e --- /dev/null +++ b/venv/pyvenv.cfg @@ -0,0 +1,3 @@ +home = C:\Users\mwitt_cjbzle6\AppData\Local\Programs\Python\Python37-32 +include-system-site-packages = false +version = 3.7.0 From 67619002c12f2a832a374e1201642e11b587972b Mon Sep 17 00:00:00 2001 From: Mike Wittie <mwittie@cs.montana.edu> Date: Fri, 9 Oct 2020 14:47:53 +0200 Subject: [PATCH 14/25] update thread starting and update comment formatting --- .gitignore | 2 +- README.md | 7 +- link.py | 15 +-- network.py | 253 +++++++++++++++++++++++++------------------------- simulation.py | 95 ++++++++----------- 5 files changed, 179 insertions(+), 193 deletions(-) diff --git a/.gitignore b/.gitignore index 794bd4d..32dcac1 100644 --- a/.gitignore +++ b/.gitignore @@ -10,4 +10,4 @@ bin/ lib/python3\.6/ -\.pydevproject +desktop.ini diff --git a/README.md b/README.md index 1d4dc19..efea713 100644 --- a/README.md +++ b/README.md @@ -40,8 +40,7 @@ At a high level a network defined in `simulation.py` includes hosts, routers and `Hosts` generate and receive traffic. `Routers` forward traffic from one `Interface` to another based on routing tables that you will implement. `Links` connect network interfaces of routers and hosts. -Finally, the `LinkLayer` forwards traffic along links. -Please consult the [video lecture](https://youtu.be/-JXvrxjPo7o) for a more in-depth explanation of the code. +Finally, the `LinkLayer` runs a thread to forward traffic along links. ### Program Invocation @@ -52,7 +51,7 @@ python simulation.py ``` The current `simulation_time` in `simulation.py` is one second. -As the network becomes more complex and takes longer to execute, you may need to extend the simulation to allow all the packets to be transfered. +As the network becomes more complex and takes longer to execute, you may need to extend the simulation to allow the time for all the packets to transfer. ## Grading Rubric @@ -61,7 +60,7 @@ Your task is to extend the given code to implement several data link router func * \[2 points\] Currently `simulation.py` is configured to send three very short messages. Instead, generate a message for `Host_2` that's at least 80 characters long. - You will notice that this messages is to large for the link MTUs. + You will notice that this messages is to large for the interface MTUs. Your first task is to break this message up into two separate packets. Implement your solution in files `link_1.py`, `network_1.py`, and `simulation_1.py`. diff --git a/link.py b/link.py index fddd7ba..3eb6b39 100644 --- a/link.py +++ b/link.py @@ -32,7 +32,7 @@ def __init__(self, from_node, from_intf_num, to_node, to_intf_num, mtu): def __str__(self): return 'Link %s-%d to %s-%d' % (self.from_node, self.from_intf_num, self.to_node, self.to_intf_num) - ##transmit a packet from the 'from' to the 'to' interface + ## transmit a packet from the 'from' to the 'to' interface def tx_pkt(self): pkt_S = self.in_intf.get() if pkt_S is None: @@ -40,7 +40,7 @@ def tx_pkt(self): if len(pkt_S) > self.out_intf.mtu: print('%s: packet "%s" length greater then link mtu (%d)' % (self, pkt_S, self.out_intf.mtu)) return #return without transmitting if packet too big - #otherwise transmit the packet + # otherwise transmit the packet try: self.out_intf.put(pkt_S) print('%s: transmitting packet "%s"' % (self, pkt_S)) @@ -56,12 +56,16 @@ def __init__(self): ## list of links in the network self.link_L = [] self.stop = False #for thread termination + + ## Return a name of the network layer + def __str__(self): + return "Network" - ##add a Link to the network + ## add a Link to the network def add_link(self, link): self.link_L.append(link) - ##transfer a packet across all links + ## transfer a packet across all links def transfer(self): for link in self.link_L: link.tx_pkt() @@ -75,5 +79,4 @@ def run(self): #terminate if self.stop: print (threading.currentThread().getName() + ': Ending') - return - \ No newline at end of file + return \ No newline at end of file diff --git a/network.py b/network.py index 69bdf2b..a03e154 100644 --- a/network.py +++ b/network.py @@ -9,144 +9,141 @@ ## wrapper class for a queue of packets class Interface: - ## @param maxsize - the maximum size of the queue storing packets - def __init__(self, maxsize=0): - self.queue = queue.Queue(maxsize); - self.mtu = None - - ##get packet from the queue interface - def get(self): - try: - return self.queue.get(False) - except queue.Empty: - return None - - ##put the packet into the interface queue - # @param pkt - Packet to be inserted into the queue - # @param block - if True, block until room in queue, if False may throw queue.Full exception - def put(self, pkt, block=False): - self.queue.put(pkt, block) - - + ## @param maxsize - the maximum size of the queue storing packets + def __init__(self, maxsize=0): + self.queue = queue.Queue(maxsize); + self.mtu = None + + ## get packet from the queue interface + def get(self): + try: + return self.queue.get(False) + except queue.Empty: + return None + + ## put the packet into the interface queue + # @param pkt - Packet to be inserted into the queue + # @param block - if True, block until room in queue, if False may throw queue.Full exception + def put(self, pkt, block=False): + self.queue.put(pkt, block) + + ## Implements a network layer packet (different from the RDT packet # from programming assignment 2). # NOTE: This class will need to be extended to for the packet to include # the fields necessary for the completion of this assignment. class NetworkPacket: - ## packet encoding lengths - dst_addr_S_length = 5 - - ##@param dst_addr: address of the destination host - # @param data_S: packet payload - def __init__(self, dst_addr, data_S): - self.dst_addr = dst_addr - self.data_S = data_S - - ## called when printing the object - def __str__(self): - return self.to_byte_S() - - ## convert packet to a byte string for transmission over links - def to_byte_S(self): - byte_S = str(self.dst_addr).zfill(self.dst_addr_S_length) - byte_S += self.data_S - return byte_S - - ## extract a packet object from a byte string - # @param byte_S: byte string representation of the packet - @classmethod - def from_byte_S(self, byte_S): - dst_addr = int(byte_S[0 : NetworkPacket.dst_addr_S_length]) - data_S = byte_S[NetworkPacket.dst_addr_S_length : ] - return self(dst_addr, data_S) - + ## packet encoding lengths + dst_addr_S_length = 5 + + ##@param dst_addr: address of the destination host + # @param data_S: packet payload + def __init__(self, dst_addr, data_S): + self.dst_addr = dst_addr + self.data_S = data_S + + ## called when printing the object + def __str__(self): + return self.to_byte_S() + + ## convert packet to a byte string for transmission over links + def to_byte_S(self): + byte_S = str(self.dst_addr).zfill(self.dst_addr_S_length) + byte_S += self.data_S + return byte_S + + ## extract a packet object from a byte string + # @param byte_S: byte string representation of the packet + @classmethod + def from_byte_S(self, byte_S): + dst_addr = int(byte_S[0: NetworkPacket.dst_addr_S_length]) + data_S = byte_S[NetworkPacket.dst_addr_S_length:] + return self(dst_addr, data_S) - ## Implements a network host for receiving and transmitting data class Host: - - ##@param addr: address of this node represented as an integer - def __init__(self, addr): - self.addr = addr - self.in_intf_L = [Interface()] - self.out_intf_L = [Interface()] - self.stop = False #for thread termination - - ## called when printing the object - def __str__(self): - return 'Host_%s' % (self.addr) - - ## create a packet and enqueue for transmission - # @param dst_addr: destination address for the packet - # @param data_S: data being transmitted to the network layer - def udt_send(self, dst_addr, data_S): - p = NetworkPacket(dst_addr, data_S) - self.out_intf_L[0].put(p.to_byte_S()) #send packets always enqueued successfully - print('%s: sending packet "%s" on the out interface with mtu=%d' % (self, p, self.out_intf_L[0].mtu)) - - ## receive packet from the network layer - def udt_receive(self): - pkt_S = self.in_intf_L[0].get() - if pkt_S is not None: - print('%s: received packet "%s" on the in interface' % (self, pkt_S)) - - ## thread target for the host to keep receiving data - def run(self): - print (threading.currentThread().getName() + ': Starting') - while True: - #receive data arriving to the in interface - self.udt_receive() - #terminate - if(self.stop): - print (threading.currentThread().getName() + ': Ending') - return - + + ##@param addr: address of this node represented as an integer + def __init__(self, addr): + self.addr = addr + self.in_intf_L = [Interface()] + self.out_intf_L = [Interface()] + self.stop = False # for thread termination + + ## called when printing the object + def __str__(self): + return 'Host_%s' % (self.addr) + + ## create a packet and enqueue for transmission + # @param dst_addr: destination address for the packet + # @param data_S: data being transmitted to the network layer + def udt_send(self, dst_addr, data_S): + p = NetworkPacket(dst_addr, data_S) + self.out_intf_L[0].put(p.to_byte_S()) # send packets always enqueued successfully + print('%s: sending packet "%s" on the out interface with mtu=%d' % (self, p, self.out_intf_L[0].mtu)) + + ## receive packet from the network layer + def udt_receive(self): + pkt_S = self.in_intf_L[0].get() + if pkt_S is not None: + print('%s: received packet "%s" on the in interface' % (self, pkt_S)) + + ## thread target for the host to keep receiving data + def run(self): + print(threading.currentThread().getName() + ': Starting') + while True: + # receive data arriving to the in interface + self.udt_receive() + # terminate + if (self.stop): + print(threading.currentThread().getName() + ': Ending') + return ## Implements a multi-interface router described in class class Router: - - ##@param name: friendly router name for debugging - # @param intf_count: the number of input and output interfaces - # @param max_queue_size: max queue length (passed to Interface) - def __init__(self, name, intf_count, max_queue_size): - self.stop = False #for thread termination - self.name = name - #create a list of interfaces - self.in_intf_L = [Interface(max_queue_size) for _ in range(intf_count)] - self.out_intf_L = [Interface(max_queue_size) for _ in range(intf_count)] - - ## called when printing the object - def __str__(self): - return 'Router_%s' % (self.name) - - ## look through the content of incoming interfaces and forward to - # appropriate outgoing interfaces - def forward(self): - for i in range(len(self.in_intf_L)): - pkt_S = None - try: - #get packet from interface i - pkt_S = self.in_intf_L[i].get() - #if packet exists make a forwarding decision - if pkt_S is not None: - p = NetworkPacket.from_byte_S(pkt_S) #parse a packet out - # HERE you will need to implement a lookup into the - # forwarding table to find the appropriate outgoing interface - # for now we assume the outgoing interface is also i - self.out_intf_L[i].put(p.to_byte_S(), True) - print('%s: forwarding packet "%s" from interface %d to %d with mtu %d' \ - % (self, p, i, i, self.out_intf_L[i].mtu)) - except queue.Full: - print('%s: packet "%s" lost on interface %d' % (self, p, i)) - pass - - ## thread target for the host to keep forwarding data - def run(self): - print (threading.currentThread().getName() + ': Starting') - while True: - self.forward() - if self.stop: - print (threading.currentThread().getName() + ': Ending') - return \ No newline at end of file + + ##@param name: friendly router name for debugging + # @param intf_count: the number of input and output interfaces + # @param max_queue_size: max queue length (passed to Interface) + def __init__(self, name, intf_count, max_queue_size): + self.stop = False # for thread termination + self.name = name + # create a list of interfaces + self.in_intf_L = [Interface(max_queue_size) for _ in range(intf_count)] + self.out_intf_L = [Interface(max_queue_size) for _ in range(intf_count)] + + ## called when printing the object + def __str__(self): + return 'Router_%s' % (self.name) + + ## look through the content of incoming interfaces and forward to + # appropriate outgoing interfaces + def forward(self): + for i in range(len(self.in_intf_L)): + pkt_S = None + try: + # get packet from interface i + pkt_S = self.in_intf_L[i].get() + # if packet exists make a forwarding decision + if pkt_S is not None: + p = NetworkPacket.from_byte_S(pkt_S) # parse a packet out + # HERE you will need to implement a lookup into the + # forwarding table to find the appropriate outgoing interface + # for now we assume the outgoing interface is also i + self.out_intf_L[i].put(p.to_byte_S(), True) + print('%s: forwarding packet "%s" from interface %d to %d with mtu %d' \ + % (self, p, i, i, self.out_intf_L[i].mtu)) + except queue.Full: + print('%s: packet "%s" lost on interface %d' % (self, p, i)) + pass + + ## thread target for the host to keep forwarding data + def run(self): + print(threading.currentThread().getName() + ': Starting') + while True: + self.forward() + if self.stop: + print(threading.currentThread().getName() + ': Ending') + return diff --git a/simulation.py b/simulation.py index 72f319d..6ae4285 100644 --- a/simulation.py +++ b/simulation.py @@ -8,59 +8,46 @@ import threading from time import sleep -##configuration parameters -router_queue_size = 0 #0 means unlimited -simulation_time = 1 #give the network sufficient time to transfer all packets before quitting +## configuration parameters +router_queue_size = 0 # 0 means unlimited +simulation_time = 1 # give the network sufficient time to transfer all packets before quitting if __name__ == '__main__': - object_L = [] #keeps track of objects, so we can kill their threads - - #create network nodes - client = network.Host(1) - object_L.append(client) - server = network.Host(2) - object_L.append(server) - router_a = network.Router(name='A', intf_count=1, max_queue_size=router_queue_size) - object_L.append(router_a) - - #create a Link Layer to keep track of links between network nodes - link_layer = link.LinkLayer() - object_L.append(link_layer) - - #add all the links - #link parameters: from_node, from_intf_num, to_node, to_intf_num, mtu - link_layer.add_link(link.Link(client, 0, router_a, 0, 50)) - link_layer.add_link(link.Link(router_a, 0, server, 0, 50)) - - - #start all the objects - thread_L = [] - thread_L.append(threading.Thread(name=client.__str__(), target=client.run)) - thread_L.append(threading.Thread(name=server.__str__(), target=server.run)) - thread_L.append(threading.Thread(name=router_a.__str__(), target=router_a.run)) - - thread_L.append(threading.Thread(name="Network", target=link_layer.run)) - - for t in thread_L: - t.start() - - - #create some send events - for i in range(3): - client.udt_send(2, 'Sample data %d' % i) - - - #give the network sufficient time to transfer all packets before quitting - sleep(simulation_time) - - #join all threads - for o in object_L: - o.stop = True - for t in thread_L: - t.join() - - print("All simulation threads joined") - - - -# writes to host periodically \ No newline at end of file + object_L = [] # keeps track of objects, so we can kill their threads + + # create network nodes + client = network.Host(1) + object_L.append(client) + server = network.Host(2) + object_L.append(server) + router_a = network.Router(name='A', intf_count=1, max_queue_size=router_queue_size) + object_L.append(router_a) + + # create a Link Layer to keep track of links between network nodes + link_layer = link.LinkLayer() + object_L.append(link_layer) + + # add all the links + # link parameters: from_node, from_intf_num, to_node, to_intf_num, mtu + link_layer.add_link(link.Link(client, 0, router_a, 0, 50)) + link_layer.add_link(link.Link(router_a, 0, server, 0, 50)) + + # start all the objects + thread_L = [threading.Thread(name=object.__str__(), target=object.run) for object in object_L] + for t in thread_L: + t.start() + + # create some send events + for i in range(3): + client.udt_send(2, 'Sample data %d' % i) + + # give the network sufficient time to transfer all packets before quitting + sleep(simulation_time) + + # join all threads + for o in object_L: + o.stop = True + for t in thread_L: + t.join() + + print("All simulation threads joined") From fd80f1db0af050857b3e80bde6559522397cf17b Mon Sep 17 00:00:00 2001 From: Mike Wittie <mwittie@cs.montana.edu> Date: Fri, 9 Oct 2020 15:23:41 +0200 Subject: [PATCH 15/25] synchornized print and MTU at router --- link.py | 11 +++++------ network.py | 16 +++++++++------- rprint.py | 12 ++++++++++++ simulation.py | 9 ++++++--- 4 files changed, 32 insertions(+), 16 deletions(-) create mode 100644 rprint.py diff --git a/link.py b/link.py index 3eb6b39..cdcf468 100644 --- a/link.py +++ b/link.py @@ -6,6 +6,8 @@ import queue import threading +from rprint import print + ## An abstraction of a link between router interfaces class Link: @@ -16,16 +18,13 @@ class Link: # @param to_node: node to which data will be transfered # @param to_intf_num: number of the interface on that node # @param mtu: link maximum transmission unit - def __init__(self, from_node, from_intf_num, to_node, to_intf_num, mtu): + def __init__(self, from_node, from_intf_num, to_node, to_intf_num): self.from_node = from_node self.from_intf_num = from_intf_num self.to_node = to_node self.to_intf_num = to_intf_num self.in_intf = from_node.out_intf_L[from_intf_num] self.out_intf = to_node.in_intf_L[to_intf_num] - #configure the linking interface MTUs - self.in_intf.mtu = mtu - self.out_intf.mtu = mtu ## called when printing the object @@ -36,10 +35,10 @@ def __str__(self): def tx_pkt(self): pkt_S = self.in_intf.get() if pkt_S is None: - return #return if no packet to transfer + return # return if no packet to transfer if len(pkt_S) > self.out_intf.mtu: print('%s: packet "%s" length greater then link mtu (%d)' % (self, pkt_S, self.out_intf.mtu)) - return #return without transmitting if packet too big + return # return without transmitting if packet too big # otherwise transmit the packet try: self.out_intf.put(pkt_S) diff --git a/network.py b/network.py index a03e154..85fb211 100644 --- a/network.py +++ b/network.py @@ -5,14 +5,16 @@ ''' import queue import threading +from rprint import print ## wrapper class for a queue of packets class Interface: - ## @param maxsize - the maximum size of the queue storing packets - def __init__(self, maxsize=0): - self.queue = queue.Queue(maxsize); - self.mtu = None + ## @param max_queue_size - the maximum size of the queue storing packets + # @param mtu - the maximum transmission unit on this interface + def __init__(self, max_queue_size=0, mtu=50): + self.queue = queue.Queue(max_queue_size); + self.mtu = mtu ## get packet from the queue interface def get(self): @@ -107,12 +109,12 @@ class Router: ##@param name: friendly router name for debugging # @param intf_count: the number of input and output interfaces # @param max_queue_size: max queue length (passed to Interface) - def __init__(self, name, intf_count, max_queue_size): + def __init__(self, name, intf_count, max_queue_size, mtu): self.stop = False # for thread termination self.name = name # create a list of interfaces - self.in_intf_L = [Interface(max_queue_size) for _ in range(intf_count)] - self.out_intf_L = [Interface(max_queue_size) for _ in range(intf_count)] + self.in_intf_L = [Interface(max_queue_size, mtu) for _ in range(intf_count)] + self.out_intf_L = [Interface(max_queue_size, mtu) for _ in range(intf_count)] ## called when printing the object def __str__(self): diff --git a/rprint.py b/rprint.py new file mode 100644 index 0000000..fc811c5 --- /dev/null +++ b/rprint.py @@ -0,0 +1,12 @@ +''' +https://bramcohen.livejournal.com/70686.html +''' + +from threading import Lock + +mylock = Lock() +p = print + +def print(*a, **b): + with mylock: + p(*a, **b) \ No newline at end of file diff --git a/simulation.py b/simulation.py index 6ae4285..e6a24cb 100644 --- a/simulation.py +++ b/simulation.py @@ -3,10 +3,13 @@ @author: mwittie ''' + import network import link import threading from time import sleep +from rprint import print + ## configuration parameters router_queue_size = 0 # 0 means unlimited @@ -20,7 +23,7 @@ object_L.append(client) server = network.Host(2) object_L.append(server) - router_a = network.Router(name='A', intf_count=1, max_queue_size=router_queue_size) + router_a = network.Router(name='A', intf_count=1, max_queue_size=router_queue_size, mtu=50) object_L.append(router_a) # create a Link Layer to keep track of links between network nodes @@ -29,8 +32,8 @@ # add all the links # link parameters: from_node, from_intf_num, to_node, to_intf_num, mtu - link_layer.add_link(link.Link(client, 0, router_a, 0, 50)) - link_layer.add_link(link.Link(router_a, 0, server, 0, 50)) + link_layer.add_link(link.Link(client, 0, router_a, 0)) + link_layer.add_link(link.Link(router_a, 0, server, 0)) # start all the objects thread_L = [threading.Thread(name=object.__str__(), target=object.run) for object in object_L] From 434722bd651df1bf5763a4ff1a7c73b7f649730e Mon Sep 17 00:00:00 2001 From: Mike Wittie <mwittie@cs.montana.edu> Date: Fri, 9 Oct 2020 15:37:28 +0200 Subject: [PATCH 16/25] extend MTU enforcement to the from interfaces --- README.md | 6 +++--- link.py | 5 ++++- network.py | 16 +++++++++------- 3 files changed, 16 insertions(+), 11 deletions(-) diff --git a/README.md b/README.md index efea713..055d8b5 100644 --- a/README.md +++ b/README.md @@ -60,14 +60,14 @@ Your task is to extend the given code to implement several data link router func * \[2 points\] Currently `simulation.py` is configured to send three very short messages. Instead, generate a message for `Host_2` that's at least 80 characters long. - You will notice that this messages is to large for the interface MTUs. + You will notice that this messages is too large for the interface MTUs. Your first task is to break this message up into two separate packets. Implement your solution in files `link_1.py`, `network_1.py`, and `simulation_1.py`. -* \[10 points\] The packets you created are small enough to pass over the links. - However, if we change the MTU of the second link (between `Router_A` and `Host_2`) to 30, the packets will now need to be segmented. +* \[10 points\] The packets you created are small enough to transmit over the client's interface. + However, if we change the MTU of the router interfaces to 30, the packets will now need to be segmented. Your task is to extend the network layer to support segmentation. Study lecture notes and the book on how IP implements segmentation. diff --git a/link.py b/link.py index cdcf468..b381b05 100644 --- a/link.py +++ b/link.py @@ -36,8 +36,11 @@ def tx_pkt(self): pkt_S = self.in_intf.get() if pkt_S is None: return # return if no packet to transfer + if len(pkt_S) > self.in_intf.mtu: + print('%s: packet "%s" length greater than the from interface MTU (%d)' % (self, pkt_S, self.out_intf.mtu)) + return # return without transmitting if packet too big if len(pkt_S) > self.out_intf.mtu: - print('%s: packet "%s" length greater then link mtu (%d)' % (self, pkt_S, self.out_intf.mtu)) + print('%s: packet "%s" length greater than the to interface MTU (%d)' % (self, pkt_S, self.out_intf.mtu)) return # return without transmitting if packet too big # otherwise transmit the packet try: diff --git a/network.py b/network.py index 85fb211..386a7e0 100644 --- a/network.py +++ b/network.py @@ -67,10 +67,11 @@ def from_byte_S(self, byte_S): class Host: ##@param addr: address of this node represented as an integer - def __init__(self, addr): + # @param mtu: MTU for all interfaces + def __init__(self, addr, mtu=50): self.addr = addr - self.in_intf_L = [Interface()] - self.out_intf_L = [Interface()] + self.in_intf_L = [Interface(mtu=mtu)] + self.out_intf_L = [Interface(mtu=mtu)] self.stop = False # for thread termination ## called when printing the object @@ -82,9 +83,9 @@ def __str__(self): # @param data_S: data being transmitted to the network layer def udt_send(self, dst_addr, data_S): p = NetworkPacket(dst_addr, data_S) - self.out_intf_L[0].put(p.to_byte_S()) # send packets always enqueued successfully print('%s: sending packet "%s" on the out interface with mtu=%d' % (self, p, self.out_intf_L[0].mtu)) - + self.out_intf_L[0].put(p.to_byte_S()) # send packets always enqueued successfully + ## receive packet from the network layer def udt_receive(self): pkt_S = self.in_intf_L[0].get() @@ -109,7 +110,8 @@ class Router: ##@param name: friendly router name for debugging # @param intf_count: the number of input and output interfaces # @param max_queue_size: max queue length (passed to Interface) - def __init__(self, name, intf_count, max_queue_size, mtu): + # @param mtu: MTU for all interfaces + def __init__(self, name, intf_count, max_queue_size, mtu=50): self.stop = False # for thread termination self.name = name # create a list of interfaces @@ -134,9 +136,9 @@ def forward(self): # HERE you will need to implement a lookup into the # forwarding table to find the appropriate outgoing interface # for now we assume the outgoing interface is also i - self.out_intf_L[i].put(p.to_byte_S(), True) print('%s: forwarding packet "%s" from interface %d to %d with mtu %d' \ % (self, p, i, i, self.out_intf_L[i].mtu)) + self.out_intf_L[i].put(p.to_byte_S(), True) except queue.Full: print('%s: packet "%s" lost on interface %d' % (self, p, i)) pass From 43c80b490259af87249d60b2e838386d03bcaa52 Mon Sep 17 00:00:00 2001 From: Mike Wittie <mwittie@cs.montana.edu> Date: Fri, 9 Oct 2020 15:43:48 +0200 Subject: [PATCH 17/25] allow packet loss within routers --- network.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/network.py b/network.py index 386a7e0..ad9148d 100644 --- a/network.py +++ b/network.py @@ -138,7 +138,7 @@ def forward(self): # for now we assume the outgoing interface is also i print('%s: forwarding packet "%s" from interface %d to %d with mtu %d' \ % (self, p, i, i, self.out_intf_L[i].mtu)) - self.out_intf_L[i].put(p.to_byte_S(), True) + self.out_intf_L[i].put(p.to_byte_S()) except queue.Full: print('%s: packet "%s" lost on interface %d' % (self, p, i)) pass From 4f8c3e7d5d2cf780ec9ff911f6e06b137fd9c295 Mon Sep 17 00:00:00 2001 From: Mike Wittie <mwittie@cs.montana.edu> Date: Fri, 9 Oct 2020 16:00:07 +0200 Subject: [PATCH 18/25] minor readme updates --- README.md | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/README.md b/README.md index 055d8b5..ce1d4fe 100644 --- a/README.md +++ b/README.md @@ -85,12 +85,12 @@ Your task is to extend the given code to implement several data link router func ![network_2](https://github.com/msu-netlab/MSU_CSCI_466_PAs/blob/data_plane/images/network.png) Second, create routing tables so that both Host 1 and Host 2 can send packets to Host 3 and Host 4 respectively. - The routing table for each router should be passed into the `Router` constructor, and so should be defined in `simulation.py`. - The format of these is up to you. + The routing table for each router should be passed into the `Router` constructor, and so it should be defined in `simulation.py`. + The format of these tables is up to you. You will also need to modify the `Router` class to forward the packets correctly between interfaces according to your routing tables. -Finally, third, configure the routing tables to forward packets from Host 1 through Router B and from Host 2 through Router C. -You may extend `NetworkPacket` with a source address, but it is not necessary to forward a packet onto different paths. + Finally, third, configure the routing tables to forward packets from Host 1 through Router B and from Host 2 through Router C. + You may extend `NetworkPacket` with a source address, if you find that useful. Implement your solution in files `link_3.py`, `network_3.py`, and `simulation_3.py`. From 261f72c12d1701c4ff414a20aa7b20d62fe7e7ca Mon Sep 17 00:00:00 2001 From: Mike Wittie <mwittie@cs.montana.edu> Date: Fri, 9 Oct 2020 19:42:45 +0200 Subject: [PATCH 19/25] update intro --- README.md | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/README.md b/README.md index ce1d4fe..eb43894 100644 --- a/README.md +++ b/README.md @@ -2,9 +2,9 @@ ## Instructions -Complete the following assignment in pairs. -Submit your work on D2L into the "Programming Assignment 3" folder before its due date. -All partners will submit the same solution and we will only grade one solution for each group. +Complete the following assignment by yourself, or in a group of two. +Submit your work on D2L into the "Programming Assignment 3" folder. +Please have only one member of the group submit. ## Learning Objectives From a23a9e1803ebc9b635727480a40590e3d89094ba Mon Sep 17 00:00:00 2001 From: Mike Wittie <mwittie@cs.montana.edu> Date: Thu, 15 Oct 2020 00:02:46 +0200 Subject: [PATCH 20/25] set MTU on the link --- README.md | 2 +- link.py | 7 +++++-- network.py | 18 ++++++++---------- simulation.py | 6 +++--- 4 files changed, 17 insertions(+), 16 deletions(-) diff --git a/README.md b/README.md index eb43894..480beb4 100644 --- a/README.md +++ b/README.md @@ -67,7 +67,7 @@ Your task is to extend the given code to implement several data link router func * \[10 points\] The packets you created are small enough to transmit over the client's interface. - However, if we change the MTU of the router interfaces to 30, the packets will now need to be segmented. + However, if we change the MTU of link between `router_a` and `server` to 30, the packets will now need to be segmented. Your task is to extend the network layer to support segmentation. Study lecture notes and the book on how IP implements segmentation. diff --git a/link.py b/link.py index b381b05..905bdaf 100644 --- a/link.py +++ b/link.py @@ -18,14 +18,17 @@ class Link: # @param to_node: node to which data will be transfered # @param to_intf_num: number of the interface on that node # @param mtu: link maximum transmission unit - def __init__(self, from_node, from_intf_num, to_node, to_intf_num): + def __init__(self, from_node, from_intf_num, to_node, to_intf_num, mtu): self.from_node = from_node self.from_intf_num = from_intf_num self.to_node = to_node self.to_intf_num = to_intf_num self.in_intf = from_node.out_intf_L[from_intf_num] self.out_intf = to_node.in_intf_L[to_intf_num] - + # configure the MTUs of linked interfaces + self.in_intf.mtu = mtu + self.out_intf.mtu = mtu + ## called when printing the object def __str__(self): diff --git a/network.py b/network.py index ad9148d..12cbf7f 100644 --- a/network.py +++ b/network.py @@ -12,9 +12,9 @@ class Interface: ## @param max_queue_size - the maximum size of the queue storing packets # @param mtu - the maximum transmission unit on this interface - def __init__(self, max_queue_size=0, mtu=50): + def __init__(self, max_queue_size=0): self.queue = queue.Queue(max_queue_size); - self.mtu = mtu + self.mtu = 1 ## get packet from the queue interface def get(self): @@ -67,11 +67,10 @@ def from_byte_S(self, byte_S): class Host: ##@param addr: address of this node represented as an integer - # @param mtu: MTU for all interfaces - def __init__(self, addr, mtu=50): + def __init__(self, addr): self.addr = addr - self.in_intf_L = [Interface(mtu=mtu)] - self.out_intf_L = [Interface(mtu=mtu)] + self.in_intf_L = [Interface()] + self.out_intf_L = [Interface()] self.stop = False # for thread termination ## called when printing the object @@ -110,13 +109,12 @@ class Router: ##@param name: friendly router name for debugging # @param intf_count: the number of input and output interfaces # @param max_queue_size: max queue length (passed to Interface) - # @param mtu: MTU for all interfaces - def __init__(self, name, intf_count, max_queue_size, mtu=50): + def __init__(self, name, intf_count, max_queue_size): self.stop = False # for thread termination self.name = name # create a list of interfaces - self.in_intf_L = [Interface(max_queue_size, mtu) for _ in range(intf_count)] - self.out_intf_L = [Interface(max_queue_size, mtu) for _ in range(intf_count)] + self.in_intf_L = [Interface(max_queue_size) for _ in range(intf_count)] + self.out_intf_L = [Interface(max_queue_size) for _ in range(intf_count)] ## called when printing the object def __str__(self): diff --git a/simulation.py b/simulation.py index e6a24cb..22add57 100644 --- a/simulation.py +++ b/simulation.py @@ -23,7 +23,7 @@ object_L.append(client) server = network.Host(2) object_L.append(server) - router_a = network.Router(name='A', intf_count=1, max_queue_size=router_queue_size, mtu=50) + router_a = network.Router(name='A', intf_count=1, max_queue_size=router_queue_size) object_L.append(router_a) # create a Link Layer to keep track of links between network nodes @@ -32,8 +32,8 @@ # add all the links # link parameters: from_node, from_intf_num, to_node, to_intf_num, mtu - link_layer.add_link(link.Link(client, 0, router_a, 0)) - link_layer.add_link(link.Link(router_a, 0, server, 0)) + link_layer.add_link(link.Link(client, 0, router_a, 0, 50)) + link_layer.add_link(link.Link(router_a, 0, server, 0, 30)) # start all the objects thread_L = [threading.Thread(name=object.__str__(), target=object.run) for object in object_L] From dc330c8084d74e89a7d2ae0792c80c2d5a9dc01a Mon Sep 17 00:00:00 2001 From: Mike Wittie <mwittie@cs.montana.edu> Date: Wed, 21 Oct 2020 17:38:43 -0600 Subject: [PATCH 21/25] reset the starting point of network 1 to have MTU of 50 on both links --- simulation.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/simulation.py b/simulation.py index 22add57..3a8adae 100644 --- a/simulation.py +++ b/simulation.py @@ -33,7 +33,7 @@ # add all the links # link parameters: from_node, from_intf_num, to_node, to_intf_num, mtu link_layer.add_link(link.Link(client, 0, router_a, 0, 50)) - link_layer.add_link(link.Link(router_a, 0, server, 0, 30)) + link_layer.add_link(link.Link(router_a, 0, server, 0, 50)) # start all the objects thread_L = [threading.Thread(name=object.__str__(), target=object.run) for object in object_L] From dc04e299af5faa59e1162f0e44441d26f142aea5 Mon Sep 17 00:00:00 2001 From: Mike Wittie <mwittie@cs.montana.edu> Date: Wed, 20 Oct 2021 11:29:20 -0600 Subject: [PATCH 22/25] Update venv --- .gitignore | 13 - .idea/.gitignore | 2 - .../MSU_CSCI_466_Programming_Assignments.iml | 2 +- .idea/PAs.iml | 10 + .idea/codeStyles/codeStyleConfig.xml | 5 + .idea/codeStyles/desktop.ini | 2 + .idea/desktop.ini | 2 + .idea/inspectionProfiles/Project_Default.xml | 8 + .idea/inspectionProfiles/desktop.ini | 2 + .idea/misc.xml | 2 +- .idea/runConfigurations/Simulation.xml | 24 + .idea/runConfigurations/desktop.ini | 2 + .../site-packages/_distutils_hack/__init__.py | 128 + .../site-packages/_distutils_hack/override.py | 1 + .../site-packages/distutils-precedence.pth | 1 + venv/Lib/site-packages/easy-install.pth | 2 - .../pip-19.0.3-py3.7.egg/EGG-INFO/PKG-INFO | 73 - .../pip-19.0.3-py3.7.egg/EGG-INFO/SOURCES.txt | 391 - .../EGG-INFO/dependency_links.txt | 1 - .../EGG-INFO/entry_points.txt | 5 - .../EGG-INFO/not-zip-safe | 1 - .../pip-19.0.3-py3.7.egg/pip/__init__.py | 1 - .../pip-19.0.3-py3.7.egg/pip/__main__.py | 19 - .../pip/_internal/__init__.py | 78 - .../pip/_internal/build_env.py | 215 - .../pip/_internal/cache.py | 224 - .../pip/_internal/cli/base_command.py | 341 - .../pip/_internal/cli/cmdoptions.py | 809 -- .../pip/_internal/commands/__init__.py | 79 - .../pip/_internal/commands/completion.py | 94 - .../pip/_internal/commands/configuration.py | 227 - .../pip/_internal/commands/download.py | 176 - .../pip/_internal/commands/freeze.py | 96 - .../pip/_internal/commands/install.py | 566 -- .../pip/_internal/commands/list.py | 301 - .../pip/_internal/commands/search.py | 135 - .../pip/_internal/commands/show.py | 168 - .../pip/_internal/commands/uninstall.py | 78 - .../pip/_internal/commands/wheel.py | 186 - .../pip/_internal/download.py | 971 -- .../pip/_internal/exceptions.py | 274 - .../pip/_internal/index.py | 990 -- .../pip/_internal/locations.py | 211 - .../pip/_internal/models/candidate.py | 31 - .../pip/_internal/models/format_control.py | 73 - .../pip/_internal/models/index.py | 31 - .../pip/_internal/models/link.py | 163 - .../pip/_internal/operations/check.py | 155 - .../pip/_internal/operations/freeze.py | 247 - .../pip/_internal/operations/prepare.py | 413 - .../pip/_internal/pep425tags.py | 381 - .../pip/_internal/req/__init__.py | 77 - .../pip/_internal/req/constructors.py | 339 - .../pip/_internal/req/req_file.py | 382 - .../pip/_internal/req/req_install.py | 1021 -- .../pip/_internal/req/req_set.py | 197 - .../pip/_internal/req/req_tracker.py | 88 - .../pip/_internal/resolve.py | 393 - .../pip/_internal/utils/appdirs.py | 270 - .../pip/_internal/utils/compat.py | 264 - .../pip/_internal/utils/deprecation.py | 90 - .../pip/_internal/utils/encoding.py | 39 - .../pip/_internal/utils/filesystem.py | 30 - .../pip/_internal/utils/hashes.py | 115 - .../pip/_internal/utils/logging.py | 318 - .../pip/_internal/utils/misc.py | 1040 -- .../pip/_internal/utils/outdated.py | 164 - .../pip/_internal/utils/packaging.py | 85 - .../pip/_internal/utils/setuptools_build.py | 8 - .../pip/_internal/utils/temp_dir.py | 155 - .../pip/_internal/utils/typing.py | 29 - .../pip/_internal/utils/ui.py | 441 - .../pip/_internal/vcs/__init__.py | 534 -- .../pip/_internal/vcs/bazaar.py | 114 - .../pip/_internal/vcs/git.py | 369 - .../pip/_internal/vcs/mercurial.py | 103 - .../pip/_internal/vcs/subversion.py | 200 - .../pip/_internal/wheel.py | 1095 --- .../pip/_vendor/certifi/__init__.py | 3 - .../pip/_vendor/certifi/__main__.py | 2 - .../pip/_vendor/certifi/core.py | 20 - .../pip/_vendor/chardet/__init__.py | 39 - .../pip/_vendor/chardet/langbulgarianmodel.py | 228 - .../pip/_vendor/chardet/langcyrillicmodel.py | 333 - .../pip/_vendor/chardet/langgreekmodel.py | 225 - .../pip/_vendor/chardet/langhebrewmodel.py | 200 - .../pip/_vendor/chardet/langhungarianmodel.py | 225 - .../pip/_vendor/chardet/langthaimodel.py | 199 - .../pip/_vendor/chardet/langturkishmodel.py | 193 - .../pip/_vendor/chardet/sbcsgroupprober.py | 73 - .../pip/_vendor/html5lib/_trie/__init__.py | 14 - .../pip/_vendor/html5lib/_trie/datrie.py | 44 - .../pip/_vendor/idna/__init__.py | 2 - .../pip/_vendor/idna/compat.py | 12 - .../pip/_vendor/idna/package_data.py | 2 - .../pip/_vendor/idna/uts46data.py | 8205 ---------------- .../pip/_vendor/ipaddress.py | 2419 ----- .../pip/_vendor/lockfile/__init__.py | 347 - .../pip/_vendor/lockfile/linklockfile.py | 73 - .../pip/_vendor/lockfile/mkdirlockfile.py | 84 - .../pip/_vendor/lockfile/pidlockfile.py | 190 - .../pip/_vendor/lockfile/sqlitelockfile.py | 156 - .../pip/_vendor/lockfile/symlinklockfile.py | 70 - .../pip/_vendor/msgpack/__init__.py | 66 - .../pip/_vendor/msgpack/_version.py | 1 - .../pip/_vendor/msgpack/exceptions.py | 41 - .../pip/_vendor/pep517/__init__.py | 4 - .../pip/_vendor/pep517/_in_process.py | 207 - .../pip/_vendor/pep517/wrappers.py | 163 - .../pip/_vendor/progress/helpers.py | 91 - .../pip/_vendor/pytoml/__init__.py | 4 - .../pip/_vendor/pytoml/core.py | 13 - .../pip/_vendor/pytoml/parser.py | 341 - .../pip/_vendor/pytoml/test.py | 30 - .../pip/_vendor/pytoml/utils.py | 67 - .../pip/_vendor/pytoml/writer.py | 106 - .../pip/_vendor/retrying.py | 267 - .../pip/_vendor/urllib3/connection.py | 391 - .../urllib3/contrib/_appengine_environ.py | 30 - .../pip/_vendor/urllib3/contrib/ntlmpool.py | 111 - .../pip/_vendor/urllib3/exceptions.py | 246 - .../pip/_vendor/urllib3/fields.py | 178 - .../packages/ssl_match_hostname/__init__.py | 19 - .../pip/_vendor/urllib3/util/__init__.py | 54 - .../pip/_vendor/urllib3/util/ssl_.py | 381 - .../pip/_vendor/urllib3/util/url.py | 230 - .../INSTALLER} | 0 .../pip-21.3.dist-info/LICENSE.txt | 20 + .../site-packages/pip-21.3.dist-info/METADATA | 93 + .../site-packages/pip-21.3.dist-info/RECORD | 818 ++ .../site-packages/pip-21.3.dist-info/WHEEL | 5 + .../pip-21.3.dist-info/entry_points.txt | 5 + .../pip-21.3.dist-info/top_level.txt | 1 + venv/Lib/site-packages/pip/__init__.py | 13 + venv/Lib/site-packages/pip/__main__.py | 31 + .../site-packages/pip/_internal/__init__.py | 19 + .../site-packages/pip/_internal/build_env.py | 293 + venv/Lib/site-packages/pip/_internal/cache.py | 264 + .../pip/_internal/cli/__init__.py | 0 .../pip/_internal/cli/autocompletion.py | 111 +- .../pip/_internal/cli/base_command.py | 214 + .../pip/_internal/cli/cmdoptions.py | 1010 ++ .../pip/_internal/cli/command_context.py | 27 + .../site-packages/pip/_internal/cli/main.py | 70 + .../pip/_internal/cli/main_parser.py | 67 +- .../pip/_internal/cli/parser.py | 179 +- .../pip/_internal/cli/progress_bars.py | 250 + .../pip/_internal/cli/req_command.py | 468 + .../pip/_internal/cli/spinners.py | 157 + .../pip/_internal/cli/status_codes.py | 2 - .../pip/_internal/commands/__init__.py | 127 + .../pip/_internal/commands/cache.py | 223 + .../pip/_internal/commands/check.py | 32 +- .../pip/_internal/commands/completion.py | 96 + .../pip/_internal/commands/configuration.py | 266 + .../pip/_internal/commands/debug.py | 202 + .../pip/_internal/commands/download.py | 139 + .../pip/_internal/commands/freeze.py | 97 + .../pip/_internal/commands/hash.py | 42 +- .../pip/_internal/commands/help.py | 22 +- .../pip/_internal/commands/index.py | 138 + .../pip/_internal/commands/install.py | 770 ++ .../pip/_internal/commands/list.py | 361 + .../pip/_internal/commands/search.py | 174 + .../pip/_internal/commands/show.py | 235 + .../pip/_internal/commands/uninstall.py | 105 + .../pip/_internal/commands/wheel.py | 177 + .../pip/_internal/configuration.py | 288 +- .../pip/_internal/distributions/__init__.py | 21 + .../pip/_internal/distributions/base.py | 36 + .../pip/_internal/distributions/installed.py | 22 + .../pip/_internal/distributions/sdist.py | 117 + .../pip/_internal/distributions/wheel.py | 31 + .../site-packages/pip/_internal/exceptions.py | 402 + .../pip/_internal/index/__init__.py | 2 + .../pip/_internal/index/collector.py | 536 ++ .../pip/_internal/index/package_finder.py | 993 ++ .../pip/_internal/index/sources.py | 224 + .../pip/_internal/locations/__init__.py | 446 + .../pip/_internal/locations/_distutils.py | 169 + .../pip/_internal/locations/_sysconfig.py | 219 + .../pip/_internal/locations/base.py | 52 + venv/Lib/site-packages/pip/_internal/main.py | 12 + .../pip/_internal/metadata/__init__.py | 51 + .../pip/_internal/metadata/base.py | 330 + .../pip/_internal/metadata/pkg_resources.py | 146 + .../pip/_internal/models/__init__.py | 0 .../pip/_internal/models/candidate.py | 34 + .../pip/_internal/models/direct_url.py | 220 + .../pip/_internal/models/format_control.py | 80 + .../pip/_internal/models/index.py | 28 + .../pip/_internal/models/link.py | 288 + .../pip/_internal/models/scheme.py | 31 + .../pip/_internal/models/search_scope.py | 129 + .../pip/_internal/models/selection_prefs.py | 51 + .../pip/_internal/models/target_python.py | 110 + .../pip/_internal/models/wheel.py | 89 + .../pip/_internal/network/__init__.py | 2 + .../pip/_internal/network/auth.py | 323 + .../pip/_internal/network/cache.py | 69 + .../pip/_internal/network/download.py | 184 + .../pip/_internal/network/lazy_wheel.py | 210 + .../pip/_internal/network/session.py | 454 + .../pip/_internal/network/utils.py | 96 + .../pip/_internal/network/xmlrpc.py | 60 + .../pip/_internal/operations/__init__.py | 0 .../_internal/operations/build}/__init__.py | 0 .../_internal/operations/build/metadata.py | 32 + .../operations/build/metadata_editable.py | 34 + .../operations/build/metadata_legacy.py | 67 + .../pip/_internal/operations/build/wheel.py | 37 + .../operations/build/wheel_editable.py | 46 + .../operations/build/wheel_legacy.py | 105 + .../pip/_internal/operations/check.py | 149 + .../pip/_internal/operations/freeze.py | 254 + .../_internal/operations/install/__init__.py | 2 + .../operations/install/editable_legacy.py | 46 + .../_internal/operations/install/legacy.py | 125 + .../pip/_internal/operations/install/wheel.py | 738 ++ .../pip/_internal/operations/prepare.py | 631 ++ .../pip/_internal/pyproject.py | 92 +- .../pip/_internal/req/__init__.py | 94 + .../pip/_internal/req/constructors.py | 464 + .../pip/_internal/req/req_file.py | 536 ++ .../pip/_internal/req/req_install.py | 916 ++ .../pip/_internal/req/req_set.py | 189 + .../pip/_internal/req/req_tracker.py | 124 + .../pip/_internal/req/req_uninstall.py | 373 +- .../_internal/resolution}/__init__.py | 0 .../pip/_internal/resolution/base.py | 20 + .../_internal/resolution/legacy}/__init__.py | 0 .../_internal/resolution/legacy/resolver.py | 467 + .../resolution/resolvelib}/__init__.py | 0 .../_internal/resolution/resolvelib/base.py | 141 + .../resolution/resolvelib/candidates.py | 540 ++ .../resolution/resolvelib/factory.py | 701 ++ .../resolution/resolvelib/found_candidates.py | 155 + .../resolution/resolvelib/provider.py | 215 + .../resolution/resolvelib/reporter.py | 68 + .../resolution/resolvelib/requirements.py | 166 + .../resolution/resolvelib/resolver.py | 251 + .../pip/_internal/self_outdated_check.py | 182 + .../_internal/utils}/__init__.py | 0 .../site-packages/pip/_internal/utils/_log.py | 38 + .../pip/_internal/utils/appdirs.py | 40 + .../pip/_internal/utils/compat.py | 63 + .../pip/_internal/utils/compatibility_tags.py | 165 + .../pip/_internal/utils/datetime.py | 11 + .../pip/_internal/utils/deprecation.py | 120 + .../pip/_internal/utils/direct_url_helpers.py | 87 + .../pip/_internal/utils/distutils_args.py | 42 + .../pip/_internal/utils/egg_link.py | 75 + .../pip/_internal/utils/encoding.py | 36 + .../pip/_internal/utils/entrypoints.py | 27 + .../pip/_internal/utils/filesystem.py | 182 + .../pip/_internal/utils/filetypes.py | 27 + .../pip/_internal/utils/glibc.py | 71 +- .../pip/_internal/utils/hashes.py | 144 + .../_internal/utils/inject_securetransport.py | 35 + .../pip/_internal/utils/logging.py | 358 + .../site-packages/pip/_internal/utils/misc.py | 689 ++ .../pip/_internal/utils/models.py | 27 +- .../pip/_internal/utils/packaging.py | 84 + .../pip/_internal/utils/parallel.py | 103 + .../pip/_internal/utils/pkg_resources.py | 33 + .../pip/_internal/utils/setuptools_build.py | 167 + .../pip/_internal/utils/subprocess.py | 289 + .../pip/_internal/utils/temp_dir.py | 246 + .../pip/_internal/utils/unpacking.py | 258 + .../site-packages/pip/_internal/utils/urls.py | 62 + .../pip/_internal/utils/virtualenv.py | 104 + .../pip/_internal/utils/wheel.py | 182 + .../pip/_internal/vcs/__init__.py | 15 + .../site-packages/pip/_internal/vcs/bazaar.py | 93 + .../site-packages/pip/_internal/vcs/git.py | 513 + .../pip/_internal/vcs/mercurial.py | 153 + .../pip/_internal/vcs/subversion.py | 318 + .../pip/_internal/vcs/versioncontrol.py | 693 ++ .../pip/_internal/wheel_builder.py | 377 + .../pip/_vendor/__init__.py | 40 +- .../pip/_vendor/cachecontrol/__init__.py | 2 +- .../pip/_vendor/cachecontrol/_cmd.py | 0 .../pip/_vendor/cachecontrol/adapter.py | 2 +- .../pip/_vendor/cachecontrol/cache.py | 0 .../_vendor/cachecontrol/caches/__init__.py | 0 .../_vendor/cachecontrol/caches/file_cache.py | 4 +- .../cachecontrol/caches/redis_cache.py | 0 .../pip/_vendor/cachecontrol/compat.py | 0 .../pip/_vendor/cachecontrol/controller.py | 11 +- .../pip/_vendor/cachecontrol/filewrapper.py | 0 .../pip/_vendor/cachecontrol/heuristics.py | 0 .../pip/_vendor/cachecontrol/serialize.py | 4 +- .../pip/_vendor/cachecontrol/wrapper.py | 2 +- .../pip/_vendor/certifi/__init__.py | 3 + .../pip/_vendor/certifi/__main__.py | 12 + .../pip/_vendor/certifi/cacert.pem | 1687 ++-- .../site-packages/pip/_vendor/certifi/core.py | 76 + .../pip/_vendor/chardet/__init__.py | 83 + .../pip/_vendor/chardet/big5freq.py | 0 .../pip/_vendor/chardet/big5prober.py | 0 .../pip/_vendor/chardet/chardistribution.py | 0 .../pip/_vendor/chardet/charsetgroupprober.py | 1 + .../pip/_vendor/chardet/charsetprober.py | 0 .../pip/_vendor/chardet/cli/__init__.py | 0 .../pip/_vendor/chardet/cli/chardetect.py | 7 +- .../pip/_vendor/chardet/codingstatemachine.py | 0 .../pip/_vendor/chardet/compat.py | 6 +- .../pip/_vendor/chardet/cp949prober.py | 0 .../pip/_vendor/chardet/enums.py | 0 .../pip/_vendor/chardet/escprober.py | 0 .../pip/_vendor/chardet/escsm.py | 0 .../pip/_vendor/chardet/eucjpprober.py | 0 .../pip/_vendor/chardet/euckrfreq.py | 0 .../pip/_vendor/chardet/euckrprober.py | 0 .../pip/_vendor/chardet/euctwfreq.py | 0 .../pip/_vendor/chardet/euctwprober.py | 0 .../pip/_vendor/chardet/gb2312freq.py | 0 .../pip/_vendor/chardet/gb2312prober.py | 0 .../pip/_vendor/chardet/hebrewprober.py | 0 .../pip/_vendor/chardet/jisfreq.py | 0 .../pip/_vendor/chardet/jpcntx.py | 0 .../pip/_vendor/chardet/langbulgarianmodel.py | 4650 +++++++++ .../pip/_vendor/chardet/langgreekmodel.py | 4398 +++++++++ .../pip/_vendor/chardet/langhebrewmodel.py | 4383 +++++++++ .../pip/_vendor/chardet/langhungarianmodel.py | 4650 +++++++++ .../pip/_vendor/chardet/langrussianmodel.py | 5718 +++++++++++ .../pip/_vendor/chardet/langthaimodel.py | 4383 +++++++++ .../pip/_vendor/chardet/langturkishmodel.py | 4383 +++++++++ .../pip/_vendor/chardet/latin1prober.py | 0 .../pip/_vendor/chardet/mbcharsetprober.py | 0 .../pip/_vendor/chardet/mbcsgroupprober.py | 0 .../pip/_vendor/chardet/mbcssm.py | 0 .../pip/_vendor/chardet/metadata/__init__.py | 0 .../pip/_vendor/chardet/metadata/languages.py | 310 + .../pip/_vendor/chardet/sbcharsetprober.py | 45 +- .../pip/_vendor/chardet/sbcsgroupprober.py | 83 + .../pip/_vendor/chardet/sjisprober.py | 0 .../pip/_vendor/chardet/universaldetector.py | 8 +- .../pip/_vendor/chardet/utf8prober.py | 0 .../pip/_vendor/chardet/version.py | 2 +- .../pip/_vendor/colorama/__init__.py | 2 +- .../pip/_vendor/colorama/ansi.py | 2 +- .../pip/_vendor/colorama/ansitowin32.py | 19 +- .../pip/_vendor/colorama/initialise.py | 0 .../pip/_vendor/colorama/win32.py | 0 .../pip/_vendor/colorama/winterm.py | 0 .../pip/_vendor/distlib/__init__.py | 4 +- .../pip/_vendor/distlib/_backport/__init__.py | 0 .../pip/_vendor/distlib/_backport/misc.py | 0 .../pip/_vendor/distlib/_backport/shutil.py | 9 +- .../_vendor/distlib/_backport/sysconfig.cfg | 0 .../_vendor/distlib/_backport/sysconfig.py | 8 +- .../pip/_vendor/distlib/_backport/tarfile.py | 0 .../pip/_vendor/distlib/compat.py | 28 +- .../pip/_vendor/distlib/database.py | 4 +- .../pip/_vendor/distlib/index.py | 29 +- .../pip/_vendor/distlib/locators.py | 47 +- .../pip/_vendor/distlib/manifest.py | 0 .../pip/_vendor/distlib/markers.py | 20 +- .../pip/_vendor/distlib/metadata.py | 134 +- .../pip/_vendor/distlib/resources.py | 7 +- .../pip/_vendor/distlib/scripts.py | 88 +- .../site-packages/pip/_vendor/distlib/t32.exe | Bin 0 -> 96768 bytes .../pip/_vendor/distlib/t64-arm.exe | Bin 0 -> 180736 bytes .../site-packages/pip/_vendor/distlib/t64.exe | Bin 0 -> 105984 bytes .../pip/_vendor/distlib/util.py | 225 +- .../pip/_vendor/distlib/version.py | 5 +- .../site-packages/pip/_vendor/distlib/w32.exe | Bin 0 -> 90112 bytes .../pip/_vendor/distlib/w64-arm.exe | Bin 0 -> 166400 bytes .../site-packages/pip/_vendor/distlib/w64.exe | Bin 0 -> 99840 bytes .../pip/_vendor/distlib/wheel.py | 115 +- .../pip/_vendor/distro.py | 543 +- .../pip/_vendor/html5lib/__init__.py | 2 +- .../pip/_vendor/html5lib/_ihatexml.py | 5 +- .../pip/_vendor/html5lib/_inputstream.py | 55 +- .../pip/_vendor/html5lib/_tokenizer.py | 16 +- .../pip/_vendor/html5lib/_trie/__init__.py | 5 + .../pip/_vendor/html5lib/_trie/_base.py | 5 +- .../pip/_vendor/html5lib/_trie/py.py | 0 .../pip/_vendor/html5lib/_utils.py | 49 +- .../pip/_vendor/html5lib/constants.py | 9 +- .../pip/_vendor/html5lib/filters/__init__.py | 0 .../filters/alphabeticalattributes.py | 0 .../pip/_vendor/html5lib/filters/base.py | 0 .../html5lib/filters/inject_meta_charset.py | 0 .../pip/_vendor/html5lib/filters/lint.py | 0 .../_vendor/html5lib/filters/optionaltags.py | 0 .../pip/_vendor/html5lib/filters/sanitizer.py | 20 + .../_vendor/html5lib/filters/whitespace.py | 0 .../pip/_vendor/html5lib/html5parser.py | 734 +- .../pip/_vendor/html5lib/serializer.py | 2 +- .../_vendor/html5lib/treeadapters/__init__.py | 0 .../_vendor/html5lib/treeadapters/genshi.py | 0 .../pip/_vendor/html5lib/treeadapters/sax.py | 0 .../_vendor/html5lib/treebuilders/__init__.py | 0 .../pip/_vendor/html5lib/treebuilders/base.py | 8 +- .../pip/_vendor/html5lib/treebuilders/dom.py | 5 +- .../_vendor/html5lib/treebuilders/etree.py | 27 +- .../html5lib/treebuilders/etree_lxml.py | 64 +- .../_vendor/html5lib/treewalkers/__init__.py | 6 +- .../pip/_vendor/html5lib/treewalkers/base.py | 0 .../pip/_vendor/html5lib/treewalkers/dom.py | 0 .../pip/_vendor/html5lib/treewalkers/etree.py | 1 + .../html5lib/treewalkers/etree_lxml.py | 4 +- .../_vendor/html5lib/treewalkers/genshi.py | 0 .../pip/_vendor/idna/__init__.py | 44 + .../pip/_vendor/idna/codec.py | 65 +- .../site-packages/pip/_vendor/idna/compat.py | 16 + .../pip/_vendor/idna/core.py | 159 +- .../pip/_vendor/idna/idnadata.py | 155 +- .../pip/_vendor/idna/intranges.py | 5 + .../pip/_vendor/idna/package_data.py | 2 + .../pip/_vendor/idna/uts46data.py | 8438 +++++++++++++++++ .../pip/_vendor/msgpack/__init__.py | 54 + .../pip/_vendor/msgpack/_version.py | 1 + .../pip/_vendor/msgpack/exceptions.py | 48 + .../site-packages/pip/_vendor/msgpack/ext.py | 193 + .../pip/_vendor/msgpack/fallback.py | 818 +- .../pip/_vendor/packaging/__about__.py | 26 + .../pip/_vendor/packaging/__init__.py | 25 + .../pip/_vendor/packaging/_manylinux.py | 301 + .../pip/_vendor/packaging/_musllinux.py | 136 + .../pip/_vendor/packaging/_structures.py | 67 + .../pip/_vendor/packaging/markers.py | 304 + .../pip/_vendor/packaging/requirements.py | 146 + .../pip/_vendor/packaging/specifiers.py | 828 ++ .../pip/_vendor/packaging/tags.py | 484 + .../pip/_vendor/packaging/utils.py | 136 + .../pip/_vendor/packaging/version.py | 504 + .../pip/_vendor/pep517/__init__.py | 6 + .../pip/_vendor/pep517/build.py | 83 +- .../pip/_vendor/pep517/check.py | 13 +- .../pip/_vendor/pep517/colorlog.py | 0 .../pip/_vendor/pep517/compat.py | 21 +- .../pip/_vendor/pep517/dirtools.py | 44 + .../pip/_vendor/pep517/envbuild.py | 35 +- .../pip/_vendor/pep517/in_process/__init__.py | 17 + .../_vendor/pep517/in_process/_in_process.py | 349 + .../site-packages/pip/_vendor/pep517/meta.py | 92 + .../pip/_vendor/pep517/wrappers.py | 371 + .../pip/_vendor/pkg_resources/__init__.py | 151 +- .../pip/_vendor/pkg_resources/py31compat.py | 0 .../pip/_vendor/platformdirs/__init__.py | 329 + .../pip/_vendor/platformdirs/__main__.py | 44 + .../pip/_vendor/platformdirs/android.py | 117 + .../pip/_vendor/platformdirs/api.py | 155 + .../pip/_vendor/platformdirs/macos.py | 62 + .../pip/_vendor/platformdirs/unix.py | 180 + .../pip/_vendor/platformdirs/version.py | 4 + .../pip/_vendor/platformdirs/windows.py | 180 + .../pip/_vendor/progress/__init__.py | 94 +- .../pip/_vendor/progress/bar.py | 13 +- .../pip/_vendor/progress/colors.py | 79 + .../pip/_vendor/progress/counter.py | 27 +- .../pip/_vendor/progress/spinner.py | 13 +- .../site-packages/pip/_vendor/pyparsing.py | 7107 ++++++++++++++ .../pip/_vendor/requests/__init__.py | 75 +- .../pip/_vendor/requests/__version__.py | 8 +- .../pip/_vendor/requests/_internal_utils.py | 0 .../pip/_vendor/requests/adapters.py | 0 .../pip/_vendor/requests/api.py | 13 +- .../pip/_vendor/requests/auth.py | 4 +- .../pip/_vendor/requests/certs.py | 0 .../pip/_vendor/requests/compat.py | 2 + .../pip/_vendor/requests/cookies.py | 0 .../pip/_vendor/requests/exceptions.py | 13 +- .../pip/_vendor/requests/help.py | 17 +- .../pip/_vendor/requests/hooks.py | 0 .../pip/_vendor/requests/models.py | 45 +- .../pip/_vendor/requests/packages.py | 0 .../pip/_vendor/requests/sessions.py | 53 +- .../pip/_vendor/requests/status_codes.py | 15 +- .../pip/_vendor/requests/structures.py | 4 +- .../pip/_vendor/requests/utils.py | 56 +- .../pip/_vendor/resolvelib/__init__.py | 26 + .../pip/_vendor/resolvelib/compat/__init__.py | 0 .../resolvelib/compat/collections_abc.py | 6 + .../pip/_vendor/resolvelib/providers.py | 133 + .../pip/_vendor/resolvelib/reporters.py | 37 + .../pip/_vendor/resolvelib/resolvers.py | 483 + .../pip/_vendor/resolvelib/structs.py | 165 + .../pip/_vendor/six.py | 104 +- .../pip/_vendor/tenacity/__init__.py | 517 + .../pip/_vendor/tenacity/_asyncio.py | 92 + .../pip/_vendor/tenacity/_utils.py | 68 + .../pip/_vendor/tenacity/after.py | 46 + .../pip/_vendor/tenacity/before.py | 41 + .../pip/_vendor/tenacity/before_sleep.py | 58 + .../site-packages/pip/_vendor/tenacity/nap.py | 43 + .../pip/_vendor/tenacity/retry.py | 213 + .../pip/_vendor/tenacity/stop.py | 96 + .../pip/_vendor/tenacity/tornadoweb.py | 59 + .../pip/_vendor/tenacity/wait.py | 191 + .../pip/_vendor/tomli/__init__.py | 6 + .../pip/_vendor/tomli/_parser.py | 703 ++ .../site-packages/pip/_vendor/tomli/_re.py | 83 + .../pip/_vendor/urllib3/__init__.py | 73 +- .../pip/_vendor/urllib3/_collections.py | 46 +- .../pip/_vendor/urllib3/_version.py | 2 + .../pip/_vendor/urllib3/connection.py | 569 ++ .../pip/_vendor/urllib3/connectionpool.py | 598 +- .../pip/_vendor/urllib3/contrib/__init__.py | 0 .../urllib3/contrib/_appengine_environ.py | 36 + .../contrib/_securetransport/__init__.py | 0 .../contrib/_securetransport/bindings.py | 320 +- .../contrib/_securetransport/low_level.py | 127 +- .../pip/_vendor/urllib3/contrib/appengine.py | 131 +- .../pip/_vendor/urllib3/contrib/ntlmpool.py | 130 + .../pip/_vendor/urllib3/contrib/pyopenssl.py | 205 +- .../urllib3/contrib/securetransport.py | 294 +- .../pip/_vendor/urllib3/contrib/socks.py | 144 +- .../pip/_vendor/urllib3/exceptions.py | 323 + .../pip/_vendor/urllib3/fields.py | 274 + .../pip/_vendor/urllib3/filepost.py | 18 +- .../pip/_vendor/urllib3/packages/__init__.py | 2 +- .../urllib3/packages/backports/__init__.py | 0 .../urllib3/packages/backports/makefile.py | 10 +- .../pip/_vendor/urllib3/packages/six.py | 389 +- .../packages/ssl_match_hostname/__init__.py | 24 + .../ssl_match_hostname/_implementation.py | 58 +- .../pip/_vendor/urllib3/poolmanager.py | 290 +- .../pip/_vendor/urllib3/request.py | 88 +- .../pip/_vendor/urllib3/response.py | 310 +- .../pip/_vendor/urllib3/util/__init__.py | 49 + .../pip/_vendor/urllib3/util/connection.py | 38 +- .../pip/_vendor/urllib3/util/proxy.py | 57 + .../pip/_vendor/urllib3/util/queue.py | 1 + .../pip/_vendor/urllib3/util/request.py | 67 +- .../pip/_vendor/urllib3/util/response.py | 40 +- .../pip/_vendor/urllib3/util/retry.py | 311 +- .../pip/_vendor/urllib3/util/ssl_.py | 495 + .../pip/_vendor/urllib3/util/ssltransport.py | 221 + .../pip/_vendor/urllib3/util/timeout.py | 136 +- .../pip/_vendor/urllib3/util/url.py | 432 + .../pip/_vendor/urllib3/util/wait.py | 9 +- venv/Lib/site-packages/pip/_vendor/vendor.txt | 22 + .../pip/_vendor/webencodings/__init__.py | 0 .../pip/_vendor/webencodings/labels.py | 0 .../pip/_vendor/webencodings/mklabels.py | 0 .../pip/_vendor/webencodings/tests.py | 0 .../_vendor/webencodings/x_user_defined.py | 0 venv/Lib/site-packages/pip/py.typed | 4 + .../site-packages/pkg_resources/__init__.py | 3288 +++++++ .../pkg_resources/_vendor/__init__.py | 0 .../pip => pkg_resources}/_vendor/appdirs.py | 14 +- .../_vendor/packaging/__about__.py | 4 +- .../_vendor/packaging/__init__.py | 0 .../_vendor/packaging/_compat.py | 9 +- .../_vendor/packaging/_structures.py | 26 +- .../_vendor/packaging/_typing.py | 48 + .../_vendor/packaging/markers.py | 328 + .../_vendor/packaging/requirements.py | 145 + .../_vendor/packaging/specifiers.py | 190 +- .../pkg_resources/_vendor/packaging/tags.py | 751 ++ .../_vendor/packaging/utils.py | 18 +- .../_vendor/packaging/version.py | 151 +- .../_vendor/pyparsing.py | 2346 ++--- .../pkg_resources/extern/__init__.py | 73 + .../data/my-test-package-source/setup.py | 6 + .../site-packages/setuptools-40.8.0-py3.7.egg | Bin 571911 -> 0 bytes .../setuptools-58.2.0.dist-info/INSTALLER | 1 + .../setuptools-58.2.0.dist-info/LICENSE | 19 + .../setuptools-58.2.0.dist-info/METADATA | 119 + .../setuptools-58.2.0.dist-info/RECORD | 297 + .../setuptools-58.2.0.dist-info/WHEEL | 5 + .../entry_points.txt | 56 + .../setuptools-58.2.0.dist-info/top_level.txt | 3 + venv/Lib/site-packages/setuptools.pth | 1 - venv/Lib/site-packages/setuptools/__init__.py | 242 + .../setuptools/_deprecation_warning.py | 7 + .../setuptools/_distutils/__init__.py | 15 + .../setuptools/_distutils/_msvccompiler.py | 561 ++ .../setuptools/_distutils/archive_util.py | 256 + .../setuptools/_distutils/bcppcompiler.py | 393 + .../setuptools/_distutils/ccompiler.py | 1123 +++ .../setuptools/_distutils/cmd.py | 403 + .../setuptools/_distutils/command/__init__.py | 31 + .../setuptools/_distutils/command/bdist.py | 143 + .../_distutils/command/bdist_dumb.py | 123 + .../_distutils/command/bdist_msi.py | 749 ++ .../_distutils/command/bdist_rpm.py | 579 ++ .../_distutils/command/bdist_wininst.py | 377 + .../setuptools/_distutils/command/build.py | 157 + .../_distutils/command/build_clib.py | 209 + .../_distutils/command/build_ext.py | 757 ++ .../setuptools/_distutils/command/build_py.py | 392 + .../_distutils/command/build_scripts.py | 152 + .../setuptools/_distutils/command/check.py | 148 + .../setuptools/_distutils/command/clean.py | 76 + .../setuptools/_distutils/command/config.py | 344 + .../setuptools/_distutils/command/install.py | 678 ++ .../_distutils/command/install_data.py | 79 + .../_distutils/command/install_egg_info.py | 77 + .../_distutils/command/install_headers.py | 47 + .../_distutils/command/install_lib.py | 217 + .../_distutils/command/install_scripts.py | 60 + .../_distutils/command/py37compat.py | 30 + .../setuptools/_distutils/command/register.py | 304 + .../setuptools/_distutils/command/sdist.py | 494 + .../setuptools/_distutils/command/upload.py | 214 + .../setuptools/_distutils/config.py | 130 + .../setuptools/_distutils/core.py | 234 + .../setuptools/_distutils/cygwinccompiler.py | 414 + .../setuptools/_distutils/debug.py | 5 + .../setuptools/_distutils/dep_util.py | 92 + .../setuptools/_distutils/dir_util.py | 210 + .../setuptools/_distutils/dist.py | 1257 +++ .../setuptools/_distutils/errors.py | 97 + .../setuptools/_distutils/extension.py | 240 + .../setuptools/_distutils/fancy_getopt.py | 457 + .../setuptools/_distutils/file_util.py | 238 + .../setuptools/_distutils/filelist.py | 355 + .../setuptools/_distutils/log.py | 77 + .../setuptools/_distutils/msvc9compiler.py | 788 ++ .../setuptools/_distutils/msvccompiler.py | 643 ++ .../setuptools/_distutils/py35compat.py | 19 + .../setuptools/_distutils/py38compat.py | 7 + .../setuptools/_distutils/spawn.py | 106 + .../setuptools/_distutils/sysconfig.py | 578 ++ .../setuptools/_distutils/text_file.py | 286 + .../setuptools/_distutils/unixccompiler.py | 332 + .../setuptools/_distutils/util.py | 535 ++ .../setuptools/_distutils/version.py | 347 + .../setuptools/_distutils/versionpredicate.py | 166 + venv/Lib/site-packages/setuptools/_imp.py | 82 + .../setuptools/_vendor/__init__.py | 0 .../_vendor/more_itertools/__init__.py | 4 + .../setuptools/_vendor/more_itertools/more.py | 3825 ++++++++ .../_vendor/more_itertools/recipes.py | 620 ++ .../setuptools/_vendor/ordered_set.py | 488 + .../setuptools/_vendor/packaging/__about__.py | 27 + .../setuptools/_vendor/packaging/__init__.py | 26 + .../setuptools/_vendor/packaging/_compat.py | 38 + .../_vendor/packaging/_structures.py | 86 + .../setuptools/_vendor/packaging/_typing.py | 48 + .../_vendor/packaging/markers.py | 62 +- .../_vendor/packaging/requirements.py | 19 +- .../_vendor/packaging/specifiers.py | 863 ++ .../setuptools/_vendor/packaging/tags.py | 751 ++ .../setuptools/_vendor/packaging/utils.py | 65 + .../setuptools/_vendor/packaging/version.py | 535 ++ .../setuptools/_vendor/pyparsing.py | 5742 +++++++++++ .../site-packages/setuptools/archive_util.py | 205 + .../site-packages/setuptools/build_meta.py | 281 + venv/Lib/site-packages/setuptools/cli-32.exe | Bin 0 -> 65536 bytes venv/Lib/site-packages/setuptools/cli-64.exe | Bin 0 -> 74752 bytes .../site-packages/setuptools/cli-arm64.exe | Bin 0 -> 137216 bytes venv/Lib/site-packages/setuptools/cli.exe | Bin 0 -> 65536 bytes .../setuptools/command/__init__.py | 8 + .../site-packages/setuptools/command/alias.py | 78 + .../setuptools/command/bdist_egg.py | 456 + .../setuptools/command/bdist_rpm.py | 40 + .../setuptools/command/build_clib.py | 101 + .../setuptools/command/build_ext.py | 328 + .../setuptools/command/build_py.py | 232 + .../setuptools/command/develop.py | 193 + .../setuptools/command/dist_info.py | 36 + .../setuptools/command/easy_install.py | 2293 +++++ .../setuptools/command/egg_info.py | 734 ++ .../setuptools/command/install.py | 125 + .../setuptools/command/install_egg_info.py | 62 + .../setuptools/command/install_lib.py | 122 + .../setuptools/command/install_scripts.py | 69 + .../setuptools/command/launcher manifest.xml} | 2 +- .../setuptools/command/py36compat.py | 134 + .../setuptools/command/register.py | 18 + .../setuptools/command/rotate.py | 64 + .../setuptools/command/saveopts.py | 22 + .../site-packages/setuptools/command/sdist.py | 193 + .../setuptools/command/setopt.py | 149 + .../site-packages/setuptools/command/test.py | 252 + .../setuptools/command/upload.py | 17 + .../setuptools/command/upload_docs.py | 202 + venv/Lib/site-packages/setuptools/config.py | 749 ++ venv/Lib/site-packages/setuptools/dep_util.py | 25 + venv/Lib/site-packages/setuptools/depends.py | 175 + venv/Lib/site-packages/setuptools/dist.py | 1150 +++ venv/Lib/site-packages/setuptools/errors.py | 16 + .../Lib/site-packages/setuptools/extension.py | 55 + .../setuptools/extern/__init__.py | 73 + venv/Lib/site-packages/setuptools/glob.py | 167 + venv/Lib/site-packages/setuptools/gui-32.exe | Bin 0 -> 65536 bytes venv/Lib/site-packages/setuptools/gui-64.exe | Bin 0 -> 75264 bytes .../site-packages/setuptools/gui-arm64.exe | Bin 0 -> 137728 bytes venv/Lib/site-packages/setuptools/gui.exe | Bin 0 -> 65536 bytes .../Lib/site-packages/setuptools/installer.py | 97 + venv/Lib/site-packages/setuptools/launch.py | 36 + venv/Lib/site-packages/setuptools/monkey.py | 177 + venv/Lib/site-packages/setuptools/msvc.py | 1805 ++++ .../site-packages/setuptools/namespaces.py | 107 + .../site-packages/setuptools/package_index.py | 1119 +++ .../site-packages/setuptools/py34compat.py | 13 + venv/Lib/site-packages/setuptools/sandbox.py | 530 ++ .../setuptools/script (dev).tmpl | 6 + venv/Lib/site-packages/setuptools/script.tmpl | 3 + .../site-packages/setuptools/unicode_utils.py | 42 + venv/Lib/site-packages/setuptools/version.py | 6 + venv/Lib/site-packages/setuptools/wheel.py | 213 + .../setuptools/windows_support.py | 29 + venv/Lib/tcl8.6/init.tcl | 819 -- venv/Scripts/Activate.ps1 | 395 +- venv/Scripts/_asyncio.pyd | Bin 54424 -> 0 bytes venv/Scripts/_bz2.pyd | Bin 72856 -> 0 bytes venv/Scripts/_contextvars.pyd | Bin 19608 -> 0 bytes venv/Scripts/_ctypes.pyd | Bin 107672 -> 0 bytes venv/Scripts/_ctypes_test.pyd | Bin 29848 -> 0 bytes venv/Scripts/_decimal.pyd | Bin 239768 -> 0 bytes venv/Scripts/_distutils_findvs.pyd | Bin 21656 -> 0 bytes venv/Scripts/_elementtree.pyd | Bin 170136 -> 0 bytes venv/Scripts/_hashlib.pyd | Bin 31896 -> 0 bytes venv/Scripts/_lzma.pyd | Bin 185496 -> 0 bytes venv/Scripts/_msi.pyd | Bin 33432 -> 0 bytes venv/Scripts/_multiprocessing.pyd | Bin 25240 -> 0 bytes venv/Scripts/_overlapped.pyd | Bin 35480 -> 0 bytes venv/Scripts/_queue.pyd | Bin 24216 -> 0 bytes venv/Scripts/_socket.pyd | Bin 66712 -> 0 bytes venv/Scripts/_sqlite3.pyd | Bin 66712 -> 0 bytes venv/Scripts/_ssl.pyd | Bin 103576 -> 0 bytes venv/Scripts/_testbuffer.pyd | Bin 43160 -> 0 bytes venv/Scripts/_testcapi.pyd | Bin 81560 -> 0 bytes venv/Scripts/_testconsole.pyd | Bin 21144 -> 0 bytes venv/Scripts/_testimportmultiple.pyd | Bin 19096 -> 0 bytes venv/Scripts/_testmultiphase.pyd | Bin 26776 -> 0 bytes venv/Scripts/_tkinter.pyd | Bin 58008 -> 0 bytes venv/Scripts/activate | 6 +- venv/Scripts/activate.bat | 40 +- venv/Scripts/easy_install-3.7-script.py | 12 - venv/Scripts/easy_install-3.7.exe.manifest | 15 - venv/Scripts/easy_install-script.py | 12 - venv/Scripts/easy_install.exe.manifest | 15 - venv/Scripts/pip-script.py | 12 - venv/Scripts/pip.exe | Bin 0 -> 106386 bytes venv/Scripts/pip.exe.manifest | 15 - venv/Scripts/pip3-script.py | 12 - venv/Scripts/pip3.7-script.py | 12 - venv/Scripts/pip3.7.exe.manifest | 15 - venv/Scripts/pip3.8.exe | Bin 0 -> 106386 bytes venv/Scripts/pip3.exe | Bin 0 -> 106386 bytes venv/Scripts/pyexpat.pyd | Bin 168088 -> 0 bytes venv/Scripts/python.exe | Bin 0 -> 537776 bytes venv/Scripts/pythonw.exe | Bin 0 -> 536752 bytes venv/Scripts/select.pyd | Bin 23192 -> 0 bytes venv/Scripts/unicodedata.pyd | Bin 1065112 -> 0 bytes venv/Scripts/winsound.pyd | Bin 24216 -> 0 bytes venv/pyvenv.cfg | 4 +- 745 files changed, 143016 insertions(+), 39758 deletions(-) delete mode 100644 .idea/.gitignore create mode 100644 .idea/PAs.iml create mode 100644 .idea/codeStyles/codeStyleConfig.xml create mode 100644 .idea/codeStyles/desktop.ini create mode 100644 .idea/desktop.ini create mode 100644 .idea/inspectionProfiles/Project_Default.xml create mode 100644 .idea/inspectionProfiles/desktop.ini create mode 100644 .idea/runConfigurations/Simulation.xml create mode 100644 .idea/runConfigurations/desktop.ini create mode 100644 venv/Lib/site-packages/_distutils_hack/__init__.py create mode 100644 venv/Lib/site-packages/_distutils_hack/override.py create mode 100644 venv/Lib/site-packages/distutils-precedence.pth delete mode 100644 venv/Lib/site-packages/easy-install.pth delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/PKG-INFO delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/SOURCES.txt delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/dependency_links.txt delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/entry_points.txt delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/not-zip-safe delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__main__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/build_env.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cache.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/base_command.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/cmdoptions.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/completion.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/configuration.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/download.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/freeze.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/install.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/list.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/search.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/show.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/uninstall.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/wheel.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/download.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/exceptions.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/index.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/locations.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/candidate.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/format_control.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/index.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/link.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/check.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/freeze.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/prepare.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pep425tags.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/constructors.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_file.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_install.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_set.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_tracker.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/resolve.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/appdirs.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/compat.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/deprecation.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/encoding.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/filesystem.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/hashes.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/logging.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/misc.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/outdated.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/packaging.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/setuptools_build.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/temp_dir.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/typing.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/ui.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/bazaar.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/git.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/mercurial.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/subversion.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/wheel.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__main__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/core.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langbulgarianmodel.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langcyrillicmodel.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langgreekmodel.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhebrewmodel.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhungarianmodel.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langthaimodel.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langturkishmodel.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcsgroupprober.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/datrie.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/compat.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/package_data.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/uts46data.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/ipaddress.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/linklockfile.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/mkdirlockfile.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/pidlockfile.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/sqlitelockfile.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/symlinklockfile.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/_version.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/exceptions.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/_in_process.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/wrappers.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/helpers.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/core.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/parser.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/test.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/utils.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/writer.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/retrying.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connection.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_appengine_environ.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/ntlmpool.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/exceptions.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/fields.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/__init__.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/ssl_.py delete mode 100644 venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/url.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/EGG-INFO/top_level.txt => pip-21.3.dist-info/INSTALLER} (100%) create mode 100644 venv/Lib/site-packages/pip-21.3.dist-info/LICENSE.txt create mode 100644 venv/Lib/site-packages/pip-21.3.dist-info/METADATA create mode 100644 venv/Lib/site-packages/pip-21.3.dist-info/RECORD create mode 100644 venv/Lib/site-packages/pip-21.3.dist-info/WHEEL create mode 100644 venv/Lib/site-packages/pip-21.3.dist-info/entry_points.txt create mode 100644 venv/Lib/site-packages/pip-21.3.dist-info/top_level.txt create mode 100644 venv/Lib/site-packages/pip/__init__.py create mode 100644 venv/Lib/site-packages/pip/__main__.py create mode 100644 venv/Lib/site-packages/pip/_internal/__init__.py create mode 100644 venv/Lib/site-packages/pip/_internal/build_env.py create mode 100644 venv/Lib/site-packages/pip/_internal/cache.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/cli/__init__.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/cli/autocompletion.py (61%) create mode 100644 venv/Lib/site-packages/pip/_internal/cli/base_command.py create mode 100644 venv/Lib/site-packages/pip/_internal/cli/cmdoptions.py create mode 100644 venv/Lib/site-packages/pip/_internal/cli/command_context.py create mode 100644 venv/Lib/site-packages/pip/_internal/cli/main.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/cli/main_parser.py (50%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/cli/parser.py (57%) create mode 100644 venv/Lib/site-packages/pip/_internal/cli/progress_bars.py create mode 100644 venv/Lib/site-packages/pip/_internal/cli/req_command.py create mode 100644 venv/Lib/site-packages/pip/_internal/cli/spinners.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/cli/status_codes.py (74%) create mode 100644 venv/Lib/site-packages/pip/_internal/commands/__init__.py create mode 100644 venv/Lib/site-packages/pip/_internal/commands/cache.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/commands/check.py (58%) create mode 100644 venv/Lib/site-packages/pip/_internal/commands/completion.py create mode 100644 venv/Lib/site-packages/pip/_internal/commands/configuration.py create mode 100644 venv/Lib/site-packages/pip/_internal/commands/debug.py create mode 100644 venv/Lib/site-packages/pip/_internal/commands/download.py create mode 100644 venv/Lib/site-packages/pip/_internal/commands/freeze.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/commands/hash.py (54%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/commands/help.py (59%) create mode 100644 venv/Lib/site-packages/pip/_internal/commands/index.py create mode 100644 venv/Lib/site-packages/pip/_internal/commands/install.py create mode 100644 venv/Lib/site-packages/pip/_internal/commands/list.py create mode 100644 venv/Lib/site-packages/pip/_internal/commands/search.py create mode 100644 venv/Lib/site-packages/pip/_internal/commands/show.py create mode 100644 venv/Lib/site-packages/pip/_internal/commands/uninstall.py create mode 100644 venv/Lib/site-packages/pip/_internal/commands/wheel.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/configuration.py (56%) create mode 100644 venv/Lib/site-packages/pip/_internal/distributions/__init__.py create mode 100644 venv/Lib/site-packages/pip/_internal/distributions/base.py create mode 100644 venv/Lib/site-packages/pip/_internal/distributions/installed.py create mode 100644 venv/Lib/site-packages/pip/_internal/distributions/sdist.py create mode 100644 venv/Lib/site-packages/pip/_internal/distributions/wheel.py create mode 100644 venv/Lib/site-packages/pip/_internal/exceptions.py create mode 100644 venv/Lib/site-packages/pip/_internal/index/__init__.py create mode 100644 venv/Lib/site-packages/pip/_internal/index/collector.py create mode 100644 venv/Lib/site-packages/pip/_internal/index/package_finder.py create mode 100644 venv/Lib/site-packages/pip/_internal/index/sources.py create mode 100644 venv/Lib/site-packages/pip/_internal/locations/__init__.py create mode 100644 venv/Lib/site-packages/pip/_internal/locations/_distutils.py create mode 100644 venv/Lib/site-packages/pip/_internal/locations/_sysconfig.py create mode 100644 venv/Lib/site-packages/pip/_internal/locations/base.py create mode 100644 venv/Lib/site-packages/pip/_internal/main.py create mode 100644 venv/Lib/site-packages/pip/_internal/metadata/__init__.py create mode 100644 venv/Lib/site-packages/pip/_internal/metadata/base.py create mode 100644 venv/Lib/site-packages/pip/_internal/metadata/pkg_resources.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/models/__init__.py (100%) create mode 100644 venv/Lib/site-packages/pip/_internal/models/candidate.py create mode 100644 venv/Lib/site-packages/pip/_internal/models/direct_url.py create mode 100644 venv/Lib/site-packages/pip/_internal/models/format_control.py create mode 100644 venv/Lib/site-packages/pip/_internal/models/index.py create mode 100644 venv/Lib/site-packages/pip/_internal/models/link.py create mode 100644 venv/Lib/site-packages/pip/_internal/models/scheme.py create mode 100644 venv/Lib/site-packages/pip/_internal/models/search_scope.py create mode 100644 venv/Lib/site-packages/pip/_internal/models/selection_prefs.py create mode 100644 venv/Lib/site-packages/pip/_internal/models/target_python.py create mode 100644 venv/Lib/site-packages/pip/_internal/models/wheel.py create mode 100644 venv/Lib/site-packages/pip/_internal/network/__init__.py create mode 100644 venv/Lib/site-packages/pip/_internal/network/auth.py create mode 100644 venv/Lib/site-packages/pip/_internal/network/cache.py create mode 100644 venv/Lib/site-packages/pip/_internal/network/download.py create mode 100644 venv/Lib/site-packages/pip/_internal/network/lazy_wheel.py create mode 100644 venv/Lib/site-packages/pip/_internal/network/session.py create mode 100644 venv/Lib/site-packages/pip/_internal/network/utils.py create mode 100644 venv/Lib/site-packages/pip/_internal/network/xmlrpc.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/operations/__init__.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip/_internal/utils => pip/_internal/operations/build}/__init__.py (100%) create mode 100644 venv/Lib/site-packages/pip/_internal/operations/build/metadata.py create mode 100644 venv/Lib/site-packages/pip/_internal/operations/build/metadata_editable.py create mode 100644 venv/Lib/site-packages/pip/_internal/operations/build/metadata_legacy.py create mode 100644 venv/Lib/site-packages/pip/_internal/operations/build/wheel.py create mode 100644 venv/Lib/site-packages/pip/_internal/operations/build/wheel_editable.py create mode 100644 venv/Lib/site-packages/pip/_internal/operations/build/wheel_legacy.py create mode 100644 venv/Lib/site-packages/pip/_internal/operations/check.py create mode 100644 venv/Lib/site-packages/pip/_internal/operations/freeze.py create mode 100644 venv/Lib/site-packages/pip/_internal/operations/install/__init__.py create mode 100644 venv/Lib/site-packages/pip/_internal/operations/install/editable_legacy.py create mode 100644 venv/Lib/site-packages/pip/_internal/operations/install/legacy.py create mode 100644 venv/Lib/site-packages/pip/_internal/operations/install/wheel.py create mode 100644 venv/Lib/site-packages/pip/_internal/operations/prepare.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/pyproject.py (70%) create mode 100644 venv/Lib/site-packages/pip/_internal/req/__init__.py create mode 100644 venv/Lib/site-packages/pip/_internal/req/constructors.py create mode 100644 venv/Lib/site-packages/pip/_internal/req/req_file.py create mode 100644 venv/Lib/site-packages/pip/_internal/req/req_install.py create mode 100644 venv/Lib/site-packages/pip/_internal/req/req_set.py create mode 100644 venv/Lib/site-packages/pip/_internal/req/req_tracker.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/req/req_uninstall.py (58%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters => pip/_internal/resolution}/__init__.py (100%) create mode 100644 venv/Lib/site-packages/pip/_internal/resolution/base.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib => pip/_internal/resolution/legacy}/__init__.py (100%) create mode 100644 venv/Lib/site-packages/pip/_internal/resolution/legacy/resolver.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport => pip/_internal/resolution/resolvelib}/__init__.py (100%) create mode 100644 venv/Lib/site-packages/pip/_internal/resolution/resolvelib/base.py create mode 100644 venv/Lib/site-packages/pip/_internal/resolution/resolvelib/candidates.py create mode 100644 venv/Lib/site-packages/pip/_internal/resolution/resolvelib/factory.py create mode 100644 venv/Lib/site-packages/pip/_internal/resolution/resolvelib/found_candidates.py create mode 100644 venv/Lib/site-packages/pip/_internal/resolution/resolvelib/provider.py create mode 100644 venv/Lib/site-packages/pip/_internal/resolution/resolvelib/reporter.py create mode 100644 venv/Lib/site-packages/pip/_internal/resolution/resolvelib/requirements.py create mode 100644 venv/Lib/site-packages/pip/_internal/resolution/resolvelib/resolver.py create mode 100644 venv/Lib/site-packages/pip/_internal/self_outdated_check.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/backports => pip/_internal/utils}/__init__.py (100%) create mode 100644 venv/Lib/site-packages/pip/_internal/utils/_log.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/appdirs.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/compat.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/compatibility_tags.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/datetime.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/deprecation.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/direct_url_helpers.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/distutils_args.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/egg_link.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/encoding.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/entrypoints.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/filesystem.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/filetypes.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/utils/glibc.py (55%) create mode 100644 venv/Lib/site-packages/pip/_internal/utils/hashes.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/inject_securetransport.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/logging.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/misc.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_internal/utils/models.py (50%) create mode 100644 venv/Lib/site-packages/pip/_internal/utils/packaging.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/parallel.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/pkg_resources.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/setuptools_build.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/subprocess.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/temp_dir.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/unpacking.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/urls.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/virtualenv.py create mode 100644 venv/Lib/site-packages/pip/_internal/utils/wheel.py create mode 100644 venv/Lib/site-packages/pip/_internal/vcs/__init__.py create mode 100644 venv/Lib/site-packages/pip/_internal/vcs/bazaar.py create mode 100644 venv/Lib/site-packages/pip/_internal/vcs/git.py create mode 100644 venv/Lib/site-packages/pip/_internal/vcs/mercurial.py create mode 100644 venv/Lib/site-packages/pip/_internal/vcs/subversion.py create mode 100644 venv/Lib/site-packages/pip/_internal/vcs/versioncontrol.py create mode 100644 venv/Lib/site-packages/pip/_internal/wheel_builder.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/__init__.py (78%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/cachecontrol/__init__.py (92%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/cachecontrol/_cmd.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/cachecontrol/adapter.py (98%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/cachecontrol/cache.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/cachecontrol/caches/__init__.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/cachecontrol/caches/file_cache.py (96%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/cachecontrol/caches/redis_cache.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/cachecontrol/compat.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/cachecontrol/controller.py (96%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/cachecontrol/filewrapper.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/cachecontrol/heuristics.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/cachecontrol/serialize.py (97%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/cachecontrol/wrapper.py (92%) create mode 100644 venv/Lib/site-packages/pip/_vendor/certifi/__init__.py create mode 100644 venv/Lib/site-packages/pip/_vendor/certifi/__main__.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/certifi/cacert.pem (78%) create mode 100644 venv/Lib/site-packages/pip/_vendor/certifi/core.py create mode 100644 venv/Lib/site-packages/pip/_vendor/chardet/__init__.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/big5freq.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/big5prober.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/chardistribution.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/charsetgroupprober.py (98%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/charsetprober.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/cli/__init__.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/cli/chardetect.py (92%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/codingstatemachine.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/compat.py (89%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/cp949prober.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/enums.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/escprober.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/escsm.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/eucjpprober.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/euckrfreq.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/euckrprober.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/euctwfreq.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/euctwprober.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/gb2312freq.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/gb2312prober.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/hebrewprober.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/jisfreq.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/jpcntx.py (100%) create mode 100644 venv/Lib/site-packages/pip/_vendor/chardet/langbulgarianmodel.py create mode 100644 venv/Lib/site-packages/pip/_vendor/chardet/langgreekmodel.py create mode 100644 venv/Lib/site-packages/pip/_vendor/chardet/langhebrewmodel.py create mode 100644 venv/Lib/site-packages/pip/_vendor/chardet/langhungarianmodel.py create mode 100644 venv/Lib/site-packages/pip/_vendor/chardet/langrussianmodel.py create mode 100644 venv/Lib/site-packages/pip/_vendor/chardet/langthaimodel.py create mode 100644 venv/Lib/site-packages/pip/_vendor/chardet/langturkishmodel.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/latin1prober.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/mbcharsetprober.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/mbcsgroupprober.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/mbcssm.py (100%) create mode 100644 venv/Lib/site-packages/pip/_vendor/chardet/metadata/__init__.py create mode 100644 venv/Lib/site-packages/pip/_vendor/chardet/metadata/languages.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/sbcharsetprober.py (76%) create mode 100644 venv/Lib/site-packages/pip/_vendor/chardet/sbcsgroupprober.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/sjisprober.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/universaldetector.py (97%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/utf8prober.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/chardet/version.py (90%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/colorama/__init__.py (90%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/colorama/ansi.py (99%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/colorama/ansitowin32.py (94%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/colorama/initialise.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/colorama/win32.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/colorama/winterm.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/__init__.py (89%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/_backport/__init__.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/_backport/misc.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/_backport/shutil.py (99%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/_backport/sysconfig.cfg (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/_backport/sysconfig.py (99%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/_backport/tarfile.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/compat.py (98%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/database.py (99%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/index.py (96%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/locators.py (97%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/manifest.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/markers.py (86%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/metadata.py (91%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/resources.py (98%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/scripts.py (86%) create mode 100644 venv/Lib/site-packages/pip/_vendor/distlib/t32.exe create mode 100644 venv/Lib/site-packages/pip/_vendor/distlib/t64-arm.exe create mode 100644 venv/Lib/site-packages/pip/_vendor/distlib/t64.exe rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/util.py (87%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/version.py (99%) create mode 100644 venv/Lib/site-packages/pip/_vendor/distlib/w32.exe create mode 100644 venv/Lib/site-packages/pip/_vendor/distlib/w64-arm.exe create mode 100644 venv/Lib/site-packages/pip/_vendor/distlib/w64.exe rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distlib/wheel.py (89%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/distro.py (71%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/__init__.py (98%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/_ihatexml.py (99%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/_inputstream.py (96%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/_tokenizer.py (99%) create mode 100644 venv/Lib/site-packages/pip/_vendor/html5lib/_trie/__init__.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/_trie/_base.py (88%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/_trie/py.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/_utils.py (75%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/constants.py (99%) create mode 100644 venv/Lib/site-packages/pip/_vendor/html5lib/filters/__init__.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/filters/alphabeticalattributes.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/filters/base.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/filters/inject_meta_charset.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/filters/lint.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/filters/optionaltags.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/filters/sanitizer.py (97%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/filters/whitespace.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/html5parser.py (85%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/serializer.py (99%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/treeadapters/__init__.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/treeadapters/genshi.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/treeadapters/sax.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/treebuilders/__init__.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/treebuilders/base.py (97%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/treebuilders/dom.py (98%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/treebuilders/etree.py (95%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/treebuilders/etree_lxml.py (89%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/treewalkers/__init__.py (96%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/treewalkers/base.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/treewalkers/dom.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/treewalkers/etree.py (99%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/treewalkers/etree_lxml.py (98%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/html5lib/treewalkers/genshi.py (100%) create mode 100644 venv/Lib/site-packages/pip/_vendor/idna/__init__.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/idna/codec.py (60%) create mode 100644 venv/Lib/site-packages/pip/_vendor/idna/compat.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/idna/core.py (71%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/idna/idnadata.py (94%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/idna/intranges.py (90%) create mode 100644 venv/Lib/site-packages/pip/_vendor/idna/package_data.py create mode 100644 venv/Lib/site-packages/pip/_vendor/idna/uts46data.py create mode 100644 venv/Lib/site-packages/pip/_vendor/msgpack/__init__.py create mode 100644 venv/Lib/site-packages/pip/_vendor/msgpack/_version.py create mode 100644 venv/Lib/site-packages/pip/_vendor/msgpack/exceptions.py create mode 100644 venv/Lib/site-packages/pip/_vendor/msgpack/ext.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/msgpack/fallback.py (52%) create mode 100644 venv/Lib/site-packages/pip/_vendor/packaging/__about__.py create mode 100644 venv/Lib/site-packages/pip/_vendor/packaging/__init__.py create mode 100644 venv/Lib/site-packages/pip/_vendor/packaging/_manylinux.py create mode 100644 venv/Lib/site-packages/pip/_vendor/packaging/_musllinux.py create mode 100644 venv/Lib/site-packages/pip/_vendor/packaging/_structures.py create mode 100644 venv/Lib/site-packages/pip/_vendor/packaging/markers.py create mode 100644 venv/Lib/site-packages/pip/_vendor/packaging/requirements.py create mode 100644 venv/Lib/site-packages/pip/_vendor/packaging/specifiers.py create mode 100644 venv/Lib/site-packages/pip/_vendor/packaging/tags.py create mode 100644 venv/Lib/site-packages/pip/_vendor/packaging/utils.py create mode 100644 venv/Lib/site-packages/pip/_vendor/packaging/version.py create mode 100644 venv/Lib/site-packages/pip/_vendor/pep517/__init__.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/pep517/build.py (54%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/pep517/check.py (93%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/pep517/colorlog.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/pep517/compat.py (52%) create mode 100644 venv/Lib/site-packages/pip/_vendor/pep517/dirtools.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/pep517/envbuild.py (85%) create mode 100644 venv/Lib/site-packages/pip/_vendor/pep517/in_process/__init__.py create mode 100644 venv/Lib/site-packages/pip/_vendor/pep517/in_process/_in_process.py create mode 100644 venv/Lib/site-packages/pip/_vendor/pep517/meta.py create mode 100644 venv/Lib/site-packages/pip/_vendor/pep517/wrappers.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/pkg_resources/__init__.py (95%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/pkg_resources/py31compat.py (100%) create mode 100644 venv/Lib/site-packages/pip/_vendor/platformdirs/__init__.py create mode 100644 venv/Lib/site-packages/pip/_vendor/platformdirs/__main__.py create mode 100644 venv/Lib/site-packages/pip/_vendor/platformdirs/android.py create mode 100644 venv/Lib/site-packages/pip/_vendor/platformdirs/api.py create mode 100644 venv/Lib/site-packages/pip/_vendor/platformdirs/macos.py create mode 100644 venv/Lib/site-packages/pip/_vendor/platformdirs/unix.py create mode 100644 venv/Lib/site-packages/pip/_vendor/platformdirs/version.py create mode 100644 venv/Lib/site-packages/pip/_vendor/platformdirs/windows.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/progress/__init__.py (51%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/progress/bar.py (91%) create mode 100644 venv/Lib/site-packages/pip/_vendor/progress/colors.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/progress/counter.py (69%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/progress/spinner.py (81%) create mode 100644 venv/Lib/site-packages/pip/_vendor/pyparsing.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/__init__.py (63%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/__version__.py (69%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/_internal_utils.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/adapters.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/api.py (93%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/auth.py (98%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/certs.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/compat.py (94%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/cookies.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/exceptions.py (94%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/help.py (87%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/hooks.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/models.py (96%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/packages.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/sessions.py (94%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/status_codes.py (96%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/structures.py (97%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/requests/utils.py (94%) create mode 100644 venv/Lib/site-packages/pip/_vendor/resolvelib/__init__.py create mode 100644 venv/Lib/site-packages/pip/_vendor/resolvelib/compat/__init__.py create mode 100644 venv/Lib/site-packages/pip/_vendor/resolvelib/compat/collections_abc.py create mode 100644 venv/Lib/site-packages/pip/_vendor/resolvelib/providers.py create mode 100644 venv/Lib/site-packages/pip/_vendor/resolvelib/reporters.py create mode 100644 venv/Lib/site-packages/pip/_vendor/resolvelib/resolvers.py create mode 100644 venv/Lib/site-packages/pip/_vendor/resolvelib/structs.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/six.py (91%) create mode 100644 venv/Lib/site-packages/pip/_vendor/tenacity/__init__.py create mode 100644 venv/Lib/site-packages/pip/_vendor/tenacity/_asyncio.py create mode 100644 venv/Lib/site-packages/pip/_vendor/tenacity/_utils.py create mode 100644 venv/Lib/site-packages/pip/_vendor/tenacity/after.py create mode 100644 venv/Lib/site-packages/pip/_vendor/tenacity/before.py create mode 100644 venv/Lib/site-packages/pip/_vendor/tenacity/before_sleep.py create mode 100644 venv/Lib/site-packages/pip/_vendor/tenacity/nap.py create mode 100644 venv/Lib/site-packages/pip/_vendor/tenacity/retry.py create mode 100644 venv/Lib/site-packages/pip/_vendor/tenacity/stop.py create mode 100644 venv/Lib/site-packages/pip/_vendor/tenacity/tornadoweb.py create mode 100644 venv/Lib/site-packages/pip/_vendor/tenacity/wait.py create mode 100644 venv/Lib/site-packages/pip/_vendor/tomli/__init__.py create mode 100644 venv/Lib/site-packages/pip/_vendor/tomli/_parser.py create mode 100644 venv/Lib/site-packages/pip/_vendor/tomli/_re.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/__init__.py (60%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/_collections.py (90%) create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/_version.py create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/connection.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/connectionpool.py (65%) create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/contrib/__init__.py create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/contrib/_appengine_environ.py create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/contrib/_securetransport/__init__.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/contrib/_securetransport/bindings.py (68%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/contrib/_securetransport/low_level.py (78%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/contrib/appengine.py (76%) create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/contrib/ntlmpool.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/contrib/pyopenssl.py (70%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/contrib/securetransport.py (77%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/contrib/socks.py (52%) create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/exceptions.py create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/fields.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/filepost.py (88%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/packages/__init__.py (67%) create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/packages/backports/__init__.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/packages/backports/makefile.py (84%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/packages/six.py (75%) create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/packages/ssl_match_hostname/_implementation.py (78%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/poolmanager.py (62%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/request.py (69%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/response.py (73%) create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/util/__init__.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/util/connection.py (84%) create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/util/proxy.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/util/queue.py (99%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/util/request.py (61%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/util/response.py (62%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/util/retry.py (54%) create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/util/ssl_.py create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/util/ssltransport.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/util/timeout.py (67%) create mode 100644 venv/Lib/site-packages/pip/_vendor/urllib3/util/url.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/urllib3/util/wait.py (97%) create mode 100644 venv/Lib/site-packages/pip/_vendor/vendor.txt rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/webencodings/__init__.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/webencodings/labels.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/webencodings/mklabels.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/webencodings/tests.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg => }/pip/_vendor/webencodings/x_user_defined.py (100%) create mode 100644 venv/Lib/site-packages/pip/py.typed create mode 100644 venv/Lib/site-packages/pkg_resources/__init__.py create mode 100644 venv/Lib/site-packages/pkg_resources/_vendor/__init__.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip => pkg_resources}/_vendor/appdirs.py (98%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip => pkg_resources}/_vendor/packaging/__about__.py (90%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip => pkg_resources}/_vendor/packaging/__init__.py (100%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip => pkg_resources}/_vendor/packaging/_compat.py (74%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip => pkg_resources}/_vendor/packaging/_structures.py (64%) create mode 100644 venv/Lib/site-packages/pkg_resources/_vendor/packaging/_typing.py create mode 100644 venv/Lib/site-packages/pkg_resources/_vendor/packaging/markers.py create mode 100644 venv/Lib/site-packages/pkg_resources/_vendor/packaging/requirements.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip => pkg_resources}/_vendor/packaging/specifiers.py (81%) create mode 100644 venv/Lib/site-packages/pkg_resources/_vendor/packaging/tags.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip => pkg_resources}/_vendor/packaging/utils.py (75%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip => pkg_resources}/_vendor/packaging/version.py (73%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip => pkg_resources}/_vendor/pyparsing.py (76%) create mode 100644 venv/Lib/site-packages/pkg_resources/extern/__init__.py create mode 100644 venv/Lib/site-packages/pkg_resources/tests/data/my-test-package-source/setup.py delete mode 100644 venv/Lib/site-packages/setuptools-40.8.0-py3.7.egg create mode 100644 venv/Lib/site-packages/setuptools-58.2.0.dist-info/INSTALLER create mode 100644 venv/Lib/site-packages/setuptools-58.2.0.dist-info/LICENSE create mode 100644 venv/Lib/site-packages/setuptools-58.2.0.dist-info/METADATA create mode 100644 venv/Lib/site-packages/setuptools-58.2.0.dist-info/RECORD create mode 100644 venv/Lib/site-packages/setuptools-58.2.0.dist-info/WHEEL create mode 100644 venv/Lib/site-packages/setuptools-58.2.0.dist-info/entry_points.txt create mode 100644 venv/Lib/site-packages/setuptools-58.2.0.dist-info/top_level.txt delete mode 100644 venv/Lib/site-packages/setuptools.pth create mode 100644 venv/Lib/site-packages/setuptools/__init__.py create mode 100644 venv/Lib/site-packages/setuptools/_deprecation_warning.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/__init__.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/_msvccompiler.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/archive_util.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/bcppcompiler.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/ccompiler.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/cmd.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/__init__.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/bdist.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/bdist_dumb.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/bdist_msi.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/bdist_rpm.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/bdist_wininst.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/build.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/build_clib.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/build_ext.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/build_py.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/build_scripts.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/check.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/clean.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/config.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/install.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/install_data.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/install_egg_info.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/install_headers.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/install_lib.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/install_scripts.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/py37compat.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/register.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/sdist.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/command/upload.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/config.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/core.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/cygwinccompiler.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/debug.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/dep_util.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/dir_util.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/dist.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/errors.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/extension.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/fancy_getopt.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/file_util.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/filelist.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/log.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/msvc9compiler.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/msvccompiler.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/py35compat.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/py38compat.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/spawn.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/sysconfig.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/text_file.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/unixccompiler.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/util.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/version.py create mode 100644 venv/Lib/site-packages/setuptools/_distutils/versionpredicate.py create mode 100644 venv/Lib/site-packages/setuptools/_imp.py create mode 100644 venv/Lib/site-packages/setuptools/_vendor/__init__.py create mode 100644 venv/Lib/site-packages/setuptools/_vendor/more_itertools/__init__.py create mode 100644 venv/Lib/site-packages/setuptools/_vendor/more_itertools/more.py create mode 100644 venv/Lib/site-packages/setuptools/_vendor/more_itertools/recipes.py create mode 100644 venv/Lib/site-packages/setuptools/_vendor/ordered_set.py create mode 100644 venv/Lib/site-packages/setuptools/_vendor/packaging/__about__.py create mode 100644 venv/Lib/site-packages/setuptools/_vendor/packaging/__init__.py create mode 100644 venv/Lib/site-packages/setuptools/_vendor/packaging/_compat.py create mode 100644 venv/Lib/site-packages/setuptools/_vendor/packaging/_structures.py create mode 100644 venv/Lib/site-packages/setuptools/_vendor/packaging/_typing.py rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip => setuptools}/_vendor/packaging/markers.py (79%) rename venv/Lib/site-packages/{pip-19.0.3-py3.7.egg/pip => setuptools}/_vendor/packaging/requirements.py (87%) create mode 100644 venv/Lib/site-packages/setuptools/_vendor/packaging/specifiers.py create mode 100644 venv/Lib/site-packages/setuptools/_vendor/packaging/tags.py create mode 100644 venv/Lib/site-packages/setuptools/_vendor/packaging/utils.py create mode 100644 venv/Lib/site-packages/setuptools/_vendor/packaging/version.py create mode 100644 venv/Lib/site-packages/setuptools/_vendor/pyparsing.py create mode 100644 venv/Lib/site-packages/setuptools/archive_util.py create mode 100644 venv/Lib/site-packages/setuptools/build_meta.py create mode 100644 venv/Lib/site-packages/setuptools/cli-32.exe create mode 100644 venv/Lib/site-packages/setuptools/cli-64.exe create mode 100644 venv/Lib/site-packages/setuptools/cli-arm64.exe create mode 100644 venv/Lib/site-packages/setuptools/cli.exe create mode 100644 venv/Lib/site-packages/setuptools/command/__init__.py create mode 100644 venv/Lib/site-packages/setuptools/command/alias.py create mode 100644 venv/Lib/site-packages/setuptools/command/bdist_egg.py create mode 100644 venv/Lib/site-packages/setuptools/command/bdist_rpm.py create mode 100644 venv/Lib/site-packages/setuptools/command/build_clib.py create mode 100644 venv/Lib/site-packages/setuptools/command/build_ext.py create mode 100644 venv/Lib/site-packages/setuptools/command/build_py.py create mode 100644 venv/Lib/site-packages/setuptools/command/develop.py create mode 100644 venv/Lib/site-packages/setuptools/command/dist_info.py create mode 100644 venv/Lib/site-packages/setuptools/command/easy_install.py create mode 100644 venv/Lib/site-packages/setuptools/command/egg_info.py create mode 100644 venv/Lib/site-packages/setuptools/command/install.py create mode 100644 venv/Lib/site-packages/setuptools/command/install_egg_info.py create mode 100644 venv/Lib/site-packages/setuptools/command/install_lib.py create mode 100644 venv/Lib/site-packages/setuptools/command/install_scripts.py rename venv/{Scripts/pip3.exe.manifest => Lib/site-packages/setuptools/command/launcher manifest.xml} (93%) create mode 100644 venv/Lib/site-packages/setuptools/command/py36compat.py create mode 100644 venv/Lib/site-packages/setuptools/command/register.py create mode 100644 venv/Lib/site-packages/setuptools/command/rotate.py create mode 100644 venv/Lib/site-packages/setuptools/command/saveopts.py create mode 100644 venv/Lib/site-packages/setuptools/command/sdist.py create mode 100644 venv/Lib/site-packages/setuptools/command/setopt.py create mode 100644 venv/Lib/site-packages/setuptools/command/test.py create mode 100644 venv/Lib/site-packages/setuptools/command/upload.py create mode 100644 venv/Lib/site-packages/setuptools/command/upload_docs.py create mode 100644 venv/Lib/site-packages/setuptools/config.py create mode 100644 venv/Lib/site-packages/setuptools/dep_util.py create mode 100644 venv/Lib/site-packages/setuptools/depends.py create mode 100644 venv/Lib/site-packages/setuptools/dist.py create mode 100644 venv/Lib/site-packages/setuptools/errors.py create mode 100644 venv/Lib/site-packages/setuptools/extension.py create mode 100644 venv/Lib/site-packages/setuptools/extern/__init__.py create mode 100644 venv/Lib/site-packages/setuptools/glob.py create mode 100644 venv/Lib/site-packages/setuptools/gui-32.exe create mode 100644 venv/Lib/site-packages/setuptools/gui-64.exe create mode 100644 venv/Lib/site-packages/setuptools/gui-arm64.exe create mode 100644 venv/Lib/site-packages/setuptools/gui.exe create mode 100644 venv/Lib/site-packages/setuptools/installer.py create mode 100644 venv/Lib/site-packages/setuptools/launch.py create mode 100644 venv/Lib/site-packages/setuptools/monkey.py create mode 100644 venv/Lib/site-packages/setuptools/msvc.py create mode 100644 venv/Lib/site-packages/setuptools/namespaces.py create mode 100644 venv/Lib/site-packages/setuptools/package_index.py create mode 100644 venv/Lib/site-packages/setuptools/py34compat.py create mode 100644 venv/Lib/site-packages/setuptools/sandbox.py create mode 100644 venv/Lib/site-packages/setuptools/script (dev).tmpl create mode 100644 venv/Lib/site-packages/setuptools/script.tmpl create mode 100644 venv/Lib/site-packages/setuptools/unicode_utils.py create mode 100644 venv/Lib/site-packages/setuptools/version.py create mode 100644 venv/Lib/site-packages/setuptools/wheel.py create mode 100644 venv/Lib/site-packages/setuptools/windows_support.py delete mode 100644 venv/Lib/tcl8.6/init.tcl delete mode 100644 venv/Scripts/_asyncio.pyd delete mode 100644 venv/Scripts/_bz2.pyd delete mode 100644 venv/Scripts/_contextvars.pyd delete mode 100644 venv/Scripts/_ctypes.pyd delete mode 100644 venv/Scripts/_ctypes_test.pyd delete mode 100644 venv/Scripts/_decimal.pyd delete mode 100644 venv/Scripts/_distutils_findvs.pyd delete mode 100644 venv/Scripts/_elementtree.pyd delete mode 100644 venv/Scripts/_hashlib.pyd delete mode 100644 venv/Scripts/_lzma.pyd delete mode 100644 venv/Scripts/_msi.pyd delete mode 100644 venv/Scripts/_multiprocessing.pyd delete mode 100644 venv/Scripts/_overlapped.pyd delete mode 100644 venv/Scripts/_queue.pyd delete mode 100644 venv/Scripts/_socket.pyd delete mode 100644 venv/Scripts/_sqlite3.pyd delete mode 100644 venv/Scripts/_ssl.pyd delete mode 100644 venv/Scripts/_testbuffer.pyd delete mode 100644 venv/Scripts/_testcapi.pyd delete mode 100644 venv/Scripts/_testconsole.pyd delete mode 100644 venv/Scripts/_testimportmultiple.pyd delete mode 100644 venv/Scripts/_testmultiphase.pyd delete mode 100644 venv/Scripts/_tkinter.pyd delete mode 100644 venv/Scripts/easy_install-3.7-script.py delete mode 100644 venv/Scripts/easy_install-3.7.exe.manifest delete mode 100644 venv/Scripts/easy_install-script.py delete mode 100644 venv/Scripts/easy_install.exe.manifest delete mode 100644 venv/Scripts/pip-script.py create mode 100644 venv/Scripts/pip.exe delete mode 100644 venv/Scripts/pip.exe.manifest delete mode 100644 venv/Scripts/pip3-script.py delete mode 100644 venv/Scripts/pip3.7-script.py delete mode 100644 venv/Scripts/pip3.7.exe.manifest create mode 100644 venv/Scripts/pip3.8.exe create mode 100644 venv/Scripts/pip3.exe delete mode 100644 venv/Scripts/pyexpat.pyd create mode 100644 venv/Scripts/python.exe create mode 100644 venv/Scripts/pythonw.exe delete mode 100644 venv/Scripts/select.pyd delete mode 100644 venv/Scripts/unicodedata.pyd delete mode 100644 venv/Scripts/winsound.pyd diff --git a/.gitignore b/.gitignore index 32dcac1..e69de29 100644 --- a/.gitignore +++ b/.gitignore @@ -1,13 +0,0 @@ -__pycache* - -*.sublime-project - -*.sublime-workspace - -\.python-version - -bin/ - -lib/python3\.6/ - -desktop.ini diff --git a/.idea/.gitignore b/.idea/.gitignore deleted file mode 100644 index e7e9d11..0000000 --- a/.idea/.gitignore +++ /dev/null @@ -1,2 +0,0 @@ -# Default ignored files -/workspace.xml diff --git a/.idea/MSU_CSCI_466_Programming_Assignments.iml b/.idea/MSU_CSCI_466_Programming_Assignments.iml index eca0a08..0a74a54 100644 --- a/.idea/MSU_CSCI_466_Programming_Assignments.iml +++ b/.idea/MSU_CSCI_466_Programming_Assignments.iml @@ -4,7 +4,7 @@ <content url="file://$MODULE_DIR$"> <excludeFolder url="file://$MODULE_DIR$/venv" /> </content> - <orderEntry type="jdk" jdkName="Python 3.7 (MSU_CSCI_466_Programming_Assignments)" jdkType="Python SDK" /> + <orderEntry type="jdk" jdkName="Python 3.8 (PAs)" jdkType="Python SDK" /> <orderEntry type="sourceFolder" forTests="false" /> </component> </module> \ No newline at end of file diff --git a/.idea/PAs.iml b/.idea/PAs.iml new file mode 100644 index 0000000..0a74a54 --- /dev/null +++ b/.idea/PAs.iml @@ -0,0 +1,10 @@ +<?xml version="1.0" encoding="UTF-8"?> +<module type="PYTHON_MODULE" version="4"> + <component name="NewModuleRootManager"> + <content url="file://$MODULE_DIR$"> + <excludeFolder url="file://$MODULE_DIR$/venv" /> + </content> + <orderEntry type="jdk" jdkName="Python 3.8 (PAs)" jdkType="Python SDK" /> + <orderEntry type="sourceFolder" forTests="false" /> + </component> +</module> \ No newline at end of file diff --git a/.idea/codeStyles/codeStyleConfig.xml b/.idea/codeStyles/codeStyleConfig.xml new file mode 100644 index 0000000..a55e7a1 --- /dev/null +++ b/.idea/codeStyles/codeStyleConfig.xml @@ -0,0 +1,5 @@ +<component name="ProjectCodeStyleConfiguration"> + <state> + <option name="PREFERRED_PROJECT_CODE_STYLE" value="Default" /> + </state> +</component> \ No newline at end of file diff --git a/.idea/codeStyles/desktop.ini b/.idea/codeStyles/desktop.ini new file mode 100644 index 0000000..f0e5110 --- /dev/null +++ b/.idea/codeStyles/desktop.ini @@ -0,0 +1,2 @@ +[.ShellClassInfo] +IconResource=C:\Program Files\Google\Drive File Stream\51.0.16.0\GoogleDriveFS.exe,23 diff --git a/.idea/desktop.ini b/.idea/desktop.ini new file mode 100644 index 0000000..f0e5110 --- /dev/null +++ b/.idea/desktop.ini @@ -0,0 +1,2 @@ +[.ShellClassInfo] +IconResource=C:\Program Files\Google\Drive File Stream\51.0.16.0\GoogleDriveFS.exe,23 diff --git a/.idea/inspectionProfiles/Project_Default.xml b/.idea/inspectionProfiles/Project_Default.xml new file mode 100644 index 0000000..df34d18 --- /dev/null +++ b/.idea/inspectionProfiles/Project_Default.xml @@ -0,0 +1,8 @@ +<component name="InspectionProjectProfileManager"> + <profile version="1.0"> + <option name="myName" value="Project Default" /> + <inspection_tool class="LatexMissingImport" enabled="true" level="WARNING" enabled_by_default="true"> + <option name="numberOfIndexedUsePackages" value="12" /> + </inspection_tool> + </profile> +</component> \ No newline at end of file diff --git a/.idea/inspectionProfiles/desktop.ini b/.idea/inspectionProfiles/desktop.ini new file mode 100644 index 0000000..f0e5110 --- /dev/null +++ b/.idea/inspectionProfiles/desktop.ini @@ -0,0 +1,2 @@ +[.ShellClassInfo] +IconResource=C:\Program Files\Google\Drive File Stream\51.0.16.0\GoogleDriveFS.exe,23 diff --git a/.idea/misc.xml b/.idea/misc.xml index 11a4fc2..2b66653 100644 --- a/.idea/misc.xml +++ b/.idea/misc.xml @@ -3,5 +3,5 @@ <component name="JavaScriptSettings"> <option name="languageLevel" value="ES6" /> </component> - <component name="ProjectRootManager" version="2" project-jdk-name="Python 3.7 (MSU_CSCI_466_Programming_Assignments)" project-jdk-type="Python SDK" /> + <component name="ProjectRootManager" version="2" project-jdk-name="Python 3.8 (PAs)" project-jdk-type="Python SDK" /> </project> \ No newline at end of file diff --git a/.idea/runConfigurations/Simulation.xml b/.idea/runConfigurations/Simulation.xml new file mode 100644 index 0000000..6c55459 --- /dev/null +++ b/.idea/runConfigurations/Simulation.xml @@ -0,0 +1,24 @@ +<component name="ProjectRunConfigurationManager"> + <configuration default="false" name="Simulation" type="PythonConfigurationType" factoryName="Python"> + <module name="MSU_CSCI_466_Programming_Assignments" /> + <option name="INTERPRETER_OPTIONS" value="" /> + <option name="PARENT_ENVS" value="true" /> + <envs> + <env name="PYTHONUNBUFFERED" value="1" /> + </envs> + <option name="SDK_HOME" value="C:\Users\mwitt\Google Drive\Teaching\CSCI 466\PAs\venv\Scripts\python.exe" /> + <option name="WORKING_DIRECTORY" value="$PROJECT_DIR$" /> + <option name="IS_MODULE_SDK" value="false" /> + <option name="ADD_CONTENT_ROOTS" value="true" /> + <option name="ADD_SOURCE_ROOTS" value="true" /> + <EXTENSION ID="PythonCoverageRunConfigurationExtension" runner="coverage.py" /> + <option name="SCRIPT_NAME" value="$PROJECT_DIR$/simulation.py" /> + <option name="PARAMETERS" value="" /> + <option name="SHOW_COMMAND_LINE" value="false" /> + <option name="EMULATE_TERMINAL" value="false" /> + <option name="MODULE_MODE" value="false" /> + <option name="REDIRECT_INPUT" value="false" /> + <option name="INPUT_FILE" value="" /> + <method v="2" /> + </configuration> +</component> \ No newline at end of file diff --git a/.idea/runConfigurations/desktop.ini b/.idea/runConfigurations/desktop.ini new file mode 100644 index 0000000..f0e5110 --- /dev/null +++ b/.idea/runConfigurations/desktop.ini @@ -0,0 +1,2 @@ +[.ShellClassInfo] +IconResource=C:\Program Files\Google\Drive File Stream\51.0.16.0\GoogleDriveFS.exe,23 diff --git a/venv/Lib/site-packages/_distutils_hack/__init__.py b/venv/Lib/site-packages/_distutils_hack/__init__.py new file mode 100644 index 0000000..5f40996 --- /dev/null +++ b/venv/Lib/site-packages/_distutils_hack/__init__.py @@ -0,0 +1,128 @@ +import sys +import os +import re +import importlib +import warnings + + +is_pypy = '__pypy__' in sys.builtin_module_names + + +warnings.filterwarnings('ignore', + r'.+ distutils\b.+ deprecated', + DeprecationWarning) + + +def warn_distutils_present(): + if 'distutils' not in sys.modules: + return + if is_pypy and sys.version_info < (3, 7): + # PyPy for 3.6 unconditionally imports distutils, so bypass the warning + # https://foss.heptapod.net/pypy/pypy/-/blob/be829135bc0d758997b3566062999ee8b23872b4/lib-python/3/site.py#L250 + return + warnings.warn( + "Distutils was imported before Setuptools, but importing Setuptools " + "also replaces the `distutils` module in `sys.modules`. This may lead " + "to undesirable behaviors or errors. To avoid these issues, avoid " + "using distutils directly, ensure that setuptools is installed in the " + "traditional way (e.g. not an editable install), and/or make sure " + "that setuptools is always imported before distutils.") + + +def clear_distutils(): + if 'distutils' not in sys.modules: + return + warnings.warn("Setuptools is replacing distutils.") + mods = [name for name in sys.modules if re.match(r'distutils\b', name)] + for name in mods: + del sys.modules[name] + + +def enabled(): + """ + Allow selection of distutils by environment variable. + """ + which = os.environ.get('SETUPTOOLS_USE_DISTUTILS', 'stdlib') + return which == 'local' + + +def ensure_local_distutils(): + clear_distutils() + distutils = importlib.import_module('setuptools._distutils') + distutils.__name__ = 'distutils' + sys.modules['distutils'] = distutils + + # sanity check that submodules load as expected + core = importlib.import_module('distutils.core') + assert '_distutils' in core.__file__, core.__file__ + + +def do_override(): + """ + Ensure that the local copy of distutils is preferred over stdlib. + + See https://github.com/pypa/setuptools/issues/417#issuecomment-392298401 + for more motivation. + """ + if enabled(): + warn_distutils_present() + ensure_local_distutils() + + +class DistutilsMetaFinder: + def find_spec(self, fullname, path, target=None): + if path is not None: + return + + method_name = 'spec_for_{fullname}'.format(**locals()) + method = getattr(self, method_name, lambda: None) + return method() + + def spec_for_distutils(self): + import importlib.abc + import importlib.util + + class DistutilsLoader(importlib.abc.Loader): + + def create_module(self, spec): + return importlib.import_module('setuptools._distutils') + + def exec_module(self, module): + pass + + return importlib.util.spec_from_loader('distutils', DistutilsLoader()) + + def spec_for_pip(self): + """ + Ensure stdlib distutils when running under pip. + See pypa/pip#8761 for rationale. + """ + if self.pip_imported_during_build(): + return + clear_distutils() + self.spec_for_distutils = lambda: None + + @staticmethod + def pip_imported_during_build(): + """ + Detect if pip is being imported in a build script. Ref #2355. + """ + import traceback + return any( + frame.f_globals['__file__'].endswith('setup.py') + for frame, line in traceback.walk_stack(None) + ) + + +DISTUTILS_FINDER = DistutilsMetaFinder() + + +def add_shim(): + sys.meta_path.insert(0, DISTUTILS_FINDER) + + +def remove_shim(): + try: + sys.meta_path.remove(DISTUTILS_FINDER) + except ValueError: + pass diff --git a/venv/Lib/site-packages/_distutils_hack/override.py b/venv/Lib/site-packages/_distutils_hack/override.py new file mode 100644 index 0000000..2cc433a --- /dev/null +++ b/venv/Lib/site-packages/_distutils_hack/override.py @@ -0,0 +1 @@ +__import__('_distutils_hack').do_override() diff --git a/venv/Lib/site-packages/distutils-precedence.pth b/venv/Lib/site-packages/distutils-precedence.pth new file mode 100644 index 0000000..6de4198 --- /dev/null +++ b/venv/Lib/site-packages/distutils-precedence.pth @@ -0,0 +1 @@ +import os; var = 'SETUPTOOLS_USE_DISTUTILS'; enabled = os.environ.get(var, 'stdlib') == 'local'; enabled and __import__('_distutils_hack').add_shim(); diff --git a/venv/Lib/site-packages/easy-install.pth b/venv/Lib/site-packages/easy-install.pth deleted file mode 100644 index b74fe2e..0000000 --- a/venv/Lib/site-packages/easy-install.pth +++ /dev/null @@ -1,2 +0,0 @@ -./setuptools-40.8.0-py3.7.egg -./pip-19.0.3-py3.7.egg diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/PKG-INFO b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/PKG-INFO deleted file mode 100644 index 0b410a2..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/PKG-INFO +++ /dev/null @@ -1,73 +0,0 @@ -Metadata-Version: 1.2 -Name: pip -Version: 19.0.3 -Summary: The PyPA recommended tool for installing Python packages. -Home-page: https://pip.pypa.io/ -Author: The pip developers -Author-email: pypa-dev@groups.google.com -License: MIT -Description: pip - The Python Package Installer - ================================== - - .. image:: https://img.shields.io/pypi/v/pip.svg - :target: https://pypi.org/project/pip/ - - .. image:: https://readthedocs.org/projects/pip/badge/?version=latest - :target: https://pip.pypa.io/en/latest - - pip is the `package installer`_ for Python. You can use pip to install packages from the `Python Package Index`_ and other indexes. - - Please take a look at our documentation for how to install and use pip: - - * `Installation`_ - * `Usage`_ - * `Release notes`_ - - If you find bugs, need help, or want to talk to the developers please use our mailing lists or chat rooms: - - * `Issue tracking`_ - * `Discourse channel`_ - * `User IRC`_ - - If you want to get involved head over to GitHub to get the source code and feel free to jump on the developer mailing lists and chat rooms: - - * `GitHub page`_ - * `Dev mailing list`_ - * `Dev IRC`_ - - Code of Conduct - --------------- - - Everyone interacting in the pip project's codebases, issue trackers, chat - rooms, and mailing lists is expected to follow the `PyPA Code of Conduct`_. - - .. _package installer: https://packaging.python.org/en/latest/current/ - .. _Python Package Index: https://pypi.org - .. _Installation: https://pip.pypa.io/en/stable/installing.html - .. _Usage: https://pip.pypa.io/en/stable/ - .. _Release notes: https://pip.pypa.io/en/stable/news.html - .. _GitHub page: https://github.com/pypa/pip - .. _Issue tracking: https://github.com/pypa/pip/issues - .. _Discourse channel: https://discuss.python.org/c/packaging - .. _Dev mailing list: https://groups.google.com/forum/#!forum/pypa-dev - .. _User IRC: https://webchat.freenode.net/?channels=%23pypa - .. _Dev IRC: https://webchat.freenode.net/?channels=%23pypa-dev - .. _PyPA Code of Conduct: https://www.pypa.io/en/latest/code-of-conduct/ - -Keywords: distutils easy_install egg setuptools wheel virtualenv -Platform: UNKNOWN -Classifier: Development Status :: 5 - Production/Stable -Classifier: Intended Audience :: Developers -Classifier: License :: OSI Approved :: MIT License -Classifier: Topic :: Software Development :: Build Tools -Classifier: Programming Language :: Python -Classifier: Programming Language :: Python :: 2 -Classifier: Programming Language :: Python :: 2.7 -Classifier: Programming Language :: Python :: 3 -Classifier: Programming Language :: Python :: 3.4 -Classifier: Programming Language :: Python :: 3.5 -Classifier: Programming Language :: Python :: 3.6 -Classifier: Programming Language :: Python :: 3.7 -Classifier: Programming Language :: Python :: Implementation :: CPython -Classifier: Programming Language :: Python :: Implementation :: PyPy -Requires-Python: >=2.7,!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.* diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/SOURCES.txt b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/SOURCES.txt deleted file mode 100644 index eb4810d..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/SOURCES.txt +++ /dev/null @@ -1,391 +0,0 @@ -AUTHORS.txt -LICENSE.txt -MANIFEST.in -NEWS.rst -README.rst -pyproject.toml -setup.cfg -setup.py -docs/pip_sphinxext.py -docs/html/conf.py -docs/html/cookbook.rst -docs/html/index.rst -docs/html/installing.rst -docs/html/logic.rst -docs/html/news.rst -docs/html/quickstart.rst -docs/html/usage.rst -docs/html/user_guide.rst -docs/html/development/configuration.rst -docs/html/development/contributing.rst -docs/html/development/getting-started.rst -docs/html/development/index.rst -docs/html/development/release-process.rst -docs/html/development/vendoring-policy.rst -docs/html/reference/index.rst -docs/html/reference/pip.rst -docs/html/reference/pip_check.rst -docs/html/reference/pip_config.rst -docs/html/reference/pip_download.rst -docs/html/reference/pip_freeze.rst -docs/html/reference/pip_hash.rst -docs/html/reference/pip_install.rst -docs/html/reference/pip_list.rst -docs/html/reference/pip_search.rst -docs/html/reference/pip_show.rst -docs/html/reference/pip_uninstall.rst -docs/html/reference/pip_wheel.rst -docs/man/index.rst -docs/man/commands/check.rst -docs/man/commands/config.rst -docs/man/commands/download.rst -docs/man/commands/freeze.rst -docs/man/commands/hash.rst -docs/man/commands/help.rst -docs/man/commands/install.rst -docs/man/commands/list.rst -docs/man/commands/search.rst -docs/man/commands/show.rst -docs/man/commands/uninstall.rst -docs/man/commands/wheel.rst -src/pip/__init__.py -src/pip/__main__.py -src/pip.egg-info/PKG-INFO -src/pip.egg-info/SOURCES.txt -src/pip.egg-info/dependency_links.txt -src/pip.egg-info/entry_points.txt -src/pip.egg-info/not-zip-safe -src/pip.egg-info/top_level.txt -src/pip/_internal/__init__.py -src/pip/_internal/build_env.py -src/pip/_internal/cache.py -src/pip/_internal/configuration.py -src/pip/_internal/download.py -src/pip/_internal/exceptions.py -src/pip/_internal/index.py -src/pip/_internal/locations.py -src/pip/_internal/pep425tags.py -src/pip/_internal/pyproject.py -src/pip/_internal/resolve.py -src/pip/_internal/wheel.py -src/pip/_internal/cli/__init__.py -src/pip/_internal/cli/autocompletion.py -src/pip/_internal/cli/base_command.py -src/pip/_internal/cli/cmdoptions.py -src/pip/_internal/cli/main_parser.py -src/pip/_internal/cli/parser.py -src/pip/_internal/cli/status_codes.py -src/pip/_internal/commands/__init__.py -src/pip/_internal/commands/check.py -src/pip/_internal/commands/completion.py -src/pip/_internal/commands/configuration.py -src/pip/_internal/commands/download.py -src/pip/_internal/commands/freeze.py -src/pip/_internal/commands/hash.py -src/pip/_internal/commands/help.py -src/pip/_internal/commands/install.py -src/pip/_internal/commands/list.py -src/pip/_internal/commands/search.py -src/pip/_internal/commands/show.py -src/pip/_internal/commands/uninstall.py -src/pip/_internal/commands/wheel.py -src/pip/_internal/models/__init__.py -src/pip/_internal/models/candidate.py -src/pip/_internal/models/format_control.py -src/pip/_internal/models/index.py -src/pip/_internal/models/link.py -src/pip/_internal/operations/__init__.py -src/pip/_internal/operations/check.py -src/pip/_internal/operations/freeze.py -src/pip/_internal/operations/prepare.py -src/pip/_internal/req/__init__.py -src/pip/_internal/req/constructors.py -src/pip/_internal/req/req_file.py -src/pip/_internal/req/req_install.py -src/pip/_internal/req/req_set.py -src/pip/_internal/req/req_tracker.py -src/pip/_internal/req/req_uninstall.py -src/pip/_internal/utils/__init__.py -src/pip/_internal/utils/appdirs.py -src/pip/_internal/utils/compat.py -src/pip/_internal/utils/deprecation.py -src/pip/_internal/utils/encoding.py -src/pip/_internal/utils/filesystem.py -src/pip/_internal/utils/glibc.py -src/pip/_internal/utils/hashes.py -src/pip/_internal/utils/logging.py -src/pip/_internal/utils/misc.py -src/pip/_internal/utils/models.py -src/pip/_internal/utils/outdated.py -src/pip/_internal/utils/packaging.py -src/pip/_internal/utils/setuptools_build.py -src/pip/_internal/utils/temp_dir.py -src/pip/_internal/utils/typing.py -src/pip/_internal/utils/ui.py -src/pip/_internal/vcs/__init__.py -src/pip/_internal/vcs/bazaar.py -src/pip/_internal/vcs/git.py -src/pip/_internal/vcs/mercurial.py -src/pip/_internal/vcs/subversion.py -src/pip/_vendor/README.rst -src/pip/_vendor/__init__.py -src/pip/_vendor/appdirs.LICENSE.txt -src/pip/_vendor/appdirs.py -src/pip/_vendor/distro.LICENSE -src/pip/_vendor/distro.py -src/pip/_vendor/ipaddress.LICENSE -src/pip/_vendor/ipaddress.py -src/pip/_vendor/pyparsing.LICENSE -src/pip/_vendor/pyparsing.py -src/pip/_vendor/retrying.LICENSE -src/pip/_vendor/retrying.py -src/pip/_vendor/six.LICENSE -src/pip/_vendor/six.py -src/pip/_vendor/vendor.txt -src/pip/_vendor/cachecontrol/LICENSE.txt -src/pip/_vendor/cachecontrol/__init__.py -src/pip/_vendor/cachecontrol/_cmd.py -src/pip/_vendor/cachecontrol/adapter.py -src/pip/_vendor/cachecontrol/cache.py -src/pip/_vendor/cachecontrol/compat.py -src/pip/_vendor/cachecontrol/controller.py -src/pip/_vendor/cachecontrol/filewrapper.py -src/pip/_vendor/cachecontrol/heuristics.py -src/pip/_vendor/cachecontrol/serialize.py -src/pip/_vendor/cachecontrol/wrapper.py -src/pip/_vendor/cachecontrol/caches/__init__.py -src/pip/_vendor/cachecontrol/caches/file_cache.py -src/pip/_vendor/cachecontrol/caches/redis_cache.py -src/pip/_vendor/certifi/LICENSE -src/pip/_vendor/certifi/__init__.py -src/pip/_vendor/certifi/__main__.py -src/pip/_vendor/certifi/cacert.pem -src/pip/_vendor/certifi/core.py -src/pip/_vendor/chardet/LICENSE -src/pip/_vendor/chardet/__init__.py -src/pip/_vendor/chardet/big5freq.py -src/pip/_vendor/chardet/big5prober.py -src/pip/_vendor/chardet/chardistribution.py -src/pip/_vendor/chardet/charsetgroupprober.py -src/pip/_vendor/chardet/charsetprober.py -src/pip/_vendor/chardet/codingstatemachine.py -src/pip/_vendor/chardet/compat.py -src/pip/_vendor/chardet/cp949prober.py -src/pip/_vendor/chardet/enums.py -src/pip/_vendor/chardet/escprober.py -src/pip/_vendor/chardet/escsm.py -src/pip/_vendor/chardet/eucjpprober.py -src/pip/_vendor/chardet/euckrfreq.py -src/pip/_vendor/chardet/euckrprober.py -src/pip/_vendor/chardet/euctwfreq.py -src/pip/_vendor/chardet/euctwprober.py -src/pip/_vendor/chardet/gb2312freq.py -src/pip/_vendor/chardet/gb2312prober.py -src/pip/_vendor/chardet/hebrewprober.py -src/pip/_vendor/chardet/jisfreq.py -src/pip/_vendor/chardet/jpcntx.py -src/pip/_vendor/chardet/langbulgarianmodel.py -src/pip/_vendor/chardet/langcyrillicmodel.py -src/pip/_vendor/chardet/langgreekmodel.py -src/pip/_vendor/chardet/langhebrewmodel.py -src/pip/_vendor/chardet/langhungarianmodel.py -src/pip/_vendor/chardet/langthaimodel.py -src/pip/_vendor/chardet/langturkishmodel.py -src/pip/_vendor/chardet/latin1prober.py -src/pip/_vendor/chardet/mbcharsetprober.py -src/pip/_vendor/chardet/mbcsgroupprober.py -src/pip/_vendor/chardet/mbcssm.py -src/pip/_vendor/chardet/sbcharsetprober.py -src/pip/_vendor/chardet/sbcsgroupprober.py -src/pip/_vendor/chardet/sjisprober.py -src/pip/_vendor/chardet/universaldetector.py -src/pip/_vendor/chardet/utf8prober.py -src/pip/_vendor/chardet/version.py -src/pip/_vendor/chardet/cli/__init__.py -src/pip/_vendor/chardet/cli/chardetect.py -src/pip/_vendor/colorama/LICENSE.txt -src/pip/_vendor/colorama/__init__.py -src/pip/_vendor/colorama/ansi.py -src/pip/_vendor/colorama/ansitowin32.py -src/pip/_vendor/colorama/initialise.py -src/pip/_vendor/colorama/win32.py -src/pip/_vendor/colorama/winterm.py -src/pip/_vendor/distlib/LICENSE.txt -src/pip/_vendor/distlib/__init__.py -src/pip/_vendor/distlib/compat.py -src/pip/_vendor/distlib/database.py -src/pip/_vendor/distlib/index.py -src/pip/_vendor/distlib/locators.py -src/pip/_vendor/distlib/manifest.py -src/pip/_vendor/distlib/markers.py -src/pip/_vendor/distlib/metadata.py -src/pip/_vendor/distlib/resources.py -src/pip/_vendor/distlib/scripts.py -src/pip/_vendor/distlib/t32.exe -src/pip/_vendor/distlib/t64.exe -src/pip/_vendor/distlib/util.py -src/pip/_vendor/distlib/version.py -src/pip/_vendor/distlib/w32.exe -src/pip/_vendor/distlib/w64.exe -src/pip/_vendor/distlib/wheel.py -src/pip/_vendor/distlib/_backport/__init__.py -src/pip/_vendor/distlib/_backport/misc.py -src/pip/_vendor/distlib/_backport/shutil.py -src/pip/_vendor/distlib/_backport/sysconfig.cfg -src/pip/_vendor/distlib/_backport/sysconfig.py -src/pip/_vendor/distlib/_backport/tarfile.py -src/pip/_vendor/html5lib/LICENSE -src/pip/_vendor/html5lib/__init__.py -src/pip/_vendor/html5lib/_ihatexml.py -src/pip/_vendor/html5lib/_inputstream.py -src/pip/_vendor/html5lib/_tokenizer.py -src/pip/_vendor/html5lib/_utils.py -src/pip/_vendor/html5lib/constants.py -src/pip/_vendor/html5lib/html5parser.py -src/pip/_vendor/html5lib/serializer.py -src/pip/_vendor/html5lib/_trie/__init__.py -src/pip/_vendor/html5lib/_trie/_base.py -src/pip/_vendor/html5lib/_trie/datrie.py -src/pip/_vendor/html5lib/_trie/py.py -src/pip/_vendor/html5lib/filters/__init__.py -src/pip/_vendor/html5lib/filters/alphabeticalattributes.py -src/pip/_vendor/html5lib/filters/base.py -src/pip/_vendor/html5lib/filters/inject_meta_charset.py -src/pip/_vendor/html5lib/filters/lint.py -src/pip/_vendor/html5lib/filters/optionaltags.py -src/pip/_vendor/html5lib/filters/sanitizer.py -src/pip/_vendor/html5lib/filters/whitespace.py -src/pip/_vendor/html5lib/treeadapters/__init__.py -src/pip/_vendor/html5lib/treeadapters/genshi.py -src/pip/_vendor/html5lib/treeadapters/sax.py -src/pip/_vendor/html5lib/treebuilders/__init__.py -src/pip/_vendor/html5lib/treebuilders/base.py -src/pip/_vendor/html5lib/treebuilders/dom.py -src/pip/_vendor/html5lib/treebuilders/etree.py -src/pip/_vendor/html5lib/treebuilders/etree_lxml.py -src/pip/_vendor/html5lib/treewalkers/__init__.py -src/pip/_vendor/html5lib/treewalkers/base.py -src/pip/_vendor/html5lib/treewalkers/dom.py -src/pip/_vendor/html5lib/treewalkers/etree.py -src/pip/_vendor/html5lib/treewalkers/etree_lxml.py -src/pip/_vendor/html5lib/treewalkers/genshi.py -src/pip/_vendor/idna/LICENSE.rst -src/pip/_vendor/idna/__init__.py -src/pip/_vendor/idna/codec.py -src/pip/_vendor/idna/compat.py -src/pip/_vendor/idna/core.py -src/pip/_vendor/idna/idnadata.py -src/pip/_vendor/idna/intranges.py -src/pip/_vendor/idna/package_data.py -src/pip/_vendor/idna/uts46data.py -src/pip/_vendor/lockfile/LICENSE -src/pip/_vendor/lockfile/__init__.py -src/pip/_vendor/lockfile/linklockfile.py -src/pip/_vendor/lockfile/mkdirlockfile.py -src/pip/_vendor/lockfile/pidlockfile.py -src/pip/_vendor/lockfile/sqlitelockfile.py -src/pip/_vendor/lockfile/symlinklockfile.py -src/pip/_vendor/msgpack/COPYING -src/pip/_vendor/msgpack/__init__.py -src/pip/_vendor/msgpack/_version.py -src/pip/_vendor/msgpack/exceptions.py -src/pip/_vendor/msgpack/fallback.py -src/pip/_vendor/packaging/LICENSE -src/pip/_vendor/packaging/LICENSE.APACHE -src/pip/_vendor/packaging/LICENSE.BSD -src/pip/_vendor/packaging/__about__.py -src/pip/_vendor/packaging/__init__.py -src/pip/_vendor/packaging/_compat.py -src/pip/_vendor/packaging/_structures.py -src/pip/_vendor/packaging/markers.py -src/pip/_vendor/packaging/requirements.py -src/pip/_vendor/packaging/specifiers.py -src/pip/_vendor/packaging/utils.py -src/pip/_vendor/packaging/version.py -src/pip/_vendor/pep517/LICENSE -src/pip/_vendor/pep517/__init__.py -src/pip/_vendor/pep517/_in_process.py -src/pip/_vendor/pep517/build.py -src/pip/_vendor/pep517/check.py -src/pip/_vendor/pep517/colorlog.py -src/pip/_vendor/pep517/compat.py -src/pip/_vendor/pep517/envbuild.py -src/pip/_vendor/pep517/wrappers.py -src/pip/_vendor/pkg_resources/LICENSE -src/pip/_vendor/pkg_resources/__init__.py -src/pip/_vendor/pkg_resources/py31compat.py -src/pip/_vendor/progress/LICENSE -src/pip/_vendor/progress/__init__.py -src/pip/_vendor/progress/bar.py -src/pip/_vendor/progress/counter.py -src/pip/_vendor/progress/helpers.py -src/pip/_vendor/progress/spinner.py -src/pip/_vendor/pytoml/LICENSE -src/pip/_vendor/pytoml/__init__.py -src/pip/_vendor/pytoml/core.py -src/pip/_vendor/pytoml/parser.py -src/pip/_vendor/pytoml/test.py -src/pip/_vendor/pytoml/utils.py -src/pip/_vendor/pytoml/writer.py -src/pip/_vendor/requests/LICENSE -src/pip/_vendor/requests/__init__.py -src/pip/_vendor/requests/__version__.py -src/pip/_vendor/requests/_internal_utils.py -src/pip/_vendor/requests/adapters.py -src/pip/_vendor/requests/api.py -src/pip/_vendor/requests/auth.py -src/pip/_vendor/requests/certs.py -src/pip/_vendor/requests/compat.py -src/pip/_vendor/requests/cookies.py -src/pip/_vendor/requests/exceptions.py -src/pip/_vendor/requests/help.py -src/pip/_vendor/requests/hooks.py -src/pip/_vendor/requests/models.py -src/pip/_vendor/requests/packages.py -src/pip/_vendor/requests/sessions.py -src/pip/_vendor/requests/status_codes.py -src/pip/_vendor/requests/structures.py -src/pip/_vendor/requests/utils.py -src/pip/_vendor/urllib3/LICENSE.txt -src/pip/_vendor/urllib3/__init__.py -src/pip/_vendor/urllib3/_collections.py -src/pip/_vendor/urllib3/connection.py -src/pip/_vendor/urllib3/connectionpool.py -src/pip/_vendor/urllib3/exceptions.py -src/pip/_vendor/urllib3/fields.py -src/pip/_vendor/urllib3/filepost.py -src/pip/_vendor/urllib3/poolmanager.py -src/pip/_vendor/urllib3/request.py -src/pip/_vendor/urllib3/response.py -src/pip/_vendor/urllib3/contrib/__init__.py -src/pip/_vendor/urllib3/contrib/_appengine_environ.py -src/pip/_vendor/urllib3/contrib/appengine.py -src/pip/_vendor/urllib3/contrib/ntlmpool.py -src/pip/_vendor/urllib3/contrib/pyopenssl.py -src/pip/_vendor/urllib3/contrib/securetransport.py -src/pip/_vendor/urllib3/contrib/socks.py -src/pip/_vendor/urllib3/contrib/_securetransport/__init__.py -src/pip/_vendor/urllib3/contrib/_securetransport/bindings.py -src/pip/_vendor/urllib3/contrib/_securetransport/low_level.py -src/pip/_vendor/urllib3/packages/__init__.py -src/pip/_vendor/urllib3/packages/six.py -src/pip/_vendor/urllib3/packages/backports/__init__.py -src/pip/_vendor/urllib3/packages/backports/makefile.py -src/pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py -src/pip/_vendor/urllib3/packages/ssl_match_hostname/_implementation.py -src/pip/_vendor/urllib3/util/__init__.py -src/pip/_vendor/urllib3/util/connection.py -src/pip/_vendor/urllib3/util/queue.py -src/pip/_vendor/urllib3/util/request.py -src/pip/_vendor/urllib3/util/response.py -src/pip/_vendor/urllib3/util/retry.py -src/pip/_vendor/urllib3/util/ssl_.py -src/pip/_vendor/urllib3/util/timeout.py -src/pip/_vendor/urllib3/util/url.py -src/pip/_vendor/urllib3/util/wait.py -src/pip/_vendor/webencodings/LICENSE -src/pip/_vendor/webencodings/__init__.py -src/pip/_vendor/webencodings/labels.py -src/pip/_vendor/webencodings/mklabels.py -src/pip/_vendor/webencodings/tests.py -src/pip/_vendor/webencodings/x_user_defined.py \ No newline at end of file diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/dependency_links.txt b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/dependency_links.txt deleted file mode 100644 index 8b13789..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/dependency_links.txt +++ /dev/null @@ -1 +0,0 @@ - diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/entry_points.txt b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/entry_points.txt deleted file mode 100644 index f5809cb..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/entry_points.txt +++ /dev/null @@ -1,5 +0,0 @@ -[console_scripts] -pip = pip._internal:main -pip3 = pip._internal:main -pip3.7 = pip._internal:main - diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/not-zip-safe b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/not-zip-safe deleted file mode 100644 index 8b13789..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/not-zip-safe +++ /dev/null @@ -1 +0,0 @@ - diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__init__.py deleted file mode 100644 index f48c1ca..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__init__.py +++ /dev/null @@ -1 +0,0 @@ -__version__ = "19.0.3" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__main__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__main__.py deleted file mode 100644 index 0c223f8..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/__main__.py +++ /dev/null @@ -1,19 +0,0 @@ -from __future__ import absolute_import - -import os -import sys - -# If we are running from a wheel, add the wheel to sys.path -# This allows the usage python pip-*.whl/pip install pip-*.whl -if __package__ == '': - # __file__ is pip-*.whl/pip/__main__.py - # first dirname call strips of '/__main__.py', second strips off '/pip' - # Resulting path is the name of the wheel itself - # Add that to sys.path so we can import pip - path = os.path.dirname(os.path.dirname(__file__)) - sys.path.insert(0, path) - -from pip._internal import main as _main # isort:skip # noqa - -if __name__ == '__main__': - sys.exit(_main()) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/__init__.py deleted file mode 100644 index 276124d..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/__init__.py +++ /dev/null @@ -1,78 +0,0 @@ -#!/usr/bin/env python -from __future__ import absolute_import - -import locale -import logging -import os -import warnings - -import sys - -# 2016-06-17 barry@debian.org: urllib3 1.14 added optional support for socks, -# but if invoked (i.e. imported), it will issue a warning to stderr if socks -# isn't available. requests unconditionally imports urllib3's socks contrib -# module, triggering this warning. The warning breaks DEP-8 tests (because of -# the stderr output) and is just plain annoying in normal usage. I don't want -# to add socks as yet another dependency for pip, nor do I want to allow-stder -# in the DEP-8 tests, so just suppress the warning. pdb tells me this has to -# be done before the import of pip.vcs. -from pip._vendor.urllib3.exceptions import DependencyWarning -warnings.filterwarnings("ignore", category=DependencyWarning) # noqa - -# We want to inject the use of SecureTransport as early as possible so that any -# references or sessions or what have you are ensured to have it, however we -# only want to do this in the case that we're running on macOS and the linked -# OpenSSL is too old to handle TLSv1.2 -try: - import ssl -except ImportError: - pass -else: - # Checks for OpenSSL 1.0.1 on MacOS - if sys.platform == "darwin" and ssl.OPENSSL_VERSION_NUMBER < 0x1000100f: - try: - from pip._vendor.urllib3.contrib import securetransport - except (ImportError, OSError): - pass - else: - securetransport.inject_into_urllib3() - -from pip._internal.cli.autocompletion import autocomplete -from pip._internal.cli.main_parser import parse_command -from pip._internal.commands import commands_dict -from pip._internal.exceptions import PipError -from pip._internal.utils import deprecation -from pip._internal.vcs import git, mercurial, subversion, bazaar # noqa -from pip._vendor.urllib3.exceptions import InsecureRequestWarning - -logger = logging.getLogger(__name__) - -# Hide the InsecureRequestWarning from urllib3 -warnings.filterwarnings("ignore", category=InsecureRequestWarning) - - -def main(args=None): - if args is None: - args = sys.argv[1:] - - # Configure our deprecation warnings to be sent through loggers - deprecation.install_warning_logger() - - autocomplete() - - try: - cmd_name, cmd_args = parse_command(args) - except PipError as exc: - sys.stderr.write("ERROR: %s" % exc) - sys.stderr.write(os.linesep) - sys.exit(1) - - # Needed for locale.getpreferredencoding(False) to work - # in pip._internal.utils.encoding.auto_decode - try: - locale.setlocale(locale.LC_ALL, '') - except locale.Error as e: - # setlocale can apparently crash if locale are uninitialized - logger.debug("Ignoring error %s when setting locale", e) - command = commands_dict[cmd_name](isolated=("--isolated" in cmd_args)) - return command.main(cmd_args) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/build_env.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/build_env.py deleted file mode 100644 index d744cc7..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/build_env.py +++ /dev/null @@ -1,215 +0,0 @@ -"""Build Environment used for isolation during sdist building -""" - -import logging -import os -import sys -import textwrap -from collections import OrderedDict -from distutils.sysconfig import get_python_lib -from sysconfig import get_paths - -from pip._vendor.pkg_resources import Requirement, VersionConflict, WorkingSet - -from pip import __file__ as pip_location -from pip._internal.utils.misc import call_subprocess -from pip._internal.utils.temp_dir import TempDirectory -from pip._internal.utils.typing import MYPY_CHECK_RUNNING -from pip._internal.utils.ui import open_spinner - -if MYPY_CHECK_RUNNING: - from typing import Tuple, Set, Iterable, Optional, List # noqa: F401 - from pip._internal.index import PackageFinder # noqa: F401 - -logger = logging.getLogger(__name__) - - -class _Prefix: - - def __init__(self, path): - # type: (str) -> None - self.path = path - self.setup = False - self.bin_dir = get_paths( - 'nt' if os.name == 'nt' else 'posix_prefix', - vars={'base': path, 'platbase': path} - )['scripts'] - # Note: prefer distutils' sysconfig to get the - # library paths so PyPy is correctly supported. - purelib = get_python_lib(plat_specific=False, prefix=path) - platlib = get_python_lib(plat_specific=True, prefix=path) - if purelib == platlib: - self.lib_dirs = [purelib] - else: - self.lib_dirs = [purelib, platlib] - - -class BuildEnvironment(object): - """Creates and manages an isolated environment to install build deps - """ - - def __init__(self): - # type: () -> None - self._temp_dir = TempDirectory(kind="build-env") - self._temp_dir.create() - - self._prefixes = OrderedDict(( - (name, _Prefix(os.path.join(self._temp_dir.path, name))) - for name in ('normal', 'overlay') - )) - - self._bin_dirs = [] # type: List[str] - self._lib_dirs = [] # type: List[str] - for prefix in reversed(list(self._prefixes.values())): - self._bin_dirs.append(prefix.bin_dir) - self._lib_dirs.extend(prefix.lib_dirs) - - # Customize site to: - # - ensure .pth files are honored - # - prevent access to system site packages - system_sites = { - os.path.normcase(site) for site in ( - get_python_lib(plat_specific=False), - get_python_lib(plat_specific=True), - ) - } - self._site_dir = os.path.join(self._temp_dir.path, 'site') - if not os.path.exists(self._site_dir): - os.mkdir(self._site_dir) - with open(os.path.join(self._site_dir, 'sitecustomize.py'), 'w') as fp: - fp.write(textwrap.dedent( - ''' - import os, site, sys - - # First, drop system-sites related paths. - original_sys_path = sys.path[:] - known_paths = set() - for path in {system_sites!r}: - site.addsitedir(path, known_paths=known_paths) - system_paths = set( - os.path.normcase(path) - for path in sys.path[len(original_sys_path):] - ) - original_sys_path = [ - path for path in original_sys_path - if os.path.normcase(path) not in system_paths - ] - sys.path = original_sys_path - - # Second, add lib directories. - # ensuring .pth file are processed. - for path in {lib_dirs!r}: - assert not path in sys.path - site.addsitedir(path) - ''' - ).format(system_sites=system_sites, lib_dirs=self._lib_dirs)) - - def __enter__(self): - self._save_env = { - name: os.environ.get(name, None) - for name in ('PATH', 'PYTHONNOUSERSITE', 'PYTHONPATH') - } - - path = self._bin_dirs[:] - old_path = self._save_env['PATH'] - if old_path: - path.extend(old_path.split(os.pathsep)) - - pythonpath = [self._site_dir] - - os.environ.update({ - 'PATH': os.pathsep.join(path), - 'PYTHONNOUSERSITE': '1', - 'PYTHONPATH': os.pathsep.join(pythonpath), - }) - - def __exit__(self, exc_type, exc_val, exc_tb): - for varname, old_value in self._save_env.items(): - if old_value is None: - os.environ.pop(varname, None) - else: - os.environ[varname] = old_value - - def cleanup(self): - # type: () -> None - self._temp_dir.cleanup() - - def check_requirements(self, reqs): - # type: (Iterable[str]) -> Tuple[Set[Tuple[str, str]], Set[str]] - """Return 2 sets: - - conflicting requirements: set of (installed, wanted) reqs tuples - - missing requirements: set of reqs - """ - missing = set() - conflicting = set() - if reqs: - ws = WorkingSet(self._lib_dirs) - for req in reqs: - try: - if ws.find(Requirement.parse(req)) is None: - missing.add(req) - except VersionConflict as e: - conflicting.add((str(e.args[0].as_requirement()), - str(e.args[1]))) - return conflicting, missing - - def install_requirements( - self, - finder, # type: PackageFinder - requirements, # type: Iterable[str] - prefix_as_string, # type: str - message # type: Optional[str] - ): - # type: (...) -> None - prefix = self._prefixes[prefix_as_string] - assert not prefix.setup - prefix.setup = True - if not requirements: - return - args = [ - sys.executable, os.path.dirname(pip_location), 'install', - '--ignore-installed', '--no-user', '--prefix', prefix.path, - '--no-warn-script-location', - ] # type: List[str] - if logger.getEffectiveLevel() <= logging.DEBUG: - args.append('-v') - for format_control in ('no_binary', 'only_binary'): - formats = getattr(finder.format_control, format_control) - args.extend(('--' + format_control.replace('_', '-'), - ','.join(sorted(formats or {':none:'})))) - if finder.index_urls: - args.extend(['-i', finder.index_urls[0]]) - for extra_index in finder.index_urls[1:]: - args.extend(['--extra-index-url', extra_index]) - else: - args.append('--no-index') - for link in finder.find_links: - args.extend(['--find-links', link]) - for _, host, _ in finder.secure_origins: - args.extend(['--trusted-host', host]) - if finder.allow_all_prereleases: - args.append('--pre') - args.append('--') - args.extend(requirements) - with open_spinner(message) as spinner: - call_subprocess(args, show_stdout=False, spinner=spinner) - - -class NoOpBuildEnvironment(BuildEnvironment): - """A no-op drop-in replacement for BuildEnvironment - """ - - def __init__(self): - pass - - def __enter__(self): - pass - - def __exit__(self, exc_type, exc_val, exc_tb): - pass - - def cleanup(self): - pass - - def install_requirements(self, finder, requirements, prefix, message): - raise NotImplementedError() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cache.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cache.py deleted file mode 100644 index eb295c4..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cache.py +++ /dev/null @@ -1,224 +0,0 @@ -"""Cache Management -""" - -import errno -import hashlib -import logging -import os - -from pip._vendor.packaging.utils import canonicalize_name - -from pip._internal.download import path_to_url -from pip._internal.models.link import Link -from pip._internal.utils.compat import expanduser -from pip._internal.utils.temp_dir import TempDirectory -from pip._internal.utils.typing import MYPY_CHECK_RUNNING -from pip._internal.wheel import InvalidWheelFilename, Wheel - -if MYPY_CHECK_RUNNING: - from typing import Optional, Set, List, Any # noqa: F401 - from pip._internal.index import FormatControl # noqa: F401 - -logger = logging.getLogger(__name__) - - -class Cache(object): - """An abstract class - provides cache directories for data from links - - - :param cache_dir: The root of the cache. - :param format_control: An object of FormatControl class to limit - binaries being read from the cache. - :param allowed_formats: which formats of files the cache should store. - ('binary' and 'source' are the only allowed values) - """ - - def __init__(self, cache_dir, format_control, allowed_formats): - # type: (str, FormatControl, Set[str]) -> None - super(Cache, self).__init__() - self.cache_dir = expanduser(cache_dir) if cache_dir else None - self.format_control = format_control - self.allowed_formats = allowed_formats - - _valid_formats = {"source", "binary"} - assert self.allowed_formats.union(_valid_formats) == _valid_formats - - def _get_cache_path_parts(self, link): - # type: (Link) -> List[str] - """Get parts of part that must be os.path.joined with cache_dir - """ - - # We want to generate an url to use as our cache key, we don't want to - # just re-use the URL because it might have other items in the fragment - # and we don't care about those. - key_parts = [link.url_without_fragment] - if link.hash_name is not None and link.hash is not None: - key_parts.append("=".join([link.hash_name, link.hash])) - key_url = "#".join(key_parts) - - # Encode our key url with sha224, we'll use this because it has similar - # security properties to sha256, but with a shorter total output (and - # thus less secure). However the differences don't make a lot of - # difference for our use case here. - hashed = hashlib.sha224(key_url.encode()).hexdigest() - - # We want to nest the directories some to prevent having a ton of top - # level directories where we might run out of sub directories on some - # FS. - parts = [hashed[:2], hashed[2:4], hashed[4:6], hashed[6:]] - - return parts - - def _get_candidates(self, link, package_name): - # type: (Link, Optional[str]) -> List[Any] - can_not_cache = ( - not self.cache_dir or - not package_name or - not link - ) - if can_not_cache: - return [] - - canonical_name = canonicalize_name(package_name) - formats = self.format_control.get_allowed_formats( - canonical_name - ) - if not self.allowed_formats.intersection(formats): - return [] - - root = self.get_path_for_link(link) - try: - return os.listdir(root) - except OSError as err: - if err.errno in {errno.ENOENT, errno.ENOTDIR}: - return [] - raise - - def get_path_for_link(self, link): - # type: (Link) -> str - """Return a directory to store cached items in for link. - """ - raise NotImplementedError() - - def get(self, link, package_name): - # type: (Link, Optional[str]) -> Link - """Returns a link to a cached item if it exists, otherwise returns the - passed link. - """ - raise NotImplementedError() - - def _link_for_candidate(self, link, candidate): - # type: (Link, str) -> Link - root = self.get_path_for_link(link) - path = os.path.join(root, candidate) - - return Link(path_to_url(path)) - - def cleanup(self): - # type: () -> None - pass - - -class SimpleWheelCache(Cache): - """A cache of wheels for future installs. - """ - - def __init__(self, cache_dir, format_control): - # type: (str, FormatControl) -> None - super(SimpleWheelCache, self).__init__( - cache_dir, format_control, {"binary"} - ) - - def get_path_for_link(self, link): - # type: (Link) -> str - """Return a directory to store cached wheels for link - - Because there are M wheels for any one sdist, we provide a directory - to cache them in, and then consult that directory when looking up - cache hits. - - We only insert things into the cache if they have plausible version - numbers, so that we don't contaminate the cache with things that were - not unique. E.g. ./package might have dozens of installs done for it - and build a version of 0.0...and if we built and cached a wheel, we'd - end up using the same wheel even if the source has been edited. - - :param link: The link of the sdist for which this will cache wheels. - """ - parts = self._get_cache_path_parts(link) - - # Store wheels within the root cache_dir - return os.path.join(self.cache_dir, "wheels", *parts) - - def get(self, link, package_name): - # type: (Link, Optional[str]) -> Link - candidates = [] - - for wheel_name in self._get_candidates(link, package_name): - try: - wheel = Wheel(wheel_name) - except InvalidWheelFilename: - continue - if not wheel.supported(): - # Built for a different python/arch/etc - continue - candidates.append((wheel.support_index_min(), wheel_name)) - - if not candidates: - return link - - return self._link_for_candidate(link, min(candidates)[1]) - - -class EphemWheelCache(SimpleWheelCache): - """A SimpleWheelCache that creates it's own temporary cache directory - """ - - def __init__(self, format_control): - # type: (FormatControl) -> None - self._temp_dir = TempDirectory(kind="ephem-wheel-cache") - self._temp_dir.create() - - super(EphemWheelCache, self).__init__( - self._temp_dir.path, format_control - ) - - def cleanup(self): - # type: () -> None - self._temp_dir.cleanup() - - -class WheelCache(Cache): - """Wraps EphemWheelCache and SimpleWheelCache into a single Cache - - This Cache allows for gracefully degradation, using the ephem wheel cache - when a certain link is not found in the simple wheel cache first. - """ - - def __init__(self, cache_dir, format_control): - # type: (str, FormatControl) -> None - super(WheelCache, self).__init__( - cache_dir, format_control, {'binary'} - ) - self._wheel_cache = SimpleWheelCache(cache_dir, format_control) - self._ephem_cache = EphemWheelCache(format_control) - - def get_path_for_link(self, link): - # type: (Link) -> str - return self._wheel_cache.get_path_for_link(link) - - def get_ephem_path_for_link(self, link): - # type: (Link) -> str - return self._ephem_cache.get_path_for_link(link) - - def get(self, link, package_name): - # type: (Link, Optional[str]) -> Link - retval = self._wheel_cache.get(link, package_name) - if retval is link: - retval = self._ephem_cache.get(link, package_name) - return retval - - def cleanup(self): - # type: () -> None - self._wheel_cache.cleanup() - self._ephem_cache.cleanup() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/base_command.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/base_command.py deleted file mode 100644 index 3ceea49..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/base_command.py +++ /dev/null @@ -1,341 +0,0 @@ -"""Base Command class, and related routines""" -from __future__ import absolute_import, print_function - -import logging -import logging.config -import optparse -import os -import platform -import sys -import traceback - -from pip._internal.cli import cmdoptions -from pip._internal.cli.parser import ( - ConfigOptionParser, UpdatingDefaultsHelpFormatter, -) -from pip._internal.cli.status_codes import ( - ERROR, PREVIOUS_BUILD_DIR_ERROR, SUCCESS, UNKNOWN_ERROR, - VIRTUALENV_NOT_FOUND, -) -from pip._internal.download import PipSession -from pip._internal.exceptions import ( - BadCommand, CommandError, InstallationError, PreviousBuildDirError, - UninstallationError, -) -from pip._internal.index import PackageFinder -from pip._internal.locations import running_under_virtualenv -from pip._internal.req.constructors import ( - install_req_from_editable, install_req_from_line, -) -from pip._internal.req.req_file import parse_requirements -from pip._internal.utils.deprecation import deprecated -from pip._internal.utils.logging import BrokenStdoutLoggingError, setup_logging -from pip._internal.utils.misc import ( - get_prog, normalize_path, redact_password_from_url, -) -from pip._internal.utils.outdated import pip_version_check -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import Optional, List, Tuple, Any # noqa: F401 - from optparse import Values # noqa: F401 - from pip._internal.cache import WheelCache # noqa: F401 - from pip._internal.req.req_set import RequirementSet # noqa: F401 - -__all__ = ['Command'] - -logger = logging.getLogger(__name__) - - -class Command(object): - name = None # type: Optional[str] - usage = None # type: Optional[str] - hidden = False # type: bool - ignore_require_venv = False # type: bool - - def __init__(self, isolated=False): - # type: (bool) -> None - parser_kw = { - 'usage': self.usage, - 'prog': '%s %s' % (get_prog(), self.name), - 'formatter': UpdatingDefaultsHelpFormatter(), - 'add_help_option': False, - 'name': self.name, - 'description': self.__doc__, - 'isolated': isolated, - } - - self.parser = ConfigOptionParser(**parser_kw) - - # Commands should add options to this option group - optgroup_name = '%s Options' % self.name.capitalize() - self.cmd_opts = optparse.OptionGroup(self.parser, optgroup_name) - - # Add the general options - gen_opts = cmdoptions.make_option_group( - cmdoptions.general_group, - self.parser, - ) - self.parser.add_option_group(gen_opts) - - def run(self, options, args): - # type: (Values, List[Any]) -> Any - raise NotImplementedError - - def _build_session(self, options, retries=None, timeout=None): - # type: (Values, Optional[int], Optional[int]) -> PipSession - session = PipSession( - cache=( - normalize_path(os.path.join(options.cache_dir, "http")) - if options.cache_dir else None - ), - retries=retries if retries is not None else options.retries, - insecure_hosts=options.trusted_hosts, - ) - - # Handle custom ca-bundles from the user - if options.cert: - session.verify = options.cert - - # Handle SSL client certificate - if options.client_cert: - session.cert = options.client_cert - - # Handle timeouts - if options.timeout or timeout: - session.timeout = ( - timeout if timeout is not None else options.timeout - ) - - # Handle configured proxies - if options.proxy: - session.proxies = { - "http": options.proxy, - "https": options.proxy, - } - - # Determine if we can prompt the user for authentication or not - session.auth.prompting = not options.no_input - - return session - - def parse_args(self, args): - # type: (List[str]) -> Tuple - # factored out for testability - return self.parser.parse_args(args) - - def main(self, args): - # type: (List[str]) -> int - options, args = self.parse_args(args) - - # Set verbosity so that it can be used elsewhere. - self.verbosity = options.verbose - options.quiet - - level_number = setup_logging( - verbosity=self.verbosity, - no_color=options.no_color, - user_log_file=options.log, - ) - - if sys.version_info[:2] == (3, 4): - deprecated( - "Python 3.4 support has been deprecated. pip 19.1 will be the " - "last one supporting it. Please upgrade your Python as Python " - "3.4 won't be maintained after March 2019 (cf PEP 429).", - replacement=None, - gone_in='19.2', - ) - elif sys.version_info[:2] == (2, 7): - message = ( - "A future version of pip will drop support for Python 2.7." - ) - if platform.python_implementation() == "CPython": - message = ( - "Python 2.7 will reach the end of its life on January " - "1st, 2020. Please upgrade your Python as Python 2.7 " - "won't be maintained after that date. " - ) + message - deprecated(message, replacement=None, gone_in=None) - - # TODO: Try to get these passing down from the command? - # without resorting to os.environ to hold these. - # This also affects isolated builds and it should. - - if options.no_input: - os.environ['PIP_NO_INPUT'] = '1' - - if options.exists_action: - os.environ['PIP_EXISTS_ACTION'] = ' '.join(options.exists_action) - - if options.require_venv and not self.ignore_require_venv: - # If a venv is required check if it can really be found - if not running_under_virtualenv(): - logger.critical( - 'Could not find an activated virtualenv (required).' - ) - sys.exit(VIRTUALENV_NOT_FOUND) - - try: - status = self.run(options, args) - # FIXME: all commands should return an exit status - # and when it is done, isinstance is not needed anymore - if isinstance(status, int): - return status - except PreviousBuildDirError as exc: - logger.critical(str(exc)) - logger.debug('Exception information:', exc_info=True) - - return PREVIOUS_BUILD_DIR_ERROR - except (InstallationError, UninstallationError, BadCommand) as exc: - logger.critical(str(exc)) - logger.debug('Exception information:', exc_info=True) - - return ERROR - except CommandError as exc: - logger.critical('ERROR: %s', exc) - logger.debug('Exception information:', exc_info=True) - - return ERROR - except BrokenStdoutLoggingError: - # Bypass our logger and write any remaining messages to stderr - # because stdout no longer works. - print('ERROR: Pipe to stdout was broken', file=sys.stderr) - if level_number <= logging.DEBUG: - traceback.print_exc(file=sys.stderr) - - return ERROR - except KeyboardInterrupt: - logger.critical('Operation cancelled by user') - logger.debug('Exception information:', exc_info=True) - - return ERROR - except BaseException: - logger.critical('Exception:', exc_info=True) - - return UNKNOWN_ERROR - finally: - allow_version_check = ( - # Does this command have the index_group options? - hasattr(options, "no_index") and - # Is this command allowed to perform this check? - not (options.disable_pip_version_check or options.no_index) - ) - # Check if we're using the latest version of pip available - if allow_version_check: - session = self._build_session( - options, - retries=0, - timeout=min(5, options.timeout) - ) - with session: - pip_version_check(session, options) - - # Shutdown the logging module - logging.shutdown() - - return SUCCESS - - -class RequirementCommand(Command): - - @staticmethod - def populate_requirement_set(requirement_set, # type: RequirementSet - args, # type: List[str] - options, # type: Values - finder, # type: PackageFinder - session, # type: PipSession - name, # type: str - wheel_cache # type: Optional[WheelCache] - ): - # type: (...) -> None - """ - Marshal cmd line args into a requirement set. - """ - # NOTE: As a side-effect, options.require_hashes and - # requirement_set.require_hashes may be updated - - for filename in options.constraints: - for req_to_add in parse_requirements( - filename, - constraint=True, finder=finder, options=options, - session=session, wheel_cache=wheel_cache): - req_to_add.is_direct = True - requirement_set.add_requirement(req_to_add) - - for req in args: - req_to_add = install_req_from_line( - req, None, isolated=options.isolated_mode, - use_pep517=options.use_pep517, - wheel_cache=wheel_cache - ) - req_to_add.is_direct = True - requirement_set.add_requirement(req_to_add) - - for req in options.editables: - req_to_add = install_req_from_editable( - req, - isolated=options.isolated_mode, - use_pep517=options.use_pep517, - wheel_cache=wheel_cache - ) - req_to_add.is_direct = True - requirement_set.add_requirement(req_to_add) - - for filename in options.requirements: - for req_to_add in parse_requirements( - filename, - finder=finder, options=options, session=session, - wheel_cache=wheel_cache, - use_pep517=options.use_pep517): - req_to_add.is_direct = True - requirement_set.add_requirement(req_to_add) - # If --require-hashes was a line in a requirements file, tell - # RequirementSet about it: - requirement_set.require_hashes = options.require_hashes - - if not (args or options.editables or options.requirements): - opts = {'name': name} - if options.find_links: - raise CommandError( - 'You must give at least one requirement to %(name)s ' - '(maybe you meant "pip %(name)s %(links)s"?)' % - dict(opts, links=' '.join(options.find_links))) - else: - raise CommandError( - 'You must give at least one requirement to %(name)s ' - '(see "pip help %(name)s")' % opts) - - def _build_package_finder( - self, - options, # type: Values - session, # type: PipSession - platform=None, # type: Optional[str] - python_versions=None, # type: Optional[List[str]] - abi=None, # type: Optional[str] - implementation=None # type: Optional[str] - ): - # type: (...) -> PackageFinder - """ - Create a package finder appropriate to this requirement command. - """ - index_urls = [options.index_url] + options.extra_index_urls - if options.no_index: - logger.debug( - 'Ignoring indexes: %s', - ','.join(redact_password_from_url(url) for url in index_urls), - ) - index_urls = [] - - return PackageFinder( - find_links=options.find_links, - format_control=options.format_control, - index_urls=index_urls, - trusted_hosts=options.trusted_hosts, - allow_all_prereleases=options.pre, - session=session, - platform=platform, - versions=python_versions, - abi=abi, - implementation=implementation, - prefer_binary=options.prefer_binary, - ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/cmdoptions.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/cmdoptions.py deleted file mode 100644 index 5cf5ee9..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/cmdoptions.py +++ /dev/null @@ -1,809 +0,0 @@ -""" -shared options and groups - -The principle here is to define options once, but *not* instantiate them -globally. One reason being that options with action='append' can carry state -between parses. pip parses general options twice internally, and shouldn't -pass on state. To be consistent, all options will follow this design. - -""" -from __future__ import absolute_import - -import textwrap -import warnings -from distutils.util import strtobool -from functools import partial -from optparse import SUPPRESS_HELP, Option, OptionGroup - -from pip._internal.exceptions import CommandError -from pip._internal.locations import USER_CACHE_DIR, src_prefix -from pip._internal.models.format_control import FormatControl -from pip._internal.models.index import PyPI -from pip._internal.utils.hashes import STRONG_HASHES -from pip._internal.utils.typing import MYPY_CHECK_RUNNING -from pip._internal.utils.ui import BAR_TYPES - -if MYPY_CHECK_RUNNING: - from typing import Any, Callable, Dict, List, Optional, Union # noqa: F401 - from optparse import OptionParser, Values # noqa: F401 - from pip._internal.cli.parser import ConfigOptionParser # noqa: F401 - - -def raise_option_error(parser, option, msg): - """ - Raise an option parsing error using parser.error(). - - Args: - parser: an OptionParser instance. - option: an Option instance. - msg: the error text. - """ - msg = '{} error: {}'.format(option, msg) - msg = textwrap.fill(' '.join(msg.split())) - parser.error(msg) - - -def make_option_group(group, parser): - # type: (Dict[str, Any], ConfigOptionParser) -> OptionGroup - """ - Return an OptionGroup object - group -- assumed to be dict with 'name' and 'options' keys - parser -- an optparse Parser - """ - option_group = OptionGroup(parser, group['name']) - for option in group['options']: - option_group.add_option(option()) - return option_group - - -def check_install_build_global(options, check_options=None): - # type: (Values, Optional[Values]) -> None - """Disable wheels if per-setup.py call options are set. - - :param options: The OptionParser options to update. - :param check_options: The options to check, if not supplied defaults to - options. - """ - if check_options is None: - check_options = options - - def getname(n): - return getattr(check_options, n, None) - names = ["build_options", "global_options", "install_options"] - if any(map(getname, names)): - control = options.format_control - control.disallow_binaries() - warnings.warn( - 'Disabling all use of wheels due to the use of --build-options ' - '/ --global-options / --install-options.', stacklevel=2, - ) - - -def check_dist_restriction(options, check_target=False): - # type: (Values, bool) -> None - """Function for determining if custom platform options are allowed. - - :param options: The OptionParser options. - :param check_target: Whether or not to check if --target is being used. - """ - dist_restriction_set = any([ - options.python_version, - options.platform, - options.abi, - options.implementation, - ]) - - binary_only = FormatControl(set(), {':all:'}) - sdist_dependencies_allowed = ( - options.format_control != binary_only and - not options.ignore_dependencies - ) - - # Installations or downloads using dist restrictions must not combine - # source distributions and dist-specific wheels, as they are not - # gauranteed to be locally compatible. - if dist_restriction_set and sdist_dependencies_allowed: - raise CommandError( - "When restricting platform and interpreter constraints using " - "--python-version, --platform, --abi, or --implementation, " - "either --no-deps must be set, or --only-binary=:all: must be " - "set and --no-binary must not be set (or must be set to " - ":none:)." - ) - - if check_target: - if dist_restriction_set and not options.target_dir: - raise CommandError( - "Can not use any platform or abi specific options unless " - "installing via '--target'" - ) - - -########### -# options # -########### - -help_ = partial( - Option, - '-h', '--help', - dest='help', - action='help', - help='Show help.', -) # type: Callable[..., Option] - -isolated_mode = partial( - Option, - "--isolated", - dest="isolated_mode", - action="store_true", - default=False, - help=( - "Run pip in an isolated mode, ignoring environment variables and user " - "configuration." - ), -) # type: Callable[..., Option] - -require_virtualenv = partial( - Option, - # Run only if inside a virtualenv, bail if not. - '--require-virtualenv', '--require-venv', - dest='require_venv', - action='store_true', - default=False, - help=SUPPRESS_HELP -) # type: Callable[..., Option] - -verbose = partial( - Option, - '-v', '--verbose', - dest='verbose', - action='count', - default=0, - help='Give more output. Option is additive, and can be used up to 3 times.' -) # type: Callable[..., Option] - -no_color = partial( - Option, - '--no-color', - dest='no_color', - action='store_true', - default=False, - help="Suppress colored output", -) # type: Callable[..., Option] - -version = partial( - Option, - '-V', '--version', - dest='version', - action='store_true', - help='Show version and exit.', -) # type: Callable[..., Option] - -quiet = partial( - Option, - '-q', '--quiet', - dest='quiet', - action='count', - default=0, - help=( - 'Give less output. Option is additive, and can be used up to 3' - ' times (corresponding to WARNING, ERROR, and CRITICAL logging' - ' levels).' - ), -) # type: Callable[..., Option] - -progress_bar = partial( - Option, - '--progress-bar', - dest='progress_bar', - type='choice', - choices=list(BAR_TYPES.keys()), - default='on', - help=( - 'Specify type of progress to be displayed [' + - '|'.join(BAR_TYPES.keys()) + '] (default: %default)' - ), -) # type: Callable[..., Option] - -log = partial( - Option, - "--log", "--log-file", "--local-log", - dest="log", - metavar="path", - help="Path to a verbose appending log." -) # type: Callable[..., Option] - -no_input = partial( - Option, - # Don't ask for input - '--no-input', - dest='no_input', - action='store_true', - default=False, - help=SUPPRESS_HELP -) # type: Callable[..., Option] - -proxy = partial( - Option, - '--proxy', - dest='proxy', - type='str', - default='', - help="Specify a proxy in the form [user:passwd@]proxy.server:port." -) # type: Callable[..., Option] - -retries = partial( - Option, - '--retries', - dest='retries', - type='int', - default=5, - help="Maximum number of retries each connection should attempt " - "(default %default times).", -) # type: Callable[..., Option] - -timeout = partial( - Option, - '--timeout', '--default-timeout', - metavar='sec', - dest='timeout', - type='float', - default=15, - help='Set the socket timeout (default %default seconds).', -) # type: Callable[..., Option] - -skip_requirements_regex = partial( - Option, - # A regex to be used to skip requirements - '--skip-requirements-regex', - dest='skip_requirements_regex', - type='str', - default='', - help=SUPPRESS_HELP, -) # type: Callable[..., Option] - - -def exists_action(): - # type: () -> Option - return Option( - # Option when path already exist - '--exists-action', - dest='exists_action', - type='choice', - choices=['s', 'i', 'w', 'b', 'a'], - default=[], - action='append', - metavar='action', - help="Default action when a path already exists: " - "(s)witch, (i)gnore, (w)ipe, (b)ackup, (a)bort).", - ) - - -cert = partial( - Option, - '--cert', - dest='cert', - type='str', - metavar='path', - help="Path to alternate CA bundle.", -) # type: Callable[..., Option] - -client_cert = partial( - Option, - '--client-cert', - dest='client_cert', - type='str', - default=None, - metavar='path', - help="Path to SSL client certificate, a single file containing the " - "private key and the certificate in PEM format.", -) # type: Callable[..., Option] - -index_url = partial( - Option, - '-i', '--index-url', '--pypi-url', - dest='index_url', - metavar='URL', - default=PyPI.simple_url, - help="Base URL of Python Package Index (default %default). " - "This should point to a repository compliant with PEP 503 " - "(the simple repository API) or a local directory laid out " - "in the same format.", -) # type: Callable[..., Option] - - -def extra_index_url(): - return Option( - '--extra-index-url', - dest='extra_index_urls', - metavar='URL', - action='append', - default=[], - help="Extra URLs of package indexes to use in addition to " - "--index-url. Should follow the same rules as " - "--index-url.", - ) - - -no_index = partial( - Option, - '--no-index', - dest='no_index', - action='store_true', - default=False, - help='Ignore package index (only looking at --find-links URLs instead).', -) # type: Callable[..., Option] - - -def find_links(): - # type: () -> Option - return Option( - '-f', '--find-links', - dest='find_links', - action='append', - default=[], - metavar='url', - help="If a url or path to an html file, then parse for links to " - "archives. If a local path or file:// url that's a directory, " - "then look for archives in the directory listing.", - ) - - -def trusted_host(): - # type: () -> Option - return Option( - "--trusted-host", - dest="trusted_hosts", - action="append", - metavar="HOSTNAME", - default=[], - help="Mark this host as trusted, even though it does not have valid " - "or any HTTPS.", - ) - - -def constraints(): - # type: () -> Option - return Option( - '-c', '--constraint', - dest='constraints', - action='append', - default=[], - metavar='file', - help='Constrain versions using the given constraints file. ' - 'This option can be used multiple times.' - ) - - -def requirements(): - # type: () -> Option - return Option( - '-r', '--requirement', - dest='requirements', - action='append', - default=[], - metavar='file', - help='Install from the given requirements file. ' - 'This option can be used multiple times.' - ) - - -def editable(): - # type: () -> Option - return Option( - '-e', '--editable', - dest='editables', - action='append', - default=[], - metavar='path/url', - help=('Install a project in editable mode (i.e. setuptools ' - '"develop mode") from a local project path or a VCS url.'), - ) - - -src = partial( - Option, - '--src', '--source', '--source-dir', '--source-directory', - dest='src_dir', - metavar='dir', - default=src_prefix, - help='Directory to check out editable projects into. ' - 'The default in a virtualenv is "<venv path>/src". ' - 'The default for global installs is "<current dir>/src".' -) # type: Callable[..., Option] - - -def _get_format_control(values, option): - # type: (Values, Option) -> Any - """Get a format_control object.""" - return getattr(values, option.dest) - - -def _handle_no_binary(option, opt_str, value, parser): - # type: (Option, str, str, OptionParser) -> None - existing = _get_format_control(parser.values, option) - FormatControl.handle_mutual_excludes( - value, existing.no_binary, existing.only_binary, - ) - - -def _handle_only_binary(option, opt_str, value, parser): - # type: (Option, str, str, OptionParser) -> None - existing = _get_format_control(parser.values, option) - FormatControl.handle_mutual_excludes( - value, existing.only_binary, existing.no_binary, - ) - - -def no_binary(): - # type: () -> Option - format_control = FormatControl(set(), set()) - return Option( - "--no-binary", dest="format_control", action="callback", - callback=_handle_no_binary, type="str", - default=format_control, - help="Do not use binary packages. Can be supplied multiple times, and " - "each time adds to the existing value. Accepts either :all: to " - "disable all binary packages, :none: to empty the set, or one or " - "more package names with commas between them. Note that some " - "packages are tricky to compile and may fail to install when " - "this option is used on them.", - ) - - -def only_binary(): - # type: () -> Option - format_control = FormatControl(set(), set()) - return Option( - "--only-binary", dest="format_control", action="callback", - callback=_handle_only_binary, type="str", - default=format_control, - help="Do not use source packages. Can be supplied multiple times, and " - "each time adds to the existing value. Accepts either :all: to " - "disable all source packages, :none: to empty the set, or one or " - "more package names with commas between them. Packages without " - "binary distributions will fail to install when this option is " - "used on them.", - ) - - -platform = partial( - Option, - '--platform', - dest='platform', - metavar='platform', - default=None, - help=("Only use wheels compatible with <platform>. " - "Defaults to the platform of the running system."), -) # type: Callable[..., Option] - - -python_version = partial( - Option, - '--python-version', - dest='python_version', - metavar='python_version', - default=None, - help=("Only use wheels compatible with Python " - "interpreter version <version>. If not specified, then the " - "current system interpreter minor version is used. A major " - "version (e.g. '2') can be specified to match all " - "minor revs of that major version. A minor version " - "(e.g. '34') can also be specified."), -) # type: Callable[..., Option] - - -implementation = partial( - Option, - '--implementation', - dest='implementation', - metavar='implementation', - default=None, - help=("Only use wheels compatible with Python " - "implementation <implementation>, e.g. 'pp', 'jy', 'cp', " - " or 'ip'. If not specified, then the current " - "interpreter implementation is used. Use 'py' to force " - "implementation-agnostic wheels."), -) # type: Callable[..., Option] - - -abi = partial( - Option, - '--abi', - dest='abi', - metavar='abi', - default=None, - help=("Only use wheels compatible with Python " - "abi <abi>, e.g. 'pypy_41'. If not specified, then the " - "current interpreter abi tag is used. Generally " - "you will need to specify --implementation, " - "--platform, and --python-version when using " - "this option."), -) # type: Callable[..., Option] - - -def prefer_binary(): - # type: () -> Option - return Option( - "--prefer-binary", - dest="prefer_binary", - action="store_true", - default=False, - help="Prefer older binary packages over newer source packages." - ) - - -cache_dir = partial( - Option, - "--cache-dir", - dest="cache_dir", - default=USER_CACHE_DIR, - metavar="dir", - help="Store the cache data in <dir>." -) # type: Callable[..., Option] - - -def no_cache_dir_callback(option, opt, value, parser): - """ - Process a value provided for the --no-cache-dir option. - - This is an optparse.Option callback for the --no-cache-dir option. - """ - # The value argument will be None if --no-cache-dir is passed via the - # command-line, since the option doesn't accept arguments. However, - # the value can be non-None if the option is triggered e.g. by an - # environment variable, like PIP_NO_CACHE_DIR=true. - if value is not None: - # Then parse the string value to get argument error-checking. - try: - strtobool(value) - except ValueError as exc: - raise_option_error(parser, option=option, msg=str(exc)) - - # Originally, setting PIP_NO_CACHE_DIR to a value that strtobool() - # converted to 0 (like "false" or "no") caused cache_dir to be disabled - # rather than enabled (logic would say the latter). Thus, we disable - # the cache directory not just on values that parse to True, but (for - # backwards compatibility reasons) also on values that parse to False. - # In other words, always set it to False if the option is provided in - # some (valid) form. - parser.values.cache_dir = False - - -no_cache = partial( - Option, - "--no-cache-dir", - dest="cache_dir", - action="callback", - callback=no_cache_dir_callback, - help="Disable the cache.", -) # type: Callable[..., Option] - -no_deps = partial( - Option, - '--no-deps', '--no-dependencies', - dest='ignore_dependencies', - action='store_true', - default=False, - help="Don't install package dependencies.", -) # type: Callable[..., Option] - -build_dir = partial( - Option, - '-b', '--build', '--build-dir', '--build-directory', - dest='build_dir', - metavar='dir', - help='Directory to unpack packages into and build in. Note that ' - 'an initial build still takes place in a temporary directory. ' - 'The location of temporary directories can be controlled by setting ' - 'the TMPDIR environment variable (TEMP on Windows) appropriately. ' - 'When passed, build directories are not cleaned in case of failures.' -) # type: Callable[..., Option] - -ignore_requires_python = partial( - Option, - '--ignore-requires-python', - dest='ignore_requires_python', - action='store_true', - help='Ignore the Requires-Python information.' -) # type: Callable[..., Option] - -no_build_isolation = partial( - Option, - '--no-build-isolation', - dest='build_isolation', - action='store_false', - default=True, - help='Disable isolation when building a modern source distribution. ' - 'Build dependencies specified by PEP 518 must be already installed ' - 'if this option is used.' -) # type: Callable[..., Option] - - -def no_use_pep517_callback(option, opt, value, parser): - """ - Process a value provided for the --no-use-pep517 option. - - This is an optparse.Option callback for the no_use_pep517 option. - """ - # Since --no-use-pep517 doesn't accept arguments, the value argument - # will be None if --no-use-pep517 is passed via the command-line. - # However, the value can be non-None if the option is triggered e.g. - # by an environment variable, for example "PIP_NO_USE_PEP517=true". - if value is not None: - msg = """A value was passed for --no-use-pep517, - probably using either the PIP_NO_USE_PEP517 environment variable - or the "no-use-pep517" config file option. Use an appropriate value - of the PIP_USE_PEP517 environment variable or the "use-pep517" - config file option instead. - """ - raise_option_error(parser, option=option, msg=msg) - - # Otherwise, --no-use-pep517 was passed via the command-line. - parser.values.use_pep517 = False - - -use_pep517 = partial( - Option, - '--use-pep517', - dest='use_pep517', - action='store_true', - default=None, - help='Use PEP 517 for building source distributions ' - '(use --no-use-pep517 to force legacy behaviour).' -) # type: Any - -no_use_pep517 = partial( - Option, - '--no-use-pep517', - dest='use_pep517', - action='callback', - callback=no_use_pep517_callback, - default=None, - help=SUPPRESS_HELP -) # type: Any - -install_options = partial( - Option, - '--install-option', - dest='install_options', - action='append', - metavar='options', - help="Extra arguments to be supplied to the setup.py install " - "command (use like --install-option=\"--install-scripts=/usr/local/" - "bin\"). Use multiple --install-option options to pass multiple " - "options to setup.py install. If you are using an option with a " - "directory path, be sure to use absolute path.", -) # type: Callable[..., Option] - -global_options = partial( - Option, - '--global-option', - dest='global_options', - action='append', - metavar='options', - help="Extra global options to be supplied to the setup.py " - "call before the install command.", -) # type: Callable[..., Option] - -no_clean = partial( - Option, - '--no-clean', - action='store_true', - default=False, - help="Don't clean up build directories." -) # type: Callable[..., Option] - -pre = partial( - Option, - '--pre', - action='store_true', - default=False, - help="Include pre-release and development versions. By default, " - "pip only finds stable versions.", -) # type: Callable[..., Option] - -disable_pip_version_check = partial( - Option, - "--disable-pip-version-check", - dest="disable_pip_version_check", - action="store_true", - default=False, - help="Don't periodically check PyPI to determine whether a new version " - "of pip is available for download. Implied with --no-index.", -) # type: Callable[..., Option] - - -# Deprecated, Remove later -always_unzip = partial( - Option, - '-Z', '--always-unzip', - dest='always_unzip', - action='store_true', - help=SUPPRESS_HELP, -) # type: Callable[..., Option] - - -def _merge_hash(option, opt_str, value, parser): - # type: (Option, str, str, OptionParser) -> None - """Given a value spelled "algo:digest", append the digest to a list - pointed to in a dict by the algo name.""" - if not parser.values.hashes: - parser.values.hashes = {} # type: ignore - try: - algo, digest = value.split(':', 1) - except ValueError: - parser.error('Arguments to %s must be a hash name ' - 'followed by a value, like --hash=sha256:abcde...' % - opt_str) - if algo not in STRONG_HASHES: - parser.error('Allowed hash algorithms for %s are %s.' % - (opt_str, ', '.join(STRONG_HASHES))) - parser.values.hashes.setdefault(algo, []).append(digest) - - -hash = partial( - Option, - '--hash', - # Hash values eventually end up in InstallRequirement.hashes due to - # __dict__ copying in process_line(). - dest='hashes', - action='callback', - callback=_merge_hash, - type='string', - help="Verify that the package's archive matches this " - 'hash before installing. Example: --hash=sha256:abcdef...', -) # type: Callable[..., Option] - - -require_hashes = partial( - Option, - '--require-hashes', - dest='require_hashes', - action='store_true', - default=False, - help='Require a hash to check each requirement against, for ' - 'repeatable installs. This option is implied when any package in a ' - 'requirements file has a --hash option.', -) # type: Callable[..., Option] - - -########## -# groups # -########## - -general_group = { - 'name': 'General Options', - 'options': [ - help_, - isolated_mode, - require_virtualenv, - verbose, - version, - quiet, - log, - no_input, - proxy, - retries, - timeout, - skip_requirements_regex, - exists_action, - trusted_host, - cert, - client_cert, - cache_dir, - no_cache, - disable_pip_version_check, - no_color, - ] -} # type: Dict[str, Any] - -index_group = { - 'name': 'Package Index Options', - 'options': [ - index_url, - extra_index_url, - no_index, - find_links, - ] -} # type: Dict[str, Any] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/__init__.py deleted file mode 100644 index c7d1da3..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/__init__.py +++ /dev/null @@ -1,79 +0,0 @@ -""" -Package containing all pip commands -""" -from __future__ import absolute_import - -from pip._internal.commands.completion import CompletionCommand -from pip._internal.commands.configuration import ConfigurationCommand -from pip._internal.commands.download import DownloadCommand -from pip._internal.commands.freeze import FreezeCommand -from pip._internal.commands.hash import HashCommand -from pip._internal.commands.help import HelpCommand -from pip._internal.commands.list import ListCommand -from pip._internal.commands.check import CheckCommand -from pip._internal.commands.search import SearchCommand -from pip._internal.commands.show import ShowCommand -from pip._internal.commands.install import InstallCommand -from pip._internal.commands.uninstall import UninstallCommand -from pip._internal.commands.wheel import WheelCommand - -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import List, Type # noqa: F401 - from pip._internal.cli.base_command import Command # noqa: F401 - -commands_order = [ - InstallCommand, - DownloadCommand, - UninstallCommand, - FreezeCommand, - ListCommand, - ShowCommand, - CheckCommand, - ConfigurationCommand, - SearchCommand, - WheelCommand, - HashCommand, - CompletionCommand, - HelpCommand, -] # type: List[Type[Command]] - -commands_dict = {c.name: c for c in commands_order} - - -def get_summaries(ordered=True): - """Yields sorted (command name, command summary) tuples.""" - - if ordered: - cmditems = _sort_commands(commands_dict, commands_order) - else: - cmditems = commands_dict.items() - - for name, command_class in cmditems: - yield (name, command_class.summary) - - -def get_similar_commands(name): - """Command name auto-correct.""" - from difflib import get_close_matches - - name = name.lower() - - close_commands = get_close_matches(name, commands_dict.keys()) - - if close_commands: - return close_commands[0] - else: - return False - - -def _sort_commands(cmddict, order): - def keyfn(key): - try: - return order.index(key[1]) - except ValueError: - # unordered items should come last - return 0xff - - return sorted(cmddict.items(), key=keyfn) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/completion.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/completion.py deleted file mode 100644 index 2fcdd39..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/completion.py +++ /dev/null @@ -1,94 +0,0 @@ -from __future__ import absolute_import - -import sys -import textwrap - -from pip._internal.cli.base_command import Command -from pip._internal.utils.misc import get_prog - -BASE_COMPLETION = """ -# pip %(shell)s completion start%(script)s# pip %(shell)s completion end -""" - -COMPLETION_SCRIPTS = { - 'bash': """ - _pip_completion() - { - COMPREPLY=( $( COMP_WORDS="${COMP_WORDS[*]}" \\ - COMP_CWORD=$COMP_CWORD \\ - PIP_AUTO_COMPLETE=1 $1 ) ) - } - complete -o default -F _pip_completion %(prog)s - """, - 'zsh': """ - function _pip_completion { - local words cword - read -Ac words - read -cn cword - reply=( $( COMP_WORDS="$words[*]" \\ - COMP_CWORD=$(( cword-1 )) \\ - PIP_AUTO_COMPLETE=1 $words[1] ) ) - } - compctl -K _pip_completion %(prog)s - """, - 'fish': """ - function __fish_complete_pip - set -lx COMP_WORDS (commandline -o) "" - set -lx COMP_CWORD ( \\ - math (contains -i -- (commandline -t) $COMP_WORDS)-1 \\ - ) - set -lx PIP_AUTO_COMPLETE 1 - string split \\ -- (eval $COMP_WORDS[1]) - end - complete -fa "(__fish_complete_pip)" -c %(prog)s - """, -} - - -class CompletionCommand(Command): - """A helper command to be used for command completion.""" - name = 'completion' - summary = 'A helper command used for command completion.' - ignore_require_venv = True - - def __init__(self, *args, **kw): - super(CompletionCommand, self).__init__(*args, **kw) - - cmd_opts = self.cmd_opts - - cmd_opts.add_option( - '--bash', '-b', - action='store_const', - const='bash', - dest='shell', - help='Emit completion code for bash') - cmd_opts.add_option( - '--zsh', '-z', - action='store_const', - const='zsh', - dest='shell', - help='Emit completion code for zsh') - cmd_opts.add_option( - '--fish', '-f', - action='store_const', - const='fish', - dest='shell', - help='Emit completion code for fish') - - self.parser.insert_option_group(0, cmd_opts) - - def run(self, options, args): - """Prints the completion code of the given shell""" - shells = COMPLETION_SCRIPTS.keys() - shell_options = ['--' + shell for shell in sorted(shells)] - if options.shell in shells: - script = textwrap.dedent( - COMPLETION_SCRIPTS.get(options.shell, '') % { - 'prog': get_prog(), - } - ) - print(BASE_COMPLETION % {'script': script, 'shell': options.shell}) - else: - sys.stderr.write( - 'ERROR: You must pass %s\n' % ' or '.join(shell_options) - ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/configuration.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/configuration.py deleted file mode 100644 index 826c08d..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/configuration.py +++ /dev/null @@ -1,227 +0,0 @@ -import logging -import os -import subprocess - -from pip._internal.cli.base_command import Command -from pip._internal.cli.status_codes import ERROR, SUCCESS -from pip._internal.configuration import Configuration, kinds -from pip._internal.exceptions import PipError -from pip._internal.locations import venv_config_file -from pip._internal.utils.misc import get_prog - -logger = logging.getLogger(__name__) - - -class ConfigurationCommand(Command): - """Manage local and global configuration. - - Subcommands: - - list: List the active configuration (or from the file specified) - edit: Edit the configuration file in an editor - get: Get the value associated with name - set: Set the name=value - unset: Unset the value associated with name - - If none of --user, --global and --venv are passed, a virtual - environment configuration file is used if one is active and the file - exists. Otherwise, all modifications happen on the to the user file by - default. - """ - - name = 'config' - usage = """ - %prog [<file-option>] list - %prog [<file-option>] [--editor <editor-path>] edit - - %prog [<file-option>] get name - %prog [<file-option>] set name value - %prog [<file-option>] unset name - """ - - summary = "Manage local and global configuration." - - def __init__(self, *args, **kwargs): - super(ConfigurationCommand, self).__init__(*args, **kwargs) - - self.configuration = None - - self.cmd_opts.add_option( - '--editor', - dest='editor', - action='store', - default=None, - help=( - 'Editor to use to edit the file. Uses VISUAL or EDITOR ' - 'environment variables if not provided.' - ) - ) - - self.cmd_opts.add_option( - '--global', - dest='global_file', - action='store_true', - default=False, - help='Use the system-wide configuration file only' - ) - - self.cmd_opts.add_option( - '--user', - dest='user_file', - action='store_true', - default=False, - help='Use the user configuration file only' - ) - - self.cmd_opts.add_option( - '--venv', - dest='venv_file', - action='store_true', - default=False, - help='Use the virtualenv configuration file only' - ) - - self.parser.insert_option_group(0, self.cmd_opts) - - def run(self, options, args): - handlers = { - "list": self.list_values, - "edit": self.open_in_editor, - "get": self.get_name, - "set": self.set_name_value, - "unset": self.unset_name - } - - # Determine action - if not args or args[0] not in handlers: - logger.error("Need an action ({}) to perform.".format( - ", ".join(sorted(handlers))) - ) - return ERROR - - action = args[0] - - # Determine which configuration files are to be loaded - # Depends on whether the command is modifying. - try: - load_only = self._determine_file( - options, need_value=(action in ["get", "set", "unset", "edit"]) - ) - except PipError as e: - logger.error(e.args[0]) - return ERROR - - # Load a new configuration - self.configuration = Configuration( - isolated=options.isolated_mode, load_only=load_only - ) - self.configuration.load() - - # Error handling happens here, not in the action-handlers. - try: - handlers[action](options, args[1:]) - except PipError as e: - logger.error(e.args[0]) - return ERROR - - return SUCCESS - - def _determine_file(self, options, need_value): - file_options = { - kinds.USER: options.user_file, - kinds.GLOBAL: options.global_file, - kinds.VENV: options.venv_file - } - - if sum(file_options.values()) == 0: - if not need_value: - return None - # Default to user, unless there's a virtualenv file. - elif os.path.exists(venv_config_file): - return kinds.VENV - else: - return kinds.USER - elif sum(file_options.values()) == 1: - # There's probably a better expression for this. - return [key for key in file_options if file_options[key]][0] - - raise PipError( - "Need exactly one file to operate upon " - "(--user, --venv, --global) to perform." - ) - - def list_values(self, options, args): - self._get_n_args(args, "list", n=0) - - for key, value in sorted(self.configuration.items()): - logger.info("%s=%r", key, value) - - def get_name(self, options, args): - key = self._get_n_args(args, "get [name]", n=1) - value = self.configuration.get_value(key) - - logger.info("%s", value) - - def set_name_value(self, options, args): - key, value = self._get_n_args(args, "set [name] [value]", n=2) - self.configuration.set_value(key, value) - - self._save_configuration() - - def unset_name(self, options, args): - key = self._get_n_args(args, "unset [name]", n=1) - self.configuration.unset_value(key) - - self._save_configuration() - - def open_in_editor(self, options, args): - editor = self._determine_editor(options) - - fname = self.configuration.get_file_to_edit() - if fname is None: - raise PipError("Could not determine appropriate file.") - - try: - subprocess.check_call([editor, fname]) - except subprocess.CalledProcessError as e: - raise PipError( - "Editor Subprocess exited with exit code {}" - .format(e.returncode) - ) - - def _get_n_args(self, args, example, n): - """Helper to make sure the command got the right number of arguments - """ - if len(args) != n: - msg = ( - 'Got unexpected number of arguments, expected {}. ' - '(example: "{} config {}")' - ).format(n, get_prog(), example) - raise PipError(msg) - - if n == 1: - return args[0] - else: - return args - - def _save_configuration(self): - # We successfully ran a modifying command. Need to save the - # configuration. - try: - self.configuration.save() - except Exception: - logger.error( - "Unable to save configuration. Please report this as a bug.", - exc_info=1 - ) - raise PipError("Internal Error.") - - def _determine_editor(self, options): - if options.editor is not None: - return options.editor - elif "VISUAL" in os.environ: - return os.environ["VISUAL"] - elif "EDITOR" in os.environ: - return os.environ["EDITOR"] - else: - raise PipError("Could not determine editor to use.") diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/download.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/download.py deleted file mode 100644 index a57e4bc..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/download.py +++ /dev/null @@ -1,176 +0,0 @@ -from __future__ import absolute_import - -import logging -import os - -from pip._internal.cli import cmdoptions -from pip._internal.cli.base_command import RequirementCommand -from pip._internal.operations.prepare import RequirementPreparer -from pip._internal.req import RequirementSet -from pip._internal.req.req_tracker import RequirementTracker -from pip._internal.resolve import Resolver -from pip._internal.utils.filesystem import check_path_owner -from pip._internal.utils.misc import ensure_dir, normalize_path -from pip._internal.utils.temp_dir import TempDirectory - -logger = logging.getLogger(__name__) - - -class DownloadCommand(RequirementCommand): - """ - Download packages from: - - - PyPI (and other indexes) using requirement specifiers. - - VCS project urls. - - Local project directories. - - Local or remote source archives. - - pip also supports downloading from "requirements files", which provide - an easy way to specify a whole environment to be downloaded. - """ - name = 'download' - - usage = """ - %prog [options] <requirement specifier> [package-index-options] ... - %prog [options] -r <requirements file> [package-index-options] ... - %prog [options] <vcs project url> ... - %prog [options] <local project path> ... - %prog [options] <archive url/path> ...""" - - summary = 'Download packages.' - - def __init__(self, *args, **kw): - super(DownloadCommand, self).__init__(*args, **kw) - - cmd_opts = self.cmd_opts - - cmd_opts.add_option(cmdoptions.constraints()) - cmd_opts.add_option(cmdoptions.requirements()) - cmd_opts.add_option(cmdoptions.build_dir()) - cmd_opts.add_option(cmdoptions.no_deps()) - cmd_opts.add_option(cmdoptions.global_options()) - cmd_opts.add_option(cmdoptions.no_binary()) - cmd_opts.add_option(cmdoptions.only_binary()) - cmd_opts.add_option(cmdoptions.prefer_binary()) - cmd_opts.add_option(cmdoptions.src()) - cmd_opts.add_option(cmdoptions.pre()) - cmd_opts.add_option(cmdoptions.no_clean()) - cmd_opts.add_option(cmdoptions.require_hashes()) - cmd_opts.add_option(cmdoptions.progress_bar()) - cmd_opts.add_option(cmdoptions.no_build_isolation()) - cmd_opts.add_option(cmdoptions.use_pep517()) - cmd_opts.add_option(cmdoptions.no_use_pep517()) - - cmd_opts.add_option( - '-d', '--dest', '--destination-dir', '--destination-directory', - dest='download_dir', - metavar='dir', - default=os.curdir, - help=("Download packages into <dir>."), - ) - - cmd_opts.add_option(cmdoptions.platform()) - cmd_opts.add_option(cmdoptions.python_version()) - cmd_opts.add_option(cmdoptions.implementation()) - cmd_opts.add_option(cmdoptions.abi()) - - index_opts = cmdoptions.make_option_group( - cmdoptions.index_group, - self.parser, - ) - - self.parser.insert_option_group(0, index_opts) - self.parser.insert_option_group(0, cmd_opts) - - def run(self, options, args): - options.ignore_installed = True - # editable doesn't really make sense for `pip download`, but the bowels - # of the RequirementSet code require that property. - options.editables = [] - - if options.python_version: - python_versions = [options.python_version] - else: - python_versions = None - - cmdoptions.check_dist_restriction(options) - - options.src_dir = os.path.abspath(options.src_dir) - options.download_dir = normalize_path(options.download_dir) - - ensure_dir(options.download_dir) - - with self._build_session(options) as session: - finder = self._build_package_finder( - options=options, - session=session, - platform=options.platform, - python_versions=python_versions, - abi=options.abi, - implementation=options.implementation, - ) - build_delete = (not (options.no_clean or options.build_dir)) - if options.cache_dir and not check_path_owner(options.cache_dir): - logger.warning( - "The directory '%s' or its parent directory is not owned " - "by the current user and caching wheels has been " - "disabled. check the permissions and owner of that " - "directory. If executing pip with sudo, you may want " - "sudo's -H flag.", - options.cache_dir, - ) - options.cache_dir = None - - with RequirementTracker() as req_tracker, TempDirectory( - options.build_dir, delete=build_delete, kind="download" - ) as directory: - - requirement_set = RequirementSet( - require_hashes=options.require_hashes, - ) - self.populate_requirement_set( - requirement_set, - args, - options, - finder, - session, - self.name, - None - ) - - preparer = RequirementPreparer( - build_dir=directory.path, - src_dir=options.src_dir, - download_dir=options.download_dir, - wheel_download_dir=None, - progress_bar=options.progress_bar, - build_isolation=options.build_isolation, - req_tracker=req_tracker, - ) - - resolver = Resolver( - preparer=preparer, - finder=finder, - session=session, - wheel_cache=None, - use_user_site=False, - upgrade_strategy="to-satisfy-only", - force_reinstall=False, - ignore_dependencies=options.ignore_dependencies, - ignore_requires_python=False, - ignore_installed=True, - isolated=options.isolated_mode, - ) - resolver.resolve(requirement_set) - - downloaded = ' '.join([ - req.name for req in requirement_set.successfully_downloaded - ]) - if downloaded: - logger.info('Successfully downloaded %s', downloaded) - - # Clean up - if not options.no_clean: - requirement_set.cleanup_files() - - return requirement_set diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/freeze.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/freeze.py deleted file mode 100644 index dc9c53a..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/freeze.py +++ /dev/null @@ -1,96 +0,0 @@ -from __future__ import absolute_import - -import sys - -from pip._internal.cache import WheelCache -from pip._internal.cli.base_command import Command -from pip._internal.models.format_control import FormatControl -from pip._internal.operations.freeze import freeze -from pip._internal.utils.compat import stdlib_pkgs - -DEV_PKGS = {'pip', 'setuptools', 'distribute', 'wheel'} - - -class FreezeCommand(Command): - """ - Output installed packages in requirements format. - - packages are listed in a case-insensitive sorted order. - """ - name = 'freeze' - usage = """ - %prog [options]""" - summary = 'Output installed packages in requirements format.' - log_streams = ("ext://sys.stderr", "ext://sys.stderr") - - def __init__(self, *args, **kw): - super(FreezeCommand, self).__init__(*args, **kw) - - self.cmd_opts.add_option( - '-r', '--requirement', - dest='requirements', - action='append', - default=[], - metavar='file', - help="Use the order in the given requirements file and its " - "comments when generating output. This option can be " - "used multiple times.") - self.cmd_opts.add_option( - '-f', '--find-links', - dest='find_links', - action='append', - default=[], - metavar='URL', - help='URL for finding packages, which will be added to the ' - 'output.') - self.cmd_opts.add_option( - '-l', '--local', - dest='local', - action='store_true', - default=False, - help='If in a virtualenv that has global access, do not output ' - 'globally-installed packages.') - self.cmd_opts.add_option( - '--user', - dest='user', - action='store_true', - default=False, - help='Only output packages installed in user-site.') - self.cmd_opts.add_option( - '--all', - dest='freeze_all', - action='store_true', - help='Do not skip these packages in the output:' - ' %s' % ', '.join(DEV_PKGS)) - self.cmd_opts.add_option( - '--exclude-editable', - dest='exclude_editable', - action='store_true', - help='Exclude editable package from output.') - - self.parser.insert_option_group(0, self.cmd_opts) - - def run(self, options, args): - format_control = FormatControl(set(), set()) - wheel_cache = WheelCache(options.cache_dir, format_control) - skip = set(stdlib_pkgs) - if not options.freeze_all: - skip.update(DEV_PKGS) - - freeze_kwargs = dict( - requirement=options.requirements, - find_links=options.find_links, - local_only=options.local, - user_only=options.user, - skip_regex=options.skip_requirements_regex, - isolated=options.isolated_mode, - wheel_cache=wheel_cache, - skip=skip, - exclude_editable=options.exclude_editable, - ) - - try: - for line in freeze(**freeze_kwargs): - sys.stdout.write(line + '\n') - finally: - wheel_cache.cleanup() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/install.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/install.py deleted file mode 100644 index 1c244d2..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/install.py +++ /dev/null @@ -1,566 +0,0 @@ -from __future__ import absolute_import - -import errno -import logging -import operator -import os -import shutil -from optparse import SUPPRESS_HELP - -from pip._vendor import pkg_resources - -from pip._internal.cache import WheelCache -from pip._internal.cli import cmdoptions -from pip._internal.cli.base_command import RequirementCommand -from pip._internal.cli.status_codes import ERROR -from pip._internal.exceptions import ( - CommandError, InstallationError, PreviousBuildDirError, -) -from pip._internal.locations import distutils_scheme, virtualenv_no_global -from pip._internal.operations.check import check_install_conflicts -from pip._internal.operations.prepare import RequirementPreparer -from pip._internal.req import RequirementSet, install_given_reqs -from pip._internal.req.req_tracker import RequirementTracker -from pip._internal.resolve import Resolver -from pip._internal.utils.filesystem import check_path_owner -from pip._internal.utils.misc import ( - ensure_dir, get_installed_version, - protect_pip_from_modification_on_windows, -) -from pip._internal.utils.temp_dir import TempDirectory -from pip._internal.wheel import WheelBuilder - -logger = logging.getLogger(__name__) - - -class InstallCommand(RequirementCommand): - """ - Install packages from: - - - PyPI (and other indexes) using requirement specifiers. - - VCS project urls. - - Local project directories. - - Local or remote source archives. - - pip also supports installing from "requirements files", which provide - an easy way to specify a whole environment to be installed. - """ - name = 'install' - - usage = """ - %prog [options] <requirement specifier> [package-index-options] ... - %prog [options] -r <requirements file> [package-index-options] ... - %prog [options] [-e] <vcs project url> ... - %prog [options] [-e] <local project path> ... - %prog [options] <archive url/path> ...""" - - summary = 'Install packages.' - - def __init__(self, *args, **kw): - super(InstallCommand, self).__init__(*args, **kw) - - cmd_opts = self.cmd_opts - - cmd_opts.add_option(cmdoptions.requirements()) - cmd_opts.add_option(cmdoptions.constraints()) - cmd_opts.add_option(cmdoptions.no_deps()) - cmd_opts.add_option(cmdoptions.pre()) - - cmd_opts.add_option(cmdoptions.editable()) - cmd_opts.add_option( - '-t', '--target', - dest='target_dir', - metavar='dir', - default=None, - help='Install packages into <dir>. ' - 'By default this will not replace existing files/folders in ' - '<dir>. Use --upgrade to replace existing packages in <dir> ' - 'with new versions.' - ) - cmd_opts.add_option(cmdoptions.platform()) - cmd_opts.add_option(cmdoptions.python_version()) - cmd_opts.add_option(cmdoptions.implementation()) - cmd_opts.add_option(cmdoptions.abi()) - - cmd_opts.add_option( - '--user', - dest='use_user_site', - action='store_true', - help="Install to the Python user install directory for your " - "platform. Typically ~/.local/, or %APPDATA%\\Python on " - "Windows. (See the Python documentation for site.USER_BASE " - "for full details.)") - cmd_opts.add_option( - '--no-user', - dest='use_user_site', - action='store_false', - help=SUPPRESS_HELP) - cmd_opts.add_option( - '--root', - dest='root_path', - metavar='dir', - default=None, - help="Install everything relative to this alternate root " - "directory.") - cmd_opts.add_option( - '--prefix', - dest='prefix_path', - metavar='dir', - default=None, - help="Installation prefix where lib, bin and other top-level " - "folders are placed") - - cmd_opts.add_option(cmdoptions.build_dir()) - - cmd_opts.add_option(cmdoptions.src()) - - cmd_opts.add_option( - '-U', '--upgrade', - dest='upgrade', - action='store_true', - help='Upgrade all specified packages to the newest available ' - 'version. The handling of dependencies depends on the ' - 'upgrade-strategy used.' - ) - - cmd_opts.add_option( - '--upgrade-strategy', - dest='upgrade_strategy', - default='only-if-needed', - choices=['only-if-needed', 'eager'], - help='Determines how dependency upgrading should be handled ' - '[default: %default]. ' - '"eager" - dependencies are upgraded regardless of ' - 'whether the currently installed version satisfies the ' - 'requirements of the upgraded package(s). ' - '"only-if-needed" - are upgraded only when they do not ' - 'satisfy the requirements of the upgraded package(s).' - ) - - cmd_opts.add_option( - '--force-reinstall', - dest='force_reinstall', - action='store_true', - help='Reinstall all packages even if they are already ' - 'up-to-date.') - - cmd_opts.add_option( - '-I', '--ignore-installed', - dest='ignore_installed', - action='store_true', - help='Ignore the installed packages (reinstalling instead).') - - cmd_opts.add_option(cmdoptions.ignore_requires_python()) - cmd_opts.add_option(cmdoptions.no_build_isolation()) - cmd_opts.add_option(cmdoptions.use_pep517()) - cmd_opts.add_option(cmdoptions.no_use_pep517()) - - cmd_opts.add_option(cmdoptions.install_options()) - cmd_opts.add_option(cmdoptions.global_options()) - - cmd_opts.add_option( - "--compile", - action="store_true", - dest="compile", - default=True, - help="Compile Python source files to bytecode", - ) - - cmd_opts.add_option( - "--no-compile", - action="store_false", - dest="compile", - help="Do not compile Python source files to bytecode", - ) - - cmd_opts.add_option( - "--no-warn-script-location", - action="store_false", - dest="warn_script_location", - default=True, - help="Do not warn when installing scripts outside PATH", - ) - cmd_opts.add_option( - "--no-warn-conflicts", - action="store_false", - dest="warn_about_conflicts", - default=True, - help="Do not warn about broken dependencies", - ) - - cmd_opts.add_option(cmdoptions.no_binary()) - cmd_opts.add_option(cmdoptions.only_binary()) - cmd_opts.add_option(cmdoptions.prefer_binary()) - cmd_opts.add_option(cmdoptions.no_clean()) - cmd_opts.add_option(cmdoptions.require_hashes()) - cmd_opts.add_option(cmdoptions.progress_bar()) - - index_opts = cmdoptions.make_option_group( - cmdoptions.index_group, - self.parser, - ) - - self.parser.insert_option_group(0, index_opts) - self.parser.insert_option_group(0, cmd_opts) - - def run(self, options, args): - cmdoptions.check_install_build_global(options) - upgrade_strategy = "to-satisfy-only" - if options.upgrade: - upgrade_strategy = options.upgrade_strategy - - if options.build_dir: - options.build_dir = os.path.abspath(options.build_dir) - - cmdoptions.check_dist_restriction(options, check_target=True) - - if options.python_version: - python_versions = [options.python_version] - else: - python_versions = None - - options.src_dir = os.path.abspath(options.src_dir) - install_options = options.install_options or [] - if options.use_user_site: - if options.prefix_path: - raise CommandError( - "Can not combine '--user' and '--prefix' as they imply " - "different installation locations" - ) - if virtualenv_no_global(): - raise InstallationError( - "Can not perform a '--user' install. User site-packages " - "are not visible in this virtualenv." - ) - install_options.append('--user') - install_options.append('--prefix=') - - target_temp_dir = TempDirectory(kind="target") - if options.target_dir: - options.ignore_installed = True - options.target_dir = os.path.abspath(options.target_dir) - if (os.path.exists(options.target_dir) and not - os.path.isdir(options.target_dir)): - raise CommandError( - "Target path exists but is not a directory, will not " - "continue." - ) - - # Create a target directory for using with the target option - target_temp_dir.create() - install_options.append('--home=' + target_temp_dir.path) - - global_options = options.global_options or [] - - with self._build_session(options) as session: - finder = self._build_package_finder( - options=options, - session=session, - platform=options.platform, - python_versions=python_versions, - abi=options.abi, - implementation=options.implementation, - ) - build_delete = (not (options.no_clean or options.build_dir)) - wheel_cache = WheelCache(options.cache_dir, options.format_control) - - if options.cache_dir and not check_path_owner(options.cache_dir): - logger.warning( - "The directory '%s' or its parent directory is not owned " - "by the current user and caching wheels has been " - "disabled. check the permissions and owner of that " - "directory. If executing pip with sudo, you may want " - "sudo's -H flag.", - options.cache_dir, - ) - options.cache_dir = None - - with RequirementTracker() as req_tracker, TempDirectory( - options.build_dir, delete=build_delete, kind="install" - ) as directory: - requirement_set = RequirementSet( - require_hashes=options.require_hashes, - check_supported_wheels=not options.target_dir, - ) - - try: - self.populate_requirement_set( - requirement_set, args, options, finder, session, - self.name, wheel_cache - ) - preparer = RequirementPreparer( - build_dir=directory.path, - src_dir=options.src_dir, - download_dir=None, - wheel_download_dir=None, - progress_bar=options.progress_bar, - build_isolation=options.build_isolation, - req_tracker=req_tracker, - ) - - resolver = Resolver( - preparer=preparer, - finder=finder, - session=session, - wheel_cache=wheel_cache, - use_user_site=options.use_user_site, - upgrade_strategy=upgrade_strategy, - force_reinstall=options.force_reinstall, - ignore_dependencies=options.ignore_dependencies, - ignore_requires_python=options.ignore_requires_python, - ignore_installed=options.ignore_installed, - isolated=options.isolated_mode, - use_pep517=options.use_pep517 - ) - resolver.resolve(requirement_set) - - protect_pip_from_modification_on_windows( - modifying_pip=requirement_set.has_requirement("pip") - ) - - # Consider legacy and PEP517-using requirements separately - legacy_requirements = [] - pep517_requirements = [] - for req in requirement_set.requirements.values(): - if req.use_pep517: - pep517_requirements.append(req) - else: - legacy_requirements.append(req) - - # We don't build wheels for legacy requirements if we - # don't have wheel installed or we don't have a cache dir - try: - import wheel # noqa: F401 - build_legacy = bool(options.cache_dir) - except ImportError: - build_legacy = False - - wb = WheelBuilder( - finder, preparer, wheel_cache, - build_options=[], global_options=[], - ) - - # Always build PEP 517 requirements - build_failures = wb.build( - pep517_requirements, - session=session, autobuilding=True - ) - - if build_legacy: - # We don't care about failures building legacy - # requirements, as we'll fall through to a direct - # install for those. - wb.build( - legacy_requirements, - session=session, autobuilding=True - ) - - # If we're using PEP 517, we cannot do a direct install - # so we fail here. - if build_failures: - raise InstallationError( - "Could not build wheels for {} which use" - " PEP 517 and cannot be installed directly".format( - ", ".join(r.name for r in build_failures))) - - to_install = resolver.get_installation_order( - requirement_set - ) - - # Consistency Checking of the package set we're installing. - should_warn_about_conflicts = ( - not options.ignore_dependencies and - options.warn_about_conflicts - ) - if should_warn_about_conflicts: - self._warn_about_conflicts(to_install) - - # Don't warn about script install locations if - # --target has been specified - warn_script_location = options.warn_script_location - if options.target_dir: - warn_script_location = False - - installed = install_given_reqs( - to_install, - install_options, - global_options, - root=options.root_path, - home=target_temp_dir.path, - prefix=options.prefix_path, - pycompile=options.compile, - warn_script_location=warn_script_location, - use_user_site=options.use_user_site, - ) - - lib_locations = get_lib_location_guesses( - user=options.use_user_site, - home=target_temp_dir.path, - root=options.root_path, - prefix=options.prefix_path, - isolated=options.isolated_mode, - ) - working_set = pkg_resources.WorkingSet(lib_locations) - - reqs = sorted(installed, key=operator.attrgetter('name')) - items = [] - for req in reqs: - item = req.name - try: - installed_version = get_installed_version( - req.name, working_set=working_set - ) - if installed_version: - item += '-' + installed_version - except Exception: - pass - items.append(item) - installed = ' '.join(items) - if installed: - logger.info('Successfully installed %s', installed) - except EnvironmentError as error: - show_traceback = (self.verbosity >= 1) - - message = create_env_error_message( - error, show_traceback, options.use_user_site, - ) - logger.error(message, exc_info=show_traceback) - - return ERROR - except PreviousBuildDirError: - options.no_clean = True - raise - finally: - # Clean up - if not options.no_clean: - requirement_set.cleanup_files() - wheel_cache.cleanup() - - if options.target_dir: - self._handle_target_dir( - options.target_dir, target_temp_dir, options.upgrade - ) - return requirement_set - - def _handle_target_dir(self, target_dir, target_temp_dir, upgrade): - ensure_dir(target_dir) - - # Checking both purelib and platlib directories for installed - # packages to be moved to target directory - lib_dir_list = [] - - with target_temp_dir: - # Checking both purelib and platlib directories for installed - # packages to be moved to target directory - scheme = distutils_scheme('', home=target_temp_dir.path) - purelib_dir = scheme['purelib'] - platlib_dir = scheme['platlib'] - data_dir = scheme['data'] - - if os.path.exists(purelib_dir): - lib_dir_list.append(purelib_dir) - if os.path.exists(platlib_dir) and platlib_dir != purelib_dir: - lib_dir_list.append(platlib_dir) - if os.path.exists(data_dir): - lib_dir_list.append(data_dir) - - for lib_dir in lib_dir_list: - for item in os.listdir(lib_dir): - if lib_dir == data_dir: - ddir = os.path.join(data_dir, item) - if any(s.startswith(ddir) for s in lib_dir_list[:-1]): - continue - target_item_dir = os.path.join(target_dir, item) - if os.path.exists(target_item_dir): - if not upgrade: - logger.warning( - 'Target directory %s already exists. Specify ' - '--upgrade to force replacement.', - target_item_dir - ) - continue - if os.path.islink(target_item_dir): - logger.warning( - 'Target directory %s already exists and is ' - 'a link. Pip will not automatically replace ' - 'links, please remove if replacement is ' - 'desired.', - target_item_dir - ) - continue - if os.path.isdir(target_item_dir): - shutil.rmtree(target_item_dir) - else: - os.remove(target_item_dir) - - shutil.move( - os.path.join(lib_dir, item), - target_item_dir - ) - - def _warn_about_conflicts(self, to_install): - try: - package_set, _dep_info = check_install_conflicts(to_install) - except Exception: - logger.error("Error checking for conflicts.", exc_info=True) - return - missing, conflicting = _dep_info - - # NOTE: There is some duplication here from pip check - for project_name in missing: - version = package_set[project_name][0] - for dependency in missing[project_name]: - logger.critical( - "%s %s requires %s, which is not installed.", - project_name, version, dependency[1], - ) - - for project_name in conflicting: - version = package_set[project_name][0] - for dep_name, dep_version, req in conflicting[project_name]: - logger.critical( - "%s %s has requirement %s, but you'll have %s %s which is " - "incompatible.", - project_name, version, req, dep_name, dep_version, - ) - - -def get_lib_location_guesses(*args, **kwargs): - scheme = distutils_scheme('', *args, **kwargs) - return [scheme['purelib'], scheme['platlib']] - - -def create_env_error_message(error, show_traceback, using_user_site): - """Format an error message for an EnvironmentError - - It may occur anytime during the execution of the install command. - """ - parts = [] - - # Mention the error if we are not going to show a traceback - parts.append("Could not install packages due to an EnvironmentError") - if not show_traceback: - parts.append(": ") - parts.append(str(error)) - else: - parts.append(".") - - # Spilt the error indication from a helper message (if any) - parts[-1] += "\n" - - # Suggest useful actions to the user: - # (1) using user site-packages or (2) verifying the permissions - if error.errno == errno.EACCES: - user_option_part = "Consider using the `--user` option" - permissions_part = "Check the permissions" - - if not using_user_site: - parts.extend([ - user_option_part, " or ", - permissions_part.lower(), - ]) - else: - parts.append(permissions_part) - parts.append(".\n") - - return "".join(parts).strip() + "\n" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/list.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/list.py deleted file mode 100644 index a640274..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/list.py +++ /dev/null @@ -1,301 +0,0 @@ -from __future__ import absolute_import - -import json -import logging - -from pip._vendor import six -from pip._vendor.six.moves import zip_longest - -from pip._internal.cli import cmdoptions -from pip._internal.cli.base_command import Command -from pip._internal.exceptions import CommandError -from pip._internal.index import PackageFinder -from pip._internal.utils.misc import ( - dist_is_editable, get_installed_distributions, -) -from pip._internal.utils.packaging import get_installer - -logger = logging.getLogger(__name__) - - -class ListCommand(Command): - """ - List installed packages, including editables. - - Packages are listed in a case-insensitive sorted order. - """ - name = 'list' - usage = """ - %prog [options]""" - summary = 'List installed packages.' - - def __init__(self, *args, **kw): - super(ListCommand, self).__init__(*args, **kw) - - cmd_opts = self.cmd_opts - - cmd_opts.add_option( - '-o', '--outdated', - action='store_true', - default=False, - help='List outdated packages') - cmd_opts.add_option( - '-u', '--uptodate', - action='store_true', - default=False, - help='List uptodate packages') - cmd_opts.add_option( - '-e', '--editable', - action='store_true', - default=False, - help='List editable projects.') - cmd_opts.add_option( - '-l', '--local', - action='store_true', - default=False, - help=('If in a virtualenv that has global access, do not list ' - 'globally-installed packages.'), - ) - self.cmd_opts.add_option( - '--user', - dest='user', - action='store_true', - default=False, - help='Only output packages installed in user-site.') - - cmd_opts.add_option( - '--pre', - action='store_true', - default=False, - help=("Include pre-release and development versions. By default, " - "pip only finds stable versions."), - ) - - cmd_opts.add_option( - '--format', - action='store', - dest='list_format', - default="columns", - choices=('columns', 'freeze', 'json'), - help="Select the output format among: columns (default), freeze, " - "or json", - ) - - cmd_opts.add_option( - '--not-required', - action='store_true', - dest='not_required', - help="List packages that are not dependencies of " - "installed packages.", - ) - - cmd_opts.add_option( - '--exclude-editable', - action='store_false', - dest='include_editable', - help='Exclude editable package from output.', - ) - cmd_opts.add_option( - '--include-editable', - action='store_true', - dest='include_editable', - help='Include editable package from output.', - default=True, - ) - index_opts = cmdoptions.make_option_group( - cmdoptions.index_group, self.parser - ) - - self.parser.insert_option_group(0, index_opts) - self.parser.insert_option_group(0, cmd_opts) - - def _build_package_finder(self, options, index_urls, session): - """ - Create a package finder appropriate to this list command. - """ - return PackageFinder( - find_links=options.find_links, - index_urls=index_urls, - allow_all_prereleases=options.pre, - trusted_hosts=options.trusted_hosts, - session=session, - ) - - def run(self, options, args): - if options.outdated and options.uptodate: - raise CommandError( - "Options --outdated and --uptodate cannot be combined.") - - packages = get_installed_distributions( - local_only=options.local, - user_only=options.user, - editables_only=options.editable, - include_editables=options.include_editable, - ) - - # get_not_required must be called firstly in order to find and - # filter out all dependencies correctly. Otherwise a package - # can't be identified as requirement because some parent packages - # could be filtered out before. - if options.not_required: - packages = self.get_not_required(packages, options) - - if options.outdated: - packages = self.get_outdated(packages, options) - elif options.uptodate: - packages = self.get_uptodate(packages, options) - - self.output_package_listing(packages, options) - - def get_outdated(self, packages, options): - return [ - dist for dist in self.iter_packages_latest_infos(packages, options) - if dist.latest_version > dist.parsed_version - ] - - def get_uptodate(self, packages, options): - return [ - dist for dist in self.iter_packages_latest_infos(packages, options) - if dist.latest_version == dist.parsed_version - ] - - def get_not_required(self, packages, options): - dep_keys = set() - for dist in packages: - dep_keys.update(requirement.key for requirement in dist.requires()) - return {pkg for pkg in packages if pkg.key not in dep_keys} - - def iter_packages_latest_infos(self, packages, options): - index_urls = [options.index_url] + options.extra_index_urls - if options.no_index: - logger.debug('Ignoring indexes: %s', ','.join(index_urls)) - index_urls = [] - - with self._build_session(options) as session: - finder = self._build_package_finder(options, index_urls, session) - - for dist in packages: - typ = 'unknown' - all_candidates = finder.find_all_candidates(dist.key) - if not options.pre: - # Remove prereleases - all_candidates = [candidate for candidate in all_candidates - if not candidate.version.is_prerelease] - - if not all_candidates: - continue - best_candidate = max(all_candidates, - key=finder._candidate_sort_key) - remote_version = best_candidate.version - if best_candidate.location.is_wheel: - typ = 'wheel' - else: - typ = 'sdist' - # This is dirty but makes the rest of the code much cleaner - dist.latest_version = remote_version - dist.latest_filetype = typ - yield dist - - def output_package_listing(self, packages, options): - packages = sorted( - packages, - key=lambda dist: dist.project_name.lower(), - ) - if options.list_format == 'columns' and packages: - data, header = format_for_columns(packages, options) - self.output_package_listing_columns(data, header) - elif options.list_format == 'freeze': - for dist in packages: - if options.verbose >= 1: - logger.info("%s==%s (%s)", dist.project_name, - dist.version, dist.location) - else: - logger.info("%s==%s", dist.project_name, dist.version) - elif options.list_format == 'json': - logger.info(format_for_json(packages, options)) - - def output_package_listing_columns(self, data, header): - # insert the header first: we need to know the size of column names - if len(data) > 0: - data.insert(0, header) - - pkg_strings, sizes = tabulate(data) - - # Create and add a separator. - if len(data) > 0: - pkg_strings.insert(1, " ".join(map(lambda x: '-' * x, sizes))) - - for val in pkg_strings: - logger.info(val) - - -def tabulate(vals): - # From pfmoore on GitHub: - # https://github.com/pypa/pip/issues/3651#issuecomment-216932564 - assert len(vals) > 0 - - sizes = [0] * max(len(x) for x in vals) - for row in vals: - sizes = [max(s, len(str(c))) for s, c in zip_longest(sizes, row)] - - result = [] - for row in vals: - display = " ".join([str(c).ljust(s) if c is not None else '' - for s, c in zip_longest(sizes, row)]) - result.append(display) - - return result, sizes - - -def format_for_columns(pkgs, options): - """ - Convert the package data into something usable - by output_package_listing_columns. - """ - running_outdated = options.outdated - # Adjust the header for the `pip list --outdated` case. - if running_outdated: - header = ["Package", "Version", "Latest", "Type"] - else: - header = ["Package", "Version"] - - data = [] - if options.verbose >= 1 or any(dist_is_editable(x) for x in pkgs): - header.append("Location") - if options.verbose >= 1: - header.append("Installer") - - for proj in pkgs: - # if we're working on the 'outdated' list, separate out the - # latest_version and type - row = [proj.project_name, proj.version] - - if running_outdated: - row.append(proj.latest_version) - row.append(proj.latest_filetype) - - if options.verbose >= 1 or dist_is_editable(proj): - row.append(proj.location) - if options.verbose >= 1: - row.append(get_installer(proj)) - - data.append(row) - - return data, header - - -def format_for_json(packages, options): - data = [] - for dist in packages: - info = { - 'name': dist.project_name, - 'version': six.text_type(dist.version), - } - if options.verbose >= 1: - info['location'] = dist.location - info['installer'] = get_installer(dist) - if options.outdated: - info['latest_version'] = six.text_type(dist.latest_version) - info['latest_filetype'] = dist.latest_filetype - data.append(info) - return json.dumps(data) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/search.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/search.py deleted file mode 100644 index c157a31..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/search.py +++ /dev/null @@ -1,135 +0,0 @@ -from __future__ import absolute_import - -import logging -import sys -import textwrap -from collections import OrderedDict - -from pip._vendor import pkg_resources -from pip._vendor.packaging.version import parse as parse_version -# NOTE: XMLRPC Client is not annotated in typeshed as on 2017-07-17, which is -# why we ignore the type on this import -from pip._vendor.six.moves import xmlrpc_client # type: ignore - -from pip._internal.cli.base_command import Command -from pip._internal.cli.status_codes import NO_MATCHES_FOUND, SUCCESS -from pip._internal.download import PipXmlrpcTransport -from pip._internal.exceptions import CommandError -from pip._internal.models.index import PyPI -from pip._internal.utils.compat import get_terminal_size -from pip._internal.utils.logging import indent_log - -logger = logging.getLogger(__name__) - - -class SearchCommand(Command): - """Search for PyPI packages whose name or summary contains <query>.""" - name = 'search' - usage = """ - %prog [options] <query>""" - summary = 'Search PyPI for packages.' - ignore_require_venv = True - - def __init__(self, *args, **kw): - super(SearchCommand, self).__init__(*args, **kw) - self.cmd_opts.add_option( - '-i', '--index', - dest='index', - metavar='URL', - default=PyPI.pypi_url, - help='Base URL of Python Package Index (default %default)') - - self.parser.insert_option_group(0, self.cmd_opts) - - def run(self, options, args): - if not args: - raise CommandError('Missing required argument (search query).') - query = args - pypi_hits = self.search(query, options) - hits = transform_hits(pypi_hits) - - terminal_width = None - if sys.stdout.isatty(): - terminal_width = get_terminal_size()[0] - - print_results(hits, terminal_width=terminal_width) - if pypi_hits: - return SUCCESS - return NO_MATCHES_FOUND - - def search(self, query, options): - index_url = options.index - with self._build_session(options) as session: - transport = PipXmlrpcTransport(index_url, session) - pypi = xmlrpc_client.ServerProxy(index_url, transport) - hits = pypi.search({'name': query, 'summary': query}, 'or') - return hits - - -def transform_hits(hits): - """ - The list from pypi is really a list of versions. We want a list of - packages with the list of versions stored inline. This converts the - list from pypi into one we can use. - """ - packages = OrderedDict() - for hit in hits: - name = hit['name'] - summary = hit['summary'] - version = hit['version'] - - if name not in packages.keys(): - packages[name] = { - 'name': name, - 'summary': summary, - 'versions': [version], - } - else: - packages[name]['versions'].append(version) - - # if this is the highest version, replace summary and score - if version == highest_version(packages[name]['versions']): - packages[name]['summary'] = summary - - return list(packages.values()) - - -def print_results(hits, name_column_width=None, terminal_width=None): - if not hits: - return - if name_column_width is None: - name_column_width = max([ - len(hit['name']) + len(highest_version(hit.get('versions', ['-']))) - for hit in hits - ]) + 4 - - installed_packages = [p.project_name for p in pkg_resources.working_set] - for hit in hits: - name = hit['name'] - summary = hit['summary'] or '' - latest = highest_version(hit.get('versions', ['-'])) - if terminal_width is not None: - target_width = terminal_width - name_column_width - 5 - if target_width > 10: - # wrap and indent summary to fit terminal - summary = textwrap.wrap(summary, target_width) - summary = ('\n' + ' ' * (name_column_width + 3)).join(summary) - - line = '%-*s - %s' % (name_column_width, - '%s (%s)' % (name, latest), summary) - try: - logger.info(line) - if name in installed_packages: - dist = pkg_resources.get_distribution(name) - with indent_log(): - if dist.version == latest: - logger.info('INSTALLED: %s (latest)', dist.version) - else: - logger.info('INSTALLED: %s', dist.version) - logger.info('LATEST: %s', latest) - except UnicodeEncodeError: - pass - - -def highest_version(versions): - return max(versions, key=parse_version) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/show.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/show.py deleted file mode 100644 index f92c9bc..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/show.py +++ /dev/null @@ -1,168 +0,0 @@ -from __future__ import absolute_import - -import logging -import os -from email.parser import FeedParser # type: ignore - -from pip._vendor import pkg_resources -from pip._vendor.packaging.utils import canonicalize_name - -from pip._internal.cli.base_command import Command -from pip._internal.cli.status_codes import ERROR, SUCCESS - -logger = logging.getLogger(__name__) - - -class ShowCommand(Command): - """ - Show information about one or more installed packages. - - The output is in RFC-compliant mail header format. - """ - name = 'show' - usage = """ - %prog [options] <package> ...""" - summary = 'Show information about installed packages.' - ignore_require_venv = True - - def __init__(self, *args, **kw): - super(ShowCommand, self).__init__(*args, **kw) - self.cmd_opts.add_option( - '-f', '--files', - dest='files', - action='store_true', - default=False, - help='Show the full list of installed files for each package.') - - self.parser.insert_option_group(0, self.cmd_opts) - - def run(self, options, args): - if not args: - logger.warning('ERROR: Please provide a package name or names.') - return ERROR - query = args - - results = search_packages_info(query) - if not print_results( - results, list_files=options.files, verbose=options.verbose): - return ERROR - return SUCCESS - - -def search_packages_info(query): - """ - Gather details from installed distributions. Print distribution name, - version, location, and installed files. Installed files requires a - pip generated 'installed-files.txt' in the distributions '.egg-info' - directory. - """ - installed = {} - for p in pkg_resources.working_set: - installed[canonicalize_name(p.project_name)] = p - - query_names = [canonicalize_name(name) for name in query] - - for dist in [installed[pkg] for pkg in query_names if pkg in installed]: - package = { - 'name': dist.project_name, - 'version': dist.version, - 'location': dist.location, - 'requires': [dep.project_name for dep in dist.requires()], - } - file_list = None - metadata = None - if isinstance(dist, pkg_resources.DistInfoDistribution): - # RECORDs should be part of .dist-info metadatas - if dist.has_metadata('RECORD'): - lines = dist.get_metadata_lines('RECORD') - paths = [l.split(',')[0] for l in lines] - paths = [os.path.join(dist.location, p) for p in paths] - file_list = [os.path.relpath(p, dist.location) for p in paths] - - if dist.has_metadata('METADATA'): - metadata = dist.get_metadata('METADATA') - else: - # Otherwise use pip's log for .egg-info's - if dist.has_metadata('installed-files.txt'): - paths = dist.get_metadata_lines('installed-files.txt') - paths = [os.path.join(dist.egg_info, p) for p in paths] - file_list = [os.path.relpath(p, dist.location) for p in paths] - - if dist.has_metadata('PKG-INFO'): - metadata = dist.get_metadata('PKG-INFO') - - if dist.has_metadata('entry_points.txt'): - entry_points = dist.get_metadata_lines('entry_points.txt') - package['entry_points'] = entry_points - - if dist.has_metadata('INSTALLER'): - for line in dist.get_metadata_lines('INSTALLER'): - if line.strip(): - package['installer'] = line.strip() - break - - # @todo: Should pkg_resources.Distribution have a - # `get_pkg_info` method? - feed_parser = FeedParser() - feed_parser.feed(metadata) - pkg_info_dict = feed_parser.close() - for key in ('metadata-version', 'summary', - 'home-page', 'author', 'author-email', 'license'): - package[key] = pkg_info_dict.get(key) - - # It looks like FeedParser cannot deal with repeated headers - classifiers = [] - for line in metadata.splitlines(): - if line.startswith('Classifier: '): - classifiers.append(line[len('Classifier: '):]) - package['classifiers'] = classifiers - - if file_list: - package['files'] = sorted(file_list) - yield package - - -def print_results(distributions, list_files=False, verbose=False): - """ - Print the informations from installed distributions found. - """ - results_printed = False - for i, dist in enumerate(distributions): - results_printed = True - if i > 0: - logger.info("---") - - name = dist.get('name', '') - required_by = [ - pkg.project_name for pkg in pkg_resources.working_set - if name in [required.name for required in pkg.requires()] - ] - - logger.info("Name: %s", name) - logger.info("Version: %s", dist.get('version', '')) - logger.info("Summary: %s", dist.get('summary', '')) - logger.info("Home-page: %s", dist.get('home-page', '')) - logger.info("Author: %s", dist.get('author', '')) - logger.info("Author-email: %s", dist.get('author-email', '')) - logger.info("License: %s", dist.get('license', '')) - logger.info("Location: %s", dist.get('location', '')) - logger.info("Requires: %s", ', '.join(dist.get('requires', []))) - logger.info("Required-by: %s", ', '.join(required_by)) - - if verbose: - logger.info("Metadata-Version: %s", - dist.get('metadata-version', '')) - logger.info("Installer: %s", dist.get('installer', '')) - logger.info("Classifiers:") - for classifier in dist.get('classifiers', []): - logger.info(" %s", classifier) - logger.info("Entry-points:") - for entry in dist.get('entry_points', []): - logger.info(" %s", entry.strip()) - if list_files: - logger.info("Files:") - for line in dist.get('files', []): - logger.info(" %s", line.strip()) - if "files" not in dist: - logger.info("Cannot locate installed-files.txt") - return results_printed diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/uninstall.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/uninstall.py deleted file mode 100644 index 0cd6f54..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/uninstall.py +++ /dev/null @@ -1,78 +0,0 @@ -from __future__ import absolute_import - -from pip._vendor.packaging.utils import canonicalize_name - -from pip._internal.cli.base_command import Command -from pip._internal.exceptions import InstallationError -from pip._internal.req import parse_requirements -from pip._internal.req.constructors import install_req_from_line -from pip._internal.utils.misc import protect_pip_from_modification_on_windows - - -class UninstallCommand(Command): - """ - Uninstall packages. - - pip is able to uninstall most installed packages. Known exceptions are: - - - Pure distutils packages installed with ``python setup.py install``, which - leave behind no metadata to determine what files were installed. - - Script wrappers installed by ``python setup.py develop``. - """ - name = 'uninstall' - usage = """ - %prog [options] <package> ... - %prog [options] -r <requirements file> ...""" - summary = 'Uninstall packages.' - - def __init__(self, *args, **kw): - super(UninstallCommand, self).__init__(*args, **kw) - self.cmd_opts.add_option( - '-r', '--requirement', - dest='requirements', - action='append', - default=[], - metavar='file', - help='Uninstall all the packages listed in the given requirements ' - 'file. This option can be used multiple times.', - ) - self.cmd_opts.add_option( - '-y', '--yes', - dest='yes', - action='store_true', - help="Don't ask for confirmation of uninstall deletions.") - - self.parser.insert_option_group(0, self.cmd_opts) - - def run(self, options, args): - with self._build_session(options) as session: - reqs_to_uninstall = {} - for name in args: - req = install_req_from_line( - name, isolated=options.isolated_mode, - ) - if req.name: - reqs_to_uninstall[canonicalize_name(req.name)] = req - for filename in options.requirements: - for req in parse_requirements( - filename, - options=options, - session=session): - if req.name: - reqs_to_uninstall[canonicalize_name(req.name)] = req - if not reqs_to_uninstall: - raise InstallationError( - 'You must give at least one requirement to %(name)s (see ' - '"pip help %(name)s")' % dict(name=self.name) - ) - - protect_pip_from_modification_on_windows( - modifying_pip="pip" in reqs_to_uninstall - ) - - for req in reqs_to_uninstall.values(): - uninstall_pathset = req.uninstall( - auto_confirm=options.yes, verbose=self.verbosity > 0, - ) - if uninstall_pathset: - uninstall_pathset.commit() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/wheel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/wheel.py deleted file mode 100644 index cd72a3d..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/wheel.py +++ /dev/null @@ -1,186 +0,0 @@ -# -*- coding: utf-8 -*- -from __future__ import absolute_import - -import logging -import os - -from pip._internal.cache import WheelCache -from pip._internal.cli import cmdoptions -from pip._internal.cli.base_command import RequirementCommand -from pip._internal.exceptions import CommandError, PreviousBuildDirError -from pip._internal.operations.prepare import RequirementPreparer -from pip._internal.req import RequirementSet -from pip._internal.req.req_tracker import RequirementTracker -from pip._internal.resolve import Resolver -from pip._internal.utils.temp_dir import TempDirectory -from pip._internal.wheel import WheelBuilder - -logger = logging.getLogger(__name__) - - -class WheelCommand(RequirementCommand): - """ - Build Wheel archives for your requirements and dependencies. - - Wheel is a built-package format, and offers the advantage of not - recompiling your software during every install. For more details, see the - wheel docs: https://wheel.readthedocs.io/en/latest/ - - Requirements: setuptools>=0.8, and wheel. - - 'pip wheel' uses the bdist_wheel setuptools extension from the wheel - package to build individual wheels. - - """ - - name = 'wheel' - usage = """ - %prog [options] <requirement specifier> ... - %prog [options] -r <requirements file> ... - %prog [options] [-e] <vcs project url> ... - %prog [options] [-e] <local project path> ... - %prog [options] <archive url/path> ...""" - - summary = 'Build wheels from your requirements.' - - def __init__(self, *args, **kw): - super(WheelCommand, self).__init__(*args, **kw) - - cmd_opts = self.cmd_opts - - cmd_opts.add_option( - '-w', '--wheel-dir', - dest='wheel_dir', - metavar='dir', - default=os.curdir, - help=("Build wheels into <dir>, where the default is the " - "current working directory."), - ) - cmd_opts.add_option(cmdoptions.no_binary()) - cmd_opts.add_option(cmdoptions.only_binary()) - cmd_opts.add_option(cmdoptions.prefer_binary()) - cmd_opts.add_option( - '--build-option', - dest='build_options', - metavar='options', - action='append', - help="Extra arguments to be supplied to 'setup.py bdist_wheel'.", - ) - cmd_opts.add_option(cmdoptions.no_build_isolation()) - cmd_opts.add_option(cmdoptions.use_pep517()) - cmd_opts.add_option(cmdoptions.no_use_pep517()) - cmd_opts.add_option(cmdoptions.constraints()) - cmd_opts.add_option(cmdoptions.editable()) - cmd_opts.add_option(cmdoptions.requirements()) - cmd_opts.add_option(cmdoptions.src()) - cmd_opts.add_option(cmdoptions.ignore_requires_python()) - cmd_opts.add_option(cmdoptions.no_deps()) - cmd_opts.add_option(cmdoptions.build_dir()) - cmd_opts.add_option(cmdoptions.progress_bar()) - - cmd_opts.add_option( - '--global-option', - dest='global_options', - action='append', - metavar='options', - help="Extra global options to be supplied to the setup.py " - "call before the 'bdist_wheel' command.") - - cmd_opts.add_option( - '--pre', - action='store_true', - default=False, - help=("Include pre-release and development versions. By default, " - "pip only finds stable versions."), - ) - - cmd_opts.add_option(cmdoptions.no_clean()) - cmd_opts.add_option(cmdoptions.require_hashes()) - - index_opts = cmdoptions.make_option_group( - cmdoptions.index_group, - self.parser, - ) - - self.parser.insert_option_group(0, index_opts) - self.parser.insert_option_group(0, cmd_opts) - - def run(self, options, args): - cmdoptions.check_install_build_global(options) - - index_urls = [options.index_url] + options.extra_index_urls - if options.no_index: - logger.debug('Ignoring indexes: %s', ','.join(index_urls)) - index_urls = [] - - if options.build_dir: - options.build_dir = os.path.abspath(options.build_dir) - - options.src_dir = os.path.abspath(options.src_dir) - - with self._build_session(options) as session: - finder = self._build_package_finder(options, session) - build_delete = (not (options.no_clean or options.build_dir)) - wheel_cache = WheelCache(options.cache_dir, options.format_control) - - with RequirementTracker() as req_tracker, TempDirectory( - options.build_dir, delete=build_delete, kind="wheel" - ) as directory: - - requirement_set = RequirementSet( - require_hashes=options.require_hashes, - ) - - try: - self.populate_requirement_set( - requirement_set, args, options, finder, session, - self.name, wheel_cache - ) - - preparer = RequirementPreparer( - build_dir=directory.path, - src_dir=options.src_dir, - download_dir=None, - wheel_download_dir=options.wheel_dir, - progress_bar=options.progress_bar, - build_isolation=options.build_isolation, - req_tracker=req_tracker, - ) - - resolver = Resolver( - preparer=preparer, - finder=finder, - session=session, - wheel_cache=wheel_cache, - use_user_site=False, - upgrade_strategy="to-satisfy-only", - force_reinstall=False, - ignore_dependencies=options.ignore_dependencies, - ignore_requires_python=options.ignore_requires_python, - ignore_installed=True, - isolated=options.isolated_mode, - use_pep517=options.use_pep517 - ) - resolver.resolve(requirement_set) - - # build wheels - wb = WheelBuilder( - finder, preparer, wheel_cache, - build_options=options.build_options or [], - global_options=options.global_options or [], - no_clean=options.no_clean, - ) - build_failures = wb.build( - requirement_set.requirements.values(), session=session, - ) - if len(build_failures) != 0: - raise CommandError( - "Failed to build one or more wheels" - ) - except PreviousBuildDirError: - options.no_clean = True - raise - finally: - if not options.no_clean: - requirement_set.cleanup_files() - wheel_cache.cleanup() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/download.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/download.py deleted file mode 100644 index 2bbe176..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/download.py +++ /dev/null @@ -1,971 +0,0 @@ -from __future__ import absolute_import - -import cgi -import email.utils -import getpass -import json -import logging -import mimetypes -import os -import platform -import re -import shutil -import sys - -from pip._vendor import requests, six, urllib3 -from pip._vendor.cachecontrol import CacheControlAdapter -from pip._vendor.cachecontrol.caches import FileCache -from pip._vendor.lockfile import LockError -from pip._vendor.requests.adapters import BaseAdapter, HTTPAdapter -from pip._vendor.requests.auth import AuthBase, HTTPBasicAuth -from pip._vendor.requests.models import CONTENT_CHUNK_SIZE, Response -from pip._vendor.requests.structures import CaseInsensitiveDict -from pip._vendor.requests.utils import get_netrc_auth -# NOTE: XMLRPC Client is not annotated in typeshed as on 2017-07-17, which is -# why we ignore the type on this import -from pip._vendor.six.moves import xmlrpc_client # type: ignore -from pip._vendor.six.moves.urllib import parse as urllib_parse -from pip._vendor.six.moves.urllib import request as urllib_request -from pip._vendor.urllib3.util import IS_PYOPENSSL - -import pip -from pip._internal.exceptions import HashMismatch, InstallationError -from pip._internal.locations import write_delete_marker_file -from pip._internal.models.index import PyPI -from pip._internal.utils.encoding import auto_decode -from pip._internal.utils.filesystem import check_path_owner -from pip._internal.utils.glibc import libc_ver -from pip._internal.utils.logging import indent_log -from pip._internal.utils.misc import ( - ARCHIVE_EXTENSIONS, ask_path_exists, backup_dir, call_subprocess, consume, - display_path, format_size, get_installed_version, rmtree, - split_auth_from_netloc, splitext, unpack_file, -) -from pip._internal.utils.setuptools_build import SETUPTOOLS_SHIM -from pip._internal.utils.temp_dir import TempDirectory -from pip._internal.utils.typing import MYPY_CHECK_RUNNING -from pip._internal.utils.ui import DownloadProgressProvider -from pip._internal.vcs import vcs - -if MYPY_CHECK_RUNNING: - from typing import ( # noqa: F401 - Optional, Tuple, Dict, IO, Text, Union - ) - from pip._internal.models.link import Link # noqa: F401 - from pip._internal.utils.hashes import Hashes # noqa: F401 - from pip._internal.vcs import AuthInfo # noqa: F401 - -try: - import ssl # noqa -except ImportError: - ssl = None - -HAS_TLS = (ssl is not None) or IS_PYOPENSSL - -__all__ = ['get_file_content', - 'is_url', 'url_to_path', 'path_to_url', - 'is_archive_file', 'unpack_vcs_link', - 'unpack_file_url', 'is_vcs_url', 'is_file_url', - 'unpack_http_url', 'unpack_url'] - - -logger = logging.getLogger(__name__) - - -def user_agent(): - """ - Return a string representing the user agent. - """ - data = { - "installer": {"name": "pip", "version": pip.__version__}, - "python": platform.python_version(), - "implementation": { - "name": platform.python_implementation(), - }, - } - - if data["implementation"]["name"] == 'CPython': - data["implementation"]["version"] = platform.python_version() - elif data["implementation"]["name"] == 'PyPy': - if sys.pypy_version_info.releaselevel == 'final': - pypy_version_info = sys.pypy_version_info[:3] - else: - pypy_version_info = sys.pypy_version_info - data["implementation"]["version"] = ".".join( - [str(x) for x in pypy_version_info] - ) - elif data["implementation"]["name"] == 'Jython': - # Complete Guess - data["implementation"]["version"] = platform.python_version() - elif data["implementation"]["name"] == 'IronPython': - # Complete Guess - data["implementation"]["version"] = platform.python_version() - - if sys.platform.startswith("linux"): - from pip._vendor import distro - distro_infos = dict(filter( - lambda x: x[1], - zip(["name", "version", "id"], distro.linux_distribution()), - )) - libc = dict(filter( - lambda x: x[1], - zip(["lib", "version"], libc_ver()), - )) - if libc: - distro_infos["libc"] = libc - if distro_infos: - data["distro"] = distro_infos - - if sys.platform.startswith("darwin") and platform.mac_ver()[0]: - data["distro"] = {"name": "macOS", "version": platform.mac_ver()[0]} - - if platform.system(): - data.setdefault("system", {})["name"] = platform.system() - - if platform.release(): - data.setdefault("system", {})["release"] = platform.release() - - if platform.machine(): - data["cpu"] = platform.machine() - - if HAS_TLS: - data["openssl_version"] = ssl.OPENSSL_VERSION - - setuptools_version = get_installed_version("setuptools") - if setuptools_version is not None: - data["setuptools_version"] = setuptools_version - - return "{data[installer][name]}/{data[installer][version]} {json}".format( - data=data, - json=json.dumps(data, separators=(",", ":"), sort_keys=True), - ) - - -class MultiDomainBasicAuth(AuthBase): - - def __init__(self, prompting=True): - # type: (bool) -> None - self.prompting = prompting - self.passwords = {} # type: Dict[str, AuthInfo] - - def __call__(self, req): - parsed = urllib_parse.urlparse(req.url) - - # Split the credentials from the netloc. - netloc, url_user_password = split_auth_from_netloc(parsed.netloc) - - # Set the url of the request to the url without any credentials - req.url = urllib_parse.urlunparse(parsed[:1] + (netloc,) + parsed[2:]) - - # Use any stored credentials that we have for this netloc - username, password = self.passwords.get(netloc, (None, None)) - - # Use the credentials embedded in the url if we have none stored - if username is None: - username, password = url_user_password - - # Get creds from netrc if we still don't have them - if username is None and password is None: - netrc_auth = get_netrc_auth(req.url) - username, password = netrc_auth if netrc_auth else (None, None) - - if username or password: - # Store the username and password - self.passwords[netloc] = (username, password) - - # Send the basic auth with this request - req = HTTPBasicAuth(username or "", password or "")(req) - - # Attach a hook to handle 401 responses - req.register_hook("response", self.handle_401) - - return req - - def handle_401(self, resp, **kwargs): - # We only care about 401 responses, anything else we want to just - # pass through the actual response - if resp.status_code != 401: - return resp - - # We are not able to prompt the user so simply return the response - if not self.prompting: - return resp - - parsed = urllib_parse.urlparse(resp.url) - - # Prompt the user for a new username and password - username = six.moves.input("User for %s: " % parsed.netloc) - password = getpass.getpass("Password: ") - - # Store the new username and password to use for future requests - if username or password: - self.passwords[parsed.netloc] = (username, password) - - # Consume content and release the original connection to allow our new - # request to reuse the same one. - resp.content - resp.raw.release_conn() - - # Add our new username and password to the request - req = HTTPBasicAuth(username or "", password or "")(resp.request) - req.register_hook("response", self.warn_on_401) - - # Send our new request - new_resp = resp.connection.send(req, **kwargs) - new_resp.history.append(resp) - - return new_resp - - def warn_on_401(self, resp, **kwargs): - # warn user that they provided incorrect credentials - if resp.status_code == 401: - logger.warning('401 Error, Credentials not correct for %s', - resp.request.url) - - -class LocalFSAdapter(BaseAdapter): - - def send(self, request, stream=None, timeout=None, verify=None, cert=None, - proxies=None): - pathname = url_to_path(request.url) - - resp = Response() - resp.status_code = 200 - resp.url = request.url - - try: - stats = os.stat(pathname) - except OSError as exc: - resp.status_code = 404 - resp.raw = exc - else: - modified = email.utils.formatdate(stats.st_mtime, usegmt=True) - content_type = mimetypes.guess_type(pathname)[0] or "text/plain" - resp.headers = CaseInsensitiveDict({ - "Content-Type": content_type, - "Content-Length": stats.st_size, - "Last-Modified": modified, - }) - - resp.raw = open(pathname, "rb") - resp.close = resp.raw.close - - return resp - - def close(self): - pass - - -class SafeFileCache(FileCache): - """ - A file based cache which is safe to use even when the target directory may - not be accessible or writable. - """ - - def __init__(self, *args, **kwargs): - super(SafeFileCache, self).__init__(*args, **kwargs) - - # Check to ensure that the directory containing our cache directory - # is owned by the user current executing pip. If it does not exist - # we will check the parent directory until we find one that does exist. - # If it is not owned by the user executing pip then we will disable - # the cache and log a warning. - if not check_path_owner(self.directory): - logger.warning( - "The directory '%s' or its parent directory is not owned by " - "the current user and the cache has been disabled. Please " - "check the permissions and owner of that directory. If " - "executing pip with sudo, you may want sudo's -H flag.", - self.directory, - ) - - # Set our directory to None to disable the Cache - self.directory = None - - def get(self, *args, **kwargs): - # If we don't have a directory, then the cache should be a no-op. - if self.directory is None: - return - - try: - return super(SafeFileCache, self).get(*args, **kwargs) - except (LockError, OSError, IOError): - # We intentionally silence this error, if we can't access the cache - # then we can just skip caching and process the request as if - # caching wasn't enabled. - pass - - def set(self, *args, **kwargs): - # If we don't have a directory, then the cache should be a no-op. - if self.directory is None: - return - - try: - return super(SafeFileCache, self).set(*args, **kwargs) - except (LockError, OSError, IOError): - # We intentionally silence this error, if we can't access the cache - # then we can just skip caching and process the request as if - # caching wasn't enabled. - pass - - def delete(self, *args, **kwargs): - # If we don't have a directory, then the cache should be a no-op. - if self.directory is None: - return - - try: - return super(SafeFileCache, self).delete(*args, **kwargs) - except (LockError, OSError, IOError): - # We intentionally silence this error, if we can't access the cache - # then we can just skip caching and process the request as if - # caching wasn't enabled. - pass - - -class InsecureHTTPAdapter(HTTPAdapter): - - def cert_verify(self, conn, url, verify, cert): - conn.cert_reqs = 'CERT_NONE' - conn.ca_certs = None - - -class PipSession(requests.Session): - - timeout = None # type: Optional[int] - - def __init__(self, *args, **kwargs): - retries = kwargs.pop("retries", 0) - cache = kwargs.pop("cache", None) - insecure_hosts = kwargs.pop("insecure_hosts", []) - - super(PipSession, self).__init__(*args, **kwargs) - - # Attach our User Agent to the request - self.headers["User-Agent"] = user_agent() - - # Attach our Authentication handler to the session - self.auth = MultiDomainBasicAuth() - - # Create our urllib3.Retry instance which will allow us to customize - # how we handle retries. - retries = urllib3.Retry( - # Set the total number of retries that a particular request can - # have. - total=retries, - - # A 503 error from PyPI typically means that the Fastly -> Origin - # connection got interrupted in some way. A 503 error in general - # is typically considered a transient error so we'll go ahead and - # retry it. - # A 500 may indicate transient error in Amazon S3 - # A 520 or 527 - may indicate transient error in CloudFlare - status_forcelist=[500, 503, 520, 527], - - # Add a small amount of back off between failed requests in - # order to prevent hammering the service. - backoff_factor=0.25, - ) - - # We want to _only_ cache responses on securely fetched origins. We do - # this because we can't validate the response of an insecurely fetched - # origin, and we don't want someone to be able to poison the cache and - # require manual eviction from the cache to fix it. - if cache: - secure_adapter = CacheControlAdapter( - cache=SafeFileCache(cache, use_dir_lock=True), - max_retries=retries, - ) - else: - secure_adapter = HTTPAdapter(max_retries=retries) - - # Our Insecure HTTPAdapter disables HTTPS validation. It does not - # support caching (see above) so we'll use it for all http:// URLs as - # well as any https:// host that we've marked as ignoring TLS errors - # for. - insecure_adapter = InsecureHTTPAdapter(max_retries=retries) - - self.mount("https://", secure_adapter) - self.mount("http://", insecure_adapter) - - # Enable file:// urls - self.mount("file://", LocalFSAdapter()) - - # We want to use a non-validating adapter for any requests which are - # deemed insecure. - for host in insecure_hosts: - self.mount("https://{}/".format(host), insecure_adapter) - - def request(self, method, url, *args, **kwargs): - # Allow setting a default timeout on a session - kwargs.setdefault("timeout", self.timeout) - - # Dispatch the actual request - return super(PipSession, self).request(method, url, *args, **kwargs) - - -def get_file_content(url, comes_from=None, session=None): - # type: (str, Optional[str], Optional[PipSession]) -> Tuple[str, Text] - """Gets the content of a file; it may be a filename, file: URL, or - http: URL. Returns (location, content). Content is unicode. - - :param url: File path or url. - :param comes_from: Origin description of requirements. - :param session: Instance of pip.download.PipSession. - """ - if session is None: - raise TypeError( - "get_file_content() missing 1 required keyword argument: 'session'" - ) - - match = _scheme_re.search(url) - if match: - scheme = match.group(1).lower() - if (scheme == 'file' and comes_from and - comes_from.startswith('http')): - raise InstallationError( - 'Requirements file %s references URL %s, which is local' - % (comes_from, url)) - if scheme == 'file': - path = url.split(':', 1)[1] - path = path.replace('\\', '/') - match = _url_slash_drive_re.match(path) - if match: - path = match.group(1) + ':' + path.split('|', 1)[1] - path = urllib_parse.unquote(path) - if path.startswith('/'): - path = '/' + path.lstrip('/') - url = path - else: - # FIXME: catch some errors - resp = session.get(url) - resp.raise_for_status() - return resp.url, resp.text - try: - with open(url, 'rb') as f: - content = auto_decode(f.read()) - except IOError as exc: - raise InstallationError( - 'Could not open requirements file: %s' % str(exc) - ) - return url, content - - -_scheme_re = re.compile(r'^(http|https|file):', re.I) -_url_slash_drive_re = re.compile(r'/*([a-z])\|', re.I) - - -def is_url(name): - # type: (Union[str, Text]) -> bool - """Returns true if the name looks like a URL""" - if ':' not in name: - return False - scheme = name.split(':', 1)[0].lower() - return scheme in ['http', 'https', 'file', 'ftp'] + vcs.all_schemes - - -def url_to_path(url): - # type: (str) -> str - """ - Convert a file: URL to a path. - """ - assert url.startswith('file:'), ( - "You can only turn file: urls into filenames (not %r)" % url) - - _, netloc, path, _, _ = urllib_parse.urlsplit(url) - - # if we have a UNC path, prepend UNC share notation - if netloc: - netloc = '\\\\' + netloc - - path = urllib_request.url2pathname(netloc + path) - return path - - -def path_to_url(path): - # type: (Union[str, Text]) -> str - """ - Convert a path to a file: URL. The path will be made absolute and have - quoted path parts. - """ - path = os.path.normpath(os.path.abspath(path)) - url = urllib_parse.urljoin('file:', urllib_request.pathname2url(path)) - return url - - -def is_archive_file(name): - # type: (str) -> bool - """Return True if `name` is a considered as an archive file.""" - ext = splitext(name)[1].lower() - if ext in ARCHIVE_EXTENSIONS: - return True - return False - - -def unpack_vcs_link(link, location): - vcs_backend = _get_used_vcs_backend(link) - vcs_backend.unpack(location) - - -def _get_used_vcs_backend(link): - for backend in vcs.backends: - if link.scheme in backend.schemes: - vcs_backend = backend(link.url) - return vcs_backend - - -def is_vcs_url(link): - # type: (Link) -> bool - return bool(_get_used_vcs_backend(link)) - - -def is_file_url(link): - # type: (Link) -> bool - return link.url.lower().startswith('file:') - - -def is_dir_url(link): - # type: (Link) -> bool - """Return whether a file:// Link points to a directory. - - ``link`` must not have any other scheme but file://. Call is_file_url() - first. - - """ - link_path = url_to_path(link.url_without_fragment) - return os.path.isdir(link_path) - - -def _progress_indicator(iterable, *args, **kwargs): - return iterable - - -def _download_url( - resp, # type: Response - link, # type: Link - content_file, # type: IO - hashes, # type: Hashes - progress_bar # type: str -): - # type: (...) -> None - try: - total_length = int(resp.headers['content-length']) - except (ValueError, KeyError, TypeError): - total_length = 0 - - cached_resp = getattr(resp, "from_cache", False) - if logger.getEffectiveLevel() > logging.INFO: - show_progress = False - elif cached_resp: - show_progress = False - elif total_length > (40 * 1000): - show_progress = True - elif not total_length: - show_progress = True - else: - show_progress = False - - show_url = link.show_url - - def resp_read(chunk_size): - try: - # Special case for urllib3. - for chunk in resp.raw.stream( - chunk_size, - # We use decode_content=False here because we don't - # want urllib3 to mess with the raw bytes we get - # from the server. If we decompress inside of - # urllib3 then we cannot verify the checksum - # because the checksum will be of the compressed - # file. This breakage will only occur if the - # server adds a Content-Encoding header, which - # depends on how the server was configured: - # - Some servers will notice that the file isn't a - # compressible file and will leave the file alone - # and with an empty Content-Encoding - # - Some servers will notice that the file is - # already compressed and will leave the file - # alone and will add a Content-Encoding: gzip - # header - # - Some servers won't notice anything at all and - # will take a file that's already been compressed - # and compress it again and set the - # Content-Encoding: gzip header - # - # By setting this not to decode automatically we - # hope to eliminate problems with the second case. - decode_content=False): - yield chunk - except AttributeError: - # Standard file-like object. - while True: - chunk = resp.raw.read(chunk_size) - if not chunk: - break - yield chunk - - def written_chunks(chunks): - for chunk in chunks: - content_file.write(chunk) - yield chunk - - progress_indicator = _progress_indicator - - if link.netloc == PyPI.netloc: - url = show_url - else: - url = link.url_without_fragment - - if show_progress: # We don't show progress on cached responses - progress_indicator = DownloadProgressProvider(progress_bar, - max=total_length) - if total_length: - logger.info("Downloading %s (%s)", url, format_size(total_length)) - else: - logger.info("Downloading %s", url) - elif cached_resp: - logger.info("Using cached %s", url) - else: - logger.info("Downloading %s", url) - - logger.debug('Downloading from URL %s', link) - - downloaded_chunks = written_chunks( - progress_indicator( - resp_read(CONTENT_CHUNK_SIZE), - CONTENT_CHUNK_SIZE - ) - ) - if hashes: - hashes.check_against_chunks(downloaded_chunks) - else: - consume(downloaded_chunks) - - -def _copy_file(filename, location, link): - copy = True - download_location = os.path.join(location, link.filename) - if os.path.exists(download_location): - response = ask_path_exists( - 'The file %s exists. (i)gnore, (w)ipe, (b)ackup, (a)abort' % - display_path(download_location), ('i', 'w', 'b', 'a')) - if response == 'i': - copy = False - elif response == 'w': - logger.warning('Deleting %s', display_path(download_location)) - os.remove(download_location) - elif response == 'b': - dest_file = backup_dir(download_location) - logger.warning( - 'Backing up %s to %s', - display_path(download_location), - display_path(dest_file), - ) - shutil.move(download_location, dest_file) - elif response == 'a': - sys.exit(-1) - if copy: - shutil.copy(filename, download_location) - logger.info('Saved %s', display_path(download_location)) - - -def unpack_http_url( - link, # type: Link - location, # type: str - download_dir=None, # type: Optional[str] - session=None, # type: Optional[PipSession] - hashes=None, # type: Optional[Hashes] - progress_bar="on" # type: str -): - # type: (...) -> None - if session is None: - raise TypeError( - "unpack_http_url() missing 1 required keyword argument: 'session'" - ) - - with TempDirectory(kind="unpack") as temp_dir: - # If a download dir is specified, is the file already downloaded there? - already_downloaded_path = None - if download_dir: - already_downloaded_path = _check_download_dir(link, - download_dir, - hashes) - - if already_downloaded_path: - from_path = already_downloaded_path - content_type = mimetypes.guess_type(from_path)[0] - else: - # let's download to a tmp dir - from_path, content_type = _download_http_url(link, - session, - temp_dir.path, - hashes, - progress_bar) - - # unpack the archive to the build dir location. even when only - # downloading archives, they have to be unpacked to parse dependencies - unpack_file(from_path, location, content_type, link) - - # a download dir is specified; let's copy the archive there - if download_dir and not already_downloaded_path: - _copy_file(from_path, download_dir, link) - - if not already_downloaded_path: - os.unlink(from_path) - - -def unpack_file_url( - link, # type: Link - location, # type: str - download_dir=None, # type: Optional[str] - hashes=None # type: Optional[Hashes] -): - # type: (...) -> None - """Unpack link into location. - - If download_dir is provided and link points to a file, make a copy - of the link file inside download_dir. - """ - link_path = url_to_path(link.url_without_fragment) - - # If it's a url to a local directory - if is_dir_url(link): - if os.path.isdir(location): - rmtree(location) - shutil.copytree(link_path, location, symlinks=True) - if download_dir: - logger.info('Link is a directory, ignoring download_dir') - return - - # If --require-hashes is off, `hashes` is either empty, the - # link's embedded hash, or MissingHashes; it is required to - # match. If --require-hashes is on, we are satisfied by any - # hash in `hashes` matching: a URL-based or an option-based - # one; no internet-sourced hash will be in `hashes`. - if hashes: - hashes.check_against_path(link_path) - - # If a download dir is specified, is the file already there and valid? - already_downloaded_path = None - if download_dir: - already_downloaded_path = _check_download_dir(link, - download_dir, - hashes) - - if already_downloaded_path: - from_path = already_downloaded_path - else: - from_path = link_path - - content_type = mimetypes.guess_type(from_path)[0] - - # unpack the archive to the build dir location. even when only downloading - # archives, they have to be unpacked to parse dependencies - unpack_file(from_path, location, content_type, link) - - # a download dir is specified and not already downloaded - if download_dir and not already_downloaded_path: - _copy_file(from_path, download_dir, link) - - -def _copy_dist_from_dir(link_path, location): - """Copy distribution files in `link_path` to `location`. - - Invoked when user requests to install a local directory. E.g.: - - pip install . - pip install ~/dev/git-repos/python-prompt-toolkit - - """ - - # Note: This is currently VERY SLOW if you have a lot of data in the - # directory, because it copies everything with `shutil.copytree`. - # What it should really do is build an sdist and install that. - # See https://github.com/pypa/pip/issues/2195 - - if os.path.isdir(location): - rmtree(location) - - # build an sdist - setup_py = 'setup.py' - sdist_args = [sys.executable] - sdist_args.append('-c') - sdist_args.append(SETUPTOOLS_SHIM % setup_py) - sdist_args.append('sdist') - sdist_args += ['--dist-dir', location] - logger.info('Running setup.py sdist for %s', link_path) - - with indent_log(): - call_subprocess(sdist_args, cwd=link_path, show_stdout=False) - - # unpack sdist into `location` - sdist = os.path.join(location, os.listdir(location)[0]) - logger.info('Unpacking sdist %s into %s', sdist, location) - unpack_file(sdist, location, content_type=None, link=None) - - -class PipXmlrpcTransport(xmlrpc_client.Transport): - """Provide a `xmlrpclib.Transport` implementation via a `PipSession` - object. - """ - - def __init__(self, index_url, session, use_datetime=False): - xmlrpc_client.Transport.__init__(self, use_datetime) - index_parts = urllib_parse.urlparse(index_url) - self._scheme = index_parts.scheme - self._session = session - - def request(self, host, handler, request_body, verbose=False): - parts = (self._scheme, host, handler, None, None, None) - url = urllib_parse.urlunparse(parts) - try: - headers = {'Content-Type': 'text/xml'} - response = self._session.post(url, data=request_body, - headers=headers, stream=True) - response.raise_for_status() - self.verbose = verbose - return self.parse_response(response.raw) - except requests.HTTPError as exc: - logger.critical( - "HTTP error %s while getting %s", - exc.response.status_code, url, - ) - raise - - -def unpack_url( - link, # type: Optional[Link] - location, # type: Optional[str] - download_dir=None, # type: Optional[str] - only_download=False, # type: bool - session=None, # type: Optional[PipSession] - hashes=None, # type: Optional[Hashes] - progress_bar="on" # type: str -): - # type: (...) -> None - """Unpack link. - If link is a VCS link: - if only_download, export into download_dir and ignore location - else unpack into location - for other types of link: - - unpack into location - - if download_dir, copy the file into download_dir - - if only_download, mark location for deletion - - :param hashes: A Hashes object, one of whose embedded hashes must match, - or HashMismatch will be raised. If the Hashes is empty, no matches are - required, and unhashable types of requirements (like VCS ones, which - would ordinarily raise HashUnsupported) are allowed. - """ - # non-editable vcs urls - if is_vcs_url(link): - unpack_vcs_link(link, location) - - # file urls - elif is_file_url(link): - unpack_file_url(link, location, download_dir, hashes=hashes) - - # http urls - else: - if session is None: - session = PipSession() - - unpack_http_url( - link, - location, - download_dir, - session, - hashes=hashes, - progress_bar=progress_bar - ) - if only_download: - write_delete_marker_file(location) - - -def _download_http_url( - link, # type: Link - session, # type: PipSession - temp_dir, # type: str - hashes, # type: Hashes - progress_bar # type: str -): - # type: (...) -> Tuple[str, str] - """Download link url into temp_dir using provided session""" - target_url = link.url.split('#', 1)[0] - try: - resp = session.get( - target_url, - # We use Accept-Encoding: identity here because requests - # defaults to accepting compressed responses. This breaks in - # a variety of ways depending on how the server is configured. - # - Some servers will notice that the file isn't a compressible - # file and will leave the file alone and with an empty - # Content-Encoding - # - Some servers will notice that the file is already - # compressed and will leave the file alone and will add a - # Content-Encoding: gzip header - # - Some servers won't notice anything at all and will take - # a file that's already been compressed and compress it again - # and set the Content-Encoding: gzip header - # By setting this to request only the identity encoding We're - # hoping to eliminate the third case. Hopefully there does not - # exist a server which when given a file will notice it is - # already compressed and that you're not asking for a - # compressed file and will then decompress it before sending - # because if that's the case I don't think it'll ever be - # possible to make this work. - headers={"Accept-Encoding": "identity"}, - stream=True, - ) - resp.raise_for_status() - except requests.HTTPError as exc: - logger.critical( - "HTTP error %s while getting %s", exc.response.status_code, link, - ) - raise - - content_type = resp.headers.get('content-type', '') - filename = link.filename # fallback - # Have a look at the Content-Disposition header for a better guess - content_disposition = resp.headers.get('content-disposition') - if content_disposition: - type, params = cgi.parse_header(content_disposition) - # We use ``or`` here because we don't want to use an "empty" value - # from the filename param. - filename = params.get('filename') or filename - ext = splitext(filename)[1] - if not ext: - ext = mimetypes.guess_extension(content_type) - if ext: - filename += ext - if not ext and link.url != resp.url: - ext = os.path.splitext(resp.url)[1] - if ext: - filename += ext - file_path = os.path.join(temp_dir, filename) - with open(file_path, 'wb') as content_file: - _download_url(resp, link, content_file, hashes, progress_bar) - return file_path, content_type - - -def _check_download_dir(link, download_dir, hashes): - # type: (Link, str, Hashes) -> Optional[str] - """ Check download_dir for previously downloaded file with correct hash - If a correct file is found return its path else None - """ - download_path = os.path.join(download_dir, link.filename) - if os.path.exists(download_path): - # If already downloaded, does its hash match? - logger.info('File was already downloaded %s', download_path) - if hashes: - try: - hashes.check_against_path(download_path) - except HashMismatch: - logger.warning( - 'Previously-downloaded file %s has bad hash. ' - 'Re-downloading.', - download_path - ) - os.unlink(download_path) - return None - return download_path - return None diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/exceptions.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/exceptions.py deleted file mode 100644 index 38ceeea..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/exceptions.py +++ /dev/null @@ -1,274 +0,0 @@ -"""Exceptions used throughout package""" -from __future__ import absolute_import - -from itertools import chain, groupby, repeat - -from pip._vendor.six import iteritems - -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import Optional # noqa: F401 - from pip._internal.req.req_install import InstallRequirement # noqa: F401 - - -class PipError(Exception): - """Base pip exception""" - - -class ConfigurationError(PipError): - """General exception in configuration""" - - -class InstallationError(PipError): - """General exception during installation""" - - -class UninstallationError(PipError): - """General exception during uninstallation""" - - -class DistributionNotFound(InstallationError): - """Raised when a distribution cannot be found to satisfy a requirement""" - - -class RequirementsFileParseError(InstallationError): - """Raised when a general error occurs parsing a requirements file line.""" - - -class BestVersionAlreadyInstalled(PipError): - """Raised when the most up-to-date version of a package is already - installed.""" - - -class BadCommand(PipError): - """Raised when virtualenv or a command is not found""" - - -class CommandError(PipError): - """Raised when there is an error in command-line arguments""" - - -class PreviousBuildDirError(PipError): - """Raised when there's a previous conflicting build directory""" - - -class InvalidWheelFilename(InstallationError): - """Invalid wheel filename.""" - - -class UnsupportedWheel(InstallationError): - """Unsupported wheel.""" - - -class HashErrors(InstallationError): - """Multiple HashError instances rolled into one for reporting""" - - def __init__(self): - self.errors = [] - - def append(self, error): - self.errors.append(error) - - def __str__(self): - lines = [] - self.errors.sort(key=lambda e: e.order) - for cls, errors_of_cls in groupby(self.errors, lambda e: e.__class__): - lines.append(cls.head) - lines.extend(e.body() for e in errors_of_cls) - if lines: - return '\n'.join(lines) - - def __nonzero__(self): - return bool(self.errors) - - def __bool__(self): - return self.__nonzero__() - - -class HashError(InstallationError): - """ - A failure to verify a package against known-good hashes - - :cvar order: An int sorting hash exception classes by difficulty of - recovery (lower being harder), so the user doesn't bother fretting - about unpinned packages when he has deeper issues, like VCS - dependencies, to deal with. Also keeps error reports in a - deterministic order. - :cvar head: A section heading for display above potentially many - exceptions of this kind - :ivar req: The InstallRequirement that triggered this error. This is - pasted on after the exception is instantiated, because it's not - typically available earlier. - - """ - req = None # type: Optional[InstallRequirement] - head = '' - - def body(self): - """Return a summary of me for display under the heading. - - This default implementation simply prints a description of the - triggering requirement. - - :param req: The InstallRequirement that provoked this error, with - populate_link() having already been called - - """ - return ' %s' % self._requirement_name() - - def __str__(self): - return '%s\n%s' % (self.head, self.body()) - - def _requirement_name(self): - """Return a description of the requirement that triggered me. - - This default implementation returns long description of the req, with - line numbers - - """ - return str(self.req) if self.req else 'unknown package' - - -class VcsHashUnsupported(HashError): - """A hash was provided for a version-control-system-based requirement, but - we don't have a method for hashing those.""" - - order = 0 - head = ("Can't verify hashes for these requirements because we don't " - "have a way to hash version control repositories:") - - -class DirectoryUrlHashUnsupported(HashError): - """A hash was provided for a version-control-system-based requirement, but - we don't have a method for hashing those.""" - - order = 1 - head = ("Can't verify hashes for these file:// requirements because they " - "point to directories:") - - -class HashMissing(HashError): - """A hash was needed for a requirement but is absent.""" - - order = 2 - head = ('Hashes are required in --require-hashes mode, but they are ' - 'missing from some requirements. Here is a list of those ' - 'requirements along with the hashes their downloaded archives ' - 'actually had. Add lines like these to your requirements files to ' - 'prevent tampering. (If you did not enable --require-hashes ' - 'manually, note that it turns on automatically when any package ' - 'has a hash.)') - - def __init__(self, gotten_hash): - """ - :param gotten_hash: The hash of the (possibly malicious) archive we - just downloaded - """ - self.gotten_hash = gotten_hash - - def body(self): - # Dodge circular import. - from pip._internal.utils.hashes import FAVORITE_HASH - - package = None - if self.req: - # In the case of URL-based requirements, display the original URL - # seen in the requirements file rather than the package name, - # so the output can be directly copied into the requirements file. - package = (self.req.original_link if self.req.original_link - # In case someone feeds something downright stupid - # to InstallRequirement's constructor. - else getattr(self.req, 'req', None)) - return ' %s --hash=%s:%s' % (package or 'unknown package', - FAVORITE_HASH, - self.gotten_hash) - - -class HashUnpinned(HashError): - """A requirement had a hash specified but was not pinned to a specific - version.""" - - order = 3 - head = ('In --require-hashes mode, all requirements must have their ' - 'versions pinned with ==. These do not:') - - -class HashMismatch(HashError): - """ - Distribution file hash values don't match. - - :ivar package_name: The name of the package that triggered the hash - mismatch. Feel free to write to this after the exception is raise to - improve its error message. - - """ - order = 4 - head = ('THESE PACKAGES DO NOT MATCH THE HASHES FROM THE REQUIREMENTS ' - 'FILE. If you have updated the package versions, please update ' - 'the hashes. Otherwise, examine the package contents carefully; ' - 'someone may have tampered with them.') - - def __init__(self, allowed, gots): - """ - :param allowed: A dict of algorithm names pointing to lists of allowed - hex digests - :param gots: A dict of algorithm names pointing to hashes we - actually got from the files under suspicion - """ - self.allowed = allowed - self.gots = gots - - def body(self): - return ' %s:\n%s' % (self._requirement_name(), - self._hash_comparison()) - - def _hash_comparison(self): - """ - Return a comparison of actual and expected hash values. - - Example:: - - Expected sha256 abcdeabcdeabcdeabcdeabcdeabcdeabcdeabcdeabcde - or 123451234512345123451234512345123451234512345 - Got bcdefbcdefbcdefbcdefbcdefbcdefbcdefbcdefbcdef - - """ - def hash_then_or(hash_name): - # For now, all the decent hashes have 6-char names, so we can get - # away with hard-coding space literals. - return chain([hash_name], repeat(' or')) - - lines = [] - for hash_name, expecteds in iteritems(self.allowed): - prefix = hash_then_or(hash_name) - lines.extend((' Expected %s %s' % (next(prefix), e)) - for e in expecteds) - lines.append(' Got %s\n' % - self.gots[hash_name].hexdigest()) - prefix = ' or' - return '\n'.join(lines) - - -class UnsupportedPythonVersion(InstallationError): - """Unsupported python version according to Requires-Python package - metadata.""" - - -class ConfigurationFileCouldNotBeLoaded(ConfigurationError): - """When there are errors while loading a configuration file - """ - - def __init__(self, reason="could not be loaded", fname=None, error=None): - super(ConfigurationFileCouldNotBeLoaded, self).__init__(error) - self.reason = reason - self.fname = fname - self.error = error - - def __str__(self): - if self.fname is not None: - message_part = " in {}.".format(self.fname) - else: - assert self.error is not None - message_part = ".\n{}\n".format(self.error.message) - return "Configuration file {}{}".format(self.reason, message_part) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/index.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/index.py deleted file mode 100644 index 9eda3a3..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/index.py +++ /dev/null @@ -1,990 +0,0 @@ -"""Routines related to PyPI, indexes""" -from __future__ import absolute_import - -import cgi -import itertools -import logging -import mimetypes -import os -import posixpath -import re -import sys -from collections import namedtuple - -from pip._vendor import html5lib, requests, six -from pip._vendor.distlib.compat import unescape -from pip._vendor.packaging import specifiers -from pip._vendor.packaging.utils import canonicalize_name -from pip._vendor.packaging.version import parse as parse_version -from pip._vendor.requests.exceptions import RetryError, SSLError -from pip._vendor.six.moves.urllib import parse as urllib_parse -from pip._vendor.six.moves.urllib import request as urllib_request - -from pip._internal.download import HAS_TLS, is_url, path_to_url, url_to_path -from pip._internal.exceptions import ( - BestVersionAlreadyInstalled, DistributionNotFound, InvalidWheelFilename, - UnsupportedWheel, -) -from pip._internal.models.candidate import InstallationCandidate -from pip._internal.models.format_control import FormatControl -from pip._internal.models.index import PyPI -from pip._internal.models.link import Link -from pip._internal.pep425tags import get_supported -from pip._internal.utils.compat import ipaddress -from pip._internal.utils.logging import indent_log -from pip._internal.utils.misc import ( - ARCHIVE_EXTENSIONS, SUPPORTED_EXTENSIONS, WHEEL_EXTENSION, normalize_path, - redact_password_from_url, -) -from pip._internal.utils.packaging import check_requires_python -from pip._internal.utils.typing import MYPY_CHECK_RUNNING -from pip._internal.wheel import Wheel - -if MYPY_CHECK_RUNNING: - from logging import Logger # noqa: F401 - from typing import ( # noqa: F401 - Tuple, Optional, Any, List, Union, Callable, Set, Sequence, - Iterable, MutableMapping - ) - from pip._vendor.packaging.version import _BaseVersion # noqa: F401 - from pip._vendor.requests import Response # noqa: F401 - from pip._internal.req import InstallRequirement # noqa: F401 - from pip._internal.download import PipSession # noqa: F401 - - SecureOrigin = Tuple[str, str, Optional[str]] - BuildTag = Tuple[Any, ...] # either emply tuple or Tuple[int, str] - CandidateSortingKey = Tuple[int, _BaseVersion, BuildTag, Optional[int]] - -__all__ = ['FormatControl', 'PackageFinder'] - - -SECURE_ORIGINS = [ - # protocol, hostname, port - # Taken from Chrome's list of secure origins (See: http://bit.ly/1qrySKC) - ("https", "*", "*"), - ("*", "localhost", "*"), - ("*", "127.0.0.0/8", "*"), - ("*", "::1/128", "*"), - ("file", "*", None), - # ssh is always secure. - ("ssh", "*", "*"), -] # type: List[SecureOrigin] - - -logger = logging.getLogger(__name__) - - -def _match_vcs_scheme(url): - # type: (str) -> Optional[str] - """Look for VCS schemes in the URL. - - Returns the matched VCS scheme, or None if there's no match. - """ - from pip._internal.vcs import VcsSupport - for scheme in VcsSupport.schemes: - if url.lower().startswith(scheme) and url[len(scheme)] in '+:': - return scheme - return None - - -def _is_url_like_archive(url): - # type: (str) -> bool - """Return whether the URL looks like an archive. - """ - filename = Link(url).filename - for bad_ext in ARCHIVE_EXTENSIONS: - if filename.endswith(bad_ext): - return True - return False - - -class _NotHTML(Exception): - def __init__(self, content_type, request_desc): - # type: (str, str) -> None - super(_NotHTML, self).__init__(content_type, request_desc) - self.content_type = content_type - self.request_desc = request_desc - - -def _ensure_html_header(response): - # type: (Response) -> None - """Check the Content-Type header to ensure the response contains HTML. - - Raises `_NotHTML` if the content type is not text/html. - """ - content_type = response.headers.get("Content-Type", "") - if not content_type.lower().startswith("text/html"): - raise _NotHTML(content_type, response.request.method) - - -class _NotHTTP(Exception): - pass - - -def _ensure_html_response(url, session): - # type: (str, PipSession) -> None - """Send a HEAD request to the URL, and ensure the response contains HTML. - - Raises `_NotHTTP` if the URL is not available for a HEAD request, or - `_NotHTML` if the content type is not text/html. - """ - scheme, netloc, path, query, fragment = urllib_parse.urlsplit(url) - if scheme not in {'http', 'https'}: - raise _NotHTTP() - - resp = session.head(url, allow_redirects=True) - resp.raise_for_status() - - _ensure_html_header(resp) - - -def _get_html_response(url, session): - # type: (str, PipSession) -> Response - """Access an HTML page with GET, and return the response. - - This consists of three parts: - - 1. If the URL looks suspiciously like an archive, send a HEAD first to - check the Content-Type is HTML, to avoid downloading a large file. - Raise `_NotHTTP` if the content type cannot be determined, or - `_NotHTML` if it is not HTML. - 2. Actually perform the request. Raise HTTP exceptions on network failures. - 3. Check the Content-Type header to make sure we got HTML, and raise - `_NotHTML` otherwise. - """ - if _is_url_like_archive(url): - _ensure_html_response(url, session=session) - - logger.debug('Getting page %s', url) - - resp = session.get( - url, - headers={ - "Accept": "text/html", - # We don't want to blindly returned cached data for - # /simple/, because authors generally expecting that - # twine upload && pip install will function, but if - # they've done a pip install in the last ~10 minutes - # it won't. Thus by setting this to zero we will not - # blindly use any cached data, however the benefit of - # using max-age=0 instead of no-cache, is that we will - # still support conditional requests, so we will still - # minimize traffic sent in cases where the page hasn't - # changed at all, we will just always incur the round - # trip for the conditional GET now instead of only - # once per 10 minutes. - # For more information, please see pypa/pip#5670. - "Cache-Control": "max-age=0", - }, - ) - resp.raise_for_status() - - # The check for archives above only works if the url ends with - # something that looks like an archive. However that is not a - # requirement of an url. Unless we issue a HEAD request on every - # url we cannot know ahead of time for sure if something is HTML - # or not. However we can check after we've downloaded it. - _ensure_html_header(resp) - - return resp - - -def _handle_get_page_fail( - link, # type: Link - reason, # type: Union[str, Exception] - meth=None # type: Optional[Callable[..., None]] -): - # type: (...) -> None - if meth is None: - meth = logger.debug - meth("Could not fetch URL %s: %s - skipping", link, reason) - - -def _get_html_page(link, session=None): - # type: (Link, Optional[PipSession]) -> Optional[HTMLPage] - if session is None: - raise TypeError( - "_get_html_page() missing 1 required keyword argument: 'session'" - ) - - url = link.url.split('#', 1)[0] - - # Check for VCS schemes that do not support lookup as web pages. - vcs_scheme = _match_vcs_scheme(url) - if vcs_scheme: - logger.debug('Cannot look at %s URL %s', vcs_scheme, link) - return None - - # Tack index.html onto file:// URLs that point to directories - scheme, _, path, _, _, _ = urllib_parse.urlparse(url) - if (scheme == 'file' and os.path.isdir(urllib_request.url2pathname(path))): - # add trailing slash if not present so urljoin doesn't trim - # final segment - if not url.endswith('/'): - url += '/' - url = urllib_parse.urljoin(url, 'index.html') - logger.debug(' file: URL is directory, getting %s', url) - - try: - resp = _get_html_response(url, session=session) - except _NotHTTP as exc: - logger.debug( - 'Skipping page %s because it looks like an archive, and cannot ' - 'be checked by HEAD.', link, - ) - except _NotHTML as exc: - logger.debug( - 'Skipping page %s because the %s request got Content-Type: %s', - link, exc.request_desc, exc.content_type, - ) - except requests.HTTPError as exc: - _handle_get_page_fail(link, exc) - except RetryError as exc: - _handle_get_page_fail(link, exc) - except SSLError as exc: - reason = "There was a problem confirming the ssl certificate: " - reason += str(exc) - _handle_get_page_fail(link, reason, meth=logger.info) - except requests.ConnectionError as exc: - _handle_get_page_fail(link, "connection error: %s" % exc) - except requests.Timeout: - _handle_get_page_fail(link, "timed out") - else: - return HTMLPage(resp.content, resp.url, resp.headers) - return None - - -class PackageFinder(object): - """This finds packages. - - This is meant to match easy_install's technique for looking for - packages, by reading pages and looking for appropriate links. - """ - - def __init__( - self, - find_links, # type: List[str] - index_urls, # type: List[str] - allow_all_prereleases=False, # type: bool - trusted_hosts=None, # type: Optional[Iterable[str]] - session=None, # type: Optional[PipSession] - format_control=None, # type: Optional[FormatControl] - platform=None, # type: Optional[str] - versions=None, # type: Optional[List[str]] - abi=None, # type: Optional[str] - implementation=None, # type: Optional[str] - prefer_binary=False # type: bool - ): - # type: (...) -> None - """Create a PackageFinder. - - :param format_control: A FormatControl object or None. Used to control - the selection of source packages / binary packages when consulting - the index and links. - :param platform: A string or None. If None, searches for packages - that are supported by the current system. Otherwise, will find - packages that can be built on the platform passed in. These - packages will only be downloaded for distribution: they will - not be built locally. - :param versions: A list of strings or None. This is passed directly - to pep425tags.py in the get_supported() method. - :param abi: A string or None. This is passed directly - to pep425tags.py in the get_supported() method. - :param implementation: A string or None. This is passed directly - to pep425tags.py in the get_supported() method. - """ - if session is None: - raise TypeError( - "PackageFinder() missing 1 required keyword argument: " - "'session'" - ) - - # Build find_links. If an argument starts with ~, it may be - # a local file relative to a home directory. So try normalizing - # it and if it exists, use the normalized version. - # This is deliberately conservative - it might be fine just to - # blindly normalize anything starting with a ~... - self.find_links = [] # type: List[str] - for link in find_links: - if link.startswith('~'): - new_link = normalize_path(link) - if os.path.exists(new_link): - link = new_link - self.find_links.append(link) - - self.index_urls = index_urls - - # These are boring links that have already been logged somehow: - self.logged_links = set() # type: Set[Link] - - self.format_control = format_control or FormatControl(set(), set()) - - # Domains that we won't emit warnings for when not using HTTPS - self.secure_origins = [ - ("*", host, "*") - for host in (trusted_hosts if trusted_hosts else []) - ] # type: List[SecureOrigin] - - # Do we want to allow _all_ pre-releases? - self.allow_all_prereleases = allow_all_prereleases - - # The Session we'll use to make requests - self.session = session - - # The valid tags to check potential found wheel candidates against - self.valid_tags = get_supported( - versions=versions, - platform=platform, - abi=abi, - impl=implementation, - ) - - # Do we prefer old, but valid, binary dist over new source dist - self.prefer_binary = prefer_binary - - # If we don't have TLS enabled, then WARN if anyplace we're looking - # relies on TLS. - if not HAS_TLS: - for link in itertools.chain(self.index_urls, self.find_links): - parsed = urllib_parse.urlparse(link) - if parsed.scheme == "https": - logger.warning( - "pip is configured with locations that require " - "TLS/SSL, however the ssl module in Python is not " - "available." - ) - break - - def get_formatted_locations(self): - # type: () -> str - lines = [] - if self.index_urls and self.index_urls != [PyPI.simple_url]: - lines.append( - "Looking in indexes: {}".format(", ".join( - redact_password_from_url(url) for url in self.index_urls)) - ) - if self.find_links: - lines.append( - "Looking in links: {}".format(", ".join(self.find_links)) - ) - return "\n".join(lines) - - @staticmethod - def _sort_locations(locations, expand_dir=False): - # type: (Sequence[str], bool) -> Tuple[List[str], List[str]] - """ - Sort locations into "files" (archives) and "urls", and return - a pair of lists (files,urls) - """ - files = [] - urls = [] - - # puts the url for the given file path into the appropriate list - def sort_path(path): - url = path_to_url(path) - if mimetypes.guess_type(url, strict=False)[0] == 'text/html': - urls.append(url) - else: - files.append(url) - - for url in locations: - - is_local_path = os.path.exists(url) - is_file_url = url.startswith('file:') - - if is_local_path or is_file_url: - if is_local_path: - path = url - else: - path = url_to_path(url) - if os.path.isdir(path): - if expand_dir: - path = os.path.realpath(path) - for item in os.listdir(path): - sort_path(os.path.join(path, item)) - elif is_file_url: - urls.append(url) - else: - logger.warning( - "Path '{0}' is ignored: " - "it is a directory.".format(path), - ) - elif os.path.isfile(path): - sort_path(path) - else: - logger.warning( - "Url '%s' is ignored: it is neither a file " - "nor a directory.", url, - ) - elif is_url(url): - # Only add url with clear scheme - urls.append(url) - else: - logger.warning( - "Url '%s' is ignored. It is either a non-existing " - "path or lacks a specific scheme.", url, - ) - - return files, urls - - def _candidate_sort_key(self, candidate): - # type: (InstallationCandidate) -> CandidateSortingKey - """ - Function used to generate link sort key for link tuples. - The greater the return value, the more preferred it is. - If not finding wheels, then sorted by version only. - If finding wheels, then the sort order is by version, then: - 1. existing installs - 2. wheels ordered via Wheel.support_index_min(self.valid_tags) - 3. source archives - If prefer_binary was set, then all wheels are sorted above sources. - Note: it was considered to embed this logic into the Link - comparison operators, but then different sdist links - with the same version, would have to be considered equal - """ - support_num = len(self.valid_tags) - build_tag = tuple() # type: BuildTag - binary_preference = 0 - if candidate.location.is_wheel: - # can raise InvalidWheelFilename - wheel = Wheel(candidate.location.filename) - if not wheel.supported(self.valid_tags): - raise UnsupportedWheel( - "%s is not a supported wheel for this platform. It " - "can't be sorted." % wheel.filename - ) - if self.prefer_binary: - binary_preference = 1 - pri = -(wheel.support_index_min(self.valid_tags)) - if wheel.build_tag is not None: - match = re.match(r'^(\d+)(.*)$', wheel.build_tag) - build_tag_groups = match.groups() - build_tag = (int(build_tag_groups[0]), build_tag_groups[1]) - else: # sdist - pri = -(support_num) - return (binary_preference, candidate.version, build_tag, pri) - - def _validate_secure_origin(self, logger, location): - # type: (Logger, Link) -> bool - # Determine if this url used a secure transport mechanism - parsed = urllib_parse.urlparse(str(location)) - origin = (parsed.scheme, parsed.hostname, parsed.port) - - # The protocol to use to see if the protocol matches. - # Don't count the repository type as part of the protocol: in - # cases such as "git+ssh", only use "ssh". (I.e., Only verify against - # the last scheme.) - protocol = origin[0].rsplit('+', 1)[-1] - - # Determine if our origin is a secure origin by looking through our - # hardcoded list of secure origins, as well as any additional ones - # configured on this PackageFinder instance. - for secure_origin in (SECURE_ORIGINS + self.secure_origins): - if protocol != secure_origin[0] and secure_origin[0] != "*": - continue - - try: - # We need to do this decode dance to ensure that we have a - # unicode object, even on Python 2.x. - addr = ipaddress.ip_address( - origin[1] - if ( - isinstance(origin[1], six.text_type) or - origin[1] is None - ) - else origin[1].decode("utf8") - ) - network = ipaddress.ip_network( - secure_origin[1] - if isinstance(secure_origin[1], six.text_type) - # setting secure_origin[1] to proper Union[bytes, str] - # creates problems in other places - else secure_origin[1].decode("utf8") # type: ignore - ) - except ValueError: - # We don't have both a valid address or a valid network, so - # we'll check this origin against hostnames. - if (origin[1] and - origin[1].lower() != secure_origin[1].lower() and - secure_origin[1] != "*"): - continue - else: - # We have a valid address and network, so see if the address - # is contained within the network. - if addr not in network: - continue - - # Check to see if the port patches - if (origin[2] != secure_origin[2] and - secure_origin[2] != "*" and - secure_origin[2] is not None): - continue - - # If we've gotten here, then this origin matches the current - # secure origin and we should return True - return True - - # If we've gotten to this point, then the origin isn't secure and we - # will not accept it as a valid location to search. We will however - # log a warning that we are ignoring it. - logger.warning( - "The repository located at %s is not a trusted or secure host and " - "is being ignored. If this repository is available via HTTPS we " - "recommend you use HTTPS instead, otherwise you may silence " - "this warning and allow it anyway with '--trusted-host %s'.", - parsed.hostname, - parsed.hostname, - ) - - return False - - def _get_index_urls_locations(self, project_name): - # type: (str) -> List[str] - """Returns the locations found via self.index_urls - - Checks the url_name on the main (first in the list) index and - use this url_name to produce all locations - """ - - def mkurl_pypi_url(url): - loc = posixpath.join( - url, - urllib_parse.quote(canonicalize_name(project_name))) - # For maximum compatibility with easy_install, ensure the path - # ends in a trailing slash. Although this isn't in the spec - # (and PyPI can handle it without the slash) some other index - # implementations might break if they relied on easy_install's - # behavior. - if not loc.endswith('/'): - loc = loc + '/' - return loc - - return [mkurl_pypi_url(url) for url in self.index_urls] - - def find_all_candidates(self, project_name): - # type: (str) -> List[Optional[InstallationCandidate]] - """Find all available InstallationCandidate for project_name - - This checks index_urls and find_links. - All versions found are returned as an InstallationCandidate list. - - See _link_package_versions for details on which files are accepted - """ - index_locations = self._get_index_urls_locations(project_name) - index_file_loc, index_url_loc = self._sort_locations(index_locations) - fl_file_loc, fl_url_loc = self._sort_locations( - self.find_links, expand_dir=True, - ) - - file_locations = (Link(url) for url in itertools.chain( - index_file_loc, fl_file_loc, - )) - - # We trust every url that the user has given us whether it was given - # via --index-url or --find-links. - # We want to filter out any thing which does not have a secure origin. - url_locations = [ - link for link in itertools.chain( - (Link(url) for url in index_url_loc), - (Link(url) for url in fl_url_loc), - ) - if self._validate_secure_origin(logger, link) - ] - - logger.debug('%d location(s) to search for versions of %s:', - len(url_locations), project_name) - - for location in url_locations: - logger.debug('* %s', location) - - canonical_name = canonicalize_name(project_name) - formats = self.format_control.get_allowed_formats(canonical_name) - search = Search(project_name, canonical_name, formats) - find_links_versions = self._package_versions( - # We trust every directly linked archive in find_links - (Link(url, '-f') for url in self.find_links), - search - ) - - page_versions = [] - for page in self._get_pages(url_locations, project_name): - logger.debug('Analyzing links from page %s', page.url) - with indent_log(): - page_versions.extend( - self._package_versions(page.iter_links(), search) - ) - - file_versions = self._package_versions(file_locations, search) - if file_versions: - file_versions.sort(reverse=True) - logger.debug( - 'Local files found: %s', - ', '.join([ - url_to_path(candidate.location.url) - for candidate in file_versions - ]) - ) - - # This is an intentional priority ordering - return file_versions + find_links_versions + page_versions - - def find_requirement(self, req, upgrade): - # type: (InstallRequirement, bool) -> Optional[Link] - """Try to find a Link matching req - - Expects req, an InstallRequirement and upgrade, a boolean - Returns a Link if found, - Raises DistributionNotFound or BestVersionAlreadyInstalled otherwise - """ - all_candidates = self.find_all_candidates(req.name) - - # Filter out anything which doesn't match our specifier - compatible_versions = set( - req.specifier.filter( - # We turn the version object into a str here because otherwise - # when we're debundled but setuptools isn't, Python will see - # packaging.version.Version and - # pkg_resources._vendor.packaging.version.Version as different - # types. This way we'll use a str as a common data interchange - # format. If we stop using the pkg_resources provided specifier - # and start using our own, we can drop the cast to str(). - [str(c.version) for c in all_candidates], - prereleases=( - self.allow_all_prereleases - if self.allow_all_prereleases else None - ), - ) - ) - applicable_candidates = [ - # Again, converting to str to deal with debundling. - c for c in all_candidates if str(c.version) in compatible_versions - ] - - if applicable_candidates: - best_candidate = max(applicable_candidates, - key=self._candidate_sort_key) - else: - best_candidate = None - - if req.satisfied_by is not None: - installed_version = parse_version(req.satisfied_by.version) - else: - installed_version = None - - if installed_version is None and best_candidate is None: - logger.critical( - 'Could not find a version that satisfies the requirement %s ' - '(from versions: %s)', - req, - ', '.join( - sorted( - {str(c.version) for c in all_candidates}, - key=parse_version, - ) - ) - ) - - raise DistributionNotFound( - 'No matching distribution found for %s' % req - ) - - best_installed = False - if installed_version and ( - best_candidate is None or - best_candidate.version <= installed_version): - best_installed = True - - if not upgrade and installed_version is not None: - if best_installed: - logger.debug( - 'Existing installed version (%s) is most up-to-date and ' - 'satisfies requirement', - installed_version, - ) - else: - logger.debug( - 'Existing installed version (%s) satisfies requirement ' - '(most up-to-date version is %s)', - installed_version, - best_candidate.version, - ) - return None - - if best_installed: - # We have an existing version, and its the best version - logger.debug( - 'Installed version (%s) is most up-to-date (past versions: ' - '%s)', - installed_version, - ', '.join(sorted(compatible_versions, key=parse_version)) or - "none", - ) - raise BestVersionAlreadyInstalled - - logger.debug( - 'Using version %s (newest of versions: %s)', - best_candidate.version, - ', '.join(sorted(compatible_versions, key=parse_version)) - ) - return best_candidate.location - - def _get_pages(self, locations, project_name): - # type: (Iterable[Link], str) -> Iterable[HTMLPage] - """ - Yields (page, page_url) from the given locations, skipping - locations that have errors. - """ - seen = set() # type: Set[Link] - for location in locations: - if location in seen: - continue - seen.add(location) - - page = _get_html_page(location, session=self.session) - if page is None: - continue - - yield page - - _py_version_re = re.compile(r'-py([123]\.?[0-9]?)$') - - def _sort_links(self, links): - # type: (Iterable[Link]) -> List[Link] - """ - Returns elements of links in order, non-egg links first, egg links - second, while eliminating duplicates - """ - eggs, no_eggs = [], [] - seen = set() # type: Set[Link] - for link in links: - if link not in seen: - seen.add(link) - if link.egg_fragment: - eggs.append(link) - else: - no_eggs.append(link) - return no_eggs + eggs - - def _package_versions( - self, - links, # type: Iterable[Link] - search # type: Search - ): - # type: (...) -> List[Optional[InstallationCandidate]] - result = [] - for link in self._sort_links(links): - v = self._link_package_versions(link, search) - if v is not None: - result.append(v) - return result - - def _log_skipped_link(self, link, reason): - # type: (Link, str) -> None - if link not in self.logged_links: - logger.debug('Skipping link %s; %s', link, reason) - self.logged_links.add(link) - - def _link_package_versions(self, link, search): - # type: (Link, Search) -> Optional[InstallationCandidate] - """Return an InstallationCandidate or None""" - version = None - if link.egg_fragment: - egg_info = link.egg_fragment - ext = link.ext - else: - egg_info, ext = link.splitext() - if not ext: - self._log_skipped_link(link, 'not a file') - return None - if ext not in SUPPORTED_EXTENSIONS: - self._log_skipped_link( - link, 'unsupported archive format: %s' % ext, - ) - return None - if "binary" not in search.formats and ext == WHEEL_EXTENSION: - self._log_skipped_link( - link, 'No binaries permitted for %s' % search.supplied, - ) - return None - if "macosx10" in link.path and ext == '.zip': - self._log_skipped_link(link, 'macosx10 one') - return None - if ext == WHEEL_EXTENSION: - try: - wheel = Wheel(link.filename) - except InvalidWheelFilename: - self._log_skipped_link(link, 'invalid wheel filename') - return None - if canonicalize_name(wheel.name) != search.canonical: - self._log_skipped_link( - link, 'wrong project name (not %s)' % search.supplied) - return None - - if not wheel.supported(self.valid_tags): - self._log_skipped_link( - link, 'it is not compatible with this Python') - return None - - version = wheel.version - - # This should be up by the search.ok_binary check, but see issue 2700. - if "source" not in search.formats and ext != WHEEL_EXTENSION: - self._log_skipped_link( - link, 'No sources permitted for %s' % search.supplied, - ) - return None - - if not version: - version = _egg_info_matches(egg_info, search.canonical) - if not version: - self._log_skipped_link( - link, 'Missing project version for %s' % search.supplied) - return None - - match = self._py_version_re.search(version) - if match: - version = version[:match.start()] - py_version = match.group(1) - if py_version != sys.version[:3]: - self._log_skipped_link( - link, 'Python version is incorrect') - return None - try: - support_this_python = check_requires_python(link.requires_python) - except specifiers.InvalidSpecifier: - logger.debug("Package %s has an invalid Requires-Python entry: %s", - link.filename, link.requires_python) - support_this_python = True - - if not support_this_python: - logger.debug("The package %s is incompatible with the python " - "version in use. Acceptable python versions are: %s", - link, link.requires_python) - return None - logger.debug('Found link %s, version: %s', link, version) - - return InstallationCandidate(search.supplied, version, link) - - -def _find_name_version_sep(egg_info, canonical_name): - # type: (str, str) -> int - """Find the separator's index based on the package's canonical name. - - `egg_info` must be an egg info string for the given package, and - `canonical_name` must be the package's canonical name. - - This function is needed since the canonicalized name does not necessarily - have the same length as the egg info's name part. An example:: - - >>> egg_info = 'foo__bar-1.0' - >>> canonical_name = 'foo-bar' - >>> _find_name_version_sep(egg_info, canonical_name) - 8 - """ - # Project name and version must be separated by one single dash. Find all - # occurrences of dashes; if the string in front of it matches the canonical - # name, this is the one separating the name and version parts. - for i, c in enumerate(egg_info): - if c != "-": - continue - if canonicalize_name(egg_info[:i]) == canonical_name: - return i - raise ValueError("{} does not match {}".format(egg_info, canonical_name)) - - -def _egg_info_matches(egg_info, canonical_name): - # type: (str, str) -> Optional[str] - """Pull the version part out of a string. - - :param egg_info: The string to parse. E.g. foo-2.1 - :param canonical_name: The canonicalized name of the package this - belongs to. - """ - try: - version_start = _find_name_version_sep(egg_info, canonical_name) + 1 - except ValueError: - return None - version = egg_info[version_start:] - if not version: - return None - return version - - -def _determine_base_url(document, page_url): - """Determine the HTML document's base URL. - - This looks for a ``<base>`` tag in the HTML document. If present, its href - attribute denotes the base URL of anchor tags in the document. If there is - no such tag (or if it does not have a valid href attribute), the HTML - file's URL is used as the base URL. - - :param document: An HTML document representation. The current - implementation expects the result of ``html5lib.parse()``. - :param page_url: The URL of the HTML document. - """ - for base in document.findall(".//base"): - href = base.get("href") - if href is not None: - return href - return page_url - - -def _get_encoding_from_headers(headers): - """Determine if we have any encoding information in our headers. - """ - if headers and "Content-Type" in headers: - content_type, params = cgi.parse_header(headers["Content-Type"]) - if "charset" in params: - return params['charset'] - return None - - -_CLEAN_LINK_RE = re.compile(r'[^a-z0-9$&+,/:;=?@.#%_\\|-]', re.I) - - -def _clean_link(url): - # type: (str) -> str - """Makes sure a link is fully encoded. That is, if a ' ' shows up in - the link, it will be rewritten to %20 (while not over-quoting - % or other characters).""" - return _CLEAN_LINK_RE.sub(lambda match: '%%%2x' % ord(match.group(0)), url) - - -class HTMLPage(object): - """Represents one page, along with its URL""" - - def __init__(self, content, url, headers=None): - # type: (bytes, str, MutableMapping[str, str]) -> None - self.content = content - self.url = url - self.headers = headers - - def __str__(self): - return redact_password_from_url(self.url) - - def iter_links(self): - # type: () -> Iterable[Link] - """Yields all links in the page""" - document = html5lib.parse( - self.content, - transport_encoding=_get_encoding_from_headers(self.headers), - namespaceHTMLElements=False, - ) - base_url = _determine_base_url(document, self.url) - for anchor in document.findall(".//a"): - if anchor.get("href"): - href = anchor.get("href") - url = _clean_link(urllib_parse.urljoin(base_url, href)) - pyrequire = anchor.get('data-requires-python') - pyrequire = unescape(pyrequire) if pyrequire else None - yield Link(url, self.url, requires_python=pyrequire) - - -Search = namedtuple('Search', 'supplied canonical formats') -"""Capture key aspects of a search. - -:attribute supplied: The user supplied package. -:attribute canonical: The canonical package name. -:attribute formats: The formats allowed for this package. Should be a set - with 'binary' or 'source' or both in it. -""" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/locations.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/locations.py deleted file mode 100644 index c6e2a3e..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/locations.py +++ /dev/null @@ -1,211 +0,0 @@ -"""Locations where we look for configs, install stuff, etc""" -from __future__ import absolute_import - -import os -import os.path -import platform -import site -import sys -import sysconfig -from distutils import sysconfig as distutils_sysconfig -from distutils.command.install import SCHEME_KEYS # type: ignore - -from pip._internal.utils import appdirs -from pip._internal.utils.compat import WINDOWS, expanduser -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import Any, Union, Dict, List, Optional # noqa: F401 - - -# Application Directories -USER_CACHE_DIR = appdirs.user_cache_dir("pip") - - -DELETE_MARKER_MESSAGE = '''\ -This file is placed here by pip to indicate the source was put -here by pip. - -Once this package is successfully installed this source code will be -deleted (unless you remove this file). -''' -PIP_DELETE_MARKER_FILENAME = 'pip-delete-this-directory.txt' - - -def write_delete_marker_file(directory): - # type: (str) -> None - """ - Write the pip delete marker file into this directory. - """ - filepath = os.path.join(directory, PIP_DELETE_MARKER_FILENAME) - with open(filepath, 'w') as marker_fp: - marker_fp.write(DELETE_MARKER_MESSAGE) - - -def running_under_virtualenv(): - # type: () -> bool - """ - Return True if we're running inside a virtualenv, False otherwise. - - """ - if hasattr(sys, 'real_prefix'): - return True - elif sys.prefix != getattr(sys, "base_prefix", sys.prefix): - return True - - return False - - -def virtualenv_no_global(): - # type: () -> bool - """ - Return True if in a venv and no system site packages. - """ - # this mirrors the logic in virtualenv.py for locating the - # no-global-site-packages.txt file - site_mod_dir = os.path.dirname(os.path.abspath(site.__file__)) - no_global_file = os.path.join(site_mod_dir, 'no-global-site-packages.txt') - if running_under_virtualenv() and os.path.isfile(no_global_file): - return True - else: - return False - - -if running_under_virtualenv(): - src_prefix = os.path.join(sys.prefix, 'src') -else: - # FIXME: keep src in cwd for now (it is not a temporary folder) - try: - src_prefix = os.path.join(os.getcwd(), 'src') - except OSError: - # In case the current working directory has been renamed or deleted - sys.exit( - "The folder you are executing pip from can no longer be found." - ) - -# under macOS + virtualenv sys.prefix is not properly resolved -# it is something like /path/to/python/bin/.. -# Note: using realpath due to tmp dirs on OSX being symlinks -src_prefix = os.path.abspath(src_prefix) - -# FIXME doesn't account for venv linked to global site-packages - -site_packages = sysconfig.get_path("purelib") # type: Optional[str] - -# This is because of a bug in PyPy's sysconfig module, see -# https://bitbucket.org/pypy/pypy/issues/2506/sysconfig-returns-incorrect-paths -# for more information. -if platform.python_implementation().lower() == "pypy": - site_packages = distutils_sysconfig.get_python_lib() -try: - # Use getusersitepackages if this is present, as it ensures that the - # value is initialised properly. - user_site = site.getusersitepackages() -except AttributeError: - user_site = site.USER_SITE -user_dir = expanduser('~') -if WINDOWS: - bin_py = os.path.join(sys.prefix, 'Scripts') - bin_user = os.path.join(user_site, 'Scripts') - # buildout uses 'bin' on Windows too? - if not os.path.exists(bin_py): - bin_py = os.path.join(sys.prefix, 'bin') - bin_user = os.path.join(user_site, 'bin') - - config_basename = 'pip.ini' - - legacy_storage_dir = os.path.join(user_dir, 'pip') - legacy_config_file = os.path.join( - legacy_storage_dir, - config_basename, - ) -else: - bin_py = os.path.join(sys.prefix, 'bin') - bin_user = os.path.join(user_site, 'bin') - - config_basename = 'pip.conf' - - legacy_storage_dir = os.path.join(user_dir, '.pip') - legacy_config_file = os.path.join( - legacy_storage_dir, - config_basename, - ) - # Forcing to use /usr/local/bin for standard macOS framework installs - # Also log to ~/Library/Logs/ for use with the Console.app log viewer - if sys.platform[:6] == 'darwin' and sys.prefix[:16] == '/System/Library/': - bin_py = '/usr/local/bin' - -site_config_files = [ - os.path.join(path, config_basename) - for path in appdirs.site_config_dirs('pip') -] - -venv_config_file = os.path.join(sys.prefix, config_basename) -new_config_file = os.path.join(appdirs.user_config_dir("pip"), config_basename) - - -def distutils_scheme(dist_name, user=False, home=None, root=None, - isolated=False, prefix=None): - # type:(str, bool, str, str, bool, str) -> dict - """ - Return a distutils install scheme - """ - from distutils.dist import Distribution - - scheme = {} - - if isolated: - extra_dist_args = {"script_args": ["--no-user-cfg"]} - else: - extra_dist_args = {} - dist_args = {'name': dist_name} # type: Dict[str, Union[str, List[str]]] - dist_args.update(extra_dist_args) - - d = Distribution(dist_args) - # Ignoring, typeshed issue reported python/typeshed/issues/2567 - d.parse_config_files() - # NOTE: Ignoring type since mypy can't find attributes on 'Command' - i = d.get_command_obj('install', create=True) # type: Any - assert i is not None - # NOTE: setting user or home has the side-effect of creating the home dir - # or user base for installations during finalize_options() - # ideally, we'd prefer a scheme class that has no side-effects. - assert not (user and prefix), "user={} prefix={}".format(user, prefix) - i.user = user or i.user - if user: - i.prefix = "" - i.prefix = prefix or i.prefix - i.home = home or i.home - i.root = root or i.root - i.finalize_options() - for key in SCHEME_KEYS: - scheme[key] = getattr(i, 'install_' + key) - - # install_lib specified in setup.cfg should install *everything* - # into there (i.e. it takes precedence over both purelib and - # platlib). Note, i.install_lib is *always* set after - # finalize_options(); we only want to override here if the user - # has explicitly requested it hence going back to the config - - # Ignoring, typeshed issue reported python/typeshed/issues/2567 - if 'install_lib' in d.get_option_dict('install'): # type: ignore - scheme.update(dict(purelib=i.install_lib, platlib=i.install_lib)) - - if running_under_virtualenv(): - scheme['headers'] = os.path.join( - sys.prefix, - 'include', - 'site', - 'python' + sys.version[:3], - dist_name, - ) - - if root is not None: - path_no_drive = os.path.splitdrive( - os.path.abspath(scheme["headers"]))[1] - scheme["headers"] = os.path.join( - root, - path_no_drive[1:], - ) - - return scheme diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/candidate.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/candidate.py deleted file mode 100644 index 4475458..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/candidate.py +++ /dev/null @@ -1,31 +0,0 @@ -from pip._vendor.packaging.version import parse as parse_version - -from pip._internal.utils.models import KeyBasedCompareMixin -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from pip._vendor.packaging.version import _BaseVersion # noqa: F401 - from pip._internal.models.link import Link # noqa: F401 - from typing import Any, Union # noqa: F401 - - -class InstallationCandidate(KeyBasedCompareMixin): - """Represents a potential "candidate" for installation. - """ - - def __init__(self, project, version, location): - # type: (Any, str, Link) -> None - self.project = project - self.version = parse_version(version) # type: _BaseVersion - self.location = location - - super(InstallationCandidate, self).__init__( - key=(self.project, self.version, self.location), - defining_class=InstallationCandidate - ) - - def __repr__(self): - # type: () -> str - return "<InstallationCandidate({!r}, {!r}, {!r})>".format( - self.project, self.version, self.location, - ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/format_control.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/format_control.py deleted file mode 100644 index 971a391..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/format_control.py +++ /dev/null @@ -1,73 +0,0 @@ -from pip._vendor.packaging.utils import canonicalize_name - -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import Optional, Set, FrozenSet # noqa: F401 - - -class FormatControl(object): - """Helper for managing formats from which a package can be installed. - """ - - def __init__(self, no_binary=None, only_binary=None): - # type: (Optional[Set], Optional[Set]) -> None - if no_binary is None: - no_binary = set() - if only_binary is None: - only_binary = set() - - self.no_binary = no_binary - self.only_binary = only_binary - - def __eq__(self, other): - return self.__dict__ == other.__dict__ - - def __ne__(self, other): - return not self.__eq__(other) - - def __repr__(self): - return "{}({}, {})".format( - self.__class__.__name__, - self.no_binary, - self.only_binary - ) - - @staticmethod - def handle_mutual_excludes(value, target, other): - # type: (str, Optional[Set], Optional[Set]) -> None - new = value.split(',') - while ':all:' in new: - other.clear() - target.clear() - target.add(':all:') - del new[:new.index(':all:') + 1] - # Without a none, we want to discard everything as :all: covers it - if ':none:' not in new: - return - for name in new: - if name == ':none:': - target.clear() - continue - name = canonicalize_name(name) - other.discard(name) - target.add(name) - - def get_allowed_formats(self, canonical_name): - # type: (str) -> FrozenSet - result = {"binary", "source"} - if canonical_name in self.only_binary: - result.discard('source') - elif canonical_name in self.no_binary: - result.discard('binary') - elif ':all:' in self.only_binary: - result.discard('source') - elif ':all:' in self.no_binary: - result.discard('binary') - return frozenset(result) - - def disallow_binaries(self): - # type: () -> None - self.handle_mutual_excludes( - ':all:', self.no_binary, self.only_binary, - ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/index.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/index.py deleted file mode 100644 index ead1efb..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/index.py +++ /dev/null @@ -1,31 +0,0 @@ -from pip._vendor.six.moves.urllib import parse as urllib_parse - - -class PackageIndex(object): - """Represents a Package Index and provides easier access to endpoints - """ - - def __init__(self, url, file_storage_domain): - # type: (str, str) -> None - super(PackageIndex, self).__init__() - self.url = url - self.netloc = urllib_parse.urlsplit(url).netloc - self.simple_url = self._url_for_path('simple') - self.pypi_url = self._url_for_path('pypi') - - # This is part of a temporary hack used to block installs of PyPI - # packages which depend on external urls only necessary until PyPI can - # block such packages themselves - self.file_storage_domain = file_storage_domain - - def _url_for_path(self, path): - # type: (str) -> str - return urllib_parse.urljoin(self.url, path) - - -PyPI = PackageIndex( - 'https://pypi.org/', file_storage_domain='files.pythonhosted.org' -) -TestPyPI = PackageIndex( - 'https://test.pypi.org/', file_storage_domain='test-files.pythonhosted.org' -) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/link.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/link.py deleted file mode 100644 index ad2f93e..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/link.py +++ /dev/null @@ -1,163 +0,0 @@ -import posixpath -import re - -from pip._vendor.six.moves.urllib import parse as urllib_parse - -from pip._internal.download import path_to_url -from pip._internal.utils.misc import ( - WHEEL_EXTENSION, redact_password_from_url, splitext, -) -from pip._internal.utils.models import KeyBasedCompareMixin -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import Optional, Tuple, Union, Text # noqa: F401 - from pip._internal.index import HTMLPage # noqa: F401 - - -class Link(KeyBasedCompareMixin): - """Represents a parsed link from a Package Index's simple URL - """ - - def __init__(self, url, comes_from=None, requires_python=None): - # type: (str, Optional[Union[str, HTMLPage]], Optional[str]) -> None - """ - url: - url of the resource pointed to (href of the link) - comes_from: - instance of HTMLPage where the link was found, or string. - requires_python: - String containing the `Requires-Python` metadata field, specified - in PEP 345. This may be specified by a data-requires-python - attribute in the HTML link tag, as described in PEP 503. - """ - - # url can be a UNC windows share - if url.startswith('\\\\'): - url = path_to_url(url) - - self.url = url - self.comes_from = comes_from - self.requires_python = requires_python if requires_python else None - - super(Link, self).__init__( - key=(self.url), - defining_class=Link - ) - - def __str__(self): - if self.requires_python: - rp = ' (requires-python:%s)' % self.requires_python - else: - rp = '' - if self.comes_from: - return '%s (from %s)%s' % (redact_password_from_url(self.url), - self.comes_from, rp) - else: - return redact_password_from_url(str(self.url)) - - def __repr__(self): - return '<Link %s>' % self - - @property - def filename(self): - # type: () -> str - _, netloc, path, _, _ = urllib_parse.urlsplit(self.url) - name = posixpath.basename(path.rstrip('/')) or netloc - name = urllib_parse.unquote(name) - assert name, ('URL %r produced no filename' % self.url) - return name - - @property - def scheme(self): - # type: () -> str - return urllib_parse.urlsplit(self.url)[0] - - @property - def netloc(self): - # type: () -> str - return urllib_parse.urlsplit(self.url)[1] - - @property - def path(self): - # type: () -> str - return urllib_parse.unquote(urllib_parse.urlsplit(self.url)[2]) - - def splitext(self): - # type: () -> Tuple[str, str] - return splitext(posixpath.basename(self.path.rstrip('/'))) - - @property - def ext(self): - # type: () -> str - return self.splitext()[1] - - @property - def url_without_fragment(self): - # type: () -> str - scheme, netloc, path, query, fragment = urllib_parse.urlsplit(self.url) - return urllib_parse.urlunsplit((scheme, netloc, path, query, None)) - - _egg_fragment_re = re.compile(r'[#&]egg=([^&]*)') - - @property - def egg_fragment(self): - # type: () -> Optional[str] - match = self._egg_fragment_re.search(self.url) - if not match: - return None - return match.group(1) - - _subdirectory_fragment_re = re.compile(r'[#&]subdirectory=([^&]*)') - - @property - def subdirectory_fragment(self): - # type: () -> Optional[str] - match = self._subdirectory_fragment_re.search(self.url) - if not match: - return None - return match.group(1) - - _hash_re = re.compile( - r'(sha1|sha224|sha384|sha256|sha512|md5)=([a-f0-9]+)' - ) - - @property - def hash(self): - # type: () -> Optional[str] - match = self._hash_re.search(self.url) - if match: - return match.group(2) - return None - - @property - def hash_name(self): - # type: () -> Optional[str] - match = self._hash_re.search(self.url) - if match: - return match.group(1) - return None - - @property - def show_url(self): - # type: () -> Optional[str] - return posixpath.basename(self.url.split('#', 1)[0].split('?', 1)[0]) - - @property - def is_wheel(self): - # type: () -> bool - return self.ext == WHEEL_EXTENSION - - @property - def is_artifact(self): - # type: () -> bool - """ - Determines if this points to an actual artifact (e.g. a tarball) or if - it points to an "abstract" thing like a path or a VCS location. - """ - from pip._internal.vcs import vcs - - if self.scheme in vcs.all_schemes: - return False - - return True diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/check.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/check.py deleted file mode 100644 index 0b56eda..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/check.py +++ /dev/null @@ -1,155 +0,0 @@ -"""Validation of dependencies of packages -""" - -import logging -from collections import namedtuple - -from pip._vendor.packaging.utils import canonicalize_name -from pip._vendor.pkg_resources import RequirementParseError - -from pip._internal.operations.prepare import make_abstract_dist -from pip._internal.utils.misc import get_installed_distributions -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -logger = logging.getLogger(__name__) - -if MYPY_CHECK_RUNNING: - from pip._internal.req.req_install import InstallRequirement # noqa: F401 - from typing import ( # noqa: F401 - Any, Callable, Dict, Optional, Set, Tuple, List - ) - - # Shorthands - PackageSet = Dict[str, 'PackageDetails'] - Missing = Tuple[str, Any] - Conflicting = Tuple[str, str, Any] - - MissingDict = Dict[str, List[Missing]] - ConflictingDict = Dict[str, List[Conflicting]] - CheckResult = Tuple[MissingDict, ConflictingDict] - -PackageDetails = namedtuple('PackageDetails', ['version', 'requires']) - - -def create_package_set_from_installed(**kwargs): - # type: (**Any) -> Tuple[PackageSet, bool] - """Converts a list of distributions into a PackageSet. - """ - # Default to using all packages installed on the system - if kwargs == {}: - kwargs = {"local_only": False, "skip": ()} - - package_set = {} - problems = False - for dist in get_installed_distributions(**kwargs): - name = canonicalize_name(dist.project_name) - try: - package_set[name] = PackageDetails(dist.version, dist.requires()) - except RequirementParseError as e: - # Don't crash on broken metadata - logging.warning("Error parsing requirements for %s: %s", name, e) - problems = True - return package_set, problems - - -def check_package_set(package_set, should_ignore=None): - # type: (PackageSet, Optional[Callable[[str], bool]]) -> CheckResult - """Check if a package set is consistent - - If should_ignore is passed, it should be a callable that takes a - package name and returns a boolean. - """ - if should_ignore is None: - def should_ignore(name): - return False - - missing = dict() - conflicting = dict() - - for package_name in package_set: - # Info about dependencies of package_name - missing_deps = set() # type: Set[Missing] - conflicting_deps = set() # type: Set[Conflicting] - - if should_ignore(package_name): - continue - - for req in package_set[package_name].requires: - name = canonicalize_name(req.project_name) # type: str - - # Check if it's missing - if name not in package_set: - missed = True - if req.marker is not None: - missed = req.marker.evaluate() - if missed: - missing_deps.add((name, req)) - continue - - # Check if there's a conflict - version = package_set[name].version # type: str - if not req.specifier.contains(version, prereleases=True): - conflicting_deps.add((name, version, req)) - - if missing_deps: - missing[package_name] = sorted(missing_deps, key=str) - if conflicting_deps: - conflicting[package_name] = sorted(conflicting_deps, key=str) - - return missing, conflicting - - -def check_install_conflicts(to_install): - # type: (List[InstallRequirement]) -> Tuple[PackageSet, CheckResult] - """For checking if the dependency graph would be consistent after \ - installing given requirements - """ - # Start from the current state - package_set, _ = create_package_set_from_installed() - # Install packages - would_be_installed = _simulate_installation_of(to_install, package_set) - - # Only warn about directly-dependent packages; create a whitelist of them - whitelist = _create_whitelist(would_be_installed, package_set) - - return ( - package_set, - check_package_set( - package_set, should_ignore=lambda name: name not in whitelist - ) - ) - - -def _simulate_installation_of(to_install, package_set): - # type: (List[InstallRequirement], PackageSet) -> Set[str] - """Computes the version of packages after installing to_install. - """ - - # Keep track of packages that were installed - installed = set() - - # Modify it as installing requirement_set would (assuming no errors) - for inst_req in to_install: - dist = make_abstract_dist(inst_req).dist() - name = canonicalize_name(dist.key) - package_set[name] = PackageDetails(dist.version, dist.requires()) - - installed.add(name) - - return installed - - -def _create_whitelist(would_be_installed, package_set): - # type: (Set[str], PackageSet) -> Set[str] - packages_affected = set(would_be_installed) - - for package_name in package_set: - if package_name in packages_affected: - continue - - for req in package_set[package_name].requires: - if canonicalize_name(req.name) in packages_affected: - packages_affected.add(package_name) - break - - return packages_affected diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/freeze.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/freeze.py deleted file mode 100644 index 388bb73..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/freeze.py +++ /dev/null @@ -1,247 +0,0 @@ -from __future__ import absolute_import - -import collections -import logging -import os -import re - -from pip._vendor import six -from pip._vendor.packaging.utils import canonicalize_name -from pip._vendor.pkg_resources import RequirementParseError - -from pip._internal.exceptions import BadCommand, InstallationError -from pip._internal.req.constructors import ( - install_req_from_editable, install_req_from_line, -) -from pip._internal.req.req_file import COMMENT_RE -from pip._internal.utils.misc import ( - dist_is_editable, get_installed_distributions, -) -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import ( # noqa: F401 - Iterator, Optional, List, Container, Set, Dict, Tuple, Iterable, Union - ) - from pip._internal.cache import WheelCache # noqa: F401 - from pip._vendor.pkg_resources import ( # noqa: F401 - Distribution, Requirement - ) - - RequirementInfo = Tuple[Optional[Union[str, Requirement]], bool, List[str]] - - -logger = logging.getLogger(__name__) - - -def freeze( - requirement=None, # type: Optional[List[str]] - find_links=None, # type: Optional[List[str]] - local_only=None, # type: Optional[bool] - user_only=None, # type: Optional[bool] - skip_regex=None, # type: Optional[str] - isolated=False, # type: bool - wheel_cache=None, # type: Optional[WheelCache] - exclude_editable=False, # type: bool - skip=() # type: Container[str] -): - # type: (...) -> Iterator[str] - find_links = find_links or [] - skip_match = None - - if skip_regex: - skip_match = re.compile(skip_regex).search - - for link in find_links: - yield '-f %s' % link - installations = {} # type: Dict[str, FrozenRequirement] - for dist in get_installed_distributions(local_only=local_only, - skip=(), - user_only=user_only): - try: - req = FrozenRequirement.from_dist(dist) - except RequirementParseError: - logger.warning( - "Could not parse requirement: %s", - dist.project_name - ) - continue - if exclude_editable and req.editable: - continue - installations[req.name] = req - - if requirement: - # the options that don't get turned into an InstallRequirement - # should only be emitted once, even if the same option is in multiple - # requirements files, so we need to keep track of what has been emitted - # so that we don't emit it again if it's seen again - emitted_options = set() # type: Set[str] - # keep track of which files a requirement is in so that we can - # give an accurate warning if a requirement appears multiple times. - req_files = collections.defaultdict(list) # type: Dict[str, List[str]] - for req_file_path in requirement: - with open(req_file_path) as req_file: - for line in req_file: - if (not line.strip() or - line.strip().startswith('#') or - (skip_match and skip_match(line)) or - line.startswith(( - '-r', '--requirement', - '-Z', '--always-unzip', - '-f', '--find-links', - '-i', '--index-url', - '--pre', - '--trusted-host', - '--process-dependency-links', - '--extra-index-url'))): - line = line.rstrip() - if line not in emitted_options: - emitted_options.add(line) - yield line - continue - - if line.startswith('-e') or line.startswith('--editable'): - if line.startswith('-e'): - line = line[2:].strip() - else: - line = line[len('--editable'):].strip().lstrip('=') - line_req = install_req_from_editable( - line, - isolated=isolated, - wheel_cache=wheel_cache, - ) - else: - line_req = install_req_from_line( - COMMENT_RE.sub('', line).strip(), - isolated=isolated, - wheel_cache=wheel_cache, - ) - - if not line_req.name: - logger.info( - "Skipping line in requirement file [%s] because " - "it's not clear what it would install: %s", - req_file_path, line.strip(), - ) - logger.info( - " (add #egg=PackageName to the URL to avoid" - " this warning)" - ) - elif line_req.name not in installations: - # either it's not installed, or it is installed - # but has been processed already - if not req_files[line_req.name]: - logger.warning( - "Requirement file [%s] contains %s, but " - "package %r is not installed", - req_file_path, - COMMENT_RE.sub('', line).strip(), line_req.name - ) - else: - req_files[line_req.name].append(req_file_path) - else: - yield str(installations[line_req.name]).rstrip() - del installations[line_req.name] - req_files[line_req.name].append(req_file_path) - - # Warn about requirements that were included multiple times (in a - # single requirements file or in different requirements files). - for name, files in six.iteritems(req_files): - if len(files) > 1: - logger.warning("Requirement %s included multiple times [%s]", - name, ', '.join(sorted(set(files)))) - - yield( - '## The following requirements were added by ' - 'pip freeze:' - ) - for installation in sorted( - installations.values(), key=lambda x: x.name.lower()): - if canonicalize_name(installation.name) not in skip: - yield str(installation).rstrip() - - -def get_requirement_info(dist): - # type: (Distribution) -> RequirementInfo - """ - Compute and return values (req, editable, comments) for use in - FrozenRequirement.from_dist(). - """ - if not dist_is_editable(dist): - return (None, False, []) - - location = os.path.normcase(os.path.abspath(dist.location)) - - from pip._internal.vcs import vcs, RemoteNotFoundError - vc_type = vcs.get_backend_type(location) - - if not vc_type: - req = dist.as_requirement() - logger.debug( - 'No VCS found for editable requirement {!r} in: {!r}', req, - location, - ) - comments = [ - '# Editable install with no version control ({})'.format(req) - ] - return (location, True, comments) - - try: - req = vc_type.get_src_requirement(location, dist.project_name) - except RemoteNotFoundError: - req = dist.as_requirement() - comments = [ - '# Editable {} install with no remote ({})'.format( - vc_type.__name__, req, - ) - ] - return (location, True, comments) - - except BadCommand: - logger.warning( - 'cannot determine version of editable source in %s ' - '(%s command not found in path)', - location, - vc_type.name, - ) - return (None, True, []) - - except InstallationError as exc: - logger.warning( - "Error when trying to get requirement for VCS system %s, " - "falling back to uneditable format", exc - ) - else: - if req is not None: - return (req, True, []) - - logger.warning( - 'Could not determine repository location of %s', location - ) - comments = ['## !! Could not determine repository location'] - - return (None, False, comments) - - -class FrozenRequirement(object): - def __init__(self, name, req, editable, comments=()): - # type: (str, Union[str, Requirement], bool, Iterable[str]) -> None - self.name = name - self.req = req - self.editable = editable - self.comments = comments - - @classmethod - def from_dist(cls, dist): - # type: (Distribution) -> FrozenRequirement - req, editable, comments = get_requirement_info(dist) - if req is None: - req = dist.as_requirement() - - return cls(dist.project_name, req, editable, comments=comments) - - def __str__(self): - req = self.req - if self.editable: - req = '-e %s' % req - return '\n'.join(list(self.comments) + [str(req)]) + '\n' diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/prepare.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/prepare.py deleted file mode 100644 index 4f31dd5..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/prepare.py +++ /dev/null @@ -1,413 +0,0 @@ -"""Prepares a distribution for installation -""" - -import logging -import os - -from pip._vendor import pkg_resources, requests - -from pip._internal.build_env import BuildEnvironment -from pip._internal.download import ( - is_dir_url, is_file_url, is_vcs_url, unpack_url, url_to_path, -) -from pip._internal.exceptions import ( - DirectoryUrlHashUnsupported, HashUnpinned, InstallationError, - PreviousBuildDirError, VcsHashUnsupported, -) -from pip._internal.utils.compat import expanduser -from pip._internal.utils.hashes import MissingHashes -from pip._internal.utils.logging import indent_log -from pip._internal.utils.misc import display_path, normalize_path -from pip._internal.utils.typing import MYPY_CHECK_RUNNING -from pip._internal.vcs import vcs - -if MYPY_CHECK_RUNNING: - from typing import Any, Optional # noqa: F401 - from pip._internal.req.req_install import InstallRequirement # noqa: F401 - from pip._internal.index import PackageFinder # noqa: F401 - from pip._internal.download import PipSession # noqa: F401 - from pip._internal.req.req_tracker import RequirementTracker # noqa: F401 - -logger = logging.getLogger(__name__) - - -def make_abstract_dist(req): - # type: (InstallRequirement) -> DistAbstraction - """Factory to make an abstract dist object. - - Preconditions: Either an editable req with a source_dir, or satisfied_by or - a wheel link, or a non-editable req with a source_dir. - - :return: A concrete DistAbstraction. - """ - if req.editable: - return IsSDist(req) - elif req.link and req.link.is_wheel: - return IsWheel(req) - else: - return IsSDist(req) - - -class DistAbstraction(object): - """Abstracts out the wheel vs non-wheel Resolver.resolve() logic. - - The requirements for anything installable are as follows: - - we must be able to determine the requirement name - (or we can't correctly handle the non-upgrade case). - - we must be able to generate a list of run-time dependencies - without installing any additional packages (or we would - have to either burn time by doing temporary isolated installs - or alternatively violate pips 'don't start installing unless - all requirements are available' rule - neither of which are - desirable). - - for packages with setup requirements, we must also be able - to determine their requirements without installing additional - packages (for the same reason as run-time dependencies) - - we must be able to create a Distribution object exposing the - above metadata. - """ - - def __init__(self, req): - # type: (InstallRequirement) -> None - self.req = req # type: InstallRequirement - - def dist(self): - # type: () -> Any - """Return a setuptools Dist object.""" - raise NotImplementedError - - def prep_for_dist(self, finder, build_isolation): - # type: (PackageFinder, bool) -> Any - """Ensure that we can get a Dist for this requirement.""" - raise NotImplementedError - - -class IsWheel(DistAbstraction): - - def dist(self): - # type: () -> pkg_resources.Distribution - return list(pkg_resources.find_distributions( - self.req.source_dir))[0] - - def prep_for_dist(self, finder, build_isolation): - # type: (PackageFinder, bool) -> Any - # FIXME:https://github.com/pypa/pip/issues/1112 - pass - - -class IsSDist(DistAbstraction): - - def dist(self): - return self.req.get_dist() - - def prep_for_dist(self, finder, build_isolation): - # type: (PackageFinder, bool) -> None - # Prepare for building. We need to: - # 1. Load pyproject.toml (if it exists) - # 2. Set up the build environment - - self.req.load_pyproject_toml() - should_isolate = self.req.use_pep517 and build_isolation - - def _raise_conflicts(conflicting_with, conflicting_reqs): - raise InstallationError( - "Some build dependencies for %s conflict with %s: %s." % ( - self.req, conflicting_with, ', '.join( - '%s is incompatible with %s' % (installed, wanted) - for installed, wanted in sorted(conflicting)))) - - if should_isolate: - # Isolate in a BuildEnvironment and install the build-time - # requirements. - self.req.build_env = BuildEnvironment() - self.req.build_env.install_requirements( - finder, self.req.pyproject_requires, 'overlay', - "Installing build dependencies" - ) - conflicting, missing = self.req.build_env.check_requirements( - self.req.requirements_to_check - ) - if conflicting: - _raise_conflicts("PEP 517/518 supported requirements", - conflicting) - if missing: - logger.warning( - "Missing build requirements in pyproject.toml for %s.", - self.req, - ) - logger.warning( - "The project does not specify a build backend, and " - "pip cannot fall back to setuptools without %s.", - " and ".join(map(repr, sorted(missing))) - ) - # Install any extra build dependencies that the backend requests. - # This must be done in a second pass, as the pyproject.toml - # dependencies must be installed before we can call the backend. - with self.req.build_env: - # We need to have the env active when calling the hook. - self.req.spin_message = "Getting requirements to build wheel" - reqs = self.req.pep517_backend.get_requires_for_build_wheel() - conflicting, missing = self.req.build_env.check_requirements(reqs) - if conflicting: - _raise_conflicts("the backend dependencies", conflicting) - self.req.build_env.install_requirements( - finder, missing, 'normal', - "Installing backend dependencies" - ) - - self.req.prepare_metadata() - self.req.assert_source_matches_version() - - -class Installed(DistAbstraction): - - def dist(self): - # type: () -> pkg_resources.Distribution - return self.req.satisfied_by - - def prep_for_dist(self, finder, build_isolation): - # type: (PackageFinder, bool) -> Any - pass - - -class RequirementPreparer(object): - """Prepares a Requirement - """ - - def __init__( - self, - build_dir, # type: str - download_dir, # type: Optional[str] - src_dir, # type: str - wheel_download_dir, # type: Optional[str] - progress_bar, # type: str - build_isolation, # type: bool - req_tracker # type: RequirementTracker - ): - # type: (...) -> None - super(RequirementPreparer, self).__init__() - - self.src_dir = src_dir - self.build_dir = build_dir - self.req_tracker = req_tracker - - # Where still packed archives should be written to. If None, they are - # not saved, and are deleted immediately after unpacking. - self.download_dir = download_dir - - # Where still-packed .whl files should be written to. If None, they are - # written to the download_dir parameter. Separate to download_dir to - # permit only keeping wheel archives for pip wheel. - if wheel_download_dir: - wheel_download_dir = normalize_path(wheel_download_dir) - self.wheel_download_dir = wheel_download_dir - - # NOTE - # download_dir and wheel_download_dir overlap semantically and may - # be combined if we're willing to have non-wheel archives present in - # the wheelhouse output by 'pip wheel'. - - self.progress_bar = progress_bar - - # Is build isolation allowed? - self.build_isolation = build_isolation - - @property - def _download_should_save(self): - # type: () -> bool - # TODO: Modify to reduce indentation needed - if self.download_dir: - self.download_dir = expanduser(self.download_dir) - if os.path.exists(self.download_dir): - return True - else: - logger.critical('Could not find download directory') - raise InstallationError( - "Could not find or access download directory '%s'" - % display_path(self.download_dir)) - return False - - def prepare_linked_requirement( - self, - req, # type: InstallRequirement - session, # type: PipSession - finder, # type: PackageFinder - upgrade_allowed, # type: bool - require_hashes # type: bool - ): - # type: (...) -> DistAbstraction - """Prepare a requirement that would be obtained from req.link - """ - # TODO: Breakup into smaller functions - if req.link and req.link.scheme == 'file': - path = url_to_path(req.link.url) - logger.info('Processing %s', display_path(path)) - else: - logger.info('Collecting %s', req) - - with indent_log(): - # @@ if filesystem packages are not marked - # editable in a req, a non deterministic error - # occurs when the script attempts to unpack the - # build directory - req.ensure_has_source_dir(self.build_dir) - # If a checkout exists, it's unwise to keep going. version - # inconsistencies are logged later, but do not fail the - # installation. - # FIXME: this won't upgrade when there's an existing - # package unpacked in `req.source_dir` - # package unpacked in `req.source_dir` - if os.path.exists(os.path.join(req.source_dir, 'setup.py')): - raise PreviousBuildDirError( - "pip can't proceed with requirements '%s' due to a" - " pre-existing build directory (%s). This is " - "likely due to a previous installation that failed" - ". pip is being responsible and not assuming it " - "can delete this. Please delete it and try again." - % (req, req.source_dir) - ) - req.populate_link(finder, upgrade_allowed, require_hashes) - - # We can't hit this spot and have populate_link return None. - # req.satisfied_by is None here (because we're - # guarded) and upgrade has no impact except when satisfied_by - # is not None. - # Then inside find_requirement existing_applicable -> False - # If no new versions are found, DistributionNotFound is raised, - # otherwise a result is guaranteed. - assert req.link - link = req.link - - # Now that we have the real link, we can tell what kind of - # requirements we have and raise some more informative errors - # than otherwise. (For example, we can raise VcsHashUnsupported - # for a VCS URL rather than HashMissing.) - if require_hashes: - # We could check these first 2 conditions inside - # unpack_url and save repetition of conditions, but then - # we would report less-useful error messages for - # unhashable requirements, complaining that there's no - # hash provided. - if is_vcs_url(link): - raise VcsHashUnsupported() - elif is_file_url(link) and is_dir_url(link): - raise DirectoryUrlHashUnsupported() - if not req.original_link and not req.is_pinned: - # Unpinned packages are asking for trouble when a new - # version is uploaded. This isn't a security check, but - # it saves users a surprising hash mismatch in the - # future. - # - # file:/// URLs aren't pinnable, so don't complain - # about them not being pinned. - raise HashUnpinned() - - hashes = req.hashes(trust_internet=not require_hashes) - if require_hashes and not hashes: - # Known-good hashes are missing for this requirement, so - # shim it with a facade object that will provoke hash - # computation and then raise a HashMissing exception - # showing the user what the hash should be. - hashes = MissingHashes() - - try: - download_dir = self.download_dir - # We always delete unpacked sdists after pip ran. - autodelete_unpacked = True - if req.link.is_wheel and self.wheel_download_dir: - # when doing 'pip wheel` we download wheels to a - # dedicated dir. - download_dir = self.wheel_download_dir - if req.link.is_wheel: - if download_dir: - # When downloading, we only unpack wheels to get - # metadata. - autodelete_unpacked = True - else: - # When installing a wheel, we use the unpacked - # wheel. - autodelete_unpacked = False - unpack_url( - req.link, req.source_dir, - download_dir, autodelete_unpacked, - session=session, hashes=hashes, - progress_bar=self.progress_bar - ) - except requests.HTTPError as exc: - logger.critical( - 'Could not install requirement %s because of error %s', - req, - exc, - ) - raise InstallationError( - 'Could not install requirement %s because of HTTP ' - 'error %s for URL %s' % - (req, exc, req.link) - ) - abstract_dist = make_abstract_dist(req) - with self.req_tracker.track(req): - abstract_dist.prep_for_dist(finder, self.build_isolation) - if self._download_should_save: - # Make a .zip of the source_dir we already created. - if req.link.scheme in vcs.all_schemes: - req.archive(self.download_dir) - return abstract_dist - - def prepare_editable_requirement( - self, - req, # type: InstallRequirement - require_hashes, # type: bool - use_user_site, # type: bool - finder # type: PackageFinder - ): - # type: (...) -> DistAbstraction - """Prepare an editable requirement - """ - assert req.editable, "cannot prepare a non-editable req as editable" - - logger.info('Obtaining %s', req) - - with indent_log(): - if require_hashes: - raise InstallationError( - 'The editable requirement %s cannot be installed when ' - 'requiring hashes, because there is no single file to ' - 'hash.' % req - ) - req.ensure_has_source_dir(self.src_dir) - req.update_editable(not self._download_should_save) - - abstract_dist = make_abstract_dist(req) - with self.req_tracker.track(req): - abstract_dist.prep_for_dist(finder, self.build_isolation) - - if self._download_should_save: - req.archive(self.download_dir) - req.check_if_exists(use_user_site) - - return abstract_dist - - def prepare_installed_requirement(self, req, require_hashes, skip_reason): - # type: (InstallRequirement, bool, Optional[str]) -> DistAbstraction - """Prepare an already-installed requirement - """ - assert req.satisfied_by, "req should have been satisfied but isn't" - assert skip_reason is not None, ( - "did not get skip reason skipped but req.satisfied_by " - "is set to %r" % (req.satisfied_by,) - ) - logger.info( - 'Requirement %s: %s (%s)', - skip_reason, req, req.satisfied_by.version - ) - with indent_log(): - if require_hashes: - logger.debug( - 'Since it is already installed, we are trusting this ' - 'package without checking its hash. To ensure a ' - 'completely repeatable environment, install into an ' - 'empty virtualenv.' - ) - abstract_dist = Installed(req) - - return abstract_dist diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pep425tags.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pep425tags.py deleted file mode 100644 index 1e782d1..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pep425tags.py +++ /dev/null @@ -1,381 +0,0 @@ -"""Generate and work with PEP 425 Compatibility Tags.""" -from __future__ import absolute_import - -import distutils.util -import logging -import platform -import re -import sys -import sysconfig -import warnings -from collections import OrderedDict - -import pip._internal.utils.glibc -from pip._internal.utils.compat import get_extension_suffixes -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import ( # noqa: F401 - Tuple, Callable, List, Optional, Union, Dict - ) - - Pep425Tag = Tuple[str, str, str] - -logger = logging.getLogger(__name__) - -_osx_arch_pat = re.compile(r'(.+)_(\d+)_(\d+)_(.+)') - - -def get_config_var(var): - # type: (str) -> Optional[str] - try: - return sysconfig.get_config_var(var) - except IOError as e: # Issue #1074 - warnings.warn("{}".format(e), RuntimeWarning) - return None - - -def get_abbr_impl(): - # type: () -> str - """Return abbreviated implementation name.""" - if hasattr(sys, 'pypy_version_info'): - pyimpl = 'pp' - elif sys.platform.startswith('java'): - pyimpl = 'jy' - elif sys.platform == 'cli': - pyimpl = 'ip' - else: - pyimpl = 'cp' - return pyimpl - - -def get_impl_ver(): - # type: () -> str - """Return implementation version.""" - impl_ver = get_config_var("py_version_nodot") - if not impl_ver or get_abbr_impl() == 'pp': - impl_ver = ''.join(map(str, get_impl_version_info())) - return impl_ver - - -def get_impl_version_info(): - # type: () -> Tuple[int, ...] - """Return sys.version_info-like tuple for use in decrementing the minor - version.""" - if get_abbr_impl() == 'pp': - # as per https://github.com/pypa/pip/issues/2882 - # attrs exist only on pypy - return (sys.version_info[0], - sys.pypy_version_info.major, # type: ignore - sys.pypy_version_info.minor) # type: ignore - else: - return sys.version_info[0], sys.version_info[1] - - -def get_impl_tag(): - # type: () -> str - """ - Returns the Tag for this specific implementation. - """ - return "{}{}".format(get_abbr_impl(), get_impl_ver()) - - -def get_flag(var, fallback, expected=True, warn=True): - # type: (str, Callable[..., bool], Union[bool, int], bool) -> bool - """Use a fallback method for determining SOABI flags if the needed config - var is unset or unavailable.""" - val = get_config_var(var) - if val is None: - if warn: - logger.debug("Config variable '%s' is unset, Python ABI tag may " - "be incorrect", var) - return fallback() - return val == expected - - -def get_abi_tag(): - # type: () -> Optional[str] - """Return the ABI tag based on SOABI (if available) or emulate SOABI - (CPython 2, PyPy).""" - soabi = get_config_var('SOABI') - impl = get_abbr_impl() - if not soabi and impl in {'cp', 'pp'} and hasattr(sys, 'maxunicode'): - d = '' - m = '' - u = '' - if get_flag('Py_DEBUG', - lambda: hasattr(sys, 'gettotalrefcount'), - warn=(impl == 'cp')): - d = 'd' - if get_flag('WITH_PYMALLOC', - lambda: impl == 'cp', - warn=(impl == 'cp')): - m = 'm' - if get_flag('Py_UNICODE_SIZE', - lambda: sys.maxunicode == 0x10ffff, - expected=4, - warn=(impl == 'cp' and - sys.version_info < (3, 3))) \ - and sys.version_info < (3, 3): - u = 'u' - abi = '%s%s%s%s%s' % (impl, get_impl_ver(), d, m, u) - elif soabi and soabi.startswith('cpython-'): - abi = 'cp' + soabi.split('-')[1] - elif soabi: - abi = soabi.replace('.', '_').replace('-', '_') - else: - abi = None - return abi - - -def _is_running_32bit(): - # type: () -> bool - return sys.maxsize == 2147483647 - - -def get_platform(): - # type: () -> str - """Return our platform name 'win32', 'linux_x86_64'""" - if sys.platform == 'darwin': - # distutils.util.get_platform() returns the release based on the value - # of MACOSX_DEPLOYMENT_TARGET on which Python was built, which may - # be significantly older than the user's current machine. - release, _, machine = platform.mac_ver() - split_ver = release.split('.') - - if machine == "x86_64" and _is_running_32bit(): - machine = "i386" - elif machine == "ppc64" and _is_running_32bit(): - machine = "ppc" - - return 'macosx_{}_{}_{}'.format(split_ver[0], split_ver[1], machine) - - # XXX remove distutils dependency - result = distutils.util.get_platform().replace('.', '_').replace('-', '_') - if result == "linux_x86_64" and _is_running_32bit(): - # 32 bit Python program (running on a 64 bit Linux): pip should only - # install and run 32 bit compiled extensions in that case. - result = "linux_i686" - - return result - - -def is_manylinux1_compatible(): - # type: () -> bool - # Only Linux, and only x86-64 / i686 - if get_platform() not in {"linux_x86_64", "linux_i686"}: - return False - - # Check for presence of _manylinux module - try: - import _manylinux - return bool(_manylinux.manylinux1_compatible) - except (ImportError, AttributeError): - # Fall through to heuristic check below - pass - - # Check glibc version. CentOS 5 uses glibc 2.5. - return pip._internal.utils.glibc.have_compatible_glibc(2, 5) - - -def is_manylinux2010_compatible(): - # type: () -> bool - # Only Linux, and only x86-64 / i686 - if get_platform() not in {"linux_x86_64", "linux_i686"}: - return False - - # Check for presence of _manylinux module - try: - import _manylinux - return bool(_manylinux.manylinux2010_compatible) - except (ImportError, AttributeError): - # Fall through to heuristic check below - pass - - # Check glibc version. CentOS 6 uses glibc 2.12. - return pip._internal.utils.glibc.have_compatible_glibc(2, 12) - - -def get_darwin_arches(major, minor, machine): - # type: (int, int, str) -> List[str] - """Return a list of supported arches (including group arches) for - the given major, minor and machine architecture of an macOS machine. - """ - arches = [] - - def _supports_arch(major, minor, arch): - # type: (int, int, str) -> bool - # Looking at the application support for macOS versions in the chart - # provided by https://en.wikipedia.org/wiki/OS_X#Versions it appears - # our timeline looks roughly like: - # - # 10.0 - Introduces ppc support. - # 10.4 - Introduces ppc64, i386, and x86_64 support, however the ppc64 - # and x86_64 support is CLI only, and cannot be used for GUI - # applications. - # 10.5 - Extends ppc64 and x86_64 support to cover GUI applications. - # 10.6 - Drops support for ppc64 - # 10.7 - Drops support for ppc - # - # Given that we do not know if we're installing a CLI or a GUI - # application, we must be conservative and assume it might be a GUI - # application and behave as if ppc64 and x86_64 support did not occur - # until 10.5. - # - # Note: The above information is taken from the "Application support" - # column in the chart not the "Processor support" since I believe - # that we care about what instruction sets an application can use - # not which processors the OS supports. - if arch == 'ppc': - return (major, minor) <= (10, 5) - if arch == 'ppc64': - return (major, minor) == (10, 5) - if arch == 'i386': - return (major, minor) >= (10, 4) - if arch == 'x86_64': - return (major, minor) >= (10, 5) - if arch in groups: - for garch in groups[arch]: - if _supports_arch(major, minor, garch): - return True - return False - - groups = OrderedDict([ - ("fat", ("i386", "ppc")), - ("intel", ("x86_64", "i386")), - ("fat64", ("x86_64", "ppc64")), - ("fat32", ("x86_64", "i386", "ppc")), - ]) # type: Dict[str, Tuple[str, ...]] - - if _supports_arch(major, minor, machine): - arches.append(machine) - - for garch in groups: - if machine in groups[garch] and _supports_arch(major, minor, garch): - arches.append(garch) - - arches.append('universal') - - return arches - - -def get_all_minor_versions_as_strings(version_info): - # type: (Tuple[int, ...]) -> List[str] - versions = [] - major = version_info[:-1] - # Support all previous minor Python versions. - for minor in range(version_info[-1], -1, -1): - versions.append(''.join(map(str, major + (minor,)))) - return versions - - -def get_supported( - versions=None, # type: Optional[List[str]] - noarch=False, # type: bool - platform=None, # type: Optional[str] - impl=None, # type: Optional[str] - abi=None # type: Optional[str] -): - # type: (...) -> List[Pep425Tag] - """Return a list of supported tags for each version specified in - `versions`. - - :param versions: a list of string versions, of the form ["33", "32"], - or None. The first version will be assumed to support our ABI. - :param platform: specify the exact platform you want valid - tags for, or None. If None, use the local system platform. - :param impl: specify the exact implementation you want valid - tags for, or None. If None, use the local interpreter impl. - :param abi: specify the exact abi you want valid - tags for, or None. If None, use the local interpreter abi. - """ - supported = [] - - # Versions must be given with respect to the preference - if versions is None: - version_info = get_impl_version_info() - versions = get_all_minor_versions_as_strings(version_info) - - impl = impl or get_abbr_impl() - - abis = [] # type: List[str] - - abi = abi or get_abi_tag() - if abi: - abis[0:0] = [abi] - - abi3s = set() - for suffix in get_extension_suffixes(): - if suffix.startswith('.abi'): - abi3s.add(suffix.split('.', 2)[1]) - - abis.extend(sorted(list(abi3s))) - - abis.append('none') - - if not noarch: - arch = platform or get_platform() - arch_prefix, arch_sep, arch_suffix = arch.partition('_') - if arch.startswith('macosx'): - # support macosx-10.6-intel on macosx-10.9-x86_64 - match = _osx_arch_pat.match(arch) - if match: - name, major, minor, actual_arch = match.groups() - tpl = '{}_{}_%i_%s'.format(name, major) - arches = [] - for m in reversed(range(int(minor) + 1)): - for a in get_darwin_arches(int(major), m, actual_arch): - arches.append(tpl % (m, a)) - else: - # arch pattern didn't match (?!) - arches = [arch] - elif arch_prefix == 'manylinux2010': - # manylinux1 wheels run on most manylinux2010 systems with the - # exception of wheels depending on ncurses. PEP 571 states - # manylinux1 wheels should be considered manylinux2010 wheels: - # https://www.python.org/dev/peps/pep-0571/#backwards-compatibility-with-manylinux1-wheels - arches = [arch, 'manylinux1' + arch_sep + arch_suffix] - elif platform is None: - arches = [] - if is_manylinux2010_compatible(): - arches.append('manylinux2010' + arch_sep + arch_suffix) - if is_manylinux1_compatible(): - arches.append('manylinux1' + arch_sep + arch_suffix) - arches.append(arch) - else: - arches = [arch] - - # Current version, current API (built specifically for our Python): - for abi in abis: - for arch in arches: - supported.append(('%s%s' % (impl, versions[0]), abi, arch)) - - # abi3 modules compatible with older version of Python - for version in versions[1:]: - # abi3 was introduced in Python 3.2 - if version in {'31', '30'}: - break - for abi in abi3s: # empty set if not Python 3 - for arch in arches: - supported.append(("%s%s" % (impl, version), abi, arch)) - - # Has binaries, does not use the Python API: - for arch in arches: - supported.append(('py%s' % (versions[0][0]), 'none', arch)) - - # No abi / arch, but requires our implementation: - supported.append(('%s%s' % (impl, versions[0]), 'none', 'any')) - # Tagged specifically as being cross-version compatible - # (with just the major version specified) - supported.append(('%s%s' % (impl, versions[0][0]), 'none', 'any')) - - # No abi / arch, generic Python - for i, version in enumerate(versions): - supported.append(('py%s' % (version,), 'none', 'any')) - if i == 0: - supported.append(('py%s' % (version[0]), 'none', 'any')) - - return supported - - -implementation_tag = get_impl_tag() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/__init__.py deleted file mode 100644 index 5e4eb92..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/__init__.py +++ /dev/null @@ -1,77 +0,0 @@ -from __future__ import absolute_import - -import logging - -from .req_install import InstallRequirement -from .req_set import RequirementSet -from .req_file import parse_requirements -from pip._internal.utils.logging import indent_log -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import List, Sequence # noqa: F401 - -__all__ = [ - "RequirementSet", "InstallRequirement", - "parse_requirements", "install_given_reqs", -] - -logger = logging.getLogger(__name__) - - -def install_given_reqs( - to_install, # type: List[InstallRequirement] - install_options, # type: List[str] - global_options=(), # type: Sequence[str] - *args, **kwargs -): - # type: (...) -> List[InstallRequirement] - """ - Install everything in the given list. - - (to be called after having downloaded and unpacked the packages) - """ - - if to_install: - logger.info( - 'Installing collected packages: %s', - ', '.join([req.name for req in to_install]), - ) - - with indent_log(): - for requirement in to_install: - if requirement.conflicts_with: - logger.info( - 'Found existing installation: %s', - requirement.conflicts_with, - ) - with indent_log(): - uninstalled_pathset = requirement.uninstall( - auto_confirm=True - ) - try: - requirement.install( - install_options, - global_options, - *args, - **kwargs - ) - except Exception: - should_rollback = ( - requirement.conflicts_with and - not requirement.install_succeeded - ) - # if install did not succeed, rollback previous uninstall - if should_rollback: - uninstalled_pathset.rollback() - raise - else: - should_commit = ( - requirement.conflicts_with and - requirement.install_succeeded - ) - if should_commit: - uninstalled_pathset.commit() - requirement.remove_temporary_source() - - return to_install diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/constructors.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/constructors.py deleted file mode 100644 index 1eed1dd..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/constructors.py +++ /dev/null @@ -1,339 +0,0 @@ -"""Backing implementation for InstallRequirement's various constructors - -The idea here is that these formed a major chunk of InstallRequirement's size -so, moving them and support code dedicated to them outside of that class -helps creates for better understandability for the rest of the code. - -These are meant to be used elsewhere within pip to create instances of -InstallRequirement. -""" - -import logging -import os -import re - -from pip._vendor.packaging.markers import Marker -from pip._vendor.packaging.requirements import InvalidRequirement, Requirement -from pip._vendor.packaging.specifiers import Specifier -from pip._vendor.pkg_resources import RequirementParseError, parse_requirements - -from pip._internal.download import ( - is_archive_file, is_url, path_to_url, url_to_path, -) -from pip._internal.exceptions import InstallationError -from pip._internal.models.index import PyPI, TestPyPI -from pip._internal.models.link import Link -from pip._internal.pyproject import make_pyproject_path -from pip._internal.req.req_install import InstallRequirement -from pip._internal.utils.misc import is_installable_dir -from pip._internal.utils.typing import MYPY_CHECK_RUNNING -from pip._internal.vcs import vcs -from pip._internal.wheel import Wheel - -if MYPY_CHECK_RUNNING: - from typing import ( # noqa: F401 - Optional, Tuple, Set, Any, Union, Text, Dict, - ) - from pip._internal.cache import WheelCache # noqa: F401 - - -__all__ = [ - "install_req_from_editable", "install_req_from_line", - "parse_editable" -] - -logger = logging.getLogger(__name__) -operators = Specifier._operators.keys() - - -def _strip_extras(path): - # type: (str) -> Tuple[str, Optional[str]] - m = re.match(r'^(.+)(\[[^\]]+\])$', path) - extras = None - if m: - path_no_extras = m.group(1) - extras = m.group(2) - else: - path_no_extras = path - - return path_no_extras, extras - - -def parse_editable(editable_req): - # type: (str) -> Tuple[Optional[str], str, Optional[Set[str]]] - """Parses an editable requirement into: - - a requirement name - - an URL - - extras - - editable options - Accepted requirements: - svn+http://blahblah@rev#egg=Foobar[baz]&subdirectory=version_subdir - .[some_extra] - """ - - url = editable_req - - # If a file path is specified with extras, strip off the extras. - url_no_extras, extras = _strip_extras(url) - - if os.path.isdir(url_no_extras): - if not os.path.exists(os.path.join(url_no_extras, 'setup.py')): - msg = ( - 'File "setup.py" not found. Directory cannot be installed ' - 'in editable mode: {}'.format(os.path.abspath(url_no_extras)) - ) - pyproject_path = make_pyproject_path(url_no_extras) - if os.path.isfile(pyproject_path): - msg += ( - '\n(A "pyproject.toml" file was found, but editable ' - 'mode currently requires a setup.py based build.)' - ) - raise InstallationError(msg) - - # Treating it as code that has already been checked out - url_no_extras = path_to_url(url_no_extras) - - if url_no_extras.lower().startswith('file:'): - package_name = Link(url_no_extras).egg_fragment - if extras: - return ( - package_name, - url_no_extras, - Requirement("placeholder" + extras.lower()).extras, - ) - else: - return package_name, url_no_extras, None - - for version_control in vcs: - if url.lower().startswith('%s:' % version_control): - url = '%s+%s' % (version_control, url) - break - - if '+' not in url: - raise InstallationError( - '%s should either be a path to a local project or a VCS url ' - 'beginning with svn+, git+, hg+, or bzr+' % - editable_req - ) - - vc_type = url.split('+', 1)[0].lower() - - if not vcs.get_backend(vc_type): - error_message = 'For --editable=%s only ' % editable_req + \ - ', '.join([backend.name + '+URL' for backend in vcs.backends]) + \ - ' is currently supported' - raise InstallationError(error_message) - - package_name = Link(url).egg_fragment - if not package_name: - raise InstallationError( - "Could not detect requirement name for '%s', please specify one " - "with #egg=your_package_name" % editable_req - ) - return package_name, url, None - - -def deduce_helpful_msg(req): - # type: (str) -> str - """Returns helpful msg in case requirements file does not exist, - or cannot be parsed. - - :params req: Requirements file path - """ - msg = "" - if os.path.exists(req): - msg = " It does exist." - # Try to parse and check if it is a requirements file. - try: - with open(req, 'r') as fp: - # parse first line only - next(parse_requirements(fp.read())) - msg += " The argument you provided " + \ - "(%s) appears to be a" % (req) + \ - " requirements file. If that is the" + \ - " case, use the '-r' flag to install" + \ - " the packages specified within it." - except RequirementParseError: - logger.debug("Cannot parse '%s' as requirements \ - file" % (req), exc_info=True) - else: - msg += " File '%s' does not exist." % (req) - return msg - - -# ---- The actual constructors follow ---- - - -def install_req_from_editable( - editable_req, # type: str - comes_from=None, # type: Optional[str] - use_pep517=None, # type: Optional[bool] - isolated=False, # type: bool - options=None, # type: Optional[Dict[str, Any]] - wheel_cache=None, # type: Optional[WheelCache] - constraint=False # type: bool -): - # type: (...) -> InstallRequirement - name, url, extras_override = parse_editable(editable_req) - if url.startswith('file:'): - source_dir = url_to_path(url) - else: - source_dir = None - - if name is not None: - try: - req = Requirement(name) - except InvalidRequirement: - raise InstallationError("Invalid requirement: '%s'" % name) - else: - req = None - return InstallRequirement( - req, comes_from, source_dir=source_dir, - editable=True, - link=Link(url), - constraint=constraint, - use_pep517=use_pep517, - isolated=isolated, - options=options if options else {}, - wheel_cache=wheel_cache, - extras=extras_override or (), - ) - - -def install_req_from_line( - name, # type: str - comes_from=None, # type: Optional[Union[str, InstallRequirement]] - use_pep517=None, # type: Optional[bool] - isolated=False, # type: bool - options=None, # type: Optional[Dict[str, Any]] - wheel_cache=None, # type: Optional[WheelCache] - constraint=False # type: bool -): - # type: (...) -> InstallRequirement - """Creates an InstallRequirement from a name, which might be a - requirement, directory containing 'setup.py', filename, or URL. - """ - if is_url(name): - marker_sep = '; ' - else: - marker_sep = ';' - if marker_sep in name: - name, markers_as_string = name.split(marker_sep, 1) - markers_as_string = markers_as_string.strip() - if not markers_as_string: - markers = None - else: - markers = Marker(markers_as_string) - else: - markers = None - name = name.strip() - req_as_string = None - path = os.path.normpath(os.path.abspath(name)) - link = None - extras_as_string = None - - if is_url(name): - link = Link(name) - else: - p, extras_as_string = _strip_extras(path) - looks_like_dir = os.path.isdir(p) and ( - os.path.sep in name or - (os.path.altsep is not None and os.path.altsep in name) or - name.startswith('.') - ) - if looks_like_dir: - if not is_installable_dir(p): - raise InstallationError( - "Directory %r is not installable. Neither 'setup.py' " - "nor 'pyproject.toml' found." % name - ) - link = Link(path_to_url(p)) - elif is_archive_file(p): - if not os.path.isfile(p): - logger.warning( - 'Requirement %r looks like a filename, but the ' - 'file does not exist', - name - ) - link = Link(path_to_url(p)) - - # it's a local file, dir, or url - if link: - # Handle relative file URLs - if link.scheme == 'file' and re.search(r'\.\./', link.url): - link = Link( - path_to_url(os.path.normpath(os.path.abspath(link.path)))) - # wheel file - if link.is_wheel: - wheel = Wheel(link.filename) # can raise InvalidWheelFilename - req_as_string = "%s==%s" % (wheel.name, wheel.version) - else: - # set the req to the egg fragment. when it's not there, this - # will become an 'unnamed' requirement - req_as_string = link.egg_fragment - - # a requirement specifier - else: - req_as_string = name - - if extras_as_string: - extras = Requirement("placeholder" + extras_as_string.lower()).extras - else: - extras = () - if req_as_string is not None: - try: - req = Requirement(req_as_string) - except InvalidRequirement: - if os.path.sep in req_as_string: - add_msg = "It looks like a path." - add_msg += deduce_helpful_msg(req_as_string) - elif ('=' in req_as_string and - not any(op in req_as_string for op in operators)): - add_msg = "= is not a valid operator. Did you mean == ?" - else: - add_msg = "" - raise InstallationError( - "Invalid requirement: '%s'\n%s" % (req_as_string, add_msg) - ) - else: - req = None - - return InstallRequirement( - req, comes_from, link=link, markers=markers, - use_pep517=use_pep517, isolated=isolated, - options=options if options else {}, - wheel_cache=wheel_cache, - constraint=constraint, - extras=extras, - ) - - -def install_req_from_req_string( - req_string, # type: str - comes_from=None, # type: Optional[InstallRequirement] - isolated=False, # type: bool - wheel_cache=None, # type: Optional[WheelCache] - use_pep517=None # type: Optional[bool] -): - # type: (...) -> InstallRequirement - try: - req = Requirement(req_string) - except InvalidRequirement: - raise InstallationError("Invalid requirement: '%s'" % req) - - domains_not_allowed = [ - PyPI.file_storage_domain, - TestPyPI.file_storage_domain, - ] - if req.url and comes_from.link.netloc in domains_not_allowed: - # Explicitly disallow pypi packages that depend on external urls - raise InstallationError( - "Packages installed from PyPI cannot depend on packages " - "which are not also hosted on PyPI.\n" - "%s depends on %s " % (comes_from.name, req) - ) - - return InstallRequirement( - req, comes_from, isolated=isolated, wheel_cache=wheel_cache, - use_pep517=use_pep517 - ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_file.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_file.py deleted file mode 100644 index 726f2f6..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_file.py +++ /dev/null @@ -1,382 +0,0 @@ -""" -Requirements file parsing -""" - -from __future__ import absolute_import - -import optparse -import os -import re -import shlex -import sys - -from pip._vendor.six.moves import filterfalse -from pip._vendor.six.moves.urllib import parse as urllib_parse - -from pip._internal.cli import cmdoptions -from pip._internal.download import get_file_content -from pip._internal.exceptions import RequirementsFileParseError -from pip._internal.req.constructors import ( - install_req_from_editable, install_req_from_line, -) -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import ( # noqa: F401 - Iterator, Tuple, Optional, List, Callable, Text - ) - from pip._internal.req import InstallRequirement # noqa: F401 - from pip._internal.cache import WheelCache # noqa: F401 - from pip._internal.index import PackageFinder # noqa: F401 - from pip._internal.download import PipSession # noqa: F401 - - ReqFileLines = Iterator[Tuple[int, Text]] - -__all__ = ['parse_requirements'] - -SCHEME_RE = re.compile(r'^(http|https|file):', re.I) -COMMENT_RE = re.compile(r'(^|\s)+#.*$') - -# Matches environment variable-style values in '${MY_VARIABLE_1}' with the -# variable name consisting of only uppercase letters, digits or the '_' -# (underscore). This follows the POSIX standard defined in IEEE Std 1003.1, -# 2013 Edition. -ENV_VAR_RE = re.compile(r'(?P<var>\$\{(?P<name>[A-Z0-9_]+)\})') - -SUPPORTED_OPTIONS = [ - cmdoptions.constraints, - cmdoptions.editable, - cmdoptions.requirements, - cmdoptions.no_index, - cmdoptions.index_url, - cmdoptions.find_links, - cmdoptions.extra_index_url, - cmdoptions.always_unzip, - cmdoptions.no_binary, - cmdoptions.only_binary, - cmdoptions.pre, - cmdoptions.trusted_host, - cmdoptions.require_hashes, -] # type: List[Callable[..., optparse.Option]] - -# options to be passed to requirements -SUPPORTED_OPTIONS_REQ = [ - cmdoptions.install_options, - cmdoptions.global_options, - cmdoptions.hash, -] # type: List[Callable[..., optparse.Option]] - -# the 'dest' string values -SUPPORTED_OPTIONS_REQ_DEST = [str(o().dest) for o in SUPPORTED_OPTIONS_REQ] - - -def parse_requirements( - filename, # type: str - finder=None, # type: Optional[PackageFinder] - comes_from=None, # type: Optional[str] - options=None, # type: Optional[optparse.Values] - session=None, # type: Optional[PipSession] - constraint=False, # type: bool - wheel_cache=None, # type: Optional[WheelCache] - use_pep517=None # type: Optional[bool] -): - # type: (...) -> Iterator[InstallRequirement] - """Parse a requirements file and yield InstallRequirement instances. - - :param filename: Path or url of requirements file. - :param finder: Instance of pip.index.PackageFinder. - :param comes_from: Origin description of requirements. - :param options: cli options. - :param session: Instance of pip.download.PipSession. - :param constraint: If true, parsing a constraint file rather than - requirements file. - :param wheel_cache: Instance of pip.wheel.WheelCache - :param use_pep517: Value of the --use-pep517 option. - """ - if session is None: - raise TypeError( - "parse_requirements() missing 1 required keyword argument: " - "'session'" - ) - - _, content = get_file_content( - filename, comes_from=comes_from, session=session - ) - - lines_enum = preprocess(content, options) - - for line_number, line in lines_enum: - req_iter = process_line(line, filename, line_number, finder, - comes_from, options, session, wheel_cache, - use_pep517=use_pep517, constraint=constraint) - for req in req_iter: - yield req - - -def preprocess(content, options): - # type: (Text, Optional[optparse.Values]) -> ReqFileLines - """Split, filter, and join lines, and return a line iterator - - :param content: the content of the requirements file - :param options: cli options - """ - lines_enum = enumerate(content.splitlines(), start=1) # type: ReqFileLines - lines_enum = join_lines(lines_enum) - lines_enum = ignore_comments(lines_enum) - lines_enum = skip_regex(lines_enum, options) - lines_enum = expand_env_variables(lines_enum) - return lines_enum - - -def process_line( - line, # type: Text - filename, # type: str - line_number, # type: int - finder=None, # type: Optional[PackageFinder] - comes_from=None, # type: Optional[str] - options=None, # type: Optional[optparse.Values] - session=None, # type: Optional[PipSession] - wheel_cache=None, # type: Optional[WheelCache] - use_pep517=None, # type: Optional[bool] - constraint=False # type: bool -): - # type: (...) -> Iterator[InstallRequirement] - """Process a single requirements line; This can result in creating/yielding - requirements, or updating the finder. - - For lines that contain requirements, the only options that have an effect - are from SUPPORTED_OPTIONS_REQ, and they are scoped to the - requirement. Other options from SUPPORTED_OPTIONS may be present, but are - ignored. - - For lines that do not contain requirements, the only options that have an - effect are from SUPPORTED_OPTIONS. Options from SUPPORTED_OPTIONS_REQ may - be present, but are ignored. These lines may contain multiple options - (although our docs imply only one is supported), and all our parsed and - affect the finder. - - :param constraint: If True, parsing a constraints file. - :param options: OptionParser options that we may update - """ - parser = build_parser(line) - defaults = parser.get_default_values() - defaults.index_url = None - if finder: - defaults.format_control = finder.format_control - args_str, options_str = break_args_options(line) - # Prior to 2.7.3, shlex cannot deal with unicode entries - if sys.version_info < (2, 7, 3): - # https://github.com/python/mypy/issues/1174 - options_str = options_str.encode('utf8') # type: ignore - # https://github.com/python/mypy/issues/1174 - opts, _ = parser.parse_args( - shlex.split(options_str), defaults) # type: ignore - - # preserve for the nested code path - line_comes_from = '%s %s (line %s)' % ( - '-c' if constraint else '-r', filename, line_number, - ) - - # yield a line requirement - if args_str: - isolated = options.isolated_mode if options else False - if options: - cmdoptions.check_install_build_global(options, opts) - # get the options that apply to requirements - req_options = {} - for dest in SUPPORTED_OPTIONS_REQ_DEST: - if dest in opts.__dict__ and opts.__dict__[dest]: - req_options[dest] = opts.__dict__[dest] - yield install_req_from_line( - args_str, line_comes_from, constraint=constraint, - use_pep517=use_pep517, - isolated=isolated, options=req_options, wheel_cache=wheel_cache - ) - - # yield an editable requirement - elif opts.editables: - isolated = options.isolated_mode if options else False - yield install_req_from_editable( - opts.editables[0], comes_from=line_comes_from, - use_pep517=use_pep517, - constraint=constraint, isolated=isolated, wheel_cache=wheel_cache - ) - - # parse a nested requirements file - elif opts.requirements or opts.constraints: - if opts.requirements: - req_path = opts.requirements[0] - nested_constraint = False - else: - req_path = opts.constraints[0] - nested_constraint = True - # original file is over http - if SCHEME_RE.search(filename): - # do a url join so relative paths work - req_path = urllib_parse.urljoin(filename, req_path) - # original file and nested file are paths - elif not SCHEME_RE.search(req_path): - # do a join so relative paths work - req_path = os.path.join(os.path.dirname(filename), req_path) - # TODO: Why not use `comes_from='-r {} (line {})'` here as well? - parsed_reqs = parse_requirements( - req_path, finder, comes_from, options, session, - constraint=nested_constraint, wheel_cache=wheel_cache - ) - for req in parsed_reqs: - yield req - - # percolate hash-checking option upward - elif opts.require_hashes: - options.require_hashes = opts.require_hashes - - # set finder options - elif finder: - if opts.index_url: - finder.index_urls = [opts.index_url] - if opts.no_index is True: - finder.index_urls = [] - if opts.extra_index_urls: - finder.index_urls.extend(opts.extra_index_urls) - if opts.find_links: - # FIXME: it would be nice to keep track of the source - # of the find_links: support a find-links local path - # relative to a requirements file. - value = opts.find_links[0] - req_dir = os.path.dirname(os.path.abspath(filename)) - relative_to_reqs_file = os.path.join(req_dir, value) - if os.path.exists(relative_to_reqs_file): - value = relative_to_reqs_file - finder.find_links.append(value) - if opts.pre: - finder.allow_all_prereleases = True - if opts.trusted_hosts: - finder.secure_origins.extend( - ("*", host, "*") for host in opts.trusted_hosts) - - -def break_args_options(line): - # type: (Text) -> Tuple[str, Text] - """Break up the line into an args and options string. We only want to shlex - (and then optparse) the options, not the args. args can contain markers - which are corrupted by shlex. - """ - tokens = line.split(' ') - args = [] - options = tokens[:] - for token in tokens: - if token.startswith('-') or token.startswith('--'): - break - else: - args.append(token) - options.pop(0) - return ' '.join(args), ' '.join(options) # type: ignore - - -def build_parser(line): - # type: (Text) -> optparse.OptionParser - """ - Return a parser for parsing requirement lines - """ - parser = optparse.OptionParser(add_help_option=False) - - option_factories = SUPPORTED_OPTIONS + SUPPORTED_OPTIONS_REQ - for option_factory in option_factories: - option = option_factory() - parser.add_option(option) - - # By default optparse sys.exits on parsing errors. We want to wrap - # that in our own exception. - def parser_exit(self, msg): - # add offending line - msg = 'Invalid requirement: %s\n%s' % (line, msg) - raise RequirementsFileParseError(msg) - # NOTE: mypy disallows assigning to a method - # https://github.com/python/mypy/issues/2427 - parser.exit = parser_exit # type: ignore - - return parser - - -def join_lines(lines_enum): - # type: (ReqFileLines) -> ReqFileLines - """Joins a line ending in '\' with the previous line (except when following - comments). The joined line takes on the index of the first line. - """ - primary_line_number = None - new_line = [] # type: List[Text] - for line_number, line in lines_enum: - if not line.endswith('\\') or COMMENT_RE.match(line): - if COMMENT_RE.match(line): - # this ensures comments are always matched later - line = ' ' + line - if new_line: - new_line.append(line) - yield primary_line_number, ''.join(new_line) - new_line = [] - else: - yield line_number, line - else: - if not new_line: - primary_line_number = line_number - new_line.append(line.strip('\\')) - - # last line contains \ - if new_line: - yield primary_line_number, ''.join(new_line) - - # TODO: handle space after '\'. - - -def ignore_comments(lines_enum): - # type: (ReqFileLines) -> ReqFileLines - """ - Strips comments and filter empty lines. - """ - for line_number, line in lines_enum: - line = COMMENT_RE.sub('', line) - line = line.strip() - if line: - yield line_number, line - - -def skip_regex(lines_enum, options): - # type: (ReqFileLines, Optional[optparse.Values]) -> ReqFileLines - """ - Skip lines that match '--skip-requirements-regex' pattern - - Note: the regex pattern is only built once - """ - skip_regex = options.skip_requirements_regex if options else None - if skip_regex: - pattern = re.compile(skip_regex) - lines_enum = filterfalse(lambda e: pattern.search(e[1]), lines_enum) - return lines_enum - - -def expand_env_variables(lines_enum): - # type: (ReqFileLines) -> ReqFileLines - """Replace all environment variables that can be retrieved via `os.getenv`. - - The only allowed format for environment variables defined in the - requirement file is `${MY_VARIABLE_1}` to ensure two things: - - 1. Strings that contain a `$` aren't accidentally (partially) expanded. - 2. Ensure consistency across platforms for requirement files. - - These points are the result of a discusssion on the `github pull - request #3514 <https://github.com/pypa/pip/pull/3514>`_. - - Valid characters in variable names follow the `POSIX standard - <http://pubs.opengroup.org/onlinepubs/9699919799/>`_ and are limited - to uppercase letter, digits and the `_` (underscore). - """ - for line_number, line in lines_enum: - for env_var, var_name in ENV_VAR_RE.findall(line): - value = os.getenv(var_name) - if not value: - continue - - line = line.replace(env_var, value) - - yield line_number, line diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_install.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_install.py deleted file mode 100644 index a4834b0..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_install.py +++ /dev/null @@ -1,1021 +0,0 @@ -from __future__ import absolute_import - -import logging -import os -import shutil -import sys -import sysconfig -import zipfile -from distutils.util import change_root - -from pip._vendor import pkg_resources, six -from pip._vendor.packaging.requirements import Requirement -from pip._vendor.packaging.utils import canonicalize_name -from pip._vendor.packaging.version import Version -from pip._vendor.packaging.version import parse as parse_version -from pip._vendor.pep517.wrappers import Pep517HookCaller - -from pip._internal import wheel -from pip._internal.build_env import NoOpBuildEnvironment -from pip._internal.exceptions import InstallationError -from pip._internal.locations import ( - PIP_DELETE_MARKER_FILENAME, running_under_virtualenv, -) -from pip._internal.models.link import Link -from pip._internal.pyproject import load_pyproject_toml, make_pyproject_path -from pip._internal.req.req_uninstall import UninstallPathSet -from pip._internal.utils.compat import native_str -from pip._internal.utils.hashes import Hashes -from pip._internal.utils.logging import indent_log -from pip._internal.utils.misc import ( - _make_build_dir, ask_path_exists, backup_dir, call_subprocess, - display_path, dist_in_site_packages, dist_in_usersite, ensure_dir, - get_installed_version, redact_password_from_url, rmtree, -) -from pip._internal.utils.packaging import get_metadata -from pip._internal.utils.setuptools_build import SETUPTOOLS_SHIM -from pip._internal.utils.temp_dir import TempDirectory -from pip._internal.utils.typing import MYPY_CHECK_RUNNING -from pip._internal.utils.ui import open_spinner -from pip._internal.vcs import vcs -from pip._internal.wheel import move_wheel_files - -if MYPY_CHECK_RUNNING: - from typing import ( # noqa: F401 - Optional, Iterable, List, Union, Any, Text, Sequence, Dict - ) - from pip._internal.build_env import BuildEnvironment # noqa: F401 - from pip._internal.cache import WheelCache # noqa: F401 - from pip._internal.index import PackageFinder # noqa: F401 - from pip._vendor.pkg_resources import Distribution # noqa: F401 - from pip._vendor.packaging.specifiers import SpecifierSet # noqa: F401 - from pip._vendor.packaging.markers import Marker # noqa: F401 - - -logger = logging.getLogger(__name__) - - -class InstallRequirement(object): - """ - Represents something that may be installed later on, may have information - about where to fetch the relavant requirement and also contains logic for - installing the said requirement. - """ - - def __init__( - self, - req, # type: Optional[Requirement] - comes_from, # type: Optional[Union[str, InstallRequirement]] - source_dir=None, # type: Optional[str] - editable=False, # type: bool - link=None, # type: Optional[Link] - update=True, # type: bool - markers=None, # type: Optional[Marker] - use_pep517=None, # type: Optional[bool] - isolated=False, # type: bool - options=None, # type: Optional[Dict[str, Any]] - wheel_cache=None, # type: Optional[WheelCache] - constraint=False, # type: bool - extras=() # type: Iterable[str] - ): - # type: (...) -> None - assert req is None or isinstance(req, Requirement), req - self.req = req - self.comes_from = comes_from - self.constraint = constraint - if source_dir is not None: - self.source_dir = os.path.normpath(os.path.abspath(source_dir)) - else: - self.source_dir = None - self.editable = editable - - self._wheel_cache = wheel_cache - if link is None and req and req.url: - # PEP 508 URL requirement - link = Link(req.url) - self.link = self.original_link = link - - if extras: - self.extras = extras - elif req: - self.extras = { - pkg_resources.safe_extra(extra) for extra in req.extras - } - else: - self.extras = set() - if markers is None and req: - markers = req.marker - self.markers = markers - - self._egg_info_path = None # type: Optional[str] - # This holds the pkg_resources.Distribution object if this requirement - # is already available: - self.satisfied_by = None - # This hold the pkg_resources.Distribution object if this requirement - # conflicts with another installed distribution: - self.conflicts_with = None - # Temporary build location - self._temp_build_dir = TempDirectory(kind="req-build") - # Used to store the global directory where the _temp_build_dir should - # have been created. Cf _correct_build_location method. - self._ideal_build_dir = None # type: Optional[str] - # True if the editable should be updated: - self.update = update - # Set to True after successful installation - self.install_succeeded = None # type: Optional[bool] - # UninstallPathSet of uninstalled distribution (for possible rollback) - self.uninstalled_pathset = None - self.options = options if options else {} - # Set to True after successful preparation of this requirement - self.prepared = False - self.is_direct = False - - self.isolated = isolated - self.build_env = NoOpBuildEnvironment() # type: BuildEnvironment - - # For PEP 517, the directory where we request the project metadata - # gets stored. We need this to pass to build_wheel, so the backend - # can ensure that the wheel matches the metadata (see the PEP for - # details). - self.metadata_directory = None # type: Optional[str] - - # The static build requirements (from pyproject.toml) - self.pyproject_requires = None # type: Optional[List[str]] - - # Build requirements that we will check are available - self.requirements_to_check = [] # type: List[str] - - # The PEP 517 backend we should use to build the project - self.pep517_backend = None # type: Optional[Pep517HookCaller] - - # Are we using PEP 517 for this requirement? - # After pyproject.toml has been loaded, the only valid values are True - # and False. Before loading, None is valid (meaning "use the default"). - # Setting an explicit value before loading pyproject.toml is supported, - # but after loading this flag should be treated as read only. - self.use_pep517 = use_pep517 - - def __str__(self): - if self.req: - s = str(self.req) - if self.link: - s += ' from %s' % redact_password_from_url(self.link.url) - elif self.link: - s = redact_password_from_url(self.link.url) - else: - s = '<InstallRequirement>' - if self.satisfied_by is not None: - s += ' in %s' % display_path(self.satisfied_by.location) - if self.comes_from: - if isinstance(self.comes_from, six.string_types): - comes_from = self.comes_from - else: - comes_from = self.comes_from.from_path() - if comes_from: - s += ' (from %s)' % comes_from - return s - - def __repr__(self): - return '<%s object: %s editable=%r>' % ( - self.__class__.__name__, str(self), self.editable) - - def populate_link(self, finder, upgrade, require_hashes): - # type: (PackageFinder, bool, bool) -> None - """Ensure that if a link can be found for this, that it is found. - - Note that self.link may still be None - if Upgrade is False and the - requirement is already installed. - - If require_hashes is True, don't use the wheel cache, because cached - wheels, always built locally, have different hashes than the files - downloaded from the index server and thus throw false hash mismatches. - Furthermore, cached wheels at present have undeterministic contents due - to file modification times. - """ - if self.link is None: - self.link = finder.find_requirement(self, upgrade) - if self._wheel_cache is not None and not require_hashes: - old_link = self.link - self.link = self._wheel_cache.get(self.link, self.name) - if old_link != self.link: - logger.debug('Using cached wheel link: %s', self.link) - - # Things that are valid for all kinds of requirements? - @property - def name(self): - # type: () -> Optional[str] - if self.req is None: - return None - return native_str(pkg_resources.safe_name(self.req.name)) - - @property - def specifier(self): - # type: () -> SpecifierSet - return self.req.specifier - - @property - def is_pinned(self): - # type: () -> bool - """Return whether I am pinned to an exact version. - - For example, some-package==1.2 is pinned; some-package>1.2 is not. - """ - specifiers = self.specifier - return (len(specifiers) == 1 and - next(iter(specifiers)).operator in {'==', '==='}) - - @property - def installed_version(self): - return get_installed_version(self.name) - - def match_markers(self, extras_requested=None): - # type: (Optional[Iterable[str]]) -> bool - if not extras_requested: - # Provide an extra to safely evaluate the markers - # without matching any extra - extras_requested = ('',) - if self.markers is not None: - return any( - self.markers.evaluate({'extra': extra}) - for extra in extras_requested) - else: - return True - - @property - def has_hash_options(self): - # type: () -> bool - """Return whether any known-good hashes are specified as options. - - These activate --require-hashes mode; hashes specified as part of a - URL do not. - - """ - return bool(self.options.get('hashes', {})) - - def hashes(self, trust_internet=True): - # type: (bool) -> Hashes - """Return a hash-comparer that considers my option- and URL-based - hashes to be known-good. - - Hashes in URLs--ones embedded in the requirements file, not ones - downloaded from an index server--are almost peers with ones from - flags. They satisfy --require-hashes (whether it was implicitly or - explicitly activated) but do not activate it. md5 and sha224 are not - allowed in flags, which should nudge people toward good algos. We - always OR all hashes together, even ones from URLs. - - :param trust_internet: Whether to trust URL-based (#md5=...) hashes - downloaded from the internet, as by populate_link() - - """ - good_hashes = self.options.get('hashes', {}).copy() - link = self.link if trust_internet else self.original_link - if link and link.hash: - good_hashes.setdefault(link.hash_name, []).append(link.hash) - return Hashes(good_hashes) - - def from_path(self): - # type: () -> Optional[str] - """Format a nice indicator to show where this "comes from" - """ - if self.req is None: - return None - s = str(self.req) - if self.comes_from: - if isinstance(self.comes_from, six.string_types): - comes_from = self.comes_from - else: - comes_from = self.comes_from.from_path() - if comes_from: - s += '->' + comes_from - return s - - def build_location(self, build_dir): - # type: (str) -> Optional[str] - assert build_dir is not None - if self._temp_build_dir.path is not None: - return self._temp_build_dir.path - if self.req is None: - # for requirement via a path to a directory: the name of the - # package is not available yet so we create a temp directory - # Once run_egg_info will have run, we'll be able - # to fix it via _correct_build_location - # Some systems have /tmp as a symlink which confuses custom - # builds (such as numpy). Thus, we ensure that the real path - # is returned. - self._temp_build_dir.create() - self._ideal_build_dir = build_dir - - return self._temp_build_dir.path - if self.editable: - name = self.name.lower() - else: - name = self.name - # FIXME: Is there a better place to create the build_dir? (hg and bzr - # need this) - if not os.path.exists(build_dir): - logger.debug('Creating directory %s', build_dir) - _make_build_dir(build_dir) - return os.path.join(build_dir, name) - - def _correct_build_location(self): - # type: () -> None - """Move self._temp_build_dir to self._ideal_build_dir/self.req.name - - For some requirements (e.g. a path to a directory), the name of the - package is not available until we run egg_info, so the build_location - will return a temporary directory and store the _ideal_build_dir. - - This is only called by self.run_egg_info to fix the temporary build - directory. - """ - if self.source_dir is not None: - return - assert self.req is not None - assert self._temp_build_dir.path - assert (self._ideal_build_dir is not None and - self._ideal_build_dir.path) # type: ignore - old_location = self._temp_build_dir.path - self._temp_build_dir.path = None - - new_location = self.build_location(self._ideal_build_dir) - if os.path.exists(new_location): - raise InstallationError( - 'A package already exists in %s; please remove it to continue' - % display_path(new_location)) - logger.debug( - 'Moving package %s from %s to new location %s', - self, display_path(old_location), display_path(new_location), - ) - shutil.move(old_location, new_location) - self._temp_build_dir.path = new_location - self._ideal_build_dir = None - self.source_dir = os.path.normpath(os.path.abspath(new_location)) - self._egg_info_path = None - - # Correct the metadata directory, if it exists - if self.metadata_directory: - old_meta = self.metadata_directory - rel = os.path.relpath(old_meta, start=old_location) - new_meta = os.path.join(new_location, rel) - new_meta = os.path.normpath(os.path.abspath(new_meta)) - self.metadata_directory = new_meta - - def remove_temporary_source(self): - # type: () -> None - """Remove the source files from this requirement, if they are marked - for deletion""" - if self.source_dir and os.path.exists( - os.path.join(self.source_dir, PIP_DELETE_MARKER_FILENAME)): - logger.debug('Removing source in %s', self.source_dir) - rmtree(self.source_dir) - self.source_dir = None - self._temp_build_dir.cleanup() - self.build_env.cleanup() - - def check_if_exists(self, use_user_site): - # type: (bool) -> bool - """Find an installed distribution that satisfies or conflicts - with this requirement, and set self.satisfied_by or - self.conflicts_with appropriately. - """ - if self.req is None: - return False - try: - # get_distribution() will resolve the entire list of requirements - # anyway, and we've already determined that we need the requirement - # in question, so strip the marker so that we don't try to - # evaluate it. - no_marker = Requirement(str(self.req)) - no_marker.marker = None - self.satisfied_by = pkg_resources.get_distribution(str(no_marker)) - if self.editable and self.satisfied_by: - self.conflicts_with = self.satisfied_by - # when installing editables, nothing pre-existing should ever - # satisfy - self.satisfied_by = None - return True - except pkg_resources.DistributionNotFound: - return False - except pkg_resources.VersionConflict: - existing_dist = pkg_resources.get_distribution( - self.req.name - ) - if use_user_site: - if dist_in_usersite(existing_dist): - self.conflicts_with = existing_dist - elif (running_under_virtualenv() and - dist_in_site_packages(existing_dist)): - raise InstallationError( - "Will not install to the user site because it will " - "lack sys.path precedence to %s in %s" % - (existing_dist.project_name, existing_dist.location) - ) - else: - self.conflicts_with = existing_dist - return True - - # Things valid for wheels - @property - def is_wheel(self): - # type: () -> bool - if not self.link: - return False - return self.link.is_wheel - - def move_wheel_files( - self, - wheeldir, # type: str - root=None, # type: Optional[str] - home=None, # type: Optional[str] - prefix=None, # type: Optional[str] - warn_script_location=True, # type: bool - use_user_site=False, # type: bool - pycompile=True # type: bool - ): - # type: (...) -> None - move_wheel_files( - self.name, self.req, wheeldir, - user=use_user_site, - home=home, - root=root, - prefix=prefix, - pycompile=pycompile, - isolated=self.isolated, - warn_script_location=warn_script_location, - ) - - # Things valid for sdists - @property - def setup_py_dir(self): - # type: () -> str - return os.path.join( - self.source_dir, - self.link and self.link.subdirectory_fragment or '') - - @property - def setup_py(self): - # type: () -> str - assert self.source_dir, "No source dir for %s" % self - - setup_py = os.path.join(self.setup_py_dir, 'setup.py') - - # Python2 __file__ should not be unicode - if six.PY2 and isinstance(setup_py, six.text_type): - setup_py = setup_py.encode(sys.getfilesystemencoding()) - - return setup_py - - @property - def pyproject_toml(self): - # type: () -> str - assert self.source_dir, "No source dir for %s" % self - - return make_pyproject_path(self.setup_py_dir) - - def load_pyproject_toml(self): - # type: () -> None - """Load the pyproject.toml file. - - After calling this routine, all of the attributes related to PEP 517 - processing for this requirement have been set. In particular, the - use_pep517 attribute can be used to determine whether we should - follow the PEP 517 or legacy (setup.py) code path. - """ - pep517_data = load_pyproject_toml( - self.use_pep517, - self.pyproject_toml, - self.setup_py, - str(self) - ) - - if pep517_data is None: - self.use_pep517 = False - else: - self.use_pep517 = True - requires, backend, check = pep517_data - self.requirements_to_check = check - self.pyproject_requires = requires - self.pep517_backend = Pep517HookCaller(self.setup_py_dir, backend) - - # Use a custom function to call subprocesses - self.spin_message = "" - - def runner(cmd, cwd=None, extra_environ=None): - with open_spinner(self.spin_message) as spinner: - call_subprocess( - cmd, - cwd=cwd, - extra_environ=extra_environ, - show_stdout=False, - spinner=spinner - ) - self.spin_message = "" - - self.pep517_backend._subprocess_runner = runner - - def prepare_metadata(self): - # type: () -> None - """Ensure that project metadata is available. - - Under PEP 517, call the backend hook to prepare the metadata. - Under legacy processing, call setup.py egg-info. - """ - assert self.source_dir - - with indent_log(): - if self.use_pep517: - self.prepare_pep517_metadata() - else: - self.run_egg_info() - - if not self.req: - if isinstance(parse_version(self.metadata["Version"]), Version): - op = "==" - else: - op = "===" - self.req = Requirement( - "".join([ - self.metadata["Name"], - op, - self.metadata["Version"], - ]) - ) - self._correct_build_location() - else: - metadata_name = canonicalize_name(self.metadata["Name"]) - if canonicalize_name(self.req.name) != metadata_name: - logger.warning( - 'Generating metadata for package %s ' - 'produced metadata for project name %s. Fix your ' - '#egg=%s fragments.', - self.name, metadata_name, self.name - ) - self.req = Requirement(metadata_name) - - def prepare_pep517_metadata(self): - # type: () -> None - assert self.pep517_backend is not None - - metadata_dir = os.path.join( - self.setup_py_dir, - 'pip-wheel-metadata' - ) - ensure_dir(metadata_dir) - - with self.build_env: - # Note that Pep517HookCaller implements a fallback for - # prepare_metadata_for_build_wheel, so we don't have to - # consider the possibility that this hook doesn't exist. - backend = self.pep517_backend - self.spin_message = "Preparing wheel metadata" - distinfo_dir = backend.prepare_metadata_for_build_wheel( - metadata_dir - ) - - self.metadata_directory = os.path.join(metadata_dir, distinfo_dir) - - def run_egg_info(self): - # type: () -> None - if self.name: - logger.debug( - 'Running setup.py (path:%s) egg_info for package %s', - self.setup_py, self.name, - ) - else: - logger.debug( - 'Running setup.py (path:%s) egg_info for package from %s', - self.setup_py, self.link, - ) - script = SETUPTOOLS_SHIM % self.setup_py - base_cmd = [sys.executable, '-c', script] - if self.isolated: - base_cmd += ["--no-user-cfg"] - egg_info_cmd = base_cmd + ['egg_info'] - # We can't put the .egg-info files at the root, because then the - # source code will be mistaken for an installed egg, causing - # problems - if self.editable: - egg_base_option = [] # type: List[str] - else: - egg_info_dir = os.path.join(self.setup_py_dir, 'pip-egg-info') - ensure_dir(egg_info_dir) - egg_base_option = ['--egg-base', 'pip-egg-info'] - with self.build_env: - call_subprocess( - egg_info_cmd + egg_base_option, - cwd=self.setup_py_dir, - show_stdout=False, - command_desc='python setup.py egg_info') - - @property - def egg_info_path(self): - # type: () -> str - if self._egg_info_path is None: - if self.editable: - base = self.source_dir - else: - base = os.path.join(self.setup_py_dir, 'pip-egg-info') - filenames = os.listdir(base) - if self.editable: - filenames = [] - for root, dirs, files in os.walk(base): - for dir in vcs.dirnames: - if dir in dirs: - dirs.remove(dir) - # Iterate over a copy of ``dirs``, since mutating - # a list while iterating over it can cause trouble. - # (See https://github.com/pypa/pip/pull/462.) - for dir in list(dirs): - # Don't search in anything that looks like a virtualenv - # environment - if ( - os.path.lexists( - os.path.join(root, dir, 'bin', 'python') - ) or - os.path.exists( - os.path.join( - root, dir, 'Scripts', 'Python.exe' - ) - )): - dirs.remove(dir) - # Also don't search through tests - elif dir == 'test' or dir == 'tests': - dirs.remove(dir) - filenames.extend([os.path.join(root, dir) - for dir in dirs]) - filenames = [f for f in filenames if f.endswith('.egg-info')] - - if not filenames: - raise InstallationError( - "Files/directories not found in %s" % base - ) - # if we have more than one match, we pick the toplevel one. This - # can easily be the case if there is a dist folder which contains - # an extracted tarball for testing purposes. - if len(filenames) > 1: - filenames.sort( - key=lambda x: x.count(os.path.sep) + - (os.path.altsep and x.count(os.path.altsep) or 0) - ) - self._egg_info_path = os.path.join(base, filenames[0]) - return self._egg_info_path - - @property - def metadata(self): - if not hasattr(self, '_metadata'): - self._metadata = get_metadata(self.get_dist()) - - return self._metadata - - def get_dist(self): - # type: () -> Distribution - """Return a pkg_resources.Distribution for this requirement""" - if self.metadata_directory: - base_dir, distinfo = os.path.split(self.metadata_directory) - metadata = pkg_resources.PathMetadata( - base_dir, self.metadata_directory - ) - dist_name = os.path.splitext(distinfo)[0] - typ = pkg_resources.DistInfoDistribution - else: - egg_info = self.egg_info_path.rstrip(os.path.sep) - base_dir = os.path.dirname(egg_info) - metadata = pkg_resources.PathMetadata(base_dir, egg_info) - dist_name = os.path.splitext(os.path.basename(egg_info))[0] - # https://github.com/python/mypy/issues/1174 - typ = pkg_resources.Distribution # type: ignore - - return typ( - base_dir, - project_name=dist_name, - metadata=metadata, - ) - - def assert_source_matches_version(self): - # type: () -> None - assert self.source_dir - version = self.metadata['version'] - if self.req.specifier and version not in self.req.specifier: - logger.warning( - 'Requested %s, but installing version %s', - self, - version, - ) - else: - logger.debug( - 'Source in %s has version %s, which satisfies requirement %s', - display_path(self.source_dir), - version, - self, - ) - - # For both source distributions and editables - def ensure_has_source_dir(self, parent_dir): - # type: (str) -> str - """Ensure that a source_dir is set. - - This will create a temporary build dir if the name of the requirement - isn't known yet. - - :param parent_dir: The ideal pip parent_dir for the source_dir. - Generally src_dir for editables and build_dir for sdists. - :return: self.source_dir - """ - if self.source_dir is None: - self.source_dir = self.build_location(parent_dir) - return self.source_dir - - # For editable installations - def install_editable( - self, - install_options, # type: List[str] - global_options=(), # type: Sequence[str] - prefix=None # type: Optional[str] - ): - # type: (...) -> None - logger.info('Running setup.py develop for %s', self.name) - - if self.isolated: - global_options = list(global_options) + ["--no-user-cfg"] - - if prefix: - prefix_param = ['--prefix={}'.format(prefix)] - install_options = list(install_options) + prefix_param - - with indent_log(): - # FIXME: should we do --install-headers here too? - with self.build_env: - call_subprocess( - [ - sys.executable, - '-c', - SETUPTOOLS_SHIM % self.setup_py - ] + - list(global_options) + - ['develop', '--no-deps'] + - list(install_options), - - cwd=self.setup_py_dir, - show_stdout=False, - ) - - self.install_succeeded = True - - def update_editable(self, obtain=True): - # type: (bool) -> None - if not self.link: - logger.debug( - "Cannot update repository at %s; repository location is " - "unknown", - self.source_dir, - ) - return - assert self.editable - assert self.source_dir - if self.link.scheme == 'file': - # Static paths don't get updated - return - assert '+' in self.link.url, "bad url: %r" % self.link.url - if not self.update: - return - vc_type, url = self.link.url.split('+', 1) - backend = vcs.get_backend(vc_type) - if backend: - vcs_backend = backend(self.link.url) - if obtain: - vcs_backend.obtain(self.source_dir) - else: - vcs_backend.export(self.source_dir) - else: - assert 0, ( - 'Unexpected version control type (in %s): %s' - % (self.link, vc_type)) - - # Top-level Actions - def uninstall(self, auto_confirm=False, verbose=False, - use_user_site=False): - # type: (bool, bool, bool) -> Optional[UninstallPathSet] - """ - Uninstall the distribution currently satisfying this requirement. - - Prompts before removing or modifying files unless - ``auto_confirm`` is True. - - Refuses to delete or modify files outside of ``sys.prefix`` - - thus uninstallation within a virtual environment can only - modify that virtual environment, even if the virtualenv is - linked to global site-packages. - - """ - if not self.check_if_exists(use_user_site): - logger.warning("Skipping %s as it is not installed.", self.name) - return None - dist = self.satisfied_by or self.conflicts_with - - uninstalled_pathset = UninstallPathSet.from_dist(dist) - uninstalled_pathset.remove(auto_confirm, verbose) - return uninstalled_pathset - - def _clean_zip_name(self, name, prefix): # only used by archive. - assert name.startswith(prefix + os.path.sep), ( - "name %r doesn't start with prefix %r" % (name, prefix) - ) - name = name[len(prefix) + 1:] - name = name.replace(os.path.sep, '/') - return name - - def _get_archive_name(self, path, parentdir, rootdir): - # type: (str, str, str) -> str - path = os.path.join(parentdir, path) - name = self._clean_zip_name(path, rootdir) - return self.name + '/' + name - - # TODO: Investigate if this should be kept in InstallRequirement - # Seems to be used only when VCS + downloads - def archive(self, build_dir): - # type: (str) -> None - assert self.source_dir - create_archive = True - archive_name = '%s-%s.zip' % (self.name, self.metadata["version"]) - archive_path = os.path.join(build_dir, archive_name) - if os.path.exists(archive_path): - response = ask_path_exists( - 'The file %s exists. (i)gnore, (w)ipe, (b)ackup, (a)bort ' % - display_path(archive_path), ('i', 'w', 'b', 'a')) - if response == 'i': - create_archive = False - elif response == 'w': - logger.warning('Deleting %s', display_path(archive_path)) - os.remove(archive_path) - elif response == 'b': - dest_file = backup_dir(archive_path) - logger.warning( - 'Backing up %s to %s', - display_path(archive_path), - display_path(dest_file), - ) - shutil.move(archive_path, dest_file) - elif response == 'a': - sys.exit(-1) - if create_archive: - zip = zipfile.ZipFile( - archive_path, 'w', zipfile.ZIP_DEFLATED, - allowZip64=True - ) - dir = os.path.normcase(os.path.abspath(self.setup_py_dir)) - for dirpath, dirnames, filenames in os.walk(dir): - if 'pip-egg-info' in dirnames: - dirnames.remove('pip-egg-info') - for dirname in dirnames: - dir_arcname = self._get_archive_name(dirname, - parentdir=dirpath, - rootdir=dir) - zipdir = zipfile.ZipInfo(dir_arcname + '/') - zipdir.external_attr = 0x1ED << 16 # 0o755 - zip.writestr(zipdir, '') - for filename in filenames: - if filename == PIP_DELETE_MARKER_FILENAME: - continue - file_arcname = self._get_archive_name(filename, - parentdir=dirpath, - rootdir=dir) - filename = os.path.join(dirpath, filename) - zip.write(filename, file_arcname) - zip.close() - logger.info('Saved %s', display_path(archive_path)) - - def install( - self, - install_options, # type: List[str] - global_options=None, # type: Optional[Sequence[str]] - root=None, # type: Optional[str] - home=None, # type: Optional[str] - prefix=None, # type: Optional[str] - warn_script_location=True, # type: bool - use_user_site=False, # type: bool - pycompile=True # type: bool - ): - # type: (...) -> None - global_options = global_options if global_options is not None else [] - if self.editable: - self.install_editable( - install_options, global_options, prefix=prefix, - ) - return - if self.is_wheel: - version = wheel.wheel_version(self.source_dir) - wheel.check_compatibility(version, self.name) - - self.move_wheel_files( - self.source_dir, root=root, prefix=prefix, home=home, - warn_script_location=warn_script_location, - use_user_site=use_user_site, pycompile=pycompile, - ) - self.install_succeeded = True - return - - # Extend the list of global and install options passed on to - # the setup.py call with the ones from the requirements file. - # Options specified in requirements file override those - # specified on the command line, since the last option given - # to setup.py is the one that is used. - global_options = list(global_options) + \ - self.options.get('global_options', []) - install_options = list(install_options) + \ - self.options.get('install_options', []) - - if self.isolated: - # https://github.com/python/mypy/issues/1174 - global_options = global_options + ["--no-user-cfg"] # type: ignore - - with TempDirectory(kind="record") as temp_dir: - record_filename = os.path.join(temp_dir.path, 'install-record.txt') - install_args = self.get_install_args( - global_options, record_filename, root, prefix, pycompile, - ) - msg = 'Running setup.py install for %s' % (self.name,) - with open_spinner(msg) as spinner: - with indent_log(): - with self.build_env: - call_subprocess( - install_args + install_options, - cwd=self.setup_py_dir, - show_stdout=False, - spinner=spinner, - ) - - if not os.path.exists(record_filename): - logger.debug('Record file %s not found', record_filename) - return - self.install_succeeded = True - - def prepend_root(path): - if root is None or not os.path.isabs(path): - return path - else: - return change_root(root, path) - - with open(record_filename) as f: - for line in f: - directory = os.path.dirname(line) - if directory.endswith('.egg-info'): - egg_info_dir = prepend_root(directory) - break - else: - logger.warning( - 'Could not find .egg-info directory in install record' - ' for %s', - self, - ) - # FIXME: put the record somewhere - # FIXME: should this be an error? - return - new_lines = [] - with open(record_filename) as f: - for line in f: - filename = line.strip() - if os.path.isdir(filename): - filename += os.path.sep - new_lines.append( - os.path.relpath(prepend_root(filename), egg_info_dir) - ) - new_lines.sort() - ensure_dir(egg_info_dir) - inst_files_path = os.path.join(egg_info_dir, 'installed-files.txt') - with open(inst_files_path, 'w') as f: - f.write('\n'.join(new_lines) + '\n') - - def get_install_args( - self, - global_options, # type: Sequence[str] - record_filename, # type: str - root, # type: Optional[str] - prefix, # type: Optional[str] - pycompile # type: bool - ): - # type: (...) -> List[str] - install_args = [sys.executable, "-u"] - install_args.append('-c') - install_args.append(SETUPTOOLS_SHIM % self.setup_py) - install_args += list(global_options) + \ - ['install', '--record', record_filename] - install_args += ['--single-version-externally-managed'] - - if root is not None: - install_args += ['--root', root] - if prefix is not None: - install_args += ['--prefix', prefix] - - if pycompile: - install_args += ["--compile"] - else: - install_args += ["--no-compile"] - - if running_under_virtualenv(): - py_ver_str = 'python' + sysconfig.get_python_version() - install_args += ['--install-headers', - os.path.join(sys.prefix, 'include', 'site', - py_ver_str, self.name)] - - return install_args diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_set.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_set.py deleted file mode 100644 index d1410e9..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_set.py +++ /dev/null @@ -1,197 +0,0 @@ -from __future__ import absolute_import - -import logging -from collections import OrderedDict - -from pip._internal.exceptions import InstallationError -from pip._internal.utils.logging import indent_log -from pip._internal.utils.typing import MYPY_CHECK_RUNNING -from pip._internal.wheel import Wheel - -if MYPY_CHECK_RUNNING: - from typing import Optional, List, Tuple, Dict, Iterable # noqa: F401 - from pip._internal.req.req_install import InstallRequirement # noqa: F401 - - -logger = logging.getLogger(__name__) - - -class RequirementSet(object): - - def __init__(self, require_hashes=False, check_supported_wheels=True): - # type: (bool, bool) -> None - """Create a RequirementSet. - """ - - self.requirements = OrderedDict() # type: Dict[str, InstallRequirement] # noqa: E501 - self.require_hashes = require_hashes - self.check_supported_wheels = check_supported_wheels - - # Mapping of alias: real_name - self.requirement_aliases = {} # type: Dict[str, str] - self.unnamed_requirements = [] # type: List[InstallRequirement] - self.successfully_downloaded = [] # type: List[InstallRequirement] - self.reqs_to_cleanup = [] # type: List[InstallRequirement] - - def __str__(self): - reqs = [req for req in self.requirements.values() - if not req.comes_from] - reqs.sort(key=lambda req: req.name.lower()) - return ' '.join([str(req.req) for req in reqs]) - - def __repr__(self): - reqs = [req for req in self.requirements.values()] - reqs.sort(key=lambda req: req.name.lower()) - reqs_str = ', '.join([str(req.req) for req in reqs]) - return ('<%s object; %d requirement(s): %s>' - % (self.__class__.__name__, len(reqs), reqs_str)) - - def add_requirement( - self, - install_req, # type: InstallRequirement - parent_req_name=None, # type: Optional[str] - extras_requested=None # type: Optional[Iterable[str]] - ): - # type: (...) -> Tuple[List[InstallRequirement], Optional[InstallRequirement]] # noqa: E501 - """Add install_req as a requirement to install. - - :param parent_req_name: The name of the requirement that needed this - added. The name is used because when multiple unnamed requirements - resolve to the same name, we could otherwise end up with dependency - links that point outside the Requirements set. parent_req must - already be added. Note that None implies that this is a user - supplied requirement, vs an inferred one. - :param extras_requested: an iterable of extras used to evaluate the - environment markers. - :return: Additional requirements to scan. That is either [] if - the requirement is not applicable, or [install_req] if the - requirement is applicable and has just been added. - """ - name = install_req.name - - # If the markers do not match, ignore this requirement. - if not install_req.match_markers(extras_requested): - logger.info( - "Ignoring %s: markers '%s' don't match your environment", - name, install_req.markers, - ) - return [], None - - # If the wheel is not supported, raise an error. - # Should check this after filtering out based on environment markers to - # allow specifying different wheels based on the environment/OS, in a - # single requirements file. - if install_req.link and install_req.link.is_wheel: - wheel = Wheel(install_req.link.filename) - if self.check_supported_wheels and not wheel.supported(): - raise InstallationError( - "%s is not a supported wheel on this platform." % - wheel.filename - ) - - # This next bit is really a sanity check. - assert install_req.is_direct == (parent_req_name is None), ( - "a direct req shouldn't have a parent and also, " - "a non direct req should have a parent" - ) - - # Unnamed requirements are scanned again and the requirement won't be - # added as a dependency until after scanning. - if not name: - # url or path requirement w/o an egg fragment - self.unnamed_requirements.append(install_req) - return [install_req], None - - try: - existing_req = self.get_requirement(name) - except KeyError: - existing_req = None - - has_conflicting_requirement = ( - parent_req_name is None and - existing_req and - not existing_req.constraint and - existing_req.extras == install_req.extras and - existing_req.req.specifier != install_req.req.specifier - ) - if has_conflicting_requirement: - raise InstallationError( - "Double requirement given: %s (already in %s, name=%r)" - % (install_req, existing_req, name) - ) - - # When no existing requirement exists, add the requirement as a - # dependency and it will be scanned again after. - if not existing_req: - self.requirements[name] = install_req - # FIXME: what about other normalizations? E.g., _ vs. -? - if name.lower() != name: - self.requirement_aliases[name.lower()] = name - # We'd want to rescan this requirements later - return [install_req], install_req - - # Assume there's no need to scan, and that we've already - # encountered this for scanning. - if install_req.constraint or not existing_req.constraint: - return [], existing_req - - does_not_satisfy_constraint = ( - install_req.link and - not ( - existing_req.link and - install_req.link.path == existing_req.link.path - ) - ) - if does_not_satisfy_constraint: - self.reqs_to_cleanup.append(install_req) - raise InstallationError( - "Could not satisfy constraints for '%s': " - "installation from path or url cannot be " - "constrained to a version" % name, - ) - # If we're now installing a constraint, mark the existing - # object for real installation. - existing_req.constraint = False - existing_req.extras = tuple(sorted( - set(existing_req.extras) | set(install_req.extras) - )) - logger.debug( - "Setting %s extras to: %s", - existing_req, existing_req.extras, - ) - # Return the existing requirement for addition to the parent and - # scanning again. - return [existing_req], existing_req - - def has_requirement(self, project_name): - # type: (str) -> bool - name = project_name.lower() - if (name in self.requirements and - not self.requirements[name].constraint or - name in self.requirement_aliases and - not self.requirements[self.requirement_aliases[name]].constraint): - return True - return False - - @property - def has_requirements(self): - # type: () -> List[InstallRequirement] - return list(req for req in self.requirements.values() if not - req.constraint) or self.unnamed_requirements - - def get_requirement(self, project_name): - # type: (str) -> InstallRequirement - for name in project_name, project_name.lower(): - if name in self.requirements: - return self.requirements[name] - if name in self.requirement_aliases: - return self.requirements[self.requirement_aliases[name]] - raise KeyError("No project with the name %r" % project_name) - - def cleanup_files(self): - # type: () -> None - """Clean up files, remove builds.""" - logger.debug('Cleaning up...') - with indent_log(): - for req in self.reqs_to_cleanup: - req.remove_temporary_source() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_tracker.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_tracker.py deleted file mode 100644 index 82e084a..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_tracker.py +++ /dev/null @@ -1,88 +0,0 @@ -from __future__ import absolute_import - -import contextlib -import errno -import hashlib -import logging -import os - -from pip._internal.utils.temp_dir import TempDirectory -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import Set, Iterator # noqa: F401 - from pip._internal.req.req_install import InstallRequirement # noqa: F401 - from pip._internal.models.link import Link # noqa: F401 - -logger = logging.getLogger(__name__) - - -class RequirementTracker(object): - - def __init__(self): - # type: () -> None - self._root = os.environ.get('PIP_REQ_TRACKER') - if self._root is None: - self._temp_dir = TempDirectory(delete=False, kind='req-tracker') - self._temp_dir.create() - self._root = os.environ['PIP_REQ_TRACKER'] = self._temp_dir.path - logger.debug('Created requirements tracker %r', self._root) - else: - self._temp_dir = None - logger.debug('Re-using requirements tracker %r', self._root) - self._entries = set() # type: Set[InstallRequirement] - - def __enter__(self): - return self - - def __exit__(self, exc_type, exc_val, exc_tb): - self.cleanup() - - def _entry_path(self, link): - # type: (Link) -> str - hashed = hashlib.sha224(link.url_without_fragment.encode()).hexdigest() - return os.path.join(self._root, hashed) - - def add(self, req): - # type: (InstallRequirement) -> None - link = req.link - info = str(req) - entry_path = self._entry_path(link) - try: - with open(entry_path) as fp: - # Error, these's already a build in progress. - raise LookupError('%s is already being built: %s' - % (link, fp.read())) - except IOError as e: - if e.errno != errno.ENOENT: - raise - assert req not in self._entries - with open(entry_path, 'w') as fp: - fp.write(info) - self._entries.add(req) - logger.debug('Added %s to build tracker %r', req, self._root) - - def remove(self, req): - # type: (InstallRequirement) -> None - link = req.link - self._entries.remove(req) - os.unlink(self._entry_path(link)) - logger.debug('Removed %s from build tracker %r', req, self._root) - - def cleanup(self): - # type: () -> None - for req in set(self._entries): - self.remove(req) - remove = self._temp_dir is not None - if remove: - self._temp_dir.cleanup() - logger.debug('%s build tracker %r', - 'Removed' if remove else 'Cleaned', - self._root) - - @contextlib.contextmanager - def track(self, req): - # type: (InstallRequirement) -> Iterator[None] - self.add(req) - yield - self.remove(req) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/resolve.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/resolve.py deleted file mode 100644 index 33f572f..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/resolve.py +++ /dev/null @@ -1,393 +0,0 @@ -"""Dependency Resolution - -The dependency resolution in pip is performed as follows: - -for top-level requirements: - a. only one spec allowed per project, regardless of conflicts or not. - otherwise a "double requirement" exception is raised - b. they override sub-dependency requirements. -for sub-dependencies - a. "first found, wins" (where the order is breadth first) -""" - -import logging -from collections import defaultdict -from itertools import chain - -from pip._internal.exceptions import ( - BestVersionAlreadyInstalled, DistributionNotFound, HashError, HashErrors, - UnsupportedPythonVersion, -) -from pip._internal.req.constructors import install_req_from_req_string -from pip._internal.utils.logging import indent_log -from pip._internal.utils.misc import dist_in_usersite, ensure_dir -from pip._internal.utils.packaging import check_dist_requires_python -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import Optional, DefaultDict, List, Set # noqa: F401 - from pip._internal.download import PipSession # noqa: F401 - from pip._internal.req.req_install import InstallRequirement # noqa: F401 - from pip._internal.index import PackageFinder # noqa: F401 - from pip._internal.req.req_set import RequirementSet # noqa: F401 - from pip._internal.operations.prepare import ( # noqa: F401 - DistAbstraction, RequirementPreparer - ) - from pip._internal.cache import WheelCache # noqa: F401 - -logger = logging.getLogger(__name__) - - -class Resolver(object): - """Resolves which packages need to be installed/uninstalled to perform \ - the requested operation without breaking the requirements of any package. - """ - - _allowed_strategies = {"eager", "only-if-needed", "to-satisfy-only"} - - def __init__( - self, - preparer, # type: RequirementPreparer - session, # type: PipSession - finder, # type: PackageFinder - wheel_cache, # type: Optional[WheelCache] - use_user_site, # type: bool - ignore_dependencies, # type: bool - ignore_installed, # type: bool - ignore_requires_python, # type: bool - force_reinstall, # type: bool - isolated, # type: bool - upgrade_strategy, # type: str - use_pep517=None # type: Optional[bool] - ): - # type: (...) -> None - super(Resolver, self).__init__() - assert upgrade_strategy in self._allowed_strategies - - self.preparer = preparer - self.finder = finder - self.session = session - - # NOTE: This would eventually be replaced with a cache that can give - # information about both sdist and wheels transparently. - self.wheel_cache = wheel_cache - - # This is set in resolve - self.require_hashes = None # type: Optional[bool] - - self.upgrade_strategy = upgrade_strategy - self.force_reinstall = force_reinstall - self.isolated = isolated - self.ignore_dependencies = ignore_dependencies - self.ignore_installed = ignore_installed - self.ignore_requires_python = ignore_requires_python - self.use_user_site = use_user_site - self.use_pep517 = use_pep517 - - self._discovered_dependencies = \ - defaultdict(list) # type: DefaultDict[str, List] - - def resolve(self, requirement_set): - # type: (RequirementSet) -> None - """Resolve what operations need to be done - - As a side-effect of this method, the packages (and their dependencies) - are downloaded, unpacked and prepared for installation. This - preparation is done by ``pip.operations.prepare``. - - Once PyPI has static dependency metadata available, it would be - possible to move the preparation to become a step separated from - dependency resolution. - """ - # make the wheelhouse - if self.preparer.wheel_download_dir: - ensure_dir(self.preparer.wheel_download_dir) - - # If any top-level requirement has a hash specified, enter - # hash-checking mode, which requires hashes from all. - root_reqs = ( - requirement_set.unnamed_requirements + - list(requirement_set.requirements.values()) - ) - self.require_hashes = ( - requirement_set.require_hashes or - any(req.has_hash_options for req in root_reqs) - ) - - # Display where finder is looking for packages - locations = self.finder.get_formatted_locations() - if locations: - logger.info(locations) - - # Actually prepare the files, and collect any exceptions. Most hash - # exceptions cannot be checked ahead of time, because - # req.populate_link() needs to be called before we can make decisions - # based on link type. - discovered_reqs = [] # type: List[InstallRequirement] - hash_errors = HashErrors() - for req in chain(root_reqs, discovered_reqs): - try: - discovered_reqs.extend( - self._resolve_one(requirement_set, req) - ) - except HashError as exc: - exc.req = req - hash_errors.append(exc) - - if hash_errors: - raise hash_errors - - def _is_upgrade_allowed(self, req): - # type: (InstallRequirement) -> bool - if self.upgrade_strategy == "to-satisfy-only": - return False - elif self.upgrade_strategy == "eager": - return True - else: - assert self.upgrade_strategy == "only-if-needed" - return req.is_direct - - def _set_req_to_reinstall(self, req): - # type: (InstallRequirement) -> None - """ - Set a requirement to be installed. - """ - # Don't uninstall the conflict if doing a user install and the - # conflict is not a user install. - if not self.use_user_site or dist_in_usersite(req.satisfied_by): - req.conflicts_with = req.satisfied_by - req.satisfied_by = None - - # XXX: Stop passing requirement_set for options - def _check_skip_installed(self, req_to_install): - # type: (InstallRequirement) -> Optional[str] - """Check if req_to_install should be skipped. - - This will check if the req is installed, and whether we should upgrade - or reinstall it, taking into account all the relevant user options. - - After calling this req_to_install will only have satisfied_by set to - None if the req_to_install is to be upgraded/reinstalled etc. Any - other value will be a dist recording the current thing installed that - satisfies the requirement. - - Note that for vcs urls and the like we can't assess skipping in this - routine - we simply identify that we need to pull the thing down, - then later on it is pulled down and introspected to assess upgrade/ - reinstalls etc. - - :return: A text reason for why it was skipped, or None. - """ - if self.ignore_installed: - return None - - req_to_install.check_if_exists(self.use_user_site) - if not req_to_install.satisfied_by: - return None - - if self.force_reinstall: - self._set_req_to_reinstall(req_to_install) - return None - - if not self._is_upgrade_allowed(req_to_install): - if self.upgrade_strategy == "only-if-needed": - return 'already satisfied, skipping upgrade' - return 'already satisfied' - - # Check for the possibility of an upgrade. For link-based - # requirements we have to pull the tree down and inspect to assess - # the version #, so it's handled way down. - if not req_to_install.link: - try: - self.finder.find_requirement(req_to_install, upgrade=True) - except BestVersionAlreadyInstalled: - # Then the best version is installed. - return 'already up-to-date' - except DistributionNotFound: - # No distribution found, so we squash the error. It will - # be raised later when we re-try later to do the install. - # Why don't we just raise here? - pass - - self._set_req_to_reinstall(req_to_install) - return None - - def _get_abstract_dist_for(self, req): - # type: (InstallRequirement) -> DistAbstraction - """Takes a InstallRequirement and returns a single AbstractDist \ - representing a prepared variant of the same. - """ - assert self.require_hashes is not None, ( - "require_hashes should have been set in Resolver.resolve()" - ) - - if req.editable: - return self.preparer.prepare_editable_requirement( - req, self.require_hashes, self.use_user_site, self.finder, - ) - - # satisfied_by is only evaluated by calling _check_skip_installed, - # so it must be None here. - assert req.satisfied_by is None - skip_reason = self._check_skip_installed(req) - - if req.satisfied_by: - return self.preparer.prepare_installed_requirement( - req, self.require_hashes, skip_reason - ) - - upgrade_allowed = self._is_upgrade_allowed(req) - abstract_dist = self.preparer.prepare_linked_requirement( - req, self.session, self.finder, upgrade_allowed, - self.require_hashes - ) - - # NOTE - # The following portion is for determining if a certain package is - # going to be re-installed/upgraded or not and reporting to the user. - # This should probably get cleaned up in a future refactor. - - # req.req is only avail after unpack for URL - # pkgs repeat check_if_exists to uninstall-on-upgrade - # (#14) - if not self.ignore_installed: - req.check_if_exists(self.use_user_site) - - if req.satisfied_by: - should_modify = ( - self.upgrade_strategy != "to-satisfy-only" or - self.force_reinstall or - self.ignore_installed or - req.link.scheme == 'file' - ) - if should_modify: - self._set_req_to_reinstall(req) - else: - logger.info( - 'Requirement already satisfied (use --upgrade to upgrade):' - ' %s', req, - ) - - return abstract_dist - - def _resolve_one( - self, - requirement_set, # type: RequirementSet - req_to_install # type: InstallRequirement - ): - # type: (...) -> List[InstallRequirement] - """Prepare a single requirements file. - - :return: A list of additional InstallRequirements to also install. - """ - # Tell user what we are doing for this requirement: - # obtain (editable), skipping, processing (local url), collecting - # (remote url or package name) - if req_to_install.constraint or req_to_install.prepared: - return [] - - req_to_install.prepared = True - - # register tmp src for cleanup in case something goes wrong - requirement_set.reqs_to_cleanup.append(req_to_install) - - abstract_dist = self._get_abstract_dist_for(req_to_install) - - # Parse and return dependencies - dist = abstract_dist.dist() - try: - check_dist_requires_python(dist) - except UnsupportedPythonVersion as err: - if self.ignore_requires_python: - logger.warning(err.args[0]) - else: - raise - - more_reqs = [] # type: List[InstallRequirement] - - def add_req(subreq, extras_requested): - sub_install_req = install_req_from_req_string( - str(subreq), - req_to_install, - isolated=self.isolated, - wheel_cache=self.wheel_cache, - use_pep517=self.use_pep517 - ) - parent_req_name = req_to_install.name - to_scan_again, add_to_parent = requirement_set.add_requirement( - sub_install_req, - parent_req_name=parent_req_name, - extras_requested=extras_requested, - ) - if parent_req_name and add_to_parent: - self._discovered_dependencies[parent_req_name].append( - add_to_parent - ) - more_reqs.extend(to_scan_again) - - with indent_log(): - # We add req_to_install before its dependencies, so that we - # can refer to it when adding dependencies. - if not requirement_set.has_requirement(req_to_install.name): - # 'unnamed' requirements will get added here - req_to_install.is_direct = True - requirement_set.add_requirement( - req_to_install, parent_req_name=None, - ) - - if not self.ignore_dependencies: - if req_to_install.extras: - logger.debug( - "Installing extra requirements: %r", - ','.join(req_to_install.extras), - ) - missing_requested = sorted( - set(req_to_install.extras) - set(dist.extras) - ) - for missing in missing_requested: - logger.warning( - '%s does not provide the extra \'%s\'', - dist, missing - ) - - available_requested = sorted( - set(dist.extras) & set(req_to_install.extras) - ) - for subreq in dist.requires(available_requested): - add_req(subreq, extras_requested=available_requested) - - if not req_to_install.editable and not req_to_install.satisfied_by: - # XXX: --no-install leads this to report 'Successfully - # downloaded' for only non-editable reqs, even though we took - # action on them. - requirement_set.successfully_downloaded.append(req_to_install) - - return more_reqs - - def get_installation_order(self, req_set): - # type: (RequirementSet) -> List[InstallRequirement] - """Create the installation order. - - The installation order is topological - requirements are installed - before the requiring thing. We break cycles at an arbitrary point, - and make no other guarantees. - """ - # The current implementation, which we may change at any point - # installs the user specified things in the order given, except when - # dependencies must come earlier to achieve topological order. - order = [] - ordered_reqs = set() # type: Set[InstallRequirement] - - def schedule(req): - if req.satisfied_by or req in ordered_reqs: - return - if req.constraint: - return - ordered_reqs.add(req) - for dep in self._discovered_dependencies[req.name]: - schedule(dep) - order.append(req) - - for install_req in req_set.requirements.values(): - schedule(install_req) - return order diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/appdirs.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/appdirs.py deleted file mode 100644 index 9af9fa7..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/appdirs.py +++ /dev/null @@ -1,270 +0,0 @@ -""" -This code was taken from https://github.com/ActiveState/appdirs and modified -to suit our purposes. -""" -from __future__ import absolute_import - -import os -import sys - -from pip._vendor.six import PY2, text_type - -from pip._internal.utils.compat import WINDOWS, expanduser -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import ( # noqa: F401 - List, Union - ) - - -def user_cache_dir(appname): - # type: (str) -> str - r""" - Return full path to the user-specific cache dir for this application. - - "appname" is the name of application. - - Typical user cache directories are: - macOS: ~/Library/Caches/<AppName> - Unix: ~/.cache/<AppName> (XDG default) - Windows: C:\Users\<username>\AppData\Local\<AppName>\Cache - - On Windows the only suggestion in the MSDN docs is that local settings go - in the `CSIDL_LOCAL_APPDATA` directory. This is identical to the - non-roaming app data dir (the default returned by `user_data_dir`). Apps - typically put cache data somewhere *under* the given dir here. Some - examples: - ...\Mozilla\Firefox\Profiles\<ProfileName>\Cache - ...\Acme\SuperApp\Cache\1.0 - - OPINION: This function appends "Cache" to the `CSIDL_LOCAL_APPDATA` value. - """ - if WINDOWS: - # Get the base path - path = os.path.normpath(_get_win_folder("CSIDL_LOCAL_APPDATA")) - - # When using Python 2, return paths as bytes on Windows like we do on - # other operating systems. See helper function docs for more details. - if PY2 and isinstance(path, text_type): - path = _win_path_to_bytes(path) - - # Add our app name and Cache directory to it - path = os.path.join(path, appname, "Cache") - elif sys.platform == "darwin": - # Get the base path - path = expanduser("~/Library/Caches") - - # Add our app name to it - path = os.path.join(path, appname) - else: - # Get the base path - path = os.getenv("XDG_CACHE_HOME", expanduser("~/.cache")) - - # Add our app name to it - path = os.path.join(path, appname) - - return path - - -def user_data_dir(appname, roaming=False): - # type: (str, bool) -> str - r""" - Return full path to the user-specific data dir for this application. - - "appname" is the name of application. - If None, just the system directory is returned. - "roaming" (boolean, default False) can be set True to use the Windows - roaming appdata directory. That means that for users on a Windows - network setup for roaming profiles, this user data will be - sync'd on login. See - <http://technet.microsoft.com/en-us/library/cc766489(WS.10).aspx> - for a discussion of issues. - - Typical user data directories are: - macOS: ~/Library/Application Support/<AppName> - if it exists, else ~/.config/<AppName> - Unix: ~/.local/share/<AppName> # or in - $XDG_DATA_HOME, if defined - Win XP (not roaming): C:\Documents and Settings\<username>\ ... - ...Application Data\<AppName> - Win XP (roaming): C:\Documents and Settings\<username>\Local ... - ...Settings\Application Data\<AppName> - Win 7 (not roaming): C:\\Users\<username>\AppData\Local\<AppName> - Win 7 (roaming): C:\\Users\<username>\AppData\Roaming\<AppName> - - For Unix, we follow the XDG spec and support $XDG_DATA_HOME. - That means, by default "~/.local/share/<AppName>". - """ - if WINDOWS: - const = roaming and "CSIDL_APPDATA" or "CSIDL_LOCAL_APPDATA" - path = os.path.join(os.path.normpath(_get_win_folder(const)), appname) - elif sys.platform == "darwin": - path = os.path.join( - expanduser('~/Library/Application Support/'), - appname, - ) if os.path.isdir(os.path.join( - expanduser('~/Library/Application Support/'), - appname, - ) - ) else os.path.join( - expanduser('~/.config/'), - appname, - ) - else: - path = os.path.join( - os.getenv('XDG_DATA_HOME', expanduser("~/.local/share")), - appname, - ) - - return path - - -def user_config_dir(appname, roaming=True): - # type: (str, bool) -> str - """Return full path to the user-specific config dir for this application. - - "appname" is the name of application. - If None, just the system directory is returned. - "roaming" (boolean, default True) can be set False to not use the - Windows roaming appdata directory. That means that for users on a - Windows network setup for roaming profiles, this user data will be - sync'd on login. See - <http://technet.microsoft.com/en-us/library/cc766489(WS.10).aspx> - for a discussion of issues. - - Typical user data directories are: - macOS: same as user_data_dir - Unix: ~/.config/<AppName> - Win *: same as user_data_dir - - For Unix, we follow the XDG spec and support $XDG_CONFIG_HOME. - That means, by default "~/.config/<AppName>". - """ - if WINDOWS: - path = user_data_dir(appname, roaming=roaming) - elif sys.platform == "darwin": - path = user_data_dir(appname) - else: - path = os.getenv('XDG_CONFIG_HOME', expanduser("~/.config")) - path = os.path.join(path, appname) - - return path - - -# for the discussion regarding site_config_dirs locations -# see <https://github.com/pypa/pip/issues/1733> -def site_config_dirs(appname): - # type: (str) -> List[str] - r"""Return a list of potential user-shared config dirs for this application. - - "appname" is the name of application. - - Typical user config directories are: - macOS: /Library/Application Support/<AppName>/ - Unix: /etc or $XDG_CONFIG_DIRS[i]/<AppName>/ for each value in - $XDG_CONFIG_DIRS - Win XP: C:\Documents and Settings\All Users\Application ... - ...Data\<AppName>\ - Vista: (Fail! "C:\ProgramData" is a hidden *system* directory - on Vista.) - Win 7: Hidden, but writeable on Win 7: - C:\ProgramData\<AppName>\ - """ - if WINDOWS: - path = os.path.normpath(_get_win_folder("CSIDL_COMMON_APPDATA")) - pathlist = [os.path.join(path, appname)] - elif sys.platform == 'darwin': - pathlist = [os.path.join('/Library/Application Support', appname)] - else: - # try looking in $XDG_CONFIG_DIRS - xdg_config_dirs = os.getenv('XDG_CONFIG_DIRS', '/etc/xdg') - if xdg_config_dirs: - pathlist = [ - os.path.join(expanduser(x), appname) - for x in xdg_config_dirs.split(os.pathsep) - ] - else: - pathlist = [] - - # always look in /etc directly as well - pathlist.append('/etc') - - return pathlist - - -# -- Windows support functions -- - -def _get_win_folder_from_registry(csidl_name): - # type: (str) -> str - """ - This is a fallback technique at best. I'm not sure if using the - registry for this guarantees us the correct answer for all CSIDL_* - names. - """ - import _winreg - - shell_folder_name = { - "CSIDL_APPDATA": "AppData", - "CSIDL_COMMON_APPDATA": "Common AppData", - "CSIDL_LOCAL_APPDATA": "Local AppData", - }[csidl_name] - - key = _winreg.OpenKey( - _winreg.HKEY_CURRENT_USER, - r"Software\Microsoft\Windows\CurrentVersion\Explorer\Shell Folders" - ) - directory, _type = _winreg.QueryValueEx(key, shell_folder_name) - return directory - - -def _get_win_folder_with_ctypes(csidl_name): - # type: (str) -> str - csidl_const = { - "CSIDL_APPDATA": 26, - "CSIDL_COMMON_APPDATA": 35, - "CSIDL_LOCAL_APPDATA": 28, - }[csidl_name] - - buf = ctypes.create_unicode_buffer(1024) - ctypes.windll.shell32.SHGetFolderPathW(None, csidl_const, None, 0, buf) - - # Downgrade to short path name if have highbit chars. See - # <http://bugs.activestate.com/show_bug.cgi?id=85099>. - has_high_char = False - for c in buf: - if ord(c) > 255: - has_high_char = True - break - if has_high_char: - buf2 = ctypes.create_unicode_buffer(1024) - if ctypes.windll.kernel32.GetShortPathNameW(buf.value, buf2, 1024): - buf = buf2 - - return buf.value - - -if WINDOWS: - try: - import ctypes - _get_win_folder = _get_win_folder_with_ctypes - except ImportError: - _get_win_folder = _get_win_folder_from_registry - - -def _win_path_to_bytes(path): - """Encode Windows paths to bytes. Only used on Python 2. - - Motivation is to be consistent with other operating systems where paths - are also returned as bytes. This avoids problems mixing bytes and Unicode - elsewhere in the codebase. For more details and discussion see - <https://github.com/pypa/pip/issues/3463>. - - If encoding using ASCII and MBCS fails, return the original Unicode path. - """ - for encoding in ('ASCII', 'MBCS'): - try: - return path.encode(encoding) - except (UnicodeEncodeError, LookupError): - pass - return path diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/compat.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/compat.py deleted file mode 100644 index 2d8b3bf..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/compat.py +++ /dev/null @@ -1,264 +0,0 @@ -"""Stuff that differs in different Python versions and platform -distributions.""" -from __future__ import absolute_import, division - -import codecs -import locale -import logging -import os -import shutil -import sys - -from pip._vendor.six import text_type - -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import Tuple, Text # noqa: F401 - -try: - import ipaddress -except ImportError: - try: - from pip._vendor import ipaddress # type: ignore - except ImportError: - import ipaddr as ipaddress # type: ignore - ipaddress.ip_address = ipaddress.IPAddress # type: ignore - ipaddress.ip_network = ipaddress.IPNetwork # type: ignore - - -__all__ = [ - "ipaddress", "uses_pycache", "console_to_str", "native_str", - "get_path_uid", "stdlib_pkgs", "WINDOWS", "samefile", "get_terminal_size", - "get_extension_suffixes", -] - - -logger = logging.getLogger(__name__) - -if sys.version_info >= (3, 4): - uses_pycache = True - from importlib.util import cache_from_source -else: - import imp - - try: - cache_from_source = imp.cache_from_source # type: ignore - except AttributeError: - # does not use __pycache__ - cache_from_source = None - - uses_pycache = cache_from_source is not None - - -if sys.version_info >= (3, 5): - backslashreplace_decode = "backslashreplace" -else: - # In version 3.4 and older, backslashreplace exists - # but does not support use for decoding. - # We implement our own replace handler for this - # situation, so that we can consistently use - # backslash replacement for all versions. - def backslashreplace_decode_fn(err): - raw_bytes = (err.object[i] for i in range(err.start, err.end)) - if sys.version_info[0] == 2: - # Python 2 gave us characters - convert to numeric bytes - raw_bytes = (ord(b) for b in raw_bytes) - return u"".join(u"\\x%x" % c for c in raw_bytes), err.end - codecs.register_error( - "backslashreplace_decode", - backslashreplace_decode_fn, - ) - backslashreplace_decode = "backslashreplace_decode" - - -def console_to_str(data): - # type: (bytes) -> Text - """Return a string, safe for output, of subprocess output. - - We assume the data is in the locale preferred encoding. - If it won't decode properly, we warn the user but decode as - best we can. - - We also ensure that the output can be safely written to - standard output without encoding errors. - """ - - # First, get the encoding we assume. This is the preferred - # encoding for the locale, unless that is not found, or - # it is ASCII, in which case assume UTF-8 - encoding = locale.getpreferredencoding() - if (not encoding) or codecs.lookup(encoding).name == "ascii": - encoding = "utf-8" - - # Now try to decode the data - if we fail, warn the user and - # decode with replacement. - try: - decoded_data = data.decode(encoding) - except UnicodeDecodeError: - logger.warning( - "Subprocess output does not appear to be encoded as %s", - encoding, - ) - decoded_data = data.decode(encoding, errors=backslashreplace_decode) - - # Make sure we can print the output, by encoding it to the output - # encoding with replacement of unencodable characters, and then - # decoding again. - # We use stderr's encoding because it's less likely to be - # redirected and if we don't find an encoding we skip this - # step (on the assumption that output is wrapped by something - # that won't fail). - # The double getattr is to deal with the possibility that we're - # being called in a situation where sys.__stderr__ doesn't exist, - # or doesn't have an encoding attribute. Neither of these cases - # should occur in normal pip use, but there's no harm in checking - # in case people use pip in (unsupported) unusual situations. - output_encoding = getattr(getattr(sys, "__stderr__", None), - "encoding", None) - - if output_encoding: - output_encoded = decoded_data.encode( - output_encoding, - errors="backslashreplace" - ) - decoded_data = output_encoded.decode(output_encoding) - - return decoded_data - - -if sys.version_info >= (3,): - def native_str(s, replace=False): - # type: (str, bool) -> str - if isinstance(s, bytes): - return s.decode('utf-8', 'replace' if replace else 'strict') - return s - -else: - def native_str(s, replace=False): - # type: (str, bool) -> str - # Replace is ignored -- unicode to UTF-8 can't fail - if isinstance(s, text_type): - return s.encode('utf-8') - return s - - -def get_path_uid(path): - # type: (str) -> int - """ - Return path's uid. - - Does not follow symlinks: - https://github.com/pypa/pip/pull/935#discussion_r5307003 - - Placed this function in compat due to differences on AIX and - Jython, that should eventually go away. - - :raises OSError: When path is a symlink or can't be read. - """ - if hasattr(os, 'O_NOFOLLOW'): - fd = os.open(path, os.O_RDONLY | os.O_NOFOLLOW) - file_uid = os.fstat(fd).st_uid - os.close(fd) - else: # AIX and Jython - # WARNING: time of check vulnerability, but best we can do w/o NOFOLLOW - if not os.path.islink(path): - # older versions of Jython don't have `os.fstat` - file_uid = os.stat(path).st_uid - else: - # raise OSError for parity with os.O_NOFOLLOW above - raise OSError( - "%s is a symlink; Will not return uid for symlinks" % path - ) - return file_uid - - -if sys.version_info >= (3, 4): - from importlib.machinery import EXTENSION_SUFFIXES - - def get_extension_suffixes(): - return EXTENSION_SUFFIXES -else: - from imp import get_suffixes - - def get_extension_suffixes(): - return [suffix[0] for suffix in get_suffixes()] - - -def expanduser(path): - # type: (str) -> str - """ - Expand ~ and ~user constructions. - - Includes a workaround for https://bugs.python.org/issue14768 - """ - expanded = os.path.expanduser(path) - if path.startswith('~/') and expanded.startswith('//'): - expanded = expanded[1:] - return expanded - - -# packages in the stdlib that may have installation metadata, but should not be -# considered 'installed'. this theoretically could be determined based on -# dist.location (py27:`sysconfig.get_paths()['stdlib']`, -# py26:sysconfig.get_config_vars('LIBDEST')), but fear platform variation may -# make this ineffective, so hard-coding -stdlib_pkgs = {"python", "wsgiref", "argparse"} - - -# windows detection, covers cpython and ironpython -WINDOWS = (sys.platform.startswith("win") or - (sys.platform == 'cli' and os.name == 'nt')) - - -def samefile(file1, file2): - # type: (str, str) -> bool - """Provide an alternative for os.path.samefile on Windows/Python2""" - if hasattr(os.path, 'samefile'): - return os.path.samefile(file1, file2) - else: - path1 = os.path.normcase(os.path.abspath(file1)) - path2 = os.path.normcase(os.path.abspath(file2)) - return path1 == path2 - - -if hasattr(shutil, 'get_terminal_size'): - def get_terminal_size(): - # type: () -> Tuple[int, int] - """ - Returns a tuple (x, y) representing the width(x) and the height(y) - in characters of the terminal window. - """ - return tuple(shutil.get_terminal_size()) # type: ignore -else: - def get_terminal_size(): - # type: () -> Tuple[int, int] - """ - Returns a tuple (x, y) representing the width(x) and the height(y) - in characters of the terminal window. - """ - def ioctl_GWINSZ(fd): - try: - import fcntl - import termios - import struct - cr = struct.unpack_from( - 'hh', - fcntl.ioctl(fd, termios.TIOCGWINSZ, '12345678') - ) - except Exception: - return None - if cr == (0, 0): - return None - return cr - cr = ioctl_GWINSZ(0) or ioctl_GWINSZ(1) or ioctl_GWINSZ(2) - if not cr: - try: - fd = os.open(os.ctermid(), os.O_RDONLY) - cr = ioctl_GWINSZ(fd) - os.close(fd) - except Exception: - pass - if not cr: - cr = (os.environ.get('LINES', 25), os.environ.get('COLUMNS', 80)) - return int(cr[1]), int(cr[0]) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/deprecation.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/deprecation.py deleted file mode 100644 index 0beaf74..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/deprecation.py +++ /dev/null @@ -1,90 +0,0 @@ -""" -A module that implements tooling to enable easy warnings about deprecations. -""" -from __future__ import absolute_import - -import logging -import warnings - -from pip._vendor.packaging.version import parse - -from pip import __version__ as current_version -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import Any, Optional # noqa: F401 - - -class PipDeprecationWarning(Warning): - pass - - -_original_showwarning = None # type: Any - - -# Warnings <-> Logging Integration -def _showwarning(message, category, filename, lineno, file=None, line=None): - if file is not None: - if _original_showwarning is not None: - _original_showwarning( - message, category, filename, lineno, file, line, - ) - elif issubclass(category, PipDeprecationWarning): - # We use a specially named logger which will handle all of the - # deprecation messages for pip. - logger = logging.getLogger("pip._internal.deprecations") - logger.warning(message) - else: - _original_showwarning( - message, category, filename, lineno, file, line, - ) - - -def install_warning_logger(): - # type: () -> None - # Enable our Deprecation Warnings - warnings.simplefilter("default", PipDeprecationWarning, append=True) - - global _original_showwarning - - if _original_showwarning is None: - _original_showwarning = warnings.showwarning - warnings.showwarning = _showwarning - - -def deprecated(reason, replacement, gone_in, issue=None): - # type: (str, Optional[str], Optional[str], Optional[int]) -> None - """Helper to deprecate existing functionality. - - reason: - Textual reason shown to the user about why this functionality has - been deprecated. - replacement: - Textual suggestion shown to the user about what alternative - functionality they can use. - gone_in: - The version of pip does this functionality should get removed in. - Raises errors if pip's current version is greater than or equal to - this. - issue: - Issue number on the tracker that would serve as a useful place for - users to find related discussion and provide feedback. - - Always pass replacement, gone_in and issue as keyword arguments for clarity - at the call site. - """ - - # Construct a nice message. - # This is purposely eagerly formatted as we want it to appear as if someone - # typed this entire message out. - message = "DEPRECATION: " + reason - if replacement is not None: - message += " A possible replacement is {}.".format(replacement) - if issue is not None: - url = "https://github.com/pypa/pip/issues/" + str(issue) - message += " You can find discussion regarding this at {}.".format(url) - - # Raise as an error if it has to be removed. - if gone_in is not None and parse(current_version) >= parse(gone_in): - raise PipDeprecationWarning(message) - warnings.warn(message, category=PipDeprecationWarning, stacklevel=2) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/encoding.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/encoding.py deleted file mode 100644 index d36defa..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/encoding.py +++ /dev/null @@ -1,39 +0,0 @@ -import codecs -import locale -import re -import sys - -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import List, Tuple, Text # noqa: F401 - -BOMS = [ - (codecs.BOM_UTF8, 'utf8'), - (codecs.BOM_UTF16, 'utf16'), - (codecs.BOM_UTF16_BE, 'utf16-be'), - (codecs.BOM_UTF16_LE, 'utf16-le'), - (codecs.BOM_UTF32, 'utf32'), - (codecs.BOM_UTF32_BE, 'utf32-be'), - (codecs.BOM_UTF32_LE, 'utf32-le'), -] # type: List[Tuple[bytes, Text]] - -ENCODING_RE = re.compile(br'coding[:=]\s*([-\w.]+)') - - -def auto_decode(data): - # type: (bytes) -> Text - """Check a bytes string for a BOM to correctly detect the encoding - - Fallback to locale.getpreferredencoding(False) like open() on Python3""" - for bom, encoding in BOMS: - if data.startswith(bom): - return data[len(bom):].decode(encoding) - # Lets check the first two lines as in PEP263 - for line in data.split(b'\n')[:2]: - if line[0:1] == b'#' and ENCODING_RE.search(line): - encoding = ENCODING_RE.search(line).groups()[0].decode('ascii') - return data.decode(encoding) - return data.decode( - locale.getpreferredencoding(False) or sys.getdefaultencoding(), - ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/filesystem.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/filesystem.py deleted file mode 100644 index 1e6b033..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/filesystem.py +++ /dev/null @@ -1,30 +0,0 @@ -import os -import os.path - -from pip._internal.utils.compat import get_path_uid - - -def check_path_owner(path): - # type: (str) -> bool - # If we don't have a way to check the effective uid of this process, then - # we'll just assume that we own the directory. - if not hasattr(os, "geteuid"): - return True - - previous = None - while path != previous: - if os.path.lexists(path): - # Check if path is writable by current user. - if os.geteuid() == 0: - # Special handling for root user in order to handle properly - # cases where users use sudo without -H flag. - try: - path_uid = get_path_uid(path) - except OSError: - return False - return path_uid == 0 - else: - return os.access(path, os.W_OK) - else: - previous, path = path, os.path.dirname(path) - return False # assume we don't own the path diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/hashes.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/hashes.py deleted file mode 100644 index c6df7a1..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/hashes.py +++ /dev/null @@ -1,115 +0,0 @@ -from __future__ import absolute_import - -import hashlib - -from pip._vendor.six import iteritems, iterkeys, itervalues - -from pip._internal.exceptions import ( - HashMismatch, HashMissing, InstallationError, -) -from pip._internal.utils.misc import read_chunks -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import ( # noqa: F401 - Dict, List, BinaryIO, NoReturn, Iterator - ) - from pip._vendor.six import PY3 - if PY3: - from hashlib import _Hash # noqa: F401 - else: - from hashlib import _hash as _Hash # noqa: F401 - - -# The recommended hash algo of the moment. Change this whenever the state of -# the art changes; it won't hurt backward compatibility. -FAVORITE_HASH = 'sha256' - - -# Names of hashlib algorithms allowed by the --hash option and ``pip hash`` -# Currently, those are the ones at least as collision-resistant as sha256. -STRONG_HASHES = ['sha256', 'sha384', 'sha512'] - - -class Hashes(object): - """A wrapper that builds multiple hashes at once and checks them against - known-good values - - """ - def __init__(self, hashes=None): - # type: (Dict[str, List[str]]) -> None - """ - :param hashes: A dict of algorithm names pointing to lists of allowed - hex digests - """ - self._allowed = {} if hashes is None else hashes - - def check_against_chunks(self, chunks): - # type: (Iterator[bytes]) -> None - """Check good hashes against ones built from iterable of chunks of - data. - - Raise HashMismatch if none match. - - """ - gots = {} - for hash_name in iterkeys(self._allowed): - try: - gots[hash_name] = hashlib.new(hash_name) - except (ValueError, TypeError): - raise InstallationError('Unknown hash name: %s' % hash_name) - - for chunk in chunks: - for hash in itervalues(gots): - hash.update(chunk) - - for hash_name, got in iteritems(gots): - if got.hexdigest() in self._allowed[hash_name]: - return - self._raise(gots) - - def _raise(self, gots): - # type: (Dict[str, _Hash]) -> NoReturn - raise HashMismatch(self._allowed, gots) - - def check_against_file(self, file): - # type: (BinaryIO) -> None - """Check good hashes against a file-like object - - Raise HashMismatch if none match. - - """ - return self.check_against_chunks(read_chunks(file)) - - def check_against_path(self, path): - # type: (str) -> None - with open(path, 'rb') as file: - return self.check_against_file(file) - - def __nonzero__(self): - # type: () -> bool - """Return whether I know any known-good hashes.""" - return bool(self._allowed) - - def __bool__(self): - # type: () -> bool - return self.__nonzero__() - - -class MissingHashes(Hashes): - """A workalike for Hashes used when we're missing a hash for a requirement - - It computes the actual hash of the requirement and raises a HashMissing - exception showing it to the user. - - """ - def __init__(self): - # type: () -> None - """Don't offer the ``hashes`` kwarg.""" - # Pass our favorite hash in to generate a "gotten hash". With the - # empty list, it will never match, so an error will always raise. - super(MissingHashes, self).__init__(hashes={FAVORITE_HASH: []}) - - def _raise(self, gots): - # type: (Dict[str, _Hash]) -> NoReturn - raise HashMissing(gots[FAVORITE_HASH].hexdigest()) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/logging.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/logging.py deleted file mode 100644 index 579d696..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/logging.py +++ /dev/null @@ -1,318 +0,0 @@ -from __future__ import absolute_import - -import contextlib -import errno -import logging -import logging.handlers -import os -import sys - -from pip._vendor.six import PY2 - -from pip._internal.utils.compat import WINDOWS -from pip._internal.utils.misc import ensure_dir - -try: - import threading -except ImportError: - import dummy_threading as threading # type: ignore - - -try: - from pip._vendor import colorama -# Lots of different errors can come from this, including SystemError and -# ImportError. -except Exception: - colorama = None - - -_log_state = threading.local() -_log_state.indentation = 0 - - -class BrokenStdoutLoggingError(Exception): - """ - Raised if BrokenPipeError occurs for the stdout stream while logging. - """ - pass - - -# BrokenPipeError does not exist in Python 2 and, in addition, manifests -# differently in Windows and non-Windows. -if WINDOWS: - # In Windows, a broken pipe can show up as EINVAL rather than EPIPE: - # https://bugs.python.org/issue19612 - # https://bugs.python.org/issue30418 - if PY2: - def _is_broken_pipe_error(exc_class, exc): - """See the docstring for non-Windows Python 3 below.""" - return (exc_class is IOError and - exc.errno in (errno.EINVAL, errno.EPIPE)) - else: - # In Windows, a broken pipe IOError became OSError in Python 3. - def _is_broken_pipe_error(exc_class, exc): - """See the docstring for non-Windows Python 3 below.""" - return ((exc_class is BrokenPipeError) or # noqa: F821 - (exc_class is OSError and - exc.errno in (errno.EINVAL, errno.EPIPE))) -elif PY2: - def _is_broken_pipe_error(exc_class, exc): - """See the docstring for non-Windows Python 3 below.""" - return (exc_class is IOError and exc.errno == errno.EPIPE) -else: - # Then we are in the non-Windows Python 3 case. - def _is_broken_pipe_error(exc_class, exc): - """ - Return whether an exception is a broken pipe error. - - Args: - exc_class: an exception class. - exc: an exception instance. - """ - return (exc_class is BrokenPipeError) # noqa: F821 - - -@contextlib.contextmanager -def indent_log(num=2): - """ - A context manager which will cause the log output to be indented for any - log messages emitted inside it. - """ - _log_state.indentation += num - try: - yield - finally: - _log_state.indentation -= num - - -def get_indentation(): - return getattr(_log_state, 'indentation', 0) - - -class IndentingFormatter(logging.Formatter): - def __init__(self, *args, **kwargs): - """ - A logging.Formatter obeying containing indent_log contexts. - - :param add_timestamp: A bool indicating output lines should be prefixed - with their record's timestamp. - """ - self.add_timestamp = kwargs.pop("add_timestamp", False) - super(IndentingFormatter, self).__init__(*args, **kwargs) - - def format(self, record): - """ - Calls the standard formatter, but will indent all of the log messages - by our current indentation level. - """ - formatted = super(IndentingFormatter, self).format(record) - prefix = '' - if self.add_timestamp: - prefix = self.formatTime(record, "%Y-%m-%dT%H:%M:%S ") - prefix += " " * get_indentation() - formatted = "".join([ - prefix + line - for line in formatted.splitlines(True) - ]) - return formatted - - -def _color_wrap(*colors): - def wrapped(inp): - return "".join(list(colors) + [inp, colorama.Style.RESET_ALL]) - return wrapped - - -class ColorizedStreamHandler(logging.StreamHandler): - - # Don't build up a list of colors if we don't have colorama - if colorama: - COLORS = [ - # This needs to be in order from highest logging level to lowest. - (logging.ERROR, _color_wrap(colorama.Fore.RED)), - (logging.WARNING, _color_wrap(colorama.Fore.YELLOW)), - ] - else: - COLORS = [] - - def __init__(self, stream=None, no_color=None): - logging.StreamHandler.__init__(self, stream) - self._no_color = no_color - - if WINDOWS and colorama: - self.stream = colorama.AnsiToWin32(self.stream) - - def _using_stdout(self): - """ - Return whether the handler is using sys.stdout. - """ - if WINDOWS and colorama: - # Then self.stream is an AnsiToWin32 object. - return self.stream.wrapped is sys.stdout - - return self.stream is sys.stdout - - def should_color(self): - # Don't colorize things if we do not have colorama or if told not to - if not colorama or self._no_color: - return False - - real_stream = ( - self.stream if not isinstance(self.stream, colorama.AnsiToWin32) - else self.stream.wrapped - ) - - # If the stream is a tty we should color it - if hasattr(real_stream, "isatty") and real_stream.isatty(): - return True - - # If we have an ANSI term we should color it - if os.environ.get("TERM") == "ANSI": - return True - - # If anything else we should not color it - return False - - def format(self, record): - msg = logging.StreamHandler.format(self, record) - - if self.should_color(): - for level, color in self.COLORS: - if record.levelno >= level: - msg = color(msg) - break - - return msg - - # The logging module says handleError() can be customized. - def handleError(self, record): - exc_class, exc = sys.exc_info()[:2] - # If a broken pipe occurred while calling write() or flush() on the - # stdout stream in logging's Handler.emit(), then raise our special - # exception so we can handle it in main() instead of logging the - # broken pipe error and continuing. - if (exc_class and self._using_stdout() and - _is_broken_pipe_error(exc_class, exc)): - raise BrokenStdoutLoggingError() - - return super(ColorizedStreamHandler, self).handleError(record) - - -class BetterRotatingFileHandler(logging.handlers.RotatingFileHandler): - - def _open(self): - ensure_dir(os.path.dirname(self.baseFilename)) - return logging.handlers.RotatingFileHandler._open(self) - - -class MaxLevelFilter(logging.Filter): - - def __init__(self, level): - self.level = level - - def filter(self, record): - return record.levelno < self.level - - -def setup_logging(verbosity, no_color, user_log_file): - """Configures and sets up all of the logging - - Returns the requested logging level, as its integer value. - """ - - # Determine the level to be logging at. - if verbosity >= 1: - level = "DEBUG" - elif verbosity == -1: - level = "WARNING" - elif verbosity == -2: - level = "ERROR" - elif verbosity <= -3: - level = "CRITICAL" - else: - level = "INFO" - - level_number = getattr(logging, level) - - # The "root" logger should match the "console" level *unless* we also need - # to log to a user log file. - include_user_log = user_log_file is not None - if include_user_log: - additional_log_file = user_log_file - root_level = "DEBUG" - else: - additional_log_file = "/dev/null" - root_level = level - - # Disable any logging besides WARNING unless we have DEBUG level logging - # enabled for vendored libraries. - vendored_log_level = "WARNING" if level in ["INFO", "ERROR"] else "DEBUG" - - # Shorthands for clarity - log_streams = { - "stdout": "ext://sys.stdout", - "stderr": "ext://sys.stderr", - } - handler_classes = { - "stream": "pip._internal.utils.logging.ColorizedStreamHandler", - "file": "pip._internal.utils.logging.BetterRotatingFileHandler", - } - - logging.config.dictConfig({ - "version": 1, - "disable_existing_loggers": False, - "filters": { - "exclude_warnings": { - "()": "pip._internal.utils.logging.MaxLevelFilter", - "level": logging.WARNING, - }, - }, - "formatters": { - "indent": { - "()": IndentingFormatter, - "format": "%(message)s", - }, - "indent_with_timestamp": { - "()": IndentingFormatter, - "format": "%(message)s", - "add_timestamp": True, - }, - }, - "handlers": { - "console": { - "level": level, - "class": handler_classes["stream"], - "no_color": no_color, - "stream": log_streams["stdout"], - "filters": ["exclude_warnings"], - "formatter": "indent", - }, - "console_errors": { - "level": "WARNING", - "class": handler_classes["stream"], - "no_color": no_color, - "stream": log_streams["stderr"], - "formatter": "indent", - }, - "user_log": { - "level": "DEBUG", - "class": handler_classes["file"], - "filename": additional_log_file, - "delay": True, - "formatter": "indent_with_timestamp", - }, - }, - "root": { - "level": root_level, - "handlers": ["console", "console_errors"] + ( - ["user_log"] if include_user_log else [] - ), - }, - "loggers": { - "pip._vendor": { - "level": vendored_log_level - } - }, - }) - - return level_number diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/misc.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/misc.py deleted file mode 100644 index 84605ee..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/misc.py +++ /dev/null @@ -1,1040 +0,0 @@ -from __future__ import absolute_import - -import contextlib -import errno -import io -import locale -# we have a submodule named 'logging' which would shadow this if we used the -# regular name: -import logging as std_logging -import os -import posixpath -import re -import shutil -import stat -import subprocess -import sys -import tarfile -import zipfile -from collections import deque - -from pip._vendor import pkg_resources -# NOTE: retrying is not annotated in typeshed as on 2017-07-17, which is -# why we ignore the type on this import. -from pip._vendor.retrying import retry # type: ignore -from pip._vendor.six import PY2 -from pip._vendor.six.moves import input -from pip._vendor.six.moves.urllib import parse as urllib_parse -from pip._vendor.six.moves.urllib.parse import unquote as urllib_unquote - -from pip._internal.exceptions import CommandError, InstallationError -from pip._internal.locations import ( - running_under_virtualenv, site_packages, user_site, virtualenv_no_global, - write_delete_marker_file, -) -from pip._internal.utils.compat import ( - WINDOWS, console_to_str, expanduser, stdlib_pkgs, -) -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if PY2: - from io import BytesIO as StringIO -else: - from io import StringIO - -if MYPY_CHECK_RUNNING: - from typing import ( # noqa: F401 - Optional, Tuple, Iterable, List, Match, Union, Any, Mapping, Text, - AnyStr, Container - ) - from pip._vendor.pkg_resources import Distribution # noqa: F401 - from pip._internal.models.link import Link # noqa: F401 - from pip._internal.utils.ui import SpinnerInterface # noqa: F401 - - -__all__ = ['rmtree', 'display_path', 'backup_dir', - 'ask', 'splitext', - 'format_size', 'is_installable_dir', - 'is_svn_page', 'file_contents', - 'split_leading_dir', 'has_leading_dir', - 'normalize_path', - 'renames', 'get_prog', - 'unzip_file', 'untar_file', 'unpack_file', 'call_subprocess', - 'captured_stdout', 'ensure_dir', - 'ARCHIVE_EXTENSIONS', 'SUPPORTED_EXTENSIONS', 'WHEEL_EXTENSION', - 'get_installed_version', 'remove_auth_from_url'] - - -logger = std_logging.getLogger(__name__) - -WHEEL_EXTENSION = '.whl' -BZ2_EXTENSIONS = ('.tar.bz2', '.tbz') -XZ_EXTENSIONS = ('.tar.xz', '.txz', '.tlz', '.tar.lz', '.tar.lzma') -ZIP_EXTENSIONS = ('.zip', WHEEL_EXTENSION) -TAR_EXTENSIONS = ('.tar.gz', '.tgz', '.tar') -ARCHIVE_EXTENSIONS = ( - ZIP_EXTENSIONS + BZ2_EXTENSIONS + TAR_EXTENSIONS + XZ_EXTENSIONS) -SUPPORTED_EXTENSIONS = ZIP_EXTENSIONS + TAR_EXTENSIONS - -try: - import bz2 # noqa - SUPPORTED_EXTENSIONS += BZ2_EXTENSIONS -except ImportError: - logger.debug('bz2 module is not available') - -try: - # Only for Python 3.3+ - import lzma # noqa - SUPPORTED_EXTENSIONS += XZ_EXTENSIONS -except ImportError: - logger.debug('lzma module is not available') - - -def ensure_dir(path): - # type: (AnyStr) -> None - """os.path.makedirs without EEXIST.""" - try: - os.makedirs(path) - except OSError as e: - if e.errno != errno.EEXIST: - raise - - -def get_prog(): - # type: () -> str - try: - prog = os.path.basename(sys.argv[0]) - if prog in ('__main__.py', '-c'): - return "%s -m pip" % sys.executable - else: - return prog - except (AttributeError, TypeError, IndexError): - pass - return 'pip' - - -# Retry every half second for up to 3 seconds -@retry(stop_max_delay=3000, wait_fixed=500) -def rmtree(dir, ignore_errors=False): - # type: (str, bool) -> None - shutil.rmtree(dir, ignore_errors=ignore_errors, - onerror=rmtree_errorhandler) - - -def rmtree_errorhandler(func, path, exc_info): - """On Windows, the files in .svn are read-only, so when rmtree() tries to - remove them, an exception is thrown. We catch that here, remove the - read-only attribute, and hopefully continue without problems.""" - # if file type currently read only - if os.stat(path).st_mode & stat.S_IREAD: - # convert to read/write - os.chmod(path, stat.S_IWRITE) - # use the original function to repeat the operation - func(path) - return - else: - raise - - -def display_path(path): - # type: (Union[str, Text]) -> str - """Gives the display value for a given path, making it relative to cwd - if possible.""" - path = os.path.normcase(os.path.abspath(path)) - if sys.version_info[0] == 2: - path = path.decode(sys.getfilesystemencoding(), 'replace') - path = path.encode(sys.getdefaultencoding(), 'replace') - if path.startswith(os.getcwd() + os.path.sep): - path = '.' + path[len(os.getcwd()):] - return path - - -def backup_dir(dir, ext='.bak'): - # type: (str, str) -> str - """Figure out the name of a directory to back up the given dir to - (adding .bak, .bak2, etc)""" - n = 1 - extension = ext - while os.path.exists(dir + extension): - n += 1 - extension = ext + str(n) - return dir + extension - - -def ask_path_exists(message, options): - # type: (str, Iterable[str]) -> str - for action in os.environ.get('PIP_EXISTS_ACTION', '').split(): - if action in options: - return action - return ask(message, options) - - -def ask(message, options): - # type: (str, Iterable[str]) -> str - """Ask the message interactively, with the given possible responses""" - while 1: - if os.environ.get('PIP_NO_INPUT'): - raise Exception( - 'No input was expected ($PIP_NO_INPUT set); question: %s' % - message - ) - response = input(message) - response = response.strip().lower() - if response not in options: - print( - 'Your response (%r) was not one of the expected responses: ' - '%s' % (response, ', '.join(options)) - ) - else: - return response - - -def format_size(bytes): - # type: (float) -> str - if bytes > 1000 * 1000: - return '%.1fMB' % (bytes / 1000.0 / 1000) - elif bytes > 10 * 1000: - return '%ikB' % (bytes / 1000) - elif bytes > 1000: - return '%.1fkB' % (bytes / 1000.0) - else: - return '%ibytes' % bytes - - -def is_installable_dir(path): - # type: (str) -> bool - """Is path is a directory containing setup.py or pyproject.toml? - """ - if not os.path.isdir(path): - return False - setup_py = os.path.join(path, 'setup.py') - if os.path.isfile(setup_py): - return True - pyproject_toml = os.path.join(path, 'pyproject.toml') - if os.path.isfile(pyproject_toml): - return True - return False - - -def is_svn_page(html): - # type: (Union[str, Text]) -> Optional[Match[Union[str, Text]]] - """ - Returns true if the page appears to be the index page of an svn repository - """ - return (re.search(r'<title>[^<]*Revision \d+:', html) and - re.search(r'Powered by (?:<a[^>]*?>)?Subversion', html, re.I)) - - -def file_contents(filename): - # type: (str) -> Text - with open(filename, 'rb') as fp: - return fp.read().decode('utf-8') - - -def read_chunks(file, size=io.DEFAULT_BUFFER_SIZE): - """Yield pieces of data from a file-like object until EOF.""" - while True: - chunk = file.read(size) - if not chunk: - break - yield chunk - - -def split_leading_dir(path): - # type: (Union[str, Text]) -> List[Union[str, Text]] - path = path.lstrip('/').lstrip('\\') - if '/' in path and (('\\' in path and path.find('/') < path.find('\\')) or - '\\' not in path): - return path.split('/', 1) - elif '\\' in path: - return path.split('\\', 1) - else: - return [path, ''] - - -def has_leading_dir(paths): - # type: (Iterable[Union[str, Text]]) -> bool - """Returns true if all the paths have the same leading path name - (i.e., everything is in one subdirectory in an archive)""" - common_prefix = None - for path in paths: - prefix, rest = split_leading_dir(path) - if not prefix: - return False - elif common_prefix is None: - common_prefix = prefix - elif prefix != common_prefix: - return False - return True - - -def normalize_path(path, resolve_symlinks=True): - # type: (str, bool) -> str - """ - Convert a path to its canonical, case-normalized, absolute version. - - """ - path = expanduser(path) - if resolve_symlinks: - path = os.path.realpath(path) - else: - path = os.path.abspath(path) - return os.path.normcase(path) - - -def splitext(path): - # type: (str) -> Tuple[str, str] - """Like os.path.splitext, but take off .tar too""" - base, ext = posixpath.splitext(path) - if base.lower().endswith('.tar'): - ext = base[-4:] + ext - base = base[:-4] - return base, ext - - -def renames(old, new): - # type: (str, str) -> None - """Like os.renames(), but handles renaming across devices.""" - # Implementation borrowed from os.renames(). - head, tail = os.path.split(new) - if head and tail and not os.path.exists(head): - os.makedirs(head) - - shutil.move(old, new) - - head, tail = os.path.split(old) - if head and tail: - try: - os.removedirs(head) - except OSError: - pass - - -def is_local(path): - # type: (str) -> bool - """ - Return True if path is within sys.prefix, if we're running in a virtualenv. - - If we're not in a virtualenv, all paths are considered "local." - - """ - if not running_under_virtualenv(): - return True - return normalize_path(path).startswith(normalize_path(sys.prefix)) - - -def dist_is_local(dist): - # type: (Distribution) -> bool - """ - Return True if given Distribution object is installed locally - (i.e. within current virtualenv). - - Always True if we're not in a virtualenv. - - """ - return is_local(dist_location(dist)) - - -def dist_in_usersite(dist): - # type: (Distribution) -> bool - """ - Return True if given Distribution is installed in user site. - """ - norm_path = normalize_path(dist_location(dist)) - return norm_path.startswith(normalize_path(user_site)) - - -def dist_in_site_packages(dist): - # type: (Distribution) -> bool - """ - Return True if given Distribution is installed in - sysconfig.get_python_lib(). - """ - return normalize_path( - dist_location(dist) - ).startswith(normalize_path(site_packages)) - - -def dist_is_editable(dist): - # type: (Distribution) -> bool - """ - Return True if given Distribution is an editable install. - """ - for path_item in sys.path: - egg_link = os.path.join(path_item, dist.project_name + '.egg-link') - if os.path.isfile(egg_link): - return True - return False - - -def get_installed_distributions(local_only=True, - skip=stdlib_pkgs, - include_editables=True, - editables_only=False, - user_only=False): - # type: (bool, Container[str], bool, bool, bool) -> List[Distribution] - """ - Return a list of installed Distribution objects. - - If ``local_only`` is True (default), only return installations - local to the current virtualenv, if in a virtualenv. - - ``skip`` argument is an iterable of lower-case project names to - ignore; defaults to stdlib_pkgs - - If ``include_editables`` is False, don't report editables. - - If ``editables_only`` is True , only report editables. - - If ``user_only`` is True , only report installations in the user - site directory. - - """ - if local_only: - local_test = dist_is_local - else: - def local_test(d): - return True - - if include_editables: - def editable_test(d): - return True - else: - def editable_test(d): - return not dist_is_editable(d) - - if editables_only: - def editables_only_test(d): - return dist_is_editable(d) - else: - def editables_only_test(d): - return True - - if user_only: - user_test = dist_in_usersite - else: - def user_test(d): - return True - - # because of pkg_resources vendoring, mypy cannot find stub in typeshed - return [d for d in pkg_resources.working_set # type: ignore - if local_test(d) and - d.key not in skip and - editable_test(d) and - editables_only_test(d) and - user_test(d) - ] - - -def egg_link_path(dist): - # type: (Distribution) -> Optional[str] - """ - Return the path for the .egg-link file if it exists, otherwise, None. - - There's 3 scenarios: - 1) not in a virtualenv - try to find in site.USER_SITE, then site_packages - 2) in a no-global virtualenv - try to find in site_packages - 3) in a yes-global virtualenv - try to find in site_packages, then site.USER_SITE - (don't look in global location) - - For #1 and #3, there could be odd cases, where there's an egg-link in 2 - locations. - - This method will just return the first one found. - """ - sites = [] - if running_under_virtualenv(): - if virtualenv_no_global(): - sites.append(site_packages) - else: - sites.append(site_packages) - if user_site: - sites.append(user_site) - else: - if user_site: - sites.append(user_site) - sites.append(site_packages) - - for site in sites: - egglink = os.path.join(site, dist.project_name) + '.egg-link' - if os.path.isfile(egglink): - return egglink - return None - - -def dist_location(dist): - # type: (Distribution) -> str - """ - Get the site-packages location of this distribution. Generally - this is dist.location, except in the case of develop-installed - packages, where dist.location is the source code location, and we - want to know where the egg-link file is. - - """ - egg_link = egg_link_path(dist) - if egg_link: - return egg_link - return dist.location - - -def current_umask(): - """Get the current umask which involves having to set it temporarily.""" - mask = os.umask(0) - os.umask(mask) - return mask - - -def unzip_file(filename, location, flatten=True): - # type: (str, str, bool) -> None - """ - Unzip the file (with path `filename`) to the destination `location`. All - files are written based on system defaults and umask (i.e. permissions are - not preserved), except that regular file members with any execute - permissions (user, group, or world) have "chmod +x" applied after being - written. Note that for windows, any execute changes using os.chmod are - no-ops per the python docs. - """ - ensure_dir(location) - zipfp = open(filename, 'rb') - try: - zip = zipfile.ZipFile(zipfp, allowZip64=True) - leading = has_leading_dir(zip.namelist()) and flatten - for info in zip.infolist(): - name = info.filename - fn = name - if leading: - fn = split_leading_dir(name)[1] - fn = os.path.join(location, fn) - dir = os.path.dirname(fn) - if fn.endswith('/') or fn.endswith('\\'): - # A directory - ensure_dir(fn) - else: - ensure_dir(dir) - # Don't use read() to avoid allocating an arbitrarily large - # chunk of memory for the file's content - fp = zip.open(name) - try: - with open(fn, 'wb') as destfp: - shutil.copyfileobj(fp, destfp) - finally: - fp.close() - mode = info.external_attr >> 16 - # if mode and regular file and any execute permissions for - # user/group/world? - if mode and stat.S_ISREG(mode) and mode & 0o111: - # make dest file have execute for user/group/world - # (chmod +x) no-op on windows per python docs - os.chmod(fn, (0o777 - current_umask() | 0o111)) - finally: - zipfp.close() - - -def untar_file(filename, location): - # type: (str, str) -> None - """ - Untar the file (with path `filename`) to the destination `location`. - All files are written based on system defaults and umask (i.e. permissions - are not preserved), except that regular file members with any execute - permissions (user, group, or world) have "chmod +x" applied after being - written. Note that for windows, any execute changes using os.chmod are - no-ops per the python docs. - """ - ensure_dir(location) - if filename.lower().endswith('.gz') or filename.lower().endswith('.tgz'): - mode = 'r:gz' - elif filename.lower().endswith(BZ2_EXTENSIONS): - mode = 'r:bz2' - elif filename.lower().endswith(XZ_EXTENSIONS): - mode = 'r:xz' - elif filename.lower().endswith('.tar'): - mode = 'r' - else: - logger.warning( - 'Cannot determine compression type for file %s', filename, - ) - mode = 'r:*' - tar = tarfile.open(filename, mode) - try: - leading = has_leading_dir([ - member.name for member in tar.getmembers() - ]) - for member in tar.getmembers(): - fn = member.name - if leading: - # https://github.com/python/mypy/issues/1174 - fn = split_leading_dir(fn)[1] # type: ignore - path = os.path.join(location, fn) - if member.isdir(): - ensure_dir(path) - elif member.issym(): - try: - # https://github.com/python/typeshed/issues/2673 - tar._extract_member(member, path) # type: ignore - except Exception as exc: - # Some corrupt tar files seem to produce this - # (specifically bad symlinks) - logger.warning( - 'In the tar file %s the member %s is invalid: %s', - filename, member.name, exc, - ) - continue - else: - try: - fp = tar.extractfile(member) - except (KeyError, AttributeError) as exc: - # Some corrupt tar files seem to produce this - # (specifically bad symlinks) - logger.warning( - 'In the tar file %s the member %s is invalid: %s', - filename, member.name, exc, - ) - continue - ensure_dir(os.path.dirname(path)) - with open(path, 'wb') as destfp: - shutil.copyfileobj(fp, destfp) - fp.close() - # Update the timestamp (useful for cython compiled files) - # https://github.com/python/typeshed/issues/2673 - tar.utime(member, path) # type: ignore - # member have any execute permissions for user/group/world? - if member.mode & 0o111: - # make dest file have execute for user/group/world - # no-op on windows per python docs - os.chmod(path, (0o777 - current_umask() | 0o111)) - finally: - tar.close() - - -def unpack_file( - filename, # type: str - location, # type: str - content_type, # type: Optional[str] - link # type: Optional[Link] -): - # type: (...) -> None - filename = os.path.realpath(filename) - if (content_type == 'application/zip' or - filename.lower().endswith(ZIP_EXTENSIONS) or - zipfile.is_zipfile(filename)): - unzip_file( - filename, - location, - flatten=not filename.endswith('.whl') - ) - elif (content_type == 'application/x-gzip' or - tarfile.is_tarfile(filename) or - filename.lower().endswith( - TAR_EXTENSIONS + BZ2_EXTENSIONS + XZ_EXTENSIONS)): - untar_file(filename, location) - elif (content_type and content_type.startswith('text/html') and - is_svn_page(file_contents(filename))): - # We don't really care about this - from pip._internal.vcs.subversion import Subversion - Subversion('svn+' + link.url).unpack(location) - else: - # FIXME: handle? - # FIXME: magic signatures? - logger.critical( - 'Cannot unpack file %s (downloaded from %s, content-type: %s); ' - 'cannot detect archive format', - filename, location, content_type, - ) - raise InstallationError( - 'Cannot determine archive format of %s' % location - ) - - -def call_subprocess( - cmd, # type: List[str] - show_stdout=True, # type: bool - cwd=None, # type: Optional[str] - on_returncode='raise', # type: str - extra_ok_returncodes=None, # type: Optional[Iterable[int]] - command_desc=None, # type: Optional[str] - extra_environ=None, # type: Optional[Mapping[str, Any]] - unset_environ=None, # type: Optional[Iterable[str]] - spinner=None # type: Optional[SpinnerInterface] -): - # type: (...) -> Optional[Text] - """ - Args: - extra_ok_returncodes: an iterable of integer return codes that are - acceptable, in addition to 0. Defaults to None, which means []. - unset_environ: an iterable of environment variable names to unset - prior to calling subprocess.Popen(). - """ - if extra_ok_returncodes is None: - extra_ok_returncodes = [] - if unset_environ is None: - unset_environ = [] - # This function's handling of subprocess output is confusing and I - # previously broke it terribly, so as penance I will write a long comment - # explaining things. - # - # The obvious thing that affects output is the show_stdout= - # kwarg. show_stdout=True means, let the subprocess write directly to our - # stdout. Even though it is nominally the default, it is almost never used - # inside pip (and should not be used in new code without a very good - # reason); as of 2016-02-22 it is only used in a few places inside the VCS - # wrapper code. Ideally we should get rid of it entirely, because it - # creates a lot of complexity here for a rarely used feature. - # - # Most places in pip set show_stdout=False. What this means is: - # - We connect the child stdout to a pipe, which we read. - # - By default, we hide the output but show a spinner -- unless the - # subprocess exits with an error, in which case we show the output. - # - If the --verbose option was passed (= loglevel is DEBUG), then we show - # the output unconditionally. (But in this case we don't want to show - # the output a second time if it turns out that there was an error.) - # - # stderr is always merged with stdout (even if show_stdout=True). - if show_stdout: - stdout = None - else: - stdout = subprocess.PIPE - if command_desc is None: - cmd_parts = [] - for part in cmd: - if ' ' in part or '\n' in part or '"' in part or "'" in part: - part = '"%s"' % part.replace('"', '\\"') - cmd_parts.append(part) - command_desc = ' '.join(cmd_parts) - logger.debug("Running command %s", command_desc) - env = os.environ.copy() - if extra_environ: - env.update(extra_environ) - for name in unset_environ: - env.pop(name, None) - try: - proc = subprocess.Popen( - cmd, stderr=subprocess.STDOUT, stdin=subprocess.PIPE, - stdout=stdout, cwd=cwd, env=env, - ) - proc.stdin.close() - except Exception as exc: - logger.critical( - "Error %s while executing command %s", exc, command_desc, - ) - raise - all_output = [] - if stdout is not None: - while True: - line = console_to_str(proc.stdout.readline()) - if not line: - break - line = line.rstrip() - all_output.append(line + '\n') - if logger.getEffectiveLevel() <= std_logging.DEBUG: - # Show the line immediately - logger.debug(line) - else: - # Update the spinner - if spinner is not None: - spinner.spin() - try: - proc.wait() - finally: - if proc.stdout: - proc.stdout.close() - if spinner is not None: - if proc.returncode: - spinner.finish("error") - else: - spinner.finish("done") - if proc.returncode and proc.returncode not in extra_ok_returncodes: - if on_returncode == 'raise': - if (logger.getEffectiveLevel() > std_logging.DEBUG and - not show_stdout): - logger.info( - 'Complete output from command %s:', command_desc, - ) - logger.info( - ''.join(all_output) + - '\n----------------------------------------' - ) - raise InstallationError( - 'Command "%s" failed with error code %s in %s' - % (command_desc, proc.returncode, cwd)) - elif on_returncode == 'warn': - logger.warning( - 'Command "%s" had error code %s in %s', - command_desc, proc.returncode, cwd, - ) - elif on_returncode == 'ignore': - pass - else: - raise ValueError('Invalid value: on_returncode=%s' % - repr(on_returncode)) - if not show_stdout: - return ''.join(all_output) - return None - - -def read_text_file(filename): - # type: (str) -> str - """Return the contents of *filename*. - - Try to decode the file contents with utf-8, the preferred system encoding - (e.g., cp1252 on some Windows machines), and latin1, in that order. - Decoding a byte string with latin1 will never raise an error. In the worst - case, the returned string will contain some garbage characters. - - """ - with open(filename, 'rb') as fp: - data = fp.read() - - encodings = ['utf-8', locale.getpreferredencoding(False), 'latin1'] - for enc in encodings: - try: - # https://github.com/python/mypy/issues/1174 - data = data.decode(enc) # type: ignore - except UnicodeDecodeError: - continue - break - - assert not isinstance(data, bytes) # Latin1 should have worked. - return data - - -def _make_build_dir(build_dir): - os.makedirs(build_dir) - write_delete_marker_file(build_dir) - - -class FakeFile(object): - """Wrap a list of lines in an object with readline() to make - ConfigParser happy.""" - def __init__(self, lines): - self._gen = (l for l in lines) - - def readline(self): - try: - try: - return next(self._gen) - except NameError: - return self._gen.next() - except StopIteration: - return '' - - def __iter__(self): - return self._gen - - -class StreamWrapper(StringIO): - - @classmethod - def from_stream(cls, orig_stream): - cls.orig_stream = orig_stream - return cls() - - # compileall.compile_dir() needs stdout.encoding to print to stdout - @property - def encoding(self): - return self.orig_stream.encoding - - -@contextlib.contextmanager -def captured_output(stream_name): - """Return a context manager used by captured_stdout/stdin/stderr - that temporarily replaces the sys stream *stream_name* with a StringIO. - - Taken from Lib/support/__init__.py in the CPython repo. - """ - orig_stdout = getattr(sys, stream_name) - setattr(sys, stream_name, StreamWrapper.from_stream(orig_stdout)) - try: - yield getattr(sys, stream_name) - finally: - setattr(sys, stream_name, orig_stdout) - - -def captured_stdout(): - """Capture the output of sys.stdout: - - with captured_stdout() as stdout: - print('hello') - self.assertEqual(stdout.getvalue(), 'hello\n') - - Taken from Lib/support/__init__.py in the CPython repo. - """ - return captured_output('stdout') - - -def captured_stderr(): - """ - See captured_stdout(). - """ - return captured_output('stderr') - - -class cached_property(object): - """A property that is only computed once per instance and then replaces - itself with an ordinary attribute. Deleting the attribute resets the - property. - - Source: https://github.com/bottlepy/bottle/blob/0.11.5/bottle.py#L175 - """ - - def __init__(self, func): - self.__doc__ = getattr(func, '__doc__') - self.func = func - - def __get__(self, obj, cls): - if obj is None: - # We're being accessed from the class itself, not from an object - return self - value = obj.__dict__[self.func.__name__] = self.func(obj) - return value - - -def get_installed_version(dist_name, working_set=None): - """Get the installed version of dist_name avoiding pkg_resources cache""" - # Create a requirement that we'll look for inside of setuptools. - req = pkg_resources.Requirement.parse(dist_name) - - if working_set is None: - # We want to avoid having this cached, so we need to construct a new - # working set each time. - working_set = pkg_resources.WorkingSet() - - # Get the installed distribution from our working set - dist = working_set.find(req) - - # Check to see if we got an installed distribution or not, if we did - # we want to return it's version. - return dist.version if dist else None - - -def consume(iterator): - """Consume an iterable at C speed.""" - deque(iterator, maxlen=0) - - -# Simulates an enum -def enum(*sequential, **named): - enums = dict(zip(sequential, range(len(sequential))), **named) - reverse = {value: key for key, value in enums.items()} - enums['reverse_mapping'] = reverse - return type('Enum', (), enums) - - -def make_vcs_requirement_url(repo_url, rev, project_name, subdir=None): - """ - Return the URL for a VCS requirement. - - Args: - repo_url: the remote VCS url, with any needed VCS prefix (e.g. "git+"). - project_name: the (unescaped) project name. - """ - egg_project_name = pkg_resources.to_filename(project_name) - req = '{}@{}#egg={}'.format(repo_url, rev, egg_project_name) - if subdir: - req += '&subdirectory={}'.format(subdir) - - return req - - -def split_auth_from_netloc(netloc): - """ - Parse out and remove the auth information from a netloc. - - Returns: (netloc, (username, password)). - """ - if '@' not in netloc: - return netloc, (None, None) - - # Split from the right because that's how urllib.parse.urlsplit() - # behaves if more than one @ is present (which can be checked using - # the password attribute of urlsplit()'s return value). - auth, netloc = netloc.rsplit('@', 1) - if ':' in auth: - # Split from the left because that's how urllib.parse.urlsplit() - # behaves if more than one : is present (which again can be checked - # using the password attribute of the return value) - user_pass = auth.split(':', 1) - else: - user_pass = auth, None - - user_pass = tuple( - None if x is None else urllib_unquote(x) for x in user_pass - ) - - return netloc, user_pass - - -def redact_netloc(netloc): - # type: (str) -> str - """ - Replace the password in a netloc with "****", if it exists. - - For example, "user:pass@example.com" returns "user:****@example.com". - """ - netloc, (user, password) = split_auth_from_netloc(netloc) - if user is None: - return netloc - password = '' if password is None else ':****' - return '{user}{password}@{netloc}'.format(user=urllib_parse.quote(user), - password=password, - netloc=netloc) - - -def _transform_url(url, transform_netloc): - purl = urllib_parse.urlsplit(url) - netloc = transform_netloc(purl.netloc) - # stripped url - url_pieces = ( - purl.scheme, netloc, purl.path, purl.query, purl.fragment - ) - surl = urllib_parse.urlunsplit(url_pieces) - return surl - - -def _get_netloc(netloc): - return split_auth_from_netloc(netloc)[0] - - -def remove_auth_from_url(url): - # type: (str) -> str - # Return a copy of url with 'username:password@' removed. - # username/pass params are passed to subversion through flags - # and are not recognized in the url. - return _transform_url(url, _get_netloc) - - -def redact_password_from_url(url): - # type: (str) -> str - """Replace the password in a given url with ****.""" - return _transform_url(url, redact_netloc) - - -def protect_pip_from_modification_on_windows(modifying_pip): - """Protection of pip.exe from modification on Windows - - On Windows, any operation modifying pip should be run as: - python -m pip ... - """ - pip_names = [ - "pip.exe", - "pip{}.exe".format(sys.version_info[0]), - "pip{}.{}.exe".format(*sys.version_info[:2]) - ] - - # See https://github.com/pypa/pip/issues/1299 for more discussion - should_show_use_python_msg = ( - modifying_pip and - WINDOWS and - os.path.basename(sys.argv[0]) in pip_names - ) - - if should_show_use_python_msg: - new_command = [ - sys.executable, "-m", "pip" - ] + sys.argv[1:] - raise CommandError( - 'To modify pip, please run the following command:\n{}' - .format(" ".join(new_command)) - ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/outdated.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/outdated.py deleted file mode 100644 index 37c47a4..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/outdated.py +++ /dev/null @@ -1,164 +0,0 @@ -from __future__ import absolute_import - -import datetime -import json -import logging -import os.path -import sys - -from pip._vendor import lockfile, pkg_resources -from pip._vendor.packaging import version as packaging_version - -from pip._internal.index import PackageFinder -from pip._internal.utils.compat import WINDOWS -from pip._internal.utils.filesystem import check_path_owner -from pip._internal.utils.misc import ensure_dir, get_installed_version -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - import optparse # noqa: F401 - from typing import Any, Dict # noqa: F401 - from pip._internal.download import PipSession # noqa: F401 - - -SELFCHECK_DATE_FMT = "%Y-%m-%dT%H:%M:%SZ" - - -logger = logging.getLogger(__name__) - - -class SelfCheckState(object): - def __init__(self, cache_dir): - # type: (str) -> None - self.state = {} # type: Dict[str, Any] - self.statefile_path = None - - # Try to load the existing state - if cache_dir: - self.statefile_path = os.path.join(cache_dir, "selfcheck.json") - try: - with open(self.statefile_path) as statefile: - self.state = json.load(statefile)[sys.prefix] - except (IOError, ValueError, KeyError): - # Explicitly suppressing exceptions, since we don't want to - # error out if the cache file is invalid. - pass - - def save(self, pypi_version, current_time): - # type: (str, datetime.datetime) -> None - # If we do not have a path to cache in, don't bother saving. - if not self.statefile_path: - return - - # Check to make sure that we own the directory - if not check_path_owner(os.path.dirname(self.statefile_path)): - return - - # Now that we've ensured the directory is owned by this user, we'll go - # ahead and make sure that all our directories are created. - ensure_dir(os.path.dirname(self.statefile_path)) - - # Attempt to write out our version check file - with lockfile.LockFile(self.statefile_path): - if os.path.exists(self.statefile_path): - with open(self.statefile_path) as statefile: - state = json.load(statefile) - else: - state = {} - - state[sys.prefix] = { - "last_check": current_time.strftime(SELFCHECK_DATE_FMT), - "pypi_version": pypi_version, - } - - with open(self.statefile_path, "w") as statefile: - json.dump(state, statefile, sort_keys=True, - separators=(",", ":")) - - -def was_installed_by_pip(pkg): - # type: (str) -> bool - """Checks whether pkg was installed by pip - - This is used not to display the upgrade message when pip is in fact - installed by system package manager, such as dnf on Fedora. - """ - try: - dist = pkg_resources.get_distribution(pkg) - return (dist.has_metadata('INSTALLER') and - 'pip' in dist.get_metadata_lines('INSTALLER')) - except pkg_resources.DistributionNotFound: - return False - - -def pip_version_check(session, options): - # type: (PipSession, optparse.Values) -> None - """Check for an update for pip. - - Limit the frequency of checks to once per week. State is stored either in - the active virtualenv or in the user's USER_CACHE_DIR keyed off the prefix - of the pip script path. - """ - installed_version = get_installed_version("pip") - if not installed_version: - return - - pip_version = packaging_version.parse(installed_version) - pypi_version = None - - try: - state = SelfCheckState(cache_dir=options.cache_dir) - - current_time = datetime.datetime.utcnow() - # Determine if we need to refresh the state - if "last_check" in state.state and "pypi_version" in state.state: - last_check = datetime.datetime.strptime( - state.state["last_check"], - SELFCHECK_DATE_FMT - ) - if (current_time - last_check).total_seconds() < 7 * 24 * 60 * 60: - pypi_version = state.state["pypi_version"] - - # Refresh the version if we need to or just see if we need to warn - if pypi_version is None: - # Lets use PackageFinder to see what the latest pip version is - finder = PackageFinder( - find_links=options.find_links, - index_urls=[options.index_url] + options.extra_index_urls, - allow_all_prereleases=False, # Explicitly set to False - trusted_hosts=options.trusted_hosts, - session=session, - ) - all_candidates = finder.find_all_candidates("pip") - if not all_candidates: - return - pypi_version = str( - max(all_candidates, key=lambda c: c.version).version - ) - - # save that we've performed a check - state.save(pypi_version, current_time) - - remote_version = packaging_version.parse(pypi_version) - - # Determine if our pypi_version is older - if (pip_version < remote_version and - pip_version.base_version != remote_version.base_version and - was_installed_by_pip('pip')): - # Advise "python -m pip" on Windows to avoid issues - # with overwriting pip.exe. - if WINDOWS: - pip_cmd = "python -m pip" - else: - pip_cmd = "pip" - logger.warning( - "You are using pip version %s, however version %s is " - "available.\nYou should consider upgrading via the " - "'%s install --upgrade pip' command.", - pip_version, pypi_version, pip_cmd - ) - except Exception: - logger.debug( - "There was an error checking the latest version of pip", - exc_info=True, - ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/packaging.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/packaging.py deleted file mode 100644 index 7aaf7b5..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/packaging.py +++ /dev/null @@ -1,85 +0,0 @@ -from __future__ import absolute_import - -import logging -import sys -from email.parser import FeedParser - -from pip._vendor import pkg_resources -from pip._vendor.packaging import specifiers, version - -from pip._internal import exceptions -from pip._internal.utils.misc import display_path -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import Optional # noqa: F401 - from email.message import Message # noqa: F401 - from pip._vendor.pkg_resources import Distribution # noqa: F401 - - -logger = logging.getLogger(__name__) - - -def check_requires_python(requires_python): - # type: (Optional[str]) -> bool - """ - Check if the python version in use match the `requires_python` specifier. - - Returns `True` if the version of python in use matches the requirement. - Returns `False` if the version of python in use does not matches the - requirement. - - Raises an InvalidSpecifier if `requires_python` have an invalid format. - """ - if requires_python is None: - # The package provides no information - return True - requires_python_specifier = specifiers.SpecifierSet(requires_python) - - # We only use major.minor.micro - python_version = version.parse('.'.join(map(str, sys.version_info[:3]))) - return python_version in requires_python_specifier - - -def get_metadata(dist): - # type: (Distribution) -> Message - if (isinstance(dist, pkg_resources.DistInfoDistribution) and - dist.has_metadata('METADATA')): - metadata = dist.get_metadata('METADATA') - elif dist.has_metadata('PKG-INFO'): - metadata = dist.get_metadata('PKG-INFO') - else: - logger.warning("No metadata found in %s", display_path(dist.location)) - metadata = '' - - feed_parser = FeedParser() - feed_parser.feed(metadata) - return feed_parser.close() - - -def check_dist_requires_python(dist): - pkg_info_dict = get_metadata(dist) - requires_python = pkg_info_dict.get('Requires-Python') - try: - if not check_requires_python(requires_python): - raise exceptions.UnsupportedPythonVersion( - "%s requires Python '%s' but the running Python is %s" % ( - dist.project_name, - requires_python, - '.'.join(map(str, sys.version_info[:3])),) - ) - except specifiers.InvalidSpecifier as e: - logger.warning( - "Package %s has an invalid Requires-Python entry %s - %s", - dist.project_name, requires_python, e, - ) - return - - -def get_installer(dist): - # type: (Distribution) -> str - if dist.has_metadata('INSTALLER'): - for line in dist.get_metadata_lines('INSTALLER'): - if line.strip(): - return line.strip() - return '' diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/setuptools_build.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/setuptools_build.py deleted file mode 100644 index 03973e9..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/setuptools_build.py +++ /dev/null @@ -1,8 +0,0 @@ -# Shim to wrap setup.py invocation with setuptools -SETUPTOOLS_SHIM = ( - "import setuptools, tokenize;__file__=%r;" - "f=getattr(tokenize, 'open', open)(__file__);" - "code=f.read().replace('\\r\\n', '\\n');" - "f.close();" - "exec(compile(code, __file__, 'exec'))" -) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/temp_dir.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/temp_dir.py deleted file mode 100644 index 2c81ad5..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/temp_dir.py +++ /dev/null @@ -1,155 +0,0 @@ -from __future__ import absolute_import - -import errno -import itertools -import logging -import os.path -import tempfile - -from pip._internal.utils.misc import rmtree - -logger = logging.getLogger(__name__) - - -class TempDirectory(object): - """Helper class that owns and cleans up a temporary directory. - - This class can be used as a context manager or as an OO representation of a - temporary directory. - - Attributes: - path - Location to the created temporary directory or None - delete - Whether the directory should be deleted when exiting - (when used as a contextmanager) - - Methods: - create() - Creates a temporary directory and stores its path in the path - attribute. - cleanup() - Deletes the temporary directory and sets path attribute to None - - When used as a context manager, a temporary directory is created on - entering the context and, if the delete attribute is True, on exiting the - context the created directory is deleted. - """ - - def __init__(self, path=None, delete=None, kind="temp"): - super(TempDirectory, self).__init__() - - if path is None and delete is None: - # If we were not given an explicit directory, and we were not given - # an explicit delete option, then we'll default to deleting. - delete = True - - self.path = path - self.delete = delete - self.kind = kind - - def __repr__(self): - return "<{} {!r}>".format(self.__class__.__name__, self.path) - - def __enter__(self): - self.create() - return self - - def __exit__(self, exc, value, tb): - if self.delete: - self.cleanup() - - def create(self): - """Create a temporary directory and store its path in self.path - """ - if self.path is not None: - logger.debug( - "Skipped creation of temporary directory: {}".format(self.path) - ) - return - # We realpath here because some systems have their default tmpdir - # symlinked to another directory. This tends to confuse build - # scripts, so we canonicalize the path by traversing potential - # symlinks here. - self.path = os.path.realpath( - tempfile.mkdtemp(prefix="pip-{}-".format(self.kind)) - ) - logger.debug("Created temporary directory: {}".format(self.path)) - - def cleanup(self): - """Remove the temporary directory created and reset state - """ - if self.path is not None and os.path.exists(self.path): - rmtree(self.path) - self.path = None - - -class AdjacentTempDirectory(TempDirectory): - """Helper class that creates a temporary directory adjacent to a real one. - - Attributes: - original - The original directory to create a temp directory for. - path - After calling create() or entering, contains the full - path to the temporary directory. - delete - Whether the directory should be deleted when exiting - (when used as a contextmanager) - - """ - # The characters that may be used to name the temp directory - # We always prepend a ~ and then rotate through these until - # a usable name is found. - # pkg_resources raises a different error for .dist-info folder - # with leading '-' and invalid metadata - LEADING_CHARS = "-~.=%0123456789" - - def __init__(self, original, delete=None): - super(AdjacentTempDirectory, self).__init__(delete=delete) - self.original = original.rstrip('/\\') - - @classmethod - def _generate_names(cls, name): - """Generates a series of temporary names. - - The algorithm replaces the leading characters in the name - with ones that are valid filesystem characters, but are not - valid package names (for both Python and pip definitions of - package). - """ - for i in range(1, len(name)): - for candidate in itertools.combinations_with_replacement( - cls.LEADING_CHARS, i - 1): - new_name = '~' + ''.join(candidate) + name[i:] - if new_name != name: - yield new_name - - # If we make it this far, we will have to make a longer name - for i in range(len(cls.LEADING_CHARS)): - for candidate in itertools.combinations_with_replacement( - cls.LEADING_CHARS, i): - new_name = '~' + ''.join(candidate) + name - if new_name != name: - yield new_name - - def create(self): - root, name = os.path.split(self.original) - for candidate in self._generate_names(name): - path = os.path.join(root, candidate) - try: - os.mkdir(path) - except OSError as ex: - # Continue if the name exists already - if ex.errno != errno.EEXIST: - raise - else: - self.path = os.path.realpath(path) - break - - if not self.path: - # Final fallback on the default behavior. - self.path = os.path.realpath( - tempfile.mkdtemp(prefix="pip-{}-".format(self.kind)) - ) - logger.debug("Created temporary directory: {}".format(self.path)) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/typing.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/typing.py deleted file mode 100644 index e085cdf..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/typing.py +++ /dev/null @@ -1,29 +0,0 @@ -"""For neatly implementing static typing in pip. - -`mypy` - the static type analysis tool we use - uses the `typing` module, which -provides core functionality fundamental to mypy's functioning. - -Generally, `typing` would be imported at runtime and used in that fashion - -it acts as a no-op at runtime and does not have any run-time overhead by -design. - -As it turns out, `typing` is not vendorable - it uses separate sources for -Python 2/Python 3. Thus, this codebase can not expect it to be present. -To work around this, mypy allows the typing import to be behind a False-y -optional to prevent it from running at runtime and type-comments can be used -to remove the need for the types to be accessible directly during runtime. - -This module provides the False-y guard in a nicely named fashion so that a -curious maintainer can reach here to read this. - -In pip, all static-typing related imports should be guarded as follows: - - from pip._internal.utils.typing import MYPY_CHECK_RUNNING - - if MYPY_CHECK_RUNNING: - from typing import ... # noqa: F401 - -Ref: https://github.com/python/mypy/issues/3216 -""" - -MYPY_CHECK_RUNNING = False diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/ui.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/ui.py deleted file mode 100644 index 433675d..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/ui.py +++ /dev/null @@ -1,441 +0,0 @@ -from __future__ import absolute_import, division - -import contextlib -import itertools -import logging -import sys -import time -from signal import SIGINT, default_int_handler, signal - -from pip._vendor import six -from pip._vendor.progress.bar import ( - Bar, ChargingBar, FillingCirclesBar, FillingSquaresBar, IncrementalBar, - ShadyBar, -) -from pip._vendor.progress.helpers import HIDE_CURSOR, SHOW_CURSOR, WritelnMixin -from pip._vendor.progress.spinner import Spinner - -from pip._internal.utils.compat import WINDOWS -from pip._internal.utils.logging import get_indentation -from pip._internal.utils.misc import format_size -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import Any, Iterator, IO # noqa: F401 - -try: - from pip._vendor import colorama -# Lots of different errors can come from this, including SystemError and -# ImportError. -except Exception: - colorama = None - -logger = logging.getLogger(__name__) - - -def _select_progress_class(preferred, fallback): - encoding = getattr(preferred.file, "encoding", None) - - # If we don't know what encoding this file is in, then we'll just assume - # that it doesn't support unicode and use the ASCII bar. - if not encoding: - return fallback - - # Collect all of the possible characters we want to use with the preferred - # bar. - characters = [ - getattr(preferred, "empty_fill", six.text_type()), - getattr(preferred, "fill", six.text_type()), - ] - characters += list(getattr(preferred, "phases", [])) - - # Try to decode the characters we're using for the bar using the encoding - # of the given file, if this works then we'll assume that we can use the - # fancier bar and if not we'll fall back to the plaintext bar. - try: - six.text_type().join(characters).encode(encoding) - except UnicodeEncodeError: - return fallback - else: - return preferred - - -_BaseBar = _select_progress_class(IncrementalBar, Bar) # type: Any - - -class InterruptibleMixin(object): - """ - Helper to ensure that self.finish() gets called on keyboard interrupt. - - This allows downloads to be interrupted without leaving temporary state - (like hidden cursors) behind. - - This class is similar to the progress library's existing SigIntMixin - helper, but as of version 1.2, that helper has the following problems: - - 1. It calls sys.exit(). - 2. It discards the existing SIGINT handler completely. - 3. It leaves its own handler in place even after an uninterrupted finish, - which will have unexpected delayed effects if the user triggers an - unrelated keyboard interrupt some time after a progress-displaying - download has already completed, for example. - """ - - def __init__(self, *args, **kwargs): - """ - Save the original SIGINT handler for later. - """ - super(InterruptibleMixin, self).__init__(*args, **kwargs) - - self.original_handler = signal(SIGINT, self.handle_sigint) - - # If signal() returns None, the previous handler was not installed from - # Python, and we cannot restore it. This probably should not happen, - # but if it does, we must restore something sensible instead, at least. - # The least bad option should be Python's default SIGINT handler, which - # just raises KeyboardInterrupt. - if self.original_handler is None: - self.original_handler = default_int_handler - - def finish(self): - """ - Restore the original SIGINT handler after finishing. - - This should happen regardless of whether the progress display finishes - normally, or gets interrupted. - """ - super(InterruptibleMixin, self).finish() - signal(SIGINT, self.original_handler) - - def handle_sigint(self, signum, frame): - """ - Call self.finish() before delegating to the original SIGINT handler. - - This handler should only be in place while the progress display is - active. - """ - self.finish() - self.original_handler(signum, frame) - - -class SilentBar(Bar): - - def update(self): - pass - - -class BlueEmojiBar(IncrementalBar): - - suffix = "%(percent)d%%" - bar_prefix = " " - bar_suffix = " " - phases = (u"\U0001F539", u"\U0001F537", u"\U0001F535") # type: Any - - -class DownloadProgressMixin(object): - - def __init__(self, *args, **kwargs): - super(DownloadProgressMixin, self).__init__(*args, **kwargs) - self.message = (" " * (get_indentation() + 2)) + self.message - - @property - def downloaded(self): - return format_size(self.index) - - @property - def download_speed(self): - # Avoid zero division errors... - if self.avg == 0.0: - return "..." - return format_size(1 / self.avg) + "/s" - - @property - def pretty_eta(self): - if self.eta: - return "eta %s" % self.eta_td - return "" - - def iter(self, it, n=1): - for x in it: - yield x - self.next(n) - self.finish() - - -class WindowsMixin(object): - - def __init__(self, *args, **kwargs): - # The Windows terminal does not support the hide/show cursor ANSI codes - # even with colorama. So we'll ensure that hide_cursor is False on - # Windows. - # This call neds to go before the super() call, so that hide_cursor - # is set in time. The base progress bar class writes the "hide cursor" - # code to the terminal in its init, so if we don't set this soon - # enough, we get a "hide" with no corresponding "show"... - if WINDOWS and self.hide_cursor: - self.hide_cursor = False - - super(WindowsMixin, self).__init__(*args, **kwargs) - - # Check if we are running on Windows and we have the colorama module, - # if we do then wrap our file with it. - if WINDOWS and colorama: - self.file = colorama.AnsiToWin32(self.file) - # The progress code expects to be able to call self.file.isatty() - # but the colorama.AnsiToWin32() object doesn't have that, so we'll - # add it. - self.file.isatty = lambda: self.file.wrapped.isatty() - # The progress code expects to be able to call self.file.flush() - # but the colorama.AnsiToWin32() object doesn't have that, so we'll - # add it. - self.file.flush = lambda: self.file.wrapped.flush() - - -class BaseDownloadProgressBar(WindowsMixin, InterruptibleMixin, - DownloadProgressMixin): - - file = sys.stdout - message = "%(percent)d%%" - suffix = "%(downloaded)s %(download_speed)s %(pretty_eta)s" - -# NOTE: The "type: ignore" comments on the following classes are there to -# work around https://github.com/python/typing/issues/241 - - -class DefaultDownloadProgressBar(BaseDownloadProgressBar, - _BaseBar): - pass - - -class DownloadSilentBar(BaseDownloadProgressBar, SilentBar): # type: ignore - pass - - -class DownloadIncrementalBar(BaseDownloadProgressBar, # type: ignore - IncrementalBar): - pass - - -class DownloadChargingBar(BaseDownloadProgressBar, # type: ignore - ChargingBar): - pass - - -class DownloadShadyBar(BaseDownloadProgressBar, ShadyBar): # type: ignore - pass - - -class DownloadFillingSquaresBar(BaseDownloadProgressBar, # type: ignore - FillingSquaresBar): - pass - - -class DownloadFillingCirclesBar(BaseDownloadProgressBar, # type: ignore - FillingCirclesBar): - pass - - -class DownloadBlueEmojiProgressBar(BaseDownloadProgressBar, # type: ignore - BlueEmojiBar): - pass - - -class DownloadProgressSpinner(WindowsMixin, InterruptibleMixin, - DownloadProgressMixin, WritelnMixin, Spinner): - - file = sys.stdout - suffix = "%(downloaded)s %(download_speed)s" - - def next_phase(self): - if not hasattr(self, "_phaser"): - self._phaser = itertools.cycle(self.phases) - return next(self._phaser) - - def update(self): - message = self.message % self - phase = self.next_phase() - suffix = self.suffix % self - line = ''.join([ - message, - " " if message else "", - phase, - " " if suffix else "", - suffix, - ]) - - self.writeln(line) - - -BAR_TYPES = { - "off": (DownloadSilentBar, DownloadSilentBar), - "on": (DefaultDownloadProgressBar, DownloadProgressSpinner), - "ascii": (DownloadIncrementalBar, DownloadProgressSpinner), - "pretty": (DownloadFillingCirclesBar, DownloadProgressSpinner), - "emoji": (DownloadBlueEmojiProgressBar, DownloadProgressSpinner) -} - - -def DownloadProgressProvider(progress_bar, max=None): - if max is None or max == 0: - return BAR_TYPES[progress_bar][1]().iter - else: - return BAR_TYPES[progress_bar][0](max=max).iter - - -################################################################ -# Generic "something is happening" spinners -# -# We don't even try using progress.spinner.Spinner here because it's actually -# simpler to reimplement from scratch than to coerce their code into doing -# what we need. -################################################################ - -@contextlib.contextmanager -def hidden_cursor(file): - # type: (IO) -> Iterator[None] - # The Windows terminal does not support the hide/show cursor ANSI codes, - # even via colorama. So don't even try. - if WINDOWS: - yield - # We don't want to clutter the output with control characters if we're - # writing to a file, or if the user is running with --quiet. - # See https://github.com/pypa/pip/issues/3418 - elif not file.isatty() or logger.getEffectiveLevel() > logging.INFO: - yield - else: - file.write(HIDE_CURSOR) - try: - yield - finally: - file.write(SHOW_CURSOR) - - -class RateLimiter(object): - def __init__(self, min_update_interval_seconds): - # type: (float) -> None - self._min_update_interval_seconds = min_update_interval_seconds - self._last_update = 0 # type: float - - def ready(self): - # type: () -> bool - now = time.time() - delta = now - self._last_update - return delta >= self._min_update_interval_seconds - - def reset(self): - # type: () -> None - self._last_update = time.time() - - -class SpinnerInterface(object): - def spin(self): - # type: () -> None - raise NotImplementedError() - - def finish(self, final_status): - # type: (str) -> None - raise NotImplementedError() - - -class InteractiveSpinner(SpinnerInterface): - def __init__(self, message, file=None, spin_chars="-\\|/", - # Empirically, 8 updates/second looks nice - min_update_interval_seconds=0.125): - self._message = message - if file is None: - file = sys.stdout - self._file = file - self._rate_limiter = RateLimiter(min_update_interval_seconds) - self._finished = False - - self._spin_cycle = itertools.cycle(spin_chars) - - self._file.write(" " * get_indentation() + self._message + " ... ") - self._width = 0 - - def _write(self, status): - assert not self._finished - # Erase what we wrote before by backspacing to the beginning, writing - # spaces to overwrite the old text, and then backspacing again - backup = "\b" * self._width - self._file.write(backup + " " * self._width + backup) - # Now we have a blank slate to add our status - self._file.write(status) - self._width = len(status) - self._file.flush() - self._rate_limiter.reset() - - def spin(self): - # type: () -> None - if self._finished: - return - if not self._rate_limiter.ready(): - return - self._write(next(self._spin_cycle)) - - def finish(self, final_status): - # type: (str) -> None - if self._finished: - return - self._write(final_status) - self._file.write("\n") - self._file.flush() - self._finished = True - - -# Used for dumb terminals, non-interactive installs (no tty), etc. -# We still print updates occasionally (once every 60 seconds by default) to -# act as a keep-alive for systems like Travis-CI that take lack-of-output as -# an indication that a task has frozen. -class NonInteractiveSpinner(SpinnerInterface): - def __init__(self, message, min_update_interval_seconds=60): - # type: (str, float) -> None - self._message = message - self._finished = False - self._rate_limiter = RateLimiter(min_update_interval_seconds) - self._update("started") - - def _update(self, status): - assert not self._finished - self._rate_limiter.reset() - logger.info("%s: %s", self._message, status) - - def spin(self): - # type: () -> None - if self._finished: - return - if not self._rate_limiter.ready(): - return - self._update("still running...") - - def finish(self, final_status): - # type: (str) -> None - if self._finished: - return - self._update("finished with status '%s'" % (final_status,)) - self._finished = True - - -@contextlib.contextmanager -def open_spinner(message): - # type: (str) -> Iterator[SpinnerInterface] - # Interactive spinner goes directly to sys.stdout rather than being routed - # through the logging system, but it acts like it has level INFO, - # i.e. it's only displayed if we're at level INFO or better. - # Non-interactive spinner goes through the logging system, so it is always - # in sync with logging configuration. - if sys.stdout.isatty() and logger.getEffectiveLevel() <= logging.INFO: - spinner = InteractiveSpinner(message) # type: SpinnerInterface - else: - spinner = NonInteractiveSpinner(message) - try: - with hidden_cursor(sys.stdout): - yield spinner - except KeyboardInterrupt: - spinner.finish("canceled") - raise - except Exception: - spinner.finish("error") - raise - else: - spinner.finish("done") diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/__init__.py deleted file mode 100644 index 9cba764..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/__init__.py +++ /dev/null @@ -1,534 +0,0 @@ -"""Handles all VCS (version control) support""" -from __future__ import absolute_import - -import errno -import logging -import os -import shutil -import sys - -from pip._vendor.six.moves.urllib import parse as urllib_parse - -from pip._internal.exceptions import BadCommand -from pip._internal.utils.misc import ( - display_path, backup_dir, call_subprocess, rmtree, ask_path_exists, -) -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import ( # noqa: F401 - Any, Dict, Iterable, List, Mapping, Optional, Text, Tuple, Type - ) - from pip._internal.utils.ui import SpinnerInterface # noqa: F401 - - AuthInfo = Tuple[Optional[str], Optional[str]] - -__all__ = ['vcs'] - - -logger = logging.getLogger(__name__) - - -class RemoteNotFoundError(Exception): - pass - - -class RevOptions(object): - - """ - Encapsulates a VCS-specific revision to install, along with any VCS - install options. - - Instances of this class should be treated as if immutable. - """ - - def __init__(self, vcs, rev=None, extra_args=None): - # type: (VersionControl, Optional[str], Optional[List[str]]) -> None - """ - Args: - vcs: a VersionControl object. - rev: the name of the revision to install. - extra_args: a list of extra options. - """ - if extra_args is None: - extra_args = [] - - self.extra_args = extra_args - self.rev = rev - self.vcs = vcs - - def __repr__(self): - return '<RevOptions {}: rev={!r}>'.format(self.vcs.name, self.rev) - - @property - def arg_rev(self): - # type: () -> Optional[str] - if self.rev is None: - return self.vcs.default_arg_rev - - return self.rev - - def to_args(self): - # type: () -> List[str] - """ - Return the VCS-specific command arguments. - """ - args = [] # type: List[str] - rev = self.arg_rev - if rev is not None: - args += self.vcs.get_base_rev_args(rev) - args += self.extra_args - - return args - - def to_display(self): - # type: () -> str - if not self.rev: - return '' - - return ' (to revision {})'.format(self.rev) - - def make_new(self, rev): - # type: (str) -> RevOptions - """ - Make a copy of the current instance, but with a new rev. - - Args: - rev: the name of the revision for the new object. - """ - return self.vcs.make_rev_options(rev, extra_args=self.extra_args) - - -class VcsSupport(object): - _registry = {} # type: Dict[str, Type[VersionControl]] - schemes = ['ssh', 'git', 'hg', 'bzr', 'sftp', 'svn'] - - def __init__(self): - # type: () -> None - # Register more schemes with urlparse for various version control - # systems - urllib_parse.uses_netloc.extend(self.schemes) - # Python >= 2.7.4, 3.3 doesn't have uses_fragment - if getattr(urllib_parse, 'uses_fragment', None): - urllib_parse.uses_fragment.extend(self.schemes) - super(VcsSupport, self).__init__() - - def __iter__(self): - return self._registry.__iter__() - - @property - def backends(self): - # type: () -> List[Type[VersionControl]] - return list(self._registry.values()) - - @property - def dirnames(self): - # type: () -> List[str] - return [backend.dirname for backend in self.backends] - - @property - def all_schemes(self): - # type: () -> List[str] - schemes = [] # type: List[str] - for backend in self.backends: - schemes.extend(backend.schemes) - return schemes - - def register(self, cls): - # type: (Type[VersionControl]) -> None - if not hasattr(cls, 'name'): - logger.warning('Cannot register VCS %s', cls.__name__) - return - if cls.name not in self._registry: - self._registry[cls.name] = cls - logger.debug('Registered VCS backend: %s', cls.name) - - def unregister(self, cls=None, name=None): - # type: (Optional[Type[VersionControl]], Optional[str]) -> None - if name in self._registry: - del self._registry[name] - elif cls in self._registry.values(): - del self._registry[cls.name] - else: - logger.warning('Cannot unregister because no class or name given') - - def get_backend_type(self, location): - # type: (str) -> Optional[Type[VersionControl]] - """ - Return the type of the version control backend if found at given - location, e.g. vcs.get_backend_type('/path/to/vcs/checkout') - """ - for vc_type in self._registry.values(): - if vc_type.controls_location(location): - logger.debug('Determine that %s uses VCS: %s', - location, vc_type.name) - return vc_type - return None - - def get_backend(self, name): - # type: (str) -> Optional[Type[VersionControl]] - name = name.lower() - if name in self._registry: - return self._registry[name] - return None - - -vcs = VcsSupport() - - -class VersionControl(object): - name = '' - dirname = '' - repo_name = '' - # List of supported schemes for this Version Control - schemes = () # type: Tuple[str, ...] - # Iterable of environment variable names to pass to call_subprocess(). - unset_environ = () # type: Tuple[str, ...] - default_arg_rev = None # type: Optional[str] - - def __init__(self, url=None, *args, **kwargs): - self.url = url - super(VersionControl, self).__init__(*args, **kwargs) - - def get_base_rev_args(self, rev): - """ - Return the base revision arguments for a vcs command. - - Args: - rev: the name of a revision to install. Cannot be None. - """ - raise NotImplementedError - - def make_rev_options(self, rev=None, extra_args=None): - # type: (Optional[str], Optional[List[str]]) -> RevOptions - """ - Return a RevOptions object. - - Args: - rev: the name of a revision to install. - extra_args: a list of extra options. - """ - return RevOptions(self, rev, extra_args=extra_args) - - @classmethod - def _is_local_repository(cls, repo): - # type: (str) -> bool - """ - posix absolute paths start with os.path.sep, - win32 ones start with drive (like c:\\folder) - """ - drive, tail = os.path.splitdrive(repo) - return repo.startswith(os.path.sep) or bool(drive) - - def export(self, location): - """ - Export the repository at the url to the destination location - i.e. only download the files, without vcs informations - """ - raise NotImplementedError - - def get_netloc_and_auth(self, netloc, scheme): - """ - Parse the repository URL's netloc, and return the new netloc to use - along with auth information. - - Args: - netloc: the original repository URL netloc. - scheme: the repository URL's scheme without the vcs prefix. - - This is mainly for the Subversion class to override, so that auth - information can be provided via the --username and --password options - instead of through the URL. For other subclasses like Git without - such an option, auth information must stay in the URL. - - Returns: (netloc, (username, password)). - """ - return netloc, (None, None) - - def get_url_rev_and_auth(self, url): - # type: (str) -> Tuple[str, Optional[str], AuthInfo] - """ - Parse the repository URL to use, and return the URL, revision, - and auth info to use. - - Returns: (url, rev, (username, password)). - """ - scheme, netloc, path, query, frag = urllib_parse.urlsplit(url) - if '+' not in scheme: - raise ValueError( - "Sorry, {!r} is a malformed VCS url. " - "The format is <vcs>+<protocol>://<url>, " - "e.g. svn+http://myrepo/svn/MyApp#egg=MyApp".format(url) - ) - # Remove the vcs prefix. - scheme = scheme.split('+', 1)[1] - netloc, user_pass = self.get_netloc_and_auth(netloc, scheme) - rev = None - if '@' in path: - path, rev = path.rsplit('@', 1) - url = urllib_parse.urlunsplit((scheme, netloc, path, query, '')) - return url, rev, user_pass - - def make_rev_args(self, username, password): - """ - Return the RevOptions "extra arguments" to use in obtain(). - """ - return [] - - def get_url_rev_options(self, url): - # type: (str) -> Tuple[str, RevOptions] - """ - Return the URL and RevOptions object to use in obtain() and in - some cases export(), as a tuple (url, rev_options). - """ - url, rev, user_pass = self.get_url_rev_and_auth(url) - username, password = user_pass - extra_args = self.make_rev_args(username, password) - rev_options = self.make_rev_options(rev, extra_args=extra_args) - - return url, rev_options - - def normalize_url(self, url): - # type: (str) -> str - """ - Normalize a URL for comparison by unquoting it and removing any - trailing slash. - """ - return urllib_parse.unquote(url).rstrip('/') - - def compare_urls(self, url1, url2): - # type: (str, str) -> bool - """ - Compare two repo URLs for identity, ignoring incidental differences. - """ - return (self.normalize_url(url1) == self.normalize_url(url2)) - - def fetch_new(self, dest, url, rev_options): - """ - Fetch a revision from a repository, in the case that this is the - first fetch from the repository. - - Args: - dest: the directory to fetch the repository to. - rev_options: a RevOptions object. - """ - raise NotImplementedError - - def switch(self, dest, url, rev_options): - """ - Switch the repo at ``dest`` to point to ``URL``. - - Args: - rev_options: a RevOptions object. - """ - raise NotImplementedError - - def update(self, dest, url, rev_options): - """ - Update an already-existing repo to the given ``rev_options``. - - Args: - rev_options: a RevOptions object. - """ - raise NotImplementedError - - def is_commit_id_equal(self, dest, name): - """ - Return whether the id of the current commit equals the given name. - - Args: - dest: the repository directory. - name: a string name. - """ - raise NotImplementedError - - def obtain(self, dest): - # type: (str) -> None - """ - Install or update in editable mode the package represented by this - VersionControl object. - - Args: - dest: the repository directory in which to install or update. - """ - url, rev_options = self.get_url_rev_options(self.url) - - if not os.path.exists(dest): - self.fetch_new(dest, url, rev_options) - return - - rev_display = rev_options.to_display() - if self.is_repository_directory(dest): - existing_url = self.get_remote_url(dest) - if self.compare_urls(existing_url, url): - logger.debug( - '%s in %s exists, and has correct URL (%s)', - self.repo_name.title(), - display_path(dest), - url, - ) - if not self.is_commit_id_equal(dest, rev_options.rev): - logger.info( - 'Updating %s %s%s', - display_path(dest), - self.repo_name, - rev_display, - ) - self.update(dest, url, rev_options) - else: - logger.info('Skipping because already up-to-date.') - return - - logger.warning( - '%s %s in %s exists with URL %s', - self.name, - self.repo_name, - display_path(dest), - existing_url, - ) - prompt = ('(s)witch, (i)gnore, (w)ipe, (b)ackup ', - ('s', 'i', 'w', 'b')) - else: - logger.warning( - 'Directory %s already exists, and is not a %s %s.', - dest, - self.name, - self.repo_name, - ) - # https://github.com/python/mypy/issues/1174 - prompt = ('(i)gnore, (w)ipe, (b)ackup ', # type: ignore - ('i', 'w', 'b')) - - logger.warning( - 'The plan is to install the %s repository %s', - self.name, - url, - ) - response = ask_path_exists('What to do? %s' % prompt[0], prompt[1]) - - if response == 'a': - sys.exit(-1) - - if response == 'w': - logger.warning('Deleting %s', display_path(dest)) - rmtree(dest) - self.fetch_new(dest, url, rev_options) - return - - if response == 'b': - dest_dir = backup_dir(dest) - logger.warning( - 'Backing up %s to %s', display_path(dest), dest_dir, - ) - shutil.move(dest, dest_dir) - self.fetch_new(dest, url, rev_options) - return - - # Do nothing if the response is "i". - if response == 's': - logger.info( - 'Switching %s %s to %s%s', - self.repo_name, - display_path(dest), - url, - rev_display, - ) - self.switch(dest, url, rev_options) - - def unpack(self, location): - # type: (str) -> None - """ - Clean up current location and download the url repository - (and vcs infos) into location - """ - if os.path.exists(location): - rmtree(location) - self.obtain(location) - - @classmethod - def get_src_requirement(cls, location, project_name): - """ - Return a string representing the requirement needed to - redownload the files currently present in location, something - like: - {repository_url}@{revision}#egg={project_name}-{version_identifier} - """ - raise NotImplementedError - - @classmethod - def get_remote_url(cls, location): - """ - Return the url used at location - - Raises RemoteNotFoundError if the repository does not have a remote - url configured. - """ - raise NotImplementedError - - @classmethod - def get_revision(cls, location): - """ - Return the current commit id of the files at the given location. - """ - raise NotImplementedError - - @classmethod - def run_command( - cls, - cmd, # type: List[str] - show_stdout=True, # type: bool - cwd=None, # type: Optional[str] - on_returncode='raise', # type: str - extra_ok_returncodes=None, # type: Optional[Iterable[int]] - command_desc=None, # type: Optional[str] - extra_environ=None, # type: Optional[Mapping[str, Any]] - spinner=None # type: Optional[SpinnerInterface] - ): - # type: (...) -> Optional[Text] - """ - Run a VCS subcommand - This is simply a wrapper around call_subprocess that adds the VCS - command name, and checks that the VCS is available - """ - cmd = [cls.name] + cmd - try: - return call_subprocess(cmd, show_stdout, cwd, - on_returncode=on_returncode, - extra_ok_returncodes=extra_ok_returncodes, - command_desc=command_desc, - extra_environ=extra_environ, - unset_environ=cls.unset_environ, - spinner=spinner) - except OSError as e: - # errno.ENOENT = no such file or directory - # In other words, the VCS executable isn't available - if e.errno == errno.ENOENT: - raise BadCommand( - 'Cannot find command %r - do you have ' - '%r installed and in your ' - 'PATH?' % (cls.name, cls.name)) - else: - raise # re-raise exception if a different error occurred - - @classmethod - def is_repository_directory(cls, path): - # type: (str) -> bool - """ - Return whether a directory path is a repository directory. - """ - logger.debug('Checking in %s for %s (%s)...', - path, cls.dirname, cls.name) - return os.path.exists(os.path.join(path, cls.dirname)) - - @classmethod - def controls_location(cls, location): - # type: (str) -> bool - """ - Check if a location is controlled by the vcs. - It is meant to be overridden to implement smarter detection - mechanisms for specific vcs. - - This can do more than is_repository_directory() alone. For example, - the Git override checks that Git is actually available. - """ - return cls.is_repository_directory(location) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/bazaar.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/bazaar.py deleted file mode 100644 index 4c6ac79..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/bazaar.py +++ /dev/null @@ -1,114 +0,0 @@ -from __future__ import absolute_import - -import logging -import os - -from pip._vendor.six.moves.urllib import parse as urllib_parse - -from pip._internal.download import path_to_url -from pip._internal.utils.misc import ( - display_path, make_vcs_requirement_url, rmtree, -) -from pip._internal.utils.temp_dir import TempDirectory -from pip._internal.vcs import VersionControl, vcs - -logger = logging.getLogger(__name__) - - -class Bazaar(VersionControl): - name = 'bzr' - dirname = '.bzr' - repo_name = 'branch' - schemes = ( - 'bzr', 'bzr+http', 'bzr+https', 'bzr+ssh', 'bzr+sftp', 'bzr+ftp', - 'bzr+lp', - ) - - def __init__(self, url=None, *args, **kwargs): - super(Bazaar, self).__init__(url, *args, **kwargs) - # This is only needed for python <2.7.5 - # Register lp but do not expose as a scheme to support bzr+lp. - if getattr(urllib_parse, 'uses_fragment', None): - urllib_parse.uses_fragment.extend(['lp']) - - def get_base_rev_args(self, rev): - return ['-r', rev] - - def export(self, location): - """ - Export the Bazaar repository at the url to the destination location - """ - # Remove the location to make sure Bazaar can export it correctly - if os.path.exists(location): - rmtree(location) - - with TempDirectory(kind="export") as temp_dir: - self.unpack(temp_dir.path) - - self.run_command( - ['export', location], - cwd=temp_dir.path, show_stdout=False, - ) - - def fetch_new(self, dest, url, rev_options): - rev_display = rev_options.to_display() - logger.info( - 'Checking out %s%s to %s', - url, - rev_display, - display_path(dest), - ) - cmd_args = ['branch', '-q'] + rev_options.to_args() + [url, dest] - self.run_command(cmd_args) - - def switch(self, dest, url, rev_options): - self.run_command(['switch', url], cwd=dest) - - def update(self, dest, url, rev_options): - cmd_args = ['pull', '-q'] + rev_options.to_args() - self.run_command(cmd_args, cwd=dest) - - def get_url_rev_and_auth(self, url): - # hotfix the URL scheme after removing bzr+ from bzr+ssh:// readd it - url, rev, user_pass = super(Bazaar, self).get_url_rev_and_auth(url) - if url.startswith('ssh://'): - url = 'bzr+' + url - return url, rev, user_pass - - @classmethod - def get_remote_url(cls, location): - urls = cls.run_command(['info'], show_stdout=False, cwd=location) - for line in urls.splitlines(): - line = line.strip() - for x in ('checkout of branch: ', - 'parent branch: '): - if line.startswith(x): - repo = line.split(x)[1] - if cls._is_local_repository(repo): - return path_to_url(repo) - return repo - return None - - @classmethod - def get_revision(cls, location): - revision = cls.run_command( - ['revno'], show_stdout=False, cwd=location, - ) - return revision.splitlines()[-1] - - @classmethod - def get_src_requirement(cls, location, project_name): - repo = cls.get_remote_url(location) - if not repo: - return None - if not repo.lower().startswith('bzr:'): - repo = 'bzr+' + repo - current_rev = cls.get_revision(location) - return make_vcs_requirement_url(repo, current_rev, project_name) - - def is_commit_id_equal(self, dest, name): - """Always assume the versions don't match""" - return False - - -vcs.register(Bazaar) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/git.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/git.py deleted file mode 100644 index dd2bd61..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/git.py +++ /dev/null @@ -1,369 +0,0 @@ -from __future__ import absolute_import - -import logging -import os.path -import re - -from pip._vendor.packaging.version import parse as parse_version -from pip._vendor.six.moves.urllib import parse as urllib_parse -from pip._vendor.six.moves.urllib import request as urllib_request - -from pip._internal.exceptions import BadCommand -from pip._internal.utils.compat import samefile -from pip._internal.utils.misc import ( - display_path, make_vcs_requirement_url, redact_password_from_url, -) -from pip._internal.utils.temp_dir import TempDirectory -from pip._internal.vcs import RemoteNotFoundError, VersionControl, vcs - -urlsplit = urllib_parse.urlsplit -urlunsplit = urllib_parse.urlunsplit - - -logger = logging.getLogger(__name__) - - -HASH_REGEX = re.compile('[a-fA-F0-9]{40}') - - -def looks_like_hash(sha): - return bool(HASH_REGEX.match(sha)) - - -class Git(VersionControl): - name = 'git' - dirname = '.git' - repo_name = 'clone' - schemes = ( - 'git', 'git+http', 'git+https', 'git+ssh', 'git+git', 'git+file', - ) - # Prevent the user's environment variables from interfering with pip: - # https://github.com/pypa/pip/issues/1130 - unset_environ = ('GIT_DIR', 'GIT_WORK_TREE') - default_arg_rev = 'HEAD' - - def __init__(self, url=None, *args, **kwargs): - - # Works around an apparent Git bug - # (see https://article.gmane.org/gmane.comp.version-control.git/146500) - if url: - scheme, netloc, path, query, fragment = urlsplit(url) - if scheme.endswith('file'): - initial_slashes = path[:-len(path.lstrip('/'))] - newpath = ( - initial_slashes + - urllib_request.url2pathname(path) - .replace('\\', '/').lstrip('/') - ) - url = urlunsplit((scheme, netloc, newpath, query, fragment)) - after_plus = scheme.find('+') + 1 - url = scheme[:after_plus] + urlunsplit( - (scheme[after_plus:], netloc, newpath, query, fragment), - ) - - super(Git, self).__init__(url, *args, **kwargs) - - def get_base_rev_args(self, rev): - return [rev] - - def get_git_version(self): - VERSION_PFX = 'git version ' - version = self.run_command(['version'], show_stdout=False) - if version.startswith(VERSION_PFX): - version = version[len(VERSION_PFX):].split()[0] - else: - version = '' - # get first 3 positions of the git version becasue - # on windows it is x.y.z.windows.t, and this parses as - # LegacyVersion which always smaller than a Version. - version = '.'.join(version.split('.')[:3]) - return parse_version(version) - - def get_current_branch(self, location): - """ - Return the current branch, or None if HEAD isn't at a branch - (e.g. detached HEAD). - """ - # git-symbolic-ref exits with empty stdout if "HEAD" is a detached - # HEAD rather than a symbolic ref. In addition, the -q causes the - # command to exit with status code 1 instead of 128 in this case - # and to suppress the message to stderr. - args = ['symbolic-ref', '-q', 'HEAD'] - output = self.run_command( - args, extra_ok_returncodes=(1, ), show_stdout=False, cwd=location, - ) - ref = output.strip() - - if ref.startswith('refs/heads/'): - return ref[len('refs/heads/'):] - - return None - - def export(self, location): - """Export the Git repository at the url to the destination location""" - if not location.endswith('/'): - location = location + '/' - - with TempDirectory(kind="export") as temp_dir: - self.unpack(temp_dir.path) - self.run_command( - ['checkout-index', '-a', '-f', '--prefix', location], - show_stdout=False, cwd=temp_dir.path - ) - - def get_revision_sha(self, dest, rev): - """ - Return (sha_or_none, is_branch), where sha_or_none is a commit hash - if the revision names a remote branch or tag, otherwise None. - - Args: - dest: the repository directory. - rev: the revision name. - """ - # Pass rev to pre-filter the list. - output = self.run_command(['show-ref', rev], cwd=dest, - show_stdout=False, on_returncode='ignore') - refs = {} - for line in output.strip().splitlines(): - try: - sha, ref = line.split() - except ValueError: - # Include the offending line to simplify troubleshooting if - # this error ever occurs. - raise ValueError('unexpected show-ref line: {!r}'.format(line)) - - refs[ref] = sha - - branch_ref = 'refs/remotes/origin/{}'.format(rev) - tag_ref = 'refs/tags/{}'.format(rev) - - sha = refs.get(branch_ref) - if sha is not None: - return (sha, True) - - sha = refs.get(tag_ref) - - return (sha, False) - - def resolve_revision(self, dest, url, rev_options): - """ - Resolve a revision to a new RevOptions object with the SHA1 of the - branch, tag, or ref if found. - - Args: - rev_options: a RevOptions object. - """ - rev = rev_options.arg_rev - sha, is_branch = self.get_revision_sha(dest, rev) - - if sha is not None: - rev_options = rev_options.make_new(sha) - rev_options.branch_name = rev if is_branch else None - - return rev_options - - # Do not show a warning for the common case of something that has - # the form of a Git commit hash. - if not looks_like_hash(rev): - logger.warning( - "Did not find branch or tag '%s', assuming revision or ref.", - rev, - ) - - if not rev.startswith('refs/'): - return rev_options - - # If it looks like a ref, we have to fetch it explicitly. - self.run_command( - ['fetch', '-q', url] + rev_options.to_args(), - cwd=dest, - ) - # Change the revision to the SHA of the ref we fetched - sha = self.get_revision(dest, rev='FETCH_HEAD') - rev_options = rev_options.make_new(sha) - - return rev_options - - def is_commit_id_equal(self, dest, name): - """ - Return whether the current commit hash equals the given name. - - Args: - dest: the repository directory. - name: a string name. - """ - if not name: - # Then avoid an unnecessary subprocess call. - return False - - return self.get_revision(dest) == name - - def fetch_new(self, dest, url, rev_options): - rev_display = rev_options.to_display() - logger.info( - 'Cloning %s%s to %s', redact_password_from_url(url), - rev_display, display_path(dest), - ) - self.run_command(['clone', '-q', url, dest]) - - if rev_options.rev: - # Then a specific revision was requested. - rev_options = self.resolve_revision(dest, url, rev_options) - branch_name = getattr(rev_options, 'branch_name', None) - if branch_name is None: - # Only do a checkout if the current commit id doesn't match - # the requested revision. - if not self.is_commit_id_equal(dest, rev_options.rev): - cmd_args = ['checkout', '-q'] + rev_options.to_args() - self.run_command(cmd_args, cwd=dest) - elif self.get_current_branch(dest) != branch_name: - # Then a specific branch was requested, and that branch - # is not yet checked out. - track_branch = 'origin/{}'.format(branch_name) - cmd_args = [ - 'checkout', '-b', branch_name, '--track', track_branch, - ] - self.run_command(cmd_args, cwd=dest) - - #: repo may contain submodules - self.update_submodules(dest) - - def switch(self, dest, url, rev_options): - self.run_command(['config', 'remote.origin.url', url], cwd=dest) - cmd_args = ['checkout', '-q'] + rev_options.to_args() - self.run_command(cmd_args, cwd=dest) - - self.update_submodules(dest) - - def update(self, dest, url, rev_options): - # First fetch changes from the default remote - if self.get_git_version() >= parse_version('1.9.0'): - # fetch tags in addition to everything else - self.run_command(['fetch', '-q', '--tags'], cwd=dest) - else: - self.run_command(['fetch', '-q'], cwd=dest) - # Then reset to wanted revision (maybe even origin/master) - rev_options = self.resolve_revision(dest, url, rev_options) - cmd_args = ['reset', '--hard', '-q'] + rev_options.to_args() - self.run_command(cmd_args, cwd=dest) - #: update submodules - self.update_submodules(dest) - - @classmethod - def get_remote_url(cls, location): - """ - Return URL of the first remote encountered. - - Raises RemoteNotFoundError if the repository does not have a remote - url configured. - """ - # We need to pass 1 for extra_ok_returncodes since the command - # exits with return code 1 if there are no matching lines. - stdout = cls.run_command( - ['config', '--get-regexp', r'remote\..*\.url'], - extra_ok_returncodes=(1, ), show_stdout=False, cwd=location, - ) - remotes = stdout.splitlines() - try: - found_remote = remotes[0] - except IndexError: - raise RemoteNotFoundError - - for remote in remotes: - if remote.startswith('remote.origin.url '): - found_remote = remote - break - url = found_remote.split(' ')[1] - return url.strip() - - @classmethod - def get_revision(cls, location, rev=None): - if rev is None: - rev = 'HEAD' - current_rev = cls.run_command( - ['rev-parse', rev], show_stdout=False, cwd=location, - ) - return current_rev.strip() - - @classmethod - def _get_subdirectory(cls, location): - """Return the relative path of setup.py to the git repo root.""" - # find the repo root - git_dir = cls.run_command(['rev-parse', '--git-dir'], - show_stdout=False, cwd=location).strip() - if not os.path.isabs(git_dir): - git_dir = os.path.join(location, git_dir) - root_dir = os.path.join(git_dir, '..') - # find setup.py - orig_location = location - while not os.path.exists(os.path.join(location, 'setup.py')): - last_location = location - location = os.path.dirname(location) - if location == last_location: - # We've traversed up to the root of the filesystem without - # finding setup.py - logger.warning( - "Could not find setup.py for directory %s (tried all " - "parent directories)", - orig_location, - ) - return None - # relative path of setup.py to repo root - if samefile(root_dir, location): - return None - return os.path.relpath(location, root_dir) - - @classmethod - def get_src_requirement(cls, location, project_name): - repo = cls.get_remote_url(location) - if not repo.lower().startswith('git:'): - repo = 'git+' + repo - current_rev = cls.get_revision(location) - subdir = cls._get_subdirectory(location) - req = make_vcs_requirement_url(repo, current_rev, project_name, - subdir=subdir) - - return req - - def get_url_rev_and_auth(self, url): - """ - Prefixes stub URLs like 'user@hostname:user/repo.git' with 'ssh://'. - That's required because although they use SSH they sometimes don't - work with a ssh:// scheme (e.g. GitHub). But we need a scheme for - parsing. Hence we remove it again afterwards and return it as a stub. - """ - if '://' not in url: - assert 'file:' not in url - url = url.replace('git+', 'git+ssh://') - url, rev, user_pass = super(Git, self).get_url_rev_and_auth(url) - url = url.replace('ssh://', '') - else: - url, rev, user_pass = super(Git, self).get_url_rev_and_auth(url) - - return url, rev, user_pass - - def update_submodules(self, location): - if not os.path.exists(os.path.join(location, '.gitmodules')): - return - self.run_command( - ['submodule', 'update', '--init', '--recursive', '-q'], - cwd=location, - ) - - @classmethod - def controls_location(cls, location): - if super(Git, cls).controls_location(location): - return True - try: - r = cls.run_command(['rev-parse'], - cwd=location, - show_stdout=False, - on_returncode='ignore') - return not r - except BadCommand: - logger.debug("could not determine if %s is under git control " - "because git is not available", location) - return False - - -vcs.register(Git) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/mercurial.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/mercurial.py deleted file mode 100644 index 26e75de..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/mercurial.py +++ /dev/null @@ -1,103 +0,0 @@ -from __future__ import absolute_import - -import logging -import os - -from pip._vendor.six.moves import configparser - -from pip._internal.download import path_to_url -from pip._internal.utils.misc import display_path, make_vcs_requirement_url -from pip._internal.utils.temp_dir import TempDirectory -from pip._internal.vcs import VersionControl, vcs - -logger = logging.getLogger(__name__) - - -class Mercurial(VersionControl): - name = 'hg' - dirname = '.hg' - repo_name = 'clone' - schemes = ('hg', 'hg+http', 'hg+https', 'hg+ssh', 'hg+static-http') - - def get_base_rev_args(self, rev): - return [rev] - - def export(self, location): - """Export the Hg repository at the url to the destination location""" - with TempDirectory(kind="export") as temp_dir: - self.unpack(temp_dir.path) - - self.run_command( - ['archive', location], show_stdout=False, cwd=temp_dir.path - ) - - def fetch_new(self, dest, url, rev_options): - rev_display = rev_options.to_display() - logger.info( - 'Cloning hg %s%s to %s', - url, - rev_display, - display_path(dest), - ) - self.run_command(['clone', '--noupdate', '-q', url, dest]) - cmd_args = ['update', '-q'] + rev_options.to_args() - self.run_command(cmd_args, cwd=dest) - - def switch(self, dest, url, rev_options): - repo_config = os.path.join(dest, self.dirname, 'hgrc') - config = configparser.SafeConfigParser() - try: - config.read(repo_config) - config.set('paths', 'default', url) - with open(repo_config, 'w') as config_file: - config.write(config_file) - except (OSError, configparser.NoSectionError) as exc: - logger.warning( - 'Could not switch Mercurial repository to %s: %s', url, exc, - ) - else: - cmd_args = ['update', '-q'] + rev_options.to_args() - self.run_command(cmd_args, cwd=dest) - - def update(self, dest, url, rev_options): - self.run_command(['pull', '-q'], cwd=dest) - cmd_args = ['update', '-q'] + rev_options.to_args() - self.run_command(cmd_args, cwd=dest) - - @classmethod - def get_remote_url(cls, location): - url = cls.run_command( - ['showconfig', 'paths.default'], - show_stdout=False, cwd=location).strip() - if cls._is_local_repository(url): - url = path_to_url(url) - return url.strip() - - @classmethod - def get_revision(cls, location): - current_revision = cls.run_command( - ['parents', '--template={rev}'], - show_stdout=False, cwd=location).strip() - return current_revision - - @classmethod - def get_revision_hash(cls, location): - current_rev_hash = cls.run_command( - ['parents', '--template={node}'], - show_stdout=False, cwd=location).strip() - return current_rev_hash - - @classmethod - def get_src_requirement(cls, location, project_name): - repo = cls.get_remote_url(location) - if not repo.lower().startswith('hg:'): - repo = 'hg+' + repo - current_rev_hash = cls.get_revision_hash(location) - return make_vcs_requirement_url(repo, current_rev_hash, project_name) - - def is_commit_id_equal(self, dest, name): - """Always assume the versions don't match""" - return False - - -vcs.register(Mercurial) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/subversion.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/subversion.py deleted file mode 100644 index 42ac5ac..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/vcs/subversion.py +++ /dev/null @@ -1,200 +0,0 @@ -from __future__ import absolute_import - -import logging -import os -import re - -from pip._internal.utils.logging import indent_log -from pip._internal.utils.misc import ( - display_path, make_vcs_requirement_url, rmtree, split_auth_from_netloc, -) -from pip._internal.vcs import VersionControl, vcs - -_svn_xml_url_re = re.compile('url="([^"]+)"') -_svn_rev_re = re.compile(r'committed-rev="(\d+)"') -_svn_info_xml_rev_re = re.compile(r'\s*revision="(\d+)"') -_svn_info_xml_url_re = re.compile(r'<url>(.*)</url>') - - -logger = logging.getLogger(__name__) - - -class Subversion(VersionControl): - name = 'svn' - dirname = '.svn' - repo_name = 'checkout' - schemes = ('svn', 'svn+ssh', 'svn+http', 'svn+https', 'svn+svn') - - def get_base_rev_args(self, rev): - return ['-r', rev] - - def export(self, location): - """Export the svn repository at the url to the destination location""" - url, rev_options = self.get_url_rev_options(self.url) - - logger.info('Exporting svn repository %s to %s', url, location) - with indent_log(): - if os.path.exists(location): - # Subversion doesn't like to check out over an existing - # directory --force fixes this, but was only added in svn 1.5 - rmtree(location) - cmd_args = ['export'] + rev_options.to_args() + [url, location] - self.run_command(cmd_args, show_stdout=False) - - def fetch_new(self, dest, url, rev_options): - rev_display = rev_options.to_display() - logger.info( - 'Checking out %s%s to %s', - url, - rev_display, - display_path(dest), - ) - cmd_args = ['checkout', '-q'] + rev_options.to_args() + [url, dest] - self.run_command(cmd_args) - - def switch(self, dest, url, rev_options): - cmd_args = ['switch'] + rev_options.to_args() + [url, dest] - self.run_command(cmd_args) - - def update(self, dest, url, rev_options): - cmd_args = ['update'] + rev_options.to_args() + [dest] - self.run_command(cmd_args) - - @classmethod - def get_revision(cls, location): - """ - Return the maximum revision for all files under a given location - """ - # Note: taken from setuptools.command.egg_info - revision = 0 - - for base, dirs, files in os.walk(location): - if cls.dirname not in dirs: - dirs[:] = [] - continue # no sense walking uncontrolled subdirs - dirs.remove(cls.dirname) - entries_fn = os.path.join(base, cls.dirname, 'entries') - if not os.path.exists(entries_fn): - # FIXME: should we warn? - continue - - dirurl, localrev = cls._get_svn_url_rev(base) - - if base == location: - base = dirurl + '/' # save the root url - elif not dirurl or not dirurl.startswith(base): - dirs[:] = [] - continue # not part of the same svn tree, skip it - revision = max(revision, localrev) - return revision - - def get_netloc_and_auth(self, netloc, scheme): - """ - This override allows the auth information to be passed to svn via the - --username and --password options instead of via the URL. - """ - if scheme == 'ssh': - # The --username and --password options can't be used for - # svn+ssh URLs, so keep the auth information in the URL. - return super(Subversion, self).get_netloc_and_auth( - netloc, scheme) - - return split_auth_from_netloc(netloc) - - def get_url_rev_and_auth(self, url): - # hotfix the URL scheme after removing svn+ from svn+ssh:// readd it - url, rev, user_pass = super(Subversion, self).get_url_rev_and_auth(url) - if url.startswith('ssh://'): - url = 'svn+' + url - return url, rev, user_pass - - def make_rev_args(self, username, password): - extra_args = [] - if username: - extra_args += ['--username', username] - if password: - extra_args += ['--password', password] - - return extra_args - - @classmethod - def get_remote_url(cls, location): - # In cases where the source is in a subdirectory, not alongside - # setup.py we have to look up in the location until we find a real - # setup.py - orig_location = location - while not os.path.exists(os.path.join(location, 'setup.py')): - last_location = location - location = os.path.dirname(location) - if location == last_location: - # We've traversed up to the root of the filesystem without - # finding setup.py - logger.warning( - "Could not find setup.py for directory %s (tried all " - "parent directories)", - orig_location, - ) - return None - - return cls._get_svn_url_rev(location)[0] - - @classmethod - def _get_svn_url_rev(cls, location): - from pip._internal.exceptions import InstallationError - - entries_path = os.path.join(location, cls.dirname, 'entries') - if os.path.exists(entries_path): - with open(entries_path) as f: - data = f.read() - else: # subversion >= 1.7 does not have the 'entries' file - data = '' - - if (data.startswith('8') or - data.startswith('9') or - data.startswith('10')): - data = list(map(str.splitlines, data.split('\n\x0c\n'))) - del data[0][0] # get rid of the '8' - url = data[0][3] - revs = [int(d[9]) for d in data if len(d) > 9 and d[9]] + [0] - elif data.startswith('<?xml'): - match = _svn_xml_url_re.search(data) - if not match: - raise ValueError('Badly formatted data: %r' % data) - url = match.group(1) # get repository URL - revs = [int(m.group(1)) for m in _svn_rev_re.finditer(data)] + [0] - else: - try: - # subversion >= 1.7 - xml = cls.run_command( - ['info', '--xml', location], - show_stdout=False, - ) - url = _svn_info_xml_url_re.search(xml).group(1) - revs = [ - int(m.group(1)) for m in _svn_info_xml_rev_re.finditer(xml) - ] - except InstallationError: - url, revs = None, [] - - if revs: - rev = max(revs) - else: - rev = 0 - - return url, rev - - @classmethod - def get_src_requirement(cls, location, project_name): - repo = cls.get_remote_url(location) - if repo is None: - return None - repo = 'svn+' + repo - rev = cls.get_revision(location) - return make_vcs_requirement_url(repo, rev, project_name) - - def is_commit_id_equal(self, dest, name): - """Always assume the versions don't match""" - return False - - -vcs.register(Subversion) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/wheel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/wheel.py deleted file mode 100644 index 67bcc7f..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/wheel.py +++ /dev/null @@ -1,1095 +0,0 @@ -""" -Support for installing and building the "wheel" binary package format. -""" -from __future__ import absolute_import - -import collections -import compileall -import csv -import hashlib -import logging -import os.path -import re -import shutil -import stat -import sys -import warnings -from base64 import urlsafe_b64encode -from email.parser import Parser - -from pip._vendor import pkg_resources -from pip._vendor.distlib.scripts import ScriptMaker -from pip._vendor.packaging.utils import canonicalize_name -from pip._vendor.six import StringIO - -from pip._internal import pep425tags -from pip._internal.download import path_to_url, unpack_url -from pip._internal.exceptions import ( - InstallationError, InvalidWheelFilename, UnsupportedWheel, -) -from pip._internal.locations import ( - PIP_DELETE_MARKER_FILENAME, distutils_scheme, -) -from pip._internal.models.link import Link -from pip._internal.utils.logging import indent_log -from pip._internal.utils.misc import ( - call_subprocess, captured_stdout, ensure_dir, read_chunks, -) -from pip._internal.utils.setuptools_build import SETUPTOOLS_SHIM -from pip._internal.utils.temp_dir import TempDirectory -from pip._internal.utils.typing import MYPY_CHECK_RUNNING -from pip._internal.utils.ui import open_spinner - -if MYPY_CHECK_RUNNING: - from typing import ( # noqa: F401 - Dict, List, Optional, Sequence, Mapping, Tuple, IO, Text, Any, - Union, Iterable - ) - from pip._vendor.packaging.requirements import Requirement # noqa: F401 - from pip._internal.req.req_install import InstallRequirement # noqa: F401 - from pip._internal.download import PipSession # noqa: F401 - from pip._internal.index import FormatControl, PackageFinder # noqa: F401 - from pip._internal.operations.prepare import ( # noqa: F401 - RequirementPreparer - ) - from pip._internal.cache import WheelCache # noqa: F401 - from pip._internal.pep425tags import Pep425Tag # noqa: F401 - - InstalledCSVRow = Tuple[str, ...] - - -VERSION_COMPATIBLE = (1, 0) - - -logger = logging.getLogger(__name__) - - -def normpath(src, p): - return os.path.relpath(src, p).replace(os.path.sep, '/') - - -def rehash(path, blocksize=1 << 20): - # type: (str, int) -> Tuple[str, str] - """Return (hash, length) for path using hashlib.sha256()""" - h = hashlib.sha256() - length = 0 - with open(path, 'rb') as f: - for block in read_chunks(f, size=blocksize): - length += len(block) - h.update(block) - digest = 'sha256=' + urlsafe_b64encode( - h.digest() - ).decode('latin1').rstrip('=') - # unicode/str python2 issues - return (digest, str(length)) # type: ignore - - -def open_for_csv(name, mode): - # type: (str, Text) -> IO - if sys.version_info[0] < 3: - nl = {} # type: Dict[str, Any] - bin = 'b' - else: - nl = {'newline': ''} # type: Dict[str, Any] - bin = '' - return open(name, mode + bin, **nl) - - -def replace_python_tag(wheelname, new_tag): - # type: (str, str) -> str - """Replace the Python tag in a wheel file name with a new value. - """ - parts = wheelname.split('-') - parts[-3] = new_tag - return '-'.join(parts) - - -def fix_script(path): - # type: (str) -> Optional[bool] - """Replace #!python with #!/path/to/python - Return True if file was changed.""" - # XXX RECORD hashes will need to be updated - if os.path.isfile(path): - with open(path, 'rb') as script: - firstline = script.readline() - if not firstline.startswith(b'#!python'): - return False - exename = sys.executable.encode(sys.getfilesystemencoding()) - firstline = b'#!' + exename + os.linesep.encode("ascii") - rest = script.read() - with open(path, 'wb') as script: - script.write(firstline) - script.write(rest) - return True - return None - - -dist_info_re = re.compile(r"""^(?P<namever>(?P<name>.+?)(-(?P<ver>.+?))?) - \.dist-info$""", re.VERBOSE) - - -def root_is_purelib(name, wheeldir): - # type: (str, str) -> bool - """ - Return True if the extracted wheel in wheeldir should go into purelib. - """ - name_folded = name.replace("-", "_") - for item in os.listdir(wheeldir): - match = dist_info_re.match(item) - if match and match.group('name') == name_folded: - with open(os.path.join(wheeldir, item, 'WHEEL')) as wheel: - for line in wheel: - line = line.lower().rstrip() - if line == "root-is-purelib: true": - return True - return False - - -def get_entrypoints(filename): - # type: (str) -> Tuple[Dict[str, str], Dict[str, str]] - if not os.path.exists(filename): - return {}, {} - - # This is done because you can pass a string to entry_points wrappers which - # means that they may or may not be valid INI files. The attempt here is to - # strip leading and trailing whitespace in order to make them valid INI - # files. - with open(filename) as fp: - data = StringIO() - for line in fp: - data.write(line.strip()) - data.write("\n") - data.seek(0) - - # get the entry points and then the script names - entry_points = pkg_resources.EntryPoint.parse_map(data) - console = entry_points.get('console_scripts', {}) - gui = entry_points.get('gui_scripts', {}) - - def _split_ep(s): - """get the string representation of EntryPoint, remove space and split - on '='""" - return str(s).replace(" ", "").split("=") - - # convert the EntryPoint objects into strings with module:function - console = dict(_split_ep(v) for v in console.values()) - gui = dict(_split_ep(v) for v in gui.values()) - return console, gui - - -def message_about_scripts_not_on_PATH(scripts): - # type: (Sequence[str]) -> Optional[str] - """Determine if any scripts are not on PATH and format a warning. - - Returns a warning message if one or more scripts are not on PATH, - otherwise None. - """ - if not scripts: - return None - - # Group scripts by the path they were installed in - grouped_by_dir = collections.defaultdict(set) # type: Dict[str, set] - for destfile in scripts: - parent_dir = os.path.dirname(destfile) - script_name = os.path.basename(destfile) - grouped_by_dir[parent_dir].add(script_name) - - # We don't want to warn for directories that are on PATH. - not_warn_dirs = [ - os.path.normcase(i).rstrip(os.sep) for i in - os.environ.get("PATH", "").split(os.pathsep) - ] - # If an executable sits with sys.executable, we don't warn for it. - # This covers the case of venv invocations without activating the venv. - not_warn_dirs.append(os.path.normcase(os.path.dirname(sys.executable))) - warn_for = { - parent_dir: scripts for parent_dir, scripts in grouped_by_dir.items() - if os.path.normcase(parent_dir) not in not_warn_dirs - } - if not warn_for: - return None - - # Format a message - msg_lines = [] - for parent_dir, scripts in warn_for.items(): - scripts = sorted(scripts) - if len(scripts) == 1: - start_text = "script {} is".format(scripts[0]) - else: - start_text = "scripts {} are".format( - ", ".join(scripts[:-1]) + " and " + scripts[-1] - ) - - msg_lines.append( - "The {} installed in '{}' which is not on PATH." - .format(start_text, parent_dir) - ) - - last_line_fmt = ( - "Consider adding {} to PATH or, if you prefer " - "to suppress this warning, use --no-warn-script-location." - ) - if len(msg_lines) == 1: - msg_lines.append(last_line_fmt.format("this directory")) - else: - msg_lines.append(last_line_fmt.format("these directories")) - - # Returns the formatted multiline message - return "\n".join(msg_lines) - - -def sorted_outrows(outrows): - # type: (Iterable[InstalledCSVRow]) -> List[InstalledCSVRow] - """ - Return the given rows of a RECORD file in sorted order. - - Each row is a 3-tuple (path, hash, size) and corresponds to a record of - a RECORD file (see PEP 376 and PEP 427 for details). For the rows - passed to this function, the size can be an integer as an int or string, - or the empty string. - """ - # Normally, there should only be one row per path, in which case the - # second and third elements don't come into play when sorting. - # However, in cases in the wild where a path might happen to occur twice, - # we don't want the sort operation to trigger an error (but still want - # determinism). Since the third element can be an int or string, we - # coerce each element to a string to avoid a TypeError in this case. - # For additional background, see-- - # https://github.com/pypa/pip/issues/5868 - return sorted(outrows, key=lambda row: tuple(str(x) for x in row)) - - -def get_csv_rows_for_installed( - old_csv_rows, # type: Iterable[List[str]] - installed, # type: Dict[str, str] - changed, # type: set - generated, # type: List[str] - lib_dir, # type: str -): - # type: (...) -> List[InstalledCSVRow] - """ - :param installed: A map from archive RECORD path to installation RECORD - path. - """ - installed_rows = [] # type: List[InstalledCSVRow] - for row in old_csv_rows: - if len(row) > 3: - logger.warning( - 'RECORD line has more than three elements: {}'.format(row) - ) - # Make a copy because we are mutating the row. - row = list(row) - old_path = row[0] - new_path = installed.pop(old_path, old_path) - row[0] = new_path - if new_path in changed: - digest, length = rehash(new_path) - row[1] = digest - row[2] = length - installed_rows.append(tuple(row)) - for f in generated: - digest, length = rehash(f) - installed_rows.append((normpath(f, lib_dir), digest, str(length))) - for f in installed: - installed_rows.append((installed[f], '', '')) - return installed_rows - - -def move_wheel_files( - name, # type: str - req, # type: Requirement - wheeldir, # type: str - user=False, # type: bool - home=None, # type: Optional[str] - root=None, # type: Optional[str] - pycompile=True, # type: bool - scheme=None, # type: Optional[Mapping[str, str]] - isolated=False, # type: bool - prefix=None, # type: Optional[str] - warn_script_location=True # type: bool -): - # type: (...) -> None - """Install a wheel""" - # TODO: Investigate and break this up. - # TODO: Look into moving this into a dedicated class for representing an - # installation. - - if not scheme: - scheme = distutils_scheme( - name, user=user, home=home, root=root, isolated=isolated, - prefix=prefix, - ) - - if root_is_purelib(name, wheeldir): - lib_dir = scheme['purelib'] - else: - lib_dir = scheme['platlib'] - - info_dir = [] # type: List[str] - data_dirs = [] - source = wheeldir.rstrip(os.path.sep) + os.path.sep - - # Record details of the files moved - # installed = files copied from the wheel to the destination - # changed = files changed while installing (scripts #! line typically) - # generated = files newly generated during the install (script wrappers) - installed = {} # type: Dict[str, str] - changed = set() - generated = [] # type: List[str] - - # Compile all of the pyc files that we're going to be installing - if pycompile: - with captured_stdout() as stdout: - with warnings.catch_warnings(): - warnings.filterwarnings('ignore') - compileall.compile_dir(source, force=True, quiet=True) - logger.debug(stdout.getvalue()) - - def record_installed(srcfile, destfile, modified=False): - """Map archive RECORD paths to installation RECORD paths.""" - oldpath = normpath(srcfile, wheeldir) - newpath = normpath(destfile, lib_dir) - installed[oldpath] = newpath - if modified: - changed.add(destfile) - - def clobber(source, dest, is_base, fixer=None, filter=None): - ensure_dir(dest) # common for the 'include' path - - for dir, subdirs, files in os.walk(source): - basedir = dir[len(source):].lstrip(os.path.sep) - destdir = os.path.join(dest, basedir) - if is_base and basedir.split(os.path.sep, 1)[0].endswith('.data'): - continue - for s in subdirs: - destsubdir = os.path.join(dest, basedir, s) - if is_base and basedir == '' and destsubdir.endswith('.data'): - data_dirs.append(s) - continue - elif (is_base and - s.endswith('.dist-info') and - canonicalize_name(s).startswith( - canonicalize_name(req.name))): - assert not info_dir, ('Multiple .dist-info directories: ' + - destsubdir + ', ' + - ', '.join(info_dir)) - info_dir.append(destsubdir) - for f in files: - # Skip unwanted files - if filter and filter(f): - continue - srcfile = os.path.join(dir, f) - destfile = os.path.join(dest, basedir, f) - # directory creation is lazy and after the file filtering above - # to ensure we don't install empty dirs; empty dirs can't be - # uninstalled. - ensure_dir(destdir) - - # copyfile (called below) truncates the destination if it - # exists and then writes the new contents. This is fine in most - # cases, but can cause a segfault if pip has loaded a shared - # object (e.g. from pyopenssl through its vendored urllib3) - # Since the shared object is mmap'd an attempt to call a - # symbol in it will then cause a segfault. Unlinking the file - # allows writing of new contents while allowing the process to - # continue to use the old copy. - if os.path.exists(destfile): - os.unlink(destfile) - - # We use copyfile (not move, copy, or copy2) to be extra sure - # that we are not moving directories over (copyfile fails for - # directories) as well as to ensure that we are not copying - # over any metadata because we want more control over what - # metadata we actually copy over. - shutil.copyfile(srcfile, destfile) - - # Copy over the metadata for the file, currently this only - # includes the atime and mtime. - st = os.stat(srcfile) - if hasattr(os, "utime"): - os.utime(destfile, (st.st_atime, st.st_mtime)) - - # If our file is executable, then make our destination file - # executable. - if os.access(srcfile, os.X_OK): - st = os.stat(srcfile) - permissions = ( - st.st_mode | stat.S_IXUSR | stat.S_IXGRP | stat.S_IXOTH - ) - os.chmod(destfile, permissions) - - changed = False - if fixer: - changed = fixer(destfile) - record_installed(srcfile, destfile, changed) - - clobber(source, lib_dir, True) - - assert info_dir, "%s .dist-info directory not found" % req - - # Get the defined entry points - ep_file = os.path.join(info_dir[0], 'entry_points.txt') - console, gui = get_entrypoints(ep_file) - - def is_entrypoint_wrapper(name): - # EP, EP.exe and EP-script.py are scripts generated for - # entry point EP by setuptools - if name.lower().endswith('.exe'): - matchname = name[:-4] - elif name.lower().endswith('-script.py'): - matchname = name[:-10] - elif name.lower().endswith(".pya"): - matchname = name[:-4] - else: - matchname = name - # Ignore setuptools-generated scripts - return (matchname in console or matchname in gui) - - for datadir in data_dirs: - fixer = None - filter = None - for subdir in os.listdir(os.path.join(wheeldir, datadir)): - fixer = None - if subdir == 'scripts': - fixer = fix_script - filter = is_entrypoint_wrapper - source = os.path.join(wheeldir, datadir, subdir) - dest = scheme[subdir] - clobber(source, dest, False, fixer=fixer, filter=filter) - - maker = ScriptMaker(None, scheme['scripts']) - - # Ensure old scripts are overwritten. - # See https://github.com/pypa/pip/issues/1800 - maker.clobber = True - - # Ensure we don't generate any variants for scripts because this is almost - # never what somebody wants. - # See https://bitbucket.org/pypa/distlib/issue/35/ - maker.variants = {''} - - # This is required because otherwise distlib creates scripts that are not - # executable. - # See https://bitbucket.org/pypa/distlib/issue/32/ - maker.set_mode = True - - # Simplify the script and fix the fact that the default script swallows - # every single stack trace. - # See https://bitbucket.org/pypa/distlib/issue/34/ - # See https://bitbucket.org/pypa/distlib/issue/33/ - def _get_script_text(entry): - if entry.suffix is None: - raise InstallationError( - "Invalid script entry point: %s for req: %s - A callable " - "suffix is required. Cf https://packaging.python.org/en/" - "latest/distributing.html#console-scripts for more " - "information." % (entry, req) - ) - return maker.script_template % { - "module": entry.prefix, - "import_name": entry.suffix.split(".")[0], - "func": entry.suffix, - } - # ignore type, because mypy disallows assigning to a method, - # see https://github.com/python/mypy/issues/2427 - maker._get_script_text = _get_script_text # type: ignore - maker.script_template = r"""# -*- coding: utf-8 -*- -import re -import sys - -from %(module)s import %(import_name)s - -if __name__ == '__main__': - sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) - sys.exit(%(func)s()) -""" - - # Special case pip and setuptools to generate versioned wrappers - # - # The issue is that some projects (specifically, pip and setuptools) use - # code in setup.py to create "versioned" entry points - pip2.7 on Python - # 2.7, pip3.3 on Python 3.3, etc. But these entry points are baked into - # the wheel metadata at build time, and so if the wheel is installed with - # a *different* version of Python the entry points will be wrong. The - # correct fix for this is to enhance the metadata to be able to describe - # such versioned entry points, but that won't happen till Metadata 2.0 is - # available. - # In the meantime, projects using versioned entry points will either have - # incorrect versioned entry points, or they will not be able to distribute - # "universal" wheels (i.e., they will need a wheel per Python version). - # - # Because setuptools and pip are bundled with _ensurepip and virtualenv, - # we need to use universal wheels. So, as a stopgap until Metadata 2.0, we - # override the versioned entry points in the wheel and generate the - # correct ones. This code is purely a short-term measure until Metadata 2.0 - # is available. - # - # To add the level of hack in this section of code, in order to support - # ensurepip this code will look for an ``ENSUREPIP_OPTIONS`` environment - # variable which will control which version scripts get installed. - # - # ENSUREPIP_OPTIONS=altinstall - # - Only pipX.Y and easy_install-X.Y will be generated and installed - # ENSUREPIP_OPTIONS=install - # - pipX.Y, pipX, easy_install-X.Y will be generated and installed. Note - # that this option is technically if ENSUREPIP_OPTIONS is set and is - # not altinstall - # DEFAULT - # - The default behavior is to install pip, pipX, pipX.Y, easy_install - # and easy_install-X.Y. - pip_script = console.pop('pip', None) - if pip_script: - if "ENSUREPIP_OPTIONS" not in os.environ: - spec = 'pip = ' + pip_script - generated.extend(maker.make(spec)) - - if os.environ.get("ENSUREPIP_OPTIONS", "") != "altinstall": - spec = 'pip%s = %s' % (sys.version[:1], pip_script) - generated.extend(maker.make(spec)) - - spec = 'pip%s = %s' % (sys.version[:3], pip_script) - generated.extend(maker.make(spec)) - # Delete any other versioned pip entry points - pip_ep = [k for k in console if re.match(r'pip(\d(\.\d)?)?$', k)] - for k in pip_ep: - del console[k] - easy_install_script = console.pop('easy_install', None) - if easy_install_script: - if "ENSUREPIP_OPTIONS" not in os.environ: - spec = 'easy_install = ' + easy_install_script - generated.extend(maker.make(spec)) - - spec = 'easy_install-%s = %s' % (sys.version[:3], easy_install_script) - generated.extend(maker.make(spec)) - # Delete any other versioned easy_install entry points - easy_install_ep = [ - k for k in console if re.match(r'easy_install(-\d\.\d)?$', k) - ] - for k in easy_install_ep: - del console[k] - - # Generate the console and GUI entry points specified in the wheel - if len(console) > 0: - generated_console_scripts = maker.make_multiple( - ['%s = %s' % kv for kv in console.items()] - ) - generated.extend(generated_console_scripts) - - if warn_script_location: - msg = message_about_scripts_not_on_PATH(generated_console_scripts) - if msg is not None: - logger.warning(msg) - - if len(gui) > 0: - generated.extend( - maker.make_multiple( - ['%s = %s' % kv for kv in gui.items()], - {'gui': True} - ) - ) - - # Record pip as the installer - installer = os.path.join(info_dir[0], 'INSTALLER') - temp_installer = os.path.join(info_dir[0], 'INSTALLER.pip') - with open(temp_installer, 'wb') as installer_file: - installer_file.write(b'pip\n') - shutil.move(temp_installer, installer) - generated.append(installer) - - # Record details of all files installed - record = os.path.join(info_dir[0], 'RECORD') - temp_record = os.path.join(info_dir[0], 'RECORD.pip') - with open_for_csv(record, 'r') as record_in: - with open_for_csv(temp_record, 'w+') as record_out: - reader = csv.reader(record_in) - outrows = get_csv_rows_for_installed( - reader, installed=installed, changed=changed, - generated=generated, lib_dir=lib_dir, - ) - writer = csv.writer(record_out) - # Sort to simplify testing. - for row in sorted_outrows(outrows): - writer.writerow(row) - shutil.move(temp_record, record) - - -def wheel_version(source_dir): - # type: (Optional[str]) -> Optional[Tuple[int, ...]] - """ - Return the Wheel-Version of an extracted wheel, if possible. - - Otherwise, return None if we couldn't parse / extract it. - """ - try: - dist = [d for d in pkg_resources.find_on_path(None, source_dir)][0] - - wheel_data = dist.get_metadata('WHEEL') - wheel_data = Parser().parsestr(wheel_data) - - version = wheel_data['Wheel-Version'].strip() - version = tuple(map(int, version.split('.'))) - return version - except Exception: - return None - - -def check_compatibility(version, name): - # type: (Optional[Tuple[int, ...]], str) -> None - """ - Raises errors or warns if called with an incompatible Wheel-Version. - - Pip should refuse to install a Wheel-Version that's a major series - ahead of what it's compatible with (e.g 2.0 > 1.1); and warn when - installing a version only minor version ahead (e.g 1.2 > 1.1). - - version: a 2-tuple representing a Wheel-Version (Major, Minor) - name: name of wheel or package to raise exception about - - :raises UnsupportedWheel: when an incompatible Wheel-Version is given - """ - if not version: - raise UnsupportedWheel( - "%s is in an unsupported or invalid wheel" % name - ) - if version[0] > VERSION_COMPATIBLE[0]: - raise UnsupportedWheel( - "%s's Wheel-Version (%s) is not compatible with this version " - "of pip" % (name, '.'.join(map(str, version))) - ) - elif version > VERSION_COMPATIBLE: - logger.warning( - 'Installing from a newer Wheel-Version (%s)', - '.'.join(map(str, version)), - ) - - -class Wheel(object): - """A wheel file""" - - # TODO: Maybe move the class into the models sub-package - # TODO: Maybe move the install code into this class - - wheel_file_re = re.compile( - r"""^(?P<namever>(?P<name>.+?)-(?P<ver>.*?)) - ((-(?P<build>\d[^-]*?))?-(?P<pyver>.+?)-(?P<abi>.+?)-(?P<plat>.+?) - \.whl|\.dist-info)$""", - re.VERBOSE - ) - - def __init__(self, filename): - # type: (str) -> None - """ - :raises InvalidWheelFilename: when the filename is invalid for a wheel - """ - wheel_info = self.wheel_file_re.match(filename) - if not wheel_info: - raise InvalidWheelFilename( - "%s is not a valid wheel filename." % filename - ) - self.filename = filename - self.name = wheel_info.group('name').replace('_', '-') - # we'll assume "_" means "-" due to wheel naming scheme - # (https://github.com/pypa/pip/issues/1150) - self.version = wheel_info.group('ver').replace('_', '-') - self.build_tag = wheel_info.group('build') - self.pyversions = wheel_info.group('pyver').split('.') - self.abis = wheel_info.group('abi').split('.') - self.plats = wheel_info.group('plat').split('.') - - # All the tag combinations from this file - self.file_tags = { - (x, y, z) for x in self.pyversions - for y in self.abis for z in self.plats - } - - def support_index_min(self, tags=None): - # type: (Optional[List[Pep425Tag]]) -> Optional[int] - """ - Return the lowest index that one of the wheel's file_tag combinations - achieves in the supported_tags list e.g. if there are 8 supported tags, - and one of the file tags is first in the list, then return 0. Returns - None is the wheel is not supported. - """ - if tags is None: # for mock - tags = pep425tags.get_supported() - indexes = [tags.index(c) for c in self.file_tags if c in tags] - return min(indexes) if indexes else None - - def supported(self, tags=None): - # type: (Optional[List[Pep425Tag]]) -> bool - """Is this wheel supported on this system?""" - if tags is None: # for mock - tags = pep425tags.get_supported() - return bool(set(tags).intersection(self.file_tags)) - - -def _contains_egg_info( - s, _egg_info_re=re.compile(r'([a-z0-9_.]+)-([a-z0-9_.!+-]+)', re.I)): - """Determine whether the string looks like an egg_info. - - :param s: The string to parse. E.g. foo-2.1 - """ - return bool(_egg_info_re.search(s)) - - -def should_use_ephemeral_cache( - req, # type: InstallRequirement - format_control, # type: FormatControl - autobuilding, # type: bool - cache_available # type: bool -): - # type: (...) -> Optional[bool] - """ - Return whether to build an InstallRequirement object using the - ephemeral cache. - - :param cache_available: whether a cache directory is available for the - autobuilding=True case. - - :return: True or False to build the requirement with ephem_cache=True - or False, respectively; or None not to build the requirement. - """ - if req.constraint: - return None - if req.is_wheel: - if not autobuilding: - logger.info( - 'Skipping %s, due to already being wheel.', req.name, - ) - return None - if not autobuilding: - return False - - if req.editable or not req.source_dir: - return None - - if req.link and not req.link.is_artifact: - # VCS checkout. Build wheel just for this run. - return True - - if "binary" not in format_control.get_allowed_formats( - canonicalize_name(req.name)): - logger.info( - "Skipping bdist_wheel for %s, due to binaries " - "being disabled for it.", req.name, - ) - return None - - link = req.link - base, ext = link.splitext() - if cache_available and _contains_egg_info(base): - return False - - # Otherwise, build the wheel just for this run using the ephemeral - # cache since we are either in the case of e.g. a local directory, or - # no cache directory is available to use. - return True - - -def format_command( - command_args, # type: List[str] - command_output, # type: str -): - # type: (...) -> str - """ - Format command information for logging. - """ - text = 'Command arguments: {}\n'.format(command_args) - - if not command_output: - text += 'Command output: None' - elif logger.getEffectiveLevel() > logging.DEBUG: - text += 'Command output: [use --verbose to show]' - else: - if not command_output.endswith('\n'): - command_output += '\n' - text += ( - 'Command output:\n{}' - '-----------------------------------------' - ).format(command_output) - - return text - - -def get_legacy_build_wheel_path( - names, # type: List[str] - temp_dir, # type: str - req, # type: InstallRequirement - command_args, # type: List[str] - command_output, # type: str -): - # type: (...) -> Optional[str] - """ - Return the path to the wheel in the temporary build directory. - """ - # Sort for determinism. - names = sorted(names) - if not names: - msg = ( - 'Legacy build of wheel for {!r} created no files.\n' - ).format(req.name) - msg += format_command(command_args, command_output) - logger.warning(msg) - return None - - if len(names) > 1: - msg = ( - 'Legacy build of wheel for {!r} created more than one file.\n' - 'Filenames (choosing first): {}\n' - ).format(req.name, names) - msg += format_command(command_args, command_output) - logger.warning(msg) - - return os.path.join(temp_dir, names[0]) - - -class WheelBuilder(object): - """Build wheels from a RequirementSet.""" - - def __init__( - self, - finder, # type: PackageFinder - preparer, # type: RequirementPreparer - wheel_cache, # type: WheelCache - build_options=None, # type: Optional[List[str]] - global_options=None, # type: Optional[List[str]] - no_clean=False # type: bool - ): - # type: (...) -> None - self.finder = finder - self.preparer = preparer - self.wheel_cache = wheel_cache - - self._wheel_dir = preparer.wheel_download_dir - - self.build_options = build_options or [] - self.global_options = global_options or [] - self.no_clean = no_clean - - def _build_one(self, req, output_dir, python_tag=None): - """Build one wheel. - - :return: The filename of the built wheel, or None if the build failed. - """ - # Install build deps into temporary directory (PEP 518) - with req.build_env: - return self._build_one_inside_env(req, output_dir, - python_tag=python_tag) - - def _build_one_inside_env(self, req, output_dir, python_tag=None): - with TempDirectory(kind="wheel") as temp_dir: - if req.use_pep517: - builder = self._build_one_pep517 - else: - builder = self._build_one_legacy - wheel_path = builder(req, temp_dir.path, python_tag=python_tag) - if wheel_path is not None: - wheel_name = os.path.basename(wheel_path) - dest_path = os.path.join(output_dir, wheel_name) - try: - shutil.move(wheel_path, dest_path) - logger.info('Stored in directory: %s', output_dir) - return dest_path - except Exception: - pass - # Ignore return, we can't do anything else useful. - self._clean_one(req) - return None - - def _base_setup_args(self, req): - # NOTE: Eventually, we'd want to also -S to the flags here, when we're - # isolating. Currently, it breaks Python in virtualenvs, because it - # relies on site.py to find parts of the standard library outside the - # virtualenv. - return [ - sys.executable, '-u', '-c', - SETUPTOOLS_SHIM % req.setup_py - ] + list(self.global_options) - - def _build_one_pep517(self, req, tempd, python_tag=None): - """Build one InstallRequirement using the PEP 517 build process. - - Returns path to wheel if successfully built. Otherwise, returns None. - """ - assert req.metadata_directory is not None - try: - req.spin_message = 'Building wheel for %s (PEP 517)' % (req.name,) - logger.debug('Destination directory: %s', tempd) - wheel_name = req.pep517_backend.build_wheel( - tempd, - metadata_directory=req.metadata_directory - ) - if python_tag: - # General PEP 517 backends don't necessarily support - # a "--python-tag" option, so we rename the wheel - # file directly. - new_name = replace_python_tag(wheel_name, python_tag) - os.rename( - os.path.join(tempd, wheel_name), - os.path.join(tempd, new_name) - ) - # Reassign to simplify the return at the end of function - wheel_name = new_name - except Exception: - logger.error('Failed building wheel for %s', req.name) - return None - return os.path.join(tempd, wheel_name) - - def _build_one_legacy(self, req, tempd, python_tag=None): - """Build one InstallRequirement using the "legacy" build process. - - Returns path to wheel if successfully built. Otherwise, returns None. - """ - base_args = self._base_setup_args(req) - - spin_message = 'Building wheel for %s (setup.py)' % (req.name,) - with open_spinner(spin_message) as spinner: - logger.debug('Destination directory: %s', tempd) - wheel_args = base_args + ['bdist_wheel', '-d', tempd] \ - + self.build_options - - if python_tag is not None: - wheel_args += ["--python-tag", python_tag] - - try: - output = call_subprocess(wheel_args, cwd=req.setup_py_dir, - show_stdout=False, spinner=spinner) - except Exception: - spinner.finish("error") - logger.error('Failed building wheel for %s', req.name) - return None - names = os.listdir(tempd) - wheel_path = get_legacy_build_wheel_path( - names=names, - temp_dir=tempd, - req=req, - command_args=wheel_args, - command_output=output, - ) - return wheel_path - - def _clean_one(self, req): - base_args = self._base_setup_args(req) - - logger.info('Running setup.py clean for %s', req.name) - clean_args = base_args + ['clean', '--all'] - try: - call_subprocess(clean_args, cwd=req.source_dir, show_stdout=False) - return True - except Exception: - logger.error('Failed cleaning build dir for %s', req.name) - return False - - def build( - self, - requirements, # type: Iterable[InstallRequirement] - session, # type: PipSession - autobuilding=False # type: bool - ): - # type: (...) -> List[InstallRequirement] - """Build wheels. - - :param unpack: If True, replace the sdist we built from with the - newly built wheel, in preparation for installation. - :return: True if all the wheels built correctly. - """ - buildset = [] - format_control = self.finder.format_control - # Whether a cache directory is available for autobuilding=True. - cache_available = bool(self._wheel_dir or self.wheel_cache.cache_dir) - - for req in requirements: - ephem_cache = should_use_ephemeral_cache( - req, format_control=format_control, autobuilding=autobuilding, - cache_available=cache_available, - ) - if ephem_cache is None: - continue - - buildset.append((req, ephem_cache)) - - if not buildset: - return [] - - # Is any wheel build not using the ephemeral cache? - if any(not ephem_cache for _, ephem_cache in buildset): - have_directory_for_build = self._wheel_dir or ( - autobuilding and self.wheel_cache.cache_dir - ) - assert have_directory_for_build - - # TODO by @pradyunsg - # Should break up this method into 2 separate methods. - - # Build the wheels. - logger.info( - 'Building wheels for collected packages: %s', - ', '.join([req.name for (req, _) in buildset]), - ) - _cache = self.wheel_cache # shorter name - with indent_log(): - build_success, build_failure = [], [] - for req, ephem in buildset: - python_tag = None - if autobuilding: - python_tag = pep425tags.implementation_tag - if ephem: - output_dir = _cache.get_ephem_path_for_link(req.link) - else: - output_dir = _cache.get_path_for_link(req.link) - try: - ensure_dir(output_dir) - except OSError as e: - logger.warning("Building wheel for %s failed: %s", - req.name, e) - build_failure.append(req) - continue - else: - output_dir = self._wheel_dir - wheel_file = self._build_one( - req, output_dir, - python_tag=python_tag, - ) - if wheel_file: - build_success.append(req) - if autobuilding: - # XXX: This is mildly duplicative with prepare_files, - # but not close enough to pull out to a single common - # method. - # The code below assumes temporary source dirs - - # prevent it doing bad things. - if req.source_dir and not os.path.exists(os.path.join( - req.source_dir, PIP_DELETE_MARKER_FILENAME)): - raise AssertionError( - "bad source dir - missing marker") - # Delete the source we built the wheel from - req.remove_temporary_source() - # set the build directory again - name is known from - # the work prepare_files did. - req.source_dir = req.build_location( - self.preparer.build_dir - ) - # Update the link for this. - req.link = Link(path_to_url(wheel_file)) - assert req.link.is_wheel - # extract the wheel into the dir - unpack_url( - req.link, req.source_dir, None, False, - session=session, - ) - else: - build_failure.append(req) - - # notify success/failure - if build_success: - logger.info( - 'Successfully built %s', - ' '.join([req.name for req in build_success]), - ) - if build_failure: - logger.info( - 'Failed to build %s', - ' '.join([req.name for req in build_failure]), - ) - # Return a list of requirements that failed to build - return build_failure diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__init__.py deleted file mode 100644 index ef71f3a..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__init__.py +++ /dev/null @@ -1,3 +0,0 @@ -from .core import where - -__version__ = "2018.11.29" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__main__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__main__.py deleted file mode 100644 index ae2aff5..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/__main__.py +++ /dev/null @@ -1,2 +0,0 @@ -from pip._vendor.certifi import where -print(where()) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/core.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/core.py deleted file mode 100644 index 2d02ea4..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/core.py +++ /dev/null @@ -1,20 +0,0 @@ -#!/usr/bin/env python -# -*- coding: utf-8 -*- - -""" -certifi.py -~~~~~~~~~~ - -This module returns the installation location of cacert.pem. -""" -import os - - -def where(): - f = os.path.dirname(__file__) - - return os.path.join(f, 'cacert.pem') - - -if __name__ == '__main__': - print(where()) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/__init__.py deleted file mode 100644 index 0f9f820..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/__init__.py +++ /dev/null @@ -1,39 +0,0 @@ -######################## BEGIN LICENSE BLOCK ######################## -# This library is free software; you can redistribute it and/or -# modify it under the terms of the GNU Lesser General Public -# License as published by the Free Software Foundation; either -# version 2.1 of the License, or (at your option) any later version. -# -# This library is distributed in the hope that it will be useful, -# but WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -# Lesser General Public License for more details. -# -# You should have received a copy of the GNU Lesser General Public -# License along with this library; if not, write to the Free Software -# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA -# 02110-1301 USA -######################### END LICENSE BLOCK ######################### - - -from .compat import PY2, PY3 -from .universaldetector import UniversalDetector -from .version import __version__, VERSION - - -def detect(byte_str): - """ - Detect the encoding of the given byte string. - - :param byte_str: The byte sequence to examine. - :type byte_str: ``bytes`` or ``bytearray`` - """ - if not isinstance(byte_str, bytearray): - if not isinstance(byte_str, bytes): - raise TypeError('Expected object of type bytes or bytearray, got: ' - '{0}'.format(type(byte_str))) - else: - byte_str = bytearray(byte_str) - detector = UniversalDetector() - detector.feed(byte_str) - return detector.close() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langbulgarianmodel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langbulgarianmodel.py deleted file mode 100644 index 2aa4fb2..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langbulgarianmodel.py +++ /dev/null @@ -1,228 +0,0 @@ -######################## BEGIN LICENSE BLOCK ######################## -# The Original Code is Mozilla Communicator client code. -# -# The Initial Developer of the Original Code is -# Netscape Communications Corporation. -# Portions created by the Initial Developer are Copyright (C) 1998 -# the Initial Developer. All Rights Reserved. -# -# Contributor(s): -# Mark Pilgrim - port to Python -# -# This library is free software; you can redistribute it and/or -# modify it under the terms of the GNU Lesser General Public -# License as published by the Free Software Foundation; either -# version 2.1 of the License, or (at your option) any later version. -# -# This library is distributed in the hope that it will be useful, -# but WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -# Lesser General Public License for more details. -# -# You should have received a copy of the GNU Lesser General Public -# License along with this library; if not, write to the Free Software -# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA -# 02110-1301 USA -######################### END LICENSE BLOCK ######################### - -# 255: Control characters that usually does not exist in any text -# 254: Carriage/Return -# 253: symbol (punctuation) that does not belong to word -# 252: 0 - 9 - -# Character Mapping Table: -# this table is modified base on win1251BulgarianCharToOrderMap, so -# only number <64 is sure valid - -Latin5_BulgarianCharToOrderMap = ( -255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 -253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 -252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 -253, 77, 90, 99,100, 72,109,107,101, 79,185, 81,102, 76, 94, 82, # 40 -110,186,108, 91, 74,119, 84, 96,111,187,115,253,253,253,253,253, # 50 -253, 65, 69, 70, 66, 63, 68,112,103, 92,194,104, 95, 86, 87, 71, # 60 -116,195, 85, 93, 97,113,196,197,198,199,200,253,253,253,253,253, # 70 -194,195,196,197,198,199,200,201,202,203,204,205,206,207,208,209, # 80 -210,211,212,213,214,215,216,217,218,219,220,221,222,223,224,225, # 90 - 81,226,227,228,229,230,105,231,232,233,234,235,236, 45,237,238, # a0 - 31, 32, 35, 43, 37, 44, 55, 47, 40, 59, 33, 46, 38, 36, 41, 30, # b0 - 39, 28, 34, 51, 48, 49, 53, 50, 54, 57, 61,239, 67,240, 60, 56, # c0 - 1, 18, 9, 20, 11, 3, 23, 15, 2, 26, 12, 10, 14, 6, 4, 13, # d0 - 7, 8, 5, 19, 29, 25, 22, 21, 27, 24, 17, 75, 52,241, 42, 16, # e0 - 62,242,243,244, 58,245, 98,246,247,248,249,250,251, 91,252,253, # f0 -) - -win1251BulgarianCharToOrderMap = ( -255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 -253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 -252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 -253, 77, 90, 99,100, 72,109,107,101, 79,185, 81,102, 76, 94, 82, # 40 -110,186,108, 91, 74,119, 84, 96,111,187,115,253,253,253,253,253, # 50 -253, 65, 69, 70, 66, 63, 68,112,103, 92,194,104, 95, 86, 87, 71, # 60 -116,195, 85, 93, 97,113,196,197,198,199,200,253,253,253,253,253, # 70 -206,207,208,209,210,211,212,213,120,214,215,216,217,218,219,220, # 80 -221, 78, 64, 83,121, 98,117,105,222,223,224,225,226,227,228,229, # 90 - 88,230,231,232,233,122, 89,106,234,235,236,237,238, 45,239,240, # a0 - 73, 80,118,114,241,242,243,244,245, 62, 58,246,247,248,249,250, # b0 - 31, 32, 35, 43, 37, 44, 55, 47, 40, 59, 33, 46, 38, 36, 41, 30, # c0 - 39, 28, 34, 51, 48, 49, 53, 50, 54, 57, 61,251, 67,252, 60, 56, # d0 - 1, 18, 9, 20, 11, 3, 23, 15, 2, 26, 12, 10, 14, 6, 4, 13, # e0 - 7, 8, 5, 19, 29, 25, 22, 21, 27, 24, 17, 75, 52,253, 42, 16, # f0 -) - -# Model Table: -# total sequences: 100% -# first 512 sequences: 96.9392% -# first 1024 sequences:3.0618% -# rest sequences: 0.2992% -# negative sequences: 0.0020% -BulgarianLangModel = ( -0,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,3,3,3,3,3,3,3,2,3,3,3,3,3, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,0,3,3,3,2,2,3,2,2,1,2,2, -3,1,3,3,2,3,3,3,3,3,3,3,3,3,3,3,3,0,3,3,3,3,3,3,3,3,3,3,0,3,0,1, -0,0,0,0,0,0,0,0,0,0,1,0,1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,2,3,3,3,3,3,3,3,3,0,3,1,0, -0,1,0,0,0,0,0,0,0,0,1,1,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, -3,2,2,2,3,3,3,3,3,3,3,3,3,3,3,3,3,1,3,2,3,3,3,3,3,3,3,3,0,3,0,0, -0,0,0,0,0,0,0,0,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,2,3,3,2,3,3,3,3,3,3,3,3,3,3,3,3,1,3,2,3,3,3,3,3,3,3,3,0,3,0,0, -0,0,0,0,0,0,0,0,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,3,3,3,2,3,2,2,1,3,3,3,3,2,2,2,1,1,2,0,1,0,1,0,0, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,3,3,3,3,2,3,2,2,3,3,1,1,2,3,3,2,3,3,3,3,2,1,2,0,2,0,3,0,0, -0,0,0,0,0,0,0,1,0,0,2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,3,3,3,3,1,3,3,3,3,3,2,3,2,3,3,3,3,3,2,3,3,1,3,0,3,0,2,0,0, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,3,3,3,3,3,1,3,3,2,3,3,3,1,3,3,2,3,2,2,2,0,0,2,0,2,0,2,0,0, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,3,3,3,3,3,3,0,3,3,3,2,2,3,3,3,1,2,2,3,2,1,1,2,0,2,0,0,0,0, -1,0,0,0,0,0,0,0,0,0,2,0,0,1,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,3,3,3,3,2,3,3,1,2,3,2,2,2,3,3,3,3,3,2,2,3,1,2,0,2,1,2,0,0, -0,0,0,0,0,0,0,0,0,0,3,0,0,1,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,3,3,1,3,3,3,3,3,2,3,3,3,2,3,3,2,3,2,2,2,3,1,2,0,1,0,1,0,0, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,3,3,3,3,3,3,3,3,1,1,1,2,2,1,3,1,3,2,2,3,0,0,1,0,1,0,1,0,0, -0,0,0,1,0,0,0,0,1,0,2,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,3,3,2,2,3,2,2,3,1,2,1,1,1,2,3,1,3,1,2,2,0,1,1,1,1,0,1,0,0, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,3,3,1,3,2,2,3,3,1,2,3,1,1,3,3,3,3,1,2,2,1,1,1,0,2,0,2,0,1, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,1,2,2,3,3,3,2,2,1,1,2,0,2,0,1,0,0, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, -3,0,1,2,1,3,3,2,3,3,3,3,3,2,3,2,1,0,3,1,2,1,2,1,2,3,2,1,0,1,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,1,1,2,3,3,3,3,3,3,3,3,3,3,3,3,0,0,3,1,3,3,2,3,3,2,2,2,0,1,0,0, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,3,3,3,3,0,3,3,3,3,3,2,1,1,2,1,3,3,0,3,1,1,1,1,3,2,0,1,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, -3,3,2,2,2,3,3,3,3,3,3,3,3,3,3,3,1,1,3,1,3,3,2,3,2,2,2,3,0,2,0,0, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,2,3,3,2,2,3,2,1,1,1,1,1,3,1,3,1,1,0,0,0,1,0,0,0,1,0,0, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,2,3,2,0,3,2,0,3,0,2,0,0,2,1,3,1,0,0,1,0,0,0,1,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,3,2,1,1,1,1,2,1,1,2,1,1,1,2,2,1,2,1,1,1,0,1,1,0,1,0,1,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,3,2,1,3,1,1,2,1,3,2,1,1,0,1,2,3,2,1,1,1,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,3,3,3,3,2,2,1,0,1,0,0,1,0,0,0,2,1,0,3,0,0,1,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,2,3,2,3,3,1,3,2,1,1,1,2,1,1,2,1,3,0,1,0,0,0,1,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,1,1,2,2,3,3,2,3,2,2,2,3,1,2,2,1,1,2,1,1,2,2,0,1,1,0,1,0,2,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,2,1,3,1,0,2,2,1,3,2,1,0,0,2,0,2,0,1,0,0,0,0,0,0,0,1,0,0, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1, -3,3,3,3,3,3,1,2,0,2,3,1,2,3,2,0,1,3,1,2,1,1,1,0,0,1,0,0,2,2,2,3, -2,2,2,2,1,2,1,1,2,2,1,1,2,0,1,1,1,0,0,1,1,0,0,1,1,0,0,0,1,1,0,1, -3,3,3,3,3,2,1,2,2,1,2,0,2,0,1,0,1,2,1,2,1,1,0,0,0,1,0,1,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,1, -3,3,2,3,3,1,1,3,1,0,3,2,1,0,0,0,1,2,0,2,0,1,0,0,0,1,0,1,2,1,2,2, -1,1,1,1,1,1,1,2,2,2,1,1,1,1,1,1,1,0,1,2,1,1,1,0,0,0,0,0,1,1,0,0, -3,1,0,1,0,2,3,2,2,2,3,2,2,2,2,2,1,0,2,1,2,1,1,1,0,1,2,1,2,2,2,1, -1,1,2,2,2,2,1,2,1,1,0,1,2,1,2,2,2,1,1,1,0,1,1,1,1,2,0,1,0,0,0,0, -2,3,2,3,3,0,0,2,1,0,2,1,0,0,0,0,2,3,0,2,0,0,0,0,0,1,0,0,2,0,1,2, -2,1,2,1,2,2,1,1,1,2,1,1,1,0,1,2,2,1,1,1,1,1,0,1,1,1,0,0,1,2,0,0, -3,3,2,2,3,0,2,3,1,1,2,0,0,0,1,0,0,2,0,2,0,0,0,1,0,1,0,1,2,0,2,2, -1,1,1,1,2,1,0,1,2,2,2,1,1,1,1,1,1,1,0,1,1,1,0,0,0,0,0,0,1,1,0,0, -2,3,2,3,3,0,0,3,0,1,1,0,1,0,0,0,2,2,1,2,0,0,0,0,0,0,0,0,2,0,1,2, -2,2,1,1,1,1,1,2,2,2,1,0,2,0,1,0,1,0,0,1,0,1,0,0,1,0,0,0,0,1,0,0, -3,3,3,3,2,2,2,2,2,0,2,1,1,1,1,2,1,2,1,1,0,2,0,1,0,1,0,0,2,0,1,2, -1,1,1,1,1,1,1,2,2,1,1,0,2,0,1,0,2,0,0,1,1,1,0,0,2,0,0,0,1,1,0,0, -2,3,3,3,3,1,0,0,0,0,0,0,0,0,0,0,2,0,0,1,1,0,0,0,0,0,0,1,2,0,1,2, -2,2,2,1,1,2,1,1,2,2,2,1,2,0,1,1,1,1,1,1,0,1,1,1,1,0,0,1,1,1,0,0, -2,3,3,3,3,0,2,2,0,2,1,0,0,0,1,1,1,2,0,2,0,0,0,3,0,0,0,0,2,0,2,2, -1,1,1,2,1,2,1,1,2,2,2,1,2,0,1,1,1,0,1,1,1,1,0,2,1,0,0,0,1,1,0,0, -2,3,3,3,3,0,2,1,0,0,2,0,0,0,0,0,1,2,0,2,0,0,0,0,0,0,0,0,2,0,1,2, -1,1,1,2,1,1,1,1,2,2,2,0,1,0,1,1,1,0,0,1,1,1,0,0,1,0,0,0,0,1,0,0, -3,3,2,2,3,0,1,0,1,0,0,0,0,0,0,0,1,1,0,3,0,0,0,0,0,0,0,0,1,0,2,2, -1,1,1,1,1,2,1,1,2,2,1,2,2,1,0,1,1,1,1,1,0,1,0,0,1,0,0,0,1,1,0,0, -3,1,0,1,0,2,2,2,2,3,2,1,1,1,2,3,0,0,1,0,2,1,1,0,1,1,1,1,2,1,1,1, -1,2,2,1,2,1,2,2,1,1,0,1,2,1,2,2,1,1,1,0,0,1,1,1,2,1,0,1,0,0,0,0, -2,1,0,1,0,3,1,2,2,2,2,1,2,2,1,1,1,0,2,1,2,2,1,1,2,1,1,0,2,1,1,1, -1,2,2,2,2,2,2,2,1,2,0,1,1,0,2,1,1,1,1,1,0,0,1,1,1,1,0,1,0,0,0,0, -2,1,1,1,1,2,2,2,2,1,2,2,2,1,2,2,1,1,2,1,2,3,2,2,1,1,1,1,0,1,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,2,2,3,2,0,1,2,0,1,2,1,1,0,1,0,1,2,1,2,0,0,0,1,1,0,0,0,1,0,0,2, -1,1,0,0,1,1,0,1,1,1,1,0,2,0,1,1,1,0,0,1,1,0,0,0,0,1,0,0,0,1,0,0, -2,0,0,0,0,1,2,2,2,2,2,2,2,1,2,1,1,1,1,1,1,1,0,1,1,1,1,1,2,1,1,1, -1,2,2,2,2,1,1,2,1,2,1,1,1,0,2,1,2,1,1,1,0,2,1,1,1,1,0,1,0,0,0,0, -3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,0, -1,1,0,1,0,1,1,1,1,1,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,2,2,3,2,0,0,0,0,1,0,0,0,0,0,0,1,1,0,2,0,0,0,0,0,0,0,0,1,0,1,2, -1,1,1,1,1,1,0,0,2,2,2,2,2,0,1,1,0,1,1,1,1,1,0,0,1,0,0,0,1,1,0,1, -2,3,1,2,1,0,1,1,0,2,2,2,0,0,1,0,0,1,1,1,1,0,0,0,0,0,0,0,1,0,1,2, -1,1,1,1,2,1,1,1,1,1,1,1,1,0,1,1,0,1,0,1,0,1,0,0,1,0,0,0,0,1,0,0, -2,2,2,2,2,0,0,2,0,0,2,0,0,0,0,0,0,1,0,1,0,0,0,0,0,0,0,0,2,0,2,2, -1,1,1,1,1,0,0,1,2,1,1,0,1,0,1,0,0,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0, -1,2,2,2,2,0,0,2,0,1,1,0,0,0,1,0,0,2,0,2,0,0,0,0,0,0,0,0,0,0,1,1, -0,0,0,1,1,1,1,1,1,1,1,1,1,0,1,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0, -1,2,2,3,2,0,0,1,0,0,1,0,0,0,0,0,0,1,0,2,0,0,0,1,0,0,0,0,0,0,0,2, -1,1,0,0,1,0,0,0,1,1,0,0,1,0,1,1,0,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0, -2,1,2,2,2,1,2,1,2,2,1,1,2,1,1,1,0,1,1,1,1,2,0,1,0,1,1,1,1,0,1,1, -1,1,2,1,1,1,1,1,1,0,0,1,2,1,1,1,1,1,1,0,0,1,1,1,0,0,0,0,0,0,0,0, -1,0,0,1,3,1,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,2,2,2,1,0,0,1,0,2,0,0,0,0,0,1,1,1,0,1,0,0,0,0,0,0,0,0,2,0,0,1, -0,2,0,1,0,0,1,1,2,0,1,0,1,0,1,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0, -1,2,2,2,2,0,1,1,0,2,1,0,1,1,1,0,0,1,0,2,0,1,0,0,0,0,0,0,0,0,0,1, -0,1,0,0,1,0,0,0,1,1,0,0,1,0,0,1,0,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0, -2,2,2,2,2,0,0,1,0,0,0,1,0,1,0,0,0,1,0,1,0,0,0,0,0,0,0,0,0,0,0,1, -0,1,0,1,1,1,0,0,1,1,1,0,1,0,0,0,0,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0, -2,0,1,0,0,1,2,1,1,1,1,1,1,2,2,1,0,0,1,0,1,0,0,0,0,1,1,1,1,0,0,0, -1,1,2,1,1,1,1,0,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,2,1,2,1,0,0,1,0,0,0,0,0,0,0,0,1,1,0,1,0,0,0,0,0,0,0,0,0,0,0,1, -0,0,0,0,0,0,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,0,0,1,2,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1,0,0,0, -0,1,1,0,1,1,1,0,0,1,0,0,1,0,1,0,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0, -1,0,1,0,0,1,1,1,1,1,1,1,1,1,1,1,0,0,1,0,2,0,0,2,0,1,0,0,1,0,0,1, -1,1,0,0,1,1,0,1,0,0,0,1,0,0,1,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,0, -1,1,1,1,1,1,1,2,0,0,0,0,0,0,2,1,0,1,1,0,0,1,1,1,0,1,0,0,0,0,0,0, -2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,0,0,1,1,1,1,1,1,1,1,1,1,1,1,1,1,0,1,0,1,1,0,1,1,1,1,1,0,1,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, -) - -Latin5BulgarianModel = { - 'char_to_order_map': Latin5_BulgarianCharToOrderMap, - 'precedence_matrix': BulgarianLangModel, - 'typical_positive_ratio': 0.969392, - 'keep_english_letter': False, - 'charset_name': "ISO-8859-5", - 'language': 'Bulgairan', -} - -Win1251BulgarianModel = { - 'char_to_order_map': win1251BulgarianCharToOrderMap, - 'precedence_matrix': BulgarianLangModel, - 'typical_positive_ratio': 0.969392, - 'keep_english_letter': False, - 'charset_name': "windows-1251", - 'language': 'Bulgarian', -} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langcyrillicmodel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langcyrillicmodel.py deleted file mode 100644 index e5f9a1f..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langcyrillicmodel.py +++ /dev/null @@ -1,333 +0,0 @@ -######################## BEGIN LICENSE BLOCK ######################## -# The Original Code is Mozilla Communicator client code. -# -# The Initial Developer of the Original Code is -# Netscape Communications Corporation. -# Portions created by the Initial Developer are Copyright (C) 1998 -# the Initial Developer. All Rights Reserved. -# -# Contributor(s): -# Mark Pilgrim - port to Python -# -# This library is free software; you can redistribute it and/or -# modify it under the terms of the GNU Lesser General Public -# License as published by the Free Software Foundation; either -# version 2.1 of the License, or (at your option) any later version. -# -# This library is distributed in the hope that it will be useful, -# but WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -# Lesser General Public License for more details. -# -# You should have received a copy of the GNU Lesser General Public -# License along with this library; if not, write to the Free Software -# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA -# 02110-1301 USA -######################### END LICENSE BLOCK ######################### - -# KOI8-R language model -# Character Mapping Table: -KOI8R_char_to_order_map = ( -255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 -253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 -252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 -253,142,143,144,145,146,147,148,149,150,151,152, 74,153, 75,154, # 40 -155,156,157,158,159,160,161,162,163,164,165,253,253,253,253,253, # 50 -253, 71,172, 66,173, 65,174, 76,175, 64,176,177, 77, 72,178, 69, # 60 - 67,179, 78, 73,180,181, 79,182,183,184,185,253,253,253,253,253, # 70 -191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206, # 80 -207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222, # 90 -223,224,225, 68,226,227,228,229,230,231,232,233,234,235,236,237, # a0 -238,239,240,241,242,243,244,245,246,247,248,249,250,251,252,253, # b0 - 27, 3, 21, 28, 13, 2, 39, 19, 26, 4, 23, 11, 8, 12, 5, 1, # c0 - 15, 16, 9, 7, 6, 14, 24, 10, 17, 18, 20, 25, 30, 29, 22, 54, # d0 - 59, 37, 44, 58, 41, 48, 53, 46, 55, 42, 60, 36, 49, 38, 31, 34, # e0 - 35, 43, 45, 32, 40, 52, 56, 33, 61, 62, 51, 57, 47, 63, 50, 70, # f0 -) - -win1251_char_to_order_map = ( -255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 -253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 -252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 -253,142,143,144,145,146,147,148,149,150,151,152, 74,153, 75,154, # 40 -155,156,157,158,159,160,161,162,163,164,165,253,253,253,253,253, # 50 -253, 71,172, 66,173, 65,174, 76,175, 64,176,177, 77, 72,178, 69, # 60 - 67,179, 78, 73,180,181, 79,182,183,184,185,253,253,253,253,253, # 70 -191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206, -207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222, -223,224,225,226,227,228,229,230,231,232,233,234,235,236,237,238, -239,240,241,242,243,244,245,246, 68,247,248,249,250,251,252,253, - 37, 44, 33, 46, 41, 48, 56, 51, 42, 60, 36, 49, 38, 31, 34, 35, - 45, 32, 40, 52, 53, 55, 58, 50, 57, 63, 70, 62, 61, 47, 59, 43, - 3, 21, 10, 19, 13, 2, 24, 20, 4, 23, 11, 8, 12, 5, 1, 15, - 9, 7, 6, 14, 39, 26, 28, 22, 25, 29, 54, 18, 17, 30, 27, 16, -) - -latin5_char_to_order_map = ( -255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 -253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 -252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 -253,142,143,144,145,146,147,148,149,150,151,152, 74,153, 75,154, # 40 -155,156,157,158,159,160,161,162,163,164,165,253,253,253,253,253, # 50 -253, 71,172, 66,173, 65,174, 76,175, 64,176,177, 77, 72,178, 69, # 60 - 67,179, 78, 73,180,181, 79,182,183,184,185,253,253,253,253,253, # 70 -191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206, -207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222, -223,224,225,226,227,228,229,230,231,232,233,234,235,236,237,238, - 37, 44, 33, 46, 41, 48, 56, 51, 42, 60, 36, 49, 38, 31, 34, 35, - 45, 32, 40, 52, 53, 55, 58, 50, 57, 63, 70, 62, 61, 47, 59, 43, - 3, 21, 10, 19, 13, 2, 24, 20, 4, 23, 11, 8, 12, 5, 1, 15, - 9, 7, 6, 14, 39, 26, 28, 22, 25, 29, 54, 18, 17, 30, 27, 16, -239, 68,240,241,242,243,244,245,246,247,248,249,250,251,252,255, -) - -macCyrillic_char_to_order_map = ( -255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 -253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 -252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 -253,142,143,144,145,146,147,148,149,150,151,152, 74,153, 75,154, # 40 -155,156,157,158,159,160,161,162,163,164,165,253,253,253,253,253, # 50 -253, 71,172, 66,173, 65,174, 76,175, 64,176,177, 77, 72,178, 69, # 60 - 67,179, 78, 73,180,181, 79,182,183,184,185,253,253,253,253,253, # 70 - 37, 44, 33, 46, 41, 48, 56, 51, 42, 60, 36, 49, 38, 31, 34, 35, - 45, 32, 40, 52, 53, 55, 58, 50, 57, 63, 70, 62, 61, 47, 59, 43, -191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206, -207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222, -223,224,225,226,227,228,229,230,231,232,233,234,235,236,237,238, -239,240,241,242,243,244,245,246,247,248,249,250,251,252, 68, 16, - 3, 21, 10, 19, 13, 2, 24, 20, 4, 23, 11, 8, 12, 5, 1, 15, - 9, 7, 6, 14, 39, 26, 28, 22, 25, 29, 54, 18, 17, 30, 27,255, -) - -IBM855_char_to_order_map = ( -255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 -253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 -252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 -253,142,143,144,145,146,147,148,149,150,151,152, 74,153, 75,154, # 40 -155,156,157,158,159,160,161,162,163,164,165,253,253,253,253,253, # 50 -253, 71,172, 66,173, 65,174, 76,175, 64,176,177, 77, 72,178, 69, # 60 - 67,179, 78, 73,180,181, 79,182,183,184,185,253,253,253,253,253, # 70 -191,192,193,194, 68,195,196,197,198,199,200,201,202,203,204,205, -206,207,208,209,210,211,212,213,214,215,216,217, 27, 59, 54, 70, - 3, 37, 21, 44, 28, 58, 13, 41, 2, 48, 39, 53, 19, 46,218,219, -220,221,222,223,224, 26, 55, 4, 42,225,226,227,228, 23, 60,229, -230,231,232,233,234,235, 11, 36,236,237,238,239,240,241,242,243, - 8, 49, 12, 38, 5, 31, 1, 34, 15,244,245,246,247, 35, 16,248, - 43, 9, 45, 7, 32, 6, 40, 14, 52, 24, 56, 10, 33, 17, 61,249, -250, 18, 62, 20, 51, 25, 57, 30, 47, 29, 63, 22, 50,251,252,255, -) - -IBM866_char_to_order_map = ( -255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 -253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 -252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 -253,142,143,144,145,146,147,148,149,150,151,152, 74,153, 75,154, # 40 -155,156,157,158,159,160,161,162,163,164,165,253,253,253,253,253, # 50 -253, 71,172, 66,173, 65,174, 76,175, 64,176,177, 77, 72,178, 69, # 60 - 67,179, 78, 73,180,181, 79,182,183,184,185,253,253,253,253,253, # 70 - 37, 44, 33, 46, 41, 48, 56, 51, 42, 60, 36, 49, 38, 31, 34, 35, - 45, 32, 40, 52, 53, 55, 58, 50, 57, 63, 70, 62, 61, 47, 59, 43, - 3, 21, 10, 19, 13, 2, 24, 20, 4, 23, 11, 8, 12, 5, 1, 15, -191,192,193,194,195,196,197,198,199,200,201,202,203,204,205,206, -207,208,209,210,211,212,213,214,215,216,217,218,219,220,221,222, -223,224,225,226,227,228,229,230,231,232,233,234,235,236,237,238, - 9, 7, 6, 14, 39, 26, 28, 22, 25, 29, 54, 18, 17, 30, 27, 16, -239, 68,240,241,242,243,244,245,246,247,248,249,250,251,252,255, -) - -# Model Table: -# total sequences: 100% -# first 512 sequences: 97.6601% -# first 1024 sequences: 2.3389% -# rest sequences: 0.1237% -# negative sequences: 0.0009% -RussianLangModel = ( -0,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,1,1,3,3,3,3,1,3,3,3,2,3,2,3,3, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,0,3,2,2,2,2,2,0,0,2, -3,3,3,2,3,3,3,3,3,3,3,3,3,3,2,3,3,0,0,3,3,3,3,3,3,3,3,3,2,3,2,0, -0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,2,2,3,3,3,3,3,3,3,3,3,2,3,3,0,0,3,3,3,3,3,3,3,3,2,3,3,1,0, -0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,2,3,2,3,3,3,3,3,3,3,3,3,3,3,3,3,0,0,3,3,3,3,3,3,3,3,3,3,3,2,1, -0,0,0,0,0,0,0,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,3,0,0,3,3,3,3,3,3,3,3,3,3,3,2,1, -0,0,0,0,0,1,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,2,2,2,3,1,3,3,1,3,3,3,3,2,2,3,0,2,2,2,3,3,2,1,0, -0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,2,3,3,3,3,3,2,2,3,2,3,3,3,2,1,2,2,0,1,2,2,2,2,2,2,0, -0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,2,2,3,0,2,2,3,3,2,1,2,0, -0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,1,0,0,2,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,2,3,3,1,2,3,2,2,3,2,3,3,3,3,2,2,3,0,3,2,2,3,1,1,1,0, -0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,2,2,3,3,3,3,3,2,3,3,3,3,2,2,2,0,3,3,3,2,2,2,2,0, -0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,3,3,2,3,2,3,3,3,3,3,3,2,3,2,2,0,1,3,2,1,2,2,1,0, -0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,3,3,3,2,1,1,3,0,1,1,1,1,2,1,1,0,2,2,2,1,2,0,1,0, -0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,2,3,3,2,2,2,2,1,3,2,3,2,3,2,1,2,2,0,1,1,2,1,2,1,2,0, -0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,3,3,3,3,2,2,3,2,3,3,3,2,2,2,2,0,2,2,2,2,3,1,1,0, -0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, -3,2,3,2,2,3,3,3,3,3,3,3,3,3,1,3,2,0,0,3,3,3,3,2,3,3,3,3,2,3,2,0, -0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,3,3,3,3,3,2,2,3,3,0,2,1,0,3,2,3,2,3,0,0,1,2,0,0,1,0,1,2,1,1,0, -0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,0,3,0,2,3,3,3,3,2,3,3,3,3,1,2,2,0,0,2,3,2,2,2,3,2,3,2,2,3,0,0, -0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,2,3,0,2,3,2,3,0,1,2,3,3,2,0,2,3,0,0,2,3,2,2,0,1,3,1,3,2,2,1,0, -0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,1,3,0,2,3,3,3,3,3,3,3,3,2,1,3,2,0,0,2,2,3,3,3,2,3,3,0,2,2,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,2,2,3,3,2,2,2,3,3,0,0,1,1,1,1,1,2,0,0,1,1,1,1,0,1,0, -0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,2,2,3,3,3,3,3,3,3,0,3,2,3,3,2,3,2,0,2,1,0,1,1,0,1,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,2,3,3,3,2,2,2,2,3,1,3,2,3,1,1,2,1,0,2,2,2,2,1,3,1,0, -0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, -2,2,3,3,3,3,3,1,2,2,1,3,1,0,3,0,0,3,0,0,0,1,1,0,1,2,1,0,0,0,0,0, -0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,2,2,1,1,3,3,3,2,2,1,2,2,3,1,1,2,0,0,2,2,1,3,0,0,2,1,1,2,1,1,0, -0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,2,3,3,3,3,1,2,2,2,1,2,1,3,3,1,1,2,1,2,1,2,2,0,2,0,0,1,1,0,1,0, -0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,3,3,3,3,3,2,1,3,2,2,3,2,0,3,2,0,3,0,1,0,1,1,0,0,1,1,1,1,0,1,0, -0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,2,3,3,3,2,2,2,3,3,1,2,1,2,1,0,1,0,1,1,0,1,0,0,2,1,1,1,0,1,0, -0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0, -3,1,1,2,1,2,3,3,2,2,1,2,2,3,0,2,1,0,0,2,2,3,2,1,2,2,2,2,2,3,1,0, -0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,1,1,0,1,1,2,2,1,1,3,0,0,1,3,1,1,1,0,0,0,1,0,1,1,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,1,3,3,3,2,0,0,0,2,1,0,1,0,2,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,0,1,0,0,2,3,2,2,2,1,2,2,2,1,2,1,0,0,1,1,1,0,2,0,1,1,1,0,0,1,1, -1,0,0,0,0,0,1,2,0,0,0,0,0,1,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0, -2,3,3,3,3,0,0,0,0,1,0,0,0,0,3,0,1,2,1,0,0,0,0,0,0,0,1,1,0,0,1,1, -1,0,1,0,1,2,0,0,1,1,2,1,0,1,1,1,1,0,1,1,1,1,0,1,0,0,1,0,0,1,1,0, -2,2,3,2,2,2,3,1,2,2,2,2,2,2,2,2,1,1,1,1,1,1,1,0,1,0,1,1,1,0,2,1, -1,1,1,1,1,1,1,1,2,1,1,1,1,1,1,1,1,1,1,0,1,0,1,1,0,1,1,1,0,1,1,0, -3,3,3,2,2,2,2,3,2,2,1,1,2,2,2,2,1,1,3,1,2,1,2,0,0,1,1,0,1,0,2,1, -1,1,1,1,1,2,1,0,1,1,1,1,0,1,0,0,1,1,0,0,1,0,1,0,0,1,0,0,0,1,1,0, -2,0,0,1,0,3,2,2,2,2,1,2,1,2,1,2,0,0,0,2,1,2,2,1,1,2,2,0,1,1,0,2, -1,1,1,1,1,0,1,1,1,2,1,1,1,2,1,0,1,2,1,1,1,1,0,1,1,1,0,0,1,0,0,1, -1,3,2,2,2,1,1,1,2,3,0,0,0,0,2,0,2,2,1,0,0,0,0,0,0,1,0,0,0,0,1,1, -1,0,1,1,0,1,0,1,1,0,1,1,0,2,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,1,1,0, -2,3,2,3,2,1,2,2,2,2,1,0,0,0,2,0,0,1,1,0,0,0,0,0,0,0,1,1,0,0,2,1, -1,1,2,1,0,2,0,0,1,0,1,0,0,1,0,0,1,1,0,1,1,0,0,0,0,0,1,0,0,0,0,0, -3,0,0,1,0,2,2,2,3,2,2,2,2,2,2,2,0,0,0,2,1,2,1,1,1,2,2,0,0,0,1,2, -1,1,1,1,1,0,1,2,1,1,1,1,1,1,1,0,1,1,1,1,1,1,0,1,1,1,1,1,1,0,0,1, -2,3,2,3,3,2,0,1,1,1,0,0,1,0,2,0,1,1,3,1,0,0,0,0,0,0,0,1,0,0,2,1, -1,1,1,1,1,1,1,0,1,0,1,1,1,1,0,1,1,1,0,0,1,1,0,1,0,0,0,0,0,0,1,0, -2,3,3,3,3,1,2,2,2,2,0,1,1,0,2,1,1,1,2,1,0,1,1,0,0,1,0,1,0,0,2,0, -0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,3,3,3,2,0,0,1,1,2,2,1,0,0,2,0,1,1,3,0,0,1,0,0,0,0,0,1,0,1,2,1, -1,1,2,0,1,1,1,0,1,0,1,1,0,1,0,1,1,1,1,0,1,0,0,0,0,0,0,1,0,1,1,0, -1,3,2,3,2,1,0,0,2,2,2,0,1,0,2,0,1,1,1,0,1,0,0,0,3,0,1,1,0,0,2,1, -1,1,1,0,1,1,0,0,0,0,1,1,0,1,0,0,2,1,1,0,1,0,0,0,1,0,1,0,0,1,1,0, -3,1,2,1,1,2,2,2,2,2,2,1,2,2,1,1,0,0,0,2,2,2,0,0,0,1,2,1,0,1,0,1, -2,1,1,1,1,1,1,1,1,1,1,1,1,1,1,0,2,1,1,1,0,1,0,1,1,0,1,1,1,0,0,1, -3,0,0,0,0,2,0,1,1,1,1,1,1,1,0,1,0,0,0,1,1,1,0,1,0,1,1,0,0,1,0,1, -1,1,0,0,1,0,0,0,1,0,1,1,0,0,1,0,1,0,1,0,0,0,0,1,0,0,0,1,0,0,0,1, -1,3,3,2,2,0,0,0,2,2,0,0,0,1,2,0,1,1,2,0,0,0,0,0,0,0,0,1,0,0,2,1, -0,1,1,0,0,1,1,0,0,0,1,1,0,1,1,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,1,0, -2,3,2,3,2,0,0,0,0,1,1,0,0,0,2,0,2,0,2,0,0,0,0,0,1,0,0,1,0,0,1,1, -1,1,2,0,1,2,1,0,1,1,2,1,1,1,1,1,2,1,1,0,1,0,0,1,1,1,1,1,0,1,1,0, -1,3,2,2,2,1,0,0,2,2,1,0,1,2,2,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,1,1, -0,0,1,1,0,1,1,0,0,1,1,0,1,1,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0, -1,0,0,1,0,2,3,1,2,2,2,2,2,2,1,1,0,0,0,1,0,1,0,2,1,1,1,0,0,0,0,1, -1,1,0,1,1,0,1,1,1,1,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1,0,0,0, -2,0,2,0,0,1,0,3,2,1,2,1,2,2,0,1,0,0,0,2,1,0,0,2,1,1,1,1,0,2,0,2, -2,1,1,1,1,1,1,1,1,1,1,1,1,2,1,0,1,1,1,1,0,0,0,1,1,1,1,0,1,0,0,1, -1,2,2,2,2,1,0,0,1,0,0,0,0,0,2,0,1,1,1,1,0,0,0,0,1,0,1,2,0,0,2,0, -1,0,1,1,1,2,1,0,1,0,1,1,0,0,1,0,1,1,1,0,1,0,0,0,1,0,0,1,0,1,1,0, -2,1,2,2,2,0,3,0,1,1,0,0,0,0,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1, -0,0,0,1,1,1,0,0,1,0,1,0,0,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,1,0,0, -1,2,2,3,2,2,0,0,1,1,2,0,1,2,1,0,1,0,1,0,0,1,0,0,0,0,0,0,0,0,0,1, -0,1,1,0,0,1,1,0,0,1,1,0,0,1,1,0,1,1,0,0,1,0,0,0,0,0,0,0,0,1,1,0, -2,2,1,1,2,1,2,2,2,2,2,1,2,2,0,1,0,0,0,1,2,2,2,1,2,1,1,1,1,1,2,1, -1,1,1,1,1,1,1,1,1,1,0,0,1,1,1,0,1,1,1,0,0,0,0,1,1,1,0,1,1,0,0,1, -1,2,2,2,2,0,1,0,2,2,0,0,0,0,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,2,0, -0,0,1,0,0,1,0,0,0,0,1,0,1,1,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0, -0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,2,2,2,2,0,0,0,2,2,2,0,1,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,1,1, -0,1,1,0,0,1,1,0,0,0,1,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,2,2,2,2,0,0,0,0,1,0,0,1,1,2,0,0,0,0,1,0,1,0,0,1,0,0,2,0,0,0,1, -0,0,1,0,0,1,0,0,0,1,1,0,0,0,0,0,1,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0, -1,2,2,2,1,1,2,0,2,1,1,1,1,0,2,2,0,0,0,0,0,0,0,0,0,1,1,0,0,0,1,1, -0,0,1,0,1,1,0,0,0,0,1,0,0,0,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0, -1,0,2,1,2,0,0,0,0,0,1,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,1,0,0,0,0, -0,0,1,0,1,1,0,0,0,0,1,0,0,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0, -1,0,0,0,0,2,0,1,2,1,0,1,1,1,0,1,0,0,0,1,0,1,0,0,1,0,1,0,0,0,0,1, -0,0,0,0,0,1,0,0,1,1,0,0,1,1,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,1, -2,2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, -1,0,0,0,1,0,0,0,1,1,0,0,0,0,0,0,0,1,0,0,0,0,0,1,0,0,1,0,0,0,0,0, -2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, -1,1,1,0,1,0,1,0,0,1,1,1,1,0,0,0,1,0,0,0,0,1,0,0,0,1,0,1,0,0,0,0, -1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, -1,1,0,1,1,0,1,0,1,0,0,0,0,1,1,0,1,1,0,0,0,0,0,1,0,1,1,0,1,0,0,0, -0,1,1,1,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,1,0,0,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0, -) - -Koi8rModel = { - 'char_to_order_map': KOI8R_char_to_order_map, - 'precedence_matrix': RussianLangModel, - 'typical_positive_ratio': 0.976601, - 'keep_english_letter': False, - 'charset_name': "KOI8-R", - 'language': 'Russian', -} - -Win1251CyrillicModel = { - 'char_to_order_map': win1251_char_to_order_map, - 'precedence_matrix': RussianLangModel, - 'typical_positive_ratio': 0.976601, - 'keep_english_letter': False, - 'charset_name': "windows-1251", - 'language': 'Russian', -} - -Latin5CyrillicModel = { - 'char_to_order_map': latin5_char_to_order_map, - 'precedence_matrix': RussianLangModel, - 'typical_positive_ratio': 0.976601, - 'keep_english_letter': False, - 'charset_name': "ISO-8859-5", - 'language': 'Russian', -} - -MacCyrillicModel = { - 'char_to_order_map': macCyrillic_char_to_order_map, - 'precedence_matrix': RussianLangModel, - 'typical_positive_ratio': 0.976601, - 'keep_english_letter': False, - 'charset_name': "MacCyrillic", - 'language': 'Russian', -} - -Ibm866Model = { - 'char_to_order_map': IBM866_char_to_order_map, - 'precedence_matrix': RussianLangModel, - 'typical_positive_ratio': 0.976601, - 'keep_english_letter': False, - 'charset_name': "IBM866", - 'language': 'Russian', -} - -Ibm855Model = { - 'char_to_order_map': IBM855_char_to_order_map, - 'precedence_matrix': RussianLangModel, - 'typical_positive_ratio': 0.976601, - 'keep_english_letter': False, - 'charset_name': "IBM855", - 'language': 'Russian', -} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langgreekmodel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langgreekmodel.py deleted file mode 100644 index 5332221..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langgreekmodel.py +++ /dev/null @@ -1,225 +0,0 @@ -######################## BEGIN LICENSE BLOCK ######################## -# The Original Code is Mozilla Communicator client code. -# -# The Initial Developer of the Original Code is -# Netscape Communications Corporation. -# Portions created by the Initial Developer are Copyright (C) 1998 -# the Initial Developer. All Rights Reserved. -# -# Contributor(s): -# Mark Pilgrim - port to Python -# -# This library is free software; you can redistribute it and/or -# modify it under the terms of the GNU Lesser General Public -# License as published by the Free Software Foundation; either -# version 2.1 of the License, or (at your option) any later version. -# -# This library is distributed in the hope that it will be useful, -# but WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -# Lesser General Public License for more details. -# -# You should have received a copy of the GNU Lesser General Public -# License along with this library; if not, write to the Free Software -# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA -# 02110-1301 USA -######################### END LICENSE BLOCK ######################### - -# 255: Control characters that usually does not exist in any text -# 254: Carriage/Return -# 253: symbol (punctuation) that does not belong to word -# 252: 0 - 9 - -# Character Mapping Table: -Latin7_char_to_order_map = ( -255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 -253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 -252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 -253, 82,100,104, 94, 98,101,116,102,111,187,117, 92, 88,113, 85, # 40 - 79,118,105, 83, 67,114,119, 95, 99,109,188,253,253,253,253,253, # 50 -253, 72, 70, 80, 81, 60, 96, 93, 89, 68,120, 97, 77, 86, 69, 55, # 60 - 78,115, 65, 66, 58, 76,106,103, 87,107,112,253,253,253,253,253, # 70 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 80 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 90 -253,233, 90,253,253,253,253,253,253,253,253,253,253, 74,253,253, # a0 -253,253,253,253,247,248, 61, 36, 46, 71, 73,253, 54,253,108,123, # b0 -110, 31, 51, 43, 41, 34, 91, 40, 52, 47, 44, 53, 38, 49, 59, 39, # c0 - 35, 48,250, 37, 33, 45, 56, 50, 84, 57,120,121, 17, 18, 22, 15, # d0 -124, 1, 29, 20, 21, 3, 32, 13, 25, 5, 11, 16, 10, 6, 30, 4, # e0 - 9, 8, 14, 7, 2, 12, 28, 23, 42, 24, 64, 75, 19, 26, 27,253, # f0 -) - -win1253_char_to_order_map = ( -255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 -253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 -252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 -253, 82,100,104, 94, 98,101,116,102,111,187,117, 92, 88,113, 85, # 40 - 79,118,105, 83, 67,114,119, 95, 99,109,188,253,253,253,253,253, # 50 -253, 72, 70, 80, 81, 60, 96, 93, 89, 68,120, 97, 77, 86, 69, 55, # 60 - 78,115, 65, 66, 58, 76,106,103, 87,107,112,253,253,253,253,253, # 70 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 80 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 90 -253,233, 61,253,253,253,253,253,253,253,253,253,253, 74,253,253, # a0 -253,253,253,253,247,253,253, 36, 46, 71, 73,253, 54,253,108,123, # b0 -110, 31, 51, 43, 41, 34, 91, 40, 52, 47, 44, 53, 38, 49, 59, 39, # c0 - 35, 48,250, 37, 33, 45, 56, 50, 84, 57,120,121, 17, 18, 22, 15, # d0 -124, 1, 29, 20, 21, 3, 32, 13, 25, 5, 11, 16, 10, 6, 30, 4, # e0 - 9, 8, 14, 7, 2, 12, 28, 23, 42, 24, 64, 75, 19, 26, 27,253, # f0 -) - -# Model Table: -# total sequences: 100% -# first 512 sequences: 98.2851% -# first 1024 sequences:1.7001% -# rest sequences: 0.0359% -# negative sequences: 0.0148% -GreekLangModel = ( -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,3,2,2,3,3,3,3,3,3,3,3,1,3,3,3,0,2,2,3,3,0,3,0,3,2,0,3,3,3,0, -3,0,0,0,2,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,3,3,3,3,0,3,3,0,3,2,3,3,0,3,2,3,3,3,0,0,3,0,3,0,3,3,2,0,0,0, -2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0, -0,2,3,2,2,3,3,3,3,3,3,3,3,0,3,3,3,3,0,2,3,3,0,3,3,3,3,2,3,3,3,0, -2,0,0,0,2,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,2,3,3,2,3,3,3,3,3,3,3,3,3,3,3,3,0,2,1,3,3,3,3,2,3,3,2,3,3,2,0, -0,0,0,0,2,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,3,3,3,0,3,3,3,3,3,3,0,3,3,0,3,3,3,3,3,3,3,3,3,3,0,3,2,3,3,0, -2,0,1,0,2,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0, -0,3,3,3,3,3,2,3,0,0,0,0,3,3,0,3,1,3,3,3,0,3,3,0,3,3,3,3,0,0,0,0, -2,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,3,3,3,3,0,3,0,3,3,3,3,3,0,3,2,2,2,3,0,2,3,3,3,3,3,2,3,3,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,3,3,3,3,3,2,2,2,3,3,3,3,0,3,1,3,3,3,3,2,3,3,3,3,3,3,3,2,2,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,3,3,3,3,2,0,3,0,0,0,3,3,2,3,3,3,3,3,0,0,3,2,3,0,2,3,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,0,3,3,3,3,0,0,3,3,0,2,3,0,3,0,3,3,3,0,0,3,0,3,0,2,2,3,3,0,0, -0,0,1,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,3,3,3,3,2,0,3,2,3,3,3,3,0,3,3,3,3,3,0,3,3,2,3,2,3,3,2,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,3,2,3,2,3,3,3,3,3,3,0,2,3,2,3,2,2,2,3,2,3,3,2,3,0,2,2,2,3,0, -2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,3,0,0,0,3,3,3,2,3,3,0,0,3,0,3,0,0,0,3,2,0,3,0,3,0,0,2,0,2,0, -0,0,0,0,2,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,3,3,3,0,3,3,3,3,3,3,0,3,3,0,3,0,0,0,3,3,0,3,3,3,0,0,1,2,3,0, -3,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,3,3,3,3,2,0,0,3,2,2,3,3,0,3,3,3,3,3,2,1,3,0,3,2,3,3,2,1,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,3,3,0,2,3,3,3,3,3,3,0,0,3,0,3,0,0,0,3,3,0,3,2,3,0,0,3,3,3,0, -3,0,0,0,2,0,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,3,3,3,0,3,3,3,3,3,3,0,0,3,0,3,0,0,0,3,2,0,3,2,3,0,0,3,2,3,0, -2,0,0,0,0,0,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,3,1,2,2,3,3,3,3,3,3,0,2,3,0,3,0,0,0,3,3,0,3,0,2,0,0,2,3,1,0, -2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,0,3,3,3,3,0,3,0,3,3,2,3,0,3,3,3,3,3,3,0,3,3,3,0,2,3,0,0,3,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,0,3,3,3,0,0,3,0,0,0,3,3,0,3,0,2,3,3,0,0,3,0,3,0,3,3,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,3,0,0,0,3,3,3,3,3,3,0,0,3,0,2,0,0,0,3,3,0,3,0,3,0,0,2,0,2,0, -0,0,0,0,1,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,3,3,3,3,3,0,3,0,2,0,3,2,0,3,2,3,2,3,0,0,3,2,3,2,3,3,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,3,0,0,2,3,3,3,3,3,0,0,0,3,0,2,1,0,0,3,2,2,2,0,3,0,0,2,2,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,0,3,3,3,2,0,3,0,3,0,3,3,0,2,1,2,3,3,0,0,3,0,3,0,3,3,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,2,3,3,3,0,3,3,3,3,3,3,0,2,3,0,3,0,0,0,2,1,0,2,2,3,0,0,2,2,2,0, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,3,0,0,2,3,3,3,2,3,0,0,1,3,0,2,0,0,0,0,3,0,1,0,2,0,0,1,1,1,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,3,3,3,3,1,0,3,0,0,0,3,2,0,3,2,3,3,3,0,0,3,0,3,2,2,2,1,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,0,3,3,3,0,0,3,0,0,0,0,2,0,2,3,3,2,2,2,2,3,0,2,0,2,2,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,3,3,3,2,0,0,0,0,0,0,2,3,0,2,0,2,3,2,0,0,3,0,3,0,3,1,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,3,2,3,3,2,2,3,0,2,0,3,0,0,0,2,0,0,0,0,1,2,0,2,0,2,0, -0,2,0,2,0,2,2,0,0,1,0,2,2,2,0,2,2,2,0,2,2,2,0,0,2,0,0,1,0,0,0,0, -0,2,0,3,3,2,0,0,0,0,0,0,1,3,0,2,0,2,2,2,0,0,2,0,3,0,0,2,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,0,2,3,2,0,2,2,0,2,0,2,2,0,2,0,2,2,2,0,0,0,0,0,0,2,3,0,0,0,2, -0,1,2,0,0,0,0,2,2,0,0,0,2,1,0,2,2,0,0,0,0,0,0,1,0,2,0,0,0,0,0,0, -0,0,2,1,0,2,3,2,2,3,2,3,2,0,0,3,3,3,0,0,3,2,0,0,0,1,1,0,2,0,2,2, -0,2,0,2,0,2,2,0,0,2,0,2,2,2,0,2,2,2,2,0,0,2,0,0,0,2,0,1,0,0,0,0, -0,3,0,3,3,2,2,0,3,0,0,0,2,2,0,2,2,2,1,2,0,0,1,2,2,0,0,3,0,0,0,2, -0,1,2,0,0,0,1,2,0,0,0,0,0,0,0,2,2,0,1,0,0,2,0,0,0,2,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,2,3,3,2,2,0,0,0,2,0,2,3,3,0,2,0,0,0,0,0,0,2,2,2,0,2,2,0,2,0,2, -0,2,2,0,0,2,2,2,2,1,0,0,2,2,0,2,0,0,2,0,0,0,0,0,0,2,0,0,0,0,0,0, -0,2,0,3,2,3,0,0,0,3,0,0,2,2,0,2,0,2,2,2,0,0,2,0,0,0,0,0,0,0,0,2, -0,0,2,2,0,0,2,2,2,0,0,0,0,0,0,2,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,2,0,0,3,2,0,2,2,2,2,2,0,0,0,2,0,0,0,0,2,0,1,0,0,2,0,1,0,0,0, -0,2,2,2,0,2,2,0,1,2,0,2,2,2,0,2,2,2,2,1,2,2,0,0,2,0,0,0,0,0,0,0, -0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0, -0,2,0,2,0,2,2,0,0,0,0,1,2,1,0,0,2,2,0,0,2,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,3,2,3,0,0,2,0,0,0,2,2,0,2,0,0,0,1,0,0,2,0,2,0,2,2,0,0,0,0, -0,0,2,0,0,0,0,2,2,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0, -0,2,2,3,2,2,0,0,0,0,0,0,1,3,0,2,0,2,2,0,0,0,1,0,2,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,2,0,2,0,3,2,0,2,0,0,0,0,0,0,2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, -0,0,2,0,0,0,0,1,1,0,0,2,1,2,0,2,2,0,1,0,0,1,0,0,0,2,0,0,0,0,0,0, -0,3,0,2,2,2,0,0,2,0,0,0,2,0,0,0,2,3,0,2,0,0,0,0,0,0,2,2,0,0,0,2, -0,1,2,0,0,0,1,2,2,1,0,0,0,2,0,0,2,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,3,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,2,1,2,0,2,2,0,2,0,0,2,0,0,0,0,1,2,1,0,2,1,0,0,0,0,0,0,0,0,0,0, -0,0,2,0,0,0,3,1,2,2,0,2,0,0,0,0,2,0,0,0,2,0,0,3,0,0,0,0,2,2,2,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,2,1,0,2,0,1,2,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,1,0,0,0,0,0,0,2, -0,2,2,0,0,2,2,2,2,2,0,1,2,0,0,0,2,2,0,1,0,2,0,0,2,2,0,0,0,0,0,0, -0,0,0,0,1,0,0,0,0,0,0,0,3,0,0,2,0,0,0,0,0,0,0,0,2,0,2,0,0,0,0,2, -0,1,2,0,0,0,0,2,2,1,0,1,0,1,0,2,2,2,1,0,0,0,0,0,0,1,0,0,0,0,0,0, -0,2,0,1,2,0,0,0,0,0,0,0,0,0,0,2,0,0,2,2,0,0,0,0,1,0,0,0,0,0,0,2, -0,2,2,0,0,0,0,2,2,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,2,0,0,2,0,0,0, -0,2,2,2,2,0,0,0,3,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,2,0,0,0,0,0,0,1, -0,0,2,0,0,0,0,1,2,0,0,0,0,0,0,2,2,1,1,0,0,0,0,0,0,1,0,0,0,0,0,0, -0,2,0,2,2,2,0,0,2,0,0,0,0,0,0,0,2,2,2,0,0,0,2,0,0,0,0,0,0,0,0,2, -0,0,1,0,0,0,0,2,1,0,0,0,0,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0, -0,3,0,2,0,0,0,0,0,0,0,0,2,0,0,0,0,0,2,0,0,0,0,0,0,0,2,0,0,0,0,2, -0,0,2,0,0,0,0,2,2,0,0,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,2,0,2,2,1,0,0,0,0,0,0,2,0,0,2,0,2,2,2,0,0,0,0,0,0,2,0,0,0,0,2, -0,0,2,0,0,2,0,2,2,0,0,0,0,2,0,2,0,0,0,0,0,2,0,0,0,2,0,0,0,0,0,0, -0,0,3,0,0,0,2,2,0,2,2,0,0,0,0,0,2,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,2,0,0,0,0,0, -0,2,2,2,2,2,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1,1,0,0,0,1, -0,0,0,0,0,0,0,2,1,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,2,2,0,0,0,0,0,2,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0, -0,2,0,0,0,2,0,0,0,0,0,1,0,0,0,0,2,2,0,0,0,1,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,1,0,2,0,0,0, -0,2,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,1,0,0,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,1,0,0,2,0,2,0,0,0, -0,0,0,0,0,0,0,0,2,1,0,0,0,0,0,0,2,0,0,0,1,2,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -) - -Latin7GreekModel = { - 'char_to_order_map': Latin7_char_to_order_map, - 'precedence_matrix': GreekLangModel, - 'typical_positive_ratio': 0.982851, - 'keep_english_letter': False, - 'charset_name': "ISO-8859-7", - 'language': 'Greek', -} - -Win1253GreekModel = { - 'char_to_order_map': win1253_char_to_order_map, - 'precedence_matrix': GreekLangModel, - 'typical_positive_ratio': 0.982851, - 'keep_english_letter': False, - 'charset_name': "windows-1253", - 'language': 'Greek', -} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhebrewmodel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhebrewmodel.py deleted file mode 100644 index 58f4c87..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhebrewmodel.py +++ /dev/null @@ -1,200 +0,0 @@ -######################## BEGIN LICENSE BLOCK ######################## -# The Original Code is Mozilla Universal charset detector code. -# -# The Initial Developer of the Original Code is -# Simon Montagu -# Portions created by the Initial Developer are Copyright (C) 2005 -# the Initial Developer. All Rights Reserved. -# -# Contributor(s): -# Mark Pilgrim - port to Python -# Shy Shalom - original C code -# Shoshannah Forbes - original C code (?) -# -# This library is free software; you can redistribute it and/or -# modify it under the terms of the GNU Lesser General Public -# License as published by the Free Software Foundation; either -# version 2.1 of the License, or (at your option) any later version. -# -# This library is distributed in the hope that it will be useful, -# but WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -# Lesser General Public License for more details. -# -# You should have received a copy of the GNU Lesser General Public -# License along with this library; if not, write to the Free Software -# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA -# 02110-1301 USA -######################### END LICENSE BLOCK ######################### - -# 255: Control characters that usually does not exist in any text -# 254: Carriage/Return -# 253: symbol (punctuation) that does not belong to word -# 252: 0 - 9 - -# Windows-1255 language model -# Character Mapping Table: -WIN1255_CHAR_TO_ORDER_MAP = ( -255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 -253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 -252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 -253, 69, 91, 79, 80, 92, 89, 97, 90, 68,111,112, 82, 73, 95, 85, # 40 - 78,121, 86, 71, 67,102,107, 84,114,103,115,253,253,253,253,253, # 50 -253, 50, 74, 60, 61, 42, 76, 70, 64, 53,105, 93, 56, 65, 54, 49, # 60 - 66,110, 51, 43, 44, 63, 81, 77, 98, 75,108,253,253,253,253,253, # 70 -124,202,203,204,205, 40, 58,206,207,208,209,210,211,212,213,214, -215, 83, 52, 47, 46, 72, 32, 94,216,113,217,109,218,219,220,221, - 34,116,222,118,100,223,224,117,119,104,125,225,226, 87, 99,227, -106,122,123,228, 55,229,230,101,231,232,120,233, 48, 39, 57,234, - 30, 59, 41, 88, 33, 37, 36, 31, 29, 35,235, 62, 28,236,126,237, -238, 38, 45,239,240,241,242,243,127,244,245,246,247,248,249,250, - 9, 8, 20, 16, 3, 2, 24, 14, 22, 1, 25, 15, 4, 11, 6, 23, - 12, 19, 13, 26, 18, 27, 21, 17, 7, 10, 5,251,252,128, 96,253, -) - -# Model Table: -# total sequences: 100% -# first 512 sequences: 98.4004% -# first 1024 sequences: 1.5981% -# rest sequences: 0.087% -# negative sequences: 0.0015% -HEBREW_LANG_MODEL = ( -0,3,3,3,3,3,3,3,3,3,3,2,3,3,3,3,3,3,3,3,3,3,3,2,3,2,1,2,0,1,0,0, -3,0,3,1,0,0,1,3,2,0,1,1,2,0,2,2,2,1,1,1,1,2,1,1,1,2,0,0,2,2,0,1, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,2,2,2, -1,2,1,2,1,2,0,0,2,0,0,0,0,0,1,0,1,0,0,0,0,0,0,1,0,0,0,0,0,0,1,0, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,2,2, -1,2,1,3,1,1,0,0,2,0,0,0,1,0,1,0,1,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,1,0,1,2,2,1,3, -1,2,1,1,2,2,0,0,2,2,0,0,0,0,1,0,1,0,0,0,1,0,0,0,0,0,0,1,0,1,1,0, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,3,2,2,2,2,3,2, -1,2,1,2,2,2,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,1,0, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,3,2,3,2,2,3,2,2,2,1,2,2,2,2, -1,2,1,1,2,2,0,1,2,0,0,0,0,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,1,0, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,0,2,2,2,2,2, -0,2,0,2,2,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,1,0, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,0,2,2,2, -0,2,1,2,2,2,0,0,2,1,0,0,0,0,1,0,1,0,0,0,0,0,0,2,0,0,0,0,0,0,1,0, -3,3,3,3,3,3,3,3,3,3,3,2,3,3,3,3,3,3,3,3,3,3,3,3,3,2,1,2,3,2,2,2, -1,2,1,2,2,2,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,1,0,0,0,0,0,1,1,0, -3,3,3,3,3,3,3,3,3,2,3,3,3,2,3,3,3,3,3,3,3,3,3,3,3,3,3,1,0,2,0,2, -0,2,1,2,2,2,0,0,1,2,0,0,0,0,1,0,1,0,0,0,0,0,0,1,0,0,0,2,0,0,1,0, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,2,3,2,2,3,2,1,2,1,1,1, -0,1,1,1,1,1,3,0,1,0,0,0,0,2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, -3,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,0,1,1,0,1,1,0,0,1,0,0,1,0,0,0,0, -0,0,1,0,0,0,0,0,2,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,2,2,2,2,2,2, -0,2,0,1,2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, -3,3,3,3,3,3,3,3,3,2,3,3,3,2,1,2,3,3,2,3,3,3,3,2,3,2,1,2,0,2,1,2, -0,2,0,2,2,2,0,0,1,2,0,0,0,0,1,0,1,0,0,0,0,0,0,0,0,0,0,1,0,0,1,0, -3,3,3,3,3,3,3,3,3,2,3,3,3,1,2,2,3,3,2,3,2,3,2,2,3,1,2,2,0,2,2,2, -0,2,1,2,2,2,0,0,1,2,0,0,0,0,1,0,0,0,0,0,1,0,0,1,0,0,0,1,0,0,1,0, -3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,3,3,2,3,3,2,2,2,3,3,3,3,1,3,2,2,2, -0,2,0,1,2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,2,3,3,3,2,3,2,2,2,1,2,2,0,2,2,2,2, -0,2,0,2,2,2,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, -3,3,3,3,3,3,3,3,3,3,3,2,3,3,3,1,3,2,3,3,2,3,3,2,2,1,2,2,2,2,2,2, -0,2,1,2,1,2,0,0,1,0,0,0,0,0,1,0,0,0,0,0,1,0,0,1,0,0,0,0,0,0,1,0, -3,3,3,3,3,3,2,3,2,3,3,2,3,3,3,3,2,3,2,3,3,3,3,3,2,2,2,2,2,2,2,1, -0,2,0,1,2,1,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,1,0, -3,3,3,3,3,3,3,3,3,2,1,2,3,3,3,3,3,3,3,2,3,2,3,2,1,2,3,0,2,1,2,2, -0,2,1,1,2,1,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,2,0, -3,3,3,3,3,3,3,3,3,2,3,3,3,3,2,1,3,1,2,2,2,1,2,3,3,1,2,1,2,2,2,2, -0,1,1,1,1,1,0,0,0,0,0,0,0,0,1,0,0,0,0,0,1,0,0,2,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,3,3,0,2,3,3,3,1,3,3,3,1,2,2,2,2,1,1,2,2,2,2,2,2, -0,2,0,1,1,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,1,0, -3,3,3,3,3,3,2,3,3,3,2,2,3,3,3,2,1,2,3,2,3,2,2,2,2,1,2,1,1,1,2,2, -0,2,1,1,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, -3,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,0,1,0,0,0,1,0,0,0,0,0, -1,0,1,0,0,0,0,0,2,0,0,0,0,0,1,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,2,3,3,2,3,1,2,2,2,2,3,2,3,1,1,2,2,1,2,2,1,1,0,2,2,2,2, -0,1,0,1,2,2,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,1,0, -3,0,0,1,1,0,1,0,0,1,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,2,2,0, -0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,0,1,0,1,0,1,1,0,1,1,0,0,0,1,1,0,1,1,1,0,0,0,0,0,0,1,0,0,0,0,0, -0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,0,0,0,1,1,0,1,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0, -3,2,2,1,2,2,2,2,2,2,2,1,2,2,1,2,2,1,1,1,1,1,1,1,1,2,1,1,0,3,3,3, -0,3,0,2,2,2,2,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, -2,2,2,3,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,1,2,2,1,2,2,2,1,1,1,2,0,1, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,2,2,2,2,2,2,2,2,2,2,1,2,2,2,2,2,2,2,2,2,2,2,0,2,2,0,0,0,0,0,0, -0,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,3,1,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,2,1,2,1,0,2,1,0, -0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,1,1,1,1,1,1,1,1,1,1,0,0,1,1,1,1,0,1,1,1,1,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0, -0,3,1,1,2,2,2,2,2,1,2,2,2,1,1,2,2,2,2,2,2,2,1,2,2,1,0,1,1,1,1,0, -0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,2,1,1,1,1,2,1,1,2,1,0,1,1,1,1,1,1,1,1,1,1,1,0,1,0,0,0,0,0,0,0, -0,0,2,0,0,0,0,0,0,0,0,1,1,0,0,0,0,1,1,0,0,1,1,0,0,0,0,0,0,1,0,0, -2,1,1,2,2,2,2,2,2,2,2,2,2,2,1,2,2,2,2,2,1,2,1,2,1,1,1,1,0,0,0,0, -0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,2,1,2,2,2,2,2,2,2,2,2,2,1,2,1,2,1,1,2,1,1,1,2,1,2,1,2,0,1,0,1, -0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,3,1,2,2,2,1,2,2,2,2,2,2,2,2,1,2,1,1,1,1,1,1,2,1,2,1,1,0,1,0,1, -0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,1,2,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,2,2, -0,2,0,1,2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, -3,0,0,0,1,0,0,0,0,0,0,0,0,0,0,1,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,1,1,1,1,1,1,1,0,1,1,0,1,0,0,1,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,2,0,1,1,1,0,1,0,0,0,1,1,0,1,1,0,0,0,0,0,1,1,0,0, -0,1,1,1,2,1,2,2,2,0,2,0,2,0,1,1,2,1,1,1,1,2,1,0,1,1,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,0,1,0,0,0,0,0,1,0,1,2,2,0,1,0,0,1,1,2,2,1,2,0,2,0,0,0,1,2,0,1, -2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,2,0,2,1,2,0,2,0,0,1,1,1,1,1,1,0,1,0,0,0,1,0,0,1, -2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,1,0,0,0,0,0,1,0,2,1,1,0,1,0,0,1,1,1,2,2,0,0,1,0,0,0,1,0,0,1, -1,1,2,1,0,1,1,1,0,1,0,1,1,1,1,0,0,0,1,0,1,0,0,0,0,0,0,0,0,2,2,1, -0,2,0,1,2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,1,0,0,1,0,1,1,1,1,0,0,0,0,0,1,0,0,0,0,1,1,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,1,1,1,1,1,1,1,1,2,1,0,1,1,1,1,1,1,1,1,1,1,1,0,1,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,1,1,1,0,0,0,0,1,1,1,0,1,1,0,1,0,0,0,1,1,0,1, -2,0,1,0,1,0,1,0,0,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,1,0,1,1,1,0,1,0,0,1,1,2,1,1,2,0,1,0,0,0,1,1,0,1, -1,0,0,1,0,0,1,0,0,0,1,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,1,0,1,1,2,0,1,0,0,0,0,2,1,1,2,0,2,0,0,0,1,1,0,1, -1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,1,0,2,1,1,0,1,0,0,2,2,1,2,1,1,0,1,0,0,0,1,1,0,1, -2,0,1,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,1,2,2,0,0,0,0,0,1,1,0,1,0,0,1,0,0,0,0,1,0,1, -1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,1,2,2,0,0,0,0,2,1,1,1,0,2,1,1,0,0,0,2,1,0,1, -1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,1,0,1,1,2,0,1,0,0,1,1,0,2,1,1,0,1,0,0,0,1,1,0,1, -2,2,1,1,1,0,1,1,0,1,1,0,1,0,0,0,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,1,0,2,1,1,0,1,0,0,1,1,0,1,2,1,0,2,0,0,0,1,1,0,1, -2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0, -0,1,0,0,2,0,2,1,1,0,1,0,1,0,0,1,0,0,0,0,1,0,0,0,1,0,0,0,0,0,1,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,0,0,1,0,0,1,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,1,0,1,1,2,0,1,0,0,1,1,1,0,1,0,0,1,0,0,0,1,0,0,1, -1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,0,0,0,0,0,0,0,1,0,1,1,0,0,1,0,0,2,1,1,1,1,1,0,1,0,0,0,0,1,0,1, -0,1,1,1,2,1,1,1,1,0,1,1,1,1,1,1,1,1,1,1,1,1,0,1,1,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,1,2,1,0,0,0,0,0,1,1,1,1,1,0,1,0,0,0,1,1,0,0, -) - -Win1255HebrewModel = { - 'char_to_order_map': WIN1255_CHAR_TO_ORDER_MAP, - 'precedence_matrix': HEBREW_LANG_MODEL, - 'typical_positive_ratio': 0.984004, - 'keep_english_letter': False, - 'charset_name': "windows-1255", - 'language': 'Hebrew', -} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhungarianmodel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhungarianmodel.py deleted file mode 100644 index bb7c095..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langhungarianmodel.py +++ /dev/null @@ -1,225 +0,0 @@ -######################## BEGIN LICENSE BLOCK ######################## -# The Original Code is Mozilla Communicator client code. -# -# The Initial Developer of the Original Code is -# Netscape Communications Corporation. -# Portions created by the Initial Developer are Copyright (C) 1998 -# the Initial Developer. All Rights Reserved. -# -# Contributor(s): -# Mark Pilgrim - port to Python -# -# This library is free software; you can redistribute it and/or -# modify it under the terms of the GNU Lesser General Public -# License as published by the Free Software Foundation; either -# version 2.1 of the License, or (at your option) any later version. -# -# This library is distributed in the hope that it will be useful, -# but WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -# Lesser General Public License for more details. -# -# You should have received a copy of the GNU Lesser General Public -# License along with this library; if not, write to the Free Software -# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA -# 02110-1301 USA -######################### END LICENSE BLOCK ######################### - -# 255: Control characters that usually does not exist in any text -# 254: Carriage/Return -# 253: symbol (punctuation) that does not belong to word -# 252: 0 - 9 - -# Character Mapping Table: -Latin2_HungarianCharToOrderMap = ( -255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 -253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 -252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 -253, 28, 40, 54, 45, 32, 50, 49, 38, 39, 53, 36, 41, 34, 35, 47, - 46, 71, 43, 33, 37, 57, 48, 64, 68, 55, 52,253,253,253,253,253, -253, 2, 18, 26, 17, 1, 27, 12, 20, 9, 22, 7, 6, 13, 4, 8, - 23, 67, 10, 5, 3, 21, 19, 65, 62, 16, 11,253,253,253,253,253, -159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174, -175,176,177,178,179,180,181,182,183,184,185,186,187,188,189,190, -191,192,193,194,195,196,197, 75,198,199,200,201,202,203,204,205, - 79,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220, -221, 51, 81,222, 78,223,224,225,226, 44,227,228,229, 61,230,231, -232,233,234, 58,235, 66, 59,236,237,238, 60, 69, 63,239,240,241, - 82, 14, 74,242, 70, 80,243, 72,244, 15, 83, 77, 84, 30, 76, 85, -245,246,247, 25, 73, 42, 24,248,249,250, 31, 56, 29,251,252,253, -) - -win1250HungarianCharToOrderMap = ( -255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 -253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 -252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 -253, 28, 40, 54, 45, 32, 50, 49, 38, 39, 53, 36, 41, 34, 35, 47, - 46, 72, 43, 33, 37, 57, 48, 64, 68, 55, 52,253,253,253,253,253, -253, 2, 18, 26, 17, 1, 27, 12, 20, 9, 22, 7, 6, 13, 4, 8, - 23, 67, 10, 5, 3, 21, 19, 65, 62, 16, 11,253,253,253,253,253, -161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176, -177,178,179,180, 78,181, 69,182,183,184,185,186,187,188,189,190, -191,192,193,194,195,196,197, 76,198,199,200,201,202,203,204,205, - 81,206,207,208,209,210,211,212,213,214,215,216,217,218,219,220, -221, 51, 83,222, 80,223,224,225,226, 44,227,228,229, 61,230,231, -232,233,234, 58,235, 66, 59,236,237,238, 60, 70, 63,239,240,241, - 84, 14, 75,242, 71, 82,243, 73,244, 15, 85, 79, 86, 30, 77, 87, -245,246,247, 25, 74, 42, 24,248,249,250, 31, 56, 29,251,252,253, -) - -# Model Table: -# total sequences: 100% -# first 512 sequences: 94.7368% -# first 1024 sequences:5.2623% -# rest sequences: 0.8894% -# negative sequences: 0.0009% -HungarianLangModel = ( -0,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,1,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3, -3,3,3,3,3,3,3,3,3,3,2,3,3,3,3,3,3,3,3,2,2,3,3,1,1,2,2,2,2,2,1,2, -3,2,2,3,3,3,3,3,2,3,3,3,3,3,3,1,2,3,3,3,3,2,3,3,1,1,3,3,0,1,1,1, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0, -3,2,1,3,3,3,3,3,2,3,3,3,3,3,1,1,2,3,3,3,3,3,3,3,1,1,3,2,0,1,1,1, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, -3,3,3,3,3,3,3,3,3,3,3,1,1,2,3,3,3,1,3,3,3,3,3,1,3,3,2,2,0,3,2,3, -0,0,0,0,0,0,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0, -3,3,3,3,3,3,2,3,3,3,2,3,3,2,3,3,3,3,3,2,3,3,2,2,3,2,3,2,0,3,2,2, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,1,0, -3,3,3,3,3,3,2,3,3,3,3,3,2,3,3,3,1,2,3,2,2,3,1,2,3,3,2,2,0,3,3,3, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,3,3,2,2,3,3,3,3,3,3,2,3,3,3,3,2,3,3,3,3,0,2,3,2, -0,0,0,1,1,0,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,3,3,3,1,1,1,3,3,2,1,3,2,2,3,2,1,3,2,2,1,0,3,3,1, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, -3,2,2,3,3,3,3,3,1,2,3,3,3,3,1,2,1,3,3,3,3,2,2,3,1,1,3,2,0,1,1,1, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, -3,3,3,3,3,3,3,3,2,2,3,3,3,3,3,2,1,3,3,3,3,3,2,2,1,3,3,3,0,1,1,2, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,1,0, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,2,3,3,3,2,3,3,2,3,3,3,2,0,3,2,3, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,1,0, -3,3,3,3,3,3,2,3,3,3,2,3,2,3,3,3,1,3,2,2,2,3,1,1,3,3,1,1,0,3,3,2, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,2,3,3,3,2,3,2,3,3,3,2,3,3,3,3,3,1,2,3,2,2,0,2,2,2, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, -3,3,3,2,2,2,3,1,3,3,2,2,1,3,3,3,1,1,3,1,2,3,2,3,2,2,2,1,0,2,2,2, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0, -3,1,1,3,3,3,3,3,1,2,3,3,3,3,1,2,1,3,3,3,2,2,3,2,1,0,3,2,0,1,1,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,1,1,3,3,3,3,3,1,2,3,3,3,3,1,1,0,3,3,3,3,0,2,3,0,0,2,1,0,1,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,2,2,3,3,2,2,2,2,3,3,0,1,2,3,2,3,2,2,3,2,1,2,0,2,2,2, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0, -3,3,3,3,3,3,1,2,3,3,3,2,1,2,3,3,2,2,2,3,2,3,3,1,3,3,1,1,0,2,3,2, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, -3,3,3,1,2,2,2,2,3,3,3,1,1,1,3,3,1,1,3,1,1,3,2,1,2,3,1,1,0,2,2,2, -0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, -3,3,3,2,1,2,1,1,3,3,1,1,1,1,3,3,1,1,2,2,1,2,1,1,2,2,1,1,0,2,2,1, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, -3,3,3,1,1,2,1,1,3,3,1,0,1,1,3,3,2,0,1,1,2,3,1,0,2,2,1,0,0,1,3,2, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, -3,2,1,3,3,3,3,3,1,2,3,2,3,3,2,1,1,3,2,3,2,1,2,2,0,1,2,1,0,0,1,1, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0, -3,3,3,3,2,2,2,2,3,1,2,2,1,1,3,3,0,3,2,1,2,3,2,1,3,3,1,1,0,2,1,3, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, -3,3,3,2,2,2,3,2,3,3,3,2,1,1,3,3,1,1,1,2,2,3,2,3,2,2,2,1,0,2,2,1, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, -1,0,0,3,3,3,3,3,0,0,3,3,2,3,0,0,0,2,3,3,1,0,1,2,0,0,1,1,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,1,2,3,3,3,3,3,1,2,3,3,2,2,1,1,0,3,3,2,2,1,2,2,1,0,2,2,0,1,1,1, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,2,2,1,3,1,2,3,3,2,2,1,1,2,2,1,1,1,1,3,2,1,1,1,1,2,1,0,1,2,1, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,1,0,0,0,0,0,0,0,0,0, -2,3,3,1,1,1,1,1,3,3,3,0,1,1,3,3,1,1,1,1,1,2,2,0,3,1,1,2,0,2,1,1, -0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0, -3,1,0,1,2,1,2,2,0,1,2,3,1,2,0,0,0,2,1,1,1,1,1,2,0,0,1,1,0,0,0,0, -1,2,1,2,2,2,1,2,1,2,0,2,0,2,2,1,1,2,1,1,2,1,1,1,0,1,0,0,0,1,1,0, -1,1,1,2,3,2,3,3,0,1,2,2,3,1,0,1,0,2,1,2,2,0,1,1,0,0,1,1,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,0,0,3,3,2,2,1,0,0,3,2,3,2,0,0,0,1,1,3,0,0,1,1,0,0,2,1,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,1,1,2,2,3,3,1,0,1,3,2,3,1,1,1,0,1,1,1,1,1,3,1,0,0,2,2,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,1,1,1,2,2,2,1,0,1,2,3,3,2,0,0,0,2,1,1,1,2,1,1,1,0,1,1,1,0,0,0, -1,2,2,2,2,2,1,1,1,2,0,2,1,1,1,1,1,2,1,1,1,1,1,1,0,1,1,1,0,0,1,1, -3,2,2,1,0,0,1,1,2,2,0,3,0,1,2,1,1,0,0,1,1,1,0,1,1,1,1,0,2,1,1,1, -2,2,1,1,1,2,1,2,1,1,1,1,1,1,1,2,1,1,1,2,3,1,1,1,1,1,1,1,1,1,0,1, -2,3,3,0,1,0,0,0,3,3,1,0,0,1,2,2,1,0,0,0,0,2,0,0,1,1,1,0,2,1,1,1, -2,1,1,1,1,1,1,2,1,1,0,1,1,0,1,1,1,0,1,2,1,1,0,1,1,1,1,1,1,1,0,1, -2,3,3,0,1,0,0,0,2,2,0,0,0,0,1,2,2,0,0,0,0,1,0,0,1,1,0,0,2,0,1,0, -2,1,1,1,1,2,1,1,1,1,1,1,1,2,1,1,1,1,1,1,1,1,1,2,0,1,1,1,1,1,0,1, -3,2,2,0,1,0,1,0,2,3,2,0,0,1,2,2,1,0,0,1,1,1,0,0,2,1,0,1,2,2,1,1, -2,1,1,1,1,1,1,2,1,1,1,1,1,1,0,2,1,0,1,1,0,1,1,1,0,1,1,2,1,1,0,1, -2,2,2,0,0,1,0,0,2,2,1,1,0,0,2,1,1,0,0,0,1,2,0,0,2,1,0,0,2,1,1,1, -2,1,1,1,1,2,1,2,1,1,1,2,2,1,1,2,1,1,1,2,1,1,1,1,1,1,1,1,1,1,0,1, -1,2,3,0,0,0,1,0,3,2,1,0,0,1,2,1,1,0,0,0,0,2,1,0,1,1,0,0,2,1,2,1, -1,1,0,0,0,1,0,1,1,1,1,1,2,0,0,1,0,0,0,2,0,0,1,1,1,1,1,1,1,1,0,1, -3,0,0,2,1,2,2,1,0,0,2,1,2,2,0,0,0,2,1,1,1,0,1,1,0,0,1,1,2,0,0,0, -1,2,1,2,2,1,1,2,1,2,0,1,1,1,1,1,1,1,1,1,2,1,1,0,0,1,1,1,1,0,0,1, -1,3,2,0,0,0,1,0,2,2,2,0,0,0,2,2,1,0,0,0,0,3,1,1,1,1,0,0,2,1,1,1, -2,1,0,1,1,1,0,1,1,1,1,1,1,1,0,2,1,0,0,1,0,1,1,0,1,1,1,1,1,1,0,1, -2,3,2,0,0,0,1,0,2,2,0,0,0,0,2,1,1,0,0,0,0,2,1,0,1,1,0,0,2,1,1,0, -2,1,1,1,1,2,1,2,1,2,0,1,1,1,0,2,1,1,1,2,1,1,1,1,0,1,1,1,1,1,0,1, -3,1,1,2,2,2,3,2,1,1,2,2,1,1,0,1,0,2,2,1,1,1,1,1,0,0,1,1,0,1,1,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,2,2,0,0,0,0,0,2,2,0,0,0,0,2,2,1,0,0,0,1,1,0,0,1,2,0,0,2,1,1,1, -2,2,1,1,1,2,1,2,1,1,0,1,1,1,1,2,1,1,1,2,1,1,1,1,0,1,2,1,1,1,0,1, -1,0,0,1,2,3,2,1,0,0,2,0,1,1,0,0,0,1,1,1,1,0,1,1,0,0,1,0,0,0,0,0, -1,2,1,2,1,2,1,1,1,2,0,2,1,1,1,0,1,2,0,0,1,1,1,0,0,0,0,0,0,0,0,0, -2,3,2,0,0,0,0,0,1,1,2,1,0,0,1,1,1,0,0,0,0,2,0,0,1,1,0,0,2,1,1,1, -2,1,1,1,1,1,1,2,1,0,1,1,1,1,0,2,1,1,1,1,1,1,0,1,0,1,1,1,1,1,0,1, -1,2,2,0,1,1,1,0,2,2,2,0,0,0,3,2,1,0,0,0,1,1,0,0,1,1,0,1,1,1,0,0, -1,1,0,1,1,1,1,1,1,1,1,2,1,1,1,1,1,1,1,2,1,1,1,0,0,1,1,1,0,1,0,1, -2,1,0,2,1,1,2,2,1,1,2,1,1,1,0,0,0,1,1,0,1,1,1,1,0,0,1,1,1,0,0,0, -1,2,2,2,2,2,1,1,1,2,0,2,1,1,1,1,1,1,1,1,1,1,1,1,0,1,1,0,0,0,1,0, -1,2,3,0,0,0,1,0,2,2,0,0,0,0,2,2,0,0,0,0,0,1,0,0,1,0,0,0,2,0,1,0, -2,1,1,1,1,1,0,2,0,0,0,1,2,1,1,1,1,0,1,2,0,1,0,1,0,1,1,1,0,1,0,1, -2,2,2,0,0,0,1,0,2,1,2,0,0,0,1,1,2,0,0,0,0,1,0,0,1,1,0,0,2,1,0,1, -2,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,1,2,0,1,1,1,1,1,0,1, -1,2,2,0,0,0,1,0,2,2,2,0,0,0,1,1,0,0,0,0,0,1,1,0,2,0,0,1,1,1,0,1, -1,0,1,1,1,1,1,1,0,1,1,1,1,0,0,1,0,0,1,1,0,1,0,1,1,1,1,1,0,0,0,1, -1,0,0,1,0,1,2,1,0,0,1,1,1,2,0,0,0,1,1,0,1,0,1,1,0,0,1,0,0,0,0,0, -0,2,1,2,1,1,1,1,1,2,0,2,0,1,1,0,1,2,1,0,1,1,1,0,0,0,0,0,0,1,0,0, -2,1,1,0,1,2,0,0,1,1,1,0,0,0,1,1,0,0,0,0,0,1,0,0,1,0,0,0,2,1,0,1, -2,2,1,1,1,1,1,2,1,1,0,1,1,1,1,2,1,1,1,2,1,1,0,1,0,1,1,1,1,1,0,1, -1,2,2,0,0,0,0,0,1,1,0,0,0,0,2,1,0,0,0,0,0,2,0,0,2,2,0,0,2,0,0,1, -2,1,1,1,1,1,1,1,0,1,1,0,1,1,0,1,0,0,0,1,1,1,1,0,0,1,1,1,1,0,0,1, -1,1,2,0,0,3,1,0,2,1,1,1,0,0,1,1,1,0,0,0,1,1,0,0,0,1,0,0,1,0,1,0, -1,2,1,0,1,1,1,2,1,1,0,1,1,1,1,1,0,0,0,1,1,1,1,1,0,1,0,0,0,1,0,0, -2,1,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,1,0,1,0,0,0,1,0,0,0,0,2,0,0,0, -2,1,1,1,1,1,1,1,1,1,0,1,1,1,1,1,1,1,1,1,2,1,1,0,0,1,1,1,1,1,0,1, -2,1,1,1,2,1,1,1,0,1,1,2,1,0,0,0,0,1,1,1,1,0,1,0,0,0,0,1,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,1,0,1,1,1,1,1,0,0,1,1,2,1,0,0,0,1,1,0,0,0,1,1,0,0,1,0,1,0,0,0, -1,2,1,1,1,1,1,1,1,1,0,1,0,1,1,1,1,1,1,0,1,1,1,0,0,0,0,0,0,1,0,0, -2,0,0,0,1,1,1,1,0,0,1,1,0,0,0,0,0,1,1,1,2,0,0,1,0,0,1,0,1,0,0,0, -0,1,1,1,1,1,1,1,1,2,0,1,1,1,1,0,1,1,1,0,1,1,1,0,0,0,0,0,0,0,0,0, -1,0,0,1,1,1,1,1,0,0,2,1,0,1,0,0,0,1,0,1,0,0,0,0,0,0,1,0,0,0,0,0, -0,1,1,1,1,1,1,0,1,1,0,1,0,1,1,0,1,1,0,0,1,1,1,0,0,0,0,0,0,0,0,0, -1,0,0,1,1,1,0,0,0,0,1,0,2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, -0,1,1,1,1,1,0,0,1,1,0,1,0,1,0,0,1,1,1,0,1,1,1,0,0,0,0,0,0,0,0,0, -0,0,0,1,0,0,0,0,0,0,1,1,2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,1,1,1,0,1,0,0,1,1,0,1,0,1,1,0,1,1,1,0,1,1,1,0,0,0,0,0,0,0,0,0, -2,1,1,1,1,1,1,1,1,1,1,0,0,1,1,1,0,0,1,0,0,1,0,1,0,1,1,1,0,0,1,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,0,0,1,1,1,1,0,0,0,1,1,1,0,0,0,0,1,1,1,0,0,0,0,0,0,0,0,0,0,0,0, -0,1,1,1,1,1,1,0,1,1,0,1,0,1,0,0,1,1,0,0,1,1,0,0,0,0,0,0,0,0,0,0, -) - -Latin2HungarianModel = { - 'char_to_order_map': Latin2_HungarianCharToOrderMap, - 'precedence_matrix': HungarianLangModel, - 'typical_positive_ratio': 0.947368, - 'keep_english_letter': True, - 'charset_name': "ISO-8859-2", - 'language': 'Hungarian', -} - -Win1250HungarianModel = { - 'char_to_order_map': win1250HungarianCharToOrderMap, - 'precedence_matrix': HungarianLangModel, - 'typical_positive_ratio': 0.947368, - 'keep_english_letter': True, - 'charset_name': "windows-1250", - 'language': 'Hungarian', -} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langthaimodel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langthaimodel.py deleted file mode 100644 index 15f94c2..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langthaimodel.py +++ /dev/null @@ -1,199 +0,0 @@ -######################## BEGIN LICENSE BLOCK ######################## -# The Original Code is Mozilla Communicator client code. -# -# The Initial Developer of the Original Code is -# Netscape Communications Corporation. -# Portions created by the Initial Developer are Copyright (C) 1998 -# the Initial Developer. All Rights Reserved. -# -# Contributor(s): -# Mark Pilgrim - port to Python -# -# This library is free software; you can redistribute it and/or -# modify it under the terms of the GNU Lesser General Public -# License as published by the Free Software Foundation; either -# version 2.1 of the License, or (at your option) any later version. -# -# This library is distributed in the hope that it will be useful, -# but WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -# Lesser General Public License for more details. -# -# You should have received a copy of the GNU Lesser General Public -# License along with this library; if not, write to the Free Software -# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA -# 02110-1301 USA -######################### END LICENSE BLOCK ######################### - -# 255: Control characters that usually does not exist in any text -# 254: Carriage/Return -# 253: symbol (punctuation) that does not belong to word -# 252: 0 - 9 - -# The following result for thai was collected from a limited sample (1M). - -# Character Mapping Table: -TIS620CharToOrderMap = ( -255,255,255,255,255,255,255,255,255,255,254,255,255,254,255,255, # 00 -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, # 10 -253,253,253,253,253,253,253,253,253,253,253,253,253,253,253,253, # 20 -252,252,252,252,252,252,252,252,252,252,253,253,253,253,253,253, # 30 -253,182,106,107,100,183,184,185,101, 94,186,187,108,109,110,111, # 40 -188,189,190, 89, 95,112,113,191,192,193,194,253,253,253,253,253, # 50 -253, 64, 72, 73,114, 74,115,116,102, 81,201,117, 90,103, 78, 82, # 60 - 96,202, 91, 79, 84,104,105, 97, 98, 92,203,253,253,253,253,253, # 70 -209,210,211,212,213, 88,214,215,216,217,218,219,220,118,221,222, -223,224, 99, 85, 83,225,226,227,228,229,230,231,232,233,234,235, -236, 5, 30,237, 24,238, 75, 8, 26, 52, 34, 51,119, 47, 58, 57, - 49, 53, 55, 43, 20, 19, 44, 14, 48, 3, 17, 25, 39, 62, 31, 54, - 45, 9, 16, 2, 61, 15,239, 12, 42, 46, 18, 21, 76, 4, 66, 63, - 22, 10, 1, 36, 23, 13, 40, 27, 32, 35, 86,240,241,242,243,244, - 11, 28, 41, 29, 33,245, 50, 37, 6, 7, 67, 77, 38, 93,246,247, - 68, 56, 59, 65, 69, 60, 70, 80, 71, 87,248,249,250,251,252,253, -) - -# Model Table: -# total sequences: 100% -# first 512 sequences: 92.6386% -# first 1024 sequences:7.3177% -# rest sequences: 1.0230% -# negative sequences: 0.0436% -ThaiLangModel = ( -0,1,3,3,3,3,0,0,3,3,0,3,3,0,3,3,3,3,3,3,3,3,0,0,3,3,3,0,3,3,3,3, -0,3,3,0,0,0,1,3,0,3,3,2,3,3,0,1,2,3,3,3,3,0,2,0,2,0,0,3,2,1,2,2, -3,0,3,3,2,3,0,0,3,3,0,3,3,0,3,3,3,3,3,3,3,3,3,0,3,2,3,0,2,2,2,3, -0,2,3,0,0,0,0,1,0,1,2,3,1,1,3,2,2,0,1,1,0,0,1,0,0,0,0,0,0,0,1,1, -3,3,3,2,3,3,3,3,3,3,3,3,3,3,3,2,2,2,2,2,2,2,3,3,2,3,2,3,3,2,2,2, -3,1,2,3,0,3,3,2,2,1,2,3,3,1,2,0,1,3,0,1,0,0,1,0,0,0,0,0,0,0,1,1, -3,3,2,2,3,3,3,3,1,2,3,3,3,3,3,2,2,2,2,3,3,2,2,3,3,2,2,3,2,3,2,2, -3,3,1,2,3,1,2,2,3,3,1,0,2,1,0,0,3,1,2,1,0,0,1,0,0,0,0,0,0,1,0,1, -3,3,3,3,3,3,2,2,3,3,3,3,2,3,2,2,3,3,2,2,3,2,2,2,2,1,1,3,1,2,1,1, -3,2,1,0,2,1,0,1,0,1,1,0,1,1,0,0,1,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0, -3,3,3,2,3,2,3,3,2,2,3,2,3,3,2,3,1,1,2,3,2,2,2,3,2,2,2,2,2,1,2,1, -2,2,1,1,3,3,2,1,0,1,2,2,0,1,3,0,0,0,1,1,0,0,0,0,0,2,3,0,0,2,1,1, -3,3,2,3,3,2,0,0,3,3,0,3,3,0,2,2,3,1,2,2,1,1,1,0,2,2,2,0,2,2,1,1, -0,2,1,0,2,0,0,2,0,1,0,0,1,0,0,0,1,1,1,1,0,0,0,0,0,0,0,0,0,0,1,0, -3,3,2,3,3,2,0,0,3,3,0,2,3,0,2,1,2,2,2,2,1,2,0,0,2,2,2,0,2,2,1,1, -0,2,1,0,2,0,0,2,0,1,1,0,1,0,0,0,0,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0, -3,3,2,3,2,3,2,0,2,2,1,3,2,1,3,2,1,2,3,2,2,3,0,2,3,2,2,1,2,2,2,2, -1,2,2,0,0,0,0,2,0,1,2,0,1,1,1,0,1,0,3,1,1,0,0,0,0,0,0,0,0,0,1,0, -3,3,2,3,3,2,3,2,2,2,3,2,2,3,2,2,1,2,3,2,2,3,1,3,2,2,2,3,2,2,2,3, -3,2,1,3,0,1,1,1,0,2,1,1,1,1,1,0,1,0,1,1,0,0,0,0,0,0,0,0,0,2,0,0, -1,0,0,3,0,3,3,3,3,3,0,0,3,0,2,2,3,3,3,3,3,0,0,0,1,1,3,0,0,0,0,2, -0,0,1,0,0,0,0,0,0,0,2,3,0,0,0,3,0,2,0,0,0,0,0,3,0,0,0,0,0,0,0,0, -2,0,3,3,3,3,0,0,2,3,0,0,3,0,3,3,2,3,3,3,3,3,0,0,3,3,3,0,0,0,3,3, -0,0,3,0,0,0,0,2,0,0,2,1,1,3,0,0,1,0,0,2,3,0,1,0,0,0,0,0,0,0,1,0, -3,3,3,3,2,3,3,3,3,3,3,3,1,2,1,3,3,2,2,1,2,2,2,3,1,1,2,0,2,1,2,1, -2,2,1,0,0,0,1,1,0,1,0,1,1,0,0,0,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0, -3,0,2,1,2,3,3,3,0,2,0,2,2,0,2,1,3,2,2,1,2,1,0,0,2,2,1,0,2,1,2,2, -0,1,1,0,0,0,0,1,0,1,1,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,2,1,3,3,1,1,3,0,2,3,1,1,3,2,1,1,2,0,2,2,3,2,1,1,1,1,1,2, -3,0,0,1,3,1,2,1,2,0,3,0,0,0,1,0,3,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0, -3,3,1,1,3,2,3,3,3,1,3,2,1,3,2,1,3,2,2,2,2,1,3,3,1,2,1,3,1,2,3,0, -2,1,1,3,2,2,2,1,2,1,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2, -3,3,2,3,2,3,3,2,3,2,3,2,3,3,2,1,0,3,2,2,2,1,2,2,2,1,2,2,1,2,1,1, -2,2,2,3,0,1,3,1,1,1,1,0,1,1,0,2,1,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,2,3,2,2,1,1,3,2,3,2,3,2,0,3,2,2,1,2,0,2,2,2,1,2,2,2,2,1, -3,2,1,2,2,1,0,2,0,1,0,0,1,1,0,0,0,0,0,1,1,0,1,0,0,0,0,0,0,0,0,1, -3,3,3,3,3,2,3,1,2,3,3,2,2,3,0,1,1,2,0,3,3,2,2,3,0,1,1,3,0,0,0,0, -3,1,0,3,3,0,2,0,2,1,0,0,3,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,2,3,2,3,3,0,1,3,1,1,2,1,2,1,1,3,1,1,0,2,3,1,1,1,1,1,1,1,1, -3,1,1,2,2,2,2,1,1,1,0,0,2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, -3,2,2,1,1,2,1,3,3,2,3,2,2,3,2,2,3,1,2,2,1,2,0,3,2,1,2,2,2,2,2,1, -3,2,1,2,2,2,1,1,1,1,0,0,1,1,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,1,3,3,0,2,1,0,3,2,0,0,3,1,0,1,1,0,1,0,0,0,0,0,1, -1,0,0,1,0,3,2,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,0,2,2,2,3,0,0,1,3,0,3,2,0,3,2,2,3,3,3,3,3,1,0,2,2,2,0,2,2,1,2, -0,2,3,0,0,0,0,1,0,1,0,0,1,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, -3,0,2,3,1,3,3,2,3,3,0,3,3,0,3,2,2,3,2,3,3,3,0,0,2,2,3,0,1,1,1,3, -0,0,3,0,0,0,2,2,0,1,3,0,1,2,2,2,3,0,0,0,0,0,1,0,0,0,0,0,0,0,0,1, -3,2,3,3,2,0,3,3,2,2,3,1,3,2,1,3,2,0,1,2,2,0,2,3,2,1,0,3,0,0,0,0, -3,0,0,2,3,1,3,0,0,3,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,1,3,2,2,2,1,2,0,1,3,1,1,3,1,3,0,0,2,1,1,1,1,2,1,1,1,0,2,1,0,1, -1,2,0,0,0,3,1,1,0,0,0,0,1,0,1,0,0,1,0,1,0,0,0,0,0,3,1,0,0,0,1,0, -3,3,3,3,2,2,2,2,2,1,3,1,1,1,2,0,1,1,2,1,2,1,3,2,0,0,3,1,1,1,1,1, -3,1,0,2,3,0,0,0,3,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,2,3,0,3,3,0,2,0,0,0,0,0,0,0,3,0,0,1,0,0,0,0,0,0,0,0,0,0,0, -0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,2,3,1,3,0,0,1,2,0,0,2,0,3,3,2,3,3,3,2,3,0,0,2,2,2,0,0,0,2,2, -0,0,1,0,0,0,0,3,0,0,0,0,2,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, -0,0,0,3,0,2,0,0,0,0,0,0,0,0,0,0,1,2,3,1,3,3,0,0,1,0,3,0,0,0,0,0, -0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,1,2,3,1,2,3,1,0,3,0,2,2,1,0,2,1,1,2,0,1,0,0,1,1,1,1,0,1,0,0, -1,0,0,0,0,1,1,0,3,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,2,1,0,1,1,1,3,1,2,2,2,2,2,2,1,1,1,1,0,3,1,0,1,3,1,1,1,1, -1,1,0,2,0,1,3,1,1,0,0,1,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,2,0,1, -3,0,2,2,1,3,3,2,3,3,0,1,1,0,2,2,1,2,1,3,3,1,0,0,3,2,0,0,0,0,2,1, -0,1,0,0,0,0,1,2,0,1,1,3,1,1,2,2,1,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0, -0,0,3,0,0,1,0,0,0,3,0,0,3,0,3,1,0,1,1,1,3,2,0,0,0,3,0,0,0,0,2,0, -0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,2,0,0,0,0,0,0,0,0,0, -3,3,1,3,2,1,3,3,1,2,2,0,1,2,1,0,1,2,0,0,0,0,0,3,0,0,0,3,0,0,0,0, -3,0,0,1,1,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,0,1,2,0,3,3,3,2,2,0,1,1,0,1,3,0,0,0,2,2,0,0,0,0,3,1,0,1,0,0,0, -0,0,0,0,0,0,0,0,0,1,0,1,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,0,2,3,1,2,0,0,2,1,0,3,1,0,1,2,0,1,1,1,1,3,0,0,3,1,1,0,2,2,1,1, -0,2,0,0,0,0,0,1,0,1,0,0,1,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,0,0,3,1,2,0,0,2,2,0,1,2,0,1,0,1,3,1,2,1,0,0,0,2,0,3,0,0,0,1,0, -0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,0,1,1,2,2,0,0,0,2,0,2,1,0,1,1,0,1,1,1,2,1,0,0,1,1,1,0,2,1,1,1, -0,1,1,0,0,0,0,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,1,0,1, -0,0,0,2,0,1,3,1,1,1,1,0,0,0,0,3,2,0,1,0,0,0,1,2,0,0,0,1,0,0,0,0, -0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,3,3,3,3,1,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,0,2,3,2,2,0,0,0,1,0,0,0,0,2,3,2,1,2,2,3,0,0,0,2,3,1,0,0,0,1,1, -0,0,1,0,0,0,0,0,0,0,1,0,0,1,0,0,0,0,0,1,1,0,1,0,0,0,0,0,0,0,0,0, -3,3,2,2,0,1,0,0,0,0,2,0,2,0,1,0,0,0,1,1,0,0,0,2,1,0,1,0,1,1,0,0, -0,1,0,2,0,0,1,0,3,0,1,0,0,0,2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,1,0,0,1,0,0,0,0,0,1,1,2,0,0,0,0,1,0,0,1,3,1,0,0,0,0,1,1,0,0, -0,1,0,0,0,0,3,0,0,0,0,0,0,3,0,0,0,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0, -3,3,1,1,1,1,2,3,0,0,2,1,1,1,1,1,0,2,1,1,0,0,0,2,1,0,1,2,1,1,0,1, -2,1,0,3,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,3,1,0,0,0,0,0,0,0,3,0,0,0,3,0,0,0,0,0,0,0,0,1,1,0,0,0,0,0,0,1, -0,0,0,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,2,0,0,0,0,0,0,1,2,1,0,1,1,0,2,0,0,1,0,0,2,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,2,0,0,0,1,3,0,1,0,0,0,2,0,0,0,0,0,0,0,1,2,0,0,0,0,0, -3,3,0,0,1,1,2,0,0,1,2,1,0,1,1,1,0,1,1,0,0,2,1,1,0,1,0,0,1,1,1,0, -0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,3,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,2,2,1,0,0,0,0,1,0,0,0,0,3,0,0,0,0,0,0,0,0,0,3,0,0,0,0,0,0,0,0, -2,0,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,3,0,0,1,1,0,0,0,2,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -1,1,0,1,2,0,1,2,0,0,1,1,0,2,0,1,0,0,1,0,0,0,0,1,0,0,0,2,0,0,0,0, -1,0,0,1,0,1,1,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,1,0,0,0,0,0,0,0,1,1,0,1,1,0,2,1,3,0,0,0,0,1,1,0,0,0,0,0,0,0,3, -1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,0,1,0,1,0,0,2,0,0,2,0,0,1,1,2,0,0,1,1,0,0,0,1,0,0,0,1,1,0,0,0, -1,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0, -1,0,0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,1, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,1,1,0,0,0, -2,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,3,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,0,0,0,0,2,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,1,0,1,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,1,3,0,0,0, -2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,1,0,0,0,0, -1,0,0,0,0,0,0,0,0,1,0,0,0,0,2,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,1,1,0,0,2,1,0,0,1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -) - -TIS620ThaiModel = { - 'char_to_order_map': TIS620CharToOrderMap, - 'precedence_matrix': ThaiLangModel, - 'typical_positive_ratio': 0.926386, - 'keep_english_letter': False, - 'charset_name': "TIS-620", - 'language': 'Thai', -} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langturkishmodel.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langturkishmodel.py deleted file mode 100644 index a427a45..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/langturkishmodel.py +++ /dev/null @@ -1,193 +0,0 @@ -# -*- coding: utf-8 -*- -######################## BEGIN LICENSE BLOCK ######################## -# The Original Code is Mozilla Communicator client code. -# -# The Initial Developer of the Original Code is -# Netscape Communications Corporation. -# Portions created by the Initial Developer are Copyright (C) 1998 -# the Initial Developer. All Rights Reserved. -# -# Contributor(s): -# Mark Pilgrim - port to Python -# Özgür Baskın - Turkish Language Model -# -# This library is free software; you can redistribute it and/or -# modify it under the terms of the GNU Lesser General Public -# License as published by the Free Software Foundation; either -# version 2.1 of the License, or (at your option) any later version. -# -# This library is distributed in the hope that it will be useful, -# but WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -# Lesser General Public License for more details. -# -# You should have received a copy of the GNU Lesser General Public -# License along with this library; if not, write to the Free Software -# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA -# 02110-1301 USA -######################### END LICENSE BLOCK ######################### - -# 255: Control characters that usually does not exist in any text -# 254: Carriage/Return -# 253: symbol (punctuation) that does not belong to word -# 252: 0 - 9 - -# Character Mapping Table: -Latin5_TurkishCharToOrderMap = ( -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, -255,255,255,255,255,255,255,255,255,255,255,255,255,255,255,255, -255, 23, 37, 47, 39, 29, 52, 36, 45, 53, 60, 16, 49, 20, 46, 42, - 48, 69, 44, 35, 31, 51, 38, 62, 65, 43, 56,255,255,255,255,255, -255, 1, 21, 28, 12, 2, 18, 27, 25, 3, 24, 10, 5, 13, 4, 15, - 26, 64, 7, 8, 9, 14, 32, 57, 58, 11, 22,255,255,255,255,255, -180,179,178,177,176,175,174,173,172,171,170,169,168,167,166,165, -164,163,162,161,160,159,101,158,157,156,155,154,153,152,151,106, -150,149,148,147,146,145,144,100,143,142,141,140,139,138,137,136, - 94, 80, 93,135,105,134,133, 63,132,131,130,129,128,127,126,125, -124,104, 73, 99, 79, 85,123, 54,122, 98, 92,121,120, 91,103,119, - 68,118,117, 97,116,115, 50, 90,114,113,112,111, 55, 41, 40, 86, - 89, 70, 59, 78, 71, 82, 88, 33, 77, 66, 84, 83,110, 75, 61, 96, - 30, 67,109, 74, 87,102, 34, 95, 81,108, 76, 72, 17, 6, 19,107, -) - -TurkishLangModel = ( -3,2,3,3,3,1,3,3,3,3,3,3,3,3,2,1,1,3,3,1,3,3,0,3,3,3,3,3,0,3,1,3, -3,2,1,0,0,1,1,0,0,0,1,0,0,1,1,1,1,0,0,0,0,0,0,0,2,2,0,0,1,0,0,1, -3,2,2,3,3,0,3,3,3,3,3,3,3,2,3,1,0,3,3,1,3,3,0,3,3,3,3,3,0,3,0,3, -3,1,1,0,1,0,1,0,0,0,0,0,0,1,1,1,1,0,0,0,0,0,0,0,2,2,0,0,0,1,0,1, -3,3,2,3,3,0,3,3,3,3,3,3,3,2,3,1,1,3,3,0,3,3,1,2,3,3,3,3,0,3,0,3, -3,1,1,0,0,0,1,0,0,0,0,1,1,0,1,2,1,0,0,0,1,0,0,0,0,2,0,0,0,0,0,1, -3,3,3,3,3,3,2,3,3,3,3,3,3,3,3,1,3,3,2,0,3,2,1,2,2,1,3,3,0,0,0,2, -2,2,0,1,0,0,1,0,0,1,1,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,1,0,1,0,0,1, -3,3,3,2,3,3,1,2,3,3,3,3,3,3,3,1,3,2,1,0,3,2,0,1,2,3,3,2,1,0,0,2, -2,1,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,2,0,2,0,0,0, -1,0,1,3,3,1,3,3,3,3,3,3,3,1,2,0,0,2,3,0,2,3,0,0,2,2,2,3,0,3,0,1, -2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,3,3,3,3,3,3,3,3,3,3,3,3,0,3,3,3,0,3,2,0,2,3,2,3,3,1,0,0,2, -3,2,0,0,1,0,0,0,0,0,0,2,0,0,1,0,0,0,0,0,0,0,0,0,1,1,1,0,2,0,0,1, -3,3,3,2,3,3,2,3,3,3,3,2,3,3,3,0,3,3,0,0,2,1,0,0,2,3,2,2,0,0,0,2, -2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,1,0,0,0,1,0,1,0,2,0,0,1, -3,3,3,2,3,3,3,3,3,3,3,2,3,3,3,0,3,2,0,1,3,2,1,1,3,2,3,2,1,0,0,2, -2,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,0,0,0,0,0, -3,3,3,2,3,3,3,3,3,3,3,2,3,3,3,0,3,2,2,0,2,3,0,0,2,2,2,2,0,0,0,2, -3,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,2,0,1,0,0,0, -3,3,3,3,3,3,3,2,2,2,2,3,2,3,3,0,3,3,1,1,2,2,0,0,2,2,3,2,0,0,1,3, -0,3,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,0,0,0,0,1, -3,3,3,2,3,3,3,2,1,2,2,3,2,3,3,0,3,2,0,0,1,1,0,1,1,2,1,2,0,0,0,1, -0,3,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,0,1,0,0,0, -3,3,3,2,3,3,2,3,2,2,2,3,3,3,3,1,3,1,1,0,3,2,1,1,3,3,2,3,1,0,0,1, -1,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,2,0,0,1, -3,2,2,3,3,0,3,3,3,3,3,3,3,2,2,1,0,3,3,1,3,3,0,1,3,3,2,3,0,3,0,3, -2,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0, -2,2,2,3,3,0,3,3,3,3,3,3,3,3,3,0,0,3,2,0,3,3,0,3,2,3,3,3,0,3,1,3, -2,0,0,0,0,0,0,0,0,0,0,1,0,1,2,0,1,0,0,0,0,0,0,0,2,2,0,0,1,0,0,1, -3,3,3,1,2,3,3,1,0,0,1,0,0,3,3,2,3,0,0,2,0,0,2,0,2,0,0,0,2,0,2,0, -0,3,1,0,1,0,0,0,2,2,1,0,1,1,2,1,2,2,2,0,2,1,1,0,0,0,2,0,0,0,0,0, -1,2,1,3,3,0,3,3,3,3,3,2,3,0,0,0,0,2,3,0,2,3,1,0,2,3,1,3,0,3,0,2, -3,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,1,3,3,2,2,3,2,2,0,1,2,3,0,1,2,1,0,1,0,0,0,1,0,2,2,0,0,0,1, -1,1,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,1,1,0,0,1,0,0,0, -3,3,3,1,3,3,1,1,3,3,1,1,3,3,1,0,2,1,2,0,2,1,0,0,1,1,2,1,0,0,0,2, -2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,1,0,2,1,3,0,0,2,0,0,3,3,0,3,0,0,1,0,1,2,0,0,1,1,2,2,0,1,0, -0,1,2,1,1,0,1,0,1,1,1,1,1,0,1,1,1,2,2,1,2,0,1,0,0,0,0,0,0,1,0,0, -3,3,3,2,3,2,3,3,0,2,2,2,3,3,3,0,3,0,0,0,2,2,0,1,2,1,1,1,0,0,0,1, -0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0, -3,3,3,3,3,3,2,1,2,2,3,3,3,3,2,0,2,0,0,0,2,2,0,0,2,1,3,3,0,0,1,1, -1,1,0,0,1,0,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,1,0,0,0, -1,1,2,3,3,0,3,3,3,3,3,3,2,2,0,2,0,2,3,2,3,2,2,2,2,2,2,2,1,3,2,3, -2,0,2,1,2,2,2,2,1,1,2,2,1,2,2,1,2,0,0,2,1,1,0,2,1,0,0,1,0,0,0,1, -2,3,3,1,1,1,0,1,1,1,2,3,2,1,1,0,0,0,0,0,0,0,0,0,0,1,0,1,0,0,0,0, -0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,2,2,2,3,2,3,2,2,1,3,3,3,0,2,1,2,0,2,1,0,0,1,1,1,1,1,0,0,1, -2,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0,0,1,0,2,0,1,0,0,0, -3,3,3,2,3,3,3,3,3,2,3,1,2,3,3,1,2,0,0,0,0,0,0,0,3,2,1,1,0,0,0,0, -2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,0, -3,3,3,2,2,3,3,2,1,1,1,1,1,3,3,0,3,1,0,0,1,1,0,0,3,1,2,1,0,0,0,0, -0,3,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0, -3,3,3,2,2,3,2,2,2,3,2,1,1,3,3,0,3,0,0,0,0,1,0,0,3,1,1,2,0,0,0,1, -1,0,0,1,0,0,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1, -1,1,1,3,3,0,3,3,3,3,3,2,2,2,1,2,0,2,1,2,2,1,1,0,1,2,2,2,2,2,2,2, -0,0,2,1,2,1,2,1,0,1,1,3,1,2,1,1,2,0,0,2,0,1,0,1,0,1,0,0,0,1,0,1, -3,3,3,1,3,3,3,0,1,1,0,2,2,3,1,0,3,0,0,0,1,0,0,0,1,0,0,1,0,1,0,0, -1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,2,0,0,2,2,1,0,0,1,0,0,3,3,1,3,0,0,1,1,0,2,0,3,0,0,0,2,0,1,1, -0,1,2,0,1,2,2,0,2,2,2,2,1,0,2,1,1,0,2,0,2,1,2,0,0,0,0,0,0,0,0,0, -3,3,3,1,3,2,3,2,0,2,2,2,1,3,2,0,2,1,2,0,1,2,0,0,1,0,2,2,0,0,0,2, -1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,1,0,1,0,0,0, -3,3,3,0,3,3,1,1,2,3,1,0,3,2,3,0,3,0,0,0,1,0,0,0,1,0,1,0,0,0,0,0, -1,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,3,3,0,3,3,2,3,3,2,2,0,0,0,0,1,2,0,1,3,0,0,0,3,1,1,0,3,0,2, -2,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,1,2,2,1,0,3,1,1,1,1,3,3,2,3,0,0,1,0,1,2,0,2,2,0,2,2,0,2,1, -0,2,2,1,1,1,1,0,2,1,1,0,1,1,1,1,2,1,2,1,2,0,1,0,1,0,0,0,0,0,0,0, -3,3,3,0,1,1,3,0,0,1,1,0,0,2,2,0,3,0,0,1,1,0,1,0,0,0,0,0,2,0,0,0, -0,3,1,0,1,0,1,0,2,0,0,1,0,1,0,1,1,1,2,1,1,0,2,0,0,0,0,0,0,0,0,0, -3,3,3,0,2,0,2,0,1,1,1,0,0,3,3,0,2,0,0,1,0,0,2,1,1,0,1,0,1,0,1,0, -0,2,0,1,2,0,2,0,2,1,1,0,1,0,2,1,1,0,2,1,1,0,1,0,0,0,1,1,0,0,0,0, -3,2,3,0,1,0,0,0,0,0,0,0,0,1,2,0,1,0,0,1,0,0,1,0,0,0,0,0,2,0,0,0, -0,0,1,1,0,0,1,0,1,0,0,1,0,0,0,2,1,0,1,0,2,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,0,0,2,3,0,0,1,0,1,0,2,3,2,3,0,0,1,3,0,2,1,0,0,0,0,2,0,1,0, -0,2,1,0,0,1,1,0,2,1,0,0,1,0,0,1,1,0,1,1,2,0,1,0,0,0,0,1,0,0,0,0, -3,2,2,0,0,1,1,0,0,0,0,0,0,3,1,1,1,0,0,0,0,0,1,0,0,0,0,0,2,0,1,0, -0,1,0,0,0,0,0,0,1,0,0,0,0,0,0,0,1,0,0,0,1,0,1,0,0,0,0,0,0,0,0,0, -0,0,0,3,3,0,2,3,2,2,1,2,2,1,1,2,0,1,3,2,2,2,0,0,2,2,0,0,0,1,2,1, -3,0,2,1,1,0,1,1,1,0,1,2,2,2,1,1,2,0,0,0,0,1,0,1,1,0,0,0,0,0,0,0, -0,1,1,2,3,0,3,3,3,2,2,2,2,1,0,1,0,1,0,1,2,2,0,0,2,2,1,3,1,1,2,1, -0,0,1,1,2,0,1,1,0,0,1,2,0,2,1,1,2,0,0,1,0,0,0,1,0,1,0,1,0,0,0,0, -3,3,2,0,0,3,1,0,0,0,0,0,0,3,2,1,2,0,0,1,0,0,2,0,0,0,0,0,2,0,1,0, -0,2,1,1,0,0,1,0,1,2,0,0,1,1,0,0,2,1,1,1,1,0,2,0,0,0,0,0,0,0,0,0, -3,3,2,0,0,1,0,0,0,0,1,0,0,3,3,2,2,0,0,1,0,0,2,0,1,0,0,0,2,0,1,0, -0,0,1,1,0,0,2,0,2,1,0,0,1,1,2,1,2,0,2,1,2,1,1,1,0,0,1,1,0,0,0,0, -3,3,2,0,0,2,2,0,0,0,1,1,0,2,2,1,3,1,0,1,0,1,2,0,0,0,0,0,1,0,1,0, -0,1,1,0,0,0,0,0,1,0,0,1,0,0,0,1,1,0,1,0,1,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,2,0,0,0,1,0,0,1,0,0,2,3,1,2,0,0,1,0,0,2,0,0,0,1,0,2,0,2,0, -0,1,1,2,2,1,2,0,2,1,1,0,0,1,1,0,1,1,1,1,2,1,1,0,0,0,0,0,0,0,0,0, -3,3,3,0,2,1,2,1,0,0,1,1,0,3,3,1,2,0,0,1,0,0,2,0,2,0,1,1,2,0,0,0, -0,0,1,1,1,1,2,0,1,1,0,1,1,1,1,0,0,0,1,1,1,0,1,0,0,0,1,0,0,0,0,0, -3,3,3,0,2,2,3,2,0,0,1,0,0,2,3,1,0,0,0,0,0,0,2,0,2,0,0,0,2,0,0,0, -0,1,1,0,0,0,1,0,0,1,0,1,1,0,1,0,1,1,1,0,1,0,0,0,0,0,0,0,0,0,0,0, -3,2,3,0,0,0,0,0,0,0,1,0,0,2,2,2,2,0,0,1,0,0,2,0,0,0,0,0,2,0,1,0, -0,0,2,1,1,0,1,0,2,1,1,0,0,1,1,2,1,0,2,0,2,0,1,0,0,0,2,0,0,0,0,0, -0,0,0,2,2,0,2,1,1,1,1,2,2,0,0,1,0,1,0,0,1,3,0,0,0,0,1,0,0,2,1,0, -0,0,1,0,1,0,0,0,0,0,2,1,0,1,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0,0, -2,0,0,2,3,0,2,3,1,2,2,0,2,0,0,2,0,2,1,1,1,2,1,0,0,1,2,1,1,2,1,0, -1,0,2,0,1,0,1,1,0,0,2,2,1,2,1,1,2,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0, -3,3,3,0,2,1,2,0,0,0,1,0,0,3,2,0,1,0,0,1,0,0,2,0,0,0,1,2,1,0,1,0, -0,0,0,0,1,0,1,0,0,1,0,0,0,0,1,0,1,0,1,1,1,0,1,0,0,0,0,0,0,0,0,0, -0,0,0,2,2,0,2,2,1,1,0,1,1,1,1,1,0,0,1,2,1,1,1,0,1,0,0,0,1,1,1,1, -0,0,2,1,0,1,1,1,0,1,1,2,1,2,1,1,2,0,1,1,2,1,0,2,0,0,0,0,0,0,0,0, -3,2,2,0,0,2,0,0,0,0,0,0,0,2,2,0,2,0,0,1,0,0,2,0,0,0,0,0,2,0,0,0, -0,2,1,0,0,0,0,0,1,0,0,0,0,0,0,0,1,0,0,0,1,0,1,0,0,0,0,0,0,0,0,0, -0,0,0,3,2,0,2,2,0,1,1,0,1,0,0,1,0,0,0,1,0,1,0,0,0,0,0,1,0,0,0,0, -2,0,1,0,1,0,1,1,0,0,1,2,0,1,0,1,1,0,0,1,0,1,0,2,0,0,0,0,0,0,0,0, -2,2,2,0,1,1,0,0,0,1,0,0,0,1,2,0,1,0,0,1,0,0,1,0,0,0,0,1,2,0,1,0, -0,0,1,0,0,0,1,0,0,1,0,0,0,0,0,0,1,0,1,0,2,0,0,0,0,0,0,0,0,0,0,0, -2,2,2,2,1,0,1,1,1,0,0,0,0,1,2,0,0,1,0,0,0,1,0,0,1,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,0,0,0,0,0,0,0, -1,1,2,0,1,0,0,0,1,0,1,0,0,0,1,0,0,1,0,0,0,0,0,0,0,1,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,0,2,0,0,0,0,0,1, -0,0,1,2,2,0,2,1,2,1,1,2,2,0,0,0,0,1,0,0,1,1,0,0,2,0,0,0,0,1,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0, -2,2,2,0,0,0,1,0,0,0,0,0,0,2,2,1,1,0,0,0,0,0,1,0,0,0,0,0,0,0,0,0, -0,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,1,1,0,0,0,1,0,0,0,1,0,0,0,0,0,0,0,1,1,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -2,2,2,0,1,0,1,0,0,0,0,0,0,1,1,0,0,0,0,0,0,0,1,0,1,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1,0,0,0,0,1,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,1,0,0,0,0,0,0,0,0,0,0,2,2,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0, -) - -Latin5TurkishModel = { - 'char_to_order_map': Latin5_TurkishCharToOrderMap, - 'precedence_matrix': TurkishLangModel, - 'typical_positive_ratio': 0.970290, - 'keep_english_letter': True, - 'charset_name': "ISO-8859-9", - 'language': 'Turkish', -} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcsgroupprober.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcsgroupprober.py deleted file mode 100644 index 98e95dc..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcsgroupprober.py +++ /dev/null @@ -1,73 +0,0 @@ -######################## BEGIN LICENSE BLOCK ######################## -# The Original Code is Mozilla Universal charset detector code. -# -# The Initial Developer of the Original Code is -# Netscape Communications Corporation. -# Portions created by the Initial Developer are Copyright (C) 2001 -# the Initial Developer. All Rights Reserved. -# -# Contributor(s): -# Mark Pilgrim - port to Python -# Shy Shalom - original C code -# -# This library is free software; you can redistribute it and/or -# modify it under the terms of the GNU Lesser General Public -# License as published by the Free Software Foundation; either -# version 2.1 of the License, or (at your option) any later version. -# -# This library is distributed in the hope that it will be useful, -# but WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU -# Lesser General Public License for more details. -# -# You should have received a copy of the GNU Lesser General Public -# License along with this library; if not, write to the Free Software -# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA -# 02110-1301 USA -######################### END LICENSE BLOCK ######################### - -from .charsetgroupprober import CharSetGroupProber -from .sbcharsetprober import SingleByteCharSetProber -from .langcyrillicmodel import (Win1251CyrillicModel, Koi8rModel, - Latin5CyrillicModel, MacCyrillicModel, - Ibm866Model, Ibm855Model) -from .langgreekmodel import Latin7GreekModel, Win1253GreekModel -from .langbulgarianmodel import Latin5BulgarianModel, Win1251BulgarianModel -# from .langhungarianmodel import Latin2HungarianModel, Win1250HungarianModel -from .langthaimodel import TIS620ThaiModel -from .langhebrewmodel import Win1255HebrewModel -from .hebrewprober import HebrewProber -from .langturkishmodel import Latin5TurkishModel - - -class SBCSGroupProber(CharSetGroupProber): - def __init__(self): - super(SBCSGroupProber, self).__init__() - self.probers = [ - SingleByteCharSetProber(Win1251CyrillicModel), - SingleByteCharSetProber(Koi8rModel), - SingleByteCharSetProber(Latin5CyrillicModel), - SingleByteCharSetProber(MacCyrillicModel), - SingleByteCharSetProber(Ibm866Model), - SingleByteCharSetProber(Ibm855Model), - SingleByteCharSetProber(Latin7GreekModel), - SingleByteCharSetProber(Win1253GreekModel), - SingleByteCharSetProber(Latin5BulgarianModel), - SingleByteCharSetProber(Win1251BulgarianModel), - # TODO: Restore Hungarian encodings (iso-8859-2 and windows-1250) - # after we retrain model. - # SingleByteCharSetProber(Latin2HungarianModel), - # SingleByteCharSetProber(Win1250HungarianModel), - SingleByteCharSetProber(TIS620ThaiModel), - SingleByteCharSetProber(Latin5TurkishModel), - ] - hebrew_prober = HebrewProber() - logical_hebrew_prober = SingleByteCharSetProber(Win1255HebrewModel, - False, hebrew_prober) - visual_hebrew_prober = SingleByteCharSetProber(Win1255HebrewModel, True, - hebrew_prober) - hebrew_prober.set_model_probers(logical_hebrew_prober, visual_hebrew_prober) - self.probers.extend([hebrew_prober, logical_hebrew_prober, - visual_hebrew_prober]) - - self.reset() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/__init__.py deleted file mode 100644 index a5ba4bf..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/__init__.py +++ /dev/null @@ -1,14 +0,0 @@ -from __future__ import absolute_import, division, unicode_literals - -from .py import Trie as PyTrie - -Trie = PyTrie - -# pylint:disable=wrong-import-position -try: - from .datrie import Trie as DATrie -except ImportError: - pass -else: - Trie = DATrie -# pylint:enable=wrong-import-position diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/datrie.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/datrie.py deleted file mode 100644 index e2e5f86..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/datrie.py +++ /dev/null @@ -1,44 +0,0 @@ -from __future__ import absolute_import, division, unicode_literals - -from datrie import Trie as DATrie -from pip._vendor.six import text_type - -from ._base import Trie as ABCTrie - - -class Trie(ABCTrie): - def __init__(self, data): - chars = set() - for key in data.keys(): - if not isinstance(key, text_type): - raise TypeError("All keys must be strings") - for char in key: - chars.add(char) - - self._data = DATrie("".join(chars)) - for key, value in data.items(): - self._data[key] = value - - def __contains__(self, key): - return key in self._data - - def __len__(self): - return len(self._data) - - def __iter__(self): - raise NotImplementedError() - - def __getitem__(self, key): - return self._data[key] - - def keys(self, prefix=None): - return self._data.keys(prefix) - - def has_keys_with_prefix(self, prefix): - return self._data.has_keys_with_prefix(prefix) - - def longest_prefix(self, prefix): - return self._data.longest_prefix(prefix) - - def longest_prefix_item(self, prefix): - return self._data.longest_prefix_item(prefix) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/__init__.py deleted file mode 100644 index 847bf93..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/__init__.py +++ /dev/null @@ -1,2 +0,0 @@ -from .package_data import __version__ -from .core import * diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/compat.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/compat.py deleted file mode 100644 index 4d47f33..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/compat.py +++ /dev/null @@ -1,12 +0,0 @@ -from .core import * -from .codec import * - -def ToASCII(label): - return encode(label) - -def ToUnicode(label): - return decode(label) - -def nameprep(s): - raise NotImplementedError("IDNA 2008 does not utilise nameprep protocol") - diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/package_data.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/package_data.py deleted file mode 100644 index 257e898..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/package_data.py +++ /dev/null @@ -1,2 +0,0 @@ -__version__ = '2.8' - diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/uts46data.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/uts46data.py deleted file mode 100644 index a68ed4c..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/uts46data.py +++ /dev/null @@ -1,8205 +0,0 @@ -# This file is automatically generated by tools/idna-data -# vim: set fileencoding=utf-8 : - -"""IDNA Mapping Table from UTS46.""" - - -__version__ = "11.0.0" -def _seg_0(): - return [ - (0x0, '3'), - (0x1, '3'), - (0x2, '3'), - (0x3, '3'), - (0x4, '3'), - (0x5, '3'), - (0x6, '3'), - (0x7, '3'), - (0x8, '3'), - (0x9, '3'), - (0xA, '3'), - (0xB, '3'), - (0xC, '3'), - (0xD, '3'), - (0xE, '3'), - (0xF, '3'), - (0x10, '3'), - (0x11, '3'), - (0x12, '3'), - (0x13, '3'), - (0x14, '3'), - (0x15, '3'), - (0x16, '3'), - (0x17, '3'), - (0x18, '3'), - (0x19, '3'), - (0x1A, '3'), - (0x1B, '3'), - (0x1C, '3'), - (0x1D, '3'), - (0x1E, '3'), - (0x1F, '3'), - (0x20, '3'), - (0x21, '3'), - (0x22, '3'), - (0x23, '3'), - (0x24, '3'), - (0x25, '3'), - (0x26, '3'), - (0x27, '3'), - (0x28, '3'), - (0x29, '3'), - (0x2A, '3'), - (0x2B, '3'), - (0x2C, '3'), - (0x2D, 'V'), - (0x2E, 'V'), - (0x2F, '3'), - (0x30, 'V'), - (0x31, 'V'), - (0x32, 'V'), - (0x33, 'V'), - (0x34, 'V'), - (0x35, 'V'), - (0x36, 'V'), - (0x37, 'V'), - (0x38, 'V'), - (0x39, 'V'), - (0x3A, '3'), - (0x3B, '3'), - (0x3C, '3'), - (0x3D, '3'), - (0x3E, '3'), - (0x3F, '3'), - (0x40, '3'), - (0x41, 'M', u'a'), - (0x42, 'M', u'b'), - (0x43, 'M', u'c'), - (0x44, 'M', u'd'), - (0x45, 'M', u'e'), - (0x46, 'M', u'f'), - (0x47, 'M', u'g'), - (0x48, 'M', u'h'), - (0x49, 'M', u'i'), - (0x4A, 'M', u'j'), - (0x4B, 'M', u'k'), - (0x4C, 'M', u'l'), - (0x4D, 'M', u'm'), - (0x4E, 'M', u'n'), - (0x4F, 'M', u'o'), - (0x50, 'M', u'p'), - (0x51, 'M', u'q'), - (0x52, 'M', u'r'), - (0x53, 'M', u's'), - (0x54, 'M', u't'), - (0x55, 'M', u'u'), - (0x56, 'M', u'v'), - (0x57, 'M', u'w'), - (0x58, 'M', u'x'), - (0x59, 'M', u'y'), - (0x5A, 'M', u'z'), - (0x5B, '3'), - (0x5C, '3'), - (0x5D, '3'), - (0x5E, '3'), - (0x5F, '3'), - (0x60, '3'), - (0x61, 'V'), - (0x62, 'V'), - (0x63, 'V'), - ] - -def _seg_1(): - return [ - (0x64, 'V'), - (0x65, 'V'), - (0x66, 'V'), - (0x67, 'V'), - (0x68, 'V'), - (0x69, 'V'), - (0x6A, 'V'), - (0x6B, 'V'), - (0x6C, 'V'), - (0x6D, 'V'), - (0x6E, 'V'), - (0x6F, 'V'), - (0x70, 'V'), - (0x71, 'V'), - (0x72, 'V'), - (0x73, 'V'), - (0x74, 'V'), - (0x75, 'V'), - (0x76, 'V'), - (0x77, 'V'), - (0x78, 'V'), - (0x79, 'V'), - (0x7A, 'V'), - (0x7B, '3'), - (0x7C, '3'), - (0x7D, '3'), - (0x7E, '3'), - (0x7F, '3'), - (0x80, 'X'), - (0x81, 'X'), - (0x82, 'X'), - (0x83, 'X'), - (0x84, 'X'), - (0x85, 'X'), - (0x86, 'X'), - (0x87, 'X'), - (0x88, 'X'), - (0x89, 'X'), - (0x8A, 'X'), - (0x8B, 'X'), - (0x8C, 'X'), - (0x8D, 'X'), - (0x8E, 'X'), - (0x8F, 'X'), - (0x90, 'X'), - (0x91, 'X'), - (0x92, 'X'), - (0x93, 'X'), - (0x94, 'X'), - (0x95, 'X'), - (0x96, 'X'), - (0x97, 'X'), - (0x98, 'X'), - (0x99, 'X'), - (0x9A, 'X'), - (0x9B, 'X'), - (0x9C, 'X'), - (0x9D, 'X'), - (0x9E, 'X'), - (0x9F, 'X'), - (0xA0, '3', u' '), - (0xA1, 'V'), - (0xA2, 'V'), - (0xA3, 'V'), - (0xA4, 'V'), - (0xA5, 'V'), - (0xA6, 'V'), - (0xA7, 'V'), - (0xA8, '3', u' ̈'), - (0xA9, 'V'), - (0xAA, 'M', u'a'), - (0xAB, 'V'), - (0xAC, 'V'), - (0xAD, 'I'), - (0xAE, 'V'), - (0xAF, '3', u' ̄'), - (0xB0, 'V'), - (0xB1, 'V'), - (0xB2, 'M', u'2'), - (0xB3, 'M', u'3'), - (0xB4, '3', u' ́'), - (0xB5, 'M', u'μ'), - (0xB6, 'V'), - (0xB7, 'V'), - (0xB8, '3', u' ̧'), - (0xB9, 'M', u'1'), - (0xBA, 'M', u'o'), - (0xBB, 'V'), - (0xBC, 'M', u'1⁄4'), - (0xBD, 'M', u'1⁄2'), - (0xBE, 'M', u'3⁄4'), - (0xBF, 'V'), - (0xC0, 'M', u'à'), - (0xC1, 'M', u'á'), - (0xC2, 'M', u'â'), - (0xC3, 'M', u'ã'), - (0xC4, 'M', u'ä'), - (0xC5, 'M', u'å'), - (0xC6, 'M', u'æ'), - (0xC7, 'M', u'ç'), - ] - -def _seg_2(): - return [ - (0xC8, 'M', u'è'), - (0xC9, 'M', u'é'), - (0xCA, 'M', u'ê'), - (0xCB, 'M', u'ë'), - (0xCC, 'M', u'ì'), - (0xCD, 'M', u'í'), - (0xCE, 'M', u'î'), - (0xCF, 'M', u'ï'), - (0xD0, 'M', u'ð'), - (0xD1, 'M', u'ñ'), - (0xD2, 'M', u'ò'), - (0xD3, 'M', u'ó'), - (0xD4, 'M', u'ô'), - (0xD5, 'M', u'õ'), - (0xD6, 'M', u'ö'), - (0xD7, 'V'), - (0xD8, 'M', u'ø'), - (0xD9, 'M', u'ù'), - (0xDA, 'M', u'ú'), - (0xDB, 'M', u'û'), - (0xDC, 'M', u'ü'), - (0xDD, 'M', u'ý'), - (0xDE, 'M', u'þ'), - (0xDF, 'D', u'ss'), - (0xE0, 'V'), - (0xE1, 'V'), - (0xE2, 'V'), - (0xE3, 'V'), - (0xE4, 'V'), - (0xE5, 'V'), - (0xE6, 'V'), - (0xE7, 'V'), - (0xE8, 'V'), - (0xE9, 'V'), - (0xEA, 'V'), - (0xEB, 'V'), - (0xEC, 'V'), - (0xED, 'V'), - (0xEE, 'V'), - (0xEF, 'V'), - (0xF0, 'V'), - (0xF1, 'V'), - (0xF2, 'V'), - (0xF3, 'V'), - (0xF4, 'V'), - (0xF5, 'V'), - (0xF6, 'V'), - (0xF7, 'V'), - (0xF8, 'V'), - (0xF9, 'V'), - (0xFA, 'V'), - (0xFB, 'V'), - (0xFC, 'V'), - (0xFD, 'V'), - (0xFE, 'V'), - (0xFF, 'V'), - (0x100, 'M', u'ā'), - (0x101, 'V'), - (0x102, 'M', u'ă'), - (0x103, 'V'), - (0x104, 'M', u'ą'), - (0x105, 'V'), - (0x106, 'M', u'ć'), - (0x107, 'V'), - (0x108, 'M', u'ĉ'), - (0x109, 'V'), - (0x10A, 'M', u'ċ'), - (0x10B, 'V'), - (0x10C, 'M', u'č'), - (0x10D, 'V'), - (0x10E, 'M', u'ď'), - (0x10F, 'V'), - (0x110, 'M', u'đ'), - (0x111, 'V'), - (0x112, 'M', u'ē'), - (0x113, 'V'), - (0x114, 'M', u'ĕ'), - (0x115, 'V'), - (0x116, 'M', u'ė'), - (0x117, 'V'), - (0x118, 'M', u'ę'), - (0x119, 'V'), - (0x11A, 'M', u'ě'), - (0x11B, 'V'), - (0x11C, 'M', u'ĝ'), - (0x11D, 'V'), - (0x11E, 'M', u'ğ'), - (0x11F, 'V'), - (0x120, 'M', u'ġ'), - (0x121, 'V'), - (0x122, 'M', u'ģ'), - (0x123, 'V'), - (0x124, 'M', u'ĥ'), - (0x125, 'V'), - (0x126, 'M', u'ħ'), - (0x127, 'V'), - (0x128, 'M', u'ĩ'), - (0x129, 'V'), - (0x12A, 'M', u'ī'), - (0x12B, 'V'), - ] - -def _seg_3(): - return [ - (0x12C, 'M', u'ĭ'), - (0x12D, 'V'), - (0x12E, 'M', u'į'), - (0x12F, 'V'), - (0x130, 'M', u'i̇'), - (0x131, 'V'), - (0x132, 'M', u'ij'), - (0x134, 'M', u'ĵ'), - (0x135, 'V'), - (0x136, 'M', u'ķ'), - (0x137, 'V'), - (0x139, 'M', u'ĺ'), - (0x13A, 'V'), - (0x13B, 'M', u'ļ'), - (0x13C, 'V'), - (0x13D, 'M', u'ľ'), - (0x13E, 'V'), - (0x13F, 'M', u'l·'), - (0x141, 'M', u'ł'), - (0x142, 'V'), - (0x143, 'M', u'ń'), - (0x144, 'V'), - (0x145, 'M', u'ņ'), - (0x146, 'V'), - (0x147, 'M', u'ň'), - (0x148, 'V'), - (0x149, 'M', u'ʼn'), - (0x14A, 'M', u'ŋ'), - (0x14B, 'V'), - (0x14C, 'M', u'ō'), - (0x14D, 'V'), - (0x14E, 'M', u'ŏ'), - (0x14F, 'V'), - (0x150, 'M', u'ő'), - (0x151, 'V'), - (0x152, 'M', u'œ'), - (0x153, 'V'), - (0x154, 'M', u'ŕ'), - (0x155, 'V'), - (0x156, 'M', u'ŗ'), - (0x157, 'V'), - (0x158, 'M', u'ř'), - (0x159, 'V'), - (0x15A, 'M', u'ś'), - (0x15B, 'V'), - (0x15C, 'M', u'ŝ'), - (0x15D, 'V'), - (0x15E, 'M', u'ş'), - (0x15F, 'V'), - (0x160, 'M', u'š'), - (0x161, 'V'), - (0x162, 'M', u'ţ'), - (0x163, 'V'), - (0x164, 'M', u'ť'), - (0x165, 'V'), - (0x166, 'M', u'ŧ'), - (0x167, 'V'), - (0x168, 'M', u'ũ'), - (0x169, 'V'), - (0x16A, 'M', u'ū'), - (0x16B, 'V'), - (0x16C, 'M', u'ŭ'), - (0x16D, 'V'), - (0x16E, 'M', u'ů'), - (0x16F, 'V'), - (0x170, 'M', u'ű'), - (0x171, 'V'), - (0x172, 'M', u'ų'), - (0x173, 'V'), - (0x174, 'M', u'ŵ'), - (0x175, 'V'), - (0x176, 'M', u'ŷ'), - (0x177, 'V'), - (0x178, 'M', u'ÿ'), - (0x179, 'M', u'ź'), - (0x17A, 'V'), - (0x17B, 'M', u'ż'), - (0x17C, 'V'), - (0x17D, 'M', u'ž'), - (0x17E, 'V'), - (0x17F, 'M', u's'), - (0x180, 'V'), - (0x181, 'M', u'ɓ'), - (0x182, 'M', u'ƃ'), - (0x183, 'V'), - (0x184, 'M', u'ƅ'), - (0x185, 'V'), - (0x186, 'M', u'ɔ'), - (0x187, 'M', u'ƈ'), - (0x188, 'V'), - (0x189, 'M', u'ɖ'), - (0x18A, 'M', u'ɗ'), - (0x18B, 'M', u'ƌ'), - (0x18C, 'V'), - (0x18E, 'M', u'ǝ'), - (0x18F, 'M', u'ə'), - (0x190, 'M', u'ɛ'), - (0x191, 'M', u'ƒ'), - (0x192, 'V'), - (0x193, 'M', u'ɠ'), - ] - -def _seg_4(): - return [ - (0x194, 'M', u'ɣ'), - (0x195, 'V'), - (0x196, 'M', u'ɩ'), - (0x197, 'M', u'ɨ'), - (0x198, 'M', u'ƙ'), - (0x199, 'V'), - (0x19C, 'M', u'ɯ'), - (0x19D, 'M', u'ɲ'), - (0x19E, 'V'), - (0x19F, 'M', u'ɵ'), - (0x1A0, 'M', u'ơ'), - (0x1A1, 'V'), - (0x1A2, 'M', u'ƣ'), - (0x1A3, 'V'), - (0x1A4, 'M', u'ƥ'), - (0x1A5, 'V'), - (0x1A6, 'M', u'ʀ'), - (0x1A7, 'M', u'ƨ'), - (0x1A8, 'V'), - (0x1A9, 'M', u'ʃ'), - (0x1AA, 'V'), - (0x1AC, 'M', u'ƭ'), - (0x1AD, 'V'), - (0x1AE, 'M', u'ʈ'), - (0x1AF, 'M', u'ư'), - (0x1B0, 'V'), - (0x1B1, 'M', u'ʊ'), - (0x1B2, 'M', u'ʋ'), - (0x1B3, 'M', u'ƴ'), - (0x1B4, 'V'), - (0x1B5, 'M', u'ƶ'), - (0x1B6, 'V'), - (0x1B7, 'M', u'ʒ'), - (0x1B8, 'M', u'ƹ'), - (0x1B9, 'V'), - (0x1BC, 'M', u'ƽ'), - (0x1BD, 'V'), - (0x1C4, 'M', u'dž'), - (0x1C7, 'M', u'lj'), - (0x1CA, 'M', u'nj'), - (0x1CD, 'M', u'ǎ'), - (0x1CE, 'V'), - (0x1CF, 'M', u'ǐ'), - (0x1D0, 'V'), - (0x1D1, 'M', u'ǒ'), - (0x1D2, 'V'), - (0x1D3, 'M', u'ǔ'), - (0x1D4, 'V'), - (0x1D5, 'M', u'ǖ'), - (0x1D6, 'V'), - (0x1D7, 'M', u'ǘ'), - (0x1D8, 'V'), - (0x1D9, 'M', u'ǚ'), - (0x1DA, 'V'), - (0x1DB, 'M', u'ǜ'), - (0x1DC, 'V'), - (0x1DE, 'M', u'ǟ'), - (0x1DF, 'V'), - (0x1E0, 'M', u'ǡ'), - (0x1E1, 'V'), - (0x1E2, 'M', u'ǣ'), - (0x1E3, 'V'), - (0x1E4, 'M', u'ǥ'), - (0x1E5, 'V'), - (0x1E6, 'M', u'ǧ'), - (0x1E7, 'V'), - (0x1E8, 'M', u'ǩ'), - (0x1E9, 'V'), - (0x1EA, 'M', u'ǫ'), - (0x1EB, 'V'), - (0x1EC, 'M', u'ǭ'), - (0x1ED, 'V'), - (0x1EE, 'M', u'ǯ'), - (0x1EF, 'V'), - (0x1F1, 'M', u'dz'), - (0x1F4, 'M', u'ǵ'), - (0x1F5, 'V'), - (0x1F6, 'M', u'ƕ'), - (0x1F7, 'M', u'ƿ'), - (0x1F8, 'M', u'ǹ'), - (0x1F9, 'V'), - (0x1FA, 'M', u'ǻ'), - (0x1FB, 'V'), - (0x1FC, 'M', u'ǽ'), - (0x1FD, 'V'), - (0x1FE, 'M', u'ǿ'), - (0x1FF, 'V'), - (0x200, 'M', u'ȁ'), - (0x201, 'V'), - (0x202, 'M', u'ȃ'), - (0x203, 'V'), - (0x204, 'M', u'ȅ'), - (0x205, 'V'), - (0x206, 'M', u'ȇ'), - (0x207, 'V'), - (0x208, 'M', u'ȉ'), - (0x209, 'V'), - (0x20A, 'M', u'ȋ'), - (0x20B, 'V'), - (0x20C, 'M', u'ȍ'), - ] - -def _seg_5(): - return [ - (0x20D, 'V'), - (0x20E, 'M', u'ȏ'), - (0x20F, 'V'), - (0x210, 'M', u'ȑ'), - (0x211, 'V'), - (0x212, 'M', u'ȓ'), - (0x213, 'V'), - (0x214, 'M', u'ȕ'), - (0x215, 'V'), - (0x216, 'M', u'ȗ'), - (0x217, 'V'), - (0x218, 'M', u'ș'), - (0x219, 'V'), - (0x21A, 'M', u'ț'), - (0x21B, 'V'), - (0x21C, 'M', u'ȝ'), - (0x21D, 'V'), - (0x21E, 'M', u'ȟ'), - (0x21F, 'V'), - (0x220, 'M', u'ƞ'), - (0x221, 'V'), - (0x222, 'M', u'ȣ'), - (0x223, 'V'), - (0x224, 'M', u'ȥ'), - (0x225, 'V'), - (0x226, 'M', u'ȧ'), - (0x227, 'V'), - (0x228, 'M', u'ȩ'), - (0x229, 'V'), - (0x22A, 'M', u'ȫ'), - (0x22B, 'V'), - (0x22C, 'M', u'ȭ'), - (0x22D, 'V'), - (0x22E, 'M', u'ȯ'), - (0x22F, 'V'), - (0x230, 'M', u'ȱ'), - (0x231, 'V'), - (0x232, 'M', u'ȳ'), - (0x233, 'V'), - (0x23A, 'M', u'ⱥ'), - (0x23B, 'M', u'ȼ'), - (0x23C, 'V'), - (0x23D, 'M', u'ƚ'), - (0x23E, 'M', u'ⱦ'), - (0x23F, 'V'), - (0x241, 'M', u'ɂ'), - (0x242, 'V'), - (0x243, 'M', u'ƀ'), - (0x244, 'M', u'ʉ'), - (0x245, 'M', u'ʌ'), - (0x246, 'M', u'ɇ'), - (0x247, 'V'), - (0x248, 'M', u'ɉ'), - (0x249, 'V'), - (0x24A, 'M', u'ɋ'), - (0x24B, 'V'), - (0x24C, 'M', u'ɍ'), - (0x24D, 'V'), - (0x24E, 'M', u'ɏ'), - (0x24F, 'V'), - (0x2B0, 'M', u'h'), - (0x2B1, 'M', u'ɦ'), - (0x2B2, 'M', u'j'), - (0x2B3, 'M', u'r'), - (0x2B4, 'M', u'ɹ'), - (0x2B5, 'M', u'ɻ'), - (0x2B6, 'M', u'ʁ'), - (0x2B7, 'M', u'w'), - (0x2B8, 'M', u'y'), - (0x2B9, 'V'), - (0x2D8, '3', u' ̆'), - (0x2D9, '3', u' ̇'), - (0x2DA, '3', u' ̊'), - (0x2DB, '3', u' ̨'), - (0x2DC, '3', u' ̃'), - (0x2DD, '3', u' ̋'), - (0x2DE, 'V'), - (0x2E0, 'M', u'ɣ'), - (0x2E1, 'M', u'l'), - (0x2E2, 'M', u's'), - (0x2E3, 'M', u'x'), - (0x2E4, 'M', u'ʕ'), - (0x2E5, 'V'), - (0x340, 'M', u'̀'), - (0x341, 'M', u'́'), - (0x342, 'V'), - (0x343, 'M', u'̓'), - (0x344, 'M', u'̈́'), - (0x345, 'M', u'ι'), - (0x346, 'V'), - (0x34F, 'I'), - (0x350, 'V'), - (0x370, 'M', u'ͱ'), - (0x371, 'V'), - (0x372, 'M', u'ͳ'), - (0x373, 'V'), - (0x374, 'M', u'ʹ'), - (0x375, 'V'), - (0x376, 'M', u'ͷ'), - (0x377, 'V'), - ] - -def _seg_6(): - return [ - (0x378, 'X'), - (0x37A, '3', u' ι'), - (0x37B, 'V'), - (0x37E, '3', u';'), - (0x37F, 'M', u'ϳ'), - (0x380, 'X'), - (0x384, '3', u' ́'), - (0x385, '3', u' ̈́'), - (0x386, 'M', u'ά'), - (0x387, 'M', u'·'), - (0x388, 'M', u'έ'), - (0x389, 'M', u'ή'), - (0x38A, 'M', u'ί'), - (0x38B, 'X'), - (0x38C, 'M', u'ό'), - (0x38D, 'X'), - (0x38E, 'M', u'ύ'), - (0x38F, 'M', u'ώ'), - (0x390, 'V'), - (0x391, 'M', u'α'), - (0x392, 'M', u'β'), - (0x393, 'M', u'γ'), - (0x394, 'M', u'δ'), - (0x395, 'M', u'ε'), - (0x396, 'M', u'ζ'), - (0x397, 'M', u'η'), - (0x398, 'M', u'θ'), - (0x399, 'M', u'ι'), - (0x39A, 'M', u'κ'), - (0x39B, 'M', u'λ'), - (0x39C, 'M', u'μ'), - (0x39D, 'M', u'ν'), - (0x39E, 'M', u'ξ'), - (0x39F, 'M', u'ο'), - (0x3A0, 'M', u'π'), - (0x3A1, 'M', u'ρ'), - (0x3A2, 'X'), - (0x3A3, 'M', u'σ'), - (0x3A4, 'M', u'τ'), - (0x3A5, 'M', u'υ'), - (0x3A6, 'M', u'φ'), - (0x3A7, 'M', u'χ'), - (0x3A8, 'M', u'ψ'), - (0x3A9, 'M', u'ω'), - (0x3AA, 'M', u'ϊ'), - (0x3AB, 'M', u'ϋ'), - (0x3AC, 'V'), - (0x3C2, 'D', u'σ'), - (0x3C3, 'V'), - (0x3CF, 'M', u'ϗ'), - (0x3D0, 'M', u'β'), - (0x3D1, 'M', u'θ'), - (0x3D2, 'M', u'υ'), - (0x3D3, 'M', u'ύ'), - (0x3D4, 'M', u'ϋ'), - (0x3D5, 'M', u'φ'), - (0x3D6, 'M', u'π'), - (0x3D7, 'V'), - (0x3D8, 'M', u'ϙ'), - (0x3D9, 'V'), - (0x3DA, 'M', u'ϛ'), - (0x3DB, 'V'), - (0x3DC, 'M', u'ϝ'), - (0x3DD, 'V'), - (0x3DE, 'M', u'ϟ'), - (0x3DF, 'V'), - (0x3E0, 'M', u'ϡ'), - (0x3E1, 'V'), - (0x3E2, 'M', u'ϣ'), - (0x3E3, 'V'), - (0x3E4, 'M', u'ϥ'), - (0x3E5, 'V'), - (0x3E6, 'M', u'ϧ'), - (0x3E7, 'V'), - (0x3E8, 'M', u'ϩ'), - (0x3E9, 'V'), - (0x3EA, 'M', u'ϫ'), - (0x3EB, 'V'), - (0x3EC, 'M', u'ϭ'), - (0x3ED, 'V'), - (0x3EE, 'M', u'ϯ'), - (0x3EF, 'V'), - (0x3F0, 'M', u'κ'), - (0x3F1, 'M', u'ρ'), - (0x3F2, 'M', u'σ'), - (0x3F3, 'V'), - (0x3F4, 'M', u'θ'), - (0x3F5, 'M', u'ε'), - (0x3F6, 'V'), - (0x3F7, 'M', u'ϸ'), - (0x3F8, 'V'), - (0x3F9, 'M', u'σ'), - (0x3FA, 'M', u'ϻ'), - (0x3FB, 'V'), - (0x3FD, 'M', u'ͻ'), - (0x3FE, 'M', u'ͼ'), - (0x3FF, 'M', u'ͽ'), - (0x400, 'M', u'ѐ'), - (0x401, 'M', u'ё'), - (0x402, 'M', u'ђ'), - ] - -def _seg_7(): - return [ - (0x403, 'M', u'ѓ'), - (0x404, 'M', u'є'), - (0x405, 'M', u'ѕ'), - (0x406, 'M', u'і'), - (0x407, 'M', u'ї'), - (0x408, 'M', u'ј'), - (0x409, 'M', u'љ'), - (0x40A, 'M', u'њ'), - (0x40B, 'M', u'ћ'), - (0x40C, 'M', u'ќ'), - (0x40D, 'M', u'ѝ'), - (0x40E, 'M', u'ў'), - (0x40F, 'M', u'џ'), - (0x410, 'M', u'а'), - (0x411, 'M', u'б'), - (0x412, 'M', u'в'), - (0x413, 'M', u'г'), - (0x414, 'M', u'д'), - (0x415, 'M', u'е'), - (0x416, 'M', u'ж'), - (0x417, 'M', u'з'), - (0x418, 'M', u'и'), - (0x419, 'M', u'й'), - (0x41A, 'M', u'к'), - (0x41B, 'M', u'л'), - (0x41C, 'M', u'м'), - (0x41D, 'M', u'н'), - (0x41E, 'M', u'о'), - (0x41F, 'M', u'п'), - (0x420, 'M', u'р'), - (0x421, 'M', u'с'), - (0x422, 'M', u'т'), - (0x423, 'M', u'у'), - (0x424, 'M', u'ф'), - (0x425, 'M', u'х'), - (0x426, 'M', u'ц'), - (0x427, 'M', u'ч'), - (0x428, 'M', u'ш'), - (0x429, 'M', u'щ'), - (0x42A, 'M', u'ъ'), - (0x42B, 'M', u'ы'), - (0x42C, 'M', u'ь'), - (0x42D, 'M', u'э'), - (0x42E, 'M', u'ю'), - (0x42F, 'M', u'я'), - (0x430, 'V'), - (0x460, 'M', u'ѡ'), - (0x461, 'V'), - (0x462, 'M', u'ѣ'), - (0x463, 'V'), - (0x464, 'M', u'ѥ'), - (0x465, 'V'), - (0x466, 'M', u'ѧ'), - (0x467, 'V'), - (0x468, 'M', u'ѩ'), - (0x469, 'V'), - (0x46A, 'M', u'ѫ'), - (0x46B, 'V'), - (0x46C, 'M', u'ѭ'), - (0x46D, 'V'), - (0x46E, 'M', u'ѯ'), - (0x46F, 'V'), - (0x470, 'M', u'ѱ'), - (0x471, 'V'), - (0x472, 'M', u'ѳ'), - (0x473, 'V'), - (0x474, 'M', u'ѵ'), - (0x475, 'V'), - (0x476, 'M', u'ѷ'), - (0x477, 'V'), - (0x478, 'M', u'ѹ'), - (0x479, 'V'), - (0x47A, 'M', u'ѻ'), - (0x47B, 'V'), - (0x47C, 'M', u'ѽ'), - (0x47D, 'V'), - (0x47E, 'M', u'ѿ'), - (0x47F, 'V'), - (0x480, 'M', u'ҁ'), - (0x481, 'V'), - (0x48A, 'M', u'ҋ'), - (0x48B, 'V'), - (0x48C, 'M', u'ҍ'), - (0x48D, 'V'), - (0x48E, 'M', u'ҏ'), - (0x48F, 'V'), - (0x490, 'M', u'ґ'), - (0x491, 'V'), - (0x492, 'M', u'ғ'), - (0x493, 'V'), - (0x494, 'M', u'ҕ'), - (0x495, 'V'), - (0x496, 'M', u'җ'), - (0x497, 'V'), - (0x498, 'M', u'ҙ'), - (0x499, 'V'), - (0x49A, 'M', u'қ'), - (0x49B, 'V'), - (0x49C, 'M', u'ҝ'), - (0x49D, 'V'), - ] - -def _seg_8(): - return [ - (0x49E, 'M', u'ҟ'), - (0x49F, 'V'), - (0x4A0, 'M', u'ҡ'), - (0x4A1, 'V'), - (0x4A2, 'M', u'ң'), - (0x4A3, 'V'), - (0x4A4, 'M', u'ҥ'), - (0x4A5, 'V'), - (0x4A6, 'M', u'ҧ'), - (0x4A7, 'V'), - (0x4A8, 'M', u'ҩ'), - (0x4A9, 'V'), - (0x4AA, 'M', u'ҫ'), - (0x4AB, 'V'), - (0x4AC, 'M', u'ҭ'), - (0x4AD, 'V'), - (0x4AE, 'M', u'ү'), - (0x4AF, 'V'), - (0x4B0, 'M', u'ұ'), - (0x4B1, 'V'), - (0x4B2, 'M', u'ҳ'), - (0x4B3, 'V'), - (0x4B4, 'M', u'ҵ'), - (0x4B5, 'V'), - (0x4B6, 'M', u'ҷ'), - (0x4B7, 'V'), - (0x4B8, 'M', u'ҹ'), - (0x4B9, 'V'), - (0x4BA, 'M', u'һ'), - (0x4BB, 'V'), - (0x4BC, 'M', u'ҽ'), - (0x4BD, 'V'), - (0x4BE, 'M', u'ҿ'), - (0x4BF, 'V'), - (0x4C0, 'X'), - (0x4C1, 'M', u'ӂ'), - (0x4C2, 'V'), - (0x4C3, 'M', u'ӄ'), - (0x4C4, 'V'), - (0x4C5, 'M', u'ӆ'), - (0x4C6, 'V'), - (0x4C7, 'M', u'ӈ'), - (0x4C8, 'V'), - (0x4C9, 'M', u'ӊ'), - (0x4CA, 'V'), - (0x4CB, 'M', u'ӌ'), - (0x4CC, 'V'), - (0x4CD, 'M', u'ӎ'), - (0x4CE, 'V'), - (0x4D0, 'M', u'ӑ'), - (0x4D1, 'V'), - (0x4D2, 'M', u'ӓ'), - (0x4D3, 'V'), - (0x4D4, 'M', u'ӕ'), - (0x4D5, 'V'), - (0x4D6, 'M', u'ӗ'), - (0x4D7, 'V'), - (0x4D8, 'M', u'ә'), - (0x4D9, 'V'), - (0x4DA, 'M', u'ӛ'), - (0x4DB, 'V'), - (0x4DC, 'M', u'ӝ'), - (0x4DD, 'V'), - (0x4DE, 'M', u'ӟ'), - (0x4DF, 'V'), - (0x4E0, 'M', u'ӡ'), - (0x4E1, 'V'), - (0x4E2, 'M', u'ӣ'), - (0x4E3, 'V'), - (0x4E4, 'M', u'ӥ'), - (0x4E5, 'V'), - (0x4E6, 'M', u'ӧ'), - (0x4E7, 'V'), - (0x4E8, 'M', u'ө'), - (0x4E9, 'V'), - (0x4EA, 'M', u'ӫ'), - (0x4EB, 'V'), - (0x4EC, 'M', u'ӭ'), - (0x4ED, 'V'), - (0x4EE, 'M', u'ӯ'), - (0x4EF, 'V'), - (0x4F0, 'M', u'ӱ'), - (0x4F1, 'V'), - (0x4F2, 'M', u'ӳ'), - (0x4F3, 'V'), - (0x4F4, 'M', u'ӵ'), - (0x4F5, 'V'), - (0x4F6, 'M', u'ӷ'), - (0x4F7, 'V'), - (0x4F8, 'M', u'ӹ'), - (0x4F9, 'V'), - (0x4FA, 'M', u'ӻ'), - (0x4FB, 'V'), - (0x4FC, 'M', u'ӽ'), - (0x4FD, 'V'), - (0x4FE, 'M', u'ӿ'), - (0x4FF, 'V'), - (0x500, 'M', u'ԁ'), - (0x501, 'V'), - (0x502, 'M', u'ԃ'), - ] - -def _seg_9(): - return [ - (0x503, 'V'), - (0x504, 'M', u'ԅ'), - (0x505, 'V'), - (0x506, 'M', u'ԇ'), - (0x507, 'V'), - (0x508, 'M', u'ԉ'), - (0x509, 'V'), - (0x50A, 'M', u'ԋ'), - (0x50B, 'V'), - (0x50C, 'M', u'ԍ'), - (0x50D, 'V'), - (0x50E, 'M', u'ԏ'), - (0x50F, 'V'), - (0x510, 'M', u'ԑ'), - (0x511, 'V'), - (0x512, 'M', u'ԓ'), - (0x513, 'V'), - (0x514, 'M', u'ԕ'), - (0x515, 'V'), - (0x516, 'M', u'ԗ'), - (0x517, 'V'), - (0x518, 'M', u'ԙ'), - (0x519, 'V'), - (0x51A, 'M', u'ԛ'), - (0x51B, 'V'), - (0x51C, 'M', u'ԝ'), - (0x51D, 'V'), - (0x51E, 'M', u'ԟ'), - (0x51F, 'V'), - (0x520, 'M', u'ԡ'), - (0x521, 'V'), - (0x522, 'M', u'ԣ'), - (0x523, 'V'), - (0x524, 'M', u'ԥ'), - (0x525, 'V'), - (0x526, 'M', u'ԧ'), - (0x527, 'V'), - (0x528, 'M', u'ԩ'), - (0x529, 'V'), - (0x52A, 'M', u'ԫ'), - (0x52B, 'V'), - (0x52C, 'M', u'ԭ'), - (0x52D, 'V'), - (0x52E, 'M', u'ԯ'), - (0x52F, 'V'), - (0x530, 'X'), - (0x531, 'M', u'ա'), - (0x532, 'M', u'բ'), - (0x533, 'M', u'գ'), - (0x534, 'M', u'դ'), - (0x535, 'M', u'ե'), - (0x536, 'M', u'զ'), - (0x537, 'M', u'է'), - (0x538, 'M', u'ը'), - (0x539, 'M', u'թ'), - (0x53A, 'M', u'ժ'), - (0x53B, 'M', u'ի'), - (0x53C, 'M', u'լ'), - (0x53D, 'M', u'խ'), - (0x53E, 'M', u'ծ'), - (0x53F, 'M', u'կ'), - (0x540, 'M', u'հ'), - (0x541, 'M', u'ձ'), - (0x542, 'M', u'ղ'), - (0x543, 'M', u'ճ'), - (0x544, 'M', u'մ'), - (0x545, 'M', u'յ'), - (0x546, 'M', u'ն'), - (0x547, 'M', u'շ'), - (0x548, 'M', u'ո'), - (0x549, 'M', u'չ'), - (0x54A, 'M', u'պ'), - (0x54B, 'M', u'ջ'), - (0x54C, 'M', u'ռ'), - (0x54D, 'M', u'ս'), - (0x54E, 'M', u'վ'), - (0x54F, 'M', u'տ'), - (0x550, 'M', u'ր'), - (0x551, 'M', u'ց'), - (0x552, 'M', u'ւ'), - (0x553, 'M', u'փ'), - (0x554, 'M', u'ք'), - (0x555, 'M', u'օ'), - (0x556, 'M', u'ֆ'), - (0x557, 'X'), - (0x559, 'V'), - (0x587, 'M', u'եւ'), - (0x588, 'V'), - (0x58B, 'X'), - (0x58D, 'V'), - (0x590, 'X'), - (0x591, 'V'), - (0x5C8, 'X'), - (0x5D0, 'V'), - (0x5EB, 'X'), - (0x5EF, 'V'), - (0x5F5, 'X'), - (0x606, 'V'), - (0x61C, 'X'), - (0x61E, 'V'), - ] - -def _seg_10(): - return [ - (0x675, 'M', u'اٴ'), - (0x676, 'M', u'وٴ'), - (0x677, 'M', u'ۇٴ'), - (0x678, 'M', u'يٴ'), - (0x679, 'V'), - (0x6DD, 'X'), - (0x6DE, 'V'), - (0x70E, 'X'), - (0x710, 'V'), - (0x74B, 'X'), - (0x74D, 'V'), - (0x7B2, 'X'), - (0x7C0, 'V'), - (0x7FB, 'X'), - (0x7FD, 'V'), - (0x82E, 'X'), - (0x830, 'V'), - (0x83F, 'X'), - (0x840, 'V'), - (0x85C, 'X'), - (0x85E, 'V'), - (0x85F, 'X'), - (0x860, 'V'), - (0x86B, 'X'), - (0x8A0, 'V'), - (0x8B5, 'X'), - (0x8B6, 'V'), - (0x8BE, 'X'), - (0x8D3, 'V'), - (0x8E2, 'X'), - (0x8E3, 'V'), - (0x958, 'M', u'क़'), - (0x959, 'M', u'ख़'), - (0x95A, 'M', u'ग़'), - (0x95B, 'M', u'ज़'), - (0x95C, 'M', u'ड़'), - (0x95D, 'M', u'ढ़'), - (0x95E, 'M', u'फ़'), - (0x95F, 'M', u'य़'), - (0x960, 'V'), - (0x984, 'X'), - (0x985, 'V'), - (0x98D, 'X'), - (0x98F, 'V'), - (0x991, 'X'), - (0x993, 'V'), - (0x9A9, 'X'), - (0x9AA, 'V'), - (0x9B1, 'X'), - (0x9B2, 'V'), - (0x9B3, 'X'), - (0x9B6, 'V'), - (0x9BA, 'X'), - (0x9BC, 'V'), - (0x9C5, 'X'), - (0x9C7, 'V'), - (0x9C9, 'X'), - (0x9CB, 'V'), - (0x9CF, 'X'), - (0x9D7, 'V'), - (0x9D8, 'X'), - (0x9DC, 'M', u'ড়'), - (0x9DD, 'M', u'ঢ়'), - (0x9DE, 'X'), - (0x9DF, 'M', u'য়'), - (0x9E0, 'V'), - (0x9E4, 'X'), - (0x9E6, 'V'), - (0x9FF, 'X'), - (0xA01, 'V'), - (0xA04, 'X'), - (0xA05, 'V'), - (0xA0B, 'X'), - (0xA0F, 'V'), - (0xA11, 'X'), - (0xA13, 'V'), - (0xA29, 'X'), - (0xA2A, 'V'), - (0xA31, 'X'), - (0xA32, 'V'), - (0xA33, 'M', u'ਲ਼'), - (0xA34, 'X'), - (0xA35, 'V'), - (0xA36, 'M', u'ਸ਼'), - (0xA37, 'X'), - (0xA38, 'V'), - (0xA3A, 'X'), - (0xA3C, 'V'), - (0xA3D, 'X'), - (0xA3E, 'V'), - (0xA43, 'X'), - (0xA47, 'V'), - (0xA49, 'X'), - (0xA4B, 'V'), - (0xA4E, 'X'), - (0xA51, 'V'), - (0xA52, 'X'), - (0xA59, 'M', u'ਖ਼'), - (0xA5A, 'M', u'ਗ਼'), - (0xA5B, 'M', u'ਜ਼'), - ] - -def _seg_11(): - return [ - (0xA5C, 'V'), - (0xA5D, 'X'), - (0xA5E, 'M', u'ਫ਼'), - (0xA5F, 'X'), - (0xA66, 'V'), - (0xA77, 'X'), - (0xA81, 'V'), - (0xA84, 'X'), - (0xA85, 'V'), - (0xA8E, 'X'), - (0xA8F, 'V'), - (0xA92, 'X'), - (0xA93, 'V'), - (0xAA9, 'X'), - (0xAAA, 'V'), - (0xAB1, 'X'), - (0xAB2, 'V'), - (0xAB4, 'X'), - (0xAB5, 'V'), - (0xABA, 'X'), - (0xABC, 'V'), - (0xAC6, 'X'), - (0xAC7, 'V'), - (0xACA, 'X'), - (0xACB, 'V'), - (0xACE, 'X'), - (0xAD0, 'V'), - (0xAD1, 'X'), - (0xAE0, 'V'), - (0xAE4, 'X'), - (0xAE6, 'V'), - (0xAF2, 'X'), - (0xAF9, 'V'), - (0xB00, 'X'), - (0xB01, 'V'), - (0xB04, 'X'), - (0xB05, 'V'), - (0xB0D, 'X'), - (0xB0F, 'V'), - (0xB11, 'X'), - (0xB13, 'V'), - (0xB29, 'X'), - (0xB2A, 'V'), - (0xB31, 'X'), - (0xB32, 'V'), - (0xB34, 'X'), - (0xB35, 'V'), - (0xB3A, 'X'), - (0xB3C, 'V'), - (0xB45, 'X'), - (0xB47, 'V'), - (0xB49, 'X'), - (0xB4B, 'V'), - (0xB4E, 'X'), - (0xB56, 'V'), - (0xB58, 'X'), - (0xB5C, 'M', u'ଡ଼'), - (0xB5D, 'M', u'ଢ଼'), - (0xB5E, 'X'), - (0xB5F, 'V'), - (0xB64, 'X'), - (0xB66, 'V'), - (0xB78, 'X'), - (0xB82, 'V'), - (0xB84, 'X'), - (0xB85, 'V'), - (0xB8B, 'X'), - (0xB8E, 'V'), - (0xB91, 'X'), - (0xB92, 'V'), - (0xB96, 'X'), - (0xB99, 'V'), - (0xB9B, 'X'), - (0xB9C, 'V'), - (0xB9D, 'X'), - (0xB9E, 'V'), - (0xBA0, 'X'), - (0xBA3, 'V'), - (0xBA5, 'X'), - (0xBA8, 'V'), - (0xBAB, 'X'), - (0xBAE, 'V'), - (0xBBA, 'X'), - (0xBBE, 'V'), - (0xBC3, 'X'), - (0xBC6, 'V'), - (0xBC9, 'X'), - (0xBCA, 'V'), - (0xBCE, 'X'), - (0xBD0, 'V'), - (0xBD1, 'X'), - (0xBD7, 'V'), - (0xBD8, 'X'), - (0xBE6, 'V'), - (0xBFB, 'X'), - (0xC00, 'V'), - (0xC0D, 'X'), - (0xC0E, 'V'), - (0xC11, 'X'), - (0xC12, 'V'), - ] - -def _seg_12(): - return [ - (0xC29, 'X'), - (0xC2A, 'V'), - (0xC3A, 'X'), - (0xC3D, 'V'), - (0xC45, 'X'), - (0xC46, 'V'), - (0xC49, 'X'), - (0xC4A, 'V'), - (0xC4E, 'X'), - (0xC55, 'V'), - (0xC57, 'X'), - (0xC58, 'V'), - (0xC5B, 'X'), - (0xC60, 'V'), - (0xC64, 'X'), - (0xC66, 'V'), - (0xC70, 'X'), - (0xC78, 'V'), - (0xC8D, 'X'), - (0xC8E, 'V'), - (0xC91, 'X'), - (0xC92, 'V'), - (0xCA9, 'X'), - (0xCAA, 'V'), - (0xCB4, 'X'), - (0xCB5, 'V'), - (0xCBA, 'X'), - (0xCBC, 'V'), - (0xCC5, 'X'), - (0xCC6, 'V'), - (0xCC9, 'X'), - (0xCCA, 'V'), - (0xCCE, 'X'), - (0xCD5, 'V'), - (0xCD7, 'X'), - (0xCDE, 'V'), - (0xCDF, 'X'), - (0xCE0, 'V'), - (0xCE4, 'X'), - (0xCE6, 'V'), - (0xCF0, 'X'), - (0xCF1, 'V'), - (0xCF3, 'X'), - (0xD00, 'V'), - (0xD04, 'X'), - (0xD05, 'V'), - (0xD0D, 'X'), - (0xD0E, 'V'), - (0xD11, 'X'), - (0xD12, 'V'), - (0xD45, 'X'), - (0xD46, 'V'), - (0xD49, 'X'), - (0xD4A, 'V'), - (0xD50, 'X'), - (0xD54, 'V'), - (0xD64, 'X'), - (0xD66, 'V'), - (0xD80, 'X'), - (0xD82, 'V'), - (0xD84, 'X'), - (0xD85, 'V'), - (0xD97, 'X'), - (0xD9A, 'V'), - (0xDB2, 'X'), - (0xDB3, 'V'), - (0xDBC, 'X'), - (0xDBD, 'V'), - (0xDBE, 'X'), - (0xDC0, 'V'), - (0xDC7, 'X'), - (0xDCA, 'V'), - (0xDCB, 'X'), - (0xDCF, 'V'), - (0xDD5, 'X'), - (0xDD6, 'V'), - (0xDD7, 'X'), - (0xDD8, 'V'), - (0xDE0, 'X'), - (0xDE6, 'V'), - (0xDF0, 'X'), - (0xDF2, 'V'), - (0xDF5, 'X'), - (0xE01, 'V'), - (0xE33, 'M', u'ํา'), - (0xE34, 'V'), - (0xE3B, 'X'), - (0xE3F, 'V'), - (0xE5C, 'X'), - (0xE81, 'V'), - (0xE83, 'X'), - (0xE84, 'V'), - (0xE85, 'X'), - (0xE87, 'V'), - (0xE89, 'X'), - (0xE8A, 'V'), - (0xE8B, 'X'), - (0xE8D, 'V'), - (0xE8E, 'X'), - (0xE94, 'V'), - ] - -def _seg_13(): - return [ - (0xE98, 'X'), - (0xE99, 'V'), - (0xEA0, 'X'), - (0xEA1, 'V'), - (0xEA4, 'X'), - (0xEA5, 'V'), - (0xEA6, 'X'), - (0xEA7, 'V'), - (0xEA8, 'X'), - (0xEAA, 'V'), - (0xEAC, 'X'), - (0xEAD, 'V'), - (0xEB3, 'M', u'ໍາ'), - (0xEB4, 'V'), - (0xEBA, 'X'), - (0xEBB, 'V'), - (0xEBE, 'X'), - (0xEC0, 'V'), - (0xEC5, 'X'), - (0xEC6, 'V'), - (0xEC7, 'X'), - (0xEC8, 'V'), - (0xECE, 'X'), - (0xED0, 'V'), - (0xEDA, 'X'), - (0xEDC, 'M', u'ຫນ'), - (0xEDD, 'M', u'ຫມ'), - (0xEDE, 'V'), - (0xEE0, 'X'), - (0xF00, 'V'), - (0xF0C, 'M', u'་'), - (0xF0D, 'V'), - (0xF43, 'M', u'གྷ'), - (0xF44, 'V'), - (0xF48, 'X'), - (0xF49, 'V'), - (0xF4D, 'M', u'ཌྷ'), - (0xF4E, 'V'), - (0xF52, 'M', u'དྷ'), - (0xF53, 'V'), - (0xF57, 'M', u'བྷ'), - (0xF58, 'V'), - (0xF5C, 'M', u'ཛྷ'), - (0xF5D, 'V'), - (0xF69, 'M', u'ཀྵ'), - (0xF6A, 'V'), - (0xF6D, 'X'), - (0xF71, 'V'), - (0xF73, 'M', u'ཱི'), - (0xF74, 'V'), - (0xF75, 'M', u'ཱུ'), - (0xF76, 'M', u'ྲྀ'), - (0xF77, 'M', u'ྲཱྀ'), - (0xF78, 'M', u'ླྀ'), - (0xF79, 'M', u'ླཱྀ'), - (0xF7A, 'V'), - (0xF81, 'M', u'ཱྀ'), - (0xF82, 'V'), - (0xF93, 'M', u'ྒྷ'), - (0xF94, 'V'), - (0xF98, 'X'), - (0xF99, 'V'), - (0xF9D, 'M', u'ྜྷ'), - (0xF9E, 'V'), - (0xFA2, 'M', u'ྡྷ'), - (0xFA3, 'V'), - (0xFA7, 'M', u'ྦྷ'), - (0xFA8, 'V'), - (0xFAC, 'M', u'ྫྷ'), - (0xFAD, 'V'), - (0xFB9, 'M', u'ྐྵ'), - (0xFBA, 'V'), - (0xFBD, 'X'), - (0xFBE, 'V'), - (0xFCD, 'X'), - (0xFCE, 'V'), - (0xFDB, 'X'), - (0x1000, 'V'), - (0x10A0, 'X'), - (0x10C7, 'M', u'ⴧ'), - (0x10C8, 'X'), - (0x10CD, 'M', u'ⴭ'), - (0x10CE, 'X'), - (0x10D0, 'V'), - (0x10FC, 'M', u'ნ'), - (0x10FD, 'V'), - (0x115F, 'X'), - (0x1161, 'V'), - (0x1249, 'X'), - (0x124A, 'V'), - (0x124E, 'X'), - (0x1250, 'V'), - (0x1257, 'X'), - (0x1258, 'V'), - (0x1259, 'X'), - (0x125A, 'V'), - (0x125E, 'X'), - (0x1260, 'V'), - (0x1289, 'X'), - (0x128A, 'V'), - ] - -def _seg_14(): - return [ - (0x128E, 'X'), - (0x1290, 'V'), - (0x12B1, 'X'), - (0x12B2, 'V'), - (0x12B6, 'X'), - (0x12B8, 'V'), - (0x12BF, 'X'), - (0x12C0, 'V'), - (0x12C1, 'X'), - (0x12C2, 'V'), - (0x12C6, 'X'), - (0x12C8, 'V'), - (0x12D7, 'X'), - (0x12D8, 'V'), - (0x1311, 'X'), - (0x1312, 'V'), - (0x1316, 'X'), - (0x1318, 'V'), - (0x135B, 'X'), - (0x135D, 'V'), - (0x137D, 'X'), - (0x1380, 'V'), - (0x139A, 'X'), - (0x13A0, 'V'), - (0x13F6, 'X'), - (0x13F8, 'M', u'Ᏸ'), - (0x13F9, 'M', u'Ᏹ'), - (0x13FA, 'M', u'Ᏺ'), - (0x13FB, 'M', u'Ᏻ'), - (0x13FC, 'M', u'Ᏼ'), - (0x13FD, 'M', u'Ᏽ'), - (0x13FE, 'X'), - (0x1400, 'V'), - (0x1680, 'X'), - (0x1681, 'V'), - (0x169D, 'X'), - (0x16A0, 'V'), - (0x16F9, 'X'), - (0x1700, 'V'), - (0x170D, 'X'), - (0x170E, 'V'), - (0x1715, 'X'), - (0x1720, 'V'), - (0x1737, 'X'), - (0x1740, 'V'), - (0x1754, 'X'), - (0x1760, 'V'), - (0x176D, 'X'), - (0x176E, 'V'), - (0x1771, 'X'), - (0x1772, 'V'), - (0x1774, 'X'), - (0x1780, 'V'), - (0x17B4, 'X'), - (0x17B6, 'V'), - (0x17DE, 'X'), - (0x17E0, 'V'), - (0x17EA, 'X'), - (0x17F0, 'V'), - (0x17FA, 'X'), - (0x1800, 'V'), - (0x1806, 'X'), - (0x1807, 'V'), - (0x180B, 'I'), - (0x180E, 'X'), - (0x1810, 'V'), - (0x181A, 'X'), - (0x1820, 'V'), - (0x1879, 'X'), - (0x1880, 'V'), - (0x18AB, 'X'), - (0x18B0, 'V'), - (0x18F6, 'X'), - (0x1900, 'V'), - (0x191F, 'X'), - (0x1920, 'V'), - (0x192C, 'X'), - (0x1930, 'V'), - (0x193C, 'X'), - (0x1940, 'V'), - (0x1941, 'X'), - (0x1944, 'V'), - (0x196E, 'X'), - (0x1970, 'V'), - (0x1975, 'X'), - (0x1980, 'V'), - (0x19AC, 'X'), - (0x19B0, 'V'), - (0x19CA, 'X'), - (0x19D0, 'V'), - (0x19DB, 'X'), - (0x19DE, 'V'), - (0x1A1C, 'X'), - (0x1A1E, 'V'), - (0x1A5F, 'X'), - (0x1A60, 'V'), - (0x1A7D, 'X'), - (0x1A7F, 'V'), - (0x1A8A, 'X'), - (0x1A90, 'V'), - ] - -def _seg_15(): - return [ - (0x1A9A, 'X'), - (0x1AA0, 'V'), - (0x1AAE, 'X'), - (0x1AB0, 'V'), - (0x1ABF, 'X'), - (0x1B00, 'V'), - (0x1B4C, 'X'), - (0x1B50, 'V'), - (0x1B7D, 'X'), - (0x1B80, 'V'), - (0x1BF4, 'X'), - (0x1BFC, 'V'), - (0x1C38, 'X'), - (0x1C3B, 'V'), - (0x1C4A, 'X'), - (0x1C4D, 'V'), - (0x1C80, 'M', u'в'), - (0x1C81, 'M', u'д'), - (0x1C82, 'M', u'о'), - (0x1C83, 'M', u'с'), - (0x1C84, 'M', u'т'), - (0x1C86, 'M', u'ъ'), - (0x1C87, 'M', u'ѣ'), - (0x1C88, 'M', u'ꙋ'), - (0x1C89, 'X'), - (0x1CC0, 'V'), - (0x1CC8, 'X'), - (0x1CD0, 'V'), - (0x1CFA, 'X'), - (0x1D00, 'V'), - (0x1D2C, 'M', u'a'), - (0x1D2D, 'M', u'æ'), - (0x1D2E, 'M', u'b'), - (0x1D2F, 'V'), - (0x1D30, 'M', u'd'), - (0x1D31, 'M', u'e'), - (0x1D32, 'M', u'ǝ'), - (0x1D33, 'M', u'g'), - (0x1D34, 'M', u'h'), - (0x1D35, 'M', u'i'), - (0x1D36, 'M', u'j'), - (0x1D37, 'M', u'k'), - (0x1D38, 'M', u'l'), - (0x1D39, 'M', u'm'), - (0x1D3A, 'M', u'n'), - (0x1D3B, 'V'), - (0x1D3C, 'M', u'o'), - (0x1D3D, 'M', u'ȣ'), - (0x1D3E, 'M', u'p'), - (0x1D3F, 'M', u'r'), - (0x1D40, 'M', u't'), - (0x1D41, 'M', u'u'), - (0x1D42, 'M', u'w'), - (0x1D43, 'M', u'a'), - (0x1D44, 'M', u'ɐ'), - (0x1D45, 'M', u'ɑ'), - (0x1D46, 'M', u'ᴂ'), - (0x1D47, 'M', u'b'), - (0x1D48, 'M', u'd'), - (0x1D49, 'M', u'e'), - (0x1D4A, 'M', u'ə'), - (0x1D4B, 'M', u'ɛ'), - (0x1D4C, 'M', u'ɜ'), - (0x1D4D, 'M', u'g'), - (0x1D4E, 'V'), - (0x1D4F, 'M', u'k'), - (0x1D50, 'M', u'm'), - (0x1D51, 'M', u'ŋ'), - (0x1D52, 'M', u'o'), - (0x1D53, 'M', u'ɔ'), - (0x1D54, 'M', u'ᴖ'), - (0x1D55, 'M', u'ᴗ'), - (0x1D56, 'M', u'p'), - (0x1D57, 'M', u't'), - (0x1D58, 'M', u'u'), - (0x1D59, 'M', u'ᴝ'), - (0x1D5A, 'M', u'ɯ'), - (0x1D5B, 'M', u'v'), - (0x1D5C, 'M', u'ᴥ'), - (0x1D5D, 'M', u'β'), - (0x1D5E, 'M', u'γ'), - (0x1D5F, 'M', u'δ'), - (0x1D60, 'M', u'φ'), - (0x1D61, 'M', u'χ'), - (0x1D62, 'M', u'i'), - (0x1D63, 'M', u'r'), - (0x1D64, 'M', u'u'), - (0x1D65, 'M', u'v'), - (0x1D66, 'M', u'β'), - (0x1D67, 'M', u'γ'), - (0x1D68, 'M', u'ρ'), - (0x1D69, 'M', u'φ'), - (0x1D6A, 'M', u'χ'), - (0x1D6B, 'V'), - (0x1D78, 'M', u'н'), - (0x1D79, 'V'), - (0x1D9B, 'M', u'ɒ'), - (0x1D9C, 'M', u'c'), - (0x1D9D, 'M', u'ɕ'), - (0x1D9E, 'M', u'ð'), - ] - -def _seg_16(): - return [ - (0x1D9F, 'M', u'ɜ'), - (0x1DA0, 'M', u'f'), - (0x1DA1, 'M', u'ɟ'), - (0x1DA2, 'M', u'ɡ'), - (0x1DA3, 'M', u'ɥ'), - (0x1DA4, 'M', u'ɨ'), - (0x1DA5, 'M', u'ɩ'), - (0x1DA6, 'M', u'ɪ'), - (0x1DA7, 'M', u'ᵻ'), - (0x1DA8, 'M', u'ʝ'), - (0x1DA9, 'M', u'ɭ'), - (0x1DAA, 'M', u'ᶅ'), - (0x1DAB, 'M', u'ʟ'), - (0x1DAC, 'M', u'ɱ'), - (0x1DAD, 'M', u'ɰ'), - (0x1DAE, 'M', u'ɲ'), - (0x1DAF, 'M', u'ɳ'), - (0x1DB0, 'M', u'ɴ'), - (0x1DB1, 'M', u'ɵ'), - (0x1DB2, 'M', u'ɸ'), - (0x1DB3, 'M', u'ʂ'), - (0x1DB4, 'M', u'ʃ'), - (0x1DB5, 'M', u'ƫ'), - (0x1DB6, 'M', u'ʉ'), - (0x1DB7, 'M', u'ʊ'), - (0x1DB8, 'M', u'ᴜ'), - (0x1DB9, 'M', u'ʋ'), - (0x1DBA, 'M', u'ʌ'), - (0x1DBB, 'M', u'z'), - (0x1DBC, 'M', u'ʐ'), - (0x1DBD, 'M', u'ʑ'), - (0x1DBE, 'M', u'ʒ'), - (0x1DBF, 'M', u'θ'), - (0x1DC0, 'V'), - (0x1DFA, 'X'), - (0x1DFB, 'V'), - (0x1E00, 'M', u'ḁ'), - (0x1E01, 'V'), - (0x1E02, 'M', u'ḃ'), - (0x1E03, 'V'), - (0x1E04, 'M', u'ḅ'), - (0x1E05, 'V'), - (0x1E06, 'M', u'ḇ'), - (0x1E07, 'V'), - (0x1E08, 'M', u'ḉ'), - (0x1E09, 'V'), - (0x1E0A, 'M', u'ḋ'), - (0x1E0B, 'V'), - (0x1E0C, 'M', u'ḍ'), - (0x1E0D, 'V'), - (0x1E0E, 'M', u'ḏ'), - (0x1E0F, 'V'), - (0x1E10, 'M', u'ḑ'), - (0x1E11, 'V'), - (0x1E12, 'M', u'ḓ'), - (0x1E13, 'V'), - (0x1E14, 'M', u'ḕ'), - (0x1E15, 'V'), - (0x1E16, 'M', u'ḗ'), - (0x1E17, 'V'), - (0x1E18, 'M', u'ḙ'), - (0x1E19, 'V'), - (0x1E1A, 'M', u'ḛ'), - (0x1E1B, 'V'), - (0x1E1C, 'M', u'ḝ'), - (0x1E1D, 'V'), - (0x1E1E, 'M', u'ḟ'), - (0x1E1F, 'V'), - (0x1E20, 'M', u'ḡ'), - (0x1E21, 'V'), - (0x1E22, 'M', u'ḣ'), - (0x1E23, 'V'), - (0x1E24, 'M', u'ḥ'), - (0x1E25, 'V'), - (0x1E26, 'M', u'ḧ'), - (0x1E27, 'V'), - (0x1E28, 'M', u'ḩ'), - (0x1E29, 'V'), - (0x1E2A, 'M', u'ḫ'), - (0x1E2B, 'V'), - (0x1E2C, 'M', u'ḭ'), - (0x1E2D, 'V'), - (0x1E2E, 'M', u'ḯ'), - (0x1E2F, 'V'), - (0x1E30, 'M', u'ḱ'), - (0x1E31, 'V'), - (0x1E32, 'M', u'ḳ'), - (0x1E33, 'V'), - (0x1E34, 'M', u'ḵ'), - (0x1E35, 'V'), - (0x1E36, 'M', u'ḷ'), - (0x1E37, 'V'), - (0x1E38, 'M', u'ḹ'), - (0x1E39, 'V'), - (0x1E3A, 'M', u'ḻ'), - (0x1E3B, 'V'), - (0x1E3C, 'M', u'ḽ'), - (0x1E3D, 'V'), - (0x1E3E, 'M', u'ḿ'), - (0x1E3F, 'V'), - ] - -def _seg_17(): - return [ - (0x1E40, 'M', u'ṁ'), - (0x1E41, 'V'), - (0x1E42, 'M', u'ṃ'), - (0x1E43, 'V'), - (0x1E44, 'M', u'ṅ'), - (0x1E45, 'V'), - (0x1E46, 'M', u'ṇ'), - (0x1E47, 'V'), - (0x1E48, 'M', u'ṉ'), - (0x1E49, 'V'), - (0x1E4A, 'M', u'ṋ'), - (0x1E4B, 'V'), - (0x1E4C, 'M', u'ṍ'), - (0x1E4D, 'V'), - (0x1E4E, 'M', u'ṏ'), - (0x1E4F, 'V'), - (0x1E50, 'M', u'ṑ'), - (0x1E51, 'V'), - (0x1E52, 'M', u'ṓ'), - (0x1E53, 'V'), - (0x1E54, 'M', u'ṕ'), - (0x1E55, 'V'), - (0x1E56, 'M', u'ṗ'), - (0x1E57, 'V'), - (0x1E58, 'M', u'ṙ'), - (0x1E59, 'V'), - (0x1E5A, 'M', u'ṛ'), - (0x1E5B, 'V'), - (0x1E5C, 'M', u'ṝ'), - (0x1E5D, 'V'), - (0x1E5E, 'M', u'ṟ'), - (0x1E5F, 'V'), - (0x1E60, 'M', u'ṡ'), - (0x1E61, 'V'), - (0x1E62, 'M', u'ṣ'), - (0x1E63, 'V'), - (0x1E64, 'M', u'ṥ'), - (0x1E65, 'V'), - (0x1E66, 'M', u'ṧ'), - (0x1E67, 'V'), - (0x1E68, 'M', u'ṩ'), - (0x1E69, 'V'), - (0x1E6A, 'M', u'ṫ'), - (0x1E6B, 'V'), - (0x1E6C, 'M', u'ṭ'), - (0x1E6D, 'V'), - (0x1E6E, 'M', u'ṯ'), - (0x1E6F, 'V'), - (0x1E70, 'M', u'ṱ'), - (0x1E71, 'V'), - (0x1E72, 'M', u'ṳ'), - (0x1E73, 'V'), - (0x1E74, 'M', u'ṵ'), - (0x1E75, 'V'), - (0x1E76, 'M', u'ṷ'), - (0x1E77, 'V'), - (0x1E78, 'M', u'ṹ'), - (0x1E79, 'V'), - (0x1E7A, 'M', u'ṻ'), - (0x1E7B, 'V'), - (0x1E7C, 'M', u'ṽ'), - (0x1E7D, 'V'), - (0x1E7E, 'M', u'ṿ'), - (0x1E7F, 'V'), - (0x1E80, 'M', u'ẁ'), - (0x1E81, 'V'), - (0x1E82, 'M', u'ẃ'), - (0x1E83, 'V'), - (0x1E84, 'M', u'ẅ'), - (0x1E85, 'V'), - (0x1E86, 'M', u'ẇ'), - (0x1E87, 'V'), - (0x1E88, 'M', u'ẉ'), - (0x1E89, 'V'), - (0x1E8A, 'M', u'ẋ'), - (0x1E8B, 'V'), - (0x1E8C, 'M', u'ẍ'), - (0x1E8D, 'V'), - (0x1E8E, 'M', u'ẏ'), - (0x1E8F, 'V'), - (0x1E90, 'M', u'ẑ'), - (0x1E91, 'V'), - (0x1E92, 'M', u'ẓ'), - (0x1E93, 'V'), - (0x1E94, 'M', u'ẕ'), - (0x1E95, 'V'), - (0x1E9A, 'M', u'aʾ'), - (0x1E9B, 'M', u'ṡ'), - (0x1E9C, 'V'), - (0x1E9E, 'M', u'ss'), - (0x1E9F, 'V'), - (0x1EA0, 'M', u'ạ'), - (0x1EA1, 'V'), - (0x1EA2, 'M', u'ả'), - (0x1EA3, 'V'), - (0x1EA4, 'M', u'ấ'), - (0x1EA5, 'V'), - (0x1EA6, 'M', u'ầ'), - (0x1EA7, 'V'), - (0x1EA8, 'M', u'ẩ'), - ] - -def _seg_18(): - return [ - (0x1EA9, 'V'), - (0x1EAA, 'M', u'ẫ'), - (0x1EAB, 'V'), - (0x1EAC, 'M', u'ậ'), - (0x1EAD, 'V'), - (0x1EAE, 'M', u'ắ'), - (0x1EAF, 'V'), - (0x1EB0, 'M', u'ằ'), - (0x1EB1, 'V'), - (0x1EB2, 'M', u'ẳ'), - (0x1EB3, 'V'), - (0x1EB4, 'M', u'ẵ'), - (0x1EB5, 'V'), - (0x1EB6, 'M', u'ặ'), - (0x1EB7, 'V'), - (0x1EB8, 'M', u'ẹ'), - (0x1EB9, 'V'), - (0x1EBA, 'M', u'ẻ'), - (0x1EBB, 'V'), - (0x1EBC, 'M', u'ẽ'), - (0x1EBD, 'V'), - (0x1EBE, 'M', u'ế'), - (0x1EBF, 'V'), - (0x1EC0, 'M', u'ề'), - (0x1EC1, 'V'), - (0x1EC2, 'M', u'ể'), - (0x1EC3, 'V'), - (0x1EC4, 'M', u'ễ'), - (0x1EC5, 'V'), - (0x1EC6, 'M', u'ệ'), - (0x1EC7, 'V'), - (0x1EC8, 'M', u'ỉ'), - (0x1EC9, 'V'), - (0x1ECA, 'M', u'ị'), - (0x1ECB, 'V'), - (0x1ECC, 'M', u'ọ'), - (0x1ECD, 'V'), - (0x1ECE, 'M', u'ỏ'), - (0x1ECF, 'V'), - (0x1ED0, 'M', u'ố'), - (0x1ED1, 'V'), - (0x1ED2, 'M', u'ồ'), - (0x1ED3, 'V'), - (0x1ED4, 'M', u'ổ'), - (0x1ED5, 'V'), - (0x1ED6, 'M', u'ỗ'), - (0x1ED7, 'V'), - (0x1ED8, 'M', u'ộ'), - (0x1ED9, 'V'), - (0x1EDA, 'M', u'ớ'), - (0x1EDB, 'V'), - (0x1EDC, 'M', u'ờ'), - (0x1EDD, 'V'), - (0x1EDE, 'M', u'ở'), - (0x1EDF, 'V'), - (0x1EE0, 'M', u'ỡ'), - (0x1EE1, 'V'), - (0x1EE2, 'M', u'ợ'), - (0x1EE3, 'V'), - (0x1EE4, 'M', u'ụ'), - (0x1EE5, 'V'), - (0x1EE6, 'M', u'ủ'), - (0x1EE7, 'V'), - (0x1EE8, 'M', u'ứ'), - (0x1EE9, 'V'), - (0x1EEA, 'M', u'ừ'), - (0x1EEB, 'V'), - (0x1EEC, 'M', u'ử'), - (0x1EED, 'V'), - (0x1EEE, 'M', u'ữ'), - (0x1EEF, 'V'), - (0x1EF0, 'M', u'ự'), - (0x1EF1, 'V'), - (0x1EF2, 'M', u'ỳ'), - (0x1EF3, 'V'), - (0x1EF4, 'M', u'ỵ'), - (0x1EF5, 'V'), - (0x1EF6, 'M', u'ỷ'), - (0x1EF7, 'V'), - (0x1EF8, 'M', u'ỹ'), - (0x1EF9, 'V'), - (0x1EFA, 'M', u'ỻ'), - (0x1EFB, 'V'), - (0x1EFC, 'M', u'ỽ'), - (0x1EFD, 'V'), - (0x1EFE, 'M', u'ỿ'), - (0x1EFF, 'V'), - (0x1F08, 'M', u'ἀ'), - (0x1F09, 'M', u'ἁ'), - (0x1F0A, 'M', u'ἂ'), - (0x1F0B, 'M', u'ἃ'), - (0x1F0C, 'M', u'ἄ'), - (0x1F0D, 'M', u'ἅ'), - (0x1F0E, 'M', u'ἆ'), - (0x1F0F, 'M', u'ἇ'), - (0x1F10, 'V'), - (0x1F16, 'X'), - (0x1F18, 'M', u'ἐ'), - (0x1F19, 'M', u'ἑ'), - (0x1F1A, 'M', u'ἒ'), - ] - -def _seg_19(): - return [ - (0x1F1B, 'M', u'ἓ'), - (0x1F1C, 'M', u'ἔ'), - (0x1F1D, 'M', u'ἕ'), - (0x1F1E, 'X'), - (0x1F20, 'V'), - (0x1F28, 'M', u'ἠ'), - (0x1F29, 'M', u'ἡ'), - (0x1F2A, 'M', u'ἢ'), - (0x1F2B, 'M', u'ἣ'), - (0x1F2C, 'M', u'ἤ'), - (0x1F2D, 'M', u'ἥ'), - (0x1F2E, 'M', u'ἦ'), - (0x1F2F, 'M', u'ἧ'), - (0x1F30, 'V'), - (0x1F38, 'M', u'ἰ'), - (0x1F39, 'M', u'ἱ'), - (0x1F3A, 'M', u'ἲ'), - (0x1F3B, 'M', u'ἳ'), - (0x1F3C, 'M', u'ἴ'), - (0x1F3D, 'M', u'ἵ'), - (0x1F3E, 'M', u'ἶ'), - (0x1F3F, 'M', u'ἷ'), - (0x1F40, 'V'), - (0x1F46, 'X'), - (0x1F48, 'M', u'ὀ'), - (0x1F49, 'M', u'ὁ'), - (0x1F4A, 'M', u'ὂ'), - (0x1F4B, 'M', u'ὃ'), - (0x1F4C, 'M', u'ὄ'), - (0x1F4D, 'M', u'ὅ'), - (0x1F4E, 'X'), - (0x1F50, 'V'), - (0x1F58, 'X'), - (0x1F59, 'M', u'ὑ'), - (0x1F5A, 'X'), - (0x1F5B, 'M', u'ὓ'), - (0x1F5C, 'X'), - (0x1F5D, 'M', u'ὕ'), - (0x1F5E, 'X'), - (0x1F5F, 'M', u'ὗ'), - (0x1F60, 'V'), - (0x1F68, 'M', u'ὠ'), - (0x1F69, 'M', u'ὡ'), - (0x1F6A, 'M', u'ὢ'), - (0x1F6B, 'M', u'ὣ'), - (0x1F6C, 'M', u'ὤ'), - (0x1F6D, 'M', u'ὥ'), - (0x1F6E, 'M', u'ὦ'), - (0x1F6F, 'M', u'ὧ'), - (0x1F70, 'V'), - (0x1F71, 'M', u'ά'), - (0x1F72, 'V'), - (0x1F73, 'M', u'έ'), - (0x1F74, 'V'), - (0x1F75, 'M', u'ή'), - (0x1F76, 'V'), - (0x1F77, 'M', u'ί'), - (0x1F78, 'V'), - (0x1F79, 'M', u'ό'), - (0x1F7A, 'V'), - (0x1F7B, 'M', u'ύ'), - (0x1F7C, 'V'), - (0x1F7D, 'M', u'ώ'), - (0x1F7E, 'X'), - (0x1F80, 'M', u'ἀι'), - (0x1F81, 'M', u'ἁι'), - (0x1F82, 'M', u'ἂι'), - (0x1F83, 'M', u'ἃι'), - (0x1F84, 'M', u'ἄι'), - (0x1F85, 'M', u'ἅι'), - (0x1F86, 'M', u'ἆι'), - (0x1F87, 'M', u'ἇι'), - (0x1F88, 'M', u'ἀι'), - (0x1F89, 'M', u'ἁι'), - (0x1F8A, 'M', u'ἂι'), - (0x1F8B, 'M', u'ἃι'), - (0x1F8C, 'M', u'ἄι'), - (0x1F8D, 'M', u'ἅι'), - (0x1F8E, 'M', u'ἆι'), - (0x1F8F, 'M', u'ἇι'), - (0x1F90, 'M', u'ἠι'), - (0x1F91, 'M', u'ἡι'), - (0x1F92, 'M', u'ἢι'), - (0x1F93, 'M', u'ἣι'), - (0x1F94, 'M', u'ἤι'), - (0x1F95, 'M', u'ἥι'), - (0x1F96, 'M', u'ἦι'), - (0x1F97, 'M', u'ἧι'), - (0x1F98, 'M', u'ἠι'), - (0x1F99, 'M', u'ἡι'), - (0x1F9A, 'M', u'ἢι'), - (0x1F9B, 'M', u'ἣι'), - (0x1F9C, 'M', u'ἤι'), - (0x1F9D, 'M', u'ἥι'), - (0x1F9E, 'M', u'ἦι'), - (0x1F9F, 'M', u'ἧι'), - (0x1FA0, 'M', u'ὠι'), - (0x1FA1, 'M', u'ὡι'), - (0x1FA2, 'M', u'ὢι'), - (0x1FA3, 'M', u'ὣι'), - ] - -def _seg_20(): - return [ - (0x1FA4, 'M', u'ὤι'), - (0x1FA5, 'M', u'ὥι'), - (0x1FA6, 'M', u'ὦι'), - (0x1FA7, 'M', u'ὧι'), - (0x1FA8, 'M', u'ὠι'), - (0x1FA9, 'M', u'ὡι'), - (0x1FAA, 'M', u'ὢι'), - (0x1FAB, 'M', u'ὣι'), - (0x1FAC, 'M', u'ὤι'), - (0x1FAD, 'M', u'ὥι'), - (0x1FAE, 'M', u'ὦι'), - (0x1FAF, 'M', u'ὧι'), - (0x1FB0, 'V'), - (0x1FB2, 'M', u'ὰι'), - (0x1FB3, 'M', u'αι'), - (0x1FB4, 'M', u'άι'), - (0x1FB5, 'X'), - (0x1FB6, 'V'), - (0x1FB7, 'M', u'ᾶι'), - (0x1FB8, 'M', u'ᾰ'), - (0x1FB9, 'M', u'ᾱ'), - (0x1FBA, 'M', u'ὰ'), - (0x1FBB, 'M', u'ά'), - (0x1FBC, 'M', u'αι'), - (0x1FBD, '3', u' ̓'), - (0x1FBE, 'M', u'ι'), - (0x1FBF, '3', u' ̓'), - (0x1FC0, '3', u' ͂'), - (0x1FC1, '3', u' ̈͂'), - (0x1FC2, 'M', u'ὴι'), - (0x1FC3, 'M', u'ηι'), - (0x1FC4, 'M', u'ήι'), - (0x1FC5, 'X'), - (0x1FC6, 'V'), - (0x1FC7, 'M', u'ῆι'), - (0x1FC8, 'M', u'ὲ'), - (0x1FC9, 'M', u'έ'), - (0x1FCA, 'M', u'ὴ'), - (0x1FCB, 'M', u'ή'), - (0x1FCC, 'M', u'ηι'), - (0x1FCD, '3', u' ̓̀'), - (0x1FCE, '3', u' ̓́'), - (0x1FCF, '3', u' ̓͂'), - (0x1FD0, 'V'), - (0x1FD3, 'M', u'ΐ'), - (0x1FD4, 'X'), - (0x1FD6, 'V'), - (0x1FD8, 'M', u'ῐ'), - (0x1FD9, 'M', u'ῑ'), - (0x1FDA, 'M', u'ὶ'), - (0x1FDB, 'M', u'ί'), - (0x1FDC, 'X'), - (0x1FDD, '3', u' ̔̀'), - (0x1FDE, '3', u' ̔́'), - (0x1FDF, '3', u' ̔͂'), - (0x1FE0, 'V'), - (0x1FE3, 'M', u'ΰ'), - (0x1FE4, 'V'), - (0x1FE8, 'M', u'ῠ'), - (0x1FE9, 'M', u'ῡ'), - (0x1FEA, 'M', u'ὺ'), - (0x1FEB, 'M', u'ύ'), - (0x1FEC, 'M', u'ῥ'), - (0x1FED, '3', u' ̈̀'), - (0x1FEE, '3', u' ̈́'), - (0x1FEF, '3', u'`'), - (0x1FF0, 'X'), - (0x1FF2, 'M', u'ὼι'), - (0x1FF3, 'M', u'ωι'), - (0x1FF4, 'M', u'ώι'), - (0x1FF5, 'X'), - (0x1FF6, 'V'), - (0x1FF7, 'M', u'ῶι'), - (0x1FF8, 'M', u'ὸ'), - (0x1FF9, 'M', u'ό'), - (0x1FFA, 'M', u'ὼ'), - (0x1FFB, 'M', u'ώ'), - (0x1FFC, 'M', u'ωι'), - (0x1FFD, '3', u' ́'), - (0x1FFE, '3', u' ̔'), - (0x1FFF, 'X'), - (0x2000, '3', u' '), - (0x200B, 'I'), - (0x200C, 'D', u''), - (0x200E, 'X'), - (0x2010, 'V'), - (0x2011, 'M', u'‐'), - (0x2012, 'V'), - (0x2017, '3', u' ̳'), - (0x2018, 'V'), - (0x2024, 'X'), - (0x2027, 'V'), - (0x2028, 'X'), - (0x202F, '3', u' '), - (0x2030, 'V'), - (0x2033, 'M', u'′′'), - (0x2034, 'M', u'′′′'), - (0x2035, 'V'), - (0x2036, 'M', u'‵‵'), - (0x2037, 'M', u'‵‵‵'), - ] - -def _seg_21(): - return [ - (0x2038, 'V'), - (0x203C, '3', u'!!'), - (0x203D, 'V'), - (0x203E, '3', u' ̅'), - (0x203F, 'V'), - (0x2047, '3', u'??'), - (0x2048, '3', u'?!'), - (0x2049, '3', u'!?'), - (0x204A, 'V'), - (0x2057, 'M', u'′′′′'), - (0x2058, 'V'), - (0x205F, '3', u' '), - (0x2060, 'I'), - (0x2061, 'X'), - (0x2064, 'I'), - (0x2065, 'X'), - (0x2070, 'M', u'0'), - (0x2071, 'M', u'i'), - (0x2072, 'X'), - (0x2074, 'M', u'4'), - (0x2075, 'M', u'5'), - (0x2076, 'M', u'6'), - (0x2077, 'M', u'7'), - (0x2078, 'M', u'8'), - (0x2079, 'M', u'9'), - (0x207A, '3', u'+'), - (0x207B, 'M', u'−'), - (0x207C, '3', u'='), - (0x207D, '3', u'('), - (0x207E, '3', u')'), - (0x207F, 'M', u'n'), - (0x2080, 'M', u'0'), - (0x2081, 'M', u'1'), - (0x2082, 'M', u'2'), - (0x2083, 'M', u'3'), - (0x2084, 'M', u'4'), - (0x2085, 'M', u'5'), - (0x2086, 'M', u'6'), - (0x2087, 'M', u'7'), - (0x2088, 'M', u'8'), - (0x2089, 'M', u'9'), - (0x208A, '3', u'+'), - (0x208B, 'M', u'−'), - (0x208C, '3', u'='), - (0x208D, '3', u'('), - (0x208E, '3', u')'), - (0x208F, 'X'), - (0x2090, 'M', u'a'), - (0x2091, 'M', u'e'), - (0x2092, 'M', u'o'), - (0x2093, 'M', u'x'), - (0x2094, 'M', u'ə'), - (0x2095, 'M', u'h'), - (0x2096, 'M', u'k'), - (0x2097, 'M', u'l'), - (0x2098, 'M', u'm'), - (0x2099, 'M', u'n'), - (0x209A, 'M', u'p'), - (0x209B, 'M', u's'), - (0x209C, 'M', u't'), - (0x209D, 'X'), - (0x20A0, 'V'), - (0x20A8, 'M', u'rs'), - (0x20A9, 'V'), - (0x20C0, 'X'), - (0x20D0, 'V'), - (0x20F1, 'X'), - (0x2100, '3', u'a/c'), - (0x2101, '3', u'a/s'), - (0x2102, 'M', u'c'), - (0x2103, 'M', u'°c'), - (0x2104, 'V'), - (0x2105, '3', u'c/o'), - (0x2106, '3', u'c/u'), - (0x2107, 'M', u'ɛ'), - (0x2108, 'V'), - (0x2109, 'M', u'°f'), - (0x210A, 'M', u'g'), - (0x210B, 'M', u'h'), - (0x210F, 'M', u'ħ'), - (0x2110, 'M', u'i'), - (0x2112, 'M', u'l'), - (0x2114, 'V'), - (0x2115, 'M', u'n'), - (0x2116, 'M', u'no'), - (0x2117, 'V'), - (0x2119, 'M', u'p'), - (0x211A, 'M', u'q'), - (0x211B, 'M', u'r'), - (0x211E, 'V'), - (0x2120, 'M', u'sm'), - (0x2121, 'M', u'tel'), - (0x2122, 'M', u'tm'), - (0x2123, 'V'), - (0x2124, 'M', u'z'), - (0x2125, 'V'), - (0x2126, 'M', u'ω'), - (0x2127, 'V'), - (0x2128, 'M', u'z'), - (0x2129, 'V'), - ] - -def _seg_22(): - return [ - (0x212A, 'M', u'k'), - (0x212B, 'M', u'å'), - (0x212C, 'M', u'b'), - (0x212D, 'M', u'c'), - (0x212E, 'V'), - (0x212F, 'M', u'e'), - (0x2131, 'M', u'f'), - (0x2132, 'X'), - (0x2133, 'M', u'm'), - (0x2134, 'M', u'o'), - (0x2135, 'M', u'א'), - (0x2136, 'M', u'ב'), - (0x2137, 'M', u'ג'), - (0x2138, 'M', u'ד'), - (0x2139, 'M', u'i'), - (0x213A, 'V'), - (0x213B, 'M', u'fax'), - (0x213C, 'M', u'π'), - (0x213D, 'M', u'γ'), - (0x213F, 'M', u'π'), - (0x2140, 'M', u'∑'), - (0x2141, 'V'), - (0x2145, 'M', u'd'), - (0x2147, 'M', u'e'), - (0x2148, 'M', u'i'), - (0x2149, 'M', u'j'), - (0x214A, 'V'), - (0x2150, 'M', u'1⁄7'), - (0x2151, 'M', u'1⁄9'), - (0x2152, 'M', u'1⁄10'), - (0x2153, 'M', u'1⁄3'), - (0x2154, 'M', u'2⁄3'), - (0x2155, 'M', u'1⁄5'), - (0x2156, 'M', u'2⁄5'), - (0x2157, 'M', u'3⁄5'), - (0x2158, 'M', u'4⁄5'), - (0x2159, 'M', u'1⁄6'), - (0x215A, 'M', u'5⁄6'), - (0x215B, 'M', u'1⁄8'), - (0x215C, 'M', u'3⁄8'), - (0x215D, 'M', u'5⁄8'), - (0x215E, 'M', u'7⁄8'), - (0x215F, 'M', u'1⁄'), - (0x2160, 'M', u'i'), - (0x2161, 'M', u'ii'), - (0x2162, 'M', u'iii'), - (0x2163, 'M', u'iv'), - (0x2164, 'M', u'v'), - (0x2165, 'M', u'vi'), - (0x2166, 'M', u'vii'), - (0x2167, 'M', u'viii'), - (0x2168, 'M', u'ix'), - (0x2169, 'M', u'x'), - (0x216A, 'M', u'xi'), - (0x216B, 'M', u'xii'), - (0x216C, 'M', u'l'), - (0x216D, 'M', u'c'), - (0x216E, 'M', u'd'), - (0x216F, 'M', u'm'), - (0x2170, 'M', u'i'), - (0x2171, 'M', u'ii'), - (0x2172, 'M', u'iii'), - (0x2173, 'M', u'iv'), - (0x2174, 'M', u'v'), - (0x2175, 'M', u'vi'), - (0x2176, 'M', u'vii'), - (0x2177, 'M', u'viii'), - (0x2178, 'M', u'ix'), - (0x2179, 'M', u'x'), - (0x217A, 'M', u'xi'), - (0x217B, 'M', u'xii'), - (0x217C, 'M', u'l'), - (0x217D, 'M', u'c'), - (0x217E, 'M', u'd'), - (0x217F, 'M', u'm'), - (0x2180, 'V'), - (0x2183, 'X'), - (0x2184, 'V'), - (0x2189, 'M', u'0⁄3'), - (0x218A, 'V'), - (0x218C, 'X'), - (0x2190, 'V'), - (0x222C, 'M', u'∫∫'), - (0x222D, 'M', u'∫∫∫'), - (0x222E, 'V'), - (0x222F, 'M', u'∮∮'), - (0x2230, 'M', u'∮∮∮'), - (0x2231, 'V'), - (0x2260, '3'), - (0x2261, 'V'), - (0x226E, '3'), - (0x2270, 'V'), - (0x2329, 'M', u'〈'), - (0x232A, 'M', u'〉'), - (0x232B, 'V'), - (0x2427, 'X'), - (0x2440, 'V'), - (0x244B, 'X'), - (0x2460, 'M', u'1'), - (0x2461, 'M', u'2'), - ] - -def _seg_23(): - return [ - (0x2462, 'M', u'3'), - (0x2463, 'M', u'4'), - (0x2464, 'M', u'5'), - (0x2465, 'M', u'6'), - (0x2466, 'M', u'7'), - (0x2467, 'M', u'8'), - (0x2468, 'M', u'9'), - (0x2469, 'M', u'10'), - (0x246A, 'M', u'11'), - (0x246B, 'M', u'12'), - (0x246C, 'M', u'13'), - (0x246D, 'M', u'14'), - (0x246E, 'M', u'15'), - (0x246F, 'M', u'16'), - (0x2470, 'M', u'17'), - (0x2471, 'M', u'18'), - (0x2472, 'M', u'19'), - (0x2473, 'M', u'20'), - (0x2474, '3', u'(1)'), - (0x2475, '3', u'(2)'), - (0x2476, '3', u'(3)'), - (0x2477, '3', u'(4)'), - (0x2478, '3', u'(5)'), - (0x2479, '3', u'(6)'), - (0x247A, '3', u'(7)'), - (0x247B, '3', u'(8)'), - (0x247C, '3', u'(9)'), - (0x247D, '3', u'(10)'), - (0x247E, '3', u'(11)'), - (0x247F, '3', u'(12)'), - (0x2480, '3', u'(13)'), - (0x2481, '3', u'(14)'), - (0x2482, '3', u'(15)'), - (0x2483, '3', u'(16)'), - (0x2484, '3', u'(17)'), - (0x2485, '3', u'(18)'), - (0x2486, '3', u'(19)'), - (0x2487, '3', u'(20)'), - (0x2488, 'X'), - (0x249C, '3', u'(a)'), - (0x249D, '3', u'(b)'), - (0x249E, '3', u'(c)'), - (0x249F, '3', u'(d)'), - (0x24A0, '3', u'(e)'), - (0x24A1, '3', u'(f)'), - (0x24A2, '3', u'(g)'), - (0x24A3, '3', u'(h)'), - (0x24A4, '3', u'(i)'), - (0x24A5, '3', u'(j)'), - (0x24A6, '3', u'(k)'), - (0x24A7, '3', u'(l)'), - (0x24A8, '3', u'(m)'), - (0x24A9, '3', u'(n)'), - (0x24AA, '3', u'(o)'), - (0x24AB, '3', u'(p)'), - (0x24AC, '3', u'(q)'), - (0x24AD, '3', u'(r)'), - (0x24AE, '3', u'(s)'), - (0x24AF, '3', u'(t)'), - (0x24B0, '3', u'(u)'), - (0x24B1, '3', u'(v)'), - (0x24B2, '3', u'(w)'), - (0x24B3, '3', u'(x)'), - (0x24B4, '3', u'(y)'), - (0x24B5, '3', u'(z)'), - (0x24B6, 'M', u'a'), - (0x24B7, 'M', u'b'), - (0x24B8, 'M', u'c'), - (0x24B9, 'M', u'd'), - (0x24BA, 'M', u'e'), - (0x24BB, 'M', u'f'), - (0x24BC, 'M', u'g'), - (0x24BD, 'M', u'h'), - (0x24BE, 'M', u'i'), - (0x24BF, 'M', u'j'), - (0x24C0, 'M', u'k'), - (0x24C1, 'M', u'l'), - (0x24C2, 'M', u'm'), - (0x24C3, 'M', u'n'), - (0x24C4, 'M', u'o'), - (0x24C5, 'M', u'p'), - (0x24C6, 'M', u'q'), - (0x24C7, 'M', u'r'), - (0x24C8, 'M', u's'), - (0x24C9, 'M', u't'), - (0x24CA, 'M', u'u'), - (0x24CB, 'M', u'v'), - (0x24CC, 'M', u'w'), - (0x24CD, 'M', u'x'), - (0x24CE, 'M', u'y'), - (0x24CF, 'M', u'z'), - (0x24D0, 'M', u'a'), - (0x24D1, 'M', u'b'), - (0x24D2, 'M', u'c'), - (0x24D3, 'M', u'd'), - (0x24D4, 'M', u'e'), - (0x24D5, 'M', u'f'), - (0x24D6, 'M', u'g'), - (0x24D7, 'M', u'h'), - (0x24D8, 'M', u'i'), - ] - -def _seg_24(): - return [ - (0x24D9, 'M', u'j'), - (0x24DA, 'M', u'k'), - (0x24DB, 'M', u'l'), - (0x24DC, 'M', u'm'), - (0x24DD, 'M', u'n'), - (0x24DE, 'M', u'o'), - (0x24DF, 'M', u'p'), - (0x24E0, 'M', u'q'), - (0x24E1, 'M', u'r'), - (0x24E2, 'M', u's'), - (0x24E3, 'M', u't'), - (0x24E4, 'M', u'u'), - (0x24E5, 'M', u'v'), - (0x24E6, 'M', u'w'), - (0x24E7, 'M', u'x'), - (0x24E8, 'M', u'y'), - (0x24E9, 'M', u'z'), - (0x24EA, 'M', u'0'), - (0x24EB, 'V'), - (0x2A0C, 'M', u'∫∫∫∫'), - (0x2A0D, 'V'), - (0x2A74, '3', u'::='), - (0x2A75, '3', u'=='), - (0x2A76, '3', u'==='), - (0x2A77, 'V'), - (0x2ADC, 'M', u'⫝̸'), - (0x2ADD, 'V'), - (0x2B74, 'X'), - (0x2B76, 'V'), - (0x2B96, 'X'), - (0x2B98, 'V'), - (0x2BC9, 'X'), - (0x2BCA, 'V'), - (0x2BFF, 'X'), - (0x2C00, 'M', u'ⰰ'), - (0x2C01, 'M', u'ⰱ'), - (0x2C02, 'M', u'ⰲ'), - (0x2C03, 'M', u'ⰳ'), - (0x2C04, 'M', u'ⰴ'), - (0x2C05, 'M', u'ⰵ'), - (0x2C06, 'M', u'ⰶ'), - (0x2C07, 'M', u'ⰷ'), - (0x2C08, 'M', u'ⰸ'), - (0x2C09, 'M', u'ⰹ'), - (0x2C0A, 'M', u'ⰺ'), - (0x2C0B, 'M', u'ⰻ'), - (0x2C0C, 'M', u'ⰼ'), - (0x2C0D, 'M', u'ⰽ'), - (0x2C0E, 'M', u'ⰾ'), - (0x2C0F, 'M', u'ⰿ'), - (0x2C10, 'M', u'ⱀ'), - (0x2C11, 'M', u'ⱁ'), - (0x2C12, 'M', u'ⱂ'), - (0x2C13, 'M', u'ⱃ'), - (0x2C14, 'M', u'ⱄ'), - (0x2C15, 'M', u'ⱅ'), - (0x2C16, 'M', u'ⱆ'), - (0x2C17, 'M', u'ⱇ'), - (0x2C18, 'M', u'ⱈ'), - (0x2C19, 'M', u'ⱉ'), - (0x2C1A, 'M', u'ⱊ'), - (0x2C1B, 'M', u'ⱋ'), - (0x2C1C, 'M', u'ⱌ'), - (0x2C1D, 'M', u'ⱍ'), - (0x2C1E, 'M', u'ⱎ'), - (0x2C1F, 'M', u'ⱏ'), - (0x2C20, 'M', u'ⱐ'), - (0x2C21, 'M', u'ⱑ'), - (0x2C22, 'M', u'ⱒ'), - (0x2C23, 'M', u'ⱓ'), - (0x2C24, 'M', u'ⱔ'), - (0x2C25, 'M', u'ⱕ'), - (0x2C26, 'M', u'ⱖ'), - (0x2C27, 'M', u'ⱗ'), - (0x2C28, 'M', u'ⱘ'), - (0x2C29, 'M', u'ⱙ'), - (0x2C2A, 'M', u'ⱚ'), - (0x2C2B, 'M', u'ⱛ'), - (0x2C2C, 'M', u'ⱜ'), - (0x2C2D, 'M', u'ⱝ'), - (0x2C2E, 'M', u'ⱞ'), - (0x2C2F, 'X'), - (0x2C30, 'V'), - (0x2C5F, 'X'), - (0x2C60, 'M', u'ⱡ'), - (0x2C61, 'V'), - (0x2C62, 'M', u'ɫ'), - (0x2C63, 'M', u'ᵽ'), - (0x2C64, 'M', u'ɽ'), - (0x2C65, 'V'), - (0x2C67, 'M', u'ⱨ'), - (0x2C68, 'V'), - (0x2C69, 'M', u'ⱪ'), - (0x2C6A, 'V'), - (0x2C6B, 'M', u'ⱬ'), - (0x2C6C, 'V'), - (0x2C6D, 'M', u'ɑ'), - (0x2C6E, 'M', u'ɱ'), - (0x2C6F, 'M', u'ɐ'), - (0x2C70, 'M', u'ɒ'), - ] - -def _seg_25(): - return [ - (0x2C71, 'V'), - (0x2C72, 'M', u'ⱳ'), - (0x2C73, 'V'), - (0x2C75, 'M', u'ⱶ'), - (0x2C76, 'V'), - (0x2C7C, 'M', u'j'), - (0x2C7D, 'M', u'v'), - (0x2C7E, 'M', u'ȿ'), - (0x2C7F, 'M', u'ɀ'), - (0x2C80, 'M', u'ⲁ'), - (0x2C81, 'V'), - (0x2C82, 'M', u'ⲃ'), - (0x2C83, 'V'), - (0x2C84, 'M', u'ⲅ'), - (0x2C85, 'V'), - (0x2C86, 'M', u'ⲇ'), - (0x2C87, 'V'), - (0x2C88, 'M', u'ⲉ'), - (0x2C89, 'V'), - (0x2C8A, 'M', u'ⲋ'), - (0x2C8B, 'V'), - (0x2C8C, 'M', u'ⲍ'), - (0x2C8D, 'V'), - (0x2C8E, 'M', u'ⲏ'), - (0x2C8F, 'V'), - (0x2C90, 'M', u'ⲑ'), - (0x2C91, 'V'), - (0x2C92, 'M', u'ⲓ'), - (0x2C93, 'V'), - (0x2C94, 'M', u'ⲕ'), - (0x2C95, 'V'), - (0x2C96, 'M', u'ⲗ'), - (0x2C97, 'V'), - (0x2C98, 'M', u'ⲙ'), - (0x2C99, 'V'), - (0x2C9A, 'M', u'ⲛ'), - (0x2C9B, 'V'), - (0x2C9C, 'M', u'ⲝ'), - (0x2C9D, 'V'), - (0x2C9E, 'M', u'ⲟ'), - (0x2C9F, 'V'), - (0x2CA0, 'M', u'ⲡ'), - (0x2CA1, 'V'), - (0x2CA2, 'M', u'ⲣ'), - (0x2CA3, 'V'), - (0x2CA4, 'M', u'ⲥ'), - (0x2CA5, 'V'), - (0x2CA6, 'M', u'ⲧ'), - (0x2CA7, 'V'), - (0x2CA8, 'M', u'ⲩ'), - (0x2CA9, 'V'), - (0x2CAA, 'M', u'ⲫ'), - (0x2CAB, 'V'), - (0x2CAC, 'M', u'ⲭ'), - (0x2CAD, 'V'), - (0x2CAE, 'M', u'ⲯ'), - (0x2CAF, 'V'), - (0x2CB0, 'M', u'ⲱ'), - (0x2CB1, 'V'), - (0x2CB2, 'M', u'ⲳ'), - (0x2CB3, 'V'), - (0x2CB4, 'M', u'ⲵ'), - (0x2CB5, 'V'), - (0x2CB6, 'M', u'ⲷ'), - (0x2CB7, 'V'), - (0x2CB8, 'M', u'ⲹ'), - (0x2CB9, 'V'), - (0x2CBA, 'M', u'ⲻ'), - (0x2CBB, 'V'), - (0x2CBC, 'M', u'ⲽ'), - (0x2CBD, 'V'), - (0x2CBE, 'M', u'ⲿ'), - (0x2CBF, 'V'), - (0x2CC0, 'M', u'ⳁ'), - (0x2CC1, 'V'), - (0x2CC2, 'M', u'ⳃ'), - (0x2CC3, 'V'), - (0x2CC4, 'M', u'ⳅ'), - (0x2CC5, 'V'), - (0x2CC6, 'M', u'ⳇ'), - (0x2CC7, 'V'), - (0x2CC8, 'M', u'ⳉ'), - (0x2CC9, 'V'), - (0x2CCA, 'M', u'ⳋ'), - (0x2CCB, 'V'), - (0x2CCC, 'M', u'ⳍ'), - (0x2CCD, 'V'), - (0x2CCE, 'M', u'ⳏ'), - (0x2CCF, 'V'), - (0x2CD0, 'M', u'ⳑ'), - (0x2CD1, 'V'), - (0x2CD2, 'M', u'ⳓ'), - (0x2CD3, 'V'), - (0x2CD4, 'M', u'ⳕ'), - (0x2CD5, 'V'), - (0x2CD6, 'M', u'ⳗ'), - (0x2CD7, 'V'), - (0x2CD8, 'M', u'ⳙ'), - (0x2CD9, 'V'), - (0x2CDA, 'M', u'ⳛ'), - ] - -def _seg_26(): - return [ - (0x2CDB, 'V'), - (0x2CDC, 'M', u'ⳝ'), - (0x2CDD, 'V'), - (0x2CDE, 'M', u'ⳟ'), - (0x2CDF, 'V'), - (0x2CE0, 'M', u'ⳡ'), - (0x2CE1, 'V'), - (0x2CE2, 'M', u'ⳣ'), - (0x2CE3, 'V'), - (0x2CEB, 'M', u'ⳬ'), - (0x2CEC, 'V'), - (0x2CED, 'M', u'ⳮ'), - (0x2CEE, 'V'), - (0x2CF2, 'M', u'ⳳ'), - (0x2CF3, 'V'), - (0x2CF4, 'X'), - (0x2CF9, 'V'), - (0x2D26, 'X'), - (0x2D27, 'V'), - (0x2D28, 'X'), - (0x2D2D, 'V'), - (0x2D2E, 'X'), - (0x2D30, 'V'), - (0x2D68, 'X'), - (0x2D6F, 'M', u'ⵡ'), - (0x2D70, 'V'), - (0x2D71, 'X'), - (0x2D7F, 'V'), - (0x2D97, 'X'), - (0x2DA0, 'V'), - (0x2DA7, 'X'), - (0x2DA8, 'V'), - (0x2DAF, 'X'), - (0x2DB0, 'V'), - (0x2DB7, 'X'), - (0x2DB8, 'V'), - (0x2DBF, 'X'), - (0x2DC0, 'V'), - (0x2DC7, 'X'), - (0x2DC8, 'V'), - (0x2DCF, 'X'), - (0x2DD0, 'V'), - (0x2DD7, 'X'), - (0x2DD8, 'V'), - (0x2DDF, 'X'), - (0x2DE0, 'V'), - (0x2E4F, 'X'), - (0x2E80, 'V'), - (0x2E9A, 'X'), - (0x2E9B, 'V'), - (0x2E9F, 'M', u'母'), - (0x2EA0, 'V'), - (0x2EF3, 'M', u'龟'), - (0x2EF4, 'X'), - (0x2F00, 'M', u'一'), - (0x2F01, 'M', u'丨'), - (0x2F02, 'M', u'丶'), - (0x2F03, 'M', u'丿'), - (0x2F04, 'M', u'乙'), - (0x2F05, 'M', u'亅'), - (0x2F06, 'M', u'二'), - (0x2F07, 'M', u'亠'), - (0x2F08, 'M', u'人'), - (0x2F09, 'M', u'儿'), - (0x2F0A, 'M', u'入'), - (0x2F0B, 'M', u'八'), - (0x2F0C, 'M', u'冂'), - (0x2F0D, 'M', u'冖'), - (0x2F0E, 'M', u'冫'), - (0x2F0F, 'M', u'几'), - (0x2F10, 'M', u'凵'), - (0x2F11, 'M', u'刀'), - (0x2F12, 'M', u'力'), - (0x2F13, 'M', u'勹'), - (0x2F14, 'M', u'匕'), - (0x2F15, 'M', u'匚'), - (0x2F16, 'M', u'匸'), - (0x2F17, 'M', u'十'), - (0x2F18, 'M', u'卜'), - (0x2F19, 'M', u'卩'), - (0x2F1A, 'M', u'厂'), - (0x2F1B, 'M', u'厶'), - (0x2F1C, 'M', u'又'), - (0x2F1D, 'M', u'口'), - (0x2F1E, 'M', u'囗'), - (0x2F1F, 'M', u'土'), - (0x2F20, 'M', u'士'), - (0x2F21, 'M', u'夂'), - (0x2F22, 'M', u'夊'), - (0x2F23, 'M', u'夕'), - (0x2F24, 'M', u'大'), - (0x2F25, 'M', u'女'), - (0x2F26, 'M', u'子'), - (0x2F27, 'M', u'宀'), - (0x2F28, 'M', u'寸'), - (0x2F29, 'M', u'小'), - (0x2F2A, 'M', u'尢'), - (0x2F2B, 'M', u'尸'), - (0x2F2C, 'M', u'屮'), - (0x2F2D, 'M', u'山'), - ] - -def _seg_27(): - return [ - (0x2F2E, 'M', u'巛'), - (0x2F2F, 'M', u'工'), - (0x2F30, 'M', u'己'), - (0x2F31, 'M', u'巾'), - (0x2F32, 'M', u'干'), - (0x2F33, 'M', u'幺'), - (0x2F34, 'M', u'广'), - (0x2F35, 'M', u'廴'), - (0x2F36, 'M', u'廾'), - (0x2F37, 'M', u'弋'), - (0x2F38, 'M', u'弓'), - (0x2F39, 'M', u'彐'), - (0x2F3A, 'M', u'彡'), - (0x2F3B, 'M', u'彳'), - (0x2F3C, 'M', u'心'), - (0x2F3D, 'M', u'戈'), - (0x2F3E, 'M', u'戶'), - (0x2F3F, 'M', u'手'), - (0x2F40, 'M', u'支'), - (0x2F41, 'M', u'攴'), - (0x2F42, 'M', u'文'), - (0x2F43, 'M', u'斗'), - (0x2F44, 'M', u'斤'), - (0x2F45, 'M', u'方'), - (0x2F46, 'M', u'无'), - (0x2F47, 'M', u'日'), - (0x2F48, 'M', u'曰'), - (0x2F49, 'M', u'月'), - (0x2F4A, 'M', u'木'), - (0x2F4B, 'M', u'欠'), - (0x2F4C, 'M', u'止'), - (0x2F4D, 'M', u'歹'), - (0x2F4E, 'M', u'殳'), - (0x2F4F, 'M', u'毋'), - (0x2F50, 'M', u'比'), - (0x2F51, 'M', u'毛'), - (0x2F52, 'M', u'氏'), - (0x2F53, 'M', u'气'), - (0x2F54, 'M', u'水'), - (0x2F55, 'M', u'火'), - (0x2F56, 'M', u'爪'), - (0x2F57, 'M', u'父'), - (0x2F58, 'M', u'爻'), - (0x2F59, 'M', u'爿'), - (0x2F5A, 'M', u'片'), - (0x2F5B, 'M', u'牙'), - (0x2F5C, 'M', u'牛'), - (0x2F5D, 'M', u'犬'), - (0x2F5E, 'M', u'玄'), - (0x2F5F, 'M', u'玉'), - (0x2F60, 'M', u'瓜'), - (0x2F61, 'M', u'瓦'), - (0x2F62, 'M', u'甘'), - (0x2F63, 'M', u'生'), - (0x2F64, 'M', u'用'), - (0x2F65, 'M', u'田'), - (0x2F66, 'M', u'疋'), - (0x2F67, 'M', u'疒'), - (0x2F68, 'M', u'癶'), - (0x2F69, 'M', u'白'), - (0x2F6A, 'M', u'皮'), - (0x2F6B, 'M', u'皿'), - (0x2F6C, 'M', u'目'), - (0x2F6D, 'M', u'矛'), - (0x2F6E, 'M', u'矢'), - (0x2F6F, 'M', u'石'), - (0x2F70, 'M', u'示'), - (0x2F71, 'M', u'禸'), - (0x2F72, 'M', u'禾'), - (0x2F73, 'M', u'穴'), - (0x2F74, 'M', u'立'), - (0x2F75, 'M', u'竹'), - (0x2F76, 'M', u'米'), - (0x2F77, 'M', u'糸'), - (0x2F78, 'M', u'缶'), - (0x2F79, 'M', u'网'), - (0x2F7A, 'M', u'羊'), - (0x2F7B, 'M', u'羽'), - (0x2F7C, 'M', u'老'), - (0x2F7D, 'M', u'而'), - (0x2F7E, 'M', u'耒'), - (0x2F7F, 'M', u'耳'), - (0x2F80, 'M', u'聿'), - (0x2F81, 'M', u'肉'), - (0x2F82, 'M', u'臣'), - (0x2F83, 'M', u'自'), - (0x2F84, 'M', u'至'), - (0x2F85, 'M', u'臼'), - (0x2F86, 'M', u'舌'), - (0x2F87, 'M', u'舛'), - (0x2F88, 'M', u'舟'), - (0x2F89, 'M', u'艮'), - (0x2F8A, 'M', u'色'), - (0x2F8B, 'M', u'艸'), - (0x2F8C, 'M', u'虍'), - (0x2F8D, 'M', u'虫'), - (0x2F8E, 'M', u'血'), - (0x2F8F, 'M', u'行'), - (0x2F90, 'M', u'衣'), - (0x2F91, 'M', u'襾'), - ] - -def _seg_28(): - return [ - (0x2F92, 'M', u'見'), - (0x2F93, 'M', u'角'), - (0x2F94, 'M', u'言'), - (0x2F95, 'M', u'谷'), - (0x2F96, 'M', u'豆'), - (0x2F97, 'M', u'豕'), - (0x2F98, 'M', u'豸'), - (0x2F99, 'M', u'貝'), - (0x2F9A, 'M', u'赤'), - (0x2F9B, 'M', u'走'), - (0x2F9C, 'M', u'足'), - (0x2F9D, 'M', u'身'), - (0x2F9E, 'M', u'車'), - (0x2F9F, 'M', u'辛'), - (0x2FA0, 'M', u'辰'), - (0x2FA1, 'M', u'辵'), - (0x2FA2, 'M', u'邑'), - (0x2FA3, 'M', u'酉'), - (0x2FA4, 'M', u'釆'), - (0x2FA5, 'M', u'里'), - (0x2FA6, 'M', u'金'), - (0x2FA7, 'M', u'長'), - (0x2FA8, 'M', u'門'), - (0x2FA9, 'M', u'阜'), - (0x2FAA, 'M', u'隶'), - (0x2FAB, 'M', u'隹'), - (0x2FAC, 'M', u'雨'), - (0x2FAD, 'M', u'靑'), - (0x2FAE, 'M', u'非'), - (0x2FAF, 'M', u'面'), - (0x2FB0, 'M', u'革'), - (0x2FB1, 'M', u'韋'), - (0x2FB2, 'M', u'韭'), - (0x2FB3, 'M', u'音'), - (0x2FB4, 'M', u'頁'), - (0x2FB5, 'M', u'風'), - (0x2FB6, 'M', u'飛'), - (0x2FB7, 'M', u'食'), - (0x2FB8, 'M', u'首'), - (0x2FB9, 'M', u'香'), - (0x2FBA, 'M', u'馬'), - (0x2FBB, 'M', u'骨'), - (0x2FBC, 'M', u'高'), - (0x2FBD, 'M', u'髟'), - (0x2FBE, 'M', u'鬥'), - (0x2FBF, 'M', u'鬯'), - (0x2FC0, 'M', u'鬲'), - (0x2FC1, 'M', u'鬼'), - (0x2FC2, 'M', u'魚'), - (0x2FC3, 'M', u'鳥'), - (0x2FC4, 'M', u'鹵'), - (0x2FC5, 'M', u'鹿'), - (0x2FC6, 'M', u'麥'), - (0x2FC7, 'M', u'麻'), - (0x2FC8, 'M', u'黃'), - (0x2FC9, 'M', u'黍'), - (0x2FCA, 'M', u'黑'), - (0x2FCB, 'M', u'黹'), - (0x2FCC, 'M', u'黽'), - (0x2FCD, 'M', u'鼎'), - (0x2FCE, 'M', u'鼓'), - (0x2FCF, 'M', u'鼠'), - (0x2FD0, 'M', u'鼻'), - (0x2FD1, 'M', u'齊'), - (0x2FD2, 'M', u'齒'), - (0x2FD3, 'M', u'龍'), - (0x2FD4, 'M', u'龜'), - (0x2FD5, 'M', u'龠'), - (0x2FD6, 'X'), - (0x3000, '3', u' '), - (0x3001, 'V'), - (0x3002, 'M', u'.'), - (0x3003, 'V'), - (0x3036, 'M', u'〒'), - (0x3037, 'V'), - (0x3038, 'M', u'十'), - (0x3039, 'M', u'卄'), - (0x303A, 'M', u'卅'), - (0x303B, 'V'), - (0x3040, 'X'), - (0x3041, 'V'), - (0x3097, 'X'), - (0x3099, 'V'), - (0x309B, '3', u' ゙'), - (0x309C, '3', u' ゚'), - (0x309D, 'V'), - (0x309F, 'M', u'より'), - (0x30A0, 'V'), - (0x30FF, 'M', u'コト'), - (0x3100, 'X'), - (0x3105, 'V'), - (0x3130, 'X'), - (0x3131, 'M', u'ᄀ'), - (0x3132, 'M', u'ᄁ'), - (0x3133, 'M', u'ᆪ'), - (0x3134, 'M', u'ᄂ'), - (0x3135, 'M', u'ᆬ'), - (0x3136, 'M', u'ᆭ'), - (0x3137, 'M', u'ᄃ'), - (0x3138, 'M', u'ᄄ'), - ] - -def _seg_29(): - return [ - (0x3139, 'M', u'ᄅ'), - (0x313A, 'M', u'ᆰ'), - (0x313B, 'M', u'ᆱ'), - (0x313C, 'M', u'ᆲ'), - (0x313D, 'M', u'ᆳ'), - (0x313E, 'M', u'ᆴ'), - (0x313F, 'M', u'ᆵ'), - (0x3140, 'M', u'ᄚ'), - (0x3141, 'M', u'ᄆ'), - (0x3142, 'M', u'ᄇ'), - (0x3143, 'M', u'ᄈ'), - (0x3144, 'M', u'ᄡ'), - (0x3145, 'M', u'ᄉ'), - (0x3146, 'M', u'ᄊ'), - (0x3147, 'M', u'ᄋ'), - (0x3148, 'M', u'ᄌ'), - (0x3149, 'M', u'ᄍ'), - (0x314A, 'M', u'ᄎ'), - (0x314B, 'M', u'ᄏ'), - (0x314C, 'M', u'ᄐ'), - (0x314D, 'M', u'ᄑ'), - (0x314E, 'M', u'ᄒ'), - (0x314F, 'M', u'ᅡ'), - (0x3150, 'M', u'ᅢ'), - (0x3151, 'M', u'ᅣ'), - (0x3152, 'M', u'ᅤ'), - (0x3153, 'M', u'ᅥ'), - (0x3154, 'M', u'ᅦ'), - (0x3155, 'M', u'ᅧ'), - (0x3156, 'M', u'ᅨ'), - (0x3157, 'M', u'ᅩ'), - (0x3158, 'M', u'ᅪ'), - (0x3159, 'M', u'ᅫ'), - (0x315A, 'M', u'ᅬ'), - (0x315B, 'M', u'ᅭ'), - (0x315C, 'M', u'ᅮ'), - (0x315D, 'M', u'ᅯ'), - (0x315E, 'M', u'ᅰ'), - (0x315F, 'M', u'ᅱ'), - (0x3160, 'M', u'ᅲ'), - (0x3161, 'M', u'ᅳ'), - (0x3162, 'M', u'ᅴ'), - (0x3163, 'M', u'ᅵ'), - (0x3164, 'X'), - (0x3165, 'M', u'ᄔ'), - (0x3166, 'M', u'ᄕ'), - (0x3167, 'M', u'ᇇ'), - (0x3168, 'M', u'ᇈ'), - (0x3169, 'M', u'ᇌ'), - (0x316A, 'M', u'ᇎ'), - (0x316B, 'M', u'ᇓ'), - (0x316C, 'M', u'ᇗ'), - (0x316D, 'M', u'ᇙ'), - (0x316E, 'M', u'ᄜ'), - (0x316F, 'M', u'ᇝ'), - (0x3170, 'M', u'ᇟ'), - (0x3171, 'M', u'ᄝ'), - (0x3172, 'M', u'ᄞ'), - (0x3173, 'M', u'ᄠ'), - (0x3174, 'M', u'ᄢ'), - (0x3175, 'M', u'ᄣ'), - (0x3176, 'M', u'ᄧ'), - (0x3177, 'M', u'ᄩ'), - (0x3178, 'M', u'ᄫ'), - (0x3179, 'M', u'ᄬ'), - (0x317A, 'M', u'ᄭ'), - (0x317B, 'M', u'ᄮ'), - (0x317C, 'M', u'ᄯ'), - (0x317D, 'M', u'ᄲ'), - (0x317E, 'M', u'ᄶ'), - (0x317F, 'M', u'ᅀ'), - (0x3180, 'M', u'ᅇ'), - (0x3181, 'M', u'ᅌ'), - (0x3182, 'M', u'ᇱ'), - (0x3183, 'M', u'ᇲ'), - (0x3184, 'M', u'ᅗ'), - (0x3185, 'M', u'ᅘ'), - (0x3186, 'M', u'ᅙ'), - (0x3187, 'M', u'ᆄ'), - (0x3188, 'M', u'ᆅ'), - (0x3189, 'M', u'ᆈ'), - (0x318A, 'M', u'ᆑ'), - (0x318B, 'M', u'ᆒ'), - (0x318C, 'M', u'ᆔ'), - (0x318D, 'M', u'ᆞ'), - (0x318E, 'M', u'ᆡ'), - (0x318F, 'X'), - (0x3190, 'V'), - (0x3192, 'M', u'一'), - (0x3193, 'M', u'二'), - (0x3194, 'M', u'三'), - (0x3195, 'M', u'四'), - (0x3196, 'M', u'上'), - (0x3197, 'M', u'中'), - (0x3198, 'M', u'下'), - (0x3199, 'M', u'甲'), - (0x319A, 'M', u'乙'), - (0x319B, 'M', u'丙'), - (0x319C, 'M', u'丁'), - (0x319D, 'M', u'天'), - ] - -def _seg_30(): - return [ - (0x319E, 'M', u'地'), - (0x319F, 'M', u'人'), - (0x31A0, 'V'), - (0x31BB, 'X'), - (0x31C0, 'V'), - (0x31E4, 'X'), - (0x31F0, 'V'), - (0x3200, '3', u'(ᄀ)'), - (0x3201, '3', u'(ᄂ)'), - (0x3202, '3', u'(ᄃ)'), - (0x3203, '3', u'(ᄅ)'), - (0x3204, '3', u'(ᄆ)'), - (0x3205, '3', u'(ᄇ)'), - (0x3206, '3', u'(ᄉ)'), - (0x3207, '3', u'(ᄋ)'), - (0x3208, '3', u'(ᄌ)'), - (0x3209, '3', u'(ᄎ)'), - (0x320A, '3', u'(ᄏ)'), - (0x320B, '3', u'(ᄐ)'), - (0x320C, '3', u'(ᄑ)'), - (0x320D, '3', u'(ᄒ)'), - (0x320E, '3', u'(가)'), - (0x320F, '3', u'(나)'), - (0x3210, '3', u'(다)'), - (0x3211, '3', u'(라)'), - (0x3212, '3', u'(마)'), - (0x3213, '3', u'(바)'), - (0x3214, '3', u'(사)'), - (0x3215, '3', u'(아)'), - (0x3216, '3', u'(자)'), - (0x3217, '3', u'(차)'), - (0x3218, '3', u'(카)'), - (0x3219, '3', u'(타)'), - (0x321A, '3', u'(파)'), - (0x321B, '3', u'(하)'), - (0x321C, '3', u'(주)'), - (0x321D, '3', u'(오전)'), - (0x321E, '3', u'(오후)'), - (0x321F, 'X'), - (0x3220, '3', u'(一)'), - (0x3221, '3', u'(二)'), - (0x3222, '3', u'(三)'), - (0x3223, '3', u'(四)'), - (0x3224, '3', u'(五)'), - (0x3225, '3', u'(六)'), - (0x3226, '3', u'(七)'), - (0x3227, '3', u'(八)'), - (0x3228, '3', u'(九)'), - (0x3229, '3', u'(十)'), - (0x322A, '3', u'(月)'), - (0x322B, '3', u'(火)'), - (0x322C, '3', u'(水)'), - (0x322D, '3', u'(木)'), - (0x322E, '3', u'(金)'), - (0x322F, '3', u'(土)'), - (0x3230, '3', u'(日)'), - (0x3231, '3', u'(株)'), - (0x3232, '3', u'(有)'), - (0x3233, '3', u'(社)'), - (0x3234, '3', u'(名)'), - (0x3235, '3', u'(特)'), - (0x3236, '3', u'(財)'), - (0x3237, '3', u'(祝)'), - (0x3238, '3', u'(労)'), - (0x3239, '3', u'(代)'), - (0x323A, '3', u'(呼)'), - (0x323B, '3', u'(学)'), - (0x323C, '3', u'(監)'), - (0x323D, '3', u'(企)'), - (0x323E, '3', u'(資)'), - (0x323F, '3', u'(協)'), - (0x3240, '3', u'(祭)'), - (0x3241, '3', u'(休)'), - (0x3242, '3', u'(自)'), - (0x3243, '3', u'(至)'), - (0x3244, 'M', u'問'), - (0x3245, 'M', u'幼'), - (0x3246, 'M', u'文'), - (0x3247, 'M', u'箏'), - (0x3248, 'V'), - (0x3250, 'M', u'pte'), - (0x3251, 'M', u'21'), - (0x3252, 'M', u'22'), - (0x3253, 'M', u'23'), - (0x3254, 'M', u'24'), - (0x3255, 'M', u'25'), - (0x3256, 'M', u'26'), - (0x3257, 'M', u'27'), - (0x3258, 'M', u'28'), - (0x3259, 'M', u'29'), - (0x325A, 'M', u'30'), - (0x325B, 'M', u'31'), - (0x325C, 'M', u'32'), - (0x325D, 'M', u'33'), - (0x325E, 'M', u'34'), - (0x325F, 'M', u'35'), - (0x3260, 'M', u'ᄀ'), - (0x3261, 'M', u'ᄂ'), - (0x3262, 'M', u'ᄃ'), - (0x3263, 'M', u'ᄅ'), - ] - -def _seg_31(): - return [ - (0x3264, 'M', u'ᄆ'), - (0x3265, 'M', u'ᄇ'), - (0x3266, 'M', u'ᄉ'), - (0x3267, 'M', u'ᄋ'), - (0x3268, 'M', u'ᄌ'), - (0x3269, 'M', u'ᄎ'), - (0x326A, 'M', u'ᄏ'), - (0x326B, 'M', u'ᄐ'), - (0x326C, 'M', u'ᄑ'), - (0x326D, 'M', u'ᄒ'), - (0x326E, 'M', u'가'), - (0x326F, 'M', u'나'), - (0x3270, 'M', u'다'), - (0x3271, 'M', u'라'), - (0x3272, 'M', u'마'), - (0x3273, 'M', u'바'), - (0x3274, 'M', u'사'), - (0x3275, 'M', u'아'), - (0x3276, 'M', u'자'), - (0x3277, 'M', u'차'), - (0x3278, 'M', u'카'), - (0x3279, 'M', u'타'), - (0x327A, 'M', u'파'), - (0x327B, 'M', u'하'), - (0x327C, 'M', u'참고'), - (0x327D, 'M', u'주의'), - (0x327E, 'M', u'우'), - (0x327F, 'V'), - (0x3280, 'M', u'一'), - (0x3281, 'M', u'二'), - (0x3282, 'M', u'三'), - (0x3283, 'M', u'四'), - (0x3284, 'M', u'五'), - (0x3285, 'M', u'六'), - (0x3286, 'M', u'七'), - (0x3287, 'M', u'八'), - (0x3288, 'M', u'九'), - (0x3289, 'M', u'十'), - (0x328A, 'M', u'月'), - (0x328B, 'M', u'火'), - (0x328C, 'M', u'水'), - (0x328D, 'M', u'木'), - (0x328E, 'M', u'金'), - (0x328F, 'M', u'土'), - (0x3290, 'M', u'日'), - (0x3291, 'M', u'株'), - (0x3292, 'M', u'有'), - (0x3293, 'M', u'社'), - (0x3294, 'M', u'名'), - (0x3295, 'M', u'特'), - (0x3296, 'M', u'財'), - (0x3297, 'M', u'祝'), - (0x3298, 'M', u'労'), - (0x3299, 'M', u'秘'), - (0x329A, 'M', u'男'), - (0x329B, 'M', u'女'), - (0x329C, 'M', u'適'), - (0x329D, 'M', u'優'), - (0x329E, 'M', u'印'), - (0x329F, 'M', u'注'), - (0x32A0, 'M', u'項'), - (0x32A1, 'M', u'休'), - (0x32A2, 'M', u'写'), - (0x32A3, 'M', u'正'), - (0x32A4, 'M', u'上'), - (0x32A5, 'M', u'中'), - (0x32A6, 'M', u'下'), - (0x32A7, 'M', u'左'), - (0x32A8, 'M', u'右'), - (0x32A9, 'M', u'医'), - (0x32AA, 'M', u'宗'), - (0x32AB, 'M', u'学'), - (0x32AC, 'M', u'監'), - (0x32AD, 'M', u'企'), - (0x32AE, 'M', u'資'), - (0x32AF, 'M', u'協'), - (0x32B0, 'M', u'夜'), - (0x32B1, 'M', u'36'), - (0x32B2, 'M', u'37'), - (0x32B3, 'M', u'38'), - (0x32B4, 'M', u'39'), - (0x32B5, 'M', u'40'), - (0x32B6, 'M', u'41'), - (0x32B7, 'M', u'42'), - (0x32B8, 'M', u'43'), - (0x32B9, 'M', u'44'), - (0x32BA, 'M', u'45'), - (0x32BB, 'M', u'46'), - (0x32BC, 'M', u'47'), - (0x32BD, 'M', u'48'), - (0x32BE, 'M', u'49'), - (0x32BF, 'M', u'50'), - (0x32C0, 'M', u'1月'), - (0x32C1, 'M', u'2月'), - (0x32C2, 'M', u'3月'), - (0x32C3, 'M', u'4月'), - (0x32C4, 'M', u'5月'), - (0x32C5, 'M', u'6月'), - (0x32C6, 'M', u'7月'), - (0x32C7, 'M', u'8月'), - ] - -def _seg_32(): - return [ - (0x32C8, 'M', u'9月'), - (0x32C9, 'M', u'10月'), - (0x32CA, 'M', u'11月'), - (0x32CB, 'M', u'12月'), - (0x32CC, 'M', u'hg'), - (0x32CD, 'M', u'erg'), - (0x32CE, 'M', u'ev'), - (0x32CF, 'M', u'ltd'), - (0x32D0, 'M', u'ア'), - (0x32D1, 'M', u'イ'), - (0x32D2, 'M', u'ウ'), - (0x32D3, 'M', u'エ'), - (0x32D4, 'M', u'オ'), - (0x32D5, 'M', u'カ'), - (0x32D6, 'M', u'キ'), - (0x32D7, 'M', u'ク'), - (0x32D8, 'M', u'ケ'), - (0x32D9, 'M', u'コ'), - (0x32DA, 'M', u'サ'), - (0x32DB, 'M', u'シ'), - (0x32DC, 'M', u'ス'), - (0x32DD, 'M', u'セ'), - (0x32DE, 'M', u'ソ'), - (0x32DF, 'M', u'タ'), - (0x32E0, 'M', u'チ'), - (0x32E1, 'M', u'ツ'), - (0x32E2, 'M', u'テ'), - (0x32E3, 'M', u'ト'), - (0x32E4, 'M', u'ナ'), - (0x32E5, 'M', u'ニ'), - (0x32E6, 'M', u'ヌ'), - (0x32E7, 'M', u'ネ'), - (0x32E8, 'M', u'ノ'), - (0x32E9, 'M', u'ハ'), - (0x32EA, 'M', u'ヒ'), - (0x32EB, 'M', u'フ'), - (0x32EC, 'M', u'ヘ'), - (0x32ED, 'M', u'ホ'), - (0x32EE, 'M', u'マ'), - (0x32EF, 'M', u'ミ'), - (0x32F0, 'M', u'ム'), - (0x32F1, 'M', u'メ'), - (0x32F2, 'M', u'モ'), - (0x32F3, 'M', u'ヤ'), - (0x32F4, 'M', u'ユ'), - (0x32F5, 'M', u'ヨ'), - (0x32F6, 'M', u'ラ'), - (0x32F7, 'M', u'リ'), - (0x32F8, 'M', u'ル'), - (0x32F9, 'M', u'レ'), - (0x32FA, 'M', u'ロ'), - (0x32FB, 'M', u'ワ'), - (0x32FC, 'M', u'ヰ'), - (0x32FD, 'M', u'ヱ'), - (0x32FE, 'M', u'ヲ'), - (0x32FF, 'X'), - (0x3300, 'M', u'アパート'), - (0x3301, 'M', u'アルファ'), - (0x3302, 'M', u'アンペア'), - (0x3303, 'M', u'アール'), - (0x3304, 'M', u'イニング'), - (0x3305, 'M', u'インチ'), - (0x3306, 'M', u'ウォン'), - (0x3307, 'M', u'エスクード'), - (0x3308, 'M', u'エーカー'), - (0x3309, 'M', u'オンス'), - (0x330A, 'M', u'オーム'), - (0x330B, 'M', u'カイリ'), - (0x330C, 'M', u'カラット'), - (0x330D, 'M', u'カロリー'), - (0x330E, 'M', u'ガロン'), - (0x330F, 'M', u'ガンマ'), - (0x3310, 'M', u'ギガ'), - (0x3311, 'M', u'ギニー'), - (0x3312, 'M', u'キュリー'), - (0x3313, 'M', u'ギルダー'), - (0x3314, 'M', u'キロ'), - (0x3315, 'M', u'キログラム'), - (0x3316, 'M', u'キロメートル'), - (0x3317, 'M', u'キロワット'), - (0x3318, 'M', u'グラム'), - (0x3319, 'M', u'グラムトン'), - (0x331A, 'M', u'クルゼイロ'), - (0x331B, 'M', u'クローネ'), - (0x331C, 'M', u'ケース'), - (0x331D, 'M', u'コルナ'), - (0x331E, 'M', u'コーポ'), - (0x331F, 'M', u'サイクル'), - (0x3320, 'M', u'サンチーム'), - (0x3321, 'M', u'シリング'), - (0x3322, 'M', u'センチ'), - (0x3323, 'M', u'セント'), - (0x3324, 'M', u'ダース'), - (0x3325, 'M', u'デシ'), - (0x3326, 'M', u'ドル'), - (0x3327, 'M', u'トン'), - (0x3328, 'M', u'ナノ'), - (0x3329, 'M', u'ノット'), - (0x332A, 'M', u'ハイツ'), - (0x332B, 'M', u'パーセント'), - ] - -def _seg_33(): - return [ - (0x332C, 'M', u'パーツ'), - (0x332D, 'M', u'バーレル'), - (0x332E, 'M', u'ピアストル'), - (0x332F, 'M', u'ピクル'), - (0x3330, 'M', u'ピコ'), - (0x3331, 'M', u'ビル'), - (0x3332, 'M', u'ファラッド'), - (0x3333, 'M', u'フィート'), - (0x3334, 'M', u'ブッシェル'), - (0x3335, 'M', u'フラン'), - (0x3336, 'M', u'ヘクタール'), - (0x3337, 'M', u'ペソ'), - (0x3338, 'M', u'ペニヒ'), - (0x3339, 'M', u'ヘルツ'), - (0x333A, 'M', u'ペンス'), - (0x333B, 'M', u'ページ'), - (0x333C, 'M', u'ベータ'), - (0x333D, 'M', u'ポイント'), - (0x333E, 'M', u'ボルト'), - (0x333F, 'M', u'ホン'), - (0x3340, 'M', u'ポンド'), - (0x3341, 'M', u'ホール'), - (0x3342, 'M', u'ホーン'), - (0x3343, 'M', u'マイクロ'), - (0x3344, 'M', u'マイル'), - (0x3345, 'M', u'マッハ'), - (0x3346, 'M', u'マルク'), - (0x3347, 'M', u'マンション'), - (0x3348, 'M', u'ミクロン'), - (0x3349, 'M', u'ミリ'), - (0x334A, 'M', u'ミリバール'), - (0x334B, 'M', u'メガ'), - (0x334C, 'M', u'メガトン'), - (0x334D, 'M', u'メートル'), - (0x334E, 'M', u'ヤード'), - (0x334F, 'M', u'ヤール'), - (0x3350, 'M', u'ユアン'), - (0x3351, 'M', u'リットル'), - (0x3352, 'M', u'リラ'), - (0x3353, 'M', u'ルピー'), - (0x3354, 'M', u'ルーブル'), - (0x3355, 'M', u'レム'), - (0x3356, 'M', u'レントゲン'), - (0x3357, 'M', u'ワット'), - (0x3358, 'M', u'0点'), - (0x3359, 'M', u'1点'), - (0x335A, 'M', u'2点'), - (0x335B, 'M', u'3点'), - (0x335C, 'M', u'4点'), - (0x335D, 'M', u'5点'), - (0x335E, 'M', u'6点'), - (0x335F, 'M', u'7点'), - (0x3360, 'M', u'8点'), - (0x3361, 'M', u'9点'), - (0x3362, 'M', u'10点'), - (0x3363, 'M', u'11点'), - (0x3364, 'M', u'12点'), - (0x3365, 'M', u'13点'), - (0x3366, 'M', u'14点'), - (0x3367, 'M', u'15点'), - (0x3368, 'M', u'16点'), - (0x3369, 'M', u'17点'), - (0x336A, 'M', u'18点'), - (0x336B, 'M', u'19点'), - (0x336C, 'M', u'20点'), - (0x336D, 'M', u'21点'), - (0x336E, 'M', u'22点'), - (0x336F, 'M', u'23点'), - (0x3370, 'M', u'24点'), - (0x3371, 'M', u'hpa'), - (0x3372, 'M', u'da'), - (0x3373, 'M', u'au'), - (0x3374, 'M', u'bar'), - (0x3375, 'M', u'ov'), - (0x3376, 'M', u'pc'), - (0x3377, 'M', u'dm'), - (0x3378, 'M', u'dm2'), - (0x3379, 'M', u'dm3'), - (0x337A, 'M', u'iu'), - (0x337B, 'M', u'平成'), - (0x337C, 'M', u'昭和'), - (0x337D, 'M', u'大正'), - (0x337E, 'M', u'明治'), - (0x337F, 'M', u'株式会社'), - (0x3380, 'M', u'pa'), - (0x3381, 'M', u'na'), - (0x3382, 'M', u'μa'), - (0x3383, 'M', u'ma'), - (0x3384, 'M', u'ka'), - (0x3385, 'M', u'kb'), - (0x3386, 'M', u'mb'), - (0x3387, 'M', u'gb'), - (0x3388, 'M', u'cal'), - (0x3389, 'M', u'kcal'), - (0x338A, 'M', u'pf'), - (0x338B, 'M', u'nf'), - (0x338C, 'M', u'μf'), - (0x338D, 'M', u'μg'), - (0x338E, 'M', u'mg'), - (0x338F, 'M', u'kg'), - ] - -def _seg_34(): - return [ - (0x3390, 'M', u'hz'), - (0x3391, 'M', u'khz'), - (0x3392, 'M', u'mhz'), - (0x3393, 'M', u'ghz'), - (0x3394, 'M', u'thz'), - (0x3395, 'M', u'μl'), - (0x3396, 'M', u'ml'), - (0x3397, 'M', u'dl'), - (0x3398, 'M', u'kl'), - (0x3399, 'M', u'fm'), - (0x339A, 'M', u'nm'), - (0x339B, 'M', u'μm'), - (0x339C, 'M', u'mm'), - (0x339D, 'M', u'cm'), - (0x339E, 'M', u'km'), - (0x339F, 'M', u'mm2'), - (0x33A0, 'M', u'cm2'), - (0x33A1, 'M', u'm2'), - (0x33A2, 'M', u'km2'), - (0x33A3, 'M', u'mm3'), - (0x33A4, 'M', u'cm3'), - (0x33A5, 'M', u'm3'), - (0x33A6, 'M', u'km3'), - (0x33A7, 'M', u'm∕s'), - (0x33A8, 'M', u'm∕s2'), - (0x33A9, 'M', u'pa'), - (0x33AA, 'M', u'kpa'), - (0x33AB, 'M', u'mpa'), - (0x33AC, 'M', u'gpa'), - (0x33AD, 'M', u'rad'), - (0x33AE, 'M', u'rad∕s'), - (0x33AF, 'M', u'rad∕s2'), - (0x33B0, 'M', u'ps'), - (0x33B1, 'M', u'ns'), - (0x33B2, 'M', u'μs'), - (0x33B3, 'M', u'ms'), - (0x33B4, 'M', u'pv'), - (0x33B5, 'M', u'nv'), - (0x33B6, 'M', u'μv'), - (0x33B7, 'M', u'mv'), - (0x33B8, 'M', u'kv'), - (0x33B9, 'M', u'mv'), - (0x33BA, 'M', u'pw'), - (0x33BB, 'M', u'nw'), - (0x33BC, 'M', u'μw'), - (0x33BD, 'M', u'mw'), - (0x33BE, 'M', u'kw'), - (0x33BF, 'M', u'mw'), - (0x33C0, 'M', u'kω'), - (0x33C1, 'M', u'mω'), - (0x33C2, 'X'), - (0x33C3, 'M', u'bq'), - (0x33C4, 'M', u'cc'), - (0x33C5, 'M', u'cd'), - (0x33C6, 'M', u'c∕kg'), - (0x33C7, 'X'), - (0x33C8, 'M', u'db'), - (0x33C9, 'M', u'gy'), - (0x33CA, 'M', u'ha'), - (0x33CB, 'M', u'hp'), - (0x33CC, 'M', u'in'), - (0x33CD, 'M', u'kk'), - (0x33CE, 'M', u'km'), - (0x33CF, 'M', u'kt'), - (0x33D0, 'M', u'lm'), - (0x33D1, 'M', u'ln'), - (0x33D2, 'M', u'log'), - (0x33D3, 'M', u'lx'), - (0x33D4, 'M', u'mb'), - (0x33D5, 'M', u'mil'), - (0x33D6, 'M', u'mol'), - (0x33D7, 'M', u'ph'), - (0x33D8, 'X'), - (0x33D9, 'M', u'ppm'), - (0x33DA, 'M', u'pr'), - (0x33DB, 'M', u'sr'), - (0x33DC, 'M', u'sv'), - (0x33DD, 'M', u'wb'), - (0x33DE, 'M', u'v∕m'), - (0x33DF, 'M', u'a∕m'), - (0x33E0, 'M', u'1日'), - (0x33E1, 'M', u'2日'), - (0x33E2, 'M', u'3日'), - (0x33E3, 'M', u'4日'), - (0x33E4, 'M', u'5日'), - (0x33E5, 'M', u'6日'), - (0x33E6, 'M', u'7日'), - (0x33E7, 'M', u'8日'), - (0x33E8, 'M', u'9日'), - (0x33E9, 'M', u'10日'), - (0x33EA, 'M', u'11日'), - (0x33EB, 'M', u'12日'), - (0x33EC, 'M', u'13日'), - (0x33ED, 'M', u'14日'), - (0x33EE, 'M', u'15日'), - (0x33EF, 'M', u'16日'), - (0x33F0, 'M', u'17日'), - (0x33F1, 'M', u'18日'), - (0x33F2, 'M', u'19日'), - (0x33F3, 'M', u'20日'), - ] - -def _seg_35(): - return [ - (0x33F4, 'M', u'21日'), - (0x33F5, 'M', u'22日'), - (0x33F6, 'M', u'23日'), - (0x33F7, 'M', u'24日'), - (0x33F8, 'M', u'25日'), - (0x33F9, 'M', u'26日'), - (0x33FA, 'M', u'27日'), - (0x33FB, 'M', u'28日'), - (0x33FC, 'M', u'29日'), - (0x33FD, 'M', u'30日'), - (0x33FE, 'M', u'31日'), - (0x33FF, 'M', u'gal'), - (0x3400, 'V'), - (0x4DB6, 'X'), - (0x4DC0, 'V'), - (0x9FF0, 'X'), - (0xA000, 'V'), - (0xA48D, 'X'), - (0xA490, 'V'), - (0xA4C7, 'X'), - (0xA4D0, 'V'), - (0xA62C, 'X'), - (0xA640, 'M', u'ꙁ'), - (0xA641, 'V'), - (0xA642, 'M', u'ꙃ'), - (0xA643, 'V'), - (0xA644, 'M', u'ꙅ'), - (0xA645, 'V'), - (0xA646, 'M', u'ꙇ'), - (0xA647, 'V'), - (0xA648, 'M', u'ꙉ'), - (0xA649, 'V'), - (0xA64A, 'M', u'ꙋ'), - (0xA64B, 'V'), - (0xA64C, 'M', u'ꙍ'), - (0xA64D, 'V'), - (0xA64E, 'M', u'ꙏ'), - (0xA64F, 'V'), - (0xA650, 'M', u'ꙑ'), - (0xA651, 'V'), - (0xA652, 'M', u'ꙓ'), - (0xA653, 'V'), - (0xA654, 'M', u'ꙕ'), - (0xA655, 'V'), - (0xA656, 'M', u'ꙗ'), - (0xA657, 'V'), - (0xA658, 'M', u'ꙙ'), - (0xA659, 'V'), - (0xA65A, 'M', u'ꙛ'), - (0xA65B, 'V'), - (0xA65C, 'M', u'ꙝ'), - (0xA65D, 'V'), - (0xA65E, 'M', u'ꙟ'), - (0xA65F, 'V'), - (0xA660, 'M', u'ꙡ'), - (0xA661, 'V'), - (0xA662, 'M', u'ꙣ'), - (0xA663, 'V'), - (0xA664, 'M', u'ꙥ'), - (0xA665, 'V'), - (0xA666, 'M', u'ꙧ'), - (0xA667, 'V'), - (0xA668, 'M', u'ꙩ'), - (0xA669, 'V'), - (0xA66A, 'M', u'ꙫ'), - (0xA66B, 'V'), - (0xA66C, 'M', u'ꙭ'), - (0xA66D, 'V'), - (0xA680, 'M', u'ꚁ'), - (0xA681, 'V'), - (0xA682, 'M', u'ꚃ'), - (0xA683, 'V'), - (0xA684, 'M', u'ꚅ'), - (0xA685, 'V'), - (0xA686, 'M', u'ꚇ'), - (0xA687, 'V'), - (0xA688, 'M', u'ꚉ'), - (0xA689, 'V'), - (0xA68A, 'M', u'ꚋ'), - (0xA68B, 'V'), - (0xA68C, 'M', u'ꚍ'), - (0xA68D, 'V'), - (0xA68E, 'M', u'ꚏ'), - (0xA68F, 'V'), - (0xA690, 'M', u'ꚑ'), - (0xA691, 'V'), - (0xA692, 'M', u'ꚓ'), - (0xA693, 'V'), - (0xA694, 'M', u'ꚕ'), - (0xA695, 'V'), - (0xA696, 'M', u'ꚗ'), - (0xA697, 'V'), - (0xA698, 'M', u'ꚙ'), - (0xA699, 'V'), - (0xA69A, 'M', u'ꚛ'), - (0xA69B, 'V'), - (0xA69C, 'M', u'ъ'), - (0xA69D, 'M', u'ь'), - (0xA69E, 'V'), - (0xA6F8, 'X'), - ] - -def _seg_36(): - return [ - (0xA700, 'V'), - (0xA722, 'M', u'ꜣ'), - (0xA723, 'V'), - (0xA724, 'M', u'ꜥ'), - (0xA725, 'V'), - (0xA726, 'M', u'ꜧ'), - (0xA727, 'V'), - (0xA728, 'M', u'ꜩ'), - (0xA729, 'V'), - (0xA72A, 'M', u'ꜫ'), - (0xA72B, 'V'), - (0xA72C, 'M', u'ꜭ'), - (0xA72D, 'V'), - (0xA72E, 'M', u'ꜯ'), - (0xA72F, 'V'), - (0xA732, 'M', u'ꜳ'), - (0xA733, 'V'), - (0xA734, 'M', u'ꜵ'), - (0xA735, 'V'), - (0xA736, 'M', u'ꜷ'), - (0xA737, 'V'), - (0xA738, 'M', u'ꜹ'), - (0xA739, 'V'), - (0xA73A, 'M', u'ꜻ'), - (0xA73B, 'V'), - (0xA73C, 'M', u'ꜽ'), - (0xA73D, 'V'), - (0xA73E, 'M', u'ꜿ'), - (0xA73F, 'V'), - (0xA740, 'M', u'ꝁ'), - (0xA741, 'V'), - (0xA742, 'M', u'ꝃ'), - (0xA743, 'V'), - (0xA744, 'M', u'ꝅ'), - (0xA745, 'V'), - (0xA746, 'M', u'ꝇ'), - (0xA747, 'V'), - (0xA748, 'M', u'ꝉ'), - (0xA749, 'V'), - (0xA74A, 'M', u'ꝋ'), - (0xA74B, 'V'), - (0xA74C, 'M', u'ꝍ'), - (0xA74D, 'V'), - (0xA74E, 'M', u'ꝏ'), - (0xA74F, 'V'), - (0xA750, 'M', u'ꝑ'), - (0xA751, 'V'), - (0xA752, 'M', u'ꝓ'), - (0xA753, 'V'), - (0xA754, 'M', u'ꝕ'), - (0xA755, 'V'), - (0xA756, 'M', u'ꝗ'), - (0xA757, 'V'), - (0xA758, 'M', u'ꝙ'), - (0xA759, 'V'), - (0xA75A, 'M', u'ꝛ'), - (0xA75B, 'V'), - (0xA75C, 'M', u'ꝝ'), - (0xA75D, 'V'), - (0xA75E, 'M', u'ꝟ'), - (0xA75F, 'V'), - (0xA760, 'M', u'ꝡ'), - (0xA761, 'V'), - (0xA762, 'M', u'ꝣ'), - (0xA763, 'V'), - (0xA764, 'M', u'ꝥ'), - (0xA765, 'V'), - (0xA766, 'M', u'ꝧ'), - (0xA767, 'V'), - (0xA768, 'M', u'ꝩ'), - (0xA769, 'V'), - (0xA76A, 'M', u'ꝫ'), - (0xA76B, 'V'), - (0xA76C, 'M', u'ꝭ'), - (0xA76D, 'V'), - (0xA76E, 'M', u'ꝯ'), - (0xA76F, 'V'), - (0xA770, 'M', u'ꝯ'), - (0xA771, 'V'), - (0xA779, 'M', u'ꝺ'), - (0xA77A, 'V'), - (0xA77B, 'M', u'ꝼ'), - (0xA77C, 'V'), - (0xA77D, 'M', u'ᵹ'), - (0xA77E, 'M', u'ꝿ'), - (0xA77F, 'V'), - (0xA780, 'M', u'ꞁ'), - (0xA781, 'V'), - (0xA782, 'M', u'ꞃ'), - (0xA783, 'V'), - (0xA784, 'M', u'ꞅ'), - (0xA785, 'V'), - (0xA786, 'M', u'ꞇ'), - (0xA787, 'V'), - (0xA78B, 'M', u'ꞌ'), - (0xA78C, 'V'), - (0xA78D, 'M', u'ɥ'), - (0xA78E, 'V'), - (0xA790, 'M', u'ꞑ'), - (0xA791, 'V'), - ] - -def _seg_37(): - return [ - (0xA792, 'M', u'ꞓ'), - (0xA793, 'V'), - (0xA796, 'M', u'ꞗ'), - (0xA797, 'V'), - (0xA798, 'M', u'ꞙ'), - (0xA799, 'V'), - (0xA79A, 'M', u'ꞛ'), - (0xA79B, 'V'), - (0xA79C, 'M', u'ꞝ'), - (0xA79D, 'V'), - (0xA79E, 'M', u'ꞟ'), - (0xA79F, 'V'), - (0xA7A0, 'M', u'ꞡ'), - (0xA7A1, 'V'), - (0xA7A2, 'M', u'ꞣ'), - (0xA7A3, 'V'), - (0xA7A4, 'M', u'ꞥ'), - (0xA7A5, 'V'), - (0xA7A6, 'M', u'ꞧ'), - (0xA7A7, 'V'), - (0xA7A8, 'M', u'ꞩ'), - (0xA7A9, 'V'), - (0xA7AA, 'M', u'ɦ'), - (0xA7AB, 'M', u'ɜ'), - (0xA7AC, 'M', u'ɡ'), - (0xA7AD, 'M', u'ɬ'), - (0xA7AE, 'M', u'ɪ'), - (0xA7AF, 'V'), - (0xA7B0, 'M', u'ʞ'), - (0xA7B1, 'M', u'ʇ'), - (0xA7B2, 'M', u'ʝ'), - (0xA7B3, 'M', u'ꭓ'), - (0xA7B4, 'M', u'ꞵ'), - (0xA7B5, 'V'), - (0xA7B6, 'M', u'ꞷ'), - (0xA7B7, 'V'), - (0xA7B8, 'X'), - (0xA7B9, 'V'), - (0xA7BA, 'X'), - (0xA7F7, 'V'), - (0xA7F8, 'M', u'ħ'), - (0xA7F9, 'M', u'œ'), - (0xA7FA, 'V'), - (0xA82C, 'X'), - (0xA830, 'V'), - (0xA83A, 'X'), - (0xA840, 'V'), - (0xA878, 'X'), - (0xA880, 'V'), - (0xA8C6, 'X'), - (0xA8CE, 'V'), - (0xA8DA, 'X'), - (0xA8E0, 'V'), - (0xA954, 'X'), - (0xA95F, 'V'), - (0xA97D, 'X'), - (0xA980, 'V'), - (0xA9CE, 'X'), - (0xA9CF, 'V'), - (0xA9DA, 'X'), - (0xA9DE, 'V'), - (0xA9FF, 'X'), - (0xAA00, 'V'), - (0xAA37, 'X'), - (0xAA40, 'V'), - (0xAA4E, 'X'), - (0xAA50, 'V'), - (0xAA5A, 'X'), - (0xAA5C, 'V'), - (0xAAC3, 'X'), - (0xAADB, 'V'), - (0xAAF7, 'X'), - (0xAB01, 'V'), - (0xAB07, 'X'), - (0xAB09, 'V'), - (0xAB0F, 'X'), - (0xAB11, 'V'), - (0xAB17, 'X'), - (0xAB20, 'V'), - (0xAB27, 'X'), - (0xAB28, 'V'), - (0xAB2F, 'X'), - (0xAB30, 'V'), - (0xAB5C, 'M', u'ꜧ'), - (0xAB5D, 'M', u'ꬷ'), - (0xAB5E, 'M', u'ɫ'), - (0xAB5F, 'M', u'ꭒ'), - (0xAB60, 'V'), - (0xAB66, 'X'), - (0xAB70, 'M', u'Ꭰ'), - (0xAB71, 'M', u'Ꭱ'), - (0xAB72, 'M', u'Ꭲ'), - (0xAB73, 'M', u'Ꭳ'), - (0xAB74, 'M', u'Ꭴ'), - (0xAB75, 'M', u'Ꭵ'), - (0xAB76, 'M', u'Ꭶ'), - (0xAB77, 'M', u'Ꭷ'), - (0xAB78, 'M', u'Ꭸ'), - (0xAB79, 'M', u'Ꭹ'), - (0xAB7A, 'M', u'Ꭺ'), - ] - -def _seg_38(): - return [ - (0xAB7B, 'M', u'Ꭻ'), - (0xAB7C, 'M', u'Ꭼ'), - (0xAB7D, 'M', u'Ꭽ'), - (0xAB7E, 'M', u'Ꭾ'), - (0xAB7F, 'M', u'Ꭿ'), - (0xAB80, 'M', u'Ꮀ'), - (0xAB81, 'M', u'Ꮁ'), - (0xAB82, 'M', u'Ꮂ'), - (0xAB83, 'M', u'Ꮃ'), - (0xAB84, 'M', u'Ꮄ'), - (0xAB85, 'M', u'Ꮅ'), - (0xAB86, 'M', u'Ꮆ'), - (0xAB87, 'M', u'Ꮇ'), - (0xAB88, 'M', u'Ꮈ'), - (0xAB89, 'M', u'Ꮉ'), - (0xAB8A, 'M', u'Ꮊ'), - (0xAB8B, 'M', u'Ꮋ'), - (0xAB8C, 'M', u'Ꮌ'), - (0xAB8D, 'M', u'Ꮍ'), - (0xAB8E, 'M', u'Ꮎ'), - (0xAB8F, 'M', u'Ꮏ'), - (0xAB90, 'M', u'Ꮐ'), - (0xAB91, 'M', u'Ꮑ'), - (0xAB92, 'M', u'Ꮒ'), - (0xAB93, 'M', u'Ꮓ'), - (0xAB94, 'M', u'Ꮔ'), - (0xAB95, 'M', u'Ꮕ'), - (0xAB96, 'M', u'Ꮖ'), - (0xAB97, 'M', u'Ꮗ'), - (0xAB98, 'M', u'Ꮘ'), - (0xAB99, 'M', u'Ꮙ'), - (0xAB9A, 'M', u'Ꮚ'), - (0xAB9B, 'M', u'Ꮛ'), - (0xAB9C, 'M', u'Ꮜ'), - (0xAB9D, 'M', u'Ꮝ'), - (0xAB9E, 'M', u'Ꮞ'), - (0xAB9F, 'M', u'Ꮟ'), - (0xABA0, 'M', u'Ꮠ'), - (0xABA1, 'M', u'Ꮡ'), - (0xABA2, 'M', u'Ꮢ'), - (0xABA3, 'M', u'Ꮣ'), - (0xABA4, 'M', u'Ꮤ'), - (0xABA5, 'M', u'Ꮥ'), - (0xABA6, 'M', u'Ꮦ'), - (0xABA7, 'M', u'Ꮧ'), - (0xABA8, 'M', u'Ꮨ'), - (0xABA9, 'M', u'Ꮩ'), - (0xABAA, 'M', u'Ꮪ'), - (0xABAB, 'M', u'Ꮫ'), - (0xABAC, 'M', u'Ꮬ'), - (0xABAD, 'M', u'Ꮭ'), - (0xABAE, 'M', u'Ꮮ'), - (0xABAF, 'M', u'Ꮯ'), - (0xABB0, 'M', u'Ꮰ'), - (0xABB1, 'M', u'Ꮱ'), - (0xABB2, 'M', u'Ꮲ'), - (0xABB3, 'M', u'Ꮳ'), - (0xABB4, 'M', u'Ꮴ'), - (0xABB5, 'M', u'Ꮵ'), - (0xABB6, 'M', u'Ꮶ'), - (0xABB7, 'M', u'Ꮷ'), - (0xABB8, 'M', u'Ꮸ'), - (0xABB9, 'M', u'Ꮹ'), - (0xABBA, 'M', u'Ꮺ'), - (0xABBB, 'M', u'Ꮻ'), - (0xABBC, 'M', u'Ꮼ'), - (0xABBD, 'M', u'Ꮽ'), - (0xABBE, 'M', u'Ꮾ'), - (0xABBF, 'M', u'Ꮿ'), - (0xABC0, 'V'), - (0xABEE, 'X'), - (0xABF0, 'V'), - (0xABFA, 'X'), - (0xAC00, 'V'), - (0xD7A4, 'X'), - (0xD7B0, 'V'), - (0xD7C7, 'X'), - (0xD7CB, 'V'), - (0xD7FC, 'X'), - (0xF900, 'M', u'豈'), - (0xF901, 'M', u'更'), - (0xF902, 'M', u'車'), - (0xF903, 'M', u'賈'), - (0xF904, 'M', u'滑'), - (0xF905, 'M', u'串'), - (0xF906, 'M', u'句'), - (0xF907, 'M', u'龜'), - (0xF909, 'M', u'契'), - (0xF90A, 'M', u'金'), - (0xF90B, 'M', u'喇'), - (0xF90C, 'M', u'奈'), - (0xF90D, 'M', u'懶'), - (0xF90E, 'M', u'癩'), - (0xF90F, 'M', u'羅'), - (0xF910, 'M', u'蘿'), - (0xF911, 'M', u'螺'), - (0xF912, 'M', u'裸'), - (0xF913, 'M', u'邏'), - (0xF914, 'M', u'樂'), - (0xF915, 'M', u'洛'), - ] - -def _seg_39(): - return [ - (0xF916, 'M', u'烙'), - (0xF917, 'M', u'珞'), - (0xF918, 'M', u'落'), - (0xF919, 'M', u'酪'), - (0xF91A, 'M', u'駱'), - (0xF91B, 'M', u'亂'), - (0xF91C, 'M', u'卵'), - (0xF91D, 'M', u'欄'), - (0xF91E, 'M', u'爛'), - (0xF91F, 'M', u'蘭'), - (0xF920, 'M', u'鸞'), - (0xF921, 'M', u'嵐'), - (0xF922, 'M', u'濫'), - (0xF923, 'M', u'藍'), - (0xF924, 'M', u'襤'), - (0xF925, 'M', u'拉'), - (0xF926, 'M', u'臘'), - (0xF927, 'M', u'蠟'), - (0xF928, 'M', u'廊'), - (0xF929, 'M', u'朗'), - (0xF92A, 'M', u'浪'), - (0xF92B, 'M', u'狼'), - (0xF92C, 'M', u'郎'), - (0xF92D, 'M', u'來'), - (0xF92E, 'M', u'冷'), - (0xF92F, 'M', u'勞'), - (0xF930, 'M', u'擄'), - (0xF931, 'M', u'櫓'), - (0xF932, 'M', u'爐'), - (0xF933, 'M', u'盧'), - (0xF934, 'M', u'老'), - (0xF935, 'M', u'蘆'), - (0xF936, 'M', u'虜'), - (0xF937, 'M', u'路'), - (0xF938, 'M', u'露'), - (0xF939, 'M', u'魯'), - (0xF93A, 'M', u'鷺'), - (0xF93B, 'M', u'碌'), - (0xF93C, 'M', u'祿'), - (0xF93D, 'M', u'綠'), - (0xF93E, 'M', u'菉'), - (0xF93F, 'M', u'錄'), - (0xF940, 'M', u'鹿'), - (0xF941, 'M', u'論'), - (0xF942, 'M', u'壟'), - (0xF943, 'M', u'弄'), - (0xF944, 'M', u'籠'), - (0xF945, 'M', u'聾'), - (0xF946, 'M', u'牢'), - (0xF947, 'M', u'磊'), - (0xF948, 'M', u'賂'), - (0xF949, 'M', u'雷'), - (0xF94A, 'M', u'壘'), - (0xF94B, 'M', u'屢'), - (0xF94C, 'M', u'樓'), - (0xF94D, 'M', u'淚'), - (0xF94E, 'M', u'漏'), - (0xF94F, 'M', u'累'), - (0xF950, 'M', u'縷'), - (0xF951, 'M', u'陋'), - (0xF952, 'M', u'勒'), - (0xF953, 'M', u'肋'), - (0xF954, 'M', u'凜'), - (0xF955, 'M', u'凌'), - (0xF956, 'M', u'稜'), - (0xF957, 'M', u'綾'), - (0xF958, 'M', u'菱'), - (0xF959, 'M', u'陵'), - (0xF95A, 'M', u'讀'), - (0xF95B, 'M', u'拏'), - (0xF95C, 'M', u'樂'), - (0xF95D, 'M', u'諾'), - (0xF95E, 'M', u'丹'), - (0xF95F, 'M', u'寧'), - (0xF960, 'M', u'怒'), - (0xF961, 'M', u'率'), - (0xF962, 'M', u'異'), - (0xF963, 'M', u'北'), - (0xF964, 'M', u'磻'), - (0xF965, 'M', u'便'), - (0xF966, 'M', u'復'), - (0xF967, 'M', u'不'), - (0xF968, 'M', u'泌'), - (0xF969, 'M', u'數'), - (0xF96A, 'M', u'索'), - (0xF96B, 'M', u'參'), - (0xF96C, 'M', u'塞'), - (0xF96D, 'M', u'省'), - (0xF96E, 'M', u'葉'), - (0xF96F, 'M', u'說'), - (0xF970, 'M', u'殺'), - (0xF971, 'M', u'辰'), - (0xF972, 'M', u'沈'), - (0xF973, 'M', u'拾'), - (0xF974, 'M', u'若'), - (0xF975, 'M', u'掠'), - (0xF976, 'M', u'略'), - (0xF977, 'M', u'亮'), - (0xF978, 'M', u'兩'), - (0xF979, 'M', u'凉'), - ] - -def _seg_40(): - return [ - (0xF97A, 'M', u'梁'), - (0xF97B, 'M', u'糧'), - (0xF97C, 'M', u'良'), - (0xF97D, 'M', u'諒'), - (0xF97E, 'M', u'量'), - (0xF97F, 'M', u'勵'), - (0xF980, 'M', u'呂'), - (0xF981, 'M', u'女'), - (0xF982, 'M', u'廬'), - (0xF983, 'M', u'旅'), - (0xF984, 'M', u'濾'), - (0xF985, 'M', u'礪'), - (0xF986, 'M', u'閭'), - (0xF987, 'M', u'驪'), - (0xF988, 'M', u'麗'), - (0xF989, 'M', u'黎'), - (0xF98A, 'M', u'力'), - (0xF98B, 'M', u'曆'), - (0xF98C, 'M', u'歷'), - (0xF98D, 'M', u'轢'), - (0xF98E, 'M', u'年'), - (0xF98F, 'M', u'憐'), - (0xF990, 'M', u'戀'), - (0xF991, 'M', u'撚'), - (0xF992, 'M', u'漣'), - (0xF993, 'M', u'煉'), - (0xF994, 'M', u'璉'), - (0xF995, 'M', u'秊'), - (0xF996, 'M', u'練'), - (0xF997, 'M', u'聯'), - (0xF998, 'M', u'輦'), - (0xF999, 'M', u'蓮'), - (0xF99A, 'M', u'連'), - (0xF99B, 'M', u'鍊'), - (0xF99C, 'M', u'列'), - (0xF99D, 'M', u'劣'), - (0xF99E, 'M', u'咽'), - (0xF99F, 'M', u'烈'), - (0xF9A0, 'M', u'裂'), - (0xF9A1, 'M', u'說'), - (0xF9A2, 'M', u'廉'), - (0xF9A3, 'M', u'念'), - (0xF9A4, 'M', u'捻'), - (0xF9A5, 'M', u'殮'), - (0xF9A6, 'M', u'簾'), - (0xF9A7, 'M', u'獵'), - (0xF9A8, 'M', u'令'), - (0xF9A9, 'M', u'囹'), - (0xF9AA, 'M', u'寧'), - (0xF9AB, 'M', u'嶺'), - (0xF9AC, 'M', u'怜'), - (0xF9AD, 'M', u'玲'), - (0xF9AE, 'M', u'瑩'), - (0xF9AF, 'M', u'羚'), - (0xF9B0, 'M', u'聆'), - (0xF9B1, 'M', u'鈴'), - (0xF9B2, 'M', u'零'), - (0xF9B3, 'M', u'靈'), - (0xF9B4, 'M', u'領'), - (0xF9B5, 'M', u'例'), - (0xF9B6, 'M', u'禮'), - (0xF9B7, 'M', u'醴'), - (0xF9B8, 'M', u'隸'), - (0xF9B9, 'M', u'惡'), - (0xF9BA, 'M', u'了'), - (0xF9BB, 'M', u'僚'), - (0xF9BC, 'M', u'寮'), - (0xF9BD, 'M', u'尿'), - (0xF9BE, 'M', u'料'), - (0xF9BF, 'M', u'樂'), - (0xF9C0, 'M', u'燎'), - (0xF9C1, 'M', u'療'), - (0xF9C2, 'M', u'蓼'), - (0xF9C3, 'M', u'遼'), - (0xF9C4, 'M', u'龍'), - (0xF9C5, 'M', u'暈'), - (0xF9C6, 'M', u'阮'), - (0xF9C7, 'M', u'劉'), - (0xF9C8, 'M', u'杻'), - (0xF9C9, 'M', u'柳'), - (0xF9CA, 'M', u'流'), - (0xF9CB, 'M', u'溜'), - (0xF9CC, 'M', u'琉'), - (0xF9CD, 'M', u'留'), - (0xF9CE, 'M', u'硫'), - (0xF9CF, 'M', u'紐'), - (0xF9D0, 'M', u'類'), - (0xF9D1, 'M', u'六'), - (0xF9D2, 'M', u'戮'), - (0xF9D3, 'M', u'陸'), - (0xF9D4, 'M', u'倫'), - (0xF9D5, 'M', u'崙'), - (0xF9D6, 'M', u'淪'), - (0xF9D7, 'M', u'輪'), - (0xF9D8, 'M', u'律'), - (0xF9D9, 'M', u'慄'), - (0xF9DA, 'M', u'栗'), - (0xF9DB, 'M', u'率'), - (0xF9DC, 'M', u'隆'), - (0xF9DD, 'M', u'利'), - ] - -def _seg_41(): - return [ - (0xF9DE, 'M', u'吏'), - (0xF9DF, 'M', u'履'), - (0xF9E0, 'M', u'易'), - (0xF9E1, 'M', u'李'), - (0xF9E2, 'M', u'梨'), - (0xF9E3, 'M', u'泥'), - (0xF9E4, 'M', u'理'), - (0xF9E5, 'M', u'痢'), - (0xF9E6, 'M', u'罹'), - (0xF9E7, 'M', u'裏'), - (0xF9E8, 'M', u'裡'), - (0xF9E9, 'M', u'里'), - (0xF9EA, 'M', u'離'), - (0xF9EB, 'M', u'匿'), - (0xF9EC, 'M', u'溺'), - (0xF9ED, 'M', u'吝'), - (0xF9EE, 'M', u'燐'), - (0xF9EF, 'M', u'璘'), - (0xF9F0, 'M', u'藺'), - (0xF9F1, 'M', u'隣'), - (0xF9F2, 'M', u'鱗'), - (0xF9F3, 'M', u'麟'), - (0xF9F4, 'M', u'林'), - (0xF9F5, 'M', u'淋'), - (0xF9F6, 'M', u'臨'), - (0xF9F7, 'M', u'立'), - (0xF9F8, 'M', u'笠'), - (0xF9F9, 'M', u'粒'), - (0xF9FA, 'M', u'狀'), - (0xF9FB, 'M', u'炙'), - (0xF9FC, 'M', u'識'), - (0xF9FD, 'M', u'什'), - (0xF9FE, 'M', u'茶'), - (0xF9FF, 'M', u'刺'), - (0xFA00, 'M', u'切'), - (0xFA01, 'M', u'度'), - (0xFA02, 'M', u'拓'), - (0xFA03, 'M', u'糖'), - (0xFA04, 'M', u'宅'), - (0xFA05, 'M', u'洞'), - (0xFA06, 'M', u'暴'), - (0xFA07, 'M', u'輻'), - (0xFA08, 'M', u'行'), - (0xFA09, 'M', u'降'), - (0xFA0A, 'M', u'見'), - (0xFA0B, 'M', u'廓'), - (0xFA0C, 'M', u'兀'), - (0xFA0D, 'M', u'嗀'), - (0xFA0E, 'V'), - (0xFA10, 'M', u'塚'), - (0xFA11, 'V'), - (0xFA12, 'M', u'晴'), - (0xFA13, 'V'), - (0xFA15, 'M', u'凞'), - (0xFA16, 'M', u'猪'), - (0xFA17, 'M', u'益'), - (0xFA18, 'M', u'礼'), - (0xFA19, 'M', u'神'), - (0xFA1A, 'M', u'祥'), - (0xFA1B, 'M', u'福'), - (0xFA1C, 'M', u'靖'), - (0xFA1D, 'M', u'精'), - (0xFA1E, 'M', u'羽'), - (0xFA1F, 'V'), - (0xFA20, 'M', u'蘒'), - (0xFA21, 'V'), - (0xFA22, 'M', u'諸'), - (0xFA23, 'V'), - (0xFA25, 'M', u'逸'), - (0xFA26, 'M', u'都'), - (0xFA27, 'V'), - (0xFA2A, 'M', u'飯'), - (0xFA2B, 'M', u'飼'), - (0xFA2C, 'M', u'館'), - (0xFA2D, 'M', u'鶴'), - (0xFA2E, 'M', u'郞'), - (0xFA2F, 'M', u'隷'), - (0xFA30, 'M', u'侮'), - (0xFA31, 'M', u'僧'), - (0xFA32, 'M', u'免'), - (0xFA33, 'M', u'勉'), - (0xFA34, 'M', u'勤'), - (0xFA35, 'M', u'卑'), - (0xFA36, 'M', u'喝'), - (0xFA37, 'M', u'嘆'), - (0xFA38, 'M', u'器'), - (0xFA39, 'M', u'塀'), - (0xFA3A, 'M', u'墨'), - (0xFA3B, 'M', u'層'), - (0xFA3C, 'M', u'屮'), - (0xFA3D, 'M', u'悔'), - (0xFA3E, 'M', u'慨'), - (0xFA3F, 'M', u'憎'), - (0xFA40, 'M', u'懲'), - (0xFA41, 'M', u'敏'), - (0xFA42, 'M', u'既'), - (0xFA43, 'M', u'暑'), - (0xFA44, 'M', u'梅'), - (0xFA45, 'M', u'海'), - (0xFA46, 'M', u'渚'), - ] - -def _seg_42(): - return [ - (0xFA47, 'M', u'漢'), - (0xFA48, 'M', u'煮'), - (0xFA49, 'M', u'爫'), - (0xFA4A, 'M', u'琢'), - (0xFA4B, 'M', u'碑'), - (0xFA4C, 'M', u'社'), - (0xFA4D, 'M', u'祉'), - (0xFA4E, 'M', u'祈'), - (0xFA4F, 'M', u'祐'), - (0xFA50, 'M', u'祖'), - (0xFA51, 'M', u'祝'), - (0xFA52, 'M', u'禍'), - (0xFA53, 'M', u'禎'), - (0xFA54, 'M', u'穀'), - (0xFA55, 'M', u'突'), - (0xFA56, 'M', u'節'), - (0xFA57, 'M', u'練'), - (0xFA58, 'M', u'縉'), - (0xFA59, 'M', u'繁'), - (0xFA5A, 'M', u'署'), - (0xFA5B, 'M', u'者'), - (0xFA5C, 'M', u'臭'), - (0xFA5D, 'M', u'艹'), - (0xFA5F, 'M', u'著'), - (0xFA60, 'M', u'褐'), - (0xFA61, 'M', u'視'), - (0xFA62, 'M', u'謁'), - (0xFA63, 'M', u'謹'), - (0xFA64, 'M', u'賓'), - (0xFA65, 'M', u'贈'), - (0xFA66, 'M', u'辶'), - (0xFA67, 'M', u'逸'), - (0xFA68, 'M', u'難'), - (0xFA69, 'M', u'響'), - (0xFA6A, 'M', u'頻'), - (0xFA6B, 'M', u'恵'), - (0xFA6C, 'M', u'𤋮'), - (0xFA6D, 'M', u'舘'), - (0xFA6E, 'X'), - (0xFA70, 'M', u'並'), - (0xFA71, 'M', u'况'), - (0xFA72, 'M', u'全'), - (0xFA73, 'M', u'侀'), - (0xFA74, 'M', u'充'), - (0xFA75, 'M', u'冀'), - (0xFA76, 'M', u'勇'), - (0xFA77, 'M', u'勺'), - (0xFA78, 'M', u'喝'), - (0xFA79, 'M', u'啕'), - (0xFA7A, 'M', u'喙'), - (0xFA7B, 'M', u'嗢'), - (0xFA7C, 'M', u'塚'), - (0xFA7D, 'M', u'墳'), - (0xFA7E, 'M', u'奄'), - (0xFA7F, 'M', u'奔'), - (0xFA80, 'M', u'婢'), - (0xFA81, 'M', u'嬨'), - (0xFA82, 'M', u'廒'), - (0xFA83, 'M', u'廙'), - (0xFA84, 'M', u'彩'), - (0xFA85, 'M', u'徭'), - (0xFA86, 'M', u'惘'), - (0xFA87, 'M', u'慎'), - (0xFA88, 'M', u'愈'), - (0xFA89, 'M', u'憎'), - (0xFA8A, 'M', u'慠'), - (0xFA8B, 'M', u'懲'), - (0xFA8C, 'M', u'戴'), - (0xFA8D, 'M', u'揄'), - (0xFA8E, 'M', u'搜'), - (0xFA8F, 'M', u'摒'), - (0xFA90, 'M', u'敖'), - (0xFA91, 'M', u'晴'), - (0xFA92, 'M', u'朗'), - (0xFA93, 'M', u'望'), - (0xFA94, 'M', u'杖'), - (0xFA95, 'M', u'歹'), - (0xFA96, 'M', u'殺'), - (0xFA97, 'M', u'流'), - (0xFA98, 'M', u'滛'), - (0xFA99, 'M', u'滋'), - (0xFA9A, 'M', u'漢'), - (0xFA9B, 'M', u'瀞'), - (0xFA9C, 'M', u'煮'), - (0xFA9D, 'M', u'瞧'), - (0xFA9E, 'M', u'爵'), - (0xFA9F, 'M', u'犯'), - (0xFAA0, 'M', u'猪'), - (0xFAA1, 'M', u'瑱'), - (0xFAA2, 'M', u'甆'), - (0xFAA3, 'M', u'画'), - (0xFAA4, 'M', u'瘝'), - (0xFAA5, 'M', u'瘟'), - (0xFAA6, 'M', u'益'), - (0xFAA7, 'M', u'盛'), - (0xFAA8, 'M', u'直'), - (0xFAA9, 'M', u'睊'), - (0xFAAA, 'M', u'着'), - (0xFAAB, 'M', u'磌'), - (0xFAAC, 'M', u'窱'), - ] - -def _seg_43(): - return [ - (0xFAAD, 'M', u'節'), - (0xFAAE, 'M', u'类'), - (0xFAAF, 'M', u'絛'), - (0xFAB0, 'M', u'練'), - (0xFAB1, 'M', u'缾'), - (0xFAB2, 'M', u'者'), - (0xFAB3, 'M', u'荒'), - (0xFAB4, 'M', u'華'), - (0xFAB5, 'M', u'蝹'), - (0xFAB6, 'M', u'襁'), - (0xFAB7, 'M', u'覆'), - (0xFAB8, 'M', u'視'), - (0xFAB9, 'M', u'調'), - (0xFABA, 'M', u'諸'), - (0xFABB, 'M', u'請'), - (0xFABC, 'M', u'謁'), - (0xFABD, 'M', u'諾'), - (0xFABE, 'M', u'諭'), - (0xFABF, 'M', u'謹'), - (0xFAC0, 'M', u'變'), - (0xFAC1, 'M', u'贈'), - (0xFAC2, 'M', u'輸'), - (0xFAC3, 'M', u'遲'), - (0xFAC4, 'M', u'醙'), - (0xFAC5, 'M', u'鉶'), - (0xFAC6, 'M', u'陼'), - (0xFAC7, 'M', u'難'), - (0xFAC8, 'M', u'靖'), - (0xFAC9, 'M', u'韛'), - (0xFACA, 'M', u'響'), - (0xFACB, 'M', u'頋'), - (0xFACC, 'M', u'頻'), - (0xFACD, 'M', u'鬒'), - (0xFACE, 'M', u'龜'), - (0xFACF, 'M', u'𢡊'), - (0xFAD0, 'M', u'𢡄'), - (0xFAD1, 'M', u'𣏕'), - (0xFAD2, 'M', u'㮝'), - (0xFAD3, 'M', u'䀘'), - (0xFAD4, 'M', u'䀹'), - (0xFAD5, 'M', u'𥉉'), - (0xFAD6, 'M', u'𥳐'), - (0xFAD7, 'M', u'𧻓'), - (0xFAD8, 'M', u'齃'), - (0xFAD9, 'M', u'龎'), - (0xFADA, 'X'), - (0xFB00, 'M', u'ff'), - (0xFB01, 'M', u'fi'), - (0xFB02, 'M', u'fl'), - (0xFB03, 'M', u'ffi'), - (0xFB04, 'M', u'ffl'), - (0xFB05, 'M', u'st'), - (0xFB07, 'X'), - (0xFB13, 'M', u'մն'), - (0xFB14, 'M', u'մե'), - (0xFB15, 'M', u'մի'), - (0xFB16, 'M', u'վն'), - (0xFB17, 'M', u'մխ'), - (0xFB18, 'X'), - (0xFB1D, 'M', u'יִ'), - (0xFB1E, 'V'), - (0xFB1F, 'M', u'ײַ'), - (0xFB20, 'M', u'ע'), - (0xFB21, 'M', u'א'), - (0xFB22, 'M', u'ד'), - (0xFB23, 'M', u'ה'), - (0xFB24, 'M', u'כ'), - (0xFB25, 'M', u'ל'), - (0xFB26, 'M', u'ם'), - (0xFB27, 'M', u'ר'), - (0xFB28, 'M', u'ת'), - (0xFB29, '3', u'+'), - (0xFB2A, 'M', u'שׁ'), - (0xFB2B, 'M', u'שׂ'), - (0xFB2C, 'M', u'שּׁ'), - (0xFB2D, 'M', u'שּׂ'), - (0xFB2E, 'M', u'אַ'), - (0xFB2F, 'M', u'אָ'), - (0xFB30, 'M', u'אּ'), - (0xFB31, 'M', u'בּ'), - (0xFB32, 'M', u'גּ'), - (0xFB33, 'M', u'דּ'), - (0xFB34, 'M', u'הּ'), - (0xFB35, 'M', u'וּ'), - (0xFB36, 'M', u'זּ'), - (0xFB37, 'X'), - (0xFB38, 'M', u'טּ'), - (0xFB39, 'M', u'יּ'), - (0xFB3A, 'M', u'ךּ'), - (0xFB3B, 'M', u'כּ'), - (0xFB3C, 'M', u'לּ'), - (0xFB3D, 'X'), - (0xFB3E, 'M', u'מּ'), - (0xFB3F, 'X'), - (0xFB40, 'M', u'נּ'), - (0xFB41, 'M', u'סּ'), - (0xFB42, 'X'), - (0xFB43, 'M', u'ףּ'), - (0xFB44, 'M', u'פּ'), - (0xFB45, 'X'), - ] - -def _seg_44(): - return [ - (0xFB46, 'M', u'צּ'), - (0xFB47, 'M', u'קּ'), - (0xFB48, 'M', u'רּ'), - (0xFB49, 'M', u'שּ'), - (0xFB4A, 'M', u'תּ'), - (0xFB4B, 'M', u'וֹ'), - (0xFB4C, 'M', u'בֿ'), - (0xFB4D, 'M', u'כֿ'), - (0xFB4E, 'M', u'פֿ'), - (0xFB4F, 'M', u'אל'), - (0xFB50, 'M', u'ٱ'), - (0xFB52, 'M', u'ٻ'), - (0xFB56, 'M', u'پ'), - (0xFB5A, 'M', u'ڀ'), - (0xFB5E, 'M', u'ٺ'), - (0xFB62, 'M', u'ٿ'), - (0xFB66, 'M', u'ٹ'), - (0xFB6A, 'M', u'ڤ'), - (0xFB6E, 'M', u'ڦ'), - (0xFB72, 'M', u'ڄ'), - (0xFB76, 'M', u'ڃ'), - (0xFB7A, 'M', u'چ'), - (0xFB7E, 'M', u'ڇ'), - (0xFB82, 'M', u'ڍ'), - (0xFB84, 'M', u'ڌ'), - (0xFB86, 'M', u'ڎ'), - (0xFB88, 'M', u'ڈ'), - (0xFB8A, 'M', u'ژ'), - (0xFB8C, 'M', u'ڑ'), - (0xFB8E, 'M', u'ک'), - (0xFB92, 'M', u'گ'), - (0xFB96, 'M', u'ڳ'), - (0xFB9A, 'M', u'ڱ'), - (0xFB9E, 'M', u'ں'), - (0xFBA0, 'M', u'ڻ'), - (0xFBA4, 'M', u'ۀ'), - (0xFBA6, 'M', u'ہ'), - (0xFBAA, 'M', u'ھ'), - (0xFBAE, 'M', u'ے'), - (0xFBB0, 'M', u'ۓ'), - (0xFBB2, 'V'), - (0xFBC2, 'X'), - (0xFBD3, 'M', u'ڭ'), - (0xFBD7, 'M', u'ۇ'), - (0xFBD9, 'M', u'ۆ'), - (0xFBDB, 'M', u'ۈ'), - (0xFBDD, 'M', u'ۇٴ'), - (0xFBDE, 'M', u'ۋ'), - (0xFBE0, 'M', u'ۅ'), - (0xFBE2, 'M', u'ۉ'), - (0xFBE4, 'M', u'ې'), - (0xFBE8, 'M', u'ى'), - (0xFBEA, 'M', u'ئا'), - (0xFBEC, 'M', u'ئە'), - (0xFBEE, 'M', u'ئو'), - (0xFBF0, 'M', u'ئۇ'), - (0xFBF2, 'M', u'ئۆ'), - (0xFBF4, 'M', u'ئۈ'), - (0xFBF6, 'M', u'ئې'), - (0xFBF9, 'M', u'ئى'), - (0xFBFC, 'M', u'ی'), - (0xFC00, 'M', u'ئج'), - (0xFC01, 'M', u'ئح'), - (0xFC02, 'M', u'ئم'), - (0xFC03, 'M', u'ئى'), - (0xFC04, 'M', u'ئي'), - (0xFC05, 'M', u'بج'), - (0xFC06, 'M', u'بح'), - (0xFC07, 'M', u'بخ'), - (0xFC08, 'M', u'بم'), - (0xFC09, 'M', u'بى'), - (0xFC0A, 'M', u'بي'), - (0xFC0B, 'M', u'تج'), - (0xFC0C, 'M', u'تح'), - (0xFC0D, 'M', u'تخ'), - (0xFC0E, 'M', u'تم'), - (0xFC0F, 'M', u'تى'), - (0xFC10, 'M', u'تي'), - (0xFC11, 'M', u'ثج'), - (0xFC12, 'M', u'ثم'), - (0xFC13, 'M', u'ثى'), - (0xFC14, 'M', u'ثي'), - (0xFC15, 'M', u'جح'), - (0xFC16, 'M', u'جم'), - (0xFC17, 'M', u'حج'), - (0xFC18, 'M', u'حم'), - (0xFC19, 'M', u'خج'), - (0xFC1A, 'M', u'خح'), - (0xFC1B, 'M', u'خم'), - (0xFC1C, 'M', u'سج'), - (0xFC1D, 'M', u'سح'), - (0xFC1E, 'M', u'سخ'), - (0xFC1F, 'M', u'سم'), - (0xFC20, 'M', u'صح'), - (0xFC21, 'M', u'صم'), - (0xFC22, 'M', u'ضج'), - (0xFC23, 'M', u'ضح'), - (0xFC24, 'M', u'ضخ'), - (0xFC25, 'M', u'ضم'), - (0xFC26, 'M', u'طح'), - ] - -def _seg_45(): - return [ - (0xFC27, 'M', u'طم'), - (0xFC28, 'M', u'ظم'), - (0xFC29, 'M', u'عج'), - (0xFC2A, 'M', u'عم'), - (0xFC2B, 'M', u'غج'), - (0xFC2C, 'M', u'غم'), - (0xFC2D, 'M', u'فج'), - (0xFC2E, 'M', u'فح'), - (0xFC2F, 'M', u'فخ'), - (0xFC30, 'M', u'فم'), - (0xFC31, 'M', u'فى'), - (0xFC32, 'M', u'في'), - (0xFC33, 'M', u'قح'), - (0xFC34, 'M', u'قم'), - (0xFC35, 'M', u'قى'), - (0xFC36, 'M', u'قي'), - (0xFC37, 'M', u'كا'), - (0xFC38, 'M', u'كج'), - (0xFC39, 'M', u'كح'), - (0xFC3A, 'M', u'كخ'), - (0xFC3B, 'M', u'كل'), - (0xFC3C, 'M', u'كم'), - (0xFC3D, 'M', u'كى'), - (0xFC3E, 'M', u'كي'), - (0xFC3F, 'M', u'لج'), - (0xFC40, 'M', u'لح'), - (0xFC41, 'M', u'لخ'), - (0xFC42, 'M', u'لم'), - (0xFC43, 'M', u'لى'), - (0xFC44, 'M', u'لي'), - (0xFC45, 'M', u'مج'), - (0xFC46, 'M', u'مح'), - (0xFC47, 'M', u'مخ'), - (0xFC48, 'M', u'مم'), - (0xFC49, 'M', u'مى'), - (0xFC4A, 'M', u'مي'), - (0xFC4B, 'M', u'نج'), - (0xFC4C, 'M', u'نح'), - (0xFC4D, 'M', u'نخ'), - (0xFC4E, 'M', u'نم'), - (0xFC4F, 'M', u'نى'), - (0xFC50, 'M', u'ني'), - (0xFC51, 'M', u'هج'), - (0xFC52, 'M', u'هم'), - (0xFC53, 'M', u'هى'), - (0xFC54, 'M', u'هي'), - (0xFC55, 'M', u'يج'), - (0xFC56, 'M', u'يح'), - (0xFC57, 'M', u'يخ'), - (0xFC58, 'M', u'يم'), - (0xFC59, 'M', u'يى'), - (0xFC5A, 'M', u'يي'), - (0xFC5B, 'M', u'ذٰ'), - (0xFC5C, 'M', u'رٰ'), - (0xFC5D, 'M', u'ىٰ'), - (0xFC5E, '3', u' ٌّ'), - (0xFC5F, '3', u' ٍّ'), - (0xFC60, '3', u' َّ'), - (0xFC61, '3', u' ُّ'), - (0xFC62, '3', u' ِّ'), - (0xFC63, '3', u' ّٰ'), - (0xFC64, 'M', u'ئر'), - (0xFC65, 'M', u'ئز'), - (0xFC66, 'M', u'ئم'), - (0xFC67, 'M', u'ئن'), - (0xFC68, 'M', u'ئى'), - (0xFC69, 'M', u'ئي'), - (0xFC6A, 'M', u'بر'), - (0xFC6B, 'M', u'بز'), - (0xFC6C, 'M', u'بم'), - (0xFC6D, 'M', u'بن'), - (0xFC6E, 'M', u'بى'), - (0xFC6F, 'M', u'بي'), - (0xFC70, 'M', u'تر'), - (0xFC71, 'M', u'تز'), - (0xFC72, 'M', u'تم'), - (0xFC73, 'M', u'تن'), - (0xFC74, 'M', u'تى'), - (0xFC75, 'M', u'تي'), - (0xFC76, 'M', u'ثر'), - (0xFC77, 'M', u'ثز'), - (0xFC78, 'M', u'ثم'), - (0xFC79, 'M', u'ثن'), - (0xFC7A, 'M', u'ثى'), - (0xFC7B, 'M', u'ثي'), - (0xFC7C, 'M', u'فى'), - (0xFC7D, 'M', u'في'), - (0xFC7E, 'M', u'قى'), - (0xFC7F, 'M', u'قي'), - (0xFC80, 'M', u'كا'), - (0xFC81, 'M', u'كل'), - (0xFC82, 'M', u'كم'), - (0xFC83, 'M', u'كى'), - (0xFC84, 'M', u'كي'), - (0xFC85, 'M', u'لم'), - (0xFC86, 'M', u'لى'), - (0xFC87, 'M', u'لي'), - (0xFC88, 'M', u'ما'), - (0xFC89, 'M', u'مم'), - (0xFC8A, 'M', u'نر'), - ] - -def _seg_46(): - return [ - (0xFC8B, 'M', u'نز'), - (0xFC8C, 'M', u'نم'), - (0xFC8D, 'M', u'نن'), - (0xFC8E, 'M', u'نى'), - (0xFC8F, 'M', u'ني'), - (0xFC90, 'M', u'ىٰ'), - (0xFC91, 'M', u'ير'), - (0xFC92, 'M', u'يز'), - (0xFC93, 'M', u'يم'), - (0xFC94, 'M', u'ين'), - (0xFC95, 'M', u'يى'), - (0xFC96, 'M', u'يي'), - (0xFC97, 'M', u'ئج'), - (0xFC98, 'M', u'ئح'), - (0xFC99, 'M', u'ئخ'), - (0xFC9A, 'M', u'ئم'), - (0xFC9B, 'M', u'ئه'), - (0xFC9C, 'M', u'بج'), - (0xFC9D, 'M', u'بح'), - (0xFC9E, 'M', u'بخ'), - (0xFC9F, 'M', u'بم'), - (0xFCA0, 'M', u'به'), - (0xFCA1, 'M', u'تج'), - (0xFCA2, 'M', u'تح'), - (0xFCA3, 'M', u'تخ'), - (0xFCA4, 'M', u'تم'), - (0xFCA5, 'M', u'ته'), - (0xFCA6, 'M', u'ثم'), - (0xFCA7, 'M', u'جح'), - (0xFCA8, 'M', u'جم'), - (0xFCA9, 'M', u'حج'), - (0xFCAA, 'M', u'حم'), - (0xFCAB, 'M', u'خج'), - (0xFCAC, 'M', u'خم'), - (0xFCAD, 'M', u'سج'), - (0xFCAE, 'M', u'سح'), - (0xFCAF, 'M', u'سخ'), - (0xFCB0, 'M', u'سم'), - (0xFCB1, 'M', u'صح'), - (0xFCB2, 'M', u'صخ'), - (0xFCB3, 'M', u'صم'), - (0xFCB4, 'M', u'ضج'), - (0xFCB5, 'M', u'ضح'), - (0xFCB6, 'M', u'ضخ'), - (0xFCB7, 'M', u'ضم'), - (0xFCB8, 'M', u'طح'), - (0xFCB9, 'M', u'ظم'), - (0xFCBA, 'M', u'عج'), - (0xFCBB, 'M', u'عم'), - (0xFCBC, 'M', u'غج'), - (0xFCBD, 'M', u'غم'), - (0xFCBE, 'M', u'فج'), - (0xFCBF, 'M', u'فح'), - (0xFCC0, 'M', u'فخ'), - (0xFCC1, 'M', u'فم'), - (0xFCC2, 'M', u'قح'), - (0xFCC3, 'M', u'قم'), - (0xFCC4, 'M', u'كج'), - (0xFCC5, 'M', u'كح'), - (0xFCC6, 'M', u'كخ'), - (0xFCC7, 'M', u'كل'), - (0xFCC8, 'M', u'كم'), - (0xFCC9, 'M', u'لج'), - (0xFCCA, 'M', u'لح'), - (0xFCCB, 'M', u'لخ'), - (0xFCCC, 'M', u'لم'), - (0xFCCD, 'M', u'له'), - (0xFCCE, 'M', u'مج'), - (0xFCCF, 'M', u'مح'), - (0xFCD0, 'M', u'مخ'), - (0xFCD1, 'M', u'مم'), - (0xFCD2, 'M', u'نج'), - (0xFCD3, 'M', u'نح'), - (0xFCD4, 'M', u'نخ'), - (0xFCD5, 'M', u'نم'), - (0xFCD6, 'M', u'نه'), - (0xFCD7, 'M', u'هج'), - (0xFCD8, 'M', u'هم'), - (0xFCD9, 'M', u'هٰ'), - (0xFCDA, 'M', u'يج'), - (0xFCDB, 'M', u'يح'), - (0xFCDC, 'M', u'يخ'), - (0xFCDD, 'M', u'يم'), - (0xFCDE, 'M', u'يه'), - (0xFCDF, 'M', u'ئم'), - (0xFCE0, 'M', u'ئه'), - (0xFCE1, 'M', u'بم'), - (0xFCE2, 'M', u'به'), - (0xFCE3, 'M', u'تم'), - (0xFCE4, 'M', u'ته'), - (0xFCE5, 'M', u'ثم'), - (0xFCE6, 'M', u'ثه'), - (0xFCE7, 'M', u'سم'), - (0xFCE8, 'M', u'سه'), - (0xFCE9, 'M', u'شم'), - (0xFCEA, 'M', u'شه'), - (0xFCEB, 'M', u'كل'), - (0xFCEC, 'M', u'كم'), - (0xFCED, 'M', u'لم'), - (0xFCEE, 'M', u'نم'), - ] - -def _seg_47(): - return [ - (0xFCEF, 'M', u'نه'), - (0xFCF0, 'M', u'يم'), - (0xFCF1, 'M', u'يه'), - (0xFCF2, 'M', u'ـَّ'), - (0xFCF3, 'M', u'ـُّ'), - (0xFCF4, 'M', u'ـِّ'), - (0xFCF5, 'M', u'طى'), - (0xFCF6, 'M', u'طي'), - (0xFCF7, 'M', u'عى'), - (0xFCF8, 'M', u'عي'), - (0xFCF9, 'M', u'غى'), - (0xFCFA, 'M', u'غي'), - (0xFCFB, 'M', u'سى'), - (0xFCFC, 'M', u'سي'), - (0xFCFD, 'M', u'شى'), - (0xFCFE, 'M', u'شي'), - (0xFCFF, 'M', u'حى'), - (0xFD00, 'M', u'حي'), - (0xFD01, 'M', u'جى'), - (0xFD02, 'M', u'جي'), - (0xFD03, 'M', u'خى'), - (0xFD04, 'M', u'خي'), - (0xFD05, 'M', u'صى'), - (0xFD06, 'M', u'صي'), - (0xFD07, 'M', u'ضى'), - (0xFD08, 'M', u'ضي'), - (0xFD09, 'M', u'شج'), - (0xFD0A, 'M', u'شح'), - (0xFD0B, 'M', u'شخ'), - (0xFD0C, 'M', u'شم'), - (0xFD0D, 'M', u'شر'), - (0xFD0E, 'M', u'سر'), - (0xFD0F, 'M', u'صر'), - (0xFD10, 'M', u'ضر'), - (0xFD11, 'M', u'طى'), - (0xFD12, 'M', u'طي'), - (0xFD13, 'M', u'عى'), - (0xFD14, 'M', u'عي'), - (0xFD15, 'M', u'غى'), - (0xFD16, 'M', u'غي'), - (0xFD17, 'M', u'سى'), - (0xFD18, 'M', u'سي'), - (0xFD19, 'M', u'شى'), - (0xFD1A, 'M', u'شي'), - (0xFD1B, 'M', u'حى'), - (0xFD1C, 'M', u'حي'), - (0xFD1D, 'M', u'جى'), - (0xFD1E, 'M', u'جي'), - (0xFD1F, 'M', u'خى'), - (0xFD20, 'M', u'خي'), - (0xFD21, 'M', u'صى'), - (0xFD22, 'M', u'صي'), - (0xFD23, 'M', u'ضى'), - (0xFD24, 'M', u'ضي'), - (0xFD25, 'M', u'شج'), - (0xFD26, 'M', u'شح'), - (0xFD27, 'M', u'شخ'), - (0xFD28, 'M', u'شم'), - (0xFD29, 'M', u'شر'), - (0xFD2A, 'M', u'سر'), - (0xFD2B, 'M', u'صر'), - (0xFD2C, 'M', u'ضر'), - (0xFD2D, 'M', u'شج'), - (0xFD2E, 'M', u'شح'), - (0xFD2F, 'M', u'شخ'), - (0xFD30, 'M', u'شم'), - (0xFD31, 'M', u'سه'), - (0xFD32, 'M', u'شه'), - (0xFD33, 'M', u'طم'), - (0xFD34, 'M', u'سج'), - (0xFD35, 'M', u'سح'), - (0xFD36, 'M', u'سخ'), - (0xFD37, 'M', u'شج'), - (0xFD38, 'M', u'شح'), - (0xFD39, 'M', u'شخ'), - (0xFD3A, 'M', u'طم'), - (0xFD3B, 'M', u'ظم'), - (0xFD3C, 'M', u'اً'), - (0xFD3E, 'V'), - (0xFD40, 'X'), - (0xFD50, 'M', u'تجم'), - (0xFD51, 'M', u'تحج'), - (0xFD53, 'M', u'تحم'), - (0xFD54, 'M', u'تخم'), - (0xFD55, 'M', u'تمج'), - (0xFD56, 'M', u'تمح'), - (0xFD57, 'M', u'تمخ'), - (0xFD58, 'M', u'جمح'), - (0xFD5A, 'M', u'حمي'), - (0xFD5B, 'M', u'حمى'), - (0xFD5C, 'M', u'سحج'), - (0xFD5D, 'M', u'سجح'), - (0xFD5E, 'M', u'سجى'), - (0xFD5F, 'M', u'سمح'), - (0xFD61, 'M', u'سمج'), - (0xFD62, 'M', u'سمم'), - (0xFD64, 'M', u'صحح'), - (0xFD66, 'M', u'صمم'), - (0xFD67, 'M', u'شحم'), - (0xFD69, 'M', u'شجي'), - ] - -def _seg_48(): - return [ - (0xFD6A, 'M', u'شمخ'), - (0xFD6C, 'M', u'شمم'), - (0xFD6E, 'M', u'ضحى'), - (0xFD6F, 'M', u'ضخم'), - (0xFD71, 'M', u'طمح'), - (0xFD73, 'M', u'طمم'), - (0xFD74, 'M', u'طمي'), - (0xFD75, 'M', u'عجم'), - (0xFD76, 'M', u'عمم'), - (0xFD78, 'M', u'عمى'), - (0xFD79, 'M', u'غمم'), - (0xFD7A, 'M', u'غمي'), - (0xFD7B, 'M', u'غمى'), - (0xFD7C, 'M', u'فخم'), - (0xFD7E, 'M', u'قمح'), - (0xFD7F, 'M', u'قمم'), - (0xFD80, 'M', u'لحم'), - (0xFD81, 'M', u'لحي'), - (0xFD82, 'M', u'لحى'), - (0xFD83, 'M', u'لجج'), - (0xFD85, 'M', u'لخم'), - (0xFD87, 'M', u'لمح'), - (0xFD89, 'M', u'محج'), - (0xFD8A, 'M', u'محم'), - (0xFD8B, 'M', u'محي'), - (0xFD8C, 'M', u'مجح'), - (0xFD8D, 'M', u'مجم'), - (0xFD8E, 'M', u'مخج'), - (0xFD8F, 'M', u'مخم'), - (0xFD90, 'X'), - (0xFD92, 'M', u'مجخ'), - (0xFD93, 'M', u'همج'), - (0xFD94, 'M', u'همم'), - (0xFD95, 'M', u'نحم'), - (0xFD96, 'M', u'نحى'), - (0xFD97, 'M', u'نجم'), - (0xFD99, 'M', u'نجى'), - (0xFD9A, 'M', u'نمي'), - (0xFD9B, 'M', u'نمى'), - (0xFD9C, 'M', u'يمم'), - (0xFD9E, 'M', u'بخي'), - (0xFD9F, 'M', u'تجي'), - (0xFDA0, 'M', u'تجى'), - (0xFDA1, 'M', u'تخي'), - (0xFDA2, 'M', u'تخى'), - (0xFDA3, 'M', u'تمي'), - (0xFDA4, 'M', u'تمى'), - (0xFDA5, 'M', u'جمي'), - (0xFDA6, 'M', u'جحى'), - (0xFDA7, 'M', u'جمى'), - (0xFDA8, 'M', u'سخى'), - (0xFDA9, 'M', u'صحي'), - (0xFDAA, 'M', u'شحي'), - (0xFDAB, 'M', u'ضحي'), - (0xFDAC, 'M', u'لجي'), - (0xFDAD, 'M', u'لمي'), - (0xFDAE, 'M', u'يحي'), - (0xFDAF, 'M', u'يجي'), - (0xFDB0, 'M', u'يمي'), - (0xFDB1, 'M', u'ممي'), - (0xFDB2, 'M', u'قمي'), - (0xFDB3, 'M', u'نحي'), - (0xFDB4, 'M', u'قمح'), - (0xFDB5, 'M', u'لحم'), - (0xFDB6, 'M', u'عمي'), - (0xFDB7, 'M', u'كمي'), - (0xFDB8, 'M', u'نجح'), - (0xFDB9, 'M', u'مخي'), - (0xFDBA, 'M', u'لجم'), - (0xFDBB, 'M', u'كمم'), - (0xFDBC, 'M', u'لجم'), - (0xFDBD, 'M', u'نجح'), - (0xFDBE, 'M', u'جحي'), - (0xFDBF, 'M', u'حجي'), - (0xFDC0, 'M', u'مجي'), - (0xFDC1, 'M', u'فمي'), - (0xFDC2, 'M', u'بحي'), - (0xFDC3, 'M', u'كمم'), - (0xFDC4, 'M', u'عجم'), - (0xFDC5, 'M', u'صمم'), - (0xFDC6, 'M', u'سخي'), - (0xFDC7, 'M', u'نجي'), - (0xFDC8, 'X'), - (0xFDF0, 'M', u'صلے'), - (0xFDF1, 'M', u'قلے'), - (0xFDF2, 'M', u'الله'), - (0xFDF3, 'M', u'اكبر'), - (0xFDF4, 'M', u'محمد'), - (0xFDF5, 'M', u'صلعم'), - (0xFDF6, 'M', u'رسول'), - (0xFDF7, 'M', u'عليه'), - (0xFDF8, 'M', u'وسلم'), - (0xFDF9, 'M', u'صلى'), - (0xFDFA, '3', u'صلى الله عليه وسلم'), - (0xFDFB, '3', u'جل جلاله'), - (0xFDFC, 'M', u'ریال'), - (0xFDFD, 'V'), - (0xFDFE, 'X'), - (0xFE00, 'I'), - (0xFE10, '3', u','), - ] - -def _seg_49(): - return [ - (0xFE11, 'M', u'、'), - (0xFE12, 'X'), - (0xFE13, '3', u':'), - (0xFE14, '3', u';'), - (0xFE15, '3', u'!'), - (0xFE16, '3', u'?'), - (0xFE17, 'M', u'〖'), - (0xFE18, 'M', u'〗'), - (0xFE19, 'X'), - (0xFE20, 'V'), - (0xFE30, 'X'), - (0xFE31, 'M', u'—'), - (0xFE32, 'M', u'–'), - (0xFE33, '3', u'_'), - (0xFE35, '3', u'('), - (0xFE36, '3', u')'), - (0xFE37, '3', u'{'), - (0xFE38, '3', u'}'), - (0xFE39, 'M', u'〔'), - (0xFE3A, 'M', u'〕'), - (0xFE3B, 'M', u'【'), - (0xFE3C, 'M', u'】'), - (0xFE3D, 'M', u'《'), - (0xFE3E, 'M', u'》'), - (0xFE3F, 'M', u'〈'), - (0xFE40, 'M', u'〉'), - (0xFE41, 'M', u'「'), - (0xFE42, 'M', u'」'), - (0xFE43, 'M', u'『'), - (0xFE44, 'M', u'』'), - (0xFE45, 'V'), - (0xFE47, '3', u'['), - (0xFE48, '3', u']'), - (0xFE49, '3', u' ̅'), - (0xFE4D, '3', u'_'), - (0xFE50, '3', u','), - (0xFE51, 'M', u'、'), - (0xFE52, 'X'), - (0xFE54, '3', u';'), - (0xFE55, '3', u':'), - (0xFE56, '3', u'?'), - (0xFE57, '3', u'!'), - (0xFE58, 'M', u'—'), - (0xFE59, '3', u'('), - (0xFE5A, '3', u')'), - (0xFE5B, '3', u'{'), - (0xFE5C, '3', u'}'), - (0xFE5D, 'M', u'〔'), - (0xFE5E, 'M', u'〕'), - (0xFE5F, '3', u'#'), - (0xFE60, '3', u'&'), - (0xFE61, '3', u'*'), - (0xFE62, '3', u'+'), - (0xFE63, 'M', u'-'), - (0xFE64, '3', u'<'), - (0xFE65, '3', u'>'), - (0xFE66, '3', u'='), - (0xFE67, 'X'), - (0xFE68, '3', u'\\'), - (0xFE69, '3', u'$'), - (0xFE6A, '3', u'%'), - (0xFE6B, '3', u'@'), - (0xFE6C, 'X'), - (0xFE70, '3', u' ً'), - (0xFE71, 'M', u'ـً'), - (0xFE72, '3', u' ٌ'), - (0xFE73, 'V'), - (0xFE74, '3', u' ٍ'), - (0xFE75, 'X'), - (0xFE76, '3', u' َ'), - (0xFE77, 'M', u'ـَ'), - (0xFE78, '3', u' ُ'), - (0xFE79, 'M', u'ـُ'), - (0xFE7A, '3', u' ِ'), - (0xFE7B, 'M', u'ـِ'), - (0xFE7C, '3', u' ّ'), - (0xFE7D, 'M', u'ـّ'), - (0xFE7E, '3', u' ْ'), - (0xFE7F, 'M', u'ـْ'), - (0xFE80, 'M', u'ء'), - (0xFE81, 'M', u'آ'), - (0xFE83, 'M', u'أ'), - (0xFE85, 'M', u'ؤ'), - (0xFE87, 'M', u'إ'), - (0xFE89, 'M', u'ئ'), - (0xFE8D, 'M', u'ا'), - (0xFE8F, 'M', u'ب'), - (0xFE93, 'M', u'ة'), - (0xFE95, 'M', u'ت'), - (0xFE99, 'M', u'ث'), - (0xFE9D, 'M', u'ج'), - (0xFEA1, 'M', u'ح'), - (0xFEA5, 'M', u'خ'), - (0xFEA9, 'M', u'د'), - (0xFEAB, 'M', u'ذ'), - (0xFEAD, 'M', u'ر'), - (0xFEAF, 'M', u'ز'), - (0xFEB1, 'M', u'س'), - (0xFEB5, 'M', u'ش'), - (0xFEB9, 'M', u'ص'), - ] - -def _seg_50(): - return [ - (0xFEBD, 'M', u'ض'), - (0xFEC1, 'M', u'ط'), - (0xFEC5, 'M', u'ظ'), - (0xFEC9, 'M', u'ع'), - (0xFECD, 'M', u'غ'), - (0xFED1, 'M', u'ف'), - (0xFED5, 'M', u'ق'), - (0xFED9, 'M', u'ك'), - (0xFEDD, 'M', u'ل'), - (0xFEE1, 'M', u'م'), - (0xFEE5, 'M', u'ن'), - (0xFEE9, 'M', u'ه'), - (0xFEED, 'M', u'و'), - (0xFEEF, 'M', u'ى'), - (0xFEF1, 'M', u'ي'), - (0xFEF5, 'M', u'لآ'), - (0xFEF7, 'M', u'لأ'), - (0xFEF9, 'M', u'لإ'), - (0xFEFB, 'M', u'لا'), - (0xFEFD, 'X'), - (0xFEFF, 'I'), - (0xFF00, 'X'), - (0xFF01, '3', u'!'), - (0xFF02, '3', u'"'), - (0xFF03, '3', u'#'), - (0xFF04, '3', u'$'), - (0xFF05, '3', u'%'), - (0xFF06, '3', u'&'), - (0xFF07, '3', u'\''), - (0xFF08, '3', u'('), - (0xFF09, '3', u')'), - (0xFF0A, '3', u'*'), - (0xFF0B, '3', u'+'), - (0xFF0C, '3', u','), - (0xFF0D, 'M', u'-'), - (0xFF0E, 'M', u'.'), - (0xFF0F, '3', u'/'), - (0xFF10, 'M', u'0'), - (0xFF11, 'M', u'1'), - (0xFF12, 'M', u'2'), - (0xFF13, 'M', u'3'), - (0xFF14, 'M', u'4'), - (0xFF15, 'M', u'5'), - (0xFF16, 'M', u'6'), - (0xFF17, 'M', u'7'), - (0xFF18, 'M', u'8'), - (0xFF19, 'M', u'9'), - (0xFF1A, '3', u':'), - (0xFF1B, '3', u';'), - (0xFF1C, '3', u'<'), - (0xFF1D, '3', u'='), - (0xFF1E, '3', u'>'), - (0xFF1F, '3', u'?'), - (0xFF20, '3', u'@'), - (0xFF21, 'M', u'a'), - (0xFF22, 'M', u'b'), - (0xFF23, 'M', u'c'), - (0xFF24, 'M', u'd'), - (0xFF25, 'M', u'e'), - (0xFF26, 'M', u'f'), - (0xFF27, 'M', u'g'), - (0xFF28, 'M', u'h'), - (0xFF29, 'M', u'i'), - (0xFF2A, 'M', u'j'), - (0xFF2B, 'M', u'k'), - (0xFF2C, 'M', u'l'), - (0xFF2D, 'M', u'm'), - (0xFF2E, 'M', u'n'), - (0xFF2F, 'M', u'o'), - (0xFF30, 'M', u'p'), - (0xFF31, 'M', u'q'), - (0xFF32, 'M', u'r'), - (0xFF33, 'M', u's'), - (0xFF34, 'M', u't'), - (0xFF35, 'M', u'u'), - (0xFF36, 'M', u'v'), - (0xFF37, 'M', u'w'), - (0xFF38, 'M', u'x'), - (0xFF39, 'M', u'y'), - (0xFF3A, 'M', u'z'), - (0xFF3B, '3', u'['), - (0xFF3C, '3', u'\\'), - (0xFF3D, '3', u']'), - (0xFF3E, '3', u'^'), - (0xFF3F, '3', u'_'), - (0xFF40, '3', u'`'), - (0xFF41, 'M', u'a'), - (0xFF42, 'M', u'b'), - (0xFF43, 'M', u'c'), - (0xFF44, 'M', u'd'), - (0xFF45, 'M', u'e'), - (0xFF46, 'M', u'f'), - (0xFF47, 'M', u'g'), - (0xFF48, 'M', u'h'), - (0xFF49, 'M', u'i'), - (0xFF4A, 'M', u'j'), - (0xFF4B, 'M', u'k'), - (0xFF4C, 'M', u'l'), - (0xFF4D, 'M', u'm'), - (0xFF4E, 'M', u'n'), - ] - -def _seg_51(): - return [ - (0xFF4F, 'M', u'o'), - (0xFF50, 'M', u'p'), - (0xFF51, 'M', u'q'), - (0xFF52, 'M', u'r'), - (0xFF53, 'M', u's'), - (0xFF54, 'M', u't'), - (0xFF55, 'M', u'u'), - (0xFF56, 'M', u'v'), - (0xFF57, 'M', u'w'), - (0xFF58, 'M', u'x'), - (0xFF59, 'M', u'y'), - (0xFF5A, 'M', u'z'), - (0xFF5B, '3', u'{'), - (0xFF5C, '3', u'|'), - (0xFF5D, '3', u'}'), - (0xFF5E, '3', u'~'), - (0xFF5F, 'M', u'⦅'), - (0xFF60, 'M', u'⦆'), - (0xFF61, 'M', u'.'), - (0xFF62, 'M', u'「'), - (0xFF63, 'M', u'」'), - (0xFF64, 'M', u'、'), - (0xFF65, 'M', u'・'), - (0xFF66, 'M', u'ヲ'), - (0xFF67, 'M', u'ァ'), - (0xFF68, 'M', u'ィ'), - (0xFF69, 'M', u'ゥ'), - (0xFF6A, 'M', u'ェ'), - (0xFF6B, 'M', u'ォ'), - (0xFF6C, 'M', u'ャ'), - (0xFF6D, 'M', u'ュ'), - (0xFF6E, 'M', u'ョ'), - (0xFF6F, 'M', u'ッ'), - (0xFF70, 'M', u'ー'), - (0xFF71, 'M', u'ア'), - (0xFF72, 'M', u'イ'), - (0xFF73, 'M', u'ウ'), - (0xFF74, 'M', u'エ'), - (0xFF75, 'M', u'オ'), - (0xFF76, 'M', u'カ'), - (0xFF77, 'M', u'キ'), - (0xFF78, 'M', u'ク'), - (0xFF79, 'M', u'ケ'), - (0xFF7A, 'M', u'コ'), - (0xFF7B, 'M', u'サ'), - (0xFF7C, 'M', u'シ'), - (0xFF7D, 'M', u'ス'), - (0xFF7E, 'M', u'セ'), - (0xFF7F, 'M', u'ソ'), - (0xFF80, 'M', u'タ'), - (0xFF81, 'M', u'チ'), - (0xFF82, 'M', u'ツ'), - (0xFF83, 'M', u'テ'), - (0xFF84, 'M', u'ト'), - (0xFF85, 'M', u'ナ'), - (0xFF86, 'M', u'ニ'), - (0xFF87, 'M', u'ヌ'), - (0xFF88, 'M', u'ネ'), - (0xFF89, 'M', u'ノ'), - (0xFF8A, 'M', u'ハ'), - (0xFF8B, 'M', u'ヒ'), - (0xFF8C, 'M', u'フ'), - (0xFF8D, 'M', u'ヘ'), - (0xFF8E, 'M', u'ホ'), - (0xFF8F, 'M', u'マ'), - (0xFF90, 'M', u'ミ'), - (0xFF91, 'M', u'ム'), - (0xFF92, 'M', u'メ'), - (0xFF93, 'M', u'モ'), - (0xFF94, 'M', u'ヤ'), - (0xFF95, 'M', u'ユ'), - (0xFF96, 'M', u'ヨ'), - (0xFF97, 'M', u'ラ'), - (0xFF98, 'M', u'リ'), - (0xFF99, 'M', u'ル'), - (0xFF9A, 'M', u'レ'), - (0xFF9B, 'M', u'ロ'), - (0xFF9C, 'M', u'ワ'), - (0xFF9D, 'M', u'ン'), - (0xFF9E, 'M', u'゙'), - (0xFF9F, 'M', u'゚'), - (0xFFA0, 'X'), - (0xFFA1, 'M', u'ᄀ'), - (0xFFA2, 'M', u'ᄁ'), - (0xFFA3, 'M', u'ᆪ'), - (0xFFA4, 'M', u'ᄂ'), - (0xFFA5, 'M', u'ᆬ'), - (0xFFA6, 'M', u'ᆭ'), - (0xFFA7, 'M', u'ᄃ'), - (0xFFA8, 'M', u'ᄄ'), - (0xFFA9, 'M', u'ᄅ'), - (0xFFAA, 'M', u'ᆰ'), - (0xFFAB, 'M', u'ᆱ'), - (0xFFAC, 'M', u'ᆲ'), - (0xFFAD, 'M', u'ᆳ'), - (0xFFAE, 'M', u'ᆴ'), - (0xFFAF, 'M', u'ᆵ'), - (0xFFB0, 'M', u'ᄚ'), - (0xFFB1, 'M', u'ᄆ'), - (0xFFB2, 'M', u'ᄇ'), - ] - -def _seg_52(): - return [ - (0xFFB3, 'M', u'ᄈ'), - (0xFFB4, 'M', u'ᄡ'), - (0xFFB5, 'M', u'ᄉ'), - (0xFFB6, 'M', u'ᄊ'), - (0xFFB7, 'M', u'ᄋ'), - (0xFFB8, 'M', u'ᄌ'), - (0xFFB9, 'M', u'ᄍ'), - (0xFFBA, 'M', u'ᄎ'), - (0xFFBB, 'M', u'ᄏ'), - (0xFFBC, 'M', u'ᄐ'), - (0xFFBD, 'M', u'ᄑ'), - (0xFFBE, 'M', u'ᄒ'), - (0xFFBF, 'X'), - (0xFFC2, 'M', u'ᅡ'), - (0xFFC3, 'M', u'ᅢ'), - (0xFFC4, 'M', u'ᅣ'), - (0xFFC5, 'M', u'ᅤ'), - (0xFFC6, 'M', u'ᅥ'), - (0xFFC7, 'M', u'ᅦ'), - (0xFFC8, 'X'), - (0xFFCA, 'M', u'ᅧ'), - (0xFFCB, 'M', u'ᅨ'), - (0xFFCC, 'M', u'ᅩ'), - (0xFFCD, 'M', u'ᅪ'), - (0xFFCE, 'M', u'ᅫ'), - (0xFFCF, 'M', u'ᅬ'), - (0xFFD0, 'X'), - (0xFFD2, 'M', u'ᅭ'), - (0xFFD3, 'M', u'ᅮ'), - (0xFFD4, 'M', u'ᅯ'), - (0xFFD5, 'M', u'ᅰ'), - (0xFFD6, 'M', u'ᅱ'), - (0xFFD7, 'M', u'ᅲ'), - (0xFFD8, 'X'), - (0xFFDA, 'M', u'ᅳ'), - (0xFFDB, 'M', u'ᅴ'), - (0xFFDC, 'M', u'ᅵ'), - (0xFFDD, 'X'), - (0xFFE0, 'M', u'¢'), - (0xFFE1, 'M', u'£'), - (0xFFE2, 'M', u'¬'), - (0xFFE3, '3', u' ̄'), - (0xFFE4, 'M', u'¦'), - (0xFFE5, 'M', u'¥'), - (0xFFE6, 'M', u'₩'), - (0xFFE7, 'X'), - (0xFFE8, 'M', u'│'), - (0xFFE9, 'M', u'←'), - (0xFFEA, 'M', u'↑'), - (0xFFEB, 'M', u'→'), - (0xFFEC, 'M', u'↓'), - (0xFFED, 'M', u'■'), - (0xFFEE, 'M', u'○'), - (0xFFEF, 'X'), - (0x10000, 'V'), - (0x1000C, 'X'), - (0x1000D, 'V'), - (0x10027, 'X'), - (0x10028, 'V'), - (0x1003B, 'X'), - (0x1003C, 'V'), - (0x1003E, 'X'), - (0x1003F, 'V'), - (0x1004E, 'X'), - (0x10050, 'V'), - (0x1005E, 'X'), - (0x10080, 'V'), - (0x100FB, 'X'), - (0x10100, 'V'), - (0x10103, 'X'), - (0x10107, 'V'), - (0x10134, 'X'), - (0x10137, 'V'), - (0x1018F, 'X'), - (0x10190, 'V'), - (0x1019C, 'X'), - (0x101A0, 'V'), - (0x101A1, 'X'), - (0x101D0, 'V'), - (0x101FE, 'X'), - (0x10280, 'V'), - (0x1029D, 'X'), - (0x102A0, 'V'), - (0x102D1, 'X'), - (0x102E0, 'V'), - (0x102FC, 'X'), - (0x10300, 'V'), - (0x10324, 'X'), - (0x1032D, 'V'), - (0x1034B, 'X'), - (0x10350, 'V'), - (0x1037B, 'X'), - (0x10380, 'V'), - (0x1039E, 'X'), - (0x1039F, 'V'), - (0x103C4, 'X'), - (0x103C8, 'V'), - (0x103D6, 'X'), - (0x10400, 'M', u'𐐨'), - (0x10401, 'M', u'𐐩'), - ] - -def _seg_53(): - return [ - (0x10402, 'M', u'𐐪'), - (0x10403, 'M', u'𐐫'), - (0x10404, 'M', u'𐐬'), - (0x10405, 'M', u'𐐭'), - (0x10406, 'M', u'𐐮'), - (0x10407, 'M', u'𐐯'), - (0x10408, 'M', u'𐐰'), - (0x10409, 'M', u'𐐱'), - (0x1040A, 'M', u'𐐲'), - (0x1040B, 'M', u'𐐳'), - (0x1040C, 'M', u'𐐴'), - (0x1040D, 'M', u'𐐵'), - (0x1040E, 'M', u'𐐶'), - (0x1040F, 'M', u'𐐷'), - (0x10410, 'M', u'𐐸'), - (0x10411, 'M', u'𐐹'), - (0x10412, 'M', u'𐐺'), - (0x10413, 'M', u'𐐻'), - (0x10414, 'M', u'𐐼'), - (0x10415, 'M', u'𐐽'), - (0x10416, 'M', u'𐐾'), - (0x10417, 'M', u'𐐿'), - (0x10418, 'M', u'𐑀'), - (0x10419, 'M', u'𐑁'), - (0x1041A, 'M', u'𐑂'), - (0x1041B, 'M', u'𐑃'), - (0x1041C, 'M', u'𐑄'), - (0x1041D, 'M', u'𐑅'), - (0x1041E, 'M', u'𐑆'), - (0x1041F, 'M', u'𐑇'), - (0x10420, 'M', u'𐑈'), - (0x10421, 'M', u'𐑉'), - (0x10422, 'M', u'𐑊'), - (0x10423, 'M', u'𐑋'), - (0x10424, 'M', u'𐑌'), - (0x10425, 'M', u'𐑍'), - (0x10426, 'M', u'𐑎'), - (0x10427, 'M', u'𐑏'), - (0x10428, 'V'), - (0x1049E, 'X'), - (0x104A0, 'V'), - (0x104AA, 'X'), - (0x104B0, 'M', u'𐓘'), - (0x104B1, 'M', u'𐓙'), - (0x104B2, 'M', u'𐓚'), - (0x104B3, 'M', u'𐓛'), - (0x104B4, 'M', u'𐓜'), - (0x104B5, 'M', u'𐓝'), - (0x104B6, 'M', u'𐓞'), - (0x104B7, 'M', u'𐓟'), - (0x104B8, 'M', u'𐓠'), - (0x104B9, 'M', u'𐓡'), - (0x104BA, 'M', u'𐓢'), - (0x104BB, 'M', u'𐓣'), - (0x104BC, 'M', u'𐓤'), - (0x104BD, 'M', u'𐓥'), - (0x104BE, 'M', u'𐓦'), - (0x104BF, 'M', u'𐓧'), - (0x104C0, 'M', u'𐓨'), - (0x104C1, 'M', u'𐓩'), - (0x104C2, 'M', u'𐓪'), - (0x104C3, 'M', u'𐓫'), - (0x104C4, 'M', u'𐓬'), - (0x104C5, 'M', u'𐓭'), - (0x104C6, 'M', u'𐓮'), - (0x104C7, 'M', u'𐓯'), - (0x104C8, 'M', u'𐓰'), - (0x104C9, 'M', u'𐓱'), - (0x104CA, 'M', u'𐓲'), - (0x104CB, 'M', u'𐓳'), - (0x104CC, 'M', u'𐓴'), - (0x104CD, 'M', u'𐓵'), - (0x104CE, 'M', u'𐓶'), - (0x104CF, 'M', u'𐓷'), - (0x104D0, 'M', u'𐓸'), - (0x104D1, 'M', u'𐓹'), - (0x104D2, 'M', u'𐓺'), - (0x104D3, 'M', u'𐓻'), - (0x104D4, 'X'), - (0x104D8, 'V'), - (0x104FC, 'X'), - (0x10500, 'V'), - (0x10528, 'X'), - (0x10530, 'V'), - (0x10564, 'X'), - (0x1056F, 'V'), - (0x10570, 'X'), - (0x10600, 'V'), - (0x10737, 'X'), - (0x10740, 'V'), - (0x10756, 'X'), - (0x10760, 'V'), - (0x10768, 'X'), - (0x10800, 'V'), - (0x10806, 'X'), - (0x10808, 'V'), - (0x10809, 'X'), - (0x1080A, 'V'), - (0x10836, 'X'), - (0x10837, 'V'), - ] - -def _seg_54(): - return [ - (0x10839, 'X'), - (0x1083C, 'V'), - (0x1083D, 'X'), - (0x1083F, 'V'), - (0x10856, 'X'), - (0x10857, 'V'), - (0x1089F, 'X'), - (0x108A7, 'V'), - (0x108B0, 'X'), - (0x108E0, 'V'), - (0x108F3, 'X'), - (0x108F4, 'V'), - (0x108F6, 'X'), - (0x108FB, 'V'), - (0x1091C, 'X'), - (0x1091F, 'V'), - (0x1093A, 'X'), - (0x1093F, 'V'), - (0x10940, 'X'), - (0x10980, 'V'), - (0x109B8, 'X'), - (0x109BC, 'V'), - (0x109D0, 'X'), - (0x109D2, 'V'), - (0x10A04, 'X'), - (0x10A05, 'V'), - (0x10A07, 'X'), - (0x10A0C, 'V'), - (0x10A14, 'X'), - (0x10A15, 'V'), - (0x10A18, 'X'), - (0x10A19, 'V'), - (0x10A36, 'X'), - (0x10A38, 'V'), - (0x10A3B, 'X'), - (0x10A3F, 'V'), - (0x10A49, 'X'), - (0x10A50, 'V'), - (0x10A59, 'X'), - (0x10A60, 'V'), - (0x10AA0, 'X'), - (0x10AC0, 'V'), - (0x10AE7, 'X'), - (0x10AEB, 'V'), - (0x10AF7, 'X'), - (0x10B00, 'V'), - (0x10B36, 'X'), - (0x10B39, 'V'), - (0x10B56, 'X'), - (0x10B58, 'V'), - (0x10B73, 'X'), - (0x10B78, 'V'), - (0x10B92, 'X'), - (0x10B99, 'V'), - (0x10B9D, 'X'), - (0x10BA9, 'V'), - (0x10BB0, 'X'), - (0x10C00, 'V'), - (0x10C49, 'X'), - (0x10C80, 'M', u'𐳀'), - (0x10C81, 'M', u'𐳁'), - (0x10C82, 'M', u'𐳂'), - (0x10C83, 'M', u'𐳃'), - (0x10C84, 'M', u'𐳄'), - (0x10C85, 'M', u'𐳅'), - (0x10C86, 'M', u'𐳆'), - (0x10C87, 'M', u'𐳇'), - (0x10C88, 'M', u'𐳈'), - (0x10C89, 'M', u'𐳉'), - (0x10C8A, 'M', u'𐳊'), - (0x10C8B, 'M', u'𐳋'), - (0x10C8C, 'M', u'𐳌'), - (0x10C8D, 'M', u'𐳍'), - (0x10C8E, 'M', u'𐳎'), - (0x10C8F, 'M', u'𐳏'), - (0x10C90, 'M', u'𐳐'), - (0x10C91, 'M', u'𐳑'), - (0x10C92, 'M', u'𐳒'), - (0x10C93, 'M', u'𐳓'), - (0x10C94, 'M', u'𐳔'), - (0x10C95, 'M', u'𐳕'), - (0x10C96, 'M', u'𐳖'), - (0x10C97, 'M', u'𐳗'), - (0x10C98, 'M', u'𐳘'), - (0x10C99, 'M', u'𐳙'), - (0x10C9A, 'M', u'𐳚'), - (0x10C9B, 'M', u'𐳛'), - (0x10C9C, 'M', u'𐳜'), - (0x10C9D, 'M', u'𐳝'), - (0x10C9E, 'M', u'𐳞'), - (0x10C9F, 'M', u'𐳟'), - (0x10CA0, 'M', u'𐳠'), - (0x10CA1, 'M', u'𐳡'), - (0x10CA2, 'M', u'𐳢'), - (0x10CA3, 'M', u'𐳣'), - (0x10CA4, 'M', u'𐳤'), - (0x10CA5, 'M', u'𐳥'), - (0x10CA6, 'M', u'𐳦'), - (0x10CA7, 'M', u'𐳧'), - (0x10CA8, 'M', u'𐳨'), - ] - -def _seg_55(): - return [ - (0x10CA9, 'M', u'𐳩'), - (0x10CAA, 'M', u'𐳪'), - (0x10CAB, 'M', u'𐳫'), - (0x10CAC, 'M', u'𐳬'), - (0x10CAD, 'M', u'𐳭'), - (0x10CAE, 'M', u'𐳮'), - (0x10CAF, 'M', u'𐳯'), - (0x10CB0, 'M', u'𐳰'), - (0x10CB1, 'M', u'𐳱'), - (0x10CB2, 'M', u'𐳲'), - (0x10CB3, 'X'), - (0x10CC0, 'V'), - (0x10CF3, 'X'), - (0x10CFA, 'V'), - (0x10D28, 'X'), - (0x10D30, 'V'), - (0x10D3A, 'X'), - (0x10E60, 'V'), - (0x10E7F, 'X'), - (0x10F00, 'V'), - (0x10F28, 'X'), - (0x10F30, 'V'), - (0x10F5A, 'X'), - (0x11000, 'V'), - (0x1104E, 'X'), - (0x11052, 'V'), - (0x11070, 'X'), - (0x1107F, 'V'), - (0x110BD, 'X'), - (0x110BE, 'V'), - (0x110C2, 'X'), - (0x110D0, 'V'), - (0x110E9, 'X'), - (0x110F0, 'V'), - (0x110FA, 'X'), - (0x11100, 'V'), - (0x11135, 'X'), - (0x11136, 'V'), - (0x11147, 'X'), - (0x11150, 'V'), - (0x11177, 'X'), - (0x11180, 'V'), - (0x111CE, 'X'), - (0x111D0, 'V'), - (0x111E0, 'X'), - (0x111E1, 'V'), - (0x111F5, 'X'), - (0x11200, 'V'), - (0x11212, 'X'), - (0x11213, 'V'), - (0x1123F, 'X'), - (0x11280, 'V'), - (0x11287, 'X'), - (0x11288, 'V'), - (0x11289, 'X'), - (0x1128A, 'V'), - (0x1128E, 'X'), - (0x1128F, 'V'), - (0x1129E, 'X'), - (0x1129F, 'V'), - (0x112AA, 'X'), - (0x112B0, 'V'), - (0x112EB, 'X'), - (0x112F0, 'V'), - (0x112FA, 'X'), - (0x11300, 'V'), - (0x11304, 'X'), - (0x11305, 'V'), - (0x1130D, 'X'), - (0x1130F, 'V'), - (0x11311, 'X'), - (0x11313, 'V'), - (0x11329, 'X'), - (0x1132A, 'V'), - (0x11331, 'X'), - (0x11332, 'V'), - (0x11334, 'X'), - (0x11335, 'V'), - (0x1133A, 'X'), - (0x1133B, 'V'), - (0x11345, 'X'), - (0x11347, 'V'), - (0x11349, 'X'), - (0x1134B, 'V'), - (0x1134E, 'X'), - (0x11350, 'V'), - (0x11351, 'X'), - (0x11357, 'V'), - (0x11358, 'X'), - (0x1135D, 'V'), - (0x11364, 'X'), - (0x11366, 'V'), - (0x1136D, 'X'), - (0x11370, 'V'), - (0x11375, 'X'), - (0x11400, 'V'), - (0x1145A, 'X'), - (0x1145B, 'V'), - (0x1145C, 'X'), - (0x1145D, 'V'), - ] - -def _seg_56(): - return [ - (0x1145F, 'X'), - (0x11480, 'V'), - (0x114C8, 'X'), - (0x114D0, 'V'), - (0x114DA, 'X'), - (0x11580, 'V'), - (0x115B6, 'X'), - (0x115B8, 'V'), - (0x115DE, 'X'), - (0x11600, 'V'), - (0x11645, 'X'), - (0x11650, 'V'), - (0x1165A, 'X'), - (0x11660, 'V'), - (0x1166D, 'X'), - (0x11680, 'V'), - (0x116B8, 'X'), - (0x116C0, 'V'), - (0x116CA, 'X'), - (0x11700, 'V'), - (0x1171B, 'X'), - (0x1171D, 'V'), - (0x1172C, 'X'), - (0x11730, 'V'), - (0x11740, 'X'), - (0x11800, 'V'), - (0x1183C, 'X'), - (0x118A0, 'M', u'𑣀'), - (0x118A1, 'M', u'𑣁'), - (0x118A2, 'M', u'𑣂'), - (0x118A3, 'M', u'𑣃'), - (0x118A4, 'M', u'𑣄'), - (0x118A5, 'M', u'𑣅'), - (0x118A6, 'M', u'𑣆'), - (0x118A7, 'M', u'𑣇'), - (0x118A8, 'M', u'𑣈'), - (0x118A9, 'M', u'𑣉'), - (0x118AA, 'M', u'𑣊'), - (0x118AB, 'M', u'𑣋'), - (0x118AC, 'M', u'𑣌'), - (0x118AD, 'M', u'𑣍'), - (0x118AE, 'M', u'𑣎'), - (0x118AF, 'M', u'𑣏'), - (0x118B0, 'M', u'𑣐'), - (0x118B1, 'M', u'𑣑'), - (0x118B2, 'M', u'𑣒'), - (0x118B3, 'M', u'𑣓'), - (0x118B4, 'M', u'𑣔'), - (0x118B5, 'M', u'𑣕'), - (0x118B6, 'M', u'𑣖'), - (0x118B7, 'M', u'𑣗'), - (0x118B8, 'M', u'𑣘'), - (0x118B9, 'M', u'𑣙'), - (0x118BA, 'M', u'𑣚'), - (0x118BB, 'M', u'𑣛'), - (0x118BC, 'M', u'𑣜'), - (0x118BD, 'M', u'𑣝'), - (0x118BE, 'M', u'𑣞'), - (0x118BF, 'M', u'𑣟'), - (0x118C0, 'V'), - (0x118F3, 'X'), - (0x118FF, 'V'), - (0x11900, 'X'), - (0x11A00, 'V'), - (0x11A48, 'X'), - (0x11A50, 'V'), - (0x11A84, 'X'), - (0x11A86, 'V'), - (0x11AA3, 'X'), - (0x11AC0, 'V'), - (0x11AF9, 'X'), - (0x11C00, 'V'), - (0x11C09, 'X'), - (0x11C0A, 'V'), - (0x11C37, 'X'), - (0x11C38, 'V'), - (0x11C46, 'X'), - (0x11C50, 'V'), - (0x11C6D, 'X'), - (0x11C70, 'V'), - (0x11C90, 'X'), - (0x11C92, 'V'), - (0x11CA8, 'X'), - (0x11CA9, 'V'), - (0x11CB7, 'X'), - (0x11D00, 'V'), - (0x11D07, 'X'), - (0x11D08, 'V'), - (0x11D0A, 'X'), - (0x11D0B, 'V'), - (0x11D37, 'X'), - (0x11D3A, 'V'), - (0x11D3B, 'X'), - (0x11D3C, 'V'), - (0x11D3E, 'X'), - (0x11D3F, 'V'), - (0x11D48, 'X'), - (0x11D50, 'V'), - (0x11D5A, 'X'), - (0x11D60, 'V'), - ] - -def _seg_57(): - return [ - (0x11D66, 'X'), - (0x11D67, 'V'), - (0x11D69, 'X'), - (0x11D6A, 'V'), - (0x11D8F, 'X'), - (0x11D90, 'V'), - (0x11D92, 'X'), - (0x11D93, 'V'), - (0x11D99, 'X'), - (0x11DA0, 'V'), - (0x11DAA, 'X'), - (0x11EE0, 'V'), - (0x11EF9, 'X'), - (0x12000, 'V'), - (0x1239A, 'X'), - (0x12400, 'V'), - (0x1246F, 'X'), - (0x12470, 'V'), - (0x12475, 'X'), - (0x12480, 'V'), - (0x12544, 'X'), - (0x13000, 'V'), - (0x1342F, 'X'), - (0x14400, 'V'), - (0x14647, 'X'), - (0x16800, 'V'), - (0x16A39, 'X'), - (0x16A40, 'V'), - (0x16A5F, 'X'), - (0x16A60, 'V'), - (0x16A6A, 'X'), - (0x16A6E, 'V'), - (0x16A70, 'X'), - (0x16AD0, 'V'), - (0x16AEE, 'X'), - (0x16AF0, 'V'), - (0x16AF6, 'X'), - (0x16B00, 'V'), - (0x16B46, 'X'), - (0x16B50, 'V'), - (0x16B5A, 'X'), - (0x16B5B, 'V'), - (0x16B62, 'X'), - (0x16B63, 'V'), - (0x16B78, 'X'), - (0x16B7D, 'V'), - (0x16B90, 'X'), - (0x16E60, 'V'), - (0x16E9B, 'X'), - (0x16F00, 'V'), - (0x16F45, 'X'), - (0x16F50, 'V'), - (0x16F7F, 'X'), - (0x16F8F, 'V'), - (0x16FA0, 'X'), - (0x16FE0, 'V'), - (0x16FE2, 'X'), - (0x17000, 'V'), - (0x187F2, 'X'), - (0x18800, 'V'), - (0x18AF3, 'X'), - (0x1B000, 'V'), - (0x1B11F, 'X'), - (0x1B170, 'V'), - (0x1B2FC, 'X'), - (0x1BC00, 'V'), - (0x1BC6B, 'X'), - (0x1BC70, 'V'), - (0x1BC7D, 'X'), - (0x1BC80, 'V'), - (0x1BC89, 'X'), - (0x1BC90, 'V'), - (0x1BC9A, 'X'), - (0x1BC9C, 'V'), - (0x1BCA0, 'I'), - (0x1BCA4, 'X'), - (0x1D000, 'V'), - (0x1D0F6, 'X'), - (0x1D100, 'V'), - (0x1D127, 'X'), - (0x1D129, 'V'), - (0x1D15E, 'M', u'𝅗𝅥'), - (0x1D15F, 'M', u'𝅘𝅥'), - (0x1D160, 'M', u'𝅘𝅥𝅮'), - (0x1D161, 'M', u'𝅘𝅥𝅯'), - (0x1D162, 'M', u'𝅘𝅥𝅰'), - (0x1D163, 'M', u'𝅘𝅥𝅱'), - (0x1D164, 'M', u'𝅘𝅥𝅲'), - (0x1D165, 'V'), - (0x1D173, 'X'), - (0x1D17B, 'V'), - (0x1D1BB, 'M', u'𝆹𝅥'), - (0x1D1BC, 'M', u'𝆺𝅥'), - (0x1D1BD, 'M', u'𝆹𝅥𝅮'), - (0x1D1BE, 'M', u'𝆺𝅥𝅮'), - (0x1D1BF, 'M', u'𝆹𝅥𝅯'), - (0x1D1C0, 'M', u'𝆺𝅥𝅯'), - (0x1D1C1, 'V'), - (0x1D1E9, 'X'), - (0x1D200, 'V'), - ] - -def _seg_58(): - return [ - (0x1D246, 'X'), - (0x1D2E0, 'V'), - (0x1D2F4, 'X'), - (0x1D300, 'V'), - (0x1D357, 'X'), - (0x1D360, 'V'), - (0x1D379, 'X'), - (0x1D400, 'M', u'a'), - (0x1D401, 'M', u'b'), - (0x1D402, 'M', u'c'), - (0x1D403, 'M', u'd'), - (0x1D404, 'M', u'e'), - (0x1D405, 'M', u'f'), - (0x1D406, 'M', u'g'), - (0x1D407, 'M', u'h'), - (0x1D408, 'M', u'i'), - (0x1D409, 'M', u'j'), - (0x1D40A, 'M', u'k'), - (0x1D40B, 'M', u'l'), - (0x1D40C, 'M', u'm'), - (0x1D40D, 'M', u'n'), - (0x1D40E, 'M', u'o'), - (0x1D40F, 'M', u'p'), - (0x1D410, 'M', u'q'), - (0x1D411, 'M', u'r'), - (0x1D412, 'M', u's'), - (0x1D413, 'M', u't'), - (0x1D414, 'M', u'u'), - (0x1D415, 'M', u'v'), - (0x1D416, 'M', u'w'), - (0x1D417, 'M', u'x'), - (0x1D418, 'M', u'y'), - (0x1D419, 'M', u'z'), - (0x1D41A, 'M', u'a'), - (0x1D41B, 'M', u'b'), - (0x1D41C, 'M', u'c'), - (0x1D41D, 'M', u'd'), - (0x1D41E, 'M', u'e'), - (0x1D41F, 'M', u'f'), - (0x1D420, 'M', u'g'), - (0x1D421, 'M', u'h'), - (0x1D422, 'M', u'i'), - (0x1D423, 'M', u'j'), - (0x1D424, 'M', u'k'), - (0x1D425, 'M', u'l'), - (0x1D426, 'M', u'm'), - (0x1D427, 'M', u'n'), - (0x1D428, 'M', u'o'), - (0x1D429, 'M', u'p'), - (0x1D42A, 'M', u'q'), - (0x1D42B, 'M', u'r'), - (0x1D42C, 'M', u's'), - (0x1D42D, 'M', u't'), - (0x1D42E, 'M', u'u'), - (0x1D42F, 'M', u'v'), - (0x1D430, 'M', u'w'), - (0x1D431, 'M', u'x'), - (0x1D432, 'M', u'y'), - (0x1D433, 'M', u'z'), - (0x1D434, 'M', u'a'), - (0x1D435, 'M', u'b'), - (0x1D436, 'M', u'c'), - (0x1D437, 'M', u'd'), - (0x1D438, 'M', u'e'), - (0x1D439, 'M', u'f'), - (0x1D43A, 'M', u'g'), - (0x1D43B, 'M', u'h'), - (0x1D43C, 'M', u'i'), - (0x1D43D, 'M', u'j'), - (0x1D43E, 'M', u'k'), - (0x1D43F, 'M', u'l'), - (0x1D440, 'M', u'm'), - (0x1D441, 'M', u'n'), - (0x1D442, 'M', u'o'), - (0x1D443, 'M', u'p'), - (0x1D444, 'M', u'q'), - (0x1D445, 'M', u'r'), - (0x1D446, 'M', u's'), - (0x1D447, 'M', u't'), - (0x1D448, 'M', u'u'), - (0x1D449, 'M', u'v'), - (0x1D44A, 'M', u'w'), - (0x1D44B, 'M', u'x'), - (0x1D44C, 'M', u'y'), - (0x1D44D, 'M', u'z'), - (0x1D44E, 'M', u'a'), - (0x1D44F, 'M', u'b'), - (0x1D450, 'M', u'c'), - (0x1D451, 'M', u'd'), - (0x1D452, 'M', u'e'), - (0x1D453, 'M', u'f'), - (0x1D454, 'M', u'g'), - (0x1D455, 'X'), - (0x1D456, 'M', u'i'), - (0x1D457, 'M', u'j'), - (0x1D458, 'M', u'k'), - (0x1D459, 'M', u'l'), - (0x1D45A, 'M', u'm'), - (0x1D45B, 'M', u'n'), - (0x1D45C, 'M', u'o'), - ] - -def _seg_59(): - return [ - (0x1D45D, 'M', u'p'), - (0x1D45E, 'M', u'q'), - (0x1D45F, 'M', u'r'), - (0x1D460, 'M', u's'), - (0x1D461, 'M', u't'), - (0x1D462, 'M', u'u'), - (0x1D463, 'M', u'v'), - (0x1D464, 'M', u'w'), - (0x1D465, 'M', u'x'), - (0x1D466, 'M', u'y'), - (0x1D467, 'M', u'z'), - (0x1D468, 'M', u'a'), - (0x1D469, 'M', u'b'), - (0x1D46A, 'M', u'c'), - (0x1D46B, 'M', u'd'), - (0x1D46C, 'M', u'e'), - (0x1D46D, 'M', u'f'), - (0x1D46E, 'M', u'g'), - (0x1D46F, 'M', u'h'), - (0x1D470, 'M', u'i'), - (0x1D471, 'M', u'j'), - (0x1D472, 'M', u'k'), - (0x1D473, 'M', u'l'), - (0x1D474, 'M', u'm'), - (0x1D475, 'M', u'n'), - (0x1D476, 'M', u'o'), - (0x1D477, 'M', u'p'), - (0x1D478, 'M', u'q'), - (0x1D479, 'M', u'r'), - (0x1D47A, 'M', u's'), - (0x1D47B, 'M', u't'), - (0x1D47C, 'M', u'u'), - (0x1D47D, 'M', u'v'), - (0x1D47E, 'M', u'w'), - (0x1D47F, 'M', u'x'), - (0x1D480, 'M', u'y'), - (0x1D481, 'M', u'z'), - (0x1D482, 'M', u'a'), - (0x1D483, 'M', u'b'), - (0x1D484, 'M', u'c'), - (0x1D485, 'M', u'd'), - (0x1D486, 'M', u'e'), - (0x1D487, 'M', u'f'), - (0x1D488, 'M', u'g'), - (0x1D489, 'M', u'h'), - (0x1D48A, 'M', u'i'), - (0x1D48B, 'M', u'j'), - (0x1D48C, 'M', u'k'), - (0x1D48D, 'M', u'l'), - (0x1D48E, 'M', u'm'), - (0x1D48F, 'M', u'n'), - (0x1D490, 'M', u'o'), - (0x1D491, 'M', u'p'), - (0x1D492, 'M', u'q'), - (0x1D493, 'M', u'r'), - (0x1D494, 'M', u's'), - (0x1D495, 'M', u't'), - (0x1D496, 'M', u'u'), - (0x1D497, 'M', u'v'), - (0x1D498, 'M', u'w'), - (0x1D499, 'M', u'x'), - (0x1D49A, 'M', u'y'), - (0x1D49B, 'M', u'z'), - (0x1D49C, 'M', u'a'), - (0x1D49D, 'X'), - (0x1D49E, 'M', u'c'), - (0x1D49F, 'M', u'd'), - (0x1D4A0, 'X'), - (0x1D4A2, 'M', u'g'), - (0x1D4A3, 'X'), - (0x1D4A5, 'M', u'j'), - (0x1D4A6, 'M', u'k'), - (0x1D4A7, 'X'), - (0x1D4A9, 'M', u'n'), - (0x1D4AA, 'M', u'o'), - (0x1D4AB, 'M', u'p'), - (0x1D4AC, 'M', u'q'), - (0x1D4AD, 'X'), - (0x1D4AE, 'M', u's'), - (0x1D4AF, 'M', u't'), - (0x1D4B0, 'M', u'u'), - (0x1D4B1, 'M', u'v'), - (0x1D4B2, 'M', u'w'), - (0x1D4B3, 'M', u'x'), - (0x1D4B4, 'M', u'y'), - (0x1D4B5, 'M', u'z'), - (0x1D4B6, 'M', u'a'), - (0x1D4B7, 'M', u'b'), - (0x1D4B8, 'M', u'c'), - (0x1D4B9, 'M', u'd'), - (0x1D4BA, 'X'), - (0x1D4BB, 'M', u'f'), - (0x1D4BC, 'X'), - (0x1D4BD, 'M', u'h'), - (0x1D4BE, 'M', u'i'), - (0x1D4BF, 'M', u'j'), - (0x1D4C0, 'M', u'k'), - (0x1D4C1, 'M', u'l'), - (0x1D4C2, 'M', u'm'), - (0x1D4C3, 'M', u'n'), - ] - -def _seg_60(): - return [ - (0x1D4C4, 'X'), - (0x1D4C5, 'M', u'p'), - (0x1D4C6, 'M', u'q'), - (0x1D4C7, 'M', u'r'), - (0x1D4C8, 'M', u's'), - (0x1D4C9, 'M', u't'), - (0x1D4CA, 'M', u'u'), - (0x1D4CB, 'M', u'v'), - (0x1D4CC, 'M', u'w'), - (0x1D4CD, 'M', u'x'), - (0x1D4CE, 'M', u'y'), - (0x1D4CF, 'M', u'z'), - (0x1D4D0, 'M', u'a'), - (0x1D4D1, 'M', u'b'), - (0x1D4D2, 'M', u'c'), - (0x1D4D3, 'M', u'd'), - (0x1D4D4, 'M', u'e'), - (0x1D4D5, 'M', u'f'), - (0x1D4D6, 'M', u'g'), - (0x1D4D7, 'M', u'h'), - (0x1D4D8, 'M', u'i'), - (0x1D4D9, 'M', u'j'), - (0x1D4DA, 'M', u'k'), - (0x1D4DB, 'M', u'l'), - (0x1D4DC, 'M', u'm'), - (0x1D4DD, 'M', u'n'), - (0x1D4DE, 'M', u'o'), - (0x1D4DF, 'M', u'p'), - (0x1D4E0, 'M', u'q'), - (0x1D4E1, 'M', u'r'), - (0x1D4E2, 'M', u's'), - (0x1D4E3, 'M', u't'), - (0x1D4E4, 'M', u'u'), - (0x1D4E5, 'M', u'v'), - (0x1D4E6, 'M', u'w'), - (0x1D4E7, 'M', u'x'), - (0x1D4E8, 'M', u'y'), - (0x1D4E9, 'M', u'z'), - (0x1D4EA, 'M', u'a'), - (0x1D4EB, 'M', u'b'), - (0x1D4EC, 'M', u'c'), - (0x1D4ED, 'M', u'd'), - (0x1D4EE, 'M', u'e'), - (0x1D4EF, 'M', u'f'), - (0x1D4F0, 'M', u'g'), - (0x1D4F1, 'M', u'h'), - (0x1D4F2, 'M', u'i'), - (0x1D4F3, 'M', u'j'), - (0x1D4F4, 'M', u'k'), - (0x1D4F5, 'M', u'l'), - (0x1D4F6, 'M', u'm'), - (0x1D4F7, 'M', u'n'), - (0x1D4F8, 'M', u'o'), - (0x1D4F9, 'M', u'p'), - (0x1D4FA, 'M', u'q'), - (0x1D4FB, 'M', u'r'), - (0x1D4FC, 'M', u's'), - (0x1D4FD, 'M', u't'), - (0x1D4FE, 'M', u'u'), - (0x1D4FF, 'M', u'v'), - (0x1D500, 'M', u'w'), - (0x1D501, 'M', u'x'), - (0x1D502, 'M', u'y'), - (0x1D503, 'M', u'z'), - (0x1D504, 'M', u'a'), - (0x1D505, 'M', u'b'), - (0x1D506, 'X'), - (0x1D507, 'M', u'd'), - (0x1D508, 'M', u'e'), - (0x1D509, 'M', u'f'), - (0x1D50A, 'M', u'g'), - (0x1D50B, 'X'), - (0x1D50D, 'M', u'j'), - (0x1D50E, 'M', u'k'), - (0x1D50F, 'M', u'l'), - (0x1D510, 'M', u'm'), - (0x1D511, 'M', u'n'), - (0x1D512, 'M', u'o'), - (0x1D513, 'M', u'p'), - (0x1D514, 'M', u'q'), - (0x1D515, 'X'), - (0x1D516, 'M', u's'), - (0x1D517, 'M', u't'), - (0x1D518, 'M', u'u'), - (0x1D519, 'M', u'v'), - (0x1D51A, 'M', u'w'), - (0x1D51B, 'M', u'x'), - (0x1D51C, 'M', u'y'), - (0x1D51D, 'X'), - (0x1D51E, 'M', u'a'), - (0x1D51F, 'M', u'b'), - (0x1D520, 'M', u'c'), - (0x1D521, 'M', u'd'), - (0x1D522, 'M', u'e'), - (0x1D523, 'M', u'f'), - (0x1D524, 'M', u'g'), - (0x1D525, 'M', u'h'), - (0x1D526, 'M', u'i'), - (0x1D527, 'M', u'j'), - (0x1D528, 'M', u'k'), - ] - -def _seg_61(): - return [ - (0x1D529, 'M', u'l'), - (0x1D52A, 'M', u'm'), - (0x1D52B, 'M', u'n'), - (0x1D52C, 'M', u'o'), - (0x1D52D, 'M', u'p'), - (0x1D52E, 'M', u'q'), - (0x1D52F, 'M', u'r'), - (0x1D530, 'M', u's'), - (0x1D531, 'M', u't'), - (0x1D532, 'M', u'u'), - (0x1D533, 'M', u'v'), - (0x1D534, 'M', u'w'), - (0x1D535, 'M', u'x'), - (0x1D536, 'M', u'y'), - (0x1D537, 'M', u'z'), - (0x1D538, 'M', u'a'), - (0x1D539, 'M', u'b'), - (0x1D53A, 'X'), - (0x1D53B, 'M', u'd'), - (0x1D53C, 'M', u'e'), - (0x1D53D, 'M', u'f'), - (0x1D53E, 'M', u'g'), - (0x1D53F, 'X'), - (0x1D540, 'M', u'i'), - (0x1D541, 'M', u'j'), - (0x1D542, 'M', u'k'), - (0x1D543, 'M', u'l'), - (0x1D544, 'M', u'm'), - (0x1D545, 'X'), - (0x1D546, 'M', u'o'), - (0x1D547, 'X'), - (0x1D54A, 'M', u's'), - (0x1D54B, 'M', u't'), - (0x1D54C, 'M', u'u'), - (0x1D54D, 'M', u'v'), - (0x1D54E, 'M', u'w'), - (0x1D54F, 'M', u'x'), - (0x1D550, 'M', u'y'), - (0x1D551, 'X'), - (0x1D552, 'M', u'a'), - (0x1D553, 'M', u'b'), - (0x1D554, 'M', u'c'), - (0x1D555, 'M', u'd'), - (0x1D556, 'M', u'e'), - (0x1D557, 'M', u'f'), - (0x1D558, 'M', u'g'), - (0x1D559, 'M', u'h'), - (0x1D55A, 'M', u'i'), - (0x1D55B, 'M', u'j'), - (0x1D55C, 'M', u'k'), - (0x1D55D, 'M', u'l'), - (0x1D55E, 'M', u'm'), - (0x1D55F, 'M', u'n'), - (0x1D560, 'M', u'o'), - (0x1D561, 'M', u'p'), - (0x1D562, 'M', u'q'), - (0x1D563, 'M', u'r'), - (0x1D564, 'M', u's'), - (0x1D565, 'M', u't'), - (0x1D566, 'M', u'u'), - (0x1D567, 'M', u'v'), - (0x1D568, 'M', u'w'), - (0x1D569, 'M', u'x'), - (0x1D56A, 'M', u'y'), - (0x1D56B, 'M', u'z'), - (0x1D56C, 'M', u'a'), - (0x1D56D, 'M', u'b'), - (0x1D56E, 'M', u'c'), - (0x1D56F, 'M', u'd'), - (0x1D570, 'M', u'e'), - (0x1D571, 'M', u'f'), - (0x1D572, 'M', u'g'), - (0x1D573, 'M', u'h'), - (0x1D574, 'M', u'i'), - (0x1D575, 'M', u'j'), - (0x1D576, 'M', u'k'), - (0x1D577, 'M', u'l'), - (0x1D578, 'M', u'm'), - (0x1D579, 'M', u'n'), - (0x1D57A, 'M', u'o'), - (0x1D57B, 'M', u'p'), - (0x1D57C, 'M', u'q'), - (0x1D57D, 'M', u'r'), - (0x1D57E, 'M', u's'), - (0x1D57F, 'M', u't'), - (0x1D580, 'M', u'u'), - (0x1D581, 'M', u'v'), - (0x1D582, 'M', u'w'), - (0x1D583, 'M', u'x'), - (0x1D584, 'M', u'y'), - (0x1D585, 'M', u'z'), - (0x1D586, 'M', u'a'), - (0x1D587, 'M', u'b'), - (0x1D588, 'M', u'c'), - (0x1D589, 'M', u'd'), - (0x1D58A, 'M', u'e'), - (0x1D58B, 'M', u'f'), - (0x1D58C, 'M', u'g'), - (0x1D58D, 'M', u'h'), - (0x1D58E, 'M', u'i'), - ] - -def _seg_62(): - return [ - (0x1D58F, 'M', u'j'), - (0x1D590, 'M', u'k'), - (0x1D591, 'M', u'l'), - (0x1D592, 'M', u'm'), - (0x1D593, 'M', u'n'), - (0x1D594, 'M', u'o'), - (0x1D595, 'M', u'p'), - (0x1D596, 'M', u'q'), - (0x1D597, 'M', u'r'), - (0x1D598, 'M', u's'), - (0x1D599, 'M', u't'), - (0x1D59A, 'M', u'u'), - (0x1D59B, 'M', u'v'), - (0x1D59C, 'M', u'w'), - (0x1D59D, 'M', u'x'), - (0x1D59E, 'M', u'y'), - (0x1D59F, 'M', u'z'), - (0x1D5A0, 'M', u'a'), - (0x1D5A1, 'M', u'b'), - (0x1D5A2, 'M', u'c'), - (0x1D5A3, 'M', u'd'), - (0x1D5A4, 'M', u'e'), - (0x1D5A5, 'M', u'f'), - (0x1D5A6, 'M', u'g'), - (0x1D5A7, 'M', u'h'), - (0x1D5A8, 'M', u'i'), - (0x1D5A9, 'M', u'j'), - (0x1D5AA, 'M', u'k'), - (0x1D5AB, 'M', u'l'), - (0x1D5AC, 'M', u'm'), - (0x1D5AD, 'M', u'n'), - (0x1D5AE, 'M', u'o'), - (0x1D5AF, 'M', u'p'), - (0x1D5B0, 'M', u'q'), - (0x1D5B1, 'M', u'r'), - (0x1D5B2, 'M', u's'), - (0x1D5B3, 'M', u't'), - (0x1D5B4, 'M', u'u'), - (0x1D5B5, 'M', u'v'), - (0x1D5B6, 'M', u'w'), - (0x1D5B7, 'M', u'x'), - (0x1D5B8, 'M', u'y'), - (0x1D5B9, 'M', u'z'), - (0x1D5BA, 'M', u'a'), - (0x1D5BB, 'M', u'b'), - (0x1D5BC, 'M', u'c'), - (0x1D5BD, 'M', u'd'), - (0x1D5BE, 'M', u'e'), - (0x1D5BF, 'M', u'f'), - (0x1D5C0, 'M', u'g'), - (0x1D5C1, 'M', u'h'), - (0x1D5C2, 'M', u'i'), - (0x1D5C3, 'M', u'j'), - (0x1D5C4, 'M', u'k'), - (0x1D5C5, 'M', u'l'), - (0x1D5C6, 'M', u'm'), - (0x1D5C7, 'M', u'n'), - (0x1D5C8, 'M', u'o'), - (0x1D5C9, 'M', u'p'), - (0x1D5CA, 'M', u'q'), - (0x1D5CB, 'M', u'r'), - (0x1D5CC, 'M', u's'), - (0x1D5CD, 'M', u't'), - (0x1D5CE, 'M', u'u'), - (0x1D5CF, 'M', u'v'), - (0x1D5D0, 'M', u'w'), - (0x1D5D1, 'M', u'x'), - (0x1D5D2, 'M', u'y'), - (0x1D5D3, 'M', u'z'), - (0x1D5D4, 'M', u'a'), - (0x1D5D5, 'M', u'b'), - (0x1D5D6, 'M', u'c'), - (0x1D5D7, 'M', u'd'), - (0x1D5D8, 'M', u'e'), - (0x1D5D9, 'M', u'f'), - (0x1D5DA, 'M', u'g'), - (0x1D5DB, 'M', u'h'), - (0x1D5DC, 'M', u'i'), - (0x1D5DD, 'M', u'j'), - (0x1D5DE, 'M', u'k'), - (0x1D5DF, 'M', u'l'), - (0x1D5E0, 'M', u'm'), - (0x1D5E1, 'M', u'n'), - (0x1D5E2, 'M', u'o'), - (0x1D5E3, 'M', u'p'), - (0x1D5E4, 'M', u'q'), - (0x1D5E5, 'M', u'r'), - (0x1D5E6, 'M', u's'), - (0x1D5E7, 'M', u't'), - (0x1D5E8, 'M', u'u'), - (0x1D5E9, 'M', u'v'), - (0x1D5EA, 'M', u'w'), - (0x1D5EB, 'M', u'x'), - (0x1D5EC, 'M', u'y'), - (0x1D5ED, 'M', u'z'), - (0x1D5EE, 'M', u'a'), - (0x1D5EF, 'M', u'b'), - (0x1D5F0, 'M', u'c'), - (0x1D5F1, 'M', u'd'), - (0x1D5F2, 'M', u'e'), - ] - -def _seg_63(): - return [ - (0x1D5F3, 'M', u'f'), - (0x1D5F4, 'M', u'g'), - (0x1D5F5, 'M', u'h'), - (0x1D5F6, 'M', u'i'), - (0x1D5F7, 'M', u'j'), - (0x1D5F8, 'M', u'k'), - (0x1D5F9, 'M', u'l'), - (0x1D5FA, 'M', u'm'), - (0x1D5FB, 'M', u'n'), - (0x1D5FC, 'M', u'o'), - (0x1D5FD, 'M', u'p'), - (0x1D5FE, 'M', u'q'), - (0x1D5FF, 'M', u'r'), - (0x1D600, 'M', u's'), - (0x1D601, 'M', u't'), - (0x1D602, 'M', u'u'), - (0x1D603, 'M', u'v'), - (0x1D604, 'M', u'w'), - (0x1D605, 'M', u'x'), - (0x1D606, 'M', u'y'), - (0x1D607, 'M', u'z'), - (0x1D608, 'M', u'a'), - (0x1D609, 'M', u'b'), - (0x1D60A, 'M', u'c'), - (0x1D60B, 'M', u'd'), - (0x1D60C, 'M', u'e'), - (0x1D60D, 'M', u'f'), - (0x1D60E, 'M', u'g'), - (0x1D60F, 'M', u'h'), - (0x1D610, 'M', u'i'), - (0x1D611, 'M', u'j'), - (0x1D612, 'M', u'k'), - (0x1D613, 'M', u'l'), - (0x1D614, 'M', u'm'), - (0x1D615, 'M', u'n'), - (0x1D616, 'M', u'o'), - (0x1D617, 'M', u'p'), - (0x1D618, 'M', u'q'), - (0x1D619, 'M', u'r'), - (0x1D61A, 'M', u's'), - (0x1D61B, 'M', u't'), - (0x1D61C, 'M', u'u'), - (0x1D61D, 'M', u'v'), - (0x1D61E, 'M', u'w'), - (0x1D61F, 'M', u'x'), - (0x1D620, 'M', u'y'), - (0x1D621, 'M', u'z'), - (0x1D622, 'M', u'a'), - (0x1D623, 'M', u'b'), - (0x1D624, 'M', u'c'), - (0x1D625, 'M', u'd'), - (0x1D626, 'M', u'e'), - (0x1D627, 'M', u'f'), - (0x1D628, 'M', u'g'), - (0x1D629, 'M', u'h'), - (0x1D62A, 'M', u'i'), - (0x1D62B, 'M', u'j'), - (0x1D62C, 'M', u'k'), - (0x1D62D, 'M', u'l'), - (0x1D62E, 'M', u'm'), - (0x1D62F, 'M', u'n'), - (0x1D630, 'M', u'o'), - (0x1D631, 'M', u'p'), - (0x1D632, 'M', u'q'), - (0x1D633, 'M', u'r'), - (0x1D634, 'M', u's'), - (0x1D635, 'M', u't'), - (0x1D636, 'M', u'u'), - (0x1D637, 'M', u'v'), - (0x1D638, 'M', u'w'), - (0x1D639, 'M', u'x'), - (0x1D63A, 'M', u'y'), - (0x1D63B, 'M', u'z'), - (0x1D63C, 'M', u'a'), - (0x1D63D, 'M', u'b'), - (0x1D63E, 'M', u'c'), - (0x1D63F, 'M', u'd'), - (0x1D640, 'M', u'e'), - (0x1D641, 'M', u'f'), - (0x1D642, 'M', u'g'), - (0x1D643, 'M', u'h'), - (0x1D644, 'M', u'i'), - (0x1D645, 'M', u'j'), - (0x1D646, 'M', u'k'), - (0x1D647, 'M', u'l'), - (0x1D648, 'M', u'm'), - (0x1D649, 'M', u'n'), - (0x1D64A, 'M', u'o'), - (0x1D64B, 'M', u'p'), - (0x1D64C, 'M', u'q'), - (0x1D64D, 'M', u'r'), - (0x1D64E, 'M', u's'), - (0x1D64F, 'M', u't'), - (0x1D650, 'M', u'u'), - (0x1D651, 'M', u'v'), - (0x1D652, 'M', u'w'), - (0x1D653, 'M', u'x'), - (0x1D654, 'M', u'y'), - (0x1D655, 'M', u'z'), - (0x1D656, 'M', u'a'), - ] - -def _seg_64(): - return [ - (0x1D657, 'M', u'b'), - (0x1D658, 'M', u'c'), - (0x1D659, 'M', u'd'), - (0x1D65A, 'M', u'e'), - (0x1D65B, 'M', u'f'), - (0x1D65C, 'M', u'g'), - (0x1D65D, 'M', u'h'), - (0x1D65E, 'M', u'i'), - (0x1D65F, 'M', u'j'), - (0x1D660, 'M', u'k'), - (0x1D661, 'M', u'l'), - (0x1D662, 'M', u'm'), - (0x1D663, 'M', u'n'), - (0x1D664, 'M', u'o'), - (0x1D665, 'M', u'p'), - (0x1D666, 'M', u'q'), - (0x1D667, 'M', u'r'), - (0x1D668, 'M', u's'), - (0x1D669, 'M', u't'), - (0x1D66A, 'M', u'u'), - (0x1D66B, 'M', u'v'), - (0x1D66C, 'M', u'w'), - (0x1D66D, 'M', u'x'), - (0x1D66E, 'M', u'y'), - (0x1D66F, 'M', u'z'), - (0x1D670, 'M', u'a'), - (0x1D671, 'M', u'b'), - (0x1D672, 'M', u'c'), - (0x1D673, 'M', u'd'), - (0x1D674, 'M', u'e'), - (0x1D675, 'M', u'f'), - (0x1D676, 'M', u'g'), - (0x1D677, 'M', u'h'), - (0x1D678, 'M', u'i'), - (0x1D679, 'M', u'j'), - (0x1D67A, 'M', u'k'), - (0x1D67B, 'M', u'l'), - (0x1D67C, 'M', u'm'), - (0x1D67D, 'M', u'n'), - (0x1D67E, 'M', u'o'), - (0x1D67F, 'M', u'p'), - (0x1D680, 'M', u'q'), - (0x1D681, 'M', u'r'), - (0x1D682, 'M', u's'), - (0x1D683, 'M', u't'), - (0x1D684, 'M', u'u'), - (0x1D685, 'M', u'v'), - (0x1D686, 'M', u'w'), - (0x1D687, 'M', u'x'), - (0x1D688, 'M', u'y'), - (0x1D689, 'M', u'z'), - (0x1D68A, 'M', u'a'), - (0x1D68B, 'M', u'b'), - (0x1D68C, 'M', u'c'), - (0x1D68D, 'M', u'd'), - (0x1D68E, 'M', u'e'), - (0x1D68F, 'M', u'f'), - (0x1D690, 'M', u'g'), - (0x1D691, 'M', u'h'), - (0x1D692, 'M', u'i'), - (0x1D693, 'M', u'j'), - (0x1D694, 'M', u'k'), - (0x1D695, 'M', u'l'), - (0x1D696, 'M', u'm'), - (0x1D697, 'M', u'n'), - (0x1D698, 'M', u'o'), - (0x1D699, 'M', u'p'), - (0x1D69A, 'M', u'q'), - (0x1D69B, 'M', u'r'), - (0x1D69C, 'M', u's'), - (0x1D69D, 'M', u't'), - (0x1D69E, 'M', u'u'), - (0x1D69F, 'M', u'v'), - (0x1D6A0, 'M', u'w'), - (0x1D6A1, 'M', u'x'), - (0x1D6A2, 'M', u'y'), - (0x1D6A3, 'M', u'z'), - (0x1D6A4, 'M', u'ı'), - (0x1D6A5, 'M', u'ȷ'), - (0x1D6A6, 'X'), - (0x1D6A8, 'M', u'α'), - (0x1D6A9, 'M', u'β'), - (0x1D6AA, 'M', u'γ'), - (0x1D6AB, 'M', u'δ'), - (0x1D6AC, 'M', u'ε'), - (0x1D6AD, 'M', u'ζ'), - (0x1D6AE, 'M', u'η'), - (0x1D6AF, 'M', u'θ'), - (0x1D6B0, 'M', u'ι'), - (0x1D6B1, 'M', u'κ'), - (0x1D6B2, 'M', u'λ'), - (0x1D6B3, 'M', u'μ'), - (0x1D6B4, 'M', u'ν'), - (0x1D6B5, 'M', u'ξ'), - (0x1D6B6, 'M', u'ο'), - (0x1D6B7, 'M', u'π'), - (0x1D6B8, 'M', u'ρ'), - (0x1D6B9, 'M', u'θ'), - (0x1D6BA, 'M', u'σ'), - (0x1D6BB, 'M', u'τ'), - ] - -def _seg_65(): - return [ - (0x1D6BC, 'M', u'υ'), - (0x1D6BD, 'M', u'φ'), - (0x1D6BE, 'M', u'χ'), - (0x1D6BF, 'M', u'ψ'), - (0x1D6C0, 'M', u'ω'), - (0x1D6C1, 'M', u'∇'), - (0x1D6C2, 'M', u'α'), - (0x1D6C3, 'M', u'β'), - (0x1D6C4, 'M', u'γ'), - (0x1D6C5, 'M', u'δ'), - (0x1D6C6, 'M', u'ε'), - (0x1D6C7, 'M', u'ζ'), - (0x1D6C8, 'M', u'η'), - (0x1D6C9, 'M', u'θ'), - (0x1D6CA, 'M', u'ι'), - (0x1D6CB, 'M', u'κ'), - (0x1D6CC, 'M', u'λ'), - (0x1D6CD, 'M', u'μ'), - (0x1D6CE, 'M', u'ν'), - (0x1D6CF, 'M', u'ξ'), - (0x1D6D0, 'M', u'ο'), - (0x1D6D1, 'M', u'π'), - (0x1D6D2, 'M', u'ρ'), - (0x1D6D3, 'M', u'σ'), - (0x1D6D5, 'M', u'τ'), - (0x1D6D6, 'M', u'υ'), - (0x1D6D7, 'M', u'φ'), - (0x1D6D8, 'M', u'χ'), - (0x1D6D9, 'M', u'ψ'), - (0x1D6DA, 'M', u'ω'), - (0x1D6DB, 'M', u'∂'), - (0x1D6DC, 'M', u'ε'), - (0x1D6DD, 'M', u'θ'), - (0x1D6DE, 'M', u'κ'), - (0x1D6DF, 'M', u'φ'), - (0x1D6E0, 'M', u'ρ'), - (0x1D6E1, 'M', u'π'), - (0x1D6E2, 'M', u'α'), - (0x1D6E3, 'M', u'β'), - (0x1D6E4, 'M', u'γ'), - (0x1D6E5, 'M', u'δ'), - (0x1D6E6, 'M', u'ε'), - (0x1D6E7, 'M', u'ζ'), - (0x1D6E8, 'M', u'η'), - (0x1D6E9, 'M', u'θ'), - (0x1D6EA, 'M', u'ι'), - (0x1D6EB, 'M', u'κ'), - (0x1D6EC, 'M', u'λ'), - (0x1D6ED, 'M', u'μ'), - (0x1D6EE, 'M', u'ν'), - (0x1D6EF, 'M', u'ξ'), - (0x1D6F0, 'M', u'ο'), - (0x1D6F1, 'M', u'π'), - (0x1D6F2, 'M', u'ρ'), - (0x1D6F3, 'M', u'θ'), - (0x1D6F4, 'M', u'σ'), - (0x1D6F5, 'M', u'τ'), - (0x1D6F6, 'M', u'υ'), - (0x1D6F7, 'M', u'φ'), - (0x1D6F8, 'M', u'χ'), - (0x1D6F9, 'M', u'ψ'), - (0x1D6FA, 'M', u'ω'), - (0x1D6FB, 'M', u'∇'), - (0x1D6FC, 'M', u'α'), - (0x1D6FD, 'M', u'β'), - (0x1D6FE, 'M', u'γ'), - (0x1D6FF, 'M', u'δ'), - (0x1D700, 'M', u'ε'), - (0x1D701, 'M', u'ζ'), - (0x1D702, 'M', u'η'), - (0x1D703, 'M', u'θ'), - (0x1D704, 'M', u'ι'), - (0x1D705, 'M', u'κ'), - (0x1D706, 'M', u'λ'), - (0x1D707, 'M', u'μ'), - (0x1D708, 'M', u'ν'), - (0x1D709, 'M', u'ξ'), - (0x1D70A, 'M', u'ο'), - (0x1D70B, 'M', u'π'), - (0x1D70C, 'M', u'ρ'), - (0x1D70D, 'M', u'σ'), - (0x1D70F, 'M', u'τ'), - (0x1D710, 'M', u'υ'), - (0x1D711, 'M', u'φ'), - (0x1D712, 'M', u'χ'), - (0x1D713, 'M', u'ψ'), - (0x1D714, 'M', u'ω'), - (0x1D715, 'M', u'∂'), - (0x1D716, 'M', u'ε'), - (0x1D717, 'M', u'θ'), - (0x1D718, 'M', u'κ'), - (0x1D719, 'M', u'φ'), - (0x1D71A, 'M', u'ρ'), - (0x1D71B, 'M', u'π'), - (0x1D71C, 'M', u'α'), - (0x1D71D, 'M', u'β'), - (0x1D71E, 'M', u'γ'), - (0x1D71F, 'M', u'δ'), - (0x1D720, 'M', u'ε'), - (0x1D721, 'M', u'ζ'), - ] - -def _seg_66(): - return [ - (0x1D722, 'M', u'η'), - (0x1D723, 'M', u'θ'), - (0x1D724, 'M', u'ι'), - (0x1D725, 'M', u'κ'), - (0x1D726, 'M', u'λ'), - (0x1D727, 'M', u'μ'), - (0x1D728, 'M', u'ν'), - (0x1D729, 'M', u'ξ'), - (0x1D72A, 'M', u'ο'), - (0x1D72B, 'M', u'π'), - (0x1D72C, 'M', u'ρ'), - (0x1D72D, 'M', u'θ'), - (0x1D72E, 'M', u'σ'), - (0x1D72F, 'M', u'τ'), - (0x1D730, 'M', u'υ'), - (0x1D731, 'M', u'φ'), - (0x1D732, 'M', u'χ'), - (0x1D733, 'M', u'ψ'), - (0x1D734, 'M', u'ω'), - (0x1D735, 'M', u'∇'), - (0x1D736, 'M', u'α'), - (0x1D737, 'M', u'β'), - (0x1D738, 'M', u'γ'), - (0x1D739, 'M', u'δ'), - (0x1D73A, 'M', u'ε'), - (0x1D73B, 'M', u'ζ'), - (0x1D73C, 'M', u'η'), - (0x1D73D, 'M', u'θ'), - (0x1D73E, 'M', u'ι'), - (0x1D73F, 'M', u'κ'), - (0x1D740, 'M', u'λ'), - (0x1D741, 'M', u'μ'), - (0x1D742, 'M', u'ν'), - (0x1D743, 'M', u'ξ'), - (0x1D744, 'M', u'ο'), - (0x1D745, 'M', u'π'), - (0x1D746, 'M', u'ρ'), - (0x1D747, 'M', u'σ'), - (0x1D749, 'M', u'τ'), - (0x1D74A, 'M', u'υ'), - (0x1D74B, 'M', u'φ'), - (0x1D74C, 'M', u'χ'), - (0x1D74D, 'M', u'ψ'), - (0x1D74E, 'M', u'ω'), - (0x1D74F, 'M', u'∂'), - (0x1D750, 'M', u'ε'), - (0x1D751, 'M', u'θ'), - (0x1D752, 'M', u'κ'), - (0x1D753, 'M', u'φ'), - (0x1D754, 'M', u'ρ'), - (0x1D755, 'M', u'π'), - (0x1D756, 'M', u'α'), - (0x1D757, 'M', u'β'), - (0x1D758, 'M', u'γ'), - (0x1D759, 'M', u'δ'), - (0x1D75A, 'M', u'ε'), - (0x1D75B, 'M', u'ζ'), - (0x1D75C, 'M', u'η'), - (0x1D75D, 'M', u'θ'), - (0x1D75E, 'M', u'ι'), - (0x1D75F, 'M', u'κ'), - (0x1D760, 'M', u'λ'), - (0x1D761, 'M', u'μ'), - (0x1D762, 'M', u'ν'), - (0x1D763, 'M', u'ξ'), - (0x1D764, 'M', u'ο'), - (0x1D765, 'M', u'π'), - (0x1D766, 'M', u'ρ'), - (0x1D767, 'M', u'θ'), - (0x1D768, 'M', u'σ'), - (0x1D769, 'M', u'τ'), - (0x1D76A, 'M', u'υ'), - (0x1D76B, 'M', u'φ'), - (0x1D76C, 'M', u'χ'), - (0x1D76D, 'M', u'ψ'), - (0x1D76E, 'M', u'ω'), - (0x1D76F, 'M', u'∇'), - (0x1D770, 'M', u'α'), - (0x1D771, 'M', u'β'), - (0x1D772, 'M', u'γ'), - (0x1D773, 'M', u'δ'), - (0x1D774, 'M', u'ε'), - (0x1D775, 'M', u'ζ'), - (0x1D776, 'M', u'η'), - (0x1D777, 'M', u'θ'), - (0x1D778, 'M', u'ι'), - (0x1D779, 'M', u'κ'), - (0x1D77A, 'M', u'λ'), - (0x1D77B, 'M', u'μ'), - (0x1D77C, 'M', u'ν'), - (0x1D77D, 'M', u'ξ'), - (0x1D77E, 'M', u'ο'), - (0x1D77F, 'M', u'π'), - (0x1D780, 'M', u'ρ'), - (0x1D781, 'M', u'σ'), - (0x1D783, 'M', u'τ'), - (0x1D784, 'M', u'υ'), - (0x1D785, 'M', u'φ'), - (0x1D786, 'M', u'χ'), - (0x1D787, 'M', u'ψ'), - ] - -def _seg_67(): - return [ - (0x1D788, 'M', u'ω'), - (0x1D789, 'M', u'∂'), - (0x1D78A, 'M', u'ε'), - (0x1D78B, 'M', u'θ'), - (0x1D78C, 'M', u'κ'), - (0x1D78D, 'M', u'φ'), - (0x1D78E, 'M', u'ρ'), - (0x1D78F, 'M', u'π'), - (0x1D790, 'M', u'α'), - (0x1D791, 'M', u'β'), - (0x1D792, 'M', u'γ'), - (0x1D793, 'M', u'δ'), - (0x1D794, 'M', u'ε'), - (0x1D795, 'M', u'ζ'), - (0x1D796, 'M', u'η'), - (0x1D797, 'M', u'θ'), - (0x1D798, 'M', u'ι'), - (0x1D799, 'M', u'κ'), - (0x1D79A, 'M', u'λ'), - (0x1D79B, 'M', u'μ'), - (0x1D79C, 'M', u'ν'), - (0x1D79D, 'M', u'ξ'), - (0x1D79E, 'M', u'ο'), - (0x1D79F, 'M', u'π'), - (0x1D7A0, 'M', u'ρ'), - (0x1D7A1, 'M', u'θ'), - (0x1D7A2, 'M', u'σ'), - (0x1D7A3, 'M', u'τ'), - (0x1D7A4, 'M', u'υ'), - (0x1D7A5, 'M', u'φ'), - (0x1D7A6, 'M', u'χ'), - (0x1D7A7, 'M', u'ψ'), - (0x1D7A8, 'M', u'ω'), - (0x1D7A9, 'M', u'∇'), - (0x1D7AA, 'M', u'α'), - (0x1D7AB, 'M', u'β'), - (0x1D7AC, 'M', u'γ'), - (0x1D7AD, 'M', u'δ'), - (0x1D7AE, 'M', u'ε'), - (0x1D7AF, 'M', u'ζ'), - (0x1D7B0, 'M', u'η'), - (0x1D7B1, 'M', u'θ'), - (0x1D7B2, 'M', u'ι'), - (0x1D7B3, 'M', u'κ'), - (0x1D7B4, 'M', u'λ'), - (0x1D7B5, 'M', u'μ'), - (0x1D7B6, 'M', u'ν'), - (0x1D7B7, 'M', u'ξ'), - (0x1D7B8, 'M', u'ο'), - (0x1D7B9, 'M', u'π'), - (0x1D7BA, 'M', u'ρ'), - (0x1D7BB, 'M', u'σ'), - (0x1D7BD, 'M', u'τ'), - (0x1D7BE, 'M', u'υ'), - (0x1D7BF, 'M', u'φ'), - (0x1D7C0, 'M', u'χ'), - (0x1D7C1, 'M', u'ψ'), - (0x1D7C2, 'M', u'ω'), - (0x1D7C3, 'M', u'∂'), - (0x1D7C4, 'M', u'ε'), - (0x1D7C5, 'M', u'θ'), - (0x1D7C6, 'M', u'κ'), - (0x1D7C7, 'M', u'φ'), - (0x1D7C8, 'M', u'ρ'), - (0x1D7C9, 'M', u'π'), - (0x1D7CA, 'M', u'ϝ'), - (0x1D7CC, 'X'), - (0x1D7CE, 'M', u'0'), - (0x1D7CF, 'M', u'1'), - (0x1D7D0, 'M', u'2'), - (0x1D7D1, 'M', u'3'), - (0x1D7D2, 'M', u'4'), - (0x1D7D3, 'M', u'5'), - (0x1D7D4, 'M', u'6'), - (0x1D7D5, 'M', u'7'), - (0x1D7D6, 'M', u'8'), - (0x1D7D7, 'M', u'9'), - (0x1D7D8, 'M', u'0'), - (0x1D7D9, 'M', u'1'), - (0x1D7DA, 'M', u'2'), - (0x1D7DB, 'M', u'3'), - (0x1D7DC, 'M', u'4'), - (0x1D7DD, 'M', u'5'), - (0x1D7DE, 'M', u'6'), - (0x1D7DF, 'M', u'7'), - (0x1D7E0, 'M', u'8'), - (0x1D7E1, 'M', u'9'), - (0x1D7E2, 'M', u'0'), - (0x1D7E3, 'M', u'1'), - (0x1D7E4, 'M', u'2'), - (0x1D7E5, 'M', u'3'), - (0x1D7E6, 'M', u'4'), - (0x1D7E7, 'M', u'5'), - (0x1D7E8, 'M', u'6'), - (0x1D7E9, 'M', u'7'), - (0x1D7EA, 'M', u'8'), - (0x1D7EB, 'M', u'9'), - (0x1D7EC, 'M', u'0'), - (0x1D7ED, 'M', u'1'), - (0x1D7EE, 'M', u'2'), - ] - -def _seg_68(): - return [ - (0x1D7EF, 'M', u'3'), - (0x1D7F0, 'M', u'4'), - (0x1D7F1, 'M', u'5'), - (0x1D7F2, 'M', u'6'), - (0x1D7F3, 'M', u'7'), - (0x1D7F4, 'M', u'8'), - (0x1D7F5, 'M', u'9'), - (0x1D7F6, 'M', u'0'), - (0x1D7F7, 'M', u'1'), - (0x1D7F8, 'M', u'2'), - (0x1D7F9, 'M', u'3'), - (0x1D7FA, 'M', u'4'), - (0x1D7FB, 'M', u'5'), - (0x1D7FC, 'M', u'6'), - (0x1D7FD, 'M', u'7'), - (0x1D7FE, 'M', u'8'), - (0x1D7FF, 'M', u'9'), - (0x1D800, 'V'), - (0x1DA8C, 'X'), - (0x1DA9B, 'V'), - (0x1DAA0, 'X'), - (0x1DAA1, 'V'), - (0x1DAB0, 'X'), - (0x1E000, 'V'), - (0x1E007, 'X'), - (0x1E008, 'V'), - (0x1E019, 'X'), - (0x1E01B, 'V'), - (0x1E022, 'X'), - (0x1E023, 'V'), - (0x1E025, 'X'), - (0x1E026, 'V'), - (0x1E02B, 'X'), - (0x1E800, 'V'), - (0x1E8C5, 'X'), - (0x1E8C7, 'V'), - (0x1E8D7, 'X'), - (0x1E900, 'M', u'𞤢'), - (0x1E901, 'M', u'𞤣'), - (0x1E902, 'M', u'𞤤'), - (0x1E903, 'M', u'𞤥'), - (0x1E904, 'M', u'𞤦'), - (0x1E905, 'M', u'𞤧'), - (0x1E906, 'M', u'𞤨'), - (0x1E907, 'M', u'𞤩'), - (0x1E908, 'M', u'𞤪'), - (0x1E909, 'M', u'𞤫'), - (0x1E90A, 'M', u'𞤬'), - (0x1E90B, 'M', u'𞤭'), - (0x1E90C, 'M', u'𞤮'), - (0x1E90D, 'M', u'𞤯'), - (0x1E90E, 'M', u'𞤰'), - (0x1E90F, 'M', u'𞤱'), - (0x1E910, 'M', u'𞤲'), - (0x1E911, 'M', u'𞤳'), - (0x1E912, 'M', u'𞤴'), - (0x1E913, 'M', u'𞤵'), - (0x1E914, 'M', u'𞤶'), - (0x1E915, 'M', u'𞤷'), - (0x1E916, 'M', u'𞤸'), - (0x1E917, 'M', u'𞤹'), - (0x1E918, 'M', u'𞤺'), - (0x1E919, 'M', u'𞤻'), - (0x1E91A, 'M', u'𞤼'), - (0x1E91B, 'M', u'𞤽'), - (0x1E91C, 'M', u'𞤾'), - (0x1E91D, 'M', u'𞤿'), - (0x1E91E, 'M', u'𞥀'), - (0x1E91F, 'M', u'𞥁'), - (0x1E920, 'M', u'𞥂'), - (0x1E921, 'M', u'𞥃'), - (0x1E922, 'V'), - (0x1E94B, 'X'), - (0x1E950, 'V'), - (0x1E95A, 'X'), - (0x1E95E, 'V'), - (0x1E960, 'X'), - (0x1EC71, 'V'), - (0x1ECB5, 'X'), - (0x1EE00, 'M', u'ا'), - (0x1EE01, 'M', u'ب'), - (0x1EE02, 'M', u'ج'), - (0x1EE03, 'M', u'د'), - (0x1EE04, 'X'), - (0x1EE05, 'M', u'و'), - (0x1EE06, 'M', u'ز'), - (0x1EE07, 'M', u'ح'), - (0x1EE08, 'M', u'ط'), - (0x1EE09, 'M', u'ي'), - (0x1EE0A, 'M', u'ك'), - (0x1EE0B, 'M', u'ل'), - (0x1EE0C, 'M', u'م'), - (0x1EE0D, 'M', u'ن'), - (0x1EE0E, 'M', u'س'), - (0x1EE0F, 'M', u'ع'), - (0x1EE10, 'M', u'ف'), - (0x1EE11, 'M', u'ص'), - (0x1EE12, 'M', u'ق'), - (0x1EE13, 'M', u'ر'), - (0x1EE14, 'M', u'ش'), - ] - -def _seg_69(): - return [ - (0x1EE15, 'M', u'ت'), - (0x1EE16, 'M', u'ث'), - (0x1EE17, 'M', u'خ'), - (0x1EE18, 'M', u'ذ'), - (0x1EE19, 'M', u'ض'), - (0x1EE1A, 'M', u'ظ'), - (0x1EE1B, 'M', u'غ'), - (0x1EE1C, 'M', u'ٮ'), - (0x1EE1D, 'M', u'ں'), - (0x1EE1E, 'M', u'ڡ'), - (0x1EE1F, 'M', u'ٯ'), - (0x1EE20, 'X'), - (0x1EE21, 'M', u'ب'), - (0x1EE22, 'M', u'ج'), - (0x1EE23, 'X'), - (0x1EE24, 'M', u'ه'), - (0x1EE25, 'X'), - (0x1EE27, 'M', u'ح'), - (0x1EE28, 'X'), - (0x1EE29, 'M', u'ي'), - (0x1EE2A, 'M', u'ك'), - (0x1EE2B, 'M', u'ل'), - (0x1EE2C, 'M', u'م'), - (0x1EE2D, 'M', u'ن'), - (0x1EE2E, 'M', u'س'), - (0x1EE2F, 'M', u'ع'), - (0x1EE30, 'M', u'ف'), - (0x1EE31, 'M', u'ص'), - (0x1EE32, 'M', u'ق'), - (0x1EE33, 'X'), - (0x1EE34, 'M', u'ش'), - (0x1EE35, 'M', u'ت'), - (0x1EE36, 'M', u'ث'), - (0x1EE37, 'M', u'خ'), - (0x1EE38, 'X'), - (0x1EE39, 'M', u'ض'), - (0x1EE3A, 'X'), - (0x1EE3B, 'M', u'غ'), - (0x1EE3C, 'X'), - (0x1EE42, 'M', u'ج'), - (0x1EE43, 'X'), - (0x1EE47, 'M', u'ح'), - (0x1EE48, 'X'), - (0x1EE49, 'M', u'ي'), - (0x1EE4A, 'X'), - (0x1EE4B, 'M', u'ل'), - (0x1EE4C, 'X'), - (0x1EE4D, 'M', u'ن'), - (0x1EE4E, 'M', u'س'), - (0x1EE4F, 'M', u'ع'), - (0x1EE50, 'X'), - (0x1EE51, 'M', u'ص'), - (0x1EE52, 'M', u'ق'), - (0x1EE53, 'X'), - (0x1EE54, 'M', u'ش'), - (0x1EE55, 'X'), - (0x1EE57, 'M', u'خ'), - (0x1EE58, 'X'), - (0x1EE59, 'M', u'ض'), - (0x1EE5A, 'X'), - (0x1EE5B, 'M', u'غ'), - (0x1EE5C, 'X'), - (0x1EE5D, 'M', u'ں'), - (0x1EE5E, 'X'), - (0x1EE5F, 'M', u'ٯ'), - (0x1EE60, 'X'), - (0x1EE61, 'M', u'ب'), - (0x1EE62, 'M', u'ج'), - (0x1EE63, 'X'), - (0x1EE64, 'M', u'ه'), - (0x1EE65, 'X'), - (0x1EE67, 'M', u'ح'), - (0x1EE68, 'M', u'ط'), - (0x1EE69, 'M', u'ي'), - (0x1EE6A, 'M', u'ك'), - (0x1EE6B, 'X'), - (0x1EE6C, 'M', u'م'), - (0x1EE6D, 'M', u'ن'), - (0x1EE6E, 'M', u'س'), - (0x1EE6F, 'M', u'ع'), - (0x1EE70, 'M', u'ف'), - (0x1EE71, 'M', u'ص'), - (0x1EE72, 'M', u'ق'), - (0x1EE73, 'X'), - (0x1EE74, 'M', u'ش'), - (0x1EE75, 'M', u'ت'), - (0x1EE76, 'M', u'ث'), - (0x1EE77, 'M', u'خ'), - (0x1EE78, 'X'), - (0x1EE79, 'M', u'ض'), - (0x1EE7A, 'M', u'ظ'), - (0x1EE7B, 'M', u'غ'), - (0x1EE7C, 'M', u'ٮ'), - (0x1EE7D, 'X'), - (0x1EE7E, 'M', u'ڡ'), - (0x1EE7F, 'X'), - (0x1EE80, 'M', u'ا'), - (0x1EE81, 'M', u'ب'), - (0x1EE82, 'M', u'ج'), - (0x1EE83, 'M', u'د'), - ] - -def _seg_70(): - return [ - (0x1EE84, 'M', u'ه'), - (0x1EE85, 'M', u'و'), - (0x1EE86, 'M', u'ز'), - (0x1EE87, 'M', u'ح'), - (0x1EE88, 'M', u'ط'), - (0x1EE89, 'M', u'ي'), - (0x1EE8A, 'X'), - (0x1EE8B, 'M', u'ل'), - (0x1EE8C, 'M', u'م'), - (0x1EE8D, 'M', u'ن'), - (0x1EE8E, 'M', u'س'), - (0x1EE8F, 'M', u'ع'), - (0x1EE90, 'M', u'ف'), - (0x1EE91, 'M', u'ص'), - (0x1EE92, 'M', u'ق'), - (0x1EE93, 'M', u'ر'), - (0x1EE94, 'M', u'ش'), - (0x1EE95, 'M', u'ت'), - (0x1EE96, 'M', u'ث'), - (0x1EE97, 'M', u'خ'), - (0x1EE98, 'M', u'ذ'), - (0x1EE99, 'M', u'ض'), - (0x1EE9A, 'M', u'ظ'), - (0x1EE9B, 'M', u'غ'), - (0x1EE9C, 'X'), - (0x1EEA1, 'M', u'ب'), - (0x1EEA2, 'M', u'ج'), - (0x1EEA3, 'M', u'د'), - (0x1EEA4, 'X'), - (0x1EEA5, 'M', u'و'), - (0x1EEA6, 'M', u'ز'), - (0x1EEA7, 'M', u'ح'), - (0x1EEA8, 'M', u'ط'), - (0x1EEA9, 'M', u'ي'), - (0x1EEAA, 'X'), - (0x1EEAB, 'M', u'ل'), - (0x1EEAC, 'M', u'م'), - (0x1EEAD, 'M', u'ن'), - (0x1EEAE, 'M', u'س'), - (0x1EEAF, 'M', u'ع'), - (0x1EEB0, 'M', u'ف'), - (0x1EEB1, 'M', u'ص'), - (0x1EEB2, 'M', u'ق'), - (0x1EEB3, 'M', u'ر'), - (0x1EEB4, 'M', u'ش'), - (0x1EEB5, 'M', u'ت'), - (0x1EEB6, 'M', u'ث'), - (0x1EEB7, 'M', u'خ'), - (0x1EEB8, 'M', u'ذ'), - (0x1EEB9, 'M', u'ض'), - (0x1EEBA, 'M', u'ظ'), - (0x1EEBB, 'M', u'غ'), - (0x1EEBC, 'X'), - (0x1EEF0, 'V'), - (0x1EEF2, 'X'), - (0x1F000, 'V'), - (0x1F02C, 'X'), - (0x1F030, 'V'), - (0x1F094, 'X'), - (0x1F0A0, 'V'), - (0x1F0AF, 'X'), - (0x1F0B1, 'V'), - (0x1F0C0, 'X'), - (0x1F0C1, 'V'), - (0x1F0D0, 'X'), - (0x1F0D1, 'V'), - (0x1F0F6, 'X'), - (0x1F101, '3', u'0,'), - (0x1F102, '3', u'1,'), - (0x1F103, '3', u'2,'), - (0x1F104, '3', u'3,'), - (0x1F105, '3', u'4,'), - (0x1F106, '3', u'5,'), - (0x1F107, '3', u'6,'), - (0x1F108, '3', u'7,'), - (0x1F109, '3', u'8,'), - (0x1F10A, '3', u'9,'), - (0x1F10B, 'V'), - (0x1F10D, 'X'), - (0x1F110, '3', u'(a)'), - (0x1F111, '3', u'(b)'), - (0x1F112, '3', u'(c)'), - (0x1F113, '3', u'(d)'), - (0x1F114, '3', u'(e)'), - (0x1F115, '3', u'(f)'), - (0x1F116, '3', u'(g)'), - (0x1F117, '3', u'(h)'), - (0x1F118, '3', u'(i)'), - (0x1F119, '3', u'(j)'), - (0x1F11A, '3', u'(k)'), - (0x1F11B, '3', u'(l)'), - (0x1F11C, '3', u'(m)'), - (0x1F11D, '3', u'(n)'), - (0x1F11E, '3', u'(o)'), - (0x1F11F, '3', u'(p)'), - (0x1F120, '3', u'(q)'), - (0x1F121, '3', u'(r)'), - (0x1F122, '3', u'(s)'), - (0x1F123, '3', u'(t)'), - (0x1F124, '3', u'(u)'), - ] - -def _seg_71(): - return [ - (0x1F125, '3', u'(v)'), - (0x1F126, '3', u'(w)'), - (0x1F127, '3', u'(x)'), - (0x1F128, '3', u'(y)'), - (0x1F129, '3', u'(z)'), - (0x1F12A, 'M', u'〔s〕'), - (0x1F12B, 'M', u'c'), - (0x1F12C, 'M', u'r'), - (0x1F12D, 'M', u'cd'), - (0x1F12E, 'M', u'wz'), - (0x1F12F, 'V'), - (0x1F130, 'M', u'a'), - (0x1F131, 'M', u'b'), - (0x1F132, 'M', u'c'), - (0x1F133, 'M', u'd'), - (0x1F134, 'M', u'e'), - (0x1F135, 'M', u'f'), - (0x1F136, 'M', u'g'), - (0x1F137, 'M', u'h'), - (0x1F138, 'M', u'i'), - (0x1F139, 'M', u'j'), - (0x1F13A, 'M', u'k'), - (0x1F13B, 'M', u'l'), - (0x1F13C, 'M', u'm'), - (0x1F13D, 'M', u'n'), - (0x1F13E, 'M', u'o'), - (0x1F13F, 'M', u'p'), - (0x1F140, 'M', u'q'), - (0x1F141, 'M', u'r'), - (0x1F142, 'M', u's'), - (0x1F143, 'M', u't'), - (0x1F144, 'M', u'u'), - (0x1F145, 'M', u'v'), - (0x1F146, 'M', u'w'), - (0x1F147, 'M', u'x'), - (0x1F148, 'M', u'y'), - (0x1F149, 'M', u'z'), - (0x1F14A, 'M', u'hv'), - (0x1F14B, 'M', u'mv'), - (0x1F14C, 'M', u'sd'), - (0x1F14D, 'M', u'ss'), - (0x1F14E, 'M', u'ppv'), - (0x1F14F, 'M', u'wc'), - (0x1F150, 'V'), - (0x1F16A, 'M', u'mc'), - (0x1F16B, 'M', u'md'), - (0x1F16C, 'X'), - (0x1F170, 'V'), - (0x1F190, 'M', u'dj'), - (0x1F191, 'V'), - (0x1F1AD, 'X'), - (0x1F1E6, 'V'), - (0x1F200, 'M', u'ほか'), - (0x1F201, 'M', u'ココ'), - (0x1F202, 'M', u'サ'), - (0x1F203, 'X'), - (0x1F210, 'M', u'手'), - (0x1F211, 'M', u'字'), - (0x1F212, 'M', u'双'), - (0x1F213, 'M', u'デ'), - (0x1F214, 'M', u'二'), - (0x1F215, 'M', u'多'), - (0x1F216, 'M', u'解'), - (0x1F217, 'M', u'天'), - (0x1F218, 'M', u'交'), - (0x1F219, 'M', u'映'), - (0x1F21A, 'M', u'無'), - (0x1F21B, 'M', u'料'), - (0x1F21C, 'M', u'前'), - (0x1F21D, 'M', u'後'), - (0x1F21E, 'M', u'再'), - (0x1F21F, 'M', u'新'), - (0x1F220, 'M', u'初'), - (0x1F221, 'M', u'終'), - (0x1F222, 'M', u'生'), - (0x1F223, 'M', u'販'), - (0x1F224, 'M', u'声'), - (0x1F225, 'M', u'吹'), - (0x1F226, 'M', u'演'), - (0x1F227, 'M', u'投'), - (0x1F228, 'M', u'捕'), - (0x1F229, 'M', u'一'), - (0x1F22A, 'M', u'三'), - (0x1F22B, 'M', u'遊'), - (0x1F22C, 'M', u'左'), - (0x1F22D, 'M', u'中'), - (0x1F22E, 'M', u'右'), - (0x1F22F, 'M', u'指'), - (0x1F230, 'M', u'走'), - (0x1F231, 'M', u'打'), - (0x1F232, 'M', u'禁'), - (0x1F233, 'M', u'空'), - (0x1F234, 'M', u'合'), - (0x1F235, 'M', u'満'), - (0x1F236, 'M', u'有'), - (0x1F237, 'M', u'月'), - (0x1F238, 'M', u'申'), - (0x1F239, 'M', u'割'), - (0x1F23A, 'M', u'営'), - (0x1F23B, 'M', u'配'), - ] - -def _seg_72(): - return [ - (0x1F23C, 'X'), - (0x1F240, 'M', u'〔本〕'), - (0x1F241, 'M', u'〔三〕'), - (0x1F242, 'M', u'〔二〕'), - (0x1F243, 'M', u'〔安〕'), - (0x1F244, 'M', u'〔点〕'), - (0x1F245, 'M', u'〔打〕'), - (0x1F246, 'M', u'〔盗〕'), - (0x1F247, 'M', u'〔勝〕'), - (0x1F248, 'M', u'〔敗〕'), - (0x1F249, 'X'), - (0x1F250, 'M', u'得'), - (0x1F251, 'M', u'可'), - (0x1F252, 'X'), - (0x1F260, 'V'), - (0x1F266, 'X'), - (0x1F300, 'V'), - (0x1F6D5, 'X'), - (0x1F6E0, 'V'), - (0x1F6ED, 'X'), - (0x1F6F0, 'V'), - (0x1F6FA, 'X'), - (0x1F700, 'V'), - (0x1F774, 'X'), - (0x1F780, 'V'), - (0x1F7D9, 'X'), - (0x1F800, 'V'), - (0x1F80C, 'X'), - (0x1F810, 'V'), - (0x1F848, 'X'), - (0x1F850, 'V'), - (0x1F85A, 'X'), - (0x1F860, 'V'), - (0x1F888, 'X'), - (0x1F890, 'V'), - (0x1F8AE, 'X'), - (0x1F900, 'V'), - (0x1F90C, 'X'), - (0x1F910, 'V'), - (0x1F93F, 'X'), - (0x1F940, 'V'), - (0x1F971, 'X'), - (0x1F973, 'V'), - (0x1F977, 'X'), - (0x1F97A, 'V'), - (0x1F97B, 'X'), - (0x1F97C, 'V'), - (0x1F9A3, 'X'), - (0x1F9B0, 'V'), - (0x1F9BA, 'X'), - (0x1F9C0, 'V'), - (0x1F9C3, 'X'), - (0x1F9D0, 'V'), - (0x1FA00, 'X'), - (0x1FA60, 'V'), - (0x1FA6E, 'X'), - (0x20000, 'V'), - (0x2A6D7, 'X'), - (0x2A700, 'V'), - (0x2B735, 'X'), - (0x2B740, 'V'), - (0x2B81E, 'X'), - (0x2B820, 'V'), - (0x2CEA2, 'X'), - (0x2CEB0, 'V'), - (0x2EBE1, 'X'), - (0x2F800, 'M', u'丽'), - (0x2F801, 'M', u'丸'), - (0x2F802, 'M', u'乁'), - (0x2F803, 'M', u'𠄢'), - (0x2F804, 'M', u'你'), - (0x2F805, 'M', u'侮'), - (0x2F806, 'M', u'侻'), - (0x2F807, 'M', u'倂'), - (0x2F808, 'M', u'偺'), - (0x2F809, 'M', u'備'), - (0x2F80A, 'M', u'僧'), - (0x2F80B, 'M', u'像'), - (0x2F80C, 'M', u'㒞'), - (0x2F80D, 'M', u'𠘺'), - (0x2F80E, 'M', u'免'), - (0x2F80F, 'M', u'兔'), - (0x2F810, 'M', u'兤'), - (0x2F811, 'M', u'具'), - (0x2F812, 'M', u'𠔜'), - (0x2F813, 'M', u'㒹'), - (0x2F814, 'M', u'內'), - (0x2F815, 'M', u'再'), - (0x2F816, 'M', u'𠕋'), - (0x2F817, 'M', u'冗'), - (0x2F818, 'M', u'冤'), - (0x2F819, 'M', u'仌'), - (0x2F81A, 'M', u'冬'), - (0x2F81B, 'M', u'况'), - (0x2F81C, 'M', u'𩇟'), - (0x2F81D, 'M', u'凵'), - (0x2F81E, 'M', u'刃'), - (0x2F81F, 'M', u'㓟'), - (0x2F820, 'M', u'刻'), - (0x2F821, 'M', u'剆'), - ] - -def _seg_73(): - return [ - (0x2F822, 'M', u'割'), - (0x2F823, 'M', u'剷'), - (0x2F824, 'M', u'㔕'), - (0x2F825, 'M', u'勇'), - (0x2F826, 'M', u'勉'), - (0x2F827, 'M', u'勤'), - (0x2F828, 'M', u'勺'), - (0x2F829, 'M', u'包'), - (0x2F82A, 'M', u'匆'), - (0x2F82B, 'M', u'北'), - (0x2F82C, 'M', u'卉'), - (0x2F82D, 'M', u'卑'), - (0x2F82E, 'M', u'博'), - (0x2F82F, 'M', u'即'), - (0x2F830, 'M', u'卽'), - (0x2F831, 'M', u'卿'), - (0x2F834, 'M', u'𠨬'), - (0x2F835, 'M', u'灰'), - (0x2F836, 'M', u'及'), - (0x2F837, 'M', u'叟'), - (0x2F838, 'M', u'𠭣'), - (0x2F839, 'M', u'叫'), - (0x2F83A, 'M', u'叱'), - (0x2F83B, 'M', u'吆'), - (0x2F83C, 'M', u'咞'), - (0x2F83D, 'M', u'吸'), - (0x2F83E, 'M', u'呈'), - (0x2F83F, 'M', u'周'), - (0x2F840, 'M', u'咢'), - (0x2F841, 'M', u'哶'), - (0x2F842, 'M', u'唐'), - (0x2F843, 'M', u'啓'), - (0x2F844, 'M', u'啣'), - (0x2F845, 'M', u'善'), - (0x2F847, 'M', u'喙'), - (0x2F848, 'M', u'喫'), - (0x2F849, 'M', u'喳'), - (0x2F84A, 'M', u'嗂'), - (0x2F84B, 'M', u'圖'), - (0x2F84C, 'M', u'嘆'), - (0x2F84D, 'M', u'圗'), - (0x2F84E, 'M', u'噑'), - (0x2F84F, 'M', u'噴'), - (0x2F850, 'M', u'切'), - (0x2F851, 'M', u'壮'), - (0x2F852, 'M', u'城'), - (0x2F853, 'M', u'埴'), - (0x2F854, 'M', u'堍'), - (0x2F855, 'M', u'型'), - (0x2F856, 'M', u'堲'), - (0x2F857, 'M', u'報'), - (0x2F858, 'M', u'墬'), - (0x2F859, 'M', u'𡓤'), - (0x2F85A, 'M', u'売'), - (0x2F85B, 'M', u'壷'), - (0x2F85C, 'M', u'夆'), - (0x2F85D, 'M', u'多'), - (0x2F85E, 'M', u'夢'), - (0x2F85F, 'M', u'奢'), - (0x2F860, 'M', u'𡚨'), - (0x2F861, 'M', u'𡛪'), - (0x2F862, 'M', u'姬'), - (0x2F863, 'M', u'娛'), - (0x2F864, 'M', u'娧'), - (0x2F865, 'M', u'姘'), - (0x2F866, 'M', u'婦'), - (0x2F867, 'M', u'㛮'), - (0x2F868, 'X'), - (0x2F869, 'M', u'嬈'), - (0x2F86A, 'M', u'嬾'), - (0x2F86C, 'M', u'𡧈'), - (0x2F86D, 'M', u'寃'), - (0x2F86E, 'M', u'寘'), - (0x2F86F, 'M', u'寧'), - (0x2F870, 'M', u'寳'), - (0x2F871, 'M', u'𡬘'), - (0x2F872, 'M', u'寿'), - (0x2F873, 'M', u'将'), - (0x2F874, 'X'), - (0x2F875, 'M', u'尢'), - (0x2F876, 'M', u'㞁'), - (0x2F877, 'M', u'屠'), - (0x2F878, 'M', u'屮'), - (0x2F879, 'M', u'峀'), - (0x2F87A, 'M', u'岍'), - (0x2F87B, 'M', u'𡷤'), - (0x2F87C, 'M', u'嵃'), - (0x2F87D, 'M', u'𡷦'), - (0x2F87E, 'M', u'嵮'), - (0x2F87F, 'M', u'嵫'), - (0x2F880, 'M', u'嵼'), - (0x2F881, 'M', u'巡'), - (0x2F882, 'M', u'巢'), - (0x2F883, 'M', u'㠯'), - (0x2F884, 'M', u'巽'), - (0x2F885, 'M', u'帨'), - (0x2F886, 'M', u'帽'), - (0x2F887, 'M', u'幩'), - (0x2F888, 'M', u'㡢'), - (0x2F889, 'M', u'𢆃'), - ] - -def _seg_74(): - return [ - (0x2F88A, 'M', u'㡼'), - (0x2F88B, 'M', u'庰'), - (0x2F88C, 'M', u'庳'), - (0x2F88D, 'M', u'庶'), - (0x2F88E, 'M', u'廊'), - (0x2F88F, 'M', u'𪎒'), - (0x2F890, 'M', u'廾'), - (0x2F891, 'M', u'𢌱'), - (0x2F893, 'M', u'舁'), - (0x2F894, 'M', u'弢'), - (0x2F896, 'M', u'㣇'), - (0x2F897, 'M', u'𣊸'), - (0x2F898, 'M', u'𦇚'), - (0x2F899, 'M', u'形'), - (0x2F89A, 'M', u'彫'), - (0x2F89B, 'M', u'㣣'), - (0x2F89C, 'M', u'徚'), - (0x2F89D, 'M', u'忍'), - (0x2F89E, 'M', u'志'), - (0x2F89F, 'M', u'忹'), - (0x2F8A0, 'M', u'悁'), - (0x2F8A1, 'M', u'㤺'), - (0x2F8A2, 'M', u'㤜'), - (0x2F8A3, 'M', u'悔'), - (0x2F8A4, 'M', u'𢛔'), - (0x2F8A5, 'M', u'惇'), - (0x2F8A6, 'M', u'慈'), - (0x2F8A7, 'M', u'慌'), - (0x2F8A8, 'M', u'慎'), - (0x2F8A9, 'M', u'慌'), - (0x2F8AA, 'M', u'慺'), - (0x2F8AB, 'M', u'憎'), - (0x2F8AC, 'M', u'憲'), - (0x2F8AD, 'M', u'憤'), - (0x2F8AE, 'M', u'憯'), - (0x2F8AF, 'M', u'懞'), - (0x2F8B0, 'M', u'懲'), - (0x2F8B1, 'M', u'懶'), - (0x2F8B2, 'M', u'成'), - (0x2F8B3, 'M', u'戛'), - (0x2F8B4, 'M', u'扝'), - (0x2F8B5, 'M', u'抱'), - (0x2F8B6, 'M', u'拔'), - (0x2F8B7, 'M', u'捐'), - (0x2F8B8, 'M', u'𢬌'), - (0x2F8B9, 'M', u'挽'), - (0x2F8BA, 'M', u'拼'), - (0x2F8BB, 'M', u'捨'), - (0x2F8BC, 'M', u'掃'), - (0x2F8BD, 'M', u'揤'), - (0x2F8BE, 'M', u'𢯱'), - (0x2F8BF, 'M', u'搢'), - (0x2F8C0, 'M', u'揅'), - (0x2F8C1, 'M', u'掩'), - (0x2F8C2, 'M', u'㨮'), - (0x2F8C3, 'M', u'摩'), - (0x2F8C4, 'M', u'摾'), - (0x2F8C5, 'M', u'撝'), - (0x2F8C6, 'M', u'摷'), - (0x2F8C7, 'M', u'㩬'), - (0x2F8C8, 'M', u'敏'), - (0x2F8C9, 'M', u'敬'), - (0x2F8CA, 'M', u'𣀊'), - (0x2F8CB, 'M', u'旣'), - (0x2F8CC, 'M', u'書'), - (0x2F8CD, 'M', u'晉'), - (0x2F8CE, 'M', u'㬙'), - (0x2F8CF, 'M', u'暑'), - (0x2F8D0, 'M', u'㬈'), - (0x2F8D1, 'M', u'㫤'), - (0x2F8D2, 'M', u'冒'), - (0x2F8D3, 'M', u'冕'), - (0x2F8D4, 'M', u'最'), - (0x2F8D5, 'M', u'暜'), - (0x2F8D6, 'M', u'肭'), - (0x2F8D7, 'M', u'䏙'), - (0x2F8D8, 'M', u'朗'), - (0x2F8D9, 'M', u'望'), - (0x2F8DA, 'M', u'朡'), - (0x2F8DB, 'M', u'杞'), - (0x2F8DC, 'M', u'杓'), - (0x2F8DD, 'M', u'𣏃'), - (0x2F8DE, 'M', u'㭉'), - (0x2F8DF, 'M', u'柺'), - (0x2F8E0, 'M', u'枅'), - (0x2F8E1, 'M', u'桒'), - (0x2F8E2, 'M', u'梅'), - (0x2F8E3, 'M', u'𣑭'), - (0x2F8E4, 'M', u'梎'), - (0x2F8E5, 'M', u'栟'), - (0x2F8E6, 'M', u'椔'), - (0x2F8E7, 'M', u'㮝'), - (0x2F8E8, 'M', u'楂'), - (0x2F8E9, 'M', u'榣'), - (0x2F8EA, 'M', u'槪'), - (0x2F8EB, 'M', u'檨'), - (0x2F8EC, 'M', u'𣚣'), - (0x2F8ED, 'M', u'櫛'), - (0x2F8EE, 'M', u'㰘'), - (0x2F8EF, 'M', u'次'), - ] - -def _seg_75(): - return [ - (0x2F8F0, 'M', u'𣢧'), - (0x2F8F1, 'M', u'歔'), - (0x2F8F2, 'M', u'㱎'), - (0x2F8F3, 'M', u'歲'), - (0x2F8F4, 'M', u'殟'), - (0x2F8F5, 'M', u'殺'), - (0x2F8F6, 'M', u'殻'), - (0x2F8F7, 'M', u'𣪍'), - (0x2F8F8, 'M', u'𡴋'), - (0x2F8F9, 'M', u'𣫺'), - (0x2F8FA, 'M', u'汎'), - (0x2F8FB, 'M', u'𣲼'), - (0x2F8FC, 'M', u'沿'), - (0x2F8FD, 'M', u'泍'), - (0x2F8FE, 'M', u'汧'), - (0x2F8FF, 'M', u'洖'), - (0x2F900, 'M', u'派'), - (0x2F901, 'M', u'海'), - (0x2F902, 'M', u'流'), - (0x2F903, 'M', u'浩'), - (0x2F904, 'M', u'浸'), - (0x2F905, 'M', u'涅'), - (0x2F906, 'M', u'𣴞'), - (0x2F907, 'M', u'洴'), - (0x2F908, 'M', u'港'), - (0x2F909, 'M', u'湮'), - (0x2F90A, 'M', u'㴳'), - (0x2F90B, 'M', u'滋'), - (0x2F90C, 'M', u'滇'), - (0x2F90D, 'M', u'𣻑'), - (0x2F90E, 'M', u'淹'), - (0x2F90F, 'M', u'潮'), - (0x2F910, 'M', u'𣽞'), - (0x2F911, 'M', u'𣾎'), - (0x2F912, 'M', u'濆'), - (0x2F913, 'M', u'瀹'), - (0x2F914, 'M', u'瀞'), - (0x2F915, 'M', u'瀛'), - (0x2F916, 'M', u'㶖'), - (0x2F917, 'M', u'灊'), - (0x2F918, 'M', u'災'), - (0x2F919, 'M', u'灷'), - (0x2F91A, 'M', u'炭'), - (0x2F91B, 'M', u'𠔥'), - (0x2F91C, 'M', u'煅'), - (0x2F91D, 'M', u'𤉣'), - (0x2F91E, 'M', u'熜'), - (0x2F91F, 'X'), - (0x2F920, 'M', u'爨'), - (0x2F921, 'M', u'爵'), - (0x2F922, 'M', u'牐'), - (0x2F923, 'M', u'𤘈'), - (0x2F924, 'M', u'犀'), - (0x2F925, 'M', u'犕'), - (0x2F926, 'M', u'𤜵'), - (0x2F927, 'M', u'𤠔'), - (0x2F928, 'M', u'獺'), - (0x2F929, 'M', u'王'), - (0x2F92A, 'M', u'㺬'), - (0x2F92B, 'M', u'玥'), - (0x2F92C, 'M', u'㺸'), - (0x2F92E, 'M', u'瑇'), - (0x2F92F, 'M', u'瑜'), - (0x2F930, 'M', u'瑱'), - (0x2F931, 'M', u'璅'), - (0x2F932, 'M', u'瓊'), - (0x2F933, 'M', u'㼛'), - (0x2F934, 'M', u'甤'), - (0x2F935, 'M', u'𤰶'), - (0x2F936, 'M', u'甾'), - (0x2F937, 'M', u'𤲒'), - (0x2F938, 'M', u'異'), - (0x2F939, 'M', u'𢆟'), - (0x2F93A, 'M', u'瘐'), - (0x2F93B, 'M', u'𤾡'), - (0x2F93C, 'M', u'𤾸'), - (0x2F93D, 'M', u'𥁄'), - (0x2F93E, 'M', u'㿼'), - (0x2F93F, 'M', u'䀈'), - (0x2F940, 'M', u'直'), - (0x2F941, 'M', u'𥃳'), - (0x2F942, 'M', u'𥃲'), - (0x2F943, 'M', u'𥄙'), - (0x2F944, 'M', u'𥄳'), - (0x2F945, 'M', u'眞'), - (0x2F946, 'M', u'真'), - (0x2F948, 'M', u'睊'), - (0x2F949, 'M', u'䀹'), - (0x2F94A, 'M', u'瞋'), - (0x2F94B, 'M', u'䁆'), - (0x2F94C, 'M', u'䂖'), - (0x2F94D, 'M', u'𥐝'), - (0x2F94E, 'M', u'硎'), - (0x2F94F, 'M', u'碌'), - (0x2F950, 'M', u'磌'), - (0x2F951, 'M', u'䃣'), - (0x2F952, 'M', u'𥘦'), - (0x2F953, 'M', u'祖'), - (0x2F954, 'M', u'𥚚'), - (0x2F955, 'M', u'𥛅'), - ] - -def _seg_76(): - return [ - (0x2F956, 'M', u'福'), - (0x2F957, 'M', u'秫'), - (0x2F958, 'M', u'䄯'), - (0x2F959, 'M', u'穀'), - (0x2F95A, 'M', u'穊'), - (0x2F95B, 'M', u'穏'), - (0x2F95C, 'M', u'𥥼'), - (0x2F95D, 'M', u'𥪧'), - (0x2F95F, 'X'), - (0x2F960, 'M', u'䈂'), - (0x2F961, 'M', u'𥮫'), - (0x2F962, 'M', u'篆'), - (0x2F963, 'M', u'築'), - (0x2F964, 'M', u'䈧'), - (0x2F965, 'M', u'𥲀'), - (0x2F966, 'M', u'糒'), - (0x2F967, 'M', u'䊠'), - (0x2F968, 'M', u'糨'), - (0x2F969, 'M', u'糣'), - (0x2F96A, 'M', u'紀'), - (0x2F96B, 'M', u'𥾆'), - (0x2F96C, 'M', u'絣'), - (0x2F96D, 'M', u'䌁'), - (0x2F96E, 'M', u'緇'), - (0x2F96F, 'M', u'縂'), - (0x2F970, 'M', u'繅'), - (0x2F971, 'M', u'䌴'), - (0x2F972, 'M', u'𦈨'), - (0x2F973, 'M', u'𦉇'), - (0x2F974, 'M', u'䍙'), - (0x2F975, 'M', u'𦋙'), - (0x2F976, 'M', u'罺'), - (0x2F977, 'M', u'𦌾'), - (0x2F978, 'M', u'羕'), - (0x2F979, 'M', u'翺'), - (0x2F97A, 'M', u'者'), - (0x2F97B, 'M', u'𦓚'), - (0x2F97C, 'M', u'𦔣'), - (0x2F97D, 'M', u'聠'), - (0x2F97E, 'M', u'𦖨'), - (0x2F97F, 'M', u'聰'), - (0x2F980, 'M', u'𣍟'), - (0x2F981, 'M', u'䏕'), - (0x2F982, 'M', u'育'), - (0x2F983, 'M', u'脃'), - (0x2F984, 'M', u'䐋'), - (0x2F985, 'M', u'脾'), - (0x2F986, 'M', u'媵'), - (0x2F987, 'M', u'𦞧'), - (0x2F988, 'M', u'𦞵'), - (0x2F989, 'M', u'𣎓'), - (0x2F98A, 'M', u'𣎜'), - (0x2F98B, 'M', u'舁'), - (0x2F98C, 'M', u'舄'), - (0x2F98D, 'M', u'辞'), - (0x2F98E, 'M', u'䑫'), - (0x2F98F, 'M', u'芑'), - (0x2F990, 'M', u'芋'), - (0x2F991, 'M', u'芝'), - (0x2F992, 'M', u'劳'), - (0x2F993, 'M', u'花'), - (0x2F994, 'M', u'芳'), - (0x2F995, 'M', u'芽'), - (0x2F996, 'M', u'苦'), - (0x2F997, 'M', u'𦬼'), - (0x2F998, 'M', u'若'), - (0x2F999, 'M', u'茝'), - (0x2F99A, 'M', u'荣'), - (0x2F99B, 'M', u'莭'), - (0x2F99C, 'M', u'茣'), - (0x2F99D, 'M', u'莽'), - (0x2F99E, 'M', u'菧'), - (0x2F99F, 'M', u'著'), - (0x2F9A0, 'M', u'荓'), - (0x2F9A1, 'M', u'菊'), - (0x2F9A2, 'M', u'菌'), - (0x2F9A3, 'M', u'菜'), - (0x2F9A4, 'M', u'𦰶'), - (0x2F9A5, 'M', u'𦵫'), - (0x2F9A6, 'M', u'𦳕'), - (0x2F9A7, 'M', u'䔫'), - (0x2F9A8, 'M', u'蓱'), - (0x2F9A9, 'M', u'蓳'), - (0x2F9AA, 'M', u'蔖'), - (0x2F9AB, 'M', u'𧏊'), - (0x2F9AC, 'M', u'蕤'), - (0x2F9AD, 'M', u'𦼬'), - (0x2F9AE, 'M', u'䕝'), - (0x2F9AF, 'M', u'䕡'), - (0x2F9B0, 'M', u'𦾱'), - (0x2F9B1, 'M', u'𧃒'), - (0x2F9B2, 'M', u'䕫'), - (0x2F9B3, 'M', u'虐'), - (0x2F9B4, 'M', u'虜'), - (0x2F9B5, 'M', u'虧'), - (0x2F9B6, 'M', u'虩'), - (0x2F9B7, 'M', u'蚩'), - (0x2F9B8, 'M', u'蚈'), - (0x2F9B9, 'M', u'蜎'), - (0x2F9BA, 'M', u'蛢'), - ] - -def _seg_77(): - return [ - (0x2F9BB, 'M', u'蝹'), - (0x2F9BC, 'M', u'蜨'), - (0x2F9BD, 'M', u'蝫'), - (0x2F9BE, 'M', u'螆'), - (0x2F9BF, 'X'), - (0x2F9C0, 'M', u'蟡'), - (0x2F9C1, 'M', u'蠁'), - (0x2F9C2, 'M', u'䗹'), - (0x2F9C3, 'M', u'衠'), - (0x2F9C4, 'M', u'衣'), - (0x2F9C5, 'M', u'𧙧'), - (0x2F9C6, 'M', u'裗'), - (0x2F9C7, 'M', u'裞'), - (0x2F9C8, 'M', u'䘵'), - (0x2F9C9, 'M', u'裺'), - (0x2F9CA, 'M', u'㒻'), - (0x2F9CB, 'M', u'𧢮'), - (0x2F9CC, 'M', u'𧥦'), - (0x2F9CD, 'M', u'䚾'), - (0x2F9CE, 'M', u'䛇'), - (0x2F9CF, 'M', u'誠'), - (0x2F9D0, 'M', u'諭'), - (0x2F9D1, 'M', u'變'), - (0x2F9D2, 'M', u'豕'), - (0x2F9D3, 'M', u'𧲨'), - (0x2F9D4, 'M', u'貫'), - (0x2F9D5, 'M', u'賁'), - (0x2F9D6, 'M', u'贛'), - (0x2F9D7, 'M', u'起'), - (0x2F9D8, 'M', u'𧼯'), - (0x2F9D9, 'M', u'𠠄'), - (0x2F9DA, 'M', u'跋'), - (0x2F9DB, 'M', u'趼'), - (0x2F9DC, 'M', u'跰'), - (0x2F9DD, 'M', u'𠣞'), - (0x2F9DE, 'M', u'軔'), - (0x2F9DF, 'M', u'輸'), - (0x2F9E0, 'M', u'𨗒'), - (0x2F9E1, 'M', u'𨗭'), - (0x2F9E2, 'M', u'邔'), - (0x2F9E3, 'M', u'郱'), - (0x2F9E4, 'M', u'鄑'), - (0x2F9E5, 'M', u'𨜮'), - (0x2F9E6, 'M', u'鄛'), - (0x2F9E7, 'M', u'鈸'), - (0x2F9E8, 'M', u'鋗'), - (0x2F9E9, 'M', u'鋘'), - (0x2F9EA, 'M', u'鉼'), - (0x2F9EB, 'M', u'鏹'), - (0x2F9EC, 'M', u'鐕'), - (0x2F9ED, 'M', u'𨯺'), - (0x2F9EE, 'M', u'開'), - (0x2F9EF, 'M', u'䦕'), - (0x2F9F0, 'M', u'閷'), - (0x2F9F1, 'M', u'𨵷'), - (0x2F9F2, 'M', u'䧦'), - (0x2F9F3, 'M', u'雃'), - (0x2F9F4, 'M', u'嶲'), - (0x2F9F5, 'M', u'霣'), - (0x2F9F6, 'M', u'𩅅'), - (0x2F9F7, 'M', u'𩈚'), - (0x2F9F8, 'M', u'䩮'), - (0x2F9F9, 'M', u'䩶'), - (0x2F9FA, 'M', u'韠'), - (0x2F9FB, 'M', u'𩐊'), - (0x2F9FC, 'M', u'䪲'), - (0x2F9FD, 'M', u'𩒖'), - (0x2F9FE, 'M', u'頋'), - (0x2FA00, 'M', u'頩'), - (0x2FA01, 'M', u'𩖶'), - (0x2FA02, 'M', u'飢'), - (0x2FA03, 'M', u'䬳'), - (0x2FA04, 'M', u'餩'), - (0x2FA05, 'M', u'馧'), - (0x2FA06, 'M', u'駂'), - (0x2FA07, 'M', u'駾'), - (0x2FA08, 'M', u'䯎'), - (0x2FA09, 'M', u'𩬰'), - (0x2FA0A, 'M', u'鬒'), - (0x2FA0B, 'M', u'鱀'), - (0x2FA0C, 'M', u'鳽'), - (0x2FA0D, 'M', u'䳎'), - (0x2FA0E, 'M', u'䳭'), - (0x2FA0F, 'M', u'鵧'), - (0x2FA10, 'M', u'𪃎'), - (0x2FA11, 'M', u'䳸'), - (0x2FA12, 'M', u'𪄅'), - (0x2FA13, 'M', u'𪈎'), - (0x2FA14, 'M', u'𪊑'), - (0x2FA15, 'M', u'麻'), - (0x2FA16, 'M', u'䵖'), - (0x2FA17, 'M', u'黹'), - (0x2FA18, 'M', u'黾'), - (0x2FA19, 'M', u'鼅'), - (0x2FA1A, 'M', u'鼏'), - (0x2FA1B, 'M', u'鼖'), - (0x2FA1C, 'M', u'鼻'), - (0x2FA1D, 'M', u'𪘀'), - (0x2FA1E, 'X'), - (0xE0100, 'I'), - ] - -def _seg_78(): - return [ - (0xE01F0, 'X'), - ] - -uts46data = tuple( - _seg_0() - + _seg_1() - + _seg_2() - + _seg_3() - + _seg_4() - + _seg_5() - + _seg_6() - + _seg_7() - + _seg_8() - + _seg_9() - + _seg_10() - + _seg_11() - + _seg_12() - + _seg_13() - + _seg_14() - + _seg_15() - + _seg_16() - + _seg_17() - + _seg_18() - + _seg_19() - + _seg_20() - + _seg_21() - + _seg_22() - + _seg_23() - + _seg_24() - + _seg_25() - + _seg_26() - + _seg_27() - + _seg_28() - + _seg_29() - + _seg_30() - + _seg_31() - + _seg_32() - + _seg_33() - + _seg_34() - + _seg_35() - + _seg_36() - + _seg_37() - + _seg_38() - + _seg_39() - + _seg_40() - + _seg_41() - + _seg_42() - + _seg_43() - + _seg_44() - + _seg_45() - + _seg_46() - + _seg_47() - + _seg_48() - + _seg_49() - + _seg_50() - + _seg_51() - + _seg_52() - + _seg_53() - + _seg_54() - + _seg_55() - + _seg_56() - + _seg_57() - + _seg_58() - + _seg_59() - + _seg_60() - + _seg_61() - + _seg_62() - + _seg_63() - + _seg_64() - + _seg_65() - + _seg_66() - + _seg_67() - + _seg_68() - + _seg_69() - + _seg_70() - + _seg_71() - + _seg_72() - + _seg_73() - + _seg_74() - + _seg_75() - + _seg_76() - + _seg_77() - + _seg_78() -) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/ipaddress.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/ipaddress.py deleted file mode 100644 index f2d0766..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/ipaddress.py +++ /dev/null @@ -1,2419 +0,0 @@ -# Copyright 2007 Google Inc. -# Licensed to PSF under a Contributor Agreement. - -"""A fast, lightweight IPv4/IPv6 manipulation library in Python. - -This library is used to create/poke/manipulate IPv4 and IPv6 addresses -and networks. - -""" - -from __future__ import unicode_literals - - -import itertools -import struct - -__version__ = '1.0.22' - -# Compatibility functions -_compat_int_types = (int,) -try: - _compat_int_types = (int, long) -except NameError: - pass -try: - _compat_str = unicode -except NameError: - _compat_str = str - assert bytes != str -if b'\0'[0] == 0: # Python 3 semantics - def _compat_bytes_to_byte_vals(byt): - return byt -else: - def _compat_bytes_to_byte_vals(byt): - return [struct.unpack(b'!B', b)[0] for b in byt] -try: - _compat_int_from_byte_vals = int.from_bytes -except AttributeError: - def _compat_int_from_byte_vals(bytvals, endianess): - assert endianess == 'big' - res = 0 - for bv in bytvals: - assert isinstance(bv, _compat_int_types) - res = (res << 8) + bv - return res - - -def _compat_to_bytes(intval, length, endianess): - assert isinstance(intval, _compat_int_types) - assert endianess == 'big' - if length == 4: - if intval < 0 or intval >= 2 ** 32: - raise struct.error("integer out of range for 'I' format code") - return struct.pack(b'!I', intval) - elif length == 16: - if intval < 0 or intval >= 2 ** 128: - raise struct.error("integer out of range for 'QQ' format code") - return struct.pack(b'!QQ', intval >> 64, intval & 0xffffffffffffffff) - else: - raise NotImplementedError() - - -if hasattr(int, 'bit_length'): - # Not int.bit_length , since that won't work in 2.7 where long exists - def _compat_bit_length(i): - return i.bit_length() -else: - def _compat_bit_length(i): - for res in itertools.count(): - if i >> res == 0: - return res - - -def _compat_range(start, end, step=1): - assert step > 0 - i = start - while i < end: - yield i - i += step - - -class _TotalOrderingMixin(object): - __slots__ = () - - # Helper that derives the other comparison operations from - # __lt__ and __eq__ - # We avoid functools.total_ordering because it doesn't handle - # NotImplemented correctly yet (http://bugs.python.org/issue10042) - def __eq__(self, other): - raise NotImplementedError - - def __ne__(self, other): - equal = self.__eq__(other) - if equal is NotImplemented: - return NotImplemented - return not equal - - def __lt__(self, other): - raise NotImplementedError - - def __le__(self, other): - less = self.__lt__(other) - if less is NotImplemented or not less: - return self.__eq__(other) - return less - - def __gt__(self, other): - less = self.__lt__(other) - if less is NotImplemented: - return NotImplemented - equal = self.__eq__(other) - if equal is NotImplemented: - return NotImplemented - return not (less or equal) - - def __ge__(self, other): - less = self.__lt__(other) - if less is NotImplemented: - return NotImplemented - return not less - - -IPV4LENGTH = 32 -IPV6LENGTH = 128 - - -class AddressValueError(ValueError): - """A Value Error related to the address.""" - - -class NetmaskValueError(ValueError): - """A Value Error related to the netmask.""" - - -def ip_address(address): - """Take an IP string/int and return an object of the correct type. - - Args: - address: A string or integer, the IP address. Either IPv4 or - IPv6 addresses may be supplied; integers less than 2**32 will - be considered to be IPv4 by default. - - Returns: - An IPv4Address or IPv6Address object. - - Raises: - ValueError: if the *address* passed isn't either a v4 or a v6 - address - - """ - try: - return IPv4Address(address) - except (AddressValueError, NetmaskValueError): - pass - - try: - return IPv6Address(address) - except (AddressValueError, NetmaskValueError): - pass - - if isinstance(address, bytes): - raise AddressValueError( - '%r does not appear to be an IPv4 or IPv6 address. ' - 'Did you pass in a bytes (str in Python 2) instead of' - ' a unicode object?' % address) - - raise ValueError('%r does not appear to be an IPv4 or IPv6 address' % - address) - - -def ip_network(address, strict=True): - """Take an IP string/int and return an object of the correct type. - - Args: - address: A string or integer, the IP network. Either IPv4 or - IPv6 networks may be supplied; integers less than 2**32 will - be considered to be IPv4 by default. - - Returns: - An IPv4Network or IPv6Network object. - - Raises: - ValueError: if the string passed isn't either a v4 or a v6 - address. Or if the network has host bits set. - - """ - try: - return IPv4Network(address, strict) - except (AddressValueError, NetmaskValueError): - pass - - try: - return IPv6Network(address, strict) - except (AddressValueError, NetmaskValueError): - pass - - if isinstance(address, bytes): - raise AddressValueError( - '%r does not appear to be an IPv4 or IPv6 network. ' - 'Did you pass in a bytes (str in Python 2) instead of' - ' a unicode object?' % address) - - raise ValueError('%r does not appear to be an IPv4 or IPv6 network' % - address) - - -def ip_interface(address): - """Take an IP string/int and return an object of the correct type. - - Args: - address: A string or integer, the IP address. Either IPv4 or - IPv6 addresses may be supplied; integers less than 2**32 will - be considered to be IPv4 by default. - - Returns: - An IPv4Interface or IPv6Interface object. - - Raises: - ValueError: if the string passed isn't either a v4 or a v6 - address. - - Notes: - The IPv?Interface classes describe an Address on a particular - Network, so they're basically a combination of both the Address - and Network classes. - - """ - try: - return IPv4Interface(address) - except (AddressValueError, NetmaskValueError): - pass - - try: - return IPv6Interface(address) - except (AddressValueError, NetmaskValueError): - pass - - raise ValueError('%r does not appear to be an IPv4 or IPv6 interface' % - address) - - -def v4_int_to_packed(address): - """Represent an address as 4 packed bytes in network (big-endian) order. - - Args: - address: An integer representation of an IPv4 IP address. - - Returns: - The integer address packed as 4 bytes in network (big-endian) order. - - Raises: - ValueError: If the integer is negative or too large to be an - IPv4 IP address. - - """ - try: - return _compat_to_bytes(address, 4, 'big') - except (struct.error, OverflowError): - raise ValueError("Address negative or too large for IPv4") - - -def v6_int_to_packed(address): - """Represent an address as 16 packed bytes in network (big-endian) order. - - Args: - address: An integer representation of an IPv6 IP address. - - Returns: - The integer address packed as 16 bytes in network (big-endian) order. - - """ - try: - return _compat_to_bytes(address, 16, 'big') - except (struct.error, OverflowError): - raise ValueError("Address negative or too large for IPv6") - - -def _split_optional_netmask(address): - """Helper to split the netmask and raise AddressValueError if needed""" - addr = _compat_str(address).split('/') - if len(addr) > 2: - raise AddressValueError("Only one '/' permitted in %r" % address) - return addr - - -def _find_address_range(addresses): - """Find a sequence of sorted deduplicated IPv#Address. - - Args: - addresses: a list of IPv#Address objects. - - Yields: - A tuple containing the first and last IP addresses in the sequence. - - """ - it = iter(addresses) - first = last = next(it) - for ip in it: - if ip._ip != last._ip + 1: - yield first, last - first = ip - last = ip - yield first, last - - -def _count_righthand_zero_bits(number, bits): - """Count the number of zero bits on the right hand side. - - Args: - number: an integer. - bits: maximum number of bits to count. - - Returns: - The number of zero bits on the right hand side of the number. - - """ - if number == 0: - return bits - return min(bits, _compat_bit_length(~number & (number - 1))) - - -def summarize_address_range(first, last): - """Summarize a network range given the first and last IP addresses. - - Example: - >>> list(summarize_address_range(IPv4Address('192.0.2.0'), - ... IPv4Address('192.0.2.130'))) - ... #doctest: +NORMALIZE_WHITESPACE - [IPv4Network('192.0.2.0/25'), IPv4Network('192.0.2.128/31'), - IPv4Network('192.0.2.130/32')] - - Args: - first: the first IPv4Address or IPv6Address in the range. - last: the last IPv4Address or IPv6Address in the range. - - Returns: - An iterator of the summarized IPv(4|6) network objects. - - Raise: - TypeError: - If the first and last objects are not IP addresses. - If the first and last objects are not the same version. - ValueError: - If the last object is not greater than the first. - If the version of the first address is not 4 or 6. - - """ - if (not (isinstance(first, _BaseAddress) and - isinstance(last, _BaseAddress))): - raise TypeError('first and last must be IP addresses, not networks') - if first.version != last.version: - raise TypeError("%s and %s are not of the same version" % ( - first, last)) - if first > last: - raise ValueError('last IP address must be greater than first') - - if first.version == 4: - ip = IPv4Network - elif first.version == 6: - ip = IPv6Network - else: - raise ValueError('unknown IP version') - - ip_bits = first._max_prefixlen - first_int = first._ip - last_int = last._ip - while first_int <= last_int: - nbits = min(_count_righthand_zero_bits(first_int, ip_bits), - _compat_bit_length(last_int - first_int + 1) - 1) - net = ip((first_int, ip_bits - nbits)) - yield net - first_int += 1 << nbits - if first_int - 1 == ip._ALL_ONES: - break - - -def _collapse_addresses_internal(addresses): - """Loops through the addresses, collapsing concurrent netblocks. - - Example: - - ip1 = IPv4Network('192.0.2.0/26') - ip2 = IPv4Network('192.0.2.64/26') - ip3 = IPv4Network('192.0.2.128/26') - ip4 = IPv4Network('192.0.2.192/26') - - _collapse_addresses_internal([ip1, ip2, ip3, ip4]) -> - [IPv4Network('192.0.2.0/24')] - - This shouldn't be called directly; it is called via - collapse_addresses([]). - - Args: - addresses: A list of IPv4Network's or IPv6Network's - - Returns: - A list of IPv4Network's or IPv6Network's depending on what we were - passed. - - """ - # First merge - to_merge = list(addresses) - subnets = {} - while to_merge: - net = to_merge.pop() - supernet = net.supernet() - existing = subnets.get(supernet) - if existing is None: - subnets[supernet] = net - elif existing != net: - # Merge consecutive subnets - del subnets[supernet] - to_merge.append(supernet) - # Then iterate over resulting networks, skipping subsumed subnets - last = None - for net in sorted(subnets.values()): - if last is not None: - # Since they are sorted, - # last.network_address <= net.network_address is a given. - if last.broadcast_address >= net.broadcast_address: - continue - yield net - last = net - - -def collapse_addresses(addresses): - """Collapse a list of IP objects. - - Example: - collapse_addresses([IPv4Network('192.0.2.0/25'), - IPv4Network('192.0.2.128/25')]) -> - [IPv4Network('192.0.2.0/24')] - - Args: - addresses: An iterator of IPv4Network or IPv6Network objects. - - Returns: - An iterator of the collapsed IPv(4|6)Network objects. - - Raises: - TypeError: If passed a list of mixed version objects. - - """ - addrs = [] - ips = [] - nets = [] - - # split IP addresses and networks - for ip in addresses: - if isinstance(ip, _BaseAddress): - if ips and ips[-1]._version != ip._version: - raise TypeError("%s and %s are not of the same version" % ( - ip, ips[-1])) - ips.append(ip) - elif ip._prefixlen == ip._max_prefixlen: - if ips and ips[-1]._version != ip._version: - raise TypeError("%s and %s are not of the same version" % ( - ip, ips[-1])) - try: - ips.append(ip.ip) - except AttributeError: - ips.append(ip.network_address) - else: - if nets and nets[-1]._version != ip._version: - raise TypeError("%s and %s are not of the same version" % ( - ip, nets[-1])) - nets.append(ip) - - # sort and dedup - ips = sorted(set(ips)) - - # find consecutive address ranges in the sorted sequence and summarize them - if ips: - for first, last in _find_address_range(ips): - addrs.extend(summarize_address_range(first, last)) - - return _collapse_addresses_internal(addrs + nets) - - -def get_mixed_type_key(obj): - """Return a key suitable for sorting between networks and addresses. - - Address and Network objects are not sortable by default; they're - fundamentally different so the expression - - IPv4Address('192.0.2.0') <= IPv4Network('192.0.2.0/24') - - doesn't make any sense. There are some times however, where you may wish - to have ipaddress sort these for you anyway. If you need to do this, you - can use this function as the key= argument to sorted(). - - Args: - obj: either a Network or Address object. - Returns: - appropriate key. - - """ - if isinstance(obj, _BaseNetwork): - return obj._get_networks_key() - elif isinstance(obj, _BaseAddress): - return obj._get_address_key() - return NotImplemented - - -class _IPAddressBase(_TotalOrderingMixin): - - """The mother class.""" - - __slots__ = () - - @property - def exploded(self): - """Return the longhand version of the IP address as a string.""" - return self._explode_shorthand_ip_string() - - @property - def compressed(self): - """Return the shorthand version of the IP address as a string.""" - return _compat_str(self) - - @property - def reverse_pointer(self): - """The name of the reverse DNS pointer for the IP address, e.g.: - >>> ipaddress.ip_address("127.0.0.1").reverse_pointer - '1.0.0.127.in-addr.arpa' - >>> ipaddress.ip_address("2001:db8::1").reverse_pointer - '1.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.8.b.d.0.1.0.0.2.ip6.arpa' - - """ - return self._reverse_pointer() - - @property - def version(self): - msg = '%200s has no version specified' % (type(self),) - raise NotImplementedError(msg) - - def _check_int_address(self, address): - if address < 0: - msg = "%d (< 0) is not permitted as an IPv%d address" - raise AddressValueError(msg % (address, self._version)) - if address > self._ALL_ONES: - msg = "%d (>= 2**%d) is not permitted as an IPv%d address" - raise AddressValueError(msg % (address, self._max_prefixlen, - self._version)) - - def _check_packed_address(self, address, expected_len): - address_len = len(address) - if address_len != expected_len: - msg = ( - '%r (len %d != %d) is not permitted as an IPv%d address. ' - 'Did you pass in a bytes (str in Python 2) instead of' - ' a unicode object?') - raise AddressValueError(msg % (address, address_len, - expected_len, self._version)) - - @classmethod - def _ip_int_from_prefix(cls, prefixlen): - """Turn the prefix length into a bitwise netmask - - Args: - prefixlen: An integer, the prefix length. - - Returns: - An integer. - - """ - return cls._ALL_ONES ^ (cls._ALL_ONES >> prefixlen) - - @classmethod - def _prefix_from_ip_int(cls, ip_int): - """Return prefix length from the bitwise netmask. - - Args: - ip_int: An integer, the netmask in expanded bitwise format - - Returns: - An integer, the prefix length. - - Raises: - ValueError: If the input intermingles zeroes & ones - """ - trailing_zeroes = _count_righthand_zero_bits(ip_int, - cls._max_prefixlen) - prefixlen = cls._max_prefixlen - trailing_zeroes - leading_ones = ip_int >> trailing_zeroes - all_ones = (1 << prefixlen) - 1 - if leading_ones != all_ones: - byteslen = cls._max_prefixlen // 8 - details = _compat_to_bytes(ip_int, byteslen, 'big') - msg = 'Netmask pattern %r mixes zeroes & ones' - raise ValueError(msg % details) - return prefixlen - - @classmethod - def _report_invalid_netmask(cls, netmask_str): - msg = '%r is not a valid netmask' % netmask_str - raise NetmaskValueError(msg) - - @classmethod - def _prefix_from_prefix_string(cls, prefixlen_str): - """Return prefix length from a numeric string - - Args: - prefixlen_str: The string to be converted - - Returns: - An integer, the prefix length. - - Raises: - NetmaskValueError: If the input is not a valid netmask - """ - # int allows a leading +/- as well as surrounding whitespace, - # so we ensure that isn't the case - if not _BaseV4._DECIMAL_DIGITS.issuperset(prefixlen_str): - cls._report_invalid_netmask(prefixlen_str) - try: - prefixlen = int(prefixlen_str) - except ValueError: - cls._report_invalid_netmask(prefixlen_str) - if not (0 <= prefixlen <= cls._max_prefixlen): - cls._report_invalid_netmask(prefixlen_str) - return prefixlen - - @classmethod - def _prefix_from_ip_string(cls, ip_str): - """Turn a netmask/hostmask string into a prefix length - - Args: - ip_str: The netmask/hostmask to be converted - - Returns: - An integer, the prefix length. - - Raises: - NetmaskValueError: If the input is not a valid netmask/hostmask - """ - # Parse the netmask/hostmask like an IP address. - try: - ip_int = cls._ip_int_from_string(ip_str) - except AddressValueError: - cls._report_invalid_netmask(ip_str) - - # Try matching a netmask (this would be /1*0*/ as a bitwise regexp). - # Note that the two ambiguous cases (all-ones and all-zeroes) are - # treated as netmasks. - try: - return cls._prefix_from_ip_int(ip_int) - except ValueError: - pass - - # Invert the bits, and try matching a /0+1+/ hostmask instead. - ip_int ^= cls._ALL_ONES - try: - return cls._prefix_from_ip_int(ip_int) - except ValueError: - cls._report_invalid_netmask(ip_str) - - def __reduce__(self): - return self.__class__, (_compat_str(self),) - - -class _BaseAddress(_IPAddressBase): - - """A generic IP object. - - This IP class contains the version independent methods which are - used by single IP addresses. - """ - - __slots__ = () - - def __int__(self): - return self._ip - - def __eq__(self, other): - try: - return (self._ip == other._ip and - self._version == other._version) - except AttributeError: - return NotImplemented - - def __lt__(self, other): - if not isinstance(other, _IPAddressBase): - return NotImplemented - if not isinstance(other, _BaseAddress): - raise TypeError('%s and %s are not of the same type' % ( - self, other)) - if self._version != other._version: - raise TypeError('%s and %s are not of the same version' % ( - self, other)) - if self._ip != other._ip: - return self._ip < other._ip - return False - - # Shorthand for Integer addition and subtraction. This is not - # meant to ever support addition/subtraction of addresses. - def __add__(self, other): - if not isinstance(other, _compat_int_types): - return NotImplemented - return self.__class__(int(self) + other) - - def __sub__(self, other): - if not isinstance(other, _compat_int_types): - return NotImplemented - return self.__class__(int(self) - other) - - def __repr__(self): - return '%s(%r)' % (self.__class__.__name__, _compat_str(self)) - - def __str__(self): - return _compat_str(self._string_from_ip_int(self._ip)) - - def __hash__(self): - return hash(hex(int(self._ip))) - - def _get_address_key(self): - return (self._version, self) - - def __reduce__(self): - return self.__class__, (self._ip,) - - -class _BaseNetwork(_IPAddressBase): - - """A generic IP network object. - - This IP class contains the version independent methods which are - used by networks. - - """ - def __init__(self, address): - self._cache = {} - - def __repr__(self): - return '%s(%r)' % (self.__class__.__name__, _compat_str(self)) - - def __str__(self): - return '%s/%d' % (self.network_address, self.prefixlen) - - def hosts(self): - """Generate Iterator over usable hosts in a network. - - This is like __iter__ except it doesn't return the network - or broadcast addresses. - - """ - network = int(self.network_address) - broadcast = int(self.broadcast_address) - for x in _compat_range(network + 1, broadcast): - yield self._address_class(x) - - def __iter__(self): - network = int(self.network_address) - broadcast = int(self.broadcast_address) - for x in _compat_range(network, broadcast + 1): - yield self._address_class(x) - - def __getitem__(self, n): - network = int(self.network_address) - broadcast = int(self.broadcast_address) - if n >= 0: - if network + n > broadcast: - raise IndexError('address out of range') - return self._address_class(network + n) - else: - n += 1 - if broadcast + n < network: - raise IndexError('address out of range') - return self._address_class(broadcast + n) - - def __lt__(self, other): - if not isinstance(other, _IPAddressBase): - return NotImplemented - if not isinstance(other, _BaseNetwork): - raise TypeError('%s and %s are not of the same type' % ( - self, other)) - if self._version != other._version: - raise TypeError('%s and %s are not of the same version' % ( - self, other)) - if self.network_address != other.network_address: - return self.network_address < other.network_address - if self.netmask != other.netmask: - return self.netmask < other.netmask - return False - - def __eq__(self, other): - try: - return (self._version == other._version and - self.network_address == other.network_address and - int(self.netmask) == int(other.netmask)) - except AttributeError: - return NotImplemented - - def __hash__(self): - return hash(int(self.network_address) ^ int(self.netmask)) - - def __contains__(self, other): - # always false if one is v4 and the other is v6. - if self._version != other._version: - return False - # dealing with another network. - if isinstance(other, _BaseNetwork): - return False - # dealing with another address - else: - # address - return (int(self.network_address) <= int(other._ip) <= - int(self.broadcast_address)) - - def overlaps(self, other): - """Tell if self is partly contained in other.""" - return self.network_address in other or ( - self.broadcast_address in other or ( - other.network_address in self or ( - other.broadcast_address in self))) - - @property - def broadcast_address(self): - x = self._cache.get('broadcast_address') - if x is None: - x = self._address_class(int(self.network_address) | - int(self.hostmask)) - self._cache['broadcast_address'] = x - return x - - @property - def hostmask(self): - x = self._cache.get('hostmask') - if x is None: - x = self._address_class(int(self.netmask) ^ self._ALL_ONES) - self._cache['hostmask'] = x - return x - - @property - def with_prefixlen(self): - return '%s/%d' % (self.network_address, self._prefixlen) - - @property - def with_netmask(self): - return '%s/%s' % (self.network_address, self.netmask) - - @property - def with_hostmask(self): - return '%s/%s' % (self.network_address, self.hostmask) - - @property - def num_addresses(self): - """Number of hosts in the current subnet.""" - return int(self.broadcast_address) - int(self.network_address) + 1 - - @property - def _address_class(self): - # Returning bare address objects (rather than interfaces) allows for - # more consistent behaviour across the network address, broadcast - # address and individual host addresses. - msg = '%200s has no associated address class' % (type(self),) - raise NotImplementedError(msg) - - @property - def prefixlen(self): - return self._prefixlen - - def address_exclude(self, other): - """Remove an address from a larger block. - - For example: - - addr1 = ip_network('192.0.2.0/28') - addr2 = ip_network('192.0.2.1/32') - list(addr1.address_exclude(addr2)) = - [IPv4Network('192.0.2.0/32'), IPv4Network('192.0.2.2/31'), - IPv4Network('192.0.2.4/30'), IPv4Network('192.0.2.8/29')] - - or IPv6: - - addr1 = ip_network('2001:db8::1/32') - addr2 = ip_network('2001:db8::1/128') - list(addr1.address_exclude(addr2)) = - [ip_network('2001:db8::1/128'), - ip_network('2001:db8::2/127'), - ip_network('2001:db8::4/126'), - ip_network('2001:db8::8/125'), - ... - ip_network('2001:db8:8000::/33')] - - Args: - other: An IPv4Network or IPv6Network object of the same type. - - Returns: - An iterator of the IPv(4|6)Network objects which is self - minus other. - - Raises: - TypeError: If self and other are of differing address - versions, or if other is not a network object. - ValueError: If other is not completely contained by self. - - """ - if not self._version == other._version: - raise TypeError("%s and %s are not of the same version" % ( - self, other)) - - if not isinstance(other, _BaseNetwork): - raise TypeError("%s is not a network object" % other) - - if not other.subnet_of(self): - raise ValueError('%s not contained in %s' % (other, self)) - if other == self: - return - - # Make sure we're comparing the network of other. - other = other.__class__('%s/%s' % (other.network_address, - other.prefixlen)) - - s1, s2 = self.subnets() - while s1 != other and s2 != other: - if other.subnet_of(s1): - yield s2 - s1, s2 = s1.subnets() - elif other.subnet_of(s2): - yield s1 - s1, s2 = s2.subnets() - else: - # If we got here, there's a bug somewhere. - raise AssertionError('Error performing exclusion: ' - 's1: %s s2: %s other: %s' % - (s1, s2, other)) - if s1 == other: - yield s2 - elif s2 == other: - yield s1 - else: - # If we got here, there's a bug somewhere. - raise AssertionError('Error performing exclusion: ' - 's1: %s s2: %s other: %s' % - (s1, s2, other)) - - def compare_networks(self, other): - """Compare two IP objects. - - This is only concerned about the comparison of the integer - representation of the network addresses. This means that the - host bits aren't considered at all in this method. If you want - to compare host bits, you can easily enough do a - 'HostA._ip < HostB._ip' - - Args: - other: An IP object. - - Returns: - If the IP versions of self and other are the same, returns: - - -1 if self < other: - eg: IPv4Network('192.0.2.0/25') < IPv4Network('192.0.2.128/25') - IPv6Network('2001:db8::1000/124') < - IPv6Network('2001:db8::2000/124') - 0 if self == other - eg: IPv4Network('192.0.2.0/24') == IPv4Network('192.0.2.0/24') - IPv6Network('2001:db8::1000/124') == - IPv6Network('2001:db8::1000/124') - 1 if self > other - eg: IPv4Network('192.0.2.128/25') > IPv4Network('192.0.2.0/25') - IPv6Network('2001:db8::2000/124') > - IPv6Network('2001:db8::1000/124') - - Raises: - TypeError if the IP versions are different. - - """ - # does this need to raise a ValueError? - if self._version != other._version: - raise TypeError('%s and %s are not of the same type' % ( - self, other)) - # self._version == other._version below here: - if self.network_address < other.network_address: - return -1 - if self.network_address > other.network_address: - return 1 - # self.network_address == other.network_address below here: - if self.netmask < other.netmask: - return -1 - if self.netmask > other.netmask: - return 1 - return 0 - - def _get_networks_key(self): - """Network-only key function. - - Returns an object that identifies this address' network and - netmask. This function is a suitable "key" argument for sorted() - and list.sort(). - - """ - return (self._version, self.network_address, self.netmask) - - def subnets(self, prefixlen_diff=1, new_prefix=None): - """The subnets which join to make the current subnet. - - In the case that self contains only one IP - (self._prefixlen == 32 for IPv4 or self._prefixlen == 128 - for IPv6), yield an iterator with just ourself. - - Args: - prefixlen_diff: An integer, the amount the prefix length - should be increased by. This should not be set if - new_prefix is also set. - new_prefix: The desired new prefix length. This must be a - larger number (smaller prefix) than the existing prefix. - This should not be set if prefixlen_diff is also set. - - Returns: - An iterator of IPv(4|6) objects. - - Raises: - ValueError: The prefixlen_diff is too small or too large. - OR - prefixlen_diff and new_prefix are both set or new_prefix - is a smaller number than the current prefix (smaller - number means a larger network) - - """ - if self._prefixlen == self._max_prefixlen: - yield self - return - - if new_prefix is not None: - if new_prefix < self._prefixlen: - raise ValueError('new prefix must be longer') - if prefixlen_diff != 1: - raise ValueError('cannot set prefixlen_diff and new_prefix') - prefixlen_diff = new_prefix - self._prefixlen - - if prefixlen_diff < 0: - raise ValueError('prefix length diff must be > 0') - new_prefixlen = self._prefixlen + prefixlen_diff - - if new_prefixlen > self._max_prefixlen: - raise ValueError( - 'prefix length diff %d is invalid for netblock %s' % ( - new_prefixlen, self)) - - start = int(self.network_address) - end = int(self.broadcast_address) + 1 - step = (int(self.hostmask) + 1) >> prefixlen_diff - for new_addr in _compat_range(start, end, step): - current = self.__class__((new_addr, new_prefixlen)) - yield current - - def supernet(self, prefixlen_diff=1, new_prefix=None): - """The supernet containing the current network. - - Args: - prefixlen_diff: An integer, the amount the prefix length of - the network should be decreased by. For example, given a - /24 network and a prefixlen_diff of 3, a supernet with a - /21 netmask is returned. - - Returns: - An IPv4 network object. - - Raises: - ValueError: If self.prefixlen - prefixlen_diff < 0. I.e., you have - a negative prefix length. - OR - If prefixlen_diff and new_prefix are both set or new_prefix is a - larger number than the current prefix (larger number means a - smaller network) - - """ - if self._prefixlen == 0: - return self - - if new_prefix is not None: - if new_prefix > self._prefixlen: - raise ValueError('new prefix must be shorter') - if prefixlen_diff != 1: - raise ValueError('cannot set prefixlen_diff and new_prefix') - prefixlen_diff = self._prefixlen - new_prefix - - new_prefixlen = self.prefixlen - prefixlen_diff - if new_prefixlen < 0: - raise ValueError( - 'current prefixlen is %d, cannot have a prefixlen_diff of %d' % - (self.prefixlen, prefixlen_diff)) - return self.__class__(( - int(self.network_address) & (int(self.netmask) << prefixlen_diff), - new_prefixlen)) - - @property - def is_multicast(self): - """Test if the address is reserved for multicast use. - - Returns: - A boolean, True if the address is a multicast address. - See RFC 2373 2.7 for details. - - """ - return (self.network_address.is_multicast and - self.broadcast_address.is_multicast) - - @staticmethod - def _is_subnet_of(a, b): - try: - # Always false if one is v4 and the other is v6. - if a._version != b._version: - raise TypeError("%s and %s are not of the same version" (a, b)) - return (b.network_address <= a.network_address and - b.broadcast_address >= a.broadcast_address) - except AttributeError: - raise TypeError("Unable to test subnet containment " - "between %s and %s" % (a, b)) - - def subnet_of(self, other): - """Return True if this network is a subnet of other.""" - return self._is_subnet_of(self, other) - - def supernet_of(self, other): - """Return True if this network is a supernet of other.""" - return self._is_subnet_of(other, self) - - @property - def is_reserved(self): - """Test if the address is otherwise IETF reserved. - - Returns: - A boolean, True if the address is within one of the - reserved IPv6 Network ranges. - - """ - return (self.network_address.is_reserved and - self.broadcast_address.is_reserved) - - @property - def is_link_local(self): - """Test if the address is reserved for link-local. - - Returns: - A boolean, True if the address is reserved per RFC 4291. - - """ - return (self.network_address.is_link_local and - self.broadcast_address.is_link_local) - - @property - def is_private(self): - """Test if this address is allocated for private networks. - - Returns: - A boolean, True if the address is reserved per - iana-ipv4-special-registry or iana-ipv6-special-registry. - - """ - return (self.network_address.is_private and - self.broadcast_address.is_private) - - @property - def is_global(self): - """Test if this address is allocated for public networks. - - Returns: - A boolean, True if the address is not reserved per - iana-ipv4-special-registry or iana-ipv6-special-registry. - - """ - return not self.is_private - - @property - def is_unspecified(self): - """Test if the address is unspecified. - - Returns: - A boolean, True if this is the unspecified address as defined in - RFC 2373 2.5.2. - - """ - return (self.network_address.is_unspecified and - self.broadcast_address.is_unspecified) - - @property - def is_loopback(self): - """Test if the address is a loopback address. - - Returns: - A boolean, True if the address is a loopback address as defined in - RFC 2373 2.5.3. - - """ - return (self.network_address.is_loopback and - self.broadcast_address.is_loopback) - - -class _BaseV4(object): - - """Base IPv4 object. - - The following methods are used by IPv4 objects in both single IP - addresses and networks. - - """ - - __slots__ = () - _version = 4 - # Equivalent to 255.255.255.255 or 32 bits of 1's. - _ALL_ONES = (2 ** IPV4LENGTH) - 1 - _DECIMAL_DIGITS = frozenset('0123456789') - - # the valid octets for host and netmasks. only useful for IPv4. - _valid_mask_octets = frozenset([255, 254, 252, 248, 240, 224, 192, 128, 0]) - - _max_prefixlen = IPV4LENGTH - # There are only a handful of valid v4 netmasks, so we cache them all - # when constructed (see _make_netmask()). - _netmask_cache = {} - - def _explode_shorthand_ip_string(self): - return _compat_str(self) - - @classmethod - def _make_netmask(cls, arg): - """Make a (netmask, prefix_len) tuple from the given argument. - - Argument can be: - - an integer (the prefix length) - - a string representing the prefix length (e.g. "24") - - a string representing the prefix netmask (e.g. "255.255.255.0") - """ - if arg not in cls._netmask_cache: - if isinstance(arg, _compat_int_types): - prefixlen = arg - else: - try: - # Check for a netmask in prefix length form - prefixlen = cls._prefix_from_prefix_string(arg) - except NetmaskValueError: - # Check for a netmask or hostmask in dotted-quad form. - # This may raise NetmaskValueError. - prefixlen = cls._prefix_from_ip_string(arg) - netmask = IPv4Address(cls._ip_int_from_prefix(prefixlen)) - cls._netmask_cache[arg] = netmask, prefixlen - return cls._netmask_cache[arg] - - @classmethod - def _ip_int_from_string(cls, ip_str): - """Turn the given IP string into an integer for comparison. - - Args: - ip_str: A string, the IP ip_str. - - Returns: - The IP ip_str as an integer. - - Raises: - AddressValueError: if ip_str isn't a valid IPv4 Address. - - """ - if not ip_str: - raise AddressValueError('Address cannot be empty') - - octets = ip_str.split('.') - if len(octets) != 4: - raise AddressValueError("Expected 4 octets in %r" % ip_str) - - try: - return _compat_int_from_byte_vals( - map(cls._parse_octet, octets), 'big') - except ValueError as exc: - raise AddressValueError("%s in %r" % (exc, ip_str)) - - @classmethod - def _parse_octet(cls, octet_str): - """Convert a decimal octet into an integer. - - Args: - octet_str: A string, the number to parse. - - Returns: - The octet as an integer. - - Raises: - ValueError: if the octet isn't strictly a decimal from [0..255]. - - """ - if not octet_str: - raise ValueError("Empty octet not permitted") - # Whitelist the characters, since int() allows a lot of bizarre stuff. - if not cls._DECIMAL_DIGITS.issuperset(octet_str): - msg = "Only decimal digits permitted in %r" - raise ValueError(msg % octet_str) - # We do the length check second, since the invalid character error - # is likely to be more informative for the user - if len(octet_str) > 3: - msg = "At most 3 characters permitted in %r" - raise ValueError(msg % octet_str) - # Convert to integer (we know digits are legal) - octet_int = int(octet_str, 10) - # Any octets that look like they *might* be written in octal, - # and which don't look exactly the same in both octal and - # decimal are rejected as ambiguous - if octet_int > 7 and octet_str[0] == '0': - msg = "Ambiguous (octal/decimal) value in %r not permitted" - raise ValueError(msg % octet_str) - if octet_int > 255: - raise ValueError("Octet %d (> 255) not permitted" % octet_int) - return octet_int - - @classmethod - def _string_from_ip_int(cls, ip_int): - """Turns a 32-bit integer into dotted decimal notation. - - Args: - ip_int: An integer, the IP address. - - Returns: - The IP address as a string in dotted decimal notation. - - """ - return '.'.join(_compat_str(struct.unpack(b'!B', b)[0] - if isinstance(b, bytes) - else b) - for b in _compat_to_bytes(ip_int, 4, 'big')) - - def _is_hostmask(self, ip_str): - """Test if the IP string is a hostmask (rather than a netmask). - - Args: - ip_str: A string, the potential hostmask. - - Returns: - A boolean, True if the IP string is a hostmask. - - """ - bits = ip_str.split('.') - try: - parts = [x for x in map(int, bits) if x in self._valid_mask_octets] - except ValueError: - return False - if len(parts) != len(bits): - return False - if parts[0] < parts[-1]: - return True - return False - - def _reverse_pointer(self): - """Return the reverse DNS pointer name for the IPv4 address. - - This implements the method described in RFC1035 3.5. - - """ - reverse_octets = _compat_str(self).split('.')[::-1] - return '.'.join(reverse_octets) + '.in-addr.arpa' - - @property - def max_prefixlen(self): - return self._max_prefixlen - - @property - def version(self): - return self._version - - -class IPv4Address(_BaseV4, _BaseAddress): - - """Represent and manipulate single IPv4 Addresses.""" - - __slots__ = ('_ip', '__weakref__') - - def __init__(self, address): - - """ - Args: - address: A string or integer representing the IP - - Additionally, an integer can be passed, so - IPv4Address('192.0.2.1') == IPv4Address(3221225985). - or, more generally - IPv4Address(int(IPv4Address('192.0.2.1'))) == - IPv4Address('192.0.2.1') - - Raises: - AddressValueError: If ipaddress isn't a valid IPv4 address. - - """ - # Efficient constructor from integer. - if isinstance(address, _compat_int_types): - self._check_int_address(address) - self._ip = address - return - - # Constructing from a packed address - if isinstance(address, bytes): - self._check_packed_address(address, 4) - bvs = _compat_bytes_to_byte_vals(address) - self._ip = _compat_int_from_byte_vals(bvs, 'big') - return - - # Assume input argument to be string or any object representation - # which converts into a formatted IP string. - addr_str = _compat_str(address) - if '/' in addr_str: - raise AddressValueError("Unexpected '/' in %r" % address) - self._ip = self._ip_int_from_string(addr_str) - - @property - def packed(self): - """The binary representation of this address.""" - return v4_int_to_packed(self._ip) - - @property - def is_reserved(self): - """Test if the address is otherwise IETF reserved. - - Returns: - A boolean, True if the address is within the - reserved IPv4 Network range. - - """ - return self in self._constants._reserved_network - - @property - def is_private(self): - """Test if this address is allocated for private networks. - - Returns: - A boolean, True if the address is reserved per - iana-ipv4-special-registry. - - """ - return any(self in net for net in self._constants._private_networks) - - @property - def is_global(self): - return ( - self not in self._constants._public_network and - not self.is_private) - - @property - def is_multicast(self): - """Test if the address is reserved for multicast use. - - Returns: - A boolean, True if the address is multicast. - See RFC 3171 for details. - - """ - return self in self._constants._multicast_network - - @property - def is_unspecified(self): - """Test if the address is unspecified. - - Returns: - A boolean, True if this is the unspecified address as defined in - RFC 5735 3. - - """ - return self == self._constants._unspecified_address - - @property - def is_loopback(self): - """Test if the address is a loopback address. - - Returns: - A boolean, True if the address is a loopback per RFC 3330. - - """ - return self in self._constants._loopback_network - - @property - def is_link_local(self): - """Test if the address is reserved for link-local. - - Returns: - A boolean, True if the address is link-local per RFC 3927. - - """ - return self in self._constants._linklocal_network - - -class IPv4Interface(IPv4Address): - - def __init__(self, address): - if isinstance(address, (bytes, _compat_int_types)): - IPv4Address.__init__(self, address) - self.network = IPv4Network(self._ip) - self._prefixlen = self._max_prefixlen - return - - if isinstance(address, tuple): - IPv4Address.__init__(self, address[0]) - if len(address) > 1: - self._prefixlen = int(address[1]) - else: - self._prefixlen = self._max_prefixlen - - self.network = IPv4Network(address, strict=False) - self.netmask = self.network.netmask - self.hostmask = self.network.hostmask - return - - addr = _split_optional_netmask(address) - IPv4Address.__init__(self, addr[0]) - - self.network = IPv4Network(address, strict=False) - self._prefixlen = self.network._prefixlen - - self.netmask = self.network.netmask - self.hostmask = self.network.hostmask - - def __str__(self): - return '%s/%d' % (self._string_from_ip_int(self._ip), - self.network.prefixlen) - - def __eq__(self, other): - address_equal = IPv4Address.__eq__(self, other) - if not address_equal or address_equal is NotImplemented: - return address_equal - try: - return self.network == other.network - except AttributeError: - # An interface with an associated network is NOT the - # same as an unassociated address. That's why the hash - # takes the extra info into account. - return False - - def __lt__(self, other): - address_less = IPv4Address.__lt__(self, other) - if address_less is NotImplemented: - return NotImplemented - try: - return (self.network < other.network or - self.network == other.network and address_less) - except AttributeError: - # We *do* allow addresses and interfaces to be sorted. The - # unassociated address is considered less than all interfaces. - return False - - def __hash__(self): - return self._ip ^ self._prefixlen ^ int(self.network.network_address) - - __reduce__ = _IPAddressBase.__reduce__ - - @property - def ip(self): - return IPv4Address(self._ip) - - @property - def with_prefixlen(self): - return '%s/%s' % (self._string_from_ip_int(self._ip), - self._prefixlen) - - @property - def with_netmask(self): - return '%s/%s' % (self._string_from_ip_int(self._ip), - self.netmask) - - @property - def with_hostmask(self): - return '%s/%s' % (self._string_from_ip_int(self._ip), - self.hostmask) - - -class IPv4Network(_BaseV4, _BaseNetwork): - - """This class represents and manipulates 32-bit IPv4 network + addresses.. - - Attributes: [examples for IPv4Network('192.0.2.0/27')] - .network_address: IPv4Address('192.0.2.0') - .hostmask: IPv4Address('0.0.0.31') - .broadcast_address: IPv4Address('192.0.2.32') - .netmask: IPv4Address('255.255.255.224') - .prefixlen: 27 - - """ - # Class to use when creating address objects - _address_class = IPv4Address - - def __init__(self, address, strict=True): - - """Instantiate a new IPv4 network object. - - Args: - address: A string or integer representing the IP [& network]. - '192.0.2.0/24' - '192.0.2.0/255.255.255.0' - '192.0.0.2/0.0.0.255' - are all functionally the same in IPv4. Similarly, - '192.0.2.1' - '192.0.2.1/255.255.255.255' - '192.0.2.1/32' - are also functionally equivalent. That is to say, failing to - provide a subnetmask will create an object with a mask of /32. - - If the mask (portion after the / in the argument) is given in - dotted quad form, it is treated as a netmask if it starts with a - non-zero field (e.g. /255.0.0.0 == /8) and as a hostmask if it - starts with a zero field (e.g. 0.255.255.255 == /8), with the - single exception of an all-zero mask which is treated as a - netmask == /0. If no mask is given, a default of /32 is used. - - Additionally, an integer can be passed, so - IPv4Network('192.0.2.1') == IPv4Network(3221225985) - or, more generally - IPv4Interface(int(IPv4Interface('192.0.2.1'))) == - IPv4Interface('192.0.2.1') - - Raises: - AddressValueError: If ipaddress isn't a valid IPv4 address. - NetmaskValueError: If the netmask isn't valid for - an IPv4 address. - ValueError: If strict is True and a network address is not - supplied. - - """ - _BaseNetwork.__init__(self, address) - - # Constructing from a packed address or integer - if isinstance(address, (_compat_int_types, bytes)): - self.network_address = IPv4Address(address) - self.netmask, self._prefixlen = self._make_netmask( - self._max_prefixlen) - # fixme: address/network test here. - return - - if isinstance(address, tuple): - if len(address) > 1: - arg = address[1] - else: - # We weren't given an address[1] - arg = self._max_prefixlen - self.network_address = IPv4Address(address[0]) - self.netmask, self._prefixlen = self._make_netmask(arg) - packed = int(self.network_address) - if packed & int(self.netmask) != packed: - if strict: - raise ValueError('%s has host bits set' % self) - else: - self.network_address = IPv4Address(packed & - int(self.netmask)) - return - - # Assume input argument to be string or any object representation - # which converts into a formatted IP prefix string. - addr = _split_optional_netmask(address) - self.network_address = IPv4Address(self._ip_int_from_string(addr[0])) - - if len(addr) == 2: - arg = addr[1] - else: - arg = self._max_prefixlen - self.netmask, self._prefixlen = self._make_netmask(arg) - - if strict: - if (IPv4Address(int(self.network_address) & int(self.netmask)) != - self.network_address): - raise ValueError('%s has host bits set' % self) - self.network_address = IPv4Address(int(self.network_address) & - int(self.netmask)) - - if self._prefixlen == (self._max_prefixlen - 1): - self.hosts = self.__iter__ - - @property - def is_global(self): - """Test if this address is allocated for public networks. - - Returns: - A boolean, True if the address is not reserved per - iana-ipv4-special-registry. - - """ - return (not (self.network_address in IPv4Network('100.64.0.0/10') and - self.broadcast_address in IPv4Network('100.64.0.0/10')) and - not self.is_private) - - -class _IPv4Constants(object): - - _linklocal_network = IPv4Network('169.254.0.0/16') - - _loopback_network = IPv4Network('127.0.0.0/8') - - _multicast_network = IPv4Network('224.0.0.0/4') - - _public_network = IPv4Network('100.64.0.0/10') - - _private_networks = [ - IPv4Network('0.0.0.0/8'), - IPv4Network('10.0.0.0/8'), - IPv4Network('127.0.0.0/8'), - IPv4Network('169.254.0.0/16'), - IPv4Network('172.16.0.0/12'), - IPv4Network('192.0.0.0/29'), - IPv4Network('192.0.0.170/31'), - IPv4Network('192.0.2.0/24'), - IPv4Network('192.168.0.0/16'), - IPv4Network('198.18.0.0/15'), - IPv4Network('198.51.100.0/24'), - IPv4Network('203.0.113.0/24'), - IPv4Network('240.0.0.0/4'), - IPv4Network('255.255.255.255/32'), - ] - - _reserved_network = IPv4Network('240.0.0.0/4') - - _unspecified_address = IPv4Address('0.0.0.0') - - -IPv4Address._constants = _IPv4Constants - - -class _BaseV6(object): - - """Base IPv6 object. - - The following methods are used by IPv6 objects in both single IP - addresses and networks. - - """ - - __slots__ = () - _version = 6 - _ALL_ONES = (2 ** IPV6LENGTH) - 1 - _HEXTET_COUNT = 8 - _HEX_DIGITS = frozenset('0123456789ABCDEFabcdef') - _max_prefixlen = IPV6LENGTH - - # There are only a bunch of valid v6 netmasks, so we cache them all - # when constructed (see _make_netmask()). - _netmask_cache = {} - - @classmethod - def _make_netmask(cls, arg): - """Make a (netmask, prefix_len) tuple from the given argument. - - Argument can be: - - an integer (the prefix length) - - a string representing the prefix length (e.g. "24") - - a string representing the prefix netmask (e.g. "255.255.255.0") - """ - if arg not in cls._netmask_cache: - if isinstance(arg, _compat_int_types): - prefixlen = arg - else: - prefixlen = cls._prefix_from_prefix_string(arg) - netmask = IPv6Address(cls._ip_int_from_prefix(prefixlen)) - cls._netmask_cache[arg] = netmask, prefixlen - return cls._netmask_cache[arg] - - @classmethod - def _ip_int_from_string(cls, ip_str): - """Turn an IPv6 ip_str into an integer. - - Args: - ip_str: A string, the IPv6 ip_str. - - Returns: - An int, the IPv6 address - - Raises: - AddressValueError: if ip_str isn't a valid IPv6 Address. - - """ - if not ip_str: - raise AddressValueError('Address cannot be empty') - - parts = ip_str.split(':') - - # An IPv6 address needs at least 2 colons (3 parts). - _min_parts = 3 - if len(parts) < _min_parts: - msg = "At least %d parts expected in %r" % (_min_parts, ip_str) - raise AddressValueError(msg) - - # If the address has an IPv4-style suffix, convert it to hexadecimal. - if '.' in parts[-1]: - try: - ipv4_int = IPv4Address(parts.pop())._ip - except AddressValueError as exc: - raise AddressValueError("%s in %r" % (exc, ip_str)) - parts.append('%x' % ((ipv4_int >> 16) & 0xFFFF)) - parts.append('%x' % (ipv4_int & 0xFFFF)) - - # An IPv6 address can't have more than 8 colons (9 parts). - # The extra colon comes from using the "::" notation for a single - # leading or trailing zero part. - _max_parts = cls._HEXTET_COUNT + 1 - if len(parts) > _max_parts: - msg = "At most %d colons permitted in %r" % ( - _max_parts - 1, ip_str) - raise AddressValueError(msg) - - # Disregarding the endpoints, find '::' with nothing in between. - # This indicates that a run of zeroes has been skipped. - skip_index = None - for i in _compat_range(1, len(parts) - 1): - if not parts[i]: - if skip_index is not None: - # Can't have more than one '::' - msg = "At most one '::' permitted in %r" % ip_str - raise AddressValueError(msg) - skip_index = i - - # parts_hi is the number of parts to copy from above/before the '::' - # parts_lo is the number of parts to copy from below/after the '::' - if skip_index is not None: - # If we found a '::', then check if it also covers the endpoints. - parts_hi = skip_index - parts_lo = len(parts) - skip_index - 1 - if not parts[0]: - parts_hi -= 1 - if parts_hi: - msg = "Leading ':' only permitted as part of '::' in %r" - raise AddressValueError(msg % ip_str) # ^: requires ^:: - if not parts[-1]: - parts_lo -= 1 - if parts_lo: - msg = "Trailing ':' only permitted as part of '::' in %r" - raise AddressValueError(msg % ip_str) # :$ requires ::$ - parts_skipped = cls._HEXTET_COUNT - (parts_hi + parts_lo) - if parts_skipped < 1: - msg = "Expected at most %d other parts with '::' in %r" - raise AddressValueError(msg % (cls._HEXTET_COUNT - 1, ip_str)) - else: - # Otherwise, allocate the entire address to parts_hi. The - # endpoints could still be empty, but _parse_hextet() will check - # for that. - if len(parts) != cls._HEXTET_COUNT: - msg = "Exactly %d parts expected without '::' in %r" - raise AddressValueError(msg % (cls._HEXTET_COUNT, ip_str)) - if not parts[0]: - msg = "Leading ':' only permitted as part of '::' in %r" - raise AddressValueError(msg % ip_str) # ^: requires ^:: - if not parts[-1]: - msg = "Trailing ':' only permitted as part of '::' in %r" - raise AddressValueError(msg % ip_str) # :$ requires ::$ - parts_hi = len(parts) - parts_lo = 0 - parts_skipped = 0 - - try: - # Now, parse the hextets into a 128-bit integer. - ip_int = 0 - for i in range(parts_hi): - ip_int <<= 16 - ip_int |= cls._parse_hextet(parts[i]) - ip_int <<= 16 * parts_skipped - for i in range(-parts_lo, 0): - ip_int <<= 16 - ip_int |= cls._parse_hextet(parts[i]) - return ip_int - except ValueError as exc: - raise AddressValueError("%s in %r" % (exc, ip_str)) - - @classmethod - def _parse_hextet(cls, hextet_str): - """Convert an IPv6 hextet string into an integer. - - Args: - hextet_str: A string, the number to parse. - - Returns: - The hextet as an integer. - - Raises: - ValueError: if the input isn't strictly a hex number from - [0..FFFF]. - - """ - # Whitelist the characters, since int() allows a lot of bizarre stuff. - if not cls._HEX_DIGITS.issuperset(hextet_str): - raise ValueError("Only hex digits permitted in %r" % hextet_str) - # We do the length check second, since the invalid character error - # is likely to be more informative for the user - if len(hextet_str) > 4: - msg = "At most 4 characters permitted in %r" - raise ValueError(msg % hextet_str) - # Length check means we can skip checking the integer value - return int(hextet_str, 16) - - @classmethod - def _compress_hextets(cls, hextets): - """Compresses a list of hextets. - - Compresses a list of strings, replacing the longest continuous - sequence of "0" in the list with "" and adding empty strings at - the beginning or at the end of the string such that subsequently - calling ":".join(hextets) will produce the compressed version of - the IPv6 address. - - Args: - hextets: A list of strings, the hextets to compress. - - Returns: - A list of strings. - - """ - best_doublecolon_start = -1 - best_doublecolon_len = 0 - doublecolon_start = -1 - doublecolon_len = 0 - for index, hextet in enumerate(hextets): - if hextet == '0': - doublecolon_len += 1 - if doublecolon_start == -1: - # Start of a sequence of zeros. - doublecolon_start = index - if doublecolon_len > best_doublecolon_len: - # This is the longest sequence of zeros so far. - best_doublecolon_len = doublecolon_len - best_doublecolon_start = doublecolon_start - else: - doublecolon_len = 0 - doublecolon_start = -1 - - if best_doublecolon_len > 1: - best_doublecolon_end = (best_doublecolon_start + - best_doublecolon_len) - # For zeros at the end of the address. - if best_doublecolon_end == len(hextets): - hextets += [''] - hextets[best_doublecolon_start:best_doublecolon_end] = [''] - # For zeros at the beginning of the address. - if best_doublecolon_start == 0: - hextets = [''] + hextets - - return hextets - - @classmethod - def _string_from_ip_int(cls, ip_int=None): - """Turns a 128-bit integer into hexadecimal notation. - - Args: - ip_int: An integer, the IP address. - - Returns: - A string, the hexadecimal representation of the address. - - Raises: - ValueError: The address is bigger than 128 bits of all ones. - - """ - if ip_int is None: - ip_int = int(cls._ip) - - if ip_int > cls._ALL_ONES: - raise ValueError('IPv6 address is too large') - - hex_str = '%032x' % ip_int - hextets = ['%x' % int(hex_str[x:x + 4], 16) for x in range(0, 32, 4)] - - hextets = cls._compress_hextets(hextets) - return ':'.join(hextets) - - def _explode_shorthand_ip_string(self): - """Expand a shortened IPv6 address. - - Args: - ip_str: A string, the IPv6 address. - - Returns: - A string, the expanded IPv6 address. - - """ - if isinstance(self, IPv6Network): - ip_str = _compat_str(self.network_address) - elif isinstance(self, IPv6Interface): - ip_str = _compat_str(self.ip) - else: - ip_str = _compat_str(self) - - ip_int = self._ip_int_from_string(ip_str) - hex_str = '%032x' % ip_int - parts = [hex_str[x:x + 4] for x in range(0, 32, 4)] - if isinstance(self, (_BaseNetwork, IPv6Interface)): - return '%s/%d' % (':'.join(parts), self._prefixlen) - return ':'.join(parts) - - def _reverse_pointer(self): - """Return the reverse DNS pointer name for the IPv6 address. - - This implements the method described in RFC3596 2.5. - - """ - reverse_chars = self.exploded[::-1].replace(':', '') - return '.'.join(reverse_chars) + '.ip6.arpa' - - @property - def max_prefixlen(self): - return self._max_prefixlen - - @property - def version(self): - return self._version - - -class IPv6Address(_BaseV6, _BaseAddress): - - """Represent and manipulate single IPv6 Addresses.""" - - __slots__ = ('_ip', '__weakref__') - - def __init__(self, address): - """Instantiate a new IPv6 address object. - - Args: - address: A string or integer representing the IP - - Additionally, an integer can be passed, so - IPv6Address('2001:db8::') == - IPv6Address(42540766411282592856903984951653826560) - or, more generally - IPv6Address(int(IPv6Address('2001:db8::'))) == - IPv6Address('2001:db8::') - - Raises: - AddressValueError: If address isn't a valid IPv6 address. - - """ - # Efficient constructor from integer. - if isinstance(address, _compat_int_types): - self._check_int_address(address) - self._ip = address - return - - # Constructing from a packed address - if isinstance(address, bytes): - self._check_packed_address(address, 16) - bvs = _compat_bytes_to_byte_vals(address) - self._ip = _compat_int_from_byte_vals(bvs, 'big') - return - - # Assume input argument to be string or any object representation - # which converts into a formatted IP string. - addr_str = _compat_str(address) - if '/' in addr_str: - raise AddressValueError("Unexpected '/' in %r" % address) - self._ip = self._ip_int_from_string(addr_str) - - @property - def packed(self): - """The binary representation of this address.""" - return v6_int_to_packed(self._ip) - - @property - def is_multicast(self): - """Test if the address is reserved for multicast use. - - Returns: - A boolean, True if the address is a multicast address. - See RFC 2373 2.7 for details. - - """ - return self in self._constants._multicast_network - - @property - def is_reserved(self): - """Test if the address is otherwise IETF reserved. - - Returns: - A boolean, True if the address is within one of the - reserved IPv6 Network ranges. - - """ - return any(self in x for x in self._constants._reserved_networks) - - @property - def is_link_local(self): - """Test if the address is reserved for link-local. - - Returns: - A boolean, True if the address is reserved per RFC 4291. - - """ - return self in self._constants._linklocal_network - - @property - def is_site_local(self): - """Test if the address is reserved for site-local. - - Note that the site-local address space has been deprecated by RFC 3879. - Use is_private to test if this address is in the space of unique local - addresses as defined by RFC 4193. - - Returns: - A boolean, True if the address is reserved per RFC 3513 2.5.6. - - """ - return self in self._constants._sitelocal_network - - @property - def is_private(self): - """Test if this address is allocated for private networks. - - Returns: - A boolean, True if the address is reserved per - iana-ipv6-special-registry. - - """ - return any(self in net for net in self._constants._private_networks) - - @property - def is_global(self): - """Test if this address is allocated for public networks. - - Returns: - A boolean, true if the address is not reserved per - iana-ipv6-special-registry. - - """ - return not self.is_private - - @property - def is_unspecified(self): - """Test if the address is unspecified. - - Returns: - A boolean, True if this is the unspecified address as defined in - RFC 2373 2.5.2. - - """ - return self._ip == 0 - - @property - def is_loopback(self): - """Test if the address is a loopback address. - - Returns: - A boolean, True if the address is a loopback address as defined in - RFC 2373 2.5.3. - - """ - return self._ip == 1 - - @property - def ipv4_mapped(self): - """Return the IPv4 mapped address. - - Returns: - If the IPv6 address is a v4 mapped address, return the - IPv4 mapped address. Return None otherwise. - - """ - if (self._ip >> 32) != 0xFFFF: - return None - return IPv4Address(self._ip & 0xFFFFFFFF) - - @property - def teredo(self): - """Tuple of embedded teredo IPs. - - Returns: - Tuple of the (server, client) IPs or None if the address - doesn't appear to be a teredo address (doesn't start with - 2001::/32) - - """ - if (self._ip >> 96) != 0x20010000: - return None - return (IPv4Address((self._ip >> 64) & 0xFFFFFFFF), - IPv4Address(~self._ip & 0xFFFFFFFF)) - - @property - def sixtofour(self): - """Return the IPv4 6to4 embedded address. - - Returns: - The IPv4 6to4-embedded address if present or None if the - address doesn't appear to contain a 6to4 embedded address. - - """ - if (self._ip >> 112) != 0x2002: - return None - return IPv4Address((self._ip >> 80) & 0xFFFFFFFF) - - -class IPv6Interface(IPv6Address): - - def __init__(self, address): - if isinstance(address, (bytes, _compat_int_types)): - IPv6Address.__init__(self, address) - self.network = IPv6Network(self._ip) - self._prefixlen = self._max_prefixlen - return - if isinstance(address, tuple): - IPv6Address.__init__(self, address[0]) - if len(address) > 1: - self._prefixlen = int(address[1]) - else: - self._prefixlen = self._max_prefixlen - self.network = IPv6Network(address, strict=False) - self.netmask = self.network.netmask - self.hostmask = self.network.hostmask - return - - addr = _split_optional_netmask(address) - IPv6Address.__init__(self, addr[0]) - self.network = IPv6Network(address, strict=False) - self.netmask = self.network.netmask - self._prefixlen = self.network._prefixlen - self.hostmask = self.network.hostmask - - def __str__(self): - return '%s/%d' % (self._string_from_ip_int(self._ip), - self.network.prefixlen) - - def __eq__(self, other): - address_equal = IPv6Address.__eq__(self, other) - if not address_equal or address_equal is NotImplemented: - return address_equal - try: - return self.network == other.network - except AttributeError: - # An interface with an associated network is NOT the - # same as an unassociated address. That's why the hash - # takes the extra info into account. - return False - - def __lt__(self, other): - address_less = IPv6Address.__lt__(self, other) - if address_less is NotImplemented: - return NotImplemented - try: - return (self.network < other.network or - self.network == other.network and address_less) - except AttributeError: - # We *do* allow addresses and interfaces to be sorted. The - # unassociated address is considered less than all interfaces. - return False - - def __hash__(self): - return self._ip ^ self._prefixlen ^ int(self.network.network_address) - - __reduce__ = _IPAddressBase.__reduce__ - - @property - def ip(self): - return IPv6Address(self._ip) - - @property - def with_prefixlen(self): - return '%s/%s' % (self._string_from_ip_int(self._ip), - self._prefixlen) - - @property - def with_netmask(self): - return '%s/%s' % (self._string_from_ip_int(self._ip), - self.netmask) - - @property - def with_hostmask(self): - return '%s/%s' % (self._string_from_ip_int(self._ip), - self.hostmask) - - @property - def is_unspecified(self): - return self._ip == 0 and self.network.is_unspecified - - @property - def is_loopback(self): - return self._ip == 1 and self.network.is_loopback - - -class IPv6Network(_BaseV6, _BaseNetwork): - - """This class represents and manipulates 128-bit IPv6 networks. - - Attributes: [examples for IPv6('2001:db8::1000/124')] - .network_address: IPv6Address('2001:db8::1000') - .hostmask: IPv6Address('::f') - .broadcast_address: IPv6Address('2001:db8::100f') - .netmask: IPv6Address('ffff:ffff:ffff:ffff:ffff:ffff:ffff:fff0') - .prefixlen: 124 - - """ - - # Class to use when creating address objects - _address_class = IPv6Address - - def __init__(self, address, strict=True): - """Instantiate a new IPv6 Network object. - - Args: - address: A string or integer representing the IPv6 network or the - IP and prefix/netmask. - '2001:db8::/128' - '2001:db8:0000:0000:0000:0000:0000:0000/128' - '2001:db8::' - are all functionally the same in IPv6. That is to say, - failing to provide a subnetmask will create an object with - a mask of /128. - - Additionally, an integer can be passed, so - IPv6Network('2001:db8::') == - IPv6Network(42540766411282592856903984951653826560) - or, more generally - IPv6Network(int(IPv6Network('2001:db8::'))) == - IPv6Network('2001:db8::') - - strict: A boolean. If true, ensure that we have been passed - A true network address, eg, 2001:db8::1000/124 and not an - IP address on a network, eg, 2001:db8::1/124. - - Raises: - AddressValueError: If address isn't a valid IPv6 address. - NetmaskValueError: If the netmask isn't valid for - an IPv6 address. - ValueError: If strict was True and a network address was not - supplied. - - """ - _BaseNetwork.__init__(self, address) - - # Efficient constructor from integer or packed address - if isinstance(address, (bytes, _compat_int_types)): - self.network_address = IPv6Address(address) - self.netmask, self._prefixlen = self._make_netmask( - self._max_prefixlen) - return - - if isinstance(address, tuple): - if len(address) > 1: - arg = address[1] - else: - arg = self._max_prefixlen - self.netmask, self._prefixlen = self._make_netmask(arg) - self.network_address = IPv6Address(address[0]) - packed = int(self.network_address) - if packed & int(self.netmask) != packed: - if strict: - raise ValueError('%s has host bits set' % self) - else: - self.network_address = IPv6Address(packed & - int(self.netmask)) - return - - # Assume input argument to be string or any object representation - # which converts into a formatted IP prefix string. - addr = _split_optional_netmask(address) - - self.network_address = IPv6Address(self._ip_int_from_string(addr[0])) - - if len(addr) == 2: - arg = addr[1] - else: - arg = self._max_prefixlen - self.netmask, self._prefixlen = self._make_netmask(arg) - - if strict: - if (IPv6Address(int(self.network_address) & int(self.netmask)) != - self.network_address): - raise ValueError('%s has host bits set' % self) - self.network_address = IPv6Address(int(self.network_address) & - int(self.netmask)) - - if self._prefixlen == (self._max_prefixlen - 1): - self.hosts = self.__iter__ - - def hosts(self): - """Generate Iterator over usable hosts in a network. - - This is like __iter__ except it doesn't return the - Subnet-Router anycast address. - - """ - network = int(self.network_address) - broadcast = int(self.broadcast_address) - for x in _compat_range(network + 1, broadcast + 1): - yield self._address_class(x) - - @property - def is_site_local(self): - """Test if the address is reserved for site-local. - - Note that the site-local address space has been deprecated by RFC 3879. - Use is_private to test if this address is in the space of unique local - addresses as defined by RFC 4193. - - Returns: - A boolean, True if the address is reserved per RFC 3513 2.5.6. - - """ - return (self.network_address.is_site_local and - self.broadcast_address.is_site_local) - - -class _IPv6Constants(object): - - _linklocal_network = IPv6Network('fe80::/10') - - _multicast_network = IPv6Network('ff00::/8') - - _private_networks = [ - IPv6Network('::1/128'), - IPv6Network('::/128'), - IPv6Network('::ffff:0:0/96'), - IPv6Network('100::/64'), - IPv6Network('2001::/23'), - IPv6Network('2001:2::/48'), - IPv6Network('2001:db8::/32'), - IPv6Network('2001:10::/28'), - IPv6Network('fc00::/7'), - IPv6Network('fe80::/10'), - ] - - _reserved_networks = [ - IPv6Network('::/8'), IPv6Network('100::/8'), - IPv6Network('200::/7'), IPv6Network('400::/6'), - IPv6Network('800::/5'), IPv6Network('1000::/4'), - IPv6Network('4000::/3'), IPv6Network('6000::/3'), - IPv6Network('8000::/3'), IPv6Network('A000::/3'), - IPv6Network('C000::/3'), IPv6Network('E000::/4'), - IPv6Network('F000::/5'), IPv6Network('F800::/6'), - IPv6Network('FE00::/9'), - ] - - _sitelocal_network = IPv6Network('fec0::/10') - - -IPv6Address._constants = _IPv6Constants diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/__init__.py deleted file mode 100644 index a6f44a5..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/__init__.py +++ /dev/null @@ -1,347 +0,0 @@ -# -*- coding: utf-8 -*- - -""" -lockfile.py - Platform-independent advisory file locks. - -Requires Python 2.5 unless you apply 2.4.diff -Locking is done on a per-thread basis instead of a per-process basis. - -Usage: - ->>> lock = LockFile('somefile') ->>> try: -... lock.acquire() -... except AlreadyLocked: -... print 'somefile', 'is locked already.' -... except LockFailed: -... print 'somefile', 'can\\'t be locked.' -... else: -... print 'got lock' -got lock ->>> print lock.is_locked() -True ->>> lock.release() - ->>> lock = LockFile('somefile') ->>> print lock.is_locked() -False ->>> with lock: -... print lock.is_locked() -True ->>> print lock.is_locked() -False - ->>> lock = LockFile('somefile') ->>> # It is okay to lock twice from the same thread... ->>> with lock: -... lock.acquire() -... ->>> # Though no counter is kept, so you can't unlock multiple times... ->>> print lock.is_locked() -False - -Exceptions: - - Error - base class for other exceptions - LockError - base class for all locking exceptions - AlreadyLocked - Another thread or process already holds the lock - LockFailed - Lock failed for some other reason - UnlockError - base class for all unlocking exceptions - AlreadyUnlocked - File was not locked. - NotMyLock - File was locked but not by the current thread/process -""" - -from __future__ import absolute_import - -import functools -import os -import socket -import threading -import warnings - -# Work with PEP8 and non-PEP8 versions of threading module. -if not hasattr(threading, "current_thread"): - threading.current_thread = threading.currentThread -if not hasattr(threading.Thread, "get_name"): - threading.Thread.get_name = threading.Thread.getName - -__all__ = ['Error', 'LockError', 'LockTimeout', 'AlreadyLocked', - 'LockFailed', 'UnlockError', 'NotLocked', 'NotMyLock', - 'LinkFileLock', 'MkdirFileLock', 'SQLiteFileLock', - 'LockBase', 'locked'] - - -class Error(Exception): - """ - Base class for other exceptions. - - >>> try: - ... raise Error - ... except Exception: - ... pass - """ - pass - - -class LockError(Error): - """ - Base class for error arising from attempts to acquire the lock. - - >>> try: - ... raise LockError - ... except Error: - ... pass - """ - pass - - -class LockTimeout(LockError): - """Raised when lock creation fails within a user-defined period of time. - - >>> try: - ... raise LockTimeout - ... except LockError: - ... pass - """ - pass - - -class AlreadyLocked(LockError): - """Some other thread/process is locking the file. - - >>> try: - ... raise AlreadyLocked - ... except LockError: - ... pass - """ - pass - - -class LockFailed(LockError): - """Lock file creation failed for some other reason. - - >>> try: - ... raise LockFailed - ... except LockError: - ... pass - """ - pass - - -class UnlockError(Error): - """ - Base class for errors arising from attempts to release the lock. - - >>> try: - ... raise UnlockError - ... except Error: - ... pass - """ - pass - - -class NotLocked(UnlockError): - """Raised when an attempt is made to unlock an unlocked file. - - >>> try: - ... raise NotLocked - ... except UnlockError: - ... pass - """ - pass - - -class NotMyLock(UnlockError): - """Raised when an attempt is made to unlock a file someone else locked. - - >>> try: - ... raise NotMyLock - ... except UnlockError: - ... pass - """ - pass - - -class _SharedBase(object): - def __init__(self, path): - self.path = path - - def acquire(self, timeout=None): - """ - Acquire the lock. - - * If timeout is omitted (or None), wait forever trying to lock the - file. - - * If timeout > 0, try to acquire the lock for that many seconds. If - the lock period expires and the file is still locked, raise - LockTimeout. - - * If timeout <= 0, raise AlreadyLocked immediately if the file is - already locked. - """ - raise NotImplemented("implement in subclass") - - def release(self): - """ - Release the lock. - - If the file is not locked, raise NotLocked. - """ - raise NotImplemented("implement in subclass") - - def __enter__(self): - """ - Context manager support. - """ - self.acquire() - return self - - def __exit__(self, *_exc): - """ - Context manager support. - """ - self.release() - - def __repr__(self): - return "<%s: %r>" % (self.__class__.__name__, self.path) - - -class LockBase(_SharedBase): - """Base class for platform-specific lock classes.""" - def __init__(self, path, threaded=True, timeout=None): - """ - >>> lock = LockBase('somefile') - >>> lock = LockBase('somefile', threaded=False) - """ - super(LockBase, self).__init__(path) - self.lock_file = os.path.abspath(path) + ".lock" - self.hostname = socket.gethostname() - self.pid = os.getpid() - if threaded: - t = threading.current_thread() - # Thread objects in Python 2.4 and earlier do not have ident - # attrs. Worm around that. - ident = getattr(t, "ident", hash(t)) - self.tname = "-%x" % (ident & 0xffffffff) - else: - self.tname = "" - dirname = os.path.dirname(self.lock_file) - - # unique name is mostly about the current process, but must - # also contain the path -- otherwise, two adjacent locked - # files conflict (one file gets locked, creating lock-file and - # unique file, the other one gets locked, creating lock-file - # and overwriting the already existing lock-file, then one - # gets unlocked, deleting both lock-file and unique file, - # finally the last lock errors out upon releasing. - self.unique_name = os.path.join(dirname, - "%s%s.%s%s" % (self.hostname, - self.tname, - self.pid, - hash(self.path))) - self.timeout = timeout - - def is_locked(self): - """ - Tell whether or not the file is locked. - """ - raise NotImplemented("implement in subclass") - - def i_am_locking(self): - """ - Return True if this object is locking the file. - """ - raise NotImplemented("implement in subclass") - - def break_lock(self): - """ - Remove a lock. Useful if a locking thread failed to unlock. - """ - raise NotImplemented("implement in subclass") - - def __repr__(self): - return "<%s: %r -- %r>" % (self.__class__.__name__, self.unique_name, - self.path) - - -def _fl_helper(cls, mod, *args, **kwds): - warnings.warn("Import from %s module instead of lockfile package" % mod, - DeprecationWarning, stacklevel=2) - # This is a bit funky, but it's only for awhile. The way the unit tests - # are constructed this function winds up as an unbound method, so it - # actually takes three args, not two. We want to toss out self. - if not isinstance(args[0], str): - # We are testing, avoid the first arg - args = args[1:] - if len(args) == 1 and not kwds: - kwds["threaded"] = True - return cls(*args, **kwds) - - -def LinkFileLock(*args, **kwds): - """Factory function provided for backwards compatibility. - - Do not use in new code. Instead, import LinkLockFile from the - lockfile.linklockfile module. - """ - from . import linklockfile - return _fl_helper(linklockfile.LinkLockFile, "lockfile.linklockfile", - *args, **kwds) - - -def MkdirFileLock(*args, **kwds): - """Factory function provided for backwards compatibility. - - Do not use in new code. Instead, import MkdirLockFile from the - lockfile.mkdirlockfile module. - """ - from . import mkdirlockfile - return _fl_helper(mkdirlockfile.MkdirLockFile, "lockfile.mkdirlockfile", - *args, **kwds) - - -def SQLiteFileLock(*args, **kwds): - """Factory function provided for backwards compatibility. - - Do not use in new code. Instead, import SQLiteLockFile from the - lockfile.mkdirlockfile module. - """ - from . import sqlitelockfile - return _fl_helper(sqlitelockfile.SQLiteLockFile, "lockfile.sqlitelockfile", - *args, **kwds) - - -def locked(path, timeout=None): - """Decorator which enables locks for decorated function. - - Arguments: - - path: path for lockfile. - - timeout (optional): Timeout for acquiring lock. - - Usage: - @locked('/var/run/myname', timeout=0) - def myname(...): - ... - """ - def decor(func): - @functools.wraps(func) - def wrapper(*args, **kwargs): - lock = FileLock(path, timeout=timeout) - lock.acquire() - try: - return func(*args, **kwargs) - finally: - lock.release() - return wrapper - return decor - - -if hasattr(os, "link"): - from . import linklockfile as _llf - LockFile = _llf.LinkLockFile -else: - from . import mkdirlockfile as _mlf - LockFile = _mlf.MkdirLockFile - -FileLock = LockFile diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/linklockfile.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/linklockfile.py deleted file mode 100644 index 2ca9be0..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/linklockfile.py +++ /dev/null @@ -1,73 +0,0 @@ -from __future__ import absolute_import - -import time -import os - -from . import (LockBase, LockFailed, NotLocked, NotMyLock, LockTimeout, - AlreadyLocked) - - -class LinkLockFile(LockBase): - """Lock access to a file using atomic property of link(2). - - >>> lock = LinkLockFile('somefile') - >>> lock = LinkLockFile('somefile', threaded=False) - """ - - def acquire(self, timeout=None): - try: - open(self.unique_name, "wb").close() - except IOError: - raise LockFailed("failed to create %s" % self.unique_name) - - timeout = timeout if timeout is not None else self.timeout - end_time = time.time() - if timeout is not None and timeout > 0: - end_time += timeout - - while True: - # Try and create a hard link to it. - try: - os.link(self.unique_name, self.lock_file) - except OSError: - # Link creation failed. Maybe we've double-locked? - nlinks = os.stat(self.unique_name).st_nlink - if nlinks == 2: - # The original link plus the one I created == 2. We're - # good to go. - return - else: - # Otherwise the lock creation failed. - if timeout is not None and time.time() > end_time: - os.unlink(self.unique_name) - if timeout > 0: - raise LockTimeout("Timeout waiting to acquire" - " lock for %s" % - self.path) - else: - raise AlreadyLocked("%s is already locked" % - self.path) - time.sleep(timeout is not None and timeout / 10 or 0.1) - else: - # Link creation succeeded. We're good to go. - return - - def release(self): - if not self.is_locked(): - raise NotLocked("%s is not locked" % self.path) - elif not os.path.exists(self.unique_name): - raise NotMyLock("%s is locked, but not by me" % self.path) - os.unlink(self.unique_name) - os.unlink(self.lock_file) - - def is_locked(self): - return os.path.exists(self.lock_file) - - def i_am_locking(self): - return (self.is_locked() and - os.path.exists(self.unique_name) and - os.stat(self.unique_name).st_nlink == 2) - - def break_lock(self): - if os.path.exists(self.lock_file): - os.unlink(self.lock_file) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/mkdirlockfile.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/mkdirlockfile.py deleted file mode 100644 index 05a8c96..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/mkdirlockfile.py +++ /dev/null @@ -1,84 +0,0 @@ -from __future__ import absolute_import, division - -import time -import os -import sys -import errno - -from . import (LockBase, LockFailed, NotLocked, NotMyLock, LockTimeout, - AlreadyLocked) - - -class MkdirLockFile(LockBase): - """Lock file by creating a directory.""" - def __init__(self, path, threaded=True, timeout=None): - """ - >>> lock = MkdirLockFile('somefile') - >>> lock = MkdirLockFile('somefile', threaded=False) - """ - LockBase.__init__(self, path, threaded, timeout) - # Lock file itself is a directory. Place the unique file name into - # it. - self.unique_name = os.path.join(self.lock_file, - "%s.%s%s" % (self.hostname, - self.tname, - self.pid)) - - def acquire(self, timeout=None): - timeout = timeout if timeout is not None else self.timeout - end_time = time.time() - if timeout is not None and timeout > 0: - end_time += timeout - - if timeout is None: - wait = 0.1 - else: - wait = max(0, timeout / 10) - - while True: - try: - os.mkdir(self.lock_file) - except OSError: - err = sys.exc_info()[1] - if err.errno == errno.EEXIST: - # Already locked. - if os.path.exists(self.unique_name): - # Already locked by me. - return - if timeout is not None and time.time() > end_time: - if timeout > 0: - raise LockTimeout("Timeout waiting to acquire" - " lock for %s" % - self.path) - else: - # Someone else has the lock. - raise AlreadyLocked("%s is already locked" % - self.path) - time.sleep(wait) - else: - # Couldn't create the lock for some other reason - raise LockFailed("failed to create %s" % self.lock_file) - else: - open(self.unique_name, "wb").close() - return - - def release(self): - if not self.is_locked(): - raise NotLocked("%s is not locked" % self.path) - elif not os.path.exists(self.unique_name): - raise NotMyLock("%s is locked, but not by me" % self.path) - os.unlink(self.unique_name) - os.rmdir(self.lock_file) - - def is_locked(self): - return os.path.exists(self.lock_file) - - def i_am_locking(self): - return (self.is_locked() and - os.path.exists(self.unique_name)) - - def break_lock(self): - if os.path.exists(self.lock_file): - for name in os.listdir(self.lock_file): - os.unlink(os.path.join(self.lock_file, name)) - os.rmdir(self.lock_file) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/pidlockfile.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/pidlockfile.py deleted file mode 100644 index 069e85b..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/pidlockfile.py +++ /dev/null @@ -1,190 +0,0 @@ -# -*- coding: utf-8 -*- - -# pidlockfile.py -# -# Copyright © 2008–2009 Ben Finney <ben+python@benfinney.id.au> -# -# This is free software: you may copy, modify, and/or distribute this work -# under the terms of the Python Software Foundation License, version 2 or -# later as published by the Python Software Foundation. -# No warranty expressed or implied. See the file LICENSE.PSF-2 for details. - -""" Lockfile behaviour implemented via Unix PID files. - """ - -from __future__ import absolute_import - -import errno -import os -import time - -from . import (LockBase, AlreadyLocked, LockFailed, NotLocked, NotMyLock, - LockTimeout) - - -class PIDLockFile(LockBase): - """ Lockfile implemented as a Unix PID file. - - The lock file is a normal file named by the attribute `path`. - A lock's PID file contains a single line of text, containing - the process ID (PID) of the process that acquired the lock. - - >>> lock = PIDLockFile('somefile') - >>> lock = PIDLockFile('somefile') - """ - - def __init__(self, path, threaded=False, timeout=None): - # pid lockfiles don't support threaded operation, so always force - # False as the threaded arg. - LockBase.__init__(self, path, False, timeout) - self.unique_name = self.path - - def read_pid(self): - """ Get the PID from the lock file. - """ - return read_pid_from_pidfile(self.path) - - def is_locked(self): - """ Test if the lock is currently held. - - The lock is held if the PID file for this lock exists. - - """ - return os.path.exists(self.path) - - def i_am_locking(self): - """ Test if the lock is held by the current process. - - Returns ``True`` if the current process ID matches the - number stored in the PID file. - """ - return self.is_locked() and os.getpid() == self.read_pid() - - def acquire(self, timeout=None): - """ Acquire the lock. - - Creates the PID file for this lock, or raises an error if - the lock could not be acquired. - """ - - timeout = timeout if timeout is not None else self.timeout - end_time = time.time() - if timeout is not None and timeout > 0: - end_time += timeout - - while True: - try: - write_pid_to_pidfile(self.path) - except OSError as exc: - if exc.errno == errno.EEXIST: - # The lock creation failed. Maybe sleep a bit. - if time.time() > end_time: - if timeout is not None and timeout > 0: - raise LockTimeout("Timeout waiting to acquire" - " lock for %s" % - self.path) - else: - raise AlreadyLocked("%s is already locked" % - self.path) - time.sleep(timeout is not None and timeout / 10 or 0.1) - else: - raise LockFailed("failed to create %s" % self.path) - else: - return - - def release(self): - """ Release the lock. - - Removes the PID file to release the lock, or raises an - error if the current process does not hold the lock. - - """ - if not self.is_locked(): - raise NotLocked("%s is not locked" % self.path) - if not self.i_am_locking(): - raise NotMyLock("%s is locked, but not by me" % self.path) - remove_existing_pidfile(self.path) - - def break_lock(self): - """ Break an existing lock. - - Removes the PID file if it already exists, otherwise does - nothing. - - """ - remove_existing_pidfile(self.path) - - -def read_pid_from_pidfile(pidfile_path): - """ Read the PID recorded in the named PID file. - - Read and return the numeric PID recorded as text in the named - PID file. If the PID file cannot be read, or if the content is - not a valid PID, return ``None``. - - """ - pid = None - try: - pidfile = open(pidfile_path, 'r') - except IOError: - pass - else: - # According to the FHS 2.3 section on PID files in /var/run: - # - # The file must consist of the process identifier in - # ASCII-encoded decimal, followed by a newline character. - # - # Programs that read PID files should be somewhat flexible - # in what they accept; i.e., they should ignore extra - # whitespace, leading zeroes, absence of the trailing - # newline, or additional lines in the PID file. - - line = pidfile.readline().strip() - try: - pid = int(line) - except ValueError: - pass - pidfile.close() - - return pid - - -def write_pid_to_pidfile(pidfile_path): - """ Write the PID in the named PID file. - - Get the numeric process ID (“PID”) of the current process - and write it to the named file as a line of text. - - """ - open_flags = (os.O_CREAT | os.O_EXCL | os.O_WRONLY) - open_mode = 0o644 - pidfile_fd = os.open(pidfile_path, open_flags, open_mode) - pidfile = os.fdopen(pidfile_fd, 'w') - - # According to the FHS 2.3 section on PID files in /var/run: - # - # The file must consist of the process identifier in - # ASCII-encoded decimal, followed by a newline character. For - # example, if crond was process number 25, /var/run/crond.pid - # would contain three characters: two, five, and newline. - - pid = os.getpid() - pidfile.write("%s\n" % pid) - pidfile.close() - - -def remove_existing_pidfile(pidfile_path): - """ Remove the named PID file if it exists. - - Removing a PID file that doesn't already exist puts us in the - desired state, so we ignore the condition if the file does not - exist. - - """ - try: - os.remove(pidfile_path) - except OSError as exc: - if exc.errno == errno.ENOENT: - pass - else: - raise diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/sqlitelockfile.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/sqlitelockfile.py deleted file mode 100644 index f997e24..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/sqlitelockfile.py +++ /dev/null @@ -1,156 +0,0 @@ -from __future__ import absolute_import, division - -import time -import os - -try: - unicode -except NameError: - unicode = str - -from . import LockBase, NotLocked, NotMyLock, LockTimeout, AlreadyLocked - - -class SQLiteLockFile(LockBase): - "Demonstrate SQL-based locking." - - testdb = None - - def __init__(self, path, threaded=True, timeout=None): - """ - >>> lock = SQLiteLockFile('somefile') - >>> lock = SQLiteLockFile('somefile', threaded=False) - """ - LockBase.__init__(self, path, threaded, timeout) - self.lock_file = unicode(self.lock_file) - self.unique_name = unicode(self.unique_name) - - if SQLiteLockFile.testdb is None: - import tempfile - _fd, testdb = tempfile.mkstemp() - os.close(_fd) - os.unlink(testdb) - del _fd, tempfile - SQLiteLockFile.testdb = testdb - - import sqlite3 - self.connection = sqlite3.connect(SQLiteLockFile.testdb) - - c = self.connection.cursor() - try: - c.execute("create table locks" - "(" - " lock_file varchar(32)," - " unique_name varchar(32)" - ")") - except sqlite3.OperationalError: - pass - else: - self.connection.commit() - import atexit - atexit.register(os.unlink, SQLiteLockFile.testdb) - - def acquire(self, timeout=None): - timeout = timeout if timeout is not None else self.timeout - end_time = time.time() - if timeout is not None and timeout > 0: - end_time += timeout - - if timeout is None: - wait = 0.1 - elif timeout <= 0: - wait = 0 - else: - wait = timeout / 10 - - cursor = self.connection.cursor() - - while True: - if not self.is_locked(): - # Not locked. Try to lock it. - cursor.execute("insert into locks" - " (lock_file, unique_name)" - " values" - " (?, ?)", - (self.lock_file, self.unique_name)) - self.connection.commit() - - # Check to see if we are the only lock holder. - cursor.execute("select * from locks" - " where unique_name = ?", - (self.unique_name,)) - rows = cursor.fetchall() - if len(rows) > 1: - # Nope. Someone else got there. Remove our lock. - cursor.execute("delete from locks" - " where unique_name = ?", - (self.unique_name,)) - self.connection.commit() - else: - # Yup. We're done, so go home. - return - else: - # Check to see if we are the only lock holder. - cursor.execute("select * from locks" - " where unique_name = ?", - (self.unique_name,)) - rows = cursor.fetchall() - if len(rows) == 1: - # We're the locker, so go home. - return - - # Maybe we should wait a bit longer. - if timeout is not None and time.time() > end_time: - if timeout > 0: - # No more waiting. - raise LockTimeout("Timeout waiting to acquire" - " lock for %s" % - self.path) - else: - # Someone else has the lock and we are impatient.. - raise AlreadyLocked("%s is already locked" % self.path) - - # Well, okay. We'll give it a bit longer. - time.sleep(wait) - - def release(self): - if not self.is_locked(): - raise NotLocked("%s is not locked" % self.path) - if not self.i_am_locking(): - raise NotMyLock("%s is locked, but not by me (by %s)" % - (self.unique_name, self._who_is_locking())) - cursor = self.connection.cursor() - cursor.execute("delete from locks" - " where unique_name = ?", - (self.unique_name,)) - self.connection.commit() - - def _who_is_locking(self): - cursor = self.connection.cursor() - cursor.execute("select unique_name from locks" - " where lock_file = ?", - (self.lock_file,)) - return cursor.fetchone()[0] - - def is_locked(self): - cursor = self.connection.cursor() - cursor.execute("select * from locks" - " where lock_file = ?", - (self.lock_file,)) - rows = cursor.fetchall() - return not not rows - - def i_am_locking(self): - cursor = self.connection.cursor() - cursor.execute("select * from locks" - " where lock_file = ?" - " and unique_name = ?", - (self.lock_file, self.unique_name)) - return not not cursor.fetchall() - - def break_lock(self): - cursor = self.connection.cursor() - cursor.execute("delete from locks" - " where lock_file = ?", - (self.lock_file,)) - self.connection.commit() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/symlinklockfile.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/symlinklockfile.py deleted file mode 100644 index 23b41f5..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/lockfile/symlinklockfile.py +++ /dev/null @@ -1,70 +0,0 @@ -from __future__ import absolute_import - -import os -import time - -from . import (LockBase, NotLocked, NotMyLock, LockTimeout, - AlreadyLocked) - - -class SymlinkLockFile(LockBase): - """Lock access to a file using symlink(2).""" - - def __init__(self, path, threaded=True, timeout=None): - # super(SymlinkLockFile).__init(...) - LockBase.__init__(self, path, threaded, timeout) - # split it back! - self.unique_name = os.path.split(self.unique_name)[1] - - def acquire(self, timeout=None): - # Hopefully unnecessary for symlink. - # try: - # open(self.unique_name, "wb").close() - # except IOError: - # raise LockFailed("failed to create %s" % self.unique_name) - timeout = timeout if timeout is not None else self.timeout - end_time = time.time() - if timeout is not None and timeout > 0: - end_time += timeout - - while True: - # Try and create a symbolic link to it. - try: - os.symlink(self.unique_name, self.lock_file) - except OSError: - # Link creation failed. Maybe we've double-locked? - if self.i_am_locking(): - # Linked to out unique name. Proceed. - return - else: - # Otherwise the lock creation failed. - if timeout is not None and time.time() > end_time: - if timeout > 0: - raise LockTimeout("Timeout waiting to acquire" - " lock for %s" % - self.path) - else: - raise AlreadyLocked("%s is already locked" % - self.path) - time.sleep(timeout / 10 if timeout is not None else 0.1) - else: - # Link creation succeeded. We're good to go. - return - - def release(self): - if not self.is_locked(): - raise NotLocked("%s is not locked" % self.path) - elif not self.i_am_locking(): - raise NotMyLock("%s is locked, but not by me" % self.path) - os.unlink(self.lock_file) - - def is_locked(self): - return os.path.islink(self.lock_file) - - def i_am_locking(self): - return (os.path.islink(self.lock_file) - and os.readlink(self.lock_file) == self.unique_name) - - def break_lock(self): - if os.path.islink(self.lock_file): # exists && link - os.unlink(self.lock_file) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/__init__.py deleted file mode 100644 index 2afca5a..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/__init__.py +++ /dev/null @@ -1,66 +0,0 @@ -# coding: utf-8 -from pip._vendor.msgpack._version import version -from pip._vendor.msgpack.exceptions import * - -from collections import namedtuple - - -class ExtType(namedtuple('ExtType', 'code data')): - """ExtType represents ext type in msgpack.""" - def __new__(cls, code, data): - if not isinstance(code, int): - raise TypeError("code must be int") - if not isinstance(data, bytes): - raise TypeError("data must be bytes") - if not 0 <= code <= 127: - raise ValueError("code must be 0~127") - return super(ExtType, cls).__new__(cls, code, data) - - -import os -if os.environ.get('MSGPACK_PUREPYTHON'): - from pip._vendor.msgpack.fallback import Packer, unpackb, Unpacker -else: - try: - from pip._vendor.msgpack._packer import Packer - from pip._vendor.msgpack._unpacker import unpackb, Unpacker - except ImportError: - from pip._vendor.msgpack.fallback import Packer, unpackb, Unpacker - - -def pack(o, stream, **kwargs): - """ - Pack object `o` and write it to `stream` - - See :class:`Packer` for options. - """ - packer = Packer(**kwargs) - stream.write(packer.pack(o)) - - -def packb(o, **kwargs): - """ - Pack object `o` and return packed bytes - - See :class:`Packer` for options. - """ - return Packer(**kwargs).pack(o) - - -def unpack(stream, **kwargs): - """ - Unpack an object from `stream`. - - Raises `ExtraData` when `stream` contains extra bytes. - See :class:`Unpacker` for options. - """ - data = stream.read() - return unpackb(data, **kwargs) - - -# alias for compatibility to simplejson/marshal/pickle. -load = unpack -loads = unpackb - -dump = pack -dumps = packb diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/_version.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/_version.py deleted file mode 100644 index d28f0de..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/_version.py +++ /dev/null @@ -1 +0,0 @@ -version = (0, 5, 6) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/exceptions.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/exceptions.py deleted file mode 100644 index 9766881..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/exceptions.py +++ /dev/null @@ -1,41 +0,0 @@ -class UnpackException(Exception): - """Deprecated. Use Exception instead to catch all exception during unpacking.""" - - -class BufferFull(UnpackException): - pass - - -class OutOfData(UnpackException): - pass - - -class UnpackValueError(UnpackException, ValueError): - """Deprecated. Use ValueError instead.""" - - -class ExtraData(UnpackValueError): - def __init__(self, unpacked, extra): - self.unpacked = unpacked - self.extra = extra - - def __str__(self): - return "unpack(b) received extra data." - - -class PackException(Exception): - """Deprecated. Use Exception instead to catch all exception during packing.""" - - -class PackValueError(PackException, ValueError): - """PackValueError is raised when type of input data is supported but it's value is unsupported. - - Deprecated. Use ValueError instead. - """ - - -class PackOverflowError(PackValueError, OverflowError): - """PackOverflowError is raised when integer value is out of range of msgpack support [-2**31, 2**32). - - Deprecated. Use ValueError instead. - """ diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/__init__.py deleted file mode 100644 index 9c1a098..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/__init__.py +++ /dev/null @@ -1,4 +0,0 @@ -"""Wrappers to build Python packages using PEP 517 hooks -""" - -__version__ = '0.5.0' diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/_in_process.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/_in_process.py deleted file mode 100644 index d6524b6..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/_in_process.py +++ /dev/null @@ -1,207 +0,0 @@ -"""This is invoked in a subprocess to call the build backend hooks. - -It expects: -- Command line args: hook_name, control_dir -- Environment variable: PEP517_BUILD_BACKEND=entry.point:spec -- control_dir/input.json: - - {"kwargs": {...}} - -Results: -- control_dir/output.json - - {"return_val": ...} -""" -from glob import glob -from importlib import import_module -import os -from os.path import join as pjoin -import re -import shutil -import sys - -# This is run as a script, not a module, so it can't do a relative import -import compat - - -class BackendUnavailable(Exception): - """Raised if we cannot import the backend""" - - -def _build_backend(): - """Find and load the build backend""" - ep = os.environ['PEP517_BUILD_BACKEND'] - mod_path, _, obj_path = ep.partition(':') - try: - obj = import_module(mod_path) - except ImportError: - raise BackendUnavailable - if obj_path: - for path_part in obj_path.split('.'): - obj = getattr(obj, path_part) - return obj - - -def get_requires_for_build_wheel(config_settings): - """Invoke the optional get_requires_for_build_wheel hook - - Returns [] if the hook is not defined. - """ - backend = _build_backend() - try: - hook = backend.get_requires_for_build_wheel - except AttributeError: - return [] - else: - return hook(config_settings) - - -def prepare_metadata_for_build_wheel(metadata_directory, config_settings): - """Invoke optional prepare_metadata_for_build_wheel - - Implements a fallback by building a wheel if the hook isn't defined. - """ - backend = _build_backend() - try: - hook = backend.prepare_metadata_for_build_wheel - except AttributeError: - return _get_wheel_metadata_from_wheel(backend, metadata_directory, - config_settings) - else: - return hook(metadata_directory, config_settings) - - -WHEEL_BUILT_MARKER = 'PEP517_ALREADY_BUILT_WHEEL' - - -def _dist_info_files(whl_zip): - """Identify the .dist-info folder inside a wheel ZipFile.""" - res = [] - for path in whl_zip.namelist(): - m = re.match(r'[^/\\]+-[^/\\]+\.dist-info/', path) - if m: - res.append(path) - if res: - return res - raise Exception("No .dist-info folder found in wheel") - - -def _get_wheel_metadata_from_wheel( - backend, metadata_directory, config_settings): - """Build a wheel and extract the metadata from it. - - Fallback for when the build backend does not - define the 'get_wheel_metadata' hook. - """ - from zipfile import ZipFile - whl_basename = backend.build_wheel(metadata_directory, config_settings) - with open(os.path.join(metadata_directory, WHEEL_BUILT_MARKER), 'wb'): - pass # Touch marker file - - whl_file = os.path.join(metadata_directory, whl_basename) - with ZipFile(whl_file) as zipf: - dist_info = _dist_info_files(zipf) - zipf.extractall(path=metadata_directory, members=dist_info) - return dist_info[0].split('/')[0] - - -def _find_already_built_wheel(metadata_directory): - """Check for a wheel already built during the get_wheel_metadata hook. - """ - if not metadata_directory: - return None - metadata_parent = os.path.dirname(metadata_directory) - if not os.path.isfile(pjoin(metadata_parent, WHEEL_BUILT_MARKER)): - return None - - whl_files = glob(os.path.join(metadata_parent, '*.whl')) - if not whl_files: - print('Found wheel built marker, but no .whl files') - return None - if len(whl_files) > 1: - print('Found multiple .whl files; unspecified behaviour. ' - 'Will call build_wheel.') - return None - - # Exactly one .whl file - return whl_files[0] - - -def build_wheel(wheel_directory, config_settings, metadata_directory=None): - """Invoke the mandatory build_wheel hook. - - If a wheel was already built in the - prepare_metadata_for_build_wheel fallback, this - will copy it rather than rebuilding the wheel. - """ - prebuilt_whl = _find_already_built_wheel(metadata_directory) - if prebuilt_whl: - shutil.copy2(prebuilt_whl, wheel_directory) - return os.path.basename(prebuilt_whl) - - return _build_backend().build_wheel(wheel_directory, config_settings, - metadata_directory) - - -def get_requires_for_build_sdist(config_settings): - """Invoke the optional get_requires_for_build_wheel hook - - Returns [] if the hook is not defined. - """ - backend = _build_backend() - try: - hook = backend.get_requires_for_build_sdist - except AttributeError: - return [] - else: - return hook(config_settings) - - -class _DummyException(Exception): - """Nothing should ever raise this exception""" - - -class GotUnsupportedOperation(Exception): - """For internal use when backend raises UnsupportedOperation""" - - -def build_sdist(sdist_directory, config_settings): - """Invoke the mandatory build_sdist hook.""" - backend = _build_backend() - try: - return backend.build_sdist(sdist_directory, config_settings) - except getattr(backend, 'UnsupportedOperation', _DummyException): - raise GotUnsupportedOperation - - -HOOK_NAMES = { - 'get_requires_for_build_wheel', - 'prepare_metadata_for_build_wheel', - 'build_wheel', - 'get_requires_for_build_sdist', - 'build_sdist', -} - - -def main(): - if len(sys.argv) < 3: - sys.exit("Needs args: hook_name, control_dir") - hook_name = sys.argv[1] - control_dir = sys.argv[2] - if hook_name not in HOOK_NAMES: - sys.exit("Unknown hook: %s" % hook_name) - hook = globals()[hook_name] - - hook_input = compat.read_json(pjoin(control_dir, 'input.json')) - - json_out = {'unsupported': False, 'return_val': None} - try: - json_out['return_val'] = hook(**hook_input['kwargs']) - except BackendUnavailable: - json_out['no_backend'] = True - except GotUnsupportedOperation: - json_out['unsupported'] = True - - compat.write_json(json_out, pjoin(control_dir, 'output.json'), indent=2) - - -if __name__ == '__main__': - main() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/wrappers.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/wrappers.py deleted file mode 100644 index b14b899..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/wrappers.py +++ /dev/null @@ -1,163 +0,0 @@ -from contextlib import contextmanager -import os -from os.path import dirname, abspath, join as pjoin -import shutil -from subprocess import check_call -import sys -from tempfile import mkdtemp - -from . import compat - -_in_proc_script = pjoin(dirname(abspath(__file__)), '_in_process.py') - - -@contextmanager -def tempdir(): - td = mkdtemp() - try: - yield td - finally: - shutil.rmtree(td) - - -class BackendUnavailable(Exception): - """Will be raised if the backend cannot be imported in the hook process.""" - - -class UnsupportedOperation(Exception): - """May be raised by build_sdist if the backend indicates that it can't.""" - - -def default_subprocess_runner(cmd, cwd=None, extra_environ=None): - """The default method of calling the wrapper subprocess.""" - env = os.environ.copy() - if extra_environ: - env.update(extra_environ) - - check_call(cmd, cwd=cwd, env=env) - - -class Pep517HookCaller(object): - """A wrapper around a source directory to be built with a PEP 517 backend. - - source_dir : The path to the source directory, containing pyproject.toml. - backend : The build backend spec, as per PEP 517, from pyproject.toml. - """ - def __init__(self, source_dir, build_backend): - self.source_dir = abspath(source_dir) - self.build_backend = build_backend - self._subprocess_runner = default_subprocess_runner - - # TODO: Is this over-engineered? Maybe frontends only need to - # set this when creating the wrapper, not on every call. - @contextmanager - def subprocess_runner(self, runner): - prev = self._subprocess_runner - self._subprocess_runner = runner - yield - self._subprocess_runner = prev - - def get_requires_for_build_wheel(self, config_settings=None): - """Identify packages required for building a wheel - - Returns a list of dependency specifications, e.g.: - ["wheel >= 0.25", "setuptools"] - - This does not include requirements specified in pyproject.toml. - It returns the result of calling the equivalently named hook in a - subprocess. - """ - return self._call_hook('get_requires_for_build_wheel', { - 'config_settings': config_settings - }) - - def prepare_metadata_for_build_wheel( - self, metadata_directory, config_settings=None): - """Prepare a *.dist-info folder with metadata for this project. - - Returns the name of the newly created folder. - - If the build backend defines a hook with this name, it will be called - in a subprocess. If not, the backend will be asked to build a wheel, - and the dist-info extracted from that. - """ - return self._call_hook('prepare_metadata_for_build_wheel', { - 'metadata_directory': abspath(metadata_directory), - 'config_settings': config_settings, - }) - - def build_wheel( - self, wheel_directory, config_settings=None, - metadata_directory=None): - """Build a wheel from this project. - - Returns the name of the newly created file. - - In general, this will call the 'build_wheel' hook in the backend. - However, if that was previously called by - 'prepare_metadata_for_build_wheel', and the same metadata_directory is - used, the previously built wheel will be copied to wheel_directory. - """ - if metadata_directory is not None: - metadata_directory = abspath(metadata_directory) - return self._call_hook('build_wheel', { - 'wheel_directory': abspath(wheel_directory), - 'config_settings': config_settings, - 'metadata_directory': metadata_directory, - }) - - def get_requires_for_build_sdist(self, config_settings=None): - """Identify packages required for building a wheel - - Returns a list of dependency specifications, e.g.: - ["setuptools >= 26"] - - This does not include requirements specified in pyproject.toml. - It returns the result of calling the equivalently named hook in a - subprocess. - """ - return self._call_hook('get_requires_for_build_sdist', { - 'config_settings': config_settings - }) - - def build_sdist(self, sdist_directory, config_settings=None): - """Build an sdist from this project. - - Returns the name of the newly created file. - - This calls the 'build_sdist' backend hook in a subprocess. - """ - return self._call_hook('build_sdist', { - 'sdist_directory': abspath(sdist_directory), - 'config_settings': config_settings, - }) - - def _call_hook(self, hook_name, kwargs): - # On Python 2, pytoml returns Unicode values (which is correct) but the - # environment passed to check_call needs to contain string values. We - # convert here by encoding using ASCII (the backend can only contain - # letters, digits and _, . and : characters, and will be used as a - # Python identifier, so non-ASCII content is wrong on Python 2 in - # any case). - if sys.version_info[0] == 2: - build_backend = self.build_backend.encode('ASCII') - else: - build_backend = self.build_backend - - with tempdir() as td: - compat.write_json({'kwargs': kwargs}, pjoin(td, 'input.json'), - indent=2) - - # Run the hook in a subprocess - self._subprocess_runner( - [sys.executable, _in_proc_script, hook_name, td], - cwd=self.source_dir, - extra_environ={'PEP517_BUILD_BACKEND': build_backend} - ) - - data = compat.read_json(pjoin(td, 'output.json')) - if data.get('unsupported'): - raise UnsupportedOperation - if data.get('no_backend'): - raise BackendUnavailable - return data['return_val'] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/helpers.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/helpers.py deleted file mode 100644 index 0cde44e..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/helpers.py +++ /dev/null @@ -1,91 +0,0 @@ -# Copyright (c) 2012 Giorgos Verigakis <verigak@gmail.com> -# -# Permission to use, copy, modify, and distribute this software for any -# purpose with or without fee is hereby granted, provided that the above -# copyright notice and this permission notice appear in all copies. -# -# THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES -# WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF -# MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR -# ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES -# WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN -# ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF -# OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. - -from __future__ import print_function - - -HIDE_CURSOR = '\x1b[?25l' -SHOW_CURSOR = '\x1b[?25h' - - -class WriteMixin(object): - hide_cursor = False - - def __init__(self, message=None, **kwargs): - super(WriteMixin, self).__init__(**kwargs) - self._width = 0 - if message: - self.message = message - - if self.file and self.file.isatty(): - if self.hide_cursor: - print(HIDE_CURSOR, end='', file=self.file) - print(self.message, end='', file=self.file) - self.file.flush() - - def write(self, s): - if self.file and self.file.isatty(): - b = '\b' * self._width - c = s.ljust(self._width) - print(b + c, end='', file=self.file) - self._width = max(self._width, len(s)) - self.file.flush() - - def finish(self): - if self.file and self.file.isatty() and self.hide_cursor: - print(SHOW_CURSOR, end='', file=self.file) - - -class WritelnMixin(object): - hide_cursor = False - - def __init__(self, message=None, **kwargs): - super(WritelnMixin, self).__init__(**kwargs) - if message: - self.message = message - - if self.file and self.file.isatty() and self.hide_cursor: - print(HIDE_CURSOR, end='', file=self.file) - - def clearln(self): - if self.file and self.file.isatty(): - print('\r\x1b[K', end='', file=self.file) - - def writeln(self, line): - if self.file and self.file.isatty(): - self.clearln() - print(line, end='', file=self.file) - self.file.flush() - - def finish(self): - if self.file and self.file.isatty(): - print(file=self.file) - if self.hide_cursor: - print(SHOW_CURSOR, end='', file=self.file) - - -from signal import signal, SIGINT -from sys import exit - - -class SigIntMixin(object): - """Registers a signal handler that calls finish on SIGINT""" - - def __init__(self, *args, **kwargs): - super(SigIntMixin, self).__init__(*args, **kwargs) - signal(SIGINT, self._sigint_handler) - - def _sigint_handler(self, signum, frame): - self.finish() - exit(0) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/__init__.py deleted file mode 100644 index 8ed060f..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/__init__.py +++ /dev/null @@ -1,4 +0,0 @@ -from .core import TomlError -from .parser import load, loads -from .test import translate_to_test -from .writer import dump, dumps \ No newline at end of file diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/core.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/core.py deleted file mode 100644 index c182734..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/core.py +++ /dev/null @@ -1,13 +0,0 @@ -class TomlError(RuntimeError): - def __init__(self, message, line, col, filename): - RuntimeError.__init__(self, message, line, col, filename) - self.message = message - self.line = line - self.col = col - self.filename = filename - - def __str__(self): - return '{}({}, {}): {}'.format(self.filename, self.line, self.col, self.message) - - def __repr__(self): - return 'TomlError({!r}, {!r}, {!r}, {!r})'.format(self.message, self.line, self.col, self.filename) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/parser.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/parser.py deleted file mode 100644 index 3493aa6..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/parser.py +++ /dev/null @@ -1,341 +0,0 @@ -import string, re, sys, datetime -from .core import TomlError -from .utils import rfc3339_re, parse_rfc3339_re - -if sys.version_info[0] == 2: - _chr = unichr -else: - _chr = chr - -def load(fin, translate=lambda t, x, v: v, object_pairs_hook=dict): - return loads(fin.read(), translate=translate, object_pairs_hook=object_pairs_hook, filename=getattr(fin, 'name', repr(fin))) - -def loads(s, filename='<string>', translate=lambda t, x, v: v, object_pairs_hook=dict): - if isinstance(s, bytes): - s = s.decode('utf-8') - - s = s.replace('\r\n', '\n') - - root = object_pairs_hook() - tables = object_pairs_hook() - scope = root - - src = _Source(s, filename=filename) - ast = _p_toml(src, object_pairs_hook=object_pairs_hook) - - def error(msg): - raise TomlError(msg, pos[0], pos[1], filename) - - def process_value(v, object_pairs_hook): - kind, text, value, pos = v - if kind == 'str' and value.startswith('\n'): - value = value[1:] - if kind == 'array': - if value and any(k != value[0][0] for k, t, v, p in value[1:]): - error('array-type-mismatch') - value = [process_value(item, object_pairs_hook=object_pairs_hook) for item in value] - elif kind == 'table': - value = object_pairs_hook([(k, process_value(value[k], object_pairs_hook=object_pairs_hook)) for k in value]) - return translate(kind, text, value) - - for kind, value, pos in ast: - if kind == 'kv': - k, v = value - if k in scope: - error('duplicate_keys. Key "{0}" was used more than once.'.format(k)) - scope[k] = process_value(v, object_pairs_hook=object_pairs_hook) - else: - is_table_array = (kind == 'table_array') - cur = tables - for name in value[:-1]: - if isinstance(cur.get(name), list): - d, cur = cur[name][-1] - else: - d, cur = cur.setdefault(name, (None, object_pairs_hook())) - - scope = object_pairs_hook() - name = value[-1] - if name not in cur: - if is_table_array: - cur[name] = [(scope, object_pairs_hook())] - else: - cur[name] = (scope, object_pairs_hook()) - elif isinstance(cur[name], list): - if not is_table_array: - error('table_type_mismatch') - cur[name].append((scope, object_pairs_hook())) - else: - if is_table_array: - error('table_type_mismatch') - old_scope, next_table = cur[name] - if old_scope is not None: - error('duplicate_tables') - cur[name] = (scope, next_table) - - def merge_tables(scope, tables): - if scope is None: - scope = object_pairs_hook() - for k in tables: - if k in scope: - error('key_table_conflict') - v = tables[k] - if isinstance(v, list): - scope[k] = [merge_tables(sc, tbl) for sc, tbl in v] - else: - scope[k] = merge_tables(v[0], v[1]) - return scope - - return merge_tables(root, tables) - -class _Source: - def __init__(self, s, filename=None): - self.s = s - self._pos = (1, 1) - self._last = None - self._filename = filename - self.backtrack_stack = [] - - def last(self): - return self._last - - def pos(self): - return self._pos - - def fail(self): - return self._expect(None) - - def consume_dot(self): - if self.s: - self._last = self.s[0] - self.s = self[1:] - self._advance(self._last) - return self._last - return None - - def expect_dot(self): - return self._expect(self.consume_dot()) - - def consume_eof(self): - if not self.s: - self._last = '' - return True - return False - - def expect_eof(self): - return self._expect(self.consume_eof()) - - def consume(self, s): - if self.s.startswith(s): - self.s = self.s[len(s):] - self._last = s - self._advance(s) - return True - return False - - def expect(self, s): - return self._expect(self.consume(s)) - - def consume_re(self, re): - m = re.match(self.s) - if m: - self.s = self.s[len(m.group(0)):] - self._last = m - self._advance(m.group(0)) - return m - return None - - def expect_re(self, re): - return self._expect(self.consume_re(re)) - - def __enter__(self): - self.backtrack_stack.append((self.s, self._pos)) - - def __exit__(self, type, value, traceback): - if type is None: - self.backtrack_stack.pop() - else: - self.s, self._pos = self.backtrack_stack.pop() - return type == TomlError - - def commit(self): - self.backtrack_stack[-1] = (self.s, self._pos) - - def _expect(self, r): - if not r: - raise TomlError('msg', self._pos[0], self._pos[1], self._filename) - return r - - def _advance(self, s): - suffix_pos = s.rfind('\n') - if suffix_pos == -1: - self._pos = (self._pos[0], self._pos[1] + len(s)) - else: - self._pos = (self._pos[0] + s.count('\n'), len(s) - suffix_pos) - -_ews_re = re.compile(r'(?:[ \t]|#[^\n]*\n|#[^\n]*\Z|\n)*') -def _p_ews(s): - s.expect_re(_ews_re) - -_ws_re = re.compile(r'[ \t]*') -def _p_ws(s): - s.expect_re(_ws_re) - -_escapes = { 'b': '\b', 'n': '\n', 'r': '\r', 't': '\t', '"': '"', - '\\': '\\', 'f': '\f' } - -_basicstr_re = re.compile(r'[^"\\\000-\037]*') -_short_uni_re = re.compile(r'u([0-9a-fA-F]{4})') -_long_uni_re = re.compile(r'U([0-9a-fA-F]{8})') -_escapes_re = re.compile(r'[btnfr\"\\]') -_newline_esc_re = re.compile('\n[ \t\n]*') -def _p_basicstr_content(s, content=_basicstr_re): - res = [] - while True: - res.append(s.expect_re(content).group(0)) - if not s.consume('\\'): - break - if s.consume_re(_newline_esc_re): - pass - elif s.consume_re(_short_uni_re) or s.consume_re(_long_uni_re): - v = int(s.last().group(1), 16) - if 0xd800 <= v < 0xe000: - s.fail() - res.append(_chr(v)) - else: - s.expect_re(_escapes_re) - res.append(_escapes[s.last().group(0)]) - return ''.join(res) - -_key_re = re.compile(r'[0-9a-zA-Z-_]+') -def _p_key(s): - with s: - s.expect('"') - r = _p_basicstr_content(s, _basicstr_re) - s.expect('"') - return r - if s.consume('\''): - if s.consume('\'\''): - r = s.expect_re(_litstr_ml_re).group(0) - s.expect('\'\'\'') - else: - r = s.expect_re(_litstr_re).group(0) - s.expect('\'') - return r - return s.expect_re(_key_re).group(0) - -_float_re = re.compile(r'[+-]?(?:0|[1-9](?:_?\d)*)(?:\.\d(?:_?\d)*)?(?:[eE][+-]?(?:\d(?:_?\d)*))?') - -_basicstr_ml_re = re.compile(r'(?:""?(?!")|[^"\\\000-\011\013-\037])*') -_litstr_re = re.compile(r"[^'\000\010\012-\037]*") -_litstr_ml_re = re.compile(r"(?:(?:|'|'')(?:[^'\000-\010\013-\037]))*") -def _p_value(s, object_pairs_hook): - pos = s.pos() - - if s.consume('true'): - return 'bool', s.last(), True, pos - if s.consume('false'): - return 'bool', s.last(), False, pos - - if s.consume('"'): - if s.consume('""'): - r = _p_basicstr_content(s, _basicstr_ml_re) - s.expect('"""') - else: - r = _p_basicstr_content(s, _basicstr_re) - s.expect('"') - return 'str', r, r, pos - - if s.consume('\''): - if s.consume('\'\''): - r = s.expect_re(_litstr_ml_re).group(0) - s.expect('\'\'\'') - else: - r = s.expect_re(_litstr_re).group(0) - s.expect('\'') - return 'str', r, r, pos - - if s.consume_re(rfc3339_re): - m = s.last() - return 'datetime', m.group(0), parse_rfc3339_re(m), pos - - if s.consume_re(_float_re): - m = s.last().group(0) - r = m.replace('_','') - if '.' in m or 'e' in m or 'E' in m: - return 'float', m, float(r), pos - else: - return 'int', m, int(r, 10), pos - - if s.consume('['): - items = [] - with s: - while True: - _p_ews(s) - items.append(_p_value(s, object_pairs_hook=object_pairs_hook)) - s.commit() - _p_ews(s) - s.expect(',') - s.commit() - _p_ews(s) - s.expect(']') - return 'array', None, items, pos - - if s.consume('{'): - _p_ws(s) - items = object_pairs_hook() - if not s.consume('}'): - k = _p_key(s) - _p_ws(s) - s.expect('=') - _p_ws(s) - items[k] = _p_value(s, object_pairs_hook=object_pairs_hook) - _p_ws(s) - while s.consume(','): - _p_ws(s) - k = _p_key(s) - _p_ws(s) - s.expect('=') - _p_ws(s) - items[k] = _p_value(s, object_pairs_hook=object_pairs_hook) - _p_ws(s) - s.expect('}') - return 'table', None, items, pos - - s.fail() - -def _p_stmt(s, object_pairs_hook): - pos = s.pos() - if s.consume( '['): - is_array = s.consume('[') - _p_ws(s) - keys = [_p_key(s)] - _p_ws(s) - while s.consume('.'): - _p_ws(s) - keys.append(_p_key(s)) - _p_ws(s) - s.expect(']') - if is_array: - s.expect(']') - return 'table_array' if is_array else 'table', keys, pos - - key = _p_key(s) - _p_ws(s) - s.expect('=') - _p_ws(s) - value = _p_value(s, object_pairs_hook=object_pairs_hook) - return 'kv', (key, value), pos - -_stmtsep_re = re.compile(r'(?:[ \t]*(?:#[^\n]*)?\n)+[ \t]*') -def _p_toml(s, object_pairs_hook): - stmts = [] - _p_ews(s) - with s: - stmts.append(_p_stmt(s, object_pairs_hook=object_pairs_hook)) - while True: - s.commit() - s.expect_re(_stmtsep_re) - stmts.append(_p_stmt(s, object_pairs_hook=object_pairs_hook)) - _p_ews(s) - s.expect_eof() - return stmts diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/test.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/test.py deleted file mode 100644 index ec8abfc..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/test.py +++ /dev/null @@ -1,30 +0,0 @@ -import datetime -from .utils import format_rfc3339 - -try: - _string_types = (str, unicode) - _int_types = (int, long) -except NameError: - _string_types = str - _int_types = int - -def translate_to_test(v): - if isinstance(v, dict): - return { k: translate_to_test(v) for k, v in v.items() } - if isinstance(v, list): - a = [translate_to_test(x) for x in v] - if v and isinstance(v[0], dict): - return a - else: - return {'type': 'array', 'value': a} - if isinstance(v, datetime.datetime): - return {'type': 'datetime', 'value': format_rfc3339(v)} - if isinstance(v, bool): - return {'type': 'bool', 'value': 'true' if v else 'false'} - if isinstance(v, _int_types): - return {'type': 'integer', 'value': str(v)} - if isinstance(v, float): - return {'type': 'float', 'value': '{:.17}'.format(v)} - if isinstance(v, _string_types): - return {'type': 'string', 'value': v} - raise RuntimeError('unexpected value: {!r}'.format(v)) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/utils.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/utils.py deleted file mode 100644 index 636a680..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/utils.py +++ /dev/null @@ -1,67 +0,0 @@ -import datetime -import re - -rfc3339_re = re.compile(r'(\d{4})-(\d{2})-(\d{2})T(\d{2}):(\d{2}):(\d{2})(\.\d+)?(?:Z|([+-]\d{2}):(\d{2}))') - -def parse_rfc3339(v): - m = rfc3339_re.match(v) - if not m or m.group(0) != v: - return None - return parse_rfc3339_re(m) - -def parse_rfc3339_re(m): - r = map(int, m.groups()[:6]) - if m.group(7): - micro = float(m.group(7)) - else: - micro = 0 - - if m.group(8): - g = int(m.group(8), 10) * 60 + int(m.group(9), 10) - tz = _TimeZone(datetime.timedelta(0, g * 60)) - else: - tz = _TimeZone(datetime.timedelta(0, 0)) - - y, m, d, H, M, S = r - return datetime.datetime(y, m, d, H, M, S, int(micro * 1000000), tz) - - -def format_rfc3339(v): - offs = v.utcoffset() - offs = int(offs.total_seconds()) // 60 if offs is not None else 0 - - if offs == 0: - suffix = 'Z' - else: - if offs > 0: - suffix = '+' - else: - suffix = '-' - offs = -offs - suffix = '{0}{1:02}:{2:02}'.format(suffix, offs // 60, offs % 60) - - if v.microsecond: - return v.strftime('%Y-%m-%dT%H:%M:%S.%f') + suffix - else: - return v.strftime('%Y-%m-%dT%H:%M:%S') + suffix - -class _TimeZone(datetime.tzinfo): - def __init__(self, offset): - self._offset = offset - - def utcoffset(self, dt): - return self._offset - - def dst(self, dt): - return None - - def tzname(self, dt): - m = self._offset.total_seconds() // 60 - if m < 0: - res = '-' - m = -m - else: - res = '+' - h = m // 60 - m = m - h * 60 - return '{}{:.02}{:.02}'.format(res, h, m) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/writer.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/writer.py deleted file mode 100644 index 73b5089..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pytoml/writer.py +++ /dev/null @@ -1,106 +0,0 @@ -from __future__ import unicode_literals -import io, datetime, math, string, sys - -from .utils import format_rfc3339 - -if sys.version_info[0] == 3: - long = int - unicode = str - - -def dumps(obj, sort_keys=False): - fout = io.StringIO() - dump(obj, fout, sort_keys=sort_keys) - return fout.getvalue() - - -_escapes = {'\n': 'n', '\r': 'r', '\\': '\\', '\t': 't', '\b': 'b', '\f': 'f', '"': '"'} - - -def _escape_string(s): - res = [] - start = 0 - - def flush(): - if start != i: - res.append(s[start:i]) - return i + 1 - - i = 0 - while i < len(s): - c = s[i] - if c in '"\\\n\r\t\b\f': - start = flush() - res.append('\\' + _escapes[c]) - elif ord(c) < 0x20: - start = flush() - res.append('\\u%04x' % ord(c)) - i += 1 - - flush() - return '"' + ''.join(res) + '"' - - -_key_chars = string.digits + string.ascii_letters + '-_' -def _escape_id(s): - if any(c not in _key_chars for c in s): - return _escape_string(s) - return s - - -def _format_value(v): - if isinstance(v, bool): - return 'true' if v else 'false' - if isinstance(v, int) or isinstance(v, long): - return unicode(v) - if isinstance(v, float): - if math.isnan(v) or math.isinf(v): - raise ValueError("{0} is not a valid TOML value".format(v)) - else: - return repr(v) - elif isinstance(v, unicode) or isinstance(v, bytes): - return _escape_string(v) - elif isinstance(v, datetime.datetime): - return format_rfc3339(v) - elif isinstance(v, list): - return '[{0}]'.format(', '.join(_format_value(obj) for obj in v)) - elif isinstance(v, dict): - return '{{{0}}}'.format(', '.join('{} = {}'.format(_escape_id(k), _format_value(obj)) for k, obj in v.items())) - else: - raise RuntimeError(v) - - -def dump(obj, fout, sort_keys=False): - tables = [((), obj, False)] - - while tables: - name, table, is_array = tables.pop() - if name: - section_name = '.'.join(_escape_id(c) for c in name) - if is_array: - fout.write('[[{0}]]\n'.format(section_name)) - else: - fout.write('[{0}]\n'.format(section_name)) - - table_keys = sorted(table.keys()) if sort_keys else table.keys() - new_tables = [] - has_kv = False - for k in table_keys: - v = table[k] - if isinstance(v, dict): - new_tables.append((name + (k,), v, False)) - elif isinstance(v, list) and v and all(isinstance(o, dict) for o in v): - new_tables.extend((name + (k,), d, True) for d in v) - elif v is None: - # based on mojombo's comment: https://github.com/toml-lang/toml/issues/146#issuecomment-25019344 - fout.write( - '#{} = null # To use: uncomment and replace null with value\n'.format(_escape_id(k))) - has_kv = True - else: - fout.write('{0} = {1}\n'.format(_escape_id(k), _format_value(v))) - has_kv = True - - tables.extend(reversed(new_tables)) - - if (name or has_kv) and tables: - fout.write('\n') diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/retrying.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/retrying.py deleted file mode 100644 index 6d1e627..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/retrying.py +++ /dev/null @@ -1,267 +0,0 @@ -## Copyright 2013-2014 Ray Holder -## -## Licensed under the Apache License, Version 2.0 (the "License"); -## you may not use this file except in compliance with the License. -## You may obtain a copy of the License at -## -## http://www.apache.org/licenses/LICENSE-2.0 -## -## Unless required by applicable law or agreed to in writing, software -## distributed under the License is distributed on an "AS IS" BASIS, -## WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -## See the License for the specific language governing permissions and -## limitations under the License. - -import random -from pip._vendor import six -import sys -import time -import traceback - - -# sys.maxint / 2, since Python 3.2 doesn't have a sys.maxint... -MAX_WAIT = 1073741823 - - -def retry(*dargs, **dkw): - """ - Decorator function that instantiates the Retrying object - @param *dargs: positional arguments passed to Retrying object - @param **dkw: keyword arguments passed to the Retrying object - """ - # support both @retry and @retry() as valid syntax - if len(dargs) == 1 and callable(dargs[0]): - def wrap_simple(f): - - @six.wraps(f) - def wrapped_f(*args, **kw): - return Retrying().call(f, *args, **kw) - - return wrapped_f - - return wrap_simple(dargs[0]) - - else: - def wrap(f): - - @six.wraps(f) - def wrapped_f(*args, **kw): - return Retrying(*dargs, **dkw).call(f, *args, **kw) - - return wrapped_f - - return wrap - - -class Retrying(object): - - def __init__(self, - stop=None, wait=None, - stop_max_attempt_number=None, - stop_max_delay=None, - wait_fixed=None, - wait_random_min=None, wait_random_max=None, - wait_incrementing_start=None, wait_incrementing_increment=None, - wait_exponential_multiplier=None, wait_exponential_max=None, - retry_on_exception=None, - retry_on_result=None, - wrap_exception=False, - stop_func=None, - wait_func=None, - wait_jitter_max=None): - - self._stop_max_attempt_number = 5 if stop_max_attempt_number is None else stop_max_attempt_number - self._stop_max_delay = 100 if stop_max_delay is None else stop_max_delay - self._wait_fixed = 1000 if wait_fixed is None else wait_fixed - self._wait_random_min = 0 if wait_random_min is None else wait_random_min - self._wait_random_max = 1000 if wait_random_max is None else wait_random_max - self._wait_incrementing_start = 0 if wait_incrementing_start is None else wait_incrementing_start - self._wait_incrementing_increment = 100 if wait_incrementing_increment is None else wait_incrementing_increment - self._wait_exponential_multiplier = 1 if wait_exponential_multiplier is None else wait_exponential_multiplier - self._wait_exponential_max = MAX_WAIT if wait_exponential_max is None else wait_exponential_max - self._wait_jitter_max = 0 if wait_jitter_max is None else wait_jitter_max - - # TODO add chaining of stop behaviors - # stop behavior - stop_funcs = [] - if stop_max_attempt_number is not None: - stop_funcs.append(self.stop_after_attempt) - - if stop_max_delay is not None: - stop_funcs.append(self.stop_after_delay) - - if stop_func is not None: - self.stop = stop_func - - elif stop is None: - self.stop = lambda attempts, delay: any(f(attempts, delay) for f in stop_funcs) - - else: - self.stop = getattr(self, stop) - - # TODO add chaining of wait behaviors - # wait behavior - wait_funcs = [lambda *args, **kwargs: 0] - if wait_fixed is not None: - wait_funcs.append(self.fixed_sleep) - - if wait_random_min is not None or wait_random_max is not None: - wait_funcs.append(self.random_sleep) - - if wait_incrementing_start is not None or wait_incrementing_increment is not None: - wait_funcs.append(self.incrementing_sleep) - - if wait_exponential_multiplier is not None or wait_exponential_max is not None: - wait_funcs.append(self.exponential_sleep) - - if wait_func is not None: - self.wait = wait_func - - elif wait is None: - self.wait = lambda attempts, delay: max(f(attempts, delay) for f in wait_funcs) - - else: - self.wait = getattr(self, wait) - - # retry on exception filter - if retry_on_exception is None: - self._retry_on_exception = self.always_reject - else: - self._retry_on_exception = retry_on_exception - - # TODO simplify retrying by Exception types - # retry on result filter - if retry_on_result is None: - self._retry_on_result = self.never_reject - else: - self._retry_on_result = retry_on_result - - self._wrap_exception = wrap_exception - - def stop_after_attempt(self, previous_attempt_number, delay_since_first_attempt_ms): - """Stop after the previous attempt >= stop_max_attempt_number.""" - return previous_attempt_number >= self._stop_max_attempt_number - - def stop_after_delay(self, previous_attempt_number, delay_since_first_attempt_ms): - """Stop after the time from the first attempt >= stop_max_delay.""" - return delay_since_first_attempt_ms >= self._stop_max_delay - - def no_sleep(self, previous_attempt_number, delay_since_first_attempt_ms): - """Don't sleep at all before retrying.""" - return 0 - - def fixed_sleep(self, previous_attempt_number, delay_since_first_attempt_ms): - """Sleep a fixed amount of time between each retry.""" - return self._wait_fixed - - def random_sleep(self, previous_attempt_number, delay_since_first_attempt_ms): - """Sleep a random amount of time between wait_random_min and wait_random_max""" - return random.randint(self._wait_random_min, self._wait_random_max) - - def incrementing_sleep(self, previous_attempt_number, delay_since_first_attempt_ms): - """ - Sleep an incremental amount of time after each attempt, starting at - wait_incrementing_start and incrementing by wait_incrementing_increment - """ - result = self._wait_incrementing_start + (self._wait_incrementing_increment * (previous_attempt_number - 1)) - if result < 0: - result = 0 - return result - - def exponential_sleep(self, previous_attempt_number, delay_since_first_attempt_ms): - exp = 2 ** previous_attempt_number - result = self._wait_exponential_multiplier * exp - if result > self._wait_exponential_max: - result = self._wait_exponential_max - if result < 0: - result = 0 - return result - - def never_reject(self, result): - return False - - def always_reject(self, result): - return True - - def should_reject(self, attempt): - reject = False - if attempt.has_exception: - reject |= self._retry_on_exception(attempt.value[1]) - else: - reject |= self._retry_on_result(attempt.value) - - return reject - - def call(self, fn, *args, **kwargs): - start_time = int(round(time.time() * 1000)) - attempt_number = 1 - while True: - try: - attempt = Attempt(fn(*args, **kwargs), attempt_number, False) - except: - tb = sys.exc_info() - attempt = Attempt(tb, attempt_number, True) - - if not self.should_reject(attempt): - return attempt.get(self._wrap_exception) - - delay_since_first_attempt_ms = int(round(time.time() * 1000)) - start_time - if self.stop(attempt_number, delay_since_first_attempt_ms): - if not self._wrap_exception and attempt.has_exception: - # get() on an attempt with an exception should cause it to be raised, but raise just in case - raise attempt.get() - else: - raise RetryError(attempt) - else: - sleep = self.wait(attempt_number, delay_since_first_attempt_ms) - if self._wait_jitter_max: - jitter = random.random() * self._wait_jitter_max - sleep = sleep + max(0, jitter) - time.sleep(sleep / 1000.0) - - attempt_number += 1 - - -class Attempt(object): - """ - An Attempt encapsulates a call to a target function that may end as a - normal return value from the function or an Exception depending on what - occurred during the execution. - """ - - def __init__(self, value, attempt_number, has_exception): - self.value = value - self.attempt_number = attempt_number - self.has_exception = has_exception - - def get(self, wrap_exception=False): - """ - Return the return value of this Attempt instance or raise an Exception. - If wrap_exception is true, this Attempt is wrapped inside of a - RetryError before being raised. - """ - if self.has_exception: - if wrap_exception: - raise RetryError(self) - else: - six.reraise(self.value[0], self.value[1], self.value[2]) - else: - return self.value - - def __repr__(self): - if self.has_exception: - return "Attempts: {0}, Error:\n{1}".format(self.attempt_number, "".join(traceback.format_tb(self.value[2]))) - else: - return "Attempts: {0}, Value: {1}".format(self.attempt_number, self.value) - - -class RetryError(Exception): - """ - A RetryError encapsulates the last Attempt instance right before giving up. - """ - - def __init__(self, last_attempt): - self.last_attempt = last_attempt - - def __str__(self): - return "RetryError[{0}]".format(self.last_attempt) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connection.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connection.py deleted file mode 100644 index 02b3665..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connection.py +++ /dev/null @@ -1,391 +0,0 @@ -from __future__ import absolute_import -import datetime -import logging -import os -import socket -from socket import error as SocketError, timeout as SocketTimeout -import warnings -from .packages import six -from .packages.six.moves.http_client import HTTPConnection as _HTTPConnection -from .packages.six.moves.http_client import HTTPException # noqa: F401 - -try: # Compiled with SSL? - import ssl - BaseSSLError = ssl.SSLError -except (ImportError, AttributeError): # Platform-specific: No SSL. - ssl = None - - class BaseSSLError(BaseException): - pass - - -try: # Python 3: - # Not a no-op, we're adding this to the namespace so it can be imported. - ConnectionError = ConnectionError -except NameError: # Python 2: - class ConnectionError(Exception): - pass - - -from .exceptions import ( - NewConnectionError, - ConnectTimeoutError, - SubjectAltNameWarning, - SystemTimeWarning, -) -from .packages.ssl_match_hostname import match_hostname, CertificateError - -from .util.ssl_ import ( - resolve_cert_reqs, - resolve_ssl_version, - assert_fingerprint, - create_urllib3_context, - ssl_wrap_socket -) - - -from .util import connection - -from ._collections import HTTPHeaderDict - -log = logging.getLogger(__name__) - -port_by_scheme = { - 'http': 80, - 'https': 443, -} - -# When updating RECENT_DATE, move it to within two years of the current date, -# and not less than 6 months ago. -# Example: if Today is 2018-01-01, then RECENT_DATE should be any date on or -# after 2016-01-01 (today - 2 years) AND before 2017-07-01 (today - 6 months) -RECENT_DATE = datetime.date(2017, 6, 30) - - -class DummyConnection(object): - """Used to detect a failed ConnectionCls import.""" - pass - - -class HTTPConnection(_HTTPConnection, object): - """ - Based on httplib.HTTPConnection but provides an extra constructor - backwards-compatibility layer between older and newer Pythons. - - Additional keyword parameters are used to configure attributes of the connection. - Accepted parameters include: - - - ``strict``: See the documentation on :class:`urllib3.connectionpool.HTTPConnectionPool` - - ``source_address``: Set the source address for the current connection. - - ``socket_options``: Set specific options on the underlying socket. If not specified, then - defaults are loaded from ``HTTPConnection.default_socket_options`` which includes disabling - Nagle's algorithm (sets TCP_NODELAY to 1) unless the connection is behind a proxy. - - For example, if you wish to enable TCP Keep Alive in addition to the defaults, - you might pass:: - - HTTPConnection.default_socket_options + [ - (socket.SOL_SOCKET, socket.SO_KEEPALIVE, 1), - ] - - Or you may want to disable the defaults by passing an empty list (e.g., ``[]``). - """ - - default_port = port_by_scheme['http'] - - #: Disable Nagle's algorithm by default. - #: ``[(socket.IPPROTO_TCP, socket.TCP_NODELAY, 1)]`` - default_socket_options = [(socket.IPPROTO_TCP, socket.TCP_NODELAY, 1)] - - #: Whether this connection verifies the host's certificate. - is_verified = False - - def __init__(self, *args, **kw): - if six.PY3: # Python 3 - kw.pop('strict', None) - - # Pre-set source_address. - self.source_address = kw.get('source_address') - - #: The socket options provided by the user. If no options are - #: provided, we use the default options. - self.socket_options = kw.pop('socket_options', self.default_socket_options) - - _HTTPConnection.__init__(self, *args, **kw) - - @property - def host(self): - """ - Getter method to remove any trailing dots that indicate the hostname is an FQDN. - - In general, SSL certificates don't include the trailing dot indicating a - fully-qualified domain name, and thus, they don't validate properly when - checked against a domain name that includes the dot. In addition, some - servers may not expect to receive the trailing dot when provided. - - However, the hostname with trailing dot is critical to DNS resolution; doing a - lookup with the trailing dot will properly only resolve the appropriate FQDN, - whereas a lookup without a trailing dot will search the system's search domain - list. Thus, it's important to keep the original host around for use only in - those cases where it's appropriate (i.e., when doing DNS lookup to establish the - actual TCP connection across which we're going to send HTTP requests). - """ - return self._dns_host.rstrip('.') - - @host.setter - def host(self, value): - """ - Setter for the `host` property. - - We assume that only urllib3 uses the _dns_host attribute; httplib itself - only uses `host`, and it seems reasonable that other libraries follow suit. - """ - self._dns_host = value - - def _new_conn(self): - """ Establish a socket connection and set nodelay settings on it. - - :return: New socket connection. - """ - extra_kw = {} - if self.source_address: - extra_kw['source_address'] = self.source_address - - if self.socket_options: - extra_kw['socket_options'] = self.socket_options - - try: - conn = connection.create_connection( - (self._dns_host, self.port), self.timeout, **extra_kw) - - except SocketTimeout as e: - raise ConnectTimeoutError( - self, "Connection to %s timed out. (connect timeout=%s)" % - (self.host, self.timeout)) - - except SocketError as e: - raise NewConnectionError( - self, "Failed to establish a new connection: %s" % e) - - return conn - - def _prepare_conn(self, conn): - self.sock = conn - if self._tunnel_host: - # TODO: Fix tunnel so it doesn't depend on self.sock state. - self._tunnel() - # Mark this connection as not reusable - self.auto_open = 0 - - def connect(self): - conn = self._new_conn() - self._prepare_conn(conn) - - def request_chunked(self, method, url, body=None, headers=None): - """ - Alternative to the common request method, which sends the - body with chunked encoding and not as one block - """ - headers = HTTPHeaderDict(headers if headers is not None else {}) - skip_accept_encoding = 'accept-encoding' in headers - skip_host = 'host' in headers - self.putrequest( - method, - url, - skip_accept_encoding=skip_accept_encoding, - skip_host=skip_host - ) - for header, value in headers.items(): - self.putheader(header, value) - if 'transfer-encoding' not in headers: - self.putheader('Transfer-Encoding', 'chunked') - self.endheaders() - - if body is not None: - stringish_types = six.string_types + (bytes,) - if isinstance(body, stringish_types): - body = (body,) - for chunk in body: - if not chunk: - continue - if not isinstance(chunk, bytes): - chunk = chunk.encode('utf8') - len_str = hex(len(chunk))[2:] - self.send(len_str.encode('utf-8')) - self.send(b'\r\n') - self.send(chunk) - self.send(b'\r\n') - - # After the if clause, to always have a closed body - self.send(b'0\r\n\r\n') - - -class HTTPSConnection(HTTPConnection): - default_port = port_by_scheme['https'] - - ssl_version = None - - def __init__(self, host, port=None, key_file=None, cert_file=None, - strict=None, timeout=socket._GLOBAL_DEFAULT_TIMEOUT, - ssl_context=None, server_hostname=None, **kw): - - HTTPConnection.__init__(self, host, port, strict=strict, - timeout=timeout, **kw) - - self.key_file = key_file - self.cert_file = cert_file - self.ssl_context = ssl_context - self.server_hostname = server_hostname - - # Required property for Google AppEngine 1.9.0 which otherwise causes - # HTTPS requests to go out as HTTP. (See Issue #356) - self._protocol = 'https' - - def connect(self): - conn = self._new_conn() - self._prepare_conn(conn) - - if self.ssl_context is None: - self.ssl_context = create_urllib3_context( - ssl_version=resolve_ssl_version(None), - cert_reqs=resolve_cert_reqs(None), - ) - - self.sock = ssl_wrap_socket( - sock=conn, - keyfile=self.key_file, - certfile=self.cert_file, - ssl_context=self.ssl_context, - server_hostname=self.server_hostname - ) - - -class VerifiedHTTPSConnection(HTTPSConnection): - """ - Based on httplib.HTTPSConnection but wraps the socket with - SSL certification. - """ - cert_reqs = None - ca_certs = None - ca_cert_dir = None - ssl_version = None - assert_fingerprint = None - - def set_cert(self, key_file=None, cert_file=None, - cert_reqs=None, ca_certs=None, - assert_hostname=None, assert_fingerprint=None, - ca_cert_dir=None): - """ - This method should only be called once, before the connection is used. - """ - # If cert_reqs is not provided, we can try to guess. If the user gave - # us a cert database, we assume they want to use it: otherwise, if - # they gave us an SSL Context object we should use whatever is set for - # it. - if cert_reqs is None: - if ca_certs or ca_cert_dir: - cert_reqs = 'CERT_REQUIRED' - elif self.ssl_context is not None: - cert_reqs = self.ssl_context.verify_mode - - self.key_file = key_file - self.cert_file = cert_file - self.cert_reqs = cert_reqs - self.assert_hostname = assert_hostname - self.assert_fingerprint = assert_fingerprint - self.ca_certs = ca_certs and os.path.expanduser(ca_certs) - self.ca_cert_dir = ca_cert_dir and os.path.expanduser(ca_cert_dir) - - def connect(self): - # Add certificate verification - conn = self._new_conn() - hostname = self.host - - if self._tunnel_host: - self.sock = conn - # Calls self._set_hostport(), so self.host is - # self._tunnel_host below. - self._tunnel() - # Mark this connection as not reusable - self.auto_open = 0 - - # Override the host with the one we're requesting data from. - hostname = self._tunnel_host - - server_hostname = hostname - if self.server_hostname is not None: - server_hostname = self.server_hostname - - is_time_off = datetime.date.today() < RECENT_DATE - if is_time_off: - warnings.warn(( - 'System time is way off (before {0}). This will probably ' - 'lead to SSL verification errors').format(RECENT_DATE), - SystemTimeWarning - ) - - # Wrap socket using verification with the root certs in - # trusted_root_certs - if self.ssl_context is None: - self.ssl_context = create_urllib3_context( - ssl_version=resolve_ssl_version(self.ssl_version), - cert_reqs=resolve_cert_reqs(self.cert_reqs), - ) - - context = self.ssl_context - context.verify_mode = resolve_cert_reqs(self.cert_reqs) - self.sock = ssl_wrap_socket( - sock=conn, - keyfile=self.key_file, - certfile=self.cert_file, - ca_certs=self.ca_certs, - ca_cert_dir=self.ca_cert_dir, - server_hostname=server_hostname, - ssl_context=context) - - if self.assert_fingerprint: - assert_fingerprint(self.sock.getpeercert(binary_form=True), - self.assert_fingerprint) - elif context.verify_mode != ssl.CERT_NONE \ - and not getattr(context, 'check_hostname', False) \ - and self.assert_hostname is not False: - # While urllib3 attempts to always turn off hostname matching from - # the TLS library, this cannot always be done. So we check whether - # the TLS Library still thinks it's matching hostnames. - cert = self.sock.getpeercert() - if not cert.get('subjectAltName', ()): - warnings.warn(( - 'Certificate for {0} has no `subjectAltName`, falling back to check for a ' - '`commonName` for now. This feature is being removed by major browsers and ' - 'deprecated by RFC 2818. (See https://github.com/shazow/urllib3/issues/497 ' - 'for details.)'.format(hostname)), - SubjectAltNameWarning - ) - _match_hostname(cert, self.assert_hostname or server_hostname) - - self.is_verified = ( - context.verify_mode == ssl.CERT_REQUIRED or - self.assert_fingerprint is not None - ) - - -def _match_hostname(cert, asserted_hostname): - try: - match_hostname(cert, asserted_hostname) - except CertificateError as e: - log.error( - 'Certificate did not match expected hostname: %s. ' - 'Certificate: %s', asserted_hostname, cert - ) - # Add cert to exception and reraise so client code can inspect - # the cert when catching the exception, if they want to - e._peer_cert = cert - raise - - -if ssl: - # Make a copy for testing. - UnverifiedHTTPSConnection = HTTPSConnection - HTTPSConnection = VerifiedHTTPSConnection -else: - HTTPSConnection = DummyConnection diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_appengine_environ.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_appengine_environ.py deleted file mode 100644 index f3e0094..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_appengine_environ.py +++ /dev/null @@ -1,30 +0,0 @@ -""" -This module provides means to detect the App Engine environment. -""" - -import os - - -def is_appengine(): - return (is_local_appengine() or - is_prod_appengine() or - is_prod_appengine_mvms()) - - -def is_appengine_sandbox(): - return is_appengine() and not is_prod_appengine_mvms() - - -def is_local_appengine(): - return ('APPENGINE_RUNTIME' in os.environ and - 'Development/' in os.environ['SERVER_SOFTWARE']) - - -def is_prod_appengine(): - return ('APPENGINE_RUNTIME' in os.environ and - 'Google App Engine/' in os.environ['SERVER_SOFTWARE'] and - not is_prod_appengine_mvms()) - - -def is_prod_appengine_mvms(): - return os.environ.get('GAE_VM', False) == 'true' diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/ntlmpool.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/ntlmpool.py deleted file mode 100644 index 8ea127c..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/ntlmpool.py +++ /dev/null @@ -1,111 +0,0 @@ -""" -NTLM authenticating pool, contributed by erikcederstran - -Issue #10, see: http://code.google.com/p/urllib3/issues/detail?id=10 -""" -from __future__ import absolute_import - -from logging import getLogger -from ntlm import ntlm - -from .. import HTTPSConnectionPool -from ..packages.six.moves.http_client import HTTPSConnection - - -log = getLogger(__name__) - - -class NTLMConnectionPool(HTTPSConnectionPool): - """ - Implements an NTLM authentication version of an urllib3 connection pool - """ - - scheme = 'https' - - def __init__(self, user, pw, authurl, *args, **kwargs): - """ - authurl is a random URL on the server that is protected by NTLM. - user is the Windows user, probably in the DOMAIN\\username format. - pw is the password for the user. - """ - super(NTLMConnectionPool, self).__init__(*args, **kwargs) - self.authurl = authurl - self.rawuser = user - user_parts = user.split('\\', 1) - self.domain = user_parts[0].upper() - self.user = user_parts[1] - self.pw = pw - - def _new_conn(self): - # Performs the NTLM handshake that secures the connection. The socket - # must be kept open while requests are performed. - self.num_connections += 1 - log.debug('Starting NTLM HTTPS connection no. %d: https://%s%s', - self.num_connections, self.host, self.authurl) - - headers = {'Connection': 'Keep-Alive'} - req_header = 'Authorization' - resp_header = 'www-authenticate' - - conn = HTTPSConnection(host=self.host, port=self.port) - - # Send negotiation message - headers[req_header] = ( - 'NTLM %s' % ntlm.create_NTLM_NEGOTIATE_MESSAGE(self.rawuser)) - log.debug('Request headers: %s', headers) - conn.request('GET', self.authurl, None, headers) - res = conn.getresponse() - reshdr = dict(res.getheaders()) - log.debug('Response status: %s %s', res.status, res.reason) - log.debug('Response headers: %s', reshdr) - log.debug('Response data: %s [...]', res.read(100)) - - # Remove the reference to the socket, so that it can not be closed by - # the response object (we want to keep the socket open) - res.fp = None - - # Server should respond with a challenge message - auth_header_values = reshdr[resp_header].split(', ') - auth_header_value = None - for s in auth_header_values: - if s[:5] == 'NTLM ': - auth_header_value = s[5:] - if auth_header_value is None: - raise Exception('Unexpected %s response header: %s' % - (resp_header, reshdr[resp_header])) - - # Send authentication message - ServerChallenge, NegotiateFlags = \ - ntlm.parse_NTLM_CHALLENGE_MESSAGE(auth_header_value) - auth_msg = ntlm.create_NTLM_AUTHENTICATE_MESSAGE(ServerChallenge, - self.user, - self.domain, - self.pw, - NegotiateFlags) - headers[req_header] = 'NTLM %s' % auth_msg - log.debug('Request headers: %s', headers) - conn.request('GET', self.authurl, None, headers) - res = conn.getresponse() - log.debug('Response status: %s %s', res.status, res.reason) - log.debug('Response headers: %s', dict(res.getheaders())) - log.debug('Response data: %s [...]', res.read()[:100]) - if res.status != 200: - if res.status == 401: - raise Exception('Server rejected request: wrong ' - 'username or password') - raise Exception('Wrong server response: %s %s' % - (res.status, res.reason)) - - res.fp = None - log.debug('Connection established') - return conn - - def urlopen(self, method, url, body=None, headers=None, retries=3, - redirect=True, assert_same_host=True): - if headers is None: - headers = {} - headers['Connection'] = 'Keep-Alive' - return super(NTLMConnectionPool, self).urlopen(method, url, body, - headers, retries, - redirect, - assert_same_host) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/exceptions.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/exceptions.py deleted file mode 100644 index 7bbaa98..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/exceptions.py +++ /dev/null @@ -1,246 +0,0 @@ -from __future__ import absolute_import -from .packages.six.moves.http_client import ( - IncompleteRead as httplib_IncompleteRead -) -# Base Exceptions - - -class HTTPError(Exception): - "Base exception used by this module." - pass - - -class HTTPWarning(Warning): - "Base warning used by this module." - pass - - -class PoolError(HTTPError): - "Base exception for errors caused within a pool." - def __init__(self, pool, message): - self.pool = pool - HTTPError.__init__(self, "%s: %s" % (pool, message)) - - def __reduce__(self): - # For pickling purposes. - return self.__class__, (None, None) - - -class RequestError(PoolError): - "Base exception for PoolErrors that have associated URLs." - def __init__(self, pool, url, message): - self.url = url - PoolError.__init__(self, pool, message) - - def __reduce__(self): - # For pickling purposes. - return self.__class__, (None, self.url, None) - - -class SSLError(HTTPError): - "Raised when SSL certificate fails in an HTTPS connection." - pass - - -class ProxyError(HTTPError): - "Raised when the connection to a proxy fails." - pass - - -class DecodeError(HTTPError): - "Raised when automatic decoding based on Content-Type fails." - pass - - -class ProtocolError(HTTPError): - "Raised when something unexpected happens mid-request/response." - pass - - -#: Renamed to ProtocolError but aliased for backwards compatibility. -ConnectionError = ProtocolError - - -# Leaf Exceptions - -class MaxRetryError(RequestError): - """Raised when the maximum number of retries is exceeded. - - :param pool: The connection pool - :type pool: :class:`~urllib3.connectionpool.HTTPConnectionPool` - :param string url: The requested Url - :param exceptions.Exception reason: The underlying error - - """ - - def __init__(self, pool, url, reason=None): - self.reason = reason - - message = "Max retries exceeded with url: %s (Caused by %r)" % ( - url, reason) - - RequestError.__init__(self, pool, url, message) - - -class HostChangedError(RequestError): - "Raised when an existing pool gets a request for a foreign host." - - def __init__(self, pool, url, retries=3): - message = "Tried to open a foreign host with url: %s" % url - RequestError.__init__(self, pool, url, message) - self.retries = retries - - -class TimeoutStateError(HTTPError): - """ Raised when passing an invalid state to a timeout """ - pass - - -class TimeoutError(HTTPError): - """ Raised when a socket timeout error occurs. - - Catching this error will catch both :exc:`ReadTimeoutErrors - <ReadTimeoutError>` and :exc:`ConnectTimeoutErrors <ConnectTimeoutError>`. - """ - pass - - -class ReadTimeoutError(TimeoutError, RequestError): - "Raised when a socket timeout occurs while receiving data from a server" - pass - - -# This timeout error does not have a URL attached and needs to inherit from the -# base HTTPError -class ConnectTimeoutError(TimeoutError): - "Raised when a socket timeout occurs while connecting to a server" - pass - - -class NewConnectionError(ConnectTimeoutError, PoolError): - "Raised when we fail to establish a new connection. Usually ECONNREFUSED." - pass - - -class EmptyPoolError(PoolError): - "Raised when a pool runs out of connections and no more are allowed." - pass - - -class ClosedPoolError(PoolError): - "Raised when a request enters a pool after the pool has been closed." - pass - - -class LocationValueError(ValueError, HTTPError): - "Raised when there is something wrong with a given URL input." - pass - - -class LocationParseError(LocationValueError): - "Raised when get_host or similar fails to parse the URL input." - - def __init__(self, location): - message = "Failed to parse: %s" % location - HTTPError.__init__(self, message) - - self.location = location - - -class ResponseError(HTTPError): - "Used as a container for an error reason supplied in a MaxRetryError." - GENERIC_ERROR = 'too many error responses' - SPECIFIC_ERROR = 'too many {status_code} error responses' - - -class SecurityWarning(HTTPWarning): - "Warned when performing security reducing actions" - pass - - -class SubjectAltNameWarning(SecurityWarning): - "Warned when connecting to a host with a certificate missing a SAN." - pass - - -class InsecureRequestWarning(SecurityWarning): - "Warned when making an unverified HTTPS request." - pass - - -class SystemTimeWarning(SecurityWarning): - "Warned when system time is suspected to be wrong" - pass - - -class InsecurePlatformWarning(SecurityWarning): - "Warned when certain SSL configuration is not available on a platform." - pass - - -class SNIMissingWarning(HTTPWarning): - "Warned when making a HTTPS request without SNI available." - pass - - -class DependencyWarning(HTTPWarning): - """ - Warned when an attempt is made to import a module with missing optional - dependencies. - """ - pass - - -class ResponseNotChunked(ProtocolError, ValueError): - "Response needs to be chunked in order to read it as chunks." - pass - - -class BodyNotHttplibCompatible(HTTPError): - """ - Body should be httplib.HTTPResponse like (have an fp attribute which - returns raw chunks) for read_chunked(). - """ - pass - - -class IncompleteRead(HTTPError, httplib_IncompleteRead): - """ - Response length doesn't match expected Content-Length - - Subclass of http_client.IncompleteRead to allow int value - for `partial` to avoid creating large objects on streamed - reads. - """ - def __init__(self, partial, expected): - super(IncompleteRead, self).__init__(partial, expected) - - def __repr__(self): - return ('IncompleteRead(%i bytes read, ' - '%i more expected)' % (self.partial, self.expected)) - - -class InvalidHeader(HTTPError): - "The header provided was somehow invalid." - pass - - -class ProxySchemeUnknown(AssertionError, ValueError): - "ProxyManager does not support the supplied scheme" - # TODO(t-8ch): Stop inheriting from AssertionError in v2.0. - - def __init__(self, scheme): - message = "Not supported proxy scheme %s" % scheme - super(ProxySchemeUnknown, self).__init__(message) - - -class HeaderParsingError(HTTPError): - "Raised by assert_header_parsing, but we convert it to a log.warning statement." - def __init__(self, defects, unparsed_data): - message = '%s, unparsed data: %r' % (defects or 'Unknown', unparsed_data) - super(HeaderParsingError, self).__init__(message) - - -class UnrewindableBodyError(HTTPError): - "urllib3 encountered an error when trying to rewind a body" - pass diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/fields.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/fields.py deleted file mode 100644 index 37fe64a..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/fields.py +++ /dev/null @@ -1,178 +0,0 @@ -from __future__ import absolute_import -import email.utils -import mimetypes - -from .packages import six - - -def guess_content_type(filename, default='application/octet-stream'): - """ - Guess the "Content-Type" of a file. - - :param filename: - The filename to guess the "Content-Type" of using :mod:`mimetypes`. - :param default: - If no "Content-Type" can be guessed, default to `default`. - """ - if filename: - return mimetypes.guess_type(filename)[0] or default - return default - - -def format_header_param(name, value): - """ - Helper function to format and quote a single header parameter. - - Particularly useful for header parameters which might contain - non-ASCII values, like file names. This follows RFC 2231, as - suggested by RFC 2388 Section 4.4. - - :param name: - The name of the parameter, a string expected to be ASCII only. - :param value: - The value of the parameter, provided as a unicode string. - """ - if not any(ch in value for ch in '"\\\r\n'): - result = '%s="%s"' % (name, value) - try: - result.encode('ascii') - except (UnicodeEncodeError, UnicodeDecodeError): - pass - else: - return result - if not six.PY3 and isinstance(value, six.text_type): # Python 2: - value = value.encode('utf-8') - value = email.utils.encode_rfc2231(value, 'utf-8') - value = '%s*=%s' % (name, value) - return value - - -class RequestField(object): - """ - A data container for request body parameters. - - :param name: - The name of this request field. - :param data: - The data/value body. - :param filename: - An optional filename of the request field. - :param headers: - An optional dict-like object of headers to initially use for the field. - """ - def __init__(self, name, data, filename=None, headers=None): - self._name = name - self._filename = filename - self.data = data - self.headers = {} - if headers: - self.headers = dict(headers) - - @classmethod - def from_tuples(cls, fieldname, value): - """ - A :class:`~urllib3.fields.RequestField` factory from old-style tuple parameters. - - Supports constructing :class:`~urllib3.fields.RequestField` from - parameter of key/value strings AND key/filetuple. A filetuple is a - (filename, data, MIME type) tuple where the MIME type is optional. - For example:: - - 'foo': 'bar', - 'fakefile': ('foofile.txt', 'contents of foofile'), - 'realfile': ('barfile.txt', open('realfile').read()), - 'typedfile': ('bazfile.bin', open('bazfile').read(), 'image/jpeg'), - 'nonamefile': 'contents of nonamefile field', - - Field names and filenames must be unicode. - """ - if isinstance(value, tuple): - if len(value) == 3: - filename, data, content_type = value - else: - filename, data = value - content_type = guess_content_type(filename) - else: - filename = None - content_type = None - data = value - - request_param = cls(fieldname, data, filename=filename) - request_param.make_multipart(content_type=content_type) - - return request_param - - def _render_part(self, name, value): - """ - Overridable helper function to format a single header parameter. - - :param name: - The name of the parameter, a string expected to be ASCII only. - :param value: - The value of the parameter, provided as a unicode string. - """ - return format_header_param(name, value) - - def _render_parts(self, header_parts): - """ - Helper function to format and quote a single header. - - Useful for single headers that are composed of multiple items. E.g., - 'Content-Disposition' fields. - - :param header_parts: - A sequence of (k, v) tuples or a :class:`dict` of (k, v) to format - as `k1="v1"; k2="v2"; ...`. - """ - parts = [] - iterable = header_parts - if isinstance(header_parts, dict): - iterable = header_parts.items() - - for name, value in iterable: - if value is not None: - parts.append(self._render_part(name, value)) - - return '; '.join(parts) - - def render_headers(self): - """ - Renders the headers for this request field. - """ - lines = [] - - sort_keys = ['Content-Disposition', 'Content-Type', 'Content-Location'] - for sort_key in sort_keys: - if self.headers.get(sort_key, False): - lines.append('%s: %s' % (sort_key, self.headers[sort_key])) - - for header_name, header_value in self.headers.items(): - if header_name not in sort_keys: - if header_value: - lines.append('%s: %s' % (header_name, header_value)) - - lines.append('\r\n') - return '\r\n'.join(lines) - - def make_multipart(self, content_disposition=None, content_type=None, - content_location=None): - """ - Makes this request field into a multipart request field. - - This method overrides "Content-Disposition", "Content-Type" and - "Content-Location" headers to the request parameter. - - :param content_type: - The 'Content-Type' of the request body. - :param content_location: - The 'Content-Location' of the request body. - - """ - self.headers['Content-Disposition'] = content_disposition or 'form-data' - self.headers['Content-Disposition'] += '; '.join([ - '', self._render_parts( - (('name', self._name), ('filename', self._filename)) - ) - ]) - self.headers['Content-Type'] = content_type - self.headers['Content-Location'] = content_location diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py deleted file mode 100644 index d6594eb..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py +++ /dev/null @@ -1,19 +0,0 @@ -import sys - -try: - # Our match_hostname function is the same as 3.5's, so we only want to - # import the match_hostname function if it's at least that good. - if sys.version_info < (3, 5): - raise ImportError("Fallback to vendored code") - - from ssl import CertificateError, match_hostname -except ImportError: - try: - # Backport of the function from a pypi module - from backports.ssl_match_hostname import CertificateError, match_hostname - except ImportError: - # Our vendored copy - from ._implementation import CertificateError, match_hostname - -# Not needed, but documenting what we provide. -__all__ = ('CertificateError', 'match_hostname') diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/__init__.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/__init__.py deleted file mode 100644 index 2f2770b..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/__init__.py +++ /dev/null @@ -1,54 +0,0 @@ -from __future__ import absolute_import -# For backwards compatibility, provide imports that used to be here. -from .connection import is_connection_dropped -from .request import make_headers -from .response import is_fp_closed -from .ssl_ import ( - SSLContext, - HAS_SNI, - IS_PYOPENSSL, - IS_SECURETRANSPORT, - assert_fingerprint, - resolve_cert_reqs, - resolve_ssl_version, - ssl_wrap_socket, -) -from .timeout import ( - current_time, - Timeout, -) - -from .retry import Retry -from .url import ( - get_host, - parse_url, - split_first, - Url, -) -from .wait import ( - wait_for_read, - wait_for_write -) - -__all__ = ( - 'HAS_SNI', - 'IS_PYOPENSSL', - 'IS_SECURETRANSPORT', - 'SSLContext', - 'Retry', - 'Timeout', - 'Url', - 'assert_fingerprint', - 'current_time', - 'is_connection_dropped', - 'is_fp_closed', - 'get_host', - 'parse_url', - 'make_headers', - 'resolve_cert_reqs', - 'resolve_ssl_version', - 'split_first', - 'ssl_wrap_socket', - 'wait_for_read', - 'wait_for_write' -) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/ssl_.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/ssl_.py deleted file mode 100644 index dfc553f..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/ssl_.py +++ /dev/null @@ -1,381 +0,0 @@ -from __future__ import absolute_import -import errno -import warnings -import hmac -import socket - -from binascii import hexlify, unhexlify -from hashlib import md5, sha1, sha256 - -from ..exceptions import SSLError, InsecurePlatformWarning, SNIMissingWarning -from ..packages import six - - -SSLContext = None -HAS_SNI = False -IS_PYOPENSSL = False -IS_SECURETRANSPORT = False - -# Maps the length of a digest to a possible hash function producing this digest -HASHFUNC_MAP = { - 32: md5, - 40: sha1, - 64: sha256, -} - - -def _const_compare_digest_backport(a, b): - """ - Compare two digests of equal length in constant time. - - The digests must be of type str/bytes. - Returns True if the digests match, and False otherwise. - """ - result = abs(len(a) - len(b)) - for l, r in zip(bytearray(a), bytearray(b)): - result |= l ^ r - return result == 0 - - -_const_compare_digest = getattr(hmac, 'compare_digest', - _const_compare_digest_backport) - - -try: # Test for SSL features - import ssl - from ssl import wrap_socket, CERT_NONE, PROTOCOL_SSLv23 - from ssl import HAS_SNI # Has SNI? -except ImportError: - pass - - -try: - from ssl import OP_NO_SSLv2, OP_NO_SSLv3, OP_NO_COMPRESSION -except ImportError: - OP_NO_SSLv2, OP_NO_SSLv3 = 0x1000000, 0x2000000 - OP_NO_COMPRESSION = 0x20000 - - -# Python 2.7 doesn't have inet_pton on non-Linux so we fallback on inet_aton in -# those cases. This means that we can only detect IPv4 addresses in this case. -if hasattr(socket, 'inet_pton'): - inet_pton = socket.inet_pton -else: - # Maybe we can use ipaddress if the user has urllib3[secure]? - try: - from pip._vendor import ipaddress - - def inet_pton(_, host): - if isinstance(host, bytes): - host = host.decode('ascii') - return ipaddress.ip_address(host) - - except ImportError: # Platform-specific: Non-Linux - def inet_pton(_, host): - return socket.inet_aton(host) - - -# A secure default. -# Sources for more information on TLS ciphers: -# -# - https://wiki.mozilla.org/Security/Server_Side_TLS -# - https://www.ssllabs.com/projects/best-practices/index.html -# - https://hynek.me/articles/hardening-your-web-servers-ssl-ciphers/ -# -# The general intent is: -# - Prefer TLS 1.3 cipher suites -# - prefer cipher suites that offer perfect forward secrecy (DHE/ECDHE), -# - prefer ECDHE over DHE for better performance, -# - prefer any AES-GCM and ChaCha20 over any AES-CBC for better performance and -# security, -# - prefer AES-GCM over ChaCha20 because hardware-accelerated AES is common, -# - disable NULL authentication, MD5 MACs and DSS for security reasons. -DEFAULT_CIPHERS = ':'.join([ - 'TLS13-AES-256-GCM-SHA384', - 'TLS13-CHACHA20-POLY1305-SHA256', - 'TLS13-AES-128-GCM-SHA256', - 'ECDH+AESGCM', - 'ECDH+CHACHA20', - 'DH+AESGCM', - 'DH+CHACHA20', - 'ECDH+AES256', - 'DH+AES256', - 'ECDH+AES128', - 'DH+AES', - 'RSA+AESGCM', - 'RSA+AES', - '!aNULL', - '!eNULL', - '!MD5', -]) - -try: - from ssl import SSLContext # Modern SSL? -except ImportError: - import sys - - class SSLContext(object): # Platform-specific: Python 2 - def __init__(self, protocol_version): - self.protocol = protocol_version - # Use default values from a real SSLContext - self.check_hostname = False - self.verify_mode = ssl.CERT_NONE - self.ca_certs = None - self.options = 0 - self.certfile = None - self.keyfile = None - self.ciphers = None - - def load_cert_chain(self, certfile, keyfile): - self.certfile = certfile - self.keyfile = keyfile - - def load_verify_locations(self, cafile=None, capath=None): - self.ca_certs = cafile - - if capath is not None: - raise SSLError("CA directories not supported in older Pythons") - - def set_ciphers(self, cipher_suite): - self.ciphers = cipher_suite - - def wrap_socket(self, socket, server_hostname=None, server_side=False): - warnings.warn( - 'A true SSLContext object is not available. This prevents ' - 'urllib3 from configuring SSL appropriately and may cause ' - 'certain SSL connections to fail. You can upgrade to a newer ' - 'version of Python to solve this. For more information, see ' - 'https://urllib3.readthedocs.io/en/latest/advanced-usage.html' - '#ssl-warnings', - InsecurePlatformWarning - ) - kwargs = { - 'keyfile': self.keyfile, - 'certfile': self.certfile, - 'ca_certs': self.ca_certs, - 'cert_reqs': self.verify_mode, - 'ssl_version': self.protocol, - 'server_side': server_side, - } - return wrap_socket(socket, ciphers=self.ciphers, **kwargs) - - -def assert_fingerprint(cert, fingerprint): - """ - Checks if given fingerprint matches the supplied certificate. - - :param cert: - Certificate as bytes object. - :param fingerprint: - Fingerprint as string of hexdigits, can be interspersed by colons. - """ - - fingerprint = fingerprint.replace(':', '').lower() - digest_length = len(fingerprint) - hashfunc = HASHFUNC_MAP.get(digest_length) - if not hashfunc: - raise SSLError( - 'Fingerprint of invalid length: {0}'.format(fingerprint)) - - # We need encode() here for py32; works on py2 and p33. - fingerprint_bytes = unhexlify(fingerprint.encode()) - - cert_digest = hashfunc(cert).digest() - - if not _const_compare_digest(cert_digest, fingerprint_bytes): - raise SSLError('Fingerprints did not match. Expected "{0}", got "{1}".' - .format(fingerprint, hexlify(cert_digest))) - - -def resolve_cert_reqs(candidate): - """ - Resolves the argument to a numeric constant, which can be passed to - the wrap_socket function/method from the ssl module. - Defaults to :data:`ssl.CERT_NONE`. - If given a string it is assumed to be the name of the constant in the - :mod:`ssl` module or its abbreviation. - (So you can specify `REQUIRED` instead of `CERT_REQUIRED`. - If it's neither `None` nor a string we assume it is already the numeric - constant which can directly be passed to wrap_socket. - """ - if candidate is None: - return CERT_NONE - - if isinstance(candidate, str): - res = getattr(ssl, candidate, None) - if res is None: - res = getattr(ssl, 'CERT_' + candidate) - return res - - return candidate - - -def resolve_ssl_version(candidate): - """ - like resolve_cert_reqs - """ - if candidate is None: - return PROTOCOL_SSLv23 - - if isinstance(candidate, str): - res = getattr(ssl, candidate, None) - if res is None: - res = getattr(ssl, 'PROTOCOL_' + candidate) - return res - - return candidate - - -def create_urllib3_context(ssl_version=None, cert_reqs=None, - options=None, ciphers=None): - """All arguments have the same meaning as ``ssl_wrap_socket``. - - By default, this function does a lot of the same work that - ``ssl.create_default_context`` does on Python 3.4+. It: - - - Disables SSLv2, SSLv3, and compression - - Sets a restricted set of server ciphers - - If you wish to enable SSLv3, you can do:: - - from pip._vendor.urllib3.util import ssl_ - context = ssl_.create_urllib3_context() - context.options &= ~ssl_.OP_NO_SSLv3 - - You can do the same to enable compression (substituting ``COMPRESSION`` - for ``SSLv3`` in the last line above). - - :param ssl_version: - The desired protocol version to use. This will default to - PROTOCOL_SSLv23 which will negotiate the highest protocol that both - the server and your installation of OpenSSL support. - :param cert_reqs: - Whether to require the certificate verification. This defaults to - ``ssl.CERT_REQUIRED``. - :param options: - Specific OpenSSL options. These default to ``ssl.OP_NO_SSLv2``, - ``ssl.OP_NO_SSLv3``, ``ssl.OP_NO_COMPRESSION``. - :param ciphers: - Which cipher suites to allow the server to select. - :returns: - Constructed SSLContext object with specified options - :rtype: SSLContext - """ - context = SSLContext(ssl_version or ssl.PROTOCOL_SSLv23) - - context.set_ciphers(ciphers or DEFAULT_CIPHERS) - - # Setting the default here, as we may have no ssl module on import - cert_reqs = ssl.CERT_REQUIRED if cert_reqs is None else cert_reqs - - if options is None: - options = 0 - # SSLv2 is easily broken and is considered harmful and dangerous - options |= OP_NO_SSLv2 - # SSLv3 has several problems and is now dangerous - options |= OP_NO_SSLv3 - # Disable compression to prevent CRIME attacks for OpenSSL 1.0+ - # (issue #309) - options |= OP_NO_COMPRESSION - - context.options |= options - - context.verify_mode = cert_reqs - if getattr(context, 'check_hostname', None) is not None: # Platform-specific: Python 3.2 - # We do our own verification, including fingerprints and alternative - # hostnames. So disable it here - context.check_hostname = False - return context - - -def ssl_wrap_socket(sock, keyfile=None, certfile=None, cert_reqs=None, - ca_certs=None, server_hostname=None, - ssl_version=None, ciphers=None, ssl_context=None, - ca_cert_dir=None): - """ - All arguments except for server_hostname, ssl_context, and ca_cert_dir have - the same meaning as they do when using :func:`ssl.wrap_socket`. - - :param server_hostname: - When SNI is supported, the expected hostname of the certificate - :param ssl_context: - A pre-made :class:`SSLContext` object. If none is provided, one will - be created using :func:`create_urllib3_context`. - :param ciphers: - A string of ciphers we wish the client to support. - :param ca_cert_dir: - A directory containing CA certificates in multiple separate files, as - supported by OpenSSL's -CApath flag or the capath argument to - SSLContext.load_verify_locations(). - """ - context = ssl_context - if context is None: - # Note: This branch of code and all the variables in it are no longer - # used by urllib3 itself. We should consider deprecating and removing - # this code. - context = create_urllib3_context(ssl_version, cert_reqs, - ciphers=ciphers) - - if ca_certs or ca_cert_dir: - try: - context.load_verify_locations(ca_certs, ca_cert_dir) - except IOError as e: # Platform-specific: Python 2.7 - raise SSLError(e) - # Py33 raises FileNotFoundError which subclasses OSError - # These are not equivalent unless we check the errno attribute - except OSError as e: # Platform-specific: Python 3.3 and beyond - if e.errno == errno.ENOENT: - raise SSLError(e) - raise - elif getattr(context, 'load_default_certs', None) is not None: - # try to load OS default certs; works well on Windows (require Python3.4+) - context.load_default_certs() - - if certfile: - context.load_cert_chain(certfile, keyfile) - - # If we detect server_hostname is an IP address then the SNI - # extension should not be used according to RFC3546 Section 3.1 - # We shouldn't warn the user if SNI isn't available but we would - # not be using SNI anyways due to IP address for server_hostname. - if ((server_hostname is not None and not is_ipaddress(server_hostname)) - or IS_SECURETRANSPORT): - if HAS_SNI and server_hostname is not None: - return context.wrap_socket(sock, server_hostname=server_hostname) - - warnings.warn( - 'An HTTPS request has been made, but the SNI (Server Name ' - 'Indication) extension to TLS is not available on this platform. ' - 'This may cause the server to present an incorrect TLS ' - 'certificate, which can cause validation failures. You can upgrade to ' - 'a newer version of Python to solve this. For more information, see ' - 'https://urllib3.readthedocs.io/en/latest/advanced-usage.html' - '#ssl-warnings', - SNIMissingWarning - ) - - return context.wrap_socket(sock) - - -def is_ipaddress(hostname): - """Detects whether the hostname given is an IP address. - - :param str hostname: Hostname to examine. - :return: True if the hostname is an IP address, False otherwise. - """ - if six.PY3 and isinstance(hostname, bytes): - # IDN A-label bytes are ASCII compatible. - hostname = hostname.decode('ascii') - - families = [socket.AF_INET] - if hasattr(socket, 'AF_INET6'): - families.append(socket.AF_INET6) - - for af in families: - try: - inet_pton(af, hostname) - except (socket.error, ValueError, OSError): - pass - else: - return True - return False diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/url.py b/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/url.py deleted file mode 100644 index 6b6f996..0000000 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/url.py +++ /dev/null @@ -1,230 +0,0 @@ -from __future__ import absolute_import -from collections import namedtuple - -from ..exceptions import LocationParseError - - -url_attrs = ['scheme', 'auth', 'host', 'port', 'path', 'query', 'fragment'] - -# We only want to normalize urls with an HTTP(S) scheme. -# urllib3 infers URLs without a scheme (None) to be http. -NORMALIZABLE_SCHEMES = ('http', 'https', None) - - -class Url(namedtuple('Url', url_attrs)): - """ - Datastructure for representing an HTTP URL. Used as a return value for - :func:`parse_url`. Both the scheme and host are normalized as they are - both case-insensitive according to RFC 3986. - """ - __slots__ = () - - def __new__(cls, scheme=None, auth=None, host=None, port=None, path=None, - query=None, fragment=None): - if path and not path.startswith('/'): - path = '/' + path - if scheme: - scheme = scheme.lower() - if host and scheme in NORMALIZABLE_SCHEMES: - host = host.lower() - return super(Url, cls).__new__(cls, scheme, auth, host, port, path, - query, fragment) - - @property - def hostname(self): - """For backwards-compatibility with urlparse. We're nice like that.""" - return self.host - - @property - def request_uri(self): - """Absolute path including the query string.""" - uri = self.path or '/' - - if self.query is not None: - uri += '?' + self.query - - return uri - - @property - def netloc(self): - """Network location including host and port""" - if self.port: - return '%s:%d' % (self.host, self.port) - return self.host - - @property - def url(self): - """ - Convert self into a url - - This function should more or less round-trip with :func:`.parse_url`. The - returned url may not be exactly the same as the url inputted to - :func:`.parse_url`, but it should be equivalent by the RFC (e.g., urls - with a blank port will have : removed). - - Example: :: - - >>> U = parse_url('http://google.com/mail/') - >>> U.url - 'http://google.com/mail/' - >>> Url('http', 'username:password', 'host.com', 80, - ... '/path', 'query', 'fragment').url - 'http://username:password@host.com:80/path?query#fragment' - """ - scheme, auth, host, port, path, query, fragment = self - url = '' - - # We use "is not None" we want things to happen with empty strings (or 0 port) - if scheme is not None: - url += scheme + '://' - if auth is not None: - url += auth + '@' - if host is not None: - url += host - if port is not None: - url += ':' + str(port) - if path is not None: - url += path - if query is not None: - url += '?' + query - if fragment is not None: - url += '#' + fragment - - return url - - def __str__(self): - return self.url - - -def split_first(s, delims): - """ - Given a string and an iterable of delimiters, split on the first found - delimiter. Return two split parts and the matched delimiter. - - If not found, then the first part is the full input string. - - Example:: - - >>> split_first('foo/bar?baz', '?/=') - ('foo', 'bar?baz', '/') - >>> split_first('foo/bar?baz', '123') - ('foo/bar?baz', '', None) - - Scales linearly with number of delims. Not ideal for large number of delims. - """ - min_idx = None - min_delim = None - for d in delims: - idx = s.find(d) - if idx < 0: - continue - - if min_idx is None or idx < min_idx: - min_idx = idx - min_delim = d - - if min_idx is None or min_idx < 0: - return s, '', None - - return s[:min_idx], s[min_idx + 1:], min_delim - - -def parse_url(url): - """ - Given a url, return a parsed :class:`.Url` namedtuple. Best-effort is - performed to parse incomplete urls. Fields not provided will be None. - - Partly backwards-compatible with :mod:`urlparse`. - - Example:: - - >>> parse_url('http://google.com/mail/') - Url(scheme='http', host='google.com', port=None, path='/mail/', ...) - >>> parse_url('google.com:80') - Url(scheme=None, host='google.com', port=80, path=None, ...) - >>> parse_url('/foo?bar') - Url(scheme=None, host=None, port=None, path='/foo', query='bar', ...) - """ - - # While this code has overlap with stdlib's urlparse, it is much - # simplified for our needs and less annoying. - # Additionally, this implementations does silly things to be optimal - # on CPython. - - if not url: - # Empty - return Url() - - scheme = None - auth = None - host = None - port = None - path = None - fragment = None - query = None - - # Scheme - if '://' in url: - scheme, url = url.split('://', 1) - - # Find the earliest Authority Terminator - # (http://tools.ietf.org/html/rfc3986#section-3.2) - url, path_, delim = split_first(url, ['/', '?', '#']) - - if delim: - # Reassemble the path - path = delim + path_ - - # Auth - if '@' in url: - # Last '@' denotes end of auth part - auth, url = url.rsplit('@', 1) - - # IPv6 - if url and url[0] == '[': - host, url = url.split(']', 1) - host += ']' - - # Port - if ':' in url: - _host, port = url.split(':', 1) - - if not host: - host = _host - - if port: - # If given, ports must be integers. No whitespace, no plus or - # minus prefixes, no non-integer digits such as ^2 (superscript). - if not port.isdigit(): - raise LocationParseError(url) - try: - port = int(port) - except ValueError: - raise LocationParseError(url) - else: - # Blank ports are cool, too. (rfc3986#section-3.2.3) - port = None - - elif not host and url: - host = url - - if not path: - return Url(scheme, auth, host, port, path, query, fragment) - - # Fragment - if '#' in path: - path, fragment = path.split('#', 1) - - # Query - if '?' in path: - path, query = path.split('?', 1) - - return Url(scheme, auth, host, port, path, query, fragment) - - -def get_host(url): - """ - Deprecated. Use :func:`parse_url` instead. - """ - p = parse_url(url) - return p.scheme or 'http', p.hostname, p.port diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/top_level.txt b/venv/Lib/site-packages/pip-21.3.dist-info/INSTALLER similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/EGG-INFO/top_level.txt rename to venv/Lib/site-packages/pip-21.3.dist-info/INSTALLER diff --git a/venv/Lib/site-packages/pip-21.3.dist-info/LICENSE.txt b/venv/Lib/site-packages/pip-21.3.dist-info/LICENSE.txt new file mode 100644 index 0000000..00addc2 --- /dev/null +++ b/venv/Lib/site-packages/pip-21.3.dist-info/LICENSE.txt @@ -0,0 +1,20 @@ +Copyright (c) 2008-2021 The pip developers (see AUTHORS.txt file) + +Permission is hereby granted, free of charge, to any person obtaining +a copy of this software and associated documentation files (the +"Software"), to deal in the Software without restriction, including +without limitation the rights to use, copy, modify, merge, publish, +distribute, sublicense, and/or sell copies of the Software, and to +permit persons to whom the Software is furnished to do so, subject to +the following conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND +NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE +LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION +OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION +WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. diff --git a/venv/Lib/site-packages/pip-21.3.dist-info/METADATA b/venv/Lib/site-packages/pip-21.3.dist-info/METADATA new file mode 100644 index 0000000..1802079 --- /dev/null +++ b/venv/Lib/site-packages/pip-21.3.dist-info/METADATA @@ -0,0 +1,93 @@ +Metadata-Version: 2.1 +Name: pip +Version: 21.3 +Summary: The PyPA recommended tool for installing Python packages. +Home-page: https://pip.pypa.io/ +Author: The pip developers +Author-email: distutils-sig@python.org +License: MIT +Project-URL: Documentation, https://pip.pypa.io +Project-URL: Source, https://github.com/pypa/pip +Project-URL: Changelog, https://pip.pypa.io/en/stable/news/ +Platform: UNKNOWN +Classifier: Development Status :: 5 - Production/Stable +Classifier: Intended Audience :: Developers +Classifier: License :: OSI Approved :: MIT License +Classifier: Topic :: Software Development :: Build Tools +Classifier: Programming Language :: Python +Classifier: Programming Language :: Python :: 3 +Classifier: Programming Language :: Python :: 3 :: Only +Classifier: Programming Language :: Python :: 3.6 +Classifier: Programming Language :: Python :: 3.7 +Classifier: Programming Language :: Python :: 3.8 +Classifier: Programming Language :: Python :: 3.9 +Classifier: Programming Language :: Python :: 3.10 +Classifier: Programming Language :: Python :: Implementation :: CPython +Classifier: Programming Language :: Python :: Implementation :: PyPy +Requires-Python: >=3.6 +License-File: LICENSE.txt + +pip - The Python Package Installer +================================== + +.. image:: https://img.shields.io/pypi/v/pip.svg + :target: https://pypi.org/project/pip/ + +.. image:: https://readthedocs.org/projects/pip/badge/?version=latest + :target: https://pip.pypa.io/en/latest + +pip is the `package installer`_ for Python. You can use pip to install packages from the `Python Package Index`_ and other indexes. + +Please take a look at our documentation for how to install and use pip: + +* `Installation`_ +* `Usage`_ + +We release updates regularly, with a new version every 3 months. Find more details in our documentation: + +* `Release notes`_ +* `Release process`_ + +In pip 20.3, we've `made a big improvement to the heart of pip`_; `learn more`_. We want your input, so `sign up for our user experience research studies`_ to help us do it right. + +**Note**: pip 21.0, in January 2021, removed Python 2 support, per pip's `Python 2 support policy`_. Please migrate to Python 3. + +If you find bugs, need help, or want to talk to the developers, please use our mailing lists or chat rooms: + +* `Issue tracking`_ +* `Discourse channel`_ +* `User IRC`_ + +If you want to get involved head over to GitHub to get the source code, look at our development documentation and feel free to jump on the developer mailing lists and chat rooms: + +* `GitHub page`_ +* `Development documentation`_ +* `Development mailing list`_ +* `Development IRC`_ + +Code of Conduct +--------------- + +Everyone interacting in the pip project's codebases, issue trackers, chat +rooms, and mailing lists is expected to follow the `PSF Code of Conduct`_. + +.. _package installer: https://packaging.python.org/guides/tool-recommendations/ +.. _Python Package Index: https://pypi.org +.. _Installation: https://pip.pypa.io/en/stable/installation/ +.. _Usage: https://pip.pypa.io/en/stable/ +.. _Release notes: https://pip.pypa.io/en/stable/news.html +.. _Release process: https://pip.pypa.io/en/latest/development/release-process/ +.. _GitHub page: https://github.com/pypa/pip +.. _Development documentation: https://pip.pypa.io/en/latest/development +.. _made a big improvement to the heart of pip: https://pyfound.blogspot.com/2020/11/pip-20-3-new-resolver.html +.. _learn more: https://pip.pypa.io/en/latest/user_guide/#changes-to-the-pip-dependency-resolver-in-20-3-2020 +.. _sign up for our user experience research studies: https://pyfound.blogspot.com/2020/03/new-pip-resolver-to-roll-out-this-year.html +.. _Python 2 support policy: https://pip.pypa.io/en/latest/development/release-process/#python-2-support +.. _Issue tracking: https://github.com/pypa/pip/issues +.. _Discourse channel: https://discuss.python.org/c/packaging +.. _Development mailing list: https://mail.python.org/mailman3/lists/distutils-sig.python.org/ +.. _User IRC: https://kiwiirc.com/nextclient/#ircs://irc.libera.chat:+6697/pypa +.. _Development IRC: https://kiwiirc.com/nextclient/#ircs://irc.libera.chat:+6697/pypa-dev +.. _PSF Code of Conduct: https://github.com/pypa/.github/blob/main/CODE_OF_CONDUCT.md + + diff --git a/venv/Lib/site-packages/pip-21.3.dist-info/RECORD b/venv/Lib/site-packages/pip-21.3.dist-info/RECORD new file mode 100644 index 0000000..8624aba --- /dev/null +++ b/venv/Lib/site-packages/pip-21.3.dist-info/RECORD @@ -0,0 +1,818 @@ +../../Scripts/pip.exe,sha256=-q5VMM4GcLnPPszrn9tEbr738gtt1V5WRpXQrIV4Iqs,106386 +../../Scripts/pip3.8.exe,sha256=-q5VMM4GcLnPPszrn9tEbr738gtt1V5WRpXQrIV4Iqs,106386 +../../Scripts/pip3.exe,sha256=-q5VMM4GcLnPPszrn9tEbr738gtt1V5WRpXQrIV4Iqs,106386 +pip-21.3.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4 +pip-21.3.dist-info/LICENSE.txt,sha256=I6c2HCsVgQKLxiO52ivSSZeryqR4Gs5q1ESjeUT42uE,1090 +pip-21.3.dist-info/METADATA,sha256=m5Lp724JLRLvdljZdfMxd7TSVRtOvLwA1t0ovWqM7Bw,4214 +pip-21.3.dist-info/RECORD,, +pip-21.3.dist-info/WHEEL,sha256=ewwEueio1C2XeHTvT17n8dZUJgOvyCWCt0WVNLClP9o,92 +pip-21.3.dist-info/entry_points.txt,sha256=5ExSa1s54zSPNA_1epJn5SX06786S8k5YHwskMvVYzw,125 +pip-21.3.dist-info/top_level.txt,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4 +pip/__init__.py,sha256=-sf_AJYknJJLvACR9EDM2o0Xu8mOcQyPCP7M4ZOWQ-M,355 +pip/__main__.py,sha256=mXwWDftNLMKfwVqKFWGE_uuBZvGSIiUELhLkeysIuZc,1198 +pip/__pycache__/__init__.cpython-38.pyc,, +pip/__pycache__/__main__.cpython-38.pyc,, +pip/_internal/__init__.py,sha256=nnFCuxrPMgALrIDxSoy-H6Zj4W4UY60D-uL1aJyq0pc,573 +pip/_internal/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/__pycache__/build_env.cpython-38.pyc,, +pip/_internal/__pycache__/cache.cpython-38.pyc,, +pip/_internal/__pycache__/configuration.cpython-38.pyc,, +pip/_internal/__pycache__/exceptions.cpython-38.pyc,, +pip/_internal/__pycache__/main.cpython-38.pyc,, +pip/_internal/__pycache__/pyproject.cpython-38.pyc,, +pip/_internal/__pycache__/self_outdated_check.cpython-38.pyc,, +pip/_internal/__pycache__/wheel_builder.cpython-38.pyc,, +pip/_internal/build_env.py,sha256=uIg4HJDgZK542FXVTl3jkPDNbklNgb8Rj6DeZef_oS8,9950 +pip/_internal/cache.py,sha256=71eaYwrls34HJ6gzbmmYiotiKhPNFTM_tqYJXD5nf3s,9441 +pip/_internal/cli/__init__.py,sha256=FkHBgpxxb-_gd6r1FjnNhfMOzAUYyXoXKJ6abijfcFU,132 +pip/_internal/cli/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/cli/__pycache__/autocompletion.cpython-38.pyc,, +pip/_internal/cli/__pycache__/base_command.cpython-38.pyc,, +pip/_internal/cli/__pycache__/cmdoptions.cpython-38.pyc,, +pip/_internal/cli/__pycache__/command_context.cpython-38.pyc,, +pip/_internal/cli/__pycache__/main.cpython-38.pyc,, +pip/_internal/cli/__pycache__/main_parser.cpython-38.pyc,, +pip/_internal/cli/__pycache__/parser.cpython-38.pyc,, +pip/_internal/cli/__pycache__/progress_bars.cpython-38.pyc,, +pip/_internal/cli/__pycache__/req_command.cpython-38.pyc,, +pip/_internal/cli/__pycache__/spinners.cpython-38.pyc,, +pip/_internal/cli/__pycache__/status_codes.cpython-38.pyc,, +pip/_internal/cli/autocompletion.py,sha256=NK5yqe49SgExZOCFVEUT5Bf0QV2CuITGK27WSo2MWg8,6399 +pip/_internal/cli/base_command.py,sha256=oFuvjLsYE17V67L1dHeTo-YePZN97RKpOuGEXwCKwLc,7790 +pip/_internal/cli/cmdoptions.py,sha256=o6hueHSc3VWZ-_do9eeoZKEaxqh18zlXKAzVZ00Kg-o,28391 +pip/_internal/cli/command_context.py,sha256=a1pBBvvGLDiZ1Kw64_4tT6HmRTwYDoYy8JFgG5Czn7s,760 +pip/_internal/cli/main.py,sha256=ioJ8IVlb2K1qLOxR-tXkee9lURhYV89CDM71MKag7YY,2472 +pip/_internal/cli/main_parser.py,sha256=Q9TnytfuC5Z2JSjBFWVGtEdYLFy7rukNIb04movHdAo,2614 +pip/_internal/cli/parser.py,sha256=CDXTuFr2UD8ozOlZYf1KDziQdo9-X_IaYOiUcyJQwrA,10788 +pip/_internal/cli/progress_bars.py,sha256=ha8wowclY8_PaoM0cz4G6qK37zjnzuxQ-ydOtzx4EMI,8300 +pip/_internal/cli/req_command.py,sha256=hEBfw8_vUQkJz00t6AH-5lku58RyVSC9k7nhHeFulEc,17163 +pip/_internal/cli/spinners.py,sha256=TFhjxtOnLeNJ5YmRvQm4eKPgPbJNkZiqO8jOXuxRaYU,5076 +pip/_internal/cli/status_codes.py,sha256=sEFHUaUJbqv8iArL3HAtcztWZmGOFX01hTesSytDEh0,116 +pip/_internal/commands/__init__.py,sha256=Vc1HjsLEtyCh7506OozPHPKXe2Hk-z9cFkFF3BMj1lM,3736 +pip/_internal/commands/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/commands/__pycache__/cache.cpython-38.pyc,, +pip/_internal/commands/__pycache__/check.cpython-38.pyc,, +pip/_internal/commands/__pycache__/completion.cpython-38.pyc,, +pip/_internal/commands/__pycache__/configuration.cpython-38.pyc,, +pip/_internal/commands/__pycache__/debug.cpython-38.pyc,, +pip/_internal/commands/__pycache__/download.cpython-38.pyc,, +pip/_internal/commands/__pycache__/freeze.cpython-38.pyc,, +pip/_internal/commands/__pycache__/hash.cpython-38.pyc,, +pip/_internal/commands/__pycache__/help.cpython-38.pyc,, +pip/_internal/commands/__pycache__/index.cpython-38.pyc,, +pip/_internal/commands/__pycache__/install.cpython-38.pyc,, +pip/_internal/commands/__pycache__/list.cpython-38.pyc,, +pip/_internal/commands/__pycache__/search.cpython-38.pyc,, +pip/_internal/commands/__pycache__/show.cpython-38.pyc,, +pip/_internal/commands/__pycache__/uninstall.cpython-38.pyc,, +pip/_internal/commands/__pycache__/wheel.cpython-38.pyc,, +pip/_internal/commands/cache.py,sha256=p9gvc6W_xgxE2zO0o8NXqO1gGJEinEK42qEC-a7Cnuk,7524 +pip/_internal/commands/check.py,sha256=0gjXR7j36xJT5cs2heYU_dfOfpnFfzX8OoPNNoKhqdM,1685 +pip/_internal/commands/completion.py,sha256=kTG_I1VR3N5kGC4Ma9pQTSoY9Q1URCrNyseHSQ-rCL4,2958 +pip/_internal/commands/configuration.py,sha256=arE8vLstjBg-Ar1krXF-bBmT1qBtnL7Fpk-NVh38a0U,8944 +pip/_internal/commands/debug.py,sha256=krET-y45CnQzXwKR1qA3M_tJE4LE2vnQtm3yfGyDSnE,6629 +pip/_internal/commands/download.py,sha256=p4lmYDgawRrwDFUpde_-1Gld45FnsMNHUFtOWFUCcSE,4904 +pip/_internal/commands/freeze.py,sha256=gCjoD6foBZPBAAYx5t8zZLkJhsF_ZRtnb3dPuD7beO8,2951 +pip/_internal/commands/hash.py,sha256=EVVOuvGtoPEdFi8SNnmdqlCQrhCxV-kJsdwtdcCnXGQ,1703 +pip/_internal/commands/help.py,sha256=gcc6QDkcgHMOuAn5UxaZwAStsRBrnGSn_yxjS57JIoM,1132 +pip/_internal/commands/index.py,sha256=1VVXXj5MsI2qH-N7uniQQyVkg-KCn_RdjiyiUmkUS5U,4762 +pip/_internal/commands/install.py,sha256=HTWdTb72Bcrm2tA_d55_hX6yQbchnr_XRdA2Xs8uApU,27851 +pip/_internal/commands/list.py,sha256=SnCh19e5zQKonNP7j25c_xru0Wm7wWWF8j49f-Dy9Bw,12203 +pip/_internal/commands/search.py,sha256=sbBZiARRc050QquOKcCvOr2K3XLsoYebLKZGRi__iUI,5697 +pip/_internal/commands/show.py,sha256=OREbPHF6UzvQiGLC1UIjG52Kc_jYDgcXZMYzgKXMbBI,8064 +pip/_internal/commands/uninstall.py,sha256=DNTYAGJNljMO_YYBxrpcwj0FEl7lo_P55_98O6g2TNk,3526 +pip/_internal/commands/wheel.py,sha256=xGSwLPYUM7jP_McD-wnM4D3zsP0n-NSkHFp4d0mAWIg,6168 +pip/_internal/configuration.py,sha256=dKHBEl8aXnqVuRB0NW7Nz7lyYMwr7XCfkMZvUORaSRo,13153 +pip/_internal/distributions/__init__.py,sha256=Hq6kt6gXBgjNit5hTTWLAzeCNOKoB-N0pGYSqehrli8,858 +pip/_internal/distributions/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/distributions/__pycache__/base.cpython-38.pyc,, +pip/_internal/distributions/__pycache__/installed.cpython-38.pyc,, +pip/_internal/distributions/__pycache__/sdist.cpython-38.pyc,, +pip/_internal/distributions/__pycache__/wheel.cpython-38.pyc,, +pip/_internal/distributions/base.py,sha256=3FUYD8Gb4YuSu3pggC_FRctZBDbpm5ZK89tPksIUjoE,1172 +pip/_internal/distributions/installed.py,sha256=QObf6KALGtwGx-Ap3Ua5FfcfaRMXWOk_wcrm7n5gYII,767 +pip/_internal/distributions/sdist.py,sha256=eLAc3d7BPSDFMKKd3THEhtAC0PrzYNQiyN9qmP-Amu8,4845 +pip/_internal/distributions/wheel.py,sha256=-NgzdIs-w_hcer_U81yzgpVTljJRg5m79xufqvbjv0s,1115 +pip/_internal/exceptions.py,sha256=XyfiRZn2X8WR61X-JF50BU72TdmVkneWPy9cnuKv2Rg,12762 +pip/_internal/index/__init__.py,sha256=vpt-JeTZefh8a-FC22ZeBSXFVbuBcXSGiILhQZJaNpQ,30 +pip/_internal/index/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/index/__pycache__/collector.cpython-38.pyc,, +pip/_internal/index/__pycache__/package_finder.cpython-38.pyc,, +pip/_internal/index/__pycache__/sources.cpython-38.pyc,, +pip/_internal/index/collector.py,sha256=7rhUeH0IU_dUMk13-lBAN9czRuJ6dbG76Un7xuQ36Ck,17534 +pip/_internal/index/package_finder.py,sha256=_N9LIcwAXbGDN3BUDlikSB93WI9PHv3MvkJ4YapfrPY,36344 +pip/_internal/index/sources.py,sha256=SVyPitv08-Qalh2_Bk5diAJ9GAA_d-a93koouQodAG0,6557 +pip/_internal/locations/__init__.py,sha256=CpH6Cz9HSZ0csN_KPtOcvS9TGYLb7ZNGtCAAmVtjXW0,14444 +pip/_internal/locations/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/locations/__pycache__/_distutils.cpython-38.pyc,, +pip/_internal/locations/__pycache__/_sysconfig.cpython-38.pyc,, +pip/_internal/locations/__pycache__/base.cpython-38.pyc,, +pip/_internal/locations/_distutils.py,sha256=Sk7tw8ZP1DWMYJ8MibABsa8IME2Ejv1PKeGlYQCBTZc,5871 +pip/_internal/locations/_sysconfig.py,sha256=LQNKTJKyjVqxXaPntlBwdUqTG1xwYf6GVCKMbyRJx5M,7918 +pip/_internal/locations/base.py,sha256=x5D1ONktmPJd8nnUTh-ELsAJ7fiXA-k-0a_vhfi2_Us,1579 +pip/_internal/main.py,sha256=r-UnUe8HLo5XFJz8inTcOOTiu_sxNhgHb6VwlGUllOI,340 +pip/_internal/metadata/__init__.py,sha256=HzTS3lRukzn-MJaEZkUQhAFe6ulxvNe7nNoBvUzy-DU,1660 +pip/_internal/metadata/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/metadata/__pycache__/base.cpython-38.pyc,, +pip/_internal/metadata/__pycache__/pkg_resources.cpython-38.pyc,, +pip/_internal/metadata/base.py,sha256=gbNbb9blWO5hejmror-2n4_wLuYVrTyqwUluY9OmnMg,11103 +pip/_internal/metadata/pkg_resources.py,sha256=-LiuojtAfl3yhNx8rnUKYN3ECBVCVcDWszCupithXAw,5089 +pip/_internal/models/__init__.py,sha256=3DHUd_qxpPozfzouoqa9g9ts1Czr5qaHfFxbnxriepM,63 +pip/_internal/models/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/models/__pycache__/candidate.cpython-38.pyc,, +pip/_internal/models/__pycache__/direct_url.cpython-38.pyc,, +pip/_internal/models/__pycache__/format_control.cpython-38.pyc,, +pip/_internal/models/__pycache__/index.cpython-38.pyc,, +pip/_internal/models/__pycache__/link.cpython-38.pyc,, +pip/_internal/models/__pycache__/scheme.cpython-38.pyc,, +pip/_internal/models/__pycache__/search_scope.cpython-38.pyc,, +pip/_internal/models/__pycache__/selection_prefs.cpython-38.pyc,, +pip/_internal/models/__pycache__/target_python.cpython-38.pyc,, +pip/_internal/models/__pycache__/wheel.cpython-38.pyc,, +pip/_internal/models/candidate.py,sha256=6pcABsaR7CfIHlbJbr2_kMkVJFL_yrYjTx6SVWUnCPQ,990 +pip/_internal/models/direct_url.py,sha256=7XtGQSLLDQb5ZywI2EMnnLcddtf5CJLx44lMtTHPxFw,6350 +pip/_internal/models/format_control.py,sha256=DJpMYjxeYKKQdwNcML2_F0vtAh-qnKTYe-CpTxQe-4g,2520 +pip/_internal/models/index.py,sha256=tYnL8oxGi4aSNWur0mG8DAP7rC6yuha_MwJO8xw0crI,1030 +pip/_internal/models/link.py,sha256=hoT_qsOBAgLBm9GKqpBrNF_mrEXeGXQE-aH_RX2cGgg,9817 +pip/_internal/models/scheme.py,sha256=3EFQp_ICu_shH1-TBqhl0QAusKCPDFOlgHFeN4XowWs,738 +pip/_internal/models/search_scope.py,sha256=LwloG0PJAmtI1hFXIypsD95kWE9xfR5hf_a2v1Vw7sk,4520 +pip/_internal/models/selection_prefs.py,sha256=KZdi66gsR-_RUXUr9uejssk3rmTHrQVJWeNA2sV-VSY,1907 +pip/_internal/models/target_python.py,sha256=qKpZox7J8NAaPmDs5C_aniwfPDxzvpkrCKqfwndG87k,3858 +pip/_internal/models/wheel.py,sha256=hN9Ub-m-cAJCajCcQHyQNsqpcDCbPPDlEzBDwaBMc14,3500 +pip/_internal/network/__init__.py,sha256=jf6Tt5nV_7zkARBrKojIXItgejvoegVJVKUbhAa5Ioc,50 +pip/_internal/network/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/network/__pycache__/auth.cpython-38.pyc,, +pip/_internal/network/__pycache__/cache.cpython-38.pyc,, +pip/_internal/network/__pycache__/download.cpython-38.pyc,, +pip/_internal/network/__pycache__/lazy_wheel.cpython-38.pyc,, +pip/_internal/network/__pycache__/session.cpython-38.pyc,, +pip/_internal/network/__pycache__/utils.cpython-38.pyc,, +pip/_internal/network/__pycache__/xmlrpc.cpython-38.pyc,, +pip/_internal/network/auth.py,sha256=a3C7Xaa8kTJjXkdi_wrUjqaySc8Z9Yz7U6QIbXfzMyc,12190 +pip/_internal/network/cache.py,sha256=HoprMCecwd4IS2wDZowc9B_OpaBlFjJYJl4xOxvtuwU,2100 +pip/_internal/network/download.py,sha256=VmiR-KKIBugShZS4JlD7N8mq3hErx-0fK-D8aTYU3Og,6016 +pip/_internal/network/lazy_wheel.py,sha256=1b8ZJ1w4bSBzpGzGwJR_CL2yQ6AFIwWQkS1vbPPw2XU,7627 +pip/_internal/network/session.py,sha256=38IKGKC64MTVUIH5XOR1hr2pOCzp39RccykdmGAvqRU,16729 +pip/_internal/network/utils.py,sha256=igLlTu_-q0LmL8FdJKq-Uj7AT_owrQ-T9FfyarkhK5U,4059 +pip/_internal/network/xmlrpc.py,sha256=AzQgG4GgS152_cqmGr_Oz2MIXsCal-xfsis7fA7nmU0,1791 +pip/_internal/operations/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +pip/_internal/operations/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/operations/__pycache__/check.cpython-38.pyc,, +pip/_internal/operations/__pycache__/freeze.cpython-38.pyc,, +pip/_internal/operations/__pycache__/prepare.cpython-38.pyc,, +pip/_internal/operations/build/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +pip/_internal/operations/build/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/operations/build/__pycache__/metadata.cpython-38.pyc,, +pip/_internal/operations/build/__pycache__/metadata_editable.cpython-38.pyc,, +pip/_internal/operations/build/__pycache__/metadata_legacy.cpython-38.pyc,, +pip/_internal/operations/build/__pycache__/wheel.cpython-38.pyc,, +pip/_internal/operations/build/__pycache__/wheel_editable.cpython-38.pyc,, +pip/_internal/operations/build/__pycache__/wheel_legacy.cpython-38.pyc,, +pip/_internal/operations/build/metadata.py,sha256=5XFvjkPwg-K61kE7NkcoSw925n5yBbbkAoMb8Zqeepo,1147 +pip/_internal/operations/build/metadata_editable.py,sha256=RnA8UgQqZwtBjBdqi1DW1gI3xaZ7qhKp1Xd-0YTktSk,1177 +pip/_internal/operations/build/metadata_legacy.py,sha256=hjAJ75iKuJfKQYALZD0U6wJ7ElJ_BAEvjDxF8b9_l5k,1945 +pip/_internal/operations/build/wheel.py,sha256=AO9XnTGhTgHtZmU8Dkbfo1OGr41rBuSDjIgAa4zUKgE,1063 +pip/_internal/operations/build/wheel_editable.py,sha256=TVETY-L_M_dSEKBhTIcQOP75zKVXw8tuq1U354Mm30A,1405 +pip/_internal/operations/build/wheel_legacy.py,sha256=aFMVOvyG-_CAIuXEVxuPJkz5UfCppSeu9FBPzn2tWvI,3047 +pip/_internal/operations/check.py,sha256=ca4O9CkPt9Em9sLCf3H0iVt1GIcW7M8C0U5XooaBuT4,5109 +pip/_internal/operations/freeze.py,sha256=ZiYw5GlUpLVx4VJHz4S1AP2JFNyvH0iq5kpcYj2ovyw,9770 +pip/_internal/operations/install/__init__.py,sha256=mX7hyD2GNBO2mFGokDQ30r_GXv7Y_PLdtxcUv144e-s,51 +pip/_internal/operations/install/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/operations/install/__pycache__/editable_legacy.cpython-38.pyc,, +pip/_internal/operations/install/__pycache__/legacy.cpython-38.pyc,, +pip/_internal/operations/install/__pycache__/wheel.cpython-38.pyc,, +pip/_internal/operations/install/editable_legacy.py,sha256=J4VCOHvk_BgA_wG02WmlDtSWLwZJ5S_g9SXBkjYojaw,1298 +pip/_internal/operations/install/legacy.py,sha256=YKrZvH894Iqf2oEkYqF9O7CK1DjTgfZCP3R9Azpjeqo,4158 +pip/_internal/operations/install/wheel.py,sha256=QuQyCZE-XjuJjDYRixo40oUt2ucFhNmSrCbcXY7A9aE,27412 +pip/_internal/operations/prepare.py,sha256=Y0NG3GQetDwhnXvvlBLa1-ytSFLXZQfUCQyXAGo_Sus,23785 +pip/_internal/pyproject.py,sha256=fTX2lvN8qVdmnG0z4o2WWULIaYgALOmLroF9wZ3xSQg,6998 +pip/_internal/req/__init__.py,sha256=A7mUvT1KAcCYP3H7gUOTx2GRMlgoDur3H68Q0OJqM5A,2793 +pip/_internal/req/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/req/__pycache__/constructors.cpython-38.pyc,, +pip/_internal/req/__pycache__/req_file.cpython-38.pyc,, +pip/_internal/req/__pycache__/req_install.cpython-38.pyc,, +pip/_internal/req/__pycache__/req_set.cpython-38.pyc,, +pip/_internal/req/__pycache__/req_tracker.cpython-38.pyc,, +pip/_internal/req/__pycache__/req_uninstall.cpython-38.pyc,, +pip/_internal/req/constructors.py,sha256=NNT5faOhenTlWhxHhJuB8EcBoNCGqzQ6KuAI-4Mh7so,15149 +pip/_internal/req/req_file.py,sha256=5N8OTouPCof-305StC2YK9HBxQMw-xO46skRoBPbkZo,17421 +pip/_internal/req/req_install.py,sha256=QpLuN1V23LWmrvhssFlGBaXYeWTJwRu-vmz0uXhVrjY,35042 +pip/_internal/req/req_set.py,sha256=kHYiLvkKRx21WaLTwOI-54Ng0SSzZZ9SE7FD0PsfvYA,7584 +pip/_internal/req/req_tracker.py,sha256=jK7JDu-Wt73X-gqozrFtgJVlUlnQo0P4IQ4x4_gPlfM,4117 +pip/_internal/req/req_uninstall.py,sha256=Uf8Kx-PgoQIudFq9Y7sFP-uz_I6x1gEfPpJJxujOf14,23748 +pip/_internal/resolution/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +pip/_internal/resolution/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/resolution/__pycache__/base.cpython-38.pyc,, +pip/_internal/resolution/base.py,sha256=qlmh325SBVfvG6Me9gc5Nsh5sdwHBwzHBq6aEXtKsLA,583 +pip/_internal/resolution/legacy/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +pip/_internal/resolution/legacy/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/resolution/legacy/__pycache__/resolver.cpython-38.pyc,, +pip/_internal/resolution/legacy/resolver.py,sha256=Fr7bfTaKqXoaIfSte7mvFRLMb8pAaiozgydoHeIyiHI,18312 +pip/_internal/resolution/resolvelib/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +pip/_internal/resolution/resolvelib/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/resolution/resolvelib/__pycache__/base.cpython-38.pyc,, +pip/_internal/resolution/resolvelib/__pycache__/candidates.cpython-38.pyc,, +pip/_internal/resolution/resolvelib/__pycache__/factory.cpython-38.pyc,, +pip/_internal/resolution/resolvelib/__pycache__/found_candidates.cpython-38.pyc,, +pip/_internal/resolution/resolvelib/__pycache__/provider.cpython-38.pyc,, +pip/_internal/resolution/resolvelib/__pycache__/reporter.cpython-38.pyc,, +pip/_internal/resolution/resolvelib/__pycache__/requirements.cpython-38.pyc,, +pip/_internal/resolution/resolvelib/__pycache__/resolver.cpython-38.pyc,, +pip/_internal/resolution/resolvelib/base.py,sha256=u1O4fkvCO4mhmu5i32xrDv9AX5NgUci_eYVyBDQhTIM,5220 +pip/_internal/resolution/resolvelib/candidates.py,sha256=5q66J90AoMKKwy1HsdXvEeleOJG8QkAbo8OidFekee0,18210 +pip/_internal/resolution/resolvelib/factory.py,sha256=GnjXkaWRbfjdtQJcjcmkXUyPIgjckCHTu6wkneDMck8,26806 +pip/_internal/resolution/resolvelib/found_candidates.py,sha256=hvL3Hoa9VaYo-qEOZkBi2Iqw251UDxPz-uMHVaWmLpE,5705 +pip/_internal/resolution/resolvelib/provider.py,sha256=HUMHvkU001rtlqvs11NPmMtlyMMLlVQfAl6qXdsLxZQ,9205 +pip/_internal/resolution/resolvelib/reporter.py,sha256=3ZVVYrs5PqvLFJkGLcuXoMK5mTInFzl31xjUpDBpZZk,2526 +pip/_internal/resolution/resolvelib/requirements.py,sha256=pcsnwz7txyDNZUEOWJOZEfivy3COWHPf_DIU7fwZ-Kk,5455 +pip/_internal/resolution/resolvelib/resolver.py,sha256=bkrMZs_jJHP_KFAbg36-lcN4Ums7ESgllup8piHXOz0,9580 +pip/_internal/self_outdated_check.py,sha256=nVLSc0nl4JZ9VI7GsZvblE-zzT-T5ofmMgplned8s_s,6393 +pip/_internal/utils/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +pip/_internal/utils/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/utils/__pycache__/_log.cpython-38.pyc,, +pip/_internal/utils/__pycache__/appdirs.cpython-38.pyc,, +pip/_internal/utils/__pycache__/compat.cpython-38.pyc,, +pip/_internal/utils/__pycache__/compatibility_tags.cpython-38.pyc,, +pip/_internal/utils/__pycache__/datetime.cpython-38.pyc,, +pip/_internal/utils/__pycache__/deprecation.cpython-38.pyc,, +pip/_internal/utils/__pycache__/direct_url_helpers.cpython-38.pyc,, +pip/_internal/utils/__pycache__/distutils_args.cpython-38.pyc,, +pip/_internal/utils/__pycache__/egg_link.cpython-38.pyc,, +pip/_internal/utils/__pycache__/encoding.cpython-38.pyc,, +pip/_internal/utils/__pycache__/entrypoints.cpython-38.pyc,, +pip/_internal/utils/__pycache__/filesystem.cpython-38.pyc,, +pip/_internal/utils/__pycache__/filetypes.cpython-38.pyc,, +pip/_internal/utils/__pycache__/glibc.cpython-38.pyc,, +pip/_internal/utils/__pycache__/hashes.cpython-38.pyc,, +pip/_internal/utils/__pycache__/inject_securetransport.cpython-38.pyc,, +pip/_internal/utils/__pycache__/logging.cpython-38.pyc,, +pip/_internal/utils/__pycache__/misc.cpython-38.pyc,, +pip/_internal/utils/__pycache__/models.cpython-38.pyc,, +pip/_internal/utils/__pycache__/packaging.cpython-38.pyc,, +pip/_internal/utils/__pycache__/parallel.cpython-38.pyc,, +pip/_internal/utils/__pycache__/pkg_resources.cpython-38.pyc,, +pip/_internal/utils/__pycache__/setuptools_build.cpython-38.pyc,, +pip/_internal/utils/__pycache__/subprocess.cpython-38.pyc,, +pip/_internal/utils/__pycache__/temp_dir.cpython-38.pyc,, +pip/_internal/utils/__pycache__/unpacking.cpython-38.pyc,, +pip/_internal/utils/__pycache__/urls.cpython-38.pyc,, +pip/_internal/utils/__pycache__/virtualenv.cpython-38.pyc,, +pip/_internal/utils/__pycache__/wheel.cpython-38.pyc,, +pip/_internal/utils/_log.py,sha256=-jHLOE_THaZz5BFcCnoSL9EYAtJ0nXem49s9of4jvKw,1015 +pip/_internal/utils/appdirs.py,sha256=UsFVVXVHKC5RTXJPSC_SRzRuyvp6AWoKDVwqZZdIq2s,1373 +pip/_internal/utils/compat.py,sha256=ACyBfLgj3_XG-iA5omEDrXqDM0cQKzi8h8HRBInzG6Q,1884 +pip/_internal/utils/compatibility_tags.py,sha256=ydin8QG8BHqYRsPY4OL6cmb44CbqXl1T0xxS97VhHkk,5377 +pip/_internal/utils/datetime.py,sha256=m21Y3wAtQc-ji6Veb6k_M5g6A0ZyFI4egchTdnwh-pQ,242 +pip/_internal/utils/deprecation.py,sha256=NKo8VqLioJ4nnXXGmW4KdasxF90EFHkZaHeX1fT08C8,3627 +pip/_internal/utils/direct_url_helpers.py,sha256=6F1tc2rcKaCZmgfVwsE6ObIe_Pux23mUVYA-2D9wCFc,3206 +pip/_internal/utils/distutils_args.py,sha256=mcAscyp80vTt3xAGTipnpgc83V-_wCvydNELVXLq7JI,1249 +pip/_internal/utils/egg_link.py,sha256=5MVlpz5LirT4iLQq86OYzjXaYF0D4Qk1dprEI7ThST4,2203 +pip/_internal/utils/encoding.py,sha256=bdZ3YgUpaOEBI5MP4-DEXiQarCW3V0rxw1kRz-TaU1Q,1169 +pip/_internal/utils/entrypoints.py,sha256=aPvCnQVi9Hdk35Kloww_D5ibjUpqxgqcJP8O9VuMZek,1055 +pip/_internal/utils/filesystem.py,sha256=rrl-rY1w8TYyKYndUyZlE9ffkQyA4-jI9x_59zXkn5s,5893 +pip/_internal/utils/filetypes.py,sha256=i8XAQ0eFCog26Fw9yV0Yb1ygAqKYB1w9Cz9n0fj8gZU,716 +pip/_internal/utils/glibc.py,sha256=tDfwVYnJCOC0BNVpItpy8CGLP9BjkxFHdl0mTS0J7fc,3110 +pip/_internal/utils/hashes.py,sha256=anpZfFGIT6HcIj2td9NHtE8AWg6GeAIhwpP8GPvZE0E,4811 +pip/_internal/utils/inject_securetransport.py,sha256=o-QRVMGiENrTJxw3fAhA7uxpdEdw6M41TjHYtSVRrcg,795 +pip/_internal/utils/logging.py,sha256=oEkBvjj2A6NtVo75_Q-sL7qqH0bMFuY0pK4d8t40SKg,11532 +pip/_internal/utils/misc.py,sha256=HfMsfc9LQbjNlf_EdYm79Ggxb63Nd9WOfoZSW3H4wmo,20432 +pip/_internal/utils/models.py,sha256=5GoYU586SrxURMvDn_jBMJInitviJg4O5-iOU-6I0WY,1193 +pip/_internal/utils/packaging.py,sha256=wA29RPW_KkorI2PIfkm9cWCytpcVbk-wubwUE8YTmbQ,2952 +pip/_internal/utils/parallel.py,sha256=Z-vNgYsyiAx8JfZYbD6ZSzkkPfpk0ANQI_YpCBE0Pxo,3196 +pip/_internal/utils/pkg_resources.py,sha256=A7HUm5lSk7n1_7qypyI4QkXErXgb5iXDlKPXo8r_1Hk,987 +pip/_internal/utils/setuptools_build.py,sha256=yDrfmxUgd0A9SDKV-7UuSTA3YLmVav5J86G9Fym-2FE,4697 +pip/_internal/utils/subprocess.py,sha256=cy2c6XRuYkX3XJF_lIjY5nQL2XygBHLJr6WXwTsjfnc,10058 +pip/_internal/utils/temp_dir.py,sha256=zob3PYMVevONkheOMUp_4jDofrEY3HIu5DHK78cSspI,7662 +pip/_internal/utils/unpacking.py,sha256=HUFlMEyCa9dPwdLh6sWeh95DeKytV8rsOyKShEw9y6g,8906 +pip/_internal/utils/urls.py,sha256=AhaesUGl-9it6uvG6fsFPOr9ynFpGaTMk4t5XTX7Z_Q,1759 +pip/_internal/utils/virtualenv.py,sha256=4_48qMzCwB_F5jIK5BC_ua7uiAMVifmQWU9NdaGUoVA,3459 +pip/_internal/utils/wheel.py,sha256=YwsLfuDzPJhFLuGotZ69i0bxJVGSweGuIHG2SxZvZtM,6163 +pip/_internal/vcs/__init__.py,sha256=UAqvzpbi0VbZo3Ub6skEeZAw-ooIZR-zX_WpCbxyCoU,596 +pip/_internal/vcs/__pycache__/__init__.cpython-38.pyc,, +pip/_internal/vcs/__pycache__/bazaar.cpython-38.pyc,, +pip/_internal/vcs/__pycache__/git.cpython-38.pyc,, +pip/_internal/vcs/__pycache__/mercurial.cpython-38.pyc,, +pip/_internal/vcs/__pycache__/subversion.cpython-38.pyc,, +pip/_internal/vcs/__pycache__/versioncontrol.cpython-38.pyc,, +pip/_internal/vcs/bazaar.py,sha256=pNMHrCLx1jSJzu1t1ycDVwhXQ23XI4Q483cvewaTUDs,2857 +pip/_internal/vcs/git.py,sha256=Ph_hThbfTG040GpJRz1z0ByiNkj5eHgF_shCCbNnCw0,17804 +pip/_internal/vcs/mercurial.py,sha256=Mtk-Bqjnp3wlaOdHfNSxq86vgCwNc3-df6UqgIXvMjE,4945 +pip/_internal/vcs/subversion.py,sha256=h4_nYmYN9kcfeTPp9wjkHhIeTpFZwoCp1UVm4hbBq90,11596 +pip/_internal/vcs/versioncontrol.py,sha256=W1zLW32PeuYiCV1I_dhqlk_n74B_GFTjNC5xdxs-1Ek,22414 +pip/_internal/wheel_builder.py,sha256=13u8UZ4v2rWHPUTxgoGNCIYbx1ULIk-Tl5F9fHWiMx4,12319 +pip/_vendor/__init__.py,sha256=xjcBX0EP50pkaMdCssrsBXoZgo2hTtYxlcH1CIyA3T4,4708 +pip/_vendor/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/__pycache__/distro.cpython-38.pyc,, +pip/_vendor/__pycache__/pyparsing.cpython-38.pyc,, +pip/_vendor/__pycache__/six.cpython-38.pyc,, +pip/_vendor/cachecontrol/__init__.py,sha256=pJtAaUxOsMPnytI1A3juAJkXYDr8krdSnsg4Yg3OBEg,302 +pip/_vendor/cachecontrol/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/cachecontrol/__pycache__/_cmd.cpython-38.pyc,, +pip/_vendor/cachecontrol/__pycache__/adapter.cpython-38.pyc,, +pip/_vendor/cachecontrol/__pycache__/cache.cpython-38.pyc,, +pip/_vendor/cachecontrol/__pycache__/compat.cpython-38.pyc,, +pip/_vendor/cachecontrol/__pycache__/controller.cpython-38.pyc,, +pip/_vendor/cachecontrol/__pycache__/filewrapper.cpython-38.pyc,, +pip/_vendor/cachecontrol/__pycache__/heuristics.cpython-38.pyc,, +pip/_vendor/cachecontrol/__pycache__/serialize.cpython-38.pyc,, +pip/_vendor/cachecontrol/__pycache__/wrapper.cpython-38.pyc,, +pip/_vendor/cachecontrol/_cmd.py,sha256=URGE0KrA87QekCG3SGPatlSPT571dZTDjNa-ZXX3pDc,1295 +pip/_vendor/cachecontrol/adapter.py,sha256=sSwaSYd93IIfCFU4tOMgSo6b2LCt_gBSaQUj8ktJFOA,4882 +pip/_vendor/cachecontrol/cache.py,sha256=1fc4wJP8HYt1ycnJXeEw5pCpeBL2Cqxx6g9Fb0AYDWQ,805 +pip/_vendor/cachecontrol/caches/__init__.py,sha256=-gHNKYvaeD0kOk5M74eOrsSgIKUtC6i6GfbmugGweEo,86 +pip/_vendor/cachecontrol/caches/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/cachecontrol/caches/__pycache__/file_cache.cpython-38.pyc,, +pip/_vendor/cachecontrol/caches/__pycache__/redis_cache.cpython-38.pyc,, +pip/_vendor/cachecontrol/caches/file_cache.py,sha256=nYVKsJtXh6gJXvdn1iWyrhxvkwpQrK-eKoMRzuiwkKk,4153 +pip/_vendor/cachecontrol/caches/redis_cache.py,sha256=HxelMpNCo-dYr2fiJDwM3hhhRmxUYtB5tXm1GpAAT4Y,856 +pip/_vendor/cachecontrol/compat.py,sha256=kHNvMRdt6s_Xwqq_9qJmr9ou3wYMOMUMxPPcwNxT8Mc,695 +pip/_vendor/cachecontrol/controller.py,sha256=CWEX3pedIM9s60suf4zZPtm_JvVgnvogMGK_OiBG5F8,14149 +pip/_vendor/cachecontrol/filewrapper.py,sha256=vACKO8Llzu_ZWyjV1Fxn1MA4TGU60N5N3GSrAFdAY2Q,2533 +pip/_vendor/cachecontrol/heuristics.py,sha256=BFGHJ3yQcxvZizfo90LLZ04T_Z5XSCXvFotrp7Us0sc,4070 +pip/_vendor/cachecontrol/serialize.py,sha256=vIa4jvq4x_KSOLdEIedoknX2aXYHQujLDFV4-F21Dno,7091 +pip/_vendor/cachecontrol/wrapper.py,sha256=5LX0uJwkNQUtYSEw3aGmGu9WY8wGipd81mJ8lG0d0M4,690 +pip/_vendor/certifi/__init__.py,sha256=-b78tXibbl0qtgCzv9tc9v6ozwcNX915lT9Tf4a9lds,62 +pip/_vendor/certifi/__main__.py,sha256=1k3Cr95vCxxGRGDljrW3wMdpZdL3Nhf0u1n-k2qdsCY,255 +pip/_vendor/certifi/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/certifi/__pycache__/__main__.cpython-38.pyc,, +pip/_vendor/certifi/__pycache__/core.cpython-38.pyc,, +pip/_vendor/certifi/cacert.pem,sha256=3i-hfE2K5o3CBKG2tYt6ehJWk2fP64o6Th83fHPoPp4,259465 +pip/_vendor/certifi/core.py,sha256=gOFd0zHYlx4krrLEn982esOtmz3djiG0BFSDhgjlvcI,2840 +pip/_vendor/chardet/__init__.py,sha256=mWZaWmvZkhwfBEAT9O1Y6nRTfKzhT7FHhQTTAujbqUA,3271 +pip/_vendor/chardet/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/big5freq.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/big5prober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/chardistribution.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/charsetgroupprober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/charsetprober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/codingstatemachine.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/compat.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/cp949prober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/enums.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/escprober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/escsm.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/eucjpprober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/euckrfreq.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/euckrprober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/euctwfreq.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/euctwprober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/gb2312freq.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/gb2312prober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/hebrewprober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/jisfreq.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/jpcntx.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/langbulgarianmodel.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/langgreekmodel.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/langhebrewmodel.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/langhungarianmodel.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/langrussianmodel.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/langthaimodel.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/langturkishmodel.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/latin1prober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/mbcharsetprober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/mbcsgroupprober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/mbcssm.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/sbcharsetprober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/sbcsgroupprober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/sjisprober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/universaldetector.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/utf8prober.cpython-38.pyc,, +pip/_vendor/chardet/__pycache__/version.cpython-38.pyc,, +pip/_vendor/chardet/big5freq.py,sha256=D_zK5GyzoVsRes0HkLJziltFQX0bKCLOrFe9_xDvO_8,31254 +pip/_vendor/chardet/big5prober.py,sha256=kBxHbdetBpPe7xrlb-e990iot64g_eGSLd32lB7_h3M,1757 +pip/_vendor/chardet/chardistribution.py,sha256=3woWS62KrGooKyqz4zQSnjFbJpa6V7g02daAibTwcl8,9411 +pip/_vendor/chardet/charsetgroupprober.py,sha256=GZLReHP6FRRn43hvSOoGCxYamErKzyp6RgOQxVeC3kg,3839 +pip/_vendor/chardet/charsetprober.py,sha256=KSmwJErjypyj0bRZmC5F5eM7c8YQgLYIjZXintZNstg,5110 +pip/_vendor/chardet/cli/__init__.py,sha256=AbpHGcgLb-kRsJGnwFEktk7uzpZOCcBY74-YBdrKVGs,1 +pip/_vendor/chardet/cli/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/chardet/cli/__pycache__/chardetect.cpython-38.pyc,, +pip/_vendor/chardet/cli/chardetect.py,sha256=XK5zqjUG2a4-y6eLHZ8ThYcp6WWUrdlmELxNypcc2SE,2747 +pip/_vendor/chardet/codingstatemachine.py,sha256=VYp_6cyyki5sHgXDSZnXW4q1oelHc3cu9AyQTX7uug8,3590 +pip/_vendor/chardet/compat.py,sha256=40zr6wICZwknxyuLGGcIOPyve8DTebBCbbvttvnmp5Q,1200 +pip/_vendor/chardet/cp949prober.py,sha256=TZ434QX8zzBsnUvL_8wm4AQVTZ2ZkqEEQL_lNw9f9ow,1855 +pip/_vendor/chardet/enums.py,sha256=Aimwdb9as1dJKZaFNUH2OhWIVBVd6ZkJJ_WK5sNY8cU,1661 +pip/_vendor/chardet/escprober.py,sha256=kkyqVg1Yw3DIOAMJ2bdlyQgUFQhuHAW8dUGskToNWSc,3950 +pip/_vendor/chardet/escsm.py,sha256=RuXlgNvTIDarndvllNCk5WZBIpdCxQ0kcd9EAuxUh84,10510 +pip/_vendor/chardet/eucjpprober.py,sha256=iD8Jdp0ISRjgjiVN7f0e8xGeQJ5GM2oeZ1dA8nbSeUw,3749 +pip/_vendor/chardet/euckrfreq.py,sha256=-7GdmvgWez4-eO4SuXpa7tBiDi5vRXQ8WvdFAzVaSfo,13546 +pip/_vendor/chardet/euckrprober.py,sha256=MqFMTQXxW4HbzIpZ9lKDHB3GN8SP4yiHenTmf8g_PxY,1748 +pip/_vendor/chardet/euctwfreq.py,sha256=No1WyduFOgB5VITUA7PLyC5oJRNzRyMbBxaKI1l16MA,31621 +pip/_vendor/chardet/euctwprober.py,sha256=13p6EP4yRaxqnP4iHtxHOJ6R2zxHq1_m8hTRjzVZ95c,1747 +pip/_vendor/chardet/gb2312freq.py,sha256=JX8lsweKLmnCwmk8UHEQsLgkr_rP_kEbvivC4qPOrlc,20715 +pip/_vendor/chardet/gb2312prober.py,sha256=gGvIWi9WhDjE-xQXHvNIyrnLvEbMAYgyUSZ65HUfylw,1754 +pip/_vendor/chardet/hebrewprober.py,sha256=c3SZ-K7hvyzGY6JRAZxJgwJ_sUS9k0WYkvMY00YBYFo,13838 +pip/_vendor/chardet/jisfreq.py,sha256=vpmJv2Bu0J8gnMVRPHMFefTRvo_ha1mryLig8CBwgOg,25777 +pip/_vendor/chardet/jpcntx.py,sha256=PYlNqRUQT8LM3cT5FmHGP0iiscFlTWED92MALvBungo,19643 +pip/_vendor/chardet/langbulgarianmodel.py,sha256=rk9CJpuxO0bObboJcv6gNgWuosYZmd8qEEds5y7DS_Y,105697 +pip/_vendor/chardet/langgreekmodel.py,sha256=S-uNQ1ihC75yhBvSux24gLFZv3QyctMwC6OxLJdX-bw,99571 +pip/_vendor/chardet/langhebrewmodel.py,sha256=DzPP6TPGG_-PV7tqspu_d8duueqm7uN-5eQ0aHUw1Gg,98776 +pip/_vendor/chardet/langhungarianmodel.py,sha256=RtJH7DZdsmaHqyK46Kkmnk5wQHiJwJPPJSqqIlpeZRc,102498 +pip/_vendor/chardet/langrussianmodel.py,sha256=THqJOhSxiTQcHboDNSc5yofc2koXXQFHFyjtyuntUfM,131180 +pip/_vendor/chardet/langthaimodel.py,sha256=R1wXHnUMtejpw0JnH_JO8XdYasME6wjVqp1zP7TKLgg,103312 +pip/_vendor/chardet/langturkishmodel.py,sha256=rfwanTptTwSycE4-P-QasPmzd-XVYgevytzjlEzBBu8,95946 +pip/_vendor/chardet/latin1prober.py,sha256=S2IoORhFk39FEFOlSFWtgVybRiP6h7BlLldHVclNkU8,5370 +pip/_vendor/chardet/mbcharsetprober.py,sha256=AR95eFH9vuqSfvLQZN-L5ijea25NOBCoXqw8s5O9xLQ,3413 +pip/_vendor/chardet/mbcsgroupprober.py,sha256=h6TRnnYq2OxG1WdD5JOyxcdVpn7dG0q-vB8nWr5mbh4,2012 +pip/_vendor/chardet/mbcssm.py,sha256=SY32wVIF3HzcjY3BaEspy9metbNSKxIIB0RKPn7tjpI,25481 +pip/_vendor/chardet/metadata/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +pip/_vendor/chardet/metadata/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/chardet/metadata/__pycache__/languages.cpython-38.pyc,, +pip/_vendor/chardet/metadata/languages.py,sha256=41tLq3eLSrBEbEVVQpVGFq9K7o1ln9b1HpY1l0hCUQo,19474 +pip/_vendor/chardet/sbcharsetprober.py,sha256=nmyMyuxzG87DN6K3Rk2MUzJLMLR69MrWpdnHzOwVUwQ,6136 +pip/_vendor/chardet/sbcsgroupprober.py,sha256=hqefQuXmiFyDBArOjujH6hd6WFXlOD1kWCsxDhjx5Vc,4309 +pip/_vendor/chardet/sjisprober.py,sha256=IIt-lZj0WJqK4rmUZzKZP4GJlE8KUEtFYVuY96ek5MQ,3774 +pip/_vendor/chardet/universaldetector.py,sha256=DpZTXCX0nUHXxkQ9sr4GZxGB_hveZ6hWt3uM94cgWKs,12503 +pip/_vendor/chardet/utf8prober.py,sha256=IdD8v3zWOsB8OLiyPi-y_fqwipRFxV9Nc1eKBLSuIEw,2766 +pip/_vendor/chardet/version.py,sha256=A4CILFAd8MRVG1HoXPp45iK9RLlWyV73a1EtwE8Tvn8,242 +pip/_vendor/colorama/__init__.py,sha256=pCdErryzLSzDW5P-rRPBlPLqbBtIRNJB6cMgoeJns5k,239 +pip/_vendor/colorama/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/colorama/__pycache__/ansi.cpython-38.pyc,, +pip/_vendor/colorama/__pycache__/ansitowin32.cpython-38.pyc,, +pip/_vendor/colorama/__pycache__/initialise.cpython-38.pyc,, +pip/_vendor/colorama/__pycache__/win32.cpython-38.pyc,, +pip/_vendor/colorama/__pycache__/winterm.cpython-38.pyc,, +pip/_vendor/colorama/ansi.py,sha256=Top4EeEuaQdBWdteKMEcGOTeKeF19Q-Wo_6_Cj5kOzQ,2522 +pip/_vendor/colorama/ansitowin32.py,sha256=yV7CEmCb19MjnJKODZEEvMH_fnbJhwnpzo4sxZuGXmA,10517 +pip/_vendor/colorama/initialise.py,sha256=PprovDNxMTrvoNHFcL2NZjpH2XzDc8BLxLxiErfUl4k,1915 +pip/_vendor/colorama/win32.py,sha256=bJ8Il9jwaBN5BJ8bmN6FoYZ1QYuMKv2j8fGrXh7TJjw,5404 +pip/_vendor/colorama/winterm.py,sha256=2y_2b7Zsv34feAsP67mLOVc-Bgq51mdYGo571VprlrM,6438 +pip/_vendor/distlib/__init__.py,sha256=HTGLP7dnTRTQCbEZNGUxBq-0sobr0KQUMn3yd6uEObA,581 +pip/_vendor/distlib/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/distlib/__pycache__/compat.cpython-38.pyc,, +pip/_vendor/distlib/__pycache__/database.cpython-38.pyc,, +pip/_vendor/distlib/__pycache__/index.cpython-38.pyc,, +pip/_vendor/distlib/__pycache__/locators.cpython-38.pyc,, +pip/_vendor/distlib/__pycache__/manifest.cpython-38.pyc,, +pip/_vendor/distlib/__pycache__/markers.cpython-38.pyc,, +pip/_vendor/distlib/__pycache__/metadata.cpython-38.pyc,, +pip/_vendor/distlib/__pycache__/resources.cpython-38.pyc,, +pip/_vendor/distlib/__pycache__/scripts.cpython-38.pyc,, +pip/_vendor/distlib/__pycache__/util.cpython-38.pyc,, +pip/_vendor/distlib/__pycache__/version.cpython-38.pyc,, +pip/_vendor/distlib/__pycache__/wheel.cpython-38.pyc,, +pip/_vendor/distlib/_backport/__init__.py,sha256=bqS_dTOH6uW9iGgd0uzfpPjo6vZ4xpPZ7kyfZJ2vNaw,274 +pip/_vendor/distlib/_backport/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/distlib/_backport/__pycache__/misc.cpython-38.pyc,, +pip/_vendor/distlib/_backport/__pycache__/shutil.cpython-38.pyc,, +pip/_vendor/distlib/_backport/__pycache__/sysconfig.cpython-38.pyc,, +pip/_vendor/distlib/_backport/__pycache__/tarfile.cpython-38.pyc,, +pip/_vendor/distlib/_backport/misc.py,sha256=KWecINdbFNOxSOP1fGF680CJnaC6S4fBRgEtaYTw0ig,971 +pip/_vendor/distlib/_backport/shutil.py,sha256=IX_G2NPqwecJibkIDje04bqu0xpHkfSQ2GaGdEVqM5Y,25707 +pip/_vendor/distlib/_backport/sysconfig.cfg,sha256=swZKxq9RY5e9r3PXCrlvQPMsvOdiWZBTHLEbqS8LJLU,2617 +pip/_vendor/distlib/_backport/sysconfig.py,sha256=BQHFlb6pubCl_dvT1NjtzIthylofjKisox239stDg0U,26854 +pip/_vendor/distlib/_backport/tarfile.py,sha256=Ihp7rXRcjbIKw8COm9wSePV9ARGXbSF9gGXAMn2Q-KU,92628 +pip/_vendor/distlib/compat.py,sha256=fbsxc5PfJ2wBx1K4k6mQ2goAYs-GZW0tcOPIlE_vf0I,41495 +pip/_vendor/distlib/database.py,sha256=Kl0YvPQKc4OcpVi7k5cFziydM1xOK8iqdxLGXgbZHV4,51059 +pip/_vendor/distlib/index.py,sha256=UfcimNW19AB7IKWam4VaJbXuCBvArKfSxhV16EwavzE,20739 +pip/_vendor/distlib/locators.py,sha256=AKlB3oZvfOTg4E0CtfwOzujFL19X5V4XUA4eHdKOu44,51965 +pip/_vendor/distlib/manifest.py,sha256=nQEhYmgoreaBZzyFzwYsXxJARu3fo4EkunU163U16iE,14811 +pip/_vendor/distlib/markers.py,sha256=9c70ISEKwBjmUOHuIdOygVnRVESOKdNYp9a2TVn4qrI,4989 +pip/_vendor/distlib/metadata.py,sha256=vatoxFdmBr6ie-sTVXVNPOPG3uwMDWJTnEECnm7xDCw,39109 +pip/_vendor/distlib/resources.py,sha256=LwbPksc0A1JMbi6XnuPdMBUn83X7BPuFNWqPGEKI698,10820 +pip/_vendor/distlib/scripts.py,sha256=tjSwENINeV91ROZxec5zTSMRg2jEeKc4enyCHDzNvEE,17720 +pip/_vendor/distlib/t32.exe,sha256=NS3xBCVAld35JVFNmb-1QRyVtThukMrwZVeXn4LhaEQ,96768 +pip/_vendor/distlib/t64-arm.exe,sha256=8WGDh6aI8WJAjngRNQpyJpB21Sv20PCYYFSNW1fWd6w,180736 +pip/_vendor/distlib/t64.exe,sha256=oAqHes78rUWVM0OtVqIhUvequl_PKhAhXYQWnUf7zR0,105984 +pip/_vendor/distlib/util.py,sha256=0Uq_qa63FCLtdyNdWvMnmPbiSvVa-ykHM2E8HT7LSIU,67766 +pip/_vendor/distlib/version.py,sha256=WG__LyAa2GwmA6qSoEJtvJE8REA1LZpbSizy8WvhJLk,23513 +pip/_vendor/distlib/w32.exe,sha256=lJtnZdeUxTZWya_EW5DZos_K5rswRECGspIl8ZJCIXs,90112 +pip/_vendor/distlib/w64-arm.exe,sha256=Q_HdzVu9zxYdaBa3m0iJ5_ddLOEqtPe8x30WADoXza8,166400 +pip/_vendor/distlib/w64.exe,sha256=0aRzoN2BO9NWW4ENy4_4vHkHR4qZTFZNVSAJJYlODTI,99840 +pip/_vendor/distlib/wheel.py,sha256=pj5VVCjqZMcHvgizORWwAFPS7hOk61CZ59dxP8laQ4E,42943 +pip/_vendor/distro.py,sha256=O1EeHMq1-xAO373JI2_6pYEtd09yEkxtmrYkdY-9S-w,48414 +pip/_vendor/html5lib/__init__.py,sha256=BYzcKCqeEii52xDrqBFruhnmtmkiuHXFyFh-cglQ8mk,1160 +pip/_vendor/html5lib/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/html5lib/__pycache__/_ihatexml.cpython-38.pyc,, +pip/_vendor/html5lib/__pycache__/_inputstream.cpython-38.pyc,, +pip/_vendor/html5lib/__pycache__/_tokenizer.cpython-38.pyc,, +pip/_vendor/html5lib/__pycache__/_utils.cpython-38.pyc,, +pip/_vendor/html5lib/__pycache__/constants.cpython-38.pyc,, +pip/_vendor/html5lib/__pycache__/html5parser.cpython-38.pyc,, +pip/_vendor/html5lib/__pycache__/serializer.cpython-38.pyc,, +pip/_vendor/html5lib/_ihatexml.py,sha256=ifOwF7pXqmyThIXc3boWc96s4MDezqRrRVp7FwDYUFs,16728 +pip/_vendor/html5lib/_inputstream.py,sha256=jErNASMlkgs7MpOM9Ve_VdLDJyFFweAjLuhVutZz33U,32353 +pip/_vendor/html5lib/_tokenizer.py,sha256=04mgA2sNTniutl2fxFv-ei5bns4iRaPxVXXHh_HrV_4,77040 +pip/_vendor/html5lib/_trie/__init__.py,sha256=nqfgO910329BEVJ5T4psVwQtjd2iJyEXQ2-X8c1YxwU,109 +pip/_vendor/html5lib/_trie/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/html5lib/_trie/__pycache__/_base.cpython-38.pyc,, +pip/_vendor/html5lib/_trie/__pycache__/py.cpython-38.pyc,, +pip/_vendor/html5lib/_trie/_base.py,sha256=CaybYyMro8uERQYjby2tTeSUatnWDfWroUN9N7ety5w,1013 +pip/_vendor/html5lib/_trie/py.py,sha256=wXmQLrZRf4MyWNyg0m3h81m9InhLR7GJ002mIIZh-8o,1775 +pip/_vendor/html5lib/_utils.py,sha256=Dx9AKntksRjFT1veBj7I362pf5OgIaT0zglwq43RnfU,4931 +pip/_vendor/html5lib/constants.py,sha256=Ll-yzLU_jcjyAI_h57zkqZ7aQWE5t5xA4y_jQgoUUhw,83464 +pip/_vendor/html5lib/filters/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +pip/_vendor/html5lib/filters/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/html5lib/filters/__pycache__/alphabeticalattributes.cpython-38.pyc,, +pip/_vendor/html5lib/filters/__pycache__/base.cpython-38.pyc,, +pip/_vendor/html5lib/filters/__pycache__/inject_meta_charset.cpython-38.pyc,, +pip/_vendor/html5lib/filters/__pycache__/lint.cpython-38.pyc,, +pip/_vendor/html5lib/filters/__pycache__/optionaltags.cpython-38.pyc,, +pip/_vendor/html5lib/filters/__pycache__/sanitizer.cpython-38.pyc,, +pip/_vendor/html5lib/filters/__pycache__/whitespace.cpython-38.pyc,, +pip/_vendor/html5lib/filters/alphabeticalattributes.py,sha256=lViZc2JMCclXi_5gduvmdzrRxtO5Xo9ONnbHBVCsykU,919 +pip/_vendor/html5lib/filters/base.py,sha256=z-IU9ZAYjpsVsqmVt7kuWC63jR11hDMr6CVrvuao8W0,286 +pip/_vendor/html5lib/filters/inject_meta_charset.py,sha256=egDXUEHXmAG9504xz0K6ALDgYkvUrC2q15YUVeNlVQg,2945 +pip/_vendor/html5lib/filters/lint.py,sha256=jk6q56xY0ojiYfvpdP-OZSm9eTqcAdRqhCoPItemPYA,3643 +pip/_vendor/html5lib/filters/optionaltags.py,sha256=8lWT75J0aBOHmPgfmqTHSfPpPMp01T84NKu0CRedxcE,10588 +pip/_vendor/html5lib/filters/sanitizer.py,sha256=m6oGmkBhkGAnn2nV6D4hE78SCZ6WEnK9rKdZB3uXBIc,26897 +pip/_vendor/html5lib/filters/whitespace.py,sha256=8eWqZxd4UC4zlFGW6iyY6f-2uuT8pOCSALc3IZt7_t4,1214 +pip/_vendor/html5lib/html5parser.py,sha256=anr-aXre_ImfrkQ35c_rftKXxC80vJCREKe06Tq15HA,117186 +pip/_vendor/html5lib/serializer.py,sha256=_PpvcZF07cwE7xr9uKkZqh5f4UEaI8ltCU2xPJzaTpk,15759 +pip/_vendor/html5lib/treeadapters/__init__.py,sha256=A0rY5gXIe4bJOiSGRO_j_tFhngRBO8QZPzPtPw5dFzo,679 +pip/_vendor/html5lib/treeadapters/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/html5lib/treeadapters/__pycache__/genshi.cpython-38.pyc,, +pip/_vendor/html5lib/treeadapters/__pycache__/sax.cpython-38.pyc,, +pip/_vendor/html5lib/treeadapters/genshi.py,sha256=CH27pAsDKmu4ZGkAUrwty7u0KauGLCZRLPMzaO3M5vo,1715 +pip/_vendor/html5lib/treeadapters/sax.py,sha256=BKS8woQTnKiqeffHsxChUqL4q2ZR_wb5fc9MJ3zQC8s,1776 +pip/_vendor/html5lib/treebuilders/__init__.py,sha256=AysSJyvPfikCMMsTVvaxwkgDieELD5dfR8FJIAuq7hY,3592 +pip/_vendor/html5lib/treebuilders/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/html5lib/treebuilders/__pycache__/base.cpython-38.pyc,, +pip/_vendor/html5lib/treebuilders/__pycache__/dom.cpython-38.pyc,, +pip/_vendor/html5lib/treebuilders/__pycache__/etree.cpython-38.pyc,, +pip/_vendor/html5lib/treebuilders/__pycache__/etree_lxml.cpython-38.pyc,, +pip/_vendor/html5lib/treebuilders/base.py,sha256=z-o51vt9r_l2IDG5IioTOKGzZne4Fy3_Fc-7ztrOh4I,14565 +pip/_vendor/html5lib/treebuilders/dom.py,sha256=22whb0C71zXIsai5mamg6qzBEiigcBIvaDy4Asw3at0,8925 +pip/_vendor/html5lib/treebuilders/etree.py,sha256=w5ZFpKk6bAxnrwD2_BrF5EVC7vzz0L3LMi9Sxrbc_8w,12836 +pip/_vendor/html5lib/treebuilders/etree_lxml.py,sha256=9gqDjs-IxsPhBYa5cpvv2FZ1KZlG83Giusy2lFmvIkE,14766 +pip/_vendor/html5lib/treewalkers/__init__.py,sha256=OBPtc1TU5mGyy18QDMxKEyYEz0wxFUUNj5v0-XgmYhY,5719 +pip/_vendor/html5lib/treewalkers/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/html5lib/treewalkers/__pycache__/base.cpython-38.pyc,, +pip/_vendor/html5lib/treewalkers/__pycache__/dom.cpython-38.pyc,, +pip/_vendor/html5lib/treewalkers/__pycache__/etree.cpython-38.pyc,, +pip/_vendor/html5lib/treewalkers/__pycache__/etree_lxml.cpython-38.pyc,, +pip/_vendor/html5lib/treewalkers/__pycache__/genshi.cpython-38.pyc,, +pip/_vendor/html5lib/treewalkers/base.py,sha256=ouiOsuSzvI0KgzdWP8PlxIaSNs9falhbiinAEc_UIJY,7476 +pip/_vendor/html5lib/treewalkers/dom.py,sha256=EHyFR8D8lYNnyDU9lx_IKigVJRyecUGua0mOi7HBukc,1413 +pip/_vendor/html5lib/treewalkers/etree.py,sha256=xo1L5m9VtkfpFJK0pFmkLVajhqYYVisVZn3k9kYpPkI,4551 +pip/_vendor/html5lib/treewalkers/etree_lxml.py,sha256=_b0LAVWLcVu9WaU_-w3D8f0IRSpCbjf667V-3NRdhTw,6357 +pip/_vendor/html5lib/treewalkers/genshi.py,sha256=4D2PECZ5n3ZN3qu3jMl9yY7B81jnQApBQSVlfaIuYbA,2309 +pip/_vendor/idna/__init__.py,sha256=KJQN1eQBr8iIK5SKrJ47lXvxG0BJ7Lm38W4zT0v_8lk,849 +pip/_vendor/idna/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/idna/__pycache__/codec.cpython-38.pyc,, +pip/_vendor/idna/__pycache__/compat.cpython-38.pyc,, +pip/_vendor/idna/__pycache__/core.cpython-38.pyc,, +pip/_vendor/idna/__pycache__/idnadata.cpython-38.pyc,, +pip/_vendor/idna/__pycache__/intranges.cpython-38.pyc,, +pip/_vendor/idna/__pycache__/package_data.cpython-38.pyc,, +pip/_vendor/idna/__pycache__/uts46data.cpython-38.pyc,, +pip/_vendor/idna/codec.py,sha256=QsPFD3Je8gN17rfs14e7zTGRWlnL7bNf2ZqcHTRVYHs,3453 +pip/_vendor/idna/compat.py,sha256=5A9xR04puRHCsyjBNewZlVSiarth7K1bZqyEOeob1fA,360 +pip/_vendor/idna/core.py,sha256=icq2P13S6JMjoXgKhhd6ihhby7QsnZlNfniH6fLyf6U,12826 +pip/_vendor/idna/idnadata.py,sha256=cl4x9RLdw1ZMtEEbvKwAsX-Id3AdIjO5U3HaoKM6VGs,42350 +pip/_vendor/idna/intranges.py,sha256=EqgXwyATAn-CTACInqH9tYsYAitGB2VcQ50RZt_Cpjs,1933 +pip/_vendor/idna/package_data.py,sha256=_028B4fvadRIaXMwMYjhuQPP3AxTIt1IRE7X6RDR4Mk,21 +pip/_vendor/idna/uts46data.py,sha256=DGzwDQv8JijY17I_7ondo3stjFjNnjvVAbA-z0k1XOE,201849 +pip/_vendor/msgpack/__init__.py,sha256=2gJwcsTIaAtCM0GMi2rU-_Y6kILeeQuqRkrQ22jSANc,1118 +pip/_vendor/msgpack/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/msgpack/__pycache__/_version.cpython-38.pyc,, +pip/_vendor/msgpack/__pycache__/exceptions.cpython-38.pyc,, +pip/_vendor/msgpack/__pycache__/ext.cpython-38.pyc,, +pip/_vendor/msgpack/__pycache__/fallback.cpython-38.pyc,, +pip/_vendor/msgpack/_version.py,sha256=dFR03oACnj4lsKd1RnwD7BPMiVI_FMygdOL1TOBEw_U,20 +pip/_vendor/msgpack/exceptions.py,sha256=dCTWei8dpkrMsQDcjQk74ATl9HsIBH0ybt8zOPNqMYc,1081 +pip/_vendor/msgpack/ext.py,sha256=4l356Y4sVEcvCla2dh_cL57vh4GMhZfa3kuWHFHYz6A,6088 +pip/_vendor/msgpack/fallback.py,sha256=Rpv1Ldey8f8ueRnQznD4ARKBn9dxM2PywVNkXI8IEeE,38026 +pip/_vendor/packaging/__about__.py,sha256=p_OQloqH2saadcbUQmWEsWK857dI6_ff5E3aSiCqGFA,661 +pip/_vendor/packaging/__init__.py,sha256=b9Kk5MF7KxhhLgcDmiUWukN-LatWFxPdNug0joPhHSk,497 +pip/_vendor/packaging/__pycache__/__about__.cpython-38.pyc,, +pip/_vendor/packaging/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/packaging/__pycache__/_manylinux.cpython-38.pyc,, +pip/_vendor/packaging/__pycache__/_musllinux.cpython-38.pyc,, +pip/_vendor/packaging/__pycache__/_structures.cpython-38.pyc,, +pip/_vendor/packaging/__pycache__/markers.cpython-38.pyc,, +pip/_vendor/packaging/__pycache__/requirements.cpython-38.pyc,, +pip/_vendor/packaging/__pycache__/specifiers.cpython-38.pyc,, +pip/_vendor/packaging/__pycache__/tags.cpython-38.pyc,, +pip/_vendor/packaging/__pycache__/utils.cpython-38.pyc,, +pip/_vendor/packaging/__pycache__/version.cpython-38.pyc,, +pip/_vendor/packaging/_manylinux.py,sha256=XcbiXB-qcjv3bcohp6N98TMpOP4_j3m-iOA8ptK2GWY,11488 +pip/_vendor/packaging/_musllinux.py,sha256=z5yeG1ygOPx4uUyLdqj-p8Dk5UBb5H_b0NIjW9yo8oA,4378 +pip/_vendor/packaging/_structures.py,sha256=TMiAgFbdUOPmIfDIfiHc3KFhSJ8kMjof2QS5I-2NyQ8,1629 +pip/_vendor/packaging/markers.py,sha256=AJBOcY8Oq0kYc570KuuPTkvuqjAlhufaE2c9sCUbm64,8487 +pip/_vendor/packaging/requirements.py,sha256=NtDlPBtojpn1IUC85iMjPNsUmufjpSlwnNA-Xb4m5NA,4676 +pip/_vendor/packaging/specifiers.py,sha256=MZ-fYcNL3u7pNrt-6g2EQO7AbRXkjc-SPEYwXMQbLmc,30964 +pip/_vendor/packaging/tags.py,sha256=akIerYw8W0sz4OW9HHozgawWnbt2GGOPm3sviW0jowY,15714 +pip/_vendor/packaging/utils.py,sha256=dJjeat3BS-TYn1RrUFVwufUMasbtzLfYRoy_HXENeFQ,4200 +pip/_vendor/packaging/version.py,sha256=_fLRNrFrxYcHVfyo8vk9j8s6JM8N_xsSxVFr6RJyco8,14665 +pip/_vendor/pep517/__init__.py,sha256=qDgVbDWpBYpTvtxA2tilifXlxwzOzRqIodLZdbyahyQ,130 +pip/_vendor/pep517/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/pep517/__pycache__/build.cpython-38.pyc,, +pip/_vendor/pep517/__pycache__/check.cpython-38.pyc,, +pip/_vendor/pep517/__pycache__/colorlog.cpython-38.pyc,, +pip/_vendor/pep517/__pycache__/compat.cpython-38.pyc,, +pip/_vendor/pep517/__pycache__/dirtools.cpython-38.pyc,, +pip/_vendor/pep517/__pycache__/envbuild.cpython-38.pyc,, +pip/_vendor/pep517/__pycache__/meta.cpython-38.pyc,, +pip/_vendor/pep517/__pycache__/wrappers.cpython-38.pyc,, +pip/_vendor/pep517/build.py,sha256=MqN_W6o5a9oauTC0u6W5cILGFjf9x2BV9BdMLeY60hc,3469 +pip/_vendor/pep517/check.py,sha256=AYG2yvpzmtsL810c75Z5-nhaXa7SxgK8APyw-_x53Ok,6096 +pip/_vendor/pep517/colorlog.py,sha256=Tk9AuYm_cLF3BKTBoSTJt9bRryn0aFojIQOwbfVUTxQ,4098 +pip/_vendor/pep517/compat.py,sha256=fw2Py6lqLwJLfp6MKmXvt1m4sbbgoU1D-_gcScvz8OU,1071 +pip/_vendor/pep517/dirtools.py,sha256=2mkAkAL0mRz_elYFjRKuekTJVipH1zTn4tbf1EDev84,1129 +pip/_vendor/pep517/envbuild.py,sha256=LcST0MASmcQNLOFqDPxDoS1kjkglx8F6eEhoBJ-DWkg,6112 +pip/_vendor/pep517/in_process/__init__.py,sha256=MyWoAi8JHdcBv7yXuWpUSVADbx6LSB9rZh7kTIgdA8Y,563 +pip/_vendor/pep517/in_process/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/pep517/in_process/__pycache__/_in_process.cpython-38.pyc,, +pip/_vendor/pep517/in_process/_in_process.py,sha256=YJJf-qaL7BBVdgCHuMhTpx-LtwG1EIGVfly4rtusdiI,10833 +pip/_vendor/pep517/meta.py,sha256=8mnM5lDnT4zXQpBTliJbRGfesH7iioHwozbDxALPS9Y,2463 +pip/_vendor/pep517/wrappers.py,sha256=qCWfEUnbE5387PyQl7cT8xv4dDca4uNgro_0bnAO4Rk,13258 +pip/_vendor/pkg_resources/__init__.py,sha256=NnpQ3g6BCHzpMgOR_OLBmYtniY4oOzdKpwqghfq_6ug,108287 +pip/_vendor/pkg_resources/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/pkg_resources/__pycache__/py31compat.cpython-38.pyc,, +pip/_vendor/pkg_resources/py31compat.py,sha256=CRk8fkiPRDLsbi5pZcKsHI__Pbmh_94L8mr9Qy9Ab2U,562 +pip/_vendor/platformdirs/__init__.py,sha256=3iz938Grn-6IRg8gSuMxJtgiBfH0xqRqAlMBo-vPGUw,12859 +pip/_vendor/platformdirs/__main__.py,sha256=SzGvNkYWuosrWXs2yL2VqcXEh-kivWq3-53-BpTco0o,1140 +pip/_vendor/platformdirs/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/platformdirs/__pycache__/__main__.cpython-38.pyc,, +pip/_vendor/platformdirs/__pycache__/android.cpython-38.pyc,, +pip/_vendor/platformdirs/__pycache__/api.cpython-38.pyc,, +pip/_vendor/platformdirs/__pycache__/macos.cpython-38.pyc,, +pip/_vendor/platformdirs/__pycache__/unix.cpython-38.pyc,, +pip/_vendor/platformdirs/__pycache__/version.cpython-38.pyc,, +pip/_vendor/platformdirs/__pycache__/windows.cpython-38.pyc,, +pip/_vendor/platformdirs/android.py,sha256=dadYfG2oc900YVi5AONQWw2WEvk-kmgkZs5iiNSiWiE,3994 +pip/_vendor/platformdirs/api.py,sha256=yhRR6RkcZzPBfJD4Sn90vCHZbRMQ9nwtnRaa93X1wR8,4922 +pip/_vendor/platformdirs/macos.py,sha256=vIowPYKkHksJcWVjqHQoa-oI1i2D0S7gsSdyFzZDJEA,2619 +pip/_vendor/platformdirs/unix.py,sha256=7JdDnsyTFn2IHC8IFdiNYH7_R8VS-rPx8ivh4_dT1DU,6905 +pip/_vendor/platformdirs/version.py,sha256=uUssQTtUqVP-PxbOSNBzNGRW27X5u1GvOllg--kzyuw,80 +pip/_vendor/platformdirs/windows.py,sha256=91nNccR0CSxX_myMppSvUT1qtQao6kaO96e6ior8-Xw,6416 +pip/_vendor/progress/__init__.py,sha256=1HejNZtv2ouUNQeStUDAtZrtwkz_3FmYKQ476hJ7zOs,5294 +pip/_vendor/progress/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/progress/__pycache__/bar.cpython-38.pyc,, +pip/_vendor/progress/__pycache__/colors.cpython-38.pyc,, +pip/_vendor/progress/__pycache__/counter.cpython-38.pyc,, +pip/_vendor/progress/__pycache__/spinner.cpython-38.pyc,, +pip/_vendor/progress/bar.py,sha256=GbedY0oZ-Q1duXjmvVLO0tSf-uTSH7hJ3zzyI91Esws,2942 +pip/_vendor/progress/colors.py,sha256=cCYXQnYFYVmQKKmYEbQ_lj6SPSFzdw4FN98F2x2kR-U,2655 +pip/_vendor/progress/counter.py,sha256=zYt9DWH0_05s8Q9TrJwHVud-WwsyyaR3PwYtk5hxwwQ,1613 +pip/_vendor/progress/spinner.py,sha256=u5ElzW94XEiLGH-aAlr54VJtKfeK745xr6UfGvvflzU,1461 +pip/_vendor/pyparsing.py,sha256=J1b4z3S_KwyJW7hKGnoN-hXW9pgMIzIP6QThyY5yJq4,273394 +pip/_vendor/requests/__init__.py,sha256=g4Bh1QYh6JKjMS4YLobx0uOLq-41sINaXjvbhX2VI8g,5113 +pip/_vendor/requests/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/__version__.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/_internal_utils.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/adapters.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/api.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/auth.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/certs.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/compat.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/cookies.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/exceptions.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/help.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/hooks.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/models.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/packages.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/sessions.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/status_codes.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/structures.cpython-38.pyc,, +pip/_vendor/requests/__pycache__/utils.cpython-38.pyc,, +pip/_vendor/requests/__version__.py,sha256=PZEyPTSIN_jRIAIB51wV7pw81m3qAw0InSR7OrKZUnE,441 +pip/_vendor/requests/_internal_utils.py,sha256=Zx3PnEUccyfsB-ie11nZVAW8qClJy0gx1qNME7rgT18,1096 +pip/_vendor/requests/adapters.py,sha256=e-bmKEApNVqFdylxuMJJfiaHdlmS_zhWhIMEzlHvGuc,21548 +pip/_vendor/requests/api.py,sha256=hjuoP79IAEmX6Dysrw8t032cLfwLHxbI_wM4gC5G9t0,6402 +pip/_vendor/requests/auth.py,sha256=OMoJIVKyRLy9THr91y8rxysZuclwPB-K1Xg1zBomUhQ,10207 +pip/_vendor/requests/certs.py,sha256=nXRVq9DtGmv_1AYbwjTu9UrgAcdJv05ZvkNeaoLOZxY,465 +pip/_vendor/requests/compat.py,sha256=LQWuCR4qXk6w7-qQopXyz0WNHUdAD40k0mKnaAEf1-g,2045 +pip/_vendor/requests/cookies.py,sha256=Y-bKX6TvW3FnYlE6Au0SXtVVWcaNdFvuAwQxw-G0iTI,18430 +pip/_vendor/requests/exceptions.py,sha256=dwIi512RCDqXJ2T81nLC88mqPNhUFnOI_CgKKDXhTO8,3250 +pip/_vendor/requests/help.py,sha256=dyhe3lcmHXnFCzDiZVjcGmVvvO_jtsfAm-AC542ndw8,3972 +pip/_vendor/requests/hooks.py,sha256=QReGyy0bRcr5rkwCuObNakbYsc7EkiKeBwG4qHekr2Q,757 +pip/_vendor/requests/models.py,sha256=9_LS_t1t6HbbaWFE3ZkxGmmHN2V8BgxziiOU84rrQ50,34924 +pip/_vendor/requests/packages.py,sha256=njJmVifY4aSctuW3PP5EFRCxjEwMRDO6J_feG2dKWsI,695 +pip/_vendor/requests/sessions.py,sha256=57O4ud9yRL6eLYh-dtFbqC1kO4d_EwZcCgYXEkujlfs,30168 +pip/_vendor/requests/status_codes.py,sha256=gT79Pbs_cQjBgp-fvrUgg1dn2DQO32bDj4TInjnMPSc,4188 +pip/_vendor/requests/structures.py,sha256=msAtr9mq1JxHd-JRyiILfdFlpbJwvvFuP3rfUQT_QxE,3005 +pip/_vendor/requests/utils.py,sha256=U_-i6WxLw-67KEij43xHbcvL0DdeQ5Jbd4hfifWJzQY,31394 +pip/_vendor/resolvelib/__init__.py,sha256=fzWkeoLV8ol6l2fvBVRZZLylOePc9w9tKRvUb8RJsCY,537 +pip/_vendor/resolvelib/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/resolvelib/__pycache__/providers.cpython-38.pyc,, +pip/_vendor/resolvelib/__pycache__/reporters.cpython-38.pyc,, +pip/_vendor/resolvelib/__pycache__/resolvers.cpython-38.pyc,, +pip/_vendor/resolvelib/__pycache__/structs.cpython-38.pyc,, +pip/_vendor/resolvelib/compat/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +pip/_vendor/resolvelib/compat/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/resolvelib/compat/__pycache__/collections_abc.cpython-38.pyc,, +pip/_vendor/resolvelib/compat/collections_abc.py,sha256=uy8xUZ-NDEw916tugUXm8HgwCGiMO0f-RcdnpkfXfOs,156 +pip/_vendor/resolvelib/providers.py,sha256=roVmFBItQJ0TkhNua65h8LdNny7rmeqVEXZu90QiP4o,5872 +pip/_vendor/resolvelib/reporters.py,sha256=hQvvXuuEBOyEWO8KDfLsWKVjX55UFMAUwO0YZMNpzAw,1364 +pip/_vendor/resolvelib/resolvers.py,sha256=UjFUEVrUa1hCzfEEakmjHEjYAL9J5ACJmwZyHFdmzvE,17540 +pip/_vendor/resolvelib/structs.py,sha256=IVIYof6sA_N4ZEiE1C1UhzTX495brCNnyCdgq6CYq28,4794 +pip/_vendor/six.py,sha256=TOOfQi7nFGfMrIvtdr6wX4wyHH8M7aknmuLfo2cBBrM,34549 +pip/_vendor/tenacity/__init__.py,sha256=GLLsTFD4Bd5VDgTR6mU_FxyOsrxc48qONorVaRebeD4,18257 +pip/_vendor/tenacity/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/tenacity/__pycache__/_asyncio.cpython-38.pyc,, +pip/_vendor/tenacity/__pycache__/_utils.cpython-38.pyc,, +pip/_vendor/tenacity/__pycache__/after.cpython-38.pyc,, +pip/_vendor/tenacity/__pycache__/before.cpython-38.pyc,, +pip/_vendor/tenacity/__pycache__/before_sleep.cpython-38.pyc,, +pip/_vendor/tenacity/__pycache__/nap.cpython-38.pyc,, +pip/_vendor/tenacity/__pycache__/retry.cpython-38.pyc,, +pip/_vendor/tenacity/__pycache__/stop.cpython-38.pyc,, +pip/_vendor/tenacity/__pycache__/tornadoweb.cpython-38.pyc,, +pip/_vendor/tenacity/__pycache__/wait.cpython-38.pyc,, +pip/_vendor/tenacity/_asyncio.py,sha256=HEb0BVJEeBJE9P-m9XBxh1KcaF96BwoeqkJCL5sbVcQ,3314 +pip/_vendor/tenacity/_utils.py,sha256=-y68scDcyoqvTJuJJ0GTfjdSCljEYlbCYvgk7nM4NdM,1944 +pip/_vendor/tenacity/after.py,sha256=dlmyxxFy2uqpLXDr838DiEd7jgv2AGthsWHGYcGYsaI,1496 +pip/_vendor/tenacity/before.py,sha256=7XtvRmO0dRWUp8SVn24OvIiGFj8-4OP5muQRUiWgLh0,1376 +pip/_vendor/tenacity/before_sleep.py,sha256=ThyDvqKU5yle_IvYQz_b6Tp6UjUS0PhVp6zgqYl9U6Y,1908 +pip/_vendor/tenacity/nap.py,sha256=fRWvnz1aIzbIq9Ap3gAkAZgDH6oo5zxMrU6ZOVByq0I,1383 +pip/_vendor/tenacity/retry.py,sha256=62R71W59bQjuNyFKsDM7hE2aEkEPtwNBRA0tnsEvgSk,6645 +pip/_vendor/tenacity/stop.py,sha256=sKHmHaoSaW6sKu3dTxUVKr1-stVkY7lw4Y9yjZU30zQ,2790 +pip/_vendor/tenacity/tornadoweb.py,sha256=E8lWO2nwe6dJgoB-N2HhQprYLDLB_UdSgFnv-EN6wKE,2145 +pip/_vendor/tenacity/wait.py,sha256=e_Saa6I2tsNLpCL1t9897wN2fGb0XQMQlE4bU2t9V2w,6691 +pip/_vendor/tomli/__init__.py,sha256=z1Elt0nLAqU5Y0DOn9p__8QnLWavlEOpRyQikdYgKro,230 +pip/_vendor/tomli/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/tomli/__pycache__/_parser.cpython-38.pyc,, +pip/_vendor/tomli/__pycache__/_re.cpython-38.pyc,, +pip/_vendor/tomli/_parser.py,sha256=50BD4o9YbzFAGAYyZLqZC8F81DQ7iWWyJnrHNwBKa6A,22415 +pip/_vendor/tomli/_re.py,sha256=5GPfgXKteg7wRFCF-DzlkAPI2ilHbkMK2-JC49F-AJQ,2681 +pip/_vendor/urllib3/__init__.py,sha256=j3yzHIbmW7CS-IKQJ9-PPQf_YKO8EOAey_rMW0UR7us,2763 +pip/_vendor/urllib3/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/urllib3/__pycache__/_collections.cpython-38.pyc,, +pip/_vendor/urllib3/__pycache__/_version.cpython-38.pyc,, +pip/_vendor/urllib3/__pycache__/connection.cpython-38.pyc,, +pip/_vendor/urllib3/__pycache__/connectionpool.cpython-38.pyc,, +pip/_vendor/urllib3/__pycache__/exceptions.cpython-38.pyc,, +pip/_vendor/urllib3/__pycache__/fields.cpython-38.pyc,, +pip/_vendor/urllib3/__pycache__/filepost.cpython-38.pyc,, +pip/_vendor/urllib3/__pycache__/poolmanager.cpython-38.pyc,, +pip/_vendor/urllib3/__pycache__/request.cpython-38.pyc,, +pip/_vendor/urllib3/__pycache__/response.cpython-38.pyc,, +pip/_vendor/urllib3/_collections.py,sha256=Rp1mVyBgc_UlAcp6M3at1skJBXR5J43NawRTvW2g_XY,10811 +pip/_vendor/urllib3/_version.py,sha256=CA4bKbKLwUBfKitbVR-44Whe53HWyInIVElDQQniAJU,63 +pip/_vendor/urllib3/connection.py,sha256=8TiEbQrJMgySqOllKNeX5tMv8nluKRjNj5j9hyzS6x0,20080 +pip/_vendor/urllib3/connectionpool.py,sha256=FQoodlNAP1KeUi4htGdl5TJEvKL5LWisCbmFNewxRpg,37587 +pip/_vendor/urllib3/contrib/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +pip/_vendor/urllib3/contrib/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/urllib3/contrib/__pycache__/_appengine_environ.cpython-38.pyc,, +pip/_vendor/urllib3/contrib/__pycache__/appengine.cpython-38.pyc,, +pip/_vendor/urllib3/contrib/__pycache__/ntlmpool.cpython-38.pyc,, +pip/_vendor/urllib3/contrib/__pycache__/pyopenssl.cpython-38.pyc,, +pip/_vendor/urllib3/contrib/__pycache__/securetransport.cpython-38.pyc,, +pip/_vendor/urllib3/contrib/__pycache__/socks.cpython-38.pyc,, +pip/_vendor/urllib3/contrib/_appengine_environ.py,sha256=bDbyOEhW2CKLJcQqAKAyrEHN-aklsyHFKq6vF8ZFsmk,957 +pip/_vendor/urllib3/contrib/_securetransport/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +pip/_vendor/urllib3/contrib/_securetransport/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/urllib3/contrib/_securetransport/__pycache__/bindings.cpython-38.pyc,, +pip/_vendor/urllib3/contrib/_securetransport/__pycache__/low_level.cpython-38.pyc,, +pip/_vendor/urllib3/contrib/_securetransport/bindings.py,sha256=eRy1Mj-wpg7sR6-OSvnSV4jUbjMT464dLN_CWxbIRVw,17649 +pip/_vendor/urllib3/contrib/_securetransport/low_level.py,sha256=B2JBB2_NRP02xK6DCa1Pa9IuxrPwxzDzZbixQkb7U9M,13922 +pip/_vendor/urllib3/contrib/appengine.py,sha256=lfzpHFmJiO82shClLEm3QB62SYgHWnjpZOH_2JhU5Tc,11034 +pip/_vendor/urllib3/contrib/ntlmpool.py,sha256=ej9gGvfAb2Gt00lafFp45SIoRz-QwrQ4WChm6gQmAlM,4538 +pip/_vendor/urllib3/contrib/pyopenssl.py,sha256=DD4pInv_3OEEGffEFynBoirc8ldR789sLmGSKukzA0E,16900 +pip/_vendor/urllib3/contrib/securetransport.py,sha256=4qUKo7PUV-vVIqXmr2BD-sH7qplB918jiD5eNsRI9vU,34449 +pip/_vendor/urllib3/contrib/socks.py,sha256=aRi9eWXo9ZEb95XUxef4Z21CFlnnjbEiAo9HOseoMt4,7097 +pip/_vendor/urllib3/exceptions.py,sha256=0Mnno3KHTNfXRfY7638NufOPkUb6mXOm-Lqj-4x2w8A,8217 +pip/_vendor/urllib3/fields.py,sha256=kvLDCg_JmH1lLjUUEY_FLS8UhY7hBvDPuVETbY8mdrM,8579 +pip/_vendor/urllib3/filepost.py,sha256=5b_qqgRHVlL7uLtdAYBzBh-GHmU5AfJVt_2N0XS3PeY,2440 +pip/_vendor/urllib3/packages/__init__.py,sha256=h4BLhD4tLaBx1adaDtKXfupsgqY0wWLXb_f1_yVlV6A,108 +pip/_vendor/urllib3/packages/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/urllib3/packages/__pycache__/six.cpython-38.pyc,, +pip/_vendor/urllib3/packages/backports/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +pip/_vendor/urllib3/packages/backports/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/urllib3/packages/backports/__pycache__/makefile.cpython-38.pyc,, +pip/_vendor/urllib3/packages/backports/makefile.py,sha256=nbzt3i0agPVP07jqqgjhaYjMmuAi_W5E0EywZivVO8E,1417 +pip/_vendor/urllib3/packages/six.py,sha256=1LVW7ljqRirFlfExjwl-v1B7vSAUNTmzGMs-qays2zg,34666 +pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py,sha256=ZVMwCkHx-py8ERsxxM3Il-MiREZktV-8iLBmCfRRHI4,927 +pip/_vendor/urllib3/packages/ssl_match_hostname/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/urllib3/packages/ssl_match_hostname/__pycache__/_implementation.cpython-38.pyc,, +pip/_vendor/urllib3/packages/ssl_match_hostname/_implementation.py,sha256=6dZ-q074g7XhsJ27MFCgkct8iVNZB3sMZvKhf-KUVy0,5679 +pip/_vendor/urllib3/poolmanager.py,sha256=whzlX6UTEgODMOCy0ZDMUONRBCz5wyIM8Z9opXAY-Lk,19763 +pip/_vendor/urllib3/request.py,sha256=ZFSIqX0C6WizixecChZ3_okyu7BEv0lZu1VT0s6h4SM,5985 +pip/_vendor/urllib3/response.py,sha256=hGhGBh7TkEkh_IQg5C1W_xuPNrgIKv5BUXPyE-q0LuE,28203 +pip/_vendor/urllib3/util/__init__.py,sha256=JEmSmmqqLyaw8P51gUImZh8Gwg9i1zSe-DoqAitn2nc,1155 +pip/_vendor/urllib3/util/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/urllib3/util/__pycache__/connection.cpython-38.pyc,, +pip/_vendor/urllib3/util/__pycache__/proxy.cpython-38.pyc,, +pip/_vendor/urllib3/util/__pycache__/queue.cpython-38.pyc,, +pip/_vendor/urllib3/util/__pycache__/request.cpython-38.pyc,, +pip/_vendor/urllib3/util/__pycache__/response.cpython-38.pyc,, +pip/_vendor/urllib3/util/__pycache__/retry.cpython-38.pyc,, +pip/_vendor/urllib3/util/__pycache__/ssl_.cpython-38.pyc,, +pip/_vendor/urllib3/util/__pycache__/ssltransport.cpython-38.pyc,, +pip/_vendor/urllib3/util/__pycache__/timeout.cpython-38.pyc,, +pip/_vendor/urllib3/util/__pycache__/url.cpython-38.pyc,, +pip/_vendor/urllib3/util/__pycache__/wait.cpython-38.pyc,, +pip/_vendor/urllib3/util/connection.py,sha256=KykjNIXzUZEzeKEOpl5xvKs6IsESXP9o9eTrjE0W_Ys,4920 +pip/_vendor/urllib3/util/proxy.py,sha256=zUvPPCJrp6dOF0N4GAVbOcl6o-4uXKSrGiTkkr5vUS4,1605 +pip/_vendor/urllib3/util/queue.py,sha256=nRgX8_eX-_VkvxoX096QWoz8Ps0QHUAExILCY_7PncM,498 +pip/_vendor/urllib3/util/request.py,sha256=NnzaEKQ1Pauw5MFMV6HmgEMHITf0Aua9fQuzi2uZzGc,4123 +pip/_vendor/urllib3/util/response.py,sha256=GJpg3Egi9qaJXRwBh5wv-MNuRWan5BIu40oReoxWP28,3510 +pip/_vendor/urllib3/util/retry.py,sha256=tOWfZpLsuc7Vbk5nWpMwkHdMoXCp90IAvH4xtjSDRqQ,21391 +pip/_vendor/urllib3/util/ssl_.py,sha256=X4-AqW91aYPhPx6-xbf66yHFQKbqqfC_5Zt4WkLX1Hc,17177 +pip/_vendor/urllib3/util/ssltransport.py,sha256=F_UncOXGcc-MgeWFTA1H4QCt_RRNQXRbF6onje3SyHY,6931 +pip/_vendor/urllib3/util/timeout.py,sha256=QSbBUNOB9yh6AnDn61SrLQ0hg5oz0I9-uXEG91AJuIg,10003 +pip/_vendor/urllib3/util/url.py,sha256=QVEzcbHipbXyCWwH6R4K4TR-N8T4LM55WEMwNUTBmLE,14047 +pip/_vendor/urllib3/util/wait.py,sha256=3MUKRSAUJDB2tgco7qRUskW0zXGAWYvRRE4Q1_6xlLs,5404 +pip/_vendor/vendor.txt,sha256=LpE7b5PWe-mB73jeAlVuE8B52feSnDUtziqE1wNF6vE,369 +pip/_vendor/webencodings/__init__.py,sha256=qOBJIuPy_4ByYH6W_bNgJF-qYQ2DoU-dKsDu5yRWCXg,10579 +pip/_vendor/webencodings/__pycache__/__init__.cpython-38.pyc,, +pip/_vendor/webencodings/__pycache__/labels.cpython-38.pyc,, +pip/_vendor/webencodings/__pycache__/mklabels.cpython-38.pyc,, +pip/_vendor/webencodings/__pycache__/tests.cpython-38.pyc,, +pip/_vendor/webencodings/__pycache__/x_user_defined.cpython-38.pyc,, +pip/_vendor/webencodings/labels.py,sha256=4AO_KxTddqGtrL9ns7kAPjb0CcN6xsCIxbK37HY9r3E,8979 +pip/_vendor/webencodings/mklabels.py,sha256=GYIeywnpaLnP0GSic8LFWgd0UVvO_l1Nc6YoF-87R_4,1305 +pip/_vendor/webencodings/tests.py,sha256=OtGLyjhNY1fvkW1GvLJ_FV9ZoqC9Anyjr7q3kxTbzNs,6563 +pip/_vendor/webencodings/x_user_defined.py,sha256=yOqWSdmpytGfUgh_Z6JYgDNhoc-BAHyyeeT15Fr42tM,4307 +pip/py.typed,sha256=EBVvvPRTn_eIpz5e5QztSCdrMX7Qwd7VP93RSoIlZ2I,286 diff --git a/venv/Lib/site-packages/pip-21.3.dist-info/WHEEL b/venv/Lib/site-packages/pip-21.3.dist-info/WHEEL new file mode 100644 index 0000000..5bad85f --- /dev/null +++ b/venv/Lib/site-packages/pip-21.3.dist-info/WHEEL @@ -0,0 +1,5 @@ +Wheel-Version: 1.0 +Generator: bdist_wheel (0.37.0) +Root-Is-Purelib: true +Tag: py3-none-any + diff --git a/venv/Lib/site-packages/pip-21.3.dist-info/entry_points.txt b/venv/Lib/site-packages/pip-21.3.dist-info/entry_points.txt new file mode 100644 index 0000000..9609f72 --- /dev/null +++ b/venv/Lib/site-packages/pip-21.3.dist-info/entry_points.txt @@ -0,0 +1,5 @@ +[console_scripts] +pip = pip._internal.cli.main:main +pip3 = pip._internal.cli.main:main +pip3.9 = pip._internal.cli.main:main + diff --git a/venv/Lib/site-packages/pip-21.3.dist-info/top_level.txt b/venv/Lib/site-packages/pip-21.3.dist-info/top_level.txt new file mode 100644 index 0000000..a1b589e --- /dev/null +++ b/venv/Lib/site-packages/pip-21.3.dist-info/top_level.txt @@ -0,0 +1 @@ +pip diff --git a/venv/Lib/site-packages/pip/__init__.py b/venv/Lib/site-packages/pip/__init__.py new file mode 100644 index 0000000..e6de28e --- /dev/null +++ b/venv/Lib/site-packages/pip/__init__.py @@ -0,0 +1,13 @@ +from typing import List, Optional + +__version__ = "21.3" + + +def main(args: Optional[List[str]] = None) -> int: + """This is an internal API only meant for use by pip's own console scripts. + + For additional details, see https://github.com/pypa/pip/issues/7498. + """ + from pip._internal.utils.entrypoints import _wrapper + + return _wrapper(args) diff --git a/venv/Lib/site-packages/pip/__main__.py b/venv/Lib/site-packages/pip/__main__.py new file mode 100644 index 0000000..fe34a7b --- /dev/null +++ b/venv/Lib/site-packages/pip/__main__.py @@ -0,0 +1,31 @@ +import os +import sys +import warnings + +# Remove '' and current working directory from the first entry +# of sys.path, if present to avoid using current directory +# in pip commands check, freeze, install, list and show, +# when invoked as python -m pip <command> +if sys.path[0] in ("", os.getcwd()): + sys.path.pop(0) + +# If we are running from a wheel, add the wheel to sys.path +# This allows the usage python pip-*.whl/pip install pip-*.whl +if __package__ == "": + # __file__ is pip-*.whl/pip/__main__.py + # first dirname call strips of '/__main__.py', second strips off '/pip' + # Resulting path is the name of the wheel itself + # Add that to sys.path so we can import pip + path = os.path.dirname(os.path.dirname(__file__)) + sys.path.insert(0, path) + +if __name__ == "__main__": + # Work around the error reported in #9540, pending a proper fix. + # Note: It is essential the warning filter is set *before* importing + # pip, as the deprecation happens at import time, not runtime. + warnings.filterwarnings( + "ignore", category=DeprecationWarning, module=".*packaging\\.version" + ) + from pip._internal.cli.main import main as _main + + sys.exit(_main()) diff --git a/venv/Lib/site-packages/pip/_internal/__init__.py b/venv/Lib/site-packages/pip/_internal/__init__.py new file mode 100644 index 0000000..6afb5c6 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/__init__.py @@ -0,0 +1,19 @@ +from typing import List, Optional + +import pip._internal.utils.inject_securetransport # noqa +from pip._internal.utils import _log + +# init_logging() must be called before any call to logging.getLogger() +# which happens at import of most modules. +_log.init_logging() + + +def main(args: (Optional[List[str]]) = None) -> int: + """This is preserved for old console scripts that may still be referencing + it. + + For additional details, see https://github.com/pypa/pip/issues/7498. + """ + from pip._internal.utils.entrypoints import _wrapper + + return _wrapper(args) diff --git a/venv/Lib/site-packages/pip/_internal/build_env.py b/venv/Lib/site-packages/pip/_internal/build_env.py new file mode 100644 index 0000000..8faf1cf --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/build_env.py @@ -0,0 +1,293 @@ +"""Build Environment used for isolation during sdist building +""" + +import contextlib +import logging +import os +import pathlib +import sys +import textwrap +import zipfile +from collections import OrderedDict +from sysconfig import get_paths +from types import TracebackType +from typing import TYPE_CHECKING, Iterable, Iterator, List, Optional, Set, Tuple, Type + +from pip._vendor.certifi import where +from pip._vendor.packaging.requirements import Requirement +from pip._vendor.packaging.version import Version + +from pip import __file__ as pip_location +from pip._internal.cli.spinners import open_spinner +from pip._internal.locations import get_platlib, get_prefixed_libs, get_purelib +from pip._internal.metadata import get_environment +from pip._internal.utils.subprocess import call_subprocess +from pip._internal.utils.temp_dir import TempDirectory, tempdir_kinds + +if TYPE_CHECKING: + from pip._internal.index.package_finder import PackageFinder + +logger = logging.getLogger(__name__) + + +class _Prefix: + def __init__(self, path: str) -> None: + self.path = path + self.setup = False + self.bin_dir = get_paths( + "nt" if os.name == "nt" else "posix_prefix", + vars={"base": path, "platbase": path}, + )["scripts"] + self.lib_dirs = get_prefixed_libs(path) + + +@contextlib.contextmanager +def _create_standalone_pip() -> Iterator[str]: + """Create a "standalone pip" zip file. + + The zip file's content is identical to the currently-running pip. + It will be used to install requirements into the build environment. + """ + source = pathlib.Path(pip_location).resolve().parent + + # Return the current instance if `source` is not a directory. We can't build + # a zip from this, and it likely means the instance is already standalone. + if not source.is_dir(): + yield str(source) + return + + with TempDirectory(kind="standalone-pip") as tmp_dir: + pip_zip = os.path.join(tmp_dir.path, "__env_pip__.zip") + kwargs = {} + if sys.version_info >= (3, 8): + kwargs["strict_timestamps"] = False + with zipfile.ZipFile(pip_zip, "w", **kwargs) as zf: + for child in source.rglob("*"): + zf.write(child, child.relative_to(source.parent).as_posix()) + yield os.path.join(pip_zip, "pip") + + +class BuildEnvironment: + """Creates and manages an isolated environment to install build deps""" + + def __init__(self) -> None: + temp_dir = TempDirectory(kind=tempdir_kinds.BUILD_ENV, globally_managed=True) + + self._prefixes = OrderedDict( + (name, _Prefix(os.path.join(temp_dir.path, name))) + for name in ("normal", "overlay") + ) + + self._bin_dirs: List[str] = [] + self._lib_dirs: List[str] = [] + for prefix in reversed(list(self._prefixes.values())): + self._bin_dirs.append(prefix.bin_dir) + self._lib_dirs.extend(prefix.lib_dirs) + + # Customize site to: + # - ensure .pth files are honored + # - prevent access to system site packages + system_sites = { + os.path.normcase(site) for site in (get_purelib(), get_platlib()) + } + self._site_dir = os.path.join(temp_dir.path, "site") + if not os.path.exists(self._site_dir): + os.mkdir(self._site_dir) + with open(os.path.join(self._site_dir, "sitecustomize.py"), "w") as fp: + fp.write( + textwrap.dedent( + """ + import os, site, sys + + # First, drop system-sites related paths. + original_sys_path = sys.path[:] + known_paths = set() + for path in {system_sites!r}: + site.addsitedir(path, known_paths=known_paths) + system_paths = set( + os.path.normcase(path) + for path in sys.path[len(original_sys_path):] + ) + original_sys_path = [ + path for path in original_sys_path + if os.path.normcase(path) not in system_paths + ] + sys.path = original_sys_path + + # Second, add lib directories. + # ensuring .pth file are processed. + for path in {lib_dirs!r}: + assert not path in sys.path + site.addsitedir(path) + """ + ).format(system_sites=system_sites, lib_dirs=self._lib_dirs) + ) + + def __enter__(self) -> None: + self._save_env = { + name: os.environ.get(name, None) + for name in ("PATH", "PYTHONNOUSERSITE", "PYTHONPATH") + } + + path = self._bin_dirs[:] + old_path = self._save_env["PATH"] + if old_path: + path.extend(old_path.split(os.pathsep)) + + pythonpath = [self._site_dir] + + os.environ.update( + { + "PATH": os.pathsep.join(path), + "PYTHONNOUSERSITE": "1", + "PYTHONPATH": os.pathsep.join(pythonpath), + } + ) + + def __exit__( + self, + exc_type: Optional[Type[BaseException]], + exc_val: Optional[BaseException], + exc_tb: Optional[TracebackType], + ) -> None: + for varname, old_value in self._save_env.items(): + if old_value is None: + os.environ.pop(varname, None) + else: + os.environ[varname] = old_value + + def check_requirements( + self, reqs: Iterable[str] + ) -> Tuple[Set[Tuple[str, str]], Set[str]]: + """Return 2 sets: + - conflicting requirements: set of (installed, wanted) reqs tuples + - missing requirements: set of reqs + """ + missing = set() + conflicting = set() + if reqs: + env = get_environment(self._lib_dirs) + for req_str in reqs: + req = Requirement(req_str) + dist = env.get_distribution(req.name) + if not dist: + missing.add(req_str) + continue + if isinstance(dist.version, Version): + installed_req_str = f"{req.name}=={dist.version}" + else: + installed_req_str = f"{req.name}==={dist.version}" + if dist.version not in req.specifier: + conflicting.add((installed_req_str, req_str)) + # FIXME: Consider direct URL? + return conflicting, missing + + def install_requirements( + self, + finder: "PackageFinder", + requirements: Iterable[str], + prefix_as_string: str, + message: str, + ) -> None: + prefix = self._prefixes[prefix_as_string] + assert not prefix.setup + prefix.setup = True + if not requirements: + return + with contextlib.ExitStack() as ctx: + # TODO: Remove this block when dropping 3.6 support. Python 3.6 + # lacks importlib.resources and pep517 has issues loading files in + # a zip, so we fallback to the "old" method by adding the current + # pip directory to the child process's sys.path. + if sys.version_info < (3, 7): + pip_runnable = os.path.dirname(pip_location) + else: + pip_runnable = ctx.enter_context(_create_standalone_pip()) + self._install_requirements( + pip_runnable, + finder, + requirements, + prefix, + message, + ) + + @staticmethod + def _install_requirements( + pip_runnable: str, + finder: "PackageFinder", + requirements: Iterable[str], + prefix: _Prefix, + message: str, + ) -> None: + args: List[str] = [ + sys.executable, + pip_runnable, + "install", + "--ignore-installed", + "--no-user", + "--prefix", + prefix.path, + "--no-warn-script-location", + ] + if logger.getEffectiveLevel() <= logging.DEBUG: + args.append("-v") + for format_control in ("no_binary", "only_binary"): + formats = getattr(finder.format_control, format_control) + args.extend( + ( + "--" + format_control.replace("_", "-"), + ",".join(sorted(formats or {":none:"})), + ) + ) + + index_urls = finder.index_urls + if index_urls: + args.extend(["-i", index_urls[0]]) + for extra_index in index_urls[1:]: + args.extend(["--extra-index-url", extra_index]) + else: + args.append("--no-index") + for link in finder.find_links: + args.extend(["--find-links", link]) + + for host in finder.trusted_hosts: + args.extend(["--trusted-host", host]) + if finder.allow_all_prereleases: + args.append("--pre") + if finder.prefer_binary: + args.append("--prefer-binary") + args.append("--") + args.extend(requirements) + extra_environ = {"_PIP_STANDALONE_CERT": where()} + with open_spinner(message) as spinner: + call_subprocess(args, spinner=spinner, extra_environ=extra_environ) + + +class NoOpBuildEnvironment(BuildEnvironment): + """A no-op drop-in replacement for BuildEnvironment""" + + def __init__(self) -> None: + pass + + def __enter__(self) -> None: + pass + + def __exit__( + self, + exc_type: Optional[Type[BaseException]], + exc_val: Optional[BaseException], + exc_tb: Optional[TracebackType], + ) -> None: + pass + + def cleanup(self) -> None: + pass + + def install_requirements( + self, + finder: "PackageFinder", + requirements: Iterable[str], + prefix_as_string: str, + message: str, + ) -> None: + raise NotImplementedError() diff --git a/venv/Lib/site-packages/pip/_internal/cache.py b/venv/Lib/site-packages/pip/_internal/cache.py new file mode 100644 index 0000000..1d6df22 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/cache.py @@ -0,0 +1,264 @@ +"""Cache Management +""" + +import hashlib +import json +import logging +import os +from typing import Any, Dict, List, Optional, Set + +from pip._vendor.packaging.tags import Tag, interpreter_name, interpreter_version +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.exceptions import InvalidWheelFilename +from pip._internal.models.format_control import FormatControl +from pip._internal.models.link import Link +from pip._internal.models.wheel import Wheel +from pip._internal.utils.temp_dir import TempDirectory, tempdir_kinds +from pip._internal.utils.urls import path_to_url + +logger = logging.getLogger(__name__) + + +def _hash_dict(d: Dict[str, str]) -> str: + """Return a stable sha224 of a dictionary.""" + s = json.dumps(d, sort_keys=True, separators=(",", ":"), ensure_ascii=True) + return hashlib.sha224(s.encode("ascii")).hexdigest() + + +class Cache: + """An abstract class - provides cache directories for data from links + + + :param cache_dir: The root of the cache. + :param format_control: An object of FormatControl class to limit + binaries being read from the cache. + :param allowed_formats: which formats of files the cache should store. + ('binary' and 'source' are the only allowed values) + """ + + def __init__( + self, cache_dir: str, format_control: FormatControl, allowed_formats: Set[str] + ) -> None: + super().__init__() + assert not cache_dir or os.path.isabs(cache_dir) + self.cache_dir = cache_dir or None + self.format_control = format_control + self.allowed_formats = allowed_formats + + _valid_formats = {"source", "binary"} + assert self.allowed_formats.union(_valid_formats) == _valid_formats + + def _get_cache_path_parts(self, link: Link) -> List[str]: + """Get parts of part that must be os.path.joined with cache_dir""" + + # We want to generate an url to use as our cache key, we don't want to + # just re-use the URL because it might have other items in the fragment + # and we don't care about those. + key_parts = {"url": link.url_without_fragment} + if link.hash_name is not None and link.hash is not None: + key_parts[link.hash_name] = link.hash + if link.subdirectory_fragment: + key_parts["subdirectory"] = link.subdirectory_fragment + + # Include interpreter name, major and minor version in cache key + # to cope with ill-behaved sdists that build a different wheel + # depending on the python version their setup.py is being run on, + # and don't encode the difference in compatibility tags. + # https://github.com/pypa/pip/issues/7296 + key_parts["interpreter_name"] = interpreter_name() + key_parts["interpreter_version"] = interpreter_version() + + # Encode our key url with sha224, we'll use this because it has similar + # security properties to sha256, but with a shorter total output (and + # thus less secure). However the differences don't make a lot of + # difference for our use case here. + hashed = _hash_dict(key_parts) + + # We want to nest the directories some to prevent having a ton of top + # level directories where we might run out of sub directories on some + # FS. + parts = [hashed[:2], hashed[2:4], hashed[4:6], hashed[6:]] + + return parts + + def _get_candidates(self, link: Link, canonical_package_name: str) -> List[Any]: + can_not_cache = not self.cache_dir or not canonical_package_name or not link + if can_not_cache: + return [] + + formats = self.format_control.get_allowed_formats(canonical_package_name) + if not self.allowed_formats.intersection(formats): + return [] + + candidates = [] + path = self.get_path_for_link(link) + if os.path.isdir(path): + for candidate in os.listdir(path): + candidates.append((candidate, path)) + return candidates + + def get_path_for_link(self, link: Link) -> str: + """Return a directory to store cached items in for link.""" + raise NotImplementedError() + + def get( + self, + link: Link, + package_name: Optional[str], + supported_tags: List[Tag], + ) -> Link: + """Returns a link to a cached item if it exists, otherwise returns the + passed link. + """ + raise NotImplementedError() + + +class SimpleWheelCache(Cache): + """A cache of wheels for future installs.""" + + def __init__(self, cache_dir: str, format_control: FormatControl) -> None: + super().__init__(cache_dir, format_control, {"binary"}) + + def get_path_for_link(self, link: Link) -> str: + """Return a directory to store cached wheels for link + + Because there are M wheels for any one sdist, we provide a directory + to cache them in, and then consult that directory when looking up + cache hits. + + We only insert things into the cache if they have plausible version + numbers, so that we don't contaminate the cache with things that were + not unique. E.g. ./package might have dozens of installs done for it + and build a version of 0.0...and if we built and cached a wheel, we'd + end up using the same wheel even if the source has been edited. + + :param link: The link of the sdist for which this will cache wheels. + """ + parts = self._get_cache_path_parts(link) + assert self.cache_dir + # Store wheels within the root cache_dir + return os.path.join(self.cache_dir, "wheels", *parts) + + def get( + self, + link: Link, + package_name: Optional[str], + supported_tags: List[Tag], + ) -> Link: + candidates = [] + + if not package_name: + return link + + canonical_package_name = canonicalize_name(package_name) + for wheel_name, wheel_dir in self._get_candidates(link, canonical_package_name): + try: + wheel = Wheel(wheel_name) + except InvalidWheelFilename: + continue + if canonicalize_name(wheel.name) != canonical_package_name: + logger.debug( + "Ignoring cached wheel %s for %s as it " + "does not match the expected distribution name %s.", + wheel_name, + link, + package_name, + ) + continue + if not wheel.supported(supported_tags): + # Built for a different python/arch/etc + continue + candidates.append( + ( + wheel.support_index_min(supported_tags), + wheel_name, + wheel_dir, + ) + ) + + if not candidates: + return link + + _, wheel_name, wheel_dir = min(candidates) + return Link(path_to_url(os.path.join(wheel_dir, wheel_name))) + + +class EphemWheelCache(SimpleWheelCache): + """A SimpleWheelCache that creates it's own temporary cache directory""" + + def __init__(self, format_control: FormatControl) -> None: + self._temp_dir = TempDirectory( + kind=tempdir_kinds.EPHEM_WHEEL_CACHE, + globally_managed=True, + ) + + super().__init__(self._temp_dir.path, format_control) + + +class CacheEntry: + def __init__( + self, + link: Link, + persistent: bool, + ): + self.link = link + self.persistent = persistent + + +class WheelCache(Cache): + """Wraps EphemWheelCache and SimpleWheelCache into a single Cache + + This Cache allows for gracefully degradation, using the ephem wheel cache + when a certain link is not found in the simple wheel cache first. + """ + + def __init__(self, cache_dir: str, format_control: FormatControl) -> None: + super().__init__(cache_dir, format_control, {"binary"}) + self._wheel_cache = SimpleWheelCache(cache_dir, format_control) + self._ephem_cache = EphemWheelCache(format_control) + + def get_path_for_link(self, link: Link) -> str: + return self._wheel_cache.get_path_for_link(link) + + def get_ephem_path_for_link(self, link: Link) -> str: + return self._ephem_cache.get_path_for_link(link) + + def get( + self, + link: Link, + package_name: Optional[str], + supported_tags: List[Tag], + ) -> Link: + cache_entry = self.get_cache_entry(link, package_name, supported_tags) + if cache_entry is None: + return link + return cache_entry.link + + def get_cache_entry( + self, + link: Link, + package_name: Optional[str], + supported_tags: List[Tag], + ) -> Optional[CacheEntry]: + """Returns a CacheEntry with a link to a cached item if it exists or + None. The cache entry indicates if the item was found in the persistent + or ephemeral cache. + """ + retval = self._wheel_cache.get( + link=link, + package_name=package_name, + supported_tags=supported_tags, + ) + if retval is not link: + return CacheEntry(retval, persistent=True) + + retval = self._ephem_cache.get( + link=link, + package_name=package_name, + supported_tags=supported_tags, + ) + if retval is not link: + return CacheEntry(retval, persistent=False) + + return None diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/__init__.py b/venv/Lib/site-packages/pip/_internal/cli/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/__init__.py rename to venv/Lib/site-packages/pip/_internal/cli/__init__.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/autocompletion.py b/venv/Lib/site-packages/pip/_internal/cli/autocompletion.py similarity index 61% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/autocompletion.py rename to venv/Lib/site-packages/pip/_internal/cli/autocompletion.py index 0a04199..3cad148 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/autocompletion.py +++ b/venv/Lib/site-packages/pip/_internal/cli/autocompletion.py @@ -4,57 +4,62 @@ import optparse import os import sys +from itertools import chain +from typing import Any, Iterable, List, Optional from pip._internal.cli.main_parser import create_main_parser -from pip._internal.commands import commands_dict, get_summaries -from pip._internal.utils.misc import get_installed_distributions +from pip._internal.commands import commands_dict, create_command +from pip._internal.metadata import get_default_environment -def autocomplete(): - """Entry Point for completion of main and subcommand options. - """ +def autocomplete() -> None: + """Entry Point for completion of main and subcommand options.""" # Don't complete if user hasn't sourced bash_completion file. - if 'PIP_AUTO_COMPLETE' not in os.environ: + if "PIP_AUTO_COMPLETE" not in os.environ: return - cwords = os.environ['COMP_WORDS'].split()[1:] - cword = int(os.environ['COMP_CWORD']) + cwords = os.environ["COMP_WORDS"].split()[1:] + cword = int(os.environ["COMP_CWORD"]) try: current = cwords[cword - 1] except IndexError: - current = '' + current = "" - subcommands = [cmd for cmd, summary in get_summaries()] + parser = create_main_parser() + subcommands = list(commands_dict) options = [] - # subcommand - try: - subcommand_name = [w for w in cwords if w in subcommands][0] - except IndexError: - subcommand_name = None - parser = create_main_parser() + # subcommand + subcommand_name: Optional[str] = None + for word in cwords: + if word in subcommands: + subcommand_name = word + break # subcommand options - if subcommand_name: + if subcommand_name is not None: # special case: 'help' subcommand has no options - if subcommand_name == 'help': + if subcommand_name == "help": sys.exit(1) # special case: list locally installed dists for show and uninstall - should_list_installed = ( - subcommand_name in ['show', 'uninstall'] and - not current.startswith('-') - ) + should_list_installed = not current.startswith("-") and subcommand_name in [ + "show", + "uninstall", + ] if should_list_installed: - installed = [] + env = get_default_environment() lc = current.lower() - for dist in get_installed_distributions(local_only=True): - if dist.key.startswith(lc) and dist.key not in cwords[1:]: - installed.append(dist.key) + installed = [ + dist.canonical_name + for dist in env.iter_installed_distributions(local_only=True) + if dist.canonical_name.startswith(lc) + and dist.canonical_name not in cwords[1:] + ] # if there are no dists installed, fall back to option completion if installed: for dist in installed: print(dist) sys.exit(1) - subcommand = commands_dict[subcommand_name]() + subcommand = create_command(subcommand_name) for opt in subcommand.parser.option_list_all: if opt.help != optparse.SUPPRESS_HELP: @@ -62,46 +67,50 @@ def autocomplete(): options.append((opt_str, opt.nargs)) # filter out previously specified options from available options - prev_opts = [x.split('=')[0] for x in cwords[1:cword - 1]] + prev_opts = [x.split("=")[0] for x in cwords[1 : cword - 1]] options = [(x, v) for (x, v) in options if x not in prev_opts] # filter options by current input options = [(k, v) for k, v in options if k.startswith(current)] # get completion type given cwords and available subcommand options completion_type = get_path_completion_type( - cwords, cword, subcommand.parser.option_list_all, + cwords, + cword, + subcommand.parser.option_list_all, ) # get completion files and directories if ``completion_type`` is # ``<file>``, ``<dir>`` or ``<path>`` if completion_type: - options = auto_complete_paths(current, completion_type) - options = ((opt, 0) for opt in options) + paths = auto_complete_paths(current, completion_type) + options = [(path, 0) for path in paths] for option in options: opt_label = option[0] # append '=' to options which require args if option[1] and option[0][:2] == "--": - opt_label += '=' + opt_label += "=" print(opt_label) else: # show main parser options only when necessary opts = [i.option_list for i in parser.option_groups] opts.append(parser.option_list) - opts = (o for it in opts for o in it) - if current.startswith('-'): - for opt in opts: + flattened_opts = chain.from_iterable(opts) + if current.startswith("-"): + for opt in flattened_opts: if opt.help != optparse.SUPPRESS_HELP: subcommands += opt._long_opts + opt._short_opts else: # get completion type given cwords and all available options - completion_type = get_path_completion_type(cwords, cword, opts) + completion_type = get_path_completion_type(cwords, cword, flattened_opts) if completion_type: - subcommands = auto_complete_paths(current, completion_type) + subcommands = list(auto_complete_paths(current, completion_type)) - print(' '.join([x for x in subcommands if x.startswith(current)])) + print(" ".join([x for x in subcommands if x.startswith(current)])) sys.exit(1) -def get_path_completion_type(cwords, cword, opts): +def get_path_completion_type( + cwords: List[str], cword: int, opts: Iterable[Any] +) -> Optional[str]: """Get the type of path completion (``file``, ``dir``, ``path`` or None) :param cwords: same as the environmental variable ``COMP_WORDS`` @@ -109,20 +118,21 @@ def get_path_completion_type(cwords, cword, opts): :param opts: The available options to check :return: path completion type (``file``, ``dir``, ``path`` or None) """ - if cword < 2 or not cwords[cword - 2].startswith('-'): - return + if cword < 2 or not cwords[cword - 2].startswith("-"): + return None for opt in opts: if opt.help == optparse.SUPPRESS_HELP: continue - for o in str(opt).split('/'): - if cwords[cword - 2].split('=')[0] == o: + for o in str(opt).split("/"): + if cwords[cword - 2].split("=")[0] == o: if not opt.metavar or any( - x in ('path', 'file', 'dir') - for x in opt.metavar.split('/')): + x in ("path", "file", "dir") for x in opt.metavar.split("/") + ): return opt.metavar + return None -def auto_complete_paths(current, completion_type): +def auto_complete_paths(current: str, completion_type: str) -> Iterable[str]: """If ``completion_type`` is ``file`` or ``path``, list all regular files and directories starting with ``current``; otherwise only list directories starting with ``current``. @@ -138,15 +148,16 @@ def auto_complete_paths(current, completion_type): return filename = os.path.normcase(filename) # list all files that start with ``filename`` - file_list = (x for x in os.listdir(current_path) - if os.path.normcase(x).startswith(filename)) + file_list = ( + x for x in os.listdir(current_path) if os.path.normcase(x).startswith(filename) + ) for f in file_list: opt = os.path.join(current_path, f) comp_file = os.path.normcase(os.path.join(directory, f)) # complete regular files when there is not ``<dir>`` after option # complete directories when there is ``<file>``, ``<path>`` or # ``<dir>``after option - if completion_type != 'dir' and os.path.isfile(opt): + if completion_type != "dir" and os.path.isfile(opt): yield comp_file elif os.path.isdir(opt): - yield os.path.join(comp_file, '') + yield os.path.join(comp_file, "") diff --git a/venv/Lib/site-packages/pip/_internal/cli/base_command.py b/venv/Lib/site-packages/pip/_internal/cli/base_command.py new file mode 100644 index 0000000..0afe7e7 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/cli/base_command.py @@ -0,0 +1,214 @@ +"""Base Command class, and related routines""" + +import functools +import logging +import logging.config +import optparse +import os +import sys +import traceback +from optparse import Values +from typing import Any, Callable, List, Optional, Tuple + +from pip._internal.cli import cmdoptions +from pip._internal.cli.command_context import CommandContextMixIn +from pip._internal.cli.parser import ConfigOptionParser, UpdatingDefaultsHelpFormatter +from pip._internal.cli.status_codes import ( + ERROR, + PREVIOUS_BUILD_DIR_ERROR, + UNKNOWN_ERROR, + VIRTUALENV_NOT_FOUND, +) +from pip._internal.exceptions import ( + BadCommand, + CommandError, + InstallationError, + NetworkConnectionError, + PreviousBuildDirError, + UninstallationError, +) +from pip._internal.utils.filesystem import check_path_owner +from pip._internal.utils.logging import BrokenStdoutLoggingError, setup_logging +from pip._internal.utils.misc import get_prog, normalize_path +from pip._internal.utils.temp_dir import TempDirectoryTypeRegistry as TempDirRegistry +from pip._internal.utils.temp_dir import global_tempdir_manager, tempdir_registry +from pip._internal.utils.virtualenv import running_under_virtualenv + +__all__ = ["Command"] + +logger = logging.getLogger(__name__) + + +class Command(CommandContextMixIn): + usage: str = "" + ignore_require_venv: bool = False + + def __init__(self, name: str, summary: str, isolated: bool = False) -> None: + super().__init__() + + self.name = name + self.summary = summary + self.parser = ConfigOptionParser( + usage=self.usage, + prog=f"{get_prog()} {name}", + formatter=UpdatingDefaultsHelpFormatter(), + add_help_option=False, + name=name, + description=self.__doc__, + isolated=isolated, + ) + + self.tempdir_registry: Optional[TempDirRegistry] = None + + # Commands should add options to this option group + optgroup_name = f"{self.name.capitalize()} Options" + self.cmd_opts = optparse.OptionGroup(self.parser, optgroup_name) + + # Add the general options + gen_opts = cmdoptions.make_option_group( + cmdoptions.general_group, + self.parser, + ) + self.parser.add_option_group(gen_opts) + + self.add_options() + + def add_options(self) -> None: + pass + + def handle_pip_version_check(self, options: Values) -> None: + """ + This is a no-op so that commands by default do not do the pip version + check. + """ + # Make sure we do the pip version check if the index_group options + # are present. + assert not hasattr(options, "no_index") + + def run(self, options: Values, args: List[str]) -> int: + raise NotImplementedError + + def parse_args(self, args: List[str]) -> Tuple[Values, List[str]]: + # factored out for testability + return self.parser.parse_args(args) + + def main(self, args: List[str]) -> int: + try: + with self.main_context(): + return self._main(args) + finally: + logging.shutdown() + + def _main(self, args: List[str]) -> int: + # We must initialize this before the tempdir manager, otherwise the + # configuration would not be accessible by the time we clean up the + # tempdir manager. + self.tempdir_registry = self.enter_context(tempdir_registry()) + # Intentionally set as early as possible so globally-managed temporary + # directories are available to the rest of the code. + self.enter_context(global_tempdir_manager()) + + options, args = self.parse_args(args) + + # Set verbosity so that it can be used elsewhere. + self.verbosity = options.verbose - options.quiet + + level_number = setup_logging( + verbosity=self.verbosity, + no_color=options.no_color, + user_log_file=options.log, + ) + + # TODO: Try to get these passing down from the command? + # without resorting to os.environ to hold these. + # This also affects isolated builds and it should. + + if options.no_input: + os.environ["PIP_NO_INPUT"] = "1" + + if options.exists_action: + os.environ["PIP_EXISTS_ACTION"] = " ".join(options.exists_action) + + if options.require_venv and not self.ignore_require_venv: + # If a venv is required check if it can really be found + if not running_under_virtualenv(): + logger.critical("Could not find an activated virtualenv (required).") + sys.exit(VIRTUALENV_NOT_FOUND) + + if options.cache_dir: + options.cache_dir = normalize_path(options.cache_dir) + if not check_path_owner(options.cache_dir): + logger.warning( + "The directory '%s' or its parent directory is not owned " + "or is not writable by the current user. The cache " + "has been disabled. Check the permissions and owner of " + "that directory. If executing pip with sudo, you should " + "use sudo's -H flag.", + options.cache_dir, + ) + options.cache_dir = None + + if "2020-resolver" in options.features_enabled: + logger.warning( + "--use-feature=2020-resolver no longer has any effect, " + "since it is now the default dependency resolver in pip. " + "This will become an error in pip 21.0." + ) + + def intercepts_unhandled_exc( + run_func: Callable[..., int] + ) -> Callable[..., int]: + @functools.wraps(run_func) + def exc_logging_wrapper(*args: Any) -> int: + try: + status = run_func(*args) + assert isinstance(status, int) + return status + except PreviousBuildDirError as exc: + logger.critical(str(exc)) + logger.debug("Exception information:", exc_info=True) + + return PREVIOUS_BUILD_DIR_ERROR + except ( + InstallationError, + UninstallationError, + BadCommand, + NetworkConnectionError, + ) as exc: + logger.critical(str(exc)) + logger.debug("Exception information:", exc_info=True) + + return ERROR + except CommandError as exc: + logger.critical("%s", exc) + logger.debug("Exception information:", exc_info=True) + + return ERROR + except BrokenStdoutLoggingError: + # Bypass our logger and write any remaining messages to + # stderr because stdout no longer works. + print("ERROR: Pipe to stdout was broken", file=sys.stderr) + if level_number <= logging.DEBUG: + traceback.print_exc(file=sys.stderr) + + return ERROR + except KeyboardInterrupt: + logger.critical("Operation cancelled by user") + logger.debug("Exception information:", exc_info=True) + + return ERROR + except BaseException: + logger.critical("Exception:", exc_info=True) + + return UNKNOWN_ERROR + + return exc_logging_wrapper + + try: + if not options.debug_mode: + run = intercepts_unhandled_exc(self.run) + else: + run = self.run + return run(options, args) + finally: + self.handle_pip_version_check(options) diff --git a/venv/Lib/site-packages/pip/_internal/cli/cmdoptions.py b/venv/Lib/site-packages/pip/_internal/cli/cmdoptions.py new file mode 100644 index 0000000..626fd00 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/cli/cmdoptions.py @@ -0,0 +1,1010 @@ +""" +shared options and groups + +The principle here is to define options once, but *not* instantiate them +globally. One reason being that options with action='append' can carry state +between parses. pip parses general options twice internally, and shouldn't +pass on state. To be consistent, all options will follow this design. +""" + +# The following comment should be removed at some point in the future. +# mypy: strict-optional=False + +import os +import textwrap +import warnings +from functools import partial +from optparse import SUPPRESS_HELP, Option, OptionGroup, OptionParser, Values +from textwrap import dedent +from typing import Any, Callable, Dict, Optional, Tuple + +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.cli.parser import ConfigOptionParser +from pip._internal.cli.progress_bars import BAR_TYPES +from pip._internal.exceptions import CommandError +from pip._internal.locations import USER_CACHE_DIR, get_src_prefix +from pip._internal.models.format_control import FormatControl +from pip._internal.models.index import PyPI +from pip._internal.models.target_python import TargetPython +from pip._internal.utils.hashes import STRONG_HASHES +from pip._internal.utils.misc import strtobool + + +def raise_option_error(parser: OptionParser, option: Option, msg: str) -> None: + """ + Raise an option parsing error using parser.error(). + + Args: + parser: an OptionParser instance. + option: an Option instance. + msg: the error text. + """ + msg = f"{option} error: {msg}" + msg = textwrap.fill(" ".join(msg.split())) + parser.error(msg) + + +def make_option_group(group: Dict[str, Any], parser: ConfigOptionParser) -> OptionGroup: + """ + Return an OptionGroup object + group -- assumed to be dict with 'name' and 'options' keys + parser -- an optparse Parser + """ + option_group = OptionGroup(parser, group["name"]) + for option in group["options"]: + option_group.add_option(option()) + return option_group + + +def check_install_build_global( + options: Values, check_options: Optional[Values] = None +) -> None: + """Disable wheels if per-setup.py call options are set. + + :param options: The OptionParser options to update. + :param check_options: The options to check, if not supplied defaults to + options. + """ + if check_options is None: + check_options = options + + def getname(n: str) -> Optional[Any]: + return getattr(check_options, n, None) + + names = ["build_options", "global_options", "install_options"] + if any(map(getname, names)): + control = options.format_control + control.disallow_binaries() + warnings.warn( + "Disabling all use of wheels due to the use of --build-option " + "/ --global-option / --install-option.", + stacklevel=2, + ) + + +def check_dist_restriction(options: Values, check_target: bool = False) -> None: + """Function for determining if custom platform options are allowed. + + :param options: The OptionParser options. + :param check_target: Whether or not to check if --target is being used. + """ + dist_restriction_set = any( + [ + options.python_version, + options.platforms, + options.abis, + options.implementation, + ] + ) + + binary_only = FormatControl(set(), {":all:"}) + sdist_dependencies_allowed = ( + options.format_control != binary_only and not options.ignore_dependencies + ) + + # Installations or downloads using dist restrictions must not combine + # source distributions and dist-specific wheels, as they are not + # guaranteed to be locally compatible. + if dist_restriction_set and sdist_dependencies_allowed: + raise CommandError( + "When restricting platform and interpreter constraints using " + "--python-version, --platform, --abi, or --implementation, " + "either --no-deps must be set, or --only-binary=:all: must be " + "set and --no-binary must not be set (or must be set to " + ":none:)." + ) + + if check_target: + if dist_restriction_set and not options.target_dir: + raise CommandError( + "Can not use any platform or abi specific options unless " + "installing via '--target'" + ) + + +def _path_option_check(option: Option, opt: str, value: str) -> str: + return os.path.expanduser(value) + + +def _package_name_option_check(option: Option, opt: str, value: str) -> str: + return canonicalize_name(value) + + +class PipOption(Option): + TYPES = Option.TYPES + ("path", "package_name") + TYPE_CHECKER = Option.TYPE_CHECKER.copy() + TYPE_CHECKER["package_name"] = _package_name_option_check + TYPE_CHECKER["path"] = _path_option_check + + +########### +# options # +########### + +help_: Callable[..., Option] = partial( + Option, + "-h", + "--help", + dest="help", + action="help", + help="Show help.", +) + +debug_mode: Callable[..., Option] = partial( + Option, + "--debug", + dest="debug_mode", + action="store_true", + default=False, + help=( + "Let unhandled exceptions propagate outside the main subroutine, " + "instead of logging them to stderr." + ), +) + +isolated_mode: Callable[..., Option] = partial( + Option, + "--isolated", + dest="isolated_mode", + action="store_true", + default=False, + help=( + "Run pip in an isolated mode, ignoring environment variables and user " + "configuration." + ), +) + +require_virtualenv: Callable[..., Option] = partial( + Option, + # Run only if inside a virtualenv, bail if not. + "--require-virtualenv", + "--require-venv", + dest="require_venv", + action="store_true", + default=False, + help=SUPPRESS_HELP, +) + +verbose: Callable[..., Option] = partial( + Option, + "-v", + "--verbose", + dest="verbose", + action="count", + default=0, + help="Give more output. Option is additive, and can be used up to 3 times.", +) + +no_color: Callable[..., Option] = partial( + Option, + "--no-color", + dest="no_color", + action="store_true", + default=False, + help="Suppress colored output.", +) + +version: Callable[..., Option] = partial( + Option, + "-V", + "--version", + dest="version", + action="store_true", + help="Show version and exit.", +) + +quiet: Callable[..., Option] = partial( + Option, + "-q", + "--quiet", + dest="quiet", + action="count", + default=0, + help=( + "Give less output. Option is additive, and can be used up to 3" + " times (corresponding to WARNING, ERROR, and CRITICAL logging" + " levels)." + ), +) + +progress_bar: Callable[..., Option] = partial( + Option, + "--progress-bar", + dest="progress_bar", + type="choice", + choices=list(BAR_TYPES.keys()), + default="on", + help=( + "Specify type of progress to be displayed [" + + "|".join(BAR_TYPES.keys()) + + "] (default: %default)" + ), +) + +log: Callable[..., Option] = partial( + PipOption, + "--log", + "--log-file", + "--local-log", + dest="log", + metavar="path", + type="path", + help="Path to a verbose appending log.", +) + +no_input: Callable[..., Option] = partial( + Option, + # Don't ask for input + "--no-input", + dest="no_input", + action="store_true", + default=False, + help="Disable prompting for input.", +) + +proxy: Callable[..., Option] = partial( + Option, + "--proxy", + dest="proxy", + type="str", + default="", + help="Specify a proxy in the form [user:passwd@]proxy.server:port.", +) + +retries: Callable[..., Option] = partial( + Option, + "--retries", + dest="retries", + type="int", + default=5, + help="Maximum number of retries each connection should attempt " + "(default %default times).", +) + +timeout: Callable[..., Option] = partial( + Option, + "--timeout", + "--default-timeout", + metavar="sec", + dest="timeout", + type="float", + default=15, + help="Set the socket timeout (default %default seconds).", +) + + +def exists_action() -> Option: + return Option( + # Option when path already exist + "--exists-action", + dest="exists_action", + type="choice", + choices=["s", "i", "w", "b", "a"], + default=[], + action="append", + metavar="action", + help="Default action when a path already exists: " + "(s)witch, (i)gnore, (w)ipe, (b)ackup, (a)bort.", + ) + + +cert: Callable[..., Option] = partial( + PipOption, + "--cert", + dest="cert", + type="path", + metavar="path", + help=( + "Path to PEM-encoded CA certificate bundle. " + "If provided, overrides the default. " + "See 'SSL Certificate Verification' in pip documentation " + "for more information." + ), +) + +client_cert: Callable[..., Option] = partial( + PipOption, + "--client-cert", + dest="client_cert", + type="path", + default=None, + metavar="path", + help="Path to SSL client certificate, a single file containing the " + "private key and the certificate in PEM format.", +) + +index_url: Callable[..., Option] = partial( + Option, + "-i", + "--index-url", + "--pypi-url", + dest="index_url", + metavar="URL", + default=PyPI.simple_url, + help="Base URL of the Python Package Index (default %default). " + "This should point to a repository compliant with PEP 503 " + "(the simple repository API) or a local directory laid out " + "in the same format.", +) + + +def extra_index_url() -> Option: + return Option( + "--extra-index-url", + dest="extra_index_urls", + metavar="URL", + action="append", + default=[], + help="Extra URLs of package indexes to use in addition to " + "--index-url. Should follow the same rules as " + "--index-url.", + ) + + +no_index: Callable[..., Option] = partial( + Option, + "--no-index", + dest="no_index", + action="store_true", + default=False, + help="Ignore package index (only looking at --find-links URLs instead).", +) + + +def find_links() -> Option: + return Option( + "-f", + "--find-links", + dest="find_links", + action="append", + default=[], + metavar="url", + help="If a URL or path to an html file, then parse for links to " + "archives such as sdist (.tar.gz) or wheel (.whl) files. " + "If a local path or file:// URL that's a directory, " + "then look for archives in the directory listing. " + "Links to VCS project URLs are not supported.", + ) + + +def trusted_host() -> Option: + return Option( + "--trusted-host", + dest="trusted_hosts", + action="append", + metavar="HOSTNAME", + default=[], + help="Mark this host or host:port pair as trusted, even though it " + "does not have valid or any HTTPS.", + ) + + +def constraints() -> Option: + return Option( + "-c", + "--constraint", + dest="constraints", + action="append", + default=[], + metavar="file", + help="Constrain versions using the given constraints file. " + "This option can be used multiple times.", + ) + + +def requirements() -> Option: + return Option( + "-r", + "--requirement", + dest="requirements", + action="append", + default=[], + metavar="file", + help="Install from the given requirements file. " + "This option can be used multiple times.", + ) + + +def editable() -> Option: + return Option( + "-e", + "--editable", + dest="editables", + action="append", + default=[], + metavar="path/url", + help=( + "Install a project in editable mode (i.e. setuptools " + '"develop mode") from a local project path or a VCS url.' + ), + ) + + +def _handle_src(option: Option, opt_str: str, value: str, parser: OptionParser) -> None: + value = os.path.abspath(value) + setattr(parser.values, option.dest, value) + + +src: Callable[..., Option] = partial( + PipOption, + "--src", + "--source", + "--source-dir", + "--source-directory", + dest="src_dir", + type="path", + metavar="dir", + default=get_src_prefix(), + action="callback", + callback=_handle_src, + help="Directory to check out editable projects into. " + 'The default in a virtualenv is "<venv path>/src". ' + 'The default for global installs is "<current dir>/src".', +) + + +def _get_format_control(values: Values, option: Option) -> Any: + """Get a format_control object.""" + return getattr(values, option.dest) + + +def _handle_no_binary( + option: Option, opt_str: str, value: str, parser: OptionParser +) -> None: + existing = _get_format_control(parser.values, option) + FormatControl.handle_mutual_excludes( + value, + existing.no_binary, + existing.only_binary, + ) + + +def _handle_only_binary( + option: Option, opt_str: str, value: str, parser: OptionParser +) -> None: + existing = _get_format_control(parser.values, option) + FormatControl.handle_mutual_excludes( + value, + existing.only_binary, + existing.no_binary, + ) + + +def no_binary() -> Option: + format_control = FormatControl(set(), set()) + return Option( + "--no-binary", + dest="format_control", + action="callback", + callback=_handle_no_binary, + type="str", + default=format_control, + help="Do not use binary packages. Can be supplied multiple times, and " + 'each time adds to the existing value. Accepts either ":all:" to ' + 'disable all binary packages, ":none:" to empty the set (notice ' + "the colons), or one or more package names with commas between " + "them (no colons). Note that some packages are tricky to compile " + "and may fail to install when this option is used on them.", + ) + + +def only_binary() -> Option: + format_control = FormatControl(set(), set()) + return Option( + "--only-binary", + dest="format_control", + action="callback", + callback=_handle_only_binary, + type="str", + default=format_control, + help="Do not use source packages. Can be supplied multiple times, and " + 'each time adds to the existing value. Accepts either ":all:" to ' + 'disable all source packages, ":none:" to empty the set, or one ' + "or more package names with commas between them. Packages " + "without binary distributions will fail to install when this " + "option is used on them.", + ) + + +platforms: Callable[..., Option] = partial( + Option, + "--platform", + dest="platforms", + metavar="platform", + action="append", + default=None, + help=( + "Only use wheels compatible with <platform>. Defaults to the " + "platform of the running system. Use this option multiple times to " + "specify multiple platforms supported by the target interpreter." + ), +) + + +# This was made a separate function for unit-testing purposes. +def _convert_python_version(value: str) -> Tuple[Tuple[int, ...], Optional[str]]: + """ + Convert a version string like "3", "37", or "3.7.3" into a tuple of ints. + + :return: A 2-tuple (version_info, error_msg), where `error_msg` is + non-None if and only if there was a parsing error. + """ + if not value: + # The empty string is the same as not providing a value. + return (None, None) + + parts = value.split(".") + if len(parts) > 3: + return ((), "at most three version parts are allowed") + + if len(parts) == 1: + # Then we are in the case of "3" or "37". + value = parts[0] + if len(value) > 1: + parts = [value[0], value[1:]] + + try: + version_info = tuple(int(part) for part in parts) + except ValueError: + return ((), "each version part must be an integer") + + return (version_info, None) + + +def _handle_python_version( + option: Option, opt_str: str, value: str, parser: OptionParser +) -> None: + """ + Handle a provided --python-version value. + """ + version_info, error_msg = _convert_python_version(value) + if error_msg is not None: + msg = "invalid --python-version value: {!r}: {}".format( + value, + error_msg, + ) + raise_option_error(parser, option=option, msg=msg) + + parser.values.python_version = version_info + + +python_version: Callable[..., Option] = partial( + Option, + "--python-version", + dest="python_version", + metavar="python_version", + action="callback", + callback=_handle_python_version, + type="str", + default=None, + help=dedent( + """\ + The Python interpreter version to use for wheel and "Requires-Python" + compatibility checks. Defaults to a version derived from the running + interpreter. The version can be specified using up to three dot-separated + integers (e.g. "3" for 3.0.0, "3.7" for 3.7.0, or "3.7.3"). A major-minor + version can also be given as a string without dots (e.g. "37" for 3.7.0). + """ + ), +) + + +implementation: Callable[..., Option] = partial( + Option, + "--implementation", + dest="implementation", + metavar="implementation", + default=None, + help=( + "Only use wheels compatible with Python " + "implementation <implementation>, e.g. 'pp', 'jy', 'cp', " + " or 'ip'. If not specified, then the current " + "interpreter implementation is used. Use 'py' to force " + "implementation-agnostic wheels." + ), +) + + +abis: Callable[..., Option] = partial( + Option, + "--abi", + dest="abis", + metavar="abi", + action="append", + default=None, + help=( + "Only use wheels compatible with Python abi <abi>, e.g. 'pypy_41'. " + "If not specified, then the current interpreter abi tag is used. " + "Use this option multiple times to specify multiple abis supported " + "by the target interpreter. Generally you will need to specify " + "--implementation, --platform, and --python-version when using this " + "option." + ), +) + + +def add_target_python_options(cmd_opts: OptionGroup) -> None: + cmd_opts.add_option(platforms()) + cmd_opts.add_option(python_version()) + cmd_opts.add_option(implementation()) + cmd_opts.add_option(abis()) + + +def make_target_python(options: Values) -> TargetPython: + target_python = TargetPython( + platforms=options.platforms, + py_version_info=options.python_version, + abis=options.abis, + implementation=options.implementation, + ) + + return target_python + + +def prefer_binary() -> Option: + return Option( + "--prefer-binary", + dest="prefer_binary", + action="store_true", + default=False, + help="Prefer older binary packages over newer source packages.", + ) + + +cache_dir: Callable[..., Option] = partial( + PipOption, + "--cache-dir", + dest="cache_dir", + default=USER_CACHE_DIR, + metavar="dir", + type="path", + help="Store the cache data in <dir>.", +) + + +def _handle_no_cache_dir( + option: Option, opt: str, value: str, parser: OptionParser +) -> None: + """ + Process a value provided for the --no-cache-dir option. + + This is an optparse.Option callback for the --no-cache-dir option. + """ + # The value argument will be None if --no-cache-dir is passed via the + # command-line, since the option doesn't accept arguments. However, + # the value can be non-None if the option is triggered e.g. by an + # environment variable, like PIP_NO_CACHE_DIR=true. + if value is not None: + # Then parse the string value to get argument error-checking. + try: + strtobool(value) + except ValueError as exc: + raise_option_error(parser, option=option, msg=str(exc)) + + # Originally, setting PIP_NO_CACHE_DIR to a value that strtobool() + # converted to 0 (like "false" or "no") caused cache_dir to be disabled + # rather than enabled (logic would say the latter). Thus, we disable + # the cache directory not just on values that parse to True, but (for + # backwards compatibility reasons) also on values that parse to False. + # In other words, always set it to False if the option is provided in + # some (valid) form. + parser.values.cache_dir = False + + +no_cache: Callable[..., Option] = partial( + Option, + "--no-cache-dir", + dest="cache_dir", + action="callback", + callback=_handle_no_cache_dir, + help="Disable the cache.", +) + +no_deps: Callable[..., Option] = partial( + Option, + "--no-deps", + "--no-dependencies", + dest="ignore_dependencies", + action="store_true", + default=False, + help="Don't install package dependencies.", +) + +ignore_requires_python: Callable[..., Option] = partial( + Option, + "--ignore-requires-python", + dest="ignore_requires_python", + action="store_true", + help="Ignore the Requires-Python information.", +) + +no_build_isolation: Callable[..., Option] = partial( + Option, + "--no-build-isolation", + dest="build_isolation", + action="store_false", + default=True, + help="Disable isolation when building a modern source distribution. " + "Build dependencies specified by PEP 518 must be already installed " + "if this option is used.", +) + + +def _handle_no_use_pep517( + option: Option, opt: str, value: str, parser: OptionParser +) -> None: + """ + Process a value provided for the --no-use-pep517 option. + + This is an optparse.Option callback for the no_use_pep517 option. + """ + # Since --no-use-pep517 doesn't accept arguments, the value argument + # will be None if --no-use-pep517 is passed via the command-line. + # However, the value can be non-None if the option is triggered e.g. + # by an environment variable, for example "PIP_NO_USE_PEP517=true". + if value is not None: + msg = """A value was passed for --no-use-pep517, + probably using either the PIP_NO_USE_PEP517 environment variable + or the "no-use-pep517" config file option. Use an appropriate value + of the PIP_USE_PEP517 environment variable or the "use-pep517" + config file option instead. + """ + raise_option_error(parser, option=option, msg=msg) + + # Otherwise, --no-use-pep517 was passed via the command-line. + parser.values.use_pep517 = False + + +use_pep517: Any = partial( + Option, + "--use-pep517", + dest="use_pep517", + action="store_true", + default=None, + help="Use PEP 517 for building source distributions " + "(use --no-use-pep517 to force legacy behaviour).", +) + +no_use_pep517: Any = partial( + Option, + "--no-use-pep517", + dest="use_pep517", + action="callback", + callback=_handle_no_use_pep517, + default=None, + help=SUPPRESS_HELP, +) + +install_options: Callable[..., Option] = partial( + Option, + "--install-option", + dest="install_options", + action="append", + metavar="options", + help="Extra arguments to be supplied to the setup.py install " + 'command (use like --install-option="--install-scripts=/usr/local/' + 'bin"). Use multiple --install-option options to pass multiple ' + "options to setup.py install. If you are using an option with a " + "directory path, be sure to use absolute path.", +) + +build_options: Callable[..., Option] = partial( + Option, + "--build-option", + dest="build_options", + metavar="options", + action="append", + help="Extra arguments to be supplied to 'setup.py bdist_wheel'.", +) + +global_options: Callable[..., Option] = partial( + Option, + "--global-option", + dest="global_options", + action="append", + metavar="options", + help="Extra global options to be supplied to the setup.py " + "call before the install or bdist_wheel command.", +) + +no_clean: Callable[..., Option] = partial( + Option, + "--no-clean", + action="store_true", + default=False, + help="Don't clean up build directories.", +) + +pre: Callable[..., Option] = partial( + Option, + "--pre", + action="store_true", + default=False, + help="Include pre-release and development versions. By default, " + "pip only finds stable versions.", +) + +disable_pip_version_check: Callable[..., Option] = partial( + Option, + "--disable-pip-version-check", + dest="disable_pip_version_check", + action="store_true", + default=False, + help="Don't periodically check PyPI to determine whether a new version " + "of pip is available for download. Implied with --no-index.", +) + + +def _handle_merge_hash( + option: Option, opt_str: str, value: str, parser: OptionParser +) -> None: + """Given a value spelled "algo:digest", append the digest to a list + pointed to in a dict by the algo name.""" + if not parser.values.hashes: + parser.values.hashes = {} + try: + algo, digest = value.split(":", 1) + except ValueError: + parser.error( + "Arguments to {} must be a hash name " # noqa + "followed by a value, like --hash=sha256:" + "abcde...".format(opt_str) + ) + if algo not in STRONG_HASHES: + parser.error( + "Allowed hash algorithms for {} are {}.".format( # noqa + opt_str, ", ".join(STRONG_HASHES) + ) + ) + parser.values.hashes.setdefault(algo, []).append(digest) + + +hash: Callable[..., Option] = partial( + Option, + "--hash", + # Hash values eventually end up in InstallRequirement.hashes due to + # __dict__ copying in process_line(). + dest="hashes", + action="callback", + callback=_handle_merge_hash, + type="string", + help="Verify that the package's archive matches this " + "hash before installing. Example: --hash=sha256:abcdef...", +) + + +require_hashes: Callable[..., Option] = partial( + Option, + "--require-hashes", + dest="require_hashes", + action="store_true", + default=False, + help="Require a hash to check each requirement against, for " + "repeatable installs. This option is implied when any package in a " + "requirements file has a --hash option.", +) + + +list_path: Callable[..., Option] = partial( + PipOption, + "--path", + dest="path", + type="path", + action="append", + help="Restrict to the specified installation path for listing " + "packages (can be used multiple times).", +) + + +def check_list_path_option(options: Values) -> None: + if options.path and (options.user or options.local): + raise CommandError("Cannot combine '--path' with '--user' or '--local'") + + +list_exclude: Callable[..., Option] = partial( + PipOption, + "--exclude", + dest="excludes", + action="append", + metavar="package", + type="package_name", + help="Exclude specified package from the output", +) + + +no_python_version_warning: Callable[..., Option] = partial( + Option, + "--no-python-version-warning", + dest="no_python_version_warning", + action="store_true", + default=False, + help="Silence deprecation warnings for upcoming unsupported Pythons.", +) + + +use_new_feature: Callable[..., Option] = partial( + Option, + "--use-feature", + dest="features_enabled", + metavar="feature", + action="append", + default=[], + choices=["2020-resolver", "fast-deps", "in-tree-build"], + help="Enable new functionality, that may be backward incompatible.", +) + +use_deprecated_feature: Callable[..., Option] = partial( + Option, + "--use-deprecated", + dest="deprecated_features_enabled", + metavar="feature", + action="append", + default=[], + choices=["legacy-resolver", "out-of-tree-build"], + help=("Enable deprecated functionality, that will be removed in the future."), +) + + +########## +# groups # +########## + +general_group: Dict[str, Any] = { + "name": "General Options", + "options": [ + help_, + debug_mode, + isolated_mode, + require_virtualenv, + verbose, + version, + quiet, + log, + no_input, + proxy, + retries, + timeout, + exists_action, + trusted_host, + cert, + client_cert, + cache_dir, + no_cache, + disable_pip_version_check, + no_color, + no_python_version_warning, + use_new_feature, + use_deprecated_feature, + ], +} + +index_group: Dict[str, Any] = { + "name": "Package Index Options", + "options": [ + index_url, + extra_index_url, + no_index, + find_links, + ], +} diff --git a/venv/Lib/site-packages/pip/_internal/cli/command_context.py b/venv/Lib/site-packages/pip/_internal/cli/command_context.py new file mode 100644 index 0000000..ed68322 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/cli/command_context.py @@ -0,0 +1,27 @@ +from contextlib import ExitStack, contextmanager +from typing import ContextManager, Iterator, TypeVar + +_T = TypeVar("_T", covariant=True) + + +class CommandContextMixIn: + def __init__(self) -> None: + super().__init__() + self._in_main_context = False + self._main_context = ExitStack() + + @contextmanager + def main_context(self) -> Iterator[None]: + assert not self._in_main_context + + self._in_main_context = True + try: + with self._main_context: + yield + finally: + self._in_main_context = False + + def enter_context(self, context_provider: ContextManager[_T]) -> _T: + assert self._in_main_context + + return self._main_context.enter_context(context_provider) diff --git a/venv/Lib/site-packages/pip/_internal/cli/main.py b/venv/Lib/site-packages/pip/_internal/cli/main.py new file mode 100644 index 0000000..0e31221 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/cli/main.py @@ -0,0 +1,70 @@ +"""Primary application entrypoint. +""" +import locale +import logging +import os +import sys +from typing import List, Optional + +from pip._internal.cli.autocompletion import autocomplete +from pip._internal.cli.main_parser import parse_command +from pip._internal.commands import create_command +from pip._internal.exceptions import PipError +from pip._internal.utils import deprecation + +logger = logging.getLogger(__name__) + + +# Do not import and use main() directly! Using it directly is actively +# discouraged by pip's maintainers. The name, location and behavior of +# this function is subject to change, so calling it directly is not +# portable across different pip versions. + +# In addition, running pip in-process is unsupported and unsafe. This is +# elaborated in detail at +# https://pip.pypa.io/en/stable/user_guide/#using-pip-from-your-program. +# That document also provides suggestions that should work for nearly +# all users that are considering importing and using main() directly. + +# However, we know that certain users will still want to invoke pip +# in-process. If you understand and accept the implications of using pip +# in an unsupported manner, the best approach is to use runpy to avoid +# depending on the exact location of this entry point. + +# The following example shows how to use runpy to invoke pip in that +# case: +# +# sys.argv = ["pip", your, args, here] +# runpy.run_module("pip", run_name="__main__") +# +# Note that this will exit the process after running, unlike a direct +# call to main. As it is not safe to do any processing after calling +# main, this should not be an issue in practice. + + +def main(args: Optional[List[str]] = None) -> int: + if args is None: + args = sys.argv[1:] + + # Configure our deprecation warnings to be sent through loggers + deprecation.install_warning_logger() + + autocomplete() + + try: + cmd_name, cmd_args = parse_command(args) + except PipError as exc: + sys.stderr.write(f"ERROR: {exc}") + sys.stderr.write(os.linesep) + sys.exit(1) + + # Needed for locale.getpreferredencoding(False) to work + # in pip._internal.utils.encoding.auto_decode + try: + locale.setlocale(locale.LC_ALL, "") + except locale.Error as e: + # setlocale can apparently crash if locale are uninitialized + logger.debug("Ignoring error %s when setting locale", e) + command = create_command(cmd_name, isolated=("--isolated" in cmd_args)) + + return command.main(cmd_args) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/main_parser.py b/venv/Lib/site-packages/pip/_internal/cli/main_parser.py similarity index 50% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/main_parser.py rename to venv/Lib/site-packages/pip/_internal/cli/main_parser.py index b17c749..3666ab0 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/main_parser.py +++ b/venv/Lib/site-packages/pip/_internal/cli/main_parser.py @@ -3,48 +3,30 @@ import os import sys +from typing import List, Tuple -from pip import __version__ from pip._internal.cli import cmdoptions -from pip._internal.cli.parser import ( - ConfigOptionParser, UpdatingDefaultsHelpFormatter, -) -from pip._internal.commands import ( - commands_dict, get_similar_commands, get_summaries, -) +from pip._internal.cli.parser import ConfigOptionParser, UpdatingDefaultsHelpFormatter +from pip._internal.commands import commands_dict, get_similar_commands from pip._internal.exceptions import CommandError -from pip._internal.utils.misc import get_prog -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import Tuple, List # noqa: F401 - +from pip._internal.utils.misc import get_pip_version, get_prog __all__ = ["create_main_parser", "parse_command"] -def create_main_parser(): - # type: () -> ConfigOptionParser - """Creates and returns the main parser for pip's CLI - """ - - parser_kw = { - 'usage': '\n%prog <command> [options]', - 'add_help_option': False, - 'formatter': UpdatingDefaultsHelpFormatter(), - 'name': 'global', - 'prog': get_prog(), - } +def create_main_parser() -> ConfigOptionParser: + """Creates and returns the main parser for pip's CLI""" - parser = ConfigOptionParser(**parser_kw) + parser = ConfigOptionParser( + usage="\n%prog <command> [options]", + add_help_option=False, + formatter=UpdatingDefaultsHelpFormatter(), + name="global", + prog=get_prog(), + ) parser.disable_interspersed_args() - pip_pkg_dir = os.path.abspath(os.path.join( - os.path.dirname(__file__), "..", "..", - )) - parser.version = 'pip %s from %s (python %s)' % ( - __version__, pip_pkg_dir, sys.version[:3], - ) + parser.version = get_pip_version() # add the general options gen_opts = cmdoptions.make_option_group(cmdoptions.general_group, parser) @@ -54,15 +36,16 @@ def create_main_parser(): parser.main = True # type: ignore # create command listing for description - command_summaries = get_summaries() - description = [''] + ['%-27s %s' % (i, j) for i, j in command_summaries] - parser.description = '\n'.join(description) + description = [""] + [ + f"{name:27} {command_info.summary}" + for name, command_info in commands_dict.items() + ] + parser.description = "\n".join(description) return parser -def parse_command(args): - # type: (List[str]) -> Tuple[str, List[str]] +def parse_command(args: List[str]) -> Tuple[str, List[str]]: parser = create_main_parser() # Note: parser calls disable_interspersed_args(), so the result of this @@ -76,12 +59,12 @@ def parse_command(args): # --version if general_options.version: - sys.stdout.write(parser.version) # type: ignore + sys.stdout.write(parser.version) sys.stdout.write(os.linesep) sys.exit() # pip || pip help -> print_help() - if not args_else or (args_else[0] == 'help' and len(args_else) == 1): + if not args_else or (args_else[0] == "help" and len(args_else) == 1): parser.print_help() sys.exit() @@ -91,11 +74,11 @@ def parse_command(args): if cmd_name not in commands_dict: guess = get_similar_commands(cmd_name) - msg = ['unknown command "%s"' % cmd_name] + msg = [f'unknown command "{cmd_name}"'] if guess: - msg.append('maybe you meant "%s"' % guess) + msg.append(f'maybe you meant "{guess}"') - raise CommandError(' - '.join(msg)) + raise CommandError(" - ".join(msg)) # all the args without the subcommand cmd_args = args[:] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/parser.py b/venv/Lib/site-packages/pip/_internal/cli/parser.py similarity index 57% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/parser.py rename to venv/Lib/site-packages/pip/_internal/cli/parser.py index e1eaac4..a1c99a8 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/parser.py +++ b/venv/Lib/site-packages/pip/_internal/cli/parser.py @@ -1,17 +1,16 @@ """Base option parser setup""" -from __future__ import absolute_import import logging import optparse +import shutil import sys import textwrap -from distutils.util import strtobool - -from pip._vendor.six import string_types +from contextlib import suppress +from typing import Any, Dict, Iterator, List, Tuple from pip._internal.cli.status_codes import UNKNOWN_ERROR from pip._internal.configuration import Configuration, ConfigurationError -from pip._internal.utils.compat import get_terminal_size +from pip._internal.utils.misc import redact_auth_from_url, strtobool logger = logging.getLogger(__name__) @@ -19,22 +18,24 @@ class PrettyHelpFormatter(optparse.IndentedHelpFormatter): """A prettier/less verbose help formatter for optparse.""" - def __init__(self, *args, **kwargs): + def __init__(self, *args: Any, **kwargs: Any) -> None: # help position must be aligned with __init__.parseopts.description - kwargs['max_help_position'] = 30 - kwargs['indent_increment'] = 1 - kwargs['width'] = get_terminal_size()[0] - 2 - optparse.IndentedHelpFormatter.__init__(self, *args, **kwargs) + kwargs["max_help_position"] = 30 + kwargs["indent_increment"] = 1 + kwargs["width"] = shutil.get_terminal_size()[0] - 2 + super().__init__(*args, **kwargs) - def format_option_strings(self, option): - return self._format_option_strings(option, ' <%s>', ', ') + def format_option_strings(self, option: optparse.Option) -> str: + return self._format_option_strings(option) - def _format_option_strings(self, option, mvarfmt=' <%s>', optsep=', '): + def _format_option_strings( + self, option: optparse.Option, mvarfmt: str = " <{}>", optsep: str = ", " + ) -> str: """ Return a comma-separated list of option strings and metavars. :param option: tuple of (short opt, long opt), e.g: ('-f', '--format') - :param mvarfmt: metavar format string - evaluated as mvarfmt % metavar + :param mvarfmt: metavar format string :param optsep: separator """ opts = [] @@ -47,51 +48,52 @@ def _format_option_strings(self, option, mvarfmt=' <%s>', optsep=', '): opts.insert(1, optsep) if option.takes_value(): + assert option.dest is not None metavar = option.metavar or option.dest.lower() - opts.append(mvarfmt % metavar.lower()) + opts.append(mvarfmt.format(metavar.lower())) - return ''.join(opts) + return "".join(opts) - def format_heading(self, heading): - if heading == 'Options': - return '' - return heading + ':\n' + def format_heading(self, heading: str) -> str: + if heading == "Options": + return "" + return heading + ":\n" - def format_usage(self, usage): + def format_usage(self, usage: str) -> str: """ Ensure there is only one newline between usage and the first heading if there is no description. """ - msg = '\nUsage: %s\n' % self.indent_lines(textwrap.dedent(usage), " ") + msg = "\nUsage: {}\n".format(self.indent_lines(textwrap.dedent(usage), " ")) return msg - def format_description(self, description): + def format_description(self, description: str) -> str: # leave full control over description to us if description: - if hasattr(self.parser, 'main'): - label = 'Commands' + if hasattr(self.parser, "main"): + label = "Commands" else: - label = 'Description' + label = "Description" # some doc strings have initial newlines, some don't - description = description.lstrip('\n') + description = description.lstrip("\n") # some doc strings have final newlines and spaces, some don't description = description.rstrip() # dedent, then reindent description = self.indent_lines(textwrap.dedent(description), " ") - description = '%s:\n%s\n' % (label, description) + description = f"{label}:\n{description}\n" return description else: - return '' + return "" - def format_epilog(self, epilog): + def format_epilog(self, epilog: str) -> str: # leave full control over epilog to us if epilog: return epilog else: - return '' + return "" - def indent_lines(self, text, indent): - new_lines = [indent + line for line in text.split('\n')] + def indent_lines(self, text: str, indent: str) -> str: + new_lines = [indent + line for line in text.split("\n")] return "\n".join(new_lines) @@ -100,17 +102,37 @@ class UpdatingDefaultsHelpFormatter(PrettyHelpFormatter): This is updates the defaults before expanding them, allowing them to show up correctly in the help listing. + + Also redact auth from url type options """ - def expand_default(self, option): + def expand_default(self, option: optparse.Option) -> str: + default_values = None if self.parser is not None: + assert isinstance(self.parser, ConfigOptionParser) self.parser._update_defaults(self.parser.defaults) - return optparse.IndentedHelpFormatter.expand_default(self, option) + assert option.dest is not None + default_values = self.parser.defaults.get(option.dest) + help_text = super().expand_default(option) + if default_values and option.metavar == "URL": + if isinstance(default_values, str): + default_values = [default_values] -class CustomOptionParser(optparse.OptionParser): + # If its not a list, we should abort and just return the help text + if not isinstance(default_values, list): + default_values = [] + + for val in default_values: + help_text = help_text.replace(val, redact_auth_from_url(val)) - def insert_option_group(self, idx, *args, **kwargs): + return help_text + + +class CustomOptionParser(optparse.OptionParser): + def insert_option_group( + self, idx: int, *args: Any, **kwargs: Any + ) -> optparse.OptionGroup: """Insert an OptionGroup at a given position.""" group = self.add_option_group(*args, **kwargs) @@ -120,7 +142,7 @@ def insert_option_group(self, idx, *args, **kwargs): return group @property - def option_list_all(self): + def option_list_all(self) -> List[optparse.Option]: """Get a list of all options, including those in option groups.""" res = self.option_list[:] for i in self.option_groups: @@ -133,34 +155,40 @@ class ConfigOptionParser(CustomOptionParser): """Custom option parser which updates its defaults by checking the configuration files and environmental variables""" - def __init__(self, *args, **kwargs): - self.name = kwargs.pop('name') - - isolated = kwargs.pop("isolated", False) + def __init__( + self, + *args: Any, + name: str, + isolated: bool = False, + **kwargs: Any, + ) -> None: + self.name = name self.config = Configuration(isolated) assert self.name - optparse.OptionParser.__init__(self, *args, **kwargs) + super().__init__(*args, **kwargs) - def check_default(self, option, key, val): + def check_default(self, option: optparse.Option, key: str, val: Any) -> Any: try: return option.check_value(key, val) except optparse.OptionValueError as exc: - print("An error occurred during configuration: %s" % exc) + print(f"An error occurred during configuration: {exc}") sys.exit(3) - def _get_ordered_configuration_items(self): + def _get_ordered_configuration_items(self) -> Iterator[Tuple[str, Any]]: # Configuration gives keys in an unordered manner. Order them. override_order = ["global", self.name, ":env:"] # Pool the options into different groups - section_items = {name: [] for name in override_order} + section_items: Dict[str, List[Tuple[str, Any]]] = { + name: [] for name in override_order + } for section_key, val in self.config.items(): # ignore empty values if not val: logger.debug( "Ignoring configuration key '%s' as it's value is empty.", - section_key + section_key, ) continue @@ -173,7 +201,7 @@ def _get_ordered_configuration_items(self): for key, val in section_items[section]: yield key, val - def _update_defaults(self, defaults): + def _update_defaults(self, defaults: Dict[str, Any]) -> Dict[str, Any]: """Updates the given defaults with values from the config files and the environ. Does a little special handling for certain types of options (lists).""" @@ -184,7 +212,7 @@ def _update_defaults(self, defaults): # Then set the options with those values for key, val in self._get_ordered_configuration_items(): # '--' because configuration supports only long names - option = self.get_option('--' + key) + option = self.get_option("--" + key) # Ignore options not present in this parser. E.g. non-globals put # in [global] by users that want them to apply to all applicable @@ -192,19 +220,34 @@ def _update_defaults(self, defaults): if option is None: continue - if option.action in ('store_true', 'store_false', 'count'): + assert option.dest is not None + + if option.action in ("store_true", "store_false"): try: val = strtobool(val) except ValueError: - error_msg = invalid_config_error_message( - option.action, key, val + self.error( + "{} is not a valid value for {} option, " # noqa + "please specify a boolean value like yes/no, " + "true/false or 1/0 instead.".format(val, key) ) - self.error(error_msg) - - elif option.action == 'append': + elif option.action == "count": + with suppress(ValueError): + val = strtobool(val) + with suppress(ValueError): + val = int(val) + if not isinstance(val, int) or val < 0: + self.error( + "{} is not a valid value for {} option, " # noqa + "please instead specify either a non-negative integer " + "or a boolean value like yes/no or false/true " + "which is equivalent to 1/0.".format(val, key) + ) + elif option.action == "append": val = val.split() val = [self.check_default(option, key, v) for v in val] - elif option.action == 'callback': + elif option.action == "callback": + assert option.callback is not None late_eval.add(option.dest) opt_str = option.get_opt_string() val = option.convert_value(opt_str, val) @@ -222,7 +265,7 @@ def _update_defaults(self, defaults): self.values = None return defaults - def get_default_values(self): + def get_default_values(self) -> optparse.Values: """Overriding to make updating the defaults after instantiation of the option parser possible, _update_defaults() does the dirty work.""" if not self.process_default_values: @@ -237,25 +280,13 @@ def get_default_values(self): defaults = self._update_defaults(self.defaults.copy()) # ours for option in self._get_all_options(): + assert option.dest is not None default = defaults.get(option.dest) - if isinstance(default, string_types): + if isinstance(default, str): opt_str = option.get_opt_string() defaults[option.dest] = option.check_value(opt_str, default) return optparse.Values(defaults) - def error(self, msg): + def error(self, msg: str) -> None: self.print_usage(sys.stderr) - self.exit(UNKNOWN_ERROR, "%s\n" % msg) - - -def invalid_config_error_message(action, key, val): - """Returns a better error message when invalid configuration option - is provided.""" - if action in ('store_true', 'store_false'): - return ("{0} is not a valid value for {1} option, " - "please specify a boolean value like yes/no, " - "true/false or 1/0 instead.").format(val, key) - - return ("{0} is not a valid value for {1} option, " - "please specify a numerical value like 1/0 " - "instead.").format(val, key) + self.exit(UNKNOWN_ERROR, f"{msg}\n") diff --git a/venv/Lib/site-packages/pip/_internal/cli/progress_bars.py b/venv/Lib/site-packages/pip/_internal/cli/progress_bars.py new file mode 100644 index 0000000..f3db295 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/cli/progress_bars.py @@ -0,0 +1,250 @@ +import itertools +import sys +from signal import SIGINT, default_int_handler, signal +from typing import Any + +from pip._vendor.progress.bar import Bar, FillingCirclesBar, IncrementalBar +from pip._vendor.progress.spinner import Spinner + +from pip._internal.utils.compat import WINDOWS +from pip._internal.utils.logging import get_indentation +from pip._internal.utils.misc import format_size + +try: + from pip._vendor import colorama +# Lots of different errors can come from this, including SystemError and +# ImportError. +except Exception: + colorama = None + + +def _select_progress_class(preferred: Bar, fallback: Bar) -> Bar: + encoding = getattr(preferred.file, "encoding", None) + + # If we don't know what encoding this file is in, then we'll just assume + # that it doesn't support unicode and use the ASCII bar. + if not encoding: + return fallback + + # Collect all of the possible characters we want to use with the preferred + # bar. + characters = [ + getattr(preferred, "empty_fill", ""), + getattr(preferred, "fill", ""), + ] + characters += list(getattr(preferred, "phases", [])) + + # Try to decode the characters we're using for the bar using the encoding + # of the given file, if this works then we'll assume that we can use the + # fancier bar and if not we'll fall back to the plaintext bar. + try: + "".join(characters).encode(encoding) + except UnicodeEncodeError: + return fallback + else: + return preferred + + +_BaseBar: Any = _select_progress_class(IncrementalBar, Bar) + + +class InterruptibleMixin: + """ + Helper to ensure that self.finish() gets called on keyboard interrupt. + + This allows downloads to be interrupted without leaving temporary state + (like hidden cursors) behind. + + This class is similar to the progress library's existing SigIntMixin + helper, but as of version 1.2, that helper has the following problems: + + 1. It calls sys.exit(). + 2. It discards the existing SIGINT handler completely. + 3. It leaves its own handler in place even after an uninterrupted finish, + which will have unexpected delayed effects if the user triggers an + unrelated keyboard interrupt some time after a progress-displaying + download has already completed, for example. + """ + + def __init__(self, *args: Any, **kwargs: Any) -> None: + """ + Save the original SIGINT handler for later. + """ + # https://github.com/python/mypy/issues/5887 + super().__init__(*args, **kwargs) # type: ignore + + self.original_handler = signal(SIGINT, self.handle_sigint) + + # If signal() returns None, the previous handler was not installed from + # Python, and we cannot restore it. This probably should not happen, + # but if it does, we must restore something sensible instead, at least. + # The least bad option should be Python's default SIGINT handler, which + # just raises KeyboardInterrupt. + if self.original_handler is None: + self.original_handler = default_int_handler + + def finish(self) -> None: + """ + Restore the original SIGINT handler after finishing. + + This should happen regardless of whether the progress display finishes + normally, or gets interrupted. + """ + super().finish() # type: ignore + signal(SIGINT, self.original_handler) + + def handle_sigint(self, signum, frame): # type: ignore + """ + Call self.finish() before delegating to the original SIGINT handler. + + This handler should only be in place while the progress display is + active. + """ + self.finish() + self.original_handler(signum, frame) + + +class SilentBar(Bar): + def update(self) -> None: + pass + + +class BlueEmojiBar(IncrementalBar): + + suffix = "%(percent)d%%" + bar_prefix = " " + bar_suffix = " " + phases = ("\U0001F539", "\U0001F537", "\U0001F535") + + +class DownloadProgressMixin: + def __init__(self, *args: Any, **kwargs: Any) -> None: + # https://github.com/python/mypy/issues/5887 + super().__init__(*args, **kwargs) # type: ignore + self.message: str = (" " * (get_indentation() + 2)) + self.message + + @property + def downloaded(self) -> str: + return format_size(self.index) # type: ignore + + @property + def download_speed(self) -> str: + # Avoid zero division errors... + if self.avg == 0.0: # type: ignore + return "..." + return format_size(1 / self.avg) + "/s" # type: ignore + + @property + def pretty_eta(self) -> str: + if self.eta: # type: ignore + return f"eta {self.eta_td}" # type: ignore + return "" + + def iter(self, it): # type: ignore + for x in it: + yield x + # B305 is incorrectly raised here + # https://github.com/PyCQA/flake8-bugbear/issues/59 + self.next(len(x)) # noqa: B305 + self.finish() + + +class WindowsMixin: + def __init__(self, *args: Any, **kwargs: Any) -> None: + # The Windows terminal does not support the hide/show cursor ANSI codes + # even with colorama. So we'll ensure that hide_cursor is False on + # Windows. + # This call needs to go before the super() call, so that hide_cursor + # is set in time. The base progress bar class writes the "hide cursor" + # code to the terminal in its init, so if we don't set this soon + # enough, we get a "hide" with no corresponding "show"... + if WINDOWS and self.hide_cursor: # type: ignore + self.hide_cursor = False + + # https://github.com/python/mypy/issues/5887 + super().__init__(*args, **kwargs) # type: ignore + + # Check if we are running on Windows and we have the colorama module, + # if we do then wrap our file with it. + if WINDOWS and colorama: + self.file = colorama.AnsiToWin32(self.file) # type: ignore + # The progress code expects to be able to call self.file.isatty() + # but the colorama.AnsiToWin32() object doesn't have that, so we'll + # add it. + self.file.isatty = lambda: self.file.wrapped.isatty() + # The progress code expects to be able to call self.file.flush() + # but the colorama.AnsiToWin32() object doesn't have that, so we'll + # add it. + self.file.flush = lambda: self.file.wrapped.flush() + + +class BaseDownloadProgressBar(WindowsMixin, InterruptibleMixin, DownloadProgressMixin): + + file = sys.stdout + message = "%(percent)d%%" + suffix = "%(downloaded)s %(download_speed)s %(pretty_eta)s" + + +class DefaultDownloadProgressBar(BaseDownloadProgressBar, _BaseBar): + pass + + +class DownloadSilentBar(BaseDownloadProgressBar, SilentBar): + pass + + +class DownloadBar(BaseDownloadProgressBar, Bar): + pass + + +class DownloadFillingCirclesBar(BaseDownloadProgressBar, FillingCirclesBar): + pass + + +class DownloadBlueEmojiProgressBar(BaseDownloadProgressBar, BlueEmojiBar): + pass + + +class DownloadProgressSpinner( + WindowsMixin, InterruptibleMixin, DownloadProgressMixin, Spinner +): + + file = sys.stdout + suffix = "%(downloaded)s %(download_speed)s" + + def next_phase(self) -> str: + if not hasattr(self, "_phaser"): + self._phaser = itertools.cycle(self.phases) + return next(self._phaser) + + def update(self) -> None: + message = self.message % self + phase = self.next_phase() + suffix = self.suffix % self + line = "".join( + [ + message, + " " if message else "", + phase, + " " if suffix else "", + suffix, + ] + ) + + self.writeln(line) + + +BAR_TYPES = { + "off": (DownloadSilentBar, DownloadSilentBar), + "on": (DefaultDownloadProgressBar, DownloadProgressSpinner), + "ascii": (DownloadBar, DownloadProgressSpinner), + "pretty": (DownloadFillingCirclesBar, DownloadProgressSpinner), + "emoji": (DownloadBlueEmojiProgressBar, DownloadProgressSpinner), +} + + +def DownloadProgressProvider(progress_bar, max=None): # type: ignore + if max is None or max == 0: + return BAR_TYPES[progress_bar][1]().iter + else: + return BAR_TYPES[progress_bar][0](max=max).iter diff --git a/venv/Lib/site-packages/pip/_internal/cli/req_command.py b/venv/Lib/site-packages/pip/_internal/cli/req_command.py new file mode 100644 index 0000000..c224bd2 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/cli/req_command.py @@ -0,0 +1,468 @@ +"""Contains the Command base classes that depend on PipSession. + +The classes in this module are in a separate module so the commands not +needing download / PackageFinder capability don't unnecessarily import the +PackageFinder machinery and all its vendored dependencies, etc. +""" + +import logging +import os +import sys +from functools import partial +from optparse import Values +from typing import Any, List, Optional, Tuple + +from pip._internal.cache import WheelCache +from pip._internal.cli import cmdoptions +from pip._internal.cli.base_command import Command +from pip._internal.cli.command_context import CommandContextMixIn +from pip._internal.exceptions import CommandError, PreviousBuildDirError +from pip._internal.index.collector import LinkCollector +from pip._internal.index.package_finder import PackageFinder +from pip._internal.models.selection_prefs import SelectionPreferences +from pip._internal.models.target_python import TargetPython +from pip._internal.network.session import PipSession +from pip._internal.operations.prepare import RequirementPreparer +from pip._internal.req.constructors import ( + install_req_from_editable, + install_req_from_line, + install_req_from_parsed_requirement, + install_req_from_req_string, +) +from pip._internal.req.req_file import parse_requirements +from pip._internal.req.req_install import InstallRequirement +from pip._internal.req.req_tracker import RequirementTracker +from pip._internal.resolution.base import BaseResolver +from pip._internal.self_outdated_check import pip_self_version_check +from pip._internal.utils.deprecation import deprecated +from pip._internal.utils.temp_dir import ( + TempDirectory, + TempDirectoryTypeRegistry, + tempdir_kinds, +) +from pip._internal.utils.virtualenv import running_under_virtualenv + +logger = logging.getLogger(__name__) + + +class SessionCommandMixin(CommandContextMixIn): + + """ + A class mixin for command classes needing _build_session(). + """ + + def __init__(self) -> None: + super().__init__() + self._session: Optional[PipSession] = None + + @classmethod + def _get_index_urls(cls, options: Values) -> Optional[List[str]]: + """Return a list of index urls from user-provided options.""" + index_urls = [] + if not getattr(options, "no_index", False): + url = getattr(options, "index_url", None) + if url: + index_urls.append(url) + urls = getattr(options, "extra_index_urls", None) + if urls: + index_urls.extend(urls) + # Return None rather than an empty list + return index_urls or None + + def get_default_session(self, options: Values) -> PipSession: + """Get a default-managed session.""" + if self._session is None: + self._session = self.enter_context(self._build_session(options)) + # there's no type annotation on requests.Session, so it's + # automatically ContextManager[Any] and self._session becomes Any, + # then https://github.com/python/mypy/issues/7696 kicks in + assert self._session is not None + return self._session + + def _build_session( + self, + options: Values, + retries: Optional[int] = None, + timeout: Optional[int] = None, + ) -> PipSession: + assert not options.cache_dir or os.path.isabs(options.cache_dir) + session = PipSession( + cache=( + os.path.join(options.cache_dir, "http") if options.cache_dir else None + ), + retries=retries if retries is not None else options.retries, + trusted_hosts=options.trusted_hosts, + index_urls=self._get_index_urls(options), + ) + + # Handle custom ca-bundles from the user + if options.cert: + session.verify = options.cert + + # Handle SSL client certificate + if options.client_cert: + session.cert = options.client_cert + + # Handle timeouts + if options.timeout or timeout: + session.timeout = timeout if timeout is not None else options.timeout + + # Handle configured proxies + if options.proxy: + session.proxies = { + "http": options.proxy, + "https": options.proxy, + } + + # Determine if we can prompt the user for authentication or not + session.auth.prompting = not options.no_input + + return session + + +class IndexGroupCommand(Command, SessionCommandMixin): + + """ + Abstract base class for commands with the index_group options. + + This also corresponds to the commands that permit the pip version check. + """ + + def handle_pip_version_check(self, options: Values) -> None: + """ + Do the pip version check if not disabled. + + This overrides the default behavior of not doing the check. + """ + # Make sure the index_group options are present. + assert hasattr(options, "no_index") + + if options.disable_pip_version_check or options.no_index: + return + + # Otherwise, check if we're using the latest version of pip available. + session = self._build_session( + options, retries=0, timeout=min(5, options.timeout) + ) + with session: + pip_self_version_check(session, options) + + +KEEPABLE_TEMPDIR_TYPES = [ + tempdir_kinds.BUILD_ENV, + tempdir_kinds.EPHEM_WHEEL_CACHE, + tempdir_kinds.REQ_BUILD, +] + + +def warn_if_run_as_root() -> None: + """Output a warning for sudo users on Unix. + + In a virtual environment, sudo pip still writes to virtualenv. + On Windows, users may run pip as Administrator without issues. + This warning only applies to Unix root users outside of virtualenv. + """ + if running_under_virtualenv(): + return + if not hasattr(os, "getuid"): + return + # On Windows, there are no "system managed" Python packages. Installing as + # Administrator via pip is the correct way of updating system environments. + # + # We choose sys.platform over utils.compat.WINDOWS here to enable Mypy platform + # checks: https://mypy.readthedocs.io/en/stable/common_issues.html + if sys.platform == "win32" or sys.platform == "cygwin": + return + if sys.platform == "darwin" or sys.platform == "linux": + if os.getuid() != 0: + return + logger.warning( + "Running pip as the 'root' user can result in broken permissions and " + "conflicting behaviour with the system package manager. " + "It is recommended to use a virtual environment instead: " + "https://pip.pypa.io/warnings/venv" + ) + + +def with_cleanup(func: Any) -> Any: + """Decorator for common logic related to managing temporary + directories. + """ + + def configure_tempdir_registry(registry: TempDirectoryTypeRegistry) -> None: + for t in KEEPABLE_TEMPDIR_TYPES: + registry.set_delete(t, False) + + def wrapper( + self: RequirementCommand, options: Values, args: List[Any] + ) -> Optional[int]: + assert self.tempdir_registry is not None + if options.no_clean: + configure_tempdir_registry(self.tempdir_registry) + + try: + return func(self, options, args) + except PreviousBuildDirError: + # This kind of conflict can occur when the user passes an explicit + # build directory with a pre-existing folder. In that case we do + # not want to accidentally remove it. + configure_tempdir_registry(self.tempdir_registry) + raise + + return wrapper + + +class RequirementCommand(IndexGroupCommand): + def __init__(self, *args: Any, **kw: Any) -> None: + super().__init__(*args, **kw) + + self.cmd_opts.add_option(cmdoptions.no_clean()) + + @staticmethod + def determine_resolver_variant(options: Values) -> str: + """Determines which resolver should be used, based on the given options.""" + if "legacy-resolver" in options.deprecated_features_enabled: + return "legacy" + + return "2020-resolver" + + @classmethod + def make_requirement_preparer( + cls, + temp_build_dir: TempDirectory, + options: Values, + req_tracker: RequirementTracker, + session: PipSession, + finder: PackageFinder, + use_user_site: bool, + download_dir: Optional[str] = None, + ) -> RequirementPreparer: + """ + Create a RequirementPreparer instance for the given parameters. + """ + temp_build_dir_path = temp_build_dir.path + assert temp_build_dir_path is not None + + resolver_variant = cls.determine_resolver_variant(options) + if resolver_variant == "2020-resolver": + lazy_wheel = "fast-deps" in options.features_enabled + if lazy_wheel: + logger.warning( + "pip is using lazily downloaded wheels using HTTP " + "range requests to obtain dependency information. " + "This experimental feature is enabled through " + "--use-feature=fast-deps and it is not ready for " + "production." + ) + else: + lazy_wheel = False + if "fast-deps" in options.features_enabled: + logger.warning( + "fast-deps has no effect when used with the legacy resolver." + ) + + in_tree_build = "out-of-tree-build" not in options.deprecated_features_enabled + if "in-tree-build" in options.features_enabled: + deprecated( + reason="In-tree builds are now the default.", + replacement="to remove the --use-feature=in-tree-build flag", + gone_in="22.1", + ) + if "out-of-tree-build" in options.deprecated_features_enabled: + deprecated( + reason="Out-of-tree builds are deprecated.", + replacement=None, + gone_in="22.1", + ) + + return RequirementPreparer( + build_dir=temp_build_dir_path, + src_dir=options.src_dir, + download_dir=download_dir, + build_isolation=options.build_isolation, + req_tracker=req_tracker, + session=session, + progress_bar=options.progress_bar, + finder=finder, + require_hashes=options.require_hashes, + use_user_site=use_user_site, + lazy_wheel=lazy_wheel, + in_tree_build=in_tree_build, + ) + + @classmethod + def make_resolver( + cls, + preparer: RequirementPreparer, + finder: PackageFinder, + options: Values, + wheel_cache: Optional[WheelCache] = None, + use_user_site: bool = False, + ignore_installed: bool = True, + ignore_requires_python: bool = False, + force_reinstall: bool = False, + upgrade_strategy: str = "to-satisfy-only", + use_pep517: Optional[bool] = None, + py_version_info: Optional[Tuple[int, ...]] = None, + ) -> BaseResolver: + """ + Create a Resolver instance for the given parameters. + """ + make_install_req = partial( + install_req_from_req_string, + isolated=options.isolated_mode, + use_pep517=use_pep517, + ) + resolver_variant = cls.determine_resolver_variant(options) + # The long import name and duplicated invocation is needed to convince + # Mypy into correctly typechecking. Otherwise it would complain the + # "Resolver" class being redefined. + if resolver_variant == "2020-resolver": + import pip._internal.resolution.resolvelib.resolver + + return pip._internal.resolution.resolvelib.resolver.Resolver( + preparer=preparer, + finder=finder, + wheel_cache=wheel_cache, + make_install_req=make_install_req, + use_user_site=use_user_site, + ignore_dependencies=options.ignore_dependencies, + ignore_installed=ignore_installed, + ignore_requires_python=ignore_requires_python, + force_reinstall=force_reinstall, + upgrade_strategy=upgrade_strategy, + py_version_info=py_version_info, + ) + import pip._internal.resolution.legacy.resolver + + return pip._internal.resolution.legacy.resolver.Resolver( + preparer=preparer, + finder=finder, + wheel_cache=wheel_cache, + make_install_req=make_install_req, + use_user_site=use_user_site, + ignore_dependencies=options.ignore_dependencies, + ignore_installed=ignore_installed, + ignore_requires_python=ignore_requires_python, + force_reinstall=force_reinstall, + upgrade_strategy=upgrade_strategy, + py_version_info=py_version_info, + ) + + def get_requirements( + self, + args: List[str], + options: Values, + finder: PackageFinder, + session: PipSession, + ) -> List[InstallRequirement]: + """ + Parse command-line arguments into the corresponding requirements. + """ + requirements: List[InstallRequirement] = [] + for filename in options.constraints: + for parsed_req in parse_requirements( + filename, + constraint=True, + finder=finder, + options=options, + session=session, + ): + req_to_add = install_req_from_parsed_requirement( + parsed_req, + isolated=options.isolated_mode, + user_supplied=False, + ) + requirements.append(req_to_add) + + for req in args: + req_to_add = install_req_from_line( + req, + None, + isolated=options.isolated_mode, + use_pep517=options.use_pep517, + user_supplied=True, + ) + requirements.append(req_to_add) + + for req in options.editables: + req_to_add = install_req_from_editable( + req, + user_supplied=True, + isolated=options.isolated_mode, + use_pep517=options.use_pep517, + ) + requirements.append(req_to_add) + + # NOTE: options.require_hashes may be set if --require-hashes is True + for filename in options.requirements: + for parsed_req in parse_requirements( + filename, finder=finder, options=options, session=session + ): + req_to_add = install_req_from_parsed_requirement( + parsed_req, + isolated=options.isolated_mode, + use_pep517=options.use_pep517, + user_supplied=True, + ) + requirements.append(req_to_add) + + # If any requirement has hash options, enable hash checking. + if any(req.has_hash_options for req in requirements): + options.require_hashes = True + + if not (args or options.editables or options.requirements): + opts = {"name": self.name} + if options.find_links: + raise CommandError( + "You must give at least one requirement to {name} " + '(maybe you meant "pip {name} {links}"?)'.format( + **dict(opts, links=" ".join(options.find_links)) + ) + ) + else: + raise CommandError( + "You must give at least one requirement to {name} " + '(see "pip help {name}")'.format(**opts) + ) + + return requirements + + @staticmethod + def trace_basic_info(finder: PackageFinder) -> None: + """ + Trace basic information about the provided objects. + """ + # Display where finder is looking for packages + search_scope = finder.search_scope + locations = search_scope.get_formatted_locations() + if locations: + logger.info(locations) + + def _build_package_finder( + self, + options: Values, + session: PipSession, + target_python: Optional[TargetPython] = None, + ignore_requires_python: Optional[bool] = None, + ) -> PackageFinder: + """ + Create a package finder appropriate to this requirement command. + + :param ignore_requires_python: Whether to ignore incompatible + "Requires-Python" values in links. Defaults to False. + """ + link_collector = LinkCollector.create(session, options=options) + selection_prefs = SelectionPreferences( + allow_yanked=True, + format_control=options.format_control, + allow_all_prereleases=options.pre, + prefer_binary=options.prefer_binary, + ignore_requires_python=ignore_requires_python, + ) + + return PackageFinder.create( + link_collector=link_collector, + selection_prefs=selection_prefs, + target_python=target_python, + ) diff --git a/venv/Lib/site-packages/pip/_internal/cli/spinners.py b/venv/Lib/site-packages/pip/_internal/cli/spinners.py new file mode 100644 index 0000000..1e313e1 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/cli/spinners.py @@ -0,0 +1,157 @@ +import contextlib +import itertools +import logging +import sys +import time +from typing import IO, Iterator + +from pip._vendor.progress import HIDE_CURSOR, SHOW_CURSOR + +from pip._internal.utils.compat import WINDOWS +from pip._internal.utils.logging import get_indentation + +logger = logging.getLogger(__name__) + + +class SpinnerInterface: + def spin(self) -> None: + raise NotImplementedError() + + def finish(self, final_status: str) -> None: + raise NotImplementedError() + + +class InteractiveSpinner(SpinnerInterface): + def __init__( + self, + message: str, + file: IO[str] = None, + spin_chars: str = "-\\|/", + # Empirically, 8 updates/second looks nice + min_update_interval_seconds: float = 0.125, + ): + self._message = message + if file is None: + file = sys.stdout + self._file = file + self._rate_limiter = RateLimiter(min_update_interval_seconds) + self._finished = False + + self._spin_cycle = itertools.cycle(spin_chars) + + self._file.write(" " * get_indentation() + self._message + " ... ") + self._width = 0 + + def _write(self, status: str) -> None: + assert not self._finished + # Erase what we wrote before by backspacing to the beginning, writing + # spaces to overwrite the old text, and then backspacing again + backup = "\b" * self._width + self._file.write(backup + " " * self._width + backup) + # Now we have a blank slate to add our status + self._file.write(status) + self._width = len(status) + self._file.flush() + self._rate_limiter.reset() + + def spin(self) -> None: + if self._finished: + return + if not self._rate_limiter.ready(): + return + self._write(next(self._spin_cycle)) + + def finish(self, final_status: str) -> None: + if self._finished: + return + self._write(final_status) + self._file.write("\n") + self._file.flush() + self._finished = True + + +# Used for dumb terminals, non-interactive installs (no tty), etc. +# We still print updates occasionally (once every 60 seconds by default) to +# act as a keep-alive for systems like Travis-CI that take lack-of-output as +# an indication that a task has frozen. +class NonInteractiveSpinner(SpinnerInterface): + def __init__(self, message: str, min_update_interval_seconds: float = 60.0) -> None: + self._message = message + self._finished = False + self._rate_limiter = RateLimiter(min_update_interval_seconds) + self._update("started") + + def _update(self, status: str) -> None: + assert not self._finished + self._rate_limiter.reset() + logger.info("%s: %s", self._message, status) + + def spin(self) -> None: + if self._finished: + return + if not self._rate_limiter.ready(): + return + self._update("still running...") + + def finish(self, final_status: str) -> None: + if self._finished: + return + self._update(f"finished with status '{final_status}'") + self._finished = True + + +class RateLimiter: + def __init__(self, min_update_interval_seconds: float) -> None: + self._min_update_interval_seconds = min_update_interval_seconds + self._last_update: float = 0 + + def ready(self) -> bool: + now = time.time() + delta = now - self._last_update + return delta >= self._min_update_interval_seconds + + def reset(self) -> None: + self._last_update = time.time() + + +@contextlib.contextmanager +def open_spinner(message: str) -> Iterator[SpinnerInterface]: + # Interactive spinner goes directly to sys.stdout rather than being routed + # through the logging system, but it acts like it has level INFO, + # i.e. it's only displayed if we're at level INFO or better. + # Non-interactive spinner goes through the logging system, so it is always + # in sync with logging configuration. + if sys.stdout.isatty() and logger.getEffectiveLevel() <= logging.INFO: + spinner: SpinnerInterface = InteractiveSpinner(message) + else: + spinner = NonInteractiveSpinner(message) + try: + with hidden_cursor(sys.stdout): + yield spinner + except KeyboardInterrupt: + spinner.finish("canceled") + raise + except Exception: + spinner.finish("error") + raise + else: + spinner.finish("done") + + +@contextlib.contextmanager +def hidden_cursor(file: IO[str]) -> Iterator[None]: + # The Windows terminal does not support the hide/show cursor ANSI codes, + # even via colorama. So don't even try. + if WINDOWS: + yield + # We don't want to clutter the output with control characters if we're + # writing to a file, or if the user is running with --quiet. + # See https://github.com/pypa/pip/issues/3418 + elif not file.isatty() or logger.getEffectiveLevel() > logging.INFO: + yield + else: + file.write(HIDE_CURSOR) + try: + yield + finally: + file.write(SHOW_CURSOR) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/status_codes.py b/venv/Lib/site-packages/pip/_internal/cli/status_codes.py similarity index 74% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/status_codes.py rename to venv/Lib/site-packages/pip/_internal/cli/status_codes.py index 275360a..5e29502 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/cli/status_codes.py +++ b/venv/Lib/site-packages/pip/_internal/cli/status_codes.py @@ -1,5 +1,3 @@ -from __future__ import absolute_import - SUCCESS = 0 ERROR = 1 UNKNOWN_ERROR = 2 diff --git a/venv/Lib/site-packages/pip/_internal/commands/__init__.py b/venv/Lib/site-packages/pip/_internal/commands/__init__.py new file mode 100644 index 0000000..c72f24f --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/commands/__init__.py @@ -0,0 +1,127 @@ +""" +Package containing all pip commands +""" + +import importlib +from collections import namedtuple +from typing import Any, Dict, Optional + +from pip._internal.cli.base_command import Command + +CommandInfo = namedtuple("CommandInfo", "module_path, class_name, summary") + +# This dictionary does a bunch of heavy lifting for help output: +# - Enables avoiding additional (costly) imports for presenting `--help`. +# - The ordering matters for help display. +# +# Even though the module path starts with the same "pip._internal.commands" +# prefix, the full path makes testing easier (specifically when modifying +# `commands_dict` in test setup / teardown). +commands_dict: Dict[str, CommandInfo] = { + "install": CommandInfo( + "pip._internal.commands.install", + "InstallCommand", + "Install packages.", + ), + "download": CommandInfo( + "pip._internal.commands.download", + "DownloadCommand", + "Download packages.", + ), + "uninstall": CommandInfo( + "pip._internal.commands.uninstall", + "UninstallCommand", + "Uninstall packages.", + ), + "freeze": CommandInfo( + "pip._internal.commands.freeze", + "FreezeCommand", + "Output installed packages in requirements format.", + ), + "list": CommandInfo( + "pip._internal.commands.list", + "ListCommand", + "List installed packages.", + ), + "show": CommandInfo( + "pip._internal.commands.show", + "ShowCommand", + "Show information about installed packages.", + ), + "check": CommandInfo( + "pip._internal.commands.check", + "CheckCommand", + "Verify installed packages have compatible dependencies.", + ), + "config": CommandInfo( + "pip._internal.commands.configuration", + "ConfigurationCommand", + "Manage local and global configuration.", + ), + "search": CommandInfo( + "pip._internal.commands.search", + "SearchCommand", + "Search PyPI for packages.", + ), + "cache": CommandInfo( + "pip._internal.commands.cache", + "CacheCommand", + "Inspect and manage pip's wheel cache.", + ), + "index": CommandInfo( + "pip._internal.commands.index", + "IndexCommand", + "Inspect information available from package indexes.", + ), + "wheel": CommandInfo( + "pip._internal.commands.wheel", + "WheelCommand", + "Build wheels from your requirements.", + ), + "hash": CommandInfo( + "pip._internal.commands.hash", + "HashCommand", + "Compute hashes of package archives.", + ), + "completion": CommandInfo( + "pip._internal.commands.completion", + "CompletionCommand", + "A helper command used for command completion.", + ), + "debug": CommandInfo( + "pip._internal.commands.debug", + "DebugCommand", + "Show information useful for debugging.", + ), + "help": CommandInfo( + "pip._internal.commands.help", + "HelpCommand", + "Show help for commands.", + ), +} + + +def create_command(name: str, **kwargs: Any) -> Command: + """ + Create an instance of the Command class with the given name. + """ + module_path, class_name, summary = commands_dict[name] + module = importlib.import_module(module_path) + command_class = getattr(module, class_name) + command = command_class(name=name, summary=summary, **kwargs) + + return command + + +def get_similar_commands(name: str) -> Optional[str]: + """Command name auto-correct.""" + from difflib import get_close_matches + + name = name.lower() + + close_commands = get_close_matches(name, commands_dict.keys()) + + if close_commands: + return close_commands[0] + else: + return None diff --git a/venv/Lib/site-packages/pip/_internal/commands/cache.py b/venv/Lib/site-packages/pip/_internal/commands/cache.py new file mode 100644 index 0000000..f1a489d --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/commands/cache.py @@ -0,0 +1,223 @@ +import os +import textwrap +from optparse import Values +from typing import Any, List + +import pip._internal.utils.filesystem as filesystem +from pip._internal.cli.base_command import Command +from pip._internal.cli.status_codes import ERROR, SUCCESS +from pip._internal.exceptions import CommandError, PipError +from pip._internal.utils.logging import getLogger + +logger = getLogger(__name__) + + +class CacheCommand(Command): + """ + Inspect and manage pip's wheel cache. + + Subcommands: + + - dir: Show the cache directory. + - info: Show information about the cache. + - list: List filenames of packages stored in the cache. + - remove: Remove one or more package from the cache. + - purge: Remove all items from the cache. + + ``<pattern>`` can be a glob expression or a package name. + """ + + ignore_require_venv = True + usage = """ + %prog dir + %prog info + %prog list [<pattern>] [--format=[human, abspath]] + %prog remove <pattern> + %prog purge + """ + + def add_options(self) -> None: + + self.cmd_opts.add_option( + "--format", + action="store", + dest="list_format", + default="human", + choices=("human", "abspath"), + help="Select the output format among: human (default) or abspath", + ) + + self.parser.insert_option_group(0, self.cmd_opts) + + def run(self, options: Values, args: List[str]) -> int: + handlers = { + "dir": self.get_cache_dir, + "info": self.get_cache_info, + "list": self.list_cache_items, + "remove": self.remove_cache_items, + "purge": self.purge_cache, + } + + if not options.cache_dir: + logger.error("pip cache commands can not function since cache is disabled.") + return ERROR + + # Determine action + if not args or args[0] not in handlers: + logger.error( + "Need an action (%s) to perform.", + ", ".join(sorted(handlers)), + ) + return ERROR + + action = args[0] + + # Error handling happens here, not in the action-handlers. + try: + handlers[action](options, args[1:]) + except PipError as e: + logger.error(e.args[0]) + return ERROR + + return SUCCESS + + def get_cache_dir(self, options: Values, args: List[Any]) -> None: + if args: + raise CommandError("Too many arguments") + + logger.info(options.cache_dir) + + def get_cache_info(self, options: Values, args: List[Any]) -> None: + if args: + raise CommandError("Too many arguments") + + num_http_files = len(self._find_http_files(options)) + num_packages = len(self._find_wheels(options, "*")) + + http_cache_location = self._cache_dir(options, "http") + wheels_cache_location = self._cache_dir(options, "wheels") + http_cache_size = filesystem.format_directory_size(http_cache_location) + wheels_cache_size = filesystem.format_directory_size(wheels_cache_location) + + message = ( + textwrap.dedent( + """ + Package index page cache location: {http_cache_location} + Package index page cache size: {http_cache_size} + Number of HTTP files: {num_http_files} + Wheels location: {wheels_cache_location} + Wheels size: {wheels_cache_size} + Number of wheels: {package_count} + """ + ) + .format( + http_cache_location=http_cache_location, + http_cache_size=http_cache_size, + num_http_files=num_http_files, + wheels_cache_location=wheels_cache_location, + package_count=num_packages, + wheels_cache_size=wheels_cache_size, + ) + .strip() + ) + + logger.info(message) + + def list_cache_items(self, options: Values, args: List[Any]) -> None: + if len(args) > 1: + raise CommandError("Too many arguments") + + if args: + pattern = args[0] + else: + pattern = "*" + + files = self._find_wheels(options, pattern) + if options.list_format == "human": + self.format_for_human(files) + else: + self.format_for_abspath(files) + + def format_for_human(self, files: List[str]) -> None: + if not files: + logger.info("Nothing cached.") + return + + results = [] + for filename in files: + wheel = os.path.basename(filename) + size = filesystem.format_file_size(filename) + results.append(f" - {wheel} ({size})") + logger.info("Cache contents:\n") + logger.info("\n".join(sorted(results))) + + def format_for_abspath(self, files: List[str]) -> None: + if not files: + return + + results = [] + for filename in files: + results.append(filename) + + logger.info("\n".join(sorted(results))) + + def remove_cache_items(self, options: Values, args: List[Any]) -> None: + if len(args) > 1: + raise CommandError("Too many arguments") + + if not args: + raise CommandError("Please provide a pattern") + + files = self._find_wheels(options, args[0]) + + no_matching_msg = "No matching packages" + if args[0] == "*": + # Only fetch http files if no specific pattern given + files += self._find_http_files(options) + else: + # Add the pattern to the log message + no_matching_msg += ' for pattern "{}"'.format(args[0]) + + if not files: + logger.warning(no_matching_msg) + + for filename in files: + os.unlink(filename) + logger.verbose("Removed %s", filename) + logger.info("Files removed: %s", len(files)) + + def purge_cache(self, options: Values, args: List[Any]) -> None: + if args: + raise CommandError("Too many arguments") + + return self.remove_cache_items(options, ["*"]) + + def _cache_dir(self, options: Values, subdir: str) -> str: + return os.path.join(options.cache_dir, subdir) + + def _find_http_files(self, options: Values) -> List[str]: + http_dir = self._cache_dir(options, "http") + return filesystem.find_files(http_dir, "*") + + def _find_wheels(self, options: Values, pattern: str) -> List[str]: + wheel_dir = self._cache_dir(options, "wheels") + + # The wheel filename format, as specified in PEP 427, is: + # {distribution}-{version}(-{build})?-{python}-{abi}-{platform}.whl + # + # Additionally, non-alphanumeric values in the distribution are + # normalized to underscores (_), meaning hyphens can never occur + # before `-{version}`. + # + # Given that information: + # - If the pattern we're given contains a hyphen (-), the user is + # providing at least the version. Thus, we can just append `*.whl` + # to match the rest of it. + # - If the pattern we're given doesn't contain a hyphen (-), the + # user is only providing the name. Thus, we append `-*.whl` to + # match the hyphen before the version, followed by anything else. + # + # PEP 427: https://www.python.org/dev/peps/pep-0427/ + pattern = pattern + ("*.whl" if "-" in pattern else "-*.whl") + + return filesystem.find_files(wheel_dir, pattern) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/check.py b/venv/Lib/site-packages/pip/_internal/commands/check.py similarity index 58% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/check.py rename to venv/Lib/site-packages/pip/_internal/commands/check.py index 801cecc..3864220 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/check.py +++ b/venv/Lib/site-packages/pip/_internal/commands/check.py @@ -1,41 +1,53 @@ import logging +from optparse import Values +from typing import List from pip._internal.cli.base_command import Command +from pip._internal.cli.status_codes import ERROR, SUCCESS from pip._internal.operations.check import ( - check_package_set, create_package_set_from_installed, + check_package_set, + create_package_set_from_installed, ) +from pip._internal.utils.misc import write_output logger = logging.getLogger(__name__) class CheckCommand(Command): """Verify installed packages have compatible dependencies.""" - name = 'check' + usage = """ %prog [options]""" - summary = 'Verify installed packages have compatible dependencies.' - def run(self, options, args): + def run(self, options: Values, args: List[str]) -> int: + package_set, parsing_probs = create_package_set_from_installed() missing, conflicting = check_package_set(package_set) for project_name in missing: version = package_set[project_name].version for dependency in missing[project_name]: - logger.info( + write_output( "%s %s requires %s, which is not installed.", - project_name, version, dependency[0], + project_name, + version, + dependency[0], ) for project_name in conflicting: version = package_set[project_name].version for dep_name, dep_version, req in conflicting[project_name]: - logger.info( + write_output( "%s %s has requirement %s, but you have %s %s.", - project_name, version, req, dep_name, dep_version, + project_name, + version, + req, + dep_name, + dep_version, ) if missing or conflicting or parsing_probs: - return 1 + return ERROR else: - logger.info("No broken requirements found.") + write_output("No broken requirements found.") + return SUCCESS diff --git a/venv/Lib/site-packages/pip/_internal/commands/completion.py b/venv/Lib/site-packages/pip/_internal/commands/completion.py new file mode 100644 index 0000000..c0fb4ca --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/commands/completion.py @@ -0,0 +1,96 @@ +import sys +import textwrap +from optparse import Values +from typing import List + +from pip._internal.cli.base_command import Command +from pip._internal.cli.status_codes import SUCCESS +from pip._internal.utils.misc import get_prog + +BASE_COMPLETION = """ +# pip {shell} completion start{script}# pip {shell} completion end +""" + +COMPLETION_SCRIPTS = { + "bash": """ + _pip_completion() + {{ + COMPREPLY=( $( COMP_WORDS="${{COMP_WORDS[*]}}" \\ + COMP_CWORD=$COMP_CWORD \\ + PIP_AUTO_COMPLETE=1 $1 2>/dev/null ) ) + }} + complete -o default -F _pip_completion {prog} + """, + "zsh": """ + function _pip_completion {{ + local words cword + read -Ac words + read -cn cword + reply=( $( COMP_WORDS="$words[*]" \\ + COMP_CWORD=$(( cword-1 )) \\ + PIP_AUTO_COMPLETE=1 $words[1] 2>/dev/null )) + }} + compctl -K _pip_completion {prog} + """, + "fish": """ + function __fish_complete_pip + set -lx COMP_WORDS (commandline -o) "" + set -lx COMP_CWORD ( \\ + math (contains -i -- (commandline -t) $COMP_WORDS)-1 \\ + ) + set -lx PIP_AUTO_COMPLETE 1 + string split \\ -- (eval $COMP_WORDS[1]) + end + complete -fa "(__fish_complete_pip)" -c {prog} + """, +} + + +class CompletionCommand(Command): + """A helper command to be used for command completion.""" + + ignore_require_venv = True + + def add_options(self) -> None: + self.cmd_opts.add_option( + "--bash", + "-b", + action="store_const", + const="bash", + dest="shell", + help="Emit completion code for bash", + ) + self.cmd_opts.add_option( + "--zsh", + "-z", + action="store_const", + const="zsh", + dest="shell", + help="Emit completion code for zsh", + ) + self.cmd_opts.add_option( + "--fish", + "-f", + action="store_const", + const="fish", + dest="shell", + help="Emit completion code for fish", + ) + + self.parser.insert_option_group(0, self.cmd_opts) + + def run(self, options: Values, args: List[str]) -> int: + """Prints the completion code of the given shell""" + shells = COMPLETION_SCRIPTS.keys() + shell_options = ["--" + shell for shell in sorted(shells)] + if options.shell in shells: + script = textwrap.dedent( + COMPLETION_SCRIPTS.get(options.shell, "").format(prog=get_prog()) + ) + print(BASE_COMPLETION.format(script=script, shell=options.shell)) + return SUCCESS + else: + sys.stderr.write( + "ERROR: You must pass {}\n".format(" or ".join(shell_options)) + ) + return SUCCESS diff --git a/venv/Lib/site-packages/pip/_internal/commands/configuration.py b/venv/Lib/site-packages/pip/_internal/commands/configuration.py new file mode 100644 index 0000000..c6c74ed --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/commands/configuration.py @@ -0,0 +1,266 @@ +import logging +import os +import subprocess +from optparse import Values +from typing import Any, List, Optional + +from pip._internal.cli.base_command import Command +from pip._internal.cli.status_codes import ERROR, SUCCESS +from pip._internal.configuration import ( + Configuration, + Kind, + get_configuration_files, + kinds, +) +from pip._internal.exceptions import PipError +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import get_prog, write_output + +logger = logging.getLogger(__name__) + + +class ConfigurationCommand(Command): + """ + Manage local and global configuration. + + Subcommands: + + - list: List the active configuration (or from the file specified) + - edit: Edit the configuration file in an editor + - get: Get the value associated with name + - set: Set the name=value + - unset: Unset the value associated with name + - debug: List the configuration files and values defined under them + + If none of --user, --global and --site are passed, a virtual + environment configuration file is used if one is active and the file + exists. Otherwise, all modifications happen to the user file by + default. + """ + + ignore_require_venv = True + usage = """ + %prog [<file-option>] list + %prog [<file-option>] [--editor <editor-path>] edit + + %prog [<file-option>] get name + %prog [<file-option>] set name value + %prog [<file-option>] unset name + %prog [<file-option>] debug + """ + + def add_options(self) -> None: + self.cmd_opts.add_option( + "--editor", + dest="editor", + action="store", + default=None, + help=( + "Editor to use to edit the file. Uses VISUAL or EDITOR " + "environment variables if not provided." + ), + ) + + self.cmd_opts.add_option( + "--global", + dest="global_file", + action="store_true", + default=False, + help="Use the system-wide configuration file only", + ) + + self.cmd_opts.add_option( + "--user", + dest="user_file", + action="store_true", + default=False, + help="Use the user configuration file only", + ) + + self.cmd_opts.add_option( + "--site", + dest="site_file", + action="store_true", + default=False, + help="Use the current environment configuration file only", + ) + + self.parser.insert_option_group(0, self.cmd_opts) + + def run(self, options: Values, args: List[str]) -> int: + handlers = { + "list": self.list_values, + "edit": self.open_in_editor, + "get": self.get_name, + "set": self.set_name_value, + "unset": self.unset_name, + "debug": self.list_config_values, + } + + # Determine action + if not args or args[0] not in handlers: + logger.error( + "Need an action (%s) to perform.", + ", ".join(sorted(handlers)), + ) + return ERROR + + action = args[0] + + # Determine which configuration files are to be loaded + # Depends on whether the command is modifying. + try: + load_only = self._determine_file( + options, need_value=(action in ["get", "set", "unset", "edit"]) + ) + except PipError as e: + logger.error(e.args[0]) + return ERROR + + # Load a new configuration + self.configuration = Configuration( + isolated=options.isolated_mode, load_only=load_only + ) + self.configuration.load() + + # Error handling happens here, not in the action-handlers. + try: + handlers[action](options, args[1:]) + except PipError as e: + logger.error(e.args[0]) + return ERROR + + return SUCCESS + + def _determine_file(self, options: Values, need_value: bool) -> Optional[Kind]: + file_options = [ + key + for key, value in ( + (kinds.USER, options.user_file), + (kinds.GLOBAL, options.global_file), + (kinds.SITE, options.site_file), + ) + if value + ] + + if not file_options: + if not need_value: + return None + # Default to user, unless there's a site file. + elif any( + os.path.exists(site_config_file) + for site_config_file in get_configuration_files()[kinds.SITE] + ): + return kinds.SITE + else: + return kinds.USER + elif len(file_options) == 1: + return file_options[0] + + raise PipError( + "Need exactly one file to operate upon " + "(--user, --site, --global) to perform." + ) + + def list_values(self, options: Values, args: List[str]) -> None: + self._get_n_args(args, "list", n=0) + + for key, value in sorted(self.configuration.items()): + write_output("%s=%r", key, value) + + def get_name(self, options: Values, args: List[str]) -> None: + key = self._get_n_args(args, "get [name]", n=1) + value = self.configuration.get_value(key) + + write_output("%s", value) + + def set_name_value(self, options: Values, args: List[str]) -> None: + key, value = self._get_n_args(args, "set [name] [value]", n=2) + self.configuration.set_value(key, value) + + self._save_configuration() + + def unset_name(self, options: Values, args: List[str]) -> None: + key = self._get_n_args(args, "unset [name]", n=1) + self.configuration.unset_value(key) + + self._save_configuration() + + def list_config_values(self, options: Values, args: List[str]) -> None: + """List config key-value pairs across different config files""" + self._get_n_args(args, "debug", n=0) + + self.print_env_var_values() + # Iterate over config files and print if they exist, and the + # key-value pairs present in them if they do + for variant, files in sorted(self.configuration.iter_config_files()): + write_output("%s:", variant) + for fname in files: + with indent_log(): + file_exists = os.path.exists(fname) + write_output("%s, exists: %r", fname, file_exists) + if file_exists: + self.print_config_file_values(variant) + + def print_config_file_values(self, variant: Kind) -> None: + """Get key-value pairs from the file of a variant""" + for name, value in self.configuration.get_values_in_config(variant).items(): + with indent_log(): + write_output("%s: %s", name, value) + + def print_env_var_values(self) -> None: + """Get key-values pairs present as environment variables""" + write_output("%s:", "env_var") + with indent_log(): + for key, value in sorted(self.configuration.get_environ_vars()): + env_var = f"PIP_{key.upper()}" + write_output("%s=%r", env_var, value) + + def open_in_editor(self, options: Values, args: List[str]) -> None: + editor = self._determine_editor(options) + + fname = self.configuration.get_file_to_edit() + if fname is None: + raise PipError("Could not determine appropriate file.") + + try: + subprocess.check_call([editor, fname]) + except subprocess.CalledProcessError as e: + raise PipError( + "Editor Subprocess exited with exit code {}".format(e.returncode) + ) + + def _get_n_args(self, args: List[str], example: str, n: int) -> Any: + """Helper to make sure the command got the right number of arguments""" + if len(args) != n: + msg = ( + "Got unexpected number of arguments, expected {}. " + '(example: "{} config {}")' + ).format(n, get_prog(), example) + raise PipError(msg) + + if n == 1: + return args[0] + else: + return args + + def _save_configuration(self) -> None: + # We successfully ran a modifying command. Need to save the + # configuration. + try: + self.configuration.save() + except Exception: + logger.exception( + "Unable to save configuration. Please report this as a bug." + ) + raise PipError("Internal Error.") + + def _determine_editor(self, options: Values) -> str: + if options.editor is not None: + return options.editor + elif "VISUAL" in os.environ: + return os.environ["VISUAL"] + elif "EDITOR" in os.environ: + return os.environ["EDITOR"] + else: + raise PipError("Could not determine editor to use.") diff --git a/venv/Lib/site-packages/pip/_internal/commands/debug.py b/venv/Lib/site-packages/pip/_internal/commands/debug.py new file mode 100644 index 0000000..d3f1f28 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/commands/debug.py @@ -0,0 +1,202 @@ +import locale +import logging +import os +import sys +from optparse import Values +from types import ModuleType +from typing import Any, Dict, List, Optional + +import pip._vendor +from pip._vendor.certifi import where +from pip._vendor.packaging.version import parse as parse_version + +from pip import __file__ as pip_location +from pip._internal.cli import cmdoptions +from pip._internal.cli.base_command import Command +from pip._internal.cli.cmdoptions import make_target_python +from pip._internal.cli.status_codes import SUCCESS +from pip._internal.configuration import Configuration +from pip._internal.metadata import get_environment +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import get_pip_version + +logger = logging.getLogger(__name__) + + +def show_value(name: str, value: Any) -> None: + logger.info("%s: %s", name, value) + + +def show_sys_implementation() -> None: + logger.info("sys.implementation:") + implementation_name = sys.implementation.name + with indent_log(): + show_value("name", implementation_name) + + +def create_vendor_txt_map() -> Dict[str, str]: + vendor_txt_path = os.path.join( + os.path.dirname(pip_location), "_vendor", "vendor.txt" + ) + + with open(vendor_txt_path) as f: + # Purge non version specifying lines. + # Also, remove any space prefix or suffixes (including comments). + lines = [ + line.strip().split(" ", 1)[0] for line in f.readlines() if "==" in line + ] + + # Transform into "module" -> version dict. + return dict(line.split("==", 1) for line in lines) # type: ignore + + +def get_module_from_module_name(module_name: str) -> ModuleType: + # Module name can be uppercase in vendor.txt for some reason... + module_name = module_name.lower() + # PATCH: setuptools is actually only pkg_resources. + if module_name == "setuptools": + module_name = "pkg_resources" + + __import__(f"pip._vendor.{module_name}", globals(), locals(), level=0) + return getattr(pip._vendor, module_name) + + +def get_vendor_version_from_module(module_name: str) -> Optional[str]: + module = get_module_from_module_name(module_name) + version = getattr(module, "__version__", None) + + if not version: + # Try to find version in debundled module info. + env = get_environment([os.path.dirname(module.__file__)]) + dist = env.get_distribution(module_name) + if dist: + version = str(dist.version) + + return version + + +def show_actual_vendor_versions(vendor_txt_versions: Dict[str, str]) -> None: + """Log the actual version and print extra info if there is + a conflict or if the actual version could not be imported. + """ + for module_name, expected_version in vendor_txt_versions.items(): + extra_message = "" + actual_version = get_vendor_version_from_module(module_name) + if not actual_version: + extra_message = ( + " (Unable to locate actual module version, using" + " vendor.txt specified version)" + ) + actual_version = expected_version + elif parse_version(actual_version) != parse_version(expected_version): + extra_message = ( + " (CONFLICT: vendor.txt suggests version should" + " be {})".format(expected_version) + ) + logger.info("%s==%s%s", module_name, actual_version, extra_message) + + +def show_vendor_versions() -> None: + logger.info("vendored library versions:") + + vendor_txt_versions = create_vendor_txt_map() + with indent_log(): + show_actual_vendor_versions(vendor_txt_versions) + + +def show_tags(options: Values) -> None: + tag_limit = 10 + + target_python = make_target_python(options) + tags = target_python.get_tags() + + # Display the target options that were explicitly provided. + formatted_target = target_python.format_given() + suffix = "" + if formatted_target: + suffix = f" (target: {formatted_target})" + + msg = "Compatible tags: {}{}".format(len(tags), suffix) + logger.info(msg) + + if options.verbose < 1 and len(tags) > tag_limit: + tags_limited = True + tags = tags[:tag_limit] + else: + tags_limited = False + + with indent_log(): + for tag in tags: + logger.info(str(tag)) + + if tags_limited: + msg = ( + "...\n[First {tag_limit} tags shown. Pass --verbose to show all.]" + ).format(tag_limit=tag_limit) + logger.info(msg) + + +def ca_bundle_info(config: Configuration) -> str: + levels = set() + for key, _ in config.items(): + levels.add(key.split(".")[0]) + + if not levels: + return "Not specified" + + levels_that_override_global = ["install", "wheel", "download"] + global_overriding_level = [ + level for level in levels if level in levels_that_override_global + ] + if not global_overriding_level: + return "global" + + if "global" in levels: + levels.remove("global") + return ", ".join(levels) + + +class DebugCommand(Command): + """ + Display debug information. + """ + + usage = """ + %prog <options>""" + ignore_require_venv = True + + def add_options(self) -> None: + cmdoptions.add_target_python_options(self.cmd_opts) + self.parser.insert_option_group(0, self.cmd_opts) + self.parser.config.load() + + def run(self, options: Values, args: List[str]) -> int: + logger.warning( + "This command is only meant for debugging. " + "Do not use this with automation for parsing and getting these " + "details, since the output and options of this command may " + "change without notice." + ) + show_value("pip version", get_pip_version()) + show_value("sys.version", sys.version) + show_value("sys.executable", sys.executable) + show_value("sys.getdefaultencoding", sys.getdefaultencoding()) + show_value("sys.getfilesystemencoding", sys.getfilesystemencoding()) + show_value( + "locale.getpreferredencoding", + locale.getpreferredencoding(), + ) + show_value("sys.platform", sys.platform) + show_sys_implementation() + + show_value("'cert' config value", ca_bundle_info(self.parser.config)) + show_value("REQUESTS_CA_BUNDLE", os.environ.get("REQUESTS_CA_BUNDLE")) + show_value("CURL_CA_BUNDLE", os.environ.get("CURL_CA_BUNDLE")) + show_value("pip._vendor.certifi.where()", where()) + show_value("pip._vendor.DEBUNDLED", pip._vendor.DEBUNDLED) + + show_vendor_versions() + + show_tags(options) + + return SUCCESS diff --git a/venv/Lib/site-packages/pip/_internal/commands/download.py b/venv/Lib/site-packages/pip/_internal/commands/download.py new file mode 100644 index 0000000..7de207f --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/commands/download.py @@ -0,0 +1,139 @@ +import logging +import os +from optparse import Values +from typing import List + +from pip._internal.cli import cmdoptions +from pip._internal.cli.cmdoptions import make_target_python +from pip._internal.cli.req_command import RequirementCommand, with_cleanup +from pip._internal.cli.status_codes import SUCCESS +from pip._internal.req.req_tracker import get_requirement_tracker +from pip._internal.utils.misc import ensure_dir, normalize_path, write_output +from pip._internal.utils.temp_dir import TempDirectory + +logger = logging.getLogger(__name__) + + +class DownloadCommand(RequirementCommand): + """ + Download packages from: + + - PyPI (and other indexes) using requirement specifiers. + - VCS project urls. + - Local project directories. + - Local or remote source archives. + + pip also supports downloading from "requirements files", which provide + an easy way to specify a whole environment to be downloaded. + """ + + usage = """ + %prog [options] <requirement specifier> [package-index-options] ... + %prog [options] -r <requirements file> [package-index-options] ... + %prog [options] <vcs project url> ... + %prog [options] <local project path> ... + %prog [options] <archive url/path> ...""" + + def add_options(self) -> None: + self.cmd_opts.add_option(cmdoptions.constraints()) + self.cmd_opts.add_option(cmdoptions.requirements()) + self.cmd_opts.add_option(cmdoptions.no_deps()) + self.cmd_opts.add_option(cmdoptions.global_options()) + self.cmd_opts.add_option(cmdoptions.no_binary()) + self.cmd_opts.add_option(cmdoptions.only_binary()) + self.cmd_opts.add_option(cmdoptions.prefer_binary()) + self.cmd_opts.add_option(cmdoptions.src()) + self.cmd_opts.add_option(cmdoptions.pre()) + self.cmd_opts.add_option(cmdoptions.require_hashes()) + self.cmd_opts.add_option(cmdoptions.progress_bar()) + self.cmd_opts.add_option(cmdoptions.no_build_isolation()) + self.cmd_opts.add_option(cmdoptions.use_pep517()) + self.cmd_opts.add_option(cmdoptions.no_use_pep517()) + self.cmd_opts.add_option(cmdoptions.ignore_requires_python()) + + self.cmd_opts.add_option( + "-d", + "--dest", + "--destination-dir", + "--destination-directory", + dest="download_dir", + metavar="dir", + default=os.curdir, + help="Download packages into <dir>.", + ) + + cmdoptions.add_target_python_options(self.cmd_opts) + + index_opts = cmdoptions.make_option_group( + cmdoptions.index_group, + self.parser, + ) + + self.parser.insert_option_group(0, index_opts) + self.parser.insert_option_group(0, self.cmd_opts) + + @with_cleanup + def run(self, options: Values, args: List[str]) -> int: + + options.ignore_installed = True + # editable doesn't really make sense for `pip download`, but the bowels + # of the RequirementSet code require that property. + options.editables = [] + + cmdoptions.check_dist_restriction(options) + + options.download_dir = normalize_path(options.download_dir) + ensure_dir(options.download_dir) + + session = self.get_default_session(options) + + target_python = make_target_python(options) + finder = self._build_package_finder( + options=options, + session=session, + target_python=target_python, + ignore_requires_python=options.ignore_requires_python, + ) + + req_tracker = self.enter_context(get_requirement_tracker()) + + directory = TempDirectory( + delete=not options.no_clean, + kind="download", + globally_managed=True, + ) + + reqs = self.get_requirements(args, options, finder, session) + + preparer = self.make_requirement_preparer( + temp_build_dir=directory, + options=options, + req_tracker=req_tracker, + session=session, + finder=finder, + download_dir=options.download_dir, + use_user_site=False, + ) + + resolver = self.make_resolver( + preparer=preparer, + finder=finder, + options=options, + ignore_requires_python=options.ignore_requires_python, + py_version_info=options.python_version, + ) + + self.trace_basic_info(finder) + + requirement_set = resolver.resolve(reqs, check_supported_wheels=True) + + downloaded: List[str] = [] + for req in requirement_set.requirements.values(): + if req.satisfied_by is None: + assert req.name is not None + preparer.save_linked_requirement(req) + downloaded.append(req.name) + if downloaded: + write_output("Successfully downloaded %s", " ".join(downloaded)) + + return SUCCESS diff --git a/venv/Lib/site-packages/pip/_internal/commands/freeze.py b/venv/Lib/site-packages/pip/_internal/commands/freeze.py new file mode 100644 index 0000000..5fa6d39 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/commands/freeze.py @@ -0,0 +1,97 @@ +import sys +from optparse import Values +from typing import List + +from pip._internal.cli import cmdoptions +from pip._internal.cli.base_command import Command +from pip._internal.cli.status_codes import SUCCESS +from pip._internal.operations.freeze import freeze +from pip._internal.utils.compat import stdlib_pkgs + +DEV_PKGS = {"pip", "setuptools", "distribute", "wheel"} + + +class FreezeCommand(Command): + """ + Output installed packages in requirements format. + + packages are listed in a case-insensitive sorted order. + """ + + usage = """ + %prog [options]""" + log_streams = ("ext://sys.stderr", "ext://sys.stderr") + + def add_options(self) -> None: + self.cmd_opts.add_option( + "-r", + "--requirement", + dest="requirements", + action="append", + default=[], + metavar="file", + help=( + "Use the order in the given requirements file and its " + "comments when generating output. This option can be " + "used multiple times." + ), + ) + self.cmd_opts.add_option( + "-l", + "--local", + dest="local", + action="store_true", + default=False, + help=( + "If in a virtualenv that has global access, do not output " + "globally-installed packages." + ), + ) + self.cmd_opts.add_option( + "--user", + dest="user", + action="store_true", + default=False, + help="Only output packages installed in user-site.", + ) + self.cmd_opts.add_option(cmdoptions.list_path()) + self.cmd_opts.add_option( + "--all", + dest="freeze_all", + action="store_true", + help=( + "Do not skip these packages in the output:" + " {}".format(", ".join(DEV_PKGS)) + ), + ) + self.cmd_opts.add_option( + "--exclude-editable", + dest="exclude_editable", + action="store_true", + help="Exclude editable package from output.", + ) + self.cmd_opts.add_option(cmdoptions.list_exclude()) + + self.parser.insert_option_group(0, self.cmd_opts) + + def run(self, options: Values, args: List[str]) -> int: + skip = set(stdlib_pkgs) + if not options.freeze_all: + skip.update(DEV_PKGS) + + if options.excludes: + skip.update(options.excludes) + + cmdoptions.check_list_path_option(options) + + for line in freeze( + requirement=options.requirements, + local_only=options.local, + user_only=options.user, + paths=options.path, + isolated=options.isolated_mode, + skip=skip, + exclude_editable=options.exclude_editable, + ): + sys.stdout.write(line + "\n") + return SUCCESS diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/hash.py b/venv/Lib/site-packages/pip/_internal/commands/hash.py similarity index 54% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/hash.py rename to venv/Lib/site-packages/pip/_internal/commands/hash.py index 423440e..042dac8 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/hash.py +++ b/venv/Lib/site-packages/pip/_internal/commands/hash.py @@ -1,13 +1,13 @@ -from __future__ import absolute_import - import hashlib import logging import sys +from optparse import Values +from typing import List from pip._internal.cli.base_command import Command -from pip._internal.cli.status_codes import ERROR +from pip._internal.cli.status_codes import ERROR, SUCCESS from pip._internal.utils.hashes import FAVORITE_HASH, STRONG_HASHES -from pip._internal.utils.misc import read_chunks +from pip._internal.utils.misc import read_chunks, write_output logger = logging.getLogger(__name__) @@ -18,39 +18,41 @@ class HashCommand(Command): These can be used with --hash in a requirements file to do repeatable installs. - """ - name = 'hash' - usage = '%prog [options] <file> ...' - summary = 'Compute hashes of package archives.' + + usage = "%prog [options] <file> ..." ignore_require_venv = True - def __init__(self, *args, **kw): - super(HashCommand, self).__init__(*args, **kw) + def add_options(self) -> None: self.cmd_opts.add_option( - '-a', '--algorithm', - dest='algorithm', + "-a", + "--algorithm", + dest="algorithm", choices=STRONG_HASHES, - action='store', + action="store", default=FAVORITE_HASH, - help='The hash algorithm to use: one of %s' % - ', '.join(STRONG_HASHES)) + help="The hash algorithm to use: one of {}".format( + ", ".join(STRONG_HASHES) + ), + ) self.parser.insert_option_group(0, self.cmd_opts) - def run(self, options, args): + def run(self, options: Values, args: List[str]) -> int: if not args: self.parser.print_usage(sys.stderr) return ERROR algorithm = options.algorithm for path in args: - logger.info('%s:\n--hash=%s:%s', - path, algorithm, _hash_of_file(path, algorithm)) + write_output( + "%s:\n--hash=%s:%s", path, algorithm, _hash_of_file(path, algorithm) + ) + return SUCCESS -def _hash_of_file(path, algorithm): +def _hash_of_file(path: str, algorithm: str) -> str: """Return the hash digest of a file.""" - with open(path, 'rb') as archive: + with open(path, "rb") as archive: hash = hashlib.new(algorithm) for chunk in read_chunks(archive): hash.update(chunk) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/help.py b/venv/Lib/site-packages/pip/_internal/commands/help.py similarity index 59% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/help.py rename to venv/Lib/site-packages/pip/_internal/commands/help.py index 49a81cb..6206631 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/commands/help.py +++ b/venv/Lib/site-packages/pip/_internal/commands/help.py @@ -1,4 +1,5 @@ -from __future__ import absolute_import +from optparse import Values +from typing import List from pip._internal.cli.base_command import Command from pip._internal.cli.status_codes import SUCCESS @@ -7,14 +8,17 @@ class HelpCommand(Command): """Show help for commands""" - name = 'help' + usage = """ %prog <command>""" - summary = 'Show help for commands.' ignore_require_venv = True - def run(self, options, args): - from pip._internal.commands import commands_dict, get_similar_commands + def run(self, options: Values, args: List[str]) -> int: + from pip._internal.commands import ( + commands_dict, + create_command, + get_similar_commands, + ) try: # 'pip help' with no args is handled by pip.__init__.parseopt() @@ -25,13 +29,13 @@ def run(self, options, args): if cmd_name not in commands_dict: guess = get_similar_commands(cmd_name) - msg = ['unknown command "%s"' % cmd_name] + msg = [f'unknown command "{cmd_name}"'] if guess: - msg.append('maybe you meant "%s"' % guess) + msg.append(f'maybe you meant "{guess}"') - raise CommandError(' - '.join(msg)) + raise CommandError(" - ".join(msg)) - command = commands_dict[cmd_name]() + command = create_command(cmd_name) command.parser.print_help() return SUCCESS diff --git a/venv/Lib/site-packages/pip/_internal/commands/index.py b/venv/Lib/site-packages/pip/_internal/commands/index.py new file mode 100644 index 0000000..b4bf0ac --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/commands/index.py @@ -0,0 +1,138 @@ +import logging +from optparse import Values +from typing import Any, Iterable, List, Optional, Union + +from pip._vendor.packaging.version import LegacyVersion, Version + +from pip._internal.cli import cmdoptions +from pip._internal.cli.req_command import IndexGroupCommand +from pip._internal.cli.status_codes import ERROR, SUCCESS +from pip._internal.commands.search import print_dist_installation_info +from pip._internal.exceptions import CommandError, DistributionNotFound, PipError +from pip._internal.index.collector import LinkCollector +from pip._internal.index.package_finder import PackageFinder +from pip._internal.models.selection_prefs import SelectionPreferences +from pip._internal.models.target_python import TargetPython +from pip._internal.network.session import PipSession +from pip._internal.utils.misc import write_output + +logger = logging.getLogger(__name__) + + +class IndexCommand(IndexGroupCommand): + """ + Inspect information available from package indexes. + """ + + usage = """ + %prog versions <package> + """ + + def add_options(self) -> None: + cmdoptions.add_target_python_options(self.cmd_opts) + + self.cmd_opts.add_option(cmdoptions.ignore_requires_python()) + self.cmd_opts.add_option(cmdoptions.pre()) + self.cmd_opts.add_option(cmdoptions.no_binary()) + self.cmd_opts.add_option(cmdoptions.only_binary()) + + index_opts = cmdoptions.make_option_group( + cmdoptions.index_group, + self.parser, + ) + + self.parser.insert_option_group(0, index_opts) + self.parser.insert_option_group(0, self.cmd_opts) + + def run(self, options: Values, args: List[str]) -> int: + handlers = { + "versions": self.get_available_package_versions, + } + + logger.warning( + "pip index is currently an experimental command. " + "It may be removed/changed in a future release " + "without prior warning." + ) + + # Determine action + if not args or args[0] not in handlers: + logger.error( + "Need an action (%s) to perform.", + ", ".join(sorted(handlers)), + ) + return ERROR + + action = args[0] + + # Error handling happens here, not in the action-handlers. + try: + handlers[action](options, args[1:]) + except PipError as e: + logger.error(e.args[0]) + return ERROR + + return SUCCESS + + def _build_package_finder( + self, + options: Values, + session: PipSession, + target_python: Optional[TargetPython] = None, + ignore_requires_python: Optional[bool] = None, + ) -> PackageFinder: + """ + Create a package finder appropriate to the index command. + """ + link_collector = LinkCollector.create(session, options=options) + + # Pass allow_yanked=False to ignore yanked versions. + selection_prefs = SelectionPreferences( + allow_yanked=False, + allow_all_prereleases=options.pre, + ignore_requires_python=ignore_requires_python, + ) + + return PackageFinder.create( + link_collector=link_collector, + selection_prefs=selection_prefs, + target_python=target_python, + ) + + def get_available_package_versions(self, options: Values, args: List[Any]) -> None: + if len(args) != 1: + raise CommandError("You need to specify exactly one argument") + + target_python = cmdoptions.make_target_python(options) + query = args[0] + + with self._build_session(options) as session: + finder = self._build_package_finder( + options=options, + session=session, + target_python=target_python, + ignore_requires_python=options.ignore_requires_python, + ) + + versions: Iterable[Union[LegacyVersion, Version]] = ( + candidate.version for candidate in finder.find_all_candidates(query) + ) + + if not options.pre: + # Remove prereleases + versions = ( + version for version in versions if not version.is_prerelease + ) + versions = set(versions) + + if not versions: + raise DistributionNotFound( + "No matching distribution found for {}".format(query) + ) + + formatted_versions = [str(ver) for ver in sorted(versions, reverse=True)] + latest = formatted_versions[0] + + write_output("{} ({})".format(query, latest)) + write_output("Available versions: {}".format(", ".join(formatted_versions))) + print_dist_installation_info(query, latest) diff --git a/venv/Lib/site-packages/pip/_internal/commands/install.py b/venv/Lib/site-packages/pip/_internal/commands/install.py new file mode 100644 index 0000000..eedb1ff --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/commands/install.py @@ -0,0 +1,770 @@ +import errno +import operator +import os +import shutil +import site +from optparse import SUPPRESS_HELP, Values +from typing import Iterable, List, Optional + +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.cache import WheelCache +from pip._internal.cli import cmdoptions +from pip._internal.cli.cmdoptions import make_target_python +from pip._internal.cli.req_command import ( + RequirementCommand, + warn_if_run_as_root, + with_cleanup, +) +from pip._internal.cli.status_codes import ERROR, SUCCESS +from pip._internal.exceptions import CommandError, InstallationError +from pip._internal.locations import get_scheme +from pip._internal.metadata import get_environment +from pip._internal.models.format_control import FormatControl +from pip._internal.operations.check import ConflictDetails, check_install_conflicts +from pip._internal.req import install_given_reqs +from pip._internal.req.req_install import InstallRequirement +from pip._internal.req.req_tracker import get_requirement_tracker +from pip._internal.utils.compat import WINDOWS +from pip._internal.utils.distutils_args import parse_distutils_args +from pip._internal.utils.filesystem import test_writable_dir +from pip._internal.utils.logging import getLogger +from pip._internal.utils.misc import ( + ensure_dir, + get_pip_version, + protect_pip_from_modification_on_windows, + write_output, +) +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.utils.virtualenv import ( + running_under_virtualenv, + virtualenv_no_global, +) +from pip._internal.wheel_builder import ( + BinaryAllowedPredicate, + build, + should_build_for_install_command, +) + +logger = getLogger(__name__) + + +def get_check_binary_allowed(format_control: FormatControl) -> BinaryAllowedPredicate: + def check_binary_allowed(req: InstallRequirement) -> bool: + canonical_name = canonicalize_name(req.name or "") + allowed_formats = format_control.get_allowed_formats(canonical_name) + return "binary" in allowed_formats + + return check_binary_allowed + + +class InstallCommand(RequirementCommand): + """ + Install packages from: + + - PyPI (and other indexes) using requirement specifiers. + - VCS project urls. + - Local project directories. + - Local or remote source archives. + + pip also supports installing from "requirements files", which provide + an easy way to specify a whole environment to be installed. + """ + + usage = """ + %prog [options] <requirement specifier> [package-index-options] ... + %prog [options] -r <requirements file> [package-index-options] ... + %prog [options] [-e] <vcs project url> ... + %prog [options] [-e] <local project path> ... + %prog [options] <archive url/path> ...""" + + def add_options(self) -> None: + self.cmd_opts.add_option(cmdoptions.requirements()) + self.cmd_opts.add_option(cmdoptions.constraints()) + self.cmd_opts.add_option(cmdoptions.no_deps()) + self.cmd_opts.add_option(cmdoptions.pre()) + + self.cmd_opts.add_option(cmdoptions.editable()) + self.cmd_opts.add_option( + "-t", + "--target", + dest="target_dir", + metavar="dir", + default=None, + help=( + "Install packages into <dir>. " + "By default this will not replace existing files/folders in " + "<dir>. Use --upgrade to replace existing packages in <dir> " + "with new versions." + ), + ) + cmdoptions.add_target_python_options(self.cmd_opts) + + self.cmd_opts.add_option( + "--user", + dest="use_user_site", + action="store_true", + help=( + "Install to the Python user install directory for your " + "platform. Typically ~/.local/, or %APPDATA%\\Python on " + "Windows. (See the Python documentation for site.USER_BASE " + "for full details.)" + ), + ) + self.cmd_opts.add_option( + "--no-user", + dest="use_user_site", + action="store_false", + help=SUPPRESS_HELP, + ) + self.cmd_opts.add_option( + "--root", + dest="root_path", + metavar="dir", + default=None, + help="Install everything relative to this alternate root directory.", + ) + self.cmd_opts.add_option( + "--prefix", + dest="prefix_path", + metavar="dir", + default=None, + help=( + "Installation prefix where lib, bin and other top-level " + "folders are placed" + ), + ) + + self.cmd_opts.add_option(cmdoptions.src()) + + self.cmd_opts.add_option( + "-U", + "--upgrade", + dest="upgrade", + action="store_true", + help=( + "Upgrade all specified packages to the newest available " + "version. The handling of dependencies depends on the " + "upgrade-strategy used." + ), + ) + + self.cmd_opts.add_option( + "--upgrade-strategy", + dest="upgrade_strategy", + default="only-if-needed", + choices=["only-if-needed", "eager"], + help=( + "Determines how dependency upgrading should be handled " + "[default: %default]. " + '"eager" - dependencies are upgraded regardless of ' + "whether the currently installed version satisfies the " + "requirements of the upgraded package(s). " + '"only-if-needed" - are upgraded only when they do not ' + "satisfy the requirements of the upgraded package(s)." + ), + ) + + self.cmd_opts.add_option( + "--force-reinstall", + dest="force_reinstall", + action="store_true", + help="Reinstall all packages even if they are already up-to-date.", + ) + + self.cmd_opts.add_option( + "-I", + "--ignore-installed", + dest="ignore_installed", + action="store_true", + help=( + "Ignore the installed packages, overwriting them. " + "This can break your system if the existing package " + "is of a different version or was installed " + "with a different package manager!" + ), + ) + + self.cmd_opts.add_option(cmdoptions.ignore_requires_python()) + self.cmd_opts.add_option(cmdoptions.no_build_isolation()) + self.cmd_opts.add_option(cmdoptions.use_pep517()) + self.cmd_opts.add_option(cmdoptions.no_use_pep517()) + + self.cmd_opts.add_option(cmdoptions.install_options()) + self.cmd_opts.add_option(cmdoptions.global_options()) + + self.cmd_opts.add_option( + "--compile", + action="store_true", + dest="compile", + default=True, + help="Compile Python source files to bytecode", + ) + + self.cmd_opts.add_option( + "--no-compile", + action="store_false", + dest="compile", + help="Do not compile Python source files to bytecode", + ) + + self.cmd_opts.add_option( + "--no-warn-script-location", + action="store_false", + dest="warn_script_location", + default=True, + help="Do not warn when installing scripts outside PATH", + ) + self.cmd_opts.add_option( + "--no-warn-conflicts", + action="store_false", + dest="warn_about_conflicts", + default=True, + help="Do not warn about broken dependencies", + ) + + self.cmd_opts.add_option(cmdoptions.no_binary()) + self.cmd_opts.add_option(cmdoptions.only_binary()) + self.cmd_opts.add_option(cmdoptions.prefer_binary()) + self.cmd_opts.add_option(cmdoptions.require_hashes()) + self.cmd_opts.add_option(cmdoptions.progress_bar()) + + index_opts = cmdoptions.make_option_group( + cmdoptions.index_group, + self.parser, + ) + + self.parser.insert_option_group(0, index_opts) + self.parser.insert_option_group(0, self.cmd_opts) + + @with_cleanup + def run(self, options: Values, args: List[str]) -> int: + if options.use_user_site and options.target_dir is not None: + raise CommandError("Can not combine '--user' and '--target'") + + cmdoptions.check_install_build_global(options) + upgrade_strategy = "to-satisfy-only" + if options.upgrade: + upgrade_strategy = options.upgrade_strategy + + cmdoptions.check_dist_restriction(options, check_target=True) + + install_options = options.install_options or [] + + logger.verbose("Using %s", get_pip_version()) + options.use_user_site = decide_user_install( + options.use_user_site, + prefix_path=options.prefix_path, + target_dir=options.target_dir, + root_path=options.root_path, + isolated_mode=options.isolated_mode, + ) + + target_temp_dir: Optional[TempDirectory] = None + target_temp_dir_path: Optional[str] = None + if options.target_dir: + options.ignore_installed = True + options.target_dir = os.path.abspath(options.target_dir) + if ( + # fmt: off + os.path.exists(options.target_dir) and + not os.path.isdir(options.target_dir) + # fmt: on + ): + raise CommandError( + "Target path exists but is not a directory, will not continue." + ) + + # Create a target directory for using with the target option + target_temp_dir = TempDirectory(kind="target") + target_temp_dir_path = target_temp_dir.path + self.enter_context(target_temp_dir) + + global_options = options.global_options or [] + + session = self.get_default_session(options) + + target_python = make_target_python(options) + finder = self._build_package_finder( + options=options, + session=session, + target_python=target_python, + ignore_requires_python=options.ignore_requires_python, + ) + wheel_cache = WheelCache(options.cache_dir, options.format_control) + + req_tracker = self.enter_context(get_requirement_tracker()) + + directory = TempDirectory( + delete=not options.no_clean, + kind="install", + globally_managed=True, + ) + + try: + reqs = self.get_requirements(args, options, finder, session) + + # Only when installing is it permitted to use PEP 660. + # In other circumstances (pip wheel, pip download) we generate + # regular (i.e. non editable) metadata and wheels. + for req in reqs: + req.permit_editable_wheels = True + + reject_location_related_install_options(reqs, options.install_options) + + preparer = self.make_requirement_preparer( + temp_build_dir=directory, + options=options, + req_tracker=req_tracker, + session=session, + finder=finder, + use_user_site=options.use_user_site, + ) + resolver = self.make_resolver( + preparer=preparer, + finder=finder, + options=options, + wheel_cache=wheel_cache, + use_user_site=options.use_user_site, + ignore_installed=options.ignore_installed, + ignore_requires_python=options.ignore_requires_python, + force_reinstall=options.force_reinstall, + upgrade_strategy=upgrade_strategy, + use_pep517=options.use_pep517, + ) + + self.trace_basic_info(finder) + + requirement_set = resolver.resolve( + reqs, check_supported_wheels=not options.target_dir + ) + + try: + pip_req = requirement_set.get_requirement("pip") + except KeyError: + modifying_pip = False + else: + # If we're not replacing an already installed pip, + # we're not modifying it. + modifying_pip = pip_req.satisfied_by is None + protect_pip_from_modification_on_windows(modifying_pip=modifying_pip) + + check_binary_allowed = get_check_binary_allowed(finder.format_control) + + reqs_to_build = [ + r + for r in requirement_set.requirements.values() + if should_build_for_install_command(r, check_binary_allowed) + ] + + _, build_failures = build( + reqs_to_build, + wheel_cache=wheel_cache, + verify=True, + build_options=[], + global_options=[], + ) + + # If we're using PEP 517, we cannot do a legacy setup.py install + # so we fail here. + pep517_build_failure_names: List[str] = [ + r.name for r in build_failures if r.use_pep517 # type: ignore + ] + if pep517_build_failure_names: + raise InstallationError( + "Could not build wheels for {}, which is required to " + "install pyproject.toml-based projects".format( + ", ".join(pep517_build_failure_names) + ) + ) + + # For now, we just warn about failures building legacy + # requirements, as we'll fall through to a setup.py install for + # those. + for r in build_failures: + if not r.use_pep517: + r.legacy_install_reason = 8368 + + to_install = resolver.get_installation_order(requirement_set) + + # Check for conflicts in the package set we're installing. + conflicts: Optional[ConflictDetails] = None + should_warn_about_conflicts = ( + not options.ignore_dependencies and options.warn_about_conflicts + ) + if should_warn_about_conflicts: + conflicts = self._determine_conflicts(to_install) + + # Don't warn about script install locations if + # --target or --prefix has been specified + warn_script_location = options.warn_script_location + if options.target_dir or options.prefix_path: + warn_script_location = False + + installed = install_given_reqs( + to_install, + install_options, + global_options, + root=options.root_path, + home=target_temp_dir_path, + prefix=options.prefix_path, + warn_script_location=warn_script_location, + use_user_site=options.use_user_site, + pycompile=options.compile, + ) + + lib_locations = get_lib_location_guesses( + user=options.use_user_site, + home=target_temp_dir_path, + root=options.root_path, + prefix=options.prefix_path, + isolated=options.isolated_mode, + ) + env = get_environment(lib_locations) + + installed.sort(key=operator.attrgetter("name")) + items = [] + for result in installed: + item = result.name + try: + installed_dist = env.get_distribution(item) + if installed_dist is not None: + item = f"{item}-{installed_dist.version}" + except Exception: + pass + items.append(item) + + if conflicts is not None: + self._warn_about_conflicts( + conflicts, + resolver_variant=self.determine_resolver_variant(options), + ) + + installed_desc = " ".join(items) + if installed_desc: + write_output( + "Successfully installed %s", + installed_desc, + ) + except OSError as error: + show_traceback = self.verbosity >= 1 + + message = create_os_error_message( + error, + show_traceback, + options.use_user_site, + ) + logger.error(message, exc_info=show_traceback) # noqa + + return ERROR + + if options.target_dir: + assert target_temp_dir + self._handle_target_dir( + options.target_dir, target_temp_dir, options.upgrade + ) + + warn_if_run_as_root() + return SUCCESS + + def _handle_target_dir( + self, target_dir: str, target_temp_dir: TempDirectory, upgrade: bool + ) -> None: + ensure_dir(target_dir) + + # Checking both purelib and platlib directories for installed + # packages to be moved to target directory + lib_dir_list = [] + + # Checking both purelib and platlib directories for installed + # packages to be moved to target directory + scheme = get_scheme("", home=target_temp_dir.path) + purelib_dir = scheme.purelib + platlib_dir = scheme.platlib + data_dir = scheme.data + + if os.path.exists(purelib_dir): + lib_dir_list.append(purelib_dir) + if os.path.exists(platlib_dir) and platlib_dir != purelib_dir: + lib_dir_list.append(platlib_dir) + if os.path.exists(data_dir): + lib_dir_list.append(data_dir) + + for lib_dir in lib_dir_list: + for item in os.listdir(lib_dir): + if lib_dir == data_dir: + ddir = os.path.join(data_dir, item) + if any(s.startswith(ddir) for s in lib_dir_list[:-1]): + continue + target_item_dir = os.path.join(target_dir, item) + if os.path.exists(target_item_dir): + if not upgrade: + logger.warning( + "Target directory %s already exists. Specify " + "--upgrade to force replacement.", + target_item_dir, + ) + continue + if os.path.islink(target_item_dir): + logger.warning( + "Target directory %s already exists and is " + "a link. pip will not automatically replace " + "links, please remove if replacement is " + "desired.", + target_item_dir, + ) + continue + if os.path.isdir(target_item_dir): + shutil.rmtree(target_item_dir) + else: + os.remove(target_item_dir) + + shutil.move(os.path.join(lib_dir, item), target_item_dir) + + def _determine_conflicts( + self, to_install: List[InstallRequirement] + ) -> Optional[ConflictDetails]: + try: + return check_install_conflicts(to_install) + except Exception: + logger.exception( + "Error while checking for conflicts. Please file an issue on " + "pip's issue tracker: https://github.com/pypa/pip/issues/new" + ) + return None + + def _warn_about_conflicts( + self, conflict_details: ConflictDetails, resolver_variant: str + ) -> None: + package_set, (missing, conflicting) = conflict_details + if not missing and not conflicting: + return + + parts: List[str] = [] + if resolver_variant == "legacy": + parts.append( + "pip's legacy dependency resolver does not consider dependency " + "conflicts when selecting packages. This behaviour is the " + "source of the following dependency conflicts." + ) + else: + assert resolver_variant == "2020-resolver" + parts.append( + "pip's dependency resolver does not currently take into account " + "all the packages that are installed. This behaviour is the " + "source of the following dependency conflicts." + ) + + # NOTE: There is some duplication here, with commands/check.py + for project_name in missing: + version = package_set[project_name][0] + for dependency in missing[project_name]: + message = ( + "{name} {version} requires {requirement}, " + "which is not installed." + ).format( + name=project_name, + version=version, + requirement=dependency[1], + ) + parts.append(message) + + for project_name in conflicting: + version = package_set[project_name][0] + for dep_name, dep_version, req in conflicting[project_name]: + message = ( + "{name} {version} requires {requirement}, but {you} have " + "{dep_name} {dep_version} which is incompatible." + ).format( + name=project_name, + version=version, + requirement=req, + dep_name=dep_name, + dep_version=dep_version, + you=("you" if resolver_variant == "2020-resolver" else "you'll"), + ) + parts.append(message) + + logger.critical("\n".join(parts)) + + +def get_lib_location_guesses( + user: bool = False, + home: Optional[str] = None, + root: Optional[str] = None, + isolated: bool = False, + prefix: Optional[str] = None, +) -> List[str]: + scheme = get_scheme( + "", + user=user, + home=home, + root=root, + isolated=isolated, + prefix=prefix, + ) + return [scheme.purelib, scheme.platlib] + + +def site_packages_writable(root: Optional[str], isolated: bool) -> bool: + return all( + test_writable_dir(d) + for d in set(get_lib_location_guesses(root=root, isolated=isolated)) + ) + + +def decide_user_install( + use_user_site: Optional[bool], + prefix_path: Optional[str] = None, + target_dir: Optional[str] = None, + root_path: Optional[str] = None, + isolated_mode: bool = False, +) -> bool: + """Determine whether to do a user install based on the input options. + + If use_user_site is False, no additional checks are done. + If use_user_site is True, it is checked for compatibility with other + options. + If use_user_site is None, the default behaviour depends on the environment, + which is provided by the other arguments. + """ + # In some cases (config from tox), use_user_site can be set to an integer + # rather than a bool, which 'use_user_site is False' wouldn't catch. + if (use_user_site is not None) and (not use_user_site): + logger.debug("Non-user install by explicit request") + return False + + if use_user_site: + if prefix_path: + raise CommandError( + "Can not combine '--user' and '--prefix' as they imply " + "different installation locations" + ) + if virtualenv_no_global(): + raise InstallationError( + "Can not perform a '--user' install. User site-packages " + "are not visible in this virtualenv." + ) + logger.debug("User install by explicit request") + return True + + # If we are here, user installs have not been explicitly requested/avoided + assert use_user_site is None + + # user install incompatible with --prefix/--target + if prefix_path or target_dir: + logger.debug("Non-user install due to --prefix or --target option") + return False + + # If user installs are not enabled, choose a non-user install + if not site.ENABLE_USER_SITE: + logger.debug("Non-user install because user site-packages disabled") + return False + + # If we have permission for a non-user install, do that, + # otherwise do a user install. + if site_packages_writable(root=root_path, isolated=isolated_mode): + logger.debug("Non-user install because site-packages writeable") + return False + + logger.info( + "Defaulting to user installation because normal site-packages " + "is not writeable" + ) + return True + + +def reject_location_related_install_options( + requirements: List[InstallRequirement], options: Optional[List[str]] +) -> None: + """If any location-changing --install-option arguments were passed for + requirements or on the command-line, then show a deprecation warning. + """ + + def format_options(option_names: Iterable[str]) -> List[str]: + return ["--{}".format(name.replace("_", "-")) for name in option_names] + + offenders = [] + + for requirement in requirements: + install_options = requirement.install_options + location_options = parse_distutils_args(install_options) + if location_options: + offenders.append( + "{!r} from {}".format( + format_options(location_options.keys()), requirement + ) + ) + + if options: + location_options = parse_distutils_args(options) + if location_options: + offenders.append( + "{!r} from command line".format(format_options(location_options.keys())) + ) + + if not offenders: + return + + raise CommandError( + "Location-changing options found in --install-option: {}." + " This is unsupported, use pip-level options like --user," + " --prefix, --root, and --target instead.".format("; ".join(offenders)) + ) + + +def create_os_error_message( + error: OSError, show_traceback: bool, using_user_site: bool +) -> str: + """Format an error message for an OSError + + It may occur anytime during the execution of the install command. + """ + parts = [] + + # Mention the error if we are not going to show a traceback + parts.append("Could not install packages due to an OSError") + if not show_traceback: + parts.append(": ") + parts.append(str(error)) + else: + parts.append(".") + + # Spilt the error indication from a helper message (if any) + parts[-1] += "\n" + + # Suggest useful actions to the user: + # (1) using user site-packages or (2) verifying the permissions + if error.errno == errno.EACCES: + user_option_part = "Consider using the `--user` option" + permissions_part = "Check the permissions" + + if not running_under_virtualenv() and not using_user_site: + parts.extend( + [ + user_option_part, + " or ", + permissions_part.lower(), + ] + ) + else: + parts.append(permissions_part) + parts.append(".\n") + + # Suggest the user to enable Long Paths if path length is + # more than 260 + if ( + WINDOWS + and error.errno == errno.ENOENT + and error.filename + and len(error.filename) > 260 + ): + parts.append( + "HINT: This error might have occurred since " + "this system does not have Windows Long Path " + "support enabled. You can find information on " + "how to enable this at " + "https://pip.pypa.io/warnings/enable-long-paths\n" + ) + + return "".join(parts).strip() + "\n" diff --git a/venv/Lib/site-packages/pip/_internal/commands/list.py b/venv/Lib/site-packages/pip/_internal/commands/list.py new file mode 100644 index 0000000..75d8dd4 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/commands/list.py @@ -0,0 +1,361 @@ +import json +import logging +from optparse import Values +from typing import TYPE_CHECKING, Iterator, List, Optional, Sequence, Tuple, cast + +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.cli import cmdoptions +from pip._internal.cli.req_command import IndexGroupCommand +from pip._internal.cli.status_codes import SUCCESS +from pip._internal.exceptions import CommandError +from pip._internal.index.collector import LinkCollector +from pip._internal.index.package_finder import PackageFinder +from pip._internal.metadata import BaseDistribution, get_environment +from pip._internal.models.selection_prefs import SelectionPreferences +from pip._internal.network.session import PipSession +from pip._internal.utils.compat import stdlib_pkgs +from pip._internal.utils.misc import tabulate, write_output +from pip._internal.utils.parallel import map_multithread + +if TYPE_CHECKING: + from pip._internal.metadata.base import DistributionVersion + + class _DistWithLatestInfo(BaseDistribution): + """Give the distribution object a couple of extra fields. + + These will be populated during ``get_outdated()``. This is dirty but + makes the rest of the code much cleaner. + """ + + latest_version: DistributionVersion + latest_filetype: str + + _ProcessedDists = Sequence[_DistWithLatestInfo] + + +logger = logging.getLogger(__name__) + + +class ListCommand(IndexGroupCommand): + """ + List installed packages, including editables. + + Packages are listed in a case-insensitive sorted order. + """ + + ignore_require_venv = True + usage = """ + %prog [options]""" + + def add_options(self) -> None: + self.cmd_opts.add_option( + "-o", + "--outdated", + action="store_true", + default=False, + help="List outdated packages", + ) + self.cmd_opts.add_option( + "-u", + "--uptodate", + action="store_true", + default=False, + help="List uptodate packages", + ) + self.cmd_opts.add_option( + "-e", + "--editable", + action="store_true", + default=False, + help="List editable projects.", + ) + self.cmd_opts.add_option( + "-l", + "--local", + action="store_true", + default=False, + help=( + "If in a virtualenv that has global access, do not list " + "globally-installed packages." + ), + ) + self.cmd_opts.add_option( + "--user", + dest="user", + action="store_true", + default=False, + help="Only output packages installed in user-site.", + ) + self.cmd_opts.add_option(cmdoptions.list_path()) + self.cmd_opts.add_option( + "--pre", + action="store_true", + default=False, + help=( + "Include pre-release and development versions. By default, " + "pip only finds stable versions." + ), + ) + + self.cmd_opts.add_option( + "--format", + action="store", + dest="list_format", + default="columns", + choices=("columns", "freeze", "json"), + help="Select the output format among: columns (default), freeze, or json", + ) + + self.cmd_opts.add_option( + "--not-required", + action="store_true", + dest="not_required", + help="List packages that are not dependencies of installed packages.", + ) + + self.cmd_opts.add_option( + "--exclude-editable", + action="store_false", + dest="include_editable", + help="Exclude editable package from output.", + ) + self.cmd_opts.add_option( + "--include-editable", + action="store_true", + dest="include_editable", + help="Include editable package from output.", + default=True, + ) + self.cmd_opts.add_option(cmdoptions.list_exclude()) + index_opts = cmdoptions.make_option_group(cmdoptions.index_group, self.parser) + + self.parser.insert_option_group(0, index_opts) + self.parser.insert_option_group(0, self.cmd_opts) + + def _build_package_finder( + self, options: Values, session: PipSession + ) -> PackageFinder: + """ + Create a package finder appropriate to this list command. + """ + link_collector = LinkCollector.create(session, options=options) + + # Pass allow_yanked=False to ignore yanked versions. + selection_prefs = SelectionPreferences( + allow_yanked=False, + allow_all_prereleases=options.pre, + ) + + return PackageFinder.create( + link_collector=link_collector, + selection_prefs=selection_prefs, + ) + + def run(self, options: Values, args: List[str]) -> int: + if options.outdated and options.uptodate: + raise CommandError("Options --outdated and --uptodate cannot be combined.") + + cmdoptions.check_list_path_option(options) + + skip = set(stdlib_pkgs) + if options.excludes: + skip.update(canonicalize_name(n) for n in options.excludes) + + packages: "_ProcessedDists" = [ + cast("_DistWithLatestInfo", d) + for d in get_environment(options.path).iter_installed_distributions( + local_only=options.local, + user_only=options.user, + editables_only=options.editable, + include_editables=options.include_editable, + skip=skip, + ) + ] + + # get_not_required must be called firstly in order to find and + # filter out all dependencies correctly. Otherwise a package + # can't be identified as requirement because some parent packages + # could be filtered out before. + if options.not_required: + packages = self.get_not_required(packages, options) + + if options.outdated: + packages = self.get_outdated(packages, options) + elif options.uptodate: + packages = self.get_uptodate(packages, options) + + self.output_package_listing(packages, options) + return SUCCESS + + def get_outdated( + self, packages: "_ProcessedDists", options: Values + ) -> "_ProcessedDists": + return [ + dist + for dist in self.iter_packages_latest_infos(packages, options) + if dist.latest_version > dist.version + ] + + def get_uptodate( + self, packages: "_ProcessedDists", options: Values + ) -> "_ProcessedDists": + return [ + dist + for dist in self.iter_packages_latest_infos(packages, options) + if dist.latest_version == dist.version + ] + + def get_not_required( + self, packages: "_ProcessedDists", options: Values + ) -> "_ProcessedDists": + dep_keys = { + canonicalize_name(dep.name) + for dist in packages + for dep in (dist.iter_dependencies() or ()) + } + + # Create a set to remove duplicate packages, and cast it to a list + # to keep the return type consistent with get_outdated and + # get_uptodate + return list({pkg for pkg in packages if pkg.canonical_name not in dep_keys}) + + def iter_packages_latest_infos( + self, packages: "_ProcessedDists", options: Values + ) -> Iterator["_DistWithLatestInfo"]: + with self._build_session(options) as session: + finder = self._build_package_finder(options, session) + + def latest_info( + dist: "_DistWithLatestInfo", + ) -> Optional["_DistWithLatestInfo"]: + all_candidates = finder.find_all_candidates(dist.canonical_name) + if not options.pre: + # Remove prereleases + all_candidates = [ + candidate + for candidate in all_candidates + if not candidate.version.is_prerelease + ] + + evaluator = finder.make_candidate_evaluator( + project_name=dist.canonical_name, + ) + best_candidate = evaluator.sort_best_candidate(all_candidates) + if best_candidate is None: + return None + + remote_version = best_candidate.version + if best_candidate.link.is_wheel: + typ = "wheel" + else: + typ = "sdist" + dist.latest_version = remote_version + dist.latest_filetype = typ + return dist + + for dist in map_multithread(latest_info, packages): + if dist is not None: + yield dist + + def output_package_listing( + self, packages: "_ProcessedDists", options: Values + ) -> None: + packages = sorted( + packages, + key=lambda dist: dist.canonical_name, + ) + if options.list_format == "columns" and packages: + data, header = format_for_columns(packages, options) + self.output_package_listing_columns(data, header) + elif options.list_format == "freeze": + for dist in packages: + if options.verbose >= 1: + write_output( + "%s==%s (%s)", dist.raw_name, dist.version, dist.location + ) + else: + write_output("%s==%s", dist.raw_name, dist.version) + elif options.list_format == "json": + write_output(format_for_json(packages, options)) + + def output_package_listing_columns( + self, data: List[List[str]], header: List[str] + ) -> None: + # insert the header first: we need to know the size of column names + if len(data) > 0: + data.insert(0, header) + + pkg_strings, sizes = tabulate(data) + + # Create and add a separator. + if len(data) > 0: + pkg_strings.insert(1, " ".join(map(lambda x: "-" * x, sizes))) + + for val in pkg_strings: + write_output(val) + + +def format_for_columns( + pkgs: "_ProcessedDists", options: Values +) -> Tuple[List[List[str]], List[str]]: + """ + Convert the package data into something usable + by output_package_listing_columns. + """ + header = ["Package", "Version"] + + running_outdated = options.outdated + if running_outdated: + header.extend(["Latest", "Type"]) + + has_editables = any(x.editable for x in pkgs) + if has_editables: + header.append("Editable project location") + + if options.verbose >= 1: + header.append("Location") + if options.verbose >= 1: + header.append("Installer") + + data = [] + for proj in pkgs: + # if we're working on the 'outdated' list, separate out the + # latest_version and type + row = [proj.raw_name, str(proj.version)] + + if running_outdated: + row.append(str(proj.latest_version)) + row.append(proj.latest_filetype) + + if has_editables: + row.append(proj.editable_project_location or "") + + if options.verbose >= 1: + row.append(proj.location or "") + if options.verbose >= 1: + row.append(proj.installer) + + data.append(row) + + return data, header + + +def format_for_json(packages: "_ProcessedDists", options: Values) -> str: + data = [] + for dist in packages: + info = { + "name": dist.raw_name, + "version": str(dist.version), + } + if options.verbose >= 1: + info["location"] = dist.location or "" + info["installer"] = dist.installer + if options.outdated: + info["latest_version"] = str(dist.latest_version) + info["latest_filetype"] = dist.latest_filetype + editable_project_location = dist.editable_project_location + if editable_project_location: + info["editable_project_location"] = editable_project_location + data.append(info) + return json.dumps(data) diff --git a/venv/Lib/site-packages/pip/_internal/commands/search.py b/venv/Lib/site-packages/pip/_internal/commands/search.py new file mode 100644 index 0000000..03ed925 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/commands/search.py @@ -0,0 +1,174 @@ +import logging +import shutil +import sys +import textwrap +import xmlrpc.client +from collections import OrderedDict +from optparse import Values +from typing import TYPE_CHECKING, Dict, List, Optional + +from pip._vendor.packaging.version import parse as parse_version + +from pip._internal.cli.base_command import Command +from pip._internal.cli.req_command import SessionCommandMixin +from pip._internal.cli.status_codes import NO_MATCHES_FOUND, SUCCESS +from pip._internal.exceptions import CommandError +from pip._internal.metadata import get_default_environment +from pip._internal.models.index import PyPI +from pip._internal.network.xmlrpc import PipXmlrpcTransport +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import write_output + +if TYPE_CHECKING: + from typing import TypedDict + + class TransformedHit(TypedDict): + name: str + summary: str + versions: List[str] + + +logger = logging.getLogger(__name__) + + +class SearchCommand(Command, SessionCommandMixin): + """Search for PyPI packages whose name or summary contains <query>.""" + + usage = """ + %prog [options] <query>""" + ignore_require_venv = True + + def add_options(self) -> None: + self.cmd_opts.add_option( + "-i", + "--index", + dest="index", + metavar="URL", + default=PyPI.pypi_url, + help="Base URL of Python Package Index (default %default)", + ) + + self.parser.insert_option_group(0, self.cmd_opts) + + def run(self, options: Values, args: List[str]) -> int: + if not args: + raise CommandError("Missing required argument (search query).") + query = args + pypi_hits = self.search(query, options) + hits = transform_hits(pypi_hits) + + terminal_width = None + if sys.stdout.isatty(): + terminal_width = shutil.get_terminal_size()[0] + + print_results(hits, terminal_width=terminal_width) + if pypi_hits: + return SUCCESS + return NO_MATCHES_FOUND + + def search(self, query: List[str], options: Values) -> List[Dict[str, str]]: + index_url = options.index + + session = self.get_default_session(options) + + transport = PipXmlrpcTransport(index_url, session) + pypi = xmlrpc.client.ServerProxy(index_url, transport) + try: + hits = pypi.search({"name": query, "summary": query}, "or") + except xmlrpc.client.Fault as fault: + message = "XMLRPC request failed [code: {code}]\n{string}".format( + code=fault.faultCode, + string=fault.faultString, + ) + raise CommandError(message) + assert isinstance(hits, list) + return hits + + +def transform_hits(hits: List[Dict[str, str]]) -> List["TransformedHit"]: + """ + The list from pypi is really a list of versions. We want a list of + packages with the list of versions stored inline. This converts the + list from pypi into one we can use. + """ + packages: Dict[str, "TransformedHit"] = OrderedDict() + for hit in hits: + name = hit["name"] + summary = hit["summary"] + version = hit["version"] + + if name not in packages.keys(): + packages[name] = { + "name": name, + "summary": summary, + "versions": [version], + } + else: + packages[name]["versions"].append(version) + + # if this is the highest version, replace summary and score + if version == highest_version(packages[name]["versions"]): + packages[name]["summary"] = summary + + return list(packages.values()) + + +def print_dist_installation_info(name: str, latest: str) -> None: + env = get_default_environment() + dist = env.get_distribution(name) + if dist is not None: + with indent_log(): + if dist.version == latest: + write_output("INSTALLED: %s (latest)", dist.version) + else: + write_output("INSTALLED: %s", dist.version) + if parse_version(latest).pre: + write_output( + "LATEST: %s (pre-release; install" + " with `pip install --pre`)", + latest, + ) + else: + write_output("LATEST: %s", latest) + + +def print_results( + hits: List["TransformedHit"], + name_column_width: Optional[int] = None, + terminal_width: Optional[int] = None, +) -> None: + if not hits: + return + if name_column_width is None: + name_column_width = ( + max( + [ + len(hit["name"]) + len(highest_version(hit.get("versions", ["-"]))) + for hit in hits + ] + ) + + 4 + ) + + for hit in hits: + name = hit["name"] + summary = hit["summary"] or "" + latest = highest_version(hit.get("versions", ["-"])) + if terminal_width is not None: + target_width = terminal_width - name_column_width - 5 + if target_width > 10: + # wrap and indent summary to fit terminal + summary_lines = textwrap.wrap(summary, target_width) + summary = ("\n" + " " * (name_column_width + 3)).join(summary_lines) + + name_latest = f"{name} ({latest})" + line = f"{name_latest:{name_column_width}} - {summary}" + try: + write_output(line) + print_dist_installation_info(name, latest) + except UnicodeEncodeError: + pass + + +def highest_version(versions: List[str]) -> str: + return max(versions, key=parse_version) diff --git a/venv/Lib/site-packages/pip/_internal/commands/show.py b/venv/Lib/site-packages/pip/_internal/commands/show.py new file mode 100644 index 0000000..872292a --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/commands/show.py @@ -0,0 +1,235 @@ +import csv +import logging +import pathlib +from optparse import Values +from typing import Iterator, List, NamedTuple, Optional, Tuple + +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.cli.base_command import Command +from pip._internal.cli.status_codes import ERROR, SUCCESS +from pip._internal.metadata import BaseDistribution, get_default_environment +from pip._internal.utils.misc import write_output + +logger = logging.getLogger(__name__) + + +class ShowCommand(Command): + """ + Show information about one or more installed packages. + + The output is in RFC-compliant mail header format. + """ + + usage = """ + %prog [options] <package> ...""" + ignore_require_venv = True + + def add_options(self) -> None: + self.cmd_opts.add_option( + "-f", + "--files", + dest="files", + action="store_true", + default=False, + help="Show the full list of installed files for each package.", + ) + + self.parser.insert_option_group(0, self.cmd_opts) + + def run(self, options: Values, args: List[str]) -> int: + if not args: + logger.warning("ERROR: Please provide a package name or names.") + return ERROR + query = args + + results = search_packages_info(query) + if not print_results( + results, list_files=options.files, verbose=options.verbose + ): + return ERROR + return SUCCESS + + +class _PackageInfo(NamedTuple): + name: str + version: str + location: str + requires: List[str] + required_by: List[str] + installer: str + metadata_version: str + classifiers: List[str] + summary: str + homepage: str + author: str + author_email: str + license: str + entry_points: List[str] + files: Optional[List[str]] + + +def _convert_legacy_entry(entry: Tuple[str, ...], info: Tuple[str, ...]) -> str: + """Convert a legacy installed-files.txt path into modern RECORD path. + + The legacy format stores paths relative to the info directory, while the + modern format stores paths relative to the package root, e.g. the + site-packages directory. + + :param entry: Path parts of the installed-files.txt entry. + :param info: Path parts of the egg-info directory relative to package root. + :returns: The converted entry. + + For best compatibility with symlinks, this does not use ``abspath()`` or + ``Path.resolve()``, but tries to work with path parts: + + 1. While ``entry`` starts with ``..``, remove the equal amounts of parts + from ``info``; if ``info`` is empty, start appending ``..`` instead. + 2. Join the two directly. + """ + while entry and entry[0] == "..": + if not info or info[-1] == "..": + info += ("..",) + else: + info = info[:-1] + entry = entry[1:] + return str(pathlib.Path(*info, *entry)) + + +def search_packages_info(query: List[str]) -> Iterator[_PackageInfo]: + """ + Gather details from installed distributions. Print distribution name, + version, location, and installed files. Installed files requires a + pip generated 'installed-files.txt' in the distributions '.egg-info' + directory. + """ + env = get_default_environment() + + installed = {dist.canonical_name: dist for dist in env.iter_distributions()} + query_names = [canonicalize_name(name) for name in query] + missing = sorted( + [name for name, pkg in zip(query, query_names) if pkg not in installed] + ) + if missing: + logger.warning("Package(s) not found: %s", ", ".join(missing)) + + def _get_requiring_packages(current_dist: BaseDistribution) -> Iterator[str]: + return ( + dist.metadata["Name"] or "UNKNOWN" + for dist in installed.values() + if current_dist.canonical_name + in {canonicalize_name(d.name) for d in dist.iter_dependencies()} + ) + + def _files_from_record(dist: BaseDistribution) -> Optional[Iterator[str]]: + try: + text = dist.read_text("RECORD") + except FileNotFoundError: + return None + # This extra Path-str cast normalizes entries. + return (str(pathlib.Path(row[0])) for row in csv.reader(text.splitlines())) + + def _files_from_legacy(dist: BaseDistribution) -> Optional[Iterator[str]]: + try: + text = dist.read_text("installed-files.txt") + except FileNotFoundError: + return None + paths = (p for p in text.splitlines(keepends=False) if p) + root = dist.location + info = dist.info_directory + if root is None or info is None: + return paths + try: + info_rel = pathlib.Path(info).relative_to(root) + except ValueError: # info is not relative to root. + return paths + if not info_rel.parts: # info *is* root. + return paths + return ( + _convert_legacy_entry(pathlib.Path(p).parts, info_rel.parts) for p in paths + ) + + for query_name in query_names: + try: + dist = installed[query_name] + except KeyError: + continue + + requires = sorted((req.name for req in dist.iter_dependencies()), key=str.lower) + required_by = sorted(_get_requiring_packages(dist), key=str.lower) + + try: + entry_points_text = dist.read_text("entry_points.txt") + entry_points = entry_points_text.splitlines(keepends=False) + except FileNotFoundError: + entry_points = [] + + files_iter = _files_from_record(dist) or _files_from_legacy(dist) + if files_iter is None: + files: Optional[List[str]] = None + else: + files = sorted(files_iter) + + metadata = dist.metadata + + yield _PackageInfo( + name=dist.raw_name, + version=str(dist.version), + location=dist.location or "", + requires=requires, + required_by=required_by, + installer=dist.installer, + metadata_version=dist.metadata_version or "", + classifiers=metadata.get_all("Classifier", []), + summary=metadata.get("Summary", ""), + homepage=metadata.get("Home-page", ""), + author=metadata.get("Author", ""), + author_email=metadata.get("Author-email", ""), + license=metadata.get("License", ""), + entry_points=entry_points, + files=files, + ) + + +def print_results( + distributions: Iterator[_PackageInfo], + list_files: bool, + verbose: bool, +) -> bool: + """ + Print the information from installed distributions found. + """ + results_printed = False + for i, dist in enumerate(distributions): + results_printed = True + if i > 0: + write_output("---") + + write_output("Name: %s", dist.name) + write_output("Version: %s", dist.version) + write_output("Summary: %s", dist.summary) + write_output("Home-page: %s", dist.homepage) + write_output("Author: %s", dist.author) + write_output("Author-email: %s", dist.author_email) + write_output("License: %s", dist.license) + write_output("Location: %s", dist.location) + write_output("Requires: %s", ", ".join(dist.requires)) + write_output("Required-by: %s", ", ".join(dist.required_by)) + + if verbose: + write_output("Metadata-Version: %s", dist.metadata_version) + write_output("Installer: %s", dist.installer) + write_output("Classifiers:") + for classifier in dist.classifiers: + write_output(" %s", classifier) + write_output("Entry-points:") + for entry in dist.entry_points: + write_output(" %s", entry.strip()) + if list_files: + write_output("Files:") + if dist.files is None: + write_output("Cannot locate RECORD or installed-files.txt") + else: + for line in dist.files: + write_output(" %s", line.strip()) + return results_printed diff --git a/venv/Lib/site-packages/pip/_internal/commands/uninstall.py b/venv/Lib/site-packages/pip/_internal/commands/uninstall.py new file mode 100644 index 0000000..bb9e8e6 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/commands/uninstall.py @@ -0,0 +1,105 @@ +import logging +from optparse import Values +from typing import List + +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.cli.base_command import Command +from pip._internal.cli.req_command import SessionCommandMixin, warn_if_run_as_root +from pip._internal.cli.status_codes import SUCCESS +from pip._internal.exceptions import InstallationError +from pip._internal.req import parse_requirements +from pip._internal.req.constructors import ( + install_req_from_line, + install_req_from_parsed_requirement, +) +from pip._internal.utils.misc import protect_pip_from_modification_on_windows + +logger = logging.getLogger(__name__) + + +class UninstallCommand(Command, SessionCommandMixin): + """ + Uninstall packages. + + pip is able to uninstall most installed packages. Known exceptions are: + + - Pure distutils packages installed with ``python setup.py install``, which + leave behind no metadata to determine what files were installed. + - Script wrappers installed by ``python setup.py develop``. + """ + + usage = """ + %prog [options] <package> ... + %prog [options] -r <requirements file> ...""" + + def add_options(self) -> None: + self.cmd_opts.add_option( + "-r", + "--requirement", + dest="requirements", + action="append", + default=[], + metavar="file", + help=( + "Uninstall all the packages listed in the given requirements " + "file. This option can be used multiple times." + ), + ) + self.cmd_opts.add_option( + "-y", + "--yes", + dest="yes", + action="store_true", + help="Don't ask for confirmation of uninstall deletions.", + ) + + self.parser.insert_option_group(0, self.cmd_opts) + + def run(self, options: Values, args: List[str]) -> int: + session = self.get_default_session(options) + + reqs_to_uninstall = {} + for name in args: + req = install_req_from_line( + name, + isolated=options.isolated_mode, + ) + if req.name: + reqs_to_uninstall[canonicalize_name(req.name)] = req + else: + logger.warning( + "Invalid requirement: %r ignored -" + " the uninstall command expects named" + " requirements.", + name, + ) + for filename in options.requirements: + for parsed_req in parse_requirements( + filename, options=options, session=session + ): + req = install_req_from_parsed_requirement( + parsed_req, isolated=options.isolated_mode + ) + if req.name: + reqs_to_uninstall[canonicalize_name(req.name)] = req + if not reqs_to_uninstall: + raise InstallationError( + f"You must give at least one requirement to {self.name} (see " + f'"pip help {self.name}")' + ) + + protect_pip_from_modification_on_windows( + modifying_pip="pip" in reqs_to_uninstall + ) + + for req in reqs_to_uninstall.values(): + uninstall_pathset = req.uninstall( + auto_confirm=options.yes, + verbose=self.verbosity > 0, + ) + if uninstall_pathset: + uninstall_pathset.commit() + + warn_if_run_as_root() + return SUCCESS diff --git a/venv/Lib/site-packages/pip/_internal/commands/wheel.py b/venv/Lib/site-packages/pip/_internal/commands/wheel.py new file mode 100644 index 0000000..cea81ee --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/commands/wheel.py @@ -0,0 +1,177 @@ +import logging +import os +import shutil +from optparse import Values +from typing import List + +from pip._internal.cache import WheelCache +from pip._internal.cli import cmdoptions +from pip._internal.cli.req_command import RequirementCommand, with_cleanup +from pip._internal.cli.status_codes import SUCCESS +from pip._internal.exceptions import CommandError +from pip._internal.req.req_install import InstallRequirement +from pip._internal.req.req_tracker import get_requirement_tracker +from pip._internal.utils.misc import ensure_dir, normalize_path +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.wheel_builder import build, should_build_for_wheel_command + +logger = logging.getLogger(__name__) + + +class WheelCommand(RequirementCommand): + """ + Build Wheel archives for your requirements and dependencies. + + Wheel is a built-package format, and offers the advantage of not + recompiling your software during every install. For more details, see the + wheel docs: https://wheel.readthedocs.io/en/latest/ + + Requirements: setuptools>=0.8, and wheel. + + 'pip wheel' uses the bdist_wheel setuptools extension from the wheel + package to build individual wheels. + + """ + + usage = """ + %prog [options] <requirement specifier> ... + %prog [options] -r <requirements file> ... + %prog [options] [-e] <vcs project url> ... + %prog [options] [-e] <local project path> ... + %prog [options] <archive url/path> ...""" + + def add_options(self) -> None: + + self.cmd_opts.add_option( + "-w", + "--wheel-dir", + dest="wheel_dir", + metavar="dir", + default=os.curdir, + help=( + "Build wheels into <dir>, where the default is the " + "current working directory." + ), + ) + self.cmd_opts.add_option(cmdoptions.no_binary()) + self.cmd_opts.add_option(cmdoptions.only_binary()) + self.cmd_opts.add_option(cmdoptions.prefer_binary()) + self.cmd_opts.add_option(cmdoptions.no_build_isolation()) + self.cmd_opts.add_option(cmdoptions.use_pep517()) + self.cmd_opts.add_option(cmdoptions.no_use_pep517()) + self.cmd_opts.add_option(cmdoptions.constraints()) + self.cmd_opts.add_option(cmdoptions.editable()) + self.cmd_opts.add_option(cmdoptions.requirements()) + self.cmd_opts.add_option(cmdoptions.src()) + self.cmd_opts.add_option(cmdoptions.ignore_requires_python()) + self.cmd_opts.add_option(cmdoptions.no_deps()) + self.cmd_opts.add_option(cmdoptions.progress_bar()) + + self.cmd_opts.add_option( + "--no-verify", + dest="no_verify", + action="store_true", + default=False, + help="Don't verify if built wheel is valid.", + ) + + self.cmd_opts.add_option(cmdoptions.build_options()) + self.cmd_opts.add_option(cmdoptions.global_options()) + + self.cmd_opts.add_option( + "--pre", + action="store_true", + default=False, + help=( + "Include pre-release and development versions. By default, " + "pip only finds stable versions." + ), + ) + + self.cmd_opts.add_option(cmdoptions.require_hashes()) + + index_opts = cmdoptions.make_option_group( + cmdoptions.index_group, + self.parser, + ) + + self.parser.insert_option_group(0, index_opts) + self.parser.insert_option_group(0, self.cmd_opts) + + @with_cleanup + def run(self, options: Values, args: List[str]) -> int: + cmdoptions.check_install_build_global(options) + + session = self.get_default_session(options) + + finder = self._build_package_finder(options, session) + wheel_cache = WheelCache(options.cache_dir, options.format_control) + + options.wheel_dir = normalize_path(options.wheel_dir) + ensure_dir(options.wheel_dir) + + req_tracker = self.enter_context(get_requirement_tracker()) + + directory = TempDirectory( + delete=not options.no_clean, + kind="wheel", + globally_managed=True, + ) + + reqs = self.get_requirements(args, options, finder, session) + + preparer = self.make_requirement_preparer( + temp_build_dir=directory, + options=options, + req_tracker=req_tracker, + session=session, + finder=finder, + download_dir=options.wheel_dir, + use_user_site=False, + ) + + resolver = self.make_resolver( + preparer=preparer, + finder=finder, + options=options, + wheel_cache=wheel_cache, + ignore_requires_python=options.ignore_requires_python, + use_pep517=options.use_pep517, + ) + + self.trace_basic_info(finder) + + requirement_set = resolver.resolve(reqs, check_supported_wheels=True) + + reqs_to_build: List[InstallRequirement] = [] + for req in requirement_set.requirements.values(): + if req.is_wheel: + preparer.save_linked_requirement(req) + elif should_build_for_wheel_command(req): + reqs_to_build.append(req) + + # build wheels + build_successes, build_failures = build( + reqs_to_build, + wheel_cache=wheel_cache, + verify=(not options.no_verify), + build_options=options.build_options or [], + global_options=options.global_options or [], + ) + for req in build_successes: + assert req.link and req.link.is_wheel + assert req.local_file_path + # copy from cache to target directory + try: + shutil.copy(req.local_file_path, options.wheel_dir) + except OSError as e: + logger.warning( + "Building wheel for %s failed: %s", + req.name, + e, + ) + build_failures.append(req) + if len(build_failures) != 0: + raise CommandError("Failed to build one or more wheels") + + return SUCCESS diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/configuration.py b/venv/Lib/site-packages/pip/_internal/configuration.py similarity index 56% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/configuration.py rename to venv/Lib/site-packages/pip/_internal/configuration.py index fe6df9b..4c3a362 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/configuration.py +++ b/venv/Lib/site-packages/pip/_internal/configuration.py @@ -11,61 +11,80 @@ A single word describing where the configuration key-value pair came from """ +import configparser import locale -import logging import os - -from pip._vendor import six -from pip._vendor.six.moves import configparser +import sys +from typing import Any, Dict, Iterable, List, NewType, Optional, Tuple from pip._internal.exceptions import ( - ConfigurationError, ConfigurationFileCouldNotBeLoaded, -) -from pip._internal.locations import ( - legacy_config_file, new_config_file, running_under_virtualenv, - site_config_files, venv_config_file, + ConfigurationError, + ConfigurationFileCouldNotBeLoaded, ) +from pip._internal.utils import appdirs +from pip._internal.utils.compat import WINDOWS +from pip._internal.utils.logging import getLogger from pip._internal.utils.misc import ensure_dir, enum -from pip._internal.utils.typing import MYPY_CHECK_RUNNING -if MYPY_CHECK_RUNNING: - from typing import ( # noqa: F401 - Any, Dict, Iterable, List, NewType, Optional, Tuple - ) +RawConfigParser = configparser.RawConfigParser # Shorthand +Kind = NewType("Kind", str) + +CONFIG_BASENAME = "pip.ini" if WINDOWS else "pip.conf" +ENV_NAMES_IGNORED = "version", "help" - RawConfigParser = configparser.RawConfigParser # Shorthand - Kind = NewType("Kind", str) +# The kinds of configurations there are. +kinds = enum( + USER="user", # User Specific + GLOBAL="global", # System Wide + SITE="site", # [Virtual] Environment Specific + ENV="env", # from PIP_CONFIG_FILE + ENV_VAR="env-var", # from Environment Variables +) +OVERRIDE_ORDER = kinds.GLOBAL, kinds.USER, kinds.SITE, kinds.ENV, kinds.ENV_VAR +VALID_LOAD_ONLY = kinds.USER, kinds.GLOBAL, kinds.SITE -logger = logging.getLogger(__name__) +logger = getLogger(__name__) # NOTE: Maybe use the optionx attribute to normalize keynames. -def _normalize_name(name): - # type: (str) -> str - """Make a name consistent regardless of source (environment or file) - """ - name = name.lower().replace('_', '-') - if name.startswith('--'): +def _normalize_name(name: str) -> str: + """Make a name consistent regardless of source (environment or file)""" + name = name.lower().replace("_", "-") + if name.startswith("--"): name = name[2:] # only prefer long opts return name -def _disassemble_key(name): - # type: (str) -> List[str] +def _disassemble_key(name: str) -> List[str]: + if "." not in name: + error_message = ( + "Key does not contain dot separated section and key. " + "Perhaps you wanted to use 'global.{}' instead?" + ).format(name) + raise ConfigurationError(error_message) return name.split(".", 1) -# The kinds of configurations there are. -kinds = enum( - USER="user", # User Specific - GLOBAL="global", # System Wide - VENV="venv", # Virtual Environment Specific - ENV="env", # from PIP_CONFIG_FILE - ENV_VAR="env-var", # from Environment Variables -) +def get_configuration_files() -> Dict[Kind, List[str]]: + global_config_files = [ + os.path.join(path, CONFIG_BASENAME) for path in appdirs.site_config_dirs("pip") + ] + + site_config_file = os.path.join(sys.prefix, CONFIG_BASENAME) + legacy_config_file = os.path.join( + os.path.expanduser("~"), + "pip" if WINDOWS else ".pip", + CONFIG_BASENAME, + ) + new_config_file = os.path.join(appdirs.user_config_dir("pip"), CONFIG_BASENAME) + return { + kinds.GLOBAL: global_config_files, + kinds.SITE: [site_config_file], + kinds.USER: [legacy_config_file, new_config_file], + } -class Configuration(object): +class Configuration: """Handles management of configuration. Provides an interface to accessing and managing configuration files. @@ -79,78 +98,60 @@ class Configuration(object): and the data stored is also nice. """ - def __init__(self, isolated, load_only=None): - # type: (bool, Kind) -> None - super(Configuration, self).__init__() + def __init__(self, isolated: bool, load_only: Optional[Kind] = None) -> None: + super().__init__() - _valid_load_only = [kinds.USER, kinds.GLOBAL, kinds.VENV, None] - if load_only not in _valid_load_only: + if load_only is not None and load_only not in VALID_LOAD_ONLY: raise ConfigurationError( "Got invalid value for load_only - should be one of {}".format( - ", ".join(map(repr, _valid_load_only[:-1])) + ", ".join(map(repr, VALID_LOAD_ONLY)) ) ) - self.isolated = isolated # type: bool - self.load_only = load_only # type: Optional[Kind] - - # The order here determines the override order. - self._override_order = [ - kinds.GLOBAL, kinds.USER, kinds.VENV, kinds.ENV, kinds.ENV_VAR - ] - - self._ignore_env_names = ["version", "help"] + self.isolated = isolated + self.load_only = load_only # Because we keep track of where we got the data from - self._parsers = { - variant: [] for variant in self._override_order - } # type: Dict[Kind, List[Tuple[str, RawConfigParser]]] - self._config = { - variant: {} for variant in self._override_order - } # type: Dict[Kind, Dict[str, Any]] - self._modified_parsers = [] # type: List[Tuple[str, RawConfigParser]] - - def load(self): - # type: () -> None - """Loads configuration from configuration files and environment - """ + self._parsers: Dict[Kind, List[Tuple[str, RawConfigParser]]] = { + variant: [] for variant in OVERRIDE_ORDER + } + self._config: Dict[Kind, Dict[str, Any]] = { + variant: {} for variant in OVERRIDE_ORDER + } + self._modified_parsers: List[Tuple[str, RawConfigParser]] = [] + + def load(self) -> None: + """Loads configuration from configuration files and environment""" self._load_config_files() if not self.isolated: self._load_environment_vars() - def get_file_to_edit(self): - # type: () -> Optional[str] - """Returns the file with highest priority in configuration - """ - assert self.load_only is not None, \ - "Need to be specified a file to be editing" + def get_file_to_edit(self) -> Optional[str]: + """Returns the file with highest priority in configuration""" + assert self.load_only is not None, "Need to be specified a file to be editing" try: return self._get_parser_to_modify()[0] except IndexError: return None - def items(self): - # type: () -> Iterable[Tuple[str, Any]] + def items(self) -> Iterable[Tuple[str, Any]]: """Returns key-value pairs like dict.items() representing the loaded configuration """ return self._dictionary.items() - def get_value(self, key): - # type: (str) -> Any - """Get a value from the configuration. - """ + def get_value(self, key: str) -> Any: + """Get a value from the configuration.""" try: return self._dictionary[key] except KeyError: - raise ConfigurationError("No such key - {}".format(key)) + raise ConfigurationError(f"No such key - {key}") - def set_value(self, key, value): - # type: (str, Any) -> None - """Modify a value in the configuration. - """ + def set_value(self, key: str, value: Any) -> None: + """Modify a value in the configuration.""" self._ensure_have_load_only() + assert self.load_only fname, parser = self._get_parser_to_modify() if parser is not None: @@ -164,49 +165,35 @@ def set_value(self, key, value): self._config[self.load_only][key] = value self._mark_as_modified(fname, parser) - def unset_value(self, key): - # type: (str) -> None - """Unset a value in the configuration. - """ + def unset_value(self, key: str) -> None: + """Unset a value in the configuration.""" self._ensure_have_load_only() + assert self.load_only if key not in self._config[self.load_only]: - raise ConfigurationError("No such key - {}".format(key)) + raise ConfigurationError(f"No such key - {key}") fname, parser = self._get_parser_to_modify() if parser is not None: section, name = _disassemble_key(key) - - # Remove the key in the parser - modified_something = False - if parser.has_section(section): - # Returns whether the option was removed or not - modified_something = parser.remove_option(section, name) - - if modified_something: - # name removed from parser, section may now be empty - section_iter = iter(parser.items(section)) - try: - val = six.next(section_iter) - except StopIteration: - val = None - - if val is None: - parser.remove_section(section) - - self._mark_as_modified(fname, parser) - else: + if not ( + parser.has_section(section) and parser.remove_option(section, name) + ): + # The option was not removed. raise ConfigurationError( "Fatal Internal error [id=1]. Please report as a bug." ) + # The section may be empty after the option was removed. + if not parser.items(section): + parser.remove_section(section) + self._mark_as_modified(fname, parser) + del self._config[self.load_only][key] - def save(self): - # type: () -> None - """Save the currentin-memory state. - """ + def save(self) -> None: + """Save the current in-memory state.""" self._ensure_have_load_only() for fname, parser in self._modified_parsers: @@ -216,37 +203,32 @@ def save(self): ensure_dir(os.path.dirname(fname)) with open(fname, "w") as f: - parser.write(f) # type: ignore + parser.write(f) # # Private routines # - def _ensure_have_load_only(self): - # type: () -> None + def _ensure_have_load_only(self) -> None: if self.load_only is None: raise ConfigurationError("Needed a specific file to be modifying.") logger.debug("Will be working with %s variant only", self.load_only) @property - def _dictionary(self): - # type: () -> Dict[str, Any] - """A dictionary representing the loaded configuration. - """ + def _dictionary(self) -> Dict[str, Any]: + """A dictionary representing the loaded configuration.""" # NOTE: Dictionaries are not populated if not loaded. So, conditionals # are not needed here. retval = {} - for variant in self._override_order: + for variant in OVERRIDE_ORDER: retval.update(self._config[variant]) return retval - def _load_config_files(self): - # type: () -> None - """Loads configuration from configuration files - """ - config_files = dict(self._iter_config_files()) + def _load_config_files(self) -> None: + """Loads configuration from configuration files""" + config_files = dict(self.iter_config_files()) if config_files[kinds.ENV][0:1] == [os.devnull]: logger.debug( "Skipping loading configuration files due to " @@ -259,9 +241,7 @@ def _load_config_files(self): # If there's specific variant set in `load_only`, load only # that variant, not the others. if self.load_only is not None and variant != self.load_only: - logger.debug( - "Skipping file '%s' (variant: %s)", fname, variant - ) + logger.debug("Skipping file '%s' (variant: %s)", fname, variant) continue parser = self._load_file(variant, fname) @@ -269,9 +249,8 @@ def _load_config_files(self): # Keeping track of the parsers used self._parsers[variant].append((fname, parser)) - def _load_file(self, variant, fname): - # type: (Kind, str) -> RawConfigParser - logger.debug("For variant '%s', will try loading '%s'", variant, fname) + def _load_file(self, variant: Kind, fname: str) -> RawConfigParser: + logger.verbose("For variant '%s', will try loading '%s'", variant, fname) parser = self._construct_parser(fname) for section in parser.sections(): @@ -280,8 +259,7 @@ def _load_file(self, variant, fname): return parser - def _construct_parser(self, fname): - # type: (str) -> RawConfigParser + def _construct_parser(self, fname: str) -> RawConfigParser: parser = configparser.RawConfigParser() # If there is no such file, don't bother reading it but create the # parser anyway, to hold the data. @@ -303,16 +281,15 @@ def _construct_parser(self, fname): raise ConfigurationFileCouldNotBeLoaded(error=error) return parser - def _load_environment_vars(self): - # type: () -> None - """Loads configuration from environment variables - """ + def _load_environment_vars(self) -> None: + """Loads configuration from environment variables""" self._config[kinds.ENV_VAR].update( - self._normalized_keys(":env:", self._get_environ_vars()) + self._normalized_keys(":env:", self.get_environ_vars()) ) - def _normalized_keys(self, section, items): - # type: (str, Iterable[Tuple[str, Any]]) -> Dict[str, Any] + def _normalized_keys( + self, section: str, items: Iterable[Tuple[str, Any]] + ) -> Dict[str, Any]: """Normalizes items to construct a dictionary with normalized keys. This routine is where the names become keys and are made the same @@ -324,20 +301,16 @@ def _normalized_keys(self, section, items): normalized[key] = val return normalized - def _get_environ_vars(self): - # type: () -> Iterable[Tuple[str, str]] + def get_environ_vars(self) -> Iterable[Tuple[str, str]]: """Returns a generator with all environmental vars with prefix PIP_""" for key, val in os.environ.items(): - should_be_yielded = ( - key.startswith("PIP_") and - key[4:].lower() not in self._ignore_env_names - ) - if should_be_yielded: - yield key[4:].lower(), val + if key.startswith("PIP_"): + name = key[4:].lower() + if name not in ENV_NAMES_IGNORED: + yield name, val # XXX: This is patched in the tests. - def _iter_config_files(self): - # type: () -> Iterable[Tuple[Kind, List[str]]] + def iter_config_files(self) -> Iterable[Tuple[Kind, List[str]]]: """Yields variant and configuration files associated with it. This should be treated like items of a dictionary. @@ -345,14 +318,16 @@ def _iter_config_files(self): # SMELL: Move the conditions out of this function # environment variables have the lowest priority - config_file = os.environ.get('PIP_CONFIG_FILE', None) + config_file = os.environ.get("PIP_CONFIG_FILE", None) if config_file is not None: yield kinds.ENV, [config_file] else: yield kinds.ENV, [] + config_files = get_configuration_files() + # at the base we have any global configuration - yield kinds.GLOBAL, list(site_config_files) + yield kinds.GLOBAL, config_files[kinds.GLOBAL] # per-user configuration next should_load_user_config = not self.isolated and not ( @@ -360,15 +335,18 @@ def _iter_config_files(self): ) if should_load_user_config: # The legacy config file is overridden by the new config file - yield kinds.USER, [legacy_config_file, new_config_file] + yield kinds.USER, config_files[kinds.USER] # finally virtualenv configuration first trumping others - if running_under_virtualenv(): - yield kinds.VENV, [venv_config_file] + yield kinds.SITE, config_files[kinds.SITE] - def _get_parser_to_modify(self): - # type: () -> Tuple[str, RawConfigParser] + def get_values_in_config(self, variant: Kind) -> Dict[str, Any]: + """Get values present in a config file""" + return self._config[variant] + + def _get_parser_to_modify(self) -> Tuple[str, RawConfigParser]: # Determine which parser to modify + assert self.load_only parsers = self._parsers[self.load_only] if not parsers: # This should not happen if everything works correctly. @@ -380,8 +358,10 @@ def _get_parser_to_modify(self): return parsers[-1] # XXX: This is patched in the tests. - def _mark_as_modified(self, fname, parser): - # type: (str, RawConfigParser) -> None + def _mark_as_modified(self, fname: str, parser: RawConfigParser) -> None: file_parser_tuple = (fname, parser) if file_parser_tuple not in self._modified_parsers: self._modified_parsers.append(file_parser_tuple) + + def __repr__(self) -> str: + return f"{self.__class__.__name__}({self._dictionary!r})" diff --git a/venv/Lib/site-packages/pip/_internal/distributions/__init__.py b/venv/Lib/site-packages/pip/_internal/distributions/__init__.py new file mode 100644 index 0000000..9a89a83 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/distributions/__init__.py @@ -0,0 +1,21 @@ +from pip._internal.distributions.base import AbstractDistribution +from pip._internal.distributions.sdist import SourceDistribution +from pip._internal.distributions.wheel import WheelDistribution +from pip._internal.req.req_install import InstallRequirement + + +def make_distribution_for_install_requirement( + install_req: InstallRequirement, +) -> AbstractDistribution: + """Returns a Distribution for the given InstallRequirement""" + # Editable requirements will always be source distributions. They use the + # legacy logic until we create a modern standard for them. + if install_req.editable: + return SourceDistribution(install_req) + + # If it's a wheel, it's a WheelDistribution + if install_req.is_wheel: + return WheelDistribution(install_req) + + # Otherwise, a SourceDistribution + return SourceDistribution(install_req) diff --git a/venv/Lib/site-packages/pip/_internal/distributions/base.py b/venv/Lib/site-packages/pip/_internal/distributions/base.py new file mode 100644 index 0000000..149fff5 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/distributions/base.py @@ -0,0 +1,36 @@ +import abc + +from pip._internal.index.package_finder import PackageFinder +from pip._internal.metadata.base import BaseDistribution +from pip._internal.req import InstallRequirement + + +class AbstractDistribution(metaclass=abc.ABCMeta): + """A base class for handling installable artifacts. + + The requirements for anything installable are as follows: + + - we must be able to determine the requirement name + (or we can't correctly handle the non-upgrade case). + + - for packages with setup requirements, we must also be able + to determine their requirements without installing additional + packages (for the same reason as run-time dependencies) + + - we must be able to create a Distribution object exposing the + above metadata. + """ + + def __init__(self, req: InstallRequirement) -> None: + super().__init__() + self.req = req + + @abc.abstractmethod + def get_metadata_distribution(self) -> BaseDistribution: + raise NotImplementedError() + + @abc.abstractmethod + def prepare_distribution_metadata( + self, finder: PackageFinder, build_isolation: bool + ) -> None: + raise NotImplementedError() diff --git a/venv/Lib/site-packages/pip/_internal/distributions/installed.py b/venv/Lib/site-packages/pip/_internal/distributions/installed.py new file mode 100644 index 0000000..6c8c179 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/distributions/installed.py @@ -0,0 +1,22 @@ +from pip._internal.distributions.base import AbstractDistribution +from pip._internal.index.package_finder import PackageFinder +from pip._internal.metadata import BaseDistribution + + +class InstalledDistribution(AbstractDistribution): + """Represents an installed package. + + This does not need any preparation as the required information has already + been computed. + """ + + def get_metadata_distribution(self) -> BaseDistribution: + from pip._internal.metadata.pkg_resources import Distribution as _Dist + + assert self.req.satisfied_by is not None, "not actually installed" + return _Dist(self.req.satisfied_by) + + def prepare_distribution_metadata( + self, finder: PackageFinder, build_isolation: bool + ) -> None: + pass diff --git a/venv/Lib/site-packages/pip/_internal/distributions/sdist.py b/venv/Lib/site-packages/pip/_internal/distributions/sdist.py new file mode 100644 index 0000000..b4e2892 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/distributions/sdist.py @@ -0,0 +1,117 @@ +import logging +from typing import Iterable, Set, Tuple + +from pip._internal.build_env import BuildEnvironment +from pip._internal.distributions.base import AbstractDistribution +from pip._internal.exceptions import InstallationError +from pip._internal.index.package_finder import PackageFinder +from pip._internal.metadata import BaseDistribution +from pip._internal.utils.subprocess import runner_with_spinner_message + +logger = logging.getLogger(__name__) + + +class SourceDistribution(AbstractDistribution): + """Represents a source distribution. + + The preparation step for these needs metadata for the packages to be + generated, either using PEP 517 or using the legacy `setup.py egg_info`. + """ + + def get_metadata_distribution(self) -> BaseDistribution: + from pip._internal.metadata.pkg_resources import Distribution as _Dist + + return _Dist(self.req.get_dist()) + + def prepare_distribution_metadata( + self, finder: PackageFinder, build_isolation: bool + ) -> None: + # Load pyproject.toml, to determine whether PEP 517 is to be used + self.req.load_pyproject_toml() + + # Set up the build isolation, if this requirement should be isolated + should_isolate = self.req.use_pep517 and build_isolation + if should_isolate: + self._setup_isolation(finder) + + self.req.prepare_metadata() + + def _setup_isolation(self, finder: PackageFinder) -> None: + self._prepare_build_backend(finder) + # Install any extra build dependencies that the backend requests. + # This must be done in a second pass, as the pyproject.toml + # dependencies must be installed before we can call the backend. + if self.req.editable and self.req.permit_editable_wheels: + build_reqs = self._get_build_requires_editable() + else: + build_reqs = self._get_build_requires_wheel() + self._install_build_reqs(finder, build_reqs) + + def _prepare_build_backend(self, finder: PackageFinder) -> None: + # Isolate in a BuildEnvironment and install the build-time + # requirements. + pyproject_requires = self.req.pyproject_requires + assert pyproject_requires is not None + + self.req.build_env = BuildEnvironment() + self.req.build_env.install_requirements( + finder, pyproject_requires, "overlay", "Installing build dependencies" + ) + conflicting, missing = self.req.build_env.check_requirements( + self.req.requirements_to_check + ) + if conflicting: + self._raise_conflicts("PEP 517/518 supported requirements", conflicting) + if missing: + logger.warning( + "Missing build requirements in pyproject.toml for %s.", + self.req, + ) + logger.warning( + "The project does not specify a build backend, and " + "pip cannot fall back to setuptools without %s.", + " and ".join(map(repr, sorted(missing))), + ) + + def _get_build_requires_wheel(self) -> Iterable[str]: + with self.req.build_env: + runner = runner_with_spinner_message("Getting requirements to build wheel") + backend = self.req.pep517_backend + assert backend is not None + with backend.subprocess_runner(runner): + return backend.get_requires_for_build_wheel() + + def _get_build_requires_editable(self) -> Iterable[str]: + with self.req.build_env: + runner = runner_with_spinner_message( + "Getting requirements to build editable" + ) + backend = self.req.pep517_backend + assert backend is not None + with backend.subprocess_runner(runner): + return backend.get_requires_for_build_editable() + + def _install_build_reqs(self, finder: PackageFinder, reqs: Iterable[str]) -> None: + conflicting, missing = self.req.build_env.check_requirements(reqs) + if conflicting: + self._raise_conflicts("the backend dependencies", conflicting) + self.req.build_env.install_requirements( + finder, missing, "normal", "Installing backend dependencies" + ) + + def _raise_conflicts( + self, conflicting_with: str, conflicting_reqs: Set[Tuple[str, str]] + ) -> None: + format_string = ( + "Some build dependencies for {requirement} " + "conflict with {conflicting_with}: {description}." + ) + error_message = format_string.format( + requirement=self.req, + conflicting_with=conflicting_with, + description=", ".join( + f"{installed} is incompatible with {wanted}" + for installed, wanted in sorted(conflicting_reqs) + ), + ) + raise InstallationError(error_message) diff --git a/venv/Lib/site-packages/pip/_internal/distributions/wheel.py b/venv/Lib/site-packages/pip/_internal/distributions/wheel.py new file mode 100644 index 0000000..340b0f3 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/distributions/wheel.py @@ -0,0 +1,31 @@ +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.distributions.base import AbstractDistribution +from pip._internal.index.package_finder import PackageFinder +from pip._internal.metadata import ( + BaseDistribution, + FilesystemWheel, + get_wheel_distribution, +) + + +class WheelDistribution(AbstractDistribution): + """Represents a wheel distribution. + + This does not need any preparation as wheels can be directly unpacked. + """ + + def get_metadata_distribution(self) -> BaseDistribution: + """Loads the metadata from the wheel file into memory and returns a + Distribution that uses it, not relying on the wheel file or + requirement. + """ + assert self.req.local_file_path, "Set as part of preparation during download" + assert self.req.name, "Wheels are never unnamed" + wheel = FilesystemWheel(self.req.local_file_path) + return get_wheel_distribution(wheel, canonicalize_name(self.req.name)) + + def prepare_distribution_metadata( + self, finder: PackageFinder, build_isolation: bool + ) -> None: + pass diff --git a/venv/Lib/site-packages/pip/_internal/exceptions.py b/venv/Lib/site-packages/pip/_internal/exceptions.py new file mode 100644 index 0000000..ef5bc75 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/exceptions.py @@ -0,0 +1,402 @@ +"""Exceptions used throughout package""" + +import configparser +from itertools import chain, groupby, repeat +from typing import TYPE_CHECKING, Dict, List, Optional, Union + +from pip._vendor.pkg_resources import Distribution +from pip._vendor.requests.models import Request, Response + +if TYPE_CHECKING: + from hashlib import _Hash + + from pip._internal.metadata import BaseDistribution + from pip._internal.req.req_install import InstallRequirement + + +class PipError(Exception): + """Base pip exception""" + + +class ConfigurationError(PipError): + """General exception in configuration""" + + +class InstallationError(PipError): + """General exception during installation""" + + +class UninstallationError(PipError): + """General exception during uninstallation""" + + +class NoneMetadataError(PipError): + """ + Raised when accessing "METADATA" or "PKG-INFO" metadata for a + pip._vendor.pkg_resources.Distribution object and + `dist.has_metadata('METADATA')` returns True but + `dist.get_metadata('METADATA')` returns None (and similarly for + "PKG-INFO"). + """ + + def __init__( + self, + dist: Union[Distribution, "BaseDistribution"], + metadata_name: str, + ) -> None: + """ + :param dist: A Distribution object. + :param metadata_name: The name of the metadata being accessed + (can be "METADATA" or "PKG-INFO"). + """ + self.dist = dist + self.metadata_name = metadata_name + + def __str__(self) -> str: + # Use `dist` in the error message because its stringification + # includes more information, like the version and location. + return "None {} metadata found for distribution: {}".format( + self.metadata_name, + self.dist, + ) + + +class UserInstallationInvalid(InstallationError): + """A --user install is requested on an environment without user site.""" + + def __str__(self) -> str: + return "User base directory is not specified" + + +class InvalidSchemeCombination(InstallationError): + def __str__(self) -> str: + before = ", ".join(str(a) for a in self.args[:-1]) + return f"Cannot set {before} and {self.args[-1]} together" + + +class DistributionNotFound(InstallationError): + """Raised when a distribution cannot be found to satisfy a requirement""" + + +class RequirementsFileParseError(InstallationError): + """Raised when a general error occurs parsing a requirements file line.""" + + +class BestVersionAlreadyInstalled(PipError): + """Raised when the most up-to-date version of a package is already + installed.""" + + +class BadCommand(PipError): + """Raised when virtualenv or a command is not found""" + + +class CommandError(PipError): + """Raised when there is an error in command-line arguments""" + + +class PreviousBuildDirError(PipError): + """Raised when there's a previous conflicting build directory""" + + +class NetworkConnectionError(PipError): + """HTTP connection error""" + + def __init__( + self, error_msg: str, response: Response = None, request: Request = None + ) -> None: + """ + Initialize NetworkConnectionError with `request` and `response` + objects. + """ + self.response = response + self.request = request + self.error_msg = error_msg + if ( + self.response is not None + and not self.request + and hasattr(response, "request") + ): + self.request = self.response.request + super().__init__(error_msg, response, request) + + def __str__(self) -> str: + return str(self.error_msg) + + +class InvalidWheelFilename(InstallationError): + """Invalid wheel filename.""" + + +class UnsupportedWheel(InstallationError): + """Unsupported wheel.""" + + +class MetadataInconsistent(InstallationError): + """Built metadata contains inconsistent information. + + This is raised when the metadata contains values (e.g. name and version) + that do not match the information previously obtained from sdist filename + or user-supplied ``#egg=`` value. + """ + + def __init__( + self, ireq: "InstallRequirement", field: str, f_val: str, m_val: str + ) -> None: + self.ireq = ireq + self.field = field + self.f_val = f_val + self.m_val = m_val + + def __str__(self) -> str: + template = ( + "Requested {} has inconsistent {}: " + "filename has {!r}, but metadata has {!r}" + ) + return template.format(self.ireq, self.field, self.f_val, self.m_val) + + +class InstallationSubprocessError(InstallationError): + """A subprocess call failed during installation.""" + + def __init__(self, returncode: int, description: str) -> None: + self.returncode = returncode + self.description = description + + def __str__(self) -> str: + return ( + "Command errored out with exit status {}: {} " + "Check the logs for full command output." + ).format(self.returncode, self.description) + + +class HashErrors(InstallationError): + """Multiple HashError instances rolled into one for reporting""" + + def __init__(self) -> None: + self.errors: List["HashError"] = [] + + def append(self, error: "HashError") -> None: + self.errors.append(error) + + def __str__(self) -> str: + lines = [] + self.errors.sort(key=lambda e: e.order) + for cls, errors_of_cls in groupby(self.errors, lambda e: e.__class__): + lines.append(cls.head) + lines.extend(e.body() for e in errors_of_cls) + if lines: + return "\n".join(lines) + return "" + + def __bool__(self) -> bool: + return bool(self.errors) + + +class HashError(InstallationError): + """ + A failure to verify a package against known-good hashes + + :cvar order: An int sorting hash exception classes by difficulty of + recovery (lower being harder), so the user doesn't bother fretting + about unpinned packages when he has deeper issues, like VCS + dependencies, to deal with. Also keeps error reports in a + deterministic order. + :cvar head: A section heading for display above potentially many + exceptions of this kind + :ivar req: The InstallRequirement that triggered this error. This is + pasted on after the exception is instantiated, because it's not + typically available earlier. + + """ + + req: Optional["InstallRequirement"] = None + head = "" + order: int = -1 + + def body(self) -> str: + """Return a summary of me for display under the heading. + + This default implementation simply prints a description of the + triggering requirement. + + :param req: The InstallRequirement that provoked this error, with + its link already populated by the resolver's _populate_link(). + + """ + return f" {self._requirement_name()}" + + def __str__(self) -> str: + return f"{self.head}\n{self.body()}" + + def _requirement_name(self) -> str: + """Return a description of the requirement that triggered me. + + This default implementation returns long description of the req, with + line numbers + + """ + return str(self.req) if self.req else "unknown package" + + +class VcsHashUnsupported(HashError): + """A hash was provided for a version-control-system-based requirement, but + we don't have a method for hashing those.""" + + order = 0 + head = ( + "Can't verify hashes for these requirements because we don't " + "have a way to hash version control repositories:" + ) + + +class DirectoryUrlHashUnsupported(HashError): + """A hash was provided for a version-control-system-based requirement, but + we don't have a method for hashing those.""" + + order = 1 + head = ( + "Can't verify hashes for these file:// requirements because they " + "point to directories:" + ) + + +class HashMissing(HashError): + """A hash was needed for a requirement but is absent.""" + + order = 2 + head = ( + "Hashes are required in --require-hashes mode, but they are " + "missing from some requirements. Here is a list of those " + "requirements along with the hashes their downloaded archives " + "actually had. Add lines like these to your requirements files to " + "prevent tampering. (If you did not enable --require-hashes " + "manually, note that it turns on automatically when any package " + "has a hash.)" + ) + + def __init__(self, gotten_hash: str) -> None: + """ + :param gotten_hash: The hash of the (possibly malicious) archive we + just downloaded + """ + self.gotten_hash = gotten_hash + + def body(self) -> str: + # Dodge circular import. + from pip._internal.utils.hashes import FAVORITE_HASH + + package = None + if self.req: + # In the case of URL-based requirements, display the original URL + # seen in the requirements file rather than the package name, + # so the output can be directly copied into the requirements file. + package = ( + self.req.original_link + if self.req.original_link + # In case someone feeds something downright stupid + # to InstallRequirement's constructor. + else getattr(self.req, "req", None) + ) + return " {} --hash={}:{}".format( + package or "unknown package", FAVORITE_HASH, self.gotten_hash + ) + + +class HashUnpinned(HashError): + """A requirement had a hash specified but was not pinned to a specific + version.""" + + order = 3 + head = ( + "In --require-hashes mode, all requirements must have their " + "versions pinned with ==. These do not:" + ) + + +class HashMismatch(HashError): + """ + Distribution file hash values don't match. + + :ivar package_name: The name of the package that triggered the hash + mismatch. Feel free to write to this after the exception is raise to + improve its error message. + + """ + + order = 4 + head = ( + "THESE PACKAGES DO NOT MATCH THE HASHES FROM THE REQUIREMENTS " + "FILE. If you have updated the package versions, please update " + "the hashes. Otherwise, examine the package contents carefully; " + "someone may have tampered with them." + ) + + def __init__(self, allowed: Dict[str, List[str]], gots: Dict[str, "_Hash"]) -> None: + """ + :param allowed: A dict of algorithm names pointing to lists of allowed + hex digests + :param gots: A dict of algorithm names pointing to hashes we + actually got from the files under suspicion + """ + self.allowed = allowed + self.gots = gots + + def body(self) -> str: + return " {}:\n{}".format(self._requirement_name(), self._hash_comparison()) + + def _hash_comparison(self) -> str: + """ + Return a comparison of actual and expected hash values. + + Example:: + + Expected sha256 abcdeabcdeabcdeabcdeabcdeabcdeabcdeabcdeabcde + or 123451234512345123451234512345123451234512345 + Got bcdefbcdefbcdefbcdefbcdefbcdefbcdefbcdefbcdef + + """ + + def hash_then_or(hash_name: str) -> "chain[str]": + # For now, all the decent hashes have 6-char names, so we can get + # away with hard-coding space literals. + return chain([hash_name], repeat(" or")) + + lines: List[str] = [] + for hash_name, expecteds in self.allowed.items(): + prefix = hash_then_or(hash_name) + lines.extend( + (" Expected {} {}".format(next(prefix), e)) for e in expecteds + ) + lines.append( + " Got {}\n".format(self.gots[hash_name].hexdigest()) + ) + return "\n".join(lines) + + +class UnsupportedPythonVersion(InstallationError): + """Unsupported python version according to Requires-Python package + metadata.""" + + +class ConfigurationFileCouldNotBeLoaded(ConfigurationError): + """When there are errors while loading a configuration file""" + + def __init__( + self, + reason: str = "could not be loaded", + fname: Optional[str] = None, + error: Optional[configparser.Error] = None, + ) -> None: + super().__init__(error) + self.reason = reason + self.fname = fname + self.error = error + + def __str__(self) -> str: + if self.fname is not None: + message_part = f" in {self.fname}." + else: + assert self.error is not None + message_part = f".\n{self.error}\n" + return f"Configuration file {self.reason}{message_part}" diff --git a/venv/Lib/site-packages/pip/_internal/index/__init__.py b/venv/Lib/site-packages/pip/_internal/index/__init__.py new file mode 100644 index 0000000..7a17b7b --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/index/__init__.py @@ -0,0 +1,2 @@ +"""Index interaction code +""" diff --git a/venv/Lib/site-packages/pip/_internal/index/collector.py b/venv/Lib/site-packages/pip/_internal/index/collector.py new file mode 100644 index 0000000..d941223 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/index/collector.py @@ -0,0 +1,536 @@ +""" +The main purpose of this module is to expose LinkCollector.collect_sources(). +""" + +import cgi +import collections +import functools +import itertools +import logging +import os +import re +import urllib.parse +import urllib.request +import xml.etree.ElementTree +from optparse import Values +from typing import ( + Callable, + Iterable, + List, + MutableMapping, + NamedTuple, + Optional, + Sequence, + Union, +) + +from pip._vendor import html5lib, requests +from pip._vendor.requests import Response +from pip._vendor.requests.exceptions import RetryError, SSLError + +from pip._internal.exceptions import NetworkConnectionError +from pip._internal.models.link import Link +from pip._internal.models.search_scope import SearchScope +from pip._internal.network.session import PipSession +from pip._internal.network.utils import raise_for_status +from pip._internal.utils.filetypes import is_archive_file +from pip._internal.utils.misc import pairwise, redact_auth_from_url +from pip._internal.vcs import vcs + +from .sources import CandidatesFromPage, LinkSource, build_source + +logger = logging.getLogger(__name__) + +HTMLElement = xml.etree.ElementTree.Element +ResponseHeaders = MutableMapping[str, str] + + +def _match_vcs_scheme(url: str) -> Optional[str]: + """Look for VCS schemes in the URL. + + Returns the matched VCS scheme, or None if there's no match. + """ + for scheme in vcs.schemes: + if url.lower().startswith(scheme) and url[len(scheme)] in "+:": + return scheme + return None + + +class _NotHTML(Exception): + def __init__(self, content_type: str, request_desc: str) -> None: + super().__init__(content_type, request_desc) + self.content_type = content_type + self.request_desc = request_desc + + +def _ensure_html_header(response: Response) -> None: + """Check the Content-Type header to ensure the response contains HTML. + + Raises `_NotHTML` if the content type is not text/html. + """ + content_type = response.headers.get("Content-Type", "") + if not content_type.lower().startswith("text/html"): + raise _NotHTML(content_type, response.request.method) + + +class _NotHTTP(Exception): + pass + + +def _ensure_html_response(url: str, session: PipSession) -> None: + """Send a HEAD request to the URL, and ensure the response contains HTML. + + Raises `_NotHTTP` if the URL is not available for a HEAD request, or + `_NotHTML` if the content type is not text/html. + """ + scheme, netloc, path, query, fragment = urllib.parse.urlsplit(url) + if scheme not in {"http", "https"}: + raise _NotHTTP() + + resp = session.head(url, allow_redirects=True) + raise_for_status(resp) + + _ensure_html_header(resp) + + +def _get_html_response(url: str, session: PipSession) -> Response: + """Access an HTML page with GET, and return the response. + + This consists of three parts: + + 1. If the URL looks suspiciously like an archive, send a HEAD first to + check the Content-Type is HTML, to avoid downloading a large file. + Raise `_NotHTTP` if the content type cannot be determined, or + `_NotHTML` if it is not HTML. + 2. Actually perform the request. Raise HTTP exceptions on network failures. + 3. Check the Content-Type header to make sure we got HTML, and raise + `_NotHTML` otherwise. + """ + if is_archive_file(Link(url).filename): + _ensure_html_response(url, session=session) + + logger.debug("Getting page %s", redact_auth_from_url(url)) + + resp = session.get( + url, + headers={ + "Accept": "text/html", + # We don't want to blindly returned cached data for + # /simple/, because authors generally expecting that + # twine upload && pip install will function, but if + # they've done a pip install in the last ~10 minutes + # it won't. Thus by setting this to zero we will not + # blindly use any cached data, however the benefit of + # using max-age=0 instead of no-cache, is that we will + # still support conditional requests, so we will still + # minimize traffic sent in cases where the page hasn't + # changed at all, we will just always incur the round + # trip for the conditional GET now instead of only + # once per 10 minutes. + # For more information, please see pypa/pip#5670. + "Cache-Control": "max-age=0", + }, + ) + raise_for_status(resp) + + # The check for archives above only works if the url ends with + # something that looks like an archive. However that is not a + # requirement of an url. Unless we issue a HEAD request on every + # url we cannot know ahead of time for sure if something is HTML + # or not. However we can check after we've downloaded it. + _ensure_html_header(resp) + + return resp + + +def _get_encoding_from_headers(headers: ResponseHeaders) -> Optional[str]: + """Determine if we have any encoding information in our headers.""" + if headers and "Content-Type" in headers: + content_type, params = cgi.parse_header(headers["Content-Type"]) + if "charset" in params: + return params["charset"] + return None + + +def _determine_base_url(document: HTMLElement, page_url: str) -> str: + """Determine the HTML document's base URL. + + This looks for a ``<base>`` tag in the HTML document. If present, its href + attribute denotes the base URL of anchor tags in the document. If there is + no such tag (or if it does not have a valid href attribute), the HTML + file's URL is used as the base URL. + + :param document: An HTML document representation. The current + implementation expects the result of ``html5lib.parse()``. + :param page_url: The URL of the HTML document. + """ + for base in document.findall(".//base"): + href = base.get("href") + if href is not None: + return href + return page_url + + +def _clean_url_path_part(part: str) -> str: + """ + Clean a "part" of a URL path (i.e. after splitting on "@" characters). + """ + # We unquote prior to quoting to make sure nothing is double quoted. + return urllib.parse.quote(urllib.parse.unquote(part)) + + +def _clean_file_url_path(part: str) -> str: + """ + Clean the first part of a URL path that corresponds to a local + filesystem path (i.e. the first part after splitting on "@" characters). + """ + # We unquote prior to quoting to make sure nothing is double quoted. + # Also, on Windows the path part might contain a drive letter which + # should not be quoted. On Linux where drive letters do not + # exist, the colon should be quoted. We rely on urllib.request + # to do the right thing here. + return urllib.request.pathname2url(urllib.request.url2pathname(part)) + + +# percent-encoded: / +_reserved_chars_re = re.compile("(@|%2F)", re.IGNORECASE) + + +def _clean_url_path(path: str, is_local_path: bool) -> str: + """ + Clean the path portion of a URL. + """ + if is_local_path: + clean_func = _clean_file_url_path + else: + clean_func = _clean_url_path_part + + # Split on the reserved characters prior to cleaning so that + # revision strings in VCS URLs are properly preserved. + parts = _reserved_chars_re.split(path) + + cleaned_parts = [] + for to_clean, reserved in pairwise(itertools.chain(parts, [""])): + cleaned_parts.append(clean_func(to_clean)) + # Normalize %xx escapes (e.g. %2f -> %2F) + cleaned_parts.append(reserved.upper()) + + return "".join(cleaned_parts) + + +def _clean_link(url: str) -> str: + """ + Make sure a link is fully quoted. + For example, if ' ' occurs in the URL, it will be replaced with "%20", + and without double-quoting other characters. + """ + # Split the URL into parts according to the general structure + # `scheme://netloc/path;parameters?query#fragment`. + result = urllib.parse.urlparse(url) + # If the netloc is empty, then the URL refers to a local filesystem path. + is_local_path = not result.netloc + path = _clean_url_path(result.path, is_local_path=is_local_path) + return urllib.parse.urlunparse(result._replace(path=path)) + + +def _create_link_from_element( + anchor: HTMLElement, + page_url: str, + base_url: str, +) -> Optional[Link]: + """ + Convert an anchor element in a simple repository page to a Link. + """ + href = anchor.get("href") + if not href: + return None + + url = _clean_link(urllib.parse.urljoin(base_url, href)) + pyrequire = anchor.get("data-requires-python") + yanked_reason = anchor.get("data-yanked") + + link = Link( + url, + comes_from=page_url, + requires_python=pyrequire, + yanked_reason=yanked_reason, + ) + + return link + + +class CacheablePageContent: + def __init__(self, page: "HTMLPage") -> None: + assert page.cache_link_parsing + self.page = page + + def __eq__(self, other: object) -> bool: + return isinstance(other, type(self)) and self.page.url == other.page.url + + def __hash__(self) -> int: + return hash(self.page.url) + + +def with_cached_html_pages( + fn: Callable[["HTMLPage"], Iterable[Link]], +) -> Callable[["HTMLPage"], List[Link]]: + """ + Given a function that parses an Iterable[Link] from an HTMLPage, cache the + function's result (keyed by CacheablePageContent), unless the HTMLPage + `page` has `page.cache_link_parsing == False`. + """ + + @functools.lru_cache(maxsize=None) + def wrapper(cacheable_page: CacheablePageContent) -> List[Link]: + return list(fn(cacheable_page.page)) + + @functools.wraps(fn) + def wrapper_wrapper(page: "HTMLPage") -> List[Link]: + if page.cache_link_parsing: + return wrapper(CacheablePageContent(page)) + return list(fn(page)) + + return wrapper_wrapper + + +@with_cached_html_pages +def parse_links(page: "HTMLPage") -> Iterable[Link]: + """ + Parse an HTML document, and yield its anchor elements as Link objects. + """ + document = html5lib.parse( + page.content, + transport_encoding=page.encoding, + namespaceHTMLElements=False, + ) + + url = page.url + base_url = _determine_base_url(document, url) + for anchor in document.findall(".//a"): + link = _create_link_from_element( + anchor, + page_url=url, + base_url=base_url, + ) + if link is None: + continue + yield link + + +class HTMLPage: + """Represents one page, along with its URL""" + + def __init__( + self, + content: bytes, + encoding: Optional[str], + url: str, + cache_link_parsing: bool = True, + ) -> None: + """ + :param encoding: the encoding to decode the given content. + :param url: the URL from which the HTML was downloaded. + :param cache_link_parsing: whether links parsed from this page's url + should be cached. PyPI index urls should + have this set to False, for example. + """ + self.content = content + self.encoding = encoding + self.url = url + self.cache_link_parsing = cache_link_parsing + + def __str__(self) -> str: + return redact_auth_from_url(self.url) + + +def _handle_get_page_fail( + link: Link, + reason: Union[str, Exception], + meth: Optional[Callable[..., None]] = None, +) -> None: + if meth is None: + meth = logger.debug + meth("Could not fetch URL %s: %s - skipping", link, reason) + + +def _make_html_page(response: Response, cache_link_parsing: bool = True) -> HTMLPage: + encoding = _get_encoding_from_headers(response.headers) + return HTMLPage( + response.content, + encoding=encoding, + url=response.url, + cache_link_parsing=cache_link_parsing, + ) + + +def _get_html_page( + link: Link, session: Optional[PipSession] = None +) -> Optional["HTMLPage"]: + if session is None: + raise TypeError( + "_get_html_page() missing 1 required keyword argument: 'session'" + ) + + url = link.url.split("#", 1)[0] + + # Check for VCS schemes that do not support lookup as web pages. + vcs_scheme = _match_vcs_scheme(url) + if vcs_scheme: + logger.warning( + "Cannot look at %s URL %s because it does not support lookup as web pages.", + vcs_scheme, + link, + ) + return None + + # Tack index.html onto file:// URLs that point to directories + scheme, _, path, _, _, _ = urllib.parse.urlparse(url) + if scheme == "file" and os.path.isdir(urllib.request.url2pathname(path)): + # add trailing slash if not present so urljoin doesn't trim + # final segment + if not url.endswith("/"): + url += "/" + url = urllib.parse.urljoin(url, "index.html") + logger.debug(" file: URL is directory, getting %s", url) + + try: + resp = _get_html_response(url, session=session) + except _NotHTTP: + logger.warning( + "Skipping page %s because it looks like an archive, and cannot " + "be checked by a HTTP HEAD request.", + link, + ) + except _NotHTML as exc: + logger.warning( + "Skipping page %s because the %s request got Content-Type: %s." + "The only supported Content-Type is text/html", + link, + exc.request_desc, + exc.content_type, + ) + except NetworkConnectionError as exc: + _handle_get_page_fail(link, exc) + except RetryError as exc: + _handle_get_page_fail(link, exc) + except SSLError as exc: + reason = "There was a problem confirming the ssl certificate: " + reason += str(exc) + _handle_get_page_fail(link, reason, meth=logger.info) + except requests.ConnectionError as exc: + _handle_get_page_fail(link, f"connection error: {exc}") + except requests.Timeout: + _handle_get_page_fail(link, "timed out") + else: + return _make_html_page(resp, cache_link_parsing=link.cache_link_parsing) + return None + + +class CollectedSources(NamedTuple): + find_links: Sequence[Optional[LinkSource]] + index_urls: Sequence[Optional[LinkSource]] + + +class LinkCollector: + + """ + Responsible for collecting Link objects from all configured locations, + making network requests as needed. + + The class's main method is its collect_sources() method. + """ + + def __init__( + self, + session: PipSession, + search_scope: SearchScope, + ) -> None: + self.search_scope = search_scope + self.session = session + + @classmethod + def create( + cls, + session: PipSession, + options: Values, + suppress_no_index: bool = False, + ) -> "LinkCollector": + """ + :param session: The Session to use to make requests. + :param suppress_no_index: Whether to ignore the --no-index option + when constructing the SearchScope object. + """ + index_urls = [options.index_url] + options.extra_index_urls + if options.no_index and not suppress_no_index: + logger.debug( + "Ignoring indexes: %s", + ",".join(redact_auth_from_url(url) for url in index_urls), + ) + index_urls = [] + + # Make sure find_links is a list before passing to create(). + find_links = options.find_links or [] + + search_scope = SearchScope.create( + find_links=find_links, + index_urls=index_urls, + ) + link_collector = LinkCollector( + session=session, + search_scope=search_scope, + ) + return link_collector + + @property + def find_links(self) -> List[str]: + return self.search_scope.find_links + + def fetch_page(self, location: Link) -> Optional[HTMLPage]: + """ + Fetch an HTML page containing package links. + """ + return _get_html_page(location, session=self.session) + + def collect_sources( + self, + project_name: str, + candidates_from_page: CandidatesFromPage, + ) -> CollectedSources: + # The OrderedDict calls deduplicate sources by URL. + index_url_sources = collections.OrderedDict( + build_source( + loc, + candidates_from_page=candidates_from_page, + page_validator=self.session.is_secure_origin, + expand_dir=False, + cache_link_parsing=False, + ) + for loc in self.search_scope.get_index_urls_locations(project_name) + ).values() + find_links_sources = collections.OrderedDict( + build_source( + loc, + candidates_from_page=candidates_from_page, + page_validator=self.session.is_secure_origin, + expand_dir=True, + cache_link_parsing=True, + ) + for loc in self.find_links + ).values() + + if logger.isEnabledFor(logging.DEBUG): + lines = [ + f"* {s.link}" + for s in itertools.chain(find_links_sources, index_url_sources) + if s is not None and s.link is not None + ] + lines = [ + f"{len(lines)} location(s) to search " + f"for versions of {project_name}:" + ] + lines + logger.debug("\n".join(lines)) + + return CollectedSources( + find_links=list(find_links_sources), + index_urls=list(index_url_sources), + ) diff --git a/venv/Lib/site-packages/pip/_internal/index/package_finder.py b/venv/Lib/site-packages/pip/_internal/index/package_finder.py new file mode 100644 index 0000000..a2702db --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/index/package_finder.py @@ -0,0 +1,993 @@ +"""Routines related to PyPI, indexes""" + +# The following comment should be removed at some point in the future. +# mypy: strict-optional=False + +import functools +import itertools +import logging +import re +from typing import FrozenSet, Iterable, List, Optional, Set, Tuple, Union + +from pip._vendor.packaging import specifiers +from pip._vendor.packaging.tags import Tag +from pip._vendor.packaging.utils import canonicalize_name +from pip._vendor.packaging.version import _BaseVersion +from pip._vendor.packaging.version import parse as parse_version + +from pip._internal.exceptions import ( + BestVersionAlreadyInstalled, + DistributionNotFound, + InvalidWheelFilename, + UnsupportedWheel, +) +from pip._internal.index.collector import LinkCollector, parse_links +from pip._internal.models.candidate import InstallationCandidate +from pip._internal.models.format_control import FormatControl +from pip._internal.models.link import Link +from pip._internal.models.search_scope import SearchScope +from pip._internal.models.selection_prefs import SelectionPreferences +from pip._internal.models.target_python import TargetPython +from pip._internal.models.wheel import Wheel +from pip._internal.req import InstallRequirement +from pip._internal.utils._log import getLogger +from pip._internal.utils.filetypes import WHEEL_EXTENSION +from pip._internal.utils.hashes import Hashes +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import build_netloc +from pip._internal.utils.packaging import check_requires_python +from pip._internal.utils.unpacking import SUPPORTED_EXTENSIONS +from pip._internal.utils.urls import url_to_path + +__all__ = ["FormatControl", "BestCandidateResult", "PackageFinder"] + + +logger = getLogger(__name__) + +BuildTag = Union[Tuple[()], Tuple[int, str]] +CandidateSortingKey = Tuple[int, int, int, _BaseVersion, Optional[int], BuildTag] + + +def _check_link_requires_python( + link: Link, + version_info: Tuple[int, int, int], + ignore_requires_python: bool = False, +) -> bool: + """ + Return whether the given Python version is compatible with a link's + "Requires-Python" value. + + :param version_info: A 3-tuple of ints representing the Python + major-minor-micro version to check. + :param ignore_requires_python: Whether to ignore the "Requires-Python" + value if the given Python version isn't compatible. + """ + try: + is_compatible = check_requires_python( + link.requires_python, + version_info=version_info, + ) + except specifiers.InvalidSpecifier: + logger.debug( + "Ignoring invalid Requires-Python (%r) for link: %s", + link.requires_python, + link, + ) + else: + if not is_compatible: + version = ".".join(map(str, version_info)) + if not ignore_requires_python: + logger.verbose( + "Link requires a different Python (%s not in: %r): %s", + version, + link.requires_python, + link, + ) + return False + + logger.debug( + "Ignoring failed Requires-Python check (%s not in: %r) for link: %s", + version, + link.requires_python, + link, + ) + + return True + + +class LinkEvaluator: + + """ + Responsible for evaluating links for a particular project. + """ + + _py_version_re = re.compile(r"-py([123]\.?[0-9]?)$") + + # Don't include an allow_yanked default value to make sure each call + # site considers whether yanked releases are allowed. This also causes + # that decision to be made explicit in the calling code, which helps + # people when reading the code. + def __init__( + self, + project_name: str, + canonical_name: str, + formats: FrozenSet[str], + target_python: TargetPython, + allow_yanked: bool, + ignore_requires_python: Optional[bool] = None, + ) -> None: + """ + :param project_name: The user supplied package name. + :param canonical_name: The canonical package name. + :param formats: The formats allowed for this package. Should be a set + with 'binary' or 'source' or both in it. + :param target_python: The target Python interpreter to use when + evaluating link compatibility. This is used, for example, to + check wheel compatibility, as well as when checking the Python + version, e.g. the Python version embedded in a link filename + (or egg fragment) and against an HTML link's optional PEP 503 + "data-requires-python" attribute. + :param allow_yanked: Whether files marked as yanked (in the sense + of PEP 592) are permitted to be candidates for install. + :param ignore_requires_python: Whether to ignore incompatible + PEP 503 "data-requires-python" values in HTML links. Defaults + to False. + """ + if ignore_requires_python is None: + ignore_requires_python = False + + self._allow_yanked = allow_yanked + self._canonical_name = canonical_name + self._ignore_requires_python = ignore_requires_python + self._formats = formats + self._target_python = target_python + + self.project_name = project_name + + def evaluate_link(self, link: Link) -> Tuple[bool, Optional[str]]: + """ + Determine whether a link is a candidate for installation. + + :return: A tuple (is_candidate, result), where `result` is (1) a + version string if `is_candidate` is True, and (2) if + `is_candidate` is False, an optional string to log the reason + the link fails to qualify. + """ + version = None + if link.is_yanked and not self._allow_yanked: + reason = link.yanked_reason or "<none given>" + return (False, f"yanked for reason: {reason}") + + if link.egg_fragment: + egg_info = link.egg_fragment + ext = link.ext + else: + egg_info, ext = link.splitext() + if not ext: + return (False, "not a file") + if ext not in SUPPORTED_EXTENSIONS: + return (False, f"unsupported archive format: {ext}") + if "binary" not in self._formats and ext == WHEEL_EXTENSION: + reason = "No binaries permitted for {}".format(self.project_name) + return (False, reason) + if "macosx10" in link.path and ext == ".zip": + return (False, "macosx10 one") + if ext == WHEEL_EXTENSION: + try: + wheel = Wheel(link.filename) + except InvalidWheelFilename: + return (False, "invalid wheel filename") + if canonicalize_name(wheel.name) != self._canonical_name: + reason = "wrong project name (not {})".format(self.project_name) + return (False, reason) + + supported_tags = self._target_python.get_tags() + if not wheel.supported(supported_tags): + # Include the wheel's tags in the reason string to + # simplify troubleshooting compatibility issues. + file_tags = wheel.get_formatted_file_tags() + reason = ( + "none of the wheel's tags ({}) are compatible " + "(run pip debug --verbose to show compatible tags)".format( + ", ".join(file_tags) + ) + ) + return (False, reason) + + version = wheel.version + + # This should be up by the self.ok_binary check, but see issue 2700. + if "source" not in self._formats and ext != WHEEL_EXTENSION: + reason = f"No sources permitted for {self.project_name}" + return (False, reason) + + if not version: + version = _extract_version_from_fragment( + egg_info, + self._canonical_name, + ) + if not version: + reason = f"Missing project version for {self.project_name}" + return (False, reason) + + match = self._py_version_re.search(version) + if match: + version = version[: match.start()] + py_version = match.group(1) + if py_version != self._target_python.py_version: + return (False, "Python version is incorrect") + + supports_python = _check_link_requires_python( + link, + version_info=self._target_python.py_version_info, + ignore_requires_python=self._ignore_requires_python, + ) + if not supports_python: + # Return None for the reason text to suppress calling + # _log_skipped_link(). + return (False, None) + + logger.debug("Found link %s, version: %s", link, version) + + return (True, version) + + +def filter_unallowed_hashes( + candidates: List[InstallationCandidate], + hashes: Hashes, + project_name: str, +) -> List[InstallationCandidate]: + """ + Filter out candidates whose hashes aren't allowed, and return a new + list of candidates. + + If at least one candidate has an allowed hash, then all candidates with + either an allowed hash or no hash specified are returned. Otherwise, + the given candidates are returned. + + Including the candidates with no hash specified when there is a match + allows a warning to be logged if there is a more preferred candidate + with no hash specified. Returning all candidates in the case of no + matches lets pip report the hash of the candidate that would otherwise + have been installed (e.g. permitting the user to more easily update + their requirements file with the desired hash). + """ + if not hashes: + logger.debug( + "Given no hashes to check %s links for project %r: " + "discarding no candidates", + len(candidates), + project_name, + ) + # Make sure we're not returning back the given value. + return list(candidates) + + matches_or_no_digest = [] + # Collect the non-matches for logging purposes. + non_matches = [] + match_count = 0 + for candidate in candidates: + link = candidate.link + if not link.has_hash: + pass + elif link.is_hash_allowed(hashes=hashes): + match_count += 1 + else: + non_matches.append(candidate) + continue + + matches_or_no_digest.append(candidate) + + if match_count: + filtered = matches_or_no_digest + else: + # Make sure we're not returning back the given value. + filtered = list(candidates) + + if len(filtered) == len(candidates): + discard_message = "discarding no candidates" + else: + discard_message = "discarding {} non-matches:\n {}".format( + len(non_matches), + "\n ".join(str(candidate.link) for candidate in non_matches), + ) + + logger.debug( + "Checked %s links for project %r against %s hashes " + "(%s matches, %s no digest): %s", + len(candidates), + project_name, + hashes.digest_count, + match_count, + len(matches_or_no_digest) - match_count, + discard_message, + ) + + return filtered + + +class CandidatePreferences: + + """ + Encapsulates some of the preferences for filtering and sorting + InstallationCandidate objects. + """ + + def __init__( + self, + prefer_binary: bool = False, + allow_all_prereleases: bool = False, + ) -> None: + """ + :param allow_all_prereleases: Whether to allow all pre-releases. + """ + self.allow_all_prereleases = allow_all_prereleases + self.prefer_binary = prefer_binary + + +class BestCandidateResult: + """A collection of candidates, returned by `PackageFinder.find_best_candidate`. + + This class is only intended to be instantiated by CandidateEvaluator's + `compute_best_candidate()` method. + """ + + def __init__( + self, + candidates: List[InstallationCandidate], + applicable_candidates: List[InstallationCandidate], + best_candidate: Optional[InstallationCandidate], + ) -> None: + """ + :param candidates: A sequence of all available candidates found. + :param applicable_candidates: The applicable candidates. + :param best_candidate: The most preferred candidate found, or None + if no applicable candidates were found. + """ + assert set(applicable_candidates) <= set(candidates) + + if best_candidate is None: + assert not applicable_candidates + else: + assert best_candidate in applicable_candidates + + self._applicable_candidates = applicable_candidates + self._candidates = candidates + + self.best_candidate = best_candidate + + def iter_all(self) -> Iterable[InstallationCandidate]: + """Iterate through all candidates.""" + return iter(self._candidates) + + def iter_applicable(self) -> Iterable[InstallationCandidate]: + """Iterate through the applicable candidates.""" + return iter(self._applicable_candidates) + + +class CandidateEvaluator: + + """ + Responsible for filtering and sorting candidates for installation based + on what tags are valid. + """ + + @classmethod + def create( + cls, + project_name: str, + target_python: Optional[TargetPython] = None, + prefer_binary: bool = False, + allow_all_prereleases: bool = False, + specifier: Optional[specifiers.BaseSpecifier] = None, + hashes: Optional[Hashes] = None, + ) -> "CandidateEvaluator": + """Create a CandidateEvaluator object. + + :param target_python: The target Python interpreter to use when + checking compatibility. If None (the default), a TargetPython + object will be constructed from the running Python. + :param specifier: An optional object implementing `filter` + (e.g. `packaging.specifiers.SpecifierSet`) to filter applicable + versions. + :param hashes: An optional collection of allowed hashes. + """ + if target_python is None: + target_python = TargetPython() + if specifier is None: + specifier = specifiers.SpecifierSet() + + supported_tags = target_python.get_tags() + + return cls( + project_name=project_name, + supported_tags=supported_tags, + specifier=specifier, + prefer_binary=prefer_binary, + allow_all_prereleases=allow_all_prereleases, + hashes=hashes, + ) + + def __init__( + self, + project_name: str, + supported_tags: List[Tag], + specifier: specifiers.BaseSpecifier, + prefer_binary: bool = False, + allow_all_prereleases: bool = False, + hashes: Optional[Hashes] = None, + ) -> None: + """ + :param supported_tags: The PEP 425 tags supported by the target + Python in order of preference (most preferred first). + """ + self._allow_all_prereleases = allow_all_prereleases + self._hashes = hashes + self._prefer_binary = prefer_binary + self._project_name = project_name + self._specifier = specifier + self._supported_tags = supported_tags + # Since the index of the tag in the _supported_tags list is used + # as a priority, precompute a map from tag to index/priority to be + # used in wheel.find_most_preferred_tag. + self._wheel_tag_preferences = { + tag: idx for idx, tag in enumerate(supported_tags) + } + + def get_applicable_candidates( + self, + candidates: List[InstallationCandidate], + ) -> List[InstallationCandidate]: + """ + Return the applicable candidates from a list of candidates. + """ + # Using None infers from the specifier instead. + allow_prereleases = self._allow_all_prereleases or None + specifier = self._specifier + versions = { + str(v) + for v in specifier.filter( + # We turn the version object into a str here because otherwise + # when we're debundled but setuptools isn't, Python will see + # packaging.version.Version and + # pkg_resources._vendor.packaging.version.Version as different + # types. This way we'll use a str as a common data interchange + # format. If we stop using the pkg_resources provided specifier + # and start using our own, we can drop the cast to str(). + (str(c.version) for c in candidates), + prereleases=allow_prereleases, + ) + } + + # Again, converting version to str to deal with debundling. + applicable_candidates = [c for c in candidates if str(c.version) in versions] + + filtered_applicable_candidates = filter_unallowed_hashes( + candidates=applicable_candidates, + hashes=self._hashes, + project_name=self._project_name, + ) + + return sorted(filtered_applicable_candidates, key=self._sort_key) + + def _sort_key(self, candidate: InstallationCandidate) -> CandidateSortingKey: + """ + Function to pass as the `key` argument to a call to sorted() to sort + InstallationCandidates by preference. + + Returns a tuple such that tuples sorting as greater using Python's + default comparison operator are more preferred. + + The preference is as follows: + + First and foremost, candidates with allowed (matching) hashes are + always preferred over candidates without matching hashes. This is + because e.g. if the only candidate with an allowed hash is yanked, + we still want to use that candidate. + + Second, excepting hash considerations, candidates that have been + yanked (in the sense of PEP 592) are always less preferred than + candidates that haven't been yanked. Then: + + If not finding wheels, they are sorted by version only. + If finding wheels, then the sort order is by version, then: + 1. existing installs + 2. wheels ordered via Wheel.support_index_min(self._supported_tags) + 3. source archives + If prefer_binary was set, then all wheels are sorted above sources. + + Note: it was considered to embed this logic into the Link + comparison operators, but then different sdist links + with the same version, would have to be considered equal + """ + valid_tags = self._supported_tags + support_num = len(valid_tags) + build_tag: BuildTag = () + binary_preference = 0 + link = candidate.link + if link.is_wheel: + # can raise InvalidWheelFilename + wheel = Wheel(link.filename) + try: + pri = -( + wheel.find_most_preferred_tag( + valid_tags, self._wheel_tag_preferences + ) + ) + except ValueError: + raise UnsupportedWheel( + "{} is not a supported wheel for this platform. It " + "can't be sorted.".format(wheel.filename) + ) + if self._prefer_binary: + binary_preference = 1 + if wheel.build_tag is not None: + match = re.match(r"^(\d+)(.*)$", wheel.build_tag) + build_tag_groups = match.groups() + build_tag = (int(build_tag_groups[0]), build_tag_groups[1]) + else: # sdist + pri = -(support_num) + has_allowed_hash = int(link.is_hash_allowed(self._hashes)) + yank_value = -1 * int(link.is_yanked) # -1 for yanked. + return ( + has_allowed_hash, + yank_value, + binary_preference, + candidate.version, + pri, + build_tag, + ) + + def sort_best_candidate( + self, + candidates: List[InstallationCandidate], + ) -> Optional[InstallationCandidate]: + """ + Return the best candidate per the instance's sort order, or None if + no candidate is acceptable. + """ + if not candidates: + return None + best_candidate = max(candidates, key=self._sort_key) + return best_candidate + + def compute_best_candidate( + self, + candidates: List[InstallationCandidate], + ) -> BestCandidateResult: + """ + Compute and return a `BestCandidateResult` instance. + """ + applicable_candidates = self.get_applicable_candidates(candidates) + + best_candidate = self.sort_best_candidate(applicable_candidates) + + return BestCandidateResult( + candidates, + applicable_candidates=applicable_candidates, + best_candidate=best_candidate, + ) + + +class PackageFinder: + """This finds packages. + + This is meant to match easy_install's technique for looking for + packages, by reading pages and looking for appropriate links. + """ + + def __init__( + self, + link_collector: LinkCollector, + target_python: TargetPython, + allow_yanked: bool, + format_control: Optional[FormatControl] = None, + candidate_prefs: Optional[CandidatePreferences] = None, + ignore_requires_python: Optional[bool] = None, + ) -> None: + """ + This constructor is primarily meant to be used by the create() class + method and from tests. + + :param format_control: A FormatControl object, used to control + the selection of source packages / binary packages when consulting + the index and links. + :param candidate_prefs: Options to use when creating a + CandidateEvaluator object. + """ + if candidate_prefs is None: + candidate_prefs = CandidatePreferences() + + format_control = format_control or FormatControl(set(), set()) + + self._allow_yanked = allow_yanked + self._candidate_prefs = candidate_prefs + self._ignore_requires_python = ignore_requires_python + self._link_collector = link_collector + self._target_python = target_python + + self.format_control = format_control + + # These are boring links that have already been logged somehow. + self._logged_links: Set[Link] = set() + + # Don't include an allow_yanked default value to make sure each call + # site considers whether yanked releases are allowed. This also causes + # that decision to be made explicit in the calling code, which helps + # people when reading the code. + @classmethod + def create( + cls, + link_collector: LinkCollector, + selection_prefs: SelectionPreferences, + target_python: Optional[TargetPython] = None, + ) -> "PackageFinder": + """Create a PackageFinder. + + :param selection_prefs: The candidate selection preferences, as a + SelectionPreferences object. + :param target_python: The target Python interpreter to use when + checking compatibility. If None (the default), a TargetPython + object will be constructed from the running Python. + """ + if target_python is None: + target_python = TargetPython() + + candidate_prefs = CandidatePreferences( + prefer_binary=selection_prefs.prefer_binary, + allow_all_prereleases=selection_prefs.allow_all_prereleases, + ) + + return cls( + candidate_prefs=candidate_prefs, + link_collector=link_collector, + target_python=target_python, + allow_yanked=selection_prefs.allow_yanked, + format_control=selection_prefs.format_control, + ignore_requires_python=selection_prefs.ignore_requires_python, + ) + + @property + def target_python(self) -> TargetPython: + return self._target_python + + @property + def search_scope(self) -> SearchScope: + return self._link_collector.search_scope + + @search_scope.setter + def search_scope(self, search_scope: SearchScope) -> None: + self._link_collector.search_scope = search_scope + + @property + def find_links(self) -> List[str]: + return self._link_collector.find_links + + @property + def index_urls(self) -> List[str]: + return self.search_scope.index_urls + + @property + def trusted_hosts(self) -> Iterable[str]: + for host_port in self._link_collector.session.pip_trusted_origins: + yield build_netloc(*host_port) + + @property + def allow_all_prereleases(self) -> bool: + return self._candidate_prefs.allow_all_prereleases + + def set_allow_all_prereleases(self) -> None: + self._candidate_prefs.allow_all_prereleases = True + + @property + def prefer_binary(self) -> bool: + return self._candidate_prefs.prefer_binary + + def set_prefer_binary(self) -> None: + self._candidate_prefs.prefer_binary = True + + def make_link_evaluator(self, project_name: str) -> LinkEvaluator: + canonical_name = canonicalize_name(project_name) + formats = self.format_control.get_allowed_formats(canonical_name) + + return LinkEvaluator( + project_name=project_name, + canonical_name=canonical_name, + formats=formats, + target_python=self._target_python, + allow_yanked=self._allow_yanked, + ignore_requires_python=self._ignore_requires_python, + ) + + def _sort_links(self, links: Iterable[Link]) -> List[Link]: + """ + Returns elements of links in order, non-egg links first, egg links + second, while eliminating duplicates + """ + eggs, no_eggs = [], [] + seen: Set[Link] = set() + for link in links: + if link not in seen: + seen.add(link) + if link.egg_fragment: + eggs.append(link) + else: + no_eggs.append(link) + return no_eggs + eggs + + def _log_skipped_link(self, link: Link, reason: str) -> None: + if link not in self._logged_links: + # Put the link at the end so the reason is more visible and because + # the link string is usually very long. + logger.debug("Skipping link: %s: %s", reason, link) + self._logged_links.add(link) + + def get_install_candidate( + self, link_evaluator: LinkEvaluator, link: Link + ) -> Optional[InstallationCandidate]: + """ + If the link is a candidate for install, convert it to an + InstallationCandidate and return it. Otherwise, return None. + """ + is_candidate, result = link_evaluator.evaluate_link(link) + if not is_candidate: + if result: + self._log_skipped_link(link, reason=result) + return None + + return InstallationCandidate( + name=link_evaluator.project_name, + link=link, + version=result, + ) + + def evaluate_links( + self, link_evaluator: LinkEvaluator, links: Iterable[Link] + ) -> List[InstallationCandidate]: + """ + Convert links that are candidates to InstallationCandidate objects. + """ + candidates = [] + for link in self._sort_links(links): + candidate = self.get_install_candidate(link_evaluator, link) + if candidate is not None: + candidates.append(candidate) + + return candidates + + def process_project_url( + self, project_url: Link, link_evaluator: LinkEvaluator + ) -> List[InstallationCandidate]: + logger.debug( + "Fetching project page and analyzing links: %s", + project_url, + ) + html_page = self._link_collector.fetch_page(project_url) + if html_page is None: + return [] + + page_links = list(parse_links(html_page)) + + with indent_log(): + package_links = self.evaluate_links( + link_evaluator, + links=page_links, + ) + + return package_links + + @functools.lru_cache(maxsize=None) + def find_all_candidates(self, project_name: str) -> List[InstallationCandidate]: + """Find all available InstallationCandidate for project_name + + This checks index_urls and find_links. + All versions found are returned as an InstallationCandidate list. + + See LinkEvaluator.evaluate_link() for details on which files + are accepted. + """ + link_evaluator = self.make_link_evaluator(project_name) + + collected_sources = self._link_collector.collect_sources( + project_name=project_name, + candidates_from_page=functools.partial( + self.process_project_url, + link_evaluator=link_evaluator, + ), + ) + + page_candidates_it = itertools.chain.from_iterable( + source.page_candidates() + for sources in collected_sources + for source in sources + if source is not None + ) + page_candidates = list(page_candidates_it) + + file_links_it = itertools.chain.from_iterable( + source.file_links() + for sources in collected_sources + for source in sources + if source is not None + ) + file_candidates = self.evaluate_links( + link_evaluator, + sorted(file_links_it, reverse=True), + ) + + if logger.isEnabledFor(logging.DEBUG) and file_candidates: + paths = [url_to_path(c.link.url) for c in file_candidates] + logger.debug("Local files found: %s", ", ".join(paths)) + + # This is an intentional priority ordering + return file_candidates + page_candidates + + def make_candidate_evaluator( + self, + project_name: str, + specifier: Optional[specifiers.BaseSpecifier] = None, + hashes: Optional[Hashes] = None, + ) -> CandidateEvaluator: + """Create a CandidateEvaluator object to use.""" + candidate_prefs = self._candidate_prefs + return CandidateEvaluator.create( + project_name=project_name, + target_python=self._target_python, + prefer_binary=candidate_prefs.prefer_binary, + allow_all_prereleases=candidate_prefs.allow_all_prereleases, + specifier=specifier, + hashes=hashes, + ) + + @functools.lru_cache(maxsize=None) + def find_best_candidate( + self, + project_name: str, + specifier: Optional[specifiers.BaseSpecifier] = None, + hashes: Optional[Hashes] = None, + ) -> BestCandidateResult: + """Find matches for the given project and specifier. + + :param specifier: An optional object implementing `filter` + (e.g. `packaging.specifiers.SpecifierSet`) to filter applicable + versions. + + :return: A `BestCandidateResult` instance. + """ + candidates = self.find_all_candidates(project_name) + candidate_evaluator = self.make_candidate_evaluator( + project_name=project_name, + specifier=specifier, + hashes=hashes, + ) + return candidate_evaluator.compute_best_candidate(candidates) + + def find_requirement( + self, req: InstallRequirement, upgrade: bool + ) -> Optional[InstallationCandidate]: + """Try to find a Link matching req + + Expects req, an InstallRequirement and upgrade, a boolean + Returns a InstallationCandidate if found, + Raises DistributionNotFound or BestVersionAlreadyInstalled otherwise + """ + hashes = req.hashes(trust_internet=False) + best_candidate_result = self.find_best_candidate( + req.name, + specifier=req.specifier, + hashes=hashes, + ) + best_candidate = best_candidate_result.best_candidate + + installed_version: Optional[_BaseVersion] = None + if req.satisfied_by is not None: + installed_version = parse_version(req.satisfied_by.version) + + def _format_versions(cand_iter: Iterable[InstallationCandidate]) -> str: + # This repeated parse_version and str() conversion is needed to + # handle different vendoring sources from pip and pkg_resources. + # If we stop using the pkg_resources provided specifier and start + # using our own, we can drop the cast to str(). + return ( + ", ".join( + sorted( + {str(c.version) for c in cand_iter}, + key=parse_version, + ) + ) + or "none" + ) + + if installed_version is None and best_candidate is None: + logger.critical( + "Could not find a version that satisfies the requirement %s " + "(from versions: %s)", + req, + _format_versions(best_candidate_result.iter_all()), + ) + + raise DistributionNotFound( + "No matching distribution found for {}".format(req) + ) + + best_installed = False + if installed_version and ( + best_candidate is None or best_candidate.version <= installed_version + ): + best_installed = True + + if not upgrade and installed_version is not None: + if best_installed: + logger.debug( + "Existing installed version (%s) is most up-to-date and " + "satisfies requirement", + installed_version, + ) + else: + logger.debug( + "Existing installed version (%s) satisfies requirement " + "(most up-to-date version is %s)", + installed_version, + best_candidate.version, + ) + return None + + if best_installed: + # We have an existing version, and its the best version + logger.debug( + "Installed version (%s) is most up-to-date (past versions: %s)", + installed_version, + _format_versions(best_candidate_result.iter_applicable()), + ) + raise BestVersionAlreadyInstalled + + logger.debug( + "Using version %s (newest of versions: %s)", + best_candidate.version, + _format_versions(best_candidate_result.iter_applicable()), + ) + return best_candidate + + +def _find_name_version_sep(fragment: str, canonical_name: str) -> int: + """Find the separator's index based on the package's canonical name. + + :param fragment: A <package>+<version> filename "fragment" (stem) or + egg fragment. + :param canonical_name: The package's canonical name. + + This function is needed since the canonicalized name does not necessarily + have the same length as the egg info's name part. An example:: + + >>> fragment = 'foo__bar-1.0' + >>> canonical_name = 'foo-bar' + >>> _find_name_version_sep(fragment, canonical_name) + 8 + """ + # Project name and version must be separated by one single dash. Find all + # occurrences of dashes; if the string in front of it matches the canonical + # name, this is the one separating the name and version parts. + for i, c in enumerate(fragment): + if c != "-": + continue + if canonicalize_name(fragment[:i]) == canonical_name: + return i + raise ValueError(f"{fragment} does not match {canonical_name}") + + +def _extract_version_from_fragment(fragment: str, canonical_name: str) -> Optional[str]: + """Parse the version string from a <package>+<version> filename + "fragment" (stem) or egg fragment. + + :param fragment: The string to parse. E.g. foo-2.1 + :param canonical_name: The canonicalized name of the package this + belongs to. + """ + try: + version_start = _find_name_version_sep(fragment, canonical_name) + 1 + except ValueError: + return None + version = fragment[version_start:] + if not version: + return None + return version diff --git a/venv/Lib/site-packages/pip/_internal/index/sources.py b/venv/Lib/site-packages/pip/_internal/index/sources.py new file mode 100644 index 0000000..eec3f12 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/index/sources.py @@ -0,0 +1,224 @@ +import logging +import mimetypes +import os +import pathlib +from typing import Callable, Iterable, Optional, Tuple + +from pip._internal.models.candidate import InstallationCandidate +from pip._internal.models.link import Link +from pip._internal.utils.urls import path_to_url, url_to_path +from pip._internal.vcs import is_url + +logger = logging.getLogger(__name__) + +FoundCandidates = Iterable[InstallationCandidate] +FoundLinks = Iterable[Link] +CandidatesFromPage = Callable[[Link], Iterable[InstallationCandidate]] +PageValidator = Callable[[Link], bool] + + +class LinkSource: + @property + def link(self) -> Optional[Link]: + """Returns the underlying link, if there's one.""" + raise NotImplementedError() + + def page_candidates(self) -> FoundCandidates: + """Candidates found by parsing an archive listing HTML file.""" + raise NotImplementedError() + + def file_links(self) -> FoundLinks: + """Links found by specifying archives directly.""" + raise NotImplementedError() + + +def _is_html_file(file_url: str) -> bool: + return mimetypes.guess_type(file_url, strict=False)[0] == "text/html" + + +class _FlatDirectorySource(LinkSource): + """Link source specified by ``--find-links=<path-to-dir>``. + + This looks the content of the directory, and returns: + + * ``page_candidates``: Links listed on each HTML file in the directory. + * ``file_candidates``: Archives in the directory. + """ + + def __init__( + self, + candidates_from_page: CandidatesFromPage, + path: str, + ) -> None: + self._candidates_from_page = candidates_from_page + self._path = pathlib.Path(os.path.realpath(path)) + + @property + def link(self) -> Optional[Link]: + return None + + def page_candidates(self) -> FoundCandidates: + for path in self._path.iterdir(): + url = path_to_url(str(path)) + if not _is_html_file(url): + continue + yield from self._candidates_from_page(Link(url)) + + def file_links(self) -> FoundLinks: + for path in self._path.iterdir(): + url = path_to_url(str(path)) + if _is_html_file(url): + continue + yield Link(url) + + +class _LocalFileSource(LinkSource): + """``--find-links=<path-or-url>`` or ``--[extra-]index-url=<path-or-url>``. + + If a URL is supplied, it must be a ``file:`` URL. If a path is supplied to + the option, it is converted to a URL first. This returns: + + * ``page_candidates``: Links listed on an HTML file. + * ``file_candidates``: The non-HTML file. + """ + + def __init__( + self, + candidates_from_page: CandidatesFromPage, + link: Link, + ) -> None: + self._candidates_from_page = candidates_from_page + self._link = link + + @property + def link(self) -> Optional[Link]: + return self._link + + def page_candidates(self) -> FoundCandidates: + if not _is_html_file(self._link.url): + return + yield from self._candidates_from_page(self._link) + + def file_links(self) -> FoundLinks: + if _is_html_file(self._link.url): + return + yield self._link + + +class _RemoteFileSource(LinkSource): + """``--find-links=<url>`` or ``--[extra-]index-url=<url>``. + + This returns: + + * ``page_candidates``: Links listed on an HTML file. + * ``file_candidates``: The non-HTML file. + """ + + def __init__( + self, + candidates_from_page: CandidatesFromPage, + page_validator: PageValidator, + link: Link, + ) -> None: + self._candidates_from_page = candidates_from_page + self._page_validator = page_validator + self._link = link + + @property + def link(self) -> Optional[Link]: + return self._link + + def page_candidates(self) -> FoundCandidates: + if not self._page_validator(self._link): + return + yield from self._candidates_from_page(self._link) + + def file_links(self) -> FoundLinks: + yield self._link + + +class _IndexDirectorySource(LinkSource): + """``--[extra-]index-url=<path-to-directory>``. + + This is treated like a remote URL; ``candidates_from_page`` contains logic + for this by appending ``index.html`` to the link. + """ + + def __init__( + self, + candidates_from_page: CandidatesFromPage, + link: Link, + ) -> None: + self._candidates_from_page = candidates_from_page + self._link = link + + @property + def link(self) -> Optional[Link]: + return self._link + + def page_candidates(self) -> FoundCandidates: + yield from self._candidates_from_page(self._link) + + def file_links(self) -> FoundLinks: + return () + + +def build_source( + location: str, + *, + candidates_from_page: CandidatesFromPage, + page_validator: PageValidator, + expand_dir: bool, + cache_link_parsing: bool, +) -> Tuple[Optional[str], Optional[LinkSource]]: + + path: Optional[str] = None + url: Optional[str] = None + if os.path.exists(location): # Is a local path. + url = path_to_url(location) + path = location + elif location.startswith("file:"): # A file: URL. + url = location + path = url_to_path(location) + elif is_url(location): + url = location + + if url is None: + msg = ( + "Location '%s' is ignored: " + "it is either a non-existing path or lacks a specific scheme." + ) + logger.warning(msg, location) + return (None, None) + + if path is None: + source: LinkSource = _RemoteFileSource( + candidates_from_page=candidates_from_page, + page_validator=page_validator, + link=Link(url, cache_link_parsing=cache_link_parsing), + ) + return (url, source) + + if os.path.isdir(path): + if expand_dir: + source = _FlatDirectorySource( + candidates_from_page=candidates_from_page, + path=path, + ) + else: + source = _IndexDirectorySource( + candidates_from_page=candidates_from_page, + link=Link(url, cache_link_parsing=cache_link_parsing), + ) + return (url, source) + elif os.path.isfile(path): + source = _LocalFileSource( + candidates_from_page=candidates_from_page, + link=Link(url, cache_link_parsing=cache_link_parsing), + ) + return (url, source) + logger.warning( + "Location '%s' is ignored: it is neither a file nor a directory.", + location, + ) + return (url, None) diff --git a/venv/Lib/site-packages/pip/_internal/locations/__init__.py b/venv/Lib/site-packages/pip/_internal/locations/__init__.py new file mode 100644 index 0000000..dba182d --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/locations/__init__.py @@ -0,0 +1,446 @@ +import functools +import logging +import os +import pathlib +import sys +import sysconfig +from typing import Any, Dict, Iterator, List, Optional, Tuple + +from pip._internal.models.scheme import SCHEME_KEYS, Scheme +from pip._internal.utils.compat import WINDOWS +from pip._internal.utils.deprecation import deprecated +from pip._internal.utils.virtualenv import running_under_virtualenv + +from . import _distutils, _sysconfig +from .base import ( + USER_CACHE_DIR, + get_major_minor_version, + get_src_prefix, + is_osx_framework, + site_packages, + user_site, +) + +__all__ = [ + "USER_CACHE_DIR", + "get_bin_prefix", + "get_bin_user", + "get_major_minor_version", + "get_platlib", + "get_prefixed_libs", + "get_purelib", + "get_scheme", + "get_src_prefix", + "site_packages", + "user_site", +] + + +logger = logging.getLogger(__name__) + +if os.environ.get("_PIP_LOCATIONS_NO_WARN_ON_MISMATCH"): + _MISMATCH_LEVEL = logging.DEBUG +else: + _MISMATCH_LEVEL = logging.WARNING + +_PLATLIBDIR: str = getattr(sys, "platlibdir", "lib") + +_USE_SYSCONFIG = sys.version_info >= (3, 10) + + +def _looks_like_bpo_44860() -> bool: + """The resolution to bpo-44860 will change this incorrect platlib. + + See <https://bugs.python.org/issue44860>. + """ + from distutils.command.install import INSTALL_SCHEMES # type: ignore + + try: + unix_user_platlib = INSTALL_SCHEMES["unix_user"]["platlib"] + except KeyError: + return False + return unix_user_platlib == "$usersite" + + +def _looks_like_red_hat_patched_platlib_purelib(scheme: Dict[str, str]) -> bool: + platlib = scheme["platlib"] + if "/$platlibdir/" in platlib and hasattr(sys, "platlibdir"): + platlib = platlib.replace("/$platlibdir/", f"/{sys.platlibdir}/") + if "/lib64/" not in platlib: + return False + unpatched = platlib.replace("/lib64/", "/lib/") + return unpatched.replace("$platbase/", "$base/") == scheme["purelib"] + + +@functools.lru_cache(maxsize=None) +def _looks_like_red_hat_lib() -> bool: + """Red Hat patches platlib in unix_prefix and unix_home, but not purelib. + + This is the only way I can see to tell a Red Hat-patched Python. + """ + from distutils.command.install import INSTALL_SCHEMES # type: ignore + + return all( + k in INSTALL_SCHEMES + and _looks_like_red_hat_patched_platlib_purelib(INSTALL_SCHEMES[k]) + for k in ("unix_prefix", "unix_home") + ) + + +@functools.lru_cache(maxsize=None) +def _looks_like_debian_scheme() -> bool: + """Debian adds two additional schemes.""" + from distutils.command.install import INSTALL_SCHEMES # type: ignore + + return "deb_system" in INSTALL_SCHEMES and "unix_local" in INSTALL_SCHEMES + + +@functools.lru_cache(maxsize=None) +def _looks_like_red_hat_scheme() -> bool: + """Red Hat patches ``sys.prefix`` and ``sys.exec_prefix``. + + Red Hat's ``00251-change-user-install-location.patch`` changes the install + command's ``prefix`` and ``exec_prefix`` to append ``"/local"``. This is + (fortunately?) done quite unconditionally, so we create a default command + object without any configuration to detect this. + """ + from distutils.command.install import install + from distutils.dist import Distribution + + cmd: Any = install(Distribution()) + cmd.finalize_options() + return ( + cmd.exec_prefix == f"{os.path.normpath(sys.exec_prefix)}/local" + and cmd.prefix == f"{os.path.normpath(sys.prefix)}/local" + ) + + +@functools.lru_cache(maxsize=None) +def _looks_like_msys2_mingw_scheme() -> bool: + """MSYS2 patches distutils and sysconfig to use a UNIX-like scheme. + + However, MSYS2 incorrectly patches sysconfig ``nt`` scheme. The fix is + likely going to be included in their 3.10 release, so we ignore the warning. + See msys2/MINGW-packages#9319. + + MSYS2 MINGW's patch uses lowercase ``"lib"`` instead of the usual uppercase, + and is missing the final ``"site-packages"``. + """ + paths = sysconfig.get_paths("nt", expand=False) + return all( + "Lib" not in p and "lib" in p and not p.endswith("site-packages") + for p in (paths[key] for key in ("platlib", "purelib")) + ) + + +def _fix_abiflags(parts: Tuple[str]) -> Iterator[str]: + ldversion = sysconfig.get_config_var("LDVERSION") + abiflags: str = getattr(sys, "abiflags", None) + + # LDVERSION does not end with sys.abiflags. Just return the path unchanged. + if not ldversion or not abiflags or not ldversion.endswith(abiflags): + yield from parts + return + + # Strip sys.abiflags from LDVERSION-based path components. + for part in parts: + if part.endswith(ldversion): + part = part[: (0 - len(abiflags))] + yield part + + +@functools.lru_cache(maxsize=None) +def _warn_mismatched(old: pathlib.Path, new: pathlib.Path, *, key: str) -> None: + issue_url = "https://github.com/pypa/pip/issues/10151" + message = ( + "Value for %s does not match. Please report this to <%s>" + "\ndistutils: %s" + "\nsysconfig: %s" + ) + logger.log(_MISMATCH_LEVEL, message, key, issue_url, old, new) + + +def _warn_if_mismatch(old: pathlib.Path, new: pathlib.Path, *, key: str) -> bool: + if old == new: + return False + _warn_mismatched(old, new, key=key) + return True + + +@functools.lru_cache(maxsize=None) +def _log_context( + *, + user: bool = False, + home: Optional[str] = None, + root: Optional[str] = None, + prefix: Optional[str] = None, +) -> None: + parts = [ + "Additional context:", + "user = %r", + "home = %r", + "root = %r", + "prefix = %r", + ] + + logger.log(_MISMATCH_LEVEL, "\n".join(parts), user, home, root, prefix) + + +def get_scheme( + dist_name: str, + user: bool = False, + home: Optional[str] = None, + root: Optional[str] = None, + isolated: bool = False, + prefix: Optional[str] = None, +) -> Scheme: + new = _sysconfig.get_scheme( + dist_name, + user=user, + home=home, + root=root, + isolated=isolated, + prefix=prefix, + ) + if _USE_SYSCONFIG: + return new + + old = _distutils.get_scheme( + dist_name, + user=user, + home=home, + root=root, + isolated=isolated, + prefix=prefix, + ) + + warning_contexts = [] + for k in SCHEME_KEYS: + old_v = pathlib.Path(getattr(old, k)) + new_v = pathlib.Path(getattr(new, k)) + + if old_v == new_v: + continue + + # distutils incorrectly put PyPy packages under ``site-packages/python`` + # in the ``posix_home`` scheme, but PyPy devs said they expect the + # directory name to be ``pypy`` instead. So we treat this as a bug fix + # and not warn about it. See bpo-43307 and python/cpython#24628. + skip_pypy_special_case = ( + sys.implementation.name == "pypy" + and home is not None + and k in ("platlib", "purelib") + and old_v.parent == new_v.parent + and old_v.name.startswith("python") + and new_v.name.startswith("pypy") + ) + if skip_pypy_special_case: + continue + + # sysconfig's ``osx_framework_user`` does not include ``pythonX.Y`` in + # the ``include`` value, but distutils's ``headers`` does. We'll let + # CPython decide whether this is a bug or feature. See bpo-43948. + skip_osx_framework_user_special_case = ( + user + and is_osx_framework() + and k == "headers" + and old_v.parent.parent == new_v.parent + and old_v.parent.name.startswith("python") + ) + if skip_osx_framework_user_special_case: + continue + + # On Red Hat and derived Linux distributions, distutils is patched to + # use "lib64" instead of "lib" for platlib. + if k == "platlib" and _looks_like_red_hat_lib(): + continue + + # On Python 3.9+, sysconfig's posix_user scheme sets platlib against + # sys.platlibdir, but distutils's unix_user incorrectly coninutes + # using the same $usersite for both platlib and purelib. This creates a + # mismatch when sys.platlibdir is not "lib". + skip_bpo_44860 = ( + user + and k == "platlib" + and not WINDOWS + and sys.version_info >= (3, 9) + and _PLATLIBDIR != "lib" + and _looks_like_bpo_44860() + ) + if skip_bpo_44860: + continue + + # Both Debian and Red Hat patch Python to place the system site under + # /usr/local instead of /usr. Debian also places lib in dist-packages + # instead of site-packages, but the /usr/local check should cover it. + skip_linux_system_special_case = ( + not (user or home or prefix or running_under_virtualenv()) + and old_v.parts[1:3] == ("usr", "local") + and len(new_v.parts) > 1 + and new_v.parts[1] == "usr" + and (len(new_v.parts) < 3 or new_v.parts[2] != "local") + and (_looks_like_red_hat_scheme() or _looks_like_debian_scheme()) + ) + if skip_linux_system_special_case: + continue + + # On Python 3.7 and earlier, sysconfig does not include sys.abiflags in + # the "pythonX.Y" part of the path, but distutils does. + skip_sysconfig_abiflag_bug = ( + sys.version_info < (3, 8) + and not WINDOWS + and k in ("headers", "platlib", "purelib") + and tuple(_fix_abiflags(old_v.parts)) == new_v.parts + ) + if skip_sysconfig_abiflag_bug: + continue + + # MSYS2 MINGW's sysconfig patch does not include the "site-packages" + # part of the path. This is incorrect and will be fixed in MSYS. + skip_msys2_mingw_bug = ( + WINDOWS and k in ("platlib", "purelib") and _looks_like_msys2_mingw_scheme() + ) + if skip_msys2_mingw_bug: + continue + + # CPython's POSIX install script invokes pip (via ensurepip) against the + # interpreter located in the source tree, not the install site. This + # triggers special logic in sysconfig that's not present in distutils. + # https://github.com/python/cpython/blob/8c21941ddaf/Lib/sysconfig.py#L178-L194 + skip_cpython_build = ( + sysconfig.is_python_build(check_home=True) + and not WINDOWS + and k in ("headers", "include", "platinclude") + ) + if skip_cpython_build: + continue + + warning_contexts.append((old_v, new_v, f"scheme.{k}")) + + if not warning_contexts: + return old + + # Check if this path mismatch is caused by distutils config files. Those + # files will no longer work once we switch to sysconfig, so this raises a + # deprecation message for them. + default_old = _distutils.distutils_scheme( + dist_name, + user, + home, + root, + isolated, + prefix, + ignore_config_files=True, + ) + if any(default_old[k] != getattr(old, k) for k in SCHEME_KEYS): + deprecated( + reason=( + "Configuring installation scheme with distutils config files " + "is deprecated and will no longer work in the near future. If you " + "are using a Homebrew or Linuxbrew Python, please see discussion " + "at https://github.com/Homebrew/homebrew-core/issues/76621" + ), + replacement=None, + gone_in=None, + ) + return old + + # Post warnings about this mismatch so user can report them back. + for old_v, new_v, key in warning_contexts: + _warn_mismatched(old_v, new_v, key=key) + _log_context(user=user, home=home, root=root, prefix=prefix) + + return old + + +def get_bin_prefix() -> str: + new = _sysconfig.get_bin_prefix() + if _USE_SYSCONFIG: + return new + + old = _distutils.get_bin_prefix() + if _warn_if_mismatch(pathlib.Path(old), pathlib.Path(new), key="bin_prefix"): + _log_context() + return old + + +def get_bin_user() -> str: + return _sysconfig.get_scheme("", user=True).scripts + + +def _looks_like_deb_system_dist_packages(value: str) -> bool: + """Check if the value is Debian's APT-controlled dist-packages. + + Debian's ``distutils.sysconfig.get_python_lib()`` implementation returns the + default package path controlled by APT, but does not patch ``sysconfig`` to + do the same. This is similar to the bug worked around in ``get_scheme()``, + but here the default is ``deb_system`` instead of ``unix_local``. Ultimately + we can't do anything about this Debian bug, and this detection allows us to + skip the warning when needed. + """ + if not _looks_like_debian_scheme(): + return False + if value == "/usr/lib/python3/dist-packages": + return True + return False + + +def get_purelib() -> str: + """Return the default pure-Python lib location.""" + new = _sysconfig.get_purelib() + if _USE_SYSCONFIG: + return new + + old = _distutils.get_purelib() + if _looks_like_deb_system_dist_packages(old): + return old + if _warn_if_mismatch(pathlib.Path(old), pathlib.Path(new), key="purelib"): + _log_context() + return old + + +def get_platlib() -> str: + """Return the default platform-shared lib location.""" + new = _sysconfig.get_platlib() + if _USE_SYSCONFIG: + return new + + old = _distutils.get_platlib() + if _looks_like_deb_system_dist_packages(old): + return old + if _warn_if_mismatch(pathlib.Path(old), pathlib.Path(new), key="platlib"): + _log_context() + return old + + +def _deduplicated(v1: str, v2: str) -> List[str]: + """Deduplicate values from a list.""" + if v1 == v2: + return [v1] + return [v1, v2] + + +def get_prefixed_libs(prefix: str) -> List[str]: + """Return the lib locations under ``prefix``.""" + new_pure, new_plat = _sysconfig.get_prefixed_libs(prefix) + if _USE_SYSCONFIG: + return _deduplicated(new_pure, new_plat) + + old_pure, old_plat = _distutils.get_prefixed_libs(prefix) + + warned = [ + _warn_if_mismatch( + pathlib.Path(old_pure), + pathlib.Path(new_pure), + key="prefixed-purelib", + ), + _warn_if_mismatch( + pathlib.Path(old_plat), + pathlib.Path(new_plat), + key="prefixed-platlib", + ), + ] + if any(warned): + _log_context(prefix=prefix) + + return _deduplicated(old_pure, old_plat) diff --git a/venv/Lib/site-packages/pip/_internal/locations/_distutils.py b/venv/Lib/site-packages/pip/_internal/locations/_distutils.py new file mode 100644 index 0000000..2ec79e6 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/locations/_distutils.py @@ -0,0 +1,169 @@ +"""Locations where we look for configs, install stuff, etc""" + +# The following comment should be removed at some point in the future. +# mypy: strict-optional=False + +import logging +import os +import sys +from distutils.cmd import Command as DistutilsCommand +from distutils.command.install import SCHEME_KEYS +from distutils.command.install import install as distutils_install_command +from distutils.sysconfig import get_python_lib +from typing import Dict, List, Optional, Tuple, Union, cast + +from pip._internal.models.scheme import Scheme +from pip._internal.utils.compat import WINDOWS +from pip._internal.utils.virtualenv import running_under_virtualenv + +from .base import get_major_minor_version + +logger = logging.getLogger(__name__) + + +def distutils_scheme( + dist_name: str, + user: bool = False, + home: str = None, + root: str = None, + isolated: bool = False, + prefix: str = None, + *, + ignore_config_files: bool = False, +) -> Dict[str, str]: + """ + Return a distutils install scheme + """ + from distutils.dist import Distribution + + dist_args: Dict[str, Union[str, List[str]]] = {"name": dist_name} + if isolated: + dist_args["script_args"] = ["--no-user-cfg"] + + d = Distribution(dist_args) + if not ignore_config_files: + try: + d.parse_config_files() + except UnicodeDecodeError: + # Typeshed does not include find_config_files() for some reason. + paths = d.find_config_files() # type: ignore + logger.warning( + "Ignore distutils configs in %s due to encoding errors.", + ", ".join(os.path.basename(p) for p in paths), + ) + obj: Optional[DistutilsCommand] = None + obj = d.get_command_obj("install", create=True) + assert obj is not None + i = cast(distutils_install_command, obj) + # NOTE: setting user or home has the side-effect of creating the home dir + # or user base for installations during finalize_options() + # ideally, we'd prefer a scheme class that has no side-effects. + assert not (user and prefix), f"user={user} prefix={prefix}" + assert not (home and prefix), f"home={home} prefix={prefix}" + i.user = user or i.user + if user or home: + i.prefix = "" + i.prefix = prefix or i.prefix + i.home = home or i.home + i.root = root or i.root + i.finalize_options() + + scheme = {} + for key in SCHEME_KEYS: + scheme[key] = getattr(i, "install_" + key) + + # install_lib specified in setup.cfg should install *everything* + # into there (i.e. it takes precedence over both purelib and + # platlib). Note, i.install_lib is *always* set after + # finalize_options(); we only want to override here if the user + # has explicitly requested it hence going back to the config + if "install_lib" in d.get_option_dict("install"): + scheme.update(dict(purelib=i.install_lib, platlib=i.install_lib)) + + if running_under_virtualenv(): + if home: + prefix = home + elif user: + prefix = i.install_userbase # type: ignore + else: + prefix = i.prefix + scheme["headers"] = os.path.join( + prefix, + "include", + "site", + f"python{get_major_minor_version()}", + dist_name, + ) + + if root is not None: + path_no_drive = os.path.splitdrive(os.path.abspath(scheme["headers"]))[1] + scheme["headers"] = os.path.join(root, path_no_drive[1:]) + + return scheme + + +def get_scheme( + dist_name: str, + user: bool = False, + home: Optional[str] = None, + root: Optional[str] = None, + isolated: bool = False, + prefix: Optional[str] = None, +) -> Scheme: + """ + Get the "scheme" corresponding to the input parameters. The distutils + documentation provides the context for the available schemes: + https://docs.python.org/3/install/index.html#alternate-installation + + :param dist_name: the name of the package to retrieve the scheme for, used + in the headers scheme path + :param user: indicates to use the "user" scheme + :param home: indicates to use the "home" scheme and provides the base + directory for the same + :param root: root under which other directories are re-based + :param isolated: equivalent to --no-user-cfg, i.e. do not consider + ~/.pydistutils.cfg (posix) or ~/pydistutils.cfg (non-posix) for + scheme paths + :param prefix: indicates to use the "prefix" scheme and provides the + base directory for the same + """ + scheme = distutils_scheme(dist_name, user, home, root, isolated, prefix) + return Scheme( + platlib=scheme["platlib"], + purelib=scheme["purelib"], + headers=scheme["headers"], + scripts=scheme["scripts"], + data=scheme["data"], + ) + + +def get_bin_prefix() -> str: + # XXX: In old virtualenv versions, sys.prefix can contain '..' components, + # so we need to call normpath to eliminate them. + prefix = os.path.normpath(sys.prefix) + if WINDOWS: + bin_py = os.path.join(prefix, "Scripts") + # buildout uses 'bin' on Windows too? + if not os.path.exists(bin_py): + bin_py = os.path.join(prefix, "bin") + return bin_py + # Forcing to use /usr/local/bin for standard macOS framework installs + # Also log to ~/Library/Logs/ for use with the Console.app log viewer + if sys.platform[:6] == "darwin" and prefix[:16] == "/System/Library/": + return "/usr/local/bin" + return os.path.join(prefix, "bin") + + +def get_purelib() -> str: + return get_python_lib(plat_specific=False) + + +def get_platlib() -> str: + return get_python_lib(plat_specific=True) + + +def get_prefixed_libs(prefix: str) -> Tuple[str, str]: + return ( + get_python_lib(plat_specific=False, prefix=prefix), + get_python_lib(plat_specific=True, prefix=prefix), + ) diff --git a/venv/Lib/site-packages/pip/_internal/locations/_sysconfig.py b/venv/Lib/site-packages/pip/_internal/locations/_sysconfig.py new file mode 100644 index 0000000..5e141aa --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/locations/_sysconfig.py @@ -0,0 +1,219 @@ +import distutils.util # FIXME: For change_root. +import logging +import os +import sys +import sysconfig +import typing + +from pip._internal.exceptions import InvalidSchemeCombination, UserInstallationInvalid +from pip._internal.models.scheme import SCHEME_KEYS, Scheme +from pip._internal.utils.virtualenv import running_under_virtualenv + +from .base import get_major_minor_version, is_osx_framework + +logger = logging.getLogger(__name__) + + +# Notes on _infer_* functions. +# Unfortunately ``get_default_scheme()`` didn't exist before 3.10, so there's no +# way to ask things like "what is the '_prefix' scheme on this platform". These +# functions try to answer that with some heuristics while accounting for ad-hoc +# platforms not covered by CPython's default sysconfig implementation. If the +# ad-hoc implementation does not fully implement sysconfig, we'll fall back to +# a POSIX scheme. + +_AVAILABLE_SCHEMES = set(sysconfig.get_scheme_names()) + +_PREFERRED_SCHEME_API = getattr(sysconfig, "get_preferred_scheme", None) + + +def _should_use_osx_framework_prefix() -> bool: + """Check for Apple's ``osx_framework_library`` scheme. + + Python distributed by Apple's Command Line Tools has this special scheme + that's used when: + + * This is a framework build. + * We are installing into the system prefix. + + This does not account for ``pip install --prefix`` (also means we're not + installing to the system prefix), which should use ``posix_prefix``, but + logic here means ``_infer_prefix()`` outputs ``osx_framework_library``. But + since ``prefix`` is not available for ``sysconfig.get_default_scheme()``, + which is the stdlib replacement for ``_infer_prefix()``, presumably Apple + wouldn't be able to magically switch between ``osx_framework_library`` and + ``posix_prefix``. ``_infer_prefix()`` returning ``osx_framework_library`` + means its behavior is consistent whether we use the stdlib implementation + or our own, and we deal with this special case in ``get_scheme()`` instead. + """ + return ( + "osx_framework_library" in _AVAILABLE_SCHEMES + and not running_under_virtualenv() + and is_osx_framework() + ) + + +def _infer_prefix() -> str: + """Try to find a prefix scheme for the current platform. + + This tries: + + * A special ``osx_framework_library`` for Python distributed by Apple's + Command Line Tools, when not running in a virtual environment. + * Implementation + OS, used by PyPy on Windows (``pypy_nt``). + * Implementation without OS, used by PyPy on POSIX (``pypy``). + * OS + "prefix", used by CPython on POSIX (``posix_prefix``). + * Just the OS name, used by CPython on Windows (``nt``). + + If none of the above works, fall back to ``posix_prefix``. + """ + if _PREFERRED_SCHEME_API: + return _PREFERRED_SCHEME_API("prefix") + if _should_use_osx_framework_prefix(): + return "osx_framework_library" + implementation_suffixed = f"{sys.implementation.name}_{os.name}" + if implementation_suffixed in _AVAILABLE_SCHEMES: + return implementation_suffixed + if sys.implementation.name in _AVAILABLE_SCHEMES: + return sys.implementation.name + suffixed = f"{os.name}_prefix" + if suffixed in _AVAILABLE_SCHEMES: + return suffixed + if os.name in _AVAILABLE_SCHEMES: # On Windows, prefx is just called "nt". + return os.name + return "posix_prefix" + + +def _infer_user() -> str: + """Try to find a user scheme for the current platform.""" + if _PREFERRED_SCHEME_API: + return _PREFERRED_SCHEME_API("user") + if is_osx_framework() and not running_under_virtualenv(): + suffixed = "osx_framework_user" + else: + suffixed = f"{os.name}_user" + if suffixed in _AVAILABLE_SCHEMES: + return suffixed + if "posix_user" not in _AVAILABLE_SCHEMES: # User scheme unavailable. + raise UserInstallationInvalid() + return "posix_user" + + +def _infer_home() -> str: + """Try to find a home for the current platform.""" + if _PREFERRED_SCHEME_API: + return _PREFERRED_SCHEME_API("home") + suffixed = f"{os.name}_home" + if suffixed in _AVAILABLE_SCHEMES: + return suffixed + return "posix_home" + + +# Update these keys if the user sets a custom home. +_HOME_KEYS = [ + "installed_base", + "base", + "installed_platbase", + "platbase", + "prefix", + "exec_prefix", +] +if sysconfig.get_config_var("userbase") is not None: + _HOME_KEYS.append("userbase") + + +def get_scheme( + dist_name: str, + user: bool = False, + home: typing.Optional[str] = None, + root: typing.Optional[str] = None, + isolated: bool = False, + prefix: typing.Optional[str] = None, +) -> Scheme: + """ + Get the "scheme" corresponding to the input parameters. + + :param dist_name: the name of the package to retrieve the scheme for, used + in the headers scheme path + :param user: indicates to use the "user" scheme + :param home: indicates to use the "home" scheme + :param root: root under which other directories are re-based + :param isolated: ignored, but kept for distutils compatibility (where + this controls whether the user-site pydistutils.cfg is honored) + :param prefix: indicates to use the "prefix" scheme and provides the + base directory for the same + """ + if user and prefix: + raise InvalidSchemeCombination("--user", "--prefix") + if home and prefix: + raise InvalidSchemeCombination("--home", "--prefix") + + if home is not None: + scheme_name = _infer_home() + elif user: + scheme_name = _infer_user() + else: + scheme_name = _infer_prefix() + + # Special case: When installing into a custom prefix, use posix_prefix + # instead of osx_framework_library. See _should_use_osx_framework_prefix() + # docstring for details. + if prefix is not None and scheme_name == "osx_framework_library": + scheme_name = "posix_prefix" + + if home is not None: + variables = {k: home for k in _HOME_KEYS} + elif prefix is not None: + variables = {k: prefix for k in _HOME_KEYS} + else: + variables = {} + + paths = sysconfig.get_paths(scheme=scheme_name, vars=variables) + + # Logic here is very arbitrary, we're doing it for compatibility, don't ask. + # 1. Pip historically uses a special header path in virtual environments. + # 2. If the distribution name is not known, distutils uses 'UNKNOWN'. We + # only do the same when not running in a virtual environment because + # pip's historical header path logic (see point 1) did not do this. + if running_under_virtualenv(): + if user: + base = variables.get("userbase", sys.prefix) + else: + base = variables.get("base", sys.prefix) + python_xy = f"python{get_major_minor_version()}" + paths["include"] = os.path.join(base, "include", "site", python_xy) + elif not dist_name: + dist_name = "UNKNOWN" + + scheme = Scheme( + platlib=paths["platlib"], + purelib=paths["purelib"], + headers=os.path.join(paths["include"], dist_name), + scripts=paths["scripts"], + data=paths["data"], + ) + if root is not None: + for key in SCHEME_KEYS: + value = distutils.util.change_root(root, getattr(scheme, key)) + setattr(scheme, key, value) + return scheme + + +def get_bin_prefix() -> str: + # Forcing to use /usr/local/bin for standard macOS framework installs. + if sys.platform[:6] == "darwin" and sys.prefix[:16] == "/System/Library/": + return "/usr/local/bin" + return sysconfig.get_paths()["scripts"] + + +def get_purelib() -> str: + return sysconfig.get_paths()["purelib"] + + +def get_platlib() -> str: + return sysconfig.get_paths()["platlib"] + + +def get_prefixed_libs(prefix: str) -> typing.Tuple[str, str]: + paths = sysconfig.get_paths(vars={"base": prefix, "platbase": prefix}) + return (paths["purelib"], paths["platlib"]) diff --git a/venv/Lib/site-packages/pip/_internal/locations/base.py b/venv/Lib/site-packages/pip/_internal/locations/base.py new file mode 100644 index 0000000..86dad4a --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/locations/base.py @@ -0,0 +1,52 @@ +import functools +import os +import site +import sys +import sysconfig +import typing + +from pip._internal.utils import appdirs +from pip._internal.utils.virtualenv import running_under_virtualenv + +# Application Directories +USER_CACHE_DIR = appdirs.user_cache_dir("pip") + +# FIXME doesn't account for venv linked to global site-packages +site_packages: typing.Optional[str] = sysconfig.get_path("purelib") + + +def get_major_minor_version() -> str: + """ + Return the major-minor version of the current Python as a string, e.g. + "3.7" or "3.10". + """ + return "{}.{}".format(*sys.version_info) + + +def get_src_prefix() -> str: + if running_under_virtualenv(): + src_prefix = os.path.join(sys.prefix, "src") + else: + # FIXME: keep src in cwd for now (it is not a temporary folder) + try: + src_prefix = os.path.join(os.getcwd(), "src") + except OSError: + # In case the current working directory has been renamed or deleted + sys.exit("The folder you are executing pip from can no longer be found.") + + # under macOS + virtualenv sys.prefix is not properly resolved + # it is something like /path/to/python/bin/.. + return os.path.abspath(src_prefix) + + +try: + # Use getusersitepackages if this is present, as it ensures that the + # value is initialised properly. + user_site: typing.Optional[str] = site.getusersitepackages() +except AttributeError: + user_site = site.USER_SITE + + +@functools.lru_cache(maxsize=None) +def is_osx_framework() -> bool: + return bool(sysconfig.get_config_var("PYTHONFRAMEWORK")) diff --git a/venv/Lib/site-packages/pip/_internal/main.py b/venv/Lib/site-packages/pip/_internal/main.py new file mode 100644 index 0000000..33c6d24 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/main.py @@ -0,0 +1,12 @@ +from typing import List, Optional + + +def main(args: Optional[List[str]] = None) -> int: + """This is preserved for old console scripts that may still be referencing + it. + + For additional details, see https://github.com/pypa/pip/issues/7498. + """ + from pip._internal.utils.entrypoints import _wrapper + + return _wrapper(args) diff --git a/venv/Lib/site-packages/pip/_internal/metadata/__init__.py b/venv/Lib/site-packages/pip/_internal/metadata/__init__.py new file mode 100644 index 0000000..f4f2a4f --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/metadata/__init__.py @@ -0,0 +1,51 @@ +from typing import List, Optional + +from .base import BaseDistribution, BaseEnvironment, FilesystemWheel, MemoryWheel, Wheel + +__all__ = [ + "BaseDistribution", + "BaseEnvironment", + "FilesystemWheel", + "MemoryWheel", + "Wheel", + "get_default_environment", + "get_environment", + "get_wheel_distribution", +] + + +def get_default_environment() -> BaseEnvironment: + """Get the default representation for the current environment. + + This returns an Environment instance from the chosen backend. The default + Environment instance should be built from ``sys.path`` and may use caching + to share instance state accorss calls. + """ + from .pkg_resources import Environment + + return Environment.default() + + +def get_environment(paths: Optional[List[str]]) -> BaseEnvironment: + """Get a representation of the environment specified by ``paths``. + + This returns an Environment instance from the chosen backend based on the + given import paths. The backend must build a fresh instance representing + the state of installed distributions when this function is called. + """ + from .pkg_resources import Environment + + return Environment.from_paths(paths) + + +def get_wheel_distribution(wheel: Wheel, canonical_name: str) -> BaseDistribution: + """Get the representation of the specified wheel's distribution metadata. + + This returns a Distribution instance from the chosen backend based on + the given wheel's ``.dist-info`` directory. + + :param canonical_name: Normalized project name of the given wheel. + """ + from .pkg_resources import Distribution + + return Distribution.from_wheel(wheel, canonical_name) diff --git a/venv/Lib/site-packages/pip/_internal/metadata/base.py b/venv/Lib/site-packages/pip/_internal/metadata/base.py new file mode 100644 index 0000000..4788360 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/metadata/base.py @@ -0,0 +1,330 @@ +import email.message +import json +import logging +import re +import zipfile +from typing import ( + IO, + TYPE_CHECKING, + Collection, + Container, + Iterable, + Iterator, + List, + Optional, + Union, +) + +from pip._vendor.packaging.requirements import Requirement +from pip._vendor.packaging.specifiers import InvalidSpecifier, SpecifierSet +from pip._vendor.packaging.utils import NormalizedName +from pip._vendor.packaging.version import LegacyVersion, Version + +from pip._internal.models.direct_url import ( + DIRECT_URL_METADATA_NAME, + DirectUrl, + DirectUrlValidationError, +) +from pip._internal.utils.compat import stdlib_pkgs # TODO: Move definition here. +from pip._internal.utils.egg_link import egg_link_path_from_sys_path +from pip._internal.utils.urls import url_to_path + +if TYPE_CHECKING: + from typing import Protocol +else: + Protocol = object + +DistributionVersion = Union[LegacyVersion, Version] + +logger = logging.getLogger(__name__) + + +class BaseEntryPoint(Protocol): + @property + def name(self) -> str: + raise NotImplementedError() + + @property + def value(self) -> str: + raise NotImplementedError() + + @property + def group(self) -> str: + raise NotImplementedError() + + +class BaseDistribution(Protocol): + def __repr__(self) -> str: + return f"{self.raw_name} {self.version} ({self.location})" + + def __str__(self) -> str: + return f"{self.raw_name} {self.version}" + + @property + def location(self) -> Optional[str]: + """Where the distribution is loaded from. + + A string value is not necessarily a filesystem path, since distributions + can be loaded from other sources, e.g. arbitrary zip archives. ``None`` + means the distribution is created in-memory. + + Do not canonicalize this value with e.g. ``pathlib.Path.resolve()``. If + this is a symbolic link, we want to preserve the relative path between + it and files in the distribution. + """ + raise NotImplementedError() + + @property + def editable_project_location(self) -> Optional[str]: + """The project location for editable distributions. + + This is the directory where pyproject.toml or setup.py is located. + None if the distribution is not installed in editable mode. + """ + # TODO: this property is relatively costly to compute, memoize it ? + direct_url = self.direct_url + if direct_url: + if direct_url.is_local_editable(): + return url_to_path(direct_url.url) + else: + # Search for an .egg-link file by walking sys.path, as it was + # done before by dist_is_editable(). + egg_link_path = egg_link_path_from_sys_path(self.raw_name) + if egg_link_path: + # TODO: get project location from second line of egg_link file + # (https://github.com/pypa/pip/issues/10243) + return self.location + return None + + @property + def info_directory(self) -> Optional[str]: + """Location of the .[egg|dist]-info directory. + + Similarly to ``location``, a string value is not necessarily a + filesystem path. ``None`` means the distribution is created in-memory. + + For a modern .dist-info installation on disk, this should be something + like ``{location}/{raw_name}-{version}.dist-info``. + + Do not canonicalize this value with e.g. ``pathlib.Path.resolve()``. If + this is a symbolic link, we want to preserve the relative path between + it and other files in the distribution. + """ + raise NotImplementedError() + + @property + def canonical_name(self) -> NormalizedName: + raise NotImplementedError() + + @property + def version(self) -> DistributionVersion: + raise NotImplementedError() + + @property + def direct_url(self) -> Optional[DirectUrl]: + """Obtain a DirectUrl from this distribution. + + Returns None if the distribution has no `direct_url.json` metadata, + or if `direct_url.json` is invalid. + """ + try: + content = self.read_text(DIRECT_URL_METADATA_NAME) + except FileNotFoundError: + return None + try: + return DirectUrl.from_json(content) + except ( + UnicodeDecodeError, + json.JSONDecodeError, + DirectUrlValidationError, + ) as e: + logger.warning( + "Error parsing %s for %s: %s", + DIRECT_URL_METADATA_NAME, + self.canonical_name, + e, + ) + return None + + @property + def installer(self) -> str: + raise NotImplementedError() + + @property + def editable(self) -> bool: + return bool(self.editable_project_location) + + @property + def local(self) -> bool: + raise NotImplementedError() + + @property + def in_usersite(self) -> bool: + raise NotImplementedError() + + @property + def in_site_packages(self) -> bool: + raise NotImplementedError() + + def read_text(self, name: str) -> str: + """Read a file in the .dist-info (or .egg-info) directory. + + Should raise ``FileNotFoundError`` if ``name`` does not exist in the + metadata directory. + """ + raise NotImplementedError() + + def iter_entry_points(self) -> Iterable[BaseEntryPoint]: + raise NotImplementedError() + + @property + def metadata(self) -> email.message.Message: + """Metadata of distribution parsed from e.g. METADATA or PKG-INFO.""" + raise NotImplementedError() + + @property + def metadata_version(self) -> Optional[str]: + """Value of "Metadata-Version:" in distribution metadata, if available.""" + return self.metadata.get("Metadata-Version") + + @property + def raw_name(self) -> str: + """Value of "Name:" in distribution metadata.""" + # The metadata should NEVER be missing the Name: key, but if it somehow + # does, fall back to the known canonical name. + return self.metadata.get("Name", self.canonical_name) + + @property + def requires_python(self) -> SpecifierSet: + """Value of "Requires-Python:" in distribution metadata. + + If the key does not exist or contains an invalid value, an empty + SpecifierSet should be returned. + """ + value = self.metadata.get("Requires-Python") + if value is None: + return SpecifierSet() + try: + # Convert to str to satisfy the type checker; this can be a Header object. + spec = SpecifierSet(str(value)) + except InvalidSpecifier as e: + message = "Package %r has an invalid Requires-Python: %s" + logger.warning(message, self.raw_name, e) + return SpecifierSet() + return spec + + def iter_dependencies(self, extras: Collection[str] = ()) -> Iterable[Requirement]: + """Dependencies of this distribution. + + For modern .dist-info distributions, this is the collection of + "Requires-Dist:" entries in distribution metadata. + """ + raise NotImplementedError() + + def iter_provided_extras(self) -> Iterable[str]: + """Extras provided by this distribution. + + For modern .dist-info distributions, this is the collection of + "Provides-Extra:" entries in distribution metadata. + """ + raise NotImplementedError() + + +class BaseEnvironment: + """An environment containing distributions to introspect.""" + + @classmethod + def default(cls) -> "BaseEnvironment": + raise NotImplementedError() + + @classmethod + def from_paths(cls, paths: Optional[List[str]]) -> "BaseEnvironment": + raise NotImplementedError() + + def get_distribution(self, name: str) -> Optional["BaseDistribution"]: + """Given a requirement name, return the installed distributions.""" + raise NotImplementedError() + + def _iter_distributions(self) -> Iterator["BaseDistribution"]: + """Iterate through installed distributions. + + This function should be implemented by subclass, but never called + directly. Use the public ``iter_distribution()`` instead, which + implements additional logic to make sure the distributions are valid. + """ + raise NotImplementedError() + + def iter_distributions(self) -> Iterator["BaseDistribution"]: + """Iterate through installed distributions.""" + for dist in self._iter_distributions(): + # Make sure the distribution actually comes from a valid Python + # packaging distribution. Pip's AdjacentTempDirectory leaves folders + # e.g. ``~atplotlib.dist-info`` if cleanup was interrupted. The + # valid project name pattern is taken from PEP 508. + project_name_valid = re.match( + r"^([A-Z0-9]|[A-Z0-9][A-Z0-9._-]*[A-Z0-9])$", + dist.canonical_name, + flags=re.IGNORECASE, + ) + if not project_name_valid: + logger.warning( + "Ignoring invalid distribution %s (%s)", + dist.canonical_name, + dist.location, + ) + continue + yield dist + + def iter_installed_distributions( + self, + local_only: bool = True, + skip: Container[str] = stdlib_pkgs, + include_editables: bool = True, + editables_only: bool = False, + user_only: bool = False, + ) -> Iterator[BaseDistribution]: + """Return a list of installed distributions. + + :param local_only: If True (default), only return installations + local to the current virtualenv, if in a virtualenv. + :param skip: An iterable of canonicalized project names to ignore; + defaults to ``stdlib_pkgs``. + :param include_editables: If False, don't report editables. + :param editables_only: If True, only report editables. + :param user_only: If True, only report installations in the user + site directory. + """ + it = self.iter_distributions() + if local_only: + it = (d for d in it if d.local) + if not include_editables: + it = (d for d in it if not d.editable) + if editables_only: + it = (d for d in it if d.editable) + if user_only: + it = (d for d in it if d.in_usersite) + return (d for d in it if d.canonical_name not in skip) + + +class Wheel(Protocol): + location: str + + def as_zipfile(self) -> zipfile.ZipFile: + raise NotImplementedError() + + +class FilesystemWheel(Wheel): + def __init__(self, location: str) -> None: + self.location = location + + def as_zipfile(self) -> zipfile.ZipFile: + return zipfile.ZipFile(self.location, allowZip64=True) + + +class MemoryWheel(Wheel): + def __init__(self, location: str, stream: IO[bytes]) -> None: + self.location = location + self.stream = stream + + def as_zipfile(self) -> zipfile.ZipFile: + return zipfile.ZipFile(self.stream, allowZip64=True) diff --git a/venv/Lib/site-packages/pip/_internal/metadata/pkg_resources.py b/venv/Lib/site-packages/pip/_internal/metadata/pkg_resources.py new file mode 100644 index 0000000..e8a8a38 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/metadata/pkg_resources.py @@ -0,0 +1,146 @@ +import email.message +import logging +from typing import Collection, Iterable, Iterator, List, NamedTuple, Optional + +from pip._vendor import pkg_resources +from pip._vendor.packaging.requirements import Requirement +from pip._vendor.packaging.utils import NormalizedName, canonicalize_name +from pip._vendor.packaging.version import parse as parse_version + +from pip._internal.utils import misc # TODO: Move definition here. +from pip._internal.utils.packaging import get_installer, get_metadata +from pip._internal.utils.wheel import pkg_resources_distribution_for_wheel + +from .base import ( + BaseDistribution, + BaseEntryPoint, + BaseEnvironment, + DistributionVersion, + Wheel, +) + +logger = logging.getLogger(__name__) + + +class EntryPoint(NamedTuple): + name: str + value: str + group: str + + +class Distribution(BaseDistribution): + def __init__(self, dist: pkg_resources.Distribution) -> None: + self._dist = dist + + @classmethod + def from_wheel(cls, wheel: Wheel, name: str) -> "Distribution": + with wheel.as_zipfile() as zf: + dist = pkg_resources_distribution_for_wheel(zf, name, wheel.location) + return cls(dist) + + @property + def location(self) -> Optional[str]: + return self._dist.location + + @property + def info_directory(self) -> Optional[str]: + return self._dist.egg_info + + @property + def canonical_name(self) -> NormalizedName: + return canonicalize_name(self._dist.project_name) + + @property + def version(self) -> DistributionVersion: + return parse_version(self._dist.version) + + @property + def installer(self) -> str: + return get_installer(self._dist) + + @property + def local(self) -> bool: + return misc.dist_is_local(self._dist) + + @property + def in_usersite(self) -> bool: + return misc.dist_in_usersite(self._dist) + + @property + def in_site_packages(self) -> bool: + return misc.dist_in_site_packages(self._dist) + + def read_text(self, name: str) -> str: + if not self._dist.has_metadata(name): + raise FileNotFoundError(name) + return self._dist.get_metadata(name) + + def iter_entry_points(self) -> Iterable[BaseEntryPoint]: + for group, entries in self._dist.get_entry_map().items(): + for name, entry_point in entries.items(): + name, _, value = str(entry_point).partition("=") + yield EntryPoint(name=name.strip(), value=value.strip(), group=group) + + @property + def metadata(self) -> email.message.Message: + return get_metadata(self._dist) + + def iter_dependencies(self, extras: Collection[str] = ()) -> Iterable[Requirement]: + if extras: # pkg_resources raises on invalid extras, so we sanitize. + extras = frozenset(extras).intersection(self._dist.extras) + return self._dist.requires(extras) + + def iter_provided_extras(self) -> Iterable[str]: + return self._dist.extras + + +class Environment(BaseEnvironment): + def __init__(self, ws: pkg_resources.WorkingSet) -> None: + self._ws = ws + + @classmethod + def default(cls) -> BaseEnvironment: + return cls(pkg_resources.working_set) + + @classmethod + def from_paths(cls, paths: Optional[List[str]]) -> BaseEnvironment: + return cls(pkg_resources.WorkingSet(paths)) + + def _search_distribution(self, name: str) -> Optional[BaseDistribution]: + """Find a distribution matching the ``name`` in the environment. + + This searches from *all* distributions available in the environment, to + match the behavior of ``pkg_resources.get_distribution()``. + """ + canonical_name = canonicalize_name(name) + for dist in self.iter_distributions(): + if dist.canonical_name == canonical_name: + return dist + return None + + def get_distribution(self, name: str) -> Optional[BaseDistribution]: + + # Search the distribution by looking through the working set. + dist = self._search_distribution(name) + if dist: + return dist + + # If distribution could not be found, call working_set.require to + # update the working set, and try to find the distribution again. + # This might happen for e.g. when you install a package twice, once + # using setup.py develop and again using setup.py install. Now when + # running pip uninstall twice, the package gets removed from the + # working set in the first uninstall, so we have to populate the + # working set again so that pip knows about it and the packages gets + # picked up and is successfully uninstalled the second time too. + try: + # We didn't pass in any version specifiers, so this can never + # raise pkg_resources.VersionConflict. + self._ws.require(name) + except pkg_resources.DistributionNotFound: + return None + return self._search_distribution(name) + + def _iter_distributions(self) -> Iterator[BaseDistribution]: + for dist in self._ws: + yield Distribution(dist) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/__init__.py b/venv/Lib/site-packages/pip/_internal/models/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/models/__init__.py rename to venv/Lib/site-packages/pip/_internal/models/__init__.py diff --git a/venv/Lib/site-packages/pip/_internal/models/candidate.py b/venv/Lib/site-packages/pip/_internal/models/candidate.py new file mode 100644 index 0000000..a4963ae --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/models/candidate.py @@ -0,0 +1,34 @@ +from pip._vendor.packaging.version import parse as parse_version + +from pip._internal.models.link import Link +from pip._internal.utils.models import KeyBasedCompareMixin + + +class InstallationCandidate(KeyBasedCompareMixin): + """Represents a potential "candidate" for installation.""" + + __slots__ = ["name", "version", "link"] + + def __init__(self, name: str, version: str, link: Link) -> None: + self.name = name + self.version = parse_version(version) + self.link = link + + super().__init__( + key=(self.name, self.version, self.link), + defining_class=InstallationCandidate, + ) + + def __repr__(self) -> str: + return "<InstallationCandidate({!r}, {!r}, {!r})>".format( + self.name, + self.version, + self.link, + ) + + def __str__(self) -> str: + return "{!r} candidate (version {} at {})".format( + self.name, + self.version, + self.link, + ) diff --git a/venv/Lib/site-packages/pip/_internal/models/direct_url.py b/venv/Lib/site-packages/pip/_internal/models/direct_url.py new file mode 100644 index 0000000..92060d4 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/models/direct_url.py @@ -0,0 +1,220 @@ +""" PEP 610 """ +import json +import re +import urllib.parse +from typing import Any, Dict, Iterable, Optional, Type, TypeVar, Union + +__all__ = [ + "DirectUrl", + "DirectUrlValidationError", + "DirInfo", + "ArchiveInfo", + "VcsInfo", +] + +T = TypeVar("T") + +DIRECT_URL_METADATA_NAME = "direct_url.json" +ENV_VAR_RE = re.compile(r"^\$\{[A-Za-z0-9-_]+\}(:\$\{[A-Za-z0-9-_]+\})?$") + + +class DirectUrlValidationError(Exception): + pass + + +def _get( + d: Dict[str, Any], expected_type: Type[T], key: str, default: Optional[T] = None +) -> Optional[T]: + """Get value from dictionary and verify expected type.""" + if key not in d: + return default + value = d[key] + if not isinstance(value, expected_type): + raise DirectUrlValidationError( + "{!r} has unexpected type for {} (expected {})".format( + value, key, expected_type + ) + ) + return value + + +def _get_required( + d: Dict[str, Any], expected_type: Type[T], key: str, default: Optional[T] = None +) -> T: + value = _get(d, expected_type, key, default) + if value is None: + raise DirectUrlValidationError(f"{key} must have a value") + return value + + +def _exactly_one_of(infos: Iterable[Optional["InfoType"]]) -> "InfoType": + infos = [info for info in infos if info is not None] + if not infos: + raise DirectUrlValidationError( + "missing one of archive_info, dir_info, vcs_info" + ) + if len(infos) > 1: + raise DirectUrlValidationError( + "more than one of archive_info, dir_info, vcs_info" + ) + assert infos[0] is not None + return infos[0] + + +def _filter_none(**kwargs: Any) -> Dict[str, Any]: + """Make dict excluding None values.""" + return {k: v for k, v in kwargs.items() if v is not None} + + +class VcsInfo: + name = "vcs_info" + + def __init__( + self, + vcs: str, + commit_id: str, + requested_revision: Optional[str] = None, + resolved_revision: Optional[str] = None, + resolved_revision_type: Optional[str] = None, + ) -> None: + self.vcs = vcs + self.requested_revision = requested_revision + self.commit_id = commit_id + self.resolved_revision = resolved_revision + self.resolved_revision_type = resolved_revision_type + + @classmethod + def _from_dict(cls, d: Optional[Dict[str, Any]]) -> Optional["VcsInfo"]: + if d is None: + return None + return cls( + vcs=_get_required(d, str, "vcs"), + commit_id=_get_required(d, str, "commit_id"), + requested_revision=_get(d, str, "requested_revision"), + resolved_revision=_get(d, str, "resolved_revision"), + resolved_revision_type=_get(d, str, "resolved_revision_type"), + ) + + def _to_dict(self) -> Dict[str, Any]: + return _filter_none( + vcs=self.vcs, + requested_revision=self.requested_revision, + commit_id=self.commit_id, + resolved_revision=self.resolved_revision, + resolved_revision_type=self.resolved_revision_type, + ) + + +class ArchiveInfo: + name = "archive_info" + + def __init__( + self, + hash: Optional[str] = None, + ) -> None: + self.hash = hash + + @classmethod + def _from_dict(cls, d: Optional[Dict[str, Any]]) -> Optional["ArchiveInfo"]: + if d is None: + return None + return cls(hash=_get(d, str, "hash")) + + def _to_dict(self) -> Dict[str, Any]: + return _filter_none(hash=self.hash) + + +class DirInfo: + name = "dir_info" + + def __init__( + self, + editable: bool = False, + ) -> None: + self.editable = editable + + @classmethod + def _from_dict(cls, d: Optional[Dict[str, Any]]) -> Optional["DirInfo"]: + if d is None: + return None + return cls(editable=_get_required(d, bool, "editable", default=False)) + + def _to_dict(self) -> Dict[str, Any]: + return _filter_none(editable=self.editable or None) + + +InfoType = Union[ArchiveInfo, DirInfo, VcsInfo] + + +class DirectUrl: + def __init__( + self, + url: str, + info: InfoType, + subdirectory: Optional[str] = None, + ) -> None: + self.url = url + self.info = info + self.subdirectory = subdirectory + + def _remove_auth_from_netloc(self, netloc: str) -> str: + if "@" not in netloc: + return netloc + user_pass, netloc_no_user_pass = netloc.split("@", 1) + if ( + isinstance(self.info, VcsInfo) + and self.info.vcs == "git" + and user_pass == "git" + ): + return netloc + if ENV_VAR_RE.match(user_pass): + return netloc + return netloc_no_user_pass + + @property + def redacted_url(self) -> str: + """url with user:password part removed unless it is formed with + environment variables as specified in PEP 610, or it is ``git`` + in the case of a git URL. + """ + purl = urllib.parse.urlsplit(self.url) + netloc = self._remove_auth_from_netloc(purl.netloc) + surl = urllib.parse.urlunsplit( + (purl.scheme, netloc, purl.path, purl.query, purl.fragment) + ) + return surl + + def validate(self) -> None: + self.from_dict(self.to_dict()) + + @classmethod + def from_dict(cls, d: Dict[str, Any]) -> "DirectUrl": + return DirectUrl( + url=_get_required(d, str, "url"), + subdirectory=_get(d, str, "subdirectory"), + info=_exactly_one_of( + [ + ArchiveInfo._from_dict(_get(d, dict, "archive_info")), + DirInfo._from_dict(_get(d, dict, "dir_info")), + VcsInfo._from_dict(_get(d, dict, "vcs_info")), + ] + ), + ) + + def to_dict(self) -> Dict[str, Any]: + res = _filter_none( + url=self.redacted_url, + subdirectory=self.subdirectory, + ) + res[self.info.name] = self.info._to_dict() + return res + + @classmethod + def from_json(cls, s: str) -> "DirectUrl": + return cls.from_dict(json.loads(s)) + + def to_json(self) -> str: + return json.dumps(self.to_dict(), sort_keys=True) + + def is_local_editable(self) -> bool: + return isinstance(self.info, DirInfo) and self.info.editable diff --git a/venv/Lib/site-packages/pip/_internal/models/format_control.py b/venv/Lib/site-packages/pip/_internal/models/format_control.py new file mode 100644 index 0000000..db3995e --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/models/format_control.py @@ -0,0 +1,80 @@ +from typing import FrozenSet, Optional, Set + +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.exceptions import CommandError + + +class FormatControl: + """Helper for managing formats from which a package can be installed.""" + + __slots__ = ["no_binary", "only_binary"] + + def __init__( + self, + no_binary: Optional[Set[str]] = None, + only_binary: Optional[Set[str]] = None, + ) -> None: + if no_binary is None: + no_binary = set() + if only_binary is None: + only_binary = set() + + self.no_binary = no_binary + self.only_binary = only_binary + + def __eq__(self, other: object) -> bool: + if not isinstance(other, self.__class__): + return NotImplemented + + if self.__slots__ != other.__slots__: + return False + + return all(getattr(self, k) == getattr(other, k) for k in self.__slots__) + + def __repr__(self) -> str: + return "{}({}, {})".format( + self.__class__.__name__, self.no_binary, self.only_binary + ) + + @staticmethod + def handle_mutual_excludes(value: str, target: Set[str], other: Set[str]) -> None: + if value.startswith("-"): + raise CommandError( + "--no-binary / --only-binary option requires 1 argument." + ) + new = value.split(",") + while ":all:" in new: + other.clear() + target.clear() + target.add(":all:") + del new[: new.index(":all:") + 1] + # Without a none, we want to discard everything as :all: covers it + if ":none:" not in new: + return + for name in new: + if name == ":none:": + target.clear() + continue + name = canonicalize_name(name) + other.discard(name) + target.add(name) + + def get_allowed_formats(self, canonical_name: str) -> FrozenSet[str]: + result = {"binary", "source"} + if canonical_name in self.only_binary: + result.discard("source") + elif canonical_name in self.no_binary: + result.discard("binary") + elif ":all:" in self.only_binary: + result.discard("source") + elif ":all:" in self.no_binary: + result.discard("binary") + return frozenset(result) + + def disallow_binaries(self) -> None: + self.handle_mutual_excludes( + ":all:", + self.no_binary, + self.only_binary, + ) diff --git a/venv/Lib/site-packages/pip/_internal/models/index.py b/venv/Lib/site-packages/pip/_internal/models/index.py new file mode 100644 index 0000000..b94c325 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/models/index.py @@ -0,0 +1,28 @@ +import urllib.parse + + +class PackageIndex: + """Represents a Package Index and provides easier access to endpoints""" + + __slots__ = ["url", "netloc", "simple_url", "pypi_url", "file_storage_domain"] + + def __init__(self, url: str, file_storage_domain: str) -> None: + super().__init__() + self.url = url + self.netloc = urllib.parse.urlsplit(url).netloc + self.simple_url = self._url_for_path("simple") + self.pypi_url = self._url_for_path("pypi") + + # This is part of a temporary hack used to block installs of PyPI + # packages which depend on external urls only necessary until PyPI can + # block such packages themselves + self.file_storage_domain = file_storage_domain + + def _url_for_path(self, path: str) -> str: + return urllib.parse.urljoin(self.url, path) + + +PyPI = PackageIndex("https://pypi.org/", file_storage_domain="files.pythonhosted.org") +TestPyPI = PackageIndex( + "https://test.pypi.org/", file_storage_domain="test-files.pythonhosted.org" +) diff --git a/venv/Lib/site-packages/pip/_internal/models/link.py b/venv/Lib/site-packages/pip/_internal/models/link.py new file mode 100644 index 0000000..6069b27 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/models/link.py @@ -0,0 +1,288 @@ +import functools +import logging +import os +import posixpath +import re +import urllib.parse +from typing import TYPE_CHECKING, Dict, List, NamedTuple, Optional, Tuple, Union + +from pip._internal.utils.filetypes import WHEEL_EXTENSION +from pip._internal.utils.hashes import Hashes +from pip._internal.utils.misc import ( + redact_auth_from_url, + split_auth_from_netloc, + splitext, +) +from pip._internal.utils.models import KeyBasedCompareMixin +from pip._internal.utils.urls import path_to_url, url_to_path + +if TYPE_CHECKING: + from pip._internal.index.collector import HTMLPage + +logger = logging.getLogger(__name__) + + +_SUPPORTED_HASHES = ("sha1", "sha224", "sha384", "sha256", "sha512", "md5") + + +class Link(KeyBasedCompareMixin): + """Represents a parsed link from a Package Index's simple URL""" + + __slots__ = [ + "_parsed_url", + "_url", + "comes_from", + "requires_python", + "yanked_reason", + "cache_link_parsing", + ] + + def __init__( + self, + url: str, + comes_from: Optional[Union[str, "HTMLPage"]] = None, + requires_python: Optional[str] = None, + yanked_reason: Optional[str] = None, + cache_link_parsing: bool = True, + ) -> None: + """ + :param url: url of the resource pointed to (href of the link) + :param comes_from: instance of HTMLPage where the link was found, + or string. + :param requires_python: String containing the `Requires-Python` + metadata field, specified in PEP 345. This may be specified by + a data-requires-python attribute in the HTML link tag, as + described in PEP 503. + :param yanked_reason: the reason the file has been yanked, if the + file has been yanked, or None if the file hasn't been yanked. + This is the value of the "data-yanked" attribute, if present, in + a simple repository HTML link. If the file has been yanked but + no reason was provided, this should be the empty string. See + PEP 592 for more information and the specification. + :param cache_link_parsing: A flag that is used elsewhere to determine + whether resources retrieved from this link + should be cached. PyPI index urls should + generally have this set to False, for + example. + """ + + # url can be a UNC windows share + if url.startswith("\\\\"): + url = path_to_url(url) + + self._parsed_url = urllib.parse.urlsplit(url) + # Store the url as a private attribute to prevent accidentally + # trying to set a new value. + self._url = url + + self.comes_from = comes_from + self.requires_python = requires_python if requires_python else None + self.yanked_reason = yanked_reason + + super().__init__(key=url, defining_class=Link) + + self.cache_link_parsing = cache_link_parsing + + def __str__(self) -> str: + if self.requires_python: + rp = f" (requires-python:{self.requires_python})" + else: + rp = "" + if self.comes_from: + return "{} (from {}){}".format( + redact_auth_from_url(self._url), self.comes_from, rp + ) + else: + return redact_auth_from_url(str(self._url)) + + def __repr__(self) -> str: + return f"<Link {self}>" + + @property + def url(self) -> str: + return self._url + + @property + def filename(self) -> str: + path = self.path.rstrip("/") + name = posixpath.basename(path) + if not name: + # Make sure we don't leak auth information if the netloc + # includes a username and password. + netloc, user_pass = split_auth_from_netloc(self.netloc) + return netloc + + name = urllib.parse.unquote(name) + assert name, f"URL {self._url!r} produced no filename" + return name + + @property + def file_path(self) -> str: + return url_to_path(self.url) + + @property + def scheme(self) -> str: + return self._parsed_url.scheme + + @property + def netloc(self) -> str: + """ + This can contain auth information. + """ + return self._parsed_url.netloc + + @property + def path(self) -> str: + return urllib.parse.unquote(self._parsed_url.path) + + def splitext(self) -> Tuple[str, str]: + return splitext(posixpath.basename(self.path.rstrip("/"))) + + @property + def ext(self) -> str: + return self.splitext()[1] + + @property + def url_without_fragment(self) -> str: + scheme, netloc, path, query, fragment = self._parsed_url + return urllib.parse.urlunsplit((scheme, netloc, path, query, "")) + + _egg_fragment_re = re.compile(r"[#&]egg=([^&]*)") + + @property + def egg_fragment(self) -> Optional[str]: + match = self._egg_fragment_re.search(self._url) + if not match: + return None + return match.group(1) + + _subdirectory_fragment_re = re.compile(r"[#&]subdirectory=([^&]*)") + + @property + def subdirectory_fragment(self) -> Optional[str]: + match = self._subdirectory_fragment_re.search(self._url) + if not match: + return None + return match.group(1) + + _hash_re = re.compile( + r"({choices})=([a-f0-9]+)".format(choices="|".join(_SUPPORTED_HASHES)) + ) + + @property + def hash(self) -> Optional[str]: + match = self._hash_re.search(self._url) + if match: + return match.group(2) + return None + + @property + def hash_name(self) -> Optional[str]: + match = self._hash_re.search(self._url) + if match: + return match.group(1) + return None + + @property + def show_url(self) -> str: + return posixpath.basename(self._url.split("#", 1)[0].split("?", 1)[0]) + + @property + def is_file(self) -> bool: + return self.scheme == "file" + + def is_existing_dir(self) -> bool: + return self.is_file and os.path.isdir(self.file_path) + + @property + def is_wheel(self) -> bool: + return self.ext == WHEEL_EXTENSION + + @property + def is_vcs(self) -> bool: + from pip._internal.vcs import vcs + + return self.scheme in vcs.all_schemes + + @property + def is_yanked(self) -> bool: + return self.yanked_reason is not None + + @property + def has_hash(self) -> bool: + return self.hash_name is not None + + def is_hash_allowed(self, hashes: Optional[Hashes]) -> bool: + """ + Return True if the link has a hash and it is allowed. + """ + if hashes is None or not self.has_hash: + return False + # Assert non-None so mypy knows self.hash_name and self.hash are str. + assert self.hash_name is not None + assert self.hash is not None + + return hashes.is_hash_allowed(self.hash_name, hex_digest=self.hash) + + +class _CleanResult(NamedTuple): + """Convert link for equivalency check. + + This is used in the resolver to check whether two URL-specified requirements + likely point to the same distribution and can be considered equivalent. This + equivalency logic avoids comparing URLs literally, which can be too strict + (e.g. "a=1&b=2" vs "b=2&a=1") and produce conflicts unexpecting to users. + + Currently this does three things: + + 1. Drop the basic auth part. This is technically wrong since a server can + serve different content based on auth, but if it does that, it is even + impossible to guarantee two URLs without auth are equivalent, since + the user can input different auth information when prompted. So the + practical solution is to assume the auth doesn't affect the response. + 2. Parse the query to avoid the ordering issue. Note that ordering under the + same key in the query are NOT cleaned; i.e. "a=1&a=2" and "a=2&a=1" are + still considered different. + 3. Explicitly drop most of the fragment part, except ``subdirectory=`` and + hash values, since it should have no impact the downloaded content. Note + that this drops the "egg=" part historically used to denote the requested + project (and extras), which is wrong in the strictest sense, but too many + people are supplying it inconsistently to cause superfluous resolution + conflicts, so we choose to also ignore them. + """ + + parsed: urllib.parse.SplitResult + query: Dict[str, List[str]] + subdirectory: str + hashes: Dict[str, str] + + +def _clean_link(link: Link) -> _CleanResult: + parsed = link._parsed_url + netloc = parsed.netloc.rsplit("@", 1)[-1] + # According to RFC 8089, an empty host in file: means localhost. + if parsed.scheme == "file" and not netloc: + netloc = "localhost" + fragment = urllib.parse.parse_qs(parsed.fragment) + if "egg" in fragment: + logger.debug("Ignoring egg= fragment in %s", link) + try: + # If there are multiple subdirectory values, use the first one. + # This matches the behavior of Link.subdirectory_fragment. + subdirectory = fragment["subdirectory"][0] + except (IndexError, KeyError): + subdirectory = "" + # If there are multiple hash values under the same algorithm, use the + # first one. This matches the behavior of Link.hash_value. + hashes = {k: fragment[k][0] for k in _SUPPORTED_HASHES if k in fragment} + return _CleanResult( + parsed=parsed._replace(netloc=netloc, query="", fragment=""), + query=urllib.parse.parse_qs(parsed.query), + subdirectory=subdirectory, + hashes=hashes, + ) + + +@functools.lru_cache(maxsize=None) +def links_equivalent(link1: Link, link2: Link) -> bool: + return _clean_link(link1) == _clean_link(link2) diff --git a/venv/Lib/site-packages/pip/_internal/models/scheme.py b/venv/Lib/site-packages/pip/_internal/models/scheme.py new file mode 100644 index 0000000..f51190a --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/models/scheme.py @@ -0,0 +1,31 @@ +""" +For types associated with installation schemes. + +For a general overview of available schemes and their context, see +https://docs.python.org/3/install/index.html#alternate-installation. +""" + + +SCHEME_KEYS = ["platlib", "purelib", "headers", "scripts", "data"] + + +class Scheme: + """A Scheme holds paths which are used as the base directories for + artifacts associated with a Python package. + """ + + __slots__ = SCHEME_KEYS + + def __init__( + self, + platlib: str, + purelib: str, + headers: str, + scripts: str, + data: str, + ) -> None: + self.platlib = platlib + self.purelib = purelib + self.headers = headers + self.scripts = scripts + self.data = data diff --git a/venv/Lib/site-packages/pip/_internal/models/search_scope.py b/venv/Lib/site-packages/pip/_internal/models/search_scope.py new file mode 100644 index 0000000..e4e54c2 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/models/search_scope.py @@ -0,0 +1,129 @@ +import itertools +import logging +import os +import posixpath +import urllib.parse +from typing import List + +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.models.index import PyPI +from pip._internal.utils.compat import has_tls +from pip._internal.utils.misc import normalize_path, redact_auth_from_url + +logger = logging.getLogger(__name__) + + +class SearchScope: + + """ + Encapsulates the locations that pip is configured to search. + """ + + __slots__ = ["find_links", "index_urls"] + + @classmethod + def create( + cls, + find_links: List[str], + index_urls: List[str], + ) -> "SearchScope": + """ + Create a SearchScope object after normalizing the `find_links`. + """ + # Build find_links. If an argument starts with ~, it may be + # a local file relative to a home directory. So try normalizing + # it and if it exists, use the normalized version. + # This is deliberately conservative - it might be fine just to + # blindly normalize anything starting with a ~... + built_find_links: List[str] = [] + for link in find_links: + if link.startswith("~"): + new_link = normalize_path(link) + if os.path.exists(new_link): + link = new_link + built_find_links.append(link) + + # If we don't have TLS enabled, then WARN if anyplace we're looking + # relies on TLS. + if not has_tls(): + for link in itertools.chain(index_urls, built_find_links): + parsed = urllib.parse.urlparse(link) + if parsed.scheme == "https": + logger.warning( + "pip is configured with locations that require " + "TLS/SSL, however the ssl module in Python is not " + "available." + ) + break + + return cls( + find_links=built_find_links, + index_urls=index_urls, + ) + + def __init__( + self, + find_links: List[str], + index_urls: List[str], + ) -> None: + self.find_links = find_links + self.index_urls = index_urls + + def get_formatted_locations(self) -> str: + lines = [] + redacted_index_urls = [] + if self.index_urls and self.index_urls != [PyPI.simple_url]: + for url in self.index_urls: + + redacted_index_url = redact_auth_from_url(url) + + # Parse the URL + purl = urllib.parse.urlsplit(redacted_index_url) + + # URL is generally invalid if scheme and netloc is missing + # there are issues with Python and URL parsing, so this test + # is a bit crude. See bpo-20271, bpo-23505. Python doesn't + # always parse invalid URLs correctly - it should raise + # exceptions for malformed URLs + if not purl.scheme and not purl.netloc: + logger.warning( + 'The index url "%s" seems invalid, please provide a scheme.', + redacted_index_url, + ) + + redacted_index_urls.append(redacted_index_url) + + lines.append( + "Looking in indexes: {}".format(", ".join(redacted_index_urls)) + ) + + if self.find_links: + lines.append( + "Looking in links: {}".format( + ", ".join(redact_auth_from_url(url) for url in self.find_links) + ) + ) + return "\n".join(lines) + + def get_index_urls_locations(self, project_name: str) -> List[str]: + """Returns the locations found via self.index_urls + + Checks the url_name on the main (first in the list) index and + use this url_name to produce all locations + """ + + def mkurl_pypi_url(url: str) -> str: + loc = posixpath.join( + url, urllib.parse.quote(canonicalize_name(project_name)) + ) + # For maximum compatibility with easy_install, ensure the path + # ends in a trailing slash. Although this isn't in the spec + # (and PyPI can handle it without the slash) some other index + # implementations might break if they relied on easy_install's + # behavior. + if not loc.endswith("/"): + loc = loc + "/" + return loc + + return [mkurl_pypi_url(url) for url in self.index_urls] diff --git a/venv/Lib/site-packages/pip/_internal/models/selection_prefs.py b/venv/Lib/site-packages/pip/_internal/models/selection_prefs.py new file mode 100644 index 0000000..977bc4c --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/models/selection_prefs.py @@ -0,0 +1,51 @@ +from typing import Optional + +from pip._internal.models.format_control import FormatControl + + +class SelectionPreferences: + """ + Encapsulates the candidate selection preferences for downloading + and installing files. + """ + + __slots__ = [ + "allow_yanked", + "allow_all_prereleases", + "format_control", + "prefer_binary", + "ignore_requires_python", + ] + + # Don't include an allow_yanked default value to make sure each call + # site considers whether yanked releases are allowed. This also causes + # that decision to be made explicit in the calling code, which helps + # people when reading the code. + def __init__( + self, + allow_yanked: bool, + allow_all_prereleases: bool = False, + format_control: Optional[FormatControl] = None, + prefer_binary: bool = False, + ignore_requires_python: Optional[bool] = None, + ) -> None: + """Create a SelectionPreferences object. + + :param allow_yanked: Whether files marked as yanked (in the sense + of PEP 592) are permitted to be candidates for install. + :param format_control: A FormatControl object or None. Used to control + the selection of source packages / binary packages when consulting + the index and links. + :param prefer_binary: Whether to prefer an old, but valid, binary + dist over a new source dist. + :param ignore_requires_python: Whether to ignore incompatible + "Requires-Python" values in links. Defaults to False. + """ + if ignore_requires_python is None: + ignore_requires_python = False + + self.allow_yanked = allow_yanked + self.allow_all_prereleases = allow_all_prereleases + self.format_control = format_control + self.prefer_binary = prefer_binary + self.ignore_requires_python = ignore_requires_python diff --git a/venv/Lib/site-packages/pip/_internal/models/target_python.py b/venv/Lib/site-packages/pip/_internal/models/target_python.py new file mode 100644 index 0000000..744bd7e --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/models/target_python.py @@ -0,0 +1,110 @@ +import sys +from typing import List, Optional, Tuple + +from pip._vendor.packaging.tags import Tag + +from pip._internal.utils.compatibility_tags import get_supported, version_info_to_nodot +from pip._internal.utils.misc import normalize_version_info + + +class TargetPython: + + """ + Encapsulates the properties of a Python interpreter one is targeting + for a package install, download, etc. + """ + + __slots__ = [ + "_given_py_version_info", + "abis", + "implementation", + "platforms", + "py_version", + "py_version_info", + "_valid_tags", + ] + + def __init__( + self, + platforms: Optional[List[str]] = None, + py_version_info: Optional[Tuple[int, ...]] = None, + abis: Optional[List[str]] = None, + implementation: Optional[str] = None, + ) -> None: + """ + :param platforms: A list of strings or None. If None, searches for + packages that are supported by the current system. Otherwise, will + find packages that can be built on the platforms passed in. These + packages will only be downloaded for distribution: they will + not be built locally. + :param py_version_info: An optional tuple of ints representing the + Python version information to use (e.g. `sys.version_info[:3]`). + This can have length 1, 2, or 3 when provided. + :param abis: A list of strings or None. This is passed to + compatibility_tags.py's get_supported() function as is. + :param implementation: A string or None. This is passed to + compatibility_tags.py's get_supported() function as is. + """ + # Store the given py_version_info for when we call get_supported(). + self._given_py_version_info = py_version_info + + if py_version_info is None: + py_version_info = sys.version_info[:3] + else: + py_version_info = normalize_version_info(py_version_info) + + py_version = ".".join(map(str, py_version_info[:2])) + + self.abis = abis + self.implementation = implementation + self.platforms = platforms + self.py_version = py_version + self.py_version_info = py_version_info + + # This is used to cache the return value of get_tags(). + self._valid_tags: Optional[List[Tag]] = None + + def format_given(self) -> str: + """ + Format the given, non-None attributes for display. + """ + display_version = None + if self._given_py_version_info is not None: + display_version = ".".join( + str(part) for part in self._given_py_version_info + ) + + key_values = [ + ("platforms", self.platforms), + ("version_info", display_version), + ("abis", self.abis), + ("implementation", self.implementation), + ] + return " ".join( + f"{key}={value!r}" for key, value in key_values if value is not None + ) + + def get_tags(self) -> List[Tag]: + """ + Return the supported PEP 425 tags to check wheel candidates against. + + The tags are returned in order of preference (most preferred first). + """ + if self._valid_tags is None: + # Pass versions=None if no py_version_info was given since + # versions=None uses special default logic. + py_version_info = self._given_py_version_info + if py_version_info is None: + version = None + else: + version = version_info_to_nodot(py_version_info) + + tags = get_supported( + version=version, + platforms=self.platforms, + abis=self.abis, + impl=self.implementation, + ) + self._valid_tags = tags + + return self._valid_tags diff --git a/venv/Lib/site-packages/pip/_internal/models/wheel.py b/venv/Lib/site-packages/pip/_internal/models/wheel.py new file mode 100644 index 0000000..e091612 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/models/wheel.py @@ -0,0 +1,89 @@ +"""Represents a wheel file and provides access to the various parts of the +name that have meaning. +""" +import re +from typing import Dict, Iterable, List + +from pip._vendor.packaging.tags import Tag + +from pip._internal.exceptions import InvalidWheelFilename + + +class Wheel: + """A wheel file""" + + wheel_file_re = re.compile( + r"""^(?P<namever>(?P<name>.+?)-(?P<ver>.*?)) + ((-(?P<build>\d[^-]*?))?-(?P<pyver>.+?)-(?P<abi>.+?)-(?P<plat>.+?) + \.whl|\.dist-info)$""", + re.VERBOSE, + ) + + def __init__(self, filename: str) -> None: + """ + :raises InvalidWheelFilename: when the filename is invalid for a wheel + """ + wheel_info = self.wheel_file_re.match(filename) + if not wheel_info: + raise InvalidWheelFilename(f"{filename} is not a valid wheel filename.") + self.filename = filename + self.name = wheel_info.group("name").replace("_", "-") + # we'll assume "_" means "-" due to wheel naming scheme + # (https://github.com/pypa/pip/issues/1150) + self.version = wheel_info.group("ver").replace("_", "-") + self.build_tag = wheel_info.group("build") + self.pyversions = wheel_info.group("pyver").split(".") + self.abis = wheel_info.group("abi").split(".") + self.plats = wheel_info.group("plat").split(".") + + # All the tag combinations from this file + self.file_tags = { + Tag(x, y, z) for x in self.pyversions for y in self.abis for z in self.plats + } + + def get_formatted_file_tags(self) -> List[str]: + """Return the wheel's tags as a sorted list of strings.""" + return sorted(str(tag) for tag in self.file_tags) + + def support_index_min(self, tags: List[Tag]) -> int: + """Return the lowest index that one of the wheel's file_tag combinations + achieves in the given list of supported tags. + + For example, if there are 8 supported tags and one of the file tags + is first in the list, then return 0. + + :param tags: the PEP 425 tags to check the wheel against, in order + with most preferred first. + + :raises ValueError: If none of the wheel's file tags match one of + the supported tags. + """ + return min(tags.index(tag) for tag in self.file_tags if tag in tags) + + def find_most_preferred_tag( + self, tags: List[Tag], tag_to_priority: Dict[Tag, int] + ) -> int: + """Return the priority of the most preferred tag that one of the wheel's file + tag combinations achieves in the given list of supported tags using the given + tag_to_priority mapping, where lower priorities are more-preferred. + + This is used in place of support_index_min in some cases in order to avoid + an expensive linear scan of a large list of tags. + + :param tags: the PEP 425 tags to check the wheel against. + :param tag_to_priority: a mapping from tag to priority of that tag, where + lower is more preferred. + + :raises ValueError: If none of the wheel's file tags match one of + the supported tags. + """ + return min( + tag_to_priority[tag] for tag in self.file_tags if tag in tag_to_priority + ) + + def supported(self, tags: Iterable[Tag]) -> bool: + """Return whether the wheel is compatible with one of the given tags. + + :param tags: the PEP 425 tags to check the wheel against. + """ + return not self.file_tags.isdisjoint(tags) diff --git a/venv/Lib/site-packages/pip/_internal/network/__init__.py b/venv/Lib/site-packages/pip/_internal/network/__init__.py new file mode 100644 index 0000000..b51bde9 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/network/__init__.py @@ -0,0 +1,2 @@ +"""Contains purely network-related utilities. +""" diff --git a/venv/Lib/site-packages/pip/_internal/network/auth.py b/venv/Lib/site-packages/pip/_internal/network/auth.py new file mode 100644 index 0000000..ca42798 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/network/auth.py @@ -0,0 +1,323 @@ +"""Network Authentication Helpers + +Contains interface (MultiDomainBasicAuth) and associated glue code for +providing credentials in the context of network requests. +""" + +import urllib.parse +from typing import Any, Dict, List, Optional, Tuple + +from pip._vendor.requests.auth import AuthBase, HTTPBasicAuth +from pip._vendor.requests.models import Request, Response +from pip._vendor.requests.utils import get_netrc_auth + +from pip._internal.utils.logging import getLogger +from pip._internal.utils.misc import ( + ask, + ask_input, + ask_password, + remove_auth_from_url, + split_auth_netloc_from_url, +) +from pip._internal.vcs.versioncontrol import AuthInfo + +logger = getLogger(__name__) + +Credentials = Tuple[str, str, str] + +try: + import keyring +except ImportError: + keyring = None # type: ignore[assignment] +except Exception as exc: + logger.warning( + "Keyring is skipped due to an exception: %s", + str(exc), + ) + keyring = None # type: ignore[assignment] + + +def get_keyring_auth(url: Optional[str], username: Optional[str]) -> Optional[AuthInfo]: + """Return the tuple auth for a given url from keyring.""" + global keyring + if not url or not keyring: + return None + + try: + try: + get_credential = keyring.get_credential + except AttributeError: + pass + else: + logger.debug("Getting credentials from keyring for %s", url) + cred = get_credential(url, username) + if cred is not None: + return cred.username, cred.password + return None + + if username: + logger.debug("Getting password from keyring for %s", url) + password = keyring.get_password(url, username) + if password: + return username, password + + except Exception as exc: + logger.warning( + "Keyring is skipped due to an exception: %s", + str(exc), + ) + keyring = None # type: ignore[assignment] + return None + + +class MultiDomainBasicAuth(AuthBase): + def __init__( + self, prompting: bool = True, index_urls: Optional[List[str]] = None + ) -> None: + self.prompting = prompting + self.index_urls = index_urls + self.passwords: Dict[str, AuthInfo] = {} + # When the user is prompted to enter credentials and keyring is + # available, we will offer to save them. If the user accepts, + # this value is set to the credentials they entered. After the + # request authenticates, the caller should call + # ``save_credentials`` to save these. + self._credentials_to_save: Optional[Credentials] = None + + def _get_index_url(self, url: str) -> Optional[str]: + """Return the original index URL matching the requested URL. + + Cached or dynamically generated credentials may work against + the original index URL rather than just the netloc. + + The provided url should have had its username and password + removed already. If the original index url had credentials then + they will be included in the return value. + + Returns None if no matching index was found, or if --no-index + was specified by the user. + """ + if not url or not self.index_urls: + return None + + for u in self.index_urls: + prefix = remove_auth_from_url(u).rstrip("/") + "/" + if url.startswith(prefix): + return u + return None + + def _get_new_credentials( + self, + original_url: str, + allow_netrc: bool = True, + allow_keyring: bool = False, + ) -> AuthInfo: + """Find and return credentials for the specified URL.""" + # Split the credentials and netloc from the url. + url, netloc, url_user_password = split_auth_netloc_from_url( + original_url, + ) + + # Start with the credentials embedded in the url + username, password = url_user_password + if username is not None and password is not None: + logger.debug("Found credentials in url for %s", netloc) + return url_user_password + + # Find a matching index url for this request + index_url = self._get_index_url(url) + if index_url: + # Split the credentials from the url. + index_info = split_auth_netloc_from_url(index_url) + if index_info: + index_url, _, index_url_user_password = index_info + logger.debug("Found index url %s", index_url) + + # If an index URL was found, try its embedded credentials + if index_url and index_url_user_password[0] is not None: + username, password = index_url_user_password + if username is not None and password is not None: + logger.debug("Found credentials in index url for %s", netloc) + return index_url_user_password + + # Get creds from netrc if we still don't have them + if allow_netrc: + netrc_auth = get_netrc_auth(original_url) + if netrc_auth: + logger.debug("Found credentials in netrc for %s", netloc) + return netrc_auth + + # If we don't have a password and keyring is available, use it. + if allow_keyring: + # The index url is more specific than the netloc, so try it first + # fmt: off + kr_auth = ( + get_keyring_auth(index_url, username) or + get_keyring_auth(netloc, username) + ) + # fmt: on + if kr_auth: + logger.debug("Found credentials in keyring for %s", netloc) + return kr_auth + + return username, password + + def _get_url_and_credentials( + self, original_url: str + ) -> Tuple[str, Optional[str], Optional[str]]: + """Return the credentials to use for the provided URL. + + If allowed, netrc and keyring may be used to obtain the + correct credentials. + + Returns (url_without_credentials, username, password). Note + that even if the original URL contains credentials, this + function may return a different username and password. + """ + url, netloc, _ = split_auth_netloc_from_url(original_url) + + # Try to get credentials from original url + username, password = self._get_new_credentials(original_url) + + # If credentials not found, use any stored credentials for this netloc. + # Do this if either the username or the password is missing. + # This accounts for the situation in which the user has specified + # the username in the index url, but the password comes from keyring. + if (username is None or password is None) and netloc in self.passwords: + un, pw = self.passwords[netloc] + # It is possible that the cached credentials are for a different username, + # in which case the cache should be ignored. + if username is None or username == un: + username, password = un, pw + + if username is not None or password is not None: + # Convert the username and password if they're None, so that + # this netloc will show up as "cached" in the conditional above. + # Further, HTTPBasicAuth doesn't accept None, so it makes sense to + # cache the value that is going to be used. + username = username or "" + password = password or "" + + # Store any acquired credentials. + self.passwords[netloc] = (username, password) + + assert ( + # Credentials were found + (username is not None and password is not None) + # Credentials were not found + or (username is None and password is None) + ), f"Could not load credentials from url: {original_url}" + + return url, username, password + + def __call__(self, req: Request) -> Request: + # Get credentials for this request + url, username, password = self._get_url_and_credentials(req.url) + + # Set the url of the request to the url without any credentials + req.url = url + + if username is not None and password is not None: + # Send the basic auth with this request + req = HTTPBasicAuth(username, password)(req) + + # Attach a hook to handle 401 responses + req.register_hook("response", self.handle_401) + + return req + + # Factored out to allow for easy patching in tests + def _prompt_for_password( + self, netloc: str + ) -> Tuple[Optional[str], Optional[str], bool]: + username = ask_input(f"User for {netloc}: ") + if not username: + return None, None, False + auth = get_keyring_auth(netloc, username) + if auth and auth[0] is not None and auth[1] is not None: + return auth[0], auth[1], False + password = ask_password("Password: ") + return username, password, True + + # Factored out to allow for easy patching in tests + def _should_save_password_to_keyring(self) -> bool: + if not keyring: + return False + return ask("Save credentials to keyring [y/N]: ", ["y", "n"]) == "y" + + def handle_401(self, resp: Response, **kwargs: Any) -> Response: + # We only care about 401 responses, anything else we want to just + # pass through the actual response + if resp.status_code != 401: + return resp + + # We are not able to prompt the user so simply return the response + if not self.prompting: + return resp + + parsed = urllib.parse.urlparse(resp.url) + + # Query the keyring for credentials: + username, password = self._get_new_credentials( + resp.url, + allow_netrc=False, + allow_keyring=True, + ) + + # Prompt the user for a new username and password + save = False + if not username and not password: + username, password, save = self._prompt_for_password(parsed.netloc) + + # Store the new username and password to use for future requests + self._credentials_to_save = None + if username is not None and password is not None: + self.passwords[parsed.netloc] = (username, password) + + # Prompt to save the password to keyring + if save and self._should_save_password_to_keyring(): + self._credentials_to_save = (parsed.netloc, username, password) + + # Consume content and release the original connection to allow our new + # request to reuse the same one. + resp.content + resp.raw.release_conn() + + # Add our new username and password to the request + req = HTTPBasicAuth(username or "", password or "")(resp.request) + req.register_hook("response", self.warn_on_401) + + # On successful request, save the credentials that were used to + # keyring. (Note that if the user responded "no" above, this member + # is not set and nothing will be saved.) + if self._credentials_to_save: + req.register_hook("response", self.save_credentials) + + # Send our new request + new_resp = resp.connection.send(req, **kwargs) + new_resp.history.append(resp) + + return new_resp + + def warn_on_401(self, resp: Response, **kwargs: Any) -> None: + """Response callback to warn about incorrect credentials.""" + if resp.status_code == 401: + logger.warning( + "401 Error, Credentials not correct for %s", + resp.request.url, + ) + + def save_credentials(self, resp: Response, **kwargs: Any) -> None: + """Response callback to save credentials on success.""" + assert keyring is not None, "should never reach here without keyring" + if not keyring: + return + + creds = self._credentials_to_save + self._credentials_to_save = None + if creds and resp.status_code < 400: + try: + logger.info("Saving credentials to keyring") + keyring.set_password(*creds) + except Exception: + logger.exception("Failed to save credentials") diff --git a/venv/Lib/site-packages/pip/_internal/network/cache.py b/venv/Lib/site-packages/pip/_internal/network/cache.py new file mode 100644 index 0000000..2d915e6 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/network/cache.py @@ -0,0 +1,69 @@ +"""HTTP cache implementation. +""" + +import os +from contextlib import contextmanager +from typing import Iterator, Optional + +from pip._vendor.cachecontrol.cache import BaseCache +from pip._vendor.cachecontrol.caches import FileCache +from pip._vendor.requests.models import Response + +from pip._internal.utils.filesystem import adjacent_tmp_file, replace +from pip._internal.utils.misc import ensure_dir + + +def is_from_cache(response: Response) -> bool: + return getattr(response, "from_cache", False) + + +@contextmanager +def suppressed_cache_errors() -> Iterator[None]: + """If we can't access the cache then we can just skip caching and process + requests as if caching wasn't enabled. + """ + try: + yield + except OSError: + pass + + +class SafeFileCache(BaseCache): + """ + A file based cache which is safe to use even when the target directory may + not be accessible or writable. + """ + + def __init__(self, directory: str) -> None: + assert directory is not None, "Cache directory must not be None." + super().__init__() + self.directory = directory + + def _get_cache_path(self, name: str) -> str: + # From cachecontrol.caches.file_cache.FileCache._fn, brought into our + # class for backwards-compatibility and to avoid using a non-public + # method. + hashed = FileCache.encode(name) + parts = list(hashed[:5]) + [hashed] + return os.path.join(self.directory, *parts) + + def get(self, key: str) -> Optional[bytes]: + path = self._get_cache_path(key) + with suppressed_cache_errors(): + with open(path, "rb") as f: + return f.read() + + def set(self, key: str, value: bytes) -> None: + path = self._get_cache_path(key) + with suppressed_cache_errors(): + ensure_dir(os.path.dirname(path)) + + with adjacent_tmp_file(path) as f: + f.write(value) + + replace(f.name, path) + + def delete(self, key: str) -> None: + path = self._get_cache_path(key) + with suppressed_cache_errors(): + os.remove(path) diff --git a/venv/Lib/site-packages/pip/_internal/network/download.py b/venv/Lib/site-packages/pip/_internal/network/download.py new file mode 100644 index 0000000..47af547 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/network/download.py @@ -0,0 +1,184 @@ +"""Download files with progress indicators. +""" +import cgi +import logging +import mimetypes +import os +from typing import Iterable, Optional, Tuple + +from pip._vendor.requests.models import CONTENT_CHUNK_SIZE, Response + +from pip._internal.cli.progress_bars import DownloadProgressProvider +from pip._internal.exceptions import NetworkConnectionError +from pip._internal.models.index import PyPI +from pip._internal.models.link import Link +from pip._internal.network.cache import is_from_cache +from pip._internal.network.session import PipSession +from pip._internal.network.utils import HEADERS, raise_for_status, response_chunks +from pip._internal.utils.misc import format_size, redact_auth_from_url, splitext + +logger = logging.getLogger(__name__) + + +def _get_http_response_size(resp: Response) -> Optional[int]: + try: + return int(resp.headers["content-length"]) + except (ValueError, KeyError, TypeError): + return None + + +def _prepare_download( + resp: Response, + link: Link, + progress_bar: str, +) -> Iterable[bytes]: + total_length = _get_http_response_size(resp) + + if link.netloc == PyPI.file_storage_domain: + url = link.show_url + else: + url = link.url_without_fragment + + logged_url = redact_auth_from_url(url) + + if total_length: + logged_url = "{} ({})".format(logged_url, format_size(total_length)) + + if is_from_cache(resp): + logger.info("Using cached %s", logged_url) + else: + logger.info("Downloading %s", logged_url) + + if logger.getEffectiveLevel() > logging.INFO: + show_progress = False + elif is_from_cache(resp): + show_progress = False + elif not total_length: + show_progress = True + elif total_length > (40 * 1000): + show_progress = True + else: + show_progress = False + + chunks = response_chunks(resp, CONTENT_CHUNK_SIZE) + + if not show_progress: + return chunks + + return DownloadProgressProvider(progress_bar, max=total_length)(chunks) + + +def sanitize_content_filename(filename: str) -> str: + """ + Sanitize the "filename" value from a Content-Disposition header. + """ + return os.path.basename(filename) + + +def parse_content_disposition(content_disposition: str, default_filename: str) -> str: + """ + Parse the "filename" value from a Content-Disposition header, and + return the default filename if the result is empty. + """ + _type, params = cgi.parse_header(content_disposition) + filename = params.get("filename") + if filename: + # We need to sanitize the filename to prevent directory traversal + # in case the filename contains ".." path parts. + filename = sanitize_content_filename(filename) + return filename or default_filename + + +def _get_http_response_filename(resp: Response, link: Link) -> str: + """Get an ideal filename from the given HTTP response, falling back to + the link filename if not provided. + """ + filename = link.filename # fallback + # Have a look at the Content-Disposition header for a better guess + content_disposition = resp.headers.get("content-disposition") + if content_disposition: + filename = parse_content_disposition(content_disposition, filename) + ext: Optional[str] = splitext(filename)[1] + if not ext: + ext = mimetypes.guess_extension(resp.headers.get("content-type", "")) + if ext: + filename += ext + if not ext and link.url != resp.url: + ext = os.path.splitext(resp.url)[1] + if ext: + filename += ext + return filename + + +def _http_get_download(session: PipSession, link: Link) -> Response: + target_url = link.url.split("#", 1)[0] + resp = session.get(target_url, headers=HEADERS, stream=True) + raise_for_status(resp) + return resp + + +class Downloader: + def __init__( + self, + session: PipSession, + progress_bar: str, + ) -> None: + self._session = session + self._progress_bar = progress_bar + + def __call__(self, link: Link, location: str) -> Tuple[str, str]: + """Download the file given by link into location.""" + try: + resp = _http_get_download(self._session, link) + except NetworkConnectionError as e: + assert e.response is not None + logger.critical( + "HTTP error %s while getting %s", e.response.status_code, link + ) + raise + + filename = _get_http_response_filename(resp, link) + filepath = os.path.join(location, filename) + + chunks = _prepare_download(resp, link, self._progress_bar) + with open(filepath, "wb") as content_file: + for chunk in chunks: + content_file.write(chunk) + content_type = resp.headers.get("Content-Type", "") + return filepath, content_type + + +class BatchDownloader: + def __init__( + self, + session: PipSession, + progress_bar: str, + ) -> None: + self._session = session + self._progress_bar = progress_bar + + def __call__( + self, links: Iterable[Link], location: str + ) -> Iterable[Tuple[Link, Tuple[str, str]]]: + """Download the files given by links into location.""" + for link in links: + try: + resp = _http_get_download(self._session, link) + except NetworkConnectionError as e: + assert e.response is not None + logger.critical( + "HTTP error %s while getting %s", + e.response.status_code, + link, + ) + raise + + filename = _get_http_response_filename(resp, link) + filepath = os.path.join(location, filename) + + chunks = _prepare_download(resp, link, self._progress_bar) + with open(filepath, "wb") as content_file: + for chunk in chunks: + content_file.write(chunk) + content_type = resp.headers.get("Content-Type", "") + yield link, (filepath, content_type) diff --git a/venv/Lib/site-packages/pip/_internal/network/lazy_wheel.py b/venv/Lib/site-packages/pip/_internal/network/lazy_wheel.py new file mode 100644 index 0000000..c9e44d5 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/network/lazy_wheel.py @@ -0,0 +1,210 @@ +"""Lazy ZIP over HTTP""" + +__all__ = ["HTTPRangeRequestUnsupported", "dist_from_wheel_url"] + +from bisect import bisect_left, bisect_right +from contextlib import contextmanager +from tempfile import NamedTemporaryFile +from typing import Any, Dict, Iterator, List, Optional, Tuple +from zipfile import BadZipfile, ZipFile + +from pip._vendor.packaging.utils import canonicalize_name +from pip._vendor.requests.models import CONTENT_CHUNK_SIZE, Response + +from pip._internal.metadata import BaseDistribution, MemoryWheel, get_wheel_distribution +from pip._internal.network.session import PipSession +from pip._internal.network.utils import HEADERS, raise_for_status, response_chunks + + +class HTTPRangeRequestUnsupported(Exception): + pass + + +def dist_from_wheel_url(name: str, url: str, session: PipSession) -> BaseDistribution: + """Return a distribution object from the given wheel URL. + + This uses HTTP range requests to only fetch the potion of the wheel + containing metadata, just enough for the object to be constructed. + If such requests are not supported, HTTPRangeRequestUnsupported + is raised. + """ + with LazyZipOverHTTP(url, session) as zf: + # For read-only ZIP files, ZipFile only needs methods read, + # seek, seekable and tell, not the whole IO protocol. + wheel = MemoryWheel(zf.name, zf) # type: ignore + # After context manager exit, wheel.name + # is an invalid file by intention. + return get_wheel_distribution(wheel, canonicalize_name(name)) + + +class LazyZipOverHTTP: + """File-like object mapped to a ZIP file over HTTP. + + This uses HTTP range requests to lazily fetch the file's content, + which is supposed to be fed to ZipFile. If such requests are not + supported by the server, raise HTTPRangeRequestUnsupported + during initialization. + """ + + def __init__( + self, url: str, session: PipSession, chunk_size: int = CONTENT_CHUNK_SIZE + ) -> None: + head = session.head(url, headers=HEADERS) + raise_for_status(head) + assert head.status_code == 200 + self._session, self._url, self._chunk_size = session, url, chunk_size + self._length = int(head.headers["Content-Length"]) + self._file = NamedTemporaryFile() + self.truncate(self._length) + self._left: List[int] = [] + self._right: List[int] = [] + if "bytes" not in head.headers.get("Accept-Ranges", "none"): + raise HTTPRangeRequestUnsupported("range request is not supported") + self._check_zip() + + @property + def mode(self) -> str: + """Opening mode, which is always rb.""" + return "rb" + + @property + def name(self) -> str: + """Path to the underlying file.""" + return self._file.name + + def seekable(self) -> bool: + """Return whether random access is supported, which is True.""" + return True + + def close(self) -> None: + """Close the file.""" + self._file.close() + + @property + def closed(self) -> bool: + """Whether the file is closed.""" + return self._file.closed + + def read(self, size: int = -1) -> bytes: + """Read up to size bytes from the object and return them. + + As a convenience, if size is unspecified or -1, + all bytes until EOF are returned. Fewer than + size bytes may be returned if EOF is reached. + """ + download_size = max(size, self._chunk_size) + start, length = self.tell(), self._length + stop = length if size < 0 else min(start + download_size, length) + start = max(0, stop - download_size) + self._download(start, stop - 1) + return self._file.read(size) + + def readable(self) -> bool: + """Return whether the file is readable, which is True.""" + return True + + def seek(self, offset: int, whence: int = 0) -> int: + """Change stream position and return the new absolute position. + + Seek to offset relative position indicated by whence: + * 0: Start of stream (the default). pos should be >= 0; + * 1: Current position - pos may be negative; + * 2: End of stream - pos usually negative. + """ + return self._file.seek(offset, whence) + + def tell(self) -> int: + """Return the current position.""" + return self._file.tell() + + def truncate(self, size: Optional[int] = None) -> int: + """Resize the stream to the given size in bytes. + + If size is unspecified resize to the current position. + The current stream position isn't changed. + + Return the new file size. + """ + return self._file.truncate(size) + + def writable(self) -> bool: + """Return False.""" + return False + + def __enter__(self) -> "LazyZipOverHTTP": + self._file.__enter__() + return self + + def __exit__(self, *exc: Any) -> Optional[bool]: + return self._file.__exit__(*exc) + + @contextmanager + def _stay(self) -> Iterator[None]: + """Return a context manager keeping the position. + + At the end of the block, seek back to original position. + """ + pos = self.tell() + try: + yield + finally: + self.seek(pos) + + def _check_zip(self) -> None: + """Check and download until the file is a valid ZIP.""" + end = self._length - 1 + for start in reversed(range(0, end, self._chunk_size)): + self._download(start, end) + with self._stay(): + try: + # For read-only ZIP files, ZipFile only needs + # methods read, seek, seekable and tell. + ZipFile(self) # type: ignore + except BadZipfile: + pass + else: + break + + def _stream_response( + self, start: int, end: int, base_headers: Dict[str, str] = HEADERS + ) -> Response: + """Return HTTP response to a range request from start to end.""" + headers = base_headers.copy() + headers["Range"] = f"bytes={start}-{end}" + # TODO: Get range requests to be correctly cached + headers["Cache-Control"] = "no-cache" + return self._session.get(self._url, headers=headers, stream=True) + + def _merge( + self, start: int, end: int, left: int, right: int + ) -> Iterator[Tuple[int, int]]: + """Return an iterator of intervals to be fetched. + + Args: + start (int): Start of needed interval + end (int): End of needed interval + left (int): Index of first overlapping downloaded data + right (int): Index after last overlapping downloaded data + """ + lslice, rslice = self._left[left:right], self._right[left:right] + i = start = min([start] + lslice[:1]) + end = max([end] + rslice[-1:]) + for j, k in zip(lslice, rslice): + if j > i: + yield i, j - 1 + i = k + 1 + if i <= end: + yield i, end + self._left[left:right], self._right[left:right] = [start], [end] + + def _download(self, start: int, end: int) -> None: + """Download bytes from start to end inclusively.""" + with self._stay(): + left = bisect_left(self._right, start) + right = bisect_right(self._left, end) + for start, end in self._merge(start, end, left, right): + response = self._stream_response(start, end) + response.raise_for_status() + self.seek(start) + for chunk in response_chunks(response, self._chunk_size): + self._file.write(chunk) diff --git a/venv/Lib/site-packages/pip/_internal/network/session.py b/venv/Lib/site-packages/pip/_internal/network/session.py new file mode 100644 index 0000000..cbe743b --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/network/session.py @@ -0,0 +1,454 @@ +"""PipSession and supporting code, containing all pip-specific +network request configuration and behavior. +""" + +import email.utils +import io +import ipaddress +import json +import logging +import mimetypes +import os +import platform +import shutil +import subprocess +import sys +import urllib.parse +import warnings +from typing import Any, Dict, Iterator, List, Mapping, Optional, Sequence, Tuple, Union + +from pip._vendor import requests, urllib3 +from pip._vendor.cachecontrol import CacheControlAdapter +from pip._vendor.requests.adapters import BaseAdapter, HTTPAdapter +from pip._vendor.requests.models import PreparedRequest, Response +from pip._vendor.requests.structures import CaseInsensitiveDict +from pip._vendor.urllib3.connectionpool import ConnectionPool +from pip._vendor.urllib3.exceptions import InsecureRequestWarning + +from pip import __version__ +from pip._internal.metadata import get_default_environment +from pip._internal.models.link import Link +from pip._internal.network.auth import MultiDomainBasicAuth +from pip._internal.network.cache import SafeFileCache + +# Import ssl from compat so the initial import occurs in only one place. +from pip._internal.utils.compat import has_tls +from pip._internal.utils.glibc import libc_ver +from pip._internal.utils.misc import build_url_from_netloc, parse_netloc +from pip._internal.utils.urls import url_to_path + +logger = logging.getLogger(__name__) + +SecureOrigin = Tuple[str, str, Optional[Union[int, str]]] + + +# Ignore warning raised when using --trusted-host. +warnings.filterwarnings("ignore", category=InsecureRequestWarning) + + +SECURE_ORIGINS: List[SecureOrigin] = [ + # protocol, hostname, port + # Taken from Chrome's list of secure origins (See: http://bit.ly/1qrySKC) + ("https", "*", "*"), + ("*", "localhost", "*"), + ("*", "127.0.0.0/8", "*"), + ("*", "::1/128", "*"), + ("file", "*", None), + # ssh is always secure. + ("ssh", "*", "*"), +] + + +# These are environment variables present when running under various +# CI systems. For each variable, some CI systems that use the variable +# are indicated. The collection was chosen so that for each of a number +# of popular systems, at least one of the environment variables is used. +# This list is used to provide some indication of and lower bound for +# CI traffic to PyPI. Thus, it is okay if the list is not comprehensive. +# For more background, see: https://github.com/pypa/pip/issues/5499 +CI_ENVIRONMENT_VARIABLES = ( + # Azure Pipelines + "BUILD_BUILDID", + # Jenkins + "BUILD_ID", + # AppVeyor, CircleCI, Codeship, Gitlab CI, Shippable, Travis CI + "CI", + # Explicit environment variable. + "PIP_IS_CI", +) + + +def looks_like_ci() -> bool: + """ + Return whether it looks like pip is running under CI. + """ + # We don't use the method of checking for a tty (e.g. using isatty()) + # because some CI systems mimic a tty (e.g. Travis CI). Thus that + # method doesn't provide definitive information in either direction. + return any(name in os.environ for name in CI_ENVIRONMENT_VARIABLES) + + +def user_agent() -> str: + """ + Return a string representing the user agent. + """ + data: Dict[str, Any] = { + "installer": {"name": "pip", "version": __version__}, + "python": platform.python_version(), + "implementation": { + "name": platform.python_implementation(), + }, + } + + if data["implementation"]["name"] == "CPython": + data["implementation"]["version"] = platform.python_version() + elif data["implementation"]["name"] == "PyPy": + pypy_version_info = sys.pypy_version_info # type: ignore + if pypy_version_info.releaselevel == "final": + pypy_version_info = pypy_version_info[:3] + data["implementation"]["version"] = ".".join( + [str(x) for x in pypy_version_info] + ) + elif data["implementation"]["name"] == "Jython": + # Complete Guess + data["implementation"]["version"] = platform.python_version() + elif data["implementation"]["name"] == "IronPython": + # Complete Guess + data["implementation"]["version"] = platform.python_version() + + if sys.platform.startswith("linux"): + from pip._vendor import distro + + linux_distribution = distro.name(), distro.version(), distro.codename() + distro_infos: Dict[str, Any] = dict( + filter( + lambda x: x[1], + zip(["name", "version", "id"], linux_distribution), + ) + ) + libc = dict( + filter( + lambda x: x[1], + zip(["lib", "version"], libc_ver()), + ) + ) + if libc: + distro_infos["libc"] = libc + if distro_infos: + data["distro"] = distro_infos + + if sys.platform.startswith("darwin") and platform.mac_ver()[0]: + data["distro"] = {"name": "macOS", "version": platform.mac_ver()[0]} + + if platform.system(): + data.setdefault("system", {})["name"] = platform.system() + + if platform.release(): + data.setdefault("system", {})["release"] = platform.release() + + if platform.machine(): + data["cpu"] = platform.machine() + + if has_tls(): + import _ssl as ssl + + data["openssl_version"] = ssl.OPENSSL_VERSION + + setuptools_dist = get_default_environment().get_distribution("setuptools") + if setuptools_dist is not None: + data["setuptools_version"] = str(setuptools_dist.version) + + if shutil.which("rustc") is not None: + # If for any reason `rustc --version` fails, silently ignore it + try: + rustc_output = subprocess.check_output( + ["rustc", "--version"], stderr=subprocess.STDOUT, timeout=0.5 + ) + except Exception: + pass + else: + if rustc_output.startswith(b"rustc "): + # The format of `rustc --version` is: + # `b'rustc 1.52.1 (9bc8c42bb 2021-05-09)\n'` + # We extract just the middle (1.52.1) part + data["rustc_version"] = rustc_output.split(b" ")[1].decode() + + # Use None rather than False so as not to give the impression that + # pip knows it is not being run under CI. Rather, it is a null or + # inconclusive result. Also, we include some value rather than no + # value to make it easier to know that the check has been run. + data["ci"] = True if looks_like_ci() else None + + user_data = os.environ.get("PIP_USER_AGENT_USER_DATA") + if user_data is not None: + data["user_data"] = user_data + + return "{data[installer][name]}/{data[installer][version]} {json}".format( + data=data, + json=json.dumps(data, separators=(",", ":"), sort_keys=True), + ) + + +class LocalFSAdapter(BaseAdapter): + def send( + self, + request: PreparedRequest, + stream: bool = False, + timeout: Optional[Union[float, Tuple[float, float]]] = None, + verify: Union[bool, str] = True, + cert: Optional[Union[str, Tuple[str, str]]] = None, + proxies: Optional[Mapping[str, str]] = None, + ) -> Response: + pathname = url_to_path(request.url) + + resp = Response() + resp.status_code = 200 + resp.url = request.url + + try: + stats = os.stat(pathname) + except OSError as exc: + # format the exception raised as a io.BytesIO object, + # to return a better error message: + resp.status_code = 404 + resp.reason = type(exc).__name__ + resp.raw = io.BytesIO(f"{resp.reason}: {exc}".encode("utf8")) + else: + modified = email.utils.formatdate(stats.st_mtime, usegmt=True) + content_type = mimetypes.guess_type(pathname)[0] or "text/plain" + resp.headers = CaseInsensitiveDict( + { + "Content-Type": content_type, + "Content-Length": stats.st_size, + "Last-Modified": modified, + } + ) + + resp.raw = open(pathname, "rb") + resp.close = resp.raw.close + + return resp + + def close(self) -> None: + pass + + +class InsecureHTTPAdapter(HTTPAdapter): + def cert_verify( + self, + conn: ConnectionPool, + url: str, + verify: Union[bool, str], + cert: Optional[Union[str, Tuple[str, str]]], + ) -> None: + super().cert_verify(conn=conn, url=url, verify=False, cert=cert) + + +class InsecureCacheControlAdapter(CacheControlAdapter): + def cert_verify( + self, + conn: ConnectionPool, + url: str, + verify: Union[bool, str], + cert: Optional[Union[str, Tuple[str, str]]], + ) -> None: + super().cert_verify(conn=conn, url=url, verify=False, cert=cert) + + +class PipSession(requests.Session): + + timeout: Optional[int] = None + + def __init__( + self, + *args: Any, + retries: int = 0, + cache: Optional[str] = None, + trusted_hosts: Sequence[str] = (), + index_urls: Optional[List[str]] = None, + **kwargs: Any, + ) -> None: + """ + :param trusted_hosts: Domains not to emit warnings for when not using + HTTPS. + """ + super().__init__(*args, **kwargs) + + # Namespace the attribute with "pip_" just in case to prevent + # possible conflicts with the base class. + self.pip_trusted_origins: List[Tuple[str, Optional[int]]] = [] + + # Attach our User Agent to the request + self.headers["User-Agent"] = user_agent() + + # Attach our Authentication handler to the session + self.auth = MultiDomainBasicAuth(index_urls=index_urls) + + # Create our urllib3.Retry instance which will allow us to customize + # how we handle retries. + retries = urllib3.Retry( + # Set the total number of retries that a particular request can + # have. + total=retries, + # A 503 error from PyPI typically means that the Fastly -> Origin + # connection got interrupted in some way. A 503 error in general + # is typically considered a transient error so we'll go ahead and + # retry it. + # A 500 may indicate transient error in Amazon S3 + # A 520 or 527 - may indicate transient error in CloudFlare + status_forcelist=[500, 503, 520, 527], + # Add a small amount of back off between failed requests in + # order to prevent hammering the service. + backoff_factor=0.25, + ) # type: ignore + + # Our Insecure HTTPAdapter disables HTTPS validation. It does not + # support caching so we'll use it for all http:// URLs. + # If caching is disabled, we will also use it for + # https:// hosts that we've marked as ignoring + # TLS errors for (trusted-hosts). + insecure_adapter = InsecureHTTPAdapter(max_retries=retries) + + # We want to _only_ cache responses on securely fetched origins or when + # the host is specified as trusted. We do this because + # we can't validate the response of an insecurely/untrusted fetched + # origin, and we don't want someone to be able to poison the cache and + # require manual eviction from the cache to fix it. + if cache: + secure_adapter = CacheControlAdapter( + cache=SafeFileCache(cache), + max_retries=retries, + ) + self._trusted_host_adapter = InsecureCacheControlAdapter( + cache=SafeFileCache(cache), + max_retries=retries, + ) + else: + secure_adapter = HTTPAdapter(max_retries=retries) + self._trusted_host_adapter = insecure_adapter + + self.mount("https://", secure_adapter) + self.mount("http://", insecure_adapter) + + # Enable file:// urls + self.mount("file://", LocalFSAdapter()) + + for host in trusted_hosts: + self.add_trusted_host(host, suppress_logging=True) + + def update_index_urls(self, new_index_urls: List[str]) -> None: + """ + :param new_index_urls: New index urls to update the authentication + handler with. + """ + self.auth.index_urls = new_index_urls + + def add_trusted_host( + self, host: str, source: Optional[str] = None, suppress_logging: bool = False + ) -> None: + """ + :param host: It is okay to provide a host that has previously been + added. + :param source: An optional source string, for logging where the host + string came from. + """ + if not suppress_logging: + msg = f"adding trusted host: {host!r}" + if source is not None: + msg += f" (from {source})" + logger.info(msg) + + host_port = parse_netloc(host) + if host_port not in self.pip_trusted_origins: + self.pip_trusted_origins.append(host_port) + + self.mount( + build_url_from_netloc(host, scheme="http") + "/", self._trusted_host_adapter + ) + self.mount(build_url_from_netloc(host) + "/", self._trusted_host_adapter) + if not host_port[1]: + self.mount( + build_url_from_netloc(host, scheme="http") + ":", + self._trusted_host_adapter, + ) + # Mount wildcard ports for the same host. + self.mount(build_url_from_netloc(host) + ":", self._trusted_host_adapter) + + def iter_secure_origins(self) -> Iterator[SecureOrigin]: + yield from SECURE_ORIGINS + for host, port in self.pip_trusted_origins: + yield ("*", host, "*" if port is None else port) + + def is_secure_origin(self, location: Link) -> bool: + # Determine if this url used a secure transport mechanism + parsed = urllib.parse.urlparse(str(location)) + origin_protocol, origin_host, origin_port = ( + parsed.scheme, + parsed.hostname, + parsed.port, + ) + + # The protocol to use to see if the protocol matches. + # Don't count the repository type as part of the protocol: in + # cases such as "git+ssh", only use "ssh". (I.e., Only verify against + # the last scheme.) + origin_protocol = origin_protocol.rsplit("+", 1)[-1] + + # Determine if our origin is a secure origin by looking through our + # hardcoded list of secure origins, as well as any additional ones + # configured on this PackageFinder instance. + for secure_origin in self.iter_secure_origins(): + secure_protocol, secure_host, secure_port = secure_origin + if origin_protocol != secure_protocol and secure_protocol != "*": + continue + + try: + addr = ipaddress.ip_address(origin_host) + network = ipaddress.ip_network(secure_host) + except ValueError: + # We don't have both a valid address or a valid network, so + # we'll check this origin against hostnames. + if ( + origin_host + and origin_host.lower() != secure_host.lower() + and secure_host != "*" + ): + continue + else: + # We have a valid address and network, so see if the address + # is contained within the network. + if addr not in network: + continue + + # Check to see if the port matches. + if ( + origin_port != secure_port + and secure_port != "*" + and secure_port is not None + ): + continue + + # If we've gotten here, then this origin matches the current + # secure origin and we should return True + return True + + # If we've gotten to this point, then the origin isn't secure and we + # will not accept it as a valid location to search. We will however + # log a warning that we are ignoring it. + logger.warning( + "The repository located at %s is not a trusted or secure host and " + "is being ignored. If this repository is available via HTTPS we " + "recommend you use HTTPS instead, otherwise you may silence " + "this warning and allow it anyway with '--trusted-host %s'.", + origin_host, + origin_host, + ) + + return False + + def request(self, method: str, url: str, *args: Any, **kwargs: Any) -> Response: + # Allow setting a default timeout on a session + kwargs.setdefault("timeout", self.timeout) + + # Dispatch the actual request + return super().request(method, url, *args, **kwargs) diff --git a/venv/Lib/site-packages/pip/_internal/network/utils.py b/venv/Lib/site-packages/pip/_internal/network/utils.py new file mode 100644 index 0000000..094cf1b --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/network/utils.py @@ -0,0 +1,96 @@ +from typing import Dict, Iterator + +from pip._vendor.requests.models import CONTENT_CHUNK_SIZE, Response + +from pip._internal.exceptions import NetworkConnectionError + +# The following comments and HTTP headers were originally added by +# Donald Stufft in git commit 22c562429a61bb77172039e480873fb239dd8c03. +# +# We use Accept-Encoding: identity here because requests defaults to +# accepting compressed responses. This breaks in a variety of ways +# depending on how the server is configured. +# - Some servers will notice that the file isn't a compressible file +# and will leave the file alone and with an empty Content-Encoding +# - Some servers will notice that the file is already compressed and +# will leave the file alone, adding a Content-Encoding: gzip header +# - Some servers won't notice anything at all and will take a file +# that's already been compressed and compress it again, and set +# the Content-Encoding: gzip header +# By setting this to request only the identity encoding we're hoping +# to eliminate the third case. Hopefully there does not exist a server +# which when given a file will notice it is already compressed and that +# you're not asking for a compressed file and will then decompress it +# before sending because if that's the case I don't think it'll ever be +# possible to make this work. +HEADERS: Dict[str, str] = {"Accept-Encoding": "identity"} + + +def raise_for_status(resp: Response) -> None: + http_error_msg = "" + if isinstance(resp.reason, bytes): + # We attempt to decode utf-8 first because some servers + # choose to localize their reason strings. If the string + # isn't utf-8, we fall back to iso-8859-1 for all other + # encodings. + try: + reason = resp.reason.decode("utf-8") + except UnicodeDecodeError: + reason = resp.reason.decode("iso-8859-1") + else: + reason = resp.reason + + if 400 <= resp.status_code < 500: + http_error_msg = ( + f"{resp.status_code} Client Error: {reason} for url: {resp.url}" + ) + + elif 500 <= resp.status_code < 600: + http_error_msg = ( + f"{resp.status_code} Server Error: {reason} for url: {resp.url}" + ) + + if http_error_msg: + raise NetworkConnectionError(http_error_msg, response=resp) + + +def response_chunks( + response: Response, chunk_size: int = CONTENT_CHUNK_SIZE +) -> Iterator[bytes]: + """Given a requests Response, provide the data chunks.""" + try: + # Special case for urllib3. + for chunk in response.raw.stream( + chunk_size, + # We use decode_content=False here because we don't + # want urllib3 to mess with the raw bytes we get + # from the server. If we decompress inside of + # urllib3 then we cannot verify the checksum + # because the checksum will be of the compressed + # file. This breakage will only occur if the + # server adds a Content-Encoding header, which + # depends on how the server was configured: + # - Some servers will notice that the file isn't a + # compressible file and will leave the file alone + # and with an empty Content-Encoding + # - Some servers will notice that the file is + # already compressed and will leave the file + # alone and will add a Content-Encoding: gzip + # header + # - Some servers won't notice anything at all and + # will take a file that's already been compressed + # and compress it again and set the + # Content-Encoding: gzip header + # + # By setting this not to decode automatically we + # hope to eliminate problems with the second case. + decode_content=False, + ): + yield chunk + except AttributeError: + # Standard file-like object. + while True: + chunk = response.raw.read(chunk_size) + if not chunk: + break + yield chunk diff --git a/venv/Lib/site-packages/pip/_internal/network/xmlrpc.py b/venv/Lib/site-packages/pip/_internal/network/xmlrpc.py new file mode 100644 index 0000000..4a7d55d --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/network/xmlrpc.py @@ -0,0 +1,60 @@ +"""xmlrpclib.Transport implementation +""" + +import logging +import urllib.parse +import xmlrpc.client +from typing import TYPE_CHECKING, Tuple + +from pip._internal.exceptions import NetworkConnectionError +from pip._internal.network.session import PipSession +from pip._internal.network.utils import raise_for_status + +if TYPE_CHECKING: + from xmlrpc.client import _HostType, _Marshallable + +logger = logging.getLogger(__name__) + + +class PipXmlrpcTransport(xmlrpc.client.Transport): + """Provide a `xmlrpclib.Transport` implementation via a `PipSession` + object. + """ + + def __init__( + self, index_url: str, session: PipSession, use_datetime: bool = False + ) -> None: + super().__init__(use_datetime) + index_parts = urllib.parse.urlparse(index_url) + self._scheme = index_parts.scheme + self._session = session + + def request( + self, + host: "_HostType", + handler: str, + request_body: bytes, + verbose: bool = False, + ) -> Tuple["_Marshallable", ...]: + assert isinstance(host, str) + parts = (self._scheme, host, handler, None, None, None) + url = urllib.parse.urlunparse(parts) + try: + headers = {"Content-Type": "text/xml"} + response = self._session.post( + url, + data=request_body, + headers=headers, + stream=True, + ) + raise_for_status(response) + self.verbose = verbose + return self.parse_response(response.raw) + except NetworkConnectionError as exc: + assert exc.response + logger.critical( + "HTTP error %s while getting %s", + exc.response.status_code, + url, + ) + raise diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/__init__.py b/venv/Lib/site-packages/pip/_internal/operations/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/operations/__init__.py rename to venv/Lib/site-packages/pip/_internal/operations/__init__.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/__init__.py b/venv/Lib/site-packages/pip/_internal/operations/build/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/__init__.py rename to venv/Lib/site-packages/pip/_internal/operations/build/__init__.py diff --git a/venv/Lib/site-packages/pip/_internal/operations/build/metadata.py b/venv/Lib/site-packages/pip/_internal/operations/build/metadata.py new file mode 100644 index 0000000..e99af46 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/operations/build/metadata.py @@ -0,0 +1,32 @@ +"""Metadata generation logic for source distributions. +""" + +import os + +from pip._vendor.pep517.wrappers import Pep517HookCaller + +from pip._internal.build_env import BuildEnvironment +from pip._internal.utils.subprocess import runner_with_spinner_message +from pip._internal.utils.temp_dir import TempDirectory + + +def generate_metadata(build_env: BuildEnvironment, backend: Pep517HookCaller) -> str: + """Generate metadata using mechanisms described in PEP 517. + + Returns the generated metadata directory. + """ + metadata_tmpdir = TempDirectory(kind="modern-metadata", globally_managed=True) + + metadata_dir = metadata_tmpdir.path + + with build_env: + # Note that Pep517HookCaller implements a fallback for + # prepare_metadata_for_build_wheel, so we don't have to + # consider the possibility that this hook doesn't exist. + runner = runner_with_spinner_message( + "Preparing wheel metadata (pyproject.toml)" + ) + with backend.subprocess_runner(runner): + distinfo_dir = backend.prepare_metadata_for_build_wheel(metadata_dir) + + return os.path.join(metadata_dir, distinfo_dir) diff --git a/venv/Lib/site-packages/pip/_internal/operations/build/metadata_editable.py b/venv/Lib/site-packages/pip/_internal/operations/build/metadata_editable.py new file mode 100644 index 0000000..13de75f --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/operations/build/metadata_editable.py @@ -0,0 +1,34 @@ +"""Metadata generation logic for source distributions. +""" + +import os + +from pip._vendor.pep517.wrappers import Pep517HookCaller + +from pip._internal.build_env import BuildEnvironment +from pip._internal.utils.subprocess import runner_with_spinner_message +from pip._internal.utils.temp_dir import TempDirectory + + +def generate_editable_metadata( + build_env: BuildEnvironment, backend: Pep517HookCaller +) -> str: + """Generate metadata using mechanisms described in PEP 660. + + Returns the generated metadata directory. + """ + metadata_tmpdir = TempDirectory(kind="modern-metadata", globally_managed=True) + + metadata_dir = metadata_tmpdir.path + + with build_env: + # Note that Pep517HookCaller implements a fallback for + # prepare_metadata_for_build_wheel/editable, so we don't have to + # consider the possibility that this hook doesn't exist. + runner = runner_with_spinner_message( + "Preparing editable metadata (pyproject.toml)" + ) + with backend.subprocess_runner(runner): + distinfo_dir = backend.prepare_metadata_for_build_editable(metadata_dir) + + return os.path.join(metadata_dir, distinfo_dir) diff --git a/venv/Lib/site-packages/pip/_internal/operations/build/metadata_legacy.py b/venv/Lib/site-packages/pip/_internal/operations/build/metadata_legacy.py new file mode 100644 index 0000000..ff52de9 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/operations/build/metadata_legacy.py @@ -0,0 +1,67 @@ +"""Metadata generation logic for legacy source distributions. +""" + +import logging +import os + +from pip._internal.build_env import BuildEnvironment +from pip._internal.cli.spinners import open_spinner +from pip._internal.exceptions import InstallationError +from pip._internal.utils.setuptools_build import make_setuptools_egg_info_args +from pip._internal.utils.subprocess import call_subprocess +from pip._internal.utils.temp_dir import TempDirectory + +logger = logging.getLogger(__name__) + + +def _find_egg_info(directory: str) -> str: + """Find an .egg-info subdirectory in `directory`.""" + filenames = [f for f in os.listdir(directory) if f.endswith(".egg-info")] + + if not filenames: + raise InstallationError(f"No .egg-info directory found in {directory}") + + if len(filenames) > 1: + raise InstallationError( + "More than one .egg-info directory found in {}".format(directory) + ) + + return os.path.join(directory, filenames[0]) + + +def generate_metadata( + build_env: BuildEnvironment, + setup_py_path: str, + source_dir: str, + isolated: bool, + details: str, +) -> str: + """Generate metadata using setup.py-based defacto mechanisms. + + Returns the generated metadata directory. + """ + logger.debug( + "Running setup.py (path:%s) egg_info for package %s", + setup_py_path, + details, + ) + + egg_info_dir = TempDirectory(kind="pip-egg-info", globally_managed=True).path + + args = make_setuptools_egg_info_args( + setup_py_path, + egg_info_dir=egg_info_dir, + no_user_config=isolated, + ) + + with build_env: + with open_spinner("Preparing metadata (setup.py)") as spinner: + call_subprocess( + args, + cwd=source_dir, + command_desc="python setup.py egg_info", + spinner=spinner, + ) + + # Return the .egg-info directory. + return _find_egg_info(egg_info_dir) diff --git a/venv/Lib/site-packages/pip/_internal/operations/build/wheel.py b/venv/Lib/site-packages/pip/_internal/operations/build/wheel.py new file mode 100644 index 0000000..b0d2fc9 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/operations/build/wheel.py @@ -0,0 +1,37 @@ +import logging +import os +from typing import Optional + +from pip._vendor.pep517.wrappers import Pep517HookCaller + +from pip._internal.utils.subprocess import runner_with_spinner_message + +logger = logging.getLogger(__name__) + + +def build_wheel_pep517( + name: str, + backend: Pep517HookCaller, + metadata_directory: str, + tempd: str, +) -> Optional[str]: + """Build one InstallRequirement using the PEP 517 build process. + + Returns path to wheel if successfully built. Otherwise, returns None. + """ + assert metadata_directory is not None + try: + logger.debug("Destination directory: %s", tempd) + + runner = runner_with_spinner_message( + f"Building wheel for {name} (pyproject.toml)" + ) + with backend.subprocess_runner(runner): + wheel_name = backend.build_wheel( + tempd, + metadata_directory=metadata_directory, + ) + except Exception: + logger.error("Failed building wheel for %s", name) + return None + return os.path.join(tempd, wheel_name) diff --git a/venv/Lib/site-packages/pip/_internal/operations/build/wheel_editable.py b/venv/Lib/site-packages/pip/_internal/operations/build/wheel_editable.py new file mode 100644 index 0000000..cf7b01a --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/operations/build/wheel_editable.py @@ -0,0 +1,46 @@ +import logging +import os +from typing import Optional + +from pip._vendor.pep517.wrappers import HookMissing, Pep517HookCaller + +from pip._internal.utils.subprocess import runner_with_spinner_message + +logger = logging.getLogger(__name__) + + +def build_wheel_editable( + name: str, + backend: Pep517HookCaller, + metadata_directory: str, + tempd: str, +) -> Optional[str]: + """Build one InstallRequirement using the PEP 660 build process. + + Returns path to wheel if successfully built. Otherwise, returns None. + """ + assert metadata_directory is not None + try: + logger.debug("Destination directory: %s", tempd) + + runner = runner_with_spinner_message( + f"Building editable for {name} (pyproject.toml)" + ) + with backend.subprocess_runner(runner): + try: + wheel_name = backend.build_editable( + tempd, + metadata_directory=metadata_directory, + ) + except HookMissing as e: + logger.error( + "Cannot build editable %s because the build " + "backend does not have the %s hook", + name, + e, + ) + return None + except Exception: + logger.error("Failed building editable for %s", name) + return None + return os.path.join(tempd, wheel_name) diff --git a/venv/Lib/site-packages/pip/_internal/operations/build/wheel_legacy.py b/venv/Lib/site-packages/pip/_internal/operations/build/wheel_legacy.py new file mode 100644 index 0000000..2d5cb26 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/operations/build/wheel_legacy.py @@ -0,0 +1,105 @@ +import logging +import os.path +from typing import List, Optional + +from pip._internal.cli.spinners import open_spinner +from pip._internal.utils.setuptools_build import make_setuptools_bdist_wheel_args +from pip._internal.utils.subprocess import ( + LOG_DIVIDER, + call_subprocess, + format_command_args, +) + +logger = logging.getLogger(__name__) + + +def format_command_result( + command_args: List[str], + command_output: str, +) -> str: + """Format command information for logging.""" + command_desc = format_command_args(command_args) + text = f"Command arguments: {command_desc}\n" + + if not command_output: + text += "Command output: None" + elif logger.getEffectiveLevel() > logging.DEBUG: + text += "Command output: [use --verbose to show]" + else: + if not command_output.endswith("\n"): + command_output += "\n" + text += f"Command output:\n{command_output}{LOG_DIVIDER}" + + return text + + +def get_legacy_build_wheel_path( + names: List[str], + temp_dir: str, + name: str, + command_args: List[str], + command_output: str, +) -> Optional[str]: + """Return the path to the wheel in the temporary build directory.""" + # Sort for determinism. + names = sorted(names) + if not names: + msg = ("Legacy build of wheel for {!r} created no files.\n").format(name) + msg += format_command_result(command_args, command_output) + logger.warning(msg) + return None + + if len(names) > 1: + msg = ( + "Legacy build of wheel for {!r} created more than one file.\n" + "Filenames (choosing first): {}\n" + ).format(name, names) + msg += format_command_result(command_args, command_output) + logger.warning(msg) + + return os.path.join(temp_dir, names[0]) + + +def build_wheel_legacy( + name: str, + setup_py_path: str, + source_dir: str, + global_options: List[str], + build_options: List[str], + tempd: str, +) -> Optional[str]: + """Build one unpacked package using the "legacy" build process. + + Returns path to wheel if successfully built. Otherwise, returns None. + """ + wheel_args = make_setuptools_bdist_wheel_args( + setup_py_path, + global_options=global_options, + build_options=build_options, + destination_dir=tempd, + ) + + spin_message = f"Building wheel for {name} (setup.py)" + with open_spinner(spin_message) as spinner: + logger.debug("Destination directory: %s", tempd) + + try: + output = call_subprocess( + wheel_args, + cwd=source_dir, + spinner=spinner, + ) + except Exception: + spinner.finish("error") + logger.error("Failed building wheel for %s", name) + return None + + names = os.listdir(tempd) + wheel_path = get_legacy_build_wheel_path( + names=names, + temp_dir=tempd, + name=name, + command_args=wheel_args, + command_output=output, + ) + return wheel_path diff --git a/venv/Lib/site-packages/pip/_internal/operations/check.py b/venv/Lib/site-packages/pip/_internal/operations/check.py new file mode 100644 index 0000000..fb3ac8b --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/operations/check.py @@ -0,0 +1,149 @@ +"""Validation of dependencies of packages +""" + +import logging +from typing import Callable, Dict, List, NamedTuple, Optional, Set, Tuple + +from pip._vendor.packaging.requirements import Requirement +from pip._vendor.packaging.utils import NormalizedName, canonicalize_name + +from pip._internal.distributions import make_distribution_for_install_requirement +from pip._internal.metadata import get_default_environment +from pip._internal.metadata.base import DistributionVersion +from pip._internal.req.req_install import InstallRequirement + +logger = logging.getLogger(__name__) + + +class PackageDetails(NamedTuple): + version: DistributionVersion + dependencies: List[Requirement] + + +# Shorthands +PackageSet = Dict[NormalizedName, PackageDetails] +Missing = Tuple[NormalizedName, Requirement] +Conflicting = Tuple[NormalizedName, DistributionVersion, Requirement] + +MissingDict = Dict[NormalizedName, List[Missing]] +ConflictingDict = Dict[NormalizedName, List[Conflicting]] +CheckResult = Tuple[MissingDict, ConflictingDict] +ConflictDetails = Tuple[PackageSet, CheckResult] + + +def create_package_set_from_installed() -> Tuple[PackageSet, bool]: + """Converts a list of distributions into a PackageSet.""" + package_set = {} + problems = False + env = get_default_environment() + for dist in env.iter_installed_distributions(local_only=False, skip=()): + name = dist.canonical_name + try: + dependencies = list(dist.iter_dependencies()) + package_set[name] = PackageDetails(dist.version, dependencies) + except (OSError, ValueError) as e: + # Don't crash on unreadable or broken metadata. + logger.warning("Error parsing requirements for %s: %s", name, e) + problems = True + return package_set, problems + + +def check_package_set( + package_set: PackageSet, should_ignore: Optional[Callable[[str], bool]] = None +) -> CheckResult: + """Check if a package set is consistent + + If should_ignore is passed, it should be a callable that takes a + package name and returns a boolean. + """ + + missing = {} + conflicting = {} + + for package_name, package_detail in package_set.items(): + # Info about dependencies of package_name + missing_deps: Set[Missing] = set() + conflicting_deps: Set[Conflicting] = set() + + if should_ignore and should_ignore(package_name): + continue + + for req in package_detail.dependencies: + name = canonicalize_name(req.name) + + # Check if it's missing + if name not in package_set: + missed = True + if req.marker is not None: + missed = req.marker.evaluate() + if missed: + missing_deps.add((name, req)) + continue + + # Check if there's a conflict + version = package_set[name].version + if not req.specifier.contains(version, prereleases=True): + conflicting_deps.add((name, version, req)) + + if missing_deps: + missing[package_name] = sorted(missing_deps, key=str) + if conflicting_deps: + conflicting[package_name] = sorted(conflicting_deps, key=str) + + return missing, conflicting + + +def check_install_conflicts(to_install: List[InstallRequirement]) -> ConflictDetails: + """For checking if the dependency graph would be consistent after \ + installing given requirements + """ + # Start from the current state + package_set, _ = create_package_set_from_installed() + # Install packages + would_be_installed = _simulate_installation_of(to_install, package_set) + + # Only warn about directly-dependent packages; create a whitelist of them + whitelist = _create_whitelist(would_be_installed, package_set) + + return ( + package_set, + check_package_set( + package_set, should_ignore=lambda name: name not in whitelist + ), + ) + + +def _simulate_installation_of( + to_install: List[InstallRequirement], package_set: PackageSet +) -> Set[NormalizedName]: + """Computes the version of packages after installing to_install.""" + # Keep track of packages that were installed + installed = set() + + # Modify it as installing requirement_set would (assuming no errors) + for inst_req in to_install: + abstract_dist = make_distribution_for_install_requirement(inst_req) + dist = abstract_dist.get_metadata_distribution() + name = dist.canonical_name + package_set[name] = PackageDetails(dist.version, list(dist.iter_dependencies())) + + installed.add(name) + + return installed + + +def _create_whitelist( + would_be_installed: Set[NormalizedName], package_set: PackageSet +) -> Set[NormalizedName]: + packages_affected = set(would_be_installed) + + for package_name in package_set: + if package_name in packages_affected: + continue + + for req in package_set[package_name].dependencies: + if canonicalize_name(req.name) in packages_affected: + packages_affected.add(package_name) + break + + return packages_affected diff --git a/venv/Lib/site-packages/pip/_internal/operations/freeze.py b/venv/Lib/site-packages/pip/_internal/operations/freeze.py new file mode 100644 index 0000000..4565540 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/operations/freeze.py @@ -0,0 +1,254 @@ +import collections +import logging +import os +from typing import Container, Dict, Iterable, Iterator, List, NamedTuple, Optional, Set + +from pip._vendor.packaging.utils import canonicalize_name +from pip._vendor.packaging.version import Version + +from pip._internal.exceptions import BadCommand, InstallationError +from pip._internal.metadata import BaseDistribution, get_environment +from pip._internal.req.constructors import ( + install_req_from_editable, + install_req_from_line, +) +from pip._internal.req.req_file import COMMENT_RE +from pip._internal.utils.direct_url_helpers import direct_url_as_pep440_direct_reference + +logger = logging.getLogger(__name__) + + +class _EditableInfo(NamedTuple): + requirement: str + comments: List[str] + + +def freeze( + requirement: Optional[List[str]] = None, + local_only: bool = False, + user_only: bool = False, + paths: Optional[List[str]] = None, + isolated: bool = False, + exclude_editable: bool = False, + skip: Container[str] = (), +) -> Iterator[str]: + installations: Dict[str, FrozenRequirement] = {} + + dists = get_environment(paths).iter_installed_distributions( + local_only=local_only, + skip=(), + user_only=user_only, + ) + for dist in dists: + req = FrozenRequirement.from_dist(dist) + if exclude_editable and req.editable: + continue + installations[req.canonical_name] = req + + if requirement: + # the options that don't get turned into an InstallRequirement + # should only be emitted once, even if the same option is in multiple + # requirements files, so we need to keep track of what has been emitted + # so that we don't emit it again if it's seen again + emitted_options: Set[str] = set() + # keep track of which files a requirement is in so that we can + # give an accurate warning if a requirement appears multiple times. + req_files: Dict[str, List[str]] = collections.defaultdict(list) + for req_file_path in requirement: + with open(req_file_path) as req_file: + for line in req_file: + if ( + not line.strip() + or line.strip().startswith("#") + or line.startswith( + ( + "-r", + "--requirement", + "-f", + "--find-links", + "-i", + "--index-url", + "--pre", + "--trusted-host", + "--process-dependency-links", + "--extra-index-url", + "--use-feature", + ) + ) + ): + line = line.rstrip() + if line not in emitted_options: + emitted_options.add(line) + yield line + continue + + if line.startswith("-e") or line.startswith("--editable"): + if line.startswith("-e"): + line = line[2:].strip() + else: + line = line[len("--editable") :].strip().lstrip("=") + line_req = install_req_from_editable( + line, + isolated=isolated, + ) + else: + line_req = install_req_from_line( + COMMENT_RE.sub("", line).strip(), + isolated=isolated, + ) + + if not line_req.name: + logger.info( + "Skipping line in requirement file [%s] because " + "it's not clear what it would install: %s", + req_file_path, + line.strip(), + ) + logger.info( + " (add #egg=PackageName to the URL to avoid" + " this warning)" + ) + else: + line_req_canonical_name = canonicalize_name(line_req.name) + if line_req_canonical_name not in installations: + # either it's not installed, or it is installed + # but has been processed already + if not req_files[line_req.name]: + logger.warning( + "Requirement file [%s] contains %s, but " + "package %r is not installed", + req_file_path, + COMMENT_RE.sub("", line).strip(), + line_req.name, + ) + else: + req_files[line_req.name].append(req_file_path) + else: + yield str(installations[line_req_canonical_name]).rstrip() + del installations[line_req_canonical_name] + req_files[line_req.name].append(req_file_path) + + # Warn about requirements that were included multiple times (in a + # single requirements file or in different requirements files). + for name, files in req_files.items(): + if len(files) > 1: + logger.warning( + "Requirement %s included multiple times [%s]", + name, + ", ".join(sorted(set(files))), + ) + + yield ("## The following requirements were added by pip freeze:") + for installation in sorted(installations.values(), key=lambda x: x.name.lower()): + if installation.canonical_name not in skip: + yield str(installation).rstrip() + + +def _format_as_name_version(dist: BaseDistribution) -> str: + if isinstance(dist.version, Version): + return f"{dist.raw_name}=={dist.version}" + return f"{dist.raw_name}==={dist.version}" + + +def _get_editable_info(dist: BaseDistribution) -> _EditableInfo: + """ + Compute and return values (req, comments) for use in + FrozenRequirement.from_dist(). + """ + editable_project_location = dist.editable_project_location + assert editable_project_location + location = os.path.normcase(os.path.abspath(editable_project_location)) + + from pip._internal.vcs import RemoteNotFoundError, RemoteNotValidError, vcs + + vcs_backend = vcs.get_backend_for_dir(location) + + if vcs_backend is None: + display = _format_as_name_version(dist) + logger.debug( + 'No VCS found for editable requirement "%s" in: %r', + display, + location, + ) + return _EditableInfo( + requirement=location, + comments=[f"# Editable install with no version control ({display})"], + ) + + vcs_name = type(vcs_backend).__name__ + + try: + req = vcs_backend.get_src_requirement(location, dist.raw_name) + except RemoteNotFoundError: + display = _format_as_name_version(dist) + return _EditableInfo( + requirement=location, + comments=[f"# Editable {vcs_name} install with no remote ({display})"], + ) + except RemoteNotValidError as ex: + display = _format_as_name_version(dist) + return _EditableInfo( + requirement=location, + comments=[ + f"# Editable {vcs_name} install ({display}) with either a deleted " + f"local remote or invalid URI:", + f"# '{ex.url}'", + ], + ) + except BadCommand: + logger.warning( + "cannot determine version of editable source in %s " + "(%s command not found in path)", + location, + vcs_backend.name, + ) + return _EditableInfo(requirement=location, comments=[]) + except InstallationError as exc: + logger.warning("Error when trying to get requirement for VCS system %s", exc) + else: + return _EditableInfo(requirement=req, comments=[]) + + logger.warning("Could not determine repository location of %s", location) + + return _EditableInfo( + requirement=location, + comments=["## !! Could not determine repository location"], + ) + + +class FrozenRequirement: + def __init__( + self, + name: str, + req: str, + editable: bool, + comments: Iterable[str] = (), + ) -> None: + self.name = name + self.canonical_name = canonicalize_name(name) + self.req = req + self.editable = editable + self.comments = comments + + @classmethod + def from_dist(cls, dist: BaseDistribution) -> "FrozenRequirement": + editable = dist.editable + if editable: + req, comments = _get_editable_info(dist) + else: + comments = [] + direct_url = dist.direct_url + if direct_url: + # if PEP 610 metadata is present, use it + req = direct_url_as_pep440_direct_reference(direct_url, dist.raw_name) + else: + # name==version requirement + req = _format_as_name_version(dist) + + return cls(dist.raw_name, req, editable, comments=comments) + + def __str__(self) -> str: + req = self.req + if self.editable: + req = f"-e {req}" + return "\n".join(list(self.comments) + [str(req)]) + "\n" diff --git a/venv/Lib/site-packages/pip/_internal/operations/install/__init__.py b/venv/Lib/site-packages/pip/_internal/operations/install/__init__.py new file mode 100644 index 0000000..24d6a5d --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/operations/install/__init__.py @@ -0,0 +1,2 @@ +"""For modules related to installing packages. +""" diff --git a/venv/Lib/site-packages/pip/_internal/operations/install/editable_legacy.py b/venv/Lib/site-packages/pip/_internal/operations/install/editable_legacy.py new file mode 100644 index 0000000..5bd72ca --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/operations/install/editable_legacy.py @@ -0,0 +1,46 @@ +"""Legacy editable installation process, i.e. `setup.py develop`. +""" +import logging +from typing import List, Optional, Sequence + +from pip._internal.build_env import BuildEnvironment +from pip._internal.utils.logging import indent_log +from pip._internal.utils.setuptools_build import make_setuptools_develop_args +from pip._internal.utils.subprocess import call_subprocess + +logger = logging.getLogger(__name__) + + +def install_editable( + install_options: List[str], + global_options: Sequence[str], + prefix: Optional[str], + home: Optional[str], + use_user_site: bool, + name: str, + setup_py_path: str, + isolated: bool, + build_env: BuildEnvironment, + unpacked_source_directory: str, +) -> None: + """Install a package in editable mode. Most arguments are pass-through + to setuptools. + """ + logger.info("Running setup.py develop for %s", name) + + args = make_setuptools_develop_args( + setup_py_path, + global_options=global_options, + install_options=install_options, + no_user_config=isolated, + prefix=prefix, + home=home, + use_user_site=use_user_site, + ) + + with indent_log(): + with build_env: + call_subprocess( + args, + cwd=unpacked_source_directory, + ) diff --git a/venv/Lib/site-packages/pip/_internal/operations/install/legacy.py b/venv/Lib/site-packages/pip/_internal/operations/install/legacy.py new file mode 100644 index 0000000..2206c93 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/operations/install/legacy.py @@ -0,0 +1,125 @@ +"""Legacy installation process, i.e. `setup.py install`. +""" + +import logging +import os +from distutils.util import change_root +from typing import List, Optional, Sequence + +from pip._internal.build_env import BuildEnvironment +from pip._internal.exceptions import InstallationError +from pip._internal.models.scheme import Scheme +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import ensure_dir +from pip._internal.utils.setuptools_build import make_setuptools_install_args +from pip._internal.utils.subprocess import runner_with_spinner_message +from pip._internal.utils.temp_dir import TempDirectory + +logger = logging.getLogger(__name__) + + +class LegacyInstallFailure(Exception): + pass + + +def write_installed_files_from_setuptools_record( + record_lines: List[str], + root: Optional[str], + req_description: str, +) -> None: + def prepend_root(path: str) -> str: + if root is None or not os.path.isabs(path): + return path + else: + return change_root(root, path) + + for line in record_lines: + directory = os.path.dirname(line) + if directory.endswith(".egg-info"): + egg_info_dir = prepend_root(directory) + break + else: + message = ( + "{} did not indicate that it installed an " + ".egg-info directory. Only setup.py projects " + "generating .egg-info directories are supported." + ).format(req_description) + raise InstallationError(message) + + new_lines = [] + for line in record_lines: + filename = line.strip() + if os.path.isdir(filename): + filename += os.path.sep + new_lines.append(os.path.relpath(prepend_root(filename), egg_info_dir)) + new_lines.sort() + ensure_dir(egg_info_dir) + inst_files_path = os.path.join(egg_info_dir, "installed-files.txt") + with open(inst_files_path, "w") as f: + f.write("\n".join(new_lines) + "\n") + + +def install( + install_options: List[str], + global_options: Sequence[str], + root: Optional[str], + home: Optional[str], + prefix: Optional[str], + use_user_site: bool, + pycompile: bool, + scheme: Scheme, + setup_py_path: str, + isolated: bool, + req_name: str, + build_env: BuildEnvironment, + unpacked_source_directory: str, + req_description: str, +) -> bool: + + header_dir = scheme.headers + + with TempDirectory(kind="record") as temp_dir: + try: + record_filename = os.path.join(temp_dir.path, "install-record.txt") + install_args = make_setuptools_install_args( + setup_py_path, + global_options=global_options, + install_options=install_options, + record_filename=record_filename, + root=root, + prefix=prefix, + header_dir=header_dir, + home=home, + use_user_site=use_user_site, + no_user_config=isolated, + pycompile=pycompile, + ) + + runner = runner_with_spinner_message( + f"Running setup.py install for {req_name}" + ) + with indent_log(), build_env: + runner( + cmd=install_args, + cwd=unpacked_source_directory, + ) + + if not os.path.exists(record_filename): + logger.debug("Record file %s not found", record_filename) + # Signal to the caller that we didn't install the new package + return False + + except Exception as e: + # Signal to the caller that we didn't install the new package + raise LegacyInstallFailure from e + + # At this point, we have successfully installed the requirement. + + # We intentionally do not use any encoding to read the file because + # setuptools writes the file using distutils.file_util.write_file, + # which does not specify an encoding. + with open(record_filename) as f: + record_lines = f.read().splitlines() + + write_installed_files_from_setuptools_record(record_lines, root, req_description) + return True diff --git a/venv/Lib/site-packages/pip/_internal/operations/install/wheel.py b/venv/Lib/site-packages/pip/_internal/operations/install/wheel.py new file mode 100644 index 0000000..e191b13 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/operations/install/wheel.py @@ -0,0 +1,738 @@ +"""Support for installing and building the "wheel" binary package format. +""" + +import collections +import compileall +import contextlib +import csv +import importlib +import logging +import os.path +import re +import shutil +import sys +import warnings +from base64 import urlsafe_b64encode +from email.message import Message +from itertools import chain, filterfalse, starmap +from typing import ( + IO, + TYPE_CHECKING, + Any, + BinaryIO, + Callable, + Dict, + Iterable, + Iterator, + List, + NewType, + Optional, + Sequence, + Set, + Tuple, + Union, + cast, +) +from zipfile import ZipFile, ZipInfo + +from pip._vendor.distlib.scripts import ScriptMaker +from pip._vendor.distlib.util import get_export_entry +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.exceptions import InstallationError +from pip._internal.locations import get_major_minor_version +from pip._internal.metadata import ( + BaseDistribution, + FilesystemWheel, + get_wheel_distribution, +) +from pip._internal.models.direct_url import DIRECT_URL_METADATA_NAME, DirectUrl +from pip._internal.models.scheme import SCHEME_KEYS, Scheme +from pip._internal.utils.filesystem import adjacent_tmp_file, replace +from pip._internal.utils.misc import captured_stdout, ensure_dir, hash_file, partition +from pip._internal.utils.unpacking import ( + current_umask, + is_within_directory, + set_extracted_file_to_default_mode_plus_executable, + zip_item_is_executable, +) +from pip._internal.utils.wheel import parse_wheel + +if TYPE_CHECKING: + from typing import Protocol + + class File(Protocol): + src_record_path: "RecordPath" + dest_path: str + changed: bool + + def save(self) -> None: + pass + + +logger = logging.getLogger(__name__) + +RecordPath = NewType("RecordPath", str) +InstalledCSVRow = Tuple[RecordPath, str, Union[int, str]] + + +def rehash(path: str, blocksize: int = 1 << 20) -> Tuple[str, str]: + """Return (encoded_digest, length) for path using hashlib.sha256()""" + h, length = hash_file(path, blocksize) + digest = "sha256=" + urlsafe_b64encode(h.digest()).decode("latin1").rstrip("=") + return (digest, str(length)) + + +def csv_io_kwargs(mode: str) -> Dict[str, Any]: + """Return keyword arguments to properly open a CSV file + in the given mode. + """ + return {"mode": mode, "newline": "", "encoding": "utf-8"} + + +def fix_script(path: str) -> bool: + """Replace #!python with #!/path/to/python + Return True if file was changed. + """ + # XXX RECORD hashes will need to be updated + assert os.path.isfile(path) + + with open(path, "rb") as script: + firstline = script.readline() + if not firstline.startswith(b"#!python"): + return False + exename = sys.executable.encode(sys.getfilesystemencoding()) + firstline = b"#!" + exename + os.linesep.encode("ascii") + rest = script.read() + with open(path, "wb") as script: + script.write(firstline) + script.write(rest) + return True + + +def wheel_root_is_purelib(metadata: Message) -> bool: + return metadata.get("Root-Is-Purelib", "").lower() == "true" + + +def get_entrypoints(dist: BaseDistribution) -> Tuple[Dict[str, str], Dict[str, str]]: + console_scripts = {} + gui_scripts = {} + for entry_point in dist.iter_entry_points(): + if entry_point.group == "console_scripts": + console_scripts[entry_point.name] = entry_point.value + elif entry_point.group == "gui_scripts": + gui_scripts[entry_point.name] = entry_point.value + return console_scripts, gui_scripts + + +def message_about_scripts_not_on_PATH(scripts: Sequence[str]) -> Optional[str]: + """Determine if any scripts are not on PATH and format a warning. + Returns a warning message if one or more scripts are not on PATH, + otherwise None. + """ + if not scripts: + return None + + # Group scripts by the path they were installed in + grouped_by_dir: Dict[str, Set[str]] = collections.defaultdict(set) + for destfile in scripts: + parent_dir = os.path.dirname(destfile) + script_name = os.path.basename(destfile) + grouped_by_dir[parent_dir].add(script_name) + + # We don't want to warn for directories that are on PATH. + not_warn_dirs = [ + os.path.normcase(i).rstrip(os.sep) + for i in os.environ.get("PATH", "").split(os.pathsep) + ] + # If an executable sits with sys.executable, we don't warn for it. + # This covers the case of venv invocations without activating the venv. + not_warn_dirs.append(os.path.normcase(os.path.dirname(sys.executable))) + warn_for: Dict[str, Set[str]] = { + parent_dir: scripts + for parent_dir, scripts in grouped_by_dir.items() + if os.path.normcase(parent_dir) not in not_warn_dirs + } + if not warn_for: + return None + + # Format a message + msg_lines = [] + for parent_dir, dir_scripts in warn_for.items(): + sorted_scripts: List[str] = sorted(dir_scripts) + if len(sorted_scripts) == 1: + start_text = "script {} is".format(sorted_scripts[0]) + else: + start_text = "scripts {} are".format( + ", ".join(sorted_scripts[:-1]) + " and " + sorted_scripts[-1] + ) + + msg_lines.append( + "The {} installed in '{}' which is not on PATH.".format( + start_text, parent_dir + ) + ) + + last_line_fmt = ( + "Consider adding {} to PATH or, if you prefer " + "to suppress this warning, use --no-warn-script-location." + ) + if len(msg_lines) == 1: + msg_lines.append(last_line_fmt.format("this directory")) + else: + msg_lines.append(last_line_fmt.format("these directories")) + + # Add a note if any directory starts with ~ + warn_for_tilde = any( + i[0] == "~" for i in os.environ.get("PATH", "").split(os.pathsep) if i + ) + if warn_for_tilde: + tilde_warning_msg = ( + "NOTE: The current PATH contains path(s) starting with `~`, " + "which may not be expanded by all applications." + ) + msg_lines.append(tilde_warning_msg) + + # Returns the formatted multiline message + return "\n".join(msg_lines) + + +def _normalized_outrows( + outrows: Iterable[InstalledCSVRow], +) -> List[Tuple[str, str, str]]: + """Normalize the given rows of a RECORD file. + + Items in each row are converted into str. Rows are then sorted to make + the value more predictable for tests. + + Each row is a 3-tuple (path, hash, size) and corresponds to a record of + a RECORD file (see PEP 376 and PEP 427 for details). For the rows + passed to this function, the size can be an integer as an int or string, + or the empty string. + """ + # Normally, there should only be one row per path, in which case the + # second and third elements don't come into play when sorting. + # However, in cases in the wild where a path might happen to occur twice, + # we don't want the sort operation to trigger an error (but still want + # determinism). Since the third element can be an int or string, we + # coerce each element to a string to avoid a TypeError in this case. + # For additional background, see-- + # https://github.com/pypa/pip/issues/5868 + return sorted( + (record_path, hash_, str(size)) for record_path, hash_, size in outrows + ) + + +def _record_to_fs_path(record_path: RecordPath) -> str: + return record_path + + +def _fs_to_record_path(path: str, relative_to: Optional[str] = None) -> RecordPath: + if relative_to is not None: + # On Windows, do not handle relative paths if they belong to different + # logical disks + if ( + os.path.splitdrive(path)[0].lower() + == os.path.splitdrive(relative_to)[0].lower() + ): + path = os.path.relpath(path, relative_to) + path = path.replace(os.path.sep, "/") + return cast("RecordPath", path) + + +def get_csv_rows_for_installed( + old_csv_rows: List[List[str]], + installed: Dict[RecordPath, RecordPath], + changed: Set[RecordPath], + generated: List[str], + lib_dir: str, +) -> List[InstalledCSVRow]: + """ + :param installed: A map from archive RECORD path to installation RECORD + path. + """ + installed_rows: List[InstalledCSVRow] = [] + for row in old_csv_rows: + if len(row) > 3: + logger.warning("RECORD line has more than three elements: %s", row) + old_record_path = cast("RecordPath", row[0]) + new_record_path = installed.pop(old_record_path, old_record_path) + if new_record_path in changed: + digest, length = rehash(_record_to_fs_path(new_record_path)) + else: + digest = row[1] if len(row) > 1 else "" + length = row[2] if len(row) > 2 else "" + installed_rows.append((new_record_path, digest, length)) + for f in generated: + path = _fs_to_record_path(f, lib_dir) + digest, length = rehash(f) + installed_rows.append((path, digest, length)) + for installed_record_path in installed.values(): + installed_rows.append((installed_record_path, "", "")) + return installed_rows + + +def get_console_script_specs(console: Dict[str, str]) -> List[str]: + """ + Given the mapping from entrypoint name to callable, return the relevant + console script specs. + """ + # Don't mutate caller's version + console = console.copy() + + scripts_to_generate = [] + + # Special case pip and setuptools to generate versioned wrappers + # + # The issue is that some projects (specifically, pip and setuptools) use + # code in setup.py to create "versioned" entry points - pip2.7 on Python + # 2.7, pip3.3 on Python 3.3, etc. But these entry points are baked into + # the wheel metadata at build time, and so if the wheel is installed with + # a *different* version of Python the entry points will be wrong. The + # correct fix for this is to enhance the metadata to be able to describe + # such versioned entry points, but that won't happen till Metadata 2.0 is + # available. + # In the meantime, projects using versioned entry points will either have + # incorrect versioned entry points, or they will not be able to distribute + # "universal" wheels (i.e., they will need a wheel per Python version). + # + # Because setuptools and pip are bundled with _ensurepip and virtualenv, + # we need to use universal wheels. So, as a stopgap until Metadata 2.0, we + # override the versioned entry points in the wheel and generate the + # correct ones. This code is purely a short-term measure until Metadata 2.0 + # is available. + # + # To add the level of hack in this section of code, in order to support + # ensurepip this code will look for an ``ENSUREPIP_OPTIONS`` environment + # variable which will control which version scripts get installed. + # + # ENSUREPIP_OPTIONS=altinstall + # - Only pipX.Y and easy_install-X.Y will be generated and installed + # ENSUREPIP_OPTIONS=install + # - pipX.Y, pipX, easy_install-X.Y will be generated and installed. Note + # that this option is technically if ENSUREPIP_OPTIONS is set and is + # not altinstall + # DEFAULT + # - The default behavior is to install pip, pipX, pipX.Y, easy_install + # and easy_install-X.Y. + pip_script = console.pop("pip", None) + if pip_script: + if "ENSUREPIP_OPTIONS" not in os.environ: + scripts_to_generate.append("pip = " + pip_script) + + if os.environ.get("ENSUREPIP_OPTIONS", "") != "altinstall": + scripts_to_generate.append( + "pip{} = {}".format(sys.version_info[0], pip_script) + ) + + scripts_to_generate.append(f"pip{get_major_minor_version()} = {pip_script}") + # Delete any other versioned pip entry points + pip_ep = [k for k in console if re.match(r"pip(\d(\.\d)?)?$", k)] + for k in pip_ep: + del console[k] + easy_install_script = console.pop("easy_install", None) + if easy_install_script: + if "ENSUREPIP_OPTIONS" not in os.environ: + scripts_to_generate.append("easy_install = " + easy_install_script) + + scripts_to_generate.append( + "easy_install-{} = {}".format( + get_major_minor_version(), easy_install_script + ) + ) + # Delete any other versioned easy_install entry points + easy_install_ep = [ + k for k in console if re.match(r"easy_install(-\d\.\d)?$", k) + ] + for k in easy_install_ep: + del console[k] + + # Generate the console entry points specified in the wheel + scripts_to_generate.extend(starmap("{} = {}".format, console.items())) + + return scripts_to_generate + + +class ZipBackedFile: + def __init__( + self, src_record_path: RecordPath, dest_path: str, zip_file: ZipFile + ) -> None: + self.src_record_path = src_record_path + self.dest_path = dest_path + self._zip_file = zip_file + self.changed = False + + def _getinfo(self) -> ZipInfo: + return self._zip_file.getinfo(self.src_record_path) + + def save(self) -> None: + # directory creation is lazy and after file filtering + # to ensure we don't install empty dirs; empty dirs can't be + # uninstalled. + parent_dir = os.path.dirname(self.dest_path) + ensure_dir(parent_dir) + + # When we open the output file below, any existing file is truncated + # before we start writing the new contents. This is fine in most + # cases, but can cause a segfault if pip has loaded a shared + # object (e.g. from pyopenssl through its vendored urllib3) + # Since the shared object is mmap'd an attempt to call a + # symbol in it will then cause a segfault. Unlinking the file + # allows writing of new contents while allowing the process to + # continue to use the old copy. + if os.path.exists(self.dest_path): + os.unlink(self.dest_path) + + zipinfo = self._getinfo() + + with self._zip_file.open(zipinfo) as f: + with open(self.dest_path, "wb") as dest: + shutil.copyfileobj(f, dest) + + if zip_item_is_executable(zipinfo): + set_extracted_file_to_default_mode_plus_executable(self.dest_path) + + +class ScriptFile: + def __init__(self, file: "File") -> None: + self._file = file + self.src_record_path = self._file.src_record_path + self.dest_path = self._file.dest_path + self.changed = False + + def save(self) -> None: + self._file.save() + self.changed = fix_script(self.dest_path) + + +class MissingCallableSuffix(InstallationError): + def __init__(self, entry_point: str) -> None: + super().__init__( + "Invalid script entry point: {} - A callable " + "suffix is required. Cf https://packaging.python.org/" + "specifications/entry-points/#use-for-scripts for more " + "information.".format(entry_point) + ) + + +def _raise_for_invalid_entrypoint(specification: str) -> None: + entry = get_export_entry(specification) + if entry is not None and entry.suffix is None: + raise MissingCallableSuffix(str(entry)) + + +class PipScriptMaker(ScriptMaker): + def make(self, specification: str, options: Dict[str, Any] = None) -> List[str]: + _raise_for_invalid_entrypoint(specification) + return super().make(specification, options) + + +def _install_wheel( + name: str, + wheel_zip: ZipFile, + wheel_path: str, + scheme: Scheme, + pycompile: bool = True, + warn_script_location: bool = True, + direct_url: Optional[DirectUrl] = None, + requested: bool = False, +) -> None: + """Install a wheel. + + :param name: Name of the project to install + :param wheel_zip: open ZipFile for wheel being installed + :param scheme: Distutils scheme dictating the install directories + :param req_description: String used in place of the requirement, for + logging + :param pycompile: Whether to byte-compile installed Python files + :param warn_script_location: Whether to check that scripts are installed + into a directory on PATH + :raises UnsupportedWheel: + * when the directory holds an unpacked wheel with incompatible + Wheel-Version + * when the .dist-info dir does not match the wheel + """ + info_dir, metadata = parse_wheel(wheel_zip, name) + + if wheel_root_is_purelib(metadata): + lib_dir = scheme.purelib + else: + lib_dir = scheme.platlib + + # Record details of the files moved + # installed = files copied from the wheel to the destination + # changed = files changed while installing (scripts #! line typically) + # generated = files newly generated during the install (script wrappers) + installed: Dict[RecordPath, RecordPath] = {} + changed: Set[RecordPath] = set() + generated: List[str] = [] + + def record_installed( + srcfile: RecordPath, destfile: str, modified: bool = False + ) -> None: + """Map archive RECORD paths to installation RECORD paths.""" + newpath = _fs_to_record_path(destfile, lib_dir) + installed[srcfile] = newpath + if modified: + changed.add(_fs_to_record_path(destfile)) + + def is_dir_path(path: RecordPath) -> bool: + return path.endswith("/") + + def assert_no_path_traversal(dest_dir_path: str, target_path: str) -> None: + if not is_within_directory(dest_dir_path, target_path): + message = ( + "The wheel {!r} has a file {!r} trying to install" + " outside the target directory {!r}" + ) + raise InstallationError( + message.format(wheel_path, target_path, dest_dir_path) + ) + + def root_scheme_file_maker( + zip_file: ZipFile, dest: str + ) -> Callable[[RecordPath], "File"]: + def make_root_scheme_file(record_path: RecordPath) -> "File": + normed_path = os.path.normpath(record_path) + dest_path = os.path.join(dest, normed_path) + assert_no_path_traversal(dest, dest_path) + return ZipBackedFile(record_path, dest_path, zip_file) + + return make_root_scheme_file + + def data_scheme_file_maker( + zip_file: ZipFile, scheme: Scheme + ) -> Callable[[RecordPath], "File"]: + scheme_paths = {key: getattr(scheme, key) for key in SCHEME_KEYS} + + def make_data_scheme_file(record_path: RecordPath) -> "File": + normed_path = os.path.normpath(record_path) + try: + _, scheme_key, dest_subpath = normed_path.split(os.path.sep, 2) + except ValueError: + message = ( + "Unexpected file in {}: {!r}. .data directory contents" + " should be named like: '<scheme key>/<path>'." + ).format(wheel_path, record_path) + raise InstallationError(message) + + try: + scheme_path = scheme_paths[scheme_key] + except KeyError: + valid_scheme_keys = ", ".join(sorted(scheme_paths)) + message = ( + "Unknown scheme key used in {}: {} (for file {!r}). .data" + " directory contents should be in subdirectories named" + " with a valid scheme key ({})" + ).format(wheel_path, scheme_key, record_path, valid_scheme_keys) + raise InstallationError(message) + + dest_path = os.path.join(scheme_path, dest_subpath) + assert_no_path_traversal(scheme_path, dest_path) + return ZipBackedFile(record_path, dest_path, zip_file) + + return make_data_scheme_file + + def is_data_scheme_path(path: RecordPath) -> bool: + return path.split("/", 1)[0].endswith(".data") + + paths = cast(List[RecordPath], wheel_zip.namelist()) + file_paths = filterfalse(is_dir_path, paths) + root_scheme_paths, data_scheme_paths = partition(is_data_scheme_path, file_paths) + + make_root_scheme_file = root_scheme_file_maker(wheel_zip, lib_dir) + files: Iterator[File] = map(make_root_scheme_file, root_scheme_paths) + + def is_script_scheme_path(path: RecordPath) -> bool: + parts = path.split("/", 2) + return len(parts) > 2 and parts[0].endswith(".data") and parts[1] == "scripts" + + other_scheme_paths, script_scheme_paths = partition( + is_script_scheme_path, data_scheme_paths + ) + + make_data_scheme_file = data_scheme_file_maker(wheel_zip, scheme) + other_scheme_files = map(make_data_scheme_file, other_scheme_paths) + files = chain(files, other_scheme_files) + + # Get the defined entry points + distribution = get_wheel_distribution( + FilesystemWheel(wheel_path), + canonicalize_name(name), + ) + console, gui = get_entrypoints(distribution) + + def is_entrypoint_wrapper(file: "File") -> bool: + # EP, EP.exe and EP-script.py are scripts generated for + # entry point EP by setuptools + path = file.dest_path + name = os.path.basename(path) + if name.lower().endswith(".exe"): + matchname = name[:-4] + elif name.lower().endswith("-script.py"): + matchname = name[:-10] + elif name.lower().endswith(".pya"): + matchname = name[:-4] + else: + matchname = name + # Ignore setuptools-generated scripts + return matchname in console or matchname in gui + + script_scheme_files: Iterator[File] = map( + make_data_scheme_file, script_scheme_paths + ) + script_scheme_files = filterfalse(is_entrypoint_wrapper, script_scheme_files) + script_scheme_files = map(ScriptFile, script_scheme_files) + files = chain(files, script_scheme_files) + + for file in files: + file.save() + record_installed(file.src_record_path, file.dest_path, file.changed) + + def pyc_source_file_paths() -> Iterator[str]: + # We de-duplicate installation paths, since there can be overlap (e.g. + # file in .data maps to same location as file in wheel root). + # Sorting installation paths makes it easier to reproduce and debug + # issues related to permissions on existing files. + for installed_path in sorted(set(installed.values())): + full_installed_path = os.path.join(lib_dir, installed_path) + if not os.path.isfile(full_installed_path): + continue + if not full_installed_path.endswith(".py"): + continue + yield full_installed_path + + def pyc_output_path(path: str) -> str: + """Return the path the pyc file would have been written to.""" + return importlib.util.cache_from_source(path) + + # Compile all of the pyc files for the installed files + if pycompile: + with captured_stdout() as stdout: + with warnings.catch_warnings(): + warnings.filterwarnings("ignore") + for path in pyc_source_file_paths(): + success = compileall.compile_file(path, force=True, quiet=True) + if success: + pyc_path = pyc_output_path(path) + assert os.path.exists(pyc_path) + pyc_record_path = cast( + "RecordPath", pyc_path.replace(os.path.sep, "/") + ) + record_installed(pyc_record_path, pyc_path) + logger.debug(stdout.getvalue()) + + maker = PipScriptMaker(None, scheme.scripts) + + # Ensure old scripts are overwritten. + # See https://github.com/pypa/pip/issues/1800 + maker.clobber = True + + # Ensure we don't generate any variants for scripts because this is almost + # never what somebody wants. + # See https://bitbucket.org/pypa/distlib/issue/35/ + maker.variants = {""} + + # This is required because otherwise distlib creates scripts that are not + # executable. + # See https://bitbucket.org/pypa/distlib/issue/32/ + maker.set_mode = True + + # Generate the console and GUI entry points specified in the wheel + scripts_to_generate = get_console_script_specs(console) + + gui_scripts_to_generate = list(starmap("{} = {}".format, gui.items())) + + generated_console_scripts = maker.make_multiple(scripts_to_generate) + generated.extend(generated_console_scripts) + + generated.extend(maker.make_multiple(gui_scripts_to_generate, {"gui": True})) + + if warn_script_location: + msg = message_about_scripts_not_on_PATH(generated_console_scripts) + if msg is not None: + logger.warning(msg) + + generated_file_mode = 0o666 & ~current_umask() + + @contextlib.contextmanager + def _generate_file(path: str, **kwargs: Any) -> Iterator[BinaryIO]: + with adjacent_tmp_file(path, **kwargs) as f: + yield f + os.chmod(f.name, generated_file_mode) + replace(f.name, path) + + dest_info_dir = os.path.join(lib_dir, info_dir) + + # Record pip as the installer + installer_path = os.path.join(dest_info_dir, "INSTALLER") + with _generate_file(installer_path) as installer_file: + installer_file.write(b"pip\n") + generated.append(installer_path) + + # Record the PEP 610 direct URL reference + if direct_url is not None: + direct_url_path = os.path.join(dest_info_dir, DIRECT_URL_METADATA_NAME) + with _generate_file(direct_url_path) as direct_url_file: + direct_url_file.write(direct_url.to_json().encode("utf-8")) + generated.append(direct_url_path) + + # Record the REQUESTED file + if requested: + requested_path = os.path.join(dest_info_dir, "REQUESTED") + with open(requested_path, "wb"): + pass + generated.append(requested_path) + + record_text = distribution.read_text("RECORD") + record_rows = list(csv.reader(record_text.splitlines())) + + rows = get_csv_rows_for_installed( + record_rows, + installed=installed, + changed=changed, + generated=generated, + lib_dir=lib_dir, + ) + + # Record details of all files installed + record_path = os.path.join(dest_info_dir, "RECORD") + + with _generate_file(record_path, **csv_io_kwargs("w")) as record_file: + # Explicitly cast to typing.IO[str] as a workaround for the mypy error: + # "writer" has incompatible type "BinaryIO"; expected "_Writer" + writer = csv.writer(cast("IO[str]", record_file)) + writer.writerows(_normalized_outrows(rows)) + + +@contextlib.contextmanager +def req_error_context(req_description: str) -> Iterator[None]: + try: + yield + except InstallationError as e: + message = "For req: {}. {}".format(req_description, e.args[0]) + raise InstallationError(message) from e + + +def install_wheel( + name: str, + wheel_path: str, + scheme: Scheme, + req_description: str, + pycompile: bool = True, + warn_script_location: bool = True, + direct_url: Optional[DirectUrl] = None, + requested: bool = False, +) -> None: + with ZipFile(wheel_path, allowZip64=True) as z: + with req_error_context(req_description): + _install_wheel( + name=name, + wheel_zip=z, + wheel_path=wheel_path, + scheme=scheme, + pycompile=pycompile, + warn_script_location=warn_script_location, + direct_url=direct_url, + requested=requested, + ) diff --git a/venv/Lib/site-packages/pip/_internal/operations/prepare.py b/venv/Lib/site-packages/pip/_internal/operations/prepare.py new file mode 100644 index 0000000..ccf034e --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/operations/prepare.py @@ -0,0 +1,631 @@ +"""Prepares a distribution for installation +""" + +# The following comment should be removed at some point in the future. +# mypy: strict-optional=False + +import logging +import mimetypes +import os +import shutil +from typing import Dict, Iterable, List, Optional + +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.distributions import make_distribution_for_install_requirement +from pip._internal.distributions.installed import InstalledDistribution +from pip._internal.exceptions import ( + DirectoryUrlHashUnsupported, + HashMismatch, + HashUnpinned, + InstallationError, + NetworkConnectionError, + PreviousBuildDirError, + VcsHashUnsupported, +) +from pip._internal.index.package_finder import PackageFinder +from pip._internal.metadata import BaseDistribution +from pip._internal.models.link import Link +from pip._internal.models.wheel import Wheel +from pip._internal.network.download import BatchDownloader, Downloader +from pip._internal.network.lazy_wheel import ( + HTTPRangeRequestUnsupported, + dist_from_wheel_url, +) +from pip._internal.network.session import PipSession +from pip._internal.req.req_install import InstallRequirement +from pip._internal.req.req_tracker import RequirementTracker +from pip._internal.utils.filesystem import copy2_fixed +from pip._internal.utils.hashes import Hashes, MissingHashes +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import display_path, hide_url, is_installable_dir, rmtree +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.utils.unpacking import unpack_file +from pip._internal.vcs import vcs + +logger = logging.getLogger(__name__) + + +def _get_prepared_distribution( + req: InstallRequirement, + req_tracker: RequirementTracker, + finder: PackageFinder, + build_isolation: bool, +) -> BaseDistribution: + """Prepare a distribution for installation.""" + abstract_dist = make_distribution_for_install_requirement(req) + with req_tracker.track(req): + abstract_dist.prepare_distribution_metadata(finder, build_isolation) + return abstract_dist.get_metadata_distribution() + + +def unpack_vcs_link(link: Link, location: str) -> None: + vcs_backend = vcs.get_backend_for_scheme(link.scheme) + assert vcs_backend is not None + vcs_backend.unpack(location, url=hide_url(link.url)) + + +class File: + def __init__(self, path: str, content_type: Optional[str]) -> None: + self.path = path + if content_type is None: + self.content_type = mimetypes.guess_type(path)[0] + else: + self.content_type = content_type + + +def get_http_url( + link: Link, + download: Downloader, + download_dir: Optional[str] = None, + hashes: Optional[Hashes] = None, +) -> File: + temp_dir = TempDirectory(kind="unpack", globally_managed=True) + # If a download dir is specified, is the file already downloaded there? + already_downloaded_path = None + if download_dir: + already_downloaded_path = _check_download_dir(link, download_dir, hashes) + + if already_downloaded_path: + from_path = already_downloaded_path + content_type = None + else: + # let's download to a tmp dir + from_path, content_type = download(link, temp_dir.path) + if hashes: + hashes.check_against_path(from_path) + + return File(from_path, content_type) + + +def _copy2_ignoring_special_files(src: str, dest: str) -> None: + """Copying special files is not supported, but as a convenience to users + we skip errors copying them. This supports tools that may create e.g. + socket files in the project source directory. + """ + try: + copy2_fixed(src, dest) + except shutil.SpecialFileError as e: + # SpecialFileError may be raised due to either the source or + # destination. If the destination was the cause then we would actually + # care, but since the destination directory is deleted prior to + # copy we ignore all of them assuming it is caused by the source. + logger.warning( + "Ignoring special file error '%s' encountered copying %s to %s.", + str(e), + src, + dest, + ) + + +def _copy_source_tree(source: str, target: str) -> None: + target_abspath = os.path.abspath(target) + target_basename = os.path.basename(target_abspath) + target_dirname = os.path.dirname(target_abspath) + + def ignore(d: str, names: List[str]) -> List[str]: + skipped: List[str] = [] + if d == source: + # Pulling in those directories can potentially be very slow, + # exclude the following directories if they appear in the top + # level dir (and only it). + # See discussion at https://github.com/pypa/pip/pull/6770 + skipped += [".tox", ".nox"] + if os.path.abspath(d) == target_dirname: + # Prevent an infinite recursion if the target is in source. + # This can happen when TMPDIR is set to ${PWD}/... + # and we copy PWD to TMPDIR. + skipped += [target_basename] + return skipped + + shutil.copytree( + source, + target, + ignore=ignore, + symlinks=True, + copy_function=_copy2_ignoring_special_files, + ) + + +def get_file_url( + link: Link, download_dir: Optional[str] = None, hashes: Optional[Hashes] = None +) -> File: + """Get file and optionally check its hash.""" + # If a download dir is specified, is the file already there and valid? + already_downloaded_path = None + if download_dir: + already_downloaded_path = _check_download_dir(link, download_dir, hashes) + + if already_downloaded_path: + from_path = already_downloaded_path + else: + from_path = link.file_path + + # If --require-hashes is off, `hashes` is either empty, the + # link's embedded hash, or MissingHashes; it is required to + # match. If --require-hashes is on, we are satisfied by any + # hash in `hashes` matching: a URL-based or an option-based + # one; no internet-sourced hash will be in `hashes`. + if hashes: + hashes.check_against_path(from_path) + return File(from_path, None) + + +def unpack_url( + link: Link, + location: str, + download: Downloader, + download_dir: Optional[str] = None, + hashes: Optional[Hashes] = None, +) -> Optional[File]: + """Unpack link into location, downloading if required. + + :param hashes: A Hashes object, one of whose embedded hashes must match, + or HashMismatch will be raised. If the Hashes is empty, no matches are + required, and unhashable types of requirements (like VCS ones, which + would ordinarily raise HashUnsupported) are allowed. + """ + # non-editable vcs urls + if link.is_vcs: + unpack_vcs_link(link, location) + return None + + # Once out-of-tree-builds are no longer supported, could potentially + # replace the below condition with `assert not link.is_existing_dir` + # - unpack_url does not need to be called for in-tree-builds. + # + # As further cleanup, _copy_source_tree and accompanying tests can + # be removed. + # + # TODO when use-deprecated=out-of-tree-build is removed + if link.is_existing_dir(): + if os.path.isdir(location): + rmtree(location) + _copy_source_tree(link.file_path, location) + return None + + # file urls + if link.is_file: + file = get_file_url(link, download_dir, hashes=hashes) + + # http urls + else: + file = get_http_url( + link, + download, + download_dir, + hashes=hashes, + ) + + # unpack the archive to the build dir location. even when only downloading + # archives, they have to be unpacked to parse dependencies, except wheels + if not link.is_wheel: + unpack_file(file.path, location, file.content_type) + + return file + + +def _check_download_dir( + link: Link, download_dir: str, hashes: Optional[Hashes] +) -> Optional[str]: + """Check download_dir for previously downloaded file with correct hash + If a correct file is found return its path else None + """ + download_path = os.path.join(download_dir, link.filename) + + if not os.path.exists(download_path): + return None + + # If already downloaded, does its hash match? + logger.info("File was already downloaded %s", download_path) + if hashes: + try: + hashes.check_against_path(download_path) + except HashMismatch: + logger.warning( + "Previously-downloaded file %s has bad hash. Re-downloading.", + download_path, + ) + os.unlink(download_path) + return None + return download_path + + +class RequirementPreparer: + """Prepares a Requirement""" + + def __init__( + self, + build_dir: str, + download_dir: Optional[str], + src_dir: str, + build_isolation: bool, + req_tracker: RequirementTracker, + session: PipSession, + progress_bar: str, + finder: PackageFinder, + require_hashes: bool, + use_user_site: bool, + lazy_wheel: bool, + in_tree_build: bool, + ) -> None: + super().__init__() + + self.src_dir = src_dir + self.build_dir = build_dir + self.req_tracker = req_tracker + self._session = session + self._download = Downloader(session, progress_bar) + self._batch_download = BatchDownloader(session, progress_bar) + self.finder = finder + + # Where still-packed archives should be written to. If None, they are + # not saved, and are deleted immediately after unpacking. + self.download_dir = download_dir + + # Is build isolation allowed? + self.build_isolation = build_isolation + + # Should hash-checking be required? + self.require_hashes = require_hashes + + # Should install in user site-packages? + self.use_user_site = use_user_site + + # Should wheels be downloaded lazily? + self.use_lazy_wheel = lazy_wheel + + # Should in-tree builds be used for local paths? + self.in_tree_build = in_tree_build + + # Memoized downloaded files, as mapping of url: path. + self._downloaded: Dict[str, str] = {} + + # Previous "header" printed for a link-based InstallRequirement + self._previous_requirement_header = ("", "") + + def _log_preparing_link(self, req: InstallRequirement) -> None: + """Provide context for the requirement being prepared.""" + if req.link.is_file and not req.original_link_is_in_wheel_cache: + message = "Processing %s" + information = str(display_path(req.link.file_path)) + else: + message = "Collecting %s" + information = str(req.req or req) + + if (message, information) != self._previous_requirement_header: + self._previous_requirement_header = (message, information) + logger.info(message, information) + + if req.original_link_is_in_wheel_cache: + with indent_log(): + logger.info("Using cached %s", req.link.filename) + + def _ensure_link_req_src_dir( + self, req: InstallRequirement, parallel_builds: bool + ) -> None: + """Ensure source_dir of a linked InstallRequirement.""" + # Since source_dir is only set for editable requirements. + if req.link.is_wheel: + # We don't need to unpack wheels, so no need for a source + # directory. + return + assert req.source_dir is None + if req.link.is_existing_dir() and self.in_tree_build: + # build local directories in-tree + req.source_dir = req.link.file_path + return + + # We always delete unpacked sdists after pip runs. + req.ensure_has_source_dir( + self.build_dir, + autodelete=True, + parallel_builds=parallel_builds, + ) + + # If a checkout exists, it's unwise to keep going. version + # inconsistencies are logged later, but do not fail the + # installation. + # FIXME: this won't upgrade when there's an existing + # package unpacked in `req.source_dir` + if is_installable_dir(req.source_dir): + raise PreviousBuildDirError( + "pip can't proceed with requirements '{}' due to a" + "pre-existing build directory ({}). This is likely " + "due to a previous installation that failed . pip is " + "being responsible and not assuming it can delete this. " + "Please delete it and try again.".format(req, req.source_dir) + ) + + def _get_linked_req_hashes(self, req: InstallRequirement) -> Hashes: + # By the time this is called, the requirement's link should have + # been checked so we can tell what kind of requirements req is + # and raise some more informative errors than otherwise. + # (For example, we can raise VcsHashUnsupported for a VCS URL + # rather than HashMissing.) + if not self.require_hashes: + return req.hashes(trust_internet=True) + + # We could check these first 2 conditions inside unpack_url + # and save repetition of conditions, but then we would + # report less-useful error messages for unhashable + # requirements, complaining that there's no hash provided. + if req.link.is_vcs: + raise VcsHashUnsupported() + if req.link.is_existing_dir(): + raise DirectoryUrlHashUnsupported() + + # Unpinned packages are asking for trouble when a new version + # is uploaded. This isn't a security check, but it saves users + # a surprising hash mismatch in the future. + # file:/// URLs aren't pinnable, so don't complain about them + # not being pinned. + if req.original_link is None and not req.is_pinned: + raise HashUnpinned() + + # If known-good hashes are missing for this requirement, + # shim it with a facade object that will provoke hash + # computation and then raise a HashMissing exception + # showing the user what the hash should be. + return req.hashes(trust_internet=False) or MissingHashes() + + def _fetch_metadata_using_lazy_wheel( + self, + link: Link, + ) -> Optional[BaseDistribution]: + """Fetch metadata using lazy wheel, if possible.""" + if not self.use_lazy_wheel: + return None + if self.require_hashes: + logger.debug("Lazy wheel is not used as hash checking is required") + return None + if link.is_file or not link.is_wheel: + logger.debug( + "Lazy wheel is not used as %r does not points to a remote wheel", + link, + ) + return None + + wheel = Wheel(link.filename) + name = canonicalize_name(wheel.name) + logger.info( + "Obtaining dependency information from %s %s", + name, + wheel.version, + ) + url = link.url.split("#", 1)[0] + try: + return dist_from_wheel_url(name, url, self._session) + except HTTPRangeRequestUnsupported: + logger.debug("%s does not support range requests", url) + return None + + def _complete_partial_requirements( + self, + partially_downloaded_reqs: Iterable[InstallRequirement], + parallel_builds: bool = False, + ) -> None: + """Download any requirements which were only fetched by metadata.""" + # Download to a temporary directory. These will be copied over as + # needed for downstream 'download', 'wheel', and 'install' commands. + temp_dir = TempDirectory(kind="unpack", globally_managed=True).path + + # Map each link to the requirement that owns it. This allows us to set + # `req.local_file_path` on the appropriate requirement after passing + # all the links at once into BatchDownloader. + links_to_fully_download: Dict[Link, InstallRequirement] = {} + for req in partially_downloaded_reqs: + assert req.link + links_to_fully_download[req.link] = req + + batch_download = self._batch_download( + links_to_fully_download.keys(), + temp_dir, + ) + for link, (filepath, _) in batch_download: + logger.debug("Downloading link %s to %s", link, filepath) + req = links_to_fully_download[link] + req.local_file_path = filepath + + # This step is necessary to ensure all lazy wheels are processed + # successfully by the 'download', 'wheel', and 'install' commands. + for req in partially_downloaded_reqs: + self._prepare_linked_requirement(req, parallel_builds) + + def prepare_linked_requirement( + self, req: InstallRequirement, parallel_builds: bool = False + ) -> BaseDistribution: + """Prepare a requirement to be obtained from req.link.""" + assert req.link + link = req.link + self._log_preparing_link(req) + with indent_log(): + # Check if the relevant file is already available + # in the download directory + file_path = None + if self.download_dir is not None and link.is_wheel: + hashes = self._get_linked_req_hashes(req) + file_path = _check_download_dir(req.link, self.download_dir, hashes) + + if file_path is not None: + # The file is already available, so mark it as downloaded + self._downloaded[req.link.url] = file_path + else: + # The file is not available, attempt to fetch only metadata + wheel_dist = self._fetch_metadata_using_lazy_wheel(link) + if wheel_dist is not None: + req.needs_more_preparation = True + return wheel_dist + + # None of the optimizations worked, fully prepare the requirement + return self._prepare_linked_requirement(req, parallel_builds) + + def prepare_linked_requirements_more( + self, reqs: Iterable[InstallRequirement], parallel_builds: bool = False + ) -> None: + """Prepare linked requirements more, if needed.""" + reqs = [req for req in reqs if req.needs_more_preparation] + for req in reqs: + # Determine if any of these requirements were already downloaded. + if self.download_dir is not None and req.link.is_wheel: + hashes = self._get_linked_req_hashes(req) + file_path = _check_download_dir(req.link, self.download_dir, hashes) + if file_path is not None: + self._downloaded[req.link.url] = file_path + req.needs_more_preparation = False + + # Prepare requirements we found were already downloaded for some + # reason. The other downloads will be completed separately. + partially_downloaded_reqs: List[InstallRequirement] = [] + for req in reqs: + if req.needs_more_preparation: + partially_downloaded_reqs.append(req) + else: + self._prepare_linked_requirement(req, parallel_builds) + + # TODO: separate this part out from RequirementPreparer when the v1 + # resolver can be removed! + self._complete_partial_requirements( + partially_downloaded_reqs, + parallel_builds=parallel_builds, + ) + + def _prepare_linked_requirement( + self, req: InstallRequirement, parallel_builds: bool + ) -> BaseDistribution: + assert req.link + link = req.link + + self._ensure_link_req_src_dir(req, parallel_builds) + hashes = self._get_linked_req_hashes(req) + + if link.is_existing_dir() and self.in_tree_build: + local_file = None + elif link.url not in self._downloaded: + try: + local_file = unpack_url( + link, req.source_dir, self._download, self.download_dir, hashes + ) + except NetworkConnectionError as exc: + raise InstallationError( + "Could not install requirement {} because of HTTP " + "error {} for URL {}".format(req, exc, link) + ) + else: + file_path = self._downloaded[link.url] + if hashes: + hashes.check_against_path(file_path) + local_file = File(file_path, content_type=None) + + # For use in later processing, + # preserve the file path on the requirement. + if local_file: + req.local_file_path = local_file.path + + dist = _get_prepared_distribution( + req, + self.req_tracker, + self.finder, + self.build_isolation, + ) + return dist + + def save_linked_requirement(self, req: InstallRequirement) -> None: + assert self.download_dir is not None + assert req.link is not None + link = req.link + if link.is_vcs or (link.is_existing_dir() and req.editable): + # Make a .zip of the source_dir we already created. + req.archive(self.download_dir) + return + + if link.is_existing_dir(): + logger.debug( + "Not copying link to destination directory " + "since it is a directory: %s", + link, + ) + return + if req.local_file_path is None: + # No distribution was downloaded for this requirement. + return + + download_location = os.path.join(self.download_dir, link.filename) + if not os.path.exists(download_location): + shutil.copy(req.local_file_path, download_location) + download_path = display_path(download_location) + logger.info("Saved %s", download_path) + + def prepare_editable_requirement( + self, + req: InstallRequirement, + ) -> BaseDistribution: + """Prepare an editable requirement.""" + assert req.editable, "cannot prepare a non-editable req as editable" + + logger.info("Obtaining %s", req) + + with indent_log(): + if self.require_hashes: + raise InstallationError( + "The editable requirement {} cannot be installed when " + "requiring hashes, because there is no single file to " + "hash.".format(req) + ) + req.ensure_has_source_dir(self.src_dir) + req.update_editable() + + dist = _get_prepared_distribution( + req, + self.req_tracker, + self.finder, + self.build_isolation, + ) + + req.check_if_exists(self.use_user_site) + + return dist + + def prepare_installed_requirement( + self, + req: InstallRequirement, + skip_reason: str, + ) -> BaseDistribution: + """Prepare an already-installed requirement.""" + assert req.satisfied_by, "req should have been satisfied but isn't" + assert skip_reason is not None, ( + "did not get skip reason skipped but req.satisfied_by " + "is set to {}".format(req.satisfied_by) + ) + logger.info( + "Requirement %s: %s (%s)", skip_reason, req, req.satisfied_by.version + ) + with indent_log(): + if self.require_hashes: + logger.debug( + "Since it is already installed, we are trusting this " + "package without checking its hash. To ensure a " + "completely repeatable environment, install into an " + "empty virtualenv." + ) + return InstalledDistribution(req).get_metadata_distribution() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pyproject.py b/venv/Lib/site-packages/pip/_internal/pyproject.py similarity index 70% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pyproject.py rename to venv/Lib/site-packages/pip/_internal/pyproject.py index 8d739a6..0b3a6cd 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/pyproject.py +++ b/venv/Lib/site-packages/pip/_internal/pyproject.py @@ -1,44 +1,29 @@ -from __future__ import absolute_import - -import io import os -import sys +from collections import namedtuple +from typing import Any, List, Optional -from pip._vendor import pytoml, six +from pip._vendor import tomli +from pip._vendor.packaging.requirements import InvalidRequirement, Requirement from pip._internal.exceptions import InstallationError -from pip._internal.utils.typing import MYPY_CHECK_RUNNING - -if MYPY_CHECK_RUNNING: - from typing import Any, Tuple, Optional, List # noqa: F401 -def _is_list_of_str(obj): - # type: (Any) -> bool - return ( - isinstance(obj, list) and - all(isinstance(item, six.string_types) for item in obj) - ) +def _is_list_of_str(obj: Any) -> bool: + return isinstance(obj, list) and all(isinstance(item, str) for item in obj) -def make_pyproject_path(setup_py_dir): - # type: (str) -> str - path = os.path.join(setup_py_dir, 'pyproject.toml') +def make_pyproject_path(unpacked_source_directory: str) -> str: + return os.path.join(unpacked_source_directory, "pyproject.toml") - # Python2 __file__ should not be unicode - if six.PY2 and isinstance(path, six.text_type): - path = path.encode(sys.getfilesystemencoding()) - return path +BuildSystemDetails = namedtuple( + "BuildSystemDetails", ["requires", "backend", "check", "backend_path"] +) def load_pyproject_toml( - use_pep517, # type: Optional[bool] - pyproject_toml, # type: str - setup_py, # type: str - req_name # type: str -): - # type: (...) -> Optional[Tuple[List[str], str, List[str]]] + use_pep517: Optional[bool], pyproject_toml: str, setup_py: str, req_name: str +) -> Optional[BuildSystemDetails]: """Load the pyproject.toml file. Parameters: @@ -56,14 +41,16 @@ def load_pyproject_toml( name of PEP 517 backend, requirements we should check are installed after setting up the build environment + directory paths to import the backend from (backend-path), + relative to the project root. ) """ has_pyproject = os.path.isfile(pyproject_toml) has_setup = os.path.isfile(setup_py) if has_pyproject: - with io.open(pyproject_toml, encoding="utf-8") as f: - pp_toml = pytoml.load(f) + with open(pyproject_toml, encoding="utf-8") as f: + pp_toml = tomli.load(f) build_system = pp_toml.get("build-system") else: build_system = None @@ -86,9 +73,7 @@ def load_pyproject_toml( raise InstallationError( "Disabling PEP 517 processing is invalid: " "project specifies a build backend of {} " - "in pyproject.toml".format( - build_system["build-backend"] - ) + "in pyproject.toml".format(build_system["build-backend"]) ) use_pep517 = True @@ -136,22 +121,43 @@ def load_pyproject_toml( # Specifying the build-system table but not the requires key is invalid if "requires" not in build_system: raise InstallationError( - error_template.format(package=req_name, reason=( - "it has a 'build-system' table but not " - "'build-system.requires' which is mandatory in the table" - )) + error_template.format( + package=req_name, + reason=( + "it has a 'build-system' table but not " + "'build-system.requires' which is mandatory in the table" + ), + ) ) # Error out if requires is not a list of strings requires = build_system["requires"] if not _is_list_of_str(requires): - raise InstallationError(error_template.format( - package=req_name, - reason="'build-system.requires' is not a list of strings.", - )) + raise InstallationError( + error_template.format( + package=req_name, + reason="'build-system.requires' is not a list of strings.", + ) + ) + + # Each requirement must be valid as per PEP 508 + for requirement in requires: + try: + Requirement(requirement) + except InvalidRequirement: + raise InstallationError( + error_template.format( + package=req_name, + reason=( + "'build-system.requires' contains an invalid " + "requirement: {!r}".format(requirement) + ), + ) + ) backend = build_system.get("build-backend") - check = [] # type: List[str] + backend_path = build_system.get("backend-path", []) + check: List[str] = [] if backend is None: # If the user didn't specify a backend, we assume they want to use # the setuptools backend. But we can't be sure they have included @@ -168,4 +174,4 @@ def load_pyproject_toml( backend = "setuptools.build_meta:__legacy__" check = ["setuptools>=40.8.0", "wheel"] - return (requires, backend, check) + return BuildSystemDetails(requires, backend, check, backend_path) diff --git a/venv/Lib/site-packages/pip/_internal/req/__init__.py b/venv/Lib/site-packages/pip/_internal/req/__init__.py new file mode 100644 index 0000000..70dea27 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/req/__init__.py @@ -0,0 +1,94 @@ +import collections +import logging +from typing import Iterator, List, Optional, Sequence, Tuple + +from pip._internal.utils.logging import indent_log + +from .req_file import parse_requirements +from .req_install import InstallRequirement +from .req_set import RequirementSet + +__all__ = [ + "RequirementSet", + "InstallRequirement", + "parse_requirements", + "install_given_reqs", +] + +logger = logging.getLogger(__name__) + + +class InstallationResult: + def __init__(self, name: str) -> None: + self.name = name + + def __repr__(self) -> str: + return f"InstallationResult(name={self.name!r})" + + +def _validate_requirements( + requirements: List[InstallRequirement], +) -> Iterator[Tuple[str, InstallRequirement]]: + for req in requirements: + assert req.name, f"invalid to-be-installed requirement: {req}" + yield req.name, req + + +def install_given_reqs( + requirements: List[InstallRequirement], + install_options: List[str], + global_options: Sequence[str], + root: Optional[str], + home: Optional[str], + prefix: Optional[str], + warn_script_location: bool, + use_user_site: bool, + pycompile: bool, +) -> List[InstallationResult]: + """ + Install everything in the given list. + + (to be called after having downloaded and unpacked the packages) + """ + to_install = collections.OrderedDict(_validate_requirements(requirements)) + + if to_install: + logger.info( + "Installing collected packages: %s", + ", ".join(to_install.keys()), + ) + + installed = [] + + with indent_log(): + for req_name, requirement in to_install.items(): + if requirement.should_reinstall: + logger.info("Attempting uninstall: %s", req_name) + with indent_log(): + uninstalled_pathset = requirement.uninstall(auto_confirm=True) + else: + uninstalled_pathset = None + + try: + requirement.install( + install_options, + global_options, + root=root, + home=home, + prefix=prefix, + warn_script_location=warn_script_location, + use_user_site=use_user_site, + pycompile=pycompile, + ) + except Exception: + # if install did not succeed, rollback previous uninstall + if uninstalled_pathset and not requirement.install_succeeded: + uninstalled_pathset.rollback() + raise + else: + if uninstalled_pathset and requirement.install_succeeded: + uninstalled_pathset.commit() + + installed.append(InstallationResult(req_name)) + + return installed diff --git a/venv/Lib/site-packages/pip/_internal/req/constructors.py b/venv/Lib/site-packages/pip/_internal/req/constructors.py new file mode 100644 index 0000000..5cf9235 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/req/constructors.py @@ -0,0 +1,464 @@ +"""Backing implementation for InstallRequirement's various constructors + +The idea here is that these formed a major chunk of InstallRequirement's size +so, moving them and support code dedicated to them outside of that class +helps creates for better understandability for the rest of the code. + +These are meant to be used elsewhere within pip to create instances of +InstallRequirement. +""" + +import logging +import os +import re +from typing import Any, Dict, Optional, Set, Tuple, Union + +from pip._vendor.packaging.markers import Marker +from pip._vendor.packaging.requirements import InvalidRequirement, Requirement +from pip._vendor.packaging.specifiers import Specifier +from pip._vendor.pkg_resources import RequirementParseError, parse_requirements + +from pip._internal.exceptions import InstallationError +from pip._internal.models.index import PyPI, TestPyPI +from pip._internal.models.link import Link +from pip._internal.models.wheel import Wheel +from pip._internal.req.req_file import ParsedRequirement +from pip._internal.req.req_install import InstallRequirement +from pip._internal.utils.filetypes import is_archive_file +from pip._internal.utils.misc import is_installable_dir +from pip._internal.utils.packaging import get_requirement +from pip._internal.utils.urls import path_to_url +from pip._internal.vcs import is_url, vcs + +__all__ = [ + "install_req_from_editable", + "install_req_from_line", + "parse_editable", +] + +logger = logging.getLogger(__name__) +operators = Specifier._operators.keys() + + +def _strip_extras(path: str) -> Tuple[str, Optional[str]]: + m = re.match(r"^(.+)(\[[^\]]+\])$", path) + extras = None + if m: + path_no_extras = m.group(1) + extras = m.group(2) + else: + path_no_extras = path + + return path_no_extras, extras + + +def convert_extras(extras: Optional[str]) -> Set[str]: + if not extras: + return set() + return get_requirement("placeholder" + extras.lower()).extras + + +def parse_editable(editable_req: str) -> Tuple[Optional[str], str, Set[str]]: + """Parses an editable requirement into: + - a requirement name + - an URL + - extras + - editable options + Accepted requirements: + svn+http://blahblah@rev#egg=Foobar[baz]&subdirectory=version_subdir + .[some_extra] + """ + + url = editable_req + + # If a file path is specified with extras, strip off the extras. + url_no_extras, extras = _strip_extras(url) + + if os.path.isdir(url_no_extras): + # Treating it as code that has already been checked out + url_no_extras = path_to_url(url_no_extras) + + if url_no_extras.lower().startswith("file:"): + package_name = Link(url_no_extras).egg_fragment + if extras: + return ( + package_name, + url_no_extras, + get_requirement("placeholder" + extras.lower()).extras, + ) + else: + return package_name, url_no_extras, set() + + for version_control in vcs: + if url.lower().startswith(f"{version_control}:"): + url = f"{version_control}+{url}" + break + + link = Link(url) + + if not link.is_vcs: + backends = ", ".join(vcs.all_schemes) + raise InstallationError( + f"{editable_req} is not a valid editable requirement. " + f"It should either be a path to a local project or a VCS URL " + f"(beginning with {backends})." + ) + + package_name = link.egg_fragment + if not package_name: + raise InstallationError( + "Could not detect requirement name for '{}', please specify one " + "with #egg=your_package_name".format(editable_req) + ) + return package_name, url, set() + + +def deduce_helpful_msg(req: str) -> str: + """Returns helpful msg in case requirements file does not exist, + or cannot be parsed. + + :params req: Requirements file path + """ + msg = "" + if os.path.exists(req): + msg = " The path does exist. " + # Try to parse and check if it is a requirements file. + try: + with open(req) as fp: + # parse first line only + next(parse_requirements(fp.read())) + msg += ( + "The argument you provided " + "({}) appears to be a" + " requirements file. If that is the" + " case, use the '-r' flag to install" + " the packages specified within it." + ).format(req) + except RequirementParseError: + logger.debug("Cannot parse '%s' as requirements file", req, exc_info=True) + else: + msg += f" File '{req}' does not exist." + return msg + + +class RequirementParts: + def __init__( + self, + requirement: Optional[Requirement], + link: Optional[Link], + markers: Optional[Marker], + extras: Set[str], + ): + self.requirement = requirement + self.link = link + self.markers = markers + self.extras = extras + + +def parse_req_from_editable(editable_req: str) -> RequirementParts: + name, url, extras_override = parse_editable(editable_req) + + if name is not None: + try: + req: Optional[Requirement] = Requirement(name) + except InvalidRequirement: + raise InstallationError(f"Invalid requirement: '{name}'") + else: + req = None + + link = Link(url) + + return RequirementParts(req, link, None, extras_override) + + +# ---- The actual constructors follow ---- + + +def install_req_from_editable( + editable_req: str, + comes_from: Optional[Union[InstallRequirement, str]] = None, + use_pep517: Optional[bool] = None, + isolated: bool = False, + options: Optional[Dict[str, Any]] = None, + constraint: bool = False, + user_supplied: bool = False, + permit_editable_wheels: bool = False, +) -> InstallRequirement: + + parts = parse_req_from_editable(editable_req) + + return InstallRequirement( + parts.requirement, + comes_from=comes_from, + user_supplied=user_supplied, + editable=True, + permit_editable_wheels=permit_editable_wheels, + link=parts.link, + constraint=constraint, + use_pep517=use_pep517, + isolated=isolated, + install_options=options.get("install_options", []) if options else [], + global_options=options.get("global_options", []) if options else [], + hash_options=options.get("hashes", {}) if options else {}, + extras=parts.extras, + ) + + +def _looks_like_path(name: str) -> bool: + """Checks whether the string "looks like" a path on the filesystem. + + This does not check whether the target actually exists, only judge from the + appearance. + + Returns true if any of the following conditions is true: + * a path separator is found (either os.path.sep or os.path.altsep); + * a dot is found (which represents the current directory). + """ + if os.path.sep in name: + return True + if os.path.altsep is not None and os.path.altsep in name: + return True + if name.startswith("."): + return True + return False + + +def _get_url_from_path(path: str, name: str) -> Optional[str]: + """ + First, it checks whether a provided path is an installable directory. If it + is, returns the path. + + If false, check if the path is an archive file (such as a .whl). + The function checks if the path is a file. If false, if the path has + an @, it will treat it as a PEP 440 URL requirement and return the path. + """ + if _looks_like_path(name) and os.path.isdir(path): + if is_installable_dir(path): + return path_to_url(path) + raise InstallationError( + f"Directory {name!r} is not installable. Neither 'setup.py' " + "nor 'pyproject.toml' found." + ) + if not is_archive_file(path): + return None + if os.path.isfile(path): + return path_to_url(path) + urlreq_parts = name.split("@", 1) + if len(urlreq_parts) >= 2 and not _looks_like_path(urlreq_parts[0]): + # If the path contains '@' and the part before it does not look + # like a path, try to treat it as a PEP 440 URL req instead. + return None + logger.warning( + "Requirement %r looks like a filename, but the file does not exist", + name, + ) + return path_to_url(path) + + +def parse_req_from_line(name: str, line_source: Optional[str]) -> RequirementParts: + if is_url(name): + marker_sep = "; " + else: + marker_sep = ";" + if marker_sep in name: + name, markers_as_string = name.split(marker_sep, 1) + markers_as_string = markers_as_string.strip() + if not markers_as_string: + markers = None + else: + markers = Marker(markers_as_string) + else: + markers = None + name = name.strip() + req_as_string = None + path = os.path.normpath(os.path.abspath(name)) + link = None + extras_as_string = None + + if is_url(name): + link = Link(name) + else: + p, extras_as_string = _strip_extras(path) + url = _get_url_from_path(p, name) + if url is not None: + link = Link(url) + + # it's a local file, dir, or url + if link: + # Handle relative file URLs + if link.scheme == "file" and re.search(r"\.\./", link.url): + link = Link(path_to_url(os.path.normpath(os.path.abspath(link.path)))) + # wheel file + if link.is_wheel: + wheel = Wheel(link.filename) # can raise InvalidWheelFilename + req_as_string = f"{wheel.name}=={wheel.version}" + else: + # set the req to the egg fragment. when it's not there, this + # will become an 'unnamed' requirement + req_as_string = link.egg_fragment + + # a requirement specifier + else: + req_as_string = name + + extras = convert_extras(extras_as_string) + + def with_source(text: str) -> str: + if not line_source: + return text + return f"{text} (from {line_source})" + + def _parse_req_string(req_as_string: str) -> Requirement: + try: + req = get_requirement(req_as_string) + except InvalidRequirement: + if os.path.sep in req_as_string: + add_msg = "It looks like a path." + add_msg += deduce_helpful_msg(req_as_string) + elif "=" in req_as_string and not any( + op in req_as_string for op in operators + ): + add_msg = "= is not a valid operator. Did you mean == ?" + else: + add_msg = "" + msg = with_source(f"Invalid requirement: {req_as_string!r}") + if add_msg: + msg += f"\nHint: {add_msg}" + raise InstallationError(msg) + else: + # Deprecate extras after specifiers: "name>=1.0[extras]" + # This currently works by accident because _strip_extras() parses + # any extras in the end of the string and those are saved in + # RequirementParts + for spec in req.specifier: + spec_str = str(spec) + if spec_str.endswith("]"): + msg = f"Extras after version '{spec_str}'." + raise InstallationError(msg) + return req + + if req_as_string is not None: + req: Optional[Requirement] = _parse_req_string(req_as_string) + else: + req = None + + return RequirementParts(req, link, markers, extras) + + +def install_req_from_line( + name: str, + comes_from: Optional[Union[str, InstallRequirement]] = None, + use_pep517: Optional[bool] = None, + isolated: bool = False, + options: Optional[Dict[str, Any]] = None, + constraint: bool = False, + line_source: Optional[str] = None, + user_supplied: bool = False, +) -> InstallRequirement: + """Creates an InstallRequirement from a name, which might be a + requirement, directory containing 'setup.py', filename, or URL. + + :param line_source: An optional string describing where the line is from, + for logging purposes in case of an error. + """ + parts = parse_req_from_line(name, line_source) + + return InstallRequirement( + parts.requirement, + comes_from, + link=parts.link, + markers=parts.markers, + use_pep517=use_pep517, + isolated=isolated, + install_options=options.get("install_options", []) if options else [], + global_options=options.get("global_options", []) if options else [], + hash_options=options.get("hashes", {}) if options else {}, + constraint=constraint, + extras=parts.extras, + user_supplied=user_supplied, + ) + + +def install_req_from_req_string( + req_string: str, + comes_from: Optional[InstallRequirement] = None, + isolated: bool = False, + use_pep517: Optional[bool] = None, + user_supplied: bool = False, +) -> InstallRequirement: + try: + req = get_requirement(req_string) + except InvalidRequirement: + raise InstallationError(f"Invalid requirement: '{req_string}'") + + domains_not_allowed = [ + PyPI.file_storage_domain, + TestPyPI.file_storage_domain, + ] + if ( + req.url + and comes_from + and comes_from.link + and comes_from.link.netloc in domains_not_allowed + ): + # Explicitly disallow pypi packages that depend on external urls + raise InstallationError( + "Packages installed from PyPI cannot depend on packages " + "which are not also hosted on PyPI.\n" + "{} depends on {} ".format(comes_from.name, req) + ) + + return InstallRequirement( + req, + comes_from, + isolated=isolated, + use_pep517=use_pep517, + user_supplied=user_supplied, + ) + + +def install_req_from_parsed_requirement( + parsed_req: ParsedRequirement, + isolated: bool = False, + use_pep517: Optional[bool] = None, + user_supplied: bool = False, +) -> InstallRequirement: + if parsed_req.is_editable: + req = install_req_from_editable( + parsed_req.requirement, + comes_from=parsed_req.comes_from, + use_pep517=use_pep517, + constraint=parsed_req.constraint, + isolated=isolated, + user_supplied=user_supplied, + ) + + else: + req = install_req_from_line( + parsed_req.requirement, + comes_from=parsed_req.comes_from, + use_pep517=use_pep517, + isolated=isolated, + options=parsed_req.options, + constraint=parsed_req.constraint, + line_source=parsed_req.line_source, + user_supplied=user_supplied, + ) + return req + + +def install_req_from_link_and_ireq( + link: Link, ireq: InstallRequirement +) -> InstallRequirement: + return InstallRequirement( + req=ireq.req, + comes_from=ireq.comes_from, + editable=ireq.editable, + link=link, + markers=ireq.markers, + use_pep517=ireq.use_pep517, + isolated=ireq.isolated, + install_options=ireq.install_options, + global_options=ireq.global_options, + hash_options=ireq.hash_options, + ) diff --git a/venv/Lib/site-packages/pip/_internal/req/req_file.py b/venv/Lib/site-packages/pip/_internal/req/req_file.py new file mode 100644 index 0000000..03ae504 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/req/req_file.py @@ -0,0 +1,536 @@ +""" +Requirements file parsing +""" + +import optparse +import os +import re +import shlex +import urllib.parse +from optparse import Values +from typing import ( + TYPE_CHECKING, + Any, + Callable, + Dict, + Iterable, + Iterator, + List, + Optional, + Tuple, +) + +from pip._internal.cli import cmdoptions +from pip._internal.exceptions import InstallationError, RequirementsFileParseError +from pip._internal.models.search_scope import SearchScope +from pip._internal.network.session import PipSession +from pip._internal.network.utils import raise_for_status +from pip._internal.utils.encoding import auto_decode +from pip._internal.utils.urls import get_url_scheme + +if TYPE_CHECKING: + # NoReturn introduced in 3.6.2; imported only for type checking to maintain + # pip compatibility with older patch versions of Python 3.6 + from typing import NoReturn + + from pip._internal.index.package_finder import PackageFinder + +__all__ = ["parse_requirements"] + +ReqFileLines = Iterable[Tuple[int, str]] + +LineParser = Callable[[str], Tuple[str, Values]] + +SCHEME_RE = re.compile(r"^(http|https|file):", re.I) +COMMENT_RE = re.compile(r"(^|\s+)#.*$") + +# Matches environment variable-style values in '${MY_VARIABLE_1}' with the +# variable name consisting of only uppercase letters, digits or the '_' +# (underscore). This follows the POSIX standard defined in IEEE Std 1003.1, +# 2013 Edition. +ENV_VAR_RE = re.compile(r"(?P<var>\$\{(?P<name>[A-Z0-9_]+)\})") + +SUPPORTED_OPTIONS: List[Callable[..., optparse.Option]] = [ + cmdoptions.index_url, + cmdoptions.extra_index_url, + cmdoptions.no_index, + cmdoptions.constraints, + cmdoptions.requirements, + cmdoptions.editable, + cmdoptions.find_links, + cmdoptions.no_binary, + cmdoptions.only_binary, + cmdoptions.prefer_binary, + cmdoptions.require_hashes, + cmdoptions.pre, + cmdoptions.trusted_host, + cmdoptions.use_new_feature, +] + +# options to be passed to requirements +SUPPORTED_OPTIONS_REQ: List[Callable[..., optparse.Option]] = [ + cmdoptions.install_options, + cmdoptions.global_options, + cmdoptions.hash, +] + +# the 'dest' string values +SUPPORTED_OPTIONS_REQ_DEST = [str(o().dest) for o in SUPPORTED_OPTIONS_REQ] + + +class ParsedRequirement: + def __init__( + self, + requirement: str, + is_editable: bool, + comes_from: str, + constraint: bool, + options: Optional[Dict[str, Any]] = None, + line_source: Optional[str] = None, + ) -> None: + self.requirement = requirement + self.is_editable = is_editable + self.comes_from = comes_from + self.options = options + self.constraint = constraint + self.line_source = line_source + + +class ParsedLine: + def __init__( + self, + filename: str, + lineno: int, + args: str, + opts: Values, + constraint: bool, + ) -> None: + self.filename = filename + self.lineno = lineno + self.opts = opts + self.constraint = constraint + + if args: + self.is_requirement = True + self.is_editable = False + self.requirement = args + elif opts.editables: + self.is_requirement = True + self.is_editable = True + # We don't support multiple -e on one line + self.requirement = opts.editables[0] + else: + self.is_requirement = False + + +def parse_requirements( + filename: str, + session: PipSession, + finder: Optional["PackageFinder"] = None, + options: Optional[optparse.Values] = None, + constraint: bool = False, +) -> Iterator[ParsedRequirement]: + """Parse a requirements file and yield ParsedRequirement instances. + + :param filename: Path or url of requirements file. + :param session: PipSession instance. + :param finder: Instance of pip.index.PackageFinder. + :param options: cli options. + :param constraint: If true, parsing a constraint file rather than + requirements file. + """ + line_parser = get_line_parser(finder) + parser = RequirementsFileParser(session, line_parser) + + for parsed_line in parser.parse(filename, constraint): + parsed_req = handle_line( + parsed_line, options=options, finder=finder, session=session + ) + if parsed_req is not None: + yield parsed_req + + +def preprocess(content: str) -> ReqFileLines: + """Split, filter, and join lines, and return a line iterator + + :param content: the content of the requirements file + """ + lines_enum: ReqFileLines = enumerate(content.splitlines(), start=1) + lines_enum = join_lines(lines_enum) + lines_enum = ignore_comments(lines_enum) + lines_enum = expand_env_variables(lines_enum) + return lines_enum + + +def handle_requirement_line( + line: ParsedLine, + options: Optional[optparse.Values] = None, +) -> ParsedRequirement: + + # preserve for the nested code path + line_comes_from = "{} {} (line {})".format( + "-c" if line.constraint else "-r", + line.filename, + line.lineno, + ) + + assert line.is_requirement + + if line.is_editable: + # For editable requirements, we don't support per-requirement + # options, so just return the parsed requirement. + return ParsedRequirement( + requirement=line.requirement, + is_editable=line.is_editable, + comes_from=line_comes_from, + constraint=line.constraint, + ) + else: + if options: + # Disable wheels if the user has specified build options + cmdoptions.check_install_build_global(options, line.opts) + + # get the options that apply to requirements + req_options = {} + for dest in SUPPORTED_OPTIONS_REQ_DEST: + if dest in line.opts.__dict__ and line.opts.__dict__[dest]: + req_options[dest] = line.opts.__dict__[dest] + + line_source = f"line {line.lineno} of {line.filename}" + return ParsedRequirement( + requirement=line.requirement, + is_editable=line.is_editable, + comes_from=line_comes_from, + constraint=line.constraint, + options=req_options, + line_source=line_source, + ) + + +def handle_option_line( + opts: Values, + filename: str, + lineno: int, + finder: Optional["PackageFinder"] = None, + options: Optional[optparse.Values] = None, + session: Optional[PipSession] = None, +) -> None: + + if options: + # percolate options upward + if opts.require_hashes: + options.require_hashes = opts.require_hashes + if opts.features_enabled: + options.features_enabled.extend( + f for f in opts.features_enabled if f not in options.features_enabled + ) + + # set finder options + if finder: + find_links = finder.find_links + index_urls = finder.index_urls + if opts.index_url: + index_urls = [opts.index_url] + if opts.no_index is True: + index_urls = [] + if opts.extra_index_urls: + index_urls.extend(opts.extra_index_urls) + if opts.find_links: + # FIXME: it would be nice to keep track of the source + # of the find_links: support a find-links local path + # relative to a requirements file. + value = opts.find_links[0] + req_dir = os.path.dirname(os.path.abspath(filename)) + relative_to_reqs_file = os.path.join(req_dir, value) + if os.path.exists(relative_to_reqs_file): + value = relative_to_reqs_file + find_links.append(value) + + if session: + # We need to update the auth urls in session + session.update_index_urls(index_urls) + + search_scope = SearchScope( + find_links=find_links, + index_urls=index_urls, + ) + finder.search_scope = search_scope + + if opts.pre: + finder.set_allow_all_prereleases() + + if opts.prefer_binary: + finder.set_prefer_binary() + + if session: + for host in opts.trusted_hosts or []: + source = f"line {lineno} of {filename}" + session.add_trusted_host(host, source=source) + + +def handle_line( + line: ParsedLine, + options: Optional[optparse.Values] = None, + finder: Optional["PackageFinder"] = None, + session: Optional[PipSession] = None, +) -> Optional[ParsedRequirement]: + """Handle a single parsed requirements line; This can result in + creating/yielding requirements, or updating the finder. + + :param line: The parsed line to be processed. + :param options: CLI options. + :param finder: The finder - updated by non-requirement lines. + :param session: The session - updated by non-requirement lines. + + Returns a ParsedRequirement object if the line is a requirement line, + otherwise returns None. + + For lines that contain requirements, the only options that have an effect + are from SUPPORTED_OPTIONS_REQ, and they are scoped to the + requirement. Other options from SUPPORTED_OPTIONS may be present, but are + ignored. + + For lines that do not contain requirements, the only options that have an + effect are from SUPPORTED_OPTIONS. Options from SUPPORTED_OPTIONS_REQ may + be present, but are ignored. These lines may contain multiple options + (although our docs imply only one is supported), and all our parsed and + affect the finder. + """ + + if line.is_requirement: + parsed_req = handle_requirement_line(line, options) + return parsed_req + else: + handle_option_line( + line.opts, + line.filename, + line.lineno, + finder, + options, + session, + ) + return None + + +class RequirementsFileParser: + def __init__( + self, + session: PipSession, + line_parser: LineParser, + ) -> None: + self._session = session + self._line_parser = line_parser + + def parse(self, filename: str, constraint: bool) -> Iterator[ParsedLine]: + """Parse a given file, yielding parsed lines.""" + yield from self._parse_and_recurse(filename, constraint) + + def _parse_and_recurse( + self, filename: str, constraint: bool + ) -> Iterator[ParsedLine]: + for line in self._parse_file(filename, constraint): + if not line.is_requirement and ( + line.opts.requirements or line.opts.constraints + ): + # parse a nested requirements file + if line.opts.requirements: + req_path = line.opts.requirements[0] + nested_constraint = False + else: + req_path = line.opts.constraints[0] + nested_constraint = True + + # original file is over http + if SCHEME_RE.search(filename): + # do a url join so relative paths work + req_path = urllib.parse.urljoin(filename, req_path) + # original file and nested file are paths + elif not SCHEME_RE.search(req_path): + # do a join so relative paths work + req_path = os.path.join( + os.path.dirname(filename), + req_path, + ) + + yield from self._parse_and_recurse(req_path, nested_constraint) + else: + yield line + + def _parse_file(self, filename: str, constraint: bool) -> Iterator[ParsedLine]: + _, content = get_file_content(filename, self._session) + + lines_enum = preprocess(content) + + for line_number, line in lines_enum: + try: + args_str, opts = self._line_parser(line) + except OptionParsingError as e: + # add offending line + msg = f"Invalid requirement: {line}\n{e.msg}" + raise RequirementsFileParseError(msg) + + yield ParsedLine( + filename, + line_number, + args_str, + opts, + constraint, + ) + + +def get_line_parser(finder: Optional["PackageFinder"]) -> LineParser: + def parse_line(line: str) -> Tuple[str, Values]: + # Build new parser for each line since it accumulates appendable + # options. + parser = build_parser() + defaults = parser.get_default_values() + defaults.index_url = None + if finder: + defaults.format_control = finder.format_control + + args_str, options_str = break_args_options(line) + + opts, _ = parser.parse_args(shlex.split(options_str), defaults) + + return args_str, opts + + return parse_line + + +def break_args_options(line: str) -> Tuple[str, str]: + """Break up the line into an args and options string. We only want to shlex + (and then optparse) the options, not the args. args can contain markers + which are corrupted by shlex. + """ + tokens = line.split(" ") + args = [] + options = tokens[:] + for token in tokens: + if token.startswith("-") or token.startswith("--"): + break + else: + args.append(token) + options.pop(0) + return " ".join(args), " ".join(options) + + +class OptionParsingError(Exception): + def __init__(self, msg: str) -> None: + self.msg = msg + + +def build_parser() -> optparse.OptionParser: + """ + Return a parser for parsing requirement lines + """ + parser = optparse.OptionParser(add_help_option=False) + + option_factories = SUPPORTED_OPTIONS + SUPPORTED_OPTIONS_REQ + for option_factory in option_factories: + option = option_factory() + parser.add_option(option) + + # By default optparse sys.exits on parsing errors. We want to wrap + # that in our own exception. + def parser_exit(self: Any, msg: str) -> "NoReturn": + raise OptionParsingError(msg) + + # NOTE: mypy disallows assigning to a method + # https://github.com/python/mypy/issues/2427 + parser.exit = parser_exit # type: ignore + + return parser + + +def join_lines(lines_enum: ReqFileLines) -> ReqFileLines: + """Joins a line ending in '\' with the previous line (except when following + comments). The joined line takes on the index of the first line. + """ + primary_line_number = None + new_line: List[str] = [] + for line_number, line in lines_enum: + if not line.endswith("\\") or COMMENT_RE.match(line): + if COMMENT_RE.match(line): + # this ensures comments are always matched later + line = " " + line + if new_line: + new_line.append(line) + assert primary_line_number is not None + yield primary_line_number, "".join(new_line) + new_line = [] + else: + yield line_number, line + else: + if not new_line: + primary_line_number = line_number + new_line.append(line.strip("\\")) + + # last line contains \ + if new_line: + assert primary_line_number is not None + yield primary_line_number, "".join(new_line) + + # TODO: handle space after '\'. + + +def ignore_comments(lines_enum: ReqFileLines) -> ReqFileLines: + """ + Strips comments and filter empty lines. + """ + for line_number, line in lines_enum: + line = COMMENT_RE.sub("", line) + line = line.strip() + if line: + yield line_number, line + + +def expand_env_variables(lines_enum: ReqFileLines) -> ReqFileLines: + """Replace all environment variables that can be retrieved via `os.getenv`. + + The only allowed format for environment variables defined in the + requirement file is `${MY_VARIABLE_1}` to ensure two things: + + 1. Strings that contain a `$` aren't accidentally (partially) expanded. + 2. Ensure consistency across platforms for requirement files. + + These points are the result of a discussion on the `github pull + request #3514 <https://github.com/pypa/pip/pull/3514>`_. + + Valid characters in variable names follow the `POSIX standard + <http://pubs.opengroup.org/onlinepubs/9699919799/>`_ and are limited + to uppercase letter, digits and the `_` (underscore). + """ + for line_number, line in lines_enum: + for env_var, var_name in ENV_VAR_RE.findall(line): + value = os.getenv(var_name) + if not value: + continue + + line = line.replace(env_var, value) + + yield line_number, line + + +def get_file_content(url: str, session: PipSession) -> Tuple[str, str]: + """Gets the content of a file; it may be a filename, file: URL, or + http: URL. Returns (location, content). Content is unicode. + Respects # -*- coding: declarations on the retrieved files. + + :param url: File path or url. + :param session: PipSession instance. + """ + scheme = get_url_scheme(url) + + # Pip has special support for file:// URLs (LocalFSAdapter). + if scheme in ["http", "https", "file"]: + resp = session.get(url) + raise_for_status(resp) + return resp.url, resp.text + + # Assume this is a bare path. + try: + with open(url, "rb") as f: + content = auto_decode(f.read()) + except OSError as exc: + raise InstallationError(f"Could not open requirements file: {exc}") + return url, content diff --git a/venv/Lib/site-packages/pip/_internal/req/req_install.py b/venv/Lib/site-packages/pip/_internal/req/req_install.py new file mode 100644 index 0000000..ff0dd2f --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/req/req_install.py @@ -0,0 +1,916 @@ +# The following comment should be removed at some point in the future. +# mypy: strict-optional=False + +import logging +import os +import shutil +import sys +import uuid +import zipfile +from typing import Any, Collection, Dict, Iterable, List, Optional, Sequence, Union + +from pip._vendor import pkg_resources +from pip._vendor.packaging.markers import Marker +from pip._vendor.packaging.requirements import Requirement +from pip._vendor.packaging.specifiers import SpecifierSet +from pip._vendor.packaging.utils import canonicalize_name +from pip._vendor.packaging.version import Version +from pip._vendor.packaging.version import parse as parse_version +from pip._vendor.pep517.wrappers import HookMissing, Pep517HookCaller +from pip._vendor.pkg_resources import Distribution + +from pip._internal.build_env import BuildEnvironment, NoOpBuildEnvironment +from pip._internal.exceptions import InstallationError +from pip._internal.locations import get_scheme +from pip._internal.models.link import Link +from pip._internal.operations.build.metadata import generate_metadata +from pip._internal.operations.build.metadata_editable import generate_editable_metadata +from pip._internal.operations.build.metadata_legacy import ( + generate_metadata as generate_metadata_legacy, +) +from pip._internal.operations.install.editable_legacy import ( + install_editable as install_editable_legacy, +) +from pip._internal.operations.install.legacy import LegacyInstallFailure +from pip._internal.operations.install.legacy import install as install_legacy +from pip._internal.operations.install.wheel import install_wheel +from pip._internal.pyproject import load_pyproject_toml, make_pyproject_path +from pip._internal.req.req_uninstall import UninstallPathSet +from pip._internal.utils.deprecation import deprecated +from pip._internal.utils.direct_url_helpers import ( + direct_url_for_editable, + direct_url_from_link, +) +from pip._internal.utils.hashes import Hashes +from pip._internal.utils.misc import ( + ask_path_exists, + backup_dir, + display_path, + dist_in_site_packages, + dist_in_usersite, + get_distribution, + hide_url, + redact_auth_from_url, +) +from pip._internal.utils.packaging import get_metadata +from pip._internal.utils.temp_dir import TempDirectory, tempdir_kinds +from pip._internal.utils.virtualenv import running_under_virtualenv +from pip._internal.vcs import vcs + +logger = logging.getLogger(__name__) + + +def _get_dist(metadata_directory: str) -> Distribution: + """Return a pkg_resources.Distribution for the provided + metadata directory. + """ + dist_dir = metadata_directory.rstrip(os.sep) + + # Build a PathMetadata object, from path to metadata. :wink: + base_dir, dist_dir_name = os.path.split(dist_dir) + metadata = pkg_resources.PathMetadata(base_dir, dist_dir) + + # Determine the correct Distribution object type. + if dist_dir.endswith(".egg-info"): + dist_cls = pkg_resources.Distribution + dist_name = os.path.splitext(dist_dir_name)[0] + else: + assert dist_dir.endswith(".dist-info") + dist_cls = pkg_resources.DistInfoDistribution + dist_name = os.path.splitext(dist_dir_name)[0].split("-")[0] + + return dist_cls( + base_dir, + project_name=dist_name, + metadata=metadata, + ) + + +class InstallRequirement: + """ + Represents something that may be installed later on, may have information + about where to fetch the relevant requirement and also contains logic for + installing the said requirement. + """ + + def __init__( + self, + req: Optional[Requirement], + comes_from: Optional[Union[str, "InstallRequirement"]], + editable: bool = False, + link: Optional[Link] = None, + markers: Optional[Marker] = None, + use_pep517: Optional[bool] = None, + isolated: bool = False, + install_options: Optional[List[str]] = None, + global_options: Optional[List[str]] = None, + hash_options: Optional[Dict[str, List[str]]] = None, + constraint: bool = False, + extras: Collection[str] = (), + user_supplied: bool = False, + permit_editable_wheels: bool = False, + ) -> None: + assert req is None or isinstance(req, Requirement), req + self.req = req + self.comes_from = comes_from + self.constraint = constraint + self.editable = editable + self.permit_editable_wheels = permit_editable_wheels + self.legacy_install_reason: Optional[int] = None + + # source_dir is the local directory where the linked requirement is + # located, or unpacked. In case unpacking is needed, creating and + # populating source_dir is done by the RequirementPreparer. Note this + # is not necessarily the directory where pyproject.toml or setup.py is + # located - that one is obtained via unpacked_source_directory. + self.source_dir: Optional[str] = None + if self.editable: + assert link + if link.is_file: + self.source_dir = os.path.normpath(os.path.abspath(link.file_path)) + + if link is None and req and req.url: + # PEP 508 URL requirement + link = Link(req.url) + self.link = self.original_link = link + self.original_link_is_in_wheel_cache = False + + # Path to any downloaded or already-existing package. + self.local_file_path: Optional[str] = None + if self.link and self.link.is_file: + self.local_file_path = self.link.file_path + + if extras: + self.extras = extras + elif req: + self.extras = {pkg_resources.safe_extra(extra) for extra in req.extras} + else: + self.extras = set() + if markers is None and req: + markers = req.marker + self.markers = markers + + # This holds the pkg_resources.Distribution object if this requirement + # is already available: + self.satisfied_by: Optional[Distribution] = None + # Whether the installation process should try to uninstall an existing + # distribution before installing this requirement. + self.should_reinstall = False + # Temporary build location + self._temp_build_dir: Optional[TempDirectory] = None + # Set to True after successful installation + self.install_succeeded: Optional[bool] = None + # Supplied options + self.install_options = install_options if install_options else [] + self.global_options = global_options if global_options else [] + self.hash_options = hash_options if hash_options else {} + # Set to True after successful preparation of this requirement + self.prepared = False + # User supplied requirement are explicitly requested for installation + # by the user via CLI arguments or requirements files, as opposed to, + # e.g. dependencies, extras or constraints. + self.user_supplied = user_supplied + + self.isolated = isolated + self.build_env: BuildEnvironment = NoOpBuildEnvironment() + + # For PEP 517, the directory where we request the project metadata + # gets stored. We need this to pass to build_wheel, so the backend + # can ensure that the wheel matches the metadata (see the PEP for + # details). + self.metadata_directory: Optional[str] = None + + # The static build requirements (from pyproject.toml) + self.pyproject_requires: Optional[List[str]] = None + + # Build requirements that we will check are available + self.requirements_to_check: List[str] = [] + + # The PEP 517 backend we should use to build the project + self.pep517_backend: Optional[Pep517HookCaller] = None + + # Are we using PEP 517 for this requirement? + # After pyproject.toml has been loaded, the only valid values are True + # and False. Before loading, None is valid (meaning "use the default"). + # Setting an explicit value before loading pyproject.toml is supported, + # but after loading this flag should be treated as read only. + self.use_pep517 = use_pep517 + + # supports_pyproject_editable will be set to True or False when we try + # to prepare editable metadata or build an editable wheel. None means + # "we don't know yet". + self.supports_pyproject_editable: Optional[bool] = None + + # This requirement needs more preparation before it can be built + self.needs_more_preparation = False + + def __str__(self) -> str: + if self.req: + s = str(self.req) + if self.link: + s += " from {}".format(redact_auth_from_url(self.link.url)) + elif self.link: + s = redact_auth_from_url(self.link.url) + else: + s = "<InstallRequirement>" + if self.satisfied_by is not None: + s += " in {}".format(display_path(self.satisfied_by.location)) + if self.comes_from: + if isinstance(self.comes_from, str): + comes_from: Optional[str] = self.comes_from + else: + comes_from = self.comes_from.from_path() + if comes_from: + s += f" (from {comes_from})" + return s + + def __repr__(self) -> str: + return "<{} object: {} editable={!r}>".format( + self.__class__.__name__, str(self), self.editable + ) + + def format_debug(self) -> str: + """An un-tested helper for getting state, for debugging.""" + attributes = vars(self) + names = sorted(attributes) + + state = ("{}={!r}".format(attr, attributes[attr]) for attr in sorted(names)) + return "<{name} object: {{{state}}}>".format( + name=self.__class__.__name__, + state=", ".join(state), + ) + + # Things that are valid for all kinds of requirements? + @property + def name(self) -> Optional[str]: + if self.req is None: + return None + return pkg_resources.safe_name(self.req.name) + + @property + def specifier(self) -> SpecifierSet: + return self.req.specifier + + @property + def is_pinned(self) -> bool: + """Return whether I am pinned to an exact version. + + For example, some-package==1.2 is pinned; some-package>1.2 is not. + """ + specifiers = self.specifier + return len(specifiers) == 1 and next(iter(specifiers)).operator in {"==", "==="} + + def match_markers(self, extras_requested: Optional[Iterable[str]] = None) -> bool: + if not extras_requested: + # Provide an extra to safely evaluate the markers + # without matching any extra + extras_requested = ("",) + if self.markers is not None: + return any( + self.markers.evaluate({"extra": extra}) for extra in extras_requested + ) + else: + return True + + @property + def has_hash_options(self) -> bool: + """Return whether any known-good hashes are specified as options. + + These activate --require-hashes mode; hashes specified as part of a + URL do not. + + """ + return bool(self.hash_options) + + def hashes(self, trust_internet: bool = True) -> Hashes: + """Return a hash-comparer that considers my option- and URL-based + hashes to be known-good. + + Hashes in URLs--ones embedded in the requirements file, not ones + downloaded from an index server--are almost peers with ones from + flags. They satisfy --require-hashes (whether it was implicitly or + explicitly activated) but do not activate it. md5 and sha224 are not + allowed in flags, which should nudge people toward good algos. We + always OR all hashes together, even ones from URLs. + + :param trust_internet: Whether to trust URL-based (#md5=...) hashes + downloaded from the internet, as by populate_link() + + """ + good_hashes = self.hash_options.copy() + link = self.link if trust_internet else self.original_link + if link and link.hash: + good_hashes.setdefault(link.hash_name, []).append(link.hash) + return Hashes(good_hashes) + + def from_path(self) -> Optional[str]: + """Format a nice indicator to show where this "comes from" """ + if self.req is None: + return None + s = str(self.req) + if self.comes_from: + if isinstance(self.comes_from, str): + comes_from = self.comes_from + else: + comes_from = self.comes_from.from_path() + if comes_from: + s += "->" + comes_from + return s + + def ensure_build_location( + self, build_dir: str, autodelete: bool, parallel_builds: bool + ) -> str: + assert build_dir is not None + if self._temp_build_dir is not None: + assert self._temp_build_dir.path + return self._temp_build_dir.path + if self.req is None: + # Some systems have /tmp as a symlink which confuses custom + # builds (such as numpy). Thus, we ensure that the real path + # is returned. + self._temp_build_dir = TempDirectory( + kind=tempdir_kinds.REQ_BUILD, globally_managed=True + ) + + return self._temp_build_dir.path + + # This is the only remaining place where we manually determine the path + # for the temporary directory. It is only needed for editables where + # it is the value of the --src option. + + # When parallel builds are enabled, add a UUID to the build directory + # name so multiple builds do not interfere with each other. + dir_name: str = canonicalize_name(self.name) + if parallel_builds: + dir_name = f"{dir_name}_{uuid.uuid4().hex}" + + # FIXME: Is there a better place to create the build_dir? (hg and bzr + # need this) + if not os.path.exists(build_dir): + logger.debug("Creating directory %s", build_dir) + os.makedirs(build_dir) + actual_build_dir = os.path.join(build_dir, dir_name) + # `None` indicates that we respect the globally-configured deletion + # settings, which is what we actually want when auto-deleting. + delete_arg = None if autodelete else False + return TempDirectory( + path=actual_build_dir, + delete=delete_arg, + kind=tempdir_kinds.REQ_BUILD, + globally_managed=True, + ).path + + def _set_requirement(self) -> None: + """Set requirement after generating metadata.""" + assert self.req is None + assert self.metadata is not None + assert self.source_dir is not None + + # Construct a Requirement object from the generated metadata + if isinstance(parse_version(self.metadata["Version"]), Version): + op = "==" + else: + op = "===" + + self.req = Requirement( + "".join( + [ + self.metadata["Name"], + op, + self.metadata["Version"], + ] + ) + ) + + def warn_on_mismatching_name(self) -> None: + metadata_name = canonicalize_name(self.metadata["Name"]) + if canonicalize_name(self.req.name) == metadata_name: + # Everything is fine. + return + + # If we're here, there's a mismatch. Log a warning about it. + logger.warning( + "Generating metadata for package %s " + "produced metadata for project name %s. Fix your " + "#egg=%s fragments.", + self.name, + metadata_name, + self.name, + ) + self.req = Requirement(metadata_name) + + def check_if_exists(self, use_user_site: bool) -> None: + """Find an installed distribution that satisfies or conflicts + with this requirement, and set self.satisfied_by or + self.should_reinstall appropriately. + """ + if self.req is None: + return + existing_dist = get_distribution(self.req.name) + if not existing_dist: + return + + # pkg_resouces may contain a different copy of packaging.version from + # pip in if the downstream distributor does a poor job debundling pip. + # We avoid existing_dist.parsed_version and let SpecifierSet.contains + # parses the version instead. + existing_version = existing_dist.version + version_compatible = ( + existing_version is not None + and self.req.specifier.contains(existing_version, prereleases=True) + ) + if not version_compatible: + self.satisfied_by = None + if use_user_site: + if dist_in_usersite(existing_dist): + self.should_reinstall = True + elif running_under_virtualenv() and dist_in_site_packages( + existing_dist + ): + raise InstallationError( + "Will not install to the user site because it will " + "lack sys.path precedence to {} in {}".format( + existing_dist.project_name, existing_dist.location + ) + ) + else: + self.should_reinstall = True + else: + if self.editable: + self.should_reinstall = True + # when installing editables, nothing pre-existing should ever + # satisfy + self.satisfied_by = None + else: + self.satisfied_by = existing_dist + + # Things valid for wheels + @property + def is_wheel(self) -> bool: + if not self.link: + return False + return self.link.is_wheel + + # Things valid for sdists + @property + def unpacked_source_directory(self) -> str: + return os.path.join( + self.source_dir, self.link and self.link.subdirectory_fragment or "" + ) + + @property + def setup_py_path(self) -> str: + assert self.source_dir, f"No source dir for {self}" + setup_py = os.path.join(self.unpacked_source_directory, "setup.py") + + return setup_py + + @property + def setup_cfg_path(self) -> str: + assert self.source_dir, f"No source dir for {self}" + setup_cfg = os.path.join(self.unpacked_source_directory, "setup.cfg") + + return setup_cfg + + @property + def pyproject_toml_path(self) -> str: + assert self.source_dir, f"No source dir for {self}" + return make_pyproject_path(self.unpacked_source_directory) + + def load_pyproject_toml(self) -> None: + """Load the pyproject.toml file. + + After calling this routine, all of the attributes related to PEP 517 + processing for this requirement have been set. In particular, the + use_pep517 attribute can be used to determine whether we should + follow the PEP 517 or legacy (setup.py) code path. + """ + pyproject_toml_data = load_pyproject_toml( + self.use_pep517, self.pyproject_toml_path, self.setup_py_path, str(self) + ) + + if pyproject_toml_data is None: + self.use_pep517 = False + return + + self.use_pep517 = True + requires, backend, check, backend_path = pyproject_toml_data + self.requirements_to_check = check + self.pyproject_requires = requires + self.pep517_backend = Pep517HookCaller( + self.unpacked_source_directory, + backend, + backend_path=backend_path, + ) + + def _generate_editable_metadata(self) -> str: + """Invokes metadata generator functions, with the required arguments.""" + if self.use_pep517: + assert self.pep517_backend is not None + try: + metadata_directory = generate_editable_metadata( + build_env=self.build_env, + backend=self.pep517_backend, + ) + except HookMissing as e: + self.supports_pyproject_editable = False + if not os.path.exists(self.setup_py_path) and not os.path.exists( + self.setup_cfg_path + ): + raise InstallationError( + f"Project {self} has a 'pyproject.toml' and its build " + f"backend is missing the {e} hook. Since it does not " + f"have a 'setup.py' nor a 'setup.cfg', " + f"it cannot be installed in editable mode. " + f"Consider using a build backend that supports PEP 660." + ) + # At this point we have determined that the build_editable hook + # is missing, and there is a setup.py or setup.cfg + # so we fallback to the legacy metadata generation + logger.info( + "Build backend does not support editables, " + "falling back to setup.py egg_info." + ) + else: + self.supports_pyproject_editable = True + return metadata_directory + elif not os.path.exists(self.setup_py_path) and not os.path.exists( + self.setup_cfg_path + ): + raise InstallationError( + f"File 'setup.py' or 'setup.cfg' not found " + f"for legacy project {self}. " + f"It cannot be installed in editable mode." + ) + + return generate_metadata_legacy( + build_env=self.build_env, + setup_py_path=self.setup_py_path, + source_dir=self.unpacked_source_directory, + isolated=self.isolated, + details=self.name or f"from {self.link}", + ) + + def _generate_metadata(self) -> str: + """Invokes metadata generator functions, with the required arguments.""" + if self.use_pep517: + assert self.pep517_backend is not None + try: + return generate_metadata( + build_env=self.build_env, + backend=self.pep517_backend, + ) + except HookMissing as e: + raise InstallationError( + f"Project {self} has a pyproject.toml but its build " + f"backend is missing the required {e} hook." + ) + elif not os.path.exists(self.setup_py_path): + raise InstallationError( + f"File 'setup.py' not found for legacy project {self}." + ) + + return generate_metadata_legacy( + build_env=self.build_env, + setup_py_path=self.setup_py_path, + source_dir=self.unpacked_source_directory, + isolated=self.isolated, + details=self.name or f"from {self.link}", + ) + + def prepare_metadata(self) -> None: + """Ensure that project metadata is available. + + Under PEP 517, call the backend hook to prepare the metadata. + Under legacy processing, call setup.py egg-info. + """ + assert self.source_dir + + if self.editable and self.permit_editable_wheels: + self.metadata_directory = self._generate_editable_metadata() + else: + self.metadata_directory = self._generate_metadata() + + # Act on the newly generated metadata, based on the name and version. + if not self.name: + self._set_requirement() + else: + self.warn_on_mismatching_name() + + self.assert_source_matches_version() + + @property + def metadata(self) -> Any: + if not hasattr(self, "_metadata"): + self._metadata = get_metadata(self.get_dist()) + + return self._metadata + + def get_dist(self) -> Distribution: + return _get_dist(self.metadata_directory) + + def assert_source_matches_version(self) -> None: + assert self.source_dir + version = self.metadata["version"] + if self.req.specifier and version not in self.req.specifier: + logger.warning( + "Requested %s, but installing version %s", + self, + version, + ) + else: + logger.debug( + "Source in %s has version %s, which satisfies requirement %s", + display_path(self.source_dir), + version, + self, + ) + + # For both source distributions and editables + def ensure_has_source_dir( + self, + parent_dir: str, + autodelete: bool = False, + parallel_builds: bool = False, + ) -> None: + """Ensure that a source_dir is set. + + This will create a temporary build dir if the name of the requirement + isn't known yet. + + :param parent_dir: The ideal pip parent_dir for the source_dir. + Generally src_dir for editables and build_dir for sdists. + :return: self.source_dir + """ + if self.source_dir is None: + self.source_dir = self.ensure_build_location( + parent_dir, + autodelete=autodelete, + parallel_builds=parallel_builds, + ) + + # For editable installations + def update_editable(self) -> None: + if not self.link: + logger.debug( + "Cannot update repository at %s; repository location is unknown", + self.source_dir, + ) + return + assert self.editable + assert self.source_dir + if self.link.scheme == "file": + # Static paths don't get updated + return + vcs_backend = vcs.get_backend_for_scheme(self.link.scheme) + # Editable requirements are validated in Requirement constructors. + # So here, if it's neither a path nor a valid VCS URL, it's a bug. + assert vcs_backend, f"Unsupported VCS URL {self.link.url}" + hidden_url = hide_url(self.link.url) + vcs_backend.obtain(self.source_dir, url=hidden_url) + + # Top-level Actions + def uninstall( + self, auto_confirm: bool = False, verbose: bool = False + ) -> Optional[UninstallPathSet]: + """ + Uninstall the distribution currently satisfying this requirement. + + Prompts before removing or modifying files unless + ``auto_confirm`` is True. + + Refuses to delete or modify files outside of ``sys.prefix`` - + thus uninstallation within a virtual environment can only + modify that virtual environment, even if the virtualenv is + linked to global site-packages. + + """ + assert self.req + dist = get_distribution(self.req.name) + if not dist: + logger.warning("Skipping %s as it is not installed.", self.name) + return None + logger.info("Found existing installation: %s", dist) + + uninstalled_pathset = UninstallPathSet.from_dist(dist) + uninstalled_pathset.remove(auto_confirm, verbose) + return uninstalled_pathset + + def _get_archive_name(self, path: str, parentdir: str, rootdir: str) -> str: + def _clean_zip_name(name: str, prefix: str) -> str: + assert name.startswith( + prefix + os.path.sep + ), f"name {name!r} doesn't start with prefix {prefix!r}" + name = name[len(prefix) + 1 :] + name = name.replace(os.path.sep, "/") + return name + + path = os.path.join(parentdir, path) + name = _clean_zip_name(path, rootdir) + return self.name + "/" + name + + def archive(self, build_dir: Optional[str]) -> None: + """Saves archive to provided build_dir. + + Used for saving downloaded VCS requirements as part of `pip download`. + """ + assert self.source_dir + if build_dir is None: + return + + create_archive = True + archive_name = "{}-{}.zip".format(self.name, self.metadata["version"]) + archive_path = os.path.join(build_dir, archive_name) + + if os.path.exists(archive_path): + response = ask_path_exists( + "The file {} exists. (i)gnore, (w)ipe, " + "(b)ackup, (a)bort ".format(display_path(archive_path)), + ("i", "w", "b", "a"), + ) + if response == "i": + create_archive = False + elif response == "w": + logger.warning("Deleting %s", display_path(archive_path)) + os.remove(archive_path) + elif response == "b": + dest_file = backup_dir(archive_path) + logger.warning( + "Backing up %s to %s", + display_path(archive_path), + display_path(dest_file), + ) + shutil.move(archive_path, dest_file) + elif response == "a": + sys.exit(-1) + + if not create_archive: + return + + zip_output = zipfile.ZipFile( + archive_path, + "w", + zipfile.ZIP_DEFLATED, + allowZip64=True, + ) + with zip_output: + dir = os.path.normcase(os.path.abspath(self.unpacked_source_directory)) + for dirpath, dirnames, filenames in os.walk(dir): + for dirname in dirnames: + dir_arcname = self._get_archive_name( + dirname, + parentdir=dirpath, + rootdir=dir, + ) + zipdir = zipfile.ZipInfo(dir_arcname + "/") + zipdir.external_attr = 0x1ED << 16 # 0o755 + zip_output.writestr(zipdir, "") + for filename in filenames: + file_arcname = self._get_archive_name( + filename, + parentdir=dirpath, + rootdir=dir, + ) + filename = os.path.join(dirpath, filename) + zip_output.write(filename, file_arcname) + + logger.info("Saved %s", display_path(archive_path)) + + def install( + self, + install_options: List[str], + global_options: Optional[Sequence[str]] = None, + root: Optional[str] = None, + home: Optional[str] = None, + prefix: Optional[str] = None, + warn_script_location: bool = True, + use_user_site: bool = False, + pycompile: bool = True, + ) -> None: + scheme = get_scheme( + self.name, + user=use_user_site, + home=home, + root=root, + isolated=self.isolated, + prefix=prefix, + ) + + global_options = global_options if global_options is not None else [] + if self.editable and not self.is_wheel: + install_editable_legacy( + install_options, + global_options, + prefix=prefix, + home=home, + use_user_site=use_user_site, + name=self.name, + setup_py_path=self.setup_py_path, + isolated=self.isolated, + build_env=self.build_env, + unpacked_source_directory=self.unpacked_source_directory, + ) + self.install_succeeded = True + return + + if self.is_wheel: + assert self.local_file_path + direct_url = None + if self.editable: + direct_url = direct_url_for_editable(self.unpacked_source_directory) + elif self.original_link: + direct_url = direct_url_from_link( + self.original_link, + self.source_dir, + self.original_link_is_in_wheel_cache, + ) + install_wheel( + self.name, + self.local_file_path, + scheme=scheme, + req_description=str(self.req), + pycompile=pycompile, + warn_script_location=warn_script_location, + direct_url=direct_url, + requested=self.user_supplied, + ) + self.install_succeeded = True + return + + # TODO: Why don't we do this for editable installs? + + # Extend the list of global and install options passed on to + # the setup.py call with the ones from the requirements file. + # Options specified in requirements file override those + # specified on the command line, since the last option given + # to setup.py is the one that is used. + global_options = list(global_options) + self.global_options + install_options = list(install_options) + self.install_options + + try: + success = install_legacy( + install_options=install_options, + global_options=global_options, + root=root, + home=home, + prefix=prefix, + use_user_site=use_user_site, + pycompile=pycompile, + scheme=scheme, + setup_py_path=self.setup_py_path, + isolated=self.isolated, + req_name=self.name, + build_env=self.build_env, + unpacked_source_directory=self.unpacked_source_directory, + req_description=str(self.req), + ) + except LegacyInstallFailure as exc: + self.install_succeeded = False + raise exc.__cause__ + except Exception: + self.install_succeeded = True + raise + + self.install_succeeded = success + + if success and self.legacy_install_reason == 8368: + deprecated( + reason=( + "{} was installed using the legacy 'setup.py install' " + "method, because a wheel could not be built for it.".format( + self.name + ) + ), + replacement="to fix the wheel build issue reported above", + gone_in=None, + issue=8368, + ) + + +def check_invalid_constraint_type(req: InstallRequirement) -> str: + + # Check for unsupported forms + problem = "" + if not req.name: + problem = "Unnamed requirements are not allowed as constraints" + elif req.editable: + problem = "Editable requirements are not allowed as constraints" + elif req.extras: + problem = "Constraints cannot have extras" + + if problem: + deprecated( + reason=( + "Constraints are only allowed to take the form of a package " + "name and a version specifier. Other forms were originally " + "permitted as an accident of the implementation, but were " + "undocumented. The new implementation of the resolver no " + "longer supports these forms." + ), + replacement="replacing the constraint with a requirement", + # No plan yet for when the new resolver becomes default + gone_in=None, + issue=8210, + ) + + return problem diff --git a/venv/Lib/site-packages/pip/_internal/req/req_set.py b/venv/Lib/site-packages/pip/_internal/req/req_set.py new file mode 100644 index 0000000..6626c37 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/req/req_set.py @@ -0,0 +1,189 @@ +import logging +from collections import OrderedDict +from typing import Dict, Iterable, List, Optional, Tuple + +from pip._vendor.packaging.utils import canonicalize_name + +from pip._internal.exceptions import InstallationError +from pip._internal.models.wheel import Wheel +from pip._internal.req.req_install import InstallRequirement +from pip._internal.utils import compatibility_tags + +logger = logging.getLogger(__name__) + + +class RequirementSet: + def __init__(self, check_supported_wheels: bool = True) -> None: + """Create a RequirementSet.""" + + self.requirements: Dict[str, InstallRequirement] = OrderedDict() + self.check_supported_wheels = check_supported_wheels + + self.unnamed_requirements: List[InstallRequirement] = [] + + def __str__(self) -> str: + requirements = sorted( + (req for req in self.requirements.values() if not req.comes_from), + key=lambda req: canonicalize_name(req.name or ""), + ) + return " ".join(str(req.req) for req in requirements) + + def __repr__(self) -> str: + requirements = sorted( + self.requirements.values(), + key=lambda req: canonicalize_name(req.name or ""), + ) + + format_string = "<{classname} object; {count} requirement(s): {reqs}>" + return format_string.format( + classname=self.__class__.__name__, + count=len(requirements), + reqs=", ".join(str(req.req) for req in requirements), + ) + + def add_unnamed_requirement(self, install_req: InstallRequirement) -> None: + assert not install_req.name + self.unnamed_requirements.append(install_req) + + def add_named_requirement(self, install_req: InstallRequirement) -> None: + assert install_req.name + + project_name = canonicalize_name(install_req.name) + self.requirements[project_name] = install_req + + def add_requirement( + self, + install_req: InstallRequirement, + parent_req_name: Optional[str] = None, + extras_requested: Optional[Iterable[str]] = None, + ) -> Tuple[List[InstallRequirement], Optional[InstallRequirement]]: + """Add install_req as a requirement to install. + + :param parent_req_name: The name of the requirement that needed this + added. The name is used because when multiple unnamed requirements + resolve to the same name, we could otherwise end up with dependency + links that point outside the Requirements set. parent_req must + already be added. Note that None implies that this is a user + supplied requirement, vs an inferred one. + :param extras_requested: an iterable of extras used to evaluate the + environment markers. + :return: Additional requirements to scan. That is either [] if + the requirement is not applicable, or [install_req] if the + requirement is applicable and has just been added. + """ + # If the markers do not match, ignore this requirement. + if not install_req.match_markers(extras_requested): + logger.info( + "Ignoring %s: markers '%s' don't match your environment", + install_req.name, + install_req.markers, + ) + return [], None + + # If the wheel is not supported, raise an error. + # Should check this after filtering out based on environment markers to + # allow specifying different wheels based on the environment/OS, in a + # single requirements file. + if install_req.link and install_req.link.is_wheel: + wheel = Wheel(install_req.link.filename) + tags = compatibility_tags.get_supported() + if self.check_supported_wheels and not wheel.supported(tags): + raise InstallationError( + "{} is not a supported wheel on this platform.".format( + wheel.filename + ) + ) + + # This next bit is really a sanity check. + assert ( + not install_req.user_supplied or parent_req_name is None + ), "a user supplied req shouldn't have a parent" + + # Unnamed requirements are scanned again and the requirement won't be + # added as a dependency until after scanning. + if not install_req.name: + self.add_unnamed_requirement(install_req) + return [install_req], None + + try: + existing_req: Optional[InstallRequirement] = self.get_requirement( + install_req.name + ) + except KeyError: + existing_req = None + + has_conflicting_requirement = ( + parent_req_name is None + and existing_req + and not existing_req.constraint + and existing_req.extras == install_req.extras + and existing_req.req + and install_req.req + and existing_req.req.specifier != install_req.req.specifier + ) + if has_conflicting_requirement: + raise InstallationError( + "Double requirement given: {} (already in {}, name={!r})".format( + install_req, existing_req, install_req.name + ) + ) + + # When no existing requirement exists, add the requirement as a + # dependency and it will be scanned again after. + if not existing_req: + self.add_named_requirement(install_req) + # We'd want to rescan this requirement later + return [install_req], install_req + + # Assume there's no need to scan, and that we've already + # encountered this for scanning. + if install_req.constraint or not existing_req.constraint: + return [], existing_req + + does_not_satisfy_constraint = install_req.link and not ( + existing_req.link and install_req.link.path == existing_req.link.path + ) + if does_not_satisfy_constraint: + raise InstallationError( + "Could not satisfy constraints for '{}': " + "installation from path or url cannot be " + "constrained to a version".format(install_req.name) + ) + # If we're now installing a constraint, mark the existing + # object for real installation. + existing_req.constraint = False + # If we're now installing a user supplied requirement, + # mark the existing object as such. + if install_req.user_supplied: + existing_req.user_supplied = True + existing_req.extras = tuple( + sorted(set(existing_req.extras) | set(install_req.extras)) + ) + logger.debug( + "Setting %s extras to: %s", + existing_req, + existing_req.extras, + ) + # Return the existing requirement for addition to the parent and + # scanning again. + return [existing_req], existing_req + + def has_requirement(self, name: str) -> bool: + project_name = canonicalize_name(name) + + return ( + project_name in self.requirements + and not self.requirements[project_name].constraint + ) + + def get_requirement(self, name: str) -> InstallRequirement: + project_name = canonicalize_name(name) + + if project_name in self.requirements: + return self.requirements[project_name] + + raise KeyError(f"No project with the name {name!r}") + + @property + def all_requirements(self) -> List[InstallRequirement]: + return self.unnamed_requirements + list(self.requirements.values()) diff --git a/venv/Lib/site-packages/pip/_internal/req/req_tracker.py b/venv/Lib/site-packages/pip/_internal/req/req_tracker.py new file mode 100644 index 0000000..24d3c53 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/req/req_tracker.py @@ -0,0 +1,124 @@ +import contextlib +import hashlib +import logging +import os +from types import TracebackType +from typing import Dict, Iterator, Optional, Set, Type, Union + +from pip._internal.models.link import Link +from pip._internal.req.req_install import InstallRequirement +from pip._internal.utils.temp_dir import TempDirectory + +logger = logging.getLogger(__name__) + + +@contextlib.contextmanager +def update_env_context_manager(**changes: str) -> Iterator[None]: + target = os.environ + + # Save values from the target and change them. + non_existent_marker = object() + saved_values: Dict[str, Union[object, str]] = {} + for name, new_value in changes.items(): + try: + saved_values[name] = target[name] + except KeyError: + saved_values[name] = non_existent_marker + target[name] = new_value + + try: + yield + finally: + # Restore original values in the target. + for name, original_value in saved_values.items(): + if original_value is non_existent_marker: + del target[name] + else: + assert isinstance(original_value, str) # for mypy + target[name] = original_value + + +@contextlib.contextmanager +def get_requirement_tracker() -> Iterator["RequirementTracker"]: + root = os.environ.get("PIP_REQ_TRACKER") + with contextlib.ExitStack() as ctx: + if root is None: + root = ctx.enter_context(TempDirectory(kind="req-tracker")).path + ctx.enter_context(update_env_context_manager(PIP_REQ_TRACKER=root)) + logger.debug("Initialized build tracking at %s", root) + + with RequirementTracker(root) as tracker: + yield tracker + + +class RequirementTracker: + def __init__(self, root: str) -> None: + self._root = root + self._entries: Set[InstallRequirement] = set() + logger.debug("Created build tracker: %s", self._root) + + def __enter__(self) -> "RequirementTracker": + logger.debug("Entered build tracker: %s", self._root) + return self + + def __exit__( + self, + exc_type: Optional[Type[BaseException]], + exc_val: Optional[BaseException], + exc_tb: Optional[TracebackType], + ) -> None: + self.cleanup() + + def _entry_path(self, link: Link) -> str: + hashed = hashlib.sha224(link.url_without_fragment.encode()).hexdigest() + return os.path.join(self._root, hashed) + + def add(self, req: InstallRequirement) -> None: + """Add an InstallRequirement to build tracking.""" + + assert req.link + # Get the file to write information about this requirement. + entry_path = self._entry_path(req.link) + + # Try reading from the file. If it exists and can be read from, a build + # is already in progress, so a LookupError is raised. + try: + with open(entry_path) as fp: + contents = fp.read() + except FileNotFoundError: + pass + else: + message = "{} is already being built: {}".format(req.link, contents) + raise LookupError(message) + + # If we're here, req should really not be building already. + assert req not in self._entries + + # Start tracking this requirement. + with open(entry_path, "w", encoding="utf-8") as fp: + fp.write(str(req)) + self._entries.add(req) + + logger.debug("Added %s to build tracker %r", req, self._root) + + def remove(self, req: InstallRequirement) -> None: + """Remove an InstallRequirement from build tracking.""" + + assert req.link + # Delete the created file and the corresponding entries. + os.unlink(self._entry_path(req.link)) + self._entries.remove(req) + + logger.debug("Removed %s from build tracker %r", req, self._root) + + def cleanup(self) -> None: + for req in set(self._entries): + self.remove(req) + + logger.debug("Removed build tracker: %r", self._root) + + @contextlib.contextmanager + def track(self, req: InstallRequirement) -> Iterator[None]: + self.add(req) + yield + self.remove(req) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_uninstall.py b/venv/Lib/site-packages/pip/_internal/req/req_uninstall.py similarity index 58% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_uninstall.py rename to venv/Lib/site-packages/pip/_internal/req/req_uninstall.py index c80959e..779e93b 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/req/req_uninstall.py +++ b/venv/Lib/site-packages/pip/_internal/req/req_uninstall.py @@ -1,61 +1,68 @@ -from __future__ import absolute_import - import csv import functools -import logging import os import sys import sysconfig +from importlib.util import cache_from_source +from typing import Any, Callable, Dict, Iterable, Iterator, List, Optional, Set, Tuple from pip._vendor import pkg_resources +from pip._vendor.pkg_resources import Distribution from pip._internal.exceptions import UninstallationError -from pip._internal.locations import bin_py, bin_user -from pip._internal.utils.compat import WINDOWS, cache_from_source, uses_pycache -from pip._internal.utils.logging import indent_log +from pip._internal.locations import get_bin_prefix, get_bin_user +from pip._internal.utils.compat import WINDOWS +from pip._internal.utils.egg_link import egg_link_path_from_location +from pip._internal.utils.logging import getLogger, indent_log from pip._internal.utils.misc import ( - FakeFile, ask, dist_in_usersite, dist_is_local, egg_link_path, is_local, - normalize_path, renames, rmtree, + ask, + dist_in_usersite, + dist_is_local, + is_local, + normalize_path, + renames, + rmtree, ) from pip._internal.utils.temp_dir import AdjacentTempDirectory, TempDirectory -logger = logging.getLogger(__name__) +logger = getLogger(__name__) -def _script_names(dist, script_name, is_gui): +def _script_names(dist: Distribution, script_name: str, is_gui: bool) -> List[str]: """Create the fully qualified name of the files created by {console,gui}_scripts for the given ``dist``. Returns the list of file names """ if dist_in_usersite(dist): - bin_dir = bin_user + bin_dir = get_bin_user() else: - bin_dir = bin_py + bin_dir = get_bin_prefix() exe_name = os.path.join(bin_dir, script_name) paths_to_remove = [exe_name] if WINDOWS: - paths_to_remove.append(exe_name + '.exe') - paths_to_remove.append(exe_name + '.exe.manifest') + paths_to_remove.append(exe_name + ".exe") + paths_to_remove.append(exe_name + ".exe.manifest") if is_gui: - paths_to_remove.append(exe_name + '-script.pyw') + paths_to_remove.append(exe_name + "-script.pyw") else: - paths_to_remove.append(exe_name + '-script.py') + paths_to_remove.append(exe_name + "-script.py") return paths_to_remove -def _unique(fn): +def _unique(fn: Callable[..., Iterator[Any]]) -> Callable[..., Iterator[Any]]: @functools.wraps(fn) - def unique(*args, **kw): - seen = set() + def unique(*args: Any, **kw: Any) -> Iterator[Any]: + seen: Set[Any] = set() for item in fn(*args, **kw): if item not in seen: seen.add(item) yield item + return unique @_unique -def uninstallation_paths(dist): +def uninstallation_paths(dist: Distribution) -> Iterator[str]: """ Yield all the uninstallation paths for dist based on RECORD-without-.py[co] @@ -63,32 +70,53 @@ def uninstallation_paths(dist): the .pyc and .pyo in the same directory. UninstallPathSet.add() takes care of the __pycache__ .py[co]. + + If RECORD is not found, raises UninstallationError, + with possible information from the INSTALLER file. + + https://packaging.python.org/specifications/recording-installed-packages/ """ - r = csv.reader(FakeFile(dist.get_metadata_lines('RECORD'))) + try: + r = csv.reader(dist.get_metadata_lines("RECORD")) + except FileNotFoundError as missing_record_exception: + msg = "Cannot uninstall {dist}, RECORD file not found.".format(dist=dist) + try: + installer = next(dist.get_metadata_lines("INSTALLER")) + if not installer or installer == "pip": + raise ValueError() + except (OSError, StopIteration, ValueError): + dep = "{}=={}".format(dist.project_name, dist.version) + msg += ( + " You might be able to recover from this via: " + "'pip install --force-reinstall --no-deps {}'.".format(dep) + ) + else: + msg += " Hint: The package was installed by {}.".format(installer) + raise UninstallationError(msg) from missing_record_exception for row in r: path = os.path.join(dist.location, row[0]) yield path - if path.endswith('.py'): + if path.endswith(".py"): dn, fn = os.path.split(path) base = fn[:-3] - path = os.path.join(dn, base + '.pyc') + path = os.path.join(dn, base + ".pyc") yield path - path = os.path.join(dn, base + '.pyo') + path = os.path.join(dn, base + ".pyo") yield path -def compact(paths): +def compact(paths: Iterable[str]) -> Set[str]: """Compact a path set to contain the minimal number of paths necessary to contain all paths in the set. If /a/path/ and /a/path/to/a/file.txt are both in the set, leave only the shorter path.""" sep = os.path.sep - short_paths = set() + short_paths: Set[str] = set() for path in sorted(paths, key=len): should_skip = any( - path.startswith(shortpath.rstrip("*")) and - path[len(shortpath.rstrip("*").rstrip(sep))] == sep + path.startswith(shortpath.rstrip("*")) + and path[len(shortpath.rstrip("*").rstrip(sep))] == sep for shortpath in short_paths ) if not should_skip: @@ -96,34 +124,30 @@ def compact(paths): return short_paths -def compress_for_rename(paths): +def compress_for_rename(paths: Iterable[str]) -> Set[str]: """Returns a set containing the paths that need to be renamed. This set may include directories when the original sequence of paths included every file on disk. """ - case_map = dict((os.path.normcase(p), p) for p in paths) + case_map = {os.path.normcase(p): p for p in paths} remaining = set(case_map) - unchecked = sorted(set(os.path.split(p)[0] - for p in case_map.values()), key=len) - wildcards = set() + unchecked = sorted({os.path.split(p)[0] for p in case_map.values()}, key=len) + wildcards: Set[str] = set() - def norm_join(*a): + def norm_join(*a: str) -> str: return os.path.normcase(os.path.join(*a)) for root in unchecked: - if any(os.path.normcase(root).startswith(w) - for w in wildcards): + if any(os.path.normcase(root).startswith(w) for w in wildcards): # This directory has already been handled. continue - all_files = set() - all_subdirs = set() + all_files: Set[str] = set() + all_subdirs: Set[str] = set() for dirname, subdirs, files in os.walk(root): - all_subdirs.update(norm_join(root, dirname, d) - for d in subdirs) - all_files.update(norm_join(root, dirname, f) - for f in files) + all_subdirs.update(norm_join(root, dirname, d) for d in subdirs) + all_files.update(norm_join(root, dirname, f) for f in files) # If all the files we found are in our remaining set of files to # remove, then remove them from the latter set and add a wildcard # for the directory. @@ -134,7 +158,7 @@ def norm_join(*a): return set(map(case_map.__getitem__, remaining)) | wildcards -def compress_for_output_listing(paths): +def compress_for_output_listing(paths: Iterable[str]) -> Tuple[Set[str], Set[str]]: """Returns a tuple of 2 sets of which paths to display to user The first set contains paths that would be deleted. Files of a package @@ -145,7 +169,7 @@ def compress_for_output_listing(paths): folders. """ - will_remove = list(paths) + will_remove = set(paths) will_skip = set() # Determine folders and files @@ -158,7 +182,8 @@ def compress_for_output_listing(paths): folders.add(os.path.dirname(path)) files.add(path) - _normcased_files = set(map(os.path.normcase, files)) + # probably this one https://github.com/python/mypy/issues/390 + _normcased_files = set(map(os.path.normcase, files)) # type: ignore folders = compact(folders) @@ -171,46 +196,45 @@ def compress_for_output_listing(paths): continue file_ = os.path.join(dirpath, fname) - if (os.path.isfile(file_) and - os.path.normcase(file_) not in _normcased_files): + if ( + os.path.isfile(file_) + and os.path.normcase(file_) not in _normcased_files + ): # We are skipping this file. Add it to the set. will_skip.add(file_) - will_remove = files | { - os.path.join(folder, "*") for folder in folders - } + will_remove = files | {os.path.join(folder, "*") for folder in folders} return will_remove, will_skip -class StashedUninstallPathSet(object): +class StashedUninstallPathSet: """A set of file rename operations to stash files while tentatively uninstalling them.""" - def __init__(self): + + def __init__(self) -> None: # Mapping from source file root to [Adjacent]TempDirectory # for files under that directory. - self._save_dirs = {} + self._save_dirs: Dict[str, TempDirectory] = {} # (old path, new path) tuples for each move that may need # to be undone. - self._moves = [] + self._moves: List[Tuple[str, str]] = [] - def _get_directory_stash(self, path): + def _get_directory_stash(self, path: str) -> str: """Stashes a directory. Directories are stashed adjacent to their original location if possible, or else moved/copied into the user's temp dir.""" try: - save_dir = AdjacentTempDirectory(path) - save_dir.create() + save_dir: TempDirectory = AdjacentTempDirectory(path) except OSError: save_dir = TempDirectory(kind="uninstall") - save_dir.create() self._save_dirs[os.path.normcase(path)] = save_dir return save_dir.path - def _get_file_stash(self, path): + def _get_file_stash(self, path: str) -> str: """Stashes a file. If no root has been provided, one will be created for the directory @@ -229,8 +253,7 @@ def _get_file_stash(self, path): else: # Did not find any suitable root head = os.path.dirname(path) - save_dir = TempDirectory(kind='uninstall') - save_dir.create() + save_dir = TempDirectory(kind="uninstall") self._save_dirs[head] = save_dir relpath = os.path.relpath(path, head) @@ -238,16 +261,18 @@ def _get_file_stash(self, path): return os.path.join(save_dir.path, relpath) return save_dir.path - def stash(self, path): + def stash(self, path: str) -> str: """Stashes the directory or file and returns its new location. + Handle symlinks as files to avoid modifying the symlink targets. """ - if os.path.isdir(path): + path_is_dir = os.path.isdir(path) and not os.path.islink(path) + if path_is_dir: new_path = self._get_directory_stash(path) else: new_path = self._get_file_stash(path) self._moves.append((path, new_path)) - if os.path.isdir(path) and os.path.isdir(new_path): + if path_is_dir and os.path.isdir(new_path): # If we're moving a directory, we need to # remove the destination first or else it will be # moved to inside the existing directory. @@ -257,22 +282,22 @@ def stash(self, path): renames(path, new_path) return new_path - def commit(self): + def commit(self) -> None: """Commits the uninstall by removing stashed files.""" for _, save_dir in self._save_dirs.items(): save_dir.cleanup() self._moves = [] self._save_dirs = {} - def rollback(self): + def rollback(self) -> None: """Undoes the uninstall by moving stashed files back.""" for p in self._moves: - logging.info("Moving to %s\n from %s", *p) + logger.info("Moving to %s\n from %s", *p) for new_path, path in self._moves: try: - logger.debug('Replacing %s from %s', new_path, path) - if os.path.isfile(new_path): + logger.debug("Replacing %s from %s", new_path, path) + if os.path.isfile(new_path) or os.path.islink(new_path): os.unlink(new_path) elif os.path.isdir(new_path): rmtree(new_path) @@ -284,21 +309,22 @@ def rollback(self): self.commit() @property - def can_rollback(self): + def can_rollback(self) -> bool: return bool(self._moves) -class UninstallPathSet(object): +class UninstallPathSet: """A set of file paths to be removed in the uninstallation of a requirement.""" - def __init__(self, dist): - self.paths = set() - self._refuse = set() - self.pth = {} + + def __init__(self, dist: Distribution) -> None: + self.paths: Set[str] = set() + self._refuse: Set[str] = set() + self.pth: Dict[str, UninstallPthEntries] = {} self.dist = dist self._moved_paths = StashedUninstallPathSet() - def _permitted(self, path): + def _permitted(self, path: str) -> bool: """ Return True if the given path is one we are permitted to remove/modify, False otherwise. @@ -306,7 +332,7 @@ def _permitted(self, path): """ return is_local(path) - def add(self, path): + def add(self, path: str) -> None: head, tail = os.path.split(path) # we normalize the head to resolve parent directory symlinks, but not @@ -322,10 +348,10 @@ def add(self, path): # __pycache__ files can show up after 'installed-files.txt' is created, # due to imports - if os.path.splitext(path)[1] == '.py' and uses_pycache: + if os.path.splitext(path)[1] == ".py": self.add(cache_from_source(path)) - def add_pth(self, pth_file, entry): + def add_pth(self, pth_file: str, entry: str) -> None: pth_file = normalize_path(pth_file) if self._permitted(pth_file): if pth_file not in self.pth: @@ -334,7 +360,7 @@ def add_pth(self, pth_file, entry): else: self._refuse.add(pth_file) - def remove(self, auto_confirm=False, verbose=False): + def remove(self, auto_confirm: bool = False, verbose: bool = False) -> None: """Remove paths in ``self.paths`` with confirmation (unless ``auto_confirm`` is True).""" @@ -345,10 +371,8 @@ def remove(self, auto_confirm=False, verbose=False): ) return - dist_name_version = ( - self.dist.project_name + "-" + self.dist.version - ) - logger.info('Uninstalling %s:', dist_name_version) + dist_name_version = self.dist.project_name + "-" + self.dist.version + logger.info("Uninstalling %s:", dist_name_version) with indent_log(): if auto_confirm or self._allowed_to_proceed(verbose): @@ -358,18 +382,17 @@ def remove(self, auto_confirm=False, verbose=False): for path in sorted(compact(for_rename)): moved.stash(path) - logger.debug('Removing file or directory %s', path) + logger.verbose("Removing file or directory %s", path) for pth in self.pth.values(): pth.remove() - logger.info('Successfully uninstalled %s', dist_name_version) + logger.info("Successfully uninstalled %s", dist_name_version) - def _allowed_to_proceed(self, verbose): - """Display which files would be deleted and prompt for confirmation - """ + def _allowed_to_proceed(self, verbose: bool) -> bool: + """Display which files would be deleted and prompt for confirmation""" - def _display(msg, paths): + def _display(msg: str, paths: Iterable[str]) -> None: if not paths: return @@ -383,36 +406,36 @@ def _display(msg, paths): else: # In verbose mode, display all the files that are going to be # deleted. - will_remove = list(self.paths) + will_remove = set(self.paths) will_skip = set() - _display('Would remove:', will_remove) - _display('Would not remove (might be manually added):', will_skip) - _display('Would not remove (outside of prefix):', self._refuse) + _display("Would remove:", will_remove) + _display("Would not remove (might be manually added):", will_skip) + _display("Would not remove (outside of prefix):", self._refuse) if verbose: - _display('Will actually move:', compress_for_rename(self.paths)) + _display("Will actually move:", compress_for_rename(self.paths)) - return ask('Proceed (y/n)? ', ('y', 'n')) == 'y' + return ask("Proceed (Y/n)? ", ("y", "n", "")) != "n" - def rollback(self): + def rollback(self) -> None: """Rollback the changes previously made by remove().""" if not self._moved_paths.can_rollback: logger.error( "Can't roll back %s; was not uninstalled", self.dist.project_name, ) - return False - logger.info('Rolling back uninstall of %s', self.dist.project_name) + return + logger.info("Rolling back uninstall of %s", self.dist.project_name) self._moved_paths.rollback() for pth in self.pth.values(): pth.rollback() - def commit(self): + def commit(self) -> None: """Remove temporary save dir: rollback will no longer be possible.""" self._moved_paths.commit() @classmethod - def from_dist(cls, dist): + def from_dist(cls, dist: Distribution) -> "UninstallPathSet": dist_path = normalize_path(dist.location) if not dist_is_local(dist): logger.info( @@ -423,9 +446,11 @@ def from_dist(cls, dist): ) return cls(dist) - if dist_path in {p for p in {sysconfig.get_path("stdlib"), - sysconfig.get_path("platstdlib")} - if p}: + if dist_path in { + p + for p in {sysconfig.get_path("stdlib"), sysconfig.get_path("platstdlib")} + if p + }: logger.info( "Not uninstalling %s at %s, as it is in the standard library.", dist.key, @@ -434,44 +459,48 @@ def from_dist(cls, dist): return cls(dist) paths_to_remove = cls(dist) - develop_egg_link = egg_link_path(dist) - develop_egg_link_egg_info = '{}.egg-info'.format( - pkg_resources.to_filename(dist.project_name)) + develop_egg_link = egg_link_path_from_location(dist.project_name) + develop_egg_link_egg_info = "{}.egg-info".format( + pkg_resources.to_filename(dist.project_name) + ) egg_info_exists = dist.egg_info and os.path.exists(dist.egg_info) # Special case for distutils installed package - distutils_egg_info = getattr(dist._provider, 'path', None) + distutils_egg_info = getattr(dist._provider, "path", None) # Uninstall cases order do matter as in the case of 2 installs of the # same package, pip needs to uninstall the currently detected version - if (egg_info_exists and dist.egg_info.endswith('.egg-info') and - not dist.egg_info.endswith(develop_egg_link_egg_info)): + if ( + egg_info_exists + and dist.egg_info.endswith(".egg-info") + and not dist.egg_info.endswith(develop_egg_link_egg_info) + ): # if dist.egg_info.endswith(develop_egg_link_egg_info), we # are in fact in the develop_egg_link case paths_to_remove.add(dist.egg_info) - if dist.has_metadata('installed-files.txt'): + if dist.has_metadata("installed-files.txt"): for installed_file in dist.get_metadata( - 'installed-files.txt').splitlines(): - path = os.path.normpath( - os.path.join(dist.egg_info, installed_file) - ) + "installed-files.txt" + ).splitlines(): + path = os.path.normpath(os.path.join(dist.egg_info, installed_file)) paths_to_remove.add(path) # FIXME: need a test for this elif block # occurs with --single-version-externally-managed/--record outside # of pip - elif dist.has_metadata('top_level.txt'): - if dist.has_metadata('namespace_packages.txt'): - namespaces = dist.get_metadata('namespace_packages.txt') + elif dist.has_metadata("top_level.txt"): + if dist.has_metadata("namespace_packages.txt"): + namespaces = dist.get_metadata("namespace_packages.txt") else: namespaces = [] for top_level_pkg in [ - p for p - in dist.get_metadata('top_level.txt').splitlines() - if p and p not in namespaces]: + p + for p in dist.get_metadata("top_level.txt").splitlines() + if p and p not in namespaces + ]: path = os.path.join(dist.location, top_level_pkg) paths_to_remove.add(path) - paths_to_remove.add(path + '.py') - paths_to_remove.add(path + '.pyc') - paths_to_remove.add(path + '.pyo') + paths_to_remove.add(path + ".py") + paths_to_remove.add(path + ".pyc") + paths_to_remove.add(path + ".pyo") elif distutils_egg_info: raise UninstallationError( @@ -482,57 +511,61 @@ def from_dist(cls, dist): ) ) - elif dist.location.endswith('.egg'): + elif dist.location.endswith(".egg"): # package installed by easy_install # We cannot match on dist.egg_name because it can slightly vary # i.e. setuptools-0.6c11-py2.6.egg vs setuptools-0.6rc11-py2.6.egg paths_to_remove.add(dist.location) easy_install_egg = os.path.split(dist.location)[1] - easy_install_pth = os.path.join(os.path.dirname(dist.location), - 'easy-install.pth') - paths_to_remove.add_pth(easy_install_pth, './' + easy_install_egg) + easy_install_pth = os.path.join( + os.path.dirname(dist.location), "easy-install.pth" + ) + paths_to_remove.add_pth(easy_install_pth, "./" + easy_install_egg) - elif egg_info_exists and dist.egg_info.endswith('.dist-info'): + elif egg_info_exists and dist.egg_info.endswith(".dist-info"): for path in uninstallation_paths(dist): paths_to_remove.add(path) elif develop_egg_link: # develop egg - with open(develop_egg_link, 'r') as fh: + with open(develop_egg_link) as fh: link_pointer = os.path.normcase(fh.readline().strip()) - assert (link_pointer == dist.location), ( - 'Egg-link %s does not match installed location of %s ' - '(at %s)' % (link_pointer, dist.project_name, dist.location) + assert ( + link_pointer == dist.location + ), "Egg-link {} does not match installed location of {} (at {})".format( + link_pointer, dist.project_name, dist.location ) paths_to_remove.add(develop_egg_link) - easy_install_pth = os.path.join(os.path.dirname(develop_egg_link), - 'easy-install.pth') + easy_install_pth = os.path.join( + os.path.dirname(develop_egg_link), "easy-install.pth" + ) paths_to_remove.add_pth(easy_install_pth, dist.location) else: logger.debug( - 'Not sure how to uninstall: %s - Check: %s', - dist, dist.location, + "Not sure how to uninstall: %s - Check: %s", + dist, + dist.location, ) # find distutils scripts= scripts - if dist.has_metadata('scripts') and dist.metadata_isdir('scripts'): - for script in dist.metadata_listdir('scripts'): + if dist.has_metadata("scripts") and dist.metadata_isdir("scripts"): + for script in dist.metadata_listdir("scripts"): if dist_in_usersite(dist): - bin_dir = bin_user + bin_dir = get_bin_user() else: - bin_dir = bin_py + bin_dir = get_bin_prefix() paths_to_remove.add(os.path.join(bin_dir, script)) if WINDOWS: - paths_to_remove.add(os.path.join(bin_dir, script) + '.bat') + paths_to_remove.add(os.path.join(bin_dir, script) + ".bat") # find console_scripts _scripts_to_remove = [] - console_scripts = dist.get_entry_map(group='console_scripts') + console_scripts = dist.get_entry_map(group="console_scripts") for name in console_scripts.keys(): _scripts_to_remove.extend(_script_names(dist, name, False)) # find gui_scripts - gui_scripts = dist.get_entry_map(group='gui_scripts') + gui_scripts = dist.get_entry_map(group="gui_scripts") for name in gui_scripts.keys(): _scripts_to_remove.extend(_script_names(dist, name, True)) @@ -542,55 +575,59 @@ def from_dist(cls, dist): return paths_to_remove -class UninstallPthEntries(object): - def __init__(self, pth_file): - if not os.path.isfile(pth_file): - raise UninstallationError( - "Cannot remove entries from nonexistent file %s" % pth_file - ) +class UninstallPthEntries: + def __init__(self, pth_file: str) -> None: self.file = pth_file - self.entries = set() - self._saved_lines = None + self.entries: Set[str] = set() + self._saved_lines: Optional[List[bytes]] = None - def add(self, entry): + def add(self, entry: str) -> None: entry = os.path.normcase(entry) # On Windows, os.path.normcase converts the entry to use # backslashes. This is correct for entries that describe absolute # paths outside of site-packages, but all the others use forward # slashes. + # os.path.splitdrive is used instead of os.path.isabs because isabs + # treats non-absolute paths with drive letter markings like c:foo\bar + # as absolute paths. It also does not recognize UNC paths if they don't + # have more than "\\sever\share". Valid examples: "\\server\share\" or + # "\\server\share\folder". if WINDOWS and not os.path.splitdrive(entry)[0]: - entry = entry.replace('\\', '/') + entry = entry.replace("\\", "/") self.entries.add(entry) - def remove(self): - logger.debug('Removing pth entries from %s:', self.file) - with open(self.file, 'rb') as fh: + def remove(self) -> None: + logger.verbose("Removing pth entries from %s:", self.file) + + # If the file doesn't exist, log a warning and return + if not os.path.isfile(self.file): + logger.warning("Cannot remove entries from nonexistent file %s", self.file) + return + with open(self.file, "rb") as fh: # windows uses '\r\n' with py3k, but uses '\n' with py2.x lines = fh.readlines() self._saved_lines = lines - if any(b'\r\n' in line for line in lines): - endline = '\r\n' + if any(b"\r\n" in line for line in lines): + endline = "\r\n" else: - endline = '\n' + endline = "\n" # handle missing trailing newline if lines and not lines[-1].endswith(endline.encode("utf-8")): lines[-1] = lines[-1] + endline.encode("utf-8") for entry in self.entries: try: - logger.debug('Removing entry: %s', entry) + logger.verbose("Removing entry: %s", entry) lines.remove((entry + endline).encode("utf-8")) except ValueError: pass - with open(self.file, 'wb') as fh: + with open(self.file, "wb") as fh: fh.writelines(lines) - def rollback(self): + def rollback(self) -> bool: if self._saved_lines is None: - logger.error( - 'Cannot roll back changes to %s, none were made', self.file - ) + logger.error("Cannot roll back changes to %s, none were made", self.file) return False - logger.debug('Rolling %s back to previous state', self.file) - with open(self.file, 'wb') as fh: + logger.debug("Rolling %s back to previous state", self.file) + with open(self.file, "wb") as fh: fh.writelines(self._saved_lines) return True diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/__init__.py b/venv/Lib/site-packages/pip/_internal/resolution/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/__init__.py rename to venv/Lib/site-packages/pip/_internal/resolution/__init__.py diff --git a/venv/Lib/site-packages/pip/_internal/resolution/base.py b/venv/Lib/site-packages/pip/_internal/resolution/base.py new file mode 100644 index 0000000..42dade1 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/resolution/base.py @@ -0,0 +1,20 @@ +from typing import Callable, List, Optional + +from pip._internal.req.req_install import InstallRequirement +from pip._internal.req.req_set import RequirementSet + +InstallRequirementProvider = Callable[ + [str, Optional[InstallRequirement]], InstallRequirement +] + + +class BaseResolver: + def resolve( + self, root_reqs: List[InstallRequirement], check_supported_wheels: bool + ) -> RequirementSet: + raise NotImplementedError() + + def get_installation_order( + self, req_set: RequirementSet + ) -> List[InstallRequirement]: + raise NotImplementedError() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/__init__.py b/venv/Lib/site-packages/pip/_internal/resolution/legacy/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/__init__.py rename to venv/Lib/site-packages/pip/_internal/resolution/legacy/__init__.py diff --git a/venv/Lib/site-packages/pip/_internal/resolution/legacy/resolver.py b/venv/Lib/site-packages/pip/_internal/resolution/legacy/resolver.py new file mode 100644 index 0000000..09caaa6 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/resolution/legacy/resolver.py @@ -0,0 +1,467 @@ +"""Dependency Resolution + +The dependency resolution in pip is performed as follows: + +for top-level requirements: + a. only one spec allowed per project, regardless of conflicts or not. + otherwise a "double requirement" exception is raised + b. they override sub-dependency requirements. +for sub-dependencies + a. "first found, wins" (where the order is breadth first) +""" + +# The following comment should be removed at some point in the future. +# mypy: strict-optional=False + +import logging +import sys +from collections import defaultdict +from itertools import chain +from typing import DefaultDict, Iterable, List, Optional, Set, Tuple + +from pip._vendor.packaging import specifiers +from pip._vendor.packaging.requirements import Requirement + +from pip._internal.cache import WheelCache +from pip._internal.exceptions import ( + BestVersionAlreadyInstalled, + DistributionNotFound, + HashError, + HashErrors, + NoneMetadataError, + UnsupportedPythonVersion, +) +from pip._internal.index.package_finder import PackageFinder +from pip._internal.metadata import BaseDistribution +from pip._internal.models.link import Link +from pip._internal.operations.prepare import RequirementPreparer +from pip._internal.req.req_install import ( + InstallRequirement, + check_invalid_constraint_type, +) +from pip._internal.req.req_set import RequirementSet +from pip._internal.resolution.base import BaseResolver, InstallRequirementProvider +from pip._internal.utils.compatibility_tags import get_supported +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import dist_in_usersite, normalize_version_info +from pip._internal.utils.packaging import check_requires_python + +logger = logging.getLogger(__name__) + +DiscoveredDependencies = DefaultDict[str, List[InstallRequirement]] + + +def _check_dist_requires_python( + dist: BaseDistribution, + version_info: Tuple[int, int, int], + ignore_requires_python: bool = False, +) -> None: + """ + Check whether the given Python version is compatible with a distribution's + "Requires-Python" value. + + :param version_info: A 3-tuple of ints representing the Python + major-minor-micro version to check. + :param ignore_requires_python: Whether to ignore the "Requires-Python" + value if the given Python version isn't compatible. + + :raises UnsupportedPythonVersion: When the given Python version isn't + compatible. + """ + # This idiosyncratically converts the SpecifierSet to str and let + # check_requires_python then parse it again into SpecifierSet. But this + # is the legacy resolver so I'm just not going to bother refactoring. + try: + requires_python = str(dist.requires_python) + except FileNotFoundError as e: + raise NoneMetadataError(dist, str(e)) + try: + is_compatible = check_requires_python( + requires_python, + version_info=version_info, + ) + except specifiers.InvalidSpecifier as exc: + logger.warning( + "Package %r has an invalid Requires-Python: %s", dist.raw_name, exc + ) + return + + if is_compatible: + return + + version = ".".join(map(str, version_info)) + if ignore_requires_python: + logger.debug( + "Ignoring failed Requires-Python check for package %r: %s not in %r", + dist.raw_name, + version, + requires_python, + ) + return + + raise UnsupportedPythonVersion( + "Package {!r} requires a different Python: {} not in {!r}".format( + dist.raw_name, version, requires_python + ) + ) + + +class Resolver(BaseResolver): + """Resolves which packages need to be installed/uninstalled to perform \ + the requested operation without breaking the requirements of any package. + """ + + _allowed_strategies = {"eager", "only-if-needed", "to-satisfy-only"} + + def __init__( + self, + preparer: RequirementPreparer, + finder: PackageFinder, + wheel_cache: Optional[WheelCache], + make_install_req: InstallRequirementProvider, + use_user_site: bool, + ignore_dependencies: bool, + ignore_installed: bool, + ignore_requires_python: bool, + force_reinstall: bool, + upgrade_strategy: str, + py_version_info: Optional[Tuple[int, ...]] = None, + ) -> None: + super().__init__() + assert upgrade_strategy in self._allowed_strategies + + if py_version_info is None: + py_version_info = sys.version_info[:3] + else: + py_version_info = normalize_version_info(py_version_info) + + self._py_version_info = py_version_info + + self.preparer = preparer + self.finder = finder + self.wheel_cache = wheel_cache + + self.upgrade_strategy = upgrade_strategy + self.force_reinstall = force_reinstall + self.ignore_dependencies = ignore_dependencies + self.ignore_installed = ignore_installed + self.ignore_requires_python = ignore_requires_python + self.use_user_site = use_user_site + self._make_install_req = make_install_req + + self._discovered_dependencies: DiscoveredDependencies = defaultdict(list) + + def resolve( + self, root_reqs: List[InstallRequirement], check_supported_wheels: bool + ) -> RequirementSet: + """Resolve what operations need to be done + + As a side-effect of this method, the packages (and their dependencies) + are downloaded, unpacked and prepared for installation. This + preparation is done by ``pip.operations.prepare``. + + Once PyPI has static dependency metadata available, it would be + possible to move the preparation to become a step separated from + dependency resolution. + """ + requirement_set = RequirementSet(check_supported_wheels=check_supported_wheels) + for req in root_reqs: + if req.constraint: + check_invalid_constraint_type(req) + requirement_set.add_requirement(req) + + # Actually prepare the files, and collect any exceptions. Most hash + # exceptions cannot be checked ahead of time, because + # _populate_link() needs to be called before we can make decisions + # based on link type. + discovered_reqs: List[InstallRequirement] = [] + hash_errors = HashErrors() + for req in chain(requirement_set.all_requirements, discovered_reqs): + try: + discovered_reqs.extend(self._resolve_one(requirement_set, req)) + except HashError as exc: + exc.req = req + hash_errors.append(exc) + + if hash_errors: + raise hash_errors + + return requirement_set + + def _is_upgrade_allowed(self, req: InstallRequirement) -> bool: + if self.upgrade_strategy == "to-satisfy-only": + return False + elif self.upgrade_strategy == "eager": + return True + else: + assert self.upgrade_strategy == "only-if-needed" + return req.user_supplied or req.constraint + + def _set_req_to_reinstall(self, req: InstallRequirement) -> None: + """ + Set a requirement to be installed. + """ + # Don't uninstall the conflict if doing a user install and the + # conflict is not a user install. + if not self.use_user_site or dist_in_usersite(req.satisfied_by): + req.should_reinstall = True + req.satisfied_by = None + + def _check_skip_installed( + self, req_to_install: InstallRequirement + ) -> Optional[str]: + """Check if req_to_install should be skipped. + + This will check if the req is installed, and whether we should upgrade + or reinstall it, taking into account all the relevant user options. + + After calling this req_to_install will only have satisfied_by set to + None if the req_to_install is to be upgraded/reinstalled etc. Any + other value will be a dist recording the current thing installed that + satisfies the requirement. + + Note that for vcs urls and the like we can't assess skipping in this + routine - we simply identify that we need to pull the thing down, + then later on it is pulled down and introspected to assess upgrade/ + reinstalls etc. + + :return: A text reason for why it was skipped, or None. + """ + if self.ignore_installed: + return None + + req_to_install.check_if_exists(self.use_user_site) + if not req_to_install.satisfied_by: + return None + + if self.force_reinstall: + self._set_req_to_reinstall(req_to_install) + return None + + if not self._is_upgrade_allowed(req_to_install): + if self.upgrade_strategy == "only-if-needed": + return "already satisfied, skipping upgrade" + return "already satisfied" + + # Check for the possibility of an upgrade. For link-based + # requirements we have to pull the tree down and inspect to assess + # the version #, so it's handled way down. + if not req_to_install.link: + try: + self.finder.find_requirement(req_to_install, upgrade=True) + except BestVersionAlreadyInstalled: + # Then the best version is installed. + return "already up-to-date" + except DistributionNotFound: + # No distribution found, so we squash the error. It will + # be raised later when we re-try later to do the install. + # Why don't we just raise here? + pass + + self._set_req_to_reinstall(req_to_install) + return None + + def _find_requirement_link(self, req: InstallRequirement) -> Optional[Link]: + upgrade = self._is_upgrade_allowed(req) + best_candidate = self.finder.find_requirement(req, upgrade) + if not best_candidate: + return None + + # Log a warning per PEP 592 if necessary before returning. + link = best_candidate.link + if link.is_yanked: + reason = link.yanked_reason or "<none given>" + msg = ( + # Mark this as a unicode string to prevent + # "UnicodeEncodeError: 'ascii' codec can't encode character" + # in Python 2 when the reason contains non-ascii characters. + "The candidate selected for download or install is a " + "yanked version: {candidate}\n" + "Reason for being yanked: {reason}" + ).format(candidate=best_candidate, reason=reason) + logger.warning(msg) + + return link + + def _populate_link(self, req: InstallRequirement) -> None: + """Ensure that if a link can be found for this, that it is found. + + Note that req.link may still be None - if the requirement is already + installed and not needed to be upgraded based on the return value of + _is_upgrade_allowed(). + + If preparer.require_hashes is True, don't use the wheel cache, because + cached wheels, always built locally, have different hashes than the + files downloaded from the index server and thus throw false hash + mismatches. Furthermore, cached wheels at present have undeterministic + contents due to file modification times. + """ + if req.link is None: + req.link = self._find_requirement_link(req) + + if self.wheel_cache is None or self.preparer.require_hashes: + return + cache_entry = self.wheel_cache.get_cache_entry( + link=req.link, + package_name=req.name, + supported_tags=get_supported(), + ) + if cache_entry is not None: + logger.debug("Using cached wheel link: %s", cache_entry.link) + if req.link is req.original_link and cache_entry.persistent: + req.original_link_is_in_wheel_cache = True + req.link = cache_entry.link + + def _get_dist_for(self, req: InstallRequirement) -> BaseDistribution: + """Takes a InstallRequirement and returns a single AbstractDist \ + representing a prepared variant of the same. + """ + if req.editable: + return self.preparer.prepare_editable_requirement(req) + + # satisfied_by is only evaluated by calling _check_skip_installed, + # so it must be None here. + assert req.satisfied_by is None + skip_reason = self._check_skip_installed(req) + + if req.satisfied_by: + return self.preparer.prepare_installed_requirement(req, skip_reason) + + # We eagerly populate the link, since that's our "legacy" behavior. + self._populate_link(req) + dist = self.preparer.prepare_linked_requirement(req) + + # NOTE + # The following portion is for determining if a certain package is + # going to be re-installed/upgraded or not and reporting to the user. + # This should probably get cleaned up in a future refactor. + + # req.req is only avail after unpack for URL + # pkgs repeat check_if_exists to uninstall-on-upgrade + # (#14) + if not self.ignore_installed: + req.check_if_exists(self.use_user_site) + + if req.satisfied_by: + should_modify = ( + self.upgrade_strategy != "to-satisfy-only" + or self.force_reinstall + or self.ignore_installed + or req.link.scheme == "file" + ) + if should_modify: + self._set_req_to_reinstall(req) + else: + logger.info( + "Requirement already satisfied (use --upgrade to upgrade): %s", + req, + ) + return dist + + def _resolve_one( + self, + requirement_set: RequirementSet, + req_to_install: InstallRequirement, + ) -> List[InstallRequirement]: + """Prepare a single requirements file. + + :return: A list of additional InstallRequirements to also install. + """ + # Tell user what we are doing for this requirement: + # obtain (editable), skipping, processing (local url), collecting + # (remote url or package name) + if req_to_install.constraint or req_to_install.prepared: + return [] + + req_to_install.prepared = True + + # Parse and return dependencies + dist = self._get_dist_for(req_to_install) + # This will raise UnsupportedPythonVersion if the given Python + # version isn't compatible with the distribution's Requires-Python. + _check_dist_requires_python( + dist, + version_info=self._py_version_info, + ignore_requires_python=self.ignore_requires_python, + ) + + more_reqs: List[InstallRequirement] = [] + + def add_req(subreq: Requirement, extras_requested: Iterable[str]) -> None: + # This idiosyncratically converts the Requirement to str and let + # make_install_req then parse it again into Requirement. But this is + # the legacy resolver so I'm just not going to bother refactoring. + sub_install_req = self._make_install_req(str(subreq), req_to_install) + parent_req_name = req_to_install.name + to_scan_again, add_to_parent = requirement_set.add_requirement( + sub_install_req, + parent_req_name=parent_req_name, + extras_requested=extras_requested, + ) + if parent_req_name and add_to_parent: + self._discovered_dependencies[parent_req_name].append(add_to_parent) + more_reqs.extend(to_scan_again) + + with indent_log(): + # We add req_to_install before its dependencies, so that we + # can refer to it when adding dependencies. + if not requirement_set.has_requirement(req_to_install.name): + # 'unnamed' requirements will get added here + # 'unnamed' requirements can only come from being directly + # provided by the user. + assert req_to_install.user_supplied + requirement_set.add_requirement(req_to_install, parent_req_name=None) + + if not self.ignore_dependencies: + if req_to_install.extras: + logger.debug( + "Installing extra requirements: %r", + ",".join(req_to_install.extras), + ) + missing_requested = sorted( + set(req_to_install.extras) - set(dist.iter_provided_extras()) + ) + for missing in missing_requested: + logger.warning( + "%s %s does not provide the extra '%s'", + dist.raw_name, + dist.version, + missing, + ) + + available_requested = sorted( + set(dist.iter_provided_extras()) & set(req_to_install.extras) + ) + for subreq in dist.iter_dependencies(available_requested): + add_req(subreq, extras_requested=available_requested) + + return more_reqs + + def get_installation_order( + self, req_set: RequirementSet + ) -> List[InstallRequirement]: + """Create the installation order. + + The installation order is topological - requirements are installed + before the requiring thing. We break cycles at an arbitrary point, + and make no other guarantees. + """ + # The current implementation, which we may change at any point + # installs the user specified things in the order given, except when + # dependencies must come earlier to achieve topological order. + order = [] + ordered_reqs: Set[InstallRequirement] = set() + + def schedule(req: InstallRequirement) -> None: + if req.satisfied_by or req in ordered_reqs: + return + if req.constraint: + return + ordered_reqs.add(req) + for dep in self._discovered_dependencies[req.name]: + schedule(dep) + order.append(req) + + for install_req in req_set.requirements.values(): + schedule(install_req) + return order diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/__init__.py b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/__init__.py rename to venv/Lib/site-packages/pip/_internal/resolution/resolvelib/__init__.py diff --git a/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/base.py b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/base.py new file mode 100644 index 0000000..b206692 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/base.py @@ -0,0 +1,141 @@ +from typing import FrozenSet, Iterable, Optional, Tuple, Union + +from pip._vendor.packaging.specifiers import SpecifierSet +from pip._vendor.packaging.utils import NormalizedName, canonicalize_name +from pip._vendor.packaging.version import LegacyVersion, Version + +from pip._internal.models.link import Link, links_equivalent +from pip._internal.req.req_install import InstallRequirement +from pip._internal.utils.hashes import Hashes + +CandidateLookup = Tuple[Optional["Candidate"], Optional[InstallRequirement]] +CandidateVersion = Union[LegacyVersion, Version] + + +def format_name(project: str, extras: FrozenSet[str]) -> str: + if not extras: + return project + canonical_extras = sorted(canonicalize_name(e) for e in extras) + return "{}[{}]".format(project, ",".join(canonical_extras)) + + +class Constraint: + def __init__( + self, specifier: SpecifierSet, hashes: Hashes, links: FrozenSet[Link] + ) -> None: + self.specifier = specifier + self.hashes = hashes + self.links = links + + @classmethod + def empty(cls) -> "Constraint": + return Constraint(SpecifierSet(), Hashes(), frozenset()) + + @classmethod + def from_ireq(cls, ireq: InstallRequirement) -> "Constraint": + links = frozenset([ireq.link]) if ireq.link else frozenset() + return Constraint(ireq.specifier, ireq.hashes(trust_internet=False), links) + + def __bool__(self) -> bool: + return bool(self.specifier) or bool(self.hashes) or bool(self.links) + + def __and__(self, other: InstallRequirement) -> "Constraint": + if not isinstance(other, InstallRequirement): + return NotImplemented + specifier = self.specifier & other.specifier + hashes = self.hashes & other.hashes(trust_internet=False) + links = self.links + if other.link: + links = links.union([other.link]) + return Constraint(specifier, hashes, links) + + def is_satisfied_by(self, candidate: "Candidate") -> bool: + # Reject if there are any mismatched URL constraints on this package. + if self.links and not all(_match_link(link, candidate) for link in self.links): + return False + # We can safely always allow prereleases here since PackageFinder + # already implements the prerelease logic, and would have filtered out + # prerelease candidates if the user does not expect them. + return self.specifier.contains(candidate.version, prereleases=True) + + +class Requirement: + @property + def project_name(self) -> NormalizedName: + """The "project name" of a requirement. + + This is different from ``name`` if this requirement contains extras, + in which case ``name`` would contain the ``[...]`` part, while this + refers to the name of the project. + """ + raise NotImplementedError("Subclass should override") + + @property + def name(self) -> str: + """The name identifying this requirement in the resolver. + + This is different from ``project_name`` if this requirement contains + extras, where ``project_name`` would not contain the ``[...]`` part. + """ + raise NotImplementedError("Subclass should override") + + def is_satisfied_by(self, candidate: "Candidate") -> bool: + return False + + def get_candidate_lookup(self) -> CandidateLookup: + raise NotImplementedError("Subclass should override") + + def format_for_error(self) -> str: + raise NotImplementedError("Subclass should override") + + +def _match_link(link: Link, candidate: "Candidate") -> bool: + if candidate.source_link: + return links_equivalent(link, candidate.source_link) + return False + + +class Candidate: + @property + def project_name(self) -> NormalizedName: + """The "project name" of the candidate. + + This is different from ``name`` if this candidate contains extras, + in which case ``name`` would contain the ``[...]`` part, while this + refers to the name of the project. + """ + raise NotImplementedError("Override in subclass") + + @property + def name(self) -> str: + """The name identifying this candidate in the resolver. + + This is different from ``project_name`` if this candidate contains + extras, where ``project_name`` would not contain the ``[...]`` part. + """ + raise NotImplementedError("Override in subclass") + + @property + def version(self) -> CandidateVersion: + raise NotImplementedError("Override in subclass") + + @property + def is_installed(self) -> bool: + raise NotImplementedError("Override in subclass") + + @property + def is_editable(self) -> bool: + raise NotImplementedError("Override in subclass") + + @property + def source_link(self) -> Optional[Link]: + raise NotImplementedError("Override in subclass") + + def iter_dependencies(self, with_requires: bool) -> Iterable[Optional[Requirement]]: + raise NotImplementedError("Override in subclass") + + def get_install_requirement(self) -> Optional[InstallRequirement]: + raise NotImplementedError("Override in subclass") + + def format_for_error(self) -> str: + raise NotImplementedError("Subclass should override") diff --git a/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/candidates.py b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/candidates.py new file mode 100644 index 0000000..60fad55 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/candidates.py @@ -0,0 +1,540 @@ +import logging +import sys +from typing import TYPE_CHECKING, Any, FrozenSet, Iterable, Optional, Tuple, Union, cast + +from pip._vendor.packaging.utils import NormalizedName, canonicalize_name +from pip._vendor.packaging.version import Version + +from pip._internal.exceptions import HashError, MetadataInconsistent +from pip._internal.metadata import BaseDistribution +from pip._internal.models.link import Link, links_equivalent +from pip._internal.models.wheel import Wheel +from pip._internal.req.constructors import ( + install_req_from_editable, + install_req_from_line, +) +from pip._internal.req.req_install import InstallRequirement +from pip._internal.utils.misc import normalize_version_info + +from .base import Candidate, CandidateVersion, Requirement, format_name + +if TYPE_CHECKING: + from .factory import Factory + +logger = logging.getLogger(__name__) + +BaseCandidate = Union[ + "AlreadyInstalledCandidate", + "EditableCandidate", + "LinkCandidate", +] + +# Avoid conflicting with the PyPI package "Python". +REQUIRES_PYTHON_IDENTIFIER = cast(NormalizedName, "<Python from Requires-Python>") + + +def as_base_candidate(candidate: Candidate) -> Optional[BaseCandidate]: + """The runtime version of BaseCandidate.""" + base_candidate_classes = ( + AlreadyInstalledCandidate, + EditableCandidate, + LinkCandidate, + ) + if isinstance(candidate, base_candidate_classes): + return candidate + return None + + +def make_install_req_from_link( + link: Link, template: InstallRequirement +) -> InstallRequirement: + assert not template.editable, "template is editable" + if template.req: + line = str(template.req) + else: + line = link.url + ireq = install_req_from_line( + line, + user_supplied=template.user_supplied, + comes_from=template.comes_from, + use_pep517=template.use_pep517, + isolated=template.isolated, + constraint=template.constraint, + options=dict( + install_options=template.install_options, + global_options=template.global_options, + hashes=template.hash_options, + ), + ) + ireq.original_link = template.original_link + ireq.link = link + return ireq + + +def make_install_req_from_editable( + link: Link, template: InstallRequirement +) -> InstallRequirement: + assert template.editable, "template not editable" + return install_req_from_editable( + link.url, + user_supplied=template.user_supplied, + comes_from=template.comes_from, + use_pep517=template.use_pep517, + isolated=template.isolated, + constraint=template.constraint, + permit_editable_wheels=template.permit_editable_wheels, + options=dict( + install_options=template.install_options, + global_options=template.global_options, + hashes=template.hash_options, + ), + ) + + +def _make_install_req_from_dist( + dist: BaseDistribution, template: InstallRequirement +) -> InstallRequirement: + from pip._internal.metadata.pkg_resources import Distribution as _Dist + + if template.req: + line = str(template.req) + elif template.link: + line = f"{dist.canonical_name} @ {template.link.url}" + else: + line = f"{dist.canonical_name}=={dist.version}" + ireq = install_req_from_line( + line, + user_supplied=template.user_supplied, + comes_from=template.comes_from, + use_pep517=template.use_pep517, + isolated=template.isolated, + constraint=template.constraint, + options=dict( + install_options=template.install_options, + global_options=template.global_options, + hashes=template.hash_options, + ), + ) + ireq.satisfied_by = cast(_Dist, dist)._dist + return ireq + + +class _InstallRequirementBackedCandidate(Candidate): + """A candidate backed by an ``InstallRequirement``. + + This represents a package request with the target not being already + in the environment, and needs to be fetched and installed. The backing + ``InstallRequirement`` is responsible for most of the leg work; this + class exposes appropriate information to the resolver. + + :param link: The link passed to the ``InstallRequirement``. The backing + ``InstallRequirement`` will use this link to fetch the distribution. + :param source_link: The link this candidate "originates" from. This is + different from ``link`` when the link is found in the wheel cache. + ``link`` would point to the wheel cache, while this points to the + found remote link (e.g. from pypi.org). + """ + + dist: BaseDistribution + is_installed = False + + def __init__( + self, + link: Link, + source_link: Link, + ireq: InstallRequirement, + factory: "Factory", + name: Optional[NormalizedName] = None, + version: Optional[CandidateVersion] = None, + ) -> None: + self._link = link + self._source_link = source_link + self._factory = factory + self._ireq = ireq + self._name = name + self._version = version + self.dist = self._prepare() + + def __str__(self) -> str: + return f"{self.name} {self.version}" + + def __repr__(self) -> str: + return "{class_name}({link!r})".format( + class_name=self.__class__.__name__, + link=str(self._link), + ) + + def __hash__(self) -> int: + return hash((self.__class__, self._link)) + + def __eq__(self, other: Any) -> bool: + if isinstance(other, self.__class__): + return links_equivalent(self._link, other._link) + return False + + @property + def source_link(self) -> Optional[Link]: + return self._source_link + + @property + def project_name(self) -> NormalizedName: + """The normalised name of the project the candidate refers to""" + if self._name is None: + self._name = self.dist.canonical_name + return self._name + + @property + def name(self) -> str: + return self.project_name + + @property + def version(self) -> CandidateVersion: + if self._version is None: + self._version = self.dist.version + return self._version + + def format_for_error(self) -> str: + return "{} {} (from {})".format( + self.name, + self.version, + self._link.file_path if self._link.is_file else self._link, + ) + + def _prepare_distribution(self) -> BaseDistribution: + raise NotImplementedError("Override in subclass") + + def _check_metadata_consistency(self, dist: BaseDistribution) -> None: + """Check for consistency of project name and version of dist.""" + if self._name is not None and self._name != dist.canonical_name: + raise MetadataInconsistent( + self._ireq, + "name", + self._name, + dist.canonical_name, + ) + if self._version is not None and self._version != dist.version: + raise MetadataInconsistent( + self._ireq, + "version", + str(self._version), + str(dist.version), + ) + + def _prepare(self) -> BaseDistribution: + try: + dist = self._prepare_distribution() + except HashError as e: + # Provide HashError the underlying ireq that caused it. This + # provides context for the resulting error message to show the + # offending line to the user. + e.req = self._ireq + raise + self._check_metadata_consistency(dist) + return dist + + def iter_dependencies(self, with_requires: bool) -> Iterable[Optional[Requirement]]: + requires = self.dist.iter_dependencies() if with_requires else () + for r in requires: + yield self._factory.make_requirement_from_spec(str(r), self._ireq) + yield self._factory.make_requires_python_requirement(self.dist.requires_python) + + def get_install_requirement(self) -> Optional[InstallRequirement]: + return self._ireq + + +class LinkCandidate(_InstallRequirementBackedCandidate): + is_editable = False + + def __init__( + self, + link: Link, + template: InstallRequirement, + factory: "Factory", + name: Optional[NormalizedName] = None, + version: Optional[CandidateVersion] = None, + ) -> None: + source_link = link + cache_entry = factory.get_wheel_cache_entry(link, name) + if cache_entry is not None: + logger.debug("Using cached wheel link: %s", cache_entry.link) + link = cache_entry.link + ireq = make_install_req_from_link(link, template) + assert ireq.link == link + if ireq.link.is_wheel and not ireq.link.is_file: + wheel = Wheel(ireq.link.filename) + wheel_name = canonicalize_name(wheel.name) + assert name == wheel_name, f"{name!r} != {wheel_name!r} for wheel" + # Version may not be present for PEP 508 direct URLs + if version is not None: + wheel_version = Version(wheel.version) + assert version == wheel_version, "{!r} != {!r} for wheel {}".format( + version, wheel_version, name + ) + + if ( + cache_entry is not None + and cache_entry.persistent + and template.link is template.original_link + ): + ireq.original_link_is_in_wheel_cache = True + + super().__init__( + link=link, + source_link=source_link, + ireq=ireq, + factory=factory, + name=name, + version=version, + ) + + def _prepare_distribution(self) -> BaseDistribution: + preparer = self._factory.preparer + return preparer.prepare_linked_requirement(self._ireq, parallel_builds=True) + + +class EditableCandidate(_InstallRequirementBackedCandidate): + is_editable = True + + def __init__( + self, + link: Link, + template: InstallRequirement, + factory: "Factory", + name: Optional[NormalizedName] = None, + version: Optional[CandidateVersion] = None, + ) -> None: + super().__init__( + link=link, + source_link=link, + ireq=make_install_req_from_editable(link, template), + factory=factory, + name=name, + version=version, + ) + + def _prepare_distribution(self) -> BaseDistribution: + return self._factory.preparer.prepare_editable_requirement(self._ireq) + + +class AlreadyInstalledCandidate(Candidate): + is_installed = True + source_link = None + + def __init__( + self, + dist: BaseDistribution, + template: InstallRequirement, + factory: "Factory", + ) -> None: + self.dist = dist + self._ireq = _make_install_req_from_dist(dist, template) + self._factory = factory + + # This is just logging some messages, so we can do it eagerly. + # The returned dist would be exactly the same as self.dist because we + # set satisfied_by in _make_install_req_from_dist. + # TODO: Supply reason based on force_reinstall and upgrade_strategy. + skip_reason = "already satisfied" + factory.preparer.prepare_installed_requirement(self._ireq, skip_reason) + + def __str__(self) -> str: + return str(self.dist) + + def __repr__(self) -> str: + return "{class_name}({distribution!r})".format( + class_name=self.__class__.__name__, + distribution=self.dist, + ) + + def __hash__(self) -> int: + return hash((self.__class__, self.name, self.version)) + + def __eq__(self, other: Any) -> bool: + if isinstance(other, self.__class__): + return self.name == other.name and self.version == other.version + return False + + @property + def project_name(self) -> NormalizedName: + return self.dist.canonical_name + + @property + def name(self) -> str: + return self.project_name + + @property + def version(self) -> CandidateVersion: + return self.dist.version + + @property + def is_editable(self) -> bool: + return self.dist.editable + + def format_for_error(self) -> str: + return f"{self.name} {self.version} (Installed)" + + def iter_dependencies(self, with_requires: bool) -> Iterable[Optional[Requirement]]: + if not with_requires: + return + for r in self.dist.iter_dependencies(): + yield self._factory.make_requirement_from_spec(str(r), self._ireq) + + def get_install_requirement(self) -> Optional[InstallRequirement]: + return None + + +class ExtrasCandidate(Candidate): + """A candidate that has 'extras', indicating additional dependencies. + + Requirements can be for a project with dependencies, something like + foo[extra]. The extras don't affect the project/version being installed + directly, but indicate that we need additional dependencies. We model that + by having an artificial ExtrasCandidate that wraps the "base" candidate. + + The ExtrasCandidate differs from the base in the following ways: + + 1. It has a unique name, of the form foo[extra]. This causes the resolver + to treat it as a separate node in the dependency graph. + 2. When we're getting the candidate's dependencies, + a) We specify that we want the extra dependencies as well. + b) We add a dependency on the base candidate. + See below for why this is needed. + 3. We return None for the underlying InstallRequirement, as the base + candidate will provide it, and we don't want to end up with duplicates. + + The dependency on the base candidate is needed so that the resolver can't + decide that it should recommend foo[extra1] version 1.0 and foo[extra2] + version 2.0. Having those candidates depend on foo=1.0 and foo=2.0 + respectively forces the resolver to recognise that this is a conflict. + """ + + def __init__( + self, + base: BaseCandidate, + extras: FrozenSet[str], + ) -> None: + self.base = base + self.extras = extras + + def __str__(self) -> str: + name, rest = str(self.base).split(" ", 1) + return "{}[{}] {}".format(name, ",".join(self.extras), rest) + + def __repr__(self) -> str: + return "{class_name}(base={base!r}, extras={extras!r})".format( + class_name=self.__class__.__name__, + base=self.base, + extras=self.extras, + ) + + def __hash__(self) -> int: + return hash((self.base, self.extras)) + + def __eq__(self, other: Any) -> bool: + if isinstance(other, self.__class__): + return self.base == other.base and self.extras == other.extras + return False + + @property + def project_name(self) -> NormalizedName: + return self.base.project_name + + @property + def name(self) -> str: + """The normalised name of the project the candidate refers to""" + return format_name(self.base.project_name, self.extras) + + @property + def version(self) -> CandidateVersion: + return self.base.version + + def format_for_error(self) -> str: + return "{} [{}]".format( + self.base.format_for_error(), ", ".join(sorted(self.extras)) + ) + + @property + def is_installed(self) -> bool: + return self.base.is_installed + + @property + def is_editable(self) -> bool: + return self.base.is_editable + + @property + def source_link(self) -> Optional[Link]: + return self.base.source_link + + def iter_dependencies(self, with_requires: bool) -> Iterable[Optional[Requirement]]: + factory = self.base._factory + + # Add a dependency on the exact base + # (See note 2b in the class docstring) + yield factory.make_requirement_from_candidate(self.base) + if not with_requires: + return + + # The user may have specified extras that the candidate doesn't + # support. We ignore any unsupported extras here. + valid_extras = self.extras.intersection(self.base.dist.iter_provided_extras()) + invalid_extras = self.extras.difference(self.base.dist.iter_provided_extras()) + for extra in sorted(invalid_extras): + logger.warning( + "%s %s does not provide the extra '%s'", + self.base.name, + self.version, + extra, + ) + + for r in self.base.dist.iter_dependencies(valid_extras): + requirement = factory.make_requirement_from_spec( + str(r), self.base._ireq, valid_extras + ) + if requirement: + yield requirement + + def get_install_requirement(self) -> Optional[InstallRequirement]: + # We don't return anything here, because we always + # depend on the base candidate, and we'll get the + # install requirement from that. + return None + + +class RequiresPythonCandidate(Candidate): + is_installed = False + source_link = None + + def __init__(self, py_version_info: Optional[Tuple[int, ...]]) -> None: + if py_version_info is not None: + version_info = normalize_version_info(py_version_info) + else: + version_info = sys.version_info[:3] + self._version = Version(".".join(str(c) for c in version_info)) + + # We don't need to implement __eq__() and __ne__() since there is always + # only one RequiresPythonCandidate in a resolution, i.e. the host Python. + # The built-in object.__eq__() and object.__ne__() do exactly what we want. + + def __str__(self) -> str: + return f"Python {self._version}" + + @property + def project_name(self) -> NormalizedName: + return REQUIRES_PYTHON_IDENTIFIER + + @property + def name(self) -> str: + return REQUIRES_PYTHON_IDENTIFIER + + @property + def version(self) -> CandidateVersion: + return self._version + + def format_for_error(self) -> str: + return f"Python {self.version}" + + def iter_dependencies(self, with_requires: bool) -> Iterable[Optional[Requirement]]: + return () + + def get_install_requirement(self) -> Optional[InstallRequirement]: + return None diff --git a/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/factory.py b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/factory.py new file mode 100644 index 0000000..766dc26 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/factory.py @@ -0,0 +1,701 @@ +import contextlib +import functools +import logging +from typing import ( + TYPE_CHECKING, + Dict, + FrozenSet, + Iterable, + Iterator, + List, + Mapping, + NamedTuple, + Optional, + Sequence, + Set, + Tuple, + TypeVar, + cast, +) + +from pip._vendor.packaging.requirements import InvalidRequirement +from pip._vendor.packaging.specifiers import SpecifierSet +from pip._vendor.packaging.utils import NormalizedName, canonicalize_name +from pip._vendor.resolvelib import ResolutionImpossible + +from pip._internal.cache import CacheEntry, WheelCache +from pip._internal.exceptions import ( + DistributionNotFound, + InstallationError, + InstallationSubprocessError, + MetadataInconsistent, + UnsupportedPythonVersion, + UnsupportedWheel, +) +from pip._internal.index.package_finder import PackageFinder +from pip._internal.metadata import BaseDistribution, get_default_environment +from pip._internal.models.link import Link +from pip._internal.models.wheel import Wheel +from pip._internal.operations.prepare import RequirementPreparer +from pip._internal.req.constructors import install_req_from_link_and_ireq +from pip._internal.req.req_install import ( + InstallRequirement, + check_invalid_constraint_type, +) +from pip._internal.resolution.base import InstallRequirementProvider +from pip._internal.utils.compatibility_tags import get_supported +from pip._internal.utils.hashes import Hashes +from pip._internal.utils.packaging import get_requirement +from pip._internal.utils.virtualenv import running_under_virtualenv + +from .base import Candidate, CandidateVersion, Constraint, Requirement +from .candidates import ( + AlreadyInstalledCandidate, + BaseCandidate, + EditableCandidate, + ExtrasCandidate, + LinkCandidate, + RequiresPythonCandidate, + as_base_candidate, +) +from .found_candidates import FoundCandidates, IndexCandidateInfo +from .requirements import ( + ExplicitRequirement, + RequiresPythonRequirement, + SpecifierRequirement, + UnsatisfiableRequirement, +) + +if TYPE_CHECKING: + from typing import Protocol + + class ConflictCause(Protocol): + requirement: RequiresPythonRequirement + parent: Candidate + + +logger = logging.getLogger(__name__) + +C = TypeVar("C") +Cache = Dict[Link, C] + + +class CollectedRootRequirements(NamedTuple): + requirements: List[Requirement] + constraints: Dict[str, Constraint] + user_requested: Dict[str, int] + + +class Factory: + def __init__( + self, + finder: PackageFinder, + preparer: RequirementPreparer, + make_install_req: InstallRequirementProvider, + wheel_cache: Optional[WheelCache], + use_user_site: bool, + force_reinstall: bool, + ignore_installed: bool, + ignore_requires_python: bool, + py_version_info: Optional[Tuple[int, ...]] = None, + ) -> None: + self._finder = finder + self.preparer = preparer + self._wheel_cache = wheel_cache + self._python_candidate = RequiresPythonCandidate(py_version_info) + self._make_install_req_from_spec = make_install_req + self._use_user_site = use_user_site + self._force_reinstall = force_reinstall + self._ignore_requires_python = ignore_requires_python + + self._build_failures: Cache[InstallationError] = {} + self._link_candidate_cache: Cache[LinkCandidate] = {} + self._editable_candidate_cache: Cache[EditableCandidate] = {} + self._installed_candidate_cache: Dict[str, AlreadyInstalledCandidate] = {} + self._extras_candidate_cache: Dict[ + Tuple[int, FrozenSet[str]], ExtrasCandidate + ] = {} + + if not ignore_installed: + env = get_default_environment() + self._installed_dists = { + dist.canonical_name: dist + for dist in env.iter_installed_distributions(local_only=False) + } + else: + self._installed_dists = {} + + @property + def force_reinstall(self) -> bool: + return self._force_reinstall + + def _fail_if_link_is_unsupported_wheel(self, link: Link) -> None: + if not link.is_wheel: + return + wheel = Wheel(link.filename) + if wheel.supported(self._finder.target_python.get_tags()): + return + msg = f"{link.filename} is not a supported wheel on this platform." + raise UnsupportedWheel(msg) + + def _make_extras_candidate( + self, base: BaseCandidate, extras: FrozenSet[str] + ) -> ExtrasCandidate: + cache_key = (id(base), extras) + try: + candidate = self._extras_candidate_cache[cache_key] + except KeyError: + candidate = ExtrasCandidate(base, extras) + self._extras_candidate_cache[cache_key] = candidate + return candidate + + def _make_candidate_from_dist( + self, + dist: BaseDistribution, + extras: FrozenSet[str], + template: InstallRequirement, + ) -> Candidate: + try: + base = self._installed_candidate_cache[dist.canonical_name] + except KeyError: + base = AlreadyInstalledCandidate(dist, template, factory=self) + self._installed_candidate_cache[dist.canonical_name] = base + if not extras: + return base + return self._make_extras_candidate(base, extras) + + def _make_candidate_from_link( + self, + link: Link, + extras: FrozenSet[str], + template: InstallRequirement, + name: Optional[NormalizedName], + version: Optional[CandidateVersion], + ) -> Optional[Candidate]: + # TODO: Check already installed candidate, and use it if the link and + # editable flag match. + + if link in self._build_failures: + # We already tried this candidate before, and it does not build. + # Don't bother trying again. + return None + + if template.editable: + if link not in self._editable_candidate_cache: + try: + self._editable_candidate_cache[link] = EditableCandidate( + link, + template, + factory=self, + name=name, + version=version, + ) + except (InstallationSubprocessError, MetadataInconsistent) as e: + logger.warning("Discarding %s. %s", link, e) + self._build_failures[link] = e + return None + base: BaseCandidate = self._editable_candidate_cache[link] + else: + if link not in self._link_candidate_cache: + try: + self._link_candidate_cache[link] = LinkCandidate( + link, + template, + factory=self, + name=name, + version=version, + ) + except (InstallationSubprocessError, MetadataInconsistent) as e: + logger.warning("Discarding %s. %s", link, e) + self._build_failures[link] = e + return None + base = self._link_candidate_cache[link] + + if not extras: + return base + return self._make_extras_candidate(base, extras) + + def _iter_found_candidates( + self, + ireqs: Sequence[InstallRequirement], + specifier: SpecifierSet, + hashes: Hashes, + prefers_installed: bool, + incompatible_ids: Set[int], + ) -> Iterable[Candidate]: + if not ireqs: + return () + + # The InstallRequirement implementation requires us to give it a + # "template". Here we just choose the first requirement to represent + # all of them. + # Hopefully the Project model can correct this mismatch in the future. + template = ireqs[0] + assert template.req, "Candidates found on index must be PEP 508" + name = canonicalize_name(template.req.name) + + extras: FrozenSet[str] = frozenset() + for ireq in ireqs: + assert ireq.req, "Candidates found on index must be PEP 508" + specifier &= ireq.req.specifier + hashes &= ireq.hashes(trust_internet=False) + extras |= frozenset(ireq.extras) + + def _get_installed_candidate() -> Optional[Candidate]: + """Get the candidate for the currently-installed version.""" + # If --force-reinstall is set, we want the version from the index + # instead, so we "pretend" there is nothing installed. + if self._force_reinstall: + return None + try: + installed_dist = self._installed_dists[name] + except KeyError: + return None + # Don't use the installed distribution if its version does not fit + # the current dependency graph. + if not specifier.contains(installed_dist.version, prereleases=True): + return None + candidate = self._make_candidate_from_dist( + dist=installed_dist, + extras=extras, + template=template, + ) + # The candidate is a known incompatiblity. Don't use it. + if id(candidate) in incompatible_ids: + return None + return candidate + + def iter_index_candidate_infos() -> Iterator[IndexCandidateInfo]: + result = self._finder.find_best_candidate( + project_name=name, + specifier=specifier, + hashes=hashes, + ) + icans = list(result.iter_applicable()) + + # PEP 592: Yanked releases must be ignored unless only yanked + # releases can satisfy the version range. So if this is false, + # all yanked icans need to be skipped. + all_yanked = all(ican.link.is_yanked for ican in icans) + + # PackageFinder returns earlier versions first, so we reverse. + for ican in reversed(icans): + if not all_yanked and ican.link.is_yanked: + continue + func = functools.partial( + self._make_candidate_from_link, + link=ican.link, + extras=extras, + template=template, + name=name, + version=ican.version, + ) + yield ican.version, func + + return FoundCandidates( + iter_index_candidate_infos, + _get_installed_candidate(), + prefers_installed, + incompatible_ids, + ) + + def _iter_explicit_candidates_from_base( + self, + base_requirements: Iterable[Requirement], + extras: FrozenSet[str], + ) -> Iterator[Candidate]: + """Produce explicit candidates from the base given an extra-ed package. + + :param base_requirements: Requirements known to the resolver. The + requirements are guaranteed to not have extras. + :param extras: The extras to inject into the explicit requirements' + candidates. + """ + for req in base_requirements: + lookup_cand, _ = req.get_candidate_lookup() + if lookup_cand is None: # Not explicit. + continue + # We've stripped extras from the identifier, and should always + # get a BaseCandidate here, unless there's a bug elsewhere. + base_cand = as_base_candidate(lookup_cand) + assert base_cand is not None, "no extras here" + yield self._make_extras_candidate(base_cand, extras) + + def _iter_candidates_from_constraints( + self, + identifier: str, + constraint: Constraint, + template: InstallRequirement, + ) -> Iterator[Candidate]: + """Produce explicit candidates from constraints. + + This creates "fake" InstallRequirement objects that are basically clones + of what "should" be the template, but with original_link set to link. + """ + for link in constraint.links: + self._fail_if_link_is_unsupported_wheel(link) + candidate = self._make_candidate_from_link( + link, + extras=frozenset(), + template=install_req_from_link_and_ireq(link, template), + name=canonicalize_name(identifier), + version=None, + ) + if candidate: + yield candidate + + def find_candidates( + self, + identifier: str, + requirements: Mapping[str, Iterable[Requirement]], + incompatibilities: Mapping[str, Iterator[Candidate]], + constraint: Constraint, + prefers_installed: bool, + ) -> Iterable[Candidate]: + # Collect basic lookup information from the requirements. + explicit_candidates: Set[Candidate] = set() + ireqs: List[InstallRequirement] = [] + for req in requirements[identifier]: + cand, ireq = req.get_candidate_lookup() + if cand is not None: + explicit_candidates.add(cand) + if ireq is not None: + ireqs.append(ireq) + + # If the current identifier contains extras, add explicit candidates + # from entries from extra-less identifier. + with contextlib.suppress(InvalidRequirement): + parsed_requirement = get_requirement(identifier) + explicit_candidates.update( + self._iter_explicit_candidates_from_base( + requirements.get(parsed_requirement.name, ()), + frozenset(parsed_requirement.extras), + ), + ) + + # Add explicit candidates from constraints. We only do this if there are + # kown ireqs, which represent requirements not already explicit. If + # there are no ireqs, we're constraining already-explicit requirements, + # which is handled later when we return the explicit candidates. + if ireqs: + try: + explicit_candidates.update( + self._iter_candidates_from_constraints( + identifier, + constraint, + template=ireqs[0], + ), + ) + except UnsupportedWheel: + # If we're constrained to install a wheel incompatible with the + # target architecture, no candidates will ever be valid. + return () + + # Since we cache all the candidates, incompatibility identification + # can be made quicker by comparing only the id() values. + incompat_ids = {id(c) for c in incompatibilities.get(identifier, ())} + + # If none of the requirements want an explicit candidate, we can ask + # the finder for candidates. + if not explicit_candidates: + return self._iter_found_candidates( + ireqs, + constraint.specifier, + constraint.hashes, + prefers_installed, + incompat_ids, + ) + + return ( + c + for c in explicit_candidates + if id(c) not in incompat_ids + and constraint.is_satisfied_by(c) + and all(req.is_satisfied_by(c) for req in requirements[identifier]) + ) + + def _make_requirement_from_install_req( + self, ireq: InstallRequirement, requested_extras: Iterable[str] + ) -> Optional[Requirement]: + if not ireq.match_markers(requested_extras): + logger.info( + "Ignoring %s: markers '%s' don't match your environment", + ireq.name, + ireq.markers, + ) + return None + if not ireq.link: + return SpecifierRequirement(ireq) + self._fail_if_link_is_unsupported_wheel(ireq.link) + cand = self._make_candidate_from_link( + ireq.link, + extras=frozenset(ireq.extras), + template=ireq, + name=canonicalize_name(ireq.name) if ireq.name else None, + version=None, + ) + if cand is None: + # There's no way we can satisfy a URL requirement if the underlying + # candidate fails to build. An unnamed URL must be user-supplied, so + # we fail eagerly. If the URL is named, an unsatisfiable requirement + # can make the resolver do the right thing, either backtrack (and + # maybe find some other requirement that's buildable) or raise a + # ResolutionImpossible eventually. + if not ireq.name: + raise self._build_failures[ireq.link] + return UnsatisfiableRequirement(canonicalize_name(ireq.name)) + return self.make_requirement_from_candidate(cand) + + def collect_root_requirements( + self, root_ireqs: List[InstallRequirement] + ) -> CollectedRootRequirements: + collected = CollectedRootRequirements([], {}, {}) + for i, ireq in enumerate(root_ireqs): + if ireq.constraint: + # Ensure we only accept valid constraints + problem = check_invalid_constraint_type(ireq) + if problem: + raise InstallationError(problem) + if not ireq.match_markers(): + continue + assert ireq.name, "Constraint must be named" + name = canonicalize_name(ireq.name) + if name in collected.constraints: + collected.constraints[name] &= ireq + else: + collected.constraints[name] = Constraint.from_ireq(ireq) + else: + req = self._make_requirement_from_install_req( + ireq, + requested_extras=(), + ) + if req is None: + continue + if ireq.user_supplied and req.name not in collected.user_requested: + collected.user_requested[req.name] = i + collected.requirements.append(req) + return collected + + def make_requirement_from_candidate( + self, candidate: Candidate + ) -> ExplicitRequirement: + return ExplicitRequirement(candidate) + + def make_requirement_from_spec( + self, + specifier: str, + comes_from: Optional[InstallRequirement], + requested_extras: Iterable[str] = (), + ) -> Optional[Requirement]: + ireq = self._make_install_req_from_spec(specifier, comes_from) + return self._make_requirement_from_install_req(ireq, requested_extras) + + def make_requires_python_requirement( + self, + specifier: SpecifierSet, + ) -> Optional[Requirement]: + if self._ignore_requires_python: + return None + # Don't bother creating a dependency for an empty Requires-Python. + if not str(specifier): + return None + return RequiresPythonRequirement(specifier, self._python_candidate) + + def get_wheel_cache_entry( + self, link: Link, name: Optional[str] + ) -> Optional[CacheEntry]: + """Look up the link in the wheel cache. + + If ``preparer.require_hashes`` is True, don't use the wheel cache, + because cached wheels, always built locally, have different hashes + than the files downloaded from the index server and thus throw false + hash mismatches. Furthermore, cached wheels at present have + nondeterministic contents due to file modification times. + """ + if self._wheel_cache is None or self.preparer.require_hashes: + return None + return self._wheel_cache.get_cache_entry( + link=link, + package_name=name, + supported_tags=get_supported(), + ) + + def get_dist_to_uninstall(self, candidate: Candidate) -> Optional[BaseDistribution]: + # TODO: Are there more cases this needs to return True? Editable? + dist = self._installed_dists.get(candidate.project_name) + if dist is None: # Not installed, no uninstallation required. + return None + + # We're installing into global site. The current installation must + # be uninstalled, no matter it's in global or user site, because the + # user site installation has precedence over global. + if not self._use_user_site: + return dist + + # We're installing into user site. Remove the user site installation. + if dist.in_usersite: + return dist + + # We're installing into user site, but the installed incompatible + # package is in global site. We can't uninstall that, and would let + # the new user installation to "shadow" it. But shadowing won't work + # in virtual environments, so we error out. + if running_under_virtualenv() and dist.in_site_packages: + message = ( + f"Will not install to the user site because it will lack " + f"sys.path precedence to {dist.raw_name} in {dist.location}" + ) + raise InstallationError(message) + return None + + def _report_requires_python_error( + self, causes: Sequence["ConflictCause"] + ) -> UnsupportedPythonVersion: + assert causes, "Requires-Python error reported with no cause" + + version = self._python_candidate.version + + if len(causes) == 1: + specifier = str(causes[0].requirement.specifier) + message = ( + f"Package {causes[0].parent.name!r} requires a different " + f"Python: {version} not in {specifier!r}" + ) + return UnsupportedPythonVersion(message) + + message = f"Packages require a different Python. {version} not in:" + for cause in causes: + package = cause.parent.format_for_error() + specifier = str(cause.requirement.specifier) + message += f"\n{specifier!r} (required by {package})" + return UnsupportedPythonVersion(message) + + def _report_single_requirement_conflict( + self, req: Requirement, parent: Optional[Candidate] + ) -> DistributionNotFound: + if parent is None: + req_disp = str(req) + else: + req_disp = f"{req} (from {parent.name})" + + cands = self._finder.find_all_candidates(req.project_name) + versions = [str(v) for v in sorted({c.version for c in cands})] + + logger.critical( + "Could not find a version that satisfies the requirement %s " + "(from versions: %s)", + req_disp, + ", ".join(versions) or "none", + ) + if str(req) == "requirements.txt": + logger.info( + "HINT: You are attempting to install a package literally " + 'named "requirements.txt" (which cannot exist). Consider ' + "using the '-r' flag to install the packages listed in " + "requirements.txt" + ) + + return DistributionNotFound(f"No matching distribution found for {req}") + + def get_installation_error( + self, + e: "ResolutionImpossible[Requirement, Candidate]", + constraints: Dict[str, Constraint], + ) -> InstallationError: + + assert e.causes, "Installation error reported with no cause" + + # If one of the things we can't solve is "we need Python X.Y", + # that is what we report. + requires_python_causes = [ + cause + for cause in e.causes + if isinstance(cause.requirement, RequiresPythonRequirement) + and not cause.requirement.is_satisfied_by(self._python_candidate) + ] + if requires_python_causes: + # The comprehension above makes sure all Requirement instances are + # RequiresPythonRequirement, so let's cast for convinience. + return self._report_requires_python_error( + cast("Sequence[ConflictCause]", requires_python_causes), + ) + + # Otherwise, we have a set of causes which can't all be satisfied + # at once. + + # The simplest case is when we have *one* cause that can't be + # satisfied. We just report that case. + if len(e.causes) == 1: + req, parent = e.causes[0] + if req.name not in constraints: + return self._report_single_requirement_conflict(req, parent) + + # OK, we now have a list of requirements that can't all be + # satisfied at once. + + # A couple of formatting helpers + def text_join(parts: List[str]) -> str: + if len(parts) == 1: + return parts[0] + + return ", ".join(parts[:-1]) + " and " + parts[-1] + + def describe_trigger(parent: Candidate) -> str: + ireq = parent.get_install_requirement() + if not ireq or not ireq.comes_from: + return f"{parent.name}=={parent.version}" + if isinstance(ireq.comes_from, InstallRequirement): + return str(ireq.comes_from.name) + return str(ireq.comes_from) + + triggers = set() + for req, parent in e.causes: + if parent is None: + # This is a root requirement, so we can report it directly + trigger = req.format_for_error() + else: + trigger = describe_trigger(parent) + triggers.add(trigger) + + if triggers: + info = text_join(sorted(triggers)) + else: + info = "the requested packages" + + msg = ( + "Cannot install {} because these package versions " + "have conflicting dependencies.".format(info) + ) + logger.critical(msg) + msg = "\nThe conflict is caused by:" + + relevant_constraints = set() + for req, parent in e.causes: + if req.name in constraints: + relevant_constraints.add(req.name) + msg = msg + "\n " + if parent: + msg = msg + f"{parent.name} {parent.version} depends on " + else: + msg = msg + "The user requested " + msg = msg + req.format_for_error() + for key in relevant_constraints: + spec = constraints[key].specifier + msg += f"\n The user requested (constraint) {key}{spec}" + + msg = ( + msg + + "\n\n" + + "To fix this you could try to:\n" + + "1. loosen the range of package versions you've specified\n" + + "2. remove package versions to allow pip attempt to solve " + + "the dependency conflict\n" + ) + + logger.info(msg) + + return DistributionNotFound( + "ResolutionImpossible: for help visit " + "https://pip.pypa.io/en/latest/user_guide/" + "#fixing-conflicting-dependencies" + ) diff --git a/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/found_candidates.py b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/found_candidates.py new file mode 100644 index 0000000..8663097 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/found_candidates.py @@ -0,0 +1,155 @@ +"""Utilities to lazily create and visit candidates found. + +Creating and visiting a candidate is a *very* costly operation. It involves +fetching, extracting, potentially building modules from source, and verifying +distribution metadata. It is therefore crucial for performance to keep +everything here lazy all the way down, so we only touch candidates that we +absolutely need, and not "download the world" when we only need one version of +something. +""" + +import functools +from collections.abc import Sequence +from typing import TYPE_CHECKING, Any, Callable, Iterator, Optional, Set, Tuple + +from pip._vendor.packaging.version import _BaseVersion + +from .base import Candidate + +IndexCandidateInfo = Tuple[_BaseVersion, Callable[[], Optional[Candidate]]] + +if TYPE_CHECKING: + SequenceCandidate = Sequence[Candidate] +else: + # For compatibility: Python before 3.9 does not support using [] on the + # Sequence class. + # + # >>> from collections.abc import Sequence + # >>> Sequence[str] + # Traceback (most recent call last): + # File "<stdin>", line 1, in <module> + # TypeError: 'ABCMeta' object is not subscriptable + # + # TODO: Remove this block after dropping Python 3.8 support. + SequenceCandidate = Sequence + + +def _iter_built(infos: Iterator[IndexCandidateInfo]) -> Iterator[Candidate]: + """Iterator for ``FoundCandidates``. + + This iterator is used when the package is not already installed. Candidates + from index come later in their normal ordering. + """ + versions_found: Set[_BaseVersion] = set() + for version, func in infos: + if version in versions_found: + continue + candidate = func() + if candidate is None: + continue + yield candidate + versions_found.add(version) + + +def _iter_built_with_prepended( + installed: Candidate, infos: Iterator[IndexCandidateInfo] +) -> Iterator[Candidate]: + """Iterator for ``FoundCandidates``. + + This iterator is used when the resolver prefers the already-installed + candidate and NOT to upgrade. The installed candidate is therefore + always yielded first, and candidates from index come later in their + normal ordering, except skipped when the version is already installed. + """ + yield installed + versions_found: Set[_BaseVersion] = {installed.version} + for version, func in infos: + if version in versions_found: + continue + candidate = func() + if candidate is None: + continue + yield candidate + versions_found.add(version) + + +def _iter_built_with_inserted( + installed: Candidate, infos: Iterator[IndexCandidateInfo] +) -> Iterator[Candidate]: + """Iterator for ``FoundCandidates``. + + This iterator is used when the resolver prefers to upgrade an + already-installed package. Candidates from index are returned in their + normal ordering, except replaced when the version is already installed. + + The implementation iterates through and yields other candidates, inserting + the installed candidate exactly once before we start yielding older or + equivalent candidates, or after all other candidates if they are all newer. + """ + versions_found: Set[_BaseVersion] = set() + for version, func in infos: + if version in versions_found: + continue + # If the installed candidate is better, yield it first. + if installed.version >= version: + yield installed + versions_found.add(installed.version) + candidate = func() + if candidate is None: + continue + yield candidate + versions_found.add(version) + + # If the installed candidate is older than all other candidates. + if installed.version not in versions_found: + yield installed + + +class FoundCandidates(SequenceCandidate): + """A lazy sequence to provide candidates to the resolver. + + The intended usage is to return this from `find_matches()` so the resolver + can iterate through the sequence multiple times, but only access the index + page when remote packages are actually needed. This improve performances + when suitable candidates are already installed on disk. + """ + + def __init__( + self, + get_infos: Callable[[], Iterator[IndexCandidateInfo]], + installed: Optional[Candidate], + prefers_installed: bool, + incompatible_ids: Set[int], + ): + self._get_infos = get_infos + self._installed = installed + self._prefers_installed = prefers_installed + self._incompatible_ids = incompatible_ids + + def __getitem__(self, index: Any) -> Any: + # Implemented to satisfy the ABC check. This is not needed by the + # resolver, and should not be used by the provider either (for + # performance reasons). + raise NotImplementedError("don't do this") + + def __iter__(self) -> Iterator[Candidate]: + infos = self._get_infos() + if not self._installed: + iterator = _iter_built(infos) + elif self._prefers_installed: + iterator = _iter_built_with_prepended(self._installed, infos) + else: + iterator = _iter_built_with_inserted(self._installed, infos) + return (c for c in iterator if id(c) not in self._incompatible_ids) + + def __len__(self) -> int: + # Implemented to satisfy the ABC check. This is not needed by the + # resolver, and should not be used by the provider either (for + # performance reasons). + raise NotImplementedError("don't do this") + + @functools.lru_cache(maxsize=1) + def __bool__(self) -> bool: + if self._prefers_installed and self._installed: + return True + return any(self) diff --git a/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/provider.py b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/provider.py new file mode 100644 index 0000000..85d3b31 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/provider.py @@ -0,0 +1,215 @@ +import collections +import math +from typing import TYPE_CHECKING, Dict, Iterable, Iterator, Mapping, Sequence, Union + +from pip._vendor.resolvelib.providers import AbstractProvider + +from .base import Candidate, Constraint, Requirement +from .candidates import REQUIRES_PYTHON_IDENTIFIER +from .factory import Factory + +if TYPE_CHECKING: + from pip._vendor.resolvelib.providers import Preference + from pip._vendor.resolvelib.resolvers import RequirementInformation + + PreferenceInformation = RequirementInformation[Requirement, Candidate] + + _ProviderBase = AbstractProvider[Requirement, Candidate, str] +else: + _ProviderBase = AbstractProvider + +# Notes on the relationship between the provider, the factory, and the +# candidate and requirement classes. +# +# The provider is a direct implementation of the resolvelib class. Its role +# is to deliver the API that resolvelib expects. +# +# Rather than work with completely abstract "requirement" and "candidate" +# concepts as resolvelib does, pip has concrete classes implementing these two +# ideas. The API of Requirement and Candidate objects are defined in the base +# classes, but essentially map fairly directly to the equivalent provider +# methods. In particular, `find_matches` and `is_satisfied_by` are +# requirement methods, and `get_dependencies` is a candidate method. +# +# The factory is the interface to pip's internal mechanisms. It is stateless, +# and is created by the resolver and held as a property of the provider. It is +# responsible for creating Requirement and Candidate objects, and provides +# services to those objects (access to pip's finder and preparer). + + +class PipProvider(_ProviderBase): + """Pip's provider implementation for resolvelib. + + :params constraints: A mapping of constraints specified by the user. Keys + are canonicalized project names. + :params ignore_dependencies: Whether the user specified ``--no-deps``. + :params upgrade_strategy: The user-specified upgrade strategy. + :params user_requested: A set of canonicalized package names that the user + supplied for pip to install/upgrade. + """ + + def __init__( + self, + factory: Factory, + constraints: Dict[str, Constraint], + ignore_dependencies: bool, + upgrade_strategy: str, + user_requested: Dict[str, int], + ) -> None: + self._factory = factory + self._constraints = constraints + self._ignore_dependencies = ignore_dependencies + self._upgrade_strategy = upgrade_strategy + self._user_requested = user_requested + self._known_depths: Dict[str, float] = collections.defaultdict(lambda: math.inf) + + def identify(self, requirement_or_candidate: Union[Requirement, Candidate]) -> str: + return requirement_or_candidate.name + + def get_preference( # type: ignore + self, + identifier: str, + resolutions: Mapping[str, Candidate], + candidates: Mapping[str, Iterator[Candidate]], + information: Mapping[str, Iterable["PreferenceInformation"]], + backtrack_causes: Sequence["PreferenceInformation"], + ) -> "Preference": + """Produce a sort key for given requirement based on preference. + + The lower the return value is, the more preferred this group of + arguments is. + + Currently pip considers the followings in order: + + * Prefer if any of the known requirements is "direct", e.g. points to an + explicit URL. + * If equal, prefer if any requirement is "pinned", i.e. contains + operator ``===`` or ``==``. + * If equal, calculate an approximate "depth" and resolve requirements + closer to the user-specified requirements first. + * Order user-specified requirements by the order they are specified. + * If equal, prefers "non-free" requirements, i.e. contains at least one + operator, such as ``>=`` or ``<``. + * If equal, order alphabetically for consistency (helps debuggability). + """ + lookups = (r.get_candidate_lookup() for r, _ in information[identifier]) + candidate, ireqs = zip(*lookups) + operators = [ + specifier.operator + for specifier_set in (ireq.specifier for ireq in ireqs if ireq) + for specifier in specifier_set + ] + + direct = candidate is not None + pinned = any(op[:2] == "==" for op in operators) + unfree = bool(operators) + + try: + requested_order: Union[int, float] = self._user_requested[identifier] + except KeyError: + requested_order = math.inf + parent_depths = ( + self._known_depths[parent.name] if parent is not None else 0.0 + for _, parent in information[identifier] + ) + inferred_depth = min(d for d in parent_depths) + 1.0 + else: + inferred_depth = 1.0 + self._known_depths[identifier] = inferred_depth + + requested_order = self._user_requested.get(identifier, math.inf) + + # Requires-Python has only one candidate and the check is basically + # free, so we always do it first to avoid needless work if it fails. + requires_python = identifier == REQUIRES_PYTHON_IDENTIFIER + + # HACK: Setuptools have a very long and solid backward compatibility + # track record, and extremely few projects would request a narrow, + # non-recent version range of it since that would break a lot things. + # (Most projects specify it only to request for an installer feature, + # which does not work, but that's another topic.) Intentionally + # delaying Setuptools helps reduce branches the resolver has to check. + # This serves as a temporary fix for issues like "apache-airlfow[all]" + # while we work on "proper" branch pruning techniques. + delay_this = identifier == "setuptools" + + # Prefer the causes of backtracking on the assumption that the problem + # resolving the dependency tree is related to the failures that caused + # the backtracking + backtrack_cause = self.is_backtrack_cause(identifier, backtrack_causes) + + return ( + not requires_python, + delay_this, + not direct, + not pinned, + not backtrack_cause, + inferred_depth, + requested_order, + not unfree, + identifier, + ) + + def _get_constraint(self, identifier: str) -> Constraint: + if identifier in self._constraints: + return self._constraints[identifier] + + # HACK: Theoratically we should check whether this identifier is a valid + # "NAME[EXTRAS]" format, and parse out the name part with packaging or + # some regular expression. But since pip's resolver only spits out + # three kinds of identifiers: normalized PEP 503 names, normalized names + # plus extras, and Requires-Python, we can cheat a bit here. + name, open_bracket, _ = identifier.partition("[") + if open_bracket and name in self._constraints: + return self._constraints[name] + + return Constraint.empty() + + def find_matches( + self, + identifier: str, + requirements: Mapping[str, Iterator[Requirement]], + incompatibilities: Mapping[str, Iterator[Candidate]], + ) -> Iterable[Candidate]: + def _eligible_for_upgrade(name: str) -> bool: + """Are upgrades allowed for this project? + + This checks the upgrade strategy, and whether the project was one + that the user specified in the command line, in order to decide + whether we should upgrade if there's a newer version available. + + (Note that we don't need access to the `--upgrade` flag, because + an upgrade strategy of "to-satisfy-only" means that `--upgrade` + was not specified). + """ + if self._upgrade_strategy == "eager": + return True + elif self._upgrade_strategy == "only-if-needed": + return name in self._user_requested + return False + + return self._factory.find_candidates( + identifier=identifier, + requirements=requirements, + constraint=self._get_constraint(identifier), + prefers_installed=(not _eligible_for_upgrade(identifier)), + incompatibilities=incompatibilities, + ) + + def is_satisfied_by(self, requirement: Requirement, candidate: Candidate) -> bool: + return requirement.is_satisfied_by(candidate) + + def get_dependencies(self, candidate: Candidate) -> Sequence[Requirement]: + with_requires = not self._ignore_dependencies + return [r for r in candidate.iter_dependencies(with_requires) if r is not None] + + @staticmethod + def is_backtrack_cause( + identifier: str, backtrack_causes: Sequence["PreferenceInformation"] + ) -> bool: + for backtrack_cause in backtrack_causes: + if identifier == backtrack_cause.requirement.name: + return True + if backtrack_cause.parent and identifier == backtrack_cause.parent.name: + return True + return False diff --git a/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/reporter.py b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/reporter.py new file mode 100644 index 0000000..6ced532 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/reporter.py @@ -0,0 +1,68 @@ +from collections import defaultdict +from logging import getLogger +from typing import Any, DefaultDict + +from pip._vendor.resolvelib.reporters import BaseReporter + +from .base import Candidate, Requirement + +logger = getLogger(__name__) + + +class PipReporter(BaseReporter): + def __init__(self) -> None: + self.backtracks_by_package: DefaultDict[str, int] = defaultdict(int) + + self._messages_at_backtrack = { + 1: ( + "pip is looking at multiple versions of {package_name} to " + "determine which version is compatible with other " + "requirements. This could take a while." + ), + 8: ( + "pip is looking at multiple versions of {package_name} to " + "determine which version is compatible with other " + "requirements. This could take a while." + ), + 13: ( + "This is taking longer than usual. You might need to provide " + "the dependency resolver with stricter constraints to reduce " + "runtime. See https://pip.pypa.io/warnings/backtracking for " + "guidance. If you want to abort this run, press Ctrl + C." + ), + } + + def backtracking(self, candidate: Candidate) -> None: + self.backtracks_by_package[candidate.name] += 1 + + count = self.backtracks_by_package[candidate.name] + if count not in self._messages_at_backtrack: + return + + message = self._messages_at_backtrack[count] + logger.info("INFO: %s", message.format(package_name=candidate.name)) + + +class PipDebuggingReporter(BaseReporter): + """A reporter that does an info log for every event it sees.""" + + def starting(self) -> None: + logger.info("Reporter.starting()") + + def starting_round(self, index: int) -> None: + logger.info("Reporter.starting_round(%r)", index) + + def ending_round(self, index: int, state: Any) -> None: + logger.info("Reporter.ending_round(%r, state)", index) + + def ending(self, state: Any) -> None: + logger.info("Reporter.ending(%r)", state) + + def adding_requirement(self, requirement: Requirement, parent: Candidate) -> None: + logger.info("Reporter.adding_requirement(%r, %r)", requirement, parent) + + def backtracking(self, candidate: Candidate) -> None: + logger.info("Reporter.backtracking(%r)", candidate) + + def pinning(self, candidate: Candidate) -> None: + logger.info("Reporter.pinning(%r)", candidate) diff --git a/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/requirements.py b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/requirements.py new file mode 100644 index 0000000..c19f83c --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/requirements.py @@ -0,0 +1,166 @@ +from pip._vendor.packaging.specifiers import SpecifierSet +from pip._vendor.packaging.utils import NormalizedName, canonicalize_name + +from pip._internal.req.req_install import InstallRequirement + +from .base import Candidate, CandidateLookup, Requirement, format_name + + +class ExplicitRequirement(Requirement): + def __init__(self, candidate: Candidate) -> None: + self.candidate = candidate + + def __str__(self) -> str: + return str(self.candidate) + + def __repr__(self) -> str: + return "{class_name}({candidate!r})".format( + class_name=self.__class__.__name__, + candidate=self.candidate, + ) + + @property + def project_name(self) -> NormalizedName: + # No need to canonicalise - the candidate did this + return self.candidate.project_name + + @property + def name(self) -> str: + # No need to canonicalise - the candidate did this + return self.candidate.name + + def format_for_error(self) -> str: + return self.candidate.format_for_error() + + def get_candidate_lookup(self) -> CandidateLookup: + return self.candidate, None + + def is_satisfied_by(self, candidate: Candidate) -> bool: + return candidate == self.candidate + + +class SpecifierRequirement(Requirement): + def __init__(self, ireq: InstallRequirement) -> None: + assert ireq.link is None, "This is a link, not a specifier" + self._ireq = ireq + self._extras = frozenset(ireq.extras) + + def __str__(self) -> str: + return str(self._ireq.req) + + def __repr__(self) -> str: + return "{class_name}({requirement!r})".format( + class_name=self.__class__.__name__, + requirement=str(self._ireq.req), + ) + + @property + def project_name(self) -> NormalizedName: + assert self._ireq.req, "Specifier-backed ireq is always PEP 508" + return canonicalize_name(self._ireq.req.name) + + @property + def name(self) -> str: + return format_name(self.project_name, self._extras) + + def format_for_error(self) -> str: + + # Convert comma-separated specifiers into "A, B, ..., F and G" + # This makes the specifier a bit more "human readable", without + # risking a change in meaning. (Hopefully! Not all edge cases have + # been checked) + parts = [s.strip() for s in str(self).split(",")] + if len(parts) == 0: + return "" + elif len(parts) == 1: + return parts[0] + + return ", ".join(parts[:-1]) + " and " + parts[-1] + + def get_candidate_lookup(self) -> CandidateLookup: + return None, self._ireq + + def is_satisfied_by(self, candidate: Candidate) -> bool: + assert candidate.name == self.name, ( + f"Internal issue: Candidate is not for this requirement " + f"{candidate.name} vs {self.name}" + ) + # We can safely always allow prereleases here since PackageFinder + # already implements the prerelease logic, and would have filtered out + # prerelease candidates if the user does not expect them. + assert self._ireq.req, "Specifier-backed ireq is always PEP 508" + spec = self._ireq.req.specifier + return spec.contains(candidate.version, prereleases=True) + + +class RequiresPythonRequirement(Requirement): + """A requirement representing Requires-Python metadata.""" + + def __init__(self, specifier: SpecifierSet, match: Candidate) -> None: + self.specifier = specifier + self._candidate = match + + def __str__(self) -> str: + return f"Python {self.specifier}" + + def __repr__(self) -> str: + return "{class_name}({specifier!r})".format( + class_name=self.__class__.__name__, + specifier=str(self.specifier), + ) + + @property + def project_name(self) -> NormalizedName: + return self._candidate.project_name + + @property + def name(self) -> str: + return self._candidate.name + + def format_for_error(self) -> str: + return str(self) + + def get_candidate_lookup(self) -> CandidateLookup: + if self.specifier.contains(self._candidate.version, prereleases=True): + return self._candidate, None + return None, None + + def is_satisfied_by(self, candidate: Candidate) -> bool: + assert candidate.name == self._candidate.name, "Not Python candidate" + # We can safely always allow prereleases here since PackageFinder + # already implements the prerelease logic, and would have filtered out + # prerelease candidates if the user does not expect them. + return self.specifier.contains(candidate.version, prereleases=True) + + +class UnsatisfiableRequirement(Requirement): + """A requirement that cannot be satisfied.""" + + def __init__(self, name: NormalizedName) -> None: + self._name = name + + def __str__(self) -> str: + return f"{self._name} (unavailable)" + + def __repr__(self) -> str: + return "{class_name}({name!r})".format( + class_name=self.__class__.__name__, + name=str(self._name), + ) + + @property + def project_name(self) -> NormalizedName: + return self._name + + @property + def name(self) -> str: + return self._name + + def format_for_error(self) -> str: + return str(self) + + def get_candidate_lookup(self) -> CandidateLookup: + return None, None + + def is_satisfied_by(self, candidate: Candidate) -> bool: + return False diff --git a/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/resolver.py b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/resolver.py new file mode 100644 index 0000000..12f9670 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/resolution/resolvelib/resolver.py @@ -0,0 +1,251 @@ +import functools +import logging +import os +from typing import TYPE_CHECKING, Dict, List, Optional, Set, Tuple, cast + +from pip._vendor.packaging.utils import canonicalize_name +from pip._vendor.resolvelib import BaseReporter, ResolutionImpossible +from pip._vendor.resolvelib import Resolver as RLResolver +from pip._vendor.resolvelib.structs import DirectedGraph + +from pip._internal.cache import WheelCache +from pip._internal.index.package_finder import PackageFinder +from pip._internal.operations.prepare import RequirementPreparer +from pip._internal.req.req_install import InstallRequirement +from pip._internal.req.req_set import RequirementSet +from pip._internal.resolution.base import BaseResolver, InstallRequirementProvider +from pip._internal.resolution.resolvelib.provider import PipProvider +from pip._internal.resolution.resolvelib.reporter import ( + PipDebuggingReporter, + PipReporter, +) + +from .base import Candidate, Requirement +from .factory import Factory + +if TYPE_CHECKING: + from pip._vendor.resolvelib.resolvers import Result as RLResult + + Result = RLResult[Requirement, Candidate, str] + + +logger = logging.getLogger(__name__) + + +class Resolver(BaseResolver): + _allowed_strategies = {"eager", "only-if-needed", "to-satisfy-only"} + + def __init__( + self, + preparer: RequirementPreparer, + finder: PackageFinder, + wheel_cache: Optional[WheelCache], + make_install_req: InstallRequirementProvider, + use_user_site: bool, + ignore_dependencies: bool, + ignore_installed: bool, + ignore_requires_python: bool, + force_reinstall: bool, + upgrade_strategy: str, + py_version_info: Optional[Tuple[int, ...]] = None, + ): + super().__init__() + assert upgrade_strategy in self._allowed_strategies + + self.factory = Factory( + finder=finder, + preparer=preparer, + make_install_req=make_install_req, + wheel_cache=wheel_cache, + use_user_site=use_user_site, + force_reinstall=force_reinstall, + ignore_installed=ignore_installed, + ignore_requires_python=ignore_requires_python, + py_version_info=py_version_info, + ) + self.ignore_dependencies = ignore_dependencies + self.upgrade_strategy = upgrade_strategy + self._result: Optional[Result] = None + + def resolve( + self, root_reqs: List[InstallRequirement], check_supported_wheels: bool + ) -> RequirementSet: + collected = self.factory.collect_root_requirements(root_reqs) + provider = PipProvider( + factory=self.factory, + constraints=collected.constraints, + ignore_dependencies=self.ignore_dependencies, + upgrade_strategy=self.upgrade_strategy, + user_requested=collected.user_requested, + ) + if "PIP_RESOLVER_DEBUG" in os.environ: + reporter: BaseReporter = PipDebuggingReporter() + else: + reporter = PipReporter() + resolver: RLResolver[Requirement, Candidate, str] = RLResolver( + provider, + reporter, + ) + + try: + try_to_avoid_resolution_too_deep = 2000000 + result = self._result = resolver.resolve( + collected.requirements, max_rounds=try_to_avoid_resolution_too_deep + ) + + except ResolutionImpossible as e: + error = self.factory.get_installation_error( + cast("ResolutionImpossible[Requirement, Candidate]", e), + collected.constraints, + ) + raise error from e + + req_set = RequirementSet(check_supported_wheels=check_supported_wheels) + for candidate in result.mapping.values(): + ireq = candidate.get_install_requirement() + if ireq is None: + continue + + # Check if there is already an installation under the same name, + # and set a flag for later stages to uninstall it, if needed. + installed_dist = self.factory.get_dist_to_uninstall(candidate) + if installed_dist is None: + # There is no existing installation -- nothing to uninstall. + ireq.should_reinstall = False + elif self.factory.force_reinstall: + # The --force-reinstall flag is set -- reinstall. + ireq.should_reinstall = True + elif installed_dist.version != candidate.version: + # The installation is different in version -- reinstall. + ireq.should_reinstall = True + elif candidate.is_editable or installed_dist.editable: + # The incoming distribution is editable, or different in + # editable-ness to installation -- reinstall. + ireq.should_reinstall = True + elif candidate.source_link and candidate.source_link.is_file: + # The incoming distribution is under file:// + if candidate.source_link.is_wheel: + # is a local wheel -- do nothing. + logger.info( + "%s is already installed with the same version as the " + "provided wheel. Use --force-reinstall to force an " + "installation of the wheel.", + ireq.name, + ) + continue + + # is a local sdist or path -- reinstall + ireq.should_reinstall = True + else: + continue + + link = candidate.source_link + if link and link.is_yanked: + # The reason can contain non-ASCII characters, Unicode + # is required for Python 2. + msg = ( + "The candidate selected for download or install is a " + "yanked version: {name!r} candidate (version {version} " + "at {link})\nReason for being yanked: {reason}" + ).format( + name=candidate.name, + version=candidate.version, + link=link, + reason=link.yanked_reason or "<none given>", + ) + logger.warning(msg) + + req_set.add_named_requirement(ireq) + + reqs = req_set.all_requirements + self.factory.preparer.prepare_linked_requirements_more(reqs) + return req_set + + def get_installation_order( + self, req_set: RequirementSet + ) -> List[InstallRequirement]: + """Get order for installation of requirements in RequirementSet. + + The returned list contains a requirement before another that depends on + it. This helps ensure that the environment is kept consistent as they + get installed one-by-one. + + The current implementation creates a topological ordering of the + dependency graph, while breaking any cycles in the graph at arbitrary + points. We make no guarantees about where the cycle would be broken, + other than they would be broken. + """ + assert self._result is not None, "must call resolve() first" + + graph = self._result.graph + weights = get_topological_weights( + graph, + expected_node_count=len(self._result.mapping) + 1, + ) + + sorted_items = sorted( + req_set.requirements.items(), + key=functools.partial(_req_set_item_sorter, weights=weights), + reverse=True, + ) + return [ireq for _, ireq in sorted_items] + + +def get_topological_weights( + graph: "DirectedGraph[Optional[str]]", expected_node_count: int +) -> Dict[Optional[str], int]: + """Assign weights to each node based on how "deep" they are. + + This implementation may change at any point in the future without prior + notice. + + We take the length for the longest path to any node from root, ignoring any + paths that contain a single node twice (i.e. cycles). This is done through + a depth-first search through the graph, while keeping track of the path to + the node. + + Cycles in the graph result would result in node being revisited while also + being it's own path. In this case, take no action. This helps ensure we + don't get stuck in a cycle. + + When assigning weight, the longer path (i.e. larger length) is preferred. + """ + path: Set[Optional[str]] = set() + weights: Dict[Optional[str], int] = {} + + def visit(node: Optional[str]) -> None: + if node in path: + # We hit a cycle, so we'll break it here. + return + + # Time to visit the children! + path.add(node) + for child in graph.iter_children(node): + visit(child) + path.remove(node) + + last_known_parent_count = weights.get(node, 0) + weights[node] = max(last_known_parent_count, len(path)) + + # `None` is guaranteed to be the root node by resolvelib. + visit(None) + + # Sanity checks + assert weights[None] == 0 + assert len(weights) == expected_node_count + + return weights + + +def _req_set_item_sorter( + item: Tuple[str, InstallRequirement], + weights: Dict[Optional[str], int], +) -> Tuple[int, str]: + """Key function used to sort install requirements for installation. + + Based on the "weight" mapping calculated in ``get_installation_order()``. + The canonical package name is returned as the second member as a tie- + breaker to ensure the result is predictable, which is useful in tests. + """ + name = canonicalize_name(item[0]) + return weights[name], name diff --git a/venv/Lib/site-packages/pip/_internal/self_outdated_check.py b/venv/Lib/site-packages/pip/_internal/self_outdated_check.py new file mode 100644 index 0000000..72f70fc --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/self_outdated_check.py @@ -0,0 +1,182 @@ +import datetime +import hashlib +import json +import logging +import optparse +import os.path +import sys +from typing import Any, Dict + +from pip._vendor.packaging.version import parse as parse_version + +from pip._internal.index.collector import LinkCollector +from pip._internal.index.package_finder import PackageFinder +from pip._internal.metadata import get_default_environment +from pip._internal.models.selection_prefs import SelectionPreferences +from pip._internal.network.session import PipSession +from pip._internal.utils.filesystem import adjacent_tmp_file, check_path_owner, replace +from pip._internal.utils.misc import ensure_dir + +SELFCHECK_DATE_FMT = "%Y-%m-%dT%H:%M:%SZ" + + +logger = logging.getLogger(__name__) + + +def _get_statefile_name(key: str) -> str: + key_bytes = key.encode() + name = hashlib.sha224(key_bytes).hexdigest() + return name + + +class SelfCheckState: + def __init__(self, cache_dir: str) -> None: + self.state: Dict[str, Any] = {} + self.statefile_path = None + + # Try to load the existing state + if cache_dir: + self.statefile_path = os.path.join( + cache_dir, "selfcheck", _get_statefile_name(self.key) + ) + try: + with open(self.statefile_path, encoding="utf-8") as statefile: + self.state = json.load(statefile) + except (OSError, ValueError, KeyError): + # Explicitly suppressing exceptions, since we don't want to + # error out if the cache file is invalid. + pass + + @property + def key(self) -> str: + return sys.prefix + + def save(self, pypi_version: str, current_time: datetime.datetime) -> None: + # If we do not have a path to cache in, don't bother saving. + if not self.statefile_path: + return + + # Check to make sure that we own the directory + if not check_path_owner(os.path.dirname(self.statefile_path)): + return + + # Now that we've ensured the directory is owned by this user, we'll go + # ahead and make sure that all our directories are created. + ensure_dir(os.path.dirname(self.statefile_path)) + + state = { + # Include the key so it's easy to tell which pip wrote the + # file. + "key": self.key, + "last_check": current_time.strftime(SELFCHECK_DATE_FMT), + "pypi_version": pypi_version, + } + + text = json.dumps(state, sort_keys=True, separators=(",", ":")) + + with adjacent_tmp_file(self.statefile_path) as f: + f.write(text.encode()) + + try: + # Since we have a prefix-specific state file, we can just + # overwrite whatever is there, no need to check. + replace(f.name, self.statefile_path) + except OSError: + # Best effort. + pass + + +def was_installed_by_pip(pkg: str) -> bool: + """Checks whether pkg was installed by pip + + This is used not to display the upgrade message when pip is in fact + installed by system package manager, such as dnf on Fedora. + """ + dist = get_default_environment().get_distribution(pkg) + return dist is not None and "pip" == dist.installer + + +def pip_self_version_check(session: PipSession, options: optparse.Values) -> None: + """Check for an update for pip. + + Limit the frequency of checks to once per week. State is stored either in + the active virtualenv or in the user's USER_CACHE_DIR keyed off the prefix + of the pip script path. + """ + installed_dist = get_default_environment().get_distribution("pip") + if not installed_dist: + return + + pip_version = installed_dist.version + pypi_version = None + + try: + state = SelfCheckState(cache_dir=options.cache_dir) + + current_time = datetime.datetime.utcnow() + # Determine if we need to refresh the state + if "last_check" in state.state and "pypi_version" in state.state: + last_check = datetime.datetime.strptime( + state.state["last_check"], SELFCHECK_DATE_FMT + ) + if (current_time - last_check).total_seconds() < 7 * 24 * 60 * 60: + pypi_version = state.state["pypi_version"] + + # Refresh the version if we need to or just see if we need to warn + if pypi_version is None: + # Lets use PackageFinder to see what the latest pip version is + link_collector = LinkCollector.create( + session, + options=options, + suppress_no_index=True, + ) + + # Pass allow_yanked=False so we don't suggest upgrading to a + # yanked version. + selection_prefs = SelectionPreferences( + allow_yanked=False, + allow_all_prereleases=False, # Explicitly set to False + ) + + finder = PackageFinder.create( + link_collector=link_collector, + selection_prefs=selection_prefs, + ) + best_candidate = finder.find_best_candidate("pip").best_candidate + if best_candidate is None: + return + pypi_version = str(best_candidate.version) + + # save that we've performed a check + state.save(pypi_version, current_time) + + remote_version = parse_version(pypi_version) + + local_version_is_older = ( + pip_version < remote_version + and pip_version.base_version != remote_version.base_version + and was_installed_by_pip("pip") + ) + + # Determine if our pypi_version is older + if not local_version_is_older: + return + + # We cannot tell how the current pip is available in the current + # command context, so be pragmatic here and suggest the command + # that's always available. This does not accommodate spaces in + # `sys.executable`. + pip_cmd = f"{sys.executable} -m pip" + logger.warning( + "You are using pip version %s; however, version %s is " + "available.\nYou should consider upgrading via the " + "'%s install --upgrade pip' command.", + pip_version, + pypi_version, + pip_cmd, + ) + except Exception: + logger.debug( + "There was an error checking the latest version of pip", + exc_info=True, + ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/backports/__init__.py b/venv/Lib/site-packages/pip/_internal/utils/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/backports/__init__.py rename to venv/Lib/site-packages/pip/_internal/utils/__init__.py diff --git a/venv/Lib/site-packages/pip/_internal/utils/_log.py b/venv/Lib/site-packages/pip/_internal/utils/_log.py new file mode 100644 index 0000000..92c4c6a --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/_log.py @@ -0,0 +1,38 @@ +"""Customize logging + +Defines custom logger class for the `logger.verbose(...)` method. + +init_logging() must be called before any other modules that call logging.getLogger. +""" + +import logging +from typing import Any, cast + +# custom log level for `--verbose` output +# between DEBUG and INFO +VERBOSE = 15 + + +class VerboseLogger(logging.Logger): + """Custom Logger, defining a verbose log-level + + VERBOSE is between INFO and DEBUG. + """ + + def verbose(self, msg: str, *args: Any, **kwargs: Any) -> None: + return self.log(VERBOSE, msg, *args, **kwargs) + + +def getLogger(name: str) -> VerboseLogger: + """logging.getLogger, but ensures our VerboseLogger class is returned""" + return cast(VerboseLogger, logging.getLogger(name)) + + +def init_logging() -> None: + """Register our VerboseLogger and VERBOSE log level. + + Should be called before any calls to getLogger(), + i.e. in pip._internal.__init__ + """ + logging.setLoggerClass(VerboseLogger) + logging.addLevelName(VERBOSE, "VERBOSE") diff --git a/venv/Lib/site-packages/pip/_internal/utils/appdirs.py b/venv/Lib/site-packages/pip/_internal/utils/appdirs.py new file mode 100644 index 0000000..5e33412 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/appdirs.py @@ -0,0 +1,40 @@ +""" +This code wraps the vendored appdirs module to so the return values are +compatible for the current pip code base. + +The intention is to rewrite current usages gradually, keeping the tests pass, +and eventually drop this after all usages are changed. +""" + +import os +import sys +from typing import List + +from pip._vendor import platformdirs as _appdirs + + +def user_cache_dir(appname: str) -> str: + return _appdirs.user_cache_dir(appname, appauthor=False) + + +def user_config_dir(appname: str, roaming: bool = True) -> str: + path = _appdirs.user_config_dir(appname, appauthor=False, roaming=roaming) + if sys.platform == "darwin" and not os.path.isdir(path): + path = os.path.expanduser("~/.config/") + if appname: + path = os.path.join(path, appname) + return path + + +# for the discussion regarding site_config_dir locations +# see <https://github.com/pypa/pip/issues/1733> +def site_config_dirs(appname: str) -> List[str]: + dirval = _appdirs.site_config_dir(appname, appauthor=False, multipath=True) + if sys.platform == "darwin": + # always look in /Library/Application Support/pip as well + return dirval.split(os.pathsep) + ["/Library/Application Support/pip"] + elif sys.platform == "win32": + return [dirval] + else: + # always look in /etc directly as well + return dirval.split(os.pathsep) + ["/etc"] diff --git a/venv/Lib/site-packages/pip/_internal/utils/compat.py b/venv/Lib/site-packages/pip/_internal/utils/compat.py new file mode 100644 index 0000000..3f4d300 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/compat.py @@ -0,0 +1,63 @@ +"""Stuff that differs in different Python versions and platform +distributions.""" + +import logging +import os +import sys + +__all__ = ["get_path_uid", "stdlib_pkgs", "WINDOWS"] + + +logger = logging.getLogger(__name__) + + +def has_tls() -> bool: + try: + import _ssl # noqa: F401 # ignore unused + + return True + except ImportError: + pass + + from pip._vendor.urllib3.util import IS_PYOPENSSL + + return IS_PYOPENSSL + + +def get_path_uid(path: str) -> int: + """ + Return path's uid. + + Does not follow symlinks: + https://github.com/pypa/pip/pull/935#discussion_r5307003 + + Placed this function in compat due to differences on AIX and + Jython, that should eventually go away. + + :raises OSError: When path is a symlink or can't be read. + """ + if hasattr(os, "O_NOFOLLOW"): + fd = os.open(path, os.O_RDONLY | os.O_NOFOLLOW) + file_uid = os.fstat(fd).st_uid + os.close(fd) + else: # AIX and Jython + # WARNING: time of check vulnerability, but best we can do w/o NOFOLLOW + if not os.path.islink(path): + # older versions of Jython don't have `os.fstat` + file_uid = os.stat(path).st_uid + else: + # raise OSError for parity with os.O_NOFOLLOW above + raise OSError(f"{path} is a symlink; Will not return uid for symlinks") + return file_uid + + +# packages in the stdlib that may have installation metadata, but should not be +# considered 'installed'. this theoretically could be determined based on +# dist.location (py27:`sysconfig.get_paths()['stdlib']`, +# py26:sysconfig.get_config_vars('LIBDEST')), but fear platform variation may +# make this ineffective, so hard-coding +stdlib_pkgs = {"python", "wsgiref", "argparse"} + + +# windows detection, covers cpython and ironpython +WINDOWS = sys.platform.startswith("win") or (sys.platform == "cli" and os.name == "nt") diff --git a/venv/Lib/site-packages/pip/_internal/utils/compatibility_tags.py b/venv/Lib/site-packages/pip/_internal/utils/compatibility_tags.py new file mode 100644 index 0000000..b6ed9a7 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/compatibility_tags.py @@ -0,0 +1,165 @@ +"""Generate and work with PEP 425 Compatibility Tags. +""" + +import re +from typing import List, Optional, Tuple + +from pip._vendor.packaging.tags import ( + PythonVersion, + Tag, + compatible_tags, + cpython_tags, + generic_tags, + interpreter_name, + interpreter_version, + mac_platforms, +) + +_osx_arch_pat = re.compile(r"(.+)_(\d+)_(\d+)_(.+)") + + +def version_info_to_nodot(version_info: Tuple[int, ...]) -> str: + # Only use up to the first two numbers. + return "".join(map(str, version_info[:2])) + + +def _mac_platforms(arch: str) -> List[str]: + match = _osx_arch_pat.match(arch) + if match: + name, major, minor, actual_arch = match.groups() + mac_version = (int(major), int(minor)) + arches = [ + # Since we have always only checked that the platform starts + # with "macosx", for backwards-compatibility we extract the + # actual prefix provided by the user in case they provided + # something like "macosxcustom_". It may be good to remove + # this as undocumented or deprecate it in the future. + "{}_{}".format(name, arch[len("macosx_") :]) + for arch in mac_platforms(mac_version, actual_arch) + ] + else: + # arch pattern didn't match (?!) + arches = [arch] + return arches + + +def _custom_manylinux_platforms(arch: str) -> List[str]: + arches = [arch] + arch_prefix, arch_sep, arch_suffix = arch.partition("_") + if arch_prefix == "manylinux2014": + # manylinux1/manylinux2010 wheels run on most manylinux2014 systems + # with the exception of wheels depending on ncurses. PEP 599 states + # manylinux1/manylinux2010 wheels should be considered + # manylinux2014 wheels: + # https://www.python.org/dev/peps/pep-0599/#backwards-compatibility-with-manylinux2010-wheels + if arch_suffix in {"i686", "x86_64"}: + arches.append("manylinux2010" + arch_sep + arch_suffix) + arches.append("manylinux1" + arch_sep + arch_suffix) + elif arch_prefix == "manylinux2010": + # manylinux1 wheels run on most manylinux2010 systems with the + # exception of wheels depending on ncurses. PEP 571 states + # manylinux1 wheels should be considered manylinux2010 wheels: + # https://www.python.org/dev/peps/pep-0571/#backwards-compatibility-with-manylinux1-wheels + arches.append("manylinux1" + arch_sep + arch_suffix) + return arches + + +def _get_custom_platforms(arch: str) -> List[str]: + arch_prefix, arch_sep, arch_suffix = arch.partition("_") + if arch.startswith("macosx"): + arches = _mac_platforms(arch) + elif arch_prefix in ["manylinux2014", "manylinux2010"]: + arches = _custom_manylinux_platforms(arch) + else: + arches = [arch] + return arches + + +def _expand_allowed_platforms(platforms: Optional[List[str]]) -> Optional[List[str]]: + if not platforms: + return None + + seen = set() + result = [] + + for p in platforms: + if p in seen: + continue + additions = [c for c in _get_custom_platforms(p) if c not in seen] + seen.update(additions) + result.extend(additions) + + return result + + +def _get_python_version(version: str) -> PythonVersion: + if len(version) > 1: + return int(version[0]), int(version[1:]) + else: + return (int(version[0]),) + + +def _get_custom_interpreter( + implementation: Optional[str] = None, version: Optional[str] = None +) -> str: + if implementation is None: + implementation = interpreter_name() + if version is None: + version = interpreter_version() + return f"{implementation}{version}" + + +def get_supported( + version: Optional[str] = None, + platforms: Optional[List[str]] = None, + impl: Optional[str] = None, + abis: Optional[List[str]] = None, +) -> List[Tag]: + """Return a list of supported tags for each version specified in + `versions`. + + :param version: a string version, of the form "33" or "32", + or None. The version will be assumed to support our ABI. + :param platform: specify a list of platforms you want valid + tags for, or None. If None, use the local system platform. + :param impl: specify the exact implementation you want valid + tags for, or None. If None, use the local interpreter impl. + :param abis: specify a list of abis you want valid + tags for, or None. If None, use the local interpreter abi. + """ + supported: List[Tag] = [] + + python_version: Optional[PythonVersion] = None + if version is not None: + python_version = _get_python_version(version) + + interpreter = _get_custom_interpreter(impl, version) + + platforms = _expand_allowed_platforms(platforms) + + is_cpython = (impl or interpreter_name()) == "cp" + if is_cpython: + supported.extend( + cpython_tags( + python_version=python_version, + abis=abis, + platforms=platforms, + ) + ) + else: + supported.extend( + generic_tags( + interpreter=interpreter, + abis=abis, + platforms=platforms, + ) + ) + supported.extend( + compatible_tags( + python_version=python_version, + interpreter=interpreter, + platforms=platforms, + ) + ) + + return supported diff --git a/venv/Lib/site-packages/pip/_internal/utils/datetime.py b/venv/Lib/site-packages/pip/_internal/utils/datetime.py new file mode 100644 index 0000000..8668b3b --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/datetime.py @@ -0,0 +1,11 @@ +"""For when pip wants to check the date or time. +""" + +import datetime + + +def today_is_later_than(year: int, month: int, day: int) -> bool: + today = datetime.date.today() + given = datetime.date(year, month, day) + + return today > given diff --git a/venv/Lib/site-packages/pip/_internal/utils/deprecation.py b/venv/Lib/site-packages/pip/_internal/utils/deprecation.py new file mode 100644 index 0000000..72bd6f2 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/deprecation.py @@ -0,0 +1,120 @@ +""" +A module that implements tooling to enable easy warnings about deprecations. +""" + +import logging +import warnings +from typing import Any, Optional, TextIO, Type, Union + +from pip._vendor.packaging.version import parse + +from pip import __version__ as current_version # NOTE: tests patch this name. + +DEPRECATION_MSG_PREFIX = "DEPRECATION: " + + +class PipDeprecationWarning(Warning): + pass + + +_original_showwarning: Any = None + + +# Warnings <-> Logging Integration +def _showwarning( + message: Union[Warning, str], + category: Type[Warning], + filename: str, + lineno: int, + file: Optional[TextIO] = None, + line: Optional[str] = None, +) -> None: + if file is not None: + if _original_showwarning is not None: + _original_showwarning(message, category, filename, lineno, file, line) + elif issubclass(category, PipDeprecationWarning): + # We use a specially named logger which will handle all of the + # deprecation messages for pip. + logger = logging.getLogger("pip._internal.deprecations") + logger.warning(message) + else: + _original_showwarning(message, category, filename, lineno, file, line) + + +def install_warning_logger() -> None: + # Enable our Deprecation Warnings + warnings.simplefilter("default", PipDeprecationWarning, append=True) + + global _original_showwarning + + if _original_showwarning is None: + _original_showwarning = warnings.showwarning + warnings.showwarning = _showwarning + + +def deprecated( + *, + reason: str, + replacement: Optional[str], + gone_in: Optional[str], + feature_flag: Optional[str] = None, + issue: Optional[int] = None, +) -> None: + """Helper to deprecate existing functionality. + + reason: + Textual reason shown to the user about why this functionality has + been deprecated. Should be a complete sentence. + replacement: + Textual suggestion shown to the user about what alternative + functionality they can use. + gone_in: + The version of pip does this functionality should get removed in. + Raises an error if pip's current version is greater than or equal to + this. + feature_flag: + Command-line flag of the form --use-feature={feature_flag} for testing + upcoming functionality. + issue: + Issue number on the tracker that would serve as a useful place for + users to find related discussion and provide feedback. + """ + + # Determine whether or not the feature is already gone in this version. + is_gone = gone_in is not None and parse(current_version) >= parse(gone_in) + + message_parts = [ + (reason, f"{DEPRECATION_MSG_PREFIX}{{}}"), + ( + gone_in, + "pip {} will enforce this behaviour change." + if not is_gone + else "Since pip {}, this is no longer supported.", + ), + ( + replacement, + "A possible replacement is {}.", + ), + ( + feature_flag, + "You can use the flag --use-feature={} to test the upcoming behaviour." + if not is_gone + else None, + ), + ( + issue, + "Discussion can be found at https://github.com/pypa/pip/issues/{}", + ), + ] + + message = " ".join( + format_str.format(value) + for value, format_str in message_parts + if format_str is not None and value is not None + ) + + # Raise as an error if this behaviour is deprecated. + if is_gone: + raise PipDeprecationWarning(message) + + warnings.warn(message, category=PipDeprecationWarning, stacklevel=2) diff --git a/venv/Lib/site-packages/pip/_internal/utils/direct_url_helpers.py b/venv/Lib/site-packages/pip/_internal/utils/direct_url_helpers.py new file mode 100644 index 0000000..0e8e5e1 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/direct_url_helpers.py @@ -0,0 +1,87 @@ +from typing import Optional + +from pip._internal.models.direct_url import ArchiveInfo, DirectUrl, DirInfo, VcsInfo +from pip._internal.models.link import Link +from pip._internal.utils.urls import path_to_url +from pip._internal.vcs import vcs + + +def direct_url_as_pep440_direct_reference(direct_url: DirectUrl, name: str) -> str: + """Convert a DirectUrl to a pip requirement string.""" + direct_url.validate() # if invalid, this is a pip bug + requirement = name + " @ " + fragments = [] + if isinstance(direct_url.info, VcsInfo): + requirement += "{}+{}@{}".format( + direct_url.info.vcs, direct_url.url, direct_url.info.commit_id + ) + elif isinstance(direct_url.info, ArchiveInfo): + requirement += direct_url.url + if direct_url.info.hash: + fragments.append(direct_url.info.hash) + else: + assert isinstance(direct_url.info, DirInfo) + requirement += direct_url.url + if direct_url.subdirectory: + fragments.append("subdirectory=" + direct_url.subdirectory) + if fragments: + requirement += "#" + "&".join(fragments) + return requirement + + +def direct_url_for_editable(source_dir: str) -> DirectUrl: + return DirectUrl( + url=path_to_url(source_dir), + info=DirInfo(editable=True), + ) + + +def direct_url_from_link( + link: Link, source_dir: Optional[str] = None, link_is_in_wheel_cache: bool = False +) -> DirectUrl: + if link.is_vcs: + vcs_backend = vcs.get_backend_for_scheme(link.scheme) + assert vcs_backend + url, requested_revision, _ = vcs_backend.get_url_rev_and_auth( + link.url_without_fragment + ) + # For VCS links, we need to find out and add commit_id. + if link_is_in_wheel_cache: + # If the requested VCS link corresponds to a cached + # wheel, it means the requested revision was an + # immutable commit hash, otherwise it would not have + # been cached. In that case we don't have a source_dir + # with the VCS checkout. + assert requested_revision + commit_id = requested_revision + else: + # If the wheel was not in cache, it means we have + # had to checkout from VCS to build and we have a source_dir + # which we can inspect to find out the commit id. + assert source_dir + commit_id = vcs_backend.get_revision(source_dir) + return DirectUrl( + url=url, + info=VcsInfo( + vcs=vcs_backend.name, + commit_id=commit_id, + requested_revision=requested_revision, + ), + subdirectory=link.subdirectory_fragment, + ) + elif link.is_existing_dir(): + return DirectUrl( + url=link.url_without_fragment, + info=DirInfo(), + subdirectory=link.subdirectory_fragment, + ) + else: + hash = None + hash_name = link.hash_name + if hash_name: + hash = f"{hash_name}={link.hash}" + return DirectUrl( + url=link.url_without_fragment, + info=ArchiveInfo(hash=hash), + subdirectory=link.subdirectory_fragment, + ) diff --git a/venv/Lib/site-packages/pip/_internal/utils/distutils_args.py b/venv/Lib/site-packages/pip/_internal/utils/distutils_args.py new file mode 100644 index 0000000..e4aa5b8 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/distutils_args.py @@ -0,0 +1,42 @@ +from distutils.errors import DistutilsArgError +from distutils.fancy_getopt import FancyGetopt +from typing import Dict, List + +_options = [ + ("exec-prefix=", None, ""), + ("home=", None, ""), + ("install-base=", None, ""), + ("install-data=", None, ""), + ("install-headers=", None, ""), + ("install-lib=", None, ""), + ("install-platlib=", None, ""), + ("install-purelib=", None, ""), + ("install-scripts=", None, ""), + ("prefix=", None, ""), + ("root=", None, ""), + ("user", None, ""), +] + + +# typeshed doesn't permit Tuple[str, None, str], see python/typeshed#3469. +_distutils_getopt = FancyGetopt(_options) # type: ignore + + +def parse_distutils_args(args: List[str]) -> Dict[str, str]: + """Parse provided arguments, returning an object that has the + matched arguments. + + Any unknown arguments are ignored. + """ + result = {} + for arg in args: + try: + _, match = _distutils_getopt.getopt(args=[arg]) + except DistutilsArgError: + # We don't care about any other options, which here may be + # considered unrecognized since our option list is not + # exhaustive. + pass + else: + result.update(match.__dict__) + return result diff --git a/venv/Lib/site-packages/pip/_internal/utils/egg_link.py b/venv/Lib/site-packages/pip/_internal/utils/egg_link.py new file mode 100644 index 0000000..9e0da8d --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/egg_link.py @@ -0,0 +1,75 @@ +# The following comment should be removed at some point in the future. +# mypy: strict-optional=False + +import os +import re +import sys +from typing import Optional + +from pip._internal.locations import site_packages, user_site +from pip._internal.utils.virtualenv import ( + running_under_virtualenv, + virtualenv_no_global, +) + +__all__ = [ + "egg_link_path_from_sys_path", + "egg_link_path_from_location", +] + + +def _egg_link_name(raw_name: str) -> str: + """ + Convert a Name metadata value to a .egg-link name, by applying + the same substitution as pkg_resources's safe_name function. + Note: we cannot use canonicalize_name because it has a different logic. + """ + return re.sub("[^A-Za-z0-9.]+", "-", raw_name) + ".egg-link" + + +def egg_link_path_from_sys_path(raw_name: str) -> Optional[str]: + """ + Look for a .egg-link file for project name, by walking sys.path. + """ + egg_link_name = _egg_link_name(raw_name) + for path_item in sys.path: + egg_link = os.path.join(path_item, egg_link_name) + if os.path.isfile(egg_link): + return egg_link + return None + + +def egg_link_path_from_location(raw_name: str) -> Optional[str]: + """ + Return the path for the .egg-link file if it exists, otherwise, None. + + There's 3 scenarios: + 1) not in a virtualenv + try to find in site.USER_SITE, then site_packages + 2) in a no-global virtualenv + try to find in site_packages + 3) in a yes-global virtualenv + try to find in site_packages, then site.USER_SITE + (don't look in global location) + + For #1 and #3, there could be odd cases, where there's an egg-link in 2 + locations. + + This method will just return the first one found. + """ + sites = [] + if running_under_virtualenv(): + sites.append(site_packages) + if not virtualenv_no_global() and user_site: + sites.append(user_site) + else: + if user_site: + sites.append(user_site) + sites.append(site_packages) + + egg_link_name = _egg_link_name(raw_name) + for site in sites: + egglink = os.path.join(site, egg_link_name) + if os.path.isfile(egglink): + return egglink + return None diff --git a/venv/Lib/site-packages/pip/_internal/utils/encoding.py b/venv/Lib/site-packages/pip/_internal/utils/encoding.py new file mode 100644 index 0000000..1c73f6c --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/encoding.py @@ -0,0 +1,36 @@ +import codecs +import locale +import re +import sys +from typing import List, Tuple + +BOMS: List[Tuple[bytes, str]] = [ + (codecs.BOM_UTF8, "utf-8"), + (codecs.BOM_UTF16, "utf-16"), + (codecs.BOM_UTF16_BE, "utf-16-be"), + (codecs.BOM_UTF16_LE, "utf-16-le"), + (codecs.BOM_UTF32, "utf-32"), + (codecs.BOM_UTF32_BE, "utf-32-be"), + (codecs.BOM_UTF32_LE, "utf-32-le"), +] + +ENCODING_RE = re.compile(br"coding[:=]\s*([-\w.]+)") + + +def auto_decode(data: bytes) -> str: + """Check a bytes string for a BOM to correctly detect the encoding + + Fallback to locale.getpreferredencoding(False) like open() on Python3""" + for bom, encoding in BOMS: + if data.startswith(bom): + return data[len(bom) :].decode(encoding) + # Lets check the first two lines as in PEP263 + for line in data.split(b"\n")[:2]: + if line[0:1] == b"#" and ENCODING_RE.search(line): + result = ENCODING_RE.search(line) + assert result is not None + encoding = result.groups()[0].decode("ascii") + return data.decode(encoding) + return data.decode( + locale.getpreferredencoding(False) or sys.getdefaultencoding(), + ) diff --git a/venv/Lib/site-packages/pip/_internal/utils/entrypoints.py b/venv/Lib/site-packages/pip/_internal/utils/entrypoints.py new file mode 100644 index 0000000..1504a12 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/entrypoints.py @@ -0,0 +1,27 @@ +import sys +from typing import List, Optional + +from pip._internal.cli.main import main + + +def _wrapper(args: Optional[List[str]] = None) -> int: + """Central wrapper for all old entrypoints. + + Historically pip has had several entrypoints defined. Because of issues + arising from PATH, sys.path, multiple Pythons, their interactions, and most + of them having a pip installed, users suffer every time an entrypoint gets + moved. + + To alleviate this pain, and provide a mechanism for warning users and + directing them to an appropriate place for help, we now define all of + our old entrypoints as wrappers for the current one. + """ + sys.stderr.write( + "WARNING: pip is being invoked by an old script wrapper. This will " + "fail in a future version of pip.\n" + "Please see https://github.com/pypa/pip/issues/5599 for advice on " + "fixing the underlying issue.\n" + "To avoid this problem you can invoke Python with '-m pip' instead of " + "running pip directly.\n" + ) + return main(args) diff --git a/venv/Lib/site-packages/pip/_internal/utils/filesystem.py b/venv/Lib/site-packages/pip/_internal/utils/filesystem.py new file mode 100644 index 0000000..b7e6191 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/filesystem.py @@ -0,0 +1,182 @@ +import fnmatch +import os +import os.path +import random +import shutil +import stat +import sys +from contextlib import contextmanager +from tempfile import NamedTemporaryFile +from typing import Any, BinaryIO, Iterator, List, Union, cast + +from pip._vendor.tenacity import retry, stop_after_delay, wait_fixed + +from pip._internal.utils.compat import get_path_uid +from pip._internal.utils.misc import format_size + + +def check_path_owner(path: str) -> bool: + # If we don't have a way to check the effective uid of this process, then + # we'll just assume that we own the directory. + if sys.platform == "win32" or not hasattr(os, "geteuid"): + return True + + assert os.path.isabs(path) + + previous = None + while path != previous: + if os.path.lexists(path): + # Check if path is writable by current user. + if os.geteuid() == 0: + # Special handling for root user in order to handle properly + # cases where users use sudo without -H flag. + try: + path_uid = get_path_uid(path) + except OSError: + return False + return path_uid == 0 + else: + return os.access(path, os.W_OK) + else: + previous, path = path, os.path.dirname(path) + return False # assume we don't own the path + + +def copy2_fixed(src: str, dest: str) -> None: + """Wrap shutil.copy2() but map errors copying socket files to + SpecialFileError as expected. + + See also https://bugs.python.org/issue37700. + """ + try: + shutil.copy2(src, dest) + except OSError: + for f in [src, dest]: + try: + is_socket_file = is_socket(f) + except OSError: + # An error has already occurred. Another error here is not + # a problem and we can ignore it. + pass + else: + if is_socket_file: + raise shutil.SpecialFileError(f"`{f}` is a socket") + + raise + + +def is_socket(path: str) -> bool: + return stat.S_ISSOCK(os.lstat(path).st_mode) + + +@contextmanager +def adjacent_tmp_file(path: str, **kwargs: Any) -> Iterator[BinaryIO]: + """Return a file-like object pointing to a tmp file next to path. + + The file is created securely and is ensured to be written to disk + after the context reaches its end. + + kwargs will be passed to tempfile.NamedTemporaryFile to control + the way the temporary file will be opened. + """ + with NamedTemporaryFile( + delete=False, + dir=os.path.dirname(path), + prefix=os.path.basename(path), + suffix=".tmp", + **kwargs, + ) as f: + result = cast(BinaryIO, f) + try: + yield result + finally: + result.flush() + os.fsync(result.fileno()) + + +# Tenacity raises RetryError by default, explicitly raise the original exception +_replace_retry = retry(reraise=True, stop=stop_after_delay(1), wait=wait_fixed(0.25)) + +replace = _replace_retry(os.replace) + + +# test_writable_dir and _test_writable_dir_win are copied from Flit, +# with the author's agreement to also place them under pip's license. +def test_writable_dir(path: str) -> bool: + """Check if a directory is writable. + + Uses os.access() on POSIX, tries creating files on Windows. + """ + # If the directory doesn't exist, find the closest parent that does. + while not os.path.isdir(path): + parent = os.path.dirname(path) + if parent == path: + break # Should never get here, but infinite loops are bad + path = parent + + if os.name == "posix": + return os.access(path, os.W_OK) + + return _test_writable_dir_win(path) + + +def _test_writable_dir_win(path: str) -> bool: + # os.access doesn't work on Windows: http://bugs.python.org/issue2528 + # and we can't use tempfile: http://bugs.python.org/issue22107 + basename = "accesstest_deleteme_fishfingers_custard_" + alphabet = "abcdefghijklmnopqrstuvwxyz0123456789" + for _ in range(10): + name = basename + "".join(random.choice(alphabet) for _ in range(6)) + file = os.path.join(path, name) + try: + fd = os.open(file, os.O_RDWR | os.O_CREAT | os.O_EXCL) + except FileExistsError: + pass + except PermissionError: + # This could be because there's a directory with the same name. + # But it's highly unlikely there's a directory called that, + # so we'll assume it's because the parent dir is not writable. + # This could as well be because the parent dir is not readable, + # due to non-privileged user access. + return False + else: + os.close(fd) + os.unlink(file) + return True + + # This should never be reached + raise OSError("Unexpected condition testing for writable directory") + + +def find_files(path: str, pattern: str) -> List[str]: + """Returns a list of absolute paths of files beneath path, recursively, + with filenames which match the UNIX-style shell glob pattern.""" + result: List[str] = [] + for root, _, files in os.walk(path): + matches = fnmatch.filter(files, pattern) + result.extend(os.path.join(root, f) for f in matches) + return result + + +def file_size(path: str) -> Union[int, float]: + # If it's a symlink, return 0. + if os.path.islink(path): + return 0 + return os.path.getsize(path) + + +def format_file_size(path: str) -> str: + return format_size(file_size(path)) + + +def directory_size(path: str) -> Union[int, float]: + size = 0.0 + for root, _dirs, files in os.walk(path): + for filename in files: + file_path = os.path.join(root, filename) + size += file_size(file_path) + return size + + +def format_directory_size(path: str) -> str: + return format_size(directory_size(path)) diff --git a/venv/Lib/site-packages/pip/_internal/utils/filetypes.py b/venv/Lib/site-packages/pip/_internal/utils/filetypes.py new file mode 100644 index 0000000..5948570 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/filetypes.py @@ -0,0 +1,27 @@ +"""Filetype information. +""" + +from typing import Tuple + +from pip._internal.utils.misc import splitext + +WHEEL_EXTENSION = ".whl" +BZ2_EXTENSIONS: Tuple[str, ...] = (".tar.bz2", ".tbz") +XZ_EXTENSIONS: Tuple[str, ...] = ( + ".tar.xz", + ".txz", + ".tlz", + ".tar.lz", + ".tar.lzma", +) +ZIP_EXTENSIONS: Tuple[str, ...] = (".zip", WHEEL_EXTENSION) +TAR_EXTENSIONS: Tuple[str, ...] = (".tar.gz", ".tgz", ".tar") +ARCHIVE_EXTENSIONS = ZIP_EXTENSIONS + BZ2_EXTENSIONS + TAR_EXTENSIONS + XZ_EXTENSIONS + + +def is_archive_file(name: str) -> bool: + """Return True if `name` is a considered as an archive file.""" + ext = splitext(name)[1].lower() + if ext in ARCHIVE_EXTENSIONS: + return True + return False diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/glibc.py b/venv/Lib/site-packages/pip/_internal/utils/glibc.py similarity index 55% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/glibc.py rename to venv/Lib/site-packages/pip/_internal/utils/glibc.py index 8a51f69..7bd3c20 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/glibc.py +++ b/venv/Lib/site-packages/pip/_internal/utils/glibc.py @@ -1,18 +1,40 @@ -from __future__ import absolute_import +# The following comment should be removed at some point in the future. +# mypy: strict-optional=False -import ctypes -import re -import warnings +import os +import sys +from typing import Optional, Tuple -from pip._internal.utils.typing import MYPY_CHECK_RUNNING -if MYPY_CHECK_RUNNING: - from typing import Optional, Tuple # noqa: F401 +def glibc_version_string() -> Optional[str]: + "Returns glibc version string, or None if not using glibc." + return glibc_version_string_confstr() or glibc_version_string_ctypes() -def glibc_version_string(): - # type: () -> Optional[str] - "Returns glibc version string, or None if not using glibc." +def glibc_version_string_confstr() -> Optional[str]: + "Primary implementation of glibc_version_string using os.confstr." + # os.confstr is quite a bit faster than ctypes.DLL. It's also less likely + # to be broken or missing. This strategy is used in the standard library + # platform module: + # https://github.com/python/cpython/blob/fcf1d003bf4f0100c9d0921ff3d70e1127ca1b71/Lib/platform.py#L175-L183 + if sys.platform == "win32": + return None + try: + # os.confstr("CS_GNU_LIBC_VERSION") returns a string like "glibc 2.17": + _, version = os.confstr("CS_GNU_LIBC_VERSION").split() + except (AttributeError, OSError, ValueError): + # os.confstr() or CS_GNU_LIBC_VERSION not available (or a bad value)... + return None + return version + + +def glibc_version_string_ctypes() -> Optional[str]: + "Fallback implementation of glibc_version_string using ctypes." + + try: + import ctypes + except ImportError: + return None # ctypes.CDLL(None) internally calls dlopen(NULL), and as the dlopen # manpage says, "If filename is NULL, then the returned handle is for the @@ -36,32 +58,6 @@ def glibc_version_string(): return version_str -# Separated out from have_compatible_glibc for easier unit testing -def check_glibc_version(version_str, required_major, minimum_minor): - # type: (str, int, int) -> bool - # Parse string and check against requested version. - # - # We use a regexp instead of str.split because we want to discard any - # random junk that might come after the minor version -- this might happen - # in patched/forked versions of glibc (e.g. Linaro's version of glibc - # uses version strings like "2.20-2014.11"). See gh-3588. - m = re.match(r"(?P<major>[0-9]+)\.(?P<minor>[0-9]+)", version_str) - if not m: - warnings.warn("Expected glibc version with 2 components major.minor," - " got: %s" % version_str, RuntimeWarning) - return False - return (int(m.group("major")) == required_major and - int(m.group("minor")) >= minimum_minor) - - -def have_compatible_glibc(required_major, minimum_minor): - # type: (int, int) -> bool - version_str = glibc_version_string() # type: Optional[str] - if version_str is None: - return False - return check_glibc_version(version_str, required_major, minimum_minor) - - # platform.libc_ver regularly returns completely nonsensical glibc # versions. E.g. on my computer, platform says: # @@ -79,8 +75,7 @@ def have_compatible_glibc(required_major, minimum_minor): # versions that was generated by pip 8.1.2 and earlier is useless and # misleading. Solution: instead of using platform, use our code that actually # works. -def libc_ver(): - # type: () -> Tuple[str, str] +def libc_ver() -> Tuple[str, str]: """Try to determine the glibc version Returns a tuple of strings (lib, version) which default to empty strings diff --git a/venv/Lib/site-packages/pip/_internal/utils/hashes.py b/venv/Lib/site-packages/pip/_internal/utils/hashes.py new file mode 100644 index 0000000..82eb035 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/hashes.py @@ -0,0 +1,144 @@ +import hashlib +from typing import TYPE_CHECKING, BinaryIO, Dict, Iterator, List + +from pip._internal.exceptions import HashMismatch, HashMissing, InstallationError +from pip._internal.utils.misc import read_chunks + +if TYPE_CHECKING: + from hashlib import _Hash + + # NoReturn introduced in 3.6.2; imported only for type checking to maintain + # pip compatibility with older patch versions of Python 3.6 + from typing import NoReturn + + +# The recommended hash algo of the moment. Change this whenever the state of +# the art changes; it won't hurt backward compatibility. +FAVORITE_HASH = "sha256" + + +# Names of hashlib algorithms allowed by the --hash option and ``pip hash`` +# Currently, those are the ones at least as collision-resistant as sha256. +STRONG_HASHES = ["sha256", "sha384", "sha512"] + + +class Hashes: + """A wrapper that builds multiple hashes at once and checks them against + known-good values + + """ + + def __init__(self, hashes: Dict[str, List[str]] = None) -> None: + """ + :param hashes: A dict of algorithm names pointing to lists of allowed + hex digests + """ + allowed = {} + if hashes is not None: + for alg, keys in hashes.items(): + # Make sure values are always sorted (to ease equality checks) + allowed[alg] = sorted(keys) + self._allowed = allowed + + def __and__(self, other: "Hashes") -> "Hashes": + if not isinstance(other, Hashes): + return NotImplemented + + # If either of the Hashes object is entirely empty (i.e. no hash + # specified at all), all hashes from the other object are allowed. + if not other: + return self + if not self: + return other + + # Otherwise only hashes that present in both objects are allowed. + new = {} + for alg, values in other._allowed.items(): + if alg not in self._allowed: + continue + new[alg] = [v for v in values if v in self._allowed[alg]] + return Hashes(new) + + @property + def digest_count(self) -> int: + return sum(len(digests) for digests in self._allowed.values()) + + def is_hash_allowed(self, hash_name: str, hex_digest: str) -> bool: + """Return whether the given hex digest is allowed.""" + return hex_digest in self._allowed.get(hash_name, []) + + def check_against_chunks(self, chunks: Iterator[bytes]) -> None: + """Check good hashes against ones built from iterable of chunks of + data. + + Raise HashMismatch if none match. + + """ + gots = {} + for hash_name in self._allowed.keys(): + try: + gots[hash_name] = hashlib.new(hash_name) + except (ValueError, TypeError): + raise InstallationError(f"Unknown hash name: {hash_name}") + + for chunk in chunks: + for hash in gots.values(): + hash.update(chunk) + + for hash_name, got in gots.items(): + if got.hexdigest() in self._allowed[hash_name]: + return + self._raise(gots) + + def _raise(self, gots: Dict[str, "_Hash"]) -> "NoReturn": + raise HashMismatch(self._allowed, gots) + + def check_against_file(self, file: BinaryIO) -> None: + """Check good hashes against a file-like object + + Raise HashMismatch if none match. + + """ + return self.check_against_chunks(read_chunks(file)) + + def check_against_path(self, path: str) -> None: + with open(path, "rb") as file: + return self.check_against_file(file) + + def __bool__(self) -> bool: + """Return whether I know any known-good hashes.""" + return bool(self._allowed) + + def __eq__(self, other: object) -> bool: + if not isinstance(other, Hashes): + return NotImplemented + return self._allowed == other._allowed + + def __hash__(self) -> int: + return hash( + ",".join( + sorted( + ":".join((alg, digest)) + for alg, digest_list in self._allowed.items() + for digest in digest_list + ) + ) + ) + + +class MissingHashes(Hashes): + """A workalike for Hashes used when we're missing a hash for a requirement + + It computes the actual hash of the requirement and raises a HashMissing + exception showing it to the user. + + """ + + def __init__(self) -> None: + """Don't offer the ``hashes`` kwarg.""" + # Pass our favorite hash in to generate a "gotten hash". With the + # empty list, it will never match, so an error will always raise. + super().__init__(hashes={FAVORITE_HASH: []}) + + def _raise(self, gots: Dict[str, "_Hash"]) -> "NoReturn": + raise HashMissing(gots[FAVORITE_HASH].hexdigest()) diff --git a/venv/Lib/site-packages/pip/_internal/utils/inject_securetransport.py b/venv/Lib/site-packages/pip/_internal/utils/inject_securetransport.py new file mode 100644 index 0000000..276aa79 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/inject_securetransport.py @@ -0,0 +1,35 @@ +"""A helper module that injects SecureTransport, on import. + +The import should be done as early as possible, to ensure all requests and +sessions (or whatever) are created after injecting SecureTransport. + +Note that we only do the injection on macOS, when the linked OpenSSL is too +old to handle TLSv1.2. +""" + +import sys + + +def inject_securetransport() -> None: + # Only relevant on macOS + if sys.platform != "darwin": + return + + try: + import ssl + except ImportError: + return + + # Checks for OpenSSL 1.0.1 + if ssl.OPENSSL_VERSION_NUMBER >= 0x1000100F: + return + + try: + from pip._vendor.urllib3.contrib import securetransport + except (ImportError, OSError): + return + + securetransport.inject_into_urllib3() + + +inject_securetransport() diff --git a/venv/Lib/site-packages/pip/_internal/utils/logging.py b/venv/Lib/site-packages/pip/_internal/utils/logging.py new file mode 100644 index 0000000..a4b828a --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/logging.py @@ -0,0 +1,358 @@ +import contextlib +import errno +import logging +import logging.handlers +import os +import sys +from logging import Filter +from typing import IO, Any, Callable, Iterator, Optional, TextIO, Type, cast + +from pip._internal.utils._log import VERBOSE, getLogger +from pip._internal.utils.compat import WINDOWS +from pip._internal.utils.deprecation import DEPRECATION_MSG_PREFIX +from pip._internal.utils.misc import ensure_dir + +try: + import threading +except ImportError: + import dummy_threading as threading # type: ignore + + +try: + from pip._vendor import colorama +# Lots of different errors can come from this, including SystemError and +# ImportError. +except Exception: + colorama = None + + +_log_state = threading.local() +subprocess_logger = getLogger("pip.subprocessor") + + +class BrokenStdoutLoggingError(Exception): + """ + Raised if BrokenPipeError occurs for the stdout stream while logging. + """ + + +def _is_broken_pipe_error(exc_class: Type[BaseException], exc: BaseException) -> bool: + if exc_class is BrokenPipeError: + return True + + # On Windows, a broken pipe can show up as EINVAL rather than EPIPE: + # https://bugs.python.org/issue19612 + # https://bugs.python.org/issue30418 + if not WINDOWS: + return False + + return isinstance(exc, OSError) and exc.errno in (errno.EINVAL, errno.EPIPE) + + +@contextlib.contextmanager +def indent_log(num: int = 2) -> Iterator[None]: + """ + A context manager which will cause the log output to be indented for any + log messages emitted inside it. + """ + # For thread-safety + _log_state.indentation = get_indentation() + _log_state.indentation += num + try: + yield + finally: + _log_state.indentation -= num + + +def get_indentation() -> int: + return getattr(_log_state, "indentation", 0) + + +class IndentingFormatter(logging.Formatter): + default_time_format = "%Y-%m-%dT%H:%M:%S" + + def __init__( + self, + *args: Any, + add_timestamp: bool = False, + **kwargs: Any, + ) -> None: + """ + A logging.Formatter that obeys the indent_log() context manager. + + :param add_timestamp: A bool indicating output lines should be prefixed + with their record's timestamp. + """ + self.add_timestamp = add_timestamp + super().__init__(*args, **kwargs) + + def get_message_start(self, formatted: str, levelno: int) -> str: + """ + Return the start of the formatted log message (not counting the + prefix to add to each line). + """ + if levelno < logging.WARNING: + return "" + if formatted.startswith(DEPRECATION_MSG_PREFIX): + # Then the message already has a prefix. We don't want it to + # look like "WARNING: DEPRECATION: ...." + return "" + if levelno < logging.ERROR: + return "WARNING: " + + return "ERROR: " + + def format(self, record: logging.LogRecord) -> str: + """ + Calls the standard formatter, but will indent all of the log message + lines by our current indentation level. + """ + formatted = super().format(record) + message_start = self.get_message_start(formatted, record.levelno) + formatted = message_start + formatted + + prefix = "" + if self.add_timestamp: + prefix = f"{self.formatTime(record)} " + prefix += " " * get_indentation() + formatted = "".join([prefix + line for line in formatted.splitlines(True)]) + return formatted + + +def _color_wrap(*colors: str) -> Callable[[str], str]: + def wrapped(inp: str) -> str: + return "".join(list(colors) + [inp, colorama.Style.RESET_ALL]) + + return wrapped + + +class ColorizedStreamHandler(logging.StreamHandler): + + # Don't build up a list of colors if we don't have colorama + if colorama: + COLORS = [ + # This needs to be in order from highest logging level to lowest. + (logging.ERROR, _color_wrap(colorama.Fore.RED)), + (logging.WARNING, _color_wrap(colorama.Fore.YELLOW)), + ] + else: + COLORS = [] + + def __init__(self, stream: Optional[TextIO] = None, no_color: bool = None) -> None: + super().__init__(stream) + self._no_color = no_color + + if WINDOWS and colorama: + self.stream = colorama.AnsiToWin32(self.stream) + + def _using_stdout(self) -> bool: + """ + Return whether the handler is using sys.stdout. + """ + if WINDOWS and colorama: + # Then self.stream is an AnsiToWin32 object. + stream = cast(colorama.AnsiToWin32, self.stream) + return stream.wrapped is sys.stdout + + return self.stream is sys.stdout + + def should_color(self) -> bool: + # Don't colorize things if we do not have colorama or if told not to + if not colorama or self._no_color: + return False + + real_stream = ( + self.stream + if not isinstance(self.stream, colorama.AnsiToWin32) + else self.stream.wrapped + ) + + # If the stream is a tty we should color it + if hasattr(real_stream, "isatty") and real_stream.isatty(): + return True + + # If we have an ANSI term we should color it + if os.environ.get("TERM") == "ANSI": + return True + + # If anything else we should not color it + return False + + def format(self, record: logging.LogRecord) -> str: + msg = super().format(record) + + if self.should_color(): + for level, color in self.COLORS: + if record.levelno >= level: + msg = color(msg) + break + + return msg + + # The logging module says handleError() can be customized. + def handleError(self, record: logging.LogRecord) -> None: + exc_class, exc = sys.exc_info()[:2] + # If a broken pipe occurred while calling write() or flush() on the + # stdout stream in logging's Handler.emit(), then raise our special + # exception so we can handle it in main() instead of logging the + # broken pipe error and continuing. + if ( + exc_class + and exc + and self._using_stdout() + and _is_broken_pipe_error(exc_class, exc) + ): + raise BrokenStdoutLoggingError() + + return super().handleError(record) + + +class BetterRotatingFileHandler(logging.handlers.RotatingFileHandler): + def _open(self) -> IO[Any]: + ensure_dir(os.path.dirname(self.baseFilename)) + return super()._open() + + +class MaxLevelFilter(Filter): + def __init__(self, level: int) -> None: + self.level = level + + def filter(self, record: logging.LogRecord) -> bool: + return record.levelno < self.level + + +class ExcludeLoggerFilter(Filter): + + """ + A logging Filter that excludes records from a logger (or its children). + """ + + def filter(self, record: logging.LogRecord) -> bool: + # The base Filter class allows only records from a logger (or its + # children). + return not super().filter(record) + + +def setup_logging(verbosity: int, no_color: bool, user_log_file: Optional[str]) -> int: + """Configures and sets up all of the logging + + Returns the requested logging level, as its integer value. + """ + + # Determine the level to be logging at. + if verbosity >= 2: + level_number = logging.DEBUG + elif verbosity == 1: + level_number = VERBOSE + elif verbosity == -1: + level_number = logging.WARNING + elif verbosity == -2: + level_number = logging.ERROR + elif verbosity <= -3: + level_number = logging.CRITICAL + else: + level_number = logging.INFO + + level = logging.getLevelName(level_number) + + # The "root" logger should match the "console" level *unless* we also need + # to log to a user log file. + include_user_log = user_log_file is not None + if include_user_log: + additional_log_file = user_log_file + root_level = "DEBUG" + else: + additional_log_file = "/dev/null" + root_level = level + + # Disable any logging besides WARNING unless we have DEBUG level logging + # enabled for vendored libraries. + vendored_log_level = "WARNING" if level in ["INFO", "ERROR"] else "DEBUG" + + # Shorthands for clarity + log_streams = { + "stdout": "ext://sys.stdout", + "stderr": "ext://sys.stderr", + } + handler_classes = { + "stream": "pip._internal.utils.logging.ColorizedStreamHandler", + "file": "pip._internal.utils.logging.BetterRotatingFileHandler", + } + handlers = ["console", "console_errors", "console_subprocess"] + ( + ["user_log"] if include_user_log else [] + ) + + logging.config.dictConfig( + { + "version": 1, + "disable_existing_loggers": False, + "filters": { + "exclude_warnings": { + "()": "pip._internal.utils.logging.MaxLevelFilter", + "level": logging.WARNING, + }, + "restrict_to_subprocess": { + "()": "logging.Filter", + "name": subprocess_logger.name, + }, + "exclude_subprocess": { + "()": "pip._internal.utils.logging.ExcludeLoggerFilter", + "name": subprocess_logger.name, + }, + }, + "formatters": { + "indent": { + "()": IndentingFormatter, + "format": "%(message)s", + }, + "indent_with_timestamp": { + "()": IndentingFormatter, + "format": "%(message)s", + "add_timestamp": True, + }, + }, + "handlers": { + "console": { + "level": level, + "class": handler_classes["stream"], + "no_color": no_color, + "stream": log_streams["stdout"], + "filters": ["exclude_subprocess", "exclude_warnings"], + "formatter": "indent", + }, + "console_errors": { + "level": "WARNING", + "class": handler_classes["stream"], + "no_color": no_color, + "stream": log_streams["stderr"], + "filters": ["exclude_subprocess"], + "formatter": "indent", + }, + # A handler responsible for logging to the console messages + # from the "subprocessor" logger. + "console_subprocess": { + "level": level, + "class": handler_classes["stream"], + "no_color": no_color, + "stream": log_streams["stderr"], + "filters": ["restrict_to_subprocess"], + "formatter": "indent", + }, + "user_log": { + "level": "DEBUG", + "class": handler_classes["file"], + "filename": additional_log_file, + "encoding": "utf-8", + "delay": True, + "formatter": "indent_with_timestamp", + }, + }, + "root": { + "level": root_level, + "handlers": handlers, + }, + "loggers": {"pip._vendor": {"level": vendored_log_level}}, + } + ) + + return level_number diff --git a/venv/Lib/site-packages/pip/_internal/utils/misc.py b/venv/Lib/site-packages/pip/_internal/utils/misc.py new file mode 100644 index 0000000..d3e9053 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/misc.py @@ -0,0 +1,689 @@ +# The following comment should be removed at some point in the future. +# mypy: strict-optional=False + +import contextlib +import errno +import getpass +import hashlib +import io +import logging +import os +import posixpath +import shutil +import stat +import sys +import urllib.parse +from io import StringIO +from itertools import filterfalse, tee, zip_longest +from types import TracebackType +from typing import ( + Any, + BinaryIO, + Callable, + ContextManager, + Iterable, + Iterator, + List, + Optional, + TextIO, + Tuple, + Type, + TypeVar, + cast, +) + +from pip._vendor.pkg_resources import Distribution +from pip._vendor.tenacity import retry, stop_after_delay, wait_fixed + +from pip import __version__ +from pip._internal.exceptions import CommandError +from pip._internal.locations import get_major_minor_version, site_packages, user_site +from pip._internal.utils.compat import WINDOWS +from pip._internal.utils.egg_link import egg_link_path_from_location +from pip._internal.utils.virtualenv import running_under_virtualenv + +__all__ = [ + "rmtree", + "display_path", + "backup_dir", + "ask", + "splitext", + "format_size", + "is_installable_dir", + "normalize_path", + "renames", + "get_prog", + "captured_stdout", + "ensure_dir", + "remove_auth_from_url", +] + + +logger = logging.getLogger(__name__) + +T = TypeVar("T") +ExcInfo = Tuple[Type[BaseException], BaseException, TracebackType] +VersionInfo = Tuple[int, int, int] +NetlocTuple = Tuple[str, Tuple[Optional[str], Optional[str]]] + + +def get_pip_version() -> str: + pip_pkg_dir = os.path.join(os.path.dirname(__file__), "..", "..") + pip_pkg_dir = os.path.abspath(pip_pkg_dir) + + return "pip {} from {} (python {})".format( + __version__, + pip_pkg_dir, + get_major_minor_version(), + ) + + +def normalize_version_info(py_version_info: Tuple[int, ...]) -> Tuple[int, int, int]: + """ + Convert a tuple of ints representing a Python version to one of length + three. + + :param py_version_info: a tuple of ints representing a Python version, + or None to specify no version. The tuple can have any length. + + :return: a tuple of length three if `py_version_info` is non-None. + Otherwise, return `py_version_info` unchanged (i.e. None). + """ + if len(py_version_info) < 3: + py_version_info += (3 - len(py_version_info)) * (0,) + elif len(py_version_info) > 3: + py_version_info = py_version_info[:3] + + return cast("VersionInfo", py_version_info) + + +def ensure_dir(path: str) -> None: + """os.path.makedirs without EEXIST.""" + try: + os.makedirs(path) + except OSError as e: + # Windows can raise spurious ENOTEMPTY errors. See #6426. + if e.errno != errno.EEXIST and e.errno != errno.ENOTEMPTY: + raise + + +def get_prog() -> str: + try: + prog = os.path.basename(sys.argv[0]) + if prog in ("__main__.py", "-c"): + return f"{sys.executable} -m pip" + else: + return prog + except (AttributeError, TypeError, IndexError): + pass + return "pip" + + +# Retry every half second for up to 3 seconds +# Tenacity raises RetryError by default, explicitly raise the original exception +@retry(reraise=True, stop=stop_after_delay(3), wait=wait_fixed(0.5)) +def rmtree(dir: str, ignore_errors: bool = False) -> None: + shutil.rmtree(dir, ignore_errors=ignore_errors, onerror=rmtree_errorhandler) + + +def rmtree_errorhandler(func: Callable[..., Any], path: str, exc_info: ExcInfo) -> None: + """On Windows, the files in .svn are read-only, so when rmtree() tries to + remove them, an exception is thrown. We catch that here, remove the + read-only attribute, and hopefully continue without problems.""" + try: + has_attr_readonly = not (os.stat(path).st_mode & stat.S_IWRITE) + except OSError: + # it's equivalent to os.path.exists + return + + if has_attr_readonly: + # convert to read/write + os.chmod(path, stat.S_IWRITE) + # use the original function to repeat the operation + func(path) + return + else: + raise + + +def display_path(path: str) -> str: + """Gives the display value for a given path, making it relative to cwd + if possible.""" + path = os.path.normcase(os.path.abspath(path)) + if path.startswith(os.getcwd() + os.path.sep): + path = "." + path[len(os.getcwd()) :] + return path + + +def backup_dir(dir: str, ext: str = ".bak") -> str: + """Figure out the name of a directory to back up the given dir to + (adding .bak, .bak2, etc)""" + n = 1 + extension = ext + while os.path.exists(dir + extension): + n += 1 + extension = ext + str(n) + return dir + extension + + +def ask_path_exists(message: str, options: Iterable[str]) -> str: + for action in os.environ.get("PIP_EXISTS_ACTION", "").split(): + if action in options: + return action + return ask(message, options) + + +def _check_no_input(message: str) -> None: + """Raise an error if no input is allowed.""" + if os.environ.get("PIP_NO_INPUT"): + raise Exception( + f"No input was expected ($PIP_NO_INPUT set); question: {message}" + ) + + +def ask(message: str, options: Iterable[str]) -> str: + """Ask the message interactively, with the given possible responses""" + while 1: + _check_no_input(message) + response = input(message) + response = response.strip().lower() + if response not in options: + print( + "Your response ({!r}) was not one of the expected responses: " + "{}".format(response, ", ".join(options)) + ) + else: + return response + + +def ask_input(message: str) -> str: + """Ask for input interactively.""" + _check_no_input(message) + return input(message) + + +def ask_password(message: str) -> str: + """Ask for a password interactively.""" + _check_no_input(message) + return getpass.getpass(message) + + +def strtobool(val: str) -> int: + """Convert a string representation of truth to true (1) or false (0). + + True values are 'y', 'yes', 't', 'true', 'on', and '1'; false values + are 'n', 'no', 'f', 'false', 'off', and '0'. Raises ValueError if + 'val' is anything else. + """ + val = val.lower() + if val in ("y", "yes", "t", "true", "on", "1"): + return 1 + elif val in ("n", "no", "f", "false", "off", "0"): + return 0 + else: + raise ValueError(f"invalid truth value {val!r}") + + +def format_size(bytes: float) -> str: + if bytes > 1000 * 1000: + return "{:.1f} MB".format(bytes / 1000.0 / 1000) + elif bytes > 10 * 1000: + return "{} kB".format(int(bytes / 1000)) + elif bytes > 1000: + return "{:.1f} kB".format(bytes / 1000.0) + else: + return "{} bytes".format(int(bytes)) + + +def tabulate(rows: Iterable[Iterable[Any]]) -> Tuple[List[str], List[int]]: + """Return a list of formatted rows and a list of column sizes. + + For example:: + + >>> tabulate([['foobar', 2000], [0xdeadbeef]]) + (['foobar 2000', '3735928559'], [10, 4]) + """ + rows = [tuple(map(str, row)) for row in rows] + sizes = [max(map(len, col)) for col in zip_longest(*rows, fillvalue="")] + table = [" ".join(map(str.ljust, row, sizes)).rstrip() for row in rows] + return table, sizes + + +def is_installable_dir(path: str) -> bool: + """Is path is a directory containing pyproject.toml or setup.py? + + If pyproject.toml exists, this is a PEP 517 project. Otherwise we look for + a legacy setuptools layout by identifying setup.py. We don't check for the + setup.cfg because using it without setup.py is only available for PEP 517 + projects, which are already covered by the pyproject.toml check. + """ + if not os.path.isdir(path): + return False + if os.path.isfile(os.path.join(path, "pyproject.toml")): + return True + if os.path.isfile(os.path.join(path, "setup.py")): + return True + return False + + +def read_chunks(file: BinaryIO, size: int = io.DEFAULT_BUFFER_SIZE) -> Iterator[bytes]: + """Yield pieces of data from a file-like object until EOF.""" + while True: + chunk = file.read(size) + if not chunk: + break + yield chunk + + +def normalize_path(path: str, resolve_symlinks: bool = True) -> str: + """ + Convert a path to its canonical, case-normalized, absolute version. + + """ + path = os.path.expanduser(path) + if resolve_symlinks: + path = os.path.realpath(path) + else: + path = os.path.abspath(path) + return os.path.normcase(path) + + +def splitext(path: str) -> Tuple[str, str]: + """Like os.path.splitext, but take off .tar too""" + base, ext = posixpath.splitext(path) + if base.lower().endswith(".tar"): + ext = base[-4:] + ext + base = base[:-4] + return base, ext + + +def renames(old: str, new: str) -> None: + """Like os.renames(), but handles renaming across devices.""" + # Implementation borrowed from os.renames(). + head, tail = os.path.split(new) + if head and tail and not os.path.exists(head): + os.makedirs(head) + + shutil.move(old, new) + + head, tail = os.path.split(old) + if head and tail: + try: + os.removedirs(head) + except OSError: + pass + + +def is_local(path: str) -> bool: + """ + Return True if path is within sys.prefix, if we're running in a virtualenv. + + If we're not in a virtualenv, all paths are considered "local." + + Caution: this function assumes the head of path has been normalized + with normalize_path. + """ + if not running_under_virtualenv(): + return True + return path.startswith(normalize_path(sys.prefix)) + + +def dist_is_local(dist: Distribution) -> bool: + """ + Return True if given Distribution object is installed locally + (i.e. within current virtualenv). + + Always True if we're not in a virtualenv. + + """ + return is_local(dist_location(dist)) + + +def dist_in_usersite(dist: Distribution) -> bool: + """ + Return True if given Distribution is installed in user site. + """ + return dist_location(dist).startswith(normalize_path(user_site)) + + +def dist_in_site_packages(dist: Distribution) -> bool: + """ + Return True if given Distribution is installed in + sysconfig.get_python_lib(). + """ + return dist_location(dist).startswith(normalize_path(site_packages)) + + +def get_distribution(req_name: str) -> Optional[Distribution]: + """Given a requirement name, return the installed Distribution object. + + This searches from *all* distributions available in the environment, to + match the behavior of ``pkg_resources.get_distribution()``. + + Left for compatibility until direct pkg_resources uses are refactored out. + """ + from pip._internal.metadata import get_default_environment + from pip._internal.metadata.pkg_resources import Distribution as _Dist + + dist = get_default_environment().get_distribution(req_name) + if dist is None: + return None + return cast(_Dist, dist)._dist + + +def dist_location(dist: Distribution) -> str: + """ + Get the site-packages location of this distribution. Generally + this is dist.location, except in the case of develop-installed + packages, where dist.location is the source code location, and we + want to know where the egg-link file is. + + The returned location is normalized (in particular, with symlinks removed). + """ + egg_link = egg_link_path_from_location(dist.project_name) + if egg_link: + return normalize_path(egg_link) + return normalize_path(dist.location) + + +def write_output(msg: Any, *args: Any) -> None: + logger.info(msg, *args) + + +class StreamWrapper(StringIO): + orig_stream: TextIO = None + + @classmethod + def from_stream(cls, orig_stream: TextIO) -> "StreamWrapper": + cls.orig_stream = orig_stream + return cls() + + # compileall.compile_dir() needs stdout.encoding to print to stdout + # https://github.com/python/mypy/issues/4125 + @property + def encoding(self): # type: ignore + return self.orig_stream.encoding + + +@contextlib.contextmanager +def captured_output(stream_name: str) -> Iterator[StreamWrapper]: + """Return a context manager used by captured_stdout/stdin/stderr + that temporarily replaces the sys stream *stream_name* with a StringIO. + + Taken from Lib/support/__init__.py in the CPython repo. + """ + orig_stdout = getattr(sys, stream_name) + setattr(sys, stream_name, StreamWrapper.from_stream(orig_stdout)) + try: + yield getattr(sys, stream_name) + finally: + setattr(sys, stream_name, orig_stdout) + + +def captured_stdout() -> ContextManager[StreamWrapper]: + """Capture the output of sys.stdout: + + with captured_stdout() as stdout: + print('hello') + self.assertEqual(stdout.getvalue(), 'hello\n') + + Taken from Lib/support/__init__.py in the CPython repo. + """ + return captured_output("stdout") + + +def captured_stderr() -> ContextManager[StreamWrapper]: + """ + See captured_stdout(). + """ + return captured_output("stderr") + + +# Simulates an enum +def enum(*sequential: Any, **named: Any) -> Type[Any]: + enums = dict(zip(sequential, range(len(sequential))), **named) + reverse = {value: key for key, value in enums.items()} + enums["reverse_mapping"] = reverse + return type("Enum", (), enums) + + +def build_netloc(host: str, port: Optional[int]) -> str: + """ + Build a netloc from a host-port pair + """ + if port is None: + return host + if ":" in host: + # Only wrap host with square brackets when it is IPv6 + host = f"[{host}]" + return f"{host}:{port}" + + +def build_url_from_netloc(netloc: str, scheme: str = "https") -> str: + """ + Build a full URL from a netloc. + """ + if netloc.count(":") >= 2 and "@" not in netloc and "[" not in netloc: + # It must be a bare IPv6 address, so wrap it with brackets. + netloc = f"[{netloc}]" + return f"{scheme}://{netloc}" + + +def parse_netloc(netloc: str) -> Tuple[str, Optional[int]]: + """ + Return the host-port pair from a netloc. + """ + url = build_url_from_netloc(netloc) + parsed = urllib.parse.urlparse(url) + return parsed.hostname, parsed.port + + +def split_auth_from_netloc(netloc: str) -> NetlocTuple: + """ + Parse out and remove the auth information from a netloc. + + Returns: (netloc, (username, password)). + """ + if "@" not in netloc: + return netloc, (None, None) + + # Split from the right because that's how urllib.parse.urlsplit() + # behaves if more than one @ is present (which can be checked using + # the password attribute of urlsplit()'s return value). + auth, netloc = netloc.rsplit("@", 1) + pw: Optional[str] = None + if ":" in auth: + # Split from the left because that's how urllib.parse.urlsplit() + # behaves if more than one : is present (which again can be checked + # using the password attribute of the return value) + user, pw = auth.split(":", 1) + else: + user, pw = auth, None + + user = urllib.parse.unquote(user) + if pw is not None: + pw = urllib.parse.unquote(pw) + + return netloc, (user, pw) + + +def redact_netloc(netloc: str) -> str: + """ + Replace the sensitive data in a netloc with "****", if it exists. + + For example: + - "user:pass@example.com" returns "user:****@example.com" + - "accesstoken@example.com" returns "****@example.com" + """ + netloc, (user, password) = split_auth_from_netloc(netloc) + if user is None: + return netloc + if password is None: + user = "****" + password = "" + else: + user = urllib.parse.quote(user) + password = ":****" + return "{user}{password}@{netloc}".format( + user=user, password=password, netloc=netloc + ) + + +def _transform_url( + url: str, transform_netloc: Callable[[str], Tuple[Any, ...]] +) -> Tuple[str, NetlocTuple]: + """Transform and replace netloc in a url. + + transform_netloc is a function taking the netloc and returning a + tuple. The first element of this tuple is the new netloc. The + entire tuple is returned. + + Returns a tuple containing the transformed url as item 0 and the + original tuple returned by transform_netloc as item 1. + """ + purl = urllib.parse.urlsplit(url) + netloc_tuple = transform_netloc(purl.netloc) + # stripped url + url_pieces = (purl.scheme, netloc_tuple[0], purl.path, purl.query, purl.fragment) + surl = urllib.parse.urlunsplit(url_pieces) + return surl, cast("NetlocTuple", netloc_tuple) + + +def _get_netloc(netloc: str) -> NetlocTuple: + return split_auth_from_netloc(netloc) + + +def _redact_netloc(netloc: str) -> Tuple[str]: + return (redact_netloc(netloc),) + + +def split_auth_netloc_from_url(url: str) -> Tuple[str, str, Tuple[str, str]]: + """ + Parse a url into separate netloc, auth, and url with no auth. + + Returns: (url_without_auth, netloc, (username, password)) + """ + url_without_auth, (netloc, auth) = _transform_url(url, _get_netloc) + return url_without_auth, netloc, auth + + +def remove_auth_from_url(url: str) -> str: + """Return a copy of url with 'username:password@' removed.""" + # username/pass params are passed to subversion through flags + # and are not recognized in the url. + return _transform_url(url, _get_netloc)[0] + + +def redact_auth_from_url(url: str) -> str: + """Replace the password in a given url with ****.""" + return _transform_url(url, _redact_netloc)[0] + + +class HiddenText: + def __init__(self, secret: str, redacted: str) -> None: + self.secret = secret + self.redacted = redacted + + def __repr__(self) -> str: + return "<HiddenText {!r}>".format(str(self)) + + def __str__(self) -> str: + return self.redacted + + # This is useful for testing. + def __eq__(self, other: Any) -> bool: + if type(self) != type(other): + return False + + # The string being used for redaction doesn't also have to match, + # just the raw, original string. + return self.secret == other.secret + + +def hide_value(value: str) -> HiddenText: + return HiddenText(value, redacted="****") + + +def hide_url(url: str) -> HiddenText: + redacted = redact_auth_from_url(url) + return HiddenText(url, redacted=redacted) + + +def protect_pip_from_modification_on_windows(modifying_pip: bool) -> None: + """Protection of pip.exe from modification on Windows + + On Windows, any operation modifying pip should be run as: + python -m pip ... + """ + pip_names = [ + "pip.exe", + "pip{}.exe".format(sys.version_info[0]), + "pip{}.{}.exe".format(*sys.version_info[:2]), + ] + + # See https://github.com/pypa/pip/issues/1299 for more discussion + should_show_use_python_msg = ( + modifying_pip and WINDOWS and os.path.basename(sys.argv[0]) in pip_names + ) + + if should_show_use_python_msg: + new_command = [sys.executable, "-m", "pip"] + sys.argv[1:] + raise CommandError( + "To modify pip, please run the following command:\n{}".format( + " ".join(new_command) + ) + ) + + +def is_console_interactive() -> bool: + """Is this console interactive?""" + return sys.stdin is not None and sys.stdin.isatty() + + +def hash_file(path: str, blocksize: int = 1 << 20) -> Tuple[Any, int]: + """Return (hash, length) for path using hashlib.sha256()""" + + h = hashlib.sha256() + length = 0 + with open(path, "rb") as f: + for block in read_chunks(f, size=blocksize): + length += len(block) + h.update(block) + return h, length + + +def is_wheel_installed() -> bool: + """ + Return whether the wheel package is installed. + """ + try: + import wheel # noqa: F401 + except ImportError: + return False + + return True + + +def pairwise(iterable: Iterable[Any]) -> Iterator[Tuple[Any, Any]]: + """ + Return paired elements. + + For example: + s -> (s0, s1), (s2, s3), (s4, s5), ... + """ + iterable = iter(iterable) + return zip_longest(iterable, iterable) + + +def partition( + pred: Callable[[T], bool], + iterable: Iterable[T], +) -> Tuple[Iterable[T], Iterable[T]]: + """ + Use a predicate to partition entries into false entries and true entries, + like + + partition(is_odd, range(10)) --> 0 2 4 6 8 and 1 3 5 7 9 + """ + t1, t2 = tee(iterable) + return filterfalse(pred, t1), filter(pred, t2) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/models.py b/venv/Lib/site-packages/pip/_internal/utils/models.py similarity index 50% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/models.py rename to venv/Lib/site-packages/pip/_internal/utils/models.py index d5cb80a..b6bb21a 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_internal/utils/models.py +++ b/venv/Lib/site-packages/pip/_internal/utils/models.py @@ -2,38 +2,37 @@ """ import operator +from typing import Any, Callable, Type -class KeyBasedCompareMixin(object): - """Provides comparision capabilities that is based on a key - """ +class KeyBasedCompareMixin: + """Provides comparison capabilities that is based on a key""" - def __init__(self, key, defining_class): + __slots__ = ["_compare_key", "_defining_class"] + + def __init__(self, key: Any, defining_class: Type["KeyBasedCompareMixin"]) -> None: self._compare_key = key self._defining_class = defining_class - def __hash__(self): + def __hash__(self) -> int: return hash(self._compare_key) - def __lt__(self, other): + def __lt__(self, other: Any) -> bool: return self._compare(other, operator.__lt__) - def __le__(self, other): + def __le__(self, other: Any) -> bool: return self._compare(other, operator.__le__) - def __gt__(self, other): + def __gt__(self, other: Any) -> bool: return self._compare(other, operator.__gt__) - def __ge__(self, other): + def __ge__(self, other: Any) -> bool: return self._compare(other, operator.__ge__) - def __eq__(self, other): + def __eq__(self, other: Any) -> bool: return self._compare(other, operator.__eq__) - def __ne__(self, other): - return self._compare(other, operator.__ne__) - - def _compare(self, other, method): + def _compare(self, other: Any, method: Callable[[Any, Any], bool]) -> bool: if not isinstance(other, self._defining_class): return NotImplemented diff --git a/venv/Lib/site-packages/pip/_internal/utils/packaging.py b/venv/Lib/site-packages/pip/_internal/utils/packaging.py new file mode 100644 index 0000000..f100473 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/packaging.py @@ -0,0 +1,84 @@ +import functools +import logging +from email.message import Message +from email.parser import FeedParser +from typing import Optional, Tuple + +from pip._vendor import pkg_resources +from pip._vendor.packaging import specifiers, version +from pip._vendor.packaging.requirements import Requirement +from pip._vendor.pkg_resources import Distribution + +from pip._internal.exceptions import NoneMetadataError +from pip._internal.utils.misc import display_path + +logger = logging.getLogger(__name__) + + +def check_requires_python( + requires_python: Optional[str], version_info: Tuple[int, ...] +) -> bool: + """ + Check if the given Python version matches a "Requires-Python" specifier. + + :param version_info: A 3-tuple of ints representing a Python + major-minor-micro version to check (e.g. `sys.version_info[:3]`). + + :return: `True` if the given Python version satisfies the requirement. + Otherwise, return `False`. + + :raises InvalidSpecifier: If `requires_python` has an invalid format. + """ + if requires_python is None: + # The package provides no information + return True + requires_python_specifier = specifiers.SpecifierSet(requires_python) + + python_version = version.parse(".".join(map(str, version_info))) + return python_version in requires_python_specifier + + +def get_metadata(dist: Distribution) -> Message: + """ + :raises NoneMetadataError: if the distribution reports `has_metadata()` + True but `get_metadata()` returns None. + """ + metadata_name = "METADATA" + if isinstance(dist, pkg_resources.DistInfoDistribution) and dist.has_metadata( + metadata_name + ): + metadata = dist.get_metadata(metadata_name) + elif dist.has_metadata("PKG-INFO"): + metadata_name = "PKG-INFO" + metadata = dist.get_metadata(metadata_name) + else: + logger.warning("No metadata found in %s", display_path(dist.location)) + metadata = "" + + if metadata is None: + raise NoneMetadataError(dist, metadata_name) + + feed_parser = FeedParser() + # The following line errors out if with a "NoneType" TypeError if + # passed metadata=None. + feed_parser.feed(metadata) + return feed_parser.close() + + +def get_installer(dist: Distribution) -> str: + if dist.has_metadata("INSTALLER"): + for line in dist.get_metadata_lines("INSTALLER"): + if line.strip(): + return line.strip() + return "" + + +@functools.lru_cache(maxsize=512) +def get_requirement(req_string: str) -> Requirement: + """Construct a packaging.Requirement object with caching""" + # Parsing requirement strings is expensive, and is also expected to happen + # with a low diversity of different arguments (at least relative the number + # constructed). This method adds a cache to requirement object creation to + # minimize repeated parsing of the same string to construct equivalent + # Requirement objects. + return Requirement(req_string) diff --git a/venv/Lib/site-packages/pip/_internal/utils/parallel.py b/venv/Lib/site-packages/pip/_internal/utils/parallel.py new file mode 100644 index 0000000..e318577 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/parallel.py @@ -0,0 +1,103 @@ +"""Convenient parallelization of higher order functions. + +This module provides two helper functions, with appropriate fallbacks on +Python 2 and on systems lacking support for synchronization mechanisms: + +- map_multiprocess +- map_multithread + +These helpers work like Python 3's map, with two differences: + +- They don't guarantee the order of processing of + the elements of the iterable. +- The underlying process/thread pools chop the iterable into + a number of chunks, so that for very long iterables using + a large value for chunksize can make the job complete much faster + than using the default value of 1. +""" + +__all__ = ["map_multiprocess", "map_multithread"] + +from contextlib import contextmanager +from multiprocessing import Pool as ProcessPool +from multiprocessing import pool +from multiprocessing.dummy import Pool as ThreadPool +from typing import Callable, Iterable, Iterator, TypeVar, Union + +from pip._vendor.requests.adapters import DEFAULT_POOLSIZE + +Pool = Union[pool.Pool, pool.ThreadPool] +S = TypeVar("S") +T = TypeVar("T") + +# On platforms without sem_open, multiprocessing[.dummy] Pool +# cannot be created. +try: + import multiprocessing.synchronize # noqa +except ImportError: + LACK_SEM_OPEN = True +else: + LACK_SEM_OPEN = False + +# Incredibly large timeout to work around bpo-8296 on Python 2. +TIMEOUT = 2000000 + + +@contextmanager +def closing(pool: Pool) -> Iterator[Pool]: + """Return a context manager making sure the pool closes properly.""" + try: + yield pool + finally: + # For Pool.imap*, close and join are needed + # for the returned iterator to begin yielding. + pool.close() + pool.join() + pool.terminate() + + +def _map_fallback( + func: Callable[[S], T], iterable: Iterable[S], chunksize: int = 1 +) -> Iterator[T]: + """Make an iterator applying func to each element in iterable. + + This function is the sequential fallback either on Python 2 + where Pool.imap* doesn't react to KeyboardInterrupt + or when sem_open is unavailable. + """ + return map(func, iterable) + + +def _map_multiprocess( + func: Callable[[S], T], iterable: Iterable[S], chunksize: int = 1 +) -> Iterator[T]: + """Chop iterable into chunks and submit them to a process pool. + + For very long iterables using a large value for chunksize can make + the job complete much faster than using the default value of 1. + + Return an unordered iterator of the results. + """ + with closing(ProcessPool()) as pool: + return pool.imap_unordered(func, iterable, chunksize) + + +def _map_multithread( + func: Callable[[S], T], iterable: Iterable[S], chunksize: int = 1 +) -> Iterator[T]: + """Chop iterable into chunks and submit them to a thread pool. + + For very long iterables using a large value for chunksize can make + the job complete much faster than using the default value of 1. + + Return an unordered iterator of the results. + """ + with closing(ThreadPool(DEFAULT_POOLSIZE)) as pool: + return pool.imap_unordered(func, iterable, chunksize) + + +if LACK_SEM_OPEN: + map_multiprocess = map_multithread = _map_fallback +else: + map_multiprocess = _map_multiprocess + map_multithread = _map_multithread diff --git a/venv/Lib/site-packages/pip/_internal/utils/pkg_resources.py b/venv/Lib/site-packages/pip/_internal/utils/pkg_resources.py new file mode 100644 index 0000000..bd846aa --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/pkg_resources.py @@ -0,0 +1,33 @@ +from typing import Dict, Iterable, List + +from pip._vendor.pkg_resources import yield_lines + + +class DictMetadata: + """IMetadataProvider that reads metadata files from a dictionary.""" + + def __init__(self, metadata: Dict[str, bytes]) -> None: + self._metadata = metadata + + def has_metadata(self, name: str) -> bool: + return name in self._metadata + + def get_metadata(self, name: str) -> str: + try: + return self._metadata[name].decode() + except UnicodeDecodeError as e: + # Mirrors handling done in pkg_resources.NullProvider. + e.reason += f" in {name} file" + raise + + def get_metadata_lines(self, name: str) -> Iterable[str]: + return yield_lines(self.get_metadata(name)) + + def metadata_isdir(self, name: str) -> bool: + return False + + def metadata_listdir(self, name: str) -> List[str]: + return [] + + def run_script(self, script_name: str, namespace: str) -> None: + pass diff --git a/venv/Lib/site-packages/pip/_internal/utils/setuptools_build.py b/venv/Lib/site-packages/pip/_internal/utils/setuptools_build.py new file mode 100644 index 0000000..9d65ceb --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/setuptools_build.py @@ -0,0 +1,167 @@ +import sys +from typing import List, Optional, Sequence + +# Shim to wrap setup.py invocation with setuptools +# +# We set sys.argv[0] to the path to the underlying setup.py file so +# setuptools / distutils don't take the path to the setup.py to be "-c" when +# invoking via the shim. This avoids e.g. the following manifest_maker +# warning: "warning: manifest_maker: standard file '-c' not found". +_SETUPTOOLS_SHIM = ( + "import io, os, sys, setuptools, tokenize; sys.argv[0] = {0!r}; __file__={0!r};" + "f = getattr(tokenize, 'open', open)(__file__) " + "if os.path.exists(__file__) " + "else io.StringIO('from setuptools import setup; setup()');" + "code = f.read().replace('\\r\\n', '\\n');" + "f.close();" + "exec(compile(code, __file__, 'exec'))" +) + + +def make_setuptools_shim_args( + setup_py_path: str, + global_options: Sequence[str] = None, + no_user_config: bool = False, + unbuffered_output: bool = False, +) -> List[str]: + """ + Get setuptools command arguments with shim wrapped setup file invocation. + + :param setup_py_path: The path to setup.py to be wrapped. + :param global_options: Additional global options. + :param no_user_config: If True, disables personal user configuration. + :param unbuffered_output: If True, adds the unbuffered switch to the + argument list. + """ + args = [sys.executable] + if unbuffered_output: + args += ["-u"] + args += ["-c", _SETUPTOOLS_SHIM.format(setup_py_path)] + if global_options: + args += global_options + if no_user_config: + args += ["--no-user-cfg"] + return args + + +def make_setuptools_bdist_wheel_args( + setup_py_path: str, + global_options: Sequence[str], + build_options: Sequence[str], + destination_dir: str, +) -> List[str]: + # NOTE: Eventually, we'd want to also -S to the flags here, when we're + # isolating. Currently, it breaks Python in virtualenvs, because it + # relies on site.py to find parts of the standard library outside the + # virtualenv. + args = make_setuptools_shim_args( + setup_py_path, global_options=global_options, unbuffered_output=True + ) + args += ["bdist_wheel", "-d", destination_dir] + args += build_options + return args + + +def make_setuptools_clean_args( + setup_py_path: str, + global_options: Sequence[str], +) -> List[str]: + args = make_setuptools_shim_args( + setup_py_path, global_options=global_options, unbuffered_output=True + ) + args += ["clean", "--all"] + return args + + +def make_setuptools_develop_args( + setup_py_path: str, + global_options: Sequence[str], + install_options: Sequence[str], + no_user_config: bool, + prefix: Optional[str], + home: Optional[str], + use_user_site: bool, +) -> List[str]: + assert not (use_user_site and prefix) + + args = make_setuptools_shim_args( + setup_py_path, + global_options=global_options, + no_user_config=no_user_config, + ) + + args += ["develop", "--no-deps"] + + args += install_options + + if prefix: + args += ["--prefix", prefix] + if home is not None: + args += ["--install-dir", home] + + if use_user_site: + args += ["--user", "--prefix="] + + return args + + +def make_setuptools_egg_info_args( + setup_py_path: str, + egg_info_dir: Optional[str], + no_user_config: bool, +) -> List[str]: + args = make_setuptools_shim_args(setup_py_path, no_user_config=no_user_config) + + args += ["egg_info"] + + if egg_info_dir: + args += ["--egg-base", egg_info_dir] + + return args + + +def make_setuptools_install_args( + setup_py_path: str, + global_options: Sequence[str], + install_options: Sequence[str], + record_filename: str, + root: Optional[str], + prefix: Optional[str], + header_dir: Optional[str], + home: Optional[str], + use_user_site: bool, + no_user_config: bool, + pycompile: bool, +) -> List[str]: + assert not (use_user_site and prefix) + assert not (use_user_site and root) + + args = make_setuptools_shim_args( + setup_py_path, + global_options=global_options, + no_user_config=no_user_config, + unbuffered_output=True, + ) + args += ["install", "--record", record_filename] + args += ["--single-version-externally-managed"] + + if root is not None: + args += ["--root", root] + if prefix is not None: + args += ["--prefix", prefix] + if home is not None: + args += ["--home", home] + if use_user_site: + args += ["--user", "--prefix="] + + if pycompile: + args += ["--compile"] + else: + args += ["--no-compile"] + + if header_dir: + args += ["--install-headers", header_dir] + + args += install_options + + return args diff --git a/venv/Lib/site-packages/pip/_internal/utils/subprocess.py b/venv/Lib/site-packages/pip/_internal/utils/subprocess.py new file mode 100644 index 0000000..f6e8b21 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/subprocess.py @@ -0,0 +1,289 @@ +import logging +import os +import shlex +import subprocess +from typing import ( + TYPE_CHECKING, + Any, + Callable, + Iterable, + List, + Mapping, + Optional, + Union, +) + +from pip._internal.cli.spinners import SpinnerInterface, open_spinner +from pip._internal.exceptions import InstallationSubprocessError +from pip._internal.utils.logging import VERBOSE, subprocess_logger +from pip._internal.utils.misc import HiddenText + +if TYPE_CHECKING: + # Literal was introduced in Python 3.8. + # + # TODO: Remove `if TYPE_CHECKING` when dropping support for Python 3.7. + from typing import Literal + +CommandArgs = List[Union[str, HiddenText]] + + +LOG_DIVIDER = "----------------------------------------" + + +def make_command(*args: Union[str, HiddenText, CommandArgs]) -> CommandArgs: + """ + Create a CommandArgs object. + """ + command_args: CommandArgs = [] + for arg in args: + # Check for list instead of CommandArgs since CommandArgs is + # only known during type-checking. + if isinstance(arg, list): + command_args.extend(arg) + else: + # Otherwise, arg is str or HiddenText. + command_args.append(arg) + + return command_args + + +def format_command_args(args: Union[List[str], CommandArgs]) -> str: + """ + Format command arguments for display. + """ + # For HiddenText arguments, display the redacted form by calling str(). + # Also, we don't apply str() to arguments that aren't HiddenText since + # this can trigger a UnicodeDecodeError in Python 2 if the argument + # has type unicode and includes a non-ascii character. (The type + # checker doesn't ensure the annotations are correct in all cases.) + return " ".join( + shlex.quote(str(arg)) if isinstance(arg, HiddenText) else shlex.quote(arg) + for arg in args + ) + + +def reveal_command_args(args: Union[List[str], CommandArgs]) -> List[str]: + """ + Return the arguments in their raw, unredacted form. + """ + return [arg.secret if isinstance(arg, HiddenText) else arg for arg in args] + + +def make_subprocess_output_error( + cmd_args: Union[List[str], CommandArgs], + cwd: Optional[str], + lines: List[str], + exit_status: int, +) -> str: + """ + Create and return the error message to use to log a subprocess error + with command output. + + :param lines: A list of lines, each ending with a newline. + """ + command = format_command_args(cmd_args) + + # We know the joined output value ends in a newline. + output = "".join(lines) + msg = ( + # Use a unicode string to avoid "UnicodeEncodeError: 'ascii' + # codec can't encode character ..." in Python 2 when a format + # argument (e.g. `output`) has a non-ascii character. + "Command errored out with exit status {exit_status}:\n" + " command: {command_display}\n" + " cwd: {cwd_display}\n" + "Complete output ({line_count} lines):\n{output}{divider}" + ).format( + exit_status=exit_status, + command_display=command, + cwd_display=cwd, + line_count=len(lines), + output=output, + divider=LOG_DIVIDER, + ) + return msg + + +def call_subprocess( + cmd: Union[List[str], CommandArgs], + show_stdout: bool = False, + cwd: Optional[str] = None, + on_returncode: 'Literal["raise", "warn", "ignore"]' = "raise", + extra_ok_returncodes: Optional[Iterable[int]] = None, + command_desc: Optional[str] = None, + extra_environ: Optional[Mapping[str, Any]] = None, + unset_environ: Optional[Iterable[str]] = None, + spinner: Optional[SpinnerInterface] = None, + log_failed_cmd: Optional[bool] = True, + stdout_only: Optional[bool] = False, +) -> str: + """ + Args: + show_stdout: if true, use INFO to log the subprocess's stderr and + stdout streams. Otherwise, use DEBUG. Defaults to False. + extra_ok_returncodes: an iterable of integer return codes that are + acceptable, in addition to 0. Defaults to None, which means []. + unset_environ: an iterable of environment variable names to unset + prior to calling subprocess.Popen(). + log_failed_cmd: if false, failed commands are not logged, only raised. + stdout_only: if true, return only stdout, else return both. When true, + logging of both stdout and stderr occurs when the subprocess has + terminated, else logging occurs as subprocess output is produced. + """ + if extra_ok_returncodes is None: + extra_ok_returncodes = [] + if unset_environ is None: + unset_environ = [] + # Most places in pip use show_stdout=False. What this means is-- + # + # - We connect the child's output (combined stderr and stdout) to a + # single pipe, which we read. + # - We log this output to stderr at DEBUG level as it is received. + # - If DEBUG logging isn't enabled (e.g. if --verbose logging wasn't + # requested), then we show a spinner so the user can still see the + # subprocess is in progress. + # - If the subprocess exits with an error, we log the output to stderr + # at ERROR level if it hasn't already been displayed to the console + # (e.g. if --verbose logging wasn't enabled). This way we don't log + # the output to the console twice. + # + # If show_stdout=True, then the above is still done, but with DEBUG + # replaced by INFO. + if show_stdout: + # Then log the subprocess output at INFO level. + log_subprocess = subprocess_logger.info + used_level = logging.INFO + else: + # Then log the subprocess output using VERBOSE. This also ensures + # it will be logged to the log file (aka user_log), if enabled. + log_subprocess = subprocess_logger.verbose + used_level = VERBOSE + + # Whether the subprocess will be visible in the console. + showing_subprocess = subprocess_logger.getEffectiveLevel() <= used_level + + # Only use the spinner if we're not showing the subprocess output + # and we have a spinner. + use_spinner = not showing_subprocess and spinner is not None + + if command_desc is None: + command_desc = format_command_args(cmd) + + log_subprocess("Running command %s", command_desc) + env = os.environ.copy() + if extra_environ: + env.update(extra_environ) + for name in unset_environ: + env.pop(name, None) + try: + proc = subprocess.Popen( + # Convert HiddenText objects to the underlying str. + reveal_command_args(cmd), + stdin=subprocess.PIPE, + stdout=subprocess.PIPE, + stderr=subprocess.STDOUT if not stdout_only else subprocess.PIPE, + cwd=cwd, + env=env, + errors="backslashreplace", + ) + except Exception as exc: + if log_failed_cmd: + subprocess_logger.critical( + "Error %s while executing command %s", + exc, + command_desc, + ) + raise + all_output = [] + if not stdout_only: + assert proc.stdout + assert proc.stdin + proc.stdin.close() + # In this mode, stdout and stderr are in the same pipe. + while True: + line: str = proc.stdout.readline() + if not line: + break + line = line.rstrip() + all_output.append(line + "\n") + + # Show the line immediately. + log_subprocess(line) + # Update the spinner. + if use_spinner: + assert spinner + spinner.spin() + try: + proc.wait() + finally: + if proc.stdout: + proc.stdout.close() + output = "".join(all_output) + else: + # In this mode, stdout and stderr are in different pipes. + # We must use communicate() which is the only safe way to read both. + out, err = proc.communicate() + # log line by line to preserve pip log indenting + for out_line in out.splitlines(): + log_subprocess(out_line) + all_output.append(out) + for err_line in err.splitlines(): + log_subprocess(err_line) + all_output.append(err) + output = out + + proc_had_error = proc.returncode and proc.returncode not in extra_ok_returncodes + if use_spinner: + assert spinner + if proc_had_error: + spinner.finish("error") + else: + spinner.finish("done") + if proc_had_error: + if on_returncode == "raise": + if not showing_subprocess and log_failed_cmd: + # Then the subprocess streams haven't been logged to the + # console yet. + msg = make_subprocess_output_error( + cmd_args=cmd, + cwd=cwd, + lines=all_output, + exit_status=proc.returncode, + ) + subprocess_logger.error(msg) + raise InstallationSubprocessError(proc.returncode, command_desc) + elif on_returncode == "warn": + subprocess_logger.warning( + 'Command "%s" had error code %s in %s', + command_desc, + proc.returncode, + cwd, + ) + elif on_returncode == "ignore": + pass + else: + raise ValueError(f"Invalid value: on_returncode={on_returncode!r}") + return output + + +def runner_with_spinner_message(message: str) -> Callable[..., None]: + """Provide a subprocess_runner that shows a spinner message. + + Intended for use with for pep517's Pep517HookCaller. Thus, the runner has + an API that matches what's expected by Pep517HookCaller.subprocess_runner. + """ + + def runner( + cmd: List[str], + cwd: Optional[str] = None, + extra_environ: Optional[Mapping[str, Any]] = None, + ) -> None: + with open_spinner(message) as spinner: + call_subprocess( + cmd, + cwd=cwd, + extra_environ=extra_environ, + spinner=spinner, + ) + + return runner diff --git a/venv/Lib/site-packages/pip/_internal/utils/temp_dir.py b/venv/Lib/site-packages/pip/_internal/utils/temp_dir.py new file mode 100644 index 0000000..442679a --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/temp_dir.py @@ -0,0 +1,246 @@ +import errno +import itertools +import logging +import os.path +import tempfile +from contextlib import ExitStack, contextmanager +from typing import Any, Dict, Iterator, Optional, TypeVar, Union + +from pip._internal.utils.misc import enum, rmtree + +logger = logging.getLogger(__name__) + +_T = TypeVar("_T", bound="TempDirectory") + + +# Kinds of temporary directories. Only needed for ones that are +# globally-managed. +tempdir_kinds = enum( + BUILD_ENV="build-env", + EPHEM_WHEEL_CACHE="ephem-wheel-cache", + REQ_BUILD="req-build", +) + + +_tempdir_manager: Optional[ExitStack] = None + + +@contextmanager +def global_tempdir_manager() -> Iterator[None]: + global _tempdir_manager + with ExitStack() as stack: + old_tempdir_manager, _tempdir_manager = _tempdir_manager, stack + try: + yield + finally: + _tempdir_manager = old_tempdir_manager + + +class TempDirectoryTypeRegistry: + """Manages temp directory behavior""" + + def __init__(self) -> None: + self._should_delete: Dict[str, bool] = {} + + def set_delete(self, kind: str, value: bool) -> None: + """Indicate whether a TempDirectory of the given kind should be + auto-deleted. + """ + self._should_delete[kind] = value + + def get_delete(self, kind: str) -> bool: + """Get configured auto-delete flag for a given TempDirectory type, + default True. + """ + return self._should_delete.get(kind, True) + + +_tempdir_registry: Optional[TempDirectoryTypeRegistry] = None + + +@contextmanager +def tempdir_registry() -> Iterator[TempDirectoryTypeRegistry]: + """Provides a scoped global tempdir registry that can be used to dictate + whether directories should be deleted. + """ + global _tempdir_registry + old_tempdir_registry = _tempdir_registry + _tempdir_registry = TempDirectoryTypeRegistry() + try: + yield _tempdir_registry + finally: + _tempdir_registry = old_tempdir_registry + + +class _Default: + pass + + +_default = _Default() + + +class TempDirectory: + """Helper class that owns and cleans up a temporary directory. + + This class can be used as a context manager or as an OO representation of a + temporary directory. + + Attributes: + path + Location to the created temporary directory + delete + Whether the directory should be deleted when exiting + (when used as a contextmanager) + + Methods: + cleanup() + Deletes the temporary directory + + When used as a context manager, if the delete attribute is True, on + exiting the context the temporary directory is deleted. + """ + + def __init__( + self, + path: Optional[str] = None, + delete: Union[bool, None, _Default] = _default, + kind: str = "temp", + globally_managed: bool = False, + ): + super().__init__() + + if delete is _default: + if path is not None: + # If we were given an explicit directory, resolve delete option + # now. + delete = False + else: + # Otherwise, we wait until cleanup and see what + # tempdir_registry says. + delete = None + + # The only time we specify path is in for editables where it + # is the value of the --src option. + if path is None: + path = self._create(kind) + + self._path = path + self._deleted = False + self.delete = delete + self.kind = kind + + if globally_managed: + assert _tempdir_manager is not None + _tempdir_manager.enter_context(self) + + @property + def path(self) -> str: + assert not self._deleted, f"Attempted to access deleted path: {self._path}" + return self._path + + def __repr__(self) -> str: + return f"<{self.__class__.__name__} {self.path!r}>" + + def __enter__(self: _T) -> _T: + return self + + def __exit__(self, exc: Any, value: Any, tb: Any) -> None: + if self.delete is not None: + delete = self.delete + elif _tempdir_registry: + delete = _tempdir_registry.get_delete(self.kind) + else: + delete = True + + if delete: + self.cleanup() + + def _create(self, kind: str) -> str: + """Create a temporary directory and store its path in self.path""" + # We realpath here because some systems have their default tmpdir + # symlinked to another directory. This tends to confuse build + # scripts, so we canonicalize the path by traversing potential + # symlinks here. + path = os.path.realpath(tempfile.mkdtemp(prefix=f"pip-{kind}-")) + logger.debug("Created temporary directory: %s", path) + return path + + def cleanup(self) -> None: + """Remove the temporary directory created and reset state""" + self._deleted = True + if not os.path.exists(self._path): + return + rmtree(self._path) + + +class AdjacentTempDirectory(TempDirectory): + """Helper class that creates a temporary directory adjacent to a real one. + + Attributes: + original + The original directory to create a temp directory for. + path + After calling create() or entering, contains the full + path to the temporary directory. + delete + Whether the directory should be deleted when exiting + (when used as a contextmanager) + + """ + + # The characters that may be used to name the temp directory + # We always prepend a ~ and then rotate through these until + # a usable name is found. + # pkg_resources raises a different error for .dist-info folder + # with leading '-' and invalid metadata + LEADING_CHARS = "-~.=%0123456789" + + def __init__(self, original: str, delete: Optional[bool] = None) -> None: + self.original = original.rstrip("/\\") + super().__init__(delete=delete) + + @classmethod + def _generate_names(cls, name: str) -> Iterator[str]: + """Generates a series of temporary names. + + The algorithm replaces the leading characters in the name + with ones that are valid filesystem characters, but are not + valid package names (for both Python and pip definitions of + package). + """ + for i in range(1, len(name)): + for candidate in itertools.combinations_with_replacement( + cls.LEADING_CHARS, i - 1 + ): + new_name = "~" + "".join(candidate) + name[i:] + if new_name != name: + yield new_name + + # If we make it this far, we will have to make a longer name + for i in range(len(cls.LEADING_CHARS)): + for candidate in itertools.combinations_with_replacement( + cls.LEADING_CHARS, i + ): + new_name = "~" + "".join(candidate) + name + if new_name != name: + yield new_name + + def _create(self, kind: str) -> str: + root, name = os.path.split(self.original) + for candidate in self._generate_names(name): + path = os.path.join(root, candidate) + try: + os.mkdir(path) + except OSError as ex: + # Continue if the name exists already + if ex.errno != errno.EEXIST: + raise + else: + path = os.path.realpath(path) + break + else: + # Final fallback on the default behavior. + path = os.path.realpath(tempfile.mkdtemp(prefix=f"pip-{kind}-")) + + logger.debug("Created temporary directory: %s", path) + return path diff --git a/venv/Lib/site-packages/pip/_internal/utils/unpacking.py b/venv/Lib/site-packages/pip/_internal/utils/unpacking.py new file mode 100644 index 0000000..5f63f97 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/unpacking.py @@ -0,0 +1,258 @@ +"""Utilities related archives. +""" + +import logging +import os +import shutil +import stat +import tarfile +import zipfile +from typing import Iterable, List, Optional +from zipfile import ZipInfo + +from pip._internal.exceptions import InstallationError +from pip._internal.utils.filetypes import ( + BZ2_EXTENSIONS, + TAR_EXTENSIONS, + XZ_EXTENSIONS, + ZIP_EXTENSIONS, +) +from pip._internal.utils.misc import ensure_dir + +logger = logging.getLogger(__name__) + + +SUPPORTED_EXTENSIONS = ZIP_EXTENSIONS + TAR_EXTENSIONS + +try: + import bz2 # noqa + + SUPPORTED_EXTENSIONS += BZ2_EXTENSIONS +except ImportError: + logger.debug("bz2 module is not available") + +try: + # Only for Python 3.3+ + import lzma # noqa + + SUPPORTED_EXTENSIONS += XZ_EXTENSIONS +except ImportError: + logger.debug("lzma module is not available") + + +def current_umask() -> int: + """Get the current umask which involves having to set it temporarily.""" + mask = os.umask(0) + os.umask(mask) + return mask + + +def split_leading_dir(path: str) -> List[str]: + path = path.lstrip("/").lstrip("\\") + if "/" in path and ( + ("\\" in path and path.find("/") < path.find("\\")) or "\\" not in path + ): + return path.split("/", 1) + elif "\\" in path: + return path.split("\\", 1) + else: + return [path, ""] + + +def has_leading_dir(paths: Iterable[str]) -> bool: + """Returns true if all the paths have the same leading path name + (i.e., everything is in one subdirectory in an archive)""" + common_prefix = None + for path in paths: + prefix, rest = split_leading_dir(path) + if not prefix: + return False + elif common_prefix is None: + common_prefix = prefix + elif prefix != common_prefix: + return False + return True + + +def is_within_directory(directory: str, target: str) -> bool: + """ + Return true if the absolute path of target is within the directory + """ + abs_directory = os.path.abspath(directory) + abs_target = os.path.abspath(target) + + prefix = os.path.commonprefix([abs_directory, abs_target]) + return prefix == abs_directory + + +def set_extracted_file_to_default_mode_plus_executable(path: str) -> None: + """ + Make file present at path have execute for user/group/world + (chmod +x) is no-op on windows per python docs + """ + os.chmod(path, (0o777 & ~current_umask() | 0o111)) + + +def zip_item_is_executable(info: ZipInfo) -> bool: + mode = info.external_attr >> 16 + # if mode and regular file and any execute permissions for + # user/group/world? + return bool(mode and stat.S_ISREG(mode) and mode & 0o111) + + +def unzip_file(filename: str, location: str, flatten: bool = True) -> None: + """ + Unzip the file (with path `filename`) to the destination `location`. All + files are written based on system defaults and umask (i.e. permissions are + not preserved), except that regular file members with any execute + permissions (user, group, or world) have "chmod +x" applied after being + written. Note that for windows, any execute changes using os.chmod are + no-ops per the python docs. + """ + ensure_dir(location) + zipfp = open(filename, "rb") + try: + zip = zipfile.ZipFile(zipfp, allowZip64=True) + leading = has_leading_dir(zip.namelist()) and flatten + for info in zip.infolist(): + name = info.filename + fn = name + if leading: + fn = split_leading_dir(name)[1] + fn = os.path.join(location, fn) + dir = os.path.dirname(fn) + if not is_within_directory(location, fn): + message = ( + "The zip file ({}) has a file ({}) trying to install " + "outside target directory ({})" + ) + raise InstallationError(message.format(filename, fn, location)) + if fn.endswith("/") or fn.endswith("\\"): + # A directory + ensure_dir(fn) + else: + ensure_dir(dir) + # Don't use read() to avoid allocating an arbitrarily large + # chunk of memory for the file's content + fp = zip.open(name) + try: + with open(fn, "wb") as destfp: + shutil.copyfileobj(fp, destfp) + finally: + fp.close() + if zip_item_is_executable(info): + set_extracted_file_to_default_mode_plus_executable(fn) + finally: + zipfp.close() + + +def untar_file(filename: str, location: str) -> None: + """ + Untar the file (with path `filename`) to the destination `location`. + All files are written based on system defaults and umask (i.e. permissions + are not preserved), except that regular file members with any execute + permissions (user, group, or world) have "chmod +x" applied after being + written. Note that for windows, any execute changes using os.chmod are + no-ops per the python docs. + """ + ensure_dir(location) + if filename.lower().endswith(".gz") or filename.lower().endswith(".tgz"): + mode = "r:gz" + elif filename.lower().endswith(BZ2_EXTENSIONS): + mode = "r:bz2" + elif filename.lower().endswith(XZ_EXTENSIONS): + mode = "r:xz" + elif filename.lower().endswith(".tar"): + mode = "r" + else: + logger.warning( + "Cannot determine compression type for file %s", + filename, + ) + mode = "r:*" + tar = tarfile.open(filename, mode, encoding="utf-8") + try: + leading = has_leading_dir([member.name for member in tar.getmembers()]) + for member in tar.getmembers(): + fn = member.name + if leading: + fn = split_leading_dir(fn)[1] + path = os.path.join(location, fn) + if not is_within_directory(location, path): + message = ( + "The tar file ({}) has a file ({}) trying to install " + "outside target directory ({})" + ) + raise InstallationError(message.format(filename, path, location)) + if member.isdir(): + ensure_dir(path) + elif member.issym(): + try: + # https://github.com/python/typeshed/issues/2673 + tar._extract_member(member, path) # type: ignore + except Exception as exc: + # Some corrupt tar files seem to produce this + # (specifically bad symlinks) + logger.warning( + "In the tar file %s the member %s is invalid: %s", + filename, + member.name, + exc, + ) + continue + else: + try: + fp = tar.extractfile(member) + except (KeyError, AttributeError) as exc: + # Some corrupt tar files seem to produce this + # (specifically bad symlinks) + logger.warning( + "In the tar file %s the member %s is invalid: %s", + filename, + member.name, + exc, + ) + continue + ensure_dir(os.path.dirname(path)) + assert fp is not None + with open(path, "wb") as destfp: + shutil.copyfileobj(fp, destfp) + fp.close() + # Update the timestamp (useful for cython compiled files) + tar.utime(member, path) + # member have any execute permissions for user/group/world? + if member.mode & 0o111: + set_extracted_file_to_default_mode_plus_executable(path) + finally: + tar.close() + + +def unpack_file( + filename: str, + location: str, + content_type: Optional[str] = None, +) -> None: + filename = os.path.realpath(filename) + if ( + content_type == "application/zip" + or filename.lower().endswith(ZIP_EXTENSIONS) + or zipfile.is_zipfile(filename) + ): + unzip_file(filename, location, flatten=not filename.endswith(".whl")) + elif ( + content_type == "application/x-gzip" + or tarfile.is_tarfile(filename) + or filename.lower().endswith(TAR_EXTENSIONS + BZ2_EXTENSIONS + XZ_EXTENSIONS) + ): + untar_file(filename, location) + else: + # FIXME: handle? + # FIXME: magic signatures? + logger.critical( + "Cannot unpack file %s (downloaded from %s, content-type: %s); " + "cannot detect archive format", + filename, + location, + content_type, + ) + raise InstallationError(f"Cannot determine archive format of {location}") diff --git a/venv/Lib/site-packages/pip/_internal/utils/urls.py b/venv/Lib/site-packages/pip/_internal/utils/urls.py new file mode 100644 index 0000000..6ba2e04 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/urls.py @@ -0,0 +1,62 @@ +import os +import string +import urllib.parse +import urllib.request +from typing import Optional + +from .compat import WINDOWS + + +def get_url_scheme(url: str) -> Optional[str]: + if ":" not in url: + return None + return url.split(":", 1)[0].lower() + + +def path_to_url(path: str) -> str: + """ + Convert a path to a file: URL. The path will be made absolute and have + quoted path parts. + """ + path = os.path.normpath(os.path.abspath(path)) + url = urllib.parse.urljoin("file:", urllib.request.pathname2url(path)) + return url + + +def url_to_path(url: str) -> str: + """ + Convert a file: URL to a path. + """ + assert url.startswith( + "file:" + ), f"You can only turn file: urls into filenames (not {url!r})" + + _, netloc, path, _, _ = urllib.parse.urlsplit(url) + + if not netloc or netloc == "localhost": + # According to RFC 8089, same as empty authority. + netloc = "" + elif WINDOWS: + # If we have a UNC path, prepend UNC share notation. + netloc = "\\\\" + netloc + else: + raise ValueError( + f"non-local file URIs are not supported on this platform: {url!r}" + ) + + path = urllib.request.url2pathname(netloc + path) + + # On Windows, urlsplit parses the path as something like "/C:/Users/foo". + # This creates issues for path-related functions like io.open(), so we try + # to detect and strip the leading slash. + if ( + WINDOWS + and not netloc # Not UNC. + and len(path) >= 3 + and path[0] == "/" # Leading slash to strip. + and path[1] in string.ascii_letters # Drive letter. + and path[2:4] in (":", ":/") # Colon + end of string, or colon + absolute path. + ): + path = path[1:] + + return path diff --git a/venv/Lib/site-packages/pip/_internal/utils/virtualenv.py b/venv/Lib/site-packages/pip/_internal/utils/virtualenv.py new file mode 100644 index 0000000..c926db4 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/virtualenv.py @@ -0,0 +1,104 @@ +import logging +import os +import re +import site +import sys +from typing import List, Optional + +logger = logging.getLogger(__name__) +_INCLUDE_SYSTEM_SITE_PACKAGES_REGEX = re.compile( + r"include-system-site-packages\s*=\s*(?P<value>true|false)" +) + + +def _running_under_venv() -> bool: + """Checks if sys.base_prefix and sys.prefix match. + + This handles PEP 405 compliant virtual environments. + """ + return sys.prefix != getattr(sys, "base_prefix", sys.prefix) + + +def _running_under_regular_virtualenv() -> bool: + """Checks if sys.real_prefix is set. + + This handles virtual environments created with pypa's virtualenv. + """ + # pypa/virtualenv case + return hasattr(sys, "real_prefix") + + +def running_under_virtualenv() -> bool: + """Return True if we're running inside a virtualenv, False otherwise.""" + return _running_under_venv() or _running_under_regular_virtualenv() + + +def _get_pyvenv_cfg_lines() -> Optional[List[str]]: + """Reads {sys.prefix}/pyvenv.cfg and returns its contents as list of lines + + Returns None, if it could not read/access the file. + """ + pyvenv_cfg_file = os.path.join(sys.prefix, "pyvenv.cfg") + try: + # Although PEP 405 does not specify, the built-in venv module always + # writes with UTF-8. (pypa/pip#8717) + with open(pyvenv_cfg_file, encoding="utf-8") as f: + return f.read().splitlines() # avoids trailing newlines + except OSError: + return None + + +def _no_global_under_venv() -> bool: + """Check `{sys.prefix}/pyvenv.cfg` for system site-packages inclusion + + PEP 405 specifies that when system site-packages are not supposed to be + visible from a virtual environment, `pyvenv.cfg` must contain the following + line: + + include-system-site-packages = false + + Additionally, log a warning if accessing the file fails. + """ + cfg_lines = _get_pyvenv_cfg_lines() + if cfg_lines is None: + # We're not in a "sane" venv, so assume there is no system + # site-packages access (since that's PEP 405's default state). + logger.warning( + "Could not access 'pyvenv.cfg' despite a virtual environment " + "being active. Assuming global site-packages is not accessible " + "in this environment." + ) + return True + + for line in cfg_lines: + match = _INCLUDE_SYSTEM_SITE_PACKAGES_REGEX.match(line) + if match is not None and match.group("value") == "false": + return True + return False + + +def _no_global_under_regular_virtualenv() -> bool: + """Check if "no-global-site-packages.txt" exists beside site.py + + This mirrors logic in pypa/virtualenv for determining whether system + site-packages are visible in the virtual environment. + """ + site_mod_dir = os.path.dirname(os.path.abspath(site.__file__)) + no_global_site_packages_file = os.path.join( + site_mod_dir, + "no-global-site-packages.txt", + ) + return os.path.exists(no_global_site_packages_file) + + +def virtualenv_no_global() -> bool: + """Returns a boolean, whether running in venv with no system site-packages.""" + # PEP 405 compliance needs to be checked first since virtualenv >=20 would + # return True for both checks, but is only able to use the PEP 405 config. + if _running_under_venv(): + return _no_global_under_venv() + + if _running_under_regular_virtualenv(): + return _no_global_under_regular_virtualenv() + + return False diff --git a/venv/Lib/site-packages/pip/_internal/utils/wheel.py b/venv/Lib/site-packages/pip/_internal/utils/wheel.py new file mode 100644 index 0000000..03f00e4 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/utils/wheel.py @@ -0,0 +1,182 @@ +"""Support functions for working with wheel files. +""" + +import logging +from email.message import Message +from email.parser import Parser +from typing import Dict, Tuple +from zipfile import BadZipFile, ZipFile + +from pip._vendor.packaging.utils import canonicalize_name +from pip._vendor.pkg_resources import DistInfoDistribution, Distribution + +from pip._internal.exceptions import UnsupportedWheel +from pip._internal.utils.pkg_resources import DictMetadata + +VERSION_COMPATIBLE = (1, 0) + + +logger = logging.getLogger(__name__) + + +class WheelMetadata(DictMetadata): + """Metadata provider that maps metadata decoding exceptions to our + internal exception type. + """ + + def __init__(self, metadata: Dict[str, bytes], wheel_name: str) -> None: + super().__init__(metadata) + self._wheel_name = wheel_name + + def get_metadata(self, name: str) -> str: + try: + return super().get_metadata(name) + except UnicodeDecodeError as e: + # Augment the default error with the origin of the file. + raise UnsupportedWheel( + f"Error decoding metadata for {self._wheel_name}: {e}" + ) + + +def pkg_resources_distribution_for_wheel( + wheel_zip: ZipFile, name: str, location: str +) -> Distribution: + """Get a pkg_resources distribution given a wheel. + + :raises UnsupportedWheel: on any errors + """ + info_dir, _ = parse_wheel(wheel_zip, name) + + metadata_files = [p for p in wheel_zip.namelist() if p.startswith(f"{info_dir}/")] + + metadata_text: Dict[str, bytes] = {} + for path in metadata_files: + _, metadata_name = path.split("/", 1) + + try: + metadata_text[metadata_name] = read_wheel_metadata_file(wheel_zip, path) + except UnsupportedWheel as e: + raise UnsupportedWheel("{} has an invalid wheel, {}".format(name, str(e))) + + metadata = WheelMetadata(metadata_text, location) + + return DistInfoDistribution(location=location, metadata=metadata, project_name=name) + + +def parse_wheel(wheel_zip: ZipFile, name: str) -> Tuple[str, Message]: + """Extract information from the provided wheel, ensuring it meets basic + standards. + + Returns the name of the .dist-info directory and the parsed WHEEL metadata. + """ + try: + info_dir = wheel_dist_info_dir(wheel_zip, name) + metadata = wheel_metadata(wheel_zip, info_dir) + version = wheel_version(metadata) + except UnsupportedWheel as e: + raise UnsupportedWheel("{} has an invalid wheel, {}".format(name, str(e))) + + check_compatibility(version, name) + + return info_dir, metadata + + +def wheel_dist_info_dir(source: ZipFile, name: str) -> str: + """Returns the name of the contained .dist-info directory. + + Raises AssertionError or UnsupportedWheel if not found, >1 found, or + it doesn't match the provided name. + """ + # Zip file path separators must be / + subdirs = {p.split("/", 1)[0] for p in source.namelist()} + + info_dirs = [s for s in subdirs if s.endswith(".dist-info")] + + if not info_dirs: + raise UnsupportedWheel(".dist-info directory not found") + + if len(info_dirs) > 1: + raise UnsupportedWheel( + "multiple .dist-info directories found: {}".format(", ".join(info_dirs)) + ) + + info_dir = info_dirs[0] + + info_dir_name = canonicalize_name(info_dir) + canonical_name = canonicalize_name(name) + if not info_dir_name.startswith(canonical_name): + raise UnsupportedWheel( + ".dist-info directory {!r} does not start with {!r}".format( + info_dir, canonical_name + ) + ) + + return info_dir + + +def read_wheel_metadata_file(source: ZipFile, path: str) -> bytes: + try: + return source.read(path) + # BadZipFile for general corruption, KeyError for missing entry, + # and RuntimeError for password-protected files + except (BadZipFile, KeyError, RuntimeError) as e: + raise UnsupportedWheel(f"could not read {path!r} file: {e!r}") + + +def wheel_metadata(source: ZipFile, dist_info_dir: str) -> Message: + """Return the WHEEL metadata of an extracted wheel, if possible. + Otherwise, raise UnsupportedWheel. + """ + path = f"{dist_info_dir}/WHEEL" + # Zip file path separators must be / + wheel_contents = read_wheel_metadata_file(source, path) + + try: + wheel_text = wheel_contents.decode() + except UnicodeDecodeError as e: + raise UnsupportedWheel(f"error decoding {path!r}: {e!r}") + + # FeedParser (used by Parser) does not raise any exceptions. The returned + # message may have .defects populated, but for backwards-compatibility we + # currently ignore them. + return Parser().parsestr(wheel_text) + + +def wheel_version(wheel_data: Message) -> Tuple[int, ...]: + """Given WHEEL metadata, return the parsed Wheel-Version. + Otherwise, raise UnsupportedWheel. + """ + version_text = wheel_data["Wheel-Version"] + if version_text is None: + raise UnsupportedWheel("WHEEL is missing Wheel-Version") + + version = version_text.strip() + + try: + return tuple(map(int, version.split("."))) + except ValueError: + raise UnsupportedWheel(f"invalid Wheel-Version: {version!r}") + + +def check_compatibility(version: Tuple[int, ...], name: str) -> None: + """Raises errors or warns if called with an incompatible Wheel-Version. + + pip should refuse to install a Wheel-Version that's a major series + ahead of what it's compatible with (e.g 2.0 > 1.1); and warn when + installing a version only minor version ahead (e.g 1.2 > 1.1). + + version: a 2-tuple representing a Wheel-Version (Major, Minor) + name: name of wheel or package to raise exception about + + :raises UnsupportedWheel: when an incompatible Wheel-Version is given + """ + if version[0] > VERSION_COMPATIBLE[0]: + raise UnsupportedWheel( + "{}'s Wheel-Version ({}) is not compatible with this version " + "of pip".format(name, ".".join(map(str, version))) + ) + elif version > VERSION_COMPATIBLE: + logger.warning( + "Installing from a newer Wheel-Version (%s)", + ".".join(map(str, version)), + ) diff --git a/venv/Lib/site-packages/pip/_internal/vcs/__init__.py b/venv/Lib/site-packages/pip/_internal/vcs/__init__.py new file mode 100644 index 0000000..b6beddb --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/vcs/__init__.py @@ -0,0 +1,15 @@ +# Expose a limited set of classes and functions so callers outside of +# the vcs package don't need to import deeper than `pip._internal.vcs`. +# (The test directory may still need to import from a vcs sub-package.) +# Import all vcs modules to register each VCS in the VcsSupport object. +import pip._internal.vcs.bazaar +import pip._internal.vcs.git +import pip._internal.vcs.mercurial +import pip._internal.vcs.subversion # noqa: F401 +from pip._internal.vcs.versioncontrol import ( # noqa: F401 + RemoteNotFoundError, + RemoteNotValidError, + is_url, + make_vcs_requirement_url, + vcs, +) diff --git a/venv/Lib/site-packages/pip/_internal/vcs/bazaar.py b/venv/Lib/site-packages/pip/_internal/vcs/bazaar.py new file mode 100644 index 0000000..82e7595 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/vcs/bazaar.py @@ -0,0 +1,93 @@ +import logging +from typing import List, Optional, Tuple + +from pip._internal.utils.misc import HiddenText, display_path +from pip._internal.utils.subprocess import make_command +from pip._internal.utils.urls import path_to_url +from pip._internal.vcs.versioncontrol import ( + AuthInfo, + RemoteNotFoundError, + RevOptions, + VersionControl, + vcs, +) + +logger = logging.getLogger(__name__) + + +class Bazaar(VersionControl): + name = "bzr" + dirname = ".bzr" + repo_name = "branch" + schemes = ( + "bzr+http", + "bzr+https", + "bzr+ssh", + "bzr+sftp", + "bzr+ftp", + "bzr+lp", + "bzr+file", + ) + + @staticmethod + def get_base_rev_args(rev: str) -> List[str]: + return ["-r", rev] + + def fetch_new(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + rev_display = rev_options.to_display() + logger.info( + "Checking out %s%s to %s", + url, + rev_display, + display_path(dest), + ) + cmd_args = make_command("branch", "-q", rev_options.to_args(), url, dest) + self.run_command(cmd_args) + + def switch(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + self.run_command(make_command("switch", url), cwd=dest) + + def update(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + cmd_args = make_command("pull", "-q", rev_options.to_args()) + self.run_command(cmd_args, cwd=dest) + + @classmethod + def get_url_rev_and_auth(cls, url: str) -> Tuple[str, Optional[str], AuthInfo]: + # hotfix the URL scheme after removing bzr+ from bzr+ssh:// readd it + url, rev, user_pass = super().get_url_rev_and_auth(url) + if url.startswith("ssh://"): + url = "bzr+" + url + return url, rev, user_pass + + @classmethod + def get_remote_url(cls, location: str) -> str: + urls = cls.run_command( + ["info"], show_stdout=False, stdout_only=True, cwd=location + ) + for line in urls.splitlines(): + line = line.strip() + for x in ("checkout of branch: ", "parent branch: "): + if line.startswith(x): + repo = line.split(x)[1] + if cls._is_local_repository(repo): + return path_to_url(repo) + return repo + raise RemoteNotFoundError + + @classmethod + def get_revision(cls, location: str) -> str: + revision = cls.run_command( + ["revno"], + show_stdout=False, + stdout_only=True, + cwd=location, + ) + return revision.splitlines()[-1] + + @classmethod + def is_commit_id_equal(cls, dest: str, name: Optional[str]) -> bool: + """Always assume the versions don't match""" + return False + + +vcs.register(Bazaar) diff --git a/venv/Lib/site-packages/pip/_internal/vcs/git.py b/venv/Lib/site-packages/pip/_internal/vcs/git.py new file mode 100644 index 0000000..7a78ad1 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/vcs/git.py @@ -0,0 +1,513 @@ +import logging +import os.path +import pathlib +import re +import urllib.parse +import urllib.request +from typing import List, Optional, Tuple + +from pip._internal.exceptions import BadCommand, InstallationError +from pip._internal.utils.misc import HiddenText, display_path, hide_url +from pip._internal.utils.subprocess import make_command +from pip._internal.vcs.versioncontrol import ( + AuthInfo, + RemoteNotFoundError, + RemoteNotValidError, + RevOptions, + VersionControl, + find_path_to_project_root_from_repo_root, + vcs, +) + +urlsplit = urllib.parse.urlsplit +urlunsplit = urllib.parse.urlunsplit + + +logger = logging.getLogger(__name__) + + +GIT_VERSION_REGEX = re.compile( + r"^git version " # Prefix. + r"(\d+)" # Major. + r"\.(\d+)" # Dot, minor. + r"(?:\.(\d+))?" # Optional dot, patch. + r".*$" # Suffix, including any pre- and post-release segments we don't care about. +) + +HASH_REGEX = re.compile("^[a-fA-F0-9]{40}$") + +# SCP (Secure copy protocol) shorthand. e.g. 'git@example.com:foo/bar.git' +SCP_REGEX = re.compile( + r"""^ + # Optional user, e.g. 'git@' + (\w+@)? + # Server, e.g. 'github.com'. + ([^/:]+): + # The server-side path. e.g. 'user/project.git'. Must start with an + # alphanumeric character so as not to be confusable with a Windows paths + # like 'C:/foo/bar' or 'C:\foo\bar'. + (\w[^:]*) + $""", + re.VERBOSE, +) + + +def looks_like_hash(sha: str) -> bool: + return bool(HASH_REGEX.match(sha)) + + +class Git(VersionControl): + name = "git" + dirname = ".git" + repo_name = "clone" + schemes = ( + "git+http", + "git+https", + "git+ssh", + "git+git", + "git+file", + ) + # Prevent the user's environment variables from interfering with pip: + # https://github.com/pypa/pip/issues/1130 + unset_environ = ("GIT_DIR", "GIT_WORK_TREE") + default_arg_rev = "HEAD" + + @staticmethod + def get_base_rev_args(rev: str) -> List[str]: + return [rev] + + def is_immutable_rev_checkout(self, url: str, dest: str) -> bool: + _, rev_options = self.get_url_rev_options(hide_url(url)) + if not rev_options.rev: + return False + if not self.is_commit_id_equal(dest, rev_options.rev): + # the current commit is different from rev, + # which means rev was something else than a commit hash + return False + # return False in the rare case rev is both a commit hash + # and a tag or a branch; we don't want to cache in that case + # because that branch/tag could point to something else in the future + is_tag_or_branch = bool(self.get_revision_sha(dest, rev_options.rev)[0]) + return not is_tag_or_branch + + def get_git_version(self) -> Tuple[int, ...]: + version = self.run_command(["version"], show_stdout=False, stdout_only=True) + match = GIT_VERSION_REGEX.match(version) + if not match: + logger.warning("Can't parse git version: %s", version) + return () + return tuple(int(c) for c in match.groups()) + + @classmethod + def get_current_branch(cls, location: str) -> Optional[str]: + """ + Return the current branch, or None if HEAD isn't at a branch + (e.g. detached HEAD). + """ + # git-symbolic-ref exits with empty stdout if "HEAD" is a detached + # HEAD rather than a symbolic ref. In addition, the -q causes the + # command to exit with status code 1 instead of 128 in this case + # and to suppress the message to stderr. + args = ["symbolic-ref", "-q", "HEAD"] + output = cls.run_command( + args, + extra_ok_returncodes=(1,), + show_stdout=False, + stdout_only=True, + cwd=location, + ) + ref = output.strip() + + if ref.startswith("refs/heads/"): + return ref[len("refs/heads/") :] + + return None + + @classmethod + def get_revision_sha(cls, dest: str, rev: str) -> Tuple[Optional[str], bool]: + """ + Return (sha_or_none, is_branch), where sha_or_none is a commit hash + if the revision names a remote branch or tag, otherwise None. + + Args: + dest: the repository directory. + rev: the revision name. + """ + # Pass rev to pre-filter the list. + output = cls.run_command( + ["show-ref", rev], + cwd=dest, + show_stdout=False, + stdout_only=True, + on_returncode="ignore", + ) + refs = {} + # NOTE: We do not use splitlines here since that would split on other + # unicode separators, which can be maliciously used to install a + # different revision. + for line in output.strip().split("\n"): + line = line.rstrip("\r") + if not line: + continue + try: + ref_sha, ref_name = line.split(" ", maxsplit=2) + except ValueError: + # Include the offending line to simplify troubleshooting if + # this error ever occurs. + raise ValueError(f"unexpected show-ref line: {line!r}") + + refs[ref_name] = ref_sha + + branch_ref = f"refs/remotes/origin/{rev}" + tag_ref = f"refs/tags/{rev}" + + sha = refs.get(branch_ref) + if sha is not None: + return (sha, True) + + sha = refs.get(tag_ref) + + return (sha, False) + + @classmethod + def _should_fetch(cls, dest: str, rev: str) -> bool: + """ + Return true if rev is a ref or is a commit that we don't have locally. + + Branches and tags are not considered in this method because they are + assumed to be always available locally (which is a normal outcome of + ``git clone`` and ``git fetch --tags``). + """ + if rev.startswith("refs/"): + # Always fetch remote refs. + return True + + if not looks_like_hash(rev): + # Git fetch would fail with abbreviated commits. + return False + + if cls.has_commit(dest, rev): + # Don't fetch if we have the commit locally. + return False + + return True + + @classmethod + def resolve_revision( + cls, dest: str, url: HiddenText, rev_options: RevOptions + ) -> RevOptions: + """ + Resolve a revision to a new RevOptions object with the SHA1 of the + branch, tag, or ref if found. + + Args: + rev_options: a RevOptions object. + """ + rev = rev_options.arg_rev + # The arg_rev property's implementation for Git ensures that the + # rev return value is always non-None. + assert rev is not None + + sha, is_branch = cls.get_revision_sha(dest, rev) + + if sha is not None: + rev_options = rev_options.make_new(sha) + rev_options.branch_name = rev if is_branch else None + + return rev_options + + # Do not show a warning for the common case of something that has + # the form of a Git commit hash. + if not looks_like_hash(rev): + logger.warning( + "Did not find branch or tag '%s', assuming revision or ref.", + rev, + ) + + if not cls._should_fetch(dest, rev): + return rev_options + + # fetch the requested revision + cls.run_command( + make_command("fetch", "-q", url, rev_options.to_args()), + cwd=dest, + ) + # Change the revision to the SHA of the ref we fetched + sha = cls.get_revision(dest, rev="FETCH_HEAD") + rev_options = rev_options.make_new(sha) + + return rev_options + + @classmethod + def is_commit_id_equal(cls, dest: str, name: Optional[str]) -> bool: + """ + Return whether the current commit hash equals the given name. + + Args: + dest: the repository directory. + name: a string name. + """ + if not name: + # Then avoid an unnecessary subprocess call. + return False + + return cls.get_revision(dest) == name + + def fetch_new(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + rev_display = rev_options.to_display() + logger.info("Cloning %s%s to %s", url, rev_display, display_path(dest)) + if self.get_git_version() >= (2, 17): + # Git added support for partial clone in 2.17 + # https://git-scm.com/docs/partial-clone + # Speeds up cloning by functioning without a complete copy of repository + self.run_command( + make_command( + "clone", + "--filter=blob:none", + "-q", + url, + dest, + ) + ) + else: + self.run_command(make_command("clone", "-q", url, dest)) + + if rev_options.rev: + # Then a specific revision was requested. + rev_options = self.resolve_revision(dest, url, rev_options) + branch_name = getattr(rev_options, "branch_name", None) + logger.debug("Rev options %s, branch_name %s", rev_options, branch_name) + if branch_name is None: + # Only do a checkout if the current commit id doesn't match + # the requested revision. + if not self.is_commit_id_equal(dest, rev_options.rev): + cmd_args = make_command( + "checkout", + "-q", + rev_options.to_args(), + ) + self.run_command(cmd_args, cwd=dest) + elif self.get_current_branch(dest) != branch_name: + # Then a specific branch was requested, and that branch + # is not yet checked out. + track_branch = f"origin/{branch_name}" + cmd_args = [ + "checkout", + "-b", + branch_name, + "--track", + track_branch, + ] + self.run_command(cmd_args, cwd=dest) + else: + sha = self.get_revision(dest) + rev_options = rev_options.make_new(sha) + + logger.info("Resolved %s to commit %s", url, rev_options.rev) + + #: repo may contain submodules + self.update_submodules(dest) + + def switch(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + self.run_command( + make_command("config", "remote.origin.url", url), + cwd=dest, + ) + cmd_args = make_command("checkout", "-q", rev_options.to_args()) + self.run_command(cmd_args, cwd=dest) + + self.update_submodules(dest) + + def update(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + # First fetch changes from the default remote + if self.get_git_version() >= (1, 9): + # fetch tags in addition to everything else + self.run_command(["fetch", "-q", "--tags"], cwd=dest) + else: + self.run_command(["fetch", "-q"], cwd=dest) + # Then reset to wanted revision (maybe even origin/master) + rev_options = self.resolve_revision(dest, url, rev_options) + cmd_args = make_command("reset", "--hard", "-q", rev_options.to_args()) + self.run_command(cmd_args, cwd=dest) + #: update submodules + self.update_submodules(dest) + + @classmethod + def get_remote_url(cls, location: str) -> str: + """ + Return URL of the first remote encountered. + + Raises RemoteNotFoundError if the repository does not have a remote + url configured. + """ + # We need to pass 1 for extra_ok_returncodes since the command + # exits with return code 1 if there are no matching lines. + stdout = cls.run_command( + ["config", "--get-regexp", r"remote\..*\.url"], + extra_ok_returncodes=(1,), + show_stdout=False, + stdout_only=True, + cwd=location, + ) + remotes = stdout.splitlines() + try: + found_remote = remotes[0] + except IndexError: + raise RemoteNotFoundError + + for remote in remotes: + if remote.startswith("remote.origin.url "): + found_remote = remote + break + url = found_remote.split(" ")[1] + return cls._git_remote_to_pip_url(url.strip()) + + @staticmethod + def _git_remote_to_pip_url(url: str) -> str: + """ + Convert a remote url from what git uses to what pip accepts. + + There are 3 legal forms **url** may take: + + 1. A fully qualified url: ssh://git@example.com/foo/bar.git + 2. A local project.git folder: /path/to/bare/repository.git + 3. SCP shorthand for form 1: git@example.com:foo/bar.git + + Form 1 is output as-is. Form 2 must be converted to URI and form 3 must + be converted to form 1. + + See the corresponding test test_git_remote_url_to_pip() for examples of + sample inputs/outputs. + """ + if re.match(r"\w+://", url): + # This is already valid. Pass it though as-is. + return url + if os.path.exists(url): + # A local bare remote (git clone --mirror). + # Needs a file:// prefix. + return pathlib.PurePath(url).as_uri() + scp_match = SCP_REGEX.match(url) + if scp_match: + # Add an ssh:// prefix and replace the ':' with a '/'. + return scp_match.expand(r"ssh://\1\2/\3") + # Otherwise, bail out. + raise RemoteNotValidError(url) + + @classmethod + def has_commit(cls, location: str, rev: str) -> bool: + """ + Check if rev is a commit that is available in the local repository. + """ + try: + cls.run_command( + ["rev-parse", "-q", "--verify", "sha^" + rev], + cwd=location, + log_failed_cmd=False, + ) + except InstallationError: + return False + else: + return True + + @classmethod + def get_revision(cls, location: str, rev: Optional[str] = None) -> str: + if rev is None: + rev = "HEAD" + current_rev = cls.run_command( + ["rev-parse", rev], + show_stdout=False, + stdout_only=True, + cwd=location, + ) + return current_rev.strip() + + @classmethod + def get_subdirectory(cls, location: str) -> Optional[str]: + """ + Return the path to Python project root, relative to the repo root. + Return None if the project root is in the repo root. + """ + # find the repo root + git_dir = cls.run_command( + ["rev-parse", "--git-dir"], + show_stdout=False, + stdout_only=True, + cwd=location, + ).strip() + if not os.path.isabs(git_dir): + git_dir = os.path.join(location, git_dir) + repo_root = os.path.abspath(os.path.join(git_dir, "..")) + return find_path_to_project_root_from_repo_root(location, repo_root) + + @classmethod + def get_url_rev_and_auth(cls, url: str) -> Tuple[str, Optional[str], AuthInfo]: + """ + Prefixes stub URLs like 'user@hostname:user/repo.git' with 'ssh://'. + That's required because although they use SSH they sometimes don't + work with a ssh:// scheme (e.g. GitHub). But we need a scheme for + parsing. Hence we remove it again afterwards and return it as a stub. + """ + # Works around an apparent Git bug + # (see https://article.gmane.org/gmane.comp.version-control.git/146500) + scheme, netloc, path, query, fragment = urlsplit(url) + if scheme.endswith("file"): + initial_slashes = path[: -len(path.lstrip("/"))] + newpath = initial_slashes + urllib.request.url2pathname(path).replace( + "\\", "/" + ).lstrip("/") + after_plus = scheme.find("+") + 1 + url = scheme[:after_plus] + urlunsplit( + (scheme[after_plus:], netloc, newpath, query, fragment), + ) + + if "://" not in url: + assert "file:" not in url + url = url.replace("git+", "git+ssh://") + url, rev, user_pass = super().get_url_rev_and_auth(url) + url = url.replace("ssh://", "") + else: + url, rev, user_pass = super().get_url_rev_and_auth(url) + + return url, rev, user_pass + + @classmethod + def update_submodules(cls, location: str) -> None: + if not os.path.exists(os.path.join(location, ".gitmodules")): + return + cls.run_command( + ["submodule", "update", "--init", "--recursive", "-q"], + cwd=location, + ) + + @classmethod + def get_repository_root(cls, location: str) -> Optional[str]: + loc = super().get_repository_root(location) + if loc: + return loc + try: + r = cls.run_command( + ["rev-parse", "--show-toplevel"], + cwd=location, + show_stdout=False, + stdout_only=True, + on_returncode="raise", + log_failed_cmd=False, + ) + except BadCommand: + logger.debug( + "could not determine if %s is under git control " + "because git is not available", + location, + ) + return None + except InstallationError: + return None + return os.path.normpath(r.rstrip("\r\n")) + + @staticmethod + def should_add_vcs_url_prefix(repo_url: str) -> bool: + """In either https or ssh form, requirements must be prefixed with git+.""" + return True + + +vcs.register(Git) diff --git a/venv/Lib/site-packages/pip/_internal/vcs/mercurial.py b/venv/Lib/site-packages/pip/_internal/vcs/mercurial.py new file mode 100644 index 0000000..410c79d --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/vcs/mercurial.py @@ -0,0 +1,153 @@ +import configparser +import logging +import os +from typing import List, Optional + +from pip._internal.exceptions import BadCommand, InstallationError +from pip._internal.utils.misc import HiddenText, display_path +from pip._internal.utils.subprocess import make_command +from pip._internal.utils.urls import path_to_url +from pip._internal.vcs.versioncontrol import ( + RevOptions, + VersionControl, + find_path_to_project_root_from_repo_root, + vcs, +) + +logger = logging.getLogger(__name__) + + +class Mercurial(VersionControl): + name = "hg" + dirname = ".hg" + repo_name = "clone" + schemes = ( + "hg+file", + "hg+http", + "hg+https", + "hg+ssh", + "hg+static-http", + ) + + @staticmethod + def get_base_rev_args(rev: str) -> List[str]: + return [rev] + + def fetch_new(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + rev_display = rev_options.to_display() + logger.info( + "Cloning hg %s%s to %s", + url, + rev_display, + display_path(dest), + ) + self.run_command(make_command("clone", "--noupdate", "-q", url, dest)) + self.run_command( + make_command("update", "-q", rev_options.to_args()), + cwd=dest, + ) + + def switch(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + repo_config = os.path.join(dest, self.dirname, "hgrc") + config = configparser.RawConfigParser() + try: + config.read(repo_config) + config.set("paths", "default", url.secret) + with open(repo_config, "w") as config_file: + config.write(config_file) + except (OSError, configparser.NoSectionError) as exc: + logger.warning("Could not switch Mercurial repository to %s: %s", url, exc) + else: + cmd_args = make_command("update", "-q", rev_options.to_args()) + self.run_command(cmd_args, cwd=dest) + + def update(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + self.run_command(["pull", "-q"], cwd=dest) + cmd_args = make_command("update", "-q", rev_options.to_args()) + self.run_command(cmd_args, cwd=dest) + + @classmethod + def get_remote_url(cls, location: str) -> str: + url = cls.run_command( + ["showconfig", "paths.default"], + show_stdout=False, + stdout_only=True, + cwd=location, + ).strip() + if cls._is_local_repository(url): + url = path_to_url(url) + return url.strip() + + @classmethod + def get_revision(cls, location: str) -> str: + """ + Return the repository-local changeset revision number, as an integer. + """ + current_revision = cls.run_command( + ["parents", "--template={rev}"], + show_stdout=False, + stdout_only=True, + cwd=location, + ).strip() + return current_revision + + @classmethod + def get_requirement_revision(cls, location: str) -> str: + """ + Return the changeset identification hash, as a 40-character + hexadecimal string + """ + current_rev_hash = cls.run_command( + ["parents", "--template={node}"], + show_stdout=False, + stdout_only=True, + cwd=location, + ).strip() + return current_rev_hash + + @classmethod + def is_commit_id_equal(cls, dest: str, name: Optional[str]) -> bool: + """Always assume the versions don't match""" + return False + + @classmethod + def get_subdirectory(cls, location: str) -> Optional[str]: + """ + Return the path to Python project root, relative to the repo root. + Return None if the project root is in the repo root. + """ + # find the repo root + repo_root = cls.run_command( + ["root"], show_stdout=False, stdout_only=True, cwd=location + ).strip() + if not os.path.isabs(repo_root): + repo_root = os.path.abspath(os.path.join(location, repo_root)) + return find_path_to_project_root_from_repo_root(location, repo_root) + + @classmethod + def get_repository_root(cls, location: str) -> Optional[str]: + loc = super().get_repository_root(location) + if loc: + return loc + try: + r = cls.run_command( + ["root"], + cwd=location, + show_stdout=False, + stdout_only=True, + on_returncode="raise", + log_failed_cmd=False, + ) + except BadCommand: + logger.debug( + "could not determine if %s is under hg control " + "because hg is not available", + location, + ) + return None + except InstallationError: + return None + return os.path.normpath(r.rstrip("\r\n")) + + +vcs.register(Mercurial) diff --git a/venv/Lib/site-packages/pip/_internal/vcs/subversion.py b/venv/Lib/site-packages/pip/_internal/vcs/subversion.py new file mode 100644 index 0000000..b5b6fd5 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/vcs/subversion.py @@ -0,0 +1,318 @@ +import logging +import os +import re +from typing import List, Optional, Tuple + +from pip._internal.utils.misc import ( + HiddenText, + display_path, + is_console_interactive, + is_installable_dir, + split_auth_from_netloc, +) +from pip._internal.utils.subprocess import CommandArgs, make_command +from pip._internal.vcs.versioncontrol import ( + AuthInfo, + RemoteNotFoundError, + RevOptions, + VersionControl, + vcs, +) + +logger = logging.getLogger(__name__) + +_svn_xml_url_re = re.compile('url="([^"]+)"') +_svn_rev_re = re.compile(r'committed-rev="(\d+)"') +_svn_info_xml_rev_re = re.compile(r'\s*revision="(\d+)"') +_svn_info_xml_url_re = re.compile(r"<url>(.*)</url>") + + +class Subversion(VersionControl): + name = "svn" + dirname = ".svn" + repo_name = "checkout" + schemes = ("svn+ssh", "svn+http", "svn+https", "svn+svn", "svn+file") + + @classmethod + def should_add_vcs_url_prefix(cls, remote_url: str) -> bool: + return True + + @staticmethod + def get_base_rev_args(rev: str) -> List[str]: + return ["-r", rev] + + @classmethod + def get_revision(cls, location: str) -> str: + """ + Return the maximum revision for all files under a given location + """ + # Note: taken from setuptools.command.egg_info + revision = 0 + + for base, dirs, _ in os.walk(location): + if cls.dirname not in dirs: + dirs[:] = [] + continue # no sense walking uncontrolled subdirs + dirs.remove(cls.dirname) + entries_fn = os.path.join(base, cls.dirname, "entries") + if not os.path.exists(entries_fn): + # FIXME: should we warn? + continue + + dirurl, localrev = cls._get_svn_url_rev(base) + + if base == location: + assert dirurl is not None + base = dirurl + "/" # save the root url + elif not dirurl or not dirurl.startswith(base): + dirs[:] = [] + continue # not part of the same svn tree, skip it + revision = max(revision, localrev) + return str(revision) + + @classmethod + def get_netloc_and_auth( + cls, netloc: str, scheme: str + ) -> Tuple[str, Tuple[Optional[str], Optional[str]]]: + """ + This override allows the auth information to be passed to svn via the + --username and --password options instead of via the URL. + """ + if scheme == "ssh": + # The --username and --password options can't be used for + # svn+ssh URLs, so keep the auth information in the URL. + return super().get_netloc_and_auth(netloc, scheme) + + return split_auth_from_netloc(netloc) + + @classmethod + def get_url_rev_and_auth(cls, url: str) -> Tuple[str, Optional[str], AuthInfo]: + # hotfix the URL scheme after removing svn+ from svn+ssh:// readd it + url, rev, user_pass = super().get_url_rev_and_auth(url) + if url.startswith("ssh://"): + url = "svn+" + url + return url, rev, user_pass + + @staticmethod + def make_rev_args( + username: Optional[str], password: Optional[HiddenText] + ) -> CommandArgs: + extra_args: CommandArgs = [] + if username: + extra_args += ["--username", username] + if password: + extra_args += ["--password", password] + + return extra_args + + @classmethod + def get_remote_url(cls, location: str) -> str: + # In cases where the source is in a subdirectory, we have to look up in + # the location until we find a valid project root. + orig_location = location + while not is_installable_dir(location): + last_location = location + location = os.path.dirname(location) + if location == last_location: + # We've traversed up to the root of the filesystem without + # finding a Python project. + logger.warning( + "Could not find Python project for directory %s (tried all " + "parent directories)", + orig_location, + ) + raise RemoteNotFoundError + + url, _rev = cls._get_svn_url_rev(location) + if url is None: + raise RemoteNotFoundError + + return url + + @classmethod + def _get_svn_url_rev(cls, location: str) -> Tuple[Optional[str], int]: + from pip._internal.exceptions import InstallationError + + entries_path = os.path.join(location, cls.dirname, "entries") + if os.path.exists(entries_path): + with open(entries_path) as f: + data = f.read() + else: # subversion >= 1.7 does not have the 'entries' file + data = "" + + url = None + if data.startswith("8") or data.startswith("9") or data.startswith("10"): + entries = list(map(str.splitlines, data.split("\n\x0c\n"))) + del entries[0][0] # get rid of the '8' + url = entries[0][3] + revs = [int(d[9]) for d in entries if len(d) > 9 and d[9]] + [0] + elif data.startswith("<?xml"): + match = _svn_xml_url_re.search(data) + if not match: + raise ValueError(f"Badly formatted data: {data!r}") + url = match.group(1) # get repository URL + revs = [int(m.group(1)) for m in _svn_rev_re.finditer(data)] + [0] + else: + try: + # subversion >= 1.7 + # Note that using get_remote_call_options is not necessary here + # because `svn info` is being run against a local directory. + # We don't need to worry about making sure interactive mode + # is being used to prompt for passwords, because passwords + # are only potentially needed for remote server requests. + xml = cls.run_command( + ["info", "--xml", location], + show_stdout=False, + stdout_only=True, + ) + match = _svn_info_xml_url_re.search(xml) + assert match is not None + url = match.group(1) + revs = [int(m.group(1)) for m in _svn_info_xml_rev_re.finditer(xml)] + except InstallationError: + url, revs = None, [] + + if revs: + rev = max(revs) + else: + rev = 0 + + return url, rev + + @classmethod + def is_commit_id_equal(cls, dest: str, name: Optional[str]) -> bool: + """Always assume the versions don't match""" + return False + + def __init__(self, use_interactive: bool = None) -> None: + if use_interactive is None: + use_interactive = is_console_interactive() + self.use_interactive = use_interactive + + # This member is used to cache the fetched version of the current + # ``svn`` client. + # Special value definitions: + # None: Not evaluated yet. + # Empty tuple: Could not parse version. + self._vcs_version: Optional[Tuple[int, ...]] = None + + super().__init__() + + def call_vcs_version(self) -> Tuple[int, ...]: + """Query the version of the currently installed Subversion client. + + :return: A tuple containing the parts of the version information or + ``()`` if the version returned from ``svn`` could not be parsed. + :raises: BadCommand: If ``svn`` is not installed. + """ + # Example versions: + # svn, version 1.10.3 (r1842928) + # compiled Feb 25 2019, 14:20:39 on x86_64-apple-darwin17.0.0 + # svn, version 1.7.14 (r1542130) + # compiled Mar 28 2018, 08:49:13 on x86_64-pc-linux-gnu + # svn, version 1.12.0-SlikSvn (SlikSvn/1.12.0) + # compiled May 28 2019, 13:44:56 on x86_64-microsoft-windows6.2 + version_prefix = "svn, version " + version = self.run_command(["--version"], show_stdout=False, stdout_only=True) + if not version.startswith(version_prefix): + return () + + version = version[len(version_prefix) :].split()[0] + version_list = version.partition("-")[0].split(".") + try: + parsed_version = tuple(map(int, version_list)) + except ValueError: + return () + + return parsed_version + + def get_vcs_version(self) -> Tuple[int, ...]: + """Return the version of the currently installed Subversion client. + + If the version of the Subversion client has already been queried, + a cached value will be used. + + :return: A tuple containing the parts of the version information or + ``()`` if the version returned from ``svn`` could not be parsed. + :raises: BadCommand: If ``svn`` is not installed. + """ + if self._vcs_version is not None: + # Use cached version, if available. + # If parsing the version failed previously (empty tuple), + # do not attempt to parse it again. + return self._vcs_version + + vcs_version = self.call_vcs_version() + self._vcs_version = vcs_version + return vcs_version + + def get_remote_call_options(self) -> CommandArgs: + """Return options to be used on calls to Subversion that contact the server. + + These options are applicable for the following ``svn`` subcommands used + in this class. + + - checkout + - switch + - update + + :return: A list of command line arguments to pass to ``svn``. + """ + if not self.use_interactive: + # --non-interactive switch is available since Subversion 0.14.4. + # Subversion < 1.8 runs in interactive mode by default. + return ["--non-interactive"] + + svn_version = self.get_vcs_version() + # By default, Subversion >= 1.8 runs in non-interactive mode if + # stdin is not a TTY. Since that is how pip invokes SVN, in + # call_subprocess(), pip must pass --force-interactive to ensure + # the user can be prompted for a password, if required. + # SVN added the --force-interactive option in SVN 1.8. Since + # e.g. RHEL/CentOS 7, which is supported until 2024, ships with + # SVN 1.7, pip should continue to support SVN 1.7. Therefore, pip + # can't safely add the option if the SVN version is < 1.8 (or unknown). + if svn_version >= (1, 8): + return ["--force-interactive"] + + return [] + + def fetch_new(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + rev_display = rev_options.to_display() + logger.info( + "Checking out %s%s to %s", + url, + rev_display, + display_path(dest), + ) + cmd_args = make_command( + "checkout", + "-q", + self.get_remote_call_options(), + rev_options.to_args(), + url, + dest, + ) + self.run_command(cmd_args) + + def switch(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + cmd_args = make_command( + "switch", + self.get_remote_call_options(), + rev_options.to_args(), + url, + dest, + ) + self.run_command(cmd_args) + + def update(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + cmd_args = make_command( + "update", + self.get_remote_call_options(), + rev_options.to_args(), + dest, + ) + self.run_command(cmd_args) + + +vcs.register(Subversion) diff --git a/venv/Lib/site-packages/pip/_internal/vcs/versioncontrol.py b/venv/Lib/site-packages/pip/_internal/vcs/versioncontrol.py new file mode 100644 index 0000000..1139051 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/vcs/versioncontrol.py @@ -0,0 +1,693 @@ +"""Handles all VCS (version control) support""" + +import logging +import os +import shutil +import sys +import urllib.parse +from typing import ( + TYPE_CHECKING, + Any, + Dict, + Iterable, + Iterator, + List, + Mapping, + Optional, + Tuple, + Type, + Union, +) + +from pip._internal.cli.spinners import SpinnerInterface +from pip._internal.exceptions import BadCommand, InstallationError +from pip._internal.utils.misc import ( + HiddenText, + ask_path_exists, + backup_dir, + display_path, + hide_url, + hide_value, + is_installable_dir, + rmtree, +) +from pip._internal.utils.subprocess import CommandArgs, call_subprocess, make_command +from pip._internal.utils.urls import get_url_scheme + +if TYPE_CHECKING: + # Literal was introduced in Python 3.8. + # + # TODO: Remove `if TYPE_CHECKING` when dropping support for Python 3.7. + from typing import Literal + + +__all__ = ["vcs"] + + +logger = logging.getLogger(__name__) + +AuthInfo = Tuple[Optional[str], Optional[str]] + + +def is_url(name: str) -> bool: + """ + Return true if the name looks like a URL. + """ + scheme = get_url_scheme(name) + if scheme is None: + return False + return scheme in ["http", "https", "file", "ftp"] + vcs.all_schemes + + +def make_vcs_requirement_url( + repo_url: str, rev: str, project_name: str, subdir: Optional[str] = None +) -> str: + """ + Return the URL for a VCS requirement. + + Args: + repo_url: the remote VCS url, with any needed VCS prefix (e.g. "git+"). + project_name: the (unescaped) project name. + """ + egg_project_name = project_name.replace("-", "_") + req = f"{repo_url}@{rev}#egg={egg_project_name}" + if subdir: + req += f"&subdirectory={subdir}" + + return req + + +def find_path_to_project_root_from_repo_root( + location: str, repo_root: str +) -> Optional[str]: + """ + Find the the Python project's root by searching up the filesystem from + `location`. Return the path to project root relative to `repo_root`. + Return None if the project root is `repo_root`, or cannot be found. + """ + # find project root. + orig_location = location + while not is_installable_dir(location): + last_location = location + location = os.path.dirname(location) + if location == last_location: + # We've traversed up to the root of the filesystem without + # finding a Python project. + logger.warning( + "Could not find a Python project for directory %s (tried all " + "parent directories)", + orig_location, + ) + return None + + if os.path.samefile(repo_root, location): + return None + + return os.path.relpath(location, repo_root) + + +class RemoteNotFoundError(Exception): + pass + + +class RemoteNotValidError(Exception): + def __init__(self, url: str): + super().__init__(url) + self.url = url + + +class RevOptions: + + """ + Encapsulates a VCS-specific revision to install, along with any VCS + install options. + + Instances of this class should be treated as if immutable. + """ + + def __init__( + self, + vc_class: Type["VersionControl"], + rev: Optional[str] = None, + extra_args: Optional[CommandArgs] = None, + ) -> None: + """ + Args: + vc_class: a VersionControl subclass. + rev: the name of the revision to install. + extra_args: a list of extra options. + """ + if extra_args is None: + extra_args = [] + + self.extra_args = extra_args + self.rev = rev + self.vc_class = vc_class + self.branch_name: Optional[str] = None + + def __repr__(self) -> str: + return f"<RevOptions {self.vc_class.name}: rev={self.rev!r}>" + + @property + def arg_rev(self) -> Optional[str]: + if self.rev is None: + return self.vc_class.default_arg_rev + + return self.rev + + def to_args(self) -> CommandArgs: + """ + Return the VCS-specific command arguments. + """ + args: CommandArgs = [] + rev = self.arg_rev + if rev is not None: + args += self.vc_class.get_base_rev_args(rev) + args += self.extra_args + + return args + + def to_display(self) -> str: + if not self.rev: + return "" + + return f" (to revision {self.rev})" + + def make_new(self, rev: str) -> "RevOptions": + """ + Make a copy of the current instance, but with a new rev. + + Args: + rev: the name of the revision for the new object. + """ + return self.vc_class.make_rev_options(rev, extra_args=self.extra_args) + + +class VcsSupport: + _registry: Dict[str, "VersionControl"] = {} + schemes = ["ssh", "git", "hg", "bzr", "sftp", "svn"] + + def __init__(self) -> None: + # Register more schemes with urlparse for various version control + # systems + urllib.parse.uses_netloc.extend(self.schemes) + super().__init__() + + def __iter__(self) -> Iterator[str]: + return self._registry.__iter__() + + @property + def backends(self) -> List["VersionControl"]: + return list(self._registry.values()) + + @property + def dirnames(self) -> List[str]: + return [backend.dirname for backend in self.backends] + + @property + def all_schemes(self) -> List[str]: + schemes: List[str] = [] + for backend in self.backends: + schemes.extend(backend.schemes) + return schemes + + def register(self, cls: Type["VersionControl"]) -> None: + if not hasattr(cls, "name"): + logger.warning("Cannot register VCS %s", cls.__name__) + return + if cls.name not in self._registry: + self._registry[cls.name] = cls() + logger.debug("Registered VCS backend: %s", cls.name) + + def unregister(self, name: str) -> None: + if name in self._registry: + del self._registry[name] + + def get_backend_for_dir(self, location: str) -> Optional["VersionControl"]: + """ + Return a VersionControl object if a repository of that type is found + at the given directory. + """ + vcs_backends = {} + for vcs_backend in self._registry.values(): + repo_path = vcs_backend.get_repository_root(location) + if not repo_path: + continue + logger.debug("Determine that %s uses VCS: %s", location, vcs_backend.name) + vcs_backends[repo_path] = vcs_backend + + if not vcs_backends: + return None + + # Choose the VCS in the inner-most directory. Since all repository + # roots found here would be either `location` or one of its + # parents, the longest path should have the most path components, + # i.e. the backend representing the inner-most repository. + inner_most_repo_path = max(vcs_backends, key=len) + return vcs_backends[inner_most_repo_path] + + def get_backend_for_scheme(self, scheme: str) -> Optional["VersionControl"]: + """ + Return a VersionControl object or None. + """ + for vcs_backend in self._registry.values(): + if scheme in vcs_backend.schemes: + return vcs_backend + return None + + def get_backend(self, name: str) -> Optional["VersionControl"]: + """ + Return a VersionControl object or None. + """ + name = name.lower() + return self._registry.get(name) + + +vcs = VcsSupport() + + +class VersionControl: + name = "" + dirname = "" + repo_name = "" + # List of supported schemes for this Version Control + schemes: Tuple[str, ...] = () + # Iterable of environment variable names to pass to call_subprocess(). + unset_environ: Tuple[str, ...] = () + default_arg_rev: Optional[str] = None + + @classmethod + def should_add_vcs_url_prefix(cls, remote_url: str) -> bool: + """ + Return whether the vcs prefix (e.g. "git+") should be added to a + repository's remote url when used in a requirement. + """ + return not remote_url.lower().startswith(f"{cls.name}:") + + @classmethod + def get_subdirectory(cls, location: str) -> Optional[str]: + """ + Return the path to Python project root, relative to the repo root. + Return None if the project root is in the repo root. + """ + return None + + @classmethod + def get_requirement_revision(cls, repo_dir: str) -> str: + """ + Return the revision string that should be used in a requirement. + """ + return cls.get_revision(repo_dir) + + @classmethod + def get_src_requirement(cls, repo_dir: str, project_name: str) -> str: + """ + Return the requirement string to use to redownload the files + currently at the given repository directory. + + Args: + project_name: the (unescaped) project name. + + The return value has a form similar to the following: + + {repository_url}@{revision}#egg={project_name} + """ + repo_url = cls.get_remote_url(repo_dir) + + if cls.should_add_vcs_url_prefix(repo_url): + repo_url = f"{cls.name}+{repo_url}" + + revision = cls.get_requirement_revision(repo_dir) + subdir = cls.get_subdirectory(repo_dir) + req = make_vcs_requirement_url(repo_url, revision, project_name, subdir=subdir) + + return req + + @staticmethod + def get_base_rev_args(rev: str) -> List[str]: + """ + Return the base revision arguments for a vcs command. + + Args: + rev: the name of a revision to install. Cannot be None. + """ + raise NotImplementedError + + def is_immutable_rev_checkout(self, url: str, dest: str) -> bool: + """ + Return true if the commit hash checked out at dest matches + the revision in url. + + Always return False, if the VCS does not support immutable commit + hashes. + + This method does not check if there are local uncommitted changes + in dest after checkout, as pip currently has no use case for that. + """ + return False + + @classmethod + def make_rev_options( + cls, rev: Optional[str] = None, extra_args: Optional[CommandArgs] = None + ) -> RevOptions: + """ + Return a RevOptions object. + + Args: + rev: the name of a revision to install. + extra_args: a list of extra options. + """ + return RevOptions(cls, rev, extra_args=extra_args) + + @classmethod + def _is_local_repository(cls, repo: str) -> bool: + """ + posix absolute paths start with os.path.sep, + win32 ones start with drive (like c:\\folder) + """ + drive, tail = os.path.splitdrive(repo) + return repo.startswith(os.path.sep) or bool(drive) + + @classmethod + def get_netloc_and_auth( + cls, netloc: str, scheme: str + ) -> Tuple[str, Tuple[Optional[str], Optional[str]]]: + """ + Parse the repository URL's netloc, and return the new netloc to use + along with auth information. + + Args: + netloc: the original repository URL netloc. + scheme: the repository URL's scheme without the vcs prefix. + + This is mainly for the Subversion class to override, so that auth + information can be provided via the --username and --password options + instead of through the URL. For other subclasses like Git without + such an option, auth information must stay in the URL. + + Returns: (netloc, (username, password)). + """ + return netloc, (None, None) + + @classmethod + def get_url_rev_and_auth(cls, url: str) -> Tuple[str, Optional[str], AuthInfo]: + """ + Parse the repository URL to use, and return the URL, revision, + and auth info to use. + + Returns: (url, rev, (username, password)). + """ + scheme, netloc, path, query, frag = urllib.parse.urlsplit(url) + if "+" not in scheme: + raise ValueError( + "Sorry, {!r} is a malformed VCS url. " + "The format is <vcs>+<protocol>://<url>, " + "e.g. svn+http://myrepo/svn/MyApp#egg=MyApp".format(url) + ) + # Remove the vcs prefix. + scheme = scheme.split("+", 1)[1] + netloc, user_pass = cls.get_netloc_and_auth(netloc, scheme) + rev = None + if "@" in path: + path, rev = path.rsplit("@", 1) + if not rev: + raise InstallationError( + "The URL {!r} has an empty revision (after @) " + "which is not supported. Include a revision after @ " + "or remove @ from the URL.".format(url) + ) + url = urllib.parse.urlunsplit((scheme, netloc, path, query, "")) + return url, rev, user_pass + + @staticmethod + def make_rev_args( + username: Optional[str], password: Optional[HiddenText] + ) -> CommandArgs: + """ + Return the RevOptions "extra arguments" to use in obtain(). + """ + return [] + + def get_url_rev_options(self, url: HiddenText) -> Tuple[HiddenText, RevOptions]: + """ + Return the URL and RevOptions object to use in obtain(), + as a tuple (url, rev_options). + """ + secret_url, rev, user_pass = self.get_url_rev_and_auth(url.secret) + username, secret_password = user_pass + password: Optional[HiddenText] = None + if secret_password is not None: + password = hide_value(secret_password) + extra_args = self.make_rev_args(username, password) + rev_options = self.make_rev_options(rev, extra_args=extra_args) + + return hide_url(secret_url), rev_options + + @staticmethod + def normalize_url(url: str) -> str: + """ + Normalize a URL for comparison by unquoting it and removing any + trailing slash. + """ + return urllib.parse.unquote(url).rstrip("/") + + @classmethod + def compare_urls(cls, url1: str, url2: str) -> bool: + """ + Compare two repo URLs for identity, ignoring incidental differences. + """ + return cls.normalize_url(url1) == cls.normalize_url(url2) + + def fetch_new(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + """ + Fetch a revision from a repository, in the case that this is the + first fetch from the repository. + + Args: + dest: the directory to fetch the repository to. + rev_options: a RevOptions object. + """ + raise NotImplementedError + + def switch(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + """ + Switch the repo at ``dest`` to point to ``URL``. + + Args: + rev_options: a RevOptions object. + """ + raise NotImplementedError + + def update(self, dest: str, url: HiddenText, rev_options: RevOptions) -> None: + """ + Update an already-existing repo to the given ``rev_options``. + + Args: + rev_options: a RevOptions object. + """ + raise NotImplementedError + + @classmethod + def is_commit_id_equal(cls, dest: str, name: Optional[str]) -> bool: + """ + Return whether the id of the current commit equals the given name. + + Args: + dest: the repository directory. + name: a string name. + """ + raise NotImplementedError + + def obtain(self, dest: str, url: HiddenText) -> None: + """ + Install or update in editable mode the package represented by this + VersionControl object. + + :param dest: the repository directory in which to install or update. + :param url: the repository URL starting with a vcs prefix. + """ + url, rev_options = self.get_url_rev_options(url) + + if not os.path.exists(dest): + self.fetch_new(dest, url, rev_options) + return + + rev_display = rev_options.to_display() + if self.is_repository_directory(dest): + existing_url = self.get_remote_url(dest) + if self.compare_urls(existing_url, url.secret): + logger.debug( + "%s in %s exists, and has correct URL (%s)", + self.repo_name.title(), + display_path(dest), + url, + ) + if not self.is_commit_id_equal(dest, rev_options.rev): + logger.info( + "Updating %s %s%s", + display_path(dest), + self.repo_name, + rev_display, + ) + self.update(dest, url, rev_options) + else: + logger.info("Skipping because already up-to-date.") + return + + logger.warning( + "%s %s in %s exists with URL %s", + self.name, + self.repo_name, + display_path(dest), + existing_url, + ) + prompt = ("(s)witch, (i)gnore, (w)ipe, (b)ackup ", ("s", "i", "w", "b")) + else: + logger.warning( + "Directory %s already exists, and is not a %s %s.", + dest, + self.name, + self.repo_name, + ) + # https://github.com/python/mypy/issues/1174 + prompt = ("(i)gnore, (w)ipe, (b)ackup ", ("i", "w", "b")) # type: ignore + + logger.warning( + "The plan is to install the %s repository %s", + self.name, + url, + ) + response = ask_path_exists("What to do? {}".format(prompt[0]), prompt[1]) + + if response == "a": + sys.exit(-1) + + if response == "w": + logger.warning("Deleting %s", display_path(dest)) + rmtree(dest) + self.fetch_new(dest, url, rev_options) + return + + if response == "b": + dest_dir = backup_dir(dest) + logger.warning("Backing up %s to %s", display_path(dest), dest_dir) + shutil.move(dest, dest_dir) + self.fetch_new(dest, url, rev_options) + return + + # Do nothing if the response is "i". + if response == "s": + logger.info( + "Switching %s %s to %s%s", + self.repo_name, + display_path(dest), + url, + rev_display, + ) + self.switch(dest, url, rev_options) + + def unpack(self, location: str, url: HiddenText) -> None: + """ + Clean up current location and download the url repository + (and vcs infos) into location + + :param url: the repository URL starting with a vcs prefix. + """ + if os.path.exists(location): + rmtree(location) + self.obtain(location, url=url) + + @classmethod + def get_remote_url(cls, location: str) -> str: + """ + Return the url used at location + + Raises RemoteNotFoundError if the repository does not have a remote + url configured. + """ + raise NotImplementedError + + @classmethod + def get_revision(cls, location: str) -> str: + """ + Return the current commit id of the files at the given location. + """ + raise NotImplementedError + + @classmethod + def run_command( + cls, + cmd: Union[List[str], CommandArgs], + show_stdout: bool = True, + cwd: Optional[str] = None, + on_returncode: 'Literal["raise", "warn", "ignore"]' = "raise", + extra_ok_returncodes: Optional[Iterable[int]] = None, + command_desc: Optional[str] = None, + extra_environ: Optional[Mapping[str, Any]] = None, + spinner: Optional[SpinnerInterface] = None, + log_failed_cmd: bool = True, + stdout_only: bool = False, + ) -> str: + """ + Run a VCS subcommand + This is simply a wrapper around call_subprocess that adds the VCS + command name, and checks that the VCS is available + """ + cmd = make_command(cls.name, *cmd) + try: + return call_subprocess( + cmd, + show_stdout, + cwd, + on_returncode=on_returncode, + extra_ok_returncodes=extra_ok_returncodes, + command_desc=command_desc, + extra_environ=extra_environ, + unset_environ=cls.unset_environ, + spinner=spinner, + log_failed_cmd=log_failed_cmd, + stdout_only=stdout_only, + ) + except FileNotFoundError: + # errno.ENOENT = no such file or directory + # In other words, the VCS executable isn't available + raise BadCommand( + f"Cannot find command {cls.name!r} - do you have " + f"{cls.name!r} installed and in your PATH?" + ) + except PermissionError: + # errno.EACCES = Permission denied + # This error occurs, for instance, when the command is installed + # only for another user. So, the current user don't have + # permission to call the other user command. + raise BadCommand( + f"No permission to execute {cls.name!r} - install it " + f"locally, globally (ask admin), or check your PATH. " + f"See possible solutions at " + f"https://pip.pypa.io/en/latest/reference/pip_freeze/" + f"#fixing-permission-denied." + ) + + @classmethod + def is_repository_directory(cls, path: str) -> bool: + """ + Return whether a directory path is a repository directory. + """ + logger.debug("Checking in %s for %s (%s)...", path, cls.dirname, cls.name) + return os.path.exists(os.path.join(path, cls.dirname)) + + @classmethod + def get_repository_root(cls, location: str) -> Optional[str]: + """ + Return the "root" (top-level) directory controlled by the vcs, + or `None` if the directory is not in any. + + It is meant to be overridden to implement smarter detection + mechanisms for specific vcs. + + This can do more than is_repository_directory() alone. For + example, the Git override checks that Git is actually available. + """ + if cls.is_repository_directory(location): + return location + return None diff --git a/venv/Lib/site-packages/pip/_internal/wheel_builder.py b/venv/Lib/site-packages/pip/_internal/wheel_builder.py new file mode 100644 index 0000000..b4855a9 --- /dev/null +++ b/venv/Lib/site-packages/pip/_internal/wheel_builder.py @@ -0,0 +1,377 @@ +"""Orchestrator for building wheels from InstallRequirements. +""" + +import logging +import os.path +import re +import shutil +from typing import Any, Callable, Iterable, List, Optional, Tuple + +from pip._vendor.packaging.utils import canonicalize_name, canonicalize_version +from pip._vendor.packaging.version import InvalidVersion, Version + +from pip._internal.cache import WheelCache +from pip._internal.exceptions import InvalidWheelFilename, UnsupportedWheel +from pip._internal.metadata import FilesystemWheel, get_wheel_distribution +from pip._internal.models.link import Link +from pip._internal.models.wheel import Wheel +from pip._internal.operations.build.wheel import build_wheel_pep517 +from pip._internal.operations.build.wheel_editable import build_wheel_editable +from pip._internal.operations.build.wheel_legacy import build_wheel_legacy +from pip._internal.req.req_install import InstallRequirement +from pip._internal.utils.logging import indent_log +from pip._internal.utils.misc import ensure_dir, hash_file, is_wheel_installed +from pip._internal.utils.setuptools_build import make_setuptools_clean_args +from pip._internal.utils.subprocess import call_subprocess +from pip._internal.utils.temp_dir import TempDirectory +from pip._internal.utils.urls import path_to_url +from pip._internal.vcs import vcs + +logger = logging.getLogger(__name__) + +_egg_info_re = re.compile(r"([a-z0-9_.]+)-([a-z0-9_.!+-]+)", re.IGNORECASE) + +BinaryAllowedPredicate = Callable[[InstallRequirement], bool] +BuildResult = Tuple[List[InstallRequirement], List[InstallRequirement]] + + +def _contains_egg_info(s: str) -> bool: + """Determine whether the string looks like an egg_info. + + :param s: The string to parse. E.g. foo-2.1 + """ + return bool(_egg_info_re.search(s)) + + +def _should_build( + req: InstallRequirement, + need_wheel: bool, + check_binary_allowed: BinaryAllowedPredicate, +) -> bool: + """Return whether an InstallRequirement should be built into a wheel.""" + if req.constraint: + # never build requirements that are merely constraints + return False + if req.is_wheel: + if need_wheel: + logger.info( + "Skipping %s, due to already being wheel.", + req.name, + ) + return False + + if need_wheel: + # i.e. pip wheel, not pip install + return True + + # From this point, this concerns the pip install command only + # (need_wheel=False). + + if not req.source_dir: + return False + + if req.editable: + if req.use_pep517 and req.supports_pyproject_editable is not False: + return True + # we don't build legacy editable requirements + return False + + if req.use_pep517: + return True + + if not check_binary_allowed(req): + logger.info( + "Skipping wheel build for %s, due to binaries being disabled for it.", + req.name, + ) + return False + + if not is_wheel_installed(): + # we don't build legacy requirements if wheel is not installed + logger.info( + "Using legacy 'setup.py install' for %s, " + "since package 'wheel' is not installed.", + req.name, + ) + return False + + return True + + +def should_build_for_wheel_command( + req: InstallRequirement, +) -> bool: + return _should_build(req, need_wheel=True, check_binary_allowed=_always_true) + + +def should_build_for_install_command( + req: InstallRequirement, + check_binary_allowed: BinaryAllowedPredicate, +) -> bool: + return _should_build( + req, need_wheel=False, check_binary_allowed=check_binary_allowed + ) + + +def _should_cache( + req: InstallRequirement, +) -> Optional[bool]: + """ + Return whether a built InstallRequirement can be stored in the persistent + wheel cache, assuming the wheel cache is available, and _should_build() + has determined a wheel needs to be built. + """ + if req.editable or not req.source_dir: + # never cache editable requirements + return False + + if req.link and req.link.is_vcs: + # VCS checkout. Do not cache + # unless it points to an immutable commit hash. + assert not req.editable + assert req.source_dir + vcs_backend = vcs.get_backend_for_scheme(req.link.scheme) + assert vcs_backend + if vcs_backend.is_immutable_rev_checkout(req.link.url, req.source_dir): + return True + return False + + assert req.link + base, ext = req.link.splitext() + if _contains_egg_info(base): + return True + + # Otherwise, do not cache. + return False + + +def _get_cache_dir( + req: InstallRequirement, + wheel_cache: WheelCache, +) -> str: + """Return the persistent or temporary cache directory where the built + wheel need to be stored. + """ + cache_available = bool(wheel_cache.cache_dir) + assert req.link + if cache_available and _should_cache(req): + cache_dir = wheel_cache.get_path_for_link(req.link) + else: + cache_dir = wheel_cache.get_ephem_path_for_link(req.link) + return cache_dir + + +def _always_true(_: Any) -> bool: + return True + + +def _verify_one(req: InstallRequirement, wheel_path: str) -> None: + canonical_name = canonicalize_name(req.name or "") + w = Wheel(os.path.basename(wheel_path)) + if canonicalize_name(w.name) != canonical_name: + raise InvalidWheelFilename( + "Wheel has unexpected file name: expected {!r}, " + "got {!r}".format(canonical_name, w.name), + ) + dist = get_wheel_distribution(FilesystemWheel(wheel_path), canonical_name) + dist_verstr = str(dist.version) + if canonicalize_version(dist_verstr) != canonicalize_version(w.version): + raise InvalidWheelFilename( + "Wheel has unexpected file name: expected {!r}, " + "got {!r}".format(dist_verstr, w.version), + ) + metadata_version_value = dist.metadata_version + if metadata_version_value is None: + raise UnsupportedWheel("Missing Metadata-Version") + try: + metadata_version = Version(metadata_version_value) + except InvalidVersion: + msg = f"Invalid Metadata-Version: {metadata_version_value}" + raise UnsupportedWheel(msg) + if metadata_version >= Version("1.2") and not isinstance(dist.version, Version): + raise UnsupportedWheel( + "Metadata 1.2 mandates PEP 440 version, " + "but {!r} is not".format(dist_verstr) + ) + + +def _build_one( + req: InstallRequirement, + output_dir: str, + verify: bool, + build_options: List[str], + global_options: List[str], + editable: bool, +) -> Optional[str]: + """Build one wheel. + + :return: The filename of the built wheel, or None if the build failed. + """ + artifact = "editable" if editable else "wheel" + try: + ensure_dir(output_dir) + except OSError as e: + logger.warning( + "Building %s for %s failed: %s", + artifact, + req.name, + e, + ) + return None + + # Install build deps into temporary directory (PEP 518) + with req.build_env: + wheel_path = _build_one_inside_env( + req, output_dir, build_options, global_options, editable + ) + if wheel_path and verify: + try: + _verify_one(req, wheel_path) + except (InvalidWheelFilename, UnsupportedWheel) as e: + logger.warning("Built %s for %s is invalid: %s", artifact, req.name, e) + return None + return wheel_path + + +def _build_one_inside_env( + req: InstallRequirement, + output_dir: str, + build_options: List[str], + global_options: List[str], + editable: bool, +) -> Optional[str]: + with TempDirectory(kind="wheel") as temp_dir: + assert req.name + if req.use_pep517: + assert req.metadata_directory + assert req.pep517_backend + if global_options: + logger.warning( + "Ignoring --global-option when building %s using PEP 517", req.name + ) + if build_options: + logger.warning( + "Ignoring --build-option when building %s using PEP 517", req.name + ) + if editable: + wheel_path = build_wheel_editable( + name=req.name, + backend=req.pep517_backend, + metadata_directory=req.metadata_directory, + tempd=temp_dir.path, + ) + else: + wheel_path = build_wheel_pep517( + name=req.name, + backend=req.pep517_backend, + metadata_directory=req.metadata_directory, + tempd=temp_dir.path, + ) + else: + wheel_path = build_wheel_legacy( + name=req.name, + setup_py_path=req.setup_py_path, + source_dir=req.unpacked_source_directory, + global_options=global_options, + build_options=build_options, + tempd=temp_dir.path, + ) + + if wheel_path is not None: + wheel_name = os.path.basename(wheel_path) + dest_path = os.path.join(output_dir, wheel_name) + try: + wheel_hash, length = hash_file(wheel_path) + shutil.move(wheel_path, dest_path) + logger.info( + "Created wheel for %s: filename=%s size=%d sha256=%s", + req.name, + wheel_name, + length, + wheel_hash.hexdigest(), + ) + logger.info("Stored in directory: %s", output_dir) + return dest_path + except Exception as e: + logger.warning( + "Building wheel for %s failed: %s", + req.name, + e, + ) + # Ignore return, we can't do anything else useful. + if not req.use_pep517: + _clean_one_legacy(req, global_options) + return None + + +def _clean_one_legacy(req: InstallRequirement, global_options: List[str]) -> bool: + clean_args = make_setuptools_clean_args( + req.setup_py_path, + global_options=global_options, + ) + + logger.info("Running setup.py clean for %s", req.name) + try: + call_subprocess(clean_args, cwd=req.source_dir) + return True + except Exception: + logger.error("Failed cleaning build dir for %s", req.name) + return False + + +def build( + requirements: Iterable[InstallRequirement], + wheel_cache: WheelCache, + verify: bool, + build_options: List[str], + global_options: List[str], +) -> BuildResult: + """Build wheels. + + :return: The list of InstallRequirement that succeeded to build and + the list of InstallRequirement that failed to build. + """ + if not requirements: + return [], [] + + # Build the wheels. + logger.info( + "Building wheels for collected packages: %s", + ", ".join(req.name for req in requirements), # type: ignore + ) + + with indent_log(): + build_successes, build_failures = [], [] + for req in requirements: + assert req.name + cache_dir = _get_cache_dir(req, wheel_cache) + wheel_file = _build_one( + req, + cache_dir, + verify, + build_options, + global_options, + req.editable and req.permit_editable_wheels, + ) + if wheel_file: + # Update the link for this. + req.link = Link(path_to_url(wheel_file)) + req.local_file_path = req.link.file_path + assert req.link.is_wheel + build_successes.append(req) + else: + build_failures.append(req) + + # notify success/failure + if build_successes: + logger.info( + "Successfully built %s", + " ".join([req.name for req in build_successes]), # type: ignore + ) + if build_failures: + logger.info( + "Failed to build %s", + " ".join([req.name for req in build_failures]), # type: ignore + ) + # Return a list of requirements that failed to build + return build_successes, build_failures diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/__init__.py b/venv/Lib/site-packages/pip/_vendor/__init__.py similarity index 78% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/__init__.py rename to venv/Lib/site-packages/pip/_vendor/__init__.py index b919b54..3843cb0 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/__init__.py +++ b/venv/Lib/site-packages/pip/_vendor/__init__.py @@ -30,24 +30,21 @@ def vendored(modulename): vendored_name = "{0}.{1}".format(__name__, modulename) try: - __import__(vendored_name, globals(), locals(), level=0) + __import__(modulename, globals(), locals(), level=0) except ImportError: - try: - __import__(modulename, globals(), locals(), level=0) - except ImportError: - # We can just silently allow import failures to pass here. If we - # got to this point it means that ``import pip._vendor.whatever`` - # failed and so did ``import whatever``. Since we're importing this - # upfront in an attempt to alias imports, not erroring here will - # just mean we get a regular import error whenever pip *actually* - # tries to import one of these modules to use it, which actually - # gives us a better error message than we would have otherwise - # gotten. - pass - else: - sys.modules[vendored_name] = sys.modules[modulename] - base, head = vendored_name.rsplit(".", 1) - setattr(sys.modules[base], head, sys.modules[modulename]) + # We can just silently allow import failures to pass here. If we + # got to this point it means that ``import pip._vendor.whatever`` + # failed and so did ``import whatever``. Since we're importing this + # upfront in an attempt to alias imports, not erroring here will + # just mean we get a regular import error whenever pip *actually* + # tries to import one of these modules to use it, which actually + # gives us a better error message than we would have otherwise + # gotten. + pass + else: + sys.modules[vendored_name] = sys.modules[modulename] + base, head = vendored_name.rsplit(".", 1) + setattr(sys.modules[base], head, sys.modules[modulename]) # If we're operating in a debundled setup, then we want to go ahead and trigger @@ -62,11 +59,11 @@ def vendored(modulename): # Actually alias all of our vendored dependencies. vendored("cachecontrol") + vendored("certifi") vendored("colorama") vendored("distlib") vendored("distro") vendored("html5lib") - vendored("lockfile") vendored("six") vendored("six.moves") vendored("six.moves.urllib") @@ -76,10 +73,10 @@ def vendored(modulename): vendored("packaging.specifiers") vendored("pep517") vendored("pkg_resources") + vendored("platformdirs") vendored("progress") - vendored("pytoml") - vendored("retrying") vendored("requests") + vendored("requests.exceptions") vendored("requests.packages") vendored("requests.packages.urllib3") vendored("requests.packages.urllib3._collections") @@ -108,4 +105,7 @@ def vendored(modulename): vendored("requests.packages.urllib3.util.ssl_") vendored("requests.packages.urllib3.util.timeout") vendored("requests.packages.urllib3.util.url") + vendored("resolvelib") + vendored("tenacity") + vendored("tomli") vendored("urllib3") diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/__init__.py b/venv/Lib/site-packages/pip/_vendor/cachecontrol/__init__.py similarity index 92% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/__init__.py rename to venv/Lib/site-packages/pip/_vendor/cachecontrol/__init__.py index 8fdee66..a1bbbbe 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/__init__.py +++ b/venv/Lib/site-packages/pip/_vendor/cachecontrol/__init__.py @@ -4,7 +4,7 @@ """ __author__ = "Eric Larson" __email__ = "eric@ionrock.org" -__version__ = "0.12.5" +__version__ = "0.12.6" from .wrapper import CacheControl from .adapter import CacheControlAdapter diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/_cmd.py b/venv/Lib/site-packages/pip/_vendor/cachecontrol/_cmd.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/_cmd.py rename to venv/Lib/site-packages/pip/_vendor/cachecontrol/_cmd.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/adapter.py b/venv/Lib/site-packages/pip/_vendor/cachecontrol/adapter.py similarity index 98% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/adapter.py rename to venv/Lib/site-packages/pip/_vendor/cachecontrol/adapter.py index 780eb28..815650e 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/adapter.py +++ b/venv/Lib/site-packages/pip/_vendor/cachecontrol/adapter.py @@ -24,7 +24,7 @@ def __init__( **kw ): super(CacheControlAdapter, self).__init__(*args, **kw) - self.cache = cache or DictCache() + self.cache = DictCache() if cache is None else cache self.heuristic = heuristic self.cacheable_methods = cacheable_methods or ("GET",) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/cache.py b/venv/Lib/site-packages/pip/_vendor/cachecontrol/cache.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/cache.py rename to venv/Lib/site-packages/pip/_vendor/cachecontrol/cache.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/__init__.py b/venv/Lib/site-packages/pip/_vendor/cachecontrol/caches/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/__init__.py rename to venv/Lib/site-packages/pip/_vendor/cachecontrol/caches/__init__.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/file_cache.py b/venv/Lib/site-packages/pip/_vendor/cachecontrol/caches/file_cache.py similarity index 96% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/file_cache.py rename to venv/Lib/site-packages/pip/_vendor/cachecontrol/caches/file_cache.py index 1ba0080..607b945 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/file_cache.py +++ b/venv/Lib/site-packages/pip/_vendor/cachecontrol/caches/file_cache.py @@ -69,8 +69,8 @@ def __init__( raise ValueError("Cannot use use_dir_lock and lock_class together") try: - from pip._vendor.lockfile import LockFile - from pip._vendor.lockfile.mkdirlockfile import MkdirLockFile + from lockfile import LockFile + from lockfile.mkdirlockfile import MkdirLockFile except ImportError: notice = dedent( """ diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/redis_cache.py b/venv/Lib/site-packages/pip/_vendor/cachecontrol/caches/redis_cache.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/caches/redis_cache.py rename to venv/Lib/site-packages/pip/_vendor/cachecontrol/caches/redis_cache.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/compat.py b/venv/Lib/site-packages/pip/_vendor/cachecontrol/compat.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/compat.py rename to venv/Lib/site-packages/pip/_vendor/cachecontrol/compat.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/controller.py b/venv/Lib/site-packages/pip/_vendor/cachecontrol/controller.py similarity index 96% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/controller.py rename to venv/Lib/site-packages/pip/_vendor/cachecontrol/controller.py index 1b2b943..dafe55c 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/controller.py +++ b/venv/Lib/site-packages/pip/_vendor/cachecontrol/controller.py @@ -34,7 +34,7 @@ class CacheController(object): def __init__( self, cache=None, cache_etags=True, serializer=None, status_codes=None ): - self.cache = cache or DictCache() + self.cache = DictCache() if cache is None else cache self.cache_etags = cache_etags self.serializer = serializer or Serializer() self.cacheable_status_codes = status_codes or (200, 203, 300, 301) @@ -293,6 +293,15 @@ def cache_response(self, request, response, body=None, status_codes=None): if no_store: return + # https://tools.ietf.org/html/rfc7234#section-4.1: + # A Vary header field-value of "*" always fails to match. + # Storing such a response leads to a deserialization warning + # during cache lookup and is not allowed to ever be served, + # so storing it can be avoided. + if "*" in response_headers.get("vary", ""): + logger.debug('Response header has "Vary: *"') + return + # If we've been given an etag, then keep the response if self.cache_etags and "etag" in response_headers: logger.debug("Caching due to etag") diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/filewrapper.py b/venv/Lib/site-packages/pip/_vendor/cachecontrol/filewrapper.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/filewrapper.py rename to venv/Lib/site-packages/pip/_vendor/cachecontrol/filewrapper.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/heuristics.py b/venv/Lib/site-packages/pip/_vendor/cachecontrol/heuristics.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/heuristics.py rename to venv/Lib/site-packages/pip/_vendor/cachecontrol/heuristics.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/serialize.py b/venv/Lib/site-packages/pip/_vendor/cachecontrol/serialize.py similarity index 97% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/serialize.py rename to venv/Lib/site-packages/pip/_vendor/cachecontrol/serialize.py index ec43ff2..3b6ec2d 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/serialize.py +++ b/venv/Lib/site-packages/pip/_vendor/cachecontrol/serialize.py @@ -107,6 +107,8 @@ def prepare_response(self, request, cached): """ # Special case the '*' Vary value as it means we cannot actually # determine if the cached response is suitable for this request. + # This case is also handled in the controller code when creating + # a cache entry, but is left here for backwards compatibility. if "*" in cached.get("vary", {}): return @@ -179,7 +181,7 @@ def _loads_v3(self, request, data): def _loads_v4(self, request, data): try: - cached = msgpack.loads(data, encoding="utf-8") + cached = msgpack.loads(data, raw=False) except ValueError: return diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/wrapper.py b/venv/Lib/site-packages/pip/_vendor/cachecontrol/wrapper.py similarity index 92% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/wrapper.py rename to venv/Lib/site-packages/pip/_vendor/cachecontrol/wrapper.py index 265bfc8..d8e6fc6 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/cachecontrol/wrapper.py +++ b/venv/Lib/site-packages/pip/_vendor/cachecontrol/wrapper.py @@ -13,7 +13,7 @@ def CacheControl( cacheable_methods=None, ): - cache = cache or DictCache() + cache = DictCache() if cache is None else cache adapter_class = adapter_class or CacheControlAdapter adapter = adapter_class( cache, diff --git a/venv/Lib/site-packages/pip/_vendor/certifi/__init__.py b/venv/Lib/site-packages/pip/_vendor/certifi/__init__.py new file mode 100644 index 0000000..eebdf88 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/certifi/__init__.py @@ -0,0 +1,3 @@ +from .core import contents, where + +__version__ = "2021.05.30" diff --git a/venv/Lib/site-packages/pip/_vendor/certifi/__main__.py b/venv/Lib/site-packages/pip/_vendor/certifi/__main__.py new file mode 100644 index 0000000..0037634 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/certifi/__main__.py @@ -0,0 +1,12 @@ +import argparse + +from pip._vendor.certifi import contents, where + +parser = argparse.ArgumentParser() +parser.add_argument("-c", "--contents", action="store_true") +args = parser.parse_args() + +if args.contents: + print(contents()) +else: + print(where()) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/cacert.pem b/venv/Lib/site-packages/pip/_vendor/certifi/cacert.pem similarity index 78% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/cacert.pem rename to venv/Lib/site-packages/pip/_vendor/certifi/cacert.pem index db68797..96e2fc6 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/certifi/cacert.pem +++ b/venv/Lib/site-packages/pip/_vendor/certifi/cacert.pem @@ -58,38 +58,6 @@ AfvDbbnvRG15RjF+Cv6pgsH/76tuIMRQyV+dTZsXjAzlAcmgQWpzU/qlULRuJQ/7 TBj0/VLZjmmx6BEP3ojY+x1J96relc8geMJgEtslQIxq/H5COEBkEveegeGTLg== -----END CERTIFICATE----- -# Issuer: CN=VeriSign Class 3 Public Primary Certification Authority - G3 O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 1999 VeriSign, Inc. - For authorized use only -# Subject: CN=VeriSign Class 3 Public Primary Certification Authority - G3 O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 1999 VeriSign, Inc. - For authorized use only -# Label: "Verisign Class 3 Public Primary Certification Authority - G3" -# Serial: 206684696279472310254277870180966723415 -# MD5 Fingerprint: cd:68:b6:a7:c7:c4:ce:75:e0:1d:4f:57:44:61:92:09 -# SHA1 Fingerprint: 13:2d:0d:45:53:4b:69:97:cd:b2:d5:c3:39:e2:55:76:60:9b:5c:c6 -# SHA256 Fingerprint: eb:04:cf:5e:b1:f3:9a:fa:76:2f:2b:b1:20:f2:96:cb:a5:20:c1:b9:7d:b1:58:95:65:b8:1c:b9:a1:7b:72:44 ------BEGIN CERTIFICATE----- -MIIEGjCCAwICEQCbfgZJoz5iudXukEhxKe9XMA0GCSqGSIb3DQEBBQUAMIHKMQsw -CQYDVQQGEwJVUzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZl -cmlTaWduIFRydXN0IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWdu -LCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxRTBDBgNVBAMTPFZlcmlT -aWduIENsYXNzIDMgUHVibGljIFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3Jp -dHkgLSBHMzAeFw05OTEwMDEwMDAwMDBaFw0zNjA3MTYyMzU5NTlaMIHKMQswCQYD -VQQGEwJVUzEXMBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZlcmlT -aWduIFRydXN0IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAxOTk5IFZlcmlTaWduLCBJ -bmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxRTBDBgNVBAMTPFZlcmlTaWdu -IENsYXNzIDMgUHVibGljIFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkg -LSBHMzCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBAMu6nFL8eB8aHm8b -N3O9+MlrlBIwT/A2R/XQkQr1F8ilYcEWQE37imGQ5XYgwREGfassbqb1EUGO+i2t -KmFZpGcmTNDovFJbcCAEWNF6yaRpvIMXZK0Fi7zQWM6NjPXr8EJJC52XJ2cybuGu -kxUccLwgTS8Y3pKI6GyFVxEa6X7jJhFUokWWVYPKMIno3Nij7SqAP395ZVc+FSBm -CC+Vk7+qRy+oRpfwEuL+wgorUeZ25rdGt+INpsyow0xZVYnm6FNcHOqd8GIWC6fJ -Xwzw3sJ2zq/3avL6QaaiMxTJ5Xpj055iN9WFZZ4O5lMkdBteHRJTW8cs54NJOxWu -imi5V5cCAwEAATANBgkqhkiG9w0BAQUFAAOCAQEAERSWwauSCPc/L8my/uRan2Te -2yFPhpk0djZX3dAVL8WtfxUfN2JzPtTnX84XA9s1+ivbrmAJXx5fj267Cz3qWhMe -DGBvtcC1IyIuBwvLqXTLR7sdwdela8wv0kL9Sd2nic9TutoAWii/gt/4uhMdUIaC -/Y4wjylGsB49Ndo4YhYYSq3mtlFs3q9i6wHQHiT+eo8SGhJouPtmmRQURVyu565p -F4ErWjfJXir0xuKhXFSbplQAz/DxwceYMBo7Nhbbo27q/a2ywtrvAkcTisDxszGt -TxzhT5yvDwyd93gN2PQ1VoDat20Xj50egWTh/sVFuq1ruQp6Tk9LhO5L8X3dEQ== ------END CERTIFICATE----- - # Issuer: CN=Entrust.net Certification Authority (2048) O=Entrust.net OU=www.entrust.net/CPS_2048 incorp. by ref. (limits liab.)/(c) 1999 Entrust.net Limited # Subject: CN=Entrust.net Certification Authority (2048) O=Entrust.net OU=www.entrust.net/CPS_2048 incorp. by ref. (limits liab.)/(c) 1999 Entrust.net Limited # Label: "Entrust.net Premium 2048 Secure Server CA" @@ -152,39 +120,6 @@ ksLi4xaNmjICq44Y3ekQEe5+NauQrz4wlHrQMz2nZQ/1/I6eYs9HRCwBXbsdtTLS R9I4LtD+gdwyah617jzV/OeBHRnDJELqYzmp -----END CERTIFICATE----- -# Issuer: CN=AddTrust External CA Root O=AddTrust AB OU=AddTrust External TTP Network -# Subject: CN=AddTrust External CA Root O=AddTrust AB OU=AddTrust External TTP Network -# Label: "AddTrust External Root" -# Serial: 1 -# MD5 Fingerprint: 1d:35:54:04:85:78:b0:3f:42:42:4d:bf:20:73:0a:3f -# SHA1 Fingerprint: 02:fa:f3:e2:91:43:54:68:60:78:57:69:4d:f5:e4:5b:68:85:18:68 -# SHA256 Fingerprint: 68:7f:a4:51:38:22:78:ff:f0:c8:b1:1f:8d:43:d5:76:67:1c:6e:b2:bc:ea:b4:13:fb:83:d9:65:d0:6d:2f:f2 ------BEGIN CERTIFICATE----- -MIIENjCCAx6gAwIBAgIBATANBgkqhkiG9w0BAQUFADBvMQswCQYDVQQGEwJTRTEU -MBIGA1UEChMLQWRkVHJ1c3QgQUIxJjAkBgNVBAsTHUFkZFRydXN0IEV4dGVybmFs -IFRUUCBOZXR3b3JrMSIwIAYDVQQDExlBZGRUcnVzdCBFeHRlcm5hbCBDQSBSb290 -MB4XDTAwMDUzMDEwNDgzOFoXDTIwMDUzMDEwNDgzOFowbzELMAkGA1UEBhMCU0Ux -FDASBgNVBAoTC0FkZFRydXN0IEFCMSYwJAYDVQQLEx1BZGRUcnVzdCBFeHRlcm5h -bCBUVFAgTmV0d29yazEiMCAGA1UEAxMZQWRkVHJ1c3QgRXh0ZXJuYWwgQ0EgUm9v -dDCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBALf3GjPm8gAELTngTlvt -H7xsD821+iO2zt6bETOXpClMfZOfvUq8k+0DGuOPz+VtUFrWlymUWoCwSXrbLpX9 -uMq/NzgtHj6RQa1wVsfwTz/oMp50ysiQVOnGXw94nZpAPA6sYapeFI+eh6FqUNzX -mk6vBbOmcZSccbNQYArHE504B4YCqOmoaSYYkKtMsE8jqzpPhNjfzp/haW+710LX -a0Tkx63ubUFfclpxCDezeWWkWaCUN/cALw3CknLa0Dhy2xSoRcRdKn23tNbE7qzN -E0S3ySvdQwAl+mG5aWpYIxG3pzOPVnVZ9c0p10a3CitlttNCbxWyuHv77+ldU9U0 -WicCAwEAAaOB3DCB2TAdBgNVHQ4EFgQUrb2YejS0Jvf6xCZU7wO94CTLVBowCwYD -VR0PBAQDAgEGMA8GA1UdEwEB/wQFMAMBAf8wgZkGA1UdIwSBkTCBjoAUrb2YejS0 -Jvf6xCZU7wO94CTLVBqhc6RxMG8xCzAJBgNVBAYTAlNFMRQwEgYDVQQKEwtBZGRU -cnVzdCBBQjEmMCQGA1UECxMdQWRkVHJ1c3QgRXh0ZXJuYWwgVFRQIE5ldHdvcmsx -IjAgBgNVBAMTGUFkZFRydXN0IEV4dGVybmFsIENBIFJvb3SCAQEwDQYJKoZIhvcN -AQEFBQADggEBALCb4IUlwtYj4g+WBpKdQZic2YR5gdkeWxQHIzZlj7DYd7usQWxH -YINRsPkyPef89iYTx4AWpb9a/IfPeHmJIZriTAcKhjW88t5RxNKWt9x+Tu5w/Rw5 -6wwCURQtjr0W4MHfRnXnJK3s9EK0hZNwEGe6nQY1ShjTK3rMUUKhemPR5ruhxSvC -Nr4TDea9Y355e6cJDUCrat2PisP29owaQgVR1EX1n6diIWgVIEM8med8vSTYqZEX -c4g/VhsxOBi0cQ+azcgOno4uG+GMmIPLHzHxREzGBHNJdmAPx/i9F4BrLunMTA5a -mnkPIAou1Z5jJh5VkpTYghdae9C8x49OhgQ= ------END CERTIFICATE----- - # Issuer: CN=Entrust Root Certification Authority O=Entrust, Inc. OU=www.entrust.net/CPS is incorporated by reference/(c) 2006 Entrust, Inc. # Subject: CN=Entrust Root Certification Authority O=Entrust, Inc. OU=www.entrust.net/CPS is incorporated by reference/(c) 2006 Entrust, Inc. # Label: "Entrust Root Certification Authority" @@ -220,112 +155,6 @@ eu6FSqdQgPCnXEqULl8FmTxSQeDNtGPPAUO6nIPcj2A781q0tHuu2guQOHXvgR1m 0vdXcDazv/wor3ElhVsT/h5/WrQ8 -----END CERTIFICATE----- -# Issuer: CN=GeoTrust Global CA O=GeoTrust Inc. -# Subject: CN=GeoTrust Global CA O=GeoTrust Inc. -# Label: "GeoTrust Global CA" -# Serial: 144470 -# MD5 Fingerprint: f7:75:ab:29:fb:51:4e:b7:77:5e:ff:05:3c:99:8e:f5 -# SHA1 Fingerprint: de:28:f4:a4:ff:e5:b9:2f:a3:c5:03:d1:a3:49:a7:f9:96:2a:82:12 -# SHA256 Fingerprint: ff:85:6a:2d:25:1d:cd:88:d3:66:56:f4:50:12:67:98:cf:ab:aa:de:40:79:9c:72:2d:e4:d2:b5:db:36:a7:3a ------BEGIN CERTIFICATE----- -MIIDVDCCAjygAwIBAgIDAjRWMA0GCSqGSIb3DQEBBQUAMEIxCzAJBgNVBAYTAlVT -MRYwFAYDVQQKEw1HZW9UcnVzdCBJbmMuMRswGQYDVQQDExJHZW9UcnVzdCBHbG9i -YWwgQ0EwHhcNMDIwNTIxMDQwMDAwWhcNMjIwNTIxMDQwMDAwWjBCMQswCQYDVQQG -EwJVUzEWMBQGA1UEChMNR2VvVHJ1c3QgSW5jLjEbMBkGA1UEAxMSR2VvVHJ1c3Qg -R2xvYmFsIENBMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEA2swYYzD9 -9BcjGlZ+W988bDjkcbd4kdS8odhM+KhDtgPpTSEHCIjaWC9mOSm9BXiLnTjoBbdq -fnGk5sRgprDvgOSJKA+eJdbtg/OtppHHmMlCGDUUna2YRpIuT8rxh0PBFpVXLVDv -iS2Aelet8u5fa9IAjbkU+BQVNdnARqN7csiRv8lVK83Qlz6cJmTM386DGXHKTubU -1XupGc1V3sjs0l44U+VcT4wt/lAjNvxm5suOpDkZALeVAjmRCw7+OC7RHQWa9k0+ -bw8HHa8sHo9gOeL6NlMTOdReJivbPagUvTLrGAMoUgRx5aszPeE4uwc2hGKceeoW -MPRfwCvocWvk+QIDAQABo1MwUTAPBgNVHRMBAf8EBTADAQH/MB0GA1UdDgQWBBTA -ephojYn7qwVkDBF9qn1luMrMTjAfBgNVHSMEGDAWgBTAephojYn7qwVkDBF9qn1l -uMrMTjANBgkqhkiG9w0BAQUFAAOCAQEANeMpauUvXVSOKVCUn5kaFOSPeCpilKIn -Z57QzxpeR+nBsqTP3UEaBU6bS+5Kb1VSsyShNwrrZHYqLizz/Tt1kL/6cdjHPTfS -tQWVYrmm3ok9Nns4d0iXrKYgjy6myQzCsplFAMfOEVEiIuCl6rYVSAlk6l5PdPcF -PseKUgzbFbS9bZvlxrFUaKnjaZC2mqUPuLk/IH2uSrW4nOQdtqvmlKXBx4Ot2/Un -hw4EbNX/3aBd7YdStysVAq45pmp06drE57xNNB6pXE0zX5IJL4hmXXeXxx12E6nV -5fEWCRE11azbJHFwLJhWC9kXtNHjUStedejV0NxPNO3CBWaAocvmMw== ------END CERTIFICATE----- - -# Issuer: CN=GeoTrust Universal CA O=GeoTrust Inc. -# Subject: CN=GeoTrust Universal CA O=GeoTrust Inc. -# Label: "GeoTrust Universal CA" -# Serial: 1 -# MD5 Fingerprint: 92:65:58:8b:a2:1a:31:72:73:68:5c:b4:a5:7a:07:48 -# SHA1 Fingerprint: e6:21:f3:35:43:79:05:9a:4b:68:30:9d:8a:2f:74:22:15:87:ec:79 -# SHA256 Fingerprint: a0:45:9b:9f:63:b2:25:59:f5:fa:5d:4c:6d:b3:f9:f7:2f:f1:93:42:03:35:78:f0:73:bf:1d:1b:46:cb:b9:12 ------BEGIN CERTIFICATE----- -MIIFaDCCA1CgAwIBAgIBATANBgkqhkiG9w0BAQUFADBFMQswCQYDVQQGEwJVUzEW -MBQGA1UEChMNR2VvVHJ1c3QgSW5jLjEeMBwGA1UEAxMVR2VvVHJ1c3QgVW5pdmVy -c2FsIENBMB4XDTA0MDMwNDA1MDAwMFoXDTI5MDMwNDA1MDAwMFowRTELMAkGA1UE -BhMCVVMxFjAUBgNVBAoTDUdlb1RydXN0IEluYy4xHjAcBgNVBAMTFUdlb1RydXN0 -IFVuaXZlcnNhbCBDQTCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAKYV -VaCjxuAfjJ0hUNfBvitbtaSeodlyWL0AG0y/YckUHUWCq8YdgNY96xCcOq9tJPi8 -cQGeBvV8Xx7BDlXKg5pZMK4ZyzBIle0iN430SppyZj6tlcDgFgDgEB8rMQ7XlFTT -QjOgNB0eRXbdT8oYN+yFFXoZCPzVx5zw8qkuEKmS5j1YPakWaDwvdSEYfyh3peFh -F7em6fgemdtzbvQKoiFs7tqqhZJmr/Z6a4LauiIINQ/PQvE1+mrufislzDoR5G2v -c7J2Ha3QsnhnGqQ5HFELZ1aD/ThdDc7d8Lsrlh/eezJS/R27tQahsiFepdaVaH/w -mZ7cRQg+59IJDTWU3YBOU5fXtQlEIGQWFwMCTFMNaN7VqnJNk22CDtucvc+081xd -VHppCZbW2xHBjXWotM85yM48vCR85mLK4b19p71XZQvk/iXttmkQ3CgaRr0BHdCX -teGYO8A3ZNY9lO4L4fUorgtWv3GLIylBjobFS1J72HGrH4oVpjuDWtdYAVHGTEHZ -f9hBZ3KiKN9gg6meyHv8U3NyWfWTehd2Ds735VzZC1U0oqpbtWpU5xPKV+yXbfRe -Bi9Fi1jUIxaS5BZuKGNZMN9QAZxjiRqf2xeUgnA3wySemkfWWspOqGmJch+RbNt+ -nhutxx9z3SxPGWX9f5NAEC7S8O08ni4oPmkmM8V7AgMBAAGjYzBhMA8GA1UdEwEB -/wQFMAMBAf8wHQYDVR0OBBYEFNq7LqqwDLiIJlF0XG0D08DYj3rWMB8GA1UdIwQY -MBaAFNq7LqqwDLiIJlF0XG0D08DYj3rWMA4GA1UdDwEB/wQEAwIBhjANBgkqhkiG -9w0BAQUFAAOCAgEAMXjmx7XfuJRAyXHEqDXsRh3ChfMoWIawC/yOsjmPRFWrZIRc -aanQmjg8+uUfNeVE44B5lGiku8SfPeE0zTBGi1QrlaXv9z+ZhP015s8xxtxqv6fX -IwjhmF7DWgh2qaavdy+3YL1ERmrvl/9zlcGO6JP7/TG37FcREUWbMPEaiDnBTzyn -ANXH/KttgCJwpQzgXQQpAvvLoJHRfNbDflDVnVi+QTjruXU8FdmbyUqDWcDaU/0z -uzYYm4UPFd3uLax2k7nZAY1IEKj79TiG8dsKxr2EoyNB3tZ3b4XUhRxQ4K5RirqN -Pnbiucon8l+f725ZDQbYKxek0nxru18UGkiPGkzns0ccjkxFKyDuSN/n3QmOGKja -QI2SJhFTYXNd673nxE0pN2HrrDktZy4W1vUAg4WhzH92xH3kt0tm7wNFYGm2DFKW -koRepqO1pD4r2czYG0eq8kTaT/kD6PAUyz/zg97QwVTjt+gKN02LIFkDMBmhLMi9 -ER/frslKxfMnZmaGrGiR/9nmUxwPi1xpZQomyB40w11Re9epnAahNt3ViZS82eQt -DF4JbAiXfKM9fJP/P6EUp8+1Xevb2xzEdt+Iub1FBZUbrvxGakyvSOPOrg/Sfuvm -bJxPgWp6ZKy7PtXny3YuxadIwVyQD8vIP/rmMuGNG2+k5o7Y+SlIis5z/iw= ------END CERTIFICATE----- - -# Issuer: CN=GeoTrust Universal CA 2 O=GeoTrust Inc. -# Subject: CN=GeoTrust Universal CA 2 O=GeoTrust Inc. -# Label: "GeoTrust Universal CA 2" -# Serial: 1 -# MD5 Fingerprint: 34:fc:b8:d0:36:db:9e:14:b3:c2:f2:db:8f:e4:94:c7 -# SHA1 Fingerprint: 37:9a:19:7b:41:85:45:35:0c:a6:03:69:f3:3c:2e:af:47:4f:20:79 -# SHA256 Fingerprint: a0:23:4f:3b:c8:52:7c:a5:62:8e:ec:81:ad:5d:69:89:5d:a5:68:0d:c9:1d:1c:b8:47:7f:33:f8:78:b9:5b:0b ------BEGIN CERTIFICATE----- -MIIFbDCCA1SgAwIBAgIBATANBgkqhkiG9w0BAQUFADBHMQswCQYDVQQGEwJVUzEW -MBQGA1UEChMNR2VvVHJ1c3QgSW5jLjEgMB4GA1UEAxMXR2VvVHJ1c3QgVW5pdmVy -c2FsIENBIDIwHhcNMDQwMzA0MDUwMDAwWhcNMjkwMzA0MDUwMDAwWjBHMQswCQYD -VQQGEwJVUzEWMBQGA1UEChMNR2VvVHJ1c3QgSW5jLjEgMB4GA1UEAxMXR2VvVHJ1 -c3QgVW5pdmVyc2FsIENBIDIwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoIC -AQCzVFLByT7y2dyxUxpZKeexw0Uo5dfR7cXFS6GqdHtXr0om/Nj1XqduGdt0DE81 -WzILAePb63p3NeqqWuDW6KFXlPCQo3RWlEQwAx5cTiuFJnSCegx2oG9NzkEtoBUG -FF+3Qs17j1hhNNwqCPkuwwGmIkQcTAeC5lvO0Ep8BNMZcyfwqph/Lq9O64ceJHdq -XbboW0W63MOhBW9Wjo8QJqVJwy7XQYci4E+GymC16qFjwAGXEHm9ADwSbSsVsaxL -se4YuU6W3Nx2/zu+z18DwPw76L5GG//aQMJS9/7jOvdqdzXQ2o3rXhhqMcceujwb -KNZrVMaqW9eiLBsZzKIC9ptZvTdrhrVtgrrY6slWvKk2WP0+GfPtDCapkzj4T8Fd -IgbQl+rhrcZV4IErKIM6+vR7IVEAvlI4zs1meaj0gVbi0IMJR1FbUGrP20gaXT73 -y/Zl92zxlfgCOzJWgjl6W70viRu/obTo/3+NjN8D8WBOWBFM66M/ECuDmgFz2ZRt -hAAnZqzwcEAJQpKtT5MNYQlRJNiS1QuUYbKHsu3/mjX/hVTK7URDrBs8FmtISgoc -QIgfksILAAX/8sgCSqSqqcyZlpwvWOB94b67B9xfBHJcMTTD7F8t4D1kkCLm0ey4 -Lt1ZrtmhN79UNdxzMk+MBB4zsslG8dhcyFVQyWi9qLo2CQIDAQABo2MwYTAPBgNV -HRMBAf8EBTADAQH/MB0GA1UdDgQWBBR281Xh+qQ2+/CfXGJx7Tz0RzgQKzAfBgNV -HSMEGDAWgBR281Xh+qQ2+/CfXGJx7Tz0RzgQKzAOBgNVHQ8BAf8EBAMCAYYwDQYJ -KoZIhvcNAQEFBQADggIBAGbBxiPz2eAubl/oz66wsCVNK/g7WJtAJDday6sWSf+z -dXkzoS9tcBc0kf5nfo/sm+VegqlVHy/c1FEHEv6sFj4sNcZj/NwQ6w2jqtB8zNHQ -L1EuxBRa3ugZ4T7GzKQp5y6EqgYweHZUcyiYWTjgAA1i00J9IZ+uPTqM1fp3DRgr -Fg5fNuH8KrUwJM/gYwx7WBr+mbpCErGR9Hxo4sjoryzqyX6uuyo9DRXcNJW2GHSo -ag/HtPQTxORb7QrSpJdMKu0vbBKJPfEncKpqA1Ihn0CoZ1Dy81of398j9tx4TuaY -T1U6U+Pv8vSfx3zYWK8pIpe44L2RLrB27FcRz+8pRPPphXpgY+RdM4kX2TGq2tbz -GDVyz4crL2MjhF2EjD9XoIj8mZEoJmmZ1I+XRL6O1UixpCgp8RW04eWe3fiPpm8m -1wk8OhwRDqZsN/etRIcsKMfYdIKz0G9KV7s1KSegi+ghp4dkNl3M2Basx7InQJJV -OCiNUW7dFGdTbHFcJoRNdVq2fmBWqU2t+5sel/MN2dKXVHfaPRK34B7vCAas+YWH -6aLcr34YEoP9VhdBLtUpgn2Z9DH2canPLAEnpQW5qrJITirvn5NSUZU8UnOOVkwX -QMAJKOSLakhT2+zNVVXxxvjpoixMptEmX36vWkzaH6byHCx+rgIW0lbQL1dTR+iS ------END CERTIFICATE----- - # Issuer: CN=AAA Certificate Services O=Comodo CA Limited # Subject: CN=AAA Certificate Services O=Comodo CA Limited # Label: "Comodo AAA Services root" @@ -359,48 +188,6 @@ l2D4kF501KKaU73yqWjgom7C12yxow+ev+to51byrvLjKzg6CYG1a4XXvi3tPxq3 smPi9WIsgtRqAEFQ8TmDn5XpNpaYbg== -----END CERTIFICATE----- -# Issuer: CN=QuoVadis Root Certification Authority O=QuoVadis Limited OU=Root Certification Authority -# Subject: CN=QuoVadis Root Certification Authority O=QuoVadis Limited OU=Root Certification Authority -# Label: "QuoVadis Root CA" -# Serial: 985026699 -# MD5 Fingerprint: 27:de:36:fe:72:b7:00:03:00:9d:f4:f0:1e:6c:04:24 -# SHA1 Fingerprint: de:3f:40:bd:50:93:d3:9b:6c:60:f6:da:bc:07:62:01:00:89:76:c9 -# SHA256 Fingerprint: a4:5e:de:3b:bb:f0:9c:8a:e1:5c:72:ef:c0:72:68:d6:93:a2:1c:99:6f:d5:1e:67:ca:07:94:60:fd:6d:88:73 ------BEGIN CERTIFICATE----- -MIIF0DCCBLigAwIBAgIEOrZQizANBgkqhkiG9w0BAQUFADB/MQswCQYDVQQGEwJC -TTEZMBcGA1UEChMQUXVvVmFkaXMgTGltaXRlZDElMCMGA1UECxMcUm9vdCBDZXJ0 -aWZpY2F0aW9uIEF1dGhvcml0eTEuMCwGA1UEAxMlUXVvVmFkaXMgUm9vdCBDZXJ0 -aWZpY2F0aW9uIEF1dGhvcml0eTAeFw0wMTAzMTkxODMzMzNaFw0yMTAzMTcxODMz -MzNaMH8xCzAJBgNVBAYTAkJNMRkwFwYDVQQKExBRdW9WYWRpcyBMaW1pdGVkMSUw -IwYDVQQLExxSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MS4wLAYDVQQDEyVR -dW9WYWRpcyBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIIBIjANBgkqhkiG -9w0BAQEFAAOCAQ8AMIIBCgKCAQEAv2G1lVO6V/z68mcLOhrfEYBklbTRvM16z/Yp -li4kVEAkOPcahdxYTMukJ0KX0J+DisPkBgNbAKVRHnAEdOLB1Dqr1607BxgFjv2D -rOpm2RgbaIr1VxqYuvXtdj182d6UajtLF8HVj71lODqV0D1VNk7feVcxKh7YWWVJ -WCCYfqtffp/p1k3sg3Spx2zY7ilKhSoGFPlU5tPaZQeLYzcS19Dsw3sgQUSj7cug -F+FxZc4dZjH3dgEZyH0DWLaVSR2mEiboxgx24ONmy+pdpibu5cxfvWenAScOospU -xbF6lR1xHkopigPcakXBpBlebzbNw6Kwt/5cOOJSvPhEQ+aQuwIDAQABo4ICUjCC -Ak4wPQYIKwYBBQUHAQEEMTAvMC0GCCsGAQUFBzABhiFodHRwczovL29jc3AucXVv -dmFkaXNvZmZzaG9yZS5jb20wDwYDVR0TAQH/BAUwAwEB/zCCARoGA1UdIASCAREw -ggENMIIBCQYJKwYBBAG+WAABMIH7MIHUBggrBgEFBQcCAjCBxxqBxFJlbGlhbmNl -IG9uIHRoZSBRdW9WYWRpcyBSb290IENlcnRpZmljYXRlIGJ5IGFueSBwYXJ0eSBh -c3N1bWVzIGFjY2VwdGFuY2Ugb2YgdGhlIHRoZW4gYXBwbGljYWJsZSBzdGFuZGFy -ZCB0ZXJtcyBhbmQgY29uZGl0aW9ucyBvZiB1c2UsIGNlcnRpZmljYXRpb24gcHJh -Y3RpY2VzLCBhbmQgdGhlIFF1b1ZhZGlzIENlcnRpZmljYXRlIFBvbGljeS4wIgYI -KwYBBQUHAgEWFmh0dHA6Ly93d3cucXVvdmFkaXMuYm0wHQYDVR0OBBYEFItLbe3T -KbkGGew5Oanwl4Rqy+/fMIGuBgNVHSMEgaYwgaOAFItLbe3TKbkGGew5Oanwl4Rq -y+/foYGEpIGBMH8xCzAJBgNVBAYTAkJNMRkwFwYDVQQKExBRdW9WYWRpcyBMaW1p -dGVkMSUwIwYDVQQLExxSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MS4wLAYD -VQQDEyVRdW9WYWRpcyBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5ggQ6tlCL -MA4GA1UdDwEB/wQEAwIBBjANBgkqhkiG9w0BAQUFAAOCAQEAitQUtf70mpKnGdSk -fnIYj9lofFIk3WdvOXrEql494liwTXCYhGHoG+NpGA7O+0dQoE7/8CQfvbLO9Sf8 -7C9TqnN7Az10buYWnuulLsS/VidQK2K6vkscPFVcQR0kvoIgR13VRH56FmjffU1R -cHhXHTMe/QKZnAzNCgVPx7uOpHX6Sm2xgI4JVrmcGmD+XcHXetwReNDWXcG31a0y -mQM6isxUJTkxgXsTIlG6Rmyhu576BGxJJnSP0nPrzDCi5upZIof4l/UO/erMkqQW -xFIY6iHOsfHmhIHluqmGKPJDWl0Snawe2ajlCmqnf6CHKc/yiU3U7MXi5nrQNiOK -SnQ2+Q== ------END CERTIFICATE----- - # Issuer: CN=QuoVadis Root CA 2 O=QuoVadis Limited # Subject: CN=QuoVadis Root CA 2 O=QuoVadis Limited # Label: "QuoVadis Root CA 2" @@ -516,33 +303,6 @@ JRDL8Try2frbSVa7pv6nQTXD4IhhyYjH3zYQIphZ6rBK+1YWc26sTfcioU+tHXot RSflMMFe8toTyyVCUZVHA4xsIcx0Qu1T/zOLjw9XARYvz6buyXAiFL39vmwLAw== -----END CERTIFICATE----- -# Issuer: CN=Sonera Class2 CA O=Sonera -# Subject: CN=Sonera Class2 CA O=Sonera -# Label: "Sonera Class 2 Root CA" -# Serial: 29 -# MD5 Fingerprint: a3:ec:75:0f:2e:88:df:fa:48:01:4e:0b:5c:48:6f:fb -# SHA1 Fingerprint: 37:f7:6d:e6:07:7c:90:c5:b1:3e:93:1a:b7:41:10:b4:f2:e4:9a:27 -# SHA256 Fingerprint: 79:08:b4:03:14:c1:38:10:0b:51:8d:07:35:80:7f:fb:fc:f8:51:8a:00:95:33:71:05:ba:38:6b:15:3d:d9:27 ------BEGIN CERTIFICATE----- -MIIDIDCCAgigAwIBAgIBHTANBgkqhkiG9w0BAQUFADA5MQswCQYDVQQGEwJGSTEP -MA0GA1UEChMGU29uZXJhMRkwFwYDVQQDExBTb25lcmEgQ2xhc3MyIENBMB4XDTAx -MDQwNjA3Mjk0MFoXDTIxMDQwNjA3Mjk0MFowOTELMAkGA1UEBhMCRkkxDzANBgNV -BAoTBlNvbmVyYTEZMBcGA1UEAxMQU29uZXJhIENsYXNzMiBDQTCCASIwDQYJKoZI -hvcNAQEBBQADggEPADCCAQoCggEBAJAXSjWdyvANlsdE+hY3/Ei9vX+ALTU74W+o -Z6m/AxxNjG8yR9VBaKQTBME1DJqEQ/xcHf+Js+gXGM2RX/uJ4+q/Tl18GybTdXnt -5oTjV+WtKcT0OijnpXuENmmz/V52vaMtmdOQTiMofRhj8VQ7Jp12W5dCsv+u8E7s -3TmVToMGf+dJQMjFAbJUWmYdPfz56TwKnoG4cPABi+QjVHzIrviQHgCWctRUz2Ej -vOr7nQKV0ba5cTppCD8PtOFCx4j1P5iop7oc4HFx71hXgVB6XGt0Rg6DA5jDjqhu -8nYybieDwnPz3BjotJPqdURrBGAgcVeHnfO+oJAjPYok4doh28MCAwEAAaMzMDEw -DwYDVR0TAQH/BAUwAwEB/zARBgNVHQ4ECgQISqCqWITTXjwwCwYDVR0PBAQDAgEG -MA0GCSqGSIb3DQEBBQUAA4IBAQBazof5FnIVV0sd2ZvnoiYw7JNn39Yt0jSv9zil -zqsWuasvfDXLrNAPtEwr/IDva4yRXzZ299uzGxnq9LIR/WFxRL8oszodv7ND6J+/ -3DEIcbCdjdY0RzKQxmUk96BKfARzjzlvF4xytb1LyHr4e4PDKE6cCepnP7JnBBvD -FNr450kkkdAdavphOe9r5yF1BgfYErQhIHBCcYHaPJo2vqZbDWpsmh+Re/n570K6 -Tk6ezAyNlNzZRZxe7EJQY670XcSxEtzKO6gunRRaBXW37Ndj4ro1tgQIkejanZz2 -ZrUYrAqmVCY0M9IbwdR/GjqOC6oybtv8TyWf2TLHllpwrN9M ------END CERTIFICATE----- - # Issuer: CN=XRamp Global Certification Authority O=XRamp Security Services Inc OU=www.xrampsecurity.com # Subject: CN=XRamp Global Certification Authority O=XRamp Security Services Inc OU=www.xrampsecurity.com # Label: "XRamp Global CA Root" @@ -640,46 +400,6 @@ VSJYACPq4xJDKVtHCN2MQWplBqjlIapBtJUhlbl90TSrE9atvNziPTnNvT51cKEY WQPJIrSPnNVeKtelttQKbfi3QBFGmh95DmK/D5fs4C8fF5Q= -----END CERTIFICATE----- -# Issuer: O=Government Root Certification Authority -# Subject: O=Government Root Certification Authority -# Label: "Taiwan GRCA" -# Serial: 42023070807708724159991140556527066870 -# MD5 Fingerprint: 37:85:44:53:32:45:1f:20:f0:f3:95:e1:25:c4:43:4e -# SHA1 Fingerprint: f4:8b:11:bf:de:ab:be:94:54:20:71:e6:41:de:6b:be:88:2b:40:b9 -# SHA256 Fingerprint: 76:00:29:5e:ef:e8:5b:9e:1f:d6:24:db:76:06:2a:aa:ae:59:81:8a:54:d2:77:4c:d4:c0:b2:c0:11:31:e1:b3 ------BEGIN CERTIFICATE----- -MIIFcjCCA1qgAwIBAgIQH51ZWtcvwgZEpYAIaeNe9jANBgkqhkiG9w0BAQUFADA/ -MQswCQYDVQQGEwJUVzEwMC4GA1UECgwnR292ZXJubWVudCBSb290IENlcnRpZmlj -YXRpb24gQXV0aG9yaXR5MB4XDTAyMTIwNTEzMjMzM1oXDTMyMTIwNTEzMjMzM1ow -PzELMAkGA1UEBhMCVFcxMDAuBgNVBAoMJ0dvdmVybm1lbnQgUm9vdCBDZXJ0aWZp -Y2F0aW9uIEF1dGhvcml0eTCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIB -AJoluOzMonWoe/fOW1mKydGGEghU7Jzy50b2iPN86aXfTEc2pBsBHH8eV4qNw8XR -IePaJD9IK/ufLqGU5ywck9G/GwGHU5nOp/UKIXZ3/6m3xnOUT0b3EEk3+qhZSV1q -gQdW8or5BtD3cCJNtLdBuTK4sfCxw5w/cP1T3YGq2GN49thTbqGsaoQkclSGxtKy -yhwOeYHWtXBiCAEuTk8O1RGvqa/lmr/czIdtJuTJV6L7lvnM4T9TjGxMfptTCAts -F/tnyMKtsc2AtJfcdgEWFelq16TheEfOhtX7MfP6Mb40qij7cEwdScevLJ1tZqa2 -jWR+tSBqnTuBto9AAGdLiYa4zGX+FVPpBMHWXx1E1wovJ5pGfaENda1UhhXcSTvx -ls4Pm6Dso3pdvtUqdULle96ltqqvKKyskKw4t9VoNSZ63Pc78/1Fm9G7Q3hub/FC -VGqY8A2tl+lSXunVanLeavcbYBT0peS2cWeqH+riTcFCQP5nRhc4L0c/cZyu5SHK -YS1tB6iEfC3uUSXxY5Ce/eFXiGvviiNtsea9P63RPZYLhY3Naye7twWb7LuRqQoH -EgKXTiCQ8P8NHuJBO9NAOueNXdpm5AKwB1KYXA6OM5zCppX7VRluTI6uSw+9wThN -Xo+EHWbNxWCWtFJaBYmOlXqYwZE8lSOyDvR5tMl8wUohAgMBAAGjajBoMB0GA1Ud -DgQWBBTMzO/MKWCkO7GStjz6MmKPrCUVOzAMBgNVHRMEBTADAQH/MDkGBGcqBwAE -MTAvMC0CAQAwCQYFKw4DAhoFADAHBgVnKgMAAAQUA5vwIhP/lSg209yewDL7MTqK -UWUwDQYJKoZIhvcNAQEFBQADggIBAECASvomyc5eMN1PhnR2WPWus4MzeKR6dBcZ -TulStbngCnRiqmjKeKBMmo4sIy7VahIkv9Ro04rQ2JyftB8M3jh+Vzj8jeJPXgyf -qzvS/3WXy6TjZwj/5cAWtUgBfen5Cv8b5Wppv3ghqMKnI6mGq3ZW6A4M9hPdKmaK -ZEk9GhiHkASfQlK3T8v+R0F2Ne//AHY2RTKbxkaFXeIksB7jSJaYV0eUVXoPQbFE -JPPB/hprv4j9wabak2BegUqZIJxIZhm1AHlUD7gsL0u8qV1bYH+Mh6XgUmMqvtg7 -hUAV/h62ZT/FS9p+tXo1KaMuephgIqP0fSdOLeq0dDzpD6QzDxARvBMB1uUO07+1 -EqLhRSPAzAhuYbeJq4PjJB7mXQfnHyA+z2fI56wwbSdLaG5LKlwCCDTb+HbkZ6Mm -nD+iMsJKxYEYMRBWqoTvLQr/uB930r+lWKBi5NdLkXWNiYCYfm3LU05er/ayl4WX -udpVBrkk7tfGOB5jGxI7leFYrPLfhNVfmS8NVVvmONsuP3LpSIXLuykTjx44Vbnz -ssQwmSNOXfJIoRIM3BKQCZBUkQM8R+XVyWXgt0t97EfTsws+rZ7QdAAO671RrcDe -LMDDav7v3Aun+kbfYNucpllQdSNpc5Oy+fwC00fmcc4QAu4njIT/rEUNE1yDMuAl -pYYsfPQS ------END CERTIFICATE----- - # Issuer: CN=DigiCert Assured ID Root CA O=DigiCert Inc OU=www.digicert.com # Subject: CN=DigiCert Assured ID Root CA O=DigiCert Inc OU=www.digicert.com # Label: "DigiCert Assured ID Root CA" @@ -771,36 +491,6 @@ vEsXCS+0yx5DaMkHJ8HSXPfqIbloEpw8nL+e/IBcm2PN7EeqJSdnoDfzAIJ9VNep +OkuE6N36B9K -----END CERTIFICATE----- -# Issuer: CN=Class 2 Primary CA O=Certplus -# Subject: CN=Class 2 Primary CA O=Certplus -# Label: "Certplus Class 2 Primary CA" -# Serial: 177770208045934040241468760488327595043 -# MD5 Fingerprint: 88:2c:8c:52:b8:a2:3c:f3:f7:bb:03:ea:ae:ac:42:0b -# SHA1 Fingerprint: 74:20:74:41:72:9c:dd:92:ec:79:31:d8:23:10:8d:c2:81:92:e2:bb -# SHA256 Fingerprint: 0f:99:3c:8a:ef:97:ba:af:56:87:14:0e:d5:9a:d1:82:1b:b4:af:ac:f0:aa:9a:58:b5:d5:7a:33:8a:3a:fb:cb ------BEGIN CERTIFICATE----- -MIIDkjCCAnqgAwIBAgIRAIW9S/PY2uNp9pTXX8OlRCMwDQYJKoZIhvcNAQEFBQAw -PTELMAkGA1UEBhMCRlIxETAPBgNVBAoTCENlcnRwbHVzMRswGQYDVQQDExJDbGFz -cyAyIFByaW1hcnkgQ0EwHhcNOTkwNzA3MTcwNTAwWhcNMTkwNzA2MjM1OTU5WjA9 -MQswCQYDVQQGEwJGUjERMA8GA1UEChMIQ2VydHBsdXMxGzAZBgNVBAMTEkNsYXNz -IDIgUHJpbWFyeSBDQTCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBANxQ -ltAS+DXSCHh6tlJw/W/uz7kRy1134ezpfgSN1sxvc0NXYKwzCkTsA18cgCSR5aiR -VhKC9+Ar9NuuYS6JEI1rbLqzAr3VNsVINyPi8Fo3UjMXEuLRYE2+L0ER4/YXJQyL -kcAbmXuZVg2v7tK8R1fjeUl7NIknJITesezpWE7+Tt9avkGtrAjFGA7v0lPubNCd -EgETjdyAYveVqUSISnFOYFWe2yMZeVYHDD9jC1yw4r5+FfyUM1hBOHTE4Y+L3yas -H7WLO7dDWWuwJKZtkIvEcupdM5i3y95ee++U8Rs+yskhwcWYAqqi9lt3m/V+llU0 -HGdpwPFC40es/CgcZlUCAwEAAaOBjDCBiTAPBgNVHRMECDAGAQH/AgEKMAsGA1Ud -DwQEAwIBBjAdBgNVHQ4EFgQU43Mt38sOKAze3bOkynm4jrvoMIkwEQYJYIZIAYb4 -QgEBBAQDAgEGMDcGA1UdHwQwMC4wLKAqoCiGJmh0dHA6Ly93d3cuY2VydHBsdXMu -Y29tL0NSTC9jbGFzczIuY3JsMA0GCSqGSIb3DQEBBQUAA4IBAQCnVM+IRBnL39R/ -AN9WM2K191EBkOvDP9GIROkkXe/nFL0gt5o8AP5tn9uQ3Nf0YtaLcF3n5QRIqWh8 -yfFC82x/xXp8HVGIutIKPidd3i1RTtMTZGnkLuPT55sJmabglZvOGtd/vjzOUrMR -FcEPF80Du5wlFbqidon8BvEY0JNLDnyCt6X09l/+7UCmnYR0ObncHoUW2ikbhiMA -ybuJfm6AiB4vFLQDJKgybwOaRywwvlbGp0ICcBvqQNi6BQNwB6SW//1IMwrh3KWB -kJtN3X3n57LNXMhqlfil9o3EXXgIvnsG1knPGTZQIy4I5p4FTUcY1Rbpsda2ENW7 -l7+ijrRU ------END CERTIFICATE----- - # Issuer: CN=DST Root CA X3 O=Digital Signature Trust Co. # Subject: CN=DST Root CA X3 O=Digital Signature Trust Co. # Label: "DST Root CA X3" @@ -911,104 +601,6 @@ hAhm0sQ2fac+EPyI4NSA5QC9qvNOBqN6avlicuMJT+ubDgEj8Z+7fNzcbBGXJbLy tGMU0gYqZ4yD9c7qB9iaah7s5Aq7KkzrCWA5zspi2C5u -----END CERTIFICATE----- -# Issuer: CN=GeoTrust Primary Certification Authority O=GeoTrust Inc. -# Subject: CN=GeoTrust Primary Certification Authority O=GeoTrust Inc. -# Label: "GeoTrust Primary Certification Authority" -# Serial: 32798226551256963324313806436981982369 -# MD5 Fingerprint: 02:26:c3:01:5e:08:30:37:43:a9:d0:7d:cf:37:e6:bf -# SHA1 Fingerprint: 32:3c:11:8e:1b:f7:b8:b6:52:54:e2:e2:10:0d:d6:02:90:37:f0:96 -# SHA256 Fingerprint: 37:d5:10:06:c5:12:ea:ab:62:64:21:f1:ec:8c:92:01:3f:c5:f8:2a:e9:8e:e5:33:eb:46:19:b8:de:b4:d0:6c ------BEGIN CERTIFICATE----- -MIIDfDCCAmSgAwIBAgIQGKy1av1pthU6Y2yv2vrEoTANBgkqhkiG9w0BAQUFADBY -MQswCQYDVQQGEwJVUzEWMBQGA1UEChMNR2VvVHJ1c3QgSW5jLjExMC8GA1UEAxMo -R2VvVHJ1c3QgUHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAeFw0wNjEx -MjcwMDAwMDBaFw0zNjA3MTYyMzU5NTlaMFgxCzAJBgNVBAYTAlVTMRYwFAYDVQQK -Ew1HZW9UcnVzdCBJbmMuMTEwLwYDVQQDEyhHZW9UcnVzdCBQcmltYXJ5IENlcnRp -ZmljYXRpb24gQXV0aG9yaXR5MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKC -AQEAvrgVe//UfH1nrYNke8hCUy3f9oQIIGHWAVlqnEQRr+92/ZV+zmEwu3qDXwK9 -AWbK7hWNb6EwnL2hhZ6UOvNWiAAxz9juapYC2e0DjPt1befquFUWBRaa9OBesYjA -ZIVcFU2Ix7e64HXprQU9nceJSOC7KMgD4TCTZF5SwFlwIjVXiIrxlQqD17wxcwE0 -7e9GceBrAqg1cmuXm2bgyxx5X9gaBGgeRwLmnWDiNpcB3841kt++Z8dtd1k7j53W -kBWUvEI0EME5+bEnPn7WinXFsq+W06Lem+SYvn3h6YGttm/81w7a4DSwDRp35+MI -mO9Y+pyEtzavwt+s0vQQBnBxNQIDAQABo0IwQDAPBgNVHRMBAf8EBTADAQH/MA4G -A1UdDwEB/wQEAwIBBjAdBgNVHQ4EFgQULNVQQZcVi/CPNmFbSvtr2ZnJM5IwDQYJ -KoZIhvcNAQEFBQADggEBAFpwfyzdtzRP9YZRqSa+S7iq8XEN3GHHoOo0Hnp3DwQ1 -6CePbJC/kRYkRj5KTs4rFtULUh38H2eiAkUxT87z+gOneZ1TatnaYzr4gNfTmeGl -4b7UVXGYNTq+k+qurUKykG/g/CFNNWMziUnWm07Kx+dOCQD32sfvmWKZd7aVIl6K -oKv0uHiYyjgZmclynnjNS6yvGaBzEi38wkG6gZHaFloxt/m0cYASSJlyc1pZU8Fj -UjPtp8nSOQJw+uCxQmYpqptR7TBUIhRf2asdweSU8Pj1K/fqynhG1riR/aYNKxoU -AT6A8EKglQdebc3MS6RFjasS6LPeWuWgfOgPIh1a6Vk= ------END CERTIFICATE----- - -# Issuer: CN=thawte Primary Root CA O=thawte, Inc. OU=Certification Services Division/(c) 2006 thawte, Inc. - For authorized use only -# Subject: CN=thawte Primary Root CA O=thawte, Inc. OU=Certification Services Division/(c) 2006 thawte, Inc. - For authorized use only -# Label: "thawte Primary Root CA" -# Serial: 69529181992039203566298953787712940909 -# MD5 Fingerprint: 8c:ca:dc:0b:22:ce:f5:be:72:ac:41:1a:11:a8:d8:12 -# SHA1 Fingerprint: 91:c6:d6:ee:3e:8a:c8:63:84:e5:48:c2:99:29:5c:75:6c:81:7b:81 -# SHA256 Fingerprint: 8d:72:2f:81:a9:c1:13:c0:79:1d:f1:36:a2:96:6d:b2:6c:95:0a:97:1d:b4:6b:41:99:f4:ea:54:b7:8b:fb:9f ------BEGIN CERTIFICATE----- -MIIEIDCCAwigAwIBAgIQNE7VVyDV7exJ9C/ON9srbTANBgkqhkiG9w0BAQUFADCB -qTELMAkGA1UEBhMCVVMxFTATBgNVBAoTDHRoYXd0ZSwgSW5jLjEoMCYGA1UECxMf -Q2VydGlmaWNhdGlvbiBTZXJ2aWNlcyBEaXZpc2lvbjE4MDYGA1UECxMvKGMpIDIw -MDYgdGhhd3RlLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxHzAdBgNV -BAMTFnRoYXd0ZSBQcmltYXJ5IFJvb3QgQ0EwHhcNMDYxMTE3MDAwMDAwWhcNMzYw -NzE2MjM1OTU5WjCBqTELMAkGA1UEBhMCVVMxFTATBgNVBAoTDHRoYXd0ZSwgSW5j -LjEoMCYGA1UECxMfQ2VydGlmaWNhdGlvbiBTZXJ2aWNlcyBEaXZpc2lvbjE4MDYG -A1UECxMvKGMpIDIwMDYgdGhhd3RlLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNl -IG9ubHkxHzAdBgNVBAMTFnRoYXd0ZSBQcmltYXJ5IFJvb3QgQ0EwggEiMA0GCSqG -SIb3DQEBAQUAA4IBDwAwggEKAoIBAQCsoPD7gFnUnMekz52hWXMJEEUMDSxuaPFs -W0hoSVk3/AszGcJ3f8wQLZU0HObrTQmnHNK4yZc2AreJ1CRfBsDMRJSUjQJib+ta -3RGNKJpchJAQeg29dGYvajig4tVUROsdB58Hum/u6f1OCyn1PoSgAfGcq/gcfomk -6KHYcWUNo1F77rzSImANuVud37r8UVsLr5iy6S7pBOhih94ryNdOwUxkHt3Ph1i6 -Sk/KaAcdHJ1KxtUvkcx8cXIcxcBn6zL9yZJclNqFwJu/U30rCfSMnZEfl2pSy94J -NqR32HuHUETVPm4pafs5SSYeCaWAe0At6+gnhcn+Yf1+5nyXHdWdAgMBAAGjQjBA -MA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0GA1UdDgQWBBR7W0XP -r87Lev0xkhpqtvNG61dIUDANBgkqhkiG9w0BAQUFAAOCAQEAeRHAS7ORtvzw6WfU -DW5FvlXok9LOAz/t2iWwHVfLHjp2oEzsUHboZHIMpKnxuIvW1oeEuzLlQRHAd9mz -YJ3rG9XRbkREqaYB7FViHXe4XI5ISXycO1cRrK1zN44veFyQaEfZYGDm/Ac9IiAX -xPcW6cTYcvnIc3zfFi8VqT79aie2oetaupgf1eNNZAqdE8hhuvU5HIe6uL17In/2 -/qxAeeWsEG89jxt5dovEN7MhGITlNgDrYyCZuen+MwS7QcjBAvlEYyCegc5C09Y/ -LHbTY5xZ3Y+m4Q6gLkH3LpVHz7z9M/P2C2F+fpErgUfCJzDupxBdN49cOSvkBPB7 -jVaMaA== ------END CERTIFICATE----- - -# Issuer: CN=VeriSign Class 3 Public Primary Certification Authority - G5 O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 2006 VeriSign, Inc. - For authorized use only -# Subject: CN=VeriSign Class 3 Public Primary Certification Authority - G5 O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 2006 VeriSign, Inc. - For authorized use only -# Label: "VeriSign Class 3 Public Primary Certification Authority - G5" -# Serial: 33037644167568058970164719475676101450 -# MD5 Fingerprint: cb:17:e4:31:67:3e:e2:09:fe:45:57:93:f3:0a:fa:1c -# SHA1 Fingerprint: 4e:b6:d5:78:49:9b:1c:cf:5f:58:1e:ad:56:be:3d:9b:67:44:a5:e5 -# SHA256 Fingerprint: 9a:cf:ab:7e:43:c8:d8:80:d0:6b:26:2a:94:de:ee:e4:b4:65:99:89:c3:d0:ca:f1:9b:af:64:05:e4:1a:b7:df ------BEGIN CERTIFICATE----- -MIIE0zCCA7ugAwIBAgIQGNrRniZ96LtKIVjNzGs7SjANBgkqhkiG9w0BAQUFADCB -yjELMAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQL -ExZWZXJpU2lnbiBUcnVzdCBOZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwNiBWZXJp -U2lnbiwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MUUwQwYDVQQDEzxW -ZXJpU2lnbiBDbGFzcyAzIFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0 -aG9yaXR5IC0gRzUwHhcNMDYxMTA4MDAwMDAwWhcNMzYwNzE2MjM1OTU5WjCByjEL -MAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQLExZW -ZXJpU2lnbiBUcnVzdCBOZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwNiBWZXJpU2ln -biwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MUUwQwYDVQQDEzxWZXJp -U2lnbiBDbGFzcyAzIFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0aG9y -aXR5IC0gRzUwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCvJAgIKXo1 -nmAMqudLO07cfLw8RRy7K+D+KQL5VwijZIUVJ/XxrcgxiV0i6CqqpkKzj/i5Vbex -t0uz/o9+B1fs70PbZmIVYc9gDaTY3vjgw2IIPVQT60nKWVSFJuUrjxuf6/WhkcIz -SdhDY2pSS9KP6HBRTdGJaXvHcPaz3BJ023tdS1bTlr8Vd6Gw9KIl8q8ckmcY5fQG -BO+QueQA5N06tRn/Arr0PO7gi+s3i+z016zy9vA9r911kTMZHRxAy3QkGSGT2RT+ -rCpSx4/VBEnkjWNHiDxpg8v+R70rfk/Fla4OndTRQ8Bnc+MUCH7lP59zuDMKz10/ -NIeWiu5T6CUVAgMBAAGjgbIwga8wDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8E -BAMCAQYwbQYIKwYBBQUHAQwEYTBfoV2gWzBZMFcwVRYJaW1hZ2UvZ2lmMCEwHzAH -BgUrDgMCGgQUj+XTGoasjY5rw8+AatRIGCx7GS4wJRYjaHR0cDovL2xvZ28udmVy -aXNpZ24uY29tL3ZzbG9nby5naWYwHQYDVR0OBBYEFH/TZafC3ey78DAJ80M5+gKv -MzEzMA0GCSqGSIb3DQEBBQUAA4IBAQCTJEowX2LP2BqYLz3q3JktvXf2pXkiOOzE -p6B4Eq1iDkVwZMXnl2YtmAl+X6/WzChl8gGqCBpH3vn5fJJaCGkgDdk+bW48DW7Y -5gaRQBi5+MHt39tBquCWIMnNZBU4gcmU7qKEKQsTb47bDN0lAtukixlE0kF6BWlK -WE9gyn6CagsCqiUXObXbf+eEZSqVir2G3l6BFoMtEMze/aiCKm0oHw0LxOXnGiYZ -4fQRbxC1lfznQgUy286dUV4otp6F01vvpX1FQHKOtw5rDgb7MzVIcbidJ4vEZV8N -hnacRHr2lVz2XTIIM6RUthg/aFzyQkqFOFSDX9HoLPKsEdao7WNq ------END CERTIFICATE----- - # Issuer: CN=SecureTrust CA O=SecureTrust Corporation # Subject: CN=SecureTrust CA O=SecureTrust Corporation # Label: "SecureTrust CA" @@ -1157,38 +749,6 @@ fQjGGoe9GKhzvSbKYAydzpmfz1wPMOG+FDHqAjAU9JM8SaczepBGR7NjfRObTrdv GDeAU/7dIOA1mjbRxwG55tzd8/8dLDoWV9mSOdY= -----END CERTIFICATE----- -# Issuer: CN=OISTE WISeKey Global Root GA CA O=WISeKey OU=Copyright (c) 2005/OISTE Foundation Endorsed -# Subject: CN=OISTE WISeKey Global Root GA CA O=WISeKey OU=Copyright (c) 2005/OISTE Foundation Endorsed -# Label: "OISTE WISeKey Global Root GA CA" -# Serial: 86718877871133159090080555911823548314 -# MD5 Fingerprint: bc:6c:51:33:a7:e9:d3:66:63:54:15:72:1b:21:92:93 -# SHA1 Fingerprint: 59:22:a1:e1:5a:ea:16:35:21:f8:98:39:6a:46:46:b0:44:1b:0f:a9 -# SHA256 Fingerprint: 41:c9:23:86:6a:b4:ca:d6:b7:ad:57:80:81:58:2e:02:07:97:a6:cb:df:4f:ff:78:ce:83:96:b3:89:37:d7:f5 ------BEGIN CERTIFICATE----- -MIID8TCCAtmgAwIBAgIQQT1yx/RrH4FDffHSKFTfmjANBgkqhkiG9w0BAQUFADCB -ijELMAkGA1UEBhMCQ0gxEDAOBgNVBAoTB1dJU2VLZXkxGzAZBgNVBAsTEkNvcHly -aWdodCAoYykgMjAwNTEiMCAGA1UECxMZT0lTVEUgRm91bmRhdGlvbiBFbmRvcnNl -ZDEoMCYGA1UEAxMfT0lTVEUgV0lTZUtleSBHbG9iYWwgUm9vdCBHQSBDQTAeFw0w -NTEyMTExNjAzNDRaFw0zNzEyMTExNjA5NTFaMIGKMQswCQYDVQQGEwJDSDEQMA4G -A1UEChMHV0lTZUtleTEbMBkGA1UECxMSQ29weXJpZ2h0IChjKSAyMDA1MSIwIAYD -VQQLExlPSVNURSBGb3VuZGF0aW9uIEVuZG9yc2VkMSgwJgYDVQQDEx9PSVNURSBX -SVNlS2V5IEdsb2JhbCBSb290IEdBIENBMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8A -MIIBCgKCAQEAy0+zAJs9Nt350UlqaxBJH+zYK7LG+DKBKUOVTJoZIyEVRd7jyBxR -VVuuk+g3/ytr6dTqvirdqFEr12bDYVxgAsj1znJ7O7jyTmUIms2kahnBAbtzptf2 -w93NvKSLtZlhuAGio9RN1AU9ka34tAhxZK9w8RxrfvbDd50kc3vkDIzh2TbhmYsF -mQvtRTEJysIA2/dyoJaqlYfQjse2YXMNdmaM3Bu0Y6Kff5MTMPGhJ9vZ/yxViJGg -4E8HsChWjBgbl0SOid3gF27nKu+POQoxhILYQBRJLnpB5Kf+42TMwVlxSywhp1t9 -4B3RLoGbw9ho972WG6xwsRYUC9tguSYBBQIDAQABo1EwTzALBgNVHQ8EBAMCAYYw -DwYDVR0TAQH/BAUwAwEB/zAdBgNVHQ4EFgQUswN+rja8sHnR3JQmthG+IbJphpQw -EAYJKwYBBAGCNxUBBAMCAQAwDQYJKoZIhvcNAQEFBQADggEBAEuh/wuHbrP5wUOx -SPMowB0uyQlB+pQAHKSkq0lPjz0e701vvbyk9vImMMkQyh2I+3QZH4VFvbBsUfk2 -ftv1TDI6QU9bR8/oCy22xBmddMVHxjtqD6wU2zz0c5ypBd8A3HR4+vg1YFkCExh8 -vPtNsCBtQ7tgMHpnM1zFmdH4LTlSc/uMqpclXHLZCB6rTjzjgTGfA6b7wP4piFXa -hNVQA7bihKOmNqoROgHhGEvWRGizPflTdISzRpFGlgC3gCy24eMQ4tui5yiPAZZi -Fj4A4xylNoEYokxSdsARo27mHbrjWr42U8U+dY+GaSlYU7Wcu2+fXMUY7N0v4ZjJ -/L7fCg0= ------END CERTIFICATE----- - # Issuer: CN=Certigna O=Dhimyotis # Subject: CN=Certigna O=Dhimyotis # Label: "Certigna" @@ -1219,36 +779,6 @@ t0QmwCbAr1UwnjvVNioZBPRcHv/PLLf/0P2HQBHVESO7SMAhqaQoLf0V+LBOK/Qw WyH8EZE0vkHve52Xdf+XlcCWWC/qu0bXu+TZLg== -----END CERTIFICATE----- -# Issuer: CN=Deutsche Telekom Root CA 2 O=Deutsche Telekom AG OU=T-TeleSec Trust Center -# Subject: CN=Deutsche Telekom Root CA 2 O=Deutsche Telekom AG OU=T-TeleSec Trust Center -# Label: "Deutsche Telekom Root CA 2" -# Serial: 38 -# MD5 Fingerprint: 74:01:4a:91:b1:08:c4:58:ce:47:cd:f0:dd:11:53:08 -# SHA1 Fingerprint: 85:a4:08:c0:9c:19:3e:5d:51:58:7d:cd:d6:13:30:fd:8c:de:37:bf -# SHA256 Fingerprint: b6:19:1a:50:d0:c3:97:7f:7d:a9:9b:cd:aa:c8:6a:22:7d:ae:b9:67:9e:c7:0b:a3:b0:c9:d9:22:71:c1:70:d3 ------BEGIN CERTIFICATE----- -MIIDnzCCAoegAwIBAgIBJjANBgkqhkiG9w0BAQUFADBxMQswCQYDVQQGEwJERTEc -MBoGA1UEChMTRGV1dHNjaGUgVGVsZWtvbSBBRzEfMB0GA1UECxMWVC1UZWxlU2Vj -IFRydXN0IENlbnRlcjEjMCEGA1UEAxMaRGV1dHNjaGUgVGVsZWtvbSBSb290IENB -IDIwHhcNOTkwNzA5MTIxMTAwWhcNMTkwNzA5MjM1OTAwWjBxMQswCQYDVQQGEwJE -RTEcMBoGA1UEChMTRGV1dHNjaGUgVGVsZWtvbSBBRzEfMB0GA1UECxMWVC1UZWxl -U2VjIFRydXN0IENlbnRlcjEjMCEGA1UEAxMaRGV1dHNjaGUgVGVsZWtvbSBSb290 -IENBIDIwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQCrC6M14IspFLEU -ha88EOQ5bzVdSq7d6mGNlUn0b2SjGmBmpKlAIoTZ1KXleJMOaAGtuU1cOs7TuKhC -QN/Po7qCWWqSG6wcmtoIKyUn+WkjR/Hg6yx6m/UTAtB+NHzCnjwAWav12gz1Mjwr -rFDa1sPeg5TKqAyZMg4ISFZbavva4VhYAUlfckE8FQYBjl2tqriTtM2e66foai1S -NNs671x1Udrb8zH57nGYMsRUFUQM+ZtV7a3fGAigo4aKSe5TBY8ZTNXeWHmb0moc -QqvF1afPaA+W5OFhmHZhyJF81j4A4pFQh+GdCuatl9Idxjp9y7zaAzTVjlsB9WoH -txa2bkp/AgMBAAGjQjBAMB0GA1UdDgQWBBQxw3kbuvVT1xfgiXotF2wKsyudMzAP -BgNVHRMECDAGAQH/AgEFMA4GA1UdDwEB/wQEAwIBBjANBgkqhkiG9w0BAQUFAAOC -AQEAlGRZrTlk5ynrE/5aw4sTV8gEJPB0d8Bg42f76Ymmg7+Wgnxu1MM9756Abrsp -tJh6sTtU6zkXR34ajgv8HzFZMQSyzhfzLMdiNlXiItiJVbSYSKpk+tYcNthEeFpa -IzpXl/V6ME+un2pMSyuOoAPjPuCp1NJ70rOo4nI8rZ7/gFnkm0W09juwzTkZmDLl -6iFhkOQxIY40sfcvNUqFENrnijchvllj4PKFiDFT1FQUhXB59C4Gdyd1Lx+4ivn+ -xbrYNuSD7Odlt79jWvNGr4GUN9RBjNYj1h7P9WgbRGOiWrqnNVmh5XAFmw4jV5mU -Cm26OWMohpLzGITY+9HPBVZkVw== ------END CERTIFICATE----- - # Issuer: CN=Cybertrust Global Root O=Cybertrust, Inc # Subject: CN=Cybertrust Global Root O=Cybertrust, Inc # Label: "Cybertrust Global Root" @@ -1348,185 +878,6 @@ i/nDhDwTqn6Sm1dTk/pwwpEOMfmbZ13pljheX7NzTogVZ96edhBiIL5VaZVDADlN 9u6wWk5JRFRYX0KD -----END CERTIFICATE----- -# Issuer: CN=GeoTrust Primary Certification Authority - G3 O=GeoTrust Inc. OU=(c) 2008 GeoTrust Inc. - For authorized use only -# Subject: CN=GeoTrust Primary Certification Authority - G3 O=GeoTrust Inc. OU=(c) 2008 GeoTrust Inc. - For authorized use only -# Label: "GeoTrust Primary Certification Authority - G3" -# Serial: 28809105769928564313984085209975885599 -# MD5 Fingerprint: b5:e8:34:36:c9:10:44:58:48:70:6d:2e:83:d4:b8:05 -# SHA1 Fingerprint: 03:9e:ed:b8:0b:e7:a0:3c:69:53:89:3b:20:d2:d9:32:3a:4c:2a:fd -# SHA256 Fingerprint: b4:78:b8:12:25:0d:f8:78:63:5c:2a:a7:ec:7d:15:5e:aa:62:5e:e8:29:16:e2:cd:29:43:61:88:6c:d1:fb:d4 ------BEGIN CERTIFICATE----- -MIID/jCCAuagAwIBAgIQFaxulBmyeUtB9iepwxgPHzANBgkqhkiG9w0BAQsFADCB -mDELMAkGA1UEBhMCVVMxFjAUBgNVBAoTDUdlb1RydXN0IEluYy4xOTA3BgNVBAsT -MChjKSAyMDA4IEdlb1RydXN0IEluYy4gLSBGb3IgYXV0aG9yaXplZCB1c2Ugb25s -eTE2MDQGA1UEAxMtR2VvVHJ1c3QgUHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhv -cml0eSAtIEczMB4XDTA4MDQwMjAwMDAwMFoXDTM3MTIwMTIzNTk1OVowgZgxCzAJ -BgNVBAYTAlVTMRYwFAYDVQQKEw1HZW9UcnVzdCBJbmMuMTkwNwYDVQQLEzAoYykg -MjAwOCBHZW9UcnVzdCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxNjA0 -BgNVBAMTLUdlb1RydXN0IFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkg -LSBHMzCCASIwDQYJKoZIhvcNAQEBBQADggEPADCCAQoCggEBANziXmJYHTNXOTIz -+uvLh4yn1ErdBojqZI4xmKU4kB6Yzy5jK/BGvESyiaHAKAxJcCGVn2TAppMSAmUm -hsalifD614SgcK9PGpc/BkTVyetyEH3kMSj7HGHmKAdEc5IiaacDiGydY8hS2pgn -5whMcD60yRLBxWeDXTPzAxHsatBT4tG6NmCUgLthY2xbF37fQJQeqw3CIShwiP/W -JmxsYAQlTlV+fe+/lEjetx3dcI0FX4ilm/LC7urRQEFtYjgdVgbFA0dRIBn8exAL -DmKudlW/X3e+PkkBUz2YJQN2JFodtNuJ6nnltrM7P7pMKEF/BqxqjsHQ9gUdfeZC -huOl1UcCAwEAAaNCMEAwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYw -HQYDVR0OBBYEFMR5yo6hTgMdHNxr2zFblD4/MH8tMA0GCSqGSIb3DQEBCwUAA4IB -AQAtxRPPVoB7eni9n64smefv2t+UXglpp+duaIy9cr5HqQ6XErhK8WTTOd8lNNTB -zU6B8A8ExCSzNJbGpqow32hhc9f5joWJ7w5elShKKiePEI4ufIbEAp7aDHdlDkQN -kv39sxY2+hENHYwOB4lqKVb3cvTdFZx3NWZXqxNT2I7BQMXXExZacse3aQHEerGD -AWh9jUGhlBjBJVz88P6DAod8DQ3PLghcSkANPuyBYeYk28rgDi0Hsj5W3I31QYUH -SJsMC8tJP33st/3LjWeJGqvtux6jAAgIFyqCXDFdRootD4abdNlF+9RAsXqqaC2G -spki4cErx5z481+oghLrGREt ------END CERTIFICATE----- - -# Issuer: CN=thawte Primary Root CA - G2 O=thawte, Inc. OU=(c) 2007 thawte, Inc. - For authorized use only -# Subject: CN=thawte Primary Root CA - G2 O=thawte, Inc. OU=(c) 2007 thawte, Inc. - For authorized use only -# Label: "thawte Primary Root CA - G2" -# Serial: 71758320672825410020661621085256472406 -# MD5 Fingerprint: 74:9d:ea:60:24:c4:fd:22:53:3e:cc:3a:72:d9:29:4f -# SHA1 Fingerprint: aa:db:bc:22:23:8f:c4:01:a1:27:bb:38:dd:f4:1d:db:08:9e:f0:12 -# SHA256 Fingerprint: a4:31:0d:50:af:18:a6:44:71:90:37:2a:86:af:af:8b:95:1f:fb:43:1d:83:7f:1e:56:88:b4:59:71:ed:15:57 ------BEGIN CERTIFICATE----- -MIICiDCCAg2gAwIBAgIQNfwmXNmET8k9Jj1Xm67XVjAKBggqhkjOPQQDAzCBhDEL -MAkGA1UEBhMCVVMxFTATBgNVBAoTDHRoYXd0ZSwgSW5jLjE4MDYGA1UECxMvKGMp -IDIwMDcgdGhhd3RlLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxJDAi -BgNVBAMTG3RoYXd0ZSBQcmltYXJ5IFJvb3QgQ0EgLSBHMjAeFw0wNzExMDUwMDAw -MDBaFw0zODAxMTgyMzU5NTlaMIGEMQswCQYDVQQGEwJVUzEVMBMGA1UEChMMdGhh -d3RlLCBJbmMuMTgwNgYDVQQLEy8oYykgMjAwNyB0aGF3dGUsIEluYy4gLSBGb3Ig -YXV0aG9yaXplZCB1c2Ugb25seTEkMCIGA1UEAxMbdGhhd3RlIFByaW1hcnkgUm9v -dCBDQSAtIEcyMHYwEAYHKoZIzj0CAQYFK4EEACIDYgAEotWcgnuVnfFSeIf+iha/ -BebfowJPDQfGAFG6DAJSLSKkQjnE/o/qycG+1E3/n3qe4rF8mq2nhglzh9HnmuN6 -papu+7qzcMBniKI11KOasf2twu8x+qi58/sIxpHR+ymVo0IwQDAPBgNVHRMBAf8E -BTADAQH/MA4GA1UdDwEB/wQEAwIBBjAdBgNVHQ4EFgQUmtgAMADna3+FGO6Lts6K -DPgR4bswCgYIKoZIzj0EAwMDaQAwZgIxAN344FdHW6fmCsO99YCKlzUNG4k8VIZ3 -KMqh9HneteY4sPBlcIx/AlTCv//YoT7ZzwIxAMSNlPzcU9LcnXgWHxUzI1NS41ox -XZ3Krr0TKUQNJ1uo52icEvdYPy5yAlejj6EULg== ------END CERTIFICATE----- - -# Issuer: CN=thawte Primary Root CA - G3 O=thawte, Inc. OU=Certification Services Division/(c) 2008 thawte, Inc. - For authorized use only -# Subject: CN=thawte Primary Root CA - G3 O=thawte, Inc. OU=Certification Services Division/(c) 2008 thawte, Inc. - For authorized use only -# Label: "thawte Primary Root CA - G3" -# Serial: 127614157056681299805556476275995414779 -# MD5 Fingerprint: fb:1b:5d:43:8a:94:cd:44:c6:76:f2:43:4b:47:e7:31 -# SHA1 Fingerprint: f1:8b:53:8d:1b:e9:03:b6:a6:f0:56:43:5b:17:15:89:ca:f3:6b:f2 -# SHA256 Fingerprint: 4b:03:f4:58:07:ad:70:f2:1b:fc:2c:ae:71:c9:fd:e4:60:4c:06:4c:f5:ff:b6:86:ba:e5:db:aa:d7:fd:d3:4c ------BEGIN CERTIFICATE----- -MIIEKjCCAxKgAwIBAgIQYAGXt0an6rS0mtZLL/eQ+zANBgkqhkiG9w0BAQsFADCB -rjELMAkGA1UEBhMCVVMxFTATBgNVBAoTDHRoYXd0ZSwgSW5jLjEoMCYGA1UECxMf -Q2VydGlmaWNhdGlvbiBTZXJ2aWNlcyBEaXZpc2lvbjE4MDYGA1UECxMvKGMpIDIw -MDggdGhhd3RlLCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxJDAiBgNV -BAMTG3RoYXd0ZSBQcmltYXJ5IFJvb3QgQ0EgLSBHMzAeFw0wODA0MDIwMDAwMDBa -Fw0zNzEyMDEyMzU5NTlaMIGuMQswCQYDVQQGEwJVUzEVMBMGA1UEChMMdGhhd3Rl -LCBJbmMuMSgwJgYDVQQLEx9DZXJ0aWZpY2F0aW9uIFNlcnZpY2VzIERpdmlzaW9u -MTgwNgYDVQQLEy8oYykgMjAwOCB0aGF3dGUsIEluYy4gLSBGb3IgYXV0aG9yaXpl -ZCB1c2Ugb25seTEkMCIGA1UEAxMbdGhhd3RlIFByaW1hcnkgUm9vdCBDQSAtIEcz -MIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAsr8nLPvb2FvdeHsbnndm -gcs+vHyu86YnmjSjaDFxODNi5PNxZnmxqWWjpYvVj2AtP0LMqmsywCPLLEHd5N/8 -YZzic7IilRFDGF/Eth9XbAoFWCLINkw6fKXRz4aviKdEAhN0cXMKQlkC+BsUa0Lf -b1+6a4KinVvnSr0eAXLbS3ToO39/fR8EtCab4LRarEc9VbjXsCZSKAExQGbY2SS9 -9irY7CFJXJv2eul/VTV+lmuNk5Mny5K76qxAwJ/C+IDPXfRa3M50hqY+bAtTyr2S -zhkGcuYMXDhpxwTWvGzOW/b3aJzcJRVIiKHpqfiYnODz1TEoYRFsZ5aNOZnLwkUk -OQIDAQABo0IwQDAPBgNVHRMBAf8EBTADAQH/MA4GA1UdDwEB/wQEAwIBBjAdBgNV -HQ4EFgQUrWyqlGCc7eT/+j4KdCtjA/e2Wb8wDQYJKoZIhvcNAQELBQADggEBABpA -2JVlrAmSicY59BDlqQ5mU1143vokkbvnRFHfxhY0Cu9qRFHqKweKA3rD6z8KLFIW -oCtDuSWQP3CpMyVtRRooOyfPqsMpQhvfO0zAMzRbQYi/aytlryjvsvXDqmbOe1bu -t8jLZ8HJnBoYuMTDSQPxYA5QzUbF83d597YV4Djbxy8ooAw/dyZ02SUS2jHaGh7c -KUGRIjxpp7sC8rZcJwOJ9Abqm+RyguOhCcHpABnTPtRwa7pxpqpYrvS76Wy274fM -m7v/OeZWYdMKp8RcTGB7BXcmer/YB1IsYvdwY9k5vG8cwnncdimvzsUsZAReiDZu -MdRAGmI0Nj81Aa6sY6A= ------END CERTIFICATE----- - -# Issuer: CN=GeoTrust Primary Certification Authority - G2 O=GeoTrust Inc. OU=(c) 2007 GeoTrust Inc. - For authorized use only -# Subject: CN=GeoTrust Primary Certification Authority - G2 O=GeoTrust Inc. OU=(c) 2007 GeoTrust Inc. - For authorized use only -# Label: "GeoTrust Primary Certification Authority - G2" -# Serial: 80682863203381065782177908751794619243 -# MD5 Fingerprint: 01:5e:d8:6b:bd:6f:3d:8e:a1:31:f8:12:e0:98:73:6a -# SHA1 Fingerprint: 8d:17:84:d5:37:f3:03:7d:ec:70:fe:57:8b:51:9a:99:e6:10:d7:b0 -# SHA256 Fingerprint: 5e:db:7a:c4:3b:82:a0:6a:87:61:e8:d7:be:49:79:eb:f2:61:1f:7d:d7:9b:f9:1c:1c:6b:56:6a:21:9e:d7:66 ------BEGIN CERTIFICATE----- -MIICrjCCAjWgAwIBAgIQPLL0SAoA4v7rJDteYD7DazAKBggqhkjOPQQDAzCBmDEL -MAkGA1UEBhMCVVMxFjAUBgNVBAoTDUdlb1RydXN0IEluYy4xOTA3BgNVBAsTMChj -KSAyMDA3IEdlb1RydXN0IEluYy4gLSBGb3IgYXV0aG9yaXplZCB1c2Ugb25seTE2 -MDQGA1UEAxMtR2VvVHJ1c3QgUHJpbWFyeSBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0 -eSAtIEcyMB4XDTA3MTEwNTAwMDAwMFoXDTM4MDExODIzNTk1OVowgZgxCzAJBgNV -BAYTAlVTMRYwFAYDVQQKEw1HZW9UcnVzdCBJbmMuMTkwNwYDVQQLEzAoYykgMjAw -NyBHZW9UcnVzdCBJbmMuIC0gRm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxNjA0BgNV -BAMTLUdlb1RydXN0IFByaW1hcnkgQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkgLSBH -MjB2MBAGByqGSM49AgEGBSuBBAAiA2IABBWx6P0DFUPlrOuHNxFi79KDNlJ9RVcL -So17VDs6bl8VAsBQps8lL33KSLjHUGMcKiEIfJo22Av+0SbFWDEwKCXzXV2juLal -tJLtbCyf691DiaI8S0iRHVDsJt/WYC69IaNCMEAwDwYDVR0TAQH/BAUwAwEB/zAO -BgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFBVfNVdRVfslsq0DafwBo/q+EVXVMAoG -CCqGSM49BAMDA2cAMGQCMGSWWaboCd6LuvpaiIjwH5HTRqjySkwCY/tsXzjbLkGT -qQ7mndwxHLKgpxgceeHHNgIwOlavmnRs9vuD4DPTCF+hnMJbn0bWtsuRBmOiBucz -rD6ogRLQy7rQkgu2npaqBA+K ------END CERTIFICATE----- - -# Issuer: CN=VeriSign Universal Root Certification Authority O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 2008 VeriSign, Inc. - For authorized use only -# Subject: CN=VeriSign Universal Root Certification Authority O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 2008 VeriSign, Inc. - For authorized use only -# Label: "VeriSign Universal Root Certification Authority" -# Serial: 85209574734084581917763752644031726877 -# MD5 Fingerprint: 8e:ad:b5:01:aa:4d:81:e4:8c:1d:d1:e1:14:00:95:19 -# SHA1 Fingerprint: 36:79:ca:35:66:87:72:30:4d:30:a5:fb:87:3b:0f:a7:7b:b7:0d:54 -# SHA256 Fingerprint: 23:99:56:11:27:a5:71:25:de:8c:ef:ea:61:0d:df:2f:a0:78:b5:c8:06:7f:4e:82:82:90:bf:b8:60:e8:4b:3c ------BEGIN CERTIFICATE----- -MIIEuTCCA6GgAwIBAgIQQBrEZCGzEyEDDrvkEhrFHTANBgkqhkiG9w0BAQsFADCB -vTELMAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQL -ExZWZXJpU2lnbiBUcnVzdCBOZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwOCBWZXJp -U2lnbiwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MTgwNgYDVQQDEy9W -ZXJpU2lnbiBVbml2ZXJzYWwgUm9vdCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAe -Fw0wODA0MDIwMDAwMDBaFw0zNzEyMDEyMzU5NTlaMIG9MQswCQYDVQQGEwJVUzEX -MBUGA1UEChMOVmVyaVNpZ24sIEluYy4xHzAdBgNVBAsTFlZlcmlTaWduIFRydXN0 -IE5ldHdvcmsxOjA4BgNVBAsTMShjKSAyMDA4IFZlcmlTaWduLCBJbmMuIC0gRm9y -IGF1dGhvcml6ZWQgdXNlIG9ubHkxODA2BgNVBAMTL1ZlcmlTaWduIFVuaXZlcnNh -bCBSb290IENlcnRpZmljYXRpb24gQXV0aG9yaXR5MIIBIjANBgkqhkiG9w0BAQEF -AAOCAQ8AMIIBCgKCAQEAx2E3XrEBNNti1xWb/1hajCMj1mCOkdeQmIN65lgZOIzF -9uVkhbSicfvtvbnazU0AtMgtc6XHaXGVHzk8skQHnOgO+k1KxCHfKWGPMiJhgsWH -H26MfF8WIFFE0XBPV+rjHOPMee5Y2A7Cs0WTwCznmhcrewA3ekEzeOEz4vMQGn+H -LL729fdC4uW/h2KJXwBL38Xd5HVEMkE6HnFuacsLdUYI0crSK5XQz/u5QGtkjFdN -/BMReYTtXlT2NJ8IAfMQJQYXStrxHXpma5hgZqTZ79IugvHw7wnqRMkVauIDbjPT -rJ9VAMf2CGqUuV/c4DPxhGD5WycRtPwW8rtWaoAljQIDAQABo4GyMIGvMA8GA1Ud -EwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMG0GCCsGAQUFBwEMBGEwX6FdoFsw -WTBXMFUWCWltYWdlL2dpZjAhMB8wBwYFKw4DAhoEFI/l0xqGrI2Oa8PPgGrUSBgs -exkuMCUWI2h0dHA6Ly9sb2dvLnZlcmlzaWduLmNvbS92c2xvZ28uZ2lmMB0GA1Ud -DgQWBBS2d/ppSEefUxLVwuoHMnYH0ZcHGTANBgkqhkiG9w0BAQsFAAOCAQEASvj4 -sAPmLGd75JR3Y8xuTPl9Dg3cyLk1uXBPY/ok+myDjEedO2Pzmvl2MpWRsXe8rJq+ -seQxIcaBlVZaDrHC1LGmWazxY8u4TB1ZkErvkBYoH1quEPuBUDgMbMzxPcP1Y+Oz -4yHJJDnp/RVmRvQbEdBNc6N9Rvk97ahfYtTxP/jgdFcrGJ2BtMQo2pSXpXDrrB2+ -BxHw1dvd5Yzw1TKwg+ZX4o+/vqGqvz0dtdQ46tewXDpPaj+PwGZsY6rp2aQW9IHR -lRQOfc2VNNnSj3BzgXucfr2YYdhFh5iQxeuGMMY1v/D/w1WIg0vvBZIGcfK4mJO3 -7M2CYfE45k+XmCpajQ== ------END CERTIFICATE----- - -# Issuer: CN=VeriSign Class 3 Public Primary Certification Authority - G4 O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 2007 VeriSign, Inc. - For authorized use only -# Subject: CN=VeriSign Class 3 Public Primary Certification Authority - G4 O=VeriSign, Inc. OU=VeriSign Trust Network/(c) 2007 VeriSign, Inc. - For authorized use only -# Label: "VeriSign Class 3 Public Primary Certification Authority - G4" -# Serial: 63143484348153506665311985501458640051 -# MD5 Fingerprint: 3a:52:e1:e7:fd:6f:3a:e3:6f:f3:6f:99:1b:f9:22:41 -# SHA1 Fingerprint: 22:d5:d8:df:8f:02:31:d1:8d:f7:9d:b7:cf:8a:2d:64:c9:3f:6c:3a -# SHA256 Fingerprint: 69:dd:d7:ea:90:bb:57:c9:3e:13:5d:c8:5e:a6:fc:d5:48:0b:60:32:39:bd:c4:54:fc:75:8b:2a:26:cf:7f:79 ------BEGIN CERTIFICATE----- -MIIDhDCCAwqgAwIBAgIQL4D+I4wOIg9IZxIokYesszAKBggqhkjOPQQDAzCByjEL -MAkGA1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQLExZW -ZXJpU2lnbiBUcnVzdCBOZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwNyBWZXJpU2ln -biwgSW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MUUwQwYDVQQDEzxWZXJp -U2lnbiBDbGFzcyAzIFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0aG9y -aXR5IC0gRzQwHhcNMDcxMTA1MDAwMDAwWhcNMzgwMTE4MjM1OTU5WjCByjELMAkG -A1UEBhMCVVMxFzAVBgNVBAoTDlZlcmlTaWduLCBJbmMuMR8wHQYDVQQLExZWZXJp -U2lnbiBUcnVzdCBOZXR3b3JrMTowOAYDVQQLEzEoYykgMjAwNyBWZXJpU2lnbiwg -SW5jLiAtIEZvciBhdXRob3JpemVkIHVzZSBvbmx5MUUwQwYDVQQDEzxWZXJpU2ln -biBDbGFzcyAzIFB1YmxpYyBQcmltYXJ5IENlcnRpZmljYXRpb24gQXV0aG9yaXR5 -IC0gRzQwdjAQBgcqhkjOPQIBBgUrgQQAIgNiAASnVnp8Utpkmw4tXNherJI9/gHm -GUo9FANL+mAnINmDiWn6VMaaGF5VKmTeBvaNSjutEDxlPZCIBIngMGGzrl0Bp3ve -fLK+ymVhAIau2o970ImtTR1ZmkGxvEeA3J5iw/mjgbIwga8wDwYDVR0TAQH/BAUw -AwEB/zAOBgNVHQ8BAf8EBAMCAQYwbQYIKwYBBQUHAQwEYTBfoV2gWzBZMFcwVRYJ -aW1hZ2UvZ2lmMCEwHzAHBgUrDgMCGgQUj+XTGoasjY5rw8+AatRIGCx7GS4wJRYj -aHR0cDovL2xvZ28udmVyaXNpZ24uY29tL3ZzbG9nby5naWYwHQYDVR0OBBYEFLMW -kf3upm7ktS5Jj4d4gYDs5bG1MAoGCCqGSM49BAMDA2gAMGUCMGYhDBgmYFo4e1ZC -4Kf8NoRRkSAsdk1DPcQdhCPQrNZ8NQbOzWm9kA3bbEhCHQ6qQgIxAJw9SDkjOVga -FRJZap7v1VmyHVIsmXHNxynfGyphe3HR3vPA5Q06Sqotp9iGKt0uEA== ------END CERTIFICATE----- - # Issuer: CN=NetLock Arany (Class Gold) F\u0151tan\xfas\xedtv\xe1ny O=NetLock Kft. OU=Tan\xfas\xedtv\xe1nykiad\xf3k (Certification Services) # Subject: CN=NetLock Arany (Class Gold) F\u0151tan\xfas\xedtv\xe1ny O=NetLock Kft. OU=Tan\xfas\xedtv\xe1nykiad\xf3k (Certification Services) # Label: "NetLock Arany (Class Gold) F\u0151tan\xfas\xedtv\xe1ny" @@ -1559,47 +910,6 @@ uLjbvrW5KfnaNwUASZQDhETnv0Mxz3WLJdH0pmT1kvarBes96aULNmLazAZfNou2 XjG4Kvte9nHfRCaexOYNkbQudZWAUWpLMKawYqGT8ZvYzsRjdT9ZR7E= -----END CERTIFICATE----- -# Issuer: CN=Staat der Nederlanden Root CA - G2 O=Staat der Nederlanden -# Subject: CN=Staat der Nederlanden Root CA - G2 O=Staat der Nederlanden -# Label: "Staat der Nederlanden Root CA - G2" -# Serial: 10000012 -# MD5 Fingerprint: 7c:a5:0f:f8:5b:9a:7d:6d:30:ae:54:5a:e3:42:a2:8a -# SHA1 Fingerprint: 59:af:82:79:91:86:c7:b4:75:07:cb:cf:03:57:46:eb:04:dd:b7:16 -# SHA256 Fingerprint: 66:8c:83:94:7d:a6:3b:72:4b:ec:e1:74:3c:31:a0:e6:ae:d0:db:8e:c5:b3:1b:e3:77:bb:78:4f:91:b6:71:6f ------BEGIN CERTIFICATE----- -MIIFyjCCA7KgAwIBAgIEAJiWjDANBgkqhkiG9w0BAQsFADBaMQswCQYDVQQGEwJO -TDEeMBwGA1UECgwVU3RhYXQgZGVyIE5lZGVybGFuZGVuMSswKQYDVQQDDCJTdGFh -dCBkZXIgTmVkZXJsYW5kZW4gUm9vdCBDQSAtIEcyMB4XDTA4MDMyNjExMTgxN1oX -DTIwMDMyNTExMDMxMFowWjELMAkGA1UEBhMCTkwxHjAcBgNVBAoMFVN0YWF0IGRl -ciBOZWRlcmxhbmRlbjErMCkGA1UEAwwiU3RhYXQgZGVyIE5lZGVybGFuZGVuIFJv -b3QgQ0EgLSBHMjCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAMVZ5291 -qj5LnLW4rJ4L5PnZyqtdj7U5EILXr1HgO+EASGrP2uEGQxGZqhQlEq0i6ABtQ8Sp -uOUfiUtnvWFI7/3S4GCI5bkYYCjDdyutsDeqN95kWSpGV+RLufg3fNU254DBtvPU -Z5uW6M7XxgpT0GtJlvOjCwV3SPcl5XCsMBQgJeN/dVrlSPhOewMHBPqCYYdu8DvE -pMfQ9XQ+pV0aCPKbJdL2rAQmPlU6Yiile7Iwr/g3wtG61jj99O9JMDeZJiFIhQGp -5Rbn3JBV3w/oOM2ZNyFPXfUib2rFEhZgF1XyZWampzCROME4HYYEhLoaJXhena/M -UGDWE4dS7WMfbWV9whUYdMrhfmQpjHLYFhN9C0lK8SgbIHRrxT3dsKpICT0ugpTN -GmXZK4iambwYfp/ufWZ8Pr2UuIHOzZgweMFvZ9C+X+Bo7d7iscksWXiSqt8rYGPy -5V6548r6f1CGPqI0GAwJaCgRHOThuVw+R7oyPxjMW4T182t0xHJ04eOLoEq9jWYv -6q012iDTiIJh8BIitrzQ1aTsr1SIJSQ8p22xcik/Plemf1WvbibG/ufMQFxRRIEK -eN5KzlW/HdXZt1bv8Hb/C3m1r737qWmRRpdogBQ2HbN/uymYNqUg+oJgYjOk7Na6 -B6duxc8UpufWkjTYgfX8HV2qXB72o007uPc5AgMBAAGjgZcwgZQwDwYDVR0TAQH/ -BAUwAwEB/zBSBgNVHSAESzBJMEcGBFUdIAAwPzA9BggrBgEFBQcCARYxaHR0cDov -L3d3dy5wa2lvdmVyaGVpZC5ubC9wb2xpY2llcy9yb290LXBvbGljeS1HMjAOBgNV -HQ8BAf8EBAMCAQYwHQYDVR0OBBYEFJFoMocVHYnitfGsNig0jQt8YojrMA0GCSqG -SIb3DQEBCwUAA4ICAQCoQUpnKpKBglBu4dfYszk78wIVCVBR7y29JHuIhjv5tLyS -CZa59sCrI2AGeYwRTlHSeYAz+51IvuxBQ4EffkdAHOV6CMqqi3WtFMTC6GY8ggen -5ieCWxjmD27ZUD6KQhgpxrRW/FYQoAUXvQwjf/ST7ZwaUb7dRUG/kSS0H4zpX897 -IZmflZ85OkYcbPnNe5yQzSipx6lVu6xiNGI1E0sUOlWDuYaNkqbG9AclVMwWVxJK -gnjIFNkXgiYtXSAfea7+1HAWFpWD2DU5/1JddRwWxRNVz0fMdWVSSt7wsKfkCpYL -+63C4iWEst3kvX5ZbJvw8NjnyvLplzh+ib7M+zkXYT9y2zqR2GUBGR2tUKRXCnxL -vJxxcypFURmFzI79R6d0lR2o0a9OF7FpJsKqeFdbxU2n5Z4FF5TKsl+gSRiNNOkm -bEgeqmiSBeGCc1qb3AdbCG19ndeNIdn8FCCqwkXfP+cAslHkwvgFuXkajDTznlvk -N1trSt8sV4pAWja63XVECDdCcAz+3F4hoKOKwJCcaNpQ5kUQR3i2TtJlycM33+FC -Y7BXN0Ute4qcvwXqZVUz9zkQxSgqIXobisQk+T8VyJoVIPVVYpbtbZNQvOSqeK3Z -ywplh6ZmwcSBo3c6WB4L7oOLnR7SUqTMHW+wmG2UMbX4cQrcufx9MmDm66+KAQ== ------END CERTIFICATE----- - # Issuer: CN=Hongkong Post Root CA 1 O=Hongkong Post # Subject: CN=Hongkong Post Root CA 1 O=Hongkong Post # Label: "Hongkong Post Root CA 1" @@ -1803,105 +1113,6 @@ naM8THLCV8Sg1Mw4J87VBp6iSNnpn86CcDaTmjvfliHjWbcM2pE38P1ZWrOZyGls QyYBNWNgVYkDOnXYukrZVP/u3oDYLdE41V4tC5h9Pmzb/CaIxw== -----END CERTIFICATE----- -# Issuer: CN=Chambers of Commerce Root - 2008 O=AC Camerfirma S.A. -# Subject: CN=Chambers of Commerce Root - 2008 O=AC Camerfirma S.A. -# Label: "Chambers of Commerce Root - 2008" -# Serial: 11806822484801597146 -# MD5 Fingerprint: 5e:80:9e:84:5a:0e:65:0b:17:02:f3:55:18:2a:3e:d7 -# SHA1 Fingerprint: 78:6a:74:ac:76:ab:14:7f:9c:6a:30:50:ba:9e:a8:7e:fe:9a:ce:3c -# SHA256 Fingerprint: 06:3e:4a:fa:c4:91:df:d3:32:f3:08:9b:85:42:e9:46:17:d8:93:d7:fe:94:4e:10:a7:93:7e:e2:9d:96:93:c0 ------BEGIN CERTIFICATE----- -MIIHTzCCBTegAwIBAgIJAKPaQn6ksa7aMA0GCSqGSIb3DQEBBQUAMIGuMQswCQYD -VQQGEwJFVTFDMEEGA1UEBxM6TWFkcmlkIChzZWUgY3VycmVudCBhZGRyZXNzIGF0 -IHd3dy5jYW1lcmZpcm1hLmNvbS9hZGRyZXNzKTESMBAGA1UEBRMJQTgyNzQzMjg3 -MRswGQYDVQQKExJBQyBDYW1lcmZpcm1hIFMuQS4xKTAnBgNVBAMTIENoYW1iZXJz -IG9mIENvbW1lcmNlIFJvb3QgLSAyMDA4MB4XDTA4MDgwMTEyMjk1MFoXDTM4MDcz -MTEyMjk1MFowga4xCzAJBgNVBAYTAkVVMUMwQQYDVQQHEzpNYWRyaWQgKHNlZSBj -dXJyZW50IGFkZHJlc3MgYXQgd3d3LmNhbWVyZmlybWEuY29tL2FkZHJlc3MpMRIw -EAYDVQQFEwlBODI3NDMyODcxGzAZBgNVBAoTEkFDIENhbWVyZmlybWEgUy5BLjEp -MCcGA1UEAxMgQ2hhbWJlcnMgb2YgQ29tbWVyY2UgUm9vdCAtIDIwMDgwggIiMA0G -CSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQCvAMtwNyuAWko6bHiUfaN/Gh/2NdW9 -28sNRHI+JrKQUrpjOyhYb6WzbZSm891kDFX29ufyIiKAXuFixrYp4YFs8r/lfTJq -VKAyGVn+H4vXPWCGhSRv4xGzdz4gljUha7MI2XAuZPeEklPWDrCQiorjh40G072Q -DuKZoRuGDtqaCrsLYVAGUvGef3bsyw/QHg3PmTA9HMRFEFis1tPo1+XqxQEHd9ZR -5gN/ikilTWh1uem8nk4ZcfUyS5xtYBkL+8ydddy/Js2Pk3g5eXNeJQ7KXOt3EgfL -ZEFHcpOrUMPrCXZkNNI5t3YRCQ12RcSprj1qr7V9ZS+UWBDsXHyvfuK2GNnQm05a -Sd+pZgvMPMZ4fKecHePOjlO+Bd5gD2vlGts/4+EhySnB8esHnFIbAURRPHsl18Tl -UlRdJQfKFiC4reRB7noI/plvg6aRArBsNlVq5331lubKgdaX8ZSD6e2wsWsSaR6s -+12pxZjptFtYer49okQ6Y1nUCyXeG0+95QGezdIp1Z8XGQpvvwyQ0wlf2eOKNcx5 -Wk0ZN5K3xMGtr/R5JJqyAQuxr1yW84Ay+1w9mPGgP0revq+ULtlVmhduYJ1jbLhj -ya6BXBg14JC7vjxPNyK5fuvPnnchpj04gftI2jE9K+OJ9dC1vX7gUMQSibMjmhAx -hduub+84Mxh2EQIDAQABo4IBbDCCAWgwEgYDVR0TAQH/BAgwBgEB/wIBDDAdBgNV -HQ4EFgQU+SSsD7K1+HnA+mCIG8TZTQKeFxkwgeMGA1UdIwSB2zCB2IAU+SSsD7K1 -+HnA+mCIG8TZTQKeFxmhgbSkgbEwga4xCzAJBgNVBAYTAkVVMUMwQQYDVQQHEzpN -YWRyaWQgKHNlZSBjdXJyZW50IGFkZHJlc3MgYXQgd3d3LmNhbWVyZmlybWEuY29t -L2FkZHJlc3MpMRIwEAYDVQQFEwlBODI3NDMyODcxGzAZBgNVBAoTEkFDIENhbWVy -ZmlybWEgUy5BLjEpMCcGA1UEAxMgQ2hhbWJlcnMgb2YgQ29tbWVyY2UgUm9vdCAt -IDIwMDiCCQCj2kJ+pLGu2jAOBgNVHQ8BAf8EBAMCAQYwPQYDVR0gBDYwNDAyBgRV -HSAAMCowKAYIKwYBBQUHAgEWHGh0dHA6Ly9wb2xpY3kuY2FtZXJmaXJtYS5jb20w -DQYJKoZIhvcNAQEFBQADggIBAJASryI1wqM58C7e6bXpeHxIvj99RZJe6dqxGfwW -PJ+0W2aeaufDuV2I6A+tzyMP3iU6XsxPpcG1Lawk0lgH3qLPaYRgM+gQDROpI9CF -5Y57pp49chNyM/WqfcZjHwj0/gF/JM8rLFQJ3uIrbZLGOU8W6jx+ekbURWpGqOt1 -glanq6B8aBMz9p0w8G8nOSQjKpD9kCk18pPfNKXG9/jvjA9iSnyu0/VU+I22mlaH -FoI6M6taIgj3grrqLuBHmrS1RaMFO9ncLkVAO+rcf+g769HsJtg1pDDFOqxXnrN2 -pSB7+R5KBWIBpih1YJeSDW4+TTdDDZIVnBgizVGZoCkaPF+KMjNbMMeJL0eYD6MD -xvbxrN8y8NmBGuScvfaAFPDRLLmF9dijscilIeUcE5fuDr3fKanvNFNb0+RqE4QG -tjICxFKuItLcsiFCGtpA8CnJ7AoMXOLQusxI0zcKzBIKinmwPQN/aUv0NCB9szTq -jktk9T79syNnFQ0EuPAtwQlRPLJsFfClI9eDdOTlLsn+mCdCxqvGnrDQWzilm1De -fhiYtUU79nm06PcaewaD+9CL2rvHvRirCG88gGtAPxkZumWK5r7VXNM21+9AUiRg -OGcEMeyP84LG3rlV8zsxkVrctQgVrXYlCg17LofiDKYGvCYQbTed7N14jHyAxfDZ -d0jQ ------END CERTIFICATE----- - -# Issuer: CN=Global Chambersign Root - 2008 O=AC Camerfirma S.A. -# Subject: CN=Global Chambersign Root - 2008 O=AC Camerfirma S.A. -# Label: "Global Chambersign Root - 2008" -# Serial: 14541511773111788494 -# MD5 Fingerprint: 9e:80:ff:78:01:0c:2e:c1:36:bd:fe:96:90:6e:08:f3 -# SHA1 Fingerprint: 4a:bd:ee:ec:95:0d:35:9c:89:ae:c7:52:a1:2c:5b:29:f6:d6:aa:0c -# SHA256 Fingerprint: 13:63:35:43:93:34:a7:69:80:16:a0:d3:24:de:72:28:4e:07:9d:7b:52:20:bb:8f:bd:74:78:16:ee:be:ba:ca ------BEGIN CERTIFICATE----- -MIIHSTCCBTGgAwIBAgIJAMnN0+nVfSPOMA0GCSqGSIb3DQEBBQUAMIGsMQswCQYD -VQQGEwJFVTFDMEEGA1UEBxM6TWFkcmlkIChzZWUgY3VycmVudCBhZGRyZXNzIGF0 -IHd3dy5jYW1lcmZpcm1hLmNvbS9hZGRyZXNzKTESMBAGA1UEBRMJQTgyNzQzMjg3 -MRswGQYDVQQKExJBQyBDYW1lcmZpcm1hIFMuQS4xJzAlBgNVBAMTHkdsb2JhbCBD -aGFtYmVyc2lnbiBSb290IC0gMjAwODAeFw0wODA4MDExMjMxNDBaFw0zODA3MzEx -MjMxNDBaMIGsMQswCQYDVQQGEwJFVTFDMEEGA1UEBxM6TWFkcmlkIChzZWUgY3Vy -cmVudCBhZGRyZXNzIGF0IHd3dy5jYW1lcmZpcm1hLmNvbS9hZGRyZXNzKTESMBAG -A1UEBRMJQTgyNzQzMjg3MRswGQYDVQQKExJBQyBDYW1lcmZpcm1hIFMuQS4xJzAl -BgNVBAMTHkdsb2JhbCBDaGFtYmVyc2lnbiBSb290IC0gMjAwODCCAiIwDQYJKoZI -hvcNAQEBBQADggIPADCCAgoCggIBAMDfVtPkOpt2RbQT2//BthmLN0EYlVJH6xed -KYiONWwGMi5HYvNJBL99RDaxccy9Wglz1dmFRP+RVyXfXjaOcNFccUMd2drvXNL7 -G706tcuto8xEpw2uIRU/uXpbknXYpBI4iRmKt4DS4jJvVpyR1ogQC7N0ZJJ0YPP2 -zxhPYLIj0Mc7zmFLmY/CDNBAspjcDahOo7kKrmCgrUVSY7pmvWjg+b4aqIG7HkF4 -ddPB/gBVsIdU6CeQNR1MM62X/JcumIS/LMmjv9GYERTtY/jKmIhYF5ntRQOXfjyG -HoiMvvKRhI9lNNgATH23MRdaKXoKGCQwoze1eqkBfSbW+Q6OWfH9GzO1KTsXO0G2 -Id3UwD2ln58fQ1DJu7xsepeY7s2MH/ucUa6LcL0nn3HAa6x9kGbo1106DbDVwo3V -yJ2dwW3Q0L9R5OP4wzg2rtandeavhENdk5IMagfeOx2YItaswTXbo6Al/3K1dh3e -beksZixShNBFks4c5eUzHdwHU1SjqoI7mjcv3N2gZOnm3b2u/GSFHTynyQbehP9r -6GsaPMWis0L7iwk+XwhSx2LE1AVxv8Rk5Pihg+g+EpuoHtQ2TS9x9o0o9oOpE9Jh -wZG7SMA0j0GMS0zbaRL/UJScIINZc+18ofLx/d33SdNDWKBWY8o9PeU1VlnpDsog -zCtLkykPAgMBAAGjggFqMIIBZjASBgNVHRMBAf8ECDAGAQH/AgEMMB0GA1UdDgQW -BBS5CcqcHtvTbDprru1U8VuTBjUuXjCB4QYDVR0jBIHZMIHWgBS5CcqcHtvTbDpr -ru1U8VuTBjUuXqGBsqSBrzCBrDELMAkGA1UEBhMCRVUxQzBBBgNVBAcTOk1hZHJp -ZCAoc2VlIGN1cnJlbnQgYWRkcmVzcyBhdCB3d3cuY2FtZXJmaXJtYS5jb20vYWRk -cmVzcykxEjAQBgNVBAUTCUE4Mjc0MzI4NzEbMBkGA1UEChMSQUMgQ2FtZXJmaXJt -YSBTLkEuMScwJQYDVQQDEx5HbG9iYWwgQ2hhbWJlcnNpZ24gUm9vdCAtIDIwMDiC -CQDJzdPp1X0jzjAOBgNVHQ8BAf8EBAMCAQYwPQYDVR0gBDYwNDAyBgRVHSAAMCow -KAYIKwYBBQUHAgEWHGh0dHA6Ly9wb2xpY3kuY2FtZXJmaXJtYS5jb20wDQYJKoZI -hvcNAQEFBQADggIBAICIf3DekijZBZRG/5BXqfEv3xoNa/p8DhxJJHkn2EaqbylZ -UohwEurdPfWbU1Rv4WCiqAm57OtZfMY18dwY6fFn5a+6ReAJ3spED8IXDneRRXoz -X1+WLGiLwUePmJs9wOzL9dWCkoQ10b42OFZyMVtHLaoXpGNR6woBrX/sdZ7LoR/x -fxKxueRkf2fWIyr0uDldmOghp+G9PUIadJpwr2hsUF1Jz//7Dl3mLEfXgTpZALVz -a2Mg9jFFCDkO9HB+QHBaP9BrQql0PSgvAm11cpUJjUhjxsYjV5KTXjXBjfkK9yyd -Yhz2rXzdpjEetrHHfoUm+qRqtdpjMNHvkzeyZi99Bffnt0uYlDXA2TopwZ2yUDMd -SqlapskD7+3056huirRXhOukP9DuqqqHW2Pok+JrqNS4cnhrG+055F3Lm6qH1U9O -AP7Zap88MQ8oAgF9mOinsKJknnn4SPIVqczmyETrP3iZ8ntxPjzxmKfFGBI/5rso -M0LpRQp8bfKGeS/Fghl9CYl8slR2iK7ewfPM4W7bMdaTrpmg7yVqc5iJWzouE4ge -v8CSlDQb4ye3ix5vQv/n6TebUB0tovkC7stYWDpxvGjjqsGvHCgfotwjZT+B6q6Z -09gwzxMNTxXJhLynSC34MCN32EZLeW32jO06f2ARePTpm67VVMB0gNELQp/B ------END CERTIFICATE----- - # Issuer: CN=Go Daddy Root Certificate Authority - G2 O=GoDaddy.com, Inc. # Subject: CN=Go Daddy Root Certificate Authority - G2 O=GoDaddy.com, Inc. # Label: "Go Daddy Root Certificate Authority - G2" @@ -2200,6 +1411,45 @@ t/2jioSgrGK+KwmHNPBqAbubKVY8/gA3zyNs8U6qtnRGEmyR7jTV7JqR50S+kDFy SjnRBUkLp7Y3gaVdjKozXoEofKd9J+sAro03 -----END CERTIFICATE----- +# Issuer: CN=EC-ACC O=Agencia Catalana de Certificacio (NIF Q-0801176-I) OU=Serveis Publics de Certificacio/Vegeu https://www.catcert.net/verarrel (c)03/Jerarquia Entitats de Certificacio Catalanes +# Subject: CN=EC-ACC O=Agencia Catalana de Certificacio (NIF Q-0801176-I) OU=Serveis Publics de Certificacio/Vegeu https://www.catcert.net/verarrel (c)03/Jerarquia Entitats de Certificacio Catalanes +# Label: "EC-ACC" +# Serial: -23701579247955709139626555126524820479 +# MD5 Fingerprint: eb:f5:9d:29:0d:61:f9:42:1f:7c:c2:ba:6d:e3:15:09 +# SHA1 Fingerprint: 28:90:3a:63:5b:52:80:fa:e6:77:4c:0b:6d:a7:d6:ba:a6:4a:f2:e8 +# SHA256 Fingerprint: 88:49:7f:01:60:2f:31:54:24:6a:e2:8c:4d:5a:ef:10:f1:d8:7e:bb:76:62:6f:4a:e0:b7:f9:5b:a7:96:87:99 +-----BEGIN CERTIFICATE----- +MIIFVjCCBD6gAwIBAgIQ7is969Qh3hSoYqwE893EATANBgkqhkiG9w0BAQUFADCB +8zELMAkGA1UEBhMCRVMxOzA5BgNVBAoTMkFnZW5jaWEgQ2F0YWxhbmEgZGUgQ2Vy +dGlmaWNhY2lvIChOSUYgUS0wODAxMTc2LUkpMSgwJgYDVQQLEx9TZXJ2ZWlzIFB1 +YmxpY3MgZGUgQ2VydGlmaWNhY2lvMTUwMwYDVQQLEyxWZWdldSBodHRwczovL3d3 +dy5jYXRjZXJ0Lm5ldC92ZXJhcnJlbCAoYykwMzE1MDMGA1UECxMsSmVyYXJxdWlh +IEVudGl0YXRzIGRlIENlcnRpZmljYWNpbyBDYXRhbGFuZXMxDzANBgNVBAMTBkVD +LUFDQzAeFw0wMzAxMDcyMzAwMDBaFw0zMTAxMDcyMjU5NTlaMIHzMQswCQYDVQQG +EwJFUzE7MDkGA1UEChMyQWdlbmNpYSBDYXRhbGFuYSBkZSBDZXJ0aWZpY2FjaW8g +KE5JRiBRLTA4MDExNzYtSSkxKDAmBgNVBAsTH1NlcnZlaXMgUHVibGljcyBkZSBD +ZXJ0aWZpY2FjaW8xNTAzBgNVBAsTLFZlZ2V1IGh0dHBzOi8vd3d3LmNhdGNlcnQu +bmV0L3ZlcmFycmVsIChjKTAzMTUwMwYDVQQLEyxKZXJhcnF1aWEgRW50aXRhdHMg +ZGUgQ2VydGlmaWNhY2lvIENhdGFsYW5lczEPMA0GA1UEAxMGRUMtQUNDMIIBIjAN +BgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAsyLHT+KXQpWIR4NA9h0X84NzJB5R +85iKw5K4/0CQBXCHYMkAqbWUZRkiFRfCQ2xmRJoNBD45b6VLeqpjt4pEndljkYRm +4CgPukLjbo73FCeTae6RDqNfDrHrZqJyTxIThmV6PttPB/SnCWDaOkKZx7J/sxaV +HMf5NLWUhdWZXqBIoH7nF2W4onW4HvPlQn2v7fOKSGRdghST2MDk/7NQcvJ29rNd +QlB50JQ+awwAvthrDk4q7D7SzIKiGGUzE3eeml0aE9jD2z3Il3rucO2n5nzbcc8t +lGLfbdb1OL4/pYUKGbio2Al1QnDE6u/LDsg0qBIimAy4E5S2S+zw0JDnJwIDAQAB +o4HjMIHgMB0GA1UdEQQWMBSBEmVjX2FjY0BjYXRjZXJ0Lm5ldDAPBgNVHRMBAf8E +BTADAQH/MA4GA1UdDwEB/wQEAwIBBjAdBgNVHQ4EFgQUoMOLRKo3pUW/l4Ba0fF4 +opvpXY0wfwYDVR0gBHgwdjB0BgsrBgEEAfV4AQMBCjBlMCwGCCsGAQUFBwIBFiBo +dHRwczovL3d3dy5jYXRjZXJ0Lm5ldC92ZXJhcnJlbDA1BggrBgEFBQcCAjApGidW +ZWdldSBodHRwczovL3d3dy5jYXRjZXJ0Lm5ldC92ZXJhcnJlbCAwDQYJKoZIhvcN +AQEFBQADggEBAKBIW4IB9k1IuDlVNZyAelOZ1Vr/sXE7zDkJlF7W2u++AVtd0x7Y +/X1PzaBB4DSTv8vihpw3kpBWHNzrKQXlxJ7HNd+KDM3FIUPpqojlNcAZQmNaAl6k +SBg6hW/cnbw/nZzBh7h6YQjpdwt/cKt63dmXLGQehb+8dJahw3oS7AwaboMMPOhy +Rp/7SNVel+axofjk70YllJyJ22k4vuxcDlbHZVHlUIiIv0LVKz3l+bqeLrPK9HOS +Agu+TGbrIP65y7WZf+a2E/rKS03Z7lNGBjvGTq2TWoF+bCpLagVFjPIhpDGQh2xl +nJ2lYJU6Un/10asIbvPuW/mIPX64b24D5EI= +-----END CERTIFICATE----- + # Issuer: CN=Hellenic Academic and Research Institutions RootCA 2011 O=Hellenic Academic and Research Institutions Cert. Authority # Subject: CN=Hellenic Academic and Research Institutions RootCA 2011 O=Hellenic Academic and Research Institutions Cert. Authority # Label: "Hellenic Academic and Research Institutions RootCA 2011" @@ -2274,35 +1524,6 @@ LysRJyU3eExRarDzzFhdFPFqSBX/wge2sY0PjlxQRrM9vwGYT7JZVEc+NHt4bVaT LnPqZih4zR0Uv6CPLy64Lo7yFIrM6bV8+2ydDKXhlg== -----END CERTIFICATE----- -# Issuer: O=Trustis Limited OU=Trustis FPS Root CA -# Subject: O=Trustis Limited OU=Trustis FPS Root CA -# Label: "Trustis FPS Root CA" -# Serial: 36053640375399034304724988975563710553 -# MD5 Fingerprint: 30:c9:e7:1e:6b:e6:14:eb:65:b2:16:69:20:31:67:4d -# SHA1 Fingerprint: 3b:c0:38:0b:33:c3:f6:a6:0c:86:15:22:93:d9:df:f5:4b:81:c0:04 -# SHA256 Fingerprint: c1:b4:82:99:ab:a5:20:8f:e9:63:0a:ce:55:ca:68:a0:3e:da:5a:51:9c:88:02:a0:d3:a6:73:be:8f:8e:55:7d ------BEGIN CERTIFICATE----- -MIIDZzCCAk+gAwIBAgIQGx+ttiD5JNM2a/fH8YygWTANBgkqhkiG9w0BAQUFADBF -MQswCQYDVQQGEwJHQjEYMBYGA1UEChMPVHJ1c3RpcyBMaW1pdGVkMRwwGgYDVQQL -ExNUcnVzdGlzIEZQUyBSb290IENBMB4XDTAzMTIyMzEyMTQwNloXDTI0MDEyMTEx -MzY1NFowRTELMAkGA1UEBhMCR0IxGDAWBgNVBAoTD1RydXN0aXMgTGltaXRlZDEc -MBoGA1UECxMTVHJ1c3RpcyBGUFMgUm9vdCBDQTCCASIwDQYJKoZIhvcNAQEBBQAD -ggEPADCCAQoCggEBAMVQe547NdDfxIzNjpvto8A2mfRC6qc+gIMPpqdZh8mQRUN+ -AOqGeSoDvT03mYlmt+WKVoaTnGhLaASMk5MCPjDSNzoiYYkchU59j9WvezX2fihH -iTHcDnlkH5nSW7r+f2C/revnPDgpai/lkQtV/+xvWNUtyd5MZnGPDNcE2gfmHhjj -vSkCqPoc4Vu5g6hBSLwacY3nYuUtsuvffM/bq1rKMfFMIvMFE/eC+XN5DL7XSxzA -0RU8k0Fk0ea+IxciAIleH2ulrG6nS4zto3Lmr2NNL4XSFDWaLk6M6jKYKIahkQlB -OrTh4/L68MkKokHdqeMDx4gVOxzUGpTXn2RZEm0CAwEAAaNTMFEwDwYDVR0TAQH/ -BAUwAwEB/zAfBgNVHSMEGDAWgBS6+nEleYtXQSUhhgtx67JkDoshZzAdBgNVHQ4E -FgQUuvpxJXmLV0ElIYYLceuyZA6LIWcwDQYJKoZIhvcNAQEFBQADggEBAH5Y//01 -GX2cGE+esCu8jowU/yyg2kdbw++BLa8F6nRIW/M+TgfHbcWzk88iNVy2P3UnXwmW -zaD+vkAMXBJV+JOCyinpXj9WV4s4NvdFGkwozZ5BuO1WTISkQMi4sKUraXAEasP4 -1BIy+Q7DsdwyhEQsb8tGD+pmQQ9P8Vilpg0ND2HepZ5dfWWhPBfnqFVO76DH7cZE -f1T1o+CP8HxVIo8ptoGj4W1OLBuAZ+ytIJ8MYmHVl/9D7S3B2l0pKoU/rGXuhg8F -jZBf3+6f9L/uHfuY5H+QK4R4EA5sSVPvFVtlRkpdr7r7OnIdzfYliB6XzCGcKQEN -ZetX2fNXlrtIzYE= ------END CERTIFICATE----- - # Issuer: CN=Buypass Class 2 Root CA O=Buypass AS-983163327 # Subject: CN=Buypass Class 2 Root CA O=Buypass AS-983163327 # Label: "Buypass Class 2 Root CA" @@ -2412,38 +1633,6 @@ e9eiPZaGzPImNC1qkp2aGtAw4l1OBLBfiyB+d8E9lYLRRpo7PHi4b6HQDWSieB4p TpPDpFQUWw== -----END CERTIFICATE----- -# Issuer: CN=EE Certification Centre Root CA O=AS Sertifitseerimiskeskus -# Subject: CN=EE Certification Centre Root CA O=AS Sertifitseerimiskeskus -# Label: "EE Certification Centre Root CA" -# Serial: 112324828676200291871926431888494945866 -# MD5 Fingerprint: 43:5e:88:d4:7d:1a:4a:7e:fd:84:2e:52:eb:01:d4:6f -# SHA1 Fingerprint: c9:a8:b9:e7:55:80:5e:58:e3:53:77:a7:25:eb:af:c3:7b:27:cc:d7 -# SHA256 Fingerprint: 3e:84:ba:43:42:90:85:16:e7:75:73:c0:99:2f:09:79:ca:08:4e:46:85:68:1f:f1:95:cc:ba:8a:22:9b:8a:76 ------BEGIN CERTIFICATE----- -MIIEAzCCAuugAwIBAgIQVID5oHPtPwBMyonY43HmSjANBgkqhkiG9w0BAQUFADB1 -MQswCQYDVQQGEwJFRTEiMCAGA1UECgwZQVMgU2VydGlmaXRzZWVyaW1pc2tlc2t1 -czEoMCYGA1UEAwwfRUUgQ2VydGlmaWNhdGlvbiBDZW50cmUgUm9vdCBDQTEYMBYG -CSqGSIb3DQEJARYJcGtpQHNrLmVlMCIYDzIwMTAxMDMwMTAxMDMwWhgPMjAzMDEy -MTcyMzU5NTlaMHUxCzAJBgNVBAYTAkVFMSIwIAYDVQQKDBlBUyBTZXJ0aWZpdHNl -ZXJpbWlza2Vza3VzMSgwJgYDVQQDDB9FRSBDZXJ0aWZpY2F0aW9uIENlbnRyZSBS -b290IENBMRgwFgYJKoZIhvcNAQkBFglwa2lAc2suZWUwggEiMA0GCSqGSIb3DQEB -AQUAA4IBDwAwggEKAoIBAQDIIMDs4MVLqwd4lfNE7vsLDP90jmG7sWLqI9iroWUy -euuOF0+W2Ap7kaJjbMeMTC55v6kF/GlclY1i+blw7cNRfdCT5mzrMEvhvH2/UpvO -bntl8jixwKIy72KyaOBhU8E2lf/slLo2rpwcpzIP5Xy0xm90/XsY6KxX7QYgSzIw -WFv9zajmofxwvI6Sc9uXp3whrj3B9UiHbCe9nyV0gVWw93X2PaRka9ZP585ArQ/d -MtO8ihJTmMmJ+xAdTX7Nfh9WDSFwhfYggx/2uh8Ej+p3iDXE/+pOoYtNP2MbRMNE -1CV2yreN1x5KZmTNXMWcg+HCCIia7E6j8T4cLNlsHaFLAgMBAAGjgYowgYcwDwYD -VR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYDVR0OBBYEFBLyWj7qVhy/ -zQas8fElyalL1BSZMEUGA1UdJQQ+MDwGCCsGAQUFBwMCBggrBgEFBQcDAQYIKwYB -BQUHAwMGCCsGAQUFBwMEBggrBgEFBQcDCAYIKwYBBQUHAwkwDQYJKoZIhvcNAQEF -BQADggEBAHv25MANqhlHt01Xo/6tu7Fq1Q+e2+RjxY6hUFaTlrg4wCQiZrxTFGGV -v9DHKpY5P30osxBAIWrEr7BSdxjhlthWXePdNl4dp1BUoMUq5KqMlIpPnTX/dqQG -E5Gion0ARD9V04I8GtVbvFZMIi5GQ4okQC3zErg7cBqklrkar4dBGmoYDQZPxz5u -uSlNDUmJEYcyW+ZLBMjkXOZ0c5RdFpgTlf7727FE5TpwrDdr5rMzcijJs1eg9gIW -iAYLtqZLICjU3j2LrTcFU3T+bsy8QxdxXvnFzBqpYe73dgzzcvRyrc9yAjYHR8/v -GVCJYMzpJJUPwssd8m92kMfMdcGWxZ0= ------END CERTIFICATE----- - # Issuer: CN=D-TRUST Root Class 3 CA 2 2009 O=D-Trust GmbH # Subject: CN=D-TRUST Root Class 3 CA 2 2009 O=D-Trust GmbH # Label: "D-TRUST Root Class 3 CA 2 2009" @@ -3196,46 +2385,6 @@ KoZIzj0EAwMDaAAwZQIxAOVpEslu28YxuglB4Zf4+/2a4n0Sye18ZNPLBSWLVtmg xwy8p2Fp8fc74SrL+SvzZpA3 -----END CERTIFICATE----- -# Issuer: CN=Staat der Nederlanden Root CA - G3 O=Staat der Nederlanden -# Subject: CN=Staat der Nederlanden Root CA - G3 O=Staat der Nederlanden -# Label: "Staat der Nederlanden Root CA - G3" -# Serial: 10003001 -# MD5 Fingerprint: 0b:46:67:07:db:10:2f:19:8c:35:50:60:d1:0b:f4:37 -# SHA1 Fingerprint: d8:eb:6b:41:51:92:59:e0:f3:e7:85:00:c0:3d:b6:88:97:c9:ee:fc -# SHA256 Fingerprint: 3c:4f:b0:b9:5a:b8:b3:00:32:f4:32:b8:6f:53:5f:e1:72:c1:85:d0:fd:39:86:58:37:cf:36:18:7f:a6:f4:28 ------BEGIN CERTIFICATE----- -MIIFdDCCA1ygAwIBAgIEAJiiOTANBgkqhkiG9w0BAQsFADBaMQswCQYDVQQGEwJO -TDEeMBwGA1UECgwVU3RhYXQgZGVyIE5lZGVybGFuZGVuMSswKQYDVQQDDCJTdGFh -dCBkZXIgTmVkZXJsYW5kZW4gUm9vdCBDQSAtIEczMB4XDTEzMTExNDExMjg0MloX -DTI4MTExMzIzMDAwMFowWjELMAkGA1UEBhMCTkwxHjAcBgNVBAoMFVN0YWF0IGRl -ciBOZWRlcmxhbmRlbjErMCkGA1UEAwwiU3RhYXQgZGVyIE5lZGVybGFuZGVuIFJv -b3QgQ0EgLSBHMzCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAL4yolQP -cPssXFnrbMSkUeiFKrPMSjTysF/zDsccPVMeiAho2G89rcKezIJnByeHaHE6n3WW -IkYFsO2tx1ueKt6c/DrGlaf1F2cY5y9JCAxcz+bMNO14+1Cx3Gsy8KL+tjzk7FqX -xz8ecAgwoNzFs21v0IJyEavSgWhZghe3eJJg+szeP4TrjTgzkApyI/o1zCZxMdFy -KJLZWyNtZrVtB0LrpjPOktvA9mxjeM3KTj215VKb8b475lRgsGYeCasH/lSJEULR -9yS6YHgamPfJEf0WwTUaVHXvQ9Plrk7O53vDxk5hUUurmkVLoR9BvUhTFXFkC4az -5S6+zqQbwSmEorXLCCN2QyIkHxcE1G6cxvx/K2Ya7Irl1s9N9WMJtxU51nus6+N8 -6U78dULI7ViVDAZCopz35HCz33JvWjdAidiFpNfxC95DGdRKWCyMijmev4SH8RY7 -Ngzp07TKbBlBUgmhHbBqv4LvcFEhMtwFdozL92TkA1CvjJFnq8Xy7ljY3r735zHP -bMk7ccHViLVlvMDoFxcHErVc0qsgk7TmgoNwNsXNo42ti+yjwUOH5kPiNL6VizXt -BznaqB16nzaeErAMZRKQFWDZJkBE41ZgpRDUajz9QdwOWke275dhdU/Z/seyHdTt -XUmzqWrLZoQT1Vyg3N9udwbRcXXIV2+vD3dbAgMBAAGjQjBAMA8GA1UdEwEB/wQF -MAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0GA1UdDgQWBBRUrfrHkleuyjWcLhL75Lpd -INyUVzANBgkqhkiG9w0BAQsFAAOCAgEAMJmdBTLIXg47mAE6iqTnB/d6+Oea31BD -U5cqPco8R5gu4RV78ZLzYdqQJRZlwJ9UXQ4DO1t3ApyEtg2YXzTdO2PCwyiBwpwp -LiniyMMB8jPqKqrMCQj3ZWfGzd/TtiunvczRDnBfuCPRy5FOCvTIeuXZYzbB1N/8 -Ipf3YF3qKS9Ysr1YvY2WTxB1v0h7PVGHoTx0IsL8B3+A3MSs/mrBcDCw6Y5p4ixp -gZQJut3+TcCDjJRYwEYgr5wfAvg1VUkvRtTA8KCWAg8zxXHzniN9lLf9OtMJgwYh -/WA9rjLA0u6NpvDntIJ8CsxwyXmA+P5M9zWEGYox+wrZ13+b8KKaa8MFSu1BYBQw -0aoRQm7TIwIEC8Zl3d1Sd9qBa7Ko+gE4uZbqKmxnl4mUnrzhVNXkanjvSr0rmj1A -fsbAddJu+2gw7OyLnflJNZoaLNmzlTnVHpL3prllL+U9bTpITAjc5CgSKL59NVzq -4BZ+Extq1z7XnvwtdbLBFNUjA9tbbws+eC8N3jONFrdI54OagQ97wUNNVQQXOEpR -1VmiiXTTn74eS9fGbbeIJG9gkaSChVtWQbzQRKtqE77RLFi3EjNYsjdj3BP1lB0/ -QFH1T/U67cjF68IeHRaVesd+QnGTbksVtzDfqu1XhUisHWrdOWnk4Xl4vs4Fv6EM -94B7IWcnMFk= ------END CERTIFICATE----- - # Issuer: CN=Staat der Nederlanden EV Root CA O=Staat der Nederlanden # Subject: CN=Staat der Nederlanden EV Root CA O=Staat der Nederlanden # Label: "Staat der Nederlanden EV Root CA" @@ -3453,46 +2602,6 @@ AAoACxGV2lZFA4gKn2fQ1XmxqI1AbQ3CekD6819kR5LLU7m7Wc5P/dAVUwHY3+vZ 5nbv0CO7O6l5s9UCKc2Jo5YPSjXnTkLAdc0Hz+Ys63su -----END CERTIFICATE----- -# Issuer: CN=Certinomis - Root CA O=Certinomis OU=0002 433998903 -# Subject: CN=Certinomis - Root CA O=Certinomis OU=0002 433998903 -# Label: "Certinomis - Root CA" -# Serial: 1 -# MD5 Fingerprint: 14:0a:fd:8d:a8:28:b5:38:69:db:56:7e:61:22:03:3f -# SHA1 Fingerprint: 9d:70:bb:01:a5:a4:a0:18:11:2e:f7:1c:01:b9:32:c5:34:e7:88:a8 -# SHA256 Fingerprint: 2a:99:f5:bc:11:74:b7:3c:bb:1d:62:08:84:e0:1c:34:e5:1c:cb:39:78:da:12:5f:0e:33:26:88:83:bf:41:58 ------BEGIN CERTIFICATE----- -MIIFkjCCA3qgAwIBAgIBATANBgkqhkiG9w0BAQsFADBaMQswCQYDVQQGEwJGUjET -MBEGA1UEChMKQ2VydGlub21pczEXMBUGA1UECxMOMDAwMiA0MzM5OTg5MDMxHTAb -BgNVBAMTFENlcnRpbm9taXMgLSBSb290IENBMB4XDTEzMTAyMTA5MTcxOFoXDTMz -MTAyMTA5MTcxOFowWjELMAkGA1UEBhMCRlIxEzARBgNVBAoTCkNlcnRpbm9taXMx -FzAVBgNVBAsTDjAwMDIgNDMzOTk4OTAzMR0wGwYDVQQDExRDZXJ0aW5vbWlzIC0g -Um9vdCBDQTCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBANTMCQosP5L2 -fxSeC5yaah1AMGT9qt8OHgZbn1CF6s2Nq0Nn3rD6foCWnoR4kkjW4znuzuRZWJfl -LieY6pOod5tK8O90gC3rMB+12ceAnGInkYjwSond3IjmFPnVAy//ldu9n+ws+hQV -WZUKxkd8aRi5pwP5ynapz8dvtF4F/u7BUrJ1Mofs7SlmO/NKFoL21prbcpjp3vDF -TKWrteoB4owuZH9kb/2jJZOLyKIOSY008B/sWEUuNKqEUL3nskoTuLAPrjhdsKkb -5nPJWqHZZkCqqU2mNAKthH6yI8H7KsZn9DS2sJVqM09xRLWtwHkziOC/7aOgFLSc -CbAK42C++PhmiM1b8XcF4LVzbsF9Ri6OSyemzTUK/eVNfaoqoynHWmgE6OXWk6Ri -wsXm9E/G+Z8ajYJJGYrKWUM66A0ywfRMEwNvbqY/kXPLynNvEiCL7sCCeN5LLsJJ -wx3tFvYk9CcbXFcx3FXuqB5vbKziRcxXV4p1VxngtViZSTYxPDMBbRZKzbgqg4SG -m/lg0h9tkQPTYKbVPZrdd5A9NaSfD171UkRpucC63M9933zZxKyGIjK8e2uR73r4 -F2iw4lNVYC2vPsKD2NkJK/DAZNuHi5HMkesE/Xa0lZrmFAYb1TQdvtj/dBxThZng -WVJKYe2InmtJiUZ+IFrZ50rlau7SZRFDAgMBAAGjYzBhMA4GA1UdDwEB/wQEAwIB -BjAPBgNVHRMBAf8EBTADAQH/MB0GA1UdDgQWBBTvkUz1pcMw6C8I6tNxIqSSaHh0 -2TAfBgNVHSMEGDAWgBTvkUz1pcMw6C8I6tNxIqSSaHh02TANBgkqhkiG9w0BAQsF -AAOCAgEAfj1U2iJdGlg+O1QnurrMyOMaauo++RLrVl89UM7g6kgmJs95Vn6RHJk/ -0KGRHCwPT5iVWVO90CLYiF2cN/z7ZMF4jIuaYAnq1fohX9B0ZedQxb8uuQsLrbWw -F6YSjNRieOpWauwK0kDDPAUwPk2Ut59KA9N9J0u2/kTO+hkzGm2kQtHdzMjI1xZS -g081lLMSVX3l4kLr5JyTCcBMWwerx20RoFAXlCOotQqSD7J6wWAsOMwaplv/8gzj -qh8c3LigkyfeY+N/IZ865Z764BNqdeuWXGKRlI5nU7aJ+BIJy29SWwNyhlCVCNSN -h4YVH5Uk2KRvms6knZtt0rJ2BobGVgjF6wnaNsIbW0G+YSrjcOa4pvi2WsS9Iff/ -ql+hbHY5ZtbqTFXhADObE5hjyW/QASAJN1LnDE8+zbz1X5YnpyACleAu6AdBBR8V -btaw5BngDwKTACdyxYvRVB9dSsNAl35VpnzBMwQUAR1JIGkLGZOdblgi90AMRgwj -Y/M50n92Uaf0yKHxDHYiI0ZSKS3io0EHVmmY0gUJvGnHWmHNj4FgFU2A3ZDifcRQ -8ow7bkrHxuaAKzyBvBGAFhAn1/DNP3nMcyrDflOR1m749fPH0FFNjkulW+YZFzvW -gQncItzujrnEj1PhZ7szuIgVRs/taTX/dQ1G885x4cVrhkIGuUE= ------END CERTIFICATE----- - # Issuer: CN=OISTE WISeKey Global Root GB CA O=WISeKey OU=OISTE Foundation Endorsed # Subject: CN=OISTE WISeKey Global Root GB CA O=WISeKey OU=OISTE Foundation Endorsed # Label: "OISTE WISeKey Global Root GB CA" @@ -3849,47 +2958,6 @@ CkcO8DdZEv8tmZQoTipPNU0zWgIxAOp1AE47xDqUEpHJWEadIRNyp4iciuRMStuW 1KyLa2tJElMzrdfkviT8tQp21KW8EA== -----END CERTIFICATE----- -# Issuer: CN=LuxTrust Global Root 2 O=LuxTrust S.A. -# Subject: CN=LuxTrust Global Root 2 O=LuxTrust S.A. -# Label: "LuxTrust Global Root 2" -# Serial: 59914338225734147123941058376788110305822489521 -# MD5 Fingerprint: b2:e1:09:00:61:af:f7:f1:91:6f:c4:ad:8d:5e:3b:7c -# SHA1 Fingerprint: 1e:0e:56:19:0a:d1:8b:25:98:b2:04:44:ff:66:8a:04:17:99:5f:3f -# SHA256 Fingerprint: 54:45:5f:71:29:c2:0b:14:47:c4:18:f9:97:16:8f:24:c5:8f:c5:02:3b:f5:da:5b:e2:eb:6e:1d:d8:90:2e:d5 ------BEGIN CERTIFICATE----- -MIIFwzCCA6ugAwIBAgIUCn6m30tEntpqJIWe5rgV0xZ/u7EwDQYJKoZIhvcNAQEL -BQAwRjELMAkGA1UEBhMCTFUxFjAUBgNVBAoMDUx1eFRydXN0IFMuQS4xHzAdBgNV -BAMMFkx1eFRydXN0IEdsb2JhbCBSb290IDIwHhcNMTUwMzA1MTMyMTU3WhcNMzUw -MzA1MTMyMTU3WjBGMQswCQYDVQQGEwJMVTEWMBQGA1UECgwNTHV4VHJ1c3QgUy5B -LjEfMB0GA1UEAwwWTHV4VHJ1c3QgR2xvYmFsIFJvb3QgMjCCAiIwDQYJKoZIhvcN -AQEBBQADggIPADCCAgoCggIBANeFl78RmOnwYoNMPIf5U2o3C/IPPIfOb9wmKb3F -ibrJgz337spbxm1Jc7TJRqMbNBM/wYlFV/TZsfs2ZUv7COJIcRHIbjuend+JZTem -hfY7RBi2xjcwYkSSl2l9QjAk5A0MiWtj3sXh306pFGxT4GHO9hcvHTy95iJMHZP1 -EMShduxq3sVs35a0VkBCwGKSMKEtFZSg0iAGCW5qbeXrt77U8PEVfIvmTroTzEsn -Xpk8F12PgX8zPU/TPxvsXD/wPEx1bvKm1Z3aLQdjAsZy6ZS8TEmVT4hSyNvoaYL4 -zDRbIvCGp4m9SAptZoFtyMhk+wHh9OHe2Z7d21vUKpkmFRseTJIpgp7VkoGSQXAZ -96Tlk0u8d2cx3Rz9MXANF5kM+Qw5GSoXtTBxVdUPrljhPS80m8+f9niFwpN6cj5m -j5wWEWCPnolvZ77gR1o7DJpni89Gxq44o/KnvObWhWszJHAiS8sIm7vI+AIpHb4g -DEa/a4ebsypmQjVGbKq6rfmYe+lQVRQxv7HaLe2ArWgk+2mr2HETMOZns4dA/Yl+ -8kPREd8vZS9kzl8UubG/Mb2HeFpZZYiq/FkySIbWTLkpS5XTdvN3JW1CHDiDTf2j -X5t/Lax5Gw5CMZdjpPuKadUiDTSQMC6otOBttpSsvItO13D8xTiOZCXhTTmQzsmH -hFhxAgMBAAGjgagwgaUwDwYDVR0TAQH/BAUwAwEB/zBCBgNVHSAEOzA5MDcGByuB -KwEBAQowLDAqBggrBgEFBQcCARYeaHR0cHM6Ly9yZXBvc2l0b3J5Lmx1eHRydXN0 -Lmx1MA4GA1UdDwEB/wQEAwIBBjAfBgNVHSMEGDAWgBT/GCh2+UgFLKGu8SsbK7JT -+Et8szAdBgNVHQ4EFgQU/xgodvlIBSyhrvErGyuyU/hLfLMwDQYJKoZIhvcNAQEL -BQADggIBAGoZFO1uecEsh9QNcH7X9njJCwROxLHOk3D+sFTAMs2ZMGQXvw/l4jP9 -BzZAcg4atmpZ1gDlaCDdLnINH2pkMSCEfUmmWjfrRcmF9dTHF5kH5ptV5AzoqbTO -jFu1EVzPig4N1qx3gf4ynCSecs5U89BvolbW7MM3LGVYvlcAGvI1+ut7MV3CwRI9 -loGIlonBWVx65n9wNOeD4rHh4bhY79SV5GCc8JaXcozrhAIuZY+kt9J/Z93I055c -qqmkoCUUBpvsT34tC38ddfEz2O3OuHVtPlu5mB0xDVbYQw8wkbIEa91WvpWAVWe+ -2M2D2RjuLg+GLZKecBPs3lHJQ3gCpU3I+V/EkVhGFndadKpAvAefMLmx9xIX3eP/ -JEAdemrRTxgKqpAd60Ae36EeRJIQmvKN4dFLRp7oRUKX6kWZ8+xm1QL68qZKJKre -zrnK+T+Tb/mjuuqlPpmt/f97mfVl7vBZKGfXkJWkE4SphMHozs51k2MavDzq1WQf -LSoSOcbDWjLtR5EWDrw4wVDej8oqkDQc7kGUnF4ZLvhFSZl0kbAEb+MEWrGrKqv+ -x9CWttrhSmQGbmBNvUJO/3jaJMobtNeWOWyu8Q6qp31IiyBMz2TWuJdGsE7RKlY6 -oJO9r4Ak4Ap+58rVyuiFVdw2KuGUaJPHZnJED4AhMmwlxyOAgwrr ------END CERTIFICATE----- - # Issuer: CN=TUBITAK Kamu SM SSL Kok Sertifikasi - Surum 1 O=Turkiye Bilimsel ve Teknolojik Arastirma Kurumu - TUBITAK OU=Kamu Sertifikasyon Merkezi - Kamu SM # Subject: CN=TUBITAK Kamu SM SSL Kok Sertifikasi - Surum 1 O=Turkiye Bilimsel ve Teknolojik Arastirma Kurumu - TUBITAK OU=Kamu Sertifikasyon Merkezi - Kamu SM # Label: "TUBITAK Kamu SM SSL Kok Sertifikasi - Surum 1" @@ -4510,3 +3578,680 @@ Nwf9JtmYhST/WSMDmu2dnajkXjjO11INb9I/bbEFa0nOipFGc/T2L/Coc3cOZayh jWZSaX5LaAzHHjcng6WMxwLkFM1JAbBzs/3GkDpv0mztO+7skb6iQ12LAEpmJURw 3kAP+HwV96LOPNdeE4yBFxgX0b3xdxA61GU5wSesVywlVP+i2k+KYTlerj1KjL0= -----END CERTIFICATE----- + +# Issuer: CN=emSign Root CA - G1 O=eMudhra Technologies Limited OU=emSign PKI +# Subject: CN=emSign Root CA - G1 O=eMudhra Technologies Limited OU=emSign PKI +# Label: "emSign Root CA - G1" +# Serial: 235931866688319308814040 +# MD5 Fingerprint: 9c:42:84:57:dd:cb:0b:a7:2e:95:ad:b6:f3:da:bc:ac +# SHA1 Fingerprint: 8a:c7:ad:8f:73:ac:4e:c1:b5:75:4d:a5:40:f4:fc:cf:7c:b5:8e:8c +# SHA256 Fingerprint: 40:f6:af:03:46:a9:9a:a1:cd:1d:55:5a:4e:9c:ce:62:c7:f9:63:46:03:ee:40:66:15:83:3d:c8:c8:d0:03:67 +-----BEGIN CERTIFICATE----- +MIIDlDCCAnygAwIBAgIKMfXkYgxsWO3W2DANBgkqhkiG9w0BAQsFADBnMQswCQYD +VQQGEwJJTjETMBEGA1UECxMKZW1TaWduIFBLSTElMCMGA1UEChMcZU11ZGhyYSBU +ZWNobm9sb2dpZXMgTGltaXRlZDEcMBoGA1UEAxMTZW1TaWduIFJvb3QgQ0EgLSBH +MTAeFw0xODAyMTgxODMwMDBaFw00MzAyMTgxODMwMDBaMGcxCzAJBgNVBAYTAklO +MRMwEQYDVQQLEwplbVNpZ24gUEtJMSUwIwYDVQQKExxlTXVkaHJhIFRlY2hub2xv +Z2llcyBMaW1pdGVkMRwwGgYDVQQDExNlbVNpZ24gUm9vdCBDQSAtIEcxMIIBIjAN +BgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAk0u76WaK7p1b1TST0Bsew+eeuGQz +f2N4aLTNLnF115sgxk0pvLZoYIr3IZpWNVrzdr3YzZr/k1ZLpVkGoZM0Kd0WNHVO +8oG0x5ZOrRkVUkr+PHB1cM2vK6sVmjM8qrOLqs1D/fXqcP/tzxE7lM5OMhbTI0Aq +d7OvPAEsbO2ZLIvZTmmYsvePQbAyeGHWDV/D+qJAkh1cF+ZwPjXnorfCYuKrpDhM +tTk1b+oDafo6VGiFbdbyL0NVHpENDtjVaqSW0RM8LHhQ6DqS0hdW5TUaQBw+jSzt +Od9C4INBdN+jzcKGYEho42kLVACL5HZpIQ15TjQIXhTCzLG3rdd8cIrHhQIDAQAB +o0IwQDAdBgNVHQ4EFgQU++8Nhp6w492pufEhF38+/PB3KxowDgYDVR0PAQH/BAQD +AgEGMA8GA1UdEwEB/wQFMAMBAf8wDQYJKoZIhvcNAQELBQADggEBAFn/8oz1h31x +PaOfG1vR2vjTnGs2vZupYeveFix0PZ7mddrXuqe8QhfnPZHr5X3dPpzxz5KsbEjM +wiI/aTvFthUvozXGaCocV685743QNcMYDHsAVhzNixl03r4PEuDQqqE/AjSxcM6d +GNYIAwlG7mDgfrbESQRRfXBgvKqy/3lyeqYdPV8q+Mri/Tm3R7nrft8EI6/6nAYH +6ftjk4BAtcZsCjEozgyfz7MjNYBBjWzEN3uBL4ChQEKF6dk4jeihU80Bv2noWgby +RQuQ+q7hv53yrlc8pa6yVvSLZUDp/TGBLPQ5Cdjua6e0ph0VpZj3AYHYhX3zUVxx +iN66zB+Afko= +-----END CERTIFICATE----- + +# Issuer: CN=emSign ECC Root CA - G3 O=eMudhra Technologies Limited OU=emSign PKI +# Subject: CN=emSign ECC Root CA - G3 O=eMudhra Technologies Limited OU=emSign PKI +# Label: "emSign ECC Root CA - G3" +# Serial: 287880440101571086945156 +# MD5 Fingerprint: ce:0b:72:d1:9f:88:8e:d0:50:03:e8:e3:b8:8b:67:40 +# SHA1 Fingerprint: 30:43:fa:4f:f2:57:dc:a0:c3:80:ee:2e:58:ea:78:b2:3f:e6:bb:c1 +# SHA256 Fingerprint: 86:a1:ec:ba:08:9c:4a:8d:3b:be:27:34:c6:12:ba:34:1d:81:3e:04:3c:f9:e8:a8:62:cd:5c:57:a3:6b:be:6b +-----BEGIN CERTIFICATE----- +MIICTjCCAdOgAwIBAgIKPPYHqWhwDtqLhDAKBggqhkjOPQQDAzBrMQswCQYDVQQG +EwJJTjETMBEGA1UECxMKZW1TaWduIFBLSTElMCMGA1UEChMcZU11ZGhyYSBUZWNo +bm9sb2dpZXMgTGltaXRlZDEgMB4GA1UEAxMXZW1TaWduIEVDQyBSb290IENBIC0g +RzMwHhcNMTgwMjE4MTgzMDAwWhcNNDMwMjE4MTgzMDAwWjBrMQswCQYDVQQGEwJJ +TjETMBEGA1UECxMKZW1TaWduIFBLSTElMCMGA1UEChMcZU11ZGhyYSBUZWNobm9s +b2dpZXMgTGltaXRlZDEgMB4GA1UEAxMXZW1TaWduIEVDQyBSb290IENBIC0gRzMw +djAQBgcqhkjOPQIBBgUrgQQAIgNiAAQjpQy4LRL1KPOxst3iAhKAnjlfSU2fySU0 +WXTsuwYc58Byr+iuL+FBVIcUqEqy6HyC5ltqtdyzdc6LBtCGI79G1Y4PPwT01xyS +fvalY8L1X44uT6EYGQIrMgqCZH0Wk9GjQjBAMB0GA1UdDgQWBBR8XQKEE9TMipuB +zhccLikenEhjQjAOBgNVHQ8BAf8EBAMCAQYwDwYDVR0TAQH/BAUwAwEB/zAKBggq +hkjOPQQDAwNpADBmAjEAvvNhzwIQHWSVB7gYboiFBS+DCBeQyh+KTOgNG3qxrdWB +CUfvO6wIBHxcmbHtRwfSAjEAnbpV/KlK6O3t5nYBQnvI+GDZjVGLVTv7jHvrZQnD ++JbNR6iC8hZVdyR+EhCVBCyj +-----END CERTIFICATE----- + +# Issuer: CN=emSign Root CA - C1 O=eMudhra Inc OU=emSign PKI +# Subject: CN=emSign Root CA - C1 O=eMudhra Inc OU=emSign PKI +# Label: "emSign Root CA - C1" +# Serial: 825510296613316004955058 +# MD5 Fingerprint: d8:e3:5d:01:21:fa:78:5a:b0:df:ba:d2:ee:2a:5f:68 +# SHA1 Fingerprint: e7:2e:f1:df:fc:b2:09:28:cf:5d:d4:d5:67:37:b1:51:cb:86:4f:01 +# SHA256 Fingerprint: 12:56:09:aa:30:1d:a0:a2:49:b9:7a:82:39:cb:6a:34:21:6f:44:dc:ac:9f:39:54:b1:42:92:f2:e8:c8:60:8f +-----BEGIN CERTIFICATE----- +MIIDczCCAlugAwIBAgILAK7PALrEzzL4Q7IwDQYJKoZIhvcNAQELBQAwVjELMAkG +A1UEBhMCVVMxEzARBgNVBAsTCmVtU2lnbiBQS0kxFDASBgNVBAoTC2VNdWRocmEg +SW5jMRwwGgYDVQQDExNlbVNpZ24gUm9vdCBDQSAtIEMxMB4XDTE4MDIxODE4MzAw +MFoXDTQzMDIxODE4MzAwMFowVjELMAkGA1UEBhMCVVMxEzARBgNVBAsTCmVtU2ln +biBQS0kxFDASBgNVBAoTC2VNdWRocmEgSW5jMRwwGgYDVQQDExNlbVNpZ24gUm9v +dCBDQSAtIEMxMIIBIjANBgkqhkiG9w0BAQEFAAOCAQ8AMIIBCgKCAQEAz+upufGZ +BczYKCFK83M0UYRWEPWgTywS4/oTmifQz/l5GnRfHXk5/Fv4cI7gklL35CX5VIPZ +HdPIWoU/Xse2B+4+wM6ar6xWQio5JXDWv7V7Nq2s9nPczdcdioOl+yuQFTdrHCZH +3DspVpNqs8FqOp099cGXOFgFixwR4+S0uF2FHYP+eF8LRWgYSKVGczQ7/g/IdrvH +GPMF0Ybzhe3nudkyrVWIzqa2kbBPrH4VI5b2P/AgNBbeCsbEBEV5f6f9vtKppa+c +xSMq9zwhbL2vj07FOrLzNBL834AaSaTUqZX3noleoomslMuoaJuvimUnzYnu3Yy1 +aylwQ6BpC+S5DwIDAQABo0IwQDAdBgNVHQ4EFgQU/qHgcB4qAzlSWkK+XJGFehiq +TbUwDgYDVR0PAQH/BAQDAgEGMA8GA1UdEwEB/wQFMAMBAf8wDQYJKoZIhvcNAQEL +BQADggEBAMJKVvoVIXsoounlHfv4LcQ5lkFMOycsxGwYFYDGrK9HWS8mC+M2sO87 +/kOXSTKZEhVb3xEp/6tT+LvBeA+snFOvV71ojD1pM/CjoCNjO2RnIkSt1XHLVip4 +kqNPEjE2NuLe/gDEo2APJ62gsIq1NnpSob0n9CAnYuhNlCQT5AoE6TyrLshDCUrG +YQTlSTR+08TI9Q/Aqum6VF7zYytPT1DU/rl7mYw9wC68AivTxEDkigcxHpvOJpkT ++xHqmiIMERnHXhuBUDDIlhJu58tBf5E7oke3VIAb3ADMmpDqw8NQBmIMMMAVSKeo +WXzhriKi4gp6D/piq1JM4fHfyr6DDUI= +-----END CERTIFICATE----- + +# Issuer: CN=emSign ECC Root CA - C3 O=eMudhra Inc OU=emSign PKI +# Subject: CN=emSign ECC Root CA - C3 O=eMudhra Inc OU=emSign PKI +# Label: "emSign ECC Root CA - C3" +# Serial: 582948710642506000014504 +# MD5 Fingerprint: 3e:53:b3:a3:81:ee:d7:10:f8:d3:b0:1d:17:92:f5:d5 +# SHA1 Fingerprint: b6:af:43:c2:9b:81:53:7d:f6:ef:6b:c3:1f:1f:60:15:0c:ee:48:66 +# SHA256 Fingerprint: bc:4d:80:9b:15:18:9d:78:db:3e:1d:8c:f4:f9:72:6a:79:5d:a1:64:3c:a5:f1:35:8e:1d:db:0e:dc:0d:7e:b3 +-----BEGIN CERTIFICATE----- +MIICKzCCAbGgAwIBAgIKe3G2gla4EnycqDAKBggqhkjOPQQDAzBaMQswCQYDVQQG +EwJVUzETMBEGA1UECxMKZW1TaWduIFBLSTEUMBIGA1UEChMLZU11ZGhyYSBJbmMx +IDAeBgNVBAMTF2VtU2lnbiBFQ0MgUm9vdCBDQSAtIEMzMB4XDTE4MDIxODE4MzAw +MFoXDTQzMDIxODE4MzAwMFowWjELMAkGA1UEBhMCVVMxEzARBgNVBAsTCmVtU2ln +biBQS0kxFDASBgNVBAoTC2VNdWRocmEgSW5jMSAwHgYDVQQDExdlbVNpZ24gRUND +IFJvb3QgQ0EgLSBDMzB2MBAGByqGSM49AgEGBSuBBAAiA2IABP2lYa57JhAd6bci +MK4G9IGzsUJxlTm801Ljr6/58pc1kjZGDoeVjbk5Wum739D+yAdBPLtVb4Ojavti +sIGJAnB9SMVK4+kiVCJNk7tCDK93nCOmfddhEc5lx/h//vXyqaNCMEAwHQYDVR0O +BBYEFPtaSNCAIEDyqOkAB2kZd6fmw/TPMA4GA1UdDwEB/wQEAwIBBjAPBgNVHRMB +Af8EBTADAQH/MAoGCCqGSM49BAMDA2gAMGUCMQC02C8Cif22TGK6Q04ThHK1rt0c +3ta13FaPWEBaLd4gTCKDypOofu4SQMfWh0/434UCMBwUZOR8loMRnLDRWmFLpg9J +0wD8ofzkpf9/rdcw0Md3f76BB1UwUCAU9Vc4CqgxUQ== +-----END CERTIFICATE----- + +# Issuer: CN=Hongkong Post Root CA 3 O=Hongkong Post +# Subject: CN=Hongkong Post Root CA 3 O=Hongkong Post +# Label: "Hongkong Post Root CA 3" +# Serial: 46170865288971385588281144162979347873371282084 +# MD5 Fingerprint: 11:fc:9f:bd:73:30:02:8a:fd:3f:f3:58:b9:cb:20:f0 +# SHA1 Fingerprint: 58:a2:d0:ec:20:52:81:5b:c1:f3:f8:64:02:24:4e:c2:8e:02:4b:02 +# SHA256 Fingerprint: 5a:2f:c0:3f:0c:83:b0:90:bb:fa:40:60:4b:09:88:44:6c:76:36:18:3d:f9:84:6e:17:10:1a:44:7f:b8:ef:d6 +-----BEGIN CERTIFICATE----- +MIIFzzCCA7egAwIBAgIUCBZfikyl7ADJk0DfxMauI7gcWqQwDQYJKoZIhvcNAQEL +BQAwbzELMAkGA1UEBhMCSEsxEjAQBgNVBAgTCUhvbmcgS29uZzESMBAGA1UEBxMJ +SG9uZyBLb25nMRYwFAYDVQQKEw1Ib25na29uZyBQb3N0MSAwHgYDVQQDExdIb25n +a29uZyBQb3N0IFJvb3QgQ0EgMzAeFw0xNzA2MDMwMjI5NDZaFw00MjA2MDMwMjI5 +NDZaMG8xCzAJBgNVBAYTAkhLMRIwEAYDVQQIEwlIb25nIEtvbmcxEjAQBgNVBAcT +CUhvbmcgS29uZzEWMBQGA1UEChMNSG9uZ2tvbmcgUG9zdDEgMB4GA1UEAxMXSG9u +Z2tvbmcgUG9zdCBSb290IENBIDMwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIK +AoICAQCziNfqzg8gTr7m1gNt7ln8wlffKWihgw4+aMdoWJwcYEuJQwy51BWy7sFO +dem1p+/l6TWZ5Mwc50tfjTMwIDNT2aa71T4Tjukfh0mtUC1Qyhi+AViiE3CWu4mI +VoBc+L0sPOFMV4i707mV78vH9toxdCim5lSJ9UExyuUmGs2C4HDaOym71QP1mbpV +9WTRYA6ziUm4ii8F0oRFKHyPaFASePwLtVPLwpgchKOesL4jpNrcyCse2m5FHomY +2vkALgbpDDtw1VAliJnLzXNg99X/NWfFobxeq81KuEXryGgeDQ0URhLj0mRiikKY +vLTGCAj4/ahMZJx2Ab0vqWwzD9g/KLg8aQFChn5pwckGyuV6RmXpwtZQQS4/t+Tt +bNe/JgERohYpSms0BpDsE9K2+2p20jzt8NYt3eEV7KObLyzJPivkaTv/ciWxNoZb +x39ri1UbSsUgYT2uy1DhCDq+sI9jQVMwCFk8mB13umOResoQUGC/8Ne8lYePl8X+ +l2oBlKN8W4UdKjk60FSh0Tlxnf0h+bV78OLgAo9uliQlLKAeLKjEiafv7ZkGL7YK +TE/bosw3Gq9HhS2KX8Q0NEwA/RiTZxPRN+ZItIsGxVd7GYYKecsAyVKvQv83j+Gj +Hno9UKtjBucVtT+2RTeUN7F+8kjDf8V1/peNRY8apxpyKBpADwIDAQABo2MwYTAP +BgNVHRMBAf8EBTADAQH/MA4GA1UdDwEB/wQEAwIBBjAfBgNVHSMEGDAWgBQXnc0e +i9Y5K3DTXNSguB+wAPzFYTAdBgNVHQ4EFgQUF53NHovWOStw01zUoLgfsAD8xWEw +DQYJKoZIhvcNAQELBQADggIBAFbVe27mIgHSQpsY1Q7XZiNc4/6gx5LS6ZStS6LG +7BJ8dNVI0lkUmcDrudHr9EgwW62nV3OZqdPlt9EuWSRY3GguLmLYauRwCy0gUCCk +MpXRAJi70/33MvJJrsZ64Ee+bs7Lo3I6LWldy8joRTnU+kLBEUx3XZL7av9YROXr +gZ6voJmtvqkBZss4HTzfQx/0TW60uhdG/H39h4F5ag0zD/ov+BS5gLNdTaqX4fnk +GMX41TiMJjz98iji7lpJiCzfeT2OnpA8vUFKOt1b9pq0zj8lMH8yfaIDlNDceqFS +3m6TjRgm/VWsvY+b0s+v54Ysyx8Jb6NvqYTUc79NoXQbTiNg8swOqn+knEwlqLJm +Ozj/2ZQw9nKEvmhVEA/GcywWaZMH/rFF7buiVWqw2rVKAiUnhde3t4ZEFolsgCs+ +l6mc1X5VTMbeRRAc6uk7nwNT7u56AQIWeNTowr5GdogTPyK7SBIdUgC0An4hGh6c +JfTzPV4e0hz5sy229zdcxsshTrD3mUcYhcErulWuBurQB7Lcq9CClnXO0lD+mefP +L5/ndtFhKvshuzHQqp9HpLIiyhY6UFfEW0NnxWViA0kB60PZ2Pierc+xYw5F9KBa +LJstxabArahH9CdMOA0uG0k7UvToiIMrVCjU8jVStDKDYmlkDJGcn5fqdBb9HxEG +mpv0 +-----END CERTIFICATE----- + +# Issuer: CN=Entrust Root Certification Authority - G4 O=Entrust, Inc. OU=See www.entrust.net/legal-terms/(c) 2015 Entrust, Inc. - for authorized use only +# Subject: CN=Entrust Root Certification Authority - G4 O=Entrust, Inc. OU=See www.entrust.net/legal-terms/(c) 2015 Entrust, Inc. - for authorized use only +# Label: "Entrust Root Certification Authority - G4" +# Serial: 289383649854506086828220374796556676440 +# MD5 Fingerprint: 89:53:f1:83:23:b7:7c:8e:05:f1:8c:71:38:4e:1f:88 +# SHA1 Fingerprint: 14:88:4e:86:26:37:b0:26:af:59:62:5c:40:77:ec:35:29:ba:96:01 +# SHA256 Fingerprint: db:35:17:d1:f6:73:2a:2d:5a:b9:7c:53:3e:c7:07:79:ee:32:70:a6:2f:b4:ac:42:38:37:24:60:e6:f0:1e:88 +-----BEGIN CERTIFICATE----- +MIIGSzCCBDOgAwIBAgIRANm1Q3+vqTkPAAAAAFVlrVgwDQYJKoZIhvcNAQELBQAw +gb4xCzAJBgNVBAYTAlVTMRYwFAYDVQQKEw1FbnRydXN0LCBJbmMuMSgwJgYDVQQL +Ex9TZWUgd3d3LmVudHJ1c3QubmV0L2xlZ2FsLXRlcm1zMTkwNwYDVQQLEzAoYykg +MjAxNSBFbnRydXN0LCBJbmMuIC0gZm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxMjAw +BgNVBAMTKUVudHJ1c3QgUm9vdCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEc0 +MB4XDTE1MDUyNzExMTExNloXDTM3MTIyNzExNDExNlowgb4xCzAJBgNVBAYTAlVT +MRYwFAYDVQQKEw1FbnRydXN0LCBJbmMuMSgwJgYDVQQLEx9TZWUgd3d3LmVudHJ1 +c3QubmV0L2xlZ2FsLXRlcm1zMTkwNwYDVQQLEzAoYykgMjAxNSBFbnRydXN0LCBJ +bmMuIC0gZm9yIGF1dGhvcml6ZWQgdXNlIG9ubHkxMjAwBgNVBAMTKUVudHJ1c3Qg +Um9vdCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eSAtIEc0MIICIjANBgkqhkiG9w0B +AQEFAAOCAg8AMIICCgKCAgEAsewsQu7i0TD/pZJH4i3DumSXbcr3DbVZwbPLqGgZ +2K+EbTBwXX7zLtJTmeH+H17ZSK9dE43b/2MzTdMAArzE+NEGCJR5WIoV3imz/f3E +T+iq4qA7ec2/a0My3dl0ELn39GjUu9CH1apLiipvKgS1sqbHoHrmSKvS0VnM1n4j +5pds8ELl3FFLFUHtSUrJ3hCX1nbB76W1NhSXNdh4IjVS70O92yfbYVaCNNzLiGAM +C1rlLAHGVK/XqsEQe9IFWrhAnoanw5CGAlZSCXqc0ieCU0plUmr1POeo8pyvi73T +DtTUXm6Hnmo9RR3RXRv06QqsYJn7ibT/mCzPfB3pAqoEmh643IhuJbNsZvc8kPNX +wbMv9W3y+8qh+CmdRouzavbmZwe+LGcKKh9asj5XxNMhIWNlUpEbsZmOeX7m640A +2Vqq6nPopIICR5b+W45UYaPrL0swsIsjdXJ8ITzI9vF01Bx7owVV7rtNOzK+mndm +nqxpkCIHH2E6lr7lmk/MBTwoWdPBDFSoWWG9yHJM6Nyfh3+9nEg2XpWjDrk4JFX8 +dWbrAuMINClKxuMrLzOg2qOGpRKX/YAr2hRC45K9PvJdXmd0LhyIRyk0X+IyqJwl +N4y6mACXi0mWHv0liqzc2thddG5msP9E36EYxr5ILzeUePiVSj9/E15dWf10hkNj +c0kCAwEAAaNCMEAwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYD +VR0OBBYEFJ84xFYjwznooHFs6FRM5Og6sb9nMA0GCSqGSIb3DQEBCwUAA4ICAQAS +5UKme4sPDORGpbZgQIeMJX6tuGguW8ZAdjwD+MlZ9POrYs4QjbRaZIxowLByQzTS +Gwv2LFPSypBLhmb8qoMi9IsabyZIrHZ3CL/FmFz0Jomee8O5ZDIBf9PD3Vht7LGr +hFV0d4QEJ1JrhkzO3bll/9bGXp+aEJlLdWr+aumXIOTkdnrG0CSqkM0gkLpHZPt/ +B7NTeLUKYvJzQ85BK4FqLoUWlFPUa19yIqtRLULVAJyZv967lDtX/Zr1hstWO1uI +AeV8KEsD+UmDfLJ/fOPtjqF/YFOOVZ1QNBIPt5d7bIdKROf1beyAN/BYGW5KaHbw +H5Lk6rWS02FREAutp9lfx1/cH6NcjKF+m7ee01ZvZl4HliDtC3T7Zk6LERXpgUl+ +b7DUUH8i119lAg2m9IUe2K4GS0qn0jFmwvjO5QimpAKWRGhXxNUzzxkvFMSUHHuk +2fCfDrGA4tGeEWSpiBE6doLlYsKA2KSD7ZPvfC+QsDJMlhVoSFLUmQjAJOgc47Ol +IQ6SwJAfzyBfyjs4x7dtOvPmRLgOMWuIjnDrnBdSqEGULoe256YSxXXfW8AKbnuk +5F6G+TaU33fD6Q3AOfF5u0aOq0NZJ7cguyPpVkAh7DE9ZapD8j3fcEThuk0mEDuY +n/PIjhs4ViFqUZPTkcpG2om3PVODLAgfi49T3f+sHw== +-----END CERTIFICATE----- + +# Issuer: CN=Microsoft ECC Root Certificate Authority 2017 O=Microsoft Corporation +# Subject: CN=Microsoft ECC Root Certificate Authority 2017 O=Microsoft Corporation +# Label: "Microsoft ECC Root Certificate Authority 2017" +# Serial: 136839042543790627607696632466672567020 +# MD5 Fingerprint: dd:a1:03:e6:4a:93:10:d1:bf:f0:19:42:cb:fe:ed:67 +# SHA1 Fingerprint: 99:9a:64:c3:7f:f4:7d:9f:ab:95:f1:47:69:89:14:60:ee:c4:c3:c5 +# SHA256 Fingerprint: 35:8d:f3:9d:76:4a:f9:e1:b7:66:e9:c9:72:df:35:2e:e1:5c:fa:c2:27:af:6a:d1:d7:0e:8e:4a:6e:dc:ba:02 +-----BEGIN CERTIFICATE----- +MIICWTCCAd+gAwIBAgIQZvI9r4fei7FK6gxXMQHC7DAKBggqhkjOPQQDAzBlMQsw +CQYDVQQGEwJVUzEeMBwGA1UEChMVTWljcm9zb2Z0IENvcnBvcmF0aW9uMTYwNAYD +VQQDEy1NaWNyb3NvZnQgRUNDIFJvb3QgQ2VydGlmaWNhdGUgQXV0aG9yaXR5IDIw +MTcwHhcNMTkxMjE4MjMwNjQ1WhcNNDIwNzE4MjMxNjA0WjBlMQswCQYDVQQGEwJV +UzEeMBwGA1UEChMVTWljcm9zb2Z0IENvcnBvcmF0aW9uMTYwNAYDVQQDEy1NaWNy +b3NvZnQgRUNDIFJvb3QgQ2VydGlmaWNhdGUgQXV0aG9yaXR5IDIwMTcwdjAQBgcq +hkjOPQIBBgUrgQQAIgNiAATUvD0CQnVBEyPNgASGAlEvaqiBYgtlzPbKnR5vSmZR +ogPZnZH6thaxjG7efM3beaYvzrvOcS/lpaso7GMEZpn4+vKTEAXhgShC48Zo9OYb +hGBKia/teQ87zvH2RPUBeMCjVDBSMA4GA1UdDwEB/wQEAwIBhjAPBgNVHRMBAf8E +BTADAQH/MB0GA1UdDgQWBBTIy5lycFIM+Oa+sgRXKSrPQhDtNTAQBgkrBgEEAYI3 +FQEEAwIBADAKBggqhkjOPQQDAwNoADBlAjBY8k3qDPlfXu5gKcs68tvWMoQZP3zV +L8KxzJOuULsJMsbG7X7JNpQS5GiFBqIb0C8CMQCZ6Ra0DvpWSNSkMBaReNtUjGUB +iudQZsIxtzm6uBoiB078a1QWIP8rtedMDE2mT3M= +-----END CERTIFICATE----- + +# Issuer: CN=Microsoft RSA Root Certificate Authority 2017 O=Microsoft Corporation +# Subject: CN=Microsoft RSA Root Certificate Authority 2017 O=Microsoft Corporation +# Label: "Microsoft RSA Root Certificate Authority 2017" +# Serial: 40975477897264996090493496164228220339 +# MD5 Fingerprint: 10:ff:00:ff:cf:c9:f8:c7:7a:c0:ee:35:8e:c9:0f:47 +# SHA1 Fingerprint: 73:a5:e6:4a:3b:ff:83:16:ff:0e:dc:cc:61:8a:90:6e:4e:ae:4d:74 +# SHA256 Fingerprint: c7:41:f7:0f:4b:2a:8d:88:bf:2e:71:c1:41:22:ef:53:ef:10:eb:a0:cf:a5:e6:4c:fa:20:f4:18:85:30:73:e0 +-----BEGIN CERTIFICATE----- +MIIFqDCCA5CgAwIBAgIQHtOXCV/YtLNHcB6qvn9FszANBgkqhkiG9w0BAQwFADBl +MQswCQYDVQQGEwJVUzEeMBwGA1UEChMVTWljcm9zb2Z0IENvcnBvcmF0aW9uMTYw +NAYDVQQDEy1NaWNyb3NvZnQgUlNBIFJvb3QgQ2VydGlmaWNhdGUgQXV0aG9yaXR5 +IDIwMTcwHhcNMTkxMjE4MjI1MTIyWhcNNDIwNzE4MjMwMDIzWjBlMQswCQYDVQQG +EwJVUzEeMBwGA1UEChMVTWljcm9zb2Z0IENvcnBvcmF0aW9uMTYwNAYDVQQDEy1N +aWNyb3NvZnQgUlNBIFJvb3QgQ2VydGlmaWNhdGUgQXV0aG9yaXR5IDIwMTcwggIi +MA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQDKW76UM4wplZEWCpW9R2LBifOZ +Nt9GkMml7Xhqb0eRaPgnZ1AzHaGm++DlQ6OEAlcBXZxIQIJTELy/xztokLaCLeX0 +ZdDMbRnMlfl7rEqUrQ7eS0MdhweSE5CAg2Q1OQT85elss7YfUJQ4ZVBcF0a5toW1 +HLUX6NZFndiyJrDKxHBKrmCk3bPZ7Pw71VdyvD/IybLeS2v4I2wDwAW9lcfNcztm +gGTjGqwu+UcF8ga2m3P1eDNbx6H7JyqhtJqRjJHTOoI+dkC0zVJhUXAoP8XFWvLJ +jEm7FFtNyP9nTUwSlq31/niol4fX/V4ggNyhSyL71Imtus5Hl0dVe49FyGcohJUc +aDDv70ngNXtk55iwlNpNhTs+VcQor1fznhPbRiefHqJeRIOkpcrVE7NLP8TjwuaG +YaRSMLl6IE9vDzhTyzMMEyuP1pq9KsgtsRx9S1HKR9FIJ3Jdh+vVReZIZZ2vUpC6 +W6IYZVcSn2i51BVrlMRpIpj0M+Dt+VGOQVDJNE92kKz8OMHY4Xu54+OU4UZpyw4K +UGsTuqwPN1q3ErWQgR5WrlcihtnJ0tHXUeOrO8ZV/R4O03QK0dqq6mm4lyiPSMQH ++FJDOvTKVTUssKZqwJz58oHhEmrARdlns87/I6KJClTUFLkqqNfs+avNJVgyeY+Q +W5g5xAgGwax/Dj0ApQIDAQABo1QwUjAOBgNVHQ8BAf8EBAMCAYYwDwYDVR0TAQH/ +BAUwAwEB/zAdBgNVHQ4EFgQUCctZf4aycI8awznjwNnpv7tNsiMwEAYJKwYBBAGC +NxUBBAMCAQAwDQYJKoZIhvcNAQEMBQADggIBAKyvPl3CEZaJjqPnktaXFbgToqZC +LgLNFgVZJ8og6Lq46BrsTaiXVq5lQ7GPAJtSzVXNUzltYkyLDVt8LkS/gxCP81OC +gMNPOsduET/m4xaRhPtthH80dK2Jp86519efhGSSvpWhrQlTM93uCupKUY5vVau6 +tZRGrox/2KJQJWVggEbbMwSubLWYdFQl3JPk+ONVFT24bcMKpBLBaYVu32TxU5nh +SnUgnZUP5NbcA/FZGOhHibJXWpS2qdgXKxdJ5XbLwVaZOjex/2kskZGT4d9Mozd2 +TaGf+G0eHdP67Pv0RR0Tbc/3WeUiJ3IrhvNXuzDtJE3cfVa7o7P4NHmJweDyAmH3 +pvwPuxwXC65B2Xy9J6P9LjrRk5Sxcx0ki69bIImtt2dmefU6xqaWM/5TkshGsRGR +xpl/j8nWZjEgQRCHLQzWwa80mMpkg/sTV9HB8Dx6jKXB/ZUhoHHBk2dxEuqPiApp +GWSZI1b7rCoucL5mxAyE7+WL85MB+GqQk2dLsmijtWKP6T+MejteD+eMuMZ87zf9 +dOLITzNy4ZQ5bb0Sr74MTnB8G2+NszKTc0QWbej09+CVgI+WXTik9KveCjCHk9hN +AHFiRSdLOkKEW39lt2c0Ui2cFmuqqNh7o0JMcccMyj6D5KbvtwEwXlGjefVwaaZB +RA+GsCyRxj3qrg+E +-----END CERTIFICATE----- + +# Issuer: CN=e-Szigno Root CA 2017 O=Microsec Ltd. +# Subject: CN=e-Szigno Root CA 2017 O=Microsec Ltd. +# Label: "e-Szigno Root CA 2017" +# Serial: 411379200276854331539784714 +# MD5 Fingerprint: de:1f:f6:9e:84:ae:a7:b4:21:ce:1e:58:7d:d1:84:98 +# SHA1 Fingerprint: 89:d4:83:03:4f:9e:9a:48:80:5f:72:37:d4:a9:a6:ef:cb:7c:1f:d1 +# SHA256 Fingerprint: be:b0:0b:30:83:9b:9b:c3:2c:32:e4:44:79:05:95:06:41:f2:64:21:b1:5e:d0:89:19:8b:51:8a:e2:ea:1b:99 +-----BEGIN CERTIFICATE----- +MIICQDCCAeWgAwIBAgIMAVRI7yH9l1kN9QQKMAoGCCqGSM49BAMCMHExCzAJBgNV +BAYTAkhVMREwDwYDVQQHDAhCdWRhcGVzdDEWMBQGA1UECgwNTWljcm9zZWMgTHRk +LjEXMBUGA1UEYQwOVkFUSFUtMjM1ODQ0OTcxHjAcBgNVBAMMFWUtU3ppZ25vIFJv +b3QgQ0EgMjAxNzAeFw0xNzA4MjIxMjA3MDZaFw00MjA4MjIxMjA3MDZaMHExCzAJ +BgNVBAYTAkhVMREwDwYDVQQHDAhCdWRhcGVzdDEWMBQGA1UECgwNTWljcm9zZWMg +THRkLjEXMBUGA1UEYQwOVkFUSFUtMjM1ODQ0OTcxHjAcBgNVBAMMFWUtU3ppZ25v +IFJvb3QgQ0EgMjAxNzBZMBMGByqGSM49AgEGCCqGSM49AwEHA0IABJbcPYrYsHtv +xie+RJCxs1YVe45DJH0ahFnuY2iyxl6H0BVIHqiQrb1TotreOpCmYF9oMrWGQd+H +Wyx7xf58etqjYzBhMA8GA1UdEwEB/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0G +A1UdDgQWBBSHERUI0arBeAyxr87GyZDvvzAEwDAfBgNVHSMEGDAWgBSHERUI0arB +eAyxr87GyZDvvzAEwDAKBggqhkjOPQQDAgNJADBGAiEAtVfd14pVCzbhhkT61Nlo +jbjcI4qKDdQvfepz7L9NbKgCIQDLpbQS+ue16M9+k/zzNY9vTlp8tLxOsvxyqltZ ++efcMQ== +-----END CERTIFICATE----- + +# Issuer: O=CERTSIGN SA OU=certSIGN ROOT CA G2 +# Subject: O=CERTSIGN SA OU=certSIGN ROOT CA G2 +# Label: "certSIGN Root CA G2" +# Serial: 313609486401300475190 +# MD5 Fingerprint: 8c:f1:75:8a:c6:19:cf:94:b7:f7:65:20:87:c3:97:c7 +# SHA1 Fingerprint: 26:f9:93:b4:ed:3d:28:27:b0:b9:4b:a7:e9:15:1d:a3:8d:92:e5:32 +# SHA256 Fingerprint: 65:7c:fe:2f:a7:3f:aa:38:46:25:71:f3:32:a2:36:3a:46:fc:e7:02:09:51:71:07:02:cd:fb:b6:ee:da:33:05 +-----BEGIN CERTIFICATE----- +MIIFRzCCAy+gAwIBAgIJEQA0tk7GNi02MA0GCSqGSIb3DQEBCwUAMEExCzAJBgNV +BAYTAlJPMRQwEgYDVQQKEwtDRVJUU0lHTiBTQTEcMBoGA1UECxMTY2VydFNJR04g +Uk9PVCBDQSBHMjAeFw0xNzAyMDYwOTI3MzVaFw00MjAyMDYwOTI3MzVaMEExCzAJ +BgNVBAYTAlJPMRQwEgYDVQQKEwtDRVJUU0lHTiBTQTEcMBoGA1UECxMTY2VydFNJ +R04gUk9PVCBDQSBHMjCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBAMDF +dRmRfUR0dIf+DjuW3NgBFszuY5HnC2/OOwppGnzC46+CjobXXo9X69MhWf05N0Iw +vlDqtg+piNguLWkh59E3GE59kdUWX2tbAMI5Qw02hVK5U2UPHULlj88F0+7cDBrZ +uIt4ImfkabBoxTzkbFpG583H+u/E7Eu9aqSs/cwoUe+StCmrqzWaTOTECMYmzPhp +n+Sc8CnTXPnGFiWeI8MgwT0PPzhAsP6CRDiqWhqKa2NYOLQV07YRaXseVO6MGiKs +cpc/I1mbySKEwQdPzH/iV8oScLumZfNpdWO9lfsbl83kqK/20U6o2YpxJM02PbyW +xPFsqa7lzw1uKA2wDrXKUXt4FMMgL3/7FFXhEZn91QqhngLjYl/rNUssuHLoPj1P +rCy7Lobio3aP5ZMqz6WryFyNSwb/EkaseMsUBzXgqd+L6a8VTxaJW732jcZZroiF +DsGJ6x9nxUWO/203Nit4ZoORUSs9/1F3dmKh7Gc+PoGD4FapUB8fepmrY7+EF3fx +DTvf95xhszWYijqy7DwaNz9+j5LP2RIUZNoQAhVB/0/E6xyjyfqZ90bp4RjZsbgy +LcsUDFDYg2WD7rlcz8sFWkz6GZdr1l0T08JcVLwyc6B49fFtHsufpaafItzRUZ6C +eWRgKRM+o/1Pcmqr4tTluCRVLERLiohEnMqE0yo7AgMBAAGjQjBAMA8GA1UdEwEB +/wQFMAMBAf8wDgYDVR0PAQH/BAQDAgEGMB0GA1UdDgQWBBSCIS1mxteg4BXrzkwJ +d8RgnlRuAzANBgkqhkiG9w0BAQsFAAOCAgEAYN4auOfyYILVAzOBywaK8SJJ6ejq +kX/GM15oGQOGO0MBzwdw5AgeZYWR5hEit/UCI46uuR59H35s5r0l1ZUa8gWmr4UC +b6741jH/JclKyMeKqdmfS0mbEVeZkkMR3rYzpMzXjWR91M08KCy0mpbqTfXERMQl +qiCA2ClV9+BB/AYm/7k29UMUA2Z44RGx2iBfRgB4ACGlHgAoYXhvqAEBj500mv/0 +OJD7uNGzcgbJceaBxXntC6Z58hMLnPddDnskk7RI24Zf3lCGeOdA5jGokHZwYa+c +NywRtYK3qq4kNFtyDGkNzVmf9nGvnAvRCjj5BiKDUyUM/FHE5r7iOZULJK2v0ZXk +ltd0ZGtxTgI8qoXzIKNDOXZbbFD+mpwUHmUUihW9o4JFWklWatKcsWMy5WHgUyIO +pwpJ6st+H6jiYoD2EEVSmAYY3qXNL3+q1Ok+CHLsIwMCPKaq2LxndD0UF/tUSxfj +03k9bWtJySgOLnRQvwzZRjoQhsmnP+mg7H/rpXdYaXHmgwo38oZJar55CJD2AhZk +PuXaTH4MNMn5X7azKFGnpyuqSfqNZSlO42sTp5SjLVFteAxEy9/eCG/Oo2Sr05WE +1LlSVHJ7liXMvGnjSG4N0MedJ5qq+BOS3R7fY581qRY27Iy4g/Q9iY/NtBde17MX +QRBdJ3NghVdJIgc= +-----END CERTIFICATE----- + +# Issuer: CN=Trustwave Global Certification Authority O=Trustwave Holdings, Inc. +# Subject: CN=Trustwave Global Certification Authority O=Trustwave Holdings, Inc. +# Label: "Trustwave Global Certification Authority" +# Serial: 1846098327275375458322922162 +# MD5 Fingerprint: f8:1c:18:2d:2f:ba:5f:6d:a1:6c:bc:c7:ab:91:c7:0e +# SHA1 Fingerprint: 2f:8f:36:4f:e1:58:97:44:21:59:87:a5:2a:9a:d0:69:95:26:7f:b5 +# SHA256 Fingerprint: 97:55:20:15:f5:dd:fc:3c:87:88:c0:06:94:45:55:40:88:94:45:00:84:f1:00:86:70:86:bc:1a:2b:b5:8d:c8 +-----BEGIN CERTIFICATE----- +MIIF2jCCA8KgAwIBAgIMBfcOhtpJ80Y1LrqyMA0GCSqGSIb3DQEBCwUAMIGIMQsw +CQYDVQQGEwJVUzERMA8GA1UECAwISWxsaW5vaXMxEDAOBgNVBAcMB0NoaWNhZ28x +ITAfBgNVBAoMGFRydXN0d2F2ZSBIb2xkaW5ncywgSW5jLjExMC8GA1UEAwwoVHJ1 +c3R3YXZlIEdsb2JhbCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAeFw0xNzA4MjMx +OTM0MTJaFw00MjA4MjMxOTM0MTJaMIGIMQswCQYDVQQGEwJVUzERMA8GA1UECAwI +SWxsaW5vaXMxEDAOBgNVBAcMB0NoaWNhZ28xITAfBgNVBAoMGFRydXN0d2F2ZSBI +b2xkaW5ncywgSW5jLjExMC8GA1UEAwwoVHJ1c3R3YXZlIEdsb2JhbCBDZXJ0aWZp +Y2F0aW9uIEF1dGhvcml0eTCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIB +ALldUShLPDeS0YLOvR29zd24q88KPuFd5dyqCblXAj7mY2Hf8g+CY66j96xz0Xzn +swuvCAAJWX/NKSqIk4cXGIDtiLK0thAfLdZfVaITXdHG6wZWiYj+rDKd/VzDBcdu +7oaJuogDnXIhhpCujwOl3J+IKMujkkkP7NAP4m1ET4BqstTnoApTAbqOl5F2brz8 +1Ws25kCI1nsvXwXoLG0R8+eyvpJETNKXpP7ScoFDB5zpET71ixpZfR9oWN0EACyW +80OzfpgZdNmcc9kYvkHHNHnZ9GLCQ7mzJ7Aiy/k9UscwR7PJPrhq4ufogXBeQotP +JqX+OsIgbrv4Fo7NDKm0G2x2EOFYeUY+VM6AqFcJNykbmROPDMjWLBz7BegIlT1l +RtzuzWniTY+HKE40Cz7PFNm73bZQmq131BnW2hqIyE4bJ3XYsgjxroMwuREOzYfw +hI0Vcnyh78zyiGG69Gm7DIwLdVcEuE4qFC49DxweMqZiNu5m4iK4BUBjECLzMx10 +coos9TkpoNPnG4CELcU9402x/RpvumUHO1jsQkUm+9jaJXLE9gCxInm943xZYkqc +BW89zubWR2OZxiRvchLIrH+QtAuRcOi35hYQcRfO3gZPSEF9NUqjifLJS3tBEW1n +twiYTOURGa5CgNz7kAXU+FDKvuStx8KU1xad5hePrzb7AgMBAAGjQjBAMA8GA1Ud +EwEB/wQFMAMBAf8wHQYDVR0OBBYEFJngGWcNYtt2s9o9uFvo/ULSMQ6HMA4GA1Ud +DwEB/wQEAwIBBjANBgkqhkiG9w0BAQsFAAOCAgEAmHNw4rDT7TnsTGDZqRKGFx6W +0OhUKDtkLSGm+J1WE2pIPU/HPinbbViDVD2HfSMF1OQc3Og4ZYbFdada2zUFvXfe +uyk3QAUHw5RSn8pk3fEbK9xGChACMf1KaA0HZJDmHvUqoai7PF35owgLEQzxPy0Q +lG/+4jSHg9bP5Rs1bdID4bANqKCqRieCNqcVtgimQlRXtpla4gt5kNdXElE1GYhB +aCXUNxeEFfsBctyV3lImIJgm4nb1J2/6ADtKYdkNy1GTKv0WBpanI5ojSP5RvbbE +sLFUzt5sQa0WZ37b/TjNuThOssFgy50X31ieemKyJo90lZvkWx3SD92YHJtZuSPT +MaCm/zjdzyBP6VhWOmfD0faZmZ26NraAL4hHT4a/RDqA5Dccprrql5gR0IRiR2Qe +qu5AvzSxnI9O4fKSTx+O856X3vOmeWqJcU9LJxdI/uz0UA9PSX3MReO9ekDFQdxh +VicGaeVyQYHTtgGJoC86cnn+OjC/QezHYj6RS8fZMXZC+fc8Y+wmjHMMfRod6qh8 +h6jCJ3zhM0EPz8/8AKAigJ5Kp28AsEFFtyLKaEjFQqKu3R3y4G5OBVixwJAWKqQ9 +EEC+j2Jjg6mcgn0tAumDMHzLJ8n9HmYAsC7TIS+OMxZsmO0QqAfWzJPP29FpHOTK +yeC2nOnOcXHebD8WpHk= +-----END CERTIFICATE----- + +# Issuer: CN=Trustwave Global ECC P256 Certification Authority O=Trustwave Holdings, Inc. +# Subject: CN=Trustwave Global ECC P256 Certification Authority O=Trustwave Holdings, Inc. +# Label: "Trustwave Global ECC P256 Certification Authority" +# Serial: 4151900041497450638097112925 +# MD5 Fingerprint: 5b:44:e3:8d:5d:36:86:26:e8:0d:05:d2:59:a7:83:54 +# SHA1 Fingerprint: b4:90:82:dd:45:0c:be:8b:5b:b1:66:d3:e2:a4:08:26:cd:ed:42:cf +# SHA256 Fingerprint: 94:5b:bc:82:5e:a5:54:f4:89:d1:fd:51:a7:3d:df:2e:a6:24:ac:70:19:a0:52:05:22:5c:22:a7:8c:cf:a8:b4 +-----BEGIN CERTIFICATE----- +MIICYDCCAgegAwIBAgIMDWpfCD8oXD5Rld9dMAoGCCqGSM49BAMCMIGRMQswCQYD +VQQGEwJVUzERMA8GA1UECBMISWxsaW5vaXMxEDAOBgNVBAcTB0NoaWNhZ28xITAf +BgNVBAoTGFRydXN0d2F2ZSBIb2xkaW5ncywgSW5jLjE6MDgGA1UEAxMxVHJ1c3R3 +YXZlIEdsb2JhbCBFQ0MgUDI1NiBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAeFw0x +NzA4MjMxOTM1MTBaFw00MjA4MjMxOTM1MTBaMIGRMQswCQYDVQQGEwJVUzERMA8G +A1UECBMISWxsaW5vaXMxEDAOBgNVBAcTB0NoaWNhZ28xITAfBgNVBAoTGFRydXN0 +d2F2ZSBIb2xkaW5ncywgSW5jLjE6MDgGA1UEAxMxVHJ1c3R3YXZlIEdsb2JhbCBF +Q0MgUDI1NiBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTBZMBMGByqGSM49AgEGCCqG +SM49AwEHA0IABH77bOYj43MyCMpg5lOcunSNGLB4kFKA3TjASh3RqMyTpJcGOMoN +FWLGjgEqZZ2q3zSRLoHB5DOSMcT9CTqmP62jQzBBMA8GA1UdEwEB/wQFMAMBAf8w +DwYDVR0PAQH/BAUDAwcGADAdBgNVHQ4EFgQUo0EGrJBt0UrrdaVKEJmzsaGLSvcw +CgYIKoZIzj0EAwIDRwAwRAIgB+ZU2g6gWrKuEZ+Hxbb/ad4lvvigtwjzRM4q3wgh +DDcCIC0mA6AFvWvR9lz4ZcyGbbOcNEhjhAnFjXca4syc4XR7 +-----END CERTIFICATE----- + +# Issuer: CN=Trustwave Global ECC P384 Certification Authority O=Trustwave Holdings, Inc. +# Subject: CN=Trustwave Global ECC P384 Certification Authority O=Trustwave Holdings, Inc. +# Label: "Trustwave Global ECC P384 Certification Authority" +# Serial: 2704997926503831671788816187 +# MD5 Fingerprint: ea:cf:60:c4:3b:b9:15:29:40:a1:97:ed:78:27:93:d6 +# SHA1 Fingerprint: e7:f3:a3:c8:cf:6f:c3:04:2e:6d:0e:67:32:c5:9e:68:95:0d:5e:d2 +# SHA256 Fingerprint: 55:90:38:59:c8:c0:c3:eb:b8:75:9e:ce:4e:25:57:22:5f:f5:75:8b:bd:38:eb:d4:82:76:60:1e:1b:d5:80:97 +-----BEGIN CERTIFICATE----- +MIICnTCCAiSgAwIBAgIMCL2Fl2yZJ6SAaEc7MAoGCCqGSM49BAMDMIGRMQswCQYD +VQQGEwJVUzERMA8GA1UECBMISWxsaW5vaXMxEDAOBgNVBAcTB0NoaWNhZ28xITAf +BgNVBAoTGFRydXN0d2F2ZSBIb2xkaW5ncywgSW5jLjE6MDgGA1UEAxMxVHJ1c3R3 +YXZlIEdsb2JhbCBFQ0MgUDM4NCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTAeFw0x +NzA4MjMxOTM2NDNaFw00MjA4MjMxOTM2NDNaMIGRMQswCQYDVQQGEwJVUzERMA8G +A1UECBMISWxsaW5vaXMxEDAOBgNVBAcTB0NoaWNhZ28xITAfBgNVBAoTGFRydXN0 +d2F2ZSBIb2xkaW5ncywgSW5jLjE6MDgGA1UEAxMxVHJ1c3R3YXZlIEdsb2JhbCBF +Q0MgUDM4NCBDZXJ0aWZpY2F0aW9uIEF1dGhvcml0eTB2MBAGByqGSM49AgEGBSuB +BAAiA2IABGvaDXU1CDFHBa5FmVXxERMuSvgQMSOjfoPTfygIOiYaOs+Xgh+AtycJ +j9GOMMQKmw6sWASr9zZ9lCOkmwqKi6vr/TklZvFe/oyujUF5nQlgziip04pt89ZF +1PKYhDhloKNDMEEwDwYDVR0TAQH/BAUwAwEB/zAPBgNVHQ8BAf8EBQMDBwYAMB0G +A1UdDgQWBBRVqYSJ0sEyvRjLbKYHTsjnnb6CkDAKBggqhkjOPQQDAwNnADBkAjA3 +AZKXRRJ+oPM+rRk6ct30UJMDEr5E0k9BpIycnR+j9sKS50gU/k6bpZFXrsY3crsC +MGclCrEMXu6pY5Jv5ZAL/mYiykf9ijH3g/56vxC+GCsej/YpHpRZ744hN8tRmKVu +Sw== +-----END CERTIFICATE----- + +# Issuer: CN=NAVER Global Root Certification Authority O=NAVER BUSINESS PLATFORM Corp. +# Subject: CN=NAVER Global Root Certification Authority O=NAVER BUSINESS PLATFORM Corp. +# Label: "NAVER Global Root Certification Authority" +# Serial: 9013692873798656336226253319739695165984492813 +# MD5 Fingerprint: c8:7e:41:f6:25:3b:f5:09:b3:17:e8:46:3d:bf:d0:9b +# SHA1 Fingerprint: 8f:6b:f2:a9:27:4a:da:14:a0:c4:f4:8e:61:27:f9:c0:1e:78:5d:d1 +# SHA256 Fingerprint: 88:f4:38:dc:f8:ff:d1:fa:8f:42:91:15:ff:e5:f8:2a:e1:e0:6e:0c:70:c3:75:fa:ad:71:7b:34:a4:9e:72:65 +-----BEGIN CERTIFICATE----- +MIIFojCCA4qgAwIBAgIUAZQwHqIL3fXFMyqxQ0Rx+NZQTQ0wDQYJKoZIhvcNAQEM +BQAwaTELMAkGA1UEBhMCS1IxJjAkBgNVBAoMHU5BVkVSIEJVU0lORVNTIFBMQVRG +T1JNIENvcnAuMTIwMAYDVQQDDClOQVZFUiBHbG9iYWwgUm9vdCBDZXJ0aWZpY2F0 +aW9uIEF1dGhvcml0eTAeFw0xNzA4MTgwODU4NDJaFw0zNzA4MTgyMzU5NTlaMGkx +CzAJBgNVBAYTAktSMSYwJAYDVQQKDB1OQVZFUiBCVVNJTkVTUyBQTEFURk9STSBD +b3JwLjEyMDAGA1UEAwwpTkFWRVIgR2xvYmFsIFJvb3QgQ2VydGlmaWNhdGlvbiBB +dXRob3JpdHkwggIiMA0GCSqGSIb3DQEBAQUAA4ICDwAwggIKAoICAQC21PGTXLVA +iQqrDZBbUGOukJR0F0Vy1ntlWilLp1agS7gvQnXp2XskWjFlqxcX0TM62RHcQDaH +38dq6SZeWYp34+hInDEW+j6RscrJo+KfziFTowI2MMtSAuXaMl3Dxeb57hHHi8lE +HoSTGEq0n+USZGnQJoViAbbJAh2+g1G7XNr4rRVqmfeSVPc0W+m/6imBEtRTkZaz +kVrd/pBzKPswRrXKCAfHcXLJZtM0l/aM9BhK4dA9WkW2aacp+yPOiNgSnABIqKYP +szuSjXEOdMWLyEz59JuOuDxp7W87UC9Y7cSw0BwbagzivESq2M0UXZR4Yb8Obtoq +vC8MC3GmsxY/nOb5zJ9TNeIDoKAYv7vxvvTWjIcNQvcGufFt7QSUqP620wbGQGHf +nZ3zVHbOUzoBppJB7ASjjw2i1QnK1sua8e9DXcCrpUHPXFNwcMmIpi3Ua2FzUCaG +YQ5fG8Ir4ozVu53BA0K6lNpfqbDKzE0K70dpAy8i+/Eozr9dUGWokG2zdLAIx6yo +0es+nPxdGoMuK8u180SdOqcXYZaicdNwlhVNt0xz7hlcxVs+Qf6sdWA7G2POAN3a +CJBitOUt7kinaxeZVL6HSuOpXgRM6xBtVNbv8ejyYhbLgGvtPe31HzClrkvJE+2K +AQHJuFFYwGY6sWZLxNUxAmLpdIQM201GLQIDAQABo0IwQDAdBgNVHQ4EFgQU0p+I +36HNLL3s9TsBAZMzJ7LrYEswDgYDVR0PAQH/BAQDAgEGMA8GA1UdEwEB/wQFMAMB +Af8wDQYJKoZIhvcNAQEMBQADggIBADLKgLOdPVQG3dLSLvCkASELZ0jKbY7gyKoN +qo0hV4/GPnrK21HUUrPUloSlWGB/5QuOH/XcChWB5Tu2tyIvCZwTFrFsDDUIbatj +cu3cvuzHV+YwIHHW1xDBE1UBjCpD5EHxzzp6U5LOogMFDTjfArsQLtk70pt6wKGm ++LUx5vR1yblTmXVHIloUFcd4G7ad6Qz4G3bxhYTeodoS76TiEJd6eN4MUZeoIUCL +hr0N8F5OSza7OyAfikJW4Qsav3vQIkMsRIz75Sq0bBwcupTgE34h5prCy8VCZLQe +lHsIJchxzIdFV4XTnyliIoNRlwAYl3dqmJLJfGBs32x9SuRwTMKeuB330DTHD8z7 +p/8Dvq1wkNoL3chtl1+afwkyQf3NosxabUzyqkn+Zvjp2DXrDige7kgvOtB5CTh8 +piKCk5XQA76+AqAF3SAi428diDRgxuYKuQl1C/AH6GmWNcf7I4GOODm4RStDeKLR +LBT/DShycpWbXgnbiUSYqqFJu3FS8r/2/yehNq+4tneI3TqkbZs0kNwUXTC/t+sX +5Ie3cdCh13cV1ELX8vMxmV2b3RZtP+oGI/hGoiLtk/bdmuYqh7GYVPEi92tF4+KO +dh2ajcQGjTa3FPOdVGm3jjzVpG2Tgbet9r1ke8LJaDmgkpzNNIaRkPpkUZ3+/uul +9XXeifdy +-----END CERTIFICATE----- + +# Issuer: CN=AC RAIZ FNMT-RCM SERVIDORES SEGUROS O=FNMT-RCM OU=Ceres +# Subject: CN=AC RAIZ FNMT-RCM SERVIDORES SEGUROS O=FNMT-RCM OU=Ceres +# Label: "AC RAIZ FNMT-RCM SERVIDORES SEGUROS" +# Serial: 131542671362353147877283741781055151509 +# MD5 Fingerprint: 19:36:9c:52:03:2f:d2:d1:bb:23:cc:dd:1e:12:55:bb +# SHA1 Fingerprint: 62:ff:d9:9e:c0:65:0d:03:ce:75:93:d2:ed:3f:2d:32:c9:e3:e5:4a +# SHA256 Fingerprint: 55:41:53:b1:3d:2c:f9:dd:b7:53:bf:be:1a:4e:0a:e0:8d:0a:a4:18:70:58:fe:60:a2:b8:62:b2:e4:b8:7b:cb +-----BEGIN CERTIFICATE----- +MIICbjCCAfOgAwIBAgIQYvYybOXE42hcG2LdnC6dlTAKBggqhkjOPQQDAzB4MQsw +CQYDVQQGEwJFUzERMA8GA1UECgwIRk5NVC1SQ00xDjAMBgNVBAsMBUNlcmVzMRgw +FgYDVQRhDA9WQVRFUy1RMjgyNjAwNEoxLDAqBgNVBAMMI0FDIFJBSVogRk5NVC1S +Q00gU0VSVklET1JFUyBTRUdVUk9TMB4XDTE4MTIyMDA5MzczM1oXDTQzMTIyMDA5 +MzczM1oweDELMAkGA1UEBhMCRVMxETAPBgNVBAoMCEZOTVQtUkNNMQ4wDAYDVQQL +DAVDZXJlczEYMBYGA1UEYQwPVkFURVMtUTI4MjYwMDRKMSwwKgYDVQQDDCNBQyBS +QUlaIEZOTVQtUkNNIFNFUlZJRE9SRVMgU0VHVVJPUzB2MBAGByqGSM49AgEGBSuB +BAAiA2IABPa6V1PIyqvfNkpSIeSX0oNnnvBlUdBeh8dHsVnyV0ebAAKTRBdp20LH +sbI6GA60XYyzZl2hNPk2LEnb80b8s0RpRBNm/dfF/a82Tc4DTQdxz69qBdKiQ1oK +Um8BA06Oi6NCMEAwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYwHQYD +VR0OBBYEFAG5L++/EYZg8k/QQW6rcx/n0m5JMAoGCCqGSM49BAMDA2kAMGYCMQCu +SuMrQMN0EfKVrRYj3k4MGuZdpSRea0R7/DjiT8ucRRcRTBQnJlU5dUoDzBOQn5IC +MQD6SmxgiHPz7riYYqnOK8LZiqZwMR2vsJRM60/G49HzYqc8/5MuB1xJAWdpEgJy +v+c= +-----END CERTIFICATE----- + +# Issuer: CN=GlobalSign Root R46 O=GlobalSign nv-sa +# Subject: CN=GlobalSign Root R46 O=GlobalSign nv-sa +# Label: "GlobalSign Root R46" +# Serial: 1552617688466950547958867513931858518042577 +# MD5 Fingerprint: c4:14:30:e4:fa:66:43:94:2a:6a:1b:24:5f:19:d0:ef +# SHA1 Fingerprint: 53:a2:b0:4b:ca:6b:d6:45:e6:39:8a:8e:c4:0d:d2:bf:77:c3:a2:90 +# SHA256 Fingerprint: 4f:a3:12:6d:8d:3a:11:d1:c4:85:5a:4f:80:7c:ba:d6:cf:91:9d:3a:5a:88:b0:3b:ea:2c:63:72:d9:3c:40:c9 +-----BEGIN CERTIFICATE----- +MIIFWjCCA0KgAwIBAgISEdK7udcjGJ5AXwqdLdDfJWfRMA0GCSqGSIb3DQEBDAUA +MEYxCzAJBgNVBAYTAkJFMRkwFwYDVQQKExBHbG9iYWxTaWduIG52LXNhMRwwGgYD +VQQDExNHbG9iYWxTaWduIFJvb3QgUjQ2MB4XDTE5MDMyMDAwMDAwMFoXDTQ2MDMy +MDAwMDAwMFowRjELMAkGA1UEBhMCQkUxGTAXBgNVBAoTEEdsb2JhbFNpZ24gbnYt +c2ExHDAaBgNVBAMTE0dsb2JhbFNpZ24gUm9vdCBSNDYwggIiMA0GCSqGSIb3DQEB +AQUAA4ICDwAwggIKAoICAQCsrHQy6LNl5brtQyYdpokNRbopiLKkHWPd08EsCVeJ +OaFV6Wc0dwxu5FUdUiXSE2te4R2pt32JMl8Nnp8semNgQB+msLZ4j5lUlghYruQG +vGIFAha/r6gjA7aUD7xubMLL1aa7DOn2wQL7Id5m3RerdELv8HQvJfTqa1VbkNud +316HCkD7rRlr+/fKYIje2sGP1q7Vf9Q8g+7XFkyDRTNrJ9CG0Bwta/OrffGFqfUo +0q3v84RLHIf8E6M6cqJaESvWJ3En7YEtbWaBkoe0G1h6zD8K+kZPTXhc+CtI4wSE +y132tGqzZfxCnlEmIyDLPRT5ge1lFgBPGmSXZgjPjHvjK8Cd+RTyG/FWaha/LIWF +zXg4mutCagI0GIMXTpRW+LaCtfOW3T3zvn8gdz57GSNrLNRyc0NXfeD412lPFzYE ++cCQYDdF3uYM2HSNrpyibXRdQr4G9dlkbgIQrImwTDsHTUB+JMWKmIJ5jqSngiCN +I/onccnfxkF0oE32kRbcRoxfKWMxWXEM2G/CtjJ9++ZdU6Z+Ffy7dXxd7Pj2Fxzs +x2sZy/N78CsHpdlseVR2bJ0cpm4O6XkMqCNqo98bMDGfsVR7/mrLZqrcZdCinkqa +ByFrgY/bxFn63iLABJzjqls2k+g9vXqhnQt2sQvHnf3PmKgGwvgqo6GDoLclcqUC +4wIDAQABo0IwQDAOBgNVHQ8BAf8EBAMCAYYwDwYDVR0TAQH/BAUwAwEB/zAdBgNV +HQ4EFgQUA1yrc4GHqMywptWU4jaWSf8FmSwwDQYJKoZIhvcNAQEMBQADggIBAHx4 +7PYCLLtbfpIrXTncvtgdokIzTfnvpCo7RGkerNlFo048p9gkUbJUHJNOxO97k4Vg +JuoJSOD1u8fpaNK7ajFxzHmuEajwmf3lH7wvqMxX63bEIaZHU1VNaL8FpO7XJqti +2kM3S+LGteWygxk6x9PbTZ4IevPuzz5i+6zoYMzRx6Fcg0XERczzF2sUyQQCPtIk +pnnpHs6i58FZFZ8d4kuaPp92CC1r2LpXFNqD6v6MVenQTqnMdzGxRBF6XLE+0xRF +FRhiJBPSy03OXIPBNvIQtQ6IbbjhVp+J3pZmOUdkLG5NrmJ7v2B0GbhWrJKsFjLt +rWhV/pi60zTe9Mlhww6G9kuEYO4Ne7UyWHmRVSyBQ7N0H3qqJZ4d16GLuc1CLgSk +ZoNNiTW2bKg2SnkheCLQQrzRQDGQob4Ez8pn7fXwgNNgyYMqIgXQBztSvwyeqiv5 +u+YfjyW6hY0XHgL+XVAEV8/+LbzvXMAaq7afJMbfc2hIkCwU9D9SGuTSyxTDYWnP +4vkYxboznxSjBF25cfe1lNj2M8FawTSLfJvdkzrnE6JwYZ+vj+vYxXX4M2bUdGc6 +N3ec592kD3ZDZopD8p/7DEJ4Y9HiD2971KE9dJeFt0g5QdYg/NA6s/rob8SKunE3 +vouXsXgxT7PntgMTzlSdriVZzH81Xwj3QEUxeCp6 +-----END CERTIFICATE----- + +# Issuer: CN=GlobalSign Root E46 O=GlobalSign nv-sa +# Subject: CN=GlobalSign Root E46 O=GlobalSign nv-sa +# Label: "GlobalSign Root E46" +# Serial: 1552617690338932563915843282459653771421763 +# MD5 Fingerprint: b5:b8:66:ed:de:08:83:e3:c9:e2:01:34:06:ac:51:6f +# SHA1 Fingerprint: 39:b4:6c:d5:fe:80:06:eb:e2:2f:4a:bb:08:33:a0:af:db:b9:dd:84 +# SHA256 Fingerprint: cb:b9:c4:4d:84:b8:04:3e:10:50:ea:31:a6:9f:51:49:55:d7:bf:d2:e2:c6:b4:93:01:01:9a:d6:1d:9f:50:58 +-----BEGIN CERTIFICATE----- +MIICCzCCAZGgAwIBAgISEdK7ujNu1LzmJGjFDYQdmOhDMAoGCCqGSM49BAMDMEYx +CzAJBgNVBAYTAkJFMRkwFwYDVQQKExBHbG9iYWxTaWduIG52LXNhMRwwGgYDVQQD +ExNHbG9iYWxTaWduIFJvb3QgRTQ2MB4XDTE5MDMyMDAwMDAwMFoXDTQ2MDMyMDAw +MDAwMFowRjELMAkGA1UEBhMCQkUxGTAXBgNVBAoTEEdsb2JhbFNpZ24gbnYtc2Ex +HDAaBgNVBAMTE0dsb2JhbFNpZ24gUm9vdCBFNDYwdjAQBgcqhkjOPQIBBgUrgQQA +IgNiAAScDrHPt+ieUnd1NPqlRqetMhkytAepJ8qUuwzSChDH2omwlwxwEwkBjtjq +R+q+soArzfwoDdusvKSGN+1wCAB16pMLey5SnCNoIwZD7JIvU4Tb+0cUB+hflGdd +yXqBPCCjQjBAMA4GA1UdDwEB/wQEAwIBhjAPBgNVHRMBAf8EBTADAQH/MB0GA1Ud +DgQWBBQxCpCPtsad0kRLgLWi5h+xEk8blTAKBggqhkjOPQQDAwNoADBlAjEA31SQ +7Zvvi5QCkxeCmb6zniz2C5GMn0oUsfZkvLtoURMMA/cVi4RguYv/Uo7njLwcAjA8 ++RHUjE7AwWHCFUyqqx0LMV87HOIAl0Qx5v5zli/altP+CAezNIm8BZ/3Hobui3A= +-----END CERTIFICATE----- + +# Issuer: CN=GLOBALTRUST 2020 O=e-commerce monitoring GmbH +# Subject: CN=GLOBALTRUST 2020 O=e-commerce monitoring GmbH +# Label: "GLOBALTRUST 2020" +# Serial: 109160994242082918454945253 +# MD5 Fingerprint: 8a:c7:6f:cb:6d:e3:cc:a2:f1:7c:83:fa:0e:78:d7:e8 +# SHA1 Fingerprint: d0:67:c1:13:51:01:0c:aa:d0:c7:6a:65:37:31:16:26:4f:53:71:a2 +# SHA256 Fingerprint: 9a:29:6a:51:82:d1:d4:51:a2:e3:7f:43:9b:74:da:af:a2:67:52:33:29:f9:0f:9a:0d:20:07:c3:34:e2:3c:9a +-----BEGIN CERTIFICATE----- +MIIFgjCCA2qgAwIBAgILWku9WvtPilv6ZeUwDQYJKoZIhvcNAQELBQAwTTELMAkG +A1UEBhMCQVQxIzAhBgNVBAoTGmUtY29tbWVyY2UgbW9uaXRvcmluZyBHbWJIMRkw +FwYDVQQDExBHTE9CQUxUUlVTVCAyMDIwMB4XDTIwMDIxMDAwMDAwMFoXDTQwMDYx +MDAwMDAwMFowTTELMAkGA1UEBhMCQVQxIzAhBgNVBAoTGmUtY29tbWVyY2UgbW9u +aXRvcmluZyBHbWJIMRkwFwYDVQQDExBHTE9CQUxUUlVTVCAyMDIwMIICIjANBgkq +hkiG9w0BAQEFAAOCAg8AMIICCgKCAgEAri5WrRsc7/aVj6B3GyvTY4+ETUWiD59b +RatZe1E0+eyLinjF3WuvvcTfk0Uev5E4C64OFudBc/jbu9G4UeDLgztzOG53ig9Z +YybNpyrOVPu44sB8R85gfD+yc/LAGbaKkoc1DZAoouQVBGM+uq/ufF7MpotQsjj3 +QWPKzv9pj2gOlTblzLmMCcpL3TGQlsjMH/1WljTbjhzqLL6FLmPdqqmV0/0plRPw +yJiT2S0WR5ARg6I6IqIoV6Lr/sCMKKCmfecqQjuCgGOlYx8ZzHyyZqjC0203b+J+ +BlHZRYQfEs4kUmSFC0iAToexIiIwquuuvuAC4EDosEKAA1GqtH6qRNdDYfOiaxaJ +SaSjpCuKAsR49GiKweR6NrFvG5Ybd0mN1MkGco/PU+PcF4UgStyYJ9ORJitHHmkH +r96i5OTUawuzXnzUJIBHKWk7buis/UDr2O1xcSvy6Fgd60GXIsUf1DnQJ4+H4xj0 +4KlGDfV0OoIu0G4skaMxXDtG6nsEEFZegB31pWXogvziB4xiRfUg3kZwhqG8k9Me +dKZssCz3AwyIDMvUclOGvGBG85hqwvG/Q/lwIHfKN0F5VVJjjVsSn8VoxIidrPIw +q7ejMZdnrY8XD2zHc+0klGvIg5rQmjdJBKuxFshsSUktq6HQjJLyQUp5ISXbY9e2 +nKd+Qmn7OmMCAwEAAaNjMGEwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMC +AQYwHQYDVR0OBBYEFNwuH9FhN3nkq9XVsxJxaD1qaJwiMB8GA1UdIwQYMBaAFNwu +H9FhN3nkq9XVsxJxaD1qaJwiMA0GCSqGSIb3DQEBCwUAA4ICAQCR8EICaEDuw2jA +VC/f7GLDw56KoDEoqoOOpFaWEhCGVrqXctJUMHytGdUdaG/7FELYjQ7ztdGl4wJC +XtzoRlgHNQIw4Lx0SsFDKv/bGtCwr2zD/cuz9X9tAy5ZVp0tLTWMstZDFyySCstd +6IwPS3BD0IL/qMy/pJTAvoe9iuOTe8aPmxadJ2W8esVCgmxcB9CpwYhgROmYhRZf ++I/KARDOJcP5YBugxZfD0yyIMaK9MOzQ0MAS8cE54+X1+NZK3TTN+2/BT+MAi1bi +kvcoskJ3ciNnxz8RFbLEAwW+uxF7Cr+obuf/WEPPm2eggAe2HcqtbepBEX4tdJP7 +wry+UUTF72glJ4DjyKDUEuzZpTcdN3y0kcra1LGWge9oXHYQSa9+pTeAsRxSvTOB +TI/53WXZFM2KJVj04sWDpQmQ1GwUY7VA3+vA/MRYfg0UFodUJ25W5HCEuGwyEn6C +MUO+1918oa2u1qsgEu8KwxCMSZY13At1XrFP1U80DhEgB3VDRemjEdqso5nCtnkn +4rnvyOL2NSl6dPrFf4IFYqYK6miyeUcGbvJXqBUzxvd4Sj1Ce2t+/vdG6tHrju+I +aFvowdlxfv1k7/9nR4hYJS8+hge9+6jlgqispdNpQ80xiEmEU5LAsTkbOYMBMMTy +qfrQA71yN2BWHzZ8vTmR9W0Nv3vXkg== +-----END CERTIFICATE----- + +# Issuer: CN=ANF Secure Server Root CA O=ANF Autoridad de Certificacion OU=ANF CA Raiz +# Subject: CN=ANF Secure Server Root CA O=ANF Autoridad de Certificacion OU=ANF CA Raiz +# Label: "ANF Secure Server Root CA" +# Serial: 996390341000653745 +# MD5 Fingerprint: 26:a6:44:5a:d9:af:4e:2f:b2:1d:b6:65:b0:4e:e8:96 +# SHA1 Fingerprint: 5b:6e:68:d0:cc:15:b6:a0:5f:1e:c1:5f:ae:02:fc:6b:2f:5d:6f:74 +# SHA256 Fingerprint: fb:8f:ec:75:91:69:b9:10:6b:1e:51:16:44:c6:18:c5:13:04:37:3f:6c:06:43:08:8d:8b:ef:fd:1b:99:75:99 +-----BEGIN CERTIFICATE----- +MIIF7zCCA9egAwIBAgIIDdPjvGz5a7EwDQYJKoZIhvcNAQELBQAwgYQxEjAQBgNV +BAUTCUc2MzI4NzUxMDELMAkGA1UEBhMCRVMxJzAlBgNVBAoTHkFORiBBdXRvcmlk +YWQgZGUgQ2VydGlmaWNhY2lvbjEUMBIGA1UECxMLQU5GIENBIFJhaXoxIjAgBgNV +BAMTGUFORiBTZWN1cmUgU2VydmVyIFJvb3QgQ0EwHhcNMTkwOTA0MTAwMDM4WhcN +MzkwODMwMTAwMDM4WjCBhDESMBAGA1UEBRMJRzYzMjg3NTEwMQswCQYDVQQGEwJF +UzEnMCUGA1UEChMeQU5GIEF1dG9yaWRhZCBkZSBDZXJ0aWZpY2FjaW9uMRQwEgYD +VQQLEwtBTkYgQ0EgUmFpejEiMCAGA1UEAxMZQU5GIFNlY3VyZSBTZXJ2ZXIgUm9v +dCBDQTCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoCggIBANvrayvmZFSVgpCj +cqQZAZ2cC4Ffc0m6p6zzBE57lgvsEeBbphzOG9INgxwruJ4dfkUyYA8H6XdYfp9q +yGFOtibBTI3/TO80sh9l2Ll49a2pcbnvT1gdpd50IJeh7WhM3pIXS7yr/2WanvtH +2Vdy8wmhrnZEE26cLUQ5vPnHO6RYPUG9tMJJo8gN0pcvB2VSAKduyK9o7PQUlrZX +H1bDOZ8rbeTzPvY1ZNoMHKGESy9LS+IsJJ1tk0DrtSOOMspvRdOoiXsezx76W0OL +zc2oD2rKDF65nkeP8Nm2CgtYZRczuSPkdxl9y0oukntPLxB3sY0vaJxizOBQ+OyR +p1RMVwnVdmPF6GUe7m1qzwmd+nxPrWAI/VaZDxUse6mAq4xhj0oHdkLePfTdsiQz +W7i1o0TJrH93PB0j7IKppuLIBkwC/qxcmZkLLxCKpvR/1Yd0DVlJRfbwcVw5Kda/ +SiOL9V8BY9KHcyi1Swr1+KuCLH5zJTIdC2MKF4EA/7Z2Xue0sUDKIbvVgFHlSFJn +LNJhiQcND85Cd8BEc5xEUKDbEAotlRyBr+Qc5RQe8TZBAQIvfXOn3kLMTOmJDVb3 +n5HUA8ZsyY/b2BzgQJhdZpmYgG4t/wHFzstGH6wCxkPmrqKEPMVOHj1tyRRM4y5B +u8o5vzY8KhmqQYdOpc5LMnndkEl/AgMBAAGjYzBhMB8GA1UdIwQYMBaAFJxf0Gxj +o1+TypOYCK2Mh6UsXME3MB0GA1UdDgQWBBScX9BsY6Nfk8qTmAitjIelLFzBNzAO +BgNVHQ8BAf8EBAMCAYYwDwYDVR0TAQH/BAUwAwEB/zANBgkqhkiG9w0BAQsFAAOC +AgEATh65isagmD9uw2nAalxJUqzLK114OMHVVISfk/CHGT0sZonrDUL8zPB1hT+L +9IBdeeUXZ701guLyPI59WzbLWoAAKfLOKyzxj6ptBZNscsdW699QIyjlRRA96Gej +rw5VD5AJYu9LWaL2U/HANeQvwSS9eS9OICI7/RogsKQOLHDtdD+4E5UGUcjohybK +pFtqFiGS3XNgnhAY3jyB6ugYw3yJ8otQPr0R4hUDqDZ9MwFsSBXXiJCZBMXM5gf0 +vPSQ7RPi6ovDj6MzD8EpTBNO2hVWcXNyglD2mjN8orGoGjR0ZVzO0eurU+AagNjq +OknkJjCb5RyKqKkVMoaZkgoQI1YS4PbOTOK7vtuNknMBZi9iPrJyJ0U27U1W45eZ +/zo1PqVUSlJZS2Db7v54EX9K3BR5YLZrZAPbFYPhor72I5dQ8AkzNqdxliXzuUJ9 +2zg/LFis6ELhDtjTO0wugumDLmsx2d1Hhk9tl5EuT+IocTUW0fJz/iUrB0ckYyfI ++PbZa/wSMVYIwFNCr5zQM378BvAxRAMU8Vjq8moNqRGyg77FGr8H6lnco4g175x2 +MjxNBiLOFeXdntiP2t7SxDnlF4HPOEfrf4htWRvfn0IUrn7PqLBmZdo3r5+qPeoo +tt7VMVgWglvquxl1AnMaykgaIZOQCo6ThKd9OyMYkomgjaw= +-----END CERTIFICATE----- + +# Issuer: CN=Certum EC-384 CA O=Asseco Data Systems S.A. OU=Certum Certification Authority +# Subject: CN=Certum EC-384 CA O=Asseco Data Systems S.A. OU=Certum Certification Authority +# Label: "Certum EC-384 CA" +# Serial: 160250656287871593594747141429395092468 +# MD5 Fingerprint: b6:65:b3:96:60:97:12:a1:ec:4e:e1:3d:a3:c6:c9:f1 +# SHA1 Fingerprint: f3:3e:78:3c:ac:df:f4:a2:cc:ac:67:55:69:56:d7:e5:16:3c:e1:ed +# SHA256 Fingerprint: 6b:32:80:85:62:53:18:aa:50:d1:73:c9:8d:8b:da:09:d5:7e:27:41:3d:11:4c:f7:87:a0:f5:d0:6c:03:0c:f6 +-----BEGIN CERTIFICATE----- +MIICZTCCAeugAwIBAgIQeI8nXIESUiClBNAt3bpz9DAKBggqhkjOPQQDAzB0MQsw +CQYDVQQGEwJQTDEhMB8GA1UEChMYQXNzZWNvIERhdGEgU3lzdGVtcyBTLkEuMScw +JQYDVQQLEx5DZXJ0dW0gQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkxGTAXBgNVBAMT +EENlcnR1bSBFQy0zODQgQ0EwHhcNMTgwMzI2MDcyNDU0WhcNNDMwMzI2MDcyNDU0 +WjB0MQswCQYDVQQGEwJQTDEhMB8GA1UEChMYQXNzZWNvIERhdGEgU3lzdGVtcyBT +LkEuMScwJQYDVQQLEx5DZXJ0dW0gQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkxGTAX +BgNVBAMTEENlcnR1bSBFQy0zODQgQ0EwdjAQBgcqhkjOPQIBBgUrgQQAIgNiAATE +KI6rGFtqvm5kN2PkzeyrOvfMobgOgknXhimfoZTy42B4mIF4Bk3y7JoOV2CDn7Tm +Fy8as10CW4kjPMIRBSqniBMY81CE1700LCeJVf/OTOffph8oxPBUw7l8t1Ot68Kj +QjBAMA8GA1UdEwEB/wQFMAMBAf8wHQYDVR0OBBYEFI0GZnQkdjrzife81r1HfS+8 +EF9LMA4GA1UdDwEB/wQEAwIBBjAKBggqhkjOPQQDAwNoADBlAjADVS2m5hjEfO/J +UG7BJw+ch69u1RsIGL2SKcHvlJF40jocVYli5RsJHrpka/F2tNQCMQC0QoSZ/6vn +nvuRlydd3LBbMHHOXjgaatkl5+r3YZJW+OraNsKHZZYuciUvf9/DE8k= +-----END CERTIFICATE----- + +# Issuer: CN=Certum Trusted Root CA O=Asseco Data Systems S.A. OU=Certum Certification Authority +# Subject: CN=Certum Trusted Root CA O=Asseco Data Systems S.A. OU=Certum Certification Authority +# Label: "Certum Trusted Root CA" +# Serial: 40870380103424195783807378461123655149 +# MD5 Fingerprint: 51:e1:c2:e7:fe:4c:84:af:59:0e:2f:f4:54:6f:ea:29 +# SHA1 Fingerprint: c8:83:44:c0:18:ae:9f:cc:f1:87:b7:8f:22:d1:c5:d7:45:84:ba:e5 +# SHA256 Fingerprint: fe:76:96:57:38:55:77:3e:37:a9:5e:7a:d4:d9:cc:96:c3:01:57:c1:5d:31:76:5b:a9:b1:57:04:e1:ae:78:fd +-----BEGIN CERTIFICATE----- +MIIFwDCCA6igAwIBAgIQHr9ZULjJgDdMBvfrVU+17TANBgkqhkiG9w0BAQ0FADB6 +MQswCQYDVQQGEwJQTDEhMB8GA1UEChMYQXNzZWNvIERhdGEgU3lzdGVtcyBTLkEu +MScwJQYDVQQLEx5DZXJ0dW0gQ2VydGlmaWNhdGlvbiBBdXRob3JpdHkxHzAdBgNV +BAMTFkNlcnR1bSBUcnVzdGVkIFJvb3QgQ0EwHhcNMTgwMzE2MTIxMDEzWhcNNDMw +MzE2MTIxMDEzWjB6MQswCQYDVQQGEwJQTDEhMB8GA1UEChMYQXNzZWNvIERhdGEg +U3lzdGVtcyBTLkEuMScwJQYDVQQLEx5DZXJ0dW0gQ2VydGlmaWNhdGlvbiBBdXRo +b3JpdHkxHzAdBgNVBAMTFkNlcnR1bSBUcnVzdGVkIFJvb3QgQ0EwggIiMA0GCSqG +SIb3DQEBAQUAA4ICDwAwggIKAoICAQDRLY67tzbqbTeRn06TpwXkKQMlzhyC93yZ +n0EGze2jusDbCSzBfN8pfktlL5On1AFrAygYo9idBcEq2EXxkd7fO9CAAozPOA/q +p1x4EaTByIVcJdPTsuclzxFUl6s1wB52HO8AU5853BSlLCIls3Jy/I2z5T4IHhQq +NwuIPMqw9MjCoa68wb4pZ1Xi/K1ZXP69VyywkI3C7Te2fJmItdUDmj0VDT06qKhF +8JVOJVkdzZhpu9PMMsmN74H+rX2Ju7pgE8pllWeg8xn2A1bUatMn4qGtg/BKEiJ3 +HAVz4hlxQsDsdUaakFjgao4rpUYwBI4Zshfjvqm6f1bxJAPXsiEodg42MEx51UGa +mqi4NboMOvJEGyCI98Ul1z3G4z5D3Yf+xOr1Uz5MZf87Sst4WmsXXw3Hw09Omiqi +7VdNIuJGmj8PkTQkfVXjjJU30xrwCSss0smNtA0Aq2cpKNgB9RkEth2+dv5yXMSF +ytKAQd8FqKPVhJBPC/PgP5sZ0jeJP/J7UhyM9uH3PAeXjA6iWYEMspA90+NZRu0P +qafegGtaqge2Gcu8V/OXIXoMsSt0Puvap2ctTMSYnjYJdmZm/Bo/6khUHL4wvYBQ +v3y1zgD2DGHZ5yQD4OMBgQ692IU0iL2yNqh7XAjlRICMb/gv1SHKHRzQ+8S1h9E6 +Tsd2tTVItQIDAQABo0IwQDAPBgNVHRMBAf8EBTADAQH/MB0GA1UdDgQWBBSM+xx1 +vALTn04uSNn5YFSqxLNP+jAOBgNVHQ8BAf8EBAMCAQYwDQYJKoZIhvcNAQENBQAD +ggIBAEii1QALLtA/vBzVtVRJHlpr9OTy4EA34MwUe7nJ+jW1dReTagVphZzNTxl4 +WxmB82M+w85bj/UvXgF2Ez8sALnNllI5SW0ETsXpD4YN4fqzX4IS8TrOZgYkNCvo +zMrnadyHncI013nR03e4qllY/p0m+jiGPp2Kh2RX5Rc64vmNueMzeMGQ2Ljdt4NR +5MTMI9UGfOZR0800McD2RrsLrfw9EAUqO0qRJe6M1ISHgCq8CYyqOhNf6DR5UMEQ +GfnTKB7U0VEwKbOukGfWHwpjscWpxkIxYxeU72nLL/qMFH3EQxiJ2fAyQOaA4kZf +5ePBAFmo+eggvIksDkc0C+pXwlM2/KfUrzHN/gLldfq5Jwn58/U7yn2fqSLLiMmq +0Uc9NneoWWRrJ8/vJ8HjJLWG965+Mk2weWjROeiQWMODvA8s1pfrzgzhIMfatz7D +P78v3DSk+yshzWePS/Tj6tQ/50+6uaWTRRxmHyH6ZF5v4HaUMst19W7l9o/HuKTM +qJZ9ZPskWkoDbGs4xugDQ5r3V7mzKWmTOPQD8rv7gmsHINFSH5pkAnuYZttcTVoP +0ISVoDwUQwbKytu4QTbaakRnh6+v40URFWkIsr4WOZckbxJF0WddCajJFdr60qZf +E2Efv4WstK2tBZQIgx51F9NxO5NQI1mg7TyRVJ12AMXDuDjb +-----END CERTIFICATE----- diff --git a/venv/Lib/site-packages/pip/_vendor/certifi/core.py b/venv/Lib/site-packages/pip/_vendor/certifi/core.py new file mode 100644 index 0000000..b8140cf --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/certifi/core.py @@ -0,0 +1,76 @@ +# -*- coding: utf-8 -*- + +""" +certifi.py +~~~~~~~~~~ + +This module returns the installation location of cacert.pem or its contents. +""" +import os + + +class _PipPatchedCertificate(Exception): + pass + + +try: + # Return a certificate file on disk for a standalone pip zipapp running in + # an isolated build environment to use. Passing --cert to the standalone + # pip does not work since requests calls where() unconditionally on import. + _PIP_STANDALONE_CERT = os.environ.get("_PIP_STANDALONE_CERT") + if _PIP_STANDALONE_CERT: + def where(): + return _PIP_STANDALONE_CERT + raise _PipPatchedCertificate() + + from importlib.resources import path as get_path, read_text + + _CACERT_CTX = None + _CACERT_PATH = None + + def where(): + # This is slightly terrible, but we want to delay extracting the file + # in cases where we're inside of a zipimport situation until someone + # actually calls where(), but we don't want to re-extract the file + # on every call of where(), so we'll do it once then store it in a + # global variable. + global _CACERT_CTX + global _CACERT_PATH + if _CACERT_PATH is None: + # This is slightly janky, the importlib.resources API wants you to + # manage the cleanup of this file, so it doesn't actually return a + # path, it returns a context manager that will give you the path + # when you enter it and will do any cleanup when you leave it. In + # the common case of not needing a temporary file, it will just + # return the file system location and the __exit__() is a no-op. + # + # We also have to hold onto the actual context manager, because + # it will do the cleanup whenever it gets garbage collected, so + # we will also store that at the global level as well. + _CACERT_CTX = get_path("pip._vendor.certifi", "cacert.pem") + _CACERT_PATH = str(_CACERT_CTX.__enter__()) + + return _CACERT_PATH + +except _PipPatchedCertificate: + pass + +except ImportError: + # This fallback will work for Python versions prior to 3.7 that lack the + # importlib.resources module but relies on the existing `where` function + # so won't address issues with environments like PyOxidizer that don't set + # __file__ on modules. + def read_text(_module, _path, encoding="ascii"): + with open(where(), "r", encoding=encoding) as data: + return data.read() + + # If we don't have importlib.resources, then we will just do the old logic + # of assuming we're on the filesystem and munge the path directly. + def where(): + f = os.path.dirname(__file__) + + return os.path.join(f, "cacert.pem") + + +def contents(): + return read_text("certifi", "cacert.pem", encoding="ascii") diff --git a/venv/Lib/site-packages/pip/_vendor/chardet/__init__.py b/venv/Lib/site-packages/pip/_vendor/chardet/__init__.py new file mode 100644 index 0000000..80ad254 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/chardet/__init__.py @@ -0,0 +1,83 @@ +######################## BEGIN LICENSE BLOCK ######################## +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + + +from .universaldetector import UniversalDetector +from .enums import InputState +from .version import __version__, VERSION + + +__all__ = ['UniversalDetector', 'detect', 'detect_all', '__version__', 'VERSION'] + + +def detect(byte_str): + """ + Detect the encoding of the given byte string. + + :param byte_str: The byte sequence to examine. + :type byte_str: ``bytes`` or ``bytearray`` + """ + if not isinstance(byte_str, bytearray): + if not isinstance(byte_str, bytes): + raise TypeError('Expected object of type bytes or bytearray, got: ' + '{}'.format(type(byte_str))) + else: + byte_str = bytearray(byte_str) + detector = UniversalDetector() + detector.feed(byte_str) + return detector.close() + + +def detect_all(byte_str): + """ + Detect all the possible encodings of the given byte string. + + :param byte_str: The byte sequence to examine. + :type byte_str: ``bytes`` or ``bytearray`` + """ + if not isinstance(byte_str, bytearray): + if not isinstance(byte_str, bytes): + raise TypeError('Expected object of type bytes or bytearray, got: ' + '{}'.format(type(byte_str))) + else: + byte_str = bytearray(byte_str) + + detector = UniversalDetector() + detector.feed(byte_str) + detector.close() + + if detector._input_state == InputState.HIGH_BYTE: + results = [] + for prober in detector._charset_probers: + if prober.get_confidence() > detector.MINIMUM_THRESHOLD: + charset_name = prober.charset_name + lower_charset_name = prober.charset_name.lower() + # Use Windows encoding name instead of ISO-8859 if we saw any + # extra Windows-specific bytes + if lower_charset_name.startswith('iso-8859'): + if detector._has_win_bytes: + charset_name = detector.ISO_WIN_MAP.get(lower_charset_name, + charset_name) + results.append({ + 'encoding': charset_name, + 'confidence': prober.get_confidence(), + 'language': prober.language, + }) + if len(results) > 0: + return sorted(results, key=lambda result: -result['confidence']) + + return [detector.result] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/big5freq.py b/venv/Lib/site-packages/pip/_vendor/chardet/big5freq.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/big5freq.py rename to venv/Lib/site-packages/pip/_vendor/chardet/big5freq.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/big5prober.py b/venv/Lib/site-packages/pip/_vendor/chardet/big5prober.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/big5prober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/big5prober.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/chardistribution.py b/venv/Lib/site-packages/pip/_vendor/chardet/chardistribution.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/chardistribution.py rename to venv/Lib/site-packages/pip/_vendor/chardet/chardistribution.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/charsetgroupprober.py b/venv/Lib/site-packages/pip/_vendor/chardet/charsetgroupprober.py similarity index 98% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/charsetgroupprober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/charsetgroupprober.py index 8b3738e..5812cef 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/charsetgroupprober.py +++ b/venv/Lib/site-packages/pip/_vendor/chardet/charsetgroupprober.py @@ -73,6 +73,7 @@ def feed(self, byte_str): continue if state == ProbingState.FOUND_IT: self._best_guess_prober = prober + self._state = ProbingState.FOUND_IT return self.state elif state == ProbingState.NOT_ME: prober.active = False diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/charsetprober.py b/venv/Lib/site-packages/pip/_vendor/chardet/charsetprober.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/charsetprober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/charsetprober.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cli/__init__.py b/venv/Lib/site-packages/pip/_vendor/chardet/cli/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cli/__init__.py rename to venv/Lib/site-packages/pip/_vendor/chardet/cli/__init__.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cli/chardetect.py b/venv/Lib/site-packages/pip/_vendor/chardet/cli/chardetect.py similarity index 92% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cli/chardetect.py rename to venv/Lib/site-packages/pip/_vendor/chardet/cli/chardetect.py index c61136b..6d6f93a 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cli/chardetect.py +++ b/venv/Lib/site-packages/pip/_vendor/chardet/cli/chardetect.py @@ -1,4 +1,3 @@ -#!/usr/bin/env python """ Script which takes one or more file paths and reports on their detected encodings @@ -45,10 +44,10 @@ def description_of(lines, name='stdin'): if PY2: name = name.decode(sys.getfilesystemencoding(), 'ignore') if result['encoding']: - return '{0}: {1} with confidence {2}'.format(name, result['encoding'], + return '{}: {} with confidence {}'.format(name, result['encoding'], result['confidence']) else: - return '{0}: no result'.format(name) + return '{}: no result'.format(name) def main(argv=None): @@ -69,7 +68,7 @@ def main(argv=None): type=argparse.FileType('rb'), nargs='*', default=[sys.stdin if PY2 else sys.stdin.buffer]) parser.add_argument('--version', action='version', - version='%(prog)s {0}'.format(__version__)) + version='%(prog)s {}'.format(__version__)) args = parser.parse_args(argv) for f in args.input: diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/codingstatemachine.py b/venv/Lib/site-packages/pip/_vendor/chardet/codingstatemachine.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/codingstatemachine.py rename to venv/Lib/site-packages/pip/_vendor/chardet/codingstatemachine.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/compat.py b/venv/Lib/site-packages/pip/_vendor/chardet/compat.py similarity index 89% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/compat.py rename to venv/Lib/site-packages/pip/_vendor/chardet/compat.py index ddd7468..8941572 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/compat.py +++ b/venv/Lib/site-packages/pip/_vendor/chardet/compat.py @@ -25,10 +25,12 @@ if sys.version_info < (3, 0): PY2 = True PY3 = False - base_str = (str, unicode) + string_types = (str, unicode) text_type = unicode + iteritems = dict.iteritems else: PY2 = False PY3 = True - base_str = (bytes, str) + string_types = (bytes, str) text_type = str + iteritems = dict.items diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cp949prober.py b/venv/Lib/site-packages/pip/_vendor/chardet/cp949prober.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/cp949prober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/cp949prober.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/enums.py b/venv/Lib/site-packages/pip/_vendor/chardet/enums.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/enums.py rename to venv/Lib/site-packages/pip/_vendor/chardet/enums.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/escprober.py b/venv/Lib/site-packages/pip/_vendor/chardet/escprober.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/escprober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/escprober.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/escsm.py b/venv/Lib/site-packages/pip/_vendor/chardet/escsm.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/escsm.py rename to venv/Lib/site-packages/pip/_vendor/chardet/escsm.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/eucjpprober.py b/venv/Lib/site-packages/pip/_vendor/chardet/eucjpprober.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/eucjpprober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/eucjpprober.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euckrfreq.py b/venv/Lib/site-packages/pip/_vendor/chardet/euckrfreq.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euckrfreq.py rename to venv/Lib/site-packages/pip/_vendor/chardet/euckrfreq.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euckrprober.py b/venv/Lib/site-packages/pip/_vendor/chardet/euckrprober.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euckrprober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/euckrprober.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euctwfreq.py b/venv/Lib/site-packages/pip/_vendor/chardet/euctwfreq.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euctwfreq.py rename to venv/Lib/site-packages/pip/_vendor/chardet/euctwfreq.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euctwprober.py b/venv/Lib/site-packages/pip/_vendor/chardet/euctwprober.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/euctwprober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/euctwprober.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/gb2312freq.py b/venv/Lib/site-packages/pip/_vendor/chardet/gb2312freq.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/gb2312freq.py rename to venv/Lib/site-packages/pip/_vendor/chardet/gb2312freq.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/gb2312prober.py b/venv/Lib/site-packages/pip/_vendor/chardet/gb2312prober.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/gb2312prober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/gb2312prober.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/hebrewprober.py b/venv/Lib/site-packages/pip/_vendor/chardet/hebrewprober.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/hebrewprober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/hebrewprober.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/jisfreq.py b/venv/Lib/site-packages/pip/_vendor/chardet/jisfreq.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/jisfreq.py rename to venv/Lib/site-packages/pip/_vendor/chardet/jisfreq.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/jpcntx.py b/venv/Lib/site-packages/pip/_vendor/chardet/jpcntx.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/jpcntx.py rename to venv/Lib/site-packages/pip/_vendor/chardet/jpcntx.py diff --git a/venv/Lib/site-packages/pip/_vendor/chardet/langbulgarianmodel.py b/venv/Lib/site-packages/pip/_vendor/chardet/langbulgarianmodel.py new file mode 100644 index 0000000..e963a50 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/chardet/langbulgarianmodel.py @@ -0,0 +1,4650 @@ +#!/usr/bin/env python +# -*- coding: utf-8 -*- + +from pip._vendor.chardet.sbcharsetprober import SingleByteCharSetModel + + +# 3: Positive +# 2: Likely +# 1: Unlikely +# 0: Negative + +BULGARIAN_LANG_MODEL = { + 63: { # 'e' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 0, # 'а' + 18: 1, # 'б' + 9: 1, # 'в' + 20: 1, # 'г' + 11: 1, # 'д' + 3: 1, # 'е' + 23: 1, # 'ж' + 15: 1, # 'з' + 2: 0, # 'и' + 26: 1, # 'й' + 12: 1, # 'к' + 10: 1, # 'л' + 14: 1, # 'м' + 6: 1, # 'н' + 4: 1, # 'о' + 13: 1, # 'п' + 7: 1, # 'р' + 8: 1, # 'с' + 5: 1, # 'т' + 19: 0, # 'у' + 29: 1, # 'ф' + 25: 1, # 'х' + 22: 0, # 'ц' + 21: 1, # 'ч' + 27: 1, # 'ш' + 24: 1, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 45: { # '\xad' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 1, # 'Б' + 35: 1, # 'В' + 43: 0, # 'Г' + 37: 1, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 1, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 0, # 'Л' + 38: 1, # 'М' + 36: 0, # 'Н' + 41: 1, # 'О' + 30: 1, # 'П' + 39: 1, # 'Р' + 28: 1, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 1, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 0, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 0, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 0, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 0, # 'л' + 14: 0, # 'м' + 6: 0, # 'н' + 4: 0, # 'о' + 13: 0, # 'п' + 7: 0, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 0, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 31: { # 'А' + 63: 0, # 'e' + 45: 1, # '\xad' + 31: 1, # 'А' + 32: 1, # 'Б' + 35: 2, # 'В' + 43: 1, # 'Г' + 37: 2, # 'Д' + 44: 2, # 'Е' + 55: 1, # 'Ж' + 47: 2, # 'З' + 40: 1, # 'И' + 59: 1, # 'Й' + 33: 1, # 'К' + 46: 2, # 'Л' + 38: 1, # 'М' + 36: 2, # 'Н' + 41: 1, # 'О' + 30: 2, # 'П' + 39: 2, # 'Р' + 28: 2, # 'С' + 34: 2, # 'Т' + 51: 1, # 'У' + 48: 2, # 'Ф' + 49: 1, # 'Х' + 53: 1, # 'Ц' + 50: 1, # 'Ч' + 54: 1, # 'Ш' + 57: 2, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 1, # 'Я' + 1: 1, # 'а' + 18: 2, # 'б' + 9: 2, # 'в' + 20: 2, # 'г' + 11: 2, # 'д' + 3: 1, # 'е' + 23: 1, # 'ж' + 15: 2, # 'з' + 2: 0, # 'и' + 26: 2, # 'й' + 12: 2, # 'к' + 10: 3, # 'л' + 14: 2, # 'м' + 6: 3, # 'н' + 4: 0, # 'о' + 13: 2, # 'п' + 7: 2, # 'р' + 8: 2, # 'с' + 5: 2, # 'т' + 19: 1, # 'у' + 29: 2, # 'ф' + 25: 1, # 'х' + 22: 1, # 'ц' + 21: 1, # 'ч' + 27: 1, # 'ш' + 24: 0, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 32: { # 'Б' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 2, # 'А' + 32: 2, # 'Б' + 35: 1, # 'В' + 43: 1, # 'Г' + 37: 2, # 'Д' + 44: 1, # 'Е' + 55: 1, # 'Ж' + 47: 2, # 'З' + 40: 1, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 1, # 'М' + 36: 2, # 'Н' + 41: 2, # 'О' + 30: 1, # 'П' + 39: 1, # 'Р' + 28: 2, # 'С' + 34: 2, # 'Т' + 51: 1, # 'У' + 48: 2, # 'Ф' + 49: 1, # 'Х' + 53: 1, # 'Ц' + 50: 1, # 'Ч' + 54: 0, # 'Ш' + 57: 1, # 'Щ' + 61: 2, # 'Ъ' + 60: 1, # 'Ю' + 56: 1, # 'Я' + 1: 3, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 1, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 2, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 2, # 'л' + 14: 0, # 'м' + 6: 0, # 'н' + 4: 3, # 'о' + 13: 0, # 'п' + 7: 2, # 'р' + 8: 1, # 'с' + 5: 0, # 'т' + 19: 2, # 'у' + 29: 0, # 'ф' + 25: 1, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 3, # 'ъ' + 52: 1, # 'ь' + 42: 1, # 'ю' + 16: 2, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 35: { # 'В' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 2, # 'А' + 32: 1, # 'Б' + 35: 1, # 'В' + 43: 0, # 'Г' + 37: 1, # 'Д' + 44: 2, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 2, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 1, # 'М' + 36: 1, # 'Н' + 41: 1, # 'О' + 30: 1, # 'П' + 39: 2, # 'Р' + 28: 2, # 'С' + 34: 1, # 'Т' + 51: 1, # 'У' + 48: 2, # 'Ф' + 49: 0, # 'Х' + 53: 1, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 1, # 'Ъ' + 60: 1, # 'Ю' + 56: 2, # 'Я' + 1: 3, # 'а' + 18: 1, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 1, # 'д' + 3: 3, # 'е' + 23: 1, # 'ж' + 15: 2, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 1, # 'к' + 10: 2, # 'л' + 14: 1, # 'м' + 6: 2, # 'н' + 4: 2, # 'о' + 13: 1, # 'п' + 7: 2, # 'р' + 8: 2, # 'с' + 5: 2, # 'т' + 19: 1, # 'у' + 29: 0, # 'ф' + 25: 1, # 'х' + 22: 0, # 'ц' + 21: 2, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 2, # 'ъ' + 52: 1, # 'ь' + 42: 1, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 43: { # 'Г' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 2, # 'А' + 32: 1, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 1, # 'Д' + 44: 2, # 'Е' + 55: 0, # 'Ж' + 47: 1, # 'З' + 40: 1, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 0, # 'М' + 36: 1, # 'Н' + 41: 1, # 'О' + 30: 0, # 'П' + 39: 1, # 'Р' + 28: 1, # 'С' + 34: 0, # 'Т' + 51: 1, # 'У' + 48: 1, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 1, # 'Щ' + 61: 1, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 2, # 'а' + 18: 1, # 'б' + 9: 1, # 'в' + 20: 0, # 'г' + 11: 1, # 'д' + 3: 3, # 'е' + 23: 1, # 'ж' + 15: 0, # 'з' + 2: 2, # 'и' + 26: 0, # 'й' + 12: 1, # 'к' + 10: 2, # 'л' + 14: 1, # 'м' + 6: 1, # 'н' + 4: 2, # 'о' + 13: 0, # 'п' + 7: 2, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 2, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 1, # 'щ' + 17: 2, # 'ъ' + 52: 1, # 'ь' + 42: 1, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 37: { # 'Д' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 2, # 'А' + 32: 1, # 'Б' + 35: 2, # 'В' + 43: 1, # 'Г' + 37: 2, # 'Д' + 44: 2, # 'Е' + 55: 2, # 'Ж' + 47: 1, # 'З' + 40: 2, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 1, # 'М' + 36: 1, # 'Н' + 41: 2, # 'О' + 30: 2, # 'П' + 39: 1, # 'Р' + 28: 2, # 'С' + 34: 1, # 'Т' + 51: 1, # 'У' + 48: 1, # 'Ф' + 49: 0, # 'Х' + 53: 1, # 'Ц' + 50: 1, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 1, # 'Ъ' + 60: 1, # 'Ю' + 56: 1, # 'Я' + 1: 3, # 'а' + 18: 0, # 'б' + 9: 2, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 3, # 'е' + 23: 3, # 'ж' + 15: 1, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 1, # 'л' + 14: 1, # 'м' + 6: 2, # 'н' + 4: 3, # 'о' + 13: 0, # 'п' + 7: 2, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 2, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 2, # 'ъ' + 52: 1, # 'ь' + 42: 2, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 44: { # 'Е' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 1, # 'А' + 32: 1, # 'Б' + 35: 2, # 'В' + 43: 1, # 'Г' + 37: 1, # 'Д' + 44: 1, # 'Е' + 55: 1, # 'Ж' + 47: 1, # 'З' + 40: 1, # 'И' + 59: 1, # 'Й' + 33: 2, # 'К' + 46: 2, # 'Л' + 38: 1, # 'М' + 36: 2, # 'Н' + 41: 2, # 'О' + 30: 1, # 'П' + 39: 2, # 'Р' + 28: 2, # 'С' + 34: 2, # 'Т' + 51: 1, # 'У' + 48: 2, # 'Ф' + 49: 1, # 'Х' + 53: 2, # 'Ц' + 50: 1, # 'Ч' + 54: 1, # 'Ш' + 57: 1, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 1, # 'Я' + 1: 0, # 'а' + 18: 1, # 'б' + 9: 2, # 'в' + 20: 1, # 'г' + 11: 2, # 'д' + 3: 0, # 'е' + 23: 1, # 'ж' + 15: 1, # 'з' + 2: 0, # 'и' + 26: 1, # 'й' + 12: 2, # 'к' + 10: 2, # 'л' + 14: 2, # 'м' + 6: 2, # 'н' + 4: 0, # 'о' + 13: 1, # 'п' + 7: 2, # 'р' + 8: 2, # 'с' + 5: 1, # 'т' + 19: 1, # 'у' + 29: 1, # 'ф' + 25: 1, # 'х' + 22: 0, # 'ц' + 21: 1, # 'ч' + 27: 1, # 'ш' + 24: 1, # 'щ' + 17: 1, # 'ъ' + 52: 0, # 'ь' + 42: 1, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 55: { # 'Ж' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 1, # 'А' + 32: 0, # 'Б' + 35: 1, # 'В' + 43: 0, # 'Г' + 37: 1, # 'Д' + 44: 1, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 1, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 1, # 'Н' + 41: 1, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 1, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 2, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 1, # 'д' + 3: 2, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 2, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 0, # 'л' + 14: 0, # 'м' + 6: 0, # 'н' + 4: 2, # 'о' + 13: 1, # 'п' + 7: 1, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 1, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 1, # 'ъ' + 52: 1, # 'ь' + 42: 1, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 47: { # 'З' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 2, # 'А' + 32: 1, # 'Б' + 35: 1, # 'В' + 43: 1, # 'Г' + 37: 1, # 'Д' + 44: 1, # 'Е' + 55: 0, # 'Ж' + 47: 1, # 'З' + 40: 1, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 1, # 'М' + 36: 2, # 'Н' + 41: 1, # 'О' + 30: 1, # 'П' + 39: 1, # 'Р' + 28: 1, # 'С' + 34: 1, # 'Т' + 51: 1, # 'У' + 48: 0, # 'Ф' + 49: 1, # 'Х' + 53: 1, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 1, # 'Ъ' + 60: 0, # 'Ю' + 56: 1, # 'Я' + 1: 3, # 'а' + 18: 1, # 'б' + 9: 2, # 'в' + 20: 1, # 'г' + 11: 2, # 'д' + 3: 2, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 1, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 2, # 'л' + 14: 1, # 'м' + 6: 1, # 'н' + 4: 1, # 'о' + 13: 0, # 'п' + 7: 1, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 1, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 1, # 'ъ' + 52: 0, # 'ь' + 42: 1, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 40: { # 'И' + 63: 0, # 'e' + 45: 1, # '\xad' + 31: 1, # 'А' + 32: 1, # 'Б' + 35: 1, # 'В' + 43: 1, # 'Г' + 37: 1, # 'Д' + 44: 2, # 'Е' + 55: 1, # 'Ж' + 47: 2, # 'З' + 40: 1, # 'И' + 59: 1, # 'Й' + 33: 2, # 'К' + 46: 2, # 'Л' + 38: 2, # 'М' + 36: 2, # 'Н' + 41: 1, # 'О' + 30: 1, # 'П' + 39: 2, # 'Р' + 28: 2, # 'С' + 34: 2, # 'Т' + 51: 0, # 'У' + 48: 1, # 'Ф' + 49: 1, # 'Х' + 53: 1, # 'Ц' + 50: 1, # 'Ч' + 54: 1, # 'Ш' + 57: 1, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 2, # 'Я' + 1: 1, # 'а' + 18: 1, # 'б' + 9: 3, # 'в' + 20: 2, # 'г' + 11: 1, # 'д' + 3: 1, # 'е' + 23: 0, # 'ж' + 15: 3, # 'з' + 2: 0, # 'и' + 26: 1, # 'й' + 12: 1, # 'к' + 10: 2, # 'л' + 14: 2, # 'м' + 6: 2, # 'н' + 4: 0, # 'о' + 13: 1, # 'п' + 7: 2, # 'р' + 8: 2, # 'с' + 5: 2, # 'т' + 19: 0, # 'у' + 29: 1, # 'ф' + 25: 1, # 'х' + 22: 1, # 'ц' + 21: 1, # 'ч' + 27: 1, # 'ш' + 24: 1, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 59: { # 'Й' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 1, # 'Д' + 44: 1, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 1, # 'М' + 36: 1, # 'Н' + 41: 1, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 1, # 'С' + 34: 1, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 1, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 1, # 'Я' + 1: 0, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 1, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 0, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 0, # 'л' + 14: 0, # 'м' + 6: 0, # 'н' + 4: 2, # 'о' + 13: 0, # 'п' + 7: 0, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 0, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 1, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 33: { # 'К' + 63: 0, # 'e' + 45: 1, # '\xad' + 31: 2, # 'А' + 32: 1, # 'Б' + 35: 1, # 'В' + 43: 1, # 'Г' + 37: 1, # 'Д' + 44: 1, # 'Е' + 55: 0, # 'Ж' + 47: 1, # 'З' + 40: 2, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 0, # 'М' + 36: 2, # 'Н' + 41: 2, # 'О' + 30: 2, # 'П' + 39: 1, # 'Р' + 28: 2, # 'С' + 34: 1, # 'Т' + 51: 1, # 'У' + 48: 1, # 'Ф' + 49: 1, # 'Х' + 53: 1, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 1, # 'Ъ' + 60: 1, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 0, # 'б' + 9: 1, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 2, # 'е' + 23: 1, # 'ж' + 15: 0, # 'з' + 2: 2, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 2, # 'л' + 14: 1, # 'м' + 6: 2, # 'н' + 4: 3, # 'о' + 13: 0, # 'п' + 7: 3, # 'р' + 8: 1, # 'с' + 5: 0, # 'т' + 19: 2, # 'у' + 29: 0, # 'ф' + 25: 1, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 1, # 'ш' + 24: 0, # 'щ' + 17: 2, # 'ъ' + 52: 1, # 'ь' + 42: 2, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 46: { # 'Л' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 2, # 'А' + 32: 1, # 'Б' + 35: 1, # 'В' + 43: 2, # 'Г' + 37: 1, # 'Д' + 44: 2, # 'Е' + 55: 0, # 'Ж' + 47: 1, # 'З' + 40: 2, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 0, # 'М' + 36: 1, # 'Н' + 41: 2, # 'О' + 30: 1, # 'П' + 39: 0, # 'Р' + 28: 1, # 'С' + 34: 1, # 'Т' + 51: 1, # 'У' + 48: 0, # 'Ф' + 49: 1, # 'Х' + 53: 1, # 'Ц' + 50: 1, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 1, # 'Ъ' + 60: 1, # 'Ю' + 56: 1, # 'Я' + 1: 2, # 'а' + 18: 0, # 'б' + 9: 1, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 2, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 0, # 'л' + 14: 0, # 'м' + 6: 0, # 'н' + 4: 2, # 'о' + 13: 0, # 'п' + 7: 0, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 2, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 1, # 'ъ' + 52: 1, # 'ь' + 42: 2, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 38: { # 'М' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 2, # 'А' + 32: 1, # 'Б' + 35: 2, # 'В' + 43: 0, # 'Г' + 37: 1, # 'Д' + 44: 1, # 'Е' + 55: 0, # 'Ж' + 47: 1, # 'З' + 40: 2, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 1, # 'М' + 36: 1, # 'Н' + 41: 2, # 'О' + 30: 1, # 'П' + 39: 1, # 'Р' + 28: 2, # 'С' + 34: 1, # 'Т' + 51: 1, # 'У' + 48: 1, # 'Ф' + 49: 0, # 'Х' + 53: 1, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 1, # 'Ъ' + 60: 0, # 'Ю' + 56: 1, # 'Я' + 1: 3, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 2, # 'л' + 14: 0, # 'м' + 6: 2, # 'н' + 4: 3, # 'о' + 13: 0, # 'п' + 7: 1, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 2, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 2, # 'ъ' + 52: 1, # 'ь' + 42: 2, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 36: { # 'Н' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 2, # 'А' + 32: 2, # 'Б' + 35: 1, # 'В' + 43: 1, # 'Г' + 37: 2, # 'Д' + 44: 2, # 'Е' + 55: 1, # 'Ж' + 47: 1, # 'З' + 40: 2, # 'И' + 59: 1, # 'Й' + 33: 2, # 'К' + 46: 1, # 'Л' + 38: 1, # 'М' + 36: 1, # 'Н' + 41: 2, # 'О' + 30: 1, # 'П' + 39: 1, # 'Р' + 28: 2, # 'С' + 34: 2, # 'Т' + 51: 1, # 'У' + 48: 1, # 'Ф' + 49: 1, # 'Х' + 53: 1, # 'Ц' + 50: 1, # 'Ч' + 54: 1, # 'Ш' + 57: 0, # 'Щ' + 61: 1, # 'Ъ' + 60: 1, # 'Ю' + 56: 1, # 'Я' + 1: 3, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 1, # 'г' + 11: 0, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 0, # 'л' + 14: 0, # 'м' + 6: 0, # 'н' + 4: 3, # 'о' + 13: 0, # 'п' + 7: 0, # 'р' + 8: 0, # 'с' + 5: 1, # 'т' + 19: 1, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 1, # 'ш' + 24: 0, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 2, # 'ю' + 16: 2, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 41: { # 'О' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 1, # 'А' + 32: 1, # 'Б' + 35: 2, # 'В' + 43: 1, # 'Г' + 37: 2, # 'Д' + 44: 1, # 'Е' + 55: 1, # 'Ж' + 47: 1, # 'З' + 40: 1, # 'И' + 59: 1, # 'Й' + 33: 2, # 'К' + 46: 2, # 'Л' + 38: 2, # 'М' + 36: 2, # 'Н' + 41: 2, # 'О' + 30: 1, # 'П' + 39: 2, # 'Р' + 28: 2, # 'С' + 34: 2, # 'Т' + 51: 1, # 'У' + 48: 1, # 'Ф' + 49: 1, # 'Х' + 53: 0, # 'Ц' + 50: 1, # 'Ч' + 54: 1, # 'Ш' + 57: 1, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 1, # 'Я' + 1: 1, # 'а' + 18: 2, # 'б' + 9: 2, # 'в' + 20: 2, # 'г' + 11: 1, # 'д' + 3: 1, # 'е' + 23: 1, # 'ж' + 15: 1, # 'з' + 2: 0, # 'и' + 26: 1, # 'й' + 12: 2, # 'к' + 10: 2, # 'л' + 14: 1, # 'м' + 6: 1, # 'н' + 4: 0, # 'о' + 13: 2, # 'п' + 7: 2, # 'р' + 8: 2, # 'с' + 5: 3, # 'т' + 19: 1, # 'у' + 29: 1, # 'ф' + 25: 1, # 'х' + 22: 1, # 'ц' + 21: 2, # 'ч' + 27: 0, # 'ш' + 24: 2, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 30: { # 'П' + 63: 0, # 'e' + 45: 1, # '\xad' + 31: 2, # 'А' + 32: 1, # 'Б' + 35: 1, # 'В' + 43: 1, # 'Г' + 37: 1, # 'Д' + 44: 1, # 'Е' + 55: 0, # 'Ж' + 47: 1, # 'З' + 40: 2, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 1, # 'М' + 36: 1, # 'Н' + 41: 2, # 'О' + 30: 2, # 'П' + 39: 2, # 'Р' + 28: 2, # 'С' + 34: 1, # 'Т' + 51: 2, # 'У' + 48: 1, # 'Ф' + 49: 0, # 'Х' + 53: 1, # 'Ц' + 50: 1, # 'Ч' + 54: 1, # 'Ш' + 57: 0, # 'Щ' + 61: 1, # 'Ъ' + 60: 1, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 2, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 2, # 'и' + 26: 0, # 'й' + 12: 1, # 'к' + 10: 3, # 'л' + 14: 0, # 'м' + 6: 1, # 'н' + 4: 3, # 'о' + 13: 0, # 'п' + 7: 3, # 'р' + 8: 1, # 'с' + 5: 1, # 'т' + 19: 2, # 'у' + 29: 1, # 'ф' + 25: 1, # 'х' + 22: 0, # 'ц' + 21: 1, # 'ч' + 27: 1, # 'ш' + 24: 0, # 'щ' + 17: 2, # 'ъ' + 52: 1, # 'ь' + 42: 1, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 39: { # 'Р' + 63: 0, # 'e' + 45: 1, # '\xad' + 31: 2, # 'А' + 32: 1, # 'Б' + 35: 1, # 'В' + 43: 2, # 'Г' + 37: 2, # 'Д' + 44: 2, # 'Е' + 55: 0, # 'Ж' + 47: 1, # 'З' + 40: 2, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 0, # 'Л' + 38: 1, # 'М' + 36: 1, # 'Н' + 41: 2, # 'О' + 30: 2, # 'П' + 39: 1, # 'Р' + 28: 1, # 'С' + 34: 1, # 'Т' + 51: 1, # 'У' + 48: 1, # 'Ф' + 49: 1, # 'Х' + 53: 1, # 'Ц' + 50: 1, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 1, # 'Ъ' + 60: 1, # 'Ю' + 56: 1, # 'Я' + 1: 3, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 2, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 2, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 0, # 'л' + 14: 0, # 'м' + 6: 1, # 'н' + 4: 3, # 'о' + 13: 0, # 'п' + 7: 0, # 'р' + 8: 1, # 'с' + 5: 0, # 'т' + 19: 3, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 1, # 'ъ' + 52: 0, # 'ь' + 42: 1, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 28: { # 'С' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 3, # 'А' + 32: 2, # 'Б' + 35: 2, # 'В' + 43: 1, # 'Г' + 37: 2, # 'Д' + 44: 2, # 'Е' + 55: 1, # 'Ж' + 47: 1, # 'З' + 40: 2, # 'И' + 59: 0, # 'Й' + 33: 2, # 'К' + 46: 1, # 'Л' + 38: 1, # 'М' + 36: 1, # 'Н' + 41: 2, # 'О' + 30: 2, # 'П' + 39: 1, # 'Р' + 28: 2, # 'С' + 34: 2, # 'Т' + 51: 1, # 'У' + 48: 1, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 1, # 'Ъ' + 60: 1, # 'Ю' + 56: 1, # 'Я' + 1: 3, # 'а' + 18: 1, # 'б' + 9: 2, # 'в' + 20: 1, # 'г' + 11: 1, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 2, # 'к' + 10: 3, # 'л' + 14: 2, # 'м' + 6: 1, # 'н' + 4: 3, # 'о' + 13: 3, # 'п' + 7: 2, # 'р' + 8: 0, # 'с' + 5: 3, # 'т' + 19: 2, # 'у' + 29: 2, # 'ф' + 25: 1, # 'х' + 22: 1, # 'ц' + 21: 1, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 3, # 'ъ' + 52: 1, # 'ь' + 42: 1, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 34: { # 'Т' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 2, # 'А' + 32: 2, # 'Б' + 35: 1, # 'В' + 43: 0, # 'Г' + 37: 1, # 'Д' + 44: 2, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 2, # 'И' + 59: 0, # 'Й' + 33: 2, # 'К' + 46: 1, # 'Л' + 38: 1, # 'М' + 36: 1, # 'Н' + 41: 2, # 'О' + 30: 1, # 'П' + 39: 2, # 'Р' + 28: 2, # 'С' + 34: 1, # 'Т' + 51: 1, # 'У' + 48: 1, # 'Ф' + 49: 0, # 'Х' + 53: 1, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 1, # 'Ъ' + 60: 0, # 'Ю' + 56: 1, # 'Я' + 1: 3, # 'а' + 18: 1, # 'б' + 9: 1, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 2, # 'и' + 26: 0, # 'й' + 12: 1, # 'к' + 10: 1, # 'л' + 14: 0, # 'м' + 6: 0, # 'н' + 4: 3, # 'о' + 13: 0, # 'п' + 7: 3, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 2, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 2, # 'ъ' + 52: 0, # 'ь' + 42: 1, # 'ю' + 16: 2, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 51: { # 'У' + 63: 0, # 'e' + 45: 1, # '\xad' + 31: 1, # 'А' + 32: 1, # 'Б' + 35: 1, # 'В' + 43: 1, # 'Г' + 37: 1, # 'Д' + 44: 2, # 'Е' + 55: 1, # 'Ж' + 47: 1, # 'З' + 40: 1, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 1, # 'М' + 36: 1, # 'Н' + 41: 0, # 'О' + 30: 1, # 'П' + 39: 1, # 'Р' + 28: 1, # 'С' + 34: 2, # 'Т' + 51: 0, # 'У' + 48: 1, # 'Ф' + 49: 1, # 'Х' + 53: 1, # 'Ц' + 50: 1, # 'Ч' + 54: 1, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 1, # 'а' + 18: 1, # 'б' + 9: 2, # 'в' + 20: 1, # 'г' + 11: 1, # 'д' + 3: 2, # 'е' + 23: 1, # 'ж' + 15: 1, # 'з' + 2: 2, # 'и' + 26: 1, # 'й' + 12: 2, # 'к' + 10: 1, # 'л' + 14: 1, # 'м' + 6: 2, # 'н' + 4: 2, # 'о' + 13: 1, # 'п' + 7: 1, # 'р' + 8: 2, # 'с' + 5: 1, # 'т' + 19: 1, # 'у' + 29: 0, # 'ф' + 25: 1, # 'х' + 22: 0, # 'ц' + 21: 2, # 'ч' + 27: 1, # 'ш' + 24: 0, # 'щ' + 17: 1, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 48: { # 'Ф' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 2, # 'А' + 32: 1, # 'Б' + 35: 1, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 1, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 2, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 0, # 'М' + 36: 1, # 'Н' + 41: 1, # 'О' + 30: 2, # 'П' + 39: 1, # 'Р' + 28: 2, # 'С' + 34: 1, # 'Т' + 51: 1, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 2, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 2, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 2, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 2, # 'л' + 14: 0, # 'м' + 6: 0, # 'н' + 4: 2, # 'о' + 13: 0, # 'п' + 7: 2, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 1, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 1, # 'ъ' + 52: 1, # 'ь' + 42: 1, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 49: { # 'Х' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 1, # 'А' + 32: 0, # 'Б' + 35: 1, # 'В' + 43: 1, # 'Г' + 37: 1, # 'Д' + 44: 1, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 1, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 1, # 'Л' + 38: 1, # 'М' + 36: 1, # 'Н' + 41: 1, # 'О' + 30: 1, # 'П' + 39: 1, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 1, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 2, # 'а' + 18: 0, # 'б' + 9: 1, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 2, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 2, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 1, # 'л' + 14: 1, # 'м' + 6: 0, # 'н' + 4: 2, # 'о' + 13: 0, # 'п' + 7: 2, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 2, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 2, # 'ъ' + 52: 1, # 'ь' + 42: 1, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 53: { # 'Ц' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 1, # 'А' + 32: 0, # 'Б' + 35: 1, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 1, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 2, # 'И' + 59: 0, # 'Й' + 33: 2, # 'К' + 46: 1, # 'Л' + 38: 1, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 1, # 'Р' + 28: 2, # 'С' + 34: 0, # 'Т' + 51: 1, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 2, # 'а' + 18: 0, # 'б' + 9: 2, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 2, # 'е' + 23: 0, # 'ж' + 15: 1, # 'з' + 2: 2, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 0, # 'л' + 14: 0, # 'м' + 6: 0, # 'н' + 4: 1, # 'о' + 13: 0, # 'п' + 7: 1, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 1, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 1, # 'ъ' + 52: 0, # 'ь' + 42: 1, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 50: { # 'Ч' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 2, # 'А' + 32: 1, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 1, # 'Е' + 55: 0, # 'Ж' + 47: 1, # 'З' + 40: 1, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 0, # 'М' + 36: 1, # 'Н' + 41: 1, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 1, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 2, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 3, # 'е' + 23: 1, # 'ж' + 15: 0, # 'з' + 2: 2, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 1, # 'л' + 14: 0, # 'м' + 6: 0, # 'н' + 4: 2, # 'о' + 13: 0, # 'п' + 7: 1, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 2, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 1, # 'ъ' + 52: 1, # 'ь' + 42: 0, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 54: { # 'Ш' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 1, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 1, # 'Е' + 55: 0, # 'Ж' + 47: 1, # 'З' + 40: 1, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 1, # 'Н' + 41: 1, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 1, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 2, # 'а' + 18: 0, # 'б' + 9: 2, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 2, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 2, # 'и' + 26: 0, # 'й' + 12: 1, # 'к' + 10: 1, # 'л' + 14: 1, # 'м' + 6: 1, # 'н' + 4: 2, # 'о' + 13: 1, # 'п' + 7: 1, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 2, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 1, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 1, # 'ъ' + 52: 1, # 'ь' + 42: 0, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 57: { # 'Щ' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 1, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 1, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 1, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 1, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 2, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 2, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 1, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 0, # 'л' + 14: 0, # 'м' + 6: 0, # 'н' + 4: 1, # 'о' + 13: 0, # 'п' + 7: 1, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 1, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 1, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 61: { # 'Ъ' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 1, # 'Б' + 35: 1, # 'В' + 43: 0, # 'Г' + 37: 1, # 'Д' + 44: 0, # 'Е' + 55: 1, # 'Ж' + 47: 1, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 2, # 'Л' + 38: 1, # 'М' + 36: 1, # 'Н' + 41: 0, # 'О' + 30: 1, # 'П' + 39: 2, # 'Р' + 28: 1, # 'С' + 34: 1, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 1, # 'Х' + 53: 1, # 'Ц' + 50: 1, # 'Ч' + 54: 1, # 'Ш' + 57: 1, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 0, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 0, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 0, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 1, # 'л' + 14: 0, # 'м' + 6: 1, # 'н' + 4: 0, # 'о' + 13: 0, # 'п' + 7: 1, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 0, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 60: { # 'Ю' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 1, # 'А' + 32: 1, # 'Б' + 35: 0, # 'В' + 43: 1, # 'Г' + 37: 1, # 'Д' + 44: 0, # 'Е' + 55: 1, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 0, # 'М' + 36: 1, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 1, # 'Р' + 28: 1, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 0, # 'а' + 18: 1, # 'б' + 9: 1, # 'в' + 20: 2, # 'г' + 11: 1, # 'д' + 3: 0, # 'е' + 23: 2, # 'ж' + 15: 1, # 'з' + 2: 1, # 'и' + 26: 0, # 'й' + 12: 1, # 'к' + 10: 1, # 'л' + 14: 1, # 'м' + 6: 1, # 'н' + 4: 0, # 'о' + 13: 1, # 'п' + 7: 1, # 'р' + 8: 1, # 'с' + 5: 1, # 'т' + 19: 0, # 'у' + 29: 0, # 'ф' + 25: 1, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 56: { # 'Я' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 1, # 'Б' + 35: 1, # 'В' + 43: 1, # 'Г' + 37: 1, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 1, # 'Л' + 38: 1, # 'М' + 36: 1, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 1, # 'С' + 34: 2, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 0, # 'а' + 18: 1, # 'б' + 9: 1, # 'в' + 20: 1, # 'г' + 11: 1, # 'д' + 3: 0, # 'е' + 23: 0, # 'ж' + 15: 1, # 'з' + 2: 1, # 'и' + 26: 1, # 'й' + 12: 1, # 'к' + 10: 1, # 'л' + 14: 2, # 'м' + 6: 2, # 'н' + 4: 0, # 'о' + 13: 2, # 'п' + 7: 1, # 'р' + 8: 1, # 'с' + 5: 1, # 'т' + 19: 0, # 'у' + 29: 0, # 'ф' + 25: 1, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 1, # 'ш' + 24: 0, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 1, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 1: { # 'а' + 63: 1, # 'e' + 45: 1, # '\xad' + 31: 1, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 1, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 1, # 'а' + 18: 3, # 'б' + 9: 3, # 'в' + 20: 3, # 'г' + 11: 3, # 'д' + 3: 3, # 'е' + 23: 3, # 'ж' + 15: 3, # 'з' + 2: 3, # 'и' + 26: 3, # 'й' + 12: 3, # 'к' + 10: 3, # 'л' + 14: 3, # 'м' + 6: 3, # 'н' + 4: 2, # 'о' + 13: 3, # 'п' + 7: 3, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 3, # 'у' + 29: 3, # 'ф' + 25: 3, # 'х' + 22: 3, # 'ц' + 21: 3, # 'ч' + 27: 3, # 'ш' + 24: 3, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 1, # 'ю' + 16: 3, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 18: { # 'б' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 0, # 'б' + 9: 3, # 'в' + 20: 1, # 'г' + 11: 2, # 'д' + 3: 3, # 'е' + 23: 1, # 'ж' + 15: 1, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 1, # 'к' + 10: 3, # 'л' + 14: 2, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 1, # 'п' + 7: 3, # 'р' + 8: 3, # 'с' + 5: 0, # 'т' + 19: 3, # 'у' + 29: 0, # 'ф' + 25: 2, # 'х' + 22: 1, # 'ц' + 21: 1, # 'ч' + 27: 1, # 'ш' + 24: 3, # 'щ' + 17: 3, # 'ъ' + 52: 1, # 'ь' + 42: 2, # 'ю' + 16: 3, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 9: { # 'в' + 63: 1, # 'e' + 45: 1, # '\xad' + 31: 0, # 'А' + 32: 1, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 1, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 1, # 'б' + 9: 0, # 'в' + 20: 2, # 'г' + 11: 3, # 'д' + 3: 3, # 'е' + 23: 1, # 'ж' + 15: 3, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 3, # 'к' + 10: 3, # 'л' + 14: 2, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 2, # 'п' + 7: 3, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 2, # 'у' + 29: 0, # 'ф' + 25: 2, # 'х' + 22: 2, # 'ц' + 21: 3, # 'ч' + 27: 2, # 'ш' + 24: 1, # 'щ' + 17: 3, # 'ъ' + 52: 1, # 'ь' + 42: 2, # 'ю' + 16: 3, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 20: { # 'г' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 1, # 'б' + 9: 2, # 'в' + 20: 1, # 'г' + 11: 2, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 1, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 1, # 'к' + 10: 3, # 'л' + 14: 1, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 1, # 'п' + 7: 3, # 'р' + 8: 2, # 'с' + 5: 2, # 'т' + 19: 3, # 'у' + 29: 1, # 'ф' + 25: 1, # 'х' + 22: 0, # 'ц' + 21: 1, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 3, # 'ъ' + 52: 1, # 'ь' + 42: 1, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 11: { # 'д' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 2, # 'б' + 9: 3, # 'в' + 20: 2, # 'г' + 11: 2, # 'д' + 3: 3, # 'е' + 23: 3, # 'ж' + 15: 2, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 3, # 'к' + 10: 3, # 'л' + 14: 3, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 3, # 'п' + 7: 3, # 'р' + 8: 3, # 'с' + 5: 1, # 'т' + 19: 3, # 'у' + 29: 1, # 'ф' + 25: 2, # 'х' + 22: 2, # 'ц' + 21: 2, # 'ч' + 27: 1, # 'ш' + 24: 1, # 'щ' + 17: 3, # 'ъ' + 52: 1, # 'ь' + 42: 1, # 'ю' + 16: 3, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 3: { # 'е' + 63: 0, # 'e' + 45: 1, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 2, # 'а' + 18: 3, # 'б' + 9: 3, # 'в' + 20: 3, # 'г' + 11: 3, # 'д' + 3: 2, # 'е' + 23: 3, # 'ж' + 15: 3, # 'з' + 2: 2, # 'и' + 26: 3, # 'й' + 12: 3, # 'к' + 10: 3, # 'л' + 14: 3, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 3, # 'п' + 7: 3, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 2, # 'у' + 29: 3, # 'ф' + 25: 3, # 'х' + 22: 3, # 'ц' + 21: 3, # 'ч' + 27: 3, # 'ш' + 24: 3, # 'щ' + 17: 1, # 'ъ' + 52: 0, # 'ь' + 42: 1, # 'ю' + 16: 3, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 23: { # 'ж' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 3, # 'б' + 9: 2, # 'в' + 20: 1, # 'г' + 11: 3, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 2, # 'к' + 10: 1, # 'л' + 14: 1, # 'м' + 6: 3, # 'н' + 4: 2, # 'о' + 13: 1, # 'п' + 7: 1, # 'р' + 8: 1, # 'с' + 5: 1, # 'т' + 19: 2, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 1, # 'ц' + 21: 1, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 2, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 15: { # 'з' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 3, # 'б' + 9: 3, # 'в' + 20: 3, # 'г' + 11: 3, # 'д' + 3: 3, # 'е' + 23: 1, # 'ж' + 15: 1, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 3, # 'к' + 10: 3, # 'л' + 14: 3, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 3, # 'п' + 7: 3, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 3, # 'у' + 29: 1, # 'ф' + 25: 2, # 'х' + 22: 2, # 'ц' + 21: 2, # 'ч' + 27: 2, # 'ш' + 24: 1, # 'щ' + 17: 2, # 'ъ' + 52: 1, # 'ь' + 42: 1, # 'ю' + 16: 2, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 2: { # 'и' + 63: 1, # 'e' + 45: 1, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 1, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 1, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 1, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 1, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 3, # 'б' + 9: 3, # 'в' + 20: 3, # 'г' + 11: 3, # 'д' + 3: 3, # 'е' + 23: 3, # 'ж' + 15: 3, # 'з' + 2: 3, # 'и' + 26: 3, # 'й' + 12: 3, # 'к' + 10: 3, # 'л' + 14: 3, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 3, # 'п' + 7: 3, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 2, # 'у' + 29: 3, # 'ф' + 25: 3, # 'х' + 22: 3, # 'ц' + 21: 3, # 'ч' + 27: 3, # 'ш' + 24: 3, # 'щ' + 17: 2, # 'ъ' + 52: 0, # 'ь' + 42: 1, # 'ю' + 16: 3, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 26: { # 'й' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 1, # 'а' + 18: 2, # 'б' + 9: 2, # 'в' + 20: 1, # 'г' + 11: 2, # 'д' + 3: 2, # 'е' + 23: 0, # 'ж' + 15: 2, # 'з' + 2: 1, # 'и' + 26: 0, # 'й' + 12: 3, # 'к' + 10: 2, # 'л' + 14: 2, # 'м' + 6: 3, # 'н' + 4: 2, # 'о' + 13: 1, # 'п' + 7: 2, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 1, # 'у' + 29: 2, # 'ф' + 25: 1, # 'х' + 22: 2, # 'ц' + 21: 2, # 'ч' + 27: 1, # 'ш' + 24: 1, # 'щ' + 17: 1, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 12: { # 'к' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 1, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 1, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 1, # 'б' + 9: 3, # 'в' + 20: 2, # 'г' + 11: 1, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 2, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 1, # 'к' + 10: 3, # 'л' + 14: 2, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 1, # 'п' + 7: 3, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 3, # 'у' + 29: 1, # 'ф' + 25: 1, # 'х' + 22: 3, # 'ц' + 21: 2, # 'ч' + 27: 1, # 'ш' + 24: 0, # 'щ' + 17: 3, # 'ъ' + 52: 1, # 'ь' + 42: 2, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 10: { # 'л' + 63: 1, # 'e' + 45: 1, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 1, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 3, # 'б' + 9: 3, # 'в' + 20: 3, # 'г' + 11: 2, # 'д' + 3: 3, # 'е' + 23: 3, # 'ж' + 15: 2, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 3, # 'к' + 10: 1, # 'л' + 14: 2, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 2, # 'п' + 7: 2, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 3, # 'у' + 29: 2, # 'ф' + 25: 2, # 'х' + 22: 2, # 'ц' + 21: 2, # 'ч' + 27: 2, # 'ш' + 24: 1, # 'щ' + 17: 3, # 'ъ' + 52: 2, # 'ь' + 42: 3, # 'ю' + 16: 3, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 14: { # 'м' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 1, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 3, # 'б' + 9: 3, # 'в' + 20: 1, # 'г' + 11: 1, # 'д' + 3: 3, # 'е' + 23: 1, # 'ж' + 15: 1, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 2, # 'к' + 10: 3, # 'л' + 14: 1, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 3, # 'п' + 7: 2, # 'р' + 8: 2, # 'с' + 5: 1, # 'т' + 19: 3, # 'у' + 29: 2, # 'ф' + 25: 1, # 'х' + 22: 2, # 'ц' + 21: 2, # 'ч' + 27: 2, # 'ш' + 24: 1, # 'щ' + 17: 3, # 'ъ' + 52: 1, # 'ь' + 42: 2, # 'ю' + 16: 3, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 6: { # 'н' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 1, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 2, # 'б' + 9: 2, # 'в' + 20: 3, # 'г' + 11: 3, # 'д' + 3: 3, # 'е' + 23: 2, # 'ж' + 15: 2, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 3, # 'к' + 10: 2, # 'л' + 14: 1, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 1, # 'п' + 7: 2, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 3, # 'у' + 29: 3, # 'ф' + 25: 2, # 'х' + 22: 3, # 'ц' + 21: 3, # 'ч' + 27: 2, # 'ш' + 24: 1, # 'щ' + 17: 3, # 'ъ' + 52: 2, # 'ь' + 42: 2, # 'ю' + 16: 3, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 4: { # 'о' + 63: 0, # 'e' + 45: 1, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 2, # 'а' + 18: 3, # 'б' + 9: 3, # 'в' + 20: 3, # 'г' + 11: 3, # 'д' + 3: 3, # 'е' + 23: 3, # 'ж' + 15: 3, # 'з' + 2: 3, # 'и' + 26: 3, # 'й' + 12: 3, # 'к' + 10: 3, # 'л' + 14: 3, # 'м' + 6: 3, # 'н' + 4: 2, # 'о' + 13: 3, # 'п' + 7: 3, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 2, # 'у' + 29: 3, # 'ф' + 25: 3, # 'х' + 22: 3, # 'ц' + 21: 3, # 'ч' + 27: 3, # 'ш' + 24: 3, # 'щ' + 17: 1, # 'ъ' + 52: 0, # 'ь' + 42: 1, # 'ю' + 16: 3, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 13: { # 'п' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 1, # 'б' + 9: 2, # 'в' + 20: 1, # 'г' + 11: 1, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 1, # 'з' + 2: 3, # 'и' + 26: 1, # 'й' + 12: 2, # 'к' + 10: 3, # 'л' + 14: 1, # 'м' + 6: 2, # 'н' + 4: 3, # 'о' + 13: 1, # 'п' + 7: 3, # 'р' + 8: 2, # 'с' + 5: 2, # 'т' + 19: 3, # 'у' + 29: 1, # 'ф' + 25: 1, # 'х' + 22: 2, # 'ц' + 21: 2, # 'ч' + 27: 1, # 'ш' + 24: 1, # 'щ' + 17: 3, # 'ъ' + 52: 1, # 'ь' + 42: 2, # 'ю' + 16: 2, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 7: { # 'р' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 3, # 'б' + 9: 3, # 'в' + 20: 3, # 'г' + 11: 3, # 'д' + 3: 3, # 'е' + 23: 3, # 'ж' + 15: 2, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 3, # 'к' + 10: 3, # 'л' + 14: 3, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 2, # 'п' + 7: 1, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 3, # 'у' + 29: 2, # 'ф' + 25: 3, # 'х' + 22: 3, # 'ц' + 21: 2, # 'ч' + 27: 3, # 'ш' + 24: 1, # 'щ' + 17: 3, # 'ъ' + 52: 1, # 'ь' + 42: 2, # 'ю' + 16: 3, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 8: { # 'с' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 2, # 'б' + 9: 3, # 'в' + 20: 2, # 'г' + 11: 2, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 1, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 3, # 'к' + 10: 3, # 'л' + 14: 3, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 3, # 'п' + 7: 3, # 'р' + 8: 1, # 'с' + 5: 3, # 'т' + 19: 3, # 'у' + 29: 2, # 'ф' + 25: 2, # 'х' + 22: 2, # 'ц' + 21: 2, # 'ч' + 27: 2, # 'ш' + 24: 0, # 'щ' + 17: 3, # 'ъ' + 52: 2, # 'ь' + 42: 2, # 'ю' + 16: 3, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 5: { # 'т' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 3, # 'б' + 9: 3, # 'в' + 20: 2, # 'г' + 11: 2, # 'д' + 3: 3, # 'е' + 23: 1, # 'ж' + 15: 1, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 3, # 'к' + 10: 3, # 'л' + 14: 2, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 2, # 'п' + 7: 3, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 3, # 'у' + 29: 1, # 'ф' + 25: 2, # 'х' + 22: 2, # 'ц' + 21: 2, # 'ч' + 27: 1, # 'ш' + 24: 1, # 'щ' + 17: 3, # 'ъ' + 52: 2, # 'ь' + 42: 2, # 'ю' + 16: 3, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 19: { # 'у' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 3, # 'б' + 9: 3, # 'в' + 20: 3, # 'г' + 11: 3, # 'д' + 3: 2, # 'е' + 23: 3, # 'ж' + 15: 3, # 'з' + 2: 2, # 'и' + 26: 2, # 'й' + 12: 3, # 'к' + 10: 3, # 'л' + 14: 3, # 'м' + 6: 3, # 'н' + 4: 2, # 'о' + 13: 3, # 'п' + 7: 3, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 1, # 'у' + 29: 2, # 'ф' + 25: 2, # 'х' + 22: 2, # 'ц' + 21: 3, # 'ч' + 27: 3, # 'ш' + 24: 2, # 'щ' + 17: 1, # 'ъ' + 52: 0, # 'ь' + 42: 1, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 29: { # 'ф' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 1, # 'б' + 9: 1, # 'в' + 20: 1, # 'г' + 11: 0, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 2, # 'к' + 10: 2, # 'л' + 14: 1, # 'м' + 6: 1, # 'н' + 4: 3, # 'о' + 13: 0, # 'п' + 7: 2, # 'р' + 8: 2, # 'с' + 5: 2, # 'т' + 19: 2, # 'у' + 29: 0, # 'ф' + 25: 1, # 'х' + 22: 0, # 'ц' + 21: 1, # 'ч' + 27: 1, # 'ш' + 24: 0, # 'щ' + 17: 2, # 'ъ' + 52: 2, # 'ь' + 42: 1, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 25: { # 'х' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 1, # 'б' + 9: 3, # 'в' + 20: 0, # 'г' + 11: 1, # 'д' + 3: 2, # 'е' + 23: 0, # 'ж' + 15: 1, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 1, # 'к' + 10: 2, # 'л' + 14: 2, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 1, # 'п' + 7: 3, # 'р' + 8: 1, # 'с' + 5: 2, # 'т' + 19: 3, # 'у' + 29: 0, # 'ф' + 25: 1, # 'х' + 22: 0, # 'ц' + 21: 1, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 2, # 'ъ' + 52: 0, # 'ь' + 42: 1, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 22: { # 'ц' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 1, # 'б' + 9: 2, # 'в' + 20: 1, # 'г' + 11: 1, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 1, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 2, # 'к' + 10: 1, # 'л' + 14: 1, # 'м' + 6: 1, # 'н' + 4: 2, # 'о' + 13: 1, # 'п' + 7: 1, # 'р' + 8: 1, # 'с' + 5: 1, # 'т' + 19: 2, # 'у' + 29: 1, # 'ф' + 25: 1, # 'х' + 22: 1, # 'ц' + 21: 1, # 'ч' + 27: 1, # 'ш' + 24: 1, # 'щ' + 17: 2, # 'ъ' + 52: 1, # 'ь' + 42: 0, # 'ю' + 16: 2, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 21: { # 'ч' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 1, # 'б' + 9: 3, # 'в' + 20: 1, # 'г' + 11: 0, # 'д' + 3: 3, # 'е' + 23: 1, # 'ж' + 15: 0, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 3, # 'к' + 10: 2, # 'л' + 14: 2, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 0, # 'п' + 7: 2, # 'р' + 8: 0, # 'с' + 5: 2, # 'т' + 19: 3, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 1, # 'ш' + 24: 0, # 'щ' + 17: 2, # 'ъ' + 52: 0, # 'ь' + 42: 1, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 27: { # 'ш' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 0, # 'б' + 9: 2, # 'в' + 20: 0, # 'г' + 11: 1, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 3, # 'к' + 10: 2, # 'л' + 14: 1, # 'м' + 6: 3, # 'н' + 4: 2, # 'о' + 13: 2, # 'п' + 7: 1, # 'р' + 8: 0, # 'с' + 5: 1, # 'т' + 19: 2, # 'у' + 29: 1, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 1, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 2, # 'ъ' + 52: 1, # 'ь' + 42: 1, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 24: { # 'щ' + 63: 1, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 3, # 'а' + 18: 0, # 'б' + 9: 1, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 3, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 3, # 'и' + 26: 0, # 'й' + 12: 1, # 'к' + 10: 0, # 'л' + 14: 0, # 'м' + 6: 2, # 'н' + 4: 3, # 'о' + 13: 0, # 'п' + 7: 1, # 'р' + 8: 0, # 'с' + 5: 2, # 'т' + 19: 3, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 1, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 1, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 2, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 17: { # 'ъ' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 1, # 'а' + 18: 3, # 'б' + 9: 3, # 'в' + 20: 3, # 'г' + 11: 3, # 'д' + 3: 2, # 'е' + 23: 3, # 'ж' + 15: 3, # 'з' + 2: 1, # 'и' + 26: 2, # 'й' + 12: 3, # 'к' + 10: 3, # 'л' + 14: 3, # 'м' + 6: 3, # 'н' + 4: 3, # 'о' + 13: 3, # 'п' + 7: 3, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 1, # 'у' + 29: 1, # 'ф' + 25: 2, # 'х' + 22: 2, # 'ц' + 21: 3, # 'ч' + 27: 2, # 'ш' + 24: 3, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 2, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 52: { # 'ь' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 0, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 1, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 0, # 'и' + 26: 0, # 'й' + 12: 1, # 'к' + 10: 0, # 'л' + 14: 0, # 'м' + 6: 1, # 'н' + 4: 3, # 'о' + 13: 0, # 'п' + 7: 0, # 'р' + 8: 0, # 'с' + 5: 1, # 'т' + 19: 0, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 1, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 1, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 42: { # 'ю' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 1, # 'а' + 18: 2, # 'б' + 9: 1, # 'в' + 20: 2, # 'г' + 11: 2, # 'д' + 3: 1, # 'е' + 23: 2, # 'ж' + 15: 2, # 'з' + 2: 1, # 'и' + 26: 1, # 'й' + 12: 2, # 'к' + 10: 2, # 'л' + 14: 2, # 'м' + 6: 2, # 'н' + 4: 1, # 'о' + 13: 1, # 'п' + 7: 2, # 'р' + 8: 2, # 'с' + 5: 2, # 'т' + 19: 1, # 'у' + 29: 1, # 'ф' + 25: 1, # 'х' + 22: 2, # 'ц' + 21: 3, # 'ч' + 27: 1, # 'ш' + 24: 1, # 'щ' + 17: 1, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 16: { # 'я' + 63: 0, # 'e' + 45: 1, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 0, # 'а' + 18: 3, # 'б' + 9: 3, # 'в' + 20: 2, # 'г' + 11: 3, # 'д' + 3: 2, # 'е' + 23: 1, # 'ж' + 15: 2, # 'з' + 2: 1, # 'и' + 26: 2, # 'й' + 12: 3, # 'к' + 10: 3, # 'л' + 14: 3, # 'м' + 6: 3, # 'н' + 4: 1, # 'о' + 13: 2, # 'п' + 7: 2, # 'р' + 8: 3, # 'с' + 5: 3, # 'т' + 19: 1, # 'у' + 29: 1, # 'ф' + 25: 3, # 'х' + 22: 2, # 'ц' + 21: 1, # 'ч' + 27: 1, # 'ш' + 24: 2, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 1, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 58: { # 'є' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 0, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 0, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 0, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 0, # 'л' + 14: 0, # 'м' + 6: 0, # 'н' + 4: 0, # 'о' + 13: 0, # 'п' + 7: 0, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 0, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, + 62: { # '№' + 63: 0, # 'e' + 45: 0, # '\xad' + 31: 0, # 'А' + 32: 0, # 'Б' + 35: 0, # 'В' + 43: 0, # 'Г' + 37: 0, # 'Д' + 44: 0, # 'Е' + 55: 0, # 'Ж' + 47: 0, # 'З' + 40: 0, # 'И' + 59: 0, # 'Й' + 33: 0, # 'К' + 46: 0, # 'Л' + 38: 0, # 'М' + 36: 0, # 'Н' + 41: 0, # 'О' + 30: 0, # 'П' + 39: 0, # 'Р' + 28: 0, # 'С' + 34: 0, # 'Т' + 51: 0, # 'У' + 48: 0, # 'Ф' + 49: 0, # 'Х' + 53: 0, # 'Ц' + 50: 0, # 'Ч' + 54: 0, # 'Ш' + 57: 0, # 'Щ' + 61: 0, # 'Ъ' + 60: 0, # 'Ю' + 56: 0, # 'Я' + 1: 0, # 'а' + 18: 0, # 'б' + 9: 0, # 'в' + 20: 0, # 'г' + 11: 0, # 'д' + 3: 0, # 'е' + 23: 0, # 'ж' + 15: 0, # 'з' + 2: 0, # 'и' + 26: 0, # 'й' + 12: 0, # 'к' + 10: 0, # 'л' + 14: 0, # 'м' + 6: 0, # 'н' + 4: 0, # 'о' + 13: 0, # 'п' + 7: 0, # 'р' + 8: 0, # 'с' + 5: 0, # 'т' + 19: 0, # 'у' + 29: 0, # 'ф' + 25: 0, # 'х' + 22: 0, # 'ц' + 21: 0, # 'ч' + 27: 0, # 'ш' + 24: 0, # 'щ' + 17: 0, # 'ъ' + 52: 0, # 'ь' + 42: 0, # 'ю' + 16: 0, # 'я' + 58: 0, # 'є' + 62: 0, # '№' + }, +} + +# 255: Undefined characters that did not exist in training text +# 254: Carriage/Return +# 253: symbol (punctuation) that does not belong to word +# 252: 0 - 9 +# 251: Control characters + +# Character Mapping Table(s): +ISO_8859_5_BULGARIAN_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 254, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 254, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 253, # ' ' + 33: 253, # '!' + 34: 253, # '"' + 35: 253, # '#' + 36: 253, # '$' + 37: 253, # '%' + 38: 253, # '&' + 39: 253, # "'" + 40: 253, # '(' + 41: 253, # ')' + 42: 253, # '*' + 43: 253, # '+' + 44: 253, # ',' + 45: 253, # '-' + 46: 253, # '.' + 47: 253, # '/' + 48: 252, # '0' + 49: 252, # '1' + 50: 252, # '2' + 51: 252, # '3' + 52: 252, # '4' + 53: 252, # '5' + 54: 252, # '6' + 55: 252, # '7' + 56: 252, # '8' + 57: 252, # '9' + 58: 253, # ':' + 59: 253, # ';' + 60: 253, # '<' + 61: 253, # '=' + 62: 253, # '>' + 63: 253, # '?' + 64: 253, # '@' + 65: 77, # 'A' + 66: 90, # 'B' + 67: 99, # 'C' + 68: 100, # 'D' + 69: 72, # 'E' + 70: 109, # 'F' + 71: 107, # 'G' + 72: 101, # 'H' + 73: 79, # 'I' + 74: 185, # 'J' + 75: 81, # 'K' + 76: 102, # 'L' + 77: 76, # 'M' + 78: 94, # 'N' + 79: 82, # 'O' + 80: 110, # 'P' + 81: 186, # 'Q' + 82: 108, # 'R' + 83: 91, # 'S' + 84: 74, # 'T' + 85: 119, # 'U' + 86: 84, # 'V' + 87: 96, # 'W' + 88: 111, # 'X' + 89: 187, # 'Y' + 90: 115, # 'Z' + 91: 253, # '[' + 92: 253, # '\\' + 93: 253, # ']' + 94: 253, # '^' + 95: 253, # '_' + 96: 253, # '`' + 97: 65, # 'a' + 98: 69, # 'b' + 99: 70, # 'c' + 100: 66, # 'd' + 101: 63, # 'e' + 102: 68, # 'f' + 103: 112, # 'g' + 104: 103, # 'h' + 105: 92, # 'i' + 106: 194, # 'j' + 107: 104, # 'k' + 108: 95, # 'l' + 109: 86, # 'm' + 110: 87, # 'n' + 111: 71, # 'o' + 112: 116, # 'p' + 113: 195, # 'q' + 114: 85, # 'r' + 115: 93, # 's' + 116: 97, # 't' + 117: 113, # 'u' + 118: 196, # 'v' + 119: 197, # 'w' + 120: 198, # 'x' + 121: 199, # 'y' + 122: 200, # 'z' + 123: 253, # '{' + 124: 253, # '|' + 125: 253, # '}' + 126: 253, # '~' + 127: 253, # '\x7f' + 128: 194, # '\x80' + 129: 195, # '\x81' + 130: 196, # '\x82' + 131: 197, # '\x83' + 132: 198, # '\x84' + 133: 199, # '\x85' + 134: 200, # '\x86' + 135: 201, # '\x87' + 136: 202, # '\x88' + 137: 203, # '\x89' + 138: 204, # '\x8a' + 139: 205, # '\x8b' + 140: 206, # '\x8c' + 141: 207, # '\x8d' + 142: 208, # '\x8e' + 143: 209, # '\x8f' + 144: 210, # '\x90' + 145: 211, # '\x91' + 146: 212, # '\x92' + 147: 213, # '\x93' + 148: 214, # '\x94' + 149: 215, # '\x95' + 150: 216, # '\x96' + 151: 217, # '\x97' + 152: 218, # '\x98' + 153: 219, # '\x99' + 154: 220, # '\x9a' + 155: 221, # '\x9b' + 156: 222, # '\x9c' + 157: 223, # '\x9d' + 158: 224, # '\x9e' + 159: 225, # '\x9f' + 160: 81, # '\xa0' + 161: 226, # 'Ё' + 162: 227, # 'Ђ' + 163: 228, # 'Ѓ' + 164: 229, # 'Є' + 165: 230, # 'Ѕ' + 166: 105, # 'І' + 167: 231, # 'Ї' + 168: 232, # 'Ј' + 169: 233, # 'Љ' + 170: 234, # 'Њ' + 171: 235, # 'Ћ' + 172: 236, # 'Ќ' + 173: 45, # '\xad' + 174: 237, # 'Ў' + 175: 238, # 'Џ' + 176: 31, # 'А' + 177: 32, # 'Б' + 178: 35, # 'В' + 179: 43, # 'Г' + 180: 37, # 'Д' + 181: 44, # 'Е' + 182: 55, # 'Ж' + 183: 47, # 'З' + 184: 40, # 'И' + 185: 59, # 'Й' + 186: 33, # 'К' + 187: 46, # 'Л' + 188: 38, # 'М' + 189: 36, # 'Н' + 190: 41, # 'О' + 191: 30, # 'П' + 192: 39, # 'Р' + 193: 28, # 'С' + 194: 34, # 'Т' + 195: 51, # 'У' + 196: 48, # 'Ф' + 197: 49, # 'Х' + 198: 53, # 'Ц' + 199: 50, # 'Ч' + 200: 54, # 'Ш' + 201: 57, # 'Щ' + 202: 61, # 'Ъ' + 203: 239, # 'Ы' + 204: 67, # 'Ь' + 205: 240, # 'Э' + 206: 60, # 'Ю' + 207: 56, # 'Я' + 208: 1, # 'а' + 209: 18, # 'б' + 210: 9, # 'в' + 211: 20, # 'г' + 212: 11, # 'д' + 213: 3, # 'е' + 214: 23, # 'ж' + 215: 15, # 'з' + 216: 2, # 'и' + 217: 26, # 'й' + 218: 12, # 'к' + 219: 10, # 'л' + 220: 14, # 'м' + 221: 6, # 'н' + 222: 4, # 'о' + 223: 13, # 'п' + 224: 7, # 'р' + 225: 8, # 'с' + 226: 5, # 'т' + 227: 19, # 'у' + 228: 29, # 'ф' + 229: 25, # 'х' + 230: 22, # 'ц' + 231: 21, # 'ч' + 232: 27, # 'ш' + 233: 24, # 'щ' + 234: 17, # 'ъ' + 235: 75, # 'ы' + 236: 52, # 'ь' + 237: 241, # 'э' + 238: 42, # 'ю' + 239: 16, # 'я' + 240: 62, # '№' + 241: 242, # 'ё' + 242: 243, # 'ђ' + 243: 244, # 'ѓ' + 244: 58, # 'є' + 245: 245, # 'ѕ' + 246: 98, # 'і' + 247: 246, # 'ї' + 248: 247, # 'ј' + 249: 248, # 'љ' + 250: 249, # 'њ' + 251: 250, # 'ћ' + 252: 251, # 'ќ' + 253: 91, # '§' + 254: 252, # 'ў' + 255: 253, # 'џ' +} + +ISO_8859_5_BULGARIAN_MODEL = SingleByteCharSetModel(charset_name='ISO-8859-5', + language='Bulgarian', + char_to_order_map=ISO_8859_5_BULGARIAN_CHAR_TO_ORDER, + language_model=BULGARIAN_LANG_MODEL, + typical_positive_ratio=0.969392, + keep_ascii_letters=False, + alphabet='АБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЬЮЯабвгдежзийклмнопрстуфхцчшщъьюя') + +WINDOWS_1251_BULGARIAN_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 254, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 254, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 253, # ' ' + 33: 253, # '!' + 34: 253, # '"' + 35: 253, # '#' + 36: 253, # '$' + 37: 253, # '%' + 38: 253, # '&' + 39: 253, # "'" + 40: 253, # '(' + 41: 253, # ')' + 42: 253, # '*' + 43: 253, # '+' + 44: 253, # ',' + 45: 253, # '-' + 46: 253, # '.' + 47: 253, # '/' + 48: 252, # '0' + 49: 252, # '1' + 50: 252, # '2' + 51: 252, # '3' + 52: 252, # '4' + 53: 252, # '5' + 54: 252, # '6' + 55: 252, # '7' + 56: 252, # '8' + 57: 252, # '9' + 58: 253, # ':' + 59: 253, # ';' + 60: 253, # '<' + 61: 253, # '=' + 62: 253, # '>' + 63: 253, # '?' + 64: 253, # '@' + 65: 77, # 'A' + 66: 90, # 'B' + 67: 99, # 'C' + 68: 100, # 'D' + 69: 72, # 'E' + 70: 109, # 'F' + 71: 107, # 'G' + 72: 101, # 'H' + 73: 79, # 'I' + 74: 185, # 'J' + 75: 81, # 'K' + 76: 102, # 'L' + 77: 76, # 'M' + 78: 94, # 'N' + 79: 82, # 'O' + 80: 110, # 'P' + 81: 186, # 'Q' + 82: 108, # 'R' + 83: 91, # 'S' + 84: 74, # 'T' + 85: 119, # 'U' + 86: 84, # 'V' + 87: 96, # 'W' + 88: 111, # 'X' + 89: 187, # 'Y' + 90: 115, # 'Z' + 91: 253, # '[' + 92: 253, # '\\' + 93: 253, # ']' + 94: 253, # '^' + 95: 253, # '_' + 96: 253, # '`' + 97: 65, # 'a' + 98: 69, # 'b' + 99: 70, # 'c' + 100: 66, # 'd' + 101: 63, # 'e' + 102: 68, # 'f' + 103: 112, # 'g' + 104: 103, # 'h' + 105: 92, # 'i' + 106: 194, # 'j' + 107: 104, # 'k' + 108: 95, # 'l' + 109: 86, # 'm' + 110: 87, # 'n' + 111: 71, # 'o' + 112: 116, # 'p' + 113: 195, # 'q' + 114: 85, # 'r' + 115: 93, # 's' + 116: 97, # 't' + 117: 113, # 'u' + 118: 196, # 'v' + 119: 197, # 'w' + 120: 198, # 'x' + 121: 199, # 'y' + 122: 200, # 'z' + 123: 253, # '{' + 124: 253, # '|' + 125: 253, # '}' + 126: 253, # '~' + 127: 253, # '\x7f' + 128: 206, # 'Ђ' + 129: 207, # 'Ѓ' + 130: 208, # '‚' + 131: 209, # 'ѓ' + 132: 210, # '„' + 133: 211, # '…' + 134: 212, # '†' + 135: 213, # '‡' + 136: 120, # '€' + 137: 214, # '‰' + 138: 215, # 'Љ' + 139: 216, # '‹' + 140: 217, # 'Њ' + 141: 218, # 'Ќ' + 142: 219, # 'Ћ' + 143: 220, # 'Џ' + 144: 221, # 'ђ' + 145: 78, # '‘' + 146: 64, # '’' + 147: 83, # '“' + 148: 121, # '”' + 149: 98, # '•' + 150: 117, # '–' + 151: 105, # '—' + 152: 222, # None + 153: 223, # '™' + 154: 224, # 'љ' + 155: 225, # '›' + 156: 226, # 'њ' + 157: 227, # 'ќ' + 158: 228, # 'ћ' + 159: 229, # 'џ' + 160: 88, # '\xa0' + 161: 230, # 'Ў' + 162: 231, # 'ў' + 163: 232, # 'Ј' + 164: 233, # '¤' + 165: 122, # 'Ґ' + 166: 89, # '¦' + 167: 106, # '§' + 168: 234, # 'Ё' + 169: 235, # '©' + 170: 236, # 'Є' + 171: 237, # '«' + 172: 238, # '¬' + 173: 45, # '\xad' + 174: 239, # '®' + 175: 240, # 'Ї' + 176: 73, # '°' + 177: 80, # '±' + 178: 118, # 'І' + 179: 114, # 'і' + 180: 241, # 'ґ' + 181: 242, # 'µ' + 182: 243, # '¶' + 183: 244, # '·' + 184: 245, # 'ё' + 185: 62, # '№' + 186: 58, # 'є' + 187: 246, # '»' + 188: 247, # 'ј' + 189: 248, # 'Ѕ' + 190: 249, # 'ѕ' + 191: 250, # 'ї' + 192: 31, # 'А' + 193: 32, # 'Б' + 194: 35, # 'В' + 195: 43, # 'Г' + 196: 37, # 'Д' + 197: 44, # 'Е' + 198: 55, # 'Ж' + 199: 47, # 'З' + 200: 40, # 'И' + 201: 59, # 'Й' + 202: 33, # 'К' + 203: 46, # 'Л' + 204: 38, # 'М' + 205: 36, # 'Н' + 206: 41, # 'О' + 207: 30, # 'П' + 208: 39, # 'Р' + 209: 28, # 'С' + 210: 34, # 'Т' + 211: 51, # 'У' + 212: 48, # 'Ф' + 213: 49, # 'Х' + 214: 53, # 'Ц' + 215: 50, # 'Ч' + 216: 54, # 'Ш' + 217: 57, # 'Щ' + 218: 61, # 'Ъ' + 219: 251, # 'Ы' + 220: 67, # 'Ь' + 221: 252, # 'Э' + 222: 60, # 'Ю' + 223: 56, # 'Я' + 224: 1, # 'а' + 225: 18, # 'б' + 226: 9, # 'в' + 227: 20, # 'г' + 228: 11, # 'д' + 229: 3, # 'е' + 230: 23, # 'ж' + 231: 15, # 'з' + 232: 2, # 'и' + 233: 26, # 'й' + 234: 12, # 'к' + 235: 10, # 'л' + 236: 14, # 'м' + 237: 6, # 'н' + 238: 4, # 'о' + 239: 13, # 'п' + 240: 7, # 'р' + 241: 8, # 'с' + 242: 5, # 'т' + 243: 19, # 'у' + 244: 29, # 'ф' + 245: 25, # 'х' + 246: 22, # 'ц' + 247: 21, # 'ч' + 248: 27, # 'ш' + 249: 24, # 'щ' + 250: 17, # 'ъ' + 251: 75, # 'ы' + 252: 52, # 'ь' + 253: 253, # 'э' + 254: 42, # 'ю' + 255: 16, # 'я' +} + +WINDOWS_1251_BULGARIAN_MODEL = SingleByteCharSetModel(charset_name='windows-1251', + language='Bulgarian', + char_to_order_map=WINDOWS_1251_BULGARIAN_CHAR_TO_ORDER, + language_model=BULGARIAN_LANG_MODEL, + typical_positive_ratio=0.969392, + keep_ascii_letters=False, + alphabet='АБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЬЮЯабвгдежзийклмнопрстуфхцчшщъьюя') + diff --git a/venv/Lib/site-packages/pip/_vendor/chardet/langgreekmodel.py b/venv/Lib/site-packages/pip/_vendor/chardet/langgreekmodel.py new file mode 100644 index 0000000..d99528e --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/chardet/langgreekmodel.py @@ -0,0 +1,4398 @@ +#!/usr/bin/env python +# -*- coding: utf-8 -*- + +from pip._vendor.chardet.sbcharsetprober import SingleByteCharSetModel + + +# 3: Positive +# 2: Likely +# 1: Unlikely +# 0: Negative + +GREEK_LANG_MODEL = { + 60: { # 'e' + 60: 2, # 'e' + 55: 1, # 'o' + 58: 2, # 't' + 36: 1, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 1, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 0, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 55: { # 'o' + 60: 0, # 'e' + 55: 2, # 'o' + 58: 2, # 't' + 36: 1, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 1, # 'ν' + 30: 0, # 'ξ' + 4: 0, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 1, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 58: { # 't' + 60: 2, # 'e' + 55: 1, # 'o' + 58: 1, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 2, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 1, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 36: { # '·' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 0, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 61: { # 'Ά' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 1, # 'γ' + 21: 2, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 2, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 0, # 'ο' + 9: 1, # 'π' + 8: 2, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 46: { # 'Έ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 2, # 'β' + 20: 2, # 'γ' + 21: 0, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 2, # 'κ' + 16: 2, # 'λ' + 10: 0, # 'μ' + 6: 3, # 'ν' + 30: 2, # 'ξ' + 4: 0, # 'ο' + 9: 2, # 'π' + 8: 2, # 'ρ' + 14: 0, # 'ς' + 7: 1, # 'σ' + 2: 2, # 'τ' + 12: 0, # 'υ' + 28: 2, # 'φ' + 23: 3, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 54: { # 'Ό' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 2, # 'λ' + 10: 2, # 'μ' + 6: 2, # 'ν' + 30: 0, # 'ξ' + 4: 0, # 'ο' + 9: 2, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 2, # 'σ' + 2: 3, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 2, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 31: { # 'Α' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 2, # 'Β' + 43: 2, # 'Γ' + 41: 1, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 2, # 'Θ' + 47: 2, # 'Ι' + 44: 2, # 'Κ' + 53: 2, # 'Λ' + 38: 2, # 'Μ' + 49: 2, # 'Ν' + 59: 1, # 'Ξ' + 39: 0, # 'Ο' + 35: 2, # 'Π' + 48: 2, # 'Ρ' + 37: 2, # 'Σ' + 33: 2, # 'Τ' + 45: 2, # 'Υ' + 56: 2, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 2, # 'γ' + 21: 0, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 1, # 'θ' + 5: 0, # 'ι' + 11: 2, # 'κ' + 16: 3, # 'λ' + 10: 2, # 'μ' + 6: 3, # 'ν' + 30: 2, # 'ξ' + 4: 0, # 'ο' + 9: 3, # 'π' + 8: 3, # 'ρ' + 14: 2, # 'ς' + 7: 2, # 'σ' + 2: 0, # 'τ' + 12: 3, # 'υ' + 28: 2, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 2, # 'ύ' + 27: 0, # 'ώ' + }, + 51: { # 'Β' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 2, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 1, # 'Ε' + 40: 1, # 'Η' + 52: 0, # 'Θ' + 47: 1, # 'Ι' + 44: 0, # 'Κ' + 53: 1, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 2, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 2, # 'ά' + 18: 2, # 'έ' + 22: 2, # 'ή' + 15: 0, # 'ί' + 1: 2, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 2, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 2, # 'ι' + 11: 0, # 'κ' + 16: 2, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 2, # 'ο' + 9: 0, # 'π' + 8: 2, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 43: { # 'Γ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 1, # 'Α' + 51: 0, # 'Β' + 43: 2, # 'Γ' + 41: 0, # 'Δ' + 34: 2, # 'Ε' + 40: 1, # 'Η' + 52: 0, # 'Θ' + 47: 2, # 'Ι' + 44: 1, # 'Κ' + 53: 1, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 1, # 'Ο' + 35: 0, # 'Π' + 48: 2, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 2, # 'Υ' + 56: 0, # 'Φ' + 50: 1, # 'Χ' + 57: 2, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 2, # 'ί' + 1: 2, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 2, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 3, # 'ι' + 11: 0, # 'κ' + 16: 2, # 'λ' + 10: 0, # 'μ' + 6: 2, # 'ν' + 30: 0, # 'ξ' + 4: 0, # 'ο' + 9: 0, # 'π' + 8: 2, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 41: { # 'Δ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 2, # 'Ε' + 40: 2, # 'Η' + 52: 0, # 'Θ' + 47: 2, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 2, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 2, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 2, # 'ή' + 15: 2, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 2, # 'η' + 25: 0, # 'θ' + 5: 3, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 2, # 'ο' + 9: 0, # 'π' + 8: 2, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 2, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 2, # 'ω' + 19: 1, # 'ό' + 26: 2, # 'ύ' + 27: 2, # 'ώ' + }, + 34: { # 'Ε' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 2, # 'Α' + 51: 0, # 'Β' + 43: 2, # 'Γ' + 41: 2, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 2, # 'Ι' + 44: 2, # 'Κ' + 53: 2, # 'Λ' + 38: 2, # 'Μ' + 49: 2, # 'Ν' + 59: 1, # 'Ξ' + 39: 0, # 'Ο' + 35: 2, # 'Π' + 48: 2, # 'Ρ' + 37: 2, # 'Σ' + 33: 2, # 'Τ' + 45: 2, # 'Υ' + 56: 0, # 'Φ' + 50: 2, # 'Χ' + 57: 2, # 'Ω' + 17: 3, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 3, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 3, # 'γ' + 21: 2, # 'δ' + 3: 1, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 1, # 'θ' + 5: 2, # 'ι' + 11: 3, # 'κ' + 16: 3, # 'λ' + 10: 2, # 'μ' + 6: 3, # 'ν' + 30: 2, # 'ξ' + 4: 0, # 'ο' + 9: 3, # 'π' + 8: 2, # 'ρ' + 14: 0, # 'ς' + 7: 2, # 'σ' + 2: 2, # 'τ' + 12: 2, # 'υ' + 28: 2, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 1, # 'ύ' + 27: 0, # 'ώ' + }, + 40: { # 'Η' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 1, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 2, # 'Θ' + 47: 0, # 'Ι' + 44: 2, # 'Κ' + 53: 0, # 'Λ' + 38: 2, # 'Μ' + 49: 2, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 2, # 'Π' + 48: 2, # 'Ρ' + 37: 2, # 'Σ' + 33: 2, # 'Τ' + 45: 1, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 2, # 'λ' + 10: 0, # 'μ' + 6: 1, # 'ν' + 30: 0, # 'ξ' + 4: 0, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 1, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 52: { # 'Θ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 2, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 2, # 'Ε' + 40: 2, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 2, # 'Ο' + 35: 0, # 'Π' + 48: 1, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 1, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 2, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 2, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 0, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 2, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 2, # 'ύ' + 27: 0, # 'ώ' + }, + 47: { # 'Ι' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 2, # 'Α' + 51: 1, # 'Β' + 43: 1, # 'Γ' + 41: 2, # 'Δ' + 34: 2, # 'Ε' + 40: 2, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 2, # 'Κ' + 53: 2, # 'Λ' + 38: 2, # 'Μ' + 49: 2, # 'Ν' + 59: 0, # 'Ξ' + 39: 2, # 'Ο' + 35: 0, # 'Π' + 48: 2, # 'Ρ' + 37: 2, # 'Σ' + 33: 2, # 'Τ' + 45: 0, # 'Υ' + 56: 2, # 'Φ' + 50: 0, # 'Χ' + 57: 2, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 2, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 2, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 1, # 'ν' + 30: 0, # 'ξ' + 4: 2, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 2, # 'σ' + 2: 1, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 1, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 44: { # 'Κ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 2, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 1, # 'Δ' + 34: 2, # 'Ε' + 40: 2, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 1, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 2, # 'Ο' + 35: 0, # 'Π' + 48: 2, # 'Ρ' + 37: 0, # 'Σ' + 33: 1, # 'Τ' + 45: 2, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 1, # 'Ω' + 17: 3, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 2, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 2, # 'ι' + 11: 0, # 'κ' + 16: 2, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 2, # 'ο' + 9: 0, # 'π' + 8: 2, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 2, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 2, # 'ό' + 26: 2, # 'ύ' + 27: 2, # 'ώ' + }, + 53: { # 'Λ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 2, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 2, # 'Ε' + 40: 2, # 'Η' + 52: 0, # 'Θ' + 47: 2, # 'Ι' + 44: 0, # 'Κ' + 53: 2, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 2, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 2, # 'Σ' + 33: 0, # 'Τ' + 45: 2, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 2, # 'Ω' + 17: 2, # 'ά' + 18: 2, # 'έ' + 22: 0, # 'ή' + 15: 2, # 'ί' + 1: 2, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 2, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 1, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 2, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 2, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 2, # 'ό' + 26: 2, # 'ύ' + 27: 0, # 'ώ' + }, + 38: { # 'Μ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 2, # 'Α' + 51: 2, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 2, # 'Ε' + 40: 2, # 'Η' + 52: 0, # 'Θ' + 47: 2, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 2, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 2, # 'Ο' + 35: 2, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 2, # 'ά' + 18: 2, # 'έ' + 22: 2, # 'ή' + 15: 2, # 'ί' + 1: 2, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 2, # 'η' + 25: 0, # 'θ' + 5: 3, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 2, # 'ο' + 9: 3, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 2, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 2, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 49: { # 'Ν' + 60: 2, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 2, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 2, # 'Ε' + 40: 2, # 'Η' + 52: 0, # 'Θ' + 47: 2, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 2, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 2, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 2, # 'Ω' + 17: 0, # 'ά' + 18: 2, # 'έ' + 22: 0, # 'ή' + 15: 2, # 'ί' + 1: 2, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 1, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 2, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 1, # 'ω' + 19: 2, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 59: { # 'Ξ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 1, # 'Ε' + 40: 1, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 1, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 2, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 2, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 2, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 0, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 39: { # 'Ο' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 1, # 'Β' + 43: 2, # 'Γ' + 41: 2, # 'Δ' + 34: 2, # 'Ε' + 40: 1, # 'Η' + 52: 2, # 'Θ' + 47: 2, # 'Ι' + 44: 2, # 'Κ' + 53: 2, # 'Λ' + 38: 2, # 'Μ' + 49: 2, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 2, # 'Π' + 48: 2, # 'Ρ' + 37: 2, # 'Σ' + 33: 2, # 'Τ' + 45: 2, # 'Υ' + 56: 2, # 'Φ' + 50: 2, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 2, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 3, # 'ι' + 11: 2, # 'κ' + 16: 2, # 'λ' + 10: 2, # 'μ' + 6: 2, # 'ν' + 30: 0, # 'ξ' + 4: 0, # 'ο' + 9: 2, # 'π' + 8: 2, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 2, # 'τ' + 12: 2, # 'υ' + 28: 1, # 'φ' + 23: 1, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 2, # 'ύ' + 27: 0, # 'ώ' + }, + 35: { # 'Π' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 2, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 2, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 2, # 'Ι' + 44: 0, # 'Κ' + 53: 2, # 'Λ' + 38: 1, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 2, # 'Ο' + 35: 0, # 'Π' + 48: 2, # 'Ρ' + 37: 0, # 'Σ' + 33: 1, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 1, # 'Χ' + 57: 2, # 'Ω' + 17: 2, # 'ά' + 18: 1, # 'έ' + 22: 1, # 'ή' + 15: 2, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 2, # 'η' + 25: 0, # 'θ' + 5: 2, # 'ι' + 11: 0, # 'κ' + 16: 2, # 'λ' + 10: 0, # 'μ' + 6: 2, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 0, # 'π' + 8: 3, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 2, # 'υ' + 28: 0, # 'φ' + 23: 2, # 'χ' + 42: 0, # 'ψ' + 24: 2, # 'ω' + 19: 2, # 'ό' + 26: 0, # 'ύ' + 27: 3, # 'ώ' + }, + 48: { # 'Ρ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 2, # 'Α' + 51: 0, # 'Β' + 43: 1, # 'Γ' + 41: 1, # 'Δ' + 34: 2, # 'Ε' + 40: 2, # 'Η' + 52: 0, # 'Θ' + 47: 2, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 2, # 'Ν' + 59: 0, # 'Ξ' + 39: 2, # 'Ο' + 35: 0, # 'Π' + 48: 2, # 'Ρ' + 37: 0, # 'Σ' + 33: 1, # 'Τ' + 45: 1, # 'Υ' + 56: 0, # 'Φ' + 50: 1, # 'Χ' + 57: 1, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 2, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 1, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 3, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 2, # 'ω' + 19: 0, # 'ό' + 26: 2, # 'ύ' + 27: 0, # 'ώ' + }, + 37: { # 'Σ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 2, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 1, # 'Δ' + 34: 2, # 'Ε' + 40: 2, # 'Η' + 52: 0, # 'Θ' + 47: 2, # 'Ι' + 44: 2, # 'Κ' + 53: 0, # 'Λ' + 38: 2, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 2, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 2, # 'Σ' + 33: 2, # 'Τ' + 45: 2, # 'Υ' + 56: 0, # 'Φ' + 50: 2, # 'Χ' + 57: 2, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 2, # 'ή' + 15: 2, # 'ί' + 1: 2, # 'α' + 29: 2, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 3, # 'η' + 25: 0, # 'θ' + 5: 2, # 'ι' + 11: 2, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 2, # 'ο' + 9: 2, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 3, # 'τ' + 12: 3, # 'υ' + 28: 0, # 'φ' + 23: 2, # 'χ' + 42: 0, # 'ψ' + 24: 2, # 'ω' + 19: 0, # 'ό' + 26: 2, # 'ύ' + 27: 2, # 'ώ' + }, + 33: { # 'Τ' + 60: 0, # 'e' + 55: 1, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 2, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 2, # 'Ε' + 40: 2, # 'Η' + 52: 0, # 'Θ' + 47: 2, # 'Ι' + 44: 2, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 2, # 'Ο' + 35: 0, # 'Π' + 48: 2, # 'Ρ' + 37: 0, # 'Σ' + 33: 1, # 'Τ' + 45: 1, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 2, # 'Ω' + 17: 2, # 'ά' + 18: 2, # 'έ' + 22: 0, # 'ή' + 15: 2, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 2, # 'ε' + 32: 0, # 'ζ' + 13: 2, # 'η' + 25: 0, # 'θ' + 5: 2, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 2, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 0, # 'π' + 8: 2, # 'ρ' + 14: 0, # 'ς' + 7: 2, # 'σ' + 2: 0, # 'τ' + 12: 2, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 2, # 'ό' + 26: 2, # 'ύ' + 27: 3, # 'ώ' + }, + 45: { # 'Υ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 2, # 'Γ' + 41: 0, # 'Δ' + 34: 1, # 'Ε' + 40: 2, # 'Η' + 52: 2, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 1, # 'Λ' + 38: 2, # 'Μ' + 49: 2, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 2, # 'Π' + 48: 1, # 'Ρ' + 37: 2, # 'Σ' + 33: 2, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 1, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 2, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 0, # 'ο' + 9: 3, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 56: { # 'Φ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 1, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 1, # 'Η' + 52: 0, # 'Θ' + 47: 2, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 2, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 2, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 2, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 2, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 2, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 2, # 'τ' + 12: 2, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 1, # 'ύ' + 27: 1, # 'ώ' + }, + 50: { # 'Χ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 1, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 2, # 'Ε' + 40: 2, # 'Η' + 52: 0, # 'Θ' + 47: 2, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 1, # 'Ν' + 59: 0, # 'Ξ' + 39: 1, # 'Ο' + 35: 0, # 'Π' + 48: 2, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 1, # 'Χ' + 57: 1, # 'Ω' + 17: 2, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 2, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 2, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 2, # 'ο' + 9: 0, # 'π' + 8: 3, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 2, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 2, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 57: { # 'Ω' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 1, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 1, # 'Λ' + 38: 0, # 'Μ' + 49: 2, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 2, # 'Ρ' + 37: 2, # 'Σ' + 33: 2, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 0, # 'ο' + 9: 0, # 'π' + 8: 2, # 'ρ' + 14: 2, # 'ς' + 7: 2, # 'σ' + 2: 0, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 1, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 17: { # 'ά' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 2, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 3, # 'β' + 20: 3, # 'γ' + 21: 3, # 'δ' + 3: 3, # 'ε' + 32: 3, # 'ζ' + 13: 0, # 'η' + 25: 3, # 'θ' + 5: 2, # 'ι' + 11: 3, # 'κ' + 16: 3, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 3, # 'ξ' + 4: 0, # 'ο' + 9: 3, # 'π' + 8: 3, # 'ρ' + 14: 3, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 0, # 'υ' + 28: 3, # 'φ' + 23: 3, # 'χ' + 42: 3, # 'ψ' + 24: 2, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 18: { # 'έ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 3, # 'α' + 29: 2, # 'β' + 20: 3, # 'γ' + 21: 2, # 'δ' + 3: 3, # 'ε' + 32: 2, # 'ζ' + 13: 0, # 'η' + 25: 3, # 'θ' + 5: 0, # 'ι' + 11: 3, # 'κ' + 16: 3, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 3, # 'ξ' + 4: 3, # 'ο' + 9: 3, # 'π' + 8: 3, # 'ρ' + 14: 3, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 0, # 'υ' + 28: 3, # 'φ' + 23: 3, # 'χ' + 42: 3, # 'ψ' + 24: 2, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 22: { # 'ή' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 1, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 3, # 'γ' + 21: 3, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 3, # 'θ' + 5: 0, # 'ι' + 11: 3, # 'κ' + 16: 2, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 2, # 'ξ' + 4: 0, # 'ο' + 9: 3, # 'π' + 8: 3, # 'ρ' + 14: 3, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 0, # 'υ' + 28: 2, # 'φ' + 23: 3, # 'χ' + 42: 2, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 15: { # 'ί' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 3, # 'α' + 29: 2, # 'β' + 20: 3, # 'γ' + 21: 3, # 'δ' + 3: 3, # 'ε' + 32: 3, # 'ζ' + 13: 3, # 'η' + 25: 3, # 'θ' + 5: 0, # 'ι' + 11: 3, # 'κ' + 16: 3, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 3, # 'ξ' + 4: 3, # 'ο' + 9: 3, # 'π' + 8: 3, # 'ρ' + 14: 3, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 0, # 'υ' + 28: 1, # 'φ' + 23: 3, # 'χ' + 42: 2, # 'ψ' + 24: 3, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 1: { # 'α' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 2, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 2, # 'έ' + 22: 0, # 'ή' + 15: 3, # 'ί' + 1: 0, # 'α' + 29: 3, # 'β' + 20: 3, # 'γ' + 21: 3, # 'δ' + 3: 2, # 'ε' + 32: 3, # 'ζ' + 13: 1, # 'η' + 25: 3, # 'θ' + 5: 3, # 'ι' + 11: 3, # 'κ' + 16: 3, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 3, # 'ξ' + 4: 2, # 'ο' + 9: 3, # 'π' + 8: 3, # 'ρ' + 14: 3, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 3, # 'υ' + 28: 3, # 'φ' + 23: 3, # 'χ' + 42: 2, # 'ψ' + 24: 0, # 'ω' + 19: 2, # 'ό' + 26: 2, # 'ύ' + 27: 0, # 'ώ' + }, + 29: { # 'β' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 3, # 'ά' + 18: 2, # 'έ' + 22: 3, # 'ή' + 15: 2, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 2, # 'γ' + 21: 2, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 2, # 'η' + 25: 0, # 'θ' + 5: 3, # 'ι' + 11: 0, # 'κ' + 16: 3, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 0, # 'π' + 8: 3, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 2, # 'ω' + 19: 2, # 'ό' + 26: 2, # 'ύ' + 27: 2, # 'ώ' + }, + 20: { # 'γ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 3, # 'ά' + 18: 3, # 'έ' + 22: 3, # 'ή' + 15: 3, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 3, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 3, # 'η' + 25: 0, # 'θ' + 5: 3, # 'ι' + 11: 3, # 'κ' + 16: 3, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 3, # 'ξ' + 4: 3, # 'ο' + 9: 0, # 'π' + 8: 3, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 2, # 'υ' + 28: 0, # 'φ' + 23: 3, # 'χ' + 42: 0, # 'ψ' + 24: 3, # 'ω' + 19: 3, # 'ό' + 26: 2, # 'ύ' + 27: 3, # 'ώ' + }, + 21: { # 'δ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 2, # 'ά' + 18: 3, # 'έ' + 22: 3, # 'ή' + 15: 3, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 3, # 'η' + 25: 0, # 'θ' + 5: 3, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 0, # 'π' + 8: 3, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 3, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 3, # 'ω' + 19: 3, # 'ό' + 26: 3, # 'ύ' + 27: 3, # 'ώ' + }, + 3: { # 'ε' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 2, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 3, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 3, # 'ί' + 1: 2, # 'α' + 29: 3, # 'β' + 20: 3, # 'γ' + 21: 3, # 'δ' + 3: 2, # 'ε' + 32: 2, # 'ζ' + 13: 0, # 'η' + 25: 3, # 'θ' + 5: 3, # 'ι' + 11: 3, # 'κ' + 16: 3, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 3, # 'ξ' + 4: 2, # 'ο' + 9: 3, # 'π' + 8: 3, # 'ρ' + 14: 3, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 3, # 'υ' + 28: 3, # 'φ' + 23: 3, # 'χ' + 42: 2, # 'ψ' + 24: 3, # 'ω' + 19: 2, # 'ό' + 26: 3, # 'ύ' + 27: 2, # 'ώ' + }, + 32: { # 'ζ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 2, # 'ά' + 18: 2, # 'έ' + 22: 2, # 'ή' + 15: 2, # 'ί' + 1: 2, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 3, # 'η' + 25: 0, # 'θ' + 5: 2, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 1, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 3, # 'ω' + 19: 2, # 'ό' + 26: 0, # 'ύ' + 27: 2, # 'ώ' + }, + 13: { # 'η' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 2, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 3, # 'γ' + 21: 2, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 3, # 'θ' + 5: 0, # 'ι' + 11: 3, # 'κ' + 16: 3, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 2, # 'ξ' + 4: 0, # 'ο' + 9: 2, # 'π' + 8: 3, # 'ρ' + 14: 3, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 0, # 'υ' + 28: 2, # 'φ' + 23: 3, # 'χ' + 42: 2, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 25: { # 'θ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 2, # 'ά' + 18: 3, # 'έ' + 22: 3, # 'ή' + 15: 2, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 3, # 'η' + 25: 0, # 'θ' + 5: 3, # 'ι' + 11: 0, # 'κ' + 16: 1, # 'λ' + 10: 3, # 'μ' + 6: 2, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 0, # 'π' + 8: 3, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 3, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 3, # 'ω' + 19: 3, # 'ό' + 26: 3, # 'ύ' + 27: 3, # 'ώ' + }, + 5: { # 'ι' + 60: 0, # 'e' + 55: 1, # 'o' + 58: 0, # 't' + 36: 2, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 1, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 3, # 'ά' + 18: 3, # 'έ' + 22: 3, # 'ή' + 15: 0, # 'ί' + 1: 3, # 'α' + 29: 3, # 'β' + 20: 3, # 'γ' + 21: 3, # 'δ' + 3: 3, # 'ε' + 32: 2, # 'ζ' + 13: 3, # 'η' + 25: 3, # 'θ' + 5: 0, # 'ι' + 11: 3, # 'κ' + 16: 3, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 3, # 'ξ' + 4: 3, # 'ο' + 9: 3, # 'π' + 8: 3, # 'ρ' + 14: 3, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 0, # 'υ' + 28: 2, # 'φ' + 23: 3, # 'χ' + 42: 2, # 'ψ' + 24: 3, # 'ω' + 19: 3, # 'ό' + 26: 0, # 'ύ' + 27: 3, # 'ώ' + }, + 11: { # 'κ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 3, # 'ά' + 18: 3, # 'έ' + 22: 3, # 'ή' + 15: 3, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 3, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 3, # 'η' + 25: 2, # 'θ' + 5: 3, # 'ι' + 11: 3, # 'κ' + 16: 3, # 'λ' + 10: 3, # 'μ' + 6: 2, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 2, # 'π' + 8: 3, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 3, # 'τ' + 12: 3, # 'υ' + 28: 2, # 'φ' + 23: 2, # 'χ' + 42: 0, # 'ψ' + 24: 3, # 'ω' + 19: 3, # 'ό' + 26: 3, # 'ύ' + 27: 3, # 'ώ' + }, + 16: { # 'λ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 3, # 'ά' + 18: 3, # 'έ' + 22: 3, # 'ή' + 15: 3, # 'ί' + 1: 3, # 'α' + 29: 1, # 'β' + 20: 2, # 'γ' + 21: 1, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 3, # 'η' + 25: 2, # 'θ' + 5: 3, # 'ι' + 11: 2, # 'κ' + 16: 3, # 'λ' + 10: 2, # 'μ' + 6: 2, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 3, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 3, # 'τ' + 12: 3, # 'υ' + 28: 2, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 3, # 'ω' + 19: 3, # 'ό' + 26: 3, # 'ύ' + 27: 3, # 'ώ' + }, + 10: { # 'μ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 1, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 3, # 'ά' + 18: 3, # 'έ' + 22: 3, # 'ή' + 15: 3, # 'ί' + 1: 3, # 'α' + 29: 3, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 3, # 'η' + 25: 0, # 'θ' + 5: 3, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 3, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 2, # 'υ' + 28: 3, # 'φ' + 23: 0, # 'χ' + 42: 2, # 'ψ' + 24: 3, # 'ω' + 19: 3, # 'ό' + 26: 2, # 'ύ' + 27: 2, # 'ώ' + }, + 6: { # 'ν' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 2, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 3, # 'ά' + 18: 3, # 'έ' + 22: 3, # 'ή' + 15: 3, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 3, # 'δ' + 3: 3, # 'ε' + 32: 2, # 'ζ' + 13: 3, # 'η' + 25: 3, # 'θ' + 5: 3, # 'ι' + 11: 0, # 'κ' + 16: 1, # 'λ' + 10: 0, # 'μ' + 6: 2, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 3, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 3, # 'ω' + 19: 3, # 'ό' + 26: 3, # 'ύ' + 27: 3, # 'ώ' + }, + 30: { # 'ξ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 2, # 'ά' + 18: 3, # 'έ' + 22: 3, # 'ή' + 15: 2, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 3, # 'η' + 25: 0, # 'θ' + 5: 2, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 3, # 'τ' + 12: 2, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 3, # 'ω' + 19: 2, # 'ό' + 26: 3, # 'ύ' + 27: 1, # 'ώ' + }, + 4: { # 'ο' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 2, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 2, # 'έ' + 22: 3, # 'ή' + 15: 3, # 'ί' + 1: 2, # 'α' + 29: 3, # 'β' + 20: 3, # 'γ' + 21: 3, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 3, # 'η' + 25: 3, # 'θ' + 5: 3, # 'ι' + 11: 3, # 'κ' + 16: 3, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 2, # 'ξ' + 4: 2, # 'ο' + 9: 3, # 'π' + 8: 3, # 'ρ' + 14: 3, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 3, # 'υ' + 28: 3, # 'φ' + 23: 3, # 'χ' + 42: 2, # 'ψ' + 24: 2, # 'ω' + 19: 1, # 'ό' + 26: 3, # 'ύ' + 27: 2, # 'ώ' + }, + 9: { # 'π' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 3, # 'ά' + 18: 3, # 'έ' + 22: 3, # 'ή' + 15: 3, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 3, # 'η' + 25: 0, # 'θ' + 5: 3, # 'ι' + 11: 0, # 'κ' + 16: 3, # 'λ' + 10: 0, # 'μ' + 6: 2, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 0, # 'π' + 8: 3, # 'ρ' + 14: 2, # 'ς' + 7: 0, # 'σ' + 2: 3, # 'τ' + 12: 3, # 'υ' + 28: 0, # 'φ' + 23: 2, # 'χ' + 42: 0, # 'ψ' + 24: 3, # 'ω' + 19: 3, # 'ό' + 26: 2, # 'ύ' + 27: 3, # 'ώ' + }, + 8: { # 'ρ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 3, # 'ά' + 18: 3, # 'έ' + 22: 3, # 'ή' + 15: 3, # 'ί' + 1: 3, # 'α' + 29: 2, # 'β' + 20: 3, # 'γ' + 21: 2, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 3, # 'η' + 25: 3, # 'θ' + 5: 3, # 'ι' + 11: 3, # 'κ' + 16: 1, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 2, # 'ξ' + 4: 3, # 'ο' + 9: 2, # 'π' + 8: 2, # 'ρ' + 14: 0, # 'ς' + 7: 2, # 'σ' + 2: 3, # 'τ' + 12: 3, # 'υ' + 28: 3, # 'φ' + 23: 3, # 'χ' + 42: 0, # 'ψ' + 24: 3, # 'ω' + 19: 3, # 'ό' + 26: 3, # 'ύ' + 27: 3, # 'ώ' + }, + 14: { # 'ς' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 2, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 0, # 'θ' + 5: 0, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 0, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 0, # 'τ' + 12: 0, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 7: { # 'σ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 2, # 'ά' + 18: 2, # 'έ' + 22: 3, # 'ή' + 15: 3, # 'ί' + 1: 3, # 'α' + 29: 3, # 'β' + 20: 0, # 'γ' + 21: 2, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 3, # 'η' + 25: 3, # 'θ' + 5: 3, # 'ι' + 11: 3, # 'κ' + 16: 2, # 'λ' + 10: 3, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 3, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 3, # 'υ' + 28: 3, # 'φ' + 23: 3, # 'χ' + 42: 0, # 'ψ' + 24: 3, # 'ω' + 19: 3, # 'ό' + 26: 3, # 'ύ' + 27: 2, # 'ώ' + }, + 2: { # 'τ' + 60: 0, # 'e' + 55: 2, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 3, # 'ά' + 18: 3, # 'έ' + 22: 3, # 'ή' + 15: 3, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 2, # 'ζ' + 13: 3, # 'η' + 25: 0, # 'θ' + 5: 3, # 'ι' + 11: 2, # 'κ' + 16: 2, # 'λ' + 10: 3, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 0, # 'π' + 8: 3, # 'ρ' + 14: 0, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 3, # 'υ' + 28: 2, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 3, # 'ω' + 19: 3, # 'ό' + 26: 3, # 'ύ' + 27: 3, # 'ώ' + }, + 12: { # 'υ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 2, # 'ά' + 18: 2, # 'έ' + 22: 3, # 'ή' + 15: 2, # 'ί' + 1: 3, # 'α' + 29: 2, # 'β' + 20: 3, # 'γ' + 21: 2, # 'δ' + 3: 2, # 'ε' + 32: 2, # 'ζ' + 13: 2, # 'η' + 25: 3, # 'θ' + 5: 2, # 'ι' + 11: 3, # 'κ' + 16: 3, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 3, # 'ξ' + 4: 3, # 'ο' + 9: 3, # 'π' + 8: 3, # 'ρ' + 14: 3, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 0, # 'υ' + 28: 2, # 'φ' + 23: 3, # 'χ' + 42: 2, # 'ψ' + 24: 2, # 'ω' + 19: 2, # 'ό' + 26: 0, # 'ύ' + 27: 2, # 'ώ' + }, + 28: { # 'φ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 3, # 'ά' + 18: 3, # 'έ' + 22: 3, # 'ή' + 15: 3, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 2, # 'η' + 25: 2, # 'θ' + 5: 3, # 'ι' + 11: 0, # 'κ' + 16: 2, # 'λ' + 10: 0, # 'μ' + 6: 1, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 0, # 'π' + 8: 3, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 3, # 'τ' + 12: 3, # 'υ' + 28: 1, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 3, # 'ω' + 19: 3, # 'ό' + 26: 2, # 'ύ' + 27: 2, # 'ώ' + }, + 23: { # 'χ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 3, # 'ά' + 18: 2, # 'έ' + 22: 3, # 'ή' + 15: 3, # 'ί' + 1: 3, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 2, # 'η' + 25: 2, # 'θ' + 5: 3, # 'ι' + 11: 0, # 'κ' + 16: 2, # 'λ' + 10: 2, # 'μ' + 6: 3, # 'ν' + 30: 0, # 'ξ' + 4: 3, # 'ο' + 9: 0, # 'π' + 8: 3, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 3, # 'τ' + 12: 3, # 'υ' + 28: 0, # 'φ' + 23: 2, # 'χ' + 42: 0, # 'ψ' + 24: 3, # 'ω' + 19: 3, # 'ό' + 26: 3, # 'ύ' + 27: 3, # 'ώ' + }, + 42: { # 'ψ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 2, # 'ά' + 18: 2, # 'έ' + 22: 1, # 'ή' + 15: 2, # 'ί' + 1: 2, # 'α' + 29: 0, # 'β' + 20: 0, # 'γ' + 21: 0, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 3, # 'η' + 25: 0, # 'θ' + 5: 2, # 'ι' + 11: 0, # 'κ' + 16: 0, # 'λ' + 10: 0, # 'μ' + 6: 0, # 'ν' + 30: 0, # 'ξ' + 4: 2, # 'ο' + 9: 0, # 'π' + 8: 0, # 'ρ' + 14: 0, # 'ς' + 7: 0, # 'σ' + 2: 2, # 'τ' + 12: 1, # 'υ' + 28: 0, # 'φ' + 23: 0, # 'χ' + 42: 0, # 'ψ' + 24: 2, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 24: { # 'ω' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 1, # 'ά' + 18: 0, # 'έ' + 22: 2, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 2, # 'β' + 20: 3, # 'γ' + 21: 2, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 0, # 'η' + 25: 3, # 'θ' + 5: 2, # 'ι' + 11: 0, # 'κ' + 16: 2, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 0, # 'ξ' + 4: 0, # 'ο' + 9: 3, # 'π' + 8: 3, # 'ρ' + 14: 3, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 0, # 'υ' + 28: 2, # 'φ' + 23: 2, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 19: { # 'ό' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 3, # 'β' + 20: 3, # 'γ' + 21: 3, # 'δ' + 3: 1, # 'ε' + 32: 2, # 'ζ' + 13: 2, # 'η' + 25: 2, # 'θ' + 5: 2, # 'ι' + 11: 3, # 'κ' + 16: 3, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 1, # 'ξ' + 4: 2, # 'ο' + 9: 3, # 'π' + 8: 3, # 'ρ' + 14: 3, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 0, # 'υ' + 28: 2, # 'φ' + 23: 3, # 'χ' + 42: 2, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 26: { # 'ύ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 2, # 'α' + 29: 2, # 'β' + 20: 2, # 'γ' + 21: 1, # 'δ' + 3: 3, # 'ε' + 32: 0, # 'ζ' + 13: 2, # 'η' + 25: 3, # 'θ' + 5: 0, # 'ι' + 11: 3, # 'κ' + 16: 3, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 2, # 'ξ' + 4: 3, # 'ο' + 9: 3, # 'π' + 8: 3, # 'ρ' + 14: 3, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 0, # 'υ' + 28: 2, # 'φ' + 23: 2, # 'χ' + 42: 2, # 'ψ' + 24: 2, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, + 27: { # 'ώ' + 60: 0, # 'e' + 55: 0, # 'o' + 58: 0, # 't' + 36: 0, # '·' + 61: 0, # 'Ά' + 46: 0, # 'Έ' + 54: 0, # 'Ό' + 31: 0, # 'Α' + 51: 0, # 'Β' + 43: 0, # 'Γ' + 41: 0, # 'Δ' + 34: 0, # 'Ε' + 40: 0, # 'Η' + 52: 0, # 'Θ' + 47: 0, # 'Ι' + 44: 0, # 'Κ' + 53: 0, # 'Λ' + 38: 0, # 'Μ' + 49: 0, # 'Ν' + 59: 0, # 'Ξ' + 39: 0, # 'Ο' + 35: 0, # 'Π' + 48: 0, # 'Ρ' + 37: 0, # 'Σ' + 33: 0, # 'Τ' + 45: 0, # 'Υ' + 56: 0, # 'Φ' + 50: 0, # 'Χ' + 57: 0, # 'Ω' + 17: 0, # 'ά' + 18: 0, # 'έ' + 22: 0, # 'ή' + 15: 0, # 'ί' + 1: 0, # 'α' + 29: 1, # 'β' + 20: 0, # 'γ' + 21: 3, # 'δ' + 3: 0, # 'ε' + 32: 0, # 'ζ' + 13: 1, # 'η' + 25: 2, # 'θ' + 5: 2, # 'ι' + 11: 0, # 'κ' + 16: 2, # 'λ' + 10: 3, # 'μ' + 6: 3, # 'ν' + 30: 1, # 'ξ' + 4: 0, # 'ο' + 9: 2, # 'π' + 8: 3, # 'ρ' + 14: 3, # 'ς' + 7: 3, # 'σ' + 2: 3, # 'τ' + 12: 0, # 'υ' + 28: 1, # 'φ' + 23: 1, # 'χ' + 42: 0, # 'ψ' + 24: 0, # 'ω' + 19: 0, # 'ό' + 26: 0, # 'ύ' + 27: 0, # 'ώ' + }, +} + +# 255: Undefined characters that did not exist in training text +# 254: Carriage/Return +# 253: symbol (punctuation) that does not belong to word +# 252: 0 - 9 +# 251: Control characters + +# Character Mapping Table(s): +WINDOWS_1253_GREEK_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 254, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 254, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 253, # ' ' + 33: 253, # '!' + 34: 253, # '"' + 35: 253, # '#' + 36: 253, # '$' + 37: 253, # '%' + 38: 253, # '&' + 39: 253, # "'" + 40: 253, # '(' + 41: 253, # ')' + 42: 253, # '*' + 43: 253, # '+' + 44: 253, # ',' + 45: 253, # '-' + 46: 253, # '.' + 47: 253, # '/' + 48: 252, # '0' + 49: 252, # '1' + 50: 252, # '2' + 51: 252, # '3' + 52: 252, # '4' + 53: 252, # '5' + 54: 252, # '6' + 55: 252, # '7' + 56: 252, # '8' + 57: 252, # '9' + 58: 253, # ':' + 59: 253, # ';' + 60: 253, # '<' + 61: 253, # '=' + 62: 253, # '>' + 63: 253, # '?' + 64: 253, # '@' + 65: 82, # 'A' + 66: 100, # 'B' + 67: 104, # 'C' + 68: 94, # 'D' + 69: 98, # 'E' + 70: 101, # 'F' + 71: 116, # 'G' + 72: 102, # 'H' + 73: 111, # 'I' + 74: 187, # 'J' + 75: 117, # 'K' + 76: 92, # 'L' + 77: 88, # 'M' + 78: 113, # 'N' + 79: 85, # 'O' + 80: 79, # 'P' + 81: 118, # 'Q' + 82: 105, # 'R' + 83: 83, # 'S' + 84: 67, # 'T' + 85: 114, # 'U' + 86: 119, # 'V' + 87: 95, # 'W' + 88: 99, # 'X' + 89: 109, # 'Y' + 90: 188, # 'Z' + 91: 253, # '[' + 92: 253, # '\\' + 93: 253, # ']' + 94: 253, # '^' + 95: 253, # '_' + 96: 253, # '`' + 97: 72, # 'a' + 98: 70, # 'b' + 99: 80, # 'c' + 100: 81, # 'd' + 101: 60, # 'e' + 102: 96, # 'f' + 103: 93, # 'g' + 104: 89, # 'h' + 105: 68, # 'i' + 106: 120, # 'j' + 107: 97, # 'k' + 108: 77, # 'l' + 109: 86, # 'm' + 110: 69, # 'n' + 111: 55, # 'o' + 112: 78, # 'p' + 113: 115, # 'q' + 114: 65, # 'r' + 115: 66, # 's' + 116: 58, # 't' + 117: 76, # 'u' + 118: 106, # 'v' + 119: 103, # 'w' + 120: 87, # 'x' + 121: 107, # 'y' + 122: 112, # 'z' + 123: 253, # '{' + 124: 253, # '|' + 125: 253, # '}' + 126: 253, # '~' + 127: 253, # '\x7f' + 128: 255, # '€' + 129: 255, # None + 130: 255, # '‚' + 131: 255, # 'ƒ' + 132: 255, # '„' + 133: 255, # '…' + 134: 255, # '†' + 135: 255, # '‡' + 136: 255, # None + 137: 255, # '‰' + 138: 255, # None + 139: 255, # '‹' + 140: 255, # None + 141: 255, # None + 142: 255, # None + 143: 255, # None + 144: 255, # None + 145: 255, # '‘' + 146: 255, # '’' + 147: 255, # '“' + 148: 255, # '”' + 149: 255, # '•' + 150: 255, # '–' + 151: 255, # '—' + 152: 255, # None + 153: 255, # '™' + 154: 255, # None + 155: 255, # '›' + 156: 255, # None + 157: 255, # None + 158: 255, # None + 159: 255, # None + 160: 253, # '\xa0' + 161: 233, # '΅' + 162: 61, # 'Ά' + 163: 253, # '£' + 164: 253, # '¤' + 165: 253, # '¥' + 166: 253, # '¦' + 167: 253, # '§' + 168: 253, # '¨' + 169: 253, # '©' + 170: 253, # None + 171: 253, # '«' + 172: 253, # '¬' + 173: 74, # '\xad' + 174: 253, # '®' + 175: 253, # '―' + 176: 253, # '°' + 177: 253, # '±' + 178: 253, # '²' + 179: 253, # '³' + 180: 247, # '΄' + 181: 253, # 'µ' + 182: 253, # '¶' + 183: 36, # '·' + 184: 46, # 'Έ' + 185: 71, # 'Ή' + 186: 73, # 'Ί' + 187: 253, # '»' + 188: 54, # 'Ό' + 189: 253, # '½' + 190: 108, # 'Ύ' + 191: 123, # 'Ώ' + 192: 110, # 'ΐ' + 193: 31, # 'Α' + 194: 51, # 'Β' + 195: 43, # 'Γ' + 196: 41, # 'Δ' + 197: 34, # 'Ε' + 198: 91, # 'Ζ' + 199: 40, # 'Η' + 200: 52, # 'Θ' + 201: 47, # 'Ι' + 202: 44, # 'Κ' + 203: 53, # 'Λ' + 204: 38, # 'Μ' + 205: 49, # 'Ν' + 206: 59, # 'Ξ' + 207: 39, # 'Ο' + 208: 35, # 'Π' + 209: 48, # 'Ρ' + 210: 250, # None + 211: 37, # 'Σ' + 212: 33, # 'Τ' + 213: 45, # 'Υ' + 214: 56, # 'Φ' + 215: 50, # 'Χ' + 216: 84, # 'Ψ' + 217: 57, # 'Ω' + 218: 120, # 'Ϊ' + 219: 121, # 'Ϋ' + 220: 17, # 'ά' + 221: 18, # 'έ' + 222: 22, # 'ή' + 223: 15, # 'ί' + 224: 124, # 'ΰ' + 225: 1, # 'α' + 226: 29, # 'β' + 227: 20, # 'γ' + 228: 21, # 'δ' + 229: 3, # 'ε' + 230: 32, # 'ζ' + 231: 13, # 'η' + 232: 25, # 'θ' + 233: 5, # 'ι' + 234: 11, # 'κ' + 235: 16, # 'λ' + 236: 10, # 'μ' + 237: 6, # 'ν' + 238: 30, # 'ξ' + 239: 4, # 'ο' + 240: 9, # 'π' + 241: 8, # 'ρ' + 242: 14, # 'ς' + 243: 7, # 'σ' + 244: 2, # 'τ' + 245: 12, # 'υ' + 246: 28, # 'φ' + 247: 23, # 'χ' + 248: 42, # 'ψ' + 249: 24, # 'ω' + 250: 64, # 'ϊ' + 251: 75, # 'ϋ' + 252: 19, # 'ό' + 253: 26, # 'ύ' + 254: 27, # 'ώ' + 255: 253, # None +} + +WINDOWS_1253_GREEK_MODEL = SingleByteCharSetModel(charset_name='windows-1253', + language='Greek', + char_to_order_map=WINDOWS_1253_GREEK_CHAR_TO_ORDER, + language_model=GREEK_LANG_MODEL, + typical_positive_ratio=0.982851, + keep_ascii_letters=False, + alphabet='ΆΈΉΊΌΎΏΑΒΓΔΕΖΗΘΙΚΛΜΝΞΟΠΡΣΤΥΦΧΨΩάέήίαβγδεζηθικλμνξοπρςστυφχψωόύώ') + +ISO_8859_7_GREEK_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 254, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 254, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 253, # ' ' + 33: 253, # '!' + 34: 253, # '"' + 35: 253, # '#' + 36: 253, # '$' + 37: 253, # '%' + 38: 253, # '&' + 39: 253, # "'" + 40: 253, # '(' + 41: 253, # ')' + 42: 253, # '*' + 43: 253, # '+' + 44: 253, # ',' + 45: 253, # '-' + 46: 253, # '.' + 47: 253, # '/' + 48: 252, # '0' + 49: 252, # '1' + 50: 252, # '2' + 51: 252, # '3' + 52: 252, # '4' + 53: 252, # '5' + 54: 252, # '6' + 55: 252, # '7' + 56: 252, # '8' + 57: 252, # '9' + 58: 253, # ':' + 59: 253, # ';' + 60: 253, # '<' + 61: 253, # '=' + 62: 253, # '>' + 63: 253, # '?' + 64: 253, # '@' + 65: 82, # 'A' + 66: 100, # 'B' + 67: 104, # 'C' + 68: 94, # 'D' + 69: 98, # 'E' + 70: 101, # 'F' + 71: 116, # 'G' + 72: 102, # 'H' + 73: 111, # 'I' + 74: 187, # 'J' + 75: 117, # 'K' + 76: 92, # 'L' + 77: 88, # 'M' + 78: 113, # 'N' + 79: 85, # 'O' + 80: 79, # 'P' + 81: 118, # 'Q' + 82: 105, # 'R' + 83: 83, # 'S' + 84: 67, # 'T' + 85: 114, # 'U' + 86: 119, # 'V' + 87: 95, # 'W' + 88: 99, # 'X' + 89: 109, # 'Y' + 90: 188, # 'Z' + 91: 253, # '[' + 92: 253, # '\\' + 93: 253, # ']' + 94: 253, # '^' + 95: 253, # '_' + 96: 253, # '`' + 97: 72, # 'a' + 98: 70, # 'b' + 99: 80, # 'c' + 100: 81, # 'd' + 101: 60, # 'e' + 102: 96, # 'f' + 103: 93, # 'g' + 104: 89, # 'h' + 105: 68, # 'i' + 106: 120, # 'j' + 107: 97, # 'k' + 108: 77, # 'l' + 109: 86, # 'm' + 110: 69, # 'n' + 111: 55, # 'o' + 112: 78, # 'p' + 113: 115, # 'q' + 114: 65, # 'r' + 115: 66, # 's' + 116: 58, # 't' + 117: 76, # 'u' + 118: 106, # 'v' + 119: 103, # 'w' + 120: 87, # 'x' + 121: 107, # 'y' + 122: 112, # 'z' + 123: 253, # '{' + 124: 253, # '|' + 125: 253, # '}' + 126: 253, # '~' + 127: 253, # '\x7f' + 128: 255, # '\x80' + 129: 255, # '\x81' + 130: 255, # '\x82' + 131: 255, # '\x83' + 132: 255, # '\x84' + 133: 255, # '\x85' + 134: 255, # '\x86' + 135: 255, # '\x87' + 136: 255, # '\x88' + 137: 255, # '\x89' + 138: 255, # '\x8a' + 139: 255, # '\x8b' + 140: 255, # '\x8c' + 141: 255, # '\x8d' + 142: 255, # '\x8e' + 143: 255, # '\x8f' + 144: 255, # '\x90' + 145: 255, # '\x91' + 146: 255, # '\x92' + 147: 255, # '\x93' + 148: 255, # '\x94' + 149: 255, # '\x95' + 150: 255, # '\x96' + 151: 255, # '\x97' + 152: 255, # '\x98' + 153: 255, # '\x99' + 154: 255, # '\x9a' + 155: 255, # '\x9b' + 156: 255, # '\x9c' + 157: 255, # '\x9d' + 158: 255, # '\x9e' + 159: 255, # '\x9f' + 160: 253, # '\xa0' + 161: 233, # '‘' + 162: 90, # '’' + 163: 253, # '£' + 164: 253, # '€' + 165: 253, # '₯' + 166: 253, # '¦' + 167: 253, # '§' + 168: 253, # '¨' + 169: 253, # '©' + 170: 253, # 'ͺ' + 171: 253, # '«' + 172: 253, # '¬' + 173: 74, # '\xad' + 174: 253, # None + 175: 253, # '―' + 176: 253, # '°' + 177: 253, # '±' + 178: 253, # '²' + 179: 253, # '³' + 180: 247, # '΄' + 181: 248, # '΅' + 182: 61, # 'Ά' + 183: 36, # '·' + 184: 46, # 'Έ' + 185: 71, # 'Ή' + 186: 73, # 'Ί' + 187: 253, # '»' + 188: 54, # 'Ό' + 189: 253, # '½' + 190: 108, # 'Ύ' + 191: 123, # 'Ώ' + 192: 110, # 'ΐ' + 193: 31, # 'Α' + 194: 51, # 'Β' + 195: 43, # 'Γ' + 196: 41, # 'Δ' + 197: 34, # 'Ε' + 198: 91, # 'Ζ' + 199: 40, # 'Η' + 200: 52, # 'Θ' + 201: 47, # 'Ι' + 202: 44, # 'Κ' + 203: 53, # 'Λ' + 204: 38, # 'Μ' + 205: 49, # 'Ν' + 206: 59, # 'Ξ' + 207: 39, # 'Ο' + 208: 35, # 'Π' + 209: 48, # 'Ρ' + 210: 250, # None + 211: 37, # 'Σ' + 212: 33, # 'Τ' + 213: 45, # 'Υ' + 214: 56, # 'Φ' + 215: 50, # 'Χ' + 216: 84, # 'Ψ' + 217: 57, # 'Ω' + 218: 120, # 'Ϊ' + 219: 121, # 'Ϋ' + 220: 17, # 'ά' + 221: 18, # 'έ' + 222: 22, # 'ή' + 223: 15, # 'ί' + 224: 124, # 'ΰ' + 225: 1, # 'α' + 226: 29, # 'β' + 227: 20, # 'γ' + 228: 21, # 'δ' + 229: 3, # 'ε' + 230: 32, # 'ζ' + 231: 13, # 'η' + 232: 25, # 'θ' + 233: 5, # 'ι' + 234: 11, # 'κ' + 235: 16, # 'λ' + 236: 10, # 'μ' + 237: 6, # 'ν' + 238: 30, # 'ξ' + 239: 4, # 'ο' + 240: 9, # 'π' + 241: 8, # 'ρ' + 242: 14, # 'ς' + 243: 7, # 'σ' + 244: 2, # 'τ' + 245: 12, # 'υ' + 246: 28, # 'φ' + 247: 23, # 'χ' + 248: 42, # 'ψ' + 249: 24, # 'ω' + 250: 64, # 'ϊ' + 251: 75, # 'ϋ' + 252: 19, # 'ό' + 253: 26, # 'ύ' + 254: 27, # 'ώ' + 255: 253, # None +} + +ISO_8859_7_GREEK_MODEL = SingleByteCharSetModel(charset_name='ISO-8859-7', + language='Greek', + char_to_order_map=ISO_8859_7_GREEK_CHAR_TO_ORDER, + language_model=GREEK_LANG_MODEL, + typical_positive_ratio=0.982851, + keep_ascii_letters=False, + alphabet='ΆΈΉΊΌΎΏΑΒΓΔΕΖΗΘΙΚΛΜΝΞΟΠΡΣΤΥΦΧΨΩάέήίαβγδεζηθικλμνξοπρςστυφχψωόύώ') + diff --git a/venv/Lib/site-packages/pip/_vendor/chardet/langhebrewmodel.py b/venv/Lib/site-packages/pip/_vendor/chardet/langhebrewmodel.py new file mode 100644 index 0000000..484c652 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/chardet/langhebrewmodel.py @@ -0,0 +1,4383 @@ +#!/usr/bin/env python +# -*- coding: utf-8 -*- + +from pip._vendor.chardet.sbcharsetprober import SingleByteCharSetModel + + +# 3: Positive +# 2: Likely +# 1: Unlikely +# 0: Negative + +HEBREW_LANG_MODEL = { + 50: { # 'a' + 50: 0, # 'a' + 60: 1, # 'c' + 61: 1, # 'd' + 42: 1, # 'e' + 53: 1, # 'i' + 56: 2, # 'l' + 54: 2, # 'n' + 49: 0, # 'o' + 51: 2, # 'r' + 43: 1, # 's' + 44: 2, # 't' + 63: 1, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 1, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 1, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 1, # 'ק' + 7: 0, # 'ר' + 10: 1, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 1, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 60: { # 'c' + 50: 1, # 'a' + 60: 1, # 'c' + 61: 0, # 'd' + 42: 1, # 'e' + 53: 1, # 'i' + 56: 1, # 'l' + 54: 0, # 'n' + 49: 1, # 'o' + 51: 1, # 'r' + 43: 1, # 's' + 44: 2, # 't' + 63: 1, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 1, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 1, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 1, # 'מ' + 23: 0, # 'ן' + 12: 1, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 61: { # 'd' + 50: 1, # 'a' + 60: 0, # 'c' + 61: 1, # 'd' + 42: 1, # 'e' + 53: 1, # 'i' + 56: 1, # 'l' + 54: 1, # 'n' + 49: 2, # 'o' + 51: 1, # 'r' + 43: 1, # 's' + 44: 0, # 't' + 63: 1, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 1, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 1, # '–' + 52: 1, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 42: { # 'e' + 50: 1, # 'a' + 60: 1, # 'c' + 61: 2, # 'd' + 42: 1, # 'e' + 53: 1, # 'i' + 56: 2, # 'l' + 54: 2, # 'n' + 49: 1, # 'o' + 51: 2, # 'r' + 43: 2, # 's' + 44: 2, # 't' + 63: 1, # 'u' + 34: 1, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 1, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 1, # '–' + 52: 2, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 53: { # 'i' + 50: 1, # 'a' + 60: 2, # 'c' + 61: 1, # 'd' + 42: 1, # 'e' + 53: 0, # 'i' + 56: 1, # 'l' + 54: 2, # 'n' + 49: 2, # 'o' + 51: 1, # 'r' + 43: 2, # 's' + 44: 2, # 't' + 63: 1, # 'u' + 34: 0, # '\xa0' + 55: 1, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 1, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 56: { # 'l' + 50: 1, # 'a' + 60: 1, # 'c' + 61: 1, # 'd' + 42: 2, # 'e' + 53: 2, # 'i' + 56: 2, # 'l' + 54: 1, # 'n' + 49: 1, # 'o' + 51: 0, # 'r' + 43: 1, # 's' + 44: 1, # 't' + 63: 1, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 1, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 54: { # 'n' + 50: 1, # 'a' + 60: 1, # 'c' + 61: 1, # 'd' + 42: 1, # 'e' + 53: 1, # 'i' + 56: 1, # 'l' + 54: 1, # 'n' + 49: 1, # 'o' + 51: 0, # 'r' + 43: 1, # 's' + 44: 2, # 't' + 63: 1, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 1, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 2, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 49: { # 'o' + 50: 1, # 'a' + 60: 1, # 'c' + 61: 1, # 'd' + 42: 1, # 'e' + 53: 1, # 'i' + 56: 1, # 'l' + 54: 2, # 'n' + 49: 1, # 'o' + 51: 2, # 'r' + 43: 1, # 's' + 44: 1, # 't' + 63: 1, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 1, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 51: { # 'r' + 50: 2, # 'a' + 60: 1, # 'c' + 61: 1, # 'd' + 42: 2, # 'e' + 53: 1, # 'i' + 56: 1, # 'l' + 54: 1, # 'n' + 49: 2, # 'o' + 51: 1, # 'r' + 43: 1, # 's' + 44: 1, # 't' + 63: 1, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 2, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 43: { # 's' + 50: 1, # 'a' + 60: 1, # 'c' + 61: 0, # 'd' + 42: 2, # 'e' + 53: 1, # 'i' + 56: 1, # 'l' + 54: 1, # 'n' + 49: 1, # 'o' + 51: 1, # 'r' + 43: 1, # 's' + 44: 2, # 't' + 63: 1, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 1, # '’' + 47: 0, # '“' + 46: 2, # '”' + 58: 0, # '†' + 40: 2, # '…' + }, + 44: { # 't' + 50: 1, # 'a' + 60: 1, # 'c' + 61: 0, # 'd' + 42: 2, # 'e' + 53: 2, # 'i' + 56: 1, # 'l' + 54: 0, # 'n' + 49: 1, # 'o' + 51: 1, # 'r' + 43: 1, # 's' + 44: 1, # 't' + 63: 1, # 'u' + 34: 1, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 2, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 63: { # 'u' + 50: 1, # 'a' + 60: 1, # 'c' + 61: 1, # 'd' + 42: 1, # 'e' + 53: 1, # 'i' + 56: 1, # 'l' + 54: 1, # 'n' + 49: 0, # 'o' + 51: 1, # 'r' + 43: 2, # 's' + 44: 1, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 1, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 34: { # '\xa0' + 50: 1, # 'a' + 60: 0, # 'c' + 61: 1, # 'd' + 42: 0, # 'e' + 53: 1, # 'i' + 56: 0, # 'l' + 54: 1, # 'n' + 49: 1, # 'o' + 51: 0, # 'r' + 43: 1, # 's' + 44: 1, # 't' + 63: 0, # 'u' + 34: 2, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 2, # 'א' + 8: 1, # 'ב' + 20: 1, # 'ג' + 16: 1, # 'ד' + 3: 1, # 'ה' + 2: 1, # 'ו' + 24: 1, # 'ז' + 14: 1, # 'ח' + 22: 1, # 'ט' + 1: 2, # 'י' + 25: 0, # 'ך' + 15: 1, # 'כ' + 4: 1, # 'ל' + 11: 0, # 'ם' + 6: 2, # 'מ' + 23: 0, # 'ן' + 12: 1, # 'נ' + 19: 1, # 'ס' + 13: 1, # 'ע' + 26: 0, # 'ף' + 18: 1, # 'פ' + 27: 0, # 'ץ' + 21: 1, # 'צ' + 17: 1, # 'ק' + 7: 1, # 'ר' + 10: 1, # 'ש' + 5: 1, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 55: { # '´' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 1, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 1, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 1, # 'ה' + 2: 1, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 2, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 1, # 'ל' + 11: 0, # 'ם' + 6: 1, # 'מ' + 23: 1, # 'ן' + 12: 1, # 'נ' + 19: 1, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 1, # 'ר' + 10: 1, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 48: { # '¼' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 1, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 1, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 1, # 'כ' + 4: 1, # 'ל' + 11: 0, # 'ם' + 6: 1, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 39: { # '½' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 1, # 'כ' + 4: 1, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 1, # 'צ' + 17: 1, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 57: { # '¾' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 30: { # 'ְ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 1, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 1, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 2, # 'א' + 8: 2, # 'ב' + 20: 2, # 'ג' + 16: 2, # 'ד' + 3: 2, # 'ה' + 2: 2, # 'ו' + 24: 2, # 'ז' + 14: 2, # 'ח' + 22: 2, # 'ט' + 1: 2, # 'י' + 25: 2, # 'ך' + 15: 2, # 'כ' + 4: 2, # 'ל' + 11: 1, # 'ם' + 6: 2, # 'מ' + 23: 0, # 'ן' + 12: 2, # 'נ' + 19: 2, # 'ס' + 13: 2, # 'ע' + 26: 0, # 'ף' + 18: 2, # 'פ' + 27: 0, # 'ץ' + 21: 2, # 'צ' + 17: 2, # 'ק' + 7: 2, # 'ר' + 10: 2, # 'ש' + 5: 2, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 59: { # 'ֱ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 1, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 1, # 'ב' + 20: 1, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 0, # 'ו' + 24: 1, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 1, # 'י' + 25: 0, # 'ך' + 15: 1, # 'כ' + 4: 2, # 'ל' + 11: 0, # 'ם' + 6: 2, # 'מ' + 23: 0, # 'ן' + 12: 1, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 1, # 'ר' + 10: 1, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 41: { # 'ֲ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 2, # 'ב' + 20: 1, # 'ג' + 16: 2, # 'ד' + 3: 1, # 'ה' + 2: 1, # 'ו' + 24: 1, # 'ז' + 14: 1, # 'ח' + 22: 1, # 'ט' + 1: 1, # 'י' + 25: 1, # 'ך' + 15: 1, # 'כ' + 4: 2, # 'ל' + 11: 0, # 'ם' + 6: 2, # 'מ' + 23: 0, # 'ן' + 12: 2, # 'נ' + 19: 1, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 1, # 'פ' + 27: 0, # 'ץ' + 21: 2, # 'צ' + 17: 1, # 'ק' + 7: 2, # 'ר' + 10: 2, # 'ש' + 5: 1, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 33: { # 'ִ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 1, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 1, # 'ִ' + 37: 0, # 'ֵ' + 36: 1, # 'ֶ' + 31: 0, # 'ַ' + 29: 1, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 1, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 1, # 'א' + 8: 2, # 'ב' + 20: 2, # 'ג' + 16: 2, # 'ד' + 3: 1, # 'ה' + 2: 1, # 'ו' + 24: 2, # 'ז' + 14: 1, # 'ח' + 22: 1, # 'ט' + 1: 3, # 'י' + 25: 1, # 'ך' + 15: 2, # 'כ' + 4: 2, # 'ל' + 11: 2, # 'ם' + 6: 2, # 'מ' + 23: 2, # 'ן' + 12: 2, # 'נ' + 19: 2, # 'ס' + 13: 1, # 'ע' + 26: 0, # 'ף' + 18: 2, # 'פ' + 27: 1, # 'ץ' + 21: 2, # 'צ' + 17: 2, # 'ק' + 7: 2, # 'ר' + 10: 2, # 'ש' + 5: 2, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 37: { # 'ֵ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 1, # 'ֶ' + 31: 1, # 'ַ' + 29: 1, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 2, # 'א' + 8: 2, # 'ב' + 20: 1, # 'ג' + 16: 2, # 'ד' + 3: 2, # 'ה' + 2: 1, # 'ו' + 24: 1, # 'ז' + 14: 2, # 'ח' + 22: 1, # 'ט' + 1: 3, # 'י' + 25: 2, # 'ך' + 15: 1, # 'כ' + 4: 2, # 'ל' + 11: 2, # 'ם' + 6: 1, # 'מ' + 23: 2, # 'ן' + 12: 2, # 'נ' + 19: 1, # 'ס' + 13: 2, # 'ע' + 26: 1, # 'ף' + 18: 1, # 'פ' + 27: 1, # 'ץ' + 21: 1, # 'צ' + 17: 1, # 'ק' + 7: 2, # 'ר' + 10: 2, # 'ש' + 5: 2, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 36: { # 'ֶ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 1, # 'ֶ' + 31: 1, # 'ַ' + 29: 1, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 2, # 'א' + 8: 2, # 'ב' + 20: 1, # 'ג' + 16: 2, # 'ד' + 3: 2, # 'ה' + 2: 1, # 'ו' + 24: 1, # 'ז' + 14: 2, # 'ח' + 22: 1, # 'ט' + 1: 2, # 'י' + 25: 2, # 'ך' + 15: 1, # 'כ' + 4: 2, # 'ל' + 11: 2, # 'ם' + 6: 2, # 'מ' + 23: 2, # 'ן' + 12: 2, # 'נ' + 19: 2, # 'ס' + 13: 1, # 'ע' + 26: 1, # 'ף' + 18: 1, # 'פ' + 27: 2, # 'ץ' + 21: 1, # 'צ' + 17: 1, # 'ק' + 7: 2, # 'ר' + 10: 2, # 'ש' + 5: 2, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 31: { # 'ַ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 1, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 1, # 'ֶ' + 31: 0, # 'ַ' + 29: 2, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 2, # 'א' + 8: 2, # 'ב' + 20: 2, # 'ג' + 16: 2, # 'ד' + 3: 2, # 'ה' + 2: 1, # 'ו' + 24: 2, # 'ז' + 14: 2, # 'ח' + 22: 2, # 'ט' + 1: 3, # 'י' + 25: 1, # 'ך' + 15: 2, # 'כ' + 4: 2, # 'ל' + 11: 2, # 'ם' + 6: 2, # 'מ' + 23: 2, # 'ן' + 12: 2, # 'נ' + 19: 2, # 'ס' + 13: 2, # 'ע' + 26: 2, # 'ף' + 18: 2, # 'פ' + 27: 1, # 'ץ' + 21: 2, # 'צ' + 17: 2, # 'ק' + 7: 2, # 'ר' + 10: 2, # 'ש' + 5: 2, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 29: { # 'ָ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 1, # 'ַ' + 29: 2, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 1, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 2, # 'א' + 8: 2, # 'ב' + 20: 2, # 'ג' + 16: 2, # 'ד' + 3: 3, # 'ה' + 2: 2, # 'ו' + 24: 2, # 'ז' + 14: 2, # 'ח' + 22: 1, # 'ט' + 1: 2, # 'י' + 25: 2, # 'ך' + 15: 2, # 'כ' + 4: 2, # 'ל' + 11: 2, # 'ם' + 6: 2, # 'מ' + 23: 2, # 'ן' + 12: 2, # 'נ' + 19: 1, # 'ס' + 13: 2, # 'ע' + 26: 1, # 'ף' + 18: 2, # 'פ' + 27: 1, # 'ץ' + 21: 2, # 'צ' + 17: 2, # 'ק' + 7: 2, # 'ר' + 10: 2, # 'ש' + 5: 2, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 35: { # 'ֹ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 1, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 2, # 'א' + 8: 2, # 'ב' + 20: 1, # 'ג' + 16: 2, # 'ד' + 3: 2, # 'ה' + 2: 1, # 'ו' + 24: 1, # 'ז' + 14: 1, # 'ח' + 22: 1, # 'ט' + 1: 1, # 'י' + 25: 1, # 'ך' + 15: 2, # 'כ' + 4: 2, # 'ל' + 11: 2, # 'ם' + 6: 2, # 'מ' + 23: 2, # 'ן' + 12: 2, # 'נ' + 19: 2, # 'ס' + 13: 2, # 'ע' + 26: 1, # 'ף' + 18: 2, # 'פ' + 27: 1, # 'ץ' + 21: 2, # 'צ' + 17: 2, # 'ק' + 7: 2, # 'ר' + 10: 2, # 'ש' + 5: 2, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 62: { # 'ֻ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 1, # 'ב' + 20: 1, # 'ג' + 16: 1, # 'ד' + 3: 1, # 'ה' + 2: 1, # 'ו' + 24: 1, # 'ז' + 14: 1, # 'ח' + 22: 0, # 'ט' + 1: 1, # 'י' + 25: 0, # 'ך' + 15: 1, # 'כ' + 4: 2, # 'ל' + 11: 1, # 'ם' + 6: 1, # 'מ' + 23: 1, # 'ן' + 12: 1, # 'נ' + 19: 1, # 'ס' + 13: 1, # 'ע' + 26: 0, # 'ף' + 18: 1, # 'פ' + 27: 0, # 'ץ' + 21: 1, # 'צ' + 17: 1, # 'ק' + 7: 1, # 'ר' + 10: 1, # 'ש' + 5: 1, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 28: { # 'ּ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 3, # 'ְ' + 59: 0, # 'ֱ' + 41: 1, # 'ֲ' + 33: 3, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 3, # 'ַ' + 29: 3, # 'ָ' + 35: 2, # 'ֹ' + 62: 1, # 'ֻ' + 28: 0, # 'ּ' + 38: 2, # 'ׁ' + 45: 1, # 'ׂ' + 9: 2, # 'א' + 8: 2, # 'ב' + 20: 1, # 'ג' + 16: 2, # 'ד' + 3: 1, # 'ה' + 2: 2, # 'ו' + 24: 1, # 'ז' + 14: 1, # 'ח' + 22: 1, # 'ט' + 1: 2, # 'י' + 25: 2, # 'ך' + 15: 2, # 'כ' + 4: 2, # 'ל' + 11: 1, # 'ם' + 6: 2, # 'מ' + 23: 1, # 'ן' + 12: 2, # 'נ' + 19: 1, # 'ס' + 13: 2, # 'ע' + 26: 1, # 'ף' + 18: 1, # 'פ' + 27: 1, # 'ץ' + 21: 1, # 'צ' + 17: 1, # 'ק' + 7: 2, # 'ר' + 10: 2, # 'ש' + 5: 2, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 38: { # 'ׁ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 1, # 'ֹ' + 62: 1, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 2, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 1, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 1, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 45: { # 'ׂ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 1, # 'ֵ' + 36: 2, # 'ֶ' + 31: 1, # 'ַ' + 29: 2, # 'ָ' + 35: 1, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 1, # 'א' + 8: 0, # 'ב' + 20: 1, # 'ג' + 16: 0, # 'ד' + 3: 1, # 'ה' + 2: 2, # 'ו' + 24: 0, # 'ז' + 14: 1, # 'ח' + 22: 0, # 'ט' + 1: 1, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 1, # 'ם' + 6: 1, # 'מ' + 23: 0, # 'ן' + 12: 1, # 'נ' + 19: 0, # 'ס' + 13: 1, # 'ע' + 26: 0, # 'ף' + 18: 1, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 1, # 'ר' + 10: 0, # 'ש' + 5: 1, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 9: { # 'א' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 1, # '´' + 48: 1, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 2, # 'ֱ' + 41: 2, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 2, # 'ֹ' + 62: 1, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 2, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 3, # 'ז' + 14: 3, # 'ח' + 22: 3, # 'ט' + 1: 3, # 'י' + 25: 3, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 3, # 'ן' + 12: 3, # 'נ' + 19: 3, # 'ס' + 13: 2, # 'ע' + 26: 3, # 'ף' + 18: 3, # 'פ' + 27: 1, # 'ץ' + 21: 3, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 8: { # 'ב' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 1, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 1, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 2, # 'ֹ' + 62: 1, # 'ֻ' + 28: 3, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 3, # 'ז' + 14: 3, # 'ח' + 22: 3, # 'ט' + 1: 3, # 'י' + 25: 2, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 2, # 'ם' + 6: 3, # 'מ' + 23: 3, # 'ן' + 12: 3, # 'נ' + 19: 3, # 'ס' + 13: 3, # 'ע' + 26: 1, # 'ף' + 18: 3, # 'פ' + 27: 2, # 'ץ' + 21: 3, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 1, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 20: { # 'ג' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 2, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 1, # 'ִ' + 37: 1, # 'ֵ' + 36: 1, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 1, # 'ֹ' + 62: 0, # 'ֻ' + 28: 2, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 2, # 'א' + 8: 3, # 'ב' + 20: 2, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 3, # 'ז' + 14: 2, # 'ח' + 22: 2, # 'ט' + 1: 3, # 'י' + 25: 1, # 'ך' + 15: 1, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 3, # 'ן' + 12: 3, # 'נ' + 19: 2, # 'ס' + 13: 3, # 'ע' + 26: 2, # 'ף' + 18: 2, # 'פ' + 27: 1, # 'ץ' + 21: 1, # 'צ' + 17: 1, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 1, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 16: { # 'ד' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 2, # 'ֹ' + 62: 1, # 'ֻ' + 28: 2, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 1, # 'ז' + 14: 2, # 'ח' + 22: 2, # 'ט' + 1: 3, # 'י' + 25: 2, # 'ך' + 15: 2, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 2, # 'ן' + 12: 3, # 'נ' + 19: 2, # 'ס' + 13: 3, # 'ע' + 26: 2, # 'ף' + 18: 3, # 'פ' + 27: 0, # 'ץ' + 21: 2, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 3: { # 'ה' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 1, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 0, # '´' + 48: 1, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 1, # 'ְ' + 59: 1, # 'ֱ' + 41: 2, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 3, # 'ַ' + 29: 2, # 'ָ' + 35: 1, # 'ֹ' + 62: 1, # 'ֻ' + 28: 2, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 3, # 'ז' + 14: 3, # 'ח' + 22: 3, # 'ט' + 1: 3, # 'י' + 25: 1, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 3, # 'ן' + 12: 3, # 'נ' + 19: 3, # 'ס' + 13: 3, # 'ע' + 26: 0, # 'ף' + 18: 3, # 'פ' + 27: 1, # 'ץ' + 21: 3, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 1, # '–' + 52: 1, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 2, # '…' + }, + 2: { # 'ו' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 1, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 1, # '´' + 48: 1, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 1, # 'ֵ' + 36: 1, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 3, # 'ֹ' + 62: 0, # 'ֻ' + 28: 3, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 3, # 'ז' + 14: 3, # 'ח' + 22: 3, # 'ט' + 1: 3, # 'י' + 25: 3, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 3, # 'ן' + 12: 3, # 'נ' + 19: 3, # 'ס' + 13: 3, # 'ע' + 26: 3, # 'ף' + 18: 3, # 'פ' + 27: 3, # 'ץ' + 21: 3, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 1, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 2, # '…' + }, + 24: { # 'ז' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 1, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 1, # 'ֲ' + 33: 1, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 1, # 'ֹ' + 62: 1, # 'ֻ' + 28: 2, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 2, # 'ב' + 20: 2, # 'ג' + 16: 2, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 2, # 'ז' + 14: 2, # 'ח' + 22: 1, # 'ט' + 1: 3, # 'י' + 25: 1, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 2, # 'ם' + 6: 3, # 'מ' + 23: 2, # 'ן' + 12: 2, # 'נ' + 19: 1, # 'ס' + 13: 2, # 'ע' + 26: 1, # 'ף' + 18: 1, # 'פ' + 27: 0, # 'ץ' + 21: 2, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 1, # 'ש' + 5: 2, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 14: { # 'ח' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 1, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 1, # 'ֱ' + 41: 2, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 2, # 'ֹ' + 62: 1, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 2, # 'א' + 8: 3, # 'ב' + 20: 2, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 3, # 'ז' + 14: 2, # 'ח' + 22: 2, # 'ט' + 1: 3, # 'י' + 25: 1, # 'ך' + 15: 2, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 2, # 'ן' + 12: 3, # 'נ' + 19: 3, # 'ס' + 13: 1, # 'ע' + 26: 2, # 'ף' + 18: 2, # 'פ' + 27: 2, # 'ץ' + 21: 3, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 1, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 22: { # 'ט' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 1, # 'ֵ' + 36: 1, # 'ֶ' + 31: 2, # 'ַ' + 29: 1, # 'ָ' + 35: 1, # 'ֹ' + 62: 1, # 'ֻ' + 28: 1, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 1, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 2, # 'ז' + 14: 3, # 'ח' + 22: 2, # 'ט' + 1: 3, # 'י' + 25: 1, # 'ך' + 15: 2, # 'כ' + 4: 3, # 'ל' + 11: 2, # 'ם' + 6: 2, # 'מ' + 23: 2, # 'ן' + 12: 3, # 'נ' + 19: 2, # 'ס' + 13: 3, # 'ע' + 26: 2, # 'ף' + 18: 3, # 'פ' + 27: 1, # 'ץ' + 21: 2, # 'צ' + 17: 2, # 'ק' + 7: 3, # 'ר' + 10: 2, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 1: { # 'י' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 1, # '´' + 48: 1, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 1, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 2, # 'ֹ' + 62: 1, # 'ֻ' + 28: 2, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 3, # 'ז' + 14: 3, # 'ח' + 22: 3, # 'ט' + 1: 3, # 'י' + 25: 3, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 3, # 'ן' + 12: 3, # 'נ' + 19: 3, # 'ס' + 13: 3, # 'ע' + 26: 3, # 'ף' + 18: 3, # 'פ' + 27: 3, # 'ץ' + 21: 3, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 1, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 2, # '…' + }, + 25: { # 'ך' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 2, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 1, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 1, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 1, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 1, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 1, # 'ל' + 11: 0, # 'ם' + 6: 1, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 1, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 15: { # 'כ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 1, # 'ֹ' + 62: 1, # 'ֻ' + 28: 3, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 2, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 3, # 'ז' + 14: 3, # 'ח' + 22: 2, # 'ט' + 1: 3, # 'י' + 25: 3, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 3, # 'ן' + 12: 3, # 'נ' + 19: 3, # 'ס' + 13: 2, # 'ע' + 26: 3, # 'ף' + 18: 3, # 'פ' + 27: 1, # 'ץ' + 21: 2, # 'צ' + 17: 2, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 4: { # 'ל' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 1, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 3, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 2, # 'ֹ' + 62: 1, # 'ֻ' + 28: 2, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 3, # 'ז' + 14: 3, # 'ח' + 22: 3, # 'ט' + 1: 3, # 'י' + 25: 3, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 2, # 'ן' + 12: 3, # 'נ' + 19: 3, # 'ס' + 13: 3, # 'ע' + 26: 2, # 'ף' + 18: 3, # 'פ' + 27: 2, # 'ץ' + 21: 3, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 1, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 11: { # 'ם' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 1, # 'א' + 8: 1, # 'ב' + 20: 1, # 'ג' + 16: 0, # 'ד' + 3: 1, # 'ה' + 2: 1, # 'ו' + 24: 1, # 'ז' + 14: 1, # 'ח' + 22: 0, # 'ט' + 1: 1, # 'י' + 25: 0, # 'ך' + 15: 1, # 'כ' + 4: 1, # 'ל' + 11: 1, # 'ם' + 6: 1, # 'מ' + 23: 0, # 'ן' + 12: 1, # 'נ' + 19: 0, # 'ס' + 13: 1, # 'ע' + 26: 0, # 'ף' + 18: 1, # 'פ' + 27: 1, # 'ץ' + 21: 1, # 'צ' + 17: 1, # 'ק' + 7: 1, # 'ר' + 10: 1, # 'ש' + 5: 1, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 2, # '…' + }, + 6: { # 'מ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 1, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 2, # 'ֹ' + 62: 1, # 'ֻ' + 28: 2, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 3, # 'ז' + 14: 3, # 'ח' + 22: 3, # 'ט' + 1: 3, # 'י' + 25: 2, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 3, # 'ן' + 12: 3, # 'נ' + 19: 3, # 'ס' + 13: 3, # 'ע' + 26: 0, # 'ף' + 18: 3, # 'פ' + 27: 2, # 'ץ' + 21: 3, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 23: { # 'ן' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 0, # '´' + 48: 1, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 1, # 'א' + 8: 1, # 'ב' + 20: 1, # 'ג' + 16: 1, # 'ד' + 3: 1, # 'ה' + 2: 1, # 'ו' + 24: 0, # 'ז' + 14: 1, # 'ח' + 22: 1, # 'ט' + 1: 1, # 'י' + 25: 0, # 'ך' + 15: 1, # 'כ' + 4: 1, # 'ל' + 11: 1, # 'ם' + 6: 1, # 'מ' + 23: 0, # 'ן' + 12: 1, # 'נ' + 19: 1, # 'ס' + 13: 1, # 'ע' + 26: 1, # 'ף' + 18: 1, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 1, # 'ק' + 7: 1, # 'ר' + 10: 1, # 'ש' + 5: 1, # 'ת' + 32: 1, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 2, # '…' + }, + 12: { # 'נ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 1, # 'ֹ' + 62: 1, # 'ֻ' + 28: 2, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 3, # 'ז' + 14: 3, # 'ח' + 22: 3, # 'ט' + 1: 3, # 'י' + 25: 2, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 3, # 'ן' + 12: 3, # 'נ' + 19: 3, # 'ס' + 13: 3, # 'ע' + 26: 2, # 'ף' + 18: 3, # 'פ' + 27: 2, # 'ץ' + 21: 3, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 19: { # 'ס' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 1, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 1, # 'ֵ' + 36: 2, # 'ֶ' + 31: 2, # 'ַ' + 29: 1, # 'ָ' + 35: 1, # 'ֹ' + 62: 2, # 'ֻ' + 28: 2, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 2, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 1, # 'ז' + 14: 3, # 'ח' + 22: 3, # 'ט' + 1: 3, # 'י' + 25: 2, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 2, # 'ם' + 6: 3, # 'מ' + 23: 2, # 'ן' + 12: 3, # 'נ' + 19: 2, # 'ס' + 13: 3, # 'ע' + 26: 3, # 'ף' + 18: 3, # 'פ' + 27: 0, # 'ץ' + 21: 2, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 1, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 13: { # 'ע' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 1, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 1, # 'ְ' + 59: 1, # 'ֱ' + 41: 2, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 2, # 'ֹ' + 62: 1, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 2, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 3, # 'ז' + 14: 1, # 'ח' + 22: 3, # 'ט' + 1: 3, # 'י' + 25: 2, # 'ך' + 15: 2, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 2, # 'ן' + 12: 3, # 'נ' + 19: 3, # 'ס' + 13: 2, # 'ע' + 26: 1, # 'ף' + 18: 2, # 'פ' + 27: 2, # 'ץ' + 21: 3, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 26: { # 'ף' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 1, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 1, # 'ו' + 24: 0, # 'ז' + 14: 1, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 1, # 'כ' + 4: 1, # 'ל' + 11: 0, # 'ם' + 6: 1, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 1, # 'ס' + 13: 0, # 'ע' + 26: 1, # 'ף' + 18: 1, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 1, # 'ק' + 7: 1, # 'ר' + 10: 1, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 18: { # 'פ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 1, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 1, # 'ֵ' + 36: 2, # 'ֶ' + 31: 1, # 'ַ' + 29: 2, # 'ָ' + 35: 1, # 'ֹ' + 62: 1, # 'ֻ' + 28: 2, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 2, # 'ב' + 20: 3, # 'ג' + 16: 2, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 2, # 'ז' + 14: 3, # 'ח' + 22: 3, # 'ט' + 1: 3, # 'י' + 25: 2, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 2, # 'ם' + 6: 2, # 'מ' + 23: 3, # 'ן' + 12: 3, # 'נ' + 19: 3, # 'ס' + 13: 3, # 'ע' + 26: 2, # 'ף' + 18: 2, # 'פ' + 27: 2, # 'ץ' + 21: 3, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 27: { # 'ץ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 1, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 1, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 1, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 1, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 1, # 'ר' + 10: 0, # 'ש' + 5: 1, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 21: { # 'צ' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 1, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 1, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 1, # 'ֹ' + 62: 1, # 'ֻ' + 28: 2, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 2, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 1, # 'ז' + 14: 3, # 'ח' + 22: 2, # 'ט' + 1: 3, # 'י' + 25: 1, # 'ך' + 15: 1, # 'כ' + 4: 3, # 'ל' + 11: 2, # 'ם' + 6: 3, # 'מ' + 23: 2, # 'ן' + 12: 3, # 'נ' + 19: 1, # 'ס' + 13: 3, # 'ע' + 26: 2, # 'ף' + 18: 3, # 'פ' + 27: 2, # 'ץ' + 21: 2, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 0, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 17: { # 'ק' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 1, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 1, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 2, # 'ֹ' + 62: 1, # 'ֻ' + 28: 2, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 2, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 2, # 'ז' + 14: 3, # 'ח' + 22: 3, # 'ט' + 1: 3, # 'י' + 25: 1, # 'ך' + 15: 1, # 'כ' + 4: 3, # 'ל' + 11: 2, # 'ם' + 6: 3, # 'מ' + 23: 2, # 'ן' + 12: 3, # 'נ' + 19: 3, # 'ס' + 13: 3, # 'ע' + 26: 2, # 'ף' + 18: 3, # 'פ' + 27: 2, # 'ץ' + 21: 3, # 'צ' + 17: 2, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 1, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 7: { # 'ר' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 2, # '´' + 48: 1, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 1, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 2, # 'ֹ' + 62: 1, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 3, # 'ז' + 14: 3, # 'ח' + 22: 3, # 'ט' + 1: 3, # 'י' + 25: 3, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 3, # 'ן' + 12: 3, # 'נ' + 19: 3, # 'ס' + 13: 3, # 'ע' + 26: 2, # 'ף' + 18: 3, # 'פ' + 27: 3, # 'ץ' + 21: 3, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 2, # '…' + }, + 10: { # 'ש' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 1, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 1, # 'ִ' + 37: 1, # 'ֵ' + 36: 1, # 'ֶ' + 31: 1, # 'ַ' + 29: 1, # 'ָ' + 35: 1, # 'ֹ' + 62: 1, # 'ֻ' + 28: 2, # 'ּ' + 38: 3, # 'ׁ' + 45: 2, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 3, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 2, # 'ז' + 14: 3, # 'ח' + 22: 3, # 'ט' + 1: 3, # 'י' + 25: 3, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 2, # 'ן' + 12: 3, # 'נ' + 19: 2, # 'ס' + 13: 3, # 'ע' + 26: 2, # 'ף' + 18: 3, # 'פ' + 27: 1, # 'ץ' + 21: 2, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 1, # '…' + }, + 5: { # 'ת' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 1, # '\xa0' + 55: 0, # '´' + 48: 1, # '¼' + 39: 1, # '½' + 57: 0, # '¾' + 30: 2, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 2, # 'ִ' + 37: 2, # 'ֵ' + 36: 2, # 'ֶ' + 31: 2, # 'ַ' + 29: 2, # 'ָ' + 35: 1, # 'ֹ' + 62: 1, # 'ֻ' + 28: 2, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 3, # 'א' + 8: 3, # 'ב' + 20: 3, # 'ג' + 16: 2, # 'ד' + 3: 3, # 'ה' + 2: 3, # 'ו' + 24: 2, # 'ז' + 14: 3, # 'ח' + 22: 2, # 'ט' + 1: 3, # 'י' + 25: 2, # 'ך' + 15: 3, # 'כ' + 4: 3, # 'ל' + 11: 3, # 'ם' + 6: 3, # 'מ' + 23: 3, # 'ן' + 12: 3, # 'נ' + 19: 2, # 'ס' + 13: 3, # 'ע' + 26: 2, # 'ף' + 18: 3, # 'פ' + 27: 1, # 'ץ' + 21: 2, # 'צ' + 17: 3, # 'ק' + 7: 3, # 'ר' + 10: 3, # 'ש' + 5: 3, # 'ת' + 32: 1, # '–' + 52: 1, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 2, # '…' + }, + 32: { # '–' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 1, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 1, # 'א' + 8: 1, # 'ב' + 20: 1, # 'ג' + 16: 1, # 'ד' + 3: 1, # 'ה' + 2: 1, # 'ו' + 24: 0, # 'ז' + 14: 1, # 'ח' + 22: 0, # 'ט' + 1: 1, # 'י' + 25: 0, # 'ך' + 15: 1, # 'כ' + 4: 1, # 'ל' + 11: 0, # 'ם' + 6: 1, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 1, # 'ס' + 13: 1, # 'ע' + 26: 0, # 'ף' + 18: 1, # 'פ' + 27: 0, # 'ץ' + 21: 1, # 'צ' + 17: 0, # 'ק' + 7: 1, # 'ר' + 10: 1, # 'ש' + 5: 1, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 52: { # '’' + 50: 1, # 'a' + 60: 0, # 'c' + 61: 1, # 'd' + 42: 1, # 'e' + 53: 1, # 'i' + 56: 1, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 1, # 'r' + 43: 2, # 's' + 44: 2, # 't' + 63: 1, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 1, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 1, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 1, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 47: { # '“' + 50: 1, # 'a' + 60: 1, # 'c' + 61: 1, # 'd' + 42: 1, # 'e' + 53: 1, # 'i' + 56: 1, # 'l' + 54: 1, # 'n' + 49: 1, # 'o' + 51: 1, # 'r' + 43: 1, # 's' + 44: 1, # 't' + 63: 1, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 2, # 'א' + 8: 1, # 'ב' + 20: 1, # 'ג' + 16: 1, # 'ד' + 3: 1, # 'ה' + 2: 1, # 'ו' + 24: 1, # 'ז' + 14: 1, # 'ח' + 22: 1, # 'ט' + 1: 1, # 'י' + 25: 0, # 'ך' + 15: 1, # 'כ' + 4: 1, # 'ל' + 11: 0, # 'ם' + 6: 1, # 'מ' + 23: 0, # 'ן' + 12: 1, # 'נ' + 19: 1, # 'ס' + 13: 1, # 'ע' + 26: 0, # 'ף' + 18: 1, # 'פ' + 27: 0, # 'ץ' + 21: 1, # 'צ' + 17: 1, # 'ק' + 7: 1, # 'ר' + 10: 1, # 'ש' + 5: 1, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 46: { # '”' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 1, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 1, # 'א' + 8: 1, # 'ב' + 20: 1, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 1, # 'י' + 25: 0, # 'ך' + 15: 1, # 'כ' + 4: 1, # 'ל' + 11: 0, # 'ם' + 6: 1, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 1, # 'צ' + 17: 0, # 'ק' + 7: 1, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 0, # '†' + 40: 0, # '…' + }, + 58: { # '†' + 50: 0, # 'a' + 60: 0, # 'c' + 61: 0, # 'd' + 42: 0, # 'e' + 53: 0, # 'i' + 56: 0, # 'l' + 54: 0, # 'n' + 49: 0, # 'o' + 51: 0, # 'r' + 43: 0, # 's' + 44: 0, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 0, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 0, # 'ה' + 2: 0, # 'ו' + 24: 0, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 0, # 'י' + 25: 0, # 'ך' + 15: 0, # 'כ' + 4: 0, # 'ל' + 11: 0, # 'ם' + 6: 0, # 'מ' + 23: 0, # 'ן' + 12: 0, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 0, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 0, # 'ר' + 10: 0, # 'ש' + 5: 0, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 0, # '”' + 58: 2, # '†' + 40: 0, # '…' + }, + 40: { # '…' + 50: 1, # 'a' + 60: 1, # 'c' + 61: 1, # 'd' + 42: 1, # 'e' + 53: 1, # 'i' + 56: 0, # 'l' + 54: 1, # 'n' + 49: 0, # 'o' + 51: 1, # 'r' + 43: 1, # 's' + 44: 1, # 't' + 63: 0, # 'u' + 34: 0, # '\xa0' + 55: 0, # '´' + 48: 0, # '¼' + 39: 0, # '½' + 57: 0, # '¾' + 30: 0, # 'ְ' + 59: 0, # 'ֱ' + 41: 0, # 'ֲ' + 33: 0, # 'ִ' + 37: 0, # 'ֵ' + 36: 0, # 'ֶ' + 31: 0, # 'ַ' + 29: 0, # 'ָ' + 35: 0, # 'ֹ' + 62: 0, # 'ֻ' + 28: 0, # 'ּ' + 38: 0, # 'ׁ' + 45: 0, # 'ׂ' + 9: 1, # 'א' + 8: 0, # 'ב' + 20: 0, # 'ג' + 16: 0, # 'ד' + 3: 1, # 'ה' + 2: 1, # 'ו' + 24: 1, # 'ז' + 14: 0, # 'ח' + 22: 0, # 'ט' + 1: 1, # 'י' + 25: 0, # 'ך' + 15: 1, # 'כ' + 4: 1, # 'ל' + 11: 0, # 'ם' + 6: 1, # 'מ' + 23: 0, # 'ן' + 12: 1, # 'נ' + 19: 0, # 'ס' + 13: 0, # 'ע' + 26: 0, # 'ף' + 18: 1, # 'פ' + 27: 0, # 'ץ' + 21: 0, # 'צ' + 17: 0, # 'ק' + 7: 1, # 'ר' + 10: 1, # 'ש' + 5: 1, # 'ת' + 32: 0, # '–' + 52: 0, # '’' + 47: 0, # '“' + 46: 1, # '”' + 58: 0, # '†' + 40: 2, # '…' + }, +} + +# 255: Undefined characters that did not exist in training text +# 254: Carriage/Return +# 253: symbol (punctuation) that does not belong to word +# 252: 0 - 9 +# 251: Control characters + +# Character Mapping Table(s): +WINDOWS_1255_HEBREW_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 254, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 254, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 253, # ' ' + 33: 253, # '!' + 34: 253, # '"' + 35: 253, # '#' + 36: 253, # '$' + 37: 253, # '%' + 38: 253, # '&' + 39: 253, # "'" + 40: 253, # '(' + 41: 253, # ')' + 42: 253, # '*' + 43: 253, # '+' + 44: 253, # ',' + 45: 253, # '-' + 46: 253, # '.' + 47: 253, # '/' + 48: 252, # '0' + 49: 252, # '1' + 50: 252, # '2' + 51: 252, # '3' + 52: 252, # '4' + 53: 252, # '5' + 54: 252, # '6' + 55: 252, # '7' + 56: 252, # '8' + 57: 252, # '9' + 58: 253, # ':' + 59: 253, # ';' + 60: 253, # '<' + 61: 253, # '=' + 62: 253, # '>' + 63: 253, # '?' + 64: 253, # '@' + 65: 69, # 'A' + 66: 91, # 'B' + 67: 79, # 'C' + 68: 80, # 'D' + 69: 92, # 'E' + 70: 89, # 'F' + 71: 97, # 'G' + 72: 90, # 'H' + 73: 68, # 'I' + 74: 111, # 'J' + 75: 112, # 'K' + 76: 82, # 'L' + 77: 73, # 'M' + 78: 95, # 'N' + 79: 85, # 'O' + 80: 78, # 'P' + 81: 121, # 'Q' + 82: 86, # 'R' + 83: 71, # 'S' + 84: 67, # 'T' + 85: 102, # 'U' + 86: 107, # 'V' + 87: 84, # 'W' + 88: 114, # 'X' + 89: 103, # 'Y' + 90: 115, # 'Z' + 91: 253, # '[' + 92: 253, # '\\' + 93: 253, # ']' + 94: 253, # '^' + 95: 253, # '_' + 96: 253, # '`' + 97: 50, # 'a' + 98: 74, # 'b' + 99: 60, # 'c' + 100: 61, # 'd' + 101: 42, # 'e' + 102: 76, # 'f' + 103: 70, # 'g' + 104: 64, # 'h' + 105: 53, # 'i' + 106: 105, # 'j' + 107: 93, # 'k' + 108: 56, # 'l' + 109: 65, # 'm' + 110: 54, # 'n' + 111: 49, # 'o' + 112: 66, # 'p' + 113: 110, # 'q' + 114: 51, # 'r' + 115: 43, # 's' + 116: 44, # 't' + 117: 63, # 'u' + 118: 81, # 'v' + 119: 77, # 'w' + 120: 98, # 'x' + 121: 75, # 'y' + 122: 108, # 'z' + 123: 253, # '{' + 124: 253, # '|' + 125: 253, # '}' + 126: 253, # '~' + 127: 253, # '\x7f' + 128: 124, # '€' + 129: 202, # None + 130: 203, # '‚' + 131: 204, # 'ƒ' + 132: 205, # '„' + 133: 40, # '…' + 134: 58, # '†' + 135: 206, # '‡' + 136: 207, # 'ˆ' + 137: 208, # '‰' + 138: 209, # None + 139: 210, # '‹' + 140: 211, # None + 141: 212, # None + 142: 213, # None + 143: 214, # None + 144: 215, # None + 145: 83, # '‘' + 146: 52, # '’' + 147: 47, # '“' + 148: 46, # '”' + 149: 72, # '•' + 150: 32, # '–' + 151: 94, # '—' + 152: 216, # '˜' + 153: 113, # '™' + 154: 217, # None + 155: 109, # '›' + 156: 218, # None + 157: 219, # None + 158: 220, # None + 159: 221, # None + 160: 34, # '\xa0' + 161: 116, # '¡' + 162: 222, # '¢' + 163: 118, # '£' + 164: 100, # '₪' + 165: 223, # '¥' + 166: 224, # '¦' + 167: 117, # '§' + 168: 119, # '¨' + 169: 104, # '©' + 170: 125, # '×' + 171: 225, # '«' + 172: 226, # '¬' + 173: 87, # '\xad' + 174: 99, # '®' + 175: 227, # '¯' + 176: 106, # '°' + 177: 122, # '±' + 178: 123, # '²' + 179: 228, # '³' + 180: 55, # '´' + 181: 229, # 'µ' + 182: 230, # '¶' + 183: 101, # '·' + 184: 231, # '¸' + 185: 232, # '¹' + 186: 120, # '÷' + 187: 233, # '»' + 188: 48, # '¼' + 189: 39, # '½' + 190: 57, # '¾' + 191: 234, # '¿' + 192: 30, # 'ְ' + 193: 59, # 'ֱ' + 194: 41, # 'ֲ' + 195: 88, # 'ֳ' + 196: 33, # 'ִ' + 197: 37, # 'ֵ' + 198: 36, # 'ֶ' + 199: 31, # 'ַ' + 200: 29, # 'ָ' + 201: 35, # 'ֹ' + 202: 235, # None + 203: 62, # 'ֻ' + 204: 28, # 'ּ' + 205: 236, # 'ֽ' + 206: 126, # '־' + 207: 237, # 'ֿ' + 208: 238, # '׀' + 209: 38, # 'ׁ' + 210: 45, # 'ׂ' + 211: 239, # '׃' + 212: 240, # 'װ' + 213: 241, # 'ױ' + 214: 242, # 'ײ' + 215: 243, # '׳' + 216: 127, # '״' + 217: 244, # None + 218: 245, # None + 219: 246, # None + 220: 247, # None + 221: 248, # None + 222: 249, # None + 223: 250, # None + 224: 9, # 'א' + 225: 8, # 'ב' + 226: 20, # 'ג' + 227: 16, # 'ד' + 228: 3, # 'ה' + 229: 2, # 'ו' + 230: 24, # 'ז' + 231: 14, # 'ח' + 232: 22, # 'ט' + 233: 1, # 'י' + 234: 25, # 'ך' + 235: 15, # 'כ' + 236: 4, # 'ל' + 237: 11, # 'ם' + 238: 6, # 'מ' + 239: 23, # 'ן' + 240: 12, # 'נ' + 241: 19, # 'ס' + 242: 13, # 'ע' + 243: 26, # 'ף' + 244: 18, # 'פ' + 245: 27, # 'ץ' + 246: 21, # 'צ' + 247: 17, # 'ק' + 248: 7, # 'ר' + 249: 10, # 'ש' + 250: 5, # 'ת' + 251: 251, # None + 252: 252, # None + 253: 128, # '\u200e' + 254: 96, # '\u200f' + 255: 253, # None +} + +WINDOWS_1255_HEBREW_MODEL = SingleByteCharSetModel(charset_name='windows-1255', + language='Hebrew', + char_to_order_map=WINDOWS_1255_HEBREW_CHAR_TO_ORDER, + language_model=HEBREW_LANG_MODEL, + typical_positive_ratio=0.984004, + keep_ascii_letters=False, + alphabet='אבגדהוזחטיךכלםמןנסעףפץצקרשתװױײ') + diff --git a/venv/Lib/site-packages/pip/_vendor/chardet/langhungarianmodel.py b/venv/Lib/site-packages/pip/_vendor/chardet/langhungarianmodel.py new file mode 100644 index 0000000..bbc5cda --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/chardet/langhungarianmodel.py @@ -0,0 +1,4650 @@ +#!/usr/bin/env python +# -*- coding: utf-8 -*- + +from pip._vendor.chardet.sbcharsetprober import SingleByteCharSetModel + + +# 3: Positive +# 2: Likely +# 1: Unlikely +# 0: Negative + +HUNGARIAN_LANG_MODEL = { + 28: { # 'A' + 28: 0, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 2, # 'D' + 32: 1, # 'E' + 50: 1, # 'F' + 49: 2, # 'G' + 38: 1, # 'H' + 39: 2, # 'I' + 53: 1, # 'J' + 36: 2, # 'K' + 41: 2, # 'L' + 34: 1, # 'M' + 35: 2, # 'N' + 47: 1, # 'O' + 46: 2, # 'P' + 43: 2, # 'R' + 33: 2, # 'S' + 37: 2, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 1, # 'Y' + 52: 2, # 'Z' + 2: 0, # 'a' + 18: 1, # 'b' + 26: 1, # 'c' + 17: 2, # 'd' + 1: 1, # 'e' + 27: 1, # 'f' + 12: 1, # 'g' + 20: 1, # 'h' + 9: 1, # 'i' + 22: 1, # 'j' + 7: 2, # 'k' + 6: 2, # 'l' + 13: 2, # 'm' + 4: 2, # 'n' + 8: 0, # 'o' + 23: 2, # 'p' + 10: 2, # 'r' + 5: 1, # 's' + 3: 1, # 't' + 21: 1, # 'u' + 19: 1, # 'v' + 62: 1, # 'x' + 16: 0, # 'y' + 11: 3, # 'z' + 51: 1, # 'Á' + 44: 0, # 'É' + 61: 1, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 40: { # 'B' + 28: 2, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 2, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 1, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 0, # 'M' + 35: 1, # 'N' + 47: 2, # 'O' + 46: 0, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 2, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 3, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 0, # 'h' + 9: 2, # 'i' + 22: 1, # 'j' + 7: 0, # 'k' + 6: 1, # 'l' + 13: 0, # 'm' + 4: 0, # 'n' + 8: 2, # 'o' + 23: 1, # 'p' + 10: 2, # 'r' + 5: 0, # 's' + 3: 0, # 't' + 21: 3, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 0, # 'z' + 51: 1, # 'Á' + 44: 1, # 'É' + 61: 1, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 2, # 'á' + 15: 2, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 1, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 1, # 'ő' + 56: 1, # 'ű' + }, + 54: { # 'C' + 28: 1, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 1, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 1, # 'H' + 39: 2, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 0, # 'N' + 47: 1, # 'O' + 46: 1, # 'P' + 43: 1, # 'R' + 33: 2, # 'S' + 37: 1, # 'T' + 57: 1, # 'U' + 48: 0, # 'V' + 55: 1, # 'Y' + 52: 1, # 'Z' + 2: 2, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 1, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 1, # 'h' + 9: 1, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 1, # 'l' + 13: 0, # 'm' + 4: 0, # 'n' + 8: 2, # 'o' + 23: 0, # 'p' + 10: 1, # 'r' + 5: 3, # 's' + 3: 0, # 't' + 21: 1, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 1, # 'z' + 51: 1, # 'Á' + 44: 1, # 'É' + 61: 1, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 1, # 'á' + 15: 1, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 45: { # 'D' + 28: 2, # 'A' + 40: 1, # 'B' + 54: 0, # 'C' + 45: 1, # 'D' + 32: 2, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 2, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 0, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 2, # 'O' + 46: 0, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 1, # 'Y' + 52: 1, # 'Z' + 2: 2, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 3, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 0, # 'h' + 9: 1, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 0, # 'l' + 13: 0, # 'm' + 4: 0, # 'n' + 8: 1, # 'o' + 23: 0, # 'p' + 10: 2, # 'r' + 5: 0, # 's' + 3: 0, # 't' + 21: 2, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 1, # 'z' + 51: 1, # 'Á' + 44: 1, # 'É' + 61: 1, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 1, # 'á' + 15: 1, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 1, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 1, # 'ő' + 56: 0, # 'ű' + }, + 32: { # 'E' + 28: 1, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 1, # 'E' + 50: 1, # 'F' + 49: 2, # 'G' + 38: 1, # 'H' + 39: 1, # 'I' + 53: 1, # 'J' + 36: 2, # 'K' + 41: 2, # 'L' + 34: 2, # 'M' + 35: 2, # 'N' + 47: 1, # 'O' + 46: 1, # 'P' + 43: 2, # 'R' + 33: 2, # 'S' + 37: 2, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 1, # 'Y' + 52: 1, # 'Z' + 2: 1, # 'a' + 18: 1, # 'b' + 26: 1, # 'c' + 17: 2, # 'd' + 1: 1, # 'e' + 27: 1, # 'f' + 12: 3, # 'g' + 20: 1, # 'h' + 9: 1, # 'i' + 22: 1, # 'j' + 7: 1, # 'k' + 6: 2, # 'l' + 13: 2, # 'm' + 4: 2, # 'n' + 8: 0, # 'o' + 23: 1, # 'p' + 10: 2, # 'r' + 5: 2, # 's' + 3: 1, # 't' + 21: 2, # 'u' + 19: 1, # 'v' + 62: 1, # 'x' + 16: 0, # 'y' + 11: 3, # 'z' + 51: 1, # 'Á' + 44: 1, # 'É' + 61: 0, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 0, # 'Ú' + 63: 1, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 1, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 50: { # 'F' + 28: 1, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 1, # 'E' + 50: 1, # 'F' + 49: 0, # 'G' + 38: 1, # 'H' + 39: 1, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 1, # 'O' + 46: 0, # 'P' + 43: 1, # 'R' + 33: 0, # 'S' + 37: 1, # 'T' + 57: 1, # 'U' + 48: 0, # 'V' + 55: 1, # 'Y' + 52: 0, # 'Z' + 2: 2, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 2, # 'e' + 27: 1, # 'f' + 12: 0, # 'g' + 20: 0, # 'h' + 9: 2, # 'i' + 22: 1, # 'j' + 7: 0, # 'k' + 6: 1, # 'l' + 13: 0, # 'm' + 4: 0, # 'n' + 8: 2, # 'o' + 23: 0, # 'p' + 10: 2, # 'r' + 5: 0, # 's' + 3: 0, # 't' + 21: 1, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 0, # 'z' + 51: 1, # 'Á' + 44: 1, # 'É' + 61: 0, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 0, # 'Ú' + 63: 1, # 'Ü' + 14: 1, # 'á' + 15: 1, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 2, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 1, # 'ő' + 56: 1, # 'ű' + }, + 49: { # 'G' + 28: 2, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 2, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 1, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 1, # 'O' + 46: 1, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 2, # 'Y' + 52: 1, # 'Z' + 2: 2, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 2, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 0, # 'h' + 9: 1, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 1, # 'l' + 13: 0, # 'm' + 4: 0, # 'n' + 8: 2, # 'o' + 23: 0, # 'p' + 10: 2, # 'r' + 5: 0, # 's' + 3: 0, # 't' + 21: 1, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 2, # 'y' + 11: 0, # 'z' + 51: 1, # 'Á' + 44: 1, # 'É' + 61: 1, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 1, # 'á' + 15: 1, # 'é' + 30: 0, # 'í' + 25: 1, # 'ó' + 24: 1, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 1, # 'ő' + 56: 0, # 'ű' + }, + 38: { # 'H' + 28: 2, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 0, # 'D' + 32: 1, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 1, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 1, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 1, # 'O' + 46: 0, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 1, # 'U' + 48: 0, # 'V' + 55: 1, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 2, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 0, # 'h' + 9: 2, # 'i' + 22: 1, # 'j' + 7: 0, # 'k' + 6: 1, # 'l' + 13: 1, # 'm' + 4: 0, # 'n' + 8: 3, # 'o' + 23: 0, # 'p' + 10: 1, # 'r' + 5: 0, # 's' + 3: 0, # 't' + 21: 2, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 0, # 'z' + 51: 2, # 'Á' + 44: 2, # 'É' + 61: 1, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 2, # 'á' + 15: 1, # 'é' + 30: 2, # 'í' + 25: 1, # 'ó' + 24: 1, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 1, # 'ő' + 56: 1, # 'ű' + }, + 39: { # 'I' + 28: 2, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 1, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 2, # 'I' + 53: 1, # 'J' + 36: 2, # 'K' + 41: 2, # 'L' + 34: 1, # 'M' + 35: 2, # 'N' + 47: 1, # 'O' + 46: 1, # 'P' + 43: 1, # 'R' + 33: 2, # 'S' + 37: 1, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 0, # 'Y' + 52: 2, # 'Z' + 2: 0, # 'a' + 18: 1, # 'b' + 26: 1, # 'c' + 17: 2, # 'd' + 1: 0, # 'e' + 27: 1, # 'f' + 12: 2, # 'g' + 20: 1, # 'h' + 9: 0, # 'i' + 22: 1, # 'j' + 7: 1, # 'k' + 6: 2, # 'l' + 13: 2, # 'm' + 4: 1, # 'n' + 8: 0, # 'o' + 23: 1, # 'p' + 10: 2, # 'r' + 5: 2, # 's' + 3: 2, # 't' + 21: 0, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 1, # 'z' + 51: 1, # 'Á' + 44: 1, # 'É' + 61: 0, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 53: { # 'J' + 28: 2, # 'A' + 40: 0, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 2, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 1, # 'H' + 39: 1, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 1, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 1, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 1, # 'Z' + 2: 2, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 2, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 0, # 'h' + 9: 1, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 0, # 'l' + 13: 0, # 'm' + 4: 0, # 'n' + 8: 1, # 'o' + 23: 0, # 'p' + 10: 0, # 'r' + 5: 0, # 's' + 3: 0, # 't' + 21: 2, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 0, # 'z' + 51: 1, # 'Á' + 44: 1, # 'É' + 61: 0, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 2, # 'á' + 15: 1, # 'é' + 30: 0, # 'í' + 25: 2, # 'ó' + 24: 2, # 'ö' + 31: 1, # 'ú' + 29: 0, # 'ü' + 42: 1, # 'ő' + 56: 0, # 'ű' + }, + 36: { # 'K' + 28: 2, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 2, # 'E' + 50: 1, # 'F' + 49: 0, # 'G' + 38: 1, # 'H' + 39: 2, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 2, # 'O' + 46: 0, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 1, # 'Y' + 52: 0, # 'Z' + 2: 2, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 2, # 'e' + 27: 1, # 'f' + 12: 0, # 'g' + 20: 1, # 'h' + 9: 3, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 1, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 8: 2, # 'o' + 23: 0, # 'p' + 10: 2, # 'r' + 5: 0, # 's' + 3: 0, # 't' + 21: 1, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 0, # 'z' + 51: 1, # 'Á' + 44: 1, # 'É' + 61: 1, # 'Í' + 58: 1, # 'Ó' + 59: 2, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 2, # 'á' + 15: 2, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 2, # 'ö' + 31: 1, # 'ú' + 29: 2, # 'ü' + 42: 1, # 'ő' + 56: 0, # 'ű' + }, + 41: { # 'L' + 28: 2, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 2, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 2, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 2, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 2, # 'O' + 46: 0, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 2, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 1, # 'Y' + 52: 1, # 'Z' + 2: 2, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 3, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 0, # 'h' + 9: 2, # 'i' + 22: 1, # 'j' + 7: 0, # 'k' + 6: 1, # 'l' + 13: 0, # 'm' + 4: 0, # 'n' + 8: 2, # 'o' + 23: 0, # 'p' + 10: 0, # 'r' + 5: 0, # 's' + 3: 0, # 't' + 21: 2, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 0, # 'z' + 51: 2, # 'Á' + 44: 1, # 'É' + 61: 1, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 2, # 'á' + 15: 1, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 1, # 'ö' + 31: 0, # 'ú' + 29: 1, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 34: { # 'M' + 28: 2, # 'A' + 40: 1, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 2, # 'E' + 50: 1, # 'F' + 49: 0, # 'G' + 38: 1, # 'H' + 39: 2, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 1, # 'O' + 46: 1, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 1, # 'Y' + 52: 1, # 'Z' + 2: 3, # 'a' + 18: 0, # 'b' + 26: 1, # 'c' + 17: 0, # 'd' + 1: 3, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 0, # 'h' + 9: 3, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 0, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 8: 3, # 'o' + 23: 0, # 'p' + 10: 1, # 'r' + 5: 0, # 's' + 3: 0, # 't' + 21: 2, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 0, # 'z' + 51: 2, # 'Á' + 44: 1, # 'É' + 61: 1, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 2, # 'á' + 15: 2, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 1, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 0, # 'ő' + 56: 1, # 'ű' + }, + 35: { # 'N' + 28: 2, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 2, # 'D' + 32: 2, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 1, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 1, # 'O' + 46: 1, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 2, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 2, # 'Y' + 52: 1, # 'Z' + 2: 3, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 3, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 0, # 'h' + 9: 2, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 0, # 'l' + 13: 0, # 'm' + 4: 1, # 'n' + 8: 2, # 'o' + 23: 0, # 'p' + 10: 0, # 'r' + 5: 0, # 's' + 3: 0, # 't' + 21: 1, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 2, # 'y' + 11: 0, # 'z' + 51: 1, # 'Á' + 44: 1, # 'É' + 61: 1, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 1, # 'á' + 15: 2, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 1, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 1, # 'ő' + 56: 0, # 'ű' + }, + 47: { # 'O' + 28: 1, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 1, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 1, # 'I' + 53: 1, # 'J' + 36: 2, # 'K' + 41: 2, # 'L' + 34: 2, # 'M' + 35: 2, # 'N' + 47: 1, # 'O' + 46: 1, # 'P' + 43: 2, # 'R' + 33: 2, # 'S' + 37: 2, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 1, # 'Y' + 52: 1, # 'Z' + 2: 0, # 'a' + 18: 1, # 'b' + 26: 1, # 'c' + 17: 1, # 'd' + 1: 1, # 'e' + 27: 1, # 'f' + 12: 1, # 'g' + 20: 1, # 'h' + 9: 1, # 'i' + 22: 1, # 'j' + 7: 2, # 'k' + 6: 2, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 8: 1, # 'o' + 23: 1, # 'p' + 10: 2, # 'r' + 5: 1, # 's' + 3: 2, # 't' + 21: 1, # 'u' + 19: 0, # 'v' + 62: 1, # 'x' + 16: 0, # 'y' + 11: 1, # 'z' + 51: 1, # 'Á' + 44: 1, # 'É' + 61: 0, # 'Í' + 58: 1, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 46: { # 'P' + 28: 1, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 1, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 1, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 0, # 'M' + 35: 1, # 'N' + 47: 1, # 'O' + 46: 1, # 'P' + 43: 2, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 0, # 'Y' + 52: 1, # 'Z' + 2: 2, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 2, # 'e' + 27: 1, # 'f' + 12: 0, # 'g' + 20: 1, # 'h' + 9: 2, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 1, # 'l' + 13: 0, # 'm' + 4: 1, # 'n' + 8: 2, # 'o' + 23: 0, # 'p' + 10: 2, # 'r' + 5: 1, # 's' + 3: 0, # 't' + 21: 1, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 0, # 'z' + 51: 2, # 'Á' + 44: 1, # 'É' + 61: 1, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 0, # 'Ú' + 63: 1, # 'Ü' + 14: 3, # 'á' + 15: 2, # 'é' + 30: 0, # 'í' + 25: 1, # 'ó' + 24: 1, # 'ö' + 31: 0, # 'ú' + 29: 1, # 'ü' + 42: 1, # 'ő' + 56: 0, # 'ű' + }, + 43: { # 'R' + 28: 2, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 2, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 2, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 2, # 'O' + 46: 1, # 'P' + 43: 1, # 'R' + 33: 2, # 'S' + 37: 2, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 1, # 'Y' + 52: 1, # 'Z' + 2: 2, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 2, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 1, # 'h' + 9: 2, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 0, # 'l' + 13: 0, # 'm' + 4: 0, # 'n' + 8: 2, # 'o' + 23: 0, # 'p' + 10: 0, # 'r' + 5: 0, # 's' + 3: 0, # 't' + 21: 1, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 0, # 'z' + 51: 2, # 'Á' + 44: 1, # 'É' + 61: 1, # 'Í' + 58: 2, # 'Ó' + 59: 1, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 2, # 'á' + 15: 2, # 'é' + 30: 1, # 'í' + 25: 2, # 'ó' + 24: 1, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 33: { # 'S' + 28: 2, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 2, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 2, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 2, # 'O' + 46: 1, # 'P' + 43: 1, # 'R' + 33: 2, # 'S' + 37: 2, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 1, # 'Y' + 52: 3, # 'Z' + 2: 2, # 'a' + 18: 0, # 'b' + 26: 1, # 'c' + 17: 0, # 'd' + 1: 2, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 1, # 'h' + 9: 2, # 'i' + 22: 0, # 'j' + 7: 1, # 'k' + 6: 1, # 'l' + 13: 1, # 'm' + 4: 0, # 'n' + 8: 2, # 'o' + 23: 1, # 'p' + 10: 0, # 'r' + 5: 0, # 's' + 3: 1, # 't' + 21: 1, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 3, # 'z' + 51: 2, # 'Á' + 44: 1, # 'É' + 61: 1, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 2, # 'á' + 15: 1, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 1, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 1, # 'ő' + 56: 1, # 'ű' + }, + 37: { # 'T' + 28: 2, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 2, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 2, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 2, # 'O' + 46: 1, # 'P' + 43: 2, # 'R' + 33: 1, # 'S' + 37: 2, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 1, # 'Y' + 52: 1, # 'Z' + 2: 2, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 2, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 1, # 'h' + 9: 2, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 0, # 'l' + 13: 0, # 'm' + 4: 0, # 'n' + 8: 2, # 'o' + 23: 0, # 'p' + 10: 1, # 'r' + 5: 1, # 's' + 3: 0, # 't' + 21: 2, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 1, # 'z' + 51: 2, # 'Á' + 44: 2, # 'É' + 61: 1, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 2, # 'á' + 15: 1, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 2, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 1, # 'ő' + 56: 1, # 'ű' + }, + 57: { # 'U' + 28: 1, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 1, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 1, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 1, # 'O' + 46: 1, # 'P' + 43: 1, # 'R' + 33: 2, # 'S' + 37: 1, # 'T' + 57: 0, # 'U' + 48: 1, # 'V' + 55: 0, # 'Y' + 52: 1, # 'Z' + 2: 0, # 'a' + 18: 1, # 'b' + 26: 1, # 'c' + 17: 1, # 'd' + 1: 1, # 'e' + 27: 0, # 'f' + 12: 2, # 'g' + 20: 0, # 'h' + 9: 0, # 'i' + 22: 1, # 'j' + 7: 1, # 'k' + 6: 1, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 8: 0, # 'o' + 23: 1, # 'p' + 10: 1, # 'r' + 5: 1, # 's' + 3: 1, # 't' + 21: 0, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 1, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 1, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 48: { # 'V' + 28: 2, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 1, # 'D' + 32: 2, # 'E' + 50: 1, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 2, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 0, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 1, # 'O' + 46: 1, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 1, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 2, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 0, # 'h' + 9: 2, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 1, # 'l' + 13: 0, # 'm' + 4: 0, # 'n' + 8: 2, # 'o' + 23: 0, # 'p' + 10: 0, # 'r' + 5: 0, # 's' + 3: 0, # 't' + 21: 1, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 0, # 'z' + 51: 2, # 'Á' + 44: 2, # 'É' + 61: 1, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 0, # 'Ú' + 63: 1, # 'Ü' + 14: 2, # 'á' + 15: 2, # 'é' + 30: 1, # 'í' + 25: 0, # 'ó' + 24: 1, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 55: { # 'Y' + 28: 2, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 2, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 1, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 1, # 'O' + 46: 1, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 0, # 'Y' + 52: 2, # 'Z' + 2: 1, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 1, # 'd' + 1: 1, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 0, # 'h' + 9: 0, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 0, # 'l' + 13: 0, # 'm' + 4: 0, # 'n' + 8: 1, # 'o' + 23: 1, # 'p' + 10: 0, # 'r' + 5: 0, # 's' + 3: 0, # 't' + 21: 0, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 0, # 'z' + 51: 1, # 'Á' + 44: 1, # 'É' + 61: 1, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 52: { # 'Z' + 28: 2, # 'A' + 40: 1, # 'B' + 54: 0, # 'C' + 45: 1, # 'D' + 32: 2, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 2, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 2, # 'O' + 46: 1, # 'P' + 43: 1, # 'R' + 33: 2, # 'S' + 37: 1, # 'T' + 57: 1, # 'U' + 48: 1, # 'V' + 55: 1, # 'Y' + 52: 1, # 'Z' + 2: 1, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 1, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 0, # 'h' + 9: 1, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 0, # 'l' + 13: 0, # 'm' + 4: 1, # 'n' + 8: 1, # 'o' + 23: 0, # 'p' + 10: 1, # 'r' + 5: 2, # 's' + 3: 0, # 't' + 21: 1, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 0, # 'z' + 51: 2, # 'Á' + 44: 1, # 'É' + 61: 1, # 'Í' + 58: 1, # 'Ó' + 59: 1, # 'Ö' + 60: 1, # 'Ú' + 63: 1, # 'Ü' + 14: 1, # 'á' + 15: 1, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 1, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 2: { # 'a' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 1, # 'a' + 18: 3, # 'b' + 26: 3, # 'c' + 17: 3, # 'd' + 1: 2, # 'e' + 27: 2, # 'f' + 12: 3, # 'g' + 20: 3, # 'h' + 9: 3, # 'i' + 22: 3, # 'j' + 7: 3, # 'k' + 6: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 8: 2, # 'o' + 23: 3, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 3, # 'u' + 19: 3, # 'v' + 62: 1, # 'x' + 16: 2, # 'y' + 11: 3, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 1, # 'á' + 15: 1, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 1, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 18: { # 'b' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 3, # 'b' + 26: 1, # 'c' + 17: 1, # 'd' + 1: 3, # 'e' + 27: 1, # 'f' + 12: 1, # 'g' + 20: 1, # 'h' + 9: 3, # 'i' + 22: 2, # 'j' + 7: 2, # 'k' + 6: 2, # 'l' + 13: 1, # 'm' + 4: 2, # 'n' + 8: 3, # 'o' + 23: 1, # 'p' + 10: 3, # 'r' + 5: 2, # 's' + 3: 1, # 't' + 21: 3, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 1, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 2, # 'í' + 25: 3, # 'ó' + 24: 2, # 'ö' + 31: 2, # 'ú' + 29: 2, # 'ü' + 42: 2, # 'ő' + 56: 1, # 'ű' + }, + 26: { # 'c' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 1, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 1, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 2, # 'a' + 18: 1, # 'b' + 26: 2, # 'c' + 17: 1, # 'd' + 1: 3, # 'e' + 27: 1, # 'f' + 12: 1, # 'g' + 20: 3, # 'h' + 9: 3, # 'i' + 22: 1, # 'j' + 7: 2, # 'k' + 6: 1, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 8: 3, # 'o' + 23: 1, # 'p' + 10: 2, # 'r' + 5: 3, # 's' + 3: 2, # 't' + 21: 2, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 2, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 2, # 'á' + 15: 2, # 'é' + 30: 2, # 'í' + 25: 1, # 'ó' + 24: 1, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 17: { # 'd' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 2, # 'b' + 26: 1, # 'c' + 17: 2, # 'd' + 1: 3, # 'e' + 27: 1, # 'f' + 12: 1, # 'g' + 20: 2, # 'h' + 9: 3, # 'i' + 22: 3, # 'j' + 7: 2, # 'k' + 6: 1, # 'l' + 13: 2, # 'm' + 4: 3, # 'n' + 8: 3, # 'o' + 23: 1, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 3, # 'u' + 19: 3, # 'v' + 62: 0, # 'x' + 16: 2, # 'y' + 11: 2, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 3, # 'í' + 25: 3, # 'ó' + 24: 3, # 'ö' + 31: 2, # 'ú' + 29: 2, # 'ü' + 42: 2, # 'ő' + 56: 1, # 'ű' + }, + 1: { # 'e' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 2, # 'a' + 18: 3, # 'b' + 26: 3, # 'c' + 17: 3, # 'd' + 1: 2, # 'e' + 27: 3, # 'f' + 12: 3, # 'g' + 20: 3, # 'h' + 9: 3, # 'i' + 22: 3, # 'j' + 7: 3, # 'k' + 6: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 8: 2, # 'o' + 23: 3, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 2, # 'u' + 19: 3, # 'v' + 62: 2, # 'x' + 16: 2, # 'y' + 11: 3, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 1, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 1, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 27: { # 'f' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 1, # 'b' + 26: 1, # 'c' + 17: 1, # 'd' + 1: 3, # 'e' + 27: 2, # 'f' + 12: 1, # 'g' + 20: 1, # 'h' + 9: 3, # 'i' + 22: 2, # 'j' + 7: 1, # 'k' + 6: 1, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 8: 3, # 'o' + 23: 0, # 'p' + 10: 3, # 'r' + 5: 1, # 's' + 3: 1, # 't' + 21: 2, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 0, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 3, # 'ö' + 31: 1, # 'ú' + 29: 2, # 'ü' + 42: 1, # 'ő' + 56: 1, # 'ű' + }, + 12: { # 'g' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 3, # 'b' + 26: 2, # 'c' + 17: 2, # 'd' + 1: 3, # 'e' + 27: 2, # 'f' + 12: 3, # 'g' + 20: 3, # 'h' + 9: 3, # 'i' + 22: 3, # 'j' + 7: 2, # 'k' + 6: 3, # 'l' + 13: 2, # 'm' + 4: 3, # 'n' + 8: 3, # 'o' + 23: 1, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 3, # 'u' + 19: 3, # 'v' + 62: 0, # 'x' + 16: 3, # 'y' + 11: 2, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 2, # 'í' + 25: 3, # 'ó' + 24: 2, # 'ö' + 31: 2, # 'ú' + 29: 2, # 'ü' + 42: 2, # 'ő' + 56: 1, # 'ű' + }, + 20: { # 'h' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 1, # 'b' + 26: 1, # 'c' + 17: 0, # 'd' + 1: 3, # 'e' + 27: 0, # 'f' + 12: 1, # 'g' + 20: 2, # 'h' + 9: 3, # 'i' + 22: 1, # 'j' + 7: 1, # 'k' + 6: 1, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 8: 3, # 'o' + 23: 0, # 'p' + 10: 1, # 'r' + 5: 2, # 's' + 3: 1, # 't' + 21: 3, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 2, # 'y' + 11: 0, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 3, # 'í' + 25: 2, # 'ó' + 24: 2, # 'ö' + 31: 2, # 'ú' + 29: 1, # 'ü' + 42: 1, # 'ő' + 56: 1, # 'ű' + }, + 9: { # 'i' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 3, # 'b' + 26: 3, # 'c' + 17: 3, # 'd' + 1: 3, # 'e' + 27: 3, # 'f' + 12: 3, # 'g' + 20: 3, # 'h' + 9: 2, # 'i' + 22: 2, # 'j' + 7: 3, # 'k' + 6: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 8: 2, # 'o' + 23: 2, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 3, # 'u' + 19: 3, # 'v' + 62: 1, # 'x' + 16: 1, # 'y' + 11: 3, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 2, # 'é' + 30: 1, # 'í' + 25: 3, # 'ó' + 24: 1, # 'ö' + 31: 2, # 'ú' + 29: 1, # 'ü' + 42: 0, # 'ő' + 56: 1, # 'ű' + }, + 22: { # 'j' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 2, # 'b' + 26: 1, # 'c' + 17: 3, # 'd' + 1: 3, # 'e' + 27: 1, # 'f' + 12: 1, # 'g' + 20: 2, # 'h' + 9: 1, # 'i' + 22: 2, # 'j' + 7: 2, # 'k' + 6: 2, # 'l' + 13: 1, # 'm' + 4: 2, # 'n' + 8: 3, # 'o' + 23: 1, # 'p' + 10: 2, # 'r' + 5: 2, # 's' + 3: 3, # 't' + 21: 3, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 2, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 1, # 'í' + 25: 3, # 'ó' + 24: 3, # 'ö' + 31: 3, # 'ú' + 29: 2, # 'ü' + 42: 1, # 'ő' + 56: 1, # 'ű' + }, + 7: { # 'k' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 3, # 'b' + 26: 2, # 'c' + 17: 1, # 'd' + 1: 3, # 'e' + 27: 1, # 'f' + 12: 1, # 'g' + 20: 2, # 'h' + 9: 3, # 'i' + 22: 2, # 'j' + 7: 3, # 'k' + 6: 3, # 'l' + 13: 1, # 'm' + 4: 3, # 'n' + 8: 3, # 'o' + 23: 1, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 3, # 'u' + 19: 2, # 'v' + 62: 0, # 'x' + 16: 2, # 'y' + 11: 1, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 3, # 'í' + 25: 2, # 'ó' + 24: 3, # 'ö' + 31: 1, # 'ú' + 29: 3, # 'ü' + 42: 1, # 'ő' + 56: 1, # 'ű' + }, + 6: { # 'l' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 1, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 1, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 2, # 'b' + 26: 3, # 'c' + 17: 3, # 'd' + 1: 3, # 'e' + 27: 3, # 'f' + 12: 3, # 'g' + 20: 3, # 'h' + 9: 3, # 'i' + 22: 3, # 'j' + 7: 3, # 'k' + 6: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 8: 3, # 'o' + 23: 2, # 'p' + 10: 2, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 3, # 'u' + 19: 3, # 'v' + 62: 0, # 'x' + 16: 3, # 'y' + 11: 2, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 3, # 'í' + 25: 3, # 'ó' + 24: 3, # 'ö' + 31: 2, # 'ú' + 29: 2, # 'ü' + 42: 3, # 'ő' + 56: 1, # 'ű' + }, + 13: { # 'm' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 3, # 'b' + 26: 2, # 'c' + 17: 1, # 'd' + 1: 3, # 'e' + 27: 1, # 'f' + 12: 1, # 'g' + 20: 2, # 'h' + 9: 3, # 'i' + 22: 2, # 'j' + 7: 1, # 'k' + 6: 3, # 'l' + 13: 3, # 'm' + 4: 2, # 'n' + 8: 3, # 'o' + 23: 3, # 'p' + 10: 2, # 'r' + 5: 2, # 's' + 3: 2, # 't' + 21: 3, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 2, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 2, # 'í' + 25: 2, # 'ó' + 24: 2, # 'ö' + 31: 2, # 'ú' + 29: 2, # 'ü' + 42: 1, # 'ő' + 56: 2, # 'ű' + }, + 4: { # 'n' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 3, # 'b' + 26: 3, # 'c' + 17: 3, # 'd' + 1: 3, # 'e' + 27: 2, # 'f' + 12: 3, # 'g' + 20: 3, # 'h' + 9: 3, # 'i' + 22: 2, # 'j' + 7: 3, # 'k' + 6: 2, # 'l' + 13: 2, # 'm' + 4: 3, # 'n' + 8: 3, # 'o' + 23: 2, # 'p' + 10: 2, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 3, # 'u' + 19: 2, # 'v' + 62: 1, # 'x' + 16: 3, # 'y' + 11: 3, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 2, # 'í' + 25: 2, # 'ó' + 24: 3, # 'ö' + 31: 2, # 'ú' + 29: 3, # 'ü' + 42: 2, # 'ő' + 56: 1, # 'ű' + }, + 8: { # 'o' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 1, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 2, # 'a' + 18: 3, # 'b' + 26: 3, # 'c' + 17: 3, # 'd' + 1: 2, # 'e' + 27: 2, # 'f' + 12: 3, # 'g' + 20: 3, # 'h' + 9: 2, # 'i' + 22: 2, # 'j' + 7: 3, # 'k' + 6: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 8: 1, # 'o' + 23: 3, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 2, # 'u' + 19: 3, # 'v' + 62: 1, # 'x' + 16: 1, # 'y' + 11: 3, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 1, # 'á' + 15: 2, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 1, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 23: { # 'p' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 1, # 'b' + 26: 2, # 'c' + 17: 1, # 'd' + 1: 3, # 'e' + 27: 1, # 'f' + 12: 1, # 'g' + 20: 2, # 'h' + 9: 3, # 'i' + 22: 2, # 'j' + 7: 2, # 'k' + 6: 3, # 'l' + 13: 1, # 'm' + 4: 2, # 'n' + 8: 3, # 'o' + 23: 3, # 'p' + 10: 3, # 'r' + 5: 2, # 's' + 3: 2, # 't' + 21: 3, # 'u' + 19: 2, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 2, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 2, # 'í' + 25: 2, # 'ó' + 24: 2, # 'ö' + 31: 1, # 'ú' + 29: 2, # 'ü' + 42: 1, # 'ő' + 56: 1, # 'ű' + }, + 10: { # 'r' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 3, # 'b' + 26: 3, # 'c' + 17: 3, # 'd' + 1: 3, # 'e' + 27: 2, # 'f' + 12: 3, # 'g' + 20: 2, # 'h' + 9: 3, # 'i' + 22: 3, # 'j' + 7: 3, # 'k' + 6: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 8: 3, # 'o' + 23: 2, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 3, # 'u' + 19: 3, # 'v' + 62: 1, # 'x' + 16: 2, # 'y' + 11: 3, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 2, # 'í' + 25: 3, # 'ó' + 24: 3, # 'ö' + 31: 3, # 'ú' + 29: 3, # 'ü' + 42: 2, # 'ő' + 56: 2, # 'ű' + }, + 5: { # 's' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 3, # 'b' + 26: 2, # 'c' + 17: 2, # 'd' + 1: 3, # 'e' + 27: 2, # 'f' + 12: 2, # 'g' + 20: 2, # 'h' + 9: 3, # 'i' + 22: 1, # 'j' + 7: 3, # 'k' + 6: 2, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 8: 3, # 'o' + 23: 2, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 3, # 'u' + 19: 2, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 3, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 3, # 'í' + 25: 3, # 'ó' + 24: 3, # 'ö' + 31: 3, # 'ú' + 29: 3, # 'ü' + 42: 2, # 'ő' + 56: 1, # 'ű' + }, + 3: { # 't' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 3, # 'b' + 26: 2, # 'c' + 17: 1, # 'd' + 1: 3, # 'e' + 27: 2, # 'f' + 12: 1, # 'g' + 20: 3, # 'h' + 9: 3, # 'i' + 22: 3, # 'j' + 7: 3, # 'k' + 6: 3, # 'l' + 13: 2, # 'm' + 4: 3, # 'n' + 8: 3, # 'o' + 23: 1, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 3, # 'u' + 19: 3, # 'v' + 62: 0, # 'x' + 16: 3, # 'y' + 11: 1, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 2, # 'í' + 25: 3, # 'ó' + 24: 3, # 'ö' + 31: 3, # 'ú' + 29: 3, # 'ü' + 42: 3, # 'ő' + 56: 2, # 'ű' + }, + 21: { # 'u' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 1, # 'a' + 18: 2, # 'b' + 26: 2, # 'c' + 17: 3, # 'd' + 1: 2, # 'e' + 27: 1, # 'f' + 12: 3, # 'g' + 20: 2, # 'h' + 9: 2, # 'i' + 22: 2, # 'j' + 7: 3, # 'k' + 6: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 8: 1, # 'o' + 23: 2, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 1, # 'u' + 19: 3, # 'v' + 62: 1, # 'x' + 16: 1, # 'y' + 11: 2, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 2, # 'á' + 15: 1, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 0, # 'ö' + 31: 1, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 19: { # 'v' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 2, # 'b' + 26: 1, # 'c' + 17: 1, # 'd' + 1: 3, # 'e' + 27: 1, # 'f' + 12: 1, # 'g' + 20: 1, # 'h' + 9: 3, # 'i' + 22: 1, # 'j' + 7: 1, # 'k' + 6: 1, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 8: 3, # 'o' + 23: 1, # 'p' + 10: 1, # 'r' + 5: 2, # 's' + 3: 2, # 't' + 21: 2, # 'u' + 19: 2, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 1, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 2, # 'í' + 25: 2, # 'ó' + 24: 2, # 'ö' + 31: 1, # 'ú' + 29: 2, # 'ü' + 42: 1, # 'ő' + 56: 1, # 'ű' + }, + 62: { # 'x' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 1, # 'a' + 18: 1, # 'b' + 26: 1, # 'c' + 17: 0, # 'd' + 1: 1, # 'e' + 27: 1, # 'f' + 12: 0, # 'g' + 20: 0, # 'h' + 9: 1, # 'i' + 22: 0, # 'j' + 7: 1, # 'k' + 6: 1, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 8: 1, # 'o' + 23: 1, # 'p' + 10: 1, # 'r' + 5: 1, # 's' + 3: 1, # 't' + 21: 1, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 0, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 1, # 'á' + 15: 1, # 'é' + 30: 1, # 'í' + 25: 1, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 16: { # 'y' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 2, # 'b' + 26: 1, # 'c' + 17: 1, # 'd' + 1: 3, # 'e' + 27: 2, # 'f' + 12: 2, # 'g' + 20: 2, # 'h' + 9: 3, # 'i' + 22: 2, # 'j' + 7: 2, # 'k' + 6: 2, # 'l' + 13: 2, # 'm' + 4: 3, # 'n' + 8: 3, # 'o' + 23: 2, # 'p' + 10: 2, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 3, # 'u' + 19: 3, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 2, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 2, # 'í' + 25: 2, # 'ó' + 24: 3, # 'ö' + 31: 2, # 'ú' + 29: 2, # 'ü' + 42: 1, # 'ő' + 56: 2, # 'ű' + }, + 11: { # 'z' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 3, # 'a' + 18: 2, # 'b' + 26: 1, # 'c' + 17: 3, # 'd' + 1: 3, # 'e' + 27: 1, # 'f' + 12: 2, # 'g' + 20: 2, # 'h' + 9: 3, # 'i' + 22: 1, # 'j' + 7: 3, # 'k' + 6: 2, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 8: 3, # 'o' + 23: 1, # 'p' + 10: 2, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 3, # 'u' + 19: 2, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 3, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 3, # 'á' + 15: 3, # 'é' + 30: 3, # 'í' + 25: 3, # 'ó' + 24: 3, # 'ö' + 31: 2, # 'ú' + 29: 3, # 'ü' + 42: 2, # 'ő' + 56: 1, # 'ű' + }, + 51: { # 'Á' + 28: 0, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 0, # 'E' + 50: 1, # 'F' + 49: 2, # 'G' + 38: 1, # 'H' + 39: 1, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 2, # 'L' + 34: 1, # 'M' + 35: 2, # 'N' + 47: 0, # 'O' + 46: 1, # 'P' + 43: 2, # 'R' + 33: 2, # 'S' + 37: 1, # 'T' + 57: 0, # 'U' + 48: 1, # 'V' + 55: 0, # 'Y' + 52: 1, # 'Z' + 2: 0, # 'a' + 18: 1, # 'b' + 26: 1, # 'c' + 17: 1, # 'd' + 1: 0, # 'e' + 27: 0, # 'f' + 12: 1, # 'g' + 20: 1, # 'h' + 9: 0, # 'i' + 22: 1, # 'j' + 7: 1, # 'k' + 6: 2, # 'l' + 13: 2, # 'm' + 4: 0, # 'n' + 8: 0, # 'o' + 23: 1, # 'p' + 10: 1, # 'r' + 5: 1, # 's' + 3: 1, # 't' + 21: 0, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 1, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 1, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 44: { # 'É' + 28: 0, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 1, # 'E' + 50: 0, # 'F' + 49: 2, # 'G' + 38: 1, # 'H' + 39: 1, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 2, # 'L' + 34: 1, # 'M' + 35: 2, # 'N' + 47: 0, # 'O' + 46: 1, # 'P' + 43: 2, # 'R' + 33: 2, # 'S' + 37: 2, # 'T' + 57: 0, # 'U' + 48: 1, # 'V' + 55: 0, # 'Y' + 52: 1, # 'Z' + 2: 0, # 'a' + 18: 1, # 'b' + 26: 1, # 'c' + 17: 1, # 'd' + 1: 0, # 'e' + 27: 0, # 'f' + 12: 1, # 'g' + 20: 1, # 'h' + 9: 0, # 'i' + 22: 1, # 'j' + 7: 1, # 'k' + 6: 2, # 'l' + 13: 1, # 'm' + 4: 2, # 'n' + 8: 0, # 'o' + 23: 1, # 'p' + 10: 2, # 'r' + 5: 3, # 's' + 3: 1, # 't' + 21: 0, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 0, # 'z' + 51: 0, # 'Á' + 44: 1, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 61: { # 'Í' + 28: 0, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 0, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 1, # 'J' + 36: 0, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 0, # 'O' + 46: 1, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 0, # 'U' + 48: 1, # 'V' + 55: 0, # 'Y' + 52: 1, # 'Z' + 2: 0, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 0, # 'e' + 27: 0, # 'f' + 12: 2, # 'g' + 20: 0, # 'h' + 9: 0, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 0, # 'l' + 13: 1, # 'm' + 4: 0, # 'n' + 8: 0, # 'o' + 23: 0, # 'p' + 10: 1, # 'r' + 5: 0, # 's' + 3: 1, # 't' + 21: 0, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 1, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 58: { # 'Ó' + 28: 1, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 0, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 1, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 2, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 0, # 'O' + 46: 1, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 0, # 'U' + 48: 1, # 'V' + 55: 0, # 'Y' + 52: 1, # 'Z' + 2: 0, # 'a' + 18: 1, # 'b' + 26: 1, # 'c' + 17: 1, # 'd' + 1: 0, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 2, # 'h' + 9: 0, # 'i' + 22: 0, # 'j' + 7: 1, # 'k' + 6: 1, # 'l' + 13: 0, # 'm' + 4: 1, # 'n' + 8: 0, # 'o' + 23: 1, # 'p' + 10: 1, # 'r' + 5: 1, # 's' + 3: 0, # 't' + 21: 0, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 1, # 'z' + 51: 0, # 'Á' + 44: 1, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 59: { # 'Ö' + 28: 0, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 0, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 0, # 'O' + 46: 1, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 0, # 'U' + 48: 1, # 'V' + 55: 0, # 'Y' + 52: 1, # 'Z' + 2: 0, # 'a' + 18: 0, # 'b' + 26: 1, # 'c' + 17: 1, # 'd' + 1: 0, # 'e' + 27: 0, # 'f' + 12: 0, # 'g' + 20: 0, # 'h' + 9: 0, # 'i' + 22: 0, # 'j' + 7: 1, # 'k' + 6: 1, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 8: 0, # 'o' + 23: 0, # 'p' + 10: 2, # 'r' + 5: 1, # 's' + 3: 1, # 't' + 21: 0, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 1, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 60: { # 'Ú' + 28: 0, # 'A' + 40: 1, # 'B' + 54: 1, # 'C' + 45: 1, # 'D' + 32: 0, # 'E' + 50: 1, # 'F' + 49: 1, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 0, # 'U' + 48: 1, # 'V' + 55: 0, # 'Y' + 52: 1, # 'Z' + 2: 0, # 'a' + 18: 0, # 'b' + 26: 0, # 'c' + 17: 0, # 'd' + 1: 0, # 'e' + 27: 0, # 'f' + 12: 2, # 'g' + 20: 0, # 'h' + 9: 0, # 'i' + 22: 2, # 'j' + 7: 0, # 'k' + 6: 0, # 'l' + 13: 0, # 'm' + 4: 1, # 'n' + 8: 0, # 'o' + 23: 0, # 'p' + 10: 1, # 'r' + 5: 1, # 's' + 3: 1, # 't' + 21: 0, # 'u' + 19: 0, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 0, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 63: { # 'Ü' + 28: 0, # 'A' + 40: 1, # 'B' + 54: 0, # 'C' + 45: 1, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 1, # 'G' + 38: 1, # 'H' + 39: 0, # 'I' + 53: 1, # 'J' + 36: 1, # 'K' + 41: 1, # 'L' + 34: 1, # 'M' + 35: 1, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 1, # 'R' + 33: 1, # 'S' + 37: 1, # 'T' + 57: 0, # 'U' + 48: 1, # 'V' + 55: 0, # 'Y' + 52: 1, # 'Z' + 2: 0, # 'a' + 18: 1, # 'b' + 26: 0, # 'c' + 17: 1, # 'd' + 1: 0, # 'e' + 27: 0, # 'f' + 12: 1, # 'g' + 20: 0, # 'h' + 9: 0, # 'i' + 22: 0, # 'j' + 7: 0, # 'k' + 6: 1, # 'l' + 13: 0, # 'm' + 4: 1, # 'n' + 8: 0, # 'o' + 23: 0, # 'p' + 10: 1, # 'r' + 5: 1, # 's' + 3: 1, # 't' + 21: 0, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 1, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 14: { # 'á' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 1, # 'a' + 18: 3, # 'b' + 26: 3, # 'c' + 17: 3, # 'd' + 1: 1, # 'e' + 27: 2, # 'f' + 12: 3, # 'g' + 20: 2, # 'h' + 9: 2, # 'i' + 22: 3, # 'j' + 7: 3, # 'k' + 6: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 8: 1, # 'o' + 23: 2, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 2, # 'u' + 19: 3, # 'v' + 62: 0, # 'x' + 16: 1, # 'y' + 11: 3, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 1, # 'á' + 15: 2, # 'é' + 30: 1, # 'í' + 25: 0, # 'ó' + 24: 1, # 'ö' + 31: 0, # 'ú' + 29: 1, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 15: { # 'é' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 1, # 'a' + 18: 3, # 'b' + 26: 2, # 'c' + 17: 3, # 'd' + 1: 1, # 'e' + 27: 1, # 'f' + 12: 3, # 'g' + 20: 3, # 'h' + 9: 2, # 'i' + 22: 2, # 'j' + 7: 3, # 'k' + 6: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 8: 1, # 'o' + 23: 3, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 0, # 'u' + 19: 3, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 3, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 1, # 'á' + 15: 1, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 1, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 30: { # 'í' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 0, # 'a' + 18: 1, # 'b' + 26: 2, # 'c' + 17: 1, # 'd' + 1: 0, # 'e' + 27: 1, # 'f' + 12: 3, # 'g' + 20: 0, # 'h' + 9: 0, # 'i' + 22: 1, # 'j' + 7: 1, # 'k' + 6: 2, # 'l' + 13: 2, # 'm' + 4: 3, # 'n' + 8: 0, # 'o' + 23: 1, # 'p' + 10: 3, # 'r' + 5: 2, # 's' + 3: 3, # 't' + 21: 0, # 'u' + 19: 3, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 2, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 25: { # 'ó' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 2, # 'a' + 18: 3, # 'b' + 26: 2, # 'c' + 17: 3, # 'd' + 1: 1, # 'e' + 27: 2, # 'f' + 12: 2, # 'g' + 20: 2, # 'h' + 9: 2, # 'i' + 22: 2, # 'j' + 7: 3, # 'k' + 6: 3, # 'l' + 13: 2, # 'm' + 4: 3, # 'n' + 8: 1, # 'o' + 23: 2, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 1, # 'u' + 19: 2, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 3, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 1, # 'á' + 15: 1, # 'é' + 30: 1, # 'í' + 25: 0, # 'ó' + 24: 1, # 'ö' + 31: 1, # 'ú' + 29: 1, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 24: { # 'ö' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 0, # 'a' + 18: 3, # 'b' + 26: 1, # 'c' + 17: 2, # 'd' + 1: 0, # 'e' + 27: 1, # 'f' + 12: 2, # 'g' + 20: 1, # 'h' + 9: 0, # 'i' + 22: 1, # 'j' + 7: 3, # 'k' + 6: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 8: 0, # 'o' + 23: 2, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 3, # 't' + 21: 0, # 'u' + 19: 3, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 3, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 31: { # 'ú' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 1, # 'a' + 18: 1, # 'b' + 26: 2, # 'c' + 17: 1, # 'd' + 1: 1, # 'e' + 27: 2, # 'f' + 12: 3, # 'g' + 20: 1, # 'h' + 9: 1, # 'i' + 22: 3, # 'j' + 7: 1, # 'k' + 6: 3, # 'l' + 13: 1, # 'm' + 4: 2, # 'n' + 8: 0, # 'o' + 23: 1, # 'p' + 10: 3, # 'r' + 5: 3, # 's' + 3: 2, # 't' + 21: 1, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 2, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 1, # 'á' + 15: 1, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 29: { # 'ü' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 1, # 'a' + 18: 1, # 'b' + 26: 1, # 'c' + 17: 2, # 'd' + 1: 1, # 'e' + 27: 1, # 'f' + 12: 3, # 'g' + 20: 2, # 'h' + 9: 1, # 'i' + 22: 1, # 'j' + 7: 3, # 'k' + 6: 3, # 'l' + 13: 1, # 'm' + 4: 3, # 'n' + 8: 0, # 'o' + 23: 1, # 'p' + 10: 2, # 'r' + 5: 2, # 's' + 3: 2, # 't' + 21: 0, # 'u' + 19: 2, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 2, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 1, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 42: { # 'ő' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 1, # 'a' + 18: 2, # 'b' + 26: 1, # 'c' + 17: 2, # 'd' + 1: 1, # 'e' + 27: 1, # 'f' + 12: 1, # 'g' + 20: 1, # 'h' + 9: 1, # 'i' + 22: 1, # 'j' + 7: 2, # 'k' + 6: 3, # 'l' + 13: 1, # 'm' + 4: 2, # 'n' + 8: 1, # 'o' + 23: 1, # 'p' + 10: 2, # 'r' + 5: 2, # 's' + 3: 2, # 't' + 21: 1, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 2, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 1, # 'é' + 30: 1, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 1, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, + 56: { # 'ű' + 28: 0, # 'A' + 40: 0, # 'B' + 54: 0, # 'C' + 45: 0, # 'D' + 32: 0, # 'E' + 50: 0, # 'F' + 49: 0, # 'G' + 38: 0, # 'H' + 39: 0, # 'I' + 53: 0, # 'J' + 36: 0, # 'K' + 41: 0, # 'L' + 34: 0, # 'M' + 35: 0, # 'N' + 47: 0, # 'O' + 46: 0, # 'P' + 43: 0, # 'R' + 33: 0, # 'S' + 37: 0, # 'T' + 57: 0, # 'U' + 48: 0, # 'V' + 55: 0, # 'Y' + 52: 0, # 'Z' + 2: 1, # 'a' + 18: 1, # 'b' + 26: 0, # 'c' + 17: 1, # 'd' + 1: 1, # 'e' + 27: 1, # 'f' + 12: 1, # 'g' + 20: 1, # 'h' + 9: 1, # 'i' + 22: 1, # 'j' + 7: 1, # 'k' + 6: 1, # 'l' + 13: 0, # 'm' + 4: 2, # 'n' + 8: 0, # 'o' + 23: 0, # 'p' + 10: 1, # 'r' + 5: 1, # 's' + 3: 1, # 't' + 21: 0, # 'u' + 19: 1, # 'v' + 62: 0, # 'x' + 16: 0, # 'y' + 11: 2, # 'z' + 51: 0, # 'Á' + 44: 0, # 'É' + 61: 0, # 'Í' + 58: 0, # 'Ó' + 59: 0, # 'Ö' + 60: 0, # 'Ú' + 63: 0, # 'Ü' + 14: 0, # 'á' + 15: 0, # 'é' + 30: 0, # 'í' + 25: 0, # 'ó' + 24: 0, # 'ö' + 31: 0, # 'ú' + 29: 0, # 'ü' + 42: 0, # 'ő' + 56: 0, # 'ű' + }, +} + +# 255: Undefined characters that did not exist in training text +# 254: Carriage/Return +# 253: symbol (punctuation) that does not belong to word +# 252: 0 - 9 +# 251: Control characters + +# Character Mapping Table(s): +WINDOWS_1250_HUNGARIAN_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 254, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 254, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 253, # ' ' + 33: 253, # '!' + 34: 253, # '"' + 35: 253, # '#' + 36: 253, # '$' + 37: 253, # '%' + 38: 253, # '&' + 39: 253, # "'" + 40: 253, # '(' + 41: 253, # ')' + 42: 253, # '*' + 43: 253, # '+' + 44: 253, # ',' + 45: 253, # '-' + 46: 253, # '.' + 47: 253, # '/' + 48: 252, # '0' + 49: 252, # '1' + 50: 252, # '2' + 51: 252, # '3' + 52: 252, # '4' + 53: 252, # '5' + 54: 252, # '6' + 55: 252, # '7' + 56: 252, # '8' + 57: 252, # '9' + 58: 253, # ':' + 59: 253, # ';' + 60: 253, # '<' + 61: 253, # '=' + 62: 253, # '>' + 63: 253, # '?' + 64: 253, # '@' + 65: 28, # 'A' + 66: 40, # 'B' + 67: 54, # 'C' + 68: 45, # 'D' + 69: 32, # 'E' + 70: 50, # 'F' + 71: 49, # 'G' + 72: 38, # 'H' + 73: 39, # 'I' + 74: 53, # 'J' + 75: 36, # 'K' + 76: 41, # 'L' + 77: 34, # 'M' + 78: 35, # 'N' + 79: 47, # 'O' + 80: 46, # 'P' + 81: 72, # 'Q' + 82: 43, # 'R' + 83: 33, # 'S' + 84: 37, # 'T' + 85: 57, # 'U' + 86: 48, # 'V' + 87: 64, # 'W' + 88: 68, # 'X' + 89: 55, # 'Y' + 90: 52, # 'Z' + 91: 253, # '[' + 92: 253, # '\\' + 93: 253, # ']' + 94: 253, # '^' + 95: 253, # '_' + 96: 253, # '`' + 97: 2, # 'a' + 98: 18, # 'b' + 99: 26, # 'c' + 100: 17, # 'd' + 101: 1, # 'e' + 102: 27, # 'f' + 103: 12, # 'g' + 104: 20, # 'h' + 105: 9, # 'i' + 106: 22, # 'j' + 107: 7, # 'k' + 108: 6, # 'l' + 109: 13, # 'm' + 110: 4, # 'n' + 111: 8, # 'o' + 112: 23, # 'p' + 113: 67, # 'q' + 114: 10, # 'r' + 115: 5, # 's' + 116: 3, # 't' + 117: 21, # 'u' + 118: 19, # 'v' + 119: 65, # 'w' + 120: 62, # 'x' + 121: 16, # 'y' + 122: 11, # 'z' + 123: 253, # '{' + 124: 253, # '|' + 125: 253, # '}' + 126: 253, # '~' + 127: 253, # '\x7f' + 128: 161, # '€' + 129: 162, # None + 130: 163, # '‚' + 131: 164, # None + 132: 165, # '„' + 133: 166, # '…' + 134: 167, # '†' + 135: 168, # '‡' + 136: 169, # None + 137: 170, # '‰' + 138: 171, # 'Š' + 139: 172, # '‹' + 140: 173, # 'Ś' + 141: 174, # 'Ť' + 142: 175, # 'Ž' + 143: 176, # 'Ź' + 144: 177, # None + 145: 178, # '‘' + 146: 179, # '’' + 147: 180, # '“' + 148: 78, # '”' + 149: 181, # '•' + 150: 69, # '–' + 151: 182, # '—' + 152: 183, # None + 153: 184, # '™' + 154: 185, # 'š' + 155: 186, # '›' + 156: 187, # 'ś' + 157: 188, # 'ť' + 158: 189, # 'ž' + 159: 190, # 'ź' + 160: 191, # '\xa0' + 161: 192, # 'ˇ' + 162: 193, # '˘' + 163: 194, # 'Ł' + 164: 195, # '¤' + 165: 196, # 'Ą' + 166: 197, # '¦' + 167: 76, # '§' + 168: 198, # '¨' + 169: 199, # '©' + 170: 200, # 'Ş' + 171: 201, # '«' + 172: 202, # '¬' + 173: 203, # '\xad' + 174: 204, # '®' + 175: 205, # 'Ż' + 176: 81, # '°' + 177: 206, # '±' + 178: 207, # '˛' + 179: 208, # 'ł' + 180: 209, # '´' + 181: 210, # 'µ' + 182: 211, # '¶' + 183: 212, # '·' + 184: 213, # '¸' + 185: 214, # 'ą' + 186: 215, # 'ş' + 187: 216, # '»' + 188: 217, # 'Ľ' + 189: 218, # '˝' + 190: 219, # 'ľ' + 191: 220, # 'ż' + 192: 221, # 'Ŕ' + 193: 51, # 'Á' + 194: 83, # 'Â' + 195: 222, # 'Ă' + 196: 80, # 'Ä' + 197: 223, # 'Ĺ' + 198: 224, # 'Ć' + 199: 225, # 'Ç' + 200: 226, # 'Č' + 201: 44, # 'É' + 202: 227, # 'Ę' + 203: 228, # 'Ë' + 204: 229, # 'Ě' + 205: 61, # 'Í' + 206: 230, # 'Î' + 207: 231, # 'Ď' + 208: 232, # 'Đ' + 209: 233, # 'Ń' + 210: 234, # 'Ň' + 211: 58, # 'Ó' + 212: 235, # 'Ô' + 213: 66, # 'Ő' + 214: 59, # 'Ö' + 215: 236, # '×' + 216: 237, # 'Ř' + 217: 238, # 'Ů' + 218: 60, # 'Ú' + 219: 70, # 'Ű' + 220: 63, # 'Ü' + 221: 239, # 'Ý' + 222: 240, # 'Ţ' + 223: 241, # 'ß' + 224: 84, # 'ŕ' + 225: 14, # 'á' + 226: 75, # 'â' + 227: 242, # 'ă' + 228: 71, # 'ä' + 229: 82, # 'ĺ' + 230: 243, # 'ć' + 231: 73, # 'ç' + 232: 244, # 'č' + 233: 15, # 'é' + 234: 85, # 'ę' + 235: 79, # 'ë' + 236: 86, # 'ě' + 237: 30, # 'í' + 238: 77, # 'î' + 239: 87, # 'ď' + 240: 245, # 'đ' + 241: 246, # 'ń' + 242: 247, # 'ň' + 243: 25, # 'ó' + 244: 74, # 'ô' + 245: 42, # 'ő' + 246: 24, # 'ö' + 247: 248, # '÷' + 248: 249, # 'ř' + 249: 250, # 'ů' + 250: 31, # 'ú' + 251: 56, # 'ű' + 252: 29, # 'ü' + 253: 251, # 'ý' + 254: 252, # 'ţ' + 255: 253, # '˙' +} + +WINDOWS_1250_HUNGARIAN_MODEL = SingleByteCharSetModel(charset_name='windows-1250', + language='Hungarian', + char_to_order_map=WINDOWS_1250_HUNGARIAN_CHAR_TO_ORDER, + language_model=HUNGARIAN_LANG_MODEL, + typical_positive_ratio=0.947368, + keep_ascii_letters=True, + alphabet='ABCDEFGHIJKLMNOPRSTUVZabcdefghijklmnoprstuvzÁÉÍÓÖÚÜáéíóöúüŐőŰű') + +ISO_8859_2_HUNGARIAN_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 254, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 254, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 253, # ' ' + 33: 253, # '!' + 34: 253, # '"' + 35: 253, # '#' + 36: 253, # '$' + 37: 253, # '%' + 38: 253, # '&' + 39: 253, # "'" + 40: 253, # '(' + 41: 253, # ')' + 42: 253, # '*' + 43: 253, # '+' + 44: 253, # ',' + 45: 253, # '-' + 46: 253, # '.' + 47: 253, # '/' + 48: 252, # '0' + 49: 252, # '1' + 50: 252, # '2' + 51: 252, # '3' + 52: 252, # '4' + 53: 252, # '5' + 54: 252, # '6' + 55: 252, # '7' + 56: 252, # '8' + 57: 252, # '9' + 58: 253, # ':' + 59: 253, # ';' + 60: 253, # '<' + 61: 253, # '=' + 62: 253, # '>' + 63: 253, # '?' + 64: 253, # '@' + 65: 28, # 'A' + 66: 40, # 'B' + 67: 54, # 'C' + 68: 45, # 'D' + 69: 32, # 'E' + 70: 50, # 'F' + 71: 49, # 'G' + 72: 38, # 'H' + 73: 39, # 'I' + 74: 53, # 'J' + 75: 36, # 'K' + 76: 41, # 'L' + 77: 34, # 'M' + 78: 35, # 'N' + 79: 47, # 'O' + 80: 46, # 'P' + 81: 71, # 'Q' + 82: 43, # 'R' + 83: 33, # 'S' + 84: 37, # 'T' + 85: 57, # 'U' + 86: 48, # 'V' + 87: 64, # 'W' + 88: 68, # 'X' + 89: 55, # 'Y' + 90: 52, # 'Z' + 91: 253, # '[' + 92: 253, # '\\' + 93: 253, # ']' + 94: 253, # '^' + 95: 253, # '_' + 96: 253, # '`' + 97: 2, # 'a' + 98: 18, # 'b' + 99: 26, # 'c' + 100: 17, # 'd' + 101: 1, # 'e' + 102: 27, # 'f' + 103: 12, # 'g' + 104: 20, # 'h' + 105: 9, # 'i' + 106: 22, # 'j' + 107: 7, # 'k' + 108: 6, # 'l' + 109: 13, # 'm' + 110: 4, # 'n' + 111: 8, # 'o' + 112: 23, # 'p' + 113: 67, # 'q' + 114: 10, # 'r' + 115: 5, # 's' + 116: 3, # 't' + 117: 21, # 'u' + 118: 19, # 'v' + 119: 65, # 'w' + 120: 62, # 'x' + 121: 16, # 'y' + 122: 11, # 'z' + 123: 253, # '{' + 124: 253, # '|' + 125: 253, # '}' + 126: 253, # '~' + 127: 253, # '\x7f' + 128: 159, # '\x80' + 129: 160, # '\x81' + 130: 161, # '\x82' + 131: 162, # '\x83' + 132: 163, # '\x84' + 133: 164, # '\x85' + 134: 165, # '\x86' + 135: 166, # '\x87' + 136: 167, # '\x88' + 137: 168, # '\x89' + 138: 169, # '\x8a' + 139: 170, # '\x8b' + 140: 171, # '\x8c' + 141: 172, # '\x8d' + 142: 173, # '\x8e' + 143: 174, # '\x8f' + 144: 175, # '\x90' + 145: 176, # '\x91' + 146: 177, # '\x92' + 147: 178, # '\x93' + 148: 179, # '\x94' + 149: 180, # '\x95' + 150: 181, # '\x96' + 151: 182, # '\x97' + 152: 183, # '\x98' + 153: 184, # '\x99' + 154: 185, # '\x9a' + 155: 186, # '\x9b' + 156: 187, # '\x9c' + 157: 188, # '\x9d' + 158: 189, # '\x9e' + 159: 190, # '\x9f' + 160: 191, # '\xa0' + 161: 192, # 'Ą' + 162: 193, # '˘' + 163: 194, # 'Ł' + 164: 195, # '¤' + 165: 196, # 'Ľ' + 166: 197, # 'Ś' + 167: 75, # '§' + 168: 198, # '¨' + 169: 199, # 'Š' + 170: 200, # 'Ş' + 171: 201, # 'Ť' + 172: 202, # 'Ź' + 173: 203, # '\xad' + 174: 204, # 'Ž' + 175: 205, # 'Ż' + 176: 79, # '°' + 177: 206, # 'ą' + 178: 207, # '˛' + 179: 208, # 'ł' + 180: 209, # '´' + 181: 210, # 'ľ' + 182: 211, # 'ś' + 183: 212, # 'ˇ' + 184: 213, # '¸' + 185: 214, # 'š' + 186: 215, # 'ş' + 187: 216, # 'ť' + 188: 217, # 'ź' + 189: 218, # '˝' + 190: 219, # 'ž' + 191: 220, # 'ż' + 192: 221, # 'Ŕ' + 193: 51, # 'Á' + 194: 81, # 'Â' + 195: 222, # 'Ă' + 196: 78, # 'Ä' + 197: 223, # 'Ĺ' + 198: 224, # 'Ć' + 199: 225, # 'Ç' + 200: 226, # 'Č' + 201: 44, # 'É' + 202: 227, # 'Ę' + 203: 228, # 'Ë' + 204: 229, # 'Ě' + 205: 61, # 'Í' + 206: 230, # 'Î' + 207: 231, # 'Ď' + 208: 232, # 'Đ' + 209: 233, # 'Ń' + 210: 234, # 'Ň' + 211: 58, # 'Ó' + 212: 235, # 'Ô' + 213: 66, # 'Ő' + 214: 59, # 'Ö' + 215: 236, # '×' + 216: 237, # 'Ř' + 217: 238, # 'Ů' + 218: 60, # 'Ú' + 219: 69, # 'Ű' + 220: 63, # 'Ü' + 221: 239, # 'Ý' + 222: 240, # 'Ţ' + 223: 241, # 'ß' + 224: 82, # 'ŕ' + 225: 14, # 'á' + 226: 74, # 'â' + 227: 242, # 'ă' + 228: 70, # 'ä' + 229: 80, # 'ĺ' + 230: 243, # 'ć' + 231: 72, # 'ç' + 232: 244, # 'č' + 233: 15, # 'é' + 234: 83, # 'ę' + 235: 77, # 'ë' + 236: 84, # 'ě' + 237: 30, # 'í' + 238: 76, # 'î' + 239: 85, # 'ď' + 240: 245, # 'đ' + 241: 246, # 'ń' + 242: 247, # 'ň' + 243: 25, # 'ó' + 244: 73, # 'ô' + 245: 42, # 'ő' + 246: 24, # 'ö' + 247: 248, # '÷' + 248: 249, # 'ř' + 249: 250, # 'ů' + 250: 31, # 'ú' + 251: 56, # 'ű' + 252: 29, # 'ü' + 253: 251, # 'ý' + 254: 252, # 'ţ' + 255: 253, # '˙' +} + +ISO_8859_2_HUNGARIAN_MODEL = SingleByteCharSetModel(charset_name='ISO-8859-2', + language='Hungarian', + char_to_order_map=ISO_8859_2_HUNGARIAN_CHAR_TO_ORDER, + language_model=HUNGARIAN_LANG_MODEL, + typical_positive_ratio=0.947368, + keep_ascii_letters=True, + alphabet='ABCDEFGHIJKLMNOPRSTUVZabcdefghijklmnoprstuvzÁÉÍÓÖÚÜáéíóöúüŐőŰű') + diff --git a/venv/Lib/site-packages/pip/_vendor/chardet/langrussianmodel.py b/venv/Lib/site-packages/pip/_vendor/chardet/langrussianmodel.py new file mode 100644 index 0000000..5594452 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/chardet/langrussianmodel.py @@ -0,0 +1,5718 @@ +#!/usr/bin/env python +# -*- coding: utf-8 -*- + +from pip._vendor.chardet.sbcharsetprober import SingleByteCharSetModel + + +# 3: Positive +# 2: Likely +# 1: Unlikely +# 0: Negative + +RUSSIAN_LANG_MODEL = { + 37: { # 'А' + 37: 0, # 'А' + 44: 1, # 'Б' + 33: 1, # 'В' + 46: 1, # 'Г' + 41: 1, # 'Д' + 48: 1, # 'Е' + 56: 1, # 'Ж' + 51: 1, # 'З' + 42: 1, # 'И' + 60: 1, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 2, # 'Н' + 34: 1, # 'О' + 35: 1, # 'П' + 45: 1, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 1, # 'У' + 53: 1, # 'Ф' + 55: 1, # 'Х' + 58: 1, # 'Ц' + 50: 1, # 'Ч' + 57: 1, # 'Ш' + 63: 1, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 1, # 'Ю' + 43: 1, # 'Я' + 3: 1, # 'а' + 21: 2, # 'б' + 10: 2, # 'в' + 19: 2, # 'г' + 13: 2, # 'д' + 2: 0, # 'е' + 24: 1, # 'ж' + 20: 1, # 'з' + 4: 0, # 'и' + 23: 1, # 'й' + 11: 2, # 'к' + 8: 3, # 'л' + 12: 2, # 'м' + 5: 2, # 'н' + 1: 0, # 'о' + 15: 2, # 'п' + 9: 2, # 'р' + 7: 2, # 'с' + 6: 2, # 'т' + 14: 2, # 'у' + 39: 2, # 'ф' + 26: 2, # 'х' + 28: 0, # 'ц' + 22: 1, # 'ч' + 25: 2, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 1, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 44: { # 'Б' + 37: 1, # 'А' + 44: 0, # 'Б' + 33: 1, # 'В' + 46: 1, # 'Г' + 41: 0, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 0, # 'П' + 45: 1, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 1, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 1, # 'Я' + 3: 2, # 'а' + 21: 0, # 'б' + 10: 0, # 'в' + 19: 0, # 'г' + 13: 1, # 'д' + 2: 3, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 2, # 'л' + 12: 0, # 'м' + 5: 0, # 'н' + 1: 3, # 'о' + 15: 0, # 'п' + 9: 2, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 2, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 2, # 'ы' + 17: 1, # 'ь' + 30: 2, # 'э' + 27: 1, # 'ю' + 16: 1, # 'я' + }, + 33: { # 'В' + 37: 2, # 'А' + 44: 0, # 'Б' + 33: 1, # 'В' + 46: 0, # 'Г' + 41: 1, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 1, # 'П' + 45: 1, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 1, # 'Ш' + 63: 0, # 'Щ' + 62: 1, # 'Ы' + 61: 1, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 1, # 'Я' + 3: 2, # 'а' + 21: 1, # 'б' + 10: 1, # 'в' + 19: 1, # 'г' + 13: 2, # 'д' + 2: 3, # 'е' + 24: 0, # 'ж' + 20: 2, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 1, # 'к' + 8: 2, # 'л' + 12: 2, # 'м' + 5: 2, # 'н' + 1: 3, # 'о' + 15: 2, # 'п' + 9: 2, # 'р' + 7: 3, # 'с' + 6: 2, # 'т' + 14: 2, # 'у' + 39: 0, # 'ф' + 26: 1, # 'х' + 28: 1, # 'ц' + 22: 2, # 'ч' + 25: 1, # 'ш' + 29: 0, # 'щ' + 54: 1, # 'ъ' + 18: 3, # 'ы' + 17: 1, # 'ь' + 30: 2, # 'э' + 27: 0, # 'ю' + 16: 1, # 'я' + }, + 46: { # 'Г' + 37: 1, # 'А' + 44: 1, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 1, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 1, # 'П' + 45: 1, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 2, # 'а' + 21: 0, # 'б' + 10: 1, # 'в' + 19: 0, # 'г' + 13: 2, # 'д' + 2: 2, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 2, # 'л' + 12: 1, # 'м' + 5: 1, # 'н' + 1: 3, # 'о' + 15: 0, # 'п' + 9: 2, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 2, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 1, # 'ь' + 30: 1, # 'э' + 27: 1, # 'ю' + 16: 0, # 'я' + }, + 41: { # 'Д' + 37: 1, # 'А' + 44: 0, # 'Б' + 33: 1, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 2, # 'Е' + 56: 1, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 0, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 0, # 'П' + 45: 1, # 'Р' + 32: 1, # 'С' + 40: 0, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 1, # 'Ц' + 50: 1, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 1, # 'Ы' + 61: 1, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 1, # 'Я' + 3: 3, # 'а' + 21: 0, # 'б' + 10: 2, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 2, # 'е' + 24: 3, # 'ж' + 20: 1, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 2, # 'л' + 12: 1, # 'м' + 5: 1, # 'н' + 1: 3, # 'о' + 15: 0, # 'п' + 9: 2, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 2, # 'у' + 39: 0, # 'ф' + 26: 1, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 1, # 'ы' + 17: 1, # 'ь' + 30: 2, # 'э' + 27: 1, # 'ю' + 16: 1, # 'я' + }, + 48: { # 'Е' + 37: 1, # 'А' + 44: 1, # 'Б' + 33: 1, # 'В' + 46: 1, # 'Г' + 41: 1, # 'Д' + 48: 1, # 'Е' + 56: 1, # 'Ж' + 51: 1, # 'З' + 42: 1, # 'И' + 60: 1, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 2, # 'Н' + 34: 1, # 'О' + 35: 1, # 'П' + 45: 2, # 'Р' + 32: 2, # 'С' + 40: 1, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 1, # 'Х' + 58: 1, # 'Ц' + 50: 1, # 'Ч' + 57: 1, # 'Ш' + 63: 1, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 1, # 'Я' + 3: 0, # 'а' + 21: 0, # 'б' + 10: 2, # 'в' + 19: 2, # 'г' + 13: 2, # 'д' + 2: 2, # 'е' + 24: 1, # 'ж' + 20: 1, # 'з' + 4: 0, # 'и' + 23: 2, # 'й' + 11: 1, # 'к' + 8: 2, # 'л' + 12: 2, # 'м' + 5: 1, # 'н' + 1: 0, # 'о' + 15: 1, # 'п' + 9: 1, # 'р' + 7: 3, # 'с' + 6: 0, # 'т' + 14: 0, # 'у' + 39: 1, # 'ф' + 26: 1, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 1, # 'ш' + 29: 2, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 1, # 'ю' + 16: 0, # 'я' + }, + 56: { # 'Ж' + 37: 1, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 1, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 1, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 2, # 'а' + 21: 1, # 'б' + 10: 0, # 'в' + 19: 1, # 'г' + 13: 1, # 'д' + 2: 2, # 'е' + 24: 1, # 'ж' + 20: 0, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 0, # 'л' + 12: 1, # 'м' + 5: 0, # 'н' + 1: 2, # 'о' + 15: 0, # 'п' + 9: 1, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 2, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 2, # 'ю' + 16: 0, # 'я' + }, + 51: { # 'З' + 37: 1, # 'А' + 44: 0, # 'Б' + 33: 1, # 'В' + 46: 1, # 'Г' + 41: 1, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 0, # 'П' + 45: 1, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 1, # 'Ы' + 61: 1, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 1, # 'б' + 10: 2, # 'в' + 19: 0, # 'г' + 13: 2, # 'д' + 2: 2, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 1, # 'л' + 12: 1, # 'м' + 5: 2, # 'н' + 1: 2, # 'о' + 15: 0, # 'п' + 9: 1, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 1, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 1, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 0, # 'ю' + 16: 1, # 'я' + }, + 42: { # 'И' + 37: 1, # 'А' + 44: 1, # 'Б' + 33: 1, # 'В' + 46: 1, # 'Г' + 41: 1, # 'Д' + 48: 2, # 'Е' + 56: 1, # 'Ж' + 51: 1, # 'З' + 42: 1, # 'И' + 60: 1, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 1, # 'П' + 45: 1, # 'Р' + 32: 2, # 'С' + 40: 1, # 'Т' + 52: 0, # 'У' + 53: 1, # 'Ф' + 55: 1, # 'Х' + 58: 1, # 'Ц' + 50: 1, # 'Ч' + 57: 0, # 'Ш' + 63: 1, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 1, # 'Ю' + 43: 1, # 'Я' + 3: 1, # 'а' + 21: 2, # 'б' + 10: 2, # 'в' + 19: 2, # 'г' + 13: 2, # 'д' + 2: 2, # 'е' + 24: 0, # 'ж' + 20: 2, # 'з' + 4: 1, # 'и' + 23: 0, # 'й' + 11: 1, # 'к' + 8: 2, # 'л' + 12: 2, # 'м' + 5: 2, # 'н' + 1: 1, # 'о' + 15: 1, # 'п' + 9: 2, # 'р' + 7: 2, # 'с' + 6: 2, # 'т' + 14: 1, # 'у' + 39: 1, # 'ф' + 26: 2, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 1, # 'ш' + 29: 1, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 1, # 'ю' + 16: 0, # 'я' + }, + 60: { # 'Й' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 1, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 0, # 'М' + 31: 1, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 1, # 'Х' + 58: 1, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 0, # 'а' + 21: 0, # 'б' + 10: 0, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 1, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 0, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 0, # 'л' + 12: 0, # 'м' + 5: 0, # 'н' + 1: 2, # 'о' + 15: 0, # 'п' + 9: 0, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 0, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 36: { # 'К' + 37: 2, # 'А' + 44: 0, # 'Б' + 33: 1, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 1, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 1, # 'Л' + 38: 0, # 'М' + 31: 1, # 'Н' + 34: 2, # 'О' + 35: 1, # 'П' + 45: 1, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 1, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 0, # 'б' + 10: 1, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 2, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 2, # 'л' + 12: 0, # 'м' + 5: 1, # 'н' + 1: 3, # 'о' + 15: 0, # 'п' + 9: 2, # 'р' + 7: 2, # 'с' + 6: 2, # 'т' + 14: 2, # 'у' + 39: 0, # 'ф' + 26: 1, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 1, # 'ы' + 17: 1, # 'ь' + 30: 2, # 'э' + 27: 1, # 'ю' + 16: 0, # 'я' + }, + 49: { # 'Л' + 37: 2, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 1, # 'Г' + 41: 0, # 'Д' + 48: 1, # 'Е' + 56: 1, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 0, # 'Н' + 34: 1, # 'О' + 35: 1, # 'П' + 45: 0, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 1, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 1, # 'Ы' + 61: 1, # 'Ь' + 47: 0, # 'Э' + 59: 1, # 'Ю' + 43: 1, # 'Я' + 3: 2, # 'а' + 21: 0, # 'б' + 10: 0, # 'в' + 19: 1, # 'г' + 13: 0, # 'д' + 2: 2, # 'е' + 24: 1, # 'ж' + 20: 0, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 1, # 'л' + 12: 0, # 'м' + 5: 1, # 'н' + 1: 2, # 'о' + 15: 0, # 'п' + 9: 0, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 2, # 'у' + 39: 0, # 'ф' + 26: 1, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 1, # 'ы' + 17: 1, # 'ь' + 30: 2, # 'э' + 27: 2, # 'ю' + 16: 1, # 'я' + }, + 38: { # 'М' + 37: 1, # 'А' + 44: 1, # 'Б' + 33: 1, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 1, # 'П' + 45: 1, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 1, # 'У' + 53: 1, # 'Ф' + 55: 1, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 1, # 'Ы' + 61: 0, # 'Ь' + 47: 1, # 'Э' + 59: 0, # 'Ю' + 43: 1, # 'Я' + 3: 3, # 'а' + 21: 0, # 'б' + 10: 0, # 'в' + 19: 1, # 'г' + 13: 0, # 'д' + 2: 2, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 1, # 'л' + 12: 1, # 'м' + 5: 2, # 'н' + 1: 3, # 'о' + 15: 0, # 'п' + 9: 1, # 'р' + 7: 1, # 'с' + 6: 0, # 'т' + 14: 2, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 3, # 'ы' + 17: 1, # 'ь' + 30: 2, # 'э' + 27: 1, # 'ю' + 16: 1, # 'я' + }, + 31: { # 'Н' + 37: 2, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 1, # 'Г' + 41: 1, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 1, # 'З' + 42: 2, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 0, # 'П' + 45: 1, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 1, # 'У' + 53: 1, # 'Ф' + 55: 1, # 'Х' + 58: 1, # 'Ц' + 50: 1, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 1, # 'Ы' + 61: 1, # 'Ь' + 47: 1, # 'Э' + 59: 0, # 'Ю' + 43: 1, # 'Я' + 3: 3, # 'а' + 21: 0, # 'б' + 10: 0, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 3, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 0, # 'л' + 12: 0, # 'м' + 5: 0, # 'н' + 1: 3, # 'о' + 15: 0, # 'п' + 9: 1, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 3, # 'у' + 39: 0, # 'ф' + 26: 1, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 1, # 'ы' + 17: 2, # 'ь' + 30: 1, # 'э' + 27: 1, # 'ю' + 16: 1, # 'я' + }, + 34: { # 'О' + 37: 0, # 'А' + 44: 1, # 'Б' + 33: 1, # 'В' + 46: 1, # 'Г' + 41: 2, # 'Д' + 48: 1, # 'Е' + 56: 1, # 'Ж' + 51: 1, # 'З' + 42: 1, # 'И' + 60: 1, # 'Й' + 36: 1, # 'К' + 49: 2, # 'Л' + 38: 1, # 'М' + 31: 2, # 'Н' + 34: 1, # 'О' + 35: 1, # 'П' + 45: 2, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 1, # 'У' + 53: 1, # 'Ф' + 55: 1, # 'Х' + 58: 0, # 'Ц' + 50: 1, # 'Ч' + 57: 1, # 'Ш' + 63: 1, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 1, # 'Я' + 3: 1, # 'а' + 21: 2, # 'б' + 10: 1, # 'в' + 19: 2, # 'г' + 13: 2, # 'д' + 2: 0, # 'е' + 24: 1, # 'ж' + 20: 1, # 'з' + 4: 0, # 'и' + 23: 1, # 'й' + 11: 2, # 'к' + 8: 2, # 'л' + 12: 1, # 'м' + 5: 3, # 'н' + 1: 0, # 'о' + 15: 2, # 'п' + 9: 2, # 'р' + 7: 2, # 'с' + 6: 2, # 'т' + 14: 1, # 'у' + 39: 1, # 'ф' + 26: 2, # 'х' + 28: 1, # 'ц' + 22: 2, # 'ч' + 25: 2, # 'ш' + 29: 1, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 35: { # 'П' + 37: 1, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 1, # 'Л' + 38: 0, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 1, # 'П' + 45: 2, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 1, # 'Ы' + 61: 1, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 1, # 'Я' + 3: 2, # 'а' + 21: 0, # 'б' + 10: 0, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 2, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 2, # 'л' + 12: 0, # 'м' + 5: 1, # 'н' + 1: 3, # 'о' + 15: 0, # 'п' + 9: 3, # 'р' + 7: 1, # 'с' + 6: 1, # 'т' + 14: 2, # 'у' + 39: 1, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 1, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 1, # 'ы' + 17: 2, # 'ь' + 30: 1, # 'э' + 27: 0, # 'ю' + 16: 2, # 'я' + }, + 45: { # 'Р' + 37: 2, # 'А' + 44: 1, # 'Б' + 33: 1, # 'В' + 46: 1, # 'Г' + 41: 1, # 'Д' + 48: 2, # 'Е' + 56: 1, # 'Ж' + 51: 0, # 'З' + 42: 2, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 2, # 'О' + 35: 0, # 'П' + 45: 1, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 1, # 'Х' + 58: 1, # 'Ц' + 50: 1, # 'Ч' + 57: 1, # 'Ш' + 63: 0, # 'Щ' + 62: 1, # 'Ы' + 61: 1, # 'Ь' + 47: 1, # 'Э' + 59: 1, # 'Ю' + 43: 1, # 'Я' + 3: 3, # 'а' + 21: 0, # 'б' + 10: 1, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 2, # 'е' + 24: 1, # 'ж' + 20: 0, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 0, # 'л' + 12: 0, # 'м' + 5: 0, # 'н' + 1: 3, # 'о' + 15: 0, # 'п' + 9: 1, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 2, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 2, # 'ы' + 17: 0, # 'ь' + 30: 1, # 'э' + 27: 1, # 'ю' + 16: 2, # 'я' + }, + 32: { # 'С' + 37: 1, # 'А' + 44: 1, # 'Б' + 33: 1, # 'В' + 46: 1, # 'Г' + 41: 1, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 1, # 'П' + 45: 1, # 'Р' + 32: 1, # 'С' + 40: 2, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 1, # 'Х' + 58: 1, # 'Ц' + 50: 1, # 'Ч' + 57: 1, # 'Ш' + 63: 0, # 'Щ' + 62: 1, # 'Ы' + 61: 1, # 'Ь' + 47: 1, # 'Э' + 59: 1, # 'Ю' + 43: 1, # 'Я' + 3: 2, # 'а' + 21: 1, # 'б' + 10: 2, # 'в' + 19: 1, # 'г' + 13: 2, # 'д' + 2: 3, # 'е' + 24: 1, # 'ж' + 20: 1, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 2, # 'к' + 8: 2, # 'л' + 12: 2, # 'м' + 5: 2, # 'н' + 1: 2, # 'о' + 15: 2, # 'п' + 9: 2, # 'р' + 7: 1, # 'с' + 6: 3, # 'т' + 14: 2, # 'у' + 39: 1, # 'ф' + 26: 1, # 'х' + 28: 1, # 'ц' + 22: 1, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 1, # 'ъ' + 18: 1, # 'ы' + 17: 1, # 'ь' + 30: 2, # 'э' + 27: 1, # 'ю' + 16: 1, # 'я' + }, + 40: { # 'Т' + 37: 1, # 'А' + 44: 0, # 'Б' + 33: 1, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 2, # 'О' + 35: 0, # 'П' + 45: 1, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 1, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 1, # 'Ы' + 61: 1, # 'Ь' + 47: 1, # 'Э' + 59: 1, # 'Ю' + 43: 1, # 'Я' + 3: 3, # 'а' + 21: 1, # 'б' + 10: 2, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 3, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 1, # 'к' + 8: 1, # 'л' + 12: 0, # 'м' + 5: 0, # 'н' + 1: 3, # 'о' + 15: 0, # 'п' + 9: 2, # 'р' + 7: 1, # 'с' + 6: 0, # 'т' + 14: 2, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 1, # 'щ' + 54: 0, # 'ъ' + 18: 3, # 'ы' + 17: 1, # 'ь' + 30: 2, # 'э' + 27: 1, # 'ю' + 16: 1, # 'я' + }, + 52: { # 'У' + 37: 1, # 'А' + 44: 1, # 'Б' + 33: 1, # 'В' + 46: 1, # 'Г' + 41: 1, # 'Д' + 48: 1, # 'Е' + 56: 1, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 1, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 1, # 'П' + 45: 1, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 1, # 'Х' + 58: 0, # 'Ц' + 50: 1, # 'Ч' + 57: 1, # 'Ш' + 63: 1, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 1, # 'Ю' + 43: 0, # 'Я' + 3: 1, # 'а' + 21: 2, # 'б' + 10: 2, # 'в' + 19: 1, # 'г' + 13: 2, # 'д' + 2: 1, # 'е' + 24: 2, # 'ж' + 20: 2, # 'з' + 4: 2, # 'и' + 23: 1, # 'й' + 11: 1, # 'к' + 8: 2, # 'л' + 12: 2, # 'м' + 5: 1, # 'н' + 1: 2, # 'о' + 15: 1, # 'п' + 9: 2, # 'р' + 7: 2, # 'с' + 6: 2, # 'т' + 14: 0, # 'у' + 39: 1, # 'ф' + 26: 1, # 'х' + 28: 1, # 'ц' + 22: 2, # 'ч' + 25: 1, # 'ш' + 29: 1, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 2, # 'э' + 27: 1, # 'ю' + 16: 0, # 'я' + }, + 53: { # 'Ф' + 37: 1, # 'А' + 44: 1, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 1, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 1, # 'О' + 35: 0, # 'П' + 45: 1, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 2, # 'а' + 21: 0, # 'б' + 10: 0, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 2, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 2, # 'л' + 12: 0, # 'м' + 5: 0, # 'н' + 1: 2, # 'о' + 15: 0, # 'п' + 9: 2, # 'р' + 7: 0, # 'с' + 6: 1, # 'т' + 14: 2, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 1, # 'ь' + 30: 2, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 55: { # 'Х' + 37: 1, # 'А' + 44: 0, # 'Б' + 33: 1, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 2, # 'а' + 21: 0, # 'б' + 10: 2, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 2, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 2, # 'л' + 12: 1, # 'м' + 5: 0, # 'н' + 1: 2, # 'о' + 15: 0, # 'п' + 9: 2, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 1, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 1, # 'ь' + 30: 1, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 58: { # 'Ц' + 37: 1, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 1, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 1, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 1, # 'а' + 21: 0, # 'б' + 10: 1, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 2, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 0, # 'л' + 12: 0, # 'м' + 5: 0, # 'н' + 1: 0, # 'о' + 15: 0, # 'п' + 9: 0, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 1, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 1, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 1, # 'ю' + 16: 0, # 'я' + }, + 50: { # 'Ч' + 37: 1, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 1, # 'Н' + 34: 0, # 'О' + 35: 1, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 1, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 1, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 2, # 'а' + 21: 0, # 'б' + 10: 0, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 2, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 1, # 'л' + 12: 0, # 'м' + 5: 0, # 'н' + 1: 1, # 'о' + 15: 0, # 'п' + 9: 1, # 'р' + 7: 0, # 'с' + 6: 3, # 'т' + 14: 2, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 1, # 'ь' + 30: 0, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 57: { # 'Ш' + 37: 1, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 0, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 1, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 2, # 'а' + 21: 0, # 'б' + 10: 1, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 2, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 1, # 'и' + 23: 0, # 'й' + 11: 1, # 'к' + 8: 2, # 'л' + 12: 1, # 'м' + 5: 1, # 'н' + 1: 2, # 'о' + 15: 2, # 'п' + 9: 1, # 'р' + 7: 0, # 'с' + 6: 2, # 'т' + 14: 2, # 'у' + 39: 0, # 'ф' + 26: 1, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 1, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 1, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 63: { # 'Щ' + 37: 1, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 1, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 1, # 'а' + 21: 0, # 'б' + 10: 0, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 1, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 1, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 0, # 'л' + 12: 0, # 'м' + 5: 0, # 'н' + 1: 1, # 'о' + 15: 0, # 'п' + 9: 0, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 1, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 62: { # 'Ы' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 1, # 'В' + 46: 1, # 'Г' + 41: 0, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 1, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 0, # 'О' + 35: 1, # 'П' + 45: 1, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 1, # 'Х' + 58: 1, # 'Ц' + 50: 0, # 'Ч' + 57: 1, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 0, # 'а' + 21: 0, # 'б' + 10: 0, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 0, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 0, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 0, # 'л' + 12: 0, # 'м' + 5: 0, # 'н' + 1: 0, # 'о' + 15: 0, # 'п' + 9: 0, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 0, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 61: { # 'Ь' + 37: 0, # 'А' + 44: 1, # 'Б' + 33: 1, # 'В' + 46: 0, # 'Г' + 41: 1, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 0, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 1, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 1, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 1, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 1, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 1, # 'Ю' + 43: 1, # 'Я' + 3: 0, # 'а' + 21: 0, # 'б' + 10: 0, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 0, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 0, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 0, # 'л' + 12: 0, # 'м' + 5: 0, # 'н' + 1: 0, # 'о' + 15: 0, # 'п' + 9: 0, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 0, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 47: { # 'Э' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 1, # 'В' + 46: 0, # 'Г' + 41: 1, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 1, # 'Й' + 36: 1, # 'К' + 49: 1, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 0, # 'О' + 35: 1, # 'П' + 45: 1, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 1, # 'а' + 21: 1, # 'б' + 10: 2, # 'в' + 19: 1, # 'г' + 13: 2, # 'д' + 2: 0, # 'е' + 24: 1, # 'ж' + 20: 0, # 'з' + 4: 0, # 'и' + 23: 2, # 'й' + 11: 2, # 'к' + 8: 2, # 'л' + 12: 2, # 'м' + 5: 2, # 'н' + 1: 0, # 'о' + 15: 1, # 'п' + 9: 2, # 'р' + 7: 1, # 'с' + 6: 3, # 'т' + 14: 1, # 'у' + 39: 1, # 'ф' + 26: 1, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 1, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 59: { # 'Ю' + 37: 1, # 'А' + 44: 1, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 1, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 1, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 1, # 'Р' + 32: 0, # 'С' + 40: 1, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 1, # 'Ч' + 57: 0, # 'Ш' + 63: 1, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 0, # 'а' + 21: 1, # 'б' + 10: 0, # 'в' + 19: 1, # 'г' + 13: 1, # 'д' + 2: 0, # 'е' + 24: 1, # 'ж' + 20: 0, # 'з' + 4: 0, # 'и' + 23: 0, # 'й' + 11: 1, # 'к' + 8: 2, # 'л' + 12: 1, # 'м' + 5: 2, # 'н' + 1: 0, # 'о' + 15: 1, # 'п' + 9: 1, # 'р' + 7: 1, # 'с' + 6: 0, # 'т' + 14: 0, # 'у' + 39: 0, # 'ф' + 26: 1, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 43: { # 'Я' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 1, # 'В' + 46: 1, # 'Г' + 41: 0, # 'Д' + 48: 1, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 1, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 1, # 'С' + 40: 1, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 1, # 'Х' + 58: 0, # 'Ц' + 50: 1, # 'Ч' + 57: 0, # 'Ш' + 63: 1, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 1, # 'Ю' + 43: 1, # 'Я' + 3: 0, # 'а' + 21: 1, # 'б' + 10: 1, # 'в' + 19: 1, # 'г' + 13: 1, # 'д' + 2: 0, # 'е' + 24: 0, # 'ж' + 20: 1, # 'з' + 4: 0, # 'и' + 23: 1, # 'й' + 11: 1, # 'к' + 8: 1, # 'л' + 12: 1, # 'м' + 5: 2, # 'н' + 1: 0, # 'о' + 15: 1, # 'п' + 9: 1, # 'р' + 7: 1, # 'с' + 6: 0, # 'т' + 14: 0, # 'у' + 39: 0, # 'ф' + 26: 1, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 1, # 'ш' + 29: 1, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 3: { # 'а' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 1, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 1, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 2, # 'а' + 21: 3, # 'б' + 10: 3, # 'в' + 19: 3, # 'г' + 13: 3, # 'д' + 2: 3, # 'е' + 24: 3, # 'ж' + 20: 3, # 'з' + 4: 3, # 'и' + 23: 3, # 'й' + 11: 3, # 'к' + 8: 3, # 'л' + 12: 3, # 'м' + 5: 3, # 'н' + 1: 2, # 'о' + 15: 3, # 'п' + 9: 3, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 3, # 'у' + 39: 2, # 'ф' + 26: 3, # 'х' + 28: 3, # 'ц' + 22: 3, # 'ч' + 25: 3, # 'ш' + 29: 3, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 2, # 'э' + 27: 3, # 'ю' + 16: 3, # 'я' + }, + 21: { # 'б' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 1, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 2, # 'б' + 10: 2, # 'в' + 19: 1, # 'г' + 13: 2, # 'д' + 2: 3, # 'е' + 24: 2, # 'ж' + 20: 1, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 2, # 'к' + 8: 3, # 'л' + 12: 2, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 1, # 'п' + 9: 3, # 'р' + 7: 3, # 'с' + 6: 2, # 'т' + 14: 3, # 'у' + 39: 0, # 'ф' + 26: 2, # 'х' + 28: 1, # 'ц' + 22: 1, # 'ч' + 25: 2, # 'ш' + 29: 3, # 'щ' + 54: 2, # 'ъ' + 18: 3, # 'ы' + 17: 2, # 'ь' + 30: 1, # 'э' + 27: 2, # 'ю' + 16: 3, # 'я' + }, + 10: { # 'в' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 2, # 'б' + 10: 2, # 'в' + 19: 2, # 'г' + 13: 3, # 'д' + 2: 3, # 'е' + 24: 1, # 'ж' + 20: 3, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 3, # 'к' + 8: 3, # 'л' + 12: 2, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 3, # 'п' + 9: 3, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 3, # 'у' + 39: 1, # 'ф' + 26: 2, # 'х' + 28: 2, # 'ц' + 22: 2, # 'ч' + 25: 3, # 'ш' + 29: 2, # 'щ' + 54: 2, # 'ъ' + 18: 3, # 'ы' + 17: 3, # 'ь' + 30: 1, # 'э' + 27: 1, # 'ю' + 16: 3, # 'я' + }, + 19: { # 'г' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 1, # 'б' + 10: 2, # 'в' + 19: 1, # 'г' + 13: 3, # 'д' + 2: 3, # 'е' + 24: 0, # 'ж' + 20: 1, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 2, # 'к' + 8: 3, # 'л' + 12: 2, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 0, # 'п' + 9: 3, # 'р' + 7: 2, # 'с' + 6: 2, # 'т' + 14: 3, # 'у' + 39: 1, # 'ф' + 26: 1, # 'х' + 28: 1, # 'ц' + 22: 2, # 'ч' + 25: 1, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 1, # 'ы' + 17: 1, # 'ь' + 30: 1, # 'э' + 27: 1, # 'ю' + 16: 0, # 'я' + }, + 13: { # 'д' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 2, # 'б' + 10: 3, # 'в' + 19: 2, # 'г' + 13: 2, # 'д' + 2: 3, # 'е' + 24: 2, # 'ж' + 20: 2, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 3, # 'к' + 8: 3, # 'л' + 12: 2, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 2, # 'п' + 9: 3, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 3, # 'у' + 39: 1, # 'ф' + 26: 2, # 'х' + 28: 3, # 'ц' + 22: 2, # 'ч' + 25: 2, # 'ш' + 29: 1, # 'щ' + 54: 2, # 'ъ' + 18: 3, # 'ы' + 17: 3, # 'ь' + 30: 1, # 'э' + 27: 2, # 'ю' + 16: 3, # 'я' + }, + 2: { # 'е' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 2, # 'а' + 21: 3, # 'б' + 10: 3, # 'в' + 19: 3, # 'г' + 13: 3, # 'д' + 2: 3, # 'е' + 24: 3, # 'ж' + 20: 3, # 'з' + 4: 2, # 'и' + 23: 3, # 'й' + 11: 3, # 'к' + 8: 3, # 'л' + 12: 3, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 3, # 'п' + 9: 3, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 2, # 'у' + 39: 2, # 'ф' + 26: 3, # 'х' + 28: 3, # 'ц' + 22: 3, # 'ч' + 25: 3, # 'ш' + 29: 3, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 1, # 'э' + 27: 2, # 'ю' + 16: 3, # 'я' + }, + 24: { # 'ж' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 2, # 'б' + 10: 1, # 'в' + 19: 2, # 'г' + 13: 3, # 'д' + 2: 3, # 'е' + 24: 2, # 'ж' + 20: 1, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 2, # 'к' + 8: 2, # 'л' + 12: 1, # 'м' + 5: 3, # 'н' + 1: 2, # 'о' + 15: 1, # 'п' + 9: 2, # 'р' + 7: 2, # 'с' + 6: 1, # 'т' + 14: 3, # 'у' + 39: 1, # 'ф' + 26: 0, # 'х' + 28: 1, # 'ц' + 22: 2, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 1, # 'ы' + 17: 2, # 'ь' + 30: 1, # 'э' + 27: 1, # 'ю' + 16: 1, # 'я' + }, + 20: { # 'з' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 3, # 'б' + 10: 3, # 'в' + 19: 3, # 'г' + 13: 3, # 'д' + 2: 3, # 'е' + 24: 2, # 'ж' + 20: 2, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 3, # 'к' + 8: 3, # 'л' + 12: 3, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 0, # 'п' + 9: 3, # 'р' + 7: 2, # 'с' + 6: 2, # 'т' + 14: 3, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 1, # 'ц' + 22: 2, # 'ч' + 25: 1, # 'ш' + 29: 0, # 'щ' + 54: 2, # 'ъ' + 18: 3, # 'ы' + 17: 2, # 'ь' + 30: 1, # 'э' + 27: 1, # 'ю' + 16: 3, # 'я' + }, + 4: { # 'и' + 37: 1, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 1, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 3, # 'б' + 10: 3, # 'в' + 19: 3, # 'г' + 13: 3, # 'д' + 2: 3, # 'е' + 24: 3, # 'ж' + 20: 3, # 'з' + 4: 3, # 'и' + 23: 3, # 'й' + 11: 3, # 'к' + 8: 3, # 'л' + 12: 3, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 3, # 'п' + 9: 3, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 2, # 'у' + 39: 2, # 'ф' + 26: 3, # 'х' + 28: 3, # 'ц' + 22: 3, # 'ч' + 25: 3, # 'ш' + 29: 3, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 2, # 'э' + 27: 3, # 'ю' + 16: 3, # 'я' + }, + 23: { # 'й' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 1, # 'а' + 21: 1, # 'б' + 10: 1, # 'в' + 19: 2, # 'г' + 13: 3, # 'д' + 2: 2, # 'е' + 24: 0, # 'ж' + 20: 2, # 'з' + 4: 1, # 'и' + 23: 0, # 'й' + 11: 2, # 'к' + 8: 2, # 'л' + 12: 2, # 'м' + 5: 3, # 'н' + 1: 2, # 'о' + 15: 1, # 'п' + 9: 2, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 1, # 'у' + 39: 2, # 'ф' + 26: 1, # 'х' + 28: 2, # 'ц' + 22: 3, # 'ч' + 25: 2, # 'ш' + 29: 1, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 1, # 'э' + 27: 1, # 'ю' + 16: 2, # 'я' + }, + 11: { # 'к' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 1, # 'б' + 10: 3, # 'в' + 19: 1, # 'г' + 13: 1, # 'д' + 2: 3, # 'е' + 24: 2, # 'ж' + 20: 2, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 2, # 'к' + 8: 3, # 'л' + 12: 1, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 0, # 'п' + 9: 3, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 3, # 'у' + 39: 1, # 'ф' + 26: 2, # 'х' + 28: 2, # 'ц' + 22: 1, # 'ч' + 25: 2, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 1, # 'ы' + 17: 1, # 'ь' + 30: 1, # 'э' + 27: 1, # 'ю' + 16: 1, # 'я' + }, + 8: { # 'л' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 2, # 'б' + 10: 2, # 'в' + 19: 3, # 'г' + 13: 2, # 'д' + 2: 3, # 'е' + 24: 3, # 'ж' + 20: 2, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 3, # 'к' + 8: 3, # 'л' + 12: 2, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 2, # 'п' + 9: 1, # 'р' + 7: 3, # 'с' + 6: 2, # 'т' + 14: 3, # 'у' + 39: 2, # 'ф' + 26: 2, # 'х' + 28: 1, # 'ц' + 22: 3, # 'ч' + 25: 2, # 'ш' + 29: 1, # 'щ' + 54: 0, # 'ъ' + 18: 3, # 'ы' + 17: 3, # 'ь' + 30: 1, # 'э' + 27: 3, # 'ю' + 16: 3, # 'я' + }, + 12: { # 'м' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 2, # 'б' + 10: 2, # 'в' + 19: 2, # 'г' + 13: 1, # 'д' + 2: 3, # 'е' + 24: 1, # 'ж' + 20: 1, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 2, # 'к' + 8: 3, # 'л' + 12: 2, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 2, # 'п' + 9: 2, # 'р' + 7: 3, # 'с' + 6: 2, # 'т' + 14: 3, # 'у' + 39: 2, # 'ф' + 26: 2, # 'х' + 28: 2, # 'ц' + 22: 2, # 'ч' + 25: 1, # 'ш' + 29: 1, # 'щ' + 54: 0, # 'ъ' + 18: 3, # 'ы' + 17: 2, # 'ь' + 30: 2, # 'э' + 27: 1, # 'ю' + 16: 3, # 'я' + }, + 5: { # 'н' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 2, # 'б' + 10: 2, # 'в' + 19: 3, # 'г' + 13: 3, # 'д' + 2: 3, # 'е' + 24: 2, # 'ж' + 20: 2, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 3, # 'к' + 8: 2, # 'л' + 12: 1, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 1, # 'п' + 9: 2, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 3, # 'у' + 39: 2, # 'ф' + 26: 2, # 'х' + 28: 3, # 'ц' + 22: 3, # 'ч' + 25: 2, # 'ш' + 29: 2, # 'щ' + 54: 1, # 'ъ' + 18: 3, # 'ы' + 17: 3, # 'ь' + 30: 1, # 'э' + 27: 3, # 'ю' + 16: 3, # 'я' + }, + 1: { # 'о' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 2, # 'а' + 21: 3, # 'б' + 10: 3, # 'в' + 19: 3, # 'г' + 13: 3, # 'д' + 2: 3, # 'е' + 24: 3, # 'ж' + 20: 3, # 'з' + 4: 3, # 'и' + 23: 3, # 'й' + 11: 3, # 'к' + 8: 3, # 'л' + 12: 3, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 3, # 'п' + 9: 3, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 2, # 'у' + 39: 2, # 'ф' + 26: 3, # 'х' + 28: 2, # 'ц' + 22: 3, # 'ч' + 25: 3, # 'ш' + 29: 3, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 2, # 'э' + 27: 3, # 'ю' + 16: 3, # 'я' + }, + 15: { # 'п' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 1, # 'б' + 10: 0, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 3, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 2, # 'к' + 8: 3, # 'л' + 12: 1, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 2, # 'п' + 9: 3, # 'р' + 7: 2, # 'с' + 6: 2, # 'т' + 14: 3, # 'у' + 39: 1, # 'ф' + 26: 0, # 'х' + 28: 2, # 'ц' + 22: 2, # 'ч' + 25: 1, # 'ш' + 29: 1, # 'щ' + 54: 0, # 'ъ' + 18: 3, # 'ы' + 17: 2, # 'ь' + 30: 1, # 'э' + 27: 1, # 'ю' + 16: 3, # 'я' + }, + 9: { # 'р' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 2, # 'б' + 10: 3, # 'в' + 19: 3, # 'г' + 13: 3, # 'д' + 2: 3, # 'е' + 24: 3, # 'ж' + 20: 2, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 3, # 'к' + 8: 2, # 'л' + 12: 3, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 2, # 'п' + 9: 2, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 3, # 'у' + 39: 2, # 'ф' + 26: 3, # 'х' + 28: 2, # 'ц' + 22: 2, # 'ч' + 25: 3, # 'ш' + 29: 2, # 'щ' + 54: 0, # 'ъ' + 18: 3, # 'ы' + 17: 3, # 'ь' + 30: 2, # 'э' + 27: 2, # 'ю' + 16: 3, # 'я' + }, + 7: { # 'с' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 1, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 2, # 'б' + 10: 3, # 'в' + 19: 2, # 'г' + 13: 3, # 'д' + 2: 3, # 'е' + 24: 2, # 'ж' + 20: 2, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 3, # 'к' + 8: 3, # 'л' + 12: 3, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 3, # 'п' + 9: 3, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 3, # 'у' + 39: 2, # 'ф' + 26: 3, # 'х' + 28: 2, # 'ц' + 22: 3, # 'ч' + 25: 2, # 'ш' + 29: 1, # 'щ' + 54: 2, # 'ъ' + 18: 3, # 'ы' + 17: 3, # 'ь' + 30: 2, # 'э' + 27: 3, # 'ю' + 16: 3, # 'я' + }, + 6: { # 'т' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 2, # 'б' + 10: 3, # 'в' + 19: 2, # 'г' + 13: 2, # 'д' + 2: 3, # 'е' + 24: 1, # 'ж' + 20: 1, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 3, # 'к' + 8: 3, # 'л' + 12: 2, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 2, # 'п' + 9: 3, # 'р' + 7: 3, # 'с' + 6: 2, # 'т' + 14: 3, # 'у' + 39: 2, # 'ф' + 26: 2, # 'х' + 28: 2, # 'ц' + 22: 2, # 'ч' + 25: 2, # 'ш' + 29: 2, # 'щ' + 54: 2, # 'ъ' + 18: 3, # 'ы' + 17: 3, # 'ь' + 30: 2, # 'э' + 27: 2, # 'ю' + 16: 3, # 'я' + }, + 14: { # 'у' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 2, # 'а' + 21: 3, # 'б' + 10: 3, # 'в' + 19: 3, # 'г' + 13: 3, # 'д' + 2: 3, # 'е' + 24: 3, # 'ж' + 20: 3, # 'з' + 4: 2, # 'и' + 23: 2, # 'й' + 11: 3, # 'к' + 8: 3, # 'л' + 12: 3, # 'м' + 5: 3, # 'н' + 1: 2, # 'о' + 15: 3, # 'п' + 9: 3, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 1, # 'у' + 39: 2, # 'ф' + 26: 3, # 'х' + 28: 2, # 'ц' + 22: 3, # 'ч' + 25: 3, # 'ш' + 29: 3, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 2, # 'э' + 27: 3, # 'ю' + 16: 2, # 'я' + }, + 39: { # 'ф' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 1, # 'б' + 10: 0, # 'в' + 19: 1, # 'г' + 13: 0, # 'д' + 2: 3, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 1, # 'к' + 8: 2, # 'л' + 12: 1, # 'м' + 5: 1, # 'н' + 1: 3, # 'о' + 15: 1, # 'п' + 9: 2, # 'р' + 7: 2, # 'с' + 6: 2, # 'т' + 14: 2, # 'у' + 39: 2, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 1, # 'ч' + 25: 1, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 2, # 'ы' + 17: 1, # 'ь' + 30: 2, # 'э' + 27: 1, # 'ю' + 16: 1, # 'я' + }, + 26: { # 'х' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 0, # 'б' + 10: 3, # 'в' + 19: 1, # 'г' + 13: 1, # 'д' + 2: 2, # 'е' + 24: 0, # 'ж' + 20: 1, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 1, # 'к' + 8: 2, # 'л' + 12: 2, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 1, # 'п' + 9: 3, # 'р' + 7: 2, # 'с' + 6: 2, # 'т' + 14: 2, # 'у' + 39: 1, # 'ф' + 26: 1, # 'х' + 28: 1, # 'ц' + 22: 1, # 'ч' + 25: 2, # 'ш' + 29: 0, # 'щ' + 54: 1, # 'ъ' + 18: 0, # 'ы' + 17: 1, # 'ь' + 30: 1, # 'э' + 27: 1, # 'ю' + 16: 0, # 'я' + }, + 28: { # 'ц' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 1, # 'б' + 10: 2, # 'в' + 19: 1, # 'г' + 13: 1, # 'д' + 2: 3, # 'е' + 24: 0, # 'ж' + 20: 1, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 2, # 'к' + 8: 1, # 'л' + 12: 1, # 'м' + 5: 1, # 'н' + 1: 3, # 'о' + 15: 0, # 'п' + 9: 1, # 'р' + 7: 0, # 'с' + 6: 1, # 'т' + 14: 3, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 1, # 'ц' + 22: 0, # 'ч' + 25: 1, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 3, # 'ы' + 17: 1, # 'ь' + 30: 0, # 'э' + 27: 1, # 'ю' + 16: 0, # 'я' + }, + 22: { # 'ч' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 1, # 'б' + 10: 1, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 3, # 'е' + 24: 1, # 'ж' + 20: 0, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 3, # 'к' + 8: 2, # 'л' + 12: 1, # 'м' + 5: 3, # 'н' + 1: 2, # 'о' + 15: 0, # 'п' + 9: 2, # 'р' + 7: 1, # 'с' + 6: 3, # 'т' + 14: 3, # 'у' + 39: 1, # 'ф' + 26: 1, # 'х' + 28: 0, # 'ц' + 22: 1, # 'ч' + 25: 2, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 3, # 'ь' + 30: 0, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 25: { # 'ш' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 1, # 'б' + 10: 2, # 'в' + 19: 1, # 'г' + 13: 0, # 'д' + 2: 3, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 3, # 'к' + 8: 3, # 'л' + 12: 2, # 'м' + 5: 3, # 'н' + 1: 3, # 'о' + 15: 2, # 'п' + 9: 2, # 'р' + 7: 1, # 'с' + 6: 2, # 'т' + 14: 3, # 'у' + 39: 2, # 'ф' + 26: 1, # 'х' + 28: 1, # 'ц' + 22: 1, # 'ч' + 25: 1, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 3, # 'ь' + 30: 1, # 'э' + 27: 1, # 'ю' + 16: 0, # 'я' + }, + 29: { # 'щ' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 3, # 'а' + 21: 0, # 'б' + 10: 1, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 3, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 3, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 0, # 'л' + 12: 1, # 'м' + 5: 2, # 'н' + 1: 1, # 'о' + 15: 0, # 'п' + 9: 2, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 2, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 2, # 'ь' + 30: 0, # 'э' + 27: 0, # 'ю' + 16: 0, # 'я' + }, + 54: { # 'ъ' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 0, # 'а' + 21: 0, # 'б' + 10: 0, # 'в' + 19: 0, # 'г' + 13: 0, # 'д' + 2: 2, # 'е' + 24: 0, # 'ж' + 20: 0, # 'з' + 4: 0, # 'и' + 23: 0, # 'й' + 11: 0, # 'к' + 8: 0, # 'л' + 12: 0, # 'м' + 5: 0, # 'н' + 1: 0, # 'о' + 15: 0, # 'п' + 9: 0, # 'р' + 7: 0, # 'с' + 6: 0, # 'т' + 14: 0, # 'у' + 39: 0, # 'ф' + 26: 0, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 0, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 1, # 'ю' + 16: 2, # 'я' + }, + 18: { # 'ы' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 0, # 'а' + 21: 3, # 'б' + 10: 3, # 'в' + 19: 2, # 'г' + 13: 2, # 'д' + 2: 3, # 'е' + 24: 2, # 'ж' + 20: 2, # 'з' + 4: 2, # 'и' + 23: 3, # 'й' + 11: 3, # 'к' + 8: 3, # 'л' + 12: 3, # 'м' + 5: 3, # 'н' + 1: 1, # 'о' + 15: 3, # 'п' + 9: 3, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 1, # 'у' + 39: 0, # 'ф' + 26: 3, # 'х' + 28: 2, # 'ц' + 22: 3, # 'ч' + 25: 3, # 'ш' + 29: 2, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 0, # 'ю' + 16: 2, # 'я' + }, + 17: { # 'ь' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 0, # 'а' + 21: 2, # 'б' + 10: 2, # 'в' + 19: 2, # 'г' + 13: 2, # 'д' + 2: 3, # 'е' + 24: 1, # 'ж' + 20: 3, # 'з' + 4: 2, # 'и' + 23: 0, # 'й' + 11: 3, # 'к' + 8: 0, # 'л' + 12: 3, # 'м' + 5: 3, # 'н' + 1: 2, # 'о' + 15: 2, # 'п' + 9: 1, # 'р' + 7: 3, # 'с' + 6: 2, # 'т' + 14: 0, # 'у' + 39: 2, # 'ф' + 26: 1, # 'х' + 28: 2, # 'ц' + 22: 2, # 'ч' + 25: 3, # 'ш' + 29: 2, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 1, # 'э' + 27: 3, # 'ю' + 16: 3, # 'я' + }, + 30: { # 'э' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 1, # 'М' + 31: 1, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 1, # 'Р' + 32: 1, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 1, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 0, # 'а' + 21: 1, # 'б' + 10: 1, # 'в' + 19: 1, # 'г' + 13: 2, # 'д' + 2: 1, # 'е' + 24: 0, # 'ж' + 20: 1, # 'з' + 4: 0, # 'и' + 23: 2, # 'й' + 11: 2, # 'к' + 8: 2, # 'л' + 12: 2, # 'м' + 5: 2, # 'н' + 1: 0, # 'о' + 15: 2, # 'п' + 9: 2, # 'р' + 7: 2, # 'с' + 6: 3, # 'т' + 14: 1, # 'у' + 39: 2, # 'ф' + 26: 1, # 'х' + 28: 0, # 'ц' + 22: 0, # 'ч' + 25: 1, # 'ш' + 29: 0, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 1, # 'э' + 27: 1, # 'ю' + 16: 1, # 'я' + }, + 27: { # 'ю' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 2, # 'а' + 21: 3, # 'б' + 10: 1, # 'в' + 19: 2, # 'г' + 13: 3, # 'д' + 2: 1, # 'е' + 24: 2, # 'ж' + 20: 2, # 'з' + 4: 1, # 'и' + 23: 1, # 'й' + 11: 2, # 'к' + 8: 2, # 'л' + 12: 2, # 'м' + 5: 2, # 'н' + 1: 1, # 'о' + 15: 2, # 'п' + 9: 2, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 0, # 'у' + 39: 1, # 'ф' + 26: 2, # 'х' + 28: 2, # 'ц' + 22: 2, # 'ч' + 25: 2, # 'ш' + 29: 3, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 1, # 'э' + 27: 2, # 'ю' + 16: 1, # 'я' + }, + 16: { # 'я' + 37: 0, # 'А' + 44: 0, # 'Б' + 33: 0, # 'В' + 46: 0, # 'Г' + 41: 0, # 'Д' + 48: 0, # 'Е' + 56: 0, # 'Ж' + 51: 0, # 'З' + 42: 0, # 'И' + 60: 0, # 'Й' + 36: 0, # 'К' + 49: 0, # 'Л' + 38: 0, # 'М' + 31: 0, # 'Н' + 34: 0, # 'О' + 35: 0, # 'П' + 45: 0, # 'Р' + 32: 0, # 'С' + 40: 0, # 'Т' + 52: 0, # 'У' + 53: 0, # 'Ф' + 55: 0, # 'Х' + 58: 0, # 'Ц' + 50: 0, # 'Ч' + 57: 0, # 'Ш' + 63: 0, # 'Щ' + 62: 0, # 'Ы' + 61: 0, # 'Ь' + 47: 0, # 'Э' + 59: 0, # 'Ю' + 43: 0, # 'Я' + 3: 0, # 'а' + 21: 2, # 'б' + 10: 3, # 'в' + 19: 2, # 'г' + 13: 3, # 'д' + 2: 3, # 'е' + 24: 3, # 'ж' + 20: 3, # 'з' + 4: 2, # 'и' + 23: 2, # 'й' + 11: 3, # 'к' + 8: 3, # 'л' + 12: 3, # 'м' + 5: 3, # 'н' + 1: 0, # 'о' + 15: 2, # 'п' + 9: 2, # 'р' + 7: 3, # 'с' + 6: 3, # 'т' + 14: 1, # 'у' + 39: 1, # 'ф' + 26: 3, # 'х' + 28: 2, # 'ц' + 22: 2, # 'ч' + 25: 2, # 'ш' + 29: 3, # 'щ' + 54: 0, # 'ъ' + 18: 0, # 'ы' + 17: 0, # 'ь' + 30: 0, # 'э' + 27: 2, # 'ю' + 16: 2, # 'я' + }, +} + +# 255: Undefined characters that did not exist in training text +# 254: Carriage/Return +# 253: symbol (punctuation) that does not belong to word +# 252: 0 - 9 +# 251: Control characters + +# Character Mapping Table(s): +IBM866_RUSSIAN_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 254, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 254, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 253, # ' ' + 33: 253, # '!' + 34: 253, # '"' + 35: 253, # '#' + 36: 253, # '$' + 37: 253, # '%' + 38: 253, # '&' + 39: 253, # "'" + 40: 253, # '(' + 41: 253, # ')' + 42: 253, # '*' + 43: 253, # '+' + 44: 253, # ',' + 45: 253, # '-' + 46: 253, # '.' + 47: 253, # '/' + 48: 252, # '0' + 49: 252, # '1' + 50: 252, # '2' + 51: 252, # '3' + 52: 252, # '4' + 53: 252, # '5' + 54: 252, # '6' + 55: 252, # '7' + 56: 252, # '8' + 57: 252, # '9' + 58: 253, # ':' + 59: 253, # ';' + 60: 253, # '<' + 61: 253, # '=' + 62: 253, # '>' + 63: 253, # '?' + 64: 253, # '@' + 65: 142, # 'A' + 66: 143, # 'B' + 67: 144, # 'C' + 68: 145, # 'D' + 69: 146, # 'E' + 70: 147, # 'F' + 71: 148, # 'G' + 72: 149, # 'H' + 73: 150, # 'I' + 74: 151, # 'J' + 75: 152, # 'K' + 76: 74, # 'L' + 77: 153, # 'M' + 78: 75, # 'N' + 79: 154, # 'O' + 80: 155, # 'P' + 81: 156, # 'Q' + 82: 157, # 'R' + 83: 158, # 'S' + 84: 159, # 'T' + 85: 160, # 'U' + 86: 161, # 'V' + 87: 162, # 'W' + 88: 163, # 'X' + 89: 164, # 'Y' + 90: 165, # 'Z' + 91: 253, # '[' + 92: 253, # '\\' + 93: 253, # ']' + 94: 253, # '^' + 95: 253, # '_' + 96: 253, # '`' + 97: 71, # 'a' + 98: 172, # 'b' + 99: 66, # 'c' + 100: 173, # 'd' + 101: 65, # 'e' + 102: 174, # 'f' + 103: 76, # 'g' + 104: 175, # 'h' + 105: 64, # 'i' + 106: 176, # 'j' + 107: 177, # 'k' + 108: 77, # 'l' + 109: 72, # 'm' + 110: 178, # 'n' + 111: 69, # 'o' + 112: 67, # 'p' + 113: 179, # 'q' + 114: 78, # 'r' + 115: 73, # 's' + 116: 180, # 't' + 117: 181, # 'u' + 118: 79, # 'v' + 119: 182, # 'w' + 120: 183, # 'x' + 121: 184, # 'y' + 122: 185, # 'z' + 123: 253, # '{' + 124: 253, # '|' + 125: 253, # '}' + 126: 253, # '~' + 127: 253, # '\x7f' + 128: 37, # 'А' + 129: 44, # 'Б' + 130: 33, # 'В' + 131: 46, # 'Г' + 132: 41, # 'Д' + 133: 48, # 'Е' + 134: 56, # 'Ж' + 135: 51, # 'З' + 136: 42, # 'И' + 137: 60, # 'Й' + 138: 36, # 'К' + 139: 49, # 'Л' + 140: 38, # 'М' + 141: 31, # 'Н' + 142: 34, # 'О' + 143: 35, # 'П' + 144: 45, # 'Р' + 145: 32, # 'С' + 146: 40, # 'Т' + 147: 52, # 'У' + 148: 53, # 'Ф' + 149: 55, # 'Х' + 150: 58, # 'Ц' + 151: 50, # 'Ч' + 152: 57, # 'Ш' + 153: 63, # 'Щ' + 154: 70, # 'Ъ' + 155: 62, # 'Ы' + 156: 61, # 'Ь' + 157: 47, # 'Э' + 158: 59, # 'Ю' + 159: 43, # 'Я' + 160: 3, # 'а' + 161: 21, # 'б' + 162: 10, # 'в' + 163: 19, # 'г' + 164: 13, # 'д' + 165: 2, # 'е' + 166: 24, # 'ж' + 167: 20, # 'з' + 168: 4, # 'и' + 169: 23, # 'й' + 170: 11, # 'к' + 171: 8, # 'л' + 172: 12, # 'м' + 173: 5, # 'н' + 174: 1, # 'о' + 175: 15, # 'п' + 176: 191, # '░' + 177: 192, # '▒' + 178: 193, # '▓' + 179: 194, # '│' + 180: 195, # '┤' + 181: 196, # '╡' + 182: 197, # '╢' + 183: 198, # '╖' + 184: 199, # '╕' + 185: 200, # '╣' + 186: 201, # '║' + 187: 202, # '╗' + 188: 203, # '╝' + 189: 204, # '╜' + 190: 205, # '╛' + 191: 206, # '┐' + 192: 207, # '└' + 193: 208, # '┴' + 194: 209, # '┬' + 195: 210, # '├' + 196: 211, # '─' + 197: 212, # '┼' + 198: 213, # '╞' + 199: 214, # '╟' + 200: 215, # '╚' + 201: 216, # '╔' + 202: 217, # '╩' + 203: 218, # '╦' + 204: 219, # '╠' + 205: 220, # '═' + 206: 221, # '╬' + 207: 222, # '╧' + 208: 223, # '╨' + 209: 224, # '╤' + 210: 225, # '╥' + 211: 226, # '╙' + 212: 227, # '╘' + 213: 228, # '╒' + 214: 229, # '╓' + 215: 230, # '╫' + 216: 231, # '╪' + 217: 232, # '┘' + 218: 233, # '┌' + 219: 234, # '█' + 220: 235, # '▄' + 221: 236, # '▌' + 222: 237, # '▐' + 223: 238, # '▀' + 224: 9, # 'р' + 225: 7, # 'с' + 226: 6, # 'т' + 227: 14, # 'у' + 228: 39, # 'ф' + 229: 26, # 'х' + 230: 28, # 'ц' + 231: 22, # 'ч' + 232: 25, # 'ш' + 233: 29, # 'щ' + 234: 54, # 'ъ' + 235: 18, # 'ы' + 236: 17, # 'ь' + 237: 30, # 'э' + 238: 27, # 'ю' + 239: 16, # 'я' + 240: 239, # 'Ё' + 241: 68, # 'ё' + 242: 240, # 'Є' + 243: 241, # 'є' + 244: 242, # 'Ї' + 245: 243, # 'ї' + 246: 244, # 'Ў' + 247: 245, # 'ў' + 248: 246, # '°' + 249: 247, # '∙' + 250: 248, # '·' + 251: 249, # '√' + 252: 250, # '№' + 253: 251, # '¤' + 254: 252, # '■' + 255: 255, # '\xa0' +} + +IBM866_RUSSIAN_MODEL = SingleByteCharSetModel(charset_name='IBM866', + language='Russian', + char_to_order_map=IBM866_RUSSIAN_CHAR_TO_ORDER, + language_model=RUSSIAN_LANG_MODEL, + typical_positive_ratio=0.976601, + keep_ascii_letters=False, + alphabet='ЁАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюяё') + +WINDOWS_1251_RUSSIAN_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 254, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 254, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 253, # ' ' + 33: 253, # '!' + 34: 253, # '"' + 35: 253, # '#' + 36: 253, # '$' + 37: 253, # '%' + 38: 253, # '&' + 39: 253, # "'" + 40: 253, # '(' + 41: 253, # ')' + 42: 253, # '*' + 43: 253, # '+' + 44: 253, # ',' + 45: 253, # '-' + 46: 253, # '.' + 47: 253, # '/' + 48: 252, # '0' + 49: 252, # '1' + 50: 252, # '2' + 51: 252, # '3' + 52: 252, # '4' + 53: 252, # '5' + 54: 252, # '6' + 55: 252, # '7' + 56: 252, # '8' + 57: 252, # '9' + 58: 253, # ':' + 59: 253, # ';' + 60: 253, # '<' + 61: 253, # '=' + 62: 253, # '>' + 63: 253, # '?' + 64: 253, # '@' + 65: 142, # 'A' + 66: 143, # 'B' + 67: 144, # 'C' + 68: 145, # 'D' + 69: 146, # 'E' + 70: 147, # 'F' + 71: 148, # 'G' + 72: 149, # 'H' + 73: 150, # 'I' + 74: 151, # 'J' + 75: 152, # 'K' + 76: 74, # 'L' + 77: 153, # 'M' + 78: 75, # 'N' + 79: 154, # 'O' + 80: 155, # 'P' + 81: 156, # 'Q' + 82: 157, # 'R' + 83: 158, # 'S' + 84: 159, # 'T' + 85: 160, # 'U' + 86: 161, # 'V' + 87: 162, # 'W' + 88: 163, # 'X' + 89: 164, # 'Y' + 90: 165, # 'Z' + 91: 253, # '[' + 92: 253, # '\\' + 93: 253, # ']' + 94: 253, # '^' + 95: 253, # '_' + 96: 253, # '`' + 97: 71, # 'a' + 98: 172, # 'b' + 99: 66, # 'c' + 100: 173, # 'd' + 101: 65, # 'e' + 102: 174, # 'f' + 103: 76, # 'g' + 104: 175, # 'h' + 105: 64, # 'i' + 106: 176, # 'j' + 107: 177, # 'k' + 108: 77, # 'l' + 109: 72, # 'm' + 110: 178, # 'n' + 111: 69, # 'o' + 112: 67, # 'p' + 113: 179, # 'q' + 114: 78, # 'r' + 115: 73, # 's' + 116: 180, # 't' + 117: 181, # 'u' + 118: 79, # 'v' + 119: 182, # 'w' + 120: 183, # 'x' + 121: 184, # 'y' + 122: 185, # 'z' + 123: 253, # '{' + 124: 253, # '|' + 125: 253, # '}' + 126: 253, # '~' + 127: 253, # '\x7f' + 128: 191, # 'Ђ' + 129: 192, # 'Ѓ' + 130: 193, # '‚' + 131: 194, # 'ѓ' + 132: 195, # '„' + 133: 196, # '…' + 134: 197, # '†' + 135: 198, # '‡' + 136: 199, # '€' + 137: 200, # '‰' + 138: 201, # 'Љ' + 139: 202, # '‹' + 140: 203, # 'Њ' + 141: 204, # 'Ќ' + 142: 205, # 'Ћ' + 143: 206, # 'Џ' + 144: 207, # 'ђ' + 145: 208, # '‘' + 146: 209, # '’' + 147: 210, # '“' + 148: 211, # '”' + 149: 212, # '•' + 150: 213, # '–' + 151: 214, # '—' + 152: 215, # None + 153: 216, # '™' + 154: 217, # 'љ' + 155: 218, # '›' + 156: 219, # 'њ' + 157: 220, # 'ќ' + 158: 221, # 'ћ' + 159: 222, # 'џ' + 160: 223, # '\xa0' + 161: 224, # 'Ў' + 162: 225, # 'ў' + 163: 226, # 'Ј' + 164: 227, # '¤' + 165: 228, # 'Ґ' + 166: 229, # '¦' + 167: 230, # '§' + 168: 231, # 'Ё' + 169: 232, # '©' + 170: 233, # 'Є' + 171: 234, # '«' + 172: 235, # '¬' + 173: 236, # '\xad' + 174: 237, # '®' + 175: 238, # 'Ї' + 176: 239, # '°' + 177: 240, # '±' + 178: 241, # 'І' + 179: 242, # 'і' + 180: 243, # 'ґ' + 181: 244, # 'µ' + 182: 245, # '¶' + 183: 246, # '·' + 184: 68, # 'ё' + 185: 247, # '№' + 186: 248, # 'є' + 187: 249, # '»' + 188: 250, # 'ј' + 189: 251, # 'Ѕ' + 190: 252, # 'ѕ' + 191: 253, # 'ї' + 192: 37, # 'А' + 193: 44, # 'Б' + 194: 33, # 'В' + 195: 46, # 'Г' + 196: 41, # 'Д' + 197: 48, # 'Е' + 198: 56, # 'Ж' + 199: 51, # 'З' + 200: 42, # 'И' + 201: 60, # 'Й' + 202: 36, # 'К' + 203: 49, # 'Л' + 204: 38, # 'М' + 205: 31, # 'Н' + 206: 34, # 'О' + 207: 35, # 'П' + 208: 45, # 'Р' + 209: 32, # 'С' + 210: 40, # 'Т' + 211: 52, # 'У' + 212: 53, # 'Ф' + 213: 55, # 'Х' + 214: 58, # 'Ц' + 215: 50, # 'Ч' + 216: 57, # 'Ш' + 217: 63, # 'Щ' + 218: 70, # 'Ъ' + 219: 62, # 'Ы' + 220: 61, # 'Ь' + 221: 47, # 'Э' + 222: 59, # 'Ю' + 223: 43, # 'Я' + 224: 3, # 'а' + 225: 21, # 'б' + 226: 10, # 'в' + 227: 19, # 'г' + 228: 13, # 'д' + 229: 2, # 'е' + 230: 24, # 'ж' + 231: 20, # 'з' + 232: 4, # 'и' + 233: 23, # 'й' + 234: 11, # 'к' + 235: 8, # 'л' + 236: 12, # 'м' + 237: 5, # 'н' + 238: 1, # 'о' + 239: 15, # 'п' + 240: 9, # 'р' + 241: 7, # 'с' + 242: 6, # 'т' + 243: 14, # 'у' + 244: 39, # 'ф' + 245: 26, # 'х' + 246: 28, # 'ц' + 247: 22, # 'ч' + 248: 25, # 'ш' + 249: 29, # 'щ' + 250: 54, # 'ъ' + 251: 18, # 'ы' + 252: 17, # 'ь' + 253: 30, # 'э' + 254: 27, # 'ю' + 255: 16, # 'я' +} + +WINDOWS_1251_RUSSIAN_MODEL = SingleByteCharSetModel(charset_name='windows-1251', + language='Russian', + char_to_order_map=WINDOWS_1251_RUSSIAN_CHAR_TO_ORDER, + language_model=RUSSIAN_LANG_MODEL, + typical_positive_ratio=0.976601, + keep_ascii_letters=False, + alphabet='ЁАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюяё') + +IBM855_RUSSIAN_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 254, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 254, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 253, # ' ' + 33: 253, # '!' + 34: 253, # '"' + 35: 253, # '#' + 36: 253, # '$' + 37: 253, # '%' + 38: 253, # '&' + 39: 253, # "'" + 40: 253, # '(' + 41: 253, # ')' + 42: 253, # '*' + 43: 253, # '+' + 44: 253, # ',' + 45: 253, # '-' + 46: 253, # '.' + 47: 253, # '/' + 48: 252, # '0' + 49: 252, # '1' + 50: 252, # '2' + 51: 252, # '3' + 52: 252, # '4' + 53: 252, # '5' + 54: 252, # '6' + 55: 252, # '7' + 56: 252, # '8' + 57: 252, # '9' + 58: 253, # ':' + 59: 253, # ';' + 60: 253, # '<' + 61: 253, # '=' + 62: 253, # '>' + 63: 253, # '?' + 64: 253, # '@' + 65: 142, # 'A' + 66: 143, # 'B' + 67: 144, # 'C' + 68: 145, # 'D' + 69: 146, # 'E' + 70: 147, # 'F' + 71: 148, # 'G' + 72: 149, # 'H' + 73: 150, # 'I' + 74: 151, # 'J' + 75: 152, # 'K' + 76: 74, # 'L' + 77: 153, # 'M' + 78: 75, # 'N' + 79: 154, # 'O' + 80: 155, # 'P' + 81: 156, # 'Q' + 82: 157, # 'R' + 83: 158, # 'S' + 84: 159, # 'T' + 85: 160, # 'U' + 86: 161, # 'V' + 87: 162, # 'W' + 88: 163, # 'X' + 89: 164, # 'Y' + 90: 165, # 'Z' + 91: 253, # '[' + 92: 253, # '\\' + 93: 253, # ']' + 94: 253, # '^' + 95: 253, # '_' + 96: 253, # '`' + 97: 71, # 'a' + 98: 172, # 'b' + 99: 66, # 'c' + 100: 173, # 'd' + 101: 65, # 'e' + 102: 174, # 'f' + 103: 76, # 'g' + 104: 175, # 'h' + 105: 64, # 'i' + 106: 176, # 'j' + 107: 177, # 'k' + 108: 77, # 'l' + 109: 72, # 'm' + 110: 178, # 'n' + 111: 69, # 'o' + 112: 67, # 'p' + 113: 179, # 'q' + 114: 78, # 'r' + 115: 73, # 's' + 116: 180, # 't' + 117: 181, # 'u' + 118: 79, # 'v' + 119: 182, # 'w' + 120: 183, # 'x' + 121: 184, # 'y' + 122: 185, # 'z' + 123: 253, # '{' + 124: 253, # '|' + 125: 253, # '}' + 126: 253, # '~' + 127: 253, # '\x7f' + 128: 191, # 'ђ' + 129: 192, # 'Ђ' + 130: 193, # 'ѓ' + 131: 194, # 'Ѓ' + 132: 68, # 'ё' + 133: 195, # 'Ё' + 134: 196, # 'є' + 135: 197, # 'Є' + 136: 198, # 'ѕ' + 137: 199, # 'Ѕ' + 138: 200, # 'і' + 139: 201, # 'І' + 140: 202, # 'ї' + 141: 203, # 'Ї' + 142: 204, # 'ј' + 143: 205, # 'Ј' + 144: 206, # 'љ' + 145: 207, # 'Љ' + 146: 208, # 'њ' + 147: 209, # 'Њ' + 148: 210, # 'ћ' + 149: 211, # 'Ћ' + 150: 212, # 'ќ' + 151: 213, # 'Ќ' + 152: 214, # 'ў' + 153: 215, # 'Ў' + 154: 216, # 'џ' + 155: 217, # 'Џ' + 156: 27, # 'ю' + 157: 59, # 'Ю' + 158: 54, # 'ъ' + 159: 70, # 'Ъ' + 160: 3, # 'а' + 161: 37, # 'А' + 162: 21, # 'б' + 163: 44, # 'Б' + 164: 28, # 'ц' + 165: 58, # 'Ц' + 166: 13, # 'д' + 167: 41, # 'Д' + 168: 2, # 'е' + 169: 48, # 'Е' + 170: 39, # 'ф' + 171: 53, # 'Ф' + 172: 19, # 'г' + 173: 46, # 'Г' + 174: 218, # '«' + 175: 219, # '»' + 176: 220, # '░' + 177: 221, # '▒' + 178: 222, # '▓' + 179: 223, # '│' + 180: 224, # '┤' + 181: 26, # 'х' + 182: 55, # 'Х' + 183: 4, # 'и' + 184: 42, # 'И' + 185: 225, # '╣' + 186: 226, # '║' + 187: 227, # '╗' + 188: 228, # '╝' + 189: 23, # 'й' + 190: 60, # 'Й' + 191: 229, # '┐' + 192: 230, # '└' + 193: 231, # '┴' + 194: 232, # '┬' + 195: 233, # '├' + 196: 234, # '─' + 197: 235, # '┼' + 198: 11, # 'к' + 199: 36, # 'К' + 200: 236, # '╚' + 201: 237, # '╔' + 202: 238, # '╩' + 203: 239, # '╦' + 204: 240, # '╠' + 205: 241, # '═' + 206: 242, # '╬' + 207: 243, # '¤' + 208: 8, # 'л' + 209: 49, # 'Л' + 210: 12, # 'м' + 211: 38, # 'М' + 212: 5, # 'н' + 213: 31, # 'Н' + 214: 1, # 'о' + 215: 34, # 'О' + 216: 15, # 'п' + 217: 244, # '┘' + 218: 245, # '┌' + 219: 246, # '█' + 220: 247, # '▄' + 221: 35, # 'П' + 222: 16, # 'я' + 223: 248, # '▀' + 224: 43, # 'Я' + 225: 9, # 'р' + 226: 45, # 'Р' + 227: 7, # 'с' + 228: 32, # 'С' + 229: 6, # 'т' + 230: 40, # 'Т' + 231: 14, # 'у' + 232: 52, # 'У' + 233: 24, # 'ж' + 234: 56, # 'Ж' + 235: 10, # 'в' + 236: 33, # 'В' + 237: 17, # 'ь' + 238: 61, # 'Ь' + 239: 249, # '№' + 240: 250, # '\xad' + 241: 18, # 'ы' + 242: 62, # 'Ы' + 243: 20, # 'з' + 244: 51, # 'З' + 245: 25, # 'ш' + 246: 57, # 'Ш' + 247: 30, # 'э' + 248: 47, # 'Э' + 249: 29, # 'щ' + 250: 63, # 'Щ' + 251: 22, # 'ч' + 252: 50, # 'Ч' + 253: 251, # '§' + 254: 252, # '■' + 255: 255, # '\xa0' +} + +IBM855_RUSSIAN_MODEL = SingleByteCharSetModel(charset_name='IBM855', + language='Russian', + char_to_order_map=IBM855_RUSSIAN_CHAR_TO_ORDER, + language_model=RUSSIAN_LANG_MODEL, + typical_positive_ratio=0.976601, + keep_ascii_letters=False, + alphabet='ЁАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюяё') + +KOI8_R_RUSSIAN_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 254, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 254, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 253, # ' ' + 33: 253, # '!' + 34: 253, # '"' + 35: 253, # '#' + 36: 253, # '$' + 37: 253, # '%' + 38: 253, # '&' + 39: 253, # "'" + 40: 253, # '(' + 41: 253, # ')' + 42: 253, # '*' + 43: 253, # '+' + 44: 253, # ',' + 45: 253, # '-' + 46: 253, # '.' + 47: 253, # '/' + 48: 252, # '0' + 49: 252, # '1' + 50: 252, # '2' + 51: 252, # '3' + 52: 252, # '4' + 53: 252, # '5' + 54: 252, # '6' + 55: 252, # '7' + 56: 252, # '8' + 57: 252, # '9' + 58: 253, # ':' + 59: 253, # ';' + 60: 253, # '<' + 61: 253, # '=' + 62: 253, # '>' + 63: 253, # '?' + 64: 253, # '@' + 65: 142, # 'A' + 66: 143, # 'B' + 67: 144, # 'C' + 68: 145, # 'D' + 69: 146, # 'E' + 70: 147, # 'F' + 71: 148, # 'G' + 72: 149, # 'H' + 73: 150, # 'I' + 74: 151, # 'J' + 75: 152, # 'K' + 76: 74, # 'L' + 77: 153, # 'M' + 78: 75, # 'N' + 79: 154, # 'O' + 80: 155, # 'P' + 81: 156, # 'Q' + 82: 157, # 'R' + 83: 158, # 'S' + 84: 159, # 'T' + 85: 160, # 'U' + 86: 161, # 'V' + 87: 162, # 'W' + 88: 163, # 'X' + 89: 164, # 'Y' + 90: 165, # 'Z' + 91: 253, # '[' + 92: 253, # '\\' + 93: 253, # ']' + 94: 253, # '^' + 95: 253, # '_' + 96: 253, # '`' + 97: 71, # 'a' + 98: 172, # 'b' + 99: 66, # 'c' + 100: 173, # 'd' + 101: 65, # 'e' + 102: 174, # 'f' + 103: 76, # 'g' + 104: 175, # 'h' + 105: 64, # 'i' + 106: 176, # 'j' + 107: 177, # 'k' + 108: 77, # 'l' + 109: 72, # 'm' + 110: 178, # 'n' + 111: 69, # 'o' + 112: 67, # 'p' + 113: 179, # 'q' + 114: 78, # 'r' + 115: 73, # 's' + 116: 180, # 't' + 117: 181, # 'u' + 118: 79, # 'v' + 119: 182, # 'w' + 120: 183, # 'x' + 121: 184, # 'y' + 122: 185, # 'z' + 123: 253, # '{' + 124: 253, # '|' + 125: 253, # '}' + 126: 253, # '~' + 127: 253, # '\x7f' + 128: 191, # '─' + 129: 192, # '│' + 130: 193, # '┌' + 131: 194, # '┐' + 132: 195, # '└' + 133: 196, # '┘' + 134: 197, # '├' + 135: 198, # '┤' + 136: 199, # '┬' + 137: 200, # '┴' + 138: 201, # '┼' + 139: 202, # '▀' + 140: 203, # '▄' + 141: 204, # '█' + 142: 205, # '▌' + 143: 206, # '▐' + 144: 207, # '░' + 145: 208, # '▒' + 146: 209, # '▓' + 147: 210, # '⌠' + 148: 211, # '■' + 149: 212, # '∙' + 150: 213, # '√' + 151: 214, # '≈' + 152: 215, # '≤' + 153: 216, # '≥' + 154: 217, # '\xa0' + 155: 218, # '⌡' + 156: 219, # '°' + 157: 220, # '²' + 158: 221, # '·' + 159: 222, # '÷' + 160: 223, # '═' + 161: 224, # '║' + 162: 225, # '╒' + 163: 68, # 'ё' + 164: 226, # '╓' + 165: 227, # '╔' + 166: 228, # '╕' + 167: 229, # '╖' + 168: 230, # '╗' + 169: 231, # '╘' + 170: 232, # '╙' + 171: 233, # '╚' + 172: 234, # '╛' + 173: 235, # '╜' + 174: 236, # '╝' + 175: 237, # '╞' + 176: 238, # '╟' + 177: 239, # '╠' + 178: 240, # '╡' + 179: 241, # 'Ё' + 180: 242, # '╢' + 181: 243, # '╣' + 182: 244, # '╤' + 183: 245, # '╥' + 184: 246, # '╦' + 185: 247, # '╧' + 186: 248, # '╨' + 187: 249, # '╩' + 188: 250, # '╪' + 189: 251, # '╫' + 190: 252, # '╬' + 191: 253, # '©' + 192: 27, # 'ю' + 193: 3, # 'а' + 194: 21, # 'б' + 195: 28, # 'ц' + 196: 13, # 'д' + 197: 2, # 'е' + 198: 39, # 'ф' + 199: 19, # 'г' + 200: 26, # 'х' + 201: 4, # 'и' + 202: 23, # 'й' + 203: 11, # 'к' + 204: 8, # 'л' + 205: 12, # 'м' + 206: 5, # 'н' + 207: 1, # 'о' + 208: 15, # 'п' + 209: 16, # 'я' + 210: 9, # 'р' + 211: 7, # 'с' + 212: 6, # 'т' + 213: 14, # 'у' + 214: 24, # 'ж' + 215: 10, # 'в' + 216: 17, # 'ь' + 217: 18, # 'ы' + 218: 20, # 'з' + 219: 25, # 'ш' + 220: 30, # 'э' + 221: 29, # 'щ' + 222: 22, # 'ч' + 223: 54, # 'ъ' + 224: 59, # 'Ю' + 225: 37, # 'А' + 226: 44, # 'Б' + 227: 58, # 'Ц' + 228: 41, # 'Д' + 229: 48, # 'Е' + 230: 53, # 'Ф' + 231: 46, # 'Г' + 232: 55, # 'Х' + 233: 42, # 'И' + 234: 60, # 'Й' + 235: 36, # 'К' + 236: 49, # 'Л' + 237: 38, # 'М' + 238: 31, # 'Н' + 239: 34, # 'О' + 240: 35, # 'П' + 241: 43, # 'Я' + 242: 45, # 'Р' + 243: 32, # 'С' + 244: 40, # 'Т' + 245: 52, # 'У' + 246: 56, # 'Ж' + 247: 33, # 'В' + 248: 61, # 'Ь' + 249: 62, # 'Ы' + 250: 51, # 'З' + 251: 57, # 'Ш' + 252: 47, # 'Э' + 253: 63, # 'Щ' + 254: 50, # 'Ч' + 255: 70, # 'Ъ' +} + +KOI8_R_RUSSIAN_MODEL = SingleByteCharSetModel(charset_name='KOI8-R', + language='Russian', + char_to_order_map=KOI8_R_RUSSIAN_CHAR_TO_ORDER, + language_model=RUSSIAN_LANG_MODEL, + typical_positive_ratio=0.976601, + keep_ascii_letters=False, + alphabet='ЁАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюяё') + +MACCYRILLIC_RUSSIAN_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 254, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 254, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 253, # ' ' + 33: 253, # '!' + 34: 253, # '"' + 35: 253, # '#' + 36: 253, # '$' + 37: 253, # '%' + 38: 253, # '&' + 39: 253, # "'" + 40: 253, # '(' + 41: 253, # ')' + 42: 253, # '*' + 43: 253, # '+' + 44: 253, # ',' + 45: 253, # '-' + 46: 253, # '.' + 47: 253, # '/' + 48: 252, # '0' + 49: 252, # '1' + 50: 252, # '2' + 51: 252, # '3' + 52: 252, # '4' + 53: 252, # '5' + 54: 252, # '6' + 55: 252, # '7' + 56: 252, # '8' + 57: 252, # '9' + 58: 253, # ':' + 59: 253, # ';' + 60: 253, # '<' + 61: 253, # '=' + 62: 253, # '>' + 63: 253, # '?' + 64: 253, # '@' + 65: 142, # 'A' + 66: 143, # 'B' + 67: 144, # 'C' + 68: 145, # 'D' + 69: 146, # 'E' + 70: 147, # 'F' + 71: 148, # 'G' + 72: 149, # 'H' + 73: 150, # 'I' + 74: 151, # 'J' + 75: 152, # 'K' + 76: 74, # 'L' + 77: 153, # 'M' + 78: 75, # 'N' + 79: 154, # 'O' + 80: 155, # 'P' + 81: 156, # 'Q' + 82: 157, # 'R' + 83: 158, # 'S' + 84: 159, # 'T' + 85: 160, # 'U' + 86: 161, # 'V' + 87: 162, # 'W' + 88: 163, # 'X' + 89: 164, # 'Y' + 90: 165, # 'Z' + 91: 253, # '[' + 92: 253, # '\\' + 93: 253, # ']' + 94: 253, # '^' + 95: 253, # '_' + 96: 253, # '`' + 97: 71, # 'a' + 98: 172, # 'b' + 99: 66, # 'c' + 100: 173, # 'd' + 101: 65, # 'e' + 102: 174, # 'f' + 103: 76, # 'g' + 104: 175, # 'h' + 105: 64, # 'i' + 106: 176, # 'j' + 107: 177, # 'k' + 108: 77, # 'l' + 109: 72, # 'm' + 110: 178, # 'n' + 111: 69, # 'o' + 112: 67, # 'p' + 113: 179, # 'q' + 114: 78, # 'r' + 115: 73, # 's' + 116: 180, # 't' + 117: 181, # 'u' + 118: 79, # 'v' + 119: 182, # 'w' + 120: 183, # 'x' + 121: 184, # 'y' + 122: 185, # 'z' + 123: 253, # '{' + 124: 253, # '|' + 125: 253, # '}' + 126: 253, # '~' + 127: 253, # '\x7f' + 128: 37, # 'А' + 129: 44, # 'Б' + 130: 33, # 'В' + 131: 46, # 'Г' + 132: 41, # 'Д' + 133: 48, # 'Е' + 134: 56, # 'Ж' + 135: 51, # 'З' + 136: 42, # 'И' + 137: 60, # 'Й' + 138: 36, # 'К' + 139: 49, # 'Л' + 140: 38, # 'М' + 141: 31, # 'Н' + 142: 34, # 'О' + 143: 35, # 'П' + 144: 45, # 'Р' + 145: 32, # 'С' + 146: 40, # 'Т' + 147: 52, # 'У' + 148: 53, # 'Ф' + 149: 55, # 'Х' + 150: 58, # 'Ц' + 151: 50, # 'Ч' + 152: 57, # 'Ш' + 153: 63, # 'Щ' + 154: 70, # 'Ъ' + 155: 62, # 'Ы' + 156: 61, # 'Ь' + 157: 47, # 'Э' + 158: 59, # 'Ю' + 159: 43, # 'Я' + 160: 191, # '†' + 161: 192, # '°' + 162: 193, # 'Ґ' + 163: 194, # '£' + 164: 195, # '§' + 165: 196, # '•' + 166: 197, # '¶' + 167: 198, # 'І' + 168: 199, # '®' + 169: 200, # '©' + 170: 201, # '™' + 171: 202, # 'Ђ' + 172: 203, # 'ђ' + 173: 204, # '≠' + 174: 205, # 'Ѓ' + 175: 206, # 'ѓ' + 176: 207, # '∞' + 177: 208, # '±' + 178: 209, # '≤' + 179: 210, # '≥' + 180: 211, # 'і' + 181: 212, # 'µ' + 182: 213, # 'ґ' + 183: 214, # 'Ј' + 184: 215, # 'Є' + 185: 216, # 'є' + 186: 217, # 'Ї' + 187: 218, # 'ї' + 188: 219, # 'Љ' + 189: 220, # 'љ' + 190: 221, # 'Њ' + 191: 222, # 'њ' + 192: 223, # 'ј' + 193: 224, # 'Ѕ' + 194: 225, # '¬' + 195: 226, # '√' + 196: 227, # 'ƒ' + 197: 228, # '≈' + 198: 229, # '∆' + 199: 230, # '«' + 200: 231, # '»' + 201: 232, # '…' + 202: 233, # '\xa0' + 203: 234, # 'Ћ' + 204: 235, # 'ћ' + 205: 236, # 'Ќ' + 206: 237, # 'ќ' + 207: 238, # 'ѕ' + 208: 239, # '–' + 209: 240, # '—' + 210: 241, # '“' + 211: 242, # '”' + 212: 243, # '‘' + 213: 244, # '’' + 214: 245, # '÷' + 215: 246, # '„' + 216: 247, # 'Ў' + 217: 248, # 'ў' + 218: 249, # 'Џ' + 219: 250, # 'џ' + 220: 251, # '№' + 221: 252, # 'Ё' + 222: 68, # 'ё' + 223: 16, # 'я' + 224: 3, # 'а' + 225: 21, # 'б' + 226: 10, # 'в' + 227: 19, # 'г' + 228: 13, # 'д' + 229: 2, # 'е' + 230: 24, # 'ж' + 231: 20, # 'з' + 232: 4, # 'и' + 233: 23, # 'й' + 234: 11, # 'к' + 235: 8, # 'л' + 236: 12, # 'м' + 237: 5, # 'н' + 238: 1, # 'о' + 239: 15, # 'п' + 240: 9, # 'р' + 241: 7, # 'с' + 242: 6, # 'т' + 243: 14, # 'у' + 244: 39, # 'ф' + 245: 26, # 'х' + 246: 28, # 'ц' + 247: 22, # 'ч' + 248: 25, # 'ш' + 249: 29, # 'щ' + 250: 54, # 'ъ' + 251: 18, # 'ы' + 252: 17, # 'ь' + 253: 30, # 'э' + 254: 27, # 'ю' + 255: 255, # '€' +} + +MACCYRILLIC_RUSSIAN_MODEL = SingleByteCharSetModel(charset_name='MacCyrillic', + language='Russian', + char_to_order_map=MACCYRILLIC_RUSSIAN_CHAR_TO_ORDER, + language_model=RUSSIAN_LANG_MODEL, + typical_positive_ratio=0.976601, + keep_ascii_letters=False, + alphabet='ЁАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюяё') + +ISO_8859_5_RUSSIAN_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 254, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 254, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 253, # ' ' + 33: 253, # '!' + 34: 253, # '"' + 35: 253, # '#' + 36: 253, # '$' + 37: 253, # '%' + 38: 253, # '&' + 39: 253, # "'" + 40: 253, # '(' + 41: 253, # ')' + 42: 253, # '*' + 43: 253, # '+' + 44: 253, # ',' + 45: 253, # '-' + 46: 253, # '.' + 47: 253, # '/' + 48: 252, # '0' + 49: 252, # '1' + 50: 252, # '2' + 51: 252, # '3' + 52: 252, # '4' + 53: 252, # '5' + 54: 252, # '6' + 55: 252, # '7' + 56: 252, # '8' + 57: 252, # '9' + 58: 253, # ':' + 59: 253, # ';' + 60: 253, # '<' + 61: 253, # '=' + 62: 253, # '>' + 63: 253, # '?' + 64: 253, # '@' + 65: 142, # 'A' + 66: 143, # 'B' + 67: 144, # 'C' + 68: 145, # 'D' + 69: 146, # 'E' + 70: 147, # 'F' + 71: 148, # 'G' + 72: 149, # 'H' + 73: 150, # 'I' + 74: 151, # 'J' + 75: 152, # 'K' + 76: 74, # 'L' + 77: 153, # 'M' + 78: 75, # 'N' + 79: 154, # 'O' + 80: 155, # 'P' + 81: 156, # 'Q' + 82: 157, # 'R' + 83: 158, # 'S' + 84: 159, # 'T' + 85: 160, # 'U' + 86: 161, # 'V' + 87: 162, # 'W' + 88: 163, # 'X' + 89: 164, # 'Y' + 90: 165, # 'Z' + 91: 253, # '[' + 92: 253, # '\\' + 93: 253, # ']' + 94: 253, # '^' + 95: 253, # '_' + 96: 253, # '`' + 97: 71, # 'a' + 98: 172, # 'b' + 99: 66, # 'c' + 100: 173, # 'd' + 101: 65, # 'e' + 102: 174, # 'f' + 103: 76, # 'g' + 104: 175, # 'h' + 105: 64, # 'i' + 106: 176, # 'j' + 107: 177, # 'k' + 108: 77, # 'l' + 109: 72, # 'm' + 110: 178, # 'n' + 111: 69, # 'o' + 112: 67, # 'p' + 113: 179, # 'q' + 114: 78, # 'r' + 115: 73, # 's' + 116: 180, # 't' + 117: 181, # 'u' + 118: 79, # 'v' + 119: 182, # 'w' + 120: 183, # 'x' + 121: 184, # 'y' + 122: 185, # 'z' + 123: 253, # '{' + 124: 253, # '|' + 125: 253, # '}' + 126: 253, # '~' + 127: 253, # '\x7f' + 128: 191, # '\x80' + 129: 192, # '\x81' + 130: 193, # '\x82' + 131: 194, # '\x83' + 132: 195, # '\x84' + 133: 196, # '\x85' + 134: 197, # '\x86' + 135: 198, # '\x87' + 136: 199, # '\x88' + 137: 200, # '\x89' + 138: 201, # '\x8a' + 139: 202, # '\x8b' + 140: 203, # '\x8c' + 141: 204, # '\x8d' + 142: 205, # '\x8e' + 143: 206, # '\x8f' + 144: 207, # '\x90' + 145: 208, # '\x91' + 146: 209, # '\x92' + 147: 210, # '\x93' + 148: 211, # '\x94' + 149: 212, # '\x95' + 150: 213, # '\x96' + 151: 214, # '\x97' + 152: 215, # '\x98' + 153: 216, # '\x99' + 154: 217, # '\x9a' + 155: 218, # '\x9b' + 156: 219, # '\x9c' + 157: 220, # '\x9d' + 158: 221, # '\x9e' + 159: 222, # '\x9f' + 160: 223, # '\xa0' + 161: 224, # 'Ё' + 162: 225, # 'Ђ' + 163: 226, # 'Ѓ' + 164: 227, # 'Є' + 165: 228, # 'Ѕ' + 166: 229, # 'І' + 167: 230, # 'Ї' + 168: 231, # 'Ј' + 169: 232, # 'Љ' + 170: 233, # 'Њ' + 171: 234, # 'Ћ' + 172: 235, # 'Ќ' + 173: 236, # '\xad' + 174: 237, # 'Ў' + 175: 238, # 'Џ' + 176: 37, # 'А' + 177: 44, # 'Б' + 178: 33, # 'В' + 179: 46, # 'Г' + 180: 41, # 'Д' + 181: 48, # 'Е' + 182: 56, # 'Ж' + 183: 51, # 'З' + 184: 42, # 'И' + 185: 60, # 'Й' + 186: 36, # 'К' + 187: 49, # 'Л' + 188: 38, # 'М' + 189: 31, # 'Н' + 190: 34, # 'О' + 191: 35, # 'П' + 192: 45, # 'Р' + 193: 32, # 'С' + 194: 40, # 'Т' + 195: 52, # 'У' + 196: 53, # 'Ф' + 197: 55, # 'Х' + 198: 58, # 'Ц' + 199: 50, # 'Ч' + 200: 57, # 'Ш' + 201: 63, # 'Щ' + 202: 70, # 'Ъ' + 203: 62, # 'Ы' + 204: 61, # 'Ь' + 205: 47, # 'Э' + 206: 59, # 'Ю' + 207: 43, # 'Я' + 208: 3, # 'а' + 209: 21, # 'б' + 210: 10, # 'в' + 211: 19, # 'г' + 212: 13, # 'д' + 213: 2, # 'е' + 214: 24, # 'ж' + 215: 20, # 'з' + 216: 4, # 'и' + 217: 23, # 'й' + 218: 11, # 'к' + 219: 8, # 'л' + 220: 12, # 'м' + 221: 5, # 'н' + 222: 1, # 'о' + 223: 15, # 'п' + 224: 9, # 'р' + 225: 7, # 'с' + 226: 6, # 'т' + 227: 14, # 'у' + 228: 39, # 'ф' + 229: 26, # 'х' + 230: 28, # 'ц' + 231: 22, # 'ч' + 232: 25, # 'ш' + 233: 29, # 'щ' + 234: 54, # 'ъ' + 235: 18, # 'ы' + 236: 17, # 'ь' + 237: 30, # 'э' + 238: 27, # 'ю' + 239: 16, # 'я' + 240: 239, # '№' + 241: 68, # 'ё' + 242: 240, # 'ђ' + 243: 241, # 'ѓ' + 244: 242, # 'є' + 245: 243, # 'ѕ' + 246: 244, # 'і' + 247: 245, # 'ї' + 248: 246, # 'ј' + 249: 247, # 'љ' + 250: 248, # 'њ' + 251: 249, # 'ћ' + 252: 250, # 'ќ' + 253: 251, # '§' + 254: 252, # 'ў' + 255: 255, # 'џ' +} + +ISO_8859_5_RUSSIAN_MODEL = SingleByteCharSetModel(charset_name='ISO-8859-5', + language='Russian', + char_to_order_map=ISO_8859_5_RUSSIAN_CHAR_TO_ORDER, + language_model=RUSSIAN_LANG_MODEL, + typical_positive_ratio=0.976601, + keep_ascii_letters=False, + alphabet='ЁАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюяё') + diff --git a/venv/Lib/site-packages/pip/_vendor/chardet/langthaimodel.py b/venv/Lib/site-packages/pip/_vendor/chardet/langthaimodel.py new file mode 100644 index 0000000..9a37db5 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/chardet/langthaimodel.py @@ -0,0 +1,4383 @@ +#!/usr/bin/env python +# -*- coding: utf-8 -*- + +from pip._vendor.chardet.sbcharsetprober import SingleByteCharSetModel + + +# 3: Positive +# 2: Likely +# 1: Unlikely +# 0: Negative + +THAI_LANG_MODEL = { + 5: { # 'ก' + 5: 2, # 'ก' + 30: 2, # 'ข' + 24: 2, # 'ค' + 8: 2, # 'ง' + 26: 2, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 1, # 'ซ' + 47: 0, # 'ญ' + 58: 3, # 'ฎ' + 57: 2, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 2, # 'ณ' + 20: 2, # 'ด' + 19: 3, # 'ต' + 44: 0, # 'ถ' + 14: 2, # 'ท' + 48: 0, # 'ธ' + 3: 2, # 'น' + 17: 1, # 'บ' + 25: 2, # 'ป' + 39: 1, # 'ผ' + 62: 1, # 'ฝ' + 31: 1, # 'พ' + 54: 0, # 'ฟ' + 45: 1, # 'ภ' + 9: 2, # 'ม' + 16: 1, # 'ย' + 2: 3, # 'ร' + 61: 2, # 'ฤ' + 15: 3, # 'ล' + 12: 3, # 'ว' + 42: 2, # 'ศ' + 46: 3, # 'ษ' + 18: 2, # 'ส' + 21: 2, # 'ห' + 4: 3, # 'อ' + 63: 1, # 'ฯ' + 22: 2, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 3, # 'ำ' + 23: 3, # 'ิ' + 13: 3, # 'ี' + 40: 0, # 'ึ' + 27: 2, # 'ื' + 32: 2, # 'ุ' + 35: 1, # 'ู' + 11: 2, # 'เ' + 28: 2, # 'แ' + 41: 1, # 'โ' + 29: 1, # 'ใ' + 33: 2, # 'ไ' + 50: 1, # 'ๆ' + 37: 3, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 2, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 30: { # 'ข' + 5: 1, # 'ก' + 30: 0, # 'ข' + 24: 1, # 'ค' + 8: 1, # 'ง' + 26: 1, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 2, # 'ณ' + 20: 0, # 'ด' + 19: 2, # 'ต' + 44: 0, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 2, # 'น' + 17: 1, # 'บ' + 25: 1, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 2, # 'ย' + 2: 1, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 2, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 1, # 'ส' + 21: 1, # 'ห' + 4: 3, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 2, # 'ี' + 40: 3, # 'ึ' + 27: 1, # 'ื' + 32: 1, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 1, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 1, # '็' + 6: 2, # '่' + 7: 3, # '้' + 38: 1, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 24: { # 'ค' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 2, # 'ค' + 8: 2, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 2, # 'ณ' + 20: 2, # 'ด' + 19: 2, # 'ต' + 44: 0, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 0, # 'บ' + 25: 1, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 2, # 'ม' + 16: 2, # 'ย' + 2: 3, # 'ร' + 61: 0, # 'ฤ' + 15: 3, # 'ล' + 12: 3, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 1, # 'ส' + 21: 0, # 'ห' + 4: 2, # 'อ' + 63: 0, # 'ฯ' + 22: 2, # 'ะ' + 10: 3, # 'ั' + 1: 2, # 'า' + 36: 3, # 'ำ' + 23: 3, # 'ิ' + 13: 2, # 'ี' + 40: 0, # 'ึ' + 27: 3, # 'ื' + 32: 3, # 'ุ' + 35: 2, # 'ู' + 11: 1, # 'เ' + 28: 0, # 'แ' + 41: 3, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 1, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 3, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 8: { # 'ง' + 5: 3, # 'ก' + 30: 2, # 'ข' + 24: 3, # 'ค' + 8: 2, # 'ง' + 26: 2, # 'จ' + 52: 1, # 'ฉ' + 34: 2, # 'ช' + 51: 1, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 2, # 'ด' + 19: 2, # 'ต' + 44: 1, # 'ถ' + 14: 3, # 'ท' + 48: 1, # 'ธ' + 3: 3, # 'น' + 17: 2, # 'บ' + 25: 2, # 'ป' + 39: 2, # 'ผ' + 62: 1, # 'ฝ' + 31: 2, # 'พ' + 54: 0, # 'ฟ' + 45: 1, # 'ภ' + 9: 2, # 'ม' + 16: 1, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 2, # 'ว' + 42: 2, # 'ศ' + 46: 1, # 'ษ' + 18: 3, # 'ส' + 21: 3, # 'ห' + 4: 2, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 1, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 2, # 'ิ' + 13: 1, # 'ี' + 40: 0, # 'ึ' + 27: 1, # 'ื' + 32: 1, # 'ุ' + 35: 0, # 'ู' + 11: 3, # 'เ' + 28: 2, # 'แ' + 41: 1, # 'โ' + 29: 2, # 'ใ' + 33: 2, # 'ไ' + 50: 3, # 'ๆ' + 37: 0, # '็' + 6: 2, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 26: { # 'จ' + 5: 2, # 'ก' + 30: 1, # 'ข' + 24: 0, # 'ค' + 8: 2, # 'ง' + 26: 3, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 2, # 'ด' + 19: 1, # 'ต' + 44: 1, # 'ถ' + 14: 2, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 1, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 1, # 'ม' + 16: 1, # 'ย' + 2: 3, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 1, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 2, # 'ส' + 21: 1, # 'ห' + 4: 2, # 'อ' + 63: 0, # 'ฯ' + 22: 3, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 3, # 'ำ' + 23: 2, # 'ิ' + 13: 1, # 'ี' + 40: 3, # 'ึ' + 27: 1, # 'ื' + 32: 3, # 'ุ' + 35: 2, # 'ู' + 11: 1, # 'เ' + 28: 1, # 'แ' + 41: 0, # 'โ' + 29: 1, # 'ใ' + 33: 1, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 2, # '่' + 7: 2, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 52: { # 'ฉ' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 3, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 3, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 1, # 'ม' + 16: 1, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 1, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 1, # 'ะ' + 10: 1, # 'ั' + 1: 1, # 'า' + 36: 0, # 'ำ' + 23: 1, # 'ิ' + 13: 1, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 1, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 34: { # 'ช' + 5: 1, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 1, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 1, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 2, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 2, # 'ม' + 16: 1, # 'ย' + 2: 1, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 1, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 2, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 2, # 'ั' + 1: 3, # 'า' + 36: 1, # 'ำ' + 23: 3, # 'ิ' + 13: 2, # 'ี' + 40: 0, # 'ึ' + 27: 3, # 'ื' + 32: 3, # 'ุ' + 35: 1, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 1, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 51: { # 'ซ' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 1, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 1, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 1, # 'ส' + 21: 0, # 'ห' + 4: 2, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 1, # 'ั' + 1: 1, # 'า' + 36: 0, # 'ำ' + 23: 1, # 'ิ' + 13: 2, # 'ี' + 40: 3, # 'ึ' + 27: 2, # 'ื' + 32: 1, # 'ุ' + 35: 1, # 'ู' + 11: 1, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 1, # '็' + 6: 1, # '่' + 7: 2, # '้' + 38: 1, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 47: { # 'ญ' + 5: 1, # 'ก' + 30: 1, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 0, # 'ซ' + 47: 3, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 1, # 'บ' + 25: 1, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 1, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 1, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 1, # 'ส' + 21: 2, # 'ห' + 4: 1, # 'อ' + 63: 0, # 'ฯ' + 22: 1, # 'ะ' + 10: 2, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 1, # 'ิ' + 13: 1, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 1, # 'เ' + 28: 1, # 'แ' + 41: 0, # 'โ' + 29: 1, # 'ใ' + 33: 0, # 'ไ' + 50: 1, # 'ๆ' + 37: 0, # '็' + 6: 2, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 58: { # 'ฎ' + 5: 2, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 1, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 1, # 'ิ' + 13: 2, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 57: { # 'ฏ' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 3, # 'ิ' + 13: 1, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 49: { # 'ฐ' + 5: 1, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 2, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 2, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 1, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 1, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 1, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 53: { # 'ฑ' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 2, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 3, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 55: { # 'ฒ' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 1, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 43: { # 'ณ' + 5: 1, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 3, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 3, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 1, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 1, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 1, # 'ส' + 21: 1, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 3, # 'ะ' + 10: 0, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 1, # 'ิ' + 13: 2, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 1, # 'เ' + 28: 1, # 'แ' + 41: 0, # 'โ' + 29: 1, # 'ใ' + 33: 1, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 3, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 20: { # 'ด' + 5: 2, # 'ก' + 30: 2, # 'ข' + 24: 2, # 'ค' + 8: 3, # 'ง' + 26: 2, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 1, # 'ด' + 19: 2, # 'ต' + 44: 1, # 'ถ' + 14: 2, # 'ท' + 48: 0, # 'ธ' + 3: 1, # 'น' + 17: 1, # 'บ' + 25: 1, # 'ป' + 39: 1, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 0, # 'ฟ' + 45: 1, # 'ภ' + 9: 2, # 'ม' + 16: 3, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 2, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 2, # 'ส' + 21: 2, # 'ห' + 4: 1, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 3, # 'ั' + 1: 2, # 'า' + 36: 2, # 'ำ' + 23: 3, # 'ิ' + 13: 3, # 'ี' + 40: 1, # 'ึ' + 27: 2, # 'ื' + 32: 3, # 'ุ' + 35: 2, # 'ู' + 11: 2, # 'เ' + 28: 2, # 'แ' + 41: 1, # 'โ' + 29: 2, # 'ใ' + 33: 2, # 'ไ' + 50: 2, # 'ๆ' + 37: 2, # '็' + 6: 1, # '่' + 7: 3, # '้' + 38: 1, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 19: { # 'ต' + 5: 2, # 'ก' + 30: 1, # 'ข' + 24: 1, # 'ค' + 8: 0, # 'ง' + 26: 1, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 1, # 'ด' + 19: 1, # 'ต' + 44: 2, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 2, # 'น' + 17: 1, # 'บ' + 25: 1, # 'ป' + 39: 1, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 0, # 'ฟ' + 45: 2, # 'ภ' + 9: 1, # 'ม' + 16: 1, # 'ย' + 2: 3, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 1, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 3, # 'ส' + 21: 0, # 'ห' + 4: 3, # 'อ' + 63: 1, # 'ฯ' + 22: 2, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 2, # 'ำ' + 23: 3, # 'ิ' + 13: 2, # 'ี' + 40: 1, # 'ึ' + 27: 1, # 'ื' + 32: 3, # 'ุ' + 35: 2, # 'ู' + 11: 1, # 'เ' + 28: 1, # 'แ' + 41: 1, # 'โ' + 29: 1, # 'ใ' + 33: 1, # 'ไ' + 50: 0, # 'ๆ' + 37: 2, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 2, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 44: { # 'ถ' + 5: 1, # 'ก' + 30: 0, # 'ข' + 24: 1, # 'ค' + 8: 0, # 'ง' + 26: 1, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 1, # 'ต' + 44: 0, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 1, # 'น' + 17: 2, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 1, # 'ร' + 61: 0, # 'ฤ' + 15: 1, # 'ล' + 12: 1, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 1, # 'ส' + 21: 0, # 'ห' + 4: 1, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 2, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 2, # 'ิ' + 13: 1, # 'ี' + 40: 3, # 'ึ' + 27: 2, # 'ื' + 32: 2, # 'ุ' + 35: 3, # 'ู' + 11: 1, # 'เ' + 28: 1, # 'แ' + 41: 0, # 'โ' + 29: 1, # 'ใ' + 33: 1, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 2, # '่' + 7: 3, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 14: { # 'ท' + 5: 1, # 'ก' + 30: 1, # 'ข' + 24: 3, # 'ค' + 8: 1, # 'ง' + 26: 1, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 2, # 'ด' + 19: 1, # 'ต' + 44: 0, # 'ถ' + 14: 1, # 'ท' + 48: 3, # 'ธ' + 3: 3, # 'น' + 17: 2, # 'บ' + 25: 2, # 'ป' + 39: 1, # 'ผ' + 62: 0, # 'ฝ' + 31: 2, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 1, # 'ม' + 16: 3, # 'ย' + 2: 3, # 'ร' + 61: 1, # 'ฤ' + 15: 1, # 'ล' + 12: 2, # 'ว' + 42: 3, # 'ศ' + 46: 1, # 'ษ' + 18: 1, # 'ส' + 21: 0, # 'ห' + 4: 2, # 'อ' + 63: 0, # 'ฯ' + 22: 2, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 3, # 'ำ' + 23: 2, # 'ิ' + 13: 3, # 'ี' + 40: 2, # 'ึ' + 27: 1, # 'ื' + 32: 3, # 'ุ' + 35: 1, # 'ู' + 11: 0, # 'เ' + 28: 1, # 'แ' + 41: 0, # 'โ' + 29: 1, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 1, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 2, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 48: { # 'ธ' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 1, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 1, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 2, # 'า' + 36: 0, # 'ำ' + 23: 3, # 'ิ' + 13: 3, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 2, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 3, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 3: { # 'น' + 5: 3, # 'ก' + 30: 2, # 'ข' + 24: 3, # 'ค' + 8: 1, # 'ง' + 26: 2, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 1, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 1, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 3, # 'ด' + 19: 3, # 'ต' + 44: 2, # 'ถ' + 14: 3, # 'ท' + 48: 3, # 'ธ' + 3: 2, # 'น' + 17: 2, # 'บ' + 25: 2, # 'ป' + 39: 2, # 'ผ' + 62: 0, # 'ฝ' + 31: 2, # 'พ' + 54: 1, # 'ฟ' + 45: 1, # 'ภ' + 9: 2, # 'ม' + 16: 2, # 'ย' + 2: 2, # 'ร' + 61: 1, # 'ฤ' + 15: 2, # 'ล' + 12: 3, # 'ว' + 42: 1, # 'ศ' + 46: 0, # 'ษ' + 18: 2, # 'ส' + 21: 2, # 'ห' + 4: 3, # 'อ' + 63: 1, # 'ฯ' + 22: 2, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 3, # 'ำ' + 23: 3, # 'ิ' + 13: 3, # 'ี' + 40: 3, # 'ึ' + 27: 3, # 'ื' + 32: 3, # 'ุ' + 35: 2, # 'ู' + 11: 3, # 'เ' + 28: 2, # 'แ' + 41: 3, # 'โ' + 29: 3, # 'ใ' + 33: 3, # 'ไ' + 50: 2, # 'ๆ' + 37: 1, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 2, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 17: { # 'บ' + 5: 3, # 'ก' + 30: 2, # 'ข' + 24: 2, # 'ค' + 8: 1, # 'ง' + 26: 1, # 'จ' + 52: 1, # 'ฉ' + 34: 1, # 'ช' + 51: 1, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 1, # 'ด' + 19: 2, # 'ต' + 44: 1, # 'ถ' + 14: 3, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 3, # 'บ' + 25: 2, # 'ป' + 39: 2, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 1, # 'ฟ' + 45: 1, # 'ภ' + 9: 1, # 'ม' + 16: 0, # 'ย' + 2: 3, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 3, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 2, # 'ส' + 21: 2, # 'ห' + 4: 2, # 'อ' + 63: 1, # 'ฯ' + 22: 0, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 2, # 'ำ' + 23: 2, # 'ิ' + 13: 2, # 'ี' + 40: 0, # 'ึ' + 27: 2, # 'ื' + 32: 3, # 'ุ' + 35: 2, # 'ู' + 11: 2, # 'เ' + 28: 2, # 'แ' + 41: 1, # 'โ' + 29: 2, # 'ใ' + 33: 2, # 'ไ' + 50: 0, # 'ๆ' + 37: 1, # '็' + 6: 2, # '่' + 7: 2, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 25: { # 'ป' + 5: 2, # 'ก' + 30: 0, # 'ข' + 24: 1, # 'ค' + 8: 0, # 'ง' + 26: 1, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 1, # 'ซ' + 47: 0, # 'ญ' + 58: 1, # 'ฎ' + 57: 3, # 'ฏ' + 49: 1, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 1, # 'ด' + 19: 1, # 'ต' + 44: 1, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 2, # 'น' + 17: 0, # 'บ' + 25: 1, # 'ป' + 39: 1, # 'ผ' + 62: 1, # 'ฝ' + 31: 1, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 1, # 'ม' + 16: 0, # 'ย' + 2: 3, # 'ร' + 61: 0, # 'ฤ' + 15: 3, # 'ล' + 12: 1, # 'ว' + 42: 0, # 'ศ' + 46: 1, # 'ษ' + 18: 2, # 'ส' + 21: 1, # 'ห' + 4: 2, # 'อ' + 63: 0, # 'ฯ' + 22: 1, # 'ะ' + 10: 3, # 'ั' + 1: 1, # 'า' + 36: 0, # 'ำ' + 23: 2, # 'ิ' + 13: 3, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 1, # 'ุ' + 35: 0, # 'ู' + 11: 1, # 'เ' + 28: 2, # 'แ' + 41: 0, # 'โ' + 29: 1, # 'ใ' + 33: 2, # 'ไ' + 50: 0, # 'ๆ' + 37: 3, # '็' + 6: 1, # '่' + 7: 2, # '้' + 38: 1, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 39: { # 'ผ' + 5: 1, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 1, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 2, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 1, # 'ม' + 16: 2, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 3, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 1, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 1, # 'ะ' + 10: 1, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 2, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 1, # 'ื' + 32: 0, # 'ุ' + 35: 3, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 3, # '่' + 7: 1, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 62: { # 'ฝ' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 1, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 1, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 1, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 1, # 'ี' + 40: 2, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 2, # '่' + 7: 1, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 31: { # 'พ' + 5: 1, # 'ก' + 30: 1, # 'ข' + 24: 1, # 'ค' + 8: 1, # 'ง' + 26: 1, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 1, # 'ณ' + 20: 1, # 'ด' + 19: 1, # 'ต' + 44: 0, # 'ถ' + 14: 2, # 'ท' + 48: 1, # 'ธ' + 3: 3, # 'น' + 17: 2, # 'บ' + 25: 0, # 'ป' + 39: 1, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 1, # 'ม' + 16: 2, # 'ย' + 2: 3, # 'ร' + 61: 2, # 'ฤ' + 15: 2, # 'ล' + 12: 2, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 1, # 'ส' + 21: 1, # 'ห' + 4: 2, # 'อ' + 63: 1, # 'ฯ' + 22: 0, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 3, # 'ิ' + 13: 2, # 'ี' + 40: 1, # 'ึ' + 27: 3, # 'ื' + 32: 1, # 'ุ' + 35: 2, # 'ู' + 11: 1, # 'เ' + 28: 1, # 'แ' + 41: 0, # 'โ' + 29: 1, # 'ใ' + 33: 1, # 'ไ' + 50: 0, # 'ๆ' + 37: 1, # '็' + 6: 0, # '่' + 7: 1, # '้' + 38: 3, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 54: { # 'ฟ' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 1, # 'ต' + 44: 0, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 2, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 1, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 1, # 'ส' + 21: 0, # 'ห' + 4: 1, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 2, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 1, # 'ิ' + 13: 1, # 'ี' + 40: 0, # 'ึ' + 27: 1, # 'ื' + 32: 1, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 1, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 2, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 45: { # 'ภ' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 1, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 3, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 1, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 1, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 2, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 1, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 9: { # 'ม' + 5: 2, # 'ก' + 30: 2, # 'ข' + 24: 2, # 'ค' + 8: 2, # 'ง' + 26: 2, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 1, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 1, # 'ณ' + 20: 2, # 'ด' + 19: 2, # 'ต' + 44: 1, # 'ถ' + 14: 2, # 'ท' + 48: 1, # 'ธ' + 3: 3, # 'น' + 17: 2, # 'บ' + 25: 2, # 'ป' + 39: 1, # 'ผ' + 62: 0, # 'ฝ' + 31: 3, # 'พ' + 54: 0, # 'ฟ' + 45: 1, # 'ภ' + 9: 2, # 'ม' + 16: 1, # 'ย' + 2: 2, # 'ร' + 61: 2, # 'ฤ' + 15: 2, # 'ล' + 12: 2, # 'ว' + 42: 1, # 'ศ' + 46: 1, # 'ษ' + 18: 3, # 'ส' + 21: 3, # 'ห' + 4: 3, # 'อ' + 63: 0, # 'ฯ' + 22: 1, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 3, # 'ิ' + 13: 3, # 'ี' + 40: 0, # 'ึ' + 27: 3, # 'ื' + 32: 3, # 'ุ' + 35: 3, # 'ู' + 11: 2, # 'เ' + 28: 2, # 'แ' + 41: 2, # 'โ' + 29: 2, # 'ใ' + 33: 2, # 'ไ' + 50: 1, # 'ๆ' + 37: 1, # '็' + 6: 3, # '่' + 7: 2, # '้' + 38: 1, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 16: { # 'ย' + 5: 3, # 'ก' + 30: 1, # 'ข' + 24: 2, # 'ค' + 8: 3, # 'ง' + 26: 2, # 'จ' + 52: 0, # 'ฉ' + 34: 2, # 'ช' + 51: 0, # 'ซ' + 47: 2, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 2, # 'ด' + 19: 2, # 'ต' + 44: 1, # 'ถ' + 14: 2, # 'ท' + 48: 1, # 'ธ' + 3: 3, # 'น' + 17: 3, # 'บ' + 25: 1, # 'ป' + 39: 1, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 0, # 'ฟ' + 45: 1, # 'ภ' + 9: 2, # 'ม' + 16: 0, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 1, # 'ล' + 12: 3, # 'ว' + 42: 1, # 'ศ' + 46: 0, # 'ษ' + 18: 2, # 'ส' + 21: 1, # 'ห' + 4: 2, # 'อ' + 63: 0, # 'ฯ' + 22: 2, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 2, # 'ิ' + 13: 3, # 'ี' + 40: 1, # 'ึ' + 27: 2, # 'ื' + 32: 2, # 'ุ' + 35: 3, # 'ู' + 11: 2, # 'เ' + 28: 1, # 'แ' + 41: 1, # 'โ' + 29: 2, # 'ใ' + 33: 2, # 'ไ' + 50: 2, # 'ๆ' + 37: 1, # '็' + 6: 3, # '่' + 7: 2, # '้' + 38: 3, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 2: { # 'ร' + 5: 3, # 'ก' + 30: 2, # 'ข' + 24: 2, # 'ค' + 8: 3, # 'ง' + 26: 2, # 'จ' + 52: 0, # 'ฉ' + 34: 2, # 'ช' + 51: 1, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 3, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 3, # 'ณ' + 20: 2, # 'ด' + 19: 2, # 'ต' + 44: 3, # 'ถ' + 14: 3, # 'ท' + 48: 1, # 'ธ' + 3: 2, # 'น' + 17: 2, # 'บ' + 25: 3, # 'ป' + 39: 2, # 'ผ' + 62: 1, # 'ฝ' + 31: 2, # 'พ' + 54: 1, # 'ฟ' + 45: 1, # 'ภ' + 9: 3, # 'ม' + 16: 2, # 'ย' + 2: 3, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 3, # 'ว' + 42: 2, # 'ศ' + 46: 2, # 'ษ' + 18: 2, # 'ส' + 21: 2, # 'ห' + 4: 3, # 'อ' + 63: 1, # 'ฯ' + 22: 3, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 3, # 'ิ' + 13: 3, # 'ี' + 40: 2, # 'ึ' + 27: 3, # 'ื' + 32: 3, # 'ุ' + 35: 3, # 'ู' + 11: 3, # 'เ' + 28: 3, # 'แ' + 41: 1, # 'โ' + 29: 2, # 'ใ' + 33: 1, # 'ไ' + 50: 0, # 'ๆ' + 37: 3, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 3, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 61: { # 'ฤ' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 2, # 'ต' + 44: 0, # 'ถ' + 14: 2, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 1, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 2, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 15: { # 'ล' + 5: 2, # 'ก' + 30: 3, # 'ข' + 24: 1, # 'ค' + 8: 3, # 'ง' + 26: 1, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 2, # 'ด' + 19: 2, # 'ต' + 44: 1, # 'ถ' + 14: 2, # 'ท' + 48: 0, # 'ธ' + 3: 1, # 'น' + 17: 2, # 'บ' + 25: 2, # 'ป' + 39: 1, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 1, # 'ภ' + 9: 1, # 'ม' + 16: 3, # 'ย' + 2: 1, # 'ร' + 61: 0, # 'ฤ' + 15: 1, # 'ล' + 12: 1, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 2, # 'ส' + 21: 1, # 'ห' + 4: 3, # 'อ' + 63: 2, # 'ฯ' + 22: 3, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 2, # 'ำ' + 23: 3, # 'ิ' + 13: 3, # 'ี' + 40: 2, # 'ึ' + 27: 3, # 'ื' + 32: 2, # 'ุ' + 35: 3, # 'ู' + 11: 2, # 'เ' + 28: 1, # 'แ' + 41: 1, # 'โ' + 29: 2, # 'ใ' + 33: 1, # 'ไ' + 50: 0, # 'ๆ' + 37: 2, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 2, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 12: { # 'ว' + 5: 3, # 'ก' + 30: 2, # 'ข' + 24: 1, # 'ค' + 8: 3, # 'ง' + 26: 2, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 1, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 1, # 'ณ' + 20: 2, # 'ด' + 19: 1, # 'ต' + 44: 1, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 2, # 'บ' + 25: 1, # 'ป' + 39: 1, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 1, # 'ฟ' + 45: 0, # 'ภ' + 9: 3, # 'ม' + 16: 3, # 'ย' + 2: 3, # 'ร' + 61: 0, # 'ฤ' + 15: 3, # 'ล' + 12: 1, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 2, # 'ส' + 21: 2, # 'ห' + 4: 2, # 'อ' + 63: 0, # 'ฯ' + 22: 2, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 3, # 'ิ' + 13: 2, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 2, # 'ุ' + 35: 0, # 'ู' + 11: 3, # 'เ' + 28: 2, # 'แ' + 41: 1, # 'โ' + 29: 1, # 'ใ' + 33: 2, # 'ไ' + 50: 1, # 'ๆ' + 37: 0, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 1, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 42: { # 'ศ' + 5: 1, # 'ก' + 30: 0, # 'ข' + 24: 1, # 'ค' + 8: 0, # 'ง' + 26: 1, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 1, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 1, # 'ต' + 44: 0, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 2, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 2, # 'ว' + 42: 1, # 'ศ' + 46: 2, # 'ษ' + 18: 1, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 2, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 2, # 'ิ' + 13: 0, # 'ี' + 40: 3, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 2, # 'ู' + 11: 0, # 'เ' + 28: 1, # 'แ' + 41: 0, # 'โ' + 29: 1, # 'ใ' + 33: 1, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 1, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 46: { # 'ษ' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 2, # 'ฎ' + 57: 1, # 'ฏ' + 49: 2, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 3, # 'ณ' + 20: 0, # 'ด' + 19: 1, # 'ต' + 44: 0, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 1, # 'ภ' + 9: 1, # 'ม' + 16: 2, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 1, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 2, # 'ะ' + 10: 2, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 1, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 1, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 2, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 18: { # 'ส' + 5: 2, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 2, # 'ง' + 26: 1, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 3, # 'ด' + 19: 3, # 'ต' + 44: 3, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 2, # 'บ' + 25: 1, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 2, # 'ภ' + 9: 3, # 'ม' + 16: 1, # 'ย' + 2: 3, # 'ร' + 61: 0, # 'ฤ' + 15: 1, # 'ล' + 12: 2, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 2, # 'ห' + 4: 3, # 'อ' + 63: 0, # 'ฯ' + 22: 2, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 3, # 'ำ' + 23: 3, # 'ิ' + 13: 3, # 'ี' + 40: 2, # 'ึ' + 27: 3, # 'ื' + 32: 3, # 'ุ' + 35: 3, # 'ู' + 11: 2, # 'เ' + 28: 0, # 'แ' + 41: 1, # 'โ' + 29: 0, # 'ใ' + 33: 1, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 3, # '่' + 7: 1, # '้' + 38: 2, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 21: { # 'ห' + 5: 3, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 1, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 2, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 1, # 'ด' + 19: 3, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 0, # 'บ' + 25: 1, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 3, # 'ม' + 16: 2, # 'ย' + 2: 3, # 'ร' + 61: 0, # 'ฤ' + 15: 3, # 'ล' + 12: 2, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 3, # 'อ' + 63: 0, # 'ฯ' + 22: 1, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 0, # 'ำ' + 23: 1, # 'ิ' + 13: 1, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 1, # 'ุ' + 35: 1, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 3, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 2, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 4: { # 'อ' + 5: 3, # 'ก' + 30: 1, # 'ข' + 24: 2, # 'ค' + 8: 3, # 'ง' + 26: 1, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 3, # 'ด' + 19: 2, # 'ต' + 44: 1, # 'ถ' + 14: 2, # 'ท' + 48: 1, # 'ธ' + 3: 3, # 'น' + 17: 3, # 'บ' + 25: 1, # 'ป' + 39: 1, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 1, # 'ฟ' + 45: 1, # 'ภ' + 9: 3, # 'ม' + 16: 3, # 'ย' + 2: 3, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 2, # 'ว' + 42: 1, # 'ศ' + 46: 0, # 'ษ' + 18: 2, # 'ส' + 21: 2, # 'ห' + 4: 3, # 'อ' + 63: 0, # 'ฯ' + 22: 2, # 'ะ' + 10: 3, # 'ั' + 1: 3, # 'า' + 36: 2, # 'ำ' + 23: 2, # 'ิ' + 13: 3, # 'ี' + 40: 0, # 'ึ' + 27: 3, # 'ื' + 32: 3, # 'ุ' + 35: 0, # 'ู' + 11: 3, # 'เ' + 28: 1, # 'แ' + 41: 1, # 'โ' + 29: 2, # 'ใ' + 33: 2, # 'ไ' + 50: 1, # 'ๆ' + 37: 1, # '็' + 6: 2, # '่' + 7: 2, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 63: { # 'ฯ' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 22: { # 'ะ' + 5: 3, # 'ก' + 30: 1, # 'ข' + 24: 2, # 'ค' + 8: 1, # 'ง' + 26: 2, # 'จ' + 52: 0, # 'ฉ' + 34: 3, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 3, # 'ด' + 19: 3, # 'ต' + 44: 1, # 'ถ' + 14: 3, # 'ท' + 48: 1, # 'ธ' + 3: 2, # 'น' + 17: 3, # 'บ' + 25: 2, # 'ป' + 39: 1, # 'ผ' + 62: 0, # 'ฝ' + 31: 2, # 'พ' + 54: 0, # 'ฟ' + 45: 1, # 'ภ' + 9: 3, # 'ม' + 16: 2, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 2, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 3, # 'ส' + 21: 3, # 'ห' + 4: 2, # 'อ' + 63: 1, # 'ฯ' + 22: 1, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 3, # 'เ' + 28: 2, # 'แ' + 41: 1, # 'โ' + 29: 2, # 'ใ' + 33: 2, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 10: { # 'ั' + 5: 3, # 'ก' + 30: 0, # 'ข' + 24: 1, # 'ค' + 8: 3, # 'ง' + 26: 3, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 0, # 'ซ' + 47: 3, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 2, # 'ฐ' + 53: 0, # 'ฑ' + 55: 3, # 'ฒ' + 43: 3, # 'ณ' + 20: 3, # 'ด' + 19: 3, # 'ต' + 44: 0, # 'ถ' + 14: 2, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 3, # 'บ' + 25: 1, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 2, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 3, # 'ม' + 16: 3, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 3, # 'ว' + 42: 2, # 'ศ' + 46: 0, # 'ษ' + 18: 3, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 1: { # 'า' + 5: 3, # 'ก' + 30: 2, # 'ข' + 24: 3, # 'ค' + 8: 3, # 'ง' + 26: 3, # 'จ' + 52: 0, # 'ฉ' + 34: 3, # 'ช' + 51: 1, # 'ซ' + 47: 2, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 3, # 'ณ' + 20: 3, # 'ด' + 19: 3, # 'ต' + 44: 1, # 'ถ' + 14: 3, # 'ท' + 48: 2, # 'ธ' + 3: 3, # 'น' + 17: 3, # 'บ' + 25: 2, # 'ป' + 39: 1, # 'ผ' + 62: 1, # 'ฝ' + 31: 3, # 'พ' + 54: 1, # 'ฟ' + 45: 1, # 'ภ' + 9: 3, # 'ม' + 16: 3, # 'ย' + 2: 3, # 'ร' + 61: 0, # 'ฤ' + 15: 3, # 'ล' + 12: 3, # 'ว' + 42: 2, # 'ศ' + 46: 3, # 'ษ' + 18: 3, # 'ส' + 21: 3, # 'ห' + 4: 2, # 'อ' + 63: 1, # 'ฯ' + 22: 3, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 3, # 'เ' + 28: 2, # 'แ' + 41: 1, # 'โ' + 29: 2, # 'ใ' + 33: 2, # 'ไ' + 50: 1, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 36: { # 'ำ' + 5: 2, # 'ก' + 30: 1, # 'ข' + 24: 3, # 'ค' + 8: 2, # 'ง' + 26: 1, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 1, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 1, # 'ด' + 19: 1, # 'ต' + 44: 1, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 1, # 'บ' + 25: 1, # 'ป' + 39: 1, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 0, # 'ฟ' + 45: 1, # 'ภ' + 9: 1, # 'ม' + 16: 0, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 1, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 1, # 'ส' + 21: 3, # 'ห' + 4: 1, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 3, # 'เ' + 28: 2, # 'แ' + 41: 1, # 'โ' + 29: 2, # 'ใ' + 33: 2, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 23: { # 'ิ' + 5: 3, # 'ก' + 30: 1, # 'ข' + 24: 2, # 'ค' + 8: 3, # 'ง' + 26: 3, # 'จ' + 52: 0, # 'ฉ' + 34: 3, # 'ช' + 51: 0, # 'ซ' + 47: 2, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 3, # 'ด' + 19: 3, # 'ต' + 44: 1, # 'ถ' + 14: 3, # 'ท' + 48: 3, # 'ธ' + 3: 3, # 'น' + 17: 3, # 'บ' + 25: 2, # 'ป' + 39: 2, # 'ผ' + 62: 0, # 'ฝ' + 31: 3, # 'พ' + 54: 1, # 'ฟ' + 45: 2, # 'ภ' + 9: 3, # 'ม' + 16: 2, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 3, # 'ว' + 42: 3, # 'ศ' + 46: 2, # 'ษ' + 18: 2, # 'ส' + 21: 3, # 'ห' + 4: 1, # 'อ' + 63: 1, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 3, # 'เ' + 28: 1, # 'แ' + 41: 1, # 'โ' + 29: 1, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 3, # '่' + 7: 2, # '้' + 38: 2, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 13: { # 'ี' + 5: 3, # 'ก' + 30: 2, # 'ข' + 24: 2, # 'ค' + 8: 0, # 'ง' + 26: 1, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 2, # 'ด' + 19: 1, # 'ต' + 44: 0, # 'ถ' + 14: 2, # 'ท' + 48: 0, # 'ธ' + 3: 1, # 'น' + 17: 2, # 'บ' + 25: 2, # 'ป' + 39: 1, # 'ผ' + 62: 0, # 'ฝ' + 31: 2, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 2, # 'ม' + 16: 3, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 1, # 'ล' + 12: 2, # 'ว' + 42: 1, # 'ศ' + 46: 0, # 'ษ' + 18: 2, # 'ส' + 21: 1, # 'ห' + 4: 2, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 2, # 'เ' + 28: 2, # 'แ' + 41: 1, # 'โ' + 29: 1, # 'ใ' + 33: 1, # 'ไ' + 50: 1, # 'ๆ' + 37: 0, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 40: { # 'ึ' + 5: 3, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 3, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 1, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 1, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 27: { # 'ื' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 1, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 2, # 'น' + 17: 3, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 2, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 3, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 32: { # 'ุ' + 5: 3, # 'ก' + 30: 2, # 'ข' + 24: 3, # 'ค' + 8: 3, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 2, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 1, # 'ฒ' + 43: 3, # 'ณ' + 20: 3, # 'ด' + 19: 3, # 'ต' + 44: 1, # 'ถ' + 14: 2, # 'ท' + 48: 1, # 'ธ' + 3: 2, # 'น' + 17: 2, # 'บ' + 25: 2, # 'ป' + 39: 2, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 0, # 'ฟ' + 45: 1, # 'ภ' + 9: 3, # 'ม' + 16: 1, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 1, # 'ว' + 42: 1, # 'ศ' + 46: 2, # 'ษ' + 18: 1, # 'ส' + 21: 1, # 'ห' + 4: 1, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 1, # 'เ' + 28: 0, # 'แ' + 41: 1, # 'โ' + 29: 0, # 'ใ' + 33: 1, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 3, # '่' + 7: 2, # '้' + 38: 1, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 35: { # 'ู' + 5: 3, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 2, # 'ง' + 26: 1, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 2, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 1, # 'ณ' + 20: 2, # 'ด' + 19: 2, # 'ต' + 44: 0, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 2, # 'น' + 17: 0, # 'บ' + 25: 3, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 2, # 'ม' + 16: 0, # 'ย' + 2: 1, # 'ร' + 61: 0, # 'ฤ' + 15: 3, # 'ล' + 12: 1, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 1, # 'เ' + 28: 1, # 'แ' + 41: 1, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 3, # '่' + 7: 3, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 11: { # 'เ' + 5: 3, # 'ก' + 30: 3, # 'ข' + 24: 3, # 'ค' + 8: 2, # 'ง' + 26: 3, # 'จ' + 52: 3, # 'ฉ' + 34: 3, # 'ช' + 51: 2, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 1, # 'ณ' + 20: 3, # 'ด' + 19: 3, # 'ต' + 44: 1, # 'ถ' + 14: 3, # 'ท' + 48: 1, # 'ธ' + 3: 3, # 'น' + 17: 3, # 'บ' + 25: 3, # 'ป' + 39: 2, # 'ผ' + 62: 1, # 'ฝ' + 31: 3, # 'พ' + 54: 1, # 'ฟ' + 45: 3, # 'ภ' + 9: 3, # 'ม' + 16: 2, # 'ย' + 2: 3, # 'ร' + 61: 0, # 'ฤ' + 15: 3, # 'ล' + 12: 3, # 'ว' + 42: 2, # 'ศ' + 46: 0, # 'ษ' + 18: 3, # 'ส' + 21: 3, # 'ห' + 4: 3, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 28: { # 'แ' + 5: 3, # 'ก' + 30: 2, # 'ข' + 24: 2, # 'ค' + 8: 1, # 'ง' + 26: 2, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 2, # 'ด' + 19: 3, # 'ต' + 44: 2, # 'ถ' + 14: 3, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 3, # 'บ' + 25: 2, # 'ป' + 39: 3, # 'ผ' + 62: 0, # 'ฝ' + 31: 2, # 'พ' + 54: 2, # 'ฟ' + 45: 0, # 'ภ' + 9: 2, # 'ม' + 16: 2, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 3, # 'ล' + 12: 2, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 3, # 'ส' + 21: 3, # 'ห' + 4: 1, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 41: { # 'โ' + 5: 2, # 'ก' + 30: 1, # 'ข' + 24: 2, # 'ค' + 8: 0, # 'ง' + 26: 1, # 'จ' + 52: 1, # 'ฉ' + 34: 1, # 'ช' + 51: 1, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 3, # 'ด' + 19: 2, # 'ต' + 44: 0, # 'ถ' + 14: 2, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 1, # 'บ' + 25: 3, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 1, # 'ฟ' + 45: 1, # 'ภ' + 9: 1, # 'ม' + 16: 2, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 3, # 'ล' + 12: 0, # 'ว' + 42: 1, # 'ศ' + 46: 0, # 'ษ' + 18: 2, # 'ส' + 21: 0, # 'ห' + 4: 2, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 29: { # 'ใ' + 5: 2, # 'ก' + 30: 0, # 'ข' + 24: 1, # 'ค' + 8: 0, # 'ง' + 26: 3, # 'จ' + 52: 0, # 'ฉ' + 34: 3, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 3, # 'ด' + 19: 1, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 2, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 1, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 3, # 'ส' + 21: 3, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 33: { # 'ไ' + 5: 1, # 'ก' + 30: 2, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 1, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 3, # 'ด' + 19: 1, # 'ต' + 44: 0, # 'ถ' + 14: 3, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 1, # 'บ' + 25: 3, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 2, # 'ฟ' + 45: 0, # 'ภ' + 9: 3, # 'ม' + 16: 0, # 'ย' + 2: 3, # 'ร' + 61: 0, # 'ฤ' + 15: 1, # 'ล' + 12: 3, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 1, # 'ส' + 21: 2, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 50: { # 'ๆ' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 37: { # '็' + 5: 2, # 'ก' + 30: 1, # 'ข' + 24: 2, # 'ค' + 8: 2, # 'ง' + 26: 3, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 1, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 1, # 'ด' + 19: 2, # 'ต' + 44: 0, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 3, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 2, # 'ม' + 16: 1, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 2, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 1, # 'ส' + 21: 0, # 'ห' + 4: 1, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 1, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 1, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 6: { # '่' + 5: 2, # 'ก' + 30: 1, # 'ข' + 24: 2, # 'ค' + 8: 3, # 'ง' + 26: 2, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 1, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 1, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 1, # 'ด' + 19: 2, # 'ต' + 44: 1, # 'ถ' + 14: 2, # 'ท' + 48: 1, # 'ธ' + 3: 3, # 'น' + 17: 1, # 'บ' + 25: 2, # 'ป' + 39: 2, # 'ผ' + 62: 1, # 'ฝ' + 31: 1, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 3, # 'ม' + 16: 3, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 2, # 'ล' + 12: 3, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 2, # 'ส' + 21: 1, # 'ห' + 4: 3, # 'อ' + 63: 0, # 'ฯ' + 22: 1, # 'ะ' + 10: 0, # 'ั' + 1: 3, # 'า' + 36: 2, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 3, # 'เ' + 28: 2, # 'แ' + 41: 1, # 'โ' + 29: 2, # 'ใ' + 33: 2, # 'ไ' + 50: 1, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 7: { # '้' + 5: 2, # 'ก' + 30: 1, # 'ข' + 24: 2, # 'ค' + 8: 3, # 'ง' + 26: 2, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 1, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 1, # 'ด' + 19: 2, # 'ต' + 44: 1, # 'ถ' + 14: 2, # 'ท' + 48: 0, # 'ธ' + 3: 3, # 'น' + 17: 2, # 'บ' + 25: 2, # 'ป' + 39: 2, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 1, # 'ฟ' + 45: 0, # 'ภ' + 9: 3, # 'ม' + 16: 2, # 'ย' + 2: 2, # 'ร' + 61: 0, # 'ฤ' + 15: 1, # 'ล' + 12: 3, # 'ว' + 42: 1, # 'ศ' + 46: 0, # 'ษ' + 18: 2, # 'ส' + 21: 2, # 'ห' + 4: 3, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 3, # 'า' + 36: 2, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 2, # 'เ' + 28: 2, # 'แ' + 41: 1, # 'โ' + 29: 2, # 'ใ' + 33: 2, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 38: { # '์' + 5: 2, # 'ก' + 30: 1, # 'ข' + 24: 1, # 'ค' + 8: 0, # 'ง' + 26: 1, # 'จ' + 52: 0, # 'ฉ' + 34: 1, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 2, # 'ด' + 19: 1, # 'ต' + 44: 1, # 'ถ' + 14: 1, # 'ท' + 48: 0, # 'ธ' + 3: 1, # 'น' + 17: 1, # 'บ' + 25: 1, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 1, # 'พ' + 54: 1, # 'ฟ' + 45: 0, # 'ภ' + 9: 2, # 'ม' + 16: 0, # 'ย' + 2: 1, # 'ร' + 61: 1, # 'ฤ' + 15: 1, # 'ล' + 12: 1, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 1, # 'ส' + 21: 1, # 'ห' + 4: 2, # 'อ' + 63: 1, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 2, # 'เ' + 28: 2, # 'แ' + 41: 1, # 'โ' + 29: 1, # 'ใ' + 33: 1, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 0, # '๑' + 59: 0, # '๒' + 60: 0, # '๕' + }, + 56: { # '๑' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 2, # '๑' + 59: 1, # '๒' + 60: 1, # '๕' + }, + 59: { # '๒' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 1, # '๑' + 59: 1, # '๒' + 60: 3, # '๕' + }, + 60: { # '๕' + 5: 0, # 'ก' + 30: 0, # 'ข' + 24: 0, # 'ค' + 8: 0, # 'ง' + 26: 0, # 'จ' + 52: 0, # 'ฉ' + 34: 0, # 'ช' + 51: 0, # 'ซ' + 47: 0, # 'ญ' + 58: 0, # 'ฎ' + 57: 0, # 'ฏ' + 49: 0, # 'ฐ' + 53: 0, # 'ฑ' + 55: 0, # 'ฒ' + 43: 0, # 'ณ' + 20: 0, # 'ด' + 19: 0, # 'ต' + 44: 0, # 'ถ' + 14: 0, # 'ท' + 48: 0, # 'ธ' + 3: 0, # 'น' + 17: 0, # 'บ' + 25: 0, # 'ป' + 39: 0, # 'ผ' + 62: 0, # 'ฝ' + 31: 0, # 'พ' + 54: 0, # 'ฟ' + 45: 0, # 'ภ' + 9: 0, # 'ม' + 16: 0, # 'ย' + 2: 0, # 'ร' + 61: 0, # 'ฤ' + 15: 0, # 'ล' + 12: 0, # 'ว' + 42: 0, # 'ศ' + 46: 0, # 'ษ' + 18: 0, # 'ส' + 21: 0, # 'ห' + 4: 0, # 'อ' + 63: 0, # 'ฯ' + 22: 0, # 'ะ' + 10: 0, # 'ั' + 1: 0, # 'า' + 36: 0, # 'ำ' + 23: 0, # 'ิ' + 13: 0, # 'ี' + 40: 0, # 'ึ' + 27: 0, # 'ื' + 32: 0, # 'ุ' + 35: 0, # 'ู' + 11: 0, # 'เ' + 28: 0, # 'แ' + 41: 0, # 'โ' + 29: 0, # 'ใ' + 33: 0, # 'ไ' + 50: 0, # 'ๆ' + 37: 0, # '็' + 6: 0, # '่' + 7: 0, # '้' + 38: 0, # '์' + 56: 2, # '๑' + 59: 1, # '๒' + 60: 0, # '๕' + }, +} + +# 255: Undefined characters that did not exist in training text +# 254: Carriage/Return +# 253: symbol (punctuation) that does not belong to word +# 252: 0 - 9 +# 251: Control characters + +# Character Mapping Table(s): +TIS_620_THAI_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 254, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 254, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 253, # ' ' + 33: 253, # '!' + 34: 253, # '"' + 35: 253, # '#' + 36: 253, # '$' + 37: 253, # '%' + 38: 253, # '&' + 39: 253, # "'" + 40: 253, # '(' + 41: 253, # ')' + 42: 253, # '*' + 43: 253, # '+' + 44: 253, # ',' + 45: 253, # '-' + 46: 253, # '.' + 47: 253, # '/' + 48: 252, # '0' + 49: 252, # '1' + 50: 252, # '2' + 51: 252, # '3' + 52: 252, # '4' + 53: 252, # '5' + 54: 252, # '6' + 55: 252, # '7' + 56: 252, # '8' + 57: 252, # '9' + 58: 253, # ':' + 59: 253, # ';' + 60: 253, # '<' + 61: 253, # '=' + 62: 253, # '>' + 63: 253, # '?' + 64: 253, # '@' + 65: 182, # 'A' + 66: 106, # 'B' + 67: 107, # 'C' + 68: 100, # 'D' + 69: 183, # 'E' + 70: 184, # 'F' + 71: 185, # 'G' + 72: 101, # 'H' + 73: 94, # 'I' + 74: 186, # 'J' + 75: 187, # 'K' + 76: 108, # 'L' + 77: 109, # 'M' + 78: 110, # 'N' + 79: 111, # 'O' + 80: 188, # 'P' + 81: 189, # 'Q' + 82: 190, # 'R' + 83: 89, # 'S' + 84: 95, # 'T' + 85: 112, # 'U' + 86: 113, # 'V' + 87: 191, # 'W' + 88: 192, # 'X' + 89: 193, # 'Y' + 90: 194, # 'Z' + 91: 253, # '[' + 92: 253, # '\\' + 93: 253, # ']' + 94: 253, # '^' + 95: 253, # '_' + 96: 253, # '`' + 97: 64, # 'a' + 98: 72, # 'b' + 99: 73, # 'c' + 100: 114, # 'd' + 101: 74, # 'e' + 102: 115, # 'f' + 103: 116, # 'g' + 104: 102, # 'h' + 105: 81, # 'i' + 106: 201, # 'j' + 107: 117, # 'k' + 108: 90, # 'l' + 109: 103, # 'm' + 110: 78, # 'n' + 111: 82, # 'o' + 112: 96, # 'p' + 113: 202, # 'q' + 114: 91, # 'r' + 115: 79, # 's' + 116: 84, # 't' + 117: 104, # 'u' + 118: 105, # 'v' + 119: 97, # 'w' + 120: 98, # 'x' + 121: 92, # 'y' + 122: 203, # 'z' + 123: 253, # '{' + 124: 253, # '|' + 125: 253, # '}' + 126: 253, # '~' + 127: 253, # '\x7f' + 128: 209, # '\x80' + 129: 210, # '\x81' + 130: 211, # '\x82' + 131: 212, # '\x83' + 132: 213, # '\x84' + 133: 88, # '\x85' + 134: 214, # '\x86' + 135: 215, # '\x87' + 136: 216, # '\x88' + 137: 217, # '\x89' + 138: 218, # '\x8a' + 139: 219, # '\x8b' + 140: 220, # '\x8c' + 141: 118, # '\x8d' + 142: 221, # '\x8e' + 143: 222, # '\x8f' + 144: 223, # '\x90' + 145: 224, # '\x91' + 146: 99, # '\x92' + 147: 85, # '\x93' + 148: 83, # '\x94' + 149: 225, # '\x95' + 150: 226, # '\x96' + 151: 227, # '\x97' + 152: 228, # '\x98' + 153: 229, # '\x99' + 154: 230, # '\x9a' + 155: 231, # '\x9b' + 156: 232, # '\x9c' + 157: 233, # '\x9d' + 158: 234, # '\x9e' + 159: 235, # '\x9f' + 160: 236, # None + 161: 5, # 'ก' + 162: 30, # 'ข' + 163: 237, # 'ฃ' + 164: 24, # 'ค' + 165: 238, # 'ฅ' + 166: 75, # 'ฆ' + 167: 8, # 'ง' + 168: 26, # 'จ' + 169: 52, # 'ฉ' + 170: 34, # 'ช' + 171: 51, # 'ซ' + 172: 119, # 'ฌ' + 173: 47, # 'ญ' + 174: 58, # 'ฎ' + 175: 57, # 'ฏ' + 176: 49, # 'ฐ' + 177: 53, # 'ฑ' + 178: 55, # 'ฒ' + 179: 43, # 'ณ' + 180: 20, # 'ด' + 181: 19, # 'ต' + 182: 44, # 'ถ' + 183: 14, # 'ท' + 184: 48, # 'ธ' + 185: 3, # 'น' + 186: 17, # 'บ' + 187: 25, # 'ป' + 188: 39, # 'ผ' + 189: 62, # 'ฝ' + 190: 31, # 'พ' + 191: 54, # 'ฟ' + 192: 45, # 'ภ' + 193: 9, # 'ม' + 194: 16, # 'ย' + 195: 2, # 'ร' + 196: 61, # 'ฤ' + 197: 15, # 'ล' + 198: 239, # 'ฦ' + 199: 12, # 'ว' + 200: 42, # 'ศ' + 201: 46, # 'ษ' + 202: 18, # 'ส' + 203: 21, # 'ห' + 204: 76, # 'ฬ' + 205: 4, # 'อ' + 206: 66, # 'ฮ' + 207: 63, # 'ฯ' + 208: 22, # 'ะ' + 209: 10, # 'ั' + 210: 1, # 'า' + 211: 36, # 'ำ' + 212: 23, # 'ิ' + 213: 13, # 'ี' + 214: 40, # 'ึ' + 215: 27, # 'ื' + 216: 32, # 'ุ' + 217: 35, # 'ู' + 218: 86, # 'ฺ' + 219: 240, # None + 220: 241, # None + 221: 242, # None + 222: 243, # None + 223: 244, # '฿' + 224: 11, # 'เ' + 225: 28, # 'แ' + 226: 41, # 'โ' + 227: 29, # 'ใ' + 228: 33, # 'ไ' + 229: 245, # 'ๅ' + 230: 50, # 'ๆ' + 231: 37, # '็' + 232: 6, # '่' + 233: 7, # '้' + 234: 67, # '๊' + 235: 77, # '๋' + 236: 38, # '์' + 237: 93, # 'ํ' + 238: 246, # '๎' + 239: 247, # '๏' + 240: 68, # '๐' + 241: 56, # '๑' + 242: 59, # '๒' + 243: 65, # '๓' + 244: 69, # '๔' + 245: 60, # '๕' + 246: 70, # '๖' + 247: 80, # '๗' + 248: 71, # '๘' + 249: 87, # '๙' + 250: 248, # '๚' + 251: 249, # '๛' + 252: 250, # None + 253: 251, # None + 254: 252, # None + 255: 253, # None +} + +TIS_620_THAI_MODEL = SingleByteCharSetModel(charset_name='TIS-620', + language='Thai', + char_to_order_map=TIS_620_THAI_CHAR_TO_ORDER, + language_model=THAI_LANG_MODEL, + typical_positive_ratio=0.926386, + keep_ascii_letters=False, + alphabet='กขฃคฅฆงจฉชซฌญฎฏฐฑฒณดตถทธนบปผฝพฟภมยรฤลฦวศษสหฬอฮฯะัาำิีึืฺุู฿เแโใไๅๆ็่้๊๋์ํ๎๏๐๑๒๓๔๕๖๗๘๙๚๛') + diff --git a/venv/Lib/site-packages/pip/_vendor/chardet/langturkishmodel.py b/venv/Lib/site-packages/pip/_vendor/chardet/langturkishmodel.py new file mode 100644 index 0000000..43f4230 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/chardet/langturkishmodel.py @@ -0,0 +1,4383 @@ +#!/usr/bin/env python +# -*- coding: utf-8 -*- + +from pip._vendor.chardet.sbcharsetprober import SingleByteCharSetModel + + +# 3: Positive +# 2: Likely +# 1: Unlikely +# 0: Negative + +TURKISH_LANG_MODEL = { + 23: { # 'A' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 0, # 'c' + 12: 2, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 1, # 'g' + 25: 1, # 'h' + 3: 1, # 'i' + 24: 0, # 'j' + 10: 2, # 'k' + 5: 1, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 15: 0, # 'o' + 26: 0, # 'p' + 7: 1, # 'r' + 8: 1, # 's' + 9: 1, # 't' + 14: 1, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 3, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 0, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 37: { # 'B' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 2, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 2, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 1, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 1, # 'P' + 44: 0, # 'R' + 35: 1, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 1, # 'Y' + 56: 0, # 'Z' + 1: 2, # 'a' + 21: 0, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 0, # 'j' + 10: 0, # 'k' + 5: 0, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 15: 0, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 2, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 1, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 1, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 0, # 'ı' + 40: 1, # 'Ş' + 19: 1, # 'ş' + }, + 47: { # 'C' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 1, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 1, # 'L' + 20: 0, # 'M' + 46: 1, # 'N' + 42: 0, # 'O' + 48: 1, # 'P' + 44: 1, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 1, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 2, # 'j' + 10: 1, # 'k' + 5: 2, # 'l' + 13: 2, # 'm' + 4: 2, # 'n' + 15: 1, # 'o' + 26: 0, # 'p' + 7: 2, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 3, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 1, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 1, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 39: { # 'D' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 1, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 1, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 1, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 2, # 'a' + 21: 0, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 2, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 0, # 'j' + 10: 0, # 'k' + 5: 1, # 'l' + 13: 3, # 'm' + 4: 0, # 'n' + 15: 1, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 1, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 1, # 'z' + 63: 0, # '·' + 54: 1, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 1, # 'ğ' + 41: 0, # 'İ' + 6: 1, # 'ı' + 40: 1, # 'Ş' + 19: 0, # 'ş' + }, + 29: { # 'E' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 1, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 1, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 0, # 'c' + 12: 2, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 1, # 'g' + 25: 0, # 'h' + 3: 1, # 'i' + 24: 1, # 'j' + 10: 0, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 1, # 's' + 9: 1, # 't' + 14: 1, # 'u' + 32: 1, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 2, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 52: { # 'F' + 23: 0, # 'A' + 37: 1, # 'B' + 47: 1, # 'C' + 39: 1, # 'D' + 29: 1, # 'E' + 52: 2, # 'F' + 36: 0, # 'G' + 45: 2, # 'H' + 53: 1, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 1, # 'M' + 46: 1, # 'N' + 42: 1, # 'O' + 48: 2, # 'P' + 44: 1, # 'R' + 35: 1, # 'S' + 31: 1, # 'T' + 51: 1, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 2, # 'Y' + 56: 0, # 'Z' + 1: 0, # 'a' + 21: 1, # 'b' + 28: 1, # 'c' + 12: 1, # 'd' + 2: 0, # 'e' + 18: 1, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 2, # 'i' + 24: 1, # 'j' + 10: 0, # 'k' + 5: 0, # 'l' + 13: 1, # 'm' + 4: 2, # 'n' + 15: 1, # 'o' + 26: 0, # 'p' + 7: 2, # 'r' + 8: 1, # 's' + 9: 1, # 't' + 14: 1, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 1, # 'y' + 22: 1, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 1, # 'Ö' + 55: 2, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 2, # 'ö' + 17: 0, # 'ü' + 30: 1, # 'ğ' + 41: 1, # 'İ' + 6: 2, # 'ı' + 40: 0, # 'Ş' + 19: 2, # 'ş' + }, + 36: { # 'G' + 23: 1, # 'A' + 37: 0, # 'B' + 47: 1, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 1, # 'F' + 36: 2, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 2, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 2, # 'N' + 42: 1, # 'O' + 48: 1, # 'P' + 44: 1, # 'R' + 35: 1, # 'S' + 31: 0, # 'T' + 51: 1, # 'U' + 38: 2, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 1, # 'c' + 12: 0, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 1, # 'j' + 10: 1, # 'k' + 5: 0, # 'l' + 13: 3, # 'm' + 4: 2, # 'n' + 15: 0, # 'o' + 26: 1, # 'p' + 7: 0, # 'r' + 8: 1, # 's' + 9: 1, # 't' + 14: 3, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 1, # 'x' + 11: 0, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 1, # 'Ç' + 50: 2, # 'Ö' + 55: 0, # 'Ü' + 59: 1, # 'â' + 33: 2, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 1, # 'ğ' + 41: 1, # 'İ' + 6: 2, # 'ı' + 40: 2, # 'Ş' + 19: 1, # 'ş' + }, + 45: { # 'H' + 23: 0, # 'A' + 37: 1, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 2, # 'F' + 36: 2, # 'G' + 45: 1, # 'H' + 53: 1, # 'I' + 60: 0, # 'J' + 16: 2, # 'K' + 49: 1, # 'L' + 20: 0, # 'M' + 46: 1, # 'N' + 42: 1, # 'O' + 48: 1, # 'P' + 44: 0, # 'R' + 35: 2, # 'S' + 31: 0, # 'T' + 51: 1, # 'U' + 38: 2, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 2, # 'i' + 24: 0, # 'j' + 10: 1, # 'k' + 5: 0, # 'l' + 13: 2, # 'm' + 4: 0, # 'n' + 15: 1, # 'o' + 26: 1, # 'p' + 7: 1, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 3, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 1, # 'Ç' + 50: 1, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 0, # 'ü' + 30: 2, # 'ğ' + 41: 1, # 'İ' + 6: 0, # 'ı' + 40: 2, # 'Ş' + 19: 1, # 'ş' + }, + 53: { # 'I' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 1, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 2, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 1, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 2, # 'a' + 21: 0, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 2, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 0, # 'j' + 10: 0, # 'k' + 5: 2, # 'l' + 13: 2, # 'm' + 4: 0, # 'n' + 15: 0, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 2, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 1, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 2, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 0, # 'ı' + 40: 1, # 'Ş' + 19: 1, # 'ş' + }, + 60: { # 'J' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 1, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 0, # 'a' + 21: 1, # 'b' + 28: 0, # 'c' + 12: 1, # 'd' + 2: 0, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 1, # 'i' + 24: 0, # 'j' + 10: 0, # 'k' + 5: 0, # 'l' + 13: 0, # 'm' + 4: 1, # 'n' + 15: 0, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 1, # 's' + 9: 0, # 't' + 14: 0, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 0, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 16: { # 'K' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 3, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 2, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 2, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 2, # 'a' + 21: 3, # 'b' + 28: 0, # 'c' + 12: 3, # 'd' + 2: 1, # 'e' + 18: 3, # 'f' + 27: 3, # 'g' + 25: 3, # 'h' + 3: 3, # 'i' + 24: 2, # 'j' + 10: 3, # 'k' + 5: 0, # 'l' + 13: 0, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 1, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 0, # 'u' + 32: 3, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 2, # 'y' + 22: 1, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 2, # 'ü' + 30: 0, # 'ğ' + 41: 1, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 49: { # 'L' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 2, # 'E' + 52: 0, # 'F' + 36: 1, # 'G' + 45: 1, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 1, # 'M' + 46: 0, # 'N' + 42: 2, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 1, # 'Y' + 56: 0, # 'Z' + 1: 0, # 'a' + 21: 3, # 'b' + 28: 0, # 'c' + 12: 2, # 'd' + 2: 0, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 2, # 'i' + 24: 0, # 'j' + 10: 1, # 'k' + 5: 0, # 'l' + 13: 0, # 'm' + 4: 2, # 'n' + 15: 1, # 'o' + 26: 1, # 'p' + 7: 1, # 'r' + 8: 1, # 's' + 9: 1, # 't' + 14: 0, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 2, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 2, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 1, # 'ü' + 30: 1, # 'ğ' + 41: 0, # 'İ' + 6: 2, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 20: { # 'M' + 23: 1, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 1, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 2, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 1, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 2, # 'b' + 28: 0, # 'c' + 12: 3, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 1, # 'g' + 25: 1, # 'h' + 3: 2, # 'i' + 24: 2, # 'j' + 10: 2, # 'k' + 5: 2, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 1, # 'p' + 7: 3, # 'r' + 8: 0, # 's' + 9: 2, # 't' + 14: 3, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 2, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 3, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 46: { # 'N' + 23: 0, # 'A' + 37: 1, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 1, # 'F' + 36: 1, # 'G' + 45: 1, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 2, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 1, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 1, # 'R' + 35: 1, # 'S' + 31: 0, # 'T' + 51: 1, # 'U' + 38: 2, # 'V' + 62: 0, # 'W' + 43: 1, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 1, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 2, # 'j' + 10: 1, # 'k' + 5: 1, # 'l' + 13: 3, # 'm' + 4: 2, # 'n' + 15: 1, # 'o' + 26: 1, # 'p' + 7: 1, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 3, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 1, # 'x' + 11: 1, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 1, # 'Ç' + 50: 1, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 1, # 'İ' + 6: 2, # 'ı' + 40: 1, # 'Ş' + 19: 1, # 'ş' + }, + 42: { # 'O' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 1, # 'F' + 36: 0, # 'G' + 45: 1, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 2, # 'K' + 49: 1, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 2, # 'P' + 44: 1, # 'R' + 35: 1, # 'S' + 31: 0, # 'T' + 51: 1, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 2, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 0, # 'j' + 10: 0, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 0, # 'n' + 15: 1, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 2, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 2, # 'Ç' + 50: 1, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 2, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 0, # 'ü' + 30: 1, # 'ğ' + 41: 2, # 'İ' + 6: 1, # 'ı' + 40: 1, # 'Ş' + 19: 1, # 'ş' + }, + 48: { # 'P' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 2, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 2, # 'F' + 36: 1, # 'G' + 45: 1, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 2, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 1, # 'N' + 42: 1, # 'O' + 48: 1, # 'P' + 44: 0, # 'R' + 35: 1, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 2, # 'a' + 21: 0, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 0, # 'j' + 10: 1, # 'k' + 5: 0, # 'l' + 13: 2, # 'm' + 4: 0, # 'n' + 15: 2, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 2, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 2, # 'x' + 11: 0, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 1, # 'Ç' + 50: 2, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 2, # 'ö' + 17: 0, # 'ü' + 30: 1, # 'ğ' + 41: 1, # 'İ' + 6: 0, # 'ı' + 40: 2, # 'Ş' + 19: 1, # 'ş' + }, + 44: { # 'R' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 1, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 1, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 1, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 1, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 1, # 'b' + 28: 1, # 'c' + 12: 0, # 'd' + 2: 2, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 0, # 'j' + 10: 1, # 'k' + 5: 2, # 'l' + 13: 2, # 'm' + 4: 0, # 'n' + 15: 1, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 2, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 1, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 1, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 1, # 'ü' + 30: 1, # 'ğ' + 41: 0, # 'İ' + 6: 2, # 'ı' + 40: 1, # 'Ş' + 19: 1, # 'ş' + }, + 35: { # 'S' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 1, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 1, # 'F' + 36: 1, # 'G' + 45: 1, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 3, # 'K' + 49: 1, # 'L' + 20: 1, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 1, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 1, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 1, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 0, # 'j' + 10: 1, # 'k' + 5: 1, # 'l' + 13: 2, # 'm' + 4: 1, # 'n' + 15: 0, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 1, # 't' + 14: 2, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 1, # 'z' + 63: 0, # '·' + 54: 2, # 'Ç' + 50: 2, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 3, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 2, # 'Ş' + 19: 1, # 'ş' + }, + 31: { # 'T' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 1, # 'J' + 16: 2, # 'K' + 49: 0, # 'L' + 20: 1, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 2, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 2, # 'b' + 28: 0, # 'c' + 12: 1, # 'd' + 2: 3, # 'e' + 18: 2, # 'f' + 27: 2, # 'g' + 25: 0, # 'h' + 3: 1, # 'i' + 24: 1, # 'j' + 10: 2, # 'k' + 5: 2, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 2, # 'p' + 7: 2, # 'r' + 8: 0, # 's' + 9: 2, # 't' + 14: 2, # 'u' + 32: 1, # 'v' + 57: 1, # 'w' + 58: 1, # 'x' + 11: 2, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 1, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 51: { # 'U' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 1, # 'F' + 36: 1, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 1, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 1, # 'N' + 42: 0, # 'O' + 48: 1, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 1, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 1, # 'c' + 12: 0, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 2, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 0, # 'j' + 10: 1, # 'k' + 5: 1, # 'l' + 13: 3, # 'm' + 4: 2, # 'n' + 15: 0, # 'o' + 26: 1, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 2, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 1, # 'Ç' + 50: 1, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 1, # 'ğ' + 41: 1, # 'İ' + 6: 2, # 'ı' + 40: 0, # 'Ş' + 19: 1, # 'ş' + }, + 38: { # 'V' + 23: 1, # 'A' + 37: 1, # 'B' + 47: 1, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 2, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 3, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 1, # 'P' + 44: 1, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 1, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 0, # 'j' + 10: 0, # 'k' + 5: 2, # 'l' + 13: 2, # 'm' + 4: 0, # 'n' + 15: 2, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 1, # 't' + 14: 3, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 1, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 1, # 'Ç' + 50: 1, # 'Ö' + 55: 0, # 'Ü' + 59: 1, # 'â' + 33: 2, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 0, # 'ü' + 30: 1, # 'ğ' + 41: 1, # 'İ' + 6: 3, # 'ı' + 40: 2, # 'Ş' + 19: 1, # 'ş' + }, + 62: { # 'W' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 0, # 'a' + 21: 0, # 'b' + 28: 0, # 'c' + 12: 0, # 'd' + 2: 0, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 0, # 'j' + 10: 0, # 'k' + 5: 0, # 'l' + 13: 0, # 'm' + 4: 0, # 'n' + 15: 0, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 0, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 0, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 43: { # 'Y' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 1, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 2, # 'F' + 36: 0, # 'G' + 45: 1, # 'H' + 53: 1, # 'I' + 60: 0, # 'J' + 16: 2, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 2, # 'N' + 42: 0, # 'O' + 48: 2, # 'P' + 44: 1, # 'R' + 35: 1, # 'S' + 31: 0, # 'T' + 51: 1, # 'U' + 38: 2, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 2, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 1, # 'j' + 10: 1, # 'k' + 5: 1, # 'l' + 13: 3, # 'm' + 4: 0, # 'n' + 15: 2, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 3, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 1, # 'x' + 11: 0, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 1, # 'Ç' + 50: 2, # 'Ö' + 55: 1, # 'Ü' + 59: 1, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 0, # 'ü' + 30: 1, # 'ğ' + 41: 1, # 'İ' + 6: 0, # 'ı' + 40: 2, # 'Ş' + 19: 1, # 'ş' + }, + 56: { # 'Z' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 2, # 'Z' + 1: 2, # 'a' + 21: 1, # 'b' + 28: 0, # 'c' + 12: 0, # 'd' + 2: 2, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 2, # 'i' + 24: 1, # 'j' + 10: 0, # 'k' + 5: 0, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 15: 0, # 'o' + 26: 0, # 'p' + 7: 1, # 'r' + 8: 1, # 's' + 9: 0, # 't' + 14: 2, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 1, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 1, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 1: { # 'a' + 23: 3, # 'A' + 37: 0, # 'B' + 47: 1, # 'C' + 39: 0, # 'D' + 29: 3, # 'E' + 52: 0, # 'F' + 36: 1, # 'G' + 45: 1, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 3, # 'M' + 46: 1, # 'N' + 42: 0, # 'O' + 48: 1, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 3, # 'T' + 51: 0, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 2, # 'Z' + 1: 2, # 'a' + 21: 3, # 'b' + 28: 0, # 'c' + 12: 3, # 'd' + 2: 2, # 'e' + 18: 3, # 'f' + 27: 3, # 'g' + 25: 3, # 'h' + 3: 3, # 'i' + 24: 3, # 'j' + 10: 3, # 'k' + 5: 0, # 'l' + 13: 2, # 'm' + 4: 3, # 'n' + 15: 1, # 'o' + 26: 3, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 3, # 'u' + 32: 3, # 'v' + 57: 2, # 'w' + 58: 0, # 'x' + 11: 3, # 'y' + 22: 0, # 'z' + 63: 1, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 1, # 'î' + 34: 1, # 'ö' + 17: 3, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 1, # 'ş' + }, + 21: { # 'b' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 1, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 1, # 'J' + 16: 2, # 'K' + 49: 0, # 'L' + 20: 2, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 1, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 1, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 2, # 'b' + 28: 0, # 'c' + 12: 3, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 3, # 'g' + 25: 1, # 'h' + 3: 3, # 'i' + 24: 2, # 'j' + 10: 3, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 3, # 'p' + 7: 1, # 'r' + 8: 2, # 's' + 9: 2, # 't' + 14: 2, # 'u' + 32: 1, # 'v' + 57: 0, # 'w' + 58: 1, # 'x' + 11: 3, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 1, # 'ğ' + 41: 0, # 'İ' + 6: 2, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 28: { # 'c' + 23: 0, # 'A' + 37: 1, # 'B' + 47: 1, # 'C' + 39: 1, # 'D' + 29: 2, # 'E' + 52: 0, # 'F' + 36: 2, # 'G' + 45: 2, # 'H' + 53: 1, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 2, # 'M' + 46: 1, # 'N' + 42: 1, # 'O' + 48: 2, # 'P' + 44: 1, # 'R' + 35: 1, # 'S' + 31: 2, # 'T' + 51: 2, # 'U' + 38: 2, # 'V' + 62: 0, # 'W' + 43: 3, # 'Y' + 56: 0, # 'Z' + 1: 1, # 'a' + 21: 1, # 'b' + 28: 2, # 'c' + 12: 2, # 'd' + 2: 1, # 'e' + 18: 1, # 'f' + 27: 2, # 'g' + 25: 2, # 'h' + 3: 3, # 'i' + 24: 1, # 'j' + 10: 3, # 'k' + 5: 0, # 'l' + 13: 2, # 'm' + 4: 3, # 'n' + 15: 2, # 'o' + 26: 2, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 1, # 'u' + 32: 0, # 'v' + 57: 1, # 'w' + 58: 0, # 'x' + 11: 2, # 'y' + 22: 1, # 'z' + 63: 1, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 1, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 1, # 'î' + 34: 2, # 'ö' + 17: 2, # 'ü' + 30: 2, # 'ğ' + 41: 1, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 2, # 'ş' + }, + 12: { # 'd' + 23: 1, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 2, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 3, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 1, # 'S' + 31: 1, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 2, # 'b' + 28: 1, # 'c' + 12: 3, # 'd' + 2: 3, # 'e' + 18: 1, # 'f' + 27: 3, # 'g' + 25: 3, # 'h' + 3: 2, # 'i' + 24: 3, # 'j' + 10: 2, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 1, # 'o' + 26: 2, # 'p' + 7: 3, # 'r' + 8: 2, # 's' + 9: 2, # 't' + 14: 3, # 'u' + 32: 1, # 'v' + 57: 0, # 'w' + 58: 1, # 'x' + 11: 3, # 'y' + 22: 1, # 'z' + 63: 1, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 1, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 2, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 2: { # 'e' + 23: 2, # 'A' + 37: 0, # 'B' + 47: 2, # 'C' + 39: 0, # 'D' + 29: 3, # 'E' + 52: 1, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 1, # 'K' + 49: 0, # 'L' + 20: 3, # 'M' + 46: 1, # 'N' + 42: 0, # 'O' + 48: 1, # 'P' + 44: 1, # 'R' + 35: 0, # 'S' + 31: 3, # 'T' + 51: 0, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 1, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 3, # 'b' + 28: 0, # 'c' + 12: 3, # 'd' + 2: 2, # 'e' + 18: 3, # 'f' + 27: 3, # 'g' + 25: 3, # 'h' + 3: 3, # 'i' + 24: 3, # 'j' + 10: 3, # 'k' + 5: 0, # 'l' + 13: 2, # 'm' + 4: 3, # 'n' + 15: 1, # 'o' + 26: 3, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 3, # 'u' + 32: 3, # 'v' + 57: 2, # 'w' + 58: 0, # 'x' + 11: 3, # 'y' + 22: 1, # 'z' + 63: 1, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 3, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 18: { # 'f' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 2, # 'K' + 49: 0, # 'L' + 20: 2, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 2, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 1, # 'b' + 28: 0, # 'c' + 12: 3, # 'd' + 2: 3, # 'e' + 18: 2, # 'f' + 27: 1, # 'g' + 25: 1, # 'h' + 3: 1, # 'i' + 24: 1, # 'j' + 10: 1, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 2, # 'p' + 7: 1, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 1, # 'u' + 32: 2, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 1, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 1, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 1, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 27: { # 'g' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 1, # 'S' + 31: 1, # 'T' + 51: 0, # 'U' + 38: 2, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 1, # 'b' + 28: 0, # 'c' + 12: 1, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 2, # 'g' + 25: 1, # 'h' + 3: 2, # 'i' + 24: 3, # 'j' + 10: 2, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 2, # 'n' + 15: 0, # 'o' + 26: 1, # 'p' + 7: 2, # 'r' + 8: 2, # 's' + 9: 3, # 't' + 14: 3, # 'u' + 32: 1, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 1, # 'y' + 22: 0, # 'z' + 63: 1, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 2, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 25: { # 'h' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 2, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 0, # 'c' + 12: 2, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 1, # 'g' + 25: 2, # 'h' + 3: 2, # 'i' + 24: 3, # 'j' + 10: 3, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 1, # 'o' + 26: 1, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 2, # 't' + 14: 3, # 'u' + 32: 2, # 'v' + 57: 1, # 'w' + 58: 0, # 'x' + 11: 1, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 3: { # 'i' + 23: 2, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 1, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 3, # 'M' + 46: 0, # 'N' + 42: 1, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 1, # 'S' + 31: 2, # 'T' + 51: 0, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 2, # 'b' + 28: 0, # 'c' + 12: 3, # 'd' + 2: 3, # 'e' + 18: 2, # 'f' + 27: 3, # 'g' + 25: 1, # 'h' + 3: 3, # 'i' + 24: 2, # 'j' + 10: 3, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 1, # 'o' + 26: 3, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 3, # 'u' + 32: 2, # 'v' + 57: 1, # 'w' + 58: 1, # 'x' + 11: 3, # 'y' + 22: 1, # 'z' + 63: 1, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 1, # 'Ü' + 59: 0, # 'â' + 33: 2, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 3, # 'ü' + 30: 0, # 'ğ' + 41: 1, # 'İ' + 6: 2, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 24: { # 'j' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 1, # 'J' + 16: 2, # 'K' + 49: 0, # 'L' + 20: 2, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 1, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 1, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 1, # 'Z' + 1: 3, # 'a' + 21: 1, # 'b' + 28: 1, # 'c' + 12: 3, # 'd' + 2: 3, # 'e' + 18: 2, # 'f' + 27: 1, # 'g' + 25: 1, # 'h' + 3: 2, # 'i' + 24: 1, # 'j' + 10: 2, # 'k' + 5: 2, # 'l' + 13: 3, # 'm' + 4: 2, # 'n' + 15: 0, # 'o' + 26: 1, # 'p' + 7: 2, # 'r' + 8: 3, # 's' + 9: 2, # 't' + 14: 3, # 'u' + 32: 2, # 'v' + 57: 0, # 'w' + 58: 2, # 'x' + 11: 1, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 1, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 10: { # 'k' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 2, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 3, # 'T' + 51: 0, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 1, # 'Z' + 1: 3, # 'a' + 21: 2, # 'b' + 28: 0, # 'c' + 12: 2, # 'd' + 2: 3, # 'e' + 18: 1, # 'f' + 27: 2, # 'g' + 25: 2, # 'h' + 3: 3, # 'i' + 24: 2, # 'j' + 10: 2, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 3, # 'p' + 7: 2, # 'r' + 8: 2, # 's' + 9: 2, # 't' + 14: 3, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 1, # 'x' + 11: 3, # 'y' + 22: 0, # 'z' + 63: 1, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 3, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 3, # 'ü' + 30: 1, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 1, # 'ş' + }, + 5: { # 'l' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 3, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 2, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 1, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 0, # 'a' + 21: 3, # 'b' + 28: 0, # 'c' + 12: 3, # 'd' + 2: 1, # 'e' + 18: 3, # 'f' + 27: 3, # 'g' + 25: 2, # 'h' + 3: 3, # 'i' + 24: 2, # 'j' + 10: 3, # 'k' + 5: 1, # 'l' + 13: 1, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 2, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 2, # 'u' + 32: 2, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 3, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 2, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 13: { # 'm' + 23: 1, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 3, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 3, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 3, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 1, # 'Y' + 56: 0, # 'Z' + 1: 2, # 'a' + 21: 3, # 'b' + 28: 0, # 'c' + 12: 3, # 'd' + 2: 2, # 'e' + 18: 3, # 'f' + 27: 3, # 'g' + 25: 3, # 'h' + 3: 3, # 'i' + 24: 3, # 'j' + 10: 3, # 'k' + 5: 0, # 'l' + 13: 2, # 'm' + 4: 3, # 'n' + 15: 1, # 'o' + 26: 2, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 2, # 'u' + 32: 2, # 'v' + 57: 1, # 'w' + 58: 0, # 'x' + 11: 3, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 3, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 1, # 'ş' + }, + 4: { # 'n' + 23: 1, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 1, # 'H' + 53: 0, # 'I' + 60: 2, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 3, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 2, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 2, # 'b' + 28: 1, # 'c' + 12: 3, # 'd' + 2: 3, # 'e' + 18: 1, # 'f' + 27: 2, # 'g' + 25: 3, # 'h' + 3: 2, # 'i' + 24: 2, # 'j' + 10: 3, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 1, # 'o' + 26: 3, # 'p' + 7: 2, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 3, # 'u' + 32: 2, # 'v' + 57: 0, # 'w' + 58: 2, # 'x' + 11: 3, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 2, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 1, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 15: { # 'o' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 1, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 2, # 'F' + 36: 1, # 'G' + 45: 1, # 'H' + 53: 1, # 'I' + 60: 0, # 'J' + 16: 3, # 'K' + 49: 2, # 'L' + 20: 0, # 'M' + 46: 2, # 'N' + 42: 1, # 'O' + 48: 2, # 'P' + 44: 1, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 1, # 'i' + 24: 2, # 'j' + 10: 1, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 2, # 'n' + 15: 2, # 'o' + 26: 0, # 'p' + 7: 1, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 3, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 2, # 'x' + 11: 0, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 1, # 'Ç' + 50: 2, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 3, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 0, # 'ü' + 30: 2, # 'ğ' + 41: 2, # 'İ' + 6: 3, # 'ı' + 40: 2, # 'Ş' + 19: 2, # 'ş' + }, + 26: { # 'p' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 1, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 1, # 'b' + 28: 0, # 'c' + 12: 1, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 1, # 'g' + 25: 1, # 'h' + 3: 2, # 'i' + 24: 3, # 'j' + 10: 1, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 2, # 'n' + 15: 0, # 'o' + 26: 2, # 'p' + 7: 2, # 'r' + 8: 1, # 's' + 9: 1, # 't' + 14: 3, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 1, # 'x' + 11: 1, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 3, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 1, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 7: { # 'r' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 1, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 2, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 2, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 2, # 'T' + 51: 1, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 1, # 'Z' + 1: 3, # 'a' + 21: 1, # 'b' + 28: 0, # 'c' + 12: 3, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 2, # 'g' + 25: 3, # 'h' + 3: 2, # 'i' + 24: 2, # 'j' + 10: 3, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 2, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 3, # 'u' + 32: 2, # 'v' + 57: 0, # 'w' + 58: 1, # 'x' + 11: 2, # 'y' + 22: 0, # 'z' + 63: 1, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 2, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 3, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 2, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 8: { # 's' + 23: 1, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 1, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 3, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 2, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 1, # 'Z' + 1: 3, # 'a' + 21: 2, # 'b' + 28: 1, # 'c' + 12: 3, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 2, # 'g' + 25: 2, # 'h' + 3: 2, # 'i' + 24: 3, # 'j' + 10: 3, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 3, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 3, # 'u' + 32: 2, # 'v' + 57: 0, # 'w' + 58: 1, # 'x' + 11: 2, # 'y' + 22: 1, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 2, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 2, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 1, # 'ş' + }, + 9: { # 't' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 1, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 2, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 2, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 1, # 'Z' + 1: 3, # 'a' + 21: 3, # 'b' + 28: 0, # 'c' + 12: 3, # 'd' + 2: 3, # 'e' + 18: 2, # 'f' + 27: 2, # 'g' + 25: 2, # 'h' + 3: 2, # 'i' + 24: 2, # 'j' + 10: 3, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 2, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 3, # 'u' + 32: 3, # 'v' + 57: 0, # 'w' + 58: 2, # 'x' + 11: 2, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 3, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 2, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 14: { # 'u' + 23: 3, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 3, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 1, # 'H' + 53: 0, # 'I' + 60: 1, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 3, # 'M' + 46: 2, # 'N' + 42: 0, # 'O' + 48: 1, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 3, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 1, # 'Y' + 56: 2, # 'Z' + 1: 2, # 'a' + 21: 3, # 'b' + 28: 0, # 'c' + 12: 3, # 'd' + 2: 2, # 'e' + 18: 2, # 'f' + 27: 3, # 'g' + 25: 3, # 'h' + 3: 3, # 'i' + 24: 2, # 'j' + 10: 3, # 'k' + 5: 0, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 3, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 3, # 'u' + 32: 2, # 'v' + 57: 2, # 'w' + 58: 0, # 'x' + 11: 3, # 'y' + 22: 0, # 'z' + 63: 1, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 3, # 'ü' + 30: 1, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 32: { # 'v' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 1, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 0, # 'c' + 12: 3, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 1, # 'j' + 10: 1, # 'k' + 5: 3, # 'l' + 13: 2, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 1, # 'p' + 7: 1, # 'r' + 8: 2, # 's' + 9: 3, # 't' + 14: 3, # 'u' + 32: 1, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 2, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 1, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 57: { # 'w' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 1, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 1, # 'a' + 21: 0, # 'b' + 28: 0, # 'c' + 12: 0, # 'd' + 2: 2, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 1, # 'h' + 3: 0, # 'i' + 24: 0, # 'j' + 10: 1, # 'k' + 5: 0, # 'l' + 13: 0, # 'm' + 4: 1, # 'n' + 15: 0, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 1, # 's' + 9: 0, # 't' + 14: 1, # 'u' + 32: 0, # 'v' + 57: 2, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 0, # 'z' + 63: 1, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 1, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 0, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 58: { # 'x' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 1, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 1, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 1, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 0, # 'a' + 21: 1, # 'b' + 28: 0, # 'c' + 12: 2, # 'd' + 2: 1, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 2, # 'i' + 24: 2, # 'j' + 10: 1, # 'k' + 5: 0, # 'l' + 13: 0, # 'm' + 4: 2, # 'n' + 15: 0, # 'o' + 26: 0, # 'p' + 7: 1, # 'r' + 8: 2, # 's' + 9: 1, # 't' + 14: 0, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 2, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 1, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 2, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 11: { # 'y' + 23: 1, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 1, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 1, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 1, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 1, # 'Y' + 56: 1, # 'Z' + 1: 3, # 'a' + 21: 1, # 'b' + 28: 0, # 'c' + 12: 2, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 2, # 'g' + 25: 2, # 'h' + 3: 2, # 'i' + 24: 1, # 'j' + 10: 2, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 1, # 'p' + 7: 2, # 'r' + 8: 1, # 's' + 9: 2, # 't' + 14: 3, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 1, # 'x' + 11: 3, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 3, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 2, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 22: { # 'z' + 23: 2, # 'A' + 37: 2, # 'B' + 47: 1, # 'C' + 39: 2, # 'D' + 29: 3, # 'E' + 52: 1, # 'F' + 36: 2, # 'G' + 45: 2, # 'H' + 53: 1, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 3, # 'M' + 46: 2, # 'N' + 42: 2, # 'O' + 48: 2, # 'P' + 44: 1, # 'R' + 35: 1, # 'S' + 31: 3, # 'T' + 51: 2, # 'U' + 38: 2, # 'V' + 62: 0, # 'W' + 43: 2, # 'Y' + 56: 1, # 'Z' + 1: 1, # 'a' + 21: 2, # 'b' + 28: 1, # 'c' + 12: 2, # 'd' + 2: 2, # 'e' + 18: 3, # 'f' + 27: 2, # 'g' + 25: 2, # 'h' + 3: 3, # 'i' + 24: 2, # 'j' + 10: 3, # 'k' + 5: 0, # 'l' + 13: 2, # 'm' + 4: 3, # 'n' + 15: 2, # 'o' + 26: 2, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 0, # 'u' + 32: 2, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 3, # 'y' + 22: 2, # 'z' + 63: 1, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 2, # 'Ü' + 59: 1, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 2, # 'ö' + 17: 2, # 'ü' + 30: 2, # 'ğ' + 41: 1, # 'İ' + 6: 3, # 'ı' + 40: 1, # 'Ş' + 19: 2, # 'ş' + }, + 63: { # '·' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 0, # 'a' + 21: 0, # 'b' + 28: 0, # 'c' + 12: 0, # 'd' + 2: 1, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 0, # 'j' + 10: 0, # 'k' + 5: 0, # 'l' + 13: 2, # 'm' + 4: 0, # 'n' + 15: 0, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 2, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 0, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 54: { # 'Ç' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 1, # 'C' + 39: 1, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 1, # 'G' + 45: 1, # 'H' + 53: 1, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 1, # 'O' + 48: 1, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 1, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 2, # 'Y' + 56: 0, # 'Z' + 1: 0, # 'a' + 21: 1, # 'b' + 28: 0, # 'c' + 12: 1, # 'd' + 2: 0, # 'e' + 18: 0, # 'f' + 27: 1, # 'g' + 25: 0, # 'h' + 3: 3, # 'i' + 24: 0, # 'j' + 10: 1, # 'k' + 5: 0, # 'l' + 13: 0, # 'm' + 4: 2, # 'n' + 15: 1, # 'o' + 26: 0, # 'p' + 7: 2, # 'r' + 8: 0, # 's' + 9: 1, # 't' + 14: 0, # 'u' + 32: 2, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 2, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 2, # 'ı' + 40: 0, # 'Ş' + 19: 1, # 'ş' + }, + 50: { # 'Ö' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 1, # 'C' + 39: 1, # 'D' + 29: 2, # 'E' + 52: 0, # 'F' + 36: 1, # 'G' + 45: 2, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 1, # 'M' + 46: 1, # 'N' + 42: 2, # 'O' + 48: 2, # 'P' + 44: 1, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 1, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 2, # 'Y' + 56: 0, # 'Z' + 1: 0, # 'a' + 21: 2, # 'b' + 28: 1, # 'c' + 12: 2, # 'd' + 2: 0, # 'e' + 18: 1, # 'f' + 27: 1, # 'g' + 25: 1, # 'h' + 3: 2, # 'i' + 24: 0, # 'j' + 10: 2, # 'k' + 5: 0, # 'l' + 13: 0, # 'm' + 4: 3, # 'n' + 15: 2, # 'o' + 26: 2, # 'p' + 7: 3, # 'r' + 8: 1, # 's' + 9: 2, # 't' + 14: 0, # 'u' + 32: 1, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 1, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 2, # 'ö' + 17: 2, # 'ü' + 30: 1, # 'ğ' + 41: 0, # 'İ' + 6: 2, # 'ı' + 40: 0, # 'Ş' + 19: 1, # 'ş' + }, + 55: { # 'Ü' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 2, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 1, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 1, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 2, # 'a' + 21: 0, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 2, # 'e' + 18: 0, # 'f' + 27: 1, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 0, # 'j' + 10: 0, # 'k' + 5: 1, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 15: 0, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 1, # 't' + 14: 2, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 1, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 1, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 0, # 'ü' + 30: 1, # 'ğ' + 41: 1, # 'İ' + 6: 0, # 'ı' + 40: 0, # 'Ş' + 19: 1, # 'ş' + }, + 59: { # 'â' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 1, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 1, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 2, # 'a' + 21: 0, # 'b' + 28: 0, # 'c' + 12: 0, # 'd' + 2: 2, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 0, # 'j' + 10: 0, # 'k' + 5: 0, # 'l' + 13: 2, # 'm' + 4: 0, # 'n' + 15: 1, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 2, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 1, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 1, # 'ı' + 40: 1, # 'Ş' + 19: 0, # 'ş' + }, + 33: { # 'ç' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 3, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 1, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 2, # 'T' + 51: 0, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 0, # 'Z' + 1: 0, # 'a' + 21: 3, # 'b' + 28: 0, # 'c' + 12: 2, # 'd' + 2: 0, # 'e' + 18: 2, # 'f' + 27: 1, # 'g' + 25: 3, # 'h' + 3: 3, # 'i' + 24: 0, # 'j' + 10: 3, # 'k' + 5: 0, # 'l' + 13: 0, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 1, # 'p' + 7: 3, # 'r' + 8: 2, # 's' + 9: 3, # 't' + 14: 0, # 'u' + 32: 2, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 2, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 1, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 61: { # 'î' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 0, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 0, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 1, # 'Z' + 1: 2, # 'a' + 21: 0, # 'b' + 28: 0, # 'c' + 12: 0, # 'd' + 2: 2, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 1, # 'j' + 10: 0, # 'k' + 5: 0, # 'l' + 13: 1, # 'm' + 4: 1, # 'n' + 15: 0, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 1, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 1, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 1, # 'î' + 34: 0, # 'ö' + 17: 0, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 1, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 34: { # 'ö' + 23: 0, # 'A' + 37: 1, # 'B' + 47: 1, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 2, # 'F' + 36: 1, # 'G' + 45: 1, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 3, # 'K' + 49: 1, # 'L' + 20: 0, # 'M' + 46: 1, # 'N' + 42: 1, # 'O' + 48: 2, # 'P' + 44: 1, # 'R' + 35: 1, # 'S' + 31: 1, # 'T' + 51: 1, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 1, # 'Z' + 1: 3, # 'a' + 21: 1, # 'b' + 28: 2, # 'c' + 12: 1, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 2, # 'g' + 25: 2, # 'h' + 3: 1, # 'i' + 24: 2, # 'j' + 10: 1, # 'k' + 5: 2, # 'l' + 13: 3, # 'm' + 4: 2, # 'n' + 15: 2, # 'o' + 26: 0, # 'p' + 7: 0, # 'r' + 8: 3, # 's' + 9: 1, # 't' + 14: 3, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 1, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 1, # 'Ç' + 50: 2, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 2, # 'ç' + 61: 0, # 'î' + 34: 2, # 'ö' + 17: 0, # 'ü' + 30: 2, # 'ğ' + 41: 1, # 'İ' + 6: 1, # 'ı' + 40: 2, # 'Ş' + 19: 1, # 'ş' + }, + 17: { # 'ü' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 1, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 0, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 1, # 'J' + 16: 1, # 'K' + 49: 0, # 'L' + 20: 1, # 'M' + 46: 0, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 1, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 0, # 'Y' + 56: 1, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 0, # 'c' + 12: 1, # 'd' + 2: 3, # 'e' + 18: 1, # 'f' + 27: 2, # 'g' + 25: 0, # 'h' + 3: 1, # 'i' + 24: 1, # 'j' + 10: 2, # 'k' + 5: 3, # 'l' + 13: 2, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 2, # 'p' + 7: 2, # 'r' + 8: 3, # 's' + 9: 2, # 't' + 14: 3, # 'u' + 32: 1, # 'v' + 57: 1, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 2, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 2, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 30: { # 'ğ' + 23: 0, # 'A' + 37: 2, # 'B' + 47: 1, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 2, # 'F' + 36: 1, # 'G' + 45: 0, # 'H' + 53: 1, # 'I' + 60: 0, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 1, # 'M' + 46: 2, # 'N' + 42: 2, # 'O' + 48: 1, # 'P' + 44: 1, # 'R' + 35: 0, # 'S' + 31: 1, # 'T' + 51: 0, # 'U' + 38: 2, # 'V' + 62: 0, # 'W' + 43: 2, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 0, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 2, # 'e' + 18: 0, # 'f' + 27: 0, # 'g' + 25: 0, # 'h' + 3: 0, # 'i' + 24: 3, # 'j' + 10: 1, # 'k' + 5: 2, # 'l' + 13: 3, # 'm' + 4: 0, # 'n' + 15: 1, # 'o' + 26: 0, # 'p' + 7: 1, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 3, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 2, # 'Ç' + 50: 2, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 0, # 'î' + 34: 2, # 'ö' + 17: 0, # 'ü' + 30: 1, # 'ğ' + 41: 2, # 'İ' + 6: 2, # 'ı' + 40: 2, # 'Ş' + 19: 1, # 'ş' + }, + 41: { # 'İ' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 1, # 'C' + 39: 1, # 'D' + 29: 1, # 'E' + 52: 0, # 'F' + 36: 2, # 'G' + 45: 2, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 2, # 'M' + 46: 1, # 'N' + 42: 1, # 'O' + 48: 2, # 'P' + 44: 0, # 'R' + 35: 1, # 'S' + 31: 1, # 'T' + 51: 1, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 2, # 'Y' + 56: 0, # 'Z' + 1: 1, # 'a' + 21: 2, # 'b' + 28: 1, # 'c' + 12: 2, # 'd' + 2: 1, # 'e' + 18: 0, # 'f' + 27: 3, # 'g' + 25: 2, # 'h' + 3: 2, # 'i' + 24: 2, # 'j' + 10: 2, # 'k' + 5: 0, # 'l' + 13: 1, # 'm' + 4: 3, # 'n' + 15: 1, # 'o' + 26: 1, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 2, # 't' + 14: 0, # 'u' + 32: 0, # 'v' + 57: 1, # 'w' + 58: 0, # 'x' + 11: 2, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 1, # 'Ü' + 59: 1, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 1, # 'ö' + 17: 1, # 'ü' + 30: 2, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 1, # 'ş' + }, + 6: { # 'ı' + 23: 2, # 'A' + 37: 0, # 'B' + 47: 0, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 0, # 'F' + 36: 1, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 2, # 'J' + 16: 3, # 'K' + 49: 0, # 'L' + 20: 3, # 'M' + 46: 1, # 'N' + 42: 0, # 'O' + 48: 0, # 'P' + 44: 0, # 'R' + 35: 0, # 'S' + 31: 2, # 'T' + 51: 0, # 'U' + 38: 0, # 'V' + 62: 0, # 'W' + 43: 2, # 'Y' + 56: 1, # 'Z' + 1: 3, # 'a' + 21: 2, # 'b' + 28: 1, # 'c' + 12: 3, # 'd' + 2: 3, # 'e' + 18: 3, # 'f' + 27: 3, # 'g' + 25: 2, # 'h' + 3: 3, # 'i' + 24: 3, # 'j' + 10: 3, # 'k' + 5: 3, # 'l' + 13: 3, # 'm' + 4: 3, # 'n' + 15: 0, # 'o' + 26: 3, # 'p' + 7: 3, # 'r' + 8: 3, # 's' + 9: 3, # 't' + 14: 3, # 'u' + 32: 3, # 'v' + 57: 1, # 'w' + 58: 1, # 'x' + 11: 3, # 'y' + 22: 0, # 'z' + 63: 1, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 2, # 'ç' + 61: 0, # 'î' + 34: 0, # 'ö' + 17: 3, # 'ü' + 30: 0, # 'ğ' + 41: 0, # 'İ' + 6: 3, # 'ı' + 40: 0, # 'Ş' + 19: 0, # 'ş' + }, + 40: { # 'Ş' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 1, # 'C' + 39: 1, # 'D' + 29: 1, # 'E' + 52: 0, # 'F' + 36: 1, # 'G' + 45: 2, # 'H' + 53: 1, # 'I' + 60: 0, # 'J' + 16: 0, # 'K' + 49: 0, # 'L' + 20: 2, # 'M' + 46: 1, # 'N' + 42: 1, # 'O' + 48: 2, # 'P' + 44: 2, # 'R' + 35: 1, # 'S' + 31: 1, # 'T' + 51: 0, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 2, # 'Y' + 56: 1, # 'Z' + 1: 0, # 'a' + 21: 2, # 'b' + 28: 0, # 'c' + 12: 2, # 'd' + 2: 0, # 'e' + 18: 3, # 'f' + 27: 0, # 'g' + 25: 2, # 'h' + 3: 3, # 'i' + 24: 2, # 'j' + 10: 1, # 'k' + 5: 0, # 'l' + 13: 1, # 'm' + 4: 3, # 'n' + 15: 2, # 'o' + 26: 0, # 'p' + 7: 3, # 'r' + 8: 2, # 's' + 9: 2, # 't' + 14: 1, # 'u' + 32: 3, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 2, # 'y' + 22: 0, # 'z' + 63: 0, # '·' + 54: 0, # 'Ç' + 50: 0, # 'Ö' + 55: 1, # 'Ü' + 59: 0, # 'â' + 33: 0, # 'ç' + 61: 0, # 'î' + 34: 2, # 'ö' + 17: 1, # 'ü' + 30: 2, # 'ğ' + 41: 0, # 'İ' + 6: 2, # 'ı' + 40: 1, # 'Ş' + 19: 2, # 'ş' + }, + 19: { # 'ş' + 23: 0, # 'A' + 37: 0, # 'B' + 47: 1, # 'C' + 39: 0, # 'D' + 29: 0, # 'E' + 52: 2, # 'F' + 36: 1, # 'G' + 45: 0, # 'H' + 53: 0, # 'I' + 60: 0, # 'J' + 16: 3, # 'K' + 49: 2, # 'L' + 20: 0, # 'M' + 46: 1, # 'N' + 42: 1, # 'O' + 48: 1, # 'P' + 44: 1, # 'R' + 35: 1, # 'S' + 31: 0, # 'T' + 51: 1, # 'U' + 38: 1, # 'V' + 62: 0, # 'W' + 43: 1, # 'Y' + 56: 0, # 'Z' + 1: 3, # 'a' + 21: 1, # 'b' + 28: 2, # 'c' + 12: 0, # 'd' + 2: 3, # 'e' + 18: 0, # 'f' + 27: 2, # 'g' + 25: 1, # 'h' + 3: 1, # 'i' + 24: 0, # 'j' + 10: 2, # 'k' + 5: 2, # 'l' + 13: 3, # 'm' + 4: 0, # 'n' + 15: 0, # 'o' + 26: 1, # 'p' + 7: 3, # 'r' + 8: 0, # 's' + 9: 0, # 't' + 14: 3, # 'u' + 32: 0, # 'v' + 57: 0, # 'w' + 58: 0, # 'x' + 11: 0, # 'y' + 22: 2, # 'z' + 63: 0, # '·' + 54: 1, # 'Ç' + 50: 2, # 'Ö' + 55: 0, # 'Ü' + 59: 0, # 'â' + 33: 1, # 'ç' + 61: 1, # 'î' + 34: 2, # 'ö' + 17: 0, # 'ü' + 30: 1, # 'ğ' + 41: 1, # 'İ' + 6: 1, # 'ı' + 40: 1, # 'Ş' + 19: 1, # 'ş' + }, +} + +# 255: Undefined characters that did not exist in training text +# 254: Carriage/Return +# 253: symbol (punctuation) that does not belong to word +# 252: 0 - 9 +# 251: Control characters + +# Character Mapping Table(s): +ISO_8859_9_TURKISH_CHAR_TO_ORDER = { + 0: 255, # '\x00' + 1: 255, # '\x01' + 2: 255, # '\x02' + 3: 255, # '\x03' + 4: 255, # '\x04' + 5: 255, # '\x05' + 6: 255, # '\x06' + 7: 255, # '\x07' + 8: 255, # '\x08' + 9: 255, # '\t' + 10: 255, # '\n' + 11: 255, # '\x0b' + 12: 255, # '\x0c' + 13: 255, # '\r' + 14: 255, # '\x0e' + 15: 255, # '\x0f' + 16: 255, # '\x10' + 17: 255, # '\x11' + 18: 255, # '\x12' + 19: 255, # '\x13' + 20: 255, # '\x14' + 21: 255, # '\x15' + 22: 255, # '\x16' + 23: 255, # '\x17' + 24: 255, # '\x18' + 25: 255, # '\x19' + 26: 255, # '\x1a' + 27: 255, # '\x1b' + 28: 255, # '\x1c' + 29: 255, # '\x1d' + 30: 255, # '\x1e' + 31: 255, # '\x1f' + 32: 255, # ' ' + 33: 255, # '!' + 34: 255, # '"' + 35: 255, # '#' + 36: 255, # '$' + 37: 255, # '%' + 38: 255, # '&' + 39: 255, # "'" + 40: 255, # '(' + 41: 255, # ')' + 42: 255, # '*' + 43: 255, # '+' + 44: 255, # ',' + 45: 255, # '-' + 46: 255, # '.' + 47: 255, # '/' + 48: 255, # '0' + 49: 255, # '1' + 50: 255, # '2' + 51: 255, # '3' + 52: 255, # '4' + 53: 255, # '5' + 54: 255, # '6' + 55: 255, # '7' + 56: 255, # '8' + 57: 255, # '9' + 58: 255, # ':' + 59: 255, # ';' + 60: 255, # '<' + 61: 255, # '=' + 62: 255, # '>' + 63: 255, # '?' + 64: 255, # '@' + 65: 23, # 'A' + 66: 37, # 'B' + 67: 47, # 'C' + 68: 39, # 'D' + 69: 29, # 'E' + 70: 52, # 'F' + 71: 36, # 'G' + 72: 45, # 'H' + 73: 53, # 'I' + 74: 60, # 'J' + 75: 16, # 'K' + 76: 49, # 'L' + 77: 20, # 'M' + 78: 46, # 'N' + 79: 42, # 'O' + 80: 48, # 'P' + 81: 69, # 'Q' + 82: 44, # 'R' + 83: 35, # 'S' + 84: 31, # 'T' + 85: 51, # 'U' + 86: 38, # 'V' + 87: 62, # 'W' + 88: 65, # 'X' + 89: 43, # 'Y' + 90: 56, # 'Z' + 91: 255, # '[' + 92: 255, # '\\' + 93: 255, # ']' + 94: 255, # '^' + 95: 255, # '_' + 96: 255, # '`' + 97: 1, # 'a' + 98: 21, # 'b' + 99: 28, # 'c' + 100: 12, # 'd' + 101: 2, # 'e' + 102: 18, # 'f' + 103: 27, # 'g' + 104: 25, # 'h' + 105: 3, # 'i' + 106: 24, # 'j' + 107: 10, # 'k' + 108: 5, # 'l' + 109: 13, # 'm' + 110: 4, # 'n' + 111: 15, # 'o' + 112: 26, # 'p' + 113: 64, # 'q' + 114: 7, # 'r' + 115: 8, # 's' + 116: 9, # 't' + 117: 14, # 'u' + 118: 32, # 'v' + 119: 57, # 'w' + 120: 58, # 'x' + 121: 11, # 'y' + 122: 22, # 'z' + 123: 255, # '{' + 124: 255, # '|' + 125: 255, # '}' + 126: 255, # '~' + 127: 255, # '\x7f' + 128: 180, # '\x80' + 129: 179, # '\x81' + 130: 178, # '\x82' + 131: 177, # '\x83' + 132: 176, # '\x84' + 133: 175, # '\x85' + 134: 174, # '\x86' + 135: 173, # '\x87' + 136: 172, # '\x88' + 137: 171, # '\x89' + 138: 170, # '\x8a' + 139: 169, # '\x8b' + 140: 168, # '\x8c' + 141: 167, # '\x8d' + 142: 166, # '\x8e' + 143: 165, # '\x8f' + 144: 164, # '\x90' + 145: 163, # '\x91' + 146: 162, # '\x92' + 147: 161, # '\x93' + 148: 160, # '\x94' + 149: 159, # '\x95' + 150: 101, # '\x96' + 151: 158, # '\x97' + 152: 157, # '\x98' + 153: 156, # '\x99' + 154: 155, # '\x9a' + 155: 154, # '\x9b' + 156: 153, # '\x9c' + 157: 152, # '\x9d' + 158: 151, # '\x9e' + 159: 106, # '\x9f' + 160: 150, # '\xa0' + 161: 149, # '¡' + 162: 148, # '¢' + 163: 147, # '£' + 164: 146, # '¤' + 165: 145, # '¥' + 166: 144, # '¦' + 167: 100, # '§' + 168: 143, # '¨' + 169: 142, # '©' + 170: 141, # 'ª' + 171: 140, # '«' + 172: 139, # '¬' + 173: 138, # '\xad' + 174: 137, # '®' + 175: 136, # '¯' + 176: 94, # '°' + 177: 80, # '±' + 178: 93, # '²' + 179: 135, # '³' + 180: 105, # '´' + 181: 134, # 'µ' + 182: 133, # '¶' + 183: 63, # '·' + 184: 132, # '¸' + 185: 131, # '¹' + 186: 130, # 'º' + 187: 129, # '»' + 188: 128, # '¼' + 189: 127, # '½' + 190: 126, # '¾' + 191: 125, # '¿' + 192: 124, # 'À' + 193: 104, # 'Á' + 194: 73, # 'Â' + 195: 99, # 'Ã' + 196: 79, # 'Ä' + 197: 85, # 'Å' + 198: 123, # 'Æ' + 199: 54, # 'Ç' + 200: 122, # 'È' + 201: 98, # 'É' + 202: 92, # 'Ê' + 203: 121, # 'Ë' + 204: 120, # 'Ì' + 205: 91, # 'Í' + 206: 103, # 'Î' + 207: 119, # 'Ï' + 208: 68, # 'Ğ' + 209: 118, # 'Ñ' + 210: 117, # 'Ò' + 211: 97, # 'Ó' + 212: 116, # 'Ô' + 213: 115, # 'Õ' + 214: 50, # 'Ö' + 215: 90, # '×' + 216: 114, # 'Ø' + 217: 113, # 'Ù' + 218: 112, # 'Ú' + 219: 111, # 'Û' + 220: 55, # 'Ü' + 221: 41, # 'İ' + 222: 40, # 'Ş' + 223: 86, # 'ß' + 224: 89, # 'à' + 225: 70, # 'á' + 226: 59, # 'â' + 227: 78, # 'ã' + 228: 71, # 'ä' + 229: 82, # 'å' + 230: 88, # 'æ' + 231: 33, # 'ç' + 232: 77, # 'è' + 233: 66, # 'é' + 234: 84, # 'ê' + 235: 83, # 'ë' + 236: 110, # 'ì' + 237: 75, # 'í' + 238: 61, # 'î' + 239: 96, # 'ï' + 240: 30, # 'ğ' + 241: 67, # 'ñ' + 242: 109, # 'ò' + 243: 74, # 'ó' + 244: 87, # 'ô' + 245: 102, # 'õ' + 246: 34, # 'ö' + 247: 95, # '÷' + 248: 81, # 'ø' + 249: 108, # 'ù' + 250: 76, # 'ú' + 251: 72, # 'û' + 252: 17, # 'ü' + 253: 6, # 'ı' + 254: 19, # 'ş' + 255: 107, # 'ÿ' +} + +ISO_8859_9_TURKISH_MODEL = SingleByteCharSetModel(charset_name='ISO-8859-9', + language='Turkish', + char_to_order_map=ISO_8859_9_TURKISH_CHAR_TO_ORDER, + language_model=TURKISH_LANG_MODEL, + typical_positive_ratio=0.97029, + keep_ascii_letters=True, + alphabet='ABCDEFGHIJKLMNOPRSTUVYZabcdefghijklmnoprstuvyzÂÇÎÖÛÜâçîöûüĞğİıŞş') + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/latin1prober.py b/venv/Lib/site-packages/pip/_vendor/chardet/latin1prober.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/latin1prober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/latin1prober.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcharsetprober.py b/venv/Lib/site-packages/pip/_vendor/chardet/mbcharsetprober.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcharsetprober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/mbcharsetprober.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcsgroupprober.py b/venv/Lib/site-packages/pip/_vendor/chardet/mbcsgroupprober.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcsgroupprober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/mbcsgroupprober.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcssm.py b/venv/Lib/site-packages/pip/_vendor/chardet/mbcssm.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/mbcssm.py rename to venv/Lib/site-packages/pip/_vendor/chardet/mbcssm.py diff --git a/venv/Lib/site-packages/pip/_vendor/chardet/metadata/__init__.py b/venv/Lib/site-packages/pip/_vendor/chardet/metadata/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/venv/Lib/site-packages/pip/_vendor/chardet/metadata/languages.py b/venv/Lib/site-packages/pip/_vendor/chardet/metadata/languages.py new file mode 100644 index 0000000..3237d5a --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/chardet/metadata/languages.py @@ -0,0 +1,310 @@ +#!/usr/bin/env python +# -*- coding: utf-8 -*- +""" +Metadata about languages used by our model training code for our +SingleByteCharSetProbers. Could be used for other things in the future. + +This code is based on the language metadata from the uchardet project. +""" +from __future__ import absolute_import, print_function + +from string import ascii_letters + + +# TODO: Add Ukranian (KOI8-U) + +class Language(object): + """Metadata about a language useful for training models + + :ivar name: The human name for the language, in English. + :type name: str + :ivar iso_code: 2-letter ISO 639-1 if possible, 3-letter ISO code otherwise, + or use another catalog as a last resort. + :type iso_code: str + :ivar use_ascii: Whether or not ASCII letters should be included in trained + models. + :type use_ascii: bool + :ivar charsets: The charsets we want to support and create data for. + :type charsets: list of str + :ivar alphabet: The characters in the language's alphabet. If `use_ascii` is + `True`, you only need to add those not in the ASCII set. + :type alphabet: str + :ivar wiki_start_pages: The Wikipedia pages to start from if we're crawling + Wikipedia for training data. + :type wiki_start_pages: list of str + """ + def __init__(self, name=None, iso_code=None, use_ascii=True, charsets=None, + alphabet=None, wiki_start_pages=None): + super(Language, self).__init__() + self.name = name + self.iso_code = iso_code + self.use_ascii = use_ascii + self.charsets = charsets + if self.use_ascii: + if alphabet: + alphabet += ascii_letters + else: + alphabet = ascii_letters + elif not alphabet: + raise ValueError('Must supply alphabet if use_ascii is False') + self.alphabet = ''.join(sorted(set(alphabet))) if alphabet else None + self.wiki_start_pages = wiki_start_pages + + def __repr__(self): + return '{}({})'.format(self.__class__.__name__, + ', '.join('{}={!r}'.format(k, v) + for k, v in self.__dict__.items() + if not k.startswith('_'))) + + +LANGUAGES = {'Arabic': Language(name='Arabic', + iso_code='ar', + use_ascii=False, + # We only support encodings that use isolated + # forms, because the current recommendation is + # that the rendering system handles presentation + # forms. This means we purposefully skip IBM864. + charsets=['ISO-8859-6', 'WINDOWS-1256', + 'CP720', 'CP864'], + alphabet=u'ءآأؤإئابةتثجحخدذرزسشصضطظعغػؼؽؾؿـفقكلمنهوىيًٌٍَُِّ', + wiki_start_pages=[u'الصفحة_الرئيسية']), + 'Belarusian': Language(name='Belarusian', + iso_code='be', + use_ascii=False, + charsets=['ISO-8859-5', 'WINDOWS-1251', + 'IBM866', 'MacCyrillic'], + alphabet=(u'АБВГДЕЁЖЗІЙКЛМНОПРСТУЎФХЦЧШЫЬЭЮЯ' + u'абвгдеёжзійклмнопрстуўфхцчшыьэюяʼ'), + wiki_start_pages=[u'Галоўная_старонка']), + 'Bulgarian': Language(name='Bulgarian', + iso_code='bg', + use_ascii=False, + charsets=['ISO-8859-5', 'WINDOWS-1251', + 'IBM855'], + alphabet=(u'АБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЬЮЯ' + u'абвгдежзийклмнопрстуфхцчшщъьюя'), + wiki_start_pages=[u'Начална_страница']), + 'Czech': Language(name='Czech', + iso_code='cz', + use_ascii=True, + charsets=['ISO-8859-2', 'WINDOWS-1250'], + alphabet=u'áčďéěíňóřšťúůýžÁČĎÉĚÍŇÓŘŠŤÚŮÝŽ', + wiki_start_pages=[u'Hlavní_strana']), + 'Danish': Language(name='Danish', + iso_code='da', + use_ascii=True, + charsets=['ISO-8859-1', 'ISO-8859-15', + 'WINDOWS-1252'], + alphabet=u'æøåÆØÅ', + wiki_start_pages=[u'Forside']), + 'German': Language(name='German', + iso_code='de', + use_ascii=True, + charsets=['ISO-8859-1', 'WINDOWS-1252'], + alphabet=u'äöüßÄÖÜ', + wiki_start_pages=[u'Wikipedia:Hauptseite']), + 'Greek': Language(name='Greek', + iso_code='el', + use_ascii=False, + charsets=['ISO-8859-7', 'WINDOWS-1253'], + alphabet=(u'αβγδεζηθικλμνξοπρσςτυφχψωάέήίόύώ' + u'ΑΒΓΔΕΖΗΘΙΚΛΜΝΞΟΠΡΣΣΤΥΦΧΨΩΆΈΉΊΌΎΏ'), + wiki_start_pages=[u'Πύλη:Κύρια']), + 'English': Language(name='English', + iso_code='en', + use_ascii=True, + charsets=['ISO-8859-1', 'WINDOWS-1252'], + wiki_start_pages=[u'Main_Page']), + 'Esperanto': Language(name='Esperanto', + iso_code='eo', + # Q, W, X, and Y not used at all + use_ascii=False, + charsets=['ISO-8859-3'], + alphabet=(u'abcĉdefgĝhĥijĵklmnoprsŝtuŭvz' + u'ABCĈDEFGĜHĤIJĴKLMNOPRSŜTUŬVZ'), + wiki_start_pages=[u'Vikipedio:Ĉefpaĝo']), + 'Spanish': Language(name='Spanish', + iso_code='es', + use_ascii=True, + charsets=['ISO-8859-1', 'ISO-8859-15', + 'WINDOWS-1252'], + alphabet=u'ñáéíóúüÑÁÉÍÓÚÜ', + wiki_start_pages=[u'Wikipedia:Portada']), + 'Estonian': Language(name='Estonian', + iso_code='et', + use_ascii=False, + charsets=['ISO-8859-4', 'ISO-8859-13', + 'WINDOWS-1257'], + # C, F, Š, Q, W, X, Y, Z, Ž are only for + # loanwords + alphabet=(u'ABDEGHIJKLMNOPRSTUVÕÄÖÜ' + u'abdeghijklmnoprstuvõäöü'), + wiki_start_pages=[u'Esileht']), + 'Finnish': Language(name='Finnish', + iso_code='fi', + use_ascii=True, + charsets=['ISO-8859-1', 'ISO-8859-15', + 'WINDOWS-1252'], + alphabet=u'ÅÄÖŠŽåäöšž', + wiki_start_pages=[u'Wikipedia:Etusivu']), + 'French': Language(name='French', + iso_code='fr', + use_ascii=True, + charsets=['ISO-8859-1', 'ISO-8859-15', + 'WINDOWS-1252'], + alphabet=u'œàâçèéîïùûêŒÀÂÇÈÉÎÏÙÛÊ', + wiki_start_pages=[u'Wikipédia:Accueil_principal', + u'Bœuf (animal)']), + 'Hebrew': Language(name='Hebrew', + iso_code='he', + use_ascii=False, + charsets=['ISO-8859-8', 'WINDOWS-1255'], + alphabet=u'אבגדהוזחטיךכלםמןנסעףפץצקרשתװױײ', + wiki_start_pages=[u'עמוד_ראשי']), + 'Croatian': Language(name='Croatian', + iso_code='hr', + # Q, W, X, Y are only used for foreign words. + use_ascii=False, + charsets=['ISO-8859-2', 'WINDOWS-1250'], + alphabet=(u'abcčćdđefghijklmnoprsštuvzž' + u'ABCČĆDĐEFGHIJKLMNOPRSŠTUVZŽ'), + wiki_start_pages=[u'Glavna_stranica']), + 'Hungarian': Language(name='Hungarian', + iso_code='hu', + # Q, W, X, Y are only used for foreign words. + use_ascii=False, + charsets=['ISO-8859-2', 'WINDOWS-1250'], + alphabet=(u'abcdefghijklmnoprstuvzáéíóöőúüű' + u'ABCDEFGHIJKLMNOPRSTUVZÁÉÍÓÖŐÚÜŰ'), + wiki_start_pages=[u'Kezdőlap']), + 'Italian': Language(name='Italian', + iso_code='it', + use_ascii=True, + charsets=['ISO-8859-1', 'ISO-8859-15', + 'WINDOWS-1252'], + alphabet=u'ÀÈÉÌÒÓÙàèéìòóù', + wiki_start_pages=[u'Pagina_principale']), + 'Lithuanian': Language(name='Lithuanian', + iso_code='lt', + use_ascii=False, + charsets=['ISO-8859-13', 'WINDOWS-1257', + 'ISO-8859-4'], + # Q, W, and X not used at all + alphabet=(u'AĄBCČDEĘĖFGHIĮYJKLMNOPRSŠTUŲŪVZŽ' + u'aąbcčdeęėfghiįyjklmnoprsštuųūvzž'), + wiki_start_pages=[u'Pagrindinis_puslapis']), + 'Latvian': Language(name='Latvian', + iso_code='lv', + use_ascii=False, + charsets=['ISO-8859-13', 'WINDOWS-1257', + 'ISO-8859-4'], + # Q, W, X, Y are only for loanwords + alphabet=(u'AĀBCČDEĒFGĢHIĪJKĶLĻMNŅOPRSŠTUŪVZŽ' + u'aābcčdeēfgģhiījkķlļmnņoprsštuūvzž'), + wiki_start_pages=[u'Sākumlapa']), + 'Macedonian': Language(name='Macedonian', + iso_code='mk', + use_ascii=False, + charsets=['ISO-8859-5', 'WINDOWS-1251', + 'MacCyrillic', 'IBM855'], + alphabet=(u'АБВГДЃЕЖЗЅИЈКЛЉМНЊОПРСТЌУФХЦЧЏШ' + u'абвгдѓежзѕијклљмнњопрстќуфхцчџш'), + wiki_start_pages=[u'Главна_страница']), + 'Dutch': Language(name='Dutch', + iso_code='nl', + use_ascii=True, + charsets=['ISO-8859-1', 'WINDOWS-1252'], + wiki_start_pages=[u'Hoofdpagina']), + 'Polish': Language(name='Polish', + iso_code='pl', + # Q and X are only used for foreign words. + use_ascii=False, + charsets=['ISO-8859-2', 'WINDOWS-1250'], + alphabet=(u'AĄBCĆDEĘFGHIJKLŁMNŃOÓPRSŚTUWYZŹŻ' + u'aąbcćdeęfghijklłmnńoóprsśtuwyzźż'), + wiki_start_pages=[u'Wikipedia:Strona_główna']), + 'Portuguese': Language(name='Portuguese', + iso_code='pt', + use_ascii=True, + charsets=['ISO-8859-1', 'ISO-8859-15', + 'WINDOWS-1252'], + alphabet=u'ÁÂÃÀÇÉÊÍÓÔÕÚáâãàçéêíóôõú', + wiki_start_pages=[u'Wikipédia:Página_principal']), + 'Romanian': Language(name='Romanian', + iso_code='ro', + use_ascii=True, + charsets=['ISO-8859-2', 'WINDOWS-1250'], + alphabet=u'ăâîșțĂÂÎȘȚ', + wiki_start_pages=[u'Pagina_principală']), + 'Russian': Language(name='Russian', + iso_code='ru', + use_ascii=False, + charsets=['ISO-8859-5', 'WINDOWS-1251', + 'KOI8-R', 'MacCyrillic', 'IBM866', + 'IBM855'], + alphabet=(u'абвгдеёжзийклмнопрстуфхцчшщъыьэюя' + u'АБВГДЕЁЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯ'), + wiki_start_pages=[u'Заглавная_страница']), + 'Slovak': Language(name='Slovak', + iso_code='sk', + use_ascii=True, + charsets=['ISO-8859-2', 'WINDOWS-1250'], + alphabet=u'áäčďéíĺľňóôŕšťúýžÁÄČĎÉÍĹĽŇÓÔŔŠŤÚÝŽ', + wiki_start_pages=[u'Hlavná_stránka']), + 'Slovene': Language(name='Slovene', + iso_code='sl', + # Q, W, X, Y are only used for foreign words. + use_ascii=False, + charsets=['ISO-8859-2', 'WINDOWS-1250'], + alphabet=(u'abcčdefghijklmnoprsštuvzž' + u'ABCČDEFGHIJKLMNOPRSŠTUVZŽ'), + wiki_start_pages=[u'Glavna_stran']), + # Serbian can be written in both Latin and Cyrillic, but there's no + # simple way to get the Latin alphabet pages from Wikipedia through + # the API, so for now we just support Cyrillic. + 'Serbian': Language(name='Serbian', + iso_code='sr', + alphabet=(u'АБВГДЂЕЖЗИЈКЛЉМНЊОПРСТЋУФХЦЧЏШ' + u'абвгдђежзијклљмнњопрстћуфхцчџш'), + charsets=['ISO-8859-5', 'WINDOWS-1251', + 'MacCyrillic', 'IBM855'], + wiki_start_pages=[u'Главна_страна']), + 'Thai': Language(name='Thai', + iso_code='th', + use_ascii=False, + charsets=['ISO-8859-11', 'TIS-620', 'CP874'], + alphabet=u'กขฃคฅฆงจฉชซฌญฎฏฐฑฒณดตถทธนบปผฝพฟภมยรฤลฦวศษสหฬอฮฯะัาำิีึืฺุู฿เแโใไๅๆ็่้๊๋์ํ๎๏๐๑๒๓๔๕๖๗๘๙๚๛', + wiki_start_pages=[u'หน้าหลัก']), + 'Turkish': Language(name='Turkish', + iso_code='tr', + # Q, W, and X are not used by Turkish + use_ascii=False, + charsets=['ISO-8859-3', 'ISO-8859-9', + 'WINDOWS-1254'], + alphabet=(u'abcçdefgğhıijklmnoöprsştuüvyzâîû' + u'ABCÇDEFGĞHIİJKLMNOÖPRSŞTUÜVYZÂÎÛ'), + wiki_start_pages=[u'Ana_Sayfa']), + 'Vietnamese': Language(name='Vietnamese', + iso_code='vi', + use_ascii=False, + # Windows-1258 is the only common 8-bit + # Vietnamese encoding supported by Python. + # From Wikipedia: + # For systems that lack support for Unicode, + # dozens of 8-bit Vietnamese code pages are + # available.[1] The most common are VISCII + # (TCVN 5712:1993), VPS, and Windows-1258.[3] + # Where ASCII is required, such as when + # ensuring readability in plain text e-mail, + # Vietnamese letters are often encoded + # according to Vietnamese Quoted-Readable + # (VIQR) or VSCII Mnemonic (VSCII-MNEM),[4] + # though usage of either variable-width + # scheme has declined dramatically following + # the adoption of Unicode on the World Wide + # Web. + charsets=['WINDOWS-1258'], + alphabet=(u'aăâbcdđeêghiklmnoôơpqrstuưvxy' + u'AĂÂBCDĐEÊGHIKLMNOÔƠPQRSTUƯVXY'), + wiki_start_pages=[u'Chữ_Quốc_ngữ']), + } diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcharsetprober.py b/venv/Lib/site-packages/pip/_vendor/chardet/sbcharsetprober.py similarity index 76% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcharsetprober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/sbcharsetprober.py index 0adb51d..46ba835 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sbcharsetprober.py +++ b/venv/Lib/site-packages/pip/_vendor/chardet/sbcharsetprober.py @@ -26,10 +26,22 @@ # 02110-1301 USA ######################### END LICENSE BLOCK ######################### +from collections import namedtuple + from .charsetprober import CharSetProber from .enums import CharacterCategory, ProbingState, SequenceLikelihood +SingleByteCharSetModel = namedtuple('SingleByteCharSetModel', + ['charset_name', + 'language', + 'char_to_order_map', + 'language_model', + 'typical_positive_ratio', + 'keep_ascii_letters', + 'alphabet']) + + class SingleByteCharSetProber(CharSetProber): SAMPLE_SIZE = 64 SB_ENOUGH_REL_THRESHOLD = 1024 # 0.25 * SAMPLE_SIZE^2 @@ -65,25 +77,25 @@ def charset_name(self): if self._name_prober: return self._name_prober.charset_name else: - return self._model['charset_name'] + return self._model.charset_name @property def language(self): if self._name_prober: return self._name_prober.language else: - return self._model.get('language') + return self._model.language def feed(self, byte_str): - if not self._model['keep_english_letter']: + # TODO: Make filter_international_words keep things in self.alphabet + if not self._model.keep_ascii_letters: byte_str = self.filter_international_words(byte_str) if not byte_str: return self.state - char_to_order_map = self._model['char_to_order_map'] - for i, c in enumerate(byte_str): - # XXX: Order is in range 1-64, so one would think we want 0-63 here, - # but that leads to 27 more test failures than before. - order = char_to_order_map[c] + char_to_order_map = self._model.char_to_order_map + language_model = self._model.language_model + for char in byte_str: + order = char_to_order_map.get(char, CharacterCategory.UNDEFINED) # XXX: This was SYMBOL_CAT_ORDER before, with a value of 250, but # CharacterCategory.SYMBOL is actually 253, so we use CONTROL # to make it closer to the original intent. The only difference @@ -91,20 +103,21 @@ def feed(self, byte_str): # _total_char purposes. if order < CharacterCategory.CONTROL: self._total_char += 1 + # TODO: Follow uchardet's lead and discount confidence for frequent + # control characters. + # See https://github.com/BYVoid/uchardet/commit/55b4f23971db61 if order < self.SAMPLE_SIZE: self._freq_char += 1 if self._last_order < self.SAMPLE_SIZE: self._total_seqs += 1 if not self._reversed: - i = (self._last_order * self.SAMPLE_SIZE) + order - model = self._model['precedence_matrix'][i] - else: # reverse the order of the letters in the lookup - i = (order * self.SAMPLE_SIZE) + self._last_order - model = self._model['precedence_matrix'][i] - self._seq_counters[model] += 1 + lm_cat = language_model[self._last_order][order] + else: + lm_cat = language_model[order][self._last_order] + self._seq_counters[lm_cat] += 1 self._last_order = order - charset_name = self._model['charset_name'] + charset_name = self._model.charset_name if self.state == ProbingState.DETECTING: if self._total_seqs > self.SB_ENOUGH_REL_THRESHOLD: confidence = self.get_confidence() @@ -125,7 +138,7 @@ def get_confidence(self): r = 0.01 if self._total_seqs > 0: r = ((1.0 * self._seq_counters[SequenceLikelihood.POSITIVE]) / - self._total_seqs / self._model['typical_positive_ratio']) + self._total_seqs / self._model.typical_positive_ratio) r = r * self._freq_char / self._total_char if r >= 1.0: r = 0.99 diff --git a/venv/Lib/site-packages/pip/_vendor/chardet/sbcsgroupprober.py b/venv/Lib/site-packages/pip/_vendor/chardet/sbcsgroupprober.py new file mode 100644 index 0000000..bdeef4e --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/chardet/sbcsgroupprober.py @@ -0,0 +1,83 @@ +######################## BEGIN LICENSE BLOCK ######################## +# The Original Code is Mozilla Universal charset detector code. +# +# The Initial Developer of the Original Code is +# Netscape Communications Corporation. +# Portions created by the Initial Developer are Copyright (C) 2001 +# the Initial Developer. All Rights Reserved. +# +# Contributor(s): +# Mark Pilgrim - port to Python +# Shy Shalom - original C code +# +# This library is free software; you can redistribute it and/or +# modify it under the terms of the GNU Lesser General Public +# License as published by the Free Software Foundation; either +# version 2.1 of the License, or (at your option) any later version. +# +# This library is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU +# Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public +# License along with this library; if not, write to the Free Software +# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA +# 02110-1301 USA +######################### END LICENSE BLOCK ######################### + +from .charsetgroupprober import CharSetGroupProber +from .hebrewprober import HebrewProber +from .langbulgarianmodel import (ISO_8859_5_BULGARIAN_MODEL, + WINDOWS_1251_BULGARIAN_MODEL) +from .langgreekmodel import ISO_8859_7_GREEK_MODEL, WINDOWS_1253_GREEK_MODEL +from .langhebrewmodel import WINDOWS_1255_HEBREW_MODEL +# from .langhungarianmodel import (ISO_8859_2_HUNGARIAN_MODEL, +# WINDOWS_1250_HUNGARIAN_MODEL) +from .langrussianmodel import (IBM855_RUSSIAN_MODEL, IBM866_RUSSIAN_MODEL, + ISO_8859_5_RUSSIAN_MODEL, KOI8_R_RUSSIAN_MODEL, + MACCYRILLIC_RUSSIAN_MODEL, + WINDOWS_1251_RUSSIAN_MODEL) +from .langthaimodel import TIS_620_THAI_MODEL +from .langturkishmodel import ISO_8859_9_TURKISH_MODEL +from .sbcharsetprober import SingleByteCharSetProber + + +class SBCSGroupProber(CharSetGroupProber): + def __init__(self): + super(SBCSGroupProber, self).__init__() + hebrew_prober = HebrewProber() + logical_hebrew_prober = SingleByteCharSetProber(WINDOWS_1255_HEBREW_MODEL, + False, hebrew_prober) + # TODO: See if using ISO-8859-8 Hebrew model works better here, since + # it's actually the visual one + visual_hebrew_prober = SingleByteCharSetProber(WINDOWS_1255_HEBREW_MODEL, + True, hebrew_prober) + hebrew_prober.set_model_probers(logical_hebrew_prober, + visual_hebrew_prober) + # TODO: ORDER MATTERS HERE. I changed the order vs what was in master + # and several tests failed that did not before. Some thought + # should be put into the ordering, and we should consider making + # order not matter here, because that is very counter-intuitive. + self.probers = [ + SingleByteCharSetProber(WINDOWS_1251_RUSSIAN_MODEL), + SingleByteCharSetProber(KOI8_R_RUSSIAN_MODEL), + SingleByteCharSetProber(ISO_8859_5_RUSSIAN_MODEL), + SingleByteCharSetProber(MACCYRILLIC_RUSSIAN_MODEL), + SingleByteCharSetProber(IBM866_RUSSIAN_MODEL), + SingleByteCharSetProber(IBM855_RUSSIAN_MODEL), + SingleByteCharSetProber(ISO_8859_7_GREEK_MODEL), + SingleByteCharSetProber(WINDOWS_1253_GREEK_MODEL), + SingleByteCharSetProber(ISO_8859_5_BULGARIAN_MODEL), + SingleByteCharSetProber(WINDOWS_1251_BULGARIAN_MODEL), + # TODO: Restore Hungarian encodings (iso-8859-2 and windows-1250) + # after we retrain model. + # SingleByteCharSetProber(ISO_8859_2_HUNGARIAN_MODEL), + # SingleByteCharSetProber(WINDOWS_1250_HUNGARIAN_MODEL), + SingleByteCharSetProber(TIS_620_THAI_MODEL), + SingleByteCharSetProber(ISO_8859_9_TURKISH_MODEL), + hebrew_prober, + logical_hebrew_prober, + visual_hebrew_prober, + ] + self.reset() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sjisprober.py b/venv/Lib/site-packages/pip/_vendor/chardet/sjisprober.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/sjisprober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/sjisprober.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/universaldetector.py b/venv/Lib/site-packages/pip/_vendor/chardet/universaldetector.py similarity index 97% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/universaldetector.py rename to venv/Lib/site-packages/pip/_vendor/chardet/universaldetector.py index 7b4e92d..055a8ac 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/universaldetector.py +++ b/venv/Lib/site-packages/pip/_vendor/chardet/universaldetector.py @@ -266,7 +266,7 @@ def close(self): 'language': max_prober.language} # Log all prober confidences if none met MINIMUM_THRESHOLD - if self.logger.getEffectiveLevel() == logging.DEBUG: + if self.logger.getEffectiveLevel() <= logging.DEBUG: if self.result['encoding'] is None: self.logger.debug('no probers hit minimum threshold') for group_prober in self._charset_probers: @@ -280,7 +280,7 @@ def close(self): prober.get_confidence()) else: self.logger.debug('%s %s confidence = %s', - prober.charset_name, - prober.language, - prober.get_confidence()) + group_prober.charset_name, + group_prober.language, + group_prober.get_confidence()) return self.result diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/utf8prober.py b/venv/Lib/site-packages/pip/_vendor/chardet/utf8prober.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/utf8prober.py rename to venv/Lib/site-packages/pip/_vendor/chardet/utf8prober.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/version.py b/venv/Lib/site-packages/pip/_vendor/chardet/version.py similarity index 90% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/version.py rename to venv/Lib/site-packages/pip/_vendor/chardet/version.py index bb2a34a..70369b9 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/chardet/version.py +++ b/venv/Lib/site-packages/pip/_vendor/chardet/version.py @@ -5,5 +5,5 @@ :author: Dan Blanchard (dan.blanchard@gmail.com) """ -__version__ = "3.0.4" +__version__ = "4.0.0" VERSION = __version__.split('.') diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/__init__.py b/venv/Lib/site-packages/pip/_vendor/colorama/__init__.py similarity index 90% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/__init__.py rename to venv/Lib/site-packages/pip/_vendor/colorama/__init__.py index 2a3bf47..b149ed7 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/__init__.py +++ b/venv/Lib/site-packages/pip/_vendor/colorama/__init__.py @@ -3,4 +3,4 @@ from .ansi import Fore, Back, Style, Cursor from .ansitowin32 import AnsiToWin32 -__version__ = '0.4.1' +__version__ = '0.4.4' diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/ansi.py b/venv/Lib/site-packages/pip/_vendor/colorama/ansi.py similarity index 99% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/ansi.py rename to venv/Lib/site-packages/pip/_vendor/colorama/ansi.py index 7877658..11ec695 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/ansi.py +++ b/venv/Lib/site-packages/pip/_vendor/colorama/ansi.py @@ -6,7 +6,7 @@ CSI = '\033[' OSC = '\033]' -BEL = '\007' +BEL = '\a' def code_to_chars(code): diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/ansitowin32.py b/venv/Lib/site-packages/pip/_vendor/colorama/ansitowin32.py similarity index 94% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/ansitowin32.py rename to venv/Lib/site-packages/pip/_vendor/colorama/ansitowin32.py index 359c92b..6039a05 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/ansitowin32.py +++ b/venv/Lib/site-packages/pip/_vendor/colorama/ansitowin32.py @@ -3,7 +3,7 @@ import sys import os -from .ansi import AnsiFore, AnsiBack, AnsiStyle, Style +from .ansi import AnsiFore, AnsiBack, AnsiStyle, Style, BEL from .winterm import WinTerm, WinColor, WinStyle from .win32 import windll, winapi_test @@ -68,7 +68,7 @@ class AnsiToWin32(object): win32 function calls. ''' ANSI_CSI_RE = re.compile('\001?\033\\[((?:\\d|;)*)([a-zA-Z])\002?') # Control Sequence Introducer - ANSI_OSC_RE = re.compile('\001?\033\\]((?:.|;)*?)(\x07)\002?') # Operating System Command + ANSI_OSC_RE = re.compile('\001?\033\\]([^\a]*)(\a)\002?') # Operating System Command def __init__(self, wrapped, convert=None, strip=None, autoreset=False): # The wrapped stream (normally sys.stdout or sys.stderr) @@ -247,11 +247,12 @@ def convert_osc(self, text): start, end = match.span() text = text[:start] + text[end:] paramstring, command = match.groups() - if command in '\x07': # \x07 = BEL - params = paramstring.split(";") - # 0 - change title and icon (we will only change title) - # 1 - change icon (we don't support this) - # 2 - change title - if params[0] in '02': - winterm.set_title(params[1]) + if command == BEL: + if paramstring.count(";") == 1: + params = paramstring.split(";") + # 0 - change title and icon (we will only change title) + # 1 - change icon (we don't support this) + # 2 - change title + if params[0] in '02': + winterm.set_title(params[1]) return text diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/initialise.py b/venv/Lib/site-packages/pip/_vendor/colorama/initialise.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/initialise.py rename to venv/Lib/site-packages/pip/_vendor/colorama/initialise.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/win32.py b/venv/Lib/site-packages/pip/_vendor/colorama/win32.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/win32.py rename to venv/Lib/site-packages/pip/_vendor/colorama/win32.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/winterm.py b/venv/Lib/site-packages/pip/_vendor/colorama/winterm.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/colorama/winterm.py rename to venv/Lib/site-packages/pip/_vendor/colorama/winterm.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/__init__.py b/venv/Lib/site-packages/pip/_vendor/distlib/__init__.py similarity index 89% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/__init__.py rename to venv/Lib/site-packages/pip/_vendor/distlib/__init__.py index a786b4d..1154948 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/__init__.py +++ b/venv/Lib/site-packages/pip/_vendor/distlib/__init__.py @@ -1,12 +1,12 @@ # -*- coding: utf-8 -*- # -# Copyright (C) 2012-2017 Vinay Sajip. +# Copyright (C) 2012-2019 Vinay Sajip. # Licensed to the Python Software Foundation under a contributor agreement. # See LICENSE.txt and CONTRIBUTORS.txt. # import logging -__version__ = '0.2.8' +__version__ = '0.3.3' class DistlibException(Exception): pass diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/__init__.py b/venv/Lib/site-packages/pip/_vendor/distlib/_backport/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/__init__.py rename to venv/Lib/site-packages/pip/_vendor/distlib/_backport/__init__.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/misc.py b/venv/Lib/site-packages/pip/_vendor/distlib/_backport/misc.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/misc.py rename to venv/Lib/site-packages/pip/_vendor/distlib/_backport/misc.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/shutil.py b/venv/Lib/site-packages/pip/_vendor/distlib/_backport/shutil.py similarity index 99% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/shutil.py rename to venv/Lib/site-packages/pip/_vendor/distlib/_backport/shutil.py index 159e49e..10ed362 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/shutil.py +++ b/venv/Lib/site-packages/pip/_vendor/distlib/_backport/shutil.py @@ -14,7 +14,10 @@ import stat from os.path import abspath import fnmatch -import collections +try: + from collections.abc import Callable +except ImportError: + from collections import Callable import errno from . import tarfile @@ -528,7 +531,7 @@ def register_archive_format(name, function, extra_args=None, description=''): """ if extra_args is None: extra_args = [] - if not isinstance(function, collections.Callable): + if not isinstance(function, Callable): raise TypeError('The %s object is not callable' % function) if not isinstance(extra_args, (tuple, list)): raise TypeError('extra_args needs to be a sequence') @@ -621,7 +624,7 @@ def _check_unpack_options(extensions, function, extra_args): raise RegistryError(msg % (extension, existing_extensions[extension])) - if not isinstance(function, collections.Callable): + if not isinstance(function, Callable): raise TypeError('The registered function must be a callable') diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/sysconfig.cfg b/venv/Lib/site-packages/pip/_vendor/distlib/_backport/sysconfig.cfg similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/sysconfig.cfg rename to venv/Lib/site-packages/pip/_vendor/distlib/_backport/sysconfig.cfg diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/sysconfig.py b/venv/Lib/site-packages/pip/_vendor/distlib/_backport/sysconfig.py similarity index 99% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/sysconfig.py rename to venv/Lib/site-packages/pip/_vendor/distlib/_backport/sysconfig.py index 1df3aba..b470a37 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/sysconfig.py +++ b/venv/Lib/site-packages/pip/_vendor/distlib/_backport/sysconfig.py @@ -119,11 +119,9 @@ def _replacer(matchobj): #_expand_globals(_SCHEMES) - # FIXME don't rely on sys.version here, its format is an implementation detail - # of CPython, use sys.version_info or sys.hexversion -_PY_VERSION = sys.version.split()[0] -_PY_VERSION_SHORT = sys.version[:3] -_PY_VERSION_SHORT_NO_DOT = _PY_VERSION[0] + _PY_VERSION[2] +_PY_VERSION = '%s.%s.%s' % sys.version_info[:3] +_PY_VERSION_SHORT = '%s.%s' % sys.version_info[:2] +_PY_VERSION_SHORT_NO_DOT = '%s%s' % sys.version_info[:2] _PREFIX = os.path.normpath(sys.prefix) _EXEC_PREFIX = os.path.normpath(sys.exec_prefix) _CONFIG_VARS = None diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/tarfile.py b/venv/Lib/site-packages/pip/_vendor/distlib/_backport/tarfile.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/_backport/tarfile.py rename to venv/Lib/site-packages/pip/_vendor/distlib/_backport/tarfile.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/compat.py b/venv/Lib/site-packages/pip/_vendor/distlib/compat.py similarity index 98% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/compat.py rename to venv/Lib/site-packages/pip/_vendor/distlib/compat.py index ff328c8..e594106 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/compat.py +++ b/venv/Lib/site-packages/pip/_vendor/distlib/compat.py @@ -48,17 +48,18 @@ def quote(s): from itertools import ifilter as filter from itertools import ifilterfalse as filterfalse - _userprog = None - def splituser(host): - """splituser('user[:passwd]@host[:port]') --> 'user[:passwd]', 'host[:port]'.""" - global _userprog - if _userprog is None: - import re - _userprog = re.compile('^(.*)@(.*)$') - - match = _userprog.match(host) - if match: return match.group(1, 2) - return None, host + # Leaving this around for now, in case it needs resurrecting in some way + # _userprog = None + # def splituser(host): + # """splituser('user[:passwd]@host[:port]') --> 'user[:passwd]', 'host[:port]'.""" + # global _userprog + # if _userprog is None: + # import re + # _userprog = re.compile('^(.*)@(.*)$') + + # match = _userprog.match(host) + # if match: return match.group(1, 2) + # return None, host else: # pragma: no cover from io import StringIO @@ -68,7 +69,7 @@ def splituser(host): import builtins import configparser import shutil - from urllib.parse import (urlparse, urlunparse, urljoin, splituser, quote, + from urllib.parse import (urlparse, urlunparse, urljoin, quote, unquote, urlsplit, urlunsplit, splittype) from urllib.request import (urlopen, urlretrieve, Request, url2pathname, pathname2url, @@ -88,6 +89,7 @@ def splituser(host): from itertools import filterfalse filter = filter + try: from ssl import match_hostname, CertificateError except ImportError: # pragma: no cover @@ -319,7 +321,7 @@ def python_implementation(): try: callable = callable except NameError: # pragma: no cover - from collections import Callable + from collections.abc import Callable def callable(obj): return isinstance(obj, Callable) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/database.py b/venv/Lib/site-packages/pip/_vendor/distlib/database.py similarity index 99% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/database.py rename to venv/Lib/site-packages/pip/_vendor/distlib/database.py index b13cdac..0a90c30 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/database.py +++ b/venv/Lib/site-packages/pip/_vendor/distlib/database.py @@ -550,7 +550,7 @@ def __init__(self, path, metadata=None, env=None): r = finder.find(WHEEL_METADATA_FILENAME) # Temporary - for legacy support if r is None: - r = finder.find('METADATA') + r = finder.find(LEGACY_METADATA_FILENAME) if r is None: raise ValueError('no %s found in %s' % (METADATA_FILENAME, path)) @@ -567,7 +567,7 @@ def __init__(self, path, metadata=None, env=None): p = os.path.join(path, 'top_level.txt') if os.path.exists(p): with open(p, 'rb') as f: - data = f.read() + data = f.read().decode('utf-8') self.modules = data.splitlines() def __repr__(self): diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/index.py b/venv/Lib/site-packages/pip/_vendor/distlib/index.py similarity index 96% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/index.py rename to venv/Lib/site-packages/pip/_vendor/distlib/index.py index 2406be2..b1fbbf8 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/index.py +++ b/venv/Lib/site-packages/pip/_vendor/distlib/index.py @@ -18,11 +18,11 @@ from . import DistlibException from .compat import (HTTPBasicAuthHandler, Request, HTTPPasswordMgr, urlparse, build_opener, string_types) -from .util import cached_property, zip_dir, ServerProxy +from .util import zip_dir, ServerProxy logger = logging.getLogger(__name__) -DEFAULT_INDEX = 'https://pypi.python.org/pypi' +DEFAULT_INDEX = 'https://pypi.org/pypi' DEFAULT_REALM = 'pypi' class PackageIndex(object): @@ -67,21 +67,17 @@ def _get_pypirc_command(self): Get the distutils command for interacting with PyPI configurations. :return: the command. """ - from distutils.core import Distribution - from distutils.config import PyPIRCCommand - d = Distribution() - return PyPIRCCommand(d) + from .util import _get_pypirc_command as cmd + return cmd() def read_configuration(self): """ - Read the PyPI access configuration as supported by distutils, getting - PyPI to do the actual work. This populates ``username``, ``password``, - ``realm`` and ``url`` attributes from the configuration. + Read the PyPI access configuration as supported by distutils. This populates + ``username``, ``password``, ``realm`` and ``url`` attributes from the + configuration. """ - # get distutils to do the work - c = self._get_pypirc_command() - c.repository = self.url - cfg = c._read_pypirc() + from .util import _load_pypirc + cfg = _load_pypirc(self) self.username = cfg.get('username') self.password = cfg.get('password') self.realm = cfg.get('realm', 'pypi') @@ -91,13 +87,10 @@ def save_configuration(self): """ Save the PyPI access configuration. You must have set ``username`` and ``password`` attributes before calling this method. - - Again, distutils is used to do the actual work. """ self.check_credentials() - # get distutils to do the work - c = self._get_pypirc_command() - c._store_pypirc(self.username, self.password) + from .util import _store_pypirc + _store_pypirc(self) def check_credentials(self): """ diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/locators.py b/venv/Lib/site-packages/pip/_vendor/distlib/locators.py similarity index 97% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/locators.py rename to venv/Lib/site-packages/pip/_vendor/distlib/locators.py index 5c655c3..0c7d639 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/locators.py +++ b/venv/Lib/site-packages/pip/_vendor/distlib/locators.py @@ -20,14 +20,14 @@ from . import DistlibException from .compat import (urljoin, urlparse, urlunparse, url2pathname, pathname2url, - queue, quote, unescape, string_types, build_opener, + queue, quote, unescape, build_opener, HTTPRedirectHandler as BaseRedirectHandler, text_type, Request, HTTPError, URLError) from .database import Distribution, DistributionPath, make_dist from .metadata import Metadata, MetadataInvalidError -from .util import (cached_property, parse_credentials, ensure_slash, - split_filename, get_project_data, parse_requirement, - parse_name_and_version, ServerProxy, normalize_name) +from .util import (cached_property, ensure_slash, split_filename, get_project_data, + parse_requirement, parse_name_and_version, ServerProxy, + normalize_name) from .version import get_scheme, UnsupportedVersionError from .wheel import Wheel, is_compatible @@ -36,7 +36,7 @@ HASHER_HASH = re.compile(r'^(\w+)=([a-f0-9]+)') CHARSET = re.compile(r';\s*charset\s*=\s*(.*)\s*$', re.I) HTML_CONTENT_TYPE = re.compile('text/html|application/x(ht)?ml') -DEFAULT_INDEX = 'https://pypi.python.org/pypi' +DEFAULT_INDEX = 'https://pypi.org/pypi' def get_all_distribution_names(url=None): """ @@ -197,7 +197,7 @@ def score_url(self, url): is_downloadable = basename.endswith(self.downloadable_extensions) if is_wheel: compatible = is_compatible(Wheel(basename), self.wheel_tags) - return (t.scheme == 'https', 'pypi.python.org' in t.netloc, + return (t.scheme == 'https', 'pypi.org' in t.netloc, is_downloadable, is_wheel, compatible, basename) def prefer_url(self, url1, url2): @@ -304,18 +304,25 @@ def same_project(name1, name2): def _get_digest(self, info): """ - Get a digest from a dictionary by looking at keys of the form - 'algo_digest'. + Get a digest from a dictionary by looking at a "digests" dictionary + or keys of the form 'algo_digest'. Returns a 2-tuple (algo, digest) if found, else None. Currently looks only for SHA256, then MD5. """ result = None - for algo in ('sha256', 'md5'): - key = '%s_digest' % algo - if key in info: - result = (algo, info[key]) - break + if 'digests' in info: + digests = info['digests'] + for algo in ('sha256', 'md5'): + if algo in digests: + result = (algo, digests[algo]) + break + if not result: + for algo in ('sha256', 'md5'): + key = '%s_digest' % algo + if key in info: + result = (algo, info[key]) + break return result def _update_version_data(self, result, info): @@ -371,13 +378,13 @@ def locate(self, requirement, prereleases=False): continue try: if not matcher.match(k): - logger.debug('%s did not match %r', matcher, k) + pass # logger.debug('%s did not match %r', matcher, k) else: if prereleases or not vcls(k).is_prerelease: slist.append(k) - else: - logger.debug('skipping pre-release ' - 'version %s of %s', k, matcher.name) + # else: + # logger.debug('skipping pre-release ' + # 'version %s of %s', k, matcher.name) except Exception: # pragma: no cover logger.warning('error matching %s with %r', matcher, k) pass # slist.append(k) @@ -586,7 +593,7 @@ class SimpleScrapingLocator(Locator): # These are used to deal with various Content-Encoding schemes. decoders = { 'deflate': zlib.decompress, - 'gzip': lambda b: gzip.GzipFile(fileobj=BytesIO(d)).read(), + 'gzip': lambda b: gzip.GzipFile(fileobj=BytesIO(b)).read(), 'none': lambda b: b, } @@ -1049,14 +1056,12 @@ def get_distribution_names(self): # versions which don't conform to PEP 426 / PEP 440. default_locator = AggregatingLocator( JSONLocator(), - SimpleScrapingLocator('https://pypi.python.org/simple/', + SimpleScrapingLocator('https://pypi.org/simple/', timeout=3.0), scheme='legacy') locate = default_locator.locate -NAME_VERSION_RE = re.compile(r'(?P<name>[\w-]+)\s*' - r'\(\s*(==\s*)?(?P<ver>[^)]+)\)$') class DependencyFinder(object): """ diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/manifest.py b/venv/Lib/site-packages/pip/_vendor/distlib/manifest.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/manifest.py rename to venv/Lib/site-packages/pip/_vendor/distlib/manifest.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/markers.py b/venv/Lib/site-packages/pip/_vendor/distlib/markers.py similarity index 86% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/markers.py rename to venv/Lib/site-packages/pip/_vendor/distlib/markers.py index ee1f3e2..b43136f 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/markers.py +++ b/venv/Lib/site-packages/pip/_vendor/distlib/markers.py @@ -13,20 +13,29 @@ # as ~= and === which aren't in Python, necessitating a different approach. import os +import re import sys import platform -import re -from .compat import python_implementation, urlparse, string_types +from .compat import string_types from .util import in_venv, parse_marker +from .version import NormalizedVersion as NV __all__ = ['interpret'] +_VERSION_PATTERN = re.compile(r'((\d+(\.\d+)*\w*)|\'(\d+(\.\d+)*\w*)\'|\"(\d+(\.\d+)*\w*)\")') + def _is_literal(o): if not isinstance(o, string_types) or not o: return False return o[0] in '\'"' +def _get_versions(s): + result = [] + for m in _VERSION_PATTERN.finditer(s): + result.append(NV(m.groups()[0])) + return set(result) + class Evaluator(object): """ This class is used to evaluate marker expessions. @@ -71,6 +80,13 @@ def evaluate(self, expr, context): lhs = self.evaluate(elhs, context) rhs = self.evaluate(erhs, context) + if ((elhs == 'python_version' or erhs == 'python_version') and + op in ('<', '<=', '>', '>=', '===', '==', '!=', '~=')): + lhs = NV(lhs) + rhs = NV(rhs) + elif elhs == 'python_version' and op in ('in', 'not in'): + lhs = NV(lhs) + rhs = _get_versions(rhs) result = self.operations[op](lhs, rhs) return result diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/metadata.py b/venv/Lib/site-packages/pip/_vendor/distlib/metadata.py similarity index 91% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/metadata.py rename to venv/Lib/site-packages/pip/_vendor/distlib/metadata.py index 77eed7f..6a26b0a 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/metadata.py +++ b/venv/Lib/site-packages/pip/_vendor/distlib/metadata.py @@ -5,7 +5,7 @@ # """Implementation of the Metadata for Python packages PEPs. -Supports all metadata formats (1.0, 1.1, 1.2, and 2.0 experimental). +Supports all metadata formats (1.0, 1.1, 1.2, 1.3/2.1 and withdrawn 2.0). """ from __future__ import unicode_literals @@ -91,9 +91,12 @@ class MetadataInvalidError(DistlibException): _426_MARKERS = ('Private-Version', 'Provides-Extra', 'Obsoleted-By', 'Setup-Requires-Dist', 'Extension') -# See issue #106: Sometimes 'Requires' occurs wrongly in the metadata. Include -# it in the tuple literal below to allow it (for now) -_566_FIELDS = _426_FIELDS + ('Description-Content-Type', 'Requires') +# See issue #106: Sometimes 'Requires' and 'Provides' occur wrongly in +# the metadata. Include them in the tuple literal below to allow them +# (for now). +# Ditto for Obsoletes - see issue #140. +_566_FIELDS = _426_FIELDS + ('Description-Content-Type', + 'Requires', 'Provides', 'Obsoletes') _566_MARKERS = ('Description-Content-Type',) @@ -115,7 +118,8 @@ def _version2fieldlist(version): elif version == '1.2': return _345_FIELDS elif version in ('1.3', '2.1'): - return _345_FIELDS + _566_FIELDS + # avoid adding field names if already there + return _345_FIELDS + tuple(f for f in _566_FIELDS if f not in _345_FIELDS) elif version == '2.0': return _426_FIELDS raise MetadataUnrecognizedVersionError(version) @@ -192,38 +196,12 @@ def _has_marker(keys, markers): return '2.0' +# This follows the rules about transforming keys as described in +# https://www.python.org/dev/peps/pep-0566/#id17 _ATTR2FIELD = { - 'metadata_version': 'Metadata-Version', - 'name': 'Name', - 'version': 'Version', - 'platform': 'Platform', - 'supported_platform': 'Supported-Platform', - 'summary': 'Summary', - 'description': 'Description', - 'keywords': 'Keywords', - 'home_page': 'Home-page', - 'author': 'Author', - 'author_email': 'Author-email', - 'maintainer': 'Maintainer', - 'maintainer_email': 'Maintainer-email', - 'license': 'License', - 'classifier': 'Classifier', - 'download_url': 'Download-URL', - 'obsoletes_dist': 'Obsoletes-Dist', - 'provides_dist': 'Provides-Dist', - 'requires_dist': 'Requires-Dist', - 'setup_requires_dist': 'Setup-Requires-Dist', - 'requires_python': 'Requires-Python', - 'requires_external': 'Requires-External', - 'requires': 'Requires', - 'provides': 'Provides', - 'obsoletes': 'Obsoletes', - 'project_url': 'Project-URL', - 'private_version': 'Private-Version', - 'obsoleted_by': 'Obsoleted-By', - 'extension': 'Extension', - 'provides_extra': 'Provides-Extra', + name.lower().replace("-", "_"): name for name in _ALL_FIELDS } +_FIELD2ATTR = {field: attr for attr, field in _ATTR2FIELD.items()} _PREDICATE_FIELDS = ('Requires-Dist', 'Obsoletes-Dist', 'Provides-Dist') _VERSIONS_FIELDS = ('Requires-Python',) @@ -260,7 +238,7 @@ def _get_name_and_version(name, version, for_filename=False): class LegacyMetadata(object): """The legacy metadata of a release. - Supports versions 1.0, 1.1 and 1.2 (auto-detected). You can + Supports versions 1.0, 1.1, 1.2, 2.0 and 1.3/2.1 (auto-detected). You can instantiate the class with one of these arguments (or none): - *path*, the path to a metadata file - *fileobj* give a file-like object with metadata as content @@ -379,6 +357,11 @@ def read_file(self, fileob): value = msg[field] if value is not None and value != 'UNKNOWN': self.set(field, value) + + # PEP 566 specifies that the body be used for the description, if + # available + body = msg.get_payload() + self["Description"] = body if body else self["Description"] # logger.debug('Attempting to set metadata for %s', self) # self.set_metadata_version() @@ -565,57 +548,21 @@ def todict(self, skip_missing=False): Field names will be converted to use the underscore-lowercase style instead of hyphen-mixed case (i.e. home_page instead of Home-page). + This is as per https://www.python.org/dev/peps/pep-0566/#id17. """ self.set_metadata_version() - mapping_1_0 = ( - ('metadata_version', 'Metadata-Version'), - ('name', 'Name'), - ('version', 'Version'), - ('summary', 'Summary'), - ('home_page', 'Home-page'), - ('author', 'Author'), - ('author_email', 'Author-email'), - ('license', 'License'), - ('description', 'Description'), - ('keywords', 'Keywords'), - ('platform', 'Platform'), - ('classifiers', 'Classifier'), - ('download_url', 'Download-URL'), - ) + fields = _version2fieldlist(self['Metadata-Version']) data = {} - for key, field_name in mapping_1_0: + + for field_name in fields: if not skip_missing or field_name in self._fields: - data[key] = self[field_name] - - if self['Metadata-Version'] == '1.2': - mapping_1_2 = ( - ('requires_dist', 'Requires-Dist'), - ('requires_python', 'Requires-Python'), - ('requires_external', 'Requires-External'), - ('provides_dist', 'Provides-Dist'), - ('obsoletes_dist', 'Obsoletes-Dist'), - ('project_url', 'Project-URL'), - ('maintainer', 'Maintainer'), - ('maintainer_email', 'Maintainer-email'), - ) - for key, field_name in mapping_1_2: - if not skip_missing or field_name in self._fields: - if key != 'project_url': - data[key] = self[field_name] - else: - data[key] = [','.join(u) for u in self[field_name]] - - elif self['Metadata-Version'] == '1.1': - mapping_1_1 = ( - ('provides', 'Provides'), - ('requires', 'Requires'), - ('obsoletes', 'Obsoletes'), - ) - for key, field_name in mapping_1_1: - if not skip_missing or field_name in self._fields: + key = _FIELD2ATTR[field_name] + if key != 'project_url': data[key] = self[field_name] + else: + data[key] = [','.join(u) for u in self[field_name]] return data @@ -1001,10 +948,14 @@ def _from_legacy(self): LEGACY_MAPPING = { 'name': 'Name', 'version': 'Version', - 'license': 'License', + ('extensions', 'python.details', 'license'): 'License', 'summary': 'Summary', 'description': 'Description', - 'classifiers': 'Classifier', + ('extensions', 'python.project', 'project_urls', 'Home'): 'Home-page', + ('extensions', 'python.project', 'contacts', 0, 'name'): 'Author', + ('extensions', 'python.project', 'contacts', 0, 'email'): 'Author-email', + 'source_url': 'Download-URL', + ('extensions', 'python.details', 'classifiers'): 'Classifier', } def _to_legacy(self): @@ -1032,16 +983,29 @@ def process_entries(entries): assert self._data and not self._legacy result = LegacyMetadata() nmd = self._data + # import pdb; pdb.set_trace() for nk, ok in self.LEGACY_MAPPING.items(): - if nk in nmd: - result[ok] = nmd[nk] + if not isinstance(nk, tuple): + if nk in nmd: + result[ok] = nmd[nk] + else: + d = nmd + found = True + for k in nk: + try: + d = d[k] + except (KeyError, IndexError): + found = False + break + if found: + result[ok] = d r1 = process_entries(self.run_requires + self.meta_requires) r2 = process_entries(self.build_requires + self.dev_requires) if self.extras: result['Provides-Extra'] = sorted(self.extras) result['Requires-Dist'] = sorted(r1) result['Setup-Requires-Dist'] = sorted(r2) - # TODO: other fields such as contacts + # TODO: any other fields wanted return result def write(self, path=None, fileobj=None, legacy=False, skip_unknown=True): diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/resources.py b/venv/Lib/site-packages/pip/_vendor/distlib/resources.py similarity index 98% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/resources.py rename to venv/Lib/site-packages/pip/_vendor/distlib/resources.py index 1884016..fef52aa 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/resources.py +++ b/venv/Lib/site-packages/pip/_vendor/distlib/resources.py @@ -11,13 +11,12 @@ import logging import os import pkgutil -import shutil import sys import types import zipimport from . import DistlibException -from .util import cached_property, get_cache_base, path_to_cache_dir, Cache +from .util import cached_property, get_cache_base, Cache logger = logging.getLogger(__name__) @@ -283,6 +282,7 @@ def _is_directory(self, path): result = False return result + _finder_registry = { type(None): ResourceFinder, zipimport.zipimporter: ZipResourceFinder @@ -296,6 +296,8 @@ def _is_directory(self, path): import _frozen_importlib as _fi _finder_registry[_fi.SourceFileLoader] = ResourceFinder _finder_registry[_fi.FileFinder] = ResourceFinder + # See issue #146 + _finder_registry[_fi.SourcelessFileLoader] = ResourceFinder del _fi except (ImportError, AttributeError): pass @@ -304,6 +306,7 @@ def _is_directory(self, path): def register_finder(loader, finder_maker): _finder_registry[type(loader)] = finder_maker + _finder_cache = {} diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/scripts.py b/venv/Lib/site-packages/pip/_vendor/distlib/scripts.py similarity index 86% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/scripts.py rename to venv/Lib/site-packages/pip/_vendor/distlib/scripts.py index 8e22cb9..913912c 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/scripts.py +++ b/venv/Lib/site-packages/pip/_vendor/distlib/scripts.py @@ -14,7 +14,7 @@ from .compat import sysconfig, detect_encoding, ZipFile from .resources import finder from .util import (FileOperator, get_export_entry, convert_path, - get_executable, in_venv) + get_executable, get_platform, in_venv) logger = logging.getLogger(__name__) @@ -39,31 +39,16 @@ # check if Python is called on the first line with this expression FIRST_LINE_RE = re.compile(b'^#!.*pythonw?[0-9.]*([ \t].*)?$') SCRIPT_TEMPLATE = r'''# -*- coding: utf-8 -*- +import re +import sys +from %(module)s import %(import_name)s if __name__ == '__main__': - import sys, re - - def _resolve(module, func): - __import__(module) - mod = sys.modules[module] - parts = func.split('.') - result = getattr(mod, parts.pop(0)) - for p in parts: - result = getattr(result, p) - return result - - try: - sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) - - func = _resolve('%(module)s', '%(func)s') - rc = func() # None interpreted as 0 - except Exception as e: # only supporting Python >= 2.6 - sys.stderr.write('%%s\n' %% e) - rc = 1 - sys.exit(rc) + sys.argv[0] = re.sub(r'(-script\.pyw|\.exe)?$', '', sys.argv[0]) + sys.exit(%(func)s()) ''' -def _enquote_executable(executable): +def enquote_executable(executable): if ' ' in executable: # make sure we quote only the executable in case of env # for example /usr/bin/env "/dir with spaces/bin/jython" @@ -78,6 +63,8 @@ def _enquote_executable(executable): executable = '"%s"' % executable return executable +# Keep the old name around (for now), as there is at least one project using it! +_enquote_executable = enquote_executable class ScriptMaker(object): """ @@ -103,6 +90,7 @@ def __init__(self, source_dir, target_dir, add_launchers=True, self._is_nt = os.name == 'nt' or ( os.name == 'java' and os._name == 'nt') + self.version_info = sys.version_info def _get_alternate_executable(self, executable, options): if options.get('gui', False) and self._is_nt: # pragma: no cover @@ -182,17 +170,30 @@ def _get_shebang(self, encoding, post_interp=b'', options=None): sysconfig.get_config_var('BINDIR'), 'python%s%s' % (sysconfig.get_config_var('VERSION'), sysconfig.get_config_var('EXE'))) + if not os.path.isfile(executable): + # for Python builds from source on Windows, no Python executables with + # a version suffix are created, so we use python.exe + executable = os.path.join(sysconfig.get_config_var('BINDIR'), + 'python%s' % (sysconfig.get_config_var('EXE'))) if options: executable = self._get_alternate_executable(executable, options) if sys.platform.startswith('java'): # pragma: no cover executable = self._fix_jython_executable(executable) - # Normalise case for Windows - executable = os.path.normcase(executable) + + # Normalise case for Windows - COMMENTED OUT + # executable = os.path.normcase(executable) + # N.B. The normalising operation above has been commented out: See + # issue #124. Although paths in Windows are generally case-insensitive, + # they aren't always. For example, a path containing a ẞ (which is a + # LATIN CAPITAL LETTER SHARP S - U+1E9E) is normcased to ß (which is a + # LATIN SMALL LETTER SHARP S' - U+00DF). The two are not considered by + # Windows as equivalent in path names. + # If the user didn't specify an executable, it may be necessary to # cater for executable paths with spaces (not uncommon on Windows) if enquote: - executable = _enquote_executable(executable) + executable = enquote_executable(executable) # Issue #51: don't use fsencode, since we later try to # check that the shebang is decodable using utf-8. executable = executable.encode('utf-8') @@ -225,6 +226,7 @@ def _get_shebang(self, encoding, post_interp=b'', options=None): def _get_script_text(self, entry): return self.script_template % dict(module=entry.prefix, + import_name=entry.suffix.split('.')[0], func=entry.suffix) manifest = _DEFAULT_MANIFEST @@ -285,6 +287,19 @@ def _write_script(self, names, shebang, script_bytes, filenames, ext): self._fileop.set_executable_mode([outname]) filenames.append(outname) + variant_separator = '-' + + def get_script_filenames(self, name): + result = set() + if '' in self.variants: + result.add(name) + if 'X' in self.variants: + result.add('%s%s' % (name, self.version_info[0])) + if 'X.Y' in self.variants: + result.add('%s%s%s.%s' % (name, self.variant_separator, + self.version_info[0], self.version_info[1])) + return result + def _make_script(self, entry, filenames, options=None): post_interp = b'' if options: @@ -294,14 +309,7 @@ def _make_script(self, entry, filenames, options=None): post_interp = args.encode('utf-8') shebang = self._get_shebang('utf-8', post_interp, options=options) script = self._get_script_text(entry).encode('utf-8') - name = entry.name - scriptnames = set() - if '' in self.variants: - scriptnames.add(name) - if 'X' in self.variants: - scriptnames.add('%s%s' % (name, sys.version[0])) - if 'X.Y' in self.variants: - scriptnames.add('%s-%s' % (name, sys.version[:3])) + scriptnames = self.get_script_filenames(entry.name) if options and options.get('gui', False): ext = 'pyw' else: @@ -328,8 +336,7 @@ def _copy_script(self, script, filenames): else: first_line = f.readline() if not first_line: # pragma: no cover - logger.warning('%s: %s is an empty file (skipping)', - self.get_command_name(), script) + logger.warning('%s is an empty file (skipping)', script) return match = FIRST_LINE_RE.match(first_line.replace(b'\r\n', b'\n')) @@ -377,12 +384,17 @@ def _get_launcher(self, kind): bits = '64' else: bits = '32' - name = '%s%s.exe' % (kind, bits) + platform_suffix = '-arm' if get_platform() == 'win-arm64' else '' + name = '%s%s%s.exe' % (kind, bits, platform_suffix) # Issue 31: don't hardcode an absolute package name, but # determine it relative to the current package distlib_package = __name__.rsplit('.', 1)[0] - result = finder(distlib_package).find(name).bytes - return result + resource = finder(distlib_package).find(name) + if not resource: + msg = ('Unable to find resource %s in package %s' % (name, + distlib_package)) + raise ValueError(msg) + return resource.bytes # Public API follows diff --git a/venv/Lib/site-packages/pip/_vendor/distlib/t32.exe b/venv/Lib/site-packages/pip/_vendor/distlib/t32.exe new file mode 100644 index 0000000000000000000000000000000000000000..8932a18e4596952373a38c60b81b7116d4ef9ee8 GIT binary patch literal 96768 zcmeFaeSB2awLg3&Gf5_4k~2Vp;XOi7B#6;~5{KX*Oo&QwFfv1g09K6SNEP86z)B$T zWNc0jqu8r$y;oW(+DogqrLDa95=;nYprS^6qs3}$sqXP`HI^6#i8;UT+UHCX)Z5$V z^LbwWdC<(+XYaM&)?Rz<wfA0Yor+tw33fpc9QZQ~LD-Kc{qyqQfBw^j<m~Y;WDCz_ zymsM!+k)3Fyg78|y8Jb3@3~{`t>4eT?bf^RzDLUc-tGBo<-7CmygPs1jg|S|zh~9$ z)3UNM3#_8I{_g1d!yUhvl>A%zv#Tc^!TVbk8I$7tIcrjkKb@0)hiB`q%O|~t=i!c> zlYY$OT^9UI>v;`--gM_}Au98mJ@ESkVSz1G*mCjL%aUoGLW*sOEmIKQMa+|Cto;f+ z-T0$U5;iEDA_%F1jUxJ=LI>V~ysLU`z@xXG0}?D{;LrXCMG8eZHenV8R@#K8{1o`c zzZRR&n1N<|AqZo>ku><#FWSx@qb@;MVm56sSbun$bo)jLZ=>GE54DT>N`pS=Up`tj zZSAUCrCTwsQ;~o&g=zTvGyVqs^8z8$Ofccll}N}(#Z;#A{00E7W!l<xYi~mm?<@K& z+=Q3BZ^3z|t-XEqJplYT8|lCSFE9KpxNDL6|Nr~H5d(|0Q}w4DPC?kwFky~R{EF)9 zRcf7r?2G!`enWOeBfVz~BV>R_gos}J><*Bnawx}4@P}q)&JkExL|lv4&zgr&qAP4O za)mChpjGr1zsA0gsdc2ytO-T@&o!MpzouUVk~Ja0AKFMY3CWrc=6**__GC?3g)>-e zM9X^p;(^qbX>$bsB32I)McX1R(&*<YO3Uy#<rFOuEw^btXJKn}UQw_9h89~<O>I?9 zO$`J?KSiBUUvIGyTIoR{YHhDt+r{ogHN{6fG4avX(35~z#Ks$j5l#sjaxeR0G&m`q z-FbrWxawo6y?utE94b&3pHh7ZPpsCi)+PX%AfQ7gaL55l58Eo)8##hdsdcdul&2iZ z_r#<Nw64N7yDt$=eY`4K`}XOlQKa?{ee(fK5l4V6%Mt|D*R7!*%-3^O->%|Tvx)%5 zMDAvHqXIlp#k**h)>Yi%IU_#S5_$>UP~}s8wwR)QrwV=D;Z#&x1>naA>SZBxT{$#W zt2k+|=nM;&R4_xv|Gmlw0y{H`_xxq*OptnGLuJ6z;n6JzI#K?a;{iYW@@vDW(T42r zMFg-?gE2@|tGo1@sSAXv`%;Qq!UAZom;KT#ke9V*xFBc=G&eT7g%|WJ3PJ(VdE*T| zyGC<APbJoPhDzz>p0;(L>2}rEMTLwXi;TXmsujyQ4JxNxf$%g#b{6-ja)SLGq+eA9 zniv}hg-Yj`L>@qLz{quif{`MX>GuXh!Vsc_Za=8O&k8tByEQ(Bk8`@p@$|{pMSThX z%WgmtCFuEsibQ_~ij;E*Fc@IVfgq5ir(J$qw-@)6QG3(C{i{}J?PhZWT9=WVgN7&< z3E`BmEi446D8G?gPV=iP(j&W!TrUA6(qvm1@|omIlX%#UkZ%rkA%hT_I|fk2EnYMI zWTO7m`~CC&klIji9B-Hil>yA0U{IY`FviH8NtGOr&MR>H!)x%^=nrR98o5P?MzJns zQ-OPpoQgtqj9MrUJ@>QWy@pZ0wV;u>R1sm9=akHxF60c&<ZwD>b$H(L0E(R+^s_6f z2^Tr4R4`eaF$-Yf9^+j<5?8TqkVVW<u!LuO4%txVmu6y!y=Nv$Jn<)HVz-&Nn!R8q zZsUnRFcWQ|cZPd~*t~*e0tnT}ork(mO&--X)gKIk+=4+vLZggaH_|*Yxzt2)@Off^ zi=vMfF!b%FMShS42H(gnpduOyIuYwf&b-iWR2XDG|B6V|O)=WMf`ZDOG#o~5KA;f? z^e#XsY?$FZDuWPhzD~w#$l)S{9z-!!Rfu+*T=gi}(;^I$R$BgrS9ozUfGR-~#(P8# z((GuN6I@)}C)8kw#w&>l(x|Z0&$bUWDP48}xYq=h-$I5gt=g%yJGFE1*U)~vgk7QO zR3^I>6j6L6(gHqL8S*1)5xWv?iQb<l?n_q=<xvI0sq8sc*;0}eDnpO*rl)fZxRh85 zau9enfe%YI<&zra8bLcFjTHB#QNmeZlV+og2Bp-Lq{*LH37uAg<ScHfQPYqbWS4=? zD$g7b9Ysx}jj*t!{u7$P;AVdI@L7)e8pSg~z6e>A*%K<oM_WQd79sRrq?+X%a-k@t zEd>n>i=lF)R<gU&`J^P|)hPFmn;_*S3jm)C@dAo?@h&uu`g9RBeRi^i1g)m&yrY*S zBZr_G6I%X6^SRU_EHlfOT8m;4DjZl8F|bCi1EXJ~%$y)O!ufh?c!JX6s9NM_SAqOE zeq6E0+X=(S0h#Fq(KRXhP-?>qSR6Ss8(f{bhagR+e1KN5Ko~SQl~+(o?-L}ay61hs z=vlD{J->%Yg{5eZ(M$1>==M%LYgE^@?dDR-{(^VycyUYQ1T7u=IZDPNt}3b!?=SAD z(q8o(Uzgi7wC<}c$yN7Nrj$O%b9n9NdW!Z1vh`554xa5}NEcOA!Dyr#?A+g;CKR3y zREC|Q_}4VArlXa#Mirm%oTfazJkRfuhmhPLQ>Ln_=pK63lx(L*KP~+iBuS18la|KG zpYUOv7@C|7B6$=<66SS>Q&yORwJDh)(|(4=%F`w@p5?;Ol4O>vcoq|W!FRw%BgcUU ze?Z+%PgV&Mr9~@ZQ0up%6hG_kq1Kmhz|ejwm<aX*#D>MCl|fE~>=O($7B|d<^<46Z zMoxiwaWTQqYE99{j00a^04`9YY#BE}E)2VuM(5{;C-|8Qn-xMGM>hBr$J|EL0v^jL zH0oI4w~B~HPJ*COk{=~So9RW1Mg1u?np0^>sfiqszbriXW<u-Ic&nr3NOAL&V@PRz zGoeO0h$J}md^=S;tZ{1PCFb#bC(IJ<hwV|y8BU2xmpcP&9yPk3u(~<E4t)t(h|{pa zsnpm*s11fDiy-AdCA%E!rE;jKl3j#mAC3PSDEDNMFe|5=Zi`=X0R$^o$nA#g=p6^z zG}PLY#Vz1+o)3X|@b(<`79@n2Fapevtw*r9MZX^qvWrVb5WzkGzDj0uXz3XHF@zG; z=S0pd_BhW8K~K<+KsKx?@yPkCp})9rU)0y-4^d;-AI5X8qVK@+?MAbIjD}%tP<<z3 zJ`#HjhJIlEJ;^>m{x<M)b}K}>sy594yANox6HEPYb}<seBbKX0>{ZC&TDx8lszW}M z31OWL<6@&rO#@eQpdab%3_%Hy33xGB-fOhQF5Ow<`J*%pBO&f{((rcGl(;3V;MHxw zRT1GT2lWsVoW+KP2054g8iiSis-RuKVMD(Gq+IJVar2=H8Hddz9tC6s*sy#WP1;C6 z9C8Ji?LxxbNp${Eq$r2Re6!~#Q7G^E9aM(dWZI2LmjWH&S~K#mp!IVlxB_NIUVx3H z-gTLav!5M-R92;?B|E!FxxH5iki3T437>ahPpfs&7NAGYEAjP8!`X3U0j@IH8wg;x zqB^<Yl|)uR`=Y(fMU~ygHqJ!r%bZ&IYBgIc52*_sTDB)ER5(YFhG|*(mq5@eUn8fp zi?JhC)3h>&Cw1~<B#zLKsXyJx9-KzyI1t<8U6Uf`DCKKXP>D^?)SM{U>!3tPaR(g& zZ-#QpUEER`Eb+O;hNBp2kZ$CJJc^A)i><+E0ZH!1&~J%9Ljbj|h#`FlAvPyk(Z!08 z0Qpzhm?Ow@3O^M0IXp^Y&e|*`amxlw?|gAz7ua$at>}mzLeXhFx&@1(QQ?;6)j&wN zrpD7Hwdpg7pv8T5KfCm5K|ogXJ>Ad7;vMvCuBFH(?gLsWXDa19Ebhbq?S-v%wY|b} zDP5~bD7UWpdIgq1vy-KM46P85?*lziPwS~8oaQfJ#ps^Z(|1Q&J=Jg1DqN8x(q9X| zK##J&(W4IZs6*Um`&N%yd5_SpW7Mt=sg1YmU}3919Q4H}5mAbQ35m`mDXEeqq;s7c z?g<2yQlddY&SP6=V<wJc@6N)`7zbwp`?v(;R~0!SIkYxN^Vkj#knAd2$Py7lz9{Tk zUXuFUOb|v^CEJEFNZk1qW@-hxhG|{KA0!^=IhE`l0$^7lE+)88NpZ{4>bCtt{v4t0 z=+UD)S^~73=PXAN>HFz;N>B5&*QRUjJ1HgX@Uu=YHEQQmWwZ~F$AujMbq1xe*m()5 z;ZaMLw-q0Io{H8}cM!blN>N(#m4lA@vvuHLn?4QqEeC`f5JBx=Ya&&1MCu^WYF{az zjBouUO>=;P49V$fmmH`oMZFx^udP431{pTJzM{Bgc^kWJt{~KvZXy&)sq8X5j2ToH zbAxRU;&r@>p02eM>ibrr?hT`~*9#A~o=sI+-HX_cd4f>C&?VHNYkH>Ao{zm+2nbFN z7r2~~$f+Hnw7C6D0x%@5`f?K<jL_!-d1JAoECYOz_uSLEc6=$XFt2{4%h+NVg{|l) zFX$#Ty{fv+%)5F}-U=rbc{ZnZxRr-Da^knaF=9ut4{%k2<J_d(T;MD|(X_0<b>^TQ zBP)$)%2W>8u6R{it1z2%g&8Y<sxZgeVL|O&>))LA59#5yf2faM0fA7;PUi3;hy0JF zZ3O#wEwlL5myN!@&Gxg(7e?_LG=LuoHe0>asa@ZT@+V%QOCww3ZUkKjrs#)PM6WfL zwneY)TS32=mH6$&Z;}n7y~7mdte^Rpzku{H*}q3S5({^W77dnNA>W+{dQM|it;K?B zu2dHy6rXCNRSN6FXdh9e$LCy|&gBsO9iUGWG;a<Bu1mD`nv!wSXsk=hS>i@#i5s=% z*Qi_)Dan)nUfdG@EAUlW88!kh3n&$P$Dh(5AI6SEtw?xYl`mkln#Y7GfMZ`mTGE90 zZxAl2aIPE5D`g)dHasC-4d&>1b@SYCXYsKmXTDGpDQmBa&dYF?(nfE?aJHQaKICbW z#>9l9;J*4$Ka0~g5>Xj3f$*WUIKj=d<6z2JtP#bUGgW_(cWV(fGia>IVcj4Iv=F!) zO1rfH+iRYcX<fRD`KdWms<8ZgQOP3UK2=(K^!8KOBbY~MQy_OHS>-7#^={(q0g}@y zoWz1@@xL3{h`m--_48LN3$Zr70=|guV*Rs5F6zr87A5BlFus51d!IZD080<b2lsPf zvsvo~a@FcytSzII+8ja3f#7ff`!S9%EaqH7$2~24U!%!+VEryg2*t<FoGJ0;tiMn> zXGpHfF!qq;6@&?_!cyx1z=l2IZ)<bTl(}3OQXH~rA4*QGEDvW}dV0*)P5W#}(G7pb zFj_#;JS?(6XQ|lu55#KcJjd7KIL}ktEB^3BL<Eg1X`_ono@EOJ;gZb`+iY8HqVPj7 z_DgDewc4(D1W=yp?zPL5+HOG_|2(j>rTCcVPwO+Z)-yOHYt_@WHVU*A9@K~M71ncn zLyFes@%3(43Zy3j?9VrVoc-)C*PDH6k?toZxXR{B6du3C*Q*x<7$a6du{S9g9%%x| z#qcE>ZRp+&24oIjH#Sm{i%`4f%Za~4Yfr7qkTA?H8XhOR0PP3D*p%Uf>j`Le{9%Gx z=*rh(g<#ufWOuy5jB)FyAjA1dhVuiQPPtB&$ZqMf5;;ejQX=Qcm-5m@luqYd>;-gy z3V&@_|3I!mu(*XSMt+E6dF*zY?keFj?>uUG5Bn`TvKf$JQ)wW4Cv~1}2W2yvNPjk* zcA(B%I34D2adQnd^=Yc{gj!9ad9BlPjs(g!)I4*bQ73R{0CI`Hf+`>+RCA%TO?qFg zbp}}*ra~2nvuD1`E8i1j^DrD7<)f8EA4IT@)~`~*AU+!3`cazQ^%yN%dg}8VA-wg> zDcB-kLZdU1Kyx&{%yf=#?M$;fq9)*e4(KhYlXBQE(F}{;ucH=KoHR<RPs$U6Y$7ol z2t;l_=C>=zvVmBj2FH9)Bjr29-7k@!i@O`C^(LYgfyxA-ro`uzA;2HOT94^Kuj?RD z`5;K1x)eLceU3T$SdwhRwy4jEUn6%-7Z-}{7t+xW{Z+Uowp#Olk>+z_Mb2Sy%p$At zTM?uRu(P0<n1zXs`8-ym-wRmF0N`yLF#ZtGF76u|B++S_xNkPH)qoWY(_%HAgVLY_ zhb|np2#9FK=3*$I<#%e75<#u#m1cn>iu-0_1421-#eJ7k=61jy1T6NME!c=CR|_&_ zrc5{$<>x&%yrT=?j=tW))-%UPw@mc)(s`~WAiFBTp0JvF&Vgi72b#W%E(<_1w*!X( z92k|;0D+JbB`X{_hF{^pA$5TLZ843G3uk7YHgW4YqTnDFWhXMp&cgYQ_#}k1bnQl` zcD(RUYIS$dK|A{LE|F9YCne?M@vR@H^~}4%Q3qOk)6=oet##F1ohjSqUh8>x?U%?y zGhZI9wZ)I4{Dxy2KWEiwoH-WpA0iHvYZDuu<Fz}0HRpwkyW>yOYjr}C6NRnzgRSRM zQB!oxcA`pbK{Y$CwFtG|hqGa@iUb>Bb_NVe&e!H+WpdgN>lt-3GiAHsb9y1*oIW$( zCFEl%^HL7ZA3wU8V<6IUUn<b0&*Y*cXl{dByV2Ft>Xe*kT4_O)?Am;AWK`TUugKw$ zs7MG~U~`(U+wSXKPVzjs&o-LU$8bDC!n_l686%s^RwKe9J`q8xX)-Z`bR0@l(O!*S zrhtp#660H&;v>kx=gI<tP7Zv2Ww7`}7;*%zMoy~Lou{8Esm=in*aoV43Kt|q11}LO zYu!Zdo^#R|h$wmN&q%XcRBM4f3b2^()U|l1GE?Qwdax?vn)Mkm-$?|v=xI^MHE5q9 zkBRy^O@`<<7CZS?KF4!f3V7N!U29aF+?c8PIvev0U#C74kp4<mi=9FhXG#+&J)Nf~ z6Ib>preYD$vE>6-sZr-`?i07S;4qG()+BeVy};(Ufws3|XMiqNw_&BG4myL7Mcmlr zx=Uo2JPZQUZ_ph~@^rp6l-=wj<gjQ@LlS!v@92@)9nZP-Q?!|LD+8fPbzXrzLhH(* zJTOQ3I<||dnmIwPW<Ntnor!Ckyr2ab0$}kGfYzuBHun+yNTn8w*ad8@mFr>_qFj0U zIFQ=d;v+RGHg0`r&mu&d3mfYm!aD;g!V*HzsBZ`<Uz#nl(y7B*nQNDVax!>1ko`Dy z-Jx`TjuzO|GMAhkU~fQfvq4h7-7QoF*o`wl4`r^ZhL-!BN@p)%^bxyk(y(1lDf?GM z>~eanERXh7rgRiwU9^n**>j6P*XX7TYliq(Yjlo*eFunsHxd0`(E9U;egh&b5*uaq zOut5>!I3hRKAV)P^rgsuCc?L!wq^kqWiG3Y2f1;!^sTu-m#lm)cqxxH7fS1}jS>Rd zjMdm&(b}PJ2!aHrmCRU$2<Z-X<E?_QlTAY-?_5cT9`|LiKdqpEe1n+@ZJNVRTRhaB zUm&eYOX!pR>?aiT#MY0}(rT1h8%yP(IL~qV*(=L|XMUk7D(wyphfeY_lK(I;Y0-Hb zQ}k}2rGwDYo(b_bov|xX5J@Dx<}%+$%X~Z5rA3s^Pqn_pDHtRcT~e>YYJtTeMJ)nC zWj6<v-oaq7A;3(PcHHxU^iC!F3XO=av4v9tEbTKBW9c}vih=CTp)6AvXI%(tv>NN9 zD{%?wAqv60TTH%?YKc)TI2TNwM?vo4Cvi8US#7uw3I^E_6o4L7fNCs^n-i^nQsuI( z1j0K}M76bZMDT?-l`aH6)ZQ(`nS>Ju=_%%^s${=W{)`TX<+lOA7Et~Pd=H?%#HTv1 zLV3f$IOecRk!(>?2kvEt#PoSRWiCaU8DPp4H1Y{nfFTaBa?pXF-Hbs7Q{p`R4MQKM zm5qU{JjBm_c?wvn83XaC#wE}>1E=0D8m956f&?0V@W&61Iph8Vs<UbiAV`cm3srli zEM5eTEDMpbEx<~<k~GX_(HITl<0KgBZ)2(kSQ9}dsrD2IG6hEgvoGb_L-xbM<Z;SR zCIi*jWQKD>?xASh1E{*Vr)0*HpmTXh0QcG0_HTsLv%lgN5|L1Y7l#T&JXh|Rg>e0T ziXnv``P1iz*a)UE4>9ul%6<vY?DcOIA1T?*5X3xID^9Y>ILSqio#8QzHilK~wMkZl zn=RlGi*G0L>}AGOK82j&(d>~aXs3}Yp(Q(?pred`UxkTwk|x?aw^>k5b{9dhg%}`= zh%=nQZlQ><ja^RN1f647J)fd>&~)7y!jIpWu?!Dm#uEIpiE)b^be6~`<upHg;}S6L z9{lLja9^)EwG6f5eW*D+NwXFBy`5>k_f=n~QhQP$_&o&w4t^{u$MVD0VY}DHj-tWw z$G}uM(bb=tY)1zYIGj<ly6HE!i+;zRqTd;GXrq>%#Ba^kTz3&YvK;&|wv$JuzRw?% zj`PQ*Z{zXA!>LYyXg*<QFJ3jDW2b<3h^{+b6d&ot=}#=R9BDTEw}TRQ_5y>k)GqvH zIE0p1YBxd{MDwOhjT}do9gP#vn8^DG8o7-$0A3UUq&|ioRbkc0Z9rt`r7ye))*+~r z5&*<Hz}!nPAu8LvV8@BjCV=z{mF^vRxCbjfR*6|i!lAmjTV0$`7kBA)x|~#I=Sy@= zq$F;Yij>4!X`+(YAYH&71RYwF<q`z3_}-c#2rt@zQ$4Hrgi_IK(=%SoKu-`%F|P%S zkIV@|iWVE*MRfGOEiZs1g~$=HVGQ1Jkg6mq#fSe5eV4W<EMIKsK~P~sq?^j6xeCjZ zE>&2jbRkZE#K;chDDfr4$Wg$=d<nb?%B${p8=gZx<Wf*in^%nd7mxSy1LK&li@@TK z<EN)BMT~4i0HU_?w?3?l%Bv|uV(5Ro4zWsYLXf5Ya`W}O6?U_9i^8%cUperAM&&9j zO^l30iD%k`79iU<<j?wi+F{F{`rCVrmoe17ZmLkfoX1YeSlpY88E@qoTK}qm`gCzW z-}oQLZN?EjWytaVYg94vK1l(!U4q!~B+3fsuQ11@WVVzD+XJCP7<BfVFq%v&lo)9Q zkkXzu0E7`Nm1P=Ao+UMO6gdLy`{q0Y8^E3>6U~4upwGdL<Z+(7aB#All2ZhILO4Bi ziYH&zpFCP=&!%LXFo<4?aZ5Q{8pdt~HCROAAi@|EsslpkSjR`V^H^KozLQ#>1C~uo zc|K%9BefGVfbJ;DT{!zzH#*dr>PDx!ag18-=7%m}cc_Rs<q{NGe1hL}fzH=m20F*q znAY7+4?p}BqkjZ8_#to9vAZNsT1w|{Btn({iqJ04iI#n>B-|T@Mayu6de1bJ030@u zaLjWV({~5hwokz#tN6R-*xlpBTIBKv*e5)?On*d6U`f?)3(sUDh_Pu|{7~8PI~<)Y z3_Xe6Pco~*k7KuD@<m#BoID&Au&@7)^7*?uX16{Xb(ny3Zfj<pwHr04D@dRpQGW+N z;Kim+UEx&6t1HGRH@ZP-=H1#5v|NiZ1yiw2t33&{C|Gc;RR~*{ojKsKmOyDTz(I$a zIQ<XO=~a3qo3#?Tl&6Vb3E>5}H$?!tHB83sN0hTMlQTslMf_~UWpXDq(ur3!`ab<W zcAS2<zfHe;I_S6gD1K|UK9=B*=qdi#ewaTZhxp^^7XJ9Jm+*Mv;Yb%AV589rhZ?0@ z?-;L-n5P<Hly+UO8a+t?P)d}Vt5vuWgMb=2g<q3jhH)ujGD%!qBNjZ6*d&PG4XMOs zb$UJ*1uJ@26u-8VJ^5GjBogcIfeXMq1K||*3Kz(6oWwPiEJnKAT;h!xgjyr_QC_ZO zuQse*)4-wQZ_%8i#VvmN$6|N^;hUK;GSDA$ytWN|UK&0}IeY2aFQVoDt(+aYAv>J4 z1Ow)H?NOvvx24WQzHoLGDVt4f#hGk%8>2f)bR}(nVj}KK5ZA`8PDb^bQ7*Hd07I|n zEOn9UWDg)%1qHd6@KlQ+9?`jd@?U6MiC0)<Knw&y%`0%Ls|(yw{1tXWZ-dj!<xm%V z#joBDt+)i3s6~O$%fmVCs-2XtO{?fyrDjpEY6Ttf{=IrpvJ&e=Baa`tYU`ZEGwAj> zsHL_04DfT#H>3Bv>8L78Tj;RAQS6$@TpywF3thNUG~atW@$SR@qNB#-#2EbOVy0I1 zYD=+{F}329a;{HW5xq``I+kh+9?Xf(dk|OAT_hqWaI2Q1y~n63RBDT~Z1irKulaDq zO`EmX>uL=_D$ua-4Q_%;RiX(2-h`{!eY^?XX7AeQ02lxCBS3L|$!+Vt--#o)(x1|f zMamD+lf4DWN;yR5xuUih>+?-UF2yT{aE9SR40{yqfv{e(#3c>mSL#9SE$uM-u^Ejs zRpN`^Xw~Tt&u`V==pEfGccOz+kdySojFL*1*l;5PR<W<LIY^3+M9fiAv%0y!jiJub z78K+yzRAC6QE0cPp9V}eaR}OS&Q<Cp>Lfsmv?WeJPc0s)t#K)ReUb-dOjo|@lN_FZ zte+O0zCOC_4{mJ;TCCjf5agpF8}(u?c3m}s@I1o&<vG0QyH`C7F@kWD2V}OPSjU+; zjx@yVCpf7X_2E+5S$vqKqIZk6P@b{IWvp@2ox^N&0qb8ihe0>gl>Jy61n9ReK&DHK zd&d~}<{9@+X1Nw1E}a(#f|c5*q;pezthlGxFy36scQT)9UudmhoCXGpryfDNVSEhj z1RyCa+!PAT^5S&=z<&w?T1r}ms|%brErQ-!4%=gLi0Xq*^HQ63HUajt>9kYnK!IFQ zXA_(7H?+4U-_yl6up%4A-@SNWiThM@1+-58<%N~O=&VQ{n2U0a@FIx`a(*RyW+Dnx z(=qLbN6T`;DY&s$)0U{XNGNmYS=u$~W~Vw^U7n{dci;*!1t+lBv3i%1`XcRHN!Nn! zfiEVh4^>gQ(#QbI$Jo}_xD482*5r{krc&b+s*-uI`gx@^Wg~PIM&Vw-$rkZW;YI=5 z4o|C`s$}DQ#z^a5Vm3Ok{`IR|W3qBF6L)7?EnUY%qq}fgfyIM<n>*=u`%C;c!GAmW zZ#Vxv&VTpw-?#D0W`hn`9}eHu$P;)k*-oX%Q<#n@OX_$C!I|4hl~T&oBD?WaR<8M) z&dItnaVK(GIwtPRE<UDiXGl`Flk$<e{Sf^|PvW=6^QzeJJ3xk0mfBA%%>*T=ds^@i zw?2;e=$y_PC9!0KDDG<&57bQ-FiM>wVOc!TaIhS&;q=yo;}$jYB=SJ?{b4?G83mD% z*Lg7_N|d^W_Wu+QHNyKA;eC$q-bNBUo_ZVqB!gt+RtUz@^$N2~SK_8pnpD_Ef~Z}L z97eJdC3t82rT(xZzPmqci$8^MJ%_2o?1(>x*Np9yCEkQ!jdFI1JXMJ~%z@Ch^s3F& z7F<WE;r>z_XSP#hd<kMS-qyQXGR1vIqVt>`P>-UdQUZROdM3n4Yl#<p(fI{aDiu7G z7tFB`Pvu2YcyN*Q9{&`ZV(NV2Iw`0mLQ<KMSS{hKZi5(k14(A51cc%(_<_i~TE4)3 z+KL8gn`0K=i9{1g?)Xpo!})OyVZO(?Qid+%=9KAj9!`3!?7)?keHCR%6q_(tm@rQh z{){acK28>KFNawrHeAI6cZv<uc;FtfVG<9>*zWMaMzLWy4=fQIGAZyh(Fl-AWV|T4 zhlni}c^kjP0NEzUE%A@Ak>z+;B|dx^ggmjK1;2dXG#XISW`)g>+#rf7{5cET#K?!K zNN>%LaT23~Ov*N~;8mIly+U+*FCP3jT;1M<AcQCUiqRjT^jL&oh!e+8;q?qB$|5uv zM2ASTq<p^R8c37Vt$1xa<%WbMr@lyt0vYu167mO;8C5AZoB^+ZI5uQQC+>dK2t_JS zQ#%B0553^_@F6$4)0EZ#Aw3NtlYNMLTc9)QTV=6VTUnXGn_t4`^QMmY2^6d_p!rL* zA4uT>ej)auJz&>_q!$1{ia{|4l+%;V+e4_gm{Q~^gr#d6BZu*fMt0%XuklBF<Op5_ zWB0SbMU<yQ-H_1fXAgW2_42bRQQfm2QF?lf%F|2;vybW?>SO#$v_YdLm{meRxLPZB zKu9Szu}ah}zKr1`R7k@fFFZIv9Pux(+$m2}gN67f2oFM`pRKtSn2C1~NMeonFzuDa zhEDt{iQC1k2YCD);zMzW(MsY@>0Tvqw=`Kv+#^PQfix2xb+HIBM6^MWZnY)`kf|@$ zuIg_x`)nl%qGH2s7#a(UlB-6G5GB*mpwkShX)(^~h#KSFG&Y<kdCe-o9|es^;4-F; zn);sr#JyC|p~Rf=x9}p5s8O1!Id{m_CUsI#`l1p}shiVO{;cP;y%Q;$uhRAq71p;` z12DkuhICw|Mh+ngXm$@C2JN_>X%<NtQR@s6=uxp6*#>ZJey<vN6ak9{j6FZai+F$| z$KaKi!{;~ns786NN*r<JVN+|oYjkMM#4vD6TK@?;CrD$hDF`JtldLL@83h(>RaJjK z^Dr?6LFD&C)OjwIhgt)I&doLFZ)H3Uq-}PD#!P+eCDf`HC~TeBa3?qk&4R5YtkBx= zA~MDz1aUE7&l_;?PK>~6K!%H!fOwArNaLVN%ObqLj&~>l<2ODZKo~OQ5F-^-G-i5h zzLaMoq^A{vgZT3NUfm(?o8SAmJ{-8DNc-bhE{_cWjgB1Ka=|7D$m@olIj$TN&ir|x zch*eUhLQP7J1(ab8y5Czp(sux%;{j1!kO|J^Lp<*n$X&Y#N@OK`RW?obB;ESJl)_6 zainES8bL^xYJ5N+zsVo0WOG)6LR*W}?OUnu$Dsyxwq$dfJxcg$%wDKBM<Y~FVSAa? zJj@G|f2y2qNh?5P&{eCOStQ+T@ad~@=4NuKcA-cw<!tX{Kif0YWBtru&%6Oz@`99( z19jYa{iBfQCw*jM9ZECt7GQlBy03BOy2~pS{z||r6zeb5vvJ|$2p8&UyHcc_aDG*d z8l`cJaWoLhG``RmHdASZ%`}=SpI^INa)Cb1T#>^0=8|+H`v)|YO<BmOf(o3m<pby{ zBahbn1pRU`EXpYboRH=|n+2UxldPQ3+PTaOI^>HqUW+~|Tx6E5wcW@b{buQZRhl_t zlkd_vLyw%;e5=+>T<|<boaDg7se}F-SZXzf4T{GR8n#Hw<^p36C7GQut7DT<m%W() zpwGBvw?0jYQhN=3k~w|N9vOTXll|fyy6Y-hY%GCrQ?b<{X^PdMZ=vkv?r)+@X(slA z-M+Dh0_@CNfOwk6RcWS#xetu&B+{TTAYG<CM$&=CWn}Ge{4TVdrQn9a5_F&b97<8m z&ry-_p-8jBgQZ@R`Ql)0#d12}c==5_;Mn$SuUB|<wpVD!-^6RY!W#T-!e1NyUPW41 z;I=<>$ovF2AvcqGtaT@8hia|X=>@4&NTV&?GLO%-PGonWJxNv0>NfGW6)xx)<9^3h z2C28NbHngJ*qPLGCZ$nqWUf$3Nnccu#st`k9N-sm$GAp^l$I<CTbl|uDocyma0N=5 zke5D%HA<R*Lt*Ixg~1A=T!Kz&+kOYumA3uE_%GRgw(TEEVGUYpS{L7klHKH(pr7pk z(}TRe@37XYZg$YdX|t>KBlnQj=w|mb&ph+IP(a&r7k~?2f0;J0O*ytkxA#W*O!UFA zcs)S#tSQHdxP|hW71nuB{i!in1qZf1*u_N{b|Zdcy~D_T5?$s>eY9Nmq9?^IjSbu^ z(Cdk<?QV*E2GI5h9qQ#bv`9tK?Vlq;+<REuYxf-9Fru*4>yJK~Md{)Eo7e{z5v{wL z=Gvf_+|VMwi{V;NHm%5n`uwPyK%qbr7T72pa}}ScL_A`_xPtx3L1e0AuT@iF^DF?Y z6$1bvoB~tHm24LWDj>XV^-(oFtu`sUZb8~uchlBXDpnub)0!gXQdB-gp`gaCX@oF6 zz3~YipuWDW-(;c@t3QhQIT~Di<Psj%9;29OLpEiycSLW=SI&*xkXg4Nd#pRUC|}P~ zz8bl~MX&kMMV*aq-QF$;b3AXXZ6_ip8b9$m(KzXe(RuOY|HhnooHiMW9bAun{u(U5 zTUHCw1=@xXh|?L)XTQdQEtC?O7r<@dEH(x@$y{p#Ah>h$%;3uISK<<R6wU#6nWQV$ z_Ysvy=>c|G2c6~;kUBr4acE=%=u-eq9@By{1pOgRK8Xtc3ImDcHQ_0DB}RsH9>0fT z)UgG$>+kE6$Hh`92sB_C?nXf~t9vD%rChGhQu@A@hYbdK79jcwrLR{WM#n&2$3UWf zi1I=yBSAZ1t-W6}{Z#%SVkK2bQm|mFFdne%>4Ekc3_r8AHueGr61P1&&=_<Kch>uh z&{?tJ5o(<8q|#DU+J)fSPwEZ!H3<(AAnOe>bP^jv2#fn-I68ffV@_-cASUW#FrDC& zg66|jh~hIeI(G~%v26vQ*JIa$zSa93>N;1+VkSOFbEdBLGZgt2LQ(nirtAh>B!K_~ zac>!B%8~f55FS*_3llN$6(>>5T}O&=MG*a+mj(&fsD({sHcYZh#J#hzmB1CUud}Ic zDiWRZJY!LsZN4Y5{!?gP;S!~8wjg(4;GpjUTSBF_(}5D!#<dvQ7Mn}DRM0yB7Y?VX zb6wH7?x;E)1>I7kU0$OWLA?tL`1SG^+G+M4fa1?#Qr0c7k99y{X?+hBznRwYA|O3F zcii)RD6P)v^j;^Q)#f_bP-H==YNZoKzc?~Ad6vnl?k85I|7Xbzq7yN4GYZBjM?bSa z_9~wUIiWQ)5ys={LaFF9*jDW7==$P)MyKN1iV((}-HXXfhCg#1VndLIA|I2UU5z6o zC?jAG)=-AX=Nr*BObPAW>8F*6+%A(nhm2LY4DZAsMreRE`F&%3sDG9W)yhJp<~;GU z^w$8aE)P{|r8F~)_j=0K;7aaOWa~+#*=Z9af58i8$m6-mDLB`$b2=?NbDcY9@~3O( zEIf-_a09O-Qfu8c+Jd=mXdd_`BigIOt_>-r#I$R(nik}ZX>82Dh!Wyv0?nveFswY{ zFpZ6qFQ&AQ4L)o8n?0P*=Kh8+JW358OEbLEcrQ7lfg(XKLSu*1%GIV%g4T?jUw_W* zZY9g3Tx=0bF4($5xxEwTyq)Yl#I-4<Tj`Kk9v1$Z1u%A1u~dpctI#=fmBqo?48jzt z00xbBwIA+AA|wO5pI)E?F!1u+;Fp$xm*@(A%;&_I3-$LW3V>rNL$g~&DEC8UHxp!* zd~b6b6;2sNzYX|QDiRg(15bW>NX;NcWd#Y;G~$H+pEV123*^p#H;fJ#o!Wyhp<Se+ z-zMEtIupAkDWp9}7(>KzsMp`3JxD0S+XZ+V?q?hRh)K7Xa<P%iFoadwgVg5%fWQF2 z!%GRk*h}TH*#qvWutGvhpz?A0DTgttp+D#IWc0NR6eW&Ls;ehOoLW*niY4(sg; zycv62@Wwty5b~?`AmP7sGL6>glAltWsJV{?!EN_a5^Dw^j6*l~kL?z7Y=>&;X#Eg0 z0y-BzC7_ZOy-;MG?-+=#r)VX{hdLHuYw7j8F(wl$4~}g?71IM+k>`vwIjGKLVVde# z14jqgX9z+Qwo1k#xNVBL2(BX%)?&-)AQa<5s*=Qa{u4KyEDuvf>oOPMvNe$0He&%E z!)z42X0^2n7eHd8Rrm$uKz8<H;yzq=at2wVDebERtO}?icGIuU#OL4vKtJrJ-15mb zl3KTcFx!mW{djOwvw$&U4T>;wUqTFbEHK)bF%Rs*yt~u7`T<%9pnZAUj@48pG^a;k zAHSd<(&$jKD8<-8<xzSz*0n>(q-60L;=3VB;6{Bn_5GQXxOZ9bB{*H~VJcU4#>$rM zb|NFr*Nct$>gF7E^P2Vt4`WE@wm*0SrvBVmS%~-txXO>IN4)>UPX~(<vjLAT%LD*x zMBE&yWvd}MJ9iMG5H{AYW-nsps7kUba8rTZisrPTTC@YjFDIdg@VuA@NJut~4UHMp zL#SLG!ieJVg8VQn4CMgRxFK1M+h*t)6CGR)q;Xu#C?A9$5Dj!111v%00NtSu!p%a5 zfuo>|087OcD755I(^15eCkT?x*%nm9>v4wNYz&wc=wNvp(0H8CxC%EVXfu?y8WQM- zR#t#YK;Qe@QJ7XX)qMN4`8M5rd%}F1WxhRRzIn~JI`eIw`L@=4D>vU(nQzNVX_%;z zN{RrwoP;GB4Q+FX%tX+IenHSMIew5`M8HX$W46*Ly#ak)iX*<RZC;JM(5L?|2)R|B zQf^_HQ*ZD&<icH#oE~IT1`pgg<O;CYUjaDVfs0%sXFhyC#~mv~NQ7PN-^?%!hX)ZG zS>$D~>6odQk5Gl5@is6XY6LZcWrsG=bElUE?%mKD{=(<OyP*(&;Y0eaQc4hlHiM?c zPMQYN2&I$&VdAHh5)e)sKzRi_XlCuClpQo1VyV37O0S@D>fm|J3AxjnIbuUA`esf; ztTH47?nVTA+D5UIU7JDk7zb#4s#=XT%<{~}np1P9*;rl&`xpd@p}b8ir9-?>%VLzk zOEcaxI(8;!^}HlKKLMs=(R0!H^bBy6Gn#05Dg>qTX_>r&q;q)=cWW!mMTlEBD5rAB zqCsr<A^K8D`mWK6Q>^h2QSd2kVGb1eUzKygT%+YL<BnwH21gAp1)&F}-@wfw!ZvOY zF^=xpV%W)$ZVGH8s-&sfL$rp7dmT1CKf1X0CYVPocH+vGZ2*Dc2Gs<VaMI@MomriL zxL?t&zz&sMG4Mq)G`R=3;G75@%MIn>70ips0`IA)(de+&Q>y(iv094c-j0rjoh%jG zZ*UAJn+P1!_9eg`1|5TYvPZGchW6uM48%>Wrf@d@wPV!`uv1WCL<_B5GOg9n`w>Al zZY>)d`xN6%+`M>X*V<FbJ4dB-8_7n}$Phi*kIGOX8kx!4Ls3=irt2Z5ZiHr1XeEBw z4r(qPAKV-WhJN#7#L%90{}QAfScV_y`+C~fi5jj?QDFxTDm{H`zfejarFvE@mqv#u z#3oxc!8(bX9pq9hHy+Oq3Bv&J-Ukr$o$M@*tT{UXC6uH#fLg_d;~1ZvbqF^3+`k|@ zP#7aYE`Jiy#*9XkV;(F+bUUtAcfgo7WXxzlG$J66zpYlo-siaTxdUO(xwSX2D_}ZP zk}mx>US=CtQ8qRnQEIyJmRTM}C5tGjeqT;4@g0}4shsK#)pwkis#SOB&p^R{6L3&p zd$JLabwgpsq|u-gB77$u`o}R}=T;8Txy=IT902I#0H(50J~{)vb3wi&#(Ry)isg>c zl^zibYbMD6>5>z%=V(Q5V{wp$NrFHsG{Kzgw^$soDYK{zvGCvIWRE9f>Bs_y7OMH) zhF3bn_<{AxiJ8TTO(4@1Xh4-|r2Jcuz)_wGCEp6C$Ms4}pBDnIS4oUm3uR<f=Xm81 zqO5xBPZ3idv;*eb-vGnSHtl~;RH@Al)Cr5NhSdNJ+u1eCY19)iW=S_Arcnfl4$QD_ z0_|TKK0|xz`+D&!He3myP_F?J&B1}y%Z(t3Ap4JFyzjJMB59QSy*Tg!k^+@AI}c7L znPe)a<csI9;G*R5p`$1OraZSL^GU9xKG97lXuiE&BnV!#YS#KG0T#nc)Zrucs2whR zJ#2sTZ0HaQDEw2UpZx(sE?2yhn?o-l@&Gjp#zPnJc&HM}PaAuv%ZMA+ANNSeoo^FD zYmgzx9_CZor7y3ffARZ(s&KcFI}0t=x^TB%2J>=hPH{_<YkuR_R42-+DH$_ga(YWi z=VmRdj7F#e91>HSzp?rpdxfT4G6IJt$EmF3iDgzZ-^AM4A+(23FXdt!_R$L=$3nY2 zBGe09vPme@q=nH4k)|*yJ%HQp+>KMlBy*cVFa26uFct*kBkn>DeyZCzop4==Qw!i> z;W@C#lW0-c8_r)IV5>1IRaH>jYK0#ks1%5Jk8Y!Tx}Dr|X@&&*CC|ZiS1K*3O8GgX zCgwGSOtsvOz<43E-FqQkiW|!>(`FDn9Lq)h=jz+309aGKRvD}*srXoI$Of|DG|bZ~ zHrOc$&ms=!soL8P5F|N5`(RUw_Cd*5s;>5~mmBb)7P6y&<_af^lvGN~k2dlg>7Leg zms@R8R@#NSmE-G_mBoVDKK$lqqH&iAnusRZUq_=nZ>~KCE@@V==@)vM#w#nvmF(uV zq%y_D-({pK6~u5gWzcD01uUxMAwXFtPzIEiYG+{9rNv-q4tp;9bknGwGQ*98ueV8P zEOT&u$!M7ixlBDtvEd~Qrcvfpd<n;V1Ga1DHa%2)LOV@GaI}#wlmXj1)SXth&{3z~ z+g|3V$1O=}xMzu;8J%m8A)V6lCCcQanNa8|7qZuE$Zb~JiYGyVMNntMFj}Tkyn2R` zu*(hvo!@GcG!^a9GYKq4*KEdI<(ysI8bZk6V{YWWk1j*hS_<1eG9&2Wv<HV{J;bKA z9Uz`k1)1#PlGOd6zxCrm>Zgz;`XIwB^q7%$I>70obA&&d<_rCW5aZ;wGqpH7&=TOD z|9V+%-zdu}X?GPUD*<XT<f$b-m-H{Tto2)^ku@)M(go&_Y#K^*|Enc7n<YZWH-8wG zSm`~;tYk2Y{l+7}4Qcp>?JLyUPERTMcc{HtJHwS^OUCTRiKwNYEBcw61SX;k81J1_ zjGRrAO<mfgb}a+Cc?_xG{@?`w^EasA&ewM&#dfS@n0hB!F<OD8hh0fC-ee@^F+-V4 zJ6!jXz4%1k*%aCPD?0y^N}!(@)Mgh#=-xav2u<Oilhp5Lx346QOU5`N46<O4B`Td? zlRZ{C88|Di8Y_@dsc~RBEZ5qSW?{4rVbg{E(hM}FO1~_?Hi6DKk0R0<Ps&?fRGSlE zSE3?6dlU6kojG1Ly2aA=f@O)9a5?#1;FA0T;lK}_xt2PEE#r9#(+Vo#h#-aOnbLAi z;0n(HbfXdM7wqoXwd&&DBrdgb*i9-hx?b#*;WFTQY8fGY9FVS$EU9(MIdltv@wm)N zlI<BV*Qo7f;9WwQ-cSr-xHCBr0rm*51d5cVh%pR6&{Kos%9Ak4^u5o1^^Q3b&msZx zr;UxLa!LNg<a)UUlS!HN<xAMJ+T^iO$CvwQ4?L64V53Nh<t5pQ<ig@qu<0#ud0f~i z1so7FR{ugXDz&jh9DxIr83PGUF<gOFy_6L+-U_mXknN!sSB2x>`o7~+;q&8t4!MF1 z!=wy?lyN5a)<F8lq|azAKF0J{s8}O+HLBnzBOw}^=-V_j^D#EXCrZZVUjfsfJT?ph z9z3rsgHHr=AzO`GM4T_l&ggXBV0e&lXfgf!;XL*qv{8gudrlUaj;qA}3p0N>lPw`+ zVd9jGlM6X6!1zq|Dqj#}wfm5j?d{Km$)*ocXY1I0evgupW09N;7on|fDD@Hx^X94= zh?+gaQ4pO^O{7Gu%Fggm79>+vI4L;Kd5LoBe==&F%3DIljqDAQbFi{*!^?nC>qr>2 z=CafQuw5pYeiwILfD<84VgtO74j8Xmmab5tfU&C|hyQ~uS!ckK^*bz8_wv<~h?!fe ziriAQaoKF+e=t;)(Fp4@HqUI&KQUDOH9CZ2lYT?hnf;l$ku;l(_wO)NJ$DFunPx0G z*g=t!@_c6C7MBcFtJs$a!BExD4OKbdqb6Ycyx9iU=K(X-SFJpgSS#hp(_t}p-)Q)x zBOo_>7Lk^b>Wu_>*cdnw{I-$mS+f#Lo`U@buG+EaqnuGhb=U}yxh+MQ3xko{#VMap z2r?mctse#foy_2+3@>g-aDTk^i}RJyp_INT3QgWZcs3C2t)q_&X|0OiawoZ{v|`hf zvGWkii(UlA313_jLA5IUuD}9z*8{MXd;|AtF@Z>#GhNWuWf*6uOJuR<c+vzU>3_pD z9CRi|Kznu<oHWt?U0VqA**-NJ3>$@!#qD7z-MRpQiS;WN3X!L>>oH%jg@+?37n{w) zq|=*)p0i^mzy>A+t_ZIVBM7!lt3^<3sH4*1J8L!^^ujUL!o0%7b@007Ik$Oi5O{O3 zsivF_nNP1!4(Fp*V*K|(UtBqBNTZdr<oTgh=^U@U30r;c(82QjU^#Sf<U{QvrLuAn zdnY6a6A$88ndo{FYHg};HahhY;5|X|ut3!{LlnR|h3ZObd%@6XaYB7$0neo*F4dT_ zh`Bc9visiXr~NSq#=qiSf}xGr@Hv9Jykg`NdZs{5;~n7c0hGgJvTWiG>)S*OU6r1S zMyYAW`aEMjG^bakBM!cp)66E39~7}cLs4kI*zf=XFwlHJUIe5PB=xE&z^0kuKB)js zDK5kdM9u(|s7cCZL-7t=RS}-jt5)c#97#=HN5KQL9+1<?;Zi=fZJW7GG>&Ira(%w3 zv>U^fZ7g(%du?;nY(0mIm!0qv=+3~%VEqQR`p+&-jnNi!TlH|?64iG~U3?M*F`6xf zbfV<LRUe)fIf4{xaW4$Y^PJw~^l(9P?Ra)MAk;i|K|dgS0XJu;BEAsNT06QHByS03 z@3eHt#Z3!}pm}A3Ep0bIk@?Sfn6>DkdYsZ2TQ)3&uLjRsrWPeuXfg6NPHo_9M4Hhw zuc#oUr6bYk>k|*Ol!qNv(#Ue${2n~hK~qBcYoEH<jr(D8X8Z#)RvyWk%$nBlnmF$s zj-Y;}cJNJ@VYuOs0e*_X0^IBiEMnSmEJt0C(Z{jbJO@sb1Xjj_Bo|Qk?nZ;m%|D5g zKe-*971ep!lS!xN=Ip7OXn(zDj-y;_lYY>2U25IgOgNOH!-myx%2rp~Co~Sx#OPd` zWlPdNFFQ3;@@rz#g6v5I?Bl@KG&(iWYvv$Oh(rQFCuPc$IOs(L3O7I~Hzx@SFbJXq zc2Q<nh*q#g=$2ngH>Rf<x!quHM57x4qE#>$H#UABK@S|o{csh<rQ0gHqw~@nJwlz> za1tB<ZA}py=tv#MUzv5DOgXjA>Co+U`RBCiE^;{0rdGpfrQ35{RNh3z(12;O%^D>( z{1z{>pz+dZpF0OQjz2<)zV33*;dOb@IW}^JK^{hs)NaqzW#C``zTtDD&A4wTk1Eh% z9o%X;(>(MCmjZT}AYG%S_n@ieQVxt^GNtF+?O9rSQ-#sEAT3p&<f-n$UWpQ(#5fsY z?(ydH+i0d@01)i}{9H7M9Nj%o2C~z0wRE%ZUg~6up4wzX<KcG5*9A1#&`B}UfnE>> z594`5(~yQE8`I{-AH)k}HC*fKqLOfI8IH==X5S$09pbHfz7s;2AhD+5;@&@s2UL26 zbC)dkH{7<F&aw0#%<&wS9rok8R}*{YU5+kIn%j8u<*C^3ZOUjGu8EB|XHS|-TfXGm zMRN;}>%-0*e;g({V2e(cYxWG1Xkm5Nn~Yc`Oc=YMA2r~^m0TRP$kUUK8XM7oDy8BS z+2UYXqbmgWZx97LW-PU0M8og{KXJu;Y8T)vp$#_LcHCNbs|!XH>Ci5ghQPb;KP3vf z-iDr(NWR2C7JmY+l(SjV&>D3JxhZT(!N|w=AeK&nTl=v4A4kqhm6A-HRnb|3JDkb= z-VhNrP;Q?aZdN#zq>u;i|A|VLaw=Jzq>{-sFq_Skeh-Va8r4pek|0W<z*z()Y3c3r z(k{x>rx4|&o4^rHI(>xT=WgYsW5#Egg`oXO0vbgGG!k=K%69am5dmeV=ovMdfVu#N zK><sP{|MrUiT-fva`;@hfc*uB*Cz90e@9R)iib&LNqk?7+(LodPYLm52w2;7Y&;uD zB0mRM?hdgJ?D|=}5W9Y)zbxWVdx5IRiH%MVKMYwribX82a6cH!LQp@ZwSi41S@dbJ zYj9~TT|5BqGD@dSYUgsR$LAj1;)P^8+bU)vFNT<@zORxsgZ|7*CrrvBY)342W|izm z*eCD>`=ovW`wX{gR(E?4M61cuK~jb%K1&<g@1f{6bgz=7u0pZ>+Y?Z4E_;R-!I}6% zDuP_DXkND^;z6#;!G@H~b#EmTA~<XP0iaBe5aSSnv(|FXF-O2H%i5v1_W<8_vdn8} zcwKr76URLHolK+#|02X)Uj*#BY*s`iS-v5DA0Dv;>!@jw2*WZL*@VF>)15d`ge@4< z+(y)YRfjUxW-Fzuv9!Z0Lc9mv32JARuN-SHKl3N$BfI1(e6ta1^)@ALlY8Lxs?%w2 zrH31jKPrE<x5iVXwA0U^;7k+lQ-VVUxXPJV;Arca!%d#<gUM5Yah+r15N&8<ieV#7 zAr}@%SRQPJz9n~fgS~AUjGs(w)}N{aPakxmZ0S@LxAfaSJ@qx{(K3xaN#O{o&_ErX z|B_v-Y2^yFYaS+}Sg5VzmtFg7{G{ND5$fo8$AA>F)3_P5b|61Su&#MGQb?&I@+<;L z!>6loVMAUmWSn58g6^wcAg^B}Iaxl$$bFdB)!LWJeTeNLp$TqA|HvJP{RhE~1oI*X zVvwTXs&bG6u@voKkGG&sjNFS!2wwIlvEdGcnuc2z!BK7z9NmxBG(Pq@ejAR74G-b= zWG>Diwv**=$)5M|D{j3Hk<n{AXOU&qfrH<&tZMDItb!W<R^-6pXwtH3@n$a!3dlGZ zxNXEk-NW&=hvRb($K)Q4;XQ=OcpRGn)bS0ws`7HnuIi6SR-y#&j34L^JL13Z58L9u zM7W;A5IM$w(w~$P*ATAzDrr|mgUs!!s4bp8F}k`R6n0e<8NUTFT7-gR1a;t#rd<_J zx&}$=9!5~ptzu29s{Udrjf&0X#nPJ*&)@}8cyNKdl+Pe*)qQoHw7Bl8kTkFEE0|Q( zeFc-McM)&)ht7-RF#_|fmPgFBA|U~r!xeuPNhWsO@hAJk`SC{)ZnDq1QXW@#zm2S^ z+ET2%z>t-94Pa&!a|p7f0>smVW@8J6j1xnAAwj^Ds*Iknq?%1n7*btHPuNkBWz{U0 zQC&n&nD>msQ{6-Ka3LStXyhq`{o>w(es)n2_*|r=DMEBt1?Pm(4g{i{-dG+kb(`$4 zogf+{<D%W94mTL02j?sC1K2tcsU%>1MaKhT!xBt!ZhiFv23}ggt*<~j1^9E8my3~S zAfwkE%#TGHQ801{Cf&ya$ajX%bJLLOXGj`^@rUs`kSu2oBx#(ovG0>p>1vA1sZ2mO z^}V^D637l;Z0LgwjT7A=J5198ii8sq{KhyJp$5f|0)`t$O@Mfcc5f-fMFaJY+OH!K zI_=2u9TiDMWXa*@O2JXnu|3S|0qbWE-HJlV@<|#G!xBVMRr>Iz`Mr%C5T*xKq?yrl z91!0`)tNR>R41}~OdF`_W+#apxeXNcLCS#*)SHPxU7^ngm?IybilAi#MX-K$*Hnyu zJQva22&xnV0E;|6d@zEt^LQ9R?L#}s2x=1<K~3XEP-IWl!^f)5M1|RSGzFUtYh+N4 zzEX)$qaCmv!9!cq%RVSHMOktqYnG7D?V*UrS@uvABzveNj^eXvS7&0Ja}-!b5vsrs zVHHL5BWV@Y36%C*MY+&`^KwP`M*=L1KEePjQ1M&B*#}w65Cg!jTF}EXzFu&Le481? z$0=CClgW^Z!0MancPD^1mukF#q#@O$PcUydCkG!UwvG{l#Rac#57lRyQzf&XXHHc| z$z)E|fPghq4bHGJ#SC7JNzX8)qN1V^%5lCa72)GNQ!1)SAVaCA5P*NmL8er7%{24x zfWua9NtFcnmL(OHNs5=?2Av32##`}gB8P@tjnW#ePvMqScY{q}nlvmSK{9Dcl_U~^ zyBIkv+A+rwtP^y11>l?bV((bg9(fypMU9bncs;Z}VK9YwHeizGR5?_Bzd03=7g<jI zQ*){$&?uNwjo{`~?lZ@Szf0Cs$sSsBY8yz$vZgwpJUA`Dn2J-KWlTi~PSS;COvRVf zsC*jsB}g<lgBol}MdWK*Qk|KC$wih_G@gSjsR&c1C6(_qH>2V$1Qy_A1WD>18VKoo zAg*-n^}3QGDQH9~O5?xnwj!^7&2=@1=k`%Y<kN+m1mA>LH_rV`ds3c*C+O+d)xnx7 z)r)Q7mnN)PlhRD{P{3_GO)icoLi7xb10tjhbF41aN74PJ^;W3k3M54uYNmnJ(+Cpk z%vHRQccIXd;Hcw0tuCA{B=oU^7nt4oH?ki=j#Qe7BN*JQ>O+I0R%?C~QQGzn{6;yk z;DVf>Sj+q*b&*-sG?UOAD7=~K(MOuAoA&DNq8r(aZxsGF7$5-%tt1pnGLCKU)i|PI zjgA<YLmN>F_`_-Zdr*;W^a34q_B$x@aON&wS;AwbX~rH(J+Gzo4JoskBhgHynaaX> zu>4DXqQV`-82TtP1130)jRmcjfl<S>ih3w)y29#|bcxleZ((g2&Xdl=8qDD+D_K@i zfNlR70G{S?RT^L6o9vBT41m)Aa4kymf;nfKI^t`Artc7(VKqijNlgUh32r;}x$G4_ zTjv$VNwAs1-(mc{g};%Aziz#EunUMEFGjB*JmUat0WKT+&;0ZX_!z{I3^ql$pHATP z2$!aGl45RR=>`vE@A9)*$W?`{7#sxAnV;p8-rP#!i*Am({IC0OPIu7;_G)D4-@xh+ z78Gn?JMiqUJN_uB^t=u1Aq(tR{a|bXg8%ylwvvtG9VDH|Z*EV?$hv=fdgDOJL9?>& z+Mc!{$=sgSP_gEQYEjQzmlxj&)6#J?4VA<DvG;@>i_4a#&s8qw3RatE;E)<$gfc2z zeweCU*NmEd&J<;~0rh0%nkm5aHHg0)@l~XdwWWjfEOEcntEMO2?AD(;-)99p)a1}5 zEcR^}DR>r*M#;<$pBtjz?PQ>*MxN!r3I5B?C%ILr<=2AyoiKePuqIFryB_;}(`N<W zw|Vet?b|-Ur9oXY`Iq4PHZn0y?%VzwB0zDEr%!rA+;;)C0aO>aF;=+&p}J=m#XQ!D z-x|-mV#8B_52sYw&#KL2ISAH{UvcY3L}O=_^jdLH+*`Lh1N%SIYlX(kx~nBa+}lvp zf%veql{uE1w$h$<(|wGRNEd&Yg>vA>;uVb)9lqhmVmGzK@?h~k51W|jKsers{fM}a z@3+daW=hiw+ogiSRw;)spnH*;v4_Cp`w%oO!yWNw`op&P&k;6Fg6n9V+(tRLy?8u= zV2y&^R-uL?AxCm>Xh3kHsMhosg3T61#&1Rp7$Ab&<Ak-@;z=b0{B$>xggCjR<mFB} zuUtx`a<h54^k&3Uc!?AqTq3>4KOx~29fuE#MdZW6JK)3OD3UBIXN2O-_`w&$R?9=} zXRT<+4e?(h+C+#u{_p+a{P;r%^Us=GDUZbWk>I^z7=#5YBXAV|J^{mT1y8-gOywrh z#ul{eMxJVIvmpD54W&E=8?EU)fSpz$4`8b`fd{bH8c6}uUKL+GLjP_`daR&PruC2g z5wo}|-bI@x>NYk_mt##A8(zjQ-!zfiKXUa)E-PB4Tkz+^<|FbEL|}zBO+U3tGO1eQ zHrkf2fM|0s5>5G*+X9=W&^T{bA42h_H8{z)@elAi;Fm&-96_X6NPfH-;eoUPpB3D5 z0I}iJmocbYKue~DZ@x)V+R|Rr%wB9bi;V;BF@_9sxNyGD3PXHoDEeditVl=5WFMx_ zibpP_wGIq^z-I-w!G_O@_i0B$J}W*%`)Nz|7`2<Fiw)i2r-UZcX$2AbV5b#?{UqT( zh46sWis$eKrxo=0XHF|#8;^RDPAh08|F2Ff2Id-i^1nN+NYaPpw1Qs0!)e8f<A9n0 zrxkw(sfZ1);rD!}6`x>Prv2L8v|lUurqc>YjwoIFo;4SMNj=cd7%+-#7HZ+wHGGGb z0I<13BVLJf<$jM9_84d4s9uPZn-Yr(V-YGJoY0~op^jSlIKb>5Xmb-<WpDf)yvW1A zJ?@Z$gM1X+;5iIKW4=mghwIPs&DB-W-&F$|D*k`M(#<(JwpGN|f!FiBR3y&xQen5e zRJ0|%RLt%7Qo#p3>7@eOs&15KlE---Dsa&};Gu%M1fp%#-_V`&Jyh`Gf`hkJ@K8ZG zpncT|+IS@)2JNe^InP7Ie3j4FV0<L#Smh0h@%0mY0w4L~`>Ok~uOga%f<y<}SG^9r zm{1o3%AAaKCicx8)h0j=_E13!@*octQCf!LK>%4k8jwqj(EGsLmd2RndQJS$_G&Ko zRx!8tas2`-O`F@B^jN`{ek)q~f5mGBb>g3Ut)QVW_gdOmQ0aGgtsunwOI|DRu_bJ` zxYvrx@Ag_Ti!;7&d#y-La6RKj?zJM#-imD)Hf3F?d%$VMZoFX-c427$FFCCsEFcfg zJ7}R!I<25s(}_sZX~o-!8E{%r`Ui|Pci=VPw1V;^omLR^`A#c-h^>G*yx(+ML0CTD zX~l=X|3>L>TEQ9HcR8)#Q^aJ%-*j5xhtdp~@3);+@aAz5j;%vo|GLu(vtPu|*j}za z_FYaZc!%J$f`A85mif(2eV{ZGH{x3>3b1P*LARggaaGu#Axh)30@4Uh^f_~+4_~Bf z9r1gC%@QtMLUiZ8FVe+`jqkQvc$v7ScnJY+mCn6}^zXKEAEw<FoH#C1yuz}2ukaB5 z;`p2KfLEA<zaQdnGt#(HiUK2gd>;U`iSH%E(?BWwmTDAx``Lamdjo>}&Mp2i2#GX> zAc&7*zaM~D+z-(Ph#(gOJRh#lWe*L&T#jIzj%w*Z2{!w`*@pg;xjoK3<?G?gvG84d z!Q_f>e6#H^E>rN0IA|@;IsYqk?I}0Vm*kGn7uya?uZa8LMZFat<hiOcK)!NAHt;Mz zTeN^E1QtH>7?y$t(3g<R%>&SE8TH3>XruH|3gWCU(Dj@CDAp(F#0cpNSh(5$Oh0ax zB52~K0qIaOLW@2;Kw=QQ)348A(E-pR1aaH90=uLCM?OzCmH6|(=jpJw8~mkCpYzQ` zxpgVI2;T|T_!j_3S-4kABg0?6RyrLUYWjkfzY@0Eq$=Mg%?YRY+3%oVN4BHAh$w;s zQ$Ms9t|S;Ry(#$M3=AX$Aev;ejk(<EKR(m57gxlDM%sn<l)#Guw7GlP?1xa4u0sP= zn?au)z*nV-m;e;t4g_MORVvx$2l%JXtD;g_^82_SSB4$)gY06o1nMxbD5nn^fNJ@t zNp3gG(r4gnl0ZHAaIT7Ov`G{2@paY>tvqBP%k4RVAU<XOB%z5+Hm<{J7M;Es;DY>$ z!JET=7DehLYMB5-{a7k}KLL{hyS6GgyljKrChBDyITQuC-+TCVFx}Li+r{l@pr0<l z7ziI)J>vO-?tYiI)s$pQATzj?cFGCs*;QHC9$k_Gr%6N5MpMT<3we9#Tq6d>u{OBS zWWt3+!Y=*eekC%fY02||Zn|Cc@8HG|eKt9xr;bR_1}zqRJz`9ccOLYQ;D+~lfQD@_ zN}WS_@Wlr57&C*yI6_>yTOEI4L^lPIVa&jl%e>)fQO9S0}4Ad&DDqxaEKe!fB` z%eZ!i9>C#YK+I{x_aCD?g%<_KC@P)<$0*du^Nvw!EwJzPgRxWu|CM8u_t4PuZu#MB z<sD1|vUAo&=I$@?yN*q^BGo)Lxs0%39-GkF1u3y9(l{uxje=So(=;6F*SOAr-GU0# zG;$tV=0K<UfMA+wLj6qcy>^PS(QTIt@X@-`{M3INDdm=4NRRB&3G_%W6}*qz<W%;- z1fnPUlxOIoN4(H(Zonuc9Tx=Hvu(g3Oowss4a(CNE(34WT7&o&EA&rX(dV}Tfp7)$ zd3`GnwXSoRpK0Y1h~J5?1Q9F$5>U!lsc_f45*E`f-uOu#VKa^Gz^E#<<tx>ND{*6_ zoOOzky+{rhRB4-+DXU7H5Qbd!XQ}*6{|ztTn^%=SBnT~XMyza=f=GRHDbmdMdV0UR z6ztJ_r}5R7m;PJwJwopbOQXs62k3ovDOLg#{y}=5R{EpldlS8nE8UY~r6Z%DXO})l z@A&x2Dl`O6bymS4(y=Oa^D5W_po5F(W%<gb;3GtiNe2<B>`feAfz{B57fe=@N34c; z`7D#s)DOkjN2N3y?K$O7IhSdLY8{z(sHLlj%NWwDW(k#gae(=ep^g~L5@Im6O7?Gn z1}vFJUK0Q-Ts($PSTLCRI9RZsCMPI|4c-KHjY{l=S|i{P?mO5ERmetiC<>m>UY>X= zX{NUbYHgLpEde!M`v<<96(gl4c=&h1MFl=e>T^2O;b7NwvnR;(%^+XzA0~*8wv-`C zpJk*&dBfS1)|dj*1Xt5Iac`Tyj19jIXh08!8|ie^2Q`QaS5undb2Zw^PywoII3ZoZ zzgP9Ex^wwbYTdaE`R6Ff(S9xTrE!vpZi)?YG@~hPR=(tzl_95<>8BU!f8z-qNTAgd z4a9disex|8R(xVEIq)x=Q#X5=be39s5ouzM=O4s_3n?h&O^_Y<6k-;+7DhMF3H0I3 zI2PGq*YV0zmR*Yu9g)AFzF-8U#k`G9G~tF>8Pa^%ik3p}#1G(!Y+AY5$*iU{bkFRZ zfi*wbQ$33fu|Vu)MmmxfyUOALEGfvI-ku^5#wde3o{dQKWcgCy%nl}J*!n*a;et|X zAXqY%T#{h6-}oX75*!$x1MaKIRIzbv4!$6PkGW%o*g>BLQD;aPX)LXDQadwGw&PPG z+TvbPC9ABA)^@W@a5NHD4!KHE>ox1HC(X38#=2{@MC&IhQHKb9(JTF|9r|-H$c8E5 zC02HOUob!g9Kp8VETDWReKthppAdmc5*bbLMcR@DU9h`0m#*VDJpI7@U{Fm-v9)v+ zSxZ-u+!fSHo#;Ry5GZU5yqWO&D+2+j;hADXyEGGDr6+Yh^av8|lmOJ463_wc1{6sR zWc1X_u6U3j<laha$pdv}SYb<cfS7<!J<NgAF#H6+(+-(?5DV;g5)}RX6DacHe9Fyr zjFj6GoM<b9FE9Mq`{IjWDfl{&loi1TJkNCOq%Vl*x5I`Jjn2(OKQ(-uNQP7V9E6Lz zOy3Ojbo2KpeQPt<MR30EVqaHrm*<R}e&9xwth*zpWtY~THFQ1{t2^C8x>WAF{mlPi z?_1!is?xp}H$_Dc-V$$lR8$g83^foh2LT0=L{ZVykOTxmKsd)slY$*6@rdb6Gt+g- ztjVUPvGUSgQ1eoj+SSa|%4!o%Qki0r>-+!L-Wv{xX7$ed{l4Ef8=kY)Uf1V&*0a`L z*JpiDHk`Sr8@!zT^0^^P|DZTe4TAukjqxwW>^)8-ubgwCY)<W-nEl+1hU3ZhR%LVE z+Z`kQF{u&r9_#(eIkG(FXrgu)S)dMEN{?YG?*&ne?`({}qr<rve_?A0Q4EhcYWFTq zkj2>k=se*Syz@mwuHasbVtZ7qJt)?0)oRc?Dhq&KYVBRv^lfU3VRP-SI);E{31_Oi z12;4@OjaP-Q@R>=8?-D<JA)Gq+5R&zHF-T?AfP9}->KOgkB3h?qpI(z>Z@_U#0!a4 zcZS827C%@>3DTH@L#O^PAz|#ie^GdIG{Fv7L}gK^JqVQ~5XIDGv_Lfb)X@UTI0o;D z(Nro^VL=2@eFH2igK?t;<`C_}MhkERQFqv{(c0Bh`0c|cg@1;PS2Llzil~SJt!uCl zC18V_P>NwI-GhSzZKtCCoIBJvApl!#5vGP=a3G??ii8^2yjLWg;q4yS#_Ii~(h}~~ zYFW)jtG$)(?_1qwqrbhS{^GBF5`k9nO>AjEf4R422Nq~b%C6RuVcR1Dkf1h^sEMk% zl2zE(HM$3+j0<2jd&m}8wDOq!s9L8`yRa<A3U~sk<)e+@A?b>~d$E@{7)9n`@3$fy zV_I3Hq9YdKUL5gy*NBU|e)^Kx1#_qFvA?0>YR}<UT@6r$UHm}ggn2&H5&es4Q1ijP zOhrXgz0k9ce`+ak+9RNoLsUPaA1+Oh^@mFnq%T8{&=!WFSX#Iaaz|bLZHqjiFcZ72 zi}!h~oal*r$C~)VyFA)6u-IC>GU4aq^q*r_CP+uo*~(%|$wo*I802Zs$FUEjU-&r) zV{?o1VO_Oj525=P<^)dmM0hR&3#;S>lvMg*^sCEb4%2ls&T;62if-7Ed$^mUqiYXl zmf-VFB#IbG?X>SuXZS~GoshilvgvG$ME*g@e><z_i^2vmTjq}=k1<F4?s53EN`RWa zRx$n%!oGVVD(%suDO~nz(36DG2XCJG8w|dAV+adBTpn=s?wAW6)dBcay}(O`loYgv zn`gB*euYtaEhSGwh(aasu;B!lrSu`Zq773GL*GiIC~UfN5n7Aw3$b&sbg2rXMeMQM znF}k*X%Q~$^IjATonn^KS#Ywv7IPs~VyDN|c)`A?2{3q5;svg;Rdv7{24=X3S35n7 z%<*rt!@eKaslnkG9Mp*$?CdUC11@KKmB*YUA3sJfOL5IovWVQT^|WVW2fC&7X<!ER z45we-E*vvRwK^@sBj7;rEqEfR<<2Y!K9IEBl?;oK`$98!OG!Ljbqr?fj(v9kgHrZ2 zt6CyE>;mqGsT?u-0)8CbfKTpstOL(HU^F4PKC~(YgpDSVj_%3Xo(MA#H*gp@@4zQm zv44!B(_i<gz8`EM=Gk7eu&;klVtMpvMeY24N@_5|!+9!1^{S0HUi1l?3dl9DqILPH zOK4dGDAyi=t9-9ZxKR9QQHbxQLO>K&`Qw7`iceb>e^%7`jpAiLi<Q2P-l{e4&RF^m zRU>IVUGHLFYonHAxoSz4)K^=xEy>0qPN->#IRiGyBG~<8XEs%6it0D`KXE@8d8vG? z7r?N9;rN18t;a|UEy&w$bgDhzW!~-3i>aE1)d!_RL0f$v`olP{t99U*9I31Gy1b_@ zAmW?_w+QaRcI!59*S}-`LU2sL%*59Xo#JJ@f)pQ<W8uqs;C7LiPW_5d&^(@Gv%i5O zx0t3<d$D;wn=%OfTC;0ep19fggt<e!GXw-`>5z;UznS643wolEfB3SK_Mq@(C+v!| zphPb!gSjX%?_x#qW>Tzw_?0RT{jyCxW34xZc31tq+t~Td9vKFn?2!B791gF`^~gXM zv~5O&C)6rHW8x0a>M!AF+15I^(%cTNtM)(?<5E26H&)3+j`FHp5vK0KJ01FtaT{K2 zfaRVYt{wGpxud*(q#HZR3$t;Nosy<owk>QC`c5)7-11KE?pW!^>E?*@1+8$)iPuL^ zywZA{vmywZ8K6~Aoru(TrW^aydA>LMLZ)xWNTJ`IvmT5TiOy5F@xr_?rxq9Hpl7Au zj)R+Xz;g!5M4KeEfr>Ra;AWqS&*EUZVQVFQ5|s~Cu#I%t0xPv%=kTGxX{9=pF7~7} z+_9ss*x9LW$qRjF1#b$hP?YnMJR>-@p)`#^3V=QEoW=${Gi<#LA3tC1=r|$ffKuGs zbMbvF*I{#fCs%A;=w8jSRNcqo?@A1s;z|shqICjM&RxD2UB`kP5X*mBA{b>uCdU0j z`X2dRXet7|b>1LU5V)>xm67(5&f5bANqdV3d*Gl&gK?{j%kTNJiGhB+R_6BS@oDIy z)O@<4pZC=;=)=u4u%y6Jy^Ti(j4OyBcAy0+J<?qK9E%l8y@><1bWHYhP4Nq#?CbF1 zwlA?WY4Xc8P{m!{#;_m}zp@*A%c8u?ZuOfsIdR6!IWuQru0tNIpD^LcS<i7js&O z!icFu-w366qo9M9T<@j*_-9N79lN-3!f_A}Z|4c99Wll(ddEKWbqqPEZNQJa_LD88 zBY@;|EglB~XTEH1-M<#|i*(@5{65pQ!LYlZdF+XIR9EB7BPO7CuCfIN7LCHeGYu3^ z*XlUp=j<C2s?qH#p_8z?C-fe_S<NJbNtlOKLeIM;^n_bN4>U>0bx}gN#i`gnM>S1n zvVB-ja8o4O5`0Y|`7JRejRKt$D#Mr6EDyo)%OxFLIO#b0436csGmc`m0}Dr=fy&q) zG2x_NLA-ZD#Il;(4`!fBRa>3oy)P_j>q480+etl~Ej+8+QlS<iJcw>9PS%_IyEZK1 zii1)rAmuiJ$qikPVA)-?V-CbAg9^UHKusTd?e)L~n?5}-2)5i)39Z<uPZYd!mFTCS zlfDY~dV63Xf1~c;IL+?3D1R)_&2V|VBrjZ8?sd>vBSUvME78~X@K|BjT#<E%d0oj# zd*GAkl49uvhLCp8>bGzsFLMd5+*uxZq2Bg$y{*o$nbM?Wh^I^Kox|t&+x^3?rgmUo z^y7SZMKLxwakOBpWqh_6O-oEo_>4}DtMx!FEL+<ll)Ls|Ou|*a$%3+M#l@SufSB6M zu#Af!E7^;2p7&VZFFe8jc5CQ6;dAhL+A#$MJb8L{E13^1*qog&tw3m0LYxs*Q3|YK zH+!J<EoOXVW+}-~tz4}$HUH<Tn_$=4{E5|UpzdG4>cLsC2zc|HK0k!`V&lki4X#gZ zl$)h=Bmz~xq`1Owy+6O~Xze)53R!EYeQ@Wh&SA)cWh(|M2{o>=y~vce()Sa^=smhG zuo#miOwm_qjpCiI`nQ3<)7f0Msc;0LP<YFhU+6pMzQq<;oHK%1<Jx&H4eongyJ>nI zs-6J*Y`E~)6T%#-I`r|OuMZt=v(Itn-1n{;gu($F`1qgu((6z`y9k6^>|0=oK-fjC zZVZM;_o;!<FbA72Y<}mC;4+0H!u19&6Z?qy+`PlTe!Wa@fZ5KtrUj_Eo``ps_d*B4 z^+sG+02DSsPu*GPKIz&KTp1g&W0{AoEG7U$`0zP_jy8}E-m2(b78B?i&Jtw-1Ys@3 z5r9&lIC;O$W)<ZTsB1T?!6<|ix>Ml1JW5v^e-3@xg6qqp$NG*I7<(=5sI{(u1nz=# z_Shr#??>H-ev#>r%9(I#wMTsN3B;?y7c(>*VxI}0bH@HOHt1o*7=S$4^FVIg+HnGT zyM|NgKvI$(K$Z9hYBfk#Jg7$HrRaQI<BGAepHA81?V@*Y&=K$99#I{YbS;CfjpgIq zkRL(hBPthPr6q0$=5@HNF>_B#VvgHGs=Fm>_d$>vBd@PcAmCU`CLxO&g};s-+PpqV zN#S#>4)3I->K0HYtTZXqCWEnovNNZuKtZx*!^an6&NJHeu%I(JvpoGIzu5_Op>Js) z;~-Z3EFRMJr9ii|qXIaBP;Z%%kuI60*M&sw3v|z&y8@dN@5z%JWJL*zl7b%YQqZG8 z3apfZPD%>=8>FBIr2ry;9$R(M@=+^f4f@xMhq;%1yVou*`<omWu@Bm)?Jt#kk4?-L zN!k${9mLRt{2?Wj0OSNVwx|9HxT61_4=DiGlC;)KOlF;`XVx?M%`odo0htx3m}T4> zZ?dUcH5fgbV-we0xZE)h9{}jt*SawkEWC73rk~bYnf{umGCOHMqMV@eK>Lp72(4PZ zTD8xW8K{a;E(+4#RquneH<cNp?NsJ4?PX>5(4JRjnD&%1M`;^iI(OORBAa%va*Ed0 zDl=AFsmzI5u`(02CCZ$t<tuZBmZ{9y+FWJM)n+I&O-oc}rWUKr9L=W8d@W3wb}dAi zOSB+m-mY0;5{0eBs7YD}x^69@wWYGIq_qx=ms?lU`mM5JB?kJBmGvH4KUUUzX+5Z{ z57PR&vOYrVOUn8ft^ZQijkG?dtgp~|pR!iax<*-d(dtxIw&~guWkqEb+5%V=%ADcX zQj`ZLp0ugTdYINYWj#vk7-c;{YpAlGq%}xcHClTr>nU10DC>K)wp3QmuxWL9r2h=9 z-zsY@tzRlD2MF57%8Gds(66kVeAixARw@zEUV>Gj?8mpKm4`pA>y@<=t$$J009swj z%H5Y*v9elebtr2ft=Y;NL~Dw&4x)9cvWCzar>w(h9iyyaw1z6{C|ZM*6>~bEUs<DR z?Vzl&w6=s*p*)dq=X1$|L|VU5)~U39uB<a?J*=#=X?;ss=hC_ZR`l!5l}o+a*=M?1 zMEEG3-#BppFoHlauy=&dD0JQIa4FYa&^NakE`QKnLLz)J4VNtCvS?Vu@EqkbT}!4* z<BTjNU!!!ewi@9RZNwX@r{o{u6KlBi(p@@5_)Iih+UhO=5k85A%TEgwjy)oLrW!6) zx{Ec!XNKYOq3#kG;WOKCd0lr2i}1-eT%OlmMq$)pxUAP*Y!N<7441ogm*@ze+YOgx zx=U<?PqE>0t8!U1F=BX$a)GXGx`6un4h_bO(~Ug>*eHPEJGSSn@@!oJeK9*cEKhj{ zLX#GT@B1X&(feK1LV4}>ux#)SEc^!AYIa%84fj|Ko}SF*D2%wVPpqRBjKxBIe&fJO zG}F7QLor*3B^K|Mp4FeZz6-8d<-5|ag{@?t-D{HLdqioEg)Hp{gf)+j@7CAw>#;?D zd}^RKx?aBLcCb(G80GRD>EXB*NcA6?>fz|u`lP*QrH17!Pe)fcwjY`5<?u%@+_}TM z^-0`9gI?v%wcRTYop4ro>^!#vvM1~Tt1vg=fn>e{frxbU+zwB=KbGO*qy;?QhU;#o z|2oot6>}NYD@~NZzhsW-(C>vJeOIOHkk{^r3yXXsYAts>g5+16FGgAgJ<OBs9h0X! zzp^;Lv_xFEImO{ql^KFPr+XAFop6F3=h(64U2x6!kITS6i|1_EZSfL4omJiiP*&vS zwHJH!J3WhWePFpiyw}3K2d`@b@skL!1Nt7q8fr^ihOu&j$Exw3NOt7}+}!Tv+@liT zU!OS2v_7l~<$+^C&OM$);qUdK*6LxLyFG{?4&cLgWxX%bIEOq>0*(US1MCOv0=xp) z3~)uSIawBc_eq!<ObzBKn5SUYz^s9J2Id)<wJ>X8*1@bR_bvzN!mGxs*5rmH(E)%! zKo|hM)|*ps{Shg4x9ij!E|h6^j({Cz*mC>Oy7Jq@>x?o8Y$$`aKY#yt9rAtfdE_F` zeFRQVgcWI-WpZ9GlVFy~BfteA7<la_*xv)x0alIo>U(JA1TW_|ihHLO_nvc0nz$KZ z8p`S$Pv>b>3M<`0u5}9s3P7PzX5V-@PqSn#cT7j?>lOoPCjy}vfVqH7Kt5mzpcwEc z0C?R4yzT)r0A>KpPB1&c^oNNd&Kf_M7`&|Uh3N~^8>V;Tve9|;G}7A)*abMuw9T>^ z?*$IHm4$i-wQl7A+7L!}YgBe-MKjDRYp+~VHB^3(S=CT|TRtA&7q(Q;KOcmtJ?&%( z2B6c{qgk>oLErK!rIY_)HHI@bw^=rAKj!bWpAmLvrfoAySlvRfAqX=B^;1S02H|Z( z2!Dq0Ck#Kv;1eXf+D^pjo9W?+-k8b#_SUn0UT94#{33Q2oVs<NpI3tK%~0dwLvQR? z!i~GbnTD>%c4xLVGnTl9A%8>P<6*UhsZG%h_Rg-II2D97%sv1dx4=!Im5wN_6<0)| zdHOJ#(@q>p^8@@EQC!cT>S=QEY}dQm90<zH@_bCmS5J2BbZQptpwL>_d&k;4Xm%%u z<yWERX<cBge(^Qpw4OiJSG`6;*Yl^k^=l+`J%6xPz@`*S&G)FD`3W2)T6O}HNgu#9 zJm!R>B^3Ogd>lJRq5lz|?z{hm?0I!do%1JOdu!)UZR|eIpS&I2U6baPCA?QQVJ_Sq zV_cKc$`TIlnUKalC0z!&+S<U*vV^0qw$ZS7sn_s?qszLw5{`nQuH@Ne(d~U@%+cyk zwA~M3#kht0ggDdaB^Re9$!RBMLJ7?rUl+7<FFQ%q)<UyB1FUu`zs6`mx3-BBG~6C6 zn~)Y-p?!sW*BgYu1}-#|`iAI+SGA*&Y{7PWDh#LYduj-$!tgo_p`c;ea>oh~=(-U6 zQ~3mMtOXS~lC)BsId>h#`^<>Lg|RR2#5^pR@$=dlv9rLE$ZZPpNg#}Mb;nh>p$M*H zlxvmYY9CT5Jrm1^y<kYK${cekqm>5!56fC$KP2`%Y*5HxT1{=3Q;OxMXM02K@HCYU z@6phup7B*+Y>V{C4wwOboBc6KfIA)hGBYWsYgeF7ZA6_?l?l@)oY;21*rOGxgw~p; z5pbt=7eeX`<W$QxNF<jypzze(4C*`;*f2^(T}s082F?jiPsScPtqSW~)cJ!O3&3lP z1~tdB%*~Jq+1dIn+8%Yo5&O=r(eHuznH%Ay_JvwXlvX=+4*~8d$h?;x8<>dvknbhx zePaE4rg~2_-#5&F4K0R$W}==V;%t}-xApvisxbWw2bM%9gtui_`&fjK!)bNZQoB2L zZ4JVJH%M(#?OL92baFN)s3vE7K-(x%ZgDoI7MmtlB=`$q71g2ZiAzL`X1@jr!M~4$ zBKT9VbX`xZ=mT+}4_2X1DNkIe03YRs*#i7Sh2{z6$x^PL9xX|&A1SlTo!p?wva^<3 zWOm*<z{V{I5O3bu$0;8wJ@~}+L56drz%AlCJSREMfU2*84{_0_%)2$ZNL>3tw+<@W z(Gu-I1g!^CG;{*}LtnR<=BrL+CS$v-KXwQDhfni!bTC$B+<TIrE;o@Wg$+H)PxNi! z8D*Z;2i>sptbWh6gLf1MpnLhPj!ZiPnE^nix{vGI;O{Kk{90fJlzUyVU8}_;yVnhl zYVO!o)2Fx$sT5N%=qWNGOlbOLCuWpI$6uIHl?G>IsZAj|Iwe)vaMOw5?TJgScAocK z4t<VZj!x@Oq0>EQr!vag>MvRsL^T@MmzF_-l};w5nVc$^+F*7=3r9AXb7Zd)H4RE9 zeYHnXP-ri4$hbNLZXV;YYY8oudGTT(1s-aO9XE&j@ajdoZMycwqlkhs=!shz7ri-M zd!O&xy~xv4Da#Vo?t+60+l6eXBiI>*H|!&={!Ghj<laknhmP7e3|hIBEaJ^Y4VOjw z<Fd$+2xg{U9f`{#{jpH=Ev9kpAk0^Lu0JN0U5AOg=1aCIJ=OM35yuMsgTJ4iExe8= zX&-OlP|%NOpiR}uFPy|_3hg?qXu3BC`o(tmE|w1af=5Qe)NcrW!?90+^ODbCYYi4! zdudy4M}RQx0T>4F$H2<3qYFXwO(hqS%6llqk~kXrRj<mguqF`}=(+FU`Lc%sk><+s zvG|2{XggFCdN>9^=*}JDmcX7`GSjjOZB#?@$Nzw>7(J2p+2}AR?X>XP30^vKA6C?y zyZonXtC1K=2WQMM)Npy7jc(~(jEj8nqE*}r&e(FW5)q4ISXKnYVnm|LOAc%4`WE*H zpscB?-cm9bp(DPv`-LggEG3C}mz{$s3lAxlsL1%rmJUK9RNi-IU#wV^mD=#Ss+9CV zMNa8_w2`aYxVDhW&<f~D<X))K9(Z%L@Y>^C0tE}5S0xTxIql5Kgdd!9!>~hwdIYL( zu)J28s2$LBF&pVBXP&`tdL>|Ar!8Wy<<7^EFv6Bb!yTJXlMoUGt2Pe&(HnX>q(Y>+ zJ9et-fuLO4Ee!QWa%7tAQ=V`JjbnK^6Pk?UZsds(Tc1GH_au)-1ZcZc)Fxtw+!-8_ zBvCE_*6CLekmIcp%%!q+l~Y>0D$7bKJK<Z%Cd=xx7;iaWCH(>i74gNYPm_CU8WP<d zbEa*hgr8LrnTUsF^(MT?Ql>9e>QzppGz!bxqdXnGE!#pv_c<?s)0I${<W$IbmTe(@ zW#!D-2slM5H|^=Zs5luBij$VoIOd}g^)&FbUjr?BiDk-PD{2(D2LkID=-6Nc9<K7U z+;RSA2&pgpUF}wN)WfWtY8mEgR~Bsvt2zy73f)K145MhS$7}Jclo@DFA)+|&#jm-N zG^`9+?)(`cTyKV+4OW6sUK)!)P?uTQe^p1QwS0($R{SG0S?YM~7Hw_gantJf6&GYj z43OV<)#y=zp^34)Gzg(lhANTfi!qAXsc;^O7dX_uI)ZLHgH?k7Eqs<ca=`v7DhJY0 zhk8^Ns2kF;@N+)S3IW`8%qg<O{bnK`W!cuz>zLQuI{r@J-_2tSOEtUgtc<b%mm<q+ zx5pMHq5o!-`FrhN@hTlIkg^wkEoE8kv^1eCm2U2oO(11AsE~SHS9P4_;GknUUk$?C z$U1M372*1`683E!Je1UXy-m{E=|o+UoQ-JE3MxX+PM@ARtt}5g*HoiImY2sO+2Bg0 z#3|8LnK<20q{*cX*Wrj`mXg03wMdmJ$k?4&UNW4Kn=4wopVt-!j5t>GW;N#e`DM~Y z8!oe5s(R~1tk+vr&~3nu>aoCuF{#H@ZXsLburRaYW5A?%>U^BiixgSs8>jD7-w@%* zalWd;*at)RWVot=(7`(g%Rc&95iK3ovXJVrM)l0X>&)t*W^2R7+=kJf62s!KZfb!f zQ0uAU_W&!jey}>NY6rcaOCb`hnhLJ=;J(|NwQB4I!&nt6EY<iA!PU5rDlDt8e1f>z z+b|oBu5fz2(b1J1MzAO9gK6=wUdhpw9_`WEunT{Y29VrZ)r9j1OBXGnA?0a$X3ZUC zsf3q)lqHSHlBSKMDGlxhO&vAQ`lR?xUf-CO4%+8f=rTBeC#=;+E~$pIg*Vl3zMZ7a zK;OBZh89q=ITSq$3*0b74S`%@%+$sZEf9k{JWt{b0EU5GwKC*@>t)M)wVe8Fn<Gqv zuTGeYdFcb0%cwRPW2!a@!ANEmHJiBJ)H44G8O5oCG1AeFYE3NA@iSJN0#~Kg<o)Kf zniQkSYUl@{|ExMfZrUiHM!Viv8|6m2D9vYON+V%oZIslYWoV<^47t<ng?xVyuIOq8 zYw373dQHBt78_c5aLkkHo=mMKsczaR7e9si@SoB~iOv7@+9;LMzp^cdNr0gok_wX= zbW%QtBmIUpKvN@S8JyfSQa09_QvM2}>snKM-L<CBnOaj$UqH*>a;BS>O3NWGl$&}g zl@7}?rL@fCG_^>Xyr-h3s;@8#HuO|B=uLsXK3#9hKKQm$YAyeVwNzqQQ}(O1R5~A5 zirA_`ffco1HlwDJ>2`v*!GbDZ*mVtJ7pbZIH|8*!Q&agq+#56_R_$i6=G9a_1us)g z<-_%MYt^4%|0Ok*c?ffPHI)er0sSd4G!6ABR8u*e?@*pHnC22_8>BhIQqmKq^Kr@s zHK@=iR~lM%MU~4wQ9a}46;<Y8Zl#f;%0Jhk*>P7?nSc;gFXOO*si<-rzU!8fY3#7n zCRy(0;fQ7wRc=HNUn#1jHY~(26;&o7o~|eEKdPwmCv>hc4!x|R%6$l<G@`I?3c**3 zDxU|gR8+}h5{3fAi#1|iMp5M#xH1PLD-3v{sFE!jY5!$Kl}njjBSn>?bVZfJuSikl zFp{DdeN_<bjWktOegpxiYR@3G`IftR=MePnsPcoRN(thfwa`@gJP@VklO@!AGEiwg z`5b<Rwn3d2dK>o(S}Mbk9|t(`KmMYYN|QlXuBGx5@YCypYeKCnxvr`eh%gFC*KG-1 z1WNobR#tg0-2cbaR4%{AO-&_RdK7oPno8z$<!UPVk;G7vwd7(ol}zf_si{=ST~1A< z8NiA;AxsAzoH?^NLa9?xDiXomdNq}7NObMMW##;E8!9U8XdtMfauz;8N|nlMh@=<7 zo>GPz06A(#MdfgWU!?+ET191hggIBqLqV3(E=>Qosi<sDcZx~g#X2etnK6Y!)z@EE zQmOPWUXhZ@DThG_6{qNe;rh{eK74r#FU8YeR#G_+qGc$loN<woN?V-Lhhk`{{O-4F zsboC_&tG6s{s**FlJZMxsXT=V!AANPO)ZrVB35%+D!ct)wku7wR5G8&S}N~ulKADc zR8r%l(o#uFy_U+Ae4&=gHtbxmWv7-(x>8FeO=x`KudYwCK}%)f8PdhHu#2^cmP$rI zt#{K>iG!isVcd+CN=4K~S}M0<(V`L8oJvQhQl-KcNjrA~0z6JD<~o~dskG=7HuNks zRHlKQhMrPtQh5b2ph=}1_%zeSZlbsH%{Yz^vAp}&y*6>rZkyN*=(EQrasjsiDgfWX zPu;iV9lRIoDhK=Sb?xdWYS5G2ThQ87IrAPIk@F7RIhggnR8&`~ncc~gxx#|Q0Bo<r zTv0NP&emz1{Ba(@rpG;w_S&@h=4i~d$Ms=#Jk}Y@6Y4PL=804)zT}2X9B<KwSExp< zu>TuzW>z1#)bYKavELB~gHyOZ+bMG|$A{5~!Sjc__ZEvjzTBAKLpy~%#7+!;55d$& zgsz>gcl8lt!!G@9+Abs9ll9@WiLh25Qb&}^N2w!9xRX)8zyYf1Cl2*?eu@hm61A&A zYyHTP*E3+ZV8d}6?L#(?Q0#-d@1~uo?y5~_$YGM6sgAO_>gb178As+^(@tnx;g4<E zzS>R9!dUt8Ie`yCCW}COq#R7bQJAtw9uaBljPvu|6B$6S>h^f?E|2U4FE}B(a7Fq$ zQ*p(hN5i5cHs4e%nW>*tD4eVx#v+L(xfWbj;T+XYI))oJta9w=xY~&eV*IJ*+|e;9 z`%JZOQuYtkUP;+!v8|gEI4#S1v<R)3RehB<JKbcumIf=z0i$)bETrzlOYqfq9KU({ ztcbR}rnE50RY?t}-zpsRxpiJ^bXMJZF~T`2MA}2l%U*j1ziIc6v-`$f0t=^K3(QVe zch)|@>WDEJa12(Q2v!Hh8`wZe3D9=H4;X4s)CWhnMrS#?X@4`qIP1e`{b8+s|Kfve zXQO=~3U9f*ebrrm8bx$H!g9|KFG5vUqJlQ#HdJFh9GU@c_H_)$9eaOUi?Zd-eR%JB z(M6;<SU=|^?jkjXCIkf>J_lQwRNDG-grO+5JUWaDW;0RG)cqg8VJEIpUFM5S=H87= z>X)Q1KA3{DU5uN9xS%2+)3+0-_;?-|g_}jV!Qg0i8|^wKg2q<egv)71xSgOI4xaHU zYiYBTNAP<!>{aS_;qF+T$;4fJE^p=Hqn4^`EY82c`RsVyqBzUB9BW%)!0@k32)Y%( z3FX%PVpjN|{#1MMqFBs8X+cQCx$G#829@88YkCyjOw-;SFC@gd+g9zwB0eskMEW<c zAqP~1FL8UU2Tr~P>v&dPXaQ!P@bRiCbDYFfk8~`ZP&Ej%FY1Qf>{W<|mFg3yc&X)n ziVhqs(Qn&zwO_GA(X^wm%WfO41@o1=Z9c83+ynROB2x7ym0$Vbkg6^T2XO5MZrm`+ zYc~ZaS=)=&om};HpGv}qO%>upx1bQgX4L@f%&?rUn2f3eO|FPgg!RnNiYl?$`+DP` zNrt7!0}$!YA1i-C_+#TwB7f%cC%?R`7|F*v4q_ekde;tUf3;hxz3|C^uSa>De=JS{ zd}gutaP0{FxbkaHyKh<7@;L8!=utS~WpA;vYh<kB$5}IWx(=WF*tyd`7&mNAalMP} zY4G!ijCcH4S<N^|$@>OJ?M+qF$V%Kh6^1rr121tgwZ>457nd?aKgM+_{<!h6eZ)_T z+M-3r_J7Z^0MzL}=r3O2>k6bIixzd%YH+Gt-#T~?Y*_HcqG13xy?2Pgt2)nODP0Q! zaUiJEi#SmvG9oG$jlh{03zBb>jJvh}cpqD8KkacOpr10)?q^y&jDoJ6n>sDT>L2mb zVyku=bM13;S%`KuYz$XQ<rH&qU}Y%~TZzpdM7xE4z+D|`83lJUObG1d34W84lBZ*- zD52Bjq_R1F>VOQV!V$3(E@rcosug2gW&Wo9)iMt#bXGIm&f427rHM!YyFp4Y&Bhzb z@4OWzN!f!XL6A~43-9VH&C@AvAEiI3k5VV24FtDwvCneoYl4#MIjj*gaWEwYmqV%x z9RsvD<%Y%nZV>mYuxBKILAkM>>Z(Tp*XpZWZwK$iE)UNc)orkXzt3`CMR~OFXxKNa zv`tk9CL=axN}pHwL0tV^EpV&`L)p>xtGNT9tJ1jzj}KhCgMFx$s<PJe++n8E@LpY` zcRipW1Dg{LU?;)E@RrzsTIp@WZIX_2({0(_P$F_Ch_68{b<|;A(l@)6wg=)e(?#tz zor5nVYI`vqqc*j;ysu|n`!}|yKqEA_2deZTi73D6P-y2kgBzs+G}q0P47JheT39*v z%sP{Vn>W!wMI5uIXOB+O3L}v(R;r<~d0NDA`(*5X2w&{UMbens^`r><cJb?It&KqO zY)~${9ZS|zNe(VUvWG&=$PjJCX82Kgm-Yadg?l=awKmFPzftq5$AjN8-ZdTWs72*R zD+@fkXM1a<rJ!^JQ$%7%%0j{w`yCzOm94z=T<zP-LR?D!7?6KHm?wqn4xwGI(Z)kU zKm_iTS^YCe3=g%G`~b6j*vmMk5Df~UKZ*xs)R}dxLg4;NbVNKt&ys@0*`Bj-?gA>( zo&y?QI}^2$$kgD;P4J*!AHy$MTa#o+gQfHf<bm26y06@O0(M-W(s}JX_fhwKP*bsY zGA^&3jTRgwWpO5)ky_nsv!W(z&)Sd^xL`+jrB2&`Hx%7WP={OAj*ylcy(g5l1Nz}D z9N()}W30t_Blw@~jcr!sh86-GQE50MGTbbfs$kfVtOJ}_=6UXT`2<g##a~^D6i34c zY1{^DVz#%D#;FpO2B&^gnJaYP_`OipzHFg4*)voXcGXAlfwr0H)3v{_f&$;~$C~(J z7eX*2svRDuP{-8CodnQ>qiEPPd}h_OP9;-4dZHVKGt_q6pz3xwtuHS6!*(6Ww-=Vw zn>(L^eOhP<xOWZ5yV)-_ngHji0G!bc{TNH@C^%o-(TJl}T6c^suun>9F({jctLvnF zCa)7^6_(!v%e{TyKpMP^G?H7Im-z?RbpO$^ayLq`$QKRMov*<5GJB*+P;%9IDoPLi zi8L4(C7>L;Xkp-hz5_%X4693E7stMxnW7l0(8#4TM4I1O>{YqFb&+?(_XXarojAt2 z8_fu$2)B(NQw%3+Bkp7FOIj4Yi|T&B#Y0uK3~~rK@H*N$kZz(d7bt{&tZo<7_Tp@z zGt9@)Mtcf2U1x{$ZHY=>{c6NdMGJ37wuQHXXq1LJFz5}^&AU`BCDC9cv-u~6XIw3s zfu!|)X|eZ}#nklO0bMdc&vA`5u|9ciDy-%%nz9zawXfrh^8z#^P-i}}It7I$O!U6* z+_R$KKtO0H0WsHd)G(>Mlip))tq)SX-d+`n>pYV!TbFu6Yt)Lbz)^9icEwM^hI!yb zm~gO<gDIeYqd!e(-ng134pxsYj`J>dwJx7HG;me>;?GtTzu~d6ef5CGu6Go_;aRN} zr+ODvw{7q#?p<6;O-zoKN^j4con%HoQ6Zqe23a@syHWm~wXm7>P3p%p_z9nZ0BvVu zGaApO8i9=~eG}JF9L+0zyJ~faV6153s@fMYfEHDwAu#Gv-{Z=&kHBE)Q(Rx#h4-`a zO5bw0G`Z53H@Bkin3U~_+kI!X*;#)#?I5iH71O-eH$&O$@Adt$66FmVaIfzzC?&Uh zeVxogzt`8(xYsxMO<e4YYvGNHeUm;@Qj1DZeWP(NE}Ii<9lP?2eLE*{i_m24Ck)U{ zX|xY!zH@NMIiR{Hx82mCp7^<NpD3K>)M+1oYUUe`8-CmHhF`_D>XxpZ{m4J{F@dJV zhi(H!JCj|zRj1NYT1k=)IX^9`{JNz*y}CvD18_jkFs}vRM)WN6rd#oIGkcaT0h8cV zlnke$6gcH&*zl8^h@VAs@v}T19`oT=ln1w>#c(Ss$}itqj5N!)^EckH0XyyDaIf*# z-sq2ZanG-)W%(li@*@9u$7$ROZ4bnt5jXj@bzN1~rF@Zhd69P<uB5?Tc3$>Y+{8bA zLY(8=jGI&D?0gCBkO)2){KjP04l}@2E4!!wm0F`DVjbVltZIWI(H?k5%^Le=U!^?+ z>&&x0kKm(>YhSWGGO@wThJDIUOjTTk?K<@ObPW?qy=rG|=Ja~;u0xMk4JlEt(Gm^k zUGK7UB3cVm%AKP(A?XWHw59>k^?YH&p`U=qOo!mK2|J3u*wob7hHe*H`p<a6-RQ7j zJdM3`YWo26gR=d2^&jYA=6hs&PS^H@L%?)ZK=xkngFepA6BXhRV%{e2r)whd1fFhs zF4TFIB<x;mv(KJ@X&#)_*%tZyO<S!zhtR+E$yF`w18~}<FLuu3sK>~!3R;Z(e6gqJ zmm~MUwiCA9BTqn&C+=W86uNKZ345y-!Btt{dF~@u<t%o!)Rrx;#B8rj5N*pG)S7Ie zzLgDRz)q75c5DQ@fUV%VqR)o&NG_an=F#dld-3b%XoYw0bD!djbJDp_jbqk0GVP@w zxc=1Z-C6LG{q6<Z|NH#^z=2)pLc9Yw3HT1+ca?{@8gLyT7LW!g2K*7Q5%3z|2%rYw z-Ni$60t5m^0d53**WE*$02~Bt1#E=dW<UktFrWtD8Gv|zfq*f9n*d7ys{xw<y8!P2 zP5{0E{0QjK72yHH05-rBz|DXhz-@pMz`cNtfY$&A0Y?Gf0O|nkx_OBHfNKF`0P%p? zfJK0{fWHG?0ek@X5>N-Y3it;Ch5^O_rU23aO8_eYj{z<K_!NV#Y`|(j)92M*Ht}$x zP0ZV76Aylfz4PmA^+75=$0W10;l19&%~CYr=h=Mq1SA0NwSd<1Le!uEh#e9s=Hagp z?$g9nF<uN7VQ%)JVgwX6$H0aDH;OnBB_@ez<q|7m#YnLLe<Kl}DF~5f{0$OT<fZ>v zl^b1_8h^wiK@3suLzEliCc=$Rq+v#jbYPZ_^l!m$f%3ai<cUR1+$JHE9qwkRB>3mU z#XTklgknCR5bk{9Vb4L%rac#-`9vaSfyja%aZH7M9`y);FX>3X0I}$1#!D5sZZ0~$ z0$d`F0(>G~=$tEjm^N`R^VZE=yfYuBsON3wYv##t%!lcuB0UH4PcvdL46$u^p9*Xl zqR`DP8TqFng>*O9sR-r%o&cP4-Qpy{zwtZsHuDpZ6y^h+iz;otGd<$YbcieCa}UAD z1q((ND&a`OGsv2N$4bjmJR%`sNLtzuSnwpG_#*+)>GRST+>)*e{KmXR_4Y~g?0Ixf zO3$~Oj**V}jzS<7@5oVU#5;0TK}O~mWT`StEtsduFa4GRM{0o{CN)=Ck&i(70_ieM zfwY(oAXg-$E)_@vW`P)=ev61t%@s+hc1J-PJn)P!$WpecnT~=&!!0>IEjQhGnd;DO z33<87H_2g`sdmN{h$j$UAe=xL0e^7=YSk1-PYh~YsJKpCi+VN@e=5J6!tn*^>0*3N zVN$w%dTI{h!9Kyw9+{JqH%|q|kB6t1w@-_fzO7of@oU@8;@`eQ$4;HE>JrekTlXG4 zukK~--KTG0zy1S)t{E6SXz;Z|LWW)!I&Aoe>%+oFMvNLgW~?o8TvT+-_zAIb@i$CN zxN%bA<S9v0r%g|uG4rNbv*+BLGB@>>d1>hx^E0!uZ_Qbdo0q?^pwRAEw0OzV+x~F- zvgJi0Dz6}BNtQjaAa7neOMd}mZysc$08)|;%F<B7SU#*#xsa?Zgh)pV!Fpbx!dVq5 zZ3Xs+;h73POoCJ;H43BqCZScjQA}vY2eO1%38+~N;hwsg?i93dA>ekXpvz!{!Ep`z zvF%_RVg=;kmn{eJO8^FOz{RSlNmFha3gZPTY$hlvge?`njKQ{x?F`#M*2^qVJ0EYk zsxD`#w#+>(`ez}}EcoZ(_ckLOYgKDi>-6*)E)D+kls{`S^Ryy2wlP-t<l=WJaA&Uc z%f}y6)MI49Cl}>l1vR8nPjvxY*+N=X$XkKGj=LSToz%1R3Xx)t3X>-?;KuY=mL_Fv zs~Y$;Sn-LxWSh!%$SQ)+^3TItfw%^58AvY|@1&VH(S;H~ev+b#IhCt$q~z%BKIx-m zxyOuFII(3VUe~J9r5u^%eO-Nd=OQjCPDeO$Yd&bTB8Pm$<=2O)>Z#|z)TyN_)75<z zAf$<XQ@I*ipHK60#Z(%XH`6xx9R+-+;+^F}-s?U(hsi7AckO>fE}GI2Qcs78lgYQ{ zC`fC<@9WT~FzXjfJ5|*RogUV%=F+e#nWNmAxHOdCb>jN^^h`Xito#-uujX^SxD4I% z8}S?RV@+Zm{Vn+oug@<ZGO3sSBBWJ-G}#Bq0oN|BIc8mK;FvD&*NI{E>0LR$Qh+&o z4NH)(9d(u*GT$hPW+^u0X4bEvBD_Ao=E^${rONWsTRzt3Jk>g|l}tyQ$W|&{rNA=a zqth|8i5w9dro?tYZ(G<-QD&NJ>)q37kRRfAaXJgYWwvspJX7&MRkdAu8*u9{rvF>y zrEyN|(~-wIcTM^m>LIz$R>6+;l<jCH!tyJ?Ua-kqy=5k6%rer`32`f*E0+hRs>>kd zg5PU?x!v&#aVwuIPnSJv_RY-{3+u5p%RL0WA?CyHa|X&KPw|GW2ETRrc&DAMIKNK( z(&?Px*F$gJ^*EHS23}AeI3}8V!6tlR`oiQI@TQ+_$V-S!n4Ht{hl#@yVpE+>bf7!T zj&z3^0P~Tba5XK=M3^`kDNg)o6Ww9v!|Vam3iE2ZpSOu#Fauy(VQ#9miQX_P&O!$S z%tv6db6EoOHkg?(>tN1>DPh`RCaAi>?<4C>hN5{o+(@_HDnyB3{8>?BDA|-?y=OHM zHjZE##xJcEl>%Q7{$UR__{Nmyt5E#@vZdBzGp$<{Hy7h~3_`PP8s`v$czWNhH&Skm z@tk{VBNfd-h|QXn1DWL$l<UaJffYxYT41Ie{Pt=gT6p?<$Hc_=@EIP0bQsVYmN=uO zued%WBsme=u&q`Wned&PITw!*OY)cC@kI#HQuzA9@Wmfr|NDRg){Fjv&~E5|7yDi8 z5{r_#++T^f_^)yJ6{6wKLtNRPdkS}mhCff#+bj7q<6HkL0~eJ)zZn0^65z3-{?FqI zAF~8$-r>>k=jm}}e`frPCHmL8{89~IPMz>)=E%1OyFb*<{+g$0_$#BfA(X#pu<JGt zw62(ETycl9r1Z|aR+g=Dtu9}4_u6%T{L?*u{>xwQz3=`99(?F;4?nX0(G8D1{`V&~ zKKYNQp8n@E|JwBIbI)(yvUS@FFTV8hE3dw`y`pl*&RwtX-m`b#8*lD^>+J&v554p5 zd+&en;o*;te0=niW5-W?`q}3vzxeVit?KLQQ~&<vbj`QleShYMv*&8h|M*kg&(Mkg zdnYC?J@Ifw6BGZp>Hoi-|L^AiFHH<x+Fwl!{okhF2i+|kjZ{xh*u4!qHb>Um%V9VB z4Qt%&yok(nU+ZRH=Vt$-oBdC2c3w(m#@*s(_d@>cb0R(A2f&1$F=v*Xm7A8gILV%B z&%*p5+@}?$7fiY(JAIx#E;l2uV1e>T*5gb}Ewo3@vu7<zPt41A<g0Y_cRd-AfLXZI z`RU{GmLy{yKS|9rHl1TcQldq1@twshiqR4Cy0iGsJBmB`_@F0NT3QOmg@hC*7OzCF zDri7hVsbJ1S?G)<Cay#@Yf$mZV#E^Yj%8+M`uet9lApggKfh5wj4KB>0=Ui)h_K^T zFJAApy3hNuFV7jMRMo%a{5yTwf9!{Tu09_)KGmL@V@)q8$SbgB<yv!69l7%|(+fsg z`xUAH1?cPY8K0V!lb&X^=UMae({ruqOVZ~#?5VfpaFTdhE-m!S0I#j7xz^Nt1WH4A z&KiT6*Sdu%NKZ|(W)$QtKxh?R^zF?xi%3ut3x3Xki49`R6i<BKEx@b3n5+vO=><!( za_3t!6hasI7pB|oZr-BMo(8hg9Qip}^Hf2b5s^0h@*MW&J>dtYH19{erh&KSxZRxF zoCof5)XXt7M^o&zbNtO2Onv6l9BB<e3FN?afKeK>yYqN{x*aUevRminrKMZ*GOYRL z{O`3$ZwY|U5R_{nav6d$V#-6{&XFabm?ilTaJ|IzQbAe^7NnwlP%`8Y*fQW+l;Z%} z3NzDhNrhuhR&F}VK8NUBoW|nJEPHxke(Jn*Yifo)y}&wPh@-Gz$Sqm9L(+2>4KO1% zk%tCZVNM8`RgjmvAU)S^hHso#dclIMToe_sLGeJa1}}8v+0(6%0XMO`6w;$ElJ^vh zR5{->M$AS=Q{9r+(_Nfp&!iX>+EWWuuD>Qbw|b$tZ1Axe-ho|;F1?<)^ScqB)6!Lu zyZc)mg=EIGspAKSH43Y89ME@wHPyhLlHwk-xiTEkdjMF8C62{Rl(Cx>e>1o@F2P1Q zTr6h=^BpYQLTga^BD54)8P@a#`SzvPTt1&$AW}vnlFId$RFt?WuoOz`g7gJ>Sa#}T z)SN!56=S`zHsgl%G78mid`kL6iW&>F@FD(`r0Aq6-&g#7TlV1C6}3~Rj(AzT<N^1n zk+b<7DV#kW!n$-ezBT-y6wWTpT9BWUo?^D6v(vH)?X&Hn*Ik>RrZ=PpPHV$4Z-GY6 zw!V2Jv3HJB72-X^G~e&-Zc`D=_on`T>~VSj8T~Kszhc1U{r@@e^8POlzP$gSA(!{h z4QcGZ-;Ms)huXwP06r%D2i^SX{{09Wje7s4{JCdhV}JMb880KTv47L}Une#8Kink$ z&eLr5c?Y`Ln}+*vdPBI+-Ru=j(pxgCaehtdjk=|=e^Ywiny32<JomwF@~tUdiRq2g zX_`-`g_rk#zUcD)U$1TK-xSZ$4>$IA=U4S3z#G8F#NXY2?q-`v1GxJ)<zvFu#{Ny| ze*=3$+~YT;f6LCx`>)y6*uN=#74J0mZ<>Fn_Z$1~Z6XIBeW3dbJe^_B>EuDHdS-L4 zON|hlv2VzH9)w%$x8_@8^S^tI{xf@xx_Y=T)!*fTu||~M=bDHwShDEpos`ZFabl`H zGg&OeoBId^JzafNA~uRBbdv4q<^Tr6AC;D)pa36M!&RL3PEO6TkIySe!iPL3-H1CM zA#>9U5IZU_w=gd!J<48?6N3-2UEoAWWMN^}{9Gf2sd)`qikm%<5{5#?_y)tF<IIx; zMWGLBW-2;)!Zjf;&5@Hn9^LmFQx||R@wnGy_RHPIQw>Sa_eyZ&*t5nhwWm+bOU_D5 zkIGCf5PvpktPd9{L>kjhvZuwOm&%cWC*L_Di{bD@h{5ET8(Dg|0-=d$qko@nM4cj{ za`Fnzw;N)n+!!+v-{7<yY?W{c@_!1t6N?lHN$4miix`h2djbCAK+Q-M0!4?8EvZY2 zotPY%7^k8i@Qh7Q%~xAU#GA^lZx{JS#N?uj7gdmD$3P<|37r8BH$}MD#Prlf=@+?Y z>9iK0?4~ZwXD)X(k(WsEu1deLlt31|%|2{Hsl4kwEjLqfEiGorJZ$Sh-Y6a*gt8&m zF753VR~Vgsi(~%$^n%2K^g;^C=bmx7AR{#=>$awdN9Lv_<!9wa<v9@UYtYQzYGPg% zX%}yB$C2B6fcF%8&a_-~G}FXeiWXh2v0Fvann-yOr;!_CqtAD1dRkoWyn=LgAF&_a z-5m*=?wO1m8I>r+_2l8Cm;~BegAVNG$x2hwiV?ba-Fs?Ip|O`|5A6u7@AuiuH!wwi z+s!vspaD!zmu+2+P%4Gwo|_E5t}xeY;?zuzW#iJ&V`fa&k;t?(FcG7tem=<%1tnl2 zk7?*B>WmZLGZoe!mc5v#%L0ZUj(oBtSsVf<bJ9_Vn~2kM-bp#>*kLu;YhqMFYChx@ z@&ha@yruvXCWsykbEDNP7Ln>f@?shWUV6O3WO0OeH0L2YHt>RJv7V!bw)ZhB@YKBe zS}mT?Yky*Tff}dh&O_S+`G7?HiK$G@ns=)~ccmNmj3x!_TdL?^T8PbPQ?rmyq2df| z;%=jrphL14>oqYiHEm+nEd|(s2CCmtGBqV#FXa1G+D4-XiFn%W9fb<cBzug{aTI1U zv2l)!4D{ZGxQpC!YjeCIM+Rnj1>?~QI|@+E(p9}k!)~kv`Kblz^?XleY&ZT*Pc6ve zFeX_f={{+bGMF9aF-W74Fk2Ax?Dg7>IwnM*E-gme2Gaif{C~!Q3Me7xLsMU2Fc{!( zm~MtA><v9VHxI)~f5LyC|8n3;IY4>3@k`sw&vxA&%{Y9&3Si0-=R#=r1_S_n0Br%- zZ=mMgv6Dc}yK`=y^Y5ICr^!iV`f;tm^kce=OB1>)Rk{>&x^aI<2LqU2Zvfqg1Na_k zyhj=DXy{d(DTaHJVX_Tn`ZEE{8y!ED&H|WL02*Mmrvx1&g)8Y`_+kKYUSXJbz$7hB z0R2k<#0P5?YUjn@jQ900iQi)Y=Jy1E;kE%t)7t?0e+Zy|0GLAl5XhJR?BjpQN6*)K z$>%?d*Z)@PmtO4DF}U<%+y54Z|M`3_DFVh9=8_^{{m<j}znH`S>!J{d{(+~r?_+3? z=iagOj@}0A{(fAytbbfLS3G=zTi%3id9gA#B7EhBBO9!`_eH-eF6d4+!`yO(;UkUk zTM_=iqbDEjCcb!7dvw;N(_g+`#h8o_$mAn8AF+y*BiTo;yEy#2hmV~&FT~L0I%b^r zi$bW_A8aBTU;~T-gaL*DLI6PkD<A;i2M~bTGd6JwpaD(-P5_Pq4g=l;90cqK>;>!s zQ~+K9YzAxuJOa2E!0>AUD*?p-J0J%z7cdo&2$%@40R{oAfL8cedKi=i;N2hK3lM<X z?`@(6paBj8_5xl2JO)?`C<f#J(g3poQvnkJ(ST8aVSqt^KtK;bCx9QI?mMIjI0`rj zVEA1yUjS?b+yf{9<O5~{rUE7c!T|n&x^ICW9usf%@;~?!cui!Z)PC<f@ob7KuU0gl zjUJIAq(!9I)G|^8A@8*Vac<Xmp7zr1#rjgX8Rb`-X8xvWCSbms=B3;(<^OBLo9URQ z8UMfL@8`fT?K$&o@^~4KnX?T&*AM{Z@gI;otIwahntn7xKZT}`D*!XjwXhIEAnVqM zUxp&%8HVtI2!APH-J$$2ZFf0h-_`vw*J0}2Zt!6j`oGWb<N!Vyc)Zlwa}b6j?eLZl zlVh%xFkz@i57$za(IaqY`MdxVpJ8zjCjB*-9H${rF$)LBw~ILz3xNqkJ$gDGYDWp~ zy)8DJh3QTinA?my!!2<W5Hmd8S6;&X-b=V|yoCD;mvG;E3HQU7aMzk~=eM~Q?!LEp z2o20TsS_Y-(mX^E+|BoZ44h@h0L^@_$n_AJV5<2ZWQTvhhWCT_;oZOCeaSx%9%-B5 zPdtNn@W_0R{TI&NyX6-IKP$inz{!66Ui!KA+H1vx2@^zea<a(E$`THTLliT3aWVdj z#l835E1r1b3Gw2KFN%ta3i08GABqbXF7W%OLaD%bso|TSxO;!GpRnv%y!e26Js?ll z75mjKUVQuQ3~*ZRuR9?3pM&=vy!+ziG~(iY@nXJf2XK?6dgs?w_~PfZtjkdTi*K*- zJ%z|}xADICfNw41XJjCKK1B?_|3F5@0pzdVRr(njIdDgqBBoyle?ADK!ZSXfoO5`u zL;eSLt9N9=^p7)t^_)Zg&?<6(i?Vbhesu@VAIIBS22l9lQMYP;-Tt#ogYOrn%#K5V zx*VjBcb`}Gb-L!k{Rcoo2KnQA_@65}k^y*X`Tle1b?qnaKY$Rc5gh41dH>KbJ%D<z zee1wueV*R0!qOk{PDPHAwTQ0f0D%A78>a5BtvgU$L4WW^{yc4aZJqLFc<{IC!CI-j z75|xprh7BIx=Hk~?yb^SxG{02x6*hj)T^lLRZ(=pt9Wd&5WU>M3w95H5{*lk^k+Et zcuc1`D1y5z79IdEKudrH&`VOz{Q*|MFUk3^VZ(5~9Vdp9lEiJd-KKCeWqj@0wc;QD z_=niMd9#x74?g%neDTE>^>Uui>6T4sLpN<}NlE`h{vYJljP0Um`|0f&x8{i=6j8=@ zC}-SWodQX?wdk84QntcU^tUgd=j*48W&6IEHf`GWjETdZf|+t_{K836Zb^~L%LZ(p zH7!LH$qn1LOk;X4Li=D1-sQi~o!cao6#qep<-K}I|CYU^@G=0jgLTb=8HV8r7M)Mz zkxlUl4bf$ue*OB1;NW2FFAWi+M~@bfkvOj%7pHhPdGcfdRc_EQHdD-*Ge;~>8!zV1 zpD(hrv&Di13q(Ny&H<zSShj4LSnn7sp1N(ccz$_=aL$hrt8a}G_vA&22MTQB<rO2v zKa1nU{VQ$}+wRR5yYIe19NciL2zpJ5K|7=vx?75|yQCQYh7_aTmSXl>QbfHc#SKTK zn0#D{Lcp}oq?q-U6!T6<amy(wR;*Yd%F4>bx^?TsU;p}7ao>ISi3cBiP(1R;BjWML zA6MnOY11aLWy==Tmc8=IE8^Xqo5UU8O0lIziq~I%UF_SpPrUWkTjJ26L*l*n-V;ZT z91)*<@`*V8#bNR8cT#-%>8DCAs;a8QnbTj3&(BLyQ&S_(oja#wg>3a4g89uv%xOYs zeAi+ga1(?FmAzdJ<WzPLqvcRBOHLL`<w9|<Tqm~3XR$x)klCJ!PKe(p5#QH*Ax5ti zV&W#uKO+A88hk5dd$9`fA4L3T5WfQP-$DG7Zt?pgzAaIRoAQOQuN7j=CLx|g{2et= ziH7)x5&szCe~$Q7h<_UK&$`7Q(jWV1BO&Xvun!t5sGHVcO#URchU`Qoe5bvThldLJ z$z&l<E)??XbwbuWE9BWj_4p6zg!p|BKLqi|AbtYkBdwY !K8$W=pyd}y+e|5_+y z<vOJKtdL(EYKV`{N1`|4w?KSMnr_0l>HylG8gyc$wS$mjh6*`*vXHke6!Nd@gxvb9 zknbI8h%ee<A8;4+cY0$VcQC5$2yp<CUxTytvi(g$4$T*G@|{91d{D@B&k6bLULg-1 zcZ+XD{1J#h5%F(9{3VFL2Js(5{O1w>HN@Y8_{ekJQN;fO@oVbi55f-G8<0X4Qn(8# zJdPB0A%#zoLQQ)qz8fmVnaNU|T`0x5byA#vR*Ihv$@=)+5q~h^k45|`h(8bU7a{&i z#J{h-6n`Ho#pcOU>{uwpfprr1ic3*_s3E>D;*$fN5x+a)_eT8wh(8GN$F!GX#!x91 zPL^WzLZr1$itW!zapX`#{Kic~ivGAeMn#Q_92Xg_oF)zo>KE9jPyY$^0V2o6$HhfQ z$48AF8yTH4IB39tet{Dv^i44WM90A!|8cNHN2df|!vGT|SPlR9gs7PKu}D59Dst?& z$do}0(63*g-iCi%f-N#WGAcR>@rl{BgMx#{7&tOWd_uhWjPD-MCFNQKU<!eKdRzMf z$vCDTA0Ib1KBZ^Jt^x2zfFL74{}jX@8_5Ks;#0bJ?ATTJS2zatu>#4s`t(yeck0;j zhS4g4U`1tb_yhlF#*d7Lf2WQ;Z!mD1IFKkHe#+R$gd5}IW8zb~F@dfDUAkQ5=jYdB zB5|ZY6|y8Cmy~Xe0;G@)^pA>3h>MR;h)L+xC;<Ei3{>flONfq-Nr+Aue|5LcMi$5+ z<(i<u6G1=Ik5XBfTuT`h02KHJ{;BkbMkIj62{G{riU@_H$$#LV5<S#L6yg&SQo4;F z-?3vy5K-@+GNMI_ZAc8VxDozWj~}n7>{0I@W%03uwF`-fk4^xW$M;fH_8f1B$JmjP zk=J=yd_u;iB%~z7#U$uhq6yKTxTs;{qK0^Tw7${sAg|)0(Oen+Dd9u>Tea};Xdep< ziDE+hSO`*sf8_PULqc15`F4ndXVf^z@~~l1Q4RhnDdQq1MYL<_GXgn8r7-ol=!X1L zq9}KhBHDVkw9!9mEW|b5j1K;hKM*imoA&J{r9>r+jexAxd&A#+V*T5PCq#meac<t^ zf3yk#_v=HWB2ZP_y;b@s-}q<<VqDDdkxjha(nmqZMUHG78}*~{lh7z}w6C(FsMb<E z_5?Z?6@X$Leoud{2x&A0*<4?)Sd4AbpSyfN#q7^bnKDK7N0z5gsPB6`v1E)`nH3}M zEr=4E?}!nb?q4ph--|v4+PT;drI?Ps1N#h1VE*MVe-RHn@PK&ep@+o!_3OoBk3FXP z3eP|Pyy_3W^wLX$eTDZco)8b9zp)8@g<ZRLiMQW=TlEc2es)}Z_St9R<jIqwy1H7N zI(15X_w8xbH~8U)AH>f;|18#>lj2$Q6%PI6*3J&;jSt=R_|TzVuAPSu-BNt$?#74i z@1nijEQZS0#ALZwER^qxb@HfqR(^r+cf)r^48aF6F#z%Lv0Xa|@kb!O4e{d<e-`2| zMEtuD{~^SG4)OOP{_*<n%zyhSVBdfHDgRIQQ>fR0Pq%K}P>F=-s%AmE1@s#-WXM3e zTf21&=+=8+FaLJ!u10^jYoDNg{RZ?K(%#>4O<TNo>)m(20EBJt-)l(lkYLfH&%mG| zJzEcHj{xo3w!OMX?|wl;+O!V3+HkO1g9Z-q_4NxvoNGF?YuhcL%fKORe0^KD^6~Mz z#$xH_-J;vTo^5<v(_x5zug)z!TJ}NMAwzn$@?rW{1$cJETbsVETeS+tIG}gG?p{6M zizq$uj{JjrbQ;h%c*v080l**m4-5_t3=Zxctmx~3$BL(SZ}lpQEYJ_p5&_XyR^S1% zxrgp%7=}kY(F^JuV4!<0<^nu~6~Djh@kDI&*wr=;^xBo_1Cu%bZ#<Wx{&IN}Uv8o3 z+^biw-Y^M)fc~vowZaGp$AJ{5(1jK_I<9ZSFgcFb|B;9MX$!#U=87Kj)*nFew?6#v z!^!yWynOof=`X+e=9{nZ?fLBA|Ni$EFpr-(bLKS0r6-RbJ^JjPJ$qbOcL*LeY7``& zrLVT$Fdc45As>DX|5(=iFn8$Rzkgqt<Q1ovujC1sHEY(`5qJ=|JLVDZ#yDDT-@aXb z_0?Ar-&2Ws7fw*g<HwInjK3xQL4(8?{1Z*nszB?f@4WNQ-zqCBi^h!`7m9RPPCWo! z0PO+9h2`4X0NTl8`dtOUF=NpMa}}YrwY5LOjt}P*<KGqhK7cwnjA>kd{q_BcAMjH6 zzwyQ!5_6;y_{kSuctPQfIVAbzmtV?*2M<cjDX4IagFXV?Pa@94&p!L?vTfV8Ekn02 z#_4oU%FoY_UbALRBKp<D?HWLEmo8mGF}HEkb=O@--UUQQM+Y%o*nbuN-+%wTL|<lI z-@bi^gNJLr{`zZ)Io*0bA2@J8e)Q2t3Qv@e!kuMv;=~F0@y8#lchY16`aH@GnLG3C zx8K%6?tVg=+K)f}D8KveyYJtB|NR#~|NQgg$m=}gfX+Xmz6}QsYZ&*};*b86L|*kk z{7oQVO<<XrK>W!onx>ua1d|S$#K#2SEKNX}OA|~t)BG*?@7%d_HOjFMWTJ$$?AWnG z(LnjYe3N7uV4g|I3vpzfKpj@*yYId$39K6|51OnWtUHYJ=9_OS8d!#?|B~f^xq43F z)<1av3GQ|DM;+#-i7TzYUC*99EAbgp@*fr!)}L}rU>RWEOuqc`%MxWS(Pvh5m}S5+ z!MvIR;=Xt9Udg(0`0!z6Ck<=^C~vGMEF<E!^&2VEkKo#gw{cPVJ}HO1&U@6QytYEh zDQ`&mk1wSB;q2LWQCC?1ujEnqzxLW|>jDD<hocX_2JNLpc_<p#=CBONSJK0>AnvrY z{Er<wrhs<xoct!flm*g4yvcvc=%c5kjQ&7M8<eO=U<&?vtQmyv1r58T90(fvzba*) zm!w>C6l()@bq`(%@(82wM_VsVApRzpWnr4XrJk@JP+pRcNjU+B<D%XN|49SNV8okJ zUI!X-Kg4=R9p<|aNg48*604dk#UJyel;zc-p`m>s3nioj<)G*>>7YqoQjW;~=I9{b z$#a$w<%aUlb{Atdh0rA6f5XQ*4dZY~ZVYf82^uh;Eb~DZ@y~i!%D`9jYH_9b<C`JP z_Mh^P?~x>!<w2A9n{rP1XL(SrC>tg%tmBk3%026bX|i7MNy60yH-d(E$p3ion>38Z zVZ!jYbQ(fX7cfsQgSM;SY)7x;=}P?37O%q`|8SJU8rCzmEzQwEd3P@pQ?6)||Mcf~ zfpOW+xIfcRqK=Y=Po#_k4Kbi$)4$zAT+;q6eD1#lF<sA}KQHl}X#}Lf1e1>D%EY9_ zosOS=`bi#o@ge#6?eX&dg=6Jk@@xvRo4%BC+UHVEJ|SfSY52&f&ybl>W_@Oxg!;@j zsXyug>+@j96YKN^tg|&kgTf!>y&7{DebBC#kQTOwG))?4Qtm0&P3bV@i?U8xI=+9i zd}8q^xxq17{;hC~qJad=slw$A1`UbFrJM+yVnIWFeI^Y?eZH1$657;$Xp?$_hF&k| zZ7Y&l(S!ztf1f^m>f3*O<N2Mxs61GI`8_bpgY|*$W<4SPX!m5rU(@7MOGnASFCHx) z1q}~@20p21KWBr68EE6D;`$KMVAf~SVAf~0NkjL5?>nWuhBScxR@}KT3GEb~x0}Ns z?Y)wJ)U`G253$afbeOcT4EQ~8FB6j%n#7;&<dzkY@|izG$bW!_$3eq-yN-Y1X({Jc zg9Z&(lz|4;XSPZ4Xp_wPOd8DkOd8Dk%r+_LWrhE_rueg-@%w^)Ry~jg6PnUt))jX; zXeSMPwiSiT=WZV<pSdkUKDh)mEE+9;sQFrci0VulQa}UN*krO>eP)})`W%V6z&0ri zZ4$rFW}7r%JFaNa@o(BLbtV4j->)7%e0U%9QA$V$+eMm`8PdT%4^7fSH-2l)ei{Av zy=9+)&r8MOa_jPN`7CJoCurCR8eX|CPo6mq;kkmR3Un?&nS}BC3>wTn#(>xK$W8gr z_QI6^kt0X;XIYrQ`bxZs8*w*jVcXC4p5q#}oBUSs+s5a$JHq6Ppkd4Mk#f`R5%Ou! z(6m1P8Ew+K1(9;~t>fg%tSIT6A0>;@qNU4mlRWm}K}j0i`xvS|qfO$|9R6tUmHY#r zHN>5G(Iig9oArTwHp_%<ynFwc{UOpw`QN#6jC>U|yZ{<DF9Qvz3#`wif%Tbf(tT)G zNyA#wkUdV`l?fU$qUG|m7)1l|WFLdyXS0tn9N#xQ7s)@{41UAdk05N^xKTd!)KilE zQWMPbpn17^f_Yha@NcQI(s{jnWd&$JU3eZe{L84%Y?IbI#>j^X#>ji~$I5$hZSwA% zNa+F%cY=mHK*KW7z^7>+<7U(iJQuY;#2>Pt<R5ZfLR#*;^G^Bn(@!gUOd4ojiVo65 z*<xJn(DQOf$@Q`VG`tKNRDA{wY?I9T{0Q2l2Mfl^zvkQIpFqPJ(69<LltPYHq(>`6 z*(OE0^)a4Dy~lG=`%nB$`HzT*=uaGoCw7I@)4+0Zr{i+8{QPsB{Iv3Z`TFW8x!oBi zUpDG9+a$9-KZZ7mG(2F?@JGnenp-1fS(Z)%5mkK*^tUGh9zuI{LCQCq$Ua}Yvdr=Q zU59-P@wvIVZxC13N7jMm%a<z}+~un&EltaW?`#uT7k=saaMv^SeGJy;a-%*siFeul z5AkQ&$HvC89ORQvKB@X%?9*U=KrULesGf$)(Q&ylAwF!AHnUCorTPpS_%y@o=A62c zPuOcyiMCS?7%)Jlq@+mf&5-QZ6&4msyWK8VuU@U{HKu%2yTiUvbF`56{5G(yVqb{; zQH}@rus$F7yF=Ffi1EgTMe6(P-p9DlsLyLr7x*-Xtm%fi3Jd!BQ}M3wA3S*Q2yE@i z#q}B0=trw^c=XXn<)lfIB=#1`^73+tH6?k^J@+VlIKC&pNdvzH{7z7=2pq$Z2DYb^ zLw*a%qg}3O`OXu>|EzrDu|*Ai4AceoF<773Cf&azf$0C@_zQD?WmpPbLHU8Kufw>1 zIQGFjjXEshC!woXqE1M@-*CeXs^5eCFsl6|?!=X4L>f$>8~IJy<2Z+XJC+6O1M9S^ z&nO3epUwKrHp#s{@89+?`+*ObyuO?n9v*%V_VlQE5aw;vWr;nCykJsdPD@^M%{3Bz zYlRE(V1L6MNP`I`9W<F9fih*L&9?O|Tt56tsSV#}y^q1~^Ha;B<hDP}mmj~mRi6Ff zhj&rlS3LiKy_B+~q~v?-QIdDuamNog-E@=8$;nZC$GB3-5@}$);JgoUBOOg?;T#0N z!<2jWkyuwaAF&<dNxHF*#P0-YY32b7&L3lW{o45-riHru2<9k{|KSgRxIjFyZ&U&6 zv`NFjfdeJ>uBme1H-j?IzK=-<@g@G0dD6+T0ZrBi))CeRvrK4G2H7_;zdam#bNmc> z`Bn3utXq_S$kKZ37kiKO6f5HL_S<h)<v<$Pu3~Ok&X_Snxw8yNg9)U;9QSfe$v!sa zo_Nxv43RcdzUa<A75m(1Oa6$trxDm^csIuozXgBFJ%O^s`DW5Y+&Jfqy?3hqMny$Q zo6RP%J4KZP{Taukfu<=}W|^4vg!O~Cn<nLmV+P6<`++PwbAAK(bGgkAa3zmwKSB3u zECKWZ4@+2|Uw!peMFaW6c|+6>MMG+8s+>4+qLMAF$t(QHYx1155O3B4wm)>|7=iM` zzV>$11J(i738u?77`R_RIwb)C0XCHTqnLNnfHc>9xUO?0kLo{|GRXdq$yefY{P=N& z56V`eZ^2!~sy?8+CFD)X0KZY>Gs6@3P8!&blBaC{pL^~(`OGuVsBhrE{`D^vk8=dz zlZLi!4!)7M1NR+py9-Ej-Q!BvZ@Lm+_J7#^qdu<TJL?-w;=*!gy8t;=eF?0SsJ0b# zU47r!)=<7FbHtzZfc27PLOEd>a6XIv=0iKvWf`$N_&o=`j{|SEn_MTn(nsNM$|+5E z872)T5I53A8Dd?y>#n;b+APWMwEIKcOkf<gGi;0aP<}WjA`o}d_3*<FbB^&59Mk!= zxRXYOzuEr>ze`Ai*)E#2m^9ENzu7k7+pWe4lqr5|-T6yg`A+;<HfA4!>pGNs$`X0b zI)pakUf}UtaIeSTUH;idxR*zBWkR|*$3A=ZY>9ojO1@2=yPFJ0S)#1do!<cBZmy4D zjP%g&z+K_bJk0SgzCCLwm;45i4%R{PiR}m5I)0Db%Y?k$x^=6(|Ni@xJd@uhkZ#Hj z>kj)(e5cGXJ$?(&W<G(VT)&m?#GOx9;^Y2ZB>pCl1`{q<CQJi+qE$MSF~%Wn#Fw(Q z9c?FRF>y!#^zXk>-gT@Se%1UB>X#b-;`?1fTF8HzCLJ_QI%txoY+qOx2rL`Au^iZT zvYxWc*cNdufoo8tg?vXIzongNz__tZ;cv=6`U?HYC&J~*g#CN=e@GYC<p`85n!9)J zR_!i%!1_vgC;qGlkjKZ6{qL0-cM7_apXU50+KKx4AJV{YC;KmK|0oCi9`V~r9&^k| z-m@Io7ck3#?`-qg*0LSLm_n^<fad>c+)0O$e|OnvD(B|AS#RA<$~xZ}hGjvSC!a|p zWgT*K0eu7wWyS9*_gMUzZxiwRrKbY|a1X+N5|{_~K5(DL?|x)4J}%oAFRl|U<%O|} z7oWiSoEqJPO}+omnO;VE9)^k2FUSwi?=;Qy%=F#xE@tw0uQ1FLzsD>x@RYjgVVGWq z+0rmAhS|$7#~NmlVM^Wfpviq&R)7ug8~15(e-Hb&1j_Rz`-&*(6#&eF%d-IYhwofb zX*wT><eGh$R{+L>A^7IUr>Cb+Mt?sVbN-QV4*{^x-5F3Xr%d~kS}7M{tta*aeT|KC z!CX_g4r@EJF*p3dcM7G;;Xqn@;FhB6F}7QXI$g{541LZY(B4+zTW|{P(h>B}AH_Ub zHu}KP2tO3i2mOuH^RdRkbu!L{+Ax31HE*sLzxTbA2QVv#^GJNYLHJ8OJ<*15K%TX1 zKiNidyhI!b<{F04=f8k<^?S6r@1os&i3xMfl<SRL=i>Sb=ft@_^!^zs4}$h9SnKV@ zb{g{vshE43P8`^G;@FelN4D$y7O|~nUzYt8`q9p37S^h`=E=1-uJLgH0@tXxzQc8Y zuCejC6!CEH#W4WJpt%??Wb^yW?;6Ls%$NOW^2DHD^_}z-^<S=+-GsSYuJ>`RY;%pf zZ?kqTV!6wM%Aeyw_7Mogfxz~iK%VgX_3tl^$S0iB)w%@d!};9uZ>)EH{eRlK_V6l- zWPc)AjR=AlRJfuiL_k;(y64?<W_ox82y7OkAVxn#LJ~+I4@d$63nU`2Jfge=K_1}| zk;Q-r0)mQ&$^x!}$cpU3B`&xk^4bN(Mf}dK-z38Z#KraAZ~vmduQNI4%yidOS5;Tl zucxO9H|;?*0Qbcj2;}yG`3CX`ycam5L&rZ}DwAQ%DHOk^k)PWObOf|u{NV$G7R*1d z&&~C7+Q6KVlMng_4Sk3P;GV$GeR(7rfVBbRfjk1E0@ewf@Db7xD%-2aB#e2S@-BJw z{M|sz&8Ptl@HxN}_|~h&bo8-4;4{c0qM&b7V6VWBf%(;xN33N5Mgy!57!&02-Z%YA zzX|$>9~9t=m{;Ma1^!z=3$8$38M(lvl+Og_OV83ppClctNdx4u*JbiZ>-T+~z*-u} z<7GHq82uBTl16!jUNz}J-;i@0QGmArBLQ9roNE1ZgRhDi9y=e6791kXlW4$t9_R!x zTa@7b;aAXml=F&<iwD97MGfdc-UPfrL4F-r6EF^7Wx$z$ZvZC)#sq8w7#Z-TQR!86 z_SozwXz=BcaMu9)Mte2;hYdi5Z-ZKs4$y+}fBUyy6nNJfq5(Ng<i>%qKpuf}0bc>u z=wn>f{g2M*jIMm02;|WvK2W(h{_xERhe)I6E_=ZiAl`?6j{62J-~o<%mS+37A@C|- zx4;a6J(pGEh0qD$Bfttv2%`#kfX-^#XkfQgF3LZ2i=OSxBl|xPx(K_2xB#&ocmmr4 zew;nJKe}^fijNZ@KMi>VhL7BIpcBBEfb{_<E3T#iouwSA!tr}k-v`d&n~OFm4F3`` z2t9<)k0a<n1wT+h2l#|>_*doQtuOnSDX_Y6L<8{B%gPVzANrp%WlGw@g$sKD8-hO$ zI>2+p)rhH)Hw7Kw1?&-iLjit^bpU}*TuB~rUbU=U=@5pGP5FvE%D3c#4^yX3_3a+) zF6KYjf5-y(0a--fpalgwaq=&FqbL6I3F*XT@<=)Xc|^HV$ASDK9!H)7IbHA=@fGQ! zA8$c7K~pe3HOB^H@!s^5=;<SSqo)pk@=tjrodA9fd7L-q5p;jW`JZen{OvIMCoJMK z&x2R@gpW<ro(j>)lPCM}9cY4GgdTtn@Brfj-kdr5r|5@^2SqnN)!ttV5Xj?_5uKxJ zW(|&hb%dOgf6Ce=Y>-l_l<ysZ`yd=MzhA$8zo+N7qk{$w^7Fv7M$*q+1hEfz4t{|D zi0>c^;0Nfxyr4}wZx6{<&AIlH{_%luv4=?S{WuVFJ#ZOdOXO!oY2CMf-$DEZI#9t6 z&~f?LfIiGyupNj?sd<Ac{JVcu!iYi1|2PIL5x4|BXBtKR6*LSPGQ{UQ>;dLMv>nI* z`hr~ubd~0b3xvxIAXzRX9|?PnVa?OkVyZBBMZBLzFJ0OOj0ZV-df-2bu>ihC^RnL$ z`~mPC{iDJsgO3&*X|6g?{QM2IRYrKl3F;f6z}1Q`f6zg+1>X+*MlKgJh+H~w4d@5x z402Z(1K0&z2U@@j*lpNM(D~L|Z%w6+Z@yaR^t-SBgx{vob9BAXH`>HFg9h3sAWHiR zM7wwI?$ZVuP;m})0Ovt&;3vUeU|k~R!WUD!h!uWH@$E0{53Qpgi1rRqP9AeUY!0vm z+OxpNn4uS-4+VS(a=h@DfvLc6r+b)Bo&MCmL7(4$AkW|{D(FB(f0&PGj|AT~V67_d z9WsaU0<Ur3u*sBrS@v)C?e~v<$kzDw|4MWOJ}^CV5T)lG{ai8pLgbtvkN=0h{r+*k z!TbwZ!u_I6RM<S|9CRD^2^qus9jv{e=K_5D@H6ileWQeN|CjT<CjT)8sIa}TeHdrj z69V#gg7RULs14*#es00DCiQ=2g??SlzWpd&7sB++Zp_8!b;BjZ3#u_xLqDP7yx^KJ zU4rV-cR?+t|52kQSJ;E4<Ok2~#)p2a&{{3DeZ@lZ*s-jv>{Y^Oz9AcRlGcUHShj50 zC3c4}fK${){)!bV{O{?U*riLCcBOpw=9Mc~`r{eQVHjt!>7Uf>40sx?e@345J8Gkn z<nJu>5V0}jbrr=RJ;<-ax<-#;t9cX$QrQr+fpa0#@Zkb~CeSI^vd1ZILd=95!X9#K zG+Nh5CGd|!zz@(DbPaY174nK}QPL<pK@7a1$|du^tN!yf9oNG)L61Nyd<V$(?l;P# z)AOr*!}RL-4e=x5SHud4RT#xebBQist%%7%JLDhz{%%ZH-^V#aG1xq!8EqgIN9=`M z1mZr#ofgHN$Wg<m0^P7%D2QPYL#>@PB#Jg_maoXfBBz5q0%A7s595S62!0UC>k~Tp z{ubg7#2$!!;OipZsF*(~iZ&33ClMVOKiYf7$GKs{z=z6r7f08ZxPCkd-yMEC;s(S{ zqcgksee^gKjV`CSmY(yD78e)$YeaynVJsmp0ssAz>Cf)BSNnedXo`KR3vPBD_($`C zZ?}NSVf_HE4P@?>F*16r@?)Q$h@r-3`~9B{<Oi|`TMxT~v7~3$eV)QrV=Vt?>yqf2 zv0eQ2+zW>PD!Oyii|Bq`a6LV{;`?f_UyvKvZTMUm57^V1wBUct<-xT$;{0Iz!Mnik zIz;m%`p0~PI00?LF4Np!T=RO^Y0!;!zzh1_*C))`$S2`i#Mzj;35&VpTC_9fhKly} zsfKD**AN|ltOn=ceAIe4H--|K@$vLNUNV;0aV;i9I}-b!u;1Es^c%j5^LJaTMZZ;j z!d`2!w4)I|#rr$0{i6Cz`b6hkUwtOMg_&&d4IwA3urM>XU(Sg5;kh|^g>J&of;_u0 zJu5Ret?<6w?DT^C!u<Y4_tC56?6kt%Hp6&AJiQb#yMJb3Q7?KS1id%KP2g=<f~;FR zKHe!R7+UDRqvt2KrdC}?R~FLyG3n(UBm8#asW=6h^zKS}$3;d;LH00uC&Ylv!izuF z{JE3=YE2>}nckn56Q6^>ZbDjN*Sul*gE9*e;)iCpPfw?pjJOH?({c(k6QtAjV%wKq ze6jr+XZ)adr|l)QI&ClBG+pkr4frWj+NZQnOzhgdOKNKMKi5A0|M3If$ET!cwOM=i zC@W$wv3J=Kc8-O4E8d>RDOt)0<$a}&+C*)o_D~;J^VJvBP3kuFka}FbP77;>_G@jh zHdK2~tI&36f7QO$YUyFUmEKu@SkKdo^fCHmeXhPxU#)M}-_dV3erY^nykmT5oHFW~ z%$#ICXKpr6nctdGv!T`2>S&F$7Fw&UGgb?cBZ|cgu~fV(j*6S@`SvDzpZ$fM5ozG8 za$a?|Iqlpe_c1riog@`6%^Tni^VWHry-&R_yt5wN5NS0QV1`(Ib~|gq6y~vXHk3WZ z=CCDfJNu5+<_);X`}0o9K7Fk5jq$w^Hd~mlm^;k&Vx4%%zSHUKbaQvQd)&kBDfb4M zCV@oYA)Po@!d_r&*jwy<wvQcTr-)zI@vgi(PvtZCb9^B$=Z%%H(p<S$;fkq9rIV7Z z^iUpE(ukjfmElT>QmV{So>vwrE0nd$W@V?cOF5(*QI096mFv~I#O?jsP5LkOu6l*O zOaGgGL060pMvgJsm~2cp78`4g*Niyxzs>VztaXcZztzi1x3aBe)>i9t>syP9?qZ1; zWsf7SZLn{S=#lo3Wa8QuXSCa24wcwr3jk3O9ai$wimg4Vt<-jD<wj$1r)Vmgi&o-3 z!G$goMT(d$=8I(_Vh^{c+R;dTr<?Pzljh_*!=16tdgpEDedmaC(ur}KyS?4%Zn@h~ zaye3dDdW7+-Xw3nx60e$edO&Y6p*%<3MG-vy^%F%ZJ5Sf)`301hO@=Q%WdqxcpCp5 z|DJDAPAdJ?5_P(|Q$4T7Xmzy)BxlXFHnfz<)w*i;YY%IWY1vx7HcFeIm1?uK*R&6` zGn%RkJzdY%^Y!ui0+Kb?=xYo#mKZCHGsZuRdS*kjiJ4%wGTWMl>6nS;ugnxP)l4&U z%>wfYbF}%S`CGHpoIw(~%zVS#YVI_5nfuHG<`MHt^EAn4tX11;V5yd{9<b_*+eBEj z5J}=q@t*ip93~k(FJkQ*?dEn{yOW(_544BcqwS~dnRdB-kmR;*q+z5DjYQwbb<VBM zJx-o8!I|c~<g9fzI=^?mbK=}P-R|xncZ2)6TSqpQVcAvY(^!?sBl0U5^165rc%!^$ zy*1t^9yVbprLnu7HDaAvHp^#oNv2n^&)G?Ko~hj7NqjtihCk2O^1b{Zk5z6_Zc~~m zQ6)jWPfbzF)W51H)N|^MTD;HIhqXT16WSDQy7oND!AIIHdM5F38|mm2^R#u&`i0%Z zUSl7&vz)u!mhJ)fE4Lrfmgsf&PGZY3|DC6;SsylmRq_!^6V+Dxs$0}u>M=EHd~Hq= ze-Ph_#`gD-hvXyjG18+<nJshW5V=gQl^@F!GE8@epo7FC#90%rkshUKFX)xV-RAw~ z5c5&-USvn)gUCmbKSuUP4n{tU)FCdNBUxT5*T}DlJGH$#ycS*uZ;V&red(Qn{!goV zXU0t=XZ_hTESu-^t;$ErjcNn6C)u%Vb)-68?WFh8`{)_I)cjfhO#fbQZVVwUD<v&k zV{9-E8X>c;+1PAKa-*Al%>G2p9b%ri-fnDLb~pPmJKuiU-es4&+uW$zLUxuZa)2zA zFU#JbVG(V$Lx(Ju%Zk|o_6pm;TJ!0A0l!sgt5{@N=PT=#eab(S4(b%u(K={JTB??= z&C+WbcbNmskhR<DCUU8_zqz&Kt@0iz<m1G*r{pa8qTDFomj~r38RIqZntLYtTOA5r zpu;A1oW=5+$i6k=O?W(6rhNW1f0obT^Z6pOP0M)&U(L_+kP@rJDRq<rWwbI!DO1Xo z<w}L}fpSi1r7~4hE!9!msflWmnyk)N=c|j<a&@`dQ5&h1Xydh++8k|xwnST_eWrb( zoze_Fq7T(a>QCwu^r!V1`XW8XsBP3Y<`^#$CpR1048x3&-t{ntnZGehNY7524XnGY zW|l@e)y;a)O11h~Syq8H+!||5v1VKIta6$QHd<$`n?*}eVXw6}+Vvv0Mw&)aBZDK+ zNFTB~P2F3hEoaKmmQW~>?mdS6nZ3jh@V|3ac~Ci}G*!E*?~t_D)jHBlb%VY_->#q3 zA0*2#%~&qVY~~a?Wn>wb!Y1wxg|OJI9&zq=eg_ZpyZJr*US3B0dXFFGVWkU6(A}z` zc2RTG7ik{cqyAm(q~($wT0-{o0=2K}9ra|rlxDm?=~2Cop&9*+Jfp%`WWHdoxAt27 z#3ZsAABd^;EPJuN!hX}fV8=ynkK7&kFw)$yooweBr_`P4)|0o<NH3Jf<vK4^Sp|Ua zV7u9a%3K<$mC7b%zp`3gufDFnO;p^b(N=xF9%k??p2G+8B3{DB@i+Ju{;vFk+$#@| z9XT$~$_p~qtK&8Fnt08;)}H1$UZR)m_4Ims8D0)#i2PkF&Moz(d7=6-^j36AB(fxy z#U`@lG;bbdal9FCNfsuHPb5j&P8Q}gzrY)jJf|udG_x&IwkVZKh~}_(Uw-<MEnh_T zpi&Kyy=jfCXnah_e~l=MV=b+gqP1W`6P9p9JDPElL^91fJw>YME&7TKkwu=sU{NH7 zi&3IPj1v<@shB376?14_S|rNFa#0~xi&w>K;tjEdyoK##Z+44HafEF0adBFlCF^rR zgzQ*5&aPwEw;S4x$ezX9&Fq$TYn#~`X|iLtvlHzkJDDtZPdnA_ZTGb^>?}LS9&8uU z%s0v|q1kkzeboMzMypYzWh9wous2!rj7V0bC{pPjagVyk-H?oxak7rAFB{56vWbkB z&7>tA*-j?PB$-Usp{Gohy=9ink%MKC94<%65;;yzg!El2*En#E1J^ikjRV&>@E_yA F{{j_Hb~FG0 literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/pip/_vendor/distlib/t64-arm.exe b/venv/Lib/site-packages/pip/_vendor/distlib/t64-arm.exe new file mode 100644 index 0000000000000000000000000000000000000000..c5df4869da5ee0970ef4f652d967caa80d5ec63d GIT binary patch literal 180736 zcmeFa3wTx4nee~%IZ4<j7cRLFE^1Cd?8!l_NVuf6%}KB|0jed$wqvJ50Nb7fZH+)n zw3-A)dobE^AeI(8{{-nJNoz+dw5FFKKxZaMF9O!q&a@<;(}ZX%0+OS~^Znkn_fB>~ zqI7EK|9sCkd7hKK_uA|7u6Mn+^{#iV{h^z;Dz8#1fnPkX)RSE0FQos!^}mURQsZ-e zG+yoT{UY~CW7#iq%fprH{I}on*-ziG>NfwHRiF9HXV?2zf6{-)hR^sbKjXjd#ufhC zK6}e2uS!cxzTB?*$**_c`NqJP^PFGLR~`tw$#c(F?hkxcUmF7FxqdHlf8e;jHUwVM z*9QXU^!qObVqD)C_)^|ixt2!07#Psk+w<i5#=sPPEsZ>=)5|K?gr%*qdiLQDD0NF) zlG?tqbd{6mWi>;kc*b9<_R!(W`SBOIntv1ZZAhocy+^4e`NyAgRerE5$mP$gD(am= zc3D!bN}P-2vs2_&J@#>rx>nzK)YBj4rkVQFB*Ffh=vCJxDb-c#QRPnBDA&*uk6L7b zZoPflP)}N*j*?rctJZ&V<9gmKdxAm&ko4W|hf~0>RK-<y+_Gx@Dy2>}l1iQGD_o!C z>iP>oPFGpk)K(ez+i5tJ>kY#JAYaE-x7!(|kJ8uiTyMT0U+Ahk*4?p&R~jde@xF|Q z@M!rydFyA%C^%B!N|{`LbV0siQvaX)yV_7sPxPqhL{BJ|qbBwhDOKL#UHR<5UH{TL z;8juQ{ao_RonhshOWv2SH(Eb2PBH55e?|}&->i;!zfpH|%{9AUIq6lc-6=*ZX;G<5 zehzZatoTvuxsMyI=ht{zV{5&wudhpJ9k?s8bzrd(UH9Qo>xPdNwSK;$xV0v{xb?2v zuWMZu2*pCG5O_X7-s>o{n6kyxQPg^7#lN*k-G7TZ9eBOUI9#hdeFu|O`9VYN$yIf+ zm40=aKDNz(<yNbS3;h0gT7`dK+G=Gk@GI_>+^YpMRH%S!fxG`sz0S3`PM!89s&cum zNl@jv{<>JPGEN`#s`A3r&?~T3c`erpLzVme$Cq8sFE>;d%dM!3Rrs5h-NLU}c}~xW z$IDlHu3iAEX8IFCkIqOfdi3(l;zzHzWbvc9$`c(dlb{}5ooYOKOQz@1PhH}DbPeyM z{OUI;udb#q$CpXHt5sluznS}Hx%V&d-_HH*az91xQ@Kz5Yx^!Z0JetQmz(+pr(W(i zfzwC8Y3@XIWDP&RzXII)(;fl0xh84+{E9T?w{ZN%%0;W+$XPTNjs>qLZTt$Jb6<YA zU-0V%*KYiFfZtqY&|YYnTrZdF%RBmWU*6uohUW^uS|-<9xC*`=0bdiqHSix191E_& z<q^TV;NK}LI2K$B&MUyZgX>4YwX`F3N}E#uBj7x@jz049H<Q*ZY5oPdA=3EyZzt_` zNt?1D*H0Qh(ijVs`rpM_{Gf4U;4TAR^1xGGcq;)OON7^wT60w>*6mfXGtl~3uhDkS z>uGz{>uo#1FCiY^(dEr(>-J{yoYi*HJGpHI{CgAp`%(D!@8I8$!@r+^e-->Ib-eke zU1mZE8m~Kg#(sW%-3Mv&1GIe|Ff0a^Vq`*5E3j$#;qc06S5HD{<LXqE{{r=g64b(7 zHm^K#WoX;Vj>6MFhn||(hn5*F)t{N6uDEQ5q4K{OQqga|_=Rmbe($fF*B>8z_eeZG zpLa+0d(_v}S1WE%m*n1{T5kW0hjPWHDr;8ia44a!L1<0Jq<dWb;YThHZ9Je<er|#~ z{atwQ#dthh(oRTS(5jSCZxn5pGUKoc5>cYixiaXCzzj_+EcC0>Goi=bz%F#?!2SSf zGVUk6-ox%bcwUdw-sZ#KRNe+DyO=)Cd}Hx;cV7;~;`wWUX%#T#npVBJ&`Y=1IQ-27 zgZhU0y}Cc1p9C%MLdy&6#ji>I>U0Zb-SBHz#%<Ppo<aSRN5$gh($1~q{XKnGjH{a$ z8J|U)QmpZju?boIdqu`36&cqIO&cw9_1Jh^W7CYhanhY}S*6FtZ;#8>*0`jqvTq_c z1Wsx9n+X=q2giv1K9U()R2;Y9l`-lC&I#kwQd5$B=D4K91TPKCSQLgX7zYjKt?qGf z!MjPuL3yolpsY0x*KK#hF1Q>V2YY-q?Z`NwTikh1xW@sQAF*-ljDz&ap$F;HBjlGc zsOujZgFlQIgZN@~MC)#J_UScq51$^VV(#&gcQ20%#k5XebM@gI&!oP3bPnY-?+K4| zc_+4cpbtn^iL4ml-75p}9m1pTy5#-xWNd?V@9ukf-qxK`*J9hAnE1=}+vX;PjuZk% zp=V;>F2+I1o&xXwRO1HYlI9yc{Ji{D*1=0js@zbY`u`$WZNAFYi%g%dK^ZyE1}CRq zGBs;b+U2>IO`noEF*Was5q|=N>n~K@lp4z2mln!ZY0}={v*921Tx3{!+IsJP=PKta zGn8MYO1&lUsc9rPsA{z=#81*(VCY-3qpobFGW$-!1Ep_#V0&JoIvv{8wCv~LqIhCx z+ot~b-qFgr>nTYKz0wR$%_4QA$7>!gR_5VQb!1uT8z0;*V>R-p+sL)s$P8^Oem%ZN z@H_ilyj<EA{kZ?EH5Tr6ocoo~^{rD>`Qppe#Bg}^qBW*@xI*O&_RSmE-x9cde@l+x z?K3V><xA2!ewW8DWcd2J#x+e-m)G4aee(Wes6W6@@^u0Kn$(WpndGYgAH(up7kV<l zZ!n)pKHn($p#K2B3(CLK?H~^W{AvYGfja?s694~)XDm1z`TLjRd(BvQw(&XUcwH>M z|Jw1g$6>5~Uvz)}%JI~^gT94tj<{(bIb6OHn$Jb2xzktiEa~VjZR1yAH&Qk#e0AFk z+@q7-uy-RHNYnb%4_|U0UE>+fdt>p~SYzbyvRos-+`8urzuoyS>u>%0CHI~9M(2z6 z%MwFvRk`Vd_STsdKW;sjqGBf|cv_#&_O||4j?B~c={ez9WcC@c2M?kLumhRi$GqtM z6Sh70JocdfQq?$c*Z!7sDWTYz75}Q|Y0}i075}2^b?Q1tU1zZ;&v+Bsj@xzp7xg4k z-}Bg(Cu{4Ddg|(qc2nnF)M=`^^c;nheY|ekQ2hs7^#ixeFEdnZB;2p+whY?xV9R>j z&U=mMfx$Mjb(<$?`vmQFW6w%I{$Z3h&u4^U*8J1muZzRix5mKN4=(x3@wI&r_R;b6 zd+K~Ud=1?7lhzXx493{Q7<={jo<X<Az5XLzhMNEUW`Fb~W8LLd(J1YOR9)FYAN684 z7)E;Z1nC<{?^Nn#vnUkv^IjQ+&r&|xt8Ijz>9HBDo#%8r6YX{;4z_d9Zl`syoebU1 zw?}PfV)R$8cFwH$sWtxi7u+=VDt*BJ^;mXBPr)h1^+38hk^zl%d$WUG-sHCAPpd|u z>qh4In{;|+o5~18L(Ea`Pg2nqPx4`(F}Xo#Z^k5bWV>hk&ePahG6xbm9P&vVw0#mb z9MIvwT|d=$6`XnMGoo?$Dv$fz`n;&nWEb{SHf{cb{!0BCx4SZ;UD-|3zE7XK;34Kq zWd^^WK#%e~nY<pJGrthpF3(%i6P6bms(Rk8rfJ>YjNtdlcaro?{<@>N)ZGO=zt684 zna?qnliPkEIHs@W<)PNTH7c4sG1MNOrCP)HgtpVq!&Q@1`#eK6;I7M5o0^aQ17&@i zn#;C$d`qPr;ah1pU$>VT6j&az+w_p%Y7;py*k)GS*JxAsEjKeN^TAq=IxV`thV<|i z793USq4qAuM_`F)Sh8$bG8$gEOf~j=`?@@7OWF<?X3Dzaz+vg{=SJzTLEBm2dDnr= zD0n^HwWDd;KhRbtY4z7+;rFoc^6$`3g;Mj+gO|(bZzZ^t`lX+_^iSFoIWQ8Ry*a8; z>K^P1^?y+M;+fo#k*JQ0qb_Mf+7dc>ly;h#E3QjYM`}Hj`(|MGiCul3chX)1W7_4- zhMo?#49S?W>1lsrU0HmBipf}H0^^?(RO15r*37tSeoPC+M2`OKz}%>}uC9!JXgMl2 zg79cZg38aQoQ$!i&7!Pm_huCpdOSscyODGBEhw;k2Hdaks`+xCK^v<!WkpXwH@A>4 z<WYNm1ONAo55<rNT8=txirjYE>jKA8M#@UsO_Z&8Grm`FAaF?Cx6)3NM^$$MvzpYj zb2MBi{?4pG7uotq_cbdNbM%t*O{e9BVjrYl=qxsiYXUz@zANpwkbKg=Gr*<u&&O9m zT7Y~xQ&e?^v3(lj78L$Ivtqw3$1EMFkc|ODy{xLQYnL(A<x4{`;Zdo>&sEAf_PoFw z_s-J37MVZk{O_}1rp!?XM>^dXiaozsMZM{DWhZvyyEE#_gvO*^X{%>us9oyMDe_c@ zut_OfX331K=(mtpJwFb$yUUu1nb!#Y_54`1>-rO|ep<XZIr=pzlVL=2?pCdS1O0lp z(VBC&ho6^U0>8x8oK>pbOsgyFS*+R*G1h^pRvq1oJ<)%1_<Gmm=zY|s+u(hOx&-F# zHJ)grlP5PjdbcZ2g_CEqC)(iT*_9n#Pae}>SLRb{tABrHw5QgF-3Y~yEgHu?yH&J@ z`K)g51EE+i`g|O?Oybvz-wN7?w(H8oHnC_QnJ%~nraI5?G1qm>)$|*b@`-hIWzU~X z(0pT!&nDfb##zyn=t<s*oglb>x8U!+p>|~Y%Yo_y3&)q@JIfBm1n<(GuD^ii=@#Df z^DLgpL;V_0I_*PNn((2Nv&MC5^lArZ=-4jCU*5q6@PS*;ShT6@xv3~7Ixibu?Jk}c z72c3CLPzW1*IzS+73rZGWJP{XL{*~;$_?l&Vj_d!hn9~N#iU#XK7Xg&c6fC=KB9G` zouluIY`J07Pm69cM3!c@eFdJ@FdNfF=2i=iM2{)pe`vLeHhV%f9ni3}bsKF}a4)oM z`4?<D&b>tAR_u@`lF_|ag*MVBU8c)x23JxpgnuneU1yLlJ+5~jv+A55rc9VT737h& z%Ivm~1vTraQ*_LCgvP*+VO&aoRNFrEk%kwY^bBoBD4VlIRo8<XX-nS8vo5p$Qmvn# zBA-)dBlYg(r{8y97Cm9(WVy&W@Em!+RUfkB!uslSqM{3bKz#zUgQLqwz%6jN`+JG~ z-s$f#WS#U)+a!Z_s-;5|e}nXbeH8aziab)<Ht7`mZIUe)lm%yz$d-vJDt%s(059?@ zGPX>+$*UUcl-eu(oE*)HCPN34O=Q{#*v_#&RKeJE+G7zQe<n7MZYx*YCS~G3c6c&E zdEXa8$D}>Vm7nLGm%4X=(>x#km1OkYop~FB*l{J30tH>WCq};ozO3=^59wj>cnj%O z=?T$VPjX)t{M-W{7K3+RR>z{k`Kr2u`U~?^HT@{hF_QZh+qyUly)AU0>&(s7W3rsO zG|Y2CvE81GrMxe=*N=QyqoC7_HlZ*7Pn(A1LwByg5`-?QWlW1GAHJt{drq!-debCT z-b=Zh%Djzdxc1B&KAtT$&YbZK3r@gW?yecpoCm27UYbLFiQq-r6@GYltTL-+Msx19 z%J@f=`O=6o-HVmBOGRGwIebxc`5<3NKPFH|KRR0D#+Vh&@mltqk90{>HqDF9Z)EPF z643XIVZ9&Ou-S}Gn64T%9+wxz<XPlO3p~*apU9Z+Vtk6AvF1%G`V)^WN8mG&S>O`h z%xV)jUV6jgIiIKQsIKorMX^Vcd=1^y*>x~e*L#j@i>ITemoi~!FfgZMV-NDc^mf$D zF|rPy@=np|C3bobd6yYe4)<bzx$}3DKHJD9|Kwr$OR$lB14Y||i46@!(AUz$2O8EV zKG;x)Y@D0q$iOQGVHddf0k`1E+kHj!kJR^HwDkgT$UJis<?8tf{%<6oTt)uDTaAjp zbnVw=oprG~!dxsCLS|O5_Uia)9a~626Yz|ldyDO1=f|cFwY&45nUK@(l<`wnKQii{ z4b}Mm8LF|BtI%)COx2j7l(sc6P#Vok)QT3b%AYP{Lui6RPTx%4CVoH1ZtFm&Hgn(3 z55CIRdAif1DZG<($+u13(}rB7z7q2N5j*_>o`1}*8Qr6RN84QEiu$DwT|9rEcY+58 zW-0IFlRQrP&q=T0*GU`0?JvjgV6AIQpYOH%6kvS<8Bw-xu`0NQv<%?NN5({oZ)nd+ zL>963OK8D-u?r)`<F);ho13cTm|B$*{Wb7c(2uU1y0T*UvJ+Wq6s1JPPVyTm(Z_jT zVwV+pHlO>ww8a<)e@lDofLCZdjBmUJ+r5c2jT>~vI@10OEl8c_CyKOvDz*$XS4RJj zR(J}Z{j{q*`SyI-E*}P_3d(;wS2cbP7{msc0bVlj*IdF?sZhJ{C-bK^bma~i^S`Gq zY1?F+Z(=OAQWpE9Oz`z%>J^x=$ucGHayxGiaJDQC6_k*_j{K5m;I0F<@5l1ZbWy&D z{BmVprSp8*&U+VEXZ(Ii8xH}CGj>k8jDLj(+t-`kb|t>5`*RDTDcG?k11mejhT6My zz}ML-{0(fihS^tvERj6=J-W(yzwf=?Uz_pxUT`;PpG)5cZ2ofEL&t0_nN(9CHcTGx z^Nh%}(n$pcCxEZrW8nz=YFd>xJKz<;Tf|O-7aC*Ksp}pw4{+Lm#<oU0cNPdP!_2K} zlT<bQRsMPUS|?*~%`vvBqJroZ)Za|q0rAuADu~YDS@K9f2$ji{bd!A8pj-2JpRDS( zCFiNuAirdviZN(0O~0P^6gV(BbDC!A_#OR%z2Gm4KiWzg%8-|jp?jhM1AD+oUTd&^ ze&zc@?ZN$5Hl(yg%1Vq-dybK^wg}&6$z1ZxF{|+}l&2`);XLvL@<KJH;cG}<h5k<C zKC$lTm3ijFZTLS{8mWCD#;7zc)LvVZ*S8xzT;dD0`wU--Ja6WC$u8_na7bT{RxyUs zSFtrpX5p(){R`wdiD&6g0#|u<>`0+Mkqd4)Cw%P(w;k}s6E-f*+=6J%KvSpCg<Iyh z%W2#~3sOFhUkT+~DKB)sjB$|bb&R*b;jTmQ>8?k{CXjc%UQb7^JidxPejPp(*o6oE zjNgxV7MiQ@$lRBCr!4~=nqhr;2k%dJWi;LF@Q7|l&xb8PlSNmd7=DJ2<ro=#MT}b~ zp;BhOH!A)D-@x(CE^H4!`nQL*c;wX6d8@q99>yiWJJHKM=y|cl@(lASUAD*@?d83c z)#dE>U7HzOCr|G1JiW|QSOARnV238x`=08hOo`!p$~01*^8GZltq|BEhWeOkY}pyX zZte93+633WMDdv&9Gr9Ku&#B@Bgf}_ZMIVL?5m8mjIZEau6VZfRm!WP_lWF$I<U(d zwcyPej6u@x>)$iz=XUTKdM&<VOG4dI6WIvOwwVgQip)oO_8GO`_wnq;x71^13H@94 zl?8)Rq(80jiw=A4o;3I@I#}L4Jwo1S92*H5Uix-aaNNv1jrMC=;l&)ow>FnG1oPTZ zyYOCeN1&k;{wsw4R>4OO{~2<BFK`v8>Q>>YnDEN*IhMO0^mD6PHO0c${vmw1{VSq3 zwxdV#ylP6=BYpO*t*4#vH0~$iBjdhuMyS2Sqo&}KTbkoj)yR$V9z#tjG|aWlz#-$M z>Dl(9h&;~#r`wZ4vAy<v1GK+p-ECd|#O+g6=xc^W*XV8h`OY|*=w)-&d!p3;*nGw@ zBbWIWzZ@g0PwaaL;pz4Fh5GlP2Rr|v2;Is20$kRiCu==feKWE11rE!9?_M_;rJY@N zJNw_cc7#664cA$8gH7nriH!4{Yt@RE67frn$95t<WunpXzSJUov#BaQ4S7CsXT=SZ zk}GbQ{r)L8w0Wj1%zM9igPD5iik4ZOJA;OKsscQhPU`rb*cf51KEs&Q>shp5YvTTE zCsFq5_dNC)lQNNbe9v6!3CKP6hL60WLrQYha$ohOD_UnA+8HoXPT~75H+h##JzLV2 zG>EJX(6;2yBQ0=u=-8IDk_JC((WTO+rTdP4kozanJU67$hpqI%2mGRs(gpr6t@}(F zZA<$%P}jTp_0kvVM=9_up)UegijjPOz)048N~S&OQ>P8fTE@20PV3<+{bY@8?d&(= z<#XT>;M!i77SX=zfZeAh^r^&{aDS;W{(fk(uk*Ed`2q0d^lzyy)6kGjI}PCcb{l6C zfj9lK$8T5;?gXw9a3}DWa8G|V?nHi<jKE7Jc$p1es?eP)jkL8DM$=9iYrU=}>r+nr z<IJJ;f%B|M^?V9HxU8*R7K-)5cYVm*WMk^#7Whtdp06gfZN4$Jq4%1if)dst&Mpxd zpsH^+B0J4-q4q<m_yrAL)qYcz_cs`=Qm)Bkt}UKu>453E3DINl$Pdc$8#<Fh?JE}t z`Zg15(V1-B&yah3@I8sl+sDJ-*uUt^@{_?(Y{ue1L$^1jO?1bX&f%v>>|ZFl>NfPh z$^0U3yqY4iVL$o9-!F;@ZB=Yai>_LUZWMclv`*R<J63F3;mcg)LKkx&v16s(89bjs zPxy6P8EsXxBk3o|<E0IBZQBbo@Q+T$4@jPH+|pN{CZF`HkFwI|#w5JQ^m`L{_*X4! zE!(^&Jrw&c?=!$@lP7iUrg5tLls7f_J@C=%O%8S@T6mZ#c)%VJ{2V}k3T~5(>339U z`=+jpfSCM$rp&kbJz6%qp@nj_#o&^@w@^;*XK>#;Db(J=Pw=t}dh1Q)8JkC*>v&$9 zs3z57Tb&#rE(thljnuW>(6IEQQ_3Q{rLLcup*uzXr$B2F`X=Mivjkr(b;+2B9-Of_ zui<^*LHZ|k2@a&5CXa9JDX%Yhk~ksBC%X0ZnW5P5SXyf>Q{=D6T}R%ET_|>K*y8On zS=0EYE3Jq7*G92(o$^lEACT|&{H*qe`^BC0v0coG>JrqR-UKxTd8lz@2yIQ_9zC-Q z+?#%EM0s!cw4N~~Z3?(TSNa%(UhrjJf=_jSUW3YHos2dmPIEjz6MY#m{0n@f=Ns}< zdm`wy4By}!OVg&%rT8+1CP&&Kj(+m198}E^p3-SYv99mvR;T}|lHNR&-hs?O2W&Ns z_u?Nl`$EvbyQeUJ&^F9aeaKpwQ|@u<d&O_r=X(9zr4L!}+1e?3I8n_Nds1OLh+no- z_-vP9+dta>jQy7&e&ApS`5ik>`#qD?<HF+)C8)htxrC^bhq>Q2KllKa`Qk^LPTj^t z>=W+Kqqm*>GJkc-JON&{Jxe+Io6o!>J$$EXKL_v1nyWbo->`PH%_D6HkDto6>n^fv zBE};qa5%or3-q_kpF#aw)&BXGO|!}>FJ%SqYN~3_Nl<e;=&w9yFb+;11SbyM%`Uiw zW<~$tb87^@!)$!FeLs)-Dr79Ezl*WZ_3j^P-xNGdv-~OA7P4)7#h*hj8b;%N7VNo+ zdi<F0ml<d4%XI&NOV3R!Z`6JnY~@L%l@r=W!spP_pubnILtE<uLNmvzZfrk>Og34w z$fP}BeJraeF`CUBjd{cJ);EuLR+MEwENym@mv)vPs+!O~k2$vBL*O5|Mk)QU>_%%2 zDKzl}`U|}5{S@=0PETDKW7D3?J$Ou)Ihr#El`%g8J;@b*ZS1)#^nKxvUx3Gty2@r! zPUd(*$CCFcT_!X5l5J1B?N(|34D-h8UFAJi+uN2=hm`*r&tde7)K`LjtxZ>22SN9; zo)LVK_kX0GPrn)eVR&+=UFL~7iPP?=2QDes)e$&cKwYv{T_rX$xV_RC7fl)X;P$kv z(6&g;+Wzsrx}&YR;~x%V>&|$gqu@rvJX~qlRhX#mz|JpUnPAz`l3(%$&xH!wh<We! zj$^$(qYZ?~yfAa{eRoH}{lL4*6Kef4?<S}T4fuifc6leXWs%Q;)%1B*V6)6ma^au@ zTsiL<_XQ^?<Fv#4x)D0h6nKj0<DUnLj&&L18Z^Dyw!1aXcAU*HJ7#FyC0;y6oXxGY zdmh~OfFHrld%?{#aN`3v;k)kaPX;$KubiEm{4jFjXeqyq;3#LDs$PIiBRCH0xproo zjF}HRP4I}ld$<yOhrz>5_!wGL|H6+j)^*IUTE{=T^Zn#47QWHrm>v8eaO9{=9fwsx zdF%<;D665F{t7O}aX*2d_77zxt_WlQm~rnU-=%5=V^kfao)Y=hM|S>MnGG|kU-(ki zFIck=UM2M>SaW)4ds{B=_j%0Iw<2d8T$@vqR`kHXgU`99)~gdjvOcLYKRctYeF!Je z5;zHVhYFI7i3`Sr#V{M3e)pz5yE8E1*`4@M4*QKv#_YhDdVb)p9}{P9Ft_qxi+YK_ zC%((8qG!*>cTDit9UYGy5nuQ2!@@(dj`$jLGZ_nP(x5dSliNyxxpGFRbsA$RxWJAJ z;tMz&94KutYpwB~$9QKk-kCDqcW&taC_eKoGp0S9%ldG))JYn_V{P}7R!Ul-*Vk7h zwioiqtWS)FSl1W1%-a3YlfdUuo65RpD($;ajFB}4lNp04!Cz2cMMD1%d$1GZ*i5O| z4!z{PvMA7SifamWoR>K@GH<+*7=4hn9`QpJ!+#|PG{?G-%%8E>we41tNE&NI`{9En zi7F~~z6m`XI@Ggh3HAlHTeQ~5?vr=>vEO=VqlEq|>~q@>wJkm_6#X_hjjg>7JTC^{ z#o)b&`K)Dcm0Y4Sd;{J|LF#=GJgkJ)0xI>e2~5b`Xb}EuGK{`IZN7h}z|TDJ=%26) zBC|ppALYHkw>GO`=RRY6pTzoC#A=UWb7V@H-p!Gn(Be_?pJ5m6iLmx1uu2(~S+{eg zL0lqbL|1(OO^Mw{aoX2KS6K1hXIA`VFrG^GYdLx<1004=+^Bie3|aoSoHSKk2^|C; zk4$52>S*}HgmwkL&bmT1P9eWKKaRa1bw@wMvw8k{@pbPFli$f(!Mka^bMh^=^FeQW zDJOA%*l_CQjC%1osjUlzwkR{1-+Jm1IxNuo!P1u%2UPS&@3Puzee;9c+a`y$9jglT z_uN_8Uz$7Z;n~nu*atp*>U0TXT!U`jORU$kti!BZZA7u3m+u*f&!=sz?}ppUR$QCF zV*-!(%92yCi{M#no;Tc|@WDLQSQOAUjn=bb2MNrRDc||(^|6YoaDO3r<i3*oHuSH5 zzlw&?zw3ZUV0q@v`1}su56n`H$6p<%{ZS+BAk8=3wjZfO_{6ePbviUJyrf*|L-ClF z>_!h-v7KH|u$=MPm^-Am=W#FNCvwG#>$H8WZ^rk8S*L7yGoBxjEAqO^RqhP>rg^c7 z=F-32%ttmeo~wCpdRcek-9CJhtnCHG_7c1MLqTgj<O$N(k++#LLCVVYm-ysF9}+97 z>D6t2iLB~ER&}FyMDLfnU`XJ;1N*}V4S6Qkl}X%Z1wO|*@)hz<G2gIxR*$vgcOA{1 z5Ii`x%%A+0Ei;9BMXrl|qIJmpv=#7hzQ9_`xI6aBzi}^V-=dCH^s@pTE@edLRxqcn zfKTsbd}}AmI(|mmi#mViuoxua)3NNVR2OXjZo}rbvj%m~+|(6Pe;9pqj5b~cpVc;Q zCH~TZ_YR$w8T|7wd|R~Q!(Y`CZ(=>iTsx0@@L67HBvc=Omo#5|peW|6sodx{GLpr= zbP^iqeV3}40o})Es+#Vl&?om_1P_dZ#5L6@@(zsy_MvSf5AUx>#|-bmZt&xuW$j+m zgwJcOTh?J0TxX@}btuQiyby20>zQlU^JC9YJ=cs;kHoXO^{430S!d9h2h)#8Oy@c1 z@T|}wKAnDVqNc}hG9C`yRM=xv2wut=^ZEFdy1fZ);!h_&r|~zQ+E?P+jVHg6jA#0o zv9X7B|9Gt`=vku*dUxYfr@eD4R4eoz?fIxDCNZVG@r2g+TGbvunA9I%Jgz_PHEQD9 zd0ycuh~G$_6`t6u_?yn0Ol*xmks$LFz0Ug(I`JchS^yk-*Rf_VzW*E}vu_u=@Cl=T zVbg(meXF^@1Xw@nReLg-->rjgB@RO9*2y1YF21iSu&8TAaqOAPvEfgK3ZzZsLH;S$ z07_aHxBF@?OD}EpiXSHkuA*J9#CHtWi<Vqn4=l*Ybg}E5`g75-^GIv)WH#iS&RO(d zyc=yC4pQe^jl*KsIJ`*=r|6c@DC02c9UBMmKklu^;^<#L7Bv@)#hrnTG8WYrITm;S zcg7-#vFOg(C}Uyqm$S}p%{5K+^0pjo5z#9m7oG>-5n>cf=7FMDr-JuLQgLivf9)}3 z(cW6m#M4{I7x5IwYCUEjY2_j##D^pD>H+kC_$)S9^r6@P>L|a6K0cJ>iEa0IV$g_Q z8=ps-(3#9#-1=&CIQxge`J=JmJbTYY!MS=2ILD6yr|&J`B-X83d=)EGi8P(E>`w91 ztjxE3vH|>Zz6Xuvr!JK>_2jB9))T}=6?{1|)bRsIJt3KAQjgSEa<y8XgRNP~eE`{= zqV9P`*EP^oCiUq0z<sU3S|hS&ta^P{7snW{y}k+~iXC`V{1E1q#W54RRn~q}v9ZJ0 zxT%+`Sel{A@JqIti|~;c^x?OmJDY*Y#J6BBQtidq4KjZVng^zp-s_p(jXyT9UrkE6 zRAtn@psF7Po^V!L3Ujhavq>X%J(j}0Js;OR+5wNqz<Bl+e1pCZtM+8lOR#rM(j7bu zgV*ndxA<5f(QHU1&g`w=?YbCv-=|gxysa*HvF|gMk}j}@xepksM&S3+p1}P_;EphF zlb9lb-F_F9cLMt`xJSWrnvLf)@{iYePHVdno79Et*E(FV-^iE=u4kLS+F5z;gonk4 z900Cl@V$&{la234)_9HYD@hZWQb*vM7=i58zXIO^W15X~H|%b>mH2pV8W|OC@T%eF zDsT(l9k>PW%WS+yxF3mkky|Zqf%ifGnQK4EtJucJiR}|Pv=G{s{Y&VovJV006s?~a zSJsBb4h&#tMbLjO*d+L;WvzYBF7Cx=aOu0X&tPt|z>Cjbe0f_uO8fG@%GF0*_#Wog z@gAStB=!ufosACEzPG_MFr57Xu6f#YSyQs)?^v+j2COk`w~L1N{c1)1RjRRYreCk; z{-yB7h<hH|BV*}!OAcQczl_}!Yy!VxM+tsqua@BVHe{8=09t!?Cb!K`Q;pzN`@V;8 zl)0ApMGHr7760n;hrVrl^j-GM6#RGEbNQuZep0(y71Tom0ruU5zolBmpRR4?>Z0~e z<RAA>o81$lzPwOtWt(cv;QdK-$tvc670g%6668mciutY!#VV6k>=BtmKu@cRRrCq& zE4dF~XSFDEp=sn?gWswwfW1{kyP`j}A8(l7`KOj0EBL^sT>mn*)8h0a0&AGMGFc~) zIoa14`*2bymW9sgBA-F}A#CHSZxywQ%_@1XB(0MD-%Gi&)`E|YnEaX8{BdH9mx^7Q zfL)r{e~Px^2USgc9cjmmf_Nde>0(c;=Xy`9?+I^fe0xIs%gVA%yA~J6ity|7tihHf zPm9=+-r=^S<%7!#J`Rl9u3VfRT|z(3G5(gXWhnkx)|#~4ZufW582zmnrN0mUHT~U8 zKmYx$`+V3K>T|+H_IbUl&uOFdIUw;XcQYQUqd>-E8GbHkEWeky;U3lm3t4Xz-Z3xf zSR`p-e8njV%rBU`hV8sBO~+ol6y23&EH5<Dsw&7IzO-YJ<gG;S1j)B@KXLM;2M3NX zl6!p2<pJK|Ut4?SB>cGeo{+zbIw>RiYz}ax0@L@lgkq%QQwuLDe8{NoppNeVXDaYW zdgXKBjji$Qg@bvz4eggsHR%U2=Y>3{OpNSop^vwr>wTK;Itr@LQ!TV9>!9CduJ9s# z+hVt^_#0YB8}fT>hjzu+xgFj39^zqz2e!jw8;~)z$m3${)(Cr?x))oq()b^bOvJy0 zUTv?VEO^<Ao@}h6jH!@ITkx|Xv!sl~K1tjGzK`-P<7M7DWTU}5+K+Y<w7r44w0}jP zZ!}tb%INTNI@#O9i=KTMpPCz9^*4hT{bTDO!DGdO;+Q{4?ZJtu*ON<<pfB(eNmP5n zcU-4+U*#PM?S(#7-8|m%|7NmwR$HdpYp+u6w;%__A6gX*wO4|_Q>pz6Z%x`?5UIC) z^p!?+54ersZ}ioxBeSR8eeC{p6}_#p>PfMM@tc+rQ{V1OOG^pzZfWKEC)ZMMZ7#8P zj8W~S#9ngsrKpL4((fz^_)LA?gviWyGY>S8dtp<}-$Pt`r@fB#S&4B+N4wWXOrC4+ zNy-b~GcK>zV-(bu83prcU+Q@Q{=S;~rdIk0tgDV%@!p?6t^`SE?_;dT%RbY@(6*qF z+^{rPMc1aQ*sb*|pS*Q}YX3QN?(j9CcH$M5R`KjJF1x1k8r2@4Z=y$P-=o^6+4Vz< z<*QD>$JjSx)f=W>u`$Aw6MH=T9%4A~-B$A4M>&D{AL+Z;^m1R6VB>*vM`Y}L@O@>H zQ6TquXX5i^d}M4!j%W92{L+jYdrq^z`{cju|IKrKe;Vmm3qv1a^rF<oIPSgKg=ch* z#`E34F|zKiL0ZWiq?Og=bJI%OMbb*xrWMAp%$H`S2)(eLaRI&fUyo~g33II+K`*Q~ zu?~{a#^R8snNH4dSp}W0egysf$fT$V{l5qJMx&E_8_yqyPTtM^NIE&jzKlH5#~ROz zp%bAGp%a;ROZ|Tdome!Y25E#?R81pmT{Q9)n?@q9Tu398ZW;l%QeVQ<>+jt4a=d)x zxbCuP#?4!;PqhE!=rb=s9*+OhvT?PoGJ<}dlD#H2pWe&8@F~9J3+Sgg?Lt}e_vB+< zHY96O`WLRfkND*`n##h^gOB+{A@ZgZ9t$IDl94A{kTuIHE48di9h5bxns$~UYi>o> zG$Ct3&`cAuCc?EeS!B(3hshe&<~7}zoE!9Zbn+55lF&)*2zj#M9i|hh|DB+d<t{q; zgH0zTXB;{S)l}Z6YP2jli!1^Eqso$3ELq~Fi|_yNrybA!w)e%0p^NKWbP=Cs(Z!vk z&_$gkSGH!d_teorD@V}966DH%hc32o^pqo4+_WKbMQB6hilv8!XhZCHks(#+6Xxnc zktJElZ!b&Go1@ami|j3WCuPYyMI(z`G%_#I;)R|;Su#W;heVb*G~$va26AJhEHOr* zneW=N#7x*<kW-I7#y2AS>y%s{wQPc%z1Xqvc+P&-g~fMrHTHvX={2&xYTaLUjc@Q? zT|>;4oj&~<?FZBObFT4SZN>bE-E00M`y~Dc+jFmviEa{E`Ce#3+cV5Jk&9(nz%BZ> z0zEa-Zz1X8w`fH-uj2k?=9sJ-%xxCghfYV&PO1!AJ`2%lVeZAY9XZc*!yzz;%~F9( z4MWemjS>D5r`<z#yQ^te)|zs1E&s#Cwmq_4>7&?W(uY3j19Mty&cM9&xr&WpV^X@< zi}a<elRZ#x1)GDD?_2~<w7tZ9#Il$0Q-b?k<d37H{&T99McQwBG58akLi$lSYCl#D z>qigsJ;(m&F`37U?KT3IH)-F21>->U<*2YYHoXtNDV%EPcnRh@u}JEag}s#VU8&lC zhz?WO%jk^E!UCgu6?V1c38ze1=wl8gc}}?6`zO1-a=|<M8v@MJ3R{ip7l{L@<5xI~ zc_I8)IM>iV?84<nbu)Dq?lP(+&e@kLXMqr_!SgQ0lzC^=OjWTw;CUZ)mU4yWGh1Zc z;ab&Rz`ek+K(3V4^VeTkaUKDQ`8cGiS5eOr@<_bv%IB=uEdB0?m9L6-0pw3I^+{Wo zldoizv0TRs!QUpaCzT26V*%pXTfAyP9{I)gY5^8myDog(?!ys7$5$8ro@d%D>@}(- z&bO0%zb0RVa>uv|Zi&s(@an!&-rd(NycfEy<mv+^hlWJv<oLb6HYRTJ8)_)d@U6yg z7Bcwl#_tZ-_|5s>@hkryA3yYnoBvu|{P#tB{Gj1s{1<WYpT{+RKb>OnJN}1Z{AUsy z-~2ZG*FDI8=rxD`;0uTUBo40>n!J{)!+&De3jZyXtL8uUNDT5H^^D1XymRy4q#^#B zMP25(CiW!S_PNc2CGeoh-j9(yDCcBe3=ckI^Wf17co0||9<=-WRy=qC|GmZdox6zf z+s2qV^7=#nJAPxz(06+LM#f9&xhJ|fInh|Y^7qL74E%c;YGUB;+Me`rZlB{va{K~& znD>aT5FY{SMUA=k{il*tqnte@=?{}G{v7f3_>4=mkEaNJv0^MU+ETEKWnG|>_W_Aj z#cvoerd|`q7ep*wnZ)u)jE%wk_bm5PPWCtZcn<Tva>lqkiMx`vrqQn0f+cC#I-a6} z&Qvx3R_g7+$I1M>Mq&<$k1L2wN?3t^EI&dFtF+g`*;Aq$ZzX;>%zXm)kwinUb(x&u zK>32%l)VkyoWg(HBK~9aqpT~7-ip|8Uj=NUx5jhTdBCIO$N!al12$3{d!T!P#Y_VB z%DhGURvFcGl;4+VRGSmnQ_j7aQdib{y^6~FwK6AI5Mr-EN-$i;-lxRN?qII9G~dWt zx}Usjm_xDWJ!k-<_Q%9Hn?r0|m;GtdPsjem#@nlHO(QEs>|E*dEybM4sOuqS4cMff zE3vEec%*q(NcjM9*Z2qK54H#VlJCX-_zs5_{uSIy-2q~3^jK2{dpCcuj1A*)%7{J} zJc(U4GX9RSjo*uIC(ce^<=Od3`o;d($D_-;^G~qLpC9F&lh55g*_G3_lP+maUgtW6 zG?O148hq!p&)jJ+jeRxx@9p?5!nrEG^s)KwS$N9fyU!wDb7@-WKLRf~eD_n*--_?% zz`O4h-(73ZZ96%8LinyE<^L_d<E-Nyqw&$J@WjRN(H$;6df!Fz(I+p0k7}Sc;Ul@a z=~$jG_9t{aGOzHFqzNC5eCIq%dvY)BbGe{>Nptc#S2rIyX-@mXM^2i<M<dri`+M}c zA8ldg;*JjMOlR)$7CNlJ#Y_LjT+iX97vK+vm+p8QUOGh`?-Vap+P*~7)?pEJ*jmwH zUaiC0lPw)q6Sj3&c!UmPKk=Xr3%hlgSJmKmJ9;a)>3zMaEQ0=G-=@}IVOxLAvE{O? zFQNaIOFs5rB!39m-zvHb7({mkYJwY^Y~9r~Qg@}OsJve?sJoK2?y7wo-L?7rU#Yu* zO?1+~UnI|cn)V#swGH`oF}mw!%D8pcEzsM@b$Oxt&CsgQy<FXVC(jrA6S^OnSNKlS zgzrYabDrJpll6l3CC$m}T-|)<q&e+-UHLEIJNDa1oW-<J_%8f5I_%@{l%vCX@ZmXp zH_pX(jqu}J=`g;z@Q(3a19ge**kbFj06OgdX1;rsctf!n9lo1yOm^9fS%Ws?pI?pd zSP$PwT+EOTo6P<N72OD5jIF<@16d&D{y-fLFNr-rHZNK2N|_^+ar092kMPpqej+Qz zMQC{=^e4O|S2r)o^TqyzmPh6lUXnE7rIGKPXLtK#y`X(bbMiXZDWo~Jpp)jbFTCWW z2`>%VfkSJ5RnEG(Z}__ThWeHL=ZIC`gO7I)*VXS2wTs`hf>@;>``gxEp<=Bb*7byj z#b!r_i$6N=ZexY`+S)jCtAumz!sILE8X)F{_4N6YCi~pP|5{l#<ZE-s82{C9qH_e! z^uIZr5~pFsl*Bn(PS0o2o%!IRig*BL{<*{;_8_T9&*gmRIhn^DB9HiVf|DZCs#sGN zoCVQ&VQ`%DPu4sQ-CLG(DL!E4UhByt>sTcl5+@nNX;iSsYCU`71pfgkca4q#*lUKY zxZLnnRvfW!L*jCYNvI@$AhDRe3F>q}_J%SpV~zdo^()_4MSU-4r~%sEo8YQ5f!O3- zq<KhNMV)I_`=W`!F6|Km)iyJsq+temKF!`niETTZqS`-6pFRaXuqk3s%!FUTkq;X{ z=4%o+5kcRtg3c<gATAC*9mLh87OuMKzf)$5EALmyTSb|r_^)eOZ*ua<KD{dX=QF11 z`M<mm&$9i?53znseZ3ybzZ_O-VJ&`kr|jDCb!BUb%kb4)k}mNfQkJtV+OTu-9UA6r zmBV41b{TihEg0I1t^LLDTCV1|zkoiV*;8Wwyd8az?_%lWMfTMEUqK(qL-aBGZRn#& z=)=L)+tA0vzZHG3*8Yyr$B6h=w~Rf)*a?4X`Kr(ElQZ;(%jh-rD>n+C*1Px-nXh@# z0}tLJJXLH&zek*!pE|URCa!8cdED~gO5}l#of=Vpxc>N}2(f^cY#)*#qDS3w<bw6e z!S7U9vQgyXe9CM<<`2r85pC(d+j4t7{n}0c1xD$AC-O~X*IE2x;xk%9zv9=c0)fFV zvW)dHkFTyhlYVv)=e2=8icE6LyG;CXPM-z-4e;;qJ`CTN3HzciFZ>>Y^rZ@2$oDUT z9|N|PbJ%k{fwQ9~;y)>E8;nO;e?Ube#3n9a4&-C*6lN?%-uZ}2t0XQh58Td2j%z=@ zoi@LI<)V4OEoB8yQvM@$d24(qKLT%z(Z(#<Crr7K@6h2JW#6y6zRBz@7I<`hqv(8@ zSGw~%d3y!+5wUd}>YJXFb^8m`S3da_;NAlK0hu>a_94~(gFNK1#OR;%@?8StzMR3J zX$$=%^#qW)Mf4>?9?@?<VNcaV(6->gS2HbL%8K1^e1?2Oa!T-oSH3@y(FXmO%elGt zK{G=C+y{xNlQXE>eV2|~(JMa5GV45`F#1Ab?+W)@`+(#*8N1R)JZdF6107r-d3m1X z*e3$pz3D@11|jYhG$eFC6qj$=kdJSQKK@PqUj63d-yF98+qJJ?EE=l(Um6;W+k|#6 ziiX&;URDJi)r>(yH;qC=HE%&fGhH<FGs=!lL#!c=q#<I2Z5kpr<3bubJ86i9{+WA+ zhDO`p@mT%V$G*Yexo<r7jgj%5A{$2IU*u;0ni<GIWWC5JkxlSYd8K!_Y^n;@wcqc- zK7y`g?j-ysG#)PNsNudw>ySq}3b?mqKk`&$rsO&3>cc&*J~;b?Uwq}yFZS}+-}_?k zNIPEkG2TB4><!4nNb>c0KJ{4oI{HwLy;z6+&K|qD^Eo?qJA9eOScon_AIbTnds{i9 zDX{<YXoPq3xQZOv#W^Vv##Us)#*^_K(!asH%sX^mu98pk93>AnX)tn;^N@>%A3Zh_ z{y(3#;BUD|_)CC|GcAIX$LNE^NwSBy`WM7<gguNE^|IG*MFidW0I~~Rp!bk0eQxc> zT4T~3;iT<5`L0T|$;evUz#g9m#^|%?Jtt1Z%(V7lne4-AVQ+IM<IVoKt?V6`B>NwU zp?o=oZ|L}dp^9@#I*oBrv!<%QlJiPZIZxus+|-9<-Q~N6FB*BFqo5N#?vx#?%xt^N zcPJC)9G@Qii&wa4u6v@zH&U<Aq{v{2(-63mu>(qXg<A15_SFMZ$*NF63%aL7S-e=P zhGMNsxHrkK$TN|;+<By)5+8a3e3kk*Lr|W<r-5!r;a=Je^DOTxjiLRK{{!u_rs!&4 ze4eiMNBXBf3=Iv=OUsH10-X6GatXVq`WM95Y(V#A(wE&=$ah%lj>f(06@Y%^j2PLc z<R{+K&)Lc+I1}cC>}k2EwLXtt>l0bw_;;i}@s(bKe@)tV&KE4=%t@hd(~f-;+e6w| zO`cW2_V(+FR$F50Ic-ThoR`ulV<dC4Y;bUa&ve8-rlb*gYLVDA8&9$?@$K;REU{?B zRB1f1*FWEZ#p(A}{EhB@%Xv34-*@^g>!Q+UDJT72!}_T7V-w|^e!Otv!hQ_5Pls&n zFk{Wy+<d1Gb2x+1=>y-&O7ABYP}|UQjs$j-e6uJFU5O37n7*)gQ18*4L*HdQx;R_H zJr)so%C*L;V;f8T#5UUd8%3vR`-wGQ;nUA^b^5>ez=8%jThd_cv+Q^8)VM!y<4fk_ zBkeMg4_Y7T^Z$n9it!%Am3zF$!qIEQ|2R0h4LQ>dew-M=IPv2n`+BkCy~qW>`)r!Q zadz#yq<uLfBPeHNH1aK~L*kdyvM;%BKlX3{xn>F-iw$gKrbzspoUi0ZZtXz-<#6^= z*4!OCWl!i=y5c*YqI`+SG$V_%kyT7Tiwu-!WT1Yg&Io7v?DJ&z)zOBgUu*}7UyycM zJ!VQJ&)P1&$o-@5R6ibht@hY0?tUcxE&JixFYG$kDaIKj^VnZ0ePVvd*(IK!>~G$V zy|Q6~wa09pSH=1dENa*QzGPoq+%u)G4*r}5Uv@GEU6VT&jpQ{+mpI})&JWqo{U11A zL1J)sVcYp>uY&qNLH)>TYwsL;4)#kNq?B{TW<=myr>;Z921{LC<Lb(uvg>PROd~=s z_Fih?-JLd!xy02w&tdX}@x$Fjeb%14{Vk)N?=<>(y_WB}A6#VsyX*sxfvfW_Tm@}h zWzZiv`|fi#t`?3n8w$PIeH}KwUPq3#&<Fp!LK{c+Q_=-zrQmEA_qp`ZiGdcpDI0GS zXiJU2n=U&7Z%%!JH>pqXmP(zqqwMK+@FcJrqu}i$;O%oZpNw^uEaD0~>`A@ebt1#t z+WlptwJTf2x*6*e<A>%E|HQq5cEpA$<{X@!H7eRYE}^w&HgVFM*~7M*J;b{cTYFA& zJt+4{t$dR*dSbB=?Vf2wMfNBENxm7;IcP_X)$Y$+?bf~n?f&ki;q4BaFT40k&T^J- zrplQ>vY-7tv=if8px3-fZ41Y#J$u24*!j;SS>HJ*02l1}-&4-7iF3=5N#zd#?+e~( zeCsdN{=9dpoO#!F(wp7(2xpeb*;)SqEIFo{yC0o*KY6hY^&Zq+*h%;COsq}&4C>u% z*E4xUJ<hj44pC3oK4VAfD?&f)<BZr`uIpX(cJq8Y&)7fhvL~XBH3H;8fs`?L$Nrth z5@MKSF7_$zop{Au?q$41#*W5wLN|X)JT9jFx58te3y+J)>&9a~&ki2v+VzZu$L9o( zay}0DkTY`Jc%0#?SMYcl&m-_y<KQuycMcv2lpDn3uQ-q3?eXZG$1`Lv$eFD6`BcFb zobeW?9%pQRG+5_wUt&`--(+OYC3DVCzZl;kF?8DQ;&~}LpLwPBV||KutW^eICce-b zM_E6x<fZtG<Xq5|oJHd&w%9p~%=cCC#rmow*566XNzA#!kmq#E*5|ClayeU9&eY(n zz3n~nJsjq0LFR0E%++Mhmco2(c5ceUmE9c$c?rbSz0gt6gI(m|+dVoSlKH_0!C%PR z|3j(wfj4W9`8ooJ8$5ikWT2LF7OgY6!}=ck4xT&9xhPev1Nm4lDdbG7TNx`U+jM~Q zCAlx*oXxOD#VSb?J2zltE)Az!HX~!B=XQ=?!NP|#9z!^hK0D*#oE_JRZu**QTx6WF ztum|1n9mKYjO5{GEFCZ-Ev!dM8TWYXW<Rm`8N%4lO?*>k7dlbK?TdYU`xKb6IOkNJ zpUcFiXRah?-s(O8hd#4}I7E{<z+hV&IJ3*uRvK_P<CJHzr-FEwoJ4#5$*#k+&o*T( zuPi(RU#LBH4xG=^H}wDG(ytKkIk<AKp$fio8S5LNC5MLa1)sirO6WDlzkIn1KdIbz z5Z?-KX0Aq#lCMT$TzjFpB}yGGsjS=>n58y`(ObC*>PS7`076FTe1()PK~9;-vDZ?e z5AH?(IWWoG92ob8m|q|ZYI?v;kn4-kvYZ*8%yS>tUSdvbISa22*tX0GZS3QGg-XV! zk~YmNLmMNU-zepYeQGOVE}Cc8A?GmUQAZljQl>}Olcwv5=z6Sk86wbx)Dxy2fiLHB zg>O8$57=TMzLhF)I(Rw(ygnCxen!9O&rzAv7NKJ+cwa()dN{jL&hc=35JU3|i$2A+ zar9ONYrS9RTVCfV`wI0rGUHM1kAeFc)QvwUwgUSCJrFxf-4eHuXUT`QeC(KBp4q=r zBjbRxEK0mUHaw%xJz9V-q6iq}td*`)d@GkaI%w-R)E}X38K3ReHPg~nliThD_6p{$ z(kAvuOwNfBIKK*<(71K>m+LGAIY*Z7fik{zM-6_0lZXF{7`Vap9;@HtC)-S1hRCdW zoJpU_FXEB!$z`?)>;e0`aRPfKwp149HuZ9jp7f2g_H~{TJ5LGc3++pa^vU-CD#&YY z+^{j{oW+;cc{Z7CJ6ZQ(O!6zg6zcyII0=)_hyCvdM>Z`Ul`$I0AM%Y;>C;TEQOze8 zo=X`21K;iQvW`t(M9y#~P}^DXTJIXeYq=NxA)Z^-9<VJk+df9Q9F^6#26}Gts2YhS z?*uOOPoY=`ymLRX6HA2l&&$4x6l-7fC)vMB{*rn%DMFe1`SxQF9uQu_*5(X#3tq+` zUB=Mxvk!!^k~5;uL*IW793{k)n~e3}aj&pZuBV*X(442-=K+TTOPS=ec{Yvv5cjgz z%jEo9UlHemaMp&uzG){kv?oVRJRPANd%q;6y>A)t^&J1g_a_WockCJZXrFT&T}O;a z<ZE9m6JN|LS=QJegRWYB{BT*=quSTu+mNw<#*Ur=e{*Tqq06hd7rQKz_kyDryxGC$ zk+Duc1!vONH}v|R%9rm(I(R<Bd|ULVw0nv4%kF<USK8SV_N;ue6&TQwYgYk#MX@^a z1$>C2XZZ$W^vm>Nv@;YHe-@qdy*AhPp@a^Er{$bfv7LW|opNH0Wkbrie-@tV*=_k9 zPjPOE``kwN_YkCh@y*5KO_84X@rd}UJ~B~<bgP$WV>LLEaTmM3jq{3UUmn_6LTo?| zG*SwE5No-7S^bu2mE22OnEN_n_3NMm=rF$+IbF;*XWeqGNAx~tC57SnF6w`p^AsF8 z)WAK*MyES6?l}Dr+mkWic*T+519YD|WqmhGWSyM<az<=)>TY+{z22@{XzU}%&vka+ z#7^(Vo)<jc3m*IUo>rK#?&Q5S#&R}wR@+a2B|zR5eE!+{uZT9|ugp;i)y2?d>LsCL zJ$&QTS99yeEfR~m1)pZ+t&7B`mWdu0y69$nqR@`ipLwlX(eXCreRg@Dt9-p(-beX5 zzT+-<UJss`XB^r7dVKF&jrqv4{zsn|TX>Awat7Z)+w0)w40D}+==eYQwIesyfXio* zHDd2xrtvCg3XlCwk|!vKpJtos`|ZwJui3W+oXLEo8D0?ii5xHMVm|cJ@8dh>4aA4# zZNW$9*eZ^lSwXqV8P<8fKDDVVrFQzmrzqc>q1sRVv(fq*b&B2BkgWCyoKE=^ZKtMG z`I%3B9(xa&m47~2&PQF?S4^FJuQs@H@j_HMXRjawPTUhZwh5VneSjWJZi9FCy!apS z9Wt&bn8yj+9l)Fe4g?qf!G3<REgOp$9<HMN&5IWjFOj{pq-bFS>+RY`Lk=F3b6A^- z`DPyTyi<H9p^0zYCPViht#6!mi193CT;*)Pp5#N*e82ZiKhIbTT#JEQ>^-sl9GmYS zX}cSml6C06!(Q;?Uk_nBHy-dGHnF{KKIlK(o57hg<Pp11%5p}5_TAJ`-;d~<yu%-U z<mPeeNB~|7vBn_y6?`Te$qlDC$NB8JINv6i-gX~4WVErn2R!_q{+HM?9lf4CXn(Q? z%CSF%w};X%9ZVOywFiHli9S})$*q)E{5=o-orDfgz}Mh=o25%#aS_@dY0Zr+Kc4pE z=sCL3t<04O)ZDXyUxr8R#h!k=PSYK_i}Cv~aQ`!KJ2I$>dt@H;jQ@6o|4?u@r8mAq z^ukGK44fl_<@*7X+pa`Dh+LLDS>zEpEN3o%IMb4+qxnxoXNbJ|*U6TyS~p(p5xQAw zc%v(gls<|1>HyY2V$qYF=exEJzTtaueb~O`@YB(rRJA7y|I%Kr`zEW?`^n3iSj<nq zpw-L(->)LpQ^xBw&*k(h{o|y69vb>wl8R;Wy`82Rocjg6m+n{5*+rhH$Xm`VjOA$^ zoYJ>T+Ty!AoOLqgbI`WvuukYU#P5*L`d(BW^Q<lQJ$6MozS=30PjT<F@6UQC2XmPN z1~|JrpWiIn>E!whzZu+zxvu9Yu_7g0%lQePM7TEco67y6Bv*U(y>8FG*X`N&(%vrG zZ<$nAwuhgO@||3t;U_fMLY;f~Nq<X7E9V!6M<b%2^!Kf@^!Ke8-=M-CZRT4-pX0qr ze!=m`e4@)G&*#DGw>0hAu^A(1D5_M)gZ#e4@5}sHm+9EXZ#%y|9@VjzA7rn3<omqm zZftkf6|Lt9!=7b*wU2z^f$L+zER{}7>r=rwPwiYOXTI9srqksH#tojI>R!i}cO&Z% z8kTzIQIDe|MczdQ@nU`VOX#~oe_x4jT)Mt1B6TJMR|@mWQedj&Y*F*dLpx0)`6&xl z3zlL2Ay-_A_+(@7Ja$n`WKn>tz~t!l&mn`4F;9>){#i#Vi{Pu)-=2oP<E%xW=d9bC zkU_}fOcVdAtdIJr1N`oZymEXIc3=VeGWrnrjUHKJ%nB9~ui(cHz92tq+D?AtV{|@w zcD%uSeUo*b&b})+R|Neeb=SU<!_g-yQ{-rtz(v^r`Q@yT3gOFH)_fsCJ!gqgHHrU` z@5^$YL%zFD0bt(2en^2k54fcs_F-~%fJLj3%k(!OCgoHc)y?px^t~QBUt*|*zeaaN zk~sf>G~suFS=L4NftPdOg}tC<ONfmQ0vGYA%NgH2pSSVh?z`Cgb+qe8KR$#m%Bka= zrzxfStly=~d!@e>l#@Jy%RlE1;ZNEehI8^bICQrm`Ixt63k<cR!0;IFKEk`>jJ4pz z!H4!aj&c^M`<xI{y|GQcJ+vCRgq+-lZr5k!n!W=&3rT+jeC2(?^Kj1ue;abDkGXrf zKTS2{LT^>*P?<9#E01pHUgWu@b3`W$eb04ho;_%L1~;&eqJ{4~NL)fM_@C+<(ksuf zzf|VfD;STxe*A6Nk@e8uCckyo^|zQqMR=wh-#yjmi#$E=alQcy4#MEDgmKu;`{y@v zc46FTJ&8T(%z*_)(Lb+#v8Z(haEm??dsX;`n8Us2Y1^6SNWVTozhoYMHLz?NKe<8b zl=>`PmeDqqvgi!`T~PVHEPVU)`c@T_vL<wMiszD2qh0ojNi3wCT`%$=k3N9A;2G$! zi+RUljlaw`c^~3Fll(Ft@lj8SLA~fV<jS7#gQ5OB=)Du4j<i)t-BJcw@^rG@?$wlc z+L^<>_zCDY{(*zTz6CloE|woa>d44Vh*qHUniJUzjD9WQ%tH1iGv`$K>v?`g`v$Q2 z@ox;D-<oY=Bhc@%YoYPU*i)Y)Pmzt|<IMGB&hZd))J@d$0y;;&1ut_(r`%PP3&C&l zEb|C;xn*CxA#+cB1(7%6dj&SpN%G#IwX?jZUCU?S@_)GHx6n}JKISXnP+-iWj?18} zRkSHI4DIa2Uznb%>*gFp`iv~nX)-4f+^8tu(6|p<!0PAGXK7dH=^1?;>$?@Uk44(Q zf2jRT>U>~~wr?J-?FVW5{-L&iXt#|$0}R949>acW6Zv=w+7p^GMc(3<$xGa_6P)Ci zIQu=gmLSvETYnV$I9g5pf}dlI`>XVI3w3OP7Nnj^cR6g)Z1NXUX9qGOSC4yk+bYV- zxQk6``LVLwe#aiJ3VhYSMqbIdiGJElzO$^uu;)bkgU-@c3uD!V{Qm;)Wc=~}VpkI@ z#<P_B99QvA$o)F*<(<f#k+$e)ez51d#SiA57Z3TuBKUe<q<`puqb)X`)+RRWl=IvL zS3~}=RPD>dnGt;;F}WdP=<mX4+*Ob^1DFJN^WY)Doz&X{?#%ab_BiM2jpkpIGtn1P zcBPHSB4FVB?6wKiH4=}X<2%kH@hE<p#-!|q7e>Kjkauo8Ucs~A?sBdU9&@?>OYrzb zjmP1B{vMGdTlm(boOdcR1lk!#J4yV;k{Qe4#VlmT24sdsJ6UZ<nXidl#`f5=TFZ>A zpi|HDjE`G(6j6Rib}*m7PLaO7L>*yh$3%AUtj}%``TIxGc}^eA&*+vL^yM)#N?#Of z2l(VFpl#NXbidp*dW`zqxcwE+S_iu9y$kAn@a^mU>4<v8Pjf-Nu6+ptua@E93w-Pi zBQL|qF~Nn%%^%}`L$2j-M{iZY=N07B^|{W;zSI6L)<}4zUZIUAr7S%AbFR8Q@G}}t zzBB^%`+3&+>Gx>)H;u@D&xpRd;W<k`>$Wk!r;l&f=X>lv<I5WCbKN#MH-5N1zJ9RZ z7s>_Uy@1L(%$ZlL!!16x&tvqx%6H0yZ$1Y-?11L?*x%yr8SyP{vHLjBzR$o0l{QDp zr;&PCWQMFA)_O8Ey?uqcH&FMlk%!iIzODI|%%SSAbtIqEE%Yt*yJL|Qe-_@XdB3d5 zOAM0C_5Jv8*KnSW@B{OfMrfh^UY_0iqpb47`CEAM9QbcJaa}=AlA51KyD|pmF8LN$ zQ$+j|5$KBf5-~=6V~0<z$vkH%a~y28#{yrIZ|)@PzLo0v)8U=+jpPXZl=-CMJ7BiG zCicWpnLA1S%1F|C*O+rx*JCs4v{gyb``IfTvD-TYKBOLFe`<6KSAS7z^Z~|Qrx|Hh zT6b#ni;@O!2#iuDKp$F8BostA+gkeL!>^-pi4AsUg>^RdW$XbKd{EaEZ05D{tq_@W zI^Pkt?CPKB7!bxVc;btmyw&JAY1=gH@08IW`OauFGR<TS?49`DJv<ql$M{Js34ZB< z9^y`VSEy(Y_Ga%)Z)*wtDdpF@+naZC9cRMq#(v$*e2#NuYJ`Wg^`5@`fxCV-_zfzl z6Z=Z{*F9g5etjLgh4sv8c(1(2o8D&51&==swFg-TWo~8lcNcRTzP~1Y)&1XZeUFXU z4g1@+8A0SxqlFuf&MR$7emA}H{$*oVK-<kSo&jh;>V*b_C+MHhyp&PQwRB!1FDmx5 zt~b}ptLubjv9<T;bk{ez#dZ?<k}}QC`)&(XDd*;e9-+an4aE;Lf8b0W%jU(;lr7JO z{d_mi(6D|l{ym`^%4<G&k$NKVfHUu3%e-IsVHY&*yYevKw@-fRe!Cs!J(*IE)El<z zan?P%kn4w8w{!e)_i^9Byh-G|z-s!I=rwK=f2$)K-0KVG#L)7b4HNIkWgK&^4pmd1 z<|#8b5LGrGOF60UaaTLH+U*E`NPXfvEu0vVdE8@jh*L-<PGLN83N1Ca_Kzb@;ZW{4 z{cX?L#3<ZoOik}#u36|0Rr|RHLcmZn;SO|Fd7&z*roY4)OuZ)1ZS7@frH-d&jeEG{ z1yvwES?8V5wD<%{rmA$wD=<3moH8pZ^I3Qsw96V>=30Fp(Q96{$dE0nxh%ksJ!zVc z9lS<_UyFulM{vpNy+u>?Lv*dv_gX$g2N(7@Kc;dMqr?1BMMKX+^4^&bd)xQ`n3l(J z{G0oPhiNmj{<7#9Wb><ZK)w$cLFYO)$e~Ti(J(Sk=H$(c+kT!!H$TdpsRFxt9eLRo zpWTd1pUC&6N6!5mI8FFc%R76#E&8x@#Ytp{@R+Q}$eK?CoNwXR^KDPwuaFzU8<Kyd ze0YWRI<sYQ`x5d>-8n|i9i_&WX|+jeu8jFQc$ItWEP7&Xx`2PGi@um+B6sT2lNmFU zZ>Y&UPrmPAws>{ys>wU%)muwW``WvRArRa<-_CRTr8X34+PC^++4dr{pwaR-so&ul zD%5S6v>`Z8K9U$MA?74B;EUjM(eWnCL3A6##uFLgJiFzUtfxr~sr|ja_6EjN#)We# z^nAaL@%XNlMx8_ZkOl6ys;9=Tr^Z#!&N1t`a33V=H*G!8OB#B34nA<!sJ5o!D{AFA zXrw;Xif_CD{rr(RB7b=Hg<?0@_aEYV+(_%&g-^Q0n0z>6VDWb7@U$<4&#`_x-{8&o zPI5xs(VL7dJNJ1q`ewq*9_EkMn(yScE1*fS85q-}__!O(vDr3ohPb?!eBy(-)Rjk( zCzCkAFOAP=5Ex&D2Ob=s#gb>;(LZ~~x3w7K2kkI{s|P!*6WJ}_sD1HX)lXcC_Qgxt z9(4Q``jw22bqR7-<QY0YCcfXL^po$9#3Y}*mwct<IR&0NuR63dh4-Dg#2}Gh-p{u4 zN<OK}M;(%PHu=OyBY8OALf01|5AoZ&uGTr7JDof!J{7b57JBY6dffYH-<!5*Sk`Si zX)}fPkY{4orx!xIuQ8s>=trgW4R|UU&o2SPO>=%}jVHcVVt*bl=edMfvlw&P^WeW9 z+&+xFYn-8uNbIGovqh*s$C%p3{Gi-NU0*|<gjW{D=22GcG=*Lioq33S(&lX1l(xcx z1M-Jy`$Od2N6flBFXg_%_}FV*_<zrP(^zjxqums}?sx(jh5zjFI`~q2I`#P9q)zFh zjMJ6i{3-4QzkFXUCT#|}Uj`m!EQR;Sipk}SlC~a^-PjDWRwDat2E6$1kZWDYTWtr~ zvaM$`_7ZlJ*h!*WM8;jBWt_E7RQR*P#&<Gx`Ai)jrRA^aZQ9vt0+;Dmt?Zf7usQNU zzS}t1?l@2DiGxEjRod;{P22ApveTq(zUzd1wZ0vt>#k20f9GR?BVN5`<(6wsAAc*h zob-29Qk3&_cld4m48dX1(EV==f9ICp(pCoj5Sdksy(`xru*YAnQ{Ykk%sGN`{mH;k zJ#P8y=usJ;g5&WWa=xxxKU#9mf(4uGv8p$(i;2t?e`yJFx7C)r0c^<%-kk-eNby9* z(CiaB=^uyP$aDD31dR(V|K0O!*L+y&uXt*4tdBCaPkCcJZ>{*{;@BVM`Iq){TPSu? zp4<3dsJ#DPD0W<)zc-}YN9$h%zEMSaQ9~s}XMv-U{dDjk@rmFyzf;zQ&RriXK~@d0 zb}Hi|c8j~7#iP{Y9-ryNzh`icEO73z=S+_|b0*<QgZgIJcDvI)v_BX}Sjd<<y6-jS zO=2%*Qf4)@O}>KRafH2#0$FNN7}#@%#}O9Hp`H?Z{kn&GLfqSOP4lFiKJTGV@Xj7- z>p|{21rK>e?Ip@wP{G=L1$dYbEp@1g3;leXwS#n1Jyyp0!`fEHTks_Hk(U0twt<N) z;(Fn_n8n``?-NE&oMVr|=fOSg?KOb+x3oV6Tlgoy`w)HRm*0}i8U$-VCbCZCh1fa2 zd_KOThVqkX_fPor=ZsU)d~Zj=ZOFkFkzJke$Ck_Z4&QT?8=q2B7JL`IvxhaRmyoHq zl1FgZ^aEAh<H@<^e0pS>+>7rJ9F#YG&zielNtt}gNd6w)32YmHXJ0YvQOIY$;nWr> zw!inodRUmUkpqe_Q0V0z&m?{J_9yN1e=wHob;mb{(j$LR%S$OEwi0FYOIX9e2FZMo zHXCUB6z7ieEt8o0tWufJ$@-T`UTpj$dx2fxdkG(CgmO6sahl}$9{3YHR&l)*JW1Q+ zkFK}-W6~F?N6Jh4H(_^6j7GBW*VC5n%9{R8^^3KmxgqSy9QMc(_gsG5lf3pIeU@vo zvGmSL?zhkvS+{<6M%Hv6_d*v7jqG45@MhZZ{wL!Vp}%4Jimb_(^+p{-KzVFc-B<Z8 z(r=6@3ngx-M({?yk?~@c*c!B{eS^p@tpn!Lb~kGs@(siiWU`h8tQCHO`bup6`8;RZ zKx^qTK2rY<!(4E2^*^T9`Y$qXx|}2OQF!ZB@8qS@&c&3&Hp5Om*fQFl_p$g-d{+_h zEZ<|?VDn!t{rxp`kp<oSr=c1@YpBexfWyvF`0r2b@BA9&WzBk?H&nw}YdY3K>dYXv z4&4)sFb1qqlx5?84xukv;I&%#>`7=Y{5`e2Rlc8K_^QND<dl;#$M2kehrm&v$#<|0 zsOp1!`=s`isz&~mhvBc=!IAGoQ(3LYxAsIT?>0@X-pzM&YTKq-c{WX5{%P{m9++Nz zQr@4MZkL_De3hi{oK-zj(htnC(s#~U{&AiDu4-bzNPm}|{;uWl1^M%;cPC4Fo}Hez z{6?KVyZR)tCbb7<+v&4~pUFR`dZtdFW2etqzF4QvtzN_V<h2Lp+UawbOZ;B#&Uw|l z*?&-bV4j^mZ}~!<KEL`Ta;Emcd^>&qa-r4Q;)3d#l3rC{r56`0pRLp1TfGMRzqabV zcKUmlOI%9rrfaKr6B||AcCD4Z>DuLDYx&Gg8ixn5Crf;CZ?4@0j!n|T9&_nr$@7Ml zXSdAx2dq3Y4kqami(|g|b;)bR+KLQB_L!c{WwPI*^rSULIzQtj-|!MyBQil^S;9$H z>}BPB#`0F`EJRj{JdixHo)_MvmP=ZA6Ef=eYPs+N>*v)XC!d9ebUY38CTCn?Yu6+b zn~a|^7G7nYi`gNtkXOn`{u0iT5c*<1f&AdiCnIHT1$ov$>q7Iy;x>w$Bwus|@1>mN z_d$!#rf<=5@*{(C@>%5M<mvxQpZ`mr4t)w;kDv6BJ5NAUaa+&Hb)=p<KV!1ib0YH= z8B>BHFNMx-6CFny^Y0^Dc*cIr4`@2gSSvPlJ2s=x=?1R9we_6L`-Cq>>bWhpo|F29 z>p3~!XG-u(*m91Z+f98Xww~LFo|FCTj-LDK7<%r)`p4FDqvX|k?qle=^WN++_1wsE zqMygob3M!n)N@0A-@$cb*LRZjnh1JN_8Xk{dV><1wUf0}?2|ni|5+5v;2L2rV#Ui@ zbLi)-J&nN=_&=QZc(LJSJ~PrU(230~^Wi>V2|vdinEAF7d$wXAzIU{`{J&%F#ouV_ z-}vvcf#>OzqB&8Cms)mr=vd_R-N$^DYoE+fzO`Zt68AJ|<z7`i6WiEahMoKY%ie58 z?#Ue3eA%-+r$ALF^Lz+77K(1s-%j5`J)G|v^;d?U6uaF$f06Zra_|Dp?Ug>6`xEp& z19K~La`bwJq1u0koh12|xbr=3=c`ju$)o3d_L`+L&w0Nqzq0FP<T&ro@>4tc^4<CD zdKL9L`9|6`ujj~G;ozRa;1k69+IvfawaIF3H~b^<_vpR$KXMI#50m>V!O;`M7xyq` z=Kc?`f81O<L*kOz-;s@vyqEMv_{*o_E1!;^+`Q}a{dqH|YhU>(k6Ix3_!Vb*5O1<= z*gN>>7p`_X?6zet2`vRJTFMAAuhV`vsmIHAC1srtxH9+H`6cejf%Ws;E7}pC<m)-1 z*y#42vko|f3$gWNp0$PgWslo_a6wGxV7*eO#6CrY_VG)|+70o*dhJGHsAP?$3%#e` z?=lA0jMh=dX=qf|Wu)E?&fus7ZyJ~2Y_z?QEjgSm)g3Cp@0J{9O+fl`j`Gg>-Tl-j z{P0Wr>d*u2@0E2hXI`9d;UZn;4Qh(DPtc(aDL?vt01GFtLANEfq3wsDZ5dk`XBl4^ zKiRV>_{y7^^6-1Jh(l+t5Fwr>C(oJ_27uk<JEszdDEC$Lhgi_$uXsESvc}QG8uB@C zCTjw#u^C$_TUbfF4R&7(Ys`i7RdpTsuOvqB9P`I(sVB#n+_zfWDnsp*LZ2o0Qa#cR z*DTJAkTO^EEae!Bt!BNo1}3sY{AIGXCGl$#*DhlgB92AY4NZw>vHK?dGJTwp3hXNl zvnoWprxx?QWcnwzPz&vbX~&}Fl!t@8svv_ld&u*D*n9W*Dz7U4|9Q?Ka85#i+#$40 z0@9uwda+!SI%7`2>Iu<t2x+I)83|?76QX`ip|w!kB;e(Qj59r@T7}VYQJbXGkqTI1 zM+tP)P}C`*7cb*90c%f4t3^slT4}!T&wkF6oP^LiGvD8Tzr0@O^*q_nzOKF2+H0@1 z_S%9$ji>r`Wa#QJ`Q(SCHnDr%-|Ni}%3neG1ViQRBA@!N|J{0JXFmjtmY*N4PUG81 zJM?F(_0FYXYzTs*;2ZWjeNmYjPj;oj`?=tK-SYNP-uolRzOiZ|eeB!Mw_++e^F1|b zzL5>-e-r(`<a|$d=G&cX%{#sk%r`O2YO$9f|D(4^p6`vCw;LJP=zNd1qxp^|=3Dcg znD33H<iFH>FB>=C_%oUL4)7FQHMZipQ^(AAoVY63o~kvzMxO1o8^4M;j+|jrnSSOk zNSO-e-TePS{B`-i_GK3*rtZ+(2hLcfnHmfA)J%XAMG2gkCY+#6^(7f6^nU^;Hm(Ow z!il-BCF8_Y!(%Uj6Q&F?0gP`~;l=`Vm+-_(;Krr-furBV?t&~}8$a#Wy^}i5IKC*0 z;fqyk8KchniB~L!S7gI0a%DH&v|&)|!IN`l@2Gfz^WFH$`kp9k!Jq1QEi_+i4K6*) zd~5!Wv4%%%Y<R>HyP7)vNBc{P(VNzi)|vtQ?!V=AWU%VUo2yIyf%QCaG%o+XMW3V| zm20P58fB<waS443C(h&1zsz@0e}pmx_S8Dj<@#k;w`gA!hMxS;x%StZ?+-Aab<k0( zpZzrX)c;y^D6+?xF)+Wa>CRnp7ky){*Oy;?Oluc<uu8>B7Trr8`wIP8@0nS7iuH>a z2KbB4;vC6L<7Zm<gVw6uvVS>i$9=w}wd1$QpHIQ#)mDL(RmaKURmXs()`wbRlm%HI zpo1!3Mr%I)C&Aitj<3h1=J?N%2jp|Fb<mXueoY@F51ir|0H=MtFJg@QQU;fH8@VST z53r|p<pFoim{1<zUOnkQ4<SR4ulk8Z{l|D}-I7eLb^Zxr9m$W?;e82N0(pU$MkD>$ zpD63d3*762{Hd}Dc>x(dD|nuI<QqZ1v)dB+_a@a*$GdRkt>uM@_@-kE!HyN|L#}!r z`RS(5hEDV`ChZ#pv#%tzlZl?_&Z1G6J<s@07FyNa3A(vK@)LA36S}Fmd*fg_bd!2j z`i@F)^x=ZBFuOBR|Ghi~vmwTI(-qdD`B(Us7IDro%$h8JuHikN_76jM4O1Ln)`m34 zzdHxr^hXnQd@@mo<~6|k3F>+kxkkEY$ve-yIb~_vz4odCXs{VvTXcOiU-DNTb_HbH z4q(@#`$Y6Si{0r7-r18K_#5hqCh%ni?>^oir@q8mC|hapDbmA<vHItx?<kyw-HQJ; zZqX%D4(Ii<Iz*?U(VgH}xZhc0KbIfcR4ANd9S+bhY+jwJtCDuK7IM~LrRtmyO}~Mj zQs4A{@MUKmH|3?%p)C4e`5Kw>Zdt+1l!xZ~So259pGhiDdgK!2O<8z?#(5b&@;i|) zOdZUtf36?C-Bp@8X>du@$S9Lzy|dZVB2&trNpeXceKzA-Zk1}@4#S_C$s5=;n%BrQ zYdKHA{3w=;%2|%z(ilF{gPrVbUTElVfq(y=WyOn9d}$fH%g4&piHzj7Z|an96*S}4 z886@rm}S+cX56%?8y#Ff@=~_#Pt$mWrv|Q!XRCj3Ni+DY{uTn8Q^?=ne6#$-NzT@* zF2UmC@Iv`KmD7HFd8kw|+uMN6OUMfS-n@<he#4%r1Dlx}?4ui3BPVDLUX4sxPMx~H z6FxqG%!%G=R5n<_yhp)7$x>mS+~?A=&gO1v@(-}alu>32vbT7J`ke|cRDf3jWT`N+ zRK(6R>*ONVNyRMdqaW(;K5+DDc(9qLB;H(*?eypCz}Dr9_a)%m22O~c4F968g8g>A z)*b#gI{Z(OPv0~r@F@Ak7#^j)D0HN<+4qn~Jmm99^@n)pJG|=O-)0?8iW6qeSvm2X z%ozH-j*l8Lu<#}R5We1$iLS%H7C+}~{0RNl=c;np_qL{n>bHHj8G6qOUaz|g6a0Sv zkwq=q1Lhvymj5hx>hgQlpLck2OuT0nc+rTjr}jLB%pY-a9_?lR+C8DtcKA=Tg$?4( z=esT8I=aTloA2G`yE`&in@g<mqFFndH?JP7$U$#Ie$9{Q@&LbQq3fH81*f=C6YcHZ zPL9zS^5C`V>#W08O!!|ypEWl(AdjWe?{{%V@GIbPH+_n4iVPm5PYa7uchI+?Ao#R8 z#X8f@d`3=cpTiw~C#}*Tb9Oh+SJ5-I$|s2LHFjgBWb_bE;bkGuz_2rB`Qd7>gFfsG zeW>;&(v?p*uv7Zi%dE^ha;+im@-uR_(_a39--3??$RS2QZ2EBd0`~2B`o4+$KH^=g zPmJ{`KX%$$_Gf{OcMj&yvYZ&0)1YO>**EC;@m^A1NU}fo(x<J7GdSwsBlu!9BC~uH z+4Y<J7Luks50OXslC0NAwv!9~*}z{oQnPNuAaL5>NL>x<77ea9eql4tEJsgMNL{9m zWPA9ycpp0{8~379@ON!5u<d~@@C@H)?H$F`{S58woOa_7`sy<aiPf(8_VrCRxUVz* zvbhNVk^2tlTQ=XmN!<P#;4Yf{4*Cj<ch#Z%QE*jdgs)x1NRjUS8*hxRaloWU{XLho zPfykton*e}pgYs}t@In^gNL8R6w@F1M5-^)f%FGscy|SDNQbnACwt5>`l5;V?~d)5 zcAm;B&x`fpAM*NUPiz*liFA5eUkCB)l5g|V=rUT+eXc_X$C=G13-JRIz1CnS;&<SA zVg%yDRINVw?S-)jeNR0+CDuRRZm;A0?!J`R)9(!(Jd1p)`nEA2_`^Ngh23Ql@L9ZZ z!=T4%stU8NF-F#W$KP9W!#=Nd0K9x908jPtU2rY<TkeL2SJ2*GyT~6qnJD8!hO->M z*uD0e(RAI18)A-3J@iZUc!1^jwnS6HH)NXw@oCvDe&`(k?r!xtjc=z(!*8Q|)dhdI z>nlee_D7&e;ez_MkpA}1FK-u2)<8Ed>`cAPt6<|Rnhd<1bzJ2%r(O8eZw1D#k1TLD zXJad-&uZbE{gc5&Kc>?Ux6YTKWz9=1^CDj?`DiJ>kAC}@qcl71$@z(L4&Gfl4ui#C zGW`j*p6k=a|MuGD=_bC+@)=gF5k0~upkvL=LY)iIc#`~!rQ_O3`_k(Qp3vURWcn;9 z^ghEK)Lo{%B)(zV+eI8^wRhMbQ(N@8YGtA=WW|fxa@#0$c|bxxIx)UG`%`3@<Lq0c z^V#dMQ}H)7XAgp=-J;akYv{6<7qaG2r{eexdQ*am<M)PlO2@VIMe#36-FY<Qo@M4e z{;tr_i|C4eN9>0eunGJYx!@FXLEMYq75J>P;%2VBWzWi|LA0#@2Uyc1f?=OS<H=>+ za>5V#ZS=L5;=u-<CJu}<PBXqWsSZ5xrINm0<Eo+EKOtLb+~}1rf~jP7!PVFd)vt1= zU+P2hJWkl&;Y53V2CfE<jT)yT%jvvnQhQv%M4iAO*hqVlw+tM1IqfNZe47{Hr=8}E zuP9CPXxiIJd;k95X>ZM2wdd-8lVR$#Wo-V!)uyzV;MzsI-=<xy*NexDb0k&(a$=T= z10cJo8Ecc%cH(U9$as_21_#dc!^8!4`XN69GrxyTUvzfH!QVcoFCq4NTM~V_X@b5u zI&%jfcLMv7{uGV$$HCRaoL_vtW}<!W1oX9L>R9?}nmR&Xjr4Imeceo-|6kJ=YvBV1 z*0#^Aq5nJjngAaTJ7dH?l9+?34n8oxISD*mG-eJQyvJr?U@YACf)C;a|3+-<@v?#D z|0rv8@bIiyH~1z$*l_uz*!%H6M&~@h8rAdCmVek@jP9utUtsNDb|vH@*ALS8-*f)S z)&Cn?B{Br{J(b1UuXS-TYxD-z{~BcRE_kh3-;p=l60�=7K@@+*KjCK2bkM{rnwW zv1H{#*p4jZp%l)xt>=H_t-a6k+s8h-`{W0WjmW}A)b`r@hWx)=KUl%qt9?~F{{MlT zM123n>8pIK-^yc=r{ovxd5AAuL;s?at&BF>aLX4WtFL1`;quWlEpEAQvq#f=!7mpM z?kDaIdxZ?$6|eqz>7VpJ#)gt~rdsfK_>OA>8sqOiwBtGMLBc*9VI7vevY4}<#H@5; zEz<8c?ax!JOv&cj+m)r{-_D-4+V8n#Nrbaklqu~;K2~}5siX0bxvLamXpzz_(vg`= zTps48TJ43k|3X(;fo)KGhsZR_vgh;je<Nk?re7LMa{P_a`T4%_&(%6;eD~2y6>>K2 zpB3wdxyfQL0M6|V^!-!kozr|R``8;cpi|x{TOM_{F*hAN>EHg5xW<e%On=9ZwU7QD zwQj){G1_0r@A6;iVEpZjrH#5CMnCcJT=sESac|#z>c5V6d=Z)3p*HkId$w4y-NXgn zwa1F>WG&pmTC7-ljJ5Lt`hDT<A76A1(Dg%(%l{c22D+P}e#*wzI_JcE%=_@Lr`XSP zqO)SM8%p;eJqG)O`uJ?(fN~$6>!+N&9%(&g-{;JGV!n%jm*%^d{YK>4P<ytWRw*CE zR(xR;qY0nV>e=`fuK@<qqkIaRBH!we@2f}SAdSXHk{oI=$Fdbg+*q8%^Nh2X9Ldl5 z5jUPvBLBtvqa?XY{RX!VP;ZsSEBR8q2>I5;UL0xXnzU7Iw4-mo=dR_Kk*RCITa}ZX zr+yjvAn9CfA>Ue=qvZXK+8e1;bd9_|@;`U?M!}&P;PE&*42>x*(8zd*iE5{%CXcJ( zUaMU&Om5R@$E8z?^Q8DBGPl3ue1&iZzVd+260Mr}5&O|qb{3#JU~YAni$g!`eN|?d zG8(I)p~RSwt1}Bei@*C!V*UIzd-55S@3IHc@eCCtohKTlGiOcghL+?9Et)EZrgGLe z@fri^*75H_U$WP9p`+Xf?_DL?(w$r26TsI`{b+i2_`y2h5djvQKUq+FAvM~O@Eh-6 z8VNRgt)<F$5Ban&u+unq$=dLjz;P$MoB8Sa81HT9OBnxt!z&o8{x^G}SDUIVc;^f7 z$bF=Z;1g{n!(DBBgf_MTL(Mz*if$?!I8Ag8*Ih52Innt{KW9J<y#4Th)*s)-@=obg zRhOUmr)5p(pjp3kA6wbyZDU6*J4!qo@y_4a^+nuewy?(WBWF)lH4N`R%~~oRxUh&l z5NT(XMxE(CD>jY)Ifq|0ogZiE&H1eN@Z7@hMqtv0Zg9XmE%=gmdXPAMiwZtq*LOp= zqFKe~>0)17@Q9;ZEO^waXMb5;kYU%epR6w6UdAr^RZxN64*T?faQ1h-=duN|<*oP3 zT44MUJ^8oqVxPO-lfPgA=~vP2BAy@P9PyRBFP!XKy3S`URDZWkvKGoF{ZG)<de7_y z*YRCrX@&Q^gY<%xc6}p#D`@7a{(Xt3`qOFG_o_d~ZKF>u=p$Y)_|)LZyB!*(?c4>b zr=Pe_T3Z_?XWnj8ZoMaSf%YQ5r@a*$vyJ`#AN6kMEV!1o)u#s9)?Pqmw0^DkWH@zk z7FcrQdaGs$xMboCtoLM_Z^isyM!B{bt=rS>^p^ft@mED3HjHj~zjQ3vbv55n;)fa- zGv5zMr$Ks{m`6B68heEgJw`h3eehlRMVPfYNpBKG-(dHp$8KXDg@ZogdKMBtw>jU6 z1(;X05g^8{+lJzQ6rtN)L|-QAgQ?G+7TcYu??c2?ZUi0?&$I;<oZHg8nmpyxV$M0P z?2eTqd8RMGx3S0X=4qOi&`V@@gvnDgG)z4+796FXICBwQS8MvU3z%;8_*=qB{qzkE zFFv={Dm?-nTl|g6Z;sAJd%50({Y_`vuY_0k&9yq?TSBG1tj!VnEPVq$>)9uP-K2Lm zR>=p&>@%RjcW^I&1@Cwg_=V4WuyX*ty^$r(Oz#|}`?O#(-4lPWQ~b68y`gw-B;V?E z_#-iPlIFzeFMMyre`t)n)cG8D(?wYCEy)9%qm^GvxA>zyC8k*4@^4VQ?_y$o%dcW9 zF*9#~Z?kR$g@?z`y#?UUK5&CEW;U|^`?6eJ;#hgdJ^#eL1fA%Wjo;Fvl$XA|GpQc_ z&$hhA=C)UUOFHYm8TwHF+`f(Xzj6Dw0v)xHFTCDjWQ-VdJ9KI-c9AWddBQ&O1LlUl zW^YThyCbRHn|X&Xvu-+Pu14qCSvO?=_&<zIvbf}C(VuwU<<!@4GBhOpvC_gt%jMg? zRB_y8`v}|1N`3ST{$I74@>+94y#Foltce4?(12v!TlhaB9(;Jz56MDjZqkx$7=pd> z&meykeRsQON-T|eOJ%+S8|#d3L<RR^m7#y%=g0`bvc%X#gN$*){eo$y$k~?_+6Cwr zoOR*~eCOqR;|p`1k$p=q|Hr{GaK`X}OYLh48m&ho;)|UB34s4ucB5kbJSBau;3ple zY-dKVOP{1)s6nr*Jksl4%N=Mn$REP%Qf%!O?_>13l#$M&E1}m7Fve&C7a3#E_&t$3 zp57^TdpUcmLdzPOOC1`U@=xV1Kk+noJa3o3cU=Bad~weKIdL?MT<^E`Kf^DI-$N9B zu#b1<eq$x`;l{LmiakO<GIkK(f<U@t+|;@?;7>QO^4eEm+cSDAcuiJ^;y6oY0Jimo zk2V_KA0QSk^4fv*j4g`&1-W8lA>-3oi}2)&{b;YDZRoYM5Bf->KIV0i+Mnx(w{TYZ zOSFB+<E^XYSxA5A@0k}^vlLTPv6PB{^%`RQt4tST3Q+D4vHDMuKRUUqw2k>HB&`>| zsn}%6<pp<(I^B9cNIg4WA71<zcW{T3d_ay<R^u-??8RIzyuFyed6_%**qq05<r~Mw zFP+e-xz@&3`mH(mW@_kl(Ox?=x(XQ4pH9`e6gUWGk|%*#XPh{%_&E&plW!aSk*(eb zkNPX#b%t!dnX^e9y03aIbA}(<P%(3+@yK^o_MJZbf)wX@82+!d@O{8nZGzvO$f@<8 zL<adR^;zumGN{kT-1#P<=cZi21#kUP_?`Ow&HT{o>hEam-RzEO-NO%lG6_y0;1xfW zI8TEfdu$Bpe;>0RY@iQ!m>6nSsbpK|vPxstKH~+}B-!p?WPheuNs4i#c{&MwNI&Xh zj(XuI#_x{Uitcy>L(OqSw4KDK3gXxWULU^XIR5h|!w<eo<4E{tzsCLKA>Q#V&9nHE zO?&NMSgTyW$>e?i_&74hC&LR_$F%1U-pD;Z+M{Sco^+Q&4QtcO<hytue(Ck`aq>r~ zH;Z~}R+w1q`)6{OgWkKrOW*P3Lpm1<ZxWs2x0pI|PSiIe#2G_t@fXDBR}epq_J8&^ z?T;VV4vmZbm&Ub~eiZQx@%uV!u*SnhoNqav@%4RC^(Ej`2%H+x8TkI>oPG8EY4q$X zW05}UK3}<W?llAs-oV~iZT|DPHZR=$xY1u|A1`?)j{c$zoQO*XB8?|@v&O1+e*JqU z6;tnCAF(C+pWqw1jQL7O&(O>>Er8F`7W4tv5rY}Mk-vOiOuXadDc0|8MsE;9r!sV! zG`D}1?cPrDpumkzdM&n>ijDS0mGghzYo5sBL!V~tKeb0b65M69Q(0nbnPSzf#k z-;YfFfcWhj?6H&gwibUQ`V8vq#b?Ki8T!#U<D~V^X8gcH<I?!!4|$8(Z%H0Rk3Y}E z&2I#*#E|GXMg6_-5vwFL)XTegigitB=r`{B^`W6(x$lcZL(jSI^N5M)z88mvj=S%F z85;Vz`(7RzI_AFjl@E3EehL~-J_jy;=TqxR6P&j=u(`p&#yJD7@h0n6B=a^x1M)ZO z0*6+C<7Qr=2c^FqO&mt<+y+gE?+U)ivPRc>k$x;mPYT?|@E6HJ$PxGLynk7z^pAzm z;IF|^^=&`(B9A?K82JOeXOH{_l@C64|L=vz_#oOFojv(2z(Zy9{b_VB<mq{VJn*%i zd-$gFUPe|YtqZzH)YJ2y{4d_FvtoL_8+fVArzvClie6aq4dXMm1nOq2iM@G}jQ;E^ zDmNCs<h`#kF)s0zZ_$?4u5HvITWyGar^ci_8dE3VccR;L$26BdD8Ig+NQ`MOdDOo! z-?Vp<Z_mS|X-tWFdLH6`&4)9ltPX!-Oz)!1zQkM^I!M^}AENK0>#idw|2gwiPdjfn zPoE=C@;v>Xz32FOx|=*2Qx^Sm=jl$;lIQ7m{!gB#r?CU5%w)<;G*1)Fk>+PaU(eiF zP1nYJ)Z4B1n8)CsWPj>KuR)wU;MSPX<6%pC;B|1MkZ*#WD_<t-;ehQcHHrDATy;8i z`y`Lt@9A{QxiJ8e%ZdKf2dzW3@O9nAA$(~Qk2zD(=_d{jY3tOt4rmPd1DSnnyqXE? zyYQa3tuGZF{e<;R=&$a`#IpCQ&wZ87U4F=5rH7DVB};LqANE}@zRHt2p5@%`>)t8B z{X1LpQ=dVuzt+kaMz)MIj%$&-!wH$8pL?D|ygv%er2`KSZ8%YIq2SCK=svz9)cGQQ zyTe|Kn5~UfFR*8l4=;DYcd(B^_Eb!G`M2eCd`IgkvW@!l4eHu86`6)_Ke`4TMi%}b zS6ErBJ5|Bj*{dqc?Tj?bDlM35mENy*xvRbn84Nk9RDF=oQ@6*e%D>#oswkMfYRTnR z#$ZEZ&qmT$7r+0Hv$;RMk8#{h{x<R-<y*neLVqmbULo0@0(@6p#3zr*e|!V<2`-qp zQCb&#_c-!E03YXo*Qvw*GyG4vzs{q&?cN?_$9m!gRI7f!ZEu~=_sF~>+x^7-oPXHL zSjUt2RQ0v=BW&lUDIREehP6^Yl^)`QY79kxdd~^@WA45%yyQ0a<EMb9U^RpNpKMl) zaS?vk$6w|w|0n266kl%tEPG{{oo?{$?sEkt!utl|um~qxX|MaVl@X%ND6$zb1hQ&v z=R8E@%=0Ba(jsRHO4RqCkw-dsoAGEKR{jWI>}88u;_ROu0oLd&>%(=kSJh>HZM&cO zP(6bEC(tDc2mJQTV?M9%7<#WW!CleqdPXSM_9*AGQ>@a}yQZJnL74$!AEePY|2^=< z^rPDqn;^B_zr#o0{J^Q1JPp|JL_e!z_8H}Ep6cXH&ZqX}Z?3%W@vnGY`J|&#ofG8? zC+b(Z2KpnuaVZ(z@in-#ugJ)GKy)4Mp7m94N-&ygWel(eq|&b%J9J^SJ&E%>ioa;H zfAe-Mzy5REwfAkr?k0LW554^on}>8uFML?{9$LXueBaFX0?y$L<h5?s+?;-{b$gp9 zmHRT%j&T=J%OTby%g$=q<!Ro&5&tWfj#9zp7w0QpGPFlM_+SL(gQ0m%oDnl|A0>~E zk4b6qH^%SX-0$e_tMPNEACV)i`Tlv(7UL;+qIf`SgW_$#KZ57D?@?olG7od$5iY;@ z4LXGo{KA~I9COyjk#qX+E0Nyl<rBjXE&;!xpH7XvpRotIe@^Xwk~+iSyY765z%v4g z*u??vt@8luKGH)xe|iM{KII2k^S>{gr5@oCcchlKKwqjWow_0^)P<}X0T%)Z+743x zy34JSZcnJke|TX_!4&J!g}{2NCkvR*Y=LfHnRESunC*>j7kzw-J2|=MZ*dL$;xqKA z4H;NGq|NLdIHz?OJpnQU|97Sn=jM~v;F6cU>6M!%!+&FTeI5PqaUVn5J%Jtm3pFPq zsho|uCnf6>_f)2V@0<ghn)amw{@IaK@)uhsf7_&_{L_@*WAZC+WSUhP^-oQEB*n)a zeO>6k($gZDR%sbN#^QZG3x9C>)Wo~=#r7od5O~G+B=)h$N6GtG(FbR+^0X&pzmJV; z^iHua97Bg#=zXT(^8+hC{;`jJY=j=n`B)ccoY*RT;D!7(bT8<G;KzFAxdWKYgwK2i zeMK19aE7VQ1|DPP{&27*434j^U05;`9_4;h|JxG0Up!Or6>qwl^`{%Y?ZQ7mpEU;| zGxo+R1dv4$ej6xb?1%8Re&$hWqxh6{Oy7l5l1a2yEd@q*iAO_Q8;%58o(G3?H+$5S zPu!O_f{)n=e9Z2E#$y4&7d+d>ySs)6&xk7^Jn4*j2A9OWzRF?hOto*`^z`m%{sv$Y zxkTS;@F#ZgJ*y*wx;LYXbouoQPrUV9ivC8=xw-n*@&3;VI~8<o!N24O30()J*Af5f zhfYr+E0o=1wTq9jHU)oS=zmJ^A^4EtV{1qG7&?@oXi)kK(epy+`FVI3al==3d;G@^ zdmLH{<M&a+JhTEA$=J$|K7M6chIRcrcHOk;NpNGB_#9iA%LsQ`#L?Y1oGd7LVQFaS z9n7<MrrL7OwPbhvEwZ5Dg?yKd$>D{w;Ds~cg`@f8Cna8ZDgS6!{w!vU0sOpA!=D?_ zJ@f*X-Sh=rU}+;dIakK)XAHtkAL;1x9xb?x-6i?f5=$vc9e&%Yx(2`bzhZ3v2Y%9T zUl)7WKdt3zbjVTg;xucc@G<PhX1AvvQ+x3*!grzP`Q(jLM*2$+Wj@E9T)=IyXjOjA z6Vd99C!PJmYpd;%yGq5kqpaOJ!}K?QAvr5|YY=&*a^7>>*CUr~q0WXm$cRf@^MlOC z5$q+6#I<dqOoY6WeS+kDKY3e=9GRw&J^+vGJ<uVv*W)XCZaZ^$JZPtFU5%_|W8)e= z;+*5`&aB)@{8&>*B{Ga;um<F`0d$=;wv{QH9Q)b&UBC_>%SGyI+!}n0v(|aKS4=!$ zJ#bQb_)o)+Y5bal*H)LeyJvqb{>(lp={|YM!Y?y+t;f>S3;@S--pRU?;lLg2t6aU~ zJ9(Gh5x$;X%{ig@{3h``G|92Uwq+9&1b-H-vtjxo9DAR4=F)#bPZUka!^S_Caj)UK zV1xXc{Zr&tKeD1?cq+Y-blG&G7uKIR?F|Gg8G8-qETY`eY6F+w(zjFaA?fS?4xC;^ z-uR67oR~_UIP$`<b@v~0In#FNb9Oy(o2uI;(XWm9x9_CxL)r9|Gbo2<+V#>k#*qtN z^iB=Fh8!-v<0<0tNf#_07e`+2CC=6Fv5#YG%0Bb}c3teJhrVjpH$r<OWxW%Wo#K>z z8CsH_b|-uzzQy4a1@MWJv}5!ewD}F_JU$m$2bsjkI^;9_;VOqeNPkcW&-d6lX;Jt? z6a1mv@v|`dge>ZRfpLK6Rnl2Gw5&U(vN~4NzF<7k*S8qwec1RN8ISYgNxn|fFP&Xw z<7?<?Kd<v3UMu!-_^j~8_&eg4kn<PTD*2W8uAjOJn=ZZy*&XY^m*?0MN+<F?=sLt) zDE;qAm))%k80!BT{+A9#?|;X;&H*ZR?to`XEJEDd)a=mxIww?7l)gjj%~6j(7I=ZR z{DRks|CM6Z`_W^o{0CGw?YV7LjBD%0q_&p*xo!2)mUnQ8Y^AaR_stcLw_=;Pcfe9y zZ*NF8N3$3B5_J9=-@BeXTOwUe5&JpyrwiOuKGx<8oqb7z?lTxmFY%dX@QiX#mfvr! zY{r&)6q(5J{mcm-g~tfC@`Dv!=Wr&enWxT?uwH_n=*pL4H(@@`a|Z0(hnF!|<?yso zeOUnguhxxX{8B2Y8wQ;nK>x>HsI*v5crZrP7(C6~`P3%;7Bt(=oE86QIk7B5-z~FK z2i!Q{WB2Kf4e{}x4L^t+IRKwBbp2T3|6Pn*c=+NU@Y^9CZcTzOYaT`a$vS{!y`FSN zzk{~5zl&fqQr_K(I-97IKE9G&enm_=ju78=B)-|ur}?(#idYBZkR6+`XH>|B?fTDf zr=QN{?_#cG*RK3)^t6sI(HPsd;2k%*lg&K?=x7>&x5fN#XWy@H>XT1*3*3(X4R?4| z@ISIH_d;8pwR0>~;`n2cuKNa+UvZi#?~FP5TuPF@SK}2Q_9gp2&GQ@oC&956+oJlM z_Scv2f1+L4;gjL&uGekAO!sJZ<5SVgxZXrocX@j!@2JBw{q(sUo-W(dYOS%{|D8%4 zGOb0jZ}BwxQR$9G^=*!9tMyayKot9zb?AV`s&(>J-cKd9^^HVZbNO~tqAh5`wB_0$ zzw?wMBU)cGHoe5Xn$8`yzdJenpklZ==b^puOx>#|TH9RpchC#8w)iJW?P*-XH_K<O zyp&u&kv-3aSD5<tWjW)wspnGTcKfdJH_(3<1{&vnbe3P{C%9^?N5Nsi!G-^=yyucn za<R>r`vkMK;^m`v#^Uq%fOy4}9LbVd!QXi&aUMLULu=t2#@<W*>kFOne=(`<|LOQg z<pf8cDtKfczCvfOs+inYa#I?6;MFIrmAUX`&duN}_F-&ig~%ptCo3FYcLTf``fESw z@7x0}iDu-JCEQ>v54iM@yxthN(~kTsQfZ@*vvccMM=JUz#RBH6Pr<Vme<S-Vqi=Bf zsCDK9ZJ$sd68()(HV41oJnDk~u58D5xuz;_hwS{_<P~o`O8*ujKdXPDor&}Sm+Y6F zGI76>;v#9S#3#q-3v?C$8I%2kVk9|dNnQpY*0Anr4Lg5Gz9?CBS(B`ctexAisdE<F z(H-`T`l)9jvrA4<OvRjzBH*rd!1R6XGS+Ize9nHxwGVL@@~VE;8|+~C+Bx?MYyFwW zd<b`X{saBA?7qm7++kV`+@A6sy)u@@UA6v=b$78IEMYG*<ZEWlsI4o}`lYqQ$Wc1C z^mXEaVuP6n41Zf`#YSwlh0>k*JH8J;uYs1-hUl^PD((S#BC*c~@00i0$?MnnbphG; zz<<0vN;_M52ahrh&r9&talVqHzNC^*@C6(Bjz6{dX&kxPSp&xU)t-iDJL%RKe@C~x zd%x_O#5(sG_)i2~hj_Ktf@0|KwmG5BHKgrj4fHXmHLMT#mDaZbWA+C1_=mBMV9&>g zSbdpjEs~GbPw0!=Zb3@H?M>{r)y@pskc?4d<g2WXsrn!Js@KR@Ssgz9hc|;KSsf|7 z8($r0qu5UP>mXkhC;WB7^QP{A$7eIwPX%m$%!jX41?O3Pwm-GN?=d=)(LT-|3lqj! zVEgLV2zT7I7T;aLcI1EV#sII-BNP9SwJL(#vyQb<G^lkGy+<r$8=sLO?ki!vWM&i3 z0?Qt_4LEDA)kpo``=E38i1Ll+S6Yv>mP*gUS&IXa-68qBEUHOGwn6{au$%qpy|(;? zhyIHCqUaZV?C0b&&)kj4|Mf)v5VROi`1de(XV7yYN44f_9<`U(GmZ~rgt}{|;XjWq zO#b}nVm2bru*DyH7rJ~`bWU9NO6cCF#p<W*C`tYce|(9vn+C^2oubuR`gh3VAE;%% zlgG3n(Z`*yH=H<hi9WV_F7Bgb*uSTbFL?by)_8MAyW21H&=2Td3*e^nmiOtr<*yir zPjO;_8*^d!WitPE*T?hN;9c3noeOL$7tO_c$IV5RnTycIOU=a%iTs7k#pf?E&WYxN zeV;oQrJ4)zRrabq<L3lBCUcS({M1{_$(NXuf8}Rcq0Xz`Vos(f`YIm%p-c32qB#jA z&57GjcW&JNy?27SA@=!2b8{Zvn(T`?@j1wmcqG`qY~9^`;7-Qp$|u+JuDyRfV=Z7U zLI&vRhHi%&Jnh_F+B3|)FwC80tI+eDo8tJgon5Z@6~2yh@3TsWE3MM6z#CPjSF+8P z<hv++9pKgj+Vl58vnnG$$!^lbw>C_|2ZX!JBE<JQ`!~zl+tED-xO*WRUJ>9PssZ?# zpS!3U?3{s@w={2`MSrI9dxW)U-RDDtm(r1Q_P&K!Kr!yzh_!Nm!Y<^KIh5<eHm7xX z5IOTT`h!ei?msM~e`;UPUvcJF_nzslfb*Q~?1dJ8O}{oXzA!rFe%AH~yk=B~>Ny6@ z#45ab$Kue%DaKet``}pzmni98$;FcWK2x`7@Bz-jsNOs~ucZl}%v|8DGgHu7&)w`< zb%$P?CwKJj2lAfd?gwH@>fHMNF3t<olkYtG)nUFhvDXyu{{(4_i?d9Zj{h)`uIwpn zUa;4(b`a?S?sjA@!KmBlW^=KbIyxj|opIyOHTNRMy^Dy?!TB`S2v<iqk)AQm9f&i5 z7jZO^>l=GA=)2^mR~et9`<aF8Gn0AB>A)uXKreptwm19ODd4F%k~=AXg!DqvYj=m* zWslb0u!i|*gvZ+0#2Tsh4c6qE#J=twv{B1<zx>gftXS=Ct6lMg*yA0`2H*VFEBCj; zclp2iEAUw9RpsyfPVCPi>eT#X85rkusK49b?Mj<w(z1d-5^YY+ZmF4Lwfm>$w&+_e z>&IlZi+lj@ACm0gFQRSsjgqtFOEA%#)G;R)@OK)~%dGXb<3wt7Gu9801)oSmH{<w& zOJBWjmUWBtKt6EO_XA?vphqi12Mvx^*IwDZ{V0CI4((-k`~tY4A~5veCx2PL<3Ah) zpU^)J^il@<S%+);5UnU~;J;9RAgS&)@<phdHkK4K7Rh{mo<7{Qha09aCszG%gRfn> z6!^mse644At*3NoN_6{m?C0ZC9Dhci{27r~i-3E4Z9-o3j+GbZ;P)tbRCupE7JFRU z=YGy{`DkA{gNeRr57YOAZEPGbqYH~K4-IK;(3<YfL2p)cdl=ctx5n{LKDotXd=j;n z7zEz3kJ<EdJbbPPKGJc0gtoh{47C%p^w?5x%8a>TQoH;Ph8t4ahZkBy!+Y$~Km3&T zv9ZgabIkZpCB{F_ztSE5^%_5UM#eurU-J0JeKX_7C#`p(H#Qx;;W>1Q8hdZnm$wUV z3OW-uvq_4X#+exYm)z^~b(O|}wZ?oB-YMPHIm&Ci3z4Vdd&)~Ad>5@<?6sO%D9} zfS+hw@Y{Kwvj=lR?SAZ+^MTE<C(Ym*c8yoOeRE==^t_fe#Mu$e{RsQ8=tFBpa{UY4 z`pcdA-MZszmpOf4PJ`ru9|ob3*kAsDv&C~mL+95nXV2v7&Ky5H+XvGtq~jy^A^xx( zJ@E+Nb7dOIm+&PcFEX}8$#P{0{flyb1$~YqS0?08H{aJ!kJ^Mo*n>@3<i`1wOUR9- zI?w3J029k9xxwY!>!AH|G4)gTE6MWXZM3n4pJbIB)r<Tne%SrSaJ3`%`GRi!V`Yro z;5F3i%6}EqEBQ}*qVe+IYuHI$8-r~B;!78x>)-qvyl9L6xapJaoF|Y>UQIla-G!19 z?3m_W_&UDdi%g$&Hp|3C=sCN}V|c~cRo?btc-`<^yL6uD<bS{?J`N82ulNM?+DqT> zhOXJq4l%}92V-?~uZjD><OiN)XVHG2I1(M-1BVKkiytfgi`E<4@f9xT{9haUuAE(0 z#deZji2SmP^==Mu`t|pTt)_h<u;Bk5$$<Y#d+ESP>DT}|yZgu1_x_JgiapGF(n38i zQO{O;QY<>}a9d<vQ(G(g++D~8sxLx%!#z!H4dBFK(gvwV_3c-ET94E}eqnT^%=<-m z)3|vG$wUA5Cj07sQ2R~BlE$}Y>QX%s{C&eV{-~tu|4RO^P54RICizKsc|x6gfRSvG z$@`0f`=&YP?RHKx=Ku?yo>t$bwMP01Vv-d6Vj4Uvy4|m_k!Eq<Wg?EmQx@m)wRbe> z#2qktOrw7tvCjwPcOky~kJ$6uDUa^EQ}GNB(?$Te<6nUu9a`w~8U1s^H0ye;O=G?t zcF(VHk0X3gYYzL&>zU7ye3JLFSlce8lN67VUUJ0WE-8+Oc+a-mBp+pU2tR}mLGYms z_^0739RZhGmsx|Ynf6dI-&>DZgQ<4bvDRGn*tP3RikZhqu2s^G&a3%jlVTBYCC&C9 zOC@ilwzgyi-viuvqqC&RdKHU5L*L?q(Dw_Ei@q;Iw`FzIV7m{nULhmYb#d-7EIxz| z!NjElriRWrOX;Jp{d<tzsULhIuI8lrJ>Xp${15wG>A)VVwEx4L#bb?miG0D7P^tL5 z^6dtGEfs-8xzxH^%5j#j1U>cQkJ7$ukH6i+95arSlr7?a$yu|AH~4XVCw)z3`Oph{ zCdJUHbxz`c`C@x`Dqr*E<Ma8(<_kIb8p!v5fSY2C{+{+yDVt6mFH-OC_V{8)i8tSm z+*3=e(8}76mju>?@IAR~L12wlD!l9`F1z#XV~KCG%{R$N-0xOZS$my{Q_4KV9$_xN z#QCd2zG+`0IH|43=do*kRQJ??`}g28w=B@|Ddf5e+6vHCn6_jyj-+@@zCcnwC(rB! zwYE1y`L3m$+Sa+)h-Yfcw2w}bA6bU>M{55O&RH<ev3lnFEWBPcIpRM$!snblr11UZ zbWi&dbc04G4&PhFUQYNt4}K{fqV{z@=-!_a>O`ilTf@8pf89%zZQa<|^H2CnN!~w; z%y16=r81ry!E?%dwUcv=q#yF=tYLQW{=_~JJL&aJjIldDx^HFQlqnjy2K|Y<_etg@ zH=~Pc#J-{WQ^l7i;BmlrvA$b;hac<>B%MXbqh8T{8+}n8?Td5p|L^Brv?$-#VEgjU z)!3U3v);-EEZo;UXKj>g=cjwl#{0q7BR}2z`moNp82*bbYj1_^8Pb^)SHI%!zr+h< zcWLfe-s!f<`o3-_Fpc5^AA$F8dv9n+=L2`rUI4qL{%?c-$`-Mcz3V<;Ol(}k-y?61 zp1+6#A5$k|R^A%w6g+>4K42f^x4jp87v<n58MSZvqHXXC*@4y0BHB4Y+sZE<lB|Px z*9%%J**_-sko)1Y(aea>imAP)vRDIMSmWzu;9gvQxz<O{gwBdZuC&^3M(2H!v4@!B zwaXk@mp_2!Bbpf~E##TZyWF;>Qci8yeOJXEA;0nnmnX7wKf=1}=<e-~JDC&VZFZ)y zE$q#0DiYmSrA_9}NA3-1yEkozzxK|9Wp;L52>u7{W~|Oh+#3L2Y{l*y;@o)H$Y;*_ z(D-g^mH1*K=bOblm1m9UbTW24cy|NmX&Y{^HnRS7Ho(I<XA91wcc3qyW<E__E|2wU zJ;*jb{yT}uc!yaZaz@sN-HauU4H{oAQ@4CIY;?%PuPEh=NGyQOF#xZP!*}P~A^c5! zbz%DABR<7C#*)UbZN<70_`*uXXKz~()H;z-$DE4?2jIcQz(csuwxYJAjPqkY`*QLX zm#l?P*T8=>=(qCJFgABT$R4=!D0r<o@!2anedy^d<`iet?9Z4n<c*A>o-vSb@09W) z{MA^asq4o)|AYB&TQGUYK)R2(oy3fn{gkn2Owe9k8{_x@{W_E~seT#n@fDvmeQy?T zCiZcB#Wf|$53kEm{-fxE)-k5j@Llo1pEKrZybHHB?6!&p=l^1lD88?;d}4tWJI1$Z z-o~DvWzv`6v>k$z_;>rp$X(6zth)rK7~|CZr2_}XSS6dyWsGSe+x;k=yRwNLG<$T) z;6ID~$Q%6VQHOV};~q92zJdOahDyP|b;2QZL5n0~$d>Q_<+{6qc225bE}X@lCK#JN zc_GhB$siNiMd?G3vOQZ&dG76DOo#<m+ZVoS*8V7MM?e47Dxc-6ESSgrKJbkGYWU8) z?)(UPhJrTsjqn`FEZVdCPHZ>jc2X|z%ntKj%X{Qm=UsE*OUM;9yt^_+IrSD<muH5B zH*4Ip$_39VuW4I07W&kWpO|D4;qv%?ou*%5`W5v!{gN%q?N4t~e=3st!yap-KV9^} z?T>h4(Ool*tyyD}ej}dsMfrT!|1Rqb+iRJR_rVW`k*!}u|7ZGL<j6;boO7PYo@w%w zyLrl<)tYz{{`GC_DF;{sf%T$(e2IMc%15X_a81`;@&gRmX(k?R5d5o4No|SPp^e?L zd)Yb1@H2@my->alT^VxeSRFXNLmle7aN}R$jk)Y83D^e@&+X_yx1hB~_b%*by^z0> zTV7{0RbO)XZ%`hXEYg}Nywmw7;r<HZ9=QL5qx;Pm*EnO8jzIhn`Z8<AM0VIwx^VQ5 z<6)#eZeTyIcIVP=)W9nHe*i0D-vg_~z-lM@KKV0A&Rw6VTQccxqX%?+t!{tJ&~#5G z;~P7s#Qh$Oef&BI*`Qawblf!QR?(>jpQX+Fe>W=EFh7~d1lhaLwQFw9^80C#^?=bq zd95>(vTlC8Cd;ZOX7=6<UknZ9Pw6UsjQ9Bc#0Ov<*FHorUQfJj1FtVyLl1E7_W*f* z2~M?bHD|c@&wn0!eulMQb+~2A@taZEzfUTgLtnl>opWF4X5c41-(p`{L!IIiKj&TL ztEYpv)C(ON{j2ir;M>lvPQHKVUEew1YubA{-P+IG4dr=rkLeBwA9(1TmGPnX&F%Oq z=dijYpOD92d%mRX9Pv<Qg*Jh6)os`dUe%i7$v&2YE=hYny`P&NJ$8q8@G;dJz+Ta~ z>5jo~)9xnZjwtUw@Vc2hmRSdf6fZcSeX9P~zIAx`fOJpJnStz%?_z%u>@>zNQ%5%S z<<gGu?kk%X4`%a@@qW=cZ_cq@x~Ia*8JLUjq0jo${blG;kKnVW`UK0?q`Ed!*Q>-* zj?%8`%Ee!B1F$5Z*P`x(o;@O3Px!+wvU86$QhyP7-$z;Th&#X+*$lGigY@A|d>3u~ z0Gmb)wgzKAz<*!-VYSz)UyUz$pLZ)h{5c()@JF<ed0#_D3p;+hCKk26eVF>Sf6@Cb z8Z&K(4hG2E?dT^Gd9ynHn(vH_J?y3LCU*6zt}a=y+<#~SdxJT5;rL;TCe9~l;%7<i zQZ{oReGx5)F3z$?6`ow#<-mmf!kKSoLKob5_<iuax+OGpaB^s4C+~rO8cP>1I(v$a z>K2DCkWcqUzYrRF4BCi-BOCt<y2!Nls}8rUOBcULDl57;I0IQE3FrR{y-MR39Gss5 zj8t!6hEtd9)GiG@O}-HA3nmwMS6i<_8&C7o{LO+d36Do<L%LUoHnw1E9HEVk8}Isa zY2(WY+6X6T<9XV}&;P$o8w1=Y@6yK4)pzRC-cI;D%)E#`1e;%sqYv&M9-)uTyu0-A zTvC1Cr@sBHfi8WhKGBHg>Ti&Hp^=UK%)6nHk@YYa8&3H)(MdUdxQ9BD=|ps!OecNB zQ|N+D0^E7qKH1k2mW<Klk74_)FY7C~tIylK-8ob1tXGB5OE5t%+8_H^<Dm`qo;e-= zNL#7YulE+-_1&eL%aice$)DA+nLG~N;DbNG*`SGN=EWasKjrEhopn)b)d~23!5{6v zl6-n2;+eqVG;2~+Yw(vsgUIc%Zg`x*Ki(J756xjUaT;pLe-!@v71>^G`Q-Zzd|jXX zo6sHYgkOpWT}ipFbqfd8?g!2L`oTiV-bNk7yo&uZca`?Sw`<|i?bvjc??z|L9g-y{ z8sB#q-@j7M;_v_UIA2F!pmA<UjI)1qoEt~RnZTnk<IIsfz&M0Q1C({gnmxf-KL{SV zV{J~1H8n9-?k1mbtQ#2XddB+t1xK#_VZ#34o~es_GdmRD%+Fc;U<UeAVw((b7moCn zU#4#K5U@1tR>;30*1|&G$Lec-VD!@Gll;?c{HrZrW6xuZCt1cR1aEzz%{?1DKF*wF z4>Yp&-*Lo>{SCIwnVk3j-Vy7#c&uzk#{Um~c96Jo+G8C0!lc2rs=qBc<hksw$L3sC z^4J1?%PuSNWn7-wR&`lP_mN;r1^X>v94r{JO3T<QYoFLgo!mP-pqO03jUUn{SBEhE ztPbcfAwFa=hspgu2cAQt+Iv5hi!Wd|K7gV}3t98P9Gkn5vIo}Cw%XZEdqz%6q8F!~ zWVktN5j-S#h<gsW-?Tc&ec1uvBHDieol+t1g8TSBi}ri@{g{{|;)jReUk6!VB%k#k zxv>-9p1S$em+PGp>)y0}kUsC9$~@eUJl(Zvq2jO}c!0W9$FHeFyh8pgamsSWHlzPY zihM6)`>6M2(q$KFqi)608XvE!ka${^z@#?Gw{m13l7t`NggNhYmV5k6U5R`AZbN?{ ze|_m{mQa5Ve*1aEf9gh-nh8$z&zZR+m=hXWoq}By+<ESo##gQ0X8*U4wX}g)RXf2^ z^c%)+tcE)d<R2R1sXYQPboO_<5_)80CG8JXKe$n)`WNL`=I-q$fw>F+AMlRtQgo21 zxg0+Sn$JHAE=j(fW8vb=zviHtIlu=dlMP2F^I3I>*c+P929KwHE91;&9>4Od^@B@@ z0bj%%HvWn^M20|c+#3dtnzM?-DV=wGEPoX^8GL{|ZNM}YSo$eDpSWkzJ4E{Mr{Vb# zGv_(TRTtxyaQ-=H^;KwcKYk{yo;(wuHF}cROX#EJH!XRS_q{&mTx*!%sqe_T+_jka z#<<;Y2jC|UKqHDD8Aa~!D;68)iF0OUrKz7ftC31S)0lUi(+G2Bqn5K8>T`fTyZ@)d zFRo#(bmu1cnW0#}kMTYN*Can);oB<ihyvF}?u<M#ifi|czb7n@cAuP+XYOQa=8mW^ zI0yfGv=E%T;eUp6dwmI<v!PMJNcU*L*HAY%Rvo1+?jALGcXblp6^zF_^uW%#>-gdd z?_52kd^G#O{mev}{G@tj3imyu<Cp$oH#{MMv-eFz%k!b-+P+XJdWI!6jNeBcZy@iB z4!lWq|By7saKGq6dQb51zOa8qr{9X2eLud6^#NOVIj45&d$OKZYr{4lvKKncY+}dM zU`vkjqkjV-#<J=~_7|C?@pIGuN@?7E66NQnRVXc=G=6T{dz5wsY5d%@GNsKSjh~x# zgVL@fjh~ygSZPa0<L9QmQ)xGl#?MWgue5iQ#?MW=QfbRb<L9OoDeb+a@pIEIQyTho z>D1k{JkkWmvGHO?_1Xqr$i5@+@=%_iTYie_oJ<-&H_fB8RMPmlX&2c0*IY{)KR0bq zX$wf>=cb({?c)Bp@yHyxP_j<*G`l76O6Y#AKk{ihw<Ws$8P=Ibe8)~wht`jVgzuQ@ zOV-_wKmW6hy=ouzum(M-XU$2@x$)k_-nQll{v_`EGH>iRyq7D_kxB9+eXwSCXz0fp z$G1a6|E_08Xy^z}Q_tp<7;)E}_uD4Nem+vql-M!%{fJL8t5fH))EGWi57tzb4?U{7 zZZ04Cj-DSXA9_U3kCYER%+tUpDIW1{j*Lt!SS!1NGpXqM_NNk$HkI`$z*G8Q=}S02 z5-Z||oP6Amob2bDz8BiQO2>Zi{jvU7b(7lPnD5w0ckGv))H=?+s4?kt`j`Xm^JE`u zVvPjf@J{0FWlHd@cXIHRC(xH5ABU%~PryFRxvKhN)_d{OB7DSM9}wr<uI`!24(@v0 z_$mhPq@3i7cQKY{;LUC5r~KvU9<c2fHnncY*0aCBnsJ6bY&GWrV$k})`x#sO`OkiL z`i1wL_>%g${<>q}ZEQVoh<@#BW`F-MIxXQc`-%N+kMF38VDDOw&RuJ?aOf=cN*89+ zwq&R;Qjc?<F$=w*&KKu(6q#??!8_?|4X_Ps4JvZ%AlPv@dpVo^tKy){GBynGG^qMD zp0l(Y@vJ`BPTTI;g_>p7@ukdXc&+0TwZe;T30s?Av95{5CAgs5hynN5a{BYeeBEpM z9_}?w_VxMkh#fOEl<>VrCQXjlmip<?(37-p{PM?tyX!5!ZFq}sjhFr=UXfljBbM6h z*c8I{>cIm1Q!VD~{pg{7N?)22{u0ee{u1G)j~M;c`<qq|UMkOuCh3E%mE2pn*t#z? zbQAEs#QNL8J;Ot_3Et(#3F}3kiQF#RA@Vh`TET<GHJi*Ct^GcHTIl=Y9`>{~l)e2; zo_CJ@b}aGjF@2++pCtbO5zokGCw9E*1wR)@z7QI+hP=mrsBc?&w>`%n*ZV&@?*~<u zGT+nl{?O0@^e%#39<aM}_oUbc_|P-pPShj#<r(-j!h5@bpWD}mDBDHaw|GW3e`K(m zZ;iycZcO9}GoEko?b$ip3AowZA-3|%z)m>+Rno;v#_OneLN}Cq#n-gJ_)8WtZ>gV7 zi6v~y8Q}|~_EmhH4UR(!nc^W9f8+V9=+LcCHrQV1HS&>i6H`7)|Na?Rsy`bN{c-(8 z-liX8{CFnnNADE);3!S3d<&Ww`)w>ujQuv2CdPgnOA}+hG0s1iCRY9#G%+U6c$)Yw zGU<4^rvZDnSvRq<t1q(a!&BGQFc;fagoak3w`&B~R^qqNhCF2}{@gN8EDf9#-_*BH z^KBn^rMXI8qwo5StJg@D8|;n~(3tpjwk6$U*1#ItQd!x|vMlK~vpP;N_Zv7vDY;$y z2IQ_z`NEh!5(84Y{u*p%`aYTO@+U_2>q%~Zygo(aOx)|<aTB-~H+Q5x!yRe414rn? zr+aB9vCmaq+4N_>85ifbiM6fqy6eJ$dvkZFZRyOpC(P&sThYUQD)Xk-cT?AH^hsJX z8a-JpuYcF<WgQzy(%##Zm%~~w4v*Tx1ZOKf1=+_s(@Ts5jY;#S^a9cgsn?mu#J)Xg zf8mZ%e)b{u6|!ml4fWp%FL;fy#E}*Lz#hs%?(gC*7M;rlri--ZNiI4JO!cgRA4)IM z3yrUz!<iU(hYy(DK|PYEoO&ER1F)*ny*ku!JOV$Fj-!cslrDIwzZ3D3iRMQ>l){Nd z+P#^6-$A=-uiNzd;`Y?XKH75INY(`!IA)}nv)_jQB>80sPBRiX433Kr?M=SdOLJSp zn4p72s$1jGc*fvY()nh6i*hCgSiT~^!ui}$X7(Q$H{uKEdvet^$F?iax5zU>CnNWF zi9Vct_gVZXrQaxI&C$81i|V`Fsjr&)YCNINn5j=T#nD*c?7!-}n7@LV#3a)5FSvIR zcotMUI*Ec?od4-hkM_-ilW$ibW)%^eEBXI5ic{-+xB3FczfgHC@(TalJ{upO<-}!L zE8kJhj5E$!e)9jp|ADo{@u?bV$F|xn+iq7K&b*9`OY=s7e33`aUb7u-?3qn{3;FF^ z&Rx^QD!H2R2uEAdudp6ew`Stct!F-C=BfJwTCYV<sI+%;p8+%(z1dnR-C>(!=L>$1 zzMTgTipcvAa-j6)i{W>`B~$(ZZ*WiRL}xhKp@FdQ#m`)1_*!Hq!mfrde|FtY+9@uV zT$*b1Zqh{`MGn99`6N3M?}}}*6nGoG3S&a&*s~s7t6_|<VUK-{HlpaSX4&YwWD`RM zOarH$^!T2<nYkyf&Y2qM`&ss^8fTnw`sOrM`Q|;HA4T7R{b%SPeBlu1Ed;N_z-kg> zoINAd`8fIsoA+o2Iz3`1nD3O=nEc$q*hbr_8U7aZXM1bG-!ShT=v>$@40JI*bY4R% z7~>m^LH&wz&cyBe%k*7+6Hf<@vbE=_e)(<u79Fa1sQ3?U-6whzA6f%%x8S?tNAf2f z{~cNk>YK*NS*ek6`YudioX+@m{b{)Rr_?{2@tmYhw?9Yek6@aEuEgcH(obmL^Xh+% z>eX^+*FrA=%wHLaiBF%UmoRA)=osCY_#rz#Q*_dsRNoHXHGY?OJ9wU~XLa_h!nvE! z&qshqp1suI!-mTw+hwKs?+K^vPIc~wTyl?{^$YerzCV2SgkAfY!C&_{=h173d+{`9 zzr~+Um>3+{b=SZTec-V4jehdS;mLv8$U&byxU?YVtv|xp{r7x!+X}`SKAava<XbX- z8?RGz^dv5S8hgJ%D|?;@_+la33Rcp?y6~FleuGqxwd78GpTnB}zR@+W1{@bHOr_7} z8~*sNo(`M|HUQ5o^gUlpf-(8ceF*<fAK<A*Z<wsFaCwM(AA;umGfCy;H>i6MOn=c= zqH7qr2f-b~c)hYa=PTak9)x}H7U9H)liJJW9h@+{#o?cq-dF!<FZ<OeJjbyK2fLZ~ zX6DMh3tf6>_s;A$STFBdKBwi4h4^O9@$VSSvviNxQ2aX1T#+8<JX-~@#<zO}p2#IV zy>s!mJ7vexup!5n<L5ucIg2Oz3;ed~EPK{e?a{q62TotbeKiI6pC<aD^VL4)IsVY( z_WAfE-Hq*DKF6!=w7P$UXO&RiPP3}#Z;TA08?Bm-4l{E2nwI`K({}`ih=;~p%OC9! zc9BYK6Zq*39YQxZ6+dp`cbhxKmA4yRZEz@5>OXqA<XZASYo}MX9$qrgf}K0Q))R|x z)=2qI^FH8B4_-ZlZ*}cy<Hr}q2m4|Cg=DXJ9zDY~(6Y``zNB(FT_qKEdYXLvR@=FC z(WAvBb@T)O<Q~CQe!;|EY&m`9bosi)R%65Y0ClO&;XU5=u<GRA_hOzU=q)@Ap%bT0 zDJ~&8A+Hs?f%x5=TYt1B2mTCgg16bVo=~aAlY6wkq#HVIJscRQo57k)J;VPosXa(t z75r|=Xm;wGOAKw!VW_?<6ZQ3GB8wea(h{UTb00i#9k?=e$0yEl{@cDHQ*~`&oN?0D zF(=CykIo_afqA3=o?`n_Pk+%<8aam_`W8<q0!{X6baKi|yv$YpU&QZfw~0}QZ|<Gw z$(~2X_HgH|sR!7pFBizKGx?3vBwOZoh+of9JBjb--0zg@og3<O{iwdh*nYdmLp(X@ zOq_W4(#2I`&lis8PBnTH<dBru;C0w=(cjBndP*^~@yF_;tb69E*N^|-LiEq*@7H;J zm2vKKskU>{UY%~S2Ito8!56h*KCus3^V(Qf;tQ>f4o`7(|8BkXyUNHciE~<<X<wwe zqI$|Uz&xqW9Ps2EbRoECpSl|yjX(6>_S3|%3bEG6x4f13r(Xj0;G4mrqr$J+vnBXf zX7~>mw+w(w>%gNY?+I;NZBHE-fJaB|>@?2Ic1r#bov4maf`@J$q7mWud^@#8b*X$u zqI??pwC54N>JFLyIouz^_Z9r#Ouzf7cOaOyBLZ&7r&V*Vxf;(~dx@JRIL4PRD{X@= zPnV6;HKD6xkHeWVPps`bZ>?*Z$j^8iWv&ZwW|^n-Z(1YZ6_RaUk**&fhtBalR(k;L zoi;3+(;|K=8Gk7}Z8zs!Ut5chIlqUQ*E5?p_ncmPy|Lfk2JCCWW8qX8@iUv?^=Y<M zT0~q5A2jTT9~2;yDOO94om<&QyBFca@<fa=>eu;Y*+!5b7sbCAD#q`<lQSP_@hKMj z<D9zXw5NV?j;DGexb~$fmalx8Lqi%rV{f?y7)<03t98mf@2ayW?@hq0=6?aRCBSPQ z^X<aw_(iY^ZB*>zBv@@k2b|%<FVK%quM4YwU?EsBcH<u~5zKaPDp=*vQSO8=D@)0# z6Wm;wt^IGnEDacpo?mq1zFd0UJpZr54}K7MXC%SS#kGm>?9K#^#eq9IW9U0~0RQpM zQs6fSKOK#CCOqkN;P5y&cOE%ofcMkh*|9i!ZsnKXHT-=9o@>Cp*~G<2hUF8I$?UXa zUVJP@cw$FW)o<s{j-8}F;d>!#=@e|Bvb`U`zgzm@XM}&`vC9{=__%j_w<o*O@UP{< zQRgmZgQMVQHvEKrf87?^s`cbm_5*YE?<D;>AzmSwD@m?$@l&`em<dO}1N`1jpFAdR zF!F`7UvuR{D@aVK&V-&Ni2d8x0;m6{W3S8O832wxWVx%s&wbe4&HN<n?sF2h&^+V| z$vh?Sh*`)xv*B^RyFW8nJa@LaC+jqFq-4Hfd?kTX=9q8zVqf_6Xgja)E?c4GF|(GS zvr$>rKk03PdS6H!H0?9!SN3lc`Cm$^<00N1+3m<B_k|bkzBFF01g^tg+sJd`Z}M}0 zCf8cDko{(NqP?ehy1s@jiT3`L{<w12yMRSLaFP5MxqFlGLpYzuogDZIRKGxc@Ha=} z1~S*xH(i*rG>qM}%?d1G4cA#Zd@^%`CCq`I|Mn+*R5_oax{N<VUsq|+H@IXIYq;*B zQrx3<_O2t}X#>Y-lV33&Rfcx%^EFM56+$nrylxTKt{Q(e^kMalPcGZ^FUSHLmo09Q zKbvqmmmhI8z|C32n7}WL{rI^nLwCtX;3%>54$Ud7D`M>)WIi}Fmhme4)k8t<vV+cc zf;(O0QOu`;#m>3y?CHpcTC0EUDITUy;k#`50j)8~_zqsmcjG+kct7-mULAZ;d|1gg zxxvdg_aOVU#w(as0FR@@?0pp)Y{j3$qJ8Nbir@>$<?ega@q<fFdyX{e1(MTBNQ35v z@=1?BK|CN}CY~dD7SD0|>&PglPPp+d<==y@4t@AV<5|cZhtv~5-*noG{m##QIMi1` zU83pu6zmwBQ)dn8Y-9}F+gWcjh9%&ZOM}I{w=o|+=;QB!SvvpU#&cxO!Jn<xJC{UQ zTMKF(-O82ZiF%zfvv?P65$}$Bh3!gr9|^9<{`rx&<|T^FdRxLqi7qa?BPUccKRZ+s zPI1ovRWw-{5#Hb5)SO?-yUqkgcyGim*$6y7fxNN|yXLYthYvXWDQ8a|We<`Z5AgM0 zjndTt-cf5z7!UA2*|W)?+RJ?KyktB;?b#I{RPpf6(f^Z4^?yB4zv3EKkBb3_PC~k+ zD(M>Bn0gQY8~ZQLvZOX+d&&)!_-ogd;7?HE<0<>A##zfak!y};VVjNbNyJIO*D~2A zIMI0)qhE#QTs_@c@1%}>=y9ae7aUw(^J(6@@Nt%&F4-Q=J}~nR?4dik|Lvpnp<zSb z?d7a3hoB?*0{zaLLYzLuDfD3Dv?bRYJLgVl>syWweQ-bd+9Y3se-H4h^)woJ&&(10 zELleoMAoYS-vYA=GQ;@S)OfhhiTweJq($n7`15n%*_ibw$$uJMUa+4%s#~}2de)i` zA1YNlx@S?cvf>~!cR^<_kI!f3;F3GCt(oY(*NMmU(tquPzwtEmnrY5R;>(n?t{k4E zJ49<eIjLnCq52z`%Uk$0k{&1z5sNqD_8Q6unw)oNt~y|soAf5$x6=>lR~On@gld34 z)!_T&@ue1|Of~ZASNSgbQGXj!XWU-M9;+L=i>JSH=`)-$OSRgn&?n;i-dHtjI<es= zdoq#J>U!aKsn%ZX$EkH)w3BKbH19=IDW3}L)1ZCM#KFtWe$x-XEnx3m#2$Sib+yCO zZ{w*k_c3<Gh-zkyfUfIno-E&V*1IiVd%m5FQ~M(6mwS2VevWz@nY_TBRkw!!H9qZ4 zN7tIXpy;6s{g#LNo%JU#_*K%hKbDN1#k+;Bdnx7G?=4t`A4MK#elm{|zfbn?T^bvC zTwHyX@BPm^-!xaMx7@62dBM$zdTY=T3YL<~liS_oen(fhio1NGz*ex-xTO~s90jL7 zo^jfUlfH`Y(xY(zwsSr2+rVM1VdsF;F5<J_hCC*CJ<i%;_QgZP)!7_%W^Yh8l|7p1 zU3B&5`a3_o4|s&8Sbuo@5dNRZ_8nKg^1*x1hcUkBWb1b1tf1m_JO}+2YEBr31za?a zLY|MK_soMoe}<<IdiFDx{npGSt>9M;<Me?m8lMl`67KoHqvq6^nGw!Xmf17vq1)=R zjX4Id%Q&Yl7-1i*7cP|9Q|ou}U3v@Y5}J8t@~q`4e$IJ4qnj_YXPUm0*_WB;R}y`y z;u!(2!D*wbY^R+1P|Q<jCl4)SEa2*)&CY$qhmJV+5g+o{CQkJs{1Ch7&*nsZ?@o+S zIz+#r2Y;Pn*0Hu_N2pWsUzn%H8%VU}<LM_3VC36&vCg1AV3nA)PG{Qj0Vv&X-?cP6 z#hQt|ah>o&yy2_dY0#D8@P&e+P<<om5pc=3W|k?FZHJZ^9#pZSv!6KMK|42fomH|_ zZ4z4!T?OkYaRk?C?DpgZwX{p@JJ#+Q3k3Hd`}K9x)R&qi5p?6+wX#4l1Rt;>rkvlN zV#+*#T&H^ccFF>c=>e-S@&6?AU3fR%hA&xz^$j?W-tRCCoGU2wJ|n!--&lRG6~td+ zgr|z1j@(%bPZbaK`5UX|!?zo-8?Qlrubfok%A5CpojCztJCL7D{GfC*NAQqzkD1#n z{ulk{(*HU1i})uS9Uhbwj38UY=PGU|^X~u9ro+J5i65O6)P0tsH;eUXl*Y4yP1Gme z5^{X34ehx);fc?q9W?P=u)9G=&bmItx~@IJN!GVM@1&q)wabwWPV+oh#yrgnwQCQ! z!jImPv-y#ER{J_Xah{-sXMW+(nPj3UYu2y%U*r1|<GYf*T_b7gw|Li+<MKYG{}Xc6 zAGJOJkJIlX?)!XesGD;7*0=4w#qmmud+*i<{lt$)ciTx!3B`x#Ifc$p^5%`4`wd9; zEpl|e+9yhee53Bh;@_sdr&u<xVdmp7bJf2z)HxL%5J=HlGPTZzuFs;|cFQl>Xk|*S zztKB8s5V|J;Qm1ACXtujdfoc81~jw28{B7Y7oG@T%>BmTO7i+XpZ?V%n`@m9nAo>v z&wh&W?`Pbvp@TE+AD(P<)~+t523gjmC&~1(4b)I>qITUiU*(hAR-47NA2>W}V>t20 z;l-b(o;LOuJL!YgxF+x|zP770$If4%wM6UPXxilq#H-Hny%9O3k2WH&I{o+u<j-hg z{1{di2nK^|tx^{bq8WXk3VcfF%T{1kY2Z{hSYc?2yM<q{N*CI`C93-}aL?!jkc0I9 zcXiH$dHy)<p9T+=#(C>fgO^)ugO{h4n;6T%KK^&{^Si83QSz#;JE%*(G4iA5u99tE zrq2`IbKJkYtF)54j@vv_Vzu;Xd|$8TTQfSwK>4Z_LFtg;1?b%}BX;VFC_2XiuYX+= zxW3+=xkPiMddB00>)#u&XD^5Vk8b1|zmZ{B|B)~7!*uX5F<&k|7+gr;_~A`frf}QE zQ{kwKpW+9?&GER?!x@&h?Gv)7`Xm_t1M|z8o_DD-n%6>nr=2ywyX}p+^2=L}U!EJc z*onUtNB-<%&E}33<mO4b8v%af>zD_<XK^;h@so1T#-pELE_Zcmt#o3_bPF#>&cCm} ztI*EK6fUaWx7r`L{!>o<t~^28)c^5x_~{JmjE}jJjMtx#zuI{gH%0ST;e%1@u{LT= z8L4N&^Sw^JoMY@bi(ODWRd-_P-nk{%s^!1`W&CP4!b`UEdxQG5c1GCe!2f%Ej3YAH z`F|PzYhBY_N$ivB=Xkeo$9`b;80zy4>N9i8p1K;|pjayC|7X{=GY0tbnF{7S6}jAJ z?Wp3+>v3Q4ir{JFIQa6$IQJ2y-jus=>$TQhf}PU1&nxx-zbq@OMfq=fWB9<U%!|$j z;0HQnp}Uj(gv^L<v9(cmuPOaD@F<)(Ps$wJFBn~F?vWjP?%?+oet+(`cYD4vGH&Yc z`O{Qq+#%%HUgkyfRt`>JuP}Yrv!A}nheh(VYxizs|GC<dZ%Jd%wTxp8FlU`Al^wsV zX4dWeUv2aMp#J~soZFlDKS<uRnNB=|vcH&dyVf|tGoTm<7Yge8f$<9E!Dg+wD+{FE zUQSy4!XefZyY3YE*XjEeja4skZ&x6j^#nPoxwf#R=(Ceo5rg9RC)n3UY+Jgw(va+J z^ii^!o@p1sHtBxHk^88feLrh~_T@q8*7h(q!METU<od^2^RJ}7so2p%_;tGJ|3cpe zz@1v)brW)Zfb)OC1)V=GIE)Vs@_SVE{Bd;&GIgf*?ZD2QJ;qjSbSb7T^6sRr*6$&6 z^L-8P!V|?C?*oQz9^gNcC&W8*iF`8F2i@XtykC?vE^o(K=I<xZj>bjX%)9pO@1ZT) z+z-6!wJ!*FaeolDqq45z0s3G4ee$g$wvuS+RqFU&QXTcY8~rEWa-oSv{6_Aijyr&f z=F>-f#0YDJ#r<J|jgLHS#MfFj$y%xQw8uF_eh<DAP4LK5$V?~UX<uW_l5bfUxVA$} zf~|BbOKh{=mlV7J%qZ)lp8?VgjDBR*@1nm^$;G5MBMVEGUq@fUl)uz{aBKL^7&^ia zN!CihG|A7-g{R`(_>jfIS6GX#;yH!qRBXMR>0OydY?k1pP$#}EW?p@~7g*9c_&OBJ zB-yX*C46}GeFeDDXubPszyHbnz^>HU;!(ay$Y#Xu26mM7UsM)5Uytm}ttn0%^WQ@g zQDW>c-dO5gwFfJk(mMW%Ia0k5|IfEWA1l)ynYM#9`b2tDdW*`*w=TjRa%nrQVzn7y z%$58i@M)*r^o!c%-o(0Su2uadJFSwKz;)a`6&wIhBdq;uJIwQ1+SmJZp3mFU>kcy) z*vMC|CVw5z4kK%8e{WUGHkqD{Z35V(Qs&yb)*Xy<4~5<r^R7Onfpbr0bbZK|v!c?( zWu>px87=uf(sS+XO6h~zuY5MYyXfisYmr$G%y~M07`f{x^~a|=b<L-)$h>FsbL^a; z`0lsp$Gr5xrB48lZ(CE+p0}pfwUNJ@xQpuhB>FBqWuH@ZguYdPw}NXoeM3h&r2eH- z=Wnr%JWc!k-q29Tyl1yRLLZ(-z6%sRz5Ro>ufq#$x)Xg!OY|Y#PB%Wyf1u3r#2o$J z|HSsw4WaLL|G>NBdF+dR`qi%fZ>jlix9w~3&-3p1J>TQ}*f$TfQSZatE%6=lt-EL1 zj+gbV$=@O0Dvi6=^0$=X6OY~a_zLVr#n8w!)=S~cbjEZQcA+?BHP#^G3SUDV$Z=`l zL)=bD1D_f1Cl3CB`O&<E?exmJc`e(0cU^sO*q%~1mpN=Gf5(8<M%kQS1P0XG(?(fr z%O_Mm%+F69^Y4lrG=3VC3zW}qNwuf9q*BiZX-hUH_3<TmZ8znznzCBH1-yUE@1tjj zS?WWbE%f2EH!aB6>O71a95ekcxU2Y}zJpuz(O0*eG2&0mSzl|B@T}I1q4wZ9=u7GN zW*EQp@pK5S_gtK&b7+^g!~6jrF}&q!#SjkS2hN>$vc-5iUVF~luDc@MKvp4+<pcPn zpp#-v%dj%J*Q$OEbHjOyQt?pbJ3*fF{C^hvcspzVukk|@UVA8mo~sHzd?vtMsJ(kQ zd+xD1o5)}L`i2w5=w2Is9{OXAaAbanxMp2TA}FLikK%6uzmwj$jQe#DBlkwgr*;i3 zk$z&_ePU7Ck&Pkp=IDK55$+0mj(VgA+Q}SC4`k_?p6~(1N2HJcO`Ap9$H^8pyW{2K z@XpQF;)T=+ug^B$Z967ez`Xat1Ksz-@^x{_Jx{q%qqP{?tooyua<7N(hi_-Z@h7tE zkAEZe!iE$5$XwFttS%1yvEOTzPWANm2=+eimFxHZ1NQ{_S~SM@^NVsmZ$+_{S#A5$ z?gwTwy8iwObW)k0c(dlj5PR~Weg5JP0cXGGt}6oQ#|t(VpaW~pZ-uv<gQnF^nBRQr z8DO8>+B2hmEq*xhg;&VF+bMmm&$F{?uw_bTeA|@HtI>_7lJ*kcUtVa(+HYNVFv?H5 z$8tB;889pdN25>9SlP@k{hpLnSAiEk`Z3v_Qc0UVfubL8PXTxPsUyNOaBJisvJ)~7 zelOm6K|g#joKsQRZ2K!y*(a^0zj1H#huZD5w6dSs^;5BL`0y(khM#Hu(EWc)`1btI z?Rx03`a9J5Q+$b9;meK4EK%qh9<Z_ipR3K_$Z6XBE7}zAlRrvXB0WyJ?^cH=`ZRWX zQtDAVB{g;4kMjdXKgnMK-yI;&x?8V4sI^A*3pWQUx!alf9{M1D50rZu+SJ&}ZVepN znq2^I*#%7W{WajMwcXhDc>gN-&(HRB4i<Pie@S}u=fI8M{|~o|;f4=#o(ng82J>2f z1>J&o@%8h@;_HX~o$<B)&Y$A@Bz%3D@4sh0j)JRg34HDIne{qjbpl_T!8y^D54;l| zj>kPeI9EpA(^s|T-<-g;X6D}Qk7C3h1?S2ntH3h?;D?J>!nYL(yi$K$JQOZP5_l-Q z32%&MIcdcQi&dVwT>N?|fnUO(?k^x$BNJ@6H)Yl4d+$9V9@@KadhFqEv+vEcGDX+L zMZ`0Mx11*ZJZoOXt&0u{&ph|sdm=vI?cB||p5FDo*y?vqITL}F`pEahH@Rn+afm-e zGrpEDIuu=s7B2}Cc<2A8FuCW?gGn1O;hy`v&81FU<Os0%3A$(O$DLbvo}ax88e7&G zzR8;T<s!~h-`ln$pSAhc2JfoQS=idJ&3D72%61@^HhnE$cd|pfD~k{RWo)6}*W$u> zLu#n>j%lIN&9B{iBI?OW6D&VKTeY6hMtDE={aG==d^g{1zrQ8q&u;l7aP1#h-pPE{ zN6{n3|6tA!EzSeB!_3LIfw|V8Mtn6tgPiCm9T^6G=<9fyIcmGL?x63UsXJ23i(5Kw zoqv#ZKZASB>ni9!u>`7{iA5P_d<F2vlj3ibsetz=EswmKcl2!88o%47+5msE(QVeZ z(Wmpo-%!3R{4?i(BOcBi2{(izQR)<ayo+)8DC5F-I^+Hnunhw@(mRWj;Jk2X*u-_{ z#h>B1^wBYmjwkDq<M}D`SjPB<A5ZCwLvMN?pnZ*N?e$x?oBw$ioNr6~|BmY)%xBH2 ze<8COxt<t|{Jx2;?qj!n>fmJdAkW*ry2Idk|JmGFH!vx?_1c4R>c5`xNLGB=J56!y zsy>P@#v$Nn$(Eurj6F`7f?KaS7`LXSv5sW)Q||q@eEeV^>GN;-<iQv5n;W)L>Z132 zdxyXLx|Zl)PM#e^2E;Em?euK!f4b$GgMUDGEcr10_>G-5`u6LPP1Q~>c1N|dE2*6} zlP{(7H1&sX{p3N_SwZ{PNp7XQ>bZ{dU8X$z57{!~d3#dbuEAmE(P!pSbbiqsQs0w% z#?Ik4zJ;$p{_*Y{9^~Dn74eaN`FG+UQGpJ)l>3;6emA`M9KI4^=*EA?6{~{jA4+?8 za%$x<Y=jZve-ZaqKsTxIyHtEzR)g2#htDzIQM^w5v+x@EZv?M*Gat!#4Q*z`!PjT! zB-IN){Q&39qlRA64SsDMp_kkddMPfVUe;_wFZgPUKO1@>&D0BzMTe0s+KhvXuX}SU z!wqdaW&-~_#{C)ih2YT*-VbjVzj*M!#V^W%x%fqxIws;5YnY>n_=UUHd<&cvzo>y< z+&rFNFqVn=#pw94kByFB{32=mxxiIxObcyDUUAzLO+`sV?lwH^HTZ?{Ellu>lhUb( zUr-nM48OQ;9Ikm8_iahI_J7%X6R;|)u77wR20aWa0xIIbaRwB{F-*k+PN;~eq*NBO z9%Ph3!L-mO)CNr}vq8%0LCd1j!k$vh1{^9yD=Sk_DoiUZE3DN2Z|%MIIfoNk@B4qg z>;1m#dvC6rb$)y8VePf|UiY5veRsp}U*}H_nq_AzKDD<M*1R~{3R_-2l(wRyovrAo zYz4w9TLFyUHe1m#qxaxPq^)=lwu16Uw&LApwxVN39qn62d-)Xl2!O5l6>XmOK-t@h zyPMgHj{hZFQN8p<*oywEs|R?(Rt$ozX!jRe@hjVk>1-?LJmKBgv)z)dI15?RVJm37 zOV5b~uopD;q&Uc4;9DNjUYOAD(e`3F>;;wKJLp4LZG|pB#JBsI=C)!T?Eg;~!$h&Y z--h46qRmh}34{)#pbu>;e#2gKoQpBsXtfjZ9#dPpPhEZL%3tinD%cLP6J>Q*;vT8H z(%ep1>wx3)&sGN}lbzu9+!JHxmg@7bI6sSIy#R{u%%GpH_AXt)^ZOK@BjmOmeFv() zm=9fFmttI7i*=FFe_%}(_AVe0^KE!e24PO`9G<J`7@N_a_k5fUcMxYXYTHK7w;0$U z)dt%-JmWlVHVApX+A~|*Hrf|J`>U)n!X8N(k;W3pNO>s1xF2%Npm$Jcylt$)J}}5e za$$e|#qTiB@9T>1IN)qB8XM9a!kULR`MW#0do*Cp1<$j?V<Upk(tJbE;L?r53|-_N z@!_D@?-=(3bcQj$Ukvs>>O7u<jy`l3@h#igwzfQ?-s*CZ{St(8w6oVLhX}iJ_~Q2~ zkCH5Hu;z$)=->yPe5Rhn^Zr}xS@;(DwJdx6@hcc-d7{p*TIM_}3eP6DHqjm#u5MEo z>=Eswx?!OL?lk_R`RZ@QCVv|LS#ahv+Q*FD=xf*Exm@n#bAaN*nZ@UWP>z9nN;mo# ze56k5e#84W&RDz094_@We#ZO84R@MHT4;R`^Bi~J`vNpSj5(9F<*<F%+8f-`-h$t@ zVqRhYMjYEA#D@nD9wchpm!{_JX)hhE5z)J^`IuLuIb2$AHDj*C1MTq$=D2;(7kmGZ z-lx`l&K&d4=S#e2{f;^wr@t%v-qX-6>?nOpl=``kL3XTh?)VLHP<%9RvI*}QuYi7j zf*Z|`QySawoAOIzU%hVPZWQZV<JRx;+2q%2Xa-tC8%cA}DUg@;WYAgh0j~aeCfHod zKr?+yZl*8hUM-m0vS7_9y(fJiKr9SKIW556j%jG)Ntk<wyusyIXQVaSbl~0CN7R5d z*g(vY_oTLfJ^J*VgniKOCa$^KnMpJzM>#g)`xk31b$CbU(jdJrqh>hdq_wj;tRdOH zd)fROp(e;o>o7e*X-~!q$b~QqYf(RGjmv(oVDoad(+l=<kY2j|onG+XK{LJJo8gXn zNp{o=_J%+&#s5jY{D|`Zr+SHGy^JQk(4M%f=|#RLu5@DbRdvJI#(5UCG19S=pWUg> zl%O6Pdz-gl4(hBKeMI4>!UW=*473(>2lj51(0Cm4hQ=hdM*?-crWfKmg>s_39wm5w zNWQ^Y?xCndTc&a#UK!2h^oo$*jw6}LW>A~6U)xpXiT26gF`zx`a?TWSY=w?&bsXPo zMP2Lxw?No2Bihi_>J!rNo<wz0e?t}Dtc`-4-Uu7T&)=59o=02MVXCn=h4O)S`yQol z$C7_qXF|IgW<h(QIwa4tDGu<qKi9(+Z$PteyIS3gyEgMraqBeow{YuFE|m5noD(6_ z#B+*p1@^kq9`cgz!sjCPcoVM_<1=gA*h{8m*@e7F`Rv?w!VO`)?avmtmj0)-p#MD| z|GoZevDV&_{$EAd|Em6{{txQEql5lqwf^zViIe|b{fD=t|G&PkO>2nseFC!GwC@Su z6s7fMeE-S?&o9^DZKxy5v0skP;2ec#5VaXRTNjeM`VMx-t;6Atb{xDNb)WW=()&R4 zP8{v8`WnxkdhC(Fw;-{O+5vkV{IJie)7E>BUU`(BiL0G_GAzpieB4mKgWI4FfOabk ztNdvlgzArNuZjJ+d{<u&c>%Iq*^BeL5FY!(gCigZ$qTu+Vl4!F;+%0#yDOg0t%84Z zZXNugT|OGHo=*9o=L~Gp;MJYbmq%Fg^R(1K=dBo9t*2)h`PmIW8CZi{jCNCsy&;|2 zn6bZB40{;gvc%r&3^V5G;b-AN%y%Qcg#%#w0%`n>=NIiki|D2HCX)>_VT?#}PJ<nc z@<3k}^O&1qhoVNAM@|_<>&0T&R9Evz>_r;3&&fP8%3vNj7X8HF9#faN;XT?Yd;`OX zb)`h;??IC7AI24gzLI@hTiV&;B3r%`aoNr>qdkNj@jX;JI}G35#d|e4$38f|tr%v! z<BoN1I70z4$@9xr;yki4%uikG470gZR(OZ<0?MiYW7CybSEA?h66{-}@;ZvWAasUV zDcslNJQuR-wBIDojlOB%hk8ZdGGLh?E6GIX6`Iixw#nQ9GIzGh905MPpF09$$?Dsi z%lvophO)drL*9JItIu4EfxPq_JHqn9W;Z)??KSAZcE%dZ!}4~6JlJb7%#1bI=Iy2< z@~6*aqjPz>1iy*7JF0u62kL(fg$(v*t<jj1&RRQ;F}wDI{Sn)7u2!@2*h=8%2>j5V zI~tFe5tn{uCcqw`{j9AkyLR7L+4JV-oaplj=-aY&&<E{lYC@a)jn*TbU0_#S@yu-% z{4?5Jj|!X_g0lMtcHwK-1=tAe9iwl;`UTgayr{2E=O8s~zWVziEuCc|<+3}+25YW| zqRvm>N#)Z6b%*8#g;-HD`Fy*b^Pq!7taIWyUh^P+)ALq7f1y|PO!K!s=cxZn-$HkT zz7(%xGoB?6{XN7*_RG=}&sxMKpSgH`%jcloIfmC-&%F(Lzp}R-oj(YjIl)#rZ~YzP zhCPt!&kt?y4ZMNh@V9pH-;@)+g|z)f++&U6JgspD;{77B&3{0@e(4<_|D~64?Jqxy zEwmng9oZ&lf1Dfp=|=S9*CzB3=c6#54siBAd#1C9JL2SzF_z!i3wTcy{ed`jW|Dem zllL)iH93#{6#GmT7QC~5;}M({MgHl#FlS*mzQbO(O~3+S?{o4yKzm>?PkwkM&NwJd z4-T7*cbc&_zQYgSk)Sk7(U(7qc2NPHM_r0I;<K#d<2ua($Rc1jRl5Gxbni#p=aAM} z*oFjWUzyedgU<nVMncs{tO*{5EghMT?<hpm`$zH|CY=ZRPI2?NwA=|eH-hAjcD}mY ze~k-gAhSM5E*;lD(ZSD<;}@wfpR-#KR_W4LzMI=T9raBUoz92QHSICdx(`Iyzw?j5 z?3&-u26tdzAjW5BgAm4&K<8>{y-*rBKcDmRBGTB6v8FSgRVq&%@ZN9-sh>=z4p%K# zyvuubz4y9}RL}OKkN5}P`J!`=pFw)RA?+(jo5q3i8HuxWny24MreAgW%CI)bpOjgK z@t5DI{;Ryoe=Yn|I&RKB2hPqhZ)tGyKS1M<14t*qxs!aiaxvNi>fzekdWp4f-Xof* zJz)L<{RY3YBrE3K;(muM9toMr?G)^6kzJVA?7~o-$>2A^mJNV^3Qu)>2hJQjJ4b9m z8i)VDJ8b<=U3ue8^cjj!zk9(S*)2Ub!MJ}%8SV(Qd)TI#l;2v|@jbXx;Ewh+lJ;t1 z9!>uK72j5^#vFhVW0hC%TfO_H_7x%@ThG8Ae+N4fEyRI4Xp9W`O4HAVS<v3f@$3nr zHi)+1j&!W<=*N(II?}|xmcvuP$NsP#cTn5GK2nN@o;OBeSRH`2B;4_RM#x06)j)<Q z9{=2r-)8*AyNK5LhsaH^U3b#nHM|etjJ-M7t2K7HI3EdHL-T55VG9D5tFu&s1kOo@ zjOXAl1pe{8;Uj@=!aF@ZGi)o?PjSwFa8Orsm?eEc81@zocVqwk;g`aY-ynop0Kb6< zgSoW@%OSTL!jONm{g7pCAIPNVL)K#s6~!U2_oc=Fov8Omtmk*3UyQLMbg{us@3Zim z;_43nv+$mzoQuJ_ANEDd=U^J%mp+Fxrc2%M4lDYLc<vmga?Jpx`mqV$P%ejD7WC_k z22c5Yu*s-C7AJfk%3ywIfs@+->?J*Xt>>YBFXUR!m(x!{_jtzZ{_zA^&vpOUfai@9 zp40TaR{i7eA(QIoqy6LC9s$B9!v||=K4t6t7u)rFqw>vo&j)MT(7Wz?(fnHk&VNyT zG}>R&DY&j)^%;v0mg@GM(7}JF@Ax6*qlLcX*-x(BcRcFh*mvwe{Q}u{d=s)&;k&2y z{V<&ub<PX*!#ZR9(q-!)^cScvb_4b=jC6_}F#>eAQ^$;hn2#ObLSN1?d;o_p#6HcD z&_Vfsu`hZ*=ijj}`U3KQt-k0H>?^m=ANpPn{Y;g=-!Q*L{ZjHP-^GDHnv2A|jMNqS z(8INE9)R9R7dzl)-ycmv-J$+y7{>S1U%gsiG!%U5i^{&|II%VodAruUEa{i}({wJH zeR{NJOX+n*d|!jt?7dp7@#_95)qiUr6>a}&ebgen?~S=*d;_j|KeYkppfu~NZWe1{ z!{ztf(T0a%KEK(!%t#Mo*}dgg>#u6N-}khdYoT_d=H8SI*ZX}h-L`|@?ZW#`cNn+O zUcW1MxS@Lh8#W8)j3S*Yo1I3|_vvYzbmfj#a-R0eD13wav|;3U$`9VN_{+EIuhPfv ziSs+qS@yjL`Xsx9{?BlkKZkd<X+D+4@-6XTLubMU%DFnH6FB1yV`GxHb}#1jNFJ<z z{6(H#5$f!oF3t6*<w+)a;KwSDqd$9j9C%Wmar7=t$E_!Do@*lQeU@vyZfoms22<@+ z+qn<FoQ@cI0d8nda-5_w?F}qMIn(<H%Q4r~u$jMEkFd*tF^7h;+YU7Qjt@OgbUD}J z+2MA;_RM~FzkGH)L}QCncwSpDW)V2I5V$e04(DBAu7KJd%@gQn6vbz&7kb@+zWHa^ zx*qY<JYG5GSb8JQbrSn-oekOWeD=L#g?J?ja}hG%dz{uTLV8tgksi{4t;QHktuat~ zn3vr_{yM<lr|;o?KiC9{yAEd)n(&*#QJ8Xkr$vXOet8+j9JD6!G4fW*^QiQEB>C<4 zo>M;b`~0<-TgM=OJ<4_1saf(HMKh^RSHLZi^xex`Oyg9V_oKO8+j*ORo!6o@7^-Jf zH_0{)g1%{fi|kA!+=v$pw=0-?UgsnZRN;&*nkO%zv$nAQG7ak-J>ZANipM`v&lJ+@ z<D4IQ&KtxU*uoCM=ibHKZ7cJ6H;fNyZlUMX>-^QYq(kt_Kgjv_!O&ZrANcw2m<~`F zN+S#XN(x7Qoi?xYf0q5$p?|#?=@<p(f$&~C^;ebwm$M$1;I|KWRR8KATMx)W?=S9$ z9OOpwQXQrJZa63Bb=3xCA3pedgr$6%kv7RO3G)xK9z3n;8I`#S>(EJd>B)NdwC&wO zY7f(;3}WXTmPMsOXWVxPJ_<M02Cg=Lr|N6f6RIyl_1zc|wDu0154^yubfc8VEd<}; z6Xyp46AeUJOyb||yf$r|kFqe~-K3k5$EY^uV%X&22hexIx;eh@8g|`u^jptje=Pc| z3u{|%+BgILEN)%!4v+IfdM?r4T<Y&y+H~~}SgzbM;U@PV<GV)zdz=^6;arsa;MRbf z`Zeg6O$|gp5_1SM`WrmlzsEZV*w5`7-QGO14feoJHQ=nZi+pAc=I_cLi&(N3bAP)H zo*647ZGHBP>Hdu$7z_uHN8k5xZr``q&tL8054oHcCZYdZjrWN>I(r0P5pHLl(SM}9 z^EBQlHv~<ciu^>oiDG*9U~(H#jQ4pu(Ys3)+Bb}Mm(r;|MT}qA6V!-z!09>VCYIyf zrm~r5HjAKAH*pyImDdIqTPp9s+~H}&Yp<sS1D#cU|3;dFlfU<&A8+>_7(K^sMww|F z<aqvhE#{6RiafnBCU8IFB>XVWT0r&wHIxO~+f3^3;f192iI^YThq(2a<u3fDF$+CI zV5_!=vL9;eA!H8_j?&cc>DB((h}Vx{|Lo>@sLyj0Yta<96Xws+zuxH>&hb6LL??Xb zSo+1@DNy<R#MtaRJj=~^F3=fi7WkpP(|e$+Go5g*D`c_YeI9Z%!_6dRv%N!TlS{7| z;#rM2Dej|)7y209fafP+6+h0mY%hk;*$l^skACrYkcHBr{I?W;TQTn`x641)R0l;r zL}OV4%KPMpY7c&`bK9-!orLcXZJJ*1gK?J&YzD2PIbFF@6GhLJr`xYJ)QdrV;g*Cw zw4>nn<VEvOl)nk^e;3@xk^jqAYUpf=A1+;aquN8n)4L!0Kq<XyJUhI+vb(qUO6*?X zA?9`s%k7>E`XugMxF71juzRU9WL%c`(7G;p-A7^H{Mu2sbuSLi@4m!+Y4;=UVs4m6 zarX|>;{vwh_v<s`13CbI78xJV^j%?qKf=%SSk}FG>Ma2`&c8Jv5jV#BzDDe`KZ*He z+CO4kQd{HYCgwt}t?d#2gZPf*;Old{4|JOM6zPrj09AjOePoDH%=N(g&h5Q2yI1eX zI<l;ln45{c__u?uGbDH4cSlK019TP`68)MN;@Nkx;7ET%yQ%4y+RZ4%ev2^pX=5-P zCfyk$3~LMB^SXN%XZ<Pha<{d<*B5q=bwymWX9U~;x)Aqc{`uVtK)Xzh3%CyX`Ze-~ zfDQ<AWa6BFUtPr90{6w;ADwq&z;D5Y-Tf102gFleQ*H^ENqL=mYXCjh0!+@IP+gkc z*uIMBiY6z~c;%MrVI`x-eiL^Ct{r2CKfEyTx-I45#4kGV<=9O#&bRJ0IeF~S_uqW% zvBy@zY|?eeS<#ZQCvLq*x<^d<d{iX-&7o)z5BRl_1HTzNx_J1HBY)2h7cPGC8wbYm zqdsx3T{p8G-hFOZ)^=8FLr3ohSNFU!=s&;^E6=_NFeEN4L){55<SukeESdR(&q{x? zA8k$Q{k*njRgY=^))j+ao*UZvcZN>hXYh^#Y|KI<>gQRC*SXZ6Z1p|xhx5gQ&lx(v z?H>6a#8kLVhTHcBU%0LI-wl7{=M3%bSmqA9>xQ!fx_B=DooZ+uoM>npOgapN{6Ao? z<w-+8o*UBHk26Jex}}KofT5c;-RYd}hlZ|jdr+o9?-EcN)ytfkrEw7NPMX_$$}~u~ zE-oGM?t~xf#f9~PGex9cJQuq8mDPOhvr^hsS7Vuc2iVoCtcL0-#!xkFM1Xf&(cQZp zzLDKpbj8`rUA#&6^zK!li-_-UFs?FUT44d|`X<b+8ck(2(AP%jWGm^yLo5egz40Xd zE<wKr?u4%pHkZ_pKZz06!(`)oh&44Q;imaP@E2@w-Re=ht|rRhvEMkp%O|AAD~V&J zy=@IS+d<B@kh2Zs3=m!NNXH(|BHn25SmiFd&cfLvHB)7JD>ssCBr|j<Ws5>yNp6(a zR+4QMaJuxnYU34>4SRXC>?BhVr=NJ`3fMy6*|jwgbH=cZHPz@31_;C166jdq8EUkg z2`j~X4#{i(T*$|sg2c<?FJeE#E0{x%lQwWq`?a!9!|&SD_?E`9skmt`S2Cyp=f_ZA zDDkq(Md~l14<Wx>pr1h`j|FjyONiT3yiyK1j5Lneqx(q#pOP%(ulcz*s_!HHE_Yf> z>s**esi=jF)c@x5Z?@9jqth6psPop;xAdsrwGQ7pm0|7rV{|V59@u1xqh(pfei}u# z|G$uLEg#8I3mvGj!C&RE_VY02b^LysajDBJceJM{L$@ITqEp^fyu)O{Sug>jW8MP% zj>5ZL0ipxD3;gzF_cr+5Ub-7y-1Ddp(UQHPXI6%*pFArj182%md&)3$LRe!S`b0w# zkp`6k<^h8neCRw{BbI~E55e<tm7(h_l53M8z$(`!LwBoOn+)Boa&0nn#d$%c{?Q_A zgb;0p=yIjHFVIF2_e1!O{i;CJSDJUw<2)nI*%=^==qHL`YR}r1);hNf#vX}B&o~dj zSvtbK+~DaR16zakn_)sfu^Kva&m#Fc4LNC*qa%K6`8wdYmfIJ<1<TzYzuQQ;t6lwA zZ-2E%N^kD0H+R;X+Yr*(Nmpau8R&}2r@`RnZiZY&*aPHG+Jn`QTlfD0oQ?9?V%tBa z>NbtHUc);sGzR-b_>I^u%p=f`sd*Otn*1eQy?szlp9n9wM~yJU{VC~AHig^;++#<S zz<q;s4}eW1cO%^6M-<{rAOSmp14a>7ckdm*>v67-a4M;}Pr7yS#@Na_e`3F<>(Xui zww_D-TZ;3Ri@n6fhJNDGCG?4(d<<iey-tUVjUpar2ww^`Cw6Z_+obPT(|V+U4(NP5 z+AE>fGFt^FBfVUw`A^ki4ppvqVhq-Z_W<95j%v}*+l{joN!K)ol#Y7WFbeUu7egEF z#CJz~iM93U17aQt^J+K`8Zw~&yfz4ZSn;-+2MWaAOkdpR_nNavhQ`fKS+$t^x`4AL zoA51!^8q-)0W#29sR3aU(Ral7FSswc1(+|9-Uy?=w4TCI9K-2%Yn&#u*J-T<d2Z-u zzI3sd`C{{LZK-oT#HK1)zD6<aReJYP*L&DY*hjnXQOWO*s{Sr?hxro2R@h9O(`LSi zb2700>w>i`S2?GQeGNO$!2LpZ;WxGo_BEsYz5`wl9OX)9KZzleu^09olsCCw=%(GV z&q=xq=^kfw@6PUC(tUeZ?Y|ql`$>0St2_2CAs!3XUcN{CZkM8tlw(f*tWQudo<&o> zLw{ia+FvR9Jmrv;{QV&PO+Hdh{@U65>n8nGvp*Hz6cwL`y}#})#5YyN*V^7+Knw9j ztN5IQf-MFylw>-FI#PyqLi)kj7dk_ppvyAWnQ}w^rJK@=a)Yj<o6?DLgI=YZDhK6; zGJqT9-5vcsjH%)h(BDgh9Zo=huNHMW0sXxmaF;S*-0S8lhS0iWFzN=`;VGb0&Vk@X zxr(8I7`xKg+UmcsyEn#MJI}#SDTVLgCw1RHq>HyaYX>~(w+GjW9(bP`el5VW(I(uo zx_GC<jr=q^nct3WFW#2?B;`LniNh0y-^q+$f!`T3#M@+pXiOj2CSa%q@sO;D=TfMf zxFpl%cqkmjOMWeIlm6jG{t?%u!9n8EO(+jMFAo`$_^ea3>z?pWV_s^1)Q^yHqW+Yl zzLQ?vE-rou<MoSC(#?<E7TLLZv0I^?n~~iLtZt>K2P(dN<z_&BT}7S=Wiyuc>!Zx* zoyaPb8QR-I>H|stt_xnJ`48l)hH#+kg4ZmNhx+c5;YMeuNPoXrWW0}{zZE;f{5Iy| z-iA@|oe^Zd^okQ~C+6WC_h`Y6S78rQ)jHg3aX)~24Q~Bhgl&*@2z!6!_iGv;+k2Q> zjKcVn;(iCe1M%C4^-TS&5xDg8)*bQ%bKj8M^|Q4t+UyzU9>F1owyT1cnvWRiHn^>N z0ewj~*za_M+kQ8MqcJksGK$X~Ymb;$+1lSOKAn!XcgE4?o%F7sdsX1-$wB7gXv{a^ z`xC2065cDoT&24S-y?+W8fy+ZyBT?jqB1bJc@RDgjP*Ud3+S04%5cWo(_-yr%<rKe zQlsNn>x=5yN%I)Pu3V`oaT05NX+DG3$>`Zw3b!OD;{oD*iDwLWI}nfD(~SMKJI~x< zL0uEx)c(j_&Y8@zoiBs=#NsWJSI?xmizL(onXj#-DqoP9-i3Xd<R6T0Wg>h)h;gAA znBpQ?b@^GkqW;2vf3)Gi>WroZ&>{Nk2Z9ZT)#e`JaLvP*8|L&W9L9b%IAa+7R-EbF z9{Tdc9M`#}Skv^oF4s^s#^~8?mM7-&O8ZoAY`@VIGsN8#GdbKCgR#JO$Yb2(_Elfd zKBcH|zZf_C4l)?pPj<rjgXnuDwuxGe{<E)V<Fbd=7|fTV+`7%eIS>z(tGL<@b~m*R z;<(BvZwOE0s**O7SEnOfCibkYaosbT(ha@7BHIYR7)NYJxR^ltjrk}e!notT1hQX& zEJJ_DumEnQ5y7iPgg87KykVY(nAXTwqo^9=hCHI4K1A{QJTNSq;>*K50O6-o90tGZ zDBmR86v!F{8e(u?<$)XZ-Z!v^nBlgt+pH;l_Tl`FcB`Tdo~vk&4xP7hPdoYk`i=~g zKi2eje2o2Nr6eO{qO#wL-{5Ue2c`DZ07~DkPC&V*pnsW(v@#&W6sNEe_Wmdi@>ea~ zrvBg=wYt%B&uEg}8+lj=*=OSJkFbLfb{c3j=n2>fvLS7-KPj-s{*ACbhl3&ORK&Fs zb234AN5BIzL>UY-Fn7v)4{N!Sd^+8INSDgA7HLyHbUUSbV?h0B@cPf!ojj!T->EyP z2=||=J2McMMYZ!9oR#BCb%)vq)t@uYe%B2}z0&Q3>I#(yl|}mphGtW}p}Ix&Xdud? zjluo90jNXNZm1sEw;Qz2_L-;`E8$LhujcZmdeI+ytwLyjD%x^lo6^+-z;A;#^$OZl zAllSqq#L@?)Yc2_iP}i0r=hJUZ0q0$LI)!Kw$xVKffEd#XZPaF*e%@F$i9}fS+&{^ z@lif9(B5*ny?H@?@9wX}%s{)N@KI=YlrPE?^s$}Vy1o3=?x}vHqs{k6n_GanfQ02e zG7=4&Hj<r5Fkue~?AkljW^wLzfB`(n5s5u-E3kjX2%3PkgaRc?TQ6b01RYxCr}V}e z@V+m?kRIGUOIN!Ir`6EUS@U4I=HNTUgg7F^c@Nn96wKF;K%No|hV#zQUG4<)w)8z> zZJt}zm~+k^TeFbY?B!x@hX+Pvhr-T5=C#-1_Y}-0#)10b-r4<)m^IxiV+IFQ#0-HR zDDQ#z{yfD=@A6Puy^tr;*%aitJ;kN%lq>v!-xKQuv{!F0)~s?-UM=OR4DDW*?QqKf zsETY0rG<989r2a2&MTmQ>c^dPZnL!!zuoYAjZP1GJ%?xK8n{#aIfwJ0ygW=XMu+k; zq8^eixxChupgvLgQ#}oI@T={q_L~mBCghW3n9>7#V|s|S`;o2%XQ}J*r2R;%P@Wdh z1OvV)i8&?P^GWSJ4HRaa*J9q;8RrbrT&nIzBnfd;J;w}N@jR5zF~sjT*5ICDzvfQ< zVDGDJb4iA+W%xG1D|ceu`tqjg@^Se75#G@t9Ei0~JP$9vf^k?7ctnHYcE%NB5y&8) zx2P-RF8y}Kvli#p(438S+u|bpj6IZJ>a%HgH#>K#m)bqu+2(&a{NK3g%A=ZxZ{SHe zgCN6DSM$Z0;Q9FCoc=1Mi&wC=I`;CWQlh5ICrf2Nf%m6UzDZvx`B}9l*L9tH;O>cA z>#Pj@-lNzDeKnnyV}C&@o=N1dH`Z6lAN~H|T4BIPSzX+94L^yPzjepnmaC?#;@D}p zh94?#suOSFjQXp_gLy3S^CQ;IujZ!=>q0l5ygI)YeV>!p2#@)TnV(&QUyeNyB*RD7 z^27NZc?~(rAjjL+h@%Aj9oOIs@V8xqPi+8YJuDIaHebsh^c96MTRGOxUZDDcK6AQ3 zotqCkFW>hI!a1>Yek`3S8;mnpo1L2vU0lK5k*k%5ZpT|82hNJmYpE@Z{|{c}x1tw> ztBUCtOn+tSlA!n<nFcexp6P6+nM_wOUC(qY)3=x&WcmfuADI5hv@IqA=n7`~MXJL4 znZCuef@vAk``G{UOy6Q!!}J_erz91hiRlog6Pd;_O=X(P^meBAF@1#TOHAKqTF>-P zrfri|dj3rNGQFN@6w_Oo<}zKu^bw}zOe>kb&$Nc=38t-5RC?Y_O-u(e4P!cm>0G9n zOmAnpis@5KUt(ItbU)KinVw?W#MGP1WdPHOOlLE-FkQ;@A*QnM@h^tU>sF=(Of|n@ zm@peO0IeR_9BWonh;pxBzG<Su4Vw%yyjP^6+P|iOJC(n(ZHga1spa^!e@(rXILUY` zn3jxg9xnF_6`zp<lrY9Ts=P`a_!}6bk0h^h#+X-;SEU24W{kd#ypB19uV;)o7<n~1 z@Wq!(KAoNyV=bQ_W1W5=V~oG#73L5=k}<Qzc*f{+%PW?#jz6BUF59_`Rjn2x(E+DA z__sLlGaYcQ11@5$%i}Hweko%u&wUR3H4b>agZ~W<_z4GG#u$BFc|GgEFL%H%I^YV% zT0h$z_>~U)w;cFY4*Yi=_|*>hpaVYS5dNqGKIVXrJK$OeT<?Gz9Pl~DT3?M0_=1D~ zCI|ed0~W^}>bnCrG1m1nkg={WVT>^uCa+irej;OU<`*&U%6J1~d{<Xql@9!44*Vtu zzTa0${$3p3%-ElCB4ZQdQpN#{%Nh4&e8?euBja|=7bjGDTK_JLF^-X!7h~<;#8}HW zp0Tz+v5d97No3rX<I82N^RtGr)?WqVKJ5P(<KB$LNhPo52Qu!@{CLJX{vyUE=9e+< z$+((vAmb*+!HffIReIPLDX%ET+8)O<ZqNK&#@c>5+RG9L{~H+V_$wLf`gMr0)=wkj z&YYfO{Eqg`(LOo0Z%2Dj&h1ItN5}f_Rj2gPfzwY&NKVR6OV#QV2?;5wX(^eYxk>pc zNtx^oIKLnjSUV&n6j;*913M%n%uC8Iu*ZwiQVMeNv<u?R)F2@tEh#x&#f*3tr_U=$ z7;KeC;UQL>TaY(m7}C#6%P+`FPr*bET?q+=*-4q{^Rv@ZCDvTZh$%Y_)5GdArKV-3 z6{LwVfZ^CRHF~rVJ@9)B9D3ls`4;6bCpRrG3GxyOfj_E0{ZT1HLU7Y>+|(vR!h^*i zP^!O(N{mJvv>7WLbO2~zkPx?n-imuE?!E}L6hDH&?~gkK_aNMTaEBw%XhhH#zn9{^ z6?fvIc?C(ynQ8qHmafD_$qtw_+D{}F6z8Vp%+uaPVrC8)ru>4Wg7g&A{KBNXRLM&u zrDe~z`CCNg4XwbvkP3)7iK@7ix)8w8M`CK)yrja+0#iy(whn4a$;`<w%#*SvQe8;O zyLxzz-#&PHfzmmNU`yW`yFJ^=SK?nS7K$f5ub>c`NKMbr%}h#3%Sy{GFl8m>>U^eI zOn)Pa(!0%{O;;wHNQpN7HAPBH$;mCgn$jrWg{cLmytIPCylh!ai4&qk;>@_X$x;gN zRk>PgMRVM8#8m%vy;cR1rlCm8$;wVQQ60)pr&^I{Q<7>a_JvCFIr4A5rJ0Y!tfcIu z`Dv+tr&LFOEh?4Lv+4COnzL!YnLn+62R+;ShX2&!?4&F-jr8pFf^=ApC24u4c{zC| zT`x30sUWQ=y}+*e+xtR1*2;6u<gEVwk#Lmnzv%IA;&0a83oLnQNvU?tUTAw}>e<tT z=xsP9Cn0HZQaYPatNZ9NWW``R<6u`z<J0m}^3ro{=0TVu$!v_vOv=x<<C>BROzP2L z&yUE<ODbl)a*(KWH1)g`OR-&G>BBTGCo7jMv}t<s0z5HH(XeB7=_V#+=VTXW<rL<d zP=0CoxoFZHwUn3s>As8Afqyu<>t~|9zn0u|U&=AO#?-gB4@YAsx~b3QNZ};i|Bh0c z6kexI{^=sOe{zvbM%;SbLGcjQ;fWHatF<ClOpyGOyG~zI3P<ib9{jY1r{DV0>1s;u zj_GN?j+Fdq-4b=g<lml8*zqD6DV)xmJ=X5_l)@9HONVj9ifiL*to=Ds&DT`(9pl&h zzjN3A{+C``1G>(TFRgQ;j_%ZEHJ|+2U-s=;w;jju8tb-3;VB%odAf8PA?j!cG^X^4 z??~Zf4Nt%IrQ4yVT7I3D#zggR9o8OenTb-p(|OeK5G8l}Fo5#X^^^dG)8REHY99|_ zdwJ}`6OS%!C$wBTT^-IIs}L>!r!t{SmrYBU;?jKb>lio5M>o0a-&*FDFucjjF&^!% zspjjrG}ipTbJza<mtI{1fg)QJicI`r;DswNyD&3T{gfE>vPzHT$)OvtZm)zNalrQj z+m{pVW3$J!$ITwo9yfbTd*AHwLk^hs$Jz6@J2l5U9Iz(|iA%SCHw8tO$QLOhN92h# z{0$VTQU^ke%gLL7{%dSrPD)ySz7UnWn$LIp?QV{%zg5`SplB7(<7*n|tL6);nN~zA zT+5Wj5f+ZO>WYfTODKPq6AD)_HB~lGr*wewr{mF7r>}8?gWRP$J-zP0_z>q;hbQ~o z5jWWxx=D{jsSaR&g0x%MXD7%$kZ!3>lFq4&h>{yonqMa#)g{fNcquGVnqQ-My>OEo z%_q?u5Z&b712?&2ABMycjK?vK1*I@E*?kt%IiM8(jkqc8OxzSt7H$*nT-;r8=iw$< zOK_8{%bBhKCHFgVQ#^O!rtqkzvc){b_-Rm*^I6=K&cASzzc+A`Tp!^k{%5#}e<Kt~ zb0mIH3h75*iQlX8EMr>B)bxXL&t-ausp&`Mp2)O}X)RMzBlDS7F!egm?o2C~Rx_<- z+Q>BQC*?m08cWBF4z-^Uu^7LzL3K+CK|4wk1!z$P;ADY@K;wh)U)=)SYlokQaLEXl zC*yA(mUQ$_!e`p0I|OMD(aQY?;WJ?qQjkg}<X9r}k`5QjqmqT<8~h)MF9-R|N8BVW zY0N%_P-_Z*m)~4yiX=`$T=|H{A}v}H%7Mzqra!HNzl)FJ$djcyzgc)K(cgzJhPF~5 zhfbX|rbGXI`Q?jZNKUnC9`a=$htm4rrLSsa9&(|>QqBA4=@&^Ysya+DsPeYO&~o~e zo~;dJ0~I13s>QmEq#`$qTac;c_$X`&;-Hc!fJQ<P8|j7WNftCyD0NJ2jOu3dlD6fQ zDp8s!LMX@f+FZg^#6vYcN6bf^%t45jb@xx>Q)QrXOfr);o3|ocnNUq#1RrD-hT65% z45__r{LgIWPLk_qHObSm{>U{Kn#zG+iXjA=B%QTnl~l{n<)vk49<QSw)pLr{kH|}# zn4Xyyk(-_$5i@JDd=7fSou*}y^3rC>+2aXCa-2i%6EpK8GBNi=Vd*m9X7`DCX=(O& zQd+_6q|CxJM}M>I-RYT1;U`<C<;LY<f({duvoIT!o|BEV>7wU0`HLPmEh*P3m7P0H zf2YM@iYP88dfepk6vi8OL~d?uPG)*aF{I&6QCwPHR(dw($#b%&r4?9mQps-${?J_# zH(=}gMCdz=9C2wpSd0+SVghiCm@LML>0&(4|6V5aLYn^t3jNpIy=4@IQoYvSUFfkm z{x$c%9DN=AXAuAF&pw6~!uIEcKF&Y+)8S43zpnr#%U9fa*WLHrTe@=9>ih10;K4O( zA6mEm;YS|b@Yu%3pLp`AO=V9%v-#QQp8r?*maQ+mxb3BvD_(i^we34zf1`5eoBw|6 z?OnU8_Pn$A-S^)ApnBi_0|!6+=;K3&YmOZK<kQcNeg4Il$G<vpvbOHj>H4p~`L^NA zcW2Li|HF@s=YRV7!Y{x6)^zdrKmNRQ`HC<&IlH*FYHf6L_wa1fww+gdZy(<d9Xt7T z_V3cQTlWA{kDk4H_vza&FeteHfRKTMLI)2SI&Aoe>%vA}KMHf+W6ep)Sn!-T-;%x{ zBQq;ICwF09enH`)#YM$SZk~I~tqF-&=ijz;+3k1yPv`%CI{p7^{YONO8$V&<q^QYL zrbbVTnI1c1=B&6IX3vSg@g}AJtMmU~p?~3E{m9B``xn>(@2^(yKVSh3%dLNge|TvN zMs$V2_UB~yXMZ}peSZE~e(gihZ(|Gg-`ha(hgvzlc)86>C|581*1yQtKg=+DbM*hu za%=PDC2YUdFN4AUAz=PfjWabJ&sfta#+pVm)-=|EpXk8Pb>Npc@F&Mi6zSRXL`+1C z$WF>88aNC8f>=nn1?J<Q#>Af-GhRaq6PTWzDsfu>(9lr(%;9(96_vkKrWU4|OmmqQ zFfC%bl<8ee*D&3{w4CX7rd3Q2GCjofDAQw1k29@hTF<nB={cs2OfN8PVv1P}GZmnb zsV~#6Om+Od84qAOjH#JvEYo<V7N!MEi<p)$UBk4TsjftojH{SdGd;xg7}Hv&4NM!E z!XC@~cri6G4PzS1G?8f$(-NkoOxG~oz_g5MInxTJl}xLcRx>@s^cd3yroxHkW2)mf zF%D&FW*W=X!nBAf4rrG7e3t2pOe>ilV%o&i%USuKRhTWN<z$OEj7#QV?@*kjP)y8A z7qgNI1bC@Q#e(>f3S97)PXK<i)h}{|yQMHsGVmMWt^N^DVIHF?XnzyalEt*7Jd8u~ zK#Ro`q(7xFQ$!Tb7qilG#dK_Fipg0d#;2(v6~bWePBDeclRpqY!lzh35l1@B{~-=J zs6srD7Vd@f3-ftFA8{6>WhJNO5d#<E&mn{~?42n+D~^~ZL@aK)rcE1^nmVXh#!EOA z*8tNrTqgQajEkH_RMhoZS=ZAHv$|%<@hQT~5k2$+OhV4Ve;Q!LVMe78bfTOS5Mq`b zRTHIgEzP>AcvW~CR`KLpeW>_oTy1kB2~_+v>t+i}?kYW-n@X2vCTwoxZwe&Hmj2T) zhd}vAf*<G><8Y#cNx~_dPoh*75uo!yXF;M|(CHXQQc=V}4~sy@!<|Z2#a}36rFbU7 zJsC0ET;PaHrAzZq>Qd>a%e2TvrLV@+8fUWZ2rGGLHb7MfC6}6aQS*}IOUp@fcr?qS z<)zsf?IOLg{LS4XASGR~OzHPD{0)LmQ}MspP9AchzX8G|{g6MC)rEX2-%%n;T#wYV z@SkP^^_7NF3BjnF=ELb)01bvf3$Y4fj+18U#zEie%7ETO#8f$tPA-Zchk7WW>kQ?| z?!SS5SF~65!HIDtW14rMtBNtEz2#NS*p=}y#(Mp+mNCt5(AB`0)(+@uWbCG(Xktur z_ww>q^3Ys6T}H-wuHB0<&C%24$GEM6!o*nb`we7Fb0~C$GH$P+2xIKc*v#06aTH@; z#<7g`KGJx`w8lVJB4b)(q07R!vw|X*v2~v>W4({IgfXpc&{fJ9>v!^6!?-)+4UF|Z z>N3VA=9e?>!MK8PPsVfk`Ou4TCG&eTu43GWaW&(<j1MvH$M_gy-La}=Olu}|H8Ae4 zplD<~fN>M!5XQns)d$*pN|%xG2nB@~<LemvG1l`~CdMO~AIMnk`a*qRJeK)kjLnSA zj3XFFF&@V_mhpJT@r)-jPGmfZv4!zu#<`5AFfL*|m2nAU-OfuHPiOub#@a4yU_6`o zWsJ!V&{fX(CIv+WV{KV08Q;PD)Co%e1~vdy%y(jZh_N%{TE;GnW4V60GHzskE5^cC z#owB-7h}A?E-w>fyc;Yp-JkJb9Lju8#%9KC7{@Yh%Q%s7JI1+;y%?7;ZqL}n@_REj zGxlM;hW-08E@Rw*aRuX!jH?*?F+Rk&Gvivu{)`(LcVR3#D1CKh?8UenV-w@<j6)gY z92$9<8Jif#GVZ}Rk#SGPxr}=;E@9l8@fyZ`7?&~b%eaDZKgLyzgBTxT9L%_uaeu~* zj0Z3l9aa8A82d3E#5j;K9r#997~^4#qZkio9M5<JV+-T!7#A@PV_eF3B;yT?uV-A& zcogGG#^H>s8INUrjIo(<1LFwBO^nAeHg;0^AJ5ptcmm^4#uFKv8Bbyy%Xl*5M8;DX z=Q5tkxP);u<28(97?&}g&bWecEaNK1GZ`OZJezSX<2j5Q8Q;WM_^JG+G4^7d!Pvw& zlW{2H<&4dY4cq~VW$eN@l-o1D5i74m=DRV@W$ezlgs~^%HH^I&mofHXT*26vaTVi^ zj1MvPXI#s;8{;O%0~i}SD}9V&Y+@YFIF#`?#%9JDjN=&_xI<-O?83N+acjn<jB!qj zyf!e#xkmCTXY9$ilCeMIYR01&*D}sv+{hRcU+VH#`Ez0H#ke(N6Js~Vp^V)bn;CmD zj%Do6IFa!v#<`3QzAE_=#x9K4FmBDbjIkTz3dZh?s~CGSKE&9caV_IfjGGu6{8akJ zE-L?SjQtq9GY(|z$vBL$KjSFIqZlVLHgJbBm$4h;62|U~*D&^HT*i15<4VQ`lajZZ zu^Z!KjNKVG=<tl2bokyXys<0im$4sXcgBH?M==g#YzS20qjY%2@j5(Xi}pW2`7hG` z8JBARj5lcip~`=`_RqLd`)6FO{SQ<Ak7@sm8?=AMP1=8$@^9>>^6$>rkFjC2;s<Iz z<1o!PD}I#bGmh7Iyy9Clj#9Wt<7kCTHI7wy17nw^3YRnXXI#lx%@PQVnrRk*){&DW z)#K7A9=WR3Wz45ApVsy1qSbvxY4(9|zNEB|h^~2ZbWZ0EEB|U1MS!dP(f$g$Xk1Je zjeqIN=6JIi=Q7S^|Fr9dE}DU$i}u~nmCs}3e6f)6B1vgy4qddnhAx^xp(`CZqKjq? z=*qX|N6D2bXF+J+n!@u~&PAL*3(plKVWdu18q1T#awI_mbY*Zj+EqiBg~QW6F1j+< ze+I{wkKHPC6>_`<oPI9HGoRC;-5qq%3<+Hsau$g8*J*tyeipmW=lqeLGvJ^0wUAHR zgF>33`VfLLkHBxbs9uDKNTJ6)R6jznb6}QY%UuUFe{mCIsvjYkb<yJ<swadeFkkHk znPi>cpn4L5*(5!VqWVI3Ci|y)69O(*bLg!QI0`c=>Y{o?d@T>vC&F>er+O5E*%ci= z8#yAZ$6ZvfLNFVn`Bc9szdC)YXCXk^Kh-zFI(@2lB#-t_^^f$Y^H23K1lrW`=R?cH z*ZQD(83Jj!StE6dFU}et)l-sB$4B**^2cTY(olLg*p(OQD^l*aBo$D7ru4LaX|EfV zpH83ZcL=1L&HAExPFU-Y>N};U^GEeQ1itk+mg+y{kEdVZdx^w1;eRwx0oOZf7xwjr z+D8aN>3osD5Y!@F?~0^eY<P(bZ^P8C?EO>w3PCN^`BJ;rCR)pl+8gCV%bg|jInA0+ z+VN#yFVz0ZX;wW_`=og}UC*hV64vd4+ACq5KDApa7e_r%JGQSs$ui$Ixu|{H%Sr9r z9#ea7j#c~6`J(o3&(D(OZ;PMof;~UqAwIGbR4zKc6q(OSs8Q-7`(a;>%8uA#RQ7~w z+>J7TvMUs$s$mO}AJR-DmyFsyXDin%SxzxlJu7=OS<K+{l|30}Z7*tm)g~W3e<-zh z_OI+oq_td>eXxaB_QA%_mif204^&>UcJ+kxHw!M!>$hsxHalkD4#r6vn<*ty^~~1( zRXvNe>f65F*oV`4n*du&m(t4wYyDHt>nLk`QhJK8%B}PiVYORIPc}QQ^fb=e{_<r# zQTeo&L&<N;r<N<0HLT={wzeB3*DR}?O0H--IjFwb(p7RzvdXRH()Ll=+ekY(v(R_2 zwOp0{cx(Mp=})uT0iC|h9#Z<Y`liw!XSH`KeVe?rXP9bl1peFGw|qQtNe*4IN{(q( zIhFn=TkD}pC)UbW=}hC&CA&@atmSmb0_Ym5(uuRyAC-=+J*jlYTk~%pZ}W1^l9r&k z{L|5r)TQE`Vuwi&v#t4|{F95W8A`4jt$Y=JoYjtKJ?rNxg{P8e9$s4!>Q@mr(ps)s zf7;%v^rl$zsr<)T>yh#wVJ%nXKiW<nivK3L&O$j>{&j29?QN<ZpZv$#*&)jPIMfMs zsrV!8@=yF5tnEVaBOSuWI`C&$>xYs@TTLzBEbDVy@uTeO0i{QKJ=LZ7vDW<C`uFNd zPxXQ>Jx{Fdy_b&~*9=h6;E)J~Rqq-f0co$WW_vOJ7(194f5AAE@hgnYjLR6uGJcS8 zBIA!4=Q93;aS7uZ#%maFVO+*|C*umn?=r4pe4Ozi#>&bHQOo!s^BWoOW-LNf{;L`5 zb&nv%Ud(@-aUkOi#(JHm2V*nyQ#7CTYhWD9eBJ*`WW0>|xs2antk?bYx?m~ub-U5) zelF~P1M_virkwG;%-8FJu8b?0ukEv5C)DeR)y#i}{U2kzmT?1PT~C`Bzs7vyK&9Uo zbb4GLbwAOM`Ky_)*Ckss4rIPwm(lB#M&^exe>3AK#vd|{XZ#{#3*&u^ix@w|xRmjm zj5jcTk8wHU?TjlKf6BO;@gc^?80&s=1LG>@H!(iKSa>UaxiK~lQur`qKgM4%4rKfp z<1ohi8AmbR!8o4r9>x~NM;R9}ewJ}5<86#LFh0q+obfuwm5gf{S2O-M<713JV%)&E zj&T#?FBuy{RsK&f_GA1x<3PsmGuG>(y%>ivKaH{A`lr`HqnMw`e7#QEmvKDvEsTv^ zKJJVy%#UVl;`j$LE@FN@V=oTx!MK$9>ltrg{2b$Q#xF6hWIT;=HRIPAA7lI$<1&^< zud_BVzm)lU9rQZJP0ZKpj(#k!C-aSiRe8iP4&?X;G4^AA0plVL@2CAU|7FHujP<z8 z#QxhbKZ^O&8S8cGK*sURU%<G6!v`?7Fh7ZLAoJTYE@FNx<51?eV_eGohZ%2RJcDr< z`}bm8&it8-{a8OCj4PR+r^7RUFym_G7cnkj{`HKHF@FVPGpFC4v0hgm%eaC4uVmcB zc$N;&@eg5a9HPp%nDH@=zYk-4@k;J{o6q<V^LsN6WWJg;!@3{i2bgc<^!hW7Vty9m zc*b`!*6ZkF7+aWs593mfZxrJq=HJCQl=-3BKl7htyn(Trt;4!J<3i?FGQNRvl()*i zH{)vNKf?GJ<2c3*j2~qj>#f53Fm7W0{frY?-VuzALzVyA8OL*YU&emSpRL0)zXRhy z=Fedq#&`qcD8~0Oj%U1yv4wHD#vFe~#zoAJXPnFYPK-;LuVxc)@UoA}&uHdvVE)~V z%NhTRaV6tLjH?+x!MKFe>&*BV^KWKc#r&R(8<?NUxQX#D#>QbvzP*h77*{Y3WL(KO zjPU`+QH(!eT*~SDGmdBeT*i7H|1@I@^WR}y!uV~*8yG*&xPtLxjMs2_T^Lt0e<R~# zjBjBa<)iXDlyL*|moTnizL{|o^H(v>WqufA<8T#U3F9K>k7Vq}{N;={u)JLv2QvRw z#$k-J8JDsDZj7UtpTIbt(;Kca^OrK#`>afiEzD15T+Z=#XI#YmM8>fk|1id-%zuh; z8ROd+H*kFY7*{esopCke9LC2OJL~X_Pcd#{yoRxHgwprZjQtqD$~chmR>onBCo+y= zoXc3v%hH?M>Qdv}B#fu+aWZCi?Qtrva_Dh(8m~raoX)E`8ZY2g6pb@@wM64g%<|jE zZ`)z2<e|9^dwvdPAMEi$2R_Y`+Vg3a(;n+tZk>LyU4Ch{Q_TjZ*v$hf7xh0Ad>sR= zLxn(k9lu(C(W`T`9z*jE^nSLw)O=JjVxV`1ZSkme8XEPhi`MVxoB-V}NtO_3S?fuy z+oWQaTU~0NjN-G$wtc;dPyg-t^wxfJTxi9#zC`aqFOn{59cVt!I_UYGB+L%0OU>UT zTjf<)uTE<JDOULv-<BVR)2;F;yuez{3THdSpKGm`imzAQbb7Qe*<L<dJy-shSnHvh zZ=u?z{geLb?QVOVf--B49r?|}(>vYv{?*=Wa#88o%3I<2*78%>Vy!m{XW?CQ`}nf0 z<)`?1wNb~PYo|}jkJ?*qOF!3IZ&i4j6}OMS(1E|mE<T!Pr?X(Re_HpTSk$G~q0+7T zRO^O%m6_I=X`N25uBvrs(zlLJ&9B<(kH*>#DNO%$dNlu<X|0cnpC$LglMl5HVv|p; z)7aXjTDP?AdspjE_I!$;+O4|OytZD&ruAXUzg{gTOzkzvT7T6#pkBRJ>*-_{w7%3j zhpoLTO#juT_MtD3d;ZBqt)I=e>PxM6WmwyXT352kuh)IF3*ivNqV=cN$1<#TT&*kW zRdiZUCu^Wr*J-_)*5_>PQLPW^RdnLhx|2?gFxf%+uP(K&WzSdb&BiC3Wvzc|{g3{u zORWp*-3Ds^fqnf^>qL520`Vz*d;b)_%^s+AJexdfomuZ<pmT4izSA2N>QY$mZor47 zd7VsK42^Y**I2hmwN9;fMW}rd>eK}lzgp+B$)nbBZ0$#3TYeO#|2jOaf9l;8dR>`L z3ekMEexPHZ`FwgN=@|6-h&`XyOYHfiQ7w^PPq1NHN2gOVbb7k|&{K`}Fer{%-}vkE zP`T$r?=AUP?)J}5wVtO_r~FcV)zT8C^<Fw9L(4-lkPr3bR_nAjeXA2@>@ltT>s=|d ze}i&wt3PTVfZnY_e5x;cw~KlgBm{Lt+Yhx*AlLf*R_loBzrB9!-R<+M*7X-b3U#UV zcbhzFy@2eAvM@HRT9C#%yuuc%JPOl^AnH;$-)bKeF0ej7)q1}zeGVo>y+@pr1YRj2 zw|;=nRLaZz-S-6(4?QtplPAHXUv|E*``NjB&j+QbetznXOT%2>t+{vJLl--Y${er4 zczwPmZT*1A<j)KfdT#90x8HOcvznbAZoOya?A~4f_4|ACv#RrtXKg#1XP^LkK1%KP zOv--0XMgN-+u;v$e>|BH5dPhh396%ApM81nhYLL4nl~h1<UnVq2{-j=s#!RD$~$|% zXpM6}9voP19QW$hrT#r0Fn_e_XOEBGy{n(c*`<5e_t`etn-cZ^>WjEd2X`mkc>IMI z=6>Kg-u0LH9p5@U^W``G2)h5l#Pz|HzUbk(>ffE7ec<KUTQ*H<HR9E&x6~#aFLB>` zxzYUj1LcQG{4;u`VEra6ddMRm%(?TE$SL(nJ-2*5#%uK3c|U)>wxGj}Rc)T{b}sYt zV6P+JAU3bNyWgBNJv%-4HovZ?VqN+V`)be+{bExdTe$D}j%TJk5IE4-DJOffe|Bfm zws}Zj^EQ{*yzUo2IlMmT-yhyQ?~#F{p80aw?`bd2I<ffiXG|5dF7AH+g+A-2PCM-) zmWS;9<HDhyGh+kWz47x;K68A0Babh;W#p%ib-uBwYuH2LQ{UI_*}3?+B}tdx@LrIF znauk3-R_^iceW{D{q?IyxIJ!6&wYDW+9K20cl$p6WW)Rp*=`-4?Elk{g+4Q)c762B z*Ar&mL8D=>e;2L)&8e!O%YEXO#)`uCzue-x^Yc?D^V+3FPYqn$vG&)jch-)Z@$tTg z``z%usZaZTQ~t#BuZ%%BVV-j6+=a%{UU$5g<sP5ovU}X#TSA(mjO~BudSlt|fsGeF z9Q)kB&SeWfee2%w>B|h+7rmaG?O$B@?1Mtoy}EOBVd;u>9mjr{asBp{C+>a9IB~)> zi|6xSURt}Z_eq~~me79Vw?Fnn#PZko?stkmKg06*Gkq2<yMJK}YEbGQ-`siAPwlqN zS>Jv~iI}$|$n<f|d!H@K8v9(=X>WXZBKOHJ#zb^{BWC}hg&Tb8KU;IXdHSibFI>!7 zJgx6HFS}DM^BR1^3vM;>p3fiXn>730JG(B}bK%~?MGfNzd_1Wv;we|-zVKFWmNis= z{Ot`@zt_Dw-tc3^?WW%Oeew=3zgSuSl52<7=HyXJrr+}HM?)h{P0z||*W;(5v%jA0 zv!~CapPdc7>+B;(7LS_T{iTqANv5!Ej~xE!_f=nhcp~PWD$5N|-;)07%F*7v7fx8_ zg*WuN_M6fvd(KPA=eDlw`QulAJo9?}k9D1XdVAi`lG5$hg%7CQz4pY5osFp%j>asw zGQ91A+4FsOereu6D!9n<_>hdx-+TF&x6)JlB0u#P5=#Df`S1<jmz$<M-ZbaY7u+wu zWVr450aMZ+-rYT@>$@Lpt@-5Gq7OzK_PpVXb!(pdU}O1#seSwwHMVgpE&r{+E8zM+ z+edx9?SYgVy}mv0XhZsEeZ%wWx8JjM&CNYW4t=7q^^&P;&rAwgd@+0Dw`Pxy?>0T; z>D8F<Q~S)leIi$1-1p>KkNlUHUU9uUWL!mhVgHZ;cg=a;>&JjY!o1{zuaheq7L*?I z`g+5M)$iS~((8uTZ#;B#*B|kNS5!K8o)GOka^JMhFN*g9PE|!0KV7nK)Zvg<&NTJR zx^?5qu-lGxF8(NQ(fdW4c79zP<Gj9JnhqhJK67+#X3nzu$G`o2)WxTBk{8byw)*{s z8~dM#KQa2__$w28c33*6{Kmp>`_7ubxKqj--<(ZwzjQi%WW&(mWv=D-?i~E<xOM?O zz8rVcu}6OC^1?Hn$68#Vz|_mjb`5gbH?`vXU+TVydHTWpFWu^&_+k3|Hk&$Z`E<vQ zU)w$smcRC$$!8Bf+CSmpv0?3geQmAD_qw9PCnFE<Ingt`!<>^ZuS)p(m&L31f4lkS znS-3iO#e309q|gUuP)4Vn{Z2A<o1^a4ts5L&gKutW-kfc{@da`Qx8?w%&%=Ke`)@x zecN7}U7hLi<dYAJJyAE0S+#4*g%O|6oYwH=!uNV~z38@l!juKawtluWy3Y8-bB`B_ z($V#5PS5<%QLpnZyYf=~Jok*a_m3Bfe1l$|@#n}#&-UpM+CSQ(t@G2PMqdtm^Uu=7 z@#CJVe71f}{yRTST)H8-;K6o1I)C}n>zfC@>KnWD{uf4m7dh;aN4K0jX}Emk=b93y z;<D=?y5aFBV$W|o{=tB4W5TYR_J01M`B~q!Dt~-N(@)OtK2tZd?D}3_pKZy%d;FW9 zdw=ZgcW>_F*B_tRF!R-~WB%yWdeHOJcGZ3Mg8TIElkdCj+|G}BnCBf8cXoLCo5Irv ze+n9O*K*QLeW%5#fBbS};h05bX9oE$n-_gy=)m)pKR?i>olpAu==}0_eG|<-hSBb& z3lH`PdG5L&_kFQy``~{^MnqryG}Co;b)~`e)Y9)Co%wFk-sG*vzPR_qcS9?aERE~m z-gwYw!6$p}50Mqd%co()lJ}nq>UhC@?Bt(6e*U?|n|tkgcE!!l92}JAHT;h8PwuMp zd8a&PNc6sKL!Wx<&C4$?8qy<r;E)e}!nd!zoIB$4x&OZVQQyc*{s$*EeHHdi&AqMD zI~{iNzkGg2_)9PB+?(@*vFk4N5H)Xo$GrUW#Z3dod{(z`!=P_JaZ8zz_f_ZemnYs7 z{OL!>oq{iaHSweSd;9d;R@3W^&i{6KxBtObZ|pz&%B15{-Jaa<bo{*sW_&ZaWcJ<% z%HszOi|p>Q+V|_-mwo=c;@Yk_W&WiRpUhhnTema074()=G2h?aP*YXsdT3O>_m^V_ zZrXh6$ybw39Zv~<%cbx7$3MwUdZf?kcXk$f`1TmkEg*4$PvtYCYF6eiJD+&+v;FV) zKbhX@x_c{of8T1|ytCPpJLi0P|GL5z1-FjanEl@1H`a`JFEX(Df#R2XpJ+>klp3*T zW9cW44H);i|F<R23>@=o#+c&CE5>d4ws^`nmwIl@{j~PSkN3NN_U!#{XNuI*uN{wh zF56iC^ivZaEU1oq;Lkbl7aTmgw=yz2<?}fQZ{9Kd%w?a<q#5t}fBELaJD!X=|8(rP z7mqKzBc*l!O@mH6*^|-}UMt_eb@c4(7M~8=d|=G<r)riDc<Q%j3qH8G_t9^=E(ohn zc=3tVKezt<T<Iq-?zt)aqk}KsojW$*$s<`I4W53>I_0cSzqM|_1F2CXpMJP~ZM$Ld zqdRS1|7%pgx99X-I`E6tg=K3>M)|z{WyqSSkF#!fsqg(*tV~n?b3#!%qaWnrCJZiZ zgu&HY7+U!Wr&isCQ|ms$$rvJ>jl+erTexs`j}k8KGlh%CEyBe!UATG{3fDF(glpS1 z!nNHd(W>1`qLtS!(W?E&qILUP(c1eb(b~t=VD#}b7(0X*j2*`r+&bQ9aO;$7aPuoQ zxcikE+&k|yxceV5xOe%%;L*j+$)jr@Cy#DqM`(_`0Z%S3OkS4VV-V)ZcB15w4S0_J z;wtuU92E-w;9hj%2hkaH<Oe97_MzOlp9ZeF%Bvof%TgOwY?3s-;9ru4y1y*xXA!SS zTGRNtq*)KWDQW9|yCl8+vnrw`Gar6O;{Ma#l{ECqdy=kv;RDIPY34qO_x-$I;@=)T zC~@n4A4%%B^JAh_y*D3{{JHZFOB@kYBk`#QNzKvEACc~>la5OFZT_D~`u1T-MfE+O zO8#dfKO-udzLT_M=*D9bub=d}<oEhn(voved_ma!+xRbumP|V<Y1MBJ9+&QyhkQj; zEI2BuIkMn{bbrwMr1T&EvZQ4*`_xMJ@H|Ot^L9yE^0QkVxmWFtleFxcrzABeG${Ab z!Ka8XZY`Fy_Dq$erq5cRmhlJ1NLp39PSQlD&n2yWuv@*1cXg7a=B8&Q7014n)D#l@ zwd7ySkkoA6CTW?|50chK4*W)@OKI!t%b$yvmIRClub%I;VNbp#{Hga#H{JaHt>KRi zIv6*=DLy=OmiP5b_9lm~TbiG~ZEjNdnY&+oWkH{5;m<5tvh%G~H-{g8?#4%Y4a*5% zY&a5isdaYvuNNMhbaF^WcvIJ(F4PBQhTqubWK{J%Ug4n;i?+|c5FNf@=<9zDDoY7p z<d#wT{5MG)Pe%C68#b?ca85?}pF3Y(SUoZ+JoO_(>m#3}g-7-{{OViZW`(DAjM?x& zZdUk+K_8r%kbXn>7dJQf{Cdh1{%h}k+iTw#9sa?@z^`3i%n9EW`R+@;kKY>JcVUck z!z~%%M{azzZqA;p@Z={xUEt<AD*UVHH-GQgV{Z7Qn=ke`m@qFqHtPP##*H_HFHV^F z%A{|y!n@t`+ihL`bxU~SqZRj97KDeV{#fx{p~wk;e8V3ryju?qui15e@3^yx;djk_ z?Odyu6T&SCuZ{WUd`$Rr3;q8X_vpm%N9M$sPj<}=zcu*__pR&A;pa|YdL%j|JABxK zTh4rPAvt{4+=JQs=BI|=bZ*Qcb8dF{h!ZO!ckh}XKDOwr|0^q#!^3{b>(p)KP2p>I z1nlyfo)W(9Y{w&YPh^EhzPqJ!@a&ZEXk*kb+fK!WFWFZ;_v`y&Sr4J%yZbr)JG>$* zd_%<(6*s?;6yEdX&KEl7Ob$=(8u8fAucd|GFzeSF!!zQ;y<e>RZa~z`@X^J?e;oOH zc6esa{J~^D=p;kh3rXi3_6DAa5iyOuGldCb^E~{~8Pg^?b7X=m%`mI;QHgs!IDIgp zmAxKWwI(JNBxRb?^78O$mGo>=W>R5xiX|=YdQ+c#=_wC$Hgru)!l{#~rh*(3zEqNJ zN-IiBDU=^Nl3bj-m`z_nBK|xaM`TLMHYMf4V=BVXX(;K7(gsSOHh=O9DD(1ivJfIu zPAl~4L1$FZ9^NSIBaD}O8TC5#l$>P9hY!GH$%7zG3k%cois`#Y^Q2(Hk)NMdP+-Rv z_!<_nms*&Mvn5pw9FXM)Kc^6%k-3@&@S&uu^En!nOEz?#49%xO*99mI6Xt8^)Nd*$ za%+Bqt_kI%&YztRUO$vhCU8G4Df+E0oBrpg6+r#?<V{LWYMLo$o+($K9Zo(6B8?*4 z`WhtT&%-Gn$+Aui0x#P-OD)8NqFkKYsY+Ir9OBKw$8AzgC_U03)Yfkx%DW%^%D1E? zC&4i@Jv$9`BvXs`*LW6N@IfE>`4>~tJbXCH)NfE>e%_$u^z1=t*^Bz=z_$7zQ@7PC zN(~;<^K!E3lTg~fO<sK}D5OErq4I?+EX=`oY3L(C&7)~a=+S>^8wv8ApgepXOs_SQ z4y}ieA{iC`;&hxrimHN7cjd_{_FqZXt{utzvS=-o15_qYJyq?}J`1vFZF<PTw~u61 zu=iss%%`%uA#P%bT4}cTFH`Q<s~>$0NaliSk$q^S@K^sm`a!igN_H_tOragBgB0tp z;jUg3f60fce|hr@slfA1foY3iY0~GJ(z0?3ii7?>z2r2LHbVGb7JZi}&03kM!kV(u zvT|@%6J0&IrS(LsQ*F-Ff}8Xz)+J0%qF*$GxCwX3R3}j~l#sCUXdccN_i^x!JMh}T z{aJW#1h0{KaFSP;LI3&>(_FRA?HFrijXDp`(cOywpOVL#!2jKk^4pu|Yv!!+vn<~& z`q!CgL-gH=tq#BZi`N{=!no__-jJV`mp^wljt(xKi=%|;YgPGk^V8|`RSEhzH#cJD zv=PJR&csIt@x83M1tW%qB;{od%uQ8KJt2-DF1qQe!98hQTr>_b6h@4@2IA9WG#hNh z=7+$i4GQ<p$|k>|yA6WQx{!W)W7YAHK~$m+48+l61xdY!lOL1?&as1AXlTm3`RIsh zJZ@%O@Az>M<fq!fjT{d(ccUsPjx}?eEW_41xRGOngWEW`HNwpgbf8RkGC2w35tdE4 z$uzv0xy8yf{NM(4aM;**3LDtmUp#pXZSE%H3v1>UC*w0Wi!V<4i-lV#R5%a^wG||( z_UDIjmcqT4ELoD84E2c(F-}UKc?BuGCr8Nm%9^>|B;zZ$cZ*a0D&QvbL1E*Rzbd#j zqG1m#Qt4LQ?1ZyIfmIm}!B24vZc=y3Z78`l!p*L%hmjk7Cq5GM0vvV(xrtn)iC)$~ z6}`Z>uSJPJa5A6MR)z`#<ALfZ^DQdipXyLveqKuN(7_ai*Q-vV3gbt1lQNO}KfOAL z#GZA_PoF-0Xhm@Sa{71rbT?5JOm2r=s>x9ic<~n%o$EmFt*<IE+*^NoO(p8|l`B{5 z+|Bmx4@10DPLWmXd)A-+9!Fl)nX3x+A<n)?qm?ilU4>cH*URry80+q=$9j+1D-dpV z%a0o1<+Me_dd($#=b;t7;gCC0*<i0h*e4mP+8EJX+$DC{9dTnBLM%s^VIr5}mSGKW z^Mi(t;*LlAB<f-3w+nuElIho<?uXw!<?o*LJ@C5&{~jn}jZ((Dd)AXY6z9>=Xji!J zLYzb+;U6qP*=UX5uA)RZ)jQGLs1ex}h%2<MFgu@epR(V$?;cXgfO@;1f5)ddU06<U zjuYw0xP6#LF%1&tFv#z`-*expea7m0s$C*m*Ea*S$0pRTZeQuXR@HY^JFQgZT8?rJ zKwhCA=--ytHD)2+!hK&A<s6B~{3%@zLV2~3{%z$&zDglX8SWQ34Ez{ra6#qMt%Wqa zrr;YXxOEz(@IQ+6KShLk)g6MIcPlxoA?K(T+`fV=Wk|!(@8}l%CW~0VndDb#05$ux zwQi??H|r|A_Ofo-bmKJ@a^tS$e7ZqynhK<RI{K|f{*L0-euuOmR}J!jHYDn(T<r3T za`8g_Y1S@C&tZ??ynWnSZ{hHV&+VW+RX1xt!!{yq+%9`m88+g#@o^izQ`QGr8=C3D zRhW#_FoO}VpG==jLtkq<DA<hss<?IfTZGxqm;Bvb!__>vehS+7SSgbVI}>=49qtO7 zq1*p(@Ir}qud)Z@kZ!p2+q`~dzJ`7m?kMEPyq&)7Lv7wxE`H#daQEi?_7J&Vb$8oz zLRu)V6ygHzO!nhgUPW)BedE?~IP$B&J7~vmBfPBn(01Zb73>6VN{=WWEyg-jj{eA} z)aP<#9Vd!hzq&hXS|66CA<(Mdw?4w08SXVKW6V|jo%<Be;LmLSyeYqIQ?)E5C-A() zUBPh;CqH*K*U6d&#B&Dy4fZqGL9Z6@nsDnnJc{C2-8_zA-(d*>cO%E)C(}{osb%rR z!yyc}PUkT6v7XAA?LNw@S$S^w331}~eMi;beE6Rr>xrrtcsxj3i1iUkgPEe!B{6J? z*9g0MG!X4HSmK`b9URh1yohHDZe8v^4*am+F=v5W^Se6mOTl~BjvwH_uSDF!jz2`& zMryP5ryoH3k<X*M)k7i>ZEuW7L|In9L(jt;YNv<)+D`AV#?iChBK;qBCe7TB_)4Un zZ0#`>ZtB^lYuoA5U%=)ahFEon|N2abBs*2@geR)9k;h<vr^qx8NtvF#icCY$cJX{i zzM8jPmjMQmiaU(U63=@tv<I|#RgYkcVDFo!H@k(pdS4%dDDP{qmcx6<SEWqPme+%D zt0K2MZTcLE^zb~j+Q{o2@NCH4TZOUOIw$C6?pT9(3%71R$MJiO*@n?i;Af#~(^S_f z+<jvVq8hgjcMQK9?J&yJR9EA!pT?`To;N_xUGS__{S%vQOPp#D1-Ro`e=W83yRaNz zhP#OUY()9?p*-E)+{Tc62V)Il=?sI|z<xbv8iWbA#=Z{q_bB3R#I5T;_DD8st3|U6 z;sS2nR<CB;{=5Zs;8y66?Zm-r=wX=Q>N<+KO8twL^|twQG~pU)j6nH$l8)^9o@8xu zQ=kjnRjeP_ZS)P*GyX}`oi#FydbYiZ`u3v4w)(aJZWE=OtzN?RczKZ<w~hHOu_iia z?rQbm4`FWag){?j(+&@qLh&1JgK9FT>#mV6S3|7H2Y#;>cNp^HBW0oIQmhe6S<)6! zU%vr$@Es9rs<=k@JP|6NY1)4b{EsL9$KC9#iLxEk$Lvh?Wx1_BH@#sHqmh<rucFjH zHzGXsq12e6L>Mq=fV&s4s5hLWAq2h)X!gR8(17tqedPaX?_1!athT=QGiZ{TVwV$o zDn?5|&A`keQyBylP!jV-S3m`!P)9+<lgemTRAzWir?51K`*6onqpR4JI+kcw<f)ue z3oCOfH7as{|Noxn!I40%&ilRZ`+e;nn>Ek#?8{nfueJ8td+nJAH#oQQ{tO)+(IMAn zMzSQ}GuGwVSeqHihI_eK4|kNfj$^9R;T|0x(_yE0_w&E#aG(x{>u{<L({#8(hmYv6 zOouP%aJvro=<pjIw&<`sX+RpN!#y+I*Kg_Y1s&Gt(5}N(dii1<zM#WhI{aFPrbKsp zW*uIo!!bIXtizc)wCZq~4p-^$Q5{z4@O2&T*I|neyH9ub*IS4EbvRsykvhCxhgKb~ z(BY#xbm*{Fhp+2!mkvMC;aM}>{hg;nvktG+VXzLPb$F`|({#8@hY#rRNgY<{uug|> z>F|9Wex}1_9iFF;%N05tqr<5>Owr*I9sXU1YVh&z27SD4*I|YZjpqkD;Wb`ibLXVb zO-l;Pn4cDj9sV@@&is{~aX;!rU<Gj$_lw;{Xs3ycv9$ZF5v?(-6PuWkGEID_;bmQT z0U4tP<FU^=P4qJH&Vu>#v5{-M+H@E1P0E<*?in7F2u)8<oi)dJ%h%i!U5gBsjhQ=h zL7IBo*$sG2*fhM$vh%dW)QmB6=TE{GbXt;*=U^>d585Q@O*eVPEJ({p9lbaMFBhAZ zIx{IOC2_te)ld`BqZqtrHE|Z(OJpzO6Vo#y82%FCei4>7H{EDuw+KUsDkG^Ctx)_* zw&wY=)+W7#P61kc8l0GuG#|A*SRH|FY-|&bWN)k<hPaKv6frL1#v3BW554NjnQ3XX z=Hw_?i7*K<d{|xIh;8eIiV>3#teGYzXn3I-{-RJ~Qsnq)p|Me_dboSUVw2{pIN6*T zz+%B11QJAV_I>hrM9mbJdfc6y!gw5Rii5m6X>mGUOE5Wgc2a0M-#5okV!GFfx4ump zpPHT#i7H|aC1}c=6eUnIBQj^;jRtsC8)~uV2GtrvB@3(+rD-CQcidy^9xqU_tJ94c zX;bDPw15W05Vq(sF6*=tZ?SulpV5H(O?4Z1g~INu^}JGVwHvBMknT3Gro-D&y~Zac zE=>B>{df<`+B^h4=V{^CAI6xT{H8m+Q}xEg)bylQl5rBD(~V#W8HTsnoiz>R)v$?G zohR$zoD(BosS(xjsnh54{Sk}WawQ@Ye5vAH%1Y?Wne)~Afg9WCTBx{;++vrpb5lt) zU%+?VT}o*?SPg7uDa>@KM9UM{vKraN)+7<`g`u>%UlbUrJ}Wkg+dJk<=$x68tf_O9 zgo!6RPi}qBpq-yvM<|b1ts}I7SE}h3y~fW?gtbuAD_WmC`5lJ9vD|C?iMI#h`UB$Z zewW~6V2wMAv@sAFrL|(I`aC8T?*k)Us?F8v-VNBM=dEet9<Qi$$V%!=rGu~nViP$P z8Wt<WV{CmwL<~Q_qWBj}ffdI)8zyA(+*Z3Hf>}D^M10bXRyuI1P~+O(qYF4v9uKA_ z&QE2)YML0wCmyzO6I<791V;u3Dk0ko(o;yr=mp8ih-_dz!BYB=PFRp(U64WC-_fm- zo8lOj;m1j-e*;fMj2c~D2r*85zA?!??mlkpW==?EalA#?Ex#v3#+XX}gdQBYDu3_b zwS$Cs`!@5g<lS&+k?1`VdK5e9qh>zo@;`QALc1M%uD`z<w(Iti{y-b33ZGoXXMTSx z|MO~|?rmnKHpxp*zm*co6O&QTCc1X*YFq$5^`kqk>sf}6YmT_@8**VlKJ)y{>r*A~ z3=?)YI!^!H&)Z@aySROPgMM)Hqo&yn?fU!J+SWhawSB(3eIK1KVW+F`hoAd&nA}a9 zJ4}DL>;DlAbo^pZH+mhvc=CS)`u}A}bSM@+?k+nN3-f;&O8=b=|1TF4&1Agc!Og@% zFRVIOEMCz^=V|d?_lLY9H(b8K*}_kjWi|yJD8H>>Pl4I}_*egzA9vrf=y3BHmJij- zZ$bGT`TO&Giv#&h`L}f3{<1t(V`66^Choa?k6Fa;xns{&zb^l7<0nqUK!z-HW7eeG z?QRda?du<fS$g_fZ`Vg}_qW0;fjRSWeGVpMT9AvI<2p0U`)B(9kpr-@!4piv7cd+! z63`rL5;Fm>0JH*L4frbHWI%II#1jE+fZ2rSAx;bE1k45GAwoM~9pEEVOkxRw3+n(A z{(>`vfCvDI3P2}d8uzk&g~$X90?Y=C1<VDs0ono0y%F06^t}{&);9njz}v(=tpRX1 zt|Jjd;C(wF?+ddKU*kFjuoLKM0K8u$o8n-ACYqAG9GBrpl9uFEd%3_jzo%<K{e&1M zoFWDAVwA5#z+kW`$>bV<*fFka1`E+k*hIa8PT|zAn*qo3Ih3jw>emBa0@wt2EAD3p zx$oNnx8vGp2=Q|YD_|q9VM^?PPQdF#qUJjkXI23d0HXjMfNZZG@MD3^UIc%Mrwwo^ zpzk$^A)~$>FbPov?`z$Vak@NHYA4?j+>LXJIKY0a2k1h13j!|0H%^B+fEgIC8o&#+ z{aXDf@+DETgt+m^2AqQO{Km;_kz|Us;H(15HvlGS)3xByu-Do_ujVksiE-bIF9-F} znoMzH`JHzh8N#`lZWF;*z(llbjuPUZ;Cn5g1^0uZ+25y{12Eu5oL2*E!Tn&ILwS|; z#v?ut7<+>dMHt^^9hxTzQHpV`2iz>aFxe)%@pI`gVTusz(I0<scO~k(0BZo7<AkUb zGfj@0+%WEDeD4YOGj9cdO~C7R$Om9Uf)E1$oil{E2koR_XOVny0=@?5NTOUNYC*~9 zUvmoAEH|u472;W3TkmwkpxL0;G{fYuf?t5HbjUaQOIZXt0lhVUBOUv+xVzj?EWtRK zKGV$0+|XhZ;yv`^yPW;bFgXE-nUYQBmE4j2!jy6^>6osW@54Bt9Vg&Xz{YIy#VK+g zK+F&Q)jo*xCFsw#3i7ReZmM|*_<;{8tJ!XnDF|PeCTs>Afblc0LHk;&SHj;pjtQL_ zbr|~($OWF~KH`SXe?orHZo;F~tLd8cF}A-?bL1lCh5j4X@*Sa0;qy4`0Lt;4&Sv1( z0Jt01P3tLN(@mBqp|`kp0LGwvGhit6G}sQkoP=@9$N3gMFA(Bv=x0zd^$FtzI1zmC zF6D1<Bx;#}Yqk9*pK`?PAb&2vr6^~uaO-;$U=Z5#se=3g##LkQ1Na2gC_FTq4jTbu zIKCT&ScCd?fb1{eDfW|O$_2a)?KcBHf_8$RhCKsJ*o1NA^=6!_0CWJZ6`yJKTikr` zeg^o0K65Sg%PFz}H=$g>v+yBAf))q(5c+KfBp>3QgT26WJ76<l6X1(lvdQrR>;%R~ zyrlG8%LEJ+38n_X!Kf#;y7k-_kaVN~(w<}kl8z<?6Sc@Xw|%ez5}#T?U;JW&3y|Yy z-6q5cTsHtN_xi#s_BHIVpY?@T<aW##xS#p9Tdx}d2e99F+%N!eGM-y@P%dYfd>Y*L zD-!Tq*o)v@z{hmZD{eQ&33LR%FT@g*w|)S5?sTw|`6D5I5wp%Rf9$3+<rB;wcwPe- z0sNZ*H)7lzd)@teqw9XKdqJPk4o=tXfH#qkfJa5DmunyG!*nfSKgSRHtwYNJ>i0ga z9`GTIXWZxR^08k~?)PclO>A$UW(BNA|B(kFr+_|R!meQ+6JN3a1XBXwX0+@3HOnVz z*?_5lF2Ep^%RGb_FYK%B8}J3!_1{u&_n9)kgZ*JU-;*AvRs(nl{nZ@dI3{RLz&u>r zj=HaFbm#<JpzSjy`~drg`j#IN3I@yt44R7h@+a7PT&Do~;JOj;P2n`ze`Y(0S_9xA z;9b|^=1b5okVBL=ABWuqYy>=je(R)L4)Gp)HBUtXQl4^k*aSGwE45QxCk=M$fGMc6 zCT>N4DP1(!!DKJ<*_yaSo8@Kcs)<<K_dZ7xRzT5B6GKchO+nppUIW(_A5D!{F5pq{ zF{h`d<_j0#O^~a|^EAwZ`%L(*Ht{kAT%f@oW4;39yp(XE20cwSxd2}TT{VBv#3N|8 z(N`1qgYOBwafXEbUaW}<z~D=91_H3&59erkeVHaYO@sbkj`JY6PQiJc3|#y8Yp~CW zrdq&zfR`me6A8E<I}r2$)(z4`0AM!G08y@*0s8=7Uwkp#2lpL;8s@uwrraT#=%*!_ z>aNn1y~!Dha~OPn4e$YMybkyP)(zK017Pj-8st0yhX`0c+0+2Yc|I6tZG7V}PNT?& zWK%HC?Kn}MXLk;P54KS9!6|}9Yp}zR_b?4|JzaAFPQ-Xx!r5M;78e2h(T-0f?gKA- zl&1WS0G!21!~I-9`bR$FHIavYYXFC!T^Has^ivbV@!7ALadu`R%2@$(P_Guy1!$eX z@(Efk;3i!23=aJkJK(dxI}T@Rd~QPjli5Dx9xwyfwwurnVC~H~4+YqC3(hG4rr>-{ z5TE0WO&lP)RB{mqi220iGeZ-NEDw0`&9GO=n&<`?nW~8oVSmkcKn^+`Jga_=k}Ffd zT+;igW(5pFIp2AdU(lx@?7@8UWxwW|0le_sJ5v*r0Uh^iA{;RG0ZsW)DS#JhGfcJz z-7t3*@%dDXeF*e|{|&3%Fg8cS{F-d?T?4s9efuMni!Z!_|EVcIr4g_O_g!l-{(udS zYvLoo>?btXh3Tf?b>J(mEgLlWL0@<^0aDJq?Pyoqe^x^t_0lQK`Rr%E)&z*Nc3MDz zCMq#sG!}y2@T2X;9M?q6T*C25)M5dXfNw3}ZGgd*yiU~W0gqywYpXSJ5bZi@s0aJB z*o~Snvz@0vf2Yq)4O`d`{9c@UvEV+>&0L3Tet+Z<_?tYZUI)mt<rly|RA+19k5trY z;%Y#iy}TIndZ%p~CvtTTi`P60OUU!Agz8)so~v_bfDL+im;RjRvsf+|knP0jFjI#- z|3!S%xhL?E=W`N(@1Mz&175-lmjPJfbqBNp`U1k0v;laeE&^N@cHAci;lkKh4^z9X z6CkEaTW3HNvYiD06Kv}O7z7C5ktl2MOWV26_7mE<&&p86HpzV>yMz0=9o%<xa33Pv zCb@6acW}S4gZoYG+~@n0n{l7tduj3zzvfNw0X@o_x4_nTpFpGjCD=g4RQJ80SMj{x ziRX<6aqV;B+V&I5b1?MObR5^l1z@Z+!9IE1&_4zMnvpHYm=W>6<8<YfSBkM?$BJpw zris+lRIy;e0`~yhY{G_|o0}_2N=n4D&ps>a>gvP?AABH=A3x66A{#{^{KtihSKY+J z+il%Mk2e-Ag3E}@9rAFCty{~YMN5{jz+t()Wry7U10KJDYj0c}MqOMlTEy$79ox5W zSJ${Jg*W~kmMzKZ`JyE*@2^o=zOG*{+Tq>I`pL;?pDBywx9><!-huwrwQ4^(ISuzw zCX4O2;5ie@sPe4Ol=cIzThRZG*VQ#TVf%a8ze+!#e<>f_0sPQfax(F2+419ETpeQp zh5w3{2e!9tKgKqAef-8-qfnqF4ejH)^9yfYFks#G9Uvi@{PAwATz)<ofYi+EU+%f8 z=lJbAP+}E|qy5syhXlI|sO#ppcNF%m*sjX*IqH2KIzl$1dN);m$M$y$CU0+U*<q{W zHTWZcnX<LHMLlMD@b}=lW~m-4{<DcD_hXjF^X=Ok-H%oK3O6>+_OkU<r!GZ{UtN~d z%NAn8F;I`}h0hwY5{(WZpR=52J+{+c&cc0Z6B@D?au?(t$bOP??t^SbKAoIjef8BM zCMHHqnlwq^%X$ho2)L5*oSYm{R#ql9ZQ7({{QdXe7Y7a;Xq9s-zoJzGTUzr>7fSkF z*1P1E<gFrW>*1}*cg_`A7^38@Qf6)aDjt$>XVy1I<G0{L){_Trk@Dx{rEeaXGG)rv z<ndRR1IFJOJ#T`Po8#rO`~A1xG9_MQ$%3t$r?9<eSF`;rDG&YdLyb^Ue3uZ*{QRU( z7e6Vy^bFd;y7seChUJ-ixcNjLSrnf<3=*!}rhfhUi9v$~iJ+h$F>>Tc5gHmQqN1V{ z?<P*1D5g%GDsH;zCUM(sw~1vl$B0?8W{ErQz;FD{#;<|S$8ROVek@(OROBrP5#@gy zDV|<-y|{Z;gjjWFn0RDvsCZ(&MLfTJxTv&6iN}{u7tiEc#p@4`6AcA-ih!4-xZ-6g zhP*CC$g5HedrOKD??`d$+fsz>mSWr<DJJffA{}|kXHwkqg%mTKQcV9^isj3fi~H}t zU#wZPMm+Y|V`A;vwPM}6b;549i=v_;HNG`9HDdGT&B~U&@WKn?-B)VFif^UZ?2_WO z*IpBEzWJtj`|Y>I&Ye5O?%lh^o;`cS#~*(z4j*U~?|vu6r=NbR<l^ALgW|~HFU7te zrEs}i;)fr8P_jZ^ngX$B87stD5E}0sA-dK;c%bavU650Go){^Ih+E`Du~^O%xpIxz zEH{eXawkow8j1^0zi%w&Su6Gga<D&HgEcVf&vIeTls&}*sJ{;Nt5ClV^>?BEevkV7 zQQs1a?}%Hmr;{VZ>Kg1xq5jJ*A$FpEBkF&G`ukA-AnG4R{bL^W1N&oM35BfRB1BFG z_S;q?)`I;Q*DFxMT|I?t93te$6NTJAPslIV2<h4=<guNt_y=Bq`h8J92=zyyehliP zEmtb)FYYPi14D#dKT*i)c|vYmgElt`d0^*>`fx({{&VYDsDC!<cSU{J9~Yb%X+BTL zQA32hb)t}en<wOBYlPggQOMmpPt+IP@%tSY!SCrKa>O90?KNTtB;SRVg6w&-kVC9O zPP|vhdFzB+^OTSq>xJC8*Q34}^{+ww@u)u?^)pd_HR>0l{?n-c66(K!`sj1bN2q@Q z^<Ay?ufVTdj6(~lXyHDzP=pp<MGK#z1y@fgz8fONk%>|qn<vE&Yoz#bqZB{yl&$su ziu!!VSqSRii25^7e<A8;qyE~SQWOu7V$(z^UY;k#jx|zzv{8z$cAlv3jr!yOzC$Gb ziu!#}zd!0<f%>C*N)b0iig^>ISTzrAt&w8uMk)5}JW>B-dl2tVo;Sn7Mu(0L4Oh3u z4-DvcdEdVM$F>#-9UUDN6&@ZP77`K~9zQt1-@o7GW5-?=uNMf9!ejhJ;X`<M{Gb6W zFm|k2e;yqZ77-nS<|D#FLq><jU%>+X`t|LjKaYyBghq#kg@>U&F}w1LL4!u=II>7| zOtg{4{MGlO_$yI>EnMEWkNGkn8O8RaqoYEi<1abCmoJ{9K!9GLe?01kgtCFK==i^$ ze||6bbA{vOea%2Js<r+23okhT{Ba{y1A`QmeefLkhqHcYG@f5@{w3pd+{O<i3aB3+ z5*l+ubaX^?d~Y_;%lD#-{?e^mw~NOUM?S|Cg%pkFCl!b%8~8jdA|@(2Iwm5<@1z2F z?mtkqKRPBnIwB@KX3V9%FVwq05Ag#629F2*Y(GqOVQ?*egfCFw75JyxA98&RSR4}( z9ixa)I2!y1{_){MEJPtXCMLf3m@(&{e?Ew4eI9?!S@D*@2y}4+o?kj<jH2@5*5_e8 zI`;_f9uyHB9s@3q@l#Y@GDa7Vkl~@BS9$g59262C6CV>55#z=ZCd8eh!mb`27T8Ja zdV~Ieyow5kxzeA<Ul-_e_F0<NGZGjQ#hB<22-1n?q1O%z8hW;u_jyrx7&aQReD&2~ zVJDu)$Bz!3aDDeKov%R;VexD|D*QzM@nMv^3D=)%>SE#Zun>qVq8)nT_{Kv5qAch1 z>^>nrEGFc7$eQt#{54XfPtWUOLczx<kH_SHxGI7B*A5N49;)K`7|$U;Xg?f+7!@&W zc$>!_?PH*$LWiGR8~Sl_iaDuq*jHJX)!f4t;)HWihir4_KjP12p^dg#w&%;)L`WNd z?$myY;m_T8<BiH6S(Y@m)%PgL93`?-BSh}}FtKSxgs6FZnYgwdJ_YPt<Ofnrh3`P0 zArtV?M;{eWJn@8Bzka>Q%gYmmg@wvjc>3w5l|T60bI%F-3h&jGh$rB0)WBDG_0?C! zJMX-se1rX;?G>MW_8ERdV88h4tFOe@Uw<vW`}VN%4UQf?Dt`Ip7qR9CDK^4a*!i=E zoek`RiSAlVbkNJ38JOr6W1@Q)6J4?BDL08B@+C1*){A-aU9m=fBsR(en7>cVGa?WZ zA_J{fOtv{!p#C+eZ$bTN)V~Gw=b`?6sJ|ZdpF;gNQGajiJoBfY0`~psr~I$<Q+f+` z>fO6Hln61hUi{zNw_jjj;6Q#d_wMc6yU##BpYGi+g+JV@Z$Q6({`~@b`t%rZF0Om` zxy;`mWqbPg1r7=vBrfhdFd*=fu7N#Kp!>P!UV3q#egT2!bPc#vzhO293=H)4?iPSL z1J3JyZg1a<1_qwv?cMe4&Yimr=+UEhr?YwwyyP73uDlWG<9A^ftxI2&4Gg^G?9Oce zFTSSpadpmRUC%yy5Y_>G`u)}GVmw8aOK^?;2VH!D|7C*$0|)s7fAl|a(4fl)4eB#U z(RVSD8L3Ynbt$rXAfDF+1>q~JtO2%{c;6_)@~9{L)ZU<gdoB`?HDSj8Ka@<U4Ub*G zV{gr!@tHmU-$)%%f2zKT?>Wd9`uX|w0c5@$x&PT`pN$oefMp=3;6l59QtMnmgX8%4 zA4%j7+r{eUj1u|lgG})^Z`iP58s?qn4<A1K`8VHu^9AOf&kh|rbO3Pgkt0VAV_mxc zqmMq?_{JM=Jg8~fpb;ZRK=Kt$m^4&7SY4@c`z`$ASaV`NuYdpkmjRMj+-5$L<a^64 zw}f1Sgu;KtKH|ezN6W2Sx5_WR_(EbnmDqRT29?~qcdx|yTk<(*kXVC%+|<-`5VU@} zYuBzPw{6>&HG1^up=gKWbTRTp$UTvX3&*vqp81(P=Ci*bUxIuQ_9})pH#Z}iie=H6 z<KGMX-T@uFnr&Qr?X~@hAMjH6zxCEz5__Z)_{rMZT7@_EkmTo|e=Zvu8YK1<R5{jx zkHGu;QD?)(jT@If^UO0#;r2z`efQlHtX6CI>eZ`b;a3y40my?cy6B>z*xR`Is;jOd z?|j3<!vokZKK~~CzyJPw314Q-WtUwx3_M)@<(FSd?CG}hdB=_&^1}~5RCr>16z&`w zr_(9_{qKLPYtm$7_&n+}WbVkf-+tQ+x%(MyHvRO|Px8C(zWe^Y_uhLJKhdxkef`Kf zpz|Nlw_(6xHS7LX{NYbY^wpY)zmdsTBXdlQO#I0!LgO>9nGHG!iI0(ivotcsTpHQ9 zXTaZs|0}P&vI^ta7c#Muw7mTC%Zdid2lksJ#{m0GN?wQ~bpkr9;Jfd>E19Vq91lY3 z2X%*a{`IeaDH=G2(0|Esz+OGKa9b0uf5!b5K8Frp1scv&e|sG}c1&U#Qt}@h9NeFB z%*-*szL|Xf`R66ZT*7BoI?OTPm|$N`W#V36UoWXEjg5`!Gijg=puAB}I7Y;6%QsRc z?U6F%9VxGVQ_8^Cq#U$O$}8)nyzwn5%MM6+^w_a?p)1t?Gf4{nmtJ~l&E=P0J`6tm zYS>GO@lZ6-=5P$iSJK0=AnyFk@&DwLPgLe-@|^r8zLW*hLcGa;%4q)AQii`TrDYd> z7YbYO*CJ*xv>r6PD&;`X(Emj#`#vY->W>f`XlYq@Cdi|V!XLI?8kzVT*%%80{vJJ{ z9#CGUeIn)9Mk&MI1OG__#^9QNNqH4$nDYVR9WB`J-YI3!OG>P;vv@|S7xqah%d3VC z9oiSNu#$9O927kU9fag1<%s-mj}G#kJm(luZYck>yI8X+geCz0asPJHFdE;78wFg4 zg9hv;ODpIi{;BUudHD-&wKyZ}!GFvd(y;%Of6Pac*%%K(;%~?~<)7n0xuR?sv{1(> zXOw&Dh5@M;Op`v9@&?cl4f!7fev^ig4N_kBwws0^=mPf1Wx!TdoObj~lENRhcn$XW zhhZF6Q_pBy+M|Q=?l~rgToIE0e9n1+b!lfj)71UYQPS|Slu@7|0yNYd@+{He=Wp@k z@eYXT_2Z8}O3X7SWzt||gO2vb#Gu8Kj-P-2S?+vxy)0T1Egzp3A|IV=QHb6Axs+4( zNjcFeWejQfP}gV3%m_oDX_KJOv`PJ;2h``mkSFT&am3l$p+Vt~@m__!i@vbyD@hCO zA)!G7A?2QO-IfkRz9{RIrM=rX$&y7QWWj=w^2zj3iUtyJ+d(OB(rJj@E9H3L6bTwy z^_ev2`g|pA5^QQe*rYz7!LQbBThYw&HZ&;w`}XbIYX33EbDsazcu;>i9~k37ec-jB zC&V9iPu4v)Q<g6tA&VD{l=+}xJ!oJ`g#Ek~G{nKiPyS3w(qQN_X)yGeHfhKk;QK35 z4j>KSzxi1yC%{f2z0)54u=h&-p=+z@4^ig~It*Gk2AmH($Hbt8koeP1ZeAWLtM0m9 zmVt&M(2$qm#y|bAlnGyfh9)Vefd=X`ZBjIBlA+I}!O&;YVCXY#Qo!>Hf1C<DDfObB zaejfH)tX6zk=xQ?=!z#D{7f2{p2@mSKDA`HtoqyavNRJkEF3A1y1tYjK%GfLJZM0S zO-}RBXWAs{b0~CyHYpf3iSx5zll-?zd6^skwsuM35C4AEuwldc!be$2I%pRODKn&l zJ`W*j;XTf^hF`{KoNwtfFg<6xPHtIto!kf-DnWw-G`z5Ot~_!W!gB`cAn2TpF$w1U z3>pj{!~Z3B<&(G%`%ime$p7%+!~1hAj7)tc-o%Z#8??~&)82DkL%YejigO#&ODlrq zv!G$~vf;93$@Q`VG_=*{f5IlMnH?%u-8oujr-sS9XNAeEnc?!m1vkr2K4_4n!PCc3 z`V5=I)E@q@_e%bO&uZdMya<UC@uohI&&HV0#(Vn5^oK|z<^PrJQSwF5PzxG1Ed>qG z1?n?tpgz+kt%Y4B4LPLYj?wbI6wr_yE|<-WP&5!v`WT#_4Ig6|<~O8Y$v<rd=V1B~ z%npY`mY0`H`lUuT#)I%wdV+mf+3;kd+;;c1@`dG~0lM%sXsFipnKmhJ!6><Y{wSGi z4Uvz`vB-zhLgj;?;a<?N0yHcI4NPr)jN73bNWZc_#2>Pt<R5aqlC<1=@4d33qC(MQ z&_LJ`9i)k}#kx&9pO!DLyjIqMhUY<p(r3^>n`G#-9X4s*{1Ew=)gu1^8digb2SCF; zkfY^E;R;dOq)-nZ<7wzU(y#14@i*lE`s=UnPaKFRPKC76z;W@U<5aZ#@=J^Sblc<d zwN+tq>)pZfd0n4rlMH<>giRt1Pv|uK9dfk#&QN)Os+$HPs(cLi+vAbf!(JVi@?ULa zpO?Kj=9qui;2cBroH=veBCga&>cFyP%M=Zs^3|4>wqwF;+63yt>Cy+UR<-&V)aQqE zeQs0ll>QI#=h#O^MsgfvX=$nQz39_me?Tr=xUiLmQ_*p%F(E#*Nt<YsPN&bHfvFu{ zw|A=-`Gm7J+h9ATzrVkXkB^r)n<44frKhLMjEoGqYSk*G*Vyt=c89)Dd$f@EoEvDX z=nK&w<$8dL`n;offo%B+>y3hiYJT?gG1lt(oC958Y7bfC9`-7Fz}KIQYlZ*d!Go{C z(VjUoXU_ZzezY2g{QP`5VZsE7vqkcuhaQrMDal73c|_sE^*#Ab8aNklo}gSYa}7fp zXiq7JoD0dLS04<QyGn@vG5J>E!V^9Qbb&qw^_e#5@yr;af7<mI_WtfiD0DgH2eQ5f z>;7Rl2U7tZmUt#JGczT0Lh^dtxN*ww!Fd>EKZ!eW<rt9$Bl8~lP1)l*hrS)hg8D$6 zR{D%_;QVapGi{QmK5u_!1O31!3|^lKUU%JfkKjy?+6Q6Zx-LtcQIt57B(bL@2Mib> z;ae+QhzI>8&rBMOY|uf-_LwPCM%%QlZ?B&&U%1DD`PuDbaDFad8YZ9l$1M5pe{GS+ zjvjp%<9){a4>(IHSFT+7J<ce}6)RR8z4_*wWm;OA;yc!rN|s0i^@968#Eo>crG<MC zoQEm*^pU75+>h9b^(61nN8&s|TG~lq!H=JCyngHc58Hz7+ObEu_pZC{I!-)sZd7IJ zv_ZqbfdeJZuBmb0oI#nV?_<zGe2G70o^*0;KuCR{j!++rF(IT3(l;^Y9<IH)euljK zru|Rq7UdtZl!x<TyQ!y$h|48QmZ)(c4YaG+Tb6Ngaq2$DfHWAHG#Kk%t|{qbQ|^f; zA!UfP8S=&Z^r`4`!<PIVdr#NkoZ-V<L;N26Dfi5jCGIzqCgR3DXPmuL`WqG&CM_0= z#OV|@4t&l!1`ULUTp43x=n3_MxEqji#5Duuihdx+&e-1o{tUNuLq3zF>?i16g%Chr z@Ngyd`NbDsR5Xx3+&6@NC>jzI6Xp2v<CSb7Ca>@(ugP=LLcFO5v_HJhH3H>_zV=q= z0d;^n!FFkbf%|c^v(nes*Mf1+$G%e&kY>z>ah)?s%6~9qkp7RsSK_mG?_Pxu##X|& z;HhGz4;XI=c~dgLIf{H{d1hXd2HH{bl=lCrr=F5kRaI&ZtgfzB^|(g>J~hF%-G(`G z32=WI_wEDIjC-7E{H7Q2rT;_w4}DzCYw8;zapAbrE<jF|FM&9TvaQf{HNVl;P`)X1 z#GiUVz2ulsPB;eK&*F0<@iW`y7;!u}pM%~a;7z;9IN_Nlg}))Egq|`?8jMWbNEc;@ zx^Ulp_et0+$$8o{5jP{V4($wW5fkNyYa(XiPP#U1*uXtTJAO{-x8hD375;|*4}PyC z4TfDbXfbFYB)@5!Fn6nU0%eMGttWqpE3b(^$Hwp>7}ufPQ<lhc>JV&3F7Wt0xVPf( zDgU$)p5xKpn2;{+vEO>@trF*Qm3$jK_k=7*S)#1-KIZ`9Zp25hMq2*|a98-V4`cm{ zxo0)yl5-I0pbnBxv>&u}oR2)mguLCdWs7|L@yC@slix-r-IN{b4*e!xQ)bv6=K|Qw z68z-W@8vsjXHxqQp7SE{H!^83@~OszG~rCNny)BhtV7y}FJ)^hY$s_kaEE_d{5$2{ zjrEEDYX1lNrPjZgzgLnL@}JP4gV3OZkUXV*p)N3UY<Q33K-)<@<(SbHF_yp>6lo#f z(Z}zxGbb=U`IExmkbn3J{mCchQ;iAzd-^}5i*Y$-$`;}4ufMMBE_pzGrMwe=>H*}j z5Z(V#nen8c7x`)If5J|*?*EVm&YkpMX#Xe&oR2tnlE++glJ^`3`U1u{@R~NCww87b zYYG+D0L}kt+)0O$e^1$HE9b_wp|_rpvd(Lk;aE`S$!F3?S%(}QhmX*NvEsbSGZw#P zZX$lCOXr~g&mjC)X7<6e4?L&whm*8na@o3QQH$szkB2N;<iz)LTyBU@>iRziz4Z1p z9pc+B=nv@+LZdySeGj~CY#!HjI&}UKn5E+>-B8n^mkzt=u!j!)bQq$;EFDTW)CdEB zj~Us5{5#KSbwXA8x6G914t+(8^m1hEg3Dvbo{86tsI=V=M04#X_T`JUU=Zf~=%l2i ziSYNsvF9I(`$5R`xi3U+l~cC;akG>Q5$lP3-yLJ)UNB<{S0T1@EB1!p|4yNFDjZ1b z#hp8Mz7}h{dC=)*+B5i^M`3RdVlMa^c4-g%^L*@+-2ops9OZ`~_l3W4cot$DjFWLM z)Pnt6#=IFX-u=ClJFqK<?;|mNgYq4vOJKtb&}TF4Cv7CxOT>ZMh+*hH|8dyW?_qP_ zh24CP4KrrScq8LnjIVG{objRej!4-6+Rq@?>qk3{eT78qJxwJJ^qsi&<ormx&bf%T zn!YUk6h7l;rdtrJV$74VHpX~(et|J6#&;O^XN--hBjR!2k81#|LFZt-a0lmK&TCxf zvS0eq<cUtd@}1l*y8km?b~E;F8Si7PY?I6LX}g~p#PXB})j!vR^bwee12gSAGkL=K z>(GHcvgGcmDlWnOaHi>p5byfZ9XFi>92ocI83^v}Gv;f^Bjde{GmZd!?_`<u<D7!^ zYa;yIsl>y;h2u{jn7DBMd4BC|wWrOPGxy|;{)xlwz=3g3#?O^J0td$07~`QlGDgK% zC*y=SK}V44^)d0|JdS;rIr#qF9h{q)4IJomkSFx5tCoeSSRdmv+(%?$-^`4?GJedM zpQk+XEDK{ajP)_bM0p(aqN;k#=%0R&5ntrIN<Yo;-wa$>gZs+d3oO8XCS$(%E}dKs z9rMJ2@;J4PJmUPm(g~iWp**&U)A_M~#8VQnuQ1gU5B5ztCuCy0jWH6&3mK={@|g9s zF~cu^l5+lD#5{om&+||x7_((E=%-(?c=6&nSy@?k&<ABU@Zi1)dBMc}b;g<)<6x|e zaVEw$7$;+liLnjF$QWN*GQ*u8U6Cq@gOW$YU5(f`+w<(7Hh`JF4YMa6#D(L(?Y<Dn zc-K?FfqR<V8)uA#^2j(B<136csu-8v|I(Rb*p<==Lmo$h4@j-!Pu~o2h(vtvaw=^B z*ZcI(NjGsJ4+wV^q^h_f<5i5^GG@rw^9DU$NS$DOgt0;!VpIkX*qNt|X6zQJRsN}4 z_-^kU*#A4Ii?lmj7jSJyp3wG?A4i%#lyChbR>cXpKTUaL44-?`hE6cf#8@BWWLY{6 z>@0S#JC1)V`u^w#-f6W#e)KOXgVaO%{Dj1VnfzcT9^@0p;Z*6}m#bCGl(D*%z=847 zHtARPkNrRR;Dd=zKKbNS#)jyR6A$v7>uRp4xo=85$P3ydK4W71mgfKrooG)USx%R= z_JALKZ0uLe!G6nZ^5Nl!A69mcc9-)X?LTFK{GcqdZ{os4o%rUn-SW_9??Wfr$Rl)u z^2pR)$A<iKJ<fd&?&*@pTwg&K)q0D%Nt}%F@f;hD#cOL~rEC9gd3fLZC*%=2!T2@h z@rh+OvHN!Cf7n*~+kWgHv4~GYLg>{kQn6|Lrh<Infd|z3jyTaSQV)m+dBE`@Z@zEZ zBj3rpQ$Blls5%Q^$YcKEG4iQ@TIE;!;hdb1wUgK|YSgHq*za9TIuOU4JAL}}H}L&! zdFP#Xs(oObkyLvZ#@dHGCqKx4uJ0%d<OlI@o7g7G?SgE1&b24?&kMxGra<r2I*@Zc z<1&mb!OxO7_pRtQ)?dVfnfxFgZO4ZAao(cs;JOseUxQ5l?o`Q-Yf$(fUow`+xCFju zD!Knk9OliNr}$2Lz<H2u8#2JYXcr7!#XQl1xXdibayon@{EC*~nWxjOsr<+*@IEIc zCFOO-c(_N8FZ@f61><X&msLOX2grB!&rF|;KAHhBSN#Nj-i5X{AYO3@eRC;rx}@Zf zI>@%@+mYYg%cTr*FP(7>>Id;O_O3Vvv<s|9T*wRBZQ4xYxpnK-htYBO({+yLO8*hR zO~m);rm}Cg$#EtQ_?-ZW-xZKI+;D@!jW{r~40V9zC^z(zXfJp!5qsfzXqRh+GfB$+ z(*EEa{T*y?FZSd)=hNmewt(L(P%&oe1@U7dAB;U-`pb-|&~FC~>(J?$_D%d$|Asu1 zugt`Qnf-A-!fzxf+rYD`q@6Oy@glEDH*GTZUW$KX->QH116!l)e|vZsJ}|y>An|=i zwO35Pkb6#)$3M`w>Ywx)^DkwI^s-H6+C1tUb(?fj#&~{*XD{%*0A(M3C*ACu$&d86 z<+~^UIR?zMy|jHCXZ$7v<?j&o!|q2L+&}rfiQhHx`JI{ibvpajAzm$h_|C4@`h8tL z8+d`NA&WD}EN9g5Llx!_+%s|(J~K;OJHNqV`_=b$&7z}(vs!Gs-2{0I+puB7Cd6ot z!A5<9b0L2(E-pUF?jQzm7;VfgD=Sm?QKnNtK|vJuvtO#LtW@J^%wZg7*!1^3J7YWz z=byRH`ZL;aLjI0W54kp`yjEciG6{Yi&ozc%ZS@4!fk@97ZLln5nm(N2&loyITNaOX z6W2`KL)Znk=4zblL^Awi!T16DqOQ>{F;iYymnjj;6Rv@ual2&dp8oGB;1=2@>Jf3J z??BmZc%e|Pnd|lqXXxuUt{=I6<ywJjl_0E@)&eiaTDc}C?v#J_Te>Vt`8eNW4fX_Z zW*c0KbM3{w2(J6M?hMAdlY7+ksfai278BPnTthwm&v}w<c&4vlV!5ZoeFU!A$Ulw~ z=OFq)OwZpNq5LhbKe+bb+K0X_*Bce<?w4$X>+ne6!STay&!{*zZ5a9Bd^JyQv5i#g zN&4>e+qrJw+G%OhSk=d*y;3@`uEqDfWmZ;}IwQik8po3IV(?!T#=nMbHOlW_inWiP zNbF|v5A%YuTa3x^`~d43GPiNrDEX!HUByqXq3%gl{U0&phq6aoPrJjh#CO*fPid<; zmY=+wFP~a5R-NZwpE*vx^;`+N-)z*!cUP3JM*Bs%q1~p>#qpp$^~8mrIhPxC30dA4 zfAY@oyY^z9WdEFxxK3c(w9A<Lvpnn5P7`moLtfyy(kIT@+)rX%uCqCJBNlT~UAD8V zOGT&;vhdQg0PH9mWmulM2g_>M$TXYzJEon~FR$VE5b@ShUh#L=@QZ+Emho1<y5@yv z?koQ0S||LX5wFbZ7uP!LC2@r^XXz!)>etq~h!G)~v(wBA@qR13LvE!1kSl}y%}H}+ z%$<o>{*CmXGI`A4V1ILZ23|Iom^OD#(n$ZsN$LI}qt5L*A~8KZY4-HA#bz`xCw-*< zg86fXr_V@9nw^+Fcy{WH`E%3fCT9$uF?aUx#Pr!$E*#=-#`_9Wlatajrh4{<rp)FM z8S@vUtJfmxt@S-kYeW00dZ?M6G-CnY`?grW#+~^|^A@0&q?xhvQy1dZTC<YUTOWEp zj>tq+zB+Gw(!!)Pa~l7T^iNEWnzL~3ok{ck%?naPXUxD`;70l<C#Iz*`I`e<+Zhqq zaW5kRPr_+LU@LK`J|fWI8!kKr?$6I>#(@TC0OY?mzdqlIH)6Q*@k`qUz6IujfP&b9 zxPpWNYk{pGr@&rNQ&3mXP~a?Z6^KHgLUUnIp`|dkFrm;|Xe-Pqv=`PC))h7sItyKe zqR6MnTohDfDT*yhD6$sWigJqVMKwirMGZyHB3F?p_9-?O2Nhe2V~Z1tt;M$DoML-% zO>tduL$R|MKVnhhQ(`U&DzTKrmL!x|OKc@MCH9h<lDd+H5@(641d8V{JAxb*N30{k zVRhIXIS#v{#!=^Ja5x<<hbZ+aHJ1jJT1sO}6H2Y6w$hwZdudH+U1>w9v(!~8%6!Vq zWkF?@ve>eOGO)>scX$Kv%379LW-H4s%PGq(vzIx_YRl@%>dP9+8q1tzO=Ye!?{eSr zfbyX7;BrfOWO-dheMLh>V}-M#slrv!Tp=pGD}5?`E6tSwl|hxkm6poL%Gk=dN;K}m z@6!U*mDiUylsA?;%bUtw<;~@y!n?w!!neX)5l|6S5nN%fa8%S()K;8n%L$b!mDbA4 zN?T=iWlm*orM=QoSyNeCSyx$K*-+V7>8xz3bXAHf?<$`v-zsxeKvhsxaFwMhvMRPJ zt}3A_rOH~BS!JuruF9#(t+H1+s%olgtLm!is~V~rtDIF$Rj#V$DpBoS?NjYrZLSWe z4yq2Wwp2$}$5zKxgCJN={4}k|EXXd%EpQan7StCs7Bm$!7kC%?76uds7e*Gw6{Zws z7G@Xb7CH)R3+oFT3!4g?3%!ecivo&*iz18Sic*R)i?WMyiyTF@MfF9EMNLJ`Mc&1} z#R0{^#gWBv#VN&^#o5KV#g5|I;`-vo;-=!}V(${)l7N!nlE{*{l9ZCnlI)V)5=TjG zNqtFUNmEI4iMPYo5#R`RL^|ReDUM7>wj&o#Tdkws(dcM$G&{UYeM<vMgG(bz<4RLX zGfT5eb4wkiwWal?jipVc&86ODzGVSr!DW$Uab+oxifl*(<)I$3&{Wo}OF}TDAg(;6 zJhMEzJh$9YUW@T<#Mm~Mdt+1sFrtwaaTO^QnHAX;xft78NK7N7rMbczauNU;iG+Nl zU<9)<dJc?SJw~mmvboY5;}w9hio`gjV2rXcJ`RjcJ;tR8W8#hR2*6lGVjNPcGpn<! zbE_TIwbk|2jnz%n%^Vva{C+Tix82tsU=OxO+T-jg_Dp-WJ=gBA*V^mtjrJycv)wz- zH!mPBI4?3UE-xi7GcP+YH_wq*2l;U-+3|tg1VLtEAum?QN)F_t1~SqB`EWrtd>|J= zkcrspglcQGtvaXLUR_gNSKUzUtacF(Gw^_n2)mEnY!9+q?6LL)yVY*9=fM50vDeuf z>`uGOF7kZx%y~h1mb}=!ggk4WEiWg}o>!Asm)DTz%yZ?5e4l)Ceo($8KQ=!h-<ogB z&&jvv*W}mbH^6qeV7Gi=w}J{Ruv`iM&)Y34>{JeHR1GXt1FVy)OqBbSn_-(Q<+0@n z<<@drc}}^#yr#Sk7RL!|BP{s6Z45&$>R8M1!HVBm2FL~%oASM3@goaTpv5)N;yP%s mD2#<}BtSc?&<`6lBuD8;4YZ^VdeQ(*ah9TiKhytO4*VaLUC_h; literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/pip/_vendor/distlib/t64.exe b/venv/Lib/site-packages/pip/_vendor/distlib/t64.exe new file mode 100644 index 0000000000000000000000000000000000000000..325b8057c08cf7113d4fd889991fa5638d443793 GIT binary patch literal 105984 zcmeFadwf*owfH^BWXJ#sdr(FK3XTvIjhE0=O&rh+%*Y;@2r6h)P&62^qEeU<tSE^) zX*2B3DLtpQ_F`*q=h)Mp)5|$W0=AkEAc<VX8;VuD?{QEOH3`@K`>totB*9DH^Zx#M z|9Sc7?EO6ZxvpnD>sf0(YpvAWu-4^vxm*SOZ`&?cD^K}Xt$zRUkHzN^r*9bH`tPCJ z&uGnyZ9ik~;yacHmM**J_GP!+6{x%A?z``a2X4JBuq<(R;EuZk;n~*&?z(5uZRZyk z4=c?!{p(8>-uvE-BPQkkkNbZ(>0Q!CxBPa}7WMqir0=We+DRYs{BYu<liuX{-i_L% z^(z0dZ22E#pZ}tsSKm>$SlZ0ZU{1v4TJ-H9t_RLKHb0klz%{`&Jb#$WwV#~-baJ~c z;^|ZG)p_!e_k5SjBR~AhJzYN104>p+5B#bdbCt4nDd{wldq~}Ej=Z`aJ3r4gRlVf7 zelv%cwRx`7hD%27U%qPz11NWspUe7RJ@Z_x&QQO!^!f4IR>t}A;rsl^fMo8n_=Elh zT&{)ZFI#j={1%tXx>!CikV+m0<bB{@HE43aQ_R&w!X*$J#d9*xLI0{<uD0`+ItA4n znX9Xa0#m<GuKN6C%a_&hNx|eXzF$p3|FUwoExCt+R|xXT+Q=M!@`ZBK<?H|d@2eru z+?}{9X1*FtUgN7t&M2u#&I;&_`*klsH$DGWk>}DYHtETx(sFWQ<}(`v&e7D2l5lFe zt*2t8<$5w)8nAvF097haqD(4GUP@o6r~Lbh@?4f(>~gJ_b+P?xKXSRYb!^-A6@Ah& zeO3(WlbnChXX8Tp+%)pUKK~$n&KT3*=V{qK_2m3gubzyT`mWQB{Q=YSU(=bJd000; zuGkwhyJM;8N42MRMa^!j`DE#~OK)zAk25`{Dz_sP%!_K_m!o!jw2Z>xs-u}*x*0F6 z)XfgvoX?z%O@W&`w)OW@q9<3C2Iht4hUSH?4PB?3`{}njW~O5)&shu-_$<9z9yOJb zinn9Q+bXSv?1_-Mt+|bFMHJC~&~EKIZri#^8Q_{<vD@+iXh~c5Ko#UAR(Bwjdg>^} zn(dILAB|MBnJ-!C(`61)ZB=RBQw6|3WWE$Nw};IwmZyXzG`H*KF6&*@`W~6;>5OEb z^fF35%=;a!*V)msW4ilD`a3M&laPx7bF1}J&FPm;AqYpB8Qp<_e!rRRH*9u9&6jj@ zhxMb;QhtXtx{}_QAG5o1I5TIS<{s_gc5DAJ=1A|l`CO<~=!f;<<Ene9S9Y8cST%q~ zO~Z^FP~fO&b4T{;Wqr)`*m!5IF>?!jGBax;eL5W#I~_?c-=>$4wl3nT4|+}_JK?D@ z-^tWVYpEY8`0ZvM&jUZ}_g`r7*;8^YJ~?dg(5KMom8tn<c1`f_%f@Q!Jgt1L4^_G2 z!)nT2Cv*A1jJw8sOD);TGXz)XmsUs3O;Pj4@~F9-*ZcLT`Bv!W&`qHQq4^8g9u5x8 zyH*gjyaM=soVxCO!KQ`QKXX{=sq<zE;;?4th1Sb{WXQVtVnw%<nXD(5lm=}7*P-jp zZCX<k;Cx!PU*-W2Z@dgXHMexJY~5Px2=mlUNtz_hJ=SaN;O4!Ft5rHv>NFoSzu5c> z8EHN-wnFwo=|YzDxuI;lTV=7y-;(jDPE|YBS{XHaWKQqv`l)UD#LeuL@|$lOm}~#O ztk%s}bn}qyPtm?^OmuZZP2@CtN~WL&(iJne>gG%A<jKaO(g0+oo3iE}dM&d3|G~S_ zH$)4+CY!U?*_(6duUht|v41kO=OnXu$n|-y=I*$+Vz=%88dX}Qc}h+0kp1fuK$gtY zQ-3IJ=mj+!_csic8F+rgp{?j)^HN114^`~0=(hcnX(5)1><g`5E6tdDbYL=P19eDj zRRq%Zf5L&wl8tO!RXRtCB?=W)%;d9fDgUEhp!fD++it8m;3^;7T&@}0e+Mm4^q(ne zc3JBvT(Mi$aVfNTvGwblpm{yEZ3D8Ui|N4jKcXtkYtt$I1KH^*f5NH!Eh?}7jKa2m zxl^c13f<!rTIv*<Cxt#$g|2i8LGik*E1W`iI)%z9q^F91N#+ItVrS$J!Y$bTGO7r& z*T#UTE)ZE75flxVR_iQWCE#9ETJGX!vV*`cRdh4-fHY$Jo6`!vBDQ}oZ%$E2#8L+% z!)9B>?r<_D*d8kltQSVc_TNXz7-g7dPhlR|(pk}Mop#8!&9Gqj+|pWBBk37-T^@zQ z(kxiN(Dr{n`&w%}13XU6rDUJXVIGoB`H#{flMhLAG0E?+ILxwpRrVZ66E7{f4tjsB z95A~1KD9oimcr-rKoQ7%=qd1q97S=%+PYcZdeE?}-Z(TNJ}G3rXsze$0h7m2_b*a6 zHOp)J4+!*Coy0c1d2f7p)D3#~rgutPDgTct7-|)MN;h{}bwhKM>X+m<w*dw@M_T%1 zomP}+>qbbIBc-z#ohc-wN4G;S|A#u%u&$Tl#+LkS@ggZc&KaAfo3GV}tImv%(bf%@ ze2<eqOgB36`7kl@UiQO&p(br{Z+$p9Q9jCX5IB-M10It3sqt}w2!Vcwy;g5rHX(6# zy%C(?j3-4QhA%_fBA;_D8J+nuJZAr2lnAwQD5=@s27Ku<P;aarKOsJ5prQYkh8|W8 zJwQW@P{5#I9&v^_MjFp(%t%|;WtBUbMKW$}ox2_oy`v`=&<XTgH<y6Y<`$tbLR<n6 z@A)^w2f!-T!euN48CI4Ioc*cCE5RG+$YX^vOwa6da&%<v5W(El??R*}FopW6%D5*r z`*@~MTenj;+6uIF&&r<r2~@tKC!DJH3UwVCOP#lvGd(jgmRg*jIXPrLFGGF+R*1Qe zh#H&oor8|DZvi6j6#^n*0)$%KN@w*|(>{rU(7WQab)m&;W;icz@S+><1J=}1`0Dyl z^6S@b@w8Osx#n0Cff~ng%D-WVTDR=kT@K07Q-(CIo5zLR1@|l;-B48=*BYvZ#fRy3 zyB_RX_F=}&KA=AQLdyR=nvfO$1QJx;a<L+pWk+IW2QyipKIU?T&7IJK$*NW1FKz!{ z-+{>QP^?j-44|%08u$wh)F<Ps=IHP_bLy*DjyNdJB0g{34N(9bLv?VazUtzH1#V4L zGgvC!vnS%zmIYVPyUZ!hf_Jjug=)d6afYgKcecj#!8MA%q=pa;&|{|%gKFz_kX_ZU zmmv$T?~_p<g{a2NRi)MDjv57z71BH(-r~cP3YAmEdzrlAqMo<bdSoVvRUF{cbQ(&f z76R@K0v&5A%v?6Z_U~kAQ`ejf|1r08eBzuaheIHB!-v+59HD9)mr{pu)PSg_0^m34 zu|9dRUe}?g9+p;Vs{v%INfm@`|95CFminz^RJ28nZaZoogF{Zu$*({7$Ea!Rz0bx{ zA#%G_`Y37L?vA<Jb2-O9mqRj|n(r+HPpl0L3S4;7qlUzIs<nr=Kp|fH1n59eD`UX0 zJeDecmJ;9w+#!IC36B#?a`IbM!vyDcT2W|~I@_)LkMj0q|LW_t(}feFLa_MRGhzNl z>h0~m`rdZiPUL^mp|^MY(%X?56z?@a%I66Srb}-TbDtwEL@GWAnVa?IZtdYV7G<>c zt%;m^F8D*2Rmf{aTe^{VRc5y;6MvNigz+3FwZmEqlPvTc%$_6rx!Af$wZT%lGEY<T z{KN!nVt=y$$sz8nru7H1*RHK-%bbpg5|MROT=oJb4fF|IZx|x2cM756z>CA2!EFg| z2?w-oTlF<^Iz>%z@fqEGnRz7q);eg<lQM&3i8X_Fvjg6*wSf%Sb`gn`oRD-g*mwbb z7h26y3R<x#aAU`|%+UJa#`s9xXlLi-$<FzRj6{KMws%yt!FLH=oC8#KZ!B3|5=-iV zYZP}IfF{7Z=3wc!&ZpTdET23BPOi(&%#s3GK)$Z0*x}Yb@NuoIyc=Mcdt&Ae#R1P1 zn!M9GESU%iF9C}u1X_|AVGBX88Sl+EF=EbbsQ<+Z7BRD3H;d<AlIId`@DFdOy*AqV zHT|<lw*LllAi=Xp0|95oIXJ?-RI@|iX{?>+JB!NfPpu*&?za|76M$^EbuDkO4b@4n zh>It-!76MCl~8bZVzqVsRH`Ir_;hn^n}9!gvTnAts<&BQJ?K9M2O2-cZ0I7Z+4D5# zNWyDPy+levU_JkNHk+wxhBtnyZqD$TEvi`YBT{Ur6`7*iW(YHUJ*tKL#3)0R$=@=g zB#%SKm;Z^jI&bh8`_Ht+tlv_E+LeLOTu`VQZYFA4&YlRFn`%VZct!>aMvb*@3-mAK zL9o3QE^>AH_v-WR_#48tf`iXmhhZCIAZj2|RW~YenO@ebtvl_~dgDlF*)V=@SW!@K zbOeMP8+|IPPi3_Qgi7o7_IPzY{7|qyxF^0P^L3aNp}zs^BcRABpc2};J=W_2Rbdyh zwT4M8kJQ@6!Ktn5C~FT_!jr~}ge5FDekpJ}rbHGw>a*JjioKY%s}9WvfdIke3O3R1 znE7&*=kiJ*yaE`+zm=Uolg=XYL4+(df9fJ%G&BEL*()=&bwww`_o-POQnP9gaB81a zZyZ*6hgIIjK-AcnAGN#UjJaFJ{7ih4wr-=guDh%Y#FZvttF3v$l&khn)N{xdHxBJv zvC0w0n!9x^atL(4>tdn0-HCwp-gKBihUl^$sOHU<w+?}qS*%k?xM;S;qpwNM0ijms zR(al=1{RJGV)GfbnRRjI_tr8R=~QYx>-PRvn54`})=o-USNCU%xGEYGr9P1@Dez2r zzBw+>)#1=5)ARO%JlB(=3!ulsR#EU}Ji!hv)}hyRZGg#hB|YsFv5rO<Skm)wjXFgV zrKvgK_txaN-^j<;osTQC9}8Q@QZaL{lDORTrYA?`>BdHMH|<{C-U_c^dS+2L^R5t- zl>f+Sd9FxGcSp^xSjzt~Y!rl3Z}0OMZ=4=A3pVO^cGt$tQF&40unkvk96lcR)Uc0- zbmp@jcGPZ@)}wZJ;%~I4w!Pqu6^y!E4bv80l;?8AJ=XTi6|{H97!XUCz6Gu!OQ&V| zQpL3lLl3^Z>{5XA>gn>nXT{g#IBfm>zpH=e=w;99z3=Poham#b=<VstQn8UfYyTB& zgAI3<XxXk)vy_(VM%|wD!mFHh4y+NmjYFdzIN50TSsOlI<BI+ozm^)ZPX6vwWeCqK zyO813sNr<2I9uEBP5LQ&X3&^=)1Mnq`bOprtjig|e43MPi?t2QN;LXTUn(C{bZAey z%;`(^Q&Hu}IBV0+7D#*=?cJjk2<;u)s^^JbO$d>mS|VD=1^l0=)RPZXqf66S$oI!H z%!<u=GJ@pQQzNwMVD`j2#oB!8z=?Mi@9BG33#+1rAq2N98-gfMk$EL*MqH*oihVaX z1oHzAvO#3qu;?CyISE+5ioqb&?E^<IvzAGd=Llw&SoOS{t~Bcg9daw;Rm|@VD<EWT zfqFSdl&n;d*ayGx8I_{uwrKFv<tIze)>+cj1ai|0K%?fi2X7ZifBHVX_ha4Y%U@PI z3j*rX8xOfS30F+fQz)*2?JI`qtp`M0N4(LEeFv<^7@c0WPk7^U81MMmorT-Bu>nrD zUIfM9xa4rsI$eMNyDUqmF9V_<r(nWo{g$2LZ07U@v?q|rf&hSIp|D8AZ*-j2&t@qi za1yivJ(Q4ze?{qQ?#UEc3uq?`6g@TjKx38kmGD>(z_STUSHlu*w{909!ej+aR?uVx zO;#{<n@@CNXo-|gRkUH%@C%|La*mH()|0d%r*FXF4XyXk#x<-$xA0|z9Lf!$VPmKN zz>Ls&D_ys-zY=x!<Y;onfv8buxhxan!hWd~nglHkpoi<%;leqI0@wUl)DDZ;YBlDe z8et3%>dCpKO9fxY)_^Yln&zIwS=K@r%IqQV0lb|<_EySf%&GfC38tHWEp1?}Wraqt z&M-aE-cMt}u6xhcjpKIQhhDQ{x2QGSWIauhq2j+DRIqQw!%;N&+8<x<omqm~m@=98 zkgz$sG&2N!2~vuvN*1Cy(3)!boGlgF02o%sZ;I8e@J5<@;&ZeXQNBcjABMH*pGC|a zv0%6Mo%b18%!FY_4rR{P+t<?E*(<yub4v{Ry;v`^^gKR`8j7EVG4}zztSkLXRgLcv zvppKLmMx9|mH^WTzJD)DgN+gMV5s-w3<P&`*!(QodmvnPFf&YEgYQSQnFncJF!~<F z-_vCz+g;Rr5nk-nd4h0`a?|Lu<99-p%dGUhOh_s;0Vm1k+-6w9>75m7Q2>Euh}v6_ zQ4~aE4=<Lbq|68D*VPdUz>E6<J{!cgeu7T3lbb?z<AoG4W|su?vcCg=RNTFvrYAdj zzRdekvok%Gl*8{1=mBEMg@KTgB%<cWiVhu)nQsWPEEHt9Q4T{{ox}uP&XHj;b0doW z=OD$_c-6OX=GO1|&0HXx>kV`XYZY$7`PLwdh|+tTbtT9zdzup0iBit&M7P)`jaSP_ z3rR#oj+u*KXOuvo^q~k@uwpfwZ{|iF{g+iOFm%xWEBJQB{!JFny@%#=ynBhYi~(k` z-S#WqJ^eZZmohmyD3)4;68j7pf6vU4YOVR(6p$6GpX;pHIY!^{_$0k<mpaA{d60PT zpONP>-aK8ub9ZgjJ*tc2a7-yD^hjQOynvV#x|Tvc(<@geCds;wl~(*P3J4(C(^^jI zsJp1GCsf%GKiS&C0JCGgM#j3sX2YH%Bl#1vF!$7$LMXC2!=2VvhL;m5>R6JsQu3gX zFcB#xBU&k;q8?a!l}rJ@CzSt{`e0W=1g1!<92}&U`#70=XCdyd>(<s4=$SK>0xkwc z;~<+`S{^prZU4*{fLk{R;?dUeL0i|Zt=l?LxIGcK6z>_S*jr=nLWl#85~HopV3o2H zdWctu-1h~vFq>}+n|EQ<M03=gI4|=8Y<GR6YD~N&BC=XIh{6aaB_CyEetm?t_9K6e zg?<hQbKDfQXUaZbFYn9hB~(3H7?aqU5xw6SX@{L0O%97{VG(^MXXQcJAA@Cz>~S8* z9?>P%gn=pj5e*|`F?|C-v@W@t#Qk15cONJ)>b!_;=nBz+=UKPkB<s}NwsN<5O-b)Y zG}Nxdu(IV|b4waN#bpLTm9h|euaC;^^!03X$EV7%i*(x0(zOYq^n|_M1`r52DKo60 za#$kY-mJsR1>MU&22V~kH>Y<2-KO0uKekpeGzakM8`wHM8}qcLKk`vVm?*6HApI*6 zW%v7P%>6ayr|$c`(e~q>knzsxv&@16HFthc8|n#r=xtSQ7WvjM7r0!(Es2RrgxjgR zyK;l*RD)<=_Hplw5?26nFasntUu5>yUDSahw!8@aQQUH{Z^g)-871EMa48I%VD`n` z=KZDcY-d;Jxvrph)pJ2S-|j5yO@%LHD-EbNMXw3H5K<w^O|%Eu^AITzBv*H+tkfU^ z;J3bs$~23E$5BO!@IKc1IvO*!%T}w9kvY^!E*>2HM5Q#3-n3t4aV}ouymjtN=LnYX z<II&KHdV7H%uy|8;UW0FUDlt3y@y>Xv3lq)+qL0zo&GoAUeo+`+@o{0z1A7Arjr4S zxR3vLMH|r+*_Yirv@^1Ym(`iV8L5KOWCUG8jUF>2?8Ta0(AALrf^bPa@%bQC)UMgH z5_vqbtEEJKWi^tKU71mOYThnnu*Mlo8uD|7e3Y^UEhQOW_T!@L#{$T*R<&SH{q*Gg z`s3Q89jO_|<(gy;7lMey%O`Uo$i?7Wxy!&TYzE&isG|fmRMbpIg(}I783&2h^s$<9 zTf#3}eT<OZ=GVxA7|1Cuq`GN`dfBZtZRRB!+;#69YXb~IEOmJv1oZ;2$YgHe(v>lD zyXdE&^IY7Bl1bFC*41*@^&L+vwVJ49R8G*Eze_{by`+*Q=>~cK2Jf`>)_h?cxNv4i ztM*vtFSI9O5>#Tz&BvwHvBK}Lnv<Qj6JNK+^A=79GUqh6-FG$xFOXv6tU|J#BRMnN zI*h_JyY}DV6|@sXo-;^rAFTg^i>#CZEp$eM0w>_Ie#9_9#T?HEW$K4F<pXA@BxLp} z>EUq$=D4N5N5S!L82dh|_#jCcqc0CN%Xm@x9)k@6>3?3u_{|$jB29bm8x}I&IvP&i zSdtkV>gmXfkK)%G9}&_vyftiDVdsoe5pt!{^++LMvr}<84_~iv3f1W5R76dzTqed8 z&@Vf?$Kg}ims~#$Y|fCmM+SVNdTr;3eo)QlRYrdvnvh|}k-WIaIFg_EyVdkD`xU*j z@bNpX4`tKtk+*__yuqu^|B}9eSI(}&nD)#xD6MXetK*R4>RM|uKnme*D)g#xmy#Jz zSV!(4E9seY1~U4(#X`C68*06KySyZ@lo)rG)Ma3^Wb0in*GB)rN5$L>2aV$u)}xXR zcHTQiH;307Q}3IW&>ZQ*`lw!-i4Q@-@@97GrkmS^mH9bV2<VB;h9Wy(&8I1zUQ9#Q z7YauICdiRrv6tyL_c&VLldUEsoSe$k$9v{pJvm-DbGM#6-Ryw!INIJ9g*AH#Fvbu- z8P{yN&Uu|N#!%vm3S1;V>pwFfU~-74S4LT9(_B`OGM-lxgn`S8n$JsBSX+V8DXObj z@+@bB`Dg%9+WHk&h(3sOL9V8)-NO~L^3^P0RtFHNK#$cepdBGR!%$%=#<AZ<T0biq znCE2PbLz`zSr^(W7i6pe^+#JiT3<-5{Y)ZF0|{S!gt}tSqQuzDMtGpk0XZ&U>;#vU z@_CeX38k|8x0B%x@624@6Dl#{mskrgl11NY_F20HVb~g%!W07p+rb$R&14|RvnI>P zhgp-~mu*}(*=5v~xSSJ4sV|g%i8JQJvx~}uj;~SHU+6qLj>~w3PM^s*s^de9TS{D+ z1J*Y_%${Tya$-0q*+*n$*eJ3o9F%hI50vFbYt0RE(dPLHx5{YE_hu^fI!`wVh~u~A z;cjoN6tl#{TkD5|2=!HZNn%gMUZb^%H6C&A(5grJc+np2VCdD>Xe3BhWr8s+fMO#b zz0r9WpszcPB38$_InCYBvq>&FD_8V0lw49YUy4FBUDhN0MPHjtvilwo#H!;ndvMr# z^bRiT42szPt<M1Rr047C#jQWyt==D@HS70xWy>NbyR6U3q|I++vxZ96n`9}b)>_D5 zK#M|FY&)4T({t%WG>S>jWju7#AK+mYpTe&-?OlPXoH0-esjx^IUcpahwAp8@Dy>G* zP4@NVY_sm+cdfI)I)E={fuYlrtvi_w>B;GP*>FM^VO6+wZDCjd{re1``+S*~=~*S( zA^NKoJ|D(=p~#B0)(dSiQ@NL+&pEDmNar51lKM0dMuy@O)@`Wwo#P|rnM$Mb9*9vN z@ro8jY*@(VGiWO_K{uO9)c}$nuk@M9CXF`8rsrX)ZhAgct$1!0MIYtYN`FbuLUKDj z7m+!%z}432Dd!F1Diw;6^QGIxybsO3FSY#_b&F#3G0HhBFam(co$o2+1A&{j%F5=E zFs6NrLU6}Uxp!G$+h5Yft)g@Vp|SnDN$HK7WbE*M%0}=;Z!~#lNi?}UAohZT^&-_Z z=6&88bBY-%h?@6R)|B<um~X_efiTmL*K5rm&`7lIn|d@ks|z#3U8seF7i&hN92IWh zKfklcoY5Bx9?%|ooTBE8qw;S2jCbSy0+-hG&+-<`i;od{j*32Nz7TbH+Pj43P4ex* zc;f@Ey5)E6OH9^{Y4@VIcE!gtW6^V4k1#v%aKr`&c-w9NwPc&K3PQ^6N42%nddMrZ zn58wZDTvjfm;$_TWAfvEDJBG1aYO;^F*?CbgW{+Xj1Hg7WF2EjS3wwHw*JI>jTs75 zd;pVHQ`Y%-AResPT{Ze%6sEJiW{A19Eh{whc-&iLBX+m@f}@w0WZpppcek0bP9N;s z5OYaqQN|sH#{+JdTm&y(K2Nu~seG$IcfW4VKtpt3S(O8|<x?WfAH+T3U|D>Myaew& z8lP+gT`+;*;!2piKj(#*jvfZGHSW%ky(>5LW&fjKkTpvao3uNtVM7PoqzU<SXt(f1 z@EB-52d{m(dEt2OolvsEkw#JvI(Mb7z_p`9ikL4(l)cC$iJXB*Fy4bw)PcRxcT2q7 z=vx+_X!Na!kG9Sm(ocjpcoge81Jd|(o|~;y95RoGh9AgypB~CW8aueo>BtY6yBzZj zt*L`tc;2Q@fj`$e#-VFg-xvQzsBEX!^ekCMdU$-M-5tNwNSDOVGSb81V~j%uiSI^) zPyROwM9f{rPG9=BQhmcmg=xXQ>Yh&26oO&K&g%3URccRW71{ZTdyV&w8}A-9cIImv zJ}k^ErJ=;FG!hzaXX=df-1uxGJt97pF3*v^M;nKRXw756k={;M8+-2}dKr<aLNk^q zi<n*7hMp0bGD(e7sSihF#$`(uQBuoj+J^UvmU}Qz$rO-*sGT!S(V7crHX;hXrx;?U zKt3Ub18MfaeV}Wo6$nB&p0ifRWix2a-&Z_u$B@B=F_)R9HLq~K^f%zIRt>NmG_cjm ze@9f(YBh&3jFU1~awl+}D#DgfMP7fqzle__BQs?bnV^akW{dn)715f9Ih~E5nD2z4 zgsUpFX2&uVy<-Fk-|S?kiiubQ3vC(8oq4>B+ROHQb_yFBa+pk%BqOJVlL>B`6O3gu z4<G*{$B2>*)_JLLfGg$H=vTrH!tX2}TVAm@H7n2h{S;yRY*BItr(Hb*txambjK8iI zvO7Txm5r$fTybnj3l8*Dml%n8z11bI2G%x~nt9CV^R4iuX8WvF<!Y!+LKryq(q9uQ zKk6V{^|v_oV&=G)$l*Te6KO+K*Sq-iI-fEgZlE)(?9TLkOmclK^)2%pX`~C|T*mNo zX)0NSh}s=TENm~|@R%l){MrubF)^M?y!%yeMTe|mZ>YZRl)jA8Bd$y-4J>fJ_DNma z|MW&VrN`+~#60bYuu;N>k89+GS&6a*{>sPCM0tVHnsu7(oFEOb5OQw}n5!LiWA<E5 z7N^H@uP2<TBcsfNcIc@;l=|cjqH+HL@QQ&<6*CYqHE)*NeI;(0FB^w!n3w2cx?WVe zloKpg8b?pk`U3&PUoI3TdOi!9iXdgzu*_m;2${n=FQR7hThRc?=?+N~g`U;ZN}8kK z;;acG)UjGxT_~&q2Rkf)Sbme3EG^cE;R5<m4)Z6dnK?~2o4qpLWV6$9F7>!tS(So1 zE(KxYdNR^r`+wUm2e8>^`~QVE=|H#r4ZN~CK2#S)#t|C^X{)v9c0QXanY>=H&6@Xj z7Ay6$Qh^Sd0nVZ2N-Hq`X1Nc6*Kx?_hS8kXp_HCy{fvFYy0>wHOP*i|j1YHe!|7}= z{dN{Xai|>5AjlPCunsd{jtWbA5dMhrVRLKlE@!)d>x`JNG%@Zt0yby2TH+<5QFhGV z;J^As>VS0<15r9kc;ZE+0nUYfabyLb7?#M{*!A4v#^j<6y<#|3?F|l#m)UJm_b#LF zyk!Sdp%09{kt>F@BLBEL8r#EEY(+E6l_3K2<!v4MBOx=~UXbPce!(r1$WBAiZY{^e zNeD@sPXK_%5x#Kspzqh^zK>Ghv-iy}TQ?3WQ_)|ByS(Xq;P&@a@&pzIvD6$N3l?NZ zp(JOJqmu>1gZ>S&H)`C!hc&IKXshAcSuBZS!dF<!o?yt0o8+62AO2yY6edsctU$UX zOgUe)vpwMXmoXV{w#?dr!cBm~shrgjtt#~?-FyJi${ICINlJfHtdG|8BZ^v&>=W>} zm2-crw9+SA-*$2qO3n(!2-u!~ADQPuX9!d2O4P+tlfE{ZiP!Z-jj2ani86JcWDPkJ zv`iKp6`+^ssTl!fvyyZx&!gmw(&P+pW=zy9Ix1=nA4mEOuRQeREYNRw<E)Z=v~;S! zL4r9KcLGhNYQ#q*{xzja@10(vs+zCF*?!MhvnIP-&?6hs%cv{Oks_f<Y9Ry`C4=wm zpfmxLeNY;;w@lA&cxZ>x?BYy>`$rH3=qvT)yaqP?+Nim!#{5|BMdq*q@vym%$9yH6 z$dU+wS<3&l*0fh`+gio(gY?X9ZxtoSxz?RzWW~rn`bAG4u3YeVe7J5#9y1>6VjYg5 zcS(;QCZsmfAlE=!QN>RVnFqrxdv(M-9Kxz3Iqy%X<3G@v-W&?t%muBA`g5HJI}}b` z-z7443=)GzqUC9dAdGLW50!P)b8F`3&@bKT<Y`aEy!(tdv<wEm&**g<^*YSW<r>A4 zPYLa*QTgqM3+Q)=`Hb*Rr+PU)&=XFiNqO$brqO1rbba<YHv8;@U!z>}+1VkiU&I81 z?b`Rej8khW1;SYFXiZzdCZlhL)}*VKh}QJq>Sd<Z^n3Mkjn>pcRim#~Yr31dT$aNz z_1&U1{ZM_c)0&`DE~R*nnnR+-7EX8}Kfo`jo7^UFP<`#`^JoK&+S|jImuOFm_dqR` zTt6<`_-tR;>`Tiw2y0JQ3Z!e(Nm6K=?kEN!*wMEvg$EQxNMGizQ12%3cuKe<!{0&@ z408iMo=Y8jwH9V4Wc!XZy`?oN8K!wJ%cg7LapP25pETPKo*Aw@C4PqX1SU!I)>^mS zquOS$Zr$DzvOD<=2klj_h#pUkI*iTcQmy%32!5z%Q?=F<fi%ceyqZzOYdwd`LS@Cn zi=Hl%uY(53`YWL1rmTQd51uY!l<|vOl&Bb48*Z6fdPl6TL3TH`@@wUATnyIlvS!?s z9pQZ=Xk)2>EmKgBep^p1*cDP8r>_A5osky#Rv&R^)^lcI7O;&Ylp^NG&9;`jnzai( z4OXDH1#anw)mq-BeRni<RfS;tgIm|%K>^UDi6elezFTW*Cu2Q8Qn^3pY4k0P-(>VH z*P2#ww5?BMKfNgBRyv914!)#9f6PQ!{M^K46@D>XR<t8iWbcFv_F+K6ZsD}$YPv&r zFrkI2PeYOf#QU{YVM_s4JfyTFp})yCi!{A`-@Tz!6l3zXt5R3(mg~KR0@7PEb)ofO zhbnPpw(#(GGSR4cX+LsUuiTjhsMhoztWG3#LqL|ogSl-cKY4Ku$muog5dmUoJtV>9 zw8n9(x4IetV)H(<aSpy`sstU1mSL!{#VbvXQHw0t5-+ULp1!;<a~hO{hhOClsj1_= zAYxwLH&Cz`f^(l2LmHX4m*x}0oL1ctv#r^_uTZUYW_ZYWyEha(7Sd)P14ZLv_mp~c zC#$9R?m4x4;xoVkwXnUjxqCGxPq>fCwM<(S>eBl$embe?NOe^Y=DWAFfbd&0&kLUG zsb*<G@Pc))JJ^wt=6AHFqtMCbw$^f{ANN+ewWf>^Y<nx)q{W?njYMK3H<jr`D2s=` zgvN$~heA*PS|Fy)J|s<sg7$-FHFhqLG1l$0>Q3jGjQj}#p*1a~0<5&z8|G3gEMheq zdI-$V-w-AHmn@_`bxg18p;nvipD3)N>=0&JZq~G5lFpm3g>BdeAV~>+!w!YaqmA#e zQm*)^5m4+D8f~Ca+y5py0onVI7JHY%d^Lx$*+SQ-LVp`vNYR1n%3#8)7DuFg$kH?5 zkw6d9BqZ#4aEay3i)*cD!5|CVWu)JBGV|jnw+3>Vsg-XqLOnB-DeEdbOf&Oi=91Et zk+R-!Suf2LB~DUz&t?}YW^v}2I-OCQiPr3mG#JkZx&9Gzr{#R466U4+79{+t(0W<7 zZ0+MAIZ-ixtxa%x*$>{Ln@2(>(o$rtLv3QEi?Y;*J0*LEwSBSLB(XXRE2l|HTOn88 ziyWKU6*L!hA7kdtJ*zjUk!Q|U4{q!kQ8iZ3u+%7@82d{A%Ngc2s!>OP*4(plf{ZnO znln~`PIjzUQz{Erv1FMOdQv_zR0m}uPyo1S>$&I9OoB9WGH@t6rP5`5l_S^ai^k^| zeT(BW)-R!UusvR)4r;U+TJsoHXv6;DX^l6m^1bR?VuT#tvcyH{o;=zyw)xT@@WNS> z-X|GClIlZ7<wc28c&yC-x~fv3^3zXILOxbxKYp$M<EL8smwaqp#7O9k^Y@=6DYVu} z8j=(u>m=in6vCR)-*R$pCnpsOI0?CJ=gq4%&EZXs%q41p)Y>rl?KzTb?YyiXl<B<? zR)%-%oW$87ha9R&D+(mrR1OKzVxoSRWLmT}siLO^n5k9zE|s^JypVZVx(ugxsPRgJ z=Y||YIH*B5Gxm4#k5a+dR?xeL?Jz(67)i7N^HW6)s@*W{O1>e*=qMEIKn>J4G5)pn zvWHl;iR*=P;ANCT=U}_DQa8}3H-q)xwt`HQ-@MEWS%kvOR1*1_i<m?>Ij=<qx>SDV z%a0y0-;`;{du`?<K_2M&65;k7{!O(lJfGt5nx|m>7OtG9c*L5=vc|_kVp77OiZnQL zr;x9om6nU_*|<qb$XSO`WkH6FgLJz=_+;for(7m&|H}WOc+%4-ry(TzY}<bmIa7x$ z9}AJXlU!NJ^3Zx%31$0U$yddcE6FIU^Akxi5S2^7!=hyv2d|s8L=1K=*Q{0C3p$ro zT=6W>wLczmTEMRbRtfIfu=lMfp}!-;@?03_B3Ih}*?(bRhz{o&(|(Gy;fkZD+-dy| z0gueB!pZ%m(_O@<GXE}#Ax=UB&lB!*P@tc1PphY{M?_$Q&?LkFUuW#7%t=BF_Ufqz ze4*5=AuNAKIJuxGmRwL!|H<$5)U+#lC|!1JO~L7MRB<ltNPL1947zuhGIU&1P}Pzr zZcJQmed3G(5?U$3Z?y;=BK)Ezs711I?Bj79eS9SZ8Ihww7R>bA43aw{$5LR;y`mW{ z5Y7ul#jAhjj!gE098*(y%5?-5X)SqJ7ufB=j%A;%371~G1(qxzhMd=C&eoo|E-$P- z(H0JFTyaXMj1#Esid3vX+(7gG60m+!N*5TquPJP5OFU;@UW620sg_#AmU8p*0>pdX zILexrLYI_QTx8QQ6u$c#?94@_)h>#e*A|giiF#!zLRGmGm@HHjL%)uSZnCg{g?xXZ zc(X8%C)Nllo0M#&yQsv$xHLxpl+?>!jHMoxk?5%_$HmIFgnHb0@u3YveQUzQ-pY(1 znIHEx3=M?VguQRIGzzdXg<I6qC6>YHI$;(PU75=SH?JHA9DWf>RR@f|F)O?@lbRmL z6mdB}X2l3v0eL^y1}b;}{oFE)S5s<z*l{mxb@VT?faqUJ(7&(=?ne*v78aXK&Iu!6 z{SKaud+D5~#rcOo=96`!wGHHTi9Puvuo14zlJ&(rtQ*Iv>)2mNo-~3aKJG{_1*Z#| zpL)O^4*!tyw0<Iuib5*bh5qZR?XvqlyD6wAzoY7!o=qyndLFPTOH)n{hq%F`t%Nr< zD`3?^53)KrC0UCiU+Ful#jITPTDz^4G;U0~tq`CZM~){Zb$YJlofI6*9LTC;PJ4|S zPL?!fBF2$piIX}#=k}KzPsz;l#*w25q6dISogQEIn^|3ud9vRom+@w0U{r+|<ld-Y znUmL{G}TOW%Et^_RDptg=0Pip<iPEFAGD!ZYyt9M2-By4FStQ&XY+FGo0%vqz+Yw9 zRh3#34qmR1dt21KU(_AOA<wdOqir1%iBtrRMq7LgwI)EwMZr$nf6sq9`|n*@7xrZU z&elIYo4HwKUU`}*9)+@4RcC<S4;CbEDhgLEDh+7g{;nz!E<Lkye(9O<^D1le;*+%} zDzzu{yx^e~{<594dGR;~)G(|d>V7_2wk`3QNF<ddiRbjx<>S{Mr-25qH|pM`zL{4R zG^T$8?U!qcg7~RM8gELj5eg7##<mtfLNX_}o+OW=)&k^^jHh)ZspREF;bgrx<4)e> z)l(1ppmgg+5QEGqOU$Zqt5LFQ&8?i!qJqH4P`2E_#1;kwrgQJ&XWWv{K>YSM3;ssK zuGy*ZIX;{qLX{=)DV5jf#n08A7^yuG$_wsVF$R+GwQ->}?vVTWkT*|qYuwwgECTlJ z`IQ&~!tHo#+^<H<_9vbMZjB$w)MTVw`g~M?l>bq2e7L<cG4@GkYEL>-d(xTOlQOkf z*^7Xi!TM&UR-N<d2ALM-lUjWe|Bd$iXxa0~cA&;G3|~c~69aSD#afqhZZ=R{&`o*4 zW#bMgn#~E~`05VW=$eN@#&+A<MHe`{SUwR&%%97y<A{2S6bhl>i~_AG0WPc$fQD8d zhHpq0glZ5Xek=L9`9o))c7<A15l=nqgP!6!G1l`Ujf71&Uamh>;eV3CsM?<Xh>#lg zP@EG@l@$$cll|Y#5Rz&L2W)rGx4S5uuQea$(c^iNqb1L|V0}tx3_$p-L~h4t6eK;r z2HVXU-lXT}>ZK^@`LVpbgc)SPzuPwaNx(Slc>q({XS8+USw0+ooAi~}BfV_Qyh)4& zzBe8goPXeCimVBbIc<7NQ{K{<s(?rrfks<s#RI1xajj_@BWI?RXh6$jcV=)>_nZbT zJ79ZdO2t0johdyi3zHmYAC!-7#vB?A8kb=`mpBtRtou+3zKYzA{Bt#BE&uyDty;!Y z0q{N&|4K&@9se@ZW~C!Hrp*(bQDW430B&1D!TV0nWn_^l=d9?557@Z7HTuXA7Rjxs zX=C8TWXXxi^1;bes5aCp=*SJ%*M)9Z%{d^-KA+gp&>RZlm3_(|0mr2NthRvovtWSK zSW9CE?1qIrFfT&m_9NO7SBnGTJdTh4krj{z9Q{MfrE_D;rE`OG(t}6$Lx8PD#|4ub zofP3tR)z;%b%vMCbH;~*s58EBUW*J6J77hx*)=(PFG@^SUohrri{FRh@u%P=2EXyU zbkoRz^%kSjm6)%arUTgS_$fveF1Xf;EwZ^xX~9|!=fS%(pZ*f_29<aRL5332s5Na+ z{uK3Y<YqooI-5?xN*P#VT8OJv?34#DT~9a2YL)G@4sBMw&yivz-*=MIjP;uHE{nr? zyjTt-j^eS#dI5us{EpkmGEFI9{aFg9?yr5yK?BcuQoL&Bf%r+fsVU1OnXSi4N;zXS z;KpWYHrRm8lJn&r^`$c)yysIQ#wt!12GcpV)3f=`1wg;QmLO6{>Q9ZCBV)nc@eA}M z8|)eDd=MQ6v^d^r&shIKB4k`5zRoGnB5*Sn+yyzggl!<oF>wxneZ`>MY1jI@%oZhy z@(67%zV!eHP)R>8Gs60t`u<285Xh9R7xvs*GfEhmlqq@KYzm)iUCUmh8K=M<C-Wi4 zk947B6Mn?$b=x+WPJ7aS{i}07g$!dBpGgC9=~qm=6!MMYQDn%K(d6`xAhN(f-E}CL zM7f^A$9R56?|QQFF~(rr;&XL|#InWJ*(h{U-nKM~pgUtrW3N1@Q2V~BAVk;UnmQOI zdKyD=pa4$hf6}2diQlNt$tT<REcV8DK6>K7Q%@Qy%T)8X{tVB*)~T_Ky3Qgp*8%$p zHE!GQ{VjC5_!3%>i^0RBfEW8GLENmo4PA1iOoEm>nehs<Sd-4oUAF&4Rdy>|?G$*o z1FWR&e?{^P;)EpKIA)i2C}s)%WrHfKZe+7kQ+A!d=`4_R=uPQ9YYKSVzbuLdoeiJ{ zm|VFaF{71&ZysyYMp@lix|4dsN!2>3$DPz-C-oC2wbV&{*Ga8(QV*(>*`NR_&EDl? zJSG__&r477P`vLv@}E}c+D>a6KxLIoStX^FleSKi^KvwG42#?x(>%mFjf!hIu`PID zXH8xksjBBzF<vGzXHq<6g46z$EgK(8E7L%FJ=hl?VO)mGw3HY=u&O^({Pb3<ji>># zx;dsg3s>16))Gxv$@oGj;h)v=%=ir_zo&){#5P=4%e$VEE-N%#Ml1^-pJEo53DuA_ zKKN_Z!gz!kPQM~Ky8J!lW!Jb>>ax&VVMY3Pu(L0G$^j*3I<I_Ca5>SM{#`+}W}k&` z2?JlS&$xe-D{+>#ZXUAH)A%Kh5kKpVfrba5O`Kgd2eO<#j>eg#+PWH_5`^(RUOq`l zi`Gd<4WQ2u!fE+3)1(BuM~JKTM1ePRt~m>v_(&k6=BeWJ5FQEnIE=`651R?jhl+8c zn?%0YsX%ryTYip;59PpC<dxznzZ0RvEua8oV>oa%a+IywyT5WW2~frbb&kH|>RRi7 zAz%F3FBJ_@y8HAFR%+We=Y8V{dC#unZ6dpKe@;BC5o&8}wJv&HvbI{+szYk4b$Ryr zin_Jms(MU|jq)}eW0#-z1tNvj8bi*Pv320a|N62I22+QD;w-3yq<dLf84Z9rD3rl- zzWr>jW_obV6X>Ba?QS_6&6lCtsp2}`t)I_Sxa5_|Uo9EM*8nKuBMH1x#hpB?2LTRU z-9Y-22<c~JZmDrURYj)#j7J87_r(bq(+Z_K2^?2^T%+wNPG_1JA9sfc5@P$`C12(= zptw<URs2I3bWrh<ocMUie#F=?UkRIs)S6i5vnFeeY10v@^Ry=6LOVSoU-RM$w@jMI zD+W)^&kJ&!#f#|4_TT-OBn}9sl>>3D31pG4m#VLG)Ym?RhcOd9zxeTDmaPO$<0IG_ zI9fe;eA!a#7JSt7s=`Em=3U9SnUmc1`&9isR#-kJ3+?A<dH)FMx91nq4LY*o=T-V$ z(y`zt2~R9&#s3;JKapuq)}3d0f1j9K$ezgjge5V4NfW8!MLeu^Y<jX9oUCt3)^EsK z8^NDNbD-nn{3V$<v(q!K&jE__p%<zWf^Ky{A9&jSu|F5IWC@n$ET5_eSw6{P?M~N2 zs<w%R49k|6t|cYr<DyVX&r+YZWwk_Mb7Q(na{BkyzvY8+TdisUO??$VKpL@5cIqK& zT#q0vb{@O1@fd+t%h>2M`c7H)F`+^9N3eLr#<I;Tb`1g~sKg02hA7eI&;uv#*f)5H zTA-=4TKYU>JqG4h^f)9`Yx*z`Me>zy>!CY^)Pgc1ph?Cz$pFENjcGgfDO{S*herD- zBi5RPoa(9b-a(HL`s*mSh+&>b{wN)8mmora-$fUA;%UvJD2T%0Ln)|YDb*)0Oapmr z(ro{TN6AGy_a6P6Lknlpf)k4HXEeap_YYXX2-*d#%2xrRIQ2ev5uFKC`ljAHQ!+M^ zK@)p{T4+53VtBF0U*Wx@Wt+LYB<3MkC)PHY;V)}<-(K3K`dX?hmx1lp7*#Y8!hb!R zQ|RPy;Q3FJZd!dX=FHf7x1K9@_y(3TXSCxCH!012J~KWz(<yh0WMzZKjlqC2>tv2? z8i(I(6HQ;Zw0h0(P>Z*|sv<tp-l$?EbmTW4{uKBwdq>n#)zvNkU0T5sTRZ0nD3oQ^ zT$HWmPKf|0;IsV&KwLM!t588i{ZfuQF_;o$aSW#J#9(T9W!9C-;lbcB6-2F@001}= zAMGS(JMb81O#8!YU<d-EAcwVtJ?8|(xK%c!h>PH8@f%1u**F!7H7edk2Iuxq84*ju zQOF_0OQCaA5AfMp+NX5Z1Q>MO%0ck8&LYdSBEW1zE$P%Zx>%3#tUq?O@CCG-@QT*v zPT37f&mu1?=5evv&F#tJOC=TDwLHS+BH+~(y>@-)blWv7oLuJS?E=@ZEz_q+YG$}) z*$g(*B&lF*tR>(=uhWb~>Dp`-e~R9YJM(zyty<I9Wp9X8r6Q%GREyOGo^+vcBJNm0 zjr*Od5-nB|+^VI%qh>JeB`T}Y3ohL%0|g9=P5&>**HbMrTIi<xg`{8Nx*;Vl59z5n z&VU<ky`bTQL6;93G~mK74z}C$&y-e-PH*tJRV|qz=D3SVV<g<X_rX<|E0x;u#qu~F zza`WYaplEtkcXG+GP9@@`}Uux9Td^)KGIXgqo}HkCv|f(-kIVNs^guhyU!(<RRLB% z5m#tUgjv-1S|Y^c`}D_BTWh)lGG|AM?9QmYIcjY329K<2ikR<4O_U$go*p9On;Ntw zIMUSM@%XTYSkT*$ZU$T-c7oV|cpH27v~mMvpW1D-e+Eg{!WiHG{Sg7ZrM69tKv7qG z&Uk0cLA3vR^4uV?AQFYrWOZhk(dSNh<Q?5#Ea=M`g4Se*xe)}m!@;6Vu_~^276fJB zFcq~Sdz0RH1blF5-_^-8iw~eCwEh21RU+K5rvyLQQvqzlQGh${iTysIIX&87UtYN~ zGN)}uzghvK^D%d2a8Em|h3o0jk#r{GDOGA>iNA<m%xOQNXgKw#1-gfWuZPS`NSnDo z6x^SH3+umYk$Y^BQ*zvd<CFST{Y&6f9N^N@IR}#pOtIZM`<?zFoKxkQNVoS+kV8`7 z9Zvni8Nj&V<cGMq)@B|J1&=1E{0|55RWXtRvU6eQ)ELBvl3h`Hn=Gs_{fP_2hl^1> z%8|k-cG&*w)F^(Q9YwPoHRdOb;?q#@Q&9~3!%<{;!9jOo%8!<%5W{>9jrT>dN#p@# z+KC_dHtWtW4#w9%m}h<@Aju7;4}GvRn9oAN&k|3{U|0>Yz;c$PT9{xb%-8^rCju`a zY*VxItea8eu1($S=8O*n$9b^Ve&9B}?h|Oy%VPSg45?|W=zwzm@>#QRk&;7Wh}{WW zR%#p>wQ355{~(1a<rplFXN)jiKXNiZw$A)-W#jxE(%3kE;<7t3-*bemeNZFEW2jn2 ztutD28_M}L<n&p%ddi}`T<V^hpSY|yR3iH#evw&Kb|2=t51wcJ74bzkukne4W|wu+ z5-yE96Ph`rq^a#b&DeL07}}XaV^&E33kBq4pV&;xU9RYIlE_vAoN!LwkTV3Me>8C@ zW71z|uUWUV4cYS^=zS(2{@c|I0)O<a)-<}O-*3?`b~tSVN}K_hD<5igwkYW1K|-Jg zJ9TBA^(rvHk1-@y?`joR!_;W02D*&Zy#;V*W8->-F?F9SzW54r)V`kSn4{lBug@Vs zt>ya#^4%=jr<SOKOa8pXN!CRSHWciPPqepiG?!*DgZUtF3PrfJv&J|dLt0pF`zNC# z%AkR!@i%GqsK{j<>81QSixdRd(yA6d?yMCEK@?x{L|-Ti2Hz^4=&Epf7}W-^Uv}O? zdr%?IeG}r-Q?WN{9yL~b^Acz3bz2;oxJAb-08#&IpRkgtqAooNYd`4+>M%Hy`(LBe zXB;VA)vZo%XTj9!F$f38=M#gfLx*oQN;g3vGkXW0>k<Q2hVXPLP(_T|_67@v0ZbVo zM!3nj-<u~33E``wM<EEy|14x!?CCpvqW^oIO242I$kQhZj^VgHC5G7k3MsG3>?EkC z!lMCt0P29u%C^&UgH(2Rvq`#8uYLN@q*!f7XY0U79LNKD-OFN0LYvcW&hSi(wqE5J z;{Mc%6BN?ndo~bH2ooON4R3W`9t}s0RmZ@^0>XOTw|+9!tRo@}IRs6!?%qAf8lYAg zv{|r}qPE%UR85?hJ(>QCfk6aE3s&FrC)D#_8>ripDUK%RA9H1fSabPA?c!28xBX{Q zDPw%uqKL9U%~L_2$#JtkXP-b~FSO-#(b;~+i6>lCN*`%WBgiBWdVOF+0;{&~e*so1 zhU@<(7D1_py66V|);FHbT~%1UyVOlv=HC851Q1^*zyL>~y*d_rgV1@L4BE_gIE!7K zCq^kC9zlNqf(il<oFPF4yt)cNknwSaE>Q=Db7l&iEWlxP1c3#nx6D7&{$Iou_=<BA zrulPG1@^Ok;txD1s=&)+;pp}b4^UKV>Q*n954Z6mQ3YzOMNB;#RiGK}+KDQ#cyLsK zg>oW__-lzRra1O5vCbEONmK!0D6IggWJ%^hYcwzLXj5ruAfy0|aT|e6g5!ITYfSi> zE#cE`fHDwK;6)5*Xg5(|ZR0IWM1iw0gPgpjP?Z{IJwa}NK!M+>#3?d@i=>_tP@sD7 ziRVPdD2EoYl`8w4A0|5<57sXj1N2J#92_}0BJ;;1uA3MDeW4y#LCkzMPTbyVZ%y4C ztd?T#X9-smoA_+Bt^?xeQ=va}ukN1Z?FqTHcoEmCZbEwLkHp+vv5IGi$>|&y=lvcc z$QUN$aL73L@T`>twH)H5B$mN6Qk@9VI#}90=3(<=oXsBOOxh)T@M7jG5u6q)_f=r4 z^mY>0Dqy}8HoJsBdHQ=SIHU(y3_3!U-T=Xjdxw({9rEyC5_wkQzHD6f;U@s$3;zcB zM;QBY+!<9W&O6>3{uBe(?<KLaT{YVD=WdIcr%giV>Z%Dow;W5j#y4FDYEnN%MQ?|; zxFt7nfbe^z5<$`nJbZN3Z;P|IguC4UAx9m8U~-xDigjG%rCB9<-GQF=hoE>*p~viW z4W$cpWFuaQ%+u3e9WS<irM^wzTjtFQyQdxJ)8zf$o_3$slq6G@$av$po^&T?m2m#^ zjX)4aS3VrT@09bz1=d-A6g*H47x59+7$>z*oGpgK4xceiQ9w5IR_i~Oai9~fh2FKM z6wPyBz-17o25YN4Ix%OI+FiI+G=K2mm@pQZJFFkpQK~O<ozWd&1nJ9IbqN<X(Kvn_ z*H?1~KDNmBQ;|)HR_Mqx-N-XV8#9IMrRQH^o*{1_J{m*G9cX&;t;jc-6{JLK`bh8> z<^{{6@|L{JDWcitFe5w>Ma|9DsjBPXF|BzsCAB9++r}DzfJ+8&!@2ixmVVHBqsK7% zyvwf9p4c5-pO^hd@Umygu3k1??|s>LqcA=sR@Sa3eFVQDHdWNvcUiPOJtR@(BnnBm z<0I?q>({Q8i!Y)#N{q!%#SVE`%Sf>a;&!#CLp#0NC58AeO02xoT(0HiQa*VVr{PsT z>Q(dH!~grJ&%@$>l!sUKCH7=~koCvWI!5YR2Q~O{s_?Q$QmPV9OA-g<r!TSVKtoZf zD?OLR`24;LNbousJ-?-6T$FVYc>yjreKO#M@qFCSngjtJuhyDH%lUXdhksXq$RcU( z28h;?$E$-{h1RO2atolFArxlZVDGfVV<T+N#47tb9~@#|A=eHwy*VAIT2_Qd7jd^9 zO57|J4kE|P!7)`5@2JFaE)q%XA;D8mU3k2gx4J!g`w@?|k=(Gk2MTt2&7FH|WA4*l z%M@ZMvStrV+nO2P(ubx#l<;U9?kOp5T&;qcBu=F_Z`{wQh&ks%08rjTTDUza<J9cg zUhN5GT9?!^qlBL|_W5w!8alJYxZNw^Nd}$t4vWJXKeyC}A+~oOA%q<bO6WT0fUec+ z+6jBo8QBL?+Q|iP%Ly>XI*j=QKAe@-v%EN)J-r#deud4^)$$wOf}Z0@J(}?d?`V&4 z0Kq%$tro%_w%Z=#T|zZ|_fX(&<c>RgYS)CPcppc(xP-EeN9bquy`!xk(J~z@RUOE| zk-nMFVe>ul$i0-;$FbMANLq(RJ{w-MWJ)DEM9M|-KM3u@$o{GA;g-7=V&XFjJRWX# z^zM2*FaEgk*72BmFtae5e&pFqD2Uzu^gR%aCWv6n3CMb?)r*NlHeyJT8Ust^O7DXu zf!n}rTw-JGL}XxEMNBJZ?wMsasVPBr%d2w<g6oA^hY6B|%fa_16k4t|vGSpzOSnY( zClWH9Z}SYbjL6jq5i~C3ekGc^HZPJ|*c)yMmk*6JeGtDjSAYhpXdr$S7H%~y!*bcw z(d~^?>60o|p$24$^K&1mbBWX$N1ZVPb({)^s48_X$t??(<*#Cr2s<}LY4C0T=@4ka z{1#xW*Ufts&!(1Dyi+K+OZ(0@c|}E<_Z?UP_nUOuC#x%yZqS-8<RhcW*P6bIxWsxD zhZ-&&CTf;)Z$ZY>u&CU7BwDu#1y7CnVbr}vPev>itbnMfsF3BZQWQl~$7)UQ%ljpp z;>F6a6a`Uw8#(ZAmTq@(Gq8MgG!@B{0AslBY|hU-$i+bV*A!u9YDh9O*t}Yqn&a?E zBiT6yTh!?>%=WKmN#M`ws~&hYehc$D``flXcv5<NY{LV!!{VohTPEgOUK6Qp2~QcC z2}XmjC5FrAglCI;Sf&hwae7kG0Dr<=kbI=o=b8y)qREc;bn!}C7|X_jcUjs)MQno% zyJP^4)egM!GeZRyYWiXGtw`Cs4G%2DTIpFJE1Iq*x$DMuv&Y?#@X}oR&rDw3G-Nd6 zaKY-)jBeRU6tFjHPq?R7{?)bgDgp?-tvxY(y7m;7NTitg$yN^r5}mGdsBLVu(+OI& z+lWB!6^A$Xp3H*5W7F{$vpZVAYvXYKs*!8lIhaUpcuJLV*q!)7?j_Pv*`CbFz^C_> zEQIQITld`oRz=>9nRm?zmA&??g=uY#xkb3rirwlj8Av31^t#8IgdXe@Hk$kYW-4`A zjSO0b`wWN^?BH4!q4cgM+rA<TNP<3fM%-^FSC#AOf2B<G?hUdz<HZ=|pYjh8a-l-V z+XfJli&hu+yx`>dWY&j*o8nv+yOAgJ1@qFvuYi{eVOEX{VvYqd`J)NG#85sLr2m6% z1vmfBGY73KZtih#6Nn=lZqCml=g*lTa~)y(Ph;Y8eey#JfS?X@0}eGApGVT5nq7U> zygfwq=1*~~i9n^CeITg1Ci3#2WL0iOTjrKul8Ffx`}*rA@Uc2Mb1_S$cW#uk00QW? zcH9nb2>|JR2)(PGPRSJI@(w<vVv$W0pn%s4wTFbc$xO)gB=n&luZyrF2c!-N9n@w4 z1r2I~pT)gV__Lq<lI1;e9M#9GSle80`$rmb;Cd3LS~D@ya84p?zIugHyV4<av_{`u zi30QW%>RHNx9}-_E}7^U##$AmIAe+is{R-g2RS2+O||_OdN<vejh72sfGR=`%7If7 zsXrvg+xvRmA;Xrl@im&L*o%|%|L~GM8?n7`RqU0s@loD_)870@&PGIIP~g3o*((7I zW2tFxk&TlWyujPF#4_w<L&gGL<Bh!d9sC`S#y&Y3wI8;D1*5DLv`!~;R3~yiX0C(H z_&a-Nt*Y7+4xkqqiNQX%X?z(?Z2}+ot?~WCvMN*?>=(Yzf-H$GtolyF@@E{f@ND8W z%Q!$boxgrC5N_A;7k9X@jjEE2#+vO^%DBzYX@HY!p3mzAqv9Zc0BtUT_LT4RwN4`s zP%{?>Y$)%HYO1iIC+QfJ6G)a*=|#&sl^NqvFJWEfZ+}Qsv(0+&$nqj<n$({l5P3@Z zw|{}*Y2N){?922^#6V;~<}1}}h)0a&`is?Tw%c2+s_VhA%g_ci?_K>~wy}P#ah8Qr zbIaLWtG`W``a@|sxXxA7E+NSL9f1xWa@X421!WNJx$==-D%{s%G!+ewlQeX05r(Wh zYWw}8W2ENu|6FU_FVO1DZ_D{dKPGly=UTJK$TGisp3eD4KO$x)k+p;Tqc_06ilUMj zmesH=^Hw8gH2)SrDOptpoAUd1PzKH8WEj2p#8_P$1<$3RSSlO)ka-SyYVK^St#LPX z%K@K}$hs66N|8`cHPK?vmfGW`_81j&cB2HERX0BpZ1xB3iY=H<#MpDKA28PJu+QMt zaqB*D*dgNox*4{3ipi~+;6Z0(4SUY<>{h-(S>JAaO9@yb93igVp(kB{otsdB-D2_R z{vBWBf@t5=+7%~7wWl_*yT0q)cM_p+zu?NvrymS+AwxKh+zTB??yDGxIB<UpR#2W3 zvd=fN`P;J3HQ8sJ9>tM+qV!CMM&Basd&^n;oI7?%YpNuvoVZ_L9gIGlxaCgJ=);M7 zoO-z?9#;<BFRE0|fg6`-3gN*02dbsTaXIV2E%#ao9FFhynfPntTlLQH<tP0Z$FjLp za*5k^y2s7Y3Es_3@8=DF?e#kyEco-+Xzm5_LcN=nv$lu&9}LG+8&^=XQ)$?cHN?G> z5<UQ+HQ{s#6E4oesskNo;bl&9={M={b1e<jjGu+S)|GuQV{LLpt=E_xmN+qsYa+Ht zv?oRdF8-R(n#=o0>5^)RP<TOGx{@)Hw^Hcw9#+pFaR_bK8HH=f1ka~R0G((_3e zefUeesbuus{@`w-?+%BRRDRNbqL9&dk7Fk+KGJo{N4n6Kvm@ce^)&icYRw%q)Or@B zGjr@N)G`uAADs;J7%%9p`m={J0RSNYxPxuPuF4FvyTU}<FGPN()WNc?oF01me%i@7 zN`KJrD80yWl!nv4Z+^j5cqh#%52da;h@1IUnb|q#=nw9zjttMhV>*6-R@eDifPo5P zozk;8FxVYhK`^~k78C$E?$GAk(pc6J+Da4(eiSY5_lG`TEv>XdEX~dRPSB$rCupC_ z8{`D7(u4h<KfwRlQvT2H6fOIL|MNTeKXU~*`v|AVBFFz(e4_{apJV?Q{?F0^7a@-S zGrL`nG-tFXB5c4U;qw$M*P4_|04y&bx46sGM_9syFVt}K_QVXq5<wz7!JVN=Q;qho z$$Ie20oUinZ$cg&*JoB!+@3RDsVe0hx92SgA_{ogQ%4<-=T_T4<$h)dZO7ADXX(pP z1`-B#3$K%T4dcAPYk(51;`Mwi>-9Wd`TK^I<MVfD*7m2rCG8MQL+l{bz;iy&H>>a6 zgTFTf&r|Ns9|-?1w0$o~0>rD?Sppvki!fhnzJY10^_wC%;9XuQD0d!i>OGtD;yy`~ zDaUmH63dJvH$Se51Tq%)HnFe@drq@U!)1$TwCp{K<b0o*Bc?uo4p?hpJ2-|OQ?A0Y z&FAnbr&m7fYBd6Hyo9O+S-0tI)pBc|a4g(UD`3ox-_BiO9p+v{)h7PK!)=TnxION8 z3fMd4Z_!xax-GjK5*L{B9!Jnbkxk#69C*fI1%nTwss|JT*6*%z3fqZ4WC#_~E6(TD z5?nAlT4$i9^T#Hw`<>DPMjW8ekO9X}9cbB^?XP+nvIA(E`I8W1O&p%z{GmFr#o3t| zh1F5UHeBeOQk<XND=4srU<Pk%%`>_E!FN?1gf(ji`>qP(Aci^S4+N+`D-E!(@m&=L zV}M&-&;fo#<CXj_j-So%5)rqLu1Nesk@CzVp@zyOiD4X#k}k@$KpA|QhxiSskXWHL za%Oy>O}!}L4>hdJa~!3`xB3GuT?<W|TH$<foTTN$XPQ!#PF<umT`UD4t{2D?l6sar zp`oYCb0ynSp2Q>3c*+U1P_R0rJ+Vz4N7nbtV2yeJ8>(9Te;v2zHQTKJnaxbeSsY$7 z0hNW~nbdhN+x*0$YbcssgY>_^)G+sR5-<!ZjD&1%IUm-_2a^$yPNU+rmAmv)oBG|Q z<<EBZyG!4iYv$Cfw>0=uiv*U8$_HaRw+$H$B&$`<(X`??N7ts$b}9zqAx1GVK84@1 z_ym5><EEnFXt~xbA-rk9n?8<EB2A?~b6)b&5~xj}UYLH<$;wYlU^W5NO8HTa(Y5jx zi(rV5osEKH`cD+JzWzi%f7Sj!{8hlp#3SjSb00ZycbU7`b7F&Swa!@pG*Ms@khzx{ z4*w79pSc<WhQ){ZqB5B|bp;^qlX6(?{8Iwri9wbSTTtDmUWO}!tzyFfKlv6dI-%h8 z>|gh3SmgB{bMB&1apxQ|vhsn_L*}%Qa;J)P6*k|@N>?RT1I-%&msQ(8y!7`V!Oh(( zmj|brZ=#OAQ#W6anIA>lk0DZBxRxxmt2)|M#G(%os7jPT6+z_r(|ku*`miU=ErF7i z*v5Pie|u!5Q>=skodbeZ=ydD|OXGnPV#%r2#}ts^bPp7~R<ay5Ypq-;IicQfzA5Ju zf(1Y|cSZ8&0KVnJhb3gY=&7p|O|JZf1A+}DJO<$o^KEnq%9rH-NnX*`W#tv(2OzIJ z%+~r}$t!5=`+dE0b}caRCDkJ2EJPX#n-im^WgaB#WV|S9tW?9z8=0BG-8zFJcFMXM zB-l<Jd(9ozIQkWR1$`&{M(`X={)l0a{chR7l!z1CB!s3LRfP0GM@w=RF9NCTAJh~4 z{Jbo6V!Wwap8%_rEcL&MH-&TcKH0HKo|5ZLkqMUYf7sgoefCMwe<|wB@!smlQ%C;N zzj0c4{i=9V^U-`r1OgFCvhk*N6SF8{J|l#leOc{<n>vGX$Rur;ucWTLKAgJgjA$;> z6iU>-p-^uEC=8A?wdS9kJne}SB296jT|_*XcCK*HYu!d6eAbKdLhb1SxmjEsG7fpU zX_5xbZZ0CVrYo`{N)34;vh-!szs)|^W}lJl^DIYnX`YiERDbNLlk$btzmNk*#h%&* z*;Qf-+Cp9sTSUdE#Fjs+7h+Gfv-nDM5q4K%Pt8`br+%isBf3oBB@6<D`(rgN(V7>C ztfXQ!U4Q}y@+YyHdXR4<R@3}`ekASZ>*r%uRpsQKa@C?#9=`k(WT0^Bp67o|NPKui zCumjX`x3DVswvbmEY=U>)@_tU+G_oAlHv-uut?twLJy7yg$1Ynl`*TXVK!h-HfGfw zsx=Ws{%H)Y5VuNe^6`?3UG+P*yCdfiA7RTt?5Y>j@5_PkB|)e{>cUWkrcpCd!9OHo z(bo|W7Qt<(I8?WNE)LZqSS0?Y(}Zkq_YIf2O9p~aMa*OA2k7zh5vWvb0nGg1m=^5f z&wp@aiWD^vg-TC9N?J)(mDJBgq3Z09LM1G>lCCy^2K`Z}ex-0?Y5W!?Vf|iea(t)& zRiX&(k3#hsjY||Ne4_R`GZ(4q)OHbDSw_y5e-w!7_ndw?`6?TT%8{+u^Glx+#Xux= zhcH|Bt&%uYXhxTm&KFrrz<X2X&YZCI_I+2W(&6Fnq7NM$i0Y~{vJlmp8o*f2{^~)& zs0s;2Rfu%31Q@u|YuPjcN=N!q4Tk<!&KLNZoFMl9O+>1p5|Ju+T$_Dd!Wb?6vVc@4 z2xJ5|_>zEBc&TS2Qaz`F{^<Q7sU$R*3P}}iei!^lJ{2Y*Tv<lU01{k6fcfE;vh-)% z`eox$U6zeU^&{3W*yn_!(q{Lu`}NO7qk7?aVP&$Rg%(p>iDeRvN*@%B>Vl^ovCIkA zH8>j8!*{V`|L>wv9YmpP`|;|hfv=24wOJLqU~nNtm%b2<YN~@wM54-g99k$;G5tP% zbdbWqQK{yq4?CHIqf*UxqEf|FRH|5O0L+r*RI1u9i%O*gtQW0+MOJ}q3`C_Oj8(s6 z_IEzg_m@Pa%GO>?0WnJas*qF*PY6kM$#}J0J|B{5q2lkYx8X?#LQ)A!xH5B|dT<dc z$7lv_Av;jjJyyS2sq8`-2G$l7YTmu_W)+s|dL`<u7dT`G`y?GG)TF2rY)UH7rbuX7 z(=`wTk<z9n9f6Zla)5JOOR;QpstYMJD5h1WUC!)(7^-R{H8_Lz4^J2JCQ+Z907xU` z^p_7s=?@_gkOp7+9bP0<)gH;<llGONs-B?4SB9$kF&_tos#+t-JAi`|eCmEl-qW8H z>U3hLs+-A4g#u3Lt4YY9o%oV+P%1N~m5xm2gsM`S6RY$ywFv1QkaH(Y72>oKx737l zVX83Y(~?K&-aO7dimnVWPK;8er?Gp0cTrKQ^z>FW)US+Er6e%Xe*!@#N>y!Iu2=d6 zF`{4P1hEDw_WveI)pa!L&0Hl-XD;VAFH<e+Qiz&JqEuDnLR2jgz~qFmH=UU|OodMf z5jdm_z=Tayz!(To)hAHH7<C9-TVZ0_7o$~e)CZzf{g^w<e-N$8iay@YvA+0kvKn8E zkcxTffA-(O^z;3QSaamh9&r!ziu#*JZTy9;wzLJj<Thrk^%2cwmGrB4ZH0+ho$gkj z`K!B8=Td6L9#QRJ=lHC3KR4xKJXRjU*ohWq>Sad=D{?wlr6>HgVQn3MWah*_)hoAz znCt!@_Ra)8>grnjce0Qn3zGoRu*rZRQ3N7H4F+sR5}atFVH32diCG{uBr%y0P|!ev zC5(BcYFlfyrE0D9)s|;n0IP;Yh>8$gQEN%9+Fy)I+#o74|L?i?H<J*8weP*Y_j#Xx z2Yxx{?)RR%pL_1P@+>cc+H8b;JN1)p&EvOroS)6(iGf{P9LTQGdQxSN;I@9w)l2xQ z<E-3pF0(S&Qn(uCl24H#%(Blv+Gk+FNvw7jec*6|Y}Sh2?Z{4q_RTEFrmFz`Q^@~u zHw&4<?5PQlGl%$>8G0PJFHDaLP)!egz9n)f-So&C{{rnTil>Kr7n?_zdl!3K=rv-y z*iVOwZ6fCMtUa5)#eFr`W5`R%%P=qaKl38a#oe`Fi%0_sJvg7_o}ZRS6rss12DK4x zvTolr^>bAL>r{65C1c#o5zlk=OYS5FlOHO@S25ave9I70(og7E2a(m2%~F<dv5N8n zD0qBcd@~b6{cJgbzn)+?o+Fi?#X;O-@bi$VJ&B4$0#B~D`v1*bRrLye3n-4(Yb~5O zT7JCfVh6Xj*E8@w-SLW)Bftq6rx!=PV@GAcDH!3~B(uodXor+-+6Xq;?OSMwka)Vh zxF)Oj*Mv+>3uo|XdL*sL|JSDT9r|fwL_w`FQX+0`G)50)YL;Sg1#rYk#0oF}WZxW# z;C30qP}$#9?eI<X7JsN|Au{EE+b!gXkx+1Ox3lGyDI@82E&n`AZcHH!?`;}BL*nv3 zOvFz=CZvDPdS^8~qH*k_7<pW1SM(Pzn!BZjGFd(Lz>FBeG7uTq?t6iGjntO4@E#FL z4I~sk!P)AqCdRqo?FY%QUH?7z^TIj_Ca<P~(9=el$#!1Z)R7#bO7oeT;y)BZJ{-Rb zD{rwSrCfy=oq3bmmy{Pk9Sl=#i}f?6Z=TDbX#|tUNmG&X%dHD4HA6a07P;=NlL3|u ztd#v1;9W%GF7*bYBloeyXD(FrL0<LBYS;wnc`qgN3;&3NS%q93w0?tkeHDSVoOP#! zMXlgT#Is&-c|zsvV%_DD(Mbk_OA~<}tG(8aT$!E^h=?6Wlp;_E^Xb-B2^9aV$kv^= zGkb^=X)9kmRdN~B6t<S!Bh&@a+1Gpr_R&t^KM4U5c^3s<DORlbht2cW-O~Bl8>{wJ z{DJFKnmHnwRBA65k$&zX>x2BUL$Rv=8(gR00&co}2G=P=bDhp6?Q<x}da*s2odMS= z4y#?%A&b8O*6MKl9Mj_PD1MPaA7(Y;AQ>nMd$2zIr7nZyUpf{#zI*VPc<hPuW#4G7 zj5tNdcW$C}MO`q6lJ7$-wJ9}H7L79!5q_1R=qr)&&Kq#7%FqwKjIUpo66GHo$Z}72 zqbl8(Jbjda0n<kdh?%ake#!+3tAn$!-9%=N_e~t=XkerbCLb!&huq>MbnV?Xxk$!s z<8%Hfa~1b0_R~O-4r9sT4Xob)X_330I+c5$O{<&5#CtAsnezRRnO8rfaOZJld11@d zAd8i}fX4|d1})DRkbI5yC*(EeI#FA9Sc@QI<?!qKo^r(M4gCB45_97p1k^8&a=PSl znA(yiwt@N$0=QO<((;Hd@2W4GF|YXBs;Mwtngfq-#N>DFsux(#*ZwR1teUzW$B^|Z zvBo#n2zoU8<BjhIY&x!6HTBjWc5B40Y}M4J9(Jq6ZuY9Fa5uwYZxXw6S53X8huu1{ zJ8jj}M<TlY5f41YRZ}0vjyY2@;mY3DsB;^*Rr0Lwwew_6qb>=j_z(&Oir9D?HC@_Y zqD_W+N3U+)M}4N%PoKV*c>U4VD=<nK{hoS=`bR9|4gWA1s2|30T6mbgU@*jOS{UhA z7l}f}zx5oXZ`>6cq)QncWZY^dwrhy3E>rmmWI&B4bX|`jn%bnsp0~0ks2QSbyNBrO zM(Y9N!q5;Mxu1yqj}hr`B9-{ER}!v%Y&=G)d>lFvF4=RuA==DfdIIepqOB+IGNbcD zjPcgzD|B?f0$1%yuS5En(?V~vit61$l;d-q&{NOYng_Ex@S10rC}*JfFZg2e8WAYl z;hge8UFK+i5{&i_vK}4nx~-Y5b--dh8qC2TFJ7#RTpQyJ?s7dkMO^k+MHfrKIcVtR z0oSaCgT7(x-X6@VJL2~B<8OceFC~)xJI{w54NvO1DF-2wtKqNYqArs&<+{xNejcOS z-tn=vm$kXvz~S|(X=5aNo?t&)p8>OaaC>lTUFJd`ag6q#)$pu;1mZcI+RZ>Rb2QN~ zY{!X`1mrSqYYueoYwt)xSe*3x?TlGS86?ZB9Xq6X_%7ysSm!ji@BC@~eKR1)*{&yB ztcHt(IzdXoBUJ0i@OE8z324)yBMv7BvR&*n4G@OBRI0<IgOH?7r+qMXQj};epN+vM zI;@XoP21CQ_|aB9Pv|@IdaZ>%4bEVt>AwN9m^)GnSzQ=?1~Rn0x-<GB7GdxU4qq<q zZN!=Q_BKwx?-41%8$ww);v8D&*U<Fdm6H~&sYWletS5xEQ7n@z2L$>z(wq5l?Lu!c zvIJgKJJrtO`GJqUnfq#3W<6^?u^s<r%FoDait6l+S5N2m&Uq2BX6u4BPVb<1dZ_Z| z?8XsqfOkaFWzEE*840@4AAfC@6-*vN(O8<9WL*uvp}bTwOCjV4WLd8lMF+#!`?9FX zK=@N&ns?t<dL^38`#@;Oz$#TQdbm%{2@NX~Dsq-|@V{=8l6A_U;L$PY;1Z0jfnJ+d zgx97&At(#LIJqQUyj%pBKGW-$MG_@@AskrET#Ctza*Qk$hG$YJcOw@wsb$GsB$>OU zn%&$X9JZ3MP16Sh`qtla^jabu?$Z@I-1~rU6VBXrWW99#U4&z-NmJgZCf|Kv!cRFJ z<%LeRFNYYXqf2n+jZE2j1(SDu7dJ^inEWs(w+eEnyn%j|9{6qI1>YGV$Lq0>y;?>d zi$vMU@WbZh{oYMe?Bwz?59GPBsizSi-pQ<b=tZ#i!Au`9tG@cN3A?Cp*@oyJ`;^V* zp+=`KQZ$kjd#7<^F{OFcRQ)z%{1)>z<E#{VKX;k(iapcxUh9RtNMWmF4Q7|TpdSi& zRSFMqvHqJCk4CndSSI+$ZD?Gpae2@kT)#CnC-b?Qw<HC$=!H_JowAn63vA_By=H+_ z{4>_~C>V`qbpCj*X|;+CBKx9R(&q|fjoE6AJk(m>=CE)6im0O5Pvx=A;mVWTj0hb` znu`%=A*R4nf}Tg}c%y->^R65#1)J=qMUKXm`?J=rT;Oe7*_qSuywBOVvdi;WVn<AN zV`*3RI>v|m{nmMT(l}jfPUW~oi{h;5^d}zLsj^}iMyBTM_eJK!ejV6jbd|^=x!H5_ zGbsFJEcShuD-9mL49mynqcMZCLhAyskjUgKKVdNmMeZEaf`7yV>Hs~(1F{319YeAX z?sWQ`B&kU90}msX%IZK~r!$aW$Wvd<o+l!(s&7y9O^`n)%by|g$5sDDmcJn<vy&T^ zw{1f%B(M)nz=4-LVmLePhzPtI*twZFRpY!JCvPRoOk=*89-c&>I$ap=zSE|wNWe+c zRTSX#=_(qKI$iYx3}DMYqJ0cilM{HSW02>MxG4lu{)krwrJTTDHrIhQ=I{2b>GYkj zF8VaqG6!2n=PbUzuF12?mED39CCl=i;M&qY6o$=*iS^G$krnKvRIV-W#@F`q#M%Cs z`tUcbBbG3Uz8LV~c(fLOhcqJPczcwU2sI6j-~F+y{iT+zH$VfbUG|DF5wo%bIXlqs zRj^A6i|9IyXT_K_+77Cn^DSNgkRgrT*y#(XkH(xfeIaa30Kc30nmvJ?CvWA{cZR-T znAOnfn@Sv^NGZg@k$pxe1qvp=I=?$oKO*&U9D4t3yL8a4J?^Nn-`FYV?ni>jf1XDk zTdet%!5Sz9$!Px>^wpcIfkeijd7+7B?l(pA6CI7{^CAvP-xf^16D!txzp)<Y2zr-F zpl}^`dNQB(_w&^4&Fbhc>NKK2o!-E_wm_U!m`Soa!|!biW!Sz3fW$yfY?tI(9*@sn zy8;y)#SGbflqsXmvu@WI@7kPJ*P42g%xQql_$!*4r{Qy-KM<FL@{wnQR?Gn^GN(mq zb%=Ei8C;bizJ2**<ou733YQCdfjId2FPS`)HLiTg`U`i-AjpYj^($W*>QCh2OAG#o z&7^Cvr`<v9GF4j-{F%KN7Jo27brwdGg)P#fH>)h@@`*nokhA~fZT_gZk2@mbI;r$+ zH1`?PWu@sml`R!uG^PmM9kKv&nK4S~?N*fXkH}t|v!LU|&GK%e-C|<7;k2M5N`@QL zlMw=>33_;7F*~rbxp8HSYt1jj0?AFv+I;d>VpLhK1`!_>w9Z$Zxz)8s7{mJRNR1$w z?_8VcsXrWb?F9Ztb0mwU>&g5D+`W<`<YbH@)jAWnE2kxRgjMbUa7}4wvE^*)l96?H zh&aCy3#j92koOTaiBaK8DU`LEn^oFH-bbXRaGRetQnYGi%SZ6s{0Y2bc0`J;buDu{ zpk?|ICMf?<>fqLoXuq>>4Uc<)ui9TC7t<v_{*gLuMkOopO*@5TQV??KEm<gQpZrO? zc1)-AzGal$b<;pbA1S@-`$u$cX+9L{owIbITn(QZOI_=&VoCP>=eCP>F^D0#_B<g) z3&iCX?;tEUJfmB3#_zB)Pt|RPO|C4wBHMB@-@ozo4)n&aY_{8caa{JgQci88jeF|e zzA<#a)b6_(b=l4mCl4N@!0sra>OlO?0G&H2<HoI4Vsl%JGdn3GD`RD=->nDvp?!Cp zJg3ub4?nwP_;IcI5!v=Mbdp05)1#k7=&i?C6dr~cln(JsNWR4(rwF0Z!d?v~=fRED z^f;4u5+r1c^)d1ldBwwWxxOGQ8M?LbVx&ap)s>_;k5G}Z88o08xDvW#&uVe;FHjVO zxOgCbkGC-@78&pfUuZ^w?rkip8DHI2?t0mDh1O?TdYvR|xfSqmIcoS(GaWa@nnVsl zQ{&@=2yE8^L-j7%-NHH$Z@$-fk7^k@WIczr-be+@M5|bv;PRBdvYjpb&TQm50$XJb zEh{eTb&j3_@-{{~fzz1E@IA^~jJ)4gU2{#zgPB!j3}yuLBKxGr-+;^d3k8;2e>Jo; zve7P!6SLT6$*J|HaR1#C*eVAHg}i;5$MS-?gvQP6fwX9LfGLB6*yprN4eM076A$CV zpTbJW^_WAr=L5?!Bhc(F7sl%~ciI0gF0RL7$Foq9^-=v7NBjxaKnP;^SsmxW%$k^) z;C%vS7K%N1(JWc`i$@Q+QViFV*-oxyXLSs;Ui?8QxK#)WL51C;>x5-f#Td8ENXud^ z`}<pnOhk6F$E1k}6!$({kA3V~vxaiXt_9I0)<zT7-^Bv7Y3yr%G$ZVptkSJJagqxK zFsSxgKhR9vy`dYlbr^fxpv{jQ{-=(}yuh2>p3N9@<20@u%2+1>FVV3CeLBkAo>5La zI?4&(93>Z3h3hO)M%q!LL}#yc5C*a2a*P<-g<A|Sve?}7eH~-K5*=9Rzsij~{Z9vT z<X&W>#KRTvG18*k2)6F=Y?399_0T!2F5jRYV_B8cJ;dYGg=5?|oa=3>7&C@TzROPF zvaj3&<f3wn>ro_qn_+!)3}B!pYp+^fu7m_yMDOnt$N&eQ&Ls4TU9QJ=c4T>rFBY-& zBaIh3sq<5ar>yY|-nlP6AM55L`iAo|nsH27W16=<23ES>Exk(itj!)NIn7_hP@`zM z(r~L~>$J>ln1lxz?vt`-y73pty2omQ#j#J6ZM(kVMUMCSJM@l)keYc6d%F=1nlz(l z9Nwu3V_4nM3t7wB{F83I^7Cx{A?!KL9U`sq=LO#&k;NL24U=K4oG?To+A&JT1pQF0 zPfmCk9rBP|mh7SpmDPBgoLW77wVYaA-j*}9c(DIu*_QWnJqiILvolJ&^hKIZ`yfd# z(mEb=J?dhq&}Ow!GT}M?M3*qXEj!Q{PlMx3&v8SVC-dVK<Atq80qF5RYL*kM{`i!& zp-_oM;n{2jWU!_G4)hkUlE7YGq2{T(MGl`kpe-a5u7<PpI1yGP+kOgWtKeqof~OJZ zF*y~sTLgYc-Dr(9c|gv^Nj`KI0xU))8v$=rF!{j?by3#zCrrnE?19*mwbwBmYJD4_ z_bseDbgj#H=z5f+g|)0()Oj3rT{>3Pv7%VP!zku_EiH7u#;^v5+1A?;iib(H;6ELc z?DdY)e}IYu?{C<3D4(lr{W_HXG&j89yYl`R|EIZ|f=Bf4hFso+(Z5wFYe(w=joq0S z`K<TQ3%OJF<(~Ya&q8B+7vW~X9XsE<^}R&!so;}rd=&VJ#yYm)pno%r6$hP*zen`n zul3)<`tMiz@0a@T7y574_AIUWM&AzO)Kz+NmbdY8KEIdUA`FP=b#QLIQ@D<t;|yG0 zI3);QFbAo{dCV6#oR%GUF*mT)6MQx+BLfNto8@urPPr`3>^gp1uqAVQ(*nneh`|2r zK<To;A=Whh7<l^Gfx@UmcTqRW+@u}$0uLt0DPH|saOGFf2)6~3H|8?#3a3RM|H>0u zxtls^2>e_;BX$M+sHXGUau4yyMps15#TPc^O-S^j0D_&v($l<69v7Mim%@&x@3wVX z*FDb2FuqM5*U1ug+i!Qp?1t;rG057e>s+5l#qLsXzDape4kdng4NmU)Y9=BX6qzjg zh-5E$5Sf!smPfX-1AaA14uJXN_Q+%C9Aoa%>kl8NC8!}0pCVhx=9Apztm*P`ZM9lX z38Zsne(d@ID!1r!Ig6Q1Q^VnjOY_^<rx8zk8}y>!i%h}2hhSb&aFjddot2oI*|L;} z=S`twy<tM>vfr@9F1s)hWuE^rG3|;BmA_oZOgZlG4G5Kgdm@~NH)PPM?3tVJF?TTe z4hSGBQ+?9{Io0HdjKjp?Kpg%QgE6%hCuPyggN_8dYcJNtft11Ib%cj+)^uU#s;NSA zf3$UR85wE1xZC1fECOg%%XfOGJa46zNIq$t0UBq3#@SSw7-AxX^+E{`R6p8NEouSx z$t+gDtxlxLEuX~JFh*8V*{~v-f!aBn;U<d=X5c6X5uj;aa5;p@Gg3XN7&l-Pb#SlX z?$&yD8CVwE152Sju;`bnQKFcLQqmNZlFHiYs6Lh@eJrh4A3J3oS<!t=1^kPrz-nmE z7a8*}VKc+}bp)!T4qaXy*dsk;7^J2J(ov+3+|0HwuUJNE5s`S7EZ(pvT=^)TYFoO1 ze!(%k-7n5KUK9B)v%2mca)wH^|3|oa{BTjYdANEs56vFN<J$bd4yvDy64`7;)6i%y zp+18e8R4AT(@I;8G+$pby0HpbFzQ!Q;CFf`0<7Vl4PhoV9pLbsbp!RDcGW*p?}g!d z&oa+lTPui7DqQN5db}MV^`0g5u2~{d*-Y}(uDplMg#ul}IZQLu@B+Jr3qn(eSzVaN z<qM^LyMNu|e;zk!$M18k{yE*6Lq2Cs(ZQ`TzOzKVP~5sGZo0JS$HoqBjbL^NU{P;H z*st6i+#2OeFji6e-J2*;hqJXk+CR%6k?^l^7lkmkN*taFZHtlRHaF6@YkfGRp%V}d zIiHFp3UcJ<8reWWkuK=gm*Zx2eV#<f>))}m3UhlKJ#BfSCMS>`+bOnPT5pc06U#3D zOC&b3{TfE$p7E{cJW?K}t9fJ-5h_<oRIDo{J2uO^YHJ;4vhhBTbcl~lS(x(z@g}`I z*Y^H=GXLkrCQ4!{7;_WFE=BCzVwXy`vc$ek>@Bf38AHJaww+?z<$oY|l_e=40VKdx zFPSu&dNxy;$Ce+RLF;oPQ9N{X1$l$dgz89Fkhi`)qDLj^3c@ZbTuGq{D(J4D`gW(# zR1?nO4_8o(sUQw|!byC~`pJ&%5=wNEuvAbAb&)6)1mOmoWIQ~ToaBF5S5K{}p6>eA z^~3DB)YK1kA=MJDCR0CKd(=;!ou1IQOXv&1^I{?W+*qlETubcQ#BRUXwURGgLsEUS zsK`8%GgCoMER(*eezs6Q`qcbww(j~ta9KSEa-G&Wh0^;k<oybRq*$p2aa$t|l4_k` zkTfenBXL%=vB<IxU#UZTtxpY7V7+IM1=e2-QfTcr$YN`+K{BkJ2C255Fvv3NVT}ZY zX4d@%Un}^X2464udV|aOVl^0igW$^yF2j#iVepND7aCmVBWtd~n+5k8yhZS725%KS z&EWe5A7k(~!BY%w2_A3oPQjJIy9EF23ZX+lxWSfXaHrsZGPr2?w^|LJBKQu2y9M85 zaM|r!zcqN8;2R8{A^2?umxZ^r*5F>jR~WoN@M?os3tnRIWr8m-c%9&R245?9mciEx zo^J5l1y42jV!?+S{C>d`4ZczED1&bjyz6pZ_GZD~H+YNSZ3b@@{3U~L5WL0U`vw1_ z!P^AiXmCsLdkx+x`0WPo68vU^%dvu0XK;BU-SQbcQSikEPZ4~f!QFxv7(7+*Y=fr> zo?-9|!B00htXT9W8r&=RV1pM3?lkxU!4EIgWiJ%G)8LB*f7{^Ig6}u@GQoEnyiV|D zgRd3*VS}$1{C<PqF8G}W-yryUgWoTBgTXfnzRcj81g{XBy|rw<WH(&a-PikjGZS*? zNIVlWQ-`>aCo~c=jZM0-LE<Li3}Z9e*et+ik+DfMHYnapxZKzr`EDpRJ+>%ns5`yf z6g<BF1D)W@;xTZc8=JR`&30pxip_pw^B=~B*BTS{7@J=hn+$Ar7@H<zlZDL|V{^T+ z@nW;l*pwTa#n?P)Y~~xAYHS`hHaW&-88#0Xn<?5RP)BFR@-Aa}lChML2+Q@xvcIu} z0%BQjEI+#}M2V2DN}+y&2y=*ll7D#iT8H(M72SNvlfhZa>#9PbW&ZdUF5%8t8|C1V zE&>q9Q#|YcfZ+ZCYm=-iB;aTg?06a_HqV9^MBVER7DIV~XJrjEY@Or0b%Xn#v(0}A z8VHDLzW2~p*(UqnUEjSOzMyGv|FTtY1zlyUzU*=>eU3#i3NvXU+x$=EZV7Fl^CDmH z)_2mN&<r?bTke|ezFi$I?=Uue`-9uzJjyDE4f8lQ$tT+z=3%m7ws9ADoY_1_v3U;2 zsjVH@6yd1+>s7*NDZ*g(^Nw?(V*RHZ9fa8VKeVTQ|43o?xQshHVy&a_V=jzuN9`TC zTF*)@!gn_1@n#akcTw#}GiMt2=V>i}po#wJptR2H*cAUnS&)g^!{=pQ53MhL779O1 zmmTL1WeLcwF-Q^q0`cfHZ1K9DVIyo(57$iZ@=2!srjoiVLCQMPR2K!I#^$q}^j$=q zT@b3Xzx1l8eLX7bX`Q!v%h_FF*P_L-Gf1`B)wQ)FUPu$7`nRvEwGxa%2;bO><LC^o zPph<e;jjhwbtvoHNtg`p7eC&ngndDN$>U*TBBxLx@&ejb&eao2#n_loX22o?76Wt| zfrNQt6C8VRD#C@Dmzb#aF7?#8loogm^@C`zo^mj-ul_x_yib!K5Z_huCtv<7sDCfg zH>du+DBr~T_xkxx2tMmO(;Bs0*kvc++4|iw*j!ogn&12x=>-yA0kq4}2Uf2es}}(s zD==>}=EuccVKs2-WW-R6IH8=Hb&D<L6-S>v7k2HXQSxf-RyL>2-mPs>-pFkt!Dt<2 ztc@0L5y+W06*=<*r;q7ylUlY(Z8{)y;jxf+e==kxZ{?!PTkk&)lhu4=xMDp``H|Lb zKjkn4E{YTN#oqhS?_B?t)0b5LRh%!r{;Md2$Y6Y?cATCUcv6-|d9u0n*54;MZ`3;d zgR%pUZUo<Tll&DbbVSP~qC#<;8c4X5qn*G$cnt19^ephmmdt%CPvZegtrh#G4Fo_? zrNzlBm)wVN2NF{8)bXOV<cA1gG)9dfXEEgLclUBJ&xz;E1009`SkemYMIUoVbbza1 zFJ~U$kub8{pDer9q|k)&8g+g%54bd2GP_advi<8LQUmg)l`XL^YRvWX3Htn`G2zrZ z<n2crYW}5Li-9*?kfL=caoP<RCYanPXOoT5*WIVV)dD!dj&4HZd_U13u8%add@TD{ zr{;GEM<Ddh2x38bfsd`=ZAPK?6v79SrxRyhpp7OqOq(Z28i?a$?r^Q9O2NBw#~;pX zs&Z17PS@)1V<#^MOg&xPI&(9huAQgf9cKXcy3T9$Mz*42u_j6Uyz_HWE(Z6=KUDLK znl5pBGheC66}M+_6TZ?k?^dpkHx2L7NBX~(L(0bJ+kYjApl|pm+KfA|+a<3vj<wqH z&l02c9m-<McV`K8y}~j#0><I@DP$bzkSY-UqKEbeTTJiHniCe2VW<#(=9Xn7ZVr9C zo&ft9xk_#=kh7vUyi-Tqdb_5EYt73-mZpSS4h@6J37TFa<>hL)Rk~JF@&!2P(#(<! zi^Fxg&mj-K>rCw<Mf-q*7kw^~29s08qsWW@+PJqBh*{iE(eBQW`}d9ehOqkp?QV&+ zgkJ=La!&$AOKzd>XfkxE@g7WW4*C0zAdS)ce?q%wuNb{okO3e&LGl74b^%0o>nbFw zd`OEE^<W(~;X!c;bn^a=PO42*nN5>~&JMmJ0QM?8K97EJPcC0&Xf_{g{LhKS6MP9T zF$cM)fkZaiB9b}a2_$%QYI}X@!Q|hin{1zoY_DNFj>JQ%?O{+bxykmx9$H>{!%raL ziysRSYi*ZAu71E~LXn*ILOW@eLm;ml0tGLo9dMQsQgd+mckOq4<QAQl&PMQ)l}~?J z`HbK^Cds;!4Rh#7HWfUy^g&24iTAzb(2@nu$Fkt*SC-S5)bV^SD<aops_eW*)<pXL zi@hpp7f*@e$(kv#>UGimtcxCGzB2uO${YECR#7oWHuRqt{BAt(QphtbPRQ9naYVi0 zkPb_)&cLiMIGhb-aSeDVi?Etdc$Uk#ntyoy_}9r)MA?kSs6n}$vdX#ZB;f(IcckWx z-#3FZk)gc)8<{KekGKgV3L#V04{vLYceo8BLD!l}209&OTv_A7Sw|39FX&h=xu}&~ zNRit8c+vAOCwA`oFCuP8sQ)6;e?lO7@fw=hs6ccfurc8>F%7aZ31`o8E!S`=sTCTA z<?uuAa+n)mLX=oJfIVRj^Wpb|o-x+s0`P_2`Y+p-&Y(5i3d>Y>cQQD7MH*0~E#cM% zlgp>*wo5bhSMm1C4_V;T@1L{IKq!bJkN4Jp)pqR@VlxsO>uz#ml<Jy8xilGJGH5=W z|5<Br)PwT0Gnf`ytO=NTfAeLlBIIzgaTu%}M2PcobJiH<L%ZdL8t$=4+wqMM*8TZy z-b0_}W;WNltg!?OCEhU|_1JLXpYb`Zt*1yC7%h2wZjbe<o?2w|@tq+01e3huk<5*c zkpgeGe#itSO2C<Wdgk4%Q{3U<4=KT>-;Qa02T_8wVXQU2$F&V%_y(fyuO%@V5!bkf ziUc7NcPNh>g&G<zo8&;o7<mMsAD*a)k=75ZgTYZ5*7pE*g&wNX723WPKY0NJXa9;S zhzB?|&)s^MdoO<*DUXSWTx>x;w@*Cle69?c?F+La4ra9;LDD-y%X@SG2Dvk>6ZsC$ z!E6^=%M-Xq`<&KVerOOC@SOG10jWe+!?SEANhF6vE(k=m;XOu9um6Cxb$Fc~%Q?he z$f~eekK@t9@HzF;!IBeXI9#sVwg;0hrtT!Nm4t$m&F!Cqt_Il>bKZgz6hPkNO_;$8 zbC3#e$j3#ztZAU#twUJ6?u%H?f^p9yD_dA1%4;f~`V}V@D4*N2F8jp1wRvNTJhJgs zYqL?UR9}LVoURvkpzZG&>xRGTCYhc~^^M=28_9~97w!J-K|RC3p*BHj1y&S3wN%nW z;)clka9cu$79zZC>#uLw9)2hu5Io7yf729$;zG^?#}t}Nvic^|lov#LBU&iKVWDul zd7qZ`GD=B=9v4Xzgky>=8RHf@oAqdXi->}A-b4X}h&h2B!Q`t5CxPU6i?@`<e;rA~ z$(~v=W`XPGXzY+g$)i<J`DR5Nj<b=42O7N!6Ljl1Dq>T%U~)e@?w#b6cosNZH_L?x zbf#tV?)Y`I9EWZ>5&o07T*twCS$$V*8Rg+(>}@+lv|G*}@?_lz=;8ew*JDDoAD;{- zJQMH!MfJNPMBr+at=c)Tn`xm0FSTJWBq<5&qR8py)1J(owWqYd_jNFcuzyqXX4ZGX zT@>am&)RHP9?kMC&#vs40%)M<n|bYD=$7>fORB*B_V+Pp+YS&Yd_AFs5W3;hl8<05 z)5JTv#mUtM-3CX%9&MVFAQ}a-y-km}>2W;5$!WUD&N$Dys4=<09n)g{acfU7Iy~6A z@qcYUlzMOq6r>;3?D39TC@S98NO;t-W{+p`%%;A18}z4A_wie`8Y)?#>zbB&_oCrU z{0Eb(CYUOp#0)@f<Det*j_>pqqsz^kxzlxXJozVITSVg0WX`pECjQ$$g&xx7U2FD- z3MCvY?eTcUn#`m|x$1XBNCo>54mrU?g^7MOJvB2umo>6D#<=Q>BT~Zc$1h>hw<uu~ zl_ZTipON=?B|MFS^e$nhlrRYgU0K!QW0O!o`Y4B_-4!+I=n}=#+T=7xi$;lflzkS& zq00S`yk=+59xc7OdOUp*ApLkADInh7{<Ts+9gp(aeO<ic5vmi@xkpeQbU8?oWVtVI zUrBYF?p?gc+jLukRBaB2ZcPcDdhr*JSeYI*q~-(h&g}6!gUNoR{h5X0B3XoIXCAq6 zQ-?E{>^@Cev>21Q2Wtw<IN(8x$LdH3qFWKtZ)+rJ#@U7SUq$;bv`*#N-PY!NE@)#) z`=&4OoxJZ<iLT=r8DYGP!E8UtLXKYR@m@HINiqI#m=zFhZ^|1T_cAXGCx-TAgb%gj z@wyOETlLJ4<%{#wtyJj6o{Sgk_Z)cdl6NBDbA#5qRr_@8$J3|e)UipXL0LyWmLu`q zIc6>MB|_^mZHD)BS0Jdv{;MzDU~*l`XkJdSN=*FLG@WFBlI)=ytcn$FFWq21td6G} z?6$;Xbc6BGCz4%*x}b&V276_3n4}$`6wK%bi%5c`q8sdGV{1Lw?eQG3>QgtEluxUc z?!J4f^+_jMmEqu8y8&_xYgy%?MEb5DQKFS{afrvT%)QgQv9e2qjHTQ=HQLTZHS{)D z_}-~#I~$KxCRTbUvV~^A+Jj5A&Es@~U?)i9Nw$(m9A(h&aV%{sgVV~QPl7s>ageny z>|k918ooBfitecUsD0=>8ymd9xh%mOh**m#ScL1*tsPF8rho8LqCuuMs()k;6=<P# zURZCzKcuhhTz2y4D@*sR>!GfUgYF=z|Lf6KHc+&cao?Ht`0{^z$MWKWs<M6GLRFd0 zS8rWqN9%olv|JjvtoY<0MAp51>3#l!vEv)`K98k$SS83*u&eSm=4=oy#p%`@EbL`r zTdBB-)`z1ND2ou-8*qF*Xri$7K3_hzr{3r9$cnZpImL&c%$>f}9(teC@tFI~dY_Z< z64v{?^IPhDzLUJ#**+DtuWYk6Z68CnrMQ8)@OfCz??U(EQF@<qP(6*F7Oe;JZAR2? zz0V;Pk)rqcaa?-oeSY+2=f>eZ^*-B*)tb4bG}HBHL;qG>JzFibs_B(v7fMiMKJ^4z zSfaZcipiOX!ru%lOJKSUKeg@uY{NTk*gzIUWPXff<)5zzIwrS%ms2({lR^s7zP%#o zjeeoybJqR)8RPp>1U-_erl%t4UEin(y4*z9ry}TZNUaF^Vx&@fD1zR|&_v}^h@%ui zpZ|YN5p*H_3VQxC6+wSTs@r<%B|SLkRR_~G`f0heTh@3ss>se};qnhCg4WHaW1_^W zW9e1|eSTMmD1rur6+weX<pj>>0XCFH|No!}`pUJ8m&a8Ejl5;T6E$qcg?K#`L8p$Q z9sHLRLEk{M!Q?i##M74|=u5PFb5HkU6hXg0BZ1?RMbBbn`yW*V{e9t12XZ#(3(m4c zFX*9e>?9Udw4mcCg3cqTUVb)DMaTTNQUrZXoIQMe8%59?j1n<kn$(J*4`w6Qczi|B zHO9A)@%W0Me|lG#&=h*348};*w^*-D)4epL2->JLmZg7K6ZBIf5TIK(T5EznlZ7%9 zjxW|z-xY)Ud8qWwilJ-HF^lMLQVcyE#lwqz6Zsob485M~JRih$G}fI{!JU!dHZjJx zFO>-o)zIz2o&<5XGgk-K8AZ@2haOyao#=*^4U`0MwaW~NZfLPbHMDJyYUqh#U&6x% z0?S<uCkaF~^a%n{4Lv|0s-gP{L^ZVByAl;zh0@NuRYPC94^C4bs-f@rT*}NE;qR-4 zuEML`{M%QN3N+BFq4fv~lT53ImJ2{UcrJ|~yS)ZOZ`IIOXb)OPS$6xZP&BB9)&nQ~ zN-HK4t(c<E`FN_KQ%t~bPz`+$W(P4i+dnW!RQuZoakRf72t<!*-)F2M+FL+`YJIAP zHl-2gx$VEeqcvn<cnNkNA`DtJ^z{dO-luZIk3^7HG;L?F9!P{20>ca~jn<n4Fq;7{ zt4p4p!H4XRr-_n#IoCMMZVxhKh<DBxmavth5%;J0zeUgvbRr;Pu$@Kcr)!C{59QFZ zugo~=YKS=p=KN9X<_YP}&@b=w*#8kb+c0ZdID_rCuv3C%er@LTD$=U0JW4mT539cR ze{zB6HrOQckdCbzdZ2zsC!`x1E_KI=*2{=_*n8^tKuOtac7SrhnF4kUw_Y&z)&t#M z&juB`N%2J4(=qy?gV8INNch+E!+zFBtMHGi9vMOscu~{2YsMIn9PAi`AqtfmZY;<w zhfjEt2Q+yd+bdUWj9wpeZW-P;aWLnGMGj3CWhQ+0`_SY{_Rn0rS_IBUQnVJamlVxK z)WYW!X<AIspIJZs-Gy9K^^b*Pegc=z<2c0_viUQ5Y)AZNdR4F^dNa)jj>1yezw3~V z!{KGKQGW2!FrBu6LMOZUaM1hKA0>Ckv|PEHd|s28@Q0hoXSsfWc*0ZQ=vvaZ34`SG z4aw)%yfi19+8nZ*67-#0KmBZ--Elp#JFJiFPI)1iyi*tu5{0)uK9W0Z<oK%v;T$LS zm19V2-_z6g=#s7X2tc{4ZQ+0&9PunWBQv3ky?X7b-eQE~6QXq1d*0ndYIW<u>_l>o z<atygEoOrq)3R_(Ry3$?F(N|I$6YATCAw0JIhp#a90G6w{0>qLx9s$HwG=`9iYf8R zpWbwFe{0-LA|Rm6Lz#-FB--ys*QV$v&|f(D%V74Dc=OcsR}E~2d8O{cK>WM-9g-MK ze*Z*v|Lm2+XCO?@S;DIIn)a;aICO~zl8>Wrt4fK9CXp*TV}DCL!uROwTs_OEPJB0K z$_GtXh{~>j<b&f8Hin`C6Puznl!61Frs#i1&YIzSOnorR)fB)rulUdff#DqDaQ)(A z-8aZ9OyW*&v|?qzYq75SXRtpw!^zWm{|;7vJ;a%2itLn#wZ$lo$wS1sgxr#Wxa_9I z4t+VLBQiL{CekbQGEslvN8R#;5a_uROw`=c(dO-#QDw{)Ts(beC#iZHr|@RlC-pr3 zHlB=bx+gGki*<KkqW4e-EG?=rDmSphyVd$mUSwNf*VeXZt_*860v)1Hg@I#_6#OB= zw~wUTWoN$YTJuB75!}@-C-YktfHz&xVx`?6!-rh5VEm}{7QafWD+q;9Mr(carC@G& zf2~N48^Ua@9lA4129UI!S^Z<{3*+e)%?or49j|QtTQp>5W?-Dxmt5`Jt?-(fcXBJ# z!NB=lrWZCL*{Br$n|R&~y_NOIYME5gl5o^TJeo_EIXBk)JtvG=BuqF(Gq?NThI1;% z&63yTFw9)-lOwx`QD{MG=S-4AvS)me_5Fjk8p>;vt*m+72e-TDGTm?QC_&vomR$6+ z4ooq({5<v74_2-<4-o^G$}{x4?5LZ(_5wM2A1IfR67&(LoCp4b^}h8UF_~L-)&bDE zm0c>J<XT|(HlDC9>m*0@I|{E9ekCzM^PvA!>p?;^T{#*yS|%7bv$@MBOQ{~A+sSp1 zQv-Nz{dPstfO#RZOL5m;d&>#kJ#3H0Twj_BEBr!+{v0lQ$V91cKIb*%WSDDytnEd* zhxH35P3x2O<U6Q-Why16{D_FW;rk`$s&@sGUxa&K-*ug9%`k0$Oxf@GK4t%qb76f5 zO#!Y0H#xhPM#joEoU_}+T>rk#3<Kc=ZRBQhc)VJS6jybMw{e+U>()!lEtc2c(7+z} zi#(Z)qy)FyTC6Dgo`@iDwy{_wPYSt%1)W=EPPSwSc*EzWB@d_Isrm}Z&cMrDak4Lp zMNry~6UXn@+69`tM_k^mTHhe!KsGFPxsk<`1B=}UL!Q`W0v2tH=KMB=wN7HsGhEb8 zPWd44B_ck7H)(1-GyIp?(h%s*%Bloy{}L=OFbefiMpf39=~##`&a^aXY8JhY^HcGZ z*=982mrY$9;SHR5`_*ztz%#YC?eb=xc?%|g6&KqBAJVZz-&MzDoUk~#)H`*6|MOsT zSchfdbwVGy1%n$`P@25`t*2{sRnQrleZ#!tKazdM8aPs-3XN?jBQCNI&3<dj2j0d> z6ndGr@ysD4NIIeC-=e?x9?c}^%au5?t=~ULjE&Jzr4;k(-%5X8zTCQlXVG!3w%(i- zqJf^r!|lFX28;HeLu^q@rUxYHlbgIw>y+g>(jSnLq(YBRg%0br@u1(WHPTrQ<LNrv z)6b2ktHl`jQ2Nx(-ax<n@$Y*BM{@UlEf0ZK=NBUy+w9AEQb?aKIxA7|v)jsifb9ZT z=KMqCCi8hy(-*rMeu)pzcu-jX^i`pbsPyzRo1Gagsf<4&(o=^HFz;}Rvi4@Fx~WU( zimN3+@ga_CKUda3PUED6WqDI8K3BdG%xIqzl>;TDA`{vu3#Z^t?dZ1{bVJIOf@tn) zb=AwN6h^^qaE3jbs3~RrNXktquJ5QJC)W$h*yN<0%0&vU<a3qZII)AXagKJrBE*{D z@`ytRn$C~N+~vC2M{nb)zV1}=GMioXvQIJXhG8t-B!Dt!>6yiQ^BTvrK)x0y(Nfj@ zNilmWx43<NA>J*&2?n3ki^`_>e!RB$9-BdFb>wiKxYyv$RW!Nb-ZZ$M6*ohghJO~z zD7g$Smgh5;pXQBxg$(Dqa$XK5{{n^{eg?2awtj}pkQq*;TR%O)5R+Htc3Yb;kR`M< z+|5MNtzu8A+HGBO5nB}T_Cw>X{SG{Z&IW9`mMjqf(RUHup1>Du5iASOlC@O1vFvGB z5jny?lBSd_c5b8=vKVmn4d#<~if9vsjMmaFecfed3}NID?dr^3ECK`jJe#>?3a_%6 z+tSG0pp3Q8F^@fqQ6m<3Z%R<!k3Qdl<Y3b$W|&~B<SW1~LSBxymSQWLEg!PUZ=xkl z)-nIKl~jVs-T}0kr(^@rG@lmN!YN`fc@CCdJ=plqu+D`>_QTavKm)k+Iqt~|o;<j+ zeT%ANIkm_7Gw~ynz^l)>nFlxs$#LcH!usSlnR3WVy!UpKlN*M0ykUKjk8MV@KhD|< zW_0~{(OD|*=j^d=)mgoZqf)IywndiNzsA%tZ~5gAipcSF%g3gWMprWy4}K=q#Qw1Y zuZQ+~haq2h04)Jt7FYhUR#`Y9>v~WvDKrqDven^0L$eWxTwXifW1Sg}{1EM()q()M z*39Gil%^5OuamJtKWUk3KWT|Tz;oxV%XVaN0<h5GjA-_(`YV*-iIpc?J^Q}o#$6WD zO$&h7`s4;4R~&q)0wa{qEf6g|-t+469L_q{n$Mx(L}jePtTG%OX}#=MYx{_f6nr_H zH+Ce3+{pws8FeT=^T%l2U_5|$==EXEV^y<4Sr(a)3U$hyC9>8`OD9?v<b{T0>(vVp zI+6*hBQ_9ySrzngKyleRg!)Ovn3T{VBa<(pU+f31jCC}XIVoJ9KDcc)8j`w*#y;`8 zFvYz|YoW-XpB&r<o7Z|>yN;Gr+NJ~#ZgcpCG+ysKxGmAuuntST4SnkfyU@ltDS;U& zxYf6PRNoTOI3wjZatYf%$+~iaRDUx!JoftrShI|&5EE~;@3Ag@T#qQUaP%j427`xY zu)SlorghT<#(M*E631Vi$dz<nM~)247{iTDblI-?;D#aDfu{-o{9h<eSI7MNXWe9> z9j;rDSH4hVcI1ffB#{F}2&gH!b{Xp*6tuvC&`Me&<F|Fhuu+S<l!AH?i8@ibqZWx; z@sVU#lo-7)Es1?L1Dv~KxK@)ULOMiB(pa($vM$oeXMXKk^CZ3zKhP`RELnUQQCh95 zS1(Q4`&H;MLu6`$twhc66T4ZjFcciGgVFhy)4+I*Q4dL5Sm0!Nn!FKK@O<7*iG<kJ zPp_6S&~6JutaC32w}t0&CDXR_pVnQI&~g=LkX+>0k;(?_)BYl2zq?HMDthr2NU+#9 zdqp`+ytP@^WWp=PCP-_PR?solNHW+`Dsx3}ike|)YGS2N=3jF?md!e=UaO@EwK;oi zPSb1oXMA~9+C5B85t2fa*THJW3XT)9>M3TTmzVFg0@oI6BUQ(=fy&Tb9VsT|?n%L# z$x*E+AT}c$auOtqhH=V7aWIsin1??snDvT~s$D-;#_DIbkTQ3Y8UKUHKZ+$6jnN-| zS4zIaYxLtVJ-?|f(4Z181o8C?CO<B#D(OnWv8j+QIQBICH{FntRLw7I9;v&%ya^r1 z&$3QBU4+A78E|c0yFdhSDYT+&m$Z<J9fo_8<9mg%UDB-9-Yyc`X3iOvHOp@T^@<Ma z?h81rrT6s_r4~@LQtW`?97<}N8CsR~wXd&G@#6GWpH4c|t{zUBBw>nZA!h5>J>0`i z^-t6hExRhS60GmbkGD9Vys?r`?z)z$2n>GKit9m;V=BOuFQd<>0tsU-k!E`e#5<~f zr1Vm8Q|a;{hfvH%mxdMJlxJ3DL@U+ox@~KKf4%FuekGcrrmz96u3wpsMmKLUvbK8b z%s%|HS~L8hA4+!6Mn6=nwe`b3>al)hq0*N-u4X|P%2k+lR%1yYwx}eue0F3<*DWnx zS)=-j$#6jW^>8}6$YwkLE(@JdCZy8-_3KH2+s}{zQK|cExXFe)ZP;eRPi)w4vhhFM zh8Z@TYr`@duCU=PHvF9pci3>h4J{jX*)Va6iGQ>Wcb{#{TWt7%4cFUnh3#*x4R5pI zZ*924hOgMrvf*JHrlgzr&$8hKHoU@y%WQbF4ezkwHXFWR!?$eMWy5}Fns^7>&~3xh zY<QLpy*9kWh9x$vwBZdlyv>FiZ1|83ciQj;8@_GBPiz=<mdVF(8;-GIx(%~zINOF5 zHoVD(ciQkF8}7E@pKSPv4dd<l7;3}QY?xs~uMID=VWkaku;G3ihT7&_yME5KVWAB} z?#F}cM~iYwrS@N9;QD6_?E1NZy~8yhGWOLc_wC->znE8!`<iuzETvhP^KC%HdBZ?M z=e9WxoqpY11B+F$V(3)!)Lb=FO;8!&@(Y>IP-m$;m18Wm{Y5HQ%}^JsY;EgRUUiOI z!oPEfM`AL+5@r6KuH59o{BvtNu~}~all<kYN!osrwv*5W*vZdhL&39EDLE}AovZlE z@x1-JNL8t8`>?+l-#*+zzUSbl8k^oRc$8l);;Y3?eiwjOkdx3)%$0-+{XE1{qssAP ze)*~hbFo@%n`h$pDs24PzGpl|#M5nS%A=IYzk;5UU#@xUd`j6RU!nXMSczHElUPkY zj9I8*(iMM_j>J<$e139LVu!$z-%OqRZo9eUTzu8`@;9G+l<1Nl?J^hNr9FJ-L*vRG zVdvm}v{~{IN>|a!Bt4}}{9=~)q#P2D<XghC9`T;DWXU<T;RaR0?{s%QKer&u`QeLj z`IAaYCK*Ek&BkMzj>;}AE?sg}X}F<WRCVo9=8KDcRpLCSwAvSP@c0+`Ysu^d{t6xW z1^!B1@t*3Ma;fk9qMG7xJ(pfp<1eZSSMUWzmD)(UinJ8*OWcY$B|g4N!Y^0ECGn`4 zrB^A!s5wPGe@zJv{ASja+Zc3N?60W}o1j-|No8pdi@APd%CD-_zUKICSmcv<B)o)C z_*3{%xJwes5fK>`-7m)3KQ=BtVSp<!Y2cv2$tRqcGGyqm;Ui8O=^i!u<S}DU8JBwM zY2#0yFmY1a8Iz}^pLy2V8B@>6oHqU3?__z-n~|L}^L%ga1sCS!UvzQ7tl4ws!scCY z>1E$tc=;7q78YGqTvA%LXmR=XuC7>8Syg>aO|8#=?b2n-ue*N5${TJ}GpcHGmX-So zYO0D$rFNIlmWrwS8d^cAnn+8k(0xmKP$ey=93Q2O7}Do!v_H2lM}m@dm$aWe`pz8w z_4E^RmG+cNA3Ogzt}?D%OxyElUwy?eoAEDAP2r!!Ie~aQ<jRaAGM>2ks`x7-h~zV0 zr<eyOr7F>OWjg0ewBN;)s1~e<zY;>mGZ}AWY?OXjPN^4Rs?`0rT#s!%;}Z9B(k#cl zg1^_<{-pQB>fUAI7k?$V7i)Lvv67~n)MQ+7<5J1r<>XOP6}M{sNsJ~$IWCpdha1XB zDNU?Pu$7V0t$kii{!QL}^lB-+)M70$R%ky}sth}cPwF&OG8vz`=`=ypX$fh|m?~qA zTct816l1DUr(!B2zDmqeX33M-NJ|iUN{No8RHe?Nv>-DFNcp6N^$eM<^CY9G<ZGg? zU1?9D`koxF?@Gc-iA(V()LKMY-K0=WSecO|Rug*#(3DneC0^sQ1fQYYcehMQtvkIl z!s+$hz9hDz>s`_a(R~K_o{L%PN9w@17)lGxB%c%iDeWUvo)F#A!sQ6%DMY`%N>CD} zyP-yi9+O#zg!-G*ev$4ard-n7`ije~+n}`LP@cN!J6W9_jxUs-Z&#m7NvrP^`>s<% zhslf@q5OaQ^rUA=pZ(9IcV;-fYTBr21J@E)4ROk<qXMcO+mk|lvzua}{HKTG`}X<2 zlAOz0X&LGI=)*#xkV#r(s200Z3)S}-YHB#WzUsS*T9x`TBcb%~Dm_}rs9DMwDWg`Y zjv>^JLeP}wj9%?YawRd!_+Z8y8Na0M^fd>B;_7ZsXY^=KlHX(FTLRT(6ckD<*7Z@O z$2K!YTz%YhLizpAw4b9>k~N;tyeGB0>D}E=rB-Cr@G<Vnc)OS|GF!;XIYe_af(xaN zjx7{lT95ks_U%PtH*Hkfjm+~h;~$-Zp+{Pe`uq0r%gS8V_Mw<-d&S*dpJ}Rlyf35P zsx<9nl##iz8nfUs3&`vyGo_)J%syszFkz%M9!(?JgUPQj(d@V6gi`-(Gwe?N+u$<p zW>v!;$To90rGK3Rj5`;i^l!aw9%!4hZ1W)7+?HVcBZZ`Y)wX$vZFbw{p|*Kryz!63 znf_(j=Ha%vGtRi5WSj4|%_D7dTdZ+++vaN9JjyoLIgLA~1o~HKn?noeEZcmY?e4bC zhix-Q7JA<b*IfU)VvIRo_kCFp$e2*3>*x~fq@K*EH$#o*pPLy{daCqDv!cuclbxEh z5|fKqdrc_`Ow|8)XN|g+*cWM^vgVN4$iyJ=U9DTdQvRN+^VK_*9KxA(>nLK6WpCRv zwsVNj{8EWQMvMyjp!`xR{S_6U{p7zxaYz~2PxXsPjLON$iI(4)X~ZQS-5CW7Vw~#i zw6ysJuwUJ7-Nc-QiwpTFwXAv>KPNtTNyg~}IQb{WfBm3<`<Q>JjDzOiv2MrOc&V9h z`q!Y2{dctgRjT`+Lw&n{J!4p{y8lJM^Z7RaLgC&2Y6HjAzs!LD!!5wED*VrARsZ{c zLp3OHwWIrAgyY-&3xz+nMgOBVf3F8fN`v_qN>NPRc%rRG{_mIA_~`Bb+m*K4SEB01 z4d!5U?f%uRT3z3;=BDqjZCn?)x#{12u>Oa)+<M!Oe*BZ$e|pEy?!4>gzu550yYIR8 zSNHw;{@*<C@4tQUcfa5G9}oTE;YS{QY}4i~kN@$BC!cEGx^4T8r+4mZdFI*Yc0a#o zZ|lAnUVQ20S6<!!+Usxp>CHbMX#2}se|`I%cmHO!zt{2p2Ooaa`SB;8e)jpnLtS5d z`PE@mas8JWG{<Mad@Bac|91KRx6}VG)Bo==$d2!>8D#(4<&Wn471@LEZv<wM$qM~` z+{@gAx#wEq-+GyU(968Oml-+hqr%_P%Y17uvpmDwGd+2#x2IX8IAl%T%qK_d=a+_f zjq}SZORAR6@fG>X;fG>BueP-2;;X(_TI|cMEUT(nq8;WFMt->G71jDY#lG@uOAD&1 z{ncT6V`rjM`EW6d7L}e?wakQ^2mddJwdNFd6cgbtqC&<5wEy<2tGlUgRUHeu$eZeJ zT3t6dI+_*Tnl)=6d|FyvLET#ARH@@K3g*|bUSm;LP_UMu?$o-qb%atZ>lQCw>~zK~ ztFB&JU46`YPEKYn;*;~6G5DXUcQR%r+>?hY`x)Wl73o#6oL`8mtVhSPb`I@A2w&tY zs&JRq)Kt~D%PZX#MgGd-#icdpxX0FNPc^Ke<u|jayrQ(k?W=NERhL$}OP7@v`+Y@M zRcHn}?(-_eAns+<gS)8GT~v+762b^q9U@QE@pSvEDJ?2-m(^4)A%uzM<WX`q<e_9< zXuJT3>INMOo_*C-<S$%}?rZ#|HOtE@7rD!H#*T5XE%o_&IICJ;3B@b%S67r5>xK{t zXvdFxmEU)K54c05<Gb6@P%p=Fvx=d-a36#hA-hf4AqYQ1IK+mt9NLMFqjoB=9cR~+ z;O5s&|3#%f$Y1Vr7gv>(x~t0E)gfNH_?$?*%lJaSNz{KWDNdpuC6!6I$*w%~%UM=U z2Qf8kYL0l9EGeQ6sXd_}WE(e;`W`1(?c&m_im<FGuPmjFRD`mpj)`aK;&NYUZFNy` zsk^AmS6bs9H_2aHGwG`G%1Nb_*NzJX?rsk{_3m~hso}A_rmAvDX{9gZzdN1MnkD6x zR3*8g>S%luuJKp-O5L=P9?kQ3nVxn`-?);Uz3|h{Rr+w%CeYj-$(Z<;mirb<Q>pb8 z)#%j!kz{-HBVAsbp2%7Ct_Mh_%V+v!PrB=z_4Hp-s+&SjKW=}m5N6)onG?*3Z%_X^ z<#8vEa~IjAkXF<)G$|bGf7CcgTTxN9R3etpy_$m|*fHUbuF+np^pQ?c%_6^4c&$6N z^jb!m@-lbnl4{@bQ~!Q?SJBk$L8yp~($7o7jaeG3dr9e%D*H%pwB6H2>k(1<nOhxe z2mfnM_MAY}2M--6S(|;=m!C#mdDZIG4vISCoP{#K)GoY)M!0+-=Up<<)Gn+oUs7FB zdSz%FU070H>s#nMD}7>hi5W-@nU4Ec;!YamRD(+5)u8k^HE6c0HK94KI+bb^Uehg1 z*pKj~cbO=*fbZ#HP8u4ehE6`AI=OIgnuL+~HpA5Ut1x!#Fpk&=6+5|K+K>qeXO7(A zQp0=$)QKetq!+JTQ(|lSwMDf?z<k(o4RaR39I;U<HXZIpO}}bKoI}M?635_JH8|a+ z22W1x9MBfu8r$rwjw$R{kTfJ#4cQT=hWLOb{nZfkeGHkM+#1TuCU_pANNK2@m!#p* zYWR66%_hgNJM26!J58yx#&?&~F(O`#@WrVSC9!J6-2Q3=@s5~0r0vAk<mMz-lyarV zDA!~|Cn>W`H&uKWh02@~t5Tq8%G@}WLRnH~4{jaUoLHSSxStwa;-oAwQWi~T37<S! zsWE)v@cklGzu6JrSU#zrQ>U;t;ahB{y9fNQJ<Nud{e=G2edT-7nWzKg3#Hp%)4soo zo!u{-x2Us}x`(fxGz2=(X%_EDQVw^#a+f42_uNF~P9LD$HN!iHwxzV5&^)->F+5%k zFL9~ia|fv5)bsG!DV-;@*)(wVQ!eVt1x;PEyJ<LjI<o$-y?$wzWynP6Ua|w)Z&xE6 zPpSdU@zrs5J85Hm<KV5RD7%$AVj@(G<7c}42|e|f*iZ3vuu4n^PL6MO^p8;eCr76Z zNsCh>)9+Iw9e1juTa#&ntt?Q7OzN*r@;#zXDtTC)l>P^Gl4GMvw9~F8?Ica77){qu z8>*S5)H8g44CQ~MleF2J)^xX5Y2z8>@9(wS{qvM+xTHI-Bxw(mBf@=b#$`%f%J-_B zmdTH)XUUJWjaY<a2lIVm`#BZ7fN$UzIPyyx6h$A5QG+JCbX`lBjZ8*w@`b{D1b)ip z-C-O9qtw9k1U2xMxB`crCx`A2)G7TTX?U!uciO}7n(jIe(dZY2N<CPl)C4;ZLng$j zVI{NFu(<_lSo+0knBxLvT8XKPEHdR79;b%;QfNyj(w0t8!yN-va@(NRq-NZt|NH3o z^r<0pW9a|=)R4)^%?{oF=y&wp6xvzJ<Zo_!mETk9Exu6O)Ai$vCtk)D`Y&Tjr=%F7 z?P&;bRPxQT%keRnw!V*<=cV+|k?d5-KE9F|l}w(JCnq&K2Gj4Q?~~8L*h&AlX;_eS ztpC;!%@$QE^(($RLvas_WeiP(Zj7bSdDtzwYz2;9{Yo;T`v^>Z$B9nH-2Upsxj^dt z#L0uIwY&Hk-d_#BoAR|KwYr)Us^bge(qd`rNs<m@*f8dWVUthnG&DDDMfz9W4N5)4 zcjK256Y=Qu85b#=v;{{Bbf>&2ls5%C>Y!SellY)Vo0(~13q$36Frd@{zHoe+UIU<4 z0`!VkgKvRelE&Ov(qQ~x>@f9D9WhQ1p|0)mzd0$XpGu<Mk|xV+)}6-5KW8t-w<SbN zod$CYVF#yEH?!?DsCO6PyVFP@4cY_axo!_Nv@tyfIQ1CNU&f;Iy62Pc|C%)T+DJ#B zV@#|XlRiX^`DAEkO4|vogPR9dClw|Zn0{;Kx)2?n|GiS3d=WNXhm3NnfpcB-y8&uo zjUELH!*iw7kv*plV@@3gooElHZ`MSlNj)*|=8W_Wq%M=F`$RQp#(-O5JDqL)TBDjn z^R72se@T=(QMq1-tJd?i-Of%V?Lkup)btLQ77phk+yLczD6YF*4Tw+!CdY~wJs$Ul zy=nHrPNhEPlROJdIx&_u%UXf)=ET{9IzufcM5i?^N)393TiQ0AOrPzs4w!6OY{>sX z{QmJ-rOHEeJ&F0}mbkY5tuf8f)lr3!1rcdNSE0p_v*Og)^lKu=I?5vZnj_r9$e;At z<Fw^xURCNVzEE2}UVHr6e%d@=s6Cpwsf4-dvOedg7RJMGO!pn7zUB+1Yx+xfpEUCh z{lv$3$=GC%mu(>$-DmO80N?FL(R2WQY5%mXAvN7JmHFc7cBS6u`-APj0z9EZsTXat zBbl*}_LTh4fa-+8_yRpHV`e?nIj}9U)wJf=g5#{WI%U1(h>lRv>6~N?lztFPKLAcP zAszi4s{d8A8R>tkfqD$G`)&<w`1A-h)X`|xmNKtvbAN~KKTgc!W7JSzx?^bi6vt3U znj^HnsP0c(@%>ahV?g|Dv(|Ksj8`LlNor(CBI}0%YGn8PX3E7F)MLJBll9(^vlG-Q zzQgL2lCRV$>0hc-9G|K1tjHKE`B={}o6i4vj29E7^_ySX6u}*8nJtShw$<3(9?|W` z`0W1sFZp&un}5l-8#?@7k#8UA=qbk8<bYo~!|;Xj*h$Y<<D=%33S+OJ$hUaDx&c#9 zE-TzR!+BNrs~Ir*e5JNPC`{CyIxc@r4V(Osn5Z*)eo?t^W>w7`m<tu9cGxBOtSqe| z^o**?+Nz4u8NQl|9GC*g@SdPNwYBAoD(x8NR&^(-N*u%lyVvI3lIFXTrW9xfJhM=u zYG?$u`Bf$Uiqe^|ATKIfLc!FpBWDS3u?Nq%JL>Yte1C<n{JiD9(z#Xh%S%dUEH0{1 zKeEdh_UBRRYKeP}ufz){O}Lv*F$>2zM_8@!HHBh5ie>!OsP|R2&7&-}gU(hnDynKj zrVDdsUzC$KW%9(53RbrPCG?*STjN??ggG$t=BpgX9A6Fpb1BU^+6Pq!<4sC8$D23b zQ;@5JzZ&5!EvlYbQ%e3`)VN33Ch8NFQwjTNMoqa7W@*J77#qS;SDBG{rA6149%El^ z%34F+&0StCsodPFy?E4~s1PTuoBnS_&8u9j=~I%ktQbLUQlTP9n)yrUb6n?$$lTiO z(yRQ77M0c%)RfjrlQ<=6wy)xn@*1DNsA66vT&fbKMv7ftRn^u0>X|UMB>{>iET9x| znNd`YbhflEU+FTR8Y^}tXwEX#5s_O70g5Whuj^f8Pi4uR>hj7NResX_5NZkkt)Qx0 zsHUD1+4LUfH#B9B?jK4$AT+xK29l=i%i53WDTs7v>J>-}RF#5zW-v3ID<Lk<$rn7H z@?S#EN_2bXd_rC3m|0OPQ5IDo5&m5<k)$zQDkfdcbwbr1t?)UWlIe?c7Yj!|7pg4~ z|E4LZJV{l0jHjdoLf0yFlGvDDV_GQnogO`(#-f{`S|Mo|7egTRrKBP~Oj?Kfo`mO^ zhKj0|BF<MYK(UHadU>w~*Bmvcq7)hXNs)Oo@{6iz(X=p9+a5WaoJxdB`6M+#L*!SB z98%PrZq~60S36(*Me@;?gBsFZCW%W%0{XB!I@HDIR)zb$`i&VM3QBAAX+&i)?T2<i z&EFxh%q=gz+AjC59@Mo59mrd!%fGyqYYB79NvBp*22B0H9!JDtzVbxoRTY)wm0wlE zH3Ulix^5%0OHIXW&~e+tA}!*f9%d>B%3Mw@`fC?UWas(I%4ljz-6quPF)EcHufL?a zsHQYb+fwn-gGQGW)szcUb-pSxE+rS2NtEogr5tv#WE@fIPo|~QU${4IT7*5qk^STR z>Z*;LSI9YJKI+syG30uDC~IFc!yeyHPZ#ko-@ktUqQJi>@SmqZsLxHl`@n>sj#ujW z%iS-Oy(G#H%un1;;0yIPIlmX2t)EKai{?w<>&M3yk27&|uFqCbpYMxZJYOuIxW(~> z+$3HJE6~L!@ybvkc1e7&+4Lv&qxi%g*1GoRvCT7VGef8jGuyVGV?!CaB>qeJByAR5 zI-Vs!Hy^{Eez1Whi_X84L;TnANuF2Pa5YfMQqL#u4SbTHAM%~b2MbJ_e+iWQ-peQH z!K%{sj{&7jd-%ltRX%Y~fha;B`GhY2++X5xe<oe`aex2ZeEm<weth98lY`?6|NKwo z@SmT~ahrfWOCPrhxc~Wi`(H@m|9F!q$T90LM?{n!KJI0JE?m8Q^(dQ^_Z=|EFMnm= zs$aAn7A)(AIt}l~|JHk6zsGHykNLamh_TAD;UnMDzsL6fDE{}}{r25M)jM}vcXL?Q z>lcpyhF|IsvzSn3y?({(Zgu7B-+O&>FW-#EFYf=doB^D1g9(Ysq2P=jzP$FmgKQgS z*>IW-Gi;b{!!#SF+R$yo6dO8i*wxR_`F$I<+3-&`+;78|Y}jhU-8O8o;SL)%+whMz z++@RtZMe~f_uKGx8{TZg1{;RrUtyblHmtB=p$!+<&}+jC8>ZRtbQ`*D=(J&1v?+Ig zCVWQ^I(ORkmJQo%xZj4YHf*tBvkf=eaDxrk+i;l;3vF0n!wegy*)Y|HZX2f9Fwuri z8!8)iMVb6}+R(CLn+^Bdu*HTOZMeaP>unf{zs@#S+py4vUK?iE&}~Df4G%|}e0*lZ zHXClT;RYM_q;U^&|F@$J7nuAUFXI1gccH^K(V}y9-}x^bY}a>+fz?9|TyK}RAm5l7 zHuM^|<OE|5(LwCxS0{_Vf8wuq*?OCMC*9k<xA`CS|Br_MXUE?=KfTSp)Bl(G|0V_g z-aV3tUcX5D7b<PnK+|6>8;1J(Rdzp4J!tgs{CB~LBrIQOylJz?on^%)AOBT&qy2l^ zj(3F}?>`EqzeqlN_Z!)3%1_ow@>3T^%NF;)@5ip8Ms^OIvm)A{-sS6@;7}IuVm7=B zPj#pQ;136JR}(+C0ap%I>U8irU<Y3t{@({CCUZ`Xy})x%#0;JV%o_qv8(d(^aQ5ur z0$<=0|D8Y=GL(rY6BhUZ-(c`g;Ea<9KhB{_fS>afVBZBib0oZH@C@K`KJl{xIKpjk zH}I@caK?F!GXvPlCus@1X|yR9x}p?%pLAG(Kj9NUw*$Yj?GFPdj4^&T0q;3QsTHJq zFYqJ2dnG@>q2rJh10N2Y14CgG_*~#ue68SzfkRG1h2>cM052F1&Bs6!;6r>;mWP40 zr<*+ZfTz(QQt@*-uz@cdT;R_qaZa9!&MDvrX~;Ta-w7OWhKWBBxQ%ZGes%!QWf@+F zpDf^4d{U=}fk&p0XY5rv=Vg3C!wTTLe4W@^z>8qm90o4{?m7#e3;AyWzRoAK`V;V! z4DyD($V`kqhj;`BMo%Yi;7;I`=TZjn#lSy&N2%X}KMZ__PvWtF^Rs9J)Yk&wwR}RW zW?&ni_z}qU1dR)v$tQU(1UB&P$NzfZ{d{fU8-f49_qN0X+{$Nx?*RVjJmfUMZwKz> zI}F|m+>sA&>=gU}hhAjT8V-DvPiV3Un0>LKt-$nI)Div#e#qwq?*!J(CN0V$@bkIw zt+4L`zH$jqK7*s5Oq4X~vZO6g>NhaBq+WgtjJ(X0D+;)rZxjC40w3fPI&1`%vK8Bp z{bJzze3CbTi3?3wfio_LF9m(Fflu=Zty+M0UBUhld;{<`KC%B3@Dm%4zmmSsC-w!v zdcL{f4ZtV(B&}v(RiVMFfx#m7t@z2fN~tUOB<#(=_7dbdz~2W>;#@-Vp8>p@PyEP9 z#<`1?dKf$l_#|H|cr$QDxxur6&)E2G;N0&)Tl@$-!l!8GTohN!`GkfmfGvCyzrcqp z@PeOaU^a}y#oz*;<C8w}Ht^X>@&>*em{?`XCGa4h^tCQv)-~jZ_yu0UC+)KkxSdbZ z64{l%@JSip26}2ZlOb#!a1UQ6cq{O7AEMyk)xgXAq(__!fxo-f<bNaZ#g&YK*uMn) z=my4H@J`?fH=6iUfWP3A@@@cr%vS;a8F0fozSFS>o)s{DGJq%EOuNKS3h-h+$#Vhl zmwXcTUf{V+hPGM2J8n09;ZER=pVDXXBXGeTCJ#Q~)Sn@5jr}y>HFp~N_<&#V32hGp zH{E6EDe(HA6F>e}0RO-zd3YH3IiJuCJ$)+i7X}yDw!y?BF!63a`jo%}_n5J<4fx8v z45irb2k!or8S@23-DlDjIL*cde#Dn2eG}&HR=x$`JAf6x=j<0;;JF)Vx8Pa88a}D( z4Zt9u<Wv0z_(QZU{HQ-bXFll{1;D2th7Q=b0+Syx<3I}VN*k{RraX#&{0Mw&lTx37 zzYV-@GyLrF&<FVX7U~`RPr%C_r`>~B1Mhv3HViKCmTlx4{5GK4Zsrkzu{(@?Ja7r0 z(76tn_B3V0e-<!iC+z{;4SbnzE%<)mS9~{v9|jKDWy+feyx|$z0QTrqR4?*LoG$_Y z{4DJp`!?VqK3$JM^*rMb?NHzvKJmX6IDe197XWXU4|)o`dar4#6~Iqy{4?NOnC+>= zBXG)o!h)v*<6fgI;PJrOd=md$U^}0T5AOpXf7|qhKLTgHW9n!w@a%VK(}c|c2KXfG z&A_RDGwp2}@Lj%6{8+$+mdU3;M>}O>&2u_1y#tzp3+#HI^#r)U_zz5*5%>_Fj2jOF zt3HP2_^AeV@X6W<fe&^2r+nZ7%RZxBfiDLBgiq54IPM_wn%JiUeSBgs@If2j2<(4| zwD1!TT*W8jPXq8NzWvxY1K;A4uyP+o?t!ewk3hN8azAZY;6=8*K)FjHegw*$2k|3N zWW&W?pvd?OE>L9f1s5oC^MVUZ_`={KZ!hxhVlPl+#swF++{Q(2T;#jOUZBW>3NG+P z8y7yJ$OMbMK#_Zuya^PUR<Rc-vY&zr6gf`81&WNO-~#v9xX5XKXyerK|2MxVUD8Mu z2~4Gl4ggjIQ-EuM0R1!mV)Q;`1NITvZURcUR-m}kMe3q~c&h6MNCCzG5x%Yi=%0zl zp>Ilh`>>~Vs=_|(CGawFw11&^#JKi2_O~C${{G|GYaQ`@#NTop|ND<)Z}nj>eAq7R zop&>?K)kn20aWL`teLS7nN#j_sQaDW=H}ng{~&6}J@sMS$99`rU&EZ(ZC>^s{)s!} zzwJZJlqqEPe&j%AsoR{2o0~6-56NNv9{)FS;zV`+`RA+o^XIGb@^a<(`&FHIudCyK zox1(@+tsgs{cE*(^JdlD+^k-G^;LD`$Pp#mSMjAiW9Sr9y!yfJI_|ygTDp{>9^>BN zM~Ca;4=-K1Vug74D7gFZ-r(*-IPb#j#DK2zAm*h@#cb_G>9;mx8&ppId=xxfrrnpW z=ybkM;NVW%ymYU#OTw3x5x@Ly6#u*TmX+-#eQnn9mzD9*K@dMTO8kd$mmhw#e+e(Y zibI$Wlm6bF+Dsx6{{cx~{|=EpZ#(QIf5cW+Ciy$O_lpCV4vGhz|J8@r?LNHwpu{2O zBeNIg;^A-w@nequ<1>R#y>s_oiclu>aqfR`)gU1NKZaE0{Cdsgq`cjG@o_WWiT^iu zoRMKXXmi)|d+#0n+uho)xD)Pu&$M6{!Q-|6y}S3^Gk15_;k|XuVun7!ujf70byz!# zf9TtOXID@=Yx+wRmT?yUTIu?J<E-P?d6UQ`zP0wRSsT^ik<B-@Mb>?%4&lHaUnIDL zPdAO@Kyep;J;O;neSJ4#AFNXjzDT|pJ{RA}ptSQuJ~!XrYv<|d>FB>j<LI0@>bmQ$ z(|HTE@%8K1s|Ox<Kt25M!@7;X^2#gfop;^|xASTd57@{Uy793XY3bKjUmtw5>?w8Q zQy)E5c6F7ykt!;CDj2-+sg5gY30L3v;pbOA3UcGm-{D2jugX?F^Ul0^^PVcpOaFJ^ zl~-SI&BejsBUc7*XdL&{cjsNHZVcY@)Fbo$UwdZ)US*N&{YGT~7Z%YW;F1uwK-7SU zAX^d=mPDf9++lFL5s^Vq)(FBVn=-Bpk{L%)L`dR-<bdFUD9YxBdQ~<R*Px;zibMs( zweJ7dIUNo$V8r>p=lh<=erWo<=Y6ZYs=BJWx~k6``g?pj{ZBI6{>?XwoR{LO<g3NU zTiqJ*<_?Wk(Jt0iUc)myPpwnNCwP?R`6NShfYPj4Gnbs4toJLlc3rx3ap~!L-)mNu z=Uv~veO<qP{oJ|dp6f2W@Ip87k{)jG;K6R_(4lVFuwicWXuU^N_G7|?39evFsw@6m z7x(bQPVU;l-QBdyGTf~r(%r1lX>Qq+j&8x^EO+OWi``>0N4n>3In%8zy38dlH+Rx% zb8Vh8m->vkb}yRi{EE2?UN)DpQQ@+;%=IlXm#6yY56qqaiMfHB&0YMtxhYeoxEpW0 z(dFmoyW4NS-Q97=9qz8X?s9YI&UN?Rd#|70MT-`>M<0FE+p;I0e9~=rdXc;4OLLEw zntS%yXWa`gyx?Ab`DM3m-8#2%<3{(^TW`5{-+kBZ_-K>c@Rhmu-+$lB#iyTs>UQqf z=05z^Txn^k`{tW(ysW_1LsGO?>7z3^5}KMb<hw7D@JQKfmr73UXxGKsxbv;A8*iiB zOv`tV+G4lS)&+a&juCufAFZz=o$E3~zU(5Mml6EnQmvI%&)p>Wy9B>b@GAwsUhrFD z;F}9Rt&jE?Bjs1laBlh{#Ulj2x>Uav7W^i`zbE()1^=nwcL;uW417v+#pTi^>*vd# zx<WCf>58d5Am3U05L;i**`_wm-tFs5n_}CR@2qsOv)${;@lQEM@QH$NE%>g2&k?-( zDjg#D@%5bD)W+HDzRn&T<!n{H`dsYnqjh`X<$UxxOz?jYd@aErE_m6WQaLe}aI~|o zZJb@u*V*4jIlDdI*^<T1Hm=(X?`rG47Y*d^G<GxeF1tl~yXdQu{8GJ}*Xo_;tj$Pg zeXnz-4X))s<ZSU8XX{F0;1dLYy5M^Y{$jz86Z~|+-y`^k1;1SI&kJ5-=D#EOj|5*@ z4u6u~3UQ`-7@{7oR}c59hiBBo`|6>zp1H5unA_Rc-0o54zR5TD?P7D^ud{Oa;{<=Q z;8O*Ej^GCheyrec5d0nWOn=+K+#`L>tsZ6W)qHdBEH?Mqy1no<1rG;~75s66Z!Gxc zf<H;{UF(_a-^SdizUHQlQeXMzRxCF6*1Em$`<jN_vJ(4cMn<>vZt0o+tKO}Wnl(*K zY~Hi{f%I<KSy`Ex*%_&+>6y7FC$(tNtZC1lO>(0TWM=8M{$=SyW@c`3OCIRiGa-6E zJ13)icB;DXo{^r~Ej{-n9%$Aqv2pZ%R!&-ac6vr;hTy^Ml#`N^yGC*3k?fr8P<k8} z*C6*4JwOjl6B{Qq5t3Q-pPikRnw@(>{f2S6uLqK%4>Zped}=x!WMt<aSHFJ4vily# zrilqcGON7*++&ZaU;oT5zJp{>Wn<kJ{+Yn1XY2kk^-nl6id*kipdk3%)byOQva`Eq z=Qg5)hH(uV{PD;mk37CNIC7ttw&!S++(!F6kP92QpV2)hD?2-<drtg559of2R=)pk zIhonrb24*!oY?5t=nxtqw`J1Fy+uF$XZRrk*K#|@2?egiKi_|wPB~(6PWS8_PlU%Y z@L%}nX0}NKh3uT1+(tcm)URJ(M3mppJ^c^4X(`<`#96w3Vvio4%HzxLXVj@)r$g=5 z-Lo@u#N{6Gp2`z?M8zYuV|x0jht{dyIyE;ZHz%umP8pUmA!Q{i<FsxWDTh@%{H*8= zc$JkYa}~Xxdqzs#T7RfktzIu-2#Pt`sS>2U_tV?AYu&cip*4@r(#?!+lI7D*%gES! zKR35q`q`ao*QkEFM##ve_pHpl<L71|cV~Ax>W~^~+|NjrxMl}%@elq;z|xMWSNrVT zjGWX?lC|>Nx*tlfy7kV;Nf#fpVs69#O#g(wZ{IeflT;=4w(no_o1G~^%<A5*V};u> z{cEDL(mU=8E&bTH<m}VA?5nMuw5QJG)Xj1(R;o@etG~sco1{J}R;$dHo9t36_;UyL zQ-VKt&N=6Je`MmIp5?yB{o}g28-{duGe>8*N3QAa7Tr0~wO=EjLUyj#8|M1Scfe;D zr}nnnZgaC{&2qD6&vpd`1@4}E?(x3D!w)~~{lO=mc*5Z;yteXwH%tD;BKZo>JoAiu z<&{^wZ?NTq68FIeAGj@Bwz$te`^<g*`RDGdFL!v~VArl)?#Ca0bot+yTP$B;-S;te zHl?u^y7pS=q?a=WYM~pih3*zDboaS>_K0g^%Uxev<3`yAmv8U5#rBcb@4f4cOVNVZ zCr<EMY-gM#_|pZSCirZ@pD*}Pg1=tyvjzW<;9n4YN%=bSyPqQV{qCpyf9a<*a%H7a zqefC9#kCvqf1|i&DJdzf_>|D7QCy?Ot>Wv}u6?5X;f9Gx&6>4nmQt^7ot8)Gx>4gM zEn4W=dUfMdl2el1@rkXHQcgHLrJf$BebiAW9^bfGQpypBC!HAmA|WBERZ7j8M<xlT z<<Yf|Y82O?Rmu@HYaU*!di5h))~VCzus<|vb;1!f59f=Ny79->s8%CU&!(iDP^&uq z|1s{6`no!z$>FtXC2JqhxY==s9<RFsIYHMNKl%7$S~N*cNl9)Y{55{7<m9Hw$&Hge zeaEYC61Z_=f9WRGQ4XYr9+a=_Yc;i%6}}J8@Vww$ypIVwx##X8)oLz5|No|Ph@j=M z`=1@iYxiw+wT%3KqwJ6R1C0&7N2nefA0OXXEw!m?^IElPX$RzF8Q_#$Xr=B{k5UaB z*T?@zfj{)C-A$DWysfK>_$SPnGv_Z_cb4tgvE$<}zWCx3tvw%X-@g4LwIw@u?%bh$ z>6Ulid1vwS&p&^&&iN#F?%Y|D?`hJa;rr3<%Fo-c;U9C&!hCe|=FOX^g;#`^t5V|5 zKmYvH(^d5Faf&0}qJ6ZjSh2!B`Q#JRdTNTh5TLS>k`mMY+qf?pOndNmw{G3~sc3zF z{rdHHuUfTgQnzm1+NvMs>3G!!s`XUCg?T+ZTKNo*x%Wra6I2^0R?&9Po;}J8Xj@cu z{2PkjuSy3`qmTCO+cyV4;pOpv@x>QSF;WwLwsh%IkGEn-_VLFb+uF5jO)&-k95C_` z_<oCE<}6;kc*0|kJvKpZU-xUTz4q*pBS&UVpFX{h{AzG(shZrNL4&r6ZJc-Nsi(rb zxXjGVB>L6oUxokIUw>`#W%8ReY0^$SoW5<_Hd9QuoX@Ym`l`M8=9?Z*&5y^Ox!JsV zv%UTH+x{AwLY2?sKTGCze);8>dn9+?tIw_9efOPx_0?BjzxLW|kAL{#hb0>8TVO=z zzoc*Ngu`@Te=Yv<r%Yp&SMU!NzJ|)2gbM!fiZ*=ani}Y!1)orbvxTZTw@|}(p*<M< zpMLu3X`07G$;4D>S-pC-rvdp;yvdjY#hJXkfFn8~9ro>p4I7M#ZZIFT=m)w3%u6r5 z<Y{0IrT@k}C{|Ahx4h{3dwu@{_oc(9iiWD{Z^PZYcbk?WFaI4nbZCwoQ<($B&1~7S zWu`ed`OIF2nFHoTaW!ATea)IRhOTVdw8?*l25bQGhMq7-;I>46KXlMrW~r~3o%VuR z%Clz4tISSWX?D(wX7fKX+qHZ52I&g=UzOtVU%q^Ke$%E++sTKYE_-R34^IO&hdF?+ z(8FASJD-{V_uhNYS3bjY_zk|u0<?fP{6|I$KR3&K-7IarSto_y+bd_#c8zFw#;lcS zX#SL0;uB`m-%)Ph2ToN~sd)Tl>n&994>in1Xb(nD&;#V<FYlT4+@#-fye9rbgXZA$ zm&{HT4a471zT*eQyY)AsTQB!wrO0BHN<+m-k>zP^+qO-VEKG$C&4Z^W&_N3?kt6tD z86EH)o-;?t4f2oO)t=2Gbhhw6^X)Pky6N|mU4?5$(V%#;jTBwrKV*Yh(<jT+qDt7y zjntZ9!TuxvT91qx=7SdegPbG(%m;FXYy?`+apVlSM>j%?UQqs|zv6wCXvmiQ_Yl9K zp^N@R_Zcsj(a>7Dpg6fDt?-XyN2^ji{<6jSit)G8JWNN=uq~C*fxO4gNsudA_|JXT z1z@o=v8CS@=_oY3YnCM%x{HQI+hd>D@8>Ud=g$2Q)9~AGzcsBh`&4KMHPBJnoCI28 z>G=Np?`_@Vv+driv+d4Nsdn3lG>_PMADjL8L$kh{&2pgO&8R+0W;zFb#wJOhu}RIP z2k7(3k|%WfC*|2Hp~2&?`JSfOMWXEbRA|8-(gqr6k$dF2A{{}#kac9K<bNKq`>*V5 zMPs_y-FaO-4G?hQr)K9yY3Ng8)>}CB5)I}03=L6zJ_Va3o7zk^sj+B?Us`5c)y<R& zG<f_I6BEnrzt(ux`Jc@P`pbF{<^z4;I_L@b%kJ6A+b^-=@ty6yE4x^sXqYV;C<A0a zFAxp=W#j+r12bp{`V0+0pRq}8o)_PrHfsqD;(x;9W@pPzsk~Ad{<8O8{-tZv@rTg4 zKu4g3Ibc1Aos&QdE%;+6ADxnJ3$N;A^F_nGqM_i5GW_#)m|gUlXxM7@7tw$|W0SIF zlY%}&L(pev2>OgoN?PXe*U6rJN<;LF^+kSGd4+~hE7B2kC6*38Lj&cpNoUwYS9i39 zf9qrqj1vuGyV$PMZT5!L85(j$gK}*4ml%D<CZW&i(gkc%2iYXn=U|gstT1a*hJQu7 z<nfn(KdoK6c8T&)ra}jHkrtVO4tyS3XyH57+TfRQkM$Oxf%3%UGi=GkGi<SFSRfka ziH0Zd7-2hiNO-DHJ{6tAG$$QcpG8CPF<LAy1Kx-Gvj5nNApadZc5KdEgo?g`H@Ja& zpat8Hy=Py8-DIs|ZKEu|rh`2$8Xle4(H33Z$s(emqCWpyHYtBtx=p*Ro82%Z!>%2i zVUsS&w42AAXYakS)}SHQ$ME_rn?$J$f7yF4|H5ZFxPuohIDt3%0H4F0VB=%`WBeg# zME;+?p{qS58kUNNM<$2{=>qx;4d^pA=?>XdXqW*FL%Z4amx_kJX4=F{x_cVH6CZ>1 zIrtduw7#kQO#ZPMtikvZ)OqvfS#fc(;g^OQ=7aV?dZM_jt-X7It-7|oJvl`*NEaR! z4G%{38JkovrmM{!-PLA}Oto8wr`au+r`ye<;X2W9jcAx48YmTgjQ^HysQk?SfWKtH z%fIA$Dzsd8-E|g;L_9r#2HO460Zqsjuv^zXY^$fXx0Rw{nP~9(EE=#$L7(T!CfzkU z)ove|X8#fm(?!EgqT%n7qbY+jJ)+p8^cWxGVd=ff&+I?=2l?;RsZ(=s08gC?DW`#X ziKXK}wEXzv5BC15JMGzN8Mflu4z?_+&)B4(&-chCLBp&l4gZuJO}{MNZX8lZ1BiMb zL;iMe)!DLFKbgH$LH4<9$ee5a&DS}G?BT<QzX-1ABRVi~;zUnFtbA3ZrQ)1$jZHuo zeyP0i%))XX1AYESRG%xr9nk*)f9AeduU^c9J@CK--uJ?%QGCG0jvZT0!-42H(42q| zHt7*;(l6<=XrNTW>&m`r2%mJ;W|eHGwP?}8a&vP{XEO}HE-x?7uDId~n>KBl*K37* zyxqYUs*DzR&)R^k!WY6HWj{bcpI^OijQ#MP_8UcG{rVj1W84wd=NZxkN@d7~?-Z-3 zBVYf&bnWp!`Q(#N*U_Hg`V-rq$&dE)P*_-KXP<qx>1>hx;~)Pp<&^B!TW|IFu)l}j z(7;;2I)PkK*~35s_7pi}ErdtU+?;9a?+5?g_ToKb_xc#p1$+$j8Jl$HxE#>`#r>CJ ze>W->ItBTWtmkXr-%jUXBGO^gJ=5R3GwFnJedd{GdcQ~KVZ8kWcW`BnpdnPggWt#= z`y6~b<^p{{r@cOF9$24)K4X(&_4$7un}Z)XEAaY2?HOmBajVYs_&5k-M|IhBM$vR8 z$rRJFmMvSFd~1&jc;GL^R%i${&_PRoRAegjjct8-_Qm$(-_x`{m-!g1&&3lm?6H3h zwzpqeV!L<k+MxNaa{NJODQ)W1sbA}il3jDnHM`C`?>xKw^2<HnwXgKD1P$l~aUXDl zj*7GpgJ2y-?(vb(72**qw4dZVd?eNhXsM)#1>e5MeEr(^4}D2@=PE{7a@AE={REym zH|i@o9cXCPs+H;Nnx6;O3}hbPC(r@D;E&8hCwl{0^Z^|~AHtl_B7^uQVeMh>&Hh>P z@~h&X=oa!XSt`(Zv5n}dGU9gi)mQs@fClWUV$0UQe}Dfya{vvYLPOa1vZutyM()9r z78!!JAYXisPleAdTk=oEo=(>}!&}%x91Q-*Jr!9Z-V9CPM$B1f@4WtIWMo)cTAJx} zik}DW0~2VV4RRIcB<KnH0q&tij@UCGSNMU<U5IZ8f6{G7s#c|V`zgAoDFu)y9!^D{ zpL*&kPXqiRZYcfmGz=Ipz<T%Y?PW_jd5=H5hUd@%-sl1Lhws@VAV2upE2IbL06Iax z*kIxQllqw&7Z;bNc`sDlX{(SX=R;nnD#iN`K?d=E0$;(Wq@={-qq#Nt7Mv>f`k?tX z$(xq})+qSQ^Hi>(0Xqs$vHuS}^pGuFxX`bG4?g&yha*NHK5dn4yHIQ7)xv$XzPnyX zllQ1<{-z=L;{Ra(rH|9OM&D?`g?Yy=NKU;kp*)GVt<rVBzF}*SZ)6Vq(F637IYCaC z1L9fS4~5V4%N#KutmmTlUg3@1Bu`k?;_(l1N*gP~&=4xPK^HQFE?j^8^(LETtkbat z+(HEgJA*BvAV2JhsNfD=bLPw;#yD3$i~qH_L!-w(`2XVfRA>lxG0+ldpoQPqCav9m zpMXrU*2eM|T)75+<|g<M<aLmHWC@<5L$Vn&g~!3*UXFjP{9_|x=cBSYfi7a~7hG_G z>0GXt@4)lemgkTqWS#F>1He7xN3=)MFAfhHcaJ|~g#EA9p6SRXYY=pxgYXIafvsab zik%a9yJX1{yYtRFy*$J3P@x;yL3i+*xJG8^kF`KH^M1WL;b8d=?i3$?h+P-KKU8Q4 z^+0n1O*#|p*DGWU7-$1uWNU?NC$t3I<)7Ynkn&!J_1^z|{73rb_rF@dr$P(-rww$_ z20CcrDfR_jpfWdn$2?#=(NpFOTSP8_92B&`ca3o{c4jZe`+oBH2l<z;&>TKd4>TwE z_xL~1MP81IY|%dV+;iUU!UOabc?W;=K=OExhX1WH6H7ru_!;7#vJ>U;A826h#DBs5 zAqT8Stex<fJtw?p9`FUiJaCQ8$JS!Uw5RZS4bl9c#vMAm{Kv{hML7@GL2qMQWSwiC zVJ?t)_zaE6y5#65`3PGzSFEd?vG_G>6Zrj7Ia&{J2I2o?Wem<fa8Bbl7n`ibWyO_O z{@`lZPpMa4xmmx@DJ^UD$zT8H+C!uLRg1Rz^^3++`HgMpFZ3US_hh=)^~z|w`M0!_ zqIg<aTP@li8f|Mt+d9!UKH8>6+ey*Z%GzqQNx~;VHBI#(&uJYdQ2bje^1NSPQ8PV7 zRZ(!;tr}anCZkd@9;ogrEsPbXy<lst`PqX84eBd@KT|RPbba4i6`%W9)p9wd?|1i@ zja9Cv*Xw0DHe$i#6i!uc=K{rsU;oOZbRZm{_4w-5tGCzQZj^L-5B5wx=PudXPqh|& zF1z%W{PRM^$%e`Y&eZd5R1@WI>=>*Z2YE7Lp=pZWlJh2Cyzy(ZR~41h?~y29==uGX z6J*1SH0B=cCpMD(5;#yp4kPOG|0KKmwQTMN+07^Dn4Bs3M)F+bSBQy|A9`)4*;>(F zg<Nkuc3N?T0g65K0|$I3_MWVd*mc$-Y&E_tehT;aOgUe<DsrCW+Q{*6et{en`5p59 z<k%?tBVOOfvj@-~bh!2lLs@@W*VyMWE`BsTiPG<Vr?MW){wH5{o?^G;`^c3&QW|@= z($6HZV&%b)&wdaefeH>(>^l{nuzqd-=q<bd+I~JSK|Gvt@pk3Aww2{g|0Ep9`*H?? z*giSmAdlpG$uo9V``W%T8PA%c{p$evx&6Q+;KKal1A`0e&$2s)`It62XJYbUd~o=0 z;XvM#{JED$;Xtm991rqHj*46-dBSt0BPwg6a}v)wuDHu^{r+w!Ycn<AfX@L>@U0h4 z%<#EB@-xH{DU3}e_e%bloL{Uwa+ZZ04Y@vYOvq#MQyz487#}|<<QG|2@za9;7H|QA zxH7T8BE>Vw`RccHHbpuXiv#l5uYx@4{Jz%-&e9-{74mfPjIVsk0L2yh#p1!($T=;A zd>c6u@`dE7mfSw_7juT&zB3zLqMWC2;5-jHLC%&E=*O=ZKYsl1Ns}fG#RsJZJcygX z3kvada!uqo$d!?2BELbNj2siW4RU1Um#!XIR&Tpzh=GHbN9A2Z?wkH%$HxXx@olKF zcz_G@zv}u_Bj5Fqa3H2hY@8em@<^VG{0g~7pW}*-KjD%d4CQqq$YU4rL8W~D@y(Qn z7@*%>_QMvi-^V|PZg7DIwCjt8_`D(cDss2v49PvuiRKH@3GyT43MVT^6?nj4u{N6A ztxCE4qg(oI?{L}wq39xZhkXHiJ9vWafgd}!zG*N1tB=nU5T8aK$>9^54mv@eiCiCf zvPn@K7_3i8Sswoajs4Cyd{b_N;_)w$LG%!xpB6l*@Pi5-@QHaiP}#8hL7y`vS2tBS zkT0!JerEp||K^)-9&q>FclRSVgg*`*@SJ@$durmQ-~lhNN8F>3zvUc2(22_Ak>{ea zR#_8|kF9vcaK&4O!G~LJxy9Q(>@Mpc_8(b*AIKtOg9`<n_~L_&w*7<Gr4tq8Q96M< zQYsrb$UpmW;vB?u;W7Iw>7w6np_||o<|lS;n2Trg`&j9gjke>%*Z0b!bb|af@;Gba zxeQ<F`Y+pxza7u`%0;}Nnu=F<rO!?4oeFl-O*i@d9XMeZ(F5>+2h0z=`FiVH_DaEJ z_V~5w{wzR{$HMVF?4f^;w9mH4IoT^~`>>&F*RE|9?;Q^v%43eW_~MJ7*YCIOvdb>> zabTU1^s$Su_kri|1OBtWLl)o%_*X3Sspr;9wqn=Xea7cPd9goB@BKcIwVu2Txh45o zrgPt(?y&y?4=VfskBV~xeym&A4)&$${&ZFRy91SY_Mq}VwvkIDFQMO=8u3?f7&U5? z=R5X*b&$S;3@{dUA?T{si64}g87x`OlaKV12Ib7tFYT$~;gxtl<I+nneU2OtF?#*r z-<S*XYg(86IQRqbo$;yoWcX;I)mrtP_<5E3nxlNhc8$$e;FpS*KXj13@a^C?v0P-3 zSUPzP^aDIY?20+SE&vBE@B+Jy%>>UCD^}d1fouQL;JWYiU-{bs`W;<A#->l^865PU z0MmN~?5wlS^0<Kmm1ocao<nZ%ldu<@OH?epK>e~;s7mqn7yF}g^h4>dL@{~Rd~6Q6 z1--Mt=a|t8@T0(o5aY#PCZ~emE*kFApj90k{QUSqp5ZGMJgAJvdZc$Gc-z2PRcJ@% zm@jw@-PmNsUheyqWBc(LN4Cb>|H|+PKCpgsVEVnIj}_w=5_3Wxf5X^*eCQ49FR}!^ z^hw3$p>yaqbRuJ%-{I_qeiz{F!$H!`*pztaugLdU{xb(uY%jKtdDc52kiYGUhux?? zh@Tv6;kPDr53-_PzhvL`i`NhF`ps^&^55&mPZlp!tEsvwRGtek@dBZy>bp=U=`+<P zSMm;)$v^wuZi3ri(OE6}uCz!VGv>^h^N4aZyJe%k(7BL*-gn=9``8`j0CuR45%cHI z_uuQ8!-|TEvJ}r=zF@%uKc8U@W1eNxUymJ(e45Tb6KDNieQcKe?L-gR8zZj^wFmi= z{5sAxrfP3BOZz~T$3h=Gi%jFg1%D>!6t*l^`zH2G#1PiYtvOBSI#q&y?8qN57P^LA zq9U)rQU+*y!XEgsGMCJM7yWOS+9lW~^axz>9gyv{Pu^qsBg%ZkfzkaN`$zV#>=oFn zwANnf4&g<vl|4DQBma#1z{D)?<9w|>*eu~pAMC~1dl8FZ-^aeQgZ7=osPU=58@oke z55pen;eU@Z`iL!`$;1-VA&$VF4gN7ttU>relx5d-_x=|95B47HeeiYJZ$$38(ddJH zcrW3>{OR2@KF^H}gAbdZDX=AzyZHSizB_(9`v&$-69)D4WBjSaY@YVD`kl8;nl#Cu z5h1U}Tp}-l|Nde9w|3Pc@Aps8-X~fh_EGq!b-~*$a&nv>05-_n;)z{t+vW|PpX{Oj zKE#i|Gsq9Jhpor%Fqiu6y5}jjnz?*$b)h|UO;3NGd-k|9?ZqeVXL!9~vaIO0E8bVb zejzv5ZG0}~1A7{a3!hob11v4ihxvzh!S5>3I?4E~N9+^m8@sHve^M+wb{f3t2VUsD z*C*C&;z_`=&t~mbE@mHC`k7cGl3rKU9U84p?fz<bhUckuc($4XnF$GX)gI>GxTg1q z)-Ai@eQSs49?#VDZ(BQ5_sXt#*V<uvqY+mL{!MGuqfhEe&-@|!WP*RoS`F8EKwjRU zVHaOMK4ILj%ZKN6NgOkJc*nefmkt^>An)X1Lk5l>kvHP6SDZX>#ITM7@`jx<woPKf zumQt|{B=-X_$!oM65E{8I<f0fhbJU-zGC#4JpcDxtJquHGB`oz4H`H`f5vgV?<YZ} z^XNgN#%Pp5m-HDuWUT&j;NU@d<u_w*cONHE{z7N(L1PD9o^Uz;cS#(Omo<Fsh|30z zPD~gxBz@pO{Rzr0iGLk%dETJJuANiL``#D0y#JUdel~jNlznjRoKjA-z&ob|es=AX z-X}dXGwZCL{rg8h{C@qP;|KE1k9*e^ZYtcYzwqOVY8Le=>R;sQ>OG+Pe$CuXbGOdj zGq+|zTtQMnhk{-O{R=KF7*}vZ!OVhr1xpLo6l^NkTCk^}W?@_*Z|>hH7&o`>+{q8j zm_Kv=-1+n7FPgt}{>u4l=C7T<Y5wN<Tj!U~-!tD8*DS7E99NuBoK)PpxI=MTaj)V& z#r=yfD!#OMWbwG-$;CGm&nTW*JhymW@uK3T#Vd=~6t6AbRJ^%(PqB;CjMR<9MG_)O zk=Bt8k+ev!NS{dm$VHJ$BO@c@B9kLGL}o;0M&?H5MHWStMpj1FMAk+&MK(vaMoJ@l zB5py=1$7t1El609w4n8Z4hzy2^jffV!KMX!7Q`*=uyEYM84G7FoV#$|!bJ;LE)*?& z^p18lBMZkBPA<Hma7N+G!nuX>3KtbFEnHc+rVzeuEi5hE<2hHiD6S}>D5<D*QHP>l co{tw5U0O7<Xk5|cA{g^~`JDs*Z*ky%0Slv@G5`Po literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/util.py b/venv/Lib/site-packages/pip/_vendor/distlib/util.py similarity index 87% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/util.py rename to venv/Lib/site-packages/pip/_vendor/distlib/util.py index 9d4bfd3..80bfc86 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/util.py +++ b/venv/Lib/site-packages/pip/_vendor/distlib/util.py @@ -1,5 +1,5 @@ # -# Copyright (C) 2012-2017 The Python Software Foundation. +# Copyright (C) 2012-2021 The Python Software Foundation. # See LICENSE.txt and CONTRIBUTORS.txt. # import codecs @@ -215,6 +215,10 @@ def get_versions(ver_remaining): if not ver_remaining or ver_remaining[0] != ',': break ver_remaining = ver_remaining[1:].lstrip() + # Some packages have a trailing comma which would break things + # See issue #148 + if not ver_remaining: + break m = COMPARE_OP.match(ver_remaining) if not m: raise SyntaxError('invalid constraint: %s' % ver_remaining) @@ -309,7 +313,9 @@ def get_executable(): # else: # result = sys.executable # return result - result = os.path.normcase(sys.executable) + # Avoid normcasing: see issue #143 + # result = os.path.normcase(sys.executable) + result = sys.executable if not isinstance(result, text_type): result = fsdecode(result) return result @@ -703,7 +709,7 @@ def __eq__(self, other): ENTRY_RE = re.compile(r'''(?P<name>(\w|[-.+])+) \s*=\s*(?P<callable>(\w+)([:\.]\w+)*) - \s*(\[\s*(?P<flags>\w+(=\w+)?(,\s*\w+(=\w+)?)*)\s*\])? + \s*(\[\s*(?P<flags>[\w-]+(=\w+)?(,\s*\w+(=\w+)?)*)\s*\])? ''', re.VERBOSE) def get_export_entry(specification): @@ -804,11 +810,15 @@ def ensure_slash(s): def parse_credentials(netloc): username = password = None if '@' in netloc: - prefix, netloc = netloc.split('@', 1) + prefix, netloc = netloc.rsplit('@', 1) if ':' not in prefix: username = prefix else: username, password = prefix.split(':', 1) + if username: + username = unquote(username) + if password: + password = unquote(password) return username, password, netloc @@ -1434,7 +1444,8 @@ def connect(self): ca_certs=self.ca_certs) else: # pragma: no cover context = ssl.SSLContext(ssl.PROTOCOL_SSLv23) - context.options |= ssl.OP_NO_SSLv2 + if hasattr(ssl, 'OP_NO_SSLv2'): + context.options |= ssl.OP_NO_SSLv2 if self.cert_file: context.load_cert_chain(self.cert_file, self.key_file) kwargs = {} @@ -1565,7 +1576,8 @@ def __init__(self, uri, **kwargs): # The above classes only come into play if a timeout # is specified if timeout is not None: - scheme, _ = splittype(uri) + # scheme = splittype(uri) # deprecated as of Python 3.8 + scheme = urlparse(uri)[0] use_datetime = kwargs.get('use_datetime', 0) if scheme == 'https': tcls = SafeTransport @@ -1754,3 +1766,204 @@ def normalize_name(name): """Normalize a python package name a la PEP 503""" # https://www.python.org/dev/peps/pep-0503/#normalized-names return re.sub('[-_.]+', '-', name).lower() + +# def _get_pypirc_command(): + # """ + # Get the distutils command for interacting with PyPI configurations. + # :return: the command. + # """ + # from distutils.core import Distribution + # from distutils.config import PyPIRCCommand + # d = Distribution() + # return PyPIRCCommand(d) + +class PyPIRCFile(object): + + DEFAULT_REPOSITORY = 'https://upload.pypi.org/legacy/' + DEFAULT_REALM = 'pypi' + + def __init__(self, fn=None, url=None): + if fn is None: + fn = os.path.join(os.path.expanduser('~'), '.pypirc') + self.filename = fn + self.url = url + + def read(self): + result = {} + + if os.path.exists(self.filename): + repository = self.url or self.DEFAULT_REPOSITORY + + config = configparser.RawConfigParser() + config.read(self.filename) + sections = config.sections() + if 'distutils' in sections: + # let's get the list of servers + index_servers = config.get('distutils', 'index-servers') + _servers = [server.strip() for server in + index_servers.split('\n') + if server.strip() != ''] + if _servers == []: + # nothing set, let's try to get the default pypi + if 'pypi' in sections: + _servers = ['pypi'] + else: + for server in _servers: + result = {'server': server} + result['username'] = config.get(server, 'username') + + # optional params + for key, default in (('repository', self.DEFAULT_REPOSITORY), + ('realm', self.DEFAULT_REALM), + ('password', None)): + if config.has_option(server, key): + result[key] = config.get(server, key) + else: + result[key] = default + + # work around people having "repository" for the "pypi" + # section of their config set to the HTTP (rather than + # HTTPS) URL + if (server == 'pypi' and + repository in (self.DEFAULT_REPOSITORY, 'pypi')): + result['repository'] = self.DEFAULT_REPOSITORY + elif (result['server'] != repository and + result['repository'] != repository): + result = {} + elif 'server-login' in sections: + # old format + server = 'server-login' + if config.has_option(server, 'repository'): + repository = config.get(server, 'repository') + else: + repository = self.DEFAULT_REPOSITORY + result = { + 'username': config.get(server, 'username'), + 'password': config.get(server, 'password'), + 'repository': repository, + 'server': server, + 'realm': self.DEFAULT_REALM + } + return result + + def update(self, username, password): + # import pdb; pdb.set_trace() + config = configparser.RawConfigParser() + fn = self.filename + config.read(fn) + if not config.has_section('pypi'): + config.add_section('pypi') + config.set('pypi', 'username', username) + config.set('pypi', 'password', password) + with open(fn, 'w') as f: + config.write(f) + +def _load_pypirc(index): + """ + Read the PyPI access configuration as supported by distutils. + """ + return PyPIRCFile(url=index.url).read() + +def _store_pypirc(index): + PyPIRCFile().update(index.username, index.password) + +# +# get_platform()/get_host_platform() copied from Python 3.10.a0 source, with some minor +# tweaks +# + +def get_host_platform(): + """Return a string that identifies the current platform. This is used mainly to + distinguish platform-specific build directories and platform-specific built + distributions. Typically includes the OS name and version and the + architecture (as supplied by 'os.uname()'), although the exact information + included depends on the OS; eg. on Linux, the kernel version isn't + particularly important. + + Examples of returned values: + linux-i586 + linux-alpha (?) + solaris-2.6-sun4u + + Windows will return one of: + win-amd64 (64bit Windows on AMD64 (aka x86_64, Intel64, EM64T, etc) + win32 (all others - specifically, sys.platform is returned) + + For other non-POSIX platforms, currently just returns 'sys.platform'. + + """ + if os.name == 'nt': + if 'amd64' in sys.version.lower(): + return 'win-amd64' + if '(arm)' in sys.version.lower(): + return 'win-arm32' + if '(arm64)' in sys.version.lower(): + return 'win-arm64' + return sys.platform + + # Set for cross builds explicitly + if "_PYTHON_HOST_PLATFORM" in os.environ: + return os.environ["_PYTHON_HOST_PLATFORM"] + + if os.name != 'posix' or not hasattr(os, 'uname'): + # XXX what about the architecture? NT is Intel or Alpha, + # Mac OS is M68k or PPC, etc. + return sys.platform + + # Try to distinguish various flavours of Unix + + (osname, host, release, version, machine) = os.uname() + + # Convert the OS name to lowercase, remove '/' characters, and translate + # spaces (for "Power Macintosh") + osname = osname.lower().replace('/', '') + machine = machine.replace(' ', '_').replace('/', '-') + + if osname[:5] == 'linux': + # At least on Linux/Intel, 'machine' is the processor -- + # i386, etc. + # XXX what about Alpha, SPARC, etc? + return "%s-%s" % (osname, machine) + + elif osname[:5] == 'sunos': + if release[0] >= '5': # SunOS 5 == Solaris 2 + osname = 'solaris' + release = '%d.%s' % (int(release[0]) - 3, release[2:]) + # We can't use 'platform.architecture()[0]' because a + # bootstrap problem. We use a dict to get an error + # if some suspicious happens. + bitness = {2147483647:'32bit', 9223372036854775807:'64bit'} + machine += '.%s' % bitness[sys.maxsize] + # fall through to standard osname-release-machine representation + elif osname[:3] == 'aix': + from _aix_support import aix_platform + return aix_platform() + elif osname[:6] == 'cygwin': + osname = 'cygwin' + rel_re = re.compile (r'[\d.]+', re.ASCII) + m = rel_re.match(release) + if m: + release = m.group() + elif osname[:6] == 'darwin': + import _osx_support, distutils.sysconfig + osname, release, machine = _osx_support.get_platform_osx( + distutils.sysconfig.get_config_vars(), + osname, release, machine) + + return '%s-%s-%s' % (osname, release, machine) + + +_TARGET_TO_PLAT = { + 'x86' : 'win32', + 'x64' : 'win-amd64', + 'arm' : 'win-arm32', +} + + +def get_platform(): + if os.name != 'nt': + return get_host_platform() + cross_compilation_target = os.environ.get('VSCMD_ARG_TGT_ARCH') + if cross_compilation_target not in _TARGET_TO_PLAT: + return get_host_platform() + return _TARGET_TO_PLAT[cross_compilation_target] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/version.py b/venv/Lib/site-packages/pip/_vendor/distlib/version.py similarity index 99% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/version.py rename to venv/Lib/site-packages/pip/_vendor/distlib/version.py index 3eebe18..c7c8bb6 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/version.py +++ b/venv/Lib/site-packages/pip/_vendor/distlib/version.py @@ -194,7 +194,7 @@ def _pep_440_key(s): if not groups[0]: epoch = 0 else: - epoch = int(groups[0]) + epoch = int(groups[0][:-1]) pre = groups[4:6] post = groups[7:9] dev = groups[10:12] @@ -710,6 +710,9 @@ def is_valid_constraint_list(self, s): """ Used for processing some metadata fields """ + # See issue #140. Be tolerant of a single trailing comma. + if s.endswith(','): + s = s[:-1] return self.is_valid_matcher('dummy_name (%s)' % s) def suggest(self, s): diff --git a/venv/Lib/site-packages/pip/_vendor/distlib/w32.exe b/venv/Lib/site-packages/pip/_vendor/distlib/w32.exe new file mode 100644 index 0000000000000000000000000000000000000000..e6439e9e45897365d5ac6a85a46864c158a225fd GIT binary patch literal 90112 zcmeFae|%KMxj%k3yGb@-lU*Qz@H;}VXi%d8Bwd0F$%d!|7bCl@7|>ft*VQV9a{w!W z#FNz=j;pp;@2&UNd!cBnt-YnU@=FCa1hYX=15!*2YP6}&dQuHS!y+-~^M2;+CPBUZ z+&{kG*Y}?<nsesNJoC)VGtWHp%rno-R^9%jU={?yf<IjsguQsvKNo-g<3}%&v!}e0 zExerZ)@6H5i{HBJw!q!%^4Heg|HHbwew6=%yY9R1elh=_*5ubo_vPPxUw-*5)%icV zfAyNHv$8S^5~v?|)V^l+CwI+B{{8ZW3v*`S`|5|@n3Kcb`ke3c_nULd@SgV{U(PAQ zd-f-H&I$7PcM|Xy6YqZhzV+@O1PJFhTi|gE!eUdZu;F`O-;qq~5>iYfOqqi48e+B? zv1Qlc?Z96LeY=csiXfy4CW;t*3p?=*;{Dr;CLu*|HF7}8N16G1@I{e=?VKRYqkzjK zJm;anH~wui2}K#G#xX&d_>H9DpKHJPMjv$u!ktFdhJy`;uNK#A6!G=vSMZ>EQCq3g zhyBY3imU5Z-zDA!keNsTPT^|&MesN5p9@7_ZGZ{goWdxWaDF}v2tmL_uC7~G_XC7^ zThV6WR(uTLZ`eN<;j3G7@BIJ-H=*$fd>*`q{c{Pz!eO8PfAIeS3M^B5yn%V2xdc6T zafeG#d$)_z7YLz<G%nO9&Iwc^#jEF5B58+_AdV009U%xoA>a^9LSP$Zm8?NQ@6a*; z=>TMLWMxh3w-Ij~j`)sYh>e7AAYS_q5I6Q%tb(xJA}kP!Usv4ya=lfMW`*4jk1pB5 zq5ku_9?&7x0>t4S7MmalMy!Xe(RE!uoEJ3dxdOGfs=xRxR)evBglY`L$nifTzIZ9( z{zV)yVm<5+1K)wzl0>XlS$)NNxT4=<Kad*9ULbguvTH{Qf_&H(iii{TQIwkDv`Q&z zJX~o~-PXdEaCuR`_Kq4|#fd5R%=G#KdqI`3yT4cu1SSB9Qs1xC_p%_0DL&$i+Mj9( zL;$gr6``5I6rV2jv!~H|djBj>5S~%oEVZB4v_M(bqqyVFXuVmfj{`DJKmh|dV8O@> znyT5BTtTQ-dszu5TfQ?Yj#YaLTg~oxF!dRKxc<c1=YdlFQrmn0BEaHhuh|7bai3FB zjv(}2^nbgERHFzlx<ER|CZhnnQN&49OYJR=IM3Ukjs#Al8H&{7VYL+P?kRMi3#Ou2 zKY*VZDwnm}h=?=Qs%~>tS5Ua3is=&m@0ULi*uRhGEk8(&@lk7jpTp_YJ|S{I&|Jd# zPOpch0e`JJV(&ym$cGDR(FdtYO|NzvHGxR=U`lZ$D1fv2*-ZvQj%y8Ysc}>{Iw8Ul z?f;q>pdeg6Mc1-xRmVQUSnC`qrdK*!*L|*;6?ZQoX@yu<-M#)*D>=)_JvMLfY7C*` zK1GVNPr%rIKX_u2H?Vfn0)vIUNXFQ*f?<&&R%j3S0{OrmcAxWr8$7I?SL~e1`|w82 zS2@lB>Bg`-?m1WlNa6%7e;7)%X9%T~Lx4UnOF^T+lFl~igk~=8tDySUVzm2LsclAe zy=t$Xn}>?XmkYs^peZPL36)3By^V%bZ>UeQ>AB?u5Kog#7073>FAdRA+t+d#AZ8Fj zbMpaJ9B~=x-SNhr(`dXg_zo*g1)cc9K&bX&<oJ9_dBH?IcODhe87?nyc!F#3+UN;p zRO`935Dm)M<V^*RwNfgOYUs7VT(sQ73i@@u@v(wtl9ok8U7k}ka@vqHu$;s7V;l#| zS9*bVme0d}x`b$vqlg7F)Y&e81^e`q9we@2=fD<GOTk8-?R8`W&c7Rp0rsAe_!Lik z!ALx3B;LzjF%oz3MAb+%1=i%aglKue9T2FH!yc4{V)Cf0nI4}H?B?_7A}Xcl<{-@( zl}Zf~`}UE5TN-|<fT3--F7@~VG!N^!GYCafK^I~@$e9=DK!HBi@)fbDgJRV3f`aND z)E#<m0iY2F@-9axs2kylgo6lee9pvYprD5c`YzD;{fKrLLi8vk=TdZ&TIxCG5?-wY zP&If$e~;KfoFA^RLPp#72({><DRO+OI6i3gumxaK;&jOd;C=&GdKVe8)EcYYW>qi7 z-a`HH5wrzvBb=;-%ehbla;`eC7Ew#tBGe`PP@a8HI;1)kFq&}x6;$A(D9H-dftPvJ z^Ed@;ax?`w2t1p>cPGH5Piy5H1ogZ)&b}v&5}r*aph79NC27*9iG-$P0oLM3t&)aR zAG-#8R(-xR(1VgD=s{t5<EJ!&A<aB&+XYVfTG=^Ox*S>L`BSUyPelUxe<OlEj8p^9 zVH;4%ttqHr&>jdNwVJ(|!3QM~uU39&@>DS|i2!o4nIl-h(c4ftYSZOZ^^YNlISB|_ zNz-^k-%3V~Krsfi^r`B$DMgrOR<20Qfko-bVMvoJI#$oMp!aL#xl=_;FkedzPL(4T z|56W|3-&YmFd8}$*Y#OoGp!)JHbomrby)db#VNZ8(h$lAXcqHAdB`o|1(eeFRMD#J zIt>^tD;lDA5Ro!VQJ<!d;v?Z_yYQ}6Yzy0rsg%8sZ?&^H5;{dwM<*xA)rj+lWs?2H zeSY;#XXm=yts@)0$`Wl2UuBBv3!LqBUuY@n8D#6DY`r|&dFT#)zb_m*2XXFcOA`vu zdaHxhK<sN8S94KInxl$OInPp_iJw#VwIUA@xk;i-et&ouy=zOJrPm-YEzM4Jh`~#f zrB8V`P772533$Q79^z#OQ&t(Bm7mOzX+BSV<!qH0&vIE{V=_x6&tky$W+e(31|JS} zf({<9@+`esHCU7;t&mQ&e~H&VmDj$60|q(?F){2HeW1I2MYWGJAzK8Nz~qL}x}Iwu z;ZP5R7grNJ>@v*Zm^F+znh78UYUM4Hr%HuE$BOWx{NPj%%fjM`NXLnd>5EfaK`D^2 zoI}HwRh|TjaHty$4NS{{DZHOP)M(g~Qmb0!NJ?$!i1hcuL&xH3ugYs3u0)E1ryNI0 z%dxl;>L8Zj-1F^JwO!@h$}#5ge5VYI=5}+Kat2ev;<Z*Udk*|P#8^3BP;dY7@6d%f z59^#u^<6|-U!W4HUT-z~h!5AIYIZrQeU$wgBtPoRB3)HVIolfR90SeD7AWd<3G6?o zfH`%gzPmUAG3Wdcl!tK7Vb>!*DgaPmf1V7Gi1rX5BpX+apo4t?f|bnY(Bg6S6%;DP zZAH#3_BFtx0yI5AI|Ajfw!|srGsYtcU2q`m?)3zyGHldkyw|ktn7<vU_gBb;$w6^< zN8P0N=nM_P1l-L^QJq!@bapR5{H>}^y1gn{G1re~Dv$@qtW=8FH3+F~T0x)z`G6C; zI2*<FMw^lbv1CCz(%A}v5}*`tG??FO)nzu#TI+m69EGm1@3B(<_STj-L`>lcu)t9; zf}VRXh93~+242G_*n^fO_)ewCrXvAL^=wC}P!z3+=_zPsXQook5wP=ss(ab4>8MDr zm#xR!%NU60Wh;2Nf<K+pD5d~U%q%O1T8&oNF%BGRcIb$hq92pnEKbQ**OP3LTzY!W z0znYR1?bH#7NTTSGLzSbqWo+Y;sOn5Lm+?$+fLP`neaAf_>Wd1X6Kc##N3Ir1FP}y zt8r)BI=h+<G%0$A9JM$H>dwfeT~yAhmEwc|h1gFLCE0?cnSopsOC${D2Ry`XMU&7~ zR`yqPykB0^Pr6r0s>6;cs;LuQw!?<tR=499R=nkUn_v%Zqn@070(jKfYe8)Nq}r*} zbc9Zc0eyA{q7e~S>Q5*&r<M9n`3noe&Wm+7v*iVXP?9eG4IlIM>nR&^BT7lv-!<@2 zR1!r=&1osM#N8=o6P}t5#ofuVsx=+jZ=&w*CeWa<zWYhM){O*1s?_O32zR$d`y}e_ zdWr*d{VV~{H3ZPb0StD|M`PrAhag=M<*hd18|3&J+)d2FxB`!K(TdnlDYlg@gtBgQ zJ%~yRUG_T+4G6mgw;>kG7%O`w8A}>*P+*Gj-HJ~{upcKrInT2PXVUnvvP0-)e?Uhy z*zdpsM|mo(WyPzIjN)bs<4HdgIh#v)UN#wAN(wmX*B<sZw0^&mmSnu8)Tdrr4`AdG z{s78RdufT;C*_s6`^C}hePkhKWG4{7;#aY9#XdO}z3Q2^3L7A#9~k{rVO1;dRkGE} zfU?A*W;?U?+7<}nC^c(sCaeUNYo&BHV-ET?O|7svQ#WQHag2&ggXvcG=+#KCupqY2 zwKhe{kt^4xpb(Rmsak>AWuZi@5)N4eg8)5_;z+fx#O<&*9R+P58AGR}@oXw;oDhny zkHhc)#kRzLLjd)*kS>0RMN&?<s+TW)vA&Ww<_OY)!Vm3xEKWJTpe{>}-@XCUN4|Ye zFQ)xo(ijmvf}+!SbOcJ5UgZ$WYoUbRQ0wd!TeZ0)FYSBG9`?#?K|ogHJKe*6jc<rc zLsvsK`yP;$a;8$wcKaUu-&WYtP~R`C6w}qJxO~^zuUA3EG8$Q$kFFKG(u2hj-qJ>D z2p6ei*<3U)(b7|pxV)v>57a6f1kT5WXV9YTZ?vcbE$XoEF@38=Exbjj*Kw*>huF&N zb*QjK8%^v?GMYF==KSeMa#A&E;1|0#-0$_trNo1Rl*d}Hz;Kz&vSvVbah?tHWdLM> zMQz1uG2-$JvFt`Ls2UIH(&a(h%97Lq;1IK_*|>agEV%1MOa!;0X_z%`<}Xq|wVY}e zr(wsgM_g2}fh5I|6*a9#hyBC4#a0atzE!=gz*>B2>m3EQ^M_#S0pD%Sln<G%dsD2F znMu6Ph?PE*nWb)&Prcak7pwV0dO6G=Y7<sLffcipIb6sgeYv8QVE?LS7QcB=9~jtd zz965`i{FtCSsFhQOr}P$OTDQd_@`Z`iQ`&g4g_rorfBV}!VC2kt>J|OtLTYd#<L&K z<gh}0N6F0EIQRYcK}s;sC@2N~ga}!>bjaRRjR9DE%I7=_CE&WT$%*wOrta8Gh%0oJ zmz@OT`Tb6}wJx3OP1+x!z^j7l%7KD-h1ynIGFhB}X;i*I+<k$#yCuI?;hIxPp7ht^ zNbF<KtGYU<dk@lz6KmaS;8fc&&nZ=L=bO@4whKi@1;{6X{Te}4i2WDBB~{jSBYC0h zDZ~b+#%eGMoo{X~3w9MBUw;0K98amcK3tw*Ev1F&hS98w5Fd87iW8&4QH*A7q=!92 zN;0A{q5{!Fj#x1|)J_cYELO_PrJmOw;muk~)%59WbJ*`@@tGL397(H7FZ*>SMcC9{ z&BjuxI#>E3&dyY`5V+Z|wuRU9U`=CK_#T3ynH+jO;Ccs1iZrOOFwD`ACSBz|WTWBg z_YaQOL>3w<e4M<B<_-z}use@fUdkC7NROxSN+!Bi?r{J=Mw1PT<9Y{(tJL&ER*jeI za|AI5dd^sObMD|^|D4QI5xx#nr96ldo7}D!A3uM-#GSMLGWnt|+Ny(C^Ttbg!vWAT z1h8S3{de^_=PPVBbSaF2>W89Lt;mBdPD_uv&yigKT7T1@LD~e6SPr2La+cbgzeKEh z(b-uC^P{uA-~Q;Ui16uiXkiYclnn)5vDsppZ>o<Meh8^|MSZ_o-x~`7%2{)+?hd*B zoFGowM<TiSxbsizGt`#zFzU5v>1rzlS_=<pBe)!Mc5X;fTb=Iy4J$zOxR-662X^+b zu+wN$M0`k&>*8vYJ6_m%g}YxX@Uoww=lv9WtBmdur-EH{cf8qz=H0Ag4s)Nw!Y_0= zN>|-EvDZkJ)!THDgd25_l|@kox{ZA}nrICTP>4N2P)lt2YP7HwB$gbpCL_k7^#pB! zwY|`n1nLi1<+@8Ghj>kilp|hQBIQX}aqM<rC%YUACXheOk%JEfHXXs@2unqN=*@Yo z1q|(1h?aSmaLaob31ng#Qn^!+9U6|tvwcn33?VX@4b~Zyc{}IBoTLN+Wd)(O#BG(J zV;^bVOQV`T*I`z2V=_LR1s!jXWq~${w1c22?6%^m=Wc?OhBP)`M&=p%tFldNN$~tq z)$Kr94*T_}K?bctkP3kE51j&rnkp-Jc#=xbv8-_juz&-`9!G2Jdq(<b`nlS^XFjsk zg8fIS(OTyrahMIF7X}dl5iQXFM*>><W35~wC{_L9JV*iip1D{fP|jTYo@*&{8(<Fs z7Hh!>)(Z0X1&K0KCRi@HO~!<8GyxL9-Cx*pzH>rkn!BHDt_dZ>R*fNv8N_)J9n=O} zRAR=xo2;kpdTb47==CwJ1Rc_g&Wo3<vcOcn$^t{Om%V5VL6}FJt@g(*Qm^?i5m}K* zvKB6~#HJ&prmMGD)y~2{DK+Q%4w=!GlPzDRsyR<@gV{~~WJ=2?X?^9_SsI`+9dmZ9 zbEv%y-_MjxWec4r>;8^B#O=}q6>CP|Z#us53pRPMp0P&}*SE-KvNyfVOSgb(*2|Wi zi#<=DHE~sn7q*xWwOmX^N#TjlQkhsKs%Bnl5lVfKuM#l4Pa7PJK`G^{iy)1y=5{Tk zVQ!{m*4<W@v!(9r`9(G%A41th1B%OpUm2M~kq1*jE^Y2!Aq5kJ+q%J_-eT)(v5MC7 zEi?&;W_1yy5DM-qFS1xfLWxx$hPLWHXLk3mB%KH&?#W(^xW^%-NFlOfZHu1GWmh30 z(J>t`CQ(T<XaL-gwJBf2(8rY+x!7p<*19!>%zWMYGC?OhKEK*md@6{!6WbTvN=?_< z-;~tkfCml%f1;>0Mp3cXh?MmXVt407aU!PWJofKHVDl4TPXR3I?pcVJA~8kkYQ*r= zZ&;s!wF?4Uw6w702GmcNCWhTzh7j=R%dC90o#Q+!dY!GC7V1^q8#7gRS96~3?$SmA z(o@Y!pgjAz?3+sI={!A|IB_sB6@pKL+FVl8U8|ID9<V<ffx(QE)?jzcH=yQ+*@I1d z7(r08rWLajHPGtA{OiC%!BHaFq)|{3{tL~)AW!G&wd7#G7|a|~k;HzAZ?wp0j`QOB zE7iGW)!x980Q&JKBufwH$#LvKu)C?Kxl^SYwhAF-F1A+kd<nn+0E>?Rv{qTXd4S-@ zVTq<gniMB;eUDv1x$?BhV6{obM`{%)zXPbxC`22=ob7_;3ys0dnUIL6)Hf#PzZ*45 zq*H^{3fl`Z@VtS{M!yqx{ZQ`u0yQux6*ei`%ie*CU~=2!H4ee=W$#yjA1ZAArpSX< zxvL*A+L#wi;;0v_V)l!~>{5EPB98`wp%Hl5OQfuM*pDGasF^m*V)mz7!V7e$+F<&f z#PrXg0+%rT+`$^LQ<ws%S~sZFIbx<fU=ma1ffVV_#Q1kZ+u)-B6A{->rhwg0%6E)~ z2Z581g%>DKVl0#%#S&ids<Y$Rex$iW+u#EWTwOA|7ZKtQ*?Tv^ERY9t06TLdEgT=r zV0ZC=bhD8Oby~nztWG`<kp^RhHp9cFP|z7&KVD6%mFI0Nl}2I<%IaZNm1q#(^t8ip zqQWjD9VeX!9g`L=-<YDE16ewVEDxjU!E|;#Z4=Ne+z%62z12BDX0JBPOQR^A8=iKL zpn=z|iOThuEigHxC`BNs<lvy<AJG|X1SsQIJDnehf2?K?qY~k@reKPf9qKhGmR_vG zfHs!B23*F{gZ&;s6*9A1n^297LMSLyb3k22r9`O|nC_CsGEDj0Smr>rTCr*4^Rc5) zP|<>)Lre^_nt{T}L6ys@P=?WnGXPfGI3f7Nn@UFe57m=}Sl3x$>`pN(pQ8B|>2osR zN+$rovMB#luJ>xM@uAMgviy#Ye#~K?18G90{RF`gQLVhM!X}Gzy=-JT^?aPYbQ9jp zQY^rra2lNkp~PkSJGwSXt(XY?aD<2b(-)vp?L;tJtxce{8t2|#>ZVh`D_3>H0M3`M zNx>}+l{}Upz{6Q6+9hUj6tF6Ois)7^dmf87gNNBX>Z4)2OUjUT0%*PLOM*&r?L;u7 zNlIncPB82!KgN35SdxCF0Rt9R!Q}zR8B}gQ$_TrE22){khYPw~$?SG;yfng#-Dhm5 zHX(9v)$OD#p)8jmrV<;?***{9#=R6n?n2UM`$k|kuPtfLLyUA<-Yeprz5d<eBPBZ- zf*8?CRW~~Y0|nUG8l1?gsU>VN^gkZqU<-LfFSJ82GW-2?d@xyq6WC{e1EikYfST+$ zjJmN6OEBbeXvqC{RRYS&4igkByg3n(!TvxIK@;0b4F<<!O}UN3yl@lL0{3B)m<DaG zT{8zWu}|X-P+QpAn64}Ct`ezRO7pPG0ne)N(5}Y*x@uK3l&aHkOPEL_7qni(RQG9s z%k|v?!P^LaCLRfn$5h0oWuOn)3RF2p7B9|#jXg8aSvzJppl@Uq&@(rmo|7ihb9Np* zOLOq7eJt0-Us<#GYm$S%Qf>S--O68AS@8P#6RC6YQr*Iinfz_pQG_?t*d6oeJJf~s zbToA%@df_dPKi5a;wze(k7tHOh(uEhcxqy2O9^!%%XTXa;Y#Q<f_m=Hs0-Et2xKil zi~N{Da-TwEp!=8$!6y-vO9=of9$*B52@q~$LmW)@7(k$YJAk!ydj!4d4d$!_2c&c5 zNK13J)u*d%J18Y+@vsqu!N23V%elkN<e<f?%%(K<C3=1+AvHLD`ARHO_7Pq!bvwb6 zJZQ-$)5L`*Qx*uDJ_`=41Vla{eCnZ=c&cg%k;bQfC4V}l<<m6P0&ABpTEQw<@<}Pm zwaC7(@j?SKY<hbYJa$@{f|fOulJOS<f!&VE>9eUUwwjpC7<?pMc>A2abyFJ$)}rhU z<JGqd+gmQA$}NtitQi8SafwZ6Knt`?xh)^V?B^g$(zFECPmbr*kC7t|4_g6X$kN72 z10Hh#rrJn8C`nlob2W1CmO~AlQpyX=YrNB@Z_)L_7BrM2D#19%us8B<8<w{Ux~5IO zkW)W8k%w0@^M3%xdVTvWY&I4jhapD7G}^B$JEts*E6aK{GwlG&^Yca8i<9GbiA8d} zPMjvkH;7}|BM=`6IeP_y(4Ou}5rkJw7zkQc@hQ2g-=t-{ngJ<-V2ZK#T6|=I56d8X z(@8{!AKdZ^hNuuaVsDy=Z&(xMc(whBe})JYx5zBt-qeSn%tnZ}R*GdZ%M-7XS*Cay zOjh>LcH}5=$L*n`fQh=}_!Q(f9kEutM|{ZD*uGYmJ@i{1@8VX|sJoZIV$a~w*P3Dv zJ&6F;O7dR@pxVf9ri_T9{jmnb%Jp$U5(n|-Yxl|QHt}|uWsB}g&;gaom06lSG!7Wg zw+a!A5ch~bYm3M%AUPY?^y>#nY@DM4wQG6o^o(Ww$(SjLJR=+5B)-w?d%3lu6FWvn zw3HE@gL~EX&}mZR>U*(cu?@I_`Kye6DVZ<EgJy4_2P2g&yA4$)6~i8C29VsAHUxwo zER`hcN}eS(a1J@VEbtlE0x&YLD9uDQpv-9tu<a`xr{o)lCp#!PMbM@O(*rp?`O3lM z336LDC7Xm{{8Egq;Q8Vxb{DuI!6X)9jER8;5QJ<|ZgPQua`aF&)jS7tF6m<VQ0n#6 z@=+MYFmhDdU;tJ&T9moUMys-MqEhMLmZG2|P;>^Zt_I5DQ+ziO!pUUCfPk@y6sImH zmn!z~8=wZ49%0MQl00z*84XDXu6&WmE-eUGd@aWv8%BjIFgCv?JrOi)qSX!0rO(>w zW!FPi`u+S{we0M3L7A|5yzFrvU7`JiHg3AL9|Y$z1|`d{W^rj{`917?O9I=V2_>@{ zWA!<V)lh`TNuyB!i+=+A{9Bp0Q=5P?h6I9<b>2>tpsb=5*_g&3a>;>Jxw6WtOi@-% zly7k)CnyH#0%e75#!zfk>$^dgkweNa#LA9J&^94uj9F`#B^D-dADP_JtJxT8iTpfG zGD2`MHm4DQ0~1?&B?c~^dyMHM94g`l9h)(wD4{NVD&f=ge7cjK&z_*?t`2(cKZ<AV zV^7EVE8N3h&$jbd=rDghAK|axzJ}M&p9uBhrMfNQDvJ^(*McZ7k7hh2#3=2?ekI&Z z0dPu~s;gEx5QBgc>cP{P<btrw8#5cc0}u;wOLH5T-vPDKmT2^4@NM*i@m3YTwSvw2 z$S|KmZ8|U(GoCk?!d~YqD%ildJ6K}&OYD>Cvx&5NF6|kDo6R+PV%a-nDdjs}#Sstv zV^P!%jBm^_=ovUOTHd0GO&q;IzHn9DnQ-Ob<O?G=WCydBqr)t3J%zNI*3@$33ugPB z@aUV?0z-05E6asSf~KVHjhitGBd(RDB%}I`C|hDKV;>_stQ|`gD|;A0KfDlM!&@oB zY?at^2sAid!fNcq5igY&IFx$}9AW$wcEK-(v&*$`$9&zRtbx~I9P%@v9l`GrcIDMO zC||2u)w^2BqM&~jnWX<(vowi6VU5b;Mq+iHwRkpd&imA~Hn$E@&P8VUAqSScFt;tS znBOV3&1Jv+5cOVS!<L%y{VaXEvA<@iHH0wwJ-m!5)&1%U%wkNb>X9!Fh^xXk3Sr9% zb@3xP;qphY)89+Wn>cora@6-26@@}gp~yzpmPM)?CV5(Dzui!;3u1waId6Csu1r+H z%d7BxHlA1EoYA^gGC1R(b_CRIEcwB@A9YDr$fet$ObB9rfZpscSSQJc$^L9tmqDMp zRnMh(`7rEHHpH-}P#;X*CChE%DDJV~Q{PqF*}oXkumO`u{6?*w`oJJevQ|y>jb>I_ z(ZDN_ll<@Wl4_g1=@tYMXy0TDkQ5t-n4{#zc3Xi1U7e#YF34MUt7qxbz_!vs9!R<; zmKRu8E7Pfw04-9NTLC?@c$~V{CJzjVPT-g&e>EUloL{cLIy`HA_>Mm~)Dft${E$VE zjs{HBiZUxpxkV86A<RE=@S*Ko{RA`!qD>x%*$T9l^9wAHTf$y~6N^zEHf62F?d+HD z>u|*g<mqc|`dSC=k<3REF!j}N7&Jpk*^6mGfNS$&WV%9sV50s&p8miLmYV>?rt31V zuUh?#e42`n7xxwG`mq&!75bTaMs0!2Tm?mtryfDNu73jO4-hFR+#0BuPab%WKSoXn zu)Hi&?=7(2x)gqaIcyi`Ocgm~#ilMCIQtHIAQ0qvf45j@?KUZF`MZFSGMCQ@dXXH> z({qi<K(tlJ0|lGj#fIXlm926C2Sg3DGpb&#PTC2P;ypl_ed>Iegh$KRm=Lpk`nx{% zY8Ohq9J0F2+BlG(3f1;Bhg?N=1~G#mC9_9=cPRZ6A~E^1VEE{>UMIBRLlnUmxE`8V zzk&&<SYJe5I;Tn|(QYWLfV;uH*bEgg#TYBk2K0sB5A8TSi&q$%a27SH{V15nK3qVO zG!8?voz(zYa%WTX1T)!kbPr9`C6lE>P765O8FY}w`q*b50xO#_m`SPW)<!7vwR9hQ zhmw-U2M9Qfm2URWfNTZUE6}|OjU5g1hK-iN#x9NauxXSC5oryMWcLsj?DHgbbf`RQ zsnMxG#L6td>e>j>jUm?pc=*F=>Y|llvfMR`1%XYbLIZXeEs|aU>2_=z4au9N>W=5| zwc`bPyhM+kcnoRwYSsyc{w(oWAO_Cd(`PeF*r<dJr>^IoBQ|rDb)~aqT`DDWXCQqx z;V|YEa%*{#>gvZnG}n9Jg2FehM{K!S%vD>1DgMG1aVq}cOfMoVm9g{C1xQ8d#7vh1 zqeSdB45|ZE#qIRamgyVrP~T-WM56FotD2@QRk1B>7q5eYD_&L!HSXWw)|F7>N)god z9iTdGr-wG?05x<wJ+#aN)YR?tfE}2|F6Ky@5V58%j>z?0Fx{U-Y>B%|N)MXZOW>dq zcQ-BN%P@NU#S!S=@<l6*eiui;=y%bAy?|TpRH{xWi|$0cG+(`CwNlj)U9=h_P@tHZ zYF0bQiFLf1brb<J|17CGT|Z8(It_xVzB`oikyhP(T6>?pj9f}uvMaF-$#G24H>|GK zmv#BIaUiA&uO6)b;SwXT6VMg>tvv10YQZNbS*JAB-JvX6jm<ABXfwnFdqIVvUf=QB zrJs?ZPklCh3~CP8WrJ%MxK$)i-kMhK&XnM@Ry}tw$jSXiy!z|{jCVcvHN<c)^a=Xx z_CZYW^GX6l2%v3c>vob4v?d<ofgjQ!B)p2UC`I2+_$WOa-F6t6<Sbr7Y(3Z=!(=D1 z-UslV3>07yVECqC_(v=5m<!6wwN`lcEmAh;D4W-|J<<;1mbE={Gq|8ES`qL7buf$F zK?LO^Ykfe^ZATf&&X^DQpp7{R0B(Gk29=6?X~=FT{~Lt$_4l$b$gY^oLEXomLUmeE zEb0OD1*j-|-fV0F50D%-Jcsnz)I!+)4%2Md!O68Gkb|KCalalrTiEdO!%F#m5RKDf z_R(SVL0`bQ?qzXeQkbqfh&D?sI?R<BUN-j>VvGAw(ow|Iu>mlFmu*2oyc}!L!TSCT z7)k*dJBf_{irsnC8LpvCakN9NfTJmm1C0Y#%rw5<H@;>WU+)-S^Ng<+<I81y{lWMu zH@==XzABBce>J}DD5Y+qLLQ+Akn8QQ@TT5SHwS2s9!)rbCV=YpMxA<0gw*vDaFXUe zqnDnhjEJKlu5P{;d8hf<N7?8cXDN4=%4yWQMj*cp&gBx2aJT3r61YQxm?px@PQbO4 z*qL|V8Vn%FaD;8lZ-n7xI*i%Ky(WXr`kI`NS7A?fHn~Fv?gTgb^pk<x=)L1Gb==87 zCI8^#;bg$YKX{j(luHQ$-hDJIcF-_@tS==%`0L1}1SD{aQNeZ^Svx3YJB@~DDrJ0a zA*2oG4xZN-kUJ71$KKR}wi(0Fqo1U;<W5AeEhoVYvnjheo8}AsqydwttZv{lDr*eQ z9Y$q&8SEu6IlA%(YAFfRKz%tdaBTW}ddH6Bs4h?P^Dn<Y$j?QW@-x7JX9Dr^Od4pH z@G_(ge3ah9$boHal_AJ*#=&rd^d)^54G%{0iR_0%V=tV-A8tew)q%o`;YAiXZmE;1 z*`Kj|#F>>v7C(H@EB6XkI8Ah}gBOIk)!ABShZ{scTZ~$A7tk@`G6!Pk^Vm6wSn-+` zJ;f8AwKp-rl0zm0qgu+z_a2=;uz2<Nc92IV=6gE(0*#Eey1hY5FrWPb+fPtVAOwvG zn(}jCY!ajf^I%<s)<iZy?7awIVnC*y#q|IB320L^?_;NlJSc~o=93D?Q~<WJ=KyJt zh+y}iduhM@e5b#XWWINAelI*(>EZiMPgbaT1T}-8=<$!Ba2814GXta1Xo~VEh2aq^ z>oe*;;fP3?tFk7{`X;iZpb`t_nOhp?a%=t<u#+10{K`E0Q-{<;gKIrn@+H+4wQ`;r z9()UOs=f9-52O_z_l3)?<dZW2`=M&3&3U0N16sfNPw;TfTqs9oV9y@j`CJhm=B{So z3l0SGK~`fexg885c;p^B*pyg6#<74LTrFZH3E4nE0dBRw667=%N;r~cy^8Nj7%3i} zVg(a_Uv(9<uqo#|<StV}unb>w@+BvXtFZDHA8(|+4jiFD%ZI6Q*uELINKIrQ#h4PT zPTT9fe}=fsbjk5Cb=ZFbNiDCRLsVi?Z|ouQH_Uv(x1qdjAF7B02dDhXehXO0dC}f< zF94zL%)1dhDaWA%r5h226ai@qu_Is!jD*iYgT?_Og}rGGfC4j5gNQj;(H!iA^zgA4 zu)UtJ^z9{jSpak(GY59}>e?Nn#t@Sfb>KwOMNDnLJSEV73I}SuY;7{1XiHik^0C9^ zWp~d6c~Pr*>#y{(JMa;<xSt|H)n52^(0uGd;2aPX{;Ar-cEUWuO?A@#Ko24hP_^JM zGL6T>_$WQE@1iCn&OR9TlYk?i4$UHik3Hrl6gF*THT{b{2vP;l>A5b{m_&()Wsoi| zD2{BkEoy!&)e2m-B@-8kR#)jcw6l&?heK2V4oy&+r@7`L`>%4)Fd2c--buJ%!&ym2 zoDJ`g5eKAiA=3^>FXrOoW%?lEB*-p}2@u8Ebl^0WHWLuSh7eBtl3A8^MNR{4@ev60 zr(1T=f=F#KMn5<O#)Jt8XF#Xhw$9G(`Fv=_Q`2hyU6l<!j*vU13Mjz?T^mMwgI1VV zfJM(GuTfOxI=Pe_Mg?)Amwk#Uk*ar`yCaEdgNr9PA30E1TGV7ibz!i%>N)g)I28tQ zajeX6%%@U>Q)=s8I?>y@cNBlpvEkOeBPk4t<5PS2LYxlfPV`|14cl|Y5qQX|Ey`w# zve~L^wzYiZ7|{~m?D)-ZezT910CX6D3*SCSEBLKBre=rh7U_KWkx9gQu*4zGint}x z`J^yv?3suGH*9F&a1n#b;L+Dx;G>Twb1zJq9*OY9k>)0T?$qUs)}7lL`W&EbA(FrO zO%bsu{OlKqu<vfS?>0NzH;gH4ae2Z|Wl?%C|5o-s^gvW`Yncg-$xRXIB)V%o9f?LJ zl;=U&1PbpjDD*arxZ+dQh(|2c2;X3`51FdjLC&}32>?uyLjVC-zzK6T`!^0$Ky-V| zO~v%Jn8fUc#c7iqTOUg$wA#qNmJ~6UqVg#Uh?*ZuBZ6t^%|GV>YU@GmR)dVuP&d&0 zCn{Wg<O&{EpQe~_Q#NHXcZ6@xmoJXnklC;}dy*r(G+)b-zZ$o}MxXiNrCrSq&D;hN z;(VvBEos1f=qTrXTfjxr+xL1fy{!RfsqyXHk$urxagw~{UO^nIZU}%mt(Y`D9pF5* zjokp?R_KTS1y2D(Kim+&HnDRy_jaFyDPcTD+Mud9V5o{-b~WYSPC&|{fXbnf4WPpn zeKPfEkE>EQ3J@WJ5{q_hL{+0_$Vv4spiw4SFdkr7k|sw}DF`xPxG?a}+?syTo$xN# z=E(zJOQVK^bOS^?B@gsVqsR{CvJ53^hbb>SisJH}Yrj_823^y8@`o`i`L03-^|96H z4@mMpg?uoiY_*lWf{w&a*LG9}4THnQ-Uc+*-t-fyoV#0&6qWWOSodk8&b}rYE&{Sq zr;~K{rU1hBJyEQ!dibEXH+c~gb~6w3ZW<Ic9<E0eAEDv0iSWP>MuT6EF9d%p4_TCT zwvuJc{s@hkhWgKe@?C_&(idB^o3M!n1`zDKD=<=y#9l;r7@B>fppR8`1I;~0im*Kr z{{55GN!a->+*)D6AiKi8d%k^l1pW{1uB{E5kZ3J;P69U5B4>R4XYfM722ulzDIMrI zIBUV2gyp;i80unb6m^T1kt3kM?uPmpOjF8iQ0l@;6A;~At6p2H6u~zU?i@EsXVkM? z$Bey<LD{g_JjnuYyY+p9ezT7AH$@<NxNP#i0bpyeT3t6v7t}Hf8wtF?s#IHXsvI_B zLuMJG>LC(U+OJAx6Q9^aw*fKi9D|cU-4Q+zasqeKK$r}V0J*A5XUo5&-c{;PGujbQ zR|U}L>;Vj3I#^a_u{ZgsEAlbund2Hv804;PZ>m7#zGl=7qei`W_IY_4KlsaDMn*r> z#V&MWh&o7>PV2PBO^lL}YDJ*b7$-P@{}zCim4RxtltzaBUSGvpY)5{EY<;OTI!*S_ z`}n{JDTMcdF$BvjJ95xIm{51*@waWqM7+sn(k;hR>m9Y~;xY%^X53apyELd~NGT<u zU7xjeao)t{=C$dR5Hk{JMAbuJ<&lJGZr*66v`=(CY6q)5nvdqeidR9V_?1aC!mIW7 zlIuB;NYIK<+2{GLxi%d(1S!AqqS4%HHkNX+WuGRENSZ}n(*>=)i=9MVt6bU%<s3)l zgI_Z*`pzFsr3lmtjWcFhT7?j$$bS_pJ@wI@NQ4py%O*ZZ5gPm;6VKpBWauNj$`f^4 z(-6`4P+SC!#SGP)0F)nsk98*4EcxB)(5tKxP@e#NDxpL{T+!vqGF5{-%Vi``)u@mE zKdTlLSGq5QSB&=Xt?DDMp<Z;RqE)=VbS}BI1=L4~Vu)CY^ANYIj}Xc5H5OkmkFI|M zgKjtFVk0WR>VEYRYV#1lvLS#*sBl;}?k0S!bSVBh1Sw<0$XE`{F7=Va__~UQvWJZX zfcnT$gbz00Q5f~G0gO!bk&eVyFTV8M5qz<~A_%W6^%0_f=|<|U2_-+HI#G2W1-IzC zDT%!XK%73_JlMBejJ_SIrla;FPzjhj{*{1AR`tURdy!=*x`CqQDDUd1mpwqAm-I26 zv2tPo0<M_lRg0YG#Th<jE(_97r)80seU2bZ%zoHQ2DrT=-OJVy3#-wUd`Ze}>J4AI z1olfP;H(>?8TZZb3Akb{G`G!|fG4uID0=O^iCOp!oaLlhcpq|*Eo(*$-+Wa%n`|p` z+r3`q2dPNh4Eo~nF?aybmodsMbsG%9-Q?w-9CD4fH$4iHRg>dnxT=R;L@}z=qb|vT zNBEmkE*cuHJXkAV7`MSviydhAV`w*Xzxtqwd)7~;mF{Mm;vwVUWbYSes*h8D+IL$_ zT7Gz0|E=(|UuMPr5&JtvFSc_GK+!_3_H%3EbjakKj6-3@N*zlrx#xfKO}_juNpZoB zVAGNe*H5CXA>ZV2@J-HTI?@uR>0cON+CBW#1!&`pZ@@(_Lq5m}hh><-;j`?)G&tNL zc{Uu9zr*49H)x3Ajm#a6?cCwG`HuPe|KM+Y|4@BK8TI)G{>HyXgTP3G{>Il0X6C-` zY%0FL!{6BbAK<6`G|L(O#*5emY*v%Mv7dc`5d4ij+~1f3K4k#5mCx5<+#T{Zem#+A zI(wD!<Y{nxd~gDe{}Ygd{SuK0U*j7I@*n#eUoZ+uh#`1!gd&?qz@Xz`@DL<<!M&y_ z!f@Nwb9*5(6X4_tY+FAHODQ_dAZECrD_|v6cg8SNEDd8PudrSI$Zl?#aAZV_KlX}; zt^i5IrYB?RzAY{Vmy#!wmwW0dI41`0<rf}?pX&*1l|_XN)Q3*N5JO#q&V2#?nQR|V znu;XtFVI5a;5<fIX?X$1F=@!CORRF&fRYX8XCNbQ>Gl+a0Rbb}i#8yUX0i*NAW|eB z2O(|jZ#?XB_DWf3E<5N439z7paJYwpIE+NflF#1MK-h71bUrRX!okobd4=&Caq850 zaq}b}h-G6xT+SCa*cQ>M<o0}&ih64gV!v3vpo<ga3j;Vw(IR(EQIFxAMN3zj*}{)n zXsLVKaRLV0<N0DvFr~VBDVq)QOgjXrN*4a<D0OR<wb`nTf$`i&r(>wNIPANmYr6YO z>ie;KXwXTc(+kt-0OYC_$<rh>(Li41vdte34#3M0jD5wM1RooF(-#Q7;IfB4rFRO> zukZ%&qaAWPxtklbg9-gMG}Eu8qEbqlzCKT15C7NI>4@{NA7aX;D$%(udy@)OsK34G zVFch@`>?ds%f3&L)T$yZL5%Q#Sb)2IF2e`><-Fl}+%u4k#5ZW=CpxA3S0#wF)nzGo zc;3TOIyv#>LqFKe{n;TA;Vyrvo4W(um8~za*ms*2DA`&L+5F@#+{56=K+n`#$muuf z_9ypDRG0B{2El>lin~Wy)(wW3!0!A2jFK-fH{J<$1S{5KSp?2=p50`1&Tg8%K&YF- z<^V#;V-p7f*}?buNQ^B3wAzNI`RJsJ(K<C9$6U59F0x=X3P0!z07d2x@iI!$0*$mH z-m+l{&e=HMwKt^!36`n$(AO{yl+@V7*;~tt3Q{5+@n-jc{XnELXz`2VDzWf6biRXz zg#7V<vdn?y5nUGbV<T1?$DS}sl6Xn5CkQMLL2ZtD=os8E9B^X9Jy00;4%R*m)$YXJ zZ!b<>OlD;~2iY>%%{&NG1yL||A1Y*=DyJ#u{9@#?E9KcUz`V+B*)vtU`R%?1mP)l% z{PETsQyVU1;s7k2V!s!Mk{jv=gys>dJzNH}AX$xsw({)MOwps-w=T|}PQY#sd_%KU zwY!WQ1WGd~K&NL)(>dtn1d3yez?+i<1sE(Y1a^65PzYDCrD&E%P1k3o>AB}1(TGPk z0z|E1@M~=T5rR$}lzwzI#ig67&V|d<EPX<Qy@|F*QP&iE6YWC5tdrT`%#>0atQO7O zkbhCF>7~O$tx64?R?ay)?eZ}c3<J<s)4cKarr+UX9t=Ls=CTE#af}wAfUk76ugeQB zFwsFKIvs|jHgl#Xf&SW$bhiU_#&VNR!|9jSTFNx`$snab9VUo3sOf#EYNeP1XP8WJ zUz<5gP2XCjH!n_0)uuaZdZjd;unqmB2l)xTTW+S2iVgt01@L945FPY>xB_ga<*MmM z+g;Si6fJeD36;k&Np~;EU_vA9p$@cyDA<no&09w_9od*x7JCFA*qXqqR<mP!VasR~ zUYC8defJ1g!@dX<B0*$ZN85M5VLzbICl2OiG4^L-`zw)E`!TM)ku2s;&86D=%CAL} zrk6F}c5NyS?rzH1I$E_i-<CbSOpcqS<k#h8g`L`{^PSJYMF(Qh%A}ik%iwNMSkrrq zk*I|CVlT{tLwDrRk<5rRD|t~t7!~l#RXya3gSm`$-5du=GjsP~ezk{GbU)}5la04J z7XDwYFfN+0XgjAY9#f>XfhR`b_N0Hv6x^u>G^Vr9V2eMY!SaPHab&GBf{y7&Qqc3U zU5F*ct7QP51(WG=7`Y@9M(2nHsliNsW|5eviE_IgxJZL@NebPNb_s6}<B}DeOO_?M zWJWDKW;4bAhO=6&VkS<B6Q@w%0s_<3^tSS}%QLkriF48o;1Fk>0U~e?%yM8IBR<1G zg8C;JXgo2{IE-mA+tQat43wRsWz?zy$^sZV1tKl>(*c0-dm@6VD{)?CEc+Pqup#`| zX9y}qu^?dN_>b(N+bOW7M~K~l05&mbVuN4lwlAStT?8!msu+N{{yoj*5ZC`Qh>IlD zZjdT;YNORTiOcHoY-<AS{y{J{3PJ6-+6pn96wzlPt|6t>bo&9E48+cb*tQpy-r{sS zCPZAAP0JE!W^gnlOtn4LO!v|RNBguGltu9UNgThfW<SL)DW9;rwXy8%dxOorh#+cB zr&N-wbds~=F!N79-HPT_vqhNghg@dBy}4{BN5O@7HKCy6a;nRbP}DH#=U~#u{*rbV z9f87KI9mW^oaUK^5bnaM<PviXj?~qS#8LxtALoUypzgJ4Q4AbdXAv`lSPf^xNV>iX z*mc=#HepJf>-q2CnB{{GiEu2lkxv*-)ZUG)0r-N!$~&g<s|Mhx%a%(wVYY<(erzt3 z2%maE{>oB!?fE~+ADKm4;j!j)Ickz)CaF(tZ|Sm{Tj=G$>kav1b4x5mOgsA<AkH-4 zJ|j33fZfmX0*kSPl6w~8hLM+Hwrhrf54wW+E4{325=iIAm~Dac4*0<i86JL;_BnU( zQ>T0icOF_dM~<Y*l^6Bes7n_zl}a-LQ-sVm*Jb!9ZmzsWoy||iMqFXf#l|+iQF^lO zt!iIwN!2Izrfe=9n6t&+WTqf)Zo-)DH@6-jNV;h9gH0*w2PK>f>+d=E97sVmWIHBO z{jhLdDyI^M=7*bkj&w+XYZG;n?=%YycTQ=L?<^LK`r(<MiOOAr`Bsj&%x|Mo&SQ1Q zvDs)8vFR6Dn#v0+)<dT@*OAL4>0{y@<SOZd$!%)}8N;h^8die-pWDypM6pyo56)Mk z7z$v2^DN__24%)ID(?QRLUV<MyMl!)Y{+GJgV~$NBB57UWp~`NNXNP3i<=%VKBb-| z6r6123#mh|MA>N#ODqlA18o(SM(7r)!M^2MX1I)R%F2<y11H~Oip#j2Y$2BQ^I>vL z)UB9nw#t0W2bj~ASX^2LO$HVOt>3DXI1}~JG6^h7*J$cx@<p@#u>e9k?{hsjjwUAr z3OGaS<4Y1!m%Z%mTWK7_IObrBuzx(L{b^M=DTv7#!vi%Hj=A8ef|}B8PUXNxmIQRA z&BLxoE<a(Nz_q``i5Ekt;O<mQL;lx^qiT*oghW{pG7O5cPu?{|*_(I|mK}QvM7~6n z9ZY~dHweZSA^3k6W!22f8~9y<s*mI?Kc)#mb<+^$TaCiLOHl1Yk|C)6gU}kI5$^Xc zF-_ix8-vF4xp^<NL%$!Jt~joS(U>Y{LuBb`35m6|ugvDc1)gd;h7H_19)i$<{oiIv z)5_%U;h2X_*gPAn8(h_>SJ^x;@&5~YQg&NY<oP<xI`R!yqGN7A{AR@a34Til`Lw_q z(66K?S3`|G8=<mZvWJjEU0xiaj>YzQIQ%jhuy>uH=d<1P486pkasKS&&vX2Fnm>2) zX9u2a=^i}B9H%@#$2TN!Axp<+!tU|wV=$!ek06DNn4#AYpzRG3OMlCR?$qZT5Z|%y z8LRAKNK$suHFnCb!~98?bt+GH;aTfEX>WQC@bDotUr_dMLtF{ZVSj8RqQeWjYUTLy z4R-sUL-ySbJ7X>^rR>C-D#vwCB*VVDsi*_-L2C=MtW-i>N`?JC@_=_D8dTM=uC{ zzK%wS9H!=?O+Uj+2^sA*=wML5pbSwU)`e9&%Eh4|u~KGcaaLiQSO5>l9DLYAyOEl) zi@;-h5R}6dw8VZh7&gWJ6X8Z4PqRksNy@=LV<7}<<*%-k3RUP5mSpEpMWBi*wS!13 z=bxp>*lmcxC430p6Unsic>_)o9XJd@NhJjQJT*&*U6sT;{Sv&CNO-e3UQU4+IqRz- z3J=Ff-?2|2=BeTF8zIT#0nsJL?-g;#d;<<XA<1YGN%q)&JaCogz0yeYg+#Oi(Z58r zK@dmm-v-0^vBweS_d(5(#^K_^lv&a!NcluY&?xpJ0*)6Osn;2)&&N?GeGBS!3r}5* z{SY3w+ul^l1NYmTX7PYzZz|-0jrOLgJh0r}G>!t#6I-CYC-Ay8%sDI?qF%-XC$O>D zi}A;Lu~6sDUTuHkT1>6>rh|C$<6(4EjE;vb5FKEE+wliiS9|CqEN10H`BBbIgvsD) zl{1+^09SZ_KZ@Z86P5kF2;ztco>-_Uj{|*_cLD7X#6H01`4F|X2vxR+jv&%Nk{{cT z@KBnRo`_fXQ-_h%PCZCO0x$J(4EY92sVn-GXQ@zo(*?*1Oj0AZZ-Z@K2~ni{Jk>-{ zchLv779Jmo_H0dS!eS^LAwzs%gANyvK6O)KYByC>=)3_X`ziCLj@W4+mKg~BA?gpR zG(AoAX6g2(a}d8ordI%gyS-33Ty>nR->wd1Pcr^<2#X7wL+yBnLoeg$QTYq&5qt>x z&X<5R%+uj^K@|0{j!KlnPf^>IT{{t_rPnGv&44f(X^5WK9Moahn83{TeYMhp)lRWN zR$^!SK|u)<EyPjJ6doGlkJuS3q~+(S!b0p*gon}4!+tRpq=|J9NPMmRiNAsm>`ias zDaY5?A3MO~e`tUF)2~7B_}$`ta{NBAK#t#U5B&mZ200p(T_g_0e@cu6P*U>_3I_Bd zdux%gO5F%^N`i!<tyT?@bj5-M)-oPc%uz1Xh#6z&sb{#raYaLfACfS^MM4AB@)>}c zKTyl!YIT3?kNA*AK`Q-F@)=x7NVJ=s?QqcGT&lJ=Uf6-S&DV#2UxP$1yLS|*$|bp9 z36WR_T^+;ej!OzM4P=y2H5-0?aw{-C32?QnUkN>hK%&$2T|dKz{lFo87csWM9v+>~ z9$}sX7RuSKR5-DmghTDKG+5-r6C3}6<_K^t;KM<{{d5Ko!GCaZ0@m-ZmG=`3eux{N zP7Q~s9E51N;VNllq6g5tMaFpb#m0e;6<(nzpFbfdaQm*z*4djLg5)5c|2b(IG%dW1 zj0V*A0F~%ngZhw+p!p_128*y@4IM>oRE|)NEXDWR)Z#ErLopwK5`2kV_7Hs!jcswF zf!Afw2S?Bkmi24c?<nhkMjM+*18GI`Gngum8&HX8aYE?$ma&^)*IYO9e5ZU|IREFN z7AJ~)5<T^m+9{<J>j{e1+lFz(c$tgj^IWEtaL(AAmf(=q5m71avJf>Qyz3%Z-k4%^ zE)heKEomws#H(<U91zdk>hWPUiOoN`rAT@9F+{1II7xk>WOJH1{1QH!vzKW5!y!Uc z*jACK9tMXYLlrK#M4bG_Zbn<f+#<1B=i^u9;?0m#Z9<VYj|;x%1_hsyJ~Y6!j9YN& zvLL3JTj1+^wvcD1+igk2$@@vRpc7s|*Q#8)!hB!&BJCC9n&zvtY?vu6!9pz!=H{GW zzQ0xpQ`h27Wjp~SsQWt+D&zvQa6iQ=oE2ZNNd?+uV^Rv{8?(|aY%Ba_<oz_Rbw6B! z^(`OZ{#$&h`+rW)XHVc6=F9_0NMP(y<S@F|iaXV=F@hH9a+Q~&jSm(XxYgEM*vxNY z|5)D71)Fq_`YbgUE3CUzK2cpFh?5eSB(=|TGpjB`ufZ}JdW`Z!HW%o-D9LDyQ5=h$ z({=NH0`P}UZP}?^Er)rtwCTo(Hd>_fUQD)&H)uC9V*iU1LD*EBXpneiqCwvxnGf)n zl1$$J0*b}4Mtv6rSjJ0$c%H}kRjy{LTp@-w0#_T(jda^py4n$Y02C_W+9g!?{iHXf z+e0Qqeuuhi2;D)akNRJc(+5ufh3;_)p}Sqe9{i08;#5BVg818szh5D3*uFWociJ01 zG8dm}xR4^bUZg!5u>^Y(ICWJB&-2YQeK_{}7M%OAE%EkzB061-V#hWCZpX39U0-8M zLrdqICU5Gikdbx-a9OF^n!KbZv1@`IkJ(^Gzjlq6Z6fBvu;EuqO~KZX;6kxE*#AI5 z9(GkF;NVs~AwsG)Y$Cy&K-ZU8*?HSwx1x)b;lYA44CXh12InR&IsGi75PpJ~PCw5T zSE|?$!s%r%n(<FiQeeP1zED}#ZyYkV?1YbRUyF=u-<DY=Tv~V&)r=O{li}K=jVr0Q zN;%}#X7{jb5=oLd0~co0_cJR>s?eH>v7_9@(eabh_wYh+G?E<fbcPuUD=sU3>Z2Q1 zWVuhX_g<$RZWH?vZM{=q3gJzfT^w{z6T}5hV8znV7u@1Bo@F6ZV&${*Fw{9@*%JE% zs6kx1_H{hd5S@T{d=R1)5Wa&1?EG+jE{hJq1QCoqfn;n9ll$4nFJkbJ=a>T~v72x% zv+yKtlDqC3_m8&Y{!w^K!veA3(i>IVQf{VOQIF8=qwV7B_C2`GrUjP)USI8{Bkutd zrV$Uj8cGD;AeSaGCn`X<FdB6R=O_Hrq8fIV1}Ft_iQ80%cFq&msoFzi`%lp3OzU9F zpF+@}O%u|wVTc-ic!1iETY}c-u(l!4yAg!tZWR`+|F2xNI+Lc%!-H3?V!1v1R&%%Y zSe!e}!yRBLKW{)cF%_S}-m02LJ}e%!bZ!Tnm~kzpry6cYWcF$m7X(v0>@}>M$PJ<& z5k)wR?7>dN9D>1sx)K-v!E2c=up&#?#$0~+5-tqgoj5AMturNX2<)Td2z3w`eocdq ztU8;ne}dONF%zw#p9KN2_AM1ni@f}2Vf<mSBKcbapHv4ei+t=l)C5~waE_vjrNFg( zJg+fuX|r+M1*E5|82sUlCUGi$sD|knG{`_sNDI6^4|{7jk%|1MZ-jyop0$~72$Wve zd3D(FUm|rn)l7iTSu~aIv7#9bm%8EbYOBsKv|=xDD5?U#e+Vv$#%c3eE&Q@&xMEt# zy3`BH<r%W$u57I>$riz8xE;bO#S`z|>cY10@)T$UV^Bvm?#EP|g}fHZ8-=aB6^{Ju zsnNv3Htmx^3m3LrwHweV5*nWE+^{)dk}~=lhy_j9k-{xr6Z>4{*h|D|`UpUSCY;II zLwRs>7CArvhQcs{Ek}=o5{Ydo=&sO!yeu85-?n`D+hF>_RiC2G$8yn7ZXx3bLLe?3 z0qa?a%kLq6&=B^11hmW-*de@!3}IBsOAKMV6JY;72*&0k_`flPRZ%mBTkPRB{6`D} za@o=B?8ZTi-(~oUAk{E@Jx^#1c}P<SZAi=FWNb>0#}+v|_#A%arPg*H^CGxFNmH<W zUSUb@KVz7wLgQS168%bfqr)r}sIHvS{M3IQC+3!3Mz8GBsq{)O6<p8I?NVnTh;YyW z=dl7G|JVh0+o#YANgq5f`z?74;rC7KP1k|*)FpR7HmWT?Tw9O5BwKhNlvVsvOWhZZ zEj-k+&SKnX&y_-t6}L5#DE~X4<gZe3>%yHlFc@*gx_JZ+KXf7hK~=4;yi-|nC)R}W z1uLvOhz%C_)y;Rvt4plVPi>7C2>+(P;WCfSt4klp(GDpiTCtjDJ8g3*(v0s$`o6Ce z;?ek~{?%5N{&Vs>MBhtF!^!W5>3e=DWL5&FKm^ry-1t@J&)bXQ6u9T^2JyYyxH z#wB>GQ4#ouuZC~`alf*8H8cS<a4CJPymJNQ2tQ&@C&Tp;?(qnMn`qBuHeG@RS(AF; znl2X>{qyoSV24Az8Vp@9Z>p4mV+T5Z{zbij^}mO8m4hWfQLO&8cLADSL1qH!@BG|h z(v>om{R$_}Aj#-fEkly!ktCz3VxA$#)?@TSj-{D+_RqKw`;i455Qj`EB@vAB-!w2( zYsFsXMurBGU&~2;;isi;05o9fivAnCkhJ5caCv}Hy9lNv^I38iZr6DgSk5m<dQoiz zm|ed^dQpMw^X&vh!Aqsr`qz?I#V^GUcy)2atE8)6;)2vD?SJApu@%moxWC(NwJ4)8 z8#K(HD$&)D?*2ba#m|gXAWEC3r(>VTx;3pi1v-yy>ty@xR!;@{Ntr>;(Rw-=cVR%S zvTaS%-L_`@kkc|;K;vjSg_F>9E$NF57xTr`hKm`}e*%-GZ6W-rVCqIQ?M*RMgL+Q1 z%*&9{Dzvjpw7>9#4kXazj0)l!D5{`CHx-{MqicRD7BtMiL%cw>y_}pjrtrIdao7U; z_fsVcZh6k4TL{n$Gy-in7Q-Aq>PB98${h>Qpd->5Y6}=ZT*m8YMHOzImmw~~9p$C) z;qU->8hdG>(a5Z=X=t9&I2|fQvZY!UQxYKN3OyZ3%WM@fFJ>%cPj5>Rh+>q%5z9s- zTC#EldfhDN3%Y68^|HmMyuOl2<h%>so{p^t<9N~x_#=C(n<vf0JyUwF?U+m0PAsp? z7Qhdfxyd#^H%~I-o;Y<`KkYhKSBLA*u}la|(uEG&N>S<!>u#b=><jw3g=)Oz)0D8q z4%d=79##h)!0}xiAG#uu-8|s)5`rVN>g5P3cXWfRl-UeV>|UDra2#^~x4|pYm>D}^ zF8{!|7qYgbI59I8C1%DVsTaTa<Uj+wUT<Nm_gLKJsrGuYV{d3BZQ@)H`wM!Ut0ZmW zm0s+C#<5Lt4p5|&(3O?_Ed4)eB9Qv=D_(p?1$WXfdQmu`n(!GFCnETcg1jcq8LirP zaLFgGS6_vc!NrYYRtWcrpYPZ~7rJR{utkZ2a`S;h#l4aEX}jEsgs;~)txWGc{vD>P zzjJd4&V8=f-CNx2JTIjmxCNLsN9e3%Q`@peLOI1Q>4;v1U(Is<q%xaI;g_q*(;Kj# zn7HhKuDPJ?+<n_XXs#xFuOzhy-MoGZ2wH$b!jCXBW(6aX$c|rUzy{bG#x|9qIRFXY z`yx!gA}?X;a;O~tOI)qrz=d5j!t@U53J_*MG!y=X;{Os`%eSy$3!5V>bP+<MYQX6D z-(uWvV1y<zgEWz6p_P+%OP4cM?I%vC=?|J$DfL~>Qo0JS{x<bIUqY2k+=+88i5sV| z=&JuMsWwopaG!9utmkZ+kzBaJ?+|^u6O(mv?ZtNd9Kiewmr5<twkOwMP*b@Vz#XUs zt+>8?6>!NF*DQFT^|>7l*f7J-k~G&0C^hk@`zU!1;5SOd45j7-uFG-2j_5u?g15Ow z54%r$ST7g?bCNyuK^pFC5gMRJxgFA|^KOUWN{1{cai10~4OMyrPPEBg=EBx}$Q*eE zj|Q=<Qk+pK=Cd2I$))6B_m0g($Z#p>fJUsg#XbO_Qgu$7fVx4_6IuaidyFf0TsRQ2 z48OjZ6Liq!7uVzOO8ia2pF?IY>G_gn=eYdr(I&$K7~Cjmxd^0Cz=i;|1UPDNA&TP_ zAcmJD|B*Q#Kcwbt*-|XdfRrl0m>XM4hrq<!N(G>iu8O)D$8sA2m<(Z|MSvHuuvCEA zUYu1bfFj6xNW6mm5Unv<coRZK3qRjQEri$k5v-Ew_akvY3<0VVYJ&^w8W0La;pCas z1<`f>*tDuVxJ3b`mtbK18r4|Ui;$(U>Kt9d2A3nti*#sFG-uTJzK}0w80l7R#0w5F z-S}{@b+A9kZ{h+2tcNaRZ=n{D<;rBX6CvZrl-ToBH6eDVA@J4G85qqpOnakz-GSen z47-m)w)H@~(Fno1tP9xILP+mLg(B11;dfPtE;EVK8`r=rq;KKbkqddho$-2g&bL*2 zV^ez|=~Z<->f~o5c+Id3jKRKw8g(W2@}=_sD-Qbkqcbl93(v+^8GX`k*<M6N1-h?F z+h#ZdROy3`09Cq`py#mk>(DJ}Dvlga8M@V+yh;7=jB7YzYF?az`+dKWj^uE8N<l+@ zLvz*F4QsxxY_8I!EqyHw_NEuWJs?nuxE3zDz<=z+gz&?~Ipf&%s8i!y8FdmpNc<O^ zSBmMhlwQ+`byL{gNwGiqBO>^saXh@II>$?+)hLX)Ncqf(E{27wRXoIh$Y&0#19~H7 zXP;X~`7==dK^mg_1Q*z>-T`Bl`}DM^l$ue66NMRW2bgeL)Y&4ImlAV{S74=p*HnC^ z7+-kNmjxyYq~W5c$!+cdla>cvVK3bU$+;jCaVeSwPa!dQ?M*L%e~We0!v!0bJ@hO- zF(GlmFs%g`1($Jm0tFky2jBt|dXU2~{OIc=_aTUWT91pdE$a(${K+0#fhhX{_du~; zX>Xd0k4k%J5ngm7IZmJiQ(~j=g@reM<bmy&O2l!DI3ym$wZ(||DI&OcG`#Sd9tV|! z=CHe)=y=VE1l8<K>xugD6fp<~5qpUC!SEYRU%Yxykd{-cxo0zeLzOD{77_t!f8=g3 zJ}PN{)Q3Q#^y$gc?M-B4Giu;4BBvcf4MMb*h^2G=r+YfAr$Xrf9@2Q!=kZ<|1L^;r z5FxmxKeh@DE2TzC6MVrGz%;)<Sm#5~fjIf+^LE~6q-g&JvQW)~<`wY4jN*qkOL=Si zuHamQX$HRU$ZC!|Kiu*@L<RVoZah_OVZN@%2q3;T6>PO$S2fV^(Uv0I9Q54~V1=y? z{CG^{qx6Q4w`9K2Q2({iY?UtK(tHBtqVY6{+Q4gRu;yPPNj7syvT<<OCS^$wXTWfZ z#eEKB(zhUt-(n?E1yMBUj4Avc<LZAZCw~A0`>(4pgT=OEB@GGk_E2RE*BZr=4K*^h z3>$v@;5z&3@30_&CAN|#^rJfymRPzEIxq2qb#RSajd(-KTM>eR&5zj)tCD)U>K~KI z2PO3raRrn+XZjX&G`W(y#5Z6}9sJ=7XfectI0|$}oca^Ln$eY<$8*6TI6((AW|}j@ zC;`{tp!|~hZgECQeHU(RF#3at+m)8+H}sgLfw%akYtUk2;^)8THT;J<*k#1Dhw~Cn zG~}g6DltB3MP#L4jKa@Sm};>G$f|Xwzy%J6I}fF3pCHn{C$q5SlKUlK*Mqre84004 zv+9Dtwz9=g&T262;a<RR-}iPMobPhf%KqYZw)+Ww-<w1A%(zwc6x_;kXj~n(e(Sn7 zlz?20Wgc8S@gxdK++S$8<Q%5om9-c*69Q@m-Cakw*6HH+@$<PeburB;7R+3K6>hCl zZGTV}7ue|9x=nw8I2&u+TUY)EE4z_MPJvYjXnV*dF>%EqNQJiGrl!>@O(8<#gBGd- zJb#wj)LU&OOYsBCdof0Z*6O9NIxvrGBN721u_-rOl`@NRk8Rmf&vJi_e+BF>dI#=s zg!~7Et-&$Of}p=IH6K}1#F0T$0NwAxO$M`QFXgZep}T$xjx_#(-afL0W8C4KqS~S! zGq*Vh)?1x%`@`E%3%UXso|6-ko|B_}UinkI{E6K;uyU1@8oOmKwx*+`#z;Bvkc6Kk z>@am#oPAy|c-r&03l_jvC{d1C>TnpwY;K23&+0JxwIF;alApx88=p^#cx=PpVf;-y zhJ|-J&Kfr_GHtC$0ovw8xD?ndM>+DNgUGRCGYHF}OgI^gUn!$1{BjWLNdrc1Gf@TM z;EB}c!BpT_go@0<-%R`!;BO-Sa`0!vp9Ozv`QzP6`4ioEGrSqzJ$U!v-HUfG-skW> zhj$$BINtqu_lGTH^%2ay=6I4CIyE|gKM{Y;gd5A_RYzK%q!tek8?8^oppKVN1msA< z;&(Xv!<$O_6MaxH)CXB#pMAa`<@P**QuOnG0;PYBAaEu7<bu&Bh14g#s0$zn_(=he z0{kt;-_{EAv}4VS%<|`)dS7tr{r51`RJR1oP+xtXB7ebqp?MhOlf&T90<<vEXP=wp zFQ{kj50e#PSPtOchC2Ko_PzwJs%mY2F)1nvrX`xiQE^BdP()Es4+1JAilUII5z0Y9 z1cY-ON(BW<JYst5-UhQYZT6N8+GvhBG^yEOHfUwHO;l2vT9NDjJZtZLI3SwUz2Eoy ze*e4RJ!|bXzVEx<HBXNLHUVA)YzOQE90Ys`0I%DF*X^MPLdUz!D_TQu4LtxlE~;GN z2i*_4FLYn%-q5}4=8evy8pP+l5_u2k1~7RHyukstyinhu)-4}&Ke}C=ywgYLnAE|B z>7plGD=r;j!~hq&4{@1->m|b;Xp1ln?WvtwfilcHP+4)D-N7Pc4_<~hdwBkSv~J-z z$svHK*bwZdIXzxhZ?hdNsg_|oOLm}t@8Pl7t~sM?5VCLS348G4=mukj6&hZ(_N;mv zuWc}ukR7`!qR+cbzqw2`hRK*`2(I0^2$m$HnZXvxlvK=BYfI2{a-V$3;0O%svE^8E zESwRAO@8vq=MRFP>QH<DY8B_;k@%hw3MaMx;$Nyxf~o7SaCmx#g%0Z(iTse?e(F2Q z^<Aye-D-ZX9|;p`zknG>=%B)^kA>Yj{@{3xzI_E<(-8xk)31FfV#OuAbUnwXHZgtK z1G8Y=)M8NEio{RGX5-vz_1J6=T!)F68=b+e;SLOsFj%sPs<3s$B{EL4Ux$d`-cjOJ z&TnC8yN+1V1s7M*1*3s)m7@$-^w2IqZFR?4)8oof?Ta*Tq4{Ac*P`{g4$R`$c@1Oe zV`eAeODsScuVL_-7tWRQJ&aGCAMmj!?0MbkImU4sRDB(Ch>dT#cT+UGY=d3zW9;Pn z7~dftb07T^Dp5?+V=1+DivHfsyLj(rf_m=;ZPt`soZ-{oyJ@98%b@CgkrahY)u;OM zYi7A;)j>2TCRUz!qGBg5O?Cu2f8>fGk!fKd(-n_(RCRRz5b~q{3x17^NBA&r*=UU2 z>v~5OSH}3F4bRV)@%|rd1Vu!6G|n$O2@m-soWG$m1J+1V>r_igWj5?|VtC=sylYE- z_FRNBkY0|~>-aXtlwC?IZ?1o68rH##C159)#MC(k-tA;gs)fCdNk`{|K+Jfgq(&ZI z6oh`5^Nsk3KwLJ2)6i#1_Dd(;j2s!cbD@W|JT4G3Ap@rbJDQ<<@D6eB^0;7UIF}`P zAh;Wr936q^)o}&c`*oBC+!x>oh7{s{iE0eyxb86y*5<2$XE8M3tARsZuLicks&@TX z1E*D>#=!Wk_SHblG;*fm^uQ^n?HjSR7z6J>q{$8(QsdF7<4D^X&cn6I$+`zfrl0&k zEt=}r)2YdgGW6lDbH-UX+}VgQyi5O%^*ZA1-2<xALC%G^%XQH({gxwze19Szxnu5C z+7v7rIcsn=`Ha1d`QBm4Uf-&AN!laJ>m#o(;=$ukOo}3jYK6a!9;CQqa`M0_7Ke9o za#bT-AE8bRpGyT}gXNW+as>sc+8VM1;k3J8K%abKh3y2pk%={7Z)@dcu5yNKX73rR z`K^~hava?-?a7#oc*!(XV6mtED~xjR&Uc+<cB8b`d8d+sqNJd`yA-sql>!T;ptX{M zfLbYNPbq*1@X$=rqNv5P8pD*i{oM2ZYOcT6dogml^8)svs<ppd;XO1dTO?~=zeTM5 z$RAQd2|!9<V@rrc5^OOHS^y~k*OImA$P1lWwa-INE^UBWU!$f1n-sH*XRb^(RdMXQ zyM04!;?g8n1*f4+!_7)sSH^<%$sncsX>F7qp!qAkwboeafttJ>{`za@sLiox)k+W6 zG^Kabjw`)~c0}o++CioF)AlL7y|!KH5!#DNkJ2_lFWGICbFA9K$|_b{qx6y5-<3W} zt5AB9R;Kjv+Crt@pgEL2S(~Nwn>Cx#Gqfp6pP@}qdXAQ;^n5K&>2__f(&uU6N?)M$ zgiaK;6r&_*LA2dcN@HtfTuNgTWn50<`P=AWC5@+)@h%!QWxR*RPnGe08sAmMwKVQk z#tk&Ss*I1(_>400$c*-gGH$1FwKDFeaiucuqp?gGQCRU#GmHx5gZ#=-4xGQ!(v|TD zjVa3b360k)<8d0T%6NjtaAnkJ?5>R8(io(S@6p&=8LMe*qKufV1pO$ma?3dyPbp&! zjhZqFRF~SP%E&wJw0D(}d$P2>Fe;S&`1O)<U>8JtN*P<zxLz3pX}m`nxo=#nP(}-l zOO!E~#<|MajYeE$3XFQtn68YWG^QwHKN_!B#t0g%${0msxH4L4?5>QlGzKZ-NE%zi zs8AlouSUutiN;@14CR*bG*&C)4K#kGjFV|Rs*E?&cmPHWHO&Qnz1Z0&IvYj$s9Roe z#&jdROjHk3M`5gJhs}Mujc=rn)v#Hr+k{5?%rI=`D4RL`BExf(4K|<Arfx$1rQaZT zumvH~C)NlzM2{&T(r2V$(?hpu9qBX5uxY2;1V;KK88*JUP5Vfn@rKQr5{0!T(&q-l z2J0K7BRJA$vSIVCZW9sdlW*8;*KMLAee8zKQ@V{6&vF|!_v<#Xkv<Cyn`OGq$VeO_ z)j2dz*~}S*bN9+7Ma!fOsCSL0Q;dBy*i3^d5RQ*Ln{LPb2s=IepY#sKHSL%J*)L&_ z-u$vg%4v^>|9bD>!tZfA!)}XtP6$0Q^upYFT-FE79@mLAsH68(g<-}O>xAA*J*&Pz z=c;;{?^3@;*3$j#<e`i>T4FU;Ysyf@QOP}AGBi<D2;;n@H~RO!#&gh7PR~Iej$S~j z%b;`*N9U#|?APqj0tQ8UI@-dr<)CygM*v0@cv-3G30yje9@(yyS8qRbykxt_uCqHK zc)}jI4D&l4h~{e$h(Mp5-RVjD4Vg|({J`NI*zRHcuOt4g=nGaY)w%c9Tj+IN2LGH= zG0qQTdd0XODuzSY$+<Jp>d4o8ETRX?c<*`5oGq7nN)POYsPe-SH;zO!!u|ktNelKP zHp1aAy{~<VvtL8ZvtOa;&n@H8FXx-uT_}losS^jk94&b6%isCtrlIQGmpb<KenZE; ziou53!IS=?g*x`-T*zj*qGBU@7v}3HCulBvO#Sj<lkze?eWE{Pf<5TUyg~i$#;<nc zV*CVQ9S_I8@U4!01>n=@*FLwJ`(R&$i#qnj3&_l4U+K-Tu7H>495|_Z&2I4KWnKot zrNgUvR`M#$xPBhwtln|nXUFG_y!<wEMi<)|-#8N;T;y0ye{JcnwK+43`9m*nHSY^w zJI`2yi~Y-HgIQcF_b;6e)3R3On?C^t<(t)`FPmRg=C$};`uCIgEq&L&^x3Ak3cP#` zA9xw4Jo_&%hZPQ%Me$hKYxR$nRWK6$SedW;u`*ioSlLPRNU|GG#LB?!7Q}-YkBLvP zKaQ=<@BywZhgM#ub5!TF&SRbT<Z<QKO}J=K?_k+T+<Kr+5bTF*lg;#A`5KHR6*PKR zKI<}jR6YXpVr5^90#SLl%gM9S33D+Hmi54HnDVVB5Y$;zQ@)j$VDM9(<MN7=Wwflk z5jIXG6Fdj@nsKsBISr-fhc);Tm0?D_UFyb5N5<P)#mg^Q>8oO-**!*nSAOS9?BeYc zihr45k1hTM$I6O-!LhRUVXqU!b2ycI=q)nGaaD|AiP5s2hm}vlNoPqw<%2G>rSeXg zmw83?cU)V1t4BXaAWrBTVZkCJY##hXg()9>bsrCtx3UO1rX-{?kv?$1ERMQyzAOsI z%ditcMB#K<PwMmhOFL7?k*8~*mpn|_;1M%w6=f`ZN&Z`QCTVGyFvSY>vN8(eM7*b6 zaS(<IC5GB+O#3hMGDMR{uKr$wymI$3A3iEy!O}2g<s1&By?|=bzjOjhzdDr0rEL2s zbtnzO6AbVjiRGuqFq>1%Lur&mR-}4is7yw<v+8Xl{dm~}aB}1M9r&zub~LSZaw^fr z9vFuYPQ1z@NPzA!0Mxt57++!XFa6aUi+U30%=F_Hw8Uu-{O(ncEfJy0{qUoXjI~GS z9e5Y<2+ebFBK};|b}GqjAR&9G{|h5(lGL@R6=kOpEe=7j^e1VyU_{E}VD_NBs{Apj zs#eQJ)GSpV_bPw1)C20zMpe#dayYMVlokY!(hr7(>qJr@)xj{*U~i3sVTaDSk<yQ( z=viOc4QAtL7(L_8xNni~mAnR59S!S`9KgXum47%ICP943IUEgp4mj~>*gPH$>#mN5 zeF?WSDzl1pUg&k4J;%rv#8Gu~Ng2zxw^M1({2J}Cmf$@^DM1|)qikE$A+b+j;<OG9 ziP4D1C|nGx90GAM*sW?592Fx!QMU=FvN*d#6cg`H!8)(=&JpLFsWp{NfIyv4IDUap zqGAp6L_h7ghD^XoTm16;5Z$paK~!ZsS{CDw*)-is<x=WE<;-J5^tM<<wjQ1r4R&r; zHhc5~XTN@oQllz&95`DGugEVPLQyGgW=hT@JaEP!433w<!}Bp9#q>aVSuveQ;J{fa z3`RMXn^{WKfis5Dr5Oj#7*&M|k?elpY%6)n17}}@CF;N#L#YF2s@NyHA2=)C%5u;1 zW*9CT>A{2Bd9z4$-i&c_;DNe;bR<`@BEh+7{#HDO->UBFteG7Z1PVy$Bo2ys*6cL| z(lcSNYT&y9CqroTOhmPbj0=bVWy*v1*ga+MA;Qq5W$#1VtD1l0q^N8OKgehV@Gon_ z`1j&QCyPB$XULfyIR5UxZG<{xHUfvtT7i$WG!B@l(#r3K4wsqa8O3QOaCRLoQ`|F! zLrDS-mob2OxQrf5so>Eu9xi(eb`_3OIC}$wRF#wa$udf>ezGhA<fxNnx?s3YmXW9W z$+Eap>R6dV5q!XjYB=F6CVuVHAX<%`?-UOVwcj8sXysJDdpts|Rn~ZQV5~9ru48`k z#}Flfhwvh^s`}QVORo#1UiDQqjxWaXG9N4a{-pcWlPcM|0r7(8T&UBF8`&6+tbm2R ziJo0OtJ?8?3*#%K3I}GeAg8;bo+m%ZJG~VTQ8a`YJv&l<W``ecmpWH<jeF~|$udR@ z{0SMol{JD?2hEPj&5R4jviQ5^Abu;9yr7PyFRdK{=mN%rX1#QyHzME4bgJ6wO&fZ! zp<}dHPS=h6OPr;GCtyh)+Z{MFHruH<jiaEj!KoHmK|@k@ql&oGNOCDZun?y?uSGtx zW_R=-sBG=M<Yv0o!BmA&XcnrZ85gz+J07X(RHEJnlvVBY04U$gPJ<}yqg02@7*s6i zYY>HbN}Z?+xc0@Vx`Z7o*}9fNdDe^uZH)sS9#(b}ovL54%xkIY17PLEUoWs>XO<nT z%uxJ)RRzXTGa7KztOEEn(8boPZr4$>E6^2IN6kK8XBD44XcYl#ts)2TB49V5DeR*j zvI=8B#G4DfL-2mz*@K<-Id^v!m=TQJSJ2eCW8z)75XC!qS5KDyGEr5jX1vFa<!TIu zn3&7M=r9%gO>4B07RZPLm>%BiXsP{zRdW3tgLAL*!>R;Ua)~v#n~YmRd7TJnfA`|G zNp+nF3R9CL?OTMISaslHTdsb?d?9wzrtw;&)-z^spTh}+;GVH5pOjC*0udgyJ&(gn zt7vNx+MHS(b~z7Mu0tunp&Lv)@cNm8c3PI<Z?wyw_5)VLst&15BNb6<c!ABK`UOcC z4vgyKUGh0DNWvx9pta6n3QSEJ)3@A9@F6QnoPWegv<b(n+G^h-TAdr(X&8Z=j<UIR z!jA<s?i1&P<5~)kQBTB2F$sOx_~MCnm}}uN-`atlkpb9AUtZSlD>hCM>Nga>1F>z2 z^ZQSsMFo?Cv?3&mYhrB*4Rw{0FVVpEdndf;3_qV-(O$m<$4h^$c-g3kV9)&re=c7W zj5wE848<>wA=+`forj|<)?UsY;ui61v<^B+TBF+NAIDsH<u!==Ol$=1d-Tu74PJcW z<uyn#7?Yw6LC=-@GfVIF1Oi@XVjFuG`<E`qhc@nRlwE5M-t``dhS7planvBm=_UI$ zcK#r*><8iDEl2*PH^X=24|cx@g_?h9629@)1l*l#6iZZKTrFMJgG|AlWVdxff2O?5 ziqB<bqz7H=vgxQEmo;;4CY52^am60DW|p<bm$Q-A-jaE!o3C7!)Nkp8(@PV7D!DlV z8@5;lRbB7@+78?^fbk3n!G!@8Of%$7uSD$gw?^*szwKc}48LWuu*YG9@f-#1_EY<q z{)S#(j8uqJU5%3qx~C*9)XfjC9ONWVwogUkX{-@eR4}5ksGrCaBecE{p&x-6i~zVO zO;MYK-PfmaO#+E>3b0OphJqY#3U5x8w6lWJ;<cl^jIuLuGuh<7{EQdy+)Db<J$M_E z>57wE{AwfJ6L-3Kors@N0U3#h|ME@vkY$Wts@N+_5K|P+LPvQzI{3d37Pi0SJUG3B zcfu)TJj*wezVZsDY<L_em7TUb5KPXDRGjoLi)T72QcnX<`*paWEva0&Yj@Z2%t3^X zfsPHTtAQ##|0O>|7%P3@?rgEFmF{Qhc>jLR7Ui-25tSz)O=0^fnh_Mub@(jaN}0hm z5JVJXDVAC#X#;Vg;%&ddhx5&_Ga*V4D#}K}6K+~8?6RyCZbV$eOe_8cmmunR>=Dha z!|_JN@Wtn4E9`xF-&w5(3Be_P6=mJv8+oWAX*e5Wn4I$Gp?HD$hvkv9+ZCcJ1YF?e zza$6juk7qX9XD$-L*0-b3Ad7mSs;MBjyXk^xZgzNWBgxe<@K4@J39U)z`vcxX69;k z^GTWIflfu1*B+0}j6(m-ED!M7vv?~l&Xcki|0rcyC^z*fOQ)SXWg|%0^~$GS)>Rp2 zJ~(Ju!B2xQH?nXyogypJ`FADkFI?fFq~7Ztl7@$ENz_Hjc?=a=!S=8-DJe51G{;D> zq8hi$kFBT}iD*N1sKH;7b4OB&aR(!p2%SebA9c4;id3$Gj6F#erQr<RP}bW0yf)Kg z<Yz^1R$<MI_igE-4V%eMRlM~q*2}HR=w@I?)llHVkh}s^ZYEn~zX-G7<1t1hEhP_A zdJ!YbeBJm<R2w23IVD?_AA3(+TR2b^L0sR;H8i6U>kVUhXw^`oc!uF~VpSirwqa#% zMPEjVVR1w|wa^%>eT`M7y`nu>p`C=W#G+1A`8gFLA*!n2swtj2zDXN9gB=*0Pgu%k z{x^7cos@h|53AjyqC<VD?q}sPRh^TP%MEX{UEb7+*X5j)?1XHt)3_Tgd$N|RHa+_B z#AF+-O>N9vRwF$P+--Opob;2EGa0Skpz9BctCxJV;ctU^*uq#I&0F1@m&E(|?u`y) zcdM!;KD;ZUTf+%fD5=63?OT$L6Z{^=K1id_<F75l5|*Ah+!X27&ACF$b2({Oz*zN} zIfrU&z{FH4?tb*}E;(*BcUKz6eAJEvUf}P?soPZlGQR(mqD^@U7{6l9-}Xw;M$v-P zvmH}3E6nZ}9Eai?`#p^djxkxgYne4TxF`y@%xWMgMf2AKOFJU+a*OEfKkG*HHNG2) z2&Xh3R1xig2Xz<)5xuON6-H0hi|Bz1BEp^2#r7#&osT=6?UTgwNLs%uAXsX`s4>o^ zATy@mkmSPZMWMKBdEOOHTx&e|H16PSVcfgi0xTSS8qcFN-vBHW8v8~>F05W~FcW!H zWhoi%eSThZCpPW+W|n)DH1e!!&I{`ipgR)6D+T7xoKzbnU-k2FBQ-ifKI5^~2Mwk9 zyc6~js4U^l%=Rk>P6@CFL|n^<Wqh$OL*K}PL)19Ep}O4F+9TNRjk^N|-q6}{t?sFj z|CScm?&ALN40<e8Z<22REsc`2-QcIXs&OGN9ay>%pCvzgEb5GAZh<B2-GNiEU3lj> z@M~;Jb`zP82b8$&q-;BUbK6WnqzY1CiMYuFdwz=<9*OyvW}-qeZVjls5oYZ@tZM0Z z;<_WlerY6}xsQb#lar7VqR#fHo0@;wAb6^JS&c}z_gd}SK<}HUnvr$2!i=p4+;?$5 zDi!}N*e#P-?JVC1q;Q8qbZ1eFhTZ)_17oKJW5h8sBr$Pfoy9DSnNqkNxY>3`H!Nyl z^Ix!E*t=(c!0j}+rxSX$bJy7n*za@hq3(64Y6Q%aVZ&=f;pb50p^p!JbLdF3{f^UT zPdTgM3kw@?2{`*NuR{ebBH?eYZ-IX#{LX1IIs^_^j}OM92r&7=<ahQcZs$2FoNwSU z?vI$xO*;ehYeSI3SkBu%Z=ycRDIBYBfaf5_9MJgVvdWUE7Sa)JJT}HPBFD8QxMDeg zv&4>8$=Ro?e3P?(s`5(CK7-6<JJz_oeWS4Lld7)Lf|i(7jn)-Ly&l(35@THrHJQGF z>CFX`BAauhRhaDDff~X2gTg@{V(?<{GwR;h{v}bN(jIEQdv;C8oA!WsyKnqOuqg3s z1i7fXQo9#RQATUD4n~|}a(@m0Y~WZhP%DEQFx0YL-qpq{w+gbImTveN?((Bm7DKY$ zzwq$DnOI-kb^Er{8;{)Mna0Q1I;9~PcQx}WQFW<k?R}!glfyVLdy}st98W@@EQ2`V zbRECjUT~Es&YMm-f!jRIVPPm_bl?;$j;grzQJHbUW<_iSFXp@-<&HP#T7bhYTtvFi z7l}N>)oi_?0Us``?XlyYVb>xos0f^~k5t?XirIeg0+&y+n`tGC1d}T2E?M@zVAn@s zzpw@`H<w7Oe?=sFTK%?it&W>*cv1#WSUA0vjSuI>Bdh&O{sHSV!|~|%q>@G0pc(-T zHAapj$KZsryZS;__+W%w<;AO3aiCehoOj_T*!*5`6E3<|bTdx-)%YMGC3~z@C3q(p zm%SkVr@30btAqjmh5J`Ma2_E<$8*Q|MquV~AFpaW6op5XrDOhx${r}>>W*6ZI>O<k z>~XZj=@ov84%F8AeYMV(i+3uTb{4kTW5vb#zH*P%rzwxr<7Qd}s`_-t*FHEpq)Wm9 zENEga)5xzq6r5CTABG&{s<(SrfqfWe;-n&EBG~)`O4Y<&nf@oYk44eJm6ixlgx!r_ z6z$L&+Xon1aWnmkJOI%F{IT#Sls{JfB=P5F{^VDb7bE(Sj)Pd^AK=`HYcTEpRbJQ^ z09TKS_<)hvSonp%y}fg1*vC7*@wEGvx2=fxPQdZv<6ibgOWQ_|bo?^uhF#7hXFo34 z6%c|4;m0`-V*@_iJfagEzwD@D7{ug#z2n@Cl@rKHT#*rlI%7SrLB`TOx^dMMvHpu( z-MCiTM+?pJ%j$j|aCGawU7@|~a@MB6SatNGmsU4I$Hl|`PO_GR8E{v(tr29SPqKCr zt7N>p!wPi3#b!ot8vQps_;dot;PI+<TkU3~fVarXeYF@@vhEqAPtTlCNa=mK2bq>$ z#Lzv$4b+Qp842#t-L@L`c;nR>ho?)_b0dM;lgf@S)IqB7&b1?uUb!7k-KGo7s;+Xr z6S5Ci1bg04)eINw?)SfUdqu49sNL<Nu2QKAPGwW5-GL4XCK5nTfU^<WFsuv>wqMI_ zw{6vhGI037xhKTu944A~obx<;gz?mVS5@nCczECy$Ab=F`|hZLjj?lNhqo1PojA^> zShKy8w9`Am6TCo;L*ZEF_swpiy^eF26P>(U;mVNnN!q`#2&CS;b$Sn=NPmadYjFcD z&l#xr(NAGx#M_@v<LdK3?dw~a<7)P48H~(!ie@t2g+V<K`I+68JvdpLIR)wBj5KbD zoe+7<J{DV!2hR0Wr)AHrBSn!uHTZQj)%ru!)+?Jmj(O{NMFVc_wuj-OuHM=PwA<@> zGmZ8dn1xqlQng;nU>~iex$t0<!CTe`I?kbtp)v!WS7&=`&+P!E>lq^=J6aw(P_f_9 z3QqSZCp}gBw(?M?x?BgyKNrGdQZ<KAeO7D3(E|Yyk>~xF{{|8VhWVHN1ihl)E7)AP zI*nbMiQL|*4(y@phlf@$0PqMqLki|*drrb`$r>#kr;aCj?Ml*SAW?%SH^PB#afVx} zc3qw!4gO_cAq{kt!uD5qk3a_xT`jL&XFs}nKhEgx8;k3uXQ*Bpt`JT<jmPG0VRm#! zkW|eVC`|+x?C2HLXusTq<nWjhsKavrM@h?Q?-AuKfd0Tnj#FrAaP@(I$!KWV-nd1P z+|X_Uj!G!8qyz_*F_j@OAzBAGvC#AEv5FC%IEc8s3^5MY<G2OJq-<{^j&^z++)0tn zRB`iy-;3of%V&F&J$>{zKY|PHI!H;;ew>F$fN#Q0Ccc>S3}HZHTQv#``+XbWj(#6b zADvz{p>^qak89A|;Wh7g-^Z;d*a<IE;EEo|H(o5YHrOTfR-HmT+Ib&RE~)Ke^58`? zlxQu6Wn>DT0ay2a;i(;8Z6gGFBDySzsa2sUNgl&d`rQs=WUvLtRc?-(2KofI!}c$0 ziZ%~zF^UwftUP~w&YLOP41Q~mf?V_ARd%<uf55_7Z5~7(jxXG}Q}u<msE&Ov-QKyk z>J7ygY->jcE%MDdSG!(_4ZsVr@$hEGUKNcOVgqn|?FV$g?I6roTm3d-cOD_`nlFgg zuQ9N<j{K}JAmmg^w(vTZtbMgs$p9}GFt3*@`8E*e;KDw}94BPj7w@cKuekQY*XXgu zY3g)q`2;*aA?*|SB#=r8Zq9w3-T-^~pinfAjV%laslNIb|D}5%twp|g;9I>X_X-Ee z$++C+%E@3NYWaE4uo8jFsEsy%u1SxU3!_s2r~SKTu(!`tu0&~POApR3Xj<eQd8)wM zxeKGyJ*Z((z<jk5P0>Qs`rpgc=QS!ijQl&`<Sy}Z^l}K;@ExfdNQH@l9Vmo-tX>Gw znjqbh2p>l??b|s-22)0&<Q<9nuxe}MuSK&LAlbs1AlhgQw6*_|(tHoezcdzXW-=jI z2x1#{GosdC^d5O{d0cg;ow#EF=sB*_DqPWPe}~bO30!3FsP5!AjZ=mGrM&GNN#SU` z#z@2KB*ij?vO`VDh`DP_tqfGO*8A*D^@R|xca}xtNuE^yE%Uvx*G*sSK6GyJufmE& z$t37tv3(eHtWw&$Q1=w}YpLV#;^5+V?_y`uicx)nm$fYZVsY^s9!pzRb**c=r1%Zb zDy=x(yQr#ptxIu-;xgP=G|ACe-RCf67n#vnY{zqmOuBYP1o?lZHs3*(tJbDHjCj2P z9-7~bv2;1^K%cTJ)wxIYto+M%2-KQ~N<J^z@l9j9t*TMQYFMCql-CF_8r`eB6bpWC zV)v>sU<|B^Qejn;2CKYGD}Hj5@H6LT{4C0c!*tjc<-x9KF6@em@+-C!BhHF#{7rDI z$KjKBJdgE_H#%i)+|w&+Trnr0q9`E2aT1S<*@H21!h;aaomZ8&slWrlMc(mP+QwEn zFMAW7)f+w{-f{MZoAB1+%P0yW<Y34fW1Txq4_7U1qde@;>O?WpacW{E=L^kh(wI)b z6OsXVz^-NFuXCEC`p0a7XL%qhu3PmFFZ6d+)n7EHm3FnAEWN2bRNGdFi1t*WVhChi z8!-`|YPP|@Y$Z^_>__XDFnz+C@aOc$jD<g<Z<dPZzhAsx6)^1}BGB6*?RCbb9@DLJ zxgbJyiTri0MSB?T*&Uf`JWQN2D8rf{w-{E=2R%#ia0Ah9q+bW2rW~S3r{O0Q=88nW zvB{|^Sjk9iJvO;~il3Uk;7lz7w#JiF{$=W14_;e;)4sLbqv|ESel0n7i+@=XB0%L+ zip2Sd`fW3zla%jPD^e;a;af44&4k->;GHN}I4f;P=-86Mo6usO$Av^TPwWZe2g|WO z&xBb|yy8^D^`1muEcRSEQgvPJUvM7DJOsk_B}IE5tx)Z2a&5KS3dl({BZ^njUgWG* z<zUov>OHwE<=7E9QS~{lq;12CK>3<n1#IfQCdWs^Fz8Co_Qb<-lbY>vJ&V>udj!nE z)h_Bux%-sa^`u-*6{;x|Jv=EFNMr4ja$Nbr)uVh;&eM2OF62$TDTn(@jW^|5eWMtN zy1Qz$@gy5N2xzJ<|4q3olexq=Ry+QAZ6%7kgpuwPOt}SCUBhL&8dUFoPCR7=t0^_w z>Pj=+fp}c58ShC|Y^!SQ+|`-<t9@M#Z6+E+HI<F45m|-q#5`g}zDKraisqRDWO)w{ zjuHjI4ObEV&8DITL%h-S`ss)Ct@*5HRqJSOMOL~xADxVuvu6A4iC9+0>9-f6pSy93 zh5Nd@G(EAbvArvHGk3yHWE?FX^mRd_L0``G^!(SLy)f;9Y0seJxXTc4${Y&YKj^r< z38$@Of#=zeoI575N3PZpy^^xMW*{%DGkSbuMU%xl3D#5kc9}A0$Li#HY|+;*J2W<% z14B+)ajL7?KK%MQn&8{}?B|$sN<RC!G3|vZEH8Zm>~pWfli(yfZ$yLjUv)VgcnqV1 zEr5N14*=DG^MHUeLIeW_0a5@3fKtGHfK7n60AB#k02-YY;wnHlKm;HOFct7U8s5(U z2LW3Eufpyi;5gu0z&SwEb3(KS^aaEMZUEQ;e*-)Mcn$CY;5?wk&qA~V^aTt9j0Q{w zWCQGg<$(JE&jQ{6d;mBBs0RE3XoN$!fq-s+et_YC@qkP~G2lMHCcqxRaX>Yo5%9JE zx&itFh5^O_G5~hKO27ty;AtJGyFk+-z*<0kH8IR8J{^Gr=*d>`&Z{_seyi2xrT7hO zjp<kW?Q(!&Zr9%?^BYyRNCdoi5^xO5_<03!^Rnzo1$onKg@r=Q5`|)#$P)#^hQD4S zL*(EO_+vCW4=@dX@FpgR@nX2>DI(m=eMEmTO2om2?xRJ#h!JB%tg^WtzvEyR2OnXg zFJg{`X_WFiJg0DYfz2kMC)?~P={XK%9^qz=&dJG}M$ZMpA##OXWC2r~umB41M|>?R zuI7TfJCP@ddyGiNpSvI3H5r(V79$#Pf&3s;BCckmj|)Sps6j`65eh28&?jyR9$4Vt zjz1f4%7<<N<l)x=P7%jMU=a^|EQ+%k$}Ur3JxlqW0cr|iO2;ol%o0<<^ZBsJKpX{d z%@xz}l?xxFe2$8NxunNM_bla-j&NDx7Q<g2?3;oUX8iP*0rzRj-Dad|L23>aKiw@z zH&3NXeDd+f81)cYaLGl^SwIb`)Ulog+d}nCpEH4*j=LS{l6p!~A!5u?e)2>n>=+;A z%A_n^rEK!4r{WWNnFT*K;A|1yL~q#UAhzr9m5KOr@l9?JC)!X7$j@}Zg`CP&I8u5T zN|zV?w>D&~!YL6k5U*Y;cbVg6e)o0dcP?Te2W;?1ZcPWR7Nn4mu+tRPnMN8p&~<9b z3&yLv%z{r7dsAl3bo#i`X;`ipOWpit+$O(cfbV#GGhfJi-9_gxc}4ts{YT`YJ{_Sh zI!v5QzBNQaMm>J_McrbSFXnc-Diu0CEL{!7VNo(ixixXA&A+~4fGa)|kIT!yxk#(w z6fev}_w@SziS$^KSVsR$df~40@*$IY-p@f?1&GrD{^fvc7nU5eEY@;Nm&3lIpDVu0 z=T{mq&xM4|L%Md9S#rqyq9mHRSeu$zzWRuPuJjtp?>yux^GmNqS)TJ$?Z8^nhB}e8 zlugCJJfPC)=u=OQhz(<6J)qYutfwe5m#**oxXBOkyD*+v;4*7DQa(fRKV8*bdL1zH zcjNyv@=`aY48`wsg9|48wdIi9XRTmIead=t2K=+-nF?x5-s&|oIb-IL9#5!S{#?F1 zFjid#DHm+B*?Q|SoAK6`^UIGn9aKyQzs(p6UD%rW9*SND(_#CZiG0aZykV`uwlp8# zG_w|G>%^8$=L}m9y>{2bP`YY)LAhcdYUNQYSJOlUbdFh%e}ujl^n0LlGQ$eJCGC&k zl?>WLZ$*3PfzS_rXccXt7ej9cJplUE(AR!|yOp3PLC4l`5db|1`pEaKz!dSlXB8cw zSHEk89HS2neLnO}&~Jf$7j$+bmqW)0P~<>QRAqzhBg;&tqB#Y2q+72QVnhi3EGRLQ zY)Y`+yBY=4RB)QyW-91wD=GzA5dL9LB>2Xdrz>A<e_2!Op&8dq#m%|+9iqb5PazKB z^!{516?amd*aj(@M~abR5aOJLU-powGK{|-@R4Zzu_nk6w3%=Gv9FtmT8Q?&l^w$- z!Hz20&|{IqtUK86Vt<lqG-zT!%iV5_sx$IjzLMe2{+_!ptnDbdWIaxmfN%DPOf%~Z zs%XVG_HT$I`8y4z5#tHCljF=8ljjLA=epVG_?kEh^jKM!VKQ0a!?=lqnYOOy8tD)d zJ#8~xGfnzqI*f<4Hd_$ZCpzxK@s;KFJs#N7N1>ZtD$>tD4D9cjA;-g)`*$Mv%3i1$ zZ!+BLelu<2#PryYXF6ErQE~H|@ey~%LtGi2r|SmInl*?c7{~@x4@)AHg@*Z1A~CUd zMn-QKppuaN(STUnG~2AHHkIL{^X9nBW2V{jXq{}!x0{yHj_Hm<AeP|BQE?<Va#cn~ z=NDwDJWMZ`rt;4=wZM^Hp!-SBRYs&E5WhgYj8h;k#skO|iRtqN;(%TthTEo!g!EjI zoNjj%WWWJxctMsjji2EtC^YO+Z5g>X<72!-HznrfD%WI(p{Ls!Rv?^!e*u32egxcw zho_gfPou`ZO`10IYu>^?pyd^<T3>lpo4~g1u5N$LwLz8+9Xkbg?$Wi}b=^aH^z79; zv`^o#e&PKGL<}4h88vvwP;2zCnAo`CBSyw2Tt6yt^q8cv<C4cuNJ+h6;*FCgPq``W z=Jcu4GHjXCXJlp1%$b#&mp{9p(C(Nsci#M4Ze6f&Q4z`d|5{m4L)HE3hW1$ht83rz z*GRN5m-;Ie7yi}tzgX1%d5FvVbB|$(sQvRqdw4m2W_Zj0*LklKe__7P_@9;lkHxM( zkIPhM4pLv@QTylVae04c_zS83qc*=+0+>>3{Fy28tJWNV>;C?Ts_*~usIB!CAZpFJ z$-{$kP`r3aNom<_w=XSU=3HK};*OQ8{&weGfB(nb_uPBm>igF`@Zj2Y53S$u@FR~t z_V^P|Zv5v{Pj7nW+2@|$yyb-#UwZkKSGT^lZTpU$yLP|6XYaoKZ@l@|+wUAWc<9~3 z@4f%Qhetj-`tc{9es=8m=U;qz;;VmstyO+g_3d}xpRE4j$5W?&I&=2i&%gXy^Be9z z{;Lha#Vh*DY6$+f>HptO|1b0Z_Zs4hyQ_xyf17?ETxyStRg}60W^cp%4>xlK%p7M? zt#C8rN(YzyN;mT=H}l`z%y+t(`M{7F=VmuE&Qhtd9O4sx08Bs|^Wv#lxfywLlkMsD zEcBsZKcUc8FlK7DZJIqkH#4tbmU2kd!;DHVv`0^~XU(xC<>fo_RXqB)9*s!EOndrt z+pxTOshB5ERx{)E=fu0ASIdz@4#w$J-Eti{Il58cBt|1N+NjaI8i_`p0p4+OaXwVx zp%~lHvn3+whQ_{PKxk-c5{@cbEQ(y;n`hh%CB(e^c~HLaAsP!`UueGg<EK)Mii>Y6 zUR;a>ylyMLZAo!!A0MPpR#t`#3k@w!DqafT-MU63r4}PR5=ly0ih!1G#Y>A3N+6jT zGiLbuHlCNCKQ}+WPW)UE7!Bb1K`{I}z{s$^y)tspiLT|#_^esBJcm8H0Xr~xxEi16 zBiGvTqdp^O!907q8WV6lrH|%@r`ywWEO7+|c?FiNT+66*NA9#4=-(G$q(wD6JuAnS zVX@~~^73uD7TY}AG>1KXY7RU26LM*wTP9?{lAdcx&xfZB_-BtFncU0GPk}8x!;)E$ zHw(U1aM7s)$D7fhb|muo2I$zQ$3&qL@}>eGm-tv_J8T8>vvQ|fG8IA>xEI>&b~k5H zXwLvS8IJs%tZ7OB&47p-ZeU=;j&QRT6g2Ecye2^Q%y~L<En^zE#aS|rb~$^(F+0c1 z9FOZO9p=nRSJ4?#TPV6>v~DrX?mV7uvxCK1cFVN944Wk{(~@tlJ@rC-^8i%6k%xsy zr8n}3G53Z&XOgJm=H;W{={ct73gVhID;@cRoFRw6mae^!k6mdhoMD@q4$GXZT-zW^ z=NvUgydaLbGqUWq!u<4UHcNV@-Bw`f+S^fB(0giDZf{%eoUUfTdh$>!D@+L<vkLNZ zXW4S?rvJM5+6rc6<sz$q4YCJ<)pNEZ&u+6o2HeE%Vn|1UuXSZR4I^pJ?+y`M+#Bx} zy&mt}Ec*<KL7_dpK&ARel5;B;ipvHc8{j|KrRdVjmpi}f<W+`EWx2b%#ZgFROc+1B zXG9&pD#fmyx?0i=>?tYkAsdo|t{u99l~^jA%SaizUiLSDd)*wYlfnful3p;~!OShR zbhFJtO_7ypvCYc2&%f@{=}d)48I?#n*D=$P<EFq;C@r&Wv+^)y(9tL@9bM(d(tsW2 zIw(|sQhB2;3aGa7xg9YsIW{@yy`MHN`XMT=Z064s|FwGJ4iDJJ44TaLt#EP*gmwO8 zw1I5s3MUt4&C1WQrR5m)=j4p6Li^;osJ-(u^orELsTdX9+QFD3bvBG7_7ibxQoLvA z=J$2&ttx=|y}h2he^6cb`r+^CdTIC1yI<P<yPlVJzq$9N-5(0A>%P<tf1kdX?*&kq z^c{3_r@a<orRH+4Pv7C8b={A+h3{>}&P@Q78Gn8LwI61sv&-E*Jni3&vAWzocQe=b zcUN4kzqM}W`uN6<v@%*(obK^d#Ul=YyL<icWn=2PzvV_R!=+*m1eHl|{qP^B)OD}V zZ|`ZBcK_$}y6*MUzr&%s3#dsjn|Rbu=aF0L##7(DX-Qr8`ssYM?9%Q58|%8)kN@~{ zb=~XpY52=^-S^ewbF)`<cL6oxm5bB4ajR8~JWXG^%0CPJAl5#9GHtL<0lTC_wcqZh z|L!9a|IvL!Z9Uw#`rPh;aZHTfZyJSGC{<kJoor*LHYwdcBUQ}Cm;2}jy;Xh0Bc^(A zyUwVrsRf+qeoVxm+iSO(LnREfRLqWo0yLF|t@znHH9gBdJg*=bO>>UTh-o@}=GqDn zIwmi-FfYdzV=u^wL(__x_Nzp6VPV$vTqB0@d9?_Ln>-K`23^L8AytTDOq1lrpjT-o zDq4HOHZd>5kz*T<4*BTxSs+t9>@}7>ZMTtIZPe4f5*<1AtYP!*w()tXSsAvN8JL;> zyFsJNUo=)37<aNgV<h^W?CX2-n`1vU&_GXv-^3(3Bcnj=t%~v*m6x7j@C`BaB!}Gy z*JCOWnus;}^fn{%aUv!suh9IuK5pFTxKZY)$tjp$<IsheqlipK=Qvfwc_iBl@E;F) z2Pq%OYIJ5vfAYvtsnJRCYS0x}%OO22xWB=b5wbBaD;Hfmalmt=Ej?dt(GqVev%VcG zOXolVa&-Lse8zlRJ(-FYhn4@jk|e}5JtR7%j(lcADhB^%@3l7f4tr0?ouRm!5jSrd z7Gp5@Mm7>9@i2LJac8gi!dTl>$Mos8f+R4X0`<L!BQ-GvS#}JUa+1-d;b2}2^crPL zpJThg{!7pJTzE~-$-1S!V{~pta(-5BOr8VreuH@3xfSR=&Ym+N7hTW{aR{8uu|c}) zB|6ky62Q0Dy~pPi8hhOK(hSkj_rdMs7f98=_V7z(#7STWYS5dUY0HSuomOCD#}wl} z^2JRGUw12u<7aSu8lQnp)b62?*=Fd@KB>S|iII3)<(yu&vF}dBlf=vtGiZ*E!BoQl z=Hr;SM4Fp|=fE;6LzO_xZ-|~=qhb=%^C5+h5Ky_@YaG&NK@=j7c<K_Tvr(L4taPL- ziA=il%M?P9u4<jQ+98%6Z(*u9%8(5?h*q`I&A3?pQSMs$m<4-$o~yKrNA+4E$yT67 z<hj#OCn0|!Y<Du2@mbSm8kp`-yr@&ZfvNMAOwTXGk|C!rq6-x*Fo|cqlXGlX_q)TW zMd*+!-qTA4qzk)7Rg6Xz2wrY<`$qKzAGebqZncd!xNTH(c?H8!|2hg#aBND_Q$2>~ zI0|PlnPHC1O!VZrUXJpgpI%^d<wh!FbmLk|dO;S4DXHRJh1ocpE|AH(zl<@Nj1aRH zq|->6^#b<z>QZCWWXS0Ms{gMz;0bE^kn%Hax5bk1?OjmF3|(L8P@kNzyg)Im#|5^v z7IY{4SN)d*m&*al(^UXdb~x8Tvp0ZyuY3T_0hmWu^Zl41SM&Y8hR*$5od4&3F1m4z z!gOQ23`^Y~z<4Rvv}*~t!T{QL0MI@hz;Bice#aQ!sOVLgafW@ep|b{M{1X98oBK-` zZWh1-K$WZZh@l&#@FyMgUko75iw%7Vbkb4+pnEBR@vH)HDd7R*dmVJ*w*kQP9tF_f z3jose4uI|-0_YwHrjS1b@`cJn*Ic^s>H0R^FJ^x+_dn|2jK|c?@c)}ShSN&fS6ap8 zz<(CkfQu?UUCTw)e-^L*sn{>RXsu&#@kP`BDGdMf>0DF<j28N$B4GK?<Muz8!vAqm zNb-rs76NbI4QSwQUNV142ZMEw9McW!9@h264<6^1U}0TUtn|m=f5-Zx>n*zT1;2~W z>sD4n-+Y<=qYeLC;QzowCmw1izIsS|Xwt>wU$jnz7>fpZ?9rQ!T148>?4x}z^ndus zXUBgQqR%27GtRTdz}LoOc=r^r0k9TuKj0p~U4Z3)QosU0J|F`y8IS}R1sDm41y})5 zfCxZ8Kq#OGpc^0<U;zXI`~cp7n$L9qr=fofH~}~UI0)DccoFbCU=v^iU?rdw&;*?i zvrSrnZ#y6dkO7zs7!Mc)hywHgv<LVCPJfCt00#m40NVjC0yY621FQwy16T=I3MdB5 z1LOm428;q&0sR2<-wn_n;0HMO39dB)ya(70coDD(a6iBfxEVlY;;laZjX(CL(RE_` ztKY=4KCTfhYSRe)95jA~y#5+ILfXfhMT>r4TI=BOfAQn@_Of}_Q(lHLX(eC!f)DJZ z6te^Q7nQ~5&bIDRu<z)udf|f*io6+xD=mHxiVW2c{*&PUV!*s+{xfdsrpl;9`2v{A zT&FR=#q~byLjPC&MGl~fgYv>3wjg0R(gHfhD#aXgE!Br7FzMqkj;xqRYhh3Mco90o z9fZz!H0Wp+n32WIoIvOti{bgeVrWX~>3OIfBX|_B*svC+J>$Q*0ekwJ=O!Sgf7&m- zi2Xemv489$_Ag$<e&0pxk6grFYrvju$vN2j4)YKin0G=aKvc(ih;FbqzXOMRh{rHM zGrzZw_7F3`RP(#rc(`}2{XRG!-{=9F?(>$xKjJpOkFUTtcw~N$yu(A>=$2kLxLE*J zfQOL_FgB=q_39-?j2IzOQ&UA&R+ex$9HN*$i;MAJEbh7I9`Wd-kBXOGdP!{GzFmCy z;fLb<`SYx!lrQBOAJzQw6L-8->?i#9&YgQeeIAe}Yl{79=FVNPfF4fDw`vZ^x6Z<O zFTQ>8aS~ziJ$Ej@wF9^%LVd$l3f>TPQr2WD_qhwIeZNIuxySgPd%*V`!)In9eySq+ zf9pVI<^iOyzE%90nK`hBpCZOz19vL;QT`d8D(5V|YmokdJ?a~YF#cmqU#YW5AJ=mn z;G!_?h+oZtpO4||3_U3Pm((nKtLCjUjDz3j$4!ohhngJ3k8ht>_qV?8{<jW*giP|s z_sBmNw;}_e&hh)Vvc4@xy>$RSmcu*ZfBe2a5xNKUeeUf88#-=$OZlZc!hIVZCC?$a zngam-@2nsH*14Jk#oOr){>a}ZY&%z@oarC@t-Sx7RL+Y3j6&0$>0jL=azuAl@hjXI zIpbSusO{=g)C6rWI__0Gv{;BBH}Hbl1E56XB0Ama&pjODX$Xp7FN=i-zzfhA;139r zl=A?91@L=v-mhOjoIS$H_T*%7%PqGk+)No?xpJj=;)y53^Upu8Wc-5<J`i7h^_5G` z^EutJ33ceE7aCL2Z_U3|Zpqvxing8HmN_#|6d{W;x8c>YZB=QIgqcO(|CF``hN1_) z!d*VUW-i?S)r1KXwq=g$_ayYRnF+JUNVz#pE-LT3ZPJ7^Q6$%I+dP5sy|jYy7fJcu z*|VF3lHyx&2Srej3}_rAg_i-K9jt2@Oh5Eb@Ynf79$6KiP!U~1b?)3*goK1(e`%-~ zJb18(j>a7f@$rgxW5<paxG@j6l}!{=rc4owGKP!k)2EB<>})Y>)+|v_fb(*wKNc=r zDAqZKiYIRwES_5wDN3ftiRCk6#9evOVs(L4ys~(Z_-ApvxNq@P@xnd%V$U7di-YTD zif*q-(PO6+efCH(bhi}YZ%7gKjueyMmLldoDXu>%#n@v~6aprEA;qMxrI>bHimBg9 zv3T)fQC?myR;^kk?!NnOaqqqNiu>=sU#wlbRy_Rh!zzC_ZQ3L@Z{DoxvR7YyRUF>6 zNi6w6ip|why#D&@V*mdA;_bKJ7KaWU67RkDo;Z5+sQC2LPsPcvj)=oQO7Z#UpDVej ztgIBLPktl5{8@_X>S}TJ>{%r%WUFUyw5v&&(}d9YuEadxCI}A-dy8twsk}lAmVLw| zIabV<v&B7fmDntw!Tzg5W_>DJBYejsw6FO>3|=Y3s7;uEMEL2|Xe(t)u?*qwNBE}@ zemlayi|{Ah!goP<YmyK*<_pYmVXyWkAs$Egoz+4dLii&H{~5x6iSU&Oe-h!(xP|ZC z1^YsxA?uT{Zw%|0n^s^9`8dwG?m{7ax22Fr`Uv^ySRqf$7V?`_LRLQ`<e5V*{Cl@X z_>Kr4its}aJ`v#&S9KP`&u=N@vOYqt87t(|vxVHT3UNLo<X4Ak!=v+&<c;u+5FV4J zo6rwFfcmEzofv7kLdYR~gq%E9$XjL$dG{(Iw>%@{dxvVn<4v6;(FXmU4q_$F(r&^X zAqOD&)wnA|w!BfuKKVk9y-mp3_Y1k|Ss|a<C*+}HZs9Em-yh*eA^cQ?pNH@(5Pk!~ zKZo$IA^cv1N1CfXLHMr_zS<SO2X@F_j~KEL!|jOSVZ^W-F?@~~s#{9&V;?C_kCo!g zY$?vJlH%uQr1<rabcMef;d>(dP=p_c@Y4`}4#F=*_<LJQ@kk#jo*yg4&e>8NSS7_L z&qz^qs5ZPW!jl76BK*||-vQyfAbbymAJS5a8~R8wd#n`8XCtmvQfzxhilc{W!`H1E z(sbo+851)sdRTO<vKrOBTj$`89lMNhd59jC5FZ~Kn-DW}Xmo5^&u(42b`BmfqEnjT zAvPY)_>YGnHa0EfI(ir}!eY25B*w%g3`O*DG0{VZMW^+kht8clb}-!I6Rpt+(J`?x z2v5v<^#}<WV&F(G35f}&8h&+Po3vi=z!-u%cCd5;lJSf`At8QfLfSR0+6KZM9=aJG zx}+ie&}c>wlaO|Gt5$7wcZFkcM+=aQcg3G}W$RY0t{<!-2vJmafIIMyW%%d>xVLU~ z&GiOuqq-9Xgijk9oj5unAub`U9V2KP*rv@@etv%KM-fN5^RR3pQb}u9$3q&~K=+uq z#Q21S#JI$uIv(KOwY!RcSYm8KTw-kE@N3&$X(WLZ(yr^)a}?-j{4pvClWS>Ffk1&@ z;Gc@WPh=ukoEVposEANFn*0a;X|a8*L?IzDF|FP3;jLP=0ue6vwEm6Kti9uq#Avu* zJAAmJvc1ba#^1+3qD5$2LTn<qJUmEIdChP`JcbU6j_&K_?-M#SEio-IJ}yzm5><$< z;$!*^i|Os{(R8%oKwibiqPjBN(+2hqXwt~Tqvc3oNE8zjhC+~P-J=JDhlVxr^1UJ+ zjxoa^%l-Pr#MHW{r45T76WOA%Pk*Eklg8NNV{6k-i=o_&iEQrK*h=@9p%B*uGdTE1 z{y@O2&04k?lNOUWG!nAra)!I9Mh3JTm>3N{#=AL_|FOyk><5I!M53s;JFEDSzX`Dr z#Q3=ILG_&7;zvfuM-QqS8s(#|N~{w(>Q}kF=$wD?(BtS_YzGwU@K^eCMTnz5$cFlI z#bRi^{@kVeDQ16e+_-V7KeEU+!qxY9blwoLG%HTrQxGGbUlJ!a-M2^#*oQs^>ba30 zN|A!T1N#i~p#S3^{}8KJuNG_8tP$(htrHtIY*2lL=bn2`^#@;m`DMYr!u#7F6|2$T z*o3~q?%lh^JMX-s`UWSyI3~XM;tO%�gPVRVBXt_FM7e4<}XM;HRH{62JZSn^<*L zif7PQIP|MqJ=?nj8oB{!=uj?KPD4XC9}V3dXy_ghE#>o~k9<vxmHWhOd04EHpNMDV zS7^U$+ZoXt4PsIt!lSWW*#qJGBfJ&i6A*q9!p}zd+Yx>Z!as}f`w{+_tDX68KLzaj zZ$IV#WIu)Xv{1Ec*A9h9h_-5$vt3~4-o1Nwr@f_JyTEoGx(5ZcXmKt2!)-fu>)g3( z=iV&?{I6?{?{*zJb?pkjEdzpjhx85+?K^hw*87^Ky<5UVi{{O*ZQr4Dx8BW~cDvTF zuvofv@9pdB*9~E=yP`$&c7biW_ipCv+q8*~kKc9v{_VUQwd;OOGvB7P=p7JrWn+)V z9pSfk?`xX)F#f9oJzL?cS*NB=nuK5+(4q6yUhUzEAlKj<>4&s$-L+Fl@7^I@fj`pk z9ug8964D_=(bpb|D}fz4s83PkkNaL4!z2323Ot}Uq-byYp?`!EL26D=pnEQE26zYy ze*cp4L}>Kb)iw_F+Li7DohkoMsEbj5skDi2Gr*NWK|vj$6M_L<nlx#G5fG01C{CdZ zEpTLA--cmw9H0LdMgBAgV03d?io6W~Q2Z?qKKNiN+MQQUo;>-l@4x^4YqULIeD~dV zUqL^1`t<3O7?+;-<daXH*}HeI6YCNoQBhHleCEE|dc$}yx>EV}NBGCQX2X0%mo8m8 zK_{;`y?i+;aMGknL;FL)^VOI~yaVHCxoz7v`SsUdOSGpF^DdmAlE;o6lNf(Xx`PIZ zG5DvNrd5L0&)<Fb-3NB;*ikfW*sw6f!+dHFXanFD8REixZE66`<T2g2_2wEt8_ZRN zojZ5#7nsp-UN-)1!S4eogZ&uCfB^%#5I^9h@PFftHzejrCGe9kzWAcT8*@nVU;p}- zJb3V+#GHci$1vz4(EbF%JowBr&n$f5g%=j0+ZR_-QZgn#KR<TGiWN!dR};7E03mJK zv<bu9#*KaZ_9gEEV`F2xF<zMe5dNo5os#Iwtm@RMQ#g3I;+t>2k(kqU@%g}k1M;Jf zK2mrhe-!S_o8!li%a1?)SbdWw6VT^TX2{&>AAb1Z9OUj-#Hs!A%P;cBAAdac{`>F0 z^yQad9z$9`GYsgw6Xh)&IILjUKZ-y4Qxa*pfcTq0zM8;1F@gA#SJX{2zX>KC)QOJ? zz*(ArJeMYzcBcMk@ZYs-*K*`zN617eY1z4Rr=o%Kf%zuMJit7Yk{9C0GJ!Iz^uvb_ zO9IOV^Mg9e2g?q_y!qyviU#H(%D-ejV6L81xGsh7UtwQEca&i+@?UQGZF}a-8Hr{{ z$$vydL>J02fq8&=Gx^FZuSn#%M4wreVdeqz1oLVNi2J^M`y|WCkt0WxnKZBtpuDl1 zFpr4amhYvs9mNYF@8I>x{ZjVEn@S;g*rV5WDaXAb<r7~?`O}#*hf!8o{x3%<{9k+R zwN=5v!Qtq`uRwh%kspc%);Y`r@|E;3FNizM%>U0m`%D4N<T?3Gd?^d0g?N+yl+lO2 zl`{4NDXs6~f_F^855Ss1*gnv(TgvXBq03e&JH9OCichdMP*ZdN<sc6~3V+n~(gfmf zf|(bl{%6Vw%K_yj^)o3);E-U<``|xmKpymeQ_8-eA@@V9chq3M`;e5OuPL#rzFhn< zPfA%{9u^kX5wcK9I*<>F9+M90<R#^Z{BMX3@|`?q9#L*6|Eza0W>W}_0shy2tkW<I zhwO#`*Fm5G^T{$FbP@lo!%_ynsuzpP#UE{kH0yuLKiVTnF!O^t@i*n1^3VLBTv0Ym zT3E&@XOw%E4O3^ipi0Kw^P@pS0_1-<_)QuH<1pbsyq-cDLQxhlPcFM{Q{GvRUXE%@ z{81OL!W@4%@?izb8S9pY=%Bp2=ZPs-)X9Ikvt3|V)-&!Z<pjzoY4}vic+e0B8a93B z?&G57AK-G|MTlwp^Ups^v@>;pG?-x0(NLb4w7App>#x7cLocn74=+fN_st$E|B+`^ zh~0=+O(uMa2XK!|nMfKwGRiY#Cdw?&tdmflStoTtIbeD233+0fK96;_253<DBfpnp z?xG{=^-|Kp`jEOw19i$h<+?r{rhHM>DND!RdR{&{H%hK|43-ZR4pB6afGK#7V4^`o z(lIGV0jH6m!Bw6~gHfJ)u}(sr+8K3H2hb4oqF%Qmn#J{KQ22N3*wI!0qm5@fe?fk* z{IWeT^MmDq-)1=>{;2ol_PaCWlk=nGBXbAKhd{#`&_I=r`g1a9xB+$i_%HCZ)3Ms} zOd8Dc%sQ#hUhsXFl-H34@ZW+r3&x<Hf_kSR{88U4`A1n>!Tu1-oJogC3-f^OfqR~q zv`{DhtS2`wj+Rf|8Y!Ou4G)8cb#@*9!jn?ojK?b`Yk1fLG_X9gPD((XWR_>rV3udn zV3udrN!?yi_@AwhKg${07xc4SKpIS_Pls7n-07g1G*G=zG*CXfV32(3mPq;dJkT&_ zu>7g|8~GuMGigWz4OnB7scz+&brQ>SG|B?&qzKeWY@f|Ksp~epo1x=hzg}uf{L#N( z9v&Xv5q*?W(!qL>I%S4*u+KxCw9t-it=TW58{1p<8K_<^9w@gg8YrIu4gUlUkAa3) z@6D5^PeOPuLsf##S;&(Jw$Gr!>|=C&O%Gh3|Ew=e`5!cBP#5Nf2`sO~o465olNQ$f ztnWFlVZF(=iftR!YfB>JOQ2!%qCs-gf=Ia$G}JH8e@C6PYF4ydK698{niV5UrpL&l zj9BS(+$cZ$@Sr3O?tKhZo>3=JHH1IvdnNzCX9aO5Uet*b@n(4-pUpgB9q-;hW`Bq@ zQvP=>9U`}ah8ID@^9w-($^y$XX<&I~opdkiRnoAMG-MBxx6c3#nXz(FMx3I7c(RYd z_Sx)Xgrj|fx<LL}XRr-pKZ5YsV~@!vpL|lXUuuGxAJi{ZPB1Sk4?d7Cca#i}uPz1+ zC=1VlhNq44%sOeEV~AW+Fht&yKUCh8Yn6B8L`x@VxD7Nc0Sya516BP##!V<2P#4rc z#2>Pt<R5ZfN?LBa?KZh_<3>e~NdxtZ(LtIhTMVlmdQR>v9U!-ZhF3s?D$k&Sb&^@0 z*P>3kzhJ1mJKrkr1Pv=d!!poN202=6i&coSPKtKxV?2j)4|PHPPy9{!kBp4$LL7)E zc7?cTV7|E1aVc7U`>jTPzT-am`tlgLtt3LeVw7jrNoIN8fI5jZtTt%)8{}xk%xGDj zrPDw}RUZTW?NNX=sISgT`DQ)Y=Vx2yIojV<*vF8No16Ovab<aA8CbMvk)pv}zUtFb zKTr70I)P>3_tb~GpK|pvSe`44@?0<6CHp_bpLsuW<Vfa&eEjjpRo{z!8q5#KIdkT? zXt)#|m&z03!#e4C)=9rto<Rdu1H5j?sxA41y*4{gcgn6^yUMh*G>N?#lKr~E!a`}c z+vW1*%T>9?l#i-+*cWPu7V@5L1M4dGh1ehEcz}xK`M@I%S@R3V8|&w&_SwCUaj#LH zSE4LXHH55bhq(%W^!3N%TjAfcXV3oF+LMc`jjPa)R{8MILl4O@W5!7AEs_-#6%uPo z@~*q?QuuIuPkxgIwgqe_C|3lIVMqh(Q_3ORLh@+0GgiL)DDgid-`FsxwvU0bz&-}c zGwY=L<|PvS-yMHp?ynq6p^GU$ko8p<_lIL2%tn-92{(y5=p@R7<oEU0U$6Q-*bk%X zPvTBonMb6-1lp0`ls%4f*tcU|uspC#tMZI|VEb&AXVyvX<@v1_9%MgowaM#C=>rE2 zybF7J)I12&Hp;TZ9!0+6DKV!due<I#iN3YMg?O;P;SQw11d|TxjE_K>GUI05`u3Ws z^3^gc+Go9w!S?ydg)#DlJEzN!-`pb4{Pfdd<o9LIKVUDVEG;cPg*{4g$&w{M-FV}T zGAAcT@g3tzB}=4%<%07*#Eo>+r-gG6Y=<fL>?5(Pa6V!i#*?&TABpV*X=y-#1wVhr z{Q9HwKa2}ycP-{9kKKCft>=j+_KhlFnKo(Y-o3lT-ZhmEY%?hH?E9E>5MSa?nJ1kb z8&GF?U>RX~F!O{uWsrRnv+d#7o8xE5%O9HmWZ9zpLzdQIzu0>$r&tk}3l=O;`9K<2 zuVQXl-f+VW%AR>Z8cZM!=D3$*O7^iS_r#MrWr(zy@<n_0so3X6UGg`~J@v;v!#g;J z_%rxZ?g^A7&Nq`L;>I~=?7dUvHzp=VTCG-z-6<*`=*}=E4b)A!GV{bNCoCVt-P9>Z z95Ya^*bijhne!XKpUZ82fXh*;{si62u>{Z&JS=5--nw<GqJjM3ydlbmq9Hv!U5*+x zO34=1<Q4wpHF-{2h&Rgt>mS;4j6nHeUwa$M0m}f(1mk5L4BXEnp3=a;Kr8b7A<R2z zK$>elT-UiArTP!146^@Y@|E};J9bRrgS?gKTX0vgDi6qS33*d8z&46}rhfvzNdxOq z@|5-ev(G*&pL*&k)doKO^wTOF=Lo<j4RzZTw2=#d`%c*14y3v6ak=X^ZHX`YKdk>z z9#`<2<&8RVVZO6ofSjtn1lCDZ-HNiV+BeoUlyAx$@n<<;xn!PDPM8Or&!W4jXlA_3 zBjyL&bI|)R@MgWqb;8S43V%~hsk_TCX)uAfkuJ&*%fjuq-!4&SNw(AOiny7;Fsx@- z7g14uI3^+xchdFXgAa0!aV?JV{88LVqr%_p|AXJ9q`|BgO<GJEsFUBUo6vTvaROzE zZLK?hi7UT}Kl8@yLvUS(a!*+z&sm00XWRok{tWIe{N3fBb%c9<G?XW#i*xLgCr_5x zm#gI4<hi>}f0QN4I_=p85O;HZ1Y@K%e*t%eKhrSBzi4|_P%ha9kq(wY@`?2a>pHea z?s-DqZrQR$-gn=9N}kDY6G%5@hh>NTCVo?97$4gL)R~XssMnw6J8`FKOMKkhMdEJ) zX)xhZdBQlbCtAfr8DkjIMtmt-+fa9s787^$PapY{@~&fD`>W=EP`=do7wvZ`X(9iq zn{-e&>7Y)YvVLJ%ATV!e$9!Pj$#Tj(V_n3x1g=4m7V;fw{F!>D7UQ}mg}*8P=qq#~ zp9q)A6ZY@f{~=vmmm^TNsPEacN7cLJ0n01po%pjHKpr<B`M)YN?i92oKh611)Dy1x zAJV|Kll>Rgf0P5ZM{GOEV~#n=d*%cC0%kt&n{__xTGnG2Q>b+f(ERVlopdPqcbAR& za&CT`<<?!Ntn-_Gm=~0J@|iSJ)*(md(MQmbS8P|g$KsE)O~mi_)D`f+JqZ6vU>e-} zz<nBjS;=BFF5BkLtr3mo`Jr>?9>@8dYF&p(egFG(FC#t=L&xbCqzCmEbu&IQemA^} z89lzY8~X9Tq8Ax>N?rFbbT311Z0P=m9%Sf44ZX<FrLKEW?*@D<04v~6?$h!{Q1)*L zl;?}~6_L}60hk4sX8`Vs-&|3tKOczb8dOXx5M#kmwD}1(n{6!m`>~kwkA{6HfPL;O z0WLXZ+@GG4at_vdMt-2Lv2iY#YYKg_wlf)X!yo*pP`VTjq_sV6-yeXn-E5TUbF9zM z=lluvZ6(@*Z&5EDMgROE%#&rK4;%~seE=QN-#9rPYaCoB<6Ni}^S4~{=347}r=&c9 zSvj0XqWT{GFQ%?R9ljoEo@4#VI+Eih;y^IhFpNI`dDN??Q0E>-z4<aD=9($j8@X=H z^%c&EbA9Oj(^4J;?U%9E8^n4V^9t#hdrBb=>^pJn$@Y=;I@==F)$Gf%pF%g9sU~5q ziff)+YvURZ_b+gbit9UE_vacL)y0U1eGtb07=z|wypYZIm+czIxlEV+X!69MU-g~z z81-MSm)(fDTdwzUt?c<~ch?5ZT*Pvh2bDg@gX|*^hy#K3JApi5`}N&dN9Cg>DQaDU z^Wjuezr%XhH~PA1GH~F!FZV!jZl7zuraW@Jm+OpC(BH2slR<1#Fn&!(KR1PVn7A<i z*#{;rY=2(4cb1yd=9)9-<jwSn!%e_}>z-UcSMmrPxYous9?B!vsJPb2b;5}#BT)N{ zJPBeuj(L|{oWILv+e|QVV4s6LVc+_xMKNlvkLxp>N2Frf1g^bu{g`Wh?()dJEL@}E zS|8V#D32jqRnRkL`s@dp>x*nx*-tb3Zze7b!FgrQ1+K?@Cf9s%mQF548FR;h@|aRj z9<hI4l?m>pp*+@Grwd~GSWijEyh4gQ9!#5ZPMwPDZCoSadLh@Tw%ncnyK9Eu{32z+ zF|2t42kz%#nc$i&l}SJQ6?o$=x2UKnn|)A%i3jIR$O|gYuXC-5YaCoF<2n=9H@Hs5 zH72fYaE*-XOADsy@Q)=~k~k=N#Ja1w_RaX*(`Ow(VBdz|jt6mJ{_nVbsN{Orv%rCK znw%Tw8Vlu->s(x4;aa0w<1*4;m@%A5sWM^8<6!Us%9a1@n_(Ry9p^4nSQl`-&;B{- zCNAUw^>^22sdYoHS8?r@Yld8Ve$ZGiWSQXl2-gaWu|{R`fQh-+(OkQQa>+l-7S8tO zqW;fjS!BJ#aRJA6<O%B@^5eAjk$mIMB(+Y!`Dw}{*YG(vZI%hHGjXkt>tsa+4oocR zn7)ob8EJoVmNu?BD2V+_${@=j`~1|22Z8(`5D)T+`EV(9c<0k<&6I0(rNDvfrS;SW z^&iuBI-ThcJn%pY*M`_1Cm!TE$JHEDbKaDAkQc0v=tjl$TkZoe%S1!+NPmW`HKYZx zkB#|?T+Fx3A|LL!;|^8tvEF6-$NHbLKz>jbnKp5uVww2<i}&PrUwnWvQBNLGCMb_o z4JB;KKgZ*o=ir<!dCc(@%Ay)?v1}42Gk@IkhI#S&sw7!`;yrot%MWVh5oLnw*ObTA zizYJp2HStst?X|HF@3B>d_Ht2dv$Zw+BEJ|kjs`WQ{y}0#CnnCfOwDx%pdaRly+3U zvu>t*sU%wM1u*6Dq4~q*vwzQ*RVUCnsg<=lY#1_R2%a3U&L<sM$IP2Lb?RQ6-<C6H z&Q$Zj*dwXtF3hnHc}{+i{~X^@7RV3cUtcj!_<I+!<=)oTNuM8B7n^``uf~CF>$xt& zwI%ekB=&tPy3O$y@gR^N#G`)R5I?qCtUEX^MfCjv?B88V1#t|D{>L|5OXRu)&Y4Qi zzY>Spvu7*5vp!%u$hb`zU|Osf%(9Ahq6X_S(;>@+=p&s+qTKWJdt<5~@(R3PiAR_A zaE*s^^f>S@nHOANL%XcfVSj*pXZi&8$=F9Tb+lE#fS<P_t_QJR@g36UP~i8Jl0TL~ z#>KuJ`OUdp${^>`xvs(TK|Ia5E9L>~1%@Lo<OS<()|td}+qP|YAmJ9jmpI&2`N#Tg zI?mChFm1-kd?pUKCqUv}0Xcf~XoVYbAkYuX0R2&J*iT}8!F`FC3txwLIaatFrRrbS zKiEf~&G?RCPM&Q(>m05v;LZZI#>{d-{HVwWbB>q&Wv;2P-wqn?N1~UTHt|#GoAOM) z5{L(Z>9IY+9SN##;9gbIPMKqVk=LY~bu#8&9{Gc5tMr);>Kax5H-v}T2gaELiSv$X zu9*Eo&N)#Y|3ca-ebQ^Tzmz4?%Qy+F^H}Cswn-;tjQe-E_X6hvRQ>QL>1NtgL8QMv z-`)AoJRq>{W!=Yo#+?w9zwa;~R*pD0fAVJ)&zc1MNnrW<z54B<c+~{q%&v#)ylzl2 zcmePLh|2)_Gs6TS2w^DfOelhxAd4HggQfU_bGsICF@?QajJrVvd5n4R!3Uqm8qFEh zQQu=<$lo4$<dHh{4%PrpB96Q#o_Ipp!;km+_3Ps?pZ(fD|M^dqpJp4zd`6xAfqP<H zPs9Fa&a?iCIF3X9PO}_xY)pB53S*FD^y|2<aVW-Ct1%9Qdcll?eks%J!<qdVvrMrr zOT)N{V<yfayo+v4KkVy-GW*AZ>jzAWWsUU`f%3|*ROuL=a18u{-X&9Z#?MdCx3F$v zIU=s?J5aU{zPdrK%G3LX(~R*O$B!Jpa;(6yN+`xk_X01jwQ@{O+$sM|_whyXs*iID zW3bi0nQ?F|&aoHgA~^2jxHAIdPR>!YPer_0Z&7g!!!guzf1fQGhr6mm70Wpt&LeQl zM*cCM*aop5MD@yTajL(?@dw8q9Q&}Z%kjp>`^zQc;5d9F@L>Mo?isbt%{q*HIKF$G z+)_MPjVIZ6XTP1}29BK;+D51}l8;IG7{;|Y=PiqhiqswvuB$OGDK94fm1q1M+_6dZ z`xj#DV<-~4nfyb$pz1BI$#MSx!<sVp%%UOko8yNSKRJdf%Tno|Hsy!1$GV>N4)YRc z*A-7$S2Hg^+xd`ucF72}pL@-`>*X6SKg#4co8fVGMfKHKe^G8&Z?n(E{9t|Rjtk9f z%gwOV>EFzM^3Lpc9YZ_G^w}P9oWQtQFQe@*au3gXns_rF@&fLvJh9E@d=kTQoXxfy zYcX}gGM+_^H%12lgqHyV`o+NXL;nPS`t`s>rp1DHfKgfU#x)Ot8+6qd?_2YP8|{46 zZEId|)4zDvnm2AV;+I9;wB}>@#25TDGJIOpEo+TMRC-|{-kZ;vZ<#kMC%15LM@K>K zpu%Z0Y_rk}d(O(5R*+Yimuc^br{e~t7tZQ6r%y)<9zD#;v=!P@@W=yRGa1~mPp{C9 zLz*|WSfcC&c(9)DbzEj_VR|@(EX4blcm`y?ipK&KRba#0lz7=9BdH*34qkznZYy*- zx;w|Ir!#@bD7=rCW69y~;Ew5q@ws#IX4(omS{zx?)287uoWUJ4({l=K9fw5qcEw#c zuq%Ey9~Yz^)w>R^QN3M6BY0GAlb=J9qLZRyW8+7UxZwuF@Zax$A3xap2tYaT32hd7 zMQBiHm(Y+<YiLsFO`#c~GehTv7KN6E-W&RO=&PZ>hF;lcd>?zC+xtA-=cPV}`rOm^ zT;C>Plfv!~+Zgsz*q31^!(>=^zl44%{qp)P==ZmNPxsr?@6&!F+$X$icvSer@HydS z;dh2V9sW}I2jO3bpAYx$-=crJ{@3;I)!*8GbpPc3kM@7Le`WvV0XGdO8n9--_5p1p zx<-tSD2iAbaYw|4h;0#vBbpBEHE_tll7U+W)(rF?)NxSQpz(v|4SHZukI00`8IkiM ze~SEn?VbB`R>c{|!=*GvD#8S%6bem)QjD<ovuCdXQw<swXuv?hBx>MIiCkL1Kq&-` z7-<|Mf<&MgFon!Cw4nr&!H9uUWNe@*MD9qS6oL&95om~k=@aPqKXfMVyff#w-Ti)^ z=lSkAXV2NQ$!s>;&Bx}nNwt&hOuN7?w(r<Aw#3%hz4oNNV7s`UF4o1nVNSa_Zjmc> ze{g?wb?!fIoiFv<JrsMC0pCGLqNh<BnvdhiSn?d1N?xZA2LB3f1#`oT;hSo#Szs2~ z+qQ>$(ES+NS_%7Bb*xlG151M{(J|D7TF@<Y5AKV9fFH#iCjz-b{2so5Cz5oMMW&P4 z<Q1}ryiN+qyJR(4Ps&IIsV23gj(kpzlSc9-`I_7&F|-#QMC0i&is<9?X_`tW(K+-r zT6Bl}R=S%WpeKNRZ#D=X_Hpbbwu)^8`iEFo-kTo~QNf_V1?z)7!TI2;;9(iaO!-UT zx>UX=%j9NxOZEz{gg3(;DoH)1($w>6jjB?|)g|>K?eub;W9FDbv&q~xLoBw&WxH8! zfh%+$x-G8C9d~D3o4e1)`hgz#RKLPE`Hsb>$-p5RGHNt>7Nw#W&@_~TW}_vj0&Pb- z(RXkRPQs({7(5<N#+i5~uE)plX*`Y010KssF{vUu$!DaVoFr$-zsXmmjr5>BX)Nte zAEF5~q>s_j^k;M~T}CTt3%x-Hvxis$8^tEEJl4hrLe8c0X}p4O=XLxa{1`vY&+}&f zHNVNbh-mRW(O3LX3=<;+6G}LdBu0y8MXGpF%omHr8=_FG5buliVx!nBYQ!$_si+q% z;)b{{z<~@BgNk5Vurt^nv;^0KwxGAnlE09@l|^!!{7CMSk?`ekarnD%OIQ{DL>cvr zTB$Yz(}O^@QC(JXdW25WbAjy_x~Ji0q<O=<WmcI4n{D%Ki|gXGPxj+{hR^oD@|*mh zeU1OzpY~Th<k%S4z6A~sKz6>0RszX5JRKj$H}MRzfV@RMAUnuzAa@3cJpg$#gbs&S zCr8n2x}1JUt7tbij;&^w*%l!3oR}?M6(5OR@=LiiY*ZK2br{bEbI7DYMEm(Vf5LZc z_yGT?aVQ-z?C=+O0C@(YR8K>e&a&9stbv_iEiB+8c@EF#8~9#+gGa;i-9(WtN`T*f zaY1}P7#U2GKMkjZOTuO5fW613_*}obLl20_g~Mz3GQA3MY@@enSJs2YuwCpNyTbbL zOukR754HwzGF{G)TV##gE04&t^0riAB>a8&r|{FTC5%%~sv-Ijop0VTtIa9XY~t<k zI}VU<S3><~_}PBGU+nY!GJnIj`;Lp8M(DR6xLqMCM&;=5=;WQ6ZAIPxSFag38_&h% zcpKh@+i*A1i=>e8BojEVA*JMR<S01>xmg9;H}Gw|0W$0+zgIjZri;Yzg>X%{J3JdU zhuzdrsH;}BP@mD4be36c3d{}@V~tI<KesR1h|RIH?ECf;d&-`(O}5##*lV`cw%aK8 zq#NT>U7DNhcDwzq$z5^RT&rt$1N{@ACJ)pU_(ER<RaflS`t!aS*4nT6)();kcdz3j zXa<VK0Um{uaT=b2XW)5wAzpgNiPqwc;N?5;CwLz|h)>~u@RE57MD_?hMZ18L|C4Ry zkBTwi$_?r~D2UMm^eCOGr-Iim(`)q~b*(<A&*>XF+VnSLVQhW8gmF~*<36h7?i%z} za*;0JAM=YmMqCOeswpZ{WvOiSvYM^tsw=8p_0?3*)T{I`^Cnb43OG!b+v#8nx~LT( zBLVfmhw*pGK=M5K4e3u)!27P!32Z)lmsPUEY!Hv|K4Ku$=!jsvjL7+NojfL+W%n>X zd?oxKtPUH(E^4?6)imgDk=m*1RZoq<*{14ZT>=$&&>S&m%)Ryzn`x)pZ)}{K;HJ8v zez;fuF+aht^y_^ER3Hqd_U`w4r-6eVLS6C0_&WXu#^%Tbl1QJRf1#hzAy8i>ESu*A z>%bju1p_1tbvR4SQ@>VA)N*xLK|A$#+sVPRU_Q--coaZ9&fz9}4S00dJ#{RQj@JpA zX#-A?0?a4tmvoMvqZjIYU8q+8eQ2lg?t`@DFh1C-@6PwhlTic}pfa=%ayc5u<Dn4u z2+oHd${@-OxCOUEoEecMjpTyQRznuIlJ0acO{5t#kCxC{+DMyebjRIGIQNYOAHN^< zLqmB2N1Sm9b9o|9;>kRP=Z3jzp~_SFsz4R0BDF#ltF@{`m8vpTt}0Zes#Z0sR_#&y zR2^_{P)F5CaKLk_Nj0k$bq#W=T}A2cIvO<J532it?!g*?ZVAd0L3=W&9|QW+fItQ? zhyaCIz#$h%<N=EUpiu-oih)RpF4bkaTvzByU9D>%JNM{)x=z>Y27OdZlWfvV#N?W_ zrp%O^3R7vSO^vCwd#rTECAuV+>{7n1xQNSvnQo5Dbqigd%XbB?1kM&ZsC52133L+Z OB+yBqlfeHwf&T)jA)JE% literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/pip/_vendor/distlib/w64-arm.exe b/venv/Lib/site-packages/pip/_vendor/distlib/w64-arm.exe new file mode 100644 index 0000000000000000000000000000000000000000..70a2ec2685231fe363cbc6e9109fd4e8a09f6db4 GIT binary patch literal 166400 zcmeFa34B!7efNFtj3n-8VbQ|oMI*dqB(P)5s@RD}!cK%Cb`f&cwg_;V5!kT>CPsD= zNsy$26{if~xWVZou#;9&lGctPwVDNi`?SI&se#0C)25cdP9)?cV8Cc>W4+(sU8Io^ zj@zcs`*}a_qt9n_?>+Y{|MTC^|19@|AKPkz#+WpIgM-FA%~gL<=l|RPn`jv`zVIK$ zn?0c)7d>q){c%xstag3)o^^MBa^1?i!mC$)>Qi^$8(#H^@VX733fF!reA8{q!*|_% z$0x4M$;rIZt9tb(uRZ*(jOZr+H|MTJo3G+|&RsWee#*Jtw0RcS4eM{-oaS6_+C1O6 zF4}yp^S*rZ46g6WDBo1Ub=&&N%~w0ueVcTBSH{ns>$de3PI^`C>X_QPSkM0GW@GMX z&oHeui&y%2PMR4eD=_{tvxyF0&X2#yZ2nDjZlg|$?gPeT=pTRn)tuy6$mK6!YMT5) zURhGzO8krRc`3Rz*S#xXZq!X<z&!UyT<-~(t}G>Zf87DIG=uxe0aNX#jd88v{X!RX z_w6prJne!yMs8!Sz4sFv@8!+s8!04!)OW8Reu1ztHP^1YW97XojajpmRO&R_xPFmq z%3su&=(TP(vsHwT(r`A{sUra(U+1;=xEY;3(pM+nl^5iTUb}Any46(S;G~iFRXkib zR=!W%c{dpy9Ch>FCf}wD@>P)f|I0sQ_~gWZNlXkxlZ9qtf4MQ$oxv5)pMT(oZRdle zd+#T4ojt?NH=DdCKVY?eVVv1v%=>;S#0_pXhl5{lJhJ-w$6q}jG;KXuRvT#v)uo@0 z+|$edq3!I)t+sQk18vE*!L~Qnr?s7bAieGUA}g`}kD_fGK2qLxUrj|@eQZ(N1NYq2 zwlWe;Mok&;+)Un^D6@#N71UAQc6#|gwW{v_i8_6FgT^}4U;_QmWSZ({EVHM`G$vPs z%_;iWJ_C_kWhTxKhX-?N!uxVo8GC-%aBp;P=Fc$EQm&<`{rBtjuN95vR50CC>$*D4 zR2PLClNH7~^-R!Imt{v^MYO6LxYk&vIvjp+>6QG7qK(O-n#N>JxMk@b{3=Y~)QrKw z>Q#a3<|C^4;k4+tXJnUu`^x-^Z(n`sqHh<OKw_v&n)&vsZ0p;1<Oja}XO{-Qy_$C_ zzv?Z@o9pPyi%V7SDifI>-o^bc-G}Fg@8SL)-A~nhHuu^8-M$M4z}8%JvSmOx4RViY zRzC(#izb@GtNDe)HQ+X!^BA}-vPt6?Hl&%bi{m#}EL`<w;lhjISa?0|;a7MrI{D~; z@EZizsrc;#zeUEPz35V1uhjMABLhVzw-2o5xh8Cu>UsxP;p;K*H33`$|6$=+xCWPp zg?HiKFDo1i*TQ)Xxc71W7`RqDs#9&M{>Q+1Q6qii7v4qME~SO%7ez_q7ruwIdz3bH zeo>e-exyMQll@=C+2AwQ;qwnz$Wj2A3L;x+$XGhEmeE#ZqRF11NuGw+&jhXZv%x_7 zYr$aqF@9--gO79v^V)lY`8*f29}iA$Uyl6Vj{JTY`TZ#J`*Gy=Pmo`O{Hl((-tx*! zh{EHIM^1asZ>)bmZQe}VHvz*UV5vYSl(zw!qd$CE8S5HIi*8(%ZRWmA{n0eDV7DhL zkIjm1ThUo|>PPU?u6v_Pt=76v%`jJAKEpC|zY#TwZ@luEZH3|B&vxDW;?TRt1_$Ty z?(qJA`I`C5np@4KMYo#Pdp;GQT!n3_b{TUhn%3AXUK34v#x)&!?8@lI1IElPN;9Xv zg$%wjI5<UV$5a=*sxs!y^6e@!4zC~`BMP4zi_QpUcw#|W*qpioetaC*#fLuZUm{I( zKOPJoO6^17jX~PmeCQh{*sQXP=;IY{F4~^jmjlVcxvPO`B`_7)ZoNhDOHa@`^o=x& z`iA?xYG80~2E4r6m_35M;&s(;PPI}t6@CYnahsh!&!B$gG0DMdwR0zVe@WjBbWN2- z=(BKBmP;SeChGR@RnaCJ9k&afwpwR9v<alpW*7R#PxtAv(xFS(qsw(JU9wHpH_#h` zQ|*2u&Bgf;jp*-V`O$?HgD$+HQ6F$l7@w1!l^L?fWu&JCX;`!<i(Wtn2hKZF>5u~N zCegtJT{=+KrNd3zQ(+e_hv?wZ*Wn$}0o#(A_gE?&fcY^G$37j@C!ZhGr^m=I8Z-_J z)8Icw(O__qIqcYOZ1$<uvk#pbXOgM((Yur5qDjZ5ufFb3VPH~!6E=r(j_gTBx`Pwj z1MmkdYosgA^X}F2gO5l?Q|r?EWtsQ}>)+jfa?aMBs%w$wPfYyDz1wDIL=Tq%M_FKE z|8D4@vM0cMINQ3_x^&mA0e(S#D;kld3{!2HKl@*Cyw6bWs)cqa)NHK6=SwE%UOKH{ zQqGk{mtQh9e`0p=)ua9dM9N>Zt|dEKv@a)GWOCHr(6bdD@my}XcG`WP`YxqhN}1vO zCR_DZBB!>M*=*{}(kMTrrGVkw+MSJ6D~#QL0vTBR=FQuS)6J>q?v|xL0v8n%quVwO z4DKDPTxva)Inh^lfm6HO9PSO;hboMHC|Va^y7<laZx^jb|C~08yf*Tq+bZ4|+#~$X zJUdvewq+mppK)oC+Kzv}0=~X;s;ORdxtSP?ty;L+whz^q!lAweBl}w;SMF~uw1WNC zrKb9poX%eq^NU)c{_b%t)6JEQA5))#pN|ei_$gmE@UPD9{Dn=v8t^e9-%Zh{Bm9Q) z+2jk2kq`cl@VlV=AG#g%VT50U;1t|xz?1&}K0FtL!`Hw6S$wa)7@j?RUX)(%6yN_{ zdU<rXSij$KfB&2GbYus6i`*Pe<$d&U^$K{t2%DCgzLIC9W4jz5e+_;kWfPLCyI$rV zo16-J54wRg$DW3fOYRe^10!YcVls9y8u_xUYy2l$_k8Asoj<(y&Og58i^sm+^@{g0 zVwopQQSOkxb$a;^+s<a0<oO5oIpe^y=;<@~eW!zI?Pu}*48Gy7@c+`W_b=fC9&czo z5@>8Z(t|J9F~#h#O=E7MK^s2VIQ{$s`&-XuMU$tOA8^KNYV!2*@44f^Jd=EBO0ex$ zg&GICZN28SWzkjupEKBgE@&lQ7;1Bh)8=v7K1RDe_?<7&=GVq(^ITpu>5dcscS^e# z@7KPeHpcGP>@nK7uwNtVw=J{PSb@YrW1fhVMw9ZRjaByiJn-FmeTCy&+X1upDaMw{ zYn6L>%ki7Z*9$IMuMZ@9joIteu`HUD->rAZdQ}L!9HQKe{lP@~eN9zqq+MZ|sq)LE z3zTm({$(R3Iv%L#FcMzcIqAW>brif?Tj!62S9z`74!m0<sqoGpf_H0V40!t}H^cg` z!F&FJ@3$SBV70w8B>>L^9p3zBe38Lm_;8J7=DoBzoH!1SyNO-g20a<SB>tIemoZ!I z#nEIK{0JxHPwaPmn16J5W2}0gbn2bx)jM&h-n+eezc6OK6BFM|srU5qAGmx@yu;^j z$<k}UIMp)GP08ymJpun7$Tf%apjS_DN=bJxvwiNz%#JhU+W}u}a?+t^UL<iTW2Of) zOrkZAc_?H}ZkCMAm}Cxb4{YCg3g1t>A$kwTNS^UxBpw{d+xZ86;NVU43lya#29a}k z=wwlOaYC}!jej?VHt!CZ9jf1<b9q{#drHgn@6zXPWSQ|>mBnvsrrDwA>&P46IsY@! z?Rwslo3^aXGIeuyw@mK|=9PSre8)-O6mC3HMBUxU?QPS{4(J1|Cbz3z#s+)rE2C}w zt4$(vVzeW6m1&E8F1nq59$GWWbj-0#GvUL0vuW3ndng;)w5w`MAhbm72&ZayuG3zA ziD0Sq+6<82ZL^^L`k^)p+P_MhPT%&YB{V*52$)myMLtV<>}nT|HM!A_Zs;Re;tnhY z9xQpy=g<eee{)l@+EUvQ%g$O~5jmv(-ZDmi^Jx1lIN!Z0Jpo=%bwAQFeHCq;A+701 zI&l~mFOS1NHO9<42VO3xzqQ~}^{byn^iS<wKSup;Of@@H_fTJ`{}%NnFu6G|-5efA zU1~#ZiBGoB&MwBT>od&ZhQQ?h8Tg^{^Uv{4?Og*+yMt5Ur)OG+b?L?VX@7cS)!+n^ z6fN?BF_dn0Oop#^L03oqa-vDui+|iSI}vPbtfC)|z3}x^XPTKimvW-9!<#+niJr|S zA%1*wGQ5I5r*9>Ktr6TW51M(pKMnp?&d5j{gKrjsmuSH3`8o35J3g8`1}v#<%0Bt+ zb%SG-QCX!GQ?}-<!M(zP;85M4qn(z3sp|q}GpS|gSh&EPp+~V@p8azAS|D9-uwkyg zchZWZ$@fz)e3rb5t8}$%$BYw4kzP{&=+8VS|2)?QM95b-)zsx#+owaf63O@J<@-Io z<=RZt`8;g+R#SIVhiK}Qzdf3ijH=!+SC#X}7lL;%c$E|T(Rj|uf3piSWsdkba?(T5 z<V%}PBADA)b?k9siB@Bkcue)Gt==o59jd>uJWv<KN2Y95FEp{rGZO9StKRQLJ5tNq z>G{`-|9Zb?I-L5`JzJ+T`!f=Mr80R|qVTh(Eo|XOeAa3!{A_?<kY5_V^tQs4ro+ym zokgYtySOzn&8?$nQ6TYGzFe1&OFT$jP8+<BQkP)vSsh61@bl~+muO1KQ{(5^97r_# zdCKj?M)KHU$KGxYTT>Ff4Ib=PG>L9;aNPU2N%S(lcG~-3G}(vWG7em3@arRv1|P!P zja5OOUEUwI(T#zTG<WKl?eK4j%BMFrR=spQ&5;|IKAYS&9h}*T<GhnUB-}3${%(kN z6vGdZx-=KZml4aGGVD7z^}m<rOI*A;&sXtG9_n}S<fMJnO_Ll7cfD$_C^IqF#~C)Y z8~W=VVt^c^+8LKOoqBFBPs-+<qkPYS%!Fh^WyDA8k=LI=!<yV^J-T9UVcgVV3#u*n zti(nKArGw|Do?6h4Ra8Fx$Vg6c4AiRNjpp57kYZbva%AJEa}qx_Ez+U19MZBbZ(t+ zBs-P{{12}(iCuwceJ4DuwkFV44fo<@H{Rj#@$PH~x98B8Pi10zuZ?b`PfnTcpj~27 zE=s&FMqQ`TFSIxG?seu!sB>P7GBNVhkVkEuant9b3+mTXr)<nOMK|HMDTn@;_I=nR z2VQK_3$z`lY~dDD*930Vmfq>vDN{b)vClstpI_$=>fOuFdB1W(;+Th%)!?KCJjdVX z)`#x6us&;ILbmW9s829=dVTt*QE&?m>L2Rw554z(e~+T;)HlZ`8S=+n8)Eny;urj* z!Qf@+BjflcUGmo^xx8r`7tV6&mWd{zKHrjtEb=S2woJb}Xm&K>AFH2}XJ;fb;e*LG zI&Bnek9e?kd9=XaKADft<Fr-e_$F1Uesi4iq0dB*s=XT8J_o*o)cpuJEe;Xy$;95> zU%W9BKdy38q_q3-iHW}kUxLFbpEPWT!DEc{HMwbthCpV20rK37{;L4*p@PnZW%Ep3 zC-s*Vn>zYYU1(+YFY;`00d`w_;MBQ$l0%c*smp=+nrQOzK;9DGmwq9Pepqeb)4X=^ zSNI1l!}?)mu3#yFFX}|on<*drT*LOlBKy>)Nv67wa)q_U8&7lXoimc2w~V4^44lY+ zFDlAQ6h1_K$kJ@;O9wA%SMu=Qi<Rl2%op4;SB@%k-Ka7>i;Ux!%1-qAa<M;uNG{Zm zJn9(0MmxA^Do7LtUH>hIbfp=O=VkN%x`4ULH0(VzYzm_rHls6X)4}7i@}!=nS6Y#Y zKIB9+-wl1r;jvwtOyc=~r$>-8=`3)GY!<W&j#F>CG8YOo9&zgXV0rSfj8JnAb#_0K z@6>yiYipphzK=37<Rx-V=f+<2fgS9uzs4#!bRsy_Nw4(Md&#@hntG@Y|0^|r7wI#t zDde9#B7Y@5a_D^d_LB7G=5qLJN&1(X?@fQGxe?vCB*WK%lZRjz+|K}aFL(;BoRau8 z_5F&rUIq@0r#DfqiJ$OaKt5ehgV*s!bH0iLySn}Ae6yp7-*{}L(iLxJ?3Ik7Lu;5D z_T$KYeglsnLpyw5#LJJ59qmZXe|kdUfL}&+W#EVXon>}Ryu|Ei<0^iBhWk8Y9Nz<n zWruyKS>75nb7w;<oAI`>!ikTOw}sy?DBp>V-Nk(ezeZ@_<XKsen8rJ$E8jMLb=0e? z>Z>H*!}#rA;`uPYUFdQHJdO`Gu6#iLR5#Dx;T_!{!i&oL`IN`+%Q4dH`8Cppj{}t( z9*4X0?qTZug4d@A^C$AB_boD|caW9`Tm|Ty){0v@3e(X|%uUDWoBYJqit&y=R8*Ah z=ryx4EAcnLUqe5-3mdB{kkc-7t5u$*n8enwm6h1c`%15@^qYL&J+uYQOJ1P8^}s8h zj}g0X#g}jK;Ht!itS9Yv@J1_qWdBLI6SI(S0}ocw|06YlvgbdUQl7T={DoIO223@S zub*yq+(Dka8_n_?fd!wqM1H&c9ApGKn#3LOmuS9@e4>jDopChht)eXXs)VoaQLkVQ z(Ff&KyUN=OoUMzZrIqBbBERySf8fA~m{d3A%gL`R<18o7N-ysRx%%|`32i(KEI#f0 z^e)QO1n`A}x$W7+b{;G$O=RKMR-Rwc6|>CVCFet3ZIX9jYq0G88gz^DIPbAt{`-A5 z1b=1^4(<haL;kw@cHWuS8Rjo+&J&fB>PzL*6!X5=iceoWskHPM@coPUpMHa1hga3+ z#!KC_xR)k<mZVOn?os0czfbwJ5f9v7DqO}GYc*t;I^?VRA^O@V+B4>`$z#e(6aN7} z@1kz!d3R~z7d$JE`jJEXO1H@u;#$o6Ow+h6v)Hti@XHLDBt%P!f8&Aol=?9FW1L;2 z|AKxYCdij7AMJ~qtHc}Bmxx&S2Ug}<i~0Ro?~Qhp?4Q+~)gG^^w4xn_R@T~bVzZUA z$#aceN4%jr%Y+UUlP6Lft+%aEbLL9yc@FpKjYnn`+mE&r4_RSl_eY`8;+$wlLwRxk z<JjfOP_!dtg|hU#nde(}<9C8X`f_9qG*n;ZdsJRU?7|Gp*R$qT)t@x3diMQF@t^cU zs-BZv&j+`i$i-70F72YyMB(|CF7ZXG&Pgrj;1*s``C@*Rly9TF_&g1|>-sV1EjUu^ z5I$4u5p5#HA8=xl=#?i|(#LA(DA<W<w1=VJI-bRIH35x<8Haj0(B~QEzaQcKsqVa% zkNGm<wBwAA-MEv>SJ5PKhmRCmdHv<ktyTJi7^dO}q4O_xb>oYKHQr#Y0DU=GygQia zg)R}^$xioT_vM=vTlTX~*`{EkkM}C;l=I$qZ-%yho|Pl>^f7K>f-=#IUz*tzdbW=; zl~(9k+sb-2^n>WOGGL2a<|DSXWoH~ewl5fI7p{qG5JP)rXbfIRJoWm=UcBb3GmV+! zT}5lrS2)*|$h&h@c~kzLg!&Ze2_{^43y0Q7Iq#d^GZcsS@jCVO!AG{FH6FniPQtV8 zwjs^}uJs(U8om?aIThck$1V{6yZ)971Iyp=d5tw3=XaiaCJnVG8?3zNA9&i05rQ9$ z!xe)Wa~wX~Bpv({M;yZaZPAXt$0d_yU8Q`{Npa=?x*UH0hf#XWDNAfoWx?4I(QX&x zLHbqShKv_lp|wTKo!B=<J0#PYoss6n$aNWVy%PEK<=WEy7wB)PsROswl}X9q$g$iA z{9yY``K2x$EFbnl){+g!aWqEVj(sW)nyImXa2Z<LL_4wR+)pAF$9?ULXh&thOeOZW zq%dUakfG{c;_qday>=IHhz}e&@!~b|6Y`+d_Kaw9uXle9GPQdBUESgI?bA&3tClM- z#N}Bh=hMHJrH=N>S&2Tb^O|NQ@`_Bt=2vJH^lKdPUHIwVFGdIUU|+lbv>cmEEC5_K zVt*R~1^rhro)8@Fd`Rj%%oy$L_S)J1higZCW^cI3<wtzaA%29;*W759|0bRI$9Q}) z*5ypJI^UaJP7FBP<mO-}Chn}cby8-{tux;@_15;l)CI-wvv0MtFI(PvRo6}i-zRFo z^WsUJzmV?|;~KK8NqvEZ^S7q&zi|>}uY1oEpRy?v9~|5>n|dO;$Bzk-SGK9L$Se!h zUADaKs)IWtR@R9qb96TEGO1@v&MnQ-;St(a{$kQ1pN$^fl2h3nW)6O_+H`H|k@s`| zR8HX5Z2GX3K7@c@b}m=&e|i0<s%Ts7-%4HY=GRAG)Q`o$a|?YDTv=A;gAps!=~E`{ zsZU)VENh`{t(VrzRsCdcaqY}E2dl3^Mu2O3V@}+Okw?5f-9n!#tqBh<w#GjQPxg1c zK3IJKeEI!b;*@D_o<cj#;QSsBXA^-p_wpxiT?Xz1S0%U;{FU6(Uk7)x3zehrQVU*Y zf|oVe<P}!V+8V26r)WJi-{-IUykdAB;v92)y?;i$o%qn%%cIEw<gOoGo@q@x)Qa56 zmWJx1+vZu*n)|LVFRf(0<IFA60jBO_R(z*DF4}Q0oA{#@TC?9a)dS5|o65BW?6nmW zUE6ZW%CrPF_2hS}<~Da_L_1b2iu7-0jY(Igdp|?>#QJ;FiJgu|zVWNW$kp+ZXmZA) zNOMmxt6etfkIoVgNgr4s8+aFfh0VC7c)Xb^-LRkhvG0^8#alI-auRP;VRPjtk=9Dv z@{i>!OD>Dh3*C&h<R7cu89blH{)C;j^4e$7j?#~jCrBIE@b;Hy5Qm*iypcSyLDvoz zlTZEXr>y$CBZDY4{oVu~{<ouRU7x=<H=6tw@AJTEOCWpgrg5hFL@>MLZ^1`jFtem9 z-NnNd!UKMe@N)pWEZk;Tm#nLC{HDe#76Q%vJIeeGzi(H~Y;L7oLj|~`@2!;6{S5B= zCPh11`3Wz(;kUkQp7Evh+{p9VbTg>|pY8a0)?)!jgO$Cu2Od^Gx>Oe3t-Aivj@~c* z&yx52IDHd6dT$}-OI@Og?CXq0#m$3f1|L!XRF`m|dRhXZwI_n1lH;t8Qa;)2H?D{# zN3J1u=Z2+!rFVUOD}OW9ht}N5H&W7ixqp2O|Jg6^mqjn{_$5EL{gLr^e;#f(W39$C zv!^f3OvUawII_fBQ@O{^><0IC7~fOxt&n49Y^6;FSJ=uBG{7#*wJ#-hyT7>E<VTZ} zX;bS{8L#7eM?2zHcz%fVxt4xrPaM0J7rJolrkJUCa<qTr+o!N8#FrVyQ!eco)-(9F z)$f0{(svD~ccL?}0Z-W04a8yX{wO@~u1O}}w*!7Tbgjm!d;I!#Fdn2icYK^;51Chb zqDyu--OQGsYVaKt|AlW(+PkeGU&MLdpQd<oNhkSzAH|8UW|$`>;}55qy-vQKw1l6B zG37S-BET|F@w!W>+nR`f!u>hywx3_)V!zB&;MMVyDc1=-7|-O!?l&E0kzLL0+CF?E z+i`pzwILZlHqooQ$@NK~M~UF@W2hI{@02(R^=~zdt=hmrWVi3rlszxJn`x$_FwM;F zq`!L3gARTlgcBd`T`6#jXJvng?LmW)V~5mnLmu-CHKGOecS8&6ea^PhhiG6657XT^ zjpGY>V+O;YPj_J2YOMDP_U9ri-Lk|Hs;o0jRZjnbi!txk%G%qUcn?1Kq{X!pI!43i z^V3jV*_rQlV^#3X)}w1~>o|%|R(tuhCs+%b(i2k{`!OC_*7nwmT{Trx9#xxN<fWZu z2iHvKn8Vmz_z?V~=R(yF*Kc&krs9dGuwQc+_oD}PbOjo#piPJ3Rp2pKV?TdvE1I8k z$7t=y>yF+BqTi8x{1`kY$?umX{*$Y*qxe{5PC8}sOMc_|)2V)|+CR;Bv@fOn*WI?a zEu{{X|1-+RurI2w68qYaYaAN{-)r8a<YT=5HT8V*t--&KO^$YG{8^YjeO(i9sa$tw z<WMPfX-<3%x+DZo&9cTNvd+JMdrm=gTfBbl!1z$(k+!1okH+wIXT025dYfe*s`ctB zOE>HA^Q%{+xqh_rD{sl!XlXlZ{d<DrSQn7j4#G6v%pZE+(^>i;@U9F*+kVHp31&hw zah|>1!3pgJ<nv**LxJV^Ec04ZaL@^^{P$h#&p1XIza7TyJK*zt!Bb8je|Nt8Xty=4 z+2L2ucX#RRty>!5#|+b5>wA){TN)4k&Vk!rXU%|l;s$Ut9o&S#P3(dD2QtBp#;Y@n zG9N`x99hh7BRDD?XX@tT(+I~gXAGa;E}Dh#(}YL--9xqDI|d$ZCw9?l1{Qn>S~oIo zYa9Rk&i9eGLUQBKaY{)q{Vz26&ib<&%HvOzSf-$P7yT73#&JJ^pA&Z~NM9bq|FH*y zlR}r7<<O|EgnBCVYl`puow1v*pnl1v=1Eu^Q1YDWPjh1h@b<PM-tP<8r|v}0__(&G zWi0PSeutimY$rA~A*y*$lYjS&#*Sf}Fx~<uB|Xv7Ol#u&i^5{r&3?c8a-QEAnehBh zVl#)rRz5U4a8Wyd{(<kYzrbQ_6=1(XkbMWNI}4h`ckv%4gd2}M$8~W1yAMf*G++5O z`X^f8la{#jnB2Y?m}_T5+onT9;Q~Ldgc!r2lJkq3?FOw^F;C2a-UZM*U-Z6z!@!4$ z&2O18{m~-kp*O2e(vr0CAZd$9D+`AD%kjNhr91bhC!(w$kX~kuz>(v?7ciTudaiI| zA_f|{G?)wxrk31IeKlzVf8UFrIEc@bjqlJ$-dW|5<`Z1AsN<Z*)abnN=;eo)Q&N1Z z0{N@7;5p`>G=9ckcYL?XbkdlM+K(LEl5P_6^KJOy;KAO7x8PskyCoW|DgAoK8mj7E z+Nh-e2LIfPZ*3bK7fsZH%jDXd!1E&TT>;+98PB@@R^_E8FLXXQsf2o80S_zSwTQ_+ zWCIgAH&KH8wOCgFZ#O@<Q}8nmJn~!og7{U@jo;?I;9FbJymOy5zF&JBYLX2{@j3EU zrf+k6C%kw>ak)N~VUA6(s*K5R+_}PHJtk#jE57rV_AFpHz3Wnh#g%h^U7Rc1=t*ZS z2YX;js?j&whza|;S@B`DC%#Kv56J$OJu&9XTHhL+8`l+i{(MTg)99mJi%jC<g=WX& z_^X?d<InKk4mMT|@NOTmFy@#_WSixe{dw4p!#_p(dh+g~%pH`~^-g#|`tn8J9;EmM z;^l65xd*)@yRbS1hReC{#6E?<U0`Bk)d6Bk#Ici&<ohV^4F0G`Q^)rC@xHO_jqu>( z#CFOy=1!$v$-V5CqhsdfEQiK(1?&DIXN_Bl?l0$F*G|ekML%oM@hT&oT*H{B20E@M zy<xKElk?iIrr)wt7wTulZ-(`;Z-=i=fvv~!DM#AjA>A}Pd%5b5p|5gi<2CR(!Nct{ z;KsMVnuk*RzZ-#Xx7`r&jNZW(<`L|*bGQee)n!&%-2voDGHBmio($F3ZVX#_nTkIg zhX?xJW$I_3O9rnn^*u|FbMBu3C(uFbYw8Vohv|U-;Q3Ia=Z$>d<1F+(1FtTJSAR`^ zeY!lB()UzeZOLSf6LAmq{V2F%o)o@gev{`V*b2YjM|h`xpY;2k5-(HRvVSXV#?Fi{ zeVm5=(jA*OqTl?q!t}y*mY&hAicuod)$$?5BgA#LgD1uc<In@|-(HLkwd>amWT9_o z7G*tJi|s2;8(0v-UiLCC5n%31xRcGh7WksUfxlP1UwW(IXs9!Cs5wBq|9k`b#2tIa zoO^q%1zpZChFpU#4_TRq%B=i;$8J%!<p6pVomh!Ii6IZQq=_aGD}PB0Uul>Y!)vid z>J8WD6i(D<pB}ypbfF8HQs{#I$kq5|O_fP3KEEPfTz_fq;`4UA6(2@rQt9!y;=aWB zvDNchn3LHJUx`jXW}Y0GsVcyp>$wkkk<TFC&gp~adqwb#!0+6lwl-WoqAl^HPp4uV z-_;6b7N%QuJ+$Me+nx=#qm5Ou8K%Rhoe$@a=$rfk^(#s_u8#gl<vHQ22wJmFcZxp_ z(A>e5Q=_l<Ql>NoKWA9mC_RO8&R>OYB4539WFPpwg}q;uwY3`~SDB5H+amUWH8F>V zO>^?Si+U=V$G7ppk5NyQ`&9bL4gllcsAB8HBYVM33D;NPWyMAqcg*eQ+84|sPGLLo zi!IkgH}(@-sD(bYv}w<ZZj8UB`MqfU31F&3#}#{Z^pdZbI&yecnO>)!9H*YRQ;%H| zqn<cCp?YG}BlrrhG#d*|W<RhcqpUp?oIak80q-gL;>-27xCh6qH8c6;#Oi8zUrB#@ zu|Wsn7wJj2{P#!rKk|L<dljGOncTx#`|I&3wl3H{5KMRM#m`gP+2*#BTShw&b<aH7 z>ItT`Yo6s2=9qpSXn1vSyY=+fGo!B$9<?_1vOZ+6!Ibu{Hl=-!GuJ|UXO}adz}mRp z4+oN3d)zme);74-bPPU|F)+Aj+`wSasvq3W^YTFH;BDkt9!S1Myzun#^tQpL(mMW` zc95%*hw*7XWSRNEv3EUdJ2WR$hz##WZlAIS7PK6g)4z)QOM&&nL9>T>r#<VjD_Soj zyW;1M5=+^)CbF=5c}4OUmoo-C9xYXyt<d!Zb3>JFi#kH}$VgjIakvt2mAD?9jr42W zb>#N~3uFCUjm!M{i|~==kk%T=Z!SDlxbRmFzh6j)g5N`j4JmZE&Z7goaRD8)zTpo; z2k<}c?P+o5zfX($3utkFWTR+t-#etmznuCn&>{m`^b~FsEewCdcGT6|wmG@25MNS$ z-vM;dWbhqlE=xK@x@;PFk7raQ=L|F)jY0E<z{FEq$QKV(BpU*DKWR?PkuiO~ba6Mn zgknw`T>fz8g&QgVKKl4@Mj*L85J<u!Rg&RS(!^(y+0pv)LO2IT!1)SmS;mC(%;(+_ zoZr0&ocUwGIpJ;Kln<a-(~4|XBu`y>zv65w=DIQU2(~NqkhSc@Wm;>Ixu%=>AdNA? z^xxOZ(p931>WN~fRgdbcyv{5uWUNrjeFWbs%Y5!tr>^rYRjS9S58O9c%t33N=SAub zU00EWUVB3|RstJ#L~$g0Rz=cg+=0Do&Ss1hV~mo0rAg*kri!?7yS>o$Rl+Ys@81PX zHnAalq3NhVZ)^NrVjq~k_zQtcdaxCd{bo|uWhSrTWmESM@WcvovKUiOnn@aa9Fke= zHw|$urkxON^udQ)i0y{{$aG|qUdedHCf&!w2zbM(@Kzj+q}$EetVeu1c)Q;Tyze#3 z1#eplyo}HCmXI!3W86n9Q!n^Kv?sWK4cu|Y-CBDl*u8fNy%X#s;2s0dIUb&K$Uok} zb58qh%<HG%`t{Bf*l&Yo!u3r1Uv}1hVZx)D1Bd`uCiq^;wZ+4CykNY8?^&b?CVaUO z`0fSnw*Lmc1!Inf^HkVV;WmoVdpt5G+~C!Lo2%d!-hH@*_oW`*<J^zNyYyD;+u(hy z_@~ALEvx~RonHWNYi}L4s_HIeNoyJ1y+@PV*R!6vH2|*@TW<s=;-Zrp0{LrMhw02A zj~)NKaNYOsZSQ@CvDW1F`~EBKjT+xJtTLrd_#+Ya55@l4v?*SXkGqvQH?4o4*Q<Gf zo(YLiakQ<r-L&QLz8U{`C2JgO@bB$P_&dWSLpMc}>>Enn!q}^ZINQn!#^>DEav#AD zXf^f%+bX=CxL8#Le_##mO20ef(3H4#1mBC89sXozX$f;KONp}p&)h!N$I2fpW4=qc zwJ+^ls5JS1S!wu3_>D0y?{6-_-du+46<Ev4teiD9lFQ3F7b<Tpa#KRS75iBaPI}4t z7Z>WD7-w~acf@zr&YDCVk=O_Pv#^UYlE-U+D;t>pc1tu#Ix(Ht!m@|0x=!l&CU9m0 zkJ4-ZHMX&BaLR(AJUx~Z7tOZm2WzX#c+Q#_-`PqZ??P9FC@Xl@AZM+#sd>0>;p@CY z-?n&d8~z;o<;>#@$5pm-W`JUC+mY=XS(~mg({^aE0Ul(XZAS%mH_l$3o<;7OVB%kg z=VE)%3muJ=1uuKArCcLrYy;nJA<hF&tBlt4Xx^LHO7)iUCYfquV$>glH*Uwz+dy4T z{Kh#~Xsq=SW5YY~oxqEpko`=BH}F3Oui_smW6${&N&2`a1}>0+y)Us2y33o7XwjNz z{L;@N3$b-KX|7{Z?Ygv%vJh*A#=Eh|{Qaz1uQDAC*P4!1<RedFO-Zz)7F@Px4=lJd zV}EJ9$%_})T6MHh9Vb>DYBGmsPW$Z92Xjp#R=ehD*>xM43FX*X><wUVik(%$`z5va zKE0N@8;bA^-WaTIxXjeWxYlNwiIK(MTo?)2&bbea?TNGIwO@*FtFdnvXJf3S?NyH< zzmH8yyq~q)?{VA6ZTMV9aqM&BiW>q}X+xD&I+t{n{TXqLcXQv;X6kkU=gK4Q`sR-_ zJ}M@iy?)8wAp0uQquWZX%;qJmuUVUGl6N+(c>2!yrsGG99b(r<JD4|LvWDl7b@}zR z*PD(AuuZ3Y!+T7J{6f_aPgbuyhCHLEFII1idPCq}@sAi~i=T{7ujR@bI%gkekiN<< z5$xSwzvHhC&J`^~$XacNRjT{i(}VLw7tutxRefpGK5+l;lY`Zx>AL$Au~O)l8aHcu zs^j}de)=+`^XIWH&Og;D{4>GhpZkGvbUTe>@XreJ;WrHN&n@uJ+Ap&1^39g282k{z z-j%^aUEnST|75}+Ti~CiwY3iaWP@k*Zwp7a`24dJ{<#zWY4P}{#p9ol!$02|;vea2 z@yZ(b0iU5nJoB%ti~oH*bBD(>4WoGGbz&`lNS;yse+ZuW74Z5za}{GV$x81K&qV8M zzi8^kGY7>p&|);tSn$VaT3WAO$TQ#ac*aiKUs~9NJmI5hKZw!w+w=wfTeuf{1T72q zGru4o?mDfXz3h6$>D~LwuMZ8~o9h+3aMLfj-tots{Ds$tu5;&(Wxwptv##*}V0)?a z+_Fp3InpU*%ysvRPctNovVGCyl7C&fF=kE5^>tk@_TJY|m&0q0++rJDxy9$#xPiSB zzCONzd-Sn029ljh^(lOv9s=KG(=2Dc23wbmXHQ+wN8ZpZ)A4g?Z=g4PlwVeA)vbgE z$`i|)x*&uNRh~Oi+AH+hs}|l_Um3wpm$g}SuMn42thVeb`~v7!HrsN>U}ej!x?R*+ zw%e-HI;&8&_B=CJ#Is_M_#Fv5+a!yD=e^XqnClH(TQzRJ(R66OSa8hOm9mci@?&?N zDWW;2gQjjJ_1r=pt+!e6ukPHi^X{;lZw>Dv@NFjbsjVx?SGm$!=FC^Z7dCTWwQ1%f z5!TbS2F?6p@=G_j0*mHG%AWN4aM*Izca{B;XWA_5v+A_YsEd3*BVU|yN4W~O%ndv6 zI(?;lYG1eTUi7Zz8UiMtZsOI#aPVi=#7$w#46kzt!M~~WYfYhFDLP*C0|z7M7f+$z znY>|s`8)2#FZeGb=w}mq-}QUw*E2*v<jJQWc=hS0dE~{^&Do<v^pma>{TArz(2q5K zL-eDbi_(vGsq~vPOuwtB%Rbvu#r&bG|2-O3LPMLii=%0%^R3<q4S(v<@W=%;1Qwr$ zUVq<?hCcm<<1WK<OEGjoX1cX(#V<`=oPBhmTzr;~wm%)>yq3{^%K*AqyeeCsfX+qU zeS4bOp*{Xef01;JTjXPetV<o=q8xm?bIf_|x3SMr<Ca?9M>JQD-x{%|T_3{-(cU}F zRXOt@_;+WxS2^t)3Gp1`eeH~K#fq7$tv{t*$B$xfQ7pik$}BVQPU`K&$HsrC*PJWs znM>o7(w4WP$KuT4tG!nC_)9kLWc@^pd&O7c>DKZ%?`-1glrNo0*}K5a3C1t28owZ) zipxlD;vU@B0-NM!JXa?VcvOD;uFPA}i|y<!=>rx!1K4Ye7w%hW)iqLnU%FLiPhhVO z_jXoeRo@5XUluQ1D_b^S^DJ2<u`1?o(l1|!kFaE}Rj_0~c~@imH8)`aqip{|_O#tm z!Pz=aI&-YFrSxjfEO79f6LjWCG*{9EJVWJyNBJU@_kGe|gUc8`RfL$cLp#bG1Rq0X zyf!bPjP!&0Ex8>%Ukt4V>(Ld=3p-am`#+_>(;w>+o${&qCwS%0jq%RUm)btrjo-GP zt~5Wdf1OI2&5sTZz4P10h7YCXa<4zFdGyy`Xzt-7uQ>a<+GF^EzAVLlk1TyWMV5N8 zc||lYo*tJXOFMp#EOGYWA54~-sY|ld>d8_BSz0SuqJPLzN2V)F^)XMDVxwefZHg?# zQe`P<>hW8T+zD>_-e{?cBS);Cb>t}K$<Z|)Ke0Zd3OQV+e5`}X{2)BrCK&<-$xx)e zWMhjbLoK6aD9a@D{uWP$UL$@f8EWukXr47WMTQE7WN7mngOA*cENE@Quq;hx-q<Ae zK#PmZ5p@8Q%B`agUyeTTwsPdQt1_RUOsX9HOaI^_!|O}jz2)NBjqsafN!L_f*7H04 ziI+#`l`JVuvNZag|D4)BSubc`X?|Y+I+ZkEmi#ooeaVuaCRrM`N5f;ap>bwt<oI<% z(~5z!%zf>_SKY&P)%&6y@?&d=X-#Hd(Y;rjWLto7n0OdnAAy%*__)QNwU*2GX=g8O zrB#rKk#8~A2r($eweysQjy)uQxVCE8_eq_z_;14r?+ebilK<0iDsJN1_CfYAJM;F) z@LX`Q<~_sq_!f&8Kt{P^+d{~j?Ak%{$j2>VpVJz~@4{ILvM2wb@UL9Eg$}4HybPZl zTXZjZkn5_-4e66CVkI@JtV9j{6aFJAcfAv{*=tALIDhO~cU~g2A$^(R1GVIjq*pN4 zX--A7RuH;ejQ005t$1@K^_|Q!=V^OyT1uU1%ysN0EkN2z>Ri1ll+aw9+9M{}ennbk z^9=HQlJyaq-#wFMIzB<4{tSGe+mgQ{rsdc>bdl^`jPy8qXC-`Ab9FTNGQ2f}tIJ$m z_0WI6%$AhAd&s+nGD{dwG%#-T^J(4I8u}NqraS(S-p8);{QZaVyQr@(;QIS9V-_?p z?(xg69p6~BmKaHhwG@ies4VmO?daRNJ`c0k=1|PzUFgm__Tja;j{lCV6*=<upWqL8 z_Js8C@8b{hy;J^pVc`EG{E<1#AD{d^{P8E^4<A>*hd*ZhPw@xwkUt22jGB)~)v-T- zc9Ks=zY^bfVvN>E9lg3~#YV|#Q;Iw)1|nGuAcJ>ErYfw&Z<&V<Q-`CYiEnCuN2)%U zg+3Uo{#etC3**G*UEMycLu5x&^+;;W0k%)EGsEMad6e0J&L7e_qx$0X-P7Cm(yzau z|AJBd??S&xcb#FJAfJ0R{Tlp$DHRN1=`!LKfly;dHT~=+-nxN4N++f2yL`qcexC*Z z2IO~SA4aajbo+7PIegObYp{i!FIn;tU|VqwYfvY!mvAEEx5e#4vBP^0m_(epg8BGj zA$+(Pw3NOJ5g)E4K3oiL=b^`)aj};+uW7}?Il!&5!jsB>$Sd#Chw`KF28}irP>;sM zqu*h}Sqn6>zR8?ZB6yto#<2MsE2g&Z=j{{hqhj0}np&P#{O!W@6;FQ!xVHd*ME)yf zA2tKuEk+-2Vb0`ikn`}+`&yIl@D}z-^+eFQ<@6;^9@)3nbDXyXZwn8h`sukUE5G5z z8TyvORL*;t;;aLO|Esm`a2-4&{^!1=fP1IhW#g9j;h)5+-2GuO?1kdsW&7QA1$xfJ zuM9CiREy2P2A3)?&y#%rM6f+RVK|2Jr`#KONPIu~%)}=*C7%2Sf3JPx$#0xq{{5kI z9NCw_Uh5RUYYZN${l7dkG=Bo`z9Swgg$`@rqxy^RQ27`<RR1<SG$DnDo}lc-d5D<Y zXdYtD&f}r_v3Mvqg@=ATewc@noToO-NA8-iCz`fC@pb;re*KBBk6t$|-7uE?qBjSw zxC|YLu9uFIZbFu-Yl9<o)0&dTjt2wyNAR^`5Ry0Xc&w_kp8I;ohCJ3;%Dt=m(Wlax z%F_efe(d>cDShzwCcX0N?_TNSZ=mm$zR`ZX)<r!y2JFq~!+7QgibLj!-1YRK34gH> z|6OYd=5a>JcH}bon(ND8k95w(-ZqxsM>yLl&bv8WrAKzNZzc|HHLm~euLmDd|Az81 z?r`#QRX*jJ*vnZ)tO<<2!*R$vh95gN8vcLt;BS40@P85b+2c?$`67MLycTN`>wZjZ zJr;mg)XUnT<#BA|m(X3<0&jj{?ZyUc(z;m2_MM#PnP{;J);6;y<4YImv+Q0b_H^;? zXd7{Z{wC_LTp2Bu4zDz>UR-R9vxm-R9<q{qoBW166M;1~kLsxmp>Jt-afrRydIl~F z9h=3ycq+!T-m^AqXx-BPf%b`2rnIjZMoRlb@h0s9BrfrNXfZUtt12&T<s2c&H~vH2 z2U)MP0UMG}Umm|&-}PubG8kme1UhK%O*iGg%)C8wAe<u>?O<)`TtDui_lgVNL_A9M z`TMZ7KStw0;Wt)d*l)%9W!|gYO4?G4Q015t*&!Ti4Du*2o@L#syI;mXZ`D7iVb~9g zx$w^$3x3D1(q00s;it|RIFeuW7IU_&|0#J9e!B~P=wWYxKS%X2^WZ-0dk@TS);{ug z3jab6{?ThF##)D@^+#G8q&3DnIP>)&`k}<((aiq+*#8LpXNxZK6|DR$&EIH$Q5gPu z1bHuH?@__*M|Nt>(qFzj_{g)A7cYja0?r08N#|L-s%LoBd8W?zdDhYgrt~+`hC>f@ zrQ+9Wr!8P-)$;840pQ-<XFJ9@g(>?<|4{vS?DdADf0o*h^#93zr1&v>f6Mn{bmoH2 zs)a7znd@onV@z*<J($tHV4T^r7d<Wg`_l~foTF0k#=5XQ)%;pGUj*D$e=x`FcsV$o zvwx!<F9oNucVsHx1)9?S80S@M57SEagB99l_I~87g1qP&XRXd|=Iq|bGcn|j8Pt1& zSI^{8^$@>jjT-YH)D!d8Qmejl_;??Cxr?~YN~yPp=LpZ}-44w;Hxj#HJyEI3ptq`v zcvnemUN-V_?tNSMui1`0&lN9>JS)Jp=hCYq{J}pk9^at-x5Hyy3La0AHx-Ys@a*HU z&#UKRcw8YoY8^EA&|2tJJpLl3Ug7b1o=4%a-pAv=@Xp8MkGS{o_~+ak^xoUy(dWOo zvp#Ql&v-BUAPutYq&Km?%s<yj>72hLU8#CC&nkM5{|U3ZZ0H;#=Xw9|v*W*{oFAaI z*gn745WBmP{ak0^@2{o6|6%TrGIu7P#6BmNvyKY>NuFU(h2qe~=sfumbJ<(a$20T8 z^)YNK&QF5)?-ce5IqPEQV-w4<C0gs)%Ubna)X_;>P1LV>W*h$8?q2g<9-rKP<7xKc zVQ19lr^&B%nu2qoyBEz}8=kUOP5VSSSD3k_#v>L#@P6c>-!Qi_>U@8}djoS^8vD-S z%!zz{@qo^y%y;&@MZEJT1$!-ewSaZKeeAPP-#AOd$y4d&sbu}>zKnSP4EUply!OTo z8w=06`;pxBr1|alvmdJloYa0fI`CU?5+h#-{T2pC-aOb5(J?h<3^^gOb3XQwE4U^o zr}O#!c_Z!Hl`TJr&O~oHX9;WH%4_JZGvIY*3JrgiWmtFDSjBv$#**ly{Pr1?D>McD ztFZ$u_{f?o?E)_ISJ7lAdxjn)7Jdu1z5kr%rL)|5=})jmi~N;MW>TCo4|0ZV2{CZ+ z?99LW@Ir%J(a;JvR{fm5YY+H2;+z@4RLOj)XdUF<pxZtGOxhpLe(C-II20^z0&gWc zN%{Vs`zZHXOJTFWHB`>JOV%=mn_70lLwopM<0*Va&c<@)nfjLkU+;^b`Obv%Hy!<7 z^wHbLoLEoHKmOIPRw<71L)Hw4_DA8X*6%%96$_Y-_4p#91w3}-H2C{B+V%PJ1@5KK z(JA>|;OOPxl#-Xw!G1r5Gxhar^tBs0>-<?C&&}*-f!|8h?mwwtUjM7P($1b(V8zpI zz<_VMb|tXaRG7oBPtx9p{1VP`O?;F-jJ3x`{NeIB=RBsID<|HTOlzO3e4caYw_~ea z+atQ`yA8dMyZ-M9)`h0->q$NDMD@!@92{(k_YS@omrwRn&MHy*Z)jr`I1=6EBe%03 zc_!bKsU+502#+j=KbXT?wzO%>^jhwf7URB=x#&jt06v^s!Tz)g&aRg3^7UUY`b%q- zW5|3r_1_P^d_6jkdtT>i%%;6vFVYX$ENE~9|An(DhxOn{f6F~@Pr6R)Yn|_@Q1|MT zx-a+Y7LR?1y4QPslYQ^OKNB9m0UrA~hc5=LyLj)?SbNV4+P@Dh5%R{--&6MAkl2Oa zTxinjD&WiPOQT17IV(9-f9J+6n&V{6aenQc3*`gn6K@k=^gy54@Q&)wztJr3{5|DE zUinZ;`691;i1Lkm4?=jp7d+#i9NzxM;NG{R`RKLmZ+A|W_UlW}48UJ+fE#@aX8=C_ zH+~)HjT~_KJi119vWssCz$56ki=R346y@+kx7nc=b~Xg<{w?54e#|apLHZLt&K&8q z_P>8=@R2#^2S?;><;*XCFQ&i0wuW-GGu-{!A+xC}tKpJIPf)%u&vcylJFD$=>ePPM z=1j9kaQfx5oc+03Yr^<p_vI=cYUZBH)c&~z{T0;7xz{Bt7A;`wB5PXF0mnWUJ-P{< zlF3isDnWMleD~NO$7>tx*K`N&2Z8w@I1nzrz?GP3$Bv2xht^R3V~ZB>?UE@=D$5r% z6F+tKrlJRrYM)+91!ryIAD-YGlorm)&V=tj+_Yo*LFl;{x@zx7Z|1@2p<jkBIR~u; z*CODKF-B7yz~Ae7Ewt!?rxaJ*fNvM(%!DX=hIbqYAF|nV`mtxihx+nZ%S#^ZcU9Rk z_=r8Lvm2@JALyIjF^)U@v2o^b1X@NJ>k7ZZXC~`|Pp}XF%-KQC9=W9bi`bB{Xjcgy z{+#|-dOH1n@(t~~WsQ%&$5*mFoPOC*y7vC+d`cU8Y~YhSDR20D3I00{A0C4r;gfBy zEtOxIx(~x0E4t$p&fX`#_I!wMwJ)BD_dOf<<?;O?_7OkX=<pr33%;8U+#dyQUkBxL z@AC733(mh0?%of+WfzXaW8fSetn)!8x6eX9NG~hTBJxNNYtQ_pxvoAP39lPdmCca8 zdWiLjvQ_K(!npWmi4{z&u(J9!ht~<Lk@WJX+3&fw5xL<!$bR<xRwGYGdb7=*0?yvu z%XQymzHdif;!lpx2(RWxIG>KWd(rC@&(-uR_v57B2M>KZ!zA-LPpf4H`zqk~#rsWS zW_chXeOpEy#f}Zma=u?^bFS9nOf&V<@V0DN7knG#cQE9h2iM4$Xp47`Us26ibgJ?h z?nB=Fnc(D-BKE#VID26(KgIsLxc-#i4DMrG@8zf1e<jyyev*?o*B$((aepu)r9JQ7 zY0tZN+Vk$!-fr4&ox~Z>{6duP;`&p5;=xwx+`~`(tt73QUkn*Vzdwh4;{3V-=lnY8 zTVn7>cX3wOr+IIaUpO9}Pqtin?gOuX?eMM_YacbnP8ie4KDo{>^ZN^aTlsC{x1Haf zfa&C;ERfvu^Cv|+M)>`F8z|*@tKwy>&3z)4LtLT2<g!NL*^+CX-MK=00==^*do^Cj z8IDt>#$|bTK^@{@)iZ~Bd>bi!H{4(MTtD%5jdOn5$a4WyXC`oEv7df1Fx9g6%${{{ zC*O>G)`iuDWyH8LWu9RGnN1?Q_(e(Sq6k;P<lFU6ql5LWh398D-)^dkPwrgkoM8`t z4-)G+$6m<W(Lw0rd^_mI=|a>2e)q&*eQ_avU@7)8@i6y00*ZANl)T9NZ5TiJg8alN z{ru?1#60pm@+PsBP3{`@eOI&I8~dcX8(uA3DBUDI${A;z@7!4$A-~pe*GMj}a>omC z>N&%j1Dp9AolD(oo4KidiU9K?toKuVu^6~j59<tBo9psw{Bq}vmq~?ntmj1!sP9ei z`7M@N@H1>jJcIScq)FZdv*JGcz{^?i!dl0wTUhH-0$i*&SO$If+~?sVweRxx8)-L; zeS8>ORM^Nqi>Zs9y`W2o)2qKVlv5tz@-I^Gr#1!q5YEZt<1n=i<zv786v5Ci1`JQ| z?nAtL5n2l;K0cf=_84;ysq5Em^X4|4Ew&21gr3}nZFlxk+MxqG%Se9=d=-Bt@M!OZ zaJ%Bg#XN^|Omh+Z_C;){bg^u}B<4P(&t01%A7}U+=;3kpkndTtfpu}MoUMj_sOtm& z&#>Rmw=19HUSsU#(BpRIJI)}NO`A+&Q`p@L{eH%~ah@r+HF9d4*35IZ5@$z)gBUoh zgbv$z|I%jmh7DS6$MGlqF|c5i{dw)r%iCrEx9pMpRmlx=$a{Cwwm;5Mzy6Im5RJpH z1C~wWCpW83)#uu>y!L67#b!9?{_0$6<aX=5$#F@Qwc(o+JXiKj=+Jsz&28&!1L=c< z_!Zzz-*uX+Z%XZ_9i{9254q1Lzs4gW>Zzn}oHfyoUfC0SC^}FK&vbE?h1#m6Zk2I# ziP!GmQr>Upo7^i-K);C(JTu~~-(kAAHkLY`$lINksKMs#N;i9B*w@N*vxl{}j5*ER zdwKq;6C1$iC%!Rqd~3JMN1)$T{|?P2<4=8>Jmnsa6~EG$L+3MWqMnzrIr^rA#*BWs zpHMD}yy;ovi2udDbK&uR`Vc2p5Px%UuV9l+(tDrR*708XoR~pM{3BI=p8;3#uP|N# zhk~(yI)2D`Y!>q9_!ICwG5*|ar|!J=chhHdk&~t|iSTQ7a|Y5^@CDp{9;v2X@l%y^ zz1X=!p8ulucMi9oPo1+a()P#3YWuHfd*^W5^Srj_jM4T*{HJ#5#}n|Fc*>T(B`#B( zzJ>J_%>DT5_qbM~(^xxx1phek5OfoMjzag>=<62h*a9!8p4!xM_@YzDUq+qsGm0F# zPig<GM|b&@ZX9b$`{!BHS;HAUKSN)MZn94n{WwGXmNkS<Jm?H<wL&Yt9n=0gdPekb zh3AFu*LYUBGh7v)(ETay^-er6di*w49PAKtgBQn>&Uwk_$p6M8tsb7%rZ?}@et+R= zI3AYmeP6{SzLcKX9Or!FR?cY=?rOlr`#jvuL5768I5DJNaA&`lz3J?08!Nu1J@X4F zyTZexD?d}(6~B`Fq~dYmZ;1zv!sFk8haDMHnqM9RkFC5*#pBm`7VaM7>f^D6`~M6c z>m5A8<KEhbUijSJ%{j7$Glqy^)xZm!H-%o-cjSg?`h`)jH1X`%j1lK5j;fbf!|$v2 z?osuw9i!d@-nnk6`ay6@_o?qcLZ{cjligh1^k{OdK2(ot>yLPL@&o5s`71}|ziAX~ zKOF<Ehp~04Q~s-CON!Eo_nA}DL3w<Gpf(UKEyHh$VMB}YH|~XB%RHZ^1z+Y2zDzfJ z%j?i}QFvEAh<>laA1W88T<r3wv)??9-21fm=lgN5M~xp{eI{Ovn1Vy>vEn?gMMw7q ztp3+Hmrs23Y3Th3wq%cY_I&TCv**>mzAb6tlZ_>>qwSLPkIoR|ya9)wzCzs_s2d;7 zJJ;SFe`rk6i0xNC)eUb~jkXDHf5cbrI9PLAnse0HH%v^kjJZ(RVf^?VH38N{^PIZ= z(=G3x1L)#HzQb8))Vk{C(%uX+ub6g4Gkdn?E?VLmugBqkXvmx*XWA1Nli$AtpWpFe z+H^)yrqj2@&UoU`PMrx3Z500-`hJdQC!O!-sD86M-C3K<7__blIyz}qM&cg!Ld3oH z4uTKWW9`pQY~dO%&rW;^zIM{A95<~eJMrgA!?p@Wm5I=Y)>Y}HarV-yKOy2A4leOY z{BJg=vByF9psuO-kZX0eipE_2x!JCt`F$rYFJI@_p9hLpp|8}oUGAPmEd8T%b$8(x z*ya!OeFu2BWDfM}#ZMznTiQE?eU-~iq8I<G?}}hsCH+~<ukZ0-@$vQS0eT#NZZq=E zzM*=_{1j)+^4#+e{NvD>da4tD!|89T|Ezv}8oz}YQC&B>PT%^mXM@Kd@XZ;{Lu0Jr z_ILO2e3jGxq6}yLin&YgEayDF=?L8%+ytC=YE!sz^_0u6ynoKxJ=O6eMbAjNTMs-~ za*Y0o=T*j_3!J>xw1oUir(Vmg*Qpbp#rNFfq^F!g5AT;~tg14*{P#`6<x*v#S3KA@ zJYL41W)GI@0}^*}_nmpqpXC`J+<C8fm-wd3lY>{NCyosG<KVT7gC!5U;pxz<LwwI6 z^VtWzc0L(!&zhAi#JqZZ+tZD|_9XLI{y5@J?mHPr$X^t!_TozCEJ2(2qpurM<L&mu z=(55M6W0|%$HMEPb=2p`lwDMmFrFN%oa*D_c0=tjiQ=>)`A~g|C6-N$YFxAR8f#o4 zoAV0Cb6#O<{hb5jIIr+v(KzQU+nF!x{Nri4os7N8!qK`g*GLo?>L;wj53VjV<#kP@ zRkEKi(&MhxYNL*4uNwDg<;$j2F-rfPcv@rR%4sH7c?F~Y&M&iqGIt}}fTg*l{I$+~ z+?fMvK!<EGyQ(7mSaa*h@vt8D$8EuO4l;A}<XPs7_DQy=EPwYDz9E<2{yg;5IizuH zr*HcYZpuu=&_x<M?gF3td6tdY9hQFO%u@2QA7{!gbZrK)z0qS7!=Ku)>(UdB9`fkm z(#@5L<H)vnU-Jf<n}~ypE&O`_CQ$q@$g_A>`A5s`M8>Rk>!OZZ$g8>wt-^JS`F3PO zhM6r|tVf2pclNC}a294a@J~yjJ7XdFPkhgV_z7phX*{BHVC>eQvxdax-Lv4N@>Hlp zHdy@OpV8^}%d9MScruj_rAy$Q>bI!h=VdB%+7jJ_kIbfYeJ3m)Js*k_8<-~>qwg&G zJUCQ;B7JE7J5`Tp-scQ<Z;xm9nxLoX!d_EnT-pdd9&^*Eb9n!Q>V3O<?)K`bPpN0? zMeDh6{WbFp?Y;0z4)*aHVzn=TzieU}Z9JD)+0V8S!)?ZHe&`zM1)f9E<gMQQ2f4mz z<@E2?x1+4dhw{!Z+72I{3Pp*HHEriC=)7-c^1Y<n@tgJq^7^kp#sc{2?%d?$_PI0M zxqE1O<d?*@tBD6};H(L~S3boGW~Su%DS7f)2lM6edCh|HHDutS@deEqH~cO*zP;5N zKja??u3r43E_ABSN`B=FW`J`eotUx8_F{Xt(63Blfw!Rlq-W&wDMq=3ejc(+Qu*{= z`4*Gs1bFJY_TbJe-ggzT29NxDKhw*re5xx%9m+eCe2OI~PZn`m)fXoZ>!_T%+OFx^ z>F3D`nWQ(q&J|A$uU}1F|1{RQ=dMqr`Gqdp%%VN?%wEY!8NB-o?AKD-tySNErxtpC z85nNA<|i&ai3yhFm?x`wu4KP@k}=mg@IL@<ABFFC%rJ+wwn+0qaq2I$ruEn0>xHQ6 ztLT&1it^+f%KG0_ku5t&KD9ZMHq};4I3RzFwm(STeXJeR^AhfBtdG3jO`P&vFo$`O z9NNut=Eshqqloi7*@#>!_HaA2SDosk=rqgn)|7G2IdMs~S;GBN@F-dehZp<K2zw*j z;fs^<=M>ZTzX2k>){VY({1Z>N^=`(G!Jm=;BAqWCcd4V}hUrq{;X9MMLN@b6jK!pX zWlw46IUBg_uxaDWCI>d@9?7-VQ=AVH-%`8d0&T~h8P=(4x9@S<e%G-7q_*`PR{2S) z!>PL|Q{Rw0895tp=2lYmn%~D4fY-UlSLIxVN5UR{hT(8|=r6s!(Y{Vg)!%9>kA6sJ zRp5u}`j18K^=f2P&)Mt`()D@1QR=sms(*dILG*d#SA46K`D4E=;Ujf?c$7Y^x%?)5 zyD_e~UL|_B&C|OPe7qXo{S=tu6%(CrnKXjyABFJec#d73=HNngj~G{_><?1?HNUM$ z?xRe@Zv#o^`PGW#_w@X#^ZZ=R>mNw|y`Enmr}xj*y!C<PQ+j@D+;IIV=Z*ROi{mGn z@@X6~kd~MOjz;&>&!@dOy^Ik>8~bO({?JudF+V5V$)8BAXW1C_q|yiHWJez7L7b)z zZ!Dv8*POA8WYVI(8Q2Kn*>4}-A3Eo^44V43?{&sA^5gO;vkKlOU+Ktme)|?i3e3V7 zuosOy=eP74>Z$bRS$nA`%Dt!89GOhz&o9xZ8sJr1k8<B7S-FgFx$*6Z8s?a5z{73u zQm2`?Aj}!Fouu35i7MjcYuli=@TB@k%YDP~O&hD;<a*)!jq6WoT}li+q4VSK1NXGI z*8<)bXn!g`>i2>7VfxH(Zfhp7a>n&Gx=#8+e$Gwoldq@zWZL~LvFB^XnZ(>+XX#z& z!B@~-UC76l%Q;W*Uu!o$Yo^Zs7ItS3b1A<;r`|~(;jrbqd@DRqc>THD_;lSX#sv<l zTmIG^Q_iByT*@eaFYg4~2H@FO!Mq9jnX}y5;}zanU(DOYC>uXumdQ7be=gvDGvX6o z`kz|MocXc0hSTH!VU{hXjC>`^&aEWYjt`Rm5N$Tow$6W8OWUbuMrfR+c^aF%`1ptS z0=wY*4Y7|n<q9p%Q6|sdf<NJL4c9xtliDVK;$E*mHhob&DzEl$#~;>Og3Qp*rZ3rD zaLFI4U(9jLj^a=9UB0!POJ4nAAam_A^jX(TYsvk!+;5>TnqPf>M!_W^?!^}itSKeg zz?<*E`|r>zPJd(c^$fVuyqGiBO?iA(r?2nk`g3dQ0<CYU7v9J>dR<d3z6NbNF*$UX zV*_T>b`LRmeZQj;o$TlW=CuBV`YJv7xsScH@LI0uqxv7Q?D_Ak{wJI{>35hnSNj(~ zjBLFYoV-NsypwYHX85Vkw2rmc=3?@vm{J@(vqrFFgC~ES_p{??@I?W9^Y50~akpji zzXA?fyK{m3-N6|HU#0vM<Zn(eTF)5|&YA$#na3J1Y)?rX8W0bzI?ww3DE6WiS!+Pf zo`&aQe`}Vt@l611^BTo({BkPu;{BJb6C6$XoLhUq)IG!5X$>b#9r~|2hJ4)vjzY&; zsv7v7*|BWiZJJj1cn;V0X>OiP)0TabJPijfsXMOsCob{IUb1YZ(sy1}cZJdqT;-<k zylUCUo%DCru@;Q<cX{dWT83PZzqsykzA4>spx8?<UUr+4KC|vPYa$vB%=FS{N}kDo zP2Ckv`ZZqqHOm$`>9gxrbIwr1f!SXA>}6VK*06I<-Q%25)No*qmp*6N0w;Z5-Es6x z!-08T`n+Z0)rN}FI(?U}VNI!<UQxPirjvd{-D>>*hBY^M={GFX`iX{3H`YDQ8lHys z8{PCxH!hQ}6|y%uID7_wvNEK5zLN)zZPH@_d&y+wdDG4FxW?k=-8`a$O}f^M*l&GJ zdEGUk(t+q6JFvM*-$Ph@+@+C|AA0pGKQbhppfwk<40nxS?H8?OZPZzYu9QAd9?d(& zHkoBgi)}(j{n9LxEHKYoCq4N*JmjqVfZue+2flWFCTnOPgnwcy-E%=Y1q*pqM)@n* z!zTV>Jc0gTuep`AwuU^b;dSvmdtP=(Pm(XOocAiH{2_Sp`P?mzp8U{|o_roXIr)<R z%b)+3KYjibUyq;kq5F@)Q-hwJ({;3+J2zvpW9Ovv7FttFq%Xy1cge<)##*SuTX@EQ z<UA|!Y2MmK<e~$gQGB|A>kFQp)3{G^G1|^;@$8)H8)@gXuXt+7m+|F%JNG#CReE-A zBX$m*K4j<q@*;Nb!ul_6=f=qE*tw5j=gtMET-45uE+_kZF+10V-)??99FHBE-{iYw zzK`w9RbcnDE}n0!mS_#p(~M>DPxj>fdwDXCYfS!sN=*1Ach64AG2$QoI&S&!8qbW5 z3jo6t8V?`BcaHs-F)-t8e~r}g^MiZGsw>vR*o(ih=4pxFO^Gw^&nmwxp>;h=`Oa?q z)Mt-|YS%tpXhLh{3$i|E(u%#N?h1TkdntDMX4l``h2GN`*ghFprf)!J@_Z0I7ENq% z&Vb)SJ)A3*2-n7*mfxN_eo<V19e9D~_Nq^I!d(w<Z)I$ZUC-kTr(fVFDPJr#Uz3-Q z?_Vm9Gv@QgWIhf4I3+(3dw0(R_4;E^KOevkwQsz7P0DvQNBcEz6lxE;8xs{=Pq8M| z+XGQT{Bm{=@}qU)*u9QlbB%xxoBLVd=qc90(oeoKb~EQI+iPcN{Ve+srVzV6NcuwJ z*wct%Uqbxae&D`=;wvt3V%R4FX1?(84Br@FPIB9bcgWF?Q`+hD+SXVSUMg{UDX)Za zowH{~^_-&~&A$Ox{vI#C*5~-J-p9S69mOQyDCE1XW36u*+TSva3;B8)XML74B#5s* zxgT7x_Hd|P)u}Z)G4cLNcTR<MtInK?*7|79q#L{EyifU-=z8in1&?aJMD=#Ex3d<! zIk*I8V|}ZrwU9mSJ<(F)ZkaJ+_3F!6%KP(b4^p4x;V0hJ=Lg!~tNAH^Ts+ssMXtsT zW~%$0B%g;=eguD{>_=1VAodvh3g{2#2|4HW73RqAXsn8G-mum$#2&Lc3}-du5O;oo z{O0HGS`E#6*guaZTZxUv$nWQ^A?6uSjM~fhke81(_JZ47`C8!QiM;)+Wuv|Y;6~p! zWjt}@Uh2_z^VsX3t2rWl-?Qd`NnFjGwc2WX>;2o?Cr7s(T@xATy}x!~anbZgXBM!Q z1|Nm<2v1c)%lhf2V=wc{T1&E?vn5zFw`>o4J89b)=a02#Z+L#gjW?a(Jk|xQ$pPk* z`u?ZpvIX1oz}xjaXRWM>4I~x+=f0NvcD@T5raw`5V?FJvP3G|Db@Kj$<a_aX$>W9J zS6BUZk-M+WbfSN(LYgqfNiV-JeeC@QE^oh%oLBOFL0?8CuaZ;Ap}vhJzAwHa>(Lv) z*D=O?an|qXn|B&-MBqW2^QyJ(QTJ=$OV*xdekBlS)*Mm`bM$B7ea-Ex!uM~ZY*{Vq zd+^^|!FAa@Q`bm6wX8`zOB~=v>M67)JKxuF#-?67i_tTc;t#dMwSYaiDsvsrD(Ccj zzuRxw0L33?fOoBz(>i*|UX*n+nwPb;e#YyY`elbWV++_<SoWGIw&27f&cCN!`LwOH z8>1apCuKca(q~HZXtS3*!a+@-`gO)a)s^Jax-YfKyyCX*;PjFrWJ~#kL*?xxpWxTC zU$53N>;p%O&J8->q8@4ocpfy@EvRHJNO%-}EBSt(U{RTxK>iX(e_b*5cc=fW^v)il zcXkTB@tr(6T$J7!F1>wPi|(5k1GceVN%Zb!97p^qmEQHD+s*WAnBK$fh~9CJ-lDrl z@A^{mUyR-rqv*~0DTm$>eR~vot8c|uWRIYCFZ<M)L#$T+8o9R7ZZF@=gSYBcrVsj+ zP-Zc7cb;!!eK60pzwvn@`%%$8a>|tEsxQ=2GX_r-c|7qoV%=&}u%z;Yo;{wZUk{$d z6IZ;J$`jd+t-J_NIAz$o?5rgV*B26lzWBFFr6<Pb4_Ak2Z{YwkuXW+C2h-Y50doy{ zUV3mfebnAU>56&i-+Xk%WX((8fA4_o`m-}Gd35p1d`FM9x%M;R<~*I5gUr|RJ=xRH zTlB-Pdm?5r7t2``v#2w4uy0{8@$XvFTKFz`&9;xcjxSvuduzqQFX5L(_&zA{q`7xd zkIJ=CE{ihMGw+}9zbn1{f3gubP=Aavg;w@j$>sWrS<M>XRw7R!<XmwQ(ffnYb1ibz z5+W`_KEYp0EKKuiP9LBz>)7gK<1cszt=E^&IwT*2c;*tFwI{ikUwtLGS|6CY<T!o^ zd#zcYI*olRQ=N6K;UBbAU9EY{F?@h^^y4{fwc08)d27wa!sUm+rR;ny-!A6+yqU;B zl|89tI_rB%YR|fBX)ZP&G{SDP-hV8=PHX(-&-i{_EilNhtK%Ahr)}=%(#NOLNBMQc zM&6NM$2r-GWADQkgkP$cdG&vktNahe0OhaU%=#$&zFb%Lc|IY2pW@^`92H(!*YDG} zOSMmM$nRq;mRC~muDdD$?)>>){`aNSkz_7NJo5H_-&pgJ?wl6$ktIF&$1mas-_Cb> zdg#-oUOQK&w8LWL{7)AR<LpKHe=KaOyF9shkNjZdW-4;C_<{O?9ONeRT{({~fk(et zI1*=RUj5lzg|j4myZv%Acjo2x0_@A4N^G)xjKRkPZ68PO8u-q0Cw8kL%Uw@iz#PMA z`YpP?!PWQszRNv6T>csSQ_UgBZ~fU@;}*1j&RSlG3~qtf=FX0@?k~UnpYh2U3$%l~ zBN65nbUi)AB(LKBG``u()D`#m<pu6-?!QNUo-Ndzcgdduf2G&g&=on4hNm(A$g}z_ zxx`y#e_&p_<Ww@c3m&WNb8YPBr$_G(i|4R?5#VC(vO{$(p&i*m`An*FCNlj7@n*f# zbIEU9JMNTMY>u+T@wJxADespR&Ybedd=I!ADt{`aJn6BEly}Oa6V%V&vet4J{)JNq zbPZh*LT`7LW~Onzr+l`ij6^r%4V^on^<wf%!ockGYmq4x-S(rOYRMbfJ)GC^X;!m; z0s82y3Y9bHOsCG2u|y5{KRqRy{A2Ln_jpC|+;lr@68Boe=G2Lg<hSqCx!yg$+OM;> zkUeL{)MZY({r)auseSlM`Bo@P{Slu!c%?rNh6d(ufu99$7~C9Z9QF0L%8wpnFTd&% zF8Ic~_C%DF(|+%wXsOQpYy~&3;4Ab6r?mI;8w_OkZ-O?=bJwrHPmm2>flpXYojQ*n zJ>HMcN&IoxH@F45$KgTwQk7gem$-S2#rG%3-;a&q8%X_|8AC}|2<}XHVKICa!I!GU zmx@_a96LD|JE=2Z_&${b?^E#TPtn2P^f@~Pr+m-AfoCST_4U!^9-dp_3G@y7*wJ6q zRk+8hlilIjnTvUoGllg|G(ktTe}uUKt&dYo0Xb6H{4DB{eCDOp{}amb9$od17oGEW z?Rd($E6%>Ir=9tCrw>K$`bf?5iC=pEhPCDLiQdh)hxO$7tkVpc&sP-?zi7#f)@}dJ z7UVroWBwgoidQg>-*aGYv&Qn1_ivy6Jba2Ce?sGU)jwr_hBLmI246I?mR4ieF!ba6 zjwidJUmNR++t5E-40B10bBuVMm~o7;nEgO(pqBAiNzt@Nw`^K5u(*Ku8~H^a$)z(6 zL#{u>`0M-wU1QG4xcwhXU%P&c`Y^?VbsA$V`2V?uz%1Il2Y)ORxNl%j;#V}*2BzNo zV*>|)X%63s2exDh{Inw7oN9xfv11zNa3=mSQ(6Me9^iV0cwvjycJaQ(YRr|79_1>& z40DYPx_#C<XN`4;Yo6L7UiQ+JPdu<oar8?~?gqX=%~;eKSGn!|KkU7Id{xzz|9{TC zJlvb`lxGNP5)i$)_%QNh(sr5~(Dp)XJA`Pp?Y9K^w!KN(nTeo+7L&lVy_h=n3Y9j@ zOnB%+lGdpfsH9GZfNdv;wi0}3JDr+<)*GT#ib$f;eBYma?n!P!pq=@CfB*gRdfnGK zIcJ}}*Is+Awbx#2?X`2~y$n5SU2W|A28K)LVSmZd`+F$wBVVFmQeXYgJ3hI<`n&pb zXIM_Is44I={p{&?;-oLAFC@hgbOX~A>_*Hh<$~{8=%F5+<uj~jzQu1o&s1hEWkfH@ z_NnA}2f>sH{xv^UR<G>`PkTMoRad>Be+_G0oo%@Uds{wrnL0+q?T?I)-odwVFSa3n zN0ZLa+=R^VebL@tNZrrV&W;H;4&Zk<HQ(g=gnxS`nD|%a6p-&s^pD=RF9Ho@@@^iv z)+)ifc(ROhd@b%(hssBxRed9R?I0(Md?;7Jk5Qia;8SqYW!B_L_7=zPH)Ja!&Kz3@ z<^PS?iXHGDa%QW~g70`9r!UO0?Rn5VFe``MfFEA>GiLhcdA<=`(o@`66CdyMzDT^y zboRvl4YV|k?>p>%WYa)iQas~mdxXY7aTtfW7Vd0l&syc=H3>|%j{azhuTkra4(8T9 z@b3!QZ4+lX`#4WMkcj1fg}&F6Td@dnE5yIet2&nwZA-+h^j;qcZuVN&3*H{ey#{UC zsl;Q0qpv|LJ2vL^3tzeTgj(Qp`oGuhtN!;e_OjJj@aGfQ?e_3&c)xnai2dqn;}C6Z z0f*w9X0Fmt#<GtXJP?=Y+A<Zl?I$+e;M-3g1>xm0rR~xMRF|Lgk+qir`(lOi(3X73 zHtYYA!-;cTIM1bk9Io>#oj4Zp#-Q>apg)Q4=NAxj$FtLVMxB#6%T8xdOyD<_-$Z`U zYWWTPHu1X=oU|~f^?9cRU-M24##7i!^%1+a6Psx_w5@%t9juvk=8@*ayvGt}Af?&0 zA!KVF`KUXPC3#DkZ?LQUl05-yJeSPV8gz|k#ysN>_2k~M6aVHKPwu>VJin557jXS7 z`wOn%e*OgC_0>LWzTn+5&YCY<%GcoYHJ+LCuI0V@(rjC`m-9Stxm{ZiY<Zix3cd%p z3a)m$wp;KVb<VxX>mg4z^i=1`xdVQu?d*A~r<eWFnrrJOq~Brl-5O8&JjHkXf%cZI z&ouVOf7HF5HBV=F2&OvP7VqgB&8cfVX--}25s-gzja9h_S~9lBHJ(iKPB<>%yOwFq zO_S}(jlFN-FGr3KqSNd}Hbk*UXuPB3*)cd~yuYjXdY*^b8$6GAFIPu?o!sd?GehmN z%ZeAzB=LI${mkx}6}z2r6b=3sxt5RJZgZ{`ldnl_1UQ4+ZA1IybYAlUU>OSrQ=dIM zwkuKJgY3(y2Okm7lzG@fx-_n)OzG^H6Gxia_LZSBQ|IAZ?ee>28fM3iC+fLR`@04P zsb|`}!_*UJETYv_2Ckjp^nQ=OF`NXauYYjinblVDA^6zhZ<vpqcq93KIAhza8@1=< z3V6I{w$&cr6e{i}ZW|aEO5PJQlX)E6jr*(ma@oMmURQYVD(tZqvg0ZEFZ@_(dms9y zpY{6E$L#iDzE2Ih`7086D%zEQqmKEm?mnwEf}PfpkL*QF8WRI=(mZw?SZ5(`I%&%q zf1_X{ZgHZS7Zm%iIU(QCp-1R@cQWqsef)rH2J-&=`OTH{Bjca9kYgx<pU{$CMf|?( z_G(*g7P8ip-Osnay1%dhJ0kk%{p7BBAM=9R5}j|MJy*X3hw1g6Q2S3!-XhJhBjcyt z_|9(l1bxf+W!Ce(^vH&!diX!n@|v}%(dV?sW+VJ3_*~dV`xjjJ*mtrht~gGww@^AH zv@>vGHS2{<#B{Q5_z7e0qyA4O+FhO0?q%E~_t9UI@=O|e?C54%7tBp}{3x2g#ov;t zmr`Hb@z8+uDm@DqEK%&v_07c2YfTWg7o&$+i<n=^XY#$)r6KO8bI+XH*A0(Jzs}_U zh{n6eHsh_aw$LTbvn1VKxL5h7!E+Qnu+=j$mdd!LFkXT6HO6MRv|!Tq67<qN=zGvz zaAKlw;&J+DbeD_Kp<qm&SAFaW82X<xTcYS5mH3&LgHQ25YM?%SDRXV1otl!&2cmuP z!Cy#^180G=ntCJhh2u{xWdAL6X!Z&OnBQBp?i_EWOXn1>OUCEkQOectxph&5JzIQJ z+-qcz^2G4J`z>e5bON*Lh1Qkp!Q{8;;9Ip97X6E-@m*?ejBqX>ays45|IqZni@-IS zo`?08ADi_Hb}46X0rr-B_S98#4reEHl9AA50_ZY#p}*{5%~OXCvqQc{>TW>>wQ&W$ zy+iQQ*D&yo?rRV59=2}9#y$+M^isvww9)@o`qDyO--G7AH=Fgzm7HfXm-?^eo><8i z_@M<m$Zq&ym)DN%+-=3A>uqNom6J~VdpmHSyZ7fK_RL%SxpC5lzm_ESm+`Ikn`wWU z4?S>j&{OE=I@TUD`8Bns*7_WsrZ$eO&F7pDH;y`44;THho^i%KG2X<un(^*tF6Zpa z)=WFKOfiz^RJEe9t9gE!JlCth0eh~4%h;dByBg$W#ju<n&NC!A4KJ9z??bfBc~x<E zW~e;-TaxM7<(&(~GYf8LYoE%gzf++l$$j>!m>h;f?OdI@qQ&9Owx0vD@*-41xB4!@ zqsXC=`)2Za*UT72B%ceMIYB-&S6|F!oi5*z&Toz*w|>k2apoG)yJ%OwevRYs{OHKF zyn5@gi1Z`kkORzv8Fsz)#y_g{2nc#mYYf?b%(?^^lGY`UYF#qP$<HV`(>8~kz}Dz> z3Ew2IOC~6XJv8D&?$h7%)+KI#x+mJL@b=z(%Nm$X9qOCPpCkuca)16@`F}q%vixxW z-FReYpRM6vzqOaOjPVyn84u#j_adX$mobiR4!FyS+vtUtg4o6blSRuZHLIYpPH^Qd z$l+|YEbK|j`IOOi3>uUi0k^gJkJTF;Fu*=(<mbLM^eu}0fc3?Cjjdun!xPSr=ee4; z>nYa*pM975x{<|df3`o=UdNuP2Wb0%$6HgzH6M6@_tY!suF65B+ye#RdLeP?`lf?E z1^Dj3p+MgW%10-36t^&5`8?}}w&IjY{$6;usMD=yHudayXK>-y$sr$3@?jk1TlGKh z6%XcK%`fNcIbOzYC*_9m@7Sp2t35H>S`V+D(inUzCG?K?s1;ea0vrL4=)|10D4c0s z3C`N%<VC|y--o=fs0AKZ2fm7X#j?*eV>Yf$=k+|^jqJgmRmhmBKZ>D|eWC}ymhvJF zB7>z9p8&sVvy%E*uhxEnwa6!^&qAKdCh24BeB-QralXqt=dC@AULv@^l^c3T@DAsy z%WRu;bZ}c)5}rcfD}Evo*GtZ)kvSKCIzlg83k-LfoFi7T*0}Ixx%w=5@(Q}CY|pQv z=df1mdKtJiPRHR7>4?82XF@l!#rTcMMdbEJIMf(N#M?>wL|&XTOy3#2U_XBI?BKQ; z>PI3@>^bZZA?}HB$+7rL-WNA|UwJF>08!>6&E>%x$-gcgLG$c6U$iB$9<OB1`5EQT zpI?zrLvcN$^j6A8s5gUpE0;mn%$<KgAJTm%bm%*?cmTbz4_Q>vVr<wcL;F*F)3mq2 zTKFl-*DWKz2<?CS&$K_fUu)Da<{9<te&8tJ8shiQ=oRV@8`Lk_pV9SUvm3%wK6t99 zKfd>zJvYAhhWFgiw}qxZrOtkv5H$BDHdwW}c2t|^?tQ}OC7PeL&WWR!v_J!Kt$ldL zmHpB6<*odBcaJNi?gxGBY3+TIcjzc{^&I_SGuPCB)qY|V^Zd2sC`3o~muAHzD~_K) zuiiraOR!a77gC-;7rwGqZ@Xkp;6~?p75nd&uD93gJO7uw=E@p;;P06mPwbXW-;VX{ zaq2=&Ame{F*8Ww^uX|ZbZ<Ty~jJ}VaCx`SD>g>kHWcm!hsGo73_0FXK;6nXU|Ks2F z7Gh^{)>`ySd1dRtD|=VlzDfPv$PKF~H1II@k|EaB=#TFGb)kU=-TQ^1fd}0CInafB zUl<zrihKXpp@DyJ?@L1i4eotU>A-#5D+VNa|C!>f%wGKy;CYjSoA(*qB<J52pA4;0 z+Unr}`NzZ)h0wSeSNK8C{~S+jn?~Lzcw!AW7JhH$e}mtP*g2tx5%L7t9Yg_obH_uA z+p(`-mk$r_VQr&z_+IK|o%Gm2^bKs<UGj6Q9CGWSpHrq1pSiu>vBiBKyN15e`{&T9 zDAV;5${@$O=7TH6nQNZi&$ABrB2iD*UjCOXSB$!@9|T|e<_f+sur?%o46KW!%TPCc zP1xj;*5>=k*=zBatd|1+oArr)Nw#dDt%T0Ew~l^=&{5SVl~JE!yx+l^#qHDG^hxFQ z{#c?<QOXFuKVc`7%|yPaO*~Vd67_VU-_oayM4vL+{E0rD;+s8*u}U7N&A>i9&pNd6 zmyFX=+WB+i^eM_DkJI8Y#%Tp*)ThJ1=Z@1yd6qm*%lJQeoQNSa<MeNQGuAkbHAWgA zm-c<gFKg9hv2JL-g>fRn)X<;SiNJzA)5?4TywxZ4b9`-E-+@N*c_-Wr>BmX-7;yV$ zWn#SfuHqHy_DTPE$kXnA=i0kR#?ji^+iK>aD&_~t6w!;|@|{}R?q~l!&#DDmJv@fK zfsQ^>-ygHSOK%wXbM+m^7C&ZvE5`CWIXW=DR?c}OUv!!F<yrCt6dyommF}cmsr}f^ z2E60iUSPk_JKl-Gy*rw7Z~q;7{54kEAi89neoRBp4kvVkBk1TM?jHl^THA&P)*j0{ zmv?Fvd>`K)YJZhDlR>XVPP6**S6Hhl=7h7a+E}-sYbs}|{IOYWKhS)NE+csUg}Qc5 zLWkj9a}e8Q26nQ`tPJLz@?h1>6=kJ%TB>Cg=S{MTA5y!V&DDa=h2B&w804et^jPJ& zms%N1^JcDCbg7lrUsvC?p64qIZ~Eg*&dbvJ`d-SnQ2sFQ@}3F(u_&#%$xD3!-m5P1 zcg7U&v=;t^7EB%q%?rK_jy@0|CMV!^>hM29yaeY$cvQFD-G#1L%Ra>l)$h0M`{(jL zGUrf}pS)Oe4_ax}T*+5aTLm0pJ3CeRvcl7><%$9DkUvX(D0uINV~QWxb#8Fc?byjq zfKTCS8tXm9_0z`%#0edJojrt~2bL(YNB$W)b8@nww|mdz6^ZWa*#9k>Y^J@=lU7=Y zHlyff<TlEvvYq(7$f=i#d_0Ss$}1A=&rn8dYn%RP99H~-*rCM>8so${Jp!(^t`FDD zTv3z$%_cwNp?ZY-&tpRt4fyTpM|@u25$xTkf;*#4x<>e}h4|aZc&m8j&Z(!i^GzRn zE>nTczoEV>Jo#{w_C%(%`nUUl%@3Y7Q>G4|x%g*g%s!>En<qJClgp`n#Yd^^4gO{C zsN7O)%Bpj$a^Xb%`mPRmBsVUkv%@pQu3tE(_0T>9Y%Z=I`<8cnFq&ee^}%B)z*T97 z&aJe^5pSw|Og8H^Z`+dV{-H^0-TDbun)vN3{I(t&G`Wx4U-_iY6S0CPc)yYNdBp$s z<uo^GY)-z|+|=SpA)j>W5pwl69$-GQ?2N{pp3O}&i1BdwC<R)6b*}OW!h6*7vNtDq zg4hR*Ya%w?<bjetK02qI#ovfHEfZhuuA_;|0*=U`=3M_Ac#HnzJz3bN`9%ACksrY` zoTH*XMHz>2$Ou<n9KePULSC3X9yLo^hxb=FdQOjbVw-f#8~<x?+al;2{%Kd=d+B@7 z&cxsEoZ%CO-jx$Mg3Jgca{K9AQxCZA;dzMbFOCdu)AxPM`9BuTQjh4U2_9>Nzf{*` z;ERl>E_Brhv=B(}c98n3FSUv~J)tiD!TF7O6RpSQgX{Y}8Q^?+BYgYptm`JmY;Uwl z{PC4H*@Hikee%eQyMd_%9au7?#jG8OD?W%_0G)yV+b6TX{tKM>_PTd+**z1GzcIVE z1~`1=D{k2k*zP}9c`TAbEa!&t8K2)!mI}QSw>&BJfqnj&?8PWPP-vO*E#s2PPf>Y~ zDX+4TDOPdRKPmN*@xHQ1dIxst$*GZatGI-i7|A}LMf?&lHE=IKkv$GN17GpoiFGUb zQS!P~{ILaDqPQH^_t>t6&)j(QIc)p+-skha)VKU|pZ)A-hxozl%W-MO+0)$vU1&e5 za&m8jK92l$a9bNVnU0*f8~a2U+z@kHV}p+oV}CH%7>34IR?RP(j*N2O3I3LZ?3c_G zekGf(V*csW8Y+SR05EF|LZ<KJLtu;|{MPb~VxuF-wO+<i&xYwK<A~mirlgZ-t||sc z>m;N3X6>Os<4e%cGmLB0e4jW^WQZO!6ZDwb29L*r!Y_2Tg?o1n5uLH0QFPKC_4F@_ zdwpet)R|)6a?f+SqPfa<cOlp+iGOkEJ)<pyx;Nq@aOL%@PhWg2#ec)R=lVfL$Ll!0 zq&R$SA-}Yz3ce1?jwAWi3!k1qS18$FwMvdLHwAxX_<v&X!^-O?IktLOj$tziiU(z{ z5I@g{pI<_Dkymqhr^kQfpvU2*I57{Ej6*Yck&dnMe#(@jS=U{@^X7Y=f;I-(7kocs z86oF$9Q#7u@w}o}t`7}d&NxeEsx2oDGqdee=z>NT@?O4WM;6XN7U~Sn;c`DkFO@7D zYtIeha7h0wq>lmOl1?I@>##j^gO^>vg6*%k9vhsiWA@Sq(WZ~**zX?8yM)yx<yMo! zAxa&7+bX}BIIoY=x4%Q4^xETM-}6styb9k=6uLOc+$eesySYp4Nk`OP{42;^_<1g6 z<9s7~rH5}m`v&#_XkNUkIGnL~^=HSN^}^dL?GbCqD08=BZa@A3=~>zL2hmr`=DgUn z2EAkxb=J*7N4&l{H^_M0PTtyj^4vA@O@y-2eS(y|iL%WFj!u&g4B#VkH+&dCR`?2D zY+?+L2JO`QSE6g#__hZRIr|Pe)64EBpPZ?q3>`)~SRHy=AGXa(+e()&p7m_)PH;CL zeh{p2tN(HKc;)Ea4atBt;7QNJ?+re#{%Z{0URlcdIiu|1<~$^auB8jV4sB~bmYt># zJf87RP|o6gA7@?V+8NWimz@#0o>@U$>s)^0_#GJM#9y>zvKJXYmFC$nu!zP!?45r7 z_puX26Z){?CZqIw74L-`^w-R%(OdoKippK1=k+|7uQhsZ&9Rf-K(LIyR}vQ(Jy&<k z1}`rI+X>{5?DPK%nqEQK__Q02O`=R3ePPhL_mA1cU?2DgyOw+r6)od{Yklq=JE;3W zCa@ASd0@I-E8Aimz2H^vq~P1=;j%NHAP<mizmjqAJ2ukEZGT`LjSo2Uz*gcph?_X@ z4ZF4;-W&SXJI1#Yoo`=<mt>dSf!v61a^yrFa^g7c82bioeh^<sd^R!yoy6!mlr!?- zN=H7(evpsM_t;sfQRG7d@}Y<QZP2(`CuC6nEA#_8FPF{A;bq4jzmoQa;~`it($5Ep zt#oue;wX~xE4Ro;%NVw@mMiRCOircH4@>NnJ~t1fyB?*S_LH`E;;-+9b~-ul%B7u6 z++#LL_XA5QG$UK~O7SpfSO&?-BU+ceoU5_FXl**Yo_FR>=~de2sGMfdIVKnO1o7Ql z+&_}kRwU8ZY~J0RXp8tr)0XSgc;h$D9Atgd_y`i`+Bj!KO#mL{rf~KLco`F&Yk^<E z+E`x0zOfGEKrE>}^~?CMeAe;{=?!D~2TcEx&LtE6G7sh`7O!0Pr0ntR&*N+qYkBr| z^b8Y&^-1z4=fnFgv%>An^J#VOBQBctO6x3N`)+V4o{~RTxS0knb(IVlHJ)$!Xh-n{ zDYTJKEM+xo_oW5nV*&hLR$`ypkp5!ydB>*mBj7ql+s6b$0^SJUY9Cz=bpg}zR$}ui z%X7BN*3?N^%~^+mZ$9&r;1fJ!>Dh*U#)7N#0&pemcXrnEUZam|J&z1$e%9V+>=v z555lXuR<@7{!;LiVlXmlGR9eH89TP%qcUfGYJJf43UeXrgEo!5BL|c#C9ACfygR&c z{$6O;{>oWgD|*TEft{HcHs@TcZvLOccyzC}V&%|WxBMu`YR=H90B?`_4!=K^%2`SN z^)>6@uSMtz1HR4JT&rq|<bP2PCnKkL?*C`<{9xmp0}fv<vtmO&kbJF8{cS%+79tZC zstwU&_m$+KelnrQqHiVZv91r=;xF0WCtDqJ%f4Tu$Gg0{m3!zYUE}8ZfrtFMP7LC3 zti*MbR<safHT0f11o@WZ$SNmZVx&L%By*SZ+!_%_=zi~>Z=`ua>x-Y@uZp0{>YjDQ zz<l`d_F3fb<=IuNseFuSCBAXuHEUbIF>`M%aaXJx@Q>kp7c7amjS=xn@~8g?u(<8! zjnBKI0ex2O<kE)hy4aY^|JnMVc%E+R*ZXw-M>atx8EsR!H!&*kMxmXEQ^^cHRG5fU z3D23dU9yg`el}qHW4@kH@lxWOeYQU(&+jp7l3^HUj>HN5%(H#9t3*3)3@EWF!tK!i z<f4VHu+xy&WEQ>)&ZntH9}o}fyd~BZv5;+iumj`=&e8bSC$4#x-FG{9)>sQh{olRK z$@S~diF*$1u<czsgVr$%v`=^!=d1!tWeWCxd}ejK(D&}M6%RA;QR<7bHt?Y@Db|Fs z8&Uq=MEMXrn3?dGGj^v~N8-<K&eb?dSJpL7Y+;1DtELcl!dg>tFsyaf|DJw~JgdO* z1#6#!^2KH$?-l}Qn6XLr2fl~Cc&VZBP`h}w3iu9q{N`NK<UW-rVBEo(t$p|hqtMi7 z7+XE(!)Our`M-hj6|X<Y9B0l5l#g0)VdvSZJhI?z-%{WT;HUfz{qQOO6L@1R&XeEn zym%HLmpk`rZq!&{yF70!E*~`(<z_5G>n}7G(-Y<M8H>j*(9f~P0=>!|i(-w1<f>%q z=rO@hK;LtMe|wQJ*~Xac=V#%EzVaet@;WwH(V1lQmoEV8SYr}O8WR^zcWhkvJ~YPI zkkjzIu{n!uO^z)ad*9~J{xs$z&XHrh>*=2>W8crcbn9CBs&jtO0lGTj+rc_dtM<<i z;-3t2&c+JXQD-JPu_33IsNcS}Gat5!2g|HtoyVbXx~W@wplh2@nJRPv>C`>YiT+o7 zU?<Ncx7Loc7It#(LWH~>r$4^9wH4b=fSjtC$cg}Y-}{hjesaIp*;#$BZ^E_)Je*tJ z^$2rO^_N2Z7qUUI7o(BAp)qpla$Y(4TG3Bt@m&wLZ_UHEqGz#RuMM5ToWGF|d}?3U z-%QDD)Hwpm0eY5m<+_o*{|Q_hwYI@#)63i*LDmf0C_G2tnb=Zq&XG8Lae_V;&^~n5 z_G$1EqK~pU++DMve=G50syD~ZX>1@CF&lhqzX`n7bsO}gGaOnx*~2+qDSL*TuH=f* zK8C#=#NmI8a%Zt$4DzmlHJoJsGM>>d;y^FFA84$#=&WZ&=cDY5jJM0%!cnKOt7PMo zaMoyw>mAwuY;!J0+`EANTE0Hk)D`X;e5`eRoHID4gD;)aTtL4bVD6OO^cMYd)>boE z15Ia~vf8GAzi#5uZExlgo$0LnFgy4j+w|6ao>%P(waVXPvo@+^d{`Upv#~kXQ}5l> zTgf~v+<L%I74Q9u?`UAJ&n~M~`%8VcbtDsd^ILB|)QsHa|B8o^v9enzjyg<yM~FIA z$0=;6g6R#eTacl8_L_N?5&W5Wb5dqw<t(e!KPkIW@2Z$TUgmuj`T??kK)Qp!fVMf4 zOnSC_bz_amPkt#I$P**Zoh2x1;G7rxRVVADCsU6~<|@uw_Mkm8tXs9t@<E%vpRm`F zb!rJV9>%Dm>Wa>$!^ForyqDQ_8F<UHG7UfYDPPj-#LY&bC)W3U-F$<6x^0+$GuxC8 z<onbgNUFPqauMpLjYWm@MLM6KtB>v5gLM-b6RUQx&ez%v%*clU<XYF@YESXN#AwqG zUS$0<(TNZ8DLx2&wE(=wS10sE??`=d7I8$<M{C(nq%sz3Jlf}cm{H|uUw+52-f0cf z^Q3KTh_AEOBsP*X8)gozb;qDPBia<!{JhGE_dCAHV`6-?me4unvOn9vIT}CLfgg0& z;HPQ3^NLU_xrmNj4^5dq*NtnHUvIE(eCyzRYhZA<UHo_IKRztQM~&$JiA4WL#Vfh} zzfS$9%uxSFmrL&dsCTCS#C&wm_r|8OE<eMXUHVLS#@CxfH+k&|oAfyCp=YlN|4Z-n z`8t$;eS!LX9NDQDfHQor{?13AitjEhj__W5Q3$OY{53fE>j8h_ap7;rSz`KUg<Adi z2j+sCK~JioH6QCYZz+1=<ebJ;?7I}trDC@fe`wA~u0PGKztpMUtvkMYu>%8R>Pzq= zJQDlde++ILm>n7zd6use=VH^al@H)U=b`+2D|VP6x##LM(l3!qMqi|F3zGH9BH)X% zFT}@uZuH889_p6+F6Ur}6F%AySMx1;<6OQ==#9mS19o+Qv2~T~;1c#xYrR}JhW_|@ z+R%C1(p9olFZ!e8VduMp6^`EL3%d1>)G@My#PFV{|7lG$TK{_+KZI+;lW$GuVM`WG z1iyou{732Un?Bo#qn937!QS^>`O*_?v#(V2YRV+V!F|xctUXUwrugLa3XhQ$r&oAe z2a$Dyv+d$<zwkek6Q9E;|9>SX;MZ<ozZbslhJNT{?75%IW?PEAHj(FF`Ja;Pm|E|@ z&Aj*{Xeght_&ISEQO!5D6N^{63cm>JuB@H;u^l|mM}OJLd^Za`jsF>Y?X^w>7yRD^ zKFWVZdpY1p&#|$!caeuTxxSk|gPofBq>*}Fqn`V*K}Y8tY>CWiXlceiwiCTT^+kAI zx1ph>4w^W~GY@sDzJFJJnvVn@zYFD@cFW{b2KXQKCB?#B&HO5uQhB$Tx>Qeuc)GAn zycf^)e;NN*CE^gPlHw3MJfZg8;7IsPwh!e!IHlG?-^$xD#q6)kdu~c?hvpj7_N-Xm zucjcgqD_AFjc1lUi@40h{lNm08`V5-C@^OdIB^|A{;#0?nxeNU&{iwsQBvw_SAL6w zv=IRB0sddAwNTH*nC6nYDb{tGn?}4l=*S<*HOWC!E}dMPNp(oy%V2K1kWCJq4PEWY zq5Yf5b`Z&)Ew@WQ%4idPh#o4ShZg#q3jQO|QuAV~zd79=DCB+fA*(;d&N$MX%^JIE zO;I81?MSv&)QZh(^JmA!BG5{z?LU%2*+^AY(K6l#$YrfPn#pz*i$BBPl7sN~RN5Te zbP2I4R$C>$u>kWGIzmkc`w7E_=Y3}HjQmc*g~c94AF%fBMt7%v<Oq3I#?|hI?oyF| z*vE_ec3Z{0pJb04bIfa$3yu#JOU|p@F7Vg5G?4f%rKXDS*dtejop#}8XkWJdmv>K! zdFjV-zAfN?=~+4C)cTy>^L$l$>A)+y$Hj<uX&=Y`igomGRk>d>uZ%3`8(A*ol=~Uw z{tmn;_skz?FNJR>Q^%{+`}^I#*kSTW_M-PxkvpcW>T^YbRoeS~$-KZSt5|f|OTI<t z-DeZ;W}0`>kvO-ZysYY4ledO(h&{qsJixxAeBNnYBRr|C$d~XNd`9`Fq5TcSq%00J z{w;dlQrZg8R+zTrlZlM?m~w%na!#3<^Qvrbn#x_ncWPVvO(UL3jZ;1|PH`G(S|6$X zM~GWyoMYROL#L7Tu8b2s4BLsFHKgeM_*75pB5Z@ko{ijF!CFrAJO_Cx8=}^AKKS0R z^NjHku3}ulzw(V|S~u2rJ(1A&Pop!OL4N5Q&yCPI-yC|9{enC{;L#qw%-}<bbs~O< z>l)}|SKsium333PcqA3ykh}ItmL<1fi@N{!4ooSMOUNN;aztKz@Vij$Tf9deJQzrl zZ)dQliSJv0MP;-u&LX~+^SdPrA5?5vuyslMN@B|nGT+L_BHGva1ucBn%1`GPjE*y{ zMSr^Gok7Kn8~NKtT}y4xfMUE|`-;2%k}QzlVRPG(cDGID_v#(sG)jzV1lhmkL!klf zi`zka0pbJoe+%+geuo{%(mmjqTuG+ykv|Q`H^;$`sgpjdY$bIHpO4e;J$%3AL)JhQ z-yu)Zs{S+_L#}of(9SX1R(WINPtp-?9CcpbUgTCZeU<iJs6EdA%#XRaCYHkBy^!3S z1{Theid<o}-p6|FIDHQ>#;X@Qye@y6#v__uP@K;-S$4VjTEKT|!|utCJwkbvkv~Uv za_KE+KIv&atM#qdioN(#<8v~xcy}=-qFeR_%D3=fHuDF3U!FRFvs}mr+Hzm&c7N4f z`%CQ1nh^32-c4JXmB<H*Tx=!>Mu`2`Vfm|eI`c#Q2dx#7i}maqmh4oSRpQeL>{Uf} z*Rf9(AIf^>pY}RrIQv(jdF&3r^7o9Vsmo5tSl|_n8(o?l9e0}fA!}%Uc$&V%y~L#_ z>Xt9m#)izkuVP}bV*%oL0?67pa(AvBBA&}v69yI^`?{*>ODeyXWz|K<h2_fE*Rm|A zc_OWbIYKfxfDA4KAEJepWmQEb?8orgmr|~<Xf<-W68W13+$vK^-`w>eYvA_7(6z?I zR~l~jVW+bgQ-ZxR?>2qN8S2A!`XJm-EG-}&q`vDPsq5!lf64f_%$u;iZ?ca(F60oT zFA@5pKEZo6E%f6fz;$5!xZ1_s$CrJ<z`j|snOs=$WmgxeJhCoL<qu;Es-{mTk-L(C zzo5@kxEF1$-DMRD&%a}hD7mk`e14u4JHopu-ukX*(t#y7WxMbs`Q5rcvTpMnYn|{E zqn{eT$>4!LmJcqmVjrSUXUXSt=97z|Kk1K7jMXroySj-@tb`MvLwp+kBX97PV~*^q z=6nSou{ZwDgo>fRYS9q3pas$~<Qw(>x_VvE&Pox^MYH(Rgk!TN&*yp}9Yp#^vh7gv z9vFgr+qKDjPhLv;q~|SP{)U<RqqH6U(l^R|maj}_Xh)G5y%orvIi0x?><oD=tQ(Oz z(pj`-_Z@38-|gVL!1LS9eHHhS7o2;Ig)gC3RC4d?7^T!(U|pIX7C)_W_vq%mpt7cI z`B;FdmpBaRB%<ZfaGeCMFmOdZ4qWnOx$tx+!Lu|89@bbx@N@u!3s0rsSvTGITGcn% zH{uyzQA}m+?=!yKRK<9F7<o8|Zv86uKLdAx!@K$TG{^F1nlhzsnUWV|1G|~{)fU#2 zeawO2dO<I~dLOZ<5$Yd46E=0|OxPOEgpJst^_}v2*_@S0?C15I?~1Jqy>z4v9N&DK zU>9xtE3#4NC%=F_3|~Oo3yvQNJAP){UgitM1GwL7&y(s){{CP19-J)DoG7}}{sPf{ z0AGgtKQy}6^l_EbN7)D@zu+%3XN={C9p($i&odfFnh)2q9#^~au}2NAGXDp-A{QdK zS_rOoVDEdF{!7nYlc-xd=`LdjbYdC)>7e21t~arjkL*(-Z!dixJrBY*W5jPdaWAr~ zp2bi60`2{C@32n8*re~F?bD3OPHgR`(Zw}B6~vZ_KG2I!eJlNzcPcrv;m63-itV9+ z{S!j#+qn-kvoD@`T<Z|w_z_2UYOC084Qyo}otcLp4h=jGT|rxWKYpBe$#iS4>Ttg; zC00n^68~-XCg|HN;MqS7nVYb!B2&8Zm0RLr$F}-CaH4as1Jj(k79^F+rd)_RBvW=$ zPHnw4#oGHEKiRowfPco2IC%0gLyL}$$%kz-yKOT*l@94By!WqPzfR{qUp^yr4|G@2 zg3sVB%`2YFBU#v!<TKR$nW@nuU-$Mut~%wjsK4jV{!O$?yx_tp_dfc)ne)?_3kQ@# zDxkHh{@2=-v!7*ua^iA1Kb>`j=uNQSA=s%;I;?1Kka2nVo`wCw&95d}3(k16j_g$a zQY)+P1Tj83^S%Uo>PGHWr*KMpL-l={`u4)>QQCIv%O*BQ`2INad#9&keJ?nOjNtoh zY}KV(>S?DG7!I(O7fsv=4atX)4J@*cH}GD(cKDaz58p$8GkaPm_!`5Kr47CqKAzf= zp1gHE-px(gYwYqRHi?Drpu2_f^JpF5LzX!@c2?Uw;7y@^mA#gGy;qy!lh^sC)3IM9 z%4f7)K^gkY8kbnUF=C8eo2zSQ7LErG%f{l`RUG~oPoih;(|f~TNwGl@(FM;>!h2E4 znxu2<<paoPe!dGF8JWTU&MM0HLSqlh$7FY`KS|s|1pJ1t?pUYz#V~8+EXf1tLiqh0 z-*!~b?^oM@gpNC^*YxM}{q594-kex1`0a*1tDwcr_^(thPC1P=XO4|&+y6Oz-0;fa zws#VCM>keoXSyn1ke@wn!8Gh9eqyG{i7I==Hu5X7{(!}?S2OR0p#OaCN3PS(Kj+XU zpNQqF?^;Mdl4V;yW9AEO>{{#b5zC#~R}atMdB}==9G}K?_EG)lkabl2C!4WyFa0lk zk^9NhB;De`m&f(Dlz*z|faj8RkI%ZK=<#{{7GF~2OS?3^rTmhj&O^b*rRZ7UHkdbH z6?4{ct@Ohd>f{`uKIOO(p8mz)$&s0(V_+@*#-f7^aGwnK8O9x&mCpTWHZee*#Qumr zE#{bgvutwYX7;V3ZOuy?X>T<BIPE0k&5_OURPX@#?l`ZcViB|*053jx;S}fV<Z~~) zkA_*i(9N$C|F!t}0P<l!y6ofpdJo;$j!(a4F7;)5C&oJOS<?^9dnYjt4>6B++%vzw z0~+5--Kyiis6)IXKX#mN*}Ia~duY63u3|bv`gNYm9^69R${jO0KTAIOW6HouRl)e7 zn5rTDBPnhPnlN$1r^(B2>PqD0znyghv0q!XMq5PvS>!v(A>T<S@^d;g)jMnY_Fz_M zfPJ)&+0ah$?@WwJt&QF{pSh)u+$=kwQPwpkUZj#-cZv%Oag}ZW4yD(zkI`M*ICH4# zhc?Pp|AH*boTc>wICt@Xn0tH{;)8UJ<>)ccc>YCrNs8$ji5F-5H3qjZ2Kc_yQ8d~a z&+-H8Y1Mevc|5iE)6Y!C@!{XB>0jiv_7yOO^}k^ZnOm4F9t?v=joH$J<J<52Z0-tZ zGPsp8E#Nc-T>ANTE_r^m-iY+zN9S5;#yrc&%hCN3&A$k*z6DS2#lPI_$uap%qQ}W$ zfE`Nlf|5A~r;NE|y7Vl)XMW@Cgv2}g?Y`TGJlP75C?8vtdDySqL+sPZnvszzICY+I z3UH<}?#k;K=1kzKg2~$ja{!p#|0g3au4b%sh6ePRwg)^t&ixQxlj8S8Z!5?ZoJ?zn zl4xyozUUm<eQH*Y$<4W$T)|;z4*B<3J~a1F>`fsq>VHgg=)qmWk@6`c*Dy2Hmmj7r z&Jr<nSCm9|b4Sx1_8-U2G<+VWYkzQaEnSxQ=8B|xri=DH!~NH~WfwBxVl+D!Uasm1 zDL3n)O8W1kj){r7rzX|?6m~B9@R0aI_6|dboJH-oqDJ2*MyWQynakm&zIMG&wl`~T z*y2MM!KRy8Iww|%4=KtI`1(Td@qFfw%5<LbbDv$KXW2aC=RPacvs|9>bDv$VXP5De zpZhFN&t~zApZhFV&#vGZKlfRdo-N`TKlj-*J$oO|__@zg_3VQ@<L5q`pl6GD#?O6b z>lwDOC_nevd-y?=$3V6;_t{yV36E~Pq2$VW_(B&P!k35d`MKY}syZj|jGz1LxSkP* z73JqX`!7AahG+cTXTQ?3c|7CiK0C&<^Whnp|57^6<|%e#;LXrOntv3_aAs4q>3Qav zdSXTnQHSP_x<t%~>PuexkKF$XJ&^ykhkBTUw&_}VocM9>8_=sN58+34?-zSx|HXZ& z${ZS}__1x3yFvrsQ9r&z&R<>ILIb<FntC>lkCDH`xxalvjPpmFIu}oj9dYju`C^^i zn>rV##E7lfR#{#;fUw$Dc}wZQ*L3|v>A(ZJe!6s^k*mQ^(z&F!J31q|6|Kyr?Db%c zzc<C=>@w!309V<8v`(_f!&tx%yVg-Z`aih|*6V$~?JINahCd#*8?N@Y4%CcmeRr;7 zKm3ma@{d?YIUgfNY>Z>SAzmo4hd21HcN}{f#s^P(Cj{?6S7hC~FihM-CVrth_7@d0 z-%Fkr5F6_Hex3a=$~T-Dlz)tMV(>1$lYa4j`tm%oxrKG9AD?*%KE3>g<|b^sd-JSm zr=rLb;(*DCZ1vql-{LQQ@rP5--Egd3aIU%b2z(w}10JH^{HD>{e+@r~_tCHSwmh-D zJc6Bj4YoGT(W0T#)T=eHP219;_E3+rPap$(fcEX=v=x|lnZb3yS_y8$n%4^)`zQ8W z_B6~SW<dLkXBgWhbQ)Cs>d$G~jd)h>Z>4QFX1Q{)bu@?Z46k-#A(nYr$6;glD>oE5 zE`*nr^aH%d{tkHFovZULZeS1N5^TG!jqT?~28wS}LW!7LbkgKJC@Fs*8hDEKO+4=C zck3?lZtX?h)nE9XWX0ryX|a@U$CenjSN3y;XrINH-Nf4SX<*r$@RM#%@{@)eK5f>l zH#My6zfhTF4OUF{$Qo>z)`Oveo5Ak|=HE8X4H~FQ$SxnUUNqE=J`=e^J_Gb?a-Bg3 z3oGw2dlUBh@MQ!0!XM&yspQ)`ux(b}HS*o}67L?@JL>sv;{R`Rjcjyst*Kt<b7ADm z_*w?MNB>3d?&se29Nn(_e{}A@p>O%-VO<{z4a~z1A>8GFySsLci>*ZtJrC_fJ;I-} zr@9{5+X4PuSii!z9X$II*XYJi_jmHHp1iU3i85jOb06<?j?dPOCYSW`uY)_$_&T0T zmW;Md?SOCij{NKsO`KFd<CgOG<6{Y*Qd;s^&BQnw8iy6qB||L!M$1?6p<ADPFWvBK z<kO`l2U`^QbPkB%sYt-%<~{f`aE$P6jRi+HXUV4w^ThIt@WjY>BY9%vyOBIG^4&<D z81asN{-r#z{4d~%5oJd6#1GL)N9#SUtO?D$iEmA?$e#y4R97+<Tb6|eR$#}fht^i$ zuWUiDx0Tmru_u-aO-gR+-5tE!16^sXlIQ4uNSrq}Qg5)^j=^J+*O``Vbs2rDXiMM9 zR-R$W)<+&Q#(ph(horY_-GJWJE+4pok+aWb<EzA0uJ;pouQ)<<zpmu=$BqMbd=2VL z4nCG1bn|yMdSWw(*HIjy&RbCK3FYeB3O*X)p=!?7tFrx1<zM|&6Z-aJm7M>|Z{JIv z>3x>t?|RdJa8@h~v8Sx^$9m`5ty+8D+u(^k_o2}K)9BZ#ZwokLUHDiBIldOq*M;lX zlH0kVJj_~!`33u!vu+n&_pqi~3XF<J_nAFGB`@TCio99KDcX6~?kP&-ugz+k0In?j zK<0Tt@z8UN=ON}JQx9;d9%IiK)s{Qg9YbG;6ZeZf=^_8Q=1#%PIA@;Z89d&(;+($| zKh{D$kJ6V2IodT=vNg;H-rl*Tt-{GF@~DHmXN5b>p&D;sW1a2+-`J~wL*Hrb(SZ!O zpK__n)#Tv0%y-q{rlnJ7G^W@oPX!ZjNQZIj)Ot;IS5ZEN@0QvAGL`oMw~sMOwNsy( zoA}P5i3{gUFmh=HcD6)5BjM0<>H`|fXKnkhW8#e^)5wj$xl*5p&NMdj9l2%BS=X8C z>c3(FchJ7hYZN|rSl0ApTFlG$K0n7}b(r>&^1Yb$Ruwz#H5A9x7BH7DPqcL!JR964 zofGM{kxx0(MndNso8BE8B7V4|%K2d0J6If3KiEGVH2v%;juE#NT#`==3w64Cw%+kh zXnU7D2-g710OgC_aWt^ZF#V3dU;8&_w*4NRZ+P!kb};U>$cdSySjnInYj4R5iq&xS zs6OO}=~si_tjCkTb-xpR$bYClUMMI3nB!OQJ_nzr?{mhFepS-1_uvQhJ7bLTlN=FV zWy>{i^$h!@lE-n(_8JoH?R=l`YVcT3d)>4r`k~WFW0-0122O(Yw5PZ&(_X2A2R&E6 zliN&|pBgXE!9;sK!|m;$J?$I+i`%m=*51f<m1(o!{ibi)bFcsH()Y(iFCDb|9om%* ze&L9II<icBp+4=PuZj^feJya>cHg=EO<s#Rcphm7R~)K=rNO{5OusuFSVGv}Hzi=X zc??*bvoIZc90AY4Asd`Ss|oxk$I&?OjFr!54E`$kz)1co{lE}^)dS;b{<;O2|6lVL z^XOKC>z)5E_-hP$XmI*ST#h3{c7DL22l_WFL5KLj&ZB$$N(RTGefg^-8<gKm^geq0 zH#7eR56+H7p|@1l2jS9jv75%#cd>5mlh5O|O<!$d%^EBFlGU&CY!vUA4?Pa)n?vW5 zI%A|<MRD|R>U%STxnJ|*LgwhT%>R|x2Re|oW`0K>X-S;LQisi7{sB8t_gHX_w$qCT z6X(IUi4NoDOpfO{lOwzD5Ov><&oP>?r(5(R6FlstZONbygA2(h%^{jQ_uZGhUC-r@ ztKgmLCLhJAzfHgSon6$m3qOuzYP~0;anipzeis8{l8-29ZhO#o(4hzMobX_cACHa2 zI@L{%1AQml>3JT{U0jZ}j&l2`eLNxTm-3l^9DLrzy!<wOiDQ#^16!>{I~|O*a8JDp zw6>Q0<siD7u9fIB!f!Wgi8Zs>bH^IR2hQ%K9@%Z2dK_5-uFA!?)Nz!(m8|hI`x>Z6 z&xJ3+t3Hfgw~RGDiqV$tSx>vS0Qa4=tM)n#+~>C^7<*{TZ6jGW7(DvN4-C`Yus$I? zO-ty?=+a62;OGtRyi*BoRJZz}{-__W?JarTq<4Q$d;x7ftGMO4=s@=~USa=@#2Wja zT5<J}CY5=BGU6>$&yao~xE%ZbX>?rqQSw>aerl}xvYh%VsISr!YF}^aQ_R9}j(zOB zwH=IK-gI&b>G}cA`2nAK6^`#C?^fr3;OUZmUU>4Y3dF1ea%(03ze;&!o%hzxfQer= zIHjy`>cVVd2+;?6R^!{{8lj(6{1jh^Udo!)iAx`9$F^E6+io2mmyvm8ob&#i^#J39 z*}J}LCiTtdw`U1w8<K0}D*7WDZN`tYgZt)m_KWD6OP{%34&2Sx;E&X^4?5?xMsKl} zoBhvD96|6$z{Yuz*omyn$63oJ=E{BGC0+4H7dl_L6&?u7mgHZ8Kh)PK-2|UKdxbJ< zcEJ0ErLupe82_H+;bHXmGS*zKA9@1!%1v@T_(qnLAD~b8HoMk9YnA-}JN(mc(+2o@ zc7}~#jpqSuO{vh-Qy$+_w=niEO<)f&{QUy9arG1VS>c=2Q0|-aTy7M<3UL<$`&mOB zU_Y1erS(ZBeVj?o+b8gYq;Vfj!*|G8Jmx*$t55#POH6!bN}9j1jQ^|BmJEcsZ^O4E z`Hn2Ez_&KAj6S|g9|TvNeQYl5&jY())7lX{DwZcl^(!vyt&@(PC;3BLMo*U<TE!aD zLhec)Nf#OY9$pOUo%+dM%%Ohz&P}ABPXBhkH(2po>Yqt}j?<<K&tt$NoEH2iZ4deH z9bS{2?*KkDwcS9uHT?f|c;R7w@)dP*Ml|-18VfwPyr5XNHT}#@`*MM?6?_D;oV@fp zZ^*}bPGv00e2dt0vo9VTMDaV3Yroz7Ugsq*qwnE{VSktVorTXt_j$jb-@g|hn0!{h zqc4K54)}xz@lvvkv-or85&3syH-3~H*REeO3s^1uI?xiiEpBYbZeO#Jv5;TKJi~`N z+DGf2p%Jok)5ZV)lvLlxx!1V5bCTLOctvKp^5C?0T-zS-BOAp7ly~Vq%zX!Xi0MO8 zOs;&HcVge&!Fg4mf!6ER=G;+=OxM`RxA}YQ)UU7(dKo?Q1bPj&TVuD~fvov9XERAg z?4?`_IEyn5TlrOa>f6;Xw~xtZm;~`#nKSif<fVu47gi!izscTu2zG(s5T0KI@8{>Y zbLa+{5$wg*P2JDR$4xwBo7!UjFIGD`Cq?I_C|?peS%MBe$=8(Lzvxa*DrbJJE?^8K zD-~Dqpz>d&n^<prvsu-p@T$%js`6x|l%$1fIq$9fR(|z750r+;*^_ohCEo`cocns+ z+ok4t1NTk9Avr$Z&IrCiKLVBbay`D3yz!H28=#MG@Luzo;H^uUc1QjctD=*AwDHM* zb^Y_i%BEN?<;X4e_SBcpm`V=037&N2w(sWK6zfs!;VCs8w3A}(H}?gT_&x>Pb8fC; zds``|b2$CTS<VToE#NF=$?jHSk#6UzK5Jiw_PQTK=R(h^t$eEVp3~kfx#F80^iwe< zn#a1iCy!^X_R!|pGip}xzxo#h{>9Yg*k^KrcZ#-%qZziN<OKhoXVM$h=f0Ojx1sjy z`L6Z8ycPI`a)@0_KTIAH+4sda$0_5|s^YhLUvl1QtW<9)GFmWyB2jN8vPig;%t~&T z<m#r~N@UUsa{flat#GM+YyJ@)g{K~_aoULUd<E|nhk#+GeGT_ppkc|UGvH|_dE9R2 z%xtx-cpKrUeqgX7lPw$QKQ)ukfgPUw%j21jbbyc0MC*+w4#2;OI1}R!cl8h->p1e4 z(LZF^9a>Llo%bUAo3AmU9~O8~Kk~V50e3mXKYWZU_8ybZXs<PWQ8V;aNk4tiiu&h+ zwnTfJty{i1WqNvqnD7#Nnwh^!)@K>IE@8ioaD=_HR<ytx!ki(v6ntdz?Pjj&T&uXE z!(|e8Y;=GUd%A(8#J<E_|26?rkZT0GhNexdM=Re6hC;520Y9*qzCf!7Hah2(9XRBi zS9ZW-*NV3e5LeLwJfBF^m!0V2B<k=Re(={Q_lA%EBh=~G4xI4}B-#Qe<$m&+M80De zDwck$RkSFgydUhBiGbt1_PXoC6RqjkPpd^2k`4F&8k!#O$c4OuP;EWW%{Qw!%aLy~ z?a(44gNm26_mU4RXlJKXTSeEaO>$(kSJ;2GNcm5y)pvWsyeiryhevzZo;FW-4-!jX zJw>ooE{ZS*laqCxa-nRsBIY~4J<)u#)e0p3A3slHxYf!}{6EgTmpmV>+m97PcMUWr zdz<J^e~$gcr8g^x|7S?1N}dj#IfYD>4E1r=?p)#x>ac^aVooj_SF|W010K4QF@av& znz7^BjM*!{6CEN$CVR}-_VK^?KO6XGfgkp9u6JZmM(~H|V{vi=Ne)^5Puz15Ji9iK zsZ$+(vzU*Dc|0R{8|_K9gq)Z$Gp7x$3&zZ^?3`_ieh(ix=Zp+s_md6gIP+VNcU&<3 zq!qh#aB$m6u4hUZr#Ye4zSZape)6uc$0#z#YOVIOU!DFvV)|#!6Cp38)xIauzxU|h zABoqg=b7Y$WY?}yWn1(=c2nrJ{g0X-z{klClOGP>aVOvDUC)*e6~@chTa>pZ=qJw{ zd(zw48>fA4T_<MSCYRcc>|Y2-ujp}YRx^z4_}!Wt3tvvXp-{T@Amee6vFg1()IJFr z5E!qyWKxX{U!O)#b-!P<-b$DK`9|-|pxSslk8=iShg=8PC7gQQ`ZNb@W_~xc&-^Po z5xto6$)J_w`F$?%Rbi{wJReBd>pw*Q_tNjTIls-ce{h1abt)%@*58%v9XHRD_5{m* zSj2Z@wd>CL`aZdBwOL5}fgX2{K*<Zo{zxn*^|YYV?EnVNaShO0e04{07U!XAF4259 z{Or<sl2vDTUyq)m^L`gFzJlYc=pWHU|Mz>WdBQ>eYOC1AgLp>oCxM?LV7Z@f$_$=r zII~tf#o1u5SjF>g-y+q03ACs9LKZ*^^#7rkrE_KlKS%o~p+h~x?pti=a+7W7^28G5 z)yoL>@V`r+KV*MOl(MSpPU@1cPjP|dG~M!bU>@t7vfd>f#bv<L;+Yt$0;bWhUd6l3 zoFyM9U9l|4o<U;5%2T1sh@G-5%6am6UVn81w7$lkzDT%HJ)`NujaLfTGv`IXM<;rX z-{>&R|L7OQl_coV884R}3@s#R{NO!Sx@g;_Q_-kPpOOcn&C#^eMm*S`g$Z3$FbT)E zGQP~|IT!jy<C;$_m^0^hUeE>~NB`_$&L$Ttdh<BtP(<GN+UCIT8Rw+mCfglGo~!aT z_Nql#gIf5;wN?;qMHBk2=zT~w14|H@oZ_(-eHOS)-|dv4SiVZeU%HRx%F%ccPu&Y{ zGAyfo6IXZ5LV0t3;9g*meAN8n%2tcN(dP&5gn!l~eXsq7Iycb3>#lhim&BUK=<Mo` z%eU%_qoaq4mm!lbc5dJvctrF2$CKJi=bo`JHUq~la^bj~o*xnK@}%deVrM#;?>2+e z_raqxfJbqx?%C__GIr~h%xZjhK6^T6`M3AynDypB{91Cg@H{@#8Zfe@U>Mg%7oN@f z<%AvEz#0^pJuo=Y$>Ag2lXX`4X?#K{it+JI?>l)V=f~!uyC>jKUN#?a#J@YCbuN3E z?nOV*Ugec`YRx}l3n=1y8(n_x`ba;qmE}{xTjb!?jlHv`ZVwKSr<k$UKDGns{AK8* z?C%>mU|Y45*#G?uzE$;2WjpQhvEV?c*njwB(KVER!Jb^!d~i`;Bl||;t39y@IZ9OS zB=>#Z$-%1z*ppp#((L~Wvv>P@_&OEu{gTJ3y&9fZ9;VmyT~<fYQu5xK{f~BbP4sYK zQ4MgguenQYYd<kL(Hl=*F;#oyVk?OO{|I%d&B5K?*0Abi-6FlPh`1+DUFg_}6UrAZ z9_Q>~^6HDnE3>e>kk1ji&8+f-iq)U&!@WhFtk;_l2Ks8Ip%+un;4jCu2B~W)zgyEb zJM|$ilzT$;btmd$?N_np(4t1IY2@eDnb&<+q-_5@@-Av$mae)s(a$)~su>e>o-XAt z@q_b79`Po&FXiM{JjD^@VDBbRv2^4O$ZnM-kNpb&uj1=kZE{EFga+;+&h90A^d5ZW zrXFx7SY{IUFMXk&wV?L*XdXgOV!w&=KEr*_cirS<b@yL=o4&og+Y@tQuAFnH6wCM5 z?0XiCXHUX*B^|+@5bM9z@i9v`Jh4XeMs~1=Z{1ue-G25B&L@7AwO_TzR~Bb}uCTLG z-<pap!+7q-r(ZXhxe;F0{28Bb5fA6oE#1Mb7r4uNR%?Cf<afzu-Kn~wx>EO6#z}Q% zL3?N53*iMjPv0(RH2&QWwVouuYzX<QJ?YJyOYi`=hu#bg9Tt66oi1WuW}5$CVPhY( zR1F<H#oV?MUq>H$V${w|CD&Ga0XP(&sE#i{hi)C>5z+TtJEc)|>HD_C_o<Xq%!KGw za;bL~@|E|?_<u8S_fl_PFm-zb+R$EDjk(4OJg~QSSkLGtpRMp1U$VHk1-?94GAdS$ zSU>rEkVUbd?z?!b+F1LOf511_2C!{%Rs5c0E3!g1%SUAsVGokAza-08+4hl9<!cwu zYLvW{?f!b=hIcXdzRh^W`F)RZJ+*OT*U8n_nf)KPgZnDzSTt2q=;%ev`^5$1v-H8k ze&hl6h(6_b&9bx0dT7_+0(u*wi6x2LzlJ6p9WTWCI{uYVA^YXq$uXH4pQv?cR?QOH z6I{eMR*Z$$p41TbA=!vR1L{A0Z(Iuw#@a`#dCJ|_ea>seZcpIsi~komTLix5Fy1b% zj-H3B(E2sn>ott4^~8{-`PfhBXD_get6p#+T+w&4uV^fs?Ybv#g~LbLMlT+Xvy$;y zHNu;Vv(^6%oLvbHhGQa~SoL%FUU=Tjp!~<c_ti<bb7^h#TrN7hD?ww#J1FK9{?6{h zR?%Jz{${c7P5qq?jl2UMo`B}gqGxEWb<#UC7AIyx<+WcM`96ftRp=QrZEJlpE}w+% ze0J&)FMG3wWMW%G`OC9s#*R~;=slmgbO1k%(XELGl3nL{(H~{((glq^;&pam-!bxQ ziR6|O!(s3ZeP$w0@aNUwLkFImvR-g5_>Ke5F=T}qyJX%^(5GlsI1`N?*?VywmtHl( z-idzU_+f_E=X;Qq3IA!3{WI6~(0(d*b=J-88C+fc?JDSV5Bqk^_$2o2%wi1~LC?rR zzd+}Cv`9J+`p!&bobTSd`wM5!G<xJo^hoJ^Z!mv=r}Po;*uy=5t<-JjHSX26^f4!f zKzXV&g3N!$Can9}#K6g(>!VC}qI^85j@{fly4#@(`g<-$mtO#{gI?R{bD}%#kAFVf zS}-5m_fHe;J<YWfyBRRFe<ji0zXDG}?|St8;37An|3&V-$LwP|i@tY~y+#$UbQDMb z<keX`D@w4rg~9pF=O$hsM(1w9F2fw2uz_X=7cd6wjSIfV8O1xu>!7;KeyE;~;-Ig8 z(N=T<oe8Ua$*uS?hThW#8>&rt<zCk}0nH~36Jq)Bi{z-*#TI9hR<QpQyK!y(Q;YBU zKDxmA#S0s?-&8c6&5wMX(B=$sQ?joOo7$NxLhH1KEKIew9+;J1Q^4Ha&v=k*ChaY3 z_6LI4hvBmw@L)b=lq))Kp<^4(oQiI!x%xjng@e>7dRL5@fi0Qdp-b)kI?FuX3;z(8 z3q9!E2I(%@!As5!Zqxo2^;bAu3O){Vmd0D~Aoe0-$CMwj0J)I--GhH}_LU|-dy!}I z_a#3o;u&+ofc!$T;e^1MWRCb*GRMH1n2$~zbMw$A;_Qg0J+D9Wt#+Ng7{HHw(o6im zUp6~yU@3Kpr{fcegT_X|9MoP<AM!G>kAuT`(3Z;^bGUC|JbcjH{|0A%{=c2;(3nF% z_gmNpnOpO!92@Q|%0v@(p)BsjTjYty|74fR2BGyPv>w~P=i;(tth`pYkvj*QW14a) zbux~_`61S<%eT|g-TE(<55kQzcIqFJOKq~1vcGvN=d_-}4`+M_y$QR1E7!t?XzmJP z2&z2Rdb5@s^1F`}H{{gI{`a=itbb*zQ+%FcPZ!~9)jqecv;Sm0W81{<UFsJOBaEZ; zW$>LDnc(~nZ+6LE8sV%S=%IF&x2Xv|+4!ym^IE~odIH+1s3h*)_&n^HHLdgkd*7+0 z@Jb5)9-p<noc-BHeTB<{C!uxhee2_#hm&%1_Wb*=vDOK9dd7KDv90_vtc*sLzxmz4 zeQ&Ye*B-jl_-HNWC_iOcU$Y0tTCcOe^!!`cnZxX>26pXVd`LLDP+T8;-gPIxhxz@b z{odtyc&Ojh-?b>w?-2fxZpKC9Rtim^mmAo1?FBaEHl~xo9M`{DkIY(WDK?_M>l*sO ze7q1EEtVg;q;kd`nxAd{@7Mo-lXXV}{|70XI^D_lQSyOlcZg4f&wz4-oXe~21;@)& z<`UEY%#uLr9i=>rpF4n^(ylo{`D(qttiJp;&W#FWVyDFZzPT#DsNjneR*<9RDDkKJ zBDSqLrZ}W^B`|7E()A<f;Wp`f!BKHg*h5V0oaT_-^v&?*^Z1J%Z_d4f`X;eQKcsw) z;#r=5AK3b!ohtBkGjbqccNo8(a{ub=rViE;QPuOul|>e|vMlNVcgopE4s)N88Ky4E z?x3#bA0Y>LzlwX&iSqIHfJ3(o_#Y}0;-0a@?tOlI*s!17iSKgy<!w97`1!%dG3G*G zX#eT29Dnc)v_+eH!B?&PP2mpCuVIZ;(oxt4{1xv}ZUwo=#7l2cM?e3&b?o6@^Zb0? zWy2Ho#68?a9e08g#sfc-;l%|O=U0hOe3WS+|J>qn)^fEc-`N4md+?DrctY(byyLN# zjSGGgJC9<ckh=?7;U(c#adC@SdtgT{%6kQz@vRRy13WW0`k7U`6L_QYxA2_x8a8h$ zvl>{!e1D<y$X4;5KD4zxYIG3?r%7>QE<Uln9`)hF2w!F`xRUEcu9L87^wF18au)^1 zh1!YDFyrduJ`Wtr-p6;b<d}iih_%!EWza^w^}*--{-<&SJ5y##M)}6E9wxUvxZ_*@ zdEc_0?UFsEdAyV7{}1p)lpIv_H<q%lYJXWnYTHK{Bh?%6|Dp;0Sf2XGl<nAlk4<iv z+^Fvq8y4XVv(z0{q1p^UM`ipX$Z4nD$>+6OhtD9IZB;yAr<Rd3yN0umf_>0wgmtsp z4s*SR_H{p%>r3|3nuCl5wxH!JDUZEpc^mDD1{U*NYw*dL=-}Wkg>SA|SG_;ZIVHMZ z$h}}nh31}0>-dB(Ygw7mzkszOtufcf^K3h_Y^!MFiWhP_3!clp24Bd&S<mGTV$VNJ z{qadoU2~}`GUtWdEITVGxy$*|%jZn)zy3+^@f~Yo>Pyz7nik4;vd=-Vj{|nWi0)8+ z2-ucFx58^Du%QbK2)@bG`7&#O=V-r|b!gk17n&XchL`Xg1PY#O`k3u&^Maes1PrMO z7$)13&EB6k_-09BjQ-$%vgu@9=!cy@@os;Kb+jM2&<)8KSNX$E+t=uy<K6xT-pBdj zkL_!r-tTet$`2@4y<y7s*Y&Q!-=^3g^}EXQH<qw>4ExB@Wvq(|;gKoKm!g@e^yy00 zKXJZQUxV~3d^L68A4r8B;`aDd=$Zb0e*YVckH#%*PcEyO)7a!&ch&wudt%LO#;~sR z@;=RtvaP%d4yd=Qg>SK;9Mkt<etznhyDqZd*dzHaP&$`=3sW0YsOMv}rL~k`d<|LK z$#)qI8I9it-#_Q~nbU(z^`Z7gU^wYb4brz75B-M54BUC^3is<hv;~a5nkDox6@KZ% z<RiGJUApUk!ihIW|bMe`_=!B0sy%e<u6(h1bE$A7j0-=_=*e4t7tpICD*F4sYAr zFM3<MR}+(kuJWdjoE$S1>%g3rW~FnkQtc|nhJA^}lA$U$nLM;-`TsO_pjPJo|0Iq| zbnW3Atyz)7rvjYC*}a>5_#UhM3F@qRXYH{<)-`p%2>r2AG%`0t-oK7TVd9xQr!J4Z zguK&vY$crUdJvmVgmP-v@Dk6DjXKXNN;}e}BYzq`&nm)MRWDLc9&&64W32cBOV`PX z7)ETNJ^XLlTr~&Vtk!%p+pc{M*}2hLIG;L^^_k{9dkCcqnEQe`u`}+yJ^Wn(--YU} zh45ziAHBfxPUs=o+2YvEE&Fr-l5%eCv0ij8*@RaXhW^;=wTdTsy1RsXALp9&dcWF) z|Ey7cyoq0weeBB$t@H}pm-;j~o7VBaFC*3={qujSJT|~QHL%BD_zCdr_pG}tz&_r* z^?AfrY|d>)ww!^d)lQh-T<Ym7BQ~#VTJ37=&GGq{$&S&kI3S;AM|pqa#P;}>iS1Vr zbAw&6{59UcKHrYD-d4Ro%1<#ZrEV@ja99eBMxUCtd^5kv8^*7=61wmK#{_#~8Etk2 z3Vz-+9@_1tjtJMlZIS)xPUt+?cfE6he&k>{YiZeL+h3N#T687w#=V<A(Q2ormONwE zPHMo$g#C07d8YY8=g%$T-Ali)YvIR=A5iDh*vy-e%k}6iQTQ4eusjdn!bWK1B<+5b zHYNLHcP&XgkMrDjn<Eo_>bpHI<*+?IC1uXfa{~qck-H4J+eew|+pgNLxkmMiHv7sr zTbS`4_!#y*zIz?sRNqQ&3+&gNori2uT)N)B4W2c(oAoRA-=O^2nV$CkJWu<tc^>@* zc;ol~<L!LB5ks5f;tk(ePV;ZzTj(ynX3j`@{iMG=zS`gZG&X+G>+8J#1LJWRT5U<t zYmd*&*J&#g^tu_E6JPnDJJI22+VewmC6qmRWpnN=30m9C*t_uP428qcT#0lQWJUn` zaOq0)wk$zcg2$yp(NZKqhoYPC`e=sptZ;v!zNapizGRDV>8JC{=(OkrYwsJsV&i@H z9g__0-ZM2e8J&(;oOJPZVFCI6kS!;9ewI0J>1_-4i_Sb7?mHIm^S19||7-UeUu@-H zO*|EWmwG5S=U+MJmVQV+MAN>RD?SuoiWe`46J+QAr#RX0m*J!ZoIC-JHWoX1!=L)W z;5PpYgWIr^wEygR*~}NiV~g9vH(S%cUO?`V`&zc=GB@8==Uvf0!`UC%iHs`Qj$YdE z&0L)c4(~26B(L^-zpv57@!FJ7@tspb#T(zg?^x86l`35RfVQfz-3H_zI{4Qy;d~eG zZNI-U<j-vU<s*aJdi$2NGoH0kY?JXf%s$(NIpB7XG5HQS*Bn%jPx5Z`L_g2bVUUNu zw$~Y>mfLFf`!-D4o>E%a*mm38{mlDmoTFW{6!;5}E1SvH8mE7G$j0N6Z+x>9*`sGU zl-0O@l{VCWw@tMH{bmv~Q`-VeXUS8gavAs`XF($#_W6l6L?cn^6n*?N{qXUPi{o1Q z{V2E%gEyYH*CgS2{=lHgf7FfL?#0Q&eH!jh#s&NHG~-x8{|28J-yVnGbl*q&>euS) z?r$>xb1yvKp7{Ur>$c@GXVt!vz8Srq9Hsoeg`M%UxBl(^39Lb0vVAoNq4VC;*|AP= zQgYih`{UGq9sQB6__}wB@;sJ*2Aksn@Mtk_9MCuPJ<d0Iw_UwIZcRyL9!cxvyPIzP z-2NV(&%N~v`(MRBG-!>liEjALc7N%$jnTiJFf)h_i2pbB<V<|$w_d&f4Pug{AI6`! zvE3$)>soYEwbM;JtJ>L_)J}^jH@^KO^@nf!!hY4cl=iQc-pco?=UVnbo9~f-@(;db zkE_|qo?G#{%jf5fA@yA~Y78yLuq0^=-$6%lc|~#r`~QMCcEF|RUB#RSJn;L$g=eq{ zhT$9kotLc$PX0vd_a>y29U=BKtT_8sm&edam!}}_Qn2B!gsvqIU!=dobe-}S(KY(t z5MA$LJd)`e-b{-_ujDQmt`~Xw5%RJ`4Zln_^mYFbzhn>bOJM=^GG`lpAtpic+3*X` zOufv@*f281n{jCI9dA}yxUOaUbnu@;zwb_x7lTcb7u)_@@?tk~_G0ql$?uOXFWkB2 z+t94!MJ4j$meKNpzKks|hWk(4<#7KcFOvG74PK?AG}4CV8@EmIRFr4v-A0DJjl58~ z`3ZS(Ts9TS3+kerkry%gfm|4p7oVZu--5ov33;)S`?o*0v~Wd|tYCxi(0EG6bow${ zRt)#$86zvQlVnA<BP;mUkrn*U{jjXauDSfWhmEZG8L~qCldSmZ2w9O`(<A>p{K977 zv^-?R+wi<>{mHW8OCw}O_J2!Obbj&s$cnj*omWjlR$Pm$n0lV9csn60K9-Ob%C~)h z*o3iUMIW$MAuF`r)jUy+ywKWHbx2-t){T)D`RF~ayl6mPXbcabLk!6Zcl@ZYVAS}X zL3S)i8oxJ=F@Erj=p+CR!{9@*qL6v;EHM>1uMRHs4atdHQ_Ci%lr<h7ToBManItFf zM|Ma~?C2S+c(`Y9X#8aZ9j1ZN^WQKHER~!{@bfIz&STN@+vJ%PtZ#AU947R1=d9a7 z=I`UoBYM_=?jZWb9=f$>wJ+99{LBa5CDs>tmlwd^#ynYwP46}4)hgCzitSiKPSK~w zCDAPN(npa&4&6=}HOEaFmO=FSLUXn&+Z1o^)w<n<5qV@_q>X!kQGKXq-47hg6>FvS zwy(oV!(US@xQIg;I4Pg*c&mLcIW)C4lnvp*hnjO!JSnO1+4$SAOO%ub`($q@ye`_b zz@BMhAr^AQuUGL0aQ35AYx+m=@eRpuaP&-yb?ex2cFJ%cp<8!cj9$Wbqvh<y#-TK6 z9Dei8;5NZB8Q&dt=-}5p8D%dq-@i&M{Hydgvf)SD2U%xLg68kv;9U`BZt_pQDYa(2 zzpVP8l@`7fM+MKd{*%4>RjWBy>%Ry&(czEf2hg>9n3r2T8AntfIlWI6GLC_R(WVSL z!{DUnEOBODV#2ZEO4m5ee%bh@ko++VWansSzl7|=*i2$6@XEz<GRa@Z*vbadg>Km; z`%J@L><Ujck>1L(o_YG|r*$3P@8sCGwf9~=BJJH=gI$g9%voO{Y$YFoA6;9uk9%kT z(@2{+_UBXe=_}rW#_>O9;2+9ryYhSB7CEZ3cBSXO3*QqvyRSG=pX?^h?33LHeirad z_VEn#y*IiXd$`uVuHWPaa-^2>bN6fw?e|E^w<+7Q^13(U+f|%3XE6rVr?<W1=-2q* zBf!>x|6aLJa)3qlCvaY?=g#@T*==b&$JQU*3-52?r+5g(1Sy{T6~^FYd}o}Yhkaf7 zC#DA#Ut9df;5NnCG<q^>A{+8D{Oj}5gOi~R`fS<v=gK}NxJT!mG~<wzuLE1#o8iYw z+vRI0pgrk?mbI~K>0@^LKXIm6CH5_i=au*$BKQb&maLEY(K+)rcf@(JIwRH(OwPOP z5$_^*u)meM1Ycwp=g3l*&d816M-!Z`k5cem%#ODbTn#=sRr%S#v4`^uy>0J6F9(6C zgE8z(#0%WZJ>_Dbr2NHbmop;v-o~%QXPuI5GeBNB;r?BCV0u;d_A|46u`_R2t+K;j zFP+evOJ2<vnu6FWR~A^O!pPA)Z*E`j46EXpCl}tD-uD)9Fi~W;v)9{+NlEOBXv-&W z2>ylIwTHGg9b=EX${(iPKF0VYKF((4;Njb^dZr(d?}PQx(apqgMyrBF<dacc=Dz9P z>?3M3iXX5KoAjgLJbbS7SjL9z?QWZEfkk^nopy7F+I@h!U!$!)_+zCv)3jA>XB=^2 zKs$=D1sx6Jm#I3HS9B9?x%D}9>HNl#b-8e_BraBP-{ie8+~?Otj@Se~1eaUaUxI_v zz;VXlE2FQKZyj7_n%JX}?KrvK-FBV<*YYj7xDW8{pDT|Ld+;p0w-0~t0Z(Qhx_m`s zrSbtJk1cud6MgwUZ5%+xcv&kreaa#(D$C&K^Pa2=jw`WBeOuGFG>OihLJqylUQgwP z-9>w6X?u{i(GMyDqQj(|HO?3lpGW&0e;Qmcnf@7=%{RH`?9TJyb;@^BUhVk38Atj) z9%_wya*tpG?K?s{E4?`;cI0mO0XmG`JKKu=_{&zm_<?zg*s$q+f)#zM;vM8~F)-_y z=ErqO-|R{HMs?oK`+j8DRg~BFqVav?O6dEz)k+&j-z6?)?(xCLe@q;~I_P^g<s7-- z%p1u2eLMJ-!uOgp)ZcFW;jC}>uI4%XRV*Jp`jff;@zG(qa3}ZfT%wqB`q9?QJaiH{ za+75psUxnS2l%2@eMJ%Ytp#~pC?13tQfO!BIrF5RSJ5W^jHAnVk6&<Kop^`%0o5bj z)@Rv`dGL~z!nswzB-kDXhHzrtu$=o4_rK+xJMUb<9EQ&UpC$W?y!d4B(Umk<r|`WR zziA1wAg{rR6)&{NBMXeLQSNHWa}MLNfS>$cRi7_v!)`|Y^I+j6p`u9DRYmxe7WxzA z=TcVRsB9tMR8uy<H|SK=4Z!W^8<m&r2bP#0nA~}Ahw-;sxED0vD=(q;Lk#5|VBX_Q zS#a^GB)sQvuevUy{0j1*nK>AH5Bn@k97^+#2e-XOF0H7a7#;LL=AEM&*BY*(k7mx6 zYyqx_t@zzZ=G>H}kWa+Jxfyoop=yu+2r&dl<GT~*Z9>z@IVP2tz}*XRvH9gc+Q2<? z`a4T3a^8#!-e~CDs%73Lca+V1<6(ZsZ{(d2JnNkpd>xpac|5D_x17D0XJyo6U_;5+ zu_gCz`VobOb0%YBSQBF3Aht~K?&bxR-c?F``w8ZF&F#$V!R_Sy<y_L>I=&TcZvqFt zy1FfX@&=UPD^zaK&E)#rflcdT`9U93KZq}Wi+-$SZrqG7O0gA3@%yVU&q24!4;tn9 zR&tm~e^iXhbE!HfWI8&B&IfVeLN6#6Y-@q7gY)2$^%J)*P8_@Py39a7nc3F+x)Zl~ zGj{7@&)+Os#PxtDy9VD*#SQRuavjP)I{JI%F*W<3@Xr?mTg!bTaq#E*Uz_OvY5Kp0 z{=4~6WAtCT&ap)Q(LYAyM?FS7(MZ^`z=fL|b+~_z0pE^<u4eZ35jQ6tR63_{Mf}r3 z7dK(>W@1=*Hdb!bXR+;Sj|n`pmmHWQa;Mgl8>W-@iUnK=T}rRJg1%i$rxAXIQ{{6= zZcnzlO6uE7eXsCtblj@T!=itk3*7^rbk1!*G=J96{5WWTJh3(tf~TSVAGWhsW)uD* z=;Zh4r>{W6=&H(<Mm&hlb)FuC9@^v!MTT#SpBVcrT=hx(Io7$-$#TD2ahSxGh;O=C zE4lJ$EWI3jx82OX_Av8H&cP|fM-e|ytWwmIk?P+NPTiH_<R@IT!Or*<`nm6oFCMe2 z?(WxlRr!o-rPaUaIo6`$i({;fiEXdBnt2_WZ1zI?DIX_iPoOHY-)Hw<pBMAi9+KSL z@Wm}bVnD+Ub7J|t)A!=zv2<})-ZOXYOM7;Bj(Yl+Mpix~UHUlvKpsA8jlXe#|KALh zdQE)3=uEMtE)IkzH{QjqS9~s6yp{SDC)0&Ke>rt-G5=?_&4Uh@k232vT91XXN%~~V zDDcMaqP>m@v`73ZGJtV()>3M(-ec`kxh%^4?kV=mf-BX17Jd-k^qszGA>Wkyopi?? z=-66&y-44p$U*8*%v_h?PmZy1`jLEo!|+;>K6lNc-{PeYgD<VO#21Tsrgw{Zh7aJe zEgtJg2YX%=BUrD!FRT+kf(@*IGFsbw7Q2sdBfRWMz@vG|wjP9cvx1k=ueu4LQ-0Pn z@Nsa~&Mmo)j+GTW@)kJLejoIs>AYWaDF2AQQ5#=C57Kuk>)E{}w<A$jd6vFLJ3b5B z3wyjYzkZ$nTM~G9i2DrQDQ@o>?AHarqW!z?ajuA-b@EK~E596Z>px=NEqCD=PoLG# z5N!*N6`XBh#?f}@L}QkZy=;9_dxnmZ;()dG{G5ToYX7?gEKVEBS)CPpjc2k2j77s5 zFE@WlH+#d$3AxpR4vw#I&i7Ni<_$cnlwDzVXubHMo7hjqO1gQBTzZYSICF1AG1PWp ztd2Zh)zhL)ra%6xIfutObq)XP8el9xoVcGlt-0xQjAcGCn4hHn@Z`{XWYEGR=nB{e zIp?kD`i~)7`-lTTKdbGY*xa<7auNSbVimo$s~8W(AV|N9Oui&Nufcitd7ha#3(i5w zJLs+LA<p@$Jd5+wJdPex7WhBxy$f7aRogbc_5eB{>Zqt_D&u)XQ9NXniUW86MZ`0e zB?F9tau^3t@X@EyPLyR>R%Djg=^;B&Sz!mmv_i8&t)#NVq{6hKvcgLJu6wV0%?y)T z@Atg#?|uLO?_IjN=34hU-s`Z}UTf{OF>b;$^Nhh-o1ky8w+j1KLJ~VzFK>&r{;3+? zojT2X(6QcHeqYRrU0Bn9T?<~aM#t7Cj+<}a__n6KgFJ@3h4=8j#=fN*|L#baVW|z{ zy&CMBY}2hx_&E`H!Vlvm+9UJ@(p#YonmQHvNemRlw8tu;ttiI6#jdnRGn4j5V2@@N z)yJ3#OZxzgI75N@<v^UzY7yl#k3TF1l?00Y*q5>1Qk+?J9p=)GAzW`gEzs!f+S@nk zdouC6@x7M&U8&!`9%ZKbAn$X%=pKu2*@wpz1$V?4IOw=RgyOkkF}0iLQ5I;gGpS$1 z#>)+<xCie?*y`E+HvFbBI?ZpOui6&LZm8}=Q2l~Gic`%Q)c?_h*Z0x?dChB3{2yS> zjlwqItQ(9cslRFA&v!p`ssZ0S)ZJo@2uOAJ9G*qK!M)3hbvJtFDHCpJkH}8w>UdYH z9%d%?Es~uTcBq4T-BxMyq|3AKn!=>8KR~$9$EBEO*0~HH@2hqYBj{|CI+9}?_zluR zX{Y?3FZ_05;e&x^zdukjDDh5ucGFPaN8Xitjq3f{ZQWoHA>Xxaez8BEGyKu#^rf)Q zojVXu_Z9R5T7wui0CqO)6&M4zM^0ORr2I{U`x{^%NAAy_J8%m1>$@}OUaDy$QfQCc z9w5b6gL{X`l-sL=DYaKY8!^8}l%tme_yDdQxb7Uhv{#8A(zq)1&buyg_8NozLF>o- zqgQcwey<flD|;Ob67!?l6!+>peRkM3{C;s}N?2#`L$N7g&EFJ;b%+0%ZC3Rvo_bB# zm5Z(oOT~rf+Ylr66CJ^rnC8iiE9wuJ0>yl!YikFDe+Ry^Hv9@luc3y850c(!t)u4M z+=C;GVtyN(7tq0!-K*w>oP(=ciTT;sbM#N(U0PbNJ=fuTPtchqBJp_>!r61W;NW1b z{nV^8?Pru=UO5VG+G^T<=nmh$9KOCV$l0r7an2t)$9cCQR}}V24nSCQXN1iGF2!|U z_xxT3z)Pmi4!aEb`XzQwSZDY-IB8zkFaBbFLD2GE_b$9L?AP$ZUfmbW4NIZCre6~_ zlkz(C+A!)T!^}AU17>bhhibw#%?8nQ?wXoWuCe34nmq^Rh4Gi(z0`8q;}y{)FM8+G z@tbG-(7JCz+V~INdilQl?z;uuCYf44iLUXVUwe~oA2a#mF|lwrkAguskk`i!{c8N! z;!D53{I}d_;UB7>d2XCA=EI=+yJoh>*#V8K+RbXMb?Mj`5acX}{=>9n{p^@9Ep=%* z>Q0#ESQ?m$Z!LGar91T>?aXo?ayzT6$Fxp$P78GgqMd)Eb?tZ@d%4ixEH$Ejo}h63 zO1e{DeG}Z_9Ki6CT4&hZr0@5d3cCc@eXE7QZf*D1;f~xKr#b9ZLFjh_arVX~9Tx+q zYOTXlwRYj8LkrUX9oCeOXkpGk#IqOg2&;HY5av5tPj|f2Io@}*9<aMZkAwD1Q5-d^ z3@zf=hdtuf4#9dHq+5UgF4!X$%6jo<z2Hn9T`$2)14GLXeA($1y<ZJ5mh1021enSX zP(8&n!-2LUtYbUTt7Ch7E3>uefwROe=}5Y#J*F0akuq2_-fF~S^kUTY&6rCxn#&JB zUmKy5t)z=KVm0{MjYsIW3uk=5p7=T9R@VV?r*rsiWA@0~h|&W`V5j7R;4WMX*xIK4 zt^@H}o4v*fmwZTiJeN9N?{8Zpo$Zm%c1UMiq%%xh;v^ln@e?U{x9`><(PI|Q?l~}3 zkMEX^lr~B;bf~8-9(kp7qrA3K+HM8U(%s&=@f@WMYZfZ)l%_!(f9kn&5DS5O*H#PW zNYOVQsKNLmOlT)u(6PWh)R=iZss!^FlwR-qLO$AU>e&gWaem0Nm@}TO_kla{{x6NK z`K$_ho}*{C3|zEkl?K#s{t}I)QqTIIrtucW5c>0ncR!zru*DgK9W0)$Kst;xo<6GH zEe`vL(n9HWKd<QLM#=H5bZfwwXksho4JzxAMjC(f`B7L8!@J*@x0UZt$!}}Xxa}@{ z3sCp#HJ+pMD|ez#rZCQ*mhm6OQ{Vp|$hS%#rK27?kk1BxPLF$>c%JVm8CUwx3PO8| z$2W$<L|5lj?A6S~yVzl(i*qr4$72s`nCQ&*0>4ApzAb)t(Cv->K~5S&oUgy3d)AVG z&=ItDxCCc1QF~gVb%kG}6Jw$gsfdHh0P|kqjh*QIa^qsUuL|5RZ`FFtqI7N6!rbZF zto3rIYqQqVovzJV51hAE(mhc`VT)PY5vp9N?hCY0gncKzXM3v!^_8Bp)%ezkbE<|2 zBgTpNmO9+3zO>%2efW0V>yP^l!C6!ys6q=4N<v?Q_PfN4abgX07L-Hj>pJ3yI~`r{ zTcxiveyenc;J4s(cfjwqdb(=@LRoKr?vJG2f>>`sthc}sq_ZOdM(1(pipr-^3k<R% zT}Jc=$e-RHtVO!j_%F=QsNY+B*ZJsq?Ro6wqxHTIMd;{l!a5q`m;;YsT$8_|N5@Vm zrw@e*_VJ^wuzygur#^-31?-bYyI^0Y+lQe~Bzq(5Q$`o!Of7+a0xt|BtX>^o0N;Rf zxrD)W;5Oavl8&_ArsfO0&tyLHk5}C9ng2@P0qTn}?m%(o493K7K8k0NU55R|Mv;Ou z0nS*gsl6~Sr+?p-<}?I!fHMj)7eeP!(Y#2j@HE8dFf4iy@1^0402=>x32(xF=U1Vl zdW`d4$GeiGYnn63LcMDogK#^Dk&V}j?O*m4>l-j8l;7mV`3^_}#?R{qVGMii8*<*m zf;H$6TtDox=1>}%9ya9EW3J~E-W_d5U-Cm3-c&;xX#I8p{G?*+Nbm3tAiFT@8PXeZ zjF&c$KMLbg`rX=khR!o6MV=c6TF;#BYdzia+dFT{XSL1Mdiff~wC8A#x2pH(FVR1G zeV;~OAC==>=<YPlL7>mXIfvHMcpngRN&Z`D9*O2q={?Wmus_vHgpO~E{TnF1Z@@Qz z#|O~aYGOnJ*8JZ<d6WIAp2|Lq?S*bX+il;A?M=G<wjRoTPqq)$?L*x5J#_m_%+r30 z@B`1pAFRL}^odS`!f`K}@(sodL(u+8Fy^U1TFKpay1RsfHRP_nx4WLYyBc;U!<!<* zYvb*%*LlL5D#L5-?Jn#*;U&uO{04<*YGNd%sSb6d9PNbkgJ)mp40(bs%UNgA4*A#Z zq+X;Qbfw!#ok%<ARkxGnAni~Fu%o;OVZ4WDs@V%L-b+P4ya409derF!81K<L%6b~` z+#47mM$kH2IO+!V!&87%&KAhx1H?$IyKSduYq$GCd<zP8C*h`q{C5u3bw4=bl8*XW zRgmd!dvl%WjrT_2HWPd<+C*T^B^|S1M{b%7*4L6dh}U$vO}fvrv47%lo51{8xScUW zyheQxJ=0s-hK<ZbIFwd|b0#uSoYCXuaL6BpOKvk^r@Mz8xkp%Mh7S^Fu0na>eu;BM z<XN@H(60NyJw5YM`=fD$9wzEf1?oHLHSqNEJMp}JI$pO6WxHiwb|$tf^s+OuU4h%K z1oc3MmoM!!<TpS#%_y7kv@Z!|Mti@jQD$gwOKA+GyAN3W9L;|qUk8X=0v11yxpDn{ z%mmocyP~?gpELDv@4<L0d4~11N`rU}okGZrLDn<R8qjyrnTF}H_-<DW`c`>91^V&o zJ8<2FYdx-YxJq%U`y%=Vy$%`it`_YDY((1L#T;Bbo<Aw<z4&dxZzJXm)xAc*sQYaY z(ihHSL$X)*)^=#K$NhSTM`-PC9kkMV&`6gSc<U1wO9rC<rf=W`!XG^&Q(s2m1!1iX z^D0{hdxfXsQT?59taUr>X%4EktW6kXEl$LIlSK<!D{R<5g}JXFd`BVyeb;#Fpc4-x zFY#0cI4gztF>tJBVb62$5>bvb3b%;$4`Y51<B$U?e7T+`$AvVHG5g%PQkOxj525)C zUKgT!V+rhR2ID&<`xN&W$X-A=`Z=1$e%9^BuggST6CJ7jk-a`=GRyNGE#@POA5U02 zljbgLs0Vt!wwB0zA<eYse+#95IKG_+|6vivrB-kXi_)sfFS7^gFWe7C8@ALeX<iH+ zV!ZxNxTdYO_QqP;7R(KE{NxYMeg|-70LHC2qoD)z6^uEqlPj@?7kZgPs~%?z?l~(M zb9p8GYc_V+XigdtWKK$mHYVX&;2Y#|c0z~hPiTx6A03($h~I-We3#XL^E)y2N^Kjz z7USoT;HFh~mTJ~B@qs;O;eEF|D`Z&hh6kD34dSrMDR1yk&sDCr32U?9FB|J@r2#v~ zQoNB@ROTAt7S9pe;4jHSzcC+Wgr6YnzoP!j!f6<cG%SW)Nlf@!5hM1`g=|!?med;g zY7*7s0+C15(>p2LPU}YHQg}{WL*Rcpg`tIBM){_+O+i}Yfe~8Jt!;3j-iKIv;|#8) zJ!ehnzX$Irw!bw|3%-^1q|ke%H?`N_(|KVD${%akFT9Vn!4gU%(nMvy6~7_dmIb8t z)Ci<+*)Bl2r(=AXjkuN|4O0wJqrKfx804--1Wx@fIDTzY@XoQ6_KwKIQlxz*uEFp- z41T8p6M=N@HuWKGvF2v!y>}z}p8erS>r{kw3+7}7;XTwgNJG4)&A{9#%iFlimC~o; z-Gg|kOzROh<wLd81!k;;qrSdDWf5YH3e$Qop?VREy*q2L4sQf5z#MS_{EQ6N+L?s) zOow$Nhf>*78B(1YuVKGB{2=_hf`Uud1`5Mk=;MTSxIUL0GR2HAV#E(^(3aCN4?7xV zxj@r?@WXSJW1{t`tes-LGq8HxNxwE*b5Lh;SBv$X*Nx7NMExBMei?pG!93AyU?{Hb zy<SQx?NyaDJghQl1nL!)uLa+jqA+PM8pYKYd2*ocO+o$XKw+u+7XWvV_rd%x?K#?o zwG0R9_WANuj`E~DrM4|udnx6AOl58+#f9?NhVV-8I}>`VMA^~(`J`XltxfnHh~K3u zKFCj^Pb`H!mB&fE&unUAPBOAz(x1LRlj<#gQ~RShU5GOj?p0f%c$8b!PL$g$xHTi6 zl!ht2vBuw9tltawnVmi5N&6~pMR{fd7ijpV2j&Vq{f=Cpv<P|DqV_u0K`=+A?hiI0 zK9K#BwiW%H-ajGy(D541<MvuRBzI`X)t)&5ZEHEska_lcd^_sw=9-E)oKuIrz{D+B z(?UOY`dN&x2SG*{4!h$47-ORU)B91>6|&dec0(VE_b%yKT-iPDFG7vIrCYieEBin% zd#abpKFiPJel^@DU_YCZ;Tr^cItL*QBLl3bV<GDlB2GW~rqso=Sc4gVc5?}#`RtJr zz5nMkJSg9!uk`$!dUL>C-FoBdgG=eG9OId9u>N!*omRBRI1PObx%=o{>5hJXb`d|R zm~*=yYmgTV6aEGCc;`jjP+5|jrFg!%U^tk2AUCdygj0^W{BP*I@e9<MdfcxZ7x9m0 z&Y77PkymhD_Fp6pc5}M)B08(UzGuqIw2Q=5j<im^h};GFxQoaI<d<GVPHg~XJt`IM z24Bn_bQ+Jbcm>u)o}l`Hu~3#KzbAmcpp?$H8-%l~=v-YoYd0Kc(<U6n*|h3=0?6l$ z7txn$$6JvOoT2YLUt1RcYyR6bV4+hIV62Q+F)m}gf$<*3t&A@-e#Cf^(J)ws7s43M zIF>PyaX#Z>#+8hvj1MwaGVWmfgz+jYFp`<VIF>O|@gY(^mob}h4dW)p=NM}lzhL}@ z(I1PKWM~nSjG1vL<5<Q?jMp+QW8A>_B;yXoy^Mz$8yWv#>^M}$H-IsUF`jWQV;W;F zql@u2#&X6=#y1%EG1f6QF#g6Ef)@nI3}uXGOks2}-p06*v4ZhA#@&n`F@D9^%-D*{ zt2?6}DgK=0a&E`v(2r5cOD+{wO%Y(`u$Ekj%7#k&WR}-FFL??EW8^=zvqa@yVZ|m6 zZ<UlcVgl4VKIP6AO;ZfIyGq8QaV`Bhw#x8~?9s&>^L)A~@sXD?$5>A{70iQ}SNZT7 z<`|>trq0KI19PnJ>88m?E}oF-Q}LOYtMr93SMghz<M}{0Q9k}-nX_0-V2-h<Zjza+ z@Kcy8UC(DOYa`0bhiCY>&-9UJ`*4R3FJi9B;|3pj33HX6+kE7uK750Z`!XNC$%mIS z$CzC=kNC(deE5?-ypp-n&o&=<m5=;YA9=Npe7BFh#)t3o;k7>gKk(soKK!r`ulL~% zKD^O~pJcA|)#SrZ`M7WP;eYsW@uW|E_u*#ds(xCStNIef9FsM=N%oPaGVjRpBIY<d zMmJ^5agMugs(j>iKJsQCdFWFz{e9WLl{wBG&`m0HGxHMWVazL-4`5#F<G+b{dzOo* zWqeBi{><?_rW+G;<=)I(rEdar)&C?jSN%;Y^L8AbgSpC2DRZU2O6L99eI4_D%*8V@ zy-IFjKA7bx%vJbB%*`w>XWoZ-4RZ_gX6E6{EtN7p?EBMAJag3_r!eopatCwOfBN>9 zE+6-0%vJbR%vJrWWv=wo#Jn5F=NrCn|K{62`L=K0{-A=}lj<LR>%Zw)sgKSa|AGZ+ zwtRbrQlD6`AU(sLo(*)^^3!eE><m1=AOl=kELc#GnMDrRV!?uiw)_HbzRaFpkmpo3 z2sc}i1q<x9v@97i!d;%VuwcP(cX}ir;pUD4=jc(0-)YY;aAu`rLW<0S1%<h`?5st( z_6(gXDP_c*Ysd7ZH0BI@w!OeE#(_p-SI^k7LiEP(aj@u(>*{NyyF7>8X+wI6MZg`^ zpTVe<5fQlPH!f<E5z*md7?A2Of)Zm925lCK1`YvQ1_|*`;I+6`;u-)?EAb;7^1-+w za1F!NA6GOyjYR+h@Ove$YjLG6TUcOA%eD`MUoxr7(tJ2+bf8ErD0bNM7Aj{VH9HRi zbAExXAS>OxsL<xj&}FHlwA@7=cgv`}p%vH{QUS3fRTh_27d-g7NX@V>v=wF-nA7ue zl~;3mc3ys=Q%`Fu)didL!u~mYZ|_+JQs<NePyFuCy~S?1O#X#Jp>VRC1%=Q=MpnKf z+m>$6vF8?;b8HTkPkW~MFOnkl?s4bQmD!V|RFC|kNlH!6a}-}lX_W86i~_UMUQp=F z)r%>0V!TM5IeT`3o(jlixw>mbOMd=<ss5{aEepi1s7TGr$;~oT9m>z5T9N8el58p7 zg-Yr3m0x{L3m2(5wp`mHd&XZW)z{s5l}hn>^!g{wd9>fcozlOLp1obeeMWJvEeA~_ zD>thk3q8jQyVJZd&uLcmLdk6f_M)r;uj=pZ3gNgb&qbqiyZc*-qkR8KkAD$<i}qfS z>9pH2yqdjG{h7H>A2WjY@btU|w&k`g?nd4AW5-c1hQ4z)`W5p8dw#kz%i-xBggKVF zjks)Ee!iE~Y%4I!TZgwi#_6;bvtHRtd={FzGd;7|%d_sn9G92lpdQ*hJ#8`W80JLu zV_xy5+H&)9i*xb{^UWwfd%gornuFHUOMhtWVr1rxzV>uaRC0Fi26ewA3mQw2J752b z)7V~xL;lpWlNxgolHK``{E@vc!b-O%^fqc-r%=VK;!>PY{Z{_Hxk@u(Yg{UiDjY(x z_x1y-8?sl1{3-urr_$ve4%vIB$J;;2$WS`SsC21#l|OGTU7r6hl?fSDHs|9MmXecO z->@ltbdkOKt<rox4rjXY4M*84RB{!T;!6Hk_R8J=;)OL}5xJsJWaA$OUNDy2!t8AM zQ|G9c)oLtH7CpgLdnJC455FDUyPRmBg*T@?7~Y)rV0d%do8isx^x?FB!&|=1(2~F4 z!-FZ2FshveN-A<hzDO5&!YS<dH&kTkIuIf*&p8qIuViOlx;;N%h^U8J&UcmhaPvU< zJdmo8=kZb*T_>b}^GS)B7U{l>k&`1DIozsGr90zciIuw~HZ!{ZDY*(C`}58_kEi4+ z{LF`?KgEsAl{**5pUkN2sekT*i~1S5NRNb62e8hn_qo^yBB*~L-BOz*ol_YRk{uz< zuaS)El9Exl<d=}1uPIy;F0!NNNqPpPi|l*jB73YS>pX^e9P?x#`I*V~vl!<ADf}yO zQQX<MD4ZNzW?T+jJ#aa3QCeNND6Oj**8s`>dR!FF4Y<fZ>Z#sh9%Q}+Na=h87sc~0 zT;%R0T$HZ&aFP5FE|Omf1=2H8D3n6_Nyk4_H!%lWTPER&DGI;IC_Y?_7Kvgac#=pE zabmid0QSGej8bg*&mz>nmiFgo@u+bZ`*#CM-1lEg_p4D?)IUx9y?@>ztijR8>Yo91 z<nR1b{>}f-R{+=QHP_#8<4rf0+;Z#M+iqWXN9p=I@7i$pJ@=N~xAFc>4?MWJe9J=* zKl12f|EhR=>l05t_4G59&p!A3wijM}scQSnue|!&j@PSqzOiffn{T~cvuE!+``&%; z{o4Hp4u0_AM~CV@{^ZlcpM8F${^%FS8ovDM>&D~XoH+UIci%Vt@Z(RXe*Wdx=F`9Z z{>PcK=Y(eP^ABj%+87wrCb(_8_NERUJB4)a(lxYO_e*;8>=kD2-KTHA{sRVD289nE z5;1gG<nR$AM_oGlvZ%|i7=veq@m5<JCX5y?%FJ54Bs(WJ&#}~*Ur@Mgc~S9-tLI;H z?Sj+`%m1-*)jzNM@6P{!cl`gh{$pa}CQO_(IX+>^)Wm5?)01b+oHcvS+<7TiUM2N^ zVfp_E{R^Mok9s-P|5?r>`*Sb&pU?wptKI*!ziCttMz}`v{4;2O@1OGTou9v#UvD4u z+jyS-zoSOsN4g~;*t}{I($<9E>KD2Cn;B+jzV82CZauC{!t-1H(lqazfNQ554=TKY zxxy0W3U6bsu+&Fh?jx`Ckyrc36Oty0tlWhnDJDte+Hwgkv+!pSClYp+eEd<I<OxX= z6eT~FtlSKp+XqKRMtWxszsq;a{5`^0!T2O&CF3^6D#lkCcQe*9)-g6Ro?;Yl%6Nhq zO^hLop^QBk&5ZpREsR4LBN<0AMlo6$;~8f&&SzBNXE4uZEMRmomNJ$xRxoa3tYWNY ztYvIuRF$Zixp+(F-^gfU3}rMkS{Nf4t&GWxsf<O8rHti_RgBe)HH@{4b&U0ljf_o< z&5Yu0PA{X0F_h85Xk|=hRN<#GcQCpbOBpK|s~Bq;8yHVAHZz)PWO||)lNo0f=89=~ zxng#qUChJU%k0cTG0B-FX4wh^WEr+%L2@0b>cd?=5xC8jzhr}eKc_ALg@3nugj48b zHU;f(l08jKvpGeK!wD=FQxN}@!fX*!xJb;hJH&J>2qon$6BF#|dcg35wU1)*=hT0| z7XH&Sfe0guo}Ungog5<^q!#vtiwg63LKI;Z*mKhC^gKld;pY)U9NyLxpPR=_6CxQG znQ7C8Wn>I1*25*90W-ur4aQ7AieboF#K&KelXC?<p-VFhvlzMfIStSBgtNgZk@N63 zL+6>Wfv)hRmj#@K7bPgk(q9Ic3|IR1a2ZZM!jLXxc)1AGV~1c6ABFGqu~qRY-zr{m z>9HgKQxHC-dlEuU15N`c9me1Zm5?~4a0=&>kjf$kxCl54{^(hDI-VmbUrErzGT;Q* zQ_0Hk3-wSb92t)jz9}A=cUW`0>Bx;VGX5+*F0zsF>&34-km>OFm+2{l9%O}(=_)`f za*!{(o)_{c)0yYClj-$!rPANhJ_e~IlgvoJr{Ui)=rjX=i@owgHuP@@?)2n_{+Zo2 z<Wjnh7xCf>q%jA7^YKp^J4z)2Pu(=1KxQ%Y6#*^Kd;^&k&{PDT$CD%#OQ81%F;$<3 z@W^MQ9t!As3A^$@@*dewlrq*bn)XWjRK{vX(>u~WnX#0ymeI72<&5Qw;$609EN84@ ztYxfcw7e(X+fb{rkRzHeixA84oAjY(&LW^mYDaclS#V>AEL#l6UwH{gFYbRK{K<Mj z;kWclTKYTwv%TUSflx+x)ccqIvr%5@aFva8tN>Czs0UGLq40+Pr-Vm!Js)9HYDr_> zF?dEff0bYA4JgIb|4<vt1h*sI8G8A6^rv+2SK(0@)FbAi7f~sqvQsJgYyZXYOZ|oN zO&U|a|GND0(f;!F_!lBy-eE|s|5g05MmmuT<<~p)e;t33u0>ggDFj*Go*bM%eu~f2 z26Dlu$D`g&wUG?uX8C#2bpG(jZ#u%Dk|=;iA`lwsMfRHuAt4>By4kX&cyvwG)GmtP z&bPg`OkoCMp&FluGEc+bqVuFvRr$XYo-6~IV@mU%Tal+ssHQH13+fd{dbQLgy7uV4 zn%%;lQm*FaDNX0sAK5z4|K!0fg%ANvlFrW8E6J9j%1fo8Ww^e2l=IRQe~i;UDJ$C^ z<H*X7Nt%_Q&wHC-Ps^}2r+t>bTV!I9pz$=>Ps+}Z$;MhUe(J`{ev;E}_jWhgUNF~| zjd39vFL$%N?P(63!cA~5!^b(XAdd|Rv#|P`m6waS$@t+ScZqS+Yz}v-yzFVai#-WT z!n5-d;}Ry2pN_a<9FF9??5y-+q=pwkX4{=PS-IF3lb1WqUXYnb!zqtxXfvDUwGmr- z#I<kZwNl+!zxlRcQthT8n`v%a*nZyr#OsgD-}S?wbgUo2WV~=@RKV^7H!r;NbmuYI zdgKV;<5K&EA+c$Pw26H-b{#Nq`ewMa8t!hr^Om{&di?9RHy7p9<R8v?>V%V&BX+)* zG4P@Ey`hhM-~S)`-*tR{WJy@`HxDeJj0@3_dv@2mi-TWXI3n!wp?-#mSM_f`uypQ} zH+Fpj1)A;{T49WPZtKeKz1LaayY;6w@9n-}V4D*wcWvnZR01i%+WoUnW^dm2y6wut zPdqXI?cfOkKQHR?>i(I}y!88^+wVx-Koj>^k_f)_m9CGhduHzAn<uv#{oK@R>K7b# z1#LasWc_$uMXjs*lD;VQjHtvB_q;vt`VV8LG}!t){_!}|*w>steYw7%^Oe<YAM1HC z`{Qua!LJaS>Be4H+otDch5sY8#}~=|gGYTf?7M-<>Gv(&^H`VTQ`T9A8oTD@CUnp3 zM%uQH7+`(MKiS#q^oRR540`3=s~6rgbj(AauKLaX<gCw^-~W)ga@OhB-+H3|hN;tz z`HR&NyM8}a+h=C7rTt4k{n%+<r;ymgtFF2Hqx-sD+1w-QPVrI5^EYi@{^$zZ*_S#l zwqbRmp+nEx7wwvB4%=|W+R=gc8?zj*?XWL1pV&R%{s$Ttb<Pd!{J`KJM=b3$BYwww z4}Cdt=5@5&(DX{thF=ZU1()0=u4$?)eCyN4L$-hX#Sv$Fd*W2f@-Fqi<h-#yZpQn2 z?jAVji7!4H_*KQG$DYN8Eo5d&?a5P3C4H}ZGbbn|&;RwfUDrf3#~V9**W=3a-z-h1 z-W~tw&~D{RKYI1%30bSO+|#B9=5{YGd;}|rN1xk1wy<Q)U0ue%yX1;(w|su{gT_e{ zr)35|_UW1RclA5c>11Z)zzN&#`z~hni@Ww3Qhu0``SC;jm#w;eX%cEs#_wNUf7Ore zpPIL!!wW94@P$F<_Yb^zXjRVmM|(_r>D|vA4}3B%rprr7dux}Lb!s?NdWCiR7vrBe zowt12fUlkj(wo=tIZp&0NC|%IodLGFH(%dl@y=5>7cOg@Fy#Ho<uMNi823cCdbzx@ z=KZhdRR4DLxe40$mH#yN%kS^pzxs4l!_xtsTU*n{teAeyBkzrj`C@ubPW#?Jj-31D z+)g|D-+SnU<%SdY99%voq1V$9VUx{KPu;Wsz29#A^xe;sZmQ0lv*nts=WZF>vER~( ztI)(_dJLS>HFw_AX(zYd(&zinet+o2hVPGd{qePhBV8riE{h&g_4@kHpX_GLIQ2o& z;&Yd_TReAB$o5aId&h(qW!^tx$;WR#^Yg1&83Rxb4W|~ket%~FoNp`4Q|@n`ckdHH zXP?&o@z{_lS$DtQYfz8fZ*M*DVcoK~NAC}w^T}PM54^px;+?7eLzgwR4J@hnwZIg1 z#UCBwzkF(4`jw`y-?_Ij>(GE`XT!Feww7Mq=kk%83R|z3y8ig&h~=kqH-2qx(`9$_ zox!H21wVGk-qk;L?dd%atZ$S5%*t~CH%7!&W)%*O7;?kB$4uXc)e7s1x4%rQYFu1W zXZo`2-I_P&++v#Z;+3@@?D#!p_?jxeZW9yzF5fe)+mqtWurI0;i?_J;jM*RY?D6J4 zIoEEyCF&n_-HP9HE_<tJ^Y$-`ll(R`=v{{pTaJG)KRa(#!~I`>Jm&P4ytL&rMy-9T z@yfxUr+hy4{giW)`gC47uj0zWuLsOpw7hHjOJAK>5On5P*5!>OFD(zKxOw~VU*g(_ z_5L*Os=9lAzT}CAx{c5DhXOOsuG%rof6vs)Z+|}eNz#@(@;?o1*!11>MQt~Ce*B{s zUihWmJyH4V-$*#I@7}=+?j9f2{+H+1n?o)u+J7W=|IW|*M0cKd<e6I+eEIY8wR^vQ z`0AO%{KifHI+oTVh3T_XGXp1Hb2N6_(?dr+|8U;J?~c!1VcGWU@|{y_YYr@`Z?1TH z(U?6?JwLZ5yUha++%0y-Up?;D9aBz?{&?oJ#!r{N*}KQ-z||9{EUw#nXl3G2<EBUN zFBBzX8@f{1!g}WirXT!wI5R?ncaFaK_a}-%20b(5kIU~p(Z6%#;KVlV{I-l4d)D&u zA0^9E;vTGeq+wkC8$V83S(a9CNBiF0K7IPdhlf5FlDzfyCocaccGNxhK7QngcJ|;; z2V92Y^2-pqcK@d2AD%k=_K>H>MO`-St^C?WIp4IZxPM0TkAAx!Iy$rbioT{pkLTYw z;pLAzzV8=$v*Z3N4$o|y`P`RDzjtjt?6GM(jvjg<X!^HlxBcVf_V;>Q7k(hF@4V%! z!eje>95n2P)s*~(uFEri|M}q3am&h&4+~kfF!9vLp+8jpw61OYPFWig^DEj9NVRs- z#s-xv-Pb$f(aXNy^U1B-hQAUUlX&{0?0~g3Ra(FoE5E&W=5E`rw5@fY-2C}BBdctg zO&ea@xUbXV4|m=kp;s7Fr^eAM-g<CQms3IG6MlOCu}7Cb+;_(#Yp#B1-!P}?((5KX zu%oKe8x=_-68Ahc^1)YMKKtad5xo<Kj(E3I^tSb99iu;<|H_T`hQyxfzHd_VXHj1r zxVd#!*Zqd>XMcDh`spXO@5=km*kgyhiCVY5VO{<4^5!Aq4jo-uHtg#U1Jh?XKkHWU z%%rQrKYH)5A^hxTlis_%U#Edj9q9W~w^#gk58l`6rM)MfoqTv|-~)RNhu>T`<E!DW zxx3a?qzoGs+sl7#$d|95?exdFfcC}di_VPxaN)A#qubMHvEEj>sC$rhp!#S)?U?+I zpN=28`Qa}fc+U34;q>rV{ReEg|3ioEp8m()*k0Hsr1y}XVX2EdRXsH3z%BW!en>rX zXzyEtk7TvF?B=R|-?qAI;fdUYZh4>Heplg|f@?=_%zbnCOQoaVjJ4FPD}K7)=k2JF zGGcaaEcx)hA#opf|JwD?&~d*k8CRUJChqaCi>G{brq4#lNA=&ozc=8}Be%bnEi#Th ze>myUTw}$S2PfW9P&0eoAM@TS*!RJ%s@UB0kLT^X`h`o6pY4=wo3Xq5r!U|A!UIV^ zY)St5^x>t~rMDiudD!O<^r85K>6X{79Xt23<;S8PerMeD2M??s^5CzJ6uf<U*S%l& zSRB=`;K@yEe`@{P$&wGB+<8^>d;6Zb(J?;kfrB{_jlrR-y5?=jy7uUhbs6!OZ@Ife zefv=<W4mtK@Jsx_*X9jaIrNjYh2^ELF`ZugG@>;A{hWXLH}tzNS&viwF`y{@Fb?t$ z6q<iqp#^jlTB}fDXw^#?TK5+QV}$TCUMl<oqlI5kyzmdgM{nC)Bm9H2L_lz%2xz-T z1hgv^0qr-7R_&h_txP*as}Apr)*b3a>yAH))|~=0W2aEf*f~Noc8SvhyIiRSc6Dfh zp*SBXv|J17wp|PAeoza#<U6g+C4q)EJ^CBk^rU`-25ybGbD0KW9{nawSYvS_<vnG% zkNzA$-^q!De0X1)!6%$SQ}{rdy_fbhPUHSllz%Pf2V}JsqJp^`e&O&q=F~5esbbFK zLs7$=sv?<M<}|(~Q^%b4ijb*i9w@13WUlv*uxnyYdn?E^GuOwTWYH+oOM5cN7@6zU z6Wqj{_MwmoWlm#gGG^u-Bo!9sG+ZPT$-I-KB8qtkb1QT8-atHa+EYR%nK|vLA(O(q zo1`L@xq7c7lev0t!oi&OvXCiaF2~#0*TTG)6pIq(>b;p#=4O_cG4IX1oVjdXLTsv$ z`s~Z{3YPa{Udg;a^D5>v&>&OI992;_HO$pQP%ZOtme(;K%)FlY5ax}{BbYZaAI7|y z`Do_ixJ*CYqsSPUt9>^n=9f#c2xTsJ`Jz5BAJ1|Nb1U;m<}u8pn8z`<GN(30CZ0L9 zJu=D6Crc_)m?tn#Wj=*@CiAJx9n8^mbyLKAI&&9u)peCHpUd)6<}`0fri}Sjl8SQX zcIFk#uVa2&2l?Kp#vMQ<%MHw{nfo!XW$w?sv__Us0P}j5w_@JJyft(2jdYK5S9D`y zjx#NEqt;*AFgLS2n0X}gw#==}+bRFd+cQsPZes3W-a*MZ{d7=285i?TinIF==B3O# zGcRY}g?T0OQ0CRlyD_h2-ko_p^GldFG4H`#oRIqJ$=t-e7jrXnoQtKKNakkdR_48# zCo}KEJe7H0<__lln7f$wXI{#D0P}L@1DRJcAH=+xc{uZ0=7X8nGatgdiFpKb<4KwS zVa!9B(*cxZEX+qSk79l)^LXZ?nWr$njCm&WDCR}XFK1rD{0in}%*QaVU>?o9iuriv zHO#Hd>zKzdZ)6_FyqWm~=B96D{wFdwGoQpflKEujR^|!JlbKIpp2~bGa|iQ8<}T(* z%uAV1XI{=cnRzAinar!1&t+cAd>-?9=2tOqVs2+HzLWV~!ra6>o4J|!YUYv5H6DOi znfo($aC>geJelQz%u|^MDfi5SnY);qn3po|#Jrq&2=hwjU6@xh$H$p<Q_H+3^G4=F zm^U*Y!`$?})JHUPGxIp+k<6Dck7us&fGUN#Kl4oHt(g}w$C+cgDPfLt)^t<GJeYX} z^X|;6n2%vz%X|s*dgj=uqnjq?{%XM1B=gsrxruoob2IZG=8?>UnOm86XP(S_4D(dx z8V~Rs%>9|Wn73wL$~=&HIrAXqmCS>gS2OR<yq5VG=8eoX9xygD4`goqLFPY*c_{N> z<`(ANnMW}n!#tU}#skV!=7G!|%!8P_n0IGh%6ts-3g((wmRA+?K;|{fgP7MT|I8be z|9;Ycv+~c}_#@|+c_{NS%q`3{i}WAGJdk<3^3Oa)xgR3kXDav1i<EojCCYuIbYG_2 zGp|tYnO7<Iqon&9<(_$+a?iX`xsQ_Wo0Xio@h6#oZLE}sG7n;IQF5!4M=3e;c*Q43 zd5Yrkl4mNOD0z|M$&!~a_g^V_8T0PUE11h&4Fc;<i*$#y_DV*rqsQ|~yW9;=&#Y2T z>pEm;bw^?@qg<<}b!0LNvGPMElikZ*9|BV8j@H-6&^kUDTCXRQ%i-oScQALbds=lR zL+eUpXx)`eKCkKLi>1t$=}0THWN3Aj46W^v$wH3E(3&@ye0P3iy0Z0M8}y!n<O?~S z%Q%0TSQjK?gT~0%IXyX?4jVK;W(oVFRaG*X?4Q>0$t+>_OE|oItX7gK<Zuf(eg}uM zh~uHvJu<X1NoEN&M<&Ou4=K-K`$e2T((@9yqjgQv1g$}mrl>wdpv+_Nn+(;92oWpP za}U*z2)yYqONy}yN~@o7LOq92{fNLW7xmmj^@R9Db}v^0C%gA!P(6vj?ickOMfHXF zOm<K8CIV8f=FnRqcszE1NJI6A<SIQ>pNP+9In|>G>;_T(bCDzB>bZ;RRRngAC^^+H z%CCx_>RAMsa!>V*xQd_Z9i>OPr}{_wQ~9TQ7y)gn@bjT%k}G{sy^KI=xmhE23U9VM zJgTRZJ{2C-SIQrE3rG#cH^-~INMEt~`!%Ejs?QXk(l70Gpz>4kQ~i!W>eO>4)pO!X ze^lQoK9xVJ_YrWdo@1&0Q~r3n7+kN=`BnIv2v)%Lj@pHHy`lCI0beR#<SqiWNY%R{ zT`wNKLig|C)ULeUQ~QcQEmirFyB8+8%Z=I_<wK=AN6+UpcRp#w-@9JO{Wa6vdZhMA z`-oIMr*=wQwF_#m#8v#%ZmC>+^+4^|yZ)r<`SzrX+P8N)shxXsYVR$%Y#%CL)c(EY zIePhf!l!=0Tb}O|9`zGcE-JiqJ)e_Nqokq!!@C@1KjH~d_9s;1uGBrqeuYAmHEb#J zLz;=@lF8NEucusd^m0ma>sj_k31SAvFZ+`?cYBfh!93}seK-_b3cHv6NvykEWdGpt zFZ&0NJXg=ZcmF`;mF!hdNPn|n)3ScccJ1lMyxT#X-p6L^DU$Wf)Ba^Wi*@VUyWV*F zQ+k_-zLt#C%S3nmllSX*cYBh0igBk~>M6$EZ%I9Q`f;hJICuNY*XxPQr*}GJ`aStn z=}Kk|%XB5W+l@@uEO$C(x)Qz8LG{fOuT0luce+)&RR1XZ+gPu3=3wmLX}L1~3GVtM z<Dcg42UPr?{*dDL)HfM_oV&l1@q5xsd&a2t#^A4a|CWzCE~P`2tW3u=cRHp16WsMs z#*^%p%Xp@7=~BN<_3ZrdP!FJLsElW}yZ*>{Jnc!wGr^sI?{Hg|YmVL%v`qhWv?OU{ zxKq41>0z!rKa_v6Q8h!R>q@s=`j2z>BTCQezDoY7BwG4cy$Fq~NE+)dSEWDI-^%!= zxbrF9&vw@%=|09?uF`#?S9&P?tMq-Llw;{$wKmn>rh3WAeX>_SM7fVcosdR`ALEsO zlFxCs3n`EF@t^D?pW&__GCiu-ROy@LzHdu;yjMM-_~_kKX{0>aoqx~xUf$`cUXW4q z#Hzm+Jg+-M1|ym@Igczy*I2jWbsZMtrCKSkV+#}WPnesTKg&Flc{y_{^E;R)Gk>3X zD)SGSJD49}?qdEp^HS#9nU^!)&AgKNVdmA$)w)0}^L;F@XZ||#CgwHF)w;(Z=E6_v z<9_C$%$G1%>omQYN3uL!$yvV|b1Tc$_%E6HDwd}*e~GzT_cJgrV!3KJYTeJD<s~dv z<C-$&H?v%=3kEQ+V7cm_)jFYCN33G`L+rkW`FiGc%vC*YWd1zMo0&hM;^X?L#)(FM zso%9MSL>3knTN7mt;?u&N+ZiHEPt4J6!UkP$1{JDc?$DA%rlwa$-Id9%gjrdzsbCe z`8MVi%s*mY#k`hz4RbY4u47)!@<!$dnX7fzK<3RX-_P6_AocYb^HAo8m|K|dWgf-+ z1?KV0cQQ|5{sHq$=8rHhV*V8K66QykmodMKc?I)&=2gsJVP3=hJ?3@Hk1}s${wecj z=ASb+wvze(n0YAkx0tJS(Z0+rEVnaP>zHaCG>YZfELZEK1DMCNJd?Rv2M=PN!tzAs zCa&K@nP;**pSft1^Ga=)7qNT;^AhHdGB0EPH1i7P>b_pZ{6&`6Fn^VKDW^xRv(~Y^ zgym`-^fKm+ELZD}Mow=q%bQuQo-aZ<{9!CNwwC2nz&w-vhcXXk`7_Kd%++(5iQTtl zc@)d1Ggs@>7UuCRU(CFm{f9A6VY!WYD9hV1&ty4IySeuzv}bt{%kO4h!h8mE3x{W7 zUdD3uylrItM6kSq<??QgbupF?XL%LNi<moDeg*RymakzR$?<n!uGW>uGp}R!w=i#H zK1=!M@JBFjX1Sad6QYL0@6U3hQI_u_=G83k$2^qf3z=J(uVb$E4Gd-;#qu2H@yxGh zuGZ1@ovpA-VfjrgFXHr%VV=qI8<?9}9;w{3`~l`A%;jty*5#QOvb=)%9OhA+-;T_y zSbh)l8s@W^*D=4Bxt0BQV&2H|+nFbGdPg&FX8Avv$Fu(s=Egu-9&?p{mUm_z%JO;4 zEzHZ9M=`&Rc|7yY%u|?GD9+(`VV=qI6y~Wc@5;Q0<#ILw>-L<#u`DlP`HjrWnE#7; z1@mRhtC(+M?%?>kF|T3y)yykd-iLV|%QKiaGT*_xnfWf}#vrNRO6H-=tC(Auzr#F= z`P<BkIR5U;<5@nRxthm6#yo}PZ!mW-e~ozw^T(K%Gry0yi{rb5c@@hyGOuBN4f7~2 zkCDvlSiXXJIm@lg8(DrU^Hi2cF>hwMi+Lu?FK2FSBlWqOc?qYt2lG&tU(4LWJePSX zyYI<7iscKK$8&s_D$eqi%+)?CGxHRdr!g<%@Ov@OWO*ucD~CUdc@fJWWM0brAI$4G zyn)OsSf0haig_OM8s>h=Kl3k`H!?3}-pqUpb7Qd7?{myUnQvuoVLpj@6mti2IWJ3Z z?nxt`b8UE@_U37r-Sy@fyvm`Tv+cYZrFa&v<|w|HS5XvS!mA~UXJeM%JN#_Sz<G0; z>+t4zn0@f(OMT=tOX@ABSx#@RX1P`T#a{WP*-kkdnC>+XC~f55Y{*pzv<?-4)T{92 z`iokfqxBe?ccAwJrIGVdX$XPdmh*%o*J<dfUmCeilkV0tr6odt-%QHox=jXVxfQ2$ zP<Y<l^B%ICN29;qa(ZjCC0F-BH4mJ_>uGWwXc5mksQDcmW{0Jb^EYYk^h&N)Czbnj zcR5Qry+7yeKg*pyDPQa^XUTJY!gsjqrIf2xHx(bfrRE*Jr=CmqE8O)^&bLtQSMF&( zhTiV;=IJQ2mfTm~(m%b^=j~p;OHMX2K2Lc|zQ|pEl4rW>jpR9a*U&q>TzC0Nxms;h z;XAzaN%@iQ!h7O(xa+O-PqX6Q;TQVImwAOp^Xzo?pK?#@9u$f+avdtmtxvgbs8*S2 zotf6@)at5ScP4$S@Z|ier~W9e`XR~buZoZ6U$foyQOa|$-YJb-2l1p&uG4thrChi4 zyr(bMpS<N1KDAqE<h-_8#isRP%D-AICr<6v=B~eT9Z;=a%k^~X7nHu_I)|sdN=|>J zk?+kfMhQwI*UuKY^(EK4mblx8Tvzg>U#<Hn8{!e@J(T|B`q&b8KQ7l5)harzr_;Kl zT3x60YFeN3v`4u<s8-QQPU}u8HsaI|(qC!hx|X+Gwl|NQc#gaN$@M?_D~((iR=W-4 z{sZs&BiD)4t^|@({NC;<d{2KM*YP~*k?YKA7XzJhNcBC<tuM*d?go75p4Z7#kD<6~ z@rtV!Dc7mht_Zm=LcVn?^C#E&Jn50^IG*++xhFr8(_iJE)<4zm3bn3GZ;C59-BUdp zq4|8`Dg?DYqGC|oTTU8PDIz&()Wc~Vo!*jG@u~JhrytNB1}Ty28-KnZO8b21{e14F zz4!f7uIH)PDZf--RceXTdM~{tt<pnjAQ$q^E!Sy1`j#gQcyn6!SG!VZ{|4pWQ-9<> z0JU3%<WyhOZWnoWMFi@I>ObT@0f+nkE!Pp{UvK?*+k59%uIn#DDx{I?@1FF?^#bZo zWDn!vvIQxw{7atcPLJgDMz}PR=ezp{$qU@~Pr2UjiJ!f-fQsrn^l6H+HJf!zDfpL; zkwMSscqrz19S=0UsAJBZFYDNP;0_)Cd8nGuHS_K_bUt|6ZXF}fy{Y3ZPrR+mubR0> z=X-wItMgy)*r)T>1K-mzbo={+)%_l>)#dXS?bmtCpaVMpqESa{;$sJO`?a<Ybo-~e zf2iYY`*jpGH+`hb4_$tUP&9v|qif{GI-PHr{IM?Y`;(5Ylbb#vZvAz_r-ZI)Cv>d- z^^U{3{n-(p5sJkh=xB{C_*}QYqvH|XeabUBme1^8uiHmEb*y*p(9!i%;8C)#-Zfjt z@~<A$(Yl~f+D8umg5=`bVjb&`SL<j#)cTknz9mV=>iWBMOf`J0WBnaH8}xA3+H|xw zKcXYvG1Ac-5&oqvKfOdptMw@z%MIV@SRXs|D?MI{TbWOPDqiUd8y#J<$WXR3KQsEl zw@Nl&{noY7_YK=Odx#+=I&xOWD^~1Ei@s}Re%4d-ZPCYXeD2xB{ij7gv|`2fS8u&K z`tYMy-qUwfUi5P9VEmcZxzWFzx^ME45lf<*d;EB+VNiDTm6sfeuer$-9T~H1+uT!$ z(PblF{9{;odi1iuB_)r2W#e#`M9-Y_@U3^uTN3@p_GgyXTyBfbcu#A6@I!laZ14Tg zz4~=dbViq?vUQG}=+VR8K0YyPPV^^NH+K5v3v=`@{RVEUe`##=+mkF``ahW$y(4z_ z(;@d?8$DoYl3(LBOQH{6`P|WYJ9DDbHhr`>FknpdXNfQW)}{CS=*d@~?!Rxr!sz7q z+Y^i%uZmv2VA8Xbzsia3dDE}|xa42gM5o?cc~j=%=;(~^E59iedC~Wm{l2DS>ygn1 zcKom_?nG+z4fCHr+3J}E(U}XLANSP{Nzsok?f!e*y_2HvnU`ce(jz<i+O$uCwr;RS zpFDQvp2UdU=uvk(e*D8zY0*38@5|k@C?oo+ljCZwj@;<cpRb91eaE8c@kJ-PKYL4B zbkxtzu03zLDti43VLMFI)1&V?(dFRLO*zrAyC3fsJ~ur&(HQ^pQ(w%EUa_ZU{+G8U zvmPR&Ums|ACAu;vx~y_j<<&3QqWc`#{zR9&gy^&$G57uSygho(tY5B-UXl{s@yVm# z42ho^J+}DL?=Sx?H#$3S(eOxA20DqC*2d|aUYb)Z%(pv7ju@JuzUwj#r%2=b4zYPf zv$JySd4&ZrvIhOho+rE}p@*fuJX@Htmg~enI-}aGk3`J+4gh%;2#xn>>@&$$V9Pd7 zbUN`VhOAt3qOCADJrn0`IdQKiGs%Y2Dl*Ikd1idkAlGa!vZoj7A4JimIA1uIzLrAr zg*bN4Y|Ay<9B`NcKXmF>)-wB0-KEE!{-uP4&b%D>$kuO1eS6bcOtkkS9%)X|*TB{M z=9IiNqzfO4$k7jwFfT2%JB#W2C=2z3314}>y`aELEb!GFWGkc4fio#&2<(y54>^>2 zVF!@go%pQEg#ws^JCF^!qEmUy(0m^LrbBylrViah&H6Kk=foW|?t${WnnjQe#CL46 z!3W~hC^P?-3G?WEk-Y$F$0sq;^D^w_yoF|mI$NAv4n-VAxRe>DhwsEGR%v>f4}&b% z{Zu2w#3BdI`H&?lOAO)W;Nuq=W|SIf4(b{>6y-dSe&uJ{(`>NJ&dRl4VeX%;hU<S0 zXL%+*_@RFu!facJ56hSb4lB%e4ol0*9cIs6Hc)x?)B`<sPko};;4sUXmrI|FQSLqI zRi}s`H7GJvx`?HPdH8MxeMF>XFy~A3Sm>Fa*5z44RQDI?dq|!5dXSo%BptdBD?v0e z{N-6VvjkNHpZ0O;RqH<ztylZe^UFy)PdPwk`Y9>09eQU$FItZt^6+gGy()OSF&E}j z+0B_fDMHRndb`(S9@uvveJw=K1=S*N--zMQ?t2e}YH{?;atfGy`&0)#S%3C-;iC9c zK4krKE-It~&o^7_%h1DQEi~J690kRL{yM%iyIFNU_?`}Zx5VzQ%v52`Irf}9oJB~c z54Wy9?sjHAkDcyRRHP=@=$8T4RrDhizs_p(%PkAW?+{$`A)D_bYYY2F;Kc!%gJrPN zO_U5q(f>TO%6U-V0IMF7>#x4{ZvJ1D9(M%)-j9l;^XKc|3-!XjXU>{1%NR1@aPMRN zrfm53@ptx58k9~dio0U|9Ne1o=g-AaM#b}Sv=MzRCx3o^7JWWvK{nqv=f}*PHhR?j znfT}#zSlE<`RGv*HfPRIM~1wc;)CS~i!L$;aZQe!ok#~Q8QY;R$ET0z>BNZ1_|#lY z@_sq`BTD9NnxJ<tbvOMm3s$a)D%7!|IJ&dI)=!`QM_KFNMi?3ynZ6JUmeq>K&79pY zB`${ItnslU%i5N9dX=whVV9u$t@p7b%SIo&IM_A8E)+Oak2is=gz;fco3zv8FtxBt z*5e3;9n`^olT*mArKP(Rav0gtP7g1th23mDJZp>aX6x>fVOI%755+;J1vUhRb{dKW z2+8}cSg|4_4eAr2ml&izodxOr5@Pi5%q{G$(!;ZO+s&5lB4MZJgZ$2x?yRtDYJ+%+ zWW13B4LEBXT$bSo{1hp$({(59Mv|Qac3x#YitOk+)v>MIen*oX4!aVjAlPxX@a<jU z>JFa9=bSnWqK4vkumcy|Qyp^VJJb6`>PzybH3m_g<hIk(q=)@C|MV2);YU{=JGS4y zW=(j*Y6-`V9qS@0yB!7I+)(Y(Zf-c%bTjJjxpU{d?5*DRcjHKfFATBO8~QXH`xZrU z)LLDz2Vo9qICd-m)#>Q!hGVUS)fgbGqM<?mCWi6o^$nPFu$nBeJG%M<4Ni|`ie%G# z;@8)%=?9C<D`dZ3ISgk+U;s|-iqM4In{g=~gs@v9&xq#ODB+;6b-x<ys-TquluRl7 z61MSjdkKDb)#GnCHW0u2=)e0k^v3Vb{ClWKHtK1-u}=e~hr--94rf&0dKF<3#=`yO z6hE@j8ovXCOBfmqbpDVL*%b&YvYoK{eGxQeuW`>!q?#cOUO)dzPGS0UIy-Whh))l@ z6JtE%AYqL{`u+9>@40o4vF4^4|Jc?IEeNgiM1~&SQ?jR3%?&k%TV(lGpnSuSSLg@& z_vEz%EomFB-M3TD5s98Zsq0}VueQ2-PkE86^2yLUt_Jo4H%3%-y?lC}Ck{)35TkIZ zIFJq#^wpvsP`IH}@ZCsU%3YdB4xI`6qcSI`smI)PH65~97m$q*k*1@y$oq{l?={H# z0mO-VERK>+yzHZ4KT6kqO^Z4ie4P+a;tE|S^-_c1^<MmXUB|kHTcj&Mn2l7~!x3(% zo=0kS1Kf2hu>|!Rm&)Vg!WtSv?ruE5RVTb*3fj$hJx$W@Oz_EG9P8C4)ut|mERtk5 z%QhB=c%yZ<Ez4{+Hi7KMH6Qu0l+kx^tVVQMdYQG?+mxqH2)HxiisHQY77o+V8$J3V zjaW9J-QjYvn+`r<G(UhtbFeV2!tj+_Axrd<w-qLLo>V(begwM0Mez}0oTv9SgOO)l zx2t6@Gzp`-qt_p3y<cy77Pqd)K8LeYa6Q6lOuB%(QLmz3$EDnLr2MKri~EF{T_}HC zyE&{-a&tZRYwRZYP2?9>1H0LebZ(%s;QkJJMBnAnbMs!DiTn=qbcd{C!+qo>@1p*_ z2VJv#48^&&WjV}--2Z*(lHKGZ&WU<`kmZlARqsbGV+?1+AVs$y1NWo7>I*(eZw%LY zpN7sp=}Gwz`oyKmw3ClK@*|vmf=kJJ_{d$5z3L?o^O08~>}Id<N9g?u^oNdr9omWB zm)|HmSPR<NIFX8Ss(FL%CD*y#LchBGem~N{?eOQ)_2Fq>8L*T6zp63Ej(vjuWIy!} z`~Tc;#!`P$W58WU_CIy#Pp0T`)ar3RLVdyhKlcSA&=zqIMEYB{#rb}kcomm}%MABK z6Y4bDuq<2jE$F{m#y3~5Z!OEd;SVJEtViGbkgsYA=X#Hhu0YthzaS0L?_8v*pLFBy zmkbEz$&Q)`?xeZv_YnN9_u{xu^1VQ|Id$(oY{K}mgU6o*zpY+8PehuJ9tcu*qqRzh zWzgXzxL3&gv!_i|_Ci>=N?AAOYl~yUHIag=lHF`X+4ZM9-Pp1ZpnTmhL=&TM@LMgr z-HqRMUOdF74&H`vD{!egeCc`g-VFbxLp66h9}V3E>pE>&&ZWaJuEN#Kaih<|xI^~2 z51?F1bw9F?e;H->q|QBMhc)sR{e^LiCT_r``il$od$�L=7(0pY6Ly8H~~{Ts}z` zsMm>lduVwdU2u^&79($y^t^f6Ao>`SiR`#-Eb>n_(|I5lsw=;vR?!$f3>SuE;zwM+ z;?iWbJ{F)Qn=w|pp#Lc7zLOqb!?D4rcLT{S`V|`cHli-RA(G9N7xC{Dk@~$yxle-o z3FQ88pjVF}`v)3pb)&Ld?Wxx(h-VY7lv0T_PBp?mjcMiB*(Ed#o?&kS7Y*7;8cGX{ zsZDqs(lGvRh=m2+1Ia#}@f0Jh^k)-7GEIXG`g5r<9LOeeh(VO$dGJDpo@2;Z8Lwho z#&`qcJ&ao!UuOJ>@g$>x(f|{}7|uABF_CdT<6_2@jHQeZGFCF~VElyfsz@2n6vnZP zk%}YVWactvGp=FW#P}RzE#nuAzcBhoaDEugj6)g6GEQQ=mT?*52F52DcQEc{Jj~e0 z_y=Rhp)%e9j8Tm7jB^>&7;_n2jJGkCGgdOb!MKmHj<JF9H^z`*GX9~A@r)^qF2>s! zH!@Z*KF7G5@gv5s7@HYead~xT)C&!N&T=`o<8tW7sN~1}ajbS6zQvxGZI3H(X2)X& zJsayLLjz!+;90Q1`h@(jvWW4YL2DQ1mDM3MS}sYp6=cp6A8R-~8wY~Ztb8KoG3SYH z2C^x1Ix$hIJ}r8H>}C~Y$e0CIk7DxiP4QfH>UN$dYEeLLr{!f7X6vVqC*j!cdH9xO zz&w12dQzTq7N&T!?VQdCZ2~WL*g5D%ziIgLd{%660S^0~mz80U%d|Pg;~IQoRfboh z5T1=<Nwnn`=*vk$yyBObXG0Fs@agH|7$I&Earj`p3iWAnO^J=k$Z+c4O8r2@VR5Ly z?oK%Tq-x%uQ*C4yoJYj@lt#y(a~$G%XfBsNYH#-{nu(ZJ#%#|xijM+|!#avmqL?~y zX41q&wc<8TPzgZwShgSy-J$cDm_}ZvD{dARPv(i~8V*Fq{{*<06`wdSCOJW0u$v%D zIN9#Rngj|j9jPeH#l*hoPI0#^zl03Y%gc7Q{snPZisNKEt2iH@!J#F;n0z`fo_>im zKhLS{vl6rN3*zz7agj?kZcc8dUI8;E7Nz40Iyh<_z9{BeJv3UnD0EQOn<t9MM%D#c zzR1M^|Ct5Zb8<1&j{wAQ3el?^H))<z=pUrt2tb}RznK^uOZEUU{Z#sq+C<8?&(ZSu znyFu+-L}mBC;J6nIr9-BJsq_Pm`_ESwmhjG-$0#d%gVRAvy7bs{xhKxQW$1;d|FYA z=-6r=LeL9R+!ipK7hF7bVY#nnCKf?AeMuV>WO7~>Wr_~SKP$u5TR&8Z*cRzAbFG7~ z=@gb;a`>LRnBa$^a>#@H<MrRVn#3VlI!?4d`tCdYE!QTY5cGB;R_VVdW#NmC6q25r zb-G;=CW^^wp19F3As^b$%Ft^yR*J<oN?S}^vJm%D=+h@oqu;yq6em*^5N88aBc7e- zZrLJ=Tu=0@z{x}Z^O2?}^)_}sQ3&bAOEA~w%%UZkd15L_yn3f=FI>Vgxf!z@S-E;! z5f28;&Q@PMD5u{@l&oD_h`H<9W@5S$U-Rx|bR9j|@@opn!4rOop6?idZ=<|&A3!BT z-`ACWkJRcG)a1haOd_#`3m0PEpI#J(A1>hOg$0hn0@CX=y)<WKtw0@^s{fv8m*s4d zy2+Tnkb=Qid}ZzPR1tM6`Ct4Wq=69+9f`Paun_NFV?MC(0}QHRX!J@*BNAHoqcQZw zjAp)=^#5LFK)4qkN&kD{%F)*UeHj0L@%dL@<23jfKQ{l-{8N1*qx`u<P*9K}z#n(W zbz5&YByQR+?NvQcNHXu=#4l!y6Aadix&QB$`=&iP;r!`!yejq4^qRza{+_6>|G(np zu`+xU>m}~5Jp9{o(*=zT+I&ItZ%6$<B7h5jm|7<9!XHllACdh3vP4|4T9{;%7pxZM z|FR_gcLx0b@oJ(O)QP`RiH~4nEp<)tn%=C_$BxJ!TOO6TdUHL^unX%yT{>34{mzF! zdDtw)fBL%`bMa)Xj4%96_c84LMYw<ep@xULi!UE)d`P`TEW@O~?(qM)MfWiyK!_Qi zT>FVxEcj&cCnG!#`Pb@$b)VOt#`hlnDSbAoe)}r!zyD3Vj?GC9*Pp}tkK$0Im#(vX z4<;m2h;>RlywEb`|C;|7HGp3BN$k@J1y%v$fg5@lL<X=N=m1s#cLQsH<_<!f0=j^I z5O&1cXitNv2L=OalVAw28aSc1L9E1LOd>F~3-+1<u^1)h1M7i}1K=K;e@+1-f&K#x zSY?8LpbOXoXzq@gK454sA+8a}v?8FsuZVdv7Aqcwy)a9x1g0P#Mszq1U@GtyvCz;6 zoMEv0MfDS+t!DR&?=SEsP?}Z^yj0YSW?%{2CtHMwFxU+)EaGkek3yq)gzSOcgiB=V zST9`6%YfA+$0Beygp&#E2`mBD!rn4m+FOBE=&KTV4df<tC5gm=A*9EVLR>CvS`~02 zP>jMi3xV-K3NI7*nMgB~Un<iZI$Gc?vQ+;f;3^95GUOZKlmYEn*$`0@X$^6UA<N%{ z1)XtlmkjI=ECOc0eN?neUov9}uo3nZz|LBOMsMI0BOOsznJyP_4*b^v@%>sud<^!o zqr7W?b}dbdj6?se9rtURfHhOthfc=+1z;V}M&ZN@aX0i{3)}|#c<fmz7Du&eU>&%1 z3YAZqmOK^ZpdHgn6456kzRGFz?dE#X1jIz5D4LG?0W{9wa%ZfY!|9qUu?qMA;&r58 z?o?zL%vVaR1zu`M)38}e3<8=LP(86}6~GrX=-Vd5cAzC4`7)#%91Brih_5P3h{sXi zQWr}!E`gp5Uuc#biSc<te28$&4k6wY>4rw&rG|wD3uaWt8NN0+3Mu|H&9V%7LO6}U zpMmv7&=<n5C`P<UXX*;_Z#P(Q&;Vf*aH7^|h*~Al^-n5~deI2XfIr$d^8&)DaN%1s z;MHrWoYD-T*F(?XF5on{uLZ`S{+n*Z9tzmk-i-YMBrm~!71Vp<TB@IES}AY_(p!H! zz3XVxlGh1wpVnY#yaVfTs9!auRPWNX`1Rb5fXxV}@lMPagrPle(Bs!i7#o4>;ofz( z5Vr$O_fWWKXTWO^UOg}q{>=Ac9}_UX4DFuyedr>9rNH~d7h2^;t_Q#w$d7Ro+AZW2 zz~LfQs{`JS^cFoJ^IHdelEQfqd(MEFz}GaCM>*P;mgVQ#qPGjJ85ko{4apCo-XUBU zklJ$@a2mpE1X4RRJ}mW<siRG+0aANv0#bQIJtD+O#Nz-`y=?-T%;+B;1^4^fueJg+ z-mSj&t9b_bf_-zPY!@ldq8`G%i?IS|fxP-Tswe4&(&uHnuL1T(J!srU?-({{r7sBa z1KOMGC8W=A+^>8)%7^mx3fd+7SG|h*=6~EjbEgnz#G+Q2Z^(RC?!rD3iXS);<zd|| z#IvYBO~6gCFM1Q}qG<oFx6r?V*X*Hsd(2R@SEjcPSPT2qcgSD8X4)sjx9~6CrFWfe zS|+dw^2qm)fAsg}_sL(X!3BH)@kP~A|AhVy7=dzY1a5)<lKqlbF*X7VwPS|NgQyn> zC+b7=C%{r*J<#+K?o+^2U^TE7xJT3*$_`ODC?DXrh_|Ya`UAAPkI`P>F7y-Zts?ip zFA;Cmr?S2n56gbo3Z!x`WvmA-^~>^4uBZ0>rNMF(_q#rb_ZamP3;jaBg#NWfeo<ec ze}cXES_m_+893aKVTk{R`s;d84*U#ybe*7f)1aA8az6!JkNZ^ox2T^;ukkzV(}VxW zCiF`vhpHdYKY*wFg!?M6^k?+<K=ZG7SDW~6C^ul$?`RLe>OYXazNqhKsh_eLOy`8S z5&16zHbY*aVND(w>ZgfnU_Edt<jMY;=#6wbfEBP8tu^%5#|%wIP4w67hR`4?V)R?U zNQ58SP7@P=#`YTOQL2^<d>8pJW6uiRhf09ALGHkQl`mmmf;}*^!D-*iw`l*hAsX_H zdf!<?f1jpRcG2|y!P-?r`#z?X0^dbBRD@#B3jC#B0(+#RsfVWDAB(V$r5^T;K)Ro& zh9RA}-<9;H_|vpz;Fa*7+($z{o8=eZSJUf36_E04=_j!acq8I7_ow(9v`QekuNa`A zogLFs2U2*)v>M<R$TKY(`kQ)D0o;jvWDe4V4fb`w85C|f_K@^LzJVD)%V2V!syTob zaM~Yp1F#Z%T<HECISl#+H%4mWB(Q0OCJqBLFV)1y==ZFnHF1mo@m7sjXy|YZq8xiv zwxHcv$0B@iQ;a5D!1!2AlmUz4H1Q;`d4eX)B%h>-c%U_b(rGi40~63wGy-d2UpiGo zy~cenk?@#iokn^_|B{3~OBkQIW+Gj1XU;&nfHgqsAM1f{qFgKNntq>+U#N*8aG$zZ z6Ny0U670tSHUpo<{iq^a6WQREc^bxTU;CvvWPK|FZbvwgOEvvI<pRD5ea1UAta&ap zH0Ns=zocqW1*lK(FP2ex+cXz&IIt3EM}9(=Yq*~r)yh^9w`rDDRF0^(*J<K7(ra{S z`u)2SxQW79gM9dZWr)0q!mk(cH)G!z>}e0m<)jbnPc~vaM0=k{0cpQ-36S=d7GS*6 z0IUFpu9KYhG|fl<PkTTKY40W>?GqyRw6{_B$4L8(NKX3?32BcZA?;fuceF=~koI8_ z(jF^H5AAoVMg5??E{7=}|0%{#_#qq%y4ZF=2QU<fp@9qFWm*f=LQxKTin$6%{?LWH z{DF<Y03aN>S^>~>U9Ewr+Ae^Xp)$gL#`D-y_^IcyC(lJBY+<BD$p!4oE?{4A0sE>8 z*w<XZzU~6{jpwna@2fS#p58lX^eVRI8&C(l+?#JgA8qtxvSuCn0$r)nE^-6p{XO!! z?cgR4ckP9HDhxJ_?|~}<On%>h^;Rzn{%HZ4aanPp2gBbBo1sI8ipi5Fi+S_riL9(F zQCL_g3)tlnE?i}0W#V7|`j^<geY>cxt`>(59TI2Ho~5-V3KWj;7X-IBT4=gspDS3j ze|!0I3=u%zKll9~uHZkGFJHNm9DILn-yiRv+xIKPZ-W~_zK37%<;#gTzQ1qZKApq% zocKTOT?t&2)!IK?Gto*h>x#B8;sQzq=0=JFf(9swb@fu#ho&gzhLVQ26f|#9c@6IE z7P;gMFf22}faOA2g0@jv;8M{Fb+gDasa&Y2=llN;^WsRTWcT}izwi6q^YeJ-o%bxy zexCC@@4R^8zoXJLTi?Iuz6Q^)F<4%4UEfpX*~sy;XJdYrH1^+HHG6gy*4Nj1{@JtV z<9qZ;<NQsy&w@U>KgYAoKZ)xmtY7ttzQ!V)zn1IkauVx{JW>VtFx%|egs-XUhgw{n zU<VEV>ZXVHHtjvZIe7ic&9_IRL(_cBkL!-lzjoQcjeDzr!fevVv!-}e4-x>Sk=H-} z_4@7;_g10DT6D+!Me7F#H+Rt2jc-=v`8xLMzPyidUx$ZCBZgnB`&aFKEB8-(8=I=q zD|ik1$j?*C8=LfP_6L2x+}J4kwx&O)sBgZ_{<yz)Z%y-UJ->#HlXJcdSE<mKs>!D! zt*%3QXgVG@bgLck*#lLJ#u-}PXFvCGoTsgthVLa^d7ySc?S$G5)ki4jUZ^J2bIJM8 zp+i+{Y^=KFmRl5lETv(CfNL4g%*<3an@w%qx>d{gJMX-s4jnqwBIn8cxlAc+Y3Ytm zl=OR(@0IPd%T-$W(el~z7O6C_Xm+_sTKQKAkc4?@-yBcajt^;19hxTc)9e+m9hx#_ zO8M-GL+xl2=EW?YB(g0*RzBocK5a^ZN|W63ZBsbkv+Fp2n#hrpCrg!<;(L`^>Ek0_ zoqR-fa8=+A(zRWUKJ3rht(i`wQJAKan?b^L>(ak}e-#iApn`&e)acQpRd{%~ijI!f zw3|G6vYI+|s=D>oTh$$R+@V&^8n5QenWOHy3-A0|fVTrJ!MjsnKUS<*p)5;7mHjWH z)iWzcsr%=QQ)}l%sK*wCs|`!S)Xr5SRdIT>TEFT}wIe%Oz4GV;Rh>Ie`R@{S%^p#M zUlA4hlBi*?iwb#5)a`GIia020!uz5o*NRF(o${%uX<vw%StshwuSKm|wMsqo&_gOK zD@#4`#1rbtC!bUsH*QpBvsqcKR?Xki(o(f;+cs^>o`3#%b>PKPwfb98+Zsf@{PN4{ zwbx!#Z@&4a+P80?I(YD)djI|R)khzFq>dh{Q3t*g^~oonXu0_E%P-ZjqleYMeh}5r z(4bD9JgH@cwEROLVqkGfT?nD^%v7pNDTD{g-n9X8DwnF!GFVNM$!fVQR@suJw#gQC zQ1;P;YF1o^@xF1`XOnTJ%|yJS6lV^MpVNRnQ@X2%F@7V)J2Acj<M(6yXKv#MV0>5{ zegmA0vr(o}>q>EU!1z54O6|k=8jSxK<Nt;6Ut;`Gj6dNvK5zi`m2k-VH2hZVZv0JS z#0;v6a1MMCO1QtflA6IvKANoLv&BjdXDMmeqU6NB7We}%!+2ke55o8{7$1xAn5zLX z7g^q2$-{${Y?`d3WU-RnS(tN+l0*AWjfWG$zlWH7A;x#c_%0X^`_lktMogC~88cYP z?UR-KWwDYcvXpG!qU7MdQ{z=vyqBRT{GL84Qw2b6hpQ?`egiyZ>3*A%!O2P{KcHms zMkQHKE7?-1WM8e@coW7C$M}gDe<#MLV*EOc&%^j<Fn$-tzl!l#GwVZ)KZNlOE#t4j zTMQ;(hPjyGLCj#q3@>4ZPcTD6cTwLB7Ikd0s1u7toy-#T!xm9L?UR=AS71E<=0PaN z-;D7yF@71wXJGu3-9_aO7PWP<s6C5CRb`3#aEqv~_MIB<iSeWWev_iE!1z8GKLF#e z!T2%VMa2&mwRp0qwTm%VmZ<VAqTb(kYW(T;AfdUqe;E-mHhgS&r2cB+ApidTe0>Mp z*wP_<Y)o`?WMoW4XlQt3!nOW>e*OF1cw^rLSBJ=G+{V9Xe29!p2pGr?H{Qs=9ZO7X z#JHGHOg}CnJalY$!ZqyBzrSxE*Zt_&u<)4hh{y<xCuG-M6A&=Q1tYt}#Kst9{1x6k z6RtxC&d|@dkEt(!jOP3?G0~wh30L*#<&FF3;P2`%AOYh;!#P1jOu`jCdh}|(uVL)x zYXXqbE%PT_ep!zm6GrO^0yLI=a3AnTa(s9U?qAm9stGRGCJrJ97@rUt9(z+v%($3@ z-khM9ch8=Gy!hgaubfC2c^_L8N(}Cw)**pp;QfekvC%OxvEyQWPV0dCeuMP<V`C#@ z#>Ga)j=#G1<*p^LLc&1*YbOGK&L5$dFsPOg;tddZ1^Vgv2ak#ciDSpb#A+loj0XJy ze?sKoFoF;h8=KI3{P-R{dH{)*`w7D@Ob81chb3;p{j0~1*H~WJazCP5$8N!0gT}=~ z#)8V@eKeL=jVJR_LPv&&U*Dly$Dq)J*o4^Vak0%%!h|%J=!l_XBLXk*=yH?m25A)? z33KJTpKwE<SLX{oJi12#LV_3@6AD2(bw7N>u%IEGJ9u6ijhhi;A<ILDMns&tpO7#% zeA1|{ojMN33K0pMJv#E#`Uw$~yGf%i`9r5L-j4`{xW*X6K|j(50v2{r_pXx?B4R^F zLDpJs<GxX%yt>~I8xA@~yWJ-JBXtjaKVnG4D5#42Z9PBu8xsjZj2<^^WUJe5^MldR z;UiBU4gEO1#GW=e?5k9yHFir6t%Gw>ftuc2e~&+xhB;bSY0H;OSD~%^xwHEzhCg@n z%{Oa*WM$%wExt!V>KK(Vcbv*z5}~%P9;ZszuT&!{;ZwlQMZGI(Dtrg}45?@zfBbQ^ zVZ#QsY11ZUu~<}IUY_<9o_XdO?GHZp+;fV)!rK)EY6JX@Quqolz4VfL>#eu6Z}8ct zwd&JPKgI94KT}_Q^_BYi>#x;!-yYSz!SUnA)z3fwtg=pu+5%r;-%oCKHn0yix)Ipu zpqH65vC%EZM)xQ-x_s4LwyMFhOHGzawO9_QEcsAvkwe(OPwg`*5E~*BZOPbdGq1t; z;TRu=@i7=b4dWMM{DT<33FDu}_}4JLwq>9BkDmha{l`!FKk29RR?Ve%@7_=%<am1V z|K8sH0|NsG@sp`{Z|~lH2Kjh(?Rqu*;a<M}{rmg%5A5#MZQv!i?%k)apC9^m_wor0 z2n<kH`VR6BysArJcXa4_$t71`*{8pM;6+{huXcT5GWib*^z^*gA7chy+Vzs&-aQ8e zUgYW7rE|xQ7Z2>#t@i~N_8xTAMV?*wMWC0@<()h_`J!)N;8mSFa{fPh|Dgx2F6!H* zbLRk@1N!v8qQjNAiy>Fx8tVsKd6{3|fWW{2KfsUm2L%N53kc{Fpz*sB#e~wQkG@oC z-INOHgpTl)b@f2oR^j(XANI#M<)dSR3hud@j_RRI`2Tm6KVURGb_I{UrFO(;uKd4I z&V>Eh)+W3cp<eFe<I@K%Yd_QhojZ5N2}r>*kWz4=k=jSS1l6E8KK@$@>BD((x@lJ- zeZ5dA{-({FH~$&?&d#GpkAD8mH{X1Lz30;-M~)mqTYK!-v7<Pbe)i#qA8vW|)mI<! z@bCx-2?>GZYn-rY=y`Cu(tP_Z^dqmiF<&}hz<|DJNh^k#+f%%!O`8@v90i@PKpgQ= zoTH_@yj;Hc;tRokDu}x<Kqa-cwSx1v@IG)5oWVb;udn|SxPG#K|Nf_T@7|p@cI?<8 zn1_7261694cT~bczIJg{ekP51?~kZgq4q?qVn}0SBeHEc7PTM#UZ8gsbZ{u=7%^hR z0Kx~jH2kl>{<<JWDu7SQ%E~m{h#|@6pMNgZ)zyNSg6_vL@Dcd^XBe}2%a$!GcI?=( z0&d^9`|rPhQgU)~<hph1;^0>kwt=VtJ$v>Xg4o7w*I$1<Y3Cgo8R^e?@%cBw|NZyh z3w)WZzJ2=+0}a<5K73dZ(`})1RaKR|_uhLNPVh&=PTthj)yW4Re4ww1lTqRG=+BV3 zW8Z%JZ6oCFC(K#@<Bvbeci(;Y{o8N9{VZMuP>Z#G;27Zf59r%4z_5;Ee=Gd(rvz)Y zRKjmm($%QsiBSnZX~ov~%xhKy54MEIsDN3F3Z9Emjqi;1eBgia#TVCtkG_zJHN<7l zo;?}|$_L_2LLMN_q~(P$QYWCpx;=2<fUr_G$Pc#E59$ubyz#~x8VB+a`Y+@IV)YE+ zwiI0dgzuYpA3BUDm)fnry-u7sA=rkr{09dI51<^gk_U*J$<CcS1w0q{%vy)Z1M&oM zHC+jNWo4yMS88f%^k?Eg8$fxZo{&d`ZTmMOiSLVqz9lmBHIcxVMFMt<Tvs7-^XnqE zLn6mdoHzhoq5ik0X!v*S+LhI>U%z4S;n%@l3izRMpv@r<NLS)RUJ!PECjUSF_+wr9 znKUQ82`^=VxDamApE8>BwMgVUB4PVQMj-@00y%>rmB8U8kwL&=zzZV2&xx%25V?V- zrj6|Z9(^?Yu=Qe8!f#ZA7e;$NdO|&*y!`oNksE77BHjl5i34~r{0))ofy2Ugk?&|i zynCNW&@L@jh%C0N^g^7Jvb=W4kRiU1g*C(je9-t9c(5fcDMzG#TX>M}q&ay+xuN{i z?&8d*0h$E(Cw$P1!&v+tY7Af<2^<hlmSo^X_~#xF>GyoITC@v#&>wq-81|p?kNrqk z4SujC{Dz!U{>cx@6=lP~g*r|-quf(BjFx)Aa?2+oHvxwj$p3iIn>dWF7P;ZgW*mZ` z3y718f4S~XJKCP2;fF2GLX3YH_^^(8M%&UB9+Y=?o)~h)mh|U+?h71CJL6uaeg+*S z4j+j`1BY?Iq4bD*k28M$7I)U40hwMu{P2TdpE<1(2csHzw8awx7k4~<`spXx_v|LI z-WMb57l+E@i^4Quw|y=$<zFI`>qKIS!+S1$hRlQ*`b?VyeWpzs06m~SUkiDnPXB^D zTN^lN_`&bBh+X)?uCF03w1;dB9N1FsDc7y>FyxD}PFbqmyHyJA36b2TqvffTF&YOV zaL1P-x4LkMs}-3Dn4*9~i#`(vmp)%dn*^KMA2z8EaPTQ>wyl_ERVy4c{Jy@vE%qOK zJoouu@q_xy{lMS{^?}!ho)CW6J*jwNme`kvNd7&eB?mZc0uC%QU_WmM4)L(@fBIB} zI2ig&91MM?O&a_v=>DR}K;i)Uo1PV!1UrTDR$K7H-fQ`XuC1d#M4dD6FmNFcxF5Ll z#K46u;isM4wklkl_l^=9aIgXg%iYcJryLcT{uOYj7x^=Apgz+k#lR*R`b-=QeI^cu zKGP=o@6_<)sj$;ZFX|ch7x-B%l{gr+H6DhpxZ}ak#DQf;+70sbeIv#Bmr+ub3LKV= zmg5bF<z1*VaYz6T$g#<v-Sn9@iTWH4U7$@0hE3xBY}h2fa*@8x@VB;08h-fqYljUR z<_jNX4e_8|WJ{SL9`t$G5*L2Qz1Hx{c#r!neFm22(r=LMD{qi3z@Zp86at6mpIjuz zjzW0aQN9G83&4|L?$5x%@G<;$H4i?G`mq1B7l!<g9653Td0|xQE8!+=gx$b}wx9N% z=Nj5g?p55|Saz)rmS=&(wv{8L^uAHz01mD7`Jb>!Sqs8t?Yyy)F*ic)pA#Wzvm)h@ zrMJn)?^X+OaQ88^KEo!lv;{xxy_SE#vyQM6F1Cb;a8n;hXM-oS@$UXH{UPE=`F}BE zjJyCG%7DYx6~F<yKz$|-)MwhHCt+8KLnd*!Ypgt&1RQ2Z%F0>eG!BH5J_h$^!^aqg z{SD<;@=u$=J(zw3Yhhub*zI<qUusl?A8gO2Cy2{R^;0us_x&T}`BlIHy6_BeC~@gC zZIWf_7}>OBjASQ=%3}+|<k9)z@(6Hv0644$4l95IOKTtFzn~i^zp_7sAF`n3A9B5h zxIFN{1LANvG(H9nY|n%TaiVN-Z2i7xWY3xrQUM%x0tc<nz=1Z&&}TDj(#9pB@<ei& z`~x_w0}c-ZhrdFORwYJiKxvc0-F%E^p!X=hvj2qNkpEGmMhzeggcDDNwBSI#xZ`m) zTz>w!Nj}-VUS3`sA?5c6%TAX*(<T}EoCljk95%Rc_&eli-MnylXl^qO1XTMN@V6(T zZi2n~MdXcEvd_z2<T>`=EIh{$vvA?U*9j~2kvgz)<w}i%yL`3Ar8Q4@O`AYnI9GZ1 zC1;C|L4E$4OP^bfJFEXg_{saIs3`J5ii(P~??s;m@c~)3Y*`BqXT#%cJRv-^Nn2@? z&ZW=5fu#*vxAj#o(h1Mn?1t?WKR-W7NJtPon<4b;Qc_an?z``nwQJXEy++7K+a3Bs zZQ(-Nb8n!nqAx^$l;;5!>T^~8Qfc}T=Z)NDdVhBJF`jhkb0&0wr7d8M?+~l#24DYA zxYqDrd+oKu@o3M&S+iz+1wUHzAtxtCCQX_oc(zFX_P4(Ya!T^pV~=Tgc)lmSi39fn z?h}+NR-R#q1MMm0kb5C%^wJ}dvcG`vpODw{mYwo3pbPXdsL!-X>r-P1{yEQIi2Xf; zROl+o4`e+H=l)@M4#oi;7TlB6)Kq~^2(Kqhn4tY0JP)JoCt)Y7<PmW&D!(JWDSJHU z(6=Kms1MX>t<T^C_h&<&X_MUbdGC(R^aD2-v_4yV!wok)hG%+o9E5ATbXo9>qTrb% zK}<^q4jd@(tu-u!gZ`3xB@RY4@L<dNSSeG++_bH4Zn{&R|7#fb=Vl*+`?GyTgzWgo z9Qojl?Q-Jy@dMy@yW<admQvQNS@S)fQIgfGS0BIaw%cU>{P~*hI9F;}A`a9G#(fAI z@o0?;V-VbjDfje|s4I*|l;b?f@8~0OpCB%66p-MDkIAp!8vo&3&|NcPl(qNXd+#rV z6VHw6N}V=v7&K^*;Mq0J2kse^dHOyE9)y?hQ|5^$&jxI%57ZIrgTWKFltKC?#@@rT zH_y+Im){isq;66EAxjoKFLsc6ij272ci(-Q55$3X6|rTBkB`^ilLy4XsKmiI_wr0h zADePdIN4H$h?^l_{GL7)eQwy2za#cE9M2g($}`0Iz)!hnr7SVtOq>WCW6pT?PU~+( zM1+Keg$bTc(R|>2jxlgxYsi(s6GKm^AB5d#DMvgrP_F0)l6OXY1MoB5b}?#uingD? zdo5A`zM$b6>hlXPyr6L)eHb@{erOzK%$Ok)Cr;F|g`B*GpR^{;i3{PT9?<^qd!7*} zKlHWBp$F6f>ICPd4F>GLV4gMJ-riy0dk*4G^#GbVALe!1Q?&nJ$RPb6gRX?9wzgKo z1KtXJ3qDn>^#S}A$eWe{?op&O`?K<zIM9xgrnLW0KmD{gold<6mXws}af}gwPW7;D zcVLga53ujScMk$+<~`b*zv)GI>HpCFLm$`in)=3;u#oSx3y@RoOCV38Z7XzL?{Bm< zlyAx$;in!@FUb?i33<SH7VjH{pE)miM1F8T2fkLoO}oiFVS9^)-;h(b?lMdqj7r#u z7iEaL@Zf_F3T&2epLQ>V&8QqhJ40K<LiypDh?TGtug#k`GsbAf>vVoA?8H&SZ}|V9 z_Zs40*hK>u0|&OGH*FL4ZhcOmOmVMur!QgUHQ^_33?G7d9m+jri8QAU!DeIwj`M-N z1%7w=r;TvuM_W80UW~Ede*5i$=W?}t8#H%s*^jbBS?BlM0|>j3AHf+3zXCmP*fsoI z!#Mw9?^#E=<Q_yksDq>v?FVfg_ak?nkha^mZ<qD!*K2tuy^Tt|DLd31`c1s1%y2&L z1+bX~c;(Xh(w(rg==g*CzDW3uN*s)OHl7eCJQJ<=E6Nzh5I4e0*(!(aBrXQ*@K5v4 zQ{J1QKJ~wj|3JU=`4{{58sb9wvo-KwYv93_G^Kr^F0hg}{EmE}?WCTPXS7AkB`^m? zTu67UaXxnD6vU^0((oJd4_{#b>BM?Ap3uLi|3kc(mt&=Dv3=#0SG3(F4XCe_cfwCS zfIQ}5`QIxu?ilnUJ&pJ$>_kiahd6NWr2j(uM>*hr#J!U==9!bUCm-kw7<}M0Z9Z)+ z?HJA!I<Eno|J|??4=w-hve8=3jcY@1-CN2!ui1yZpv;rb#F4TNIr;@YLOpoJeU;Bx z{Fc3m@SUq%iVl1R;eWDn4L<w8=QMtIk#uY><@emvq&mqjq4(TVhbMF!np=F**Z;n@ zgKItySBqc2U_F%I*&6d1^Si;F&gpSo;cDxCPn+g~Q<_^3SKGnWc5=1dT&<6*4Ry6? zu2z~`54Qe*$AlV&dY;c|U4WtVZ&@kNXY>`p=~bwRg3Ae1_rhytR9eRaF<qO5YkA`= z7=%4PCNVK_GW`8W#QekYeGn>r?#oeI<dk!N)F`qHxt^$ZnsaQ71v95`J#ss@BR2fb zcN(O#!9ZNE?AWp62%PN}L#G>Q&){<&hrRt0d%@SROYg%!&q18*F8IKa=sy_M7yic4 zImmG^PsUhi7~;3gc{5*p@OzOeMCI^%B$jW`|4ij7*zjDe*+~0I8_Dw$VPG|K7%rdx z7uePBVRH|_Za&9}nKNa+k$EoWR~Qp#e(3FEBGtgX9l2f~+G)fUW+3)7l`znE;@Ok? zBkel(BHC*Dvh-7UkDpnlAy>tmCv$Dg@$mTt=BSw8VcwrPHkLCXkMDhW2EZ9~A<heT zasTDM#&a&$r5{b2xbWA$Q}c|?|1)298)CQ2_c2$twZZ*vo1dA)a+e3aKF@>n5m*TW zEA2ZgX~O;M$f5V8;QpyPFTr>?%biD%?>gL^H@yWgFz?G}AQ;<c&exDf=6jiE3_<($ z=`!iVJq7328Srzb5)K0v@}E91Vd4I>^T`D|rp=r)WAeuOgyFvc1M{BDpKEyp49vAL z$3uB!j*7WX<_T|wj-XV!c;dr-9C4S0`2F2o+?!bq80d45CiJbHD<gESkNFwK5m~r4 zD|4^RA2a9YE{}Ycg*h7L`j}&)JO;d=hn_IjrypeG7rC#}Pc!^C0~U^8T$!=JT*Nb( z^TluJWEFJG9R|wd)K>C{=l8Wv@L3wlW2-!!57$RNWd`C3Q{Ca<+LUv)EX=ntN5Xs| z^HkfPNIqxI@bHf!OKOqx1PpwhhdRNWEsKFa{fgzwmoH39OS_9cD60Vn<0hm93*+m| zH8ID*Tp9CB%x^GH#vBuK8_bb0zjWWs=KA>Rxk4DUJR<LE<i0td`}(v2tn_VI-QgfC z<p1smLxuUSrvU?Fnv9Jz$3l5zo{RYv<{EX5%eDTBS>w5s)(Jx%M}rP1E&Qi%hCIX! z{O)opZ2`~w^v{VmVId9J?$4d8^M=e<F?Y+HA#=~0UHL-l1oI=z6{aIcWzc|&x!Y*w zZc$p~pSp$L_AZ3|zl*v^yTfw<&vv8<Z4c>jto}WD{U32UPr&#z<&imj#-<IOV4jJ& zKIX~NTrhC4xZ37C{_R-%!;}1`#RmD%zoZOO59#x>B^<1z2P@$qoydo?l>>W9bk3By zx;21-`O;S9SN4zVKk~>UGoE_tsj18j(H|!qq&d&kJX14nN;pUh+9Td$Vg8oS0T?>b zmOQebOV-+IeCT5%Ua=7ImIb84qmMqS?H=te_dnWy$^z*@S>)P;g@rot&8G+D$fxf> zCtArPbb|88($>O;{PR4{I0s|8q%qG|&_#XTqHYo<gFo)PAunFeij#)V4$9Ggy>m() zp%ctsQyw?0yp_whx&Onq(%<&s`p89m5*kXc?jD_+#yb_{;fEjA=R3kgyGT7C9HasH zL)v^_|GvCsnJ3TQAFiJTFyt|3`FMHypULvoXK+qV$=YdT7&B(f5X5_z6A$Du7u|X1 zov-5e+cIz7JRJwdGm<)XVVr$PbJBzK=lPDZKzb1V)`fGT-+suJ`(At6`n*71Yzp*V zp98tqGcUv368tQ|bKe?o<NQT9SV<4U(V91ekNXyF2hXLLemE-qyR#J^o<ZS%9A++& zc?tZ^R2Y9H42u^p)^w*m;6BK?4H@8Cv<rr=VxMS2US<wtIR!ov-oC^)`JMAj<wIJ5 z_L)gZNv|-+!x%k&@Gs;A^K00b^*ZziNO!K!N}r5An$cpf`VsWJ7jtb!zTybh=275W zMav&`kaN+uBfS~Rr3^Bb&b$WogK!$LEAoJLf#V1ZX+gV9n@Kp!%gZ0d!d=g`IPPox zNB(vOen&TzYjaNWnK0lz0fP4m$W1rhq+ufrtn5P_U_Z(Y{Uq88K9`7CxCQg_tk9mK z?Jw;Qo}<5u^VK3I&pn?uhq(p3vq0yVsTYKgg>*1ty!4luQ=#7u95!On_O4C%^!kQ8 zldi0UgO%%XKf*f_v~A$Cs>Gc#M}Cpk#G5u5v6uYcxVB!O>%i7%``;EEh7XM290-2z zsAI+S3mJ2wJpPWg_4>ru*ncTY#Fulj(&ka;sN2MoGREh3`0NFK7ohFKdE(8rS$v3p zYr4DBpFCit?WOG_pYcuz%HI*h!ydvMjGvru;crd6&a+a#&Sl@u2v?I2ezWV*@_SvM zbkG9T168%7vY#==2SZpx@tslA@R?Q8+js{{`mcVsYf@(_cvg#Zw^<;M5t}z}-ijQ} z3D~G_@Lb5>^YimhvpdKE9K{@qY&M(z9(^vz&CQKQJbPDhak1v7v4@e*u<7r(FUEWt zo_}VX^(V|x2l+cjJ>=P#^6JDH<QDjKe6BGRXR8f32cqmS=3rmSG<`V3pD}cbwk!eX zCZ3rXL)Z_uW+<NPL^1qh#ry%+qOQ>{u~J?+mSqNxCp-i1Xm-i;cdq}Aquoy1L_H#` z^c^VM)z9Zi)}m(LaHi}0#`7c3uRJU8tP+H?(vyITxmKRZ2|MMV>lUqy);`YnID>5f z%$$Q~ah|;xi{QDB=gwf9I~k*<Per(Cw^(?F;Th_ge=Ziz;a<LiiDgWOaRi>(NI&w4 zdl3B~mYolb)BYCEA3S^T>_cCd=MBfkhlF$R93BNY$UnS$M(4R{!$^m^mn^b9eY8GL z(s!rd&T|9LPAd{`)N9;QD^iGaEq>=MX=!Qt84>2y$V<wLL4VyD|5fiU)qej9oPAt{ z$ZjM3urFx4#he_UAK+L+=C-UHBZun_XnOJt_1C$2{bPpwQ1)o+X?Ms={B~W_l(w3@ z{CH1}JiYox{XF-k)CuzXa|K*}n=u~0UD3W8?HA>ScAGvI`9XW?4huhXFE_@rWq*VJ zq@Ce+)ncFI`rMCrPT<_M%h>zV+{e>S6K>8!THwCcC+^vdCvhy#+1$I4i#cs9=ULgw z5$=VmI=HGrd!}miVSm<c?CXI*rpe@m_5%IpH4pqX<mM~BcMWegG_jATe(PEX+-tt# zJJ&A28;y8n(r;Yr=<10p^tsU0)1=?F)=7ngrY@LoT86)%guh8P+Hdf6L4Kyhg)<k; z!k@ev?KkC5<F5_&Go{>(KVCLt{-TA6qy3gAruc=9xui?TjFgnb1$WM0Zo&i$Q%3tO zU9xaw%FLw11v65vT`+g%l0_+tX5W47%tZ@E&PZ8s-Lk=cCj7~@xw8{f?w;zt8m2Ot zLhfF&G)4beKG$r%=a_AXuO5eyDTy<e;;)7+cU|L~C5eldVwJ>MaZBbd!=HAVlbF(S z)BX0iR1D>xVw;$_EOEYRKK~!>HzOr_;j%^Z5|{Xymd*{IITL^RZnWR*8S_&T{Y-%^ z^MnMRd6kgB(_jh-Y(WmgLjn!D;lf?u{`0wg6fi>{Apd1Kl{t0ziwF%ljX5gUJJ*!! zpBtAOpF2G_IX68wGuND3np=@uom-cSHy!7B<(cw=^1|}s@}}n{=cVUm=9%+K^D6SH z^Xl^O#$&6O)npB_hFRmR)2+$YbZe&7Y%R4`SgWmd)&{G}_sTcr2jz$5$K_AYPtH%z z&&)UHm*!XGSLfH|<0TdaUInItpn|Z1xPs{g$pz^JnFZ#8(t?VD>Vmq0h5{&Fp{X#a zFsv}HaC%{KVR~U^p}DZMu%fWKu&%J7P!)L<nTmpn!iwUGrWYj_r59xunTtw`DvGL$ z>WUhQl+DX#vIW_~Y;m^fHjt^*LxrGeh9(v8WB{UUz*LxD2B<0lR}CPm2W*}N-Ua@E zEf~;66<|;Wh=+g5;%V`+cw0;se@l=h*b-)mvcy^9Ez>PYmSjt+rOr}sX|Oa}RE}qk zSB`g%DaSu2C?_~4EGH@_E+;-`dQMVKa!zVadQL`8W=?jFIj1nEG^Z@50(_~?sd3|t zXReovKS8-+xlt}IC4o<=;8X^9l?`qcf?s9eSS5H?1FqGBZ;jxbCwS)#?)ig%!QfyN zco+{ZCV`Ks;A94PnVnZ!SO#iVf}S;?Xgz4!2&#I5uHK-mKWG~a>P8g-?`ph%6irf5 zYEec}c2QwbSy5$CO;LSOW09xL+vaZzwnf?EZArFNTZS#$R%k1;RoZH7^|nTvr`_A` zZx6Od+2id=_EdX@J=<PrFSA$LYwY#*M!ToO+u`pBc0@Vi9Z8N<M}{NYQRpahR61%L z^^Qh|XR&v&e{pbeRB?Q9QgLc=Msap=VR2b;WpPb$eQ{&4r_<Z%?+kWEIpdv4&QxcH zGuv6{EOS;mYn=7YMyF?qcZq*Va7k22d`VJCYDq>(c1dALSxIF{O-X%8V+mfbtD1nD zr`g-=Zw@v`nd8k#=2UZrIon)lE;Cn}Ys~fLMzbgQ?hl?vf!|5sb%rI|QfMi&R9b4l z^+t;)`0Wo~M}f~t;Bf}{TL|7(g0J<^H&5`>KQ|b>jL%I17c;=YLU6AVoT~@dJi#%4 za4QO&N&=TMz@fstvb@T?n!NhF#yn4}x7FVoY>l$UTa&D*)(mU5wa{8-t+duy>#dDe z&wTHE|NP+msQmc+r2JG!cea-7N=S8mexpmKgCWoH1xW>|1sMg|1**YAJqEch{eP<U z$+mP`rp;_CwN==vZFRN=o3eY^P4*yrm_5!u-JWbuw`bbT_ELL=z1m)9Z?G$em&4=; za)deJ9Mc`ij&w(+!|W(^R5+>~b&dvyD)uTi6$cfE6~`4%FHSB_FU~AB7nc@S6jvA5 z6*m+sr<c>@4047!<DAo-$<B0Vrqk>!byhg5opsIzrz-I(F_i?Bgq6gVOfN|;NiWGP zF_)B<RFqVg)Ri=pKoH@jM6oe@nN8*(bC@~KJl&jZPB&-b7*lGlFjt%F%nfD*OJsr- z3WEij4(pR{$+Va)rIrdyHS7?^d*OZ1Xv$#MGHJuYn&-`c)v1Rx`a=?vAcM^ogjOT2 mC?1wH3AQv9)-(h5G#i>;3SF;&wpT;n>u3x9Q~u9U;J*PPbP~}3 literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/pip/_vendor/distlib/w64.exe b/venv/Lib/site-packages/pip/_vendor/distlib/w64.exe new file mode 100644 index 0000000000000000000000000000000000000000..46139dbf9400b7bc0b64e6756ce17b4eb5fd7436 GIT binary patch literal 99840 zcmeFadwf*Yx%fTFWXJ#sJ17GIjf@Z!jhAS=Bo5RJ%*Y;@2v$*4R5Y5>N-GUBf)zD! zCoRKvTCCc7THD&|v8VRfp0->qBm@X|0^WkC;C+t+8Wocu!hXNc+A|?wdp_s)|I0^b zulwa$&w6g_St~U+FLk+HE>|A^+qTQKg0K9mR=@xIk45&7(W{2I{yuQ~nJaRl+t0jy z&Nt`#=hff)jru#j?XSJ#JKwoC=D+i9e|`Kr{%?NAADVWZ|J(Q8b@v5@g@Z~nO?QmY zpLpWFv)Z%&=U1+2f0Fo*(#iIJsPCigAE@t&_FwS*#gKorKgRco`_69Ps?rx{%D<5L zu2$c#f3tRuw3(g3^sviy*Y^jw;%6V7l}+n%jd2am9prMoM9P0VsZE#jEmGm?9QjB% z*X8oa5C5`Xl?c$1?p$)J8?%)%bt&mIlKn{COo{|u3(v@LO_0FS9M|ur^KHm+y~I%Z z{&nTJ?qUGdpSfJ8_a*)x0$ncGCTFPsvhW45yBEgDS^pwGG9a0|EPlU#ewS<Z1@(8` z5xc|X`bgkGo32X!@8th}|Ed|@1x_*7Vj`|`20V;!5#N6Qs$H&@3+6cm)f}0ttAGNf zUny68LH+#tTCx;OfQ{?xM5Nt*|Ei_m`n%`eOTlVE-Y)WG4v&1L+@yZh{{P^=fI#zR zt$7{kQS<dk;<}=m#N^_d#8m%vH|mWCbg#>$o1V8u=eYEW^?IVIw49Wvxn-3=JCdAS ztS6(T<)P#xyTaBJp;Etf>6uhX7IuFLHStyMm-?MF@rN3kXl{w0r#J77U9Bg5M=7A2 zTWw!~lu3A+GX(~##2@T)xzb~!NzX@8EO~utd2nTsE5}u_xjj@me#Kyyt1hvq)NgmJ zlm)kams5UQ+qVC8E{vFg`1;L-l>c=u@oS~?!gJMJ=F){Tm)+5m<}xxnmue}K@ccDX zz?sYHH#2kj`u}Y%_fVd>=!sdSUOf>jExJ)R4){&ak&Eco{6aTBsn{DeH%F6`zSP!q zM9j_BFW7QXa})55m6)CvRk<C(Ku$yp?TOf}kunO0s=iEj=w__6Qa9Ulb5?1&Zmjp; z-mjlxT|hb`cztk2@P^=xx_N+ptD|O$WqAIGK*HA&WC+Qc%5cTI(Zt=A)@=50(A?JC zLf#V;(Vl3v79O*0-K0!1RGM3{+v*)HaI2}bZam!yL~FZ($u(b6tl17~`j_E~7V}kW z7saBg+M?2&HF+#+(0nywZV#Cot&))-o4H*#JFNFr>zy*y(Trrj^fF8`d?u~e+L5xO zy8B4#2Vli&$WWfS)oMS*>6cC+6i1pFUDxq`Z_4x=GTS2NtGc<vdcIi7?~q1iF3gYF zz48T#%+u`Do@}+AILaL9T{mA0t`K@>{bY&iUh0({V+7Xyn#-l8VTQXDI4WA);RAYE zFLQnG3}>!Ub0d8+Gb=!!PDf8V9Z4@2&`VHT9(L6QJU=5j?x``~OV>$j$)76t?PeY? z0YB^Uue6vNk!^AE2}9rWrEOo6oK<Gm1m370r7ibVlU*0Aa>oYMl<gyN{-<eojropR zve|6rXmVC*b;MjBF>fi4nDYrfphwJig0}~63*H)>b!*$UZ4R!^xIqxL9714zlDzQ( z!KT^PkKt%~^8B9);;?4t2UiN^V92`pO2uX=GhR>3WheWZ_PSinEm~6(;9M)aI{hGs z_lLt$|N7E7LTF}M?=Vl@l&DG6?6kU1rPki~*Ht`S>NFoUzuNpb)qH$Zh3tjW*(~WT zG;LiCm>5`mW7?xSRqa?W6iPR<N~ibi(@$&B$8KP+l;3{a@wxWx%WB<xO*aqQzV}|E ziZRv&eJU63yGEv<2C^w?Zq?0K*~#OLyGs2~tBV+m*-5Vjw$DS@=pCSi-jvNb)7hKT z>91P$rg30=^XB*|X5kHbj;ncd%v-VB_AQ~S71BJV#<vNbC=x&x&(M?4l{WN%nvDk< z2FeUPXO9BzLb;pgDN=s8Vt2)6+t)w~(PVgkaOF~I1_}*Krmvz7k*$i5+rFt3V#$U! zE-IZa#p3yj*rsz?x1?`eFVK7R3)^n2>2j6#Z!X)6?OVBr_L9C)6g4+lw^O)cx2)ql z7{(lH@-&xgWw&kHfNb6zI<S3Rs=|yGo#Ic(PKQtQsLErgyz+Aj+rF(%p-ocgUZ+s6 zQ|Rbn3LR2~{@@gX;%&07b_#vw6zZf9ME%z!t`Z=&ho6J7(D~z35oDhk1){n@WL{WM zG*nuxvv8Gw`>xV*7eC`21b$U<Bfm6a``+jjXvM>}uR^+3MIjOM9E=Q^Efu>%iKt+E zwA8;+1TWjSi#k!tFwOfIT-0o@*lf-1wQVyb7=C@}OjaY|x%sLb3O`L@!Oq#X?{FqK z)7Sz$=4WHFPo~>GL*hx_B4@fOX)Y@1r;?uCtFq@nnpkP^jnMlWgu&?Mht&EGwG=)l zS$)WSa1D4vilVq7ZTVDh9cWlqXB-|A8y7TRv3@NZuq8f{x))2`<W#Tin@(k?PJEj% z{J{}7=-rdrDQzWvBPkeMA@ZMY?zDd7FcH$vB)z!>FbE$hXW)8rL9w=ch;%trI=h6< z6cW;-+o6}2QimE=jubaG=4Of)NO6xdHcL0(tP5406&tB7A1vty;Rv)aNH^MY$ru~| zAd~Tu%7}UELW!}GDeS<1B+CPGWqxXWa1bHTN%mTuapjo!Idw*0j5D4>3Nd^c(sv{~ z+mg|qE5l=!6_g0BfIX<$KZY#BF7wwJ51%n6Hu88wmq<fTs)okV5F->YD43t`40EJ3 zp4OO=wtSOS>?9V*xV7c(Iwts@p174xpx?SV7nC+P3XKus;)i(8x*a(H(l8S#V;;z` zu=qIdPd-~I+obWpGx;)1&puz4jw~G@n7i|3i1ZkyP*+tM^CYJoOXq9Lcj`t<p0<3K z?75#o<tw^F$vUr4*MZUG`CXqmV$hu2^r=DfB^mPFL)F}eM2ro&4x^*&JAi0rRSqB$ zAwa0rDmtsHnmCz6vm-`ZmsS!?4<>LC0p0izuqNlB2h;@<m)x+?(=k5BHQgEu)L_R+ z-xb|z-7>tp6Dp!74QX6Aj|sU8bj}~qP*oVy8mb1x2I+RI9@td>QQFNupg!_K(x=gc ztoYBVT)p^mMJ~&ZM9ns4vNCnl<qDZQMKV>biX3eFhB0b$hZ2o)WB|3j(!k9$P?v}; znyx1yt94Z@M+_8a5nr-yfGB_p19fnvuIlo*1#XR1GwAx<k*!Xrwk)`U-q}uZ7QCGW z&sPghjWbn^k1{nrgdFzO_#C98gA-~9(EvSm3Nfg*_JQoG{`=HdxV~RT{X1HTnu|)S z%^fug9zD`L873L46)GnSZ#g7jK#F?FdI6%rQZ9mlCogA(lF8YCdzC=PDlMjEC&Bhz z_zDX2b*CbKTwi)d{M-o4!JoYOBkLAes2ax_u!eEefT*Sd;7EF`OI)tkw&}?yrB&K$ z0NHAic_G{P!OKEXe=i9YEfHh09Wjq0At$Hj)_wYX#I*IEUD0Ha)XggXC2`%}9Cf#5 zQ;waKLNt<`<;@3AtoJ?An=jyihVfKuPi}-leE&0`13|5f0>koXvhZ3;fE!4M05&Qz zPBa1Mx2|Qc3&o2-s}ygy9zYs{CV%x`U7a>sBq1sU3hy{2#}yx{x3(75^|ab{JomFU zy>)X@YR^b0dWQdJNcjvA!F1^@Z0>iog>c2ept(UuH+r&#MHylJY#dzAHJrAsvk6wT zq#6mUGP_lo*y}_fjORMB9oApYl!12&FPtv>xzM^nwZT%l(rYPsL41rgxvyD(<PdjO z)7nPz(xnwG>CvbtVOd8dWk0ASxn6<m02OQ(LIuN%A)Fy?iEN1kv~64Ub;6w@CVXLw zZth_oai8^SDe}F{AW>}95;ohA{Z=%PfY>f7k<t?qZU!66qwjp{_fiU4vEF}6+qU$; zy1=^FP~B){=j6!F`Iv-wo^H0bRkXBa`lPdDVa-cI@1Ea9%d{nIu8b5&obCI1CJ`mW z?#Q&99k02^T8<zh3hvK46yIGbj5Kw@*%EQWW6qMWGe4{5T-7R2wg#x+R_n(K>RYXk z&XKIG)|;7cJ#7fxlDVY9(x4vLGXH#~Fe+V9t@|F`RMXFuv9)>iz`pu}U(x$iaS_H* zEB8n%BY?%Jx;Ypy$8zmm*_x^TH8b+Q)0Hvt;_2){b59IgK;hYht#4hZ$c$GeKU@-? zynq2GeLvnUpTb%`)<Xb?u5KoNCArpz=SyD6<*LZUN<Qf!|7rrp#I4ilPL#jGb%d;= z)MjBcREmntK{mSW`!CXEPX9v3Eee6cO6GBNTohdPiTPT{JgnBl`k`Q}F|m70jw?rN z%Au=v&)X7V@j{Eoy-Kiouht9-umpwU>B;u}Y^OxJWOtN<BwEvNo!nfNyGZ5sDxo@R zb_<;yA2ltBSL(*cFkiH8J#egko)sBSLsj|l-1PgBaJz15wr_%}-)WsEnTdQGno{_e zYoy;XP7d*>RQwd;(ZFYMPc&e~UWl5X2}X?9oo{(xpQbaG^v_t5(SpLsLKh!vxl(F< zr#nf7lJq;0mWG?(jcE>a=8Z)tY<@R>R=a1{nGR5#j2p=aLfP7&XMAnnAGQlxvIO&F zM=u0dtFsy-yIK}&cd8B%e4B(>ww%;VVxpa(8|0*>s;q5FKqtvum#UH!XRolgUcC^M z+iJ}NYpB1{2H?_&b*fWOu=jFBH=<@M@R@fZ7=h;0%c#J*5!O%rvSgjM@B5@6u3SkR zYT;0a?4Cr1uZEi-|6A^IRbFV{X;mb|eAe~S1eiD2x|$Foc6Gulrj--hU|Ver7E^F{ z{9$X4Y}~};BHdit;*uacZSe{fn#u<CwU*?#V#CdbO(ZpYjFC`%uQe|qB@sqE^~JE# zs>$BiX}USN$Xu+770!}k1FicnR&6tc$wl3&h1~csLzT(hIJr0n0j((aGwtD={$uQu z|K=e7&BFk+&>y@Wa$Ak$9|1>|wJB(>uMw=?A_Il`j<UpNl3^h4L%Ub7mmg03NoDVj zy(JnR^m>=|1&a{{1^nTv+F|i4^|Bsq`RQM)GmZr72l0FJg1kDT%`c*h(W{brRZ@#z zBpTh`9;>cHcL>x4I%6Btmmt`Stm3y`y#m=|xuzo8@=mLrxDu^1wFXHokJQ?Rkf|+i zD{Bo^qQ4>cuuA2|uLW*L1vjUQSe#)wNH=p7md=9d0D|!qFr3{{b5E7$=JSE@0$>pP zUS|GGIy?W8%>1c~F5b-iqh+s6)|MBXijJgaby&@+)sKXGN}chAO8Y{kt@B5Wb-59H zQ;achmN9RMt=E>X)0S^8+XUiDlc=E93;^l0f1*uLXtr^9|AIx1>7seFu7wYS?v3Yx zD6Ev<dj32VCPwSB!Y~!JPpn%+vNsE7QAjjSwnd7i6#@o!pI7C%my8(1cdOORu4dMS z=|5R@%(GpY?5$h+f+!T}Q>@!5WnI;mn5DdId+3`oF>Vvs6;uw5c@eIeZv0TBr&AeL zTH&=b#NH@Krzht^Kohs}f4ovpJXnp5Q3vnu9LRJkHt2~ko4vb6@bc4)Brx3Cj#V)$ z3EV_DbuXmaT04Om1vb_XKt-xZzZNmWE>j-{jIR$O6e63g5{e#Dw3r{ibpaKkwflj< zmDcy9Nx&t-#dipsuGHz27NtrMwUFPN7l5=a{yL!<N{6h7??;Y8?sG-VZIQsC`KL<H z)`ilP=t-$t6~lYz8)5;Ov|sP}L^pbK>t{}7vlQu#hs7$k;37SVK`+p{V359|i}L)_ zbYp*)HJ;JwW&1^EfWz3abK3K_ZG%OgYJDg~8;TBqwRYDVZ^%|?FG{;3s5Z@ZyvX|V zY1xHKT}XQZi3|t;NCpa6G!z%I#zSjp=@jq+`<$S_eF$=9XS%?;n|3ll(Ua4<8mpwQ zxW{@7!;FZ!H7wC~YnmumCM#&Nf+j0yvVzIGi^Nul^{h`ssYbUF%b7zeI;@?vB9zwe z$jsIUOsioLHkW_3Y2hUf4@o`8j5xQD^9m5Ck^_nHk;LS#h*4{~tXuL080#x#KeKQA z*eCmJ+enmR*fu{AbIcsw+)`s6t`ULxQ$2Bg={&*LQ8l28uco;>ezrAdRNsdG9GTle zabaryKBk6oP&Z#FZD6fsg@&-s#wI(`b0`|vbl*9;am<btVehTjE#_Wb*3%T-GWOek z1$!4f8Q~O0dwyTfl;Q$VPB+uB0U>i*X?g&5B=kKoA<f33qBYGVJ5wsS3NSnzyDeI~ zz#DGvj!oAV`^k+2J_>1*J`bBaqJhoY4?bjMQ4>W5{hT>lbFZSga~61m=Ef*{b&g(U z={aPJd5)jiQFoVKwkh>%RgL_x*%}F0^>f02#m_VXAKr&CWnI|(G}!Y=dZ2D@2$`Qp zdb&bopQZ;%Fz{hmoAN2m3r627de5#f>^jq3#C!$5``eHpoMZGgdhOUfSZ>R#)O}1y zDii=GNrpx<EaB>B2Nx@Vz#by@Mszm?5mCJ6$Wl_~U}~QtmjJx558%Qxtlyxnv~%Li zZoHHt#<XI;UiJp?M``Ujlp61(6{SCnnC+=i#1LRku#ZF&v;9G(VMWYO6dn2^YQ81N zGFy=47U3zfI`J{O@r4~56gAgz0CJ1;eU|E5>0Eys!Op!<HdmY#U8-<1iein9CWisr ztZOoRni6SB=w>@M*A{8KT7)S`BBq0=c^9lpDN4#tjPeQFtue7SuhX#$TGawW2mQCz zk>^$N5WHF_*=u!yO>t3-!YhOj5}S`y;+Z)-hs@2|@;p6#)=DxEe-Lbh)s~0MR@>LU zUQ9Af*rP2cLtEaeE#Ep;IF+bXif@K1_STpkC~LqaKEgVm*=Bg<Dy9#Se2iv=QNAlI z>e7gbg=lm9{PfF+40YkEk+I^i=wzWl3rq<1h|w{(E=*eo&@)Gg@uE*@<3y-6U3PN4 zoPSj>uIkak$oS5**!M<CJ78ucF({&iL~I)m9JA})UmnV^Cx3?J6k9hlkIa-l@PVM4 z?9|P`%KCH?kq5lOM;^>GYQ2b@*aStMwLW9BnO)5-3wN8>75A+3QanDWY`)jrnBqLr zWd^X6JYJ4{>*KO}in`aiV-tjpFq+n0kMY*%h?&=--?MpUcgX8)i1|duOAl(O92C#B zH|TbY9&p!x0--w1+>q)3x=p(meq#Ndp*f>W-3%&puS1`Co=h2GJip>#>NiBn9w@3Y z57d~4+z)sot;ak;<Gs;S&AhIfdk)SFc85IlwkSJ`T<d&h5!e_XtHjTpx_eW05bbIZ zt@WSuOfGi$LGQ^(<>o8Q-a5>lXNNC-h5fX`l}iJ?3x;-2F80O-OJUfa*&B1450vUj z&tr(`SJS)dIS>7_y{so0x|AJo+=MCiOYmP%UyPVo2{QB@2^J*J=)Zf|FIj_!&-&xA zEGVqY2(n=5QC2UUZK>?Sd`1QbCG=n+qfvH<jO3#Dl{)Kj4p@YLIOn3%1<UutLxg1{ zYdS-)9--}rkzYEjIhP5F+wo%Sg5zDU#u_cS@}I!H2A#^IL#y9x4_lxO5`KI?|93<h z(V*-r?;F@2?j-PVI)8F9uQU<v<ZM)rnql^0O$T%$Xum96zdJSyq>9)zoeR+=!X1l? z<yTfC5$;G2(~~ngkRPiqp=ZeGnUX1G^A;DUi!zy~XEO63Gg{THopqBEv+9m%zi3NN zJ|@Q@(>eG<oS#3QgFg-c-^m{OWnk0)96^yr%uNw96+xU-Cu0yst?3gr<(9Zlw)#jm zzt;RFNe~0!O0rT-J5*q|*0g~@B+zl+bnDYog#KKWgMzvmEHar}sB~e}+%CHFc!|st zV-gX+^>rcMy~pD7tQV+dRF2V_AEhDdzlkM^Qw<XS4Pn~4m$qmmWU`}GdmN#CrM+C* zgG$W3{g|{mO87UcIooMFeu;Ghp-{q~KDW8${&OgJp%g2zt|ZxEG3mk9#VVp`{@S5x z?N3%Z`rElgfRO>sc1DBp>33N_Wf&PEelol%?>B?RL9<s$!_OKBdo6V1?0LcQZyEbP zt~i*WjM1Beig<<?caOr>LG_K(7{7T-aky#k{eyzWJ70zpw-l#G1-sjFV#E0L#)bs7 zRqqU{&u^bxD%(~n4gH!_YFC{5Ot2Q5!UVb@8HQPlu?204DPTvI%_+t^88iD5+vM@h z88ka(z=u!Rq4|9Sx1NCI$>`5ViyLGd$%%Q4Bf0T6ES=NIrP!B6F5PK;B%8KVLYqi; zPEEhsH^!B$|AaB|TN9zQx>@pB5$c5biPmI*6vC}5^s15_B*x;_l<P@Kc)UZgEV-`} z%60!h>*B9VAdW{w$#SX7z^2O9yGo9S4qq#c_GV0G6;?{(f%f}Gl2T_(xPM|?bEIi2 zKn|R9fY{X1JH@z_3@yyfvUZ?%Tw&_tL(aL(ak)dusNw>$65-Zm?FYk_R_tZ^&E1Z5 z_f+cz?YKgu6Hec!C(aN_)2$~)n{7}Y$Ey2^h#Ic~MllRAu4!^?Q^pvh80%ND;-bk| zpMC@aCI*OVILx|(<}ym)4FpXP2B`&uzf_G<gHpp)SJA}T&IrFYR8}YL6HM@<%PPwc zBx%qPMScIhNRzSkge%a&H$x#{>c|WOMW`rYzYVosqJ^yDH=A(Q^b#rCgr@C+jOFD- zjFw!iyO3IYOFTsb@uIpgb)S;DV;FFH9Wqe+alOQE>;#vUk$IR^PpJ%_x8V$f+tXKd z2aAo^71m-V%Z4y}tuq8+*c#mkc>rOmgEJnQNkfpQj+c=SvgRI?ZCpFvWz-gDI86CT zd!!%lqH@2@G0ggq&NJg!pg2_eEXGkC8(`c~>`Hf87YxX7vP<C@4k!B?Noh99tm8Vk z+Kb}U^$hbC#jD)*c~@gMTU~RrBuxBlvyi;1k~Ck8=6ll@>9w9woG|O|_QpzapNxOF zaxjQdSEU!n_f_mQRy5JnkoyK!J=IG<d$KL@bm?CRS&LA6S*S6_#0`a*3F98?EK*kT zzsq_71<El*?6z#%DuF&aMSqqldIU`qXD^CA)>rgDrRbZ8l1r@#K$>kiXeGt48>gAG zuW}VLNO&4K4YcmMNrflUnl*c7rmR=WuA!_|Gb57(*>G8ZB1y@));TFLNXPP7#GgpH zKeDjhq0+fI+Hw@a;L1T14{6~oxO9ldu+y6Gz5rX84<tmYoh{X_;3qxG>@{9ckidXP z&PWosSr_uVRK$y?OIOgC-njl5KI)7ET0Y+Tl?)s)G$p)DXeTJaaxIp!$-;5W$M*eb zB@xq8Gz2n4*E88pBAm|_{b;6D_(yU{=7bjw!4(VYoJm$vp9Vtc4P=!|sM=vMNlyn# zri4+3aS@2ZeP)W=!E83@>Sw{AF}m4Qss@noJk0>~WF~5~Kw3TLNRsJ!L_P`6XM-iy zRJv69OLz{^cDrW_i39UoE$yE5gdo6D;W3W3rCStlPcjpphaDZTBs`Z;&sma507TAz zzehR{*vlf@zPpJS6NgX;3EC+)igLE^uH~FCN>}P^<}#_%xL(E%A5y-Jw|FCodx|58 z`F`<p>~9OGt}*ZT)|eNW!Muohe`QTsPmTFj6n_Xa^=zHie2_*WwcphviK&}#kL<wg z6}Vh88ik#>f&Z-b0&{Y2G|;6z0?=IM<S!*`JWbemAkU>W{a8YQoY+XA`E0z1`EtbF zZg+@WoFMO^SmT4P+WFt!A0Mw96aVKj8jhX8jQ>c;I$dp$*brq4*Ujy=@5dyYQ}cq# z2S~NG)A|Yc8DagZ&Fk`_wHRXnFA|&lxL=J5kycWZ-}YS(oUETx9QD~~E0URz;!0Jq zkr2pa|JIm6f5kxrxtg-}XZ^82#qO#R_g#wF$7=?eTT6YunZxJ40vlDcwJ0!ResTIe z)J}Jc8Er2@#2aAFZ7)c>L&$-^4fl({<@0CgHm8>F<mv8x=47lQUG-HC)aG9lZax_E zgaT!;izE=Z=gZi5Bj7?%1Q!<~0RA;6$aM4&kgajI2knmR(Ch!9V32W96aTb(su5ND z`=>ekE9tou+gw}b{J^7Mn&VnMjG01t@|9MS_5|9rXq#TUX_c4sgl8N@Ed547RL|j3 zFq@*K$?0B*eWJuGnPpDq>zT~_6{Dz_zE62awI7m-!*WnyA@r@-J-2eMZ+f1maQc0< zYkg}e6He-w>NZ7_z9%_Z;*j&W!naNozNk42CWb9xFu%uQo*G!#fOZj1?Fd3Xtw-$5 z@qa=EkhpF^ixoOD#pP<4c%JB(F^@HJCL=KmFOyLUad``}mEo<z=#qt}%TNP*>c55p z_Dqk2I~QCmX1Eo9`Y-kGT)k|U-t(c}`UQs&TlCh{mC5MPBI_<tNLzJJF&0YIb#kg= zX}9S1xWj+v@W+8QN`P^A*n_8nCf3C#*SNZ`M!VF2<|TbeIq(l`sR!LWL)CCLEjUM8 z^<DZY+tP1LJ*krhlzNec1J>mXpn>M3+d^$seX&O0sb!Lxq(ggLZKf~BmOfWxQ!K#! z=|Q=9=_6P|FgByfgp&_BXX&q@?O{v{o3DhGKhYI^4n%=iH^yOSKN`Jv#LA7{`q)^b zcR>vM2b?&=yjOXY$}<@jx;DoRt`r8%W5K~)Y42Jr+%97W9zt!oL9@eg-_e@dNJUp_ zIs{^Ilwlmc?&14m-wKxP)S7mYWTXbirr4WfUo%q0v9pcTpx8*`a9;e;u;^E!WrocT zV`ow7_fmb;$N4FtNY&l#)mpPq9b;#8YKbb<nO;P4Zu~yugJZ_~Um81ewN)SGr{~d7 z{7xDP4z|;^M(X<5G$S=6Hi0hBmA*$9hX-iQqrk<Uc2^7Z_%eDKlCHu+7%vN(o3vHk zL(*juD^anJhNMd}B?~C2r8RBU2L<yzI54I2NWessbzRb$^Jq3KhR!t%F`Xw_2q!=q zlzod846XozVD^jF<G0B^)|ww<S5Ry~|H8OaP1KqfI5~X{_?}e_upBh7)f&Q<V0Vi< z*dT^+O8Oe`@JUrfXn_<-zt>l!h$2JNWfWPWiijXCMK-A-TJs>Mvmq2KI$<cGstT?7 zfY|on0hm*_p-Mr$VbT5u7TWsht<F65P{j6l20`Ruk%@S5B7Ax%5%)$DaXQ+-r-=X2 zf5q5{$~8|k2QfyM_Zg#Md5%omr~i~!>`hM1v7Q%EvBH)k=fK2C7@V}^0U3X755(yd ztj4-Aq01G+$2hO6ySmtj&*-Txb~UiJ(d3k)MsLxAqU5w9s{zo7*;bf^Zu<6M!_v)R zpCT0vz<d!kOWH}nX!V)2Atw9|vhE=(?cvlly~u7)-OnUfLYrJxEjkB08|Q7t@Iz@T zQGjV<a}0ArYx$~Y&@^n{GP+`o&VZENqk1biYz==~^>vH%Wt1LqrAuj`#>wrKy0-6L zsxh2ODPo>}M8t1V-%1(@Fe@?AA(t2NGgbl!=u=P62!u_TrsS;Du|0{|6$ryk^hDuz zp{-fJTXfqQ&<;KMTxk*dH3C}~z+oWIeZ)t(-tMO*rKX#EjKelG`J2<}`mWM>P^4&S z4Ex%OCj<}|mx}TwN9M^e)|ncXSsYPeeRyv^`Mk{J_d?Z0;)Bh}$+<P^SHzK9FVDEB z!ZE9*)!8CGBJ3d+%FO^G<E6zKF>qohM!<XRm+Y(4b+g$k<4rU>EoWoTs+CnSsN*~k zCZ;FC4Yu#|{}!Rl?6rOG5Rwjb+t)#m)hWW{RbU*kk)pR+P1DFWlQMa|Vw-j8UKT6) zbg4iGixRTQd}U3Vb-SDk!M7apxoQLwTrjEUSWgR+^ZoG8NOh7X7y|!-e&0f8$ML(* z{zMz-(AeV&cMrgO(A*OdRp?XOcZ4QF=GN?))^-8cnNbmQqn!0{ha|JabH%dmxJR<i zeWn<{bsGa=KZ$)tS!MdEu?xszSaQaM-`8VZLg2AShmzIaz@S)}-4bzk7`^A$f0_&) zG<t_F7_g!cz_vBEhN!qgOhd+D3@ul+wCPU;%}{He0}HDRsv;7{K)B#<KXC|POOXJ; z;qim}<^Ld?KTPHK`AB@gUeC5s+gFA&%^hSQaZDvmV38M1PA_7?0t_jbfCo9Yd_dgq zUq64e#si(KX-!2-4Wf>Cnngv{w0;72LE@G?AwT@Xg)Kyy(qn*hafot7k@i-<=kbwg zZ>G%B<As|5hf_IY>%w-U?5@fu!5>YIdqx1<U9mS}erY`H&556-*KTwO#6~??&;YRB z%!7U;3&40>XBwXqw2YmF;K`w=ainz7W+gAmf`cpSE(}hMGGolh;!^0wX|QxXi<sV< z8AE^k@~<srfVe3YGY%7yS;lcw>@+OuIbxJYG#^cm1gr<%5WEnY(pIF~JK`@<DgCkJ zO;x0AFzP^jfbIJjuL-BjP8?sIVVz_|(`#|J_xwRByEp45Q?tiCBh?)Fr4L48eD&+K zd(_1P)QAU^iZsG{t^gOyYf7vT(wC!m-@J#xnMZUt8}j@b8jcu?jv_4Pah!ku%JEFm z+BsFm+9~LxS>J*oIc6W=GE-^7Rvo35!uFi1@$)leT4P|;86gaD!RzS5a)%{Tw>w=J zNz6LxN)NDRkwxvod30|3cK;U$Zv3l7kqZ}Uo{m|+7I}5z(;o>W_QI(4;S_0o4w;}w zZ&Dv>y#b8@Li?PiSk>Es)m&N^`eNMzX5w$tAxj8%$+LH*UDhKvNUl2jp$xLcE_Q+K zn<kYKo)*C-l`G>YTq)5+q4=@#S?zpY;3GK9bp9wQ_P8ae;m)`n+vka*<sQX;XIFHa zyKr1~?A-)ncgjzV{LC~ybjPkUKFo_<V0<_rHr(D4yVQCQ=8};k>j|c-*$x*;e`evi zd{U1xEs`#9lFsIn#{G8Oa3`)we6IBpqG!g@!z)J-^}<cerOyaR%q`Jc&(=1VtLmn_ z*r~A3BBhS(M`2qh4$;;L(fJ-J##NAL@(xtz^GegQKc8}|0X@cNEls;%8?({hVI~+E zBgWAj4xU<4Uy@VPd@w#Jn5=PIUxJO>Fi(2nNkuH?Qsam>Hq<yWI0h@pi{*>o@%Z$4 zQFD#(B;`%38-I|ni<0qEL#D_EuJ-TCuRtN~39+?jOJ<c>cyJwCb(iow)AJr-_ol$E z2hY`Ox2WCp{b#5ERo~=w+3SQGn1wG;DE*@KPckBjyi!J%&&cjWcv<TuEwC?MX#Pa{ zGIw$allGWf`2_aGhRBcyGGwi}7!-;o)OZ8?wB~_CLkTs?)KO+A=s8Eo&pdGJ1fdPA zdN5bX7AJnQy3`(4doBfR-&x4_LcELEX<|r-<txgjtjP`mhdA5gen2t7O>o;R{LMjO zHyn%GzMqnA6fPw}*w^@!21-dep(&XoH02SR^c-xVqeSB~OxU=i$kiScR~T1&<0gJ3 zw6QV9XY$6z9{E72o~BVMV1IF~Eab-u06I3iAt_yUCh;sfTnS~uzM--ct6PZ3nHio( zo)z8FhM|&7Q$Fghz*48ihd7HI-{NZT^^M#1{r&eWP2sWw{34|M@(;A+5HcO9VwK#C zw!S+hn;5Gw3r&h5p@OHX>{fs|oMZbgR?7B0BxweBS`u!Yh=2DgHj=&K-*}rUtE5Av z#NM8<Em+^BR;EK}Qjry*N}tOebVqAC2S5p+oqL_4gqx8{p-3JpqzX^fo!DhgY^D<% z@5JUfu~AM;`9yfE0w=c6$vgInbZIsKHYeerlkkirBt56C<rCOMcQ2E^R@MmV{7Hby zDw(oM!m{x*+8jH*%N__ZPkP$Zq+%m1mx=?dr>VG<O0y4VSMdg?dUh3KWnv<oSR_47 z{O}OWWfZM6D&4-9t#TzUi&A1OB{HizjJAYrRI9-rH(WcoZ@s)5Zt`xAGSbe5PXARc z&j-H~Tg~PVK~By$b+x>XQ7{>n5eo;4U1S#iCneMx|AY!8ogp^dtyY1kTE3r=mRVzG z6Xjc5LCUOAg?-_SL0N{9R~K6sskS%KyzLt&l@p#b#tKjHX!5}x?BQy3nv<Tfh!Sit zagI2dU#n}j!n5&0vi8AtgdvK5vF(feRtV;P;%imBia4D`0_(L$elF`{_D0ISj3)2( zLQ}okBR?Qb4r{`kK0w|hferI#tP*!2J+MyKCUxlU4n5FOKUB&b4k1GA6~;aaVzF0G z-r&~*uhd5*?+x+<U=#FK8%yQs$j`XBPnO;jo(T*kV(#F6n~IY!H@(hsGDoP)H>E{u zG;=voaT0$Ofx_|gdf~@uA%#7ir?vES+Df+1z{sIL$r5ut{U#?i@%h)j;7VK)F0XX4 z4BbkW)H?NM{lC_G+`=w1NP%~-?W_5X%-W4`hVgD^Jbfa;0VlHm@IhHACn$AQ-k6)q z1A47K0oRC%mc}Y|W>T=qIWxJoSbL)7v$k!~+Ta8<2yrfTw{lWdJq&-BnFFp)MqR}i zJYr{<*A_$ryXyy;L9csVly%dBTuCxo$A<%3>))0hxTTQo-J$JxIir4D{1@@>+iZOc zq-GVz)Rb|pr9)B{3sE9TGpkEmt<gOl#{QfPtHA3;bQjN)&pEnF2YSm8Wm+sUdWYA4 zBK<uja<Lg|@n&f)a?J^LGqm365LPJnvVD9+>uoBnCdE8#Jwx9W-Og6jnm&T~C9iQ? z$F7$xi%Uv8lW>p(kg||-TACnZ78#AU$O>AMY)fttHy%NeeqoqfBpuI7f0hon%f+c( z@6ZKaNm}zT3L?}lk%H>}SY6`MW@KCJEVi#6T{(yg<p=b0E-l<i3(ocHr8EF|e8)9A zWfQdS`UJKp4tu9wLT3V%-U;_jk%U|lXkr9S1XnU3h8GRLz{*6*Ht4&0x#x{*f~BkD zz^}GjAnj6p8$egbr`xS3okQjzzNwiM!%2Z~`esrtxS~kxGxUAubj<Z|ISiE9^HgWJ z|G;S!tH6ng&-71p$|WT!b5Zs|%m5h&QZxvN=rr>c<@3H|aB#7=uBsw7)Ly4-&271j zUmOCy_3w$+UtPWU@1+&OP0OYUD3rB9j1T5cx%Dh2RqlZTaov1Wp@J9z%C|a306`YV z2yhQZfccdfx01fIFa=TTH2?sP#6~#Ltqwd&jEVXiU`Tw}N<j{5E;QWHYwjc@(u|`+ zV;xa6P+ihhSF&wir%X2Cxx?nedY@za){rt`!2D6r+Nq?<%z0`ekA}rD`YCc9jnPp8 zj>|_8SPS0q@W>KaNyei$&^}+YCIH+%ZRu8Bd;YM~0{7;$P_M89d;fxB`rCVqtuWn- zUBdQ#;}>c~@$-#|ACv6jq7mHD)2(!ytzxqJpLTZv8R`F$$N(pD0!_;BmlO0=J$Vxr zp41w-#{$3OEd>OdtwRNKp!^RO1(Q<;K!VyriCYVziCgpPKKm0C_qBH@U3PRy-sr_{ zIkZ84{Y+0Lxt!oq4#P|Gsut(SHAxQDKXb-#lIMrxzW|kR?i6q_{n>>Ge2@vT96~03 zw3m-Ej?Dws_%oQ1JTYrw=$Zg1R*PsU2F3||0U6jeZ*dO$&u$I0)qlPuRC>ckynp=S z5Pd`X9BtW+IU#LXODM2z!SG;NN6>76oaV_j^PK<jTdxTx<Z{50{HB)pi{@1YSaB-V zQqRL8QEpz9hj~bB7<#gK9+;WAbs~m0zjYJm#gwmhQOvxdfV4`?bMuhj%GDX0U_K7B zZ55kI@>>_P<G)h8c^=a^u|`mxI%O&y1+($Snir*iO6q0oz+cEnbQJe!*~VbEJ0~`< zVPMgc(4cqHLx|?aiW&y`gG)l*cNRAau+sS()fXz&8o^f1fm3`_`bxpgYf6B_uY$>H zztKB#ftO~Ill<udoPtI!7(y!`?@4WNtOuZ9tmmvcsn&<B8*g{Et}Gy1x0r3~$0H0o z-aB|cGdV|`wLa&5CiEnGJ7vxLAT!$JiWZR9C1+qyiG-P+>*xlf*(}ICzjCBbfoY(` ze2;>Y1kF$DvIpZ(lJw|r0gJ5o>9I<-Ngtj&DX1rYpz4~Q>s5^PM8{A_>GbeVabQ6r z^CqYItrws_8PO!;;g^x^s^ut5?4rA^5RDt-!f+7u%VY6z?VigB17ZZTzx<4&HRYCm zof=N&E=f9U961_4rQK7|SMniBre89Sd>Q9;67Z<q)AfbZidmhPUft*0&UlSyM3*|M z{8y?u!vmJZ8DDk8!)hjaM<)}N-6F_meriR8rS3I*g<pyfQV!B;YB=};>$~+`m>Ta* zq$B2r;0rSBs!FZtECNCIwut)xceKlm!=Cz7qiw+$wI+0R_^jMv)|xnP<Dd!kX6Ju6 z`;XNF2}Lg^@i&>o4Jz@P)5UNtl*PIq9U}2iUgEZbP}N<fe(n2@suH2nvnpqmo)tU4 za%N6!ytb@TTc+m(4lnSP?WE1iOBhhYpuC9trAXPf_~#5Px3W0?qMp3!jFmzI8@%3# zd%emtugPmn{SG!O$6R?>+)~`u<`^mu*P>A?@*pAUQ&*fKpMn*6Xz6LsilM|3R~3X3 zb>6f)ahq39K2!vyTRDK1A#<sHe5*=sKg@)iS0IUsIpk$E?0yq_29g_1UjJ==O1^v> z#BY5&@1Hd6nwAWmi+yBMu(CLIQRPiJvGcTLL$zhWoIuBdk&uLoOM*+>LHA2RZ;qta zxVPca2<%&PD{(-M;672~emzolAif&7HGV8plaX?0_;DWRY9ANI1|xKiTJ212wKKKV z&eT@R)S_jt0B$yS(bVLka}TYOY2mi5)g?G{Zq1F9y%g^f)Tl=<gMhMkDun?*-zFR2 z>Cy&@!z!!QE!)hyCUP`z{4IdvK4<3Ppt0SyPDf@zxv+{rHr@QC>^fM~8e$=He_(Q+ zBg(DxgND}9%W2;1<S7^-;&*~0y7?1lpKc1SP(|*Z%=!d4zY`~6FPuAMS|Y)5>_y=p zN?{C2)7}u9!9XrQJ4uniHuTn#O$;HShR|iZyT32{Cs%7`gSomrQ(31R$7y2?c*!+# zYo+qMnVgsK7+|<L*_-e@qyhyA&;1g36<O@i?`&HvK*krI2YuLwwB@0xMLa0bq|f;} zO4+*f+q~gIe&ZK{^ADa%ktLy#r%zhklv8wtD)5#Zt2Np}D;^xK*X~@>G*Wn`l<)^A z(VpfJ49|1>WlCO|QsFa%ohe-ndDRmoKT?@)#_ahJBVQQ;S^O;EFy(bA_&OJ;&|1%+ zto8B-S$kmGQvvWkmiyaiMAc$g;vnPXD+0;}WK4WeBxFP<QGBg|;C;L28zhnFXsYAe zx@@ipHsa@~L?pMOrj7m+qs1piIY&HRI2oK7Tp{R)+`69W=vC9ZVuN+FNc{I`jsu2; zz3N^M&J=w~Eq=Kdh7q-KCXIF34YT>+)`-32r?e$kmbyYYu#dix<q-!QeM8H}vt!G~ zvx9Tu{YQ6Jc61z2s?kXiPJv~3&{b!6nKWm7TtIim7s^>I0~AdxBX?!}Oery5<={lv z61yKu#RI~a0<E!cV*|^A^$w%b6`zH<#R2T**l?pttl5({$mTMo1#9)S(t+vBr?14B z{Ysqgl#oWPf&J2tu9sGf?98V~XOn2EQU=zT65?v@QDsb>q_qts=w&;t4Nls0DMoae z6P0GH|8l~zIPl}%H~C-*8fB~$Fv!UN8YRgzrGWLI6iz-cbB%)ro_|X5swrKuQ@GJA zGV>srt;d=n<&1{`H@=e7z=pn@fXZq2i|n}uoX<#^Sr6INY2>4~X6>S{2_glh{)DJG z6zw^7p`KuaZBgeBIL*YkLb1jAGgu!qu3)&#;n034OrQgDa)lTo;3RU%#!$AJjLqqs z1Cr61m1RDK7;(!zE6WVA2CDq0T7W>h%&|>g!?s+iCrwG?Wc=f|0LKlYeVd(5f%9=T z=#xjzQ{<S_smzg^lB3jRo$NIObzg_;Ia(7Z5`eyDzx7*H>DK+m1H*XCQd>R)d2TIt z5=Y8?+I9Yh2Z1O1t)?p@op7NvJx^O+Q>27<?wHOWrzBkKeWW2ohygq?R+OG7B|sWM z2yI!OH+`NtmHPu>e^A-e)Z0Zo8HG%bG-KINd8joNV|o03wNqKJIm~PNNpEKTzulwo zdzdpeVW0IrXZ@MukNE_}LHxeHOBDF(IhP|=0_lgNfw#D_jQXujX$4>%C*82%E=Awv zi3%=HoGBL~AS7~mBF(Y8x-pRtLl$LNE=3ICQpBXiv(B>r4|gK6JhcD)A%r-T+>>rZ z9AGuYm$~1Kh&?26Is&y|&d|NhDuDY>3jw(iQDg0YON4NBBjT^<49<;+IsI=$%<j7p zu~>u}E+x#h{)<}bMugZ2t*414iqj8Sj}w4A&7q;=*CA*OiYB@cQtR=?0yMTUG};Cz z$8SS?-Dx*oVd;cI+=e&@$K3H7^Hr%5>ta&-E<=n{5jpX;{%5~hzznyVn>}`iWz7U* z%H=5bU)_cHm26Yztlin4VVOT(S(~}P&>QS_<web1G2Rxc_SV!+&+F-ox_9Bv7ahAR zQrmX5ISlOP*1Yc3-BZ2YLAMqwKs0l6y;grJ>fRKs*n*`@?Zi}K71V_>jK>iYft!q7 zRsz&oA+(Mn%4T*V-7k;SVr=U)zc4?+;prjvUx%>j%c&r@Dd#A+T40-b15709S3~9| zv8UeiLmEBKxq*PPgJ8cvj}^jp3XV@Xc+rUcN$#wztN#c);)(zIozEKwa2y#{D$XO` z8lH+od@qicb<}8+Uc5VMo<0t3*i{pFasKeSVB_1auA1b};kR~hqgztrUAP>U%B_7b z6D^{fK3#qej&k$-2|as21T%ciIyM+IoLa2cc6GNt5+7lGZJ(_9K)Nud7W+l0z679k zw^qjrtuZQZ40-9dE9~x89AXm>c)MGRv?lRKljSkqI)>3TF}2v7TudGpSd2}%yh!>- zb(npjRUwB1XfQY_#)eqqoY-t)@xjPU58kD0h-~JqRtaG)n0bYqH6>}D!+P_&BCgkA zt;wMib8@M@DKXjGeDI->A#(%O2h~!lH+`eA+0O`4SK6Q{w@Akt$ByBSYwnQuvy#38 zz0B>c(c-8n9-6wlU|l+&eN+l}=ni`Qu@M!!%^j%RxmNsUL6=@zYx-ERn5ii6rR9rr z(!>9$Fo~5Zr>MEX`q7=zb>OJhyn&M1GKvXGfP8ba5*<83;f1sA{ni_sqtWZFzfN1W zJF+q-^N&l!yGX9CKSS@?W4x6g8xSpP)e}Wnrnw^;G4@{>X-y4?S2>Y<BJSAGy1Kfh zONDXbu_}J0hoDfgL5qiqO#$hwyG<Ki?UF+L7vawO=`PoNtRO@6#I?ACUyFZAYc=0a z{@+i1J{JFX@qcf;GyO!yA4F>#s%vf3;K!*#pi^S15?@OqUGmc#@91hMD0QW-XE8G8 zlVV%Uo}C?rQo<cJz23(iW)MuB3V692^{k;a2?9J@tu?#kn;RQ!Z1Qs>DuwS0w~TTK zI;fRz9k>I$<o<II7Ka49(;5pFhs-HBmEBlmZnApwQCOyUMWOkvRF-8$$#->6DSjk= zyHxlT%~P1h1c|(-BF7L!h;$O+t0yo0Z#mhl?bKV3c&v4#hRjZ=*XWvi_RfsDPk%F= zkEZ$BYY4ncCVNXCnea&5qpiBPxUlhIbqOne8ohaAK1RjeZx?!?x)rX4S`#u(&7S7f zmMPO*LQ4;mvlU~1k<n5#a7wZ94X<3Q608EXvVxTCZ<LxM@zI%aUB3(R>haf^dTlG$ zwc5k`K}tJu>$^hzM_S+8i%w}LDy?e?IGa7S0a35QhHWkW9if0{9q!he@f2Zn#;DoL z@x<dl<#?ji_89MT#q`m`{@bu--_t#FN$4W)v)KFRQnnEzq5bfEBdig$Ob1=BW!E)z zJJ})g1Mvv`8o_7L_b!vxp^v*lOXglwiM^lI2<ILQb{q|AYqp0Le|t72f??qCV6&~K z<Jp|pv&K8eqUNXR*_rrLyVAixXHc8e3Bh=Myzs#;r1tn})&kWr+COhxsvt|{O6^A+ zLDJwQN4e8$V;N*xFZ=|aY<5mHo79vbyXDo{2$$T0E96M2J5&z7H~pO8l4$wB;1vjT zkbQYesOkHBgNuh`>jb&H9dy4IN#2kXPR{NLEe@3r3^yH&-I*;w164E-yA}&s&Ei4X zWa{YlI;!+am8xI^-WC^RGpTch)G49P$m4aK3WupGb*{)R3vW`sj!6?&nv2xC5ZHqd z9R%|i17p2*#_M<(FJ45LLV*tL2j3-#3jNn75d++B(`m1)u1vZ?Yr2$7MuV%%qaro# zjui$QzBVYH-w-YL=A}Iica?jOL~40o_RSjeqlkN>o(Nm&0>x=;*`Ped%5Dg|CXCXW zIK_1ZuUH=|REFt@y&<)Y6l6C`w>R<X(fkpSWH?7IMh}oT1=A1Vc9N3a%FNV|WM+tX zGi7Ry!y%1i=9p$7So}e@@4L+^R9E%j>#;kS*PbVAyZ@y0*r<jFXAX*u4lN#=ZFxy} z=Hk#r1Ji*>;LZ48$&PzAx(B7pKp3Ydbt``h_F>7SRfASzn(TPbLV~n~u{|32wxvB% zz&1#;OOC^_+JRSYdZ55UO+RG56E1td;lbHhJ9YtC9%j;-#J>UCZ@0T4&beh<>aR>* zN&9Kd_#*G&5sa?>6bjhuv}Nu|l`ptv2f6t8uC{FOByCMoj>Le$sn&gX6tug}rM9uv zPQ_`}ZsCPAuU^YFkIwY1{l})q0(7+)yf(hbT{LuwI|~y@4P8`aeBq9NCG`qvsjM@7 zD)8xfEd!z2-PRvPt_{B%HNQPQSoY>F3)6g!xltt2irwm^MR{qDqoscsLJ#(f2yOdX zh(Mxq7_<y`3y2eFGjH9Gnpg6;ZC{-MB$rj&!|rzzi^}!XA1KqjdzEa?SRwBZ4*y>f za<)RqyN@FzN{<Vj3!J=w#JXT$eXJ<+8jN6GO5_#rayG)sF+t2xASRDG7R3jWotOGE z-3o3ZGn|Z@oepjSas2W&<YtibnkI#kLu}tmk4Q*s{s{#@P)E1{hc5Z?$w(Sdv#YC` z(aB3nJQcbm43%>BfuQP=@Sc9rs_cp`zP|j5bX2gosIPw9Q<pe3eK|{|x33dk00HC- zmvcx}gx;4u#^pijX?VIIoAw(?qhHR@bHVG`+9M*|q{n1?68g}G*9DwI0aE8d9S5~p zKtY3=z~?b9o(I-he`k4*91Cip*U{E*vVEHyh2eUj*X=K5Ig$0c3PPz}sUZ5k(fjRq zp1Cjm5AfqHvQp=fh#%u9>u<#1F^?XvI+CF9NMrrXK3DqNZppk`gIIvCw=l~7{(SzR zu(uEO+QWt|yzw@gsMw2>?WKLqrq(c)ioL=ce?cfP@eg<~YQ|%Pqvi)uvqv6Yh$bgK zPIAzA7g^xlnY_W!!-kCdy~bNPv2XIuXk)LiM(rmpVEizv=S5NCtPVboR-C>OG2`Xi z@upE#yF-3_QipQj$H_N2BdCqzz0dlksv+{Z^*7Z9`-S|;vxSxe6v?OI1;>l!5zGh< zkWC!xL`Uiak8{@QNMVyyC8gr+#9N0-X}1|XJ)<z4s4sDLgoAb$XQ(_7pk5-m!D-|u zHM7@x6NDMn1QA0|(K(RfK^M5vE7th)k=5|%mgiNzJR}B{?$`!BaAbag^-rlkhWVw} zDF5oO2t1i_sB=;t&32vy;$(6ub<`P<?fc|m5PK%^<hM3)-ahF}IWWbAp+kfN<v4i{ z+fz??_M^t@9+&7q+Y^O5Bo^qHALd>bkGNjlW7oA$vR#8hiF!Ao3tfXYPP#~9Q$maD zCu0i!wNx<H&E#TIkJF4eT5d24o5(=vi<RD~HHrQt$~cZ+Fkm^ziPrj8yAVjC$vJs7 z?)R#SwP<l*tCke?p5xo=sH{e>GxqQMNdtUyOy7mlTXM0CmUjf*FDHB@k`id0AJmi6 zodGx8d11o|gDxM`Z@~Fq9qeY)_iCC}jCOC}#YKzL1GxJ^oQqA(dmma9F(#DSu{rWN z7P}+Z9d_l!ZkCTXJ|toml=A)_pk{bsz4l{tsHId@p2WJjftN@e9qS-E)_Ew`d8J4O zN)*7VQ?xjY_t7&CDO%X{O`%EQ0=pe<9x>K?14kA$h0XU7DRgsUK#gxgz?KI;Cj^eg z1~o(j-i8!R9(RyXDTa-Jx3Q;lMK_I{w%KU?TsUb6&!;;cWM<rs7oomJpr|W{sNJg9 zSb!5}J#k)ucf5pm1iaPhK}N4T?vXI(P0>J6#w+?T?a1P-6RUeDP>?QE#r5_)v8zCD z+GYmr^?KtGrL8`ylV%n+Anf30NMF1}mwZ}Xt972@xQ9bm=P8c<@1LN7_31^mdz||w zTdiwuk;UN@p~(8}&Mb|To%wZMEXKrOa!H(-=F<(AmMI5R>ld+mForVWfl$pqQ7?@d z03&Rh=)Wmibe^Tr%{+BWvEeSS_o(x5%E`I~=fXlVvzi4)6``0R^X&}9EVj<0dBg9r z^7@9C`VlMBym{gLz{CgWZ2mpExi4yd9BDlYnY?r^NoY(u8WW`MBZy?NB9dXq*h?tf zLI6MN4x#xg`iFlI8GC^<^l!NJ%N<!DSbrl(#|{CU1e_o>r&+&nQmy#$g1M69s7_*_ z%DA!Jep~jP*zQTi)!2UIX`=5HVb>1YE_#}dLlgE$Hgcdf?lHJRmy1&!)$s*v-u+Ot zKOKUxD6co(kAWzfuW8G9n~c+U9`@dDZ?zDsZR1L;k<EJ_{vbopPP!$~ryKYAf2g-= z1l-)gs+LN#X+30)jhL4CDOVX|1rcMR8g9<e^kh608B`TaxCX97*Du>UtP=Va8HB#$ zJ|l20=SEkuG)}%{1Jma2hquX9UAM4#`k<ped!9fl^N6p^HG8J5{<cW+xl+HJBQ_q` zk9Ghld}t*f<q*>07K|6SSP*BSo|w_Vc3+AkTaEdNym2)hSrCVd{d{Js`}bn5jPn0n z{tsEr&vCG|VjJWD--kqah1lB9v;LEWjQRKymA5xkdF!)cCJ#T8Ie%w`Q?n2Ud1R+S z7|vGQ^2P_v-C^^KFuw7L8Gk`huI44GgId#>l;fGZ7GsB<yym7*^0qTM(#?%>K}r;( z-hmJnZTW_}U|AcBzrY7&yYERSO<NZA?l<1j(mY?k1@)S{DlM1}G0PyUUP~eTSPF82 zt*Jb*6wV16hrL*jq(O5thDELEY6!p0w}v$N_GaS0&wQ6=zTwRGY|IvvYo4AN)XKY9 z!9c6_qf=mEC}%*MM-8>6Z7>$2ce2)WtqO#-CQ%!V-YHtsUsd2bt*Mo&M(<3m=>h8U z2qO1Ed+*Sio>uv_S`$v7$mDZNLu=vBt`Ki}&()f5MN1EMudmjcE<`BfQJHtWn$gXw z%U|%BmAxhqP5H=;nCNXAx#=j^uvmjC-Q+|XowZ!GD3u4#AFi!+g_8Ha^dCIWQyMB; zx2rdV)$Xy7wze{Cei&kvLUNm=<ZoMKk+xdqcwyf>Bhs6?9fS_{td~Dx6nBRQzXONW zBjy<#vLIT8di(kgH@%}ZUB_(boAuYVP|4k@wa=Pu?S~^N9;zI!H5C!imhmj<jHT9L z6gzrh(D+Pk4BGAdh647YS5hCcPx^NXYN%NTl@YKGtevf9qGnCcu}c<*O78+QmxdN! zUwU`6wn3B$G*`}*t|x;d4Qnu3lIrdL!BTf_I<JlgpY-Id9bxlm>Op#J4=<*ct1j$L zulxo9<!=-;wpB|Zo+7ig#4J`ZxR&L?_h3<}p8ADa)w{JvE2*z41zI0!U-?Z6fG|yR zGH>*LM-zu!*UEb{slVZC^v;XjVf4<|n*Jm;<C!c`ZdNXIBF&%Ecry5WS_h=g%mu0= zHcRI$qny7L*gFw=ia6wEGjZy}`-5%xQnI?KKfyW0S6uMtfVKjh#_dw#KyTg}7j1`= z-}Hx@-o1Yj?{Z#?)-ktqRxo+(rvl#F()R?_GsTjBttuTF{60F4`L(_kw|<Q>qadm^ zH2@L>uIg~|W}1A5cUcqp>D)v<H+AO<OjAqQGy+QJRS?x+@So-6nAev^SGXFOQ}ce_ zs&TM64OLzBZb3cIQf~B0dn46K%btkk*Jx|6>P?>xt>NQSX#;9%3Fn2)t9p+YEQBQ8 z@8#K40f3k0xjmy=b%)KCX8ZnpwUMw681ME3j%m}5$sL$^a%Cs^i=7Nw9IZEx-2zRC z;>xqLdGo`(CD5WCax@`8n|Y8Fx6S0Fa-+BEAv{+$iiu%s`bBvfa=M;umNo=QSP{F8 z6$v%J5B@{KX=GrivJ5{Wq31T2VcJ8B%Tk|X$%_x=6~9#c%Agus>Zhz>pf|Yow*X3; z)+?<A1NK8_H@4p@1FYR?-Q?q&2>(S%x^pNlhp#;$4u*7jOakZT0XR*Zwpujf43)sr zcT}(CRqb$#?Hd}SzU&jGS#H)WM#Le6TVG8JFG1pKB6!Y)&!G8b;|HvgD|T8KJR44< zZ>|z)t7E=2Fk>lXgFh`M+eXb`RHo2hRiQuiFQn*Fb!8y#RSN@fgya;LDr6G6<Z)=B zP{ov7Tw#fGV%mx_X&c;}mHNU-%#EG8!k<k{E)-vqXnG)1kE&!@PNjY=443tU%6e#~ zAbyH^ol%~A+$ew6<PY4AfNZQ#siMlvA|v}i+8bn2iN~Y)&5Qd~p_PKPnc8zG0CS7O z;p~U*;C^6GZa9XQI)q0a1a$}z2aJdYOKQ{%qqSCZ%R}STLml!W<ZS1;>~|5RBkrTJ zpSmAjC0gUc^!e(8aZ}i68fhUjP}TjbB3=Rx{(hVcgA)`AHSb<{y9_pVlQUQWPiC;I z=|G_-MT4s)Ln_dwgFDwj5RhxFL%&7r1A8bX3><bX#hePMODUw<aN=ok#@}G{Mq<;A z-Z`<!E9cTGZX3nwmO76)Xw5^ZA<H~Cl}`wxkyquR%RsOsqaY>z?U06|)O!TrFsV*S z5TaEVG%7EPbLeI)%)LZa$y4d6Wt5Q2icIFkeVK=})PIn<;x0x)Z?Nkn5*32%L?4i- zP+})4)M<rK-=zMIlX5#L$)Mkf;Kn2c5h!#*!YI|T<U+M(Ony5AE<_H0ql0IBfmvz? z<eZ@$JvWXdq===Oup&#ce}#*P6SjE_j;*Uhm1MzMfn#!!-XSGYon!~iFQhj;wUvm| z-g!ZXIQDA~c@8Bh@tjmJwsC$7KFmys$pm6Nlk2^z-4N|cdV>_BqhO$o2QYfa#x7nd zdx`}cyHcbN0>cz~2U?v)x{*e`>1(Cw^i}-kq^kw~`H*L0TW-1{l$fztMmbl0X39@A zY`*QxOk$yQk)RSdqz-gNOjHevn5d+}=3apsJ}3i_+VbNQLzOd>gjw@U#u0-Ta?GTN zx8jL6?rGVqPnVV>_Hb=l#Na-o3J!VJ=dFDb>mvkl*#3&d%5~lU?vwkox*x}0Vyf6v z>Yk7rzp^K&PC#RqnN?-?b3Ol|^R4Jd((!dg@{r#qYxq@wsy(i8-rCf1zh>+|%4usl zUmf1=pxo3Vc_TrHryLn25SZos2+>}hMP~hP)PrewPNCeSxESHGzJX)}XYh!o>6dpt zt0A^rk=|-;=P5M$&4t~{`P6Zzo8$H&<s+i(GNKff^NJ96z7e!@tS($%c<(OA3u$N+ z{y@pY2jL~j2D*&azN4ES@fW<>n6Td!o5P9!el#;9b{oCkizWtD_gpCXX2E{-j#~wo zofALBx{SdF1MRV~_D0aSG!0WY7#~g%ysRw|_Q=HOD6eLW$EPQaFCLA*O|wtYEJpTu z{5rSJrmdqit!klTjy^nH00-gbA}rvM%bxOLsVbZrM76&4>(kqq@^pDZvn%_4W{bKs zYcWT$kd3nTuI<B&IRusPnnI3JXJKze97Ev({-hgBP&^mr|4L{j%NArcX<>?9b_7?^ z(U`AKcy(X?!qiDm){Es97c6<6p2b9$iEUKR1Gkj5rl*8>SlVn~l~aUdz~8ix_48Y~ z)5O%lli8Q{jk3BDl~8NC-WI$=tjg$HsmUZ@9aq`%MhJIG`n}CRTQo`NlXFXUI(NMA z$58jCc7>`6+qWaZ%XLTKv2{%!JZ2J9@Br4C*ZBM35iR4dB`(k73I3C(%^xE;@uhyu zT-jIoGt=IXown03t*1iJM*RP@<(y&5D}%e^hjfnEx%*>p67LLw2R38wNhvIrrz5Ii zN+ox#VWoHo42Z_@t0j3n7Mi<C{isgc)$4Nd=GiOXqEsy&-m!%o9INLTtyKl2LHw$v z?j2DRk!ZX8#SDd)q;o3rE2@!sg)DwG#?jNRk@&(h)HOEMY5a$xT+b4xo4M*%o_gzo z(f~77An&sfwpK%(%nj*RWFG&{r-`}j|EEX+?;=l$nq49)G$N85j7*f*du6}x5iliZ zP0s#JvUieGa@0jiTyrdIu)v~MPk3&lC7Bjis7jU)MiCer!^xgKMg#JUPjX&P>;k>^ zBLxdFZT?9rC-S8hkHR8%y(}z$!=IH?+qGhm<aG#cF;14Y;(w>%i=-2peB<Zrh{U)t zM0u#P-BXjoWtee0kg4ux!(iWv$wz#Wj^C?t{+N@#TAYN;!r#3By)&H_pCX*<X26;C z$0pZ*U$a2}%>r@vhB-6rXkFE44BLV}RmJh1Y~Z7^c9Qg3OJ*4!BxCN9;zOh2;)|%n zTZ35Hc~%Y7uzlAFs>uA+$^O5#3n}XoCO1rB6Q)pHESfh#4@bX(iiRxXGHhOmt!`Se zf^d9L;BdU8yLvWPudG6fD{_S_Zn>l`4EGG$IRxiWw!?eos4dUAX%!)?Y+M2*e?0k7 zbDy|9v>xVRX-sxW-}5g^rGhQu?=Wd&Xrz}D@K^y$auv`NW+6V9$61WB8zI6g`=Qtl zdEY`VWfWW8t0<4va0lOv3qm79$7*<Ypd?H$^KX?WF8JFw>TqS;Wh5CNU^TR7Vo5%P z)v!`o4KJtfUouh*OnHa8LzP$!2b0v!8X~+8vA)ySK0JqvQ9uBnz|*XFW&kyP1+3TL z2FyXmKOLmuO_6>!LLLr<E62vbR=hDTWkrgt8~%g8o>^Pmb40o5bMlp#T!cfCRF(U} z&^z7CX{=Na1C|*Ji}T{+%xeEcKhLMcd=t-<&ya~@<dZ+qRsA14C}N%ZPjC+q3i%Tp zls3344W;GY?l%;ME6NCMIvF>)Si)`1|7j6fgLg*c<}@evY>VR$L{wGr-azt^766T_ zPmvr}9LUCbK|YUsUbB<eTD2w-Hlti&Ma$Hh!bI>!^27_HiHMi0NM9<qFp_fO>O4h` zHFWb&&q~XQzsbkAKhLW*cN1DAN(!E-&&bDEhjUvrw^wicqJ{XP4;riRqi8W#|Akmw zYd7R;@PF#}{4`cAB{Q4cD9My2nZq~!`l?g9iInvB8mk`fm)0z4b&XZYerb<L+SePa ze$+4R`;zvx#;PCpOIspo=QdXTBlmb8w1Z8!vFh)n!82tLT4-HDjn;fz#;gn!JZ+dz zGf58;KyfLK6g{Efl6nc8%<c|occt*gYC)F%_n#~5s);{)7f^Vt!5zY&O6C&7wm577 zpXR-~7V2yW_!kUp2)JSuJZ^DLLtspNAjW>1>&g6yy=8-~Gop%#U;q$hKix5b;slns zxjx5zzYL{O9sg@OS8h!7(W?yN`&jiE#PiF+J>~a&nlOpKlR2S}MSM6+MmWozqk8zD zKZ9r&=~yv{^JzhdU<<9?L0HC*aJAKXj@k|V*aMhEmF?D}Qq^G(^N+KK`mu^wP0g|g zH_&j!m(ys0bU=G8Sle}D+?UIw9ph}?FumZNf5#r+3?i7^RqBTgX0P2^7yQHF4Bw*( z>$^^K-<IZ5E+qqH?%DMB5zhXNfhY?*8$&m5R|So`We2?t)d;rBl@q4Fo99pxxpKl) zaZuK6DC>5xdf6D3js-F;bQwELIo>Q;;$EDu+wI!23dz}FMXpwhdg{pq$gOVbj-7_c z`{(M0WB%9xeh0>XEsYG^IEAAOF$7g~117BrKmcoh%+nAU80S&tw)7_|UGzHf#^#09 z38gZ;pgll&om6Z_qOjZS)`q~W7;TJ+U)HoGUczxLR@2FN>WrZoSjJ%agJ8U24GMPc zN~MS5JV^foHs;S_4l-mUy|kc5Y#M*(z&pVon=)ZwY%&13TwAlrni~=5*vx`I8nHwW zS500jX5f$>OcnrXlQabb<o26nIh=lQno<3vhLNTm%XtW@l#*DSPCVAghy;C)87Lkl zXK#Kb=NS`6y#+KteUpO*j$_YjL$k~LEmOGnM$Z}R$+vya-6{B1vVA|F#KiBgCD@(< zSxnO$c&QhAmED6=I*u~3_K|;zS*%ueKHNtA8?6UEnLkUfjUv<WyvzJ+_2jTm^uVrq zM7%AQ2kxE`H!7paysqQzDp4Y1b@>LZhSWq86aV%%2F#MTgc2pcC7gEmF*T*jD5U@Q za$z-o8FwhL(CJod`XlpYkrBiEG2ST4{LS6&zR&>?s48&=l5e@bi@&SNj6=Lv$e(^A z$@%M<w(k*|MJi$;uaym6#-7MXMnTnrsxH+~OO#wZSG1Cl$i-8ridusDy2ILsTS~+{ zq-3WN(j<B`8AwtCi8&M&$}-onx6KyaZ4P9%TKv-Co6bocveVXIQkT77?$Xy@{F{B} z{|EL5UVcZF>49c@{!TV;uZtGO-zA+b{UD&>ze5nO&q&2y+vo2W{<{>RbY(X4=Ol>U zRvATL6s?ATq>Sy<S5#!Wiw5>ZA?VRW$=B#D((@vr2{J6Tln#Y9#$B|{C3mU*jU4Yc zCqCB7ybp2<8%qe(dWZGI;~<&yYR-7}N2xq*b{@kqC)QCkl>CL|<`dW#G}A$C%7I|u zKzx%xEW?w47`S(wPXM`pk1u}sg8V^%lynZRt3N!o-Fgf`Br}9_t2`gKxLo&*kv01L z?J|I0IRhwpmGmH{N^Q!Q!N8YsD*vy8__r_+lL-$VsWGU1vE4c^EN~PtD1M<32}bcv zXB7DCk5;4jWo8uDs!@E#C=LY!hvdT2|2hg_agzL%J*$-mXM6cW+;ZWPzbxb&w93mY z^S?Tn*VihLFqj|TCLqZUW<BXa^Z#S-OyH|7uEjsuNC*ix0U}|O%O+?9!luE1<dOt# zVxnOaR4fTuAR3aG+$+(t1QJ@pH5FUh(u%EGt+cg$xP!GC5FscEC@R%jqgDHh(HgBn zROJ4@XXbaa0oK0v`rhY#{{1C$&#Y%=&g^Gq&PZZDb0vS~{k<fH(hxSjDH1(rFgvq$ zI&9uiB21Pmf-K*I@Ji~Jgpfu!EJNUStS)rtGw_FfOh0b~gn}!oRWngytmM0x_OhPn z;or|nbY#t!{Z>uD^Iq|cFJ_9=`X1McDf&N*<;T|5-xH?9ke_3wqy4*LD7n?JP@<Tv z8s15Yq?$g>T!@ggGWX;8PGRpybbif?!^%h&P%_1EJyPxBRWILb-1>>fCar#1P~GZd zDH~TW;zhaE^xEe=5p}EET#v=Hgs0UNwxw;NkIp`31v9T_rn=$$a9F4cTpL=wF(>w^ zlyJK8sp-c&A?cA{`Cc%xK4g*9;2Lp&OZ<$7o@+Q}>_R13xxbSmW$g7^7oiIrW7@-# zR7k&VWF!7z_EiHqGyBqftt|smj_-@`L=dGS$`4&n;wPnr-JMonb}r&y8(e>&Cr9RQ zjAyL;jF6uJ^5dxaJjGj^p4`ffr!9M0cqsh{xBGoBw}f-{p(WV&s&C&eaH_fmdq?ah z$w9E<X1RD?Y3g*@IP+XEUD297=T29lfD5OqFu<7Ust2GqET19GBk6h4eed#a_Y=6O zmR_zW@XElD?t5!jHM+X&gRTv&o^v*ZmHw8)&WDGmFW+8W?^?$x8l1>kisu~1<IMwM zxc)7s=Gjn^g1zL*@%VdDl|5X&Y=2BY@HeO>k}xrzaP))mXdRqN93gT%WtesH{s4_% zM7Li_DO>x|@=Txb3fKflN%N)e<px~Ne!Z;srPJV6jZCEOjA1v!Vy{Go6^4aeIUQ4% z-lQ*SZ191JV+a(jZ{LXBoZ3j$7k*M|TRl_35kN{Njt@N}LdlRnu2(0dUXHoSJLQj2 ztT2l@-5X)Oxlhi`obty7Uq#Q_Xr+<|>(p<^NK*6d&{r?6i>}rK*JTDx`PZTO{USlb zD*X#^kozX~v#^3O^DFB<toEyDGS{-rmHdpihpYNfN=r{Ut`v$k!tGno<m+YaokFxa z!9ChzvXAC+;wL?_O;RnlUeY$M;)qi|!{!<ClvM57w11>~WBOsoh8m(wuVtIyUaFd_ z_A`&y*DIaFT|7`W`*jL3y-`YafOQ@TT$d!iJ=r8=_D7u5luI+dUhKymHEAfSTYc2Z zW<f!h+`p)1_0fUe7!IR1;{Wv&ng)H)Ua-q_$$I}a(<wb<g6bp;Ckc;Bi{7R1zTp!D z`K2El!L!f3K5hx_)k>l7p}MC|m)XAOe3sOJ;h2JTb4URU!xXCYaywLchoo&xU)0in zm&o$AYfL1!4i>e9N_S&gvZMBX+M5fZ+iAYl4Rxy<9UFcw7QX$urj6JQMwQ~I<p~8P z+G<ZZd+i%!V@IFo772~%$?x76<El9sdgEAr!#GlbrQ^x$McjvwBOq}Y<%q{D;QsVR z|0z})JP@HYrJ;qq)h$b>g8|~Civ{Fz)QZe(O=7O)lM7}2?RiZ%N3F=rrlufkfjW}6 zZgt~Fzkf=3qmgWTO0uoxCval7ar!Agv)zG|!4Kf<TbKT-z2EbF*?g2#OqcX{hw8ZL zm8_gU+A+itgOE!v$pcB7Xk1&SlY37UId^=g5514%-tpa2I<-_EGPQ1`&Xl9}@5WM> zdWl#{g}Ss^UNeRml4{o<Bx}B28Toq&%OQ%e#`J`})}XPv&cNi5$!|zgdh!QrUu!`Y z%<2Za&gb_^+f=y7)Nxn!J8J`XzU;P}RGk)45Rv50=l1fRnz!xaiZ8-oirVL+amOaD z-EGA*G=)c`#U`aBtv>8^>P~*(nHx@4M1<4se)dcE<Jj;+lI^N(C532Aix#<Ao%*8o zZir6l#8BznM4Y%}*Tpt%T=kVUJ*N2Mwn@lF>y7&uc=HEkaHLpRax`n<#Yv84Ru{xa zoT4C0CsKh#$f(ZQvpQ#=bJ<Pj>;-pSXe93=j{RISigas(Uqt`P-t8}C;VW|+Sqi1- zxv@;>Rw3yU{(^pfKHeHc3IappeT48mtq=UwIE1?a>qxwL{>Td^Ron}Ao!GsW0+xYR zu{y-%DSd@9P3HA!oXg^wTv(zq%eG!)>)0o|hLZ`L$WVswVeWhf1*l7|J}z-LMb6zl zxwpsJMcx1U99H@y=_Vbu71T76(JTVg0$jWl+2|rSNiN@R{Vpc*@Uxg+FqTlc89lNj z9Sj*f{`Q<c6UT%_<Uzyu^2Q@Q%{(yACC=nvq_xNePP4n<eGeDMW0466a}z$D^?RC* zG}Fjk=YZIH0^{+pQTNjS@FJHUi5`!muRu6<u(g(rZ6g)y54D=x3?rt?*Kt3PCyaT( z!Lj~lBo~HTL`B~5-Qk{#<oac=O`(xo?9;-Wj_(fkIEs8&)L6l`6p`b*Lp{;PDpboA z36<-DyPLzjbBrd0^&IYUVa~oX$RU@eaLGC+_Mg`G1&KpPAU6pAE|y#%l+Q7=RtmNA zeL^Q}TjUgkMk1X%5<ci|r@PM8lqJ^)eQA-Lv!BlhB=-tktys2sj}qC?<{K!j&iFRN z8x-M(JPrav<%kcBbi}7crnuMbuEtC<m@YPpkDV!)vwTq|zAVSnJyCNacnl{pMk0&H zm=Pm(@nYu`yD=myMeLiz-V%G0FfJfr+bXtg-d|^|vm^#~p9DB+B$4JO<1VW6>G|hQ z<>rhKE@pNuARagkl#wnVcTIC}r$W*Ngk5NRAq5I3r=x&sni<}updnn4x4nSEO##99 zXpiC>mQPw_n^1z8eX|r$JY^9h1q9*xnP^-b;fwXYtc$186i-Ka>+)&!`&XLsp)90W z+Kb7Q&+bm;lV!&z^lcORLh!6eNIySP3L(Q1yC$(aCU%EOmo6bGzBv?RmPwf@pa?8u zzpi{9r+hTu9G24ntMqP}IOzuYCF>lwutJ1`Zr+uT=Xw>q87z>sJ7|uUwX3&Nn&+<T z+AKTjyYxmU{^<S{Gjc_X+q?+@;SIGfdX{VthyFYLr}Vcb0~u)gTZeEG3X{#Dh^&xj z-6vkmm~<p##7iF9L{1yw=D@w1?cV)<4Em|)$J_d0==&S%$lBxHT`+!vVCeFDO8<VP ze^2V)FZJ&i`uB7F+lD;b_9YhNV8IvmT0Q;UBrS%@?eal?IYw-4p*x2`F?Gm1hylyT zv4O1?I2qA@FBUde92>%hOXH~h0bLNAK+oc!C%3WePSWE!YHt<?IfwqL*wn{u)jk+% z!cOfFBv!WV{+MykZFhf9yEg{he{9^H?d~sV_w51qmAG?R6U5KpAieEyqWj}=LC;FM zI^gdL!BZEu6;H^7Kwh0_dZQ63)2v&+E1}`_EQJH(VW)|tZ_#0+SBQ(R)gM=jS%kR4 z>zpPLUF?5Fzy*4&a%o{8a_}Zek02aX{0uBE|53bz^X^y*yE%@>Ka6WhVbvU@V>{%T z?2j8KvEb)?dA2~96P}@Xu>M1mbI8-z9~W(Vpv`lJP5k(xcj4@h`#WrX3BbvZ=ebhH z#USm)Y`F>ZkW(qQ-XwK=Z;p}Fy5w8eUSrEOmJ?KZXXmtc__BW9F`OU!nGEM3U;_(w zUo7(8WWYmC;Kwkpy*=ddy_V;{$qRkQ!DO!SZ0EApZyDRnSrh%Zuv{79IY9mMqSuKB zI5Y=5{k5<Japc72fEG)Jp~2{^UkNg4!*VaHQxX{(xkHoz)6_dSJK;5s2Lu<T)`j-X zV1$+v594LbYHk^mm2f1LqXPqx1{IPa{7c+q;PiyaE%|r!4JO<M5usy4DgB*B*{i5- z@tjj^cIC8emQ;)gWU1MU7d_^)UFod(Ja|oX&F3NBb9`YUZ?a{WFKjcgE_#!g`dTe_ zw0A*OXahY^$^vtB$t80wj%b#^60W-z<#og9koI~3J5laQTyIT}@Liib$<Mw*Iw$5A zFxOdgL7MNS4Bu{-|JjtJBv_XI26^nKRW2VhGfddyZ%lr=eo@e>VBfJcUtyK+1oLrk zxZ4+$=F1H|aYr@8G&eH`$s5OV0-@$@b`+Tf`uF(b;@ND_M+5cImE$t=Xn)Y2^Mc=^ z&qV5A#tDSJwFOsPaan!V*cdkg1z7d2q=C2`+)7%>R$_x2@f_9#f1pw(G>Nds6ye0( zzd!sSEKNxB!5Uo5UV7wyB`?ymuM;DFIQuF0M)f9yJi^RAJiK5@Ufj1cWJ&F)%_3Q8 zKCc=khgbM<y5w;uj$rK9bLXSv0kIb1Q_i)+I3acE8`?ZvgDjUF&M0h?KX%-TXnk6I z`f@pH+8!QUZkeL`<8A>@a})F;<I7CO-6vpvlW{J7WnC1Lk=(eF*RD*aBi-$U(s>{E zgq?TUgpfJvkHEA)B#{5rl7HO|^bX|z=@?ox0-j&@ly*){`w<;~+!qi)KjJ;jmtIba zNH|Pq4)eg@W*$we=_Ps59aBrRa7`q8Iy;ckgy%#;{bjA|rV7oyVV3V^5>kIfhsDiU z$f>dH2=}Dttt4tZ_a*4dsGL43XMJHzfC1M2#zXu4rE*~hACZ1Chg*W&WU_V$wp#sc zVj66;256w2(^zYykiaAy=_BPdc%mD<Y#?Wu9g{H_@5Cs_-CmIrv7Y9jGV&LfYZ+u5 zS+x%x>6dr7U=@R8%Xp+(%Dlfz8%vQkme{S0?fVW%(QQomyvrxSCTq@?`%Pc4O~uwx zkgq)S#I@zV7o>#@g4EPN8j7?LIX}Tm;ZR%NM0l1Yu36Sz_y{p-TDgdJ!4V?6T}(Jz z73uYOdlgBPVt=5$dOZK__Uhs2R6X?e5*{~Z`}R`&G?b7A>yh6Jk52{$-DVI=B0Dd# zn4=E6Nh^I`9CDU&S?p-3eemLUVNL7nToKk+QBoZI$%ZP=TPaNbzInOlwwHT~dA`Tm z2{tKkDNo9AD?rLUMao^X^Q5ph>(Z6?eYnh~OE~?MF5yLX3FmY=R#q-N<tj#~T)nQ7 zcKi;@<$3g>PPudB%ZRX^Tq&u(EXI1oXyUE=jmByH!f3`=KQ)>}>o%?FWz`vr6sy{3 z+}28?$+1d}W|38BG`ZGdqgigvGnynT(`d>qm(f&NNm}EpCU@3_M!!+?PNSDxTm6h) z=wd|}{hgved86dOCuFl)jb56E^^VcYYT7zx^bMjvX!MPuZ!r49qJP-vkBNS}(Km^H zo6%dM-)!`)qOUdjHqloZy>MWy5~G*vjaIJFYoT@XjXqxN-A3;e{WPPO6}FXV^jZqt zNTW{@`*@>=NvEtRqnBgNmNI$~VrPA-`yF4o=q;nK68)cyzFPE$jeeu(_Zt0X(eE_+ zt)jo*=$DKBPNUy0`YlGkL-ZSsey8YH8GVE3%Z<KK^aVzLSoDjG{!Y<n8T~QQrx<;c z=qDS!CHgT&-zxgSM&Bm-7^8<v$sJ0gj}U#EN7sQE(SKm{@uF`sdZ*}*8vPj2HyVAS z=$|n9B+>6M`V`UMWAtv(Z#DWH(cfb9i$q^-^tqz<82xh5FE{#f(JwaoD$(Z{eYNP* zjDDl&lZ<||=r1(-t)h1t{hgxkXY|`eA7S)6M1NBEJHDNwZxy|sk;2DemRQu$)_b~> zqu=1z4>ACs)gdm6z~&`mv(wmc$|?GQvH7L3S%i(>*laO2x!8PWY}Sj7j!jruwTcqz zh%X}^kG00*RVJtto12ZzY-2M9n{s0_#n>S2D!Rznj4(Dy*eo_SvBo9^o4Llu4;zc_ z%Z-iO*nDVgmSc0Jv3cFtlw*@+Yz`QkDr{yNo5!?`?trkIVl3}AmeLbpImTGl8%ybu zupDG8tHjc#yM0a^>PO2QT@HnL2d8ZevK&9?n3>=H{f@;0YmMxLM%N~lx{+7BSs!x_ zSC$bU$}*z&##rkWJe&2wGfe-VWqr`~>$KiZIFjXiR(M{6HU-Vx)UW3yd%Ra7(F&9c z-6wX-GTi&#=8oldW_`b&MeE-7JBrqQ(dJnB9D_Kgy{RgDyia939$21dg|O^zC4)%H znzScl!_%JqEe`h}CalN&Ps8<t!?T$M`Dhm5BkTqFAX$*xdI$PmW^o?M;@l^%EZBif zKDwk|bA^UW7W%<22)ZOR(tDwi$%UQwZ#JvPI~1~d9LAj)y_VVau^ZHgfg)9#;oJp# zE+#+jWH4Og=5(Gr8Mci#3oZ3LEi%SC9WAvqEi&FaP8e{qz<FNyI01gr?Sb%vbl!3P zo3Q-2aS18fl`jezUyW|Z0VeV$_O8Wqup@txXfGT}3aO(IB(FnFagh;9Y@sZ-E~m^g z17-GBw}Lv-si2<GX{)g!ItuJYF8{asDK@*fcDF<cX#!OL=4G`}f{`0jr_Xfvdz3#j zq6z`B!5b056YO|&cT0rh$ph9yJM_kfH?(I+r>o%q@Gf}DCi^aU$|kuBzJaylzxFQp zrRFa9WEXe5%n1bUd-ax8t^XOh3EoF;f^!y`S>DSJ%&<OXvc)a0Bj4Z}xZWG+eh)m6 z@NC~7rmtqrdgHeN!eiPX1Ey>q=zHMhBBg9OJN4E2BKYS_^9m3c4KR1W)6mJ;fW@f! z);iYU*2CYE4GOsfekZeH?tuRS3!9afsNLj7%~pK}d~>He;IGpoxVYtWJT*QA@m_Ca za>sWATzFFVoaJDa48tg?9zV(ZJYx`u<{6QdkAQ~ghw+#J3x~EM2cEO9Z&;KaQhPuI zVR4$%w+An`;f3q?No&35OXzbY^Z<80T$(Q1M<H8wYw=k#ld3%zS|8N6C;KL}<|0tn zWV2u0Jd$KfcDdk&q>vXq`_ncJclkb%n@dcWxqOvQ61W4$9ayHkJtRBV?sWZL3E7eN zFXZL?-NxVJB0@2mrY&08C&TgN-kFX^Z;5DNt$W&~^#(4j&vHCk+p`H**KUg&>s)2# zSphDX&7!)ve2wX{dd??hvQ2qQgn^T7_;=g>&o<m<!&;Ic+nFOJDWssLt-x_>CAGm( zTS{v6ZS^FK`nJ088f)6Ptu7~s^=<VbS~Jh%(Kpp!(Wa}BsV+CwWtX+4jhpKC6RbIb z1$~AuJVR~@&<P=_&s;V?j|=APr@h;&vd>T0=b29+CD+WGkF!z`TF!6&03C<-a@d%Y zYBA=0wyR&p&UNA$eYrf0@E`Wd@C|h(a}j74)Zl(OavJwX;3EbCIBI)>mWmmOz|C#w zo(5g>+eFw6Q%6Y8Xl|Tc!K!OPgRF(z*}kW(r1Ny)lZgS~lb3T;i^H{Pb{i(Qm^P;4 z`Pzo&B+`gomDsteIig<kJj>c^*}jsS?RDouU!2pRylR%~;Wces2M-}oP1~|HFV?gb z8yRf+8n~<|YTC+-fNr@0p0BTfhf4?5=CvO-Y^!o?cp5}IN8`IC$KR;gf-+D9GY8;? z_jB$epSL(6gb+Y+1Os}uMEV=kl49k&=5Bm_lJFe-2zRqc9SB?k|Il0lr^XeSi{OaJ zyJ>Og9G(TqNtBD<8`DP4X}KbB@B71>Qqp_1Ae_xNLkhuqsE<uBWb(lda2<b!L#;)1 z7jw<~;s6Dk%cVdekh$hf!wTH(w!Gm|KcXtR;;pMs%Q#)Mf~6n0QuMv<*=;TTDJnpW zw&PwmdhT`4Mp!L=I$!DjkSpDmzS8|}R7KY--Mw5j@1AfabH?q8FIl@5m^<BarTQ#) zx`$3;EAq5E-NAt?-A6$}nQssbup`nE<d8RXbf<4<an$z5mTJWD@I;5c@z3F3KaTrC z5}UuI2)!|`>XXa7sZvX%5^>_#Bu!AQ^Zx>?HRpBQ=>G1j^q1yFH>D}JxmzM6sQ9Dl z!JE!rjZSK}<H?ieBKJ=C4HuC+I(sf~YnBvulDOitPq<QO5f<<gS|>hs%4P1a?91He zPHLD6ZhfD-H)#EFO5;I-i15O7!UI>i-&-Z_O;aQu+r2t@tiHwlp$N{CRy`L{-9jw7 zRiTf_vsmoda5dT1<u^g<KtyG@RJpO7i8}sFkS9hA2|`+-Z5D^Ijz1IZ(O#S_78~JN zX}$t;u(Uiap#Y=_f5l7SD!0DfeDndQ_16>7&6j>>`&I57oB~(5&u!B+Ho_B6&`|pp zxE(anx}TtO08<lVzGoSiKJ&Q;ljeAgBiBEaB`I{<ZbbC^54mgh1zVpFvs;6Ayl=sF z1`lEQ-I>K@J)WeIt6}x^IviART6cmUif|?V{+2N=-|;j!izzL`+f!>2YM5_MtHSse zGHy6tHB1uh8PtK96Kdr4^W*J=2F(uXjM=nrw5Am4sASk8M-)4QR2r$uHRBc|>I^Os zGSJDOwqc5#NFZn=Lr^%q4pia_t{y3~H`^>AVM*4@%tAIh?#>k=Z`0=`IF%<ekN{JX zosXxfFBzWc{4V#5<F`cQR-Rnx-K@Lzmb&UoO4!f$?-65E^GX@;YMzg2X6hjtXLBK% zO>!&zL&vm>y#1<g4&v6g?EP!2W*H%;P15#U__pmob2N_=`vS%@fpoX$3Z#=gM<Bgw zZ-G^g+8zQC#Uf{7WK7DHdhBvM3ags|%DT?M?CChvND!(~jBF{nHXXEPeI|JpI&K;s z829y*KpK8muY>SvSO4a9#6s>b@WLe5J*YHy88PH=2Ex9i5~MX(V9@u!pWJKT|4wWE zmiD0Uf2TFi37{F|G94#1N?-aGi6c;rOW!RH3fSEC220?!cf1Mc^tedH2+st56FkHD z9m^4s>XV7w6#7bIh-m)MXhNIcF`A&}*F{4)gf|~CR>94UXoOHz^0Qce0yn<j59CJE zvH9nCw2C=nVb2_o*ZBP@N#3o^-=@xXoOO|lX)vl~8kI!PaSZC~b4an)SRJ+}9fIr~ zBc=}@QX12wZ<Bq)TR3e48It7K68m?bC7KSH>OYa7EnLN73Cf;qTqWB<XA-<6mui#r z;c{7S>wDSytSnt*cez_~oy15gjJF;pCpAuZH$eLa-S<f)TT(YBPY)rk%F-@!w?4gt z;r<MAw>UX(EhfL6<ZkuRat8x)x9Ij;`dg#gqp>bAF}scAtwy00(q9H!!|fD(u|AL@ z>$_<6o;wHHyUE_ttm*bGYIecu?;m;iU5*MR4ub1*oPB%QGxCLvECat@Q8)+ECSY=N zeBk|I(x2r2k^Vxn-`{1%Bdmp?)*Zw+EXlf2r$P1%tq`;nUGr}IWcj$9@E5LAy|;~F zYxha+HU4#|Tqu{j2RYf?E_7}3IFjU*;@p(r<0*$vahoPs->Kn#CG&JGhxn(i<7o~g zg-0Xj;yEoT{2{6t_2vntz%pfimad3M))7gjFSH5o;UY=*A*`(}NTO$d2T?$adCj^( zDpq~iLVQlWs-L8U(`OFHmZ$x3x9ghZs9jAcxc%JjJnpD1$Ka2v!U+m+?CTAx-r{s- z{<Yb-h?fnu^aPu@kW>A6Bqy$L&mw~3x9dyqO|F_%{d1JZ$<t%~vo>ap%yS8oO)=YI z=3ju5BrLaumBRsRTrXXfCuh*>COn-H!m6AXAHVlo>1kwGF+my3t%oCJD#>}o2gQxE z;DhZGcs`zk!l(6vfQQ?}0|(2J^lzeKI<S~C4YuGB^H#;A7nx#=2@}dNkdpy+FlLRH zEubbL?&X4laNN->80i%14Ip!FUsR(EcI?TK0U=_#Z?8Y@d*e)r$QB^?3=+Nyq2kCZ zSBo6Cgki@?vn*-_g>NRj?Kq$LDQ_c_u4r95x*#@r^T$oJaqlCg;8_&pxaC2#Ot;c_ zE9howPLQrS!QOKnkA-m0x~QftQiR4JxMIs*xjrL%G+FZAHK3FCOGFe)iggk7y(k&) z-etUgCkHBr+2WLa2a%9efS11QUWig6)>)AqU<7OIt30pyeJUmws_NrD`w1!APiEeB zZA^1yQ7zwg?N1BOfd-1knbrKcu2~mdi1AqS2N<+%3mPc=7@>s_y5dulPhl-v`S0o) z_Z&EM9UQ`pyMA7@Nc>52*FWN<#Z5ZEV;**LM!PnJj?D1yofhfswecJyV~ZsM{~LQC zZi}5Ve_zghz2F|ku9drfgM_CmN=s;vK9XI>=<%e3lHM(XfXFMYR7zUP-Oc1k{L^m8 zg4C1ojIfk84jPd=q1BzwG|-*A&v8o>=_g%}N0V}sILCS!(VPDcJ*3GyHpr%l&XjP= zwa2q%Yof>{kZW_nQovr`@H)pufyvZN)=8p@>Uc~T<GRmJNe-Vrdk(X={^J~qq!h_v zHlym<a(Dq5>7K)6$zd!GI$!1DW2aC++9(^z9R)SMYmTC*ZTeX<ndXSH&lhq~Z#yKf z*w?v5OKUDqpe+KV9WNjTp4gQK>VA@dz*i9n))*)g)3}St53-gdOSEL>J*K!#^Ui<4 zUB4w-iZ&gVRekh@KQ;ssKZq-mlJ`YLq$TY0$K7>-?y!1=c$k<cpIW=K1!<TC=Sz(i zV;pi0Oor(PSlBz(hd>Zri<k;+kf`Zr7uS3l=Dp0CvZ{R$%S2lj-@KFgDd(Xyx|Rb{ z@7(mkPMw5weIAE<MLGra^ejsCB>wf5dxXCLhUO~52kP-MjsduRp}Y0SkmBj(s$Q*- zMLiKO*6-Q%-7jx5u(yS_#;Ka8W1m2c7oJ_c41+TL{lx;ow{7IcL73O=m0`2<^!J<0 zA<7MY%dMl7Nlqu(olpJnG})ayusYKmLS%QwGxl|wLm1h`GKc8PL|)78e4A4MW~O4D zKugBV4B|V4)UrF@GPc&P4v(|M>T6_o`op$W3n~AoA5ySh)i2AXa)hM86O9m@i2bP} z<s@QDUktoZn(D-Y_RQfhJjsJ4NXK!D(CYR(`!%1R@<v-1wI`uvCR3_$$<aHuK#ud= zh+3<U+m62L)d>o7kK@U-2%bDiY3XB~xT!s>wP@jk*2s;1DU*1SDd7}>s_a>(Fu_SJ z0+~#3IQ$^&Xl}AO9{bp_VFT?`Zh&6%OUk)^Y;6_Om-<m-iJGC-GezcYDL4relJ(vp zYm)e5QkrjGrx=N`)9V!3A%p+a5|ZV6gO@3iMy{O}Y`AF>@QZr|i;eO_ZLm=`Vd#YN z2*$5L8HCJ9AuTBHvr%%9?2z?S8|6qb)OSU>2BXgsS;5zTxF{p!!ap5Pmzh$X;9(#i zDP5D3weJhAoiZV?deeO(i<?#APPt9lEFPyaTCBNLPIrvt0gWoe!8t_6K97KeJ067@ z(7-kFmfl>rAZf2!A8aMYM$U|R{=n?Q|4cHWSM7H^wvVHF`Bw;M>r~wp5tR9P;3=w` z(86Pav$1YCrC$%JVr3g%RF~+k2}dM~zIpm8$+O;tBPFwvL}{84bA@h;IX2JbJvptw z<x`O*0l#EH0U4k=90+nxjgDa-jyW3K3W^`*WnFoUyRM1@xw*~-ZvBKu4$}rBXInVw zEbaTseoOB(E?$q4-Oy0F=3&BSM?S0^jaaTv>&q-aqUH52m<3EJk62?DN>_JnQ~K2W ze%=vs&ZLLqQ8E&emQ>iLndq%G<{{Ia)H~JkTgRggmZVKq6DH}I>2}Frc2k<KPEJlC zBP(c4qAU61RS6>IfDCZD>4yz$D?Bd!2$eZ-_~f|}CLmMwKJNT=64;>5(=l(y}0r z)2A&Y5suo6=wOK=@bFpld6=#HZ<MA)zp744sm$tw@goD5k#VBa0Q-=m%=>i`d|VEb zGcZ1Ps6Wm{O32EFo`h-nC3`?z`fsjg5Y>A@fj4BW;438=OgoX~`Z{y;6jD5sA^xgS zs+t=<tC+kRc}IyhS3(LHi68c!QUDK^Tz2X%`k%)nNv1Y*kv+qmNGj#B<ml0x>4=uF z4y02Uir(!zA(By$lOoblNcd;Wt*3?iy~#Dx|D4BVDDNmL$~jzc?8R>10R3)wOVlp7 z1OAq<T`Yqc)h-?>cqC-qV2(2({&<SFy$8!gE1k9Jh7+YuvtAW0B)w+)dex*?4l_DQ z=MBlxYi}i;#VpcD=SuX*bI~_e{G{`BN#|F*Fd|}}k+(iA-j5Wx>Em^BM|Vo@pfe;_ zUiSWuu2i6K*F=TLdjRKHH5?$YhZi~9a9WD(#FD@<(#OYH6~>p9*&eWkqo7q2lB4&2 zkEEaP&gT$Y^b_d2Zt%#!eLO9OlygEXG=`P$7#ovn$7I#ZzP^x5I{q`XZ`YOj$WlHh zSpOmmQ7#$IC8qY#b@F?f3t6*jQk3#euD_zE^$-nVvoZ6geAc9Zbn<J4X;Ex1j`+f# zHYsWsD=lSxmm=d7rQ<SR)O+|H5aW*<i8q-)aPmqDj}qiKrgRi;DMlB)6Xz>*j-O?B z?DQOiCWfQ#quz1iYU(HVj^#vLKnA}IXIi}8d+C!ttpApX1?n&9V2REKmxxKk=0j{Y zb7j0fET3oyJ+j81;;8rGnw5Vd(>J(PI+EIt$%Vv{$U>zxAY1>Kqvini$5VNgcf)Vc z)qES`Ofy-Qvpk!%#V}5^1&DJgsU-ou((0E7=|iL~A^udGNJ}X#5fz6>-pe3R2wnv> zZCjha97;C`abD1#X6(bsT{nrhGJefA&t(ZDbmuR8;~ux}_KkC&Xn{3DF@|Q)5$?8T zWQ8>O_U~>A<64@&s@fuQ6JUTKlCM7OI>I*(rP-w=zvtL+8~O0>Z*HL*GH(`SHd>qI z^1RFkWFAxL&X@OXCle~8F7$9s*eG;P=AVbT5u;xN;0b_%`%+{glejOXXJk!o6wRVx zk;c&S%I?30L1s8y@T>GiD*FZ%cg7m_F=Gj0RKA8~B0XaoVrTy<o_F;kRhEl7EIoVI z!9{vIbH3cjQwZ>>OnuhxXvA2@%L9#3OMv7o&BhI&OrBosqiL-c0U3xVHL{(q#>%eu zq)B8u8Hw=nB*q>l(za|T=_(SiO2$fa-ZoJ{lr4g*s)xuNU(U@kuEkkDA##q2SG1?W z%rnmwCe70vJHD#j!FsQZp2Bo&@DpeU_Bd^i$DL)okUw4tlvgj1Qtf+7o(bee0jIDV zt(eV{q+_za)B|uXXN9?2dsrqspWX^-U-vjE$-y!taj;of>@RZ^*FMnv?7395{t3tQ z4bFP^DTjNvzJx+MNaJ>#oE)ahWtpR80CY$+Gja&x;aSFX=A)6!Ngw*Y$nt&cdxI$g z9bGY*4DdhUZ#REINo4tkAtuF$gn4{A79ytL9yYjn)`nUK4@*2HHyNqnMN^jtyM0rt z%4DI&^ITi@yOXC>VDgqtg2VYYDwfD~X}OwJZUhsqslC0Q`5W5h#5Mdu=+kEIk?@qe zyQlSWwpgXZwQKMUawmL5iCPn=bt3YI?Ib!@?gTV=E#z9%ji;-sa@S4yycBnMUG{c< z*dH;|%Vh|TH0!bl!B`g-MXIcDgb*Nb`6lb49is7+TZLrY&_EaWwvpB3j}jM=j`|q} z*)l+Mt|yei<V}fsM7=x0`py#?X_=0>!9$H710BjuLcC5b^~uUJp02h%{mgi}OpLz2 z$pw;I+`b;!2_Lw9r!tOwB@ZB#XXkSiigz=f6w+slT)4wh0I&Xz#lit1A0V^LnNue( zchug6542HeSv8Vop^k{n^U|A7d3Oa?38&n<{UImbq~B#FyOI7uWlde79JT8uK>i6P zrk^S6ms!%^`8`EhQ%gQmo+0$;pMfd}L4R`gr%r}{|32;LwdiyLLQDKes5$JY5$-Y* zSPv1pcCrPotj{Fh<l@^c6{O^vj+8XhaUh|u;4_t7H?9T#B+KhB34x&N;1h4w&kj!B z@3_T7kH^uAj##pi8yq#V-(c#E4>=|#0tDV-O9z%!H?k4(HAaAzqHZpsI!<MV?ePln z#zDL%gC&*qQ9Y2SocVhKncD>m#JxA}+0vcykYB$Z)-~5k)$q=dsU8z`v7F6p`T}>z zD<n9>k^Ztju55trVtUhoSR+cL2FXNJn)Owe8Ders;GmU-fh2Jg_HO!^4pCB4)K2Tq z*Rj<g-bNX3%|FGH*?VX|GoRvn%|0{F4$bF0v0<&kvm|Yd%tBqYt3rl&hf<Z|#Ln4y zRytyzTmhmO!t~7jO!HIvkR0hggat1bVtq$kyEr_-fs+Piz!emh=}V{t0Xeirda3ju zk+KM#Npo$vPFU>W*0<;-S{A!&zGzyRN`-joCXNR%eA6_wcrvEma@puPf86=;LMsOJ z25;HauvhVCM1Flp|4Vuk+%;b|-S`LDs(l?BYY%kVucE+Y7Bu!eMbF!;dvT<T<(^i5 z`uavI8*^Pq%gfd+0f%oJhsoMOgaZA(8;zYJsRlC3T_(>E&f3(^ZgQXadq#3YC3lDk z7KprMI?r!%E8~DC!g^r8sYGzHsgSQqJ=8h!oFnfQ#kv#Tq_%}ihM%@3+#;@QQMS*q zblRaUwN9_^I*%vF4AZk^<i$+#i@c=SLB5Zz;&)9KEDQ1+?1JSrQfnTzvLWT+eBT>L zT9P@^_jW@mf84`ta=4xnCP)23T5}^@GVbAFDKFnZ`3cr_#eu9@OVIjoIpdh(q$?EZ zwvWp)he-bnet7P@B$$!>rrY;&x+8l()~W9qc0rVTt4Yb4K`pOaqrhB~6z1(^eYsqs zizcuenTzs%%L^7qN=a%@Ql({JHp&z}0aMF@o35o2f*en!@0d&)S+iKo`Bdo19^0`v znc}(!`Q0bpbjzkU!s$m@-*1n|x(}_c9XH}r*f|{f(p#+{mlw2NuwvVhpP&r6u^~Xu zW3%KHk0CG9RdPmBj(=s?$G>2BKR0tzT2K<Fq!tH71UI<W{RPVK#K)6|T}Qs)mU0R; zdJzy?kK9^TNSqiW5LpvWfk>Hf&#cZ0il}BD`y4m)Rnj`lDk-QXv77yRZ6DkckFTJJ zwJk9LcM^e3Qgu3~;KH?R8_ouucx_O_DAk};m?T09G=d4dtZk&p_P1_aCWQcn+5bYT zpVDfH^o2dT68Z!|aaop__CcQqkA)e8;W*@K5k}nL5q5*uup6W)1P?=6UGpX|iYcU~ zr{5OMdt;mxK@@=tdRvP0EUN&KBq_ptupXKvHTqh%o_O%wu|c*-5Im8z3-*n?t#f0h zjF5fg(pR+ZI;5TbbtC=3gJ3cpu5}+;c^KW-^=Wire^!Hr+~msmEtr@y`@QE|UP9C_ z8O}5?1Rc^F;4c)?(RJo8EWpgpgYZK3he!`5Q6P^)drJ@SLz=@d*A$L{oqicC#Pl&T zuTBz{cOneA^rXP174v4CxQFJC+uBct4Nu>i)nmx<B*8}{chO(n;g5R>PEk$U&5jL& zwEby$Z}~2Hf0VT9^U-8rCVG>ydvy2Hk+LmfuK7SG#;L5a+KBW5{RF*s@I|jG6#B5> zjj}Qr9O<yHGd6x|lkm`5Mwv}7dlzNCZ0rd!kOynB@khsFX?n3QVi5v;YRSlWn}_LS zGRzP`*J|y!jk2GoUz6Ump4->01yX{-4-$dohGUlm?&EtnK4rbAU5De^(!_hxd+hh5 z_wb&yu4clXeOtdLJ@0JqN&n><Awb|g>6eWuH}IbH*!T4aPp^pF@@Buk{XJ=!Aa#CE znpYa-J!vE-ba_yEmqm8uLFs3mb@Sqzr%63H{Xyy5*O0w4JShFrQZm~0LFtiAl3dv+ z{XmywY7C9f*)mv*h7x`!bwADb43;d*txI(D@~HHa_-0E+uf$ShG0=If(!Lg#(S$Km zgt>dNEa$yUq$qG^LvC21t=3;>61kZUjdSxltrn`;Xw9FmiG&!({VnmPCUi_-tl>+U z8<^pkh}l<>DYN1E)O>(J8Ua5v4!wGTUvmG2GOsxBI5Bf@mAMM{%wkDJUDziOgy3!? zFN2EsmbQQs8zmJK0c3G+I<%KDPy0vBXGHUlx>En<@=MjzU&;cq>15EPCFfY1DDur9 zb#e`{-KFLa)x=I$VW#IdQ_s5ifk+ZM*UGX(Cw2~vOQJQgJ6;L1i;W6pCD`b?1%k#$ zd=XaO_HL0$QjKJ^Px8;;1Q{-vFOBUMvfd??60l}<uJS}oI$%9|rm(wYkhN~_<kXcy z`jWc!?N09PB(kPX??{YI+0*EY{Kj=jVM;YPw(R!t*PYHL{y}HLZ=zOba*|>bSwp8~ z)}5bCo>}q6xmQySeEpuaPF&UDFObUiJQ%8OqlR`tB_&m}8u>Ak7=p@cR!>ImlRKYT ztY&_|NqPTf(_oPzBRmizMJCene_#-GDObZ=O6nemF4Rb&{*X>i-Kej5C|~7uOP&Pv zWv5u1?dYWDg6Kc}RS%QSTB+~Z@J<{4&W4RPe8q;A4Nuyzj~tEQ8)w5z8!onCg$*~_ z@E#jJZo?OB_-7mb&4y}(!5d@4F*dx!h6hI*_a|)lI~#5ZK-=GT8}78>UK<{^;oCO+ z)P_Aq8oUE-c##d~+i<xJSK07KHvF{>ciQl<4J{kSj52tgHcYai+lE)#u)v0;He6%F zEjGN<hWFcWj|~so@Xt1U--e&sP{|2-zCJb_Zo_dlOtInRHq5o*%{JU(!(ZF5!G^Ed z@O>L9oBjiBINXMbHk@X|EE|5yhNU)KZ^J*^P$!z761#k^v|*JE1MX*oA6z1W+>{!b zZJ>3Hfq$wquzR?Nn~eRz<TJZ>_b+De=&u$Fl;JWPb+}KEI?VK4zSOdc^r~V{PDNRM zVP&OKD^#V*S7oX~74kPu6{r&aluAqs(&;>G!+d<<T`f@a)hsnuB?&UVfO!Iko3m89 zvDEgLs|=N@u25;(wnBMTsq&~|Vk}fnR0V$$uTzJKR?`0{uxAlw9)F$v1YEhk2-eFH z{C{RwRx^aoRxa)9On&B)&O|kdKfyT`JT6k@Aw4TpInaqJ<JU`WC7szi#w>I~r2=hN zq*J~^`&~|sD$(WfD<M{>rO@vtYzn|pforK+hN%=ElKUGqh7MffUaVd62v@9bw*8f1 z9|<)A_{CoV?)loi(2mndY+j9D+?~W*rel@#l=CMTO^9M#N-19_l#yJTRIk9cQk%u+ z^`y<D-9x;Rd#M$bU@Xyo%2W|{f=}v5AZK|x<^Y|>YB~umi}6!Pnw@Hl8jo!W*v`jP z1in(tLJdii*hozfdgh@{r&Os<qtqY?W$KLi?FgBs)07PcN!K`Cx>BD4<vp>zyi36# z6ez@>P-_`^brM54Ve@sai|jZ`fF`#>3&Cq#R^T&``i`0@v30~Zp*_Ac*Dt}=wcI6+ z0Nqnb_k7G!K2iq8#ZX#kCg~jaFR34a`~>Kh*q)C-ngaAYQw|E+>29bIpvOe|i$Hsm z($CYa#N<m_+nI1Vbsdy?97t0KeJ84m+wld`^Ucb0C2^fO#xs|xp~FOajX?Upd3@5c zq|N?k;+xVQUpaNu)PWnpRRK;f^ecgCr?;d)+w7oNApMiu@qP33FCpcn)U+z%_0Wce zLIIQ1$UrG}#1<&;32JJ4d}k`}GD=m-%k-+!zRPrPA-!fHeWdhSg&ISk9tEJu&xCIE zNm3;krGGGej`Uwrcg{2h1aNiKrwN_vlce`_d@G>3^nyZ(<+?obbl+zBi0jW9PawVj znflW;rUFg>ylzwp;O}UsQYzAGc<6Vfzg<o^8KIVvs{qYS4=$AITy`DwNbFR8-@LvE zc2h^C-pDvFBYxKyOnMVLmESkVpGU5iQ4RsjmECZ6PJc&#Uqrc;Y1&CIBV%znX3@(i zAfua%l!jt5`k2wdgpu0Vl}0kBk}u_?nUBfNk$g>G8nbYR<g2#LW>&*|$~Lp~*B|pS zJ->pNpuck43^z@GPTSnqHaC23{Idt4zZ~1lj*j_k^FZ6Uxy|_J7^VK4wpk8h%6IsL zac8que;aKxo6!1eIBwjXwmHW(53|j=pBi_L@#!zcHnS_DKc{VGacVx>e9|_y{oRBY zwyAu_Y;(45`!XMpKA}jL(UsUqIhkHBRVDD}WQ3HKDlO8?D6`NlrG`i?F{y~O=ahnf zoc`mT7s^_&FVj9{&LN|b!65jq*EL`zzn4m|(_%>{oSC-{1AC;(>4NPN@R`r8-0BkW zuHaW@hJmku`XqlB;xpU+lU~o*+(gRdPv-5}^tfU_-nLQ1C9`?<M{FqiG-{~yl``*? zId$N>oIJ{0v%CEjx{oYt_dO3kGVkr~(*<><t;rZBUnY8)8wNfxOFtR-T$-*j=QE$o z#43nuxow_>Unw0a#X$LpQzqupPPQgLiaEZdUoo4PK3(Shl1|CHq$`jf1KF8|B6&J> zCLP8s)G+Y|;t@PDiphv7{b@&jW?@s@$!<O=7hjc~>_Dd$l8yqM^R6!Q@hx-Z0M=~M zFEjQ)9P@DRYL;|J`XpXi_egvJ{9+b-k`KWn>6Y;Dk=&Q8SaFH0+{{<NccC+z&ncRl z__RZI_V|K=@y3utwQ-rMqtXiV3s)>HY_BMnm)+RKd_}&eOq}NxmU{vYF7GmLC5g@S zmT2Ue-cnuguJVdvDevsOiv0F+E?ipS&8ui9Y-V1mHWIHQE(LzUt-vYxP^E;wNr6l7 zs9A+e6=Br8Jdd}c00+KV6~(p=x-9orRJNO-S7AYEVJD0EUSrBGE7iW{d2N{I5j+xJ z!YKSH{3zTty#hZ$!6BhxJ;Eb;M)rz|?(K+)?bEkk+&TT@2MioEc*wa!ox_HY7&+>^ z(PPfPAmPHX<HjdWm^f+jl#4D-ntDm{wCR`5NO8?fO-r9O+ntelSyuMtSLDo@J8wRl zQH!p+`kKYperri?-qQSn!lGr%i?6%BWJPIN`3)779`B7St8Tja+pAWuSsO^k|F_Ud zzu5I}4D%TC*VX>aCO2EhU-wt5PXFubf1T?13sT?guQP`As^c#h9?UoS3xs$6e_QSy z89%*Tm;X=KfS`5le@5!@KmHArpuqJ(9e=?=-|R0C{`B1cvo`;z1xQT&_zT1+rVf3K zE$8_k=h*n@?*E(Rw!>G9>d+fqP*6u*U>?10eNF9#?|gS--6r2H_20X7^KIY%!ImHX z=*L@s^3&V5-SM-Z-+9;Fzqse#U*5O<SHJ$v{lER)f9!bR!G|7x<k81=?t1+9PyFG@ zry6$ed3x_N`}Q{;c=ox2&%bc!@R1i^I{NY}uO9p3Yp?(5jX%HH^w!&ddFS2t{%SS9 z-}1qSfBUHQ<4^wn>1W4Jw0-`?mnXmCHHrV~fN=H>{~HYm|J(Wh-;V#kO#gp0AfMe` z56J)9`43~iQg+?~-w@1l)-CY;sGGSSb6`y>e!kbud}}xJ=5A)rZ+8j*{ch$TbTdC3 z+||E4Guk<RuF&ce6Ai#9)a=5*-owJ;(t@&;^E`Q;V&-AkFQ_c6xMJybh54S0(xS48 z7207TVdTR-E3eYy%J&rCSeR2*?v=%Wu{U-GoyulcBX3#Z%(5yIase~vbXIYb)I?T* zY3wd!>2PD1P0Na=1RjZeV@kaxC1|;r*@Ho!9x<ec>Jc0hnx38>Cf}4q)?eb$nUu3A zJVITZn7A;99dxHtXE!2uc`lz)RpnKD5%}PhtB43d1b<@GUythQ?^Lg=CW4UfRDWlE zb-%DMV%V@@0|lL!Se;Y75#M7*C*>@xCOnbk<ZL9Mb4>NdYC<WZS-yOEL_~O1dHKrn z^3(9kj?3jJ*_RoKe=kIxG;v%(iM=rEpwIl`6@_J9j|)$Hr`g+tpQYDJX64<n_B9+^ zC$!Ad>k?V#nbqg4JWpPUGrgjstioAb>deaXmgX;KJyF5xPrg}s#U+IWPEVP$th}() zSy)w=@Ac#@Ezt`K+!vIJLEMX|AI`i|XI?oT3kV~t3<`go#?#@iqA;((SyWNBf)EDH zh+(o;c0mC*Wxoi>QGFeXHB8x3($!wQoHuw2D{d+-UFIy(2|LZbve4t{<g6+^1!Swh zTV7I}uPbOEpp74Qh<bJpxEEGboZWo^^)kR$4eUkbLp|YU$|_yBSHgdgHNWr`%uZE+ zvo%_cqDEJ$(QqA{w%#PHgYL@;J&?WF<IFEBD0G$;Im-ikf#P!<c&ku>Z#?B&NsQwu zKZ#{LZo=gYeCbu?G+0xjro_OzVnrThN2v+rAlK+|l=EoORW2`FnuldcacSWt&QT@p z>)6xqtXy8~DXc8d%P(~16?qCPoTJBkD=Wq?EiN5jSbF2=K;Vvgpkwc-PZAp*iz~`X zR}_|d0{%PVDXdsgTuKp=8j6fcH}(c^nWxZ6-RM*;&z9(E(79{fU&3l%`16-4z4>Yr zXnv<?4E~kHp5;<SDm{4>I`)4i+D`39=hvnuXOy~^10>V=GwrZ5-F3=3`!6WeRiU#V zr?*lFvta(Lv1X^Yvwt1)=n<oxd3G+O7Ih9y45#}aHX72Fl$5O$#1gt&bua`wEnL?U z?H0=!;>oL6=9L1kbdD*!kshYF$XU3e+;h|U|2V#-R5iQv$s?h(@51)VEEU$dqHsl- z&Dt1lx31ys?aZl8w}XE;FKynfzy0aF4F?iuKAJIgXVjYX-vyD?)Jqo2cvrdjN-E(^ zi`kEtfv<9LW$}vglENh=cE7o}pt#brc;!Wt$CVeD4%Cq8tiOUgwr_;$TM(uCPVS}p z&UGA)Zs=A14#g<E>zOco3sJ322E}#g*K{%m^$1oyCI%-4IYO0Vau4O0*sDBtaHJYs z;824n_f~@|;#<#Y>UX$LLyX2L@%0^s{FdQLMZRTl1`UW*13b}c0BIO7zn2;?8FNKk z!+^2TQ-<z!s6n3Is((Q=>5Ed1Ns$#jnnDi;Gq}d*GX{bpC^A$<5(by@pk6_$7da2= z7peM9cBp<6V_JJRMIDZ8h$s)w?U55JaqT4z53ryoaYd*BbK?$6ekE<y2_mS0e$7r> ztj<@s&R4+CR}3lP<Ke9Z(jOnG;z@fvX^$rz@pDangF=H;C~1l9*F*Iyh#)=TlAd-t z{C1*JPoM&LzAkN27P}`YwP><ZOYL}z(0{v=+0dbfik#S^{7mWIKSik{s6c!@qr+76 z<o+r;sGsV={3wvW|F{Ug*~L7ZN<0FCkQWja6sv-qQOa2mtDGE8bW*m?iovY|o8k|j z)6lOxXmFG%^ZArH<urJ1N4dv3s29-M0j(W#P2CD2KcCFtJdaDM+wJ@e7}rw`DcGxq zOnzDo33^iXZip)HWtVdk^Bwtu!h=<K(Cxac1cz2}5h~7uDhO9`)WNuku??}O+qIW* z@+_rpLOp87+f&MEW=H-%$L%YW;1(F$Ka%=K9h@Ak`p@m#8r#&-M#Rr;Zl#81D0S4v z7pv=|DThEiD#}!<9QBFqX9N2CQGMP90bgw2Q0jNM>O0Y)>xYzg6jRTss6d#@(62|e zhtch(Q$3y-*VOlLY(t<Nk$|gmE>~)-9Y^<k?!Q8*FHkwS3mh=Eml{+sM-7^vqXtdB zLJbPaRHi1Iww6Mo28{2i&h<Q^&MkOYojds<buO>_#Mot2P8r$#L5`t8xUP$V^sK*9 zsXwAB?DPy68lhq)!%L{>XrI!iWd!-UwjeaOu2yQxH66HO?S3c_*SsZ46{G6yxPtnG zsy>uopYQj|2^thhpAth}>07ABgTAkGNiImg)P+94{t=XUPt|`ukaFoiu`eye)QO<M zJ=Ng5<68SR#U6GvM3+b9_DYN-bgbZ|9~eYGI%s15R#O_LJSEMC%ji?VvOSQd!M)UA zPrMpDzdvo}95pzok1}DvCG{6P)MdN2Mdk+bcEqDp2+aQgo&kxy)X>SlR6~Qdsjj`9 zDYwHc05v^5^sfbW|2miS+jWIvRqwB-&#R%2vD5Yd=GmA(w#`BP=)Y(K{pLs0k433| z-;XH|l6E~ml6Fnord^wU9Q*~;$@%SlYeQ^o4;4$l7&}o$mX3Uc*CCk}^_#y4WudK( zgMOQ^{U#INT;doKrG|KV(Jw@*A=nSWe#pcDP5lqYHR$-sj|1E~e%<aObe%J4Ar17q z1LlX*&-YLRCK5*X)%4NeiU(KxL{r1h)<>PQ1#x1iKpzz}GE$A4JV1^7WMFH2(>aIx zHS{Tu&5g;?^?q)!UGL3U6ezC;w$V4BqU?O?yy_gA`ZVBN`o-_}YU+77ydkVSG&dwC zI8oXG-3o0oI(?|85A`aRdKjbnruP1RWNSoIkHeu2fiY108Ct|bix}m2u~)esJMB8& zpE}-mQtyiH;S$@!ISAKVIUb}8dk3rD6C)FYB7=pFiBfOn>kNb9p&N9KhpzF^6&jYC zI#@s*y!woFurc`S>vTo~;|;34PG8hZjhcKz$f%&AkTcb3CmYpY*GB3ak+zF!$2TlO z^_lOW59qD>ROpc<w|)K~?be=W3}T)!i26;RV9K<Dxs9%u)JO8$kNnCQZt6bs0?c~O zqvsXWHxKoVamcQ3O@TV_w?o|fIm~+1t^=k$_Qo&s9^zxZ)82PODiwW1smZ8v+yBE7 z_C?Of2g0AFP5lKwqhIROrlh`8CzzA8_GyYaY;qo%)1~cHQ0`}LXRW%Og$1jy$?R;z zF}8v$?!n&W(YaAMK?s5Fxs<xmM`#-fZGjU_3<iJ4n6LZQ^?`cYLARi&9x96V8#UL= z&jw5kRnDL~HK06Rw}C|ZE@Rg-sNF6CJg2wgCYfUnNC;O0J(Gh5PM#DrFeou7Fn=iT zNtmHgYN#hx4K0YFzwE7scFaw423#Di&hwm9=M{XZ&YS!N$BjQ#?K7Ah(~oY3eWUX+ zlPjO+23iE|bOicVcrEssa*9uF#BTd1qC4|fZTtQAxphOwf1g`7bojq^ZhdG_=i}k^ zLGWEu4L>J~74Slp5IV0=7;!myp5+VG8cdzJwQ$!A2Ujf*npII)m{q*ALJk9LSE;b+ zJcahLb9jsUG-hu_1xxk7Vf2Wwg?YuES!EUTU=frQ+L%`0v$U{+(5Ypmm1QM`sh*0G zbe8tan$A(K%F5zpr8b87WgQ7n1wmkfiEMK=iSs>)Q?i!|=PMAY8W@aic3FY9q;M7t z#LM$mkWF=8$Q<DecH%^Lpe_!{_Lg{xXWrx~oL{!ExS%j~IVTr>Xy>urpG&Fh1@}Bp zfg669@FpX~EPQOuAm#e7m?b5yf`STt9{<vitg^fUn{Hr877BODxWQDRK2T{k53<lk zK3AodlvM^ym!;3WJUuJG`SmF&ueq=<Zq%8a2h(n$N)MXnso+0@{9dAcP}DHkB>(f= zSqoh`8Jcl?ZU==-T)00cCrN~iWyPhin$)Yo?!vrsDRZS>(t4M$P*l00Km{c_|E6-m zd`q`F<x<xfKd{5R<wEd<>V?n%->jpY-VR+*x?Iz-AiXM|<0)(#P+$_ddPt~rR_EZ5 zjLNjarQT)B3M+CTvs9h)Lg#u)t}G_Xypjc_@T3Y@^NC$nS=sg8@>#I0C4%%)k1%}V z#U(YboHHp>3q6HZ9yLnrOwjZy^@+l3VMS_1u?NO*$vl`jvaO+#L$V6<ZY(^_z9l%L z6t8(D#W#0%bd?s&D=#ihE%TDjzk#<ionM6RC55zwZV|aU*BhvOb<nJmN-Ectc_o~5 zxkgNo$e6AYlP;=ip<Ac=_*|z}Ie)ou)-#~XBJppEQ%w$ANX)ttsn>NmgP~I^QR>%H znpeWw()oW``!TJb%@K`1NBpZ&(YsO^i!YTBSEOf)K8ms;mBj_Rjk1%Y#)o93X6Kbt zPpL!X?CFrXq)VErQmZ8WrcN4isV@YpI7)3(9&r~_pqi>>x?f7~U<@0)l?&Bd67ozA zYJjA#YY#!obcO|*{`|7`{y_c8^cy*a6?%`MG@trHIZ{b~Dp=+h=U;E9bibxWmmUye zSBtNCH&t@@N;YU*l{zoz*!G)OQpm}vTkU>E92TlSnKGajDRrmDXm^s(^1)7Kl8=uq zLXS@U(Y2JUw{p3ln&~YnqR<pvY<hw6yo$nhiWf?#PL#PaucBBOr3=+-I`+ARrgG#N ze+5?*2|}gjNM7uIR(b~{VVK%u_h%I5X`jrM<(qi-n`4D<_x!ca7mJR{#cuPZ<eGa) z-OXK24a5Xo&kiLXGeV!;PiGhLA4pqg`+w{IO@V(?;G0uG+T1y)Kzj<Y^(+fjJSq$o zjp~77iN_u|V*-jLqK0B8=17#d$=Qg2o8XnO0v#xcL%IU7lXLccY$f)?P+|}JT>GO# z*XC5)O!uk7%(d<3*--i{!G9G>;x0i6o)su3icU@oJ7!X%(=YiD|J5i-^Ew-@2TERQ zP~u*T5<Hy0&?gdpW}EK<N_y`>NqqOA#NT5m$<qrcaeoyh?jpBX=o6qBTKxqDG-ok) zb3Uza>>mD~_5aU?|5xMho}TXJ?(zTsYDP#%``9Zq$hphh+xYK-|601nob@yDI?ww3 zYt!{Vh5hV@4^0Zre)#QwDuw_0c+Oe{>{;SjtAO)gpSJ&n82*n}iPnqF{68o-REB+Z z4-<&o^*5~_W|Q)lZyL>A_ZqnF=S}*`S<0Gf4Y%We_b*=ih12%m9jrTLY*K9a$T#%w zvi(1b|3i1bbN4{??%meiY-o1-+VQWsONW@lglEoc-+Ildmb`Y|YZJTqX1?&!u|GF` zuGEAzCM2Sh{HdLMl?NMol-O{&4GV0TYs1AhTx7!>8@g?nV#7omI&Ij`h7mRlwIRp0 zQ)J9M8DwCa4L`MEs|`P}p=HB&Y}jPOKiTk@4G-I}!G;gp@O~Qx@ZV#bx7l!u4L91b z+J@ye%(dYn8_u_(+lGlYblR{d6VlFef_U3L#)c6#R5ol=h7PSZv}}0HhK)AdX~R2h zxY34HHq5o*A{*w|&~3vM8z$K>(S~De=(J(H4LP5$%PGQ!%7(3eGmam#VWSOq+Ax5B zyKUZT!;Lm9w_&ag-8M|L;Yb?}wqb+~n@*W{8*SK`#+|D5f4g?%bVG-;A^zWX7dm_$ zEt+PYCH<kseshF@F_8u)+WBprVa%aD3_M%@|F78pqkAdA-M$d}YtNreuV9-VGQX9t zS{7&jji0Q^<l|_WR)O+6Y?ou>JX0S3Rk+svj@oz++Iat2D0NTL+Pw}|MVWLix1o$b z@~O+hWNG`~|1m3j4)qQXCm#g<m__bk^jm>`)DC%2nT5QopHdgHXPX8b8>dtQ_KCpT zQAy~xi5;pOKLY>OA6@|ZR^Z72O10rfU=<fC+}I0Tj}rfP0-r*q^d&6tj&r$Zjs8yH z-%-`*`wivHJWBLAz#>~;4Sd?x?**PfZNyI-aDtO{d0dd14E&3&e+O7O9L_9$?gzez z5}ZeYu_NHU4<at$0+iS<0)B4mPXhalQfe>u{ebtQB>e)Ho@Z!P4ZMDgQh&lv3Ggvg zXg~4=d>a*m{vF_;1b7GN2Lqo*C8FO8d<(Tr`~WjAH0j9#_8M#AiURJT;xrAwKXCAP zrE&!i@S;S{Jj4g7B;bY#@HnvF2>c~VaBc@)&6KBLaFALId<At6_Q!xf;B2In^%mfd zCL=Eq`>nu`DTWTAz%?kLXEpFWR6KeMxb9-^`J=A|{s<*B*$RA{gJ=cV%NdThE`fK0 z9(h~}*;<;m0{@N@|DOUEPP1tath4oPz?WxGri48P9Pc8{=#zjoGr@(v7WfEC@azPR zPQ@Pji~-I<N!~XDcc8?Nz{9p);5lg~-bCPhR4X`hfmNtB^wq$1sFUb718+mAbD$M4 zKArMKFYxCmq3urK&t~C<{hh#fP(n9>;j^jR*hc_Ip(H(vfSWQ1i~T*oS5Z>;-U0UH zjHCF80`5j_!Ovcx`!a)5U<pe63;cPOQjHQXa9FmnNA{UoX6u&&D=sH5`0)UJD8YXV za4$;IDe$DN7dY_>W8VM_%Ap_Nwb(>p{akib(QgL6gc3YQffvBM6a9t2eJH`%2%JCP z&_`g}mG~j7z*DHL@&fHb&gY;OLqmaKoKbuN`v~BB*C4Y3J@VUB%wmH-<yxh7eaqC_ zCxCsInEdtw)}bP33%3CCa=Au?z5tk+XWB>>aLZD5N2w<QA4Ew#c^KF~-{6t+O;b>k zmn7g1QCn#vhk@r7z?%W56ZqRg+9~=5;IE7DkN$q(sbwZ@T-H$|%9Qe8FYl4gC?{U@ zDZnC>;9m~>2qkT>6}YF8yyIst@M@2-Ukpt4LI>=p0V`2b?jGPXC=Y#CBXH@B^d|$! zFYw8A)KBu*0Gzts;F$*8h?1}ZJvGn=Kh?nPwMs2VFL2rhleR^`A>U#54|^wY!FLVa z76IQtNu6&3Zrf<eTHum8+A02Xfj>q`Tw8&EL`i;;zo$O6^#b?$3?6~gZ!vgMfaUe3 zEeo7+tLgVrfER6+afNaLUU-}7lLfwsiX!h8u;}}=LG;UkEw=sx;0-@8_8#C#l+a4x zFSpRH(98R5IopUEy};pjP%qJs1YU`fdQuDAi;}!F0sGy>nI`-Q%tncQIWYci#zpJ} zI`1J2dV%+%geKd8EAKV>D&S6(gcZ1cJNd<bEpXtksLzz|VBpQa1~2+mz%NiK=uZOQ z{~hT@{{e8(f0(gD;L;t&z5w_PO5$w-ZhnBV1OImdmpw?iqpt=|d5AQiPXew%iT`Tg z5tP)iqrl>a4c$tB$xl(Au%8Azf|B-r6!=&JV<h%Ff$@#hTl4}?piZK1173E(;Lig7 z1|@mFU-ZvWC#hF^fm5HSzd)Y`tV2ova0~DyTYnU|?gdkSYJuYp(Rbq~5qJ+ua0<*g zOggdm09U;Tt<ejd_Y(a)`uV^wP|_!y1U~jEWk!4437mAy%yZnpL4P#uXfW_@TYnF5 z+UwLG{0ofy6X`)81x!Xs8m0l&pXsl$7uXLabxGg~)GF-Df&MocyTwlv_X$zb=Tre7 zLTyL?Fz^+W;A{oTJ&?`xjRNJ~h3Ey!J%x?bAAxe`LF@&tw(SMpZrcl#^ZepR;89yI z@Dp1vF#2udN6yfXwe<p1ZG8?<&Zi3=f%UdtpqwQYdx3IJTJ!>&ZM~e8mNUL$FK_`$ z(l1cXaf-b_pRJd(oWHU40{7Z__3!VWra-6;5u!qXV`!4Sf#tw>;6@-of5u<9Ubozd zeK58=ff9~pRW0roFbs&N>K*`wtLktdhoP$h`ZIWf^vy^28SI1bm3szz30x(P_7}h- z#*JsO-+C7N?Psyyc^3P|v)CUyi@kLQd*O4nVIT2*#wdvQj>&*(-NJko`+zzAN3@fO z4s*lL7{?%Lz<ta;xR2^EA3lINro&wI8vel@@Za=j%+M%ccE1_KnWYZ%7~Gtw6cjf& z_&xhKZrnIEd-iO#aN$B#TwJWYUazVa@72}(SF5dCx2pT@yHD-fwM#WLG^kf!eN~-0 zbxO%HR(xsC7+S>?rEWb~&Aqh!D_7D*V?5;l=wx-&$(1Wttr8C(`465v<Ue=<=lz%? zFnmN<%qv%l**b*WY;DHYuOj&Q$bYg(yRTf;8u0;v{rhb5%0m%t627Pi{PL|8{|65h z6&)geZPxgUib}A@&sxEM5_kFVqy0;G`ASY;K1uwC_GvSb2>v%Ee*K*we%=5$MEby1 z#7h#A{?FgUbX+{>^shg;>EOwO#|4L&Pt9GNfrpbN;Kv;H#DRY2Z##I1EEEZSB98rb zU0)#pUz?b}+AuLT>);`L+=6%T|LUg`l8gs!ZhQXFJ;U!msQrpN;XZIp^S2Q^O8Y-_ z@P%K@KiGEiP<4Ztp^yKo1y8k|)Xw4``ZjNC^J`~Ke?egxXYsG)mLD_D8oy4PAQyZa z?XN)_)ybg^Ynwu<XH;|iuagQvAB56X<1A3z#b4)eg6B+XE%yFu6@&^wg`*s(p?<07 zF(@bMAJy~8lP4<#eW`i#=Bb-+zFDU&P{%iK-mHH8>tCyfAAVTZ@mF4XMZNp(yY2P7 zT#g6qpby>gSh&>mZ}V94qeV}twNHKYRMGWiYAr=n^pxMf_NkU7)P(ET{_V3RkD^)o zvv+wr;LD=b2i{$<V8K&GS(ASQTylNp4OjU6k1X-8sT=*&H4B!gwf<i`^~eIjx9fX? zf34sD;fWJFl&;0!X5Kb*s6Qrrs9%NHio8R*Gpm3f@h{3@=p-~s(R89C`kHUls8K2* zApv;`iE8@v>B{9o9&|>Arrn%5bJUerUa79S>MC{Zwb!aO1+&z$Wy{oc*IlPptXQEc zDv(h}|FL@YYIT=)hWgFT)73+3l2y&Jbal)1scK7^OWj_PqJF>b67}2a4E57>OVwjr z%hkSHFH?tqalIPzq+eaQ$FC;r^Q#$q{c6gyel_g{zgqmfU!@*}ZT6a9&3V(WDp3pG z_N#0D>R0(qezo)izgo9$ovN#=Q@7oAoBHvOf2@A;lb@(<+qS7Y@4Qppd+)uve0S{F zp&ohU5#5(P@x&AArKfkO^&k7yBdvb*%rnoZ0|ySM=bwLG9XWDD9X)zfz4qE`>Ww$v zP#?W}Ouh7pU%mC#Te@B}H#e(KKYCyN<#WGkZEaO2PMpwnMaUXFo;6wyXK<)A5u2IM z?V$3|*n789PyKz=bpHf(jem~1$$x{|>c34r;(tIL^&biJr>Y;}hvzW9ma}%+%$j@$ z=Vb`Ltd+46Cf+8(ZzKHg2;V^X7YYAPr|{<yJ|%~BW;yfw&B!p>q13Mkzo(V?JmHTK z{?CN}3*nmy{}JJjcM3oLJk}R3>iRXz(LBtJzsH{3ui&FRO(T3UR{4)jQ2saODE~V* zDF6GnDSzt&%76Swd-})sBm8i}CldZr!e<j6T&=}~zbRJvH%(CfJLV|=f83z_yKe*M z1IqvIk&f_8K5{|{--GZy2_H##`kz)NF@9$s<-c@-@-LpF{5RjA{6D@;`5%2i`Hvpy z2(Nl0zoI|$ondM-vMzTZefSVHzZKct{@AOPe?qzP&-sq>->^;jZ+lSrA81tmBX4#J z?<D+1gwG=UQo>ge{(FSKhwu*({z<~`Cp>Z9_9w!>OZe9I@E0QG;W983gW<bixEBn2 z!SEIsT4Vj{lL>zH=^Vd0euH0~xXrIVf55N4JmPN;KZx*S2|t7Ia|xeM_!|kok?=o> z^~3-3tB2?K)t(#t>d<X|^`{5?s^v&W_z1!a1>y)li15P*e;(m4B>bhZezj<VU)?ar zuWq>kT(|kvQxEvnYezc5ckLRMn6I;CYU)haOjnw=%DQ08sFA~mpEtYRgKK7HMn+m% zX6lR?uCyg%$BZ65YUJ$MBbL}6(lT)7KLbr#+LDCx#l!5`PTM^*J2gFX2I$jMT{C97 zmRu+vMvWRi%y!SnPH|<rQqxiiFDV;$VM4;Cb{fS?W_D)an>8rD|B`Wd5DX)S4|9$n zkr{$NGc#jG=8_?O2gKu!hcUK?^Og{PhD#8nW-b}jx9<SsuG2VjxRXR?wBuhA*ROBi z%cg4t2|Aa<a3}p~65f@Gd%wOzF0<2?b%7*-@JnX6vM<lfOwU|0P!J4=@8AENsHmvH zS&~L^7h#my#Ij^y7Y|E>4C0=eo}H1InVp_Jw2KGaM_-`v&&*ECOwUfso^|fPI6Der zSaSZDv03C_@Tcl10#sWvEuJKZ3HoXL6OywbadvuUw$6l3V}Smoe@WVe6iGs6cJ`8i zvu5?}+m}qVyDzz@$C8xs=|pik?&r>$rE@vB-96P2=1A(Dn4X!I4V7mN)wvup%dQ?X zE^)aghB(3!XDrEHlAV#BZBj`WV!n*j$um>OhXzGnZaWCAGScX-Z1*Ko$H(;S5fl{b zCWVs3?93Tdqz-r2#ZwX|^$dyVlYwLEOzQIF$*HLw?n{=;bX}3$J3Q<nVn|&g*fY{P z;$M;~_3nz~=-}`aaZjB=b<GR}hkimIDp*Rd*xpwxNzI;-OkHbt#y#-4V`8UfyP#u6 zCugC5n)ZSH#gkH#X)2waHGaxBGmVOvkv`>;ZqA+XQ_vZ%OS*=peRTb@yCA23^*5|- zb5zf0Vsg=dsy6DsGM`%uj_%5Trny|Tn$c}O_x1CXz<h4*+_`!_vZio$``qKcs!P?z z;&ipOB2_)SK3(nj=^Ax$BXbJ+Irpo6btQ8LnKM)YfApgtsoQVAUEOiV9qO*T?o#*M zbB~@YJoL~*dOrC0<BuzuE4<urpSqp-#t!BRd-v{DFTC)Ao*TUL_M7VMx8GLpyz`D~ zX=za(eDHz#<l~R@+~Bj%K2u+P^_9BqgkL?tT;a%<o%-4F!x-o;W}u^8Zq8?*yNQAB zRtCCXs#yQSYJ&esHOJqmZt%aPZu9?1J>Y+r@w;Q3QR5j9bK(ilV7vK3!e2!A6vAf` z{u;vHK=|(x{tm)FNcaPUf3tm@`S&~p^8I_B@_%xkGEkXs;J|@2BJM;Fkl%svqsEUP ze}U+n0|&+r9CpFbnBKk5Wj;J$_?S_nMvodF8{;@X8uP$mBSw$LZ*0ua@d@J-)ZpP4 zj2S;9a(pZvdPhf}J9yZrG2?qhjyc!1a5~3aFg_w8Y7AliUwdaBU3HP=@z81m+BS?c zw!zku5Nx&_1Vto3AOWJ{(vlv#5s_|*7-bECu#P}jqNrd1mlko!rUW&44^RO`3E;*+ zw?uHkjl@0TuqaC-(%kueDzD-rgb;!~Xa2CxxvBSi@As>^d)>OX-b<UaetqV-k>|8+ ze@3H5r#C+Bv|qJp(&XGze|c`(^Ur8>I&ZXZ8g+KV1`T6$Z~OM=H$IK=e-rtOf7jI+ zElzLTI9B_B=D+*xDd*`^J#xOTHGk}R|Iw;NZ2R`Ht%SekZyOtXL2PXESV!M^YSC)V zo4d=1%qGfDH`I-al^rxtUsL0Ke-HQTxriv26O2%J9x+JJAR=0SPpbVwPb*@NP{dvZ zr|C5_|6jCYQD58K;CqJP?5L=y=IVh91T7mkZmb=UevZm<N+GmT`+_qCp5uD?lQj6l zxZ2&+slnf-0@Ob`Cnx86tvjoB?b`L_&Ye5I(%SRsjvYI`P+zup@7`V7mwx`yM;|SH z<Bd0F>)cOle0;n#AL+ZViZG6LS59sx!aroq!hBZCmMvSThgYPR>(U}`yz$0_OVxDq zZ<R-!t9`VUl$6+4Uwvg-Pfd9j5>!@JR%Y6N8=s2?(;oceii(P_Me8S<H*bD??b@}O zy?XWPsBw_fd4h8U|0Vzz<a&Atcny#F>^Fk*1?MPN(ec260|)h53um42Zzg_kk_}$M z7@a$JZV7(E%i+Ia!v<51)P$d{T)EQWtsIhl`Q?{ZT3Tw#DY*N1Mlk~Kf39b8mM&d7 zWyOjWQxx`HHgo38zUk@dN!i)i$%?DNt&Je|oO90UsNBYYi!Z(y-bE%QCADT;y*?rQ z_w3nYie=`vXwjmRc$mF?`*u@Kw~Ei3Hf^%^-+$lXDfu|ukxhAdxqbNIhwd7hJSgUI zucdQ)zy0>x1Jb)6G-k!Yg9q)q@4nmf&O7hC@Y!ddm1(Z;c}8^JFMI1G9I|=#MDbTV zWtyuBz~2LW^?*z~fIqyV_piAIJRS7l<3Tu^2g%$#`1gEYAN*f=<&`;-V~lhn3tHB# zTjyv%Ka_7WWS~5g(-&~WCS=2|-?C+k0oVrepvOM29iG{^aigOF8Or_*IVe|83b(51 z`Uky#h|gui7mJ3v+HbS{`}docA*cUwad9otV*nW_Z)U4jtuo2n6f-*;Mh3`4c{K;% zzJC3B!&bI#-RfRL13mzK!%mP9xGmplmimEN!kcE7{I^;A*UVzqnq9cY>_0b{J^h8* zzWw{R$X2lbx-^IX>eZ{~UvR+%ofN}o%U_!0;b_3;AOrXcJ;(ywd5!$HZQJI6*YF&E zgD<)OE#M9R(b0VUKhLCh^{=Kkn{`tPzO!lu9oLJ7SIydrhL$gz#k^>i{gG+|hYmej z7vy!1!(YDMJb=FkFALw-$4;;V^yT_(W>;+0S^0Owe`t^lF5PH$v1mwpPxX#N%6GqI z)?u|%tKD_QUwKk=c}~ZU9b=>mS<oRlIC?xC^zafrg8wzq0pH;{GD2_AfBdfYY!0Em z!vE?ID{1JZ??3ktu3bfg^2wGiy1;+v7PAXpsx*tb;;%Ksy#Gi4wH_JZ<v|brUeD2g z<bhtH8=e+y96dwtu?^p27qsg>F}qeYTqXU#T>OTH?xkj3{$5E#2ib!1<kq^x-Hsov zOKS%H^2PI&<L@LnWMgOemYV25-@|3%^@<+;^EvAR&*EpoTffg`qtNiN*_EQ<GSRR^ z|K_(2?OWZm@EF82`~LgyP3z1N01X~I9W}|s(-Ka{4?p~1Z@uuCJvsR*TR1ww{yHkr zp*Y}6vp;=i_J?w_-$TRuA$yk2#Cv<jC&`}iNiAgu*mFDS6E=NVb+#I4aQI8!bCkP? zkzdb(7W^T-r-2^5N3W~X;q?n$N0-X}_M8<?h_`}q-R<#=9*zbG__O}O`3)f&lFQ7l z5l($XLzO*4L&%;l#3#w8{!TurxoC)5S?OCf%=BtBIQ(N`VygVV)_B(WqvV18vL1MO zU=Lh-I{|<BJzMk8E%wZ$cw01~yXA|9$3z1yMgDW3Xy`8=|Hn_wpuyWSG<bW)CtdW0 z`2LDn8)y*!qhB!VD?g?7W=;6Z-#h)6tz{DrVRN1iPYW_&JqVYHr-dH;@srO_?`eVC zyV=vC;YrbuH?|W0j9q4fz7Y)-X4i`b>=~bQm3)%7XK3*D3=Q6%@ky;$IsE@o9e?bM z^+j=36+nZB>U4Np38#bC&_G*}*~OMk?rMSm>Sj+(6b<9M+rHh~?LC<@G~6T_RAaO2 z!|WNKggy6^E#Q;l<dayRy-#XYV%DM(|LT6J8Tc!{pVO&Rrx?X3S<r!Bq(^6<gP4aN zT6mAO*2iUh#(GQ4Kzngo7h68Hi!Bum#iC)cXn5)2QMPxNl&22uYtcDUGKph-77aee zXtlcX;p+UyUwHlR+O=y-WZ?mO1#fTzcTWqxAAirj2EWN##o9(&JtNLu5Dm{y?P^OV zce5hVP~Dy%luw#JvZu`%-plS9+S_K{*4r{~NwV4F2H3XuN(~yqV+?1{@=3Is@Rz@L z`Y(L4!5zHl!3n&v2l(t|f{zc6kBNt%5&eJVt{(QXXjmy4o|_^XWDD3cG+@v8q=)5K zp<y004C`gHhKPn+lWgiOmpK~1lNf{b*~b{2w7#hwrT_R0)-d7-VDaL`_RKTS7;&iw zFAw_K>_mB4D}6l0*3Rr~FHIK>vV~_wLoj5|_@umXJ?ybDJ#0aGf<2IyXmdyOwArHJ zPSG$!G)xf<wCXX&Ut}9<NBJM{mo7N{mtJQ<%bj=LX+=dvjvh|~{junPCUlEuE8cq6 z)@60JHKJjaXmIu{8t_Tpo^$1s9vzcl52YvC{h}dTG~6Q^?vNf$Pfc=&;*)xY#Td`Z z?$wU+|KRWSzgxF%Ex`dibt<Ha2ILY>M{TtH^Ph+8leG)&wK=`5WM-VL3fVJ0$=mZ2 z@=4I}NQj2}q(|Aqd)nPYD`@~x7h@>izDDqv{MBKzjn#CY%Vx-2>+gJ>W4J0UEo}q1 zVvpFs)TvV)4dMD#otEk{;ToTSEgY}C_iCUj#=xHM4cT+G=W30Az#rN7>C*=}*i%nE z<zg>l8s!IU{P^)zG}J~%Z88BLeA09Hq~qDMXrR@=>zdwb2A_1+X03duwQAMMZo26v z)7cCouFJ^Cu(4yu+MGFaoLwvB<NOY>P))SJd)5Yg6|oTUDEk2#_PlA)I6HJu`;CI} zZha1qF&+-t^E}xCttMpsd&*TbQLO(*T|4~SwQF~&j`pPKUk84pINHe}KR@64_U&sr zTV(g%d#|acWDh*>fWwFVJ^Y3S)&kZE^a@}P0}c37^pLd>9=$p{$u<{)|9;!>#P}a$ z4A}xP2KJ0kS~&6dpnu%`mvVo1s}wpN{gJNE*S^1#&cPJPhE1QD{^yFxCXDN=ufE#F zJvtBL{3p1BD>8xx54;Dz(LMG##CFI6d%&ihJxdO(&)%N#N#XYVw-q_Wfsc4z*VcFG z(&Yi2>2Y}w<__7i>5QW3Op+<5Wo_EDF~!yn7w{n72nT5J;OU@eJOG{YW8+)@{@Bg- z(jAFfpDSYw*5_xY^tKiE-)0|fTyFdK?b{-G*E#>7vy_&Vm9<A_lx)U~8T$qd7+@nt zjBtF{zS8LuG+-CxeZUPms?$Oaf^`_ZCq}|n$VZfDKgoN<NURgkQbQ99zTbwtPBj0+ zShC$*<tWQ;zy0>Z;Hh(?4zOuYL)*4(O=s7f99T2Zd14<=2l#?NIuD)f4d}54Yy^Ao zGNDHYiB0_4!`_?yv-IVJ@}Jli`Y&C|(|NJCu~SvVZSv&FP7ct3UsZ0|`uFee-bV(| z-~k%^zLz~EF*bS+p7iJtw0ZsFePSwNZuye?lzX~V=M3kvho}$!=skcgk#B}3a3kle zvv<yZd-v{biHV7((<x34e9kkT270eoUMAj7un%zeJ$l5R0lgv)M0P&EA^a(~{Yp@m z=KQDVo}&^#jCh!ZJ-__&%Z>*4L*7vK;b=%nNwI6LxyI?1YVr<$cn!~?1-!8X{15N5 zM?imwwM%3N*Z?-cxcFe<epusVMMg#@O78i}J5>m2YChC;>e5{N;B}Dr$MY3@%F4<d zK9a2|w%}B;vj@rBq;F0KSfk)G_XAu*1AY{q;{TT|TV{bkz^#G7V9-5BjzD~>kZ=35 z*2u}ieVyK$C8Vi))U|%o419@y@c**MY_734dT>GR_yy^yizQSialTcy?$$Sa4f>7F zfj@SDT_O|o1R0Re;&b14&A7-2d9a>~-Y11Oev>+3U7N$->nVM>4nu<naDy&%2wRvn zYnI7p8S8X-12+#mgP*|{(a<0EL;$!$S58h2ImTRlP5wl2hen6LkN?H*ENJk4(bM8- zpoic1Cav9WpMXxW)`s&JT)75+WaDE9>N@B>x&+U$A^D62!lOR8SK%M7|M-Y-dDJ8m z=px5HaNt1Gxm>5;p6B5`_n}MZI`6XvfV;1cXpf|C=G7Z_hd*=p{jb)ZZ1j>f2s*Gq z_=Nw!*RdXj%LLvoU%uQHE?nsJ8Gd_!ZgdCRA#UOtonbuI0{P5B{ggs|`3~;1X5bUP zE`q-YXz);*Oc+CFqTM*?7|%c(_@Y}S@}1D)aaVl0sGj;>iS>_vUH(V*<@Uc?zq6nP z{?mIp=sg|u@D%@oEda=d_mBg=6FWs__#$cv)S#dRzH5&9_?aIuKJt~r-|N3(g_iIM zs7)rs_ryQYMO_X+x9DGg{dMPe;Q{uFzJot@Abos7)1R!)gj3KAe){~U{6tm$2O3yA ziC^%4=mF~yYbQKr&k6651F?XY1K0R`d@X)VdkR<A5Y0a|?$F`%KU_De>$$)7b{pQK z>s)gWvOwqIGc=;>(xbzQ5h^4r)>Y0}oXFY)e#dKP=?2aq{40SuIQzgkjgxLRO^Zv( zgb9Zt8rtE62@}fo{hZyEy<WNNpRPY8G+u*HuW!F-KDCqV{dj)-FubQRysp=T`tp<M zGedY<W#1swpAzaDhWaL<J}T5Fg!;@-Z<T!m`qsiHT97EH=Q*uY^(gTzfIc5HR+OZt z3zP-7{etkuH5HZW`9KX<V`HvJ?FBn%&A%!&HT4gQ_mh<K@2U4Y2#C4Q7F6jeV}E?W zY`khcecr9Cv5^a=rf{)pI|G#)e)l_vQf)Xu>v{Tbvz@iK8!ekYfIm~rxljJ~Ypn(U zBfs>4;`4mv$%ZKgPSX7s31Sp)?7B@g4(ep&LKBt0rRGh&`0YJro0OH)_mOBjb^o#2 z`SRffn)3ku6CcTb2^;`l!wALvhvirI$med6-+YmQshLu5q|QZsg`7C`p?CJ0m5TN{ z)Ow@v)5<HPDEHJ49EhFRd$K;_*IA43)x@&IDSXCj+KsAJQS+qMMvaH_3)HBn?@;%r z#zs39@p?asJ%IM0Y1%IgWBp}aW1q{s#L@61M8AujDo3pROTBD>a<|m`sFgjpJN(lc zUsJ>i*9SL0`$1v^02~1PI{;5uzjl1_ffdf|=jsyV!)Z6~P`zt=W!>~T;XvJ&GZ5tV zsrh<+q~1%NF<$*UN9tr0Yl`--DT;IZfrrNh`4a<!3+vCShex`cHZ^B*@_v4B_=|9$ z?n(XJ>7#I<)<%s7eWXT3t&=+84YCon^&y!=v5qV6lBVz94P$KvJPyPh@PybpFtxX< z^--T8k4R%~fZ8kdV`_fk`p8)pYBbdPs4=0Bu`jzv_xt&YgM59Fb(J{H$8R1No*=JG zF0erPOlrRRE}c!6jfLZYKK84ok2=5aY=W~i=wr1yT@>@Ho|2-xLcef4m>WH(r%`XC zMnb)iI@R)r(vMp++<wq(Oqpt)!h!QV*aS6Onx~(*V$!5ZX_=Xs!-zovj|X`ZctIn- zPOXU=2emTlOw>21lTl-$wn2@I`qJdVmGIXYLk%39KC15OYu}6)K0iJHAhrR*@c<X( zzjjuFQSVwN9LQ;s8>hyCK2qnRzCx|h)wn|QPr2oCrgApn^|8D7pjIV+Vl&ktQuMvc ze)t0R`^4wa4KDD2esjT4S2v_yMeUZFA+_h6P`wbFpguyaaGGjVo(D`8?xU&Qs#WPf zwx#d(rpf;g!xr&7><if2!4rHB{McLZzHPWa+0_ZiPot02@X1Yko1o4_t&cicW(Wr+ zOD?Od;}6u_AN_-Os(ers@g+Kl9TM}?g9iXV0PuiM$f35jWnIwKOsUmn2?y$>)!I@1 zkNIcMo}Kde<B#{FHbguQ9`KxfHG69Err-fD@JD<`qkhXd0B;jD=_B`rbgiZ?iWpn@ ziZtb0M#6`=bLTq0hu>xW!~dfT@B>|BZg8Pt6FWbB+je~Vu56;3KFTK0M_Nr2d;MoW zPM(9DE<9#`C0lg+Eo>8<ynMoCgDhT~pKQB7f7^C__U@1RD4U>ujXpjy^#-P|as8KX zCEku=e$^sANk|~7o8W5G`b`D9=bn4q{tle*i`W5pzyst1Z}wDtU~lFPw-;vibY}s) zKITul+?G9<Zr^;a;N(YLJAw^8di3b1eD5UaP#tsB%{SlthQ7aT!-o%dd0?H9bh!(^ z_kri|1OBtWLl@u&_*ZX?srxodx5C%jBj)Eqb+JFm?%h6+wVt{RwI#(_rgPtpZomHm z4*-6EM|IhNAL|yrgMF!nzf?ecS6ho>532ZMJGDgW68fI0k$(k;(W6H@zT*#A2N~Pz z0CV9Nysc`TIHbDFZPMio#Yl%WDQBLJx2KANSK|G=Aw!0|PK}2gy}s~o$b$Ns)@3&j z@c?{het?*a7|r)us}72vw`;5%)hl*rZngr)Yfk^LLB=AsgWu$G(Lr+Q)HSdV@btMW zWPo4bIdFj&_-%Y9c$Sou%+<udKHlW|+}XeCw<-D_T|ee#Oymp>`kesN?+Vzp*Iw&z z0|$V6umSEvZ-|rd7o1B}E<8`;vR9}}bN(0qqjU7b7_Uq@dDeV<4z&gSW`V0QV;A5@ zgAYE(OT0`?g}7ZbJgQ0SIyd;a`Mo~FR{%T!=3_n5ZzMS1z*$vjN9T|iyoPRkvT`qr zPH=8FKl8}fIR9T09zF)vcMeS7cXYX8;zDvx=;KMu?dFGGzy6|2(94(rJ`bD2wxJUp z<NOY1FZ8_t=O5}xH*?dXpualb!}*U40DLdL4>{{MA<(}a%7@*pG030PxA9$*ru78u z>v;a{n0OtE(sy<nRDEAJYMOW<XdsBF18|>zCQ6S033|^%rd|U!t%l!VnRe9ocB3PX z)pS;iv1@G7$KE+PInSv^vtK@Hr_P1kw`kF#Bm9nP0J}8CsHdNP+P$xPPAw=XxKjD- z)y2idPM&@ZL(cN)?}krCJx%AI$+P~TG0LTXd$B|I#^`H6dywlC*Kw{fL3^u5v=3BU z;m6=!beb5>$1~oh@MSk?-^8AY9KvRWHJ9jIr<#wCBd8xR7q*690?=2UrKM<l!X9`< zWk}}U3;o%remTAgI|5f?2Xwpir6+9usLI%IaA^O={*nDFdj<9?9kf?^Sa?xuWls+7 z=s)v5HT6mt<LuEM>=EJ280^K_dy$J^-^ac)PWw)B)WlTajo+fNhhY!(?1Q6?F~Zw7 za<Sxe$Rn_4gMY}0HHbKfw(8EyT)f5pgS`iPA7Wkh8%2-aZH&P_ypQlee){bhSLeou z!H4o!^KALF?ruLx>`vUyzJa~dl+-KS9M_eZE!MtP-}AQ2%uIJigt{8CL|;7r-Oc(_ zx^{_+`=@B{6KW9qJp9wT;QSUfInEF8tk=1vQ+wF<@-2>^?4j-$>gM0;^#|R<*W-7P zrM|oFc#5w^mfP0l+p-x~xbxhPO}yGRyjaNe&->@~-4z$B;lI!u{5CNc^1z>l<HBp! za{nwn_j~!nJ0EwIX`N(#)+6=_jE!H`+MgNzJboIy83$hIb7xPi+2oUWmVGvBw`ws* zJj*y!8y59!Du_5G1QF_w1^yoH2byqi10^z}qxHM|a+dt!T7wAvhZ1+i@2&kppYdKJ z_iJmX=(EZzerxSi{h|?9(e9VlP7B?sE8X+U(4EolSJoOv#HVCrq>j9K#H8qnBS)lV zbdMP~Car76;326aQ!?6(96ET+sEkp!j%_!1)X1(W86z(oe^E^I$dt69x29(J|J~R< z=AsKb#Pm4x^yujLv17(%xc~B4$I&`gKBp%$QU{OIKa8B@#)(#oACo$IoMuVAC3(!y z@%lf3x20xOeHi}nWfS!%|3vee)bXh!qDSzzdrV5km1*Ng4Nn~t6FqKd&%uNBPgA?c z+?p~XBQ>T+eEX`gk9@dl{IENYnmxY#5xB;;uOeEH$G7+V?2+6vxo1++mDgU;zkle( z&(}X4KlBqn5hS(C_1{x==O4&#S`b-qSHZl3#YHQN))#Fpswg^8)TlVJxOH({ai8M; z#Y2iG7T;C8pm=fd%Hs9KTZ=1-4;1smj-?tSI=4e^ZsFp>C50;s*A%WVEG^txSYB9B z7+ussPbcd6WQ{OLW29@8X&PsqM#|M#OElUVjaRA>%Qfb1Mh!FyGz~-sq64i19RhKI z#6X`wa-e@;P+&+PJuopaEwCVv8(17z5?C2n6IdT84QvgR2Py))0|x>T!A8NR!N_2A zuywFQFfN!F>=R55_74sU4hg0QCkCel?+VTfE(qoZ7YCOFR|eMv*9S|3TZ84nil7Kd z)bIYP>z_L@cR}vT+^xBhc^&fN@)Gm<<R$0z&l{9KB!6qZ=U7BRqXM`VUC_E9t{}0X ePeF1)|AIjULkiNx#{~r%=;!t`2mYUO;C}(afTivL literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/wheel.py b/venv/Lib/site-packages/pip/_vendor/distlib/wheel.py similarity index 89% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/wheel.py rename to venv/Lib/site-packages/pip/_vendor/distlib/wheel.py index b04bfae..48abfde 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distlib/wheel.py +++ b/venv/Lib/site-packages/pip/_vendor/distlib/wheel.py @@ -1,6 +1,6 @@ # -*- coding: utf-8 -*- # -# Copyright (C) 2013-2017 Vinay Sajip. +# Copyright (C) 2013-2020 Vinay Sajip. # Licensed to the Python Software Foundation under a contributor agreement. # See LICENSE.txt and CONTRIBUTORS.txt. # @@ -9,7 +9,6 @@ import base64 import codecs import datetime -import distutils.util from email import message_from_file import hashlib import imp @@ -26,9 +25,11 @@ from . import __version__, DistlibException from .compat import sysconfig, ZipFile, fsdecode, text_type, filter from .database import InstalledDistribution -from .metadata import Metadata, METADATA_FILENAME, WHEEL_METADATA_FILENAME +from .metadata import (Metadata, METADATA_FILENAME, WHEEL_METADATA_FILENAME, + LEGACY_METADATA_FILENAME) from .util import (FileOperator, convert_path, CSVReader, CSVWriter, Cache, - cached_property, get_cache_base, read_exports, tempdir) + cached_property, get_cache_base, read_exports, tempdir, + get_platform) from .version import NormalizedVersion, UnsupportedVersionError logger = logging.getLogger(__name__) @@ -50,11 +51,11 @@ PYVER = 'py' + VER_SUFFIX IMPVER = IMP_PREFIX + VER_SUFFIX -ARCH = distutils.util.get_platform().replace('-', '_').replace('.', '_') +ARCH = get_platform().replace('-', '_').replace('.', '_') ABI = sysconfig.get_config_var('SOABI') if ABI and ABI.startswith('cpython-'): - ABI = ABI.replace('cpython-', 'cp') + ABI = ABI.replace('cpython-', 'cp').split('-')[0] else: def _derive_abi(): parts = ['cp', VER_SUFFIX] @@ -221,10 +222,12 @@ def metadata(self): wheel_metadata = self.get_wheel_metadata(zf) wv = wheel_metadata['Wheel-Version'].split('.', 1) file_version = tuple([int(i) for i in wv]) - if file_version < (1, 1): - fns = [WHEEL_METADATA_FILENAME, METADATA_FILENAME, 'METADATA'] - else: - fns = [WHEEL_METADATA_FILENAME, METADATA_FILENAME] + # if file_version < (1, 1): + # fns = [WHEEL_METADATA_FILENAME, METADATA_FILENAME, + # LEGACY_METADATA_FILENAME] + # else: + # fns = [WHEEL_METADATA_FILENAME, METADATA_FILENAME] + fns = [WHEEL_METADATA_FILENAME, LEGACY_METADATA_FILENAME] result = None for fn in fns: try: @@ -299,10 +302,9 @@ def get_hash(self, data, hash_kind=None): return hash_kind, result def write_record(self, records, record_path, base): - records = list(records) # make a copy for sorting + records = list(records) # make a copy, as mutated p = to_posix(os.path.relpath(record_path, base)) records.append((p, '', '')) - records.sort() with CSVWriter(record_path) as writer: for row in records: writer.writerow(row) @@ -425,6 +427,18 @@ def build(self, paths, tags=None, wheel_version=None): ap = to_posix(os.path.join(info_dir, 'WHEEL')) archive_paths.append((ap, p)) + # sort the entries by archive path. Not needed by any spec, but it + # keeps the archive listing and RECORD tidier than they would otherwise + # be. Use the number of path segments to keep directory entries together, + # and keep the dist-info stuff at the end. + def sorter(t): + ap = t[0] + n = ap.count('/') + if '.dist-info' in ap: + n += 10000 + return (n, ap) + archive_paths = sorted(archive_paths, key=sorter) + # Now, at last, RECORD. # Paths in here are archive paths - nothing else makes sense. self.write_records((distinfo, info_dir), libdir, archive_paths) @@ -433,6 +447,22 @@ def build(self, paths, tags=None, wheel_version=None): self.build_zip(pathname, archive_paths) return pathname + def skip_entry(self, arcname): + """ + Determine whether an archive entry should be skipped when verifying + or installing. + """ + # The signature file won't be in RECORD, + # and we don't currently don't do anything with it + # We also skip directories, as they won't be in RECORD + # either. See: + # + # https://github.com/pypa/wheel/issues/294 + # https://github.com/pypa/wheel/issues/287 + # https://github.com/pypa/wheel/pull/289 + # + return arcname.endswith(('/', '/RECORD.jws')) + def install(self, paths, maker, **kwargs): """ Install a wheel to the specified paths. If kwarg ``warner`` is @@ -460,7 +490,7 @@ def install(self, paths, maker, **kwargs): data_dir = '%s.data' % name_ver info_dir = '%s.dist-info' % name_ver - metadata_name = posixpath.join(info_dir, METADATA_FILENAME) + metadata_name = posixpath.join(info_dir, LEGACY_METADATA_FILENAME) wheel_metadata_name = posixpath.join(info_dir, 'WHEEL') record_name = posixpath.join(info_dir, 'RECORD') @@ -514,9 +544,7 @@ def install(self, paths, maker, **kwargs): u_arcname = arcname else: u_arcname = arcname.decode('utf-8') - # The signature file won't be in RECORD, - # and we don't currently don't do anything with it - if u_arcname.endswith('/RECORD.jws'): + if self.skip_entry(u_arcname): continue row = records[u_arcname] if row[2] and str(zinfo.file_size) != row[2]: @@ -548,6 +576,13 @@ def install(self, paths, maker, **kwargs): if not is_script: with zf.open(arcname) as bf: fileop.copy_stream(bf, outfile) + # Issue #147: permission bits aren't preserved. Using + # zf.extract(zinfo, libdir) should have worked, but didn't, + # see https://www.thetopsites.net/article/53834422.shtml + # So ... manually preserve permission bits as given in zinfo + if os.name == 'posix': + # just set the normal permission bits + os.chmod(outfile, (zinfo.external_attr >> 16) & 0x1FF) outfiles.append(outfile) # Double check the digest of the written file if not dry_run and row[1]: @@ -605,7 +640,7 @@ def install(self, paths, maker, **kwargs): for v in epdata[k].values(): s = '%s:%s' % (v.prefix, v.suffix) if v.flags: - s += ' %s' % v.flags + s += ' [%s]' % ','.join(v.flags) d[v.name] = s except Exception: logger.warning('Unable to read legacy script ' @@ -670,7 +705,7 @@ def _get_dylib_cache(self): if cache is None: # Use native string to avoid issues on 2.x: see Python #20140. base = os.path.join(get_cache_base(), str('dylib-cache'), - sys.version[:3]) + '%s.%s' % sys.version_info[:2]) cache = Cache(base) return cache @@ -759,7 +794,7 @@ def verify(self): data_dir = '%s.data' % name_ver info_dir = '%s.dist-info' % name_ver - metadata_name = posixpath.join(info_dir, METADATA_FILENAME) + metadata_name = posixpath.join(info_dir, LEGACY_METADATA_FILENAME) wheel_metadata_name = posixpath.join(info_dir, 'WHEEL') record_name = posixpath.join(info_dir, 'RECORD') @@ -786,13 +821,15 @@ def verify(self): u_arcname = arcname else: u_arcname = arcname.decode('utf-8') - if '..' in u_arcname: + # See issue #115: some wheels have .. in their entries, but + # in the filename ... e.g. __main__..py ! So the check is + # updated to look for .. in the directory portions + p = u_arcname.split('/') + if '..' in p: raise DistlibException('invalid entry in ' 'wheel: %r' % u_arcname) - # The signature file won't be in RECORD, - # and we don't currently don't do anything with it - if u_arcname.endswith('/RECORD.jws'): + if self.skip_entry(u_arcname): continue row = records[u_arcname] if row[2] and str(zinfo.file_size) != row[2]: @@ -826,7 +863,7 @@ def update(self, modifier, dest_dir=None, **kwargs): def get_version(path_map, info_dir): version = path = None - key = '%s/%s' % (info_dir, METADATA_FILENAME) + key = '%s/%s' % (info_dir, LEGACY_METADATA_FILENAME) if key not in path_map: key = '%s/PKG-INFO' % info_dir if key in path_map: @@ -852,7 +889,7 @@ def update_version(version, path): if updated: md = Metadata(path=path) md.version = updated - legacy = not path.endswith(METADATA_FILENAME) + legacy = path.endswith(LEGACY_METADATA_FILENAME) md.write(path=path, legacy=legacy) logger.debug('Version updated from %r to %r', version, updated) @@ -908,6 +945,16 @@ def update_version(version, path): shutil.copyfile(newpath, pathname) return modified +def _get_glibc_version(): + import platform + ver = platform.libc_ver() + result = [] + if ver[0] == 'glibc': + for s in ver[1].split('.'): + result.append(int(s) if s.isdigit() else 0) + result = tuple(result) + return result + def compatible_tags(): """ Return (pyver, abi, arch) tuples compatible with this Python. @@ -955,6 +1002,23 @@ def compatible_tags(): for abi in abis: for arch in arches: result.append((''.join((IMP_PREFIX, versions[0])), abi, arch)) + # manylinux + if abi != 'none' and sys.platform.startswith('linux'): + arch = arch.replace('linux_', '') + parts = _get_glibc_version() + if len(parts) == 2: + if parts >= (2, 5): + result.append((''.join((IMP_PREFIX, versions[0])), abi, + 'manylinux1_%s' % arch)) + if parts >= (2, 12): + result.append((''.join((IMP_PREFIX, versions[0])), abi, + 'manylinux2010_%s' % arch)) + if parts >= (2, 17): + result.append((''.join((IMP_PREFIX, versions[0])), abi, + 'manylinux2014_%s' % arch)) + result.append((''.join((IMP_PREFIX, versions[0])), abi, + 'manylinux_%s_%s_%s' % (parts[0], parts[1], + arch))) # where no ABI / arch dependency, but IMP_PREFIX dependency for i, version in enumerate(versions): @@ -967,6 +1031,7 @@ def compatible_tags(): result.append((''.join(('py', version)), 'none', 'any')) if i == 0: result.append((''.join(('py', version[0])), 'none', 'any')) + return set(result) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distro.py b/venv/Lib/site-packages/pip/_vendor/distro.py similarity index 71% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distro.py rename to venv/Lib/site-packages/pip/_vendor/distro.py index aa4defc..7892741 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/distro.py +++ b/venv/Lib/site-packages/pip/_vendor/distro.py @@ -17,29 +17,64 @@ information about the Linux distribution it runs on, such as a reliable machine-readable distro ID, or version information. -It is a renewed alternative implementation for Python's original +It is the recommended replacement for Python's original :py:func:`platform.linux_distribution` function, but it provides much more functionality. An alternative implementation became necessary because Python -3.5 deprecated this function, and Python 3.7 is expected to remove it -altogether. Its predecessor function :py:func:`platform.dist` was already -deprecated since Python 2.6 and is also expected to be removed in Python 3.7. -Still, there are many cases in which access to OS distribution information -is needed. See `Python issue 1322 <https://bugs.python.org/issue1322>`_ for -more information. +3.5 deprecated this function, and Python 3.8 removed it altogether. Its +predecessor function :py:func:`platform.dist` was already deprecated since +Python 2.6 and removed in Python 3.8. Still, there are many cases in which +access to OS distribution information is needed. See `Python issue 1322 +<https://bugs.python.org/issue1322>`_ for more information. """ +import argparse +import json +import logging import os import re -import sys -import json import shlex -import logging -import argparse import subprocess +import sys +import warnings + +__version__ = "1.6.0" + +# Use `if False` to avoid an ImportError on Python 2. After dropping Python 2 +# support, can use typing.TYPE_CHECKING instead. See: +# https://docs.python.org/3/library/typing.html#typing.TYPE_CHECKING +if False: # pragma: nocover + from typing import ( + Any, + Callable, + Dict, + Iterable, + Optional, + Sequence, + TextIO, + Tuple, + Type, + TypedDict, + Union, + ) + + VersionDict = TypedDict( + "VersionDict", {"major": str, "minor": str, "build_number": str} + ) + InfoDict = TypedDict( + "InfoDict", + { + "id": str, + "version": str, + "version_parts": VersionDict, + "like": str, + "codename": str, + }, + ) -_UNIXCONFDIR = os.environ.get('UNIXCONFDIR', '/etc') -_OS_RELEASE_BASENAME = 'os-release' +_UNIXCONFDIR = os.environ.get("UNIXCONFDIR", "/etc") +_UNIXUSRLIBDIR = os.environ.get("UNIXUSRLIBDIR", "/usr/lib") +_OS_RELEASE_BASENAME = "os-release" #: Translation table for normalizing the "ID" attribute defined in os-release #: files, for use by the :func:`distro.id` method. @@ -48,7 +83,9 @@ #: with blanks translated to underscores. #: #: * Value: Normalized value. -NORMALIZED_OS_ID = {} +NORMALIZED_OS_ID = { + "ol": "oracle", # Oracle Linux +} #: Translation table for normalizing the "Distributor ID" attribute returned by #: the lsb_release command, for use by the :func:`distro.id` method. @@ -58,9 +95,11 @@ #: #: * Value: Normalized value. NORMALIZED_LSB_ID = { - 'enterpriseenterprise': 'oracle', # Oracle Enterprise Linux - 'redhatenterpriseworkstation': 'rhel', # RHEL 6, 7 Workstation - 'redhatenterpriseserver': 'rhel', # RHEL 6, 7 Server + "enterpriseenterpriseas": "oracle", # Oracle Enterprise Linux 4 + "enterpriseenterpriseserver": "oracle", # Oracle Linux 5 + "redhatenterpriseworkstation": "rhel", # RHEL 6, 7 Workstation + "redhatenterpriseserver": "rhel", # RHEL 6, 7 Server + "redhatenterprisecomputenode": "rhel", # RHEL 6 ComputeNode } #: Translation table for normalizing the distro ID derived from the file name @@ -71,29 +110,39 @@ #: #: * Value: Normalized value. NORMALIZED_DISTRO_ID = { - 'redhat': 'rhel', # RHEL 6.x, 7.x + "redhat": "rhel", # RHEL 6.x, 7.x } # Pattern for content of distro release file (reversed) _DISTRO_RELEASE_CONTENT_REVERSED_PATTERN = re.compile( - r'(?:[^)]*\)(.*)\()? *(?:STL )?([\d.+\-a-z]*\d) *(?:esaeler *)?(.+)') + r"(?:[^)]*\)(.*)\()? *(?:STL )?([\d.+\-a-z]*\d) *(?:esaeler *)?(.+)" +) # Pattern for base file name of distro release file -_DISTRO_RELEASE_BASENAME_PATTERN = re.compile( - r'(\w+)[-_](release|version)$') +_DISTRO_RELEASE_BASENAME_PATTERN = re.compile(r"(\w+)[-_](release|version)$") # Base file names to be ignored when searching for distro release file _DISTRO_RELEASE_IGNORE_BASENAMES = ( - 'debian_version', - 'lsb-release', - 'oem-release', + "debian_version", + "lsb-release", + "oem-release", _OS_RELEASE_BASENAME, - 'system-release' + "system-release", + "plesk-release", + "iredmail-release", ) def linux_distribution(full_distribution_name=True): + # type: (bool) -> Tuple[str, str, str] """ + .. deprecated:: 1.6.0 + + :func:`distro.linux_distribution()` is deprecated. It should only be + used as a compatibility shim with Python's + :py:func:`platform.linux_distribution()`. Please use :func:`distro.id`, + :func:`distro.version` and :func:`distro.name` instead. + Return information about the current OS distribution as a tuple ``(id_name, version, codename)`` with items as follows: @@ -117,10 +166,18 @@ def linux_distribution(full_distribution_name=True): method normalizes the distro ID string to a reliable machine-readable value for a number of popular OS distributions. """ + warnings.warn( + "distro.linux_distribution() is deprecated. It should only be used as a " + "compatibility shim with Python's platform.linux_distribution(). Please use " + "distro.id(), distro.version() and distro.name() instead.", + DeprecationWarning, + stacklevel=2, + ) return _distro.linux_distribution(full_distribution_name) def id(): + # type: () -> str """ Return the distro ID of the current distribution, as a machine-readable string. @@ -161,6 +218,7 @@ def id(): "openbsd" OpenBSD "netbsd" NetBSD "freebsd" FreeBSD + "midnightbsd" MidnightBSD ============== ========================================= If you have a need to get distros for reliable IDs added into this set, @@ -199,6 +257,7 @@ def id(): def name(pretty=False): + # type: (bool) -> str """ Return the name of the current OS distribution, as a human-readable string. @@ -238,6 +297,7 @@ def name(pretty=False): def version(pretty=False, best=False): + # type: (bool, bool) -> str """ Return the version of the current OS distribution, as a human-readable string. @@ -282,6 +342,7 @@ def version(pretty=False, best=False): def version_parts(best=False): + # type: (bool) -> Tuple[str, str, str] """ Return the version of the current OS distribution as a tuple ``(major, minor, build_number)`` with items as follows: @@ -299,6 +360,7 @@ def version_parts(best=False): def major_version(best=False): + # type: (bool) -> str """ Return the major version of the current OS distribution, as a string, if provided. @@ -312,6 +374,7 @@ def major_version(best=False): def minor_version(best=False): + # type: (bool) -> str """ Return the minor version of the current OS distribution, as a string, if provided. @@ -325,6 +388,7 @@ def minor_version(best=False): def build_number(best=False): + # type: (bool) -> str """ Return the build number of the current OS distribution, as a string, if provided. @@ -338,6 +402,7 @@ def build_number(best=False): def like(): + # type: () -> str """ Return a space-separated list of distro IDs of distributions that are closely related to the current OS distribution in regards to packaging @@ -355,6 +420,7 @@ def like(): def codename(): + # type: () -> str """ Return the codename for the release of the current OS distribution, as a string. @@ -379,6 +445,7 @@ def codename(): def info(pretty=False, best=False): + # type: (bool, bool) -> InfoDict """ Return certain machine-readable information items about the current OS distribution in a dictionary, as shown in the following example: @@ -423,6 +490,7 @@ def info(pretty=False, best=False): def os_release_info(): + # type: () -> Dict[str, str] """ Return a dictionary containing key-value pairs for the information items from the os-release file data source of the current OS distribution. @@ -433,6 +501,7 @@ def os_release_info(): def lsb_release_info(): + # type: () -> Dict[str, str] """ Return a dictionary containing key-value pairs for the information items from the lsb_release command data source of the current OS distribution. @@ -444,6 +513,7 @@ def lsb_release_info(): def distro_release_info(): + # type: () -> Dict[str, str] """ Return a dictionary containing key-value pairs for the information items from the distro release file data source of the current OS distribution. @@ -454,6 +524,7 @@ def distro_release_info(): def uname_info(): + # type: () -> Dict[str, str] """ Return a dictionary containing key-value pairs for the information items from the distro release file data source of the current OS distribution. @@ -462,6 +533,7 @@ def uname_info(): def os_release_attr(attribute): + # type: (str) -> str """ Return a single named information item from the os-release file data source of the current OS distribution. @@ -481,6 +553,7 @@ def os_release_attr(attribute): def lsb_release_attr(attribute): + # type: (str) -> str """ Return a single named information item from the lsb_release command output data source of the current OS distribution. @@ -501,6 +574,7 @@ def lsb_release_attr(attribute): def distro_release_attr(attribute): + # type: (str) -> str """ Return a single named information item from the distro release file data source of the current OS distribution. @@ -520,6 +594,7 @@ def distro_release_attr(attribute): def uname_attr(attribute): + # type: (str) -> str """ Return a single named information item from the distro release file data source of the current OS distribution. @@ -536,19 +611,26 @@ def uname_attr(attribute): return _distro.uname_attr(attribute) -class cached_property(object): - """A version of @property which caches the value. On access, it calls the - underlying function and sets the value in `__dict__` so future accesses - will not re-call the property. - """ - def __init__(self, f): - self._fname = f.__name__ - self._f = f +try: + from functools import cached_property +except ImportError: + # Python < 3.8 + class cached_property(object): # type: ignore + """A version of @property which caches the value. On access, it calls the + underlying function and sets the value in `__dict__` so future accesses + will not re-call the property. + """ + + def __init__(self, f): + # type: (Callable[[Any], Any]) -> None + self._fname = f.__name__ + self._f = f - def __get__(self, obj, owner): - assert obj is not None, 'call {} on an instance'.format(self._fname) - ret = obj.__dict__[self._fname] = self._f(obj) - return ret + def __get__(self, obj, owner): + # type: (Any, Type[Any]) -> Any + assert obj is not None, "call {} on an instance".format(self._fname) + ret = obj.__dict__[self._fname] = self._f(obj) + return ret class LinuxDistribution(object): @@ -569,11 +651,15 @@ class LinuxDistribution(object): lsb_release command. """ - def __init__(self, - include_lsb=True, - os_release_file='', - distro_release_file='', - include_uname=True): + def __init__( + self, + include_lsb=True, + os_release_file="", + distro_release_file="", + include_uname=True, + root_dir=None, + ): + # type: (bool, str, str, bool, Optional[str]) -> None """ The initialization method of this class gathers information from the available data sources, and stores that in private instance attributes. @@ -607,11 +693,14 @@ def __init__(self, distro release file can be found, the data source for the distro release file will be empty. - * ``include_name`` (bool): Controls whether uname command output is + * ``include_uname`` (bool): Controls whether uname command output is included as a data source. If the uname command is not available in the program execution path the data source for the uname command will be empty. + * ``root_dir`` (string): The absolute path to the root directory to use + to find distro-related information files. + Public instance attributes: * ``os_release_file`` (string): The path name of the @@ -641,28 +730,50 @@ def __init__(self, * :py:exc:`UnicodeError`: A data source has unexpected characters or uses an unexpected encoding. """ - self.os_release_file = os_release_file or \ - os.path.join(_UNIXCONFDIR, _OS_RELEASE_BASENAME) - self.distro_release_file = distro_release_file or '' # updated later + self.root_dir = root_dir + self.etc_dir = os.path.join(root_dir, "etc") if root_dir else _UNIXCONFDIR + self.usr_lib_dir = ( + os.path.join(root_dir, "usr/lib") if root_dir else _UNIXUSRLIBDIR + ) + + if os_release_file: + self.os_release_file = os_release_file + else: + etc_dir_os_release_file = os.path.join(self.etc_dir, _OS_RELEASE_BASENAME) + usr_lib_os_release_file = os.path.join( + self.usr_lib_dir, _OS_RELEASE_BASENAME + ) + + # NOTE: The idea is to respect order **and** have it set + # at all times for API backwards compatibility. + if os.path.isfile(etc_dir_os_release_file) or not os.path.isfile( + usr_lib_os_release_file + ): + self.os_release_file = etc_dir_os_release_file + else: + self.os_release_file = usr_lib_os_release_file + + self.distro_release_file = distro_release_file or "" # updated later self.include_lsb = include_lsb self.include_uname = include_uname def __repr__(self): - """Return repr of all info - """ - return \ - "LinuxDistribution(" \ - "os_release_file={self.os_release_file!r}, " \ - "distro_release_file={self.distro_release_file!r}, " \ - "include_lsb={self.include_lsb!r}, " \ - "include_uname={self.include_uname!r}, " \ - "_os_release_info={self._os_release_info!r}, " \ - "_lsb_release_info={self._lsb_release_info!r}, " \ - "_distro_release_info={self._distro_release_info!r}, " \ - "_uname_info={self._uname_info!r})".format( - self=self) + # type: () -> str + """Return repr of all info""" + return ( + "LinuxDistribution(" + "os_release_file={self.os_release_file!r}, " + "distro_release_file={self.distro_release_file!r}, " + "include_lsb={self.include_lsb!r}, " + "include_uname={self.include_uname!r}, " + "_os_release_info={self._os_release_info!r}, " + "_lsb_release_info={self._lsb_release_info!r}, " + "_distro_release_info={self._distro_release_info!r}, " + "_uname_info={self._uname_info!r})".format(self=self) + ) def linux_distribution(self, full_distribution_name=True): + # type: (bool) -> Tuple[str, str, str] """ Return information about the OS distribution that is compatible with Python's :func:`platform.linux_distribution`, supporting a subset @@ -673,92 +784,102 @@ def linux_distribution(self, full_distribution_name=True): return ( self.name() if full_distribution_name else self.id(), self.version(), - self.codename() + self.codename(), ) def id(self): + # type: () -> str """Return the distro ID of the OS distribution, as a string. For details, see :func:`distro.id`. """ + def normalize(distro_id, table): - distro_id = distro_id.lower().replace(' ', '_') + # type: (str, Dict[str, str]) -> str + distro_id = distro_id.lower().replace(" ", "_") return table.get(distro_id, distro_id) - distro_id = self.os_release_attr('id') + distro_id = self.os_release_attr("id") if distro_id: return normalize(distro_id, NORMALIZED_OS_ID) - distro_id = self.lsb_release_attr('distributor_id') + distro_id = self.lsb_release_attr("distributor_id") if distro_id: return normalize(distro_id, NORMALIZED_LSB_ID) - distro_id = self.distro_release_attr('id') + distro_id = self.distro_release_attr("id") if distro_id: return normalize(distro_id, NORMALIZED_DISTRO_ID) - distro_id = self.uname_attr('id') + distro_id = self.uname_attr("id") if distro_id: return normalize(distro_id, NORMALIZED_DISTRO_ID) - return '' + return "" def name(self, pretty=False): + # type: (bool) -> str """ Return the name of the OS distribution, as a string. For details, see :func:`distro.name`. """ - name = self.os_release_attr('name') \ - or self.lsb_release_attr('distributor_id') \ - or self.distro_release_attr('name') \ - or self.uname_attr('name') + name = ( + self.os_release_attr("name") + or self.lsb_release_attr("distributor_id") + or self.distro_release_attr("name") + or self.uname_attr("name") + ) if pretty: - name = self.os_release_attr('pretty_name') \ - or self.lsb_release_attr('description') + name = self.os_release_attr("pretty_name") or self.lsb_release_attr( + "description" + ) if not name: - name = self.distro_release_attr('name') \ - or self.uname_attr('name') + name = self.distro_release_attr("name") or self.uname_attr("name") version = self.version(pretty=True) if version: - name = name + ' ' + version - return name or '' + name = name + " " + version + return name or "" def version(self, pretty=False, best=False): + # type: (bool, bool) -> str """ Return the version of the OS distribution, as a string. For details, see :func:`distro.version`. """ versions = [ - self.os_release_attr('version_id'), - self.lsb_release_attr('release'), - self.distro_release_attr('version_id'), - self._parse_distro_release_content( - self.os_release_attr('pretty_name')).get('version_id', ''), + self.os_release_attr("version_id"), + self.lsb_release_attr("release"), + self.distro_release_attr("version_id"), + self._parse_distro_release_content(self.os_release_attr("pretty_name")).get( + "version_id", "" + ), self._parse_distro_release_content( - self.lsb_release_attr('description')).get('version_id', ''), - self.uname_attr('release') + self.lsb_release_attr("description") + ).get("version_id", ""), + self.uname_attr("release"), ] - version = '' + version = "" if best: # This algorithm uses the last version in priority order that has # the best precision. If the versions are not in conflict, that # does not matter; otherwise, using the last one instead of the # first one might be considered a surprise. for v in versions: - if v.count(".") > version.count(".") or version == '': + if v.count(".") > version.count(".") or version == "": version = v else: for v in versions: - if v != '': + if v != "": version = v break if pretty and version and self.codename(): - version = u'{0} ({1})'.format(version, self.codename()) + version = "{0} ({1})".format(version, self.codename()) return version def version_parts(self, best=False): + # type: (bool) -> Tuple[str, str, str] """ Return the version of the OS distribution, as a tuple of version numbers. @@ -767,14 +888,15 @@ def version_parts(self, best=False): """ version_str = self.version(best=best) if version_str: - version_regex = re.compile(r'(\d+)\.?(\d+)?\.?(\d+)?') + version_regex = re.compile(r"(\d+)\.?(\d+)?\.?(\d+)?") matches = version_regex.match(version_str) if matches: major, minor, build_number = matches.groups() - return major, minor or '', build_number or '' - return '', '', '' + return major, minor or "", build_number or "" + return "", "", "" def major_version(self, best=False): + # type: (bool) -> str """ Return the major version number of the current distribution. @@ -783,6 +905,7 @@ def major_version(self, best=False): return self.version_parts(best)[0] def minor_version(self, best=False): + # type: (bool) -> str """ Return the minor version number of the current distribution. @@ -791,6 +914,7 @@ def minor_version(self, best=False): return self.version_parts(best)[1] def build_number(self, best=False): + # type: (bool) -> str """ Return the build number of the current distribution. @@ -799,25 +923,34 @@ def build_number(self, best=False): return self.version_parts(best)[2] def like(self): + # type: () -> str """ Return the IDs of distributions that are like the OS distribution. For details, see :func:`distro.like`. """ - return self.os_release_attr('id_like') or '' + return self.os_release_attr("id_like") or "" def codename(self): + # type: () -> str """ Return the codename of the OS distribution. For details, see :func:`distro.codename`. """ - return self.os_release_attr('codename') \ - or self.lsb_release_attr('codename') \ - or self.distro_release_attr('codename') \ - or '' + try: + # Handle os_release specially since distros might purposefully set + # this to empty string to have no codename + return self._os_release_info["codename"] + except KeyError: + return ( + self.lsb_release_attr("codename") + or self.distro_release_attr("codename") + or "" + ) def info(self, pretty=False, best=False): + # type: (bool, bool) -> InfoDict """ Return certain machine-readable information about the OS distribution. @@ -830,13 +963,14 @@ def info(self, pretty=False, best=False): version_parts=dict( major=self.major_version(best), minor=self.minor_version(best), - build_number=self.build_number(best) + build_number=self.build_number(best), ), like=self.like(), codename=self.codename(), ) def os_release_info(self): + # type: () -> Dict[str, str] """ Return a dictionary containing key-value pairs for the information items from the os-release file data source of the OS distribution. @@ -846,6 +980,7 @@ def os_release_info(self): return self._os_release_info def lsb_release_info(self): + # type: () -> Dict[str, str] """ Return a dictionary containing key-value pairs for the information items from the lsb_release command data source of the OS @@ -856,6 +991,7 @@ def lsb_release_info(self): return self._lsb_release_info def distro_release_info(self): + # type: () -> Dict[str, str] """ Return a dictionary containing key-value pairs for the information items from the distro release file data source of the OS @@ -866,51 +1002,58 @@ def distro_release_info(self): return self._distro_release_info def uname_info(self): + # type: () -> Dict[str, str] """ Return a dictionary containing key-value pairs for the information items from the uname command data source of the OS distribution. For details, see :func:`distro.uname_info`. """ + return self._uname_info def os_release_attr(self, attribute): + # type: (str) -> str """ Return a single named information item from the os-release file data source of the OS distribution. For details, see :func:`distro.os_release_attr`. """ - return self._os_release_info.get(attribute, '') + return self._os_release_info.get(attribute, "") def lsb_release_attr(self, attribute): + # type: (str) -> str """ Return a single named information item from the lsb_release command output data source of the OS distribution. For details, see :func:`distro.lsb_release_attr`. """ - return self._lsb_release_info.get(attribute, '') + return self._lsb_release_info.get(attribute, "") def distro_release_attr(self, attribute): + # type: (str) -> str """ Return a single named information item from the distro release file data source of the OS distribution. For details, see :func:`distro.distro_release_attr`. """ - return self._distro_release_info.get(attribute, '') + return self._distro_release_info.get(attribute, "") def uname_attr(self, attribute): + # type: (str) -> str """ Return a single named information item from the uname command output data source of the OS distribution. - For details, see :func:`distro.uname_release_attr`. + For details, see :func:`distro.uname_attr`. """ - return self._uname_info.get(attribute, '') + return self._uname_info.get(attribute, "") @cached_property def _os_release_info(self): + # type: () -> Dict[str, str] """ Get the information items from the specified os-release file. @@ -924,6 +1067,7 @@ def _os_release_info(self): @staticmethod def _parse_os_release_content(lines): + # type: (TextIO) -> Dict[str, str] """ Parse the lines of an os-release file. @@ -948,7 +1092,7 @@ def _parse_os_release_content(lines): # parsed content is a unicode object. The following fix resolves that # (... but it should be fixed in shlex...): if sys.version_info[0] == 2 and isinstance(lexer.wordchars, bytes): - lexer.wordchars = lexer.wordchars.decode('iso-8859-1') + lexer.wordchars = lexer.wordchars.decode("iso-8859-1") tokens = list(lexer) for token in tokens: @@ -958,32 +1102,38 @@ def _parse_os_release_content(lines): # stripped, etc.), so the tokens are now either: # * variable assignments: var=value # * commands or their arguments (not allowed in os-release) - if '=' in token: - k, v = token.split('=', 1) - if isinstance(v, bytes): - v = v.decode('utf-8') + if "=" in token: + k, v = token.split("=", 1) props[k.lower()] = v - if k == 'VERSION': - # this handles cases in which the codename is in - # the `(CODENAME)` (rhel, centos, fedora) format - # or in the `, CODENAME` format (Ubuntu). - codename = re.search(r'(\(\D+\))|,(\s+)?\D+', v) - if codename: - codename = codename.group() - codename = codename.strip('()') - codename = codename.strip(',') - codename = codename.strip() - # codename appears within paranthese. - props['codename'] = codename - else: - props['codename'] = '' else: # Ignore any tokens that are not variable assignments pass + + if "version_codename" in props: + # os-release added a version_codename field. Use that in + # preference to anything else Note that some distros purposefully + # do not have code names. They should be setting + # version_codename="" + props["codename"] = props["version_codename"] + elif "ubuntu_codename" in props: + # Same as above but a non-standard field name used on older Ubuntus + props["codename"] = props["ubuntu_codename"] + elif "version" in props: + # If there is no version_codename, parse it from the version + match = re.search(r"(\(\D+\))|,(\s+)?\D+", props["version"]) + if match: + codename = match.group() + codename = codename.strip("()") + codename = codename.strip(",") + codename = codename.strip() + # codename appears within paranthese. + props["codename"] = codename + return props @cached_property def _lsb_release_info(self): + # type: () -> Dict[str, str] """ Get the information items from the lsb_release command output. @@ -992,17 +1142,19 @@ def _lsb_release_info(self): """ if not self.include_lsb: return {} - with open(os.devnull, 'w') as devnull: + with open(os.devnull, "wb") as devnull: try: - cmd = ('lsb_release', '-a') + cmd = ("lsb_release", "-a") stdout = subprocess.check_output(cmd, stderr=devnull) - except OSError: # Command not found + # Command not found or lsb_release returned error + except (OSError, subprocess.CalledProcessError): return {} - content = stdout.decode(sys.getfilesystemencoding()).splitlines() + content = self._to_str(stdout).splitlines() return self._parse_lsb_release_content(content) @staticmethod def _parse_lsb_release_content(lines): + # type: (Iterable[str]) -> Dict[str, str] """ Parse the output of the lsb_release command. @@ -1017,44 +1169,62 @@ def _parse_lsb_release_content(lines): """ props = {} for line in lines: - kv = line.strip('\n').split(':', 1) + kv = line.strip("\n").split(":", 1) if len(kv) != 2: # Ignore lines without colon. continue k, v = kv - props.update({k.replace(' ', '_').lower(): v.strip()}) + props.update({k.replace(" ", "_").lower(): v.strip()}) return props @cached_property def _uname_info(self): - with open(os.devnull, 'w') as devnull: + # type: () -> Dict[str, str] + with open(os.devnull, "wb") as devnull: try: - cmd = ('uname', '-rs') + cmd = ("uname", "-rs") stdout = subprocess.check_output(cmd, stderr=devnull) except OSError: return {} - content = stdout.decode(sys.getfilesystemencoding()).splitlines() + content = self._to_str(stdout).splitlines() return self._parse_uname_content(content) @staticmethod def _parse_uname_content(lines): + # type: (Sequence[str]) -> Dict[str, str] props = {} - match = re.search(r'^([^\s]+)\s+([\d\.]+)', lines[0].strip()) + match = re.search(r"^([^\s]+)\s+([\d\.]+)", lines[0].strip()) if match: name, version = match.groups() # This is to prevent the Linux kernel version from # appearing as the 'best' version on otherwise # identifiable distributions. - if name == 'Linux': + if name == "Linux": return {} - props['id'] = name.lower() - props['name'] = name - props['release'] = version + props["id"] = name.lower() + props["name"] = name + props["release"] = version return props + @staticmethod + def _to_str(text): + # type: (Union[bytes, str]) -> str + encoding = sys.getfilesystemencoding() + encoding = "utf-8" if encoding == "ascii" else encoding + + if sys.version_info[0] >= 3: + if isinstance(text, bytes): + return text.decode(encoding) + else: + if isinstance(text, unicode): # noqa + return text.encode(encoding) + + return text + @cached_property def _distro_release_info(self): + # type: () -> Dict[str, str] """ Get the information items from the specified distro release file. @@ -1064,20 +1234,21 @@ def _distro_release_info(self): if self.distro_release_file: # If it was specified, we use it and parse what we can, even if # its file name or content does not match the expected pattern. - distro_info = self._parse_distro_release_file( - self.distro_release_file) + distro_info = self._parse_distro_release_file(self.distro_release_file) basename = os.path.basename(self.distro_release_file) # The file name pattern for user-specified distro release files # is somewhat more tolerant (compared to when searching for the # file), because we want to use what was specified as best as # possible. match = _DISTRO_RELEASE_BASENAME_PATTERN.match(basename) - if match: - distro_info['id'] = match.group(1) + if "name" in distro_info and "cloudlinux" in distro_info["name"].lower(): + distro_info["id"] = "cloudlinux" + elif match: + distro_info["id"] = match.group(1) return distro_info else: try: - basenames = os.listdir(_UNIXCONFDIR) + basenames = os.listdir(self.etc_dir) # We sort for repeatability in cases where there are multiple # distro specific files; e.g. CentOS, Oracle, Enterprise all # containing `redhat-release` on top of their own. @@ -1087,36 +1258,41 @@ def _distro_release_info(self): # sure about the *-release files. Check common entries of # /etc for information. If they turn out to not be there the # error is handled in `_parse_distro_release_file()`. - basenames = ['SuSE-release', - 'arch-release', - 'base-release', - 'centos-release', - 'fedora-release', - 'gentoo-release', - 'mageia-release', - 'mandrake-release', - 'mandriva-release', - 'mandrivalinux-release', - 'manjaro-release', - 'oracle-release', - 'redhat-release', - 'sl-release', - 'slackware-version'] + basenames = [ + "SuSE-release", + "arch-release", + "base-release", + "centos-release", + "fedora-release", + "gentoo-release", + "mageia-release", + "mandrake-release", + "mandriva-release", + "mandrivalinux-release", + "manjaro-release", + "oracle-release", + "redhat-release", + "sl-release", + "slackware-version", + ] for basename in basenames: if basename in _DISTRO_RELEASE_IGNORE_BASENAMES: continue match = _DISTRO_RELEASE_BASENAME_PATTERN.match(basename) if match: - filepath = os.path.join(_UNIXCONFDIR, basename) + filepath = os.path.join(self.etc_dir, basename) distro_info = self._parse_distro_release_file(filepath) - if 'name' in distro_info: + if "name" in distro_info: # The name is always present if the pattern matches self.distro_release_file = filepath - distro_info['id'] = match.group(1) + distro_info["id"] = match.group(1) + if "cloudlinux" in distro_info["name"].lower(): + distro_info["id"] = "cloudlinux" return distro_info return {} def _parse_distro_release_file(self, filepath): + # type: (str) -> Dict[str, str] """ Parse a distro release file. @@ -1135,11 +1311,12 @@ def _parse_distro_release_file(self, filepath): except (OSError, IOError): # Ignore not being able to read a specific, seemingly version # related file. - # See https://github.com/nir0s/distro/issues/162 + # See https://github.com/python-distro/distro/issues/162 return {} @staticmethod def _parse_distro_release_content(line): + # type: (str) -> Dict[str, str] """ Parse a line from a distro release file. @@ -1150,20 +1327,17 @@ def _parse_distro_release_content(line): Returns: A dictionary containing all information items. """ - if isinstance(line, bytes): - line = line.decode('utf-8') - matches = _DISTRO_RELEASE_CONTENT_REVERSED_PATTERN.match( - line.strip()[::-1]) + matches = _DISTRO_RELEASE_CONTENT_REVERSED_PATTERN.match(line.strip()[::-1]) distro_info = {} if matches: # regexp ensures non-None - distro_info['name'] = matches.group(3)[::-1] + distro_info["name"] = matches.group(3)[::-1] if matches.group(2): - distro_info['version_id'] = matches.group(2)[::-1] + distro_info["version_id"] = matches.group(2)[::-1] if matches.group(1): - distro_info['codename'] = matches.group(1)[::-1] + distro_info["codename"] = matches.group(1)[::-1] elif line: - distro_info['name'] = line.strip() + distro_info["name"] = line.strip() return distro_info @@ -1171,27 +1345,42 @@ def _parse_distro_release_content(line): def main(): + # type: () -> None logger = logging.getLogger(__name__) logger.setLevel(logging.DEBUG) logger.addHandler(logging.StreamHandler(sys.stdout)) parser = argparse.ArgumentParser(description="OS distro info tool") parser.add_argument( - '--json', - '-j', - help="Output in machine readable format", - action="store_true") + "--json", "-j", help="Output in machine readable format", action="store_true" + ) + + parser.add_argument( + "--root-dir", + "-r", + type=str, + dest="root_dir", + help="Path to the root filesystem directory (defaults to /)", + ) + args = parser.parse_args() + if args.root_dir: + dist = LinuxDistribution( + include_lsb=False, include_uname=False, root_dir=args.root_dir + ) + else: + dist = _distro + if args.json: - logger.info(json.dumps(info(), indent=4, sort_keys=True)) + logger.info(json.dumps(dist.info(), indent=4, sort_keys=True)) else: - logger.info('Name: %s', name(pretty=True)) - distribution_version = version(pretty=True) - logger.info('Version: %s', distribution_version) - distribution_codename = codename() - logger.info('Codename: %s', distribution_codename) + logger.info("Name: %s", dist.name(pretty=True)) + distribution_version = dist.version(pretty=True) + logger.info("Version: %s", distribution_version) + distribution_codename = dist.codename() + logger.info("Codename: %s", distribution_codename) -if __name__ == '__main__': +if __name__ == "__main__": main() diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/__init__.py b/venv/Lib/site-packages/pip/_vendor/html5lib/__init__.py similarity index 98% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/__init__.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/__init__.py index 0491234..d1d82f1 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/__init__.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/__init__.py @@ -32,4 +32,4 @@ # this has to be at the top level, see how setup.py parses this #: Distribution version number. -__version__ = "1.0.1" +__version__ = "1.1" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_ihatexml.py b/venv/Lib/site-packages/pip/_vendor/html5lib/_ihatexml.py similarity index 99% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_ihatexml.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/_ihatexml.py index 4c77717..3ff803c 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_ihatexml.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/_ihatexml.py @@ -136,6 +136,7 @@ def normaliseCharList(charList): i += j return rv + # We don't really support characters above the BMP :( max_unicode = int("FFFF", 16) @@ -254,7 +255,7 @@ def toXmlName(self, name): nameRest = name[1:] m = nonXmlNameFirstBMPRegexp.match(nameFirst) if m: - warnings.warn("Coercing non-XML name", DataLossWarning) + warnings.warn("Coercing non-XML name: %s" % name, DataLossWarning) nameFirstOutput = self.getReplacementCharacter(nameFirst) else: nameFirstOutput = nameFirst @@ -262,7 +263,7 @@ def toXmlName(self, name): nameRestOutput = nameRest replaceChars = set(nonXmlNameBMPRegexp.findall(nameRest)) for char in replaceChars: - warnings.warn("Coercing non-XML name", DataLossWarning) + warnings.warn("Coercing non-XML name: %s" % name, DataLossWarning) replacement = self.getReplacementCharacter(char) nameRestOutput = nameRestOutput.replace(char, replacement) return nameFirstOutput + nameRestOutput diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_inputstream.py b/venv/Lib/site-packages/pip/_vendor/html5lib/_inputstream.py similarity index 96% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_inputstream.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/_inputstream.py index a65e55f..e0bb376 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_inputstream.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/_inputstream.py @@ -1,10 +1,11 @@ from __future__ import absolute_import, division, unicode_literals -from pip._vendor.six import text_type, binary_type +from pip._vendor.six import text_type from pip._vendor.six.moves import http_client, urllib import codecs import re +from io import BytesIO, StringIO from pip._vendor import webencodings @@ -12,13 +13,6 @@ from .constants import _ReparseException from . import _utils -from io import StringIO - -try: - from io import BytesIO -except ImportError: - BytesIO = StringIO - # Non-unicode versions of constants for use in the pre-parser spaceCharactersBytes = frozenset([item.encode("ascii") for item in spaceCharacters]) asciiLettersBytes = frozenset([item.encode("ascii") for item in asciiLetters]) @@ -40,13 +34,13 @@ else: invalid_unicode_re = re.compile(invalid_unicode_no_surrogate) -non_bmp_invalid_codepoints = set([0x1FFFE, 0x1FFFF, 0x2FFFE, 0x2FFFF, 0x3FFFE, - 0x3FFFF, 0x4FFFE, 0x4FFFF, 0x5FFFE, 0x5FFFF, - 0x6FFFE, 0x6FFFF, 0x7FFFE, 0x7FFFF, 0x8FFFE, - 0x8FFFF, 0x9FFFE, 0x9FFFF, 0xAFFFE, 0xAFFFF, - 0xBFFFE, 0xBFFFF, 0xCFFFE, 0xCFFFF, 0xDFFFE, - 0xDFFFF, 0xEFFFE, 0xEFFFF, 0xFFFFE, 0xFFFFF, - 0x10FFFE, 0x10FFFF]) +non_bmp_invalid_codepoints = {0x1FFFE, 0x1FFFF, 0x2FFFE, 0x2FFFF, 0x3FFFE, + 0x3FFFF, 0x4FFFE, 0x4FFFF, 0x5FFFE, 0x5FFFF, + 0x6FFFE, 0x6FFFF, 0x7FFFE, 0x7FFFF, 0x8FFFE, + 0x8FFFF, 0x9FFFE, 0x9FFFF, 0xAFFFE, 0xAFFFF, + 0xBFFFE, 0xBFFFF, 0xCFFFE, 0xCFFFF, 0xDFFFE, + 0xDFFFF, 0xEFFFE, 0xEFFFF, 0xFFFFE, 0xFFFFF, + 0x10FFFE, 0x10FFFF} ascii_punctuation_re = re.compile("[\u0009-\u000D\u0020-\u002F\u003A-\u0040\u005C\u005B-\u0060\u007B-\u007E]") @@ -367,7 +361,7 @@ def charsUntil(self, characters, opposite=False): def unget(self, char): # Only one character is allowed to be ungotten at once - it must # be consumed again before any further call to unget - if char is not None: + if char is not EOF: if self.chunkOffset == 0: # unget is called quite rarely, so it's a good idea to do # more work here if it saves a bit of work in the frequently @@ -449,7 +443,7 @@ def openStream(self, source): try: stream.seek(stream.tell()) - except: # pylint:disable=bare-except + except Exception: stream = BufferedStream(stream) return stream @@ -461,7 +455,7 @@ def determineEncoding(self, chardet=True): if charEncoding[0] is not None: return charEncoding - # If we've been overriden, we've been overriden + # If we've been overridden, we've been overridden charEncoding = lookupEncoding(self.override_encoding), "certain" if charEncoding[0] is not None: return charEncoding @@ -664,9 +658,7 @@ def matchBytes(self, bytes): """Look for a sequence of bytes at the start of a string. If the bytes are found return True and advance the position to the byte after the match. Otherwise return False and leave the position alone""" - p = self.position - data = self[p:p + len(bytes)] - rv = data.startswith(bytes) + rv = self.startswith(bytes, self.position) if rv: self.position += len(bytes) return rv @@ -674,15 +666,11 @@ def matchBytes(self, bytes): def jumpTo(self, bytes): """Look for the next sequence of bytes matching a given sequence. If a match is found advance the position to the last byte of the match""" - newPosition = self[self.position:].find(bytes) - if newPosition > -1: - # XXX: This is ugly, but I can't see a nicer way to fix this. - if self._position == -1: - self._position = 0 - self._position += (newPosition + len(bytes) - 1) - return True - else: + try: + self._position = self.index(bytes, self.position) + len(bytes) - 1 + except ValueError: raise StopIteration + return True class EncodingParser(object): @@ -694,6 +682,9 @@ def __init__(self, data): self.encoding = None def getEncoding(self): + if b"<meta" not in self.data: + return None + methodDispatch = ( (b"<!--", self.handleComment), (b"<meta", self.handleMeta), @@ -703,6 +694,10 @@ def getEncoding(self): (b"<", self.handlePossibleStartTag)) for _ in self.data: keepParsing = True + try: + self.data.jumpTo(b"<") + except StopIteration: + break for key, method in methodDispatch: if self.data.matchBytes(key): try: @@ -908,7 +903,7 @@ def parse(self): def lookupEncoding(encoding): """Return the python codec name corresponding to an encoding or None if the string doesn't correspond to a valid encoding.""" - if isinstance(encoding, binary_type): + if isinstance(encoding, bytes): try: encoding = encoding.decode("ascii") except UnicodeDecodeError: diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_tokenizer.py b/venv/Lib/site-packages/pip/_vendor/html5lib/_tokenizer.py similarity index 99% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_tokenizer.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/_tokenizer.py index 178f6e7..5f00253 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_tokenizer.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/_tokenizer.py @@ -2,7 +2,8 @@ from pip._vendor.six import unichr as chr -from collections import deque +from collections import deque, OrderedDict +from sys import version_info from .constants import spaceCharacters from .constants import entities @@ -17,6 +18,11 @@ entitiesTrie = Trie(entities) +if version_info >= (3, 7): + attributeMap = dict +else: + attributeMap = OrderedDict + class HTMLTokenizer(object): """ This class takes care of tokenizing HTML. @@ -228,6 +234,14 @@ def emitCurrentToken(self): # Add token to the queue to be yielded if (token["type"] in tagTokenTypes): token["name"] = token["name"].translate(asciiUpper2Lower) + if token["type"] == tokenTypes["StartTag"]: + raw = token["data"] + data = attributeMap(raw) + if len(raw) > len(data): + # we had some duplicated attribute, fix so first wins + data.update(raw[::-1]) + token["data"] = data + if token["type"] == tokenTypes["EndTag"]: if token["data"]: self.tokenQueue.append({"type": tokenTypes["ParseError"], diff --git a/venv/Lib/site-packages/pip/_vendor/html5lib/_trie/__init__.py b/venv/Lib/site-packages/pip/_vendor/html5lib/_trie/__init__.py new file mode 100644 index 0000000..07bad5d --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/_trie/__init__.py @@ -0,0 +1,5 @@ +from __future__ import absolute_import, division, unicode_literals + +from .py import Trie + +__all__ = ["Trie"] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/_base.py b/venv/Lib/site-packages/pip/_vendor/html5lib/_trie/_base.py similarity index 88% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/_base.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/_trie/_base.py index a1158bb..6b71975 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/_base.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/_trie/_base.py @@ -1,6 +1,9 @@ from __future__ import absolute_import, division, unicode_literals -from collections import Mapping +try: + from collections.abc import Mapping +except ImportError: # Python 2.7 + from collections import Mapping class Trie(Mapping): diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/py.py b/venv/Lib/site-packages/pip/_vendor/html5lib/_trie/py.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_trie/py.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/_trie/py.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_utils.py b/venv/Lib/site-packages/pip/_vendor/html5lib/_utils.py similarity index 75% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_utils.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/_utils.py index 0703afb..d7c4926 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/_utils.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/_utils.py @@ -2,12 +2,20 @@ from types import ModuleType -from pip._vendor.six import text_type - try: - import xml.etree.cElementTree as default_etree + from collections.abc import Mapping except ImportError: + from collections import Mapping + +from pip._vendor.six import text_type, PY3 + +if PY3: import xml.etree.ElementTree as default_etree +else: + try: + import xml.etree.cElementTree as default_etree + except ImportError: + import xml.etree.ElementTree as default_etree __all__ = ["default_etree", "MethodDispatcher", "isSurrogatePair", @@ -27,7 +35,7 @@ # We need this with u"" because of http://bugs.jython.org/issue2039 _x = eval('u"\\uD800"') # pylint:disable=eval-used assert isinstance(_x, text_type) -except: # pylint:disable=bare-except +except Exception: supports_lone_surrogates = False else: supports_lone_surrogates = True @@ -47,9 +55,6 @@ class MethodDispatcher(dict): """ def __init__(self, items=()): - # Using _dictEntries instead of directly assigning to self is about - # twice as fast. Please do careful performance testing before changing - # anything here. _dictEntries = [] for name, value in items: if isinstance(name, (list, tuple, frozenset, set)): @@ -64,6 +69,36 @@ def __init__(self, items=()): def __getitem__(self, key): return dict.get(self, key, self.default) + def __get__(self, instance, owner=None): + return BoundMethodDispatcher(instance, self) + + +class BoundMethodDispatcher(Mapping): + """Wraps a MethodDispatcher, binding its return values to `instance`""" + def __init__(self, instance, dispatcher): + self.instance = instance + self.dispatcher = dispatcher + + def __getitem__(self, key): + # see https://docs.python.org/3/reference/datamodel.html#object.__get__ + # on a function, __get__ is used to bind a function to an instance as a bound method + return self.dispatcher[key].__get__(self.instance) + + def get(self, key, default): + if key in self.dispatcher: + return self[key] + else: + return default + + def __iter__(self): + return iter(self.dispatcher) + + def __len__(self): + return len(self.dispatcher) + + def __contains__(self, key): + return key in self.dispatcher + # Some utility functions to deal with weirdness around UCS2 vs UCS4 # python builds diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/constants.py b/venv/Lib/site-packages/pip/_vendor/html5lib/constants.py similarity index 99% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/constants.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/constants.py index 1ff8041..fe3e237 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/constants.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/constants.py @@ -519,8 +519,8 @@ "xmlns:xlink": ("xmlns", "xlink", namespaces["xmlns"]) } -unadjustForeignAttributes = dict([((ns, local), qname) for qname, (prefix, local, ns) in - adjustForeignAttributes.items()]) +unadjustForeignAttributes = {(ns, local): qname for qname, (prefix, local, ns) in + adjustForeignAttributes.items()} spaceCharacters = frozenset([ "\t", @@ -544,8 +544,7 @@ digits = frozenset(string.digits) hexDigits = frozenset(string.hexdigits) -asciiUpper2Lower = dict([(ord(c), ord(c.lower())) - for c in string.ascii_uppercase]) +asciiUpper2Lower = {ord(c): ord(c.lower()) for c in string.ascii_uppercase} # Heading elements need to be ordered headingElements = ( @@ -2934,7 +2933,7 @@ tokenTypes["EmptyTag"]]) -prefixes = dict([(v, k) for k, v in namespaces.items()]) +prefixes = {v: k for k, v in namespaces.items()} prefixes["http://www.w3.org/1998/Math/MathML"] = "math" diff --git a/venv/Lib/site-packages/pip/_vendor/html5lib/filters/__init__.py b/venv/Lib/site-packages/pip/_vendor/html5lib/filters/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/alphabeticalattributes.py b/venv/Lib/site-packages/pip/_vendor/html5lib/filters/alphabeticalattributes.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/alphabeticalattributes.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/filters/alphabeticalattributes.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/base.py b/venv/Lib/site-packages/pip/_vendor/html5lib/filters/base.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/base.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/filters/base.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/inject_meta_charset.py b/venv/Lib/site-packages/pip/_vendor/html5lib/filters/inject_meta_charset.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/inject_meta_charset.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/filters/inject_meta_charset.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/lint.py b/venv/Lib/site-packages/pip/_vendor/html5lib/filters/lint.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/lint.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/filters/lint.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/optionaltags.py b/venv/Lib/site-packages/pip/_vendor/html5lib/filters/optionaltags.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/optionaltags.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/filters/optionaltags.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/sanitizer.py b/venv/Lib/site-packages/pip/_vendor/html5lib/filters/sanitizer.py similarity index 97% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/sanitizer.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/filters/sanitizer.py index af8e77b..aa7431d 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/sanitizer.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/filters/sanitizer.py @@ -1,6 +1,15 @@ +"""Deprecated from html5lib 1.1. + +See `here <https://github.com/html5lib/html5lib-python/issues/443>`_ for +information about its deprecation; `Bleach <https://github.com/mozilla/bleach>`_ +is recommended as a replacement. Please let us know in the aforementioned issue +if Bleach is unsuitable for your needs. + +""" from __future__ import absolute_import, division, unicode_literals import re +import warnings from xml.sax.saxutils import escape, unescape from pip._vendor.six.moves import urllib_parse as urlparse @@ -11,6 +20,14 @@ __all__ = ["Filter"] +_deprecation_msg = ( + "html5lib's sanitizer is deprecated; see " + + "https://github.com/html5lib/html5lib-python/issues/443 and please let " + + "us know if Bleach is unsuitable for your needs" +) + +warnings.warn(_deprecation_msg, DeprecationWarning) + allowed_elements = frozenset(( (namespaces['html'], 'a'), (namespaces['html'], 'abbr'), @@ -750,6 +767,9 @@ def __init__(self, """ super(Filter, self).__init__(source) + + warnings.warn(_deprecation_msg, DeprecationWarning) + self.allowed_elements = allowed_elements self.allowed_attributes = allowed_attributes self.allowed_css_properties = allowed_css_properties diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/whitespace.py b/venv/Lib/site-packages/pip/_vendor/html5lib/filters/whitespace.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/filters/whitespace.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/filters/whitespace.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/html5parser.py b/venv/Lib/site-packages/pip/_vendor/html5lib/html5parser.py similarity index 85% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/html5parser.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/html5parser.py index ae41a13..d06784f 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/html5parser.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/html5parser.py @@ -2,7 +2,6 @@ from pip._vendor.six import with_metaclass, viewkeys import types -from collections import OrderedDict from . import _inputstream from . import _tokenizer @@ -119,8 +118,8 @@ def __init__(self, tree=None, strict=False, namespaceHTMLElements=True, debug=Fa self.tree = tree(namespaceHTMLElements) self.errors = [] - self.phases = dict([(name, cls(self, self.tree)) for name, cls in - getPhases(debug).items()]) + self.phases = {name: cls(self, self.tree) for name, cls in + getPhases(debug).items()} def _parse(self, stream, innerHTML=False, container="div", scripting=False, **kwargs): @@ -202,7 +201,7 @@ def mainLoop(self): DoctypeToken = tokenTypes["Doctype"] ParseErrorToken = tokenTypes["ParseError"] - for token in self.normalizedTokens(): + for token in self.tokenizer: prev_token = None new_token = token while new_token is not None: @@ -260,10 +259,6 @@ def mainLoop(self): if reprocess: assert self.phase not in phases - def normalizedTokens(self): - for token in self.tokenizer: - yield self.normalizeToken(token) - def parse(self, stream, *args, **kwargs): """Parse a HTML document into a well-formed tree @@ -325,17 +320,6 @@ def parseError(self, errorcode="XXX-undefined-error", datavars=None): if self.strict: raise ParseError(E[errorcode] % datavars) - def normalizeToken(self, token): - # HTML5 specific normalizations to the token stream - if token["type"] == tokenTypes["StartTag"]: - raw = token["data"] - token["data"] = OrderedDict(raw) - if len(raw) > len(token["data"]): - # we had some duplicated attribute, fix so first wins - token["data"].update(raw[::-1]) - - return token - def adjustMathMLAttributes(self, token): adjust_attributes(token, adjustMathMLAttributes) @@ -413,16 +397,12 @@ def parseRCDataRawtext(self, token, contentType): def getPhases(debug): def log(function): """Logger that records which phase processes each token""" - type_names = dict((value, key) for key, value in - tokenTypes.items()) + type_names = {value: key for key, value in tokenTypes.items()} def wrapped(self, *args, **kwargs): if function.__name__.startswith("process") and len(args) > 0: token = args[0] - try: - info = {"type": type_names[token['type']]} - except: - raise + info = {"type": type_names[token['type']]} if token['type'] in tagTokenTypes: info["name"] = token['name'] @@ -446,10 +426,13 @@ def getMetaclass(use_metaclass, metaclass_func): class Phase(with_metaclass(getMetaclass(debug, log))): """Base class for helper object that implements each phase of processing """ + __slots__ = ("parser", "tree", "__startTagCache", "__endTagCache") def __init__(self, parser, tree): self.parser = parser self.tree = tree + self.__startTagCache = {} + self.__endTagCache = {} def processEOF(self): raise NotImplementedError @@ -469,7 +452,21 @@ def processSpaceCharacters(self, token): self.tree.insertText(token["data"]) def processStartTag(self, token): - return self.startTagHandler[token["name"]](token) + # Note the caching is done here rather than BoundMethodDispatcher as doing it there + # requires a circular reference to the Phase, and this ends up with a significant + # (CPython 2.7, 3.8) GC cost when parsing many short inputs + name = token["name"] + # In Py2, using `in` is quicker in general than try/except KeyError + # In Py3, `in` is quicker when there are few cache hits (typically short inputs) + if name in self.__startTagCache: + func = self.__startTagCache[name] + else: + func = self.__startTagCache[name] = self.startTagHandler[name] + # bound the cache size in case we get loads of unknown tags + while len(self.__startTagCache) > len(self.startTagHandler) * 1.1: + # this makes the eviction policy random on Py < 3.7 and FIFO >= 3.7 + self.__startTagCache.pop(next(iter(self.__startTagCache))) + return func(token) def startTagHtml(self, token): if not self.parser.firstStartTag and token["name"] == "html": @@ -482,9 +479,25 @@ def startTagHtml(self, token): self.parser.firstStartTag = False def processEndTag(self, token): - return self.endTagHandler[token["name"]](token) + # Note the caching is done here rather than BoundMethodDispatcher as doing it there + # requires a circular reference to the Phase, and this ends up with a significant + # (CPython 2.7, 3.8) GC cost when parsing many short inputs + name = token["name"] + # In Py2, using `in` is quicker in general than try/except KeyError + # In Py3, `in` is quicker when there are few cache hits (typically short inputs) + if name in self.__endTagCache: + func = self.__endTagCache[name] + else: + func = self.__endTagCache[name] = self.endTagHandler[name] + # bound the cache size in case we get loads of unknown tags + while len(self.__endTagCache) > len(self.endTagHandler) * 1.1: + # this makes the eviction policy random on Py < 3.7 and FIFO >= 3.7 + self.__endTagCache.pop(next(iter(self.__endTagCache))) + return func(token) class InitialPhase(Phase): + __slots__ = tuple() + def processSpaceCharacters(self, token): pass @@ -613,6 +626,8 @@ def processEOF(self): return True class BeforeHtmlPhase(Phase): + __slots__ = tuple() + # helper methods def insertHtmlElement(self): self.tree.insertRoot(impliedTagToken("html", "StartTag")) @@ -648,19 +663,7 @@ def processEndTag(self, token): return token class BeforeHeadPhase(Phase): - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) - - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - ("head", self.startTagHead) - ]) - self.startTagHandler.default = self.startTagOther - - self.endTagHandler = _utils.MethodDispatcher([ - (("head", "body", "html", "br"), self.endTagImplyHead) - ]) - self.endTagHandler.default = self.endTagOther + __slots__ = tuple() def processEOF(self): self.startTagHead(impliedTagToken("head", "StartTag")) @@ -693,28 +696,19 @@ def endTagOther(self, token): self.parser.parseError("end-tag-after-implied-root", {"name": token["name"]}) + startTagHandler = _utils.MethodDispatcher([ + ("html", startTagHtml), + ("head", startTagHead) + ]) + startTagHandler.default = startTagOther + + endTagHandler = _utils.MethodDispatcher([ + (("head", "body", "html", "br"), endTagImplyHead) + ]) + endTagHandler.default = endTagOther + class InHeadPhase(Phase): - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) - - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - ("title", self.startTagTitle), - (("noframes", "style"), self.startTagNoFramesStyle), - ("noscript", self.startTagNoscript), - ("script", self.startTagScript), - (("base", "basefont", "bgsound", "command", "link"), - self.startTagBaseLinkCommand), - ("meta", self.startTagMeta), - ("head", self.startTagHead) - ]) - self.startTagHandler.default = self.startTagOther - - self.endTagHandler = _utils.MethodDispatcher([ - ("head", self.endTagHead), - (("br", "html", "body"), self.endTagHtmlBodyBr) - ]) - self.endTagHandler.default = self.endTagOther + __slots__ = tuple() # the real thing def processEOF(self): @@ -796,22 +790,27 @@ def endTagOther(self, token): def anythingElse(self): self.endTagHead(impliedTagToken("head")) - class InHeadNoscriptPhase(Phase): - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) + startTagHandler = _utils.MethodDispatcher([ + ("html", startTagHtml), + ("title", startTagTitle), + (("noframes", "style"), startTagNoFramesStyle), + ("noscript", startTagNoscript), + ("script", startTagScript), + (("base", "basefont", "bgsound", "command", "link"), + startTagBaseLinkCommand), + ("meta", startTagMeta), + ("head", startTagHead) + ]) + startTagHandler.default = startTagOther + + endTagHandler = _utils.MethodDispatcher([ + ("head", endTagHead), + (("br", "html", "body"), endTagHtmlBodyBr) + ]) + endTagHandler.default = endTagOther - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - (("basefont", "bgsound", "link", "meta", "noframes", "style"), self.startTagBaseLinkCommand), - (("head", "noscript"), self.startTagHeadNoscript), - ]) - self.startTagHandler.default = self.startTagOther - - self.endTagHandler = _utils.MethodDispatcher([ - ("noscript", self.endTagNoscript), - ("br", self.endTagBr), - ]) - self.endTagHandler.default = self.endTagOther + class InHeadNoscriptPhase(Phase): + __slots__ = tuple() def processEOF(self): self.parser.parseError("eof-in-head-noscript") @@ -860,23 +859,21 @@ def anythingElse(self): # Caller must raise parse error first! self.endTagNoscript(impliedTagToken("noscript")) + startTagHandler = _utils.MethodDispatcher([ + ("html", startTagHtml), + (("basefont", "bgsound", "link", "meta", "noframes", "style"), startTagBaseLinkCommand), + (("head", "noscript"), startTagHeadNoscript), + ]) + startTagHandler.default = startTagOther + + endTagHandler = _utils.MethodDispatcher([ + ("noscript", endTagNoscript), + ("br", endTagBr), + ]) + endTagHandler.default = endTagOther + class AfterHeadPhase(Phase): - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) - - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - ("body", self.startTagBody), - ("frameset", self.startTagFrameset), - (("base", "basefont", "bgsound", "link", "meta", "noframes", "script", - "style", "title"), - self.startTagFromHead), - ("head", self.startTagHead) - ]) - self.startTagHandler.default = self.startTagOther - self.endTagHandler = _utils.MethodDispatcher([(("body", "html", "br"), - self.endTagHtmlBodyBr)]) - self.endTagHandler.default = self.endTagOther + __slots__ = tuple() def processEOF(self): self.anythingElse() @@ -927,80 +924,30 @@ def anythingElse(self): self.parser.phase = self.parser.phases["inBody"] self.parser.framesetOK = True + startTagHandler = _utils.MethodDispatcher([ + ("html", startTagHtml), + ("body", startTagBody), + ("frameset", startTagFrameset), + (("base", "basefont", "bgsound", "link", "meta", "noframes", "script", + "style", "title"), + startTagFromHead), + ("head", startTagHead) + ]) + startTagHandler.default = startTagOther + endTagHandler = _utils.MethodDispatcher([(("body", "html", "br"), + endTagHtmlBodyBr)]) + endTagHandler.default = endTagOther + class InBodyPhase(Phase): # http://www.whatwg.org/specs/web-apps/current-work/#parsing-main-inbody # the really-really-really-very crazy mode - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) + __slots__ = ("processSpaceCharacters",) + def __init__(self, *args, **kwargs): + super(InBodyPhase, self).__init__(*args, **kwargs) # Set this to the default handler self.processSpaceCharacters = self.processSpaceCharactersNonPre - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - (("base", "basefont", "bgsound", "command", "link", "meta", - "script", "style", "title"), - self.startTagProcessInHead), - ("body", self.startTagBody), - ("frameset", self.startTagFrameset), - (("address", "article", "aside", "blockquote", "center", "details", - "dir", "div", "dl", "fieldset", "figcaption", "figure", - "footer", "header", "hgroup", "main", "menu", "nav", "ol", "p", - "section", "summary", "ul"), - self.startTagCloseP), - (headingElements, self.startTagHeading), - (("pre", "listing"), self.startTagPreListing), - ("form", self.startTagForm), - (("li", "dd", "dt"), self.startTagListItem), - ("plaintext", self.startTagPlaintext), - ("a", self.startTagA), - (("b", "big", "code", "em", "font", "i", "s", "small", "strike", - "strong", "tt", "u"), self.startTagFormatting), - ("nobr", self.startTagNobr), - ("button", self.startTagButton), - (("applet", "marquee", "object"), self.startTagAppletMarqueeObject), - ("xmp", self.startTagXmp), - ("table", self.startTagTable), - (("area", "br", "embed", "img", "keygen", "wbr"), - self.startTagVoidFormatting), - (("param", "source", "track"), self.startTagParamSource), - ("input", self.startTagInput), - ("hr", self.startTagHr), - ("image", self.startTagImage), - ("isindex", self.startTagIsIndex), - ("textarea", self.startTagTextarea), - ("iframe", self.startTagIFrame), - ("noscript", self.startTagNoscript), - (("noembed", "noframes"), self.startTagRawtext), - ("select", self.startTagSelect), - (("rp", "rt"), self.startTagRpRt), - (("option", "optgroup"), self.startTagOpt), - (("math"), self.startTagMath), - (("svg"), self.startTagSvg), - (("caption", "col", "colgroup", "frame", "head", - "tbody", "td", "tfoot", "th", "thead", - "tr"), self.startTagMisplaced) - ]) - self.startTagHandler.default = self.startTagOther - - self.endTagHandler = _utils.MethodDispatcher([ - ("body", self.endTagBody), - ("html", self.endTagHtml), - (("address", "article", "aside", "blockquote", "button", "center", - "details", "dialog", "dir", "div", "dl", "fieldset", "figcaption", "figure", - "footer", "header", "hgroup", "listing", "main", "menu", "nav", "ol", "pre", - "section", "summary", "ul"), self.endTagBlock), - ("form", self.endTagForm), - ("p", self.endTagP), - (("dd", "dt", "li"), self.endTagListItem), - (headingElements, self.endTagHeading), - (("a", "b", "big", "code", "em", "font", "i", "nobr", "s", "small", - "strike", "strong", "tt", "u"), self.endTagFormatting), - (("applet", "marquee", "object"), self.endTagAppletMarqueeObject), - ("br", self.endTagBr), - ]) - self.endTagHandler.default = self.endTagOther - def isMatchingFormattingElement(self, node1, node2): return (node1.name == node2.name and node1.namespace == node2.namespace and @@ -1650,14 +1597,73 @@ def endTagOther(self, token): self.parser.parseError("unexpected-end-tag", {"name": token["name"]}) break + startTagHandler = _utils.MethodDispatcher([ + ("html", Phase.startTagHtml), + (("base", "basefont", "bgsound", "command", "link", "meta", + "script", "style", "title"), + startTagProcessInHead), + ("body", startTagBody), + ("frameset", startTagFrameset), + (("address", "article", "aside", "blockquote", "center", "details", + "dir", "div", "dl", "fieldset", "figcaption", "figure", + "footer", "header", "hgroup", "main", "menu", "nav", "ol", "p", + "section", "summary", "ul"), + startTagCloseP), + (headingElements, startTagHeading), + (("pre", "listing"), startTagPreListing), + ("form", startTagForm), + (("li", "dd", "dt"), startTagListItem), + ("plaintext", startTagPlaintext), + ("a", startTagA), + (("b", "big", "code", "em", "font", "i", "s", "small", "strike", + "strong", "tt", "u"), startTagFormatting), + ("nobr", startTagNobr), + ("button", startTagButton), + (("applet", "marquee", "object"), startTagAppletMarqueeObject), + ("xmp", startTagXmp), + ("table", startTagTable), + (("area", "br", "embed", "img", "keygen", "wbr"), + startTagVoidFormatting), + (("param", "source", "track"), startTagParamSource), + ("input", startTagInput), + ("hr", startTagHr), + ("image", startTagImage), + ("isindex", startTagIsIndex), + ("textarea", startTagTextarea), + ("iframe", startTagIFrame), + ("noscript", startTagNoscript), + (("noembed", "noframes"), startTagRawtext), + ("select", startTagSelect), + (("rp", "rt"), startTagRpRt), + (("option", "optgroup"), startTagOpt), + (("math"), startTagMath), + (("svg"), startTagSvg), + (("caption", "col", "colgroup", "frame", "head", + "tbody", "td", "tfoot", "th", "thead", + "tr"), startTagMisplaced) + ]) + startTagHandler.default = startTagOther + + endTagHandler = _utils.MethodDispatcher([ + ("body", endTagBody), + ("html", endTagHtml), + (("address", "article", "aside", "blockquote", "button", "center", + "details", "dialog", "dir", "div", "dl", "fieldset", "figcaption", "figure", + "footer", "header", "hgroup", "listing", "main", "menu", "nav", "ol", "pre", + "section", "summary", "ul"), endTagBlock), + ("form", endTagForm), + ("p", endTagP), + (("dd", "dt", "li"), endTagListItem), + (headingElements, endTagHeading), + (("a", "b", "big", "code", "em", "font", "i", "nobr", "s", "small", + "strike", "strong", "tt", "u"), endTagFormatting), + (("applet", "marquee", "object"), endTagAppletMarqueeObject), + ("br", endTagBr), + ]) + endTagHandler.default = endTagOther + class TextPhase(Phase): - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) - self.startTagHandler = _utils.MethodDispatcher([]) - self.startTagHandler.default = self.startTagOther - self.endTagHandler = _utils.MethodDispatcher([ - ("script", self.endTagScript)]) - self.endTagHandler.default = self.endTagOther + __slots__ = tuple() def processCharacters(self, token): self.tree.insertText(token["data"]) @@ -1683,30 +1689,15 @@ def endTagOther(self, token): self.tree.openElements.pop() self.parser.phase = self.parser.originalPhase + startTagHandler = _utils.MethodDispatcher([]) + startTagHandler.default = startTagOther + endTagHandler = _utils.MethodDispatcher([ + ("script", endTagScript)]) + endTagHandler.default = endTagOther + class InTablePhase(Phase): # http://www.whatwg.org/specs/web-apps/current-work/#in-table - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - ("caption", self.startTagCaption), - ("colgroup", self.startTagColgroup), - ("col", self.startTagCol), - (("tbody", "tfoot", "thead"), self.startTagRowGroup), - (("td", "th", "tr"), self.startTagImplyTbody), - ("table", self.startTagTable), - (("style", "script"), self.startTagStyleScript), - ("input", self.startTagInput), - ("form", self.startTagForm) - ]) - self.startTagHandler.default = self.startTagOther - - self.endTagHandler = _utils.MethodDispatcher([ - ("table", self.endTagTable), - (("body", "caption", "col", "colgroup", "html", "tbody", "td", - "tfoot", "th", "thead", "tr"), self.endTagIgnore) - ]) - self.endTagHandler.default = self.endTagOther + __slots__ = tuple() # helper methods def clearStackToTableContext(self): @@ -1828,9 +1819,32 @@ def endTagOther(self, token): self.parser.phases["inBody"].processEndTag(token) self.tree.insertFromTable = False + startTagHandler = _utils.MethodDispatcher([ + ("html", Phase.startTagHtml), + ("caption", startTagCaption), + ("colgroup", startTagColgroup), + ("col", startTagCol), + (("tbody", "tfoot", "thead"), startTagRowGroup), + (("td", "th", "tr"), startTagImplyTbody), + ("table", startTagTable), + (("style", "script"), startTagStyleScript), + ("input", startTagInput), + ("form", startTagForm) + ]) + startTagHandler.default = startTagOther + + endTagHandler = _utils.MethodDispatcher([ + ("table", endTagTable), + (("body", "caption", "col", "colgroup", "html", "tbody", "td", + "tfoot", "th", "thead", "tr"), endTagIgnore) + ]) + endTagHandler.default = endTagOther + class InTableTextPhase(Phase): - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) + __slots__ = ("originalPhase", "characterTokens") + + def __init__(self, *args, **kwargs): + super(InTableTextPhase, self).__init__(*args, **kwargs) self.originalPhase = None self.characterTokens = [] @@ -1875,23 +1889,7 @@ def processEndTag(self, token): class InCaptionPhase(Phase): # http://www.whatwg.org/specs/web-apps/current-work/#in-caption - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) - - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - (("caption", "col", "colgroup", "tbody", "td", "tfoot", "th", - "thead", "tr"), self.startTagTableElement) - ]) - self.startTagHandler.default = self.startTagOther - - self.endTagHandler = _utils.MethodDispatcher([ - ("caption", self.endTagCaption), - ("table", self.endTagTable), - (("body", "col", "colgroup", "html", "tbody", "td", "tfoot", "th", - "thead", "tr"), self.endTagIgnore) - ]) - self.endTagHandler.default = self.endTagOther + __slots__ = tuple() def ignoreEndTagCaption(self): return not self.tree.elementInScope("caption", variant="table") @@ -1944,23 +1942,24 @@ def endTagIgnore(self, token): def endTagOther(self, token): return self.parser.phases["inBody"].processEndTag(token) + startTagHandler = _utils.MethodDispatcher([ + ("html", Phase.startTagHtml), + (("caption", "col", "colgroup", "tbody", "td", "tfoot", "th", + "thead", "tr"), startTagTableElement) + ]) + startTagHandler.default = startTagOther + + endTagHandler = _utils.MethodDispatcher([ + ("caption", endTagCaption), + ("table", endTagTable), + (("body", "col", "colgroup", "html", "tbody", "td", "tfoot", "th", + "thead", "tr"), endTagIgnore) + ]) + endTagHandler.default = endTagOther + class InColumnGroupPhase(Phase): # http://www.whatwg.org/specs/web-apps/current-work/#in-column - - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) - - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - ("col", self.startTagCol) - ]) - self.startTagHandler.default = self.startTagOther - - self.endTagHandler = _utils.MethodDispatcher([ - ("colgroup", self.endTagColgroup), - ("col", self.endTagCol) - ]) - self.endTagHandler.default = self.endTagOther + __slots__ = tuple() def ignoreEndTagColgroup(self): return self.tree.openElements[-1].name == "html" @@ -2010,26 +2009,21 @@ def endTagOther(self, token): if not ignoreEndTag: return token + startTagHandler = _utils.MethodDispatcher([ + ("html", Phase.startTagHtml), + ("col", startTagCol) + ]) + startTagHandler.default = startTagOther + + endTagHandler = _utils.MethodDispatcher([ + ("colgroup", endTagColgroup), + ("col", endTagCol) + ]) + endTagHandler.default = endTagOther + class InTableBodyPhase(Phase): # http://www.whatwg.org/specs/web-apps/current-work/#in-table0 - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - ("tr", self.startTagTr), - (("td", "th"), self.startTagTableCell), - (("caption", "col", "colgroup", "tbody", "tfoot", "thead"), - self.startTagTableOther) - ]) - self.startTagHandler.default = self.startTagOther - - self.endTagHandler = _utils.MethodDispatcher([ - (("tbody", "tfoot", "thead"), self.endTagTableRowGroup), - ("table", self.endTagTable), - (("body", "caption", "col", "colgroup", "html", "td", "th", - "tr"), self.endTagIgnore) - ]) - self.endTagHandler.default = self.endTagOther + __slots__ = tuple() # helper methods def clearStackToTableBodyContext(self): @@ -2108,26 +2102,26 @@ def endTagIgnore(self, token): def endTagOther(self, token): return self.parser.phases["inTable"].processEndTag(token) + startTagHandler = _utils.MethodDispatcher([ + ("html", Phase.startTagHtml), + ("tr", startTagTr), + (("td", "th"), startTagTableCell), + (("caption", "col", "colgroup", "tbody", "tfoot", "thead"), + startTagTableOther) + ]) + startTagHandler.default = startTagOther + + endTagHandler = _utils.MethodDispatcher([ + (("tbody", "tfoot", "thead"), endTagTableRowGroup), + ("table", endTagTable), + (("body", "caption", "col", "colgroup", "html", "td", "th", + "tr"), endTagIgnore) + ]) + endTagHandler.default = endTagOther + class InRowPhase(Phase): # http://www.whatwg.org/specs/web-apps/current-work/#in-row - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - (("td", "th"), self.startTagTableCell), - (("caption", "col", "colgroup", "tbody", "tfoot", "thead", - "tr"), self.startTagTableOther) - ]) - self.startTagHandler.default = self.startTagOther - - self.endTagHandler = _utils.MethodDispatcher([ - ("tr", self.endTagTr), - ("table", self.endTagTable), - (("tbody", "tfoot", "thead"), self.endTagTableRowGroup), - (("body", "caption", "col", "colgroup", "html", "td", "th"), - self.endTagIgnore) - ]) - self.endTagHandler.default = self.endTagOther + __slots__ = tuple() # helper methods (XXX unify this with other table helper methods) def clearStackToTableRowContext(self): @@ -2197,23 +2191,26 @@ def endTagIgnore(self, token): def endTagOther(self, token): return self.parser.phases["inTable"].processEndTag(token) + startTagHandler = _utils.MethodDispatcher([ + ("html", Phase.startTagHtml), + (("td", "th"), startTagTableCell), + (("caption", "col", "colgroup", "tbody", "tfoot", "thead", + "tr"), startTagTableOther) + ]) + startTagHandler.default = startTagOther + + endTagHandler = _utils.MethodDispatcher([ + ("tr", endTagTr), + ("table", endTagTable), + (("tbody", "tfoot", "thead"), endTagTableRowGroup), + (("body", "caption", "col", "colgroup", "html", "td", "th"), + endTagIgnore) + ]) + endTagHandler.default = endTagOther + class InCellPhase(Phase): # http://www.whatwg.org/specs/web-apps/current-work/#in-cell - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - (("caption", "col", "colgroup", "tbody", "td", "tfoot", "th", - "thead", "tr"), self.startTagTableOther) - ]) - self.startTagHandler.default = self.startTagOther - - self.endTagHandler = _utils.MethodDispatcher([ - (("td", "th"), self.endTagTableCell), - (("body", "caption", "col", "colgroup", "html"), self.endTagIgnore), - (("table", "tbody", "tfoot", "thead", "tr"), self.endTagImply) - ]) - self.endTagHandler.default = self.endTagOther + __slots__ = tuple() # helper def closeCell(self): @@ -2273,26 +2270,22 @@ def endTagImply(self, token): def endTagOther(self, token): return self.parser.phases["inBody"].processEndTag(token) + startTagHandler = _utils.MethodDispatcher([ + ("html", Phase.startTagHtml), + (("caption", "col", "colgroup", "tbody", "td", "tfoot", "th", + "thead", "tr"), startTagTableOther) + ]) + startTagHandler.default = startTagOther + + endTagHandler = _utils.MethodDispatcher([ + (("td", "th"), endTagTableCell), + (("body", "caption", "col", "colgroup", "html"), endTagIgnore), + (("table", "tbody", "tfoot", "thead", "tr"), endTagImply) + ]) + endTagHandler.default = endTagOther + class InSelectPhase(Phase): - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) - - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - ("option", self.startTagOption), - ("optgroup", self.startTagOptgroup), - ("select", self.startTagSelect), - (("input", "keygen", "textarea"), self.startTagInput), - ("script", self.startTagScript) - ]) - self.startTagHandler.default = self.startTagOther - - self.endTagHandler = _utils.MethodDispatcher([ - ("option", self.endTagOption), - ("optgroup", self.endTagOptgroup), - ("select", self.endTagSelect) - ]) - self.endTagHandler.default = self.endTagOther + __slots__ = tuple() # http://www.whatwg.org/specs/web-apps/current-work/#in-select def processEOF(self): @@ -2373,21 +2366,25 @@ def endTagOther(self, token): self.parser.parseError("unexpected-end-tag-in-select", {"name": token["name"]}) - class InSelectInTablePhase(Phase): - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) - - self.startTagHandler = _utils.MethodDispatcher([ - (("caption", "table", "tbody", "tfoot", "thead", "tr", "td", "th"), - self.startTagTable) - ]) - self.startTagHandler.default = self.startTagOther + startTagHandler = _utils.MethodDispatcher([ + ("html", Phase.startTagHtml), + ("option", startTagOption), + ("optgroup", startTagOptgroup), + ("select", startTagSelect), + (("input", "keygen", "textarea"), startTagInput), + ("script", startTagScript) + ]) + startTagHandler.default = startTagOther + + endTagHandler = _utils.MethodDispatcher([ + ("option", endTagOption), + ("optgroup", endTagOptgroup), + ("select", endTagSelect) + ]) + endTagHandler.default = endTagOther - self.endTagHandler = _utils.MethodDispatcher([ - (("caption", "table", "tbody", "tfoot", "thead", "tr", "td", "th"), - self.endTagTable) - ]) - self.endTagHandler.default = self.endTagOther + class InSelectInTablePhase(Phase): + __slots__ = tuple() def processEOF(self): self.parser.phases["inSelect"].processEOF() @@ -2412,7 +2409,21 @@ def endTagTable(self, token): def endTagOther(self, token): return self.parser.phases["inSelect"].processEndTag(token) + startTagHandler = _utils.MethodDispatcher([ + (("caption", "table", "tbody", "tfoot", "thead", "tr", "td", "th"), + startTagTable) + ]) + startTagHandler.default = startTagOther + + endTagHandler = _utils.MethodDispatcher([ + (("caption", "table", "tbody", "tfoot", "thead", "tr", "td", "th"), + endTagTable) + ]) + endTagHandler.default = endTagOther + class InForeignContentPhase(Phase): + __slots__ = tuple() + breakoutElements = frozenset(["b", "big", "blockquote", "body", "br", "center", "code", "dd", "div", "dl", "dt", "em", "embed", "h1", "h2", "h3", @@ -2422,9 +2433,6 @@ class InForeignContentPhase(Phase): "span", "strong", "strike", "sub", "sup", "table", "tt", "u", "ul", "var"]) - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) - def adjustSVGTagNames(self, token): replacements = {"altglyph": "altGlyph", "altglyphdef": "altGlyphDef", @@ -2478,7 +2486,7 @@ def processStartTag(self, token): currentNode = self.tree.openElements[-1] if (token["name"] in self.breakoutElements or (token["name"] == "font" and - set(token["data"].keys()) & set(["color", "face", "size"]))): + set(token["data"].keys()) & {"color", "face", "size"})): self.parser.parseError("unexpected-html-element-in-foreign-content", {"name": token["name"]}) while (self.tree.openElements[-1].namespace != @@ -2528,16 +2536,7 @@ def processEndTag(self, token): return new_token class AfterBodyPhase(Phase): - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) - - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml) - ]) - self.startTagHandler.default = self.startTagOther - - self.endTagHandler = _utils.MethodDispatcher([("html", self.endTagHtml)]) - self.endTagHandler.default = self.endTagOther + __slots__ = tuple() def processEOF(self): # Stop parsing @@ -2574,23 +2573,17 @@ def endTagOther(self, token): self.parser.phase = self.parser.phases["inBody"] return token - class InFramesetPhase(Phase): - # http://www.whatwg.org/specs/web-apps/current-work/#in-frameset - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) + startTagHandler = _utils.MethodDispatcher([ + ("html", startTagHtml) + ]) + startTagHandler.default = startTagOther - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - ("frameset", self.startTagFrameset), - ("frame", self.startTagFrame), - ("noframes", self.startTagNoframes) - ]) - self.startTagHandler.default = self.startTagOther + endTagHandler = _utils.MethodDispatcher([("html", endTagHtml)]) + endTagHandler.default = endTagOther - self.endTagHandler = _utils.MethodDispatcher([ - ("frameset", self.endTagFrameset) - ]) - self.endTagHandler.default = self.endTagOther + class InFramesetPhase(Phase): + # http://www.whatwg.org/specs/web-apps/current-work/#in-frameset + __slots__ = tuple() def processEOF(self): if self.tree.openElements[-1].name != "html": @@ -2631,21 +2624,22 @@ def endTagOther(self, token): self.parser.parseError("unexpected-end-tag-in-frameset", {"name": token["name"]}) - class AfterFramesetPhase(Phase): - # http://www.whatwg.org/specs/web-apps/current-work/#after3 - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) + startTagHandler = _utils.MethodDispatcher([ + ("html", Phase.startTagHtml), + ("frameset", startTagFrameset), + ("frame", startTagFrame), + ("noframes", startTagNoframes) + ]) + startTagHandler.default = startTagOther - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - ("noframes", self.startTagNoframes) - ]) - self.startTagHandler.default = self.startTagOther + endTagHandler = _utils.MethodDispatcher([ + ("frameset", endTagFrameset) + ]) + endTagHandler.default = endTagOther - self.endTagHandler = _utils.MethodDispatcher([ - ("html", self.endTagHtml) - ]) - self.endTagHandler.default = self.endTagOther + class AfterFramesetPhase(Phase): + # http://www.whatwg.org/specs/web-apps/current-work/#after3 + __slots__ = tuple() def processEOF(self): # Stop parsing @@ -2668,14 +2662,19 @@ def endTagOther(self, token): self.parser.parseError("unexpected-end-tag-after-frameset", {"name": token["name"]}) - class AfterAfterBodyPhase(Phase): - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) + startTagHandler = _utils.MethodDispatcher([ + ("html", Phase.startTagHtml), + ("noframes", startTagNoframes) + ]) + startTagHandler.default = startTagOther - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml) - ]) - self.startTagHandler.default = self.startTagOther + endTagHandler = _utils.MethodDispatcher([ + ("html", endTagHtml) + ]) + endTagHandler.default = endTagOther + + class AfterAfterBodyPhase(Phase): + __slots__ = tuple() def processEOF(self): pass @@ -2706,15 +2705,13 @@ def processEndTag(self, token): self.parser.phase = self.parser.phases["inBody"] return token - class AfterAfterFramesetPhase(Phase): - def __init__(self, parser, tree): - Phase.__init__(self, parser, tree) + startTagHandler = _utils.MethodDispatcher([ + ("html", startTagHtml) + ]) + startTagHandler.default = startTagOther - self.startTagHandler = _utils.MethodDispatcher([ - ("html", self.startTagHtml), - ("noframes", self.startTagNoFrames) - ]) - self.startTagHandler.default = self.startTagOther + class AfterAfterFramesetPhase(Phase): + __slots__ = tuple() def processEOF(self): pass @@ -2741,6 +2738,13 @@ def startTagOther(self, token): def processEndTag(self, token): self.parser.parseError("expected-eof-but-got-end-tag", {"name": token["name"]}) + + startTagHandler = _utils.MethodDispatcher([ + ("html", startTagHtml), + ("noframes", startTagNoFrames) + ]) + startTagHandler.default = startTagOther + # pylint:enable=unused-argument return { @@ -2774,8 +2778,8 @@ def processEndTag(self, token): def adjust_attributes(token, replacements): needs_adjustment = viewkeys(token['data']) & viewkeys(replacements) if needs_adjustment: - token['data'] = OrderedDict((replacements.get(k, k), v) - for k, v in token['data'].items()) + token['data'] = type(token['data'])((replacements.get(k, k), v) + for k, v in token['data'].items()) def impliedTagToken(name, type="EndTag", attributes=None, diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/serializer.py b/venv/Lib/site-packages/pip/_vendor/html5lib/serializer.py similarity index 99% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/serializer.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/serializer.py index 53f4d44..d5669d8 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/serializer.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/serializer.py @@ -274,7 +274,7 @@ def serialize(self, treewalker, encoding=None): if token["systemId"]: if token["systemId"].find('"') >= 0: if token["systemId"].find("'") >= 0: - self.serializeError("System identifer contains both single and double quote characters") + self.serializeError("System identifier contains both single and double quote characters") quote_char = "'" else: quote_char = '"' diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/__init__.py b/venv/Lib/site-packages/pip/_vendor/html5lib/treeadapters/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/__init__.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/treeadapters/__init__.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/genshi.py b/venv/Lib/site-packages/pip/_vendor/html5lib/treeadapters/genshi.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/genshi.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/treeadapters/genshi.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/sax.py b/venv/Lib/site-packages/pip/_vendor/html5lib/treeadapters/sax.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treeadapters/sax.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/treeadapters/sax.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/__init__.py b/venv/Lib/site-packages/pip/_vendor/html5lib/treebuilders/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/__init__.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/treebuilders/__init__.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/base.py b/venv/Lib/site-packages/pip/_vendor/html5lib/treebuilders/base.py similarity index 97% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/base.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/treebuilders/base.py index 73973db..965fce2 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/base.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/treebuilders/base.py @@ -10,9 +10,9 @@ listElementsMap = { None: (frozenset(scopingElements), False), - "button": (frozenset(scopingElements | set([(namespaces["html"], "button")])), False), - "list": (frozenset(scopingElements | set([(namespaces["html"], "ol"), - (namespaces["html"], "ul")])), False), + "button": (frozenset(scopingElements | {(namespaces["html"], "button")}), False), + "list": (frozenset(scopingElements | {(namespaces["html"], "ol"), + (namespaces["html"], "ul")}), False), "table": (frozenset([(namespaces["html"], "html"), (namespaces["html"], "table")]), False), "select": (frozenset([(namespaces["html"], "optgroup"), @@ -28,7 +28,7 @@ def __init__(self, name): :arg name: The tag name associated with the node """ - # The tag name assocaited with the node + # The tag name associated with the node self.name = name # The parent of the current node (or None for the document node) self.parent = None diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/dom.py b/venv/Lib/site-packages/pip/_vendor/html5lib/treebuilders/dom.py similarity index 98% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/dom.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/treebuilders/dom.py index dcfac22..d8b5300 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/dom.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/treebuilders/dom.py @@ -1,7 +1,10 @@ from __future__ import absolute_import, division, unicode_literals -from collections import MutableMapping +try: + from collections.abc import MutableMapping +except ImportError: # Python 2.7 + from collections import MutableMapping from xml.dom import minidom, Node import weakref diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/etree.py b/venv/Lib/site-packages/pip/_vendor/html5lib/treebuilders/etree.py similarity index 95% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/etree.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/treebuilders/etree.py index 0dedf44..ea92dc3 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/etree.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/treebuilders/etree.py @@ -5,6 +5,8 @@ import re +from copy import copy + from . import base from .. import _ihatexml from .. import constants @@ -61,16 +63,17 @@ def _getAttributes(self): return self._element.attrib def _setAttributes(self, attributes): - # Delete existing attributes first - # XXX - there may be a better way to do this... - for key in list(self._element.attrib.keys()): - del self._element.attrib[key] - for key, value in attributes.items(): - if isinstance(key, tuple): - name = "{%s}%s" % (key[2], key[1]) - else: - name = key - self._element.set(name, value) + el_attrib = self._element.attrib + el_attrib.clear() + if attributes: + # calling .items _always_ allocates, and the above truthy check is cheaper than the + # allocation on average + for key, value in attributes.items(): + if isinstance(key, tuple): + name = "{%s}%s" % (key[2], key[1]) + else: + name = key + el_attrib[name] = value attributes = property(_getAttributes, _setAttributes) @@ -129,8 +132,8 @@ def insertText(self, data, insertBefore=None): def cloneNode(self): element = type(self)(self.name, self.namespace) - for name, value in self.attributes.items(): - element.attributes[name] = value + if self._element.attrib: + element._element.attrib = copy(self._element.attrib) return element def reparentChildren(self, newParent): diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/etree_lxml.py b/venv/Lib/site-packages/pip/_vendor/html5lib/treebuilders/etree_lxml.py similarity index 89% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/etree_lxml.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/treebuilders/etree_lxml.py index ca12a99..f037759 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treebuilders/etree_lxml.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/treebuilders/etree_lxml.py @@ -16,6 +16,11 @@ import re import sys +try: + from collections.abc import MutableMapping +except ImportError: + from collections import MutableMapping + from . import base from ..constants import DataLossWarning from .. import constants @@ -23,6 +28,7 @@ from .. import _ihatexml import lxml.etree as etree +from pip._vendor.six import PY3, binary_type fullTree = True @@ -44,7 +50,11 @@ def __init__(self): self._childNodes = [] def appendChild(self, element): - self._elementTree.getroot().addnext(element._element) + last = self._elementTree.getroot() + for last in self._elementTree.getroot().itersiblings(): + pass + + last.addnext(element._element) def _getChildNodes(self): return self._childNodes @@ -185,26 +195,37 @@ def __init__(self, namespaceHTMLElements, fullTree=False): infosetFilter = self.infosetFilter = _ihatexml.InfosetFilter(preventDoubleDashComments=True) self.namespaceHTMLElements = namespaceHTMLElements - class Attributes(dict): - def __init__(self, element, value=None): - if value is None: - value = {} + class Attributes(MutableMapping): + def __init__(self, element): self._element = element - dict.__init__(self, value) # pylint:disable=non-parent-init-called - for key, value in self.items(): - if isinstance(key, tuple): - name = "{%s}%s" % (key[2], infosetFilter.coerceAttribute(key[1])) - else: - name = infosetFilter.coerceAttribute(key) - self._element._element.attrib[name] = value - def __setitem__(self, key, value): - dict.__setitem__(self, key, value) + def _coerceKey(self, key): if isinstance(key, tuple): name = "{%s}%s" % (key[2], infosetFilter.coerceAttribute(key[1])) else: name = infosetFilter.coerceAttribute(key) - self._element._element.attrib[name] = value + return name + + def __getitem__(self, key): + value = self._element._element.attrib[self._coerceKey(key)] + if not PY3 and isinstance(value, binary_type): + value = value.decode("ascii") + return value + + def __setitem__(self, key, value): + self._element._element.attrib[self._coerceKey(key)] = value + + def __delitem__(self, key): + del self._element._element.attrib[self._coerceKey(key)] + + def __iter__(self): + return iter(self._element._element.attrib) + + def __len__(self): + return len(self._element._element.attrib) + + def clear(self): + return self._element._element.attrib.clear() class Element(builder.Element): def __init__(self, name, namespace): @@ -225,8 +246,10 @@ def _getName(self): def _getAttributes(self): return self._attributes - def _setAttributes(self, attributes): - self._attributes = Attributes(self, attributes) + def _setAttributes(self, value): + attributes = self.attributes + attributes.clear() + attributes.update(value) attributes = property(_getAttributes, _setAttributes) @@ -234,8 +257,11 @@ def insertText(self, data, insertBefore=None): data = infosetFilter.coerceCharacters(data) builder.Element.insertText(self, data, insertBefore) - def appendChild(self, child): - builder.Element.appendChild(self, child) + def cloneNode(self): + element = type(self)(self.name, self.namespace) + if self._element.attrib: + element._element.attrib.update(self._element.attrib) + return element class Comment(builder.Comment): def __init__(self, data): diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/__init__.py b/venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/__init__.py similarity index 96% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/__init__.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/__init__.py index 9bec207..b2d3aac 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/__init__.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/__init__.py @@ -2,10 +2,10 @@ tree, generating tokens identical to those produced by the tokenizer module. -To create a tree walker for a new type of tree, you need to do +To create a tree walker for a new type of tree, you need to implement a tree walker object (called TreeWalker by convention) that -implements a 'serialize' method taking a tree as sole argument and -returning an iterator generating tokens. +implements a 'serialize' method which takes a tree as sole argument and +returns an iterator which generates tokens. """ from __future__ import absolute_import, division, unicode_literals diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/base.py b/venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/base.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/base.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/base.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/dom.py b/venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/dom.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/dom.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/dom.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/etree.py b/venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/etree.py similarity index 99% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/etree.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/etree.py index 95fc0c1..837b27e 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/etree.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/etree.py @@ -127,4 +127,5 @@ def getParentNode(self, node): return locals() + getETreeModule = moduleFactoryFactory(getETreeBuilder) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/etree_lxml.py b/venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/etree_lxml.py similarity index 98% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/etree_lxml.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/etree_lxml.py index e81ddf3..c56af39 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/etree_lxml.py +++ b/venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/etree_lxml.py @@ -1,6 +1,8 @@ from __future__ import absolute_import, division, unicode_literals from pip._vendor.six import text_type +from collections import OrderedDict + from lxml import etree from ..treebuilders.etree import tag_regexp @@ -163,7 +165,7 @@ def getNodeDetails(self, node): else: namespace = None tag = ensure_str(node.tag) - attrs = {} + attrs = OrderedDict() for name, value in list(node.attrib.items()): name = ensure_str(name) value = ensure_str(value) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/genshi.py b/venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/genshi.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/html5lib/treewalkers/genshi.py rename to venv/Lib/site-packages/pip/_vendor/html5lib/treewalkers/genshi.py diff --git a/venv/Lib/site-packages/pip/_vendor/idna/__init__.py b/venv/Lib/site-packages/pip/_vendor/idna/__init__.py new file mode 100644 index 0000000..a40eeaf --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/idna/__init__.py @@ -0,0 +1,44 @@ +from .package_data import __version__ +from .core import ( + IDNABidiError, + IDNAError, + InvalidCodepoint, + InvalidCodepointContext, + alabel, + check_bidi, + check_hyphen_ok, + check_initial_combiner, + check_label, + check_nfc, + decode, + encode, + ulabel, + uts46_remap, + valid_contextj, + valid_contexto, + valid_label_length, + valid_string_length, +) +from .intranges import intranges_contain + +__all__ = [ + "IDNABidiError", + "IDNAError", + "InvalidCodepoint", + "InvalidCodepointContext", + "alabel", + "check_bidi", + "check_hyphen_ok", + "check_initial_combiner", + "check_label", + "check_nfc", + "decode", + "encode", + "intranges_contain", + "ulabel", + "uts46_remap", + "valid_contextj", + "valid_contexto", + "valid_label_length", + "valid_string_length", +] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/codec.py b/venv/Lib/site-packages/pip/_vendor/idna/codec.py similarity index 60% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/codec.py rename to venv/Lib/site-packages/pip/_vendor/idna/codec.py index 98c65ea..080f22a 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/codec.py +++ b/venv/Lib/site-packages/pip/_vendor/idna/codec.py @@ -1,41 +1,43 @@ from .core import encode, decode, alabel, ulabel, IDNAError import codecs import re +from typing import Tuple, Optional -_unicode_dots_re = re.compile(u'[\u002e\u3002\uff0e\uff61]') +_unicode_dots_re = re.compile('[\u002e\u3002\uff0e\uff61]') class Codec(codecs.Codec): def encode(self, data, errors='strict'): - + # type: (str, str) -> Tuple[bytes, int] if errors != 'strict': - raise IDNAError("Unsupported error handling \"{0}\"".format(errors)) + raise IDNAError('Unsupported error handling \"{}\"'.format(errors)) if not data: - return "", 0 + return b"", 0 return encode(data), len(data) def decode(self, data, errors='strict'): - + # type: (bytes, str) -> Tuple[str, int] if errors != 'strict': - raise IDNAError("Unsupported error handling \"{0}\"".format(errors)) + raise IDNAError('Unsupported error handling \"{}\"'.format(errors)) if not data: - return u"", 0 + return '', 0 return decode(data), len(data) class IncrementalEncoder(codecs.BufferedIncrementalEncoder): - def _buffer_encode(self, data, errors, final): + def _buffer_encode(self, data, errors, final): # type: ignore + # type: (str, str, bool) -> Tuple[str, int] if errors != 'strict': - raise IDNAError("Unsupported error handling \"{0}\"".format(errors)) + raise IDNAError('Unsupported error handling \"{}\"'.format(errors)) if not data: - return ("", 0) + return "", 0 labels = _unicode_dots_re.split(data) - trailing_dot = u'' + trailing_dot = '' if labels: if not labels[-1]: trailing_dot = '.' @@ -55,37 +57,30 @@ def _buffer_encode(self, data, errors, final): size += len(label) # Join with U+002E - result = ".".join(result) + trailing_dot + result_str = '.'.join(result) + trailing_dot # type: ignore size += len(trailing_dot) - return (result, size) + return result_str, size class IncrementalDecoder(codecs.BufferedIncrementalDecoder): - def _buffer_decode(self, data, errors, final): + def _buffer_decode(self, data, errors, final): # type: ignore + # type: (str, str, bool) -> Tuple[str, int] if errors != 'strict': - raise IDNAError("Unsupported error handling \"{0}\"".format(errors)) + raise IDNAError('Unsupported error handling \"{}\"'.format(errors)) if not data: - return (u"", 0) - - # IDNA allows decoding to operate on Unicode strings, too. - if isinstance(data, unicode): - labels = _unicode_dots_re.split(data) - else: - # Must be ASCII string - data = str(data) - unicode(data, "ascii") - labels = data.split(".") - - trailing_dot = u'' + return ('', 0) + + labels = _unicode_dots_re.split(data) + trailing_dot = '' if labels: if not labels[-1]: - trailing_dot = u'.' + trailing_dot = '.' del labels[-1] elif not final: # Keep potentially unfinished label until the next call del labels[-1] if labels: - trailing_dot = u'.' + trailing_dot = '.' result = [] size = 0 @@ -95,22 +90,26 @@ def _buffer_decode(self, data, errors, final): size += 1 size += len(label) - result = u".".join(result) + trailing_dot + result_str = '.'.join(result) + trailing_dot size += len(trailing_dot) - return (result, size) + return (result_str, size) class StreamWriter(Codec, codecs.StreamWriter): pass + class StreamReader(Codec, codecs.StreamReader): pass + def getregentry(): + # type: () -> codecs.CodecInfo + # Compatibility as a search_function for codecs.register() return codecs.CodecInfo( name='idna', - encode=Codec().encode, - decode=Codec().decode, + encode=Codec().encode, # type: ignore + decode=Codec().decode, # type: ignore incrementalencoder=IncrementalEncoder, incrementaldecoder=IncrementalDecoder, streamwriter=StreamWriter, diff --git a/venv/Lib/site-packages/pip/_vendor/idna/compat.py b/venv/Lib/site-packages/pip/_vendor/idna/compat.py new file mode 100644 index 0000000..dc896c7 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/idna/compat.py @@ -0,0 +1,16 @@ +from .core import * +from .codec import * +from typing import Any, Union + +def ToASCII(label): + # type: (str) -> bytes + return encode(label) + +def ToUnicode(label): + # type: (Union[bytes, bytearray]) -> str + return decode(label) + +def nameprep(s): + # type: (Any) -> None + raise NotImplementedError('IDNA 2008 does not utilise nameprep protocol') + diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/core.py b/venv/Lib/site-packages/pip/_vendor/idna/core.py similarity index 71% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/core.py rename to venv/Lib/site-packages/pip/_vendor/idna/core.py index 104624a..d605129 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/core.py +++ b/venv/Lib/site-packages/pip/_vendor/idna/core.py @@ -2,16 +2,12 @@ import bisect import unicodedata import re -import sys +from typing import Union, Optional from .intranges import intranges_contain _virama_combining_class = 9 _alabel_prefix = b'xn--' -_unicode_dots_re = re.compile(u'[\u002e\u3002\uff0e\uff61]') - -if sys.version_info[0] == 3: - unicode = str - unichr = chr +_unicode_dots_re = re.compile('[\u002e\u3002\uff0e\uff61]') class IDNAError(UnicodeError): """ Base exception for all IDNA-encoding related problems """ @@ -34,45 +30,49 @@ class InvalidCodepointContext(IDNAError): def _combining_class(cp): - v = unicodedata.combining(unichr(cp)) + # type: (int) -> int + v = unicodedata.combining(chr(cp)) if v == 0: - if not unicodedata.name(unichr(cp)): - raise ValueError("Unknown character in unicodedata") + if not unicodedata.name(chr(cp)): + raise ValueError('Unknown character in unicodedata') return v def _is_script(cp, script): + # type: (str, str) -> bool return intranges_contain(ord(cp), idnadata.scripts[script]) def _punycode(s): + # type: (str) -> bytes return s.encode('punycode') def _unot(s): - return 'U+{0:04X}'.format(s) + # type: (int) -> str + return 'U+{:04X}'.format(s) def valid_label_length(label): - + # type: (Union[bytes, str]) -> bool if len(label) > 63: return False return True def valid_string_length(label, trailing_dot): - + # type: (Union[bytes, str], bool) -> bool if len(label) > (254 if trailing_dot else 253): return False return True def check_bidi(label, check_ltr=False): - + # type: (str, bool) -> bool # Bidi rules should only be applied if string contains RTL characters bidi_label = False for (idx, cp) in enumerate(label, 1): direction = unicodedata.bidirectional(cp) if direction == '': # String likely comes from a newer version of Unicode - raise IDNABidiError('Unknown directionality in label {0} at position {1}'.format(repr(label), idx)) + raise IDNABidiError('Unknown directionality in label {} at position {}'.format(repr(label), idx)) if direction in ['R', 'AL', 'AN']: bidi_label = True if not bidi_label and not check_ltr: @@ -85,17 +85,17 @@ def check_bidi(label, check_ltr=False): elif direction == 'L': rtl = False else: - raise IDNABidiError('First codepoint in label {0} must be directionality L, R or AL'.format(repr(label))) + raise IDNABidiError('First codepoint in label {} must be directionality L, R or AL'.format(repr(label))) valid_ending = False - number_type = False + number_type = None # type: Optional[str] for (idx, cp) in enumerate(label, 1): direction = unicodedata.bidirectional(cp) if rtl: # Bidi rule 2 if not direction in ['R', 'AL', 'AN', 'EN', 'ES', 'CS', 'ET', 'ON', 'BN', 'NSM']: - raise IDNABidiError('Invalid direction for codepoint at position {0} in a right-to-left label'.format(idx)) + raise IDNABidiError('Invalid direction for codepoint at position {} in a right-to-left label'.format(idx)) # Bidi rule 3 if direction in ['R', 'AL', 'EN', 'AN']: valid_ending = True @@ -111,7 +111,7 @@ def check_bidi(label, check_ltr=False): else: # Bidi rule 5 if not direction in ['L', 'EN', 'ES', 'CS', 'ET', 'ON', 'BN', 'NSM']: - raise IDNABidiError('Invalid direction for codepoint at position {0} in a left-to-right label'.format(idx)) + raise IDNABidiError('Invalid direction for codepoint at position {} in a left-to-right label'.format(idx)) # Bidi rule 6 if direction in ['L', 'EN']: valid_ending = True @@ -125,14 +125,14 @@ def check_bidi(label, check_ltr=False): def check_initial_combiner(label): - + # type: (str) -> bool if unicodedata.category(label[0])[0] == 'M': raise IDNAError('Label begins with an illegal combining character') return True def check_hyphen_ok(label): - + # type: (str) -> bool if label[2:4] == '--': raise IDNAError('Label has disallowed hyphens in 3rd and 4th position') if label[0] == '-' or label[-1] == '-': @@ -141,13 +141,13 @@ def check_hyphen_ok(label): def check_nfc(label): - + # type: (str) -> None if unicodedata.normalize('NFC', label) != label: raise IDNAError('Label must be in Normalization Form C') def valid_contextj(label, pos): - + # type: (str, int) -> bool cp_value = ord(label[pos]) if cp_value == 0x200c: @@ -191,7 +191,7 @@ def valid_contextj(label, pos): def valid_contexto(label, pos, exception=False): - + # type: (str, int, bool) -> bool cp_value = ord(label[pos]) if cp_value == 0x00b7: @@ -212,7 +212,7 @@ def valid_contexto(label, pos, exception=False): elif cp_value == 0x30fb: for cp in label: - if cp == u'\u30fb': + if cp == '\u30fb': continue if _is_script(cp, 'Hiragana') or _is_script(cp, 'Katakana') or _is_script(cp, 'Han'): return True @@ -230,9 +230,11 @@ def valid_contexto(label, pos, exception=False): return False return True + return False -def check_label(label): +def check_label(label): + # type: (Union[str, bytes, bytearray]) -> None if isinstance(label, (bytes, bytearray)): label = label.decode('utf-8') if len(label) == 0: @@ -249,98 +251,109 @@ def check_label(label): elif intranges_contain(cp_value, idnadata.codepoint_classes['CONTEXTJ']): try: if not valid_contextj(label, pos): - raise InvalidCodepointContext('Joiner {0} not allowed at position {1} in {2}'.format( + raise InvalidCodepointContext('Joiner {} not allowed at position {} in {}'.format( _unot(cp_value), pos+1, repr(label))) except ValueError: - raise IDNAError('Unknown codepoint adjacent to joiner {0} at position {1} in {2}'.format( + raise IDNAError('Unknown codepoint adjacent to joiner {} at position {} in {}'.format( _unot(cp_value), pos+1, repr(label))) elif intranges_contain(cp_value, idnadata.codepoint_classes['CONTEXTO']): if not valid_contexto(label, pos): - raise InvalidCodepointContext('Codepoint {0} not allowed at position {1} in {2}'.format(_unot(cp_value), pos+1, repr(label))) + raise InvalidCodepointContext('Codepoint {} not allowed at position {} in {}'.format(_unot(cp_value), pos+1, repr(label))) else: - raise InvalidCodepoint('Codepoint {0} at position {1} of {2} not allowed'.format(_unot(cp_value), pos+1, repr(label))) + raise InvalidCodepoint('Codepoint {} at position {} of {} not allowed'.format(_unot(cp_value), pos+1, repr(label))) check_bidi(label) def alabel(label): - + # type: (str) -> bytes try: - label = label.encode('ascii') - ulabel(label) - if not valid_label_length(label): + label_bytes = label.encode('ascii') + ulabel(label_bytes) + if not valid_label_length(label_bytes): raise IDNAError('Label too long') - return label + return label_bytes except UnicodeEncodeError: pass if not label: raise IDNAError('No Input') - label = unicode(label) + label = str(label) check_label(label) - label = _punycode(label) - label = _alabel_prefix + label + label_bytes = _punycode(label) + label_bytes = _alabel_prefix + label_bytes - if not valid_label_length(label): + if not valid_label_length(label_bytes): raise IDNAError('Label too long') - return label + return label_bytes def ulabel(label): - + # type: (Union[str, bytes, bytearray]) -> str if not isinstance(label, (bytes, bytearray)): try: - label = label.encode('ascii') + label_bytes = label.encode('ascii') except UnicodeEncodeError: check_label(label) return label - - label = label.lower() - if label.startswith(_alabel_prefix): - label = label[len(_alabel_prefix):] else: - check_label(label) - return label.decode('ascii') + label_bytes = label + + label_bytes = label_bytes.lower() + if label_bytes.startswith(_alabel_prefix): + label_bytes = label_bytes[len(_alabel_prefix):] + if not label_bytes: + raise IDNAError('Malformed A-label, no Punycode eligible content found') + if label_bytes.decode('ascii')[-1] == '-': + raise IDNAError('A-label must not end with a hyphen') + else: + check_label(label_bytes) + return label_bytes.decode('ascii') - label = label.decode('punycode') + label = label_bytes.decode('punycode') check_label(label) return label def uts46_remap(domain, std3_rules=True, transitional=False): + # type: (str, bool, bool) -> str """Re-map the characters in the string according to UTS46 processing.""" from .uts46data import uts46data - output = u"" - try: - for pos, char in enumerate(domain): - code_point = ord(char) + output = '' + + for pos, char in enumerate(domain): + code_point = ord(char) + try: uts46row = uts46data[code_point if code_point < 256 else - bisect.bisect_left(uts46data, (code_point, "Z")) - 1] + bisect.bisect_left(uts46data, (code_point, 'Z')) - 1] status = uts46row[1] - replacement = uts46row[2] if len(uts46row) == 3 else None - if (status == "V" or - (status == "D" and not transitional) or - (status == "3" and not std3_rules and replacement is None)): + replacement = None # type: Optional[str] + if len(uts46row) == 3: + replacement = uts46row[2] # type: ignore + if (status == 'V' or + (status == 'D' and not transitional) or + (status == '3' and not std3_rules and replacement is None)): output += char - elif replacement is not None and (status == "M" or - (status == "3" and not std3_rules) or - (status == "D" and transitional)): + elif replacement is not None and (status == 'M' or + (status == '3' and not std3_rules) or + (status == 'D' and transitional)): output += replacement - elif status != "I": + elif status != 'I': raise IndexError() - return unicodedata.normalize("NFC", output) - except IndexError: - raise InvalidCodepoint( - "Codepoint {0} not allowed at position {1} in {2}".format( - _unot(code_point), pos + 1, repr(domain))) + except IndexError: + raise InvalidCodepoint( + 'Codepoint {} not allowed at position {} in {}'.format( + _unot(code_point), pos + 1, repr(domain))) + return unicodedata.normalize('NFC', output) -def encode(s, strict=False, uts46=False, std3_rules=False, transitional=False): +def encode(s, strict=False, uts46=False, std3_rules=False, transitional=False): + # type: (Union[str, bytes, bytearray], bool, bool, bool, bool) -> bytes if isinstance(s, (bytes, bytearray)): - s = s.decode("ascii") + s = s.decode('ascii') if uts46: s = uts46_remap(s, std3_rules, transitional) trailing_dot = False @@ -369,9 +382,9 @@ def encode(s, strict=False, uts46=False, std3_rules=False, transitional=False): def decode(s, strict=False, uts46=False, std3_rules=False): - + # type: (Union[str, bytes, bytearray], bool, bool, bool) -> str if isinstance(s, (bytes, bytearray)): - s = s.decode("ascii") + s = s.decode('ascii') if uts46: s = uts46_remap(s, std3_rules, False) trailing_dot = False @@ -379,7 +392,7 @@ def decode(s, strict=False, uts46=False, std3_rules=False): if not strict: labels = _unicode_dots_re.split(s) else: - labels = s.split(u'.') + labels = s.split('.') if not labels or labels == ['']: raise IDNAError('Empty domain') if not labels[-1]: @@ -392,5 +405,5 @@ def decode(s, strict=False, uts46=False, std3_rules=False): else: raise IDNAError('Empty label') if trailing_dot: - result.append(u'') - return u'.'.join(result) + result.append('') + return '.'.join(result) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/idnadata.py b/venv/Lib/site-packages/pip/_vendor/idna/idnadata.py similarity index 94% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/idnadata.py rename to venv/Lib/site-packages/pip/_vendor/idna/idnadata.py index a80c959..b86a3e0 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/idnadata.py +++ b/venv/Lib/site-packages/pip/_vendor/idna/idnadata.py @@ -1,6 +1,6 @@ # This file is automatically generated by tools/idna-data -__version__ = "11.0.0" +__version__ = '13.0.0' scripts = { 'Greek': ( 0x37000000374, @@ -48,16 +48,18 @@ 0x300700003008, 0x30210000302a, 0x30380000303c, - 0x340000004db6, - 0x4e0000009ff0, + 0x340000004dc0, + 0x4e0000009ffd, 0xf9000000fa6e, 0xfa700000fada, - 0x200000002a6d7, + 0x16ff000016ff2, + 0x200000002a6de, 0x2a7000002b735, 0x2b7400002b81e, 0x2b8200002cea2, 0x2ceb00002ebe1, 0x2f8000002fa1e, + 0x300000003134b, ), 'Hebrew': ( 0x591000005c8, @@ -74,6 +76,7 @@ 0x304100003097, 0x309d000030a0, 0x1b0010001b11f, + 0x1b1500001b153, 0x1f2000001f201, ), 'Katakana': ( @@ -85,6 +88,7 @@ 0xff660000ff70, 0xff710000ff9e, 0x1b0000001b001, + 0x1b1640001b168, ), } joining_types = { @@ -387,9 +391,9 @@ 0x853: 68, 0x854: 82, 0x855: 68, - 0x856: 85, - 0x857: 85, - 0x858: 85, + 0x856: 82, + 0x857: 82, + 0x858: 82, 0x860: 68, 0x861: 85, 0x862: 68, @@ -430,6 +434,16 @@ 0x8bb: 68, 0x8bc: 68, 0x8bd: 68, + 0x8be: 68, + 0x8bf: 68, + 0x8c0: 68, + 0x8c1: 68, + 0x8c2: 68, + 0x8c3: 68, + 0x8c4: 68, + 0x8c5: 68, + 0x8c6: 68, + 0x8c7: 68, 0x8e2: 85, 0x1806: 85, 0x1807: 68, @@ -754,6 +768,34 @@ 0x10f52: 68, 0x10f53: 68, 0x10f54: 82, + 0x10fb0: 68, + 0x10fb1: 85, + 0x10fb2: 68, + 0x10fb3: 68, + 0x10fb4: 82, + 0x10fb5: 82, + 0x10fb6: 82, + 0x10fb7: 85, + 0x10fb8: 68, + 0x10fb9: 82, + 0x10fba: 82, + 0x10fbb: 68, + 0x10fbc: 68, + 0x10fbd: 82, + 0x10fbe: 68, + 0x10fbf: 68, + 0x10fc0: 85, + 0x10fc1: 68, + 0x10fc2: 82, + 0x10fc3: 82, + 0x10fc4: 68, + 0x10fc5: 85, + 0x10fc6: 85, + 0x10fc7: 85, + 0x10fc8: 85, + 0x10fc9: 82, + 0x10fca: 68, + 0x10fcb: 76, 0x110bd: 85, 0x110cd: 85, 0x1e900: 68, @@ -824,6 +866,7 @@ 0x1e941: 68, 0x1e942: 68, 0x1e943: 68, + 0x1e94b: 84, } codepoint_classes = { 'PVALID': ( @@ -1126,7 +1169,7 @@ 0x8400000085c, 0x8600000086b, 0x8a0000008b5, - 0x8b6000008be, + 0x8b6000008c8, 0x8d3000008e2, 0x8e300000958, 0x96000000964, @@ -1185,7 +1228,7 @@ 0xb3c00000b45, 0xb4700000b49, 0xb4b00000b4e, - 0xb5600000b58, + 0xb5500000b58, 0xb5f00000b64, 0xb6600000b70, 0xb7100000b72, @@ -1230,8 +1273,7 @@ 0xce000000ce4, 0xce600000cf0, 0xcf100000cf3, - 0xd0000000d04, - 0xd0500000d0d, + 0xd0000000d0d, 0xd0e00000d11, 0xd1200000d45, 0xd4600000d49, @@ -1240,7 +1282,7 @@ 0xd5f00000d64, 0xd6600000d70, 0xd7a00000d80, - 0xd8200000d84, + 0xd8100000d84, 0xd8500000d97, 0xd9a00000db2, 0xdb300000dbc, @@ -1258,18 +1300,11 @@ 0xe5000000e5a, 0xe8100000e83, 0xe8400000e85, - 0xe8700000e89, - 0xe8a00000e8b, - 0xe8d00000e8e, - 0xe9400000e98, - 0xe9900000ea0, - 0xea100000ea4, + 0xe8600000e8b, + 0xe8c00000ea4, 0xea500000ea6, - 0xea700000ea8, - 0xeaa00000eac, - 0xead00000eb3, - 0xeb400000eba, - 0xebb00000ebe, + 0xea700000eb3, + 0xeb400000ebe, 0xec000000ec5, 0xec600000ec7, 0xec800000ece, @@ -1362,6 +1397,7 @@ 0x1a9000001a9a, 0x1aa700001aa8, 0x1ab000001abe, + 0x1abf00001ac1, 0x1b0000001b4c, 0x1b5000001b5a, 0x1b6b00001b74, @@ -1370,7 +1406,7 @@ 0x1c4000001c4a, 0x1c4d00001c7e, 0x1cd000001cd3, - 0x1cd400001cfa, + 0x1cd400001cfb, 0x1d0000001d2c, 0x1d2f00001d30, 0x1d3b00001d3c, @@ -1613,10 +1649,10 @@ 0x30a1000030fb, 0x30fc000030ff, 0x310500003130, - 0x31a0000031bb, + 0x31a0000031c0, 0x31f000003200, - 0x340000004db6, - 0x4e0000009ff0, + 0x340000004dc0, + 0x4e0000009ffd, 0xa0000000a48d, 0xa4d00000a4fe, 0xa5000000a60d, @@ -1727,8 +1763,15 @@ 0xa7b50000a7b6, 0xa7b70000a7b8, 0xa7b90000a7ba, - 0xa7f70000a7f8, + 0xa7bb0000a7bc, + 0xa7bd0000a7be, + 0xa7bf0000a7c0, + 0xa7c30000a7c4, + 0xa7c80000a7c9, + 0xa7ca0000a7cb, + 0xa7f60000a7f8, 0xa7fa0000a828, + 0xa82c0000a82d, 0xa8400000a874, 0xa8800000a8c6, 0xa8d00000a8da, @@ -1753,7 +1796,7 @@ 0xab200000ab27, 0xab280000ab2f, 0xab300000ab5b, - 0xab600000ab66, + 0xab600000ab6a, 0xabc00000abeb, 0xabec0000abee, 0xabf00000abfa, @@ -1827,9 +1870,14 @@ 0x10cc000010cf3, 0x10d0000010d28, 0x10d3000010d3a, + 0x10e8000010eaa, + 0x10eab00010ead, + 0x10eb000010eb2, 0x10f0000010f1d, 0x10f2700010f28, 0x10f3000010f51, + 0x10fb000010fc5, + 0x10fe000010ff7, 0x1100000011047, 0x1106600011070, 0x1107f000110bb, @@ -1837,12 +1885,12 @@ 0x110f0000110fa, 0x1110000011135, 0x1113600011140, - 0x1114400011147, + 0x1114400011148, 0x1115000011174, 0x1117600011177, 0x11180000111c5, 0x111c9000111cd, - 0x111d0000111db, + 0x111ce000111db, 0x111dc000111dd, 0x1120000011212, 0x1121300011238, @@ -1871,7 +1919,7 @@ 0x1137000011375, 0x114000001144b, 0x114500001145a, - 0x1145e0001145f, + 0x1145e00011462, 0x11480000114c6, 0x114c7000114c8, 0x114d0000114da, @@ -1881,18 +1929,28 @@ 0x1160000011641, 0x1164400011645, 0x116500001165a, - 0x11680000116b8, + 0x11680000116b9, 0x116c0000116ca, 0x117000001171b, 0x1171d0001172c, 0x117300001173a, 0x118000001183b, 0x118c0000118ea, - 0x118ff00011900, + 0x118ff00011907, + 0x119090001190a, + 0x1190c00011914, + 0x1191500011917, + 0x1191800011936, + 0x1193700011939, + 0x1193b00011944, + 0x119500001195a, + 0x119a0000119a8, + 0x119aa000119d8, + 0x119da000119e2, + 0x119e3000119e5, 0x11a0000011a3f, 0x11a4700011a48, - 0x11a5000011a84, - 0x11a8600011a9a, + 0x11a5000011a9a, 0x11a9d00011a9e, 0x11ac000011af9, 0x11c0000011c09, @@ -1916,6 +1974,7 @@ 0x11d9300011d99, 0x11da000011daa, 0x11ee000011ef7, + 0x11fb000011fb1, 0x120000001239a, 0x1248000012544, 0x130000001342f, @@ -1931,13 +1990,18 @@ 0x16b6300016b78, 0x16b7d00016b90, 0x16e6000016e80, - 0x16f0000016f45, - 0x16f5000016f7f, + 0x16f0000016f4b, + 0x16f4f00016f88, 0x16f8f00016fa0, 0x16fe000016fe2, - 0x17000000187f2, - 0x1880000018af3, + 0x16fe300016fe5, + 0x16ff000016ff2, + 0x17000000187f8, + 0x1880000018cd6, + 0x18d0000018d09, 0x1b0000001b11f, + 0x1b1500001b153, + 0x1b1640001b168, 0x1b1700001b2fc, 0x1bc000001bc6b, 0x1bc700001bc7d, @@ -1955,15 +2019,22 @@ 0x1e01b0001e022, 0x1e0230001e025, 0x1e0260001e02b, + 0x1e1000001e12d, + 0x1e1300001e13e, + 0x1e1400001e14a, + 0x1e14e0001e14f, + 0x1e2c00001e2fa, 0x1e8000001e8c5, 0x1e8d00001e8d7, - 0x1e9220001e94b, + 0x1e9220001e94c, 0x1e9500001e95a, - 0x200000002a6d7, + 0x1fbf00001fbfa, + 0x200000002a6de, 0x2a7000002b735, 0x2b7400002b81e, 0x2b8200002cea2, 0x2ceb00002ebe1, + 0x300000003134b, ), 'CONTEXTJ': ( 0x200c0000200e, diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/intranges.py b/venv/Lib/site-packages/pip/_vendor/idna/intranges.py similarity index 90% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/intranges.py rename to venv/Lib/site-packages/pip/_vendor/idna/intranges.py index fa8a735..ee364a9 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/idna/intranges.py +++ b/venv/Lib/site-packages/pip/_vendor/idna/intranges.py @@ -6,8 +6,10 @@ """ import bisect +from typing import List, Tuple def intranges_from_list(list_): + # type: (List[int]) -> Tuple[int, ...] """Represent a list of integers as a sequence of ranges: ((start_0, end_0), (start_1, end_1), ...), such that the original integers are exactly those x such that start_i <= x < end_i for some i. @@ -29,13 +31,16 @@ def intranges_from_list(list_): return tuple(ranges) def _encode_range(start, end): + # type: (int, int) -> int return (start << 32) | end def _decode_range(r): + # type: (int) -> Tuple[int, int] return (r >> 32), (r & ((1 << 32) - 1)) def intranges_contain(int_, ranges): + # type: (int, Tuple[int, ...]) -> bool """Determine if `int_` falls into one of the ranges in `ranges`.""" tuple_ = _encode_range(int_, 0) pos = bisect.bisect_left(ranges, tuple_) diff --git a/venv/Lib/site-packages/pip/_vendor/idna/package_data.py b/venv/Lib/site-packages/pip/_vendor/idna/package_data.py new file mode 100644 index 0000000..e096d1d --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/idna/package_data.py @@ -0,0 +1,2 @@ +__version__ = '3.2' + diff --git a/venv/Lib/site-packages/pip/_vendor/idna/uts46data.py b/venv/Lib/site-packages/pip/_vendor/idna/uts46data.py new file mode 100644 index 0000000..f382ce3 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/idna/uts46data.py @@ -0,0 +1,8438 @@ +# This file is automatically generated by tools/idna-data + +from typing import List, Tuple, Union + +"""IDNA Mapping Table from UTS46.""" + + +__version__ = '13.0.0' +def _seg_0(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x0, '3'), + (0x1, '3'), + (0x2, '3'), + (0x3, '3'), + (0x4, '3'), + (0x5, '3'), + (0x6, '3'), + (0x7, '3'), + (0x8, '3'), + (0x9, '3'), + (0xA, '3'), + (0xB, '3'), + (0xC, '3'), + (0xD, '3'), + (0xE, '3'), + (0xF, '3'), + (0x10, '3'), + (0x11, '3'), + (0x12, '3'), + (0x13, '3'), + (0x14, '3'), + (0x15, '3'), + (0x16, '3'), + (0x17, '3'), + (0x18, '3'), + (0x19, '3'), + (0x1A, '3'), + (0x1B, '3'), + (0x1C, '3'), + (0x1D, '3'), + (0x1E, '3'), + (0x1F, '3'), + (0x20, '3'), + (0x21, '3'), + (0x22, '3'), + (0x23, '3'), + (0x24, '3'), + (0x25, '3'), + (0x26, '3'), + (0x27, '3'), + (0x28, '3'), + (0x29, '3'), + (0x2A, '3'), + (0x2B, '3'), + (0x2C, '3'), + (0x2D, 'V'), + (0x2E, 'V'), + (0x2F, '3'), + (0x30, 'V'), + (0x31, 'V'), + (0x32, 'V'), + (0x33, 'V'), + (0x34, 'V'), + (0x35, 'V'), + (0x36, 'V'), + (0x37, 'V'), + (0x38, 'V'), + (0x39, 'V'), + (0x3A, '3'), + (0x3B, '3'), + (0x3C, '3'), + (0x3D, '3'), + (0x3E, '3'), + (0x3F, '3'), + (0x40, '3'), + (0x41, 'M', 'a'), + (0x42, 'M', 'b'), + (0x43, 'M', 'c'), + (0x44, 'M', 'd'), + (0x45, 'M', 'e'), + (0x46, 'M', 'f'), + (0x47, 'M', 'g'), + (0x48, 'M', 'h'), + (0x49, 'M', 'i'), + (0x4A, 'M', 'j'), + (0x4B, 'M', 'k'), + (0x4C, 'M', 'l'), + (0x4D, 'M', 'm'), + (0x4E, 'M', 'n'), + (0x4F, 'M', 'o'), + (0x50, 'M', 'p'), + (0x51, 'M', 'q'), + (0x52, 'M', 'r'), + (0x53, 'M', 's'), + (0x54, 'M', 't'), + (0x55, 'M', 'u'), + (0x56, 'M', 'v'), + (0x57, 'M', 'w'), + (0x58, 'M', 'x'), + (0x59, 'M', 'y'), + (0x5A, 'M', 'z'), + (0x5B, '3'), + (0x5C, '3'), + (0x5D, '3'), + (0x5E, '3'), + (0x5F, '3'), + (0x60, '3'), + (0x61, 'V'), + (0x62, 'V'), + (0x63, 'V'), + ] + +def _seg_1(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x64, 'V'), + (0x65, 'V'), + (0x66, 'V'), + (0x67, 'V'), + (0x68, 'V'), + (0x69, 'V'), + (0x6A, 'V'), + (0x6B, 'V'), + (0x6C, 'V'), + (0x6D, 'V'), + (0x6E, 'V'), + (0x6F, 'V'), + (0x70, 'V'), + (0x71, 'V'), + (0x72, 'V'), + (0x73, 'V'), + (0x74, 'V'), + (0x75, 'V'), + (0x76, 'V'), + (0x77, 'V'), + (0x78, 'V'), + (0x79, 'V'), + (0x7A, 'V'), + (0x7B, '3'), + (0x7C, '3'), + (0x7D, '3'), + (0x7E, '3'), + (0x7F, '3'), + (0x80, 'X'), + (0x81, 'X'), + (0x82, 'X'), + (0x83, 'X'), + (0x84, 'X'), + (0x85, 'X'), + (0x86, 'X'), + (0x87, 'X'), + (0x88, 'X'), + (0x89, 'X'), + (0x8A, 'X'), + (0x8B, 'X'), + (0x8C, 'X'), + (0x8D, 'X'), + (0x8E, 'X'), + (0x8F, 'X'), + (0x90, 'X'), + (0x91, 'X'), + (0x92, 'X'), + (0x93, 'X'), + (0x94, 'X'), + (0x95, 'X'), + (0x96, 'X'), + (0x97, 'X'), + (0x98, 'X'), + (0x99, 'X'), + (0x9A, 'X'), + (0x9B, 'X'), + (0x9C, 'X'), + (0x9D, 'X'), + (0x9E, 'X'), + (0x9F, 'X'), + (0xA0, '3', ' '), + (0xA1, 'V'), + (0xA2, 'V'), + (0xA3, 'V'), + (0xA4, 'V'), + (0xA5, 'V'), + (0xA6, 'V'), + (0xA7, 'V'), + (0xA8, '3', ' ̈'), + (0xA9, 'V'), + (0xAA, 'M', 'a'), + (0xAB, 'V'), + (0xAC, 'V'), + (0xAD, 'I'), + (0xAE, 'V'), + (0xAF, '3', ' ̄'), + (0xB0, 'V'), + (0xB1, 'V'), + (0xB2, 'M', '2'), + (0xB3, 'M', '3'), + (0xB4, '3', ' ́'), + (0xB5, 'M', 'μ'), + (0xB6, 'V'), + (0xB7, 'V'), + (0xB8, '3', ' ̧'), + (0xB9, 'M', '1'), + (0xBA, 'M', 'o'), + (0xBB, 'V'), + (0xBC, 'M', '1⁄4'), + (0xBD, 'M', '1⁄2'), + (0xBE, 'M', '3⁄4'), + (0xBF, 'V'), + (0xC0, 'M', 'à'), + (0xC1, 'M', 'á'), + (0xC2, 'M', 'â'), + (0xC3, 'M', 'ã'), + (0xC4, 'M', 'ä'), + (0xC5, 'M', 'å'), + (0xC6, 'M', 'æ'), + (0xC7, 'M', 'ç'), + ] + +def _seg_2(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xC8, 'M', 'è'), + (0xC9, 'M', 'é'), + (0xCA, 'M', 'ê'), + (0xCB, 'M', 'ë'), + (0xCC, 'M', 'ì'), + (0xCD, 'M', 'í'), + (0xCE, 'M', 'î'), + (0xCF, 'M', 'ï'), + (0xD0, 'M', 'ð'), + (0xD1, 'M', 'ñ'), + (0xD2, 'M', 'ò'), + (0xD3, 'M', 'ó'), + (0xD4, 'M', 'ô'), + (0xD5, 'M', 'õ'), + (0xD6, 'M', 'ö'), + (0xD7, 'V'), + (0xD8, 'M', 'ø'), + (0xD9, 'M', 'ù'), + (0xDA, 'M', 'ú'), + (0xDB, 'M', 'û'), + (0xDC, 'M', 'ü'), + (0xDD, 'M', 'ý'), + (0xDE, 'M', 'þ'), + (0xDF, 'D', 'ss'), + (0xE0, 'V'), + (0xE1, 'V'), + (0xE2, 'V'), + (0xE3, 'V'), + (0xE4, 'V'), + (0xE5, 'V'), + (0xE6, 'V'), + (0xE7, 'V'), + (0xE8, 'V'), + (0xE9, 'V'), + (0xEA, 'V'), + (0xEB, 'V'), + (0xEC, 'V'), + (0xED, 'V'), + (0xEE, 'V'), + (0xEF, 'V'), + (0xF0, 'V'), + (0xF1, 'V'), + (0xF2, 'V'), + (0xF3, 'V'), + (0xF4, 'V'), + (0xF5, 'V'), + (0xF6, 'V'), + (0xF7, 'V'), + (0xF8, 'V'), + (0xF9, 'V'), + (0xFA, 'V'), + (0xFB, 'V'), + (0xFC, 'V'), + (0xFD, 'V'), + (0xFE, 'V'), + (0xFF, 'V'), + (0x100, 'M', 'ā'), + (0x101, 'V'), + (0x102, 'M', 'ă'), + (0x103, 'V'), + (0x104, 'M', 'ą'), + (0x105, 'V'), + (0x106, 'M', 'ć'), + (0x107, 'V'), + (0x108, 'M', 'ĉ'), + (0x109, 'V'), + (0x10A, 'M', 'ċ'), + (0x10B, 'V'), + (0x10C, 'M', 'č'), + (0x10D, 'V'), + (0x10E, 'M', 'ď'), + (0x10F, 'V'), + (0x110, 'M', 'đ'), + (0x111, 'V'), + (0x112, 'M', 'ē'), + (0x113, 'V'), + (0x114, 'M', 'ĕ'), + (0x115, 'V'), + (0x116, 'M', 'ė'), + (0x117, 'V'), + (0x118, 'M', 'ę'), + (0x119, 'V'), + (0x11A, 'M', 'ě'), + (0x11B, 'V'), + (0x11C, 'M', 'ĝ'), + (0x11D, 'V'), + (0x11E, 'M', 'ğ'), + (0x11F, 'V'), + (0x120, 'M', 'ġ'), + (0x121, 'V'), + (0x122, 'M', 'ģ'), + (0x123, 'V'), + (0x124, 'M', 'ĥ'), + (0x125, 'V'), + (0x126, 'M', 'ħ'), + (0x127, 'V'), + (0x128, 'M', 'ĩ'), + (0x129, 'V'), + (0x12A, 'M', 'ī'), + (0x12B, 'V'), + ] + +def _seg_3(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x12C, 'M', 'ĭ'), + (0x12D, 'V'), + (0x12E, 'M', 'į'), + (0x12F, 'V'), + (0x130, 'M', 'i̇'), + (0x131, 'V'), + (0x132, 'M', 'ij'), + (0x134, 'M', 'ĵ'), + (0x135, 'V'), + (0x136, 'M', 'ķ'), + (0x137, 'V'), + (0x139, 'M', 'ĺ'), + (0x13A, 'V'), + (0x13B, 'M', 'ļ'), + (0x13C, 'V'), + (0x13D, 'M', 'ľ'), + (0x13E, 'V'), + (0x13F, 'M', 'l·'), + (0x141, 'M', 'ł'), + (0x142, 'V'), + (0x143, 'M', 'ń'), + (0x144, 'V'), + (0x145, 'M', 'ņ'), + (0x146, 'V'), + (0x147, 'M', 'ň'), + (0x148, 'V'), + (0x149, 'M', 'ʼn'), + (0x14A, 'M', 'ŋ'), + (0x14B, 'V'), + (0x14C, 'M', 'ō'), + (0x14D, 'V'), + (0x14E, 'M', 'ŏ'), + (0x14F, 'V'), + (0x150, 'M', 'ő'), + (0x151, 'V'), + (0x152, 'M', 'œ'), + (0x153, 'V'), + (0x154, 'M', 'ŕ'), + (0x155, 'V'), + (0x156, 'M', 'ŗ'), + (0x157, 'V'), + (0x158, 'M', 'ř'), + (0x159, 'V'), + (0x15A, 'M', 'ś'), + (0x15B, 'V'), + (0x15C, 'M', 'ŝ'), + (0x15D, 'V'), + (0x15E, 'M', 'ş'), + (0x15F, 'V'), + (0x160, 'M', 'š'), + (0x161, 'V'), + (0x162, 'M', 'ţ'), + (0x163, 'V'), + (0x164, 'M', 'ť'), + (0x165, 'V'), + (0x166, 'M', 'ŧ'), + (0x167, 'V'), + (0x168, 'M', 'ũ'), + (0x169, 'V'), + (0x16A, 'M', 'ū'), + (0x16B, 'V'), + (0x16C, 'M', 'ŭ'), + (0x16D, 'V'), + (0x16E, 'M', 'ů'), + (0x16F, 'V'), + (0x170, 'M', 'ű'), + (0x171, 'V'), + (0x172, 'M', 'ų'), + (0x173, 'V'), + (0x174, 'M', 'ŵ'), + (0x175, 'V'), + (0x176, 'M', 'ŷ'), + (0x177, 'V'), + (0x178, 'M', 'ÿ'), + (0x179, 'M', 'ź'), + (0x17A, 'V'), + (0x17B, 'M', 'ż'), + (0x17C, 'V'), + (0x17D, 'M', 'ž'), + (0x17E, 'V'), + (0x17F, 'M', 's'), + (0x180, 'V'), + (0x181, 'M', 'ɓ'), + (0x182, 'M', 'ƃ'), + (0x183, 'V'), + (0x184, 'M', 'ƅ'), + (0x185, 'V'), + (0x186, 'M', 'ɔ'), + (0x187, 'M', 'ƈ'), + (0x188, 'V'), + (0x189, 'M', 'ɖ'), + (0x18A, 'M', 'ɗ'), + (0x18B, 'M', 'ƌ'), + (0x18C, 'V'), + (0x18E, 'M', 'ǝ'), + (0x18F, 'M', 'ə'), + (0x190, 'M', 'ɛ'), + (0x191, 'M', 'ƒ'), + (0x192, 'V'), + (0x193, 'M', 'ɠ'), + ] + +def _seg_4(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x194, 'M', 'ɣ'), + (0x195, 'V'), + (0x196, 'M', 'ɩ'), + (0x197, 'M', 'ɨ'), + (0x198, 'M', 'ƙ'), + (0x199, 'V'), + (0x19C, 'M', 'ɯ'), + (0x19D, 'M', 'ɲ'), + (0x19E, 'V'), + (0x19F, 'M', 'ɵ'), + (0x1A0, 'M', 'ơ'), + (0x1A1, 'V'), + (0x1A2, 'M', 'ƣ'), + (0x1A3, 'V'), + (0x1A4, 'M', 'ƥ'), + (0x1A5, 'V'), + (0x1A6, 'M', 'ʀ'), + (0x1A7, 'M', 'ƨ'), + (0x1A8, 'V'), + (0x1A9, 'M', 'ʃ'), + (0x1AA, 'V'), + (0x1AC, 'M', 'ƭ'), + (0x1AD, 'V'), + (0x1AE, 'M', 'ʈ'), + (0x1AF, 'M', 'ư'), + (0x1B0, 'V'), + (0x1B1, 'M', 'ʊ'), + (0x1B2, 'M', 'ʋ'), + (0x1B3, 'M', 'ƴ'), + (0x1B4, 'V'), + (0x1B5, 'M', 'ƶ'), + (0x1B6, 'V'), + (0x1B7, 'M', 'ʒ'), + (0x1B8, 'M', 'ƹ'), + (0x1B9, 'V'), + (0x1BC, 'M', 'ƽ'), + (0x1BD, 'V'), + (0x1C4, 'M', 'dž'), + (0x1C7, 'M', 'lj'), + (0x1CA, 'M', 'nj'), + (0x1CD, 'M', 'ǎ'), + (0x1CE, 'V'), + (0x1CF, 'M', 'ǐ'), + (0x1D0, 'V'), + (0x1D1, 'M', 'ǒ'), + (0x1D2, 'V'), + (0x1D3, 'M', 'ǔ'), + (0x1D4, 'V'), + (0x1D5, 'M', 'ǖ'), + (0x1D6, 'V'), + (0x1D7, 'M', 'ǘ'), + (0x1D8, 'V'), + (0x1D9, 'M', 'ǚ'), + (0x1DA, 'V'), + (0x1DB, 'M', 'ǜ'), + (0x1DC, 'V'), + (0x1DE, 'M', 'ǟ'), + (0x1DF, 'V'), + (0x1E0, 'M', 'ǡ'), + (0x1E1, 'V'), + (0x1E2, 'M', 'ǣ'), + (0x1E3, 'V'), + (0x1E4, 'M', 'ǥ'), + (0x1E5, 'V'), + (0x1E6, 'M', 'ǧ'), + (0x1E7, 'V'), + (0x1E8, 'M', 'ǩ'), + (0x1E9, 'V'), + (0x1EA, 'M', 'ǫ'), + (0x1EB, 'V'), + (0x1EC, 'M', 'ǭ'), + (0x1ED, 'V'), + (0x1EE, 'M', 'ǯ'), + (0x1EF, 'V'), + (0x1F1, 'M', 'dz'), + (0x1F4, 'M', 'ǵ'), + (0x1F5, 'V'), + (0x1F6, 'M', 'ƕ'), + (0x1F7, 'M', 'ƿ'), + (0x1F8, 'M', 'ǹ'), + (0x1F9, 'V'), + (0x1FA, 'M', 'ǻ'), + (0x1FB, 'V'), + (0x1FC, 'M', 'ǽ'), + (0x1FD, 'V'), + (0x1FE, 'M', 'ǿ'), + (0x1FF, 'V'), + (0x200, 'M', 'ȁ'), + (0x201, 'V'), + (0x202, 'M', 'ȃ'), + (0x203, 'V'), + (0x204, 'M', 'ȅ'), + (0x205, 'V'), + (0x206, 'M', 'ȇ'), + (0x207, 'V'), + (0x208, 'M', 'ȉ'), + (0x209, 'V'), + (0x20A, 'M', 'ȋ'), + (0x20B, 'V'), + (0x20C, 'M', 'ȍ'), + ] + +def _seg_5(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x20D, 'V'), + (0x20E, 'M', 'ȏ'), + (0x20F, 'V'), + (0x210, 'M', 'ȑ'), + (0x211, 'V'), + (0x212, 'M', 'ȓ'), + (0x213, 'V'), + (0x214, 'M', 'ȕ'), + (0x215, 'V'), + (0x216, 'M', 'ȗ'), + (0x217, 'V'), + (0x218, 'M', 'ș'), + (0x219, 'V'), + (0x21A, 'M', 'ț'), + (0x21B, 'V'), + (0x21C, 'M', 'ȝ'), + (0x21D, 'V'), + (0x21E, 'M', 'ȟ'), + (0x21F, 'V'), + (0x220, 'M', 'ƞ'), + (0x221, 'V'), + (0x222, 'M', 'ȣ'), + (0x223, 'V'), + (0x224, 'M', 'ȥ'), + (0x225, 'V'), + (0x226, 'M', 'ȧ'), + (0x227, 'V'), + (0x228, 'M', 'ȩ'), + (0x229, 'V'), + (0x22A, 'M', 'ȫ'), + (0x22B, 'V'), + (0x22C, 'M', 'ȭ'), + (0x22D, 'V'), + (0x22E, 'M', 'ȯ'), + (0x22F, 'V'), + (0x230, 'M', 'ȱ'), + (0x231, 'V'), + (0x232, 'M', 'ȳ'), + (0x233, 'V'), + (0x23A, 'M', 'ⱥ'), + (0x23B, 'M', 'ȼ'), + (0x23C, 'V'), + (0x23D, 'M', 'ƚ'), + (0x23E, 'M', 'ⱦ'), + (0x23F, 'V'), + (0x241, 'M', 'ɂ'), + (0x242, 'V'), + (0x243, 'M', 'ƀ'), + (0x244, 'M', 'ʉ'), + (0x245, 'M', 'ʌ'), + (0x246, 'M', 'ɇ'), + (0x247, 'V'), + (0x248, 'M', 'ɉ'), + (0x249, 'V'), + (0x24A, 'M', 'ɋ'), + (0x24B, 'V'), + (0x24C, 'M', 'ɍ'), + (0x24D, 'V'), + (0x24E, 'M', 'ɏ'), + (0x24F, 'V'), + (0x2B0, 'M', 'h'), + (0x2B1, 'M', 'ɦ'), + (0x2B2, 'M', 'j'), + (0x2B3, 'M', 'r'), + (0x2B4, 'M', 'ɹ'), + (0x2B5, 'M', 'ɻ'), + (0x2B6, 'M', 'ʁ'), + (0x2B7, 'M', 'w'), + (0x2B8, 'M', 'y'), + (0x2B9, 'V'), + (0x2D8, '3', ' ̆'), + (0x2D9, '3', ' ̇'), + (0x2DA, '3', ' ̊'), + (0x2DB, '3', ' ̨'), + (0x2DC, '3', ' ̃'), + (0x2DD, '3', ' ̋'), + (0x2DE, 'V'), + (0x2E0, 'M', 'ɣ'), + (0x2E1, 'M', 'l'), + (0x2E2, 'M', 's'), + (0x2E3, 'M', 'x'), + (0x2E4, 'M', 'ʕ'), + (0x2E5, 'V'), + (0x340, 'M', '̀'), + (0x341, 'M', '́'), + (0x342, 'V'), + (0x343, 'M', '̓'), + (0x344, 'M', '̈́'), + (0x345, 'M', 'ι'), + (0x346, 'V'), + (0x34F, 'I'), + (0x350, 'V'), + (0x370, 'M', 'ͱ'), + (0x371, 'V'), + (0x372, 'M', 'ͳ'), + (0x373, 'V'), + (0x374, 'M', 'ʹ'), + (0x375, 'V'), + (0x376, 'M', 'ͷ'), + (0x377, 'V'), + ] + +def _seg_6(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x378, 'X'), + (0x37A, '3', ' ι'), + (0x37B, 'V'), + (0x37E, '3', ';'), + (0x37F, 'M', 'ϳ'), + (0x380, 'X'), + (0x384, '3', ' ́'), + (0x385, '3', ' ̈́'), + (0x386, 'M', 'ά'), + (0x387, 'M', '·'), + (0x388, 'M', 'έ'), + (0x389, 'M', 'ή'), + (0x38A, 'M', 'ί'), + (0x38B, 'X'), + (0x38C, 'M', 'ό'), + (0x38D, 'X'), + (0x38E, 'M', 'ύ'), + (0x38F, 'M', 'ώ'), + (0x390, 'V'), + (0x391, 'M', 'α'), + (0x392, 'M', 'β'), + (0x393, 'M', 'γ'), + (0x394, 'M', 'δ'), + (0x395, 'M', 'ε'), + (0x396, 'M', 'ζ'), + (0x397, 'M', 'η'), + (0x398, 'M', 'θ'), + (0x399, 'M', 'ι'), + (0x39A, 'M', 'κ'), + (0x39B, 'M', 'λ'), + (0x39C, 'M', 'μ'), + (0x39D, 'M', 'ν'), + (0x39E, 'M', 'ξ'), + (0x39F, 'M', 'ο'), + (0x3A0, 'M', 'π'), + (0x3A1, 'M', 'ρ'), + (0x3A2, 'X'), + (0x3A3, 'M', 'σ'), + (0x3A4, 'M', 'τ'), + (0x3A5, 'M', 'υ'), + (0x3A6, 'M', 'φ'), + (0x3A7, 'M', 'χ'), + (0x3A8, 'M', 'ψ'), + (0x3A9, 'M', 'ω'), + (0x3AA, 'M', 'ϊ'), + (0x3AB, 'M', 'ϋ'), + (0x3AC, 'V'), + (0x3C2, 'D', 'σ'), + (0x3C3, 'V'), + (0x3CF, 'M', 'ϗ'), + (0x3D0, 'M', 'β'), + (0x3D1, 'M', 'θ'), + (0x3D2, 'M', 'υ'), + (0x3D3, 'M', 'ύ'), + (0x3D4, 'M', 'ϋ'), + (0x3D5, 'M', 'φ'), + (0x3D6, 'M', 'π'), + (0x3D7, 'V'), + (0x3D8, 'M', 'ϙ'), + (0x3D9, 'V'), + (0x3DA, 'M', 'ϛ'), + (0x3DB, 'V'), + (0x3DC, 'M', 'ϝ'), + (0x3DD, 'V'), + (0x3DE, 'M', 'ϟ'), + (0x3DF, 'V'), + (0x3E0, 'M', 'ϡ'), + (0x3E1, 'V'), + (0x3E2, 'M', 'ϣ'), + (0x3E3, 'V'), + (0x3E4, 'M', 'ϥ'), + (0x3E5, 'V'), + (0x3E6, 'M', 'ϧ'), + (0x3E7, 'V'), + (0x3E8, 'M', 'ϩ'), + (0x3E9, 'V'), + (0x3EA, 'M', 'ϫ'), + (0x3EB, 'V'), + (0x3EC, 'M', 'ϭ'), + (0x3ED, 'V'), + (0x3EE, 'M', 'ϯ'), + (0x3EF, 'V'), + (0x3F0, 'M', 'κ'), + (0x3F1, 'M', 'ρ'), + (0x3F2, 'M', 'σ'), + (0x3F3, 'V'), + (0x3F4, 'M', 'θ'), + (0x3F5, 'M', 'ε'), + (0x3F6, 'V'), + (0x3F7, 'M', 'ϸ'), + (0x3F8, 'V'), + (0x3F9, 'M', 'σ'), + (0x3FA, 'M', 'ϻ'), + (0x3FB, 'V'), + (0x3FD, 'M', 'ͻ'), + (0x3FE, 'M', 'ͼ'), + (0x3FF, 'M', 'ͽ'), + (0x400, 'M', 'ѐ'), + (0x401, 'M', 'ё'), + (0x402, 'M', 'ђ'), + ] + +def _seg_7(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x403, 'M', 'ѓ'), + (0x404, 'M', 'є'), + (0x405, 'M', 'ѕ'), + (0x406, 'M', 'і'), + (0x407, 'M', 'ї'), + (0x408, 'M', 'ј'), + (0x409, 'M', 'љ'), + (0x40A, 'M', 'њ'), + (0x40B, 'M', 'ћ'), + (0x40C, 'M', 'ќ'), + (0x40D, 'M', 'ѝ'), + (0x40E, 'M', 'ў'), + (0x40F, 'M', 'џ'), + (0x410, 'M', 'а'), + (0x411, 'M', 'б'), + (0x412, 'M', 'в'), + (0x413, 'M', 'г'), + (0x414, 'M', 'д'), + (0x415, 'M', 'е'), + (0x416, 'M', 'ж'), + (0x417, 'M', 'з'), + (0x418, 'M', 'и'), + (0x419, 'M', 'й'), + (0x41A, 'M', 'к'), + (0x41B, 'M', 'л'), + (0x41C, 'M', 'м'), + (0x41D, 'M', 'н'), + (0x41E, 'M', 'о'), + (0x41F, 'M', 'п'), + (0x420, 'M', 'р'), + (0x421, 'M', 'с'), + (0x422, 'M', 'т'), + (0x423, 'M', 'у'), + (0x424, 'M', 'ф'), + (0x425, 'M', 'х'), + (0x426, 'M', 'ц'), + (0x427, 'M', 'ч'), + (0x428, 'M', 'ш'), + (0x429, 'M', 'щ'), + (0x42A, 'M', 'ъ'), + (0x42B, 'M', 'ы'), + (0x42C, 'M', 'ь'), + (0x42D, 'M', 'э'), + (0x42E, 'M', 'ю'), + (0x42F, 'M', 'я'), + (0x430, 'V'), + (0x460, 'M', 'ѡ'), + (0x461, 'V'), + (0x462, 'M', 'ѣ'), + (0x463, 'V'), + (0x464, 'M', 'ѥ'), + (0x465, 'V'), + (0x466, 'M', 'ѧ'), + (0x467, 'V'), + (0x468, 'M', 'ѩ'), + (0x469, 'V'), + (0x46A, 'M', 'ѫ'), + (0x46B, 'V'), + (0x46C, 'M', 'ѭ'), + (0x46D, 'V'), + (0x46E, 'M', 'ѯ'), + (0x46F, 'V'), + (0x470, 'M', 'ѱ'), + (0x471, 'V'), + (0x472, 'M', 'ѳ'), + (0x473, 'V'), + (0x474, 'M', 'ѵ'), + (0x475, 'V'), + (0x476, 'M', 'ѷ'), + (0x477, 'V'), + (0x478, 'M', 'ѹ'), + (0x479, 'V'), + (0x47A, 'M', 'ѻ'), + (0x47B, 'V'), + (0x47C, 'M', 'ѽ'), + (0x47D, 'V'), + (0x47E, 'M', 'ѿ'), + (0x47F, 'V'), + (0x480, 'M', 'ҁ'), + (0x481, 'V'), + (0x48A, 'M', 'ҋ'), + (0x48B, 'V'), + (0x48C, 'M', 'ҍ'), + (0x48D, 'V'), + (0x48E, 'M', 'ҏ'), + (0x48F, 'V'), + (0x490, 'M', 'ґ'), + (0x491, 'V'), + (0x492, 'M', 'ғ'), + (0x493, 'V'), + (0x494, 'M', 'ҕ'), + (0x495, 'V'), + (0x496, 'M', 'җ'), + (0x497, 'V'), + (0x498, 'M', 'ҙ'), + (0x499, 'V'), + (0x49A, 'M', 'қ'), + (0x49B, 'V'), + (0x49C, 'M', 'ҝ'), + (0x49D, 'V'), + ] + +def _seg_8(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x49E, 'M', 'ҟ'), + (0x49F, 'V'), + (0x4A0, 'M', 'ҡ'), + (0x4A1, 'V'), + (0x4A2, 'M', 'ң'), + (0x4A3, 'V'), + (0x4A4, 'M', 'ҥ'), + (0x4A5, 'V'), + (0x4A6, 'M', 'ҧ'), + (0x4A7, 'V'), + (0x4A8, 'M', 'ҩ'), + (0x4A9, 'V'), + (0x4AA, 'M', 'ҫ'), + (0x4AB, 'V'), + (0x4AC, 'M', 'ҭ'), + (0x4AD, 'V'), + (0x4AE, 'M', 'ү'), + (0x4AF, 'V'), + (0x4B0, 'M', 'ұ'), + (0x4B1, 'V'), + (0x4B2, 'M', 'ҳ'), + (0x4B3, 'V'), + (0x4B4, 'M', 'ҵ'), + (0x4B5, 'V'), + (0x4B6, 'M', 'ҷ'), + (0x4B7, 'V'), + (0x4B8, 'M', 'ҹ'), + (0x4B9, 'V'), + (0x4BA, 'M', 'һ'), + (0x4BB, 'V'), + (0x4BC, 'M', 'ҽ'), + (0x4BD, 'V'), + (0x4BE, 'M', 'ҿ'), + (0x4BF, 'V'), + (0x4C0, 'X'), + (0x4C1, 'M', 'ӂ'), + (0x4C2, 'V'), + (0x4C3, 'M', 'ӄ'), + (0x4C4, 'V'), + (0x4C5, 'M', 'ӆ'), + (0x4C6, 'V'), + (0x4C7, 'M', 'ӈ'), + (0x4C8, 'V'), + (0x4C9, 'M', 'ӊ'), + (0x4CA, 'V'), + (0x4CB, 'M', 'ӌ'), + (0x4CC, 'V'), + (0x4CD, 'M', 'ӎ'), + (0x4CE, 'V'), + (0x4D0, 'M', 'ӑ'), + (0x4D1, 'V'), + (0x4D2, 'M', 'ӓ'), + (0x4D3, 'V'), + (0x4D4, 'M', 'ӕ'), + (0x4D5, 'V'), + (0x4D6, 'M', 'ӗ'), + (0x4D7, 'V'), + (0x4D8, 'M', 'ә'), + (0x4D9, 'V'), + (0x4DA, 'M', 'ӛ'), + (0x4DB, 'V'), + (0x4DC, 'M', 'ӝ'), + (0x4DD, 'V'), + (0x4DE, 'M', 'ӟ'), + (0x4DF, 'V'), + (0x4E0, 'M', 'ӡ'), + (0x4E1, 'V'), + (0x4E2, 'M', 'ӣ'), + (0x4E3, 'V'), + (0x4E4, 'M', 'ӥ'), + (0x4E5, 'V'), + (0x4E6, 'M', 'ӧ'), + (0x4E7, 'V'), + (0x4E8, 'M', 'ө'), + (0x4E9, 'V'), + (0x4EA, 'M', 'ӫ'), + (0x4EB, 'V'), + (0x4EC, 'M', 'ӭ'), + (0x4ED, 'V'), + (0x4EE, 'M', 'ӯ'), + (0x4EF, 'V'), + (0x4F0, 'M', 'ӱ'), + (0x4F1, 'V'), + (0x4F2, 'M', 'ӳ'), + (0x4F3, 'V'), + (0x4F4, 'M', 'ӵ'), + (0x4F5, 'V'), + (0x4F6, 'M', 'ӷ'), + (0x4F7, 'V'), + (0x4F8, 'M', 'ӹ'), + (0x4F9, 'V'), + (0x4FA, 'M', 'ӻ'), + (0x4FB, 'V'), + (0x4FC, 'M', 'ӽ'), + (0x4FD, 'V'), + (0x4FE, 'M', 'ӿ'), + (0x4FF, 'V'), + (0x500, 'M', 'ԁ'), + (0x501, 'V'), + (0x502, 'M', 'ԃ'), + ] + +def _seg_9(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x503, 'V'), + (0x504, 'M', 'ԅ'), + (0x505, 'V'), + (0x506, 'M', 'ԇ'), + (0x507, 'V'), + (0x508, 'M', 'ԉ'), + (0x509, 'V'), + (0x50A, 'M', 'ԋ'), + (0x50B, 'V'), + (0x50C, 'M', 'ԍ'), + (0x50D, 'V'), + (0x50E, 'M', 'ԏ'), + (0x50F, 'V'), + (0x510, 'M', 'ԑ'), + (0x511, 'V'), + (0x512, 'M', 'ԓ'), + (0x513, 'V'), + (0x514, 'M', 'ԕ'), + (0x515, 'V'), + (0x516, 'M', 'ԗ'), + (0x517, 'V'), + (0x518, 'M', 'ԙ'), + (0x519, 'V'), + (0x51A, 'M', 'ԛ'), + (0x51B, 'V'), + (0x51C, 'M', 'ԝ'), + (0x51D, 'V'), + (0x51E, 'M', 'ԟ'), + (0x51F, 'V'), + (0x520, 'M', 'ԡ'), + (0x521, 'V'), + (0x522, 'M', 'ԣ'), + (0x523, 'V'), + (0x524, 'M', 'ԥ'), + (0x525, 'V'), + (0x526, 'M', 'ԧ'), + (0x527, 'V'), + (0x528, 'M', 'ԩ'), + (0x529, 'V'), + (0x52A, 'M', 'ԫ'), + (0x52B, 'V'), + (0x52C, 'M', 'ԭ'), + (0x52D, 'V'), + (0x52E, 'M', 'ԯ'), + (0x52F, 'V'), + (0x530, 'X'), + (0x531, 'M', 'ա'), + (0x532, 'M', 'բ'), + (0x533, 'M', 'գ'), + (0x534, 'M', 'դ'), + (0x535, 'M', 'ե'), + (0x536, 'M', 'զ'), + (0x537, 'M', 'է'), + (0x538, 'M', 'ը'), + (0x539, 'M', 'թ'), + (0x53A, 'M', 'ժ'), + (0x53B, 'M', 'ի'), + (0x53C, 'M', 'լ'), + (0x53D, 'M', 'խ'), + (0x53E, 'M', 'ծ'), + (0x53F, 'M', 'կ'), + (0x540, 'M', 'հ'), + (0x541, 'M', 'ձ'), + (0x542, 'M', 'ղ'), + (0x543, 'M', 'ճ'), + (0x544, 'M', 'մ'), + (0x545, 'M', 'յ'), + (0x546, 'M', 'ն'), + (0x547, 'M', 'շ'), + (0x548, 'M', 'ո'), + (0x549, 'M', 'չ'), + (0x54A, 'M', 'պ'), + (0x54B, 'M', 'ջ'), + (0x54C, 'M', 'ռ'), + (0x54D, 'M', 'ս'), + (0x54E, 'M', 'վ'), + (0x54F, 'M', 'տ'), + (0x550, 'M', 'ր'), + (0x551, 'M', 'ց'), + (0x552, 'M', 'ւ'), + (0x553, 'M', 'փ'), + (0x554, 'M', 'ք'), + (0x555, 'M', 'օ'), + (0x556, 'M', 'ֆ'), + (0x557, 'X'), + (0x559, 'V'), + (0x587, 'M', 'եւ'), + (0x588, 'V'), + (0x58B, 'X'), + (0x58D, 'V'), + (0x590, 'X'), + (0x591, 'V'), + (0x5C8, 'X'), + (0x5D0, 'V'), + (0x5EB, 'X'), + (0x5EF, 'V'), + (0x5F5, 'X'), + (0x606, 'V'), + (0x61C, 'X'), + (0x61E, 'V'), + ] + +def _seg_10(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x675, 'M', 'اٴ'), + (0x676, 'M', 'وٴ'), + (0x677, 'M', 'ۇٴ'), + (0x678, 'M', 'يٴ'), + (0x679, 'V'), + (0x6DD, 'X'), + (0x6DE, 'V'), + (0x70E, 'X'), + (0x710, 'V'), + (0x74B, 'X'), + (0x74D, 'V'), + (0x7B2, 'X'), + (0x7C0, 'V'), + (0x7FB, 'X'), + (0x7FD, 'V'), + (0x82E, 'X'), + (0x830, 'V'), + (0x83F, 'X'), + (0x840, 'V'), + (0x85C, 'X'), + (0x85E, 'V'), + (0x85F, 'X'), + (0x860, 'V'), + (0x86B, 'X'), + (0x8A0, 'V'), + (0x8B5, 'X'), + (0x8B6, 'V'), + (0x8C8, 'X'), + (0x8D3, 'V'), + (0x8E2, 'X'), + (0x8E3, 'V'), + (0x958, 'M', 'क़'), + (0x959, 'M', 'ख़'), + (0x95A, 'M', 'ग़'), + (0x95B, 'M', 'ज़'), + (0x95C, 'M', 'ड़'), + (0x95D, 'M', 'ढ़'), + (0x95E, 'M', 'फ़'), + (0x95F, 'M', 'य़'), + (0x960, 'V'), + (0x984, 'X'), + (0x985, 'V'), + (0x98D, 'X'), + (0x98F, 'V'), + (0x991, 'X'), + (0x993, 'V'), + (0x9A9, 'X'), + (0x9AA, 'V'), + (0x9B1, 'X'), + (0x9B2, 'V'), + (0x9B3, 'X'), + (0x9B6, 'V'), + (0x9BA, 'X'), + (0x9BC, 'V'), + (0x9C5, 'X'), + (0x9C7, 'V'), + (0x9C9, 'X'), + (0x9CB, 'V'), + (0x9CF, 'X'), + (0x9D7, 'V'), + (0x9D8, 'X'), + (0x9DC, 'M', 'ড়'), + (0x9DD, 'M', 'ঢ়'), + (0x9DE, 'X'), + (0x9DF, 'M', 'য়'), + (0x9E0, 'V'), + (0x9E4, 'X'), + (0x9E6, 'V'), + (0x9FF, 'X'), + (0xA01, 'V'), + (0xA04, 'X'), + (0xA05, 'V'), + (0xA0B, 'X'), + (0xA0F, 'V'), + (0xA11, 'X'), + (0xA13, 'V'), + (0xA29, 'X'), + (0xA2A, 'V'), + (0xA31, 'X'), + (0xA32, 'V'), + (0xA33, 'M', 'ਲ਼'), + (0xA34, 'X'), + (0xA35, 'V'), + (0xA36, 'M', 'ਸ਼'), + (0xA37, 'X'), + (0xA38, 'V'), + (0xA3A, 'X'), + (0xA3C, 'V'), + (0xA3D, 'X'), + (0xA3E, 'V'), + (0xA43, 'X'), + (0xA47, 'V'), + (0xA49, 'X'), + (0xA4B, 'V'), + (0xA4E, 'X'), + (0xA51, 'V'), + (0xA52, 'X'), + (0xA59, 'M', 'ਖ਼'), + (0xA5A, 'M', 'ਗ਼'), + (0xA5B, 'M', 'ਜ਼'), + ] + +def _seg_11(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xA5C, 'V'), + (0xA5D, 'X'), + (0xA5E, 'M', 'ਫ਼'), + (0xA5F, 'X'), + (0xA66, 'V'), + (0xA77, 'X'), + (0xA81, 'V'), + (0xA84, 'X'), + (0xA85, 'V'), + (0xA8E, 'X'), + (0xA8F, 'V'), + (0xA92, 'X'), + (0xA93, 'V'), + (0xAA9, 'X'), + (0xAAA, 'V'), + (0xAB1, 'X'), + (0xAB2, 'V'), + (0xAB4, 'X'), + (0xAB5, 'V'), + (0xABA, 'X'), + (0xABC, 'V'), + (0xAC6, 'X'), + (0xAC7, 'V'), + (0xACA, 'X'), + (0xACB, 'V'), + (0xACE, 'X'), + (0xAD0, 'V'), + (0xAD1, 'X'), + (0xAE0, 'V'), + (0xAE4, 'X'), + (0xAE6, 'V'), + (0xAF2, 'X'), + (0xAF9, 'V'), + (0xB00, 'X'), + (0xB01, 'V'), + (0xB04, 'X'), + (0xB05, 'V'), + (0xB0D, 'X'), + (0xB0F, 'V'), + (0xB11, 'X'), + (0xB13, 'V'), + (0xB29, 'X'), + (0xB2A, 'V'), + (0xB31, 'X'), + (0xB32, 'V'), + (0xB34, 'X'), + (0xB35, 'V'), + (0xB3A, 'X'), + (0xB3C, 'V'), + (0xB45, 'X'), + (0xB47, 'V'), + (0xB49, 'X'), + (0xB4B, 'V'), + (0xB4E, 'X'), + (0xB55, 'V'), + (0xB58, 'X'), + (0xB5C, 'M', 'ଡ଼'), + (0xB5D, 'M', 'ଢ଼'), + (0xB5E, 'X'), + (0xB5F, 'V'), + (0xB64, 'X'), + (0xB66, 'V'), + (0xB78, 'X'), + (0xB82, 'V'), + (0xB84, 'X'), + (0xB85, 'V'), + (0xB8B, 'X'), + (0xB8E, 'V'), + (0xB91, 'X'), + (0xB92, 'V'), + (0xB96, 'X'), + (0xB99, 'V'), + (0xB9B, 'X'), + (0xB9C, 'V'), + (0xB9D, 'X'), + (0xB9E, 'V'), + (0xBA0, 'X'), + (0xBA3, 'V'), + (0xBA5, 'X'), + (0xBA8, 'V'), + (0xBAB, 'X'), + (0xBAE, 'V'), + (0xBBA, 'X'), + (0xBBE, 'V'), + (0xBC3, 'X'), + (0xBC6, 'V'), + (0xBC9, 'X'), + (0xBCA, 'V'), + (0xBCE, 'X'), + (0xBD0, 'V'), + (0xBD1, 'X'), + (0xBD7, 'V'), + (0xBD8, 'X'), + (0xBE6, 'V'), + (0xBFB, 'X'), + (0xC00, 'V'), + (0xC0D, 'X'), + (0xC0E, 'V'), + (0xC11, 'X'), + (0xC12, 'V'), + ] + +def _seg_12(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xC29, 'X'), + (0xC2A, 'V'), + (0xC3A, 'X'), + (0xC3D, 'V'), + (0xC45, 'X'), + (0xC46, 'V'), + (0xC49, 'X'), + (0xC4A, 'V'), + (0xC4E, 'X'), + (0xC55, 'V'), + (0xC57, 'X'), + (0xC58, 'V'), + (0xC5B, 'X'), + (0xC60, 'V'), + (0xC64, 'X'), + (0xC66, 'V'), + (0xC70, 'X'), + (0xC77, 'V'), + (0xC8D, 'X'), + (0xC8E, 'V'), + (0xC91, 'X'), + (0xC92, 'V'), + (0xCA9, 'X'), + (0xCAA, 'V'), + (0xCB4, 'X'), + (0xCB5, 'V'), + (0xCBA, 'X'), + (0xCBC, 'V'), + (0xCC5, 'X'), + (0xCC6, 'V'), + (0xCC9, 'X'), + (0xCCA, 'V'), + (0xCCE, 'X'), + (0xCD5, 'V'), + (0xCD7, 'X'), + (0xCDE, 'V'), + (0xCDF, 'X'), + (0xCE0, 'V'), + (0xCE4, 'X'), + (0xCE6, 'V'), + (0xCF0, 'X'), + (0xCF1, 'V'), + (0xCF3, 'X'), + (0xD00, 'V'), + (0xD0D, 'X'), + (0xD0E, 'V'), + (0xD11, 'X'), + (0xD12, 'V'), + (0xD45, 'X'), + (0xD46, 'V'), + (0xD49, 'X'), + (0xD4A, 'V'), + (0xD50, 'X'), + (0xD54, 'V'), + (0xD64, 'X'), + (0xD66, 'V'), + (0xD80, 'X'), + (0xD81, 'V'), + (0xD84, 'X'), + (0xD85, 'V'), + (0xD97, 'X'), + (0xD9A, 'V'), + (0xDB2, 'X'), + (0xDB3, 'V'), + (0xDBC, 'X'), + (0xDBD, 'V'), + (0xDBE, 'X'), + (0xDC0, 'V'), + (0xDC7, 'X'), + (0xDCA, 'V'), + (0xDCB, 'X'), + (0xDCF, 'V'), + (0xDD5, 'X'), + (0xDD6, 'V'), + (0xDD7, 'X'), + (0xDD8, 'V'), + (0xDE0, 'X'), + (0xDE6, 'V'), + (0xDF0, 'X'), + (0xDF2, 'V'), + (0xDF5, 'X'), + (0xE01, 'V'), + (0xE33, 'M', 'ํา'), + (0xE34, 'V'), + (0xE3B, 'X'), + (0xE3F, 'V'), + (0xE5C, 'X'), + (0xE81, 'V'), + (0xE83, 'X'), + (0xE84, 'V'), + (0xE85, 'X'), + (0xE86, 'V'), + (0xE8B, 'X'), + (0xE8C, 'V'), + (0xEA4, 'X'), + (0xEA5, 'V'), + (0xEA6, 'X'), + (0xEA7, 'V'), + (0xEB3, 'M', 'ໍາ'), + (0xEB4, 'V'), + ] + +def _seg_13(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xEBE, 'X'), + (0xEC0, 'V'), + (0xEC5, 'X'), + (0xEC6, 'V'), + (0xEC7, 'X'), + (0xEC8, 'V'), + (0xECE, 'X'), + (0xED0, 'V'), + (0xEDA, 'X'), + (0xEDC, 'M', 'ຫນ'), + (0xEDD, 'M', 'ຫມ'), + (0xEDE, 'V'), + (0xEE0, 'X'), + (0xF00, 'V'), + (0xF0C, 'M', '་'), + (0xF0D, 'V'), + (0xF43, 'M', 'གྷ'), + (0xF44, 'V'), + (0xF48, 'X'), + (0xF49, 'V'), + (0xF4D, 'M', 'ཌྷ'), + (0xF4E, 'V'), + (0xF52, 'M', 'དྷ'), + (0xF53, 'V'), + (0xF57, 'M', 'བྷ'), + (0xF58, 'V'), + (0xF5C, 'M', 'ཛྷ'), + (0xF5D, 'V'), + (0xF69, 'M', 'ཀྵ'), + (0xF6A, 'V'), + (0xF6D, 'X'), + (0xF71, 'V'), + (0xF73, 'M', 'ཱི'), + (0xF74, 'V'), + (0xF75, 'M', 'ཱུ'), + (0xF76, 'M', 'ྲྀ'), + (0xF77, 'M', 'ྲཱྀ'), + (0xF78, 'M', 'ླྀ'), + (0xF79, 'M', 'ླཱྀ'), + (0xF7A, 'V'), + (0xF81, 'M', 'ཱྀ'), + (0xF82, 'V'), + (0xF93, 'M', 'ྒྷ'), + (0xF94, 'V'), + (0xF98, 'X'), + (0xF99, 'V'), + (0xF9D, 'M', 'ྜྷ'), + (0xF9E, 'V'), + (0xFA2, 'M', 'ྡྷ'), + (0xFA3, 'V'), + (0xFA7, 'M', 'ྦྷ'), + (0xFA8, 'V'), + (0xFAC, 'M', 'ྫྷ'), + (0xFAD, 'V'), + (0xFB9, 'M', 'ྐྵ'), + (0xFBA, 'V'), + (0xFBD, 'X'), + (0xFBE, 'V'), + (0xFCD, 'X'), + (0xFCE, 'V'), + (0xFDB, 'X'), + (0x1000, 'V'), + (0x10A0, 'X'), + (0x10C7, 'M', 'ⴧ'), + (0x10C8, 'X'), + (0x10CD, 'M', 'ⴭ'), + (0x10CE, 'X'), + (0x10D0, 'V'), + (0x10FC, 'M', 'ნ'), + (0x10FD, 'V'), + (0x115F, 'X'), + (0x1161, 'V'), + (0x1249, 'X'), + (0x124A, 'V'), + (0x124E, 'X'), + (0x1250, 'V'), + (0x1257, 'X'), + (0x1258, 'V'), + (0x1259, 'X'), + (0x125A, 'V'), + (0x125E, 'X'), + (0x1260, 'V'), + (0x1289, 'X'), + (0x128A, 'V'), + (0x128E, 'X'), + (0x1290, 'V'), + (0x12B1, 'X'), + (0x12B2, 'V'), + (0x12B6, 'X'), + (0x12B8, 'V'), + (0x12BF, 'X'), + (0x12C0, 'V'), + (0x12C1, 'X'), + (0x12C2, 'V'), + (0x12C6, 'X'), + (0x12C8, 'V'), + (0x12D7, 'X'), + (0x12D8, 'V'), + (0x1311, 'X'), + (0x1312, 'V'), + ] + +def _seg_14(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1316, 'X'), + (0x1318, 'V'), + (0x135B, 'X'), + (0x135D, 'V'), + (0x137D, 'X'), + (0x1380, 'V'), + (0x139A, 'X'), + (0x13A0, 'V'), + (0x13F6, 'X'), + (0x13F8, 'M', 'Ᏸ'), + (0x13F9, 'M', 'Ᏹ'), + (0x13FA, 'M', 'Ᏺ'), + (0x13FB, 'M', 'Ᏻ'), + (0x13FC, 'M', 'Ᏼ'), + (0x13FD, 'M', 'Ᏽ'), + (0x13FE, 'X'), + (0x1400, 'V'), + (0x1680, 'X'), + (0x1681, 'V'), + (0x169D, 'X'), + (0x16A0, 'V'), + (0x16F9, 'X'), + (0x1700, 'V'), + (0x170D, 'X'), + (0x170E, 'V'), + (0x1715, 'X'), + (0x1720, 'V'), + (0x1737, 'X'), + (0x1740, 'V'), + (0x1754, 'X'), + (0x1760, 'V'), + (0x176D, 'X'), + (0x176E, 'V'), + (0x1771, 'X'), + (0x1772, 'V'), + (0x1774, 'X'), + (0x1780, 'V'), + (0x17B4, 'X'), + (0x17B6, 'V'), + (0x17DE, 'X'), + (0x17E0, 'V'), + (0x17EA, 'X'), + (0x17F0, 'V'), + (0x17FA, 'X'), + (0x1800, 'V'), + (0x1806, 'X'), + (0x1807, 'V'), + (0x180B, 'I'), + (0x180E, 'X'), + (0x1810, 'V'), + (0x181A, 'X'), + (0x1820, 'V'), + (0x1879, 'X'), + (0x1880, 'V'), + (0x18AB, 'X'), + (0x18B0, 'V'), + (0x18F6, 'X'), + (0x1900, 'V'), + (0x191F, 'X'), + (0x1920, 'V'), + (0x192C, 'X'), + (0x1930, 'V'), + (0x193C, 'X'), + (0x1940, 'V'), + (0x1941, 'X'), + (0x1944, 'V'), + (0x196E, 'X'), + (0x1970, 'V'), + (0x1975, 'X'), + (0x1980, 'V'), + (0x19AC, 'X'), + (0x19B0, 'V'), + (0x19CA, 'X'), + (0x19D0, 'V'), + (0x19DB, 'X'), + (0x19DE, 'V'), + (0x1A1C, 'X'), + (0x1A1E, 'V'), + (0x1A5F, 'X'), + (0x1A60, 'V'), + (0x1A7D, 'X'), + (0x1A7F, 'V'), + (0x1A8A, 'X'), + (0x1A90, 'V'), + (0x1A9A, 'X'), + (0x1AA0, 'V'), + (0x1AAE, 'X'), + (0x1AB0, 'V'), + (0x1AC1, 'X'), + (0x1B00, 'V'), + (0x1B4C, 'X'), + (0x1B50, 'V'), + (0x1B7D, 'X'), + (0x1B80, 'V'), + (0x1BF4, 'X'), + (0x1BFC, 'V'), + (0x1C38, 'X'), + (0x1C3B, 'V'), + (0x1C4A, 'X'), + (0x1C4D, 'V'), + ] + +def _seg_15(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1C80, 'M', 'в'), + (0x1C81, 'M', 'д'), + (0x1C82, 'M', 'о'), + (0x1C83, 'M', 'с'), + (0x1C84, 'M', 'т'), + (0x1C86, 'M', 'ъ'), + (0x1C87, 'M', 'ѣ'), + (0x1C88, 'M', 'ꙋ'), + (0x1C89, 'X'), + (0x1C90, 'M', 'ა'), + (0x1C91, 'M', 'ბ'), + (0x1C92, 'M', 'გ'), + (0x1C93, 'M', 'დ'), + (0x1C94, 'M', 'ე'), + (0x1C95, 'M', 'ვ'), + (0x1C96, 'M', 'ზ'), + (0x1C97, 'M', 'თ'), + (0x1C98, 'M', 'ი'), + (0x1C99, 'M', 'კ'), + (0x1C9A, 'M', 'ლ'), + (0x1C9B, 'M', 'მ'), + (0x1C9C, 'M', 'ნ'), + (0x1C9D, 'M', 'ო'), + (0x1C9E, 'M', 'პ'), + (0x1C9F, 'M', 'ჟ'), + (0x1CA0, 'M', 'რ'), + (0x1CA1, 'M', 'ს'), + (0x1CA2, 'M', 'ტ'), + (0x1CA3, 'M', 'უ'), + (0x1CA4, 'M', 'ფ'), + (0x1CA5, 'M', 'ქ'), + (0x1CA6, 'M', 'ღ'), + (0x1CA7, 'M', 'ყ'), + (0x1CA8, 'M', 'შ'), + (0x1CA9, 'M', 'ჩ'), + (0x1CAA, 'M', 'ც'), + (0x1CAB, 'M', 'ძ'), + (0x1CAC, 'M', 'წ'), + (0x1CAD, 'M', 'ჭ'), + (0x1CAE, 'M', 'ხ'), + (0x1CAF, 'M', 'ჯ'), + (0x1CB0, 'M', 'ჰ'), + (0x1CB1, 'M', 'ჱ'), + (0x1CB2, 'M', 'ჲ'), + (0x1CB3, 'M', 'ჳ'), + (0x1CB4, 'M', 'ჴ'), + (0x1CB5, 'M', 'ჵ'), + (0x1CB6, 'M', 'ჶ'), + (0x1CB7, 'M', 'ჷ'), + (0x1CB8, 'M', 'ჸ'), + (0x1CB9, 'M', 'ჹ'), + (0x1CBA, 'M', 'ჺ'), + (0x1CBB, 'X'), + (0x1CBD, 'M', 'ჽ'), + (0x1CBE, 'M', 'ჾ'), + (0x1CBF, 'M', 'ჿ'), + (0x1CC0, 'V'), + (0x1CC8, 'X'), + (0x1CD0, 'V'), + (0x1CFB, 'X'), + (0x1D00, 'V'), + (0x1D2C, 'M', 'a'), + (0x1D2D, 'M', 'æ'), + (0x1D2E, 'M', 'b'), + (0x1D2F, 'V'), + (0x1D30, 'M', 'd'), + (0x1D31, 'M', 'e'), + (0x1D32, 'M', 'ǝ'), + (0x1D33, 'M', 'g'), + (0x1D34, 'M', 'h'), + (0x1D35, 'M', 'i'), + (0x1D36, 'M', 'j'), + (0x1D37, 'M', 'k'), + (0x1D38, 'M', 'l'), + (0x1D39, 'M', 'm'), + (0x1D3A, 'M', 'n'), + (0x1D3B, 'V'), + (0x1D3C, 'M', 'o'), + (0x1D3D, 'M', 'ȣ'), + (0x1D3E, 'M', 'p'), + (0x1D3F, 'M', 'r'), + (0x1D40, 'M', 't'), + (0x1D41, 'M', 'u'), + (0x1D42, 'M', 'w'), + (0x1D43, 'M', 'a'), + (0x1D44, 'M', 'ɐ'), + (0x1D45, 'M', 'ɑ'), + (0x1D46, 'M', 'ᴂ'), + (0x1D47, 'M', 'b'), + (0x1D48, 'M', 'd'), + (0x1D49, 'M', 'e'), + (0x1D4A, 'M', 'ə'), + (0x1D4B, 'M', 'ɛ'), + (0x1D4C, 'M', 'ɜ'), + (0x1D4D, 'M', 'g'), + (0x1D4E, 'V'), + (0x1D4F, 'M', 'k'), + (0x1D50, 'M', 'm'), + (0x1D51, 'M', 'ŋ'), + (0x1D52, 'M', 'o'), + ] + +def _seg_16(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1D53, 'M', 'ɔ'), + (0x1D54, 'M', 'ᴖ'), + (0x1D55, 'M', 'ᴗ'), + (0x1D56, 'M', 'p'), + (0x1D57, 'M', 't'), + (0x1D58, 'M', 'u'), + (0x1D59, 'M', 'ᴝ'), + (0x1D5A, 'M', 'ɯ'), + (0x1D5B, 'M', 'v'), + (0x1D5C, 'M', 'ᴥ'), + (0x1D5D, 'M', 'β'), + (0x1D5E, 'M', 'γ'), + (0x1D5F, 'M', 'δ'), + (0x1D60, 'M', 'φ'), + (0x1D61, 'M', 'χ'), + (0x1D62, 'M', 'i'), + (0x1D63, 'M', 'r'), + (0x1D64, 'M', 'u'), + (0x1D65, 'M', 'v'), + (0x1D66, 'M', 'β'), + (0x1D67, 'M', 'γ'), + (0x1D68, 'M', 'ρ'), + (0x1D69, 'M', 'φ'), + (0x1D6A, 'M', 'χ'), + (0x1D6B, 'V'), + (0x1D78, 'M', 'н'), + (0x1D79, 'V'), + (0x1D9B, 'M', 'ɒ'), + (0x1D9C, 'M', 'c'), + (0x1D9D, 'M', 'ɕ'), + (0x1D9E, 'M', 'ð'), + (0x1D9F, 'M', 'ɜ'), + (0x1DA0, 'M', 'f'), + (0x1DA1, 'M', 'ɟ'), + (0x1DA2, 'M', 'ɡ'), + (0x1DA3, 'M', 'ɥ'), + (0x1DA4, 'M', 'ɨ'), + (0x1DA5, 'M', 'ɩ'), + (0x1DA6, 'M', 'ɪ'), + (0x1DA7, 'M', 'ᵻ'), + (0x1DA8, 'M', 'ʝ'), + (0x1DA9, 'M', 'ɭ'), + (0x1DAA, 'M', 'ᶅ'), + (0x1DAB, 'M', 'ʟ'), + (0x1DAC, 'M', 'ɱ'), + (0x1DAD, 'M', 'ɰ'), + (0x1DAE, 'M', 'ɲ'), + (0x1DAF, 'M', 'ɳ'), + (0x1DB0, 'M', 'ɴ'), + (0x1DB1, 'M', 'ɵ'), + (0x1DB2, 'M', 'ɸ'), + (0x1DB3, 'M', 'ʂ'), + (0x1DB4, 'M', 'ʃ'), + (0x1DB5, 'M', 'ƫ'), + (0x1DB6, 'M', 'ʉ'), + (0x1DB7, 'M', 'ʊ'), + (0x1DB8, 'M', 'ᴜ'), + (0x1DB9, 'M', 'ʋ'), + (0x1DBA, 'M', 'ʌ'), + (0x1DBB, 'M', 'z'), + (0x1DBC, 'M', 'ʐ'), + (0x1DBD, 'M', 'ʑ'), + (0x1DBE, 'M', 'ʒ'), + (0x1DBF, 'M', 'θ'), + (0x1DC0, 'V'), + (0x1DFA, 'X'), + (0x1DFB, 'V'), + (0x1E00, 'M', 'ḁ'), + (0x1E01, 'V'), + (0x1E02, 'M', 'ḃ'), + (0x1E03, 'V'), + (0x1E04, 'M', 'ḅ'), + (0x1E05, 'V'), + (0x1E06, 'M', 'ḇ'), + (0x1E07, 'V'), + (0x1E08, 'M', 'ḉ'), + (0x1E09, 'V'), + (0x1E0A, 'M', 'ḋ'), + (0x1E0B, 'V'), + (0x1E0C, 'M', 'ḍ'), + (0x1E0D, 'V'), + (0x1E0E, 'M', 'ḏ'), + (0x1E0F, 'V'), + (0x1E10, 'M', 'ḑ'), + (0x1E11, 'V'), + (0x1E12, 'M', 'ḓ'), + (0x1E13, 'V'), + (0x1E14, 'M', 'ḕ'), + (0x1E15, 'V'), + (0x1E16, 'M', 'ḗ'), + (0x1E17, 'V'), + (0x1E18, 'M', 'ḙ'), + (0x1E19, 'V'), + (0x1E1A, 'M', 'ḛ'), + (0x1E1B, 'V'), + (0x1E1C, 'M', 'ḝ'), + (0x1E1D, 'V'), + (0x1E1E, 'M', 'ḟ'), + (0x1E1F, 'V'), + (0x1E20, 'M', 'ḡ'), + ] + +def _seg_17(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1E21, 'V'), + (0x1E22, 'M', 'ḣ'), + (0x1E23, 'V'), + (0x1E24, 'M', 'ḥ'), + (0x1E25, 'V'), + (0x1E26, 'M', 'ḧ'), + (0x1E27, 'V'), + (0x1E28, 'M', 'ḩ'), + (0x1E29, 'V'), + (0x1E2A, 'M', 'ḫ'), + (0x1E2B, 'V'), + (0x1E2C, 'M', 'ḭ'), + (0x1E2D, 'V'), + (0x1E2E, 'M', 'ḯ'), + (0x1E2F, 'V'), + (0x1E30, 'M', 'ḱ'), + (0x1E31, 'V'), + (0x1E32, 'M', 'ḳ'), + (0x1E33, 'V'), + (0x1E34, 'M', 'ḵ'), + (0x1E35, 'V'), + (0x1E36, 'M', 'ḷ'), + (0x1E37, 'V'), + (0x1E38, 'M', 'ḹ'), + (0x1E39, 'V'), + (0x1E3A, 'M', 'ḻ'), + (0x1E3B, 'V'), + (0x1E3C, 'M', 'ḽ'), + (0x1E3D, 'V'), + (0x1E3E, 'M', 'ḿ'), + (0x1E3F, 'V'), + (0x1E40, 'M', 'ṁ'), + (0x1E41, 'V'), + (0x1E42, 'M', 'ṃ'), + (0x1E43, 'V'), + (0x1E44, 'M', 'ṅ'), + (0x1E45, 'V'), + (0x1E46, 'M', 'ṇ'), + (0x1E47, 'V'), + (0x1E48, 'M', 'ṉ'), + (0x1E49, 'V'), + (0x1E4A, 'M', 'ṋ'), + (0x1E4B, 'V'), + (0x1E4C, 'M', 'ṍ'), + (0x1E4D, 'V'), + (0x1E4E, 'M', 'ṏ'), + (0x1E4F, 'V'), + (0x1E50, 'M', 'ṑ'), + (0x1E51, 'V'), + (0x1E52, 'M', 'ṓ'), + (0x1E53, 'V'), + (0x1E54, 'M', 'ṕ'), + (0x1E55, 'V'), + (0x1E56, 'M', 'ṗ'), + (0x1E57, 'V'), + (0x1E58, 'M', 'ṙ'), + (0x1E59, 'V'), + (0x1E5A, 'M', 'ṛ'), + (0x1E5B, 'V'), + (0x1E5C, 'M', 'ṝ'), + (0x1E5D, 'V'), + (0x1E5E, 'M', 'ṟ'), + (0x1E5F, 'V'), + (0x1E60, 'M', 'ṡ'), + (0x1E61, 'V'), + (0x1E62, 'M', 'ṣ'), + (0x1E63, 'V'), + (0x1E64, 'M', 'ṥ'), + (0x1E65, 'V'), + (0x1E66, 'M', 'ṧ'), + (0x1E67, 'V'), + (0x1E68, 'M', 'ṩ'), + (0x1E69, 'V'), + (0x1E6A, 'M', 'ṫ'), + (0x1E6B, 'V'), + (0x1E6C, 'M', 'ṭ'), + (0x1E6D, 'V'), + (0x1E6E, 'M', 'ṯ'), + (0x1E6F, 'V'), + (0x1E70, 'M', 'ṱ'), + (0x1E71, 'V'), + (0x1E72, 'M', 'ṳ'), + (0x1E73, 'V'), + (0x1E74, 'M', 'ṵ'), + (0x1E75, 'V'), + (0x1E76, 'M', 'ṷ'), + (0x1E77, 'V'), + (0x1E78, 'M', 'ṹ'), + (0x1E79, 'V'), + (0x1E7A, 'M', 'ṻ'), + (0x1E7B, 'V'), + (0x1E7C, 'M', 'ṽ'), + (0x1E7D, 'V'), + (0x1E7E, 'M', 'ṿ'), + (0x1E7F, 'V'), + (0x1E80, 'M', 'ẁ'), + (0x1E81, 'V'), + (0x1E82, 'M', 'ẃ'), + (0x1E83, 'V'), + (0x1E84, 'M', 'ẅ'), + ] + +def _seg_18(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1E85, 'V'), + (0x1E86, 'M', 'ẇ'), + (0x1E87, 'V'), + (0x1E88, 'M', 'ẉ'), + (0x1E89, 'V'), + (0x1E8A, 'M', 'ẋ'), + (0x1E8B, 'V'), + (0x1E8C, 'M', 'ẍ'), + (0x1E8D, 'V'), + (0x1E8E, 'M', 'ẏ'), + (0x1E8F, 'V'), + (0x1E90, 'M', 'ẑ'), + (0x1E91, 'V'), + (0x1E92, 'M', 'ẓ'), + (0x1E93, 'V'), + (0x1E94, 'M', 'ẕ'), + (0x1E95, 'V'), + (0x1E9A, 'M', 'aʾ'), + (0x1E9B, 'M', 'ṡ'), + (0x1E9C, 'V'), + (0x1E9E, 'M', 'ss'), + (0x1E9F, 'V'), + (0x1EA0, 'M', 'ạ'), + (0x1EA1, 'V'), + (0x1EA2, 'M', 'ả'), + (0x1EA3, 'V'), + (0x1EA4, 'M', 'ấ'), + (0x1EA5, 'V'), + (0x1EA6, 'M', 'ầ'), + (0x1EA7, 'V'), + (0x1EA8, 'M', 'ẩ'), + (0x1EA9, 'V'), + (0x1EAA, 'M', 'ẫ'), + (0x1EAB, 'V'), + (0x1EAC, 'M', 'ậ'), + (0x1EAD, 'V'), + (0x1EAE, 'M', 'ắ'), + (0x1EAF, 'V'), + (0x1EB0, 'M', 'ằ'), + (0x1EB1, 'V'), + (0x1EB2, 'M', 'ẳ'), + (0x1EB3, 'V'), + (0x1EB4, 'M', 'ẵ'), + (0x1EB5, 'V'), + (0x1EB6, 'M', 'ặ'), + (0x1EB7, 'V'), + (0x1EB8, 'M', 'ẹ'), + (0x1EB9, 'V'), + (0x1EBA, 'M', 'ẻ'), + (0x1EBB, 'V'), + (0x1EBC, 'M', 'ẽ'), + (0x1EBD, 'V'), + (0x1EBE, 'M', 'ế'), + (0x1EBF, 'V'), + (0x1EC0, 'M', 'ề'), + (0x1EC1, 'V'), + (0x1EC2, 'M', 'ể'), + (0x1EC3, 'V'), + (0x1EC4, 'M', 'ễ'), + (0x1EC5, 'V'), + (0x1EC6, 'M', 'ệ'), + (0x1EC7, 'V'), + (0x1EC8, 'M', 'ỉ'), + (0x1EC9, 'V'), + (0x1ECA, 'M', 'ị'), + (0x1ECB, 'V'), + (0x1ECC, 'M', 'ọ'), + (0x1ECD, 'V'), + (0x1ECE, 'M', 'ỏ'), + (0x1ECF, 'V'), + (0x1ED0, 'M', 'ố'), + (0x1ED1, 'V'), + (0x1ED2, 'M', 'ồ'), + (0x1ED3, 'V'), + (0x1ED4, 'M', 'ổ'), + (0x1ED5, 'V'), + (0x1ED6, 'M', 'ỗ'), + (0x1ED7, 'V'), + (0x1ED8, 'M', 'ộ'), + (0x1ED9, 'V'), + (0x1EDA, 'M', 'ớ'), + (0x1EDB, 'V'), + (0x1EDC, 'M', 'ờ'), + (0x1EDD, 'V'), + (0x1EDE, 'M', 'ở'), + (0x1EDF, 'V'), + (0x1EE0, 'M', 'ỡ'), + (0x1EE1, 'V'), + (0x1EE2, 'M', 'ợ'), + (0x1EE3, 'V'), + (0x1EE4, 'M', 'ụ'), + (0x1EE5, 'V'), + (0x1EE6, 'M', 'ủ'), + (0x1EE7, 'V'), + (0x1EE8, 'M', 'ứ'), + (0x1EE9, 'V'), + (0x1EEA, 'M', 'ừ'), + (0x1EEB, 'V'), + (0x1EEC, 'M', 'ử'), + (0x1EED, 'V'), + ] + +def _seg_19(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1EEE, 'M', 'ữ'), + (0x1EEF, 'V'), + (0x1EF0, 'M', 'ự'), + (0x1EF1, 'V'), + (0x1EF2, 'M', 'ỳ'), + (0x1EF3, 'V'), + (0x1EF4, 'M', 'ỵ'), + (0x1EF5, 'V'), + (0x1EF6, 'M', 'ỷ'), + (0x1EF7, 'V'), + (0x1EF8, 'M', 'ỹ'), + (0x1EF9, 'V'), + (0x1EFA, 'M', 'ỻ'), + (0x1EFB, 'V'), + (0x1EFC, 'M', 'ỽ'), + (0x1EFD, 'V'), + (0x1EFE, 'M', 'ỿ'), + (0x1EFF, 'V'), + (0x1F08, 'M', 'ἀ'), + (0x1F09, 'M', 'ἁ'), + (0x1F0A, 'M', 'ἂ'), + (0x1F0B, 'M', 'ἃ'), + (0x1F0C, 'M', 'ἄ'), + (0x1F0D, 'M', 'ἅ'), + (0x1F0E, 'M', 'ἆ'), + (0x1F0F, 'M', 'ἇ'), + (0x1F10, 'V'), + (0x1F16, 'X'), + (0x1F18, 'M', 'ἐ'), + (0x1F19, 'M', 'ἑ'), + (0x1F1A, 'M', 'ἒ'), + (0x1F1B, 'M', 'ἓ'), + (0x1F1C, 'M', 'ἔ'), + (0x1F1D, 'M', 'ἕ'), + (0x1F1E, 'X'), + (0x1F20, 'V'), + (0x1F28, 'M', 'ἠ'), + (0x1F29, 'M', 'ἡ'), + (0x1F2A, 'M', 'ἢ'), + (0x1F2B, 'M', 'ἣ'), + (0x1F2C, 'M', 'ἤ'), + (0x1F2D, 'M', 'ἥ'), + (0x1F2E, 'M', 'ἦ'), + (0x1F2F, 'M', 'ἧ'), + (0x1F30, 'V'), + (0x1F38, 'M', 'ἰ'), + (0x1F39, 'M', 'ἱ'), + (0x1F3A, 'M', 'ἲ'), + (0x1F3B, 'M', 'ἳ'), + (0x1F3C, 'M', 'ἴ'), + (0x1F3D, 'M', 'ἵ'), + (0x1F3E, 'M', 'ἶ'), + (0x1F3F, 'M', 'ἷ'), + (0x1F40, 'V'), + (0x1F46, 'X'), + (0x1F48, 'M', 'ὀ'), + (0x1F49, 'M', 'ὁ'), + (0x1F4A, 'M', 'ὂ'), + (0x1F4B, 'M', 'ὃ'), + (0x1F4C, 'M', 'ὄ'), + (0x1F4D, 'M', 'ὅ'), + (0x1F4E, 'X'), + (0x1F50, 'V'), + (0x1F58, 'X'), + (0x1F59, 'M', 'ὑ'), + (0x1F5A, 'X'), + (0x1F5B, 'M', 'ὓ'), + (0x1F5C, 'X'), + (0x1F5D, 'M', 'ὕ'), + (0x1F5E, 'X'), + (0x1F5F, 'M', 'ὗ'), + (0x1F60, 'V'), + (0x1F68, 'M', 'ὠ'), + (0x1F69, 'M', 'ὡ'), + (0x1F6A, 'M', 'ὢ'), + (0x1F6B, 'M', 'ὣ'), + (0x1F6C, 'M', 'ὤ'), + (0x1F6D, 'M', 'ὥ'), + (0x1F6E, 'M', 'ὦ'), + (0x1F6F, 'M', 'ὧ'), + (0x1F70, 'V'), + (0x1F71, 'M', 'ά'), + (0x1F72, 'V'), + (0x1F73, 'M', 'έ'), + (0x1F74, 'V'), + (0x1F75, 'M', 'ή'), + (0x1F76, 'V'), + (0x1F77, 'M', 'ί'), + (0x1F78, 'V'), + (0x1F79, 'M', 'ό'), + (0x1F7A, 'V'), + (0x1F7B, 'M', 'ύ'), + (0x1F7C, 'V'), + (0x1F7D, 'M', 'ώ'), + (0x1F7E, 'X'), + (0x1F80, 'M', 'ἀι'), + (0x1F81, 'M', 'ἁι'), + (0x1F82, 'M', 'ἂι'), + (0x1F83, 'M', 'ἃι'), + (0x1F84, 'M', 'ἄι'), + ] + +def _seg_20(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1F85, 'M', 'ἅι'), + (0x1F86, 'M', 'ἆι'), + (0x1F87, 'M', 'ἇι'), + (0x1F88, 'M', 'ἀι'), + (0x1F89, 'M', 'ἁι'), + (0x1F8A, 'M', 'ἂι'), + (0x1F8B, 'M', 'ἃι'), + (0x1F8C, 'M', 'ἄι'), + (0x1F8D, 'M', 'ἅι'), + (0x1F8E, 'M', 'ἆι'), + (0x1F8F, 'M', 'ἇι'), + (0x1F90, 'M', 'ἠι'), + (0x1F91, 'M', 'ἡι'), + (0x1F92, 'M', 'ἢι'), + (0x1F93, 'M', 'ἣι'), + (0x1F94, 'M', 'ἤι'), + (0x1F95, 'M', 'ἥι'), + (0x1F96, 'M', 'ἦι'), + (0x1F97, 'M', 'ἧι'), + (0x1F98, 'M', 'ἠι'), + (0x1F99, 'M', 'ἡι'), + (0x1F9A, 'M', 'ἢι'), + (0x1F9B, 'M', 'ἣι'), + (0x1F9C, 'M', 'ἤι'), + (0x1F9D, 'M', 'ἥι'), + (0x1F9E, 'M', 'ἦι'), + (0x1F9F, 'M', 'ἧι'), + (0x1FA0, 'M', 'ὠι'), + (0x1FA1, 'M', 'ὡι'), + (0x1FA2, 'M', 'ὢι'), + (0x1FA3, 'M', 'ὣι'), + (0x1FA4, 'M', 'ὤι'), + (0x1FA5, 'M', 'ὥι'), + (0x1FA6, 'M', 'ὦι'), + (0x1FA7, 'M', 'ὧι'), + (0x1FA8, 'M', 'ὠι'), + (0x1FA9, 'M', 'ὡι'), + (0x1FAA, 'M', 'ὢι'), + (0x1FAB, 'M', 'ὣι'), + (0x1FAC, 'M', 'ὤι'), + (0x1FAD, 'M', 'ὥι'), + (0x1FAE, 'M', 'ὦι'), + (0x1FAF, 'M', 'ὧι'), + (0x1FB0, 'V'), + (0x1FB2, 'M', 'ὰι'), + (0x1FB3, 'M', 'αι'), + (0x1FB4, 'M', 'άι'), + (0x1FB5, 'X'), + (0x1FB6, 'V'), + (0x1FB7, 'M', 'ᾶι'), + (0x1FB8, 'M', 'ᾰ'), + (0x1FB9, 'M', 'ᾱ'), + (0x1FBA, 'M', 'ὰ'), + (0x1FBB, 'M', 'ά'), + (0x1FBC, 'M', 'αι'), + (0x1FBD, '3', ' ̓'), + (0x1FBE, 'M', 'ι'), + (0x1FBF, '3', ' ̓'), + (0x1FC0, '3', ' ͂'), + (0x1FC1, '3', ' ̈͂'), + (0x1FC2, 'M', 'ὴι'), + (0x1FC3, 'M', 'ηι'), + (0x1FC4, 'M', 'ήι'), + (0x1FC5, 'X'), + (0x1FC6, 'V'), + (0x1FC7, 'M', 'ῆι'), + (0x1FC8, 'M', 'ὲ'), + (0x1FC9, 'M', 'έ'), + (0x1FCA, 'M', 'ὴ'), + (0x1FCB, 'M', 'ή'), + (0x1FCC, 'M', 'ηι'), + (0x1FCD, '3', ' ̓̀'), + (0x1FCE, '3', ' ̓́'), + (0x1FCF, '3', ' ̓͂'), + (0x1FD0, 'V'), + (0x1FD3, 'M', 'ΐ'), + (0x1FD4, 'X'), + (0x1FD6, 'V'), + (0x1FD8, 'M', 'ῐ'), + (0x1FD9, 'M', 'ῑ'), + (0x1FDA, 'M', 'ὶ'), + (0x1FDB, 'M', 'ί'), + (0x1FDC, 'X'), + (0x1FDD, '3', ' ̔̀'), + (0x1FDE, '3', ' ̔́'), + (0x1FDF, '3', ' ̔͂'), + (0x1FE0, 'V'), + (0x1FE3, 'M', 'ΰ'), + (0x1FE4, 'V'), + (0x1FE8, 'M', 'ῠ'), + (0x1FE9, 'M', 'ῡ'), + (0x1FEA, 'M', 'ὺ'), + (0x1FEB, 'M', 'ύ'), + (0x1FEC, 'M', 'ῥ'), + (0x1FED, '3', ' ̈̀'), + (0x1FEE, '3', ' ̈́'), + (0x1FEF, '3', '`'), + (0x1FF0, 'X'), + (0x1FF2, 'M', 'ὼι'), + (0x1FF3, 'M', 'ωι'), + ] + +def _seg_21(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1FF4, 'M', 'ώι'), + (0x1FF5, 'X'), + (0x1FF6, 'V'), + (0x1FF7, 'M', 'ῶι'), + (0x1FF8, 'M', 'ὸ'), + (0x1FF9, 'M', 'ό'), + (0x1FFA, 'M', 'ὼ'), + (0x1FFB, 'M', 'ώ'), + (0x1FFC, 'M', 'ωι'), + (0x1FFD, '3', ' ́'), + (0x1FFE, '3', ' ̔'), + (0x1FFF, 'X'), + (0x2000, '3', ' '), + (0x200B, 'I'), + (0x200C, 'D', ''), + (0x200E, 'X'), + (0x2010, 'V'), + (0x2011, 'M', '‐'), + (0x2012, 'V'), + (0x2017, '3', ' ̳'), + (0x2018, 'V'), + (0x2024, 'X'), + (0x2027, 'V'), + (0x2028, 'X'), + (0x202F, '3', ' '), + (0x2030, 'V'), + (0x2033, 'M', '′′'), + (0x2034, 'M', '′′′'), + (0x2035, 'V'), + (0x2036, 'M', '‵‵'), + (0x2037, 'M', '‵‵‵'), + (0x2038, 'V'), + (0x203C, '3', '!!'), + (0x203D, 'V'), + (0x203E, '3', ' ̅'), + (0x203F, 'V'), + (0x2047, '3', '??'), + (0x2048, '3', '?!'), + (0x2049, '3', '!?'), + (0x204A, 'V'), + (0x2057, 'M', '′′′′'), + (0x2058, 'V'), + (0x205F, '3', ' '), + (0x2060, 'I'), + (0x2061, 'X'), + (0x2064, 'I'), + (0x2065, 'X'), + (0x2070, 'M', '0'), + (0x2071, 'M', 'i'), + (0x2072, 'X'), + (0x2074, 'M', '4'), + (0x2075, 'M', '5'), + (0x2076, 'M', '6'), + (0x2077, 'M', '7'), + (0x2078, 'M', '8'), + (0x2079, 'M', '9'), + (0x207A, '3', '+'), + (0x207B, 'M', '−'), + (0x207C, '3', '='), + (0x207D, '3', '('), + (0x207E, '3', ')'), + (0x207F, 'M', 'n'), + (0x2080, 'M', '0'), + (0x2081, 'M', '1'), + (0x2082, 'M', '2'), + (0x2083, 'M', '3'), + (0x2084, 'M', '4'), + (0x2085, 'M', '5'), + (0x2086, 'M', '6'), + (0x2087, 'M', '7'), + (0x2088, 'M', '8'), + (0x2089, 'M', '9'), + (0x208A, '3', '+'), + (0x208B, 'M', '−'), + (0x208C, '3', '='), + (0x208D, '3', '('), + (0x208E, '3', ')'), + (0x208F, 'X'), + (0x2090, 'M', 'a'), + (0x2091, 'M', 'e'), + (0x2092, 'M', 'o'), + (0x2093, 'M', 'x'), + (0x2094, 'M', 'ə'), + (0x2095, 'M', 'h'), + (0x2096, 'M', 'k'), + (0x2097, 'M', 'l'), + (0x2098, 'M', 'm'), + (0x2099, 'M', 'n'), + (0x209A, 'M', 'p'), + (0x209B, 'M', 's'), + (0x209C, 'M', 't'), + (0x209D, 'X'), + (0x20A0, 'V'), + (0x20A8, 'M', 'rs'), + (0x20A9, 'V'), + (0x20C0, 'X'), + (0x20D0, 'V'), + (0x20F1, 'X'), + (0x2100, '3', 'a/c'), + (0x2101, '3', 'a/s'), + ] + +def _seg_22(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x2102, 'M', 'c'), + (0x2103, 'M', '°c'), + (0x2104, 'V'), + (0x2105, '3', 'c/o'), + (0x2106, '3', 'c/u'), + (0x2107, 'M', 'ɛ'), + (0x2108, 'V'), + (0x2109, 'M', '°f'), + (0x210A, 'M', 'g'), + (0x210B, 'M', 'h'), + (0x210F, 'M', 'ħ'), + (0x2110, 'M', 'i'), + (0x2112, 'M', 'l'), + (0x2114, 'V'), + (0x2115, 'M', 'n'), + (0x2116, 'M', 'no'), + (0x2117, 'V'), + (0x2119, 'M', 'p'), + (0x211A, 'M', 'q'), + (0x211B, 'M', 'r'), + (0x211E, 'V'), + (0x2120, 'M', 'sm'), + (0x2121, 'M', 'tel'), + (0x2122, 'M', 'tm'), + (0x2123, 'V'), + (0x2124, 'M', 'z'), + (0x2125, 'V'), + (0x2126, 'M', 'ω'), + (0x2127, 'V'), + (0x2128, 'M', 'z'), + (0x2129, 'V'), + (0x212A, 'M', 'k'), + (0x212B, 'M', 'å'), + (0x212C, 'M', 'b'), + (0x212D, 'M', 'c'), + (0x212E, 'V'), + (0x212F, 'M', 'e'), + (0x2131, 'M', 'f'), + (0x2132, 'X'), + (0x2133, 'M', 'm'), + (0x2134, 'M', 'o'), + (0x2135, 'M', 'א'), + (0x2136, 'M', 'ב'), + (0x2137, 'M', 'ג'), + (0x2138, 'M', 'ד'), + (0x2139, 'M', 'i'), + (0x213A, 'V'), + (0x213B, 'M', 'fax'), + (0x213C, 'M', 'π'), + (0x213D, 'M', 'γ'), + (0x213F, 'M', 'π'), + (0x2140, 'M', '∑'), + (0x2141, 'V'), + (0x2145, 'M', 'd'), + (0x2147, 'M', 'e'), + (0x2148, 'M', 'i'), + (0x2149, 'M', 'j'), + (0x214A, 'V'), + (0x2150, 'M', '1⁄7'), + (0x2151, 'M', '1⁄9'), + (0x2152, 'M', '1⁄10'), + (0x2153, 'M', '1⁄3'), + (0x2154, 'M', '2⁄3'), + (0x2155, 'M', '1⁄5'), + (0x2156, 'M', '2⁄5'), + (0x2157, 'M', '3⁄5'), + (0x2158, 'M', '4⁄5'), + (0x2159, 'M', '1⁄6'), + (0x215A, 'M', '5⁄6'), + (0x215B, 'M', '1⁄8'), + (0x215C, 'M', '3⁄8'), + (0x215D, 'M', '5⁄8'), + (0x215E, 'M', '7⁄8'), + (0x215F, 'M', '1⁄'), + (0x2160, 'M', 'i'), + (0x2161, 'M', 'ii'), + (0x2162, 'M', 'iii'), + (0x2163, 'M', 'iv'), + (0x2164, 'M', 'v'), + (0x2165, 'M', 'vi'), + (0x2166, 'M', 'vii'), + (0x2167, 'M', 'viii'), + (0x2168, 'M', 'ix'), + (0x2169, 'M', 'x'), + (0x216A, 'M', 'xi'), + (0x216B, 'M', 'xii'), + (0x216C, 'M', 'l'), + (0x216D, 'M', 'c'), + (0x216E, 'M', 'd'), + (0x216F, 'M', 'm'), + (0x2170, 'M', 'i'), + (0x2171, 'M', 'ii'), + (0x2172, 'M', 'iii'), + (0x2173, 'M', 'iv'), + (0x2174, 'M', 'v'), + (0x2175, 'M', 'vi'), + (0x2176, 'M', 'vii'), + (0x2177, 'M', 'viii'), + (0x2178, 'M', 'ix'), + (0x2179, 'M', 'x'), + ] + +def _seg_23(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x217A, 'M', 'xi'), + (0x217B, 'M', 'xii'), + (0x217C, 'M', 'l'), + (0x217D, 'M', 'c'), + (0x217E, 'M', 'd'), + (0x217F, 'M', 'm'), + (0x2180, 'V'), + (0x2183, 'X'), + (0x2184, 'V'), + (0x2189, 'M', '0⁄3'), + (0x218A, 'V'), + (0x218C, 'X'), + (0x2190, 'V'), + (0x222C, 'M', '∫∫'), + (0x222D, 'M', '∫∫∫'), + (0x222E, 'V'), + (0x222F, 'M', '∮∮'), + (0x2230, 'M', '∮∮∮'), + (0x2231, 'V'), + (0x2260, '3'), + (0x2261, 'V'), + (0x226E, '3'), + (0x2270, 'V'), + (0x2329, 'M', '〈'), + (0x232A, 'M', '〉'), + (0x232B, 'V'), + (0x2427, 'X'), + (0x2440, 'V'), + (0x244B, 'X'), + (0x2460, 'M', '1'), + (0x2461, 'M', '2'), + (0x2462, 'M', '3'), + (0x2463, 'M', '4'), + (0x2464, 'M', '5'), + (0x2465, 'M', '6'), + (0x2466, 'M', '7'), + (0x2467, 'M', '8'), + (0x2468, 'M', '9'), + (0x2469, 'M', '10'), + (0x246A, 'M', '11'), + (0x246B, 'M', '12'), + (0x246C, 'M', '13'), + (0x246D, 'M', '14'), + (0x246E, 'M', '15'), + (0x246F, 'M', '16'), + (0x2470, 'M', '17'), + (0x2471, 'M', '18'), + (0x2472, 'M', '19'), + (0x2473, 'M', '20'), + (0x2474, '3', '(1)'), + (0x2475, '3', '(2)'), + (0x2476, '3', '(3)'), + (0x2477, '3', '(4)'), + (0x2478, '3', '(5)'), + (0x2479, '3', '(6)'), + (0x247A, '3', '(7)'), + (0x247B, '3', '(8)'), + (0x247C, '3', '(9)'), + (0x247D, '3', '(10)'), + (0x247E, '3', '(11)'), + (0x247F, '3', '(12)'), + (0x2480, '3', '(13)'), + (0x2481, '3', '(14)'), + (0x2482, '3', '(15)'), + (0x2483, '3', '(16)'), + (0x2484, '3', '(17)'), + (0x2485, '3', '(18)'), + (0x2486, '3', '(19)'), + (0x2487, '3', '(20)'), + (0x2488, 'X'), + (0x249C, '3', '(a)'), + (0x249D, '3', '(b)'), + (0x249E, '3', '(c)'), + (0x249F, '3', '(d)'), + (0x24A0, '3', '(e)'), + (0x24A1, '3', '(f)'), + (0x24A2, '3', '(g)'), + (0x24A3, '3', '(h)'), + (0x24A4, '3', '(i)'), + (0x24A5, '3', '(j)'), + (0x24A6, '3', '(k)'), + (0x24A7, '3', '(l)'), + (0x24A8, '3', '(m)'), + (0x24A9, '3', '(n)'), + (0x24AA, '3', '(o)'), + (0x24AB, '3', '(p)'), + (0x24AC, '3', '(q)'), + (0x24AD, '3', '(r)'), + (0x24AE, '3', '(s)'), + (0x24AF, '3', '(t)'), + (0x24B0, '3', '(u)'), + (0x24B1, '3', '(v)'), + (0x24B2, '3', '(w)'), + (0x24B3, '3', '(x)'), + (0x24B4, '3', '(y)'), + (0x24B5, '3', '(z)'), + (0x24B6, 'M', 'a'), + (0x24B7, 'M', 'b'), + (0x24B8, 'M', 'c'), + (0x24B9, 'M', 'd'), + ] + +def _seg_24(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x24BA, 'M', 'e'), + (0x24BB, 'M', 'f'), + (0x24BC, 'M', 'g'), + (0x24BD, 'M', 'h'), + (0x24BE, 'M', 'i'), + (0x24BF, 'M', 'j'), + (0x24C0, 'M', 'k'), + (0x24C1, 'M', 'l'), + (0x24C2, 'M', 'm'), + (0x24C3, 'M', 'n'), + (0x24C4, 'M', 'o'), + (0x24C5, 'M', 'p'), + (0x24C6, 'M', 'q'), + (0x24C7, 'M', 'r'), + (0x24C8, 'M', 's'), + (0x24C9, 'M', 't'), + (0x24CA, 'M', 'u'), + (0x24CB, 'M', 'v'), + (0x24CC, 'M', 'w'), + (0x24CD, 'M', 'x'), + (0x24CE, 'M', 'y'), + (0x24CF, 'M', 'z'), + (0x24D0, 'M', 'a'), + (0x24D1, 'M', 'b'), + (0x24D2, 'M', 'c'), + (0x24D3, 'M', 'd'), + (0x24D4, 'M', 'e'), + (0x24D5, 'M', 'f'), + (0x24D6, 'M', 'g'), + (0x24D7, 'M', 'h'), + (0x24D8, 'M', 'i'), + (0x24D9, 'M', 'j'), + (0x24DA, 'M', 'k'), + (0x24DB, 'M', 'l'), + (0x24DC, 'M', 'm'), + (0x24DD, 'M', 'n'), + (0x24DE, 'M', 'o'), + (0x24DF, 'M', 'p'), + (0x24E0, 'M', 'q'), + (0x24E1, 'M', 'r'), + (0x24E2, 'M', 's'), + (0x24E3, 'M', 't'), + (0x24E4, 'M', 'u'), + (0x24E5, 'M', 'v'), + (0x24E6, 'M', 'w'), + (0x24E7, 'M', 'x'), + (0x24E8, 'M', 'y'), + (0x24E9, 'M', 'z'), + (0x24EA, 'M', '0'), + (0x24EB, 'V'), + (0x2A0C, 'M', '∫∫∫∫'), + (0x2A0D, 'V'), + (0x2A74, '3', '::='), + (0x2A75, '3', '=='), + (0x2A76, '3', '==='), + (0x2A77, 'V'), + (0x2ADC, 'M', '⫝̸'), + (0x2ADD, 'V'), + (0x2B74, 'X'), + (0x2B76, 'V'), + (0x2B96, 'X'), + (0x2B97, 'V'), + (0x2C00, 'M', 'ⰰ'), + (0x2C01, 'M', 'ⰱ'), + (0x2C02, 'M', 'ⰲ'), + (0x2C03, 'M', 'ⰳ'), + (0x2C04, 'M', 'ⰴ'), + (0x2C05, 'M', 'ⰵ'), + (0x2C06, 'M', 'ⰶ'), + (0x2C07, 'M', 'ⰷ'), + (0x2C08, 'M', 'ⰸ'), + (0x2C09, 'M', 'ⰹ'), + (0x2C0A, 'M', 'ⰺ'), + (0x2C0B, 'M', 'ⰻ'), + (0x2C0C, 'M', 'ⰼ'), + (0x2C0D, 'M', 'ⰽ'), + (0x2C0E, 'M', 'ⰾ'), + (0x2C0F, 'M', 'ⰿ'), + (0x2C10, 'M', 'ⱀ'), + (0x2C11, 'M', 'ⱁ'), + (0x2C12, 'M', 'ⱂ'), + (0x2C13, 'M', 'ⱃ'), + (0x2C14, 'M', 'ⱄ'), + (0x2C15, 'M', 'ⱅ'), + (0x2C16, 'M', 'ⱆ'), + (0x2C17, 'M', 'ⱇ'), + (0x2C18, 'M', 'ⱈ'), + (0x2C19, 'M', 'ⱉ'), + (0x2C1A, 'M', 'ⱊ'), + (0x2C1B, 'M', 'ⱋ'), + (0x2C1C, 'M', 'ⱌ'), + (0x2C1D, 'M', 'ⱍ'), + (0x2C1E, 'M', 'ⱎ'), + (0x2C1F, 'M', 'ⱏ'), + (0x2C20, 'M', 'ⱐ'), + (0x2C21, 'M', 'ⱑ'), + (0x2C22, 'M', 'ⱒ'), + (0x2C23, 'M', 'ⱓ'), + (0x2C24, 'M', 'ⱔ'), + (0x2C25, 'M', 'ⱕ'), + ] + +def _seg_25(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x2C26, 'M', 'ⱖ'), + (0x2C27, 'M', 'ⱗ'), + (0x2C28, 'M', 'ⱘ'), + (0x2C29, 'M', 'ⱙ'), + (0x2C2A, 'M', 'ⱚ'), + (0x2C2B, 'M', 'ⱛ'), + (0x2C2C, 'M', 'ⱜ'), + (0x2C2D, 'M', 'ⱝ'), + (0x2C2E, 'M', 'ⱞ'), + (0x2C2F, 'X'), + (0x2C30, 'V'), + (0x2C5F, 'X'), + (0x2C60, 'M', 'ⱡ'), + (0x2C61, 'V'), + (0x2C62, 'M', 'ɫ'), + (0x2C63, 'M', 'ᵽ'), + (0x2C64, 'M', 'ɽ'), + (0x2C65, 'V'), + (0x2C67, 'M', 'ⱨ'), + (0x2C68, 'V'), + (0x2C69, 'M', 'ⱪ'), + (0x2C6A, 'V'), + (0x2C6B, 'M', 'ⱬ'), + (0x2C6C, 'V'), + (0x2C6D, 'M', 'ɑ'), + (0x2C6E, 'M', 'ɱ'), + (0x2C6F, 'M', 'ɐ'), + (0x2C70, 'M', 'ɒ'), + (0x2C71, 'V'), + (0x2C72, 'M', 'ⱳ'), + (0x2C73, 'V'), + (0x2C75, 'M', 'ⱶ'), + (0x2C76, 'V'), + (0x2C7C, 'M', 'j'), + (0x2C7D, 'M', 'v'), + (0x2C7E, 'M', 'ȿ'), + (0x2C7F, 'M', 'ɀ'), + (0x2C80, 'M', 'ⲁ'), + (0x2C81, 'V'), + (0x2C82, 'M', 'ⲃ'), + (0x2C83, 'V'), + (0x2C84, 'M', 'ⲅ'), + (0x2C85, 'V'), + (0x2C86, 'M', 'ⲇ'), + (0x2C87, 'V'), + (0x2C88, 'M', 'ⲉ'), + (0x2C89, 'V'), + (0x2C8A, 'M', 'ⲋ'), + (0x2C8B, 'V'), + (0x2C8C, 'M', 'ⲍ'), + (0x2C8D, 'V'), + (0x2C8E, 'M', 'ⲏ'), + (0x2C8F, 'V'), + (0x2C90, 'M', 'ⲑ'), + (0x2C91, 'V'), + (0x2C92, 'M', 'ⲓ'), + (0x2C93, 'V'), + (0x2C94, 'M', 'ⲕ'), + (0x2C95, 'V'), + (0x2C96, 'M', 'ⲗ'), + (0x2C97, 'V'), + (0x2C98, 'M', 'ⲙ'), + (0x2C99, 'V'), + (0x2C9A, 'M', 'ⲛ'), + (0x2C9B, 'V'), + (0x2C9C, 'M', 'ⲝ'), + (0x2C9D, 'V'), + (0x2C9E, 'M', 'ⲟ'), + (0x2C9F, 'V'), + (0x2CA0, 'M', 'ⲡ'), + (0x2CA1, 'V'), + (0x2CA2, 'M', 'ⲣ'), + (0x2CA3, 'V'), + (0x2CA4, 'M', 'ⲥ'), + (0x2CA5, 'V'), + (0x2CA6, 'M', 'ⲧ'), + (0x2CA7, 'V'), + (0x2CA8, 'M', 'ⲩ'), + (0x2CA9, 'V'), + (0x2CAA, 'M', 'ⲫ'), + (0x2CAB, 'V'), + (0x2CAC, 'M', 'ⲭ'), + (0x2CAD, 'V'), + (0x2CAE, 'M', 'ⲯ'), + (0x2CAF, 'V'), + (0x2CB0, 'M', 'ⲱ'), + (0x2CB1, 'V'), + (0x2CB2, 'M', 'ⲳ'), + (0x2CB3, 'V'), + (0x2CB4, 'M', 'ⲵ'), + (0x2CB5, 'V'), + (0x2CB6, 'M', 'ⲷ'), + (0x2CB7, 'V'), + (0x2CB8, 'M', 'ⲹ'), + (0x2CB9, 'V'), + (0x2CBA, 'M', 'ⲻ'), + (0x2CBB, 'V'), + (0x2CBC, 'M', 'ⲽ'), + (0x2CBD, 'V'), + (0x2CBE, 'M', 'ⲿ'), + ] + +def _seg_26(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x2CBF, 'V'), + (0x2CC0, 'M', 'ⳁ'), + (0x2CC1, 'V'), + (0x2CC2, 'M', 'ⳃ'), + (0x2CC3, 'V'), + (0x2CC4, 'M', 'ⳅ'), + (0x2CC5, 'V'), + (0x2CC6, 'M', 'ⳇ'), + (0x2CC7, 'V'), + (0x2CC8, 'M', 'ⳉ'), + (0x2CC9, 'V'), + (0x2CCA, 'M', 'ⳋ'), + (0x2CCB, 'V'), + (0x2CCC, 'M', 'ⳍ'), + (0x2CCD, 'V'), + (0x2CCE, 'M', 'ⳏ'), + (0x2CCF, 'V'), + (0x2CD0, 'M', 'ⳑ'), + (0x2CD1, 'V'), + (0x2CD2, 'M', 'ⳓ'), + (0x2CD3, 'V'), + (0x2CD4, 'M', 'ⳕ'), + (0x2CD5, 'V'), + (0x2CD6, 'M', 'ⳗ'), + (0x2CD7, 'V'), + (0x2CD8, 'M', 'ⳙ'), + (0x2CD9, 'V'), + (0x2CDA, 'M', 'ⳛ'), + (0x2CDB, 'V'), + (0x2CDC, 'M', 'ⳝ'), + (0x2CDD, 'V'), + (0x2CDE, 'M', 'ⳟ'), + (0x2CDF, 'V'), + (0x2CE0, 'M', 'ⳡ'), + (0x2CE1, 'V'), + (0x2CE2, 'M', 'ⳣ'), + (0x2CE3, 'V'), + (0x2CEB, 'M', 'ⳬ'), + (0x2CEC, 'V'), + (0x2CED, 'M', 'ⳮ'), + (0x2CEE, 'V'), + (0x2CF2, 'M', 'ⳳ'), + (0x2CF3, 'V'), + (0x2CF4, 'X'), + (0x2CF9, 'V'), + (0x2D26, 'X'), + (0x2D27, 'V'), + (0x2D28, 'X'), + (0x2D2D, 'V'), + (0x2D2E, 'X'), + (0x2D30, 'V'), + (0x2D68, 'X'), + (0x2D6F, 'M', 'ⵡ'), + (0x2D70, 'V'), + (0x2D71, 'X'), + (0x2D7F, 'V'), + (0x2D97, 'X'), + (0x2DA0, 'V'), + (0x2DA7, 'X'), + (0x2DA8, 'V'), + (0x2DAF, 'X'), + (0x2DB0, 'V'), + (0x2DB7, 'X'), + (0x2DB8, 'V'), + (0x2DBF, 'X'), + (0x2DC0, 'V'), + (0x2DC7, 'X'), + (0x2DC8, 'V'), + (0x2DCF, 'X'), + (0x2DD0, 'V'), + (0x2DD7, 'X'), + (0x2DD8, 'V'), + (0x2DDF, 'X'), + (0x2DE0, 'V'), + (0x2E53, 'X'), + (0x2E80, 'V'), + (0x2E9A, 'X'), + (0x2E9B, 'V'), + (0x2E9F, 'M', '母'), + (0x2EA0, 'V'), + (0x2EF3, 'M', '龟'), + (0x2EF4, 'X'), + (0x2F00, 'M', '一'), + (0x2F01, 'M', '丨'), + (0x2F02, 'M', '丶'), + (0x2F03, 'M', '丿'), + (0x2F04, 'M', '乙'), + (0x2F05, 'M', '亅'), + (0x2F06, 'M', '二'), + (0x2F07, 'M', '亠'), + (0x2F08, 'M', '人'), + (0x2F09, 'M', '儿'), + (0x2F0A, 'M', '入'), + (0x2F0B, 'M', '八'), + (0x2F0C, 'M', '冂'), + (0x2F0D, 'M', '冖'), + (0x2F0E, 'M', '冫'), + (0x2F0F, 'M', '几'), + (0x2F10, 'M', '凵'), + (0x2F11, 'M', '刀'), + ] + +def _seg_27(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x2F12, 'M', '力'), + (0x2F13, 'M', '勹'), + (0x2F14, 'M', '匕'), + (0x2F15, 'M', '匚'), + (0x2F16, 'M', '匸'), + (0x2F17, 'M', '十'), + (0x2F18, 'M', '卜'), + (0x2F19, 'M', '卩'), + (0x2F1A, 'M', '厂'), + (0x2F1B, 'M', '厶'), + (0x2F1C, 'M', '又'), + (0x2F1D, 'M', '口'), + (0x2F1E, 'M', '囗'), + (0x2F1F, 'M', '土'), + (0x2F20, 'M', '士'), + (0x2F21, 'M', '夂'), + (0x2F22, 'M', '夊'), + (0x2F23, 'M', '夕'), + (0x2F24, 'M', '大'), + (0x2F25, 'M', '女'), + (0x2F26, 'M', '子'), + (0x2F27, 'M', '宀'), + (0x2F28, 'M', '寸'), + (0x2F29, 'M', '小'), + (0x2F2A, 'M', '尢'), + (0x2F2B, 'M', '尸'), + (0x2F2C, 'M', '屮'), + (0x2F2D, 'M', '山'), + (0x2F2E, 'M', '巛'), + (0x2F2F, 'M', '工'), + (0x2F30, 'M', '己'), + (0x2F31, 'M', '巾'), + (0x2F32, 'M', '干'), + (0x2F33, 'M', '幺'), + (0x2F34, 'M', '广'), + (0x2F35, 'M', '廴'), + (0x2F36, 'M', '廾'), + (0x2F37, 'M', '弋'), + (0x2F38, 'M', '弓'), + (0x2F39, 'M', '彐'), + (0x2F3A, 'M', '彡'), + (0x2F3B, 'M', '彳'), + (0x2F3C, 'M', '心'), + (0x2F3D, 'M', '戈'), + (0x2F3E, 'M', '戶'), + (0x2F3F, 'M', '手'), + (0x2F40, 'M', '支'), + (0x2F41, 'M', '攴'), + (0x2F42, 'M', '文'), + (0x2F43, 'M', '斗'), + (0x2F44, 'M', '斤'), + (0x2F45, 'M', '方'), + (0x2F46, 'M', '无'), + (0x2F47, 'M', '日'), + (0x2F48, 'M', '曰'), + (0x2F49, 'M', '月'), + (0x2F4A, 'M', '木'), + (0x2F4B, 'M', '欠'), + (0x2F4C, 'M', '止'), + (0x2F4D, 'M', '歹'), + (0x2F4E, 'M', '殳'), + (0x2F4F, 'M', '毋'), + (0x2F50, 'M', '比'), + (0x2F51, 'M', '毛'), + (0x2F52, 'M', '氏'), + (0x2F53, 'M', '气'), + (0x2F54, 'M', '水'), + (0x2F55, 'M', '火'), + (0x2F56, 'M', '爪'), + (0x2F57, 'M', '父'), + (0x2F58, 'M', '爻'), + (0x2F59, 'M', '爿'), + (0x2F5A, 'M', '片'), + (0x2F5B, 'M', '牙'), + (0x2F5C, 'M', '牛'), + (0x2F5D, 'M', '犬'), + (0x2F5E, 'M', '玄'), + (0x2F5F, 'M', '玉'), + (0x2F60, 'M', '瓜'), + (0x2F61, 'M', '瓦'), + (0x2F62, 'M', '甘'), + (0x2F63, 'M', '生'), + (0x2F64, 'M', '用'), + (0x2F65, 'M', '田'), + (0x2F66, 'M', '疋'), + (0x2F67, 'M', '疒'), + (0x2F68, 'M', '癶'), + (0x2F69, 'M', '白'), + (0x2F6A, 'M', '皮'), + (0x2F6B, 'M', '皿'), + (0x2F6C, 'M', '目'), + (0x2F6D, 'M', '矛'), + (0x2F6E, 'M', '矢'), + (0x2F6F, 'M', '石'), + (0x2F70, 'M', '示'), + (0x2F71, 'M', '禸'), + (0x2F72, 'M', '禾'), + (0x2F73, 'M', '穴'), + (0x2F74, 'M', '立'), + (0x2F75, 'M', '竹'), + ] + +def _seg_28(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x2F76, 'M', '米'), + (0x2F77, 'M', '糸'), + (0x2F78, 'M', '缶'), + (0x2F79, 'M', '网'), + (0x2F7A, 'M', '羊'), + (0x2F7B, 'M', '羽'), + (0x2F7C, 'M', '老'), + (0x2F7D, 'M', '而'), + (0x2F7E, 'M', '耒'), + (0x2F7F, 'M', '耳'), + (0x2F80, 'M', '聿'), + (0x2F81, 'M', '肉'), + (0x2F82, 'M', '臣'), + (0x2F83, 'M', '自'), + (0x2F84, 'M', '至'), + (0x2F85, 'M', '臼'), + (0x2F86, 'M', '舌'), + (0x2F87, 'M', '舛'), + (0x2F88, 'M', '舟'), + (0x2F89, 'M', '艮'), + (0x2F8A, 'M', '色'), + (0x2F8B, 'M', '艸'), + (0x2F8C, 'M', '虍'), + (0x2F8D, 'M', '虫'), + (0x2F8E, 'M', '血'), + (0x2F8F, 'M', '行'), + (0x2F90, 'M', '衣'), + (0x2F91, 'M', '襾'), + (0x2F92, 'M', '見'), + (0x2F93, 'M', '角'), + (0x2F94, 'M', '言'), + (0x2F95, 'M', '谷'), + (0x2F96, 'M', '豆'), + (0x2F97, 'M', '豕'), + (0x2F98, 'M', '豸'), + (0x2F99, 'M', '貝'), + (0x2F9A, 'M', '赤'), + (0x2F9B, 'M', '走'), + (0x2F9C, 'M', '足'), + (0x2F9D, 'M', '身'), + (0x2F9E, 'M', '車'), + (0x2F9F, 'M', '辛'), + (0x2FA0, 'M', '辰'), + (0x2FA1, 'M', '辵'), + (0x2FA2, 'M', '邑'), + (0x2FA3, 'M', '酉'), + (0x2FA4, 'M', '釆'), + (0x2FA5, 'M', '里'), + (0x2FA6, 'M', '金'), + (0x2FA7, 'M', '長'), + (0x2FA8, 'M', '門'), + (0x2FA9, 'M', '阜'), + (0x2FAA, 'M', '隶'), + (0x2FAB, 'M', '隹'), + (0x2FAC, 'M', '雨'), + (0x2FAD, 'M', '靑'), + (0x2FAE, 'M', '非'), + (0x2FAF, 'M', '面'), + (0x2FB0, 'M', '革'), + (0x2FB1, 'M', '韋'), + (0x2FB2, 'M', '韭'), + (0x2FB3, 'M', '音'), + (0x2FB4, 'M', '頁'), + (0x2FB5, 'M', '風'), + (0x2FB6, 'M', '飛'), + (0x2FB7, 'M', '食'), + (0x2FB8, 'M', '首'), + (0x2FB9, 'M', '香'), + (0x2FBA, 'M', '馬'), + (0x2FBB, 'M', '骨'), + (0x2FBC, 'M', '高'), + (0x2FBD, 'M', '髟'), + (0x2FBE, 'M', '鬥'), + (0x2FBF, 'M', '鬯'), + (0x2FC0, 'M', '鬲'), + (0x2FC1, 'M', '鬼'), + (0x2FC2, 'M', '魚'), + (0x2FC3, 'M', '鳥'), + (0x2FC4, 'M', '鹵'), + (0x2FC5, 'M', '鹿'), + (0x2FC6, 'M', '麥'), + (0x2FC7, 'M', '麻'), + (0x2FC8, 'M', '黃'), + (0x2FC9, 'M', '黍'), + (0x2FCA, 'M', '黑'), + (0x2FCB, 'M', '黹'), + (0x2FCC, 'M', '黽'), + (0x2FCD, 'M', '鼎'), + (0x2FCE, 'M', '鼓'), + (0x2FCF, 'M', '鼠'), + (0x2FD0, 'M', '鼻'), + (0x2FD1, 'M', '齊'), + (0x2FD2, 'M', '齒'), + (0x2FD3, 'M', '龍'), + (0x2FD4, 'M', '龜'), + (0x2FD5, 'M', '龠'), + (0x2FD6, 'X'), + (0x3000, '3', ' '), + (0x3001, 'V'), + (0x3002, 'M', '.'), + ] + +def _seg_29(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x3003, 'V'), + (0x3036, 'M', '〒'), + (0x3037, 'V'), + (0x3038, 'M', '十'), + (0x3039, 'M', '卄'), + (0x303A, 'M', '卅'), + (0x303B, 'V'), + (0x3040, 'X'), + (0x3041, 'V'), + (0x3097, 'X'), + (0x3099, 'V'), + (0x309B, '3', ' ゙'), + (0x309C, '3', ' ゚'), + (0x309D, 'V'), + (0x309F, 'M', 'より'), + (0x30A0, 'V'), + (0x30FF, 'M', 'コト'), + (0x3100, 'X'), + (0x3105, 'V'), + (0x3130, 'X'), + (0x3131, 'M', 'ᄀ'), + (0x3132, 'M', 'ᄁ'), + (0x3133, 'M', 'ᆪ'), + (0x3134, 'M', 'ᄂ'), + (0x3135, 'M', 'ᆬ'), + (0x3136, 'M', 'ᆭ'), + (0x3137, 'M', 'ᄃ'), + (0x3138, 'M', 'ᄄ'), + (0x3139, 'M', 'ᄅ'), + (0x313A, 'M', 'ᆰ'), + (0x313B, 'M', 'ᆱ'), + (0x313C, 'M', 'ᆲ'), + (0x313D, 'M', 'ᆳ'), + (0x313E, 'M', 'ᆴ'), + (0x313F, 'M', 'ᆵ'), + (0x3140, 'M', 'ᄚ'), + (0x3141, 'M', 'ᄆ'), + (0x3142, 'M', 'ᄇ'), + (0x3143, 'M', 'ᄈ'), + (0x3144, 'M', 'ᄡ'), + (0x3145, 'M', 'ᄉ'), + (0x3146, 'M', 'ᄊ'), + (0x3147, 'M', 'ᄋ'), + (0x3148, 'M', 'ᄌ'), + (0x3149, 'M', 'ᄍ'), + (0x314A, 'M', 'ᄎ'), + (0x314B, 'M', 'ᄏ'), + (0x314C, 'M', 'ᄐ'), + (0x314D, 'M', 'ᄑ'), + (0x314E, 'M', 'ᄒ'), + (0x314F, 'M', 'ᅡ'), + (0x3150, 'M', 'ᅢ'), + (0x3151, 'M', 'ᅣ'), + (0x3152, 'M', 'ᅤ'), + (0x3153, 'M', 'ᅥ'), + (0x3154, 'M', 'ᅦ'), + (0x3155, 'M', 'ᅧ'), + (0x3156, 'M', 'ᅨ'), + (0x3157, 'M', 'ᅩ'), + (0x3158, 'M', 'ᅪ'), + (0x3159, 'M', 'ᅫ'), + (0x315A, 'M', 'ᅬ'), + (0x315B, 'M', 'ᅭ'), + (0x315C, 'M', 'ᅮ'), + (0x315D, 'M', 'ᅯ'), + (0x315E, 'M', 'ᅰ'), + (0x315F, 'M', 'ᅱ'), + (0x3160, 'M', 'ᅲ'), + (0x3161, 'M', 'ᅳ'), + (0x3162, 'M', 'ᅴ'), + (0x3163, 'M', 'ᅵ'), + (0x3164, 'X'), + (0x3165, 'M', 'ᄔ'), + (0x3166, 'M', 'ᄕ'), + (0x3167, 'M', 'ᇇ'), + (0x3168, 'M', 'ᇈ'), + (0x3169, 'M', 'ᇌ'), + (0x316A, 'M', 'ᇎ'), + (0x316B, 'M', 'ᇓ'), + (0x316C, 'M', 'ᇗ'), + (0x316D, 'M', 'ᇙ'), + (0x316E, 'M', 'ᄜ'), + (0x316F, 'M', 'ᇝ'), + (0x3170, 'M', 'ᇟ'), + (0x3171, 'M', 'ᄝ'), + (0x3172, 'M', 'ᄞ'), + (0x3173, 'M', 'ᄠ'), + (0x3174, 'M', 'ᄢ'), + (0x3175, 'M', 'ᄣ'), + (0x3176, 'M', 'ᄧ'), + (0x3177, 'M', 'ᄩ'), + (0x3178, 'M', 'ᄫ'), + (0x3179, 'M', 'ᄬ'), + (0x317A, 'M', 'ᄭ'), + (0x317B, 'M', 'ᄮ'), + (0x317C, 'M', 'ᄯ'), + (0x317D, 'M', 'ᄲ'), + (0x317E, 'M', 'ᄶ'), + (0x317F, 'M', 'ᅀ'), + (0x3180, 'M', 'ᅇ'), + ] + +def _seg_30(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x3181, 'M', 'ᅌ'), + (0x3182, 'M', 'ᇱ'), + (0x3183, 'M', 'ᇲ'), + (0x3184, 'M', 'ᅗ'), + (0x3185, 'M', 'ᅘ'), + (0x3186, 'M', 'ᅙ'), + (0x3187, 'M', 'ᆄ'), + (0x3188, 'M', 'ᆅ'), + (0x3189, 'M', 'ᆈ'), + (0x318A, 'M', 'ᆑ'), + (0x318B, 'M', 'ᆒ'), + (0x318C, 'M', 'ᆔ'), + (0x318D, 'M', 'ᆞ'), + (0x318E, 'M', 'ᆡ'), + (0x318F, 'X'), + (0x3190, 'V'), + (0x3192, 'M', '一'), + (0x3193, 'M', '二'), + (0x3194, 'M', '三'), + (0x3195, 'M', '四'), + (0x3196, 'M', '上'), + (0x3197, 'M', '中'), + (0x3198, 'M', '下'), + (0x3199, 'M', '甲'), + (0x319A, 'M', '乙'), + (0x319B, 'M', '丙'), + (0x319C, 'M', '丁'), + (0x319D, 'M', '天'), + (0x319E, 'M', '地'), + (0x319F, 'M', '人'), + (0x31A0, 'V'), + (0x31E4, 'X'), + (0x31F0, 'V'), + (0x3200, '3', '(ᄀ)'), + (0x3201, '3', '(ᄂ)'), + (0x3202, '3', '(ᄃ)'), + (0x3203, '3', '(ᄅ)'), + (0x3204, '3', '(ᄆ)'), + (0x3205, '3', '(ᄇ)'), + (0x3206, '3', '(ᄉ)'), + (0x3207, '3', '(ᄋ)'), + (0x3208, '3', '(ᄌ)'), + (0x3209, '3', '(ᄎ)'), + (0x320A, '3', '(ᄏ)'), + (0x320B, '3', '(ᄐ)'), + (0x320C, '3', '(ᄑ)'), + (0x320D, '3', '(ᄒ)'), + (0x320E, '3', '(가)'), + (0x320F, '3', '(나)'), + (0x3210, '3', '(다)'), + (0x3211, '3', '(라)'), + (0x3212, '3', '(마)'), + (0x3213, '3', '(바)'), + (0x3214, '3', '(사)'), + (0x3215, '3', '(아)'), + (0x3216, '3', '(자)'), + (0x3217, '3', '(차)'), + (0x3218, '3', '(카)'), + (0x3219, '3', '(타)'), + (0x321A, '3', '(파)'), + (0x321B, '3', '(하)'), + (0x321C, '3', '(주)'), + (0x321D, '3', '(오전)'), + (0x321E, '3', '(오후)'), + (0x321F, 'X'), + (0x3220, '3', '(一)'), + (0x3221, '3', '(二)'), + (0x3222, '3', '(三)'), + (0x3223, '3', '(四)'), + (0x3224, '3', '(五)'), + (0x3225, '3', '(六)'), + (0x3226, '3', '(七)'), + (0x3227, '3', '(八)'), + (0x3228, '3', '(九)'), + (0x3229, '3', '(十)'), + (0x322A, '3', '(月)'), + (0x322B, '3', '(火)'), + (0x322C, '3', '(水)'), + (0x322D, '3', '(木)'), + (0x322E, '3', '(金)'), + (0x322F, '3', '(土)'), + (0x3230, '3', '(日)'), + (0x3231, '3', '(株)'), + (0x3232, '3', '(有)'), + (0x3233, '3', '(社)'), + (0x3234, '3', '(名)'), + (0x3235, '3', '(特)'), + (0x3236, '3', '(財)'), + (0x3237, '3', '(祝)'), + (0x3238, '3', '(労)'), + (0x3239, '3', '(代)'), + (0x323A, '3', '(呼)'), + (0x323B, '3', '(学)'), + (0x323C, '3', '(監)'), + (0x323D, '3', '(企)'), + (0x323E, '3', '(資)'), + (0x323F, '3', '(協)'), + (0x3240, '3', '(祭)'), + (0x3241, '3', '(休)'), + (0x3242, '3', '(自)'), + ] + +def _seg_31(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x3243, '3', '(至)'), + (0x3244, 'M', '問'), + (0x3245, 'M', '幼'), + (0x3246, 'M', '文'), + (0x3247, 'M', '箏'), + (0x3248, 'V'), + (0x3250, 'M', 'pte'), + (0x3251, 'M', '21'), + (0x3252, 'M', '22'), + (0x3253, 'M', '23'), + (0x3254, 'M', '24'), + (0x3255, 'M', '25'), + (0x3256, 'M', '26'), + (0x3257, 'M', '27'), + (0x3258, 'M', '28'), + (0x3259, 'M', '29'), + (0x325A, 'M', '30'), + (0x325B, 'M', '31'), + (0x325C, 'M', '32'), + (0x325D, 'M', '33'), + (0x325E, 'M', '34'), + (0x325F, 'M', '35'), + (0x3260, 'M', 'ᄀ'), + (0x3261, 'M', 'ᄂ'), + (0x3262, 'M', 'ᄃ'), + (0x3263, 'M', 'ᄅ'), + (0x3264, 'M', 'ᄆ'), + (0x3265, 'M', 'ᄇ'), + (0x3266, 'M', 'ᄉ'), + (0x3267, 'M', 'ᄋ'), + (0x3268, 'M', 'ᄌ'), + (0x3269, 'M', 'ᄎ'), + (0x326A, 'M', 'ᄏ'), + (0x326B, 'M', 'ᄐ'), + (0x326C, 'M', 'ᄑ'), + (0x326D, 'M', 'ᄒ'), + (0x326E, 'M', '가'), + (0x326F, 'M', '나'), + (0x3270, 'M', '다'), + (0x3271, 'M', '라'), + (0x3272, 'M', '마'), + (0x3273, 'M', '바'), + (0x3274, 'M', '사'), + (0x3275, 'M', '아'), + (0x3276, 'M', '자'), + (0x3277, 'M', '차'), + (0x3278, 'M', '카'), + (0x3279, 'M', '타'), + (0x327A, 'M', '파'), + (0x327B, 'M', '하'), + (0x327C, 'M', '참고'), + (0x327D, 'M', '주의'), + (0x327E, 'M', '우'), + (0x327F, 'V'), + (0x3280, 'M', '一'), + (0x3281, 'M', '二'), + (0x3282, 'M', '三'), + (0x3283, 'M', '四'), + (0x3284, 'M', '五'), + (0x3285, 'M', '六'), + (0x3286, 'M', '七'), + (0x3287, 'M', '八'), + (0x3288, 'M', '九'), + (0x3289, 'M', '十'), + (0x328A, 'M', '月'), + (0x328B, 'M', '火'), + (0x328C, 'M', '水'), + (0x328D, 'M', '木'), + (0x328E, 'M', '金'), + (0x328F, 'M', '土'), + (0x3290, 'M', '日'), + (0x3291, 'M', '株'), + (0x3292, 'M', '有'), + (0x3293, 'M', '社'), + (0x3294, 'M', '名'), + (0x3295, 'M', '特'), + (0x3296, 'M', '財'), + (0x3297, 'M', '祝'), + (0x3298, 'M', '労'), + (0x3299, 'M', '秘'), + (0x329A, 'M', '男'), + (0x329B, 'M', '女'), + (0x329C, 'M', '適'), + (0x329D, 'M', '優'), + (0x329E, 'M', '印'), + (0x329F, 'M', '注'), + (0x32A0, 'M', '項'), + (0x32A1, 'M', '休'), + (0x32A2, 'M', '写'), + (0x32A3, 'M', '正'), + (0x32A4, 'M', '上'), + (0x32A5, 'M', '中'), + (0x32A6, 'M', '下'), + (0x32A7, 'M', '左'), + (0x32A8, 'M', '右'), + (0x32A9, 'M', '医'), + (0x32AA, 'M', '宗'), + (0x32AB, 'M', '学'), + (0x32AC, 'M', '監'), + (0x32AD, 'M', '企'), + ] + +def _seg_32(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x32AE, 'M', '資'), + (0x32AF, 'M', '協'), + (0x32B0, 'M', '夜'), + (0x32B1, 'M', '36'), + (0x32B2, 'M', '37'), + (0x32B3, 'M', '38'), + (0x32B4, 'M', '39'), + (0x32B5, 'M', '40'), + (0x32B6, 'M', '41'), + (0x32B7, 'M', '42'), + (0x32B8, 'M', '43'), + (0x32B9, 'M', '44'), + (0x32BA, 'M', '45'), + (0x32BB, 'M', '46'), + (0x32BC, 'M', '47'), + (0x32BD, 'M', '48'), + (0x32BE, 'M', '49'), + (0x32BF, 'M', '50'), + (0x32C0, 'M', '1月'), + (0x32C1, 'M', '2月'), + (0x32C2, 'M', '3月'), + (0x32C3, 'M', '4月'), + (0x32C4, 'M', '5月'), + (0x32C5, 'M', '6月'), + (0x32C6, 'M', '7月'), + (0x32C7, 'M', '8月'), + (0x32C8, 'M', '9月'), + (0x32C9, 'M', '10月'), + (0x32CA, 'M', '11月'), + (0x32CB, 'M', '12月'), + (0x32CC, 'M', 'hg'), + (0x32CD, 'M', 'erg'), + (0x32CE, 'M', 'ev'), + (0x32CF, 'M', 'ltd'), + (0x32D0, 'M', 'ア'), + (0x32D1, 'M', 'イ'), + (0x32D2, 'M', 'ウ'), + (0x32D3, 'M', 'エ'), + (0x32D4, 'M', 'オ'), + (0x32D5, 'M', 'カ'), + (0x32D6, 'M', 'キ'), + (0x32D7, 'M', 'ク'), + (0x32D8, 'M', 'ケ'), + (0x32D9, 'M', 'コ'), + (0x32DA, 'M', 'サ'), + (0x32DB, 'M', 'シ'), + (0x32DC, 'M', 'ス'), + (0x32DD, 'M', 'セ'), + (0x32DE, 'M', 'ソ'), + (0x32DF, 'M', 'タ'), + (0x32E0, 'M', 'チ'), + (0x32E1, 'M', 'ツ'), + (0x32E2, 'M', 'テ'), + (0x32E3, 'M', 'ト'), + (0x32E4, 'M', 'ナ'), + (0x32E5, 'M', 'ニ'), + (0x32E6, 'M', 'ヌ'), + (0x32E7, 'M', 'ネ'), + (0x32E8, 'M', 'ノ'), + (0x32E9, 'M', 'ハ'), + (0x32EA, 'M', 'ヒ'), + (0x32EB, 'M', 'フ'), + (0x32EC, 'M', 'ヘ'), + (0x32ED, 'M', 'ホ'), + (0x32EE, 'M', 'マ'), + (0x32EF, 'M', 'ミ'), + (0x32F0, 'M', 'ム'), + (0x32F1, 'M', 'メ'), + (0x32F2, 'M', 'モ'), + (0x32F3, 'M', 'ヤ'), + (0x32F4, 'M', 'ユ'), + (0x32F5, 'M', 'ヨ'), + (0x32F6, 'M', 'ラ'), + (0x32F7, 'M', 'リ'), + (0x32F8, 'M', 'ル'), + (0x32F9, 'M', 'レ'), + (0x32FA, 'M', 'ロ'), + (0x32FB, 'M', 'ワ'), + (0x32FC, 'M', 'ヰ'), + (0x32FD, 'M', 'ヱ'), + (0x32FE, 'M', 'ヲ'), + (0x32FF, 'M', '令和'), + (0x3300, 'M', 'アパート'), + (0x3301, 'M', 'アルファ'), + (0x3302, 'M', 'アンペア'), + (0x3303, 'M', 'アール'), + (0x3304, 'M', 'イニング'), + (0x3305, 'M', 'インチ'), + (0x3306, 'M', 'ウォン'), + (0x3307, 'M', 'エスクード'), + (0x3308, 'M', 'エーカー'), + (0x3309, 'M', 'オンス'), + (0x330A, 'M', 'オーム'), + (0x330B, 'M', 'カイリ'), + (0x330C, 'M', 'カラット'), + (0x330D, 'M', 'カロリー'), + (0x330E, 'M', 'ガロン'), + (0x330F, 'M', 'ガンマ'), + (0x3310, 'M', 'ギガ'), + (0x3311, 'M', 'ギニー'), + ] + +def _seg_33(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x3312, 'M', 'キュリー'), + (0x3313, 'M', 'ギルダー'), + (0x3314, 'M', 'キロ'), + (0x3315, 'M', 'キログラム'), + (0x3316, 'M', 'キロメートル'), + (0x3317, 'M', 'キロワット'), + (0x3318, 'M', 'グラム'), + (0x3319, 'M', 'グラムトン'), + (0x331A, 'M', 'クルゼイロ'), + (0x331B, 'M', 'クローネ'), + (0x331C, 'M', 'ケース'), + (0x331D, 'M', 'コルナ'), + (0x331E, 'M', 'コーポ'), + (0x331F, 'M', 'サイクル'), + (0x3320, 'M', 'サンチーム'), + (0x3321, 'M', 'シリング'), + (0x3322, 'M', 'センチ'), + (0x3323, 'M', 'セント'), + (0x3324, 'M', 'ダース'), + (0x3325, 'M', 'デシ'), + (0x3326, 'M', 'ドル'), + (0x3327, 'M', 'トン'), + (0x3328, 'M', 'ナノ'), + (0x3329, 'M', 'ノット'), + (0x332A, 'M', 'ハイツ'), + (0x332B, 'M', 'パーセント'), + (0x332C, 'M', 'パーツ'), + (0x332D, 'M', 'バーレル'), + (0x332E, 'M', 'ピアストル'), + (0x332F, 'M', 'ピクル'), + (0x3330, 'M', 'ピコ'), + (0x3331, 'M', 'ビル'), + (0x3332, 'M', 'ファラッド'), + (0x3333, 'M', 'フィート'), + (0x3334, 'M', 'ブッシェル'), + (0x3335, 'M', 'フラン'), + (0x3336, 'M', 'ヘクタール'), + (0x3337, 'M', 'ペソ'), + (0x3338, 'M', 'ペニヒ'), + (0x3339, 'M', 'ヘルツ'), + (0x333A, 'M', 'ペンス'), + (0x333B, 'M', 'ページ'), + (0x333C, 'M', 'ベータ'), + (0x333D, 'M', 'ポイント'), + (0x333E, 'M', 'ボルト'), + (0x333F, 'M', 'ホン'), + (0x3340, 'M', 'ポンド'), + (0x3341, 'M', 'ホール'), + (0x3342, 'M', 'ホーン'), + (0x3343, 'M', 'マイクロ'), + (0x3344, 'M', 'マイル'), + (0x3345, 'M', 'マッハ'), + (0x3346, 'M', 'マルク'), + (0x3347, 'M', 'マンション'), + (0x3348, 'M', 'ミクロン'), + (0x3349, 'M', 'ミリ'), + (0x334A, 'M', 'ミリバール'), + (0x334B, 'M', 'メガ'), + (0x334C, 'M', 'メガトン'), + (0x334D, 'M', 'メートル'), + (0x334E, 'M', 'ヤード'), + (0x334F, 'M', 'ヤール'), + (0x3350, 'M', 'ユアン'), + (0x3351, 'M', 'リットル'), + (0x3352, 'M', 'リラ'), + (0x3353, 'M', 'ルピー'), + (0x3354, 'M', 'ルーブル'), + (0x3355, 'M', 'レム'), + (0x3356, 'M', 'レントゲン'), + (0x3357, 'M', 'ワット'), + (0x3358, 'M', '0点'), + (0x3359, 'M', '1点'), + (0x335A, 'M', '2点'), + (0x335B, 'M', '3点'), + (0x335C, 'M', '4点'), + (0x335D, 'M', '5点'), + (0x335E, 'M', '6点'), + (0x335F, 'M', '7点'), + (0x3360, 'M', '8点'), + (0x3361, 'M', '9点'), + (0x3362, 'M', '10点'), + (0x3363, 'M', '11点'), + (0x3364, 'M', '12点'), + (0x3365, 'M', '13点'), + (0x3366, 'M', '14点'), + (0x3367, 'M', '15点'), + (0x3368, 'M', '16点'), + (0x3369, 'M', '17点'), + (0x336A, 'M', '18点'), + (0x336B, 'M', '19点'), + (0x336C, 'M', '20点'), + (0x336D, 'M', '21点'), + (0x336E, 'M', '22点'), + (0x336F, 'M', '23点'), + (0x3370, 'M', '24点'), + (0x3371, 'M', 'hpa'), + (0x3372, 'M', 'da'), + (0x3373, 'M', 'au'), + (0x3374, 'M', 'bar'), + (0x3375, 'M', 'ov'), + ] + +def _seg_34(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x3376, 'M', 'pc'), + (0x3377, 'M', 'dm'), + (0x3378, 'M', 'dm2'), + (0x3379, 'M', 'dm3'), + (0x337A, 'M', 'iu'), + (0x337B, 'M', '平成'), + (0x337C, 'M', '昭和'), + (0x337D, 'M', '大正'), + (0x337E, 'M', '明治'), + (0x337F, 'M', '株式会社'), + (0x3380, 'M', 'pa'), + (0x3381, 'M', 'na'), + (0x3382, 'M', 'μa'), + (0x3383, 'M', 'ma'), + (0x3384, 'M', 'ka'), + (0x3385, 'M', 'kb'), + (0x3386, 'M', 'mb'), + (0x3387, 'M', 'gb'), + (0x3388, 'M', 'cal'), + (0x3389, 'M', 'kcal'), + (0x338A, 'M', 'pf'), + (0x338B, 'M', 'nf'), + (0x338C, 'M', 'μf'), + (0x338D, 'M', 'μg'), + (0x338E, 'M', 'mg'), + (0x338F, 'M', 'kg'), + (0x3390, 'M', 'hz'), + (0x3391, 'M', 'khz'), + (0x3392, 'M', 'mhz'), + (0x3393, 'M', 'ghz'), + (0x3394, 'M', 'thz'), + (0x3395, 'M', 'μl'), + (0x3396, 'M', 'ml'), + (0x3397, 'M', 'dl'), + (0x3398, 'M', 'kl'), + (0x3399, 'M', 'fm'), + (0x339A, 'M', 'nm'), + (0x339B, 'M', 'μm'), + (0x339C, 'M', 'mm'), + (0x339D, 'M', 'cm'), + (0x339E, 'M', 'km'), + (0x339F, 'M', 'mm2'), + (0x33A0, 'M', 'cm2'), + (0x33A1, 'M', 'm2'), + (0x33A2, 'M', 'km2'), + (0x33A3, 'M', 'mm3'), + (0x33A4, 'M', 'cm3'), + (0x33A5, 'M', 'm3'), + (0x33A6, 'M', 'km3'), + (0x33A7, 'M', 'm∕s'), + (0x33A8, 'M', 'm∕s2'), + (0x33A9, 'M', 'pa'), + (0x33AA, 'M', 'kpa'), + (0x33AB, 'M', 'mpa'), + (0x33AC, 'M', 'gpa'), + (0x33AD, 'M', 'rad'), + (0x33AE, 'M', 'rad∕s'), + (0x33AF, 'M', 'rad∕s2'), + (0x33B0, 'M', 'ps'), + (0x33B1, 'M', 'ns'), + (0x33B2, 'M', 'μs'), + (0x33B3, 'M', 'ms'), + (0x33B4, 'M', 'pv'), + (0x33B5, 'M', 'nv'), + (0x33B6, 'M', 'μv'), + (0x33B7, 'M', 'mv'), + (0x33B8, 'M', 'kv'), + (0x33B9, 'M', 'mv'), + (0x33BA, 'M', 'pw'), + (0x33BB, 'M', 'nw'), + (0x33BC, 'M', 'μw'), + (0x33BD, 'M', 'mw'), + (0x33BE, 'M', 'kw'), + (0x33BF, 'M', 'mw'), + (0x33C0, 'M', 'kω'), + (0x33C1, 'M', 'mω'), + (0x33C2, 'X'), + (0x33C3, 'M', 'bq'), + (0x33C4, 'M', 'cc'), + (0x33C5, 'M', 'cd'), + (0x33C6, 'M', 'c∕kg'), + (0x33C7, 'X'), + (0x33C8, 'M', 'db'), + (0x33C9, 'M', 'gy'), + (0x33CA, 'M', 'ha'), + (0x33CB, 'M', 'hp'), + (0x33CC, 'M', 'in'), + (0x33CD, 'M', 'kk'), + (0x33CE, 'M', 'km'), + (0x33CF, 'M', 'kt'), + (0x33D0, 'M', 'lm'), + (0x33D1, 'M', 'ln'), + (0x33D2, 'M', 'log'), + (0x33D3, 'M', 'lx'), + (0x33D4, 'M', 'mb'), + (0x33D5, 'M', 'mil'), + (0x33D6, 'M', 'mol'), + (0x33D7, 'M', 'ph'), + (0x33D8, 'X'), + (0x33D9, 'M', 'ppm'), + ] + +def _seg_35(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x33DA, 'M', 'pr'), + (0x33DB, 'M', 'sr'), + (0x33DC, 'M', 'sv'), + (0x33DD, 'M', 'wb'), + (0x33DE, 'M', 'v∕m'), + (0x33DF, 'M', 'a∕m'), + (0x33E0, 'M', '1日'), + (0x33E1, 'M', '2日'), + (0x33E2, 'M', '3日'), + (0x33E3, 'M', '4日'), + (0x33E4, 'M', '5日'), + (0x33E5, 'M', '6日'), + (0x33E6, 'M', '7日'), + (0x33E7, 'M', '8日'), + (0x33E8, 'M', '9日'), + (0x33E9, 'M', '10日'), + (0x33EA, 'M', '11日'), + (0x33EB, 'M', '12日'), + (0x33EC, 'M', '13日'), + (0x33ED, 'M', '14日'), + (0x33EE, 'M', '15日'), + (0x33EF, 'M', '16日'), + (0x33F0, 'M', '17日'), + (0x33F1, 'M', '18日'), + (0x33F2, 'M', '19日'), + (0x33F3, 'M', '20日'), + (0x33F4, 'M', '21日'), + (0x33F5, 'M', '22日'), + (0x33F6, 'M', '23日'), + (0x33F7, 'M', '24日'), + (0x33F8, 'M', '25日'), + (0x33F9, 'M', '26日'), + (0x33FA, 'M', '27日'), + (0x33FB, 'M', '28日'), + (0x33FC, 'M', '29日'), + (0x33FD, 'M', '30日'), + (0x33FE, 'M', '31日'), + (0x33FF, 'M', 'gal'), + (0x3400, 'V'), + (0x9FFD, 'X'), + (0xA000, 'V'), + (0xA48D, 'X'), + (0xA490, 'V'), + (0xA4C7, 'X'), + (0xA4D0, 'V'), + (0xA62C, 'X'), + (0xA640, 'M', 'ꙁ'), + (0xA641, 'V'), + (0xA642, 'M', 'ꙃ'), + (0xA643, 'V'), + (0xA644, 'M', 'ꙅ'), + (0xA645, 'V'), + (0xA646, 'M', 'ꙇ'), + (0xA647, 'V'), + (0xA648, 'M', 'ꙉ'), + (0xA649, 'V'), + (0xA64A, 'M', 'ꙋ'), + (0xA64B, 'V'), + (0xA64C, 'M', 'ꙍ'), + (0xA64D, 'V'), + (0xA64E, 'M', 'ꙏ'), + (0xA64F, 'V'), + (0xA650, 'M', 'ꙑ'), + (0xA651, 'V'), + (0xA652, 'M', 'ꙓ'), + (0xA653, 'V'), + (0xA654, 'M', 'ꙕ'), + (0xA655, 'V'), + (0xA656, 'M', 'ꙗ'), + (0xA657, 'V'), + (0xA658, 'M', 'ꙙ'), + (0xA659, 'V'), + (0xA65A, 'M', 'ꙛ'), + (0xA65B, 'V'), + (0xA65C, 'M', 'ꙝ'), + (0xA65D, 'V'), + (0xA65E, 'M', 'ꙟ'), + (0xA65F, 'V'), + (0xA660, 'M', 'ꙡ'), + (0xA661, 'V'), + (0xA662, 'M', 'ꙣ'), + (0xA663, 'V'), + (0xA664, 'M', 'ꙥ'), + (0xA665, 'V'), + (0xA666, 'M', 'ꙧ'), + (0xA667, 'V'), + (0xA668, 'M', 'ꙩ'), + (0xA669, 'V'), + (0xA66A, 'M', 'ꙫ'), + (0xA66B, 'V'), + (0xA66C, 'M', 'ꙭ'), + (0xA66D, 'V'), + (0xA680, 'M', 'ꚁ'), + (0xA681, 'V'), + (0xA682, 'M', 'ꚃ'), + (0xA683, 'V'), + (0xA684, 'M', 'ꚅ'), + (0xA685, 'V'), + (0xA686, 'M', 'ꚇ'), + (0xA687, 'V'), + ] + +def _seg_36(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xA688, 'M', 'ꚉ'), + (0xA689, 'V'), + (0xA68A, 'M', 'ꚋ'), + (0xA68B, 'V'), + (0xA68C, 'M', 'ꚍ'), + (0xA68D, 'V'), + (0xA68E, 'M', 'ꚏ'), + (0xA68F, 'V'), + (0xA690, 'M', 'ꚑ'), + (0xA691, 'V'), + (0xA692, 'M', 'ꚓ'), + (0xA693, 'V'), + (0xA694, 'M', 'ꚕ'), + (0xA695, 'V'), + (0xA696, 'M', 'ꚗ'), + (0xA697, 'V'), + (0xA698, 'M', 'ꚙ'), + (0xA699, 'V'), + (0xA69A, 'M', 'ꚛ'), + (0xA69B, 'V'), + (0xA69C, 'M', 'ъ'), + (0xA69D, 'M', 'ь'), + (0xA69E, 'V'), + (0xA6F8, 'X'), + (0xA700, 'V'), + (0xA722, 'M', 'ꜣ'), + (0xA723, 'V'), + (0xA724, 'M', 'ꜥ'), + (0xA725, 'V'), + (0xA726, 'M', 'ꜧ'), + (0xA727, 'V'), + (0xA728, 'M', 'ꜩ'), + (0xA729, 'V'), + (0xA72A, 'M', 'ꜫ'), + (0xA72B, 'V'), + (0xA72C, 'M', 'ꜭ'), + (0xA72D, 'V'), + (0xA72E, 'M', 'ꜯ'), + (0xA72F, 'V'), + (0xA732, 'M', 'ꜳ'), + (0xA733, 'V'), + (0xA734, 'M', 'ꜵ'), + (0xA735, 'V'), + (0xA736, 'M', 'ꜷ'), + (0xA737, 'V'), + (0xA738, 'M', 'ꜹ'), + (0xA739, 'V'), + (0xA73A, 'M', 'ꜻ'), + (0xA73B, 'V'), + (0xA73C, 'M', 'ꜽ'), + (0xA73D, 'V'), + (0xA73E, 'M', 'ꜿ'), + (0xA73F, 'V'), + (0xA740, 'M', 'ꝁ'), + (0xA741, 'V'), + (0xA742, 'M', 'ꝃ'), + (0xA743, 'V'), + (0xA744, 'M', 'ꝅ'), + (0xA745, 'V'), + (0xA746, 'M', 'ꝇ'), + (0xA747, 'V'), + (0xA748, 'M', 'ꝉ'), + (0xA749, 'V'), + (0xA74A, 'M', 'ꝋ'), + (0xA74B, 'V'), + (0xA74C, 'M', 'ꝍ'), + (0xA74D, 'V'), + (0xA74E, 'M', 'ꝏ'), + (0xA74F, 'V'), + (0xA750, 'M', 'ꝑ'), + (0xA751, 'V'), + (0xA752, 'M', 'ꝓ'), + (0xA753, 'V'), + (0xA754, 'M', 'ꝕ'), + (0xA755, 'V'), + (0xA756, 'M', 'ꝗ'), + (0xA757, 'V'), + (0xA758, 'M', 'ꝙ'), + (0xA759, 'V'), + (0xA75A, 'M', 'ꝛ'), + (0xA75B, 'V'), + (0xA75C, 'M', 'ꝝ'), + (0xA75D, 'V'), + (0xA75E, 'M', 'ꝟ'), + (0xA75F, 'V'), + (0xA760, 'M', 'ꝡ'), + (0xA761, 'V'), + (0xA762, 'M', 'ꝣ'), + (0xA763, 'V'), + (0xA764, 'M', 'ꝥ'), + (0xA765, 'V'), + (0xA766, 'M', 'ꝧ'), + (0xA767, 'V'), + (0xA768, 'M', 'ꝩ'), + (0xA769, 'V'), + (0xA76A, 'M', 'ꝫ'), + (0xA76B, 'V'), + (0xA76C, 'M', 'ꝭ'), + (0xA76D, 'V'), + (0xA76E, 'M', 'ꝯ'), + ] + +def _seg_37(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xA76F, 'V'), + (0xA770, 'M', 'ꝯ'), + (0xA771, 'V'), + (0xA779, 'M', 'ꝺ'), + (0xA77A, 'V'), + (0xA77B, 'M', 'ꝼ'), + (0xA77C, 'V'), + (0xA77D, 'M', 'ᵹ'), + (0xA77E, 'M', 'ꝿ'), + (0xA77F, 'V'), + (0xA780, 'M', 'ꞁ'), + (0xA781, 'V'), + (0xA782, 'M', 'ꞃ'), + (0xA783, 'V'), + (0xA784, 'M', 'ꞅ'), + (0xA785, 'V'), + (0xA786, 'M', 'ꞇ'), + (0xA787, 'V'), + (0xA78B, 'M', 'ꞌ'), + (0xA78C, 'V'), + (0xA78D, 'M', 'ɥ'), + (0xA78E, 'V'), + (0xA790, 'M', 'ꞑ'), + (0xA791, 'V'), + (0xA792, 'M', 'ꞓ'), + (0xA793, 'V'), + (0xA796, 'M', 'ꞗ'), + (0xA797, 'V'), + (0xA798, 'M', 'ꞙ'), + (0xA799, 'V'), + (0xA79A, 'M', 'ꞛ'), + (0xA79B, 'V'), + (0xA79C, 'M', 'ꞝ'), + (0xA79D, 'V'), + (0xA79E, 'M', 'ꞟ'), + (0xA79F, 'V'), + (0xA7A0, 'M', 'ꞡ'), + (0xA7A1, 'V'), + (0xA7A2, 'M', 'ꞣ'), + (0xA7A3, 'V'), + (0xA7A4, 'M', 'ꞥ'), + (0xA7A5, 'V'), + (0xA7A6, 'M', 'ꞧ'), + (0xA7A7, 'V'), + (0xA7A8, 'M', 'ꞩ'), + (0xA7A9, 'V'), + (0xA7AA, 'M', 'ɦ'), + (0xA7AB, 'M', 'ɜ'), + (0xA7AC, 'M', 'ɡ'), + (0xA7AD, 'M', 'ɬ'), + (0xA7AE, 'M', 'ɪ'), + (0xA7AF, 'V'), + (0xA7B0, 'M', 'ʞ'), + (0xA7B1, 'M', 'ʇ'), + (0xA7B2, 'M', 'ʝ'), + (0xA7B3, 'M', 'ꭓ'), + (0xA7B4, 'M', 'ꞵ'), + (0xA7B5, 'V'), + (0xA7B6, 'M', 'ꞷ'), + (0xA7B7, 'V'), + (0xA7B8, 'M', 'ꞹ'), + (0xA7B9, 'V'), + (0xA7BA, 'M', 'ꞻ'), + (0xA7BB, 'V'), + (0xA7BC, 'M', 'ꞽ'), + (0xA7BD, 'V'), + (0xA7BE, 'M', 'ꞿ'), + (0xA7BF, 'V'), + (0xA7C0, 'X'), + (0xA7C2, 'M', 'ꟃ'), + (0xA7C3, 'V'), + (0xA7C4, 'M', 'ꞔ'), + (0xA7C5, 'M', 'ʂ'), + (0xA7C6, 'M', 'ᶎ'), + (0xA7C7, 'M', 'ꟈ'), + (0xA7C8, 'V'), + (0xA7C9, 'M', 'ꟊ'), + (0xA7CA, 'V'), + (0xA7CB, 'X'), + (0xA7F5, 'M', 'ꟶ'), + (0xA7F6, 'V'), + (0xA7F8, 'M', 'ħ'), + (0xA7F9, 'M', 'œ'), + (0xA7FA, 'V'), + (0xA82D, 'X'), + (0xA830, 'V'), + (0xA83A, 'X'), + (0xA840, 'V'), + (0xA878, 'X'), + (0xA880, 'V'), + (0xA8C6, 'X'), + (0xA8CE, 'V'), + (0xA8DA, 'X'), + (0xA8E0, 'V'), + (0xA954, 'X'), + (0xA95F, 'V'), + (0xA97D, 'X'), + (0xA980, 'V'), + (0xA9CE, 'X'), + (0xA9CF, 'V'), + ] + +def _seg_38(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xA9DA, 'X'), + (0xA9DE, 'V'), + (0xA9FF, 'X'), + (0xAA00, 'V'), + (0xAA37, 'X'), + (0xAA40, 'V'), + (0xAA4E, 'X'), + (0xAA50, 'V'), + (0xAA5A, 'X'), + (0xAA5C, 'V'), + (0xAAC3, 'X'), + (0xAADB, 'V'), + (0xAAF7, 'X'), + (0xAB01, 'V'), + (0xAB07, 'X'), + (0xAB09, 'V'), + (0xAB0F, 'X'), + (0xAB11, 'V'), + (0xAB17, 'X'), + (0xAB20, 'V'), + (0xAB27, 'X'), + (0xAB28, 'V'), + (0xAB2F, 'X'), + (0xAB30, 'V'), + (0xAB5C, 'M', 'ꜧ'), + (0xAB5D, 'M', 'ꬷ'), + (0xAB5E, 'M', 'ɫ'), + (0xAB5F, 'M', 'ꭒ'), + (0xAB60, 'V'), + (0xAB69, 'M', 'ʍ'), + (0xAB6A, 'V'), + (0xAB6C, 'X'), + (0xAB70, 'M', 'Ꭰ'), + (0xAB71, 'M', 'Ꭱ'), + (0xAB72, 'M', 'Ꭲ'), + (0xAB73, 'M', 'Ꭳ'), + (0xAB74, 'M', 'Ꭴ'), + (0xAB75, 'M', 'Ꭵ'), + (0xAB76, 'M', 'Ꭶ'), + (0xAB77, 'M', 'Ꭷ'), + (0xAB78, 'M', 'Ꭸ'), + (0xAB79, 'M', 'Ꭹ'), + (0xAB7A, 'M', 'Ꭺ'), + (0xAB7B, 'M', 'Ꭻ'), + (0xAB7C, 'M', 'Ꭼ'), + (0xAB7D, 'M', 'Ꭽ'), + (0xAB7E, 'M', 'Ꭾ'), + (0xAB7F, 'M', 'Ꭿ'), + (0xAB80, 'M', 'Ꮀ'), + (0xAB81, 'M', 'Ꮁ'), + (0xAB82, 'M', 'Ꮂ'), + (0xAB83, 'M', 'Ꮃ'), + (0xAB84, 'M', 'Ꮄ'), + (0xAB85, 'M', 'Ꮅ'), + (0xAB86, 'M', 'Ꮆ'), + (0xAB87, 'M', 'Ꮇ'), + (0xAB88, 'M', 'Ꮈ'), + (0xAB89, 'M', 'Ꮉ'), + (0xAB8A, 'M', 'Ꮊ'), + (0xAB8B, 'M', 'Ꮋ'), + (0xAB8C, 'M', 'Ꮌ'), + (0xAB8D, 'M', 'Ꮍ'), + (0xAB8E, 'M', 'Ꮎ'), + (0xAB8F, 'M', 'Ꮏ'), + (0xAB90, 'M', 'Ꮐ'), + (0xAB91, 'M', 'Ꮑ'), + (0xAB92, 'M', 'Ꮒ'), + (0xAB93, 'M', 'Ꮓ'), + (0xAB94, 'M', 'Ꮔ'), + (0xAB95, 'M', 'Ꮕ'), + (0xAB96, 'M', 'Ꮖ'), + (0xAB97, 'M', 'Ꮗ'), + (0xAB98, 'M', 'Ꮘ'), + (0xAB99, 'M', 'Ꮙ'), + (0xAB9A, 'M', 'Ꮚ'), + (0xAB9B, 'M', 'Ꮛ'), + (0xAB9C, 'M', 'Ꮜ'), + (0xAB9D, 'M', 'Ꮝ'), + (0xAB9E, 'M', 'Ꮞ'), + (0xAB9F, 'M', 'Ꮟ'), + (0xABA0, 'M', 'Ꮠ'), + (0xABA1, 'M', 'Ꮡ'), + (0xABA2, 'M', 'Ꮢ'), + (0xABA3, 'M', 'Ꮣ'), + (0xABA4, 'M', 'Ꮤ'), + (0xABA5, 'M', 'Ꮥ'), + (0xABA6, 'M', 'Ꮦ'), + (0xABA7, 'M', 'Ꮧ'), + (0xABA8, 'M', 'Ꮨ'), + (0xABA9, 'M', 'Ꮩ'), + (0xABAA, 'M', 'Ꮪ'), + (0xABAB, 'M', 'Ꮫ'), + (0xABAC, 'M', 'Ꮬ'), + (0xABAD, 'M', 'Ꮭ'), + (0xABAE, 'M', 'Ꮮ'), + (0xABAF, 'M', 'Ꮯ'), + (0xABB0, 'M', 'Ꮰ'), + (0xABB1, 'M', 'Ꮱ'), + (0xABB2, 'M', 'Ꮲ'), + (0xABB3, 'M', 'Ꮳ'), + ] + +def _seg_39(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xABB4, 'M', 'Ꮴ'), + (0xABB5, 'M', 'Ꮵ'), + (0xABB6, 'M', 'Ꮶ'), + (0xABB7, 'M', 'Ꮷ'), + (0xABB8, 'M', 'Ꮸ'), + (0xABB9, 'M', 'Ꮹ'), + (0xABBA, 'M', 'Ꮺ'), + (0xABBB, 'M', 'Ꮻ'), + (0xABBC, 'M', 'Ꮼ'), + (0xABBD, 'M', 'Ꮽ'), + (0xABBE, 'M', 'Ꮾ'), + (0xABBF, 'M', 'Ꮿ'), + (0xABC0, 'V'), + (0xABEE, 'X'), + (0xABF0, 'V'), + (0xABFA, 'X'), + (0xAC00, 'V'), + (0xD7A4, 'X'), + (0xD7B0, 'V'), + (0xD7C7, 'X'), + (0xD7CB, 'V'), + (0xD7FC, 'X'), + (0xF900, 'M', '豈'), + (0xF901, 'M', '更'), + (0xF902, 'M', '車'), + (0xF903, 'M', '賈'), + (0xF904, 'M', '滑'), + (0xF905, 'M', '串'), + (0xF906, 'M', '句'), + (0xF907, 'M', '龜'), + (0xF909, 'M', '契'), + (0xF90A, 'M', '金'), + (0xF90B, 'M', '喇'), + (0xF90C, 'M', '奈'), + (0xF90D, 'M', '懶'), + (0xF90E, 'M', '癩'), + (0xF90F, 'M', '羅'), + (0xF910, 'M', '蘿'), + (0xF911, 'M', '螺'), + (0xF912, 'M', '裸'), + (0xF913, 'M', '邏'), + (0xF914, 'M', '樂'), + (0xF915, 'M', '洛'), + (0xF916, 'M', '烙'), + (0xF917, 'M', '珞'), + (0xF918, 'M', '落'), + (0xF919, 'M', '酪'), + (0xF91A, 'M', '駱'), + (0xF91B, 'M', '亂'), + (0xF91C, 'M', '卵'), + (0xF91D, 'M', '欄'), + (0xF91E, 'M', '爛'), + (0xF91F, 'M', '蘭'), + (0xF920, 'M', '鸞'), + (0xF921, 'M', '嵐'), + (0xF922, 'M', '濫'), + (0xF923, 'M', '藍'), + (0xF924, 'M', '襤'), + (0xF925, 'M', '拉'), + (0xF926, 'M', '臘'), + (0xF927, 'M', '蠟'), + (0xF928, 'M', '廊'), + (0xF929, 'M', '朗'), + (0xF92A, 'M', '浪'), + (0xF92B, 'M', '狼'), + (0xF92C, 'M', '郎'), + (0xF92D, 'M', '來'), + (0xF92E, 'M', '冷'), + (0xF92F, 'M', '勞'), + (0xF930, 'M', '擄'), + (0xF931, 'M', '櫓'), + (0xF932, 'M', '爐'), + (0xF933, 'M', '盧'), + (0xF934, 'M', '老'), + (0xF935, 'M', '蘆'), + (0xF936, 'M', '虜'), + (0xF937, 'M', '路'), + (0xF938, 'M', '露'), + (0xF939, 'M', '魯'), + (0xF93A, 'M', '鷺'), + (0xF93B, 'M', '碌'), + (0xF93C, 'M', '祿'), + (0xF93D, 'M', '綠'), + (0xF93E, 'M', '菉'), + (0xF93F, 'M', '錄'), + (0xF940, 'M', '鹿'), + (0xF941, 'M', '論'), + (0xF942, 'M', '壟'), + (0xF943, 'M', '弄'), + (0xF944, 'M', '籠'), + (0xF945, 'M', '聾'), + (0xF946, 'M', '牢'), + (0xF947, 'M', '磊'), + (0xF948, 'M', '賂'), + (0xF949, 'M', '雷'), + (0xF94A, 'M', '壘'), + (0xF94B, 'M', '屢'), + (0xF94C, 'M', '樓'), + (0xF94D, 'M', '淚'), + (0xF94E, 'M', '漏'), + ] + +def _seg_40(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xF94F, 'M', '累'), + (0xF950, 'M', '縷'), + (0xF951, 'M', '陋'), + (0xF952, 'M', '勒'), + (0xF953, 'M', '肋'), + (0xF954, 'M', '凜'), + (0xF955, 'M', '凌'), + (0xF956, 'M', '稜'), + (0xF957, 'M', '綾'), + (0xF958, 'M', '菱'), + (0xF959, 'M', '陵'), + (0xF95A, 'M', '讀'), + (0xF95B, 'M', '拏'), + (0xF95C, 'M', '樂'), + (0xF95D, 'M', '諾'), + (0xF95E, 'M', '丹'), + (0xF95F, 'M', '寧'), + (0xF960, 'M', '怒'), + (0xF961, 'M', '率'), + (0xF962, 'M', '異'), + (0xF963, 'M', '北'), + (0xF964, 'M', '磻'), + (0xF965, 'M', '便'), + (0xF966, 'M', '復'), + (0xF967, 'M', '不'), + (0xF968, 'M', '泌'), + (0xF969, 'M', '數'), + (0xF96A, 'M', '索'), + (0xF96B, 'M', '參'), + (0xF96C, 'M', '塞'), + (0xF96D, 'M', '省'), + (0xF96E, 'M', '葉'), + (0xF96F, 'M', '說'), + (0xF970, 'M', '殺'), + (0xF971, 'M', '辰'), + (0xF972, 'M', '沈'), + (0xF973, 'M', '拾'), + (0xF974, 'M', '若'), + (0xF975, 'M', '掠'), + (0xF976, 'M', '略'), + (0xF977, 'M', '亮'), + (0xF978, 'M', '兩'), + (0xF979, 'M', '凉'), + (0xF97A, 'M', '梁'), + (0xF97B, 'M', '糧'), + (0xF97C, 'M', '良'), + (0xF97D, 'M', '諒'), + (0xF97E, 'M', '量'), + (0xF97F, 'M', '勵'), + (0xF980, 'M', '呂'), + (0xF981, 'M', '女'), + (0xF982, 'M', '廬'), + (0xF983, 'M', '旅'), + (0xF984, 'M', '濾'), + (0xF985, 'M', '礪'), + (0xF986, 'M', '閭'), + (0xF987, 'M', '驪'), + (0xF988, 'M', '麗'), + (0xF989, 'M', '黎'), + (0xF98A, 'M', '力'), + (0xF98B, 'M', '曆'), + (0xF98C, 'M', '歷'), + (0xF98D, 'M', '轢'), + (0xF98E, 'M', '年'), + (0xF98F, 'M', '憐'), + (0xF990, 'M', '戀'), + (0xF991, 'M', '撚'), + (0xF992, 'M', '漣'), + (0xF993, 'M', '煉'), + (0xF994, 'M', '璉'), + (0xF995, 'M', '秊'), + (0xF996, 'M', '練'), + (0xF997, 'M', '聯'), + (0xF998, 'M', '輦'), + (0xF999, 'M', '蓮'), + (0xF99A, 'M', '連'), + (0xF99B, 'M', '鍊'), + (0xF99C, 'M', '列'), + (0xF99D, 'M', '劣'), + (0xF99E, 'M', '咽'), + (0xF99F, 'M', '烈'), + (0xF9A0, 'M', '裂'), + (0xF9A1, 'M', '說'), + (0xF9A2, 'M', '廉'), + (0xF9A3, 'M', '念'), + (0xF9A4, 'M', '捻'), + (0xF9A5, 'M', '殮'), + (0xF9A6, 'M', '簾'), + (0xF9A7, 'M', '獵'), + (0xF9A8, 'M', '令'), + (0xF9A9, 'M', '囹'), + (0xF9AA, 'M', '寧'), + (0xF9AB, 'M', '嶺'), + (0xF9AC, 'M', '怜'), + (0xF9AD, 'M', '玲'), + (0xF9AE, 'M', '瑩'), + (0xF9AF, 'M', '羚'), + (0xF9B0, 'M', '聆'), + (0xF9B1, 'M', '鈴'), + (0xF9B2, 'M', '零'), + ] + +def _seg_41(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xF9B3, 'M', '靈'), + (0xF9B4, 'M', '領'), + (0xF9B5, 'M', '例'), + (0xF9B6, 'M', '禮'), + (0xF9B7, 'M', '醴'), + (0xF9B8, 'M', '隸'), + (0xF9B9, 'M', '惡'), + (0xF9BA, 'M', '了'), + (0xF9BB, 'M', '僚'), + (0xF9BC, 'M', '寮'), + (0xF9BD, 'M', '尿'), + (0xF9BE, 'M', '料'), + (0xF9BF, 'M', '樂'), + (0xF9C0, 'M', '燎'), + (0xF9C1, 'M', '療'), + (0xF9C2, 'M', '蓼'), + (0xF9C3, 'M', '遼'), + (0xF9C4, 'M', '龍'), + (0xF9C5, 'M', '暈'), + (0xF9C6, 'M', '阮'), + (0xF9C7, 'M', '劉'), + (0xF9C8, 'M', '杻'), + (0xF9C9, 'M', '柳'), + (0xF9CA, 'M', '流'), + (0xF9CB, 'M', '溜'), + (0xF9CC, 'M', '琉'), + (0xF9CD, 'M', '留'), + (0xF9CE, 'M', '硫'), + (0xF9CF, 'M', '紐'), + (0xF9D0, 'M', '類'), + (0xF9D1, 'M', '六'), + (0xF9D2, 'M', '戮'), + (0xF9D3, 'M', '陸'), + (0xF9D4, 'M', '倫'), + (0xF9D5, 'M', '崙'), + (0xF9D6, 'M', '淪'), + (0xF9D7, 'M', '輪'), + (0xF9D8, 'M', '律'), + (0xF9D9, 'M', '慄'), + (0xF9DA, 'M', '栗'), + (0xF9DB, 'M', '率'), + (0xF9DC, 'M', '隆'), + (0xF9DD, 'M', '利'), + (0xF9DE, 'M', '吏'), + (0xF9DF, 'M', '履'), + (0xF9E0, 'M', '易'), + (0xF9E1, 'M', '李'), + (0xF9E2, 'M', '梨'), + (0xF9E3, 'M', '泥'), + (0xF9E4, 'M', '理'), + (0xF9E5, 'M', '痢'), + (0xF9E6, 'M', '罹'), + (0xF9E7, 'M', '裏'), + (0xF9E8, 'M', '裡'), + (0xF9E9, 'M', '里'), + (0xF9EA, 'M', '離'), + (0xF9EB, 'M', '匿'), + (0xF9EC, 'M', '溺'), + (0xF9ED, 'M', '吝'), + (0xF9EE, 'M', '燐'), + (0xF9EF, 'M', '璘'), + (0xF9F0, 'M', '藺'), + (0xF9F1, 'M', '隣'), + (0xF9F2, 'M', '鱗'), + (0xF9F3, 'M', '麟'), + (0xF9F4, 'M', '林'), + (0xF9F5, 'M', '淋'), + (0xF9F6, 'M', '臨'), + (0xF9F7, 'M', '立'), + (0xF9F8, 'M', '笠'), + (0xF9F9, 'M', '粒'), + (0xF9FA, 'M', '狀'), + (0xF9FB, 'M', '炙'), + (0xF9FC, 'M', '識'), + (0xF9FD, 'M', '什'), + (0xF9FE, 'M', '茶'), + (0xF9FF, 'M', '刺'), + (0xFA00, 'M', '切'), + (0xFA01, 'M', '度'), + (0xFA02, 'M', '拓'), + (0xFA03, 'M', '糖'), + (0xFA04, 'M', '宅'), + (0xFA05, 'M', '洞'), + (0xFA06, 'M', '暴'), + (0xFA07, 'M', '輻'), + (0xFA08, 'M', '行'), + (0xFA09, 'M', '降'), + (0xFA0A, 'M', '見'), + (0xFA0B, 'M', '廓'), + (0xFA0C, 'M', '兀'), + (0xFA0D, 'M', '嗀'), + (0xFA0E, 'V'), + (0xFA10, 'M', '塚'), + (0xFA11, 'V'), + (0xFA12, 'M', '晴'), + (0xFA13, 'V'), + (0xFA15, 'M', '凞'), + (0xFA16, 'M', '猪'), + (0xFA17, 'M', '益'), + (0xFA18, 'M', '礼'), + ] + +def _seg_42(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xFA19, 'M', '神'), + (0xFA1A, 'M', '祥'), + (0xFA1B, 'M', '福'), + (0xFA1C, 'M', '靖'), + (0xFA1D, 'M', '精'), + (0xFA1E, 'M', '羽'), + (0xFA1F, 'V'), + (0xFA20, 'M', '蘒'), + (0xFA21, 'V'), + (0xFA22, 'M', '諸'), + (0xFA23, 'V'), + (0xFA25, 'M', '逸'), + (0xFA26, 'M', '都'), + (0xFA27, 'V'), + (0xFA2A, 'M', '飯'), + (0xFA2B, 'M', '飼'), + (0xFA2C, 'M', '館'), + (0xFA2D, 'M', '鶴'), + (0xFA2E, 'M', '郞'), + (0xFA2F, 'M', '隷'), + (0xFA30, 'M', '侮'), + (0xFA31, 'M', '僧'), + (0xFA32, 'M', '免'), + (0xFA33, 'M', '勉'), + (0xFA34, 'M', '勤'), + (0xFA35, 'M', '卑'), + (0xFA36, 'M', '喝'), + (0xFA37, 'M', '嘆'), + (0xFA38, 'M', '器'), + (0xFA39, 'M', '塀'), + (0xFA3A, 'M', '墨'), + (0xFA3B, 'M', '層'), + (0xFA3C, 'M', '屮'), + (0xFA3D, 'M', '悔'), + (0xFA3E, 'M', '慨'), + (0xFA3F, 'M', '憎'), + (0xFA40, 'M', '懲'), + (0xFA41, 'M', '敏'), + (0xFA42, 'M', '既'), + (0xFA43, 'M', '暑'), + (0xFA44, 'M', '梅'), + (0xFA45, 'M', '海'), + (0xFA46, 'M', '渚'), + (0xFA47, 'M', '漢'), + (0xFA48, 'M', '煮'), + (0xFA49, 'M', '爫'), + (0xFA4A, 'M', '琢'), + (0xFA4B, 'M', '碑'), + (0xFA4C, 'M', '社'), + (0xFA4D, 'M', '祉'), + (0xFA4E, 'M', '祈'), + (0xFA4F, 'M', '祐'), + (0xFA50, 'M', '祖'), + (0xFA51, 'M', '祝'), + (0xFA52, 'M', '禍'), + (0xFA53, 'M', '禎'), + (0xFA54, 'M', '穀'), + (0xFA55, 'M', '突'), + (0xFA56, 'M', '節'), + (0xFA57, 'M', '練'), + (0xFA58, 'M', '縉'), + (0xFA59, 'M', '繁'), + (0xFA5A, 'M', '署'), + (0xFA5B, 'M', '者'), + (0xFA5C, 'M', '臭'), + (0xFA5D, 'M', '艹'), + (0xFA5F, 'M', '著'), + (0xFA60, 'M', '褐'), + (0xFA61, 'M', '視'), + (0xFA62, 'M', '謁'), + (0xFA63, 'M', '謹'), + (0xFA64, 'M', '賓'), + (0xFA65, 'M', '贈'), + (0xFA66, 'M', '辶'), + (0xFA67, 'M', '逸'), + (0xFA68, 'M', '難'), + (0xFA69, 'M', '響'), + (0xFA6A, 'M', '頻'), + (0xFA6B, 'M', '恵'), + (0xFA6C, 'M', '𤋮'), + (0xFA6D, 'M', '舘'), + (0xFA6E, 'X'), + (0xFA70, 'M', '並'), + (0xFA71, 'M', '况'), + (0xFA72, 'M', '全'), + (0xFA73, 'M', '侀'), + (0xFA74, 'M', '充'), + (0xFA75, 'M', '冀'), + (0xFA76, 'M', '勇'), + (0xFA77, 'M', '勺'), + (0xFA78, 'M', '喝'), + (0xFA79, 'M', '啕'), + (0xFA7A, 'M', '喙'), + (0xFA7B, 'M', '嗢'), + (0xFA7C, 'M', '塚'), + (0xFA7D, 'M', '墳'), + (0xFA7E, 'M', '奄'), + (0xFA7F, 'M', '奔'), + (0xFA80, 'M', '婢'), + (0xFA81, 'M', '嬨'), + ] + +def _seg_43(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xFA82, 'M', '廒'), + (0xFA83, 'M', '廙'), + (0xFA84, 'M', '彩'), + (0xFA85, 'M', '徭'), + (0xFA86, 'M', '惘'), + (0xFA87, 'M', '慎'), + (0xFA88, 'M', '愈'), + (0xFA89, 'M', '憎'), + (0xFA8A, 'M', '慠'), + (0xFA8B, 'M', '懲'), + (0xFA8C, 'M', '戴'), + (0xFA8D, 'M', '揄'), + (0xFA8E, 'M', '搜'), + (0xFA8F, 'M', '摒'), + (0xFA90, 'M', '敖'), + (0xFA91, 'M', '晴'), + (0xFA92, 'M', '朗'), + (0xFA93, 'M', '望'), + (0xFA94, 'M', '杖'), + (0xFA95, 'M', '歹'), + (0xFA96, 'M', '殺'), + (0xFA97, 'M', '流'), + (0xFA98, 'M', '滛'), + (0xFA99, 'M', '滋'), + (0xFA9A, 'M', '漢'), + (0xFA9B, 'M', '瀞'), + (0xFA9C, 'M', '煮'), + (0xFA9D, 'M', '瞧'), + (0xFA9E, 'M', '爵'), + (0xFA9F, 'M', '犯'), + (0xFAA0, 'M', '猪'), + (0xFAA1, 'M', '瑱'), + (0xFAA2, 'M', '甆'), + (0xFAA3, 'M', '画'), + (0xFAA4, 'M', '瘝'), + (0xFAA5, 'M', '瘟'), + (0xFAA6, 'M', '益'), + (0xFAA7, 'M', '盛'), + (0xFAA8, 'M', '直'), + (0xFAA9, 'M', '睊'), + (0xFAAA, 'M', '着'), + (0xFAAB, 'M', '磌'), + (0xFAAC, 'M', '窱'), + (0xFAAD, 'M', '節'), + (0xFAAE, 'M', '类'), + (0xFAAF, 'M', '絛'), + (0xFAB0, 'M', '練'), + (0xFAB1, 'M', '缾'), + (0xFAB2, 'M', '者'), + (0xFAB3, 'M', '荒'), + (0xFAB4, 'M', '華'), + (0xFAB5, 'M', '蝹'), + (0xFAB6, 'M', '襁'), + (0xFAB7, 'M', '覆'), + (0xFAB8, 'M', '視'), + (0xFAB9, 'M', '調'), + (0xFABA, 'M', '諸'), + (0xFABB, 'M', '請'), + (0xFABC, 'M', '謁'), + (0xFABD, 'M', '諾'), + (0xFABE, 'M', '諭'), + (0xFABF, 'M', '謹'), + (0xFAC0, 'M', '變'), + (0xFAC1, 'M', '贈'), + (0xFAC2, 'M', '輸'), + (0xFAC3, 'M', '遲'), + (0xFAC4, 'M', '醙'), + (0xFAC5, 'M', '鉶'), + (0xFAC6, 'M', '陼'), + (0xFAC7, 'M', '難'), + (0xFAC8, 'M', '靖'), + (0xFAC9, 'M', '韛'), + (0xFACA, 'M', '響'), + (0xFACB, 'M', '頋'), + (0xFACC, 'M', '頻'), + (0xFACD, 'M', '鬒'), + (0xFACE, 'M', '龜'), + (0xFACF, 'M', '𢡊'), + (0xFAD0, 'M', '𢡄'), + (0xFAD1, 'M', '𣏕'), + (0xFAD2, 'M', '㮝'), + (0xFAD3, 'M', '䀘'), + (0xFAD4, 'M', '䀹'), + (0xFAD5, 'M', '𥉉'), + (0xFAD6, 'M', '𥳐'), + (0xFAD7, 'M', '𧻓'), + (0xFAD8, 'M', '齃'), + (0xFAD9, 'M', '龎'), + (0xFADA, 'X'), + (0xFB00, 'M', 'ff'), + (0xFB01, 'M', 'fi'), + (0xFB02, 'M', 'fl'), + (0xFB03, 'M', 'ffi'), + (0xFB04, 'M', 'ffl'), + (0xFB05, 'M', 'st'), + (0xFB07, 'X'), + (0xFB13, 'M', 'մն'), + (0xFB14, 'M', 'մե'), + (0xFB15, 'M', 'մի'), + (0xFB16, 'M', 'վն'), + ] + +def _seg_44(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xFB17, 'M', 'մխ'), + (0xFB18, 'X'), + (0xFB1D, 'M', 'יִ'), + (0xFB1E, 'V'), + (0xFB1F, 'M', 'ײַ'), + (0xFB20, 'M', 'ע'), + (0xFB21, 'M', 'א'), + (0xFB22, 'M', 'ד'), + (0xFB23, 'M', 'ה'), + (0xFB24, 'M', 'כ'), + (0xFB25, 'M', 'ל'), + (0xFB26, 'M', 'ם'), + (0xFB27, 'M', 'ר'), + (0xFB28, 'M', 'ת'), + (0xFB29, '3', '+'), + (0xFB2A, 'M', 'שׁ'), + (0xFB2B, 'M', 'שׂ'), + (0xFB2C, 'M', 'שּׁ'), + (0xFB2D, 'M', 'שּׂ'), + (0xFB2E, 'M', 'אַ'), + (0xFB2F, 'M', 'אָ'), + (0xFB30, 'M', 'אּ'), + (0xFB31, 'M', 'בּ'), + (0xFB32, 'M', 'גּ'), + (0xFB33, 'M', 'דּ'), + (0xFB34, 'M', 'הּ'), + (0xFB35, 'M', 'וּ'), + (0xFB36, 'M', 'זּ'), + (0xFB37, 'X'), + (0xFB38, 'M', 'טּ'), + (0xFB39, 'M', 'יּ'), + (0xFB3A, 'M', 'ךּ'), + (0xFB3B, 'M', 'כּ'), + (0xFB3C, 'M', 'לּ'), + (0xFB3D, 'X'), + (0xFB3E, 'M', 'מּ'), + (0xFB3F, 'X'), + (0xFB40, 'M', 'נּ'), + (0xFB41, 'M', 'סּ'), + (0xFB42, 'X'), + (0xFB43, 'M', 'ףּ'), + (0xFB44, 'M', 'פּ'), + (0xFB45, 'X'), + (0xFB46, 'M', 'צּ'), + (0xFB47, 'M', 'קּ'), + (0xFB48, 'M', 'רּ'), + (0xFB49, 'M', 'שּ'), + (0xFB4A, 'M', 'תּ'), + (0xFB4B, 'M', 'וֹ'), + (0xFB4C, 'M', 'בֿ'), + (0xFB4D, 'M', 'כֿ'), + (0xFB4E, 'M', 'פֿ'), + (0xFB4F, 'M', 'אל'), + (0xFB50, 'M', 'ٱ'), + (0xFB52, 'M', 'ٻ'), + (0xFB56, 'M', 'پ'), + (0xFB5A, 'M', 'ڀ'), + (0xFB5E, 'M', 'ٺ'), + (0xFB62, 'M', 'ٿ'), + (0xFB66, 'M', 'ٹ'), + (0xFB6A, 'M', 'ڤ'), + (0xFB6E, 'M', 'ڦ'), + (0xFB72, 'M', 'ڄ'), + (0xFB76, 'M', 'ڃ'), + (0xFB7A, 'M', 'چ'), + (0xFB7E, 'M', 'ڇ'), + (0xFB82, 'M', 'ڍ'), + (0xFB84, 'M', 'ڌ'), + (0xFB86, 'M', 'ڎ'), + (0xFB88, 'M', 'ڈ'), + (0xFB8A, 'M', 'ژ'), + (0xFB8C, 'M', 'ڑ'), + (0xFB8E, 'M', 'ک'), + (0xFB92, 'M', 'گ'), + (0xFB96, 'M', 'ڳ'), + (0xFB9A, 'M', 'ڱ'), + (0xFB9E, 'M', 'ں'), + (0xFBA0, 'M', 'ڻ'), + (0xFBA4, 'M', 'ۀ'), + (0xFBA6, 'M', 'ہ'), + (0xFBAA, 'M', 'ھ'), + (0xFBAE, 'M', 'ے'), + (0xFBB0, 'M', 'ۓ'), + (0xFBB2, 'V'), + (0xFBC2, 'X'), + (0xFBD3, 'M', 'ڭ'), + (0xFBD7, 'M', 'ۇ'), + (0xFBD9, 'M', 'ۆ'), + (0xFBDB, 'M', 'ۈ'), + (0xFBDD, 'M', 'ۇٴ'), + (0xFBDE, 'M', 'ۋ'), + (0xFBE0, 'M', 'ۅ'), + (0xFBE2, 'M', 'ۉ'), + (0xFBE4, 'M', 'ې'), + (0xFBE8, 'M', 'ى'), + (0xFBEA, 'M', 'ئا'), + (0xFBEC, 'M', 'ئە'), + (0xFBEE, 'M', 'ئو'), + (0xFBF0, 'M', 'ئۇ'), + (0xFBF2, 'M', 'ئۆ'), + ] + +def _seg_45(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xFBF4, 'M', 'ئۈ'), + (0xFBF6, 'M', 'ئې'), + (0xFBF9, 'M', 'ئى'), + (0xFBFC, 'M', 'ی'), + (0xFC00, 'M', 'ئج'), + (0xFC01, 'M', 'ئح'), + (0xFC02, 'M', 'ئم'), + (0xFC03, 'M', 'ئى'), + (0xFC04, 'M', 'ئي'), + (0xFC05, 'M', 'بج'), + (0xFC06, 'M', 'بح'), + (0xFC07, 'M', 'بخ'), + (0xFC08, 'M', 'بم'), + (0xFC09, 'M', 'بى'), + (0xFC0A, 'M', 'بي'), + (0xFC0B, 'M', 'تج'), + (0xFC0C, 'M', 'تح'), + (0xFC0D, 'M', 'تخ'), + (0xFC0E, 'M', 'تم'), + (0xFC0F, 'M', 'تى'), + (0xFC10, 'M', 'تي'), + (0xFC11, 'M', 'ثج'), + (0xFC12, 'M', 'ثم'), + (0xFC13, 'M', 'ثى'), + (0xFC14, 'M', 'ثي'), + (0xFC15, 'M', 'جح'), + (0xFC16, 'M', 'جم'), + (0xFC17, 'M', 'حج'), + (0xFC18, 'M', 'حم'), + (0xFC19, 'M', 'خج'), + (0xFC1A, 'M', 'خح'), + (0xFC1B, 'M', 'خم'), + (0xFC1C, 'M', 'سج'), + (0xFC1D, 'M', 'سح'), + (0xFC1E, 'M', 'سخ'), + (0xFC1F, 'M', 'سم'), + (0xFC20, 'M', 'صح'), + (0xFC21, 'M', 'صم'), + (0xFC22, 'M', 'ضج'), + (0xFC23, 'M', 'ضح'), + (0xFC24, 'M', 'ضخ'), + (0xFC25, 'M', 'ضم'), + (0xFC26, 'M', 'طح'), + (0xFC27, 'M', 'طم'), + (0xFC28, 'M', 'ظم'), + (0xFC29, 'M', 'عج'), + (0xFC2A, 'M', 'عم'), + (0xFC2B, 'M', 'غج'), + (0xFC2C, 'M', 'غم'), + (0xFC2D, 'M', 'فج'), + (0xFC2E, 'M', 'فح'), + (0xFC2F, 'M', 'فخ'), + (0xFC30, 'M', 'فم'), + (0xFC31, 'M', 'فى'), + (0xFC32, 'M', 'في'), + (0xFC33, 'M', 'قح'), + (0xFC34, 'M', 'قم'), + (0xFC35, 'M', 'قى'), + (0xFC36, 'M', 'قي'), + (0xFC37, 'M', 'كا'), + (0xFC38, 'M', 'كج'), + (0xFC39, 'M', 'كح'), + (0xFC3A, 'M', 'كخ'), + (0xFC3B, 'M', 'كل'), + (0xFC3C, 'M', 'كم'), + (0xFC3D, 'M', 'كى'), + (0xFC3E, 'M', 'كي'), + (0xFC3F, 'M', 'لج'), + (0xFC40, 'M', 'لح'), + (0xFC41, 'M', 'لخ'), + (0xFC42, 'M', 'لم'), + (0xFC43, 'M', 'لى'), + (0xFC44, 'M', 'لي'), + (0xFC45, 'M', 'مج'), + (0xFC46, 'M', 'مح'), + (0xFC47, 'M', 'مخ'), + (0xFC48, 'M', 'مم'), + (0xFC49, 'M', 'مى'), + (0xFC4A, 'M', 'مي'), + (0xFC4B, 'M', 'نج'), + (0xFC4C, 'M', 'نح'), + (0xFC4D, 'M', 'نخ'), + (0xFC4E, 'M', 'نم'), + (0xFC4F, 'M', 'نى'), + (0xFC50, 'M', 'ني'), + (0xFC51, 'M', 'هج'), + (0xFC52, 'M', 'هم'), + (0xFC53, 'M', 'هى'), + (0xFC54, 'M', 'هي'), + (0xFC55, 'M', 'يج'), + (0xFC56, 'M', 'يح'), + (0xFC57, 'M', 'يخ'), + (0xFC58, 'M', 'يم'), + (0xFC59, 'M', 'يى'), + (0xFC5A, 'M', 'يي'), + (0xFC5B, 'M', 'ذٰ'), + (0xFC5C, 'M', 'رٰ'), + (0xFC5D, 'M', 'ىٰ'), + (0xFC5E, '3', ' ٌّ'), + (0xFC5F, '3', ' ٍّ'), + ] + +def _seg_46(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xFC60, '3', ' َّ'), + (0xFC61, '3', ' ُّ'), + (0xFC62, '3', ' ِّ'), + (0xFC63, '3', ' ّٰ'), + (0xFC64, 'M', 'ئر'), + (0xFC65, 'M', 'ئز'), + (0xFC66, 'M', 'ئم'), + (0xFC67, 'M', 'ئن'), + (0xFC68, 'M', 'ئى'), + (0xFC69, 'M', 'ئي'), + (0xFC6A, 'M', 'بر'), + (0xFC6B, 'M', 'بز'), + (0xFC6C, 'M', 'بم'), + (0xFC6D, 'M', 'بن'), + (0xFC6E, 'M', 'بى'), + (0xFC6F, 'M', 'بي'), + (0xFC70, 'M', 'تر'), + (0xFC71, 'M', 'تز'), + (0xFC72, 'M', 'تم'), + (0xFC73, 'M', 'تن'), + (0xFC74, 'M', 'تى'), + (0xFC75, 'M', 'تي'), + (0xFC76, 'M', 'ثر'), + (0xFC77, 'M', 'ثز'), + (0xFC78, 'M', 'ثم'), + (0xFC79, 'M', 'ثن'), + (0xFC7A, 'M', 'ثى'), + (0xFC7B, 'M', 'ثي'), + (0xFC7C, 'M', 'فى'), + (0xFC7D, 'M', 'في'), + (0xFC7E, 'M', 'قى'), + (0xFC7F, 'M', 'قي'), + (0xFC80, 'M', 'كا'), + (0xFC81, 'M', 'كل'), + (0xFC82, 'M', 'كم'), + (0xFC83, 'M', 'كى'), + (0xFC84, 'M', 'كي'), + (0xFC85, 'M', 'لم'), + (0xFC86, 'M', 'لى'), + (0xFC87, 'M', 'لي'), + (0xFC88, 'M', 'ما'), + (0xFC89, 'M', 'مم'), + (0xFC8A, 'M', 'نر'), + (0xFC8B, 'M', 'نز'), + (0xFC8C, 'M', 'نم'), + (0xFC8D, 'M', 'نن'), + (0xFC8E, 'M', 'نى'), + (0xFC8F, 'M', 'ني'), + (0xFC90, 'M', 'ىٰ'), + (0xFC91, 'M', 'ير'), + (0xFC92, 'M', 'يز'), + (0xFC93, 'M', 'يم'), + (0xFC94, 'M', 'ين'), + (0xFC95, 'M', 'يى'), + (0xFC96, 'M', 'يي'), + (0xFC97, 'M', 'ئج'), + (0xFC98, 'M', 'ئح'), + (0xFC99, 'M', 'ئخ'), + (0xFC9A, 'M', 'ئم'), + (0xFC9B, 'M', 'ئه'), + (0xFC9C, 'M', 'بج'), + (0xFC9D, 'M', 'بح'), + (0xFC9E, 'M', 'بخ'), + (0xFC9F, 'M', 'بم'), + (0xFCA0, 'M', 'به'), + (0xFCA1, 'M', 'تج'), + (0xFCA2, 'M', 'تح'), + (0xFCA3, 'M', 'تخ'), + (0xFCA4, 'M', 'تم'), + (0xFCA5, 'M', 'ته'), + (0xFCA6, 'M', 'ثم'), + (0xFCA7, 'M', 'جح'), + (0xFCA8, 'M', 'جم'), + (0xFCA9, 'M', 'حج'), + (0xFCAA, 'M', 'حم'), + (0xFCAB, 'M', 'خج'), + (0xFCAC, 'M', 'خم'), + (0xFCAD, 'M', 'سج'), + (0xFCAE, 'M', 'سح'), + (0xFCAF, 'M', 'سخ'), + (0xFCB0, 'M', 'سم'), + (0xFCB1, 'M', 'صح'), + (0xFCB2, 'M', 'صخ'), + (0xFCB3, 'M', 'صم'), + (0xFCB4, 'M', 'ضج'), + (0xFCB5, 'M', 'ضح'), + (0xFCB6, 'M', 'ضخ'), + (0xFCB7, 'M', 'ضم'), + (0xFCB8, 'M', 'طح'), + (0xFCB9, 'M', 'ظم'), + (0xFCBA, 'M', 'عج'), + (0xFCBB, 'M', 'عم'), + (0xFCBC, 'M', 'غج'), + (0xFCBD, 'M', 'غم'), + (0xFCBE, 'M', 'فج'), + (0xFCBF, 'M', 'فح'), + (0xFCC0, 'M', 'فخ'), + (0xFCC1, 'M', 'فم'), + (0xFCC2, 'M', 'قح'), + (0xFCC3, 'M', 'قم'), + ] + +def _seg_47(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xFCC4, 'M', 'كج'), + (0xFCC5, 'M', 'كح'), + (0xFCC6, 'M', 'كخ'), + (0xFCC7, 'M', 'كل'), + (0xFCC8, 'M', 'كم'), + (0xFCC9, 'M', 'لج'), + (0xFCCA, 'M', 'لح'), + (0xFCCB, 'M', 'لخ'), + (0xFCCC, 'M', 'لم'), + (0xFCCD, 'M', 'له'), + (0xFCCE, 'M', 'مج'), + (0xFCCF, 'M', 'مح'), + (0xFCD0, 'M', 'مخ'), + (0xFCD1, 'M', 'مم'), + (0xFCD2, 'M', 'نج'), + (0xFCD3, 'M', 'نح'), + (0xFCD4, 'M', 'نخ'), + (0xFCD5, 'M', 'نم'), + (0xFCD6, 'M', 'نه'), + (0xFCD7, 'M', 'هج'), + (0xFCD8, 'M', 'هم'), + (0xFCD9, 'M', 'هٰ'), + (0xFCDA, 'M', 'يج'), + (0xFCDB, 'M', 'يح'), + (0xFCDC, 'M', 'يخ'), + (0xFCDD, 'M', 'يم'), + (0xFCDE, 'M', 'يه'), + (0xFCDF, 'M', 'ئم'), + (0xFCE0, 'M', 'ئه'), + (0xFCE1, 'M', 'بم'), + (0xFCE2, 'M', 'به'), + (0xFCE3, 'M', 'تم'), + (0xFCE4, 'M', 'ته'), + (0xFCE5, 'M', 'ثم'), + (0xFCE6, 'M', 'ثه'), + (0xFCE7, 'M', 'سم'), + (0xFCE8, 'M', 'سه'), + (0xFCE9, 'M', 'شم'), + (0xFCEA, 'M', 'شه'), + (0xFCEB, 'M', 'كل'), + (0xFCEC, 'M', 'كم'), + (0xFCED, 'M', 'لم'), + (0xFCEE, 'M', 'نم'), + (0xFCEF, 'M', 'نه'), + (0xFCF0, 'M', 'يم'), + (0xFCF1, 'M', 'يه'), + (0xFCF2, 'M', 'ـَّ'), + (0xFCF3, 'M', 'ـُّ'), + (0xFCF4, 'M', 'ـِّ'), + (0xFCF5, 'M', 'طى'), + (0xFCF6, 'M', 'طي'), + (0xFCF7, 'M', 'عى'), + (0xFCF8, 'M', 'عي'), + (0xFCF9, 'M', 'غى'), + (0xFCFA, 'M', 'غي'), + (0xFCFB, 'M', 'سى'), + (0xFCFC, 'M', 'سي'), + (0xFCFD, 'M', 'شى'), + (0xFCFE, 'M', 'شي'), + (0xFCFF, 'M', 'حى'), + (0xFD00, 'M', 'حي'), + (0xFD01, 'M', 'جى'), + (0xFD02, 'M', 'جي'), + (0xFD03, 'M', 'خى'), + (0xFD04, 'M', 'خي'), + (0xFD05, 'M', 'صى'), + (0xFD06, 'M', 'صي'), + (0xFD07, 'M', 'ضى'), + (0xFD08, 'M', 'ضي'), + (0xFD09, 'M', 'شج'), + (0xFD0A, 'M', 'شح'), + (0xFD0B, 'M', 'شخ'), + (0xFD0C, 'M', 'شم'), + (0xFD0D, 'M', 'شر'), + (0xFD0E, 'M', 'سر'), + (0xFD0F, 'M', 'صر'), + (0xFD10, 'M', 'ضر'), + (0xFD11, 'M', 'طى'), + (0xFD12, 'M', 'طي'), + (0xFD13, 'M', 'عى'), + (0xFD14, 'M', 'عي'), + (0xFD15, 'M', 'غى'), + (0xFD16, 'M', 'غي'), + (0xFD17, 'M', 'سى'), + (0xFD18, 'M', 'سي'), + (0xFD19, 'M', 'شى'), + (0xFD1A, 'M', 'شي'), + (0xFD1B, 'M', 'حى'), + (0xFD1C, 'M', 'حي'), + (0xFD1D, 'M', 'جى'), + (0xFD1E, 'M', 'جي'), + (0xFD1F, 'M', 'خى'), + (0xFD20, 'M', 'خي'), + (0xFD21, 'M', 'صى'), + (0xFD22, 'M', 'صي'), + (0xFD23, 'M', 'ضى'), + (0xFD24, 'M', 'ضي'), + (0xFD25, 'M', 'شج'), + (0xFD26, 'M', 'شح'), + (0xFD27, 'M', 'شخ'), + ] + +def _seg_48(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xFD28, 'M', 'شم'), + (0xFD29, 'M', 'شر'), + (0xFD2A, 'M', 'سر'), + (0xFD2B, 'M', 'صر'), + (0xFD2C, 'M', 'ضر'), + (0xFD2D, 'M', 'شج'), + (0xFD2E, 'M', 'شح'), + (0xFD2F, 'M', 'شخ'), + (0xFD30, 'M', 'شم'), + (0xFD31, 'M', 'سه'), + (0xFD32, 'M', 'شه'), + (0xFD33, 'M', 'طم'), + (0xFD34, 'M', 'سج'), + (0xFD35, 'M', 'سح'), + (0xFD36, 'M', 'سخ'), + (0xFD37, 'M', 'شج'), + (0xFD38, 'M', 'شح'), + (0xFD39, 'M', 'شخ'), + (0xFD3A, 'M', 'طم'), + (0xFD3B, 'M', 'ظم'), + (0xFD3C, 'M', 'اً'), + (0xFD3E, 'V'), + (0xFD40, 'X'), + (0xFD50, 'M', 'تجم'), + (0xFD51, 'M', 'تحج'), + (0xFD53, 'M', 'تحم'), + (0xFD54, 'M', 'تخم'), + (0xFD55, 'M', 'تمج'), + (0xFD56, 'M', 'تمح'), + (0xFD57, 'M', 'تمخ'), + (0xFD58, 'M', 'جمح'), + (0xFD5A, 'M', 'حمي'), + (0xFD5B, 'M', 'حمى'), + (0xFD5C, 'M', 'سحج'), + (0xFD5D, 'M', 'سجح'), + (0xFD5E, 'M', 'سجى'), + (0xFD5F, 'M', 'سمح'), + (0xFD61, 'M', 'سمج'), + (0xFD62, 'M', 'سمم'), + (0xFD64, 'M', 'صحح'), + (0xFD66, 'M', 'صمم'), + (0xFD67, 'M', 'شحم'), + (0xFD69, 'M', 'شجي'), + (0xFD6A, 'M', 'شمخ'), + (0xFD6C, 'M', 'شمم'), + (0xFD6E, 'M', 'ضحى'), + (0xFD6F, 'M', 'ضخم'), + (0xFD71, 'M', 'طمح'), + (0xFD73, 'M', 'طمم'), + (0xFD74, 'M', 'طمي'), + (0xFD75, 'M', 'عجم'), + (0xFD76, 'M', 'عمم'), + (0xFD78, 'M', 'عمى'), + (0xFD79, 'M', 'غمم'), + (0xFD7A, 'M', 'غمي'), + (0xFD7B, 'M', 'غمى'), + (0xFD7C, 'M', 'فخم'), + (0xFD7E, 'M', 'قمح'), + (0xFD7F, 'M', 'قمم'), + (0xFD80, 'M', 'لحم'), + (0xFD81, 'M', 'لحي'), + (0xFD82, 'M', 'لحى'), + (0xFD83, 'M', 'لجج'), + (0xFD85, 'M', 'لخم'), + (0xFD87, 'M', 'لمح'), + (0xFD89, 'M', 'محج'), + (0xFD8A, 'M', 'محم'), + (0xFD8B, 'M', 'محي'), + (0xFD8C, 'M', 'مجح'), + (0xFD8D, 'M', 'مجم'), + (0xFD8E, 'M', 'مخج'), + (0xFD8F, 'M', 'مخم'), + (0xFD90, 'X'), + (0xFD92, 'M', 'مجخ'), + (0xFD93, 'M', 'همج'), + (0xFD94, 'M', 'همم'), + (0xFD95, 'M', 'نحم'), + (0xFD96, 'M', 'نحى'), + (0xFD97, 'M', 'نجم'), + (0xFD99, 'M', 'نجى'), + (0xFD9A, 'M', 'نمي'), + (0xFD9B, 'M', 'نمى'), + (0xFD9C, 'M', 'يمم'), + (0xFD9E, 'M', 'بخي'), + (0xFD9F, 'M', 'تجي'), + (0xFDA0, 'M', 'تجى'), + (0xFDA1, 'M', 'تخي'), + (0xFDA2, 'M', 'تخى'), + (0xFDA3, 'M', 'تمي'), + (0xFDA4, 'M', 'تمى'), + (0xFDA5, 'M', 'جمي'), + (0xFDA6, 'M', 'جحى'), + (0xFDA7, 'M', 'جمى'), + (0xFDA8, 'M', 'سخى'), + (0xFDA9, 'M', 'صحي'), + (0xFDAA, 'M', 'شحي'), + (0xFDAB, 'M', 'ضحي'), + (0xFDAC, 'M', 'لجي'), + (0xFDAD, 'M', 'لمي'), + (0xFDAE, 'M', 'يحي'), + ] + +def _seg_49(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xFDAF, 'M', 'يجي'), + (0xFDB0, 'M', 'يمي'), + (0xFDB1, 'M', 'ممي'), + (0xFDB2, 'M', 'قمي'), + (0xFDB3, 'M', 'نحي'), + (0xFDB4, 'M', 'قمح'), + (0xFDB5, 'M', 'لحم'), + (0xFDB6, 'M', 'عمي'), + (0xFDB7, 'M', 'كمي'), + (0xFDB8, 'M', 'نجح'), + (0xFDB9, 'M', 'مخي'), + (0xFDBA, 'M', 'لجم'), + (0xFDBB, 'M', 'كمم'), + (0xFDBC, 'M', 'لجم'), + (0xFDBD, 'M', 'نجح'), + (0xFDBE, 'M', 'جحي'), + (0xFDBF, 'M', 'حجي'), + (0xFDC0, 'M', 'مجي'), + (0xFDC1, 'M', 'فمي'), + (0xFDC2, 'M', 'بحي'), + (0xFDC3, 'M', 'كمم'), + (0xFDC4, 'M', 'عجم'), + (0xFDC5, 'M', 'صمم'), + (0xFDC6, 'M', 'سخي'), + (0xFDC7, 'M', 'نجي'), + (0xFDC8, 'X'), + (0xFDF0, 'M', 'صلے'), + (0xFDF1, 'M', 'قلے'), + (0xFDF2, 'M', 'الله'), + (0xFDF3, 'M', 'اكبر'), + (0xFDF4, 'M', 'محمد'), + (0xFDF5, 'M', 'صلعم'), + (0xFDF6, 'M', 'رسول'), + (0xFDF7, 'M', 'عليه'), + (0xFDF8, 'M', 'وسلم'), + (0xFDF9, 'M', 'صلى'), + (0xFDFA, '3', 'صلى الله عليه وسلم'), + (0xFDFB, '3', 'جل جلاله'), + (0xFDFC, 'M', 'ریال'), + (0xFDFD, 'V'), + (0xFDFE, 'X'), + (0xFE00, 'I'), + (0xFE10, '3', ','), + (0xFE11, 'M', '、'), + (0xFE12, 'X'), + (0xFE13, '3', ':'), + (0xFE14, '3', ';'), + (0xFE15, '3', '!'), + (0xFE16, '3', '?'), + (0xFE17, 'M', '〖'), + (0xFE18, 'M', '〗'), + (0xFE19, 'X'), + (0xFE20, 'V'), + (0xFE30, 'X'), + (0xFE31, 'M', '—'), + (0xFE32, 'M', '–'), + (0xFE33, '3', '_'), + (0xFE35, '3', '('), + (0xFE36, '3', ')'), + (0xFE37, '3', '{'), + (0xFE38, '3', '}'), + (0xFE39, 'M', '〔'), + (0xFE3A, 'M', '〕'), + (0xFE3B, 'M', '【'), + (0xFE3C, 'M', '】'), + (0xFE3D, 'M', '《'), + (0xFE3E, 'M', '》'), + (0xFE3F, 'M', '〈'), + (0xFE40, 'M', '〉'), + (0xFE41, 'M', '「'), + (0xFE42, 'M', '」'), + (0xFE43, 'M', '『'), + (0xFE44, 'M', '』'), + (0xFE45, 'V'), + (0xFE47, '3', '['), + (0xFE48, '3', ']'), + (0xFE49, '3', ' ̅'), + (0xFE4D, '3', '_'), + (0xFE50, '3', ','), + (0xFE51, 'M', '、'), + (0xFE52, 'X'), + (0xFE54, '3', ';'), + (0xFE55, '3', ':'), + (0xFE56, '3', '?'), + (0xFE57, '3', '!'), + (0xFE58, 'M', '—'), + (0xFE59, '3', '('), + (0xFE5A, '3', ')'), + (0xFE5B, '3', '{'), + (0xFE5C, '3', '}'), + (0xFE5D, 'M', '〔'), + (0xFE5E, 'M', '〕'), + (0xFE5F, '3', '#'), + (0xFE60, '3', '&'), + (0xFE61, '3', '*'), + (0xFE62, '3', '+'), + (0xFE63, 'M', '-'), + (0xFE64, '3', '<'), + (0xFE65, '3', '>'), + (0xFE66, '3', '='), + ] + +def _seg_50(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xFE67, 'X'), + (0xFE68, '3', '\\'), + (0xFE69, '3', '$'), + (0xFE6A, '3', '%'), + (0xFE6B, '3', '@'), + (0xFE6C, 'X'), + (0xFE70, '3', ' ً'), + (0xFE71, 'M', 'ـً'), + (0xFE72, '3', ' ٌ'), + (0xFE73, 'V'), + (0xFE74, '3', ' ٍ'), + (0xFE75, 'X'), + (0xFE76, '3', ' َ'), + (0xFE77, 'M', 'ـَ'), + (0xFE78, '3', ' ُ'), + (0xFE79, 'M', 'ـُ'), + (0xFE7A, '3', ' ِ'), + (0xFE7B, 'M', 'ـِ'), + (0xFE7C, '3', ' ّ'), + (0xFE7D, 'M', 'ـّ'), + (0xFE7E, '3', ' ْ'), + (0xFE7F, 'M', 'ـْ'), + (0xFE80, 'M', 'ء'), + (0xFE81, 'M', 'آ'), + (0xFE83, 'M', 'أ'), + (0xFE85, 'M', 'ؤ'), + (0xFE87, 'M', 'إ'), + (0xFE89, 'M', 'ئ'), + (0xFE8D, 'M', 'ا'), + (0xFE8F, 'M', 'ب'), + (0xFE93, 'M', 'ة'), + (0xFE95, 'M', 'ت'), + (0xFE99, 'M', 'ث'), + (0xFE9D, 'M', 'ج'), + (0xFEA1, 'M', 'ح'), + (0xFEA5, 'M', 'خ'), + (0xFEA9, 'M', 'د'), + (0xFEAB, 'M', 'ذ'), + (0xFEAD, 'M', 'ر'), + (0xFEAF, 'M', 'ز'), + (0xFEB1, 'M', 'س'), + (0xFEB5, 'M', 'ش'), + (0xFEB9, 'M', 'ص'), + (0xFEBD, 'M', 'ض'), + (0xFEC1, 'M', 'ط'), + (0xFEC5, 'M', 'ظ'), + (0xFEC9, 'M', 'ع'), + (0xFECD, 'M', 'غ'), + (0xFED1, 'M', 'ف'), + (0xFED5, 'M', 'ق'), + (0xFED9, 'M', 'ك'), + (0xFEDD, 'M', 'ل'), + (0xFEE1, 'M', 'م'), + (0xFEE5, 'M', 'ن'), + (0xFEE9, 'M', 'ه'), + (0xFEED, 'M', 'و'), + (0xFEEF, 'M', 'ى'), + (0xFEF1, 'M', 'ي'), + (0xFEF5, 'M', 'لآ'), + (0xFEF7, 'M', 'لأ'), + (0xFEF9, 'M', 'لإ'), + (0xFEFB, 'M', 'لا'), + (0xFEFD, 'X'), + (0xFEFF, 'I'), + (0xFF00, 'X'), + (0xFF01, '3', '!'), + (0xFF02, '3', '"'), + (0xFF03, '3', '#'), + (0xFF04, '3', '$'), + (0xFF05, '3', '%'), + (0xFF06, '3', '&'), + (0xFF07, '3', '\''), + (0xFF08, '3', '('), + (0xFF09, '3', ')'), + (0xFF0A, '3', '*'), + (0xFF0B, '3', '+'), + (0xFF0C, '3', ','), + (0xFF0D, 'M', '-'), + (0xFF0E, 'M', '.'), + (0xFF0F, '3', '/'), + (0xFF10, 'M', '0'), + (0xFF11, 'M', '1'), + (0xFF12, 'M', '2'), + (0xFF13, 'M', '3'), + (0xFF14, 'M', '4'), + (0xFF15, 'M', '5'), + (0xFF16, 'M', '6'), + (0xFF17, 'M', '7'), + (0xFF18, 'M', '8'), + (0xFF19, 'M', '9'), + (0xFF1A, '3', ':'), + (0xFF1B, '3', ';'), + (0xFF1C, '3', '<'), + (0xFF1D, '3', '='), + (0xFF1E, '3', '>'), + (0xFF1F, '3', '?'), + (0xFF20, '3', '@'), + (0xFF21, 'M', 'a'), + (0xFF22, 'M', 'b'), + (0xFF23, 'M', 'c'), + ] + +def _seg_51(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xFF24, 'M', 'd'), + (0xFF25, 'M', 'e'), + (0xFF26, 'M', 'f'), + (0xFF27, 'M', 'g'), + (0xFF28, 'M', 'h'), + (0xFF29, 'M', 'i'), + (0xFF2A, 'M', 'j'), + (0xFF2B, 'M', 'k'), + (0xFF2C, 'M', 'l'), + (0xFF2D, 'M', 'm'), + (0xFF2E, 'M', 'n'), + (0xFF2F, 'M', 'o'), + (0xFF30, 'M', 'p'), + (0xFF31, 'M', 'q'), + (0xFF32, 'M', 'r'), + (0xFF33, 'M', 's'), + (0xFF34, 'M', 't'), + (0xFF35, 'M', 'u'), + (0xFF36, 'M', 'v'), + (0xFF37, 'M', 'w'), + (0xFF38, 'M', 'x'), + (0xFF39, 'M', 'y'), + (0xFF3A, 'M', 'z'), + (0xFF3B, '3', '['), + (0xFF3C, '3', '\\'), + (0xFF3D, '3', ']'), + (0xFF3E, '3', '^'), + (0xFF3F, '3', '_'), + (0xFF40, '3', '`'), + (0xFF41, 'M', 'a'), + (0xFF42, 'M', 'b'), + (0xFF43, 'M', 'c'), + (0xFF44, 'M', 'd'), + (0xFF45, 'M', 'e'), + (0xFF46, 'M', 'f'), + (0xFF47, 'M', 'g'), + (0xFF48, 'M', 'h'), + (0xFF49, 'M', 'i'), + (0xFF4A, 'M', 'j'), + (0xFF4B, 'M', 'k'), + (0xFF4C, 'M', 'l'), + (0xFF4D, 'M', 'm'), + (0xFF4E, 'M', 'n'), + (0xFF4F, 'M', 'o'), + (0xFF50, 'M', 'p'), + (0xFF51, 'M', 'q'), + (0xFF52, 'M', 'r'), + (0xFF53, 'M', 's'), + (0xFF54, 'M', 't'), + (0xFF55, 'M', 'u'), + (0xFF56, 'M', 'v'), + (0xFF57, 'M', 'w'), + (0xFF58, 'M', 'x'), + (0xFF59, 'M', 'y'), + (0xFF5A, 'M', 'z'), + (0xFF5B, '3', '{'), + (0xFF5C, '3', '|'), + (0xFF5D, '3', '}'), + (0xFF5E, '3', '~'), + (0xFF5F, 'M', '⦅'), + (0xFF60, 'M', '⦆'), + (0xFF61, 'M', '.'), + (0xFF62, 'M', '「'), + (0xFF63, 'M', '」'), + (0xFF64, 'M', '、'), + (0xFF65, 'M', '・'), + (0xFF66, 'M', 'ヲ'), + (0xFF67, 'M', 'ァ'), + (0xFF68, 'M', 'ィ'), + (0xFF69, 'M', 'ゥ'), + (0xFF6A, 'M', 'ェ'), + (0xFF6B, 'M', 'ォ'), + (0xFF6C, 'M', 'ャ'), + (0xFF6D, 'M', 'ュ'), + (0xFF6E, 'M', 'ョ'), + (0xFF6F, 'M', 'ッ'), + (0xFF70, 'M', 'ー'), + (0xFF71, 'M', 'ア'), + (0xFF72, 'M', 'イ'), + (0xFF73, 'M', 'ウ'), + (0xFF74, 'M', 'エ'), + (0xFF75, 'M', 'オ'), + (0xFF76, 'M', 'カ'), + (0xFF77, 'M', 'キ'), + (0xFF78, 'M', 'ク'), + (0xFF79, 'M', 'ケ'), + (0xFF7A, 'M', 'コ'), + (0xFF7B, 'M', 'サ'), + (0xFF7C, 'M', 'シ'), + (0xFF7D, 'M', 'ス'), + (0xFF7E, 'M', 'セ'), + (0xFF7F, 'M', 'ソ'), + (0xFF80, 'M', 'タ'), + (0xFF81, 'M', 'チ'), + (0xFF82, 'M', 'ツ'), + (0xFF83, 'M', 'テ'), + (0xFF84, 'M', 'ト'), + (0xFF85, 'M', 'ナ'), + (0xFF86, 'M', 'ニ'), + (0xFF87, 'M', 'ヌ'), + ] + +def _seg_52(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0xFF88, 'M', 'ネ'), + (0xFF89, 'M', 'ノ'), + (0xFF8A, 'M', 'ハ'), + (0xFF8B, 'M', 'ヒ'), + (0xFF8C, 'M', 'フ'), + (0xFF8D, 'M', 'ヘ'), + (0xFF8E, 'M', 'ホ'), + (0xFF8F, 'M', 'マ'), + (0xFF90, 'M', 'ミ'), + (0xFF91, 'M', 'ム'), + (0xFF92, 'M', 'メ'), + (0xFF93, 'M', 'モ'), + (0xFF94, 'M', 'ヤ'), + (0xFF95, 'M', 'ユ'), + (0xFF96, 'M', 'ヨ'), + (0xFF97, 'M', 'ラ'), + (0xFF98, 'M', 'リ'), + (0xFF99, 'M', 'ル'), + (0xFF9A, 'M', 'レ'), + (0xFF9B, 'M', 'ロ'), + (0xFF9C, 'M', 'ワ'), + (0xFF9D, 'M', 'ン'), + (0xFF9E, 'M', '゙'), + (0xFF9F, 'M', '゚'), + (0xFFA0, 'X'), + (0xFFA1, 'M', 'ᄀ'), + (0xFFA2, 'M', 'ᄁ'), + (0xFFA3, 'M', 'ᆪ'), + (0xFFA4, 'M', 'ᄂ'), + (0xFFA5, 'M', 'ᆬ'), + (0xFFA6, 'M', 'ᆭ'), + (0xFFA7, 'M', 'ᄃ'), + (0xFFA8, 'M', 'ᄄ'), + (0xFFA9, 'M', 'ᄅ'), + (0xFFAA, 'M', 'ᆰ'), + (0xFFAB, 'M', 'ᆱ'), + (0xFFAC, 'M', 'ᆲ'), + (0xFFAD, 'M', 'ᆳ'), + (0xFFAE, 'M', 'ᆴ'), + (0xFFAF, 'M', 'ᆵ'), + (0xFFB0, 'M', 'ᄚ'), + (0xFFB1, 'M', 'ᄆ'), + (0xFFB2, 'M', 'ᄇ'), + (0xFFB3, 'M', 'ᄈ'), + (0xFFB4, 'M', 'ᄡ'), + (0xFFB5, 'M', 'ᄉ'), + (0xFFB6, 'M', 'ᄊ'), + (0xFFB7, 'M', 'ᄋ'), + (0xFFB8, 'M', 'ᄌ'), + (0xFFB9, 'M', 'ᄍ'), + (0xFFBA, 'M', 'ᄎ'), + (0xFFBB, 'M', 'ᄏ'), + (0xFFBC, 'M', 'ᄐ'), + (0xFFBD, 'M', 'ᄑ'), + (0xFFBE, 'M', 'ᄒ'), + (0xFFBF, 'X'), + (0xFFC2, 'M', 'ᅡ'), + (0xFFC3, 'M', 'ᅢ'), + (0xFFC4, 'M', 'ᅣ'), + (0xFFC5, 'M', 'ᅤ'), + (0xFFC6, 'M', 'ᅥ'), + (0xFFC7, 'M', 'ᅦ'), + (0xFFC8, 'X'), + (0xFFCA, 'M', 'ᅧ'), + (0xFFCB, 'M', 'ᅨ'), + (0xFFCC, 'M', 'ᅩ'), + (0xFFCD, 'M', 'ᅪ'), + (0xFFCE, 'M', 'ᅫ'), + (0xFFCF, 'M', 'ᅬ'), + (0xFFD0, 'X'), + (0xFFD2, 'M', 'ᅭ'), + (0xFFD3, 'M', 'ᅮ'), + (0xFFD4, 'M', 'ᅯ'), + (0xFFD5, 'M', 'ᅰ'), + (0xFFD6, 'M', 'ᅱ'), + (0xFFD7, 'M', 'ᅲ'), + (0xFFD8, 'X'), + (0xFFDA, 'M', 'ᅳ'), + (0xFFDB, 'M', 'ᅴ'), + (0xFFDC, 'M', 'ᅵ'), + (0xFFDD, 'X'), + (0xFFE0, 'M', '¢'), + (0xFFE1, 'M', '£'), + (0xFFE2, 'M', '¬'), + (0xFFE3, '3', ' ̄'), + (0xFFE4, 'M', '¦'), + (0xFFE5, 'M', '¥'), + (0xFFE6, 'M', '₩'), + (0xFFE7, 'X'), + (0xFFE8, 'M', '│'), + (0xFFE9, 'M', '←'), + (0xFFEA, 'M', '↑'), + (0xFFEB, 'M', '→'), + (0xFFEC, 'M', '↓'), + (0xFFED, 'M', '■'), + (0xFFEE, 'M', '○'), + (0xFFEF, 'X'), + (0x10000, 'V'), + (0x1000C, 'X'), + (0x1000D, 'V'), + ] + +def _seg_53(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x10027, 'X'), + (0x10028, 'V'), + (0x1003B, 'X'), + (0x1003C, 'V'), + (0x1003E, 'X'), + (0x1003F, 'V'), + (0x1004E, 'X'), + (0x10050, 'V'), + (0x1005E, 'X'), + (0x10080, 'V'), + (0x100FB, 'X'), + (0x10100, 'V'), + (0x10103, 'X'), + (0x10107, 'V'), + (0x10134, 'X'), + (0x10137, 'V'), + (0x1018F, 'X'), + (0x10190, 'V'), + (0x1019D, 'X'), + (0x101A0, 'V'), + (0x101A1, 'X'), + (0x101D0, 'V'), + (0x101FE, 'X'), + (0x10280, 'V'), + (0x1029D, 'X'), + (0x102A0, 'V'), + (0x102D1, 'X'), + (0x102E0, 'V'), + (0x102FC, 'X'), + (0x10300, 'V'), + (0x10324, 'X'), + (0x1032D, 'V'), + (0x1034B, 'X'), + (0x10350, 'V'), + (0x1037B, 'X'), + (0x10380, 'V'), + (0x1039E, 'X'), + (0x1039F, 'V'), + (0x103C4, 'X'), + (0x103C8, 'V'), + (0x103D6, 'X'), + (0x10400, 'M', '𐐨'), + (0x10401, 'M', '𐐩'), + (0x10402, 'M', '𐐪'), + (0x10403, 'M', '𐐫'), + (0x10404, 'M', '𐐬'), + (0x10405, 'M', '𐐭'), + (0x10406, 'M', '𐐮'), + (0x10407, 'M', '𐐯'), + (0x10408, 'M', '𐐰'), + (0x10409, 'M', '𐐱'), + (0x1040A, 'M', '𐐲'), + (0x1040B, 'M', '𐐳'), + (0x1040C, 'M', '𐐴'), + (0x1040D, 'M', '𐐵'), + (0x1040E, 'M', '𐐶'), + (0x1040F, 'M', '𐐷'), + (0x10410, 'M', '𐐸'), + (0x10411, 'M', '𐐹'), + (0x10412, 'M', '𐐺'), + (0x10413, 'M', '𐐻'), + (0x10414, 'M', '𐐼'), + (0x10415, 'M', '𐐽'), + (0x10416, 'M', '𐐾'), + (0x10417, 'M', '𐐿'), + (0x10418, 'M', '𐑀'), + (0x10419, 'M', '𐑁'), + (0x1041A, 'M', '𐑂'), + (0x1041B, 'M', '𐑃'), + (0x1041C, 'M', '𐑄'), + (0x1041D, 'M', '𐑅'), + (0x1041E, 'M', '𐑆'), + (0x1041F, 'M', '𐑇'), + (0x10420, 'M', '𐑈'), + (0x10421, 'M', '𐑉'), + (0x10422, 'M', '𐑊'), + (0x10423, 'M', '𐑋'), + (0x10424, 'M', '𐑌'), + (0x10425, 'M', '𐑍'), + (0x10426, 'M', '𐑎'), + (0x10427, 'M', '𐑏'), + (0x10428, 'V'), + (0x1049E, 'X'), + (0x104A0, 'V'), + (0x104AA, 'X'), + (0x104B0, 'M', '𐓘'), + (0x104B1, 'M', '𐓙'), + (0x104B2, 'M', '𐓚'), + (0x104B3, 'M', '𐓛'), + (0x104B4, 'M', '𐓜'), + (0x104B5, 'M', '𐓝'), + (0x104B6, 'M', '𐓞'), + (0x104B7, 'M', '𐓟'), + (0x104B8, 'M', '𐓠'), + (0x104B9, 'M', '𐓡'), + (0x104BA, 'M', '𐓢'), + (0x104BB, 'M', '𐓣'), + (0x104BC, 'M', '𐓤'), + (0x104BD, 'M', '𐓥'), + (0x104BE, 'M', '𐓦'), + ] + +def _seg_54(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x104BF, 'M', '𐓧'), + (0x104C0, 'M', '𐓨'), + (0x104C1, 'M', '𐓩'), + (0x104C2, 'M', '𐓪'), + (0x104C3, 'M', '𐓫'), + (0x104C4, 'M', '𐓬'), + (0x104C5, 'M', '𐓭'), + (0x104C6, 'M', '𐓮'), + (0x104C7, 'M', '𐓯'), + (0x104C8, 'M', '𐓰'), + (0x104C9, 'M', '𐓱'), + (0x104CA, 'M', '𐓲'), + (0x104CB, 'M', '𐓳'), + (0x104CC, 'M', '𐓴'), + (0x104CD, 'M', '𐓵'), + (0x104CE, 'M', '𐓶'), + (0x104CF, 'M', '𐓷'), + (0x104D0, 'M', '𐓸'), + (0x104D1, 'M', '𐓹'), + (0x104D2, 'M', '𐓺'), + (0x104D3, 'M', '𐓻'), + (0x104D4, 'X'), + (0x104D8, 'V'), + (0x104FC, 'X'), + (0x10500, 'V'), + (0x10528, 'X'), + (0x10530, 'V'), + (0x10564, 'X'), + (0x1056F, 'V'), + (0x10570, 'X'), + (0x10600, 'V'), + (0x10737, 'X'), + (0x10740, 'V'), + (0x10756, 'X'), + (0x10760, 'V'), + (0x10768, 'X'), + (0x10800, 'V'), + (0x10806, 'X'), + (0x10808, 'V'), + (0x10809, 'X'), + (0x1080A, 'V'), + (0x10836, 'X'), + (0x10837, 'V'), + (0x10839, 'X'), + (0x1083C, 'V'), + (0x1083D, 'X'), + (0x1083F, 'V'), + (0x10856, 'X'), + (0x10857, 'V'), + (0x1089F, 'X'), + (0x108A7, 'V'), + (0x108B0, 'X'), + (0x108E0, 'V'), + (0x108F3, 'X'), + (0x108F4, 'V'), + (0x108F6, 'X'), + (0x108FB, 'V'), + (0x1091C, 'X'), + (0x1091F, 'V'), + (0x1093A, 'X'), + (0x1093F, 'V'), + (0x10940, 'X'), + (0x10980, 'V'), + (0x109B8, 'X'), + (0x109BC, 'V'), + (0x109D0, 'X'), + (0x109D2, 'V'), + (0x10A04, 'X'), + (0x10A05, 'V'), + (0x10A07, 'X'), + (0x10A0C, 'V'), + (0x10A14, 'X'), + (0x10A15, 'V'), + (0x10A18, 'X'), + (0x10A19, 'V'), + (0x10A36, 'X'), + (0x10A38, 'V'), + (0x10A3B, 'X'), + (0x10A3F, 'V'), + (0x10A49, 'X'), + (0x10A50, 'V'), + (0x10A59, 'X'), + (0x10A60, 'V'), + (0x10AA0, 'X'), + (0x10AC0, 'V'), + (0x10AE7, 'X'), + (0x10AEB, 'V'), + (0x10AF7, 'X'), + (0x10B00, 'V'), + (0x10B36, 'X'), + (0x10B39, 'V'), + (0x10B56, 'X'), + (0x10B58, 'V'), + (0x10B73, 'X'), + (0x10B78, 'V'), + (0x10B92, 'X'), + (0x10B99, 'V'), + (0x10B9D, 'X'), + (0x10BA9, 'V'), + (0x10BB0, 'X'), + ] + +def _seg_55(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x10C00, 'V'), + (0x10C49, 'X'), + (0x10C80, 'M', '𐳀'), + (0x10C81, 'M', '𐳁'), + (0x10C82, 'M', '𐳂'), + (0x10C83, 'M', '𐳃'), + (0x10C84, 'M', '𐳄'), + (0x10C85, 'M', '𐳅'), + (0x10C86, 'M', '𐳆'), + (0x10C87, 'M', '𐳇'), + (0x10C88, 'M', '𐳈'), + (0x10C89, 'M', '𐳉'), + (0x10C8A, 'M', '𐳊'), + (0x10C8B, 'M', '𐳋'), + (0x10C8C, 'M', '𐳌'), + (0x10C8D, 'M', '𐳍'), + (0x10C8E, 'M', '𐳎'), + (0x10C8F, 'M', '𐳏'), + (0x10C90, 'M', '𐳐'), + (0x10C91, 'M', '𐳑'), + (0x10C92, 'M', '𐳒'), + (0x10C93, 'M', '𐳓'), + (0x10C94, 'M', '𐳔'), + (0x10C95, 'M', '𐳕'), + (0x10C96, 'M', '𐳖'), + (0x10C97, 'M', '𐳗'), + (0x10C98, 'M', '𐳘'), + (0x10C99, 'M', '𐳙'), + (0x10C9A, 'M', '𐳚'), + (0x10C9B, 'M', '𐳛'), + (0x10C9C, 'M', '𐳜'), + (0x10C9D, 'M', '𐳝'), + (0x10C9E, 'M', '𐳞'), + (0x10C9F, 'M', '𐳟'), + (0x10CA0, 'M', '𐳠'), + (0x10CA1, 'M', '𐳡'), + (0x10CA2, 'M', '𐳢'), + (0x10CA3, 'M', '𐳣'), + (0x10CA4, 'M', '𐳤'), + (0x10CA5, 'M', '𐳥'), + (0x10CA6, 'M', '𐳦'), + (0x10CA7, 'M', '𐳧'), + (0x10CA8, 'M', '𐳨'), + (0x10CA9, 'M', '𐳩'), + (0x10CAA, 'M', '𐳪'), + (0x10CAB, 'M', '𐳫'), + (0x10CAC, 'M', '𐳬'), + (0x10CAD, 'M', '𐳭'), + (0x10CAE, 'M', '𐳮'), + (0x10CAF, 'M', '𐳯'), + (0x10CB0, 'M', '𐳰'), + (0x10CB1, 'M', '𐳱'), + (0x10CB2, 'M', '𐳲'), + (0x10CB3, 'X'), + (0x10CC0, 'V'), + (0x10CF3, 'X'), + (0x10CFA, 'V'), + (0x10D28, 'X'), + (0x10D30, 'V'), + (0x10D3A, 'X'), + (0x10E60, 'V'), + (0x10E7F, 'X'), + (0x10E80, 'V'), + (0x10EAA, 'X'), + (0x10EAB, 'V'), + (0x10EAE, 'X'), + (0x10EB0, 'V'), + (0x10EB2, 'X'), + (0x10F00, 'V'), + (0x10F28, 'X'), + (0x10F30, 'V'), + (0x10F5A, 'X'), + (0x10FB0, 'V'), + (0x10FCC, 'X'), + (0x10FE0, 'V'), + (0x10FF7, 'X'), + (0x11000, 'V'), + (0x1104E, 'X'), + (0x11052, 'V'), + (0x11070, 'X'), + (0x1107F, 'V'), + (0x110BD, 'X'), + (0x110BE, 'V'), + (0x110C2, 'X'), + (0x110D0, 'V'), + (0x110E9, 'X'), + (0x110F0, 'V'), + (0x110FA, 'X'), + (0x11100, 'V'), + (0x11135, 'X'), + (0x11136, 'V'), + (0x11148, 'X'), + (0x11150, 'V'), + (0x11177, 'X'), + (0x11180, 'V'), + (0x111E0, 'X'), + (0x111E1, 'V'), + (0x111F5, 'X'), + (0x11200, 'V'), + (0x11212, 'X'), + ] + +def _seg_56(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x11213, 'V'), + (0x1123F, 'X'), + (0x11280, 'V'), + (0x11287, 'X'), + (0x11288, 'V'), + (0x11289, 'X'), + (0x1128A, 'V'), + (0x1128E, 'X'), + (0x1128F, 'V'), + (0x1129E, 'X'), + (0x1129F, 'V'), + (0x112AA, 'X'), + (0x112B0, 'V'), + (0x112EB, 'X'), + (0x112F0, 'V'), + (0x112FA, 'X'), + (0x11300, 'V'), + (0x11304, 'X'), + (0x11305, 'V'), + (0x1130D, 'X'), + (0x1130F, 'V'), + (0x11311, 'X'), + (0x11313, 'V'), + (0x11329, 'X'), + (0x1132A, 'V'), + (0x11331, 'X'), + (0x11332, 'V'), + (0x11334, 'X'), + (0x11335, 'V'), + (0x1133A, 'X'), + (0x1133B, 'V'), + (0x11345, 'X'), + (0x11347, 'V'), + (0x11349, 'X'), + (0x1134B, 'V'), + (0x1134E, 'X'), + (0x11350, 'V'), + (0x11351, 'X'), + (0x11357, 'V'), + (0x11358, 'X'), + (0x1135D, 'V'), + (0x11364, 'X'), + (0x11366, 'V'), + (0x1136D, 'X'), + (0x11370, 'V'), + (0x11375, 'X'), + (0x11400, 'V'), + (0x1145C, 'X'), + (0x1145D, 'V'), + (0x11462, 'X'), + (0x11480, 'V'), + (0x114C8, 'X'), + (0x114D0, 'V'), + (0x114DA, 'X'), + (0x11580, 'V'), + (0x115B6, 'X'), + (0x115B8, 'V'), + (0x115DE, 'X'), + (0x11600, 'V'), + (0x11645, 'X'), + (0x11650, 'V'), + (0x1165A, 'X'), + (0x11660, 'V'), + (0x1166D, 'X'), + (0x11680, 'V'), + (0x116B9, 'X'), + (0x116C0, 'V'), + (0x116CA, 'X'), + (0x11700, 'V'), + (0x1171B, 'X'), + (0x1171D, 'V'), + (0x1172C, 'X'), + (0x11730, 'V'), + (0x11740, 'X'), + (0x11800, 'V'), + (0x1183C, 'X'), + (0x118A0, 'M', '𑣀'), + (0x118A1, 'M', '𑣁'), + (0x118A2, 'M', '𑣂'), + (0x118A3, 'M', '𑣃'), + (0x118A4, 'M', '𑣄'), + (0x118A5, 'M', '𑣅'), + (0x118A6, 'M', '𑣆'), + (0x118A7, 'M', '𑣇'), + (0x118A8, 'M', '𑣈'), + (0x118A9, 'M', '𑣉'), + (0x118AA, 'M', '𑣊'), + (0x118AB, 'M', '𑣋'), + (0x118AC, 'M', '𑣌'), + (0x118AD, 'M', '𑣍'), + (0x118AE, 'M', '𑣎'), + (0x118AF, 'M', '𑣏'), + (0x118B0, 'M', '𑣐'), + (0x118B1, 'M', '𑣑'), + (0x118B2, 'M', '𑣒'), + (0x118B3, 'M', '𑣓'), + (0x118B4, 'M', '𑣔'), + (0x118B5, 'M', '𑣕'), + (0x118B6, 'M', '𑣖'), + (0x118B7, 'M', '𑣗'), + ] + +def _seg_57(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x118B8, 'M', '𑣘'), + (0x118B9, 'M', '𑣙'), + (0x118BA, 'M', '𑣚'), + (0x118BB, 'M', '𑣛'), + (0x118BC, 'M', '𑣜'), + (0x118BD, 'M', '𑣝'), + (0x118BE, 'M', '𑣞'), + (0x118BF, 'M', '𑣟'), + (0x118C0, 'V'), + (0x118F3, 'X'), + (0x118FF, 'V'), + (0x11907, 'X'), + (0x11909, 'V'), + (0x1190A, 'X'), + (0x1190C, 'V'), + (0x11914, 'X'), + (0x11915, 'V'), + (0x11917, 'X'), + (0x11918, 'V'), + (0x11936, 'X'), + (0x11937, 'V'), + (0x11939, 'X'), + (0x1193B, 'V'), + (0x11947, 'X'), + (0x11950, 'V'), + (0x1195A, 'X'), + (0x119A0, 'V'), + (0x119A8, 'X'), + (0x119AA, 'V'), + (0x119D8, 'X'), + (0x119DA, 'V'), + (0x119E5, 'X'), + (0x11A00, 'V'), + (0x11A48, 'X'), + (0x11A50, 'V'), + (0x11AA3, 'X'), + (0x11AC0, 'V'), + (0x11AF9, 'X'), + (0x11C00, 'V'), + (0x11C09, 'X'), + (0x11C0A, 'V'), + (0x11C37, 'X'), + (0x11C38, 'V'), + (0x11C46, 'X'), + (0x11C50, 'V'), + (0x11C6D, 'X'), + (0x11C70, 'V'), + (0x11C90, 'X'), + (0x11C92, 'V'), + (0x11CA8, 'X'), + (0x11CA9, 'V'), + (0x11CB7, 'X'), + (0x11D00, 'V'), + (0x11D07, 'X'), + (0x11D08, 'V'), + (0x11D0A, 'X'), + (0x11D0B, 'V'), + (0x11D37, 'X'), + (0x11D3A, 'V'), + (0x11D3B, 'X'), + (0x11D3C, 'V'), + (0x11D3E, 'X'), + (0x11D3F, 'V'), + (0x11D48, 'X'), + (0x11D50, 'V'), + (0x11D5A, 'X'), + (0x11D60, 'V'), + (0x11D66, 'X'), + (0x11D67, 'V'), + (0x11D69, 'X'), + (0x11D6A, 'V'), + (0x11D8F, 'X'), + (0x11D90, 'V'), + (0x11D92, 'X'), + (0x11D93, 'V'), + (0x11D99, 'X'), + (0x11DA0, 'V'), + (0x11DAA, 'X'), + (0x11EE0, 'V'), + (0x11EF9, 'X'), + (0x11FB0, 'V'), + (0x11FB1, 'X'), + (0x11FC0, 'V'), + (0x11FF2, 'X'), + (0x11FFF, 'V'), + (0x1239A, 'X'), + (0x12400, 'V'), + (0x1246F, 'X'), + (0x12470, 'V'), + (0x12475, 'X'), + (0x12480, 'V'), + (0x12544, 'X'), + (0x13000, 'V'), + (0x1342F, 'X'), + (0x14400, 'V'), + (0x14647, 'X'), + (0x16800, 'V'), + (0x16A39, 'X'), + (0x16A40, 'V'), + (0x16A5F, 'X'), + ] + +def _seg_58(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x16A60, 'V'), + (0x16A6A, 'X'), + (0x16A6E, 'V'), + (0x16A70, 'X'), + (0x16AD0, 'V'), + (0x16AEE, 'X'), + (0x16AF0, 'V'), + (0x16AF6, 'X'), + (0x16B00, 'V'), + (0x16B46, 'X'), + (0x16B50, 'V'), + (0x16B5A, 'X'), + (0x16B5B, 'V'), + (0x16B62, 'X'), + (0x16B63, 'V'), + (0x16B78, 'X'), + (0x16B7D, 'V'), + (0x16B90, 'X'), + (0x16E40, 'M', '𖹠'), + (0x16E41, 'M', '𖹡'), + (0x16E42, 'M', '𖹢'), + (0x16E43, 'M', '𖹣'), + (0x16E44, 'M', '𖹤'), + (0x16E45, 'M', '𖹥'), + (0x16E46, 'M', '𖹦'), + (0x16E47, 'M', '𖹧'), + (0x16E48, 'M', '𖹨'), + (0x16E49, 'M', '𖹩'), + (0x16E4A, 'M', '𖹪'), + (0x16E4B, 'M', '𖹫'), + (0x16E4C, 'M', '𖹬'), + (0x16E4D, 'M', '𖹭'), + (0x16E4E, 'M', '𖹮'), + (0x16E4F, 'M', '𖹯'), + (0x16E50, 'M', '𖹰'), + (0x16E51, 'M', '𖹱'), + (0x16E52, 'M', '𖹲'), + (0x16E53, 'M', '𖹳'), + (0x16E54, 'M', '𖹴'), + (0x16E55, 'M', '𖹵'), + (0x16E56, 'M', '𖹶'), + (0x16E57, 'M', '𖹷'), + (0x16E58, 'M', '𖹸'), + (0x16E59, 'M', '𖹹'), + (0x16E5A, 'M', '𖹺'), + (0x16E5B, 'M', '𖹻'), + (0x16E5C, 'M', '𖹼'), + (0x16E5D, 'M', '𖹽'), + (0x16E5E, 'M', '𖹾'), + (0x16E5F, 'M', '𖹿'), + (0x16E60, 'V'), + (0x16E9B, 'X'), + (0x16F00, 'V'), + (0x16F4B, 'X'), + (0x16F4F, 'V'), + (0x16F88, 'X'), + (0x16F8F, 'V'), + (0x16FA0, 'X'), + (0x16FE0, 'V'), + (0x16FE5, 'X'), + (0x16FF0, 'V'), + (0x16FF2, 'X'), + (0x17000, 'V'), + (0x187F8, 'X'), + (0x18800, 'V'), + (0x18CD6, 'X'), + (0x18D00, 'V'), + (0x18D09, 'X'), + (0x1B000, 'V'), + (0x1B11F, 'X'), + (0x1B150, 'V'), + (0x1B153, 'X'), + (0x1B164, 'V'), + (0x1B168, 'X'), + (0x1B170, 'V'), + (0x1B2FC, 'X'), + (0x1BC00, 'V'), + (0x1BC6B, 'X'), + (0x1BC70, 'V'), + (0x1BC7D, 'X'), + (0x1BC80, 'V'), + (0x1BC89, 'X'), + (0x1BC90, 'V'), + (0x1BC9A, 'X'), + (0x1BC9C, 'V'), + (0x1BCA0, 'I'), + (0x1BCA4, 'X'), + (0x1D000, 'V'), + (0x1D0F6, 'X'), + (0x1D100, 'V'), + (0x1D127, 'X'), + (0x1D129, 'V'), + (0x1D15E, 'M', '𝅗𝅥'), + (0x1D15F, 'M', '𝅘𝅥'), + (0x1D160, 'M', '𝅘𝅥𝅮'), + (0x1D161, 'M', '𝅘𝅥𝅯'), + (0x1D162, 'M', '𝅘𝅥𝅰'), + (0x1D163, 'M', '𝅘𝅥𝅱'), + (0x1D164, 'M', '𝅘𝅥𝅲'), + (0x1D165, 'V'), + ] + +def _seg_59(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1D173, 'X'), + (0x1D17B, 'V'), + (0x1D1BB, 'M', '𝆹𝅥'), + (0x1D1BC, 'M', '𝆺𝅥'), + (0x1D1BD, 'M', '𝆹𝅥𝅮'), + (0x1D1BE, 'M', '𝆺𝅥𝅮'), + (0x1D1BF, 'M', '𝆹𝅥𝅯'), + (0x1D1C0, 'M', '𝆺𝅥𝅯'), + (0x1D1C1, 'V'), + (0x1D1E9, 'X'), + (0x1D200, 'V'), + (0x1D246, 'X'), + (0x1D2E0, 'V'), + (0x1D2F4, 'X'), + (0x1D300, 'V'), + (0x1D357, 'X'), + (0x1D360, 'V'), + (0x1D379, 'X'), + (0x1D400, 'M', 'a'), + (0x1D401, 'M', 'b'), + (0x1D402, 'M', 'c'), + (0x1D403, 'M', 'd'), + (0x1D404, 'M', 'e'), + (0x1D405, 'M', 'f'), + (0x1D406, 'M', 'g'), + (0x1D407, 'M', 'h'), + (0x1D408, 'M', 'i'), + (0x1D409, 'M', 'j'), + (0x1D40A, 'M', 'k'), + (0x1D40B, 'M', 'l'), + (0x1D40C, 'M', 'm'), + (0x1D40D, 'M', 'n'), + (0x1D40E, 'M', 'o'), + (0x1D40F, 'M', 'p'), + (0x1D410, 'M', 'q'), + (0x1D411, 'M', 'r'), + (0x1D412, 'M', 's'), + (0x1D413, 'M', 't'), + (0x1D414, 'M', 'u'), + (0x1D415, 'M', 'v'), + (0x1D416, 'M', 'w'), + (0x1D417, 'M', 'x'), + (0x1D418, 'M', 'y'), + (0x1D419, 'M', 'z'), + (0x1D41A, 'M', 'a'), + (0x1D41B, 'M', 'b'), + (0x1D41C, 'M', 'c'), + (0x1D41D, 'M', 'd'), + (0x1D41E, 'M', 'e'), + (0x1D41F, 'M', 'f'), + (0x1D420, 'M', 'g'), + (0x1D421, 'M', 'h'), + (0x1D422, 'M', 'i'), + (0x1D423, 'M', 'j'), + (0x1D424, 'M', 'k'), + (0x1D425, 'M', 'l'), + (0x1D426, 'M', 'm'), + (0x1D427, 'M', 'n'), + (0x1D428, 'M', 'o'), + (0x1D429, 'M', 'p'), + (0x1D42A, 'M', 'q'), + (0x1D42B, 'M', 'r'), + (0x1D42C, 'M', 's'), + (0x1D42D, 'M', 't'), + (0x1D42E, 'M', 'u'), + (0x1D42F, 'M', 'v'), + (0x1D430, 'M', 'w'), + (0x1D431, 'M', 'x'), + (0x1D432, 'M', 'y'), + (0x1D433, 'M', 'z'), + (0x1D434, 'M', 'a'), + (0x1D435, 'M', 'b'), + (0x1D436, 'M', 'c'), + (0x1D437, 'M', 'd'), + (0x1D438, 'M', 'e'), + (0x1D439, 'M', 'f'), + (0x1D43A, 'M', 'g'), + (0x1D43B, 'M', 'h'), + (0x1D43C, 'M', 'i'), + (0x1D43D, 'M', 'j'), + (0x1D43E, 'M', 'k'), + (0x1D43F, 'M', 'l'), + (0x1D440, 'M', 'm'), + (0x1D441, 'M', 'n'), + (0x1D442, 'M', 'o'), + (0x1D443, 'M', 'p'), + (0x1D444, 'M', 'q'), + (0x1D445, 'M', 'r'), + (0x1D446, 'M', 's'), + (0x1D447, 'M', 't'), + (0x1D448, 'M', 'u'), + (0x1D449, 'M', 'v'), + (0x1D44A, 'M', 'w'), + (0x1D44B, 'M', 'x'), + (0x1D44C, 'M', 'y'), + (0x1D44D, 'M', 'z'), + (0x1D44E, 'M', 'a'), + (0x1D44F, 'M', 'b'), + (0x1D450, 'M', 'c'), + (0x1D451, 'M', 'd'), + ] + +def _seg_60(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1D452, 'M', 'e'), + (0x1D453, 'M', 'f'), + (0x1D454, 'M', 'g'), + (0x1D455, 'X'), + (0x1D456, 'M', 'i'), + (0x1D457, 'M', 'j'), + (0x1D458, 'M', 'k'), + (0x1D459, 'M', 'l'), + (0x1D45A, 'M', 'm'), + (0x1D45B, 'M', 'n'), + (0x1D45C, 'M', 'o'), + (0x1D45D, 'M', 'p'), + (0x1D45E, 'M', 'q'), + (0x1D45F, 'M', 'r'), + (0x1D460, 'M', 's'), + (0x1D461, 'M', 't'), + (0x1D462, 'M', 'u'), + (0x1D463, 'M', 'v'), + (0x1D464, 'M', 'w'), + (0x1D465, 'M', 'x'), + (0x1D466, 'M', 'y'), + (0x1D467, 'M', 'z'), + (0x1D468, 'M', 'a'), + (0x1D469, 'M', 'b'), + (0x1D46A, 'M', 'c'), + (0x1D46B, 'M', 'd'), + (0x1D46C, 'M', 'e'), + (0x1D46D, 'M', 'f'), + (0x1D46E, 'M', 'g'), + (0x1D46F, 'M', 'h'), + (0x1D470, 'M', 'i'), + (0x1D471, 'M', 'j'), + (0x1D472, 'M', 'k'), + (0x1D473, 'M', 'l'), + (0x1D474, 'M', 'm'), + (0x1D475, 'M', 'n'), + (0x1D476, 'M', 'o'), + (0x1D477, 'M', 'p'), + (0x1D478, 'M', 'q'), + (0x1D479, 'M', 'r'), + (0x1D47A, 'M', 's'), + (0x1D47B, 'M', 't'), + (0x1D47C, 'M', 'u'), + (0x1D47D, 'M', 'v'), + (0x1D47E, 'M', 'w'), + (0x1D47F, 'M', 'x'), + (0x1D480, 'M', 'y'), + (0x1D481, 'M', 'z'), + (0x1D482, 'M', 'a'), + (0x1D483, 'M', 'b'), + (0x1D484, 'M', 'c'), + (0x1D485, 'M', 'd'), + (0x1D486, 'M', 'e'), + (0x1D487, 'M', 'f'), + (0x1D488, 'M', 'g'), + (0x1D489, 'M', 'h'), + (0x1D48A, 'M', 'i'), + (0x1D48B, 'M', 'j'), + (0x1D48C, 'M', 'k'), + (0x1D48D, 'M', 'l'), + (0x1D48E, 'M', 'm'), + (0x1D48F, 'M', 'n'), + (0x1D490, 'M', 'o'), + (0x1D491, 'M', 'p'), + (0x1D492, 'M', 'q'), + (0x1D493, 'M', 'r'), + (0x1D494, 'M', 's'), + (0x1D495, 'M', 't'), + (0x1D496, 'M', 'u'), + (0x1D497, 'M', 'v'), + (0x1D498, 'M', 'w'), + (0x1D499, 'M', 'x'), + (0x1D49A, 'M', 'y'), + (0x1D49B, 'M', 'z'), + (0x1D49C, 'M', 'a'), + (0x1D49D, 'X'), + (0x1D49E, 'M', 'c'), + (0x1D49F, 'M', 'd'), + (0x1D4A0, 'X'), + (0x1D4A2, 'M', 'g'), + (0x1D4A3, 'X'), + (0x1D4A5, 'M', 'j'), + (0x1D4A6, 'M', 'k'), + (0x1D4A7, 'X'), + (0x1D4A9, 'M', 'n'), + (0x1D4AA, 'M', 'o'), + (0x1D4AB, 'M', 'p'), + (0x1D4AC, 'M', 'q'), + (0x1D4AD, 'X'), + (0x1D4AE, 'M', 's'), + (0x1D4AF, 'M', 't'), + (0x1D4B0, 'M', 'u'), + (0x1D4B1, 'M', 'v'), + (0x1D4B2, 'M', 'w'), + (0x1D4B3, 'M', 'x'), + (0x1D4B4, 'M', 'y'), + (0x1D4B5, 'M', 'z'), + (0x1D4B6, 'M', 'a'), + (0x1D4B7, 'M', 'b'), + (0x1D4B8, 'M', 'c'), + ] + +def _seg_61(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1D4B9, 'M', 'd'), + (0x1D4BA, 'X'), + (0x1D4BB, 'M', 'f'), + (0x1D4BC, 'X'), + (0x1D4BD, 'M', 'h'), + (0x1D4BE, 'M', 'i'), + (0x1D4BF, 'M', 'j'), + (0x1D4C0, 'M', 'k'), + (0x1D4C1, 'M', 'l'), + (0x1D4C2, 'M', 'm'), + (0x1D4C3, 'M', 'n'), + (0x1D4C4, 'X'), + (0x1D4C5, 'M', 'p'), + (0x1D4C6, 'M', 'q'), + (0x1D4C7, 'M', 'r'), + (0x1D4C8, 'M', 's'), + (0x1D4C9, 'M', 't'), + (0x1D4CA, 'M', 'u'), + (0x1D4CB, 'M', 'v'), + (0x1D4CC, 'M', 'w'), + (0x1D4CD, 'M', 'x'), + (0x1D4CE, 'M', 'y'), + (0x1D4CF, 'M', 'z'), + (0x1D4D0, 'M', 'a'), + (0x1D4D1, 'M', 'b'), + (0x1D4D2, 'M', 'c'), + (0x1D4D3, 'M', 'd'), + (0x1D4D4, 'M', 'e'), + (0x1D4D5, 'M', 'f'), + (0x1D4D6, 'M', 'g'), + (0x1D4D7, 'M', 'h'), + (0x1D4D8, 'M', 'i'), + (0x1D4D9, 'M', 'j'), + (0x1D4DA, 'M', 'k'), + (0x1D4DB, 'M', 'l'), + (0x1D4DC, 'M', 'm'), + (0x1D4DD, 'M', 'n'), + (0x1D4DE, 'M', 'o'), + (0x1D4DF, 'M', 'p'), + (0x1D4E0, 'M', 'q'), + (0x1D4E1, 'M', 'r'), + (0x1D4E2, 'M', 's'), + (0x1D4E3, 'M', 't'), + (0x1D4E4, 'M', 'u'), + (0x1D4E5, 'M', 'v'), + (0x1D4E6, 'M', 'w'), + (0x1D4E7, 'M', 'x'), + (0x1D4E8, 'M', 'y'), + (0x1D4E9, 'M', 'z'), + (0x1D4EA, 'M', 'a'), + (0x1D4EB, 'M', 'b'), + (0x1D4EC, 'M', 'c'), + (0x1D4ED, 'M', 'd'), + (0x1D4EE, 'M', 'e'), + (0x1D4EF, 'M', 'f'), + (0x1D4F0, 'M', 'g'), + (0x1D4F1, 'M', 'h'), + (0x1D4F2, 'M', 'i'), + (0x1D4F3, 'M', 'j'), + (0x1D4F4, 'M', 'k'), + (0x1D4F5, 'M', 'l'), + (0x1D4F6, 'M', 'm'), + (0x1D4F7, 'M', 'n'), + (0x1D4F8, 'M', 'o'), + (0x1D4F9, 'M', 'p'), + (0x1D4FA, 'M', 'q'), + (0x1D4FB, 'M', 'r'), + (0x1D4FC, 'M', 's'), + (0x1D4FD, 'M', 't'), + (0x1D4FE, 'M', 'u'), + (0x1D4FF, 'M', 'v'), + (0x1D500, 'M', 'w'), + (0x1D501, 'M', 'x'), + (0x1D502, 'M', 'y'), + (0x1D503, 'M', 'z'), + (0x1D504, 'M', 'a'), + (0x1D505, 'M', 'b'), + (0x1D506, 'X'), + (0x1D507, 'M', 'd'), + (0x1D508, 'M', 'e'), + (0x1D509, 'M', 'f'), + (0x1D50A, 'M', 'g'), + (0x1D50B, 'X'), + (0x1D50D, 'M', 'j'), + (0x1D50E, 'M', 'k'), + (0x1D50F, 'M', 'l'), + (0x1D510, 'M', 'm'), + (0x1D511, 'M', 'n'), + (0x1D512, 'M', 'o'), + (0x1D513, 'M', 'p'), + (0x1D514, 'M', 'q'), + (0x1D515, 'X'), + (0x1D516, 'M', 's'), + (0x1D517, 'M', 't'), + (0x1D518, 'M', 'u'), + (0x1D519, 'M', 'v'), + (0x1D51A, 'M', 'w'), + (0x1D51B, 'M', 'x'), + (0x1D51C, 'M', 'y'), + (0x1D51D, 'X'), + ] + +def _seg_62(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1D51E, 'M', 'a'), + (0x1D51F, 'M', 'b'), + (0x1D520, 'M', 'c'), + (0x1D521, 'M', 'd'), + (0x1D522, 'M', 'e'), + (0x1D523, 'M', 'f'), + (0x1D524, 'M', 'g'), + (0x1D525, 'M', 'h'), + (0x1D526, 'M', 'i'), + (0x1D527, 'M', 'j'), + (0x1D528, 'M', 'k'), + (0x1D529, 'M', 'l'), + (0x1D52A, 'M', 'm'), + (0x1D52B, 'M', 'n'), + (0x1D52C, 'M', 'o'), + (0x1D52D, 'M', 'p'), + (0x1D52E, 'M', 'q'), + (0x1D52F, 'M', 'r'), + (0x1D530, 'M', 's'), + (0x1D531, 'M', 't'), + (0x1D532, 'M', 'u'), + (0x1D533, 'M', 'v'), + (0x1D534, 'M', 'w'), + (0x1D535, 'M', 'x'), + (0x1D536, 'M', 'y'), + (0x1D537, 'M', 'z'), + (0x1D538, 'M', 'a'), + (0x1D539, 'M', 'b'), + (0x1D53A, 'X'), + (0x1D53B, 'M', 'd'), + (0x1D53C, 'M', 'e'), + (0x1D53D, 'M', 'f'), + (0x1D53E, 'M', 'g'), + (0x1D53F, 'X'), + (0x1D540, 'M', 'i'), + (0x1D541, 'M', 'j'), + (0x1D542, 'M', 'k'), + (0x1D543, 'M', 'l'), + (0x1D544, 'M', 'm'), + (0x1D545, 'X'), + (0x1D546, 'M', 'o'), + (0x1D547, 'X'), + (0x1D54A, 'M', 's'), + (0x1D54B, 'M', 't'), + (0x1D54C, 'M', 'u'), + (0x1D54D, 'M', 'v'), + (0x1D54E, 'M', 'w'), + (0x1D54F, 'M', 'x'), + (0x1D550, 'M', 'y'), + (0x1D551, 'X'), + (0x1D552, 'M', 'a'), + (0x1D553, 'M', 'b'), + (0x1D554, 'M', 'c'), + (0x1D555, 'M', 'd'), + (0x1D556, 'M', 'e'), + (0x1D557, 'M', 'f'), + (0x1D558, 'M', 'g'), + (0x1D559, 'M', 'h'), + (0x1D55A, 'M', 'i'), + (0x1D55B, 'M', 'j'), + (0x1D55C, 'M', 'k'), + (0x1D55D, 'M', 'l'), + (0x1D55E, 'M', 'm'), + (0x1D55F, 'M', 'n'), + (0x1D560, 'M', 'o'), + (0x1D561, 'M', 'p'), + (0x1D562, 'M', 'q'), + (0x1D563, 'M', 'r'), + (0x1D564, 'M', 's'), + (0x1D565, 'M', 't'), + (0x1D566, 'M', 'u'), + (0x1D567, 'M', 'v'), + (0x1D568, 'M', 'w'), + (0x1D569, 'M', 'x'), + (0x1D56A, 'M', 'y'), + (0x1D56B, 'M', 'z'), + (0x1D56C, 'M', 'a'), + (0x1D56D, 'M', 'b'), + (0x1D56E, 'M', 'c'), + (0x1D56F, 'M', 'd'), + (0x1D570, 'M', 'e'), + (0x1D571, 'M', 'f'), + (0x1D572, 'M', 'g'), + (0x1D573, 'M', 'h'), + (0x1D574, 'M', 'i'), + (0x1D575, 'M', 'j'), + (0x1D576, 'M', 'k'), + (0x1D577, 'M', 'l'), + (0x1D578, 'M', 'm'), + (0x1D579, 'M', 'n'), + (0x1D57A, 'M', 'o'), + (0x1D57B, 'M', 'p'), + (0x1D57C, 'M', 'q'), + (0x1D57D, 'M', 'r'), + (0x1D57E, 'M', 's'), + (0x1D57F, 'M', 't'), + (0x1D580, 'M', 'u'), + (0x1D581, 'M', 'v'), + (0x1D582, 'M', 'w'), + (0x1D583, 'M', 'x'), + ] + +def _seg_63(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1D584, 'M', 'y'), + (0x1D585, 'M', 'z'), + (0x1D586, 'M', 'a'), + (0x1D587, 'M', 'b'), + (0x1D588, 'M', 'c'), + (0x1D589, 'M', 'd'), + (0x1D58A, 'M', 'e'), + (0x1D58B, 'M', 'f'), + (0x1D58C, 'M', 'g'), + (0x1D58D, 'M', 'h'), + (0x1D58E, 'M', 'i'), + (0x1D58F, 'M', 'j'), + (0x1D590, 'M', 'k'), + (0x1D591, 'M', 'l'), + (0x1D592, 'M', 'm'), + (0x1D593, 'M', 'n'), + (0x1D594, 'M', 'o'), + (0x1D595, 'M', 'p'), + (0x1D596, 'M', 'q'), + (0x1D597, 'M', 'r'), + (0x1D598, 'M', 's'), + (0x1D599, 'M', 't'), + (0x1D59A, 'M', 'u'), + (0x1D59B, 'M', 'v'), + (0x1D59C, 'M', 'w'), + (0x1D59D, 'M', 'x'), + (0x1D59E, 'M', 'y'), + (0x1D59F, 'M', 'z'), + (0x1D5A0, 'M', 'a'), + (0x1D5A1, 'M', 'b'), + (0x1D5A2, 'M', 'c'), + (0x1D5A3, 'M', 'd'), + (0x1D5A4, 'M', 'e'), + (0x1D5A5, 'M', 'f'), + (0x1D5A6, 'M', 'g'), + (0x1D5A7, 'M', 'h'), + (0x1D5A8, 'M', 'i'), + (0x1D5A9, 'M', 'j'), + (0x1D5AA, 'M', 'k'), + (0x1D5AB, 'M', 'l'), + (0x1D5AC, 'M', 'm'), + (0x1D5AD, 'M', 'n'), + (0x1D5AE, 'M', 'o'), + (0x1D5AF, 'M', 'p'), + (0x1D5B0, 'M', 'q'), + (0x1D5B1, 'M', 'r'), + (0x1D5B2, 'M', 's'), + (0x1D5B3, 'M', 't'), + (0x1D5B4, 'M', 'u'), + (0x1D5B5, 'M', 'v'), + (0x1D5B6, 'M', 'w'), + (0x1D5B7, 'M', 'x'), + (0x1D5B8, 'M', 'y'), + (0x1D5B9, 'M', 'z'), + (0x1D5BA, 'M', 'a'), + (0x1D5BB, 'M', 'b'), + (0x1D5BC, 'M', 'c'), + (0x1D5BD, 'M', 'd'), + (0x1D5BE, 'M', 'e'), + (0x1D5BF, 'M', 'f'), + (0x1D5C0, 'M', 'g'), + (0x1D5C1, 'M', 'h'), + (0x1D5C2, 'M', 'i'), + (0x1D5C3, 'M', 'j'), + (0x1D5C4, 'M', 'k'), + (0x1D5C5, 'M', 'l'), + (0x1D5C6, 'M', 'm'), + (0x1D5C7, 'M', 'n'), + (0x1D5C8, 'M', 'o'), + (0x1D5C9, 'M', 'p'), + (0x1D5CA, 'M', 'q'), + (0x1D5CB, 'M', 'r'), + (0x1D5CC, 'M', 's'), + (0x1D5CD, 'M', 't'), + (0x1D5CE, 'M', 'u'), + (0x1D5CF, 'M', 'v'), + (0x1D5D0, 'M', 'w'), + (0x1D5D1, 'M', 'x'), + (0x1D5D2, 'M', 'y'), + (0x1D5D3, 'M', 'z'), + (0x1D5D4, 'M', 'a'), + (0x1D5D5, 'M', 'b'), + (0x1D5D6, 'M', 'c'), + (0x1D5D7, 'M', 'd'), + (0x1D5D8, 'M', 'e'), + (0x1D5D9, 'M', 'f'), + (0x1D5DA, 'M', 'g'), + (0x1D5DB, 'M', 'h'), + (0x1D5DC, 'M', 'i'), + (0x1D5DD, 'M', 'j'), + (0x1D5DE, 'M', 'k'), + (0x1D5DF, 'M', 'l'), + (0x1D5E0, 'M', 'm'), + (0x1D5E1, 'M', 'n'), + (0x1D5E2, 'M', 'o'), + (0x1D5E3, 'M', 'p'), + (0x1D5E4, 'M', 'q'), + (0x1D5E5, 'M', 'r'), + (0x1D5E6, 'M', 's'), + (0x1D5E7, 'M', 't'), + ] + +def _seg_64(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1D5E8, 'M', 'u'), + (0x1D5E9, 'M', 'v'), + (0x1D5EA, 'M', 'w'), + (0x1D5EB, 'M', 'x'), + (0x1D5EC, 'M', 'y'), + (0x1D5ED, 'M', 'z'), + (0x1D5EE, 'M', 'a'), + (0x1D5EF, 'M', 'b'), + (0x1D5F0, 'M', 'c'), + (0x1D5F1, 'M', 'd'), + (0x1D5F2, 'M', 'e'), + (0x1D5F3, 'M', 'f'), + (0x1D5F4, 'M', 'g'), + (0x1D5F5, 'M', 'h'), + (0x1D5F6, 'M', 'i'), + (0x1D5F7, 'M', 'j'), + (0x1D5F8, 'M', 'k'), + (0x1D5F9, 'M', 'l'), + (0x1D5FA, 'M', 'm'), + (0x1D5FB, 'M', 'n'), + (0x1D5FC, 'M', 'o'), + (0x1D5FD, 'M', 'p'), + (0x1D5FE, 'M', 'q'), + (0x1D5FF, 'M', 'r'), + (0x1D600, 'M', 's'), + (0x1D601, 'M', 't'), + (0x1D602, 'M', 'u'), + (0x1D603, 'M', 'v'), + (0x1D604, 'M', 'w'), + (0x1D605, 'M', 'x'), + (0x1D606, 'M', 'y'), + (0x1D607, 'M', 'z'), + (0x1D608, 'M', 'a'), + (0x1D609, 'M', 'b'), + (0x1D60A, 'M', 'c'), + (0x1D60B, 'M', 'd'), + (0x1D60C, 'M', 'e'), + (0x1D60D, 'M', 'f'), + (0x1D60E, 'M', 'g'), + (0x1D60F, 'M', 'h'), + (0x1D610, 'M', 'i'), + (0x1D611, 'M', 'j'), + (0x1D612, 'M', 'k'), + (0x1D613, 'M', 'l'), + (0x1D614, 'M', 'm'), + (0x1D615, 'M', 'n'), + (0x1D616, 'M', 'o'), + (0x1D617, 'M', 'p'), + (0x1D618, 'M', 'q'), + (0x1D619, 'M', 'r'), + (0x1D61A, 'M', 's'), + (0x1D61B, 'M', 't'), + (0x1D61C, 'M', 'u'), + (0x1D61D, 'M', 'v'), + (0x1D61E, 'M', 'w'), + (0x1D61F, 'M', 'x'), + (0x1D620, 'M', 'y'), + (0x1D621, 'M', 'z'), + (0x1D622, 'M', 'a'), + (0x1D623, 'M', 'b'), + (0x1D624, 'M', 'c'), + (0x1D625, 'M', 'd'), + (0x1D626, 'M', 'e'), + (0x1D627, 'M', 'f'), + (0x1D628, 'M', 'g'), + (0x1D629, 'M', 'h'), + (0x1D62A, 'M', 'i'), + (0x1D62B, 'M', 'j'), + (0x1D62C, 'M', 'k'), + (0x1D62D, 'M', 'l'), + (0x1D62E, 'M', 'm'), + (0x1D62F, 'M', 'n'), + (0x1D630, 'M', 'o'), + (0x1D631, 'M', 'p'), + (0x1D632, 'M', 'q'), + (0x1D633, 'M', 'r'), + (0x1D634, 'M', 's'), + (0x1D635, 'M', 't'), + (0x1D636, 'M', 'u'), + (0x1D637, 'M', 'v'), + (0x1D638, 'M', 'w'), + (0x1D639, 'M', 'x'), + (0x1D63A, 'M', 'y'), + (0x1D63B, 'M', 'z'), + (0x1D63C, 'M', 'a'), + (0x1D63D, 'M', 'b'), + (0x1D63E, 'M', 'c'), + (0x1D63F, 'M', 'd'), + (0x1D640, 'M', 'e'), + (0x1D641, 'M', 'f'), + (0x1D642, 'M', 'g'), + (0x1D643, 'M', 'h'), + (0x1D644, 'M', 'i'), + (0x1D645, 'M', 'j'), + (0x1D646, 'M', 'k'), + (0x1D647, 'M', 'l'), + (0x1D648, 'M', 'm'), + (0x1D649, 'M', 'n'), + (0x1D64A, 'M', 'o'), + (0x1D64B, 'M', 'p'), + ] + +def _seg_65(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1D64C, 'M', 'q'), + (0x1D64D, 'M', 'r'), + (0x1D64E, 'M', 's'), + (0x1D64F, 'M', 't'), + (0x1D650, 'M', 'u'), + (0x1D651, 'M', 'v'), + (0x1D652, 'M', 'w'), + (0x1D653, 'M', 'x'), + (0x1D654, 'M', 'y'), + (0x1D655, 'M', 'z'), + (0x1D656, 'M', 'a'), + (0x1D657, 'M', 'b'), + (0x1D658, 'M', 'c'), + (0x1D659, 'M', 'd'), + (0x1D65A, 'M', 'e'), + (0x1D65B, 'M', 'f'), + (0x1D65C, 'M', 'g'), + (0x1D65D, 'M', 'h'), + (0x1D65E, 'M', 'i'), + (0x1D65F, 'M', 'j'), + (0x1D660, 'M', 'k'), + (0x1D661, 'M', 'l'), + (0x1D662, 'M', 'm'), + (0x1D663, 'M', 'n'), + (0x1D664, 'M', 'o'), + (0x1D665, 'M', 'p'), + (0x1D666, 'M', 'q'), + (0x1D667, 'M', 'r'), + (0x1D668, 'M', 's'), + (0x1D669, 'M', 't'), + (0x1D66A, 'M', 'u'), + (0x1D66B, 'M', 'v'), + (0x1D66C, 'M', 'w'), + (0x1D66D, 'M', 'x'), + (0x1D66E, 'M', 'y'), + (0x1D66F, 'M', 'z'), + (0x1D670, 'M', 'a'), + (0x1D671, 'M', 'b'), + (0x1D672, 'M', 'c'), + (0x1D673, 'M', 'd'), + (0x1D674, 'M', 'e'), + (0x1D675, 'M', 'f'), + (0x1D676, 'M', 'g'), + (0x1D677, 'M', 'h'), + (0x1D678, 'M', 'i'), + (0x1D679, 'M', 'j'), + (0x1D67A, 'M', 'k'), + (0x1D67B, 'M', 'l'), + (0x1D67C, 'M', 'm'), + (0x1D67D, 'M', 'n'), + (0x1D67E, 'M', 'o'), + (0x1D67F, 'M', 'p'), + (0x1D680, 'M', 'q'), + (0x1D681, 'M', 'r'), + (0x1D682, 'M', 's'), + (0x1D683, 'M', 't'), + (0x1D684, 'M', 'u'), + (0x1D685, 'M', 'v'), + (0x1D686, 'M', 'w'), + (0x1D687, 'M', 'x'), + (0x1D688, 'M', 'y'), + (0x1D689, 'M', 'z'), + (0x1D68A, 'M', 'a'), + (0x1D68B, 'M', 'b'), + (0x1D68C, 'M', 'c'), + (0x1D68D, 'M', 'd'), + (0x1D68E, 'M', 'e'), + (0x1D68F, 'M', 'f'), + (0x1D690, 'M', 'g'), + (0x1D691, 'M', 'h'), + (0x1D692, 'M', 'i'), + (0x1D693, 'M', 'j'), + (0x1D694, 'M', 'k'), + (0x1D695, 'M', 'l'), + (0x1D696, 'M', 'm'), + (0x1D697, 'M', 'n'), + (0x1D698, 'M', 'o'), + (0x1D699, 'M', 'p'), + (0x1D69A, 'M', 'q'), + (0x1D69B, 'M', 'r'), + (0x1D69C, 'M', 's'), + (0x1D69D, 'M', 't'), + (0x1D69E, 'M', 'u'), + (0x1D69F, 'M', 'v'), + (0x1D6A0, 'M', 'w'), + (0x1D6A1, 'M', 'x'), + (0x1D6A2, 'M', 'y'), + (0x1D6A3, 'M', 'z'), + (0x1D6A4, 'M', 'ı'), + (0x1D6A5, 'M', 'ȷ'), + (0x1D6A6, 'X'), + (0x1D6A8, 'M', 'α'), + (0x1D6A9, 'M', 'β'), + (0x1D6AA, 'M', 'γ'), + (0x1D6AB, 'M', 'δ'), + (0x1D6AC, 'M', 'ε'), + (0x1D6AD, 'M', 'ζ'), + (0x1D6AE, 'M', 'η'), + (0x1D6AF, 'M', 'θ'), + (0x1D6B0, 'M', 'ι'), + ] + +def _seg_66(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1D6B1, 'M', 'κ'), + (0x1D6B2, 'M', 'λ'), + (0x1D6B3, 'M', 'μ'), + (0x1D6B4, 'M', 'ν'), + (0x1D6B5, 'M', 'ξ'), + (0x1D6B6, 'M', 'ο'), + (0x1D6B7, 'M', 'π'), + (0x1D6B8, 'M', 'ρ'), + (0x1D6B9, 'M', 'θ'), + (0x1D6BA, 'M', 'σ'), + (0x1D6BB, 'M', 'τ'), + (0x1D6BC, 'M', 'υ'), + (0x1D6BD, 'M', 'φ'), + (0x1D6BE, 'M', 'χ'), + (0x1D6BF, 'M', 'ψ'), + (0x1D6C0, 'M', 'ω'), + (0x1D6C1, 'M', '∇'), + (0x1D6C2, 'M', 'α'), + (0x1D6C3, 'M', 'β'), + (0x1D6C4, 'M', 'γ'), + (0x1D6C5, 'M', 'δ'), + (0x1D6C6, 'M', 'ε'), + (0x1D6C7, 'M', 'ζ'), + (0x1D6C8, 'M', 'η'), + (0x1D6C9, 'M', 'θ'), + (0x1D6CA, 'M', 'ι'), + (0x1D6CB, 'M', 'κ'), + (0x1D6CC, 'M', 'λ'), + (0x1D6CD, 'M', 'μ'), + (0x1D6CE, 'M', 'ν'), + (0x1D6CF, 'M', 'ξ'), + (0x1D6D0, 'M', 'ο'), + (0x1D6D1, 'M', 'π'), + (0x1D6D2, 'M', 'ρ'), + (0x1D6D3, 'M', 'σ'), + (0x1D6D5, 'M', 'τ'), + (0x1D6D6, 'M', 'υ'), + (0x1D6D7, 'M', 'φ'), + (0x1D6D8, 'M', 'χ'), + (0x1D6D9, 'M', 'ψ'), + (0x1D6DA, 'M', 'ω'), + (0x1D6DB, 'M', '∂'), + (0x1D6DC, 'M', 'ε'), + (0x1D6DD, 'M', 'θ'), + (0x1D6DE, 'M', 'κ'), + (0x1D6DF, 'M', 'φ'), + (0x1D6E0, 'M', 'ρ'), + (0x1D6E1, 'M', 'π'), + (0x1D6E2, 'M', 'α'), + (0x1D6E3, 'M', 'β'), + (0x1D6E4, 'M', 'γ'), + (0x1D6E5, 'M', 'δ'), + (0x1D6E6, 'M', 'ε'), + (0x1D6E7, 'M', 'ζ'), + (0x1D6E8, 'M', 'η'), + (0x1D6E9, 'M', 'θ'), + (0x1D6EA, 'M', 'ι'), + (0x1D6EB, 'M', 'κ'), + (0x1D6EC, 'M', 'λ'), + (0x1D6ED, 'M', 'μ'), + (0x1D6EE, 'M', 'ν'), + (0x1D6EF, 'M', 'ξ'), + (0x1D6F0, 'M', 'ο'), + (0x1D6F1, 'M', 'π'), + (0x1D6F2, 'M', 'ρ'), + (0x1D6F3, 'M', 'θ'), + (0x1D6F4, 'M', 'σ'), + (0x1D6F5, 'M', 'τ'), + (0x1D6F6, 'M', 'υ'), + (0x1D6F7, 'M', 'φ'), + (0x1D6F8, 'M', 'χ'), + (0x1D6F9, 'M', 'ψ'), + (0x1D6FA, 'M', 'ω'), + (0x1D6FB, 'M', '∇'), + (0x1D6FC, 'M', 'α'), + (0x1D6FD, 'M', 'β'), + (0x1D6FE, 'M', 'γ'), + (0x1D6FF, 'M', 'δ'), + (0x1D700, 'M', 'ε'), + (0x1D701, 'M', 'ζ'), + (0x1D702, 'M', 'η'), + (0x1D703, 'M', 'θ'), + (0x1D704, 'M', 'ι'), + (0x1D705, 'M', 'κ'), + (0x1D706, 'M', 'λ'), + (0x1D707, 'M', 'μ'), + (0x1D708, 'M', 'ν'), + (0x1D709, 'M', 'ξ'), + (0x1D70A, 'M', 'ο'), + (0x1D70B, 'M', 'π'), + (0x1D70C, 'M', 'ρ'), + (0x1D70D, 'M', 'σ'), + (0x1D70F, 'M', 'τ'), + (0x1D710, 'M', 'υ'), + (0x1D711, 'M', 'φ'), + (0x1D712, 'M', 'χ'), + (0x1D713, 'M', 'ψ'), + (0x1D714, 'M', 'ω'), + (0x1D715, 'M', '∂'), + (0x1D716, 'M', 'ε'), + ] + +def _seg_67(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1D717, 'M', 'θ'), + (0x1D718, 'M', 'κ'), + (0x1D719, 'M', 'φ'), + (0x1D71A, 'M', 'ρ'), + (0x1D71B, 'M', 'π'), + (0x1D71C, 'M', 'α'), + (0x1D71D, 'M', 'β'), + (0x1D71E, 'M', 'γ'), + (0x1D71F, 'M', 'δ'), + (0x1D720, 'M', 'ε'), + (0x1D721, 'M', 'ζ'), + (0x1D722, 'M', 'η'), + (0x1D723, 'M', 'θ'), + (0x1D724, 'M', 'ι'), + (0x1D725, 'M', 'κ'), + (0x1D726, 'M', 'λ'), + (0x1D727, 'M', 'μ'), + (0x1D728, 'M', 'ν'), + (0x1D729, 'M', 'ξ'), + (0x1D72A, 'M', 'ο'), + (0x1D72B, 'M', 'π'), + (0x1D72C, 'M', 'ρ'), + (0x1D72D, 'M', 'θ'), + (0x1D72E, 'M', 'σ'), + (0x1D72F, 'M', 'τ'), + (0x1D730, 'M', 'υ'), + (0x1D731, 'M', 'φ'), + (0x1D732, 'M', 'χ'), + (0x1D733, 'M', 'ψ'), + (0x1D734, 'M', 'ω'), + (0x1D735, 'M', '∇'), + (0x1D736, 'M', 'α'), + (0x1D737, 'M', 'β'), + (0x1D738, 'M', 'γ'), + (0x1D739, 'M', 'δ'), + (0x1D73A, 'M', 'ε'), + (0x1D73B, 'M', 'ζ'), + (0x1D73C, 'M', 'η'), + (0x1D73D, 'M', 'θ'), + (0x1D73E, 'M', 'ι'), + (0x1D73F, 'M', 'κ'), + (0x1D740, 'M', 'λ'), + (0x1D741, 'M', 'μ'), + (0x1D742, 'M', 'ν'), + (0x1D743, 'M', 'ξ'), + (0x1D744, 'M', 'ο'), + (0x1D745, 'M', 'π'), + (0x1D746, 'M', 'ρ'), + (0x1D747, 'M', 'σ'), + (0x1D749, 'M', 'τ'), + (0x1D74A, 'M', 'υ'), + (0x1D74B, 'M', 'φ'), + (0x1D74C, 'M', 'χ'), + (0x1D74D, 'M', 'ψ'), + (0x1D74E, 'M', 'ω'), + (0x1D74F, 'M', '∂'), + (0x1D750, 'M', 'ε'), + (0x1D751, 'M', 'θ'), + (0x1D752, 'M', 'κ'), + (0x1D753, 'M', 'φ'), + (0x1D754, 'M', 'ρ'), + (0x1D755, 'M', 'π'), + (0x1D756, 'M', 'α'), + (0x1D757, 'M', 'β'), + (0x1D758, 'M', 'γ'), + (0x1D759, 'M', 'δ'), + (0x1D75A, 'M', 'ε'), + (0x1D75B, 'M', 'ζ'), + (0x1D75C, 'M', 'η'), + (0x1D75D, 'M', 'θ'), + (0x1D75E, 'M', 'ι'), + (0x1D75F, 'M', 'κ'), + (0x1D760, 'M', 'λ'), + (0x1D761, 'M', 'μ'), + (0x1D762, 'M', 'ν'), + (0x1D763, 'M', 'ξ'), + (0x1D764, 'M', 'ο'), + (0x1D765, 'M', 'π'), + (0x1D766, 'M', 'ρ'), + (0x1D767, 'M', 'θ'), + (0x1D768, 'M', 'σ'), + (0x1D769, 'M', 'τ'), + (0x1D76A, 'M', 'υ'), + (0x1D76B, 'M', 'φ'), + (0x1D76C, 'M', 'χ'), + (0x1D76D, 'M', 'ψ'), + (0x1D76E, 'M', 'ω'), + (0x1D76F, 'M', '∇'), + (0x1D770, 'M', 'α'), + (0x1D771, 'M', 'β'), + (0x1D772, 'M', 'γ'), + (0x1D773, 'M', 'δ'), + (0x1D774, 'M', 'ε'), + (0x1D775, 'M', 'ζ'), + (0x1D776, 'M', 'η'), + (0x1D777, 'M', 'θ'), + (0x1D778, 'M', 'ι'), + (0x1D779, 'M', 'κ'), + (0x1D77A, 'M', 'λ'), + (0x1D77B, 'M', 'μ'), + ] + +def _seg_68(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1D77C, 'M', 'ν'), + (0x1D77D, 'M', 'ξ'), + (0x1D77E, 'M', 'ο'), + (0x1D77F, 'M', 'π'), + (0x1D780, 'M', 'ρ'), + (0x1D781, 'M', 'σ'), + (0x1D783, 'M', 'τ'), + (0x1D784, 'M', 'υ'), + (0x1D785, 'M', 'φ'), + (0x1D786, 'M', 'χ'), + (0x1D787, 'M', 'ψ'), + (0x1D788, 'M', 'ω'), + (0x1D789, 'M', '∂'), + (0x1D78A, 'M', 'ε'), + (0x1D78B, 'M', 'θ'), + (0x1D78C, 'M', 'κ'), + (0x1D78D, 'M', 'φ'), + (0x1D78E, 'M', 'ρ'), + (0x1D78F, 'M', 'π'), + (0x1D790, 'M', 'α'), + (0x1D791, 'M', 'β'), + (0x1D792, 'M', 'γ'), + (0x1D793, 'M', 'δ'), + (0x1D794, 'M', 'ε'), + (0x1D795, 'M', 'ζ'), + (0x1D796, 'M', 'η'), + (0x1D797, 'M', 'θ'), + (0x1D798, 'M', 'ι'), + (0x1D799, 'M', 'κ'), + (0x1D79A, 'M', 'λ'), + (0x1D79B, 'M', 'μ'), + (0x1D79C, 'M', 'ν'), + (0x1D79D, 'M', 'ξ'), + (0x1D79E, 'M', 'ο'), + (0x1D79F, 'M', 'π'), + (0x1D7A0, 'M', 'ρ'), + (0x1D7A1, 'M', 'θ'), + (0x1D7A2, 'M', 'σ'), + (0x1D7A3, 'M', 'τ'), + (0x1D7A4, 'M', 'υ'), + (0x1D7A5, 'M', 'φ'), + (0x1D7A6, 'M', 'χ'), + (0x1D7A7, 'M', 'ψ'), + (0x1D7A8, 'M', 'ω'), + (0x1D7A9, 'M', '∇'), + (0x1D7AA, 'M', 'α'), + (0x1D7AB, 'M', 'β'), + (0x1D7AC, 'M', 'γ'), + (0x1D7AD, 'M', 'δ'), + (0x1D7AE, 'M', 'ε'), + (0x1D7AF, 'M', 'ζ'), + (0x1D7B0, 'M', 'η'), + (0x1D7B1, 'M', 'θ'), + (0x1D7B2, 'M', 'ι'), + (0x1D7B3, 'M', 'κ'), + (0x1D7B4, 'M', 'λ'), + (0x1D7B5, 'M', 'μ'), + (0x1D7B6, 'M', 'ν'), + (0x1D7B7, 'M', 'ξ'), + (0x1D7B8, 'M', 'ο'), + (0x1D7B9, 'M', 'π'), + (0x1D7BA, 'M', 'ρ'), + (0x1D7BB, 'M', 'σ'), + (0x1D7BD, 'M', 'τ'), + (0x1D7BE, 'M', 'υ'), + (0x1D7BF, 'M', 'φ'), + (0x1D7C0, 'M', 'χ'), + (0x1D7C1, 'M', 'ψ'), + (0x1D7C2, 'M', 'ω'), + (0x1D7C3, 'M', '∂'), + (0x1D7C4, 'M', 'ε'), + (0x1D7C5, 'M', 'θ'), + (0x1D7C6, 'M', 'κ'), + (0x1D7C7, 'M', 'φ'), + (0x1D7C8, 'M', 'ρ'), + (0x1D7C9, 'M', 'π'), + (0x1D7CA, 'M', 'ϝ'), + (0x1D7CC, 'X'), + (0x1D7CE, 'M', '0'), + (0x1D7CF, 'M', '1'), + (0x1D7D0, 'M', '2'), + (0x1D7D1, 'M', '3'), + (0x1D7D2, 'M', '4'), + (0x1D7D3, 'M', '5'), + (0x1D7D4, 'M', '6'), + (0x1D7D5, 'M', '7'), + (0x1D7D6, 'M', '8'), + (0x1D7D7, 'M', '9'), + (0x1D7D8, 'M', '0'), + (0x1D7D9, 'M', '1'), + (0x1D7DA, 'M', '2'), + (0x1D7DB, 'M', '3'), + (0x1D7DC, 'M', '4'), + (0x1D7DD, 'M', '5'), + (0x1D7DE, 'M', '6'), + (0x1D7DF, 'M', '7'), + (0x1D7E0, 'M', '8'), + (0x1D7E1, 'M', '9'), + (0x1D7E2, 'M', '0'), + (0x1D7E3, 'M', '1'), + ] + +def _seg_69(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1D7E4, 'M', '2'), + (0x1D7E5, 'M', '3'), + (0x1D7E6, 'M', '4'), + (0x1D7E7, 'M', '5'), + (0x1D7E8, 'M', '6'), + (0x1D7E9, 'M', '7'), + (0x1D7EA, 'M', '8'), + (0x1D7EB, 'M', '9'), + (0x1D7EC, 'M', '0'), + (0x1D7ED, 'M', '1'), + (0x1D7EE, 'M', '2'), + (0x1D7EF, 'M', '3'), + (0x1D7F0, 'M', '4'), + (0x1D7F1, 'M', '5'), + (0x1D7F2, 'M', '6'), + (0x1D7F3, 'M', '7'), + (0x1D7F4, 'M', '8'), + (0x1D7F5, 'M', '9'), + (0x1D7F6, 'M', '0'), + (0x1D7F7, 'M', '1'), + (0x1D7F8, 'M', '2'), + (0x1D7F9, 'M', '3'), + (0x1D7FA, 'M', '4'), + (0x1D7FB, 'M', '5'), + (0x1D7FC, 'M', '6'), + (0x1D7FD, 'M', '7'), + (0x1D7FE, 'M', '8'), + (0x1D7FF, 'M', '9'), + (0x1D800, 'V'), + (0x1DA8C, 'X'), + (0x1DA9B, 'V'), + (0x1DAA0, 'X'), + (0x1DAA1, 'V'), + (0x1DAB0, 'X'), + (0x1E000, 'V'), + (0x1E007, 'X'), + (0x1E008, 'V'), + (0x1E019, 'X'), + (0x1E01B, 'V'), + (0x1E022, 'X'), + (0x1E023, 'V'), + (0x1E025, 'X'), + (0x1E026, 'V'), + (0x1E02B, 'X'), + (0x1E100, 'V'), + (0x1E12D, 'X'), + (0x1E130, 'V'), + (0x1E13E, 'X'), + (0x1E140, 'V'), + (0x1E14A, 'X'), + (0x1E14E, 'V'), + (0x1E150, 'X'), + (0x1E2C0, 'V'), + (0x1E2FA, 'X'), + (0x1E2FF, 'V'), + (0x1E300, 'X'), + (0x1E800, 'V'), + (0x1E8C5, 'X'), + (0x1E8C7, 'V'), + (0x1E8D7, 'X'), + (0x1E900, 'M', '𞤢'), + (0x1E901, 'M', '𞤣'), + (0x1E902, 'M', '𞤤'), + (0x1E903, 'M', '𞤥'), + (0x1E904, 'M', '𞤦'), + (0x1E905, 'M', '𞤧'), + (0x1E906, 'M', '𞤨'), + (0x1E907, 'M', '𞤩'), + (0x1E908, 'M', '𞤪'), + (0x1E909, 'M', '𞤫'), + (0x1E90A, 'M', '𞤬'), + (0x1E90B, 'M', '𞤭'), + (0x1E90C, 'M', '𞤮'), + (0x1E90D, 'M', '𞤯'), + (0x1E90E, 'M', '𞤰'), + (0x1E90F, 'M', '𞤱'), + (0x1E910, 'M', '𞤲'), + (0x1E911, 'M', '𞤳'), + (0x1E912, 'M', '𞤴'), + (0x1E913, 'M', '𞤵'), + (0x1E914, 'M', '𞤶'), + (0x1E915, 'M', '𞤷'), + (0x1E916, 'M', '𞤸'), + (0x1E917, 'M', '𞤹'), + (0x1E918, 'M', '𞤺'), + (0x1E919, 'M', '𞤻'), + (0x1E91A, 'M', '𞤼'), + (0x1E91B, 'M', '𞤽'), + (0x1E91C, 'M', '𞤾'), + (0x1E91D, 'M', '𞤿'), + (0x1E91E, 'M', '𞥀'), + (0x1E91F, 'M', '𞥁'), + (0x1E920, 'M', '𞥂'), + (0x1E921, 'M', '𞥃'), + (0x1E922, 'V'), + (0x1E94C, 'X'), + (0x1E950, 'V'), + (0x1E95A, 'X'), + (0x1E95E, 'V'), + (0x1E960, 'X'), + ] + +def _seg_70(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1EC71, 'V'), + (0x1ECB5, 'X'), + (0x1ED01, 'V'), + (0x1ED3E, 'X'), + (0x1EE00, 'M', 'ا'), + (0x1EE01, 'M', 'ب'), + (0x1EE02, 'M', 'ج'), + (0x1EE03, 'M', 'د'), + (0x1EE04, 'X'), + (0x1EE05, 'M', 'و'), + (0x1EE06, 'M', 'ز'), + (0x1EE07, 'M', 'ح'), + (0x1EE08, 'M', 'ط'), + (0x1EE09, 'M', 'ي'), + (0x1EE0A, 'M', 'ك'), + (0x1EE0B, 'M', 'ل'), + (0x1EE0C, 'M', 'م'), + (0x1EE0D, 'M', 'ن'), + (0x1EE0E, 'M', 'س'), + (0x1EE0F, 'M', 'ع'), + (0x1EE10, 'M', 'ف'), + (0x1EE11, 'M', 'ص'), + (0x1EE12, 'M', 'ق'), + (0x1EE13, 'M', 'ر'), + (0x1EE14, 'M', 'ش'), + (0x1EE15, 'M', 'ت'), + (0x1EE16, 'M', 'ث'), + (0x1EE17, 'M', 'خ'), + (0x1EE18, 'M', 'ذ'), + (0x1EE19, 'M', 'ض'), + (0x1EE1A, 'M', 'ظ'), + (0x1EE1B, 'M', 'غ'), + (0x1EE1C, 'M', 'ٮ'), + (0x1EE1D, 'M', 'ں'), + (0x1EE1E, 'M', 'ڡ'), + (0x1EE1F, 'M', 'ٯ'), + (0x1EE20, 'X'), + (0x1EE21, 'M', 'ب'), + (0x1EE22, 'M', 'ج'), + (0x1EE23, 'X'), + (0x1EE24, 'M', 'ه'), + (0x1EE25, 'X'), + (0x1EE27, 'M', 'ح'), + (0x1EE28, 'X'), + (0x1EE29, 'M', 'ي'), + (0x1EE2A, 'M', 'ك'), + (0x1EE2B, 'M', 'ل'), + (0x1EE2C, 'M', 'م'), + (0x1EE2D, 'M', 'ن'), + (0x1EE2E, 'M', 'س'), + (0x1EE2F, 'M', 'ع'), + (0x1EE30, 'M', 'ف'), + (0x1EE31, 'M', 'ص'), + (0x1EE32, 'M', 'ق'), + (0x1EE33, 'X'), + (0x1EE34, 'M', 'ش'), + (0x1EE35, 'M', 'ت'), + (0x1EE36, 'M', 'ث'), + (0x1EE37, 'M', 'خ'), + (0x1EE38, 'X'), + (0x1EE39, 'M', 'ض'), + (0x1EE3A, 'X'), + (0x1EE3B, 'M', 'غ'), + (0x1EE3C, 'X'), + (0x1EE42, 'M', 'ج'), + (0x1EE43, 'X'), + (0x1EE47, 'M', 'ح'), + (0x1EE48, 'X'), + (0x1EE49, 'M', 'ي'), + (0x1EE4A, 'X'), + (0x1EE4B, 'M', 'ل'), + (0x1EE4C, 'X'), + (0x1EE4D, 'M', 'ن'), + (0x1EE4E, 'M', 'س'), + (0x1EE4F, 'M', 'ع'), + (0x1EE50, 'X'), + (0x1EE51, 'M', 'ص'), + (0x1EE52, 'M', 'ق'), + (0x1EE53, 'X'), + (0x1EE54, 'M', 'ش'), + (0x1EE55, 'X'), + (0x1EE57, 'M', 'خ'), + (0x1EE58, 'X'), + (0x1EE59, 'M', 'ض'), + (0x1EE5A, 'X'), + (0x1EE5B, 'M', 'غ'), + (0x1EE5C, 'X'), + (0x1EE5D, 'M', 'ں'), + (0x1EE5E, 'X'), + (0x1EE5F, 'M', 'ٯ'), + (0x1EE60, 'X'), + (0x1EE61, 'M', 'ب'), + (0x1EE62, 'M', 'ج'), + (0x1EE63, 'X'), + (0x1EE64, 'M', 'ه'), + (0x1EE65, 'X'), + (0x1EE67, 'M', 'ح'), + (0x1EE68, 'M', 'ط'), + (0x1EE69, 'M', 'ي'), + (0x1EE6A, 'M', 'ك'), + ] + +def _seg_71(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1EE6B, 'X'), + (0x1EE6C, 'M', 'م'), + (0x1EE6D, 'M', 'ن'), + (0x1EE6E, 'M', 'س'), + (0x1EE6F, 'M', 'ع'), + (0x1EE70, 'M', 'ف'), + (0x1EE71, 'M', 'ص'), + (0x1EE72, 'M', 'ق'), + (0x1EE73, 'X'), + (0x1EE74, 'M', 'ش'), + (0x1EE75, 'M', 'ت'), + (0x1EE76, 'M', 'ث'), + (0x1EE77, 'M', 'خ'), + (0x1EE78, 'X'), + (0x1EE79, 'M', 'ض'), + (0x1EE7A, 'M', 'ظ'), + (0x1EE7B, 'M', 'غ'), + (0x1EE7C, 'M', 'ٮ'), + (0x1EE7D, 'X'), + (0x1EE7E, 'M', 'ڡ'), + (0x1EE7F, 'X'), + (0x1EE80, 'M', 'ا'), + (0x1EE81, 'M', 'ب'), + (0x1EE82, 'M', 'ج'), + (0x1EE83, 'M', 'د'), + (0x1EE84, 'M', 'ه'), + (0x1EE85, 'M', 'و'), + (0x1EE86, 'M', 'ز'), + (0x1EE87, 'M', 'ح'), + (0x1EE88, 'M', 'ط'), + (0x1EE89, 'M', 'ي'), + (0x1EE8A, 'X'), + (0x1EE8B, 'M', 'ل'), + (0x1EE8C, 'M', 'م'), + (0x1EE8D, 'M', 'ن'), + (0x1EE8E, 'M', 'س'), + (0x1EE8F, 'M', 'ع'), + (0x1EE90, 'M', 'ف'), + (0x1EE91, 'M', 'ص'), + (0x1EE92, 'M', 'ق'), + (0x1EE93, 'M', 'ر'), + (0x1EE94, 'M', 'ش'), + (0x1EE95, 'M', 'ت'), + (0x1EE96, 'M', 'ث'), + (0x1EE97, 'M', 'خ'), + (0x1EE98, 'M', 'ذ'), + (0x1EE99, 'M', 'ض'), + (0x1EE9A, 'M', 'ظ'), + (0x1EE9B, 'M', 'غ'), + (0x1EE9C, 'X'), + (0x1EEA1, 'M', 'ب'), + (0x1EEA2, 'M', 'ج'), + (0x1EEA3, 'M', 'د'), + (0x1EEA4, 'X'), + (0x1EEA5, 'M', 'و'), + (0x1EEA6, 'M', 'ز'), + (0x1EEA7, 'M', 'ح'), + (0x1EEA8, 'M', 'ط'), + (0x1EEA9, 'M', 'ي'), + (0x1EEAA, 'X'), + (0x1EEAB, 'M', 'ل'), + (0x1EEAC, 'M', 'م'), + (0x1EEAD, 'M', 'ن'), + (0x1EEAE, 'M', 'س'), + (0x1EEAF, 'M', 'ع'), + (0x1EEB0, 'M', 'ف'), + (0x1EEB1, 'M', 'ص'), + (0x1EEB2, 'M', 'ق'), + (0x1EEB3, 'M', 'ر'), + (0x1EEB4, 'M', 'ش'), + (0x1EEB5, 'M', 'ت'), + (0x1EEB6, 'M', 'ث'), + (0x1EEB7, 'M', 'خ'), + (0x1EEB8, 'M', 'ذ'), + (0x1EEB9, 'M', 'ض'), + (0x1EEBA, 'M', 'ظ'), + (0x1EEBB, 'M', 'غ'), + (0x1EEBC, 'X'), + (0x1EEF0, 'V'), + (0x1EEF2, 'X'), + (0x1F000, 'V'), + (0x1F02C, 'X'), + (0x1F030, 'V'), + (0x1F094, 'X'), + (0x1F0A0, 'V'), + (0x1F0AF, 'X'), + (0x1F0B1, 'V'), + (0x1F0C0, 'X'), + (0x1F0C1, 'V'), + (0x1F0D0, 'X'), + (0x1F0D1, 'V'), + (0x1F0F6, 'X'), + (0x1F101, '3', '0,'), + (0x1F102, '3', '1,'), + (0x1F103, '3', '2,'), + (0x1F104, '3', '3,'), + (0x1F105, '3', '4,'), + (0x1F106, '3', '5,'), + (0x1F107, '3', '6,'), + (0x1F108, '3', '7,'), + ] + +def _seg_72(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1F109, '3', '8,'), + (0x1F10A, '3', '9,'), + (0x1F10B, 'V'), + (0x1F110, '3', '(a)'), + (0x1F111, '3', '(b)'), + (0x1F112, '3', '(c)'), + (0x1F113, '3', '(d)'), + (0x1F114, '3', '(e)'), + (0x1F115, '3', '(f)'), + (0x1F116, '3', '(g)'), + (0x1F117, '3', '(h)'), + (0x1F118, '3', '(i)'), + (0x1F119, '3', '(j)'), + (0x1F11A, '3', '(k)'), + (0x1F11B, '3', '(l)'), + (0x1F11C, '3', '(m)'), + (0x1F11D, '3', '(n)'), + (0x1F11E, '3', '(o)'), + (0x1F11F, '3', '(p)'), + (0x1F120, '3', '(q)'), + (0x1F121, '3', '(r)'), + (0x1F122, '3', '(s)'), + (0x1F123, '3', '(t)'), + (0x1F124, '3', '(u)'), + (0x1F125, '3', '(v)'), + (0x1F126, '3', '(w)'), + (0x1F127, '3', '(x)'), + (0x1F128, '3', '(y)'), + (0x1F129, '3', '(z)'), + (0x1F12A, 'M', '〔s〕'), + (0x1F12B, 'M', 'c'), + (0x1F12C, 'M', 'r'), + (0x1F12D, 'M', 'cd'), + (0x1F12E, 'M', 'wz'), + (0x1F12F, 'V'), + (0x1F130, 'M', 'a'), + (0x1F131, 'M', 'b'), + (0x1F132, 'M', 'c'), + (0x1F133, 'M', 'd'), + (0x1F134, 'M', 'e'), + (0x1F135, 'M', 'f'), + (0x1F136, 'M', 'g'), + (0x1F137, 'M', 'h'), + (0x1F138, 'M', 'i'), + (0x1F139, 'M', 'j'), + (0x1F13A, 'M', 'k'), + (0x1F13B, 'M', 'l'), + (0x1F13C, 'M', 'm'), + (0x1F13D, 'M', 'n'), + (0x1F13E, 'M', 'o'), + (0x1F13F, 'M', 'p'), + (0x1F140, 'M', 'q'), + (0x1F141, 'M', 'r'), + (0x1F142, 'M', 's'), + (0x1F143, 'M', 't'), + (0x1F144, 'M', 'u'), + (0x1F145, 'M', 'v'), + (0x1F146, 'M', 'w'), + (0x1F147, 'M', 'x'), + (0x1F148, 'M', 'y'), + (0x1F149, 'M', 'z'), + (0x1F14A, 'M', 'hv'), + (0x1F14B, 'M', 'mv'), + (0x1F14C, 'M', 'sd'), + (0x1F14D, 'M', 'ss'), + (0x1F14E, 'M', 'ppv'), + (0x1F14F, 'M', 'wc'), + (0x1F150, 'V'), + (0x1F16A, 'M', 'mc'), + (0x1F16B, 'M', 'md'), + (0x1F16C, 'M', 'mr'), + (0x1F16D, 'V'), + (0x1F190, 'M', 'dj'), + (0x1F191, 'V'), + (0x1F1AE, 'X'), + (0x1F1E6, 'V'), + (0x1F200, 'M', 'ほか'), + (0x1F201, 'M', 'ココ'), + (0x1F202, 'M', 'サ'), + (0x1F203, 'X'), + (0x1F210, 'M', '手'), + (0x1F211, 'M', '字'), + (0x1F212, 'M', '双'), + (0x1F213, 'M', 'デ'), + (0x1F214, 'M', '二'), + (0x1F215, 'M', '多'), + (0x1F216, 'M', '解'), + (0x1F217, 'M', '天'), + (0x1F218, 'M', '交'), + (0x1F219, 'M', '映'), + (0x1F21A, 'M', '無'), + (0x1F21B, 'M', '料'), + (0x1F21C, 'M', '前'), + (0x1F21D, 'M', '後'), + (0x1F21E, 'M', '再'), + (0x1F21F, 'M', '新'), + (0x1F220, 'M', '初'), + (0x1F221, 'M', '終'), + (0x1F222, 'M', '生'), + (0x1F223, 'M', '販'), + ] + +def _seg_73(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1F224, 'M', '声'), + (0x1F225, 'M', '吹'), + (0x1F226, 'M', '演'), + (0x1F227, 'M', '投'), + (0x1F228, 'M', '捕'), + (0x1F229, 'M', '一'), + (0x1F22A, 'M', '三'), + (0x1F22B, 'M', '遊'), + (0x1F22C, 'M', '左'), + (0x1F22D, 'M', '中'), + (0x1F22E, 'M', '右'), + (0x1F22F, 'M', '指'), + (0x1F230, 'M', '走'), + (0x1F231, 'M', '打'), + (0x1F232, 'M', '禁'), + (0x1F233, 'M', '空'), + (0x1F234, 'M', '合'), + (0x1F235, 'M', '満'), + (0x1F236, 'M', '有'), + (0x1F237, 'M', '月'), + (0x1F238, 'M', '申'), + (0x1F239, 'M', '割'), + (0x1F23A, 'M', '営'), + (0x1F23B, 'M', '配'), + (0x1F23C, 'X'), + (0x1F240, 'M', '〔本〕'), + (0x1F241, 'M', '〔三〕'), + (0x1F242, 'M', '〔二〕'), + (0x1F243, 'M', '〔安〕'), + (0x1F244, 'M', '〔点〕'), + (0x1F245, 'M', '〔打〕'), + (0x1F246, 'M', '〔盗〕'), + (0x1F247, 'M', '〔勝〕'), + (0x1F248, 'M', '〔敗〕'), + (0x1F249, 'X'), + (0x1F250, 'M', '得'), + (0x1F251, 'M', '可'), + (0x1F252, 'X'), + (0x1F260, 'V'), + (0x1F266, 'X'), + (0x1F300, 'V'), + (0x1F6D8, 'X'), + (0x1F6E0, 'V'), + (0x1F6ED, 'X'), + (0x1F6F0, 'V'), + (0x1F6FD, 'X'), + (0x1F700, 'V'), + (0x1F774, 'X'), + (0x1F780, 'V'), + (0x1F7D9, 'X'), + (0x1F7E0, 'V'), + (0x1F7EC, 'X'), + (0x1F800, 'V'), + (0x1F80C, 'X'), + (0x1F810, 'V'), + (0x1F848, 'X'), + (0x1F850, 'V'), + (0x1F85A, 'X'), + (0x1F860, 'V'), + (0x1F888, 'X'), + (0x1F890, 'V'), + (0x1F8AE, 'X'), + (0x1F8B0, 'V'), + (0x1F8B2, 'X'), + (0x1F900, 'V'), + (0x1F979, 'X'), + (0x1F97A, 'V'), + (0x1F9CC, 'X'), + (0x1F9CD, 'V'), + (0x1FA54, 'X'), + (0x1FA60, 'V'), + (0x1FA6E, 'X'), + (0x1FA70, 'V'), + (0x1FA75, 'X'), + (0x1FA78, 'V'), + (0x1FA7B, 'X'), + (0x1FA80, 'V'), + (0x1FA87, 'X'), + (0x1FA90, 'V'), + (0x1FAA9, 'X'), + (0x1FAB0, 'V'), + (0x1FAB7, 'X'), + (0x1FAC0, 'V'), + (0x1FAC3, 'X'), + (0x1FAD0, 'V'), + (0x1FAD7, 'X'), + (0x1FB00, 'V'), + (0x1FB93, 'X'), + (0x1FB94, 'V'), + (0x1FBCB, 'X'), + (0x1FBF0, 'M', '0'), + (0x1FBF1, 'M', '1'), + (0x1FBF2, 'M', '2'), + (0x1FBF3, 'M', '3'), + (0x1FBF4, 'M', '4'), + (0x1FBF5, 'M', '5'), + (0x1FBF6, 'M', '6'), + (0x1FBF7, 'M', '7'), + (0x1FBF8, 'M', '8'), + (0x1FBF9, 'M', '9'), + ] + +def _seg_74(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x1FBFA, 'X'), + (0x20000, 'V'), + (0x2A6DE, 'X'), + (0x2A700, 'V'), + (0x2B735, 'X'), + (0x2B740, 'V'), + (0x2B81E, 'X'), + (0x2B820, 'V'), + (0x2CEA2, 'X'), + (0x2CEB0, 'V'), + (0x2EBE1, 'X'), + (0x2F800, 'M', '丽'), + (0x2F801, 'M', '丸'), + (0x2F802, 'M', '乁'), + (0x2F803, 'M', '𠄢'), + (0x2F804, 'M', '你'), + (0x2F805, 'M', '侮'), + (0x2F806, 'M', '侻'), + (0x2F807, 'M', '倂'), + (0x2F808, 'M', '偺'), + (0x2F809, 'M', '備'), + (0x2F80A, 'M', '僧'), + (0x2F80B, 'M', '像'), + (0x2F80C, 'M', '㒞'), + (0x2F80D, 'M', '𠘺'), + (0x2F80E, 'M', '免'), + (0x2F80F, 'M', '兔'), + (0x2F810, 'M', '兤'), + (0x2F811, 'M', '具'), + (0x2F812, 'M', '𠔜'), + (0x2F813, 'M', '㒹'), + (0x2F814, 'M', '內'), + (0x2F815, 'M', '再'), + (0x2F816, 'M', '𠕋'), + (0x2F817, 'M', '冗'), + (0x2F818, 'M', '冤'), + (0x2F819, 'M', '仌'), + (0x2F81A, 'M', '冬'), + (0x2F81B, 'M', '况'), + (0x2F81C, 'M', '𩇟'), + (0x2F81D, 'M', '凵'), + (0x2F81E, 'M', '刃'), + (0x2F81F, 'M', '㓟'), + (0x2F820, 'M', '刻'), + (0x2F821, 'M', '剆'), + (0x2F822, 'M', '割'), + (0x2F823, 'M', '剷'), + (0x2F824, 'M', '㔕'), + (0x2F825, 'M', '勇'), + (0x2F826, 'M', '勉'), + (0x2F827, 'M', '勤'), + (0x2F828, 'M', '勺'), + (0x2F829, 'M', '包'), + (0x2F82A, 'M', '匆'), + (0x2F82B, 'M', '北'), + (0x2F82C, 'M', '卉'), + (0x2F82D, 'M', '卑'), + (0x2F82E, 'M', '博'), + (0x2F82F, 'M', '即'), + (0x2F830, 'M', '卽'), + (0x2F831, 'M', '卿'), + (0x2F834, 'M', '𠨬'), + (0x2F835, 'M', '灰'), + (0x2F836, 'M', '及'), + (0x2F837, 'M', '叟'), + (0x2F838, 'M', '𠭣'), + (0x2F839, 'M', '叫'), + (0x2F83A, 'M', '叱'), + (0x2F83B, 'M', '吆'), + (0x2F83C, 'M', '咞'), + (0x2F83D, 'M', '吸'), + (0x2F83E, 'M', '呈'), + (0x2F83F, 'M', '周'), + (0x2F840, 'M', '咢'), + (0x2F841, 'M', '哶'), + (0x2F842, 'M', '唐'), + (0x2F843, 'M', '啓'), + (0x2F844, 'M', '啣'), + (0x2F845, 'M', '善'), + (0x2F847, 'M', '喙'), + (0x2F848, 'M', '喫'), + (0x2F849, 'M', '喳'), + (0x2F84A, 'M', '嗂'), + (0x2F84B, 'M', '圖'), + (0x2F84C, 'M', '嘆'), + (0x2F84D, 'M', '圗'), + (0x2F84E, 'M', '噑'), + (0x2F84F, 'M', '噴'), + (0x2F850, 'M', '切'), + (0x2F851, 'M', '壮'), + (0x2F852, 'M', '城'), + (0x2F853, 'M', '埴'), + (0x2F854, 'M', '堍'), + (0x2F855, 'M', '型'), + (0x2F856, 'M', '堲'), + (0x2F857, 'M', '報'), + (0x2F858, 'M', '墬'), + (0x2F859, 'M', '𡓤'), + (0x2F85A, 'M', '売'), + (0x2F85B, 'M', '壷'), + ] + +def _seg_75(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x2F85C, 'M', '夆'), + (0x2F85D, 'M', '多'), + (0x2F85E, 'M', '夢'), + (0x2F85F, 'M', '奢'), + (0x2F860, 'M', '𡚨'), + (0x2F861, 'M', '𡛪'), + (0x2F862, 'M', '姬'), + (0x2F863, 'M', '娛'), + (0x2F864, 'M', '娧'), + (0x2F865, 'M', '姘'), + (0x2F866, 'M', '婦'), + (0x2F867, 'M', '㛮'), + (0x2F868, 'X'), + (0x2F869, 'M', '嬈'), + (0x2F86A, 'M', '嬾'), + (0x2F86C, 'M', '𡧈'), + (0x2F86D, 'M', '寃'), + (0x2F86E, 'M', '寘'), + (0x2F86F, 'M', '寧'), + (0x2F870, 'M', '寳'), + (0x2F871, 'M', '𡬘'), + (0x2F872, 'M', '寿'), + (0x2F873, 'M', '将'), + (0x2F874, 'X'), + (0x2F875, 'M', '尢'), + (0x2F876, 'M', '㞁'), + (0x2F877, 'M', '屠'), + (0x2F878, 'M', '屮'), + (0x2F879, 'M', '峀'), + (0x2F87A, 'M', '岍'), + (0x2F87B, 'M', '𡷤'), + (0x2F87C, 'M', '嵃'), + (0x2F87D, 'M', '𡷦'), + (0x2F87E, 'M', '嵮'), + (0x2F87F, 'M', '嵫'), + (0x2F880, 'M', '嵼'), + (0x2F881, 'M', '巡'), + (0x2F882, 'M', '巢'), + (0x2F883, 'M', '㠯'), + (0x2F884, 'M', '巽'), + (0x2F885, 'M', '帨'), + (0x2F886, 'M', '帽'), + (0x2F887, 'M', '幩'), + (0x2F888, 'M', '㡢'), + (0x2F889, 'M', '𢆃'), + (0x2F88A, 'M', '㡼'), + (0x2F88B, 'M', '庰'), + (0x2F88C, 'M', '庳'), + (0x2F88D, 'M', '庶'), + (0x2F88E, 'M', '廊'), + (0x2F88F, 'M', '𪎒'), + (0x2F890, 'M', '廾'), + (0x2F891, 'M', '𢌱'), + (0x2F893, 'M', '舁'), + (0x2F894, 'M', '弢'), + (0x2F896, 'M', '㣇'), + (0x2F897, 'M', '𣊸'), + (0x2F898, 'M', '𦇚'), + (0x2F899, 'M', '形'), + (0x2F89A, 'M', '彫'), + (0x2F89B, 'M', '㣣'), + (0x2F89C, 'M', '徚'), + (0x2F89D, 'M', '忍'), + (0x2F89E, 'M', '志'), + (0x2F89F, 'M', '忹'), + (0x2F8A0, 'M', '悁'), + (0x2F8A1, 'M', '㤺'), + (0x2F8A2, 'M', '㤜'), + (0x2F8A3, 'M', '悔'), + (0x2F8A4, 'M', '𢛔'), + (0x2F8A5, 'M', '惇'), + (0x2F8A6, 'M', '慈'), + (0x2F8A7, 'M', '慌'), + (0x2F8A8, 'M', '慎'), + (0x2F8A9, 'M', '慌'), + (0x2F8AA, 'M', '慺'), + (0x2F8AB, 'M', '憎'), + (0x2F8AC, 'M', '憲'), + (0x2F8AD, 'M', '憤'), + (0x2F8AE, 'M', '憯'), + (0x2F8AF, 'M', '懞'), + (0x2F8B0, 'M', '懲'), + (0x2F8B1, 'M', '懶'), + (0x2F8B2, 'M', '成'), + (0x2F8B3, 'M', '戛'), + (0x2F8B4, 'M', '扝'), + (0x2F8B5, 'M', '抱'), + (0x2F8B6, 'M', '拔'), + (0x2F8B7, 'M', '捐'), + (0x2F8B8, 'M', '𢬌'), + (0x2F8B9, 'M', '挽'), + (0x2F8BA, 'M', '拼'), + (0x2F8BB, 'M', '捨'), + (0x2F8BC, 'M', '掃'), + (0x2F8BD, 'M', '揤'), + (0x2F8BE, 'M', '𢯱'), + (0x2F8BF, 'M', '搢'), + (0x2F8C0, 'M', '揅'), + (0x2F8C1, 'M', '掩'), + (0x2F8C2, 'M', '㨮'), + ] + +def _seg_76(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x2F8C3, 'M', '摩'), + (0x2F8C4, 'M', '摾'), + (0x2F8C5, 'M', '撝'), + (0x2F8C6, 'M', '摷'), + (0x2F8C7, 'M', '㩬'), + (0x2F8C8, 'M', '敏'), + (0x2F8C9, 'M', '敬'), + (0x2F8CA, 'M', '𣀊'), + (0x2F8CB, 'M', '旣'), + (0x2F8CC, 'M', '書'), + (0x2F8CD, 'M', '晉'), + (0x2F8CE, 'M', '㬙'), + (0x2F8CF, 'M', '暑'), + (0x2F8D0, 'M', '㬈'), + (0x2F8D1, 'M', '㫤'), + (0x2F8D2, 'M', '冒'), + (0x2F8D3, 'M', '冕'), + (0x2F8D4, 'M', '最'), + (0x2F8D5, 'M', '暜'), + (0x2F8D6, 'M', '肭'), + (0x2F8D7, 'M', '䏙'), + (0x2F8D8, 'M', '朗'), + (0x2F8D9, 'M', '望'), + (0x2F8DA, 'M', '朡'), + (0x2F8DB, 'M', '杞'), + (0x2F8DC, 'M', '杓'), + (0x2F8DD, 'M', '𣏃'), + (0x2F8DE, 'M', '㭉'), + (0x2F8DF, 'M', '柺'), + (0x2F8E0, 'M', '枅'), + (0x2F8E1, 'M', '桒'), + (0x2F8E2, 'M', '梅'), + (0x2F8E3, 'M', '𣑭'), + (0x2F8E4, 'M', '梎'), + (0x2F8E5, 'M', '栟'), + (0x2F8E6, 'M', '椔'), + (0x2F8E7, 'M', '㮝'), + (0x2F8E8, 'M', '楂'), + (0x2F8E9, 'M', '榣'), + (0x2F8EA, 'M', '槪'), + (0x2F8EB, 'M', '檨'), + (0x2F8EC, 'M', '𣚣'), + (0x2F8ED, 'M', '櫛'), + (0x2F8EE, 'M', '㰘'), + (0x2F8EF, 'M', '次'), + (0x2F8F0, 'M', '𣢧'), + (0x2F8F1, 'M', '歔'), + (0x2F8F2, 'M', '㱎'), + (0x2F8F3, 'M', '歲'), + (0x2F8F4, 'M', '殟'), + (0x2F8F5, 'M', '殺'), + (0x2F8F6, 'M', '殻'), + (0x2F8F7, 'M', '𣪍'), + (0x2F8F8, 'M', '𡴋'), + (0x2F8F9, 'M', '𣫺'), + (0x2F8FA, 'M', '汎'), + (0x2F8FB, 'M', '𣲼'), + (0x2F8FC, 'M', '沿'), + (0x2F8FD, 'M', '泍'), + (0x2F8FE, 'M', '汧'), + (0x2F8FF, 'M', '洖'), + (0x2F900, 'M', '派'), + (0x2F901, 'M', '海'), + (0x2F902, 'M', '流'), + (0x2F903, 'M', '浩'), + (0x2F904, 'M', '浸'), + (0x2F905, 'M', '涅'), + (0x2F906, 'M', '𣴞'), + (0x2F907, 'M', '洴'), + (0x2F908, 'M', '港'), + (0x2F909, 'M', '湮'), + (0x2F90A, 'M', '㴳'), + (0x2F90B, 'M', '滋'), + (0x2F90C, 'M', '滇'), + (0x2F90D, 'M', '𣻑'), + (0x2F90E, 'M', '淹'), + (0x2F90F, 'M', '潮'), + (0x2F910, 'M', '𣽞'), + (0x2F911, 'M', '𣾎'), + (0x2F912, 'M', '濆'), + (0x2F913, 'M', '瀹'), + (0x2F914, 'M', '瀞'), + (0x2F915, 'M', '瀛'), + (0x2F916, 'M', '㶖'), + (0x2F917, 'M', '灊'), + (0x2F918, 'M', '災'), + (0x2F919, 'M', '灷'), + (0x2F91A, 'M', '炭'), + (0x2F91B, 'M', '𠔥'), + (0x2F91C, 'M', '煅'), + (0x2F91D, 'M', '𤉣'), + (0x2F91E, 'M', '熜'), + (0x2F91F, 'X'), + (0x2F920, 'M', '爨'), + (0x2F921, 'M', '爵'), + (0x2F922, 'M', '牐'), + (0x2F923, 'M', '𤘈'), + (0x2F924, 'M', '犀'), + (0x2F925, 'M', '犕'), + (0x2F926, 'M', '𤜵'), + ] + +def _seg_77(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x2F927, 'M', '𤠔'), + (0x2F928, 'M', '獺'), + (0x2F929, 'M', '王'), + (0x2F92A, 'M', '㺬'), + (0x2F92B, 'M', '玥'), + (0x2F92C, 'M', '㺸'), + (0x2F92E, 'M', '瑇'), + (0x2F92F, 'M', '瑜'), + (0x2F930, 'M', '瑱'), + (0x2F931, 'M', '璅'), + (0x2F932, 'M', '瓊'), + (0x2F933, 'M', '㼛'), + (0x2F934, 'M', '甤'), + (0x2F935, 'M', '𤰶'), + (0x2F936, 'M', '甾'), + (0x2F937, 'M', '𤲒'), + (0x2F938, 'M', '異'), + (0x2F939, 'M', '𢆟'), + (0x2F93A, 'M', '瘐'), + (0x2F93B, 'M', '𤾡'), + (0x2F93C, 'M', '𤾸'), + (0x2F93D, 'M', '𥁄'), + (0x2F93E, 'M', '㿼'), + (0x2F93F, 'M', '䀈'), + (0x2F940, 'M', '直'), + (0x2F941, 'M', '𥃳'), + (0x2F942, 'M', '𥃲'), + (0x2F943, 'M', '𥄙'), + (0x2F944, 'M', '𥄳'), + (0x2F945, 'M', '眞'), + (0x2F946, 'M', '真'), + (0x2F948, 'M', '睊'), + (0x2F949, 'M', '䀹'), + (0x2F94A, 'M', '瞋'), + (0x2F94B, 'M', '䁆'), + (0x2F94C, 'M', '䂖'), + (0x2F94D, 'M', '𥐝'), + (0x2F94E, 'M', '硎'), + (0x2F94F, 'M', '碌'), + (0x2F950, 'M', '磌'), + (0x2F951, 'M', '䃣'), + (0x2F952, 'M', '𥘦'), + (0x2F953, 'M', '祖'), + (0x2F954, 'M', '𥚚'), + (0x2F955, 'M', '𥛅'), + (0x2F956, 'M', '福'), + (0x2F957, 'M', '秫'), + (0x2F958, 'M', '䄯'), + (0x2F959, 'M', '穀'), + (0x2F95A, 'M', '穊'), + (0x2F95B, 'M', '穏'), + (0x2F95C, 'M', '𥥼'), + (0x2F95D, 'M', '𥪧'), + (0x2F95F, 'X'), + (0x2F960, 'M', '䈂'), + (0x2F961, 'M', '𥮫'), + (0x2F962, 'M', '篆'), + (0x2F963, 'M', '築'), + (0x2F964, 'M', '䈧'), + (0x2F965, 'M', '𥲀'), + (0x2F966, 'M', '糒'), + (0x2F967, 'M', '䊠'), + (0x2F968, 'M', '糨'), + (0x2F969, 'M', '糣'), + (0x2F96A, 'M', '紀'), + (0x2F96B, 'M', '𥾆'), + (0x2F96C, 'M', '絣'), + (0x2F96D, 'M', '䌁'), + (0x2F96E, 'M', '緇'), + (0x2F96F, 'M', '縂'), + (0x2F970, 'M', '繅'), + (0x2F971, 'M', '䌴'), + (0x2F972, 'M', '𦈨'), + (0x2F973, 'M', '𦉇'), + (0x2F974, 'M', '䍙'), + (0x2F975, 'M', '𦋙'), + (0x2F976, 'M', '罺'), + (0x2F977, 'M', '𦌾'), + (0x2F978, 'M', '羕'), + (0x2F979, 'M', '翺'), + (0x2F97A, 'M', '者'), + (0x2F97B, 'M', '𦓚'), + (0x2F97C, 'M', '𦔣'), + (0x2F97D, 'M', '聠'), + (0x2F97E, 'M', '𦖨'), + (0x2F97F, 'M', '聰'), + (0x2F980, 'M', '𣍟'), + (0x2F981, 'M', '䏕'), + (0x2F982, 'M', '育'), + (0x2F983, 'M', '脃'), + (0x2F984, 'M', '䐋'), + (0x2F985, 'M', '脾'), + (0x2F986, 'M', '媵'), + (0x2F987, 'M', '𦞧'), + (0x2F988, 'M', '𦞵'), + (0x2F989, 'M', '𣎓'), + (0x2F98A, 'M', '𣎜'), + (0x2F98B, 'M', '舁'), + (0x2F98C, 'M', '舄'), + (0x2F98D, 'M', '辞'), + ] + +def _seg_78(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x2F98E, 'M', '䑫'), + (0x2F98F, 'M', '芑'), + (0x2F990, 'M', '芋'), + (0x2F991, 'M', '芝'), + (0x2F992, 'M', '劳'), + (0x2F993, 'M', '花'), + (0x2F994, 'M', '芳'), + (0x2F995, 'M', '芽'), + (0x2F996, 'M', '苦'), + (0x2F997, 'M', '𦬼'), + (0x2F998, 'M', '若'), + (0x2F999, 'M', '茝'), + (0x2F99A, 'M', '荣'), + (0x2F99B, 'M', '莭'), + (0x2F99C, 'M', '茣'), + (0x2F99D, 'M', '莽'), + (0x2F99E, 'M', '菧'), + (0x2F99F, 'M', '著'), + (0x2F9A0, 'M', '荓'), + (0x2F9A1, 'M', '菊'), + (0x2F9A2, 'M', '菌'), + (0x2F9A3, 'M', '菜'), + (0x2F9A4, 'M', '𦰶'), + (0x2F9A5, 'M', '𦵫'), + (0x2F9A6, 'M', '𦳕'), + (0x2F9A7, 'M', '䔫'), + (0x2F9A8, 'M', '蓱'), + (0x2F9A9, 'M', '蓳'), + (0x2F9AA, 'M', '蔖'), + (0x2F9AB, 'M', '𧏊'), + (0x2F9AC, 'M', '蕤'), + (0x2F9AD, 'M', '𦼬'), + (0x2F9AE, 'M', '䕝'), + (0x2F9AF, 'M', '䕡'), + (0x2F9B0, 'M', '𦾱'), + (0x2F9B1, 'M', '𧃒'), + (0x2F9B2, 'M', '䕫'), + (0x2F9B3, 'M', '虐'), + (0x2F9B4, 'M', '虜'), + (0x2F9B5, 'M', '虧'), + (0x2F9B6, 'M', '虩'), + (0x2F9B7, 'M', '蚩'), + (0x2F9B8, 'M', '蚈'), + (0x2F9B9, 'M', '蜎'), + (0x2F9BA, 'M', '蛢'), + (0x2F9BB, 'M', '蝹'), + (0x2F9BC, 'M', '蜨'), + (0x2F9BD, 'M', '蝫'), + (0x2F9BE, 'M', '螆'), + (0x2F9BF, 'X'), + (0x2F9C0, 'M', '蟡'), + (0x2F9C1, 'M', '蠁'), + (0x2F9C2, 'M', '䗹'), + (0x2F9C3, 'M', '衠'), + (0x2F9C4, 'M', '衣'), + (0x2F9C5, 'M', '𧙧'), + (0x2F9C6, 'M', '裗'), + (0x2F9C7, 'M', '裞'), + (0x2F9C8, 'M', '䘵'), + (0x2F9C9, 'M', '裺'), + (0x2F9CA, 'M', '㒻'), + (0x2F9CB, 'M', '𧢮'), + (0x2F9CC, 'M', '𧥦'), + (0x2F9CD, 'M', '䚾'), + (0x2F9CE, 'M', '䛇'), + (0x2F9CF, 'M', '誠'), + (0x2F9D0, 'M', '諭'), + (0x2F9D1, 'M', '變'), + (0x2F9D2, 'M', '豕'), + (0x2F9D3, 'M', '𧲨'), + (0x2F9D4, 'M', '貫'), + (0x2F9D5, 'M', '賁'), + (0x2F9D6, 'M', '贛'), + (0x2F9D7, 'M', '起'), + (0x2F9D8, 'M', '𧼯'), + (0x2F9D9, 'M', '𠠄'), + (0x2F9DA, 'M', '跋'), + (0x2F9DB, 'M', '趼'), + (0x2F9DC, 'M', '跰'), + (0x2F9DD, 'M', '𠣞'), + (0x2F9DE, 'M', '軔'), + (0x2F9DF, 'M', '輸'), + (0x2F9E0, 'M', '𨗒'), + (0x2F9E1, 'M', '𨗭'), + (0x2F9E2, 'M', '邔'), + (0x2F9E3, 'M', '郱'), + (0x2F9E4, 'M', '鄑'), + (0x2F9E5, 'M', '𨜮'), + (0x2F9E6, 'M', '鄛'), + (0x2F9E7, 'M', '鈸'), + (0x2F9E8, 'M', '鋗'), + (0x2F9E9, 'M', '鋘'), + (0x2F9EA, 'M', '鉼'), + (0x2F9EB, 'M', '鏹'), + (0x2F9EC, 'M', '鐕'), + (0x2F9ED, 'M', '𨯺'), + (0x2F9EE, 'M', '開'), + (0x2F9EF, 'M', '䦕'), + (0x2F9F0, 'M', '閷'), + (0x2F9F1, 'M', '𨵷'), + ] + +def _seg_79(): + # type: () -> List[Union[Tuple[int, str], Tuple[int, str, str]]] + return [ + (0x2F9F2, 'M', '䧦'), + (0x2F9F3, 'M', '雃'), + (0x2F9F4, 'M', '嶲'), + (0x2F9F5, 'M', '霣'), + (0x2F9F6, 'M', '𩅅'), + (0x2F9F7, 'M', '𩈚'), + (0x2F9F8, 'M', '䩮'), + (0x2F9F9, 'M', '䩶'), + (0x2F9FA, 'M', '韠'), + (0x2F9FB, 'M', '𩐊'), + (0x2F9FC, 'M', '䪲'), + (0x2F9FD, 'M', '𩒖'), + (0x2F9FE, 'M', '頋'), + (0x2FA00, 'M', '頩'), + (0x2FA01, 'M', '𩖶'), + (0x2FA02, 'M', '飢'), + (0x2FA03, 'M', '䬳'), + (0x2FA04, 'M', '餩'), + (0x2FA05, 'M', '馧'), + (0x2FA06, 'M', '駂'), + (0x2FA07, 'M', '駾'), + (0x2FA08, 'M', '䯎'), + (0x2FA09, 'M', '𩬰'), + (0x2FA0A, 'M', '鬒'), + (0x2FA0B, 'M', '鱀'), + (0x2FA0C, 'M', '鳽'), + (0x2FA0D, 'M', '䳎'), + (0x2FA0E, 'M', '䳭'), + (0x2FA0F, 'M', '鵧'), + (0x2FA10, 'M', '𪃎'), + (0x2FA11, 'M', '䳸'), + (0x2FA12, 'M', '𪄅'), + (0x2FA13, 'M', '𪈎'), + (0x2FA14, 'M', '𪊑'), + (0x2FA15, 'M', '麻'), + (0x2FA16, 'M', '䵖'), + (0x2FA17, 'M', '黹'), + (0x2FA18, 'M', '黾'), + (0x2FA19, 'M', '鼅'), + (0x2FA1A, 'M', '鼏'), + (0x2FA1B, 'M', '鼖'), + (0x2FA1C, 'M', '鼻'), + (0x2FA1D, 'M', '𪘀'), + (0x2FA1E, 'X'), + (0x30000, 'V'), + (0x3134B, 'X'), + (0xE0100, 'I'), + (0xE01F0, 'X'), + ] + +uts46data = tuple( + _seg_0() + + _seg_1() + + _seg_2() + + _seg_3() + + _seg_4() + + _seg_5() + + _seg_6() + + _seg_7() + + _seg_8() + + _seg_9() + + _seg_10() + + _seg_11() + + _seg_12() + + _seg_13() + + _seg_14() + + _seg_15() + + _seg_16() + + _seg_17() + + _seg_18() + + _seg_19() + + _seg_20() + + _seg_21() + + _seg_22() + + _seg_23() + + _seg_24() + + _seg_25() + + _seg_26() + + _seg_27() + + _seg_28() + + _seg_29() + + _seg_30() + + _seg_31() + + _seg_32() + + _seg_33() + + _seg_34() + + _seg_35() + + _seg_36() + + _seg_37() + + _seg_38() + + _seg_39() + + _seg_40() + + _seg_41() + + _seg_42() + + _seg_43() + + _seg_44() + + _seg_45() + + _seg_46() + + _seg_47() + + _seg_48() + + _seg_49() + + _seg_50() + + _seg_51() + + _seg_52() + + _seg_53() + + _seg_54() + + _seg_55() + + _seg_56() + + _seg_57() + + _seg_58() + + _seg_59() + + _seg_60() + + _seg_61() + + _seg_62() + + _seg_63() + + _seg_64() + + _seg_65() + + _seg_66() + + _seg_67() + + _seg_68() + + _seg_69() + + _seg_70() + + _seg_71() + + _seg_72() + + _seg_73() + + _seg_74() + + _seg_75() + + _seg_76() + + _seg_77() + + _seg_78() + + _seg_79() +) # type: Tuple[Union[Tuple[int, str], Tuple[int, str, str]], ...] diff --git a/venv/Lib/site-packages/pip/_vendor/msgpack/__init__.py b/venv/Lib/site-packages/pip/_vendor/msgpack/__init__.py new file mode 100644 index 0000000..d6705e2 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/msgpack/__init__.py @@ -0,0 +1,54 @@ +# coding: utf-8 +from ._version import version +from .exceptions import * +from .ext import ExtType, Timestamp + +import os +import sys + + +if os.environ.get("MSGPACK_PUREPYTHON") or sys.version_info[0] == 2: + from .fallback import Packer, unpackb, Unpacker +else: + try: + from ._cmsgpack import Packer, unpackb, Unpacker + except ImportError: + from .fallback import Packer, unpackb, Unpacker + + +def pack(o, stream, **kwargs): + """ + Pack object `o` and write it to `stream` + + See :class:`Packer` for options. + """ + packer = Packer(**kwargs) + stream.write(packer.pack(o)) + + +def packb(o, **kwargs): + """ + Pack object `o` and return packed bytes + + See :class:`Packer` for options. + """ + return Packer(**kwargs).pack(o) + + +def unpack(stream, **kwargs): + """ + Unpack an object from `stream`. + + Raises `ExtraData` when `stream` contains extra bytes. + See :class:`Unpacker` for options. + """ + data = stream.read() + return unpackb(data, **kwargs) + + +# alias for compatibility to simplejson/marshal/pickle. +load = unpack +loads = unpackb + +dump = pack +dumps = packb diff --git a/venv/Lib/site-packages/pip/_vendor/msgpack/_version.py b/venv/Lib/site-packages/pip/_vendor/msgpack/_version.py new file mode 100644 index 0000000..1c83c8e --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/msgpack/_version.py @@ -0,0 +1 @@ +version = (1, 0, 2) diff --git a/venv/Lib/site-packages/pip/_vendor/msgpack/exceptions.py b/venv/Lib/site-packages/pip/_vendor/msgpack/exceptions.py new file mode 100644 index 0000000..d6d2615 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/msgpack/exceptions.py @@ -0,0 +1,48 @@ +class UnpackException(Exception): + """Base class for some exceptions raised while unpacking. + + NOTE: unpack may raise exception other than subclass of + UnpackException. If you want to catch all error, catch + Exception instead. + """ + + +class BufferFull(UnpackException): + pass + + +class OutOfData(UnpackException): + pass + + +class FormatError(ValueError, UnpackException): + """Invalid msgpack format""" + + +class StackError(ValueError, UnpackException): + """Too nested""" + + +# Deprecated. Use ValueError instead +UnpackValueError = ValueError + + +class ExtraData(UnpackValueError): + """ExtraData is raised when there is trailing data. + + This exception is raised while only one-shot (not streaming) + unpack. + """ + + def __init__(self, unpacked, extra): + self.unpacked = unpacked + self.extra = extra + + def __str__(self): + return "unpack(b) received extra data." + + +# Deprecated. Use Exception instead to catch all exception during packing. +PackException = Exception +PackValueError = ValueError +PackOverflowError = OverflowError diff --git a/venv/Lib/site-packages/pip/_vendor/msgpack/ext.py b/venv/Lib/site-packages/pip/_vendor/msgpack/ext.py new file mode 100644 index 0000000..4eb9dd6 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/msgpack/ext.py @@ -0,0 +1,193 @@ +# coding: utf-8 +from collections import namedtuple +import datetime +import sys +import struct + + +PY2 = sys.version_info[0] == 2 + +if PY2: + int_types = (int, long) + _utc = None +else: + int_types = int + try: + _utc = datetime.timezone.utc + except AttributeError: + _utc = datetime.timezone(datetime.timedelta(0)) + + +class ExtType(namedtuple("ExtType", "code data")): + """ExtType represents ext type in msgpack.""" + + def __new__(cls, code, data): + if not isinstance(code, int): + raise TypeError("code must be int") + if not isinstance(data, bytes): + raise TypeError("data must be bytes") + if not 0 <= code <= 127: + raise ValueError("code must be 0~127") + return super(ExtType, cls).__new__(cls, code, data) + + +class Timestamp(object): + """Timestamp represents the Timestamp extension type in msgpack. + + When built with Cython, msgpack uses C methods to pack and unpack `Timestamp`. When using pure-Python + msgpack, :func:`to_bytes` and :func:`from_bytes` are used to pack and unpack `Timestamp`. + + This class is immutable: Do not override seconds and nanoseconds. + """ + + __slots__ = ["seconds", "nanoseconds"] + + def __init__(self, seconds, nanoseconds=0): + """Initialize a Timestamp object. + + :param int seconds: + Number of seconds since the UNIX epoch (00:00:00 UTC Jan 1 1970, minus leap seconds). + May be negative. + + :param int nanoseconds: + Number of nanoseconds to add to `seconds` to get fractional time. + Maximum is 999_999_999. Default is 0. + + Note: Negative times (before the UNIX epoch) are represented as negative seconds + positive ns. + """ + if not isinstance(seconds, int_types): + raise TypeError("seconds must be an interger") + if not isinstance(nanoseconds, int_types): + raise TypeError("nanoseconds must be an integer") + if not (0 <= nanoseconds < 10 ** 9): + raise ValueError( + "nanoseconds must be a non-negative integer less than 999999999." + ) + self.seconds = seconds + self.nanoseconds = nanoseconds + + def __repr__(self): + """String representation of Timestamp.""" + return "Timestamp(seconds={0}, nanoseconds={1})".format( + self.seconds, self.nanoseconds + ) + + def __eq__(self, other): + """Check for equality with another Timestamp object""" + if type(other) is self.__class__: + return ( + self.seconds == other.seconds and self.nanoseconds == other.nanoseconds + ) + return False + + def __ne__(self, other): + """not-equals method (see :func:`__eq__()`)""" + return not self.__eq__(other) + + def __hash__(self): + return hash((self.seconds, self.nanoseconds)) + + @staticmethod + def from_bytes(b): + """Unpack bytes into a `Timestamp` object. + + Used for pure-Python msgpack unpacking. + + :param b: Payload from msgpack ext message with code -1 + :type b: bytes + + :returns: Timestamp object unpacked from msgpack ext payload + :rtype: Timestamp + """ + if len(b) == 4: + seconds = struct.unpack("!L", b)[0] + nanoseconds = 0 + elif len(b) == 8: + data64 = struct.unpack("!Q", b)[0] + seconds = data64 & 0x00000003FFFFFFFF + nanoseconds = data64 >> 34 + elif len(b) == 12: + nanoseconds, seconds = struct.unpack("!Iq", b) + else: + raise ValueError( + "Timestamp type can only be created from 32, 64, or 96-bit byte objects" + ) + return Timestamp(seconds, nanoseconds) + + def to_bytes(self): + """Pack this Timestamp object into bytes. + + Used for pure-Python msgpack packing. + + :returns data: Payload for EXT message with code -1 (timestamp type) + :rtype: bytes + """ + if (self.seconds >> 34) == 0: # seconds is non-negative and fits in 34 bits + data64 = self.nanoseconds << 34 | self.seconds + if data64 & 0xFFFFFFFF00000000 == 0: + # nanoseconds is zero and seconds < 2**32, so timestamp 32 + data = struct.pack("!L", data64) + else: + # timestamp 64 + data = struct.pack("!Q", data64) + else: + # timestamp 96 + data = struct.pack("!Iq", self.nanoseconds, self.seconds) + return data + + @staticmethod + def from_unix(unix_sec): + """Create a Timestamp from posix timestamp in seconds. + + :param unix_float: Posix timestamp in seconds. + :type unix_float: int or float. + """ + seconds = int(unix_sec // 1) + nanoseconds = int((unix_sec % 1) * 10 ** 9) + return Timestamp(seconds, nanoseconds) + + def to_unix(self): + """Get the timestamp as a floating-point value. + + :returns: posix timestamp + :rtype: float + """ + return self.seconds + self.nanoseconds / 1e9 + + @staticmethod + def from_unix_nano(unix_ns): + """Create a Timestamp from posix timestamp in nanoseconds. + + :param int unix_ns: Posix timestamp in nanoseconds. + :rtype: Timestamp + """ + return Timestamp(*divmod(unix_ns, 10 ** 9)) + + def to_unix_nano(self): + """Get the timestamp as a unixtime in nanoseconds. + + :returns: posix timestamp in nanoseconds + :rtype: int + """ + return self.seconds * 10 ** 9 + self.nanoseconds + + def to_datetime(self): + """Get the timestamp as a UTC datetime. + + Python 2 is not supported. + + :rtype: datetime. + """ + return datetime.datetime.fromtimestamp(0, _utc) + datetime.timedelta( + seconds=self.to_unix() + ) + + @staticmethod + def from_datetime(dt): + """Create a Timestamp from datetime with tzinfo. + + Python 2 is not supported. + + :rtype: Timestamp + """ + return Timestamp.from_unix(dt.timestamp()) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/fallback.py b/venv/Lib/site-packages/pip/_vendor/msgpack/fallback.py similarity index 52% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/fallback.py rename to venv/Lib/site-packages/pip/_vendor/msgpack/fallback.py index 9418421..0bfa94e 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/msgpack/fallback.py +++ b/venv/Lib/site-packages/pip/_vendor/msgpack/fallback.py @@ -1,76 +1,98 @@ """Fallback pure Python implementation of msgpack""" +from datetime import datetime as _DateTime import sys import struct -import warnings -if sys.version_info[0] == 3: - PY3 = True + +PY2 = sys.version_info[0] == 2 +if PY2: + int_types = (int, long) + + def dict_iteritems(d): + return d.iteritems() + + +else: int_types = int - Unicode = str + unicode = str xrange = range + def dict_iteritems(d): return d.items() + + +if sys.version_info < (3, 5): + # Ugly hack... + RecursionError = RuntimeError + + def _is_recursionerror(e): + return ( + len(e.args) == 1 + and isinstance(e.args[0], str) + and e.args[0].startswith("maximum recursion depth exceeded") + ) + + else: - PY3 = False - int_types = (int, long) - Unicode = unicode - def dict_iteritems(d): - return d.iteritems() + def _is_recursionerror(e): + return True -if hasattr(sys, 'pypy_version_info'): - # cStringIO is slow on PyPy, StringIO is faster. However: PyPy's own + +if hasattr(sys, "pypy_version_info"): + # StringIO is slow on PyPy, StringIO is faster. However: PyPy's own # StringBuilder is fastest. from __pypy__ import newlist_hint + try: from __pypy__.builders import BytesBuilder as StringBuilder except ImportError: from __pypy__.builders import StringBuilder USING_STRINGBUILDER = True + class StringIO(object): - def __init__(self, s=b''): + def __init__(self, s=b""): if s: self.builder = StringBuilder(len(s)) self.builder.append(s) else: self.builder = StringBuilder() + def write(self, s): if isinstance(s, memoryview): s = s.tobytes() elif isinstance(s, bytearray): s = bytes(s) self.builder.append(s) + def getvalue(self): return self.builder.build() + + else: USING_STRINGBUILDER = False from io import BytesIO as StringIO + newlist_hint = lambda size: [] -from pip._vendor.msgpack.exceptions import ( - BufferFull, - OutOfData, - UnpackValueError, - PackValueError, - PackOverflowError, - ExtraData) +from .exceptions import BufferFull, OutOfData, ExtraData, FormatError, StackError -from pip._vendor.msgpack import ExtType +from .ext import ExtType, Timestamp -EX_SKIP = 0 -EX_CONSTRUCT = 1 -EX_READ_ARRAY_HEADER = 2 -EX_READ_MAP_HEADER = 3 +EX_SKIP = 0 +EX_CONSTRUCT = 1 +EX_READ_ARRAY_HEADER = 2 +EX_READ_MAP_HEADER = 3 -TYPE_IMMEDIATE = 0 -TYPE_ARRAY = 1 -TYPE_MAP = 2 -TYPE_RAW = 3 -TYPE_BIN = 4 -TYPE_EXT = 5 +TYPE_IMMEDIATE = 0 +TYPE_ARRAY = 1 +TYPE_MAP = 2 +TYPE_RAW = 3 +TYPE_BIN = 4 +TYPE_EXT = 5 DEFAULT_RECURSE_LIMIT = 511 @@ -83,53 +105,54 @@ def _check_type_strict(obj, t, type=type, tuple=tuple): def _get_data_from_buffer(obj): - try: - view = memoryview(obj) - except TypeError: - # try to use legacy buffer protocol if 2.7, otherwise re-raise - if not PY3: - view = memoryview(buffer(obj)) - warnings.warn("using old buffer interface to unpack %s; " - "this leads to unpacking errors if slicing is used and " - "will be removed in a future version" % type(obj), - RuntimeWarning) - else: - raise + view = memoryview(obj) if view.itemsize != 1: raise ValueError("cannot unpack from multi-byte object") return view -def unpack(stream, **kwargs): - warnings.warn( - "Direct calling implementation's unpack() is deprecated, Use msgpack.unpack() or unpackb() instead.", - PendingDeprecationWarning) - data = stream.read() - return unpackb(data, **kwargs) - - def unpackb(packed, **kwargs): """ Unpack an object from `packed`. - Raises `ExtraData` when `packed` contains extra bytes. + Raises ``ExtraData`` when *packed* contains extra bytes. + Raises ``ValueError`` when *packed* is incomplete. + Raises ``FormatError`` when *packed* is not valid msgpack. + Raises ``StackError`` when *packed* contains too nested. + Other exceptions can be raised during unpacking. + See :class:`Unpacker` for options. """ - unpacker = Unpacker(None, **kwargs) + unpacker = Unpacker(None, max_buffer_size=len(packed), **kwargs) unpacker.feed(packed) try: ret = unpacker._unpack() except OutOfData: - raise UnpackValueError("Data is not enough.") + raise ValueError("Unpack failed: incomplete input") + except RecursionError as e: + if _is_recursionerror(e): + raise StackError + raise if unpacker._got_extradata(): raise ExtraData(ret, unpacker._get_extradata()) return ret +if sys.version_info < (2, 7, 6): + + def _unpack_from(f, b, o=0): + """Explicit type cast for legacy struct.unpack_from""" + return struct.unpack_from(f, bytes(b), o) + + +else: + _unpack_from = struct.unpack_from + + class Unpacker(object): """Streaming unpacker. - arguments: + Arguments: :param file_like: File-like object having `.read(n)` method. @@ -143,14 +166,19 @@ class Unpacker(object): Otherwise, unpack to Python tuple. (default: True) :param bool raw: - If true, unpack msgpack raw to Python bytes (default). - Otherwise, unpack to Python str (or unicode on Python 2) by decoding - with UTF-8 encoding (recommended). - Currently, the default is true, but it will be changed to false in - near future. So you must specify it explicitly for keeping backward - compatibility. + If true, unpack msgpack raw to Python bytes. + Otherwise, unpack to Python str by decoding with UTF-8 encoding (default). + + :param int timestamp: + Control how timestamp type is unpacked: - *encoding* option which is deprecated overrides this option. + 0 - Timestamp + 1 - float (Seconds from the EPOCH) + 2 - int (Nanoseconds from the EPOCH) + 3 - datetime.datetime (UTC). Python 2 is not supported. + + :param bool strict_map_key: + If true (default), only str or bytes are accepted for map (dict) keys. :param callable object_hook: When specified, it should be callable. @@ -162,41 +190,46 @@ class Unpacker(object): Unpacker calls it with a list of key-value pairs after unpacking msgpack map. (See also simplejson) - :param str encoding: - Encoding used for decoding msgpack raw. - If it is None (default), msgpack raw is deserialized to Python bytes. - :param str unicode_errors: - (deprecated) Used for decoding msgpack raw with *encoding*. - (default: `'strict'`) + The error handler for decoding unicode. (default: 'strict') + This option should be used only when you have msgpack data which + contains invalid UTF-8 string. :param int max_buffer_size: - Limits size of data waiting unpacked. 0 means system's INT_MAX (default). + Limits size of data waiting unpacked. 0 means 2**32-1. + The default value is 100*1024*1024 (100MiB). Raises `BufferFull` exception when it is insufficient. You should set this parameter when unpacking data from untrusted source. :param int max_str_len: - Limits max length of str. (default: 2**31-1) + Deprecated, use *max_buffer_size* instead. + Limits max length of str. (default: max_buffer_size) :param int max_bin_len: - Limits max length of bin. (default: 2**31-1) + Deprecated, use *max_buffer_size* instead. + Limits max length of bin. (default: max_buffer_size) :param int max_array_len: - Limits max length of array. (default: 2**31-1) + Limits max length of array. + (default: max_buffer_size) :param int max_map_len: - Limits max length of map. (default: 2**31-1) + Limits max length of map. + (default: max_buffer_size//2) + :param int max_ext_len: + Deprecated, use *max_buffer_size* instead. + Limits max size of ext type. (default: max_buffer_size) - example of streaming deserialize from file-like object:: + Example of streaming deserialize from file-like object:: - unpacker = Unpacker(file_like, raw=False) + unpacker = Unpacker(file_like) for o in unpacker: process(o) - example of streaming deserialize from socket:: + Example of streaming deserialize from socket:: - unpacker = Unpacker(raw=False) + unpacker = Unpacker(max_buffer_size) while True: buf = sock.recv(1024**2) if not buf: @@ -204,25 +237,36 @@ class Unpacker(object): unpacker.feed(buf) for o in unpacker: process(o) - """ - def __init__(self, file_like=None, read_size=0, use_list=True, raw=True, - object_hook=None, object_pairs_hook=None, list_hook=None, - encoding=None, unicode_errors=None, max_buffer_size=0, - ext_hook=ExtType, - max_str_len=2147483647, # 2**32-1 - max_bin_len=2147483647, - max_array_len=2147483647, - max_map_len=2147483647, - max_ext_len=2147483647): - - if encoding is not None: - warnings.warn( - "encoding is deprecated, Use raw=False instead.", - PendingDeprecationWarning) + Raises ``ExtraData`` when *packed* contains extra bytes. + Raises ``OutOfData`` when *packed* is incomplete. + Raises ``FormatError`` when *packed* is not valid msgpack. + Raises ``StackError`` when *packed* contains too nested. + Other exceptions can be raised during unpacking. + """ + def __init__( + self, + file_like=None, + read_size=0, + use_list=True, + raw=False, + timestamp=0, + strict_map_key=True, + object_hook=None, + object_pairs_hook=None, + list_hook=None, + unicode_errors=None, + max_buffer_size=100 * 1024 * 1024, + ext_hook=ExtType, + max_str_len=-1, + max_bin_len=-1, + max_array_len=-1, + max_map_len=-1, + max_ext_len=-1, + ): if unicode_errors is None: - unicode_errors = 'strict' + unicode_errors = "strict" if file_like is None: self._feeding = True @@ -234,12 +278,6 @@ def __init__(self, file_like=None, read_size=0, use_list=True, raw=True, #: array of bytes fed. self._buffer = bytearray() - # Some very old pythons don't support `struct.unpack_from()` with a - # `bytearray`. So we wrap it in a `buffer()` there. - if sys.version_info < (2, 7, 6): - self._buffer_view = buffer(self._buffer) - else: - self._buffer_view = self._buffer #: Which position we currently reads self._buff_i = 0 @@ -252,14 +290,30 @@ def __init__(self, file_like=None, read_size=0, use_list=True, raw=True, # state, which _buf_checkpoint records. self._buf_checkpoint = 0 - self._max_buffer_size = max_buffer_size or 2**31-1 + if not max_buffer_size: + max_buffer_size = 2 ** 31 - 1 + if max_str_len == -1: + max_str_len = max_buffer_size + if max_bin_len == -1: + max_bin_len = max_buffer_size + if max_array_len == -1: + max_array_len = max_buffer_size + if max_map_len == -1: + max_map_len = max_buffer_size // 2 + if max_ext_len == -1: + max_ext_len = max_buffer_size + + self._max_buffer_size = max_buffer_size if read_size > self._max_buffer_size: raise ValueError("read_size must be smaller than max_buffer_size") - self._read_size = read_size or min(self._max_buffer_size, 16*1024) + self._read_size = read_size or min(self._max_buffer_size, 16 * 1024) self._raw = bool(raw) - self._encoding = encoding + self._strict_map_key = bool(strict_map_key) self._unicode_errors = unicode_errors self._use_list = use_list + if not (0 <= timestamp <= 3): + raise ValueError("timestamp must be 0..3") + self._timestamp = timestamp self._list_hook = list_hook self._object_hook = object_hook self._object_pairs_hook = object_pairs_hook @@ -272,30 +326,32 @@ def __init__(self, file_like=None, read_size=0, use_list=True, raw=True, self._stream_offset = 0 if list_hook is not None and not callable(list_hook): - raise TypeError('`list_hook` is not callable') + raise TypeError("`list_hook` is not callable") if object_hook is not None and not callable(object_hook): - raise TypeError('`object_hook` is not callable') + raise TypeError("`object_hook` is not callable") if object_pairs_hook is not None and not callable(object_pairs_hook): - raise TypeError('`object_pairs_hook` is not callable') + raise TypeError("`object_pairs_hook` is not callable") if object_hook is not None and object_pairs_hook is not None: - raise TypeError("object_pairs_hook and object_hook are mutually " - "exclusive") + raise TypeError( + "object_pairs_hook and object_hook are mutually " "exclusive" + ) if not callable(ext_hook): raise TypeError("`ext_hook` is not callable") def feed(self, next_bytes): assert self._feeding view = _get_data_from_buffer(next_bytes) - if (len(self._buffer) - self._buff_i + len(view) > self._max_buffer_size): + if len(self._buffer) - self._buff_i + len(view) > self._max_buffer_size: raise BufferFull # Strip buffer before checkpoint before reading file. if self._buf_checkpoint > 0: - del self._buffer[:self._buf_checkpoint] + del self._buffer[: self._buf_checkpoint] self._buff_i -= self._buf_checkpoint self._buf_checkpoint = 0 - self._buffer += view + # Use extend here: INPLACE_ADD += doesn't reliably typecast memoryview in jython + self._buffer.extend(view) def _consume(self): """ Gets rid of the used parts of the buffer. """ @@ -306,19 +362,22 @@ def _got_extradata(self): return self._buff_i < len(self._buffer) def _get_extradata(self): - return self._buffer[self._buff_i:] + return self._buffer[self._buff_i :] def read_bytes(self, n): - return self._read(n) + ret = self._read(n, raise_outofdata=False) + self._consume() + return ret - def _read(self, n): + def _read(self, n, raise_outofdata=True): # (int) -> bytearray - self._reserve(n) + self._reserve(n, raise_outofdata=raise_outofdata) i = self._buff_i - self._buff_i = i+n - return self._buffer[i:i+n] + ret = self._buffer[i : i + n] + self._buff_i = i + len(ret) + return ret - def _reserve(self, n): + def _reserve(self, n, raise_outofdata=True): remain_bytes = len(self._buffer) - self._buff_i - n # Fast path: buffer has n bytes already @@ -331,7 +390,7 @@ def _reserve(self, n): # Strip buffer before checkpoint before reading file. if self._buf_checkpoint > 0: - del self._buffer[:self._buf_checkpoint] + del self._buffer[: self._buf_checkpoint] self._buff_i -= self._buf_checkpoint self._buf_checkpoint = 0 @@ -346,7 +405,7 @@ def _reserve(self, n): self._buffer += read_data remain_bytes -= len(read_data) - if len(self._buffer) < n + self._buff_i: + if len(self._buffer) < n + self._buff_i and raise_outofdata: self._buff_i = 0 # rollback raise OutOfData @@ -360,206 +419,206 @@ def _read_header(self, execute=EX_CONSTRUCT): if b & 0b10000000 == 0: obj = b elif b & 0b11100000 == 0b11100000: - obj = -1 - (b ^ 0xff) + obj = -1 - (b ^ 0xFF) elif b & 0b11100000 == 0b10100000: n = b & 0b00011111 typ = TYPE_RAW if n > self._max_str_len: - raise UnpackValueError("%s exceeds max_str_len(%s)", n, self._max_str_len) + raise ValueError("%s exceeds max_str_len(%s)", n, self._max_str_len) obj = self._read(n) elif b & 0b11110000 == 0b10010000: n = b & 0b00001111 typ = TYPE_ARRAY if n > self._max_array_len: - raise UnpackValueError("%s exceeds max_array_len(%s)", n, self._max_array_len) + raise ValueError("%s exceeds max_array_len(%s)", n, self._max_array_len) elif b & 0b11110000 == 0b10000000: n = b & 0b00001111 typ = TYPE_MAP if n > self._max_map_len: - raise UnpackValueError("%s exceeds max_map_len(%s)", n, self._max_map_len) - elif b == 0xc0: + raise ValueError("%s exceeds max_map_len(%s)", n, self._max_map_len) + elif b == 0xC0: obj = None - elif b == 0xc2: + elif b == 0xC2: obj = False - elif b == 0xc3: + elif b == 0xC3: obj = True - elif b == 0xc4: + elif b == 0xC4: typ = TYPE_BIN self._reserve(1) n = self._buffer[self._buff_i] self._buff_i += 1 if n > self._max_bin_len: - raise UnpackValueError("%s exceeds max_bin_len(%s)" % (n, self._max_bin_len)) + raise ValueError("%s exceeds max_bin_len(%s)" % (n, self._max_bin_len)) obj = self._read(n) - elif b == 0xc5: + elif b == 0xC5: typ = TYPE_BIN self._reserve(2) - n = struct.unpack_from(">H", self._buffer_view, self._buff_i)[0] + n = _unpack_from(">H", self._buffer, self._buff_i)[0] self._buff_i += 2 if n > self._max_bin_len: - raise UnpackValueError("%s exceeds max_bin_len(%s)" % (n, self._max_bin_len)) + raise ValueError("%s exceeds max_bin_len(%s)" % (n, self._max_bin_len)) obj = self._read(n) - elif b == 0xc6: + elif b == 0xC6: typ = TYPE_BIN self._reserve(4) - n = struct.unpack_from(">I", self._buffer_view, self._buff_i)[0] + n = _unpack_from(">I", self._buffer, self._buff_i)[0] self._buff_i += 4 if n > self._max_bin_len: - raise UnpackValueError("%s exceeds max_bin_len(%s)" % (n, self._max_bin_len)) + raise ValueError("%s exceeds max_bin_len(%s)" % (n, self._max_bin_len)) obj = self._read(n) - elif b == 0xc7: # ext 8 + elif b == 0xC7: # ext 8 typ = TYPE_EXT self._reserve(2) - L, n = struct.unpack_from('Bb', self._buffer_view, self._buff_i) + L, n = _unpack_from("Bb", self._buffer, self._buff_i) self._buff_i += 2 if L > self._max_ext_len: - raise UnpackValueError("%s exceeds max_ext_len(%s)" % (L, self._max_ext_len)) + raise ValueError("%s exceeds max_ext_len(%s)" % (L, self._max_ext_len)) obj = self._read(L) - elif b == 0xc8: # ext 16 + elif b == 0xC8: # ext 16 typ = TYPE_EXT self._reserve(3) - L, n = struct.unpack_from('>Hb', self._buffer_view, self._buff_i) + L, n = _unpack_from(">Hb", self._buffer, self._buff_i) self._buff_i += 3 if L > self._max_ext_len: - raise UnpackValueError("%s exceeds max_ext_len(%s)" % (L, self._max_ext_len)) + raise ValueError("%s exceeds max_ext_len(%s)" % (L, self._max_ext_len)) obj = self._read(L) - elif b == 0xc9: # ext 32 + elif b == 0xC9: # ext 32 typ = TYPE_EXT self._reserve(5) - L, n = struct.unpack_from('>Ib', self._buffer_view, self._buff_i) + L, n = _unpack_from(">Ib", self._buffer, self._buff_i) self._buff_i += 5 if L > self._max_ext_len: - raise UnpackValueError("%s exceeds max_ext_len(%s)" % (L, self._max_ext_len)) + raise ValueError("%s exceeds max_ext_len(%s)" % (L, self._max_ext_len)) obj = self._read(L) - elif b == 0xca: + elif b == 0xCA: self._reserve(4) - obj = struct.unpack_from(">f", self._buffer_view, self._buff_i)[0] + obj = _unpack_from(">f", self._buffer, self._buff_i)[0] self._buff_i += 4 - elif b == 0xcb: + elif b == 0xCB: self._reserve(8) - obj = struct.unpack_from(">d", self._buffer_view, self._buff_i)[0] + obj = _unpack_from(">d", self._buffer, self._buff_i)[0] self._buff_i += 8 - elif b == 0xcc: + elif b == 0xCC: self._reserve(1) obj = self._buffer[self._buff_i] self._buff_i += 1 - elif b == 0xcd: + elif b == 0xCD: self._reserve(2) - obj = struct.unpack_from(">H", self._buffer_view, self._buff_i)[0] + obj = _unpack_from(">H", self._buffer, self._buff_i)[0] self._buff_i += 2 - elif b == 0xce: + elif b == 0xCE: self._reserve(4) - obj = struct.unpack_from(">I", self._buffer_view, self._buff_i)[0] + obj = _unpack_from(">I", self._buffer, self._buff_i)[0] self._buff_i += 4 - elif b == 0xcf: + elif b == 0xCF: self._reserve(8) - obj = struct.unpack_from(">Q", self._buffer_view, self._buff_i)[0] + obj = _unpack_from(">Q", self._buffer, self._buff_i)[0] self._buff_i += 8 - elif b == 0xd0: + elif b == 0xD0: self._reserve(1) - obj = struct.unpack_from("b", self._buffer_view, self._buff_i)[0] + obj = _unpack_from("b", self._buffer, self._buff_i)[0] self._buff_i += 1 - elif b == 0xd1: + elif b == 0xD1: self._reserve(2) - obj = struct.unpack_from(">h", self._buffer_view, self._buff_i)[0] + obj = _unpack_from(">h", self._buffer, self._buff_i)[0] self._buff_i += 2 - elif b == 0xd2: + elif b == 0xD2: self._reserve(4) - obj = struct.unpack_from(">i", self._buffer_view, self._buff_i)[0] + obj = _unpack_from(">i", self._buffer, self._buff_i)[0] self._buff_i += 4 - elif b == 0xd3: + elif b == 0xD3: self._reserve(8) - obj = struct.unpack_from(">q", self._buffer_view, self._buff_i)[0] + obj = _unpack_from(">q", self._buffer, self._buff_i)[0] self._buff_i += 8 - elif b == 0xd4: # fixext 1 + elif b == 0xD4: # fixext 1 typ = TYPE_EXT if self._max_ext_len < 1: - raise UnpackValueError("%s exceeds max_ext_len(%s)" % (1, self._max_ext_len)) + raise ValueError("%s exceeds max_ext_len(%s)" % (1, self._max_ext_len)) self._reserve(2) - n, obj = struct.unpack_from("b1s", self._buffer_view, self._buff_i) + n, obj = _unpack_from("b1s", self._buffer, self._buff_i) self._buff_i += 2 - elif b == 0xd5: # fixext 2 + elif b == 0xD5: # fixext 2 typ = TYPE_EXT if self._max_ext_len < 2: - raise UnpackValueError("%s exceeds max_ext_len(%s)" % (2, self._max_ext_len)) + raise ValueError("%s exceeds max_ext_len(%s)" % (2, self._max_ext_len)) self._reserve(3) - n, obj = struct.unpack_from("b2s", self._buffer_view, self._buff_i) + n, obj = _unpack_from("b2s", self._buffer, self._buff_i) self._buff_i += 3 - elif b == 0xd6: # fixext 4 + elif b == 0xD6: # fixext 4 typ = TYPE_EXT if self._max_ext_len < 4: - raise UnpackValueError("%s exceeds max_ext_len(%s)" % (4, self._max_ext_len)) + raise ValueError("%s exceeds max_ext_len(%s)" % (4, self._max_ext_len)) self._reserve(5) - n, obj = struct.unpack_from("b4s", self._buffer_view, self._buff_i) + n, obj = _unpack_from("b4s", self._buffer, self._buff_i) self._buff_i += 5 - elif b == 0xd7: # fixext 8 + elif b == 0xD7: # fixext 8 typ = TYPE_EXT if self._max_ext_len < 8: - raise UnpackValueError("%s exceeds max_ext_len(%s)" % (8, self._max_ext_len)) + raise ValueError("%s exceeds max_ext_len(%s)" % (8, self._max_ext_len)) self._reserve(9) - n, obj = struct.unpack_from("b8s", self._buffer_view, self._buff_i) + n, obj = _unpack_from("b8s", self._buffer, self._buff_i) self._buff_i += 9 - elif b == 0xd8: # fixext 16 + elif b == 0xD8: # fixext 16 typ = TYPE_EXT if self._max_ext_len < 16: - raise UnpackValueError("%s exceeds max_ext_len(%s)" % (16, self._max_ext_len)) + raise ValueError("%s exceeds max_ext_len(%s)" % (16, self._max_ext_len)) self._reserve(17) - n, obj = struct.unpack_from("b16s", self._buffer_view, self._buff_i) + n, obj = _unpack_from("b16s", self._buffer, self._buff_i) self._buff_i += 17 - elif b == 0xd9: + elif b == 0xD9: typ = TYPE_RAW self._reserve(1) n = self._buffer[self._buff_i] self._buff_i += 1 if n > self._max_str_len: - raise UnpackValueError("%s exceeds max_str_len(%s)", n, self._max_str_len) + raise ValueError("%s exceeds max_str_len(%s)", n, self._max_str_len) obj = self._read(n) - elif b == 0xda: + elif b == 0xDA: typ = TYPE_RAW self._reserve(2) - n, = struct.unpack_from(">H", self._buffer_view, self._buff_i) + (n,) = _unpack_from(">H", self._buffer, self._buff_i) self._buff_i += 2 if n > self._max_str_len: - raise UnpackValueError("%s exceeds max_str_len(%s)", n, self._max_str_len) + raise ValueError("%s exceeds max_str_len(%s)", n, self._max_str_len) obj = self._read(n) - elif b == 0xdb: + elif b == 0xDB: typ = TYPE_RAW self._reserve(4) - n, = struct.unpack_from(">I", self._buffer_view, self._buff_i) + (n,) = _unpack_from(">I", self._buffer, self._buff_i) self._buff_i += 4 if n > self._max_str_len: - raise UnpackValueError("%s exceeds max_str_len(%s)", n, self._max_str_len) + raise ValueError("%s exceeds max_str_len(%s)", n, self._max_str_len) obj = self._read(n) - elif b == 0xdc: + elif b == 0xDC: typ = TYPE_ARRAY self._reserve(2) - n, = struct.unpack_from(">H", self._buffer_view, self._buff_i) + (n,) = _unpack_from(">H", self._buffer, self._buff_i) self._buff_i += 2 if n > self._max_array_len: - raise UnpackValueError("%s exceeds max_array_len(%s)", n, self._max_array_len) - elif b == 0xdd: + raise ValueError("%s exceeds max_array_len(%s)", n, self._max_array_len) + elif b == 0xDD: typ = TYPE_ARRAY self._reserve(4) - n, = struct.unpack_from(">I", self._buffer_view, self._buff_i) + (n,) = _unpack_from(">I", self._buffer, self._buff_i) self._buff_i += 4 if n > self._max_array_len: - raise UnpackValueError("%s exceeds max_array_len(%s)", n, self._max_array_len) - elif b == 0xde: + raise ValueError("%s exceeds max_array_len(%s)", n, self._max_array_len) + elif b == 0xDE: self._reserve(2) - n, = struct.unpack_from(">H", self._buffer_view, self._buff_i) + (n,) = _unpack_from(">H", self._buffer, self._buff_i) self._buff_i += 2 if n > self._max_map_len: - raise UnpackValueError("%s exceeds max_map_len(%s)", n, self._max_map_len) + raise ValueError("%s exceeds max_map_len(%s)", n, self._max_map_len) typ = TYPE_MAP - elif b == 0xdf: + elif b == 0xDF: self._reserve(4) - n, = struct.unpack_from(">I", self._buffer_view, self._buff_i) + (n,) = _unpack_from(">I", self._buffer, self._buff_i) self._buff_i += 4 if n > self._max_map_len: - raise UnpackValueError("%s exceeds max_map_len(%s)", n, self._max_map_len) + raise ValueError("%s exceeds max_map_len(%s)", n, self._max_map_len) typ = TYPE_MAP else: - raise UnpackValueError("Unknown header: 0x%x" % b) + raise FormatError("Unknown header: 0x%x" % b) return typ, n, obj def _unpack(self, execute=EX_CONSTRUCT): @@ -567,11 +626,11 @@ def _unpack(self, execute=EX_CONSTRUCT): if execute == EX_READ_ARRAY_HEADER: if typ != TYPE_ARRAY: - raise UnpackValueError("Expected array") + raise ValueError("Expected array") return n if execute == EX_READ_MAP_HEADER: if typ != TYPE_MAP: - raise UnpackValueError("Expected map") + raise ValueError("Expected map") return n # TODO should we eliminate the recursion? if typ == TYPE_ARRAY: @@ -596,13 +655,19 @@ def _unpack(self, execute=EX_CONSTRUCT): return if self._object_pairs_hook is not None: ret = self._object_pairs_hook( - (self._unpack(EX_CONSTRUCT), - self._unpack(EX_CONSTRUCT)) - for _ in xrange(n)) + (self._unpack(EX_CONSTRUCT), self._unpack(EX_CONSTRUCT)) + for _ in xrange(n) + ) else: ret = {} for _ in xrange(n): key = self._unpack(EX_CONSTRUCT) + if self._strict_map_key and type(key) not in (unicode, bytes): + raise ValueError( + "%s is not allowed for map key" % str(type(key)) + ) + if not PY2 and type(key) is str: + key = sys.intern(key) ret[key] = self._unpack(EX_CONSTRUCT) if self._object_hook is not None: ret = self._object_hook(ret) @@ -610,17 +675,26 @@ def _unpack(self, execute=EX_CONSTRUCT): if execute == EX_SKIP: return if typ == TYPE_RAW: - if self._encoding is not None: - obj = obj.decode(self._encoding, self._unicode_errors) - elif self._raw: + if self._raw: obj = bytes(obj) else: - obj = obj.decode('utf_8') + obj = obj.decode("utf_8", self._unicode_errors) return obj - if typ == TYPE_EXT: - return self._ext_hook(n, bytes(obj)) if typ == TYPE_BIN: return bytes(obj) + if typ == TYPE_EXT: + if n == -1: # timestamp + ts = Timestamp.from_bytes(bytes(obj)) + if self._timestamp == 1: + return ts.to_unix() + elif self._timestamp == 2: + return ts.to_unix_nano() + elif self._timestamp == 3: + return ts.to_datetime() + else: + return ts + else: + return self._ext_hook(n, bytes(obj)) assert typ == TYPE_IMMEDIATE return obj @@ -635,37 +709,30 @@ def __next__(self): except OutOfData: self._consume() raise StopIteration + except RecursionError: + raise StackError next = __next__ - def skip(self, write_bytes=None): + def skip(self): self._unpack(EX_SKIP) - if write_bytes is not None: - warnings.warn("`write_bytes` option is deprecated. Use `.tell()` instead.", DeprecationWarning) - write_bytes(self._buffer[self._buf_checkpoint:self._buff_i]) self._consume() - def unpack(self, write_bytes=None): - ret = self._unpack(EX_CONSTRUCT) - if write_bytes is not None: - warnings.warn("`write_bytes` option is deprecated. Use `.tell()` instead.", DeprecationWarning) - write_bytes(self._buffer[self._buf_checkpoint:self._buff_i]) + def unpack(self): + try: + ret = self._unpack(EX_CONSTRUCT) + except RecursionError: + raise StackError self._consume() return ret - def read_array_header(self, write_bytes=None): + def read_array_header(self): ret = self._unpack(EX_READ_ARRAY_HEADER) - if write_bytes is not None: - warnings.warn("`write_bytes` option is deprecated. Use `.tell()` instead.", DeprecationWarning) - write_bytes(self._buffer[self._buf_checkpoint:self._buff_i]) self._consume() return ret - def read_map_header(self, write_bytes=None): + def read_map_header(self): ret = self._unpack(EX_READ_MAP_HEADER) - if write_bytes is not None: - warnings.warn("`write_bytes` option is deprecated. Use `.tell()` instead.", DeprecationWarning) - write_bytes(self._buffer[self._buf_checkpoint:self._buff_i]) self._consume() return ret @@ -677,7 +744,7 @@ class Packer(object): """ MessagePack Packer - usage: + Usage:: packer = Packer() astream.write(packer.pack(a)) @@ -698,49 +765,81 @@ class Packer(object): :param bool use_bin_type: Use bin type introduced in msgpack spec 2.0 for bytes. - It also enables str8 type for unicode. + It also enables str8 type for unicode. (default: True) :param bool strict_types: If set to true, types will be checked to be exact. Derived classes - from serializeable types will not be serialized and will be + from serializable types will not be serialized and will be treated as unsupported type and forwarded to default. Additionally tuples will not be serialized as lists. This is useful when trying to implement accurate serialization for python types. - :param str encoding: - (deprecated) Convert unicode to bytes with this encoding. (default: 'utf-8') + :param bool datetime: + If set to true, datetime with tzinfo is packed into Timestamp type. + Note that the tzinfo is stripped in the timestamp. + You can get UTC datetime with `timestamp=3` option of the Unpacker. + (Python 2 is not supported). :param str unicode_errors: - Error handler for encoding unicode. (default: 'strict') - """ - def __init__(self, default=None, encoding=None, unicode_errors=None, - use_single_float=False, autoreset=True, use_bin_type=False, - strict_types=False): - if encoding is None: - encoding = 'utf_8' - else: - warnings.warn( - "encoding is deprecated, Use raw=False instead.", - PendingDeprecationWarning) + The error handler for encoding unicode. (default: 'strict') + DO NOT USE THIS!! This option is kept for very specific usage. - if unicode_errors is None: - unicode_errors = 'strict' + Example of streaming deserialize from file-like object:: + + unpacker = Unpacker(file_like) + for o in unpacker: + process(o) + + Example of streaming deserialize from socket:: + unpacker = Unpacker() + while True: + buf = sock.recv(1024**2) + if not buf: + break + unpacker.feed(buf) + for o in unpacker: + process(o) + + Raises ``ExtraData`` when *packed* contains extra bytes. + Raises ``OutOfData`` when *packed* is incomplete. + Raises ``FormatError`` when *packed* is not valid msgpack. + Raises ``StackError`` when *packed* contains too nested. + Other exceptions can be raised during unpacking. + """ + + def __init__( + self, + default=None, + use_single_float=False, + autoreset=True, + use_bin_type=True, + strict_types=False, + datetime=False, + unicode_errors=None, + ): self._strict_types = strict_types self._use_float = use_single_float self._autoreset = autoreset self._use_bin_type = use_bin_type - self._encoding = encoding - self._unicode_errors = unicode_errors self._buffer = StringIO() + if PY2 and datetime: + raise ValueError("datetime is not supported in Python 2") + self._datetime = bool(datetime) + self._unicode_errors = unicode_errors or "strict" if default is not None: if not callable(default): raise TypeError("default must be callable") self._default = default - def _pack(self, obj, nest_limit=DEFAULT_RECURSE_LIMIT, - check=isinstance, check_type_strict=_check_type_strict): + def _pack( + self, + obj, + nest_limit=DEFAULT_RECURSE_LIMIT, + check=isinstance, + check_type_strict=_check_type_strict, + ): default_used = False if self._strict_types: check = check_type_strict @@ -749,7 +848,7 @@ def _pack(self, obj, nest_limit=DEFAULT_RECURSE_LIMIT, list_types = (list, tuple) while True: if nest_limit < 0: - raise PackValueError("recursion limit exceeded") + raise ValueError("recursion limit exceeded") if obj is None: return self._buffer.write(b"\xc0") if check(obj, bool): @@ -761,76 +860,76 @@ def _pack(self, obj, nest_limit=DEFAULT_RECURSE_LIMIT, return self._buffer.write(struct.pack("B", obj)) if -0x20 <= obj < 0: return self._buffer.write(struct.pack("b", obj)) - if 0x80 <= obj <= 0xff: - return self._buffer.write(struct.pack("BB", 0xcc, obj)) + if 0x80 <= obj <= 0xFF: + return self._buffer.write(struct.pack("BB", 0xCC, obj)) if -0x80 <= obj < 0: - return self._buffer.write(struct.pack(">Bb", 0xd0, obj)) - if 0xff < obj <= 0xffff: - return self._buffer.write(struct.pack(">BH", 0xcd, obj)) + return self._buffer.write(struct.pack(">Bb", 0xD0, obj)) + if 0xFF < obj <= 0xFFFF: + return self._buffer.write(struct.pack(">BH", 0xCD, obj)) if -0x8000 <= obj < -0x80: - return self._buffer.write(struct.pack(">Bh", 0xd1, obj)) - if 0xffff < obj <= 0xffffffff: - return self._buffer.write(struct.pack(">BI", 0xce, obj)) + return self._buffer.write(struct.pack(">Bh", 0xD1, obj)) + if 0xFFFF < obj <= 0xFFFFFFFF: + return self._buffer.write(struct.pack(">BI", 0xCE, obj)) if -0x80000000 <= obj < -0x8000: - return self._buffer.write(struct.pack(">Bi", 0xd2, obj)) - if 0xffffffff < obj <= 0xffffffffffffffff: - return self._buffer.write(struct.pack(">BQ", 0xcf, obj)) + return self._buffer.write(struct.pack(">Bi", 0xD2, obj)) + if 0xFFFFFFFF < obj <= 0xFFFFFFFFFFFFFFFF: + return self._buffer.write(struct.pack(">BQ", 0xCF, obj)) if -0x8000000000000000 <= obj < -0x80000000: - return self._buffer.write(struct.pack(">Bq", 0xd3, obj)) + return self._buffer.write(struct.pack(">Bq", 0xD3, obj)) if not default_used and self._default is not None: obj = self._default(obj) default_used = True continue - raise PackOverflowError("Integer value out of range") + raise OverflowError("Integer value out of range") if check(obj, (bytes, bytearray)): n = len(obj) - if n >= 2**32: - raise PackValueError("%s is too large" % type(obj).__name__) + if n >= 2 ** 32: + raise ValueError("%s is too large" % type(obj).__name__) self._pack_bin_header(n) return self._buffer.write(obj) - if check(obj, Unicode): - if self._encoding is None: - raise TypeError( - "Can't encode unicode string: " - "no encoding is specified") - obj = obj.encode(self._encoding, self._unicode_errors) + if check(obj, unicode): + obj = obj.encode("utf-8", self._unicode_errors) n = len(obj) - if n >= 2**32: - raise PackValueError("String is too large") + if n >= 2 ** 32: + raise ValueError("String is too large") self._pack_raw_header(n) return self._buffer.write(obj) if check(obj, memoryview): n = len(obj) * obj.itemsize - if n >= 2**32: - raise PackValueError("Memoryview is too large") + if n >= 2 ** 32: + raise ValueError("Memoryview is too large") self._pack_bin_header(n) return self._buffer.write(obj) if check(obj, float): if self._use_float: - return self._buffer.write(struct.pack(">Bf", 0xca, obj)) - return self._buffer.write(struct.pack(">Bd", 0xcb, obj)) - if check(obj, ExtType): - code = obj.code - data = obj.data + return self._buffer.write(struct.pack(">Bf", 0xCA, obj)) + return self._buffer.write(struct.pack(">Bd", 0xCB, obj)) + if check(obj, (ExtType, Timestamp)): + if check(obj, Timestamp): + code = -1 + data = obj.to_bytes() + else: + code = obj.code + data = obj.data assert isinstance(code, int) assert isinstance(data, bytes) L = len(data) if L == 1: - self._buffer.write(b'\xd4') + self._buffer.write(b"\xd4") elif L == 2: - self._buffer.write(b'\xd5') + self._buffer.write(b"\xd5") elif L == 4: - self._buffer.write(b'\xd6') + self._buffer.write(b"\xd6") elif L == 8: - self._buffer.write(b'\xd7') + self._buffer.write(b"\xd7") elif L == 16: - self._buffer.write(b'\xd8') - elif L <= 0xff: - self._buffer.write(struct.pack(">BB", 0xc7, L)) - elif L <= 0xffff: - self._buffer.write(struct.pack(">BH", 0xc8, L)) + self._buffer.write(b"\xd8") + elif L <= 0xFF: + self._buffer.write(struct.pack(">BB", 0xC7, L)) + elif L <= 0xFFFF: + self._buffer.write(struct.pack(">BH", 0xC8, L)) else: - self._buffer.write(struct.pack(">BI", 0xc9, L)) + self._buffer.write(struct.pack(">BI", 0xC9, L)) self._buffer.write(struct.pack("b", code)) self._buffer.write(data) return @@ -841,13 +940,20 @@ def _pack(self, obj, nest_limit=DEFAULT_RECURSE_LIMIT, self._pack(obj[i], nest_limit - 1) return if check(obj, dict): - return self._pack_map_pairs(len(obj), dict_iteritems(obj), - nest_limit - 1) + return self._pack_map_pairs( + len(obj), dict_iteritems(obj), nest_limit - 1 + ) + + if self._datetime and check(obj, _DateTime) and obj.tzinfo is not None: + obj = Timestamp.from_datetime(obj) + default_used = 1 + continue + if not default_used and self._default is not None: obj = self._default(obj) default_used = 1 continue - raise TypeError("Cannot serialize %r" % (obj, )) + raise TypeError("Cannot serialize %r" % (obj,)) def pack(self, obj): try: @@ -855,43 +961,35 @@ def pack(self, obj): except: self._buffer = StringIO() # force reset raise - ret = self._buffer.getvalue() if self._autoreset: + ret = self._buffer.getvalue() self._buffer = StringIO() - elif USING_STRINGBUILDER: - self._buffer = StringIO(ret) - return ret + return ret def pack_map_pairs(self, pairs): self._pack_map_pairs(len(pairs), pairs) - ret = self._buffer.getvalue() if self._autoreset: + ret = self._buffer.getvalue() self._buffer = StringIO() - elif USING_STRINGBUILDER: - self._buffer = StringIO(ret) - return ret + return ret def pack_array_header(self, n): - if n >= 2**32: - raise PackValueError + if n >= 2 ** 32: + raise ValueError self._pack_array_header(n) - ret = self._buffer.getvalue() if self._autoreset: + ret = self._buffer.getvalue() self._buffer = StringIO() - elif USING_STRINGBUILDER: - self._buffer = StringIO(ret) - return ret + return ret def pack_map_header(self, n): - if n >= 2**32: - raise PackValueError + if n >= 2 ** 32: + raise ValueError self._pack_map_header(n) - ret = self._buffer.getvalue() if self._autoreset: + ret = self._buffer.getvalue() self._buffer = StringIO() - elif USING_STRINGBUILDER: - self._buffer = StringIO(ret) - return ret + return ret def pack_ext_type(self, typecode, data): if not isinstance(typecode, int): @@ -901,44 +999,44 @@ def pack_ext_type(self, typecode, data): if not isinstance(data, bytes): raise TypeError("data must have bytes type") L = len(data) - if L > 0xffffffff: - raise PackValueError("Too large data") + if L > 0xFFFFFFFF: + raise ValueError("Too large data") if L == 1: - self._buffer.write(b'\xd4') + self._buffer.write(b"\xd4") elif L == 2: - self._buffer.write(b'\xd5') + self._buffer.write(b"\xd5") elif L == 4: - self._buffer.write(b'\xd6') + self._buffer.write(b"\xd6") elif L == 8: - self._buffer.write(b'\xd7') + self._buffer.write(b"\xd7") elif L == 16: - self._buffer.write(b'\xd8') - elif L <= 0xff: - self._buffer.write(b'\xc7' + struct.pack('B', L)) - elif L <= 0xffff: - self._buffer.write(b'\xc8' + struct.pack('>H', L)) + self._buffer.write(b"\xd8") + elif L <= 0xFF: + self._buffer.write(b"\xc7" + struct.pack("B", L)) + elif L <= 0xFFFF: + self._buffer.write(b"\xc8" + struct.pack(">H", L)) else: - self._buffer.write(b'\xc9' + struct.pack('>I', L)) - self._buffer.write(struct.pack('B', typecode)) + self._buffer.write(b"\xc9" + struct.pack(">I", L)) + self._buffer.write(struct.pack("B", typecode)) self._buffer.write(data) def _pack_array_header(self, n): - if n <= 0x0f: - return self._buffer.write(struct.pack('B', 0x90 + n)) - if n <= 0xffff: - return self._buffer.write(struct.pack(">BH", 0xdc, n)) - if n <= 0xffffffff: - return self._buffer.write(struct.pack(">BI", 0xdd, n)) - raise PackValueError("Array is too large") + if n <= 0x0F: + return self._buffer.write(struct.pack("B", 0x90 + n)) + if n <= 0xFFFF: + return self._buffer.write(struct.pack(">BH", 0xDC, n)) + if n <= 0xFFFFFFFF: + return self._buffer.write(struct.pack(">BI", 0xDD, n)) + raise ValueError("Array is too large") def _pack_map_header(self, n): - if n <= 0x0f: - return self._buffer.write(struct.pack('B', 0x80 + n)) - if n <= 0xffff: - return self._buffer.write(struct.pack(">BH", 0xde, n)) - if n <= 0xffffffff: - return self._buffer.write(struct.pack(">BI", 0xdf, n)) - raise PackValueError("Dict is too large") + if n <= 0x0F: + return self._buffer.write(struct.pack("B", 0x80 + n)) + if n <= 0xFFFF: + return self._buffer.write(struct.pack(">BH", 0xDE, n)) + if n <= 0xFFFFFFFF: + return self._buffer.write(struct.pack(">BI", 0xDF, n)) + raise ValueError("Dict is too large") def _pack_map_pairs(self, n, pairs, nest_limit=DEFAULT_RECURSE_LIMIT): self._pack_map_header(n) @@ -947,31 +1045,43 @@ def _pack_map_pairs(self, n, pairs, nest_limit=DEFAULT_RECURSE_LIMIT): self._pack(v, nest_limit - 1) def _pack_raw_header(self, n): - if n <= 0x1f: - self._buffer.write(struct.pack('B', 0xa0 + n)) - elif self._use_bin_type and n <= 0xff: - self._buffer.write(struct.pack('>BB', 0xd9, n)) - elif n <= 0xffff: - self._buffer.write(struct.pack(">BH", 0xda, n)) - elif n <= 0xffffffff: - self._buffer.write(struct.pack(">BI", 0xdb, n)) + if n <= 0x1F: + self._buffer.write(struct.pack("B", 0xA0 + n)) + elif self._use_bin_type and n <= 0xFF: + self._buffer.write(struct.pack(">BB", 0xD9, n)) + elif n <= 0xFFFF: + self._buffer.write(struct.pack(">BH", 0xDA, n)) + elif n <= 0xFFFFFFFF: + self._buffer.write(struct.pack(">BI", 0xDB, n)) else: - raise PackValueError('Raw is too large') + raise ValueError("Raw is too large") def _pack_bin_header(self, n): if not self._use_bin_type: return self._pack_raw_header(n) - elif n <= 0xff: - return self._buffer.write(struct.pack('>BB', 0xc4, n)) - elif n <= 0xffff: - return self._buffer.write(struct.pack(">BH", 0xc5, n)) - elif n <= 0xffffffff: - return self._buffer.write(struct.pack(">BI", 0xc6, n)) + elif n <= 0xFF: + return self._buffer.write(struct.pack(">BB", 0xC4, n)) + elif n <= 0xFFFF: + return self._buffer.write(struct.pack(">BH", 0xC5, n)) + elif n <= 0xFFFFFFFF: + return self._buffer.write(struct.pack(">BI", 0xC6, n)) else: - raise PackValueError('Bin is too large') + raise ValueError("Bin is too large") def bytes(self): + """Return internal buffer contents as bytes object""" return self._buffer.getvalue() def reset(self): + """Reset internal buffer. + + This method is useful only when autoreset=False. + """ self._buffer = StringIO() + + def getbuffer(self): + """Return view of internal buffer.""" + if USING_STRINGBUILDER or PY2: + return memoryview(self.bytes()) + else: + return self._buffer.getbuffer() diff --git a/venv/Lib/site-packages/pip/_vendor/packaging/__about__.py b/venv/Lib/site-packages/pip/_vendor/packaging/__about__.py new file mode 100644 index 0000000..e70d692 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/packaging/__about__.py @@ -0,0 +1,26 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. + +__all__ = [ + "__title__", + "__summary__", + "__uri__", + "__version__", + "__author__", + "__email__", + "__license__", + "__copyright__", +] + +__title__ = "packaging" +__summary__ = "Core utilities for Python packages" +__uri__ = "https://github.com/pypa/packaging" + +__version__ = "21.0" + +__author__ = "Donald Stufft and individual contributors" +__email__ = "donald@stufft.io" + +__license__ = "BSD-2-Clause or Apache-2.0" +__copyright__ = "2014-2019 %s" % __author__ diff --git a/venv/Lib/site-packages/pip/_vendor/packaging/__init__.py b/venv/Lib/site-packages/pip/_vendor/packaging/__init__.py new file mode 100644 index 0000000..3c50c5d --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/packaging/__init__.py @@ -0,0 +1,25 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. + +from .__about__ import ( + __author__, + __copyright__, + __email__, + __license__, + __summary__, + __title__, + __uri__, + __version__, +) + +__all__ = [ + "__title__", + "__summary__", + "__uri__", + "__version__", + "__author__", + "__email__", + "__license__", + "__copyright__", +] diff --git a/venv/Lib/site-packages/pip/_vendor/packaging/_manylinux.py b/venv/Lib/site-packages/pip/_vendor/packaging/_manylinux.py new file mode 100644 index 0000000..4c379aa --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/packaging/_manylinux.py @@ -0,0 +1,301 @@ +import collections +import functools +import os +import re +import struct +import sys +import warnings +from typing import IO, Dict, Iterator, NamedTuple, Optional, Tuple + + +# Python does not provide platform information at sufficient granularity to +# identify the architecture of the running executable in some cases, so we +# determine it dynamically by reading the information from the running +# process. This only applies on Linux, which uses the ELF format. +class _ELFFileHeader: + # https://en.wikipedia.org/wiki/Executable_and_Linkable_Format#File_header + class _InvalidELFFileHeader(ValueError): + """ + An invalid ELF file header was found. + """ + + ELF_MAGIC_NUMBER = 0x7F454C46 + ELFCLASS32 = 1 + ELFCLASS64 = 2 + ELFDATA2LSB = 1 + ELFDATA2MSB = 2 + EM_386 = 3 + EM_S390 = 22 + EM_ARM = 40 + EM_X86_64 = 62 + EF_ARM_ABIMASK = 0xFF000000 + EF_ARM_ABI_VER5 = 0x05000000 + EF_ARM_ABI_FLOAT_HARD = 0x00000400 + + def __init__(self, file: IO[bytes]) -> None: + def unpack(fmt: str) -> int: + try: + data = file.read(struct.calcsize(fmt)) + result: Tuple[int, ...] = struct.unpack(fmt, data) + except struct.error: + raise _ELFFileHeader._InvalidELFFileHeader() + return result[0] + + self.e_ident_magic = unpack(">I") + if self.e_ident_magic != self.ELF_MAGIC_NUMBER: + raise _ELFFileHeader._InvalidELFFileHeader() + self.e_ident_class = unpack("B") + if self.e_ident_class not in {self.ELFCLASS32, self.ELFCLASS64}: + raise _ELFFileHeader._InvalidELFFileHeader() + self.e_ident_data = unpack("B") + if self.e_ident_data not in {self.ELFDATA2LSB, self.ELFDATA2MSB}: + raise _ELFFileHeader._InvalidELFFileHeader() + self.e_ident_version = unpack("B") + self.e_ident_osabi = unpack("B") + self.e_ident_abiversion = unpack("B") + self.e_ident_pad = file.read(7) + format_h = "<H" if self.e_ident_data == self.ELFDATA2LSB else ">H" + format_i = "<I" if self.e_ident_data == self.ELFDATA2LSB else ">I" + format_q = "<Q" if self.e_ident_data == self.ELFDATA2LSB else ">Q" + format_p = format_i if self.e_ident_class == self.ELFCLASS32 else format_q + self.e_type = unpack(format_h) + self.e_machine = unpack(format_h) + self.e_version = unpack(format_i) + self.e_entry = unpack(format_p) + self.e_phoff = unpack(format_p) + self.e_shoff = unpack(format_p) + self.e_flags = unpack(format_i) + self.e_ehsize = unpack(format_h) + self.e_phentsize = unpack(format_h) + self.e_phnum = unpack(format_h) + self.e_shentsize = unpack(format_h) + self.e_shnum = unpack(format_h) + self.e_shstrndx = unpack(format_h) + + +def _get_elf_header() -> Optional[_ELFFileHeader]: + try: + with open(sys.executable, "rb") as f: + elf_header = _ELFFileHeader(f) + except (OSError, TypeError, _ELFFileHeader._InvalidELFFileHeader): + return None + return elf_header + + +def _is_linux_armhf() -> bool: + # hard-float ABI can be detected from the ELF header of the running + # process + # https://static.docs.arm.com/ihi0044/g/aaelf32.pdf + elf_header = _get_elf_header() + if elf_header is None: + return False + result = elf_header.e_ident_class == elf_header.ELFCLASS32 + result &= elf_header.e_ident_data == elf_header.ELFDATA2LSB + result &= elf_header.e_machine == elf_header.EM_ARM + result &= ( + elf_header.e_flags & elf_header.EF_ARM_ABIMASK + ) == elf_header.EF_ARM_ABI_VER5 + result &= ( + elf_header.e_flags & elf_header.EF_ARM_ABI_FLOAT_HARD + ) == elf_header.EF_ARM_ABI_FLOAT_HARD + return result + + +def _is_linux_i686() -> bool: + elf_header = _get_elf_header() + if elf_header is None: + return False + result = elf_header.e_ident_class == elf_header.ELFCLASS32 + result &= elf_header.e_ident_data == elf_header.ELFDATA2LSB + result &= elf_header.e_machine == elf_header.EM_386 + return result + + +def _have_compatible_abi(arch: str) -> bool: + if arch == "armv7l": + return _is_linux_armhf() + if arch == "i686": + return _is_linux_i686() + return arch in {"x86_64", "aarch64", "ppc64", "ppc64le", "s390x"} + + +# If glibc ever changes its major version, we need to know what the last +# minor version was, so we can build the complete list of all versions. +# For now, guess what the highest minor version might be, assume it will +# be 50 for testing. Once this actually happens, update the dictionary +# with the actual value. +_LAST_GLIBC_MINOR: Dict[int, int] = collections.defaultdict(lambda: 50) + + +class _GLibCVersion(NamedTuple): + major: int + minor: int + + +def _glibc_version_string_confstr() -> Optional[str]: + """ + Primary implementation of glibc_version_string using os.confstr. + """ + # os.confstr is quite a bit faster than ctypes.DLL. It's also less likely + # to be broken or missing. This strategy is used in the standard library + # platform module. + # https://github.com/python/cpython/blob/fcf1d003bf4f0100c/Lib/platform.py#L175-L183 + try: + # os.confstr("CS_GNU_LIBC_VERSION") returns a string like "glibc 2.17". + version_string = os.confstr("CS_GNU_LIBC_VERSION") + assert version_string is not None + _, version = version_string.split() + except (AssertionError, AttributeError, OSError, ValueError): + # os.confstr() or CS_GNU_LIBC_VERSION not available (or a bad value)... + return None + return version + + +def _glibc_version_string_ctypes() -> Optional[str]: + """ + Fallback implementation of glibc_version_string using ctypes. + """ + try: + import ctypes + except ImportError: + return None + + # ctypes.CDLL(None) internally calls dlopen(NULL), and as the dlopen + # manpage says, "If filename is NULL, then the returned handle is for the + # main program". This way we can let the linker do the work to figure out + # which libc our process is actually using. + # + # We must also handle the special case where the executable is not a + # dynamically linked executable. This can occur when using musl libc, + # for example. In this situation, dlopen() will error, leading to an + # OSError. Interestingly, at least in the case of musl, there is no + # errno set on the OSError. The single string argument used to construct + # OSError comes from libc itself and is therefore not portable to + # hard code here. In any case, failure to call dlopen() means we + # can proceed, so we bail on our attempt. + try: + process_namespace = ctypes.CDLL(None) + except OSError: + return None + + try: + gnu_get_libc_version = process_namespace.gnu_get_libc_version + except AttributeError: + # Symbol doesn't exist -> therefore, we are not linked to + # glibc. + return None + + # Call gnu_get_libc_version, which returns a string like "2.5" + gnu_get_libc_version.restype = ctypes.c_char_p + version_str: str = gnu_get_libc_version() + # py2 / py3 compatibility: + if not isinstance(version_str, str): + version_str = version_str.decode("ascii") + + return version_str + + +def _glibc_version_string() -> Optional[str]: + """Returns glibc version string, or None if not using glibc.""" + return _glibc_version_string_confstr() or _glibc_version_string_ctypes() + + +def _parse_glibc_version(version_str: str) -> Tuple[int, int]: + """Parse glibc version. + + We use a regexp instead of str.split because we want to discard any + random junk that might come after the minor version -- this might happen + in patched/forked versions of glibc (e.g. Linaro's version of glibc + uses version strings like "2.20-2014.11"). See gh-3588. + """ + m = re.match(r"(?P<major>[0-9]+)\.(?P<minor>[0-9]+)", version_str) + if not m: + warnings.warn( + "Expected glibc version with 2 components major.minor," + " got: %s" % version_str, + RuntimeWarning, + ) + return -1, -1 + return int(m.group("major")), int(m.group("minor")) + + +@functools.lru_cache() +def _get_glibc_version() -> Tuple[int, int]: + version_str = _glibc_version_string() + if version_str is None: + return (-1, -1) + return _parse_glibc_version(version_str) + + +# From PEP 513, PEP 600 +def _is_compatible(name: str, arch: str, version: _GLibCVersion) -> bool: + sys_glibc = _get_glibc_version() + if sys_glibc < version: + return False + # Check for presence of _manylinux module. + try: + import _manylinux # noqa + except ImportError: + return True + if hasattr(_manylinux, "manylinux_compatible"): + result = _manylinux.manylinux_compatible(version[0], version[1], arch) + if result is not None: + return bool(result) + return True + if version == _GLibCVersion(2, 5): + if hasattr(_manylinux, "manylinux1_compatible"): + return bool(_manylinux.manylinux1_compatible) + if version == _GLibCVersion(2, 12): + if hasattr(_manylinux, "manylinux2010_compatible"): + return bool(_manylinux.manylinux2010_compatible) + if version == _GLibCVersion(2, 17): + if hasattr(_manylinux, "manylinux2014_compatible"): + return bool(_manylinux.manylinux2014_compatible) + return True + + +_LEGACY_MANYLINUX_MAP = { + # CentOS 7 w/ glibc 2.17 (PEP 599) + (2, 17): "manylinux2014", + # CentOS 6 w/ glibc 2.12 (PEP 571) + (2, 12): "manylinux2010", + # CentOS 5 w/ glibc 2.5 (PEP 513) + (2, 5): "manylinux1", +} + + +def platform_tags(linux: str, arch: str) -> Iterator[str]: + if not _have_compatible_abi(arch): + return + # Oldest glibc to be supported regardless of architecture is (2, 17). + too_old_glibc2 = _GLibCVersion(2, 16) + if arch in {"x86_64", "i686"}: + # On x86/i686 also oldest glibc to be supported is (2, 5). + too_old_glibc2 = _GLibCVersion(2, 4) + current_glibc = _GLibCVersion(*_get_glibc_version()) + glibc_max_list = [current_glibc] + # We can assume compatibility across glibc major versions. + # https://sourceware.org/bugzilla/show_bug.cgi?id=24636 + # + # Build a list of maximum glibc versions so that we can + # output the canonical list of all glibc from current_glibc + # down to too_old_glibc2, including all intermediary versions. + for glibc_major in range(current_glibc.major - 1, 1, -1): + glibc_minor = _LAST_GLIBC_MINOR[glibc_major] + glibc_max_list.append(_GLibCVersion(glibc_major, glibc_minor)) + for glibc_max in glibc_max_list: + if glibc_max.major == too_old_glibc2.major: + min_minor = too_old_glibc2.minor + else: + # For other glibc major versions oldest supported is (x, 0). + min_minor = -1 + for glibc_minor in range(glibc_max.minor, min_minor, -1): + glibc_version = _GLibCVersion(glibc_max.major, glibc_minor) + tag = "manylinux_{}_{}".format(*glibc_version) + if _is_compatible(tag, arch, glibc_version): + yield linux.replace("linux", tag) + # Handle the legacy manylinux1, manylinux2010, manylinux2014 tags. + if glibc_version in _LEGACY_MANYLINUX_MAP: + legacy_tag = _LEGACY_MANYLINUX_MAP[glibc_version] + if _is_compatible(legacy_tag, arch, glibc_version): + yield linux.replace("linux", legacy_tag) diff --git a/venv/Lib/site-packages/pip/_vendor/packaging/_musllinux.py b/venv/Lib/site-packages/pip/_vendor/packaging/_musllinux.py new file mode 100644 index 0000000..85450fa --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/packaging/_musllinux.py @@ -0,0 +1,136 @@ +"""PEP 656 support. + +This module implements logic to detect if the currently running Python is +linked against musl, and what musl version is used. +""" + +import contextlib +import functools +import operator +import os +import re +import struct +import subprocess +import sys +from typing import IO, Iterator, NamedTuple, Optional, Tuple + + +def _read_unpacked(f: IO[bytes], fmt: str) -> Tuple[int, ...]: + return struct.unpack(fmt, f.read(struct.calcsize(fmt))) + + +def _parse_ld_musl_from_elf(f: IO[bytes]) -> Optional[str]: + """Detect musl libc location by parsing the Python executable. + + Based on: https://gist.github.com/lyssdod/f51579ae8d93c8657a5564aefc2ffbca + ELF header: https://refspecs.linuxfoundation.org/elf/gabi4+/ch4.eheader.html + """ + f.seek(0) + try: + ident = _read_unpacked(f, "16B") + except struct.error: + return None + if ident[:4] != tuple(b"\x7fELF"): # Invalid magic, not ELF. + return None + f.seek(struct.calcsize("HHI"), 1) # Skip file type, machine, and version. + + try: + # e_fmt: Format for program header. + # p_fmt: Format for section header. + # p_idx: Indexes to find p_type, p_offset, and p_filesz. + e_fmt, p_fmt, p_idx = { + 1: ("IIIIHHH", "IIIIIIII", (0, 1, 4)), # 32-bit. + 2: ("QQQIHHH", "IIQQQQQQ", (0, 2, 5)), # 64-bit. + }[ident[4]] + except KeyError: + return None + else: + p_get = operator.itemgetter(*p_idx) + + # Find the interpreter section and return its content. + try: + _, e_phoff, _, _, _, e_phentsize, e_phnum = _read_unpacked(f, e_fmt) + except struct.error: + return None + for i in range(e_phnum + 1): + f.seek(e_phoff + e_phentsize * i) + try: + p_type, p_offset, p_filesz = p_get(_read_unpacked(f, p_fmt)) + except struct.error: + return None + if p_type != 3: # Not PT_INTERP. + continue + f.seek(p_offset) + interpreter = os.fsdecode(f.read(p_filesz)).strip("\0") + if "musl" not in interpreter: + return None + return interpreter + return None + + +class _MuslVersion(NamedTuple): + major: int + minor: int + + +def _parse_musl_version(output: str) -> Optional[_MuslVersion]: + lines = [n for n in (n.strip() for n in output.splitlines()) if n] + if len(lines) < 2 or lines[0][:4] != "musl": + return None + m = re.match(r"Version (\d+)\.(\d+)", lines[1]) + if not m: + return None + return _MuslVersion(major=int(m.group(1)), minor=int(m.group(2))) + + +@functools.lru_cache() +def _get_musl_version(executable: str) -> Optional[_MuslVersion]: + """Detect currently-running musl runtime version. + + This is done by checking the specified executable's dynamic linking + information, and invoking the loader to parse its output for a version + string. If the loader is musl, the output would be something like:: + + musl libc (x86_64) + Version 1.2.2 + Dynamic Program Loader + """ + with contextlib.ExitStack() as stack: + try: + f = stack.enter_context(open(executable, "rb")) + except IOError: + return None + ld = _parse_ld_musl_from_elf(f) + if not ld: + return None + proc = subprocess.run([ld], stderr=subprocess.PIPE, universal_newlines=True) + return _parse_musl_version(proc.stderr) + + +def platform_tags(arch: str) -> Iterator[str]: + """Generate musllinux tags compatible to the current platform. + + :param arch: Should be the part of platform tag after the ``linux_`` + prefix, e.g. ``x86_64``. The ``linux_`` prefix is assumed as a + prerequisite for the current platform to be musllinux-compatible. + + :returns: An iterator of compatible musllinux tags. + """ + sys_musl = _get_musl_version(sys.executable) + if sys_musl is None: # Python not dynamically linked against musl. + return + for minor in range(sys_musl.minor, -1, -1): + yield f"musllinux_{sys_musl.major}_{minor}_{arch}" + + +if __name__ == "__main__": # pragma: no cover + import sysconfig + + plat = sysconfig.get_platform() + assert plat.startswith("linux-"), "not linux" + + print("plat:", plat) + print("musl:", _get_musl_version(sys.executable)) + print("tags:", end=" ") + for t in platform_tags(re.sub(r"[.-]", "_", plat.split("-", 1)[-1])): + print(t, end="\n ") diff --git a/venv/Lib/site-packages/pip/_vendor/packaging/_structures.py b/venv/Lib/site-packages/pip/_vendor/packaging/_structures.py new file mode 100644 index 0000000..9515497 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/packaging/_structures.py @@ -0,0 +1,67 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. + + +class InfinityType: + def __repr__(self) -> str: + return "Infinity" + + def __hash__(self) -> int: + return hash(repr(self)) + + def __lt__(self, other: object) -> bool: + return False + + def __le__(self, other: object) -> bool: + return False + + def __eq__(self, other: object) -> bool: + return isinstance(other, self.__class__) + + def __ne__(self, other: object) -> bool: + return not isinstance(other, self.__class__) + + def __gt__(self, other: object) -> bool: + return True + + def __ge__(self, other: object) -> bool: + return True + + def __neg__(self: object) -> "NegativeInfinityType": + return NegativeInfinity + + +Infinity = InfinityType() + + +class NegativeInfinityType: + def __repr__(self) -> str: + return "-Infinity" + + def __hash__(self) -> int: + return hash(repr(self)) + + def __lt__(self, other: object) -> bool: + return True + + def __le__(self, other: object) -> bool: + return True + + def __eq__(self, other: object) -> bool: + return isinstance(other, self.__class__) + + def __ne__(self, other: object) -> bool: + return not isinstance(other, self.__class__) + + def __gt__(self, other: object) -> bool: + return False + + def __ge__(self, other: object) -> bool: + return False + + def __neg__(self: object) -> InfinityType: + return Infinity + + +NegativeInfinity = NegativeInfinityType() diff --git a/venv/Lib/site-packages/pip/_vendor/packaging/markers.py b/venv/Lib/site-packages/pip/_vendor/packaging/markers.py new file mode 100644 index 0000000..540e7a4 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/packaging/markers.py @@ -0,0 +1,304 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. + +import operator +import os +import platform +import sys +from typing import Any, Callable, Dict, List, Optional, Tuple, Union + +from pip._vendor.pyparsing import ( # noqa: N817 + Forward, + Group, + Literal as L, + ParseException, + ParseResults, + QuotedString, + ZeroOrMore, + stringEnd, + stringStart, +) + +from .specifiers import InvalidSpecifier, Specifier + +__all__ = [ + "InvalidMarker", + "UndefinedComparison", + "UndefinedEnvironmentName", + "Marker", + "default_environment", +] + +Operator = Callable[[str, str], bool] + + +class InvalidMarker(ValueError): + """ + An invalid marker was found, users should refer to PEP 508. + """ + + +class UndefinedComparison(ValueError): + """ + An invalid operation was attempted on a value that doesn't support it. + """ + + +class UndefinedEnvironmentName(ValueError): + """ + A name was attempted to be used that does not exist inside of the + environment. + """ + + +class Node: + def __init__(self, value: Any) -> None: + self.value = value + + def __str__(self) -> str: + return str(self.value) + + def __repr__(self) -> str: + return f"<{self.__class__.__name__}('{self}')>" + + def serialize(self) -> str: + raise NotImplementedError + + +class Variable(Node): + def serialize(self) -> str: + return str(self) + + +class Value(Node): + def serialize(self) -> str: + return f'"{self}"' + + +class Op(Node): + def serialize(self) -> str: + return str(self) + + +VARIABLE = ( + L("implementation_version") + | L("platform_python_implementation") + | L("implementation_name") + | L("python_full_version") + | L("platform_release") + | L("platform_version") + | L("platform_machine") + | L("platform_system") + | L("python_version") + | L("sys_platform") + | L("os_name") + | L("os.name") # PEP-345 + | L("sys.platform") # PEP-345 + | L("platform.version") # PEP-345 + | L("platform.machine") # PEP-345 + | L("platform.python_implementation") # PEP-345 + | L("python_implementation") # undocumented setuptools legacy + | L("extra") # PEP-508 +) +ALIASES = { + "os.name": "os_name", + "sys.platform": "sys_platform", + "platform.version": "platform_version", + "platform.machine": "platform_machine", + "platform.python_implementation": "platform_python_implementation", + "python_implementation": "platform_python_implementation", +} +VARIABLE.setParseAction(lambda s, l, t: Variable(ALIASES.get(t[0], t[0]))) + +VERSION_CMP = ( + L("===") | L("==") | L(">=") | L("<=") | L("!=") | L("~=") | L(">") | L("<") +) + +MARKER_OP = VERSION_CMP | L("not in") | L("in") +MARKER_OP.setParseAction(lambda s, l, t: Op(t[0])) + +MARKER_VALUE = QuotedString("'") | QuotedString('"') +MARKER_VALUE.setParseAction(lambda s, l, t: Value(t[0])) + +BOOLOP = L("and") | L("or") + +MARKER_VAR = VARIABLE | MARKER_VALUE + +MARKER_ITEM = Group(MARKER_VAR + MARKER_OP + MARKER_VAR) +MARKER_ITEM.setParseAction(lambda s, l, t: tuple(t[0])) + +LPAREN = L("(").suppress() +RPAREN = L(")").suppress() + +MARKER_EXPR = Forward() +MARKER_ATOM = MARKER_ITEM | Group(LPAREN + MARKER_EXPR + RPAREN) +MARKER_EXPR << MARKER_ATOM + ZeroOrMore(BOOLOP + MARKER_EXPR) + +MARKER = stringStart + MARKER_EXPR + stringEnd + + +def _coerce_parse_result(results: Union[ParseResults, List[Any]]) -> List[Any]: + if isinstance(results, ParseResults): + return [_coerce_parse_result(i) for i in results] + else: + return results + + +def _format_marker( + marker: Union[List[str], Tuple[Node, ...], str], first: Optional[bool] = True +) -> str: + + assert isinstance(marker, (list, tuple, str)) + + # Sometimes we have a structure like [[...]] which is a single item list + # where the single item is itself it's own list. In that case we want skip + # the rest of this function so that we don't get extraneous () on the + # outside. + if ( + isinstance(marker, list) + and len(marker) == 1 + and isinstance(marker[0], (list, tuple)) + ): + return _format_marker(marker[0]) + + if isinstance(marker, list): + inner = (_format_marker(m, first=False) for m in marker) + if first: + return " ".join(inner) + else: + return "(" + " ".join(inner) + ")" + elif isinstance(marker, tuple): + return " ".join([m.serialize() for m in marker]) + else: + return marker + + +_operators: Dict[str, Operator] = { + "in": lambda lhs, rhs: lhs in rhs, + "not in": lambda lhs, rhs: lhs not in rhs, + "<": operator.lt, + "<=": operator.le, + "==": operator.eq, + "!=": operator.ne, + ">=": operator.ge, + ">": operator.gt, +} + + +def _eval_op(lhs: str, op: Op, rhs: str) -> bool: + try: + spec = Specifier("".join([op.serialize(), rhs])) + except InvalidSpecifier: + pass + else: + return spec.contains(lhs) + + oper: Optional[Operator] = _operators.get(op.serialize()) + if oper is None: + raise UndefinedComparison(f"Undefined {op!r} on {lhs!r} and {rhs!r}.") + + return oper(lhs, rhs) + + +class Undefined: + pass + + +_undefined = Undefined() + + +def _get_env(environment: Dict[str, str], name: str) -> str: + value: Union[str, Undefined] = environment.get(name, _undefined) + + if isinstance(value, Undefined): + raise UndefinedEnvironmentName( + f"{name!r} does not exist in evaluation environment." + ) + + return value + + +def _evaluate_markers(markers: List[Any], environment: Dict[str, str]) -> bool: + groups: List[List[bool]] = [[]] + + for marker in markers: + assert isinstance(marker, (list, tuple, str)) + + if isinstance(marker, list): + groups[-1].append(_evaluate_markers(marker, environment)) + elif isinstance(marker, tuple): + lhs, op, rhs = marker + + if isinstance(lhs, Variable): + lhs_value = _get_env(environment, lhs.value) + rhs_value = rhs.value + else: + lhs_value = lhs.value + rhs_value = _get_env(environment, rhs.value) + + groups[-1].append(_eval_op(lhs_value, op, rhs_value)) + else: + assert marker in ["and", "or"] + if marker == "or": + groups.append([]) + + return any(all(item) for item in groups) + + +def format_full_version(info: "sys._version_info") -> str: + version = "{0.major}.{0.minor}.{0.micro}".format(info) + kind = info.releaselevel + if kind != "final": + version += kind[0] + str(info.serial) + return version + + +def default_environment() -> Dict[str, str]: + iver = format_full_version(sys.implementation.version) + implementation_name = sys.implementation.name + return { + "implementation_name": implementation_name, + "implementation_version": iver, + "os_name": os.name, + "platform_machine": platform.machine(), + "platform_release": platform.release(), + "platform_system": platform.system(), + "platform_version": platform.version(), + "python_full_version": platform.python_version(), + "platform_python_implementation": platform.python_implementation(), + "python_version": ".".join(platform.python_version_tuple()[:2]), + "sys_platform": sys.platform, + } + + +class Marker: + def __init__(self, marker: str) -> None: + try: + self._markers = _coerce_parse_result(MARKER.parseString(marker)) + except ParseException as e: + raise InvalidMarker( + f"Invalid marker: {marker!r}, parse error at " + f"{marker[e.loc : e.loc + 8]!r}" + ) + + def __str__(self) -> str: + return _format_marker(self._markers) + + def __repr__(self) -> str: + return f"<Marker('{self}')>" + + def evaluate(self, environment: Optional[Dict[str, str]] = None) -> bool: + """Evaluate a marker. + + Return the boolean from evaluating the given marker against the + environment. environment is an optional argument to override all or + part of the determined environment. + + The environment is determined from the current Python process. + """ + current_environment = default_environment() + if environment is not None: + current_environment.update(environment) + + return _evaluate_markers(self._markers, current_environment) diff --git a/venv/Lib/site-packages/pip/_vendor/packaging/requirements.py b/venv/Lib/site-packages/pip/_vendor/packaging/requirements.py new file mode 100644 index 0000000..1eab7dd --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/packaging/requirements.py @@ -0,0 +1,146 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. + +import re +import string +import urllib.parse +from typing import List, Optional as TOptional, Set + +from pip._vendor.pyparsing import ( # noqa + Combine, + Literal as L, + Optional, + ParseException, + Regex, + Word, + ZeroOrMore, + originalTextFor, + stringEnd, + stringStart, +) + +from .markers import MARKER_EXPR, Marker +from .specifiers import LegacySpecifier, Specifier, SpecifierSet + + +class InvalidRequirement(ValueError): + """ + An invalid requirement was found, users should refer to PEP 508. + """ + + +ALPHANUM = Word(string.ascii_letters + string.digits) + +LBRACKET = L("[").suppress() +RBRACKET = L("]").suppress() +LPAREN = L("(").suppress() +RPAREN = L(")").suppress() +COMMA = L(",").suppress() +SEMICOLON = L(";").suppress() +AT = L("@").suppress() + +PUNCTUATION = Word("-_.") +IDENTIFIER_END = ALPHANUM | (ZeroOrMore(PUNCTUATION) + ALPHANUM) +IDENTIFIER = Combine(ALPHANUM + ZeroOrMore(IDENTIFIER_END)) + +NAME = IDENTIFIER("name") +EXTRA = IDENTIFIER + +URI = Regex(r"[^ ]+")("url") +URL = AT + URI + +EXTRAS_LIST = EXTRA + ZeroOrMore(COMMA + EXTRA) +EXTRAS = (LBRACKET + Optional(EXTRAS_LIST) + RBRACKET)("extras") + +VERSION_PEP440 = Regex(Specifier._regex_str, re.VERBOSE | re.IGNORECASE) +VERSION_LEGACY = Regex(LegacySpecifier._regex_str, re.VERBOSE | re.IGNORECASE) + +VERSION_ONE = VERSION_PEP440 ^ VERSION_LEGACY +VERSION_MANY = Combine( + VERSION_ONE + ZeroOrMore(COMMA + VERSION_ONE), joinString=",", adjacent=False +)("_raw_spec") +_VERSION_SPEC = Optional((LPAREN + VERSION_MANY + RPAREN) | VERSION_MANY) +_VERSION_SPEC.setParseAction(lambda s, l, t: t._raw_spec or "") + +VERSION_SPEC = originalTextFor(_VERSION_SPEC)("specifier") +VERSION_SPEC.setParseAction(lambda s, l, t: t[1]) + +MARKER_EXPR = originalTextFor(MARKER_EXPR())("marker") +MARKER_EXPR.setParseAction( + lambda s, l, t: Marker(s[t._original_start : t._original_end]) +) +MARKER_SEPARATOR = SEMICOLON +MARKER = MARKER_SEPARATOR + MARKER_EXPR + +VERSION_AND_MARKER = VERSION_SPEC + Optional(MARKER) +URL_AND_MARKER = URL + Optional(MARKER) + +NAMED_REQUIREMENT = NAME + Optional(EXTRAS) + (URL_AND_MARKER | VERSION_AND_MARKER) + +REQUIREMENT = stringStart + NAMED_REQUIREMENT + stringEnd +# pyparsing isn't thread safe during initialization, so we do it eagerly, see +# issue #104 +REQUIREMENT.parseString("x[]") + + +class Requirement: + """Parse a requirement. + + Parse a given requirement string into its parts, such as name, specifier, + URL, and extras. Raises InvalidRequirement on a badly-formed requirement + string. + """ + + # TODO: Can we test whether something is contained within a requirement? + # If so how do we do that? Do we need to test against the _name_ of + # the thing as well as the version? What about the markers? + # TODO: Can we normalize the name and extra name? + + def __init__(self, requirement_string: str) -> None: + try: + req = REQUIREMENT.parseString(requirement_string) + except ParseException as e: + raise InvalidRequirement( + f'Parse error at "{ requirement_string[e.loc : e.loc + 8]!r}": {e.msg}' + ) + + self.name: str = req.name + if req.url: + parsed_url = urllib.parse.urlparse(req.url) + if parsed_url.scheme == "file": + if urllib.parse.urlunparse(parsed_url) != req.url: + raise InvalidRequirement("Invalid URL given") + elif not (parsed_url.scheme and parsed_url.netloc) or ( + not parsed_url.scheme and not parsed_url.netloc + ): + raise InvalidRequirement(f"Invalid URL: {req.url}") + self.url: TOptional[str] = req.url + else: + self.url = None + self.extras: Set[str] = set(req.extras.asList() if req.extras else []) + self.specifier: SpecifierSet = SpecifierSet(req.specifier) + self.marker: TOptional[Marker] = req.marker if req.marker else None + + def __str__(self) -> str: + parts: List[str] = [self.name] + + if self.extras: + formatted_extras = ",".join(sorted(self.extras)) + parts.append(f"[{formatted_extras}]") + + if self.specifier: + parts.append(str(self.specifier)) + + if self.url: + parts.append(f"@ {self.url}") + if self.marker: + parts.append(" ") + + if self.marker: + parts.append(f"; {self.marker}") + + return "".join(parts) + + def __repr__(self) -> str: + return f"<Requirement('{self}')>" diff --git a/venv/Lib/site-packages/pip/_vendor/packaging/specifiers.py b/venv/Lib/site-packages/pip/_vendor/packaging/specifiers.py new file mode 100644 index 0000000..ce66bd4 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/packaging/specifiers.py @@ -0,0 +1,828 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. + +import abc +import functools +import itertools +import re +import warnings +from typing import ( + Callable, + Dict, + Iterable, + Iterator, + List, + Optional, + Pattern, + Set, + Tuple, + TypeVar, + Union, +) + +from .utils import canonicalize_version +from .version import LegacyVersion, Version, parse + +ParsedVersion = Union[Version, LegacyVersion] +UnparsedVersion = Union[Version, LegacyVersion, str] +VersionTypeVar = TypeVar("VersionTypeVar", bound=UnparsedVersion) +CallableOperator = Callable[[ParsedVersion, str], bool] + + +class InvalidSpecifier(ValueError): + """ + An invalid specifier was found, users should refer to PEP 440. + """ + + +class BaseSpecifier(metaclass=abc.ABCMeta): + @abc.abstractmethod + def __str__(self) -> str: + """ + Returns the str representation of this Specifier like object. This + should be representative of the Specifier itself. + """ + + @abc.abstractmethod + def __hash__(self) -> int: + """ + Returns a hash value for this Specifier like object. + """ + + @abc.abstractmethod + def __eq__(self, other: object) -> bool: + """ + Returns a boolean representing whether or not the two Specifier like + objects are equal. + """ + + @abc.abstractmethod + def __ne__(self, other: object) -> bool: + """ + Returns a boolean representing whether or not the two Specifier like + objects are not equal. + """ + + @abc.abstractproperty + def prereleases(self) -> Optional[bool]: + """ + Returns whether or not pre-releases as a whole are allowed by this + specifier. + """ + + @prereleases.setter + def prereleases(self, value: bool) -> None: + """ + Sets whether or not pre-releases as a whole are allowed by this + specifier. + """ + + @abc.abstractmethod + def contains(self, item: str, prereleases: Optional[bool] = None) -> bool: + """ + Determines if the given item is contained within this specifier. + """ + + @abc.abstractmethod + def filter( + self, iterable: Iterable[VersionTypeVar], prereleases: Optional[bool] = None + ) -> Iterable[VersionTypeVar]: + """ + Takes an iterable of items and filters them so that only items which + are contained within this specifier are allowed in it. + """ + + +class _IndividualSpecifier(BaseSpecifier): + + _operators: Dict[str, str] = {} + _regex: Pattern[str] + + def __init__(self, spec: str = "", prereleases: Optional[bool] = None) -> None: + match = self._regex.search(spec) + if not match: + raise InvalidSpecifier(f"Invalid specifier: '{spec}'") + + self._spec: Tuple[str, str] = ( + match.group("operator").strip(), + match.group("version").strip(), + ) + + # Store whether or not this Specifier should accept prereleases + self._prereleases = prereleases + + def __repr__(self) -> str: + pre = ( + f", prereleases={self.prereleases!r}" + if self._prereleases is not None + else "" + ) + + return "<{}({!r}{})>".format(self.__class__.__name__, str(self), pre) + + def __str__(self) -> str: + return "{}{}".format(*self._spec) + + @property + def _canonical_spec(self) -> Tuple[str, str]: + return self._spec[0], canonicalize_version(self._spec[1]) + + def __hash__(self) -> int: + return hash(self._canonical_spec) + + def __eq__(self, other: object) -> bool: + if isinstance(other, str): + try: + other = self.__class__(str(other)) + except InvalidSpecifier: + return NotImplemented + elif not isinstance(other, self.__class__): + return NotImplemented + + return self._canonical_spec == other._canonical_spec + + def __ne__(self, other: object) -> bool: + if isinstance(other, str): + try: + other = self.__class__(str(other)) + except InvalidSpecifier: + return NotImplemented + elif not isinstance(other, self.__class__): + return NotImplemented + + return self._spec != other._spec + + def _get_operator(self, op: str) -> CallableOperator: + operator_callable: CallableOperator = getattr( + self, f"_compare_{self._operators[op]}" + ) + return operator_callable + + def _coerce_version(self, version: UnparsedVersion) -> ParsedVersion: + if not isinstance(version, (LegacyVersion, Version)): + version = parse(version) + return version + + @property + def operator(self) -> str: + return self._spec[0] + + @property + def version(self) -> str: + return self._spec[1] + + @property + def prereleases(self) -> Optional[bool]: + return self._prereleases + + @prereleases.setter + def prereleases(self, value: bool) -> None: + self._prereleases = value + + def __contains__(self, item: str) -> bool: + return self.contains(item) + + def contains( + self, item: UnparsedVersion, prereleases: Optional[bool] = None + ) -> bool: + + # Determine if prereleases are to be allowed or not. + if prereleases is None: + prereleases = self.prereleases + + # Normalize item to a Version or LegacyVersion, this allows us to have + # a shortcut for ``"2.0" in Specifier(">=2") + normalized_item = self._coerce_version(item) + + # Determine if we should be supporting prereleases in this specifier + # or not, if we do not support prereleases than we can short circuit + # logic if this version is a prereleases. + if normalized_item.is_prerelease and not prereleases: + return False + + # Actually do the comparison to determine if this item is contained + # within this Specifier or not. + operator_callable: CallableOperator = self._get_operator(self.operator) + return operator_callable(normalized_item, self.version) + + def filter( + self, iterable: Iterable[VersionTypeVar], prereleases: Optional[bool] = None + ) -> Iterable[VersionTypeVar]: + + yielded = False + found_prereleases = [] + + kw = {"prereleases": prereleases if prereleases is not None else True} + + # Attempt to iterate over all the values in the iterable and if any of + # them match, yield them. + for version in iterable: + parsed_version = self._coerce_version(version) + + if self.contains(parsed_version, **kw): + # If our version is a prerelease, and we were not set to allow + # prereleases, then we'll store it for later in case nothing + # else matches this specifier. + if parsed_version.is_prerelease and not ( + prereleases or self.prereleases + ): + found_prereleases.append(version) + # Either this is not a prerelease, or we should have been + # accepting prereleases from the beginning. + else: + yielded = True + yield version + + # Now that we've iterated over everything, determine if we've yielded + # any values, and if we have not and we have any prereleases stored up + # then we will go ahead and yield the prereleases. + if not yielded and found_prereleases: + for version in found_prereleases: + yield version + + +class LegacySpecifier(_IndividualSpecifier): + + _regex_str = r""" + (?P<operator>(==|!=|<=|>=|<|>)) + \s* + (?P<version> + [^,;\s)]* # Since this is a "legacy" specifier, and the version + # string can be just about anything, we match everything + # except for whitespace, a semi-colon for marker support, + # a closing paren since versions can be enclosed in + # them, and a comma since it's a version separator. + ) + """ + + _regex = re.compile(r"^\s*" + _regex_str + r"\s*$", re.VERBOSE | re.IGNORECASE) + + _operators = { + "==": "equal", + "!=": "not_equal", + "<=": "less_than_equal", + ">=": "greater_than_equal", + "<": "less_than", + ">": "greater_than", + } + + def __init__(self, spec: str = "", prereleases: Optional[bool] = None) -> None: + super().__init__(spec, prereleases) + + warnings.warn( + "Creating a LegacyVersion has been deprecated and will be " + "removed in the next major release", + DeprecationWarning, + ) + + def _coerce_version(self, version: UnparsedVersion) -> LegacyVersion: + if not isinstance(version, LegacyVersion): + version = LegacyVersion(str(version)) + return version + + def _compare_equal(self, prospective: LegacyVersion, spec: str) -> bool: + return prospective == self._coerce_version(spec) + + def _compare_not_equal(self, prospective: LegacyVersion, spec: str) -> bool: + return prospective != self._coerce_version(spec) + + def _compare_less_than_equal(self, prospective: LegacyVersion, spec: str) -> bool: + return prospective <= self._coerce_version(spec) + + def _compare_greater_than_equal( + self, prospective: LegacyVersion, spec: str + ) -> bool: + return prospective >= self._coerce_version(spec) + + def _compare_less_than(self, prospective: LegacyVersion, spec: str) -> bool: + return prospective < self._coerce_version(spec) + + def _compare_greater_than(self, prospective: LegacyVersion, spec: str) -> bool: + return prospective > self._coerce_version(spec) + + +def _require_version_compare( + fn: Callable[["Specifier", ParsedVersion, str], bool] +) -> Callable[["Specifier", ParsedVersion, str], bool]: + @functools.wraps(fn) + def wrapped(self: "Specifier", prospective: ParsedVersion, spec: str) -> bool: + if not isinstance(prospective, Version): + return False + return fn(self, prospective, spec) + + return wrapped + + +class Specifier(_IndividualSpecifier): + + _regex_str = r""" + (?P<operator>(~=|==|!=|<=|>=|<|>|===)) + (?P<version> + (?: + # The identity operators allow for an escape hatch that will + # do an exact string match of the version you wish to install. + # This will not be parsed by PEP 440 and we cannot determine + # any semantic meaning from it. This operator is discouraged + # but included entirely as an escape hatch. + (?<====) # Only match for the identity operator + \s* + [^\s]* # We just match everything, except for whitespace + # since we are only testing for strict identity. + ) + | + (?: + # The (non)equality operators allow for wild card and local + # versions to be specified so we have to define these two + # operators separately to enable that. + (?<===|!=) # Only match for equals and not equals + + \s* + v? + (?:[0-9]+!)? # epoch + [0-9]+(?:\.[0-9]+)* # release + (?: # pre release + [-_\.]? + (a|b|c|rc|alpha|beta|pre|preview) + [-_\.]? + [0-9]* + )? + (?: # post release + (?:-[0-9]+)|(?:[-_\.]?(post|rev|r)[-_\.]?[0-9]*) + )? + + # You cannot use a wild card and a dev or local version + # together so group them with a | and make them optional. + (?: + (?:[-_\.]?dev[-_\.]?[0-9]*)? # dev release + (?:\+[a-z0-9]+(?:[-_\.][a-z0-9]+)*)? # local + | + \.\* # Wild card syntax of .* + )? + ) + | + (?: + # The compatible operator requires at least two digits in the + # release segment. + (?<=~=) # Only match for the compatible operator + + \s* + v? + (?:[0-9]+!)? # epoch + [0-9]+(?:\.[0-9]+)+ # release (We have a + instead of a *) + (?: # pre release + [-_\.]? + (a|b|c|rc|alpha|beta|pre|preview) + [-_\.]? + [0-9]* + )? + (?: # post release + (?:-[0-9]+)|(?:[-_\.]?(post|rev|r)[-_\.]?[0-9]*) + )? + (?:[-_\.]?dev[-_\.]?[0-9]*)? # dev release + ) + | + (?: + # All other operators only allow a sub set of what the + # (non)equality operators do. Specifically they do not allow + # local versions to be specified nor do they allow the prefix + # matching wild cards. + (?<!==|!=|~=) # We have special cases for these + # operators so we want to make sure they + # don't match here. + + \s* + v? + (?:[0-9]+!)? # epoch + [0-9]+(?:\.[0-9]+)* # release + (?: # pre release + [-_\.]? + (a|b|c|rc|alpha|beta|pre|preview) + [-_\.]? + [0-9]* + )? + (?: # post release + (?:-[0-9]+)|(?:[-_\.]?(post|rev|r)[-_\.]?[0-9]*) + )? + (?:[-_\.]?dev[-_\.]?[0-9]*)? # dev release + ) + ) + """ + + _regex = re.compile(r"^\s*" + _regex_str + r"\s*$", re.VERBOSE | re.IGNORECASE) + + _operators = { + "~=": "compatible", + "==": "equal", + "!=": "not_equal", + "<=": "less_than_equal", + ">=": "greater_than_equal", + "<": "less_than", + ">": "greater_than", + "===": "arbitrary", + } + + @_require_version_compare + def _compare_compatible(self, prospective: ParsedVersion, spec: str) -> bool: + + # Compatible releases have an equivalent combination of >= and ==. That + # is that ~=2.2 is equivalent to >=2.2,==2.*. This allows us to + # implement this in terms of the other specifiers instead of + # implementing it ourselves. The only thing we need to do is construct + # the other specifiers. + + # We want everything but the last item in the version, but we want to + # ignore suffix segments. + prefix = ".".join( + list(itertools.takewhile(_is_not_suffix, _version_split(spec)))[:-1] + ) + + # Add the prefix notation to the end of our string + prefix += ".*" + + return self._get_operator(">=")(prospective, spec) and self._get_operator("==")( + prospective, prefix + ) + + @_require_version_compare + def _compare_equal(self, prospective: ParsedVersion, spec: str) -> bool: + + # We need special logic to handle prefix matching + if spec.endswith(".*"): + # In the case of prefix matching we want to ignore local segment. + prospective = Version(prospective.public) + # Split the spec out by dots, and pretend that there is an implicit + # dot in between a release segment and a pre-release segment. + split_spec = _version_split(spec[:-2]) # Remove the trailing .* + + # Split the prospective version out by dots, and pretend that there + # is an implicit dot in between a release segment and a pre-release + # segment. + split_prospective = _version_split(str(prospective)) + + # Shorten the prospective version to be the same length as the spec + # so that we can determine if the specifier is a prefix of the + # prospective version or not. + shortened_prospective = split_prospective[: len(split_spec)] + + # Pad out our two sides with zeros so that they both equal the same + # length. + padded_spec, padded_prospective = _pad_version( + split_spec, shortened_prospective + ) + + return padded_prospective == padded_spec + else: + # Convert our spec string into a Version + spec_version = Version(spec) + + # If the specifier does not have a local segment, then we want to + # act as if the prospective version also does not have a local + # segment. + if not spec_version.local: + prospective = Version(prospective.public) + + return prospective == spec_version + + @_require_version_compare + def _compare_not_equal(self, prospective: ParsedVersion, spec: str) -> bool: + return not self._compare_equal(prospective, spec) + + @_require_version_compare + def _compare_less_than_equal(self, prospective: ParsedVersion, spec: str) -> bool: + + # NB: Local version identifiers are NOT permitted in the version + # specifier, so local version labels can be universally removed from + # the prospective version. + return Version(prospective.public) <= Version(spec) + + @_require_version_compare + def _compare_greater_than_equal( + self, prospective: ParsedVersion, spec: str + ) -> bool: + + # NB: Local version identifiers are NOT permitted in the version + # specifier, so local version labels can be universally removed from + # the prospective version. + return Version(prospective.public) >= Version(spec) + + @_require_version_compare + def _compare_less_than(self, prospective: ParsedVersion, spec_str: str) -> bool: + + # Convert our spec to a Version instance, since we'll want to work with + # it as a version. + spec = Version(spec_str) + + # Check to see if the prospective version is less than the spec + # version. If it's not we can short circuit and just return False now + # instead of doing extra unneeded work. + if not prospective < spec: + return False + + # This special case is here so that, unless the specifier itself + # includes is a pre-release version, that we do not accept pre-release + # versions for the version mentioned in the specifier (e.g. <3.1 should + # not match 3.1.dev0, but should match 3.0.dev0). + if not spec.is_prerelease and prospective.is_prerelease: + if Version(prospective.base_version) == Version(spec.base_version): + return False + + # If we've gotten to here, it means that prospective version is both + # less than the spec version *and* it's not a pre-release of the same + # version in the spec. + return True + + @_require_version_compare + def _compare_greater_than(self, prospective: ParsedVersion, spec_str: str) -> bool: + + # Convert our spec to a Version instance, since we'll want to work with + # it as a version. + spec = Version(spec_str) + + # Check to see if the prospective version is greater than the spec + # version. If it's not we can short circuit and just return False now + # instead of doing extra unneeded work. + if not prospective > spec: + return False + + # This special case is here so that, unless the specifier itself + # includes is a post-release version, that we do not accept + # post-release versions for the version mentioned in the specifier + # (e.g. >3.1 should not match 3.0.post0, but should match 3.2.post0). + if not spec.is_postrelease and prospective.is_postrelease: + if Version(prospective.base_version) == Version(spec.base_version): + return False + + # Ensure that we do not allow a local version of the version mentioned + # in the specifier, which is technically greater than, to match. + if prospective.local is not None: + if Version(prospective.base_version) == Version(spec.base_version): + return False + + # If we've gotten to here, it means that prospective version is both + # greater than the spec version *and* it's not a pre-release of the + # same version in the spec. + return True + + def _compare_arbitrary(self, prospective: Version, spec: str) -> bool: + return str(prospective).lower() == str(spec).lower() + + @property + def prereleases(self) -> bool: + + # If there is an explicit prereleases set for this, then we'll just + # blindly use that. + if self._prereleases is not None: + return self._prereleases + + # Look at all of our specifiers and determine if they are inclusive + # operators, and if they are if they are including an explicit + # prerelease. + operator, version = self._spec + if operator in ["==", ">=", "<=", "~=", "==="]: + # The == specifier can include a trailing .*, if it does we + # want to remove before parsing. + if operator == "==" and version.endswith(".*"): + version = version[:-2] + + # Parse the version, and if it is a pre-release than this + # specifier allows pre-releases. + if parse(version).is_prerelease: + return True + + return False + + @prereleases.setter + def prereleases(self, value: bool) -> None: + self._prereleases = value + + +_prefix_regex = re.compile(r"^([0-9]+)((?:a|b|c|rc)[0-9]+)$") + + +def _version_split(version: str) -> List[str]: + result: List[str] = [] + for item in version.split("."): + match = _prefix_regex.search(item) + if match: + result.extend(match.groups()) + else: + result.append(item) + return result + + +def _is_not_suffix(segment: str) -> bool: + return not any( + segment.startswith(prefix) for prefix in ("dev", "a", "b", "rc", "post") + ) + + +def _pad_version(left: List[str], right: List[str]) -> Tuple[List[str], List[str]]: + left_split, right_split = [], [] + + # Get the release segment of our versions + left_split.append(list(itertools.takewhile(lambda x: x.isdigit(), left))) + right_split.append(list(itertools.takewhile(lambda x: x.isdigit(), right))) + + # Get the rest of our versions + left_split.append(left[len(left_split[0]) :]) + right_split.append(right[len(right_split[0]) :]) + + # Insert our padding + left_split.insert(1, ["0"] * max(0, len(right_split[0]) - len(left_split[0]))) + right_split.insert(1, ["0"] * max(0, len(left_split[0]) - len(right_split[0]))) + + return (list(itertools.chain(*left_split)), list(itertools.chain(*right_split))) + + +class SpecifierSet(BaseSpecifier): + def __init__( + self, specifiers: str = "", prereleases: Optional[bool] = None + ) -> None: + + # Split on , to break each individual specifier into it's own item, and + # strip each item to remove leading/trailing whitespace. + split_specifiers = [s.strip() for s in specifiers.split(",") if s.strip()] + + # Parsed each individual specifier, attempting first to make it a + # Specifier and falling back to a LegacySpecifier. + parsed: Set[_IndividualSpecifier] = set() + for specifier in split_specifiers: + try: + parsed.add(Specifier(specifier)) + except InvalidSpecifier: + parsed.add(LegacySpecifier(specifier)) + + # Turn our parsed specifiers into a frozen set and save them for later. + self._specs = frozenset(parsed) + + # Store our prereleases value so we can use it later to determine if + # we accept prereleases or not. + self._prereleases = prereleases + + def __repr__(self) -> str: + pre = ( + f", prereleases={self.prereleases!r}" + if self._prereleases is not None + else "" + ) + + return "<SpecifierSet({!r}{})>".format(str(self), pre) + + def __str__(self) -> str: + return ",".join(sorted(str(s) for s in self._specs)) + + def __hash__(self) -> int: + return hash(self._specs) + + def __and__(self, other: Union["SpecifierSet", str]) -> "SpecifierSet": + if isinstance(other, str): + other = SpecifierSet(other) + elif not isinstance(other, SpecifierSet): + return NotImplemented + + specifier = SpecifierSet() + specifier._specs = frozenset(self._specs | other._specs) + + if self._prereleases is None and other._prereleases is not None: + specifier._prereleases = other._prereleases + elif self._prereleases is not None and other._prereleases is None: + specifier._prereleases = self._prereleases + elif self._prereleases == other._prereleases: + specifier._prereleases = self._prereleases + else: + raise ValueError( + "Cannot combine SpecifierSets with True and False prerelease " + "overrides." + ) + + return specifier + + def __eq__(self, other: object) -> bool: + if isinstance(other, (str, _IndividualSpecifier)): + other = SpecifierSet(str(other)) + elif not isinstance(other, SpecifierSet): + return NotImplemented + + return self._specs == other._specs + + def __ne__(self, other: object) -> bool: + if isinstance(other, (str, _IndividualSpecifier)): + other = SpecifierSet(str(other)) + elif not isinstance(other, SpecifierSet): + return NotImplemented + + return self._specs != other._specs + + def __len__(self) -> int: + return len(self._specs) + + def __iter__(self) -> Iterator[_IndividualSpecifier]: + return iter(self._specs) + + @property + def prereleases(self) -> Optional[bool]: + + # If we have been given an explicit prerelease modifier, then we'll + # pass that through here. + if self._prereleases is not None: + return self._prereleases + + # If we don't have any specifiers, and we don't have a forced value, + # then we'll just return None since we don't know if this should have + # pre-releases or not. + if not self._specs: + return None + + # Otherwise we'll see if any of the given specifiers accept + # prereleases, if any of them do we'll return True, otherwise False. + return any(s.prereleases for s in self._specs) + + @prereleases.setter + def prereleases(self, value: bool) -> None: + self._prereleases = value + + def __contains__(self, item: UnparsedVersion) -> bool: + return self.contains(item) + + def contains( + self, item: UnparsedVersion, prereleases: Optional[bool] = None + ) -> bool: + + # Ensure that our item is a Version or LegacyVersion instance. + if not isinstance(item, (LegacyVersion, Version)): + item = parse(item) + + # Determine if we're forcing a prerelease or not, if we're not forcing + # one for this particular filter call, then we'll use whatever the + # SpecifierSet thinks for whether or not we should support prereleases. + if prereleases is None: + prereleases = self.prereleases + + # We can determine if we're going to allow pre-releases by looking to + # see if any of the underlying items supports them. If none of them do + # and this item is a pre-release then we do not allow it and we can + # short circuit that here. + # Note: This means that 1.0.dev1 would not be contained in something + # like >=1.0.devabc however it would be in >=1.0.debabc,>0.0.dev0 + if not prereleases and item.is_prerelease: + return False + + # We simply dispatch to the underlying specs here to make sure that the + # given version is contained within all of them. + # Note: This use of all() here means that an empty set of specifiers + # will always return True, this is an explicit design decision. + return all(s.contains(item, prereleases=prereleases) for s in self._specs) + + def filter( + self, iterable: Iterable[VersionTypeVar], prereleases: Optional[bool] = None + ) -> Iterable[VersionTypeVar]: + + # Determine if we're forcing a prerelease or not, if we're not forcing + # one for this particular filter call, then we'll use whatever the + # SpecifierSet thinks for whether or not we should support prereleases. + if prereleases is None: + prereleases = self.prereleases + + # If we have any specifiers, then we want to wrap our iterable in the + # filter method for each one, this will act as a logical AND amongst + # each specifier. + if self._specs: + for spec in self._specs: + iterable = spec.filter(iterable, prereleases=bool(prereleases)) + return iterable + # If we do not have any specifiers, then we need to have a rough filter + # which will filter out any pre-releases, unless there are no final + # releases, and which will filter out LegacyVersion in general. + else: + filtered: List[VersionTypeVar] = [] + found_prereleases: List[VersionTypeVar] = [] + + item: UnparsedVersion + parsed_version: Union[Version, LegacyVersion] + + for item in iterable: + # Ensure that we some kind of Version class for this item. + if not isinstance(item, (LegacyVersion, Version)): + parsed_version = parse(item) + else: + parsed_version = item + + # Filter out any item which is parsed as a LegacyVersion + if isinstance(parsed_version, LegacyVersion): + continue + + # Store any item which is a pre-release for later unless we've + # already found a final version or we are accepting prereleases + if parsed_version.is_prerelease and not prereleases: + if not filtered: + found_prereleases.append(item) + else: + filtered.append(item) + + # If we've found no items except for pre-releases, then we'll go + # ahead and use the pre-releases + if not filtered and found_prereleases and prereleases is None: + return found_prereleases + + return filtered diff --git a/venv/Lib/site-packages/pip/_vendor/packaging/tags.py b/venv/Lib/site-packages/pip/_vendor/packaging/tags.py new file mode 100644 index 0000000..82a47cd --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/packaging/tags.py @@ -0,0 +1,484 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. + +import logging +import platform +import sys +import sysconfig +from importlib.machinery import EXTENSION_SUFFIXES +from typing import ( + Dict, + FrozenSet, + Iterable, + Iterator, + List, + Optional, + Sequence, + Tuple, + Union, + cast, +) + +from . import _manylinux, _musllinux + +logger = logging.getLogger(__name__) + +PythonVersion = Sequence[int] +MacVersion = Tuple[int, int] + +INTERPRETER_SHORT_NAMES: Dict[str, str] = { + "python": "py", # Generic. + "cpython": "cp", + "pypy": "pp", + "ironpython": "ip", + "jython": "jy", +} + + +_32_BIT_INTERPRETER = sys.maxsize <= 2 ** 32 + + +class Tag: + """ + A representation of the tag triple for a wheel. + + Instances are considered immutable and thus are hashable. Equality checking + is also supported. + """ + + __slots__ = ["_interpreter", "_abi", "_platform", "_hash"] + + def __init__(self, interpreter: str, abi: str, platform: str) -> None: + self._interpreter = interpreter.lower() + self._abi = abi.lower() + self._platform = platform.lower() + # The __hash__ of every single element in a Set[Tag] will be evaluated each time + # that a set calls its `.disjoint()` method, which may be called hundreds of + # times when scanning a page of links for packages with tags matching that + # Set[Tag]. Pre-computing the value here produces significant speedups for + # downstream consumers. + self._hash = hash((self._interpreter, self._abi, self._platform)) + + @property + def interpreter(self) -> str: + return self._interpreter + + @property + def abi(self) -> str: + return self._abi + + @property + def platform(self) -> str: + return self._platform + + def __eq__(self, other: object) -> bool: + if not isinstance(other, Tag): + return NotImplemented + + return ( + (self._hash == other._hash) # Short-circuit ASAP for perf reasons. + and (self._platform == other._platform) + and (self._abi == other._abi) + and (self._interpreter == other._interpreter) + ) + + def __hash__(self) -> int: + return self._hash + + def __str__(self) -> str: + return f"{self._interpreter}-{self._abi}-{self._platform}" + + def __repr__(self) -> str: + return "<{self} @ {self_id}>".format(self=self, self_id=id(self)) + + +def parse_tag(tag: str) -> FrozenSet[Tag]: + """ + Parses the provided tag (e.g. `py3-none-any`) into a frozenset of Tag instances. + + Returning a set is required due to the possibility that the tag is a + compressed tag set. + """ + tags = set() + interpreters, abis, platforms = tag.split("-") + for interpreter in interpreters.split("."): + for abi in abis.split("."): + for platform_ in platforms.split("."): + tags.add(Tag(interpreter, abi, platform_)) + return frozenset(tags) + + +def _get_config_var(name: str, warn: bool = False) -> Union[int, str, None]: + value = sysconfig.get_config_var(name) + if value is None and warn: + logger.debug( + "Config variable '%s' is unset, Python ABI tag may be incorrect", name + ) + return value + + +def _normalize_string(string: str) -> str: + return string.replace(".", "_").replace("-", "_") + + +def _abi3_applies(python_version: PythonVersion) -> bool: + """ + Determine if the Python version supports abi3. + + PEP 384 was first implemented in Python 3.2. + """ + return len(python_version) > 1 and tuple(python_version) >= (3, 2) + + +def _cpython_abis(py_version: PythonVersion, warn: bool = False) -> List[str]: + py_version = tuple(py_version) # To allow for version comparison. + abis = [] + version = _version_nodot(py_version[:2]) + debug = pymalloc = ucs4 = "" + with_debug = _get_config_var("Py_DEBUG", warn) + has_refcount = hasattr(sys, "gettotalrefcount") + # Windows doesn't set Py_DEBUG, so checking for support of debug-compiled + # extension modules is the best option. + # https://github.com/pypa/pip/issues/3383#issuecomment-173267692 + has_ext = "_d.pyd" in EXTENSION_SUFFIXES + if with_debug or (with_debug is None and (has_refcount or has_ext)): + debug = "d" + if py_version < (3, 8): + with_pymalloc = _get_config_var("WITH_PYMALLOC", warn) + if with_pymalloc or with_pymalloc is None: + pymalloc = "m" + if py_version < (3, 3): + unicode_size = _get_config_var("Py_UNICODE_SIZE", warn) + if unicode_size == 4 or ( + unicode_size is None and sys.maxunicode == 0x10FFFF + ): + ucs4 = "u" + elif debug: + # Debug builds can also load "normal" extension modules. + # We can also assume no UCS-4 or pymalloc requirement. + abis.append(f"cp{version}") + abis.insert( + 0, + "cp{version}{debug}{pymalloc}{ucs4}".format( + version=version, debug=debug, pymalloc=pymalloc, ucs4=ucs4 + ), + ) + return abis + + +def cpython_tags( + python_version: Optional[PythonVersion] = None, + abis: Optional[Iterable[str]] = None, + platforms: Optional[Iterable[str]] = None, + *, + warn: bool = False, +) -> Iterator[Tag]: + """ + Yields the tags for a CPython interpreter. + + The tags consist of: + - cp<python_version>-<abi>-<platform> + - cp<python_version>-abi3-<platform> + - cp<python_version>-none-<platform> + - cp<less than python_version>-abi3-<platform> # Older Python versions down to 3.2. + + If python_version only specifies a major version then user-provided ABIs and + the 'none' ABItag will be used. + + If 'abi3' or 'none' are specified in 'abis' then they will be yielded at + their normal position and not at the beginning. + """ + if not python_version: + python_version = sys.version_info[:2] + + interpreter = "cp{}".format(_version_nodot(python_version[:2])) + + if abis is None: + if len(python_version) > 1: + abis = _cpython_abis(python_version, warn) + else: + abis = [] + abis = list(abis) + # 'abi3' and 'none' are explicitly handled later. + for explicit_abi in ("abi3", "none"): + try: + abis.remove(explicit_abi) + except ValueError: + pass + + platforms = list(platforms or _platform_tags()) + for abi in abis: + for platform_ in platforms: + yield Tag(interpreter, abi, platform_) + if _abi3_applies(python_version): + yield from (Tag(interpreter, "abi3", platform_) for platform_ in platforms) + yield from (Tag(interpreter, "none", platform_) for platform_ in platforms) + + if _abi3_applies(python_version): + for minor_version in range(python_version[1] - 1, 1, -1): + for platform_ in platforms: + interpreter = "cp{version}".format( + version=_version_nodot((python_version[0], minor_version)) + ) + yield Tag(interpreter, "abi3", platform_) + + +def _generic_abi() -> Iterator[str]: + abi = sysconfig.get_config_var("SOABI") + if abi: + yield _normalize_string(abi) + + +def generic_tags( + interpreter: Optional[str] = None, + abis: Optional[Iterable[str]] = None, + platforms: Optional[Iterable[str]] = None, + *, + warn: bool = False, +) -> Iterator[Tag]: + """ + Yields the tags for a generic interpreter. + + The tags consist of: + - <interpreter>-<abi>-<platform> + + The "none" ABI will be added if it was not explicitly provided. + """ + if not interpreter: + interp_name = interpreter_name() + interp_version = interpreter_version(warn=warn) + interpreter = "".join([interp_name, interp_version]) + if abis is None: + abis = _generic_abi() + platforms = list(platforms or _platform_tags()) + abis = list(abis) + if "none" not in abis: + abis.append("none") + for abi in abis: + for platform_ in platforms: + yield Tag(interpreter, abi, platform_) + + +def _py_interpreter_range(py_version: PythonVersion) -> Iterator[str]: + """ + Yields Python versions in descending order. + + After the latest version, the major-only version will be yielded, and then + all previous versions of that major version. + """ + if len(py_version) > 1: + yield "py{version}".format(version=_version_nodot(py_version[:2])) + yield "py{major}".format(major=py_version[0]) + if len(py_version) > 1: + for minor in range(py_version[1] - 1, -1, -1): + yield "py{version}".format(version=_version_nodot((py_version[0], minor))) + + +def compatible_tags( + python_version: Optional[PythonVersion] = None, + interpreter: Optional[str] = None, + platforms: Optional[Iterable[str]] = None, +) -> Iterator[Tag]: + """ + Yields the sequence of tags that are compatible with a specific version of Python. + + The tags consist of: + - py*-none-<platform> + - <interpreter>-none-any # ... if `interpreter` is provided. + - py*-none-any + """ + if not python_version: + python_version = sys.version_info[:2] + platforms = list(platforms or _platform_tags()) + for version in _py_interpreter_range(python_version): + for platform_ in platforms: + yield Tag(version, "none", platform_) + if interpreter: + yield Tag(interpreter, "none", "any") + for version in _py_interpreter_range(python_version): + yield Tag(version, "none", "any") + + +def _mac_arch(arch: str, is_32bit: bool = _32_BIT_INTERPRETER) -> str: + if not is_32bit: + return arch + + if arch.startswith("ppc"): + return "ppc" + + return "i386" + + +def _mac_binary_formats(version: MacVersion, cpu_arch: str) -> List[str]: + formats = [cpu_arch] + if cpu_arch == "x86_64": + if version < (10, 4): + return [] + formats.extend(["intel", "fat64", "fat32"]) + + elif cpu_arch == "i386": + if version < (10, 4): + return [] + formats.extend(["intel", "fat32", "fat"]) + + elif cpu_arch == "ppc64": + # TODO: Need to care about 32-bit PPC for ppc64 through 10.2? + if version > (10, 5) or version < (10, 4): + return [] + formats.append("fat64") + + elif cpu_arch == "ppc": + if version > (10, 6): + return [] + formats.extend(["fat32", "fat"]) + + if cpu_arch in {"arm64", "x86_64"}: + formats.append("universal2") + + if cpu_arch in {"x86_64", "i386", "ppc64", "ppc", "intel"}: + formats.append("universal") + + return formats + + +def mac_platforms( + version: Optional[MacVersion] = None, arch: Optional[str] = None +) -> Iterator[str]: + """ + Yields the platform tags for a macOS system. + + The `version` parameter is a two-item tuple specifying the macOS version to + generate platform tags for. The `arch` parameter is the CPU architecture to + generate platform tags for. Both parameters default to the appropriate value + for the current system. + """ + version_str, _, cpu_arch = platform.mac_ver() + if version is None: + version = cast("MacVersion", tuple(map(int, version_str.split(".")[:2]))) + else: + version = version + if arch is None: + arch = _mac_arch(cpu_arch) + else: + arch = arch + + if (10, 0) <= version and version < (11, 0): + # Prior to Mac OS 11, each yearly release of Mac OS bumped the + # "minor" version number. The major version was always 10. + for minor_version in range(version[1], -1, -1): + compat_version = 10, minor_version + binary_formats = _mac_binary_formats(compat_version, arch) + for binary_format in binary_formats: + yield "macosx_{major}_{minor}_{binary_format}".format( + major=10, minor=minor_version, binary_format=binary_format + ) + + if version >= (11, 0): + # Starting with Mac OS 11, each yearly release bumps the major version + # number. The minor versions are now the midyear updates. + for major_version in range(version[0], 10, -1): + compat_version = major_version, 0 + binary_formats = _mac_binary_formats(compat_version, arch) + for binary_format in binary_formats: + yield "macosx_{major}_{minor}_{binary_format}".format( + major=major_version, minor=0, binary_format=binary_format + ) + + if version >= (11, 0): + # Mac OS 11 on x86_64 is compatible with binaries from previous releases. + # Arm64 support was introduced in 11.0, so no Arm binaries from previous + # releases exist. + # + # However, the "universal2" binary format can have a + # macOS version earlier than 11.0 when the x86_64 part of the binary supports + # that version of macOS. + if arch == "x86_64": + for minor_version in range(16, 3, -1): + compat_version = 10, minor_version + binary_formats = _mac_binary_formats(compat_version, arch) + for binary_format in binary_formats: + yield "macosx_{major}_{minor}_{binary_format}".format( + major=compat_version[0], + minor=compat_version[1], + binary_format=binary_format, + ) + else: + for minor_version in range(16, 3, -1): + compat_version = 10, minor_version + binary_format = "universal2" + yield "macosx_{major}_{minor}_{binary_format}".format( + major=compat_version[0], + minor=compat_version[1], + binary_format=binary_format, + ) + + +def _linux_platforms(is_32bit: bool = _32_BIT_INTERPRETER) -> Iterator[str]: + linux = _normalize_string(sysconfig.get_platform()) + if is_32bit: + if linux == "linux_x86_64": + linux = "linux_i686" + elif linux == "linux_aarch64": + linux = "linux_armv7l" + _, arch = linux.split("_", 1) + yield from _manylinux.platform_tags(linux, arch) + yield from _musllinux.platform_tags(arch) + yield linux + + +def _generic_platforms() -> Iterator[str]: + yield _normalize_string(sysconfig.get_platform()) + + +def _platform_tags() -> Iterator[str]: + """ + Provides the platform tags for this installation. + """ + if platform.system() == "Darwin": + return mac_platforms() + elif platform.system() == "Linux": + return _linux_platforms() + else: + return _generic_platforms() + + +def interpreter_name() -> str: + """ + Returns the name of the running interpreter. + """ + name = sys.implementation.name + return INTERPRETER_SHORT_NAMES.get(name) or name + + +def interpreter_version(*, warn: bool = False) -> str: + """ + Returns the version of the running interpreter. + """ + version = _get_config_var("py_version_nodot", warn=warn) + if version: + version = str(version) + else: + version = _version_nodot(sys.version_info[:2]) + return version + + +def _version_nodot(version: PythonVersion) -> str: + return "".join(map(str, version)) + + +def sys_tags(*, warn: bool = False) -> Iterator[Tag]: + """ + Returns the sequence of tag triples for the running interpreter. + + The order of the sequence corresponds to priority order for the + interpreter, from most to least important. + """ + + interp_name = interpreter_name() + if interp_name == "cp": + yield from cpython_tags(warn=warn) + else: + yield from generic_tags() + + yield from compatible_tags() diff --git a/venv/Lib/site-packages/pip/_vendor/packaging/utils.py b/venv/Lib/site-packages/pip/_vendor/packaging/utils.py new file mode 100644 index 0000000..bab11b8 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/packaging/utils.py @@ -0,0 +1,136 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. + +import re +from typing import FrozenSet, NewType, Tuple, Union, cast + +from .tags import Tag, parse_tag +from .version import InvalidVersion, Version + +BuildTag = Union[Tuple[()], Tuple[int, str]] +NormalizedName = NewType("NormalizedName", str) + + +class InvalidWheelFilename(ValueError): + """ + An invalid wheel filename was found, users should refer to PEP 427. + """ + + +class InvalidSdistFilename(ValueError): + """ + An invalid sdist filename was found, users should refer to the packaging user guide. + """ + + +_canonicalize_regex = re.compile(r"[-_.]+") +# PEP 427: The build number must start with a digit. +_build_tag_regex = re.compile(r"(\d+)(.*)") + + +def canonicalize_name(name: str) -> NormalizedName: + # This is taken from PEP 503. + value = _canonicalize_regex.sub("-", name).lower() + return cast(NormalizedName, value) + + +def canonicalize_version(version: Union[Version, str]) -> str: + """ + This is very similar to Version.__str__, but has one subtle difference + with the way it handles the release segment. + """ + if isinstance(version, str): + try: + parsed = Version(version) + except InvalidVersion: + # Legacy versions cannot be normalized + return version + else: + parsed = version + + parts = [] + + # Epoch + if parsed.epoch != 0: + parts.append(f"{parsed.epoch}!") + + # Release segment + # NB: This strips trailing '.0's to normalize + parts.append(re.sub(r"(\.0)+$", "", ".".join(str(x) for x in parsed.release))) + + # Pre-release + if parsed.pre is not None: + parts.append("".join(str(x) for x in parsed.pre)) + + # Post-release + if parsed.post is not None: + parts.append(f".post{parsed.post}") + + # Development release + if parsed.dev is not None: + parts.append(f".dev{parsed.dev}") + + # Local version segment + if parsed.local is not None: + parts.append(f"+{parsed.local}") + + return "".join(parts) + + +def parse_wheel_filename( + filename: str, +) -> Tuple[NormalizedName, Version, BuildTag, FrozenSet[Tag]]: + if not filename.endswith(".whl"): + raise InvalidWheelFilename( + f"Invalid wheel filename (extension must be '.whl'): {filename}" + ) + + filename = filename[:-4] + dashes = filename.count("-") + if dashes not in (4, 5): + raise InvalidWheelFilename( + f"Invalid wheel filename (wrong number of parts): {filename}" + ) + + parts = filename.split("-", dashes - 2) + name_part = parts[0] + # See PEP 427 for the rules on escaping the project name + if "__" in name_part or re.match(r"^[\w\d._]*$", name_part, re.UNICODE) is None: + raise InvalidWheelFilename(f"Invalid project name: {filename}") + name = canonicalize_name(name_part) + version = Version(parts[1]) + if dashes == 5: + build_part = parts[2] + build_match = _build_tag_regex.match(build_part) + if build_match is None: + raise InvalidWheelFilename( + f"Invalid build number: {build_part} in '{filename}'" + ) + build = cast(BuildTag, (int(build_match.group(1)), build_match.group(2))) + else: + build = () + tags = parse_tag(parts[-1]) + return (name, version, build, tags) + + +def parse_sdist_filename(filename: str) -> Tuple[NormalizedName, Version]: + if filename.endswith(".tar.gz"): + file_stem = filename[: -len(".tar.gz")] + elif filename.endswith(".zip"): + file_stem = filename[: -len(".zip")] + else: + raise InvalidSdistFilename( + f"Invalid sdist filename (extension must be '.tar.gz' or '.zip'):" + f" {filename}" + ) + + # We are requiring a PEP 440 version, which cannot contain dashes, + # so we split on the last dash. + name_part, sep, version_part = file_stem.rpartition("-") + if not sep: + raise InvalidSdistFilename(f"Invalid sdist filename: {filename}") + + name = canonicalize_name(name_part) + version = Version(version_part) + return (name, version) diff --git a/venv/Lib/site-packages/pip/_vendor/packaging/version.py b/venv/Lib/site-packages/pip/_vendor/packaging/version.py new file mode 100644 index 0000000..de9a09a --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/packaging/version.py @@ -0,0 +1,504 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. + +import collections +import itertools +import re +import warnings +from typing import Callable, Iterator, List, Optional, SupportsInt, Tuple, Union + +from ._structures import Infinity, InfinityType, NegativeInfinity, NegativeInfinityType + +__all__ = ["parse", "Version", "LegacyVersion", "InvalidVersion", "VERSION_PATTERN"] + +InfiniteTypes = Union[InfinityType, NegativeInfinityType] +PrePostDevType = Union[InfiniteTypes, Tuple[str, int]] +SubLocalType = Union[InfiniteTypes, int, str] +LocalType = Union[ + NegativeInfinityType, + Tuple[ + Union[ + SubLocalType, + Tuple[SubLocalType, str], + Tuple[NegativeInfinityType, SubLocalType], + ], + ..., + ], +] +CmpKey = Tuple[ + int, Tuple[int, ...], PrePostDevType, PrePostDevType, PrePostDevType, LocalType +] +LegacyCmpKey = Tuple[int, Tuple[str, ...]] +VersionComparisonMethod = Callable[ + [Union[CmpKey, LegacyCmpKey], Union[CmpKey, LegacyCmpKey]], bool +] + +_Version = collections.namedtuple( + "_Version", ["epoch", "release", "dev", "pre", "post", "local"] +) + + +def parse(version: str) -> Union["LegacyVersion", "Version"]: + """ + Parse the given version string and return either a :class:`Version` object + or a :class:`LegacyVersion` object depending on if the given version is + a valid PEP 440 version or a legacy version. + """ + try: + return Version(version) + except InvalidVersion: + return LegacyVersion(version) + + +class InvalidVersion(ValueError): + """ + An invalid version was found, users should refer to PEP 440. + """ + + +class _BaseVersion: + _key: Union[CmpKey, LegacyCmpKey] + + def __hash__(self) -> int: + return hash(self._key) + + # Please keep the duplicated `isinstance` check + # in the six comparisons hereunder + # unless you find a way to avoid adding overhead function calls. + def __lt__(self, other: "_BaseVersion") -> bool: + if not isinstance(other, _BaseVersion): + return NotImplemented + + return self._key < other._key + + def __le__(self, other: "_BaseVersion") -> bool: + if not isinstance(other, _BaseVersion): + return NotImplemented + + return self._key <= other._key + + def __eq__(self, other: object) -> bool: + if not isinstance(other, _BaseVersion): + return NotImplemented + + return self._key == other._key + + def __ge__(self, other: "_BaseVersion") -> bool: + if not isinstance(other, _BaseVersion): + return NotImplemented + + return self._key >= other._key + + def __gt__(self, other: "_BaseVersion") -> bool: + if not isinstance(other, _BaseVersion): + return NotImplemented + + return self._key > other._key + + def __ne__(self, other: object) -> bool: + if not isinstance(other, _BaseVersion): + return NotImplemented + + return self._key != other._key + + +class LegacyVersion(_BaseVersion): + def __init__(self, version: str) -> None: + self._version = str(version) + self._key = _legacy_cmpkey(self._version) + + warnings.warn( + "Creating a LegacyVersion has been deprecated and will be " + "removed in the next major release", + DeprecationWarning, + ) + + def __str__(self) -> str: + return self._version + + def __repr__(self) -> str: + return f"<LegacyVersion('{self}')>" + + @property + def public(self) -> str: + return self._version + + @property + def base_version(self) -> str: + return self._version + + @property + def epoch(self) -> int: + return -1 + + @property + def release(self) -> None: + return None + + @property + def pre(self) -> None: + return None + + @property + def post(self) -> None: + return None + + @property + def dev(self) -> None: + return None + + @property + def local(self) -> None: + return None + + @property + def is_prerelease(self) -> bool: + return False + + @property + def is_postrelease(self) -> bool: + return False + + @property + def is_devrelease(self) -> bool: + return False + + +_legacy_version_component_re = re.compile(r"(\d+ | [a-z]+ | \.| -)", re.VERBOSE) + +_legacy_version_replacement_map = { + "pre": "c", + "preview": "c", + "-": "final-", + "rc": "c", + "dev": "@", +} + + +def _parse_version_parts(s: str) -> Iterator[str]: + for part in _legacy_version_component_re.split(s): + part = _legacy_version_replacement_map.get(part, part) + + if not part or part == ".": + continue + + if part[:1] in "0123456789": + # pad for numeric comparison + yield part.zfill(8) + else: + yield "*" + part + + # ensure that alpha/beta/candidate are before final + yield "*final" + + +def _legacy_cmpkey(version: str) -> LegacyCmpKey: + + # We hardcode an epoch of -1 here. A PEP 440 version can only have a epoch + # greater than or equal to 0. This will effectively put the LegacyVersion, + # which uses the defacto standard originally implemented by setuptools, + # as before all PEP 440 versions. + epoch = -1 + + # This scheme is taken from pkg_resources.parse_version setuptools prior to + # it's adoption of the packaging library. + parts: List[str] = [] + for part in _parse_version_parts(version.lower()): + if part.startswith("*"): + # remove "-" before a prerelease tag + if part < "*final": + while parts and parts[-1] == "*final-": + parts.pop() + + # remove trailing zeros from each series of numeric parts + while parts and parts[-1] == "00000000": + parts.pop() + + parts.append(part) + + return epoch, tuple(parts) + + +# Deliberately not anchored to the start and end of the string, to make it +# easier for 3rd party code to reuse +VERSION_PATTERN = r""" + v? + (?: + (?:(?P<epoch>[0-9]+)!)? # epoch + (?P<release>[0-9]+(?:\.[0-9]+)*) # release segment + (?P<pre> # pre-release + [-_\.]? + (?P<pre_l>(a|b|c|rc|alpha|beta|pre|preview)) + [-_\.]? + (?P<pre_n>[0-9]+)? + )? + (?P<post> # post release + (?:-(?P<post_n1>[0-9]+)) + | + (?: + [-_\.]? + (?P<post_l>post|rev|r) + [-_\.]? + (?P<post_n2>[0-9]+)? + ) + )? + (?P<dev> # dev release + [-_\.]? + (?P<dev_l>dev) + [-_\.]? + (?P<dev_n>[0-9]+)? + )? + ) + (?:\+(?P<local>[a-z0-9]+(?:[-_\.][a-z0-9]+)*))? # local version +""" + + +class Version(_BaseVersion): + + _regex = re.compile(r"^\s*" + VERSION_PATTERN + r"\s*$", re.VERBOSE | re.IGNORECASE) + + def __init__(self, version: str) -> None: + + # Validate the version and parse it into pieces + match = self._regex.search(version) + if not match: + raise InvalidVersion(f"Invalid version: '{version}'") + + # Store the parsed out pieces of the version + self._version = _Version( + epoch=int(match.group("epoch")) if match.group("epoch") else 0, + release=tuple(int(i) for i in match.group("release").split(".")), + pre=_parse_letter_version(match.group("pre_l"), match.group("pre_n")), + post=_parse_letter_version( + match.group("post_l"), match.group("post_n1") or match.group("post_n2") + ), + dev=_parse_letter_version(match.group("dev_l"), match.group("dev_n")), + local=_parse_local_version(match.group("local")), + ) + + # Generate a key which will be used for sorting + self._key = _cmpkey( + self._version.epoch, + self._version.release, + self._version.pre, + self._version.post, + self._version.dev, + self._version.local, + ) + + def __repr__(self) -> str: + return f"<Version('{self}')>" + + def __str__(self) -> str: + parts = [] + + # Epoch + if self.epoch != 0: + parts.append(f"{self.epoch}!") + + # Release segment + parts.append(".".join(str(x) for x in self.release)) + + # Pre-release + if self.pre is not None: + parts.append("".join(str(x) for x in self.pre)) + + # Post-release + if self.post is not None: + parts.append(f".post{self.post}") + + # Development release + if self.dev is not None: + parts.append(f".dev{self.dev}") + + # Local version segment + if self.local is not None: + parts.append(f"+{self.local}") + + return "".join(parts) + + @property + def epoch(self) -> int: + _epoch: int = self._version.epoch + return _epoch + + @property + def release(self) -> Tuple[int, ...]: + _release: Tuple[int, ...] = self._version.release + return _release + + @property + def pre(self) -> Optional[Tuple[str, int]]: + _pre: Optional[Tuple[str, int]] = self._version.pre + return _pre + + @property + def post(self) -> Optional[int]: + return self._version.post[1] if self._version.post else None + + @property + def dev(self) -> Optional[int]: + return self._version.dev[1] if self._version.dev else None + + @property + def local(self) -> Optional[str]: + if self._version.local: + return ".".join(str(x) for x in self._version.local) + else: + return None + + @property + def public(self) -> str: + return str(self).split("+", 1)[0] + + @property + def base_version(self) -> str: + parts = [] + + # Epoch + if self.epoch != 0: + parts.append(f"{self.epoch}!") + + # Release segment + parts.append(".".join(str(x) for x in self.release)) + + return "".join(parts) + + @property + def is_prerelease(self) -> bool: + return self.dev is not None or self.pre is not None + + @property + def is_postrelease(self) -> bool: + return self.post is not None + + @property + def is_devrelease(self) -> bool: + return self.dev is not None + + @property + def major(self) -> int: + return self.release[0] if len(self.release) >= 1 else 0 + + @property + def minor(self) -> int: + return self.release[1] if len(self.release) >= 2 else 0 + + @property + def micro(self) -> int: + return self.release[2] if len(self.release) >= 3 else 0 + + +def _parse_letter_version( + letter: str, number: Union[str, bytes, SupportsInt] +) -> Optional[Tuple[str, int]]: + + if letter: + # We consider there to be an implicit 0 in a pre-release if there is + # not a numeral associated with it. + if number is None: + number = 0 + + # We normalize any letters to their lower case form + letter = letter.lower() + + # We consider some words to be alternate spellings of other words and + # in those cases we want to normalize the spellings to our preferred + # spelling. + if letter == "alpha": + letter = "a" + elif letter == "beta": + letter = "b" + elif letter in ["c", "pre", "preview"]: + letter = "rc" + elif letter in ["rev", "r"]: + letter = "post" + + return letter, int(number) + if not letter and number: + # We assume if we are given a number, but we are not given a letter + # then this is using the implicit post release syntax (e.g. 1.0-1) + letter = "post" + + return letter, int(number) + + return None + + +_local_version_separators = re.compile(r"[\._-]") + + +def _parse_local_version(local: str) -> Optional[LocalType]: + """ + Takes a string like abc.1.twelve and turns it into ("abc", 1, "twelve"). + """ + if local is not None: + return tuple( + part.lower() if not part.isdigit() else int(part) + for part in _local_version_separators.split(local) + ) + return None + + +def _cmpkey( + epoch: int, + release: Tuple[int, ...], + pre: Optional[Tuple[str, int]], + post: Optional[Tuple[str, int]], + dev: Optional[Tuple[str, int]], + local: Optional[Tuple[SubLocalType]], +) -> CmpKey: + + # When we compare a release version, we want to compare it with all of the + # trailing zeros removed. So we'll use a reverse the list, drop all the now + # leading zeros until we come to something non zero, then take the rest + # re-reverse it back into the correct order and make it a tuple and use + # that for our sorting key. + _release = tuple( + reversed(list(itertools.dropwhile(lambda x: x == 0, reversed(release)))) + ) + + # We need to "trick" the sorting algorithm to put 1.0.dev0 before 1.0a0. + # We'll do this by abusing the pre segment, but we _only_ want to do this + # if there is not a pre or a post segment. If we have one of those then + # the normal sorting rules will handle this case correctly. + if pre is None and post is None and dev is not None: + _pre: PrePostDevType = NegativeInfinity + # Versions without a pre-release (except as noted above) should sort after + # those with one. + elif pre is None: + _pre = Infinity + else: + _pre = pre + + # Versions without a post segment should sort before those with one. + if post is None: + _post: PrePostDevType = NegativeInfinity + + else: + _post = post + + # Versions without a development segment should sort after those with one. + if dev is None: + _dev: PrePostDevType = Infinity + + else: + _dev = dev + + if local is None: + # Versions without a local segment should sort before those with one. + _local: LocalType = NegativeInfinity + else: + # Versions with a local segment need that segment parsed to implement + # the sorting rules in PEP440. + # - Alpha numeric segments sort before numeric segments + # - Alpha numeric segments sort lexicographically + # - Numeric segments sort numerically + # - Shorter versions sort before longer versions when the prefixes + # match exactly + _local = tuple( + (i, "") if isinstance(i, int) else (NegativeInfinity, i) for i in local + ) + + return epoch, _release, _pre, _post, _dev, _local diff --git a/venv/Lib/site-packages/pip/_vendor/pep517/__init__.py b/venv/Lib/site-packages/pip/_vendor/pep517/__init__.py new file mode 100644 index 0000000..f064d60 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/pep517/__init__.py @@ -0,0 +1,6 @@ +"""Wrappers to build Python packages using PEP 517 hooks +""" + +__version__ = '0.11.0' + +from .wrappers import * # noqa: F401, F403 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/build.py b/venv/Lib/site-packages/pip/_vendor/pep517/build.py similarity index 54% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/build.py rename to venv/Lib/site-packages/pip/_vendor/pep517/build.py index ac6c949..3b75214 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/build.py +++ b/venv/Lib/site-packages/pip/_vendor/pep517/build.py @@ -1,27 +1,58 @@ """Build a project using PEP 517 hooks. """ import argparse +import io import logging import os -import contextlib -from pip._vendor import pytoml import shutil -import errno -import tempfile from .envbuild import BuildEnvironment from .wrappers import Pep517HookCaller +from .dirtools import tempdir, mkdir_p +from .compat import FileNotFoundError, toml_load log = logging.getLogger(__name__) -@contextlib.contextmanager -def tempdir(): - td = tempfile.mkdtemp() +def validate_system(system): + """ + Ensure build system has the requisite fields. + """ + required = {'requires', 'build-backend'} + if not (required <= set(system)): + message = "Missing required fields: {missing}".format( + missing=required-set(system), + ) + raise ValueError(message) + + +def load_system(source_dir): + """ + Load the build system from a source dir (pyproject.toml). + """ + pyproject = os.path.join(source_dir, 'pyproject.toml') + with io.open(pyproject, encoding="utf-8") as f: + pyproject_data = toml_load(f) + return pyproject_data['build-system'] + + +def compat_system(source_dir): + """ + Given a source dir, attempt to get a build system backend + and requirements from pyproject.toml. Fallback to + setuptools but only if the file was not found or a build + system was not indicated. + """ try: - yield td - finally: - shutil.rmtree(td) + system = load_system(source_dir) + except (FileNotFoundError, KeyError): + system = {} + system.setdefault( + 'build-backend', + 'setuptools.build_meta:__legacy__', + ) + system.setdefault('requires', ['setuptools', 'wheel']) + return system def _do_build(hooks, env, dist, dest): @@ -42,33 +73,18 @@ def _do_build(hooks, env, dist, dest): shutil.move(source, os.path.join(dest, os.path.basename(filename))) -def mkdir_p(*args, **kwargs): - """Like `mkdir`, but does not raise an exception if the - directory already exists. - """ - try: - return os.mkdir(*args, **kwargs) - except OSError as exc: - if exc.errno != errno.EEXIST: - raise - - -def build(source_dir, dist, dest=None): - pyproject = os.path.join(source_dir, 'pyproject.toml') +def build(source_dir, dist, dest=None, system=None): + system = system or load_system(source_dir) dest = os.path.join(source_dir, dest or 'dist') mkdir_p(dest) - with open(pyproject) as f: - pyproject_data = pytoml.load(f) - # Ensure the mandatory data can be loaded - buildsys = pyproject_data['build-system'] - requires = buildsys['requires'] - backend = buildsys['build-backend'] - - hooks = Pep517HookCaller(source_dir, backend) + validate_system(system) + hooks = Pep517HookCaller( + source_dir, system['build-backend'], system.get('backend-path') + ) with BuildEnvironment() as env: - env.pip_install(requires) + env.pip_install(system['requires']) _do_build(hooks, env, dist, dest) @@ -94,6 +110,9 @@ def build(source_dir, dist, dest=None): def main(args): + log.warning('pep517.build is deprecated. ' + 'Consider switching to https://pypi.org/project/build/') + # determine which dists to build dists = list(filter(None, ( 'sdist' if args.source or not args.binary else None, diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/check.py b/venv/Lib/site-packages/pip/_vendor/pep517/check.py similarity index 93% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/check.py rename to venv/Lib/site-packages/pip/_vendor/pep517/check.py index f4cdc6b..719be04 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/check.py +++ b/venv/Lib/site-packages/pip/_vendor/pep517/check.py @@ -1,10 +1,10 @@ """Check a project and backend by attempting to build using PEP 517 hooks. """ import argparse +import io import logging import os from os.path import isfile, join as pjoin -from pip._vendor.pytoml import TomlError, load as toml_load import shutil from subprocess import CalledProcessError import sys @@ -13,6 +13,7 @@ import zipfile from .colorlog import enable_colourful_output +from .compat import TOMLDecodeError, toml_load from .envbuild import BuildEnvironment from .wrappers import Pep517HookCaller @@ -141,18 +142,19 @@ def check(source_dir): return False try: - with open(pyproject) as f: + with io.open(pyproject, encoding="utf-8") as f: pyproject_data = toml_load(f) # Ensure the mandatory data can be loaded buildsys = pyproject_data['build-system'] requires = buildsys['requires'] backend = buildsys['build-backend'] + backend_path = buildsys.get('backend-path') log.info('Loaded pyproject.toml') - except (TomlError, KeyError): + except (TOMLDecodeError, KeyError): log.error("Invalid pyproject.toml", exc_info=True) return False - hooks = Pep517HookCaller(source_dir, backend) + hooks = Pep517HookCaller(source_dir, backend, backend_path) sdist_ok = check_build_sdist(hooks, requires) wheel_ok = check_build_wheel(hooks, requires) @@ -166,6 +168,9 @@ def check(source_dir): def main(argv=None): + log.warning('pep517.check is deprecated. ' + 'Consider switching to https://pypi.org/project/build/') + ap = argparse.ArgumentParser() ap.add_argument( 'source_dir', diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/colorlog.py b/venv/Lib/site-packages/pip/_vendor/pep517/colorlog.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/colorlog.py rename to venv/Lib/site-packages/pip/_vendor/pep517/colorlog.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/compat.py b/venv/Lib/site-packages/pip/_vendor/pep517/compat.py similarity index 52% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/compat.py rename to venv/Lib/site-packages/pip/_vendor/pep517/compat.py index 01c66fc..d563664 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/compat.py +++ b/venv/Lib/site-packages/pip/_vendor/pep517/compat.py @@ -1,7 +1,10 @@ -"""Handle reading and writing JSON in UTF-8, on Python 3 and 2.""" +"""Python 2/3 compatibility""" import json import sys + +# Handle reading and writing JSON in UTF-8, on Python 3 and 2. + if sys.version_info[0] >= 3: # Python 3 def write_json(obj, path, **kwargs): @@ -21,3 +24,19 @@ def write_json(obj, path, **kwargs): def read_json(path): with open(path, 'rb') as f: return json.load(f) + + +# FileNotFoundError + +try: + FileNotFoundError = FileNotFoundError +except NameError: + FileNotFoundError = IOError + + +if sys.version_info < (3, 6): + from toml import load as toml_load # noqa: F401 + from toml import TomlDecodeError as TOMLDecodeError # noqa: F401 +else: + from pip._vendor.tomli import load as toml_load # noqa: F401 + from pip._vendor.tomli import TOMLDecodeError # noqa: F401 diff --git a/venv/Lib/site-packages/pip/_vendor/pep517/dirtools.py b/venv/Lib/site-packages/pip/_vendor/pep517/dirtools.py new file mode 100644 index 0000000..58c6ca0 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/pep517/dirtools.py @@ -0,0 +1,44 @@ +import os +import io +import contextlib +import tempfile +import shutil +import errno +import zipfile + + +@contextlib.contextmanager +def tempdir(): + """Create a temporary directory in a context manager.""" + td = tempfile.mkdtemp() + try: + yield td + finally: + shutil.rmtree(td) + + +def mkdir_p(*args, **kwargs): + """Like `mkdir`, but does not raise an exception if the + directory already exists. + """ + try: + return os.mkdir(*args, **kwargs) + except OSError as exc: + if exc.errno != errno.EEXIST: + raise + + +def dir_to_zipfile(root): + """Construct an in-memory zip file for a directory.""" + buffer = io.BytesIO() + zip_file = zipfile.ZipFile(buffer, 'w') + for root, dirs, files in os.walk(root): + for path in dirs: + fs_path = os.path.join(root, path) + rel_path = os.path.relpath(fs_path, root) + zip_file.writestr(rel_path + '/', '') + for path in files: + fs_path = os.path.join(root, path) + rel_path = os.path.relpath(fs_path, root) + zip_file.write(fs_path, rel_path) + return zip_file diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/envbuild.py b/venv/Lib/site-packages/pip/_vendor/pep517/envbuild.py similarity index 85% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/envbuild.py rename to venv/Lib/site-packages/pip/_vendor/pep517/envbuild.py index f7ac5f4..7c2344b 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pep517/envbuild.py +++ b/venv/Lib/site-packages/pip/_vendor/pep517/envbuild.py @@ -1,25 +1,33 @@ """Build wheels/sdists by installing build deps to a temporary environment. """ +import io import os import logging -from pip._vendor import pytoml import shutil from subprocess import check_call import sys from sysconfig import get_paths from tempfile import mkdtemp -from .wrappers import Pep517HookCaller +from .compat import toml_load +from .wrappers import Pep517HookCaller, LoggerWrapper log = logging.getLogger(__name__) def _load_pyproject(source_dir): - with open(os.path.join(source_dir, 'pyproject.toml')) as f: - pyproject_data = pytoml.load(f) + with io.open( + os.path.join(source_dir, 'pyproject.toml'), + encoding="utf-8", + ) as f: + pyproject_data = toml_load(f) buildsys = pyproject_data['build-system'] - return buildsys['requires'], buildsys['build-backend'] + return ( + buildsys['requires'], + buildsys['build-backend'], + buildsys.get('backend-path'), + ) class BuildEnvironment(object): @@ -90,9 +98,14 @@ def pip_install(self, reqs): if not reqs: return log.info('Calling pip to install %s', reqs) - check_call([ + cmd = [ sys.executable, '-m', 'pip', 'install', '--ignore-installed', - '--prefix', self.path] + list(reqs)) + '--prefix', self.path] + list(reqs) + check_call( + cmd, + stdout=LoggerWrapper(log, logging.INFO), + stderr=LoggerWrapper(log, logging.ERROR), + ) def __exit__(self, exc_type, exc_val, exc_tb): needs_cleanup = ( @@ -126,8 +139,8 @@ def build_wheel(source_dir, wheel_dir, config_settings=None): """ if config_settings is None: config_settings = {} - requires, backend = _load_pyproject(source_dir) - hooks = Pep517HookCaller(source_dir, backend) + requires, backend, backend_path = _load_pyproject(source_dir) + hooks = Pep517HookCaller(source_dir, backend, backend_path) with BuildEnvironment() as env: env.pip_install(requires) @@ -148,8 +161,8 @@ def build_sdist(source_dir, sdist_dir, config_settings=None): """ if config_settings is None: config_settings = {} - requires, backend = _load_pyproject(source_dir) - hooks = Pep517HookCaller(source_dir, backend) + requires, backend, backend_path = _load_pyproject(source_dir) + hooks = Pep517HookCaller(source_dir, backend, backend_path) with BuildEnvironment() as env: env.pip_install(requires) diff --git a/venv/Lib/site-packages/pip/_vendor/pep517/in_process/__init__.py b/venv/Lib/site-packages/pip/_vendor/pep517/in_process/__init__.py new file mode 100644 index 0000000..c932313 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/pep517/in_process/__init__.py @@ -0,0 +1,17 @@ +"""This is a subpackage because the directory is on sys.path for _in_process.py + +The subpackage should stay as empty as possible to avoid shadowing modules that +the backend might import. +""" +from os.path import dirname, abspath, join as pjoin +from contextlib import contextmanager + +try: + import importlib.resources as resources + + def _in_proc_script_path(): + return resources.path(__package__, '_in_process.py') +except ImportError: + @contextmanager + def _in_proc_script_path(): + yield pjoin(dirname(abspath(__file__)), '_in_process.py') diff --git a/venv/Lib/site-packages/pip/_vendor/pep517/in_process/_in_process.py b/venv/Lib/site-packages/pip/_vendor/pep517/in_process/_in_process.py new file mode 100644 index 0000000..c7f5f05 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/pep517/in_process/_in_process.py @@ -0,0 +1,349 @@ +"""This is invoked in a subprocess to call the build backend hooks. + +It expects: +- Command line args: hook_name, control_dir +- Environment variables: + PEP517_BUILD_BACKEND=entry.point:spec + PEP517_BACKEND_PATH=paths (separated with os.pathsep) +- control_dir/input.json: + - {"kwargs": {...}} + +Results: +- control_dir/output.json + - {"return_val": ...} +""" +from glob import glob +from importlib import import_module +import json +import os +import os.path +from os.path import join as pjoin +import re +import shutil +import sys +import traceback + +# This file is run as a script, and `import compat` is not zip-safe, so we +# include write_json() and read_json() from compat.py. +# +# Handle reading and writing JSON in UTF-8, on Python 3 and 2. + +if sys.version_info[0] >= 3: + # Python 3 + def write_json(obj, path, **kwargs): + with open(path, 'w', encoding='utf-8') as f: + json.dump(obj, f, **kwargs) + + def read_json(path): + with open(path, 'r', encoding='utf-8') as f: + return json.load(f) + +else: + # Python 2 + def write_json(obj, path, **kwargs): + with open(path, 'wb') as f: + json.dump(obj, f, encoding='utf-8', **kwargs) + + def read_json(path): + with open(path, 'rb') as f: + return json.load(f) + + +class BackendUnavailable(Exception): + """Raised if we cannot import the backend""" + def __init__(self, traceback): + self.traceback = traceback + + +class BackendInvalid(Exception): + """Raised if the backend is invalid""" + def __init__(self, message): + self.message = message + + +class HookMissing(Exception): + """Raised if a hook is missing and we are not executing the fallback""" + def __init__(self, hook_name=None): + super(HookMissing, self).__init__(hook_name) + self.hook_name = hook_name + + +def contained_in(filename, directory): + """Test if a file is located within the given directory.""" + filename = os.path.normcase(os.path.abspath(filename)) + directory = os.path.normcase(os.path.abspath(directory)) + return os.path.commonprefix([filename, directory]) == directory + + +def _build_backend(): + """Find and load the build backend""" + # Add in-tree backend directories to the front of sys.path. + backend_path = os.environ.get('PEP517_BACKEND_PATH') + if backend_path: + extra_pathitems = backend_path.split(os.pathsep) + sys.path[:0] = extra_pathitems + + ep = os.environ['PEP517_BUILD_BACKEND'] + mod_path, _, obj_path = ep.partition(':') + try: + obj = import_module(mod_path) + except ImportError: + raise BackendUnavailable(traceback.format_exc()) + + if backend_path: + if not any( + contained_in(obj.__file__, path) + for path in extra_pathitems + ): + raise BackendInvalid("Backend was not loaded from backend-path") + + if obj_path: + for path_part in obj_path.split('.'): + obj = getattr(obj, path_part) + return obj + + +def get_requires_for_build_wheel(config_settings): + """Invoke the optional get_requires_for_build_wheel hook + + Returns [] if the hook is not defined. + """ + backend = _build_backend() + try: + hook = backend.get_requires_for_build_wheel + except AttributeError: + return [] + else: + return hook(config_settings) + + +def get_requires_for_build_editable(config_settings): + """Invoke the optional get_requires_for_build_editable hook + + Returns [] if the hook is not defined. + """ + backend = _build_backend() + try: + hook = backend.get_requires_for_build_editable + except AttributeError: + return [] + else: + return hook(config_settings) + + +def prepare_metadata_for_build_wheel( + metadata_directory, config_settings, _allow_fallback): + """Invoke optional prepare_metadata_for_build_wheel + + Implements a fallback by building a wheel if the hook isn't defined, + unless _allow_fallback is False in which case HookMissing is raised. + """ + backend = _build_backend() + try: + hook = backend.prepare_metadata_for_build_wheel + except AttributeError: + if not _allow_fallback: + raise HookMissing() + whl_basename = backend.build_wheel(metadata_directory, config_settings) + return _get_wheel_metadata_from_wheel(whl_basename, metadata_directory, + config_settings) + else: + return hook(metadata_directory, config_settings) + + +def prepare_metadata_for_build_editable( + metadata_directory, config_settings, _allow_fallback): + """Invoke optional prepare_metadata_for_build_editable + + Implements a fallback by building an editable wheel if the hook isn't + defined, unless _allow_fallback is False in which case HookMissing is + raised. + """ + backend = _build_backend() + try: + hook = backend.prepare_metadata_for_build_editable + except AttributeError: + if not _allow_fallback: + raise HookMissing() + try: + build_hook = backend.build_editable + except AttributeError: + raise HookMissing(hook_name='build_editable') + else: + whl_basename = build_hook(metadata_directory, config_settings) + return _get_wheel_metadata_from_wheel(whl_basename, + metadata_directory, + config_settings) + else: + return hook(metadata_directory, config_settings) + + +WHEEL_BUILT_MARKER = 'PEP517_ALREADY_BUILT_WHEEL' + + +def _dist_info_files(whl_zip): + """Identify the .dist-info folder inside a wheel ZipFile.""" + res = [] + for path in whl_zip.namelist(): + m = re.match(r'[^/\\]+-[^/\\]+\.dist-info/', path) + if m: + res.append(path) + if res: + return res + raise Exception("No .dist-info folder found in wheel") + + +def _get_wheel_metadata_from_wheel( + whl_basename, metadata_directory, config_settings): + """Extract the metadata from a wheel. + + Fallback for when the build backend does not + define the 'get_wheel_metadata' hook. + """ + from zipfile import ZipFile + with open(os.path.join(metadata_directory, WHEEL_BUILT_MARKER), 'wb'): + pass # Touch marker file + + whl_file = os.path.join(metadata_directory, whl_basename) + with ZipFile(whl_file) as zipf: + dist_info = _dist_info_files(zipf) + zipf.extractall(path=metadata_directory, members=dist_info) + return dist_info[0].split('/')[0] + + +def _find_already_built_wheel(metadata_directory): + """Check for a wheel already built during the get_wheel_metadata hook. + """ + if not metadata_directory: + return None + metadata_parent = os.path.dirname(metadata_directory) + if not os.path.isfile(pjoin(metadata_parent, WHEEL_BUILT_MARKER)): + return None + + whl_files = glob(os.path.join(metadata_parent, '*.whl')) + if not whl_files: + print('Found wheel built marker, but no .whl files') + return None + if len(whl_files) > 1: + print('Found multiple .whl files; unspecified behaviour. ' + 'Will call build_wheel.') + return None + + # Exactly one .whl file + return whl_files[0] + + +def build_wheel(wheel_directory, config_settings, metadata_directory=None): + """Invoke the mandatory build_wheel hook. + + If a wheel was already built in the + prepare_metadata_for_build_wheel fallback, this + will copy it rather than rebuilding the wheel. + """ + prebuilt_whl = _find_already_built_wheel(metadata_directory) + if prebuilt_whl: + shutil.copy2(prebuilt_whl, wheel_directory) + return os.path.basename(prebuilt_whl) + + return _build_backend().build_wheel(wheel_directory, config_settings, + metadata_directory) + + +def build_editable(wheel_directory, config_settings, metadata_directory=None): + """Invoke the optional build_editable hook. + + If a wheel was already built in the + prepare_metadata_for_build_editable fallback, this + will copy it rather than rebuilding the wheel. + """ + backend = _build_backend() + try: + hook = backend.build_editable + except AttributeError: + raise HookMissing() + else: + prebuilt_whl = _find_already_built_wheel(metadata_directory) + if prebuilt_whl: + shutil.copy2(prebuilt_whl, wheel_directory) + return os.path.basename(prebuilt_whl) + + return hook(wheel_directory, config_settings, metadata_directory) + + +def get_requires_for_build_sdist(config_settings): + """Invoke the optional get_requires_for_build_wheel hook + + Returns [] if the hook is not defined. + """ + backend = _build_backend() + try: + hook = backend.get_requires_for_build_sdist + except AttributeError: + return [] + else: + return hook(config_settings) + + +class _DummyException(Exception): + """Nothing should ever raise this exception""" + + +class GotUnsupportedOperation(Exception): + """For internal use when backend raises UnsupportedOperation""" + def __init__(self, traceback): + self.traceback = traceback + + +def build_sdist(sdist_directory, config_settings): + """Invoke the mandatory build_sdist hook.""" + backend = _build_backend() + try: + return backend.build_sdist(sdist_directory, config_settings) + except getattr(backend, 'UnsupportedOperation', _DummyException): + raise GotUnsupportedOperation(traceback.format_exc()) + + +HOOK_NAMES = { + 'get_requires_for_build_wheel', + 'prepare_metadata_for_build_wheel', + 'build_wheel', + 'get_requires_for_build_editable', + 'prepare_metadata_for_build_editable', + 'build_editable', + 'get_requires_for_build_sdist', + 'build_sdist', +} + + +def main(): + if len(sys.argv) < 3: + sys.exit("Needs args: hook_name, control_dir") + hook_name = sys.argv[1] + control_dir = sys.argv[2] + if hook_name not in HOOK_NAMES: + sys.exit("Unknown hook: %s" % hook_name) + hook = globals()[hook_name] + + hook_input = read_json(pjoin(control_dir, 'input.json')) + + json_out = {'unsupported': False, 'return_val': None} + try: + json_out['return_val'] = hook(**hook_input['kwargs']) + except BackendUnavailable as e: + json_out['no_backend'] = True + json_out['traceback'] = e.traceback + except BackendInvalid as e: + json_out['backend_invalid'] = True + json_out['backend_error'] = e.message + except GotUnsupportedOperation as e: + json_out['unsupported'] = True + json_out['traceback'] = e.traceback + except HookMissing as e: + json_out['hook_missing'] = True + json_out['missing_hook_name'] = e.hook_name or hook_name + + write_json(json_out, pjoin(control_dir, 'output.json'), indent=2) + + +if __name__ == '__main__': + main() diff --git a/venv/Lib/site-packages/pip/_vendor/pep517/meta.py b/venv/Lib/site-packages/pip/_vendor/pep517/meta.py new file mode 100644 index 0000000..d525de5 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/pep517/meta.py @@ -0,0 +1,92 @@ +"""Build metadata for a project using PEP 517 hooks. +""" +import argparse +import logging +import os +import shutil +import functools + +try: + import importlib.metadata as imp_meta +except ImportError: + import importlib_metadata as imp_meta + +try: + from zipfile import Path +except ImportError: + from zipp import Path + +from .envbuild import BuildEnvironment +from .wrappers import Pep517HookCaller, quiet_subprocess_runner +from .dirtools import tempdir, mkdir_p, dir_to_zipfile +from .build import validate_system, load_system, compat_system + +log = logging.getLogger(__name__) + + +def _prep_meta(hooks, env, dest): + reqs = hooks.get_requires_for_build_wheel({}) + log.info('Got build requires: %s', reqs) + + env.pip_install(reqs) + log.info('Installed dynamic build dependencies') + + with tempdir() as td: + log.info('Trying to build metadata in %s', td) + filename = hooks.prepare_metadata_for_build_wheel(td, {}) + source = os.path.join(td, filename) + shutil.move(source, os.path.join(dest, os.path.basename(filename))) + + +def build(source_dir='.', dest=None, system=None): + system = system or load_system(source_dir) + dest = os.path.join(source_dir, dest or 'dist') + mkdir_p(dest) + validate_system(system) + hooks = Pep517HookCaller( + source_dir, system['build-backend'], system.get('backend-path') + ) + + with hooks.subprocess_runner(quiet_subprocess_runner): + with BuildEnvironment() as env: + env.pip_install(system['requires']) + _prep_meta(hooks, env, dest) + + +def build_as_zip(builder=build): + with tempdir() as out_dir: + builder(dest=out_dir) + return dir_to_zipfile(out_dir) + + +def load(root): + """ + Given a source directory (root) of a package, + return an importlib.metadata.Distribution object + with metadata build from that package. + """ + root = os.path.expanduser(root) + system = compat_system(root) + builder = functools.partial(build, source_dir=root, system=system) + path = Path(build_as_zip(builder)) + return imp_meta.PathDistribution(path) + + +parser = argparse.ArgumentParser() +parser.add_argument( + 'source_dir', + help="A directory containing pyproject.toml", +) +parser.add_argument( + '--out-dir', '-o', + help="Destination in which to save the builds relative to source dir", +) + + +def main(): + args = parser.parse_args() + build(args.source_dir, args.out_dir) + + +if __name__ == '__main__': + main() diff --git a/venv/Lib/site-packages/pip/_vendor/pep517/wrappers.py b/venv/Lib/site-packages/pip/_vendor/pep517/wrappers.py new file mode 100644 index 0000000..52da22e --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/pep517/wrappers.py @@ -0,0 +1,371 @@ +import threading +from contextlib import contextmanager +import os +from os.path import abspath, join as pjoin +import shutil +from subprocess import check_call, check_output, STDOUT +import sys +from tempfile import mkdtemp + +from . import compat +from .in_process import _in_proc_script_path + +__all__ = [ + 'BackendUnavailable', + 'BackendInvalid', + 'HookMissing', + 'UnsupportedOperation', + 'default_subprocess_runner', + 'quiet_subprocess_runner', + 'Pep517HookCaller', +] + + +@contextmanager +def tempdir(): + td = mkdtemp() + try: + yield td + finally: + shutil.rmtree(td) + + +class BackendUnavailable(Exception): + """Will be raised if the backend cannot be imported in the hook process.""" + def __init__(self, traceback): + self.traceback = traceback + + +class BackendInvalid(Exception): + """Will be raised if the backend is invalid.""" + def __init__(self, backend_name, backend_path, message): + self.backend_name = backend_name + self.backend_path = backend_path + self.message = message + + +class HookMissing(Exception): + """Will be raised on missing hooks.""" + def __init__(self, hook_name): + super(HookMissing, self).__init__(hook_name) + self.hook_name = hook_name + + +class UnsupportedOperation(Exception): + """May be raised by build_sdist if the backend indicates that it can't.""" + def __init__(self, traceback): + self.traceback = traceback + + +def default_subprocess_runner(cmd, cwd=None, extra_environ=None): + """The default method of calling the wrapper subprocess.""" + env = os.environ.copy() + if extra_environ: + env.update(extra_environ) + + check_call(cmd, cwd=cwd, env=env) + + +def quiet_subprocess_runner(cmd, cwd=None, extra_environ=None): + """A method of calling the wrapper subprocess while suppressing output.""" + env = os.environ.copy() + if extra_environ: + env.update(extra_environ) + + check_output(cmd, cwd=cwd, env=env, stderr=STDOUT) + + +def norm_and_check(source_tree, requested): + """Normalise and check a backend path. + + Ensure that the requested backend path is specified as a relative path, + and resolves to a location under the given source tree. + + Return an absolute version of the requested path. + """ + if os.path.isabs(requested): + raise ValueError("paths must be relative") + + abs_source = os.path.abspath(source_tree) + abs_requested = os.path.normpath(os.path.join(abs_source, requested)) + # We have to use commonprefix for Python 2.7 compatibility. So we + # normalise case to avoid problems because commonprefix is a character + # based comparison :-( + norm_source = os.path.normcase(abs_source) + norm_requested = os.path.normcase(abs_requested) + if os.path.commonprefix([norm_source, norm_requested]) != norm_source: + raise ValueError("paths must be inside source tree") + + return abs_requested + + +class Pep517HookCaller(object): + """A wrapper around a source directory to be built with a PEP 517 backend. + + :param source_dir: The path to the source directory, containing + pyproject.toml. + :param build_backend: The build backend spec, as per PEP 517, from + pyproject.toml. + :param backend_path: The backend path, as per PEP 517, from pyproject.toml. + :param runner: A callable that invokes the wrapper subprocess. + :param python_executable: The Python executable used to invoke the backend + + The 'runner', if provided, must expect the following: + + - cmd: a list of strings representing the command and arguments to + execute, as would be passed to e.g. 'subprocess.check_call'. + - cwd: a string representing the working directory that must be + used for the subprocess. Corresponds to the provided source_dir. + - extra_environ: a dict mapping environment variable names to values + which must be set for the subprocess execution. + """ + def __init__( + self, + source_dir, + build_backend, + backend_path=None, + runner=None, + python_executable=None, + ): + if runner is None: + runner = default_subprocess_runner + + self.source_dir = abspath(source_dir) + self.build_backend = build_backend + if backend_path: + backend_path = [ + norm_and_check(self.source_dir, p) for p in backend_path + ] + self.backend_path = backend_path + self._subprocess_runner = runner + if not python_executable: + python_executable = sys.executable + self.python_executable = python_executable + + @contextmanager + def subprocess_runner(self, runner): + """A context manager for temporarily overriding the default subprocess + runner. + """ + prev = self._subprocess_runner + self._subprocess_runner = runner + try: + yield + finally: + self._subprocess_runner = prev + + def get_requires_for_build_wheel(self, config_settings=None): + """Identify packages required for building a wheel + + Returns a list of dependency specifications, e.g.:: + + ["wheel >= 0.25", "setuptools"] + + This does not include requirements specified in pyproject.toml. + It returns the result of calling the equivalently named hook in a + subprocess. + """ + return self._call_hook('get_requires_for_build_wheel', { + 'config_settings': config_settings + }) + + def prepare_metadata_for_build_wheel( + self, metadata_directory, config_settings=None, + _allow_fallback=True): + """Prepare a ``*.dist-info`` folder with metadata for this project. + + Returns the name of the newly created folder. + + If the build backend defines a hook with this name, it will be called + in a subprocess. If not, the backend will be asked to build a wheel, + and the dist-info extracted from that (unless _allow_fallback is + False). + """ + return self._call_hook('prepare_metadata_for_build_wheel', { + 'metadata_directory': abspath(metadata_directory), + 'config_settings': config_settings, + '_allow_fallback': _allow_fallback, + }) + + def build_wheel( + self, wheel_directory, config_settings=None, + metadata_directory=None): + """Build a wheel from this project. + + Returns the name of the newly created file. + + In general, this will call the 'build_wheel' hook in the backend. + However, if that was previously called by + 'prepare_metadata_for_build_wheel', and the same metadata_directory is + used, the previously built wheel will be copied to wheel_directory. + """ + if metadata_directory is not None: + metadata_directory = abspath(metadata_directory) + return self._call_hook('build_wheel', { + 'wheel_directory': abspath(wheel_directory), + 'config_settings': config_settings, + 'metadata_directory': metadata_directory, + }) + + def get_requires_for_build_editable(self, config_settings=None): + """Identify packages required for building an editable wheel + + Returns a list of dependency specifications, e.g.:: + + ["wheel >= 0.25", "setuptools"] + + This does not include requirements specified in pyproject.toml. + It returns the result of calling the equivalently named hook in a + subprocess. + """ + return self._call_hook('get_requires_for_build_editable', { + 'config_settings': config_settings + }) + + def prepare_metadata_for_build_editable( + self, metadata_directory, config_settings=None, + _allow_fallback=True): + """Prepare a ``*.dist-info`` folder with metadata for this project. + + Returns the name of the newly created folder. + + If the build backend defines a hook with this name, it will be called + in a subprocess. If not, the backend will be asked to build an editable + wheel, and the dist-info extracted from that (unless _allow_fallback is + False). + """ + return self._call_hook('prepare_metadata_for_build_editable', { + 'metadata_directory': abspath(metadata_directory), + 'config_settings': config_settings, + '_allow_fallback': _allow_fallback, + }) + + def build_editable( + self, wheel_directory, config_settings=None, + metadata_directory=None): + """Build an editable wheel from this project. + + Returns the name of the newly created file. + + In general, this will call the 'build_editable' hook in the backend. + However, if that was previously called by + 'prepare_metadata_for_build_editable', and the same metadata_directory + is used, the previously built wheel will be copied to wheel_directory. + """ + if metadata_directory is not None: + metadata_directory = abspath(metadata_directory) + return self._call_hook('build_editable', { + 'wheel_directory': abspath(wheel_directory), + 'config_settings': config_settings, + 'metadata_directory': metadata_directory, + }) + + def get_requires_for_build_sdist(self, config_settings=None): + """Identify packages required for building a wheel + + Returns a list of dependency specifications, e.g.:: + + ["setuptools >= 26"] + + This does not include requirements specified in pyproject.toml. + It returns the result of calling the equivalently named hook in a + subprocess. + """ + return self._call_hook('get_requires_for_build_sdist', { + 'config_settings': config_settings + }) + + def build_sdist(self, sdist_directory, config_settings=None): + """Build an sdist from this project. + + Returns the name of the newly created file. + + This calls the 'build_sdist' backend hook in a subprocess. + """ + return self._call_hook('build_sdist', { + 'sdist_directory': abspath(sdist_directory), + 'config_settings': config_settings, + }) + + def _call_hook(self, hook_name, kwargs): + # On Python 2, pytoml returns Unicode values (which is correct) but the + # environment passed to check_call needs to contain string values. We + # convert here by encoding using ASCII (the backend can only contain + # letters, digits and _, . and : characters, and will be used as a + # Python identifier, so non-ASCII content is wrong on Python 2 in + # any case). + # For backend_path, we use sys.getfilesystemencoding. + if sys.version_info[0] == 2: + build_backend = self.build_backend.encode('ASCII') + else: + build_backend = self.build_backend + extra_environ = {'PEP517_BUILD_BACKEND': build_backend} + + if self.backend_path: + backend_path = os.pathsep.join(self.backend_path) + if sys.version_info[0] == 2: + backend_path = backend_path.encode(sys.getfilesystemencoding()) + extra_environ['PEP517_BACKEND_PATH'] = backend_path + + with tempdir() as td: + hook_input = {'kwargs': kwargs} + compat.write_json(hook_input, pjoin(td, 'input.json'), + indent=2) + + # Run the hook in a subprocess + with _in_proc_script_path() as script: + python = self.python_executable + self._subprocess_runner( + [python, abspath(str(script)), hook_name, td], + cwd=self.source_dir, + extra_environ=extra_environ + ) + + data = compat.read_json(pjoin(td, 'output.json')) + if data.get('unsupported'): + raise UnsupportedOperation(data.get('traceback', '')) + if data.get('no_backend'): + raise BackendUnavailable(data.get('traceback', '')) + if data.get('backend_invalid'): + raise BackendInvalid( + backend_name=self.build_backend, + backend_path=self.backend_path, + message=data.get('backend_error', '') + ) + if data.get('hook_missing'): + raise HookMissing(data.get('missing_hook_name') or hook_name) + return data['return_val'] + + +class LoggerWrapper(threading.Thread): + """ + Read messages from a pipe and redirect them + to a logger (see python's logging module). + """ + + def __init__(self, logger, level): + threading.Thread.__init__(self) + self.daemon = True + + self.logger = logger + self.level = level + + # create the pipe and reader + self.fd_read, self.fd_write = os.pipe() + self.reader = os.fdopen(self.fd_read) + + self.start() + + def fileno(self): + return self.fd_write + + @staticmethod + def remove_newline(msg): + return msg[:-1] if msg.endswith(os.linesep) else msg + + def run(self): + for line in self.reader: + self._write(self.remove_newline(line)) + + def _write(self, message): + self.logger.log(self.level, message) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pkg_resources/__init__.py b/venv/Lib/site-packages/pip/_vendor/pkg_resources/__init__.py similarity index 95% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pkg_resources/__init__.py rename to venv/Lib/site-packages/pip/_vendor/pkg_resources/__init__.py index 9c4fd8e..4cd562c 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pkg_resources/__init__.py +++ b/venv/Lib/site-packages/pip/_vendor/pkg_resources/__init__.py @@ -39,6 +39,8 @@ import textwrap import itertools import inspect +import ntpath +import posixpath from pkgutil import get_importer try: @@ -75,7 +77,7 @@ importlib_machinery = None from . import py31compat -from pip._vendor import appdirs +from pip._vendor import platformdirs from pip._vendor import packaging __import__('pip._vendor.packaging.version') __import__('pip._vendor.packaging.specifiers') @@ -86,8 +88,8 @@ __metaclass__ = type -if (3, 0) < sys.version_info < (3, 4): - raise RuntimeError("Python 3.4 or later is required") +if (3, 0) < sys.version_info < (3, 5): + raise RuntimeError("Python 3.5 or later is required") if six.PY2: # Those builtin exceptions are only defined in Python 3 @@ -331,7 +333,7 @@ class UnknownExtra(ResolutionError): _provider_factories = {} -PY_MAJOR = sys.version[:3] +PY_MAJOR = '{}.{}'.format(*sys.version_info) EGG_DIST = 3 BINARY_DIST = 2 SOURCE_DIST = 1 @@ -1308,7 +1310,7 @@ def get_default_cache(): """ return ( os.environ.get('PYTHON_EGG_CACHE') - or appdirs.user_cache_dir(appname='Python-Eggs') + or platformdirs.user_cache_dir(appname='Python-Eggs') ) @@ -1401,14 +1403,30 @@ def get_resource_string(self, manager, resource_name): def has_resource(self, resource_name): return self._has(self._fn(self.module_path, resource_name)) + def _get_metadata_path(self, name): + return self._fn(self.egg_info, name) + def has_metadata(self, name): - return self.egg_info and self._has(self._fn(self.egg_info, name)) + if not self.egg_info: + return self.egg_info + + path = self._get_metadata_path(name) + return self._has(path) def get_metadata(self, name): if not self.egg_info: return "" - value = self._get(self._fn(self.egg_info, name)) - return value.decode('utf-8') if six.PY3 else value + path = self._get_metadata_path(name) + value = self._get(path) + if six.PY2: + return value + try: + return value.decode('utf-8') + except UnicodeDecodeError as exc: + # Include the path in the error message to simplify + # troubleshooting, and without changing the exception type. + exc.reason += ' in {} file at path: {}'.format(name, path) + raise def get_metadata_lines(self, name): return yield_lines(self.get_metadata(name)) @@ -1466,10 +1484,86 @@ def _listdir(self, path): ) def _fn(self, base, resource_name): + self._validate_resource_path(resource_name) if resource_name: return os.path.join(base, *resource_name.split('/')) return base + @staticmethod + def _validate_resource_path(path): + """ + Validate the resource paths according to the docs. + https://setuptools.readthedocs.io/en/latest/pkg_resources.html#basic-resource-access + + >>> warned = getfixture('recwarn') + >>> warnings.simplefilter('always') + >>> vrp = NullProvider._validate_resource_path + >>> vrp('foo/bar.txt') + >>> bool(warned) + False + >>> vrp('../foo/bar.txt') + >>> bool(warned) + True + >>> warned.clear() + >>> vrp('/foo/bar.txt') + >>> bool(warned) + True + >>> vrp('foo/../../bar.txt') + >>> bool(warned) + True + >>> warned.clear() + >>> vrp('foo/f../bar.txt') + >>> bool(warned) + False + + Windows path separators are straight-up disallowed. + >>> vrp(r'\\foo/bar.txt') + Traceback (most recent call last): + ... + ValueError: Use of .. or absolute path in a resource path \ +is not allowed. + + >>> vrp(r'C:\\foo/bar.txt') + Traceback (most recent call last): + ... + ValueError: Use of .. or absolute path in a resource path \ +is not allowed. + + Blank values are allowed + + >>> vrp('') + >>> bool(warned) + False + + Non-string values are not. + + >>> vrp(None) + Traceback (most recent call last): + ... + AttributeError: ... + """ + invalid = ( + os.path.pardir in path.split(posixpath.sep) or + posixpath.isabs(path) or + ntpath.isabs(path) + ) + if not invalid: + return + + msg = "Use of .. or absolute path in a resource path is not allowed." + + # Aggressively disallow Windows absolute paths + if ntpath.isabs(path) and not posixpath.isabs(path): + raise ValueError(msg) + + # for compatibility, warn; in future + # raise ValueError(msg) + warnings.warn( + msg[:-1] + " and will raise exceptions in a future release.", + DeprecationWarning, + stacklevel=4, + ) + def _get(self, path): if hasattr(self.loader, 'get_data'): return self.loader.get_data(path) @@ -1790,6 +1884,9 @@ class FileMetadata(EmptyProvider): def __init__(self, path): self.path = path + def _get_metadata_path(self, name): + return self.path + def has_metadata(self, name): return name == 'PKG-INFO' and os.path.isfile(self.path) @@ -1888,7 +1985,7 @@ def find_eggs_in_zip(importer, path_item, only=False): if only: # don't yield nested distros return - for subitem in metadata.resource_listdir('/'): + for subitem in metadata.resource_listdir(''): if _is_egg_path(subitem): subpath = os.path.join(path_item, subitem) dists = find_eggs_in_zip(zipimport.zipimporter(subpath), subpath) @@ -2583,10 +2680,14 @@ def version(self): try: return self._version except AttributeError: - version = _version_from_file(self._get_metadata(self.PKG_INFO)) + version = self._get_version() if version is None: - tmpl = "Missing 'Version:' header and/or %s file" - raise ValueError(tmpl % self.PKG_INFO, self) + path = self._get_metadata_path_for_display(self.PKG_INFO) + msg = ( + "Missing 'Version:' header and/or {} file at path: {}" + ).format(self.PKG_INFO, path) + raise ValueError(msg, self) + return version @property @@ -2644,11 +2745,34 @@ def requires(self, extras=()): ) return deps + def _get_metadata_path_for_display(self, name): + """ + Return the path to the given metadata file, if available. + """ + try: + # We need to access _get_metadata_path() on the provider object + # directly rather than through this class's __getattr__() + # since _get_metadata_path() is marked private. + path = self._provider._get_metadata_path(name) + + # Handle exceptions e.g. in case the distribution's metadata + # provider doesn't support _get_metadata_path(). + except Exception: + return '[could not detect]' + + return path + def _get_metadata(self, name): if self.has_metadata(name): for line in self.get_metadata_lines(name): yield line + def _get_version(self): + lines = self._get_metadata(self.PKG_INFO) + version = _version_from_file(lines) + + return version + def activate(self, path=None, replace=False): """Ensure distribution is importable on `path` (default=sys.path)""" if path is None: @@ -2867,7 +2991,7 @@ def _reload_version(self): take an extra step and try to get the version number from the metadata file itself instead of the filename. """ - md_version = _version_from_file(self._get_metadata(self.PKG_INFO)) + md_version = self._get_version() if md_version: self._version = md_version return self @@ -2985,6 +3109,7 @@ def __init__(self, requirement_string): self.extras = tuple(map(safe_extra, self.extras)) self.hashCmp = ( self.key, + self.url, self.specifier, frozenset(self.extras), str(self.marker) if self.marker else None, diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pkg_resources/py31compat.py b/venv/Lib/site-packages/pip/_vendor/pkg_resources/py31compat.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pkg_resources/py31compat.py rename to venv/Lib/site-packages/pip/_vendor/pkg_resources/py31compat.py diff --git a/venv/Lib/site-packages/pip/_vendor/platformdirs/__init__.py b/venv/Lib/site-packages/pip/_vendor/platformdirs/__init__.py new file mode 100644 index 0000000..81c567d --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/platformdirs/__init__.py @@ -0,0 +1,329 @@ +""" +Utilities for determining application-specific dirs. See <https://github.com/platformdirs/platformdirs> for details and +usage. +""" +import importlib +import os +import sys +from pathlib import Path +from typing import TYPE_CHECKING, Optional, Type, Union + +if TYPE_CHECKING: + from typing_extensions import Literal # pragma: no cover + +from .api import PlatformDirsABC +from .version import __version__, __version_info__ + + +def _set_platform_dir_class() -> Type[PlatformDirsABC]: + if os.getenv("ANDROID_DATA") == "/data" and os.getenv("ANDROID_ROOT") == "/system": + module, name = "pip._vendor.platformdirs.android", "Android" + elif sys.platform == "win32": + module, name = "pip._vendor.platformdirs.windows", "Windows" + elif sys.platform == "darwin": + module, name = "pip._vendor.platformdirs.macos", "MacOS" + else: + module, name = "pip._vendor.platformdirs.unix", "Unix" + result: Type[PlatformDirsABC] = getattr(importlib.import_module(module), name) + return result + + +PlatformDirs = _set_platform_dir_class() #: Currently active platform +AppDirs = PlatformDirs #: Backwards compatibility with appdirs + + +def user_data_dir( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + roaming: bool = False, +) -> str: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param roaming: See `roaming <platformdirs.api.PlatformDirsABC.version>`. + :returns: data directory tied to the user + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, roaming=roaming).user_data_dir + + +def site_data_dir( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + multipath: bool = False, +) -> str: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param multipath: See `roaming <platformdirs.api.PlatformDirsABC.multipath>`. + :returns: data directory shared by users + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, multipath=multipath).site_data_dir + + +def user_config_dir( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + roaming: bool = False, +) -> str: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param roaming: See `roaming <platformdirs.api.PlatformDirsABC.version>`. + :returns: config directory tied to the user + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, roaming=roaming).user_config_dir + + +def site_config_dir( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + multipath: bool = False, +) -> str: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param multipath: See `roaming <platformdirs.api.PlatformDirsABC.multipath>`. + :returns: config directory shared by the users + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, multipath=multipath).site_config_dir + + +def user_cache_dir( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + opinion: bool = True, +) -> str: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param opinion: See `roaming <platformdirs.api.PlatformDirsABC.opinion>`. + :returns: cache directory tied to the user + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, opinion=opinion).user_cache_dir + + +def user_state_dir( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + roaming: bool = False, +) -> str: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param roaming: See `roaming <platformdirs.api.PlatformDirsABC.version>`. + :returns: state directory tied to the user + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, roaming=roaming).user_state_dir + + +def user_log_dir( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + opinion: bool = True, +) -> str: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param opinion: See `roaming <platformdirs.api.PlatformDirsABC.opinion>`. + :returns: log directory tied to the user + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, opinion=opinion).user_log_dir + + +def user_documents_dir() -> str: + """ + :returns: documents directory tied to the user + """ + return PlatformDirs().user_documents_dir + + +def user_runtime_dir( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + opinion: bool = True, +) -> str: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param opinion: See `opinion <platformdirs.api.PlatformDirsABC.opinion>`. + :returns: runtime directory tied to the user + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, opinion=opinion).user_runtime_dir + + +def user_data_path( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + roaming: bool = False, +) -> Path: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param roaming: See `roaming <platformdirs.api.PlatformDirsABC.version>`. + :returns: data path tied to the user + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, roaming=roaming).user_data_path + + +def site_data_path( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + multipath: bool = False, +) -> Path: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param multipath: See `multipath <platformdirs.api.PlatformDirsABC.multipath>`. + :returns: data path shared by users + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, multipath=multipath).site_data_path + + +def user_config_path( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + roaming: bool = False, +) -> Path: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param roaming: See `roaming <platformdirs.api.PlatformDirsABC.version>`. + :returns: config path tied to the user + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, roaming=roaming).user_config_path + + +def site_config_path( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + multipath: bool = False, +) -> Path: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param multipath: See `roaming <platformdirs.api.PlatformDirsABC.multipath>`. + :returns: config path shared by the users + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, multipath=multipath).site_config_path + + +def user_cache_path( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + opinion: bool = True, +) -> Path: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param opinion: See `roaming <platformdirs.api.PlatformDirsABC.opinion>`. + :returns: cache path tied to the user + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, opinion=opinion).user_cache_path + + +def user_state_path( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + roaming: bool = False, +) -> Path: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param roaming: See `roaming <platformdirs.api.PlatformDirsABC.version>`. + :returns: state path tied to the user + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, roaming=roaming).user_state_path + + +def user_log_path( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + opinion: bool = True, +) -> Path: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param opinion: See `roaming <platformdirs.api.PlatformDirsABC.opinion>`. + :returns: log path tied to the user + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, opinion=opinion).user_log_path + + +def user_documents_path() -> Path: + """ + :returns: documents path tied to the user + """ + return PlatformDirs().user_documents_path + + +def user_runtime_path( + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + opinion: bool = True, +) -> Path: + """ + :param appname: See `appname <platformdirs.api.PlatformDirsABC.appname>`. + :param appauthor: See `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`. + :param version: See `version <platformdirs.api.PlatformDirsABC.version>`. + :param opinion: See `opinion <platformdirs.api.PlatformDirsABC.opinion>`. + :returns: runtime path tied to the user + """ + return PlatformDirs(appname=appname, appauthor=appauthor, version=version, opinion=opinion).user_runtime_path + + +__all__ = [ + "__version__", + "__version_info__", + "PlatformDirs", + "AppDirs", + "PlatformDirsABC", + "user_data_dir", + "user_config_dir", + "user_cache_dir", + "user_state_dir", + "user_log_dir", + "user_documents_dir", + "user_runtime_dir", + "site_data_dir", + "site_config_dir", + "user_data_path", + "user_config_path", + "user_cache_path", + "user_state_path", + "user_log_path", + "user_documents_path", + "user_runtime_path", + "site_data_path", + "site_config_path", +] diff --git a/venv/Lib/site-packages/pip/_vendor/platformdirs/__main__.py b/venv/Lib/site-packages/pip/_vendor/platformdirs/__main__.py new file mode 100644 index 0000000..2c32372 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/platformdirs/__main__.py @@ -0,0 +1,44 @@ +from pip._vendor.platformdirs import PlatformDirs, __version__ + +PROPS = ( + "user_data_dir", + "user_config_dir", + "user_cache_dir", + "user_state_dir", + "user_log_dir", + "user_documents_dir", + "user_runtime_dir", + "site_data_dir", + "site_config_dir", +) + + +def main() -> None: + app_name = "MyApp" + app_author = "MyCompany" + + print(f"-- platformdirs {__version__} --") + + print("-- app dirs (with optional 'version')") + dirs = PlatformDirs(app_name, app_author, version="1.0") + for prop in PROPS: + print(f"{prop}: {getattr(dirs, prop)}") + + print("\n-- app dirs (without optional 'version')") + dirs = PlatformDirs(app_name, app_author) + for prop in PROPS: + print(f"{prop}: {getattr(dirs, prop)}") + + print("\n-- app dirs (without optional 'appauthor')") + dirs = PlatformDirs(app_name) + for prop in PROPS: + print(f"{prop}: {getattr(dirs, prop)}") + + print("\n-- app dirs (with disabled 'appauthor')") + dirs = PlatformDirs(app_name, appauthor=False) + for prop in PROPS: + print(f"{prop}: {getattr(dirs, prop)}") + + +if __name__ == "__main__": + main() diff --git a/venv/Lib/site-packages/pip/_vendor/platformdirs/android.py b/venv/Lib/site-packages/pip/_vendor/platformdirs/android.py new file mode 100644 index 0000000..7599045 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/platformdirs/android.py @@ -0,0 +1,117 @@ +import os +import re +import sys +from functools import lru_cache + +from .api import PlatformDirsABC + + +class Android(PlatformDirsABC): + """ + Follows the guidance `from here <https://android.stackexchange.com/a/216132>`_. Makes use of the + `appname <platformdirs.api.PlatformDirsABC.appname>` and + `version <platformdirs.api.PlatformDirsABC.version>`. + """ + + @property + def user_data_dir(self) -> str: + """:return: data directory tied to the user, e.g. ``/data/user/<userid>/<packagename>/files/<AppName>``""" + return self._append_app_name_and_version(_android_folder(), "files") + + @property + def site_data_dir(self) -> str: + """:return: data directory shared by users, same as `user_data_dir`""" + return self.user_data_dir + + @property + def user_config_dir(self) -> str: + """ + :return: config directory tied to the user, e.g. ``/data/user/<userid>/<packagename>/shared_prefs/<AppName>`` + """ + return self._append_app_name_and_version(_android_folder(), "shared_prefs") + + @property + def site_config_dir(self) -> str: + """:return: config directory shared by the users, same as `user_config_dir`""" + return self.user_config_dir + + @property + def user_cache_dir(self) -> str: + """:return: cache directory tied to the user, e.g. e.g. ``/data/user/<userid>/<packagename>/cache/<AppName>``""" + return self._append_app_name_and_version(_android_folder(), "cache") + + @property + def user_state_dir(self) -> str: + """:return: state directory tied to the user, same as `user_data_dir`""" + return self.user_data_dir + + @property + def user_log_dir(self) -> str: + """ + :return: log directory tied to the user, same as `user_cache_dir` if not opinionated else ``log`` in it, + e.g. ``/data/user/<userid>/<packagename>/cache/<AppName>/log`` + """ + path = self.user_cache_dir + if self.opinion: + path = os.path.join(path, "log") + return path + + @property + def user_documents_dir(self) -> str: + """ + :return: documents directory tied to the user e.g. ``/storage/emulated/0/Documents`` + """ + return _android_documents_folder() + + @property + def user_runtime_dir(self) -> str: + """ + :return: runtime directory tied to the user, same as `user_cache_dir` if not opinionated else ``tmp`` in it, + e.g. ``/data/user/<userid>/<packagename>/cache/<AppName>/tmp`` + """ + path = self.user_cache_dir + if self.opinion: + path = os.path.join(path, "tmp") + return path + + +@lru_cache(maxsize=1) +def _android_folder() -> str: + """:return: base folder for the Android OS""" + try: + # First try to get path to android app via pyjnius + from jnius import autoclass # noqa: SC200 + + Context = autoclass("android.content.Context") # noqa: SC200 + result: str = Context.getFilesDir().getParentFile().getAbsolutePath() + except Exception: + # if fails find an android folder looking path on the sys.path + pattern = re.compile(r"/data/(data|user/\d+)/(.+)/files") + for path in sys.path: + if pattern.match(path): + result = path.split("/files")[0] + break + else: + raise OSError("Cannot find path to android app folder") + return result + + +@lru_cache(maxsize=1) +def _android_documents_folder() -> str: + """:return: documents folder for the Android OS""" + # Get directories with pyjnius + try: + from jnius import autoclass # noqa: SC200 + + Context = autoclass("android.content.Context") # noqa: SC200 + Environment = autoclass("android.os.Environment") + documents_dir: str = Context.getExternalFilesDir(Environment.DIRECTORY_DOCUMENTS).getAbsolutePath() + except Exception: + documents_dir = "/storage/emulated/0/Documents" + + return documents_dir + + +__all__ = [ + "Android", +] diff --git a/venv/Lib/site-packages/pip/_vendor/platformdirs/api.py b/venv/Lib/site-packages/pip/_vendor/platformdirs/api.py new file mode 100644 index 0000000..ebd96af --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/platformdirs/api.py @@ -0,0 +1,155 @@ +import os +import sys +from abc import ABC, abstractmethod +from pathlib import Path +from typing import Optional, Union + +if sys.version_info >= (3, 8): # pragma: no branch + from typing import Literal # pragma: no cover + + +class PlatformDirsABC(ABC): + """ + Abstract base class for platform directories. + """ + + def __init__( + self, + appname: Optional[str] = None, + appauthor: Union[str, None, "Literal[False]"] = None, + version: Optional[str] = None, + roaming: bool = False, + multipath: bool = False, + opinion: bool = True, + ): + """ + Create a new platform directory. + + :param appname: See `appname`. + :param appauthor: See `appauthor`. + :param version: See `version`. + :param roaming: See `roaming`. + :param multipath: See `multipath`. + :param opinion: See `opinion`. + """ + self.appname = appname #: The name of application. + self.appauthor = appauthor + """ + The name of the app author or distributing body for this application. Typically, it is the owning company name. + Defaults to `appname`. You may pass ``False`` to disable it. + """ + self.version = version + """ + An optional version path element to append to the path. You might want to use this if you want multiple versions + of your app to be able to run independently. If used, this would typically be ``<major>.<minor>``. + """ + self.roaming = roaming + """ + Whether to use the roaming appdata directory on Windows. That means that for users on a Windows network setup + for roaming profiles, this user data will be synced on login (see + `here <http://technet.microsoft.com/en-us/library/cc766489(WS.10).aspx>`_). + """ + self.multipath = multipath + """ + An optional parameter only applicable to Unix/Linux which indicates that the entire list of data dirs should be + returned. By default, the first item would only be returned. + """ + self.opinion = opinion #: A flag to indicating to use opinionated values. + + def _append_app_name_and_version(self, *base: str) -> str: + params = list(base[1:]) + if self.appname: + params.append(self.appname) + if self.version: + params.append(self.version) + return os.path.join(base[0], *params) + + @property + @abstractmethod + def user_data_dir(self) -> str: + """:return: data directory tied to the user""" + + @property + @abstractmethod + def site_data_dir(self) -> str: + """:return: data directory shared by users""" + + @property + @abstractmethod + def user_config_dir(self) -> str: + """:return: config directory tied to the user""" + + @property + @abstractmethod + def site_config_dir(self) -> str: + """:return: config directory shared by the users""" + + @property + @abstractmethod + def user_cache_dir(self) -> str: + """:return: cache directory tied to the user""" + + @property + @abstractmethod + def user_state_dir(self) -> str: + """:return: state directory tied to the user""" + + @property + @abstractmethod + def user_log_dir(self) -> str: + """:return: log directory tied to the user""" + + @property + @abstractmethod + def user_documents_dir(self) -> str: + """:return: documents directory tied to the user""" + + @property + @abstractmethod + def user_runtime_dir(self) -> str: + """:return: runtime directory tied to the user""" + + @property + def user_data_path(self) -> Path: + """:return: data path tied to the user""" + return Path(self.user_data_dir) + + @property + def site_data_path(self) -> Path: + """:return: data path shared by users""" + return Path(self.site_data_dir) + + @property + def user_config_path(self) -> Path: + """:return: config path tied to the user""" + return Path(self.user_config_dir) + + @property + def site_config_path(self) -> Path: + """:return: config path shared by the users""" + return Path(self.site_config_dir) + + @property + def user_cache_path(self) -> Path: + """:return: cache path tied to the user""" + return Path(self.user_cache_dir) + + @property + def user_state_path(self) -> Path: + """:return: state path tied to the user""" + return Path(self.user_state_dir) + + @property + def user_log_path(self) -> Path: + """:return: log path tied to the user""" + return Path(self.user_log_dir) + + @property + def user_documents_path(self) -> Path: + """:return: documents path tied to the user""" + return Path(self.user_documents_dir) + + @property + def user_runtime_path(self) -> Path: + """:return: runtime path tied to the user""" + return Path(self.user_runtime_dir) diff --git a/venv/Lib/site-packages/pip/_vendor/platformdirs/macos.py b/venv/Lib/site-packages/pip/_vendor/platformdirs/macos.py new file mode 100644 index 0000000..fffd1a7 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/platformdirs/macos.py @@ -0,0 +1,62 @@ +import os + +from .api import PlatformDirsABC + + +class MacOS(PlatformDirsABC): + """ + Platform directories for the macOS operating system. Follows the guidance from `Apple documentation + <https://developer.apple.com/library/archive/documentation/FileManagement/Conceptual/FileSystemProgrammingGuide/MacOSXDirectories/MacOSXDirectories.html>`_. + Makes use of the `appname <platformdirs.api.PlatformDirsABC.appname>` and + `version <platformdirs.api.PlatformDirsABC.version>`. + """ + + @property + def user_data_dir(self) -> str: + """:return: data directory tied to the user, e.g. ``~/Library/Application Support/$appname/$version``""" + return self._append_app_name_and_version(os.path.expanduser("~/Library/Application Support/")) + + @property + def site_data_dir(self) -> str: + """:return: data directory shared by users, e.g. ``/Library/Application Support/$appname/$version``""" + return self._append_app_name_and_version("/Library/Application Support") + + @property + def user_config_dir(self) -> str: + """:return: config directory tied to the user, e.g. ``~/Library/Preferences/$appname/$version``""" + return self._append_app_name_and_version(os.path.expanduser("~/Library/Preferences/")) + + @property + def site_config_dir(self) -> str: + """:return: config directory shared by the users, e.g. ``/Library/Preferences/$appname``""" + return self._append_app_name_and_version("/Library/Preferences") + + @property + def user_cache_dir(self) -> str: + """:return: cache directory tied to the user, e.g. ``~/Library/Caches/$appname/$version``""" + return self._append_app_name_and_version(os.path.expanduser("~/Library/Caches")) + + @property + def user_state_dir(self) -> str: + """:return: state directory tied to the user, same as `user_data_dir`""" + return self.user_data_dir + + @property + def user_log_dir(self) -> str: + """:return: log directory tied to the user, e.g. ``~/Library/Logs/$appname/$version``""" + return self._append_app_name_and_version(os.path.expanduser("~/Library/Logs")) + + @property + def user_documents_dir(self) -> str: + """:return: documents directory tied to the user, e.g. ``~/Documents``""" + return os.path.expanduser("~/Documents") + + @property + def user_runtime_dir(self) -> str: + """:return: runtime directory tied to the user, e.g. ``~/Library/Caches/TemporaryItems/$appname/$version``""" + return self._append_app_name_and_version(os.path.expanduser("~/Library/Caches/TemporaryItems")) + + +__all__ = [ + "MacOS", +] diff --git a/venv/Lib/site-packages/pip/_vendor/platformdirs/unix.py b/venv/Lib/site-packages/pip/_vendor/platformdirs/unix.py new file mode 100644 index 0000000..688b279 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/platformdirs/unix.py @@ -0,0 +1,180 @@ +import os +import sys +from configparser import ConfigParser +from pathlib import Path +from typing import Optional + +from .api import PlatformDirsABC + +if sys.platform.startswith("linux"): # pragma: no branch # no op check, only to please the type checker + from os import getuid +else: + + def getuid() -> int: + raise RuntimeError("should only be used on Linux") + + +class Unix(PlatformDirsABC): + """ + On Unix/Linux, we follow the + `XDG Basedir Spec <https://specifications.freedesktop.org/basedir-spec/basedir-spec-latest.html>`_. The spec allows + overriding directories with environment variables. The examples show are the default values, alongside the name of + the environment variable that overrides them. Makes use of the + `appname <platformdirs.api.PlatformDirsABC.appname>`, + `version <platformdirs.api.PlatformDirsABC.version>`, + `multipath <platformdirs.api.PlatformDirsABC.multipath>`, + `opinion <platformdirs.api.PlatformDirsABC.opinion>`. + """ + + @property + def user_data_dir(self) -> str: + """ + :return: data directory tied to the user, e.g. ``~/.local/share/$appname/$version`` or + ``$XDG_DATA_HOME/$appname/$version`` + """ + path = os.environ.get("XDG_DATA_HOME", "") + if not path.strip(): + path = os.path.expanduser("~/.local/share") + return self._append_app_name_and_version(path) + + @property + def site_data_dir(self) -> str: + """ + :return: data directories shared by users (if `multipath <platformdirs.api.PlatformDirsABC.multipath>` is + enabled and ``XDG_DATA_DIR`` is set and a multi path the response is also a multi path separated by the OS + path separator), e.g. ``/usr/local/share/$appname/$version`` or ``/usr/share/$appname/$version`` + """ + # XDG default for $XDG_DATA_DIRS; only first, if multipath is False + path = os.environ.get("XDG_DATA_DIRS", "") + if not path.strip(): + path = f"/usr/local/share{os.pathsep}/usr/share" + return self._with_multi_path(path) + + def _with_multi_path(self, path: str) -> str: + path_list = path.split(os.pathsep) + if not self.multipath: + path_list = path_list[0:1] + path_list = [self._append_app_name_and_version(os.path.expanduser(p)) for p in path_list] + return os.pathsep.join(path_list) + + @property + def user_config_dir(self) -> str: + """ + :return: config directory tied to the user, e.g. ``~/.config/$appname/$version`` or + ``$XDG_CONFIG_HOME/$appname/$version`` + """ + path = os.environ.get("XDG_CONFIG_HOME", "") + if not path.strip(): + path = os.path.expanduser("~/.config") + return self._append_app_name_and_version(path) + + @property + def site_config_dir(self) -> str: + """ + :return: config directories shared by users (if `multipath <platformdirs.api.PlatformDirsABC.multipath>` + is enabled and ``XDG_DATA_DIR`` is set and a multi path the response is also a multi path separated by the OS + path separator), e.g. ``/etc/xdg/$appname/$version`` + """ + # XDG default for $XDG_CONFIG_DIRS only first, if multipath is False + path = os.environ.get("XDG_CONFIG_DIRS", "") + if not path.strip(): + path = "/etc/xdg" + return self._with_multi_path(path) + + @property + def user_cache_dir(self) -> str: + """ + :return: cache directory tied to the user, e.g. ``~/.cache/$appname/$version`` or + ``~/$XDG_CACHE_HOME/$appname/$version`` + """ + path = os.environ.get("XDG_CACHE_HOME", "") + if not path.strip(): + path = os.path.expanduser("~/.cache") + return self._append_app_name_and_version(path) + + @property + def user_state_dir(self) -> str: + """ + :return: state directory tied to the user, e.g. ``~/.local/state/$appname/$version`` or + ``$XDG_STATE_HOME/$appname/$version`` + """ + path = os.environ.get("XDG_STATE_HOME", "") + if not path.strip(): + path = os.path.expanduser("~/.local/state") + return self._append_app_name_and_version(path) + + @property + def user_log_dir(self) -> str: + """ + :return: log directory tied to the user, same as `user_data_dir` if not opinionated else ``log`` in it + """ + path = self.user_cache_dir + if self.opinion: + path = os.path.join(path, "log") + return path + + @property + def user_documents_dir(self) -> str: + """ + :return: documents directory tied to the user, e.g. ``~/Documents`` + """ + documents_dir = _get_user_dirs_folder("XDG_DOCUMENTS_DIR") + if documents_dir is None: + documents_dir = os.environ.get("XDG_DOCUMENTS_DIR", "").strip() + if not documents_dir: + documents_dir = os.path.expanduser("~/Documents") + + return documents_dir + + @property + def user_runtime_dir(self) -> str: + """ + :return: runtime directory tied to the user, e.g. ``/run/user/$(id -u)/$appname/$version`` or + ``$XDG_RUNTIME_DIR/$appname/$version`` + """ + path = os.environ.get("XDG_RUNTIME_DIR", "") + if not path.strip(): + path = f"/run/user/{getuid()}" + return self._append_app_name_and_version(path) + + @property + def site_data_path(self) -> Path: + """:return: data path shared by users. Only return first item, even if ``multipath`` is set to ``True``""" + return self._first_item_as_path_if_multipath(self.site_data_dir) + + @property + def site_config_path(self) -> Path: + """:return: config path shared by the users. Only return first item, even if ``multipath`` is set to ``True``""" + return self._first_item_as_path_if_multipath(self.site_config_dir) + + def _first_item_as_path_if_multipath(self, directory: str) -> Path: + if self.multipath: + # If multipath is True, the first path is returned. + directory = directory.split(os.pathsep)[0] + return Path(directory) + + +def _get_user_dirs_folder(key: str) -> Optional[str]: + """Return directory from user-dirs.dirs config file. See https://freedesktop.org/wiki/Software/xdg-user-dirs/""" + user_dirs_config_path = os.path.join(Unix().user_config_dir, "user-dirs.dirs") + if os.path.exists(user_dirs_config_path): + parser = ConfigParser() + + with open(user_dirs_config_path) as stream: + # Add fake section header, so ConfigParser doesn't complain + parser.read_string(f"[top]\n{stream.read()}") + + if key not in parser["top"]: + return None + + path = parser["top"][key].strip('"') + # Handle relative home paths + path = path.replace("$HOME", os.path.expanduser("~")) + return path + + return None + + +__all__ = [ + "Unix", +] diff --git a/venv/Lib/site-packages/pip/_vendor/platformdirs/version.py b/venv/Lib/site-packages/pip/_vendor/platformdirs/version.py new file mode 100644 index 0000000..3bdf970 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/platformdirs/version.py @@ -0,0 +1,4 @@ +""" Version information """ + +__version__ = "2.4.0" +__version_info__ = (2, 4, 0) diff --git a/venv/Lib/site-packages/pip/_vendor/platformdirs/windows.py b/venv/Lib/site-packages/pip/_vendor/platformdirs/windows.py new file mode 100644 index 0000000..c75cf99 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/platformdirs/windows.py @@ -0,0 +1,180 @@ +import ctypes +import os +from functools import lru_cache +from typing import Callable, Optional + +from .api import PlatformDirsABC + + +class Windows(PlatformDirsABC): + """`MSDN on where to store app data files + <http://support.microsoft.com/default.aspx?scid=kb;en-us;310294#XSLTH3194121123120121120120>`_. + Makes use of the + `appname <platformdirs.api.PlatformDirsABC.appname>`, + `appauthor <platformdirs.api.PlatformDirsABC.appauthor>`, + `version <platformdirs.api.PlatformDirsABC.version>`, + `roaming <platformdirs.api.PlatformDirsABC.roaming>`, + `opinion <platformdirs.api.PlatformDirsABC.opinion>`.""" + + @property + def user_data_dir(self) -> str: + """ + :return: data directory tied to the user, e.g. + ``%USERPROFILE%\\AppData\\Local\\$appauthor\\$appname`` (not roaming) or + ``%USERPROFILE%\\AppData\\Roaming\\$appauthor\\$appname`` (roaming) + """ + const = "CSIDL_APPDATA" if self.roaming else "CSIDL_LOCAL_APPDATA" + path = os.path.normpath(get_win_folder(const)) + return self._append_parts(path) + + def _append_parts(self, path: str, *, opinion_value: Optional[str] = None) -> str: + params = [] + if self.appname: + if self.appauthor is not False: + author = self.appauthor or self.appname + params.append(author) + params.append(self.appname) + if opinion_value is not None and self.opinion: + params.append(opinion_value) + if self.version: + params.append(self.version) + return os.path.join(path, *params) + + @property + def site_data_dir(self) -> str: + """:return: data directory shared by users, e.g. ``C:\\ProgramData\\$appauthor\\$appname``""" + path = os.path.normpath(get_win_folder("CSIDL_COMMON_APPDATA")) + return self._append_parts(path) + + @property + def user_config_dir(self) -> str: + """:return: config directory tied to the user, same as `user_data_dir`""" + return self.user_data_dir + + @property + def site_config_dir(self) -> str: + """:return: config directory shared by the users, same as `site_data_dir`""" + return self.site_data_dir + + @property + def user_cache_dir(self) -> str: + """ + :return: cache directory tied to the user (if opinionated with ``Cache`` folder within ``$appname``) e.g. + ``%USERPROFILE%\\AppData\\Local\\$appauthor\\$appname\\Cache\\$version`` + """ + path = os.path.normpath(get_win_folder("CSIDL_LOCAL_APPDATA")) + return self._append_parts(path, opinion_value="Cache") + + @property + def user_state_dir(self) -> str: + """:return: state directory tied to the user, same as `user_data_dir`""" + return self.user_data_dir + + @property + def user_log_dir(self) -> str: + """ + :return: log directory tied to the user, same as `user_data_dir` if not opinionated else ``Logs`` in it + """ + path = self.user_data_dir + if self.opinion: + path = os.path.join(path, "Logs") + return path + + @property + def user_documents_dir(self) -> str: + """ + :return: documents directory tied to the user e.g. ``%USERPROFILE%\\Documents`` + """ + return os.path.normpath(get_win_folder("CSIDL_PERSONAL")) + + @property + def user_runtime_dir(self) -> str: + """ + :return: runtime directory tied to the user, e.g. + ``%USERPROFILE%\\AppData\\Local\\Temp\\$appauthor\\$appname`` + """ + path = os.path.normpath(os.path.join(get_win_folder("CSIDL_LOCAL_APPDATA"), "Temp")) + return self._append_parts(path) + + +def get_win_folder_from_env_vars(csidl_name: str) -> str: + """Get folder from environment variables.""" + if csidl_name == "CSIDL_PERSONAL": # does not have an environment name + return os.path.join(os.path.normpath(os.environ["USERPROFILE"]), "Documents") + + env_var_name = { + "CSIDL_APPDATA": "APPDATA", + "CSIDL_COMMON_APPDATA": "ALLUSERSPROFILE", + "CSIDL_LOCAL_APPDATA": "LOCALAPPDATA", + }.get(csidl_name) + if env_var_name is None: + raise ValueError(f"Unknown CSIDL name: {csidl_name}") + result = os.environ.get(env_var_name) + if result is None: + raise ValueError(f"Unset environment variable: {env_var_name}") + return result + + +def get_win_folder_from_registry(csidl_name: str) -> str: + """Get folder from the registry. + + This is a fallback technique at best. I'm not sure if using the + registry for this guarantees us the correct answer for all CSIDL_* + names. + """ + shell_folder_name = { + "CSIDL_APPDATA": "AppData", + "CSIDL_COMMON_APPDATA": "Common AppData", + "CSIDL_LOCAL_APPDATA": "Local AppData", + "CSIDL_PERSONAL": "Personal", + }.get(csidl_name) + if shell_folder_name is None: + raise ValueError(f"Unknown CSIDL name: {csidl_name}") + + import winreg + + key = winreg.OpenKey(winreg.HKEY_CURRENT_USER, r"Software\Microsoft\Windows\CurrentVersion\Explorer\Shell Folders") + directory, _ = winreg.QueryValueEx(key, shell_folder_name) + return str(directory) + + +def get_win_folder_via_ctypes(csidl_name: str) -> str: + """Get folder with ctypes.""" + csidl_const = { + "CSIDL_APPDATA": 26, + "CSIDL_COMMON_APPDATA": 35, + "CSIDL_LOCAL_APPDATA": 28, + "CSIDL_PERSONAL": 5, + }.get(csidl_name) + if csidl_const is None: + raise ValueError(f"Unknown CSIDL name: {csidl_name}") + + buf = ctypes.create_unicode_buffer(1024) + windll = getattr(ctypes, "windll") # noqa: B009 # using getattr to avoid false positive with mypy type checker + windll.shell32.SHGetFolderPathW(None, csidl_const, None, 0, buf) + + # Downgrade to short path name if it has highbit chars. + if any(ord(c) > 255 for c in buf): + buf2 = ctypes.create_unicode_buffer(1024) + if windll.kernel32.GetShortPathNameW(buf.value, buf2, 1024): + buf = buf2 + + return buf.value + + +def _pick_get_win_folder() -> Callable[[str], str]: + if hasattr(ctypes, "windll"): + return get_win_folder_via_ctypes + try: + import winreg # noqa: F401 + except ImportError: + return get_win_folder_from_env_vars + else: + return get_win_folder_from_registry + + +get_win_folder = lru_cache(maxsize=None)(_pick_get_win_folder()) + +__all__ = [ + "Windows", +] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/__init__.py b/venv/Lib/site-packages/pip/_vendor/progress/__init__.py similarity index 51% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/__init__.py rename to venv/Lib/site-packages/pip/_vendor/progress/__init__.py index a41f65d..b434b30 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/__init__.py +++ b/venv/Lib/site-packages/pip/_vendor/progress/__init__.py @@ -1,4 +1,4 @@ -# Copyright (c) 2012 Giorgos Verigakis <verigak@gmail.com> +# Copyright (c) 2012 Georgios Verigakis <verigak@gmail.com> # # Permission to use, copy, modify, and distribute this software for any # purpose with or without fee is hereby granted, provided that the above @@ -12,31 +12,54 @@ # ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF # OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. -from __future__ import division +from __future__ import division, print_function from collections import deque from datetime import timedelta from math import ceil from sys import stderr -from time import time +try: + from time import monotonic +except ImportError: + from time import time as monotonic -__version__ = '1.4' +__version__ = '1.6' + +HIDE_CURSOR = '\x1b[?25l' +SHOW_CURSOR = '\x1b[?25h' class Infinite(object): file = stderr sma_window = 10 # Simple Moving Average window + check_tty = True + hide_cursor = True - def __init__(self, *args, **kwargs): + def __init__(self, message='', **kwargs): self.index = 0 - self.start_ts = time() + self.start_ts = monotonic() self.avg = 0 + self._avg_update_ts = self.start_ts self._ts = self.start_ts self._xput = deque(maxlen=self.sma_window) for key, val in kwargs.items(): setattr(self, key, val) + self._max_width = 0 + self._hidden_cursor = False + self.message = message + + if self.file and self.is_tty(): + if self.hide_cursor: + print(HIDE_CURSOR, end='', file=self.file) + self._hidden_cursor = True + self.writeln('') + + def __del__(self): + if self._hidden_cursor: + print(SHOW_CURSOR, end='', file=self.file) + def __getitem__(self, key): if key.startswith('_'): return None @@ -44,7 +67,7 @@ def __getitem__(self, key): @property def elapsed(self): - return int(time() - self.start_ts) + return int(monotonic() - self.start_ts) @property def elapsed_td(self): @@ -52,8 +75,14 @@ def elapsed_td(self): def update_avg(self, n, dt): if n > 0: + xput_len = len(self._xput) self._xput.append(dt / n) - self.avg = sum(self._xput) / len(self._xput) + now = monotonic() + # update when we're still filling _xput, then after every second + if (xput_len < self.sma_window or + now - self._avg_update_ts > 1): + self.avg = sum(self._xput) / len(self._xput) + self._avg_update_ts = now def update(self): pass @@ -61,11 +90,33 @@ def update(self): def start(self): pass + def writeln(self, line): + if self.file and self.is_tty(): + width = len(line) + if width < self._max_width: + # Add padding to cover previous contents + line += ' ' * (self._max_width - width) + else: + self._max_width = width + print('\r' + line, end='', file=self.file) + self.file.flush() + def finish(self): - pass + if self.file and self.is_tty(): + print(file=self.file) + if self._hidden_cursor: + print(SHOW_CURSOR, end='', file=self.file) + self._hidden_cursor = False + + def is_tty(self): + try: + return self.file.isatty() if self.check_tty else True + except AttributeError: + msg = "%s has no attribute 'isatty'. Try setting check_tty=False." % self + raise AttributeError(msg) def next(self, n=1): - now = time() + now = monotonic() dt = now - self._ts self.update_avg(n, dt) self._ts = now @@ -73,12 +124,20 @@ def next(self, n=1): self.update() def iter(self, it): - try: + self.iter_value = None + with self: for x in it: + self.iter_value = x yield x self.next() - finally: - self.finish() + del self.iter_value + + def __enter__(self): + self.start() + return self + + def __exit__(self, exc_type, exc_val, exc_tb): + self.finish() class Progress(Infinite): @@ -100,6 +159,8 @@ def percent(self): @property def progress(self): + if self.max == 0: + return 0 return min(1, self.index / self.max) @property @@ -119,9 +180,10 @@ def iter(self, it): except TypeError: pass - try: + self.iter_value = None + with self: for x in it: + self.iter_value = x yield x self.next() - finally: - self.finish() + del self.iter_value diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/bar.py b/venv/Lib/site-packages/pip/_vendor/progress/bar.py similarity index 91% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/bar.py rename to venv/Lib/site-packages/pip/_vendor/progress/bar.py index 025e61c..df4e8b6 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/bar.py +++ b/venv/Lib/site-packages/pip/_vendor/progress/bar.py @@ -1,6 +1,6 @@ # -*- coding: utf-8 -*- -# Copyright (c) 2012 Giorgos Verigakis <verigak@gmail.com> +# Copyright (c) 2012 Georgios Verigakis <verigak@gmail.com> # # Permission to use, copy, modify, and distribute this software for any # purpose with or without fee is hereby granted, provided that the above @@ -19,25 +19,24 @@ import sys from . import Progress -from .helpers import WritelnMixin +from .colors import color -class Bar(WritelnMixin, Progress): +class Bar(Progress): width = 32 - message = '' suffix = '%(index)d/%(max)d' bar_prefix = ' |' bar_suffix = '| ' empty_fill = ' ' fill = '#' - hide_cursor = True + color = None def update(self): filled_length = int(self.width * self.progress) empty_length = self.width - filled_length message = self.message % self - bar = self.fill * filled_length + bar = color(self.fill * filled_length, fg=self.color) empty = self.empty_fill * empty_length suffix = self.suffix % self line = ''.join([message, self.bar_prefix, bar, empty, self.bar_suffix, @@ -77,7 +76,7 @@ def update(self): nempty = self.width - nfull # Number of empty chars message = self.message % self - bar = self.phases[-1] * nfull + bar = color(self.phases[-1] * nfull, fg=self.color) current = self.phases[phase] if phase > 0 else '' empty = self.empty_fill * max(0, nempty - len(current)) suffix = self.suffix % self diff --git a/venv/Lib/site-packages/pip/_vendor/progress/colors.py b/venv/Lib/site-packages/pip/_vendor/progress/colors.py new file mode 100644 index 0000000..4e770f8 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/progress/colors.py @@ -0,0 +1,79 @@ +# -*- coding: utf-8 -*- + +# Copyright (c) 2020 Georgios Verigakis <verigak@gmail.com> +# +# Permission to use, copy, modify, and distribute this software for any +# purpose with or without fee is hereby granted, provided that the above +# copyright notice and this permission notice appear in all copies. +# +# THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES +# WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF +# MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR +# ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES +# WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN +# ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF +# OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. + +from functools import partial + + +COLORS = ('black', 'red', 'green', 'yellow', 'blue', 'magenta', 'cyan', + 'white') +STYLES = ('bold', 'faint', 'italic', 'underline', 'blink', 'blink2', + 'negative', 'concealed', 'crossed') + + +def color(s, fg=None, bg=None, style=None): + sgr = [] + + if fg: + if fg in COLORS: + sgr.append(str(30 + COLORS.index(fg))) + elif isinstance(fg, int) and 0 <= fg <= 255: + sgr.append('38;5;%d' % int(fg)) + else: + raise Exception('Invalid color "%s"' % fg) + + if bg: + if bg in COLORS: + sgr.append(str(40 + COLORS.index(bg))) + elif isinstance(bg, int) and 0 <= bg <= 255: + sgr.append('48;5;%d' % bg) + else: + raise Exception('Invalid color "%s"' % bg) + + if style: + for st in style.split('+'): + if st in STYLES: + sgr.append(str(1 + STYLES.index(st))) + else: + raise Exception('Invalid style "%s"' % st) + + if sgr: + prefix = '\x1b[' + ';'.join(sgr) + 'm' + suffix = '\x1b[0m' + return prefix + s + suffix + else: + return s + + +# Foreground shortcuts +black = partial(color, fg='black') +red = partial(color, fg='red') +green = partial(color, fg='green') +yellow = partial(color, fg='yellow') +blue = partial(color, fg='blue') +magenta = partial(color, fg='magenta') +cyan = partial(color, fg='cyan') +white = partial(color, fg='white') + +# Style shortcuts +bold = partial(color, style='bold') +faint = partial(color, style='faint') +italic = partial(color, style='italic') +underline = partial(color, style='underline') +blink = partial(color, style='blink') +blink2 = partial(color, style='blink2') +negative = partial(color, style='negative') +concealed = partial(color, style='concealed') +crossed = partial(color, style='crossed') diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/counter.py b/venv/Lib/site-packages/pip/_vendor/progress/counter.py similarity index 69% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/counter.py rename to venv/Lib/site-packages/pip/_vendor/progress/counter.py index 6b45a1e..d0fbe7e 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/counter.py +++ b/venv/Lib/site-packages/pip/_vendor/progress/counter.py @@ -1,6 +1,6 @@ # -*- coding: utf-8 -*- -# Copyright (c) 2012 Giorgos Verigakis <verigak@gmail.com> +# Copyright (c) 2012 Georgios Verigakis <verigak@gmail.com> # # Permission to use, copy, modify, and distribute this software for any # purpose with or without fee is hereby granted, provided that the above @@ -16,32 +16,31 @@ from __future__ import unicode_literals from . import Infinite, Progress -from .helpers import WriteMixin -class Counter(WriteMixin, Infinite): - message = '' - hide_cursor = True - +class Counter(Infinite): def update(self): - self.write(str(self.index)) - + message = self.message % self + line = ''.join([message, str(self.index)]) + self.writeln(line) -class Countdown(WriteMixin, Progress): - hide_cursor = True +class Countdown(Progress): def update(self): - self.write(str(self.remaining)) + message = self.message % self + line = ''.join([message, str(self.remaining)]) + self.writeln(line) -class Stack(WriteMixin, Progress): +class Stack(Progress): phases = (' ', '▁', '▂', '▃', '▄', '▅', '▆', '▇', '█') - hide_cursor = True def update(self): nphases = len(self.phases) i = min(nphases - 1, int(self.progress * nphases)) - self.write(self.phases[i]) + message = self.message % self + line = ''.join([message, self.phases[i]]) + self.writeln(line) class Pie(Stack): diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/spinner.py b/venv/Lib/site-packages/pip/_vendor/progress/spinner.py similarity index 81% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/spinner.py rename to venv/Lib/site-packages/pip/_vendor/progress/spinner.py index 464c7b2..d593a20 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/progress/spinner.py +++ b/venv/Lib/site-packages/pip/_vendor/progress/spinner.py @@ -1,6 +1,6 @@ # -*- coding: utf-8 -*- -# Copyright (c) 2012 Giorgos Verigakis <verigak@gmail.com> +# Copyright (c) 2012 Georgios Verigakis <verigak@gmail.com> # # Permission to use, copy, modify, and distribute this software for any # purpose with or without fee is hereby granted, provided that the above @@ -16,17 +16,17 @@ from __future__ import unicode_literals from . import Infinite -from .helpers import WriteMixin -class Spinner(WriteMixin, Infinite): - message = '' +class Spinner(Infinite): phases = ('-', '\\', '|', '/') hide_cursor = True def update(self): i = self.index % len(self.phases) - self.write(self.phases[i]) + message = self.message % self + line = ''.join([message, self.phases[i]]) + self.writeln(line) class PieSpinner(Spinner): @@ -40,5 +40,6 @@ class MoonSpinner(Spinner): class LineSpinner(Spinner): phases = ['⎺', '⎻', '⎼', '⎽', '⎼', '⎻'] + class PixelSpinner(Spinner): - phases = ['⣾','⣷', '⣯', '⣟', '⡿', '⢿', '⣻', '⣽'] + phases = ['⣾', '⣷', '⣯', '⣟', '⡿', '⢿', '⣻', '⣽'] diff --git a/venv/Lib/site-packages/pip/_vendor/pyparsing.py b/venv/Lib/site-packages/pip/_vendor/pyparsing.py new file mode 100644 index 0000000..7ebc7eb --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/pyparsing.py @@ -0,0 +1,7107 @@ +# -*- coding: utf-8 -*- +# module pyparsing.py +# +# Copyright (c) 2003-2019 Paul T. McGuire +# +# Permission is hereby granted, free of charge, to any person obtaining +# a copy of this software and associated documentation files (the +# "Software"), to deal in the Software without restriction, including +# without limitation the rights to use, copy, modify, merge, publish, +# distribute, sublicense, and/or sell copies of the Software, and to +# permit persons to whom the Software is furnished to do so, subject to +# the following conditions: +# +# The above copyright notice and this permission notice shall be +# included in all copies or substantial portions of the Software. +# +# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +# EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +# MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. +# IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY +# CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, +# TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE +# SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. +# + +__doc__ = \ +""" +pyparsing module - Classes and methods to define and execute parsing grammars +============================================================================= + +The pyparsing module is an alternative approach to creating and +executing simple grammars, vs. the traditional lex/yacc approach, or the +use of regular expressions. With pyparsing, you don't need to learn +a new syntax for defining grammars or matching expressions - the parsing +module provides a library of classes that you use to construct the +grammar directly in Python. + +Here is a program to parse "Hello, World!" (or any greeting of the form +``"<salutation>, <addressee>!"``), built up using :class:`Word`, +:class:`Literal`, and :class:`And` elements +(the :class:`'+'<ParserElement.__add__>` operators create :class:`And` expressions, +and the strings are auto-converted to :class:`Literal` expressions):: + + from pip._vendor.pyparsing import Word, alphas + + # define grammar of a greeting + greet = Word(alphas) + "," + Word(alphas) + "!" + + hello = "Hello, World!" + print (hello, "->", greet.parseString(hello)) + +The program outputs the following:: + + Hello, World! -> ['Hello', ',', 'World', '!'] + +The Python representation of the grammar is quite readable, owing to the +self-explanatory class names, and the use of '+', '|' and '^' operators. + +The :class:`ParseResults` object returned from +:class:`ParserElement.parseString` can be +accessed as a nested list, a dictionary, or an object with named +attributes. + +The pyparsing module handles some of the problems that are typically +vexing when writing text parsers: + + - extra or missing whitespace (the above program will also handle + "Hello,World!", "Hello , World !", etc.) + - quoted strings + - embedded comments + + +Getting Started - +----------------- +Visit the classes :class:`ParserElement` and :class:`ParseResults` to +see the base classes that most other pyparsing +classes inherit from. Use the docstrings for examples of how to: + + - construct literal match expressions from :class:`Literal` and + :class:`CaselessLiteral` classes + - construct character word-group expressions using the :class:`Word` + class + - see how to create repetitive expressions using :class:`ZeroOrMore` + and :class:`OneOrMore` classes + - use :class:`'+'<And>`, :class:`'|'<MatchFirst>`, :class:`'^'<Or>`, + and :class:`'&'<Each>` operators to combine simple expressions into + more complex ones + - associate names with your parsed results using + :class:`ParserElement.setResultsName` + - access the parsed data, which is returned as a :class:`ParseResults` + object + - find some helpful expression short-cuts like :class:`delimitedList` + and :class:`oneOf` + - find more useful common expressions in the :class:`pyparsing_common` + namespace class +""" + +__version__ = "2.4.7" +__versionTime__ = "30 Mar 2020 00:43 UTC" +__author__ = "Paul McGuire <ptmcg@users.sourceforge.net>" + +import string +from weakref import ref as wkref +import copy +import sys +import warnings +import re +import sre_constants +import collections +import pprint +import traceback +import types +from datetime import datetime +from operator import itemgetter +import itertools +from functools import wraps +from contextlib import contextmanager + +try: + # Python 3 + from itertools import filterfalse +except ImportError: + from itertools import ifilterfalse as filterfalse + +try: + from _thread import RLock +except ImportError: + from threading import RLock + +try: + # Python 3 + from collections.abc import Iterable + from collections.abc import MutableMapping, Mapping +except ImportError: + # Python 2.7 + from collections import Iterable + from collections import MutableMapping, Mapping + +try: + from collections import OrderedDict as _OrderedDict +except ImportError: + try: + from ordereddict import OrderedDict as _OrderedDict + except ImportError: + _OrderedDict = None + +try: + from types import SimpleNamespace +except ImportError: + class SimpleNamespace: pass + +# version compatibility configuration +__compat__ = SimpleNamespace() +__compat__.__doc__ = """ + A cross-version compatibility configuration for pyparsing features that will be + released in a future version. By setting values in this configuration to True, + those features can be enabled in prior versions for compatibility development + and testing. + + - collect_all_And_tokens - flag to enable fix for Issue #63 that fixes erroneous grouping + of results names when an And expression is nested within an Or or MatchFirst; set to + True to enable bugfix released in pyparsing 2.3.0, or False to preserve + pre-2.3.0 handling of named results +""" +__compat__.collect_all_And_tokens = True + +__diag__ = SimpleNamespace() +__diag__.__doc__ = """ +Diagnostic configuration (all default to False) + - warn_multiple_tokens_in_named_alternation - flag to enable warnings when a results + name is defined on a MatchFirst or Or expression with one or more And subexpressions + (only warns if __compat__.collect_all_And_tokens is False) + - warn_ungrouped_named_tokens_in_collection - flag to enable warnings when a results + name is defined on a containing expression with ungrouped subexpressions that also + have results names + - warn_name_set_on_empty_Forward - flag to enable warnings whan a Forward is defined + with a results name, but has no contents defined + - warn_on_multiple_string_args_to_oneof - flag to enable warnings whan oneOf is + incorrectly called with multiple str arguments + - enable_debug_on_named_expressions - flag to auto-enable debug on all subsequent + calls to ParserElement.setName() +""" +__diag__.warn_multiple_tokens_in_named_alternation = False +__diag__.warn_ungrouped_named_tokens_in_collection = False +__diag__.warn_name_set_on_empty_Forward = False +__diag__.warn_on_multiple_string_args_to_oneof = False +__diag__.enable_debug_on_named_expressions = False +__diag__._all_names = [nm for nm in vars(__diag__) if nm.startswith("enable_") or nm.startswith("warn_")] + +def _enable_all_warnings(): + __diag__.warn_multiple_tokens_in_named_alternation = True + __diag__.warn_ungrouped_named_tokens_in_collection = True + __diag__.warn_name_set_on_empty_Forward = True + __diag__.warn_on_multiple_string_args_to_oneof = True +__diag__.enable_all_warnings = _enable_all_warnings + + +__all__ = ['__version__', '__versionTime__', '__author__', '__compat__', '__diag__', + 'And', 'CaselessKeyword', 'CaselessLiteral', 'CharsNotIn', 'Combine', 'Dict', 'Each', 'Empty', + 'FollowedBy', 'Forward', 'GoToColumn', 'Group', 'Keyword', 'LineEnd', 'LineStart', 'Literal', + 'PrecededBy', 'MatchFirst', 'NoMatch', 'NotAny', 'OneOrMore', 'OnlyOnce', 'Optional', 'Or', + 'ParseBaseException', 'ParseElementEnhance', 'ParseException', 'ParseExpression', 'ParseFatalException', + 'ParseResults', 'ParseSyntaxException', 'ParserElement', 'QuotedString', 'RecursiveGrammarException', + 'Regex', 'SkipTo', 'StringEnd', 'StringStart', 'Suppress', 'Token', 'TokenConverter', + 'White', 'Word', 'WordEnd', 'WordStart', 'ZeroOrMore', 'Char', + 'alphanums', 'alphas', 'alphas8bit', 'anyCloseTag', 'anyOpenTag', 'cStyleComment', 'col', + 'commaSeparatedList', 'commonHTMLEntity', 'countedArray', 'cppStyleComment', 'dblQuotedString', + 'dblSlashComment', 'delimitedList', 'dictOf', 'downcaseTokens', 'empty', 'hexnums', + 'htmlComment', 'javaStyleComment', 'line', 'lineEnd', 'lineStart', 'lineno', + 'makeHTMLTags', 'makeXMLTags', 'matchOnlyAtCol', 'matchPreviousExpr', 'matchPreviousLiteral', + 'nestedExpr', 'nullDebugAction', 'nums', 'oneOf', 'opAssoc', 'operatorPrecedence', 'printables', + 'punc8bit', 'pythonStyleComment', 'quotedString', 'removeQuotes', 'replaceHTMLEntity', + 'replaceWith', 'restOfLine', 'sglQuotedString', 'srange', 'stringEnd', + 'stringStart', 'traceParseAction', 'unicodeString', 'upcaseTokens', 'withAttribute', + 'indentedBlock', 'originalTextFor', 'ungroup', 'infixNotation', 'locatedExpr', 'withClass', + 'CloseMatch', 'tokenMap', 'pyparsing_common', 'pyparsing_unicode', 'unicode_set', + 'conditionAsParseAction', 're', + ] + +system_version = tuple(sys.version_info)[:3] +PY_3 = system_version[0] == 3 +if PY_3: + _MAX_INT = sys.maxsize + basestring = str + unichr = chr + unicode = str + _ustr = str + + # build list of single arg builtins, that can be used as parse actions + singleArgBuiltins = [sum, len, sorted, reversed, list, tuple, set, any, all, min, max] + +else: + _MAX_INT = sys.maxint + range = xrange + + def _ustr(obj): + """Drop-in replacement for str(obj) that tries to be Unicode + friendly. It first tries str(obj). If that fails with + a UnicodeEncodeError, then it tries unicode(obj). It then + < returns the unicode object | encodes it with the default + encoding | ... >. + """ + if isinstance(obj, unicode): + return obj + + try: + # If this works, then _ustr(obj) has the same behaviour as str(obj), so + # it won't break any existing code. + return str(obj) + + except UnicodeEncodeError: + # Else encode it + ret = unicode(obj).encode(sys.getdefaultencoding(), 'xmlcharrefreplace') + xmlcharref = Regex(r'&#\d+;') + xmlcharref.setParseAction(lambda t: '\\u' + hex(int(t[0][2:-1]))[2:]) + return xmlcharref.transformString(ret) + + # build list of single arg builtins, tolerant of Python version, that can be used as parse actions + singleArgBuiltins = [] + import __builtin__ + + for fname in "sum len sorted reversed list tuple set any all min max".split(): + try: + singleArgBuiltins.append(getattr(__builtin__, fname)) + except AttributeError: + continue + +_generatorType = type((y for y in range(1))) + +def _xml_escape(data): + """Escape &, <, >, ", ', etc. in a string of data.""" + + # ampersand must be replaced first + from_symbols = '&><"\'' + to_symbols = ('&' + s + ';' for s in "amp gt lt quot apos".split()) + for from_, to_ in zip(from_symbols, to_symbols): + data = data.replace(from_, to_) + return data + +alphas = string.ascii_uppercase + string.ascii_lowercase +nums = "0123456789" +hexnums = nums + "ABCDEFabcdef" +alphanums = alphas + nums +_bslash = chr(92) +printables = "".join(c for c in string.printable if c not in string.whitespace) + + +def conditionAsParseAction(fn, message=None, fatal=False): + msg = message if message is not None else "failed user-defined condition" + exc_type = ParseFatalException if fatal else ParseException + fn = _trim_arity(fn) + + @wraps(fn) + def pa(s, l, t): + if not bool(fn(s, l, t)): + raise exc_type(s, l, msg) + + return pa + +class ParseBaseException(Exception): + """base exception class for all parsing runtime exceptions""" + # Performance tuning: we construct a *lot* of these, so keep this + # constructor as small and fast as possible + def __init__(self, pstr, loc=0, msg=None, elem=None): + self.loc = loc + if msg is None: + self.msg = pstr + self.pstr = "" + else: + self.msg = msg + self.pstr = pstr + self.parserElement = elem + self.args = (pstr, loc, msg) + + @classmethod + def _from_exception(cls, pe): + """ + internal factory method to simplify creating one type of ParseException + from another - avoids having __init__ signature conflicts among subclasses + """ + return cls(pe.pstr, pe.loc, pe.msg, pe.parserElement) + + def __getattr__(self, aname): + """supported attributes by name are: + - lineno - returns the line number of the exception text + - col - returns the column number of the exception text + - line - returns the line containing the exception text + """ + if aname == "lineno": + return lineno(self.loc, self.pstr) + elif aname in ("col", "column"): + return col(self.loc, self.pstr) + elif aname == "line": + return line(self.loc, self.pstr) + else: + raise AttributeError(aname) + + def __str__(self): + if self.pstr: + if self.loc >= len(self.pstr): + foundstr = ', found end of text' + else: + foundstr = (', found %r' % self.pstr[self.loc:self.loc + 1]).replace(r'\\', '\\') + else: + foundstr = '' + return ("%s%s (at char %d), (line:%d, col:%d)" % + (self.msg, foundstr, self.loc, self.lineno, self.column)) + def __repr__(self): + return _ustr(self) + def markInputline(self, markerString=">!<"): + """Extracts the exception line from the input string, and marks + the location of the exception with a special symbol. + """ + line_str = self.line + line_column = self.column - 1 + if markerString: + line_str = "".join((line_str[:line_column], + markerString, line_str[line_column:])) + return line_str.strip() + def __dir__(self): + return "lineno col line".split() + dir(type(self)) + +class ParseException(ParseBaseException): + """ + Exception thrown when parse expressions don't match class; + supported attributes by name are: + - lineno - returns the line number of the exception text + - col - returns the column number of the exception text + - line - returns the line containing the exception text + + Example:: + + try: + Word(nums).setName("integer").parseString("ABC") + except ParseException as pe: + print(pe) + print("column: {}".format(pe.col)) + + prints:: + + Expected integer (at char 0), (line:1, col:1) + column: 1 + + """ + + @staticmethod + def explain(exc, depth=16): + """ + Method to take an exception and translate the Python internal traceback into a list + of the pyparsing expressions that caused the exception to be raised. + + Parameters: + + - exc - exception raised during parsing (need not be a ParseException, in support + of Python exceptions that might be raised in a parse action) + - depth (default=16) - number of levels back in the stack trace to list expression + and function names; if None, the full stack trace names will be listed; if 0, only + the failing input line, marker, and exception string will be shown + + Returns a multi-line string listing the ParserElements and/or function names in the + exception's stack trace. + + Note: the diagnostic output will include string representations of the expressions + that failed to parse. These representations will be more helpful if you use `setName` to + give identifiable names to your expressions. Otherwise they will use the default string + forms, which may be cryptic to read. + + explain() is only supported under Python 3. + """ + import inspect + + if depth is None: + depth = sys.getrecursionlimit() + ret = [] + if isinstance(exc, ParseBaseException): + ret.append(exc.line) + ret.append(' ' * (exc.col - 1) + '^') + ret.append("{0}: {1}".format(type(exc).__name__, exc)) + + if depth > 0: + callers = inspect.getinnerframes(exc.__traceback__, context=depth) + seen = set() + for i, ff in enumerate(callers[-depth:]): + frm = ff[0] + + f_self = frm.f_locals.get('self', None) + if isinstance(f_self, ParserElement): + if frm.f_code.co_name not in ('parseImpl', '_parseNoCache'): + continue + if f_self in seen: + continue + seen.add(f_self) + + self_type = type(f_self) + ret.append("{0}.{1} - {2}".format(self_type.__module__, + self_type.__name__, + f_self)) + elif f_self is not None: + self_type = type(f_self) + ret.append("{0}.{1}".format(self_type.__module__, + self_type.__name__)) + else: + code = frm.f_code + if code.co_name in ('wrapper', '<module>'): + continue + + ret.append("{0}".format(code.co_name)) + + depth -= 1 + if not depth: + break + + return '\n'.join(ret) + + +class ParseFatalException(ParseBaseException): + """user-throwable exception thrown when inconsistent parse content + is found; stops all parsing immediately""" + pass + +class ParseSyntaxException(ParseFatalException): + """just like :class:`ParseFatalException`, but thrown internally + when an :class:`ErrorStop<And._ErrorStop>` ('-' operator) indicates + that parsing is to stop immediately because an unbacktrackable + syntax error has been found. + """ + pass + +#~ class ReparseException(ParseBaseException): + #~ """Experimental class - parse actions can raise this exception to cause + #~ pyparsing to reparse the input string: + #~ - with a modified input string, and/or + #~ - with a modified start location + #~ Set the values of the ReparseException in the constructor, and raise the + #~ exception in a parse action to cause pyparsing to use the new string/location. + #~ Setting the values as None causes no change to be made. + #~ """ + #~ def __init_( self, newstring, restartLoc ): + #~ self.newParseText = newstring + #~ self.reparseLoc = restartLoc + +class RecursiveGrammarException(Exception): + """exception thrown by :class:`ParserElement.validate` if the + grammar could be improperly recursive + """ + def __init__(self, parseElementList): + self.parseElementTrace = parseElementList + + def __str__(self): + return "RecursiveGrammarException: %s" % self.parseElementTrace + +class _ParseResultsWithOffset(object): + def __init__(self, p1, p2): + self.tup = (p1, p2) + def __getitem__(self, i): + return self.tup[i] + def __repr__(self): + return repr(self.tup[0]) + def setOffset(self, i): + self.tup = (self.tup[0], i) + +class ParseResults(object): + """Structured parse results, to provide multiple means of access to + the parsed data: + + - as a list (``len(results)``) + - by list index (``results[0], results[1]``, etc.) + - by attribute (``results.<resultsName>`` - see :class:`ParserElement.setResultsName`) + + Example:: + + integer = Word(nums) + date_str = (integer.setResultsName("year") + '/' + + integer.setResultsName("month") + '/' + + integer.setResultsName("day")) + # equivalent form: + # date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + # parseString returns a ParseResults object + result = date_str.parseString("1999/12/31") + + def test(s, fn=repr): + print("%s -> %s" % (s, fn(eval(s)))) + test("list(result)") + test("result[0]") + test("result['month']") + test("result.day") + test("'month' in result") + test("'minutes' in result") + test("result.dump()", str) + + prints:: + + list(result) -> ['1999', '/', '12', '/', '31'] + result[0] -> '1999' + result['month'] -> '12' + result.day -> '31' + 'month' in result -> True + 'minutes' in result -> False + result.dump() -> ['1999', '/', '12', '/', '31'] + - day: 31 + - month: 12 + - year: 1999 + """ + def __new__(cls, toklist=None, name=None, asList=True, modal=True): + if isinstance(toklist, cls): + return toklist + retobj = object.__new__(cls) + retobj.__doinit = True + return retobj + + # Performance tuning: we construct a *lot* of these, so keep this + # constructor as small and fast as possible + def __init__(self, toklist=None, name=None, asList=True, modal=True, isinstance=isinstance): + if self.__doinit: + self.__doinit = False + self.__name = None + self.__parent = None + self.__accumNames = {} + self.__asList = asList + self.__modal = modal + if toklist is None: + toklist = [] + if isinstance(toklist, list): + self.__toklist = toklist[:] + elif isinstance(toklist, _generatorType): + self.__toklist = list(toklist) + else: + self.__toklist = [toklist] + self.__tokdict = dict() + + if name is not None and name: + if not modal: + self.__accumNames[name] = 0 + if isinstance(name, int): + name = _ustr(name) # will always return a str, but use _ustr for consistency + self.__name = name + if not (isinstance(toklist, (type(None), basestring, list)) and toklist in (None, '', [])): + if isinstance(toklist, basestring): + toklist = [toklist] + if asList: + if isinstance(toklist, ParseResults): + self[name] = _ParseResultsWithOffset(ParseResults(toklist.__toklist), 0) + else: + self[name] = _ParseResultsWithOffset(ParseResults(toklist[0]), 0) + self[name].__name = name + else: + try: + self[name] = toklist[0] + except (KeyError, TypeError, IndexError): + self[name] = toklist + + def __getitem__(self, i): + if isinstance(i, (int, slice)): + return self.__toklist[i] + else: + if i not in self.__accumNames: + return self.__tokdict[i][-1][0] + else: + return ParseResults([v[0] for v in self.__tokdict[i]]) + + def __setitem__(self, k, v, isinstance=isinstance): + if isinstance(v, _ParseResultsWithOffset): + self.__tokdict[k] = self.__tokdict.get(k, list()) + [v] + sub = v[0] + elif isinstance(k, (int, slice)): + self.__toklist[k] = v + sub = v + else: + self.__tokdict[k] = self.__tokdict.get(k, list()) + [_ParseResultsWithOffset(v, 0)] + sub = v + if isinstance(sub, ParseResults): + sub.__parent = wkref(self) + + def __delitem__(self, i): + if isinstance(i, (int, slice)): + mylen = len(self.__toklist) + del self.__toklist[i] + + # convert int to slice + if isinstance(i, int): + if i < 0: + i += mylen + i = slice(i, i + 1) + # get removed indices + removed = list(range(*i.indices(mylen))) + removed.reverse() + # fixup indices in token dictionary + for name, occurrences in self.__tokdict.items(): + for j in removed: + for k, (value, position) in enumerate(occurrences): + occurrences[k] = _ParseResultsWithOffset(value, position - (position > j)) + else: + del self.__tokdict[i] + + def __contains__(self, k): + return k in self.__tokdict + + def __len__(self): + return len(self.__toklist) + + def __bool__(self): + return (not not self.__toklist) + __nonzero__ = __bool__ + + def __iter__(self): + return iter(self.__toklist) + + def __reversed__(self): + return iter(self.__toklist[::-1]) + + def _iterkeys(self): + if hasattr(self.__tokdict, "iterkeys"): + return self.__tokdict.iterkeys() + else: + return iter(self.__tokdict) + + def _itervalues(self): + return (self[k] for k in self._iterkeys()) + + def _iteritems(self): + return ((k, self[k]) for k in self._iterkeys()) + + if PY_3: + keys = _iterkeys + """Returns an iterator of all named result keys.""" + + values = _itervalues + """Returns an iterator of all named result values.""" + + items = _iteritems + """Returns an iterator of all named result key-value tuples.""" + + else: + iterkeys = _iterkeys + """Returns an iterator of all named result keys (Python 2.x only).""" + + itervalues = _itervalues + """Returns an iterator of all named result values (Python 2.x only).""" + + iteritems = _iteritems + """Returns an iterator of all named result key-value tuples (Python 2.x only).""" + + def keys(self): + """Returns all named result keys (as a list in Python 2.x, as an iterator in Python 3.x).""" + return list(self.iterkeys()) + + def values(self): + """Returns all named result values (as a list in Python 2.x, as an iterator in Python 3.x).""" + return list(self.itervalues()) + + def items(self): + """Returns all named result key-values (as a list of tuples in Python 2.x, as an iterator in Python 3.x).""" + return list(self.iteritems()) + + def haskeys(self): + """Since keys() returns an iterator, this method is helpful in bypassing + code that looks for the existence of any defined results names.""" + return bool(self.__tokdict) + + def pop(self, *args, **kwargs): + """ + Removes and returns item at specified index (default= ``last``). + Supports both ``list`` and ``dict`` semantics for ``pop()``. If + passed no argument or an integer argument, it will use ``list`` + semantics and pop tokens from the list of parsed tokens. If passed + a non-integer argument (most likely a string), it will use ``dict`` + semantics and pop the corresponding value from any defined results + names. A second default return value argument is supported, just as in + ``dict.pop()``. + + Example:: + + def remove_first(tokens): + tokens.pop(0) + print(OneOrMore(Word(nums)).parseString("0 123 321")) # -> ['0', '123', '321'] + print(OneOrMore(Word(nums)).addParseAction(remove_first).parseString("0 123 321")) # -> ['123', '321'] + + label = Word(alphas) + patt = label("LABEL") + OneOrMore(Word(nums)) + print(patt.parseString("AAB 123 321").dump()) + + # Use pop() in a parse action to remove named result (note that corresponding value is not + # removed from list form of results) + def remove_LABEL(tokens): + tokens.pop("LABEL") + return tokens + patt.addParseAction(remove_LABEL) + print(patt.parseString("AAB 123 321").dump()) + + prints:: + + ['AAB', '123', '321'] + - LABEL: AAB + + ['AAB', '123', '321'] + """ + if not args: + args = [-1] + for k, v in kwargs.items(): + if k == 'default': + args = (args[0], v) + else: + raise TypeError("pop() got an unexpected keyword argument '%s'" % k) + if (isinstance(args[0], int) + or len(args) == 1 + or args[0] in self): + index = args[0] + ret = self[index] + del self[index] + return ret + else: + defaultvalue = args[1] + return defaultvalue + + def get(self, key, defaultValue=None): + """ + Returns named result matching the given key, or if there is no + such name, then returns the given ``defaultValue`` or ``None`` if no + ``defaultValue`` is specified. + + Similar to ``dict.get()``. + + Example:: + + integer = Word(nums) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + result = date_str.parseString("1999/12/31") + print(result.get("year")) # -> '1999' + print(result.get("hour", "not specified")) # -> 'not specified' + print(result.get("hour")) # -> None + """ + if key in self: + return self[key] + else: + return defaultValue + + def insert(self, index, insStr): + """ + Inserts new element at location index in the list of parsed tokens. + + Similar to ``list.insert()``. + + Example:: + + print(OneOrMore(Word(nums)).parseString("0 123 321")) # -> ['0', '123', '321'] + + # use a parse action to insert the parse location in the front of the parsed results + def insert_locn(locn, tokens): + tokens.insert(0, locn) + print(OneOrMore(Word(nums)).addParseAction(insert_locn).parseString("0 123 321")) # -> [0, '0', '123', '321'] + """ + self.__toklist.insert(index, insStr) + # fixup indices in token dictionary + for name, occurrences in self.__tokdict.items(): + for k, (value, position) in enumerate(occurrences): + occurrences[k] = _ParseResultsWithOffset(value, position + (position > index)) + + def append(self, item): + """ + Add single element to end of ParseResults list of elements. + + Example:: + + print(OneOrMore(Word(nums)).parseString("0 123 321")) # -> ['0', '123', '321'] + + # use a parse action to compute the sum of the parsed integers, and add it to the end + def append_sum(tokens): + tokens.append(sum(map(int, tokens))) + print(OneOrMore(Word(nums)).addParseAction(append_sum).parseString("0 123 321")) # -> ['0', '123', '321', 444] + """ + self.__toklist.append(item) + + def extend(self, itemseq): + """ + Add sequence of elements to end of ParseResults list of elements. + + Example:: + + patt = OneOrMore(Word(alphas)) + + # use a parse action to append the reverse of the matched strings, to make a palindrome + def make_palindrome(tokens): + tokens.extend(reversed([t[::-1] for t in tokens])) + return ''.join(tokens) + print(patt.addParseAction(make_palindrome).parseString("lskdj sdlkjf lksd")) # -> 'lskdjsdlkjflksddsklfjkldsjdksl' + """ + if isinstance(itemseq, ParseResults): + self.__iadd__(itemseq) + else: + self.__toklist.extend(itemseq) + + def clear(self): + """ + Clear all elements and results names. + """ + del self.__toklist[:] + self.__tokdict.clear() + + def __getattr__(self, name): + try: + return self[name] + except KeyError: + return "" + + def __add__(self, other): + ret = self.copy() + ret += other + return ret + + def __iadd__(self, other): + if other.__tokdict: + offset = len(self.__toklist) + addoffset = lambda a: offset if a < 0 else a + offset + otheritems = other.__tokdict.items() + otherdictitems = [(k, _ParseResultsWithOffset(v[0], addoffset(v[1]))) + for k, vlist in otheritems for v in vlist] + for k, v in otherdictitems: + self[k] = v + if isinstance(v[0], ParseResults): + v[0].__parent = wkref(self) + + self.__toklist += other.__toklist + self.__accumNames.update(other.__accumNames) + return self + + def __radd__(self, other): + if isinstance(other, int) and other == 0: + # useful for merging many ParseResults using sum() builtin + return self.copy() + else: + # this may raise a TypeError - so be it + return other + self + + def __repr__(self): + return "(%s, %s)" % (repr(self.__toklist), repr(self.__tokdict)) + + def __str__(self): + return '[' + ', '.join(_ustr(i) if isinstance(i, ParseResults) else repr(i) for i in self.__toklist) + ']' + + def _asStringList(self, sep=''): + out = [] + for item in self.__toklist: + if out and sep: + out.append(sep) + if isinstance(item, ParseResults): + out += item._asStringList() + else: + out.append(_ustr(item)) + return out + + def asList(self): + """ + Returns the parse results as a nested list of matching tokens, all converted to strings. + + Example:: + + patt = OneOrMore(Word(alphas)) + result = patt.parseString("sldkj lsdkj sldkj") + # even though the result prints in string-like form, it is actually a pyparsing ParseResults + print(type(result), result) # -> <class 'pyparsing.ParseResults'> ['sldkj', 'lsdkj', 'sldkj'] + + # Use asList() to create an actual list + result_list = result.asList() + print(type(result_list), result_list) # -> <class 'list'> ['sldkj', 'lsdkj', 'sldkj'] + """ + return [res.asList() if isinstance(res, ParseResults) else res for res in self.__toklist] + + def asDict(self): + """ + Returns the named parse results as a nested dictionary. + + Example:: + + integer = Word(nums) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + result = date_str.parseString('12/31/1999') + print(type(result), repr(result)) # -> <class 'pyparsing.ParseResults'> (['12', '/', '31', '/', '1999'], {'day': [('1999', 4)], 'year': [('12', 0)], 'month': [('31', 2)]}) + + result_dict = result.asDict() + print(type(result_dict), repr(result_dict)) # -> <class 'dict'> {'day': '1999', 'year': '12', 'month': '31'} + + # even though a ParseResults supports dict-like access, sometime you just need to have a dict + import json + print(json.dumps(result)) # -> Exception: TypeError: ... is not JSON serializable + print(json.dumps(result.asDict())) # -> {"month": "31", "day": "1999", "year": "12"} + """ + if PY_3: + item_fn = self.items + else: + item_fn = self.iteritems + + def toItem(obj): + if isinstance(obj, ParseResults): + if obj.haskeys(): + return obj.asDict() + else: + return [toItem(v) for v in obj] + else: + return obj + + return dict((k, toItem(v)) for k, v in item_fn()) + + def copy(self): + """ + Returns a new copy of a :class:`ParseResults` object. + """ + ret = ParseResults(self.__toklist) + ret.__tokdict = dict(self.__tokdict.items()) + ret.__parent = self.__parent + ret.__accumNames.update(self.__accumNames) + ret.__name = self.__name + return ret + + def asXML(self, doctag=None, namedItemsOnly=False, indent="", formatted=True): + """ + (Deprecated) Returns the parse results as XML. Tags are created for tokens and lists that have defined results names. + """ + nl = "\n" + out = [] + namedItems = dict((v[1], k) for (k, vlist) in self.__tokdict.items() + for v in vlist) + nextLevelIndent = indent + " " + + # collapse out indents if formatting is not desired + if not formatted: + indent = "" + nextLevelIndent = "" + nl = "" + + selfTag = None + if doctag is not None: + selfTag = doctag + else: + if self.__name: + selfTag = self.__name + + if not selfTag: + if namedItemsOnly: + return "" + else: + selfTag = "ITEM" + + out += [nl, indent, "<", selfTag, ">"] + + for i, res in enumerate(self.__toklist): + if isinstance(res, ParseResults): + if i in namedItems: + out += [res.asXML(namedItems[i], + namedItemsOnly and doctag is None, + nextLevelIndent, + formatted)] + else: + out += [res.asXML(None, + namedItemsOnly and doctag is None, + nextLevelIndent, + formatted)] + else: + # individual token, see if there is a name for it + resTag = None + if i in namedItems: + resTag = namedItems[i] + if not resTag: + if namedItemsOnly: + continue + else: + resTag = "ITEM" + xmlBodyText = _xml_escape(_ustr(res)) + out += [nl, nextLevelIndent, "<", resTag, ">", + xmlBodyText, + "</", resTag, ">"] + + out += [nl, indent, "</", selfTag, ">"] + return "".join(out) + + def __lookup(self, sub): + for k, vlist in self.__tokdict.items(): + for v, loc in vlist: + if sub is v: + return k + return None + + def getName(self): + r""" + Returns the results name for this token expression. Useful when several + different expressions might match at a particular location. + + Example:: + + integer = Word(nums) + ssn_expr = Regex(r"\d\d\d-\d\d-\d\d\d\d") + house_number_expr = Suppress('#') + Word(nums, alphanums) + user_data = (Group(house_number_expr)("house_number") + | Group(ssn_expr)("ssn") + | Group(integer)("age")) + user_info = OneOrMore(user_data) + + result = user_info.parseString("22 111-22-3333 #221B") + for item in result: + print(item.getName(), ':', item[0]) + + prints:: + + age : 22 + ssn : 111-22-3333 + house_number : 221B + """ + if self.__name: + return self.__name + elif self.__parent: + par = self.__parent() + if par: + return par.__lookup(self) + else: + return None + elif (len(self) == 1 + and len(self.__tokdict) == 1 + and next(iter(self.__tokdict.values()))[0][1] in (0, -1)): + return next(iter(self.__tokdict.keys())) + else: + return None + + def dump(self, indent='', full=True, include_list=True, _depth=0): + """ + Diagnostic method for listing out the contents of + a :class:`ParseResults`. Accepts an optional ``indent`` argument so + that this string can be embedded in a nested display of other data. + + Example:: + + integer = Word(nums) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + result = date_str.parseString('12/31/1999') + print(result.dump()) + + prints:: + + ['12', '/', '31', '/', '1999'] + - day: 1999 + - month: 31 + - year: 12 + """ + out = [] + NL = '\n' + if include_list: + out.append(indent + _ustr(self.asList())) + else: + out.append('') + + if full: + if self.haskeys(): + items = sorted((str(k), v) for k, v in self.items()) + for k, v in items: + if out: + out.append(NL) + out.append("%s%s- %s: " % (indent, (' ' * _depth), k)) + if isinstance(v, ParseResults): + if v: + out.append(v.dump(indent=indent, full=full, include_list=include_list, _depth=_depth + 1)) + else: + out.append(_ustr(v)) + else: + out.append(repr(v)) + elif any(isinstance(vv, ParseResults) for vv in self): + v = self + for i, vv in enumerate(v): + if isinstance(vv, ParseResults): + out.append("\n%s%s[%d]:\n%s%s%s" % (indent, + (' ' * (_depth)), + i, + indent, + (' ' * (_depth + 1)), + vv.dump(indent=indent, + full=full, + include_list=include_list, + _depth=_depth + 1))) + else: + out.append("\n%s%s[%d]:\n%s%s%s" % (indent, + (' ' * (_depth)), + i, + indent, + (' ' * (_depth + 1)), + _ustr(vv))) + + return "".join(out) + + def pprint(self, *args, **kwargs): + """ + Pretty-printer for parsed results as a list, using the + `pprint <https://docs.python.org/3/library/pprint.html>`_ module. + Accepts additional positional or keyword args as defined for + `pprint.pprint <https://docs.python.org/3/library/pprint.html#pprint.pprint>`_ . + + Example:: + + ident = Word(alphas, alphanums) + num = Word(nums) + func = Forward() + term = ident | num | Group('(' + func + ')') + func <<= ident + Group(Optional(delimitedList(term))) + result = func.parseString("fna a,b,(fnb c,d,200),100") + result.pprint(width=40) + + prints:: + + ['fna', + ['a', + 'b', + ['(', 'fnb', ['c', 'd', '200'], ')'], + '100']] + """ + pprint.pprint(self.asList(), *args, **kwargs) + + # add support for pickle protocol + def __getstate__(self): + return (self.__toklist, + (self.__tokdict.copy(), + self.__parent is not None and self.__parent() or None, + self.__accumNames, + self.__name)) + + def __setstate__(self, state): + self.__toklist = state[0] + self.__tokdict, par, inAccumNames, self.__name = state[1] + self.__accumNames = {} + self.__accumNames.update(inAccumNames) + if par is not None: + self.__parent = wkref(par) + else: + self.__parent = None + + def __getnewargs__(self): + return self.__toklist, self.__name, self.__asList, self.__modal + + def __dir__(self): + return dir(type(self)) + list(self.keys()) + + @classmethod + def from_dict(cls, other, name=None): + """ + Helper classmethod to construct a ParseResults from a dict, preserving the + name-value relations as results names. If an optional 'name' argument is + given, a nested ParseResults will be returned + """ + def is_iterable(obj): + try: + iter(obj) + except Exception: + return False + else: + if PY_3: + return not isinstance(obj, (str, bytes)) + else: + return not isinstance(obj, basestring) + + ret = cls([]) + for k, v in other.items(): + if isinstance(v, Mapping): + ret += cls.from_dict(v, name=k) + else: + ret += cls([v], name=k, asList=is_iterable(v)) + if name is not None: + ret = cls([ret], name=name) + return ret + +MutableMapping.register(ParseResults) + +def col (loc, strg): + """Returns current column within a string, counting newlines as line separators. + The first column is number 1. + + Note: the default parsing behavior is to expand tabs in the input string + before starting the parsing process. See + :class:`ParserElement.parseString` for more + information on parsing strings containing ``<TAB>`` s, and suggested + methods to maintain a consistent view of the parsed string, the parse + location, and line and column positions within the parsed string. + """ + s = strg + return 1 if 0 < loc < len(s) and s[loc-1] == '\n' else loc - s.rfind("\n", 0, loc) + +def lineno(loc, strg): + """Returns current line number within a string, counting newlines as line separators. + The first line is number 1. + + Note - the default parsing behavior is to expand tabs in the input string + before starting the parsing process. See :class:`ParserElement.parseString` + for more information on parsing strings containing ``<TAB>`` s, and + suggested methods to maintain a consistent view of the parsed string, the + parse location, and line and column positions within the parsed string. + """ + return strg.count("\n", 0, loc) + 1 + +def line(loc, strg): + """Returns the line of text containing loc within a string, counting newlines as line separators. + """ + lastCR = strg.rfind("\n", 0, loc) + nextCR = strg.find("\n", loc) + if nextCR >= 0: + return strg[lastCR + 1:nextCR] + else: + return strg[lastCR + 1:] + +def _defaultStartDebugAction(instring, loc, expr): + print(("Match " + _ustr(expr) + " at loc " + _ustr(loc) + "(%d,%d)" % (lineno(loc, instring), col(loc, instring)))) + +def _defaultSuccessDebugAction(instring, startloc, endloc, expr, toks): + print("Matched " + _ustr(expr) + " -> " + str(toks.asList())) + +def _defaultExceptionDebugAction(instring, loc, expr, exc): + print("Exception raised:" + _ustr(exc)) + +def nullDebugAction(*args): + """'Do-nothing' debug action, to suppress debugging output during parsing.""" + pass + +# Only works on Python 3.x - nonlocal is toxic to Python 2 installs +#~ 'decorator to trim function calls to match the arity of the target' +#~ def _trim_arity(func, maxargs=3): + #~ if func in singleArgBuiltins: + #~ return lambda s,l,t: func(t) + #~ limit = 0 + #~ foundArity = False + #~ def wrapper(*args): + #~ nonlocal limit,foundArity + #~ while 1: + #~ try: + #~ ret = func(*args[limit:]) + #~ foundArity = True + #~ return ret + #~ except TypeError: + #~ if limit == maxargs or foundArity: + #~ raise + #~ limit += 1 + #~ continue + #~ return wrapper + +# this version is Python 2.x-3.x cross-compatible +'decorator to trim function calls to match the arity of the target' +def _trim_arity(func, maxargs=2): + if func in singleArgBuiltins: + return lambda s, l, t: func(t) + limit = [0] + foundArity = [False] + + # traceback return data structure changed in Py3.5 - normalize back to plain tuples + if system_version[:2] >= (3, 5): + def extract_stack(limit=0): + # special handling for Python 3.5.0 - extra deep call stack by 1 + offset = -3 if system_version == (3, 5, 0) else -2 + frame_summary = traceback.extract_stack(limit=-offset + limit - 1)[offset] + return [frame_summary[:2]] + def extract_tb(tb, limit=0): + frames = traceback.extract_tb(tb, limit=limit) + frame_summary = frames[-1] + return [frame_summary[:2]] + else: + extract_stack = traceback.extract_stack + extract_tb = traceback.extract_tb + + # synthesize what would be returned by traceback.extract_stack at the call to + # user's parse action 'func', so that we don't incur call penalty at parse time + + LINE_DIFF = 6 + # IF ANY CODE CHANGES, EVEN JUST COMMENTS OR BLANK LINES, BETWEEN THE NEXT LINE AND + # THE CALL TO FUNC INSIDE WRAPPER, LINE_DIFF MUST BE MODIFIED!!!! + this_line = extract_stack(limit=2)[-1] + pa_call_line_synth = (this_line[0], this_line[1] + LINE_DIFF) + + def wrapper(*args): + while 1: + try: + ret = func(*args[limit[0]:]) + foundArity[0] = True + return ret + except TypeError: + # re-raise TypeErrors if they did not come from our arity testing + if foundArity[0]: + raise + else: + try: + tb = sys.exc_info()[-1] + if not extract_tb(tb, limit=2)[-1][:2] == pa_call_line_synth: + raise + finally: + try: + del tb + except NameError: + pass + + if limit[0] <= maxargs: + limit[0] += 1 + continue + raise + + # copy func name to wrapper for sensible debug output + func_name = "<parse action>" + try: + func_name = getattr(func, '__name__', + getattr(func, '__class__').__name__) + except Exception: + func_name = str(func) + wrapper.__name__ = func_name + + return wrapper + + +class ParserElement(object): + """Abstract base level parser element class.""" + DEFAULT_WHITE_CHARS = " \n\t\r" + verbose_stacktrace = False + + @staticmethod + def setDefaultWhitespaceChars(chars): + r""" + Overrides the default whitespace chars + + Example:: + + # default whitespace chars are space, <TAB> and newline + OneOrMore(Word(alphas)).parseString("abc def\nghi jkl") # -> ['abc', 'def', 'ghi', 'jkl'] + + # change to just treat newline as significant + ParserElement.setDefaultWhitespaceChars(" \t") + OneOrMore(Word(alphas)).parseString("abc def\nghi jkl") # -> ['abc', 'def'] + """ + ParserElement.DEFAULT_WHITE_CHARS = chars + + @staticmethod + def inlineLiteralsUsing(cls): + """ + Set class to be used for inclusion of string literals into a parser. + + Example:: + + # default literal class used is Literal + integer = Word(nums) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + date_str.parseString("1999/12/31") # -> ['1999', '/', '12', '/', '31'] + + + # change to Suppress + ParserElement.inlineLiteralsUsing(Suppress) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + date_str.parseString("1999/12/31") # -> ['1999', '12', '31'] + """ + ParserElement._literalStringClass = cls + + @classmethod + def _trim_traceback(cls, tb): + while tb.tb_next: + tb = tb.tb_next + return tb + + def __init__(self, savelist=False): + self.parseAction = list() + self.failAction = None + # ~ self.name = "<unknown>" # don't define self.name, let subclasses try/except upcall + self.strRepr = None + self.resultsName = None + self.saveAsList = savelist + self.skipWhitespace = True + self.whiteChars = set(ParserElement.DEFAULT_WHITE_CHARS) + self.copyDefaultWhiteChars = True + self.mayReturnEmpty = False # used when checking for left-recursion + self.keepTabs = False + self.ignoreExprs = list() + self.debug = False + self.streamlined = False + self.mayIndexError = True # used to optimize exception handling for subclasses that don't advance parse index + self.errmsg = "" + self.modalResults = True # used to mark results names as modal (report only last) or cumulative (list all) + self.debugActions = (None, None, None) # custom debug actions + self.re = None + self.callPreparse = True # used to avoid redundant calls to preParse + self.callDuringTry = False + + def copy(self): + """ + Make a copy of this :class:`ParserElement`. Useful for defining + different parse actions for the same parsing pattern, using copies of + the original parse element. + + Example:: + + integer = Word(nums).setParseAction(lambda toks: int(toks[0])) + integerK = integer.copy().addParseAction(lambda toks: toks[0] * 1024) + Suppress("K") + integerM = integer.copy().addParseAction(lambda toks: toks[0] * 1024 * 1024) + Suppress("M") + + print(OneOrMore(integerK | integerM | integer).parseString("5K 100 640K 256M")) + + prints:: + + [5120, 100, 655360, 268435456] + + Equivalent form of ``expr.copy()`` is just ``expr()``:: + + integerM = integer().addParseAction(lambda toks: toks[0] * 1024 * 1024) + Suppress("M") + """ + cpy = copy.copy(self) + cpy.parseAction = self.parseAction[:] + cpy.ignoreExprs = self.ignoreExprs[:] + if self.copyDefaultWhiteChars: + cpy.whiteChars = ParserElement.DEFAULT_WHITE_CHARS + return cpy + + def setName(self, name): + """ + Define name for this expression, makes debugging and exception messages clearer. + + Example:: + + Word(nums).parseString("ABC") # -> Exception: Expected W:(0123...) (at char 0), (line:1, col:1) + Word(nums).setName("integer").parseString("ABC") # -> Exception: Expected integer (at char 0), (line:1, col:1) + """ + self.name = name + self.errmsg = "Expected " + self.name + if __diag__.enable_debug_on_named_expressions: + self.setDebug() + return self + + def setResultsName(self, name, listAllMatches=False): + """ + Define name for referencing matching tokens as a nested attribute + of the returned parse results. + NOTE: this returns a *copy* of the original :class:`ParserElement` object; + this is so that the client can define a basic element, such as an + integer, and reference it in multiple places with different names. + + You can also set results names using the abbreviated syntax, + ``expr("name")`` in place of ``expr.setResultsName("name")`` + - see :class:`__call__`. + + Example:: + + date_str = (integer.setResultsName("year") + '/' + + integer.setResultsName("month") + '/' + + integer.setResultsName("day")) + + # equivalent form: + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + """ + return self._setResultsName(name, listAllMatches) + + def _setResultsName(self, name, listAllMatches=False): + newself = self.copy() + if name.endswith("*"): + name = name[:-1] + listAllMatches = True + newself.resultsName = name + newself.modalResults = not listAllMatches + return newself + + def setBreak(self, breakFlag=True): + """Method to invoke the Python pdb debugger when this element is + about to be parsed. Set ``breakFlag`` to True to enable, False to + disable. + """ + if breakFlag: + _parseMethod = self._parse + def breaker(instring, loc, doActions=True, callPreParse=True): + import pdb + # this call to pdb.set_trace() is intentional, not a checkin error + pdb.set_trace() + return _parseMethod(instring, loc, doActions, callPreParse) + breaker._originalParseMethod = _parseMethod + self._parse = breaker + else: + if hasattr(self._parse, "_originalParseMethod"): + self._parse = self._parse._originalParseMethod + return self + + def setParseAction(self, *fns, **kwargs): + """ + Define one or more actions to perform when successfully matching parse element definition. + Parse action fn is a callable method with 0-3 arguments, called as ``fn(s, loc, toks)`` , + ``fn(loc, toks)`` , ``fn(toks)`` , or just ``fn()`` , where: + + - s = the original string being parsed (see note below) + - loc = the location of the matching substring + - toks = a list of the matched tokens, packaged as a :class:`ParseResults` object + + If the functions in fns modify the tokens, they can return them as the return + value from fn, and the modified list of tokens will replace the original. + Otherwise, fn does not need to return any value. + + If None is passed as the parse action, all previously added parse actions for this + expression are cleared. + + Optional keyword arguments: + - callDuringTry = (default= ``False``) indicate if parse action should be run during lookaheads and alternate testing + + Note: the default parsing behavior is to expand tabs in the input string + before starting the parsing process. See :class:`parseString for more + information on parsing strings containing ``<TAB>`` s, and suggested + methods to maintain a consistent view of the parsed string, the parse + location, and line and column positions within the parsed string. + + Example:: + + integer = Word(nums) + date_str = integer + '/' + integer + '/' + integer + + date_str.parseString("1999/12/31") # -> ['1999', '/', '12', '/', '31'] + + # use parse action to convert to ints at parse time + integer = Word(nums).setParseAction(lambda toks: int(toks[0])) + date_str = integer + '/' + integer + '/' + integer + + # note that integer fields are now ints, not strings + date_str.parseString("1999/12/31") # -> [1999, '/', 12, '/', 31] + """ + if list(fns) == [None,]: + self.parseAction = [] + else: + if not all(callable(fn) for fn in fns): + raise TypeError("parse actions must be callable") + self.parseAction = list(map(_trim_arity, list(fns))) + self.callDuringTry = kwargs.get("callDuringTry", False) + return self + + def addParseAction(self, *fns, **kwargs): + """ + Add one or more parse actions to expression's list of parse actions. See :class:`setParseAction`. + + See examples in :class:`copy`. + """ + self.parseAction += list(map(_trim_arity, list(fns))) + self.callDuringTry = self.callDuringTry or kwargs.get("callDuringTry", False) + return self + + def addCondition(self, *fns, **kwargs): + """Add a boolean predicate function to expression's list of parse actions. See + :class:`setParseAction` for function call signatures. Unlike ``setParseAction``, + functions passed to ``addCondition`` need to return boolean success/fail of the condition. + + Optional keyword arguments: + - message = define a custom message to be used in the raised exception + - fatal = if True, will raise ParseFatalException to stop parsing immediately; otherwise will raise ParseException + + Example:: + + integer = Word(nums).setParseAction(lambda toks: int(toks[0])) + year_int = integer.copy() + year_int.addCondition(lambda toks: toks[0] >= 2000, message="Only support years 2000 and later") + date_str = year_int + '/' + integer + '/' + integer + + result = date_str.parseString("1999/12/31") # -> Exception: Only support years 2000 and later (at char 0), (line:1, col:1) + """ + for fn in fns: + self.parseAction.append(conditionAsParseAction(fn, message=kwargs.get('message'), + fatal=kwargs.get('fatal', False))) + + self.callDuringTry = self.callDuringTry or kwargs.get("callDuringTry", False) + return self + + def setFailAction(self, fn): + """Define action to perform if parsing fails at this expression. + Fail acton fn is a callable function that takes the arguments + ``fn(s, loc, expr, err)`` where: + - s = string being parsed + - loc = location where expression match was attempted and failed + - expr = the parse expression that failed + - err = the exception thrown + The function returns no value. It may throw :class:`ParseFatalException` + if it is desired to stop parsing immediately.""" + self.failAction = fn + return self + + def _skipIgnorables(self, instring, loc): + exprsFound = True + while exprsFound: + exprsFound = False + for e in self.ignoreExprs: + try: + while 1: + loc, dummy = e._parse(instring, loc) + exprsFound = True + except ParseException: + pass + return loc + + def preParse(self, instring, loc): + if self.ignoreExprs: + loc = self._skipIgnorables(instring, loc) + + if self.skipWhitespace: + wt = self.whiteChars + instrlen = len(instring) + while loc < instrlen and instring[loc] in wt: + loc += 1 + + return loc + + def parseImpl(self, instring, loc, doActions=True): + return loc, [] + + def postParse(self, instring, loc, tokenlist): + return tokenlist + + # ~ @profile + def _parseNoCache(self, instring, loc, doActions=True, callPreParse=True): + TRY, MATCH, FAIL = 0, 1, 2 + debugging = (self.debug) # and doActions) + + if debugging or self.failAction: + # ~ print ("Match", self, "at loc", loc, "(%d, %d)" % (lineno(loc, instring), col(loc, instring))) + if self.debugActions[TRY]: + self.debugActions[TRY](instring, loc, self) + try: + if callPreParse and self.callPreparse: + preloc = self.preParse(instring, loc) + else: + preloc = loc + tokensStart = preloc + if self.mayIndexError or preloc >= len(instring): + try: + loc, tokens = self.parseImpl(instring, preloc, doActions) + except IndexError: + raise ParseException(instring, len(instring), self.errmsg, self) + else: + loc, tokens = self.parseImpl(instring, preloc, doActions) + except Exception as err: + # ~ print ("Exception raised:", err) + if self.debugActions[FAIL]: + self.debugActions[FAIL](instring, tokensStart, self, err) + if self.failAction: + self.failAction(instring, tokensStart, self, err) + raise + else: + if callPreParse and self.callPreparse: + preloc = self.preParse(instring, loc) + else: + preloc = loc + tokensStart = preloc + if self.mayIndexError or preloc >= len(instring): + try: + loc, tokens = self.parseImpl(instring, preloc, doActions) + except IndexError: + raise ParseException(instring, len(instring), self.errmsg, self) + else: + loc, tokens = self.parseImpl(instring, preloc, doActions) + + tokens = self.postParse(instring, loc, tokens) + + retTokens = ParseResults(tokens, self.resultsName, asList=self.saveAsList, modal=self.modalResults) + if self.parseAction and (doActions or self.callDuringTry): + if debugging: + try: + for fn in self.parseAction: + try: + tokens = fn(instring, tokensStart, retTokens) + except IndexError as parse_action_exc: + exc = ParseException("exception raised in parse action") + exc.__cause__ = parse_action_exc + raise exc + + if tokens is not None and tokens is not retTokens: + retTokens = ParseResults(tokens, + self.resultsName, + asList=self.saveAsList and isinstance(tokens, (ParseResults, list)), + modal=self.modalResults) + except Exception as err: + # ~ print "Exception raised in user parse action:", err + if self.debugActions[FAIL]: + self.debugActions[FAIL](instring, tokensStart, self, err) + raise + else: + for fn in self.parseAction: + try: + tokens = fn(instring, tokensStart, retTokens) + except IndexError as parse_action_exc: + exc = ParseException("exception raised in parse action") + exc.__cause__ = parse_action_exc + raise exc + + if tokens is not None and tokens is not retTokens: + retTokens = ParseResults(tokens, + self.resultsName, + asList=self.saveAsList and isinstance(tokens, (ParseResults, list)), + modal=self.modalResults) + if debugging: + # ~ print ("Matched", self, "->", retTokens.asList()) + if self.debugActions[MATCH]: + self.debugActions[MATCH](instring, tokensStart, loc, self, retTokens) + + return loc, retTokens + + def tryParse(self, instring, loc): + try: + return self._parse(instring, loc, doActions=False)[0] + except ParseFatalException: + raise ParseException(instring, loc, self.errmsg, self) + + def canParseNext(self, instring, loc): + try: + self.tryParse(instring, loc) + except (ParseException, IndexError): + return False + else: + return True + + class _UnboundedCache(object): + def __init__(self): + cache = {} + self.not_in_cache = not_in_cache = object() + + def get(self, key): + return cache.get(key, not_in_cache) + + def set(self, key, value): + cache[key] = value + + def clear(self): + cache.clear() + + def cache_len(self): + return len(cache) + + self.get = types.MethodType(get, self) + self.set = types.MethodType(set, self) + self.clear = types.MethodType(clear, self) + self.__len__ = types.MethodType(cache_len, self) + + if _OrderedDict is not None: + class _FifoCache(object): + def __init__(self, size): + self.not_in_cache = not_in_cache = object() + + cache = _OrderedDict() + + def get(self, key): + return cache.get(key, not_in_cache) + + def set(self, key, value): + cache[key] = value + while len(cache) > size: + try: + cache.popitem(False) + except KeyError: + pass + + def clear(self): + cache.clear() + + def cache_len(self): + return len(cache) + + self.get = types.MethodType(get, self) + self.set = types.MethodType(set, self) + self.clear = types.MethodType(clear, self) + self.__len__ = types.MethodType(cache_len, self) + + else: + class _FifoCache(object): + def __init__(self, size): + self.not_in_cache = not_in_cache = object() + + cache = {} + key_fifo = collections.deque([], size) + + def get(self, key): + return cache.get(key, not_in_cache) + + def set(self, key, value): + cache[key] = value + while len(key_fifo) > size: + cache.pop(key_fifo.popleft(), None) + key_fifo.append(key) + + def clear(self): + cache.clear() + key_fifo.clear() + + def cache_len(self): + return len(cache) + + self.get = types.MethodType(get, self) + self.set = types.MethodType(set, self) + self.clear = types.MethodType(clear, self) + self.__len__ = types.MethodType(cache_len, self) + + # argument cache for optimizing repeated calls when backtracking through recursive expressions + packrat_cache = {} # this is set later by enabledPackrat(); this is here so that resetCache() doesn't fail + packrat_cache_lock = RLock() + packrat_cache_stats = [0, 0] + + # this method gets repeatedly called during backtracking with the same arguments - + # we can cache these arguments and save ourselves the trouble of re-parsing the contained expression + def _parseCache(self, instring, loc, doActions=True, callPreParse=True): + HIT, MISS = 0, 1 + lookup = (self, instring, loc, callPreParse, doActions) + with ParserElement.packrat_cache_lock: + cache = ParserElement.packrat_cache + value = cache.get(lookup) + if value is cache.not_in_cache: + ParserElement.packrat_cache_stats[MISS] += 1 + try: + value = self._parseNoCache(instring, loc, doActions, callPreParse) + except ParseBaseException as pe: + # cache a copy of the exception, without the traceback + cache.set(lookup, pe.__class__(*pe.args)) + raise + else: + cache.set(lookup, (value[0], value[1].copy())) + return value + else: + ParserElement.packrat_cache_stats[HIT] += 1 + if isinstance(value, Exception): + raise value + return value[0], value[1].copy() + + _parse = _parseNoCache + + @staticmethod + def resetCache(): + ParserElement.packrat_cache.clear() + ParserElement.packrat_cache_stats[:] = [0] * len(ParserElement.packrat_cache_stats) + + _packratEnabled = False + @staticmethod + def enablePackrat(cache_size_limit=128): + """Enables "packrat" parsing, which adds memoizing to the parsing logic. + Repeated parse attempts at the same string location (which happens + often in many complex grammars) can immediately return a cached value, + instead of re-executing parsing/validating code. Memoizing is done of + both valid results and parsing exceptions. + + Parameters: + + - cache_size_limit - (default= ``128``) - if an integer value is provided + will limit the size of the packrat cache; if None is passed, then + the cache size will be unbounded; if 0 is passed, the cache will + be effectively disabled. + + This speedup may break existing programs that use parse actions that + have side-effects. For this reason, packrat parsing is disabled when + you first import pyparsing. To activate the packrat feature, your + program must call the class method :class:`ParserElement.enablePackrat`. + For best results, call ``enablePackrat()`` immediately after + importing pyparsing. + + Example:: + + from pip._vendor import pyparsing + pyparsing.ParserElement.enablePackrat() + """ + if not ParserElement._packratEnabled: + ParserElement._packratEnabled = True + if cache_size_limit is None: + ParserElement.packrat_cache = ParserElement._UnboundedCache() + else: + ParserElement.packrat_cache = ParserElement._FifoCache(cache_size_limit) + ParserElement._parse = ParserElement._parseCache + + def parseString(self, instring, parseAll=False): + """ + Execute the parse expression with the given string. + This is the main interface to the client code, once the complete + expression has been built. + + Returns the parsed data as a :class:`ParseResults` object, which may be + accessed as a list, or as a dict or object with attributes if the given parser + includes results names. + + If you want the grammar to require that the entire input string be + successfully parsed, then set ``parseAll`` to True (equivalent to ending + the grammar with ``StringEnd()``). + + Note: ``parseString`` implicitly calls ``expandtabs()`` on the input string, + in order to report proper column numbers in parse actions. + If the input string contains tabs and + the grammar uses parse actions that use the ``loc`` argument to index into the + string being parsed, you can ensure you have a consistent view of the input + string by: + + - calling ``parseWithTabs`` on your grammar before calling ``parseString`` + (see :class:`parseWithTabs`) + - define your parse action using the full ``(s, loc, toks)`` signature, and + reference the input string using the parse action's ``s`` argument + - explictly expand the tabs in your input string before calling + ``parseString`` + + Example:: + + Word('a').parseString('aaaaabaaa') # -> ['aaaaa'] + Word('a').parseString('aaaaabaaa', parseAll=True) # -> Exception: Expected end of text + """ + ParserElement.resetCache() + if not self.streamlined: + self.streamline() + # ~ self.saveAsList = True + for e in self.ignoreExprs: + e.streamline() + if not self.keepTabs: + instring = instring.expandtabs() + try: + loc, tokens = self._parse(instring, 0) + if parseAll: + loc = self.preParse(instring, loc) + se = Empty() + StringEnd() + se._parse(instring, loc) + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clearing out pyparsing internal stack trace + if getattr(exc, '__traceback__', None) is not None: + exc.__traceback__ = self._trim_traceback(exc.__traceback__) + raise exc + else: + return tokens + + def scanString(self, instring, maxMatches=_MAX_INT, overlap=False): + """ + Scan the input string for expression matches. Each match will return the + matching tokens, start location, and end location. May be called with optional + ``maxMatches`` argument, to clip scanning after 'n' matches are found. If + ``overlap`` is specified, then overlapping matches will be reported. + + Note that the start and end locations are reported relative to the string + being parsed. See :class:`parseString` for more information on parsing + strings with embedded tabs. + + Example:: + + source = "sldjf123lsdjjkf345sldkjf879lkjsfd987" + print(source) + for tokens, start, end in Word(alphas).scanString(source): + print(' '*start + '^'*(end-start)) + print(' '*start + tokens[0]) + + prints:: + + sldjf123lsdjjkf345sldkjf879lkjsfd987 + ^^^^^ + sldjf + ^^^^^^^ + lsdjjkf + ^^^^^^ + sldkjf + ^^^^^^ + lkjsfd + """ + if not self.streamlined: + self.streamline() + for e in self.ignoreExprs: + e.streamline() + + if not self.keepTabs: + instring = _ustr(instring).expandtabs() + instrlen = len(instring) + loc = 0 + preparseFn = self.preParse + parseFn = self._parse + ParserElement.resetCache() + matches = 0 + try: + while loc <= instrlen and matches < maxMatches: + try: + preloc = preparseFn(instring, loc) + nextLoc, tokens = parseFn(instring, preloc, callPreParse=False) + except ParseException: + loc = preloc + 1 + else: + if nextLoc > loc: + matches += 1 + yield tokens, preloc, nextLoc + if overlap: + nextloc = preparseFn(instring, loc) + if nextloc > loc: + loc = nextLoc + else: + loc += 1 + else: + loc = nextLoc + else: + loc = preloc + 1 + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clearing out pyparsing internal stack trace + if getattr(exc, '__traceback__', None) is not None: + exc.__traceback__ = self._trim_traceback(exc.__traceback__) + raise exc + + def transformString(self, instring): + """ + Extension to :class:`scanString`, to modify matching text with modified tokens that may + be returned from a parse action. To use ``transformString``, define a grammar and + attach a parse action to it that modifies the returned token list. + Invoking ``transformString()`` on a target string will then scan for matches, + and replace the matched text patterns according to the logic in the parse + action. ``transformString()`` returns the resulting transformed string. + + Example:: + + wd = Word(alphas) + wd.setParseAction(lambda toks: toks[0].title()) + + print(wd.transformString("now is the winter of our discontent made glorious summer by this sun of york.")) + + prints:: + + Now Is The Winter Of Our Discontent Made Glorious Summer By This Sun Of York. + """ + out = [] + lastE = 0 + # force preservation of <TAB>s, to minimize unwanted transformation of string, and to + # keep string locs straight between transformString and scanString + self.keepTabs = True + try: + for t, s, e in self.scanString(instring): + out.append(instring[lastE:s]) + if t: + if isinstance(t, ParseResults): + out += t.asList() + elif isinstance(t, list): + out += t + else: + out.append(t) + lastE = e + out.append(instring[lastE:]) + out = [o for o in out if o] + return "".join(map(_ustr, _flatten(out))) + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clearing out pyparsing internal stack trace + if getattr(exc, '__traceback__', None) is not None: + exc.__traceback__ = self._trim_traceback(exc.__traceback__) + raise exc + + def searchString(self, instring, maxMatches=_MAX_INT): + """ + Another extension to :class:`scanString`, simplifying the access to the tokens found + to match the given parse expression. May be called with optional + ``maxMatches`` argument, to clip searching after 'n' matches are found. + + Example:: + + # a capitalized word starts with an uppercase letter, followed by zero or more lowercase letters + cap_word = Word(alphas.upper(), alphas.lower()) + + print(cap_word.searchString("More than Iron, more than Lead, more than Gold I need Electricity")) + + # the sum() builtin can be used to merge results into a single ParseResults object + print(sum(cap_word.searchString("More than Iron, more than Lead, more than Gold I need Electricity"))) + + prints:: + + [['More'], ['Iron'], ['Lead'], ['Gold'], ['I'], ['Electricity']] + ['More', 'Iron', 'Lead', 'Gold', 'I', 'Electricity'] + """ + try: + return ParseResults([t for t, s, e in self.scanString(instring, maxMatches)]) + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clearing out pyparsing internal stack trace + if getattr(exc, '__traceback__', None) is not None: + exc.__traceback__ = self._trim_traceback(exc.__traceback__) + raise exc + + def split(self, instring, maxsplit=_MAX_INT, includeSeparators=False): + """ + Generator method to split a string using the given expression as a separator. + May be called with optional ``maxsplit`` argument, to limit the number of splits; + and the optional ``includeSeparators`` argument (default= ``False``), if the separating + matching text should be included in the split results. + + Example:: + + punc = oneOf(list(".,;:/-!?")) + print(list(punc.split("This, this?, this sentence, is badly punctuated!"))) + + prints:: + + ['This', ' this', '', ' this sentence', ' is badly punctuated', ''] + """ + splits = 0 + last = 0 + for t, s, e in self.scanString(instring, maxMatches=maxsplit): + yield instring[last:s] + if includeSeparators: + yield t[0] + last = e + yield instring[last:] + + def __add__(self, other): + """ + Implementation of + operator - returns :class:`And`. Adding strings to a ParserElement + converts them to :class:`Literal`s by default. + + Example:: + + greet = Word(alphas) + "," + Word(alphas) + "!" + hello = "Hello, World!" + print (hello, "->", greet.parseString(hello)) + + prints:: + + Hello, World! -> ['Hello', ',', 'World', '!'] + + ``...`` may be used as a parse expression as a short form of :class:`SkipTo`. + + Literal('start') + ... + Literal('end') + + is equivalent to: + + Literal('start') + SkipTo('end')("_skipped*") + Literal('end') + + Note that the skipped text is returned with '_skipped' as a results name, + and to support having multiple skips in the same parser, the value returned is + a list of all skipped text. + """ + if other is Ellipsis: + return _PendingSkip(self) + + if isinstance(other, basestring): + other = self._literalStringClass(other) + if not isinstance(other, ParserElement): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return And([self, other]) + + def __radd__(self, other): + """ + Implementation of + operator when left operand is not a :class:`ParserElement` + """ + if other is Ellipsis: + return SkipTo(self)("_skipped*") + self + + if isinstance(other, basestring): + other = self._literalStringClass(other) + if not isinstance(other, ParserElement): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other + self + + def __sub__(self, other): + """ + Implementation of - operator, returns :class:`And` with error stop + """ + if isinstance(other, basestring): + other = self._literalStringClass(other) + if not isinstance(other, ParserElement): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return self + And._ErrorStop() + other + + def __rsub__(self, other): + """ + Implementation of - operator when left operand is not a :class:`ParserElement` + """ + if isinstance(other, basestring): + other = self._literalStringClass(other) + if not isinstance(other, ParserElement): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other - self + + def __mul__(self, other): + """ + Implementation of * operator, allows use of ``expr * 3`` in place of + ``expr + expr + expr``. Expressions may also me multiplied by a 2-integer + tuple, similar to ``{min, max}`` multipliers in regular expressions. Tuples + may also include ``None`` as in: + - ``expr*(n, None)`` or ``expr*(n, )`` is equivalent + to ``expr*n + ZeroOrMore(expr)`` + (read as "at least n instances of ``expr``") + - ``expr*(None, n)`` is equivalent to ``expr*(0, n)`` + (read as "0 to n instances of ``expr``") + - ``expr*(None, None)`` is equivalent to ``ZeroOrMore(expr)`` + - ``expr*(1, None)`` is equivalent to ``OneOrMore(expr)`` + + Note that ``expr*(None, n)`` does not raise an exception if + more than n exprs exist in the input stream; that is, + ``expr*(None, n)`` does not enforce a maximum number of expr + occurrences. If this behavior is desired, then write + ``expr*(None, n) + ~expr`` + """ + if other is Ellipsis: + other = (0, None) + elif isinstance(other, tuple) and other[:1] == (Ellipsis,): + other = ((0, ) + other[1:] + (None,))[:2] + + if isinstance(other, int): + minElements, optElements = other, 0 + elif isinstance(other, tuple): + other = tuple(o if o is not Ellipsis else None for o in other) + other = (other + (None, None))[:2] + if other[0] is None: + other = (0, other[1]) + if isinstance(other[0], int) and other[1] is None: + if other[0] == 0: + return ZeroOrMore(self) + if other[0] == 1: + return OneOrMore(self) + else: + return self * other[0] + ZeroOrMore(self) + elif isinstance(other[0], int) and isinstance(other[1], int): + minElements, optElements = other + optElements -= minElements + else: + raise TypeError("cannot multiply 'ParserElement' and ('%s', '%s') objects", type(other[0]), type(other[1])) + else: + raise TypeError("cannot multiply 'ParserElement' and '%s' objects", type(other)) + + if minElements < 0: + raise ValueError("cannot multiply ParserElement by negative value") + if optElements < 0: + raise ValueError("second tuple value must be greater or equal to first tuple value") + if minElements == optElements == 0: + raise ValueError("cannot multiply ParserElement by 0 or (0, 0)") + + if optElements: + def makeOptionalList(n): + if n > 1: + return Optional(self + makeOptionalList(n - 1)) + else: + return Optional(self) + if minElements: + if minElements == 1: + ret = self + makeOptionalList(optElements) + else: + ret = And([self] * minElements) + makeOptionalList(optElements) + else: + ret = makeOptionalList(optElements) + else: + if minElements == 1: + ret = self + else: + ret = And([self] * minElements) + return ret + + def __rmul__(self, other): + return self.__mul__(other) + + def __or__(self, other): + """ + Implementation of | operator - returns :class:`MatchFirst` + """ + if other is Ellipsis: + return _PendingSkip(self, must_skip=True) + + if isinstance(other, basestring): + other = self._literalStringClass(other) + if not isinstance(other, ParserElement): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return MatchFirst([self, other]) + + def __ror__(self, other): + """ + Implementation of | operator when left operand is not a :class:`ParserElement` + """ + if isinstance(other, basestring): + other = self._literalStringClass(other) + if not isinstance(other, ParserElement): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other | self + + def __xor__(self, other): + """ + Implementation of ^ operator - returns :class:`Or` + """ + if isinstance(other, basestring): + other = self._literalStringClass(other) + if not isinstance(other, ParserElement): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return Or([self, other]) + + def __rxor__(self, other): + """ + Implementation of ^ operator when left operand is not a :class:`ParserElement` + """ + if isinstance(other, basestring): + other = self._literalStringClass(other) + if not isinstance(other, ParserElement): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other ^ self + + def __and__(self, other): + """ + Implementation of & operator - returns :class:`Each` + """ + if isinstance(other, basestring): + other = self._literalStringClass(other) + if not isinstance(other, ParserElement): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return Each([self, other]) + + def __rand__(self, other): + """ + Implementation of & operator when left operand is not a :class:`ParserElement` + """ + if isinstance(other, basestring): + other = self._literalStringClass(other) + if not isinstance(other, ParserElement): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other & self + + def __invert__(self): + """ + Implementation of ~ operator - returns :class:`NotAny` + """ + return NotAny(self) + + def __iter__(self): + # must implement __iter__ to override legacy use of sequential access to __getitem__ to + # iterate over a sequence + raise TypeError('%r object is not iterable' % self.__class__.__name__) + + def __getitem__(self, key): + """ + use ``[]`` indexing notation as a short form for expression repetition: + - ``expr[n]`` is equivalent to ``expr*n`` + - ``expr[m, n]`` is equivalent to ``expr*(m, n)`` + - ``expr[n, ...]`` or ``expr[n,]`` is equivalent + to ``expr*n + ZeroOrMore(expr)`` + (read as "at least n instances of ``expr``") + - ``expr[..., n]`` is equivalent to ``expr*(0, n)`` + (read as "0 to n instances of ``expr``") + - ``expr[...]`` and ``expr[0, ...]`` are equivalent to ``ZeroOrMore(expr)`` + - ``expr[1, ...]`` is equivalent to ``OneOrMore(expr)`` + ``None`` may be used in place of ``...``. + + Note that ``expr[..., n]`` and ``expr[m, n]``do not raise an exception + if more than ``n`` ``expr``s exist in the input stream. If this behavior is + desired, then write ``expr[..., n] + ~expr``. + """ + + # convert single arg keys to tuples + try: + if isinstance(key, str): + key = (key,) + iter(key) + except TypeError: + key = (key, key) + + if len(key) > 2: + warnings.warn("only 1 or 2 index arguments supported ({0}{1})".format(key[:5], + '... [{0}]'.format(len(key)) + if len(key) > 5 else '')) + + # clip to 2 elements + ret = self * tuple(key[:2]) + return ret + + def __call__(self, name=None): + """ + Shortcut for :class:`setResultsName`, with ``listAllMatches=False``. + + If ``name`` is given with a trailing ``'*'`` character, then ``listAllMatches`` will be + passed as ``True``. + + If ``name` is omitted, same as calling :class:`copy`. + + Example:: + + # these are equivalent + userdata = Word(alphas).setResultsName("name") + Word(nums + "-").setResultsName("socsecno") + userdata = Word(alphas)("name") + Word(nums + "-")("socsecno") + """ + if name is not None: + return self._setResultsName(name) + else: + return self.copy() + + def suppress(self): + """ + Suppresses the output of this :class:`ParserElement`; useful to keep punctuation from + cluttering up returned output. + """ + return Suppress(self) + + def leaveWhitespace(self): + """ + Disables the skipping of whitespace before matching the characters in the + :class:`ParserElement`'s defined pattern. This is normally only used internally by + the pyparsing module, but may be needed in some whitespace-sensitive grammars. + """ + self.skipWhitespace = False + return self + + def setWhitespaceChars(self, chars): + """ + Overrides the default whitespace chars + """ + self.skipWhitespace = True + self.whiteChars = chars + self.copyDefaultWhiteChars = False + return self + + def parseWithTabs(self): + """ + Overrides default behavior to expand ``<TAB>``s to spaces before parsing the input string. + Must be called before ``parseString`` when the input grammar contains elements that + match ``<TAB>`` characters. + """ + self.keepTabs = True + return self + + def ignore(self, other): + """ + Define expression to be ignored (e.g., comments) while doing pattern + matching; may be called repeatedly, to define multiple comment or other + ignorable patterns. + + Example:: + + patt = OneOrMore(Word(alphas)) + patt.parseString('ablaj /* comment */ lskjd') # -> ['ablaj'] + + patt.ignore(cStyleComment) + patt.parseString('ablaj /* comment */ lskjd') # -> ['ablaj', 'lskjd'] + """ + if isinstance(other, basestring): + other = Suppress(other) + + if isinstance(other, Suppress): + if other not in self.ignoreExprs: + self.ignoreExprs.append(other) + else: + self.ignoreExprs.append(Suppress(other.copy())) + return self + + def setDebugActions(self, startAction, successAction, exceptionAction): + """ + Enable display of debugging messages while doing pattern matching. + """ + self.debugActions = (startAction or _defaultStartDebugAction, + successAction or _defaultSuccessDebugAction, + exceptionAction or _defaultExceptionDebugAction) + self.debug = True + return self + + def setDebug(self, flag=True): + """ + Enable display of debugging messages while doing pattern matching. + Set ``flag`` to True to enable, False to disable. + + Example:: + + wd = Word(alphas).setName("alphaword") + integer = Word(nums).setName("numword") + term = wd | integer + + # turn on debugging for wd + wd.setDebug() + + OneOrMore(term).parseString("abc 123 xyz 890") + + prints:: + + Match alphaword at loc 0(1,1) + Matched alphaword -> ['abc'] + Match alphaword at loc 3(1,4) + Exception raised:Expected alphaword (at char 4), (line:1, col:5) + Match alphaword at loc 7(1,8) + Matched alphaword -> ['xyz'] + Match alphaword at loc 11(1,12) + Exception raised:Expected alphaword (at char 12), (line:1, col:13) + Match alphaword at loc 15(1,16) + Exception raised:Expected alphaword (at char 15), (line:1, col:16) + + The output shown is that produced by the default debug actions - custom debug actions can be + specified using :class:`setDebugActions`. Prior to attempting + to match the ``wd`` expression, the debugging message ``"Match <exprname> at loc <n>(<line>,<col>)"`` + is shown. Then if the parse succeeds, a ``"Matched"`` message is shown, or an ``"Exception raised"`` + message is shown. Also note the use of :class:`setName` to assign a human-readable name to the expression, + which makes debugging and exception messages easier to understand - for instance, the default + name created for the :class:`Word` expression without calling ``setName`` is ``"W:(ABCD...)"``. + """ + if flag: + self.setDebugActions(_defaultStartDebugAction, _defaultSuccessDebugAction, _defaultExceptionDebugAction) + else: + self.debug = False + return self + + def __str__(self): + return self.name + + def __repr__(self): + return _ustr(self) + + def streamline(self): + self.streamlined = True + self.strRepr = None + return self + + def checkRecursion(self, parseElementList): + pass + + def validate(self, validateTrace=None): + """ + Check defined expressions for valid structure, check for infinite recursive definitions. + """ + self.checkRecursion([]) + + def parseFile(self, file_or_filename, parseAll=False): + """ + Execute the parse expression on the given file or filename. + If a filename is specified (instead of a file object), + the entire file is opened, read, and closed before parsing. + """ + try: + file_contents = file_or_filename.read() + except AttributeError: + with open(file_or_filename, "r") as f: + file_contents = f.read() + try: + return self.parseString(file_contents, parseAll) + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clearing out pyparsing internal stack trace + if getattr(exc, '__traceback__', None) is not None: + exc.__traceback__ = self._trim_traceback(exc.__traceback__) + raise exc + + def __eq__(self, other): + if self is other: + return True + elif isinstance(other, basestring): + return self.matches(other) + elif isinstance(other, ParserElement): + return vars(self) == vars(other) + return False + + def __ne__(self, other): + return not (self == other) + + def __hash__(self): + return id(self) + + def __req__(self, other): + return self == other + + def __rne__(self, other): + return not (self == other) + + def matches(self, testString, parseAll=True): + """ + Method for quick testing of a parser against a test string. Good for simple + inline microtests of sub expressions while building up larger parser. + + Parameters: + - testString - to test against this expression for a match + - parseAll - (default= ``True``) - flag to pass to :class:`parseString` when running tests + + Example:: + + expr = Word(nums) + assert expr.matches("100") + """ + try: + self.parseString(_ustr(testString), parseAll=parseAll) + return True + except ParseBaseException: + return False + + def runTests(self, tests, parseAll=True, comment='#', + fullDump=True, printResults=True, failureTests=False, postParse=None, + file=None): + """ + Execute the parse expression on a series of test strings, showing each + test, the parsed results or where the parse failed. Quick and easy way to + run a parse expression against a list of sample strings. + + Parameters: + - tests - a list of separate test strings, or a multiline string of test strings + - parseAll - (default= ``True``) - flag to pass to :class:`parseString` when running tests + - comment - (default= ``'#'``) - expression for indicating embedded comments in the test + string; pass None to disable comment filtering + - fullDump - (default= ``True``) - dump results as list followed by results names in nested outline; + if False, only dump nested list + - printResults - (default= ``True``) prints test output to stdout + - failureTests - (default= ``False``) indicates if these tests are expected to fail parsing + - postParse - (default= ``None``) optional callback for successful parse results; called as + `fn(test_string, parse_results)` and returns a string to be added to the test output + - file - (default=``None``) optional file-like object to which test output will be written; + if None, will default to ``sys.stdout`` + + Returns: a (success, results) tuple, where success indicates that all tests succeeded + (or failed if ``failureTests`` is True), and the results contain a list of lines of each + test's output + + Example:: + + number_expr = pyparsing_common.number.copy() + + result = number_expr.runTests(''' + # unsigned integer + 100 + # negative integer + -100 + # float with scientific notation + 6.02e23 + # integer with scientific notation + 1e-12 + ''') + print("Success" if result[0] else "Failed!") + + result = number_expr.runTests(''' + # stray character + 100Z + # missing leading digit before '.' + -.100 + # too many '.' + 3.14.159 + ''', failureTests=True) + print("Success" if result[0] else "Failed!") + + prints:: + + # unsigned integer + 100 + [100] + + # negative integer + -100 + [-100] + + # float with scientific notation + 6.02e23 + [6.02e+23] + + # integer with scientific notation + 1e-12 + [1e-12] + + Success + + # stray character + 100Z + ^ + FAIL: Expected end of text (at char 3), (line:1, col:4) + + # missing leading digit before '.' + -.100 + ^ + FAIL: Expected {real number with scientific notation | real number | signed integer} (at char 0), (line:1, col:1) + + # too many '.' + 3.14.159 + ^ + FAIL: Expected end of text (at char 4), (line:1, col:5) + + Success + + Each test string must be on a single line. If you want to test a string that spans multiple + lines, create a test like this:: + + expr.runTest(r"this is a test\\n of strings that spans \\n 3 lines") + + (Note that this is a raw string literal, you must include the leading 'r'.) + """ + if isinstance(tests, basestring): + tests = list(map(str.strip, tests.rstrip().splitlines())) + if isinstance(comment, basestring): + comment = Literal(comment) + if file is None: + file = sys.stdout + print_ = file.write + + allResults = [] + comments = [] + success = True + NL = Literal(r'\n').addParseAction(replaceWith('\n')).ignore(quotedString) + BOM = u'\ufeff' + for t in tests: + if comment is not None and comment.matches(t, False) or comments and not t: + comments.append(t) + continue + if not t: + continue + out = ['\n' + '\n'.join(comments) if comments else '', t] + comments = [] + try: + # convert newline marks to actual newlines, and strip leading BOM if present + t = NL.transformString(t.lstrip(BOM)) + result = self.parseString(t, parseAll=parseAll) + except ParseBaseException as pe: + fatal = "(FATAL)" if isinstance(pe, ParseFatalException) else "" + if '\n' in t: + out.append(line(pe.loc, t)) + out.append(' ' * (col(pe.loc, t) - 1) + '^' + fatal) + else: + out.append(' ' * pe.loc + '^' + fatal) + out.append("FAIL: " + str(pe)) + success = success and failureTests + result = pe + except Exception as exc: + out.append("FAIL-EXCEPTION: " + str(exc)) + success = success and failureTests + result = exc + else: + success = success and not failureTests + if postParse is not None: + try: + pp_value = postParse(t, result) + if pp_value is not None: + if isinstance(pp_value, ParseResults): + out.append(pp_value.dump()) + else: + out.append(str(pp_value)) + else: + out.append(result.dump()) + except Exception as e: + out.append(result.dump(full=fullDump)) + out.append("{0} failed: {1}: {2}".format(postParse.__name__, type(e).__name__, e)) + else: + out.append(result.dump(full=fullDump)) + + if printResults: + if fullDump: + out.append('') + print_('\n'.join(out)) + + allResults.append((t, result)) + + return success, allResults + + +class _PendingSkip(ParserElement): + # internal placeholder class to hold a place were '...' is added to a parser element, + # once another ParserElement is added, this placeholder will be replaced with a SkipTo + def __init__(self, expr, must_skip=False): + super(_PendingSkip, self).__init__() + self.strRepr = str(expr + Empty()).replace('Empty', '...') + self.name = self.strRepr + self.anchor = expr + self.must_skip = must_skip + + def __add__(self, other): + skipper = SkipTo(other).setName("...")("_skipped*") + if self.must_skip: + def must_skip(t): + if not t._skipped or t._skipped.asList() == ['']: + del t[0] + t.pop("_skipped", None) + def show_skip(t): + if t._skipped.asList()[-1:] == ['']: + skipped = t.pop('_skipped') + t['_skipped'] = 'missing <' + repr(self.anchor) + '>' + return (self.anchor + skipper().addParseAction(must_skip) + | skipper().addParseAction(show_skip)) + other + + return self.anchor + skipper + other + + def __repr__(self): + return self.strRepr + + def parseImpl(self, *args): + raise Exception("use of `...` expression without following SkipTo target expression") + + +class Token(ParserElement): + """Abstract :class:`ParserElement` subclass, for defining atomic + matching patterns. + """ + def __init__(self): + super(Token, self).__init__(savelist=False) + + +class Empty(Token): + """An empty token, will always match. + """ + def __init__(self): + super(Empty, self).__init__() + self.name = "Empty" + self.mayReturnEmpty = True + self.mayIndexError = False + + +class NoMatch(Token): + """A token that will never match. + """ + def __init__(self): + super(NoMatch, self).__init__() + self.name = "NoMatch" + self.mayReturnEmpty = True + self.mayIndexError = False + self.errmsg = "Unmatchable token" + + def parseImpl(self, instring, loc, doActions=True): + raise ParseException(instring, loc, self.errmsg, self) + + +class Literal(Token): + """Token to exactly match a specified string. + + Example:: + + Literal('blah').parseString('blah') # -> ['blah'] + Literal('blah').parseString('blahfooblah') # -> ['blah'] + Literal('blah').parseString('bla') # -> Exception: Expected "blah" + + For case-insensitive matching, use :class:`CaselessLiteral`. + + For keyword matching (force word break before and after the matched string), + use :class:`Keyword` or :class:`CaselessKeyword`. + """ + def __init__(self, matchString): + super(Literal, self).__init__() + self.match = matchString + self.matchLen = len(matchString) + try: + self.firstMatchChar = matchString[0] + except IndexError: + warnings.warn("null string passed to Literal; use Empty() instead", + SyntaxWarning, stacklevel=2) + self.__class__ = Empty + self.name = '"%s"' % _ustr(self.match) + self.errmsg = "Expected " + self.name + self.mayReturnEmpty = False + self.mayIndexError = False + + # Performance tuning: modify __class__ to select + # a parseImpl optimized for single-character check + if self.matchLen == 1 and type(self) is Literal: + self.__class__ = _SingleCharLiteral + + def parseImpl(self, instring, loc, doActions=True): + if instring[loc] == self.firstMatchChar and instring.startswith(self.match, loc): + return loc + self.matchLen, self.match + raise ParseException(instring, loc, self.errmsg, self) + +class _SingleCharLiteral(Literal): + def parseImpl(self, instring, loc, doActions=True): + if instring[loc] == self.firstMatchChar: + return loc + 1, self.match + raise ParseException(instring, loc, self.errmsg, self) + +_L = Literal +ParserElement._literalStringClass = Literal + +class Keyword(Token): + """Token to exactly match a specified string as a keyword, that is, + it must be immediately followed by a non-keyword character. Compare + with :class:`Literal`: + + - ``Literal("if")`` will match the leading ``'if'`` in + ``'ifAndOnlyIf'``. + - ``Keyword("if")`` will not; it will only match the leading + ``'if'`` in ``'if x=1'``, or ``'if(y==2)'`` + + Accepts two optional constructor arguments in addition to the + keyword string: + + - ``identChars`` is a string of characters that would be valid + identifier characters, defaulting to all alphanumerics + "_" and + "$" + - ``caseless`` allows case-insensitive matching, default is ``False``. + + Example:: + + Keyword("start").parseString("start") # -> ['start'] + Keyword("start").parseString("starting") # -> Exception + + For case-insensitive matching, use :class:`CaselessKeyword`. + """ + DEFAULT_KEYWORD_CHARS = alphanums + "_$" + + def __init__(self, matchString, identChars=None, caseless=False): + super(Keyword, self).__init__() + if identChars is None: + identChars = Keyword.DEFAULT_KEYWORD_CHARS + self.match = matchString + self.matchLen = len(matchString) + try: + self.firstMatchChar = matchString[0] + except IndexError: + warnings.warn("null string passed to Keyword; use Empty() instead", + SyntaxWarning, stacklevel=2) + self.name = '"%s"' % self.match + self.errmsg = "Expected " + self.name + self.mayReturnEmpty = False + self.mayIndexError = False + self.caseless = caseless + if caseless: + self.caselessmatch = matchString.upper() + identChars = identChars.upper() + self.identChars = set(identChars) + + def parseImpl(self, instring, loc, doActions=True): + if self.caseless: + if ((instring[loc:loc + self.matchLen].upper() == self.caselessmatch) + and (loc >= len(instring) - self.matchLen + or instring[loc + self.matchLen].upper() not in self.identChars) + and (loc == 0 + or instring[loc - 1].upper() not in self.identChars)): + return loc + self.matchLen, self.match + + else: + if instring[loc] == self.firstMatchChar: + if ((self.matchLen == 1 or instring.startswith(self.match, loc)) + and (loc >= len(instring) - self.matchLen + or instring[loc + self.matchLen] not in self.identChars) + and (loc == 0 or instring[loc - 1] not in self.identChars)): + return loc + self.matchLen, self.match + + raise ParseException(instring, loc, self.errmsg, self) + + def copy(self): + c = super(Keyword, self).copy() + c.identChars = Keyword.DEFAULT_KEYWORD_CHARS + return c + + @staticmethod + def setDefaultKeywordChars(chars): + """Overrides the default Keyword chars + """ + Keyword.DEFAULT_KEYWORD_CHARS = chars + +class CaselessLiteral(Literal): + """Token to match a specified string, ignoring case of letters. + Note: the matched results will always be in the case of the given + match string, NOT the case of the input text. + + Example:: + + OneOrMore(CaselessLiteral("CMD")).parseString("cmd CMD Cmd10") # -> ['CMD', 'CMD', 'CMD'] + + (Contrast with example for :class:`CaselessKeyword`.) + """ + def __init__(self, matchString): + super(CaselessLiteral, self).__init__(matchString.upper()) + # Preserve the defining literal. + self.returnString = matchString + self.name = "'%s'" % self.returnString + self.errmsg = "Expected " + self.name + + def parseImpl(self, instring, loc, doActions=True): + if instring[loc:loc + self.matchLen].upper() == self.match: + return loc + self.matchLen, self.returnString + raise ParseException(instring, loc, self.errmsg, self) + +class CaselessKeyword(Keyword): + """ + Caseless version of :class:`Keyword`. + + Example:: + + OneOrMore(CaselessKeyword("CMD")).parseString("cmd CMD Cmd10") # -> ['CMD', 'CMD'] + + (Contrast with example for :class:`CaselessLiteral`.) + """ + def __init__(self, matchString, identChars=None): + super(CaselessKeyword, self).__init__(matchString, identChars, caseless=True) + +class CloseMatch(Token): + """A variation on :class:`Literal` which matches "close" matches, + that is, strings with at most 'n' mismatching characters. + :class:`CloseMatch` takes parameters: + + - ``match_string`` - string to be matched + - ``maxMismatches`` - (``default=1``) maximum number of + mismatches allowed to count as a match + + The results from a successful parse will contain the matched text + from the input string and the following named results: + + - ``mismatches`` - a list of the positions within the + match_string where mismatches were found + - ``original`` - the original match_string used to compare + against the input string + + If ``mismatches`` is an empty list, then the match was an exact + match. + + Example:: + + patt = CloseMatch("ATCATCGAATGGA") + patt.parseString("ATCATCGAAXGGA") # -> (['ATCATCGAAXGGA'], {'mismatches': [[9]], 'original': ['ATCATCGAATGGA']}) + patt.parseString("ATCAXCGAAXGGA") # -> Exception: Expected 'ATCATCGAATGGA' (with up to 1 mismatches) (at char 0), (line:1, col:1) + + # exact match + patt.parseString("ATCATCGAATGGA") # -> (['ATCATCGAATGGA'], {'mismatches': [[]], 'original': ['ATCATCGAATGGA']}) + + # close match allowing up to 2 mismatches + patt = CloseMatch("ATCATCGAATGGA", maxMismatches=2) + patt.parseString("ATCAXCGAAXGGA") # -> (['ATCAXCGAAXGGA'], {'mismatches': [[4, 9]], 'original': ['ATCATCGAATGGA']}) + """ + def __init__(self, match_string, maxMismatches=1): + super(CloseMatch, self).__init__() + self.name = match_string + self.match_string = match_string + self.maxMismatches = maxMismatches + self.errmsg = "Expected %r (with up to %d mismatches)" % (self.match_string, self.maxMismatches) + self.mayIndexError = False + self.mayReturnEmpty = False + + def parseImpl(self, instring, loc, doActions=True): + start = loc + instrlen = len(instring) + maxloc = start + len(self.match_string) + + if maxloc <= instrlen: + match_string = self.match_string + match_stringloc = 0 + mismatches = [] + maxMismatches = self.maxMismatches + + for match_stringloc, s_m in enumerate(zip(instring[loc:maxloc], match_string)): + src, mat = s_m + if src != mat: + mismatches.append(match_stringloc) + if len(mismatches) > maxMismatches: + break + else: + loc = match_stringloc + 1 + results = ParseResults([instring[start:loc]]) + results['original'] = match_string + results['mismatches'] = mismatches + return loc, results + + raise ParseException(instring, loc, self.errmsg, self) + + +class Word(Token): + """Token for matching words composed of allowed character sets. + Defined with string containing all allowed initial characters, an + optional string containing allowed body characters (if omitted, + defaults to the initial character set), and an optional minimum, + maximum, and/or exact length. The default value for ``min`` is + 1 (a minimum value < 1 is not valid); the default values for + ``max`` and ``exact`` are 0, meaning no maximum or exact + length restriction. An optional ``excludeChars`` parameter can + list characters that might be found in the input ``bodyChars`` + string; useful to define a word of all printables except for one or + two characters, for instance. + + :class:`srange` is useful for defining custom character set strings + for defining ``Word`` expressions, using range notation from + regular expression character sets. + + A common mistake is to use :class:`Word` to match a specific literal + string, as in ``Word("Address")``. Remember that :class:`Word` + uses the string argument to define *sets* of matchable characters. + This expression would match "Add", "AAA", "dAred", or any other word + made up of the characters 'A', 'd', 'r', 'e', and 's'. To match an + exact literal string, use :class:`Literal` or :class:`Keyword`. + + pyparsing includes helper strings for building Words: + + - :class:`alphas` + - :class:`nums` + - :class:`alphanums` + - :class:`hexnums` + - :class:`alphas8bit` (alphabetic characters in ASCII range 128-255 + - accented, tilded, umlauted, etc.) + - :class:`punc8bit` (non-alphabetic characters in ASCII range + 128-255 - currency, symbols, superscripts, diacriticals, etc.) + - :class:`printables` (any non-whitespace character) + + Example:: + + # a word composed of digits + integer = Word(nums) # equivalent to Word("0123456789") or Word(srange("0-9")) + + # a word with a leading capital, and zero or more lowercase + capital_word = Word(alphas.upper(), alphas.lower()) + + # hostnames are alphanumeric, with leading alpha, and '-' + hostname = Word(alphas, alphanums + '-') + + # roman numeral (not a strict parser, accepts invalid mix of characters) + roman = Word("IVXLCDM") + + # any string of non-whitespace characters, except for ',' + csv_value = Word(printables, excludeChars=",") + """ + def __init__(self, initChars, bodyChars=None, min=1, max=0, exact=0, asKeyword=False, excludeChars=None): + super(Word, self).__init__() + if excludeChars: + excludeChars = set(excludeChars) + initChars = ''.join(c for c in initChars if c not in excludeChars) + if bodyChars: + bodyChars = ''.join(c for c in bodyChars if c not in excludeChars) + self.initCharsOrig = initChars + self.initChars = set(initChars) + if bodyChars: + self.bodyCharsOrig = bodyChars + self.bodyChars = set(bodyChars) + else: + self.bodyCharsOrig = initChars + self.bodyChars = set(initChars) + + self.maxSpecified = max > 0 + + if min < 1: + raise ValueError("cannot specify a minimum length < 1; use Optional(Word()) if zero-length word is permitted") + + self.minLen = min + + if max > 0: + self.maxLen = max + else: + self.maxLen = _MAX_INT + + if exact > 0: + self.maxLen = exact + self.minLen = exact + + self.name = _ustr(self) + self.errmsg = "Expected " + self.name + self.mayIndexError = False + self.asKeyword = asKeyword + + if ' ' not in self.initCharsOrig + self.bodyCharsOrig and (min == 1 and max == 0 and exact == 0): + if self.bodyCharsOrig == self.initCharsOrig: + self.reString = "[%s]+" % _escapeRegexRangeChars(self.initCharsOrig) + elif len(self.initCharsOrig) == 1: + self.reString = "%s[%s]*" % (re.escape(self.initCharsOrig), + _escapeRegexRangeChars(self.bodyCharsOrig),) + else: + self.reString = "[%s][%s]*" % (_escapeRegexRangeChars(self.initCharsOrig), + _escapeRegexRangeChars(self.bodyCharsOrig),) + if self.asKeyword: + self.reString = r"\b" + self.reString + r"\b" + + try: + self.re = re.compile(self.reString) + except Exception: + self.re = None + else: + self.re_match = self.re.match + self.__class__ = _WordRegex + + def parseImpl(self, instring, loc, doActions=True): + if instring[loc] not in self.initChars: + raise ParseException(instring, loc, self.errmsg, self) + + start = loc + loc += 1 + instrlen = len(instring) + bodychars = self.bodyChars + maxloc = start + self.maxLen + maxloc = min(maxloc, instrlen) + while loc < maxloc and instring[loc] in bodychars: + loc += 1 + + throwException = False + if loc - start < self.minLen: + throwException = True + elif self.maxSpecified and loc < instrlen and instring[loc] in bodychars: + throwException = True + elif self.asKeyword: + if (start > 0 and instring[start - 1] in bodychars + or loc < instrlen and instring[loc] in bodychars): + throwException = True + + if throwException: + raise ParseException(instring, loc, self.errmsg, self) + + return loc, instring[start:loc] + + def __str__(self): + try: + return super(Word, self).__str__() + except Exception: + pass + + if self.strRepr is None: + + def charsAsStr(s): + if len(s) > 4: + return s[:4] + "..." + else: + return s + + if self.initCharsOrig != self.bodyCharsOrig: + self.strRepr = "W:(%s, %s)" % (charsAsStr(self.initCharsOrig), charsAsStr(self.bodyCharsOrig)) + else: + self.strRepr = "W:(%s)" % charsAsStr(self.initCharsOrig) + + return self.strRepr + +class _WordRegex(Word): + def parseImpl(self, instring, loc, doActions=True): + result = self.re_match(instring, loc) + if not result: + raise ParseException(instring, loc, self.errmsg, self) + + loc = result.end() + return loc, result.group() + + +class Char(_WordRegex): + """A short-cut class for defining ``Word(characters, exact=1)``, + when defining a match of any single character in a string of + characters. + """ + def __init__(self, charset, asKeyword=False, excludeChars=None): + super(Char, self).__init__(charset, exact=1, asKeyword=asKeyword, excludeChars=excludeChars) + self.reString = "[%s]" % _escapeRegexRangeChars(''.join(self.initChars)) + if asKeyword: + self.reString = r"\b%s\b" % self.reString + self.re = re.compile(self.reString) + self.re_match = self.re.match + + +class Regex(Token): + r"""Token for matching strings that match a given regular + expression. Defined with string specifying the regular expression in + a form recognized by the stdlib Python `re module <https://docs.python.org/3/library/re.html>`_. + If the given regex contains named groups (defined using ``(?P<name>...)``), + these will be preserved as named parse results. + + If instead of the Python stdlib re module you wish to use a different RE module + (such as the `regex` module), you can replace it by either building your + Regex object with a compiled RE that was compiled using regex: + + Example:: + + realnum = Regex(r"[+-]?\d+\.\d*") + date = Regex(r'(?P<year>\d{4})-(?P<month>\d\d?)-(?P<day>\d\d?)') + # ref: https://stackoverflow.com/questions/267399/how-do-you-match-only-valid-roman-numerals-with-a-regular-expression + roman = Regex(r"M{0,4}(CM|CD|D?{0,3})(XC|XL|L?X{0,3})(IX|IV|V?I{0,3})") + + # use regex module instead of stdlib re module to construct a Regex using + # a compiled regular expression + import regex + parser = pp.Regex(regex.compile(r'[0-9]')) + + """ + def __init__(self, pattern, flags=0, asGroupList=False, asMatch=False): + """The parameters ``pattern`` and ``flags`` are passed + to the ``re.compile()`` function as-is. See the Python + `re module <https://docs.python.org/3/library/re.html>`_ module for an + explanation of the acceptable patterns and flags. + """ + super(Regex, self).__init__() + + if isinstance(pattern, basestring): + if not pattern: + warnings.warn("null string passed to Regex; use Empty() instead", + SyntaxWarning, stacklevel=2) + + self.pattern = pattern + self.flags = flags + + try: + self.re = re.compile(self.pattern, self.flags) + self.reString = self.pattern + except sre_constants.error: + warnings.warn("invalid pattern (%s) passed to Regex" % pattern, + SyntaxWarning, stacklevel=2) + raise + + elif hasattr(pattern, 'pattern') and hasattr(pattern, 'match'): + self.re = pattern + self.pattern = self.reString = pattern.pattern + self.flags = flags + + else: + raise TypeError("Regex may only be constructed with a string or a compiled RE object") + + self.re_match = self.re.match + + self.name = _ustr(self) + self.errmsg = "Expected " + self.name + self.mayIndexError = False + self.mayReturnEmpty = self.re_match("") is not None + self.asGroupList = asGroupList + self.asMatch = asMatch + if self.asGroupList: + self.parseImpl = self.parseImplAsGroupList + if self.asMatch: + self.parseImpl = self.parseImplAsMatch + + def parseImpl(self, instring, loc, doActions=True): + result = self.re_match(instring, loc) + if not result: + raise ParseException(instring, loc, self.errmsg, self) + + loc = result.end() + ret = ParseResults(result.group()) + d = result.groupdict() + if d: + for k, v in d.items(): + ret[k] = v + return loc, ret + + def parseImplAsGroupList(self, instring, loc, doActions=True): + result = self.re_match(instring, loc) + if not result: + raise ParseException(instring, loc, self.errmsg, self) + + loc = result.end() + ret = result.groups() + return loc, ret + + def parseImplAsMatch(self, instring, loc, doActions=True): + result = self.re_match(instring, loc) + if not result: + raise ParseException(instring, loc, self.errmsg, self) + + loc = result.end() + ret = result + return loc, ret + + def __str__(self): + try: + return super(Regex, self).__str__() + except Exception: + pass + + if self.strRepr is None: + self.strRepr = "Re:(%s)" % repr(self.pattern) + + return self.strRepr + + def sub(self, repl): + r""" + Return Regex with an attached parse action to transform the parsed + result as if called using `re.sub(expr, repl, string) <https://docs.python.org/3/library/re.html#re.sub>`_. + + Example:: + + make_html = Regex(r"(\w+):(.*?):").sub(r"<\1>\2</\1>") + print(make_html.transformString("h1:main title:")) + # prints "<h1>main title</h1>" + """ + if self.asGroupList: + warnings.warn("cannot use sub() with Regex(asGroupList=True)", + SyntaxWarning, stacklevel=2) + raise SyntaxError() + + if self.asMatch and callable(repl): + warnings.warn("cannot use sub() with a callable with Regex(asMatch=True)", + SyntaxWarning, stacklevel=2) + raise SyntaxError() + + if self.asMatch: + def pa(tokens): + return tokens[0].expand(repl) + else: + def pa(tokens): + return self.re.sub(repl, tokens[0]) + return self.addParseAction(pa) + +class QuotedString(Token): + r""" + Token for matching strings that are delimited by quoting characters. + + Defined with the following parameters: + + - quoteChar - string of one or more characters defining the + quote delimiting string + - escChar - character to escape quotes, typically backslash + (default= ``None``) + - escQuote - special quote sequence to escape an embedded quote + string (such as SQL's ``""`` to escape an embedded ``"``) + (default= ``None``) + - multiline - boolean indicating whether quotes can span + multiple lines (default= ``False``) + - unquoteResults - boolean indicating whether the matched text + should be unquoted (default= ``True``) + - endQuoteChar - string of one or more characters defining the + end of the quote delimited string (default= ``None`` => same as + quoteChar) + - convertWhitespaceEscapes - convert escaped whitespace + (``'\t'``, ``'\n'``, etc.) to actual whitespace + (default= ``True``) + + Example:: + + qs = QuotedString('"') + print(qs.searchString('lsjdf "This is the quote" sldjf')) + complex_qs = QuotedString('{{', endQuoteChar='}}') + print(complex_qs.searchString('lsjdf {{This is the "quote"}} sldjf')) + sql_qs = QuotedString('"', escQuote='""') + print(sql_qs.searchString('lsjdf "This is the quote with ""embedded"" quotes" sldjf')) + + prints:: + + [['This is the quote']] + [['This is the "quote"']] + [['This is the quote with "embedded" quotes']] + """ + def __init__(self, quoteChar, escChar=None, escQuote=None, multiline=False, + unquoteResults=True, endQuoteChar=None, convertWhitespaceEscapes=True): + super(QuotedString, self).__init__() + + # remove white space from quote chars - wont work anyway + quoteChar = quoteChar.strip() + if not quoteChar: + warnings.warn("quoteChar cannot be the empty string", SyntaxWarning, stacklevel=2) + raise SyntaxError() + + if endQuoteChar is None: + endQuoteChar = quoteChar + else: + endQuoteChar = endQuoteChar.strip() + if not endQuoteChar: + warnings.warn("endQuoteChar cannot be the empty string", SyntaxWarning, stacklevel=2) + raise SyntaxError() + + self.quoteChar = quoteChar + self.quoteCharLen = len(quoteChar) + self.firstQuoteChar = quoteChar[0] + self.endQuoteChar = endQuoteChar + self.endQuoteCharLen = len(endQuoteChar) + self.escChar = escChar + self.escQuote = escQuote + self.unquoteResults = unquoteResults + self.convertWhitespaceEscapes = convertWhitespaceEscapes + + if multiline: + self.flags = re.MULTILINE | re.DOTALL + self.pattern = r'%s(?:[^%s%s]' % (re.escape(self.quoteChar), + _escapeRegexRangeChars(self.endQuoteChar[0]), + (escChar is not None and _escapeRegexRangeChars(escChar) or '')) + else: + self.flags = 0 + self.pattern = r'%s(?:[^%s\n\r%s]' % (re.escape(self.quoteChar), + _escapeRegexRangeChars(self.endQuoteChar[0]), + (escChar is not None and _escapeRegexRangeChars(escChar) or '')) + if len(self.endQuoteChar) > 1: + self.pattern += ( + '|(?:' + ')|(?:'.join("%s[^%s]" % (re.escape(self.endQuoteChar[:i]), + _escapeRegexRangeChars(self.endQuoteChar[i])) + for i in range(len(self.endQuoteChar) - 1, 0, -1)) + ')') + + if escQuote: + self.pattern += (r'|(?:%s)' % re.escape(escQuote)) + if escChar: + self.pattern += (r'|(?:%s.)' % re.escape(escChar)) + self.escCharReplacePattern = re.escape(self.escChar) + "(.)" + self.pattern += (r')*%s' % re.escape(self.endQuoteChar)) + + try: + self.re = re.compile(self.pattern, self.flags) + self.reString = self.pattern + self.re_match = self.re.match + except sre_constants.error: + warnings.warn("invalid pattern (%s) passed to Regex" % self.pattern, + SyntaxWarning, stacklevel=2) + raise + + self.name = _ustr(self) + self.errmsg = "Expected " + self.name + self.mayIndexError = False + self.mayReturnEmpty = True + + def parseImpl(self, instring, loc, doActions=True): + result = instring[loc] == self.firstQuoteChar and self.re_match(instring, loc) or None + if not result: + raise ParseException(instring, loc, self.errmsg, self) + + loc = result.end() + ret = result.group() + + if self.unquoteResults: + + # strip off quotes + ret = ret[self.quoteCharLen: -self.endQuoteCharLen] + + if isinstance(ret, basestring): + # replace escaped whitespace + if '\\' in ret and self.convertWhitespaceEscapes: + ws_map = { + r'\t': '\t', + r'\n': '\n', + r'\f': '\f', + r'\r': '\r', + } + for wslit, wschar in ws_map.items(): + ret = ret.replace(wslit, wschar) + + # replace escaped characters + if self.escChar: + ret = re.sub(self.escCharReplacePattern, r"\g<1>", ret) + + # replace escaped quotes + if self.escQuote: + ret = ret.replace(self.escQuote, self.endQuoteChar) + + return loc, ret + + def __str__(self): + try: + return super(QuotedString, self).__str__() + except Exception: + pass + + if self.strRepr is None: + self.strRepr = "quoted string, starting with %s ending with %s" % (self.quoteChar, self.endQuoteChar) + + return self.strRepr + + +class CharsNotIn(Token): + """Token for matching words composed of characters *not* in a given + set (will include whitespace in matched characters if not listed in + the provided exclusion set - see example). Defined with string + containing all disallowed characters, and an optional minimum, + maximum, and/or exact length. The default value for ``min`` is + 1 (a minimum value < 1 is not valid); the default values for + ``max`` and ``exact`` are 0, meaning no maximum or exact + length restriction. + + Example:: + + # define a comma-separated-value as anything that is not a ',' + csv_value = CharsNotIn(',') + print(delimitedList(csv_value).parseString("dkls,lsdkjf,s12 34,@!#,213")) + + prints:: + + ['dkls', 'lsdkjf', 's12 34', '@!#', '213'] + """ + def __init__(self, notChars, min=1, max=0, exact=0): + super(CharsNotIn, self).__init__() + self.skipWhitespace = False + self.notChars = notChars + + if min < 1: + raise ValueError("cannot specify a minimum length < 1; use " + "Optional(CharsNotIn()) if zero-length char group is permitted") + + self.minLen = min + + if max > 0: + self.maxLen = max + else: + self.maxLen = _MAX_INT + + if exact > 0: + self.maxLen = exact + self.minLen = exact + + self.name = _ustr(self) + self.errmsg = "Expected " + self.name + self.mayReturnEmpty = (self.minLen == 0) + self.mayIndexError = False + + def parseImpl(self, instring, loc, doActions=True): + if instring[loc] in self.notChars: + raise ParseException(instring, loc, self.errmsg, self) + + start = loc + loc += 1 + notchars = self.notChars + maxlen = min(start + self.maxLen, len(instring)) + while loc < maxlen and instring[loc] not in notchars: + loc += 1 + + if loc - start < self.minLen: + raise ParseException(instring, loc, self.errmsg, self) + + return loc, instring[start:loc] + + def __str__(self): + try: + return super(CharsNotIn, self).__str__() + except Exception: + pass + + if self.strRepr is None: + if len(self.notChars) > 4: + self.strRepr = "!W:(%s...)" % self.notChars[:4] + else: + self.strRepr = "!W:(%s)" % self.notChars + + return self.strRepr + +class White(Token): + """Special matching class for matching whitespace. Normally, + whitespace is ignored by pyparsing grammars. This class is included + when some whitespace structures are significant. Define with + a string containing the whitespace characters to be matched; default + is ``" \\t\\r\\n"``. Also takes optional ``min``, + ``max``, and ``exact`` arguments, as defined for the + :class:`Word` class. + """ + whiteStrs = { + ' ' : '<SP>', + '\t': '<TAB>', + '\n': '<LF>', + '\r': '<CR>', + '\f': '<FF>', + u'\u00A0': '<NBSP>', + u'\u1680': '<OGHAM_SPACE_MARK>', + u'\u180E': '<MONGOLIAN_VOWEL_SEPARATOR>', + u'\u2000': '<EN_QUAD>', + u'\u2001': '<EM_QUAD>', + u'\u2002': '<EN_SPACE>', + u'\u2003': '<EM_SPACE>', + u'\u2004': '<THREE-PER-EM_SPACE>', + u'\u2005': '<FOUR-PER-EM_SPACE>', + u'\u2006': '<SIX-PER-EM_SPACE>', + u'\u2007': '<FIGURE_SPACE>', + u'\u2008': '<PUNCTUATION_SPACE>', + u'\u2009': '<THIN_SPACE>', + u'\u200A': '<HAIR_SPACE>', + u'\u200B': '<ZERO_WIDTH_SPACE>', + u'\u202F': '<NNBSP>', + u'\u205F': '<MMSP>', + u'\u3000': '<IDEOGRAPHIC_SPACE>', + } + def __init__(self, ws=" \t\r\n", min=1, max=0, exact=0): + super(White, self).__init__() + self.matchWhite = ws + self.setWhitespaceChars("".join(c for c in self.whiteChars if c not in self.matchWhite)) + # ~ self.leaveWhitespace() + self.name = ("".join(White.whiteStrs[c] for c in self.matchWhite)) + self.mayReturnEmpty = True + self.errmsg = "Expected " + self.name + + self.minLen = min + + if max > 0: + self.maxLen = max + else: + self.maxLen = _MAX_INT + + if exact > 0: + self.maxLen = exact + self.minLen = exact + + def parseImpl(self, instring, loc, doActions=True): + if instring[loc] not in self.matchWhite: + raise ParseException(instring, loc, self.errmsg, self) + start = loc + loc += 1 + maxloc = start + self.maxLen + maxloc = min(maxloc, len(instring)) + while loc < maxloc and instring[loc] in self.matchWhite: + loc += 1 + + if loc - start < self.minLen: + raise ParseException(instring, loc, self.errmsg, self) + + return loc, instring[start:loc] + + +class _PositionToken(Token): + def __init__(self): + super(_PositionToken, self).__init__() + self.name = self.__class__.__name__ + self.mayReturnEmpty = True + self.mayIndexError = False + +class GoToColumn(_PositionToken): + """Token to advance to a specific column of input text; useful for + tabular report scraping. + """ + def __init__(self, colno): + super(GoToColumn, self).__init__() + self.col = colno + + def preParse(self, instring, loc): + if col(loc, instring) != self.col: + instrlen = len(instring) + if self.ignoreExprs: + loc = self._skipIgnorables(instring, loc) + while loc < instrlen and instring[loc].isspace() and col(loc, instring) != self.col: + loc += 1 + return loc + + def parseImpl(self, instring, loc, doActions=True): + thiscol = col(loc, instring) + if thiscol > self.col: + raise ParseException(instring, loc, "Text not in expected column", self) + newloc = loc + self.col - thiscol + ret = instring[loc: newloc] + return newloc, ret + + +class LineStart(_PositionToken): + r"""Matches if current position is at the beginning of a line within + the parse string + + Example:: + + test = '''\ + AAA this line + AAA and this line + AAA but not this one + B AAA and definitely not this one + ''' + + for t in (LineStart() + 'AAA' + restOfLine).searchString(test): + print(t) + + prints:: + + ['AAA', ' this line'] + ['AAA', ' and this line'] + + """ + def __init__(self): + super(LineStart, self).__init__() + self.errmsg = "Expected start of line" + + def parseImpl(self, instring, loc, doActions=True): + if col(loc, instring) == 1: + return loc, [] + raise ParseException(instring, loc, self.errmsg, self) + +class LineEnd(_PositionToken): + """Matches if current position is at the end of a line within the + parse string + """ + def __init__(self): + super(LineEnd, self).__init__() + self.setWhitespaceChars(ParserElement.DEFAULT_WHITE_CHARS.replace("\n", "")) + self.errmsg = "Expected end of line" + + def parseImpl(self, instring, loc, doActions=True): + if loc < len(instring): + if instring[loc] == "\n": + return loc + 1, "\n" + else: + raise ParseException(instring, loc, self.errmsg, self) + elif loc == len(instring): + return loc + 1, [] + else: + raise ParseException(instring, loc, self.errmsg, self) + +class StringStart(_PositionToken): + """Matches if current position is at the beginning of the parse + string + """ + def __init__(self): + super(StringStart, self).__init__() + self.errmsg = "Expected start of text" + + def parseImpl(self, instring, loc, doActions=True): + if loc != 0: + # see if entire string up to here is just whitespace and ignoreables + if loc != self.preParse(instring, 0): + raise ParseException(instring, loc, self.errmsg, self) + return loc, [] + +class StringEnd(_PositionToken): + """Matches if current position is at the end of the parse string + """ + def __init__(self): + super(StringEnd, self).__init__() + self.errmsg = "Expected end of text" + + def parseImpl(self, instring, loc, doActions=True): + if loc < len(instring): + raise ParseException(instring, loc, self.errmsg, self) + elif loc == len(instring): + return loc + 1, [] + elif loc > len(instring): + return loc, [] + else: + raise ParseException(instring, loc, self.errmsg, self) + +class WordStart(_PositionToken): + """Matches if the current position is at the beginning of a Word, + and is not preceded by any character in a given set of + ``wordChars`` (default= ``printables``). To emulate the + ``\b`` behavior of regular expressions, use + ``WordStart(alphanums)``. ``WordStart`` will also match at + the beginning of the string being parsed, or at the beginning of + a line. + """ + def __init__(self, wordChars=printables): + super(WordStart, self).__init__() + self.wordChars = set(wordChars) + self.errmsg = "Not at the start of a word" + + def parseImpl(self, instring, loc, doActions=True): + if loc != 0: + if (instring[loc - 1] in self.wordChars + or instring[loc] not in self.wordChars): + raise ParseException(instring, loc, self.errmsg, self) + return loc, [] + +class WordEnd(_PositionToken): + """Matches if the current position is at the end of a Word, and is + not followed by any character in a given set of ``wordChars`` + (default= ``printables``). To emulate the ``\b`` behavior of + regular expressions, use ``WordEnd(alphanums)``. ``WordEnd`` + will also match at the end of the string being parsed, or at the end + of a line. + """ + def __init__(self, wordChars=printables): + super(WordEnd, self).__init__() + self.wordChars = set(wordChars) + self.skipWhitespace = False + self.errmsg = "Not at the end of a word" + + def parseImpl(self, instring, loc, doActions=True): + instrlen = len(instring) + if instrlen > 0 and loc < instrlen: + if (instring[loc] in self.wordChars or + instring[loc - 1] not in self.wordChars): + raise ParseException(instring, loc, self.errmsg, self) + return loc, [] + + +class ParseExpression(ParserElement): + """Abstract subclass of ParserElement, for combining and + post-processing parsed tokens. + """ + def __init__(self, exprs, savelist=False): + super(ParseExpression, self).__init__(savelist) + if isinstance(exprs, _generatorType): + exprs = list(exprs) + + if isinstance(exprs, basestring): + self.exprs = [self._literalStringClass(exprs)] + elif isinstance(exprs, ParserElement): + self.exprs = [exprs] + elif isinstance(exprs, Iterable): + exprs = list(exprs) + # if sequence of strings provided, wrap with Literal + if any(isinstance(expr, basestring) for expr in exprs): + exprs = (self._literalStringClass(e) if isinstance(e, basestring) else e for e in exprs) + self.exprs = list(exprs) + else: + try: + self.exprs = list(exprs) + except TypeError: + self.exprs = [exprs] + self.callPreparse = False + + def append(self, other): + self.exprs.append(other) + self.strRepr = None + return self + + def leaveWhitespace(self): + """Extends ``leaveWhitespace`` defined in base class, and also invokes ``leaveWhitespace`` on + all contained expressions.""" + self.skipWhitespace = False + self.exprs = [e.copy() for e in self.exprs] + for e in self.exprs: + e.leaveWhitespace() + return self + + def ignore(self, other): + if isinstance(other, Suppress): + if other not in self.ignoreExprs: + super(ParseExpression, self).ignore(other) + for e in self.exprs: + e.ignore(self.ignoreExprs[-1]) + else: + super(ParseExpression, self).ignore(other) + for e in self.exprs: + e.ignore(self.ignoreExprs[-1]) + return self + + def __str__(self): + try: + return super(ParseExpression, self).__str__() + except Exception: + pass + + if self.strRepr is None: + self.strRepr = "%s:(%s)" % (self.__class__.__name__, _ustr(self.exprs)) + return self.strRepr + + def streamline(self): + super(ParseExpression, self).streamline() + + for e in self.exprs: + e.streamline() + + # collapse nested And's of the form And(And(And(a, b), c), d) to And(a, b, c, d) + # but only if there are no parse actions or resultsNames on the nested And's + # (likewise for Or's and MatchFirst's) + if len(self.exprs) == 2: + other = self.exprs[0] + if (isinstance(other, self.__class__) + and not other.parseAction + and other.resultsName is None + and not other.debug): + self.exprs = other.exprs[:] + [self.exprs[1]] + self.strRepr = None + self.mayReturnEmpty |= other.mayReturnEmpty + self.mayIndexError |= other.mayIndexError + + other = self.exprs[-1] + if (isinstance(other, self.__class__) + and not other.parseAction + and other.resultsName is None + and not other.debug): + self.exprs = self.exprs[:-1] + other.exprs[:] + self.strRepr = None + self.mayReturnEmpty |= other.mayReturnEmpty + self.mayIndexError |= other.mayIndexError + + self.errmsg = "Expected " + _ustr(self) + + return self + + def validate(self, validateTrace=None): + tmp = (validateTrace if validateTrace is not None else [])[:] + [self] + for e in self.exprs: + e.validate(tmp) + self.checkRecursion([]) + + def copy(self): + ret = super(ParseExpression, self).copy() + ret.exprs = [e.copy() for e in self.exprs] + return ret + + def _setResultsName(self, name, listAllMatches=False): + if __diag__.warn_ungrouped_named_tokens_in_collection: + for e in self.exprs: + if isinstance(e, ParserElement) and e.resultsName: + warnings.warn("{0}: setting results name {1!r} on {2} expression " + "collides with {3!r} on contained expression".format("warn_ungrouped_named_tokens_in_collection", + name, + type(self).__name__, + e.resultsName), + stacklevel=3) + + return super(ParseExpression, self)._setResultsName(name, listAllMatches) + + +class And(ParseExpression): + """ + Requires all given :class:`ParseExpression` s to be found in the given order. + Expressions may be separated by whitespace. + May be constructed using the ``'+'`` operator. + May also be constructed using the ``'-'`` operator, which will + suppress backtracking. + + Example:: + + integer = Word(nums) + name_expr = OneOrMore(Word(alphas)) + + expr = And([integer("id"), name_expr("name"), integer("age")]) + # more easily written as: + expr = integer("id") + name_expr("name") + integer("age") + """ + + class _ErrorStop(Empty): + def __init__(self, *args, **kwargs): + super(And._ErrorStop, self).__init__(*args, **kwargs) + self.name = '-' + self.leaveWhitespace() + + def __init__(self, exprs, savelist=True): + exprs = list(exprs) + if exprs and Ellipsis in exprs: + tmp = [] + for i, expr in enumerate(exprs): + if expr is Ellipsis: + if i < len(exprs) - 1: + skipto_arg = (Empty() + exprs[i + 1]).exprs[-1] + tmp.append(SkipTo(skipto_arg)("_skipped*")) + else: + raise Exception("cannot construct And with sequence ending in ...") + else: + tmp.append(expr) + exprs[:] = tmp + super(And, self).__init__(exprs, savelist) + self.mayReturnEmpty = all(e.mayReturnEmpty for e in self.exprs) + self.setWhitespaceChars(self.exprs[0].whiteChars) + self.skipWhitespace = self.exprs[0].skipWhitespace + self.callPreparse = True + + def streamline(self): + # collapse any _PendingSkip's + if self.exprs: + if any(isinstance(e, ParseExpression) and e.exprs and isinstance(e.exprs[-1], _PendingSkip) + for e in self.exprs[:-1]): + for i, e in enumerate(self.exprs[:-1]): + if e is None: + continue + if (isinstance(e, ParseExpression) + and e.exprs and isinstance(e.exprs[-1], _PendingSkip)): + e.exprs[-1] = e.exprs[-1] + self.exprs[i + 1] + self.exprs[i + 1] = None + self.exprs = [e for e in self.exprs if e is not None] + + super(And, self).streamline() + self.mayReturnEmpty = all(e.mayReturnEmpty for e in self.exprs) + return self + + def parseImpl(self, instring, loc, doActions=True): + # pass False as last arg to _parse for first element, since we already + # pre-parsed the string as part of our And pre-parsing + loc, resultlist = self.exprs[0]._parse(instring, loc, doActions, callPreParse=False) + errorStop = False + for e in self.exprs[1:]: + if isinstance(e, And._ErrorStop): + errorStop = True + continue + if errorStop: + try: + loc, exprtokens = e._parse(instring, loc, doActions) + except ParseSyntaxException: + raise + except ParseBaseException as pe: + pe.__traceback__ = None + raise ParseSyntaxException._from_exception(pe) + except IndexError: + raise ParseSyntaxException(instring, len(instring), self.errmsg, self) + else: + loc, exprtokens = e._parse(instring, loc, doActions) + if exprtokens or exprtokens.haskeys(): + resultlist += exprtokens + return loc, resultlist + + def __iadd__(self, other): + if isinstance(other, basestring): + other = self._literalStringClass(other) + return self.append(other) # And([self, other]) + + def checkRecursion(self, parseElementList): + subRecCheckList = parseElementList[:] + [self] + for e in self.exprs: + e.checkRecursion(subRecCheckList) + if not e.mayReturnEmpty: + break + + def __str__(self): + if hasattr(self, "name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + " ".join(_ustr(e) for e in self.exprs) + "}" + + return self.strRepr + + +class Or(ParseExpression): + """Requires that at least one :class:`ParseExpression` is found. If + two expressions match, the expression that matches the longest + string will be used. May be constructed using the ``'^'`` + operator. + + Example:: + + # construct Or using '^' operator + + number = Word(nums) ^ Combine(Word(nums) + '.' + Word(nums)) + print(number.searchString("123 3.1416 789")) + + prints:: + + [['123'], ['3.1416'], ['789']] + """ + def __init__(self, exprs, savelist=False): + super(Or, self).__init__(exprs, savelist) + if self.exprs: + self.mayReturnEmpty = any(e.mayReturnEmpty for e in self.exprs) + else: + self.mayReturnEmpty = True + + def streamline(self): + super(Or, self).streamline() + if __compat__.collect_all_And_tokens: + self.saveAsList = any(e.saveAsList for e in self.exprs) + return self + + def parseImpl(self, instring, loc, doActions=True): + maxExcLoc = -1 + maxException = None + matches = [] + for e in self.exprs: + try: + loc2 = e.tryParse(instring, loc) + except ParseException as err: + err.__traceback__ = None + if err.loc > maxExcLoc: + maxException = err + maxExcLoc = err.loc + except IndexError: + if len(instring) > maxExcLoc: + maxException = ParseException(instring, len(instring), e.errmsg, self) + maxExcLoc = len(instring) + else: + # save match among all matches, to retry longest to shortest + matches.append((loc2, e)) + + if matches: + # re-evaluate all matches in descending order of length of match, in case attached actions + # might change whether or how much they match of the input. + matches.sort(key=itemgetter(0), reverse=True) + + if not doActions: + # no further conditions or parse actions to change the selection of + # alternative, so the first match will be the best match + best_expr = matches[0][1] + return best_expr._parse(instring, loc, doActions) + + longest = -1, None + for loc1, expr1 in matches: + if loc1 <= longest[0]: + # already have a longer match than this one will deliver, we are done + return longest + + try: + loc2, toks = expr1._parse(instring, loc, doActions) + except ParseException as err: + err.__traceback__ = None + if err.loc > maxExcLoc: + maxException = err + maxExcLoc = err.loc + else: + if loc2 >= loc1: + return loc2, toks + # didn't match as much as before + elif loc2 > longest[0]: + longest = loc2, toks + + if longest != (-1, None): + return longest + + if maxException is not None: + maxException.msg = self.errmsg + raise maxException + else: + raise ParseException(instring, loc, "no defined alternatives to match", self) + + + def __ixor__(self, other): + if isinstance(other, basestring): + other = self._literalStringClass(other) + return self.append(other) # Or([self, other]) + + def __str__(self): + if hasattr(self, "name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + " ^ ".join(_ustr(e) for e in self.exprs) + "}" + + return self.strRepr + + def checkRecursion(self, parseElementList): + subRecCheckList = parseElementList[:] + [self] + for e in self.exprs: + e.checkRecursion(subRecCheckList) + + def _setResultsName(self, name, listAllMatches=False): + if (not __compat__.collect_all_And_tokens + and __diag__.warn_multiple_tokens_in_named_alternation): + if any(isinstance(e, And) for e in self.exprs): + warnings.warn("{0}: setting results name {1!r} on {2} expression " + "may only return a single token for an And alternative, " + "in future will return the full list of tokens".format( + "warn_multiple_tokens_in_named_alternation", name, type(self).__name__), + stacklevel=3) + + return super(Or, self)._setResultsName(name, listAllMatches) + + +class MatchFirst(ParseExpression): + """Requires that at least one :class:`ParseExpression` is found. If + two expressions match, the first one listed is the one that will + match. May be constructed using the ``'|'`` operator. + + Example:: + + # construct MatchFirst using '|' operator + + # watch the order of expressions to match + number = Word(nums) | Combine(Word(nums) + '.' + Word(nums)) + print(number.searchString("123 3.1416 789")) # Fail! -> [['123'], ['3'], ['1416'], ['789']] + + # put more selective expression first + number = Combine(Word(nums) + '.' + Word(nums)) | Word(nums) + print(number.searchString("123 3.1416 789")) # Better -> [['123'], ['3.1416'], ['789']] + """ + def __init__(self, exprs, savelist=False): + super(MatchFirst, self).__init__(exprs, savelist) + if self.exprs: + self.mayReturnEmpty = any(e.mayReturnEmpty for e in self.exprs) + else: + self.mayReturnEmpty = True + + def streamline(self): + super(MatchFirst, self).streamline() + if __compat__.collect_all_And_tokens: + self.saveAsList = any(e.saveAsList for e in self.exprs) + return self + + def parseImpl(self, instring, loc, doActions=True): + maxExcLoc = -1 + maxException = None + for e in self.exprs: + try: + ret = e._parse(instring, loc, doActions) + return ret + except ParseException as err: + if err.loc > maxExcLoc: + maxException = err + maxExcLoc = err.loc + except IndexError: + if len(instring) > maxExcLoc: + maxException = ParseException(instring, len(instring), e.errmsg, self) + maxExcLoc = len(instring) + + # only got here if no expression matched, raise exception for match that made it the furthest + else: + if maxException is not None: + maxException.msg = self.errmsg + raise maxException + else: + raise ParseException(instring, loc, "no defined alternatives to match", self) + + def __ior__(self, other): + if isinstance(other, basestring): + other = self._literalStringClass(other) + return self.append(other) # MatchFirst([self, other]) + + def __str__(self): + if hasattr(self, "name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + " | ".join(_ustr(e) for e in self.exprs) + "}" + + return self.strRepr + + def checkRecursion(self, parseElementList): + subRecCheckList = parseElementList[:] + [self] + for e in self.exprs: + e.checkRecursion(subRecCheckList) + + def _setResultsName(self, name, listAllMatches=False): + if (not __compat__.collect_all_And_tokens + and __diag__.warn_multiple_tokens_in_named_alternation): + if any(isinstance(e, And) for e in self.exprs): + warnings.warn("{0}: setting results name {1!r} on {2} expression " + "may only return a single token for an And alternative, " + "in future will return the full list of tokens".format( + "warn_multiple_tokens_in_named_alternation", name, type(self).__name__), + stacklevel=3) + + return super(MatchFirst, self)._setResultsName(name, listAllMatches) + + +class Each(ParseExpression): + """Requires all given :class:`ParseExpression` s to be found, but in + any order. Expressions may be separated by whitespace. + + May be constructed using the ``'&'`` operator. + + Example:: + + color = oneOf("RED ORANGE YELLOW GREEN BLUE PURPLE BLACK WHITE BROWN") + shape_type = oneOf("SQUARE CIRCLE TRIANGLE STAR HEXAGON OCTAGON") + integer = Word(nums) + shape_attr = "shape:" + shape_type("shape") + posn_attr = "posn:" + Group(integer("x") + ',' + integer("y"))("posn") + color_attr = "color:" + color("color") + size_attr = "size:" + integer("size") + + # use Each (using operator '&') to accept attributes in any order + # (shape and posn are required, color and size are optional) + shape_spec = shape_attr & posn_attr & Optional(color_attr) & Optional(size_attr) + + shape_spec.runTests(''' + shape: SQUARE color: BLACK posn: 100, 120 + shape: CIRCLE size: 50 color: BLUE posn: 50,80 + color:GREEN size:20 shape:TRIANGLE posn:20,40 + ''' + ) + + prints:: + + shape: SQUARE color: BLACK posn: 100, 120 + ['shape:', 'SQUARE', 'color:', 'BLACK', 'posn:', ['100', ',', '120']] + - color: BLACK + - posn: ['100', ',', '120'] + - x: 100 + - y: 120 + - shape: SQUARE + + + shape: CIRCLE size: 50 color: BLUE posn: 50,80 + ['shape:', 'CIRCLE', 'size:', '50', 'color:', 'BLUE', 'posn:', ['50', ',', '80']] + - color: BLUE + - posn: ['50', ',', '80'] + - x: 50 + - y: 80 + - shape: CIRCLE + - size: 50 + + + color: GREEN size: 20 shape: TRIANGLE posn: 20,40 + ['color:', 'GREEN', 'size:', '20', 'shape:', 'TRIANGLE', 'posn:', ['20', ',', '40']] + - color: GREEN + - posn: ['20', ',', '40'] + - x: 20 + - y: 40 + - shape: TRIANGLE + - size: 20 + """ + def __init__(self, exprs, savelist=True): + super(Each, self).__init__(exprs, savelist) + self.mayReturnEmpty = all(e.mayReturnEmpty for e in self.exprs) + self.skipWhitespace = True + self.initExprGroups = True + self.saveAsList = True + + def streamline(self): + super(Each, self).streamline() + self.mayReturnEmpty = all(e.mayReturnEmpty for e in self.exprs) + return self + + def parseImpl(self, instring, loc, doActions=True): + if self.initExprGroups: + self.opt1map = dict((id(e.expr), e) for e in self.exprs if isinstance(e, Optional)) + opt1 = [e.expr for e in self.exprs if isinstance(e, Optional)] + opt2 = [e for e in self.exprs if e.mayReturnEmpty and not isinstance(e, (Optional, Regex))] + self.optionals = opt1 + opt2 + self.multioptionals = [e.expr for e in self.exprs if isinstance(e, ZeroOrMore)] + self.multirequired = [e.expr for e in self.exprs if isinstance(e, OneOrMore)] + self.required = [e for e in self.exprs if not isinstance(e, (Optional, ZeroOrMore, OneOrMore))] + self.required += self.multirequired + self.initExprGroups = False + tmpLoc = loc + tmpReqd = self.required[:] + tmpOpt = self.optionals[:] + matchOrder = [] + + keepMatching = True + while keepMatching: + tmpExprs = tmpReqd + tmpOpt + self.multioptionals + self.multirequired + failed = [] + for e in tmpExprs: + try: + tmpLoc = e.tryParse(instring, tmpLoc) + except ParseException: + failed.append(e) + else: + matchOrder.append(self.opt1map.get(id(e), e)) + if e in tmpReqd: + tmpReqd.remove(e) + elif e in tmpOpt: + tmpOpt.remove(e) + if len(failed) == len(tmpExprs): + keepMatching = False + + if tmpReqd: + missing = ", ".join(_ustr(e) for e in tmpReqd) + raise ParseException(instring, loc, "Missing one or more required elements (%s)" % missing) + + # add any unmatched Optionals, in case they have default values defined + matchOrder += [e for e in self.exprs if isinstance(e, Optional) and e.expr in tmpOpt] + + resultlist = [] + for e in matchOrder: + loc, results = e._parse(instring, loc, doActions) + resultlist.append(results) + + finalResults = sum(resultlist, ParseResults([])) + return loc, finalResults + + def __str__(self): + if hasattr(self, "name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + " & ".join(_ustr(e) for e in self.exprs) + "}" + + return self.strRepr + + def checkRecursion(self, parseElementList): + subRecCheckList = parseElementList[:] + [self] + for e in self.exprs: + e.checkRecursion(subRecCheckList) + + +class ParseElementEnhance(ParserElement): + """Abstract subclass of :class:`ParserElement`, for combining and + post-processing parsed tokens. + """ + def __init__(self, expr, savelist=False): + super(ParseElementEnhance, self).__init__(savelist) + if isinstance(expr, basestring): + if issubclass(self._literalStringClass, Token): + expr = self._literalStringClass(expr) + else: + expr = self._literalStringClass(Literal(expr)) + self.expr = expr + self.strRepr = None + if expr is not None: + self.mayIndexError = expr.mayIndexError + self.mayReturnEmpty = expr.mayReturnEmpty + self.setWhitespaceChars(expr.whiteChars) + self.skipWhitespace = expr.skipWhitespace + self.saveAsList = expr.saveAsList + self.callPreparse = expr.callPreparse + self.ignoreExprs.extend(expr.ignoreExprs) + + def parseImpl(self, instring, loc, doActions=True): + if self.expr is not None: + return self.expr._parse(instring, loc, doActions, callPreParse=False) + else: + raise ParseException("", loc, self.errmsg, self) + + def leaveWhitespace(self): + self.skipWhitespace = False + self.expr = self.expr.copy() + if self.expr is not None: + self.expr.leaveWhitespace() + return self + + def ignore(self, other): + if isinstance(other, Suppress): + if other not in self.ignoreExprs: + super(ParseElementEnhance, self).ignore(other) + if self.expr is not None: + self.expr.ignore(self.ignoreExprs[-1]) + else: + super(ParseElementEnhance, self).ignore(other) + if self.expr is not None: + self.expr.ignore(self.ignoreExprs[-1]) + return self + + def streamline(self): + super(ParseElementEnhance, self).streamline() + if self.expr is not None: + self.expr.streamline() + return self + + def checkRecursion(self, parseElementList): + if self in parseElementList: + raise RecursiveGrammarException(parseElementList + [self]) + subRecCheckList = parseElementList[:] + [self] + if self.expr is not None: + self.expr.checkRecursion(subRecCheckList) + + def validate(self, validateTrace=None): + if validateTrace is None: + validateTrace = [] + tmp = validateTrace[:] + [self] + if self.expr is not None: + self.expr.validate(tmp) + self.checkRecursion([]) + + def __str__(self): + try: + return super(ParseElementEnhance, self).__str__() + except Exception: + pass + + if self.strRepr is None and self.expr is not None: + self.strRepr = "%s:(%s)" % (self.__class__.__name__, _ustr(self.expr)) + return self.strRepr + + +class FollowedBy(ParseElementEnhance): + """Lookahead matching of the given parse expression. + ``FollowedBy`` does *not* advance the parsing position within + the input string, it only verifies that the specified parse + expression matches at the current position. ``FollowedBy`` + always returns a null token list. If any results names are defined + in the lookahead expression, those *will* be returned for access by + name. + + Example:: + + # use FollowedBy to match a label only if it is followed by a ':' + data_word = Word(alphas) + label = data_word + FollowedBy(':') + attr_expr = Group(label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) + + OneOrMore(attr_expr).parseString("shape: SQUARE color: BLACK posn: upper left").pprint() + + prints:: + + [['shape', 'SQUARE'], ['color', 'BLACK'], ['posn', 'upper left']] + """ + def __init__(self, expr): + super(FollowedBy, self).__init__(expr) + self.mayReturnEmpty = True + + def parseImpl(self, instring, loc, doActions=True): + # by using self._expr.parse and deleting the contents of the returned ParseResults list + # we keep any named results that were defined in the FollowedBy expression + _, ret = self.expr._parse(instring, loc, doActions=doActions) + del ret[:] + + return loc, ret + + +class PrecededBy(ParseElementEnhance): + """Lookbehind matching of the given parse expression. + ``PrecededBy`` does not advance the parsing position within the + input string, it only verifies that the specified parse expression + matches prior to the current position. ``PrecededBy`` always + returns a null token list, but if a results name is defined on the + given expression, it is returned. + + Parameters: + + - expr - expression that must match prior to the current parse + location + - retreat - (default= ``None``) - (int) maximum number of characters + to lookbehind prior to the current parse location + + If the lookbehind expression is a string, Literal, Keyword, or + a Word or CharsNotIn with a specified exact or maximum length, then + the retreat parameter is not required. Otherwise, retreat must be + specified to give a maximum number of characters to look back from + the current parse position for a lookbehind match. + + Example:: + + # VB-style variable names with type prefixes + int_var = PrecededBy("#") + pyparsing_common.identifier + str_var = PrecededBy("$") + pyparsing_common.identifier + + """ + def __init__(self, expr, retreat=None): + super(PrecededBy, self).__init__(expr) + self.expr = self.expr().leaveWhitespace() + self.mayReturnEmpty = True + self.mayIndexError = False + self.exact = False + if isinstance(expr, str): + retreat = len(expr) + self.exact = True + elif isinstance(expr, (Literal, Keyword)): + retreat = expr.matchLen + self.exact = True + elif isinstance(expr, (Word, CharsNotIn)) and expr.maxLen != _MAX_INT: + retreat = expr.maxLen + self.exact = True + elif isinstance(expr, _PositionToken): + retreat = 0 + self.exact = True + self.retreat = retreat + self.errmsg = "not preceded by " + str(expr) + self.skipWhitespace = False + self.parseAction.append(lambda s, l, t: t.__delitem__(slice(None, None))) + + def parseImpl(self, instring, loc=0, doActions=True): + if self.exact: + if loc < self.retreat: + raise ParseException(instring, loc, self.errmsg) + start = loc - self.retreat + _, ret = self.expr._parse(instring, start) + else: + # retreat specified a maximum lookbehind window, iterate + test_expr = self.expr + StringEnd() + instring_slice = instring[max(0, loc - self.retreat):loc] + last_expr = ParseException(instring, loc, self.errmsg) + for offset in range(1, min(loc, self.retreat + 1)+1): + try: + # print('trying', offset, instring_slice, repr(instring_slice[loc - offset:])) + _, ret = test_expr._parse(instring_slice, len(instring_slice) - offset) + except ParseBaseException as pbe: + last_expr = pbe + else: + break + else: + raise last_expr + return loc, ret + + +class NotAny(ParseElementEnhance): + """Lookahead to disallow matching with the given parse expression. + ``NotAny`` does *not* advance the parsing position within the + input string, it only verifies that the specified parse expression + does *not* match at the current position. Also, ``NotAny`` does + *not* skip over leading whitespace. ``NotAny`` always returns + a null token list. May be constructed using the '~' operator. + + Example:: + + AND, OR, NOT = map(CaselessKeyword, "AND OR NOT".split()) + + # take care not to mistake keywords for identifiers + ident = ~(AND | OR | NOT) + Word(alphas) + boolean_term = Optional(NOT) + ident + + # very crude boolean expression - to support parenthesis groups and + # operation hierarchy, use infixNotation + boolean_expr = boolean_term + ZeroOrMore((AND | OR) + boolean_term) + + # integers that are followed by "." are actually floats + integer = Word(nums) + ~Char(".") + """ + def __init__(self, expr): + super(NotAny, self).__init__(expr) + # ~ self.leaveWhitespace() + self.skipWhitespace = False # do NOT use self.leaveWhitespace(), don't want to propagate to exprs + self.mayReturnEmpty = True + self.errmsg = "Found unwanted token, " + _ustr(self.expr) + + def parseImpl(self, instring, loc, doActions=True): + if self.expr.canParseNext(instring, loc): + raise ParseException(instring, loc, self.errmsg, self) + return loc, [] + + def __str__(self): + if hasattr(self, "name"): + return self.name + + if self.strRepr is None: + self.strRepr = "~{" + _ustr(self.expr) + "}" + + return self.strRepr + +class _MultipleMatch(ParseElementEnhance): + def __init__(self, expr, stopOn=None): + super(_MultipleMatch, self).__init__(expr) + self.saveAsList = True + ender = stopOn + if isinstance(ender, basestring): + ender = self._literalStringClass(ender) + self.stopOn(ender) + + def stopOn(self, ender): + if isinstance(ender, basestring): + ender = self._literalStringClass(ender) + self.not_ender = ~ender if ender is not None else None + return self + + def parseImpl(self, instring, loc, doActions=True): + self_expr_parse = self.expr._parse + self_skip_ignorables = self._skipIgnorables + check_ender = self.not_ender is not None + if check_ender: + try_not_ender = self.not_ender.tryParse + + # must be at least one (but first see if we are the stopOn sentinel; + # if so, fail) + if check_ender: + try_not_ender(instring, loc) + loc, tokens = self_expr_parse(instring, loc, doActions, callPreParse=False) + try: + hasIgnoreExprs = (not not self.ignoreExprs) + while 1: + if check_ender: + try_not_ender(instring, loc) + if hasIgnoreExprs: + preloc = self_skip_ignorables(instring, loc) + else: + preloc = loc + loc, tmptokens = self_expr_parse(instring, preloc, doActions) + if tmptokens or tmptokens.haskeys(): + tokens += tmptokens + except (ParseException, IndexError): + pass + + return loc, tokens + + def _setResultsName(self, name, listAllMatches=False): + if __diag__.warn_ungrouped_named_tokens_in_collection: + for e in [self.expr] + getattr(self.expr, 'exprs', []): + if isinstance(e, ParserElement) and e.resultsName: + warnings.warn("{0}: setting results name {1!r} on {2} expression " + "collides with {3!r} on contained expression".format("warn_ungrouped_named_tokens_in_collection", + name, + type(self).__name__, + e.resultsName), + stacklevel=3) + + return super(_MultipleMatch, self)._setResultsName(name, listAllMatches) + + +class OneOrMore(_MultipleMatch): + """Repetition of one or more of the given expression. + + Parameters: + - expr - expression that must match one or more times + - stopOn - (default= ``None``) - expression for a terminating sentinel + (only required if the sentinel would ordinarily match the repetition + expression) + + Example:: + + data_word = Word(alphas) + label = data_word + FollowedBy(':') + attr_expr = Group(label + Suppress(':') + OneOrMore(data_word).setParseAction(' '.join)) + + text = "shape: SQUARE posn: upper left color: BLACK" + OneOrMore(attr_expr).parseString(text).pprint() # Fail! read 'color' as data instead of next label -> [['shape', 'SQUARE color']] + + # use stopOn attribute for OneOrMore to avoid reading label string as part of the data + attr_expr = Group(label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) + OneOrMore(attr_expr).parseString(text).pprint() # Better -> [['shape', 'SQUARE'], ['posn', 'upper left'], ['color', 'BLACK']] + + # could also be written as + (attr_expr * (1,)).parseString(text).pprint() + """ + + def __str__(self): + if hasattr(self, "name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + _ustr(self.expr) + "}..." + + return self.strRepr + +class ZeroOrMore(_MultipleMatch): + """Optional repetition of zero or more of the given expression. + + Parameters: + - expr - expression that must match zero or more times + - stopOn - (default= ``None``) - expression for a terminating sentinel + (only required if the sentinel would ordinarily match the repetition + expression) + + Example: similar to :class:`OneOrMore` + """ + def __init__(self, expr, stopOn=None): + super(ZeroOrMore, self).__init__(expr, stopOn=stopOn) + self.mayReturnEmpty = True + + def parseImpl(self, instring, loc, doActions=True): + try: + return super(ZeroOrMore, self).parseImpl(instring, loc, doActions) + except (ParseException, IndexError): + return loc, [] + + def __str__(self): + if hasattr(self, "name"): + return self.name + + if self.strRepr is None: + self.strRepr = "[" + _ustr(self.expr) + "]..." + + return self.strRepr + + +class _NullToken(object): + def __bool__(self): + return False + __nonzero__ = __bool__ + def __str__(self): + return "" + +class Optional(ParseElementEnhance): + """Optional matching of the given expression. + + Parameters: + - expr - expression that must match zero or more times + - default (optional) - value to be returned if the optional expression is not found. + + Example:: + + # US postal code can be a 5-digit zip, plus optional 4-digit qualifier + zip = Combine(Word(nums, exact=5) + Optional('-' + Word(nums, exact=4))) + zip.runTests(''' + # traditional ZIP code + 12345 + + # ZIP+4 form + 12101-0001 + + # invalid ZIP + 98765- + ''') + + prints:: + + # traditional ZIP code + 12345 + ['12345'] + + # ZIP+4 form + 12101-0001 + ['12101-0001'] + + # invalid ZIP + 98765- + ^ + FAIL: Expected end of text (at char 5), (line:1, col:6) + """ + __optionalNotMatched = _NullToken() + + def __init__(self, expr, default=__optionalNotMatched): + super(Optional, self).__init__(expr, savelist=False) + self.saveAsList = self.expr.saveAsList + self.defaultValue = default + self.mayReturnEmpty = True + + def parseImpl(self, instring, loc, doActions=True): + try: + loc, tokens = self.expr._parse(instring, loc, doActions, callPreParse=False) + except (ParseException, IndexError): + if self.defaultValue is not self.__optionalNotMatched: + if self.expr.resultsName: + tokens = ParseResults([self.defaultValue]) + tokens[self.expr.resultsName] = self.defaultValue + else: + tokens = [self.defaultValue] + else: + tokens = [] + return loc, tokens + + def __str__(self): + if hasattr(self, "name"): + return self.name + + if self.strRepr is None: + self.strRepr = "[" + _ustr(self.expr) + "]" + + return self.strRepr + +class SkipTo(ParseElementEnhance): + """Token for skipping over all undefined text until the matched + expression is found. + + Parameters: + - expr - target expression marking the end of the data to be skipped + - include - (default= ``False``) if True, the target expression is also parsed + (the skipped text and target expression are returned as a 2-element list). + - ignore - (default= ``None``) used to define grammars (typically quoted strings and + comments) that might contain false matches to the target expression + - failOn - (default= ``None``) define expressions that are not allowed to be + included in the skipped test; if found before the target expression is found, + the SkipTo is not a match + + Example:: + + report = ''' + Outstanding Issues Report - 1 Jan 2000 + + # | Severity | Description | Days Open + -----+----------+-------------------------------------------+----------- + 101 | Critical | Intermittent system crash | 6 + 94 | Cosmetic | Spelling error on Login ('log|n') | 14 + 79 | Minor | System slow when running too many reports | 47 + ''' + integer = Word(nums) + SEP = Suppress('|') + # use SkipTo to simply match everything up until the next SEP + # - ignore quoted strings, so that a '|' character inside a quoted string does not match + # - parse action will call token.strip() for each matched token, i.e., the description body + string_data = SkipTo(SEP, ignore=quotedString) + string_data.setParseAction(tokenMap(str.strip)) + ticket_expr = (integer("issue_num") + SEP + + string_data("sev") + SEP + + string_data("desc") + SEP + + integer("days_open")) + + for tkt in ticket_expr.searchString(report): + print tkt.dump() + + prints:: + + ['101', 'Critical', 'Intermittent system crash', '6'] + - days_open: 6 + - desc: Intermittent system crash + - issue_num: 101 + - sev: Critical + ['94', 'Cosmetic', "Spelling error on Login ('log|n')", '14'] + - days_open: 14 + - desc: Spelling error on Login ('log|n') + - issue_num: 94 + - sev: Cosmetic + ['79', 'Minor', 'System slow when running too many reports', '47'] + - days_open: 47 + - desc: System slow when running too many reports + - issue_num: 79 + - sev: Minor + """ + def __init__(self, other, include=False, ignore=None, failOn=None): + super(SkipTo, self).__init__(other) + self.ignoreExpr = ignore + self.mayReturnEmpty = True + self.mayIndexError = False + self.includeMatch = include + self.saveAsList = False + if isinstance(failOn, basestring): + self.failOn = self._literalStringClass(failOn) + else: + self.failOn = failOn + self.errmsg = "No match found for " + _ustr(self.expr) + + def parseImpl(self, instring, loc, doActions=True): + startloc = loc + instrlen = len(instring) + expr = self.expr + expr_parse = self.expr._parse + self_failOn_canParseNext = self.failOn.canParseNext if self.failOn is not None else None + self_ignoreExpr_tryParse = self.ignoreExpr.tryParse if self.ignoreExpr is not None else None + + tmploc = loc + while tmploc <= instrlen: + if self_failOn_canParseNext is not None: + # break if failOn expression matches + if self_failOn_canParseNext(instring, tmploc): + break + + if self_ignoreExpr_tryParse is not None: + # advance past ignore expressions + while 1: + try: + tmploc = self_ignoreExpr_tryParse(instring, tmploc) + except ParseBaseException: + break + + try: + expr_parse(instring, tmploc, doActions=False, callPreParse=False) + except (ParseException, IndexError): + # no match, advance loc in string + tmploc += 1 + else: + # matched skipto expr, done + break + + else: + # ran off the end of the input string without matching skipto expr, fail + raise ParseException(instring, loc, self.errmsg, self) + + # build up return values + loc = tmploc + skiptext = instring[startloc:loc] + skipresult = ParseResults(skiptext) + + if self.includeMatch: + loc, mat = expr_parse(instring, loc, doActions, callPreParse=False) + skipresult += mat + + return loc, skipresult + +class Forward(ParseElementEnhance): + """Forward declaration of an expression to be defined later - + used for recursive grammars, such as algebraic infix notation. + When the expression is known, it is assigned to the ``Forward`` + variable using the '<<' operator. + + Note: take care when assigning to ``Forward`` not to overlook + precedence of operators. + + Specifically, '|' has a lower precedence than '<<', so that:: + + fwdExpr << a | b | c + + will actually be evaluated as:: + + (fwdExpr << a) | b | c + + thereby leaving b and c out as parseable alternatives. It is recommended that you + explicitly group the values inserted into the ``Forward``:: + + fwdExpr << (a | b | c) + + Converting to use the '<<=' operator instead will avoid this problem. + + See :class:`ParseResults.pprint` for an example of a recursive + parser created using ``Forward``. + """ + def __init__(self, other=None): + super(Forward, self).__init__(other, savelist=False) + + def __lshift__(self, other): + if isinstance(other, basestring): + other = self._literalStringClass(other) + self.expr = other + self.strRepr = None + self.mayIndexError = self.expr.mayIndexError + self.mayReturnEmpty = self.expr.mayReturnEmpty + self.setWhitespaceChars(self.expr.whiteChars) + self.skipWhitespace = self.expr.skipWhitespace + self.saveAsList = self.expr.saveAsList + self.ignoreExprs.extend(self.expr.ignoreExprs) + return self + + def __ilshift__(self, other): + return self << other + + def leaveWhitespace(self): + self.skipWhitespace = False + return self + + def streamline(self): + if not self.streamlined: + self.streamlined = True + if self.expr is not None: + self.expr.streamline() + return self + + def validate(self, validateTrace=None): + if validateTrace is None: + validateTrace = [] + + if self not in validateTrace: + tmp = validateTrace[:] + [self] + if self.expr is not None: + self.expr.validate(tmp) + self.checkRecursion([]) + + def __str__(self): + if hasattr(self, "name"): + return self.name + if self.strRepr is not None: + return self.strRepr + + # Avoid infinite recursion by setting a temporary strRepr + self.strRepr = ": ..." + + # Use the string representation of main expression. + retString = '...' + try: + if self.expr is not None: + retString = _ustr(self.expr)[:1000] + else: + retString = "None" + finally: + self.strRepr = self.__class__.__name__ + ": " + retString + return self.strRepr + + def copy(self): + if self.expr is not None: + return super(Forward, self).copy() + else: + ret = Forward() + ret <<= self + return ret + + def _setResultsName(self, name, listAllMatches=False): + if __diag__.warn_name_set_on_empty_Forward: + if self.expr is None: + warnings.warn("{0}: setting results name {0!r} on {1} expression " + "that has no contained expression".format("warn_name_set_on_empty_Forward", + name, + type(self).__name__), + stacklevel=3) + + return super(Forward, self)._setResultsName(name, listAllMatches) + +class TokenConverter(ParseElementEnhance): + """ + Abstract subclass of :class:`ParseExpression`, for converting parsed results. + """ + def __init__(self, expr, savelist=False): + super(TokenConverter, self).__init__(expr) # , savelist) + self.saveAsList = False + +class Combine(TokenConverter): + """Converter to concatenate all matching tokens to a single string. + By default, the matching patterns must also be contiguous in the + input string; this can be disabled by specifying + ``'adjacent=False'`` in the constructor. + + Example:: + + real = Word(nums) + '.' + Word(nums) + print(real.parseString('3.1416')) # -> ['3', '.', '1416'] + # will also erroneously match the following + print(real.parseString('3. 1416')) # -> ['3', '.', '1416'] + + real = Combine(Word(nums) + '.' + Word(nums)) + print(real.parseString('3.1416')) # -> ['3.1416'] + # no match when there are internal spaces + print(real.parseString('3. 1416')) # -> Exception: Expected W:(0123...) + """ + def __init__(self, expr, joinString="", adjacent=True): + super(Combine, self).__init__(expr) + # suppress whitespace-stripping in contained parse expressions, but re-enable it on the Combine itself + if adjacent: + self.leaveWhitespace() + self.adjacent = adjacent + self.skipWhitespace = True + self.joinString = joinString + self.callPreparse = True + + def ignore(self, other): + if self.adjacent: + ParserElement.ignore(self, other) + else: + super(Combine, self).ignore(other) + return self + + def postParse(self, instring, loc, tokenlist): + retToks = tokenlist.copy() + del retToks[:] + retToks += ParseResults(["".join(tokenlist._asStringList(self.joinString))], modal=self.modalResults) + + if self.resultsName and retToks.haskeys(): + return [retToks] + else: + return retToks + +class Group(TokenConverter): + """Converter to return the matched tokens as a list - useful for + returning tokens of :class:`ZeroOrMore` and :class:`OneOrMore` expressions. + + Example:: + + ident = Word(alphas) + num = Word(nums) + term = ident | num + func = ident + Optional(delimitedList(term)) + print(func.parseString("fn a, b, 100")) # -> ['fn', 'a', 'b', '100'] + + func = ident + Group(Optional(delimitedList(term))) + print(func.parseString("fn a, b, 100")) # -> ['fn', ['a', 'b', '100']] + """ + def __init__(self, expr): + super(Group, self).__init__(expr) + self.saveAsList = True + + def postParse(self, instring, loc, tokenlist): + return [tokenlist] + +class Dict(TokenConverter): + """Converter to return a repetitive expression as a list, but also + as a dictionary. Each element can also be referenced using the first + token in the expression as its key. Useful for tabular report + scraping when the first column can be used as a item key. + + Example:: + + data_word = Word(alphas) + label = data_word + FollowedBy(':') + attr_expr = Group(label + Suppress(':') + OneOrMore(data_word).setParseAction(' '.join)) + + text = "shape: SQUARE posn: upper left color: light blue texture: burlap" + attr_expr = (label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) + + # print attributes as plain groups + print(OneOrMore(attr_expr).parseString(text).dump()) + + # instead of OneOrMore(expr), parse using Dict(OneOrMore(Group(expr))) - Dict will auto-assign names + result = Dict(OneOrMore(Group(attr_expr))).parseString(text) + print(result.dump()) + + # access named fields as dict entries, or output as dict + print(result['shape']) + print(result.asDict()) + + prints:: + + ['shape', 'SQUARE', 'posn', 'upper left', 'color', 'light blue', 'texture', 'burlap'] + [['shape', 'SQUARE'], ['posn', 'upper left'], ['color', 'light blue'], ['texture', 'burlap']] + - color: light blue + - posn: upper left + - shape: SQUARE + - texture: burlap + SQUARE + {'color': 'light blue', 'posn': 'upper left', 'texture': 'burlap', 'shape': 'SQUARE'} + + See more examples at :class:`ParseResults` of accessing fields by results name. + """ + def __init__(self, expr): + super(Dict, self).__init__(expr) + self.saveAsList = True + + def postParse(self, instring, loc, tokenlist): + for i, tok in enumerate(tokenlist): + if len(tok) == 0: + continue + ikey = tok[0] + if isinstance(ikey, int): + ikey = _ustr(tok[0]).strip() + if len(tok) == 1: + tokenlist[ikey] = _ParseResultsWithOffset("", i) + elif len(tok) == 2 and not isinstance(tok[1], ParseResults): + tokenlist[ikey] = _ParseResultsWithOffset(tok[1], i) + else: + dictvalue = tok.copy() # ParseResults(i) + del dictvalue[0] + if len(dictvalue) != 1 or (isinstance(dictvalue, ParseResults) and dictvalue.haskeys()): + tokenlist[ikey] = _ParseResultsWithOffset(dictvalue, i) + else: + tokenlist[ikey] = _ParseResultsWithOffset(dictvalue[0], i) + + if self.resultsName: + return [tokenlist] + else: + return tokenlist + + +class Suppress(TokenConverter): + """Converter for ignoring the results of a parsed expression. + + Example:: + + source = "a, b, c,d" + wd = Word(alphas) + wd_list1 = wd + ZeroOrMore(',' + wd) + print(wd_list1.parseString(source)) + + # often, delimiters that are useful during parsing are just in the + # way afterward - use Suppress to keep them out of the parsed output + wd_list2 = wd + ZeroOrMore(Suppress(',') + wd) + print(wd_list2.parseString(source)) + + prints:: + + ['a', ',', 'b', ',', 'c', ',', 'd'] + ['a', 'b', 'c', 'd'] + + (See also :class:`delimitedList`.) + """ + def postParse(self, instring, loc, tokenlist): + return [] + + def suppress(self): + return self + + +class OnlyOnce(object): + """Wrapper for parse actions, to ensure they are only called once. + """ + def __init__(self, methodCall): + self.callable = _trim_arity(methodCall) + self.called = False + def __call__(self, s, l, t): + if not self.called: + results = self.callable(s, l, t) + self.called = True + return results + raise ParseException(s, l, "") + def reset(self): + self.called = False + +def traceParseAction(f): + """Decorator for debugging parse actions. + + When the parse action is called, this decorator will print + ``">> entering method-name(line:<current_source_line>, <parse_location>, <matched_tokens>)"``. + When the parse action completes, the decorator will print + ``"<<"`` followed by the returned value, or any exception that the parse action raised. + + Example:: + + wd = Word(alphas) + + @traceParseAction + def remove_duplicate_chars(tokens): + return ''.join(sorted(set(''.join(tokens)))) + + wds = OneOrMore(wd).setParseAction(remove_duplicate_chars) + print(wds.parseString("slkdjs sld sldd sdlf sdljf")) + + prints:: + + >>entering remove_duplicate_chars(line: 'slkdjs sld sldd sdlf sdljf', 0, (['slkdjs', 'sld', 'sldd', 'sdlf', 'sdljf'], {})) + <<leaving remove_duplicate_chars (ret: 'dfjkls') + ['dfjkls'] + """ + f = _trim_arity(f) + def z(*paArgs): + thisFunc = f.__name__ + s, l, t = paArgs[-3:] + if len(paArgs) > 3: + thisFunc = paArgs[0].__class__.__name__ + '.' + thisFunc + sys.stderr.write(">>entering %s(line: '%s', %d, %r)\n" % (thisFunc, line(l, s), l, t)) + try: + ret = f(*paArgs) + except Exception as exc: + sys.stderr.write("<<leaving %s (exception: %s)\n" % (thisFunc, exc)) + raise + sys.stderr.write("<<leaving %s (ret: %r)\n" % (thisFunc, ret)) + return ret + try: + z.__name__ = f.__name__ + except AttributeError: + pass + return z + +# +# global helpers +# +def delimitedList(expr, delim=",", combine=False): + """Helper to define a delimited list of expressions - the delimiter + defaults to ','. By default, the list elements and delimiters can + have intervening whitespace, and comments, but this can be + overridden by passing ``combine=True`` in the constructor. If + ``combine`` is set to ``True``, the matching tokens are + returned as a single token string, with the delimiters included; + otherwise, the matching tokens are returned as a list of tokens, + with the delimiters suppressed. + + Example:: + + delimitedList(Word(alphas)).parseString("aa,bb,cc") # -> ['aa', 'bb', 'cc'] + delimitedList(Word(hexnums), delim=':', combine=True).parseString("AA:BB:CC:DD:EE") # -> ['AA:BB:CC:DD:EE'] + """ + dlName = _ustr(expr) + " [" + _ustr(delim) + " " + _ustr(expr) + "]..." + if combine: + return Combine(expr + ZeroOrMore(delim + expr)).setName(dlName) + else: + return (expr + ZeroOrMore(Suppress(delim) + expr)).setName(dlName) + +def countedArray(expr, intExpr=None): + """Helper to define a counted list of expressions. + + This helper defines a pattern of the form:: + + integer expr expr expr... + + where the leading integer tells how many expr expressions follow. + The matched tokens returns the array of expr tokens as a list - the + leading count token is suppressed. + + If ``intExpr`` is specified, it should be a pyparsing expression + that produces an integer value. + + Example:: + + countedArray(Word(alphas)).parseString('2 ab cd ef') # -> ['ab', 'cd'] + + # in this parser, the leading integer value is given in binary, + # '10' indicating that 2 values are in the array + binaryConstant = Word('01').setParseAction(lambda t: int(t[0], 2)) + countedArray(Word(alphas), intExpr=binaryConstant).parseString('10 ab cd ef') # -> ['ab', 'cd'] + """ + arrayExpr = Forward() + def countFieldParseAction(s, l, t): + n = t[0] + arrayExpr << (n and Group(And([expr] * n)) or Group(empty)) + return [] + if intExpr is None: + intExpr = Word(nums).setParseAction(lambda t: int(t[0])) + else: + intExpr = intExpr.copy() + intExpr.setName("arrayLen") + intExpr.addParseAction(countFieldParseAction, callDuringTry=True) + return (intExpr + arrayExpr).setName('(len) ' + _ustr(expr) + '...') + +def _flatten(L): + ret = [] + for i in L: + if isinstance(i, list): + ret.extend(_flatten(i)) + else: + ret.append(i) + return ret + +def matchPreviousLiteral(expr): + """Helper to define an expression that is indirectly defined from + the tokens matched in a previous expression, that is, it looks for + a 'repeat' of a previous expression. For example:: + + first = Word(nums) + second = matchPreviousLiteral(first) + matchExpr = first + ":" + second + + will match ``"1:1"``, but not ``"1:2"``. Because this + matches a previous literal, will also match the leading + ``"1:1"`` in ``"1:10"``. If this is not desired, use + :class:`matchPreviousExpr`. Do *not* use with packrat parsing + enabled. + """ + rep = Forward() + def copyTokenToRepeater(s, l, t): + if t: + if len(t) == 1: + rep << t[0] + else: + # flatten t tokens + tflat = _flatten(t.asList()) + rep << And(Literal(tt) for tt in tflat) + else: + rep << Empty() + expr.addParseAction(copyTokenToRepeater, callDuringTry=True) + rep.setName('(prev) ' + _ustr(expr)) + return rep + +def matchPreviousExpr(expr): + """Helper to define an expression that is indirectly defined from + the tokens matched in a previous expression, that is, it looks for + a 'repeat' of a previous expression. For example:: + + first = Word(nums) + second = matchPreviousExpr(first) + matchExpr = first + ":" + second + + will match ``"1:1"``, but not ``"1:2"``. Because this + matches by expressions, will *not* match the leading ``"1:1"`` + in ``"1:10"``; the expressions are evaluated first, and then + compared, so ``"1"`` is compared with ``"10"``. Do *not* use + with packrat parsing enabled. + """ + rep = Forward() + e2 = expr.copy() + rep <<= e2 + def copyTokenToRepeater(s, l, t): + matchTokens = _flatten(t.asList()) + def mustMatchTheseTokens(s, l, t): + theseTokens = _flatten(t.asList()) + if theseTokens != matchTokens: + raise ParseException('', 0, '') + rep.setParseAction(mustMatchTheseTokens, callDuringTry=True) + expr.addParseAction(copyTokenToRepeater, callDuringTry=True) + rep.setName('(prev) ' + _ustr(expr)) + return rep + +def _escapeRegexRangeChars(s): + # ~ escape these chars: ^-[] + for c in r"\^-[]": + s = s.replace(c, _bslash + c) + s = s.replace("\n", r"\n") + s = s.replace("\t", r"\t") + return _ustr(s) + +def oneOf(strs, caseless=False, useRegex=True, asKeyword=False): + """Helper to quickly define a set of alternative Literals, and makes + sure to do longest-first testing when there is a conflict, + regardless of the input order, but returns + a :class:`MatchFirst` for best performance. + + Parameters: + + - strs - a string of space-delimited literals, or a collection of + string literals + - caseless - (default= ``False``) - treat all literals as + caseless + - useRegex - (default= ``True``) - as an optimization, will + generate a Regex object; otherwise, will generate + a :class:`MatchFirst` object (if ``caseless=True`` or ``asKeyword=True``, or if + creating a :class:`Regex` raises an exception) + - asKeyword - (default=``False``) - enforce Keyword-style matching on the + generated expressions + + Example:: + + comp_oper = oneOf("< = > <= >= !=") + var = Word(alphas) + number = Word(nums) + term = var | number + comparison_expr = term + comp_oper + term + print(comparison_expr.searchString("B = 12 AA=23 B<=AA AA>12")) + + prints:: + + [['B', '=', '12'], ['AA', '=', '23'], ['B', '<=', 'AA'], ['AA', '>', '12']] + """ + if isinstance(caseless, basestring): + warnings.warn("More than one string argument passed to oneOf, pass " + "choices as a list or space-delimited string", stacklevel=2) + + if caseless: + isequal = (lambda a, b: a.upper() == b.upper()) + masks = (lambda a, b: b.upper().startswith(a.upper())) + parseElementClass = CaselessKeyword if asKeyword else CaselessLiteral + else: + isequal = (lambda a, b: a == b) + masks = (lambda a, b: b.startswith(a)) + parseElementClass = Keyword if asKeyword else Literal + + symbols = [] + if isinstance(strs, basestring): + symbols = strs.split() + elif isinstance(strs, Iterable): + symbols = list(strs) + else: + warnings.warn("Invalid argument to oneOf, expected string or iterable", + SyntaxWarning, stacklevel=2) + if not symbols: + return NoMatch() + + if not asKeyword: + # if not producing keywords, need to reorder to take care to avoid masking + # longer choices with shorter ones + i = 0 + while i < len(symbols) - 1: + cur = symbols[i] + for j, other in enumerate(symbols[i + 1:]): + if isequal(other, cur): + del symbols[i + j + 1] + break + elif masks(cur, other): + del symbols[i + j + 1] + symbols.insert(i, other) + break + else: + i += 1 + + if not (caseless or asKeyword) and useRegex: + # ~ print (strs, "->", "|".join([_escapeRegexChars(sym) for sym in symbols])) + try: + if len(symbols) == len("".join(symbols)): + return Regex("[%s]" % "".join(_escapeRegexRangeChars(sym) for sym in symbols)).setName(' | '.join(symbols)) + else: + return Regex("|".join(re.escape(sym) for sym in symbols)).setName(' | '.join(symbols)) + except Exception: + warnings.warn("Exception creating Regex for oneOf, building MatchFirst", + SyntaxWarning, stacklevel=2) + + # last resort, just use MatchFirst + return MatchFirst(parseElementClass(sym) for sym in symbols).setName(' | '.join(symbols)) + +def dictOf(key, value): + """Helper to easily and clearly define a dictionary by specifying + the respective patterns for the key and value. Takes care of + defining the :class:`Dict`, :class:`ZeroOrMore`, and + :class:`Group` tokens in the proper order. The key pattern + can include delimiting markers or punctuation, as long as they are + suppressed, thereby leaving the significant key text. The value + pattern can include named results, so that the :class:`Dict` results + can include named token fields. + + Example:: + + text = "shape: SQUARE posn: upper left color: light blue texture: burlap" + attr_expr = (label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) + print(OneOrMore(attr_expr).parseString(text).dump()) + + attr_label = label + attr_value = Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join) + + # similar to Dict, but simpler call format + result = dictOf(attr_label, attr_value).parseString(text) + print(result.dump()) + print(result['shape']) + print(result.shape) # object attribute access works too + print(result.asDict()) + + prints:: + + [['shape', 'SQUARE'], ['posn', 'upper left'], ['color', 'light blue'], ['texture', 'burlap']] + - color: light blue + - posn: upper left + - shape: SQUARE + - texture: burlap + SQUARE + SQUARE + {'color': 'light blue', 'shape': 'SQUARE', 'posn': 'upper left', 'texture': 'burlap'} + """ + return Dict(OneOrMore(Group(key + value))) + +def originalTextFor(expr, asString=True): + """Helper to return the original, untokenized text for a given + expression. Useful to restore the parsed fields of an HTML start + tag into the raw tag text itself, or to revert separate tokens with + intervening whitespace back to the original matching input text. By + default, returns astring containing the original parsed text. + + If the optional ``asString`` argument is passed as + ``False``, then the return value is + a :class:`ParseResults` containing any results names that + were originally matched, and a single token containing the original + matched text from the input string. So if the expression passed to + :class:`originalTextFor` contains expressions with defined + results names, you must set ``asString`` to ``False`` if you + want to preserve those results name values. + + Example:: + + src = "this is test <b> bold <i>text</i> </b> normal text " + for tag in ("b", "i"): + opener, closer = makeHTMLTags(tag) + patt = originalTextFor(opener + SkipTo(closer) + closer) + print(patt.searchString(src)[0]) + + prints:: + + ['<b> bold <i>text</i> </b>'] + ['<i>text</i>'] + """ + locMarker = Empty().setParseAction(lambda s, loc, t: loc) + endlocMarker = locMarker.copy() + endlocMarker.callPreparse = False + matchExpr = locMarker("_original_start") + expr + endlocMarker("_original_end") + if asString: + extractText = lambda s, l, t: s[t._original_start: t._original_end] + else: + def extractText(s, l, t): + t[:] = [s[t.pop('_original_start'):t.pop('_original_end')]] + matchExpr.setParseAction(extractText) + matchExpr.ignoreExprs = expr.ignoreExprs + return matchExpr + +def ungroup(expr): + """Helper to undo pyparsing's default grouping of And expressions, + even if all but one are non-empty. + """ + return TokenConverter(expr).addParseAction(lambda t: t[0]) + +def locatedExpr(expr): + """Helper to decorate a returned token with its starting and ending + locations in the input string. + + This helper adds the following results names: + + - locn_start = location where matched expression begins + - locn_end = location where matched expression ends + - value = the actual parsed results + + Be careful if the input text contains ``<TAB>`` characters, you + may want to call :class:`ParserElement.parseWithTabs` + + Example:: + + wd = Word(alphas) + for match in locatedExpr(wd).searchString("ljsdf123lksdjjf123lkkjj1222"): + print(match) + + prints:: + + [[0, 'ljsdf', 5]] + [[8, 'lksdjjf', 15]] + [[18, 'lkkjj', 23]] + """ + locator = Empty().setParseAction(lambda s, l, t: l) + return Group(locator("locn_start") + expr("value") + locator.copy().leaveWhitespace()("locn_end")) + + +# convenience constants for positional expressions +empty = Empty().setName("empty") +lineStart = LineStart().setName("lineStart") +lineEnd = LineEnd().setName("lineEnd") +stringStart = StringStart().setName("stringStart") +stringEnd = StringEnd().setName("stringEnd") + +_escapedPunc = Word(_bslash, r"\[]-*.$+^?()~ ", exact=2).setParseAction(lambda s, l, t: t[0][1]) +_escapedHexChar = Regex(r"\\0?[xX][0-9a-fA-F]+").setParseAction(lambda s, l, t: unichr(int(t[0].lstrip(r'\0x'), 16))) +_escapedOctChar = Regex(r"\\0[0-7]+").setParseAction(lambda s, l, t: unichr(int(t[0][1:], 8))) +_singleChar = _escapedPunc | _escapedHexChar | _escapedOctChar | CharsNotIn(r'\]', exact=1) +_charRange = Group(_singleChar + Suppress("-") + _singleChar) +_reBracketExpr = Literal("[") + Optional("^").setResultsName("negate") + Group(OneOrMore(_charRange | _singleChar)).setResultsName("body") + "]" + +def srange(s): + r"""Helper to easily define string ranges for use in Word + construction. Borrows syntax from regexp '[]' string range + definitions:: + + srange("[0-9]") -> "0123456789" + srange("[a-z]") -> "abcdefghijklmnopqrstuvwxyz" + srange("[a-z$_]") -> "abcdefghijklmnopqrstuvwxyz$_" + + The input string must be enclosed in []'s, and the returned string + is the expanded character set joined into a single string. The + values enclosed in the []'s may be: + + - a single character + - an escaped character with a leading backslash (such as ``\-`` + or ``\]``) + - an escaped hex character with a leading ``'\x'`` + (``\x21``, which is a ``'!'`` character) (``\0x##`` + is also supported for backwards compatibility) + - an escaped octal character with a leading ``'\0'`` + (``\041``, which is a ``'!'`` character) + - a range of any of the above, separated by a dash (``'a-z'``, + etc.) + - any combination of the above (``'aeiouy'``, + ``'a-zA-Z0-9_$'``, etc.) + """ + _expanded = lambda p: p if not isinstance(p, ParseResults) else ''.join(unichr(c) for c in range(ord(p[0]), ord(p[1]) + 1)) + try: + return "".join(_expanded(part) for part in _reBracketExpr.parseString(s).body) + except Exception: + return "" + +def matchOnlyAtCol(n): + """Helper method for defining parse actions that require matching at + a specific column in the input text. + """ + def verifyCol(strg, locn, toks): + if col(locn, strg) != n: + raise ParseException(strg, locn, "matched token not at column %d" % n) + return verifyCol + +def replaceWith(replStr): + """Helper method for common parse actions that simply return + a literal value. Especially useful when used with + :class:`transformString<ParserElement.transformString>` (). + + Example:: + + num = Word(nums).setParseAction(lambda toks: int(toks[0])) + na = oneOf("N/A NA").setParseAction(replaceWith(math.nan)) + term = na | num + + OneOrMore(term).parseString("324 234 N/A 234") # -> [324, 234, nan, 234] + """ + return lambda s, l, t: [replStr] + +def removeQuotes(s, l, t): + """Helper parse action for removing quotation marks from parsed + quoted strings. + + Example:: + + # by default, quotation marks are included in parsed results + quotedString.parseString("'Now is the Winter of our Discontent'") # -> ["'Now is the Winter of our Discontent'"] + + # use removeQuotes to strip quotation marks from parsed results + quotedString.setParseAction(removeQuotes) + quotedString.parseString("'Now is the Winter of our Discontent'") # -> ["Now is the Winter of our Discontent"] + """ + return t[0][1:-1] + +def tokenMap(func, *args): + """Helper to define a parse action by mapping a function to all + elements of a ParseResults list. If any additional args are passed, + they are forwarded to the given function as additional arguments + after the token, as in + ``hex_integer = Word(hexnums).setParseAction(tokenMap(int, 16))``, + which will convert the parsed data to an integer using base 16. + + Example (compare the last to example in :class:`ParserElement.transformString`:: + + hex_ints = OneOrMore(Word(hexnums)).setParseAction(tokenMap(int, 16)) + hex_ints.runTests(''' + 00 11 22 aa FF 0a 0d 1a + ''') + + upperword = Word(alphas).setParseAction(tokenMap(str.upper)) + OneOrMore(upperword).runTests(''' + my kingdom for a horse + ''') + + wd = Word(alphas).setParseAction(tokenMap(str.title)) + OneOrMore(wd).setParseAction(' '.join).runTests(''' + now is the winter of our discontent made glorious summer by this sun of york + ''') + + prints:: + + 00 11 22 aa FF 0a 0d 1a + [0, 17, 34, 170, 255, 10, 13, 26] + + my kingdom for a horse + ['MY', 'KINGDOM', 'FOR', 'A', 'HORSE'] + + now is the winter of our discontent made glorious summer by this sun of york + ['Now Is The Winter Of Our Discontent Made Glorious Summer By This Sun Of York'] + """ + def pa(s, l, t): + return [func(tokn, *args) for tokn in t] + + try: + func_name = getattr(func, '__name__', + getattr(func, '__class__').__name__) + except Exception: + func_name = str(func) + pa.__name__ = func_name + + return pa + +upcaseTokens = tokenMap(lambda t: _ustr(t).upper()) +"""(Deprecated) Helper parse action to convert tokens to upper case. +Deprecated in favor of :class:`pyparsing_common.upcaseTokens`""" + +downcaseTokens = tokenMap(lambda t: _ustr(t).lower()) +"""(Deprecated) Helper parse action to convert tokens to lower case. +Deprecated in favor of :class:`pyparsing_common.downcaseTokens`""" + +def _makeTags(tagStr, xml, + suppress_LT=Suppress("<"), + suppress_GT=Suppress(">")): + """Internal helper to construct opening and closing tag expressions, given a tag name""" + if isinstance(tagStr, basestring): + resname = tagStr + tagStr = Keyword(tagStr, caseless=not xml) + else: + resname = tagStr.name + + tagAttrName = Word(alphas, alphanums + "_-:") + if xml: + tagAttrValue = dblQuotedString.copy().setParseAction(removeQuotes) + openTag = (suppress_LT + + tagStr("tag") + + Dict(ZeroOrMore(Group(tagAttrName + Suppress("=") + tagAttrValue))) + + Optional("/", default=[False])("empty").setParseAction(lambda s, l, t: t[0] == '/') + + suppress_GT) + else: + tagAttrValue = quotedString.copy().setParseAction(removeQuotes) | Word(printables, excludeChars=">") + openTag = (suppress_LT + + tagStr("tag") + + Dict(ZeroOrMore(Group(tagAttrName.setParseAction(downcaseTokens) + + Optional(Suppress("=") + tagAttrValue)))) + + Optional("/", default=[False])("empty").setParseAction(lambda s, l, t: t[0] == '/') + + suppress_GT) + closeTag = Combine(_L("</") + tagStr + ">", adjacent=False) + + openTag.setName("<%s>" % resname) + # add start<tagname> results name in parse action now that ungrouped names are not reported at two levels + openTag.addParseAction(lambda t: t.__setitem__("start" + "".join(resname.replace(":", " ").title().split()), t.copy())) + closeTag = closeTag("end" + "".join(resname.replace(":", " ").title().split())).setName("</%s>" % resname) + openTag.tag = resname + closeTag.tag = resname + openTag.tag_body = SkipTo(closeTag()) + return openTag, closeTag + +def makeHTMLTags(tagStr): + """Helper to construct opening and closing tag expressions for HTML, + given a tag name. Matches tags in either upper or lower case, + attributes with namespaces and with quoted or unquoted values. + + Example:: + + text = '<td>More info at the <a href="https://github.com/pyparsing/pyparsing/wiki">pyparsing</a> wiki page</td>' + # makeHTMLTags returns pyparsing expressions for the opening and + # closing tags as a 2-tuple + a, a_end = makeHTMLTags("A") + link_expr = a + SkipTo(a_end)("link_text") + a_end + + for link in link_expr.searchString(text): + # attributes in the <A> tag (like "href" shown here) are + # also accessible as named results + print(link.link_text, '->', link.href) + + prints:: + + pyparsing -> https://github.com/pyparsing/pyparsing/wiki + """ + return _makeTags(tagStr, False) + +def makeXMLTags(tagStr): + """Helper to construct opening and closing tag expressions for XML, + given a tag name. Matches tags only in the given upper/lower case. + + Example: similar to :class:`makeHTMLTags` + """ + return _makeTags(tagStr, True) + +def withAttribute(*args, **attrDict): + """Helper to create a validating parse action to be used with start + tags created with :class:`makeXMLTags` or + :class:`makeHTMLTags`. Use ``withAttribute`` to qualify + a starting tag with a required attribute value, to avoid false + matches on common tags such as ``<TD>`` or ``<DIV>``. + + Call ``withAttribute`` with a series of attribute names and + values. Specify the list of filter attributes names and values as: + + - keyword arguments, as in ``(align="right")``, or + - as an explicit dict with ``**`` operator, when an attribute + name is also a Python reserved word, as in ``**{"class":"Customer", "align":"right"}`` + - a list of name-value tuples, as in ``(("ns1:class", "Customer"), ("ns2:align", "right"))`` + + For attribute names with a namespace prefix, you must use the second + form. Attribute names are matched insensitive to upper/lower case. + + If just testing for ``class`` (with or without a namespace), use + :class:`withClass`. + + To verify that the attribute exists, but without specifying a value, + pass ``withAttribute.ANY_VALUE`` as the value. + + Example:: + + html = ''' + <div> + Some text + <div type="grid">1 4 0 1 0</div> + <div type="graph">1,3 2,3 1,1</div> + <div>this has no type</div> + </div> + + ''' + div,div_end = makeHTMLTags("div") + + # only match div tag having a type attribute with value "grid" + div_grid = div().setParseAction(withAttribute(type="grid")) + grid_expr = div_grid + SkipTo(div | div_end)("body") + for grid_header in grid_expr.searchString(html): + print(grid_header.body) + + # construct a match with any div tag having a type attribute, regardless of the value + div_any_type = div().setParseAction(withAttribute(type=withAttribute.ANY_VALUE)) + div_expr = div_any_type + SkipTo(div | div_end)("body") + for div_header in div_expr.searchString(html): + print(div_header.body) + + prints:: + + 1 4 0 1 0 + + 1 4 0 1 0 + 1,3 2,3 1,1 + """ + if args: + attrs = args[:] + else: + attrs = attrDict.items() + attrs = [(k, v) for k, v in attrs] + def pa(s, l, tokens): + for attrName, attrValue in attrs: + if attrName not in tokens: + raise ParseException(s, l, "no matching attribute " + attrName) + if attrValue != withAttribute.ANY_VALUE and tokens[attrName] != attrValue: + raise ParseException(s, l, "attribute '%s' has value '%s', must be '%s'" % + (attrName, tokens[attrName], attrValue)) + return pa +withAttribute.ANY_VALUE = object() + +def withClass(classname, namespace=''): + """Simplified version of :class:`withAttribute` when + matching on a div class - made difficult because ``class`` is + a reserved word in Python. + + Example:: + + html = ''' + <div> + Some text + <div class="grid">1 4 0 1 0</div> + <div class="graph">1,3 2,3 1,1</div> + <div>this <div> has no class</div> + </div> + + ''' + div,div_end = makeHTMLTags("div") + div_grid = div().setParseAction(withClass("grid")) + + grid_expr = div_grid + SkipTo(div | div_end)("body") + for grid_header in grid_expr.searchString(html): + print(grid_header.body) + + div_any_type = div().setParseAction(withClass(withAttribute.ANY_VALUE)) + div_expr = div_any_type + SkipTo(div | div_end)("body") + for div_header in div_expr.searchString(html): + print(div_header.body) + + prints:: + + 1 4 0 1 0 + + 1 4 0 1 0 + 1,3 2,3 1,1 + """ + classattr = "%s:class" % namespace if namespace else "class" + return withAttribute(**{classattr: classname}) + +opAssoc = SimpleNamespace() +opAssoc.LEFT = object() +opAssoc.RIGHT = object() + +def infixNotation(baseExpr, opList, lpar=Suppress('('), rpar=Suppress(')')): + """Helper method for constructing grammars of expressions made up of + operators working in a precedence hierarchy. Operators may be unary + or binary, left- or right-associative. Parse actions can also be + attached to operator expressions. The generated parser will also + recognize the use of parentheses to override operator precedences + (see example below). + + Note: if you define a deep operator list, you may see performance + issues when using infixNotation. See + :class:`ParserElement.enablePackrat` for a mechanism to potentially + improve your parser performance. + + Parameters: + - baseExpr - expression representing the most basic element for the + nested + - opList - list of tuples, one for each operator precedence level + in the expression grammar; each tuple is of the form ``(opExpr, + numTerms, rightLeftAssoc, parseAction)``, where: + + - opExpr is the pyparsing expression for the operator; may also + be a string, which will be converted to a Literal; if numTerms + is 3, opExpr is a tuple of two expressions, for the two + operators separating the 3 terms + - numTerms is the number of terms for this operator (must be 1, + 2, or 3) + - rightLeftAssoc is the indicator whether the operator is right + or left associative, using the pyparsing-defined constants + ``opAssoc.RIGHT`` and ``opAssoc.LEFT``. + - parseAction is the parse action to be associated with + expressions matching this operator expression (the parse action + tuple member may be omitted); if the parse action is passed + a tuple or list of functions, this is equivalent to calling + ``setParseAction(*fn)`` + (:class:`ParserElement.setParseAction`) + - lpar - expression for matching left-parentheses + (default= ``Suppress('(')``) + - rpar - expression for matching right-parentheses + (default= ``Suppress(')')``) + + Example:: + + # simple example of four-function arithmetic with ints and + # variable names + integer = pyparsing_common.signed_integer + varname = pyparsing_common.identifier + + arith_expr = infixNotation(integer | varname, + [ + ('-', 1, opAssoc.RIGHT), + (oneOf('* /'), 2, opAssoc.LEFT), + (oneOf('+ -'), 2, opAssoc.LEFT), + ]) + + arith_expr.runTests(''' + 5+3*6 + (5+3)*6 + -2--11 + ''', fullDump=False) + + prints:: + + 5+3*6 + [[5, '+', [3, '*', 6]]] + + (5+3)*6 + [[[5, '+', 3], '*', 6]] + + -2--11 + [[['-', 2], '-', ['-', 11]]] + """ + # captive version of FollowedBy that does not do parse actions or capture results names + class _FB(FollowedBy): + def parseImpl(self, instring, loc, doActions=True): + self.expr.tryParse(instring, loc) + return loc, [] + + ret = Forward() + lastExpr = baseExpr | (lpar + ret + rpar) + for i, operDef in enumerate(opList): + opExpr, arity, rightLeftAssoc, pa = (operDef + (None, ))[:4] + termName = "%s term" % opExpr if arity < 3 else "%s%s term" % opExpr + if arity == 3: + if opExpr is None or len(opExpr) != 2: + raise ValueError( + "if numterms=3, opExpr must be a tuple or list of two expressions") + opExpr1, opExpr2 = opExpr + thisExpr = Forward().setName(termName) + if rightLeftAssoc == opAssoc.LEFT: + if arity == 1: + matchExpr = _FB(lastExpr + opExpr) + Group(lastExpr + OneOrMore(opExpr)) + elif arity == 2: + if opExpr is not None: + matchExpr = _FB(lastExpr + opExpr + lastExpr) + Group(lastExpr + OneOrMore(opExpr + lastExpr)) + else: + matchExpr = _FB(lastExpr + lastExpr) + Group(lastExpr + OneOrMore(lastExpr)) + elif arity == 3: + matchExpr = (_FB(lastExpr + opExpr1 + lastExpr + opExpr2 + lastExpr) + + Group(lastExpr + OneOrMore(opExpr1 + lastExpr + opExpr2 + lastExpr))) + else: + raise ValueError("operator must be unary (1), binary (2), or ternary (3)") + elif rightLeftAssoc == opAssoc.RIGHT: + if arity == 1: + # try to avoid LR with this extra test + if not isinstance(opExpr, Optional): + opExpr = Optional(opExpr) + matchExpr = _FB(opExpr.expr + thisExpr) + Group(opExpr + thisExpr) + elif arity == 2: + if opExpr is not None: + matchExpr = _FB(lastExpr + opExpr + thisExpr) + Group(lastExpr + OneOrMore(opExpr + thisExpr)) + else: + matchExpr = _FB(lastExpr + thisExpr) + Group(lastExpr + OneOrMore(thisExpr)) + elif arity == 3: + matchExpr = (_FB(lastExpr + opExpr1 + thisExpr + opExpr2 + thisExpr) + + Group(lastExpr + opExpr1 + thisExpr + opExpr2 + thisExpr)) + else: + raise ValueError("operator must be unary (1), binary (2), or ternary (3)") + else: + raise ValueError("operator must indicate right or left associativity") + if pa: + if isinstance(pa, (tuple, list)): + matchExpr.setParseAction(*pa) + else: + matchExpr.setParseAction(pa) + thisExpr <<= (matchExpr.setName(termName) | lastExpr) + lastExpr = thisExpr + ret <<= lastExpr + return ret + +operatorPrecedence = infixNotation +"""(Deprecated) Former name of :class:`infixNotation`, will be +dropped in a future release.""" + +dblQuotedString = Combine(Regex(r'"(?:[^"\n\r\\]|(?:"")|(?:\\(?:[^x]|x[0-9a-fA-F]+)))*') + '"').setName("string enclosed in double quotes") +sglQuotedString = Combine(Regex(r"'(?:[^'\n\r\\]|(?:'')|(?:\\(?:[^x]|x[0-9a-fA-F]+)))*") + "'").setName("string enclosed in single quotes") +quotedString = Combine(Regex(r'"(?:[^"\n\r\\]|(?:"")|(?:\\(?:[^x]|x[0-9a-fA-F]+)))*') + '"' + | Regex(r"'(?:[^'\n\r\\]|(?:'')|(?:\\(?:[^x]|x[0-9a-fA-F]+)))*") + "'").setName("quotedString using single or double quotes") +unicodeString = Combine(_L('u') + quotedString.copy()).setName("unicode string literal") + +def nestedExpr(opener="(", closer=")", content=None, ignoreExpr=quotedString.copy()): + """Helper method for defining nested lists enclosed in opening and + closing delimiters ("(" and ")" are the default). + + Parameters: + - opener - opening character for a nested list + (default= ``"("``); can also be a pyparsing expression + - closer - closing character for a nested list + (default= ``")"``); can also be a pyparsing expression + - content - expression for items within the nested lists + (default= ``None``) + - ignoreExpr - expression for ignoring opening and closing + delimiters (default= :class:`quotedString`) + + If an expression is not provided for the content argument, the + nested expression will capture all whitespace-delimited content + between delimiters as a list of separate values. + + Use the ``ignoreExpr`` argument to define expressions that may + contain opening or closing characters that should not be treated as + opening or closing characters for nesting, such as quotedString or + a comment expression. Specify multiple expressions using an + :class:`Or` or :class:`MatchFirst`. The default is + :class:`quotedString`, but if no expressions are to be ignored, then + pass ``None`` for this argument. + + Example:: + + data_type = oneOf("void int short long char float double") + decl_data_type = Combine(data_type + Optional(Word('*'))) + ident = Word(alphas+'_', alphanums+'_') + number = pyparsing_common.number + arg = Group(decl_data_type + ident) + LPAR, RPAR = map(Suppress, "()") + + code_body = nestedExpr('{', '}', ignoreExpr=(quotedString | cStyleComment)) + + c_function = (decl_data_type("type") + + ident("name") + + LPAR + Optional(delimitedList(arg), [])("args") + RPAR + + code_body("body")) + c_function.ignore(cStyleComment) + + source_code = ''' + int is_odd(int x) { + return (x%2); + } + + int dec_to_hex(char hchar) { + if (hchar >= '0' && hchar <= '9') { + return (ord(hchar)-ord('0')); + } else { + return (10+ord(hchar)-ord('A')); + } + } + ''' + for func in c_function.searchString(source_code): + print("%(name)s (%(type)s) args: %(args)s" % func) + + + prints:: + + is_odd (int) args: [['int', 'x']] + dec_to_hex (int) args: [['char', 'hchar']] + """ + if opener == closer: + raise ValueError("opening and closing strings cannot be the same") + if content is None: + if isinstance(opener, basestring) and isinstance(closer, basestring): + if len(opener) == 1 and len(closer) == 1: + if ignoreExpr is not None: + content = (Combine(OneOrMore(~ignoreExpr + + CharsNotIn(opener + + closer + + ParserElement.DEFAULT_WHITE_CHARS, exact=1) + ) + ).setParseAction(lambda t: t[0].strip())) + else: + content = (empty.copy() + CharsNotIn(opener + + closer + + ParserElement.DEFAULT_WHITE_CHARS + ).setParseAction(lambda t: t[0].strip())) + else: + if ignoreExpr is not None: + content = (Combine(OneOrMore(~ignoreExpr + + ~Literal(opener) + + ~Literal(closer) + + CharsNotIn(ParserElement.DEFAULT_WHITE_CHARS, exact=1)) + ).setParseAction(lambda t: t[0].strip())) + else: + content = (Combine(OneOrMore(~Literal(opener) + + ~Literal(closer) + + CharsNotIn(ParserElement.DEFAULT_WHITE_CHARS, exact=1)) + ).setParseAction(lambda t: t[0].strip())) + else: + raise ValueError("opening and closing arguments must be strings if no content expression is given") + ret = Forward() + if ignoreExpr is not None: + ret <<= Group(Suppress(opener) + ZeroOrMore(ignoreExpr | ret | content) + Suppress(closer)) + else: + ret <<= Group(Suppress(opener) + ZeroOrMore(ret | content) + Suppress(closer)) + ret.setName('nested %s%s expression' % (opener, closer)) + return ret + +def indentedBlock(blockStatementExpr, indentStack, indent=True): + """Helper method for defining space-delimited indentation blocks, + such as those used to define block statements in Python source code. + + Parameters: + + - blockStatementExpr - expression defining syntax of statement that + is repeated within the indented block + - indentStack - list created by caller to manage indentation stack + (multiple statementWithIndentedBlock expressions within a single + grammar should share a common indentStack) + - indent - boolean indicating whether block must be indented beyond + the current level; set to False for block of left-most + statements (default= ``True``) + + A valid block must contain at least one ``blockStatement``. + + Example:: + + data = ''' + def A(z): + A1 + B = 100 + G = A2 + A2 + A3 + B + def BB(a,b,c): + BB1 + def BBA(): + bba1 + bba2 + bba3 + C + D + def spam(x,y): + def eggs(z): + pass + ''' + + + indentStack = [1] + stmt = Forward() + + identifier = Word(alphas, alphanums) + funcDecl = ("def" + identifier + Group("(" + Optional(delimitedList(identifier)) + ")") + ":") + func_body = indentedBlock(stmt, indentStack) + funcDef = Group(funcDecl + func_body) + + rvalue = Forward() + funcCall = Group(identifier + "(" + Optional(delimitedList(rvalue)) + ")") + rvalue << (funcCall | identifier | Word(nums)) + assignment = Group(identifier + "=" + rvalue) + stmt << (funcDef | assignment | identifier) + + module_body = OneOrMore(stmt) + + parseTree = module_body.parseString(data) + parseTree.pprint() + + prints:: + + [['def', + 'A', + ['(', 'z', ')'], + ':', + [['A1'], [['B', '=', '100']], [['G', '=', 'A2']], ['A2'], ['A3']]], + 'B', + ['def', + 'BB', + ['(', 'a', 'b', 'c', ')'], + ':', + [['BB1'], [['def', 'BBA', ['(', ')'], ':', [['bba1'], ['bba2'], ['bba3']]]]]], + 'C', + 'D', + ['def', + 'spam', + ['(', 'x', 'y', ')'], + ':', + [[['def', 'eggs', ['(', 'z', ')'], ':', [['pass']]]]]]] + """ + backup_stack = indentStack[:] + + def reset_stack(): + indentStack[:] = backup_stack + + def checkPeerIndent(s, l, t): + if l >= len(s): return + curCol = col(l, s) + if curCol != indentStack[-1]: + if curCol > indentStack[-1]: + raise ParseException(s, l, "illegal nesting") + raise ParseException(s, l, "not a peer entry") + + def checkSubIndent(s, l, t): + curCol = col(l, s) + if curCol > indentStack[-1]: + indentStack.append(curCol) + else: + raise ParseException(s, l, "not a subentry") + + def checkUnindent(s, l, t): + if l >= len(s): return + curCol = col(l, s) + if not(indentStack and curCol in indentStack): + raise ParseException(s, l, "not an unindent") + if curCol < indentStack[-1]: + indentStack.pop() + + NL = OneOrMore(LineEnd().setWhitespaceChars("\t ").suppress(), stopOn=StringEnd()) + INDENT = (Empty() + Empty().setParseAction(checkSubIndent)).setName('INDENT') + PEER = Empty().setParseAction(checkPeerIndent).setName('') + UNDENT = Empty().setParseAction(checkUnindent).setName('UNINDENT') + if indent: + smExpr = Group(Optional(NL) + + INDENT + + OneOrMore(PEER + Group(blockStatementExpr) + Optional(NL), stopOn=StringEnd()) + + UNDENT) + else: + smExpr = Group(Optional(NL) + + OneOrMore(PEER + Group(blockStatementExpr) + Optional(NL), stopOn=StringEnd()) + + UNDENT) + smExpr.setFailAction(lambda a, b, c, d: reset_stack()) + blockStatementExpr.ignore(_bslash + LineEnd()) + return smExpr.setName('indented block') + +alphas8bit = srange(r"[\0xc0-\0xd6\0xd8-\0xf6\0xf8-\0xff]") +punc8bit = srange(r"[\0xa1-\0xbf\0xd7\0xf7]") + +anyOpenTag, anyCloseTag = makeHTMLTags(Word(alphas, alphanums + "_:").setName('any tag')) +_htmlEntityMap = dict(zip("gt lt amp nbsp quot apos".split(), '><& "\'')) +commonHTMLEntity = Regex('&(?P<entity>' + '|'.join(_htmlEntityMap.keys()) +");").setName("common HTML entity") +def replaceHTMLEntity(t): + """Helper parser action to replace common HTML entities with their special characters""" + return _htmlEntityMap.get(t.entity) + +# it's easy to get these comment structures wrong - they're very common, so may as well make them available +cStyleComment = Combine(Regex(r"/\*(?:[^*]|\*(?!/))*") + '*/').setName("C style comment") +"Comment of the form ``/* ... */``" + +htmlComment = Regex(r"<!--[\s\S]*?-->").setName("HTML comment") +"Comment of the form ``<!-- ... -->``" + +restOfLine = Regex(r".*").leaveWhitespace().setName("rest of line") +dblSlashComment = Regex(r"//(?:\\\n|[^\n])*").setName("// comment") +"Comment of the form ``// ... (to end of line)``" + +cppStyleComment = Combine(Regex(r"/\*(?:[^*]|\*(?!/))*") + '*/' | dblSlashComment).setName("C++ style comment") +"Comment of either form :class:`cStyleComment` or :class:`dblSlashComment`" + +javaStyleComment = cppStyleComment +"Same as :class:`cppStyleComment`" + +pythonStyleComment = Regex(r"#.*").setName("Python style comment") +"Comment of the form ``# ... (to end of line)``" + +_commasepitem = Combine(OneOrMore(Word(printables, excludeChars=',') + + Optional(Word(" \t") + + ~Literal(",") + ~LineEnd()))).streamline().setName("commaItem") +commaSeparatedList = delimitedList(Optional(quotedString.copy() | _commasepitem, default="")).setName("commaSeparatedList") +"""(Deprecated) Predefined expression of 1 or more printable words or +quoted strings, separated by commas. + +This expression is deprecated in favor of :class:`pyparsing_common.comma_separated_list`. +""" + +# some other useful expressions - using lower-case class name since we are really using this as a namespace +class pyparsing_common: + """Here are some common low-level expressions that may be useful in + jump-starting parser development: + + - numeric forms (:class:`integers<integer>`, :class:`reals<real>`, + :class:`scientific notation<sci_real>`) + - common :class:`programming identifiers<identifier>` + - network addresses (:class:`MAC<mac_address>`, + :class:`IPv4<ipv4_address>`, :class:`IPv6<ipv6_address>`) + - ISO8601 :class:`dates<iso8601_date>` and + :class:`datetime<iso8601_datetime>` + - :class:`UUID<uuid>` + - :class:`comma-separated list<comma_separated_list>` + + Parse actions: + + - :class:`convertToInteger` + - :class:`convertToFloat` + - :class:`convertToDate` + - :class:`convertToDatetime` + - :class:`stripHTMLTags` + - :class:`upcaseTokens` + - :class:`downcaseTokens` + + Example:: + + pyparsing_common.number.runTests(''' + # any int or real number, returned as the appropriate type + 100 + -100 + +100 + 3.14159 + 6.02e23 + 1e-12 + ''') + + pyparsing_common.fnumber.runTests(''' + # any int or real number, returned as float + 100 + -100 + +100 + 3.14159 + 6.02e23 + 1e-12 + ''') + + pyparsing_common.hex_integer.runTests(''' + # hex numbers + 100 + FF + ''') + + pyparsing_common.fraction.runTests(''' + # fractions + 1/2 + -3/4 + ''') + + pyparsing_common.mixed_integer.runTests(''' + # mixed fractions + 1 + 1/2 + -3/4 + 1-3/4 + ''') + + import uuid + pyparsing_common.uuid.setParseAction(tokenMap(uuid.UUID)) + pyparsing_common.uuid.runTests(''' + # uuid + 12345678-1234-5678-1234-567812345678 + ''') + + prints:: + + # any int or real number, returned as the appropriate type + 100 + [100] + + -100 + [-100] + + +100 + [100] + + 3.14159 + [3.14159] + + 6.02e23 + [6.02e+23] + + 1e-12 + [1e-12] + + # any int or real number, returned as float + 100 + [100.0] + + -100 + [-100.0] + + +100 + [100.0] + + 3.14159 + [3.14159] + + 6.02e23 + [6.02e+23] + + 1e-12 + [1e-12] + + # hex numbers + 100 + [256] + + FF + [255] + + # fractions + 1/2 + [0.5] + + -3/4 + [-0.75] + + # mixed fractions + 1 + [1] + + 1/2 + [0.5] + + -3/4 + [-0.75] + + 1-3/4 + [1.75] + + # uuid + 12345678-1234-5678-1234-567812345678 + [UUID('12345678-1234-5678-1234-567812345678')] + """ + + convertToInteger = tokenMap(int) + """ + Parse action for converting parsed integers to Python int + """ + + convertToFloat = tokenMap(float) + """ + Parse action for converting parsed numbers to Python float + """ + + integer = Word(nums).setName("integer").setParseAction(convertToInteger) + """expression that parses an unsigned integer, returns an int""" + + hex_integer = Word(hexnums).setName("hex integer").setParseAction(tokenMap(int, 16)) + """expression that parses a hexadecimal integer, returns an int""" + + signed_integer = Regex(r'[+-]?\d+').setName("signed integer").setParseAction(convertToInteger) + """expression that parses an integer with optional leading sign, returns an int""" + + fraction = (signed_integer().setParseAction(convertToFloat) + '/' + signed_integer().setParseAction(convertToFloat)).setName("fraction") + """fractional expression of an integer divided by an integer, returns a float""" + fraction.addParseAction(lambda t: t[0]/t[-1]) + + mixed_integer = (fraction | signed_integer + Optional(Optional('-').suppress() + fraction)).setName("fraction or mixed integer-fraction") + """mixed integer of the form 'integer - fraction', with optional leading integer, returns float""" + mixed_integer.addParseAction(sum) + + real = Regex(r'[+-]?(?:\d+\.\d*|\.\d+)').setName("real number").setParseAction(convertToFloat) + """expression that parses a floating point number and returns a float""" + + sci_real = Regex(r'[+-]?(?:\d+(?:[eE][+-]?\d+)|(?:\d+\.\d*|\.\d+)(?:[eE][+-]?\d+)?)').setName("real number with scientific notation").setParseAction(convertToFloat) + """expression that parses a floating point number with optional + scientific notation and returns a float""" + + # streamlining this expression makes the docs nicer-looking + number = (sci_real | real | signed_integer).streamline() + """any numeric expression, returns the corresponding Python type""" + + fnumber = Regex(r'[+-]?\d+\.?\d*([eE][+-]?\d+)?').setName("fnumber").setParseAction(convertToFloat) + """any int or real number, returned as float""" + + identifier = Word(alphas + '_', alphanums + '_').setName("identifier") + """typical code identifier (leading alpha or '_', followed by 0 or more alphas, nums, or '_')""" + + ipv4_address = Regex(r'(25[0-5]|2[0-4][0-9]|1?[0-9]{1,2})(\.(25[0-5]|2[0-4][0-9]|1?[0-9]{1,2})){3}').setName("IPv4 address") + "IPv4 address (``0.0.0.0 - 255.255.255.255``)" + + _ipv6_part = Regex(r'[0-9a-fA-F]{1,4}').setName("hex_integer") + _full_ipv6_address = (_ipv6_part + (':' + _ipv6_part) * 7).setName("full IPv6 address") + _short_ipv6_address = (Optional(_ipv6_part + (':' + _ipv6_part) * (0, 6)) + + "::" + + Optional(_ipv6_part + (':' + _ipv6_part) * (0, 6)) + ).setName("short IPv6 address") + _short_ipv6_address.addCondition(lambda t: sum(1 for tt in t if pyparsing_common._ipv6_part.matches(tt)) < 8) + _mixed_ipv6_address = ("::ffff:" + ipv4_address).setName("mixed IPv6 address") + ipv6_address = Combine((_full_ipv6_address | _mixed_ipv6_address | _short_ipv6_address).setName("IPv6 address")).setName("IPv6 address") + "IPv6 address (long, short, or mixed form)" + + mac_address = Regex(r'[0-9a-fA-F]{2}([:.-])[0-9a-fA-F]{2}(?:\1[0-9a-fA-F]{2}){4}').setName("MAC address") + "MAC address xx:xx:xx:xx:xx (may also have '-' or '.' delimiters)" + + @staticmethod + def convertToDate(fmt="%Y-%m-%d"): + """ + Helper to create a parse action for converting parsed date string to Python datetime.date + + Params - + - fmt - format to be passed to datetime.strptime (default= ``"%Y-%m-%d"``) + + Example:: + + date_expr = pyparsing_common.iso8601_date.copy() + date_expr.setParseAction(pyparsing_common.convertToDate()) + print(date_expr.parseString("1999-12-31")) + + prints:: + + [datetime.date(1999, 12, 31)] + """ + def cvt_fn(s, l, t): + try: + return datetime.strptime(t[0], fmt).date() + except ValueError as ve: + raise ParseException(s, l, str(ve)) + return cvt_fn + + @staticmethod + def convertToDatetime(fmt="%Y-%m-%dT%H:%M:%S.%f"): + """Helper to create a parse action for converting parsed + datetime string to Python datetime.datetime + + Params - + - fmt - format to be passed to datetime.strptime (default= ``"%Y-%m-%dT%H:%M:%S.%f"``) + + Example:: + + dt_expr = pyparsing_common.iso8601_datetime.copy() + dt_expr.setParseAction(pyparsing_common.convertToDatetime()) + print(dt_expr.parseString("1999-12-31T23:59:59.999")) + + prints:: + + [datetime.datetime(1999, 12, 31, 23, 59, 59, 999000)] + """ + def cvt_fn(s, l, t): + try: + return datetime.strptime(t[0], fmt) + except ValueError as ve: + raise ParseException(s, l, str(ve)) + return cvt_fn + + iso8601_date = Regex(r'(?P<year>\d{4})(?:-(?P<month>\d\d)(?:-(?P<day>\d\d))?)?').setName("ISO8601 date") + "ISO8601 date (``yyyy-mm-dd``)" + + iso8601_datetime = Regex(r'(?P<year>\d{4})-(?P<month>\d\d)-(?P<day>\d\d)[T ](?P<hour>\d\d):(?P<minute>\d\d)(:(?P<second>\d\d(\.\d*)?)?)?(?P<tz>Z|[+-]\d\d:?\d\d)?').setName("ISO8601 datetime") + "ISO8601 datetime (``yyyy-mm-ddThh:mm:ss.s(Z|+-00:00)``) - trailing seconds, milliseconds, and timezone optional; accepts separating ``'T'`` or ``' '``" + + uuid = Regex(r'[0-9a-fA-F]{8}(-[0-9a-fA-F]{4}){3}-[0-9a-fA-F]{12}').setName("UUID") + "UUID (``xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx``)" + + _html_stripper = anyOpenTag.suppress() | anyCloseTag.suppress() + @staticmethod + def stripHTMLTags(s, l, tokens): + """Parse action to remove HTML tags from web page HTML source + + Example:: + + # strip HTML links from normal text + text = '<td>More info at the <a href="https://github.com/pyparsing/pyparsing/wiki">pyparsing</a> wiki page</td>' + td, td_end = makeHTMLTags("TD") + table_text = td + SkipTo(td_end).setParseAction(pyparsing_common.stripHTMLTags)("body") + td_end + print(table_text.parseString(text).body) + + Prints:: + + More info at the pyparsing wiki page + """ + return pyparsing_common._html_stripper.transformString(tokens[0]) + + _commasepitem = Combine(OneOrMore(~Literal(",") + + ~LineEnd() + + Word(printables, excludeChars=',') + + Optional(White(" \t")))).streamline().setName("commaItem") + comma_separated_list = delimitedList(Optional(quotedString.copy() + | _commasepitem, default='') + ).setName("comma separated list") + """Predefined expression of 1 or more printable words or quoted strings, separated by commas.""" + + upcaseTokens = staticmethod(tokenMap(lambda t: _ustr(t).upper())) + """Parse action to convert tokens to upper case.""" + + downcaseTokens = staticmethod(tokenMap(lambda t: _ustr(t).lower())) + """Parse action to convert tokens to lower case.""" + + +class _lazyclassproperty(object): + def __init__(self, fn): + self.fn = fn + self.__doc__ = fn.__doc__ + self.__name__ = fn.__name__ + + def __get__(self, obj, cls): + if cls is None: + cls = type(obj) + if not hasattr(cls, '_intern') or any(cls._intern is getattr(superclass, '_intern', []) + for superclass in cls.__mro__[1:]): + cls._intern = {} + attrname = self.fn.__name__ + if attrname not in cls._intern: + cls._intern[attrname] = self.fn(cls) + return cls._intern[attrname] + + +class unicode_set(object): + """ + A set of Unicode characters, for language-specific strings for + ``alphas``, ``nums``, ``alphanums``, and ``printables``. + A unicode_set is defined by a list of ranges in the Unicode character + set, in a class attribute ``_ranges``, such as:: + + _ranges = [(0x0020, 0x007e), (0x00a0, 0x00ff),] + + A unicode set can also be defined using multiple inheritance of other unicode sets:: + + class CJK(Chinese, Japanese, Korean): + pass + """ + _ranges = [] + + @classmethod + def _get_chars_for_ranges(cls): + ret = [] + for cc in cls.__mro__: + if cc is unicode_set: + break + for rr in cc._ranges: + ret.extend(range(rr[0], rr[-1] + 1)) + return [unichr(c) for c in sorted(set(ret))] + + @_lazyclassproperty + def printables(cls): + "all non-whitespace characters in this range" + return u''.join(filterfalse(unicode.isspace, cls._get_chars_for_ranges())) + + @_lazyclassproperty + def alphas(cls): + "all alphabetic characters in this range" + return u''.join(filter(unicode.isalpha, cls._get_chars_for_ranges())) + + @_lazyclassproperty + def nums(cls): + "all numeric digit characters in this range" + return u''.join(filter(unicode.isdigit, cls._get_chars_for_ranges())) + + @_lazyclassproperty + def alphanums(cls): + "all alphanumeric characters in this range" + return cls.alphas + cls.nums + + +class pyparsing_unicode(unicode_set): + """ + A namespace class for defining common language unicode_sets. + """ + _ranges = [(32, sys.maxunicode)] + + class Latin1(unicode_set): + "Unicode set for Latin-1 Unicode Character Range" + _ranges = [(0x0020, 0x007e), (0x00a0, 0x00ff),] + + class LatinA(unicode_set): + "Unicode set for Latin-A Unicode Character Range" + _ranges = [(0x0100, 0x017f),] + + class LatinB(unicode_set): + "Unicode set for Latin-B Unicode Character Range" + _ranges = [(0x0180, 0x024f),] + + class Greek(unicode_set): + "Unicode set for Greek Unicode Character Ranges" + _ranges = [ + (0x0370, 0x03ff), (0x1f00, 0x1f15), (0x1f18, 0x1f1d), (0x1f20, 0x1f45), (0x1f48, 0x1f4d), + (0x1f50, 0x1f57), (0x1f59,), (0x1f5b,), (0x1f5d,), (0x1f5f, 0x1f7d), (0x1f80, 0x1fb4), (0x1fb6, 0x1fc4), + (0x1fc6, 0x1fd3), (0x1fd6, 0x1fdb), (0x1fdd, 0x1fef), (0x1ff2, 0x1ff4), (0x1ff6, 0x1ffe), + ] + + class Cyrillic(unicode_set): + "Unicode set for Cyrillic Unicode Character Range" + _ranges = [(0x0400, 0x04ff)] + + class Chinese(unicode_set): + "Unicode set for Chinese Unicode Character Range" + _ranges = [(0x4e00, 0x9fff), (0x3000, 0x303f),] + + class Japanese(unicode_set): + "Unicode set for Japanese Unicode Character Range, combining Kanji, Hiragana, and Katakana ranges" + _ranges = [] + + class Kanji(unicode_set): + "Unicode set for Kanji Unicode Character Range" + _ranges = [(0x4E00, 0x9Fbf), (0x3000, 0x303f),] + + class Hiragana(unicode_set): + "Unicode set for Hiragana Unicode Character Range" + _ranges = [(0x3040, 0x309f),] + + class Katakana(unicode_set): + "Unicode set for Katakana Unicode Character Range" + _ranges = [(0x30a0, 0x30ff),] + + class Korean(unicode_set): + "Unicode set for Korean Unicode Character Range" + _ranges = [(0xac00, 0xd7af), (0x1100, 0x11ff), (0x3130, 0x318f), (0xa960, 0xa97f), (0xd7b0, 0xd7ff), (0x3000, 0x303f),] + + class CJK(Chinese, Japanese, Korean): + "Unicode set for combined Chinese, Japanese, and Korean (CJK) Unicode Character Range" + pass + + class Thai(unicode_set): + "Unicode set for Thai Unicode Character Range" + _ranges = [(0x0e01, 0x0e3a), (0x0e3f, 0x0e5b),] + + class Arabic(unicode_set): + "Unicode set for Arabic Unicode Character Range" + _ranges = [(0x0600, 0x061b), (0x061e, 0x06ff), (0x0700, 0x077f),] + + class Hebrew(unicode_set): + "Unicode set for Hebrew Unicode Character Range" + _ranges = [(0x0590, 0x05ff),] + + class Devanagari(unicode_set): + "Unicode set for Devanagari Unicode Character Range" + _ranges = [(0x0900, 0x097f), (0xa8e0, 0xa8ff)] + +pyparsing_unicode.Japanese._ranges = (pyparsing_unicode.Japanese.Kanji._ranges + + pyparsing_unicode.Japanese.Hiragana._ranges + + pyparsing_unicode.Japanese.Katakana._ranges) + +# define ranges in language character sets +if PY_3: + setattr(pyparsing_unicode, u"العربية", pyparsing_unicode.Arabic) + setattr(pyparsing_unicode, u"中文", pyparsing_unicode.Chinese) + setattr(pyparsing_unicode, u"кириллица", pyparsing_unicode.Cyrillic) + setattr(pyparsing_unicode, u"Ελληνικά", pyparsing_unicode.Greek) + setattr(pyparsing_unicode, u"עִברִית", pyparsing_unicode.Hebrew) + setattr(pyparsing_unicode, u"日本語", pyparsing_unicode.Japanese) + setattr(pyparsing_unicode.Japanese, u"漢字", pyparsing_unicode.Japanese.Kanji) + setattr(pyparsing_unicode.Japanese, u"カタカナ", pyparsing_unicode.Japanese.Katakana) + setattr(pyparsing_unicode.Japanese, u"ひらがな", pyparsing_unicode.Japanese.Hiragana) + setattr(pyparsing_unicode, u"한국어", pyparsing_unicode.Korean) + setattr(pyparsing_unicode, u"ไทย", pyparsing_unicode.Thai) + setattr(pyparsing_unicode, u"देवनागरी", pyparsing_unicode.Devanagari) + + +class pyparsing_test: + """ + namespace class for classes useful in writing unit tests + """ + + class reset_pyparsing_context: + """ + Context manager to be used when writing unit tests that modify pyparsing config values: + - packrat parsing + - default whitespace characters. + - default keyword characters + - literal string auto-conversion class + - __diag__ settings + + Example: + with reset_pyparsing_context(): + # test that literals used to construct a grammar are automatically suppressed + ParserElement.inlineLiteralsUsing(Suppress) + + term = Word(alphas) | Word(nums) + group = Group('(' + term[...] + ')') + + # assert that the '()' characters are not included in the parsed tokens + self.assertParseAndCheckLisst(group, "(abc 123 def)", ['abc', '123', 'def']) + + # after exiting context manager, literals are converted to Literal expressions again + """ + + def __init__(self): + self._save_context = {} + + def save(self): + self._save_context["default_whitespace"] = ParserElement.DEFAULT_WHITE_CHARS + self._save_context["default_keyword_chars"] = Keyword.DEFAULT_KEYWORD_CHARS + self._save_context[ + "literal_string_class" + ] = ParserElement._literalStringClass + self._save_context["packrat_enabled"] = ParserElement._packratEnabled + self._save_context["packrat_parse"] = ParserElement._parse + self._save_context["__diag__"] = { + name: getattr(__diag__, name) for name in __diag__._all_names + } + self._save_context["__compat__"] = { + "collect_all_And_tokens": __compat__.collect_all_And_tokens + } + return self + + def restore(self): + # reset pyparsing global state + if ( + ParserElement.DEFAULT_WHITE_CHARS + != self._save_context["default_whitespace"] + ): + ParserElement.setDefaultWhitespaceChars( + self._save_context["default_whitespace"] + ) + Keyword.DEFAULT_KEYWORD_CHARS = self._save_context["default_keyword_chars"] + ParserElement.inlineLiteralsUsing( + self._save_context["literal_string_class"] + ) + for name, value in self._save_context["__diag__"].items(): + setattr(__diag__, name, value) + ParserElement._packratEnabled = self._save_context["packrat_enabled"] + ParserElement._parse = self._save_context["packrat_parse"] + __compat__.collect_all_And_tokens = self._save_context["__compat__"] + + def __enter__(self): + return self.save() + + def __exit__(self, *args): + return self.restore() + + class TestParseResultsAsserts: + """ + A mixin class to add parse results assertion methods to normal unittest.TestCase classes. + """ + def assertParseResultsEquals( + self, result, expected_list=None, expected_dict=None, msg=None + ): + """ + Unit test assertion to compare a ParseResults object with an optional expected_list, + and compare any defined results names with an optional expected_dict. + """ + if expected_list is not None: + self.assertEqual(expected_list, result.asList(), msg=msg) + if expected_dict is not None: + self.assertEqual(expected_dict, result.asDict(), msg=msg) + + def assertParseAndCheckList( + self, expr, test_string, expected_list, msg=None, verbose=True + ): + """ + Convenience wrapper assert to test a parser element and input string, and assert that + the resulting ParseResults.asList() is equal to the expected_list. + """ + result = expr.parseString(test_string, parseAll=True) + if verbose: + print(result.dump()) + self.assertParseResultsEquals(result, expected_list=expected_list, msg=msg) + + def assertParseAndCheckDict( + self, expr, test_string, expected_dict, msg=None, verbose=True + ): + """ + Convenience wrapper assert to test a parser element and input string, and assert that + the resulting ParseResults.asDict() is equal to the expected_dict. + """ + result = expr.parseString(test_string, parseAll=True) + if verbose: + print(result.dump()) + self.assertParseResultsEquals(result, expected_dict=expected_dict, msg=msg) + + def assertRunTestResults( + self, run_tests_report, expected_parse_results=None, msg=None + ): + """ + Unit test assertion to evaluate output of ParserElement.runTests(). If a list of + list-dict tuples is given as the expected_parse_results argument, then these are zipped + with the report tuples returned by runTests and evaluated using assertParseResultsEquals. + Finally, asserts that the overall runTests() success value is True. + + :param run_tests_report: tuple(bool, [tuple(str, ParseResults or Exception)]) returned from runTests + :param expected_parse_results (optional): [tuple(str, list, dict, Exception)] + """ + run_test_success, run_test_results = run_tests_report + + if expected_parse_results is not None: + merged = [ + (rpt[0], rpt[1], expected) + for rpt, expected in zip(run_test_results, expected_parse_results) + ] + for test_string, result, expected in merged: + # expected should be a tuple containing a list and/or a dict or an exception, + # and optional failure message string + # an empty tuple will skip any result validation + fail_msg = next( + (exp for exp in expected if isinstance(exp, str)), None + ) + expected_exception = next( + ( + exp + for exp in expected + if isinstance(exp, type) and issubclass(exp, Exception) + ), + None, + ) + if expected_exception is not None: + with self.assertRaises( + expected_exception=expected_exception, msg=fail_msg or msg + ): + if isinstance(result, Exception): + raise result + else: + expected_list = next( + (exp for exp in expected if isinstance(exp, list)), None + ) + expected_dict = next( + (exp for exp in expected if isinstance(exp, dict)), None + ) + if (expected_list, expected_dict) != (None, None): + self.assertParseResultsEquals( + result, + expected_list=expected_list, + expected_dict=expected_dict, + msg=fail_msg or msg, + ) + else: + # warning here maybe? + print("no validation for {!r}".format(test_string)) + + # do this last, in case some specific test results can be reported instead + self.assertTrue( + run_test_success, msg=msg if msg is not None else "failed runTests" + ) + + @contextmanager + def assertRaisesParseException(self, exc_type=ParseException, msg=None): + with self.assertRaises(exc_type, msg=msg): + yield + + +if __name__ == "__main__": + + selectToken = CaselessLiteral("select") + fromToken = CaselessLiteral("from") + + ident = Word(alphas, alphanums + "_$") + + columnName = delimitedList(ident, ".", combine=True).setParseAction(upcaseTokens) + columnNameList = Group(delimitedList(columnName)).setName("columns") + columnSpec = ('*' | columnNameList) + + tableName = delimitedList(ident, ".", combine=True).setParseAction(upcaseTokens) + tableNameList = Group(delimitedList(tableName)).setName("tables") + + simpleSQL = selectToken("command") + columnSpec("columns") + fromToken + tableNameList("tables") + + # demo runTests method, including embedded comments in test string + simpleSQL.runTests(""" + # '*' as column list and dotted table name + select * from SYS.XYZZY + + # caseless match on "SELECT", and casts back to "select" + SELECT * from XYZZY, ABC + + # list of column names, and mixed case SELECT keyword + Select AA,BB,CC from Sys.dual + + # multiple tables + Select A, B, C from Sys.dual, Table2 + + # invalid SELECT keyword - should fail + Xelect A, B, C from Sys.dual + + # incomplete command - should fail + Select + + # invalid column name - should fail + Select ^^^ frox Sys.dual + + """) + + pyparsing_common.number.runTests(""" + 100 + -100 + +100 + 3.14159 + 6.02e23 + 1e-12 + """) + + # any int or real number, returned as float + pyparsing_common.fnumber.runTests(""" + 100 + -100 + +100 + 3.14159 + 6.02e23 + 1e-12 + """) + + pyparsing_common.hex_integer.runTests(""" + 100 + FF + """) + + import uuid + pyparsing_common.uuid.setParseAction(tokenMap(uuid.UUID)) + pyparsing_common.uuid.runTests(""" + 12345678-1234-5678-1234-567812345678 + """) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/__init__.py b/venv/Lib/site-packages/pip/_vendor/requests/__init__.py similarity index 63% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/__init__.py rename to venv/Lib/site-packages/pip/_vendor/requests/__init__.py index 80c4ce1..4f80e28 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/__init__.py +++ b/venv/Lib/site-packages/pip/_vendor/requests/__init__.py @@ -9,14 +9,14 @@ Requests HTTP Library ~~~~~~~~~~~~~~~~~~~~~ -Requests is an HTTP library, written in Python, for human beings. Basic GET -usage: +Requests is an HTTP library, written in Python, for human beings. +Basic GET usage: >>> import requests >>> r = requests.get('https://www.python.org') >>> r.status_code 200 - >>> 'Python is a programming language' in r.content + >>> b'Python is a programming language' in r.content True ... or POST: @@ -27,26 +27,31 @@ { ... "form": { - "key2": "value2", - "key1": "value1" + "key1": "value1", + "key2": "value2" }, ... } The other HTTP methods are supported - see `requests.api`. Full documentation -is at <http://python-requests.org>. +is at <https://requests.readthedocs.io>. :copyright: (c) 2017 by Kenneth Reitz. :license: Apache 2.0, see LICENSE for more details. """ from pip._vendor import urllib3 -from pip._vendor import chardet import warnings from .exceptions import RequestsDependencyWarning +charset_normalizer_version = None -def check_compatibility(urllib3_version, chardet_version): +try: + from pip._vendor.chardet import __version__ as chardet_version +except ImportError: + chardet_version = None + +def check_compatibility(urllib3_version, chardet_version, charset_normalizer_version): urllib3_version = urllib3_version.split('.') assert urllib3_version != ['dev'] # Verify urllib3 isn't installed from git. @@ -57,19 +62,24 @@ def check_compatibility(urllib3_version, chardet_version): # Check urllib3 for compatibility. major, minor, patch = urllib3_version # noqa: F811 major, minor, patch = int(major), int(minor), int(patch) - # urllib3 >= 1.21.1, <= 1.24 + # urllib3 >= 1.21.1, <= 1.26 assert major == 1 assert minor >= 21 - assert minor <= 24 - - # Check chardet for compatibility. - major, minor, patch = chardet_version.split('.')[:3] - major, minor, patch = int(major), int(minor), int(patch) - # chardet >= 3.0.2, < 3.1.0 - assert major == 3 - assert minor < 1 - assert patch >= 2 - + assert minor <= 26 + + # Check charset_normalizer for compatibility. + if chardet_version: + major, minor, patch = chardet_version.split('.')[:3] + major, minor, patch = int(major), int(minor), int(patch) + # chardet_version >= 3.0.2, < 5.0.0 + assert (3, 0, 2) <= (major, minor, patch) < (5, 0, 0) + elif charset_normalizer_version: + major, minor, patch = charset_normalizer_version.split('.')[:3] + major, minor, patch = int(major), int(minor), int(patch) + # charset_normalizer >= 2.0.0 < 3.0.0 + assert (2, 0, 0) <= (major, minor, patch) < (3, 0, 0) + else: + raise Exception("You need either charset_normalizer or chardet installed") def _check_cryptography(cryptography_version): # cryptography < 1.3.4 @@ -84,24 +94,35 @@ def _check_cryptography(cryptography_version): # Check imported dependencies for compatibility. try: - check_compatibility(urllib3.__version__, chardet.__version__) + check_compatibility(urllib3.__version__, chardet_version, charset_normalizer_version) except (AssertionError, ValueError): - warnings.warn("urllib3 ({}) or chardet ({}) doesn't match a supported " - "version!".format(urllib3.__version__, chardet.__version__), + warnings.warn("urllib3 ({}) or chardet ({})/charset_normalizer ({}) doesn't match a supported " + "version!".format(urllib3.__version__, chardet_version, charset_normalizer_version), RequestsDependencyWarning) -# Attempt to enable urllib3's SNI support, if possible -from pip._internal.utils.compat import WINDOWS -if not WINDOWS: +# Attempt to enable urllib3's fallback for SNI support +# if the standard library doesn't support SNI or the +# 'ssl' library isn't available. +try: + # Note: This logic prevents upgrading cryptography on Windows, if imported + # as part of pip. + from pip._internal.utils.compat import WINDOWS + if not WINDOWS: + raise ImportError("pip internals: don't import cryptography on Windows") try: + import ssl + except ImportError: + ssl = None + + if not getattr(ssl, "HAS_SNI", False): from pip._vendor.urllib3.contrib import pyopenssl pyopenssl.inject_into_urllib3() # Check cryptography version from cryptography import __version__ as cryptography_version _check_cryptography(cryptography_version) - except ImportError: - pass +except ImportError: + pass # urllib3's DependencyWarnings should be silenced. from pip._vendor.urllib3.exceptions import DependencyWarning diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/__version__.py b/venv/Lib/site-packages/pip/_vendor/requests/__version__.py similarity index 69% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/__version__.py rename to venv/Lib/site-packages/pip/_vendor/requests/__version__.py index f5b5d03..0d7cde1 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/__version__.py +++ b/venv/Lib/site-packages/pip/_vendor/requests/__version__.py @@ -4,11 +4,11 @@ __title__ = 'requests' __description__ = 'Python HTTP for Humans.' -__url__ = 'http://python-requests.org' -__version__ = '2.21.0' -__build__ = 0x022100 +__url__ = 'https://requests.readthedocs.io' +__version__ = '2.26.0' +__build__ = 0x022600 __author__ = 'Kenneth Reitz' __author_email__ = 'me@kennethreitz.org' __license__ = 'Apache 2.0' -__copyright__ = 'Copyright 2018 Kenneth Reitz' +__copyright__ = 'Copyright 2020 Kenneth Reitz' __cake__ = u'\u2728 \U0001f370 \u2728' diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/_internal_utils.py b/venv/Lib/site-packages/pip/_vendor/requests/_internal_utils.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/_internal_utils.py rename to venv/Lib/site-packages/pip/_vendor/requests/_internal_utils.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/adapters.py b/venv/Lib/site-packages/pip/_vendor/requests/adapters.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/adapters.py rename to venv/Lib/site-packages/pip/_vendor/requests/adapters.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/api.py b/venv/Lib/site-packages/pip/_vendor/requests/api.py similarity index 93% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/api.py rename to venv/Lib/site-packages/pip/_vendor/requests/api.py index abada96..4cba90e 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/api.py +++ b/venv/Lib/site-packages/pip/_vendor/requests/api.py @@ -16,10 +16,10 @@ def request(method, url, **kwargs): """Constructs and sends a :class:`Request <Request>`. - :param method: method for the new :class:`Request` object. + :param method: method for the new :class:`Request` object: ``GET``, ``OPTIONS``, ``HEAD``, ``POST``, ``PUT``, ``PATCH``, or ``DELETE``. :param url: URL for the new :class:`Request` object. :param params: (optional) Dictionary, list of tuples or bytes to send - in the body of the :class:`Request`. + in the query string for the :class:`Request`. :param data: (optional) Dictionary, list of tuples, bytes, or file-like object to send in the body of the :class:`Request`. :param json: (optional) A JSON serializable Python object to send in the body of the :class:`Request`. @@ -50,6 +50,7 @@ def request(method, url, **kwargs): >>> import requests >>> req = requests.request('GET', 'https://httpbin.org/get') + >>> req <Response [200]> """ @@ -65,13 +66,12 @@ def get(url, params=None, **kwargs): :param url: URL for the new :class:`Request` object. :param params: (optional) Dictionary, list of tuples or bytes to send - in the body of the :class:`Request`. + in the query string for the :class:`Request`. :param \*\*kwargs: Optional arguments that ``request`` takes. :return: :class:`Response <Response>` object :rtype: requests.Response """ - kwargs.setdefault('allow_redirects', True) return request('get', url, params=params, **kwargs) @@ -84,7 +84,6 @@ def options(url, **kwargs): :rtype: requests.Response """ - kwargs.setdefault('allow_redirects', True) return request('options', url, **kwargs) @@ -92,7 +91,9 @@ def head(url, **kwargs): r"""Sends a HEAD request. :param url: URL for the new :class:`Request` object. - :param \*\*kwargs: Optional arguments that ``request`` takes. + :param \*\*kwargs: Optional arguments that ``request`` takes. If + `allow_redirects` is not provided, it will be set to `False` (as + opposed to the default :meth:`request` behavior). :return: :class:`Response <Response>` object :rtype: requests.Response """ diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/auth.py b/venv/Lib/site-packages/pip/_vendor/requests/auth.py similarity index 98% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/auth.py rename to venv/Lib/site-packages/pip/_vendor/requests/auth.py index bdde51c..eeface3 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/auth.py +++ b/venv/Lib/site-packages/pip/_vendor/requests/auth.py @@ -50,7 +50,7 @@ def _basic_auth_str(username, password): "Non-string passwords will no longer be supported in Requests " "3.0.0. Please convert the object you've passed in ({!r}) to " "a string or bytes object in the near future to avoid " - "problems.".format(password), + "problems.".format(type(password)), category=DeprecationWarning, ) password = str(password) @@ -239,7 +239,7 @@ def handle_401(self, r, **kwargs): """ # If response is not 4xx, do not auth - # See https://github.com/requests/requests/issues/3772 + # See https://github.com/psf/requests/issues/3772 if not 400 <= r.status_code < 500: self._thread_local.num_401_calls = 1 return r diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/certs.py b/venv/Lib/site-packages/pip/_vendor/requests/certs.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/certs.py rename to venv/Lib/site-packages/pip/_vendor/requests/certs.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/compat.py b/venv/Lib/site-packages/pip/_vendor/requests/compat.py similarity index 94% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/compat.py rename to venv/Lib/site-packages/pip/_vendor/requests/compat.py index 6a86893..9e29371 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/compat.py +++ b/venv/Lib/site-packages/pip/_vendor/requests/compat.py @@ -47,6 +47,7 @@ import cookielib from Cookie import Morsel from StringIO import StringIO + # Keep OrderedDict for backwards compatibility. from collections import Callable, Mapping, MutableMapping, OrderedDict @@ -63,6 +64,7 @@ from http import cookiejar as cookielib from http.cookies import Morsel from io import StringIO + # Keep OrderedDict for backwards compatibility. from collections import OrderedDict from collections.abc import Callable, Mapping, MutableMapping diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/cookies.py b/venv/Lib/site-packages/pip/_vendor/requests/cookies.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/cookies.py rename to venv/Lib/site-packages/pip/_vendor/requests/cookies.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/exceptions.py b/venv/Lib/site-packages/pip/_vendor/requests/exceptions.py similarity index 94% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/exceptions.py rename to venv/Lib/site-packages/pip/_vendor/requests/exceptions.py index a91e1fd..9f0ad77 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/exceptions.py +++ b/venv/Lib/site-packages/pip/_vendor/requests/exceptions.py @@ -25,6 +25,10 @@ def __init__(self, *args, **kwargs): super(RequestException, self).__init__(*args, **kwargs) +class InvalidJSONError(RequestException): + """A JSON error occurred.""" + + class HTTPError(RequestException): """An HTTP error occurred.""" @@ -94,11 +98,11 @@ class ChunkedEncodingError(RequestException): class ContentDecodingError(RequestException, BaseHTTPError): - """Failed to decode response content""" + """Failed to decode response content.""" class StreamConsumedError(RequestException, TypeError): - """The content for this response was already consumed""" + """The content for this response was already consumed.""" class RetryError(RequestException): @@ -106,21 +110,18 @@ class RetryError(RequestException): class UnrewindableBodyError(RequestException): - """Requests encountered an error when trying to rewind a body""" + """Requests encountered an error when trying to rewind a body.""" # Warnings class RequestsWarning(Warning): """Base warning for Requests.""" - pass class FileModeWarning(RequestsWarning, DeprecationWarning): """A file was opened in text mode, but Requests determined its binary length.""" - pass class RequestsDependencyWarning(RequestsWarning): """An imported dependency doesn't match the expected version range.""" - pass diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/help.py b/venv/Lib/site-packages/pip/_vendor/requests/help.py similarity index 87% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/help.py rename to venv/Lib/site-packages/pip/_vendor/requests/help.py index 3c3072b..745f0d7 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/help.py +++ b/venv/Lib/site-packages/pip/_vendor/requests/help.py @@ -8,10 +8,16 @@ from pip._vendor import idna from pip._vendor import urllib3 -from pip._vendor import chardet from . import __version__ as requests_version +charset_normalizer = None + +try: + from pip._vendor import chardet +except ImportError: + chardet = None + try: from pip._vendor.urllib3.contrib import pyopenssl except ImportError: @@ -71,7 +77,12 @@ def info(): implementation_info = _implementation() urllib3_info = {'version': urllib3.__version__} - chardet_info = {'version': chardet.__version__} + charset_normalizer_info = {'version': None} + chardet_info = {'version': None} + if charset_normalizer: + charset_normalizer_info = {'version': charset_normalizer.__version__} + if chardet: + chardet_info = {'version': chardet.__version__} pyopenssl_info = { 'version': None, @@ -99,9 +110,11 @@ def info(): 'implementation': implementation_info, 'system_ssl': system_ssl_info, 'using_pyopenssl': pyopenssl is not None, + 'using_charset_normalizer': chardet is None, 'pyOpenSSL': pyopenssl_info, 'urllib3': urllib3_info, 'chardet': chardet_info, + 'charset_normalizer': charset_normalizer_info, 'cryptography': cryptography_info, 'idna': idna_info, 'requests': { diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/hooks.py b/venv/Lib/site-packages/pip/_vendor/requests/hooks.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/hooks.py rename to venv/Lib/site-packages/pip/_vendor/requests/hooks.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/models.py b/venv/Lib/site-packages/pip/_vendor/requests/models.py similarity index 96% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/models.py rename to venv/Lib/site-packages/pip/_vendor/requests/models.py index 0839957..c10c601 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/models.py +++ b/venv/Lib/site-packages/pip/_vendor/requests/models.py @@ -12,7 +12,7 @@ # Import encoding now, to avoid implicit import later. # Implicit import within threads may cause LookupError when standard library is in a ZIP, -# such as in Embedded Python. See https://github.com/requests/requests/issues/3578. +# such as in Embedded Python. See https://github.com/psf/requests/issues/3578. import encodings.idna from pip._vendor.urllib3.fields import RequestField @@ -29,7 +29,7 @@ from .cookies import cookiejar_from_dict, get_cookie_header, _copy_cookie_jar from .exceptions import ( HTTPError, MissingSchema, InvalidURL, ChunkedEncodingError, - ContentDecodingError, ConnectionError, StreamConsumedError) + ContentDecodingError, ConnectionError, StreamConsumedError, InvalidJSONError) from ._internal_utils import to_native_string, unicode_is_ascii from .utils import ( guess_filename, get_auth_from_url, requote_uri, @@ -273,13 +273,16 @@ class PreparedRequest(RequestEncodingMixin, RequestHooksMixin): """The fully mutable :class:`PreparedRequest <PreparedRequest>` object, containing the exact bytes that will be sent to the server. - Generated from either a :class:`Request <Request>` object or manually. + Instances are generated from a :class:`Request <Request>` object, and + should not be instantiated manually; doing so may produce undesirable + effects. Usage:: >>> import requests >>> req = requests.Request('GET', 'https://httpbin.org/get') >>> r = req.prepare() + >>> r <PreparedRequest [GET]> >>> s = requests.Session() @@ -358,7 +361,7 @@ def prepare_url(self, url, params): #: We're unable to blindly call unicode/str functions #: as this will include the bytestring indicator (b'') #: on python 3.x. - #: https://github.com/requests/requests/pull/2238 + #: https://github.com/psf/requests/pull/2238 if isinstance(url, bytes): url = url.decode('utf8') else: @@ -463,7 +466,12 @@ def prepare_body(self, data, files, json=None): # urllib3 requires a bytes-like body. Python 2's json.dumps # provides this natively, but Python 3 gives a Unicode string. content_type = 'application/json' - body = complexjson.dumps(json) + + try: + body = complexjson.dumps(json, allow_nan=False) + except ValueError as ve: + raise InvalidJSONError(ve, request=self) + if not isinstance(body, bytes): body = body.encode('utf-8') @@ -472,12 +480,12 @@ def prepare_body(self, data, files, json=None): not isinstance(data, (basestring, list, tuple, Mapping)) ]) - try: - length = super_len(data) - except (TypeError, AttributeError, UnsupportedOperation): - length = None - if is_stream: + try: + length = super_len(data) + except (TypeError, AttributeError, UnsupportedOperation): + length = None + body = data if getattr(body, 'tell', None) is not None: @@ -608,7 +616,7 @@ def __init__(self): #: File-like object representation of response (for advanced usage). #: Use of ``raw`` requires that ``stream=True`` be set on the request. - # This requirement does not apply for use internally to Requests. + #: This requirement does not apply for use internally to Requests. self.raw = None #: Final URL location of Response. @@ -723,7 +731,7 @@ def next(self): @property def apparent_encoding(self): - """The apparent encoding, provided by the chardet library.""" + """The apparent encoding, provided by the charset_normalizer or chardet libraries.""" return chardet.detect(self.content)['encoding'] def iter_content(self, chunk_size=1, decode_unicode=False): @@ -837,7 +845,7 @@ def text(self): """Content of the response, in unicode. If Response.encoding is None, encoding will be guessed using - ``chardet``. + ``charset_normalizer`` or ``chardet``. The encoding of the response content is determined based solely on HTTP headers, following RFC 2616 to the letter. If you can take advantage of @@ -874,13 +882,18 @@ def json(self, **kwargs): r"""Returns the json-encoded content of a response, if any. :param \*\*kwargs: Optional arguments that ``json.loads`` takes. - :raises ValueError: If the response body does not contain valid json. + :raises simplejson.JSONDecodeError: If the response body does not + contain valid json and simplejson is installed. + :raises json.JSONDecodeError: If the response body does not contain + valid json and simplejson is not installed on Python 3. + :raises ValueError: If the response body does not contain valid + json and simplejson is not installed on Python 2. """ if not self.encoding and self.content and len(self.content) > 3: # No encoding set. JSON RFC 4627 section 3 states we should expect # UTF-8, -16 or -32. Detect which one to use; If the detection or - # decoding fails, fall back to `self.text` (using chardet to make + # decoding fails, fall back to `self.text` (using charset_normalizer to make # a best guess). encoding = guess_json_utf(self.content) if encoding is not None: @@ -915,7 +928,7 @@ def links(self): return l def raise_for_status(self): - """Raises stored :class:`HTTPError`, if one occurred.""" + """Raises :class:`HTTPError`, if one occurred.""" http_error_msg = '' if isinstance(self.reason, bytes): diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/packages.py b/venv/Lib/site-packages/pip/_vendor/requests/packages.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/packages.py rename to venv/Lib/site-packages/pip/_vendor/requests/packages.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/sessions.py b/venv/Lib/site-packages/pip/_vendor/requests/sessions.py similarity index 94% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/sessions.py rename to venv/Lib/site-packages/pip/_vendor/requests/sessions.py index d73d700..ae4bcc8 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/sessions.py +++ b/venv/Lib/site-packages/pip/_vendor/requests/sessions.py @@ -1,8 +1,8 @@ # -*- coding: utf-8 -*- """ -requests.session -~~~~~~~~~~~~~~~~ +requests.sessions +~~~~~~~~~~~~~~~~~ This module provides a Session object to manage and persist settings across requests (cookies, auth, proxies). @@ -11,9 +11,10 @@ import sys import time from datetime import timedelta +from collections import OrderedDict from .auth import _basic_auth_str -from .compat import cookielib, is_py3, OrderedDict, urljoin, urlparse, Mapping +from .compat import cookielib, is_py3, urljoin, urlparse, Mapping from .cookies import ( cookiejar_from_dict, extract_cookies_to_jar, RequestsCookieJar, merge_cookies) from .models import Request, PreparedRequest, DEFAULT_REDIRECT_LIMIT @@ -162,7 +163,7 @@ def resolve_redirects(self, resp, req, stream=False, timeout=None, resp.raw.read(decode_content=False) if len(resp.history) >= self.max_redirects: - raise TooManyRedirects('Exceeded %s redirects.' % self.max_redirects, response=resp) + raise TooManyRedirects('Exceeded {} redirects.'.format(self.max_redirects), response=resp) # Release the connection back into the pool. resp.close() @@ -170,7 +171,7 @@ def resolve_redirects(self, resp, req, stream=False, timeout=None, # Handle redirection without scheme (see: RFC 1808 Section 4) if url.startswith('//'): parsed_rurl = urlparse(resp.url) - url = '%s:%s' % (to_native_string(parsed_rurl.scheme), url) + url = ':'.join([to_native_string(parsed_rurl.scheme), url]) # Normalize url case and attach previous fragment if needed (RFC 7231 7.1.2) parsed = urlparse(url) @@ -192,19 +193,16 @@ def resolve_redirects(self, resp, req, stream=False, timeout=None, self.rebuild_method(prepared_request, resp) - # https://github.com/requests/requests/issues/1084 + # https://github.com/psf/requests/issues/1084 if resp.status_code not in (codes.temporary_redirect, codes.permanent_redirect): - # https://github.com/requests/requests/issues/3490 + # https://github.com/psf/requests/issues/3490 purged_headers = ('Content-Length', 'Content-Type', 'Transfer-Encoding') for header in purged_headers: prepared_request.headers.pop(header, None) prepared_request.body = None headers = prepared_request.headers - try: - del headers['Cookie'] - except KeyError: - pass + headers.pop('Cookie', None) # Extract any cookies sent on the response to the cookiejar # in the new request. Because we've mutated our copied prepared @@ -271,7 +269,6 @@ def rebuild_auth(self, prepared_request, response): if new_auth is not None: prepared_request.prepare_auth(new_auth) - return def rebuild_proxies(self, prepared_request, proxies): """This method re-evaluates the proxy configuration by considering the @@ -352,13 +349,13 @@ class Session(SessionRedirectMixin): Or as a context manager:: >>> with requests.Session() as s: - >>> s.get('https://httpbin.org/get') + ... s.get('https://httpbin.org/get') <Response [200]> """ __attrs__ = [ 'headers', 'cookies', 'auth', 'proxies', 'hooks', 'params', 'verify', - 'cert', 'prefetch', 'adapters', 'stream', 'trust_env', + 'cert', 'adapters', 'stream', 'trust_env', 'max_redirects', ] @@ -390,6 +387,13 @@ def __init__(self): self.stream = False #: SSL Verification default. + #: Defaults to `True`, requiring requests to verify the TLS certificate at the + #: remote end. + #: If verify is set to `False`, requests will accept any TLS certificate + #: presented by the server, and will ignore hostname mismatches and/or + #: expired certificates, which will make your application vulnerable to + #: man-in-the-middle (MitM) attacks. + #: Only set this to `False` for testing. self.verify = True #: SSL client certificate default, if String, path to ssl client @@ -498,7 +502,12 @@ def request(self, method, url, content. Defaults to ``False``. :param verify: (optional) Either a boolean, in which case it controls whether we verify the server's TLS certificate, or a string, in which case it must be a path - to a CA bundle to use. Defaults to ``True``. + to a CA bundle to use. Defaults to ``True``. When set to + ``False``, requests will accept any TLS certificate presented by + the server, and will ignore hostname mismatches and/or expired + certificates, which will make your application vulnerable to + man-in-the-middle (MitM) attacks. Setting verify to ``False`` + may be useful during local development or testing. :param cert: (optional) if String, path to ssl client cert file (.pem). If Tuple, ('cert', 'key') pair. :rtype: requests.Response @@ -624,7 +633,7 @@ def send(self, request, **kwargs): kwargs.setdefault('stream', self.stream) kwargs.setdefault('verify', self.verify) kwargs.setdefault('cert', self.cert) - kwargs.setdefault('proxies', self.proxies) + kwargs.setdefault('proxies', self.rebuild_proxies(request, self.proxies)) # It's possible that users might accidentally send a Request object. # Guard against that specific failure case. @@ -661,11 +670,13 @@ def send(self, request, **kwargs): extract_cookies_to_jar(self.cookies, request, r.raw) - # Redirect resolving generator. - gen = self.resolve_redirects(r, request, **kwargs) - # Resolve redirects if allowed. - history = [resp for resp in gen] if allow_redirects else [] + if allow_redirects: + # Redirect resolving generator. + gen = self.resolve_redirects(r, request, **kwargs) + history = [resp for resp in gen] + else: + history = [] # Shuffle things around if there's history. if history: @@ -728,7 +739,7 @@ def get_adapter(self, url): return adapter # Nothing matches :-/ - raise InvalidSchema("No connection adapters were found for '%s'" % url) + raise InvalidSchema("No connection adapters were found for {!r}".format(url)) def close(self): """Closes all adapters and as such the session""" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/status_codes.py b/venv/Lib/site-packages/pip/_vendor/requests/status_codes.py similarity index 96% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/status_codes.py rename to venv/Lib/site-packages/pip/_vendor/requests/status_codes.py index 813e8c4..d80a7cd 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/status_codes.py +++ b/venv/Lib/site-packages/pip/_vendor/requests/status_codes.py @@ -5,12 +5,15 @@ to their numerical codes, accessible either as attributes or as dictionary items. ->>> requests.codes['temporary_redirect'] -307 ->>> requests.codes.teapot -418 ->>> requests.codes['\o/'] -200 +Example:: + + >>> import requests + >>> requests.codes['temporary_redirect'] + 307 + >>> requests.codes.teapot + 418 + >>> requests.codes['\o/'] + 200 Some codes have multiple names, and both upper- and lower-case versions of the names are allowed. For example, ``codes.ok``, ``codes.OK``, and diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/structures.py b/venv/Lib/site-packages/pip/_vendor/requests/structures.py similarity index 97% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/structures.py rename to venv/Lib/site-packages/pip/_vendor/requests/structures.py index da930e2..8ee0ba7 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/structures.py +++ b/venv/Lib/site-packages/pip/_vendor/requests/structures.py @@ -7,7 +7,9 @@ Data structures that power Requests. """ -from .compat import OrderedDict, Mapping, MutableMapping +from collections import OrderedDict + +from .compat import Mapping, MutableMapping class CaseInsensitiveDict(MutableMapping): diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/utils.py b/venv/Lib/site-packages/pip/_vendor/requests/utils.py similarity index 94% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/utils.py rename to venv/Lib/site-packages/pip/_vendor/requests/utils.py index 8170a8d..fcb9966 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/requests/utils.py +++ b/venv/Lib/site-packages/pip/_vendor/requests/utils.py @@ -19,6 +19,8 @@ import tempfile import warnings import zipfile +from collections import OrderedDict +from pip._vendor.urllib3.util import make_headers from .__version__ import __version__ from . import certs @@ -26,7 +28,7 @@ from ._internal_utils import to_native_string from .compat import parse_http_list as _parse_list_header from .compat import ( - quote, urlparse, bytes, str, OrderedDict, unquote, getproxies, + quote, urlparse, bytes, str, unquote, getproxies, proxy_bypass, urlunparse, basestring, integer_types, is_py3, proxy_bypass_environment, getproxies_environment, Mapping) from .cookies import cookiejar_from_dict @@ -40,6 +42,11 @@ DEFAULT_PORTS = {'http': 80, 'https': 443} +# Ensure that ', ' is used to preserve previous delimiter behavior. +DEFAULT_ACCEPT_ENCODING = ", ".join( + re.split(r",\s*", make_headers(accept_encoding=True)["accept-encoding"]) +) + if sys.platform == 'win32': # provide a proxy_bypass version on Windows without DNS lookups @@ -168,18 +175,24 @@ def super_len(o): def get_netrc_auth(url, raise_errors=False): """Returns the Requests tuple auth for a given url from netrc.""" + netrc_file = os.environ.get('NETRC') + if netrc_file is not None: + netrc_locations = (netrc_file,) + else: + netrc_locations = ('~/{}'.format(f) for f in NETRC_FILES) + try: from netrc import netrc, NetrcParseError netrc_path = None - for f in NETRC_FILES: + for f in netrc_locations: try: - loc = os.path.expanduser('~/{}'.format(f)) + loc = os.path.expanduser(f) except KeyError: # os.path.expanduser can fail when $HOME is undefined and # getpwuid fails. See https://bugs.python.org/issue20164 & - # https://github.com/requests/requests/issues/1846 + # https://github.com/psf/requests/issues/1846 return if os.path.exists(loc): @@ -211,7 +224,7 @@ def get_netrc_auth(url, raise_errors=False): if raise_errors: raise - # AppEngine hackiness. + # App Engine hackiness. except (ImportError, AttributeError): pass @@ -249,13 +262,28 @@ def extract_zipped_paths(path): # we have a valid zip archive and a valid member of that archive tmp = tempfile.gettempdir() - extracted_path = os.path.join(tmp, *member.split('/')) + extracted_path = os.path.join(tmp, member.split('/')[-1]) if not os.path.exists(extracted_path): - extracted_path = zip_file.extract(member, path=tmp) - + # use read + write to avoid the creating nested folders, we only want the file, avoids mkdir racing condition + with atomic_open(extracted_path) as file_handler: + file_handler.write(zip_file.read(member)) return extracted_path +@contextlib.contextmanager +def atomic_open(filename): + """Write a file to the disk in an atomic fashion""" + replacer = os.rename if sys.version_info[0] == 2 else os.replace + tmp_descriptor, tmp_name = tempfile.mkstemp(dir=os.path.dirname(filename)) + try: + with os.fdopen(tmp_descriptor, 'wb') as tmp_handler: + yield tmp_handler + replacer(tmp_name, filename) + except BaseException: + os.remove(tmp_name) + raise + + def from_key_val_list(value): """Take an object and test to see if it can be represented as a dictionary. Unless it can not be represented as such, return an @@ -266,6 +294,8 @@ def from_key_val_list(value): >>> from_key_val_list([('key', 'val')]) OrderedDict([('key', 'val')]) >>> from_key_val_list('string') + Traceback (most recent call last): + ... ValueError: cannot encode objects that are not 2-tuples >>> from_key_val_list({'key': 'val'}) OrderedDict([('key', 'val')]) @@ -292,7 +322,9 @@ def to_key_val_list(value): >>> to_key_val_list({'key': 'val'}) [('key', 'val')] >>> to_key_val_list('string') - ValueError: cannot encode objects that are not 2-tuples. + Traceback (most recent call last): + ... + ValueError: cannot encode objects that are not 2-tuples :rtype: list """ @@ -492,6 +524,10 @@ def get_encoding_from_headers(headers): if 'text' in content_type: return 'ISO-8859-1' + if 'application/json' in content_type: + # Assume UTF-8 based on RFC 4627: https://www.ietf.org/rfc/rfc4627.txt since the charset was unset + return 'utf-8' + def stream_decode_response_unicode(iterator, r): """Stream decodes a iterator.""" @@ -805,7 +841,7 @@ def default_headers(): """ return CaseInsensitiveDict({ 'User-Agent': default_user_agent(), - 'Accept-Encoding': ', '.join(('gzip', 'deflate')), + 'Accept-Encoding': DEFAULT_ACCEPT_ENCODING, 'Accept': '*/*', 'Connection': 'keep-alive', }) diff --git a/venv/Lib/site-packages/pip/_vendor/resolvelib/__init__.py b/venv/Lib/site-packages/pip/_vendor/resolvelib/__init__.py new file mode 100644 index 0000000..af18ddc --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/resolvelib/__init__.py @@ -0,0 +1,26 @@ +__all__ = [ + "__version__", + "AbstractProvider", + "AbstractResolver", + "BaseReporter", + "InconsistentCandidate", + "Resolver", + "RequirementsConflicted", + "ResolutionError", + "ResolutionImpossible", + "ResolutionTooDeep", +] + +__version__ = "0.8.0" + + +from .providers import AbstractProvider, AbstractResolver +from .reporters import BaseReporter +from .resolvers import ( + InconsistentCandidate, + RequirementsConflicted, + Resolver, + ResolutionError, + ResolutionImpossible, + ResolutionTooDeep, +) diff --git a/venv/Lib/site-packages/pip/_vendor/resolvelib/compat/__init__.py b/venv/Lib/site-packages/pip/_vendor/resolvelib/compat/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/venv/Lib/site-packages/pip/_vendor/resolvelib/compat/collections_abc.py b/venv/Lib/site-packages/pip/_vendor/resolvelib/compat/collections_abc.py new file mode 100644 index 0000000..1becc50 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/resolvelib/compat/collections_abc.py @@ -0,0 +1,6 @@ +__all__ = ["Mapping", "Sequence"] + +try: + from collections.abc import Mapping, Sequence +except ImportError: + from collections import Mapping, Sequence diff --git a/venv/Lib/site-packages/pip/_vendor/resolvelib/providers.py b/venv/Lib/site-packages/pip/_vendor/resolvelib/providers.py new file mode 100644 index 0000000..7d0a9c2 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/resolvelib/providers.py @@ -0,0 +1,133 @@ +class AbstractProvider(object): + """Delegate class to provide requirement interface for the resolver.""" + + def identify(self, requirement_or_candidate): + """Given a requirement, return an identifier for it. + + This is used to identify a requirement, e.g. whether two requirements + should have their specifier parts merged. + """ + raise NotImplementedError + + def get_preference( + self, + identifier, + resolutions, + candidates, + information, + backtrack_causes, + ): + """Produce a sort key for given requirement based on preference. + + The preference is defined as "I think this requirement should be + resolved first". The lower the return value is, the more preferred + this group of arguments is. + + :param identifier: An identifier as returned by ``identify()``. This + identifies the dependency matches of which should be returned. + :param resolutions: Mapping of candidates currently pinned by the + resolver. Each key is an identifier, and the value a candidate. + The candidate may conflict with requirements from ``information``. + :param candidates: Mapping of each dependency's possible candidates. + Each value is an iterator of candidates. + :param information: Mapping of requirement information of each package. + Each value is an iterator of *requirement information*. + :param backtrack_causes: Sequence of requirement information that were + the requirements that caused the resolver to most recently backtrack. + + A *requirement information* instance is a named tuple with two members: + + * ``requirement`` specifies a requirement contributing to the current + list of candidates. + * ``parent`` specifies the candidate that provides (dependend on) the + requirement, or ``None`` to indicate a root requirement. + + The preference could depend on a various of issues, including (not + necessarily in this order): + + * Is this package pinned in the current resolution result? + * How relaxed is the requirement? Stricter ones should probably be + worked on first? (I don't know, actually.) + * How many possibilities are there to satisfy this requirement? Those + with few left should likely be worked on first, I guess? + * Are there any known conflicts for this requirement? We should + probably work on those with the most known conflicts. + + A sortable value should be returned (this will be used as the ``key`` + parameter of the built-in sorting function). The smaller the value is, + the more preferred this requirement is (i.e. the sorting function + is called with ``reverse=False``). + """ + raise NotImplementedError + + def find_matches(self, identifier, requirements, incompatibilities): + """Find all possible candidates that satisfy given constraints. + + :param identifier: An identifier as returned by ``identify()``. This + identifies the dependency matches of which should be returned. + :param requirements: A mapping of requirements that all returned + candidates must satisfy. Each key is an identifier, and the value + an iterator of requirements for that dependency. + :param incompatibilities: A mapping of known incompatibilities of + each dependency. Each key is an identifier, and the value an + iterator of incompatibilities known to the resolver. All + incompatibilities *must* be excluded from the return value. + + This should try to get candidates based on the requirements' types. + For VCS, local, and archive requirements, the one-and-only match is + returned, and for a "named" requirement, the index(es) should be + consulted to find concrete candidates for this requirement. + + The return value should produce candidates ordered by preference; the + most preferred candidate should come first. The return type may be one + of the following: + + * A callable that returns an iterator that yields candidates. + * An collection of candidates. + * An iterable of candidates. This will be consumed immediately into a + list of candidates. + """ + raise NotImplementedError + + def is_satisfied_by(self, requirement, candidate): + """Whether the given requirement can be satisfied by a candidate. + + The candidate is guarenteed to have been generated from the + requirement. + + A boolean should be returned to indicate whether ``candidate`` is a + viable solution to the requirement. + """ + raise NotImplementedError + + def get_dependencies(self, candidate): + """Get dependencies of a candidate. + + This should return a collection of requirements that `candidate` + specifies as its dependencies. + """ + raise NotImplementedError + + +class AbstractResolver(object): + """The thing that performs the actual resolution work.""" + + base_exception = Exception + + def __init__(self, provider, reporter): + self.provider = provider + self.reporter = reporter + + def resolve(self, requirements, **kwargs): + """Take a collection of constraints, spit out the resolution result. + + This returns a representation of the final resolution state, with one + guarenteed attribute ``mapping`` that contains resolved candidates as + values. The keys are their respective identifiers. + + :param requirements: A collection of constraints. + :param kwargs: Additional keyword arguments that subclasses may accept. + + :raises: ``self.base_exception`` or its subclass. + """ + raise NotImplementedError diff --git a/venv/Lib/site-packages/pip/_vendor/resolvelib/reporters.py b/venv/Lib/site-packages/pip/_vendor/resolvelib/reporters.py new file mode 100644 index 0000000..563489e --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/resolvelib/reporters.py @@ -0,0 +1,37 @@ +class BaseReporter(object): + """Delegate class to provider progress reporting for the resolver.""" + + def starting(self): + """Called before the resolution actually starts.""" + + def starting_round(self, index): + """Called before each round of resolution starts. + + The index is zero-based. + """ + + def ending_round(self, index, state): + """Called before each round of resolution ends. + + This is NOT called if the resolution ends at this round. Use `ending` + if you want to report finalization. The index is zero-based. + """ + + def ending(self, state): + """Called before the resolution ends successfully.""" + + def adding_requirement(self, requirement, parent): + """Called when adding a new requirement into the resolve criteria. + + :param requirement: The additional requirement to be applied to filter + the available candidaites. + :param parent: The candidate that requires ``requirement`` as a + dependency, or None if ``requirement`` is one of the root + requirements passed in from ``Resolver.resolve()``. + """ + + def backtracking(self, candidate): + """Called when rejecting a candidate during backtracking.""" + + def pinning(self, candidate): + """Called when adding a candidate to the potential solution.""" diff --git a/venv/Lib/site-packages/pip/_vendor/resolvelib/resolvers.py b/venv/Lib/site-packages/pip/_vendor/resolvelib/resolvers.py new file mode 100644 index 0000000..35e00fa --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/resolvelib/resolvers.py @@ -0,0 +1,483 @@ +import collections +import operator + +from .providers import AbstractResolver +from .structs import DirectedGraph, IteratorMapping, build_iter_view + + +RequirementInformation = collections.namedtuple( + "RequirementInformation", ["requirement", "parent"] +) + + +class ResolverException(Exception): + """A base class for all exceptions raised by this module. + + Exceptions derived by this class should all be handled in this module. Any + bubbling pass the resolver should be treated as a bug. + """ + + +class RequirementsConflicted(ResolverException): + def __init__(self, criterion): + super(RequirementsConflicted, self).__init__(criterion) + self.criterion = criterion + + def __str__(self): + return "Requirements conflict: {}".format( + ", ".join(repr(r) for r in self.criterion.iter_requirement()), + ) + + +class InconsistentCandidate(ResolverException): + def __init__(self, candidate, criterion): + super(InconsistentCandidate, self).__init__(candidate, criterion) + self.candidate = candidate + self.criterion = criterion + + def __str__(self): + return "Provided candidate {!r} does not satisfy {}".format( + self.candidate, + ", ".join(repr(r) for r in self.criterion.iter_requirement()), + ) + + +class Criterion(object): + """Representation of possible resolution results of a package. + + This holds three attributes: + + * `information` is a collection of `RequirementInformation` pairs. + Each pair is a requirement contributing to this criterion, and the + candidate that provides the requirement. + * `incompatibilities` is a collection of all known not-to-work candidates + to exclude from consideration. + * `candidates` is a collection containing all possible candidates deducted + from the union of contributing requirements and known incompatibilities. + It should never be empty, except when the criterion is an attribute of a + raised `RequirementsConflicted` (in which case it is always empty). + + .. note:: + This class is intended to be externally immutable. **Do not** mutate + any of its attribute containers. + """ + + def __init__(self, candidates, information, incompatibilities): + self.candidates = candidates + self.information = information + self.incompatibilities = incompatibilities + + def __repr__(self): + requirements = ", ".join( + "({!r}, via={!r})".format(req, parent) + for req, parent in self.information + ) + return "Criterion({})".format(requirements) + + def iter_requirement(self): + return (i.requirement for i in self.information) + + def iter_parent(self): + return (i.parent for i in self.information) + + +class ResolutionError(ResolverException): + pass + + +class ResolutionImpossible(ResolutionError): + def __init__(self, causes): + super(ResolutionImpossible, self).__init__(causes) + # causes is a list of RequirementInformation objects + self.causes = causes + + +class ResolutionTooDeep(ResolutionError): + def __init__(self, round_count): + super(ResolutionTooDeep, self).__init__(round_count) + self.round_count = round_count + + +# Resolution state in a round. +State = collections.namedtuple("State", "mapping criteria backtrack_causes") + + +class Resolution(object): + """Stateful resolution object. + + This is designed as a one-off object that holds information to kick start + the resolution process, and holds the results afterwards. + """ + + def __init__(self, provider, reporter): + self._p = provider + self._r = reporter + self._states = [] + + @property + def state(self): + try: + return self._states[-1] + except IndexError: + raise AttributeError("state") + + def _push_new_state(self): + """Push a new state into history. + + This new state will be used to hold resolution results of the next + coming round. + """ + base = self._states[-1] + state = State( + mapping=base.mapping.copy(), + criteria=base.criteria.copy(), + backtrack_causes=base.backtrack_causes[:], + ) + self._states.append(state) + + def _add_to_criteria(self, criteria, requirement, parent): + self._r.adding_requirement(requirement=requirement, parent=parent) + + identifier = self._p.identify(requirement_or_candidate=requirement) + criterion = criteria.get(identifier) + if criterion: + incompatibilities = list(criterion.incompatibilities) + else: + incompatibilities = [] + + matches = self._p.find_matches( + identifier=identifier, + requirements=IteratorMapping( + criteria, + operator.methodcaller("iter_requirement"), + {identifier: [requirement]}, + ), + incompatibilities=IteratorMapping( + criteria, + operator.attrgetter("incompatibilities"), + {identifier: incompatibilities}, + ), + ) + + if criterion: + information = list(criterion.information) + information.append(RequirementInformation(requirement, parent)) + else: + information = [RequirementInformation(requirement, parent)] + + criterion = Criterion( + candidates=build_iter_view(matches), + information=information, + incompatibilities=incompatibilities, + ) + if not criterion.candidates: + raise RequirementsConflicted(criterion) + criteria[identifier] = criterion + + def _get_preference(self, name): + return self._p.get_preference( + identifier=name, + resolutions=self.state.mapping, + candidates=IteratorMapping( + self.state.criteria, + operator.attrgetter("candidates"), + ), + information=IteratorMapping( + self.state.criteria, + operator.attrgetter("information"), + ), + backtrack_causes=self.state.backtrack_causes, + ) + + def _is_current_pin_satisfying(self, name, criterion): + try: + current_pin = self.state.mapping[name] + except KeyError: + return False + return all( + self._p.is_satisfied_by(requirement=r, candidate=current_pin) + for r in criterion.iter_requirement() + ) + + def _get_updated_criteria(self, candidate): + criteria = self.state.criteria.copy() + for requirement in self._p.get_dependencies(candidate=candidate): + self._add_to_criteria(criteria, requirement, parent=candidate) + return criteria + + def _attempt_to_pin_criterion(self, name): + criterion = self.state.criteria[name] + + causes = [] + for candidate in criterion.candidates: + try: + criteria = self._get_updated_criteria(candidate) + except RequirementsConflicted as e: + causes.append(e.criterion) + continue + + # Check the newly-pinned candidate actually works. This should + # always pass under normal circumstances, but in the case of a + # faulty provider, we will raise an error to notify the implementer + # to fix find_matches() and/or is_satisfied_by(). + satisfied = all( + self._p.is_satisfied_by(requirement=r, candidate=candidate) + for r in criterion.iter_requirement() + ) + if not satisfied: + raise InconsistentCandidate(candidate, criterion) + + self._r.pinning(candidate=candidate) + self.state.criteria.update(criteria) + + # Put newly-pinned candidate at the end. This is essential because + # backtracking looks at this mapping to get the last pin. + self.state.mapping.pop(name, None) + self.state.mapping[name] = candidate + + return [] + + # All candidates tried, nothing works. This criterion is a dead + # end, signal for backtracking. + return causes + + def _backtrack(self): + """Perform backtracking. + + When we enter here, the stack is like this:: + + [ state Z ] + [ state Y ] + [ state X ] + .... earlier states are irrelevant. + + 1. No pins worked for Z, so it does not have a pin. + 2. We want to reset state Y to unpinned, and pin another candidate. + 3. State X holds what state Y was before the pin, but does not + have the incompatibility information gathered in state Y. + + Each iteration of the loop will: + + 1. Discard Z. + 2. Discard Y but remember its incompatibility information gathered + previously, and the failure we're dealing with right now. + 3. Push a new state Y' based on X, and apply the incompatibility + information from Y to Y'. + 4a. If this causes Y' to conflict, we need to backtrack again. Make Y' + the new Z and go back to step 2. + 4b. If the incompatibilities apply cleanly, end backtracking. + """ + while len(self._states) >= 3: + # Remove the state that triggered backtracking. + del self._states[-1] + + # Retrieve the last candidate pin and known incompatibilities. + broken_state = self._states.pop() + name, candidate = broken_state.mapping.popitem() + incompatibilities_from_broken = [ + (k, list(v.incompatibilities)) + for k, v in broken_state.criteria.items() + ] + + # Also mark the newly known incompatibility. + incompatibilities_from_broken.append((name, [candidate])) + + self._r.backtracking(candidate=candidate) + + # Create a new state from the last known-to-work one, and apply + # the previously gathered incompatibility information. + def _patch_criteria(): + for k, incompatibilities in incompatibilities_from_broken: + if not incompatibilities: + continue + try: + criterion = self.state.criteria[k] + except KeyError: + continue + matches = self._p.find_matches( + identifier=k, + requirements=IteratorMapping( + self.state.criteria, + operator.methodcaller("iter_requirement"), + ), + incompatibilities=IteratorMapping( + self.state.criteria, + operator.attrgetter("incompatibilities"), + {k: incompatibilities}, + ), + ) + candidates = build_iter_view(matches) + if not candidates: + return False + incompatibilities.extend(criterion.incompatibilities) + self.state.criteria[k] = Criterion( + candidates=candidates, + information=list(criterion.information), + incompatibilities=incompatibilities, + ) + return True + + self._push_new_state() + success = _patch_criteria() + + # It works! Let's work on this new state. + if success: + return True + + # State does not work after applying known incompatibilities. + # Try the still previous state. + + # No way to backtrack anymore. + return False + + def resolve(self, requirements, max_rounds): + if self._states: + raise RuntimeError("already resolved") + + self._r.starting() + + # Initialize the root state. + self._states = [ + State( + mapping=collections.OrderedDict(), + criteria={}, + backtrack_causes=[], + ) + ] + for r in requirements: + try: + self._add_to_criteria(self.state.criteria, r, parent=None) + except RequirementsConflicted as e: + raise ResolutionImpossible(e.criterion.information) + + # The root state is saved as a sentinel so the first ever pin can have + # something to backtrack to if it fails. The root state is basically + # pinning the virtual "root" package in the graph. + self._push_new_state() + + for round_index in range(max_rounds): + self._r.starting_round(index=round_index) + + unsatisfied_names = [ + key + for key, criterion in self.state.criteria.items() + if not self._is_current_pin_satisfying(key, criterion) + ] + + # All criteria are accounted for. Nothing more to pin, we are done! + if not unsatisfied_names: + self._r.ending(state=self.state) + return self.state + + # Choose the most preferred unpinned criterion to try. + name = min(unsatisfied_names, key=self._get_preference) + failure_causes = self._attempt_to_pin_criterion(name) + + if failure_causes: + # Backtrack if pinning fails. The backtrack process puts us in + # an unpinned state, so we can work on it in the next round. + success = self._backtrack() + self.state.backtrack_causes[:] = [ + i for c in failure_causes for i in c.information + ] + + # Dead ends everywhere. Give up. + if not success: + raise ResolutionImpossible(self.state.backtrack_causes) + else: + # Pinning was successful. Push a new state to do another pin. + self._push_new_state() + + self._r.ending_round(index=round_index, state=self.state) + + raise ResolutionTooDeep(max_rounds) + + +def _has_route_to_root(criteria, key, all_keys, connected): + if key in connected: + return True + if key not in criteria: + return False + for p in criteria[key].iter_parent(): + try: + pkey = all_keys[id(p)] + except KeyError: + continue + if pkey in connected: + connected.add(key) + return True + if _has_route_to_root(criteria, pkey, all_keys, connected): + connected.add(key) + return True + return False + + +Result = collections.namedtuple("Result", "mapping graph criteria") + + +def _build_result(state): + mapping = state.mapping + all_keys = {id(v): k for k, v in mapping.items()} + all_keys[id(None)] = None + + graph = DirectedGraph() + graph.add(None) # Sentinel as root dependencies' parent. + + connected = {None} + for key, criterion in state.criteria.items(): + if not _has_route_to_root(state.criteria, key, all_keys, connected): + continue + if key not in graph: + graph.add(key) + for p in criterion.iter_parent(): + try: + pkey = all_keys[id(p)] + except KeyError: + continue + if pkey not in graph: + graph.add(pkey) + graph.connect(pkey, key) + + return Result( + mapping={k: v for k, v in mapping.items() if k in connected}, + graph=graph, + criteria=state.criteria, + ) + + +class Resolver(AbstractResolver): + """The thing that performs the actual resolution work.""" + + base_exception = ResolverException + + def resolve(self, requirements, max_rounds=100): + """Take a collection of constraints, spit out the resolution result. + + The return value is a representation to the final resolution result. It + is a tuple subclass with three public members: + + * `mapping`: A dict of resolved candidates. Each key is an identifier + of a requirement (as returned by the provider's `identify` method), + and the value is the resolved candidate. + * `graph`: A `DirectedGraph` instance representing the dependency tree. + The vertices are keys of `mapping`, and each edge represents *why* + a particular package is included. A special vertex `None` is + included to represent parents of user-supplied requirements. + * `criteria`: A dict of "criteria" that hold detailed information on + how edges in the graph are derived. Each key is an identifier of a + requirement, and the value is a `Criterion` instance. + + The following exceptions may be raised if a resolution cannot be found: + + * `ResolutionImpossible`: A resolution cannot be found for the given + combination of requirements. The `causes` attribute of the + exception is a list of (requirement, parent), giving the + requirements that could not be satisfied. + * `ResolutionTooDeep`: The dependency tree is too deeply nested and + the resolver gave up. This is usually caused by a circular + dependency, but you can try to resolve this by increasing the + `max_rounds` argument. + """ + resolution = Resolution(self.provider, self.reporter) + state = resolution.resolve(requirements, max_rounds=max_rounds) + return _build_result(state) diff --git a/venv/Lib/site-packages/pip/_vendor/resolvelib/structs.py b/venv/Lib/site-packages/pip/_vendor/resolvelib/structs.py new file mode 100644 index 0000000..93d1568 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/resolvelib/structs.py @@ -0,0 +1,165 @@ +import itertools + +from .compat import collections_abc + + +class DirectedGraph(object): + """A graph structure with directed edges.""" + + def __init__(self): + self._vertices = set() + self._forwards = {} # <key> -> Set[<key>] + self._backwards = {} # <key> -> Set[<key>] + + def __iter__(self): + return iter(self._vertices) + + def __len__(self): + return len(self._vertices) + + def __contains__(self, key): + return key in self._vertices + + def copy(self): + """Return a shallow copy of this graph.""" + other = DirectedGraph() + other._vertices = set(self._vertices) + other._forwards = {k: set(v) for k, v in self._forwards.items()} + other._backwards = {k: set(v) for k, v in self._backwards.items()} + return other + + def add(self, key): + """Add a new vertex to the graph.""" + if key in self._vertices: + raise ValueError("vertex exists") + self._vertices.add(key) + self._forwards[key] = set() + self._backwards[key] = set() + + def remove(self, key): + """Remove a vertex from the graph, disconnecting all edges from/to it.""" + self._vertices.remove(key) + for f in self._forwards.pop(key): + self._backwards[f].remove(key) + for t in self._backwards.pop(key): + self._forwards[t].remove(key) + + def connected(self, f, t): + return f in self._backwards[t] and t in self._forwards[f] + + def connect(self, f, t): + """Connect two existing vertices. + + Nothing happens if the vertices are already connected. + """ + if t not in self._vertices: + raise KeyError(t) + self._forwards[f].add(t) + self._backwards[t].add(f) + + def iter_edges(self): + for f, children in self._forwards.items(): + for t in children: + yield f, t + + def iter_children(self, key): + return iter(self._forwards[key]) + + def iter_parents(self, key): + return iter(self._backwards[key]) + + +class IteratorMapping(collections_abc.Mapping): + def __init__(self, mapping, accessor, appends=None): + self._mapping = mapping + self._accessor = accessor + self._appends = appends or {} + + def __repr__(self): + return "IteratorMapping({!r}, {!r}, {!r})".format( + self._mapping, + self._accessor, + self._appends, + ) + + def __bool__(self): + return bool(self._mapping or self._appends) + + __nonzero__ = __bool__ # XXX: Python 2. + + def __contains__(self, key): + return key in self._mapping or key in self._appends + + def __getitem__(self, k): + try: + v = self._mapping[k] + except KeyError: + return iter(self._appends[k]) + return itertools.chain(self._accessor(v), self._appends.get(k, ())) + + def __iter__(self): + more = (k for k in self._appends if k not in self._mapping) + return itertools.chain(self._mapping, more) + + def __len__(self): + more = sum(1 for k in self._appends if k not in self._mapping) + return len(self._mapping) + more + + +class _FactoryIterableView(object): + """Wrap an iterator factory returned by `find_matches()`. + + Calling `iter()` on this class would invoke the underlying iterator + factory, making it a "collection with ordering" that can be iterated + through multiple times, but lacks random access methods presented in + built-in Python sequence types. + """ + + def __init__(self, factory): + self._factory = factory + + def __repr__(self): + return "{}({})".format(type(self).__name__, list(self._factory())) + + def __bool__(self): + try: + next(self._factory()) + except StopIteration: + return False + return True + + __nonzero__ = __bool__ # XXX: Python 2. + + def __iter__(self): + return self._factory() + + +class _SequenceIterableView(object): + """Wrap an iterable returned by find_matches(). + + This is essentially just a proxy to the underlying sequence that provides + the same interface as `_FactoryIterableView`. + """ + + def __init__(self, sequence): + self._sequence = sequence + + def __repr__(self): + return "{}({})".format(type(self).__name__, self._sequence) + + def __bool__(self): + return bool(self._sequence) + + __nonzero__ = __bool__ # XXX: Python 2. + + def __iter__(self): + return iter(self._sequence) + + +def build_iter_view(matches): + """Build an iterable view from the value returned by `find_matches()`.""" + if callable(matches): + return _FactoryIterableView(matches) + if not isinstance(matches, collections_abc.Sequence): + matches = list(matches) + return _SequenceIterableView(matches) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/six.py b/venv/Lib/site-packages/pip/_vendor/six.py similarity index 91% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/six.py rename to venv/Lib/site-packages/pip/_vendor/six.py index 89b2188..4e15675 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/six.py +++ b/venv/Lib/site-packages/pip/_vendor/six.py @@ -1,4 +1,4 @@ -# Copyright (c) 2010-2018 Benjamin Peterson +# Copyright (c) 2010-2020 Benjamin Peterson # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal @@ -29,7 +29,7 @@ import types __author__ = "Benjamin Peterson <benjamin@python.org>" -__version__ = "1.12.0" +__version__ = "1.16.0" # Useful for very coarse version differentiation. @@ -71,6 +71,11 @@ def __len__(self): MAXSIZE = int((1 << 63) - 1) del X +if PY34: + from importlib.util import spec_from_loader +else: + spec_from_loader = None + def _add_doc(func, doc): """Add documentation to a function.""" @@ -186,6 +191,11 @@ def find_module(self, fullname, path=None): return self return None + def find_spec(self, fullname, path, target=None): + if fullname in self.known_modules: + return spec_from_loader(fullname, self) + return None + def __get_module(self, fullname): try: return self.known_modules[fullname] @@ -223,6 +233,12 @@ def get_code(self, fullname): return None get_source = get_code # same as get_code + def create_module(self, spec): + return self.load_module(spec.name) + + def exec_module(self, module): + pass + _importer = _SixMetaPathImporter(__name__) @@ -255,9 +271,11 @@ class _MovedItems(_LazyModule): MovedAttribute("zip_longest", "itertools", "itertools", "izip_longest", "zip_longest"), MovedModule("builtins", "__builtin__"), MovedModule("configparser", "ConfigParser"), + MovedModule("collections_abc", "collections", "collections.abc" if sys.version_info >= (3, 3) else "collections"), MovedModule("copyreg", "copy_reg"), MovedModule("dbm_gnu", "gdbm", "dbm.gnu"), - MovedModule("_dummy_thread", "dummy_thread", "_dummy_thread"), + MovedModule("dbm_ndbm", "dbm", "dbm.ndbm"), + MovedModule("_dummy_thread", "dummy_thread", "_dummy_thread" if sys.version_info < (3, 9) else "_thread"), MovedModule("http_cookiejar", "cookielib", "http.cookiejar"), MovedModule("http_cookies", "Cookie", "http.cookies"), MovedModule("html_entities", "htmlentitydefs", "html.entities"), @@ -637,13 +655,16 @@ def u(s): import io StringIO = io.StringIO BytesIO = io.BytesIO + del io _assertCountEqual = "assertCountEqual" if sys.version_info[1] <= 1: _assertRaisesRegex = "assertRaisesRegexp" _assertRegex = "assertRegexpMatches" + _assertNotRegex = "assertNotRegexpMatches" else: _assertRaisesRegex = "assertRaisesRegex" _assertRegex = "assertRegex" + _assertNotRegex = "assertNotRegex" else: def b(s): return s @@ -665,6 +686,7 @@ def indexbytes(buf, i): _assertCountEqual = "assertItemsEqual" _assertRaisesRegex = "assertRaisesRegexp" _assertRegex = "assertRegexpMatches" + _assertNotRegex = "assertNotRegexpMatches" _add_doc(b, """Byte literal""") _add_doc(u, """Text literal""") @@ -681,6 +703,10 @@ def assertRegex(self, *args, **kwargs): return getattr(self, _assertRegex)(*args, **kwargs) +def assertNotRegex(self, *args, **kwargs): + return getattr(self, _assertNotRegex)(*args, **kwargs) + + if PY3: exec_ = getattr(moves.builtins, "exec") @@ -716,16 +742,7 @@ def exec_(_code_, _globs_=None, _locs_=None): """) -if sys.version_info[:2] == (3, 2): - exec_("""def raise_from(value, from_value): - try: - if from_value is None: - raise value - raise value from from_value - finally: - value = None -""") -elif sys.version_info[:2] > (3, 2): +if sys.version_info[:2] > (3,): exec_("""def raise_from(value, from_value): try: raise value from from_value @@ -805,13 +822,33 @@ def print_(*args, **kwargs): _add_doc(reraise, """Reraise an exception.""") if sys.version_info[0:2] < (3, 4): + # This does exactly the same what the :func:`py3:functools.update_wrapper` + # function does on Python versions after 3.2. It sets the ``__wrapped__`` + # attribute on ``wrapper`` object and it doesn't raise an error if any of + # the attributes mentioned in ``assigned`` and ``updated`` are missing on + # ``wrapped`` object. + def _update_wrapper(wrapper, wrapped, + assigned=functools.WRAPPER_ASSIGNMENTS, + updated=functools.WRAPPER_UPDATES): + for attr in assigned: + try: + value = getattr(wrapped, attr) + except AttributeError: + continue + else: + setattr(wrapper, attr, value) + for attr in updated: + getattr(wrapper, attr).update(getattr(wrapped, attr, {})) + wrapper.__wrapped__ = wrapped + return wrapper + _update_wrapper.__doc__ = functools.update_wrapper.__doc__ + def wraps(wrapped, assigned=functools.WRAPPER_ASSIGNMENTS, updated=functools.WRAPPER_UPDATES): - def wrapper(f): - f = functools.wraps(wrapped, assigned, updated)(f) - f.__wrapped__ = wrapped - return f - return wrapper + return functools.partial(_update_wrapper, wrapped=wrapped, + assigned=assigned, updated=updated) + wraps.__doc__ = functools.wraps.__doc__ + else: wraps = functools.wraps @@ -824,7 +861,15 @@ def with_metaclass(meta, *bases): class metaclass(type): def __new__(cls, name, this_bases, d): - return meta(name, bases, d) + if sys.version_info[:2] >= (3, 7): + # This version introduced PEP 560 that requires a bit + # of extra care (we mimic what is done by __build_class__). + resolved_bases = types.resolve_bases(bases) + if resolved_bases is not bases: + d['__orig_bases__'] = bases + else: + resolved_bases = bases + return meta(name, resolved_bases, d) @classmethod def __prepare__(cls, name, this_bases): @@ -861,12 +906,11 @@ def ensure_binary(s, encoding='utf-8', errors='strict'): - `str` -> encoded to `bytes` - `bytes` -> `bytes` """ + if isinstance(s, binary_type): + return s if isinstance(s, text_type): return s.encode(encoding, errors) - elif isinstance(s, binary_type): - return s - else: - raise TypeError("not expecting type '%s'" % type(s)) + raise TypeError("not expecting type '%s'" % type(s)) def ensure_str(s, encoding='utf-8', errors='strict'): @@ -880,12 +924,15 @@ def ensure_str(s, encoding='utf-8', errors='strict'): - `str` -> `str` - `bytes` -> decoded to `str` """ - if not isinstance(s, (text_type, binary_type)): - raise TypeError("not expecting type '%s'" % type(s)) + # Optimization: Fast return for the common case. + if type(s) is str: + return s if PY2 and isinstance(s, text_type): - s = s.encode(encoding, errors) + return s.encode(encoding, errors) elif PY3 and isinstance(s, binary_type): - s = s.decode(encoding, errors) + return s.decode(encoding, errors) + elif not isinstance(s, (text_type, binary_type)): + raise TypeError("not expecting type '%s'" % type(s)) return s @@ -908,10 +955,9 @@ def ensure_text(s, encoding='utf-8', errors='strict'): raise TypeError("not expecting type '%s'" % type(s)) - def python_2_unicode_compatible(klass): """ - A decorator that defines __unicode__ and __str__ methods under Python 2. + A class decorator that defines __unicode__ and __str__ methods under Python 2. Under Python 3 it does nothing. To support Python 2 and 3 with a single code base, define a __str__ method diff --git a/venv/Lib/site-packages/pip/_vendor/tenacity/__init__.py b/venv/Lib/site-packages/pip/_vendor/tenacity/__init__.py new file mode 100644 index 0000000..086ad46 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/tenacity/__init__.py @@ -0,0 +1,517 @@ +# Copyright 2016-2018 Julien Danjou +# Copyright 2017 Elisey Zanko +# Copyright 2016 Étienne Bersac +# Copyright 2016 Joshua Harlow +# Copyright 2013-2014 Ray Holder +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import functools +import sys +import threading +import time +import typing as t +import warnings +from abc import ABC, abstractmethod +from concurrent import futures +from inspect import iscoroutinefunction + +# Import all built-in retry strategies for easier usage. +from .retry import retry_base # noqa +from .retry import retry_all # noqa +from .retry import retry_always # noqa +from .retry import retry_any # noqa +from .retry import retry_if_exception # noqa +from .retry import retry_if_exception_type # noqa +from .retry import retry_if_not_exception_type # noqa +from .retry import retry_if_not_result # noqa +from .retry import retry_if_result # noqa +from .retry import retry_never # noqa +from .retry import retry_unless_exception_type # noqa +from .retry import retry_if_exception_message # noqa +from .retry import retry_if_not_exception_message # noqa + +# Import all nap strategies for easier usage. +from .nap import sleep # noqa +from .nap import sleep_using_event # noqa + +# Import all built-in stop strategies for easier usage. +from .stop import stop_after_attempt # noqa +from .stop import stop_after_delay # noqa +from .stop import stop_all # noqa +from .stop import stop_any # noqa +from .stop import stop_never # noqa +from .stop import stop_when_event_set # noqa + +# Import all built-in wait strategies for easier usage. +from .wait import wait_chain # noqa +from .wait import wait_combine # noqa +from .wait import wait_exponential # noqa +from .wait import wait_fixed # noqa +from .wait import wait_incrementing # noqa +from .wait import wait_none # noqa +from .wait import wait_random # noqa +from .wait import wait_random_exponential # noqa +from .wait import wait_random_exponential as wait_full_jitter # noqa + +# Import all built-in before strategies for easier usage. +from .before import before_log # noqa +from .before import before_nothing # noqa + +# Import all built-in after strategies for easier usage. +from .after import after_log # noqa +from .after import after_nothing # noqa + +# Import all built-in after strategies for easier usage. +from .before_sleep import before_sleep_log # noqa +from .before_sleep import before_sleep_nothing # noqa + +# Replace a conditional import with a hard-coded None so that pip does +# not attempt to use tornado even if it is present in the environment. +# If tornado is non-None, tenacity will attempt to execute some code +# that is sensitive to the version of tornado, which could break pip +# if an old version is found. +tornado = None # type: ignore + +if t.TYPE_CHECKING: + import types + + from .wait import wait_base + from .stop import stop_base + + +WrappedFn = t.TypeVar("WrappedFn", bound=t.Callable) +_RetValT = t.TypeVar("_RetValT") + + +@t.overload +def retry(fn: WrappedFn) -> WrappedFn: + pass + + +@t.overload +def retry(*dargs: t.Any, **dkw: t.Any) -> t.Callable[[WrappedFn], WrappedFn]: # noqa + pass + + +def retry(*dargs: t.Any, **dkw: t.Any) -> t.Union[WrappedFn, t.Callable[[WrappedFn], WrappedFn]]: # noqa + """Wrap a function with a new `Retrying` object. + + :param dargs: positional arguments passed to Retrying object + :param dkw: keyword arguments passed to the Retrying object + """ + # support both @retry and @retry() as valid syntax + if len(dargs) == 1 and callable(dargs[0]): + return retry()(dargs[0]) + else: + + def wrap(f: WrappedFn) -> WrappedFn: + if isinstance(f, retry_base): + warnings.warn( + f"Got retry_base instance ({f.__class__.__name__}) as callable argument, " + f"this will probably hang indefinitely (did you mean retry={f.__class__.__name__}(...)?)" + ) + if iscoroutinefunction(f): + r: "BaseRetrying" = AsyncRetrying(*dargs, **dkw) + elif tornado and hasattr(tornado.gen, "is_coroutine_function") and tornado.gen.is_coroutine_function(f): + r = TornadoRetrying(*dargs, **dkw) + else: + r = Retrying(*dargs, **dkw) + + return r.wraps(f) + + return wrap + + +class TryAgain(Exception): + """Always retry the executed function when raised.""" + + +NO_RESULT = object() + + +class DoAttempt: + pass + + +class DoSleep(float): + pass + + +class BaseAction: + """Base class for representing actions to take by retry object. + + Concrete implementations must define: + - __init__: to initialize all necessary fields + - REPR_FIELDS: class variable specifying attributes to include in repr(self) + - NAME: for identification in retry object methods and callbacks + """ + + REPR_FIELDS: t.Sequence[str] = () + NAME: t.Optional[str] = None + + def __repr__(self) -> str: + state_str = ", ".join(f"{field}={getattr(self, field)!r}" for field in self.REPR_FIELDS) + return f"{self.__class__.__name__}({state_str})" + + def __str__(self) -> str: + return repr(self) + + +class RetryAction(BaseAction): + REPR_FIELDS = ("sleep",) + NAME = "retry" + + def __init__(self, sleep: t.SupportsFloat) -> None: + self.sleep = float(sleep) + + +_unset = object() + + +def _first_set(first: t.Union[t.Any, object], second: t.Any) -> t.Any: + return second if first is _unset else first + + +class RetryError(Exception): + """Encapsulates the last attempt instance right before giving up.""" + + def __init__(self, last_attempt: "Future") -> None: + self.last_attempt = last_attempt + super().__init__(last_attempt) + + def reraise(self) -> "t.NoReturn": + if self.last_attempt.failed: + raise self.last_attempt.result() + raise self + + def __str__(self) -> str: + return f"{self.__class__.__name__}[{self.last_attempt}]" + + +class AttemptManager: + """Manage attempt context.""" + + def __init__(self, retry_state: "RetryCallState"): + self.retry_state = retry_state + + def __enter__(self) -> None: + pass + + def __exit__( + self, + exc_type: t.Optional[t.Type[BaseException]], + exc_value: t.Optional[BaseException], + traceback: t.Optional["types.TracebackType"], + ) -> t.Optional[bool]: + if isinstance(exc_value, BaseException): + self.retry_state.set_exception((exc_type, exc_value, traceback)) + return True # Swallow exception. + else: + # We don't have the result, actually. + self.retry_state.set_result(None) + return None + + +class BaseRetrying(ABC): + def __init__( + self, + sleep: t.Callable[[t.Union[int, float]], None] = sleep, + stop: "stop_base" = stop_never, + wait: "wait_base" = wait_none(), + retry: retry_base = retry_if_exception_type(), + before: t.Callable[["RetryCallState"], None] = before_nothing, + after: t.Callable[["RetryCallState"], None] = after_nothing, + before_sleep: t.Optional[t.Callable[["RetryCallState"], None]] = None, + reraise: bool = False, + retry_error_cls: t.Type[RetryError] = RetryError, + retry_error_callback: t.Optional[t.Callable[["RetryCallState"], t.Any]] = None, + ): + self.sleep = sleep + self.stop = stop + self.wait = wait + self.retry = retry + self.before = before + self.after = after + self.before_sleep = before_sleep + self.reraise = reraise + self._local = threading.local() + self.retry_error_cls = retry_error_cls + self.retry_error_callback = retry_error_callback + + def copy( + self, + sleep: t.Union[t.Callable[[t.Union[int, float]], None], object] = _unset, + stop: t.Union["stop_base", object] = _unset, + wait: t.Union["wait_base", object] = _unset, + retry: t.Union[retry_base, object] = _unset, + before: t.Union[t.Callable[["RetryCallState"], None], object] = _unset, + after: t.Union[t.Callable[["RetryCallState"], None], object] = _unset, + before_sleep: t.Union[t.Optional[t.Callable[["RetryCallState"], None]], object] = _unset, + reraise: t.Union[bool, object] = _unset, + retry_error_cls: t.Union[t.Type[RetryError], object] = _unset, + retry_error_callback: t.Union[t.Optional[t.Callable[["RetryCallState"], t.Any]], object] = _unset, + ) -> "BaseRetrying": + """Copy this object with some parameters changed if needed.""" + return self.__class__( + sleep=_first_set(sleep, self.sleep), + stop=_first_set(stop, self.stop), + wait=_first_set(wait, self.wait), + retry=_first_set(retry, self.retry), + before=_first_set(before, self.before), + after=_first_set(after, self.after), + before_sleep=_first_set(before_sleep, self.before_sleep), + reraise=_first_set(reraise, self.reraise), + retry_error_cls=_first_set(retry_error_cls, self.retry_error_cls), + retry_error_callback=_first_set(retry_error_callback, self.retry_error_callback), + ) + + def __repr__(self) -> str: + return ( + f"<{self.__class__.__name__} object at 0x{id(self):x} (" + f"stop={self.stop}, " + f"wait={self.wait}, " + f"sleep={self.sleep}, " + f"retry={self.retry}, " + f"before={self.before}, " + f"after={self.after})>" + ) + + @property + def statistics(self) -> t.Dict[str, t.Any]: + """Return a dictionary of runtime statistics. + + This dictionary will be empty when the controller has never been + ran. When it is running or has ran previously it should have (but + may not) have useful and/or informational keys and values when + running is underway and/or completed. + + .. warning:: The keys in this dictionary **should** be some what + stable (not changing), but there existence **may** + change between major releases as new statistics are + gathered or removed so before accessing keys ensure that + they actually exist and handle when they do not. + + .. note:: The values in this dictionary are local to the thread + running call (so if multiple threads share the same retrying + object - either directly or indirectly) they will each have + there own view of statistics they have collected (in the + future we may provide a way to aggregate the various + statistics from each thread). + """ + try: + return self._local.statistics + except AttributeError: + self._local.statistics = {} + return self._local.statistics + + def wraps(self, f: WrappedFn) -> WrappedFn: + """Wrap a function for retrying. + + :param f: A function to wraps for retrying. + """ + + @functools.wraps(f) + def wrapped_f(*args: t.Any, **kw: t.Any) -> t.Any: + return self(f, *args, **kw) + + def retry_with(*args: t.Any, **kwargs: t.Any) -> WrappedFn: + return self.copy(*args, **kwargs).wraps(f) + + wrapped_f.retry = self + wrapped_f.retry_with = retry_with + + return wrapped_f + + def begin(self) -> None: + self.statistics.clear() + self.statistics["start_time"] = time.monotonic() + self.statistics["attempt_number"] = 1 + self.statistics["idle_for"] = 0 + + def iter(self, retry_state: "RetryCallState") -> t.Union[DoAttempt, DoSleep, t.Any]: # noqa + fut = retry_state.outcome + if fut is None: + if self.before is not None: + self.before(retry_state) + return DoAttempt() + + is_explicit_retry = retry_state.outcome.failed and isinstance(retry_state.outcome.exception(), TryAgain) + if not (is_explicit_retry or self.retry(retry_state=retry_state)): + return fut.result() + + if self.after is not None: + self.after(retry_state) + + self.statistics["delay_since_first_attempt"] = retry_state.seconds_since_start + if self.stop(retry_state=retry_state): + if self.retry_error_callback: + return self.retry_error_callback(retry_state) + retry_exc = self.retry_error_cls(fut) + if self.reraise: + raise retry_exc.reraise() + raise retry_exc from fut.exception() + + if self.wait: + sleep = self.wait(retry_state=retry_state) + else: + sleep = 0.0 + retry_state.next_action = RetryAction(sleep) + retry_state.idle_for += sleep + self.statistics["idle_for"] += sleep + self.statistics["attempt_number"] += 1 + + if self.before_sleep is not None: + self.before_sleep(retry_state) + + return DoSleep(sleep) + + def __iter__(self) -> t.Generator[AttemptManager, None, None]: + self.begin() + + retry_state = RetryCallState(self, fn=None, args=(), kwargs={}) + while True: + do = self.iter(retry_state=retry_state) + if isinstance(do, DoAttempt): + yield AttemptManager(retry_state=retry_state) + elif isinstance(do, DoSleep): + retry_state.prepare_for_next_attempt() + self.sleep(do) + else: + break + + @abstractmethod + def __call__(self, fn: t.Callable[..., _RetValT], *args: t.Any, **kwargs: t.Any) -> _RetValT: + pass + + +class Retrying(BaseRetrying): + """Retrying controller.""" + + def __call__(self, fn: t.Callable[..., _RetValT], *args: t.Any, **kwargs: t.Any) -> _RetValT: + self.begin() + + retry_state = RetryCallState(retry_object=self, fn=fn, args=args, kwargs=kwargs) + while True: + do = self.iter(retry_state=retry_state) + if isinstance(do, DoAttempt): + try: + result = fn(*args, **kwargs) + except BaseException: # noqa: B902 + retry_state.set_exception(sys.exc_info()) + else: + retry_state.set_result(result) + elif isinstance(do, DoSleep): + retry_state.prepare_for_next_attempt() + self.sleep(do) + else: + return do + + +class Future(futures.Future): + """Encapsulates a (future or past) attempted call to a target function.""" + + def __init__(self, attempt_number: int) -> None: + super().__init__() + self.attempt_number = attempt_number + + @property + def failed(self) -> bool: + """Return whether a exception is being held in this future.""" + return self.exception() is not None + + @classmethod + def construct(cls, attempt_number: int, value: t.Any, has_exception: bool) -> "Future": + """Construct a new Future object.""" + fut = cls(attempt_number) + if has_exception: + fut.set_exception(value) + else: + fut.set_result(value) + return fut + + +class RetryCallState: + """State related to a single call wrapped with Retrying.""" + + def __init__( + self, + retry_object: BaseRetrying, + fn: t.Optional[WrappedFn], + args: t.Any, + kwargs: t.Any, + ) -> None: + #: Retry call start timestamp + self.start_time = time.monotonic() + #: Retry manager object + self.retry_object = retry_object + #: Function wrapped by this retry call + self.fn = fn + #: Arguments of the function wrapped by this retry call + self.args = args + #: Keyword arguments of the function wrapped by this retry call + self.kwargs = kwargs + + #: The number of the current attempt + self.attempt_number: int = 1 + #: Last outcome (result or exception) produced by the function + self.outcome: t.Optional[Future] = None + #: Timestamp of the last outcome + self.outcome_timestamp: t.Optional[float] = None + #: Time spent sleeping in retries + self.idle_for: float = 0.0 + #: Next action as decided by the retry manager + self.next_action: t.Optional[RetryAction] = None + + @property + def seconds_since_start(self) -> t.Optional[float]: + if self.outcome_timestamp is None: + return None + return self.outcome_timestamp - self.start_time + + def prepare_for_next_attempt(self) -> None: + self.outcome = None + self.outcome_timestamp = None + self.attempt_number += 1 + self.next_action = None + + def set_result(self, val: t.Any) -> None: + ts = time.monotonic() + fut = Future(self.attempt_number) + fut.set_result(val) + self.outcome, self.outcome_timestamp = fut, ts + + def set_exception(self, exc_info: t.Tuple[t.Type[BaseException], BaseException, "types.TracebackType"]) -> None: + ts = time.monotonic() + fut = Future(self.attempt_number) + fut.set_exception(exc_info[1]) + self.outcome, self.outcome_timestamp = fut, ts + + def __repr__(self): + if self.outcome is None: + result = "none yet" + elif self.outcome.failed: + exception = self.outcome.exception() + result = f"failed ({exception.__class__.__name__} {exception})" + else: + result = f"returned {self.outcome.result()}" + + slept = float(round(self.idle_for, 2)) + clsname = self.__class__.__name__ + return f"<{clsname} {id(self)}: attempt #{self.attempt_number}; slept for {slept}; last result: {result}>" + + +from pip._vendor.tenacity._asyncio import AsyncRetrying # noqa:E402,I100 + +if tornado: + from pip._vendor.tenacity.tornadoweb import TornadoRetrying diff --git a/venv/Lib/site-packages/pip/_vendor/tenacity/_asyncio.py b/venv/Lib/site-packages/pip/_vendor/tenacity/_asyncio.py new file mode 100644 index 0000000..0f32b5f --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/tenacity/_asyncio.py @@ -0,0 +1,92 @@ +# Copyright 2016 Étienne Bersac +# Copyright 2016 Julien Danjou +# Copyright 2016 Joshua Harlow +# Copyright 2013-2014 Ray Holder +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import functools +import sys +import typing +from asyncio import sleep + +from pip._vendor.tenacity import AttemptManager +from pip._vendor.tenacity import BaseRetrying +from pip._vendor.tenacity import DoAttempt +from pip._vendor.tenacity import DoSleep +from pip._vendor.tenacity import RetryCallState + +WrappedFn = typing.TypeVar("WrappedFn", bound=typing.Callable) +_RetValT = typing.TypeVar("_RetValT") + + +class AsyncRetrying(BaseRetrying): + def __init__(self, sleep: typing.Callable[[float], typing.Awaitable] = sleep, **kwargs: typing.Any) -> None: + super().__init__(**kwargs) + self.sleep = sleep + + async def __call__( # type: ignore # Change signature from supertype + self, + fn: typing.Callable[..., typing.Awaitable[_RetValT]], + *args: typing.Any, + **kwargs: typing.Any, + ) -> _RetValT: + self.begin() + + retry_state = RetryCallState(retry_object=self, fn=fn, args=args, kwargs=kwargs) + while True: + do = self.iter(retry_state=retry_state) + if isinstance(do, DoAttempt): + try: + result = await fn(*args, **kwargs) + except BaseException: # noqa: B902 + retry_state.set_exception(sys.exc_info()) + else: + retry_state.set_result(result) + elif isinstance(do, DoSleep): + retry_state.prepare_for_next_attempt() + await self.sleep(do) + else: + return do + + def __aiter__(self) -> "AsyncRetrying": + self.begin() + self._retry_state = RetryCallState(self, fn=None, args=(), kwargs={}) + return self + + async def __anext__(self) -> typing.Union[AttemptManager, typing.Any]: + while True: + do = self.iter(retry_state=self._retry_state) + if do is None: + raise StopAsyncIteration + elif isinstance(do, DoAttempt): + return AttemptManager(retry_state=self._retry_state) + elif isinstance(do, DoSleep): + self._retry_state.prepare_for_next_attempt() + await self.sleep(do) + else: + return do + + def wraps(self, fn: WrappedFn) -> WrappedFn: + fn = super().wraps(fn) + # Ensure wrapper is recognized as a coroutine function. + + @functools.wraps(fn) + async def async_wrapped(*args: typing.Any, **kwargs: typing.Any) -> typing.Any: + return await fn(*args, **kwargs) + + # Preserve attributes + async_wrapped.retry = fn.retry + async_wrapped.retry_with = fn.retry_with + + return async_wrapped diff --git a/venv/Lib/site-packages/pip/_vendor/tenacity/_utils.py b/venv/Lib/site-packages/pip/_vendor/tenacity/_utils.py new file mode 100644 index 0000000..d5c4c9d --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/tenacity/_utils.py @@ -0,0 +1,68 @@ +# Copyright 2016 Julien Danjou +# Copyright 2016 Joshua Harlow +# Copyright 2013-2014 Ray Holder +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import sys +import typing + + +# sys.maxsize: +# An integer giving the maximum value a variable of type Py_ssize_t can take. +MAX_WAIT = sys.maxsize / 2 + + +def find_ordinal(pos_num: int) -> str: + # See: https://en.wikipedia.org/wiki/English_numerals#Ordinal_numbers + if pos_num == 0: + return "th" + elif pos_num == 1: + return "st" + elif pos_num == 2: + return "nd" + elif pos_num == 3: + return "rd" + elif 4 <= pos_num <= 20: + return "th" + else: + return find_ordinal(pos_num % 10) + + +def to_ordinal(pos_num: int) -> str: + return f"{pos_num}{find_ordinal(pos_num)}" + + +def get_callback_name(cb: typing.Callable[..., typing.Any]) -> str: + """Get a callback fully-qualified name. + + If no name can be produced ``repr(cb)`` is called and returned. + """ + segments = [] + try: + segments.append(cb.__qualname__) + except AttributeError: + try: + segments.append(cb.__name__) + except AttributeError: + pass + if not segments: + return repr(cb) + else: + try: + # When running under sphinx it appears this can be none? + if cb.__module__: + segments.insert(0, cb.__module__) + except AttributeError: + pass + return ".".join(segments) diff --git a/venv/Lib/site-packages/pip/_vendor/tenacity/after.py b/venv/Lib/site-packages/pip/_vendor/tenacity/after.py new file mode 100644 index 0000000..c056700 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/tenacity/after.py @@ -0,0 +1,46 @@ +# Copyright 2016 Julien Danjou +# Copyright 2016 Joshua Harlow +# Copyright 2013-2014 Ray Holder +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import typing + +from pip._vendor.tenacity import _utils + +if typing.TYPE_CHECKING: + import logging + + from pip._vendor.tenacity import RetryCallState + + +def after_nothing(retry_state: "RetryCallState") -> None: + """After call strategy that does nothing.""" + + +def after_log( + logger: "logging.Logger", + log_level: int, + sec_format: str = "%0.3f", +) -> typing.Callable[["RetryCallState"], None]: + """After call strategy that logs to some logger the finished attempt.""" + + def log_it(retry_state: "RetryCallState") -> None: + logger.log( + log_level, + f"Finished call to '{_utils.get_callback_name(retry_state.fn)}' " + f"after {sec_format % retry_state.seconds_since_start}(s), " + f"this was the {_utils.to_ordinal(retry_state.attempt_number)} time calling it.", + ) + + return log_it diff --git a/venv/Lib/site-packages/pip/_vendor/tenacity/before.py b/venv/Lib/site-packages/pip/_vendor/tenacity/before.py new file mode 100644 index 0000000..a72c2c5 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/tenacity/before.py @@ -0,0 +1,41 @@ +# Copyright 2016 Julien Danjou +# Copyright 2016 Joshua Harlow +# Copyright 2013-2014 Ray Holder +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import typing + +from pip._vendor.tenacity import _utils + +if typing.TYPE_CHECKING: + import logging + + from pip._vendor.tenacity import RetryCallState + + +def before_nothing(retry_state: "RetryCallState") -> None: + """Before call strategy that does nothing.""" + + +def before_log(logger: "logging.Logger", log_level: int) -> typing.Callable[["RetryCallState"], None]: + """Before call strategy that logs to some logger the attempt.""" + + def log_it(retry_state: "RetryCallState") -> None: + logger.log( + log_level, + f"Starting call to '{_utils.get_callback_name(retry_state.fn)}', " + f"this is the {_utils.to_ordinal(retry_state.attempt_number)} time calling it.", + ) + + return log_it diff --git a/venv/Lib/site-packages/pip/_vendor/tenacity/before_sleep.py b/venv/Lib/site-packages/pip/_vendor/tenacity/before_sleep.py new file mode 100644 index 0000000..b35564f --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/tenacity/before_sleep.py @@ -0,0 +1,58 @@ +# Copyright 2016 Julien Danjou +# Copyright 2016 Joshua Harlow +# Copyright 2013-2014 Ray Holder +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import typing + +from pip._vendor.tenacity import _utils + +if typing.TYPE_CHECKING: + import logging + + from pip._vendor.tenacity import RetryCallState + + +def before_sleep_nothing(retry_state: "RetryCallState") -> None: + """Before call strategy that does nothing.""" + + +def before_sleep_log( + logger: "logging.Logger", + log_level: int, + exc_info: bool = False, +) -> typing.Callable[["RetryCallState"], None]: + """Before call strategy that logs to some logger the attempt.""" + + def log_it(retry_state: "RetryCallState") -> None: + if retry_state.outcome.failed: + ex = retry_state.outcome.exception() + verb, value = "raised", f"{ex.__class__.__name__}: {ex}" + + if exc_info: + local_exc_info = retry_state.outcome.exception() + else: + local_exc_info = False + else: + verb, value = "returned", retry_state.outcome.result() + local_exc_info = False # exc_info does not apply when no exception + + logger.log( + log_level, + f"Retrying {_utils.get_callback_name(retry_state.fn)} " + f"in {retry_state.next_action.sleep} seconds as it {verb} {value}.", + exc_info=local_exc_info, + ) + + return log_it diff --git a/venv/Lib/site-packages/pip/_vendor/tenacity/nap.py b/venv/Lib/site-packages/pip/_vendor/tenacity/nap.py new file mode 100644 index 0000000..72aa5bf --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/tenacity/nap.py @@ -0,0 +1,43 @@ +# Copyright 2016 Étienne Bersac +# Copyright 2016 Julien Danjou +# Copyright 2016 Joshua Harlow +# Copyright 2013-2014 Ray Holder +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import time +import typing + +if typing.TYPE_CHECKING: + import threading + + +def sleep(seconds: float) -> None: + """ + Sleep strategy that delays execution for a given number of seconds. + + This is the default strategy, and may be mocked out for unit testing. + """ + time.sleep(seconds) + + +class sleep_using_event: + """Sleep strategy that waits on an event to be set.""" + + def __init__(self, event: "threading.Event") -> None: + self.event = event + + def __call__(self, timeout: typing.Optional[float]) -> None: + # NOTE(harlowja): this may *not* actually wait for timeout + # seconds if the event is set (ie this may eject out early). + self.event.wait(timeout=timeout) diff --git a/venv/Lib/site-packages/pip/_vendor/tenacity/retry.py b/venv/Lib/site-packages/pip/_vendor/tenacity/retry.py new file mode 100644 index 0000000..1d727e9 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/tenacity/retry.py @@ -0,0 +1,213 @@ +# Copyright 2016–2021 Julien Danjou +# Copyright 2016 Joshua Harlow +# Copyright 2013-2014 Ray Holder +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import abc +import re +import typing + +if typing.TYPE_CHECKING: + from pip._vendor.tenacity import RetryCallState + + +class retry_base(abc.ABC): + """Abstract base class for retry strategies.""" + + @abc.abstractmethod + def __call__(self, retry_state: "RetryCallState") -> bool: + pass + + def __and__(self, other: "retry_base") -> "retry_all": + return retry_all(self, other) + + def __or__(self, other: "retry_base") -> "retry_any": + return retry_any(self, other) + + +class _retry_never(retry_base): + """Retry strategy that never rejects any result.""" + + def __call__(self, retry_state: "RetryCallState") -> bool: + return False + + +retry_never = _retry_never() + + +class _retry_always(retry_base): + """Retry strategy that always rejects any result.""" + + def __call__(self, retry_state: "RetryCallState") -> bool: + return True + + +retry_always = _retry_always() + + +class retry_if_exception(retry_base): + """Retry strategy that retries if an exception verifies a predicate.""" + + def __init__(self, predicate: typing.Callable[[BaseException], bool]) -> None: + self.predicate = predicate + + def __call__(self, retry_state: "RetryCallState") -> bool: + if retry_state.outcome.failed: + return self.predicate(retry_state.outcome.exception()) + else: + return False + + +class retry_if_exception_type(retry_if_exception): + """Retries if an exception has been raised of one or more types.""" + + def __init__( + self, + exception_types: typing.Union[ + typing.Type[BaseException], + typing.Tuple[typing.Type[BaseException], ...], + ] = Exception, + ) -> None: + self.exception_types = exception_types + super().__init__(lambda e: isinstance(e, exception_types)) + + +class retry_if_not_exception_type(retry_if_exception): + """Retries except an exception has been raised of one or more types.""" + + def __init__( + self, + exception_types: typing.Union[ + typing.Type[BaseException], + typing.Tuple[typing.Type[BaseException], ...], + ] = Exception, + ) -> None: + self.exception_types = exception_types + super().__init__(lambda e: not isinstance(e, exception_types)) + + +class retry_unless_exception_type(retry_if_exception): + """Retries until an exception is raised of one or more types.""" + + def __init__( + self, + exception_types: typing.Union[ + typing.Type[BaseException], + typing.Tuple[typing.Type[BaseException], ...], + ] = Exception, + ) -> None: + self.exception_types = exception_types + super().__init__(lambda e: not isinstance(e, exception_types)) + + def __call__(self, retry_state: "RetryCallState") -> bool: + # always retry if no exception was raised + if not retry_state.outcome.failed: + return True + return self.predicate(retry_state.outcome.exception()) + + +class retry_if_result(retry_base): + """Retries if the result verifies a predicate.""" + + def __init__(self, predicate: typing.Callable[[typing.Any], bool]) -> None: + self.predicate = predicate + + def __call__(self, retry_state: "RetryCallState") -> bool: + if not retry_state.outcome.failed: + return self.predicate(retry_state.outcome.result()) + else: + return False + + +class retry_if_not_result(retry_base): + """Retries if the result refutes a predicate.""" + + def __init__(self, predicate: typing.Callable[[typing.Any], bool]) -> None: + self.predicate = predicate + + def __call__(self, retry_state: "RetryCallState") -> bool: + if not retry_state.outcome.failed: + return not self.predicate(retry_state.outcome.result()) + else: + return False + + +class retry_if_exception_message(retry_if_exception): + """Retries if an exception message equals or matches.""" + + def __init__( + self, + message: typing.Optional[str] = None, + match: typing.Optional[str] = None, + ) -> None: + if message and match: + raise TypeError(f"{self.__class__.__name__}() takes either 'message' or 'match', not both") + + # set predicate + if message: + + def message_fnc(exception: BaseException) -> bool: + return message == str(exception) + + predicate = message_fnc + elif match: + prog = re.compile(match) + + def match_fnc(exception: BaseException) -> bool: + return bool(prog.match(str(exception))) + + predicate = match_fnc + else: + raise TypeError(f"{self.__class__.__name__}() missing 1 required argument 'message' or 'match'") + + super().__init__(predicate) + + +class retry_if_not_exception_message(retry_if_exception_message): + """Retries until an exception message equals or matches.""" + + def __init__( + self, + message: typing.Optional[str] = None, + match: typing.Optional[str] = None, + ) -> None: + super().__init__(message, match) + # invert predicate + if_predicate = self.predicate + self.predicate = lambda *args_, **kwargs_: not if_predicate(*args_, **kwargs_) + + def __call__(self, retry_state: "RetryCallState") -> bool: + if not retry_state.outcome.failed: + return True + return self.predicate(retry_state.outcome.exception()) + + +class retry_any(retry_base): + """Retries if any of the retries condition is valid.""" + + def __init__(self, *retries: retry_base) -> None: + self.retries = retries + + def __call__(self, retry_state: "RetryCallState") -> bool: + return any(r(retry_state) for r in self.retries) + + +class retry_all(retry_base): + """Retries if all the retries condition are valid.""" + + def __init__(self, *retries: retry_base) -> None: + self.retries = retries + + def __call__(self, retry_state: "RetryCallState") -> bool: + return all(r(retry_state) for r in self.retries) diff --git a/venv/Lib/site-packages/pip/_vendor/tenacity/stop.py b/venv/Lib/site-packages/pip/_vendor/tenacity/stop.py new file mode 100644 index 0000000..faaae9a --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/tenacity/stop.py @@ -0,0 +1,96 @@ +# Copyright 2016–2021 Julien Danjou +# Copyright 2016 Joshua Harlow +# Copyright 2013-2014 Ray Holder +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +import abc +import typing + +if typing.TYPE_CHECKING: + import threading + + from pip._vendor.tenacity import RetryCallState + + +class stop_base(abc.ABC): + """Abstract base class for stop strategies.""" + + @abc.abstractmethod + def __call__(self, retry_state: "RetryCallState") -> bool: + pass + + def __and__(self, other: "stop_base") -> "stop_all": + return stop_all(self, other) + + def __or__(self, other: "stop_base") -> "stop_any": + return stop_any(self, other) + + +class stop_any(stop_base): + """Stop if any of the stop condition is valid.""" + + def __init__(self, *stops: stop_base) -> None: + self.stops = stops + + def __call__(self, retry_state: "RetryCallState") -> bool: + return any(x(retry_state) for x in self.stops) + + +class stop_all(stop_base): + """Stop if all the stop conditions are valid.""" + + def __init__(self, *stops: stop_base) -> None: + self.stops = stops + + def __call__(self, retry_state: "RetryCallState") -> bool: + return all(x(retry_state) for x in self.stops) + + +class _stop_never(stop_base): + """Never stop.""" + + def __call__(self, retry_state: "RetryCallState") -> bool: + return False + + +stop_never = _stop_never() + + +class stop_when_event_set(stop_base): + """Stop when the given event is set.""" + + def __init__(self, event: "threading.Event") -> None: + self.event = event + + def __call__(self, retry_state: "RetryCallState") -> bool: + return self.event.is_set() + + +class stop_after_attempt(stop_base): + """Stop when the previous attempt >= max_attempt.""" + + def __init__(self, max_attempt_number: int) -> None: + self.max_attempt_number = max_attempt_number + + def __call__(self, retry_state: "RetryCallState") -> bool: + return retry_state.attempt_number >= self.max_attempt_number + + +class stop_after_delay(stop_base): + """Stop when the time from the first attempt >= limit.""" + + def __init__(self, max_delay: float) -> None: + self.max_delay = max_delay + + def __call__(self, retry_state: "RetryCallState") -> bool: + return retry_state.seconds_since_start >= self.max_delay diff --git a/venv/Lib/site-packages/pip/_vendor/tenacity/tornadoweb.py b/venv/Lib/site-packages/pip/_vendor/tenacity/tornadoweb.py new file mode 100644 index 0000000..8f7731a --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/tenacity/tornadoweb.py @@ -0,0 +1,59 @@ +# Copyright 2017 Elisey Zanko +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import sys +import typing + +from pip._vendor.tenacity import BaseRetrying +from pip._vendor.tenacity import DoAttempt +from pip._vendor.tenacity import DoSleep +from pip._vendor.tenacity import RetryCallState + +from tornado import gen + +if typing.TYPE_CHECKING: + from tornado.concurrent import Future + +_RetValT = typing.TypeVar("_RetValT") + + +class TornadoRetrying(BaseRetrying): + def __init__(self, sleep: "typing.Callable[[float], Future[None]]" = gen.sleep, **kwargs: typing.Any) -> None: + super().__init__(**kwargs) + self.sleep = sleep + + @gen.coroutine + def __call__( # type: ignore # Change signature from supertype + self, + fn: "typing.Callable[..., typing.Union[typing.Generator[typing.Any, typing.Any, _RetValT], Future[_RetValT]]]", + *args: typing.Any, + **kwargs: typing.Any, + ) -> "typing.Generator[typing.Any, typing.Any, _RetValT]": + self.begin() + + retry_state = RetryCallState(retry_object=self, fn=fn, args=args, kwargs=kwargs) + while True: + do = self.iter(retry_state=retry_state) + if isinstance(do, DoAttempt): + try: + result = yield fn(*args, **kwargs) + except BaseException: # noqa: B902 + retry_state.set_exception(sys.exc_info()) + else: + retry_state.set_result(result) + elif isinstance(do, DoSleep): + retry_state.prepare_for_next_attempt() + yield self.sleep(do) + else: + raise gen.Return(do) diff --git a/venv/Lib/site-packages/pip/_vendor/tenacity/wait.py b/venv/Lib/site-packages/pip/_vendor/tenacity/wait.py new file mode 100644 index 0000000..6ed97a7 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/tenacity/wait.py @@ -0,0 +1,191 @@ +# Copyright 2016–2021 Julien Danjou +# Copyright 2016 Joshua Harlow +# Copyright 2013-2014 Ray Holder +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import abc +import random +import typing + +from pip._vendor.tenacity import _utils + +if typing.TYPE_CHECKING: + from pip._vendor.tenacity import RetryCallState + + +class wait_base(abc.ABC): + """Abstract base class for wait strategies.""" + + @abc.abstractmethod + def __call__(self, retry_state: "RetryCallState") -> float: + pass + + def __add__(self, other: "wait_base") -> "wait_combine": + return wait_combine(self, other) + + def __radd__(self, other: "wait_base") -> typing.Union["wait_combine", "wait_base"]: + # make it possible to use multiple waits with the built-in sum function + if other == 0: + return self + return self.__add__(other) + + +class wait_fixed(wait_base): + """Wait strategy that waits a fixed amount of time between each retry.""" + + def __init__(self, wait: float) -> None: + self.wait_fixed = wait + + def __call__(self, retry_state: "RetryCallState") -> float: + return self.wait_fixed + + +class wait_none(wait_fixed): + """Wait strategy that doesn't wait at all before retrying.""" + + def __init__(self) -> None: + super().__init__(0) + + +class wait_random(wait_base): + """Wait strategy that waits a random amount of time between min/max.""" + + def __init__(self, min: typing.Union[int, float] = 0, max: typing.Union[int, float] = 1) -> None: # noqa + self.wait_random_min = min + self.wait_random_max = max + + def __call__(self, retry_state: "RetryCallState") -> float: + return self.wait_random_min + (random.random() * (self.wait_random_max - self.wait_random_min)) + + +class wait_combine(wait_base): + """Combine several waiting strategies.""" + + def __init__(self, *strategies: wait_base) -> None: + self.wait_funcs = strategies + + def __call__(self, retry_state: "RetryCallState") -> float: + return sum(x(retry_state=retry_state) for x in self.wait_funcs) + + +class wait_chain(wait_base): + """Chain two or more waiting strategies. + + If all strategies are exhausted, the very last strategy is used + thereafter. + + For example:: + + @retry(wait=wait_chain(*[wait_fixed(1) for i in range(3)] + + [wait_fixed(2) for j in range(5)] + + [wait_fixed(5) for k in range(4))) + def wait_chained(): + print("Wait 1s for 3 attempts, 2s for 5 attempts and 5s + thereafter.") + """ + + def __init__(self, *strategies: wait_base) -> None: + self.strategies = strategies + + def __call__(self, retry_state: "RetryCallState") -> float: + wait_func_no = min(max(retry_state.attempt_number, 1), len(self.strategies)) + wait_func = self.strategies[wait_func_no - 1] + return wait_func(retry_state=retry_state) + + +class wait_incrementing(wait_base): + """Wait an incremental amount of time after each attempt. + + Starting at a starting value and incrementing by a value for each attempt + (and restricting the upper limit to some maximum value). + """ + + def __init__( + self, + start: typing.Union[int, float] = 0, + increment: typing.Union[int, float] = 100, + max: typing.Union[int, float] = _utils.MAX_WAIT, # noqa + ) -> None: + self.start = start + self.increment = increment + self.max = max + + def __call__(self, retry_state: "RetryCallState") -> float: + result = self.start + (self.increment * (retry_state.attempt_number - 1)) + return max(0, min(result, self.max)) + + +class wait_exponential(wait_base): + """Wait strategy that applies exponential backoff. + + It allows for a customized multiplier and an ability to restrict the + upper and lower limits to some maximum and minimum value. + + The intervals are fixed (i.e. there is no jitter), so this strategy is + suitable for balancing retries against latency when a required resource is + unavailable for an unknown duration, but *not* suitable for resolving + contention between multiple processes for a shared resource. Use + wait_random_exponential for the latter case. + """ + + def __init__( + self, + multiplier: typing.Union[int, float] = 1, + max: typing.Union[int, float] = _utils.MAX_WAIT, # noqa + exp_base: typing.Union[int, float] = 2, + min: typing.Union[int, float] = 0, # noqa + ) -> None: + self.multiplier = multiplier + self.min = min + self.max = max + self.exp_base = exp_base + + def __call__(self, retry_state: "RetryCallState") -> float: + try: + exp = self.exp_base ** (retry_state.attempt_number - 1) + result = self.multiplier * exp + except OverflowError: + return self.max + return max(max(0, self.min), min(result, self.max)) + + +class wait_random_exponential(wait_exponential): + """Random wait with exponentially widening window. + + An exponential backoff strategy used to mediate contention between multiple + uncoordinated processes for a shared resource in distributed systems. This + is the sense in which "exponential backoff" is meant in e.g. Ethernet + networking, and corresponds to the "Full Jitter" algorithm described in + this blog post: + + https://aws.amazon.com/blogs/architecture/exponential-backoff-and-jitter/ + + Each retry occurs at a random time in a geometrically expanding interval. + It allows for a custom multiplier and an ability to restrict the upper + limit of the random interval to some maximum value. + + Example:: + + wait_random_exponential(multiplier=0.5, # initial window 0.5s + max=60) # max 60s timeout + + When waiting for an unavailable resource to become available again, as + opposed to trying to resolve contention for a shared resource, the + wait_exponential strategy (which uses a fixed interval) may be preferable. + + """ + + def __call__(self, retry_state: "RetryCallState") -> float: + high = super().__call__(retry_state=retry_state) + return random.uniform(0, high) diff --git a/venv/Lib/site-packages/pip/_vendor/tomli/__init__.py b/venv/Lib/site-packages/pip/_vendor/tomli/__init__.py new file mode 100644 index 0000000..1cd8e07 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/tomli/__init__.py @@ -0,0 +1,6 @@ +"""A lil' TOML parser.""" + +__all__ = ("loads", "load", "TOMLDecodeError") +__version__ = "1.0.3" # DO NOT EDIT THIS LINE MANUALLY. LET bump2version UTILITY DO IT + +from pip._vendor.tomli._parser import TOMLDecodeError, load, loads diff --git a/venv/Lib/site-packages/pip/_vendor/tomli/_parser.py b/venv/Lib/site-packages/pip/_vendor/tomli/_parser.py new file mode 100644 index 0000000..730a746 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/tomli/_parser.py @@ -0,0 +1,703 @@ +import string +from types import MappingProxyType +from typing import ( + TYPE_CHECKING, + Any, + Callable, + Dict, + FrozenSet, + Iterable, + Optional, + TextIO, + Tuple, +) + +from pip._vendor.tomli._re import ( + RE_BIN, + RE_DATETIME, + RE_HEX, + RE_LOCALTIME, + RE_NUMBER, + RE_OCT, + match_to_datetime, + match_to_localtime, + match_to_number, +) + +if TYPE_CHECKING: + from re import Pattern + + +ASCII_CTRL = frozenset(chr(i) for i in range(32)) | frozenset(chr(127)) + +# Neither of these sets include quotation mark or backslash. They are +# currently handled as separate cases in the parser functions. +ILLEGAL_BASIC_STR_CHARS = ASCII_CTRL - frozenset("\t") +ILLEGAL_MULTILINE_BASIC_STR_CHARS = ASCII_CTRL - frozenset("\t\n\r") + +ILLEGAL_LITERAL_STR_CHARS = ILLEGAL_BASIC_STR_CHARS +ILLEGAL_MULTILINE_LITERAL_STR_CHARS = ASCII_CTRL - frozenset("\t\n") + +ILLEGAL_COMMENT_CHARS = ILLEGAL_BASIC_STR_CHARS + +TOML_WS = frozenset(" \t") +TOML_WS_AND_NEWLINE = TOML_WS | frozenset("\n") +BARE_KEY_CHARS = frozenset(string.ascii_letters + string.digits + "-_") +KEY_INITIAL_CHARS = BARE_KEY_CHARS | frozenset("\"'") + +BASIC_STR_ESCAPE_REPLACEMENTS = MappingProxyType( + { + "\\b": "\u0008", # backspace + "\\t": "\u0009", # tab + "\\n": "\u000A", # linefeed + "\\f": "\u000C", # form feed + "\\r": "\u000D", # carriage return + '\\"': "\u0022", # quote + "\\\\": "\u005C", # backslash + } +) + +# Type annotations +ParseFloat = Callable[[str], Any] +Key = Tuple[str, ...] +Pos = int + + +class TOMLDecodeError(ValueError): + """An error raised if a document is not valid TOML.""" + + +def load(fp: TextIO, *, parse_float: ParseFloat = float) -> Dict[str, Any]: + """Parse TOML from a file object.""" + s = fp.read() + return loads(s, parse_float=parse_float) + + +def loads(s: str, *, parse_float: ParseFloat = float) -> Dict[str, Any]: # noqa: C901 + """Parse TOML from a string.""" + + # The spec allows converting "\r\n" to "\n", even in string + # literals. Let's do so to simplify parsing. + src = s.replace("\r\n", "\n") + pos = 0 + state = State() + + # Parse one statement at a time + # (typically means one line in TOML source) + while True: + # 1. Skip line leading whitespace + pos = skip_chars(src, pos, TOML_WS) + + # 2. Parse rules. Expect one of the following: + # - end of file + # - end of line + # - comment + # - key/value pair + # - append dict to list (and move to its namespace) + # - create dict (and move to its namespace) + # Skip trailing whitespace when applicable. + try: + char = src[pos] + except IndexError: + break + if char == "\n": + pos += 1 + continue + if char in KEY_INITIAL_CHARS: + pos = key_value_rule(src, pos, state, parse_float) + pos = skip_chars(src, pos, TOML_WS) + elif char == "[": + try: + second_char: Optional[str] = src[pos + 1] + except IndexError: + second_char = None + if second_char == "[": + pos = create_list_rule(src, pos, state) + else: + pos = create_dict_rule(src, pos, state) + pos = skip_chars(src, pos, TOML_WS) + elif char != "#": + raise suffixed_err(src, pos, "Invalid statement") + + # 3. Skip comment + pos = skip_comment(src, pos) + + # 4. Expect end of line or end of file + try: + char = src[pos] + except IndexError: + break + if char != "\n": + raise suffixed_err( + src, pos, "Expected newline or end of document after a statement" + ) + pos += 1 + + return state.out.dict + + +class State: + def __init__(self) -> None: + # Mutable, read-only + self.out = NestedDict() + self.flags = Flags() + + # Immutable, read and write + self.header_namespace: Key = () + + +class Flags: + """Flags that map to parsed keys/namespaces.""" + + # Marks an immutable namespace (inline array or inline table). + FROZEN = 0 + # Marks a nest that has been explicitly created and can no longer + # be opened using the "[table]" syntax. + EXPLICIT_NEST = 1 + + def __init__(self) -> None: + self._flags: Dict[str, dict] = {} + + def unset_all(self, key: Key) -> None: + cont = self._flags + for k in key[:-1]: + if k not in cont: + return + cont = cont[k]["nested"] + cont.pop(key[-1], None) + + def set_for_relative_key(self, head_key: Key, rel_key: Key, flag: int) -> None: + cont = self._flags + for k in head_key: + if k not in cont: + cont[k] = {"flags": set(), "recursive_flags": set(), "nested": {}} + cont = cont[k]["nested"] + for k in rel_key: + if k in cont: + cont[k]["flags"].add(flag) + else: + cont[k] = {"flags": {flag}, "recursive_flags": set(), "nested": {}} + cont = cont[k]["nested"] + + def set(self, key: Key, flag: int, *, recursive: bool) -> None: # noqa: A003 + cont = self._flags + key_parent, key_stem = key[:-1], key[-1] + for k in key_parent: + if k not in cont: + cont[k] = {"flags": set(), "recursive_flags": set(), "nested": {}} + cont = cont[k]["nested"] + if key_stem not in cont: + cont[key_stem] = {"flags": set(), "recursive_flags": set(), "nested": {}} + cont[key_stem]["recursive_flags" if recursive else "flags"].add(flag) + + def is_(self, key: Key, flag: int) -> bool: + if not key: + return False # document root has no flags + cont = self._flags + for k in key[:-1]: + if k not in cont: + return False + inner_cont = cont[k] + if flag in inner_cont["recursive_flags"]: + return True + cont = inner_cont["nested"] + key_stem = key[-1] + if key_stem in cont: + cont = cont[key_stem] + return flag in cont["flags"] or flag in cont["recursive_flags"] + return False + + +class NestedDict: + def __init__(self) -> None: + # The parsed content of the TOML document + self.dict: Dict[str, Any] = {} + + def get_or_create_nest( + self, + key: Key, + *, + access_lists: bool = True, + ) -> dict: + cont: Any = self.dict + for k in key: + if k not in cont: + cont[k] = {} + cont = cont[k] + if access_lists and isinstance(cont, list): + cont = cont[-1] + if not isinstance(cont, dict): + raise KeyError("There is no nest behind this key") + return cont + + def append_nest_to_list(self, key: Key) -> None: + cont = self.get_or_create_nest(key[:-1]) + last_key = key[-1] + if last_key in cont: + list_ = cont[last_key] + if not isinstance(list_, list): + raise KeyError("An object other than list found behind this key") + list_.append({}) + else: + cont[last_key] = [{}] + + +def skip_chars(src: str, pos: Pos, chars: Iterable[str]) -> Pos: + try: + while src[pos] in chars: + pos += 1 + except IndexError: + pass + return pos + + +def skip_until( + src: str, + pos: Pos, + expect: str, + *, + error_on: FrozenSet[str], + error_on_eof: bool, +) -> Pos: + try: + new_pos = src.index(expect, pos) + except ValueError: + new_pos = len(src) + if error_on_eof: + raise suffixed_err(src, new_pos, f'Expected "{expect!r}"') + + bad_chars = error_on.intersection(src[pos:new_pos]) + if bad_chars: + bad_char = next(iter(bad_chars)) + bad_pos = src.index(bad_char, pos) + raise suffixed_err(src, bad_pos, f'Found invalid character "{bad_char!r}"') + return new_pos + + +def skip_comment(src: str, pos: Pos) -> Pos: + try: + char: Optional[str] = src[pos] + except IndexError: + char = None + if char == "#": + return skip_until( + src, pos + 1, "\n", error_on=ILLEGAL_COMMENT_CHARS, error_on_eof=False + ) + return pos + + +def skip_comments_and_array_ws(src: str, pos: Pos) -> Pos: + while True: + pos_before_skip = pos + pos = skip_chars(src, pos, TOML_WS_AND_NEWLINE) + pos = skip_comment(src, pos) + if pos == pos_before_skip: + return pos + + +def create_dict_rule(src: str, pos: Pos, state: State) -> Pos: + pos += 1 # Skip "[" + pos = skip_chars(src, pos, TOML_WS) + pos, key = parse_key(src, pos) + + if state.flags.is_(key, Flags.EXPLICIT_NEST) or state.flags.is_(key, Flags.FROZEN): + raise suffixed_err(src, pos, f"Can not declare {key} twice") + state.flags.set(key, Flags.EXPLICIT_NEST, recursive=False) + try: + state.out.get_or_create_nest(key) + except KeyError: + raise suffixed_err(src, pos, "Can not overwrite a value") + state.header_namespace = key + + if src[pos : pos + 1] != "]": + raise suffixed_err(src, pos, 'Expected "]" at the end of a table declaration') + return pos + 1 + + +def create_list_rule(src: str, pos: Pos, state: State) -> Pos: + pos += 2 # Skip "[[" + pos = skip_chars(src, pos, TOML_WS) + pos, key = parse_key(src, pos) + + if state.flags.is_(key, Flags.FROZEN): + raise suffixed_err(src, pos, f"Can not mutate immutable namespace {key}") + # Free the namespace now that it points to another empty list item... + state.flags.unset_all(key) + # ...but this key precisely is still prohibited from table declaration + state.flags.set(key, Flags.EXPLICIT_NEST, recursive=False) + try: + state.out.append_nest_to_list(key) + except KeyError: + raise suffixed_err(src, pos, "Can not overwrite a value") + state.header_namespace = key + + end_marker = src[pos : pos + 2] + if end_marker != "]]": + raise suffixed_err( + src, + pos, + f'Found "{end_marker!r}" at the end of an array declaration.' + ' Expected "]]"', + ) + return pos + 2 + + +def key_value_rule(src: str, pos: Pos, state: State, parse_float: ParseFloat) -> Pos: + pos, key, value = parse_key_value_pair(src, pos, parse_float) + key_parent, key_stem = key[:-1], key[-1] + abs_key_parent = state.header_namespace + key_parent + + if state.flags.is_(abs_key_parent, Flags.FROZEN): + raise suffixed_err( + src, pos, f"Can not mutate immutable namespace {abs_key_parent}" + ) + # Containers in the relative path can't be opened with the table syntax after this + state.flags.set_for_relative_key(state.header_namespace, key, Flags.EXPLICIT_NEST) + try: + nest = state.out.get_or_create_nest(abs_key_parent) + except KeyError: + raise suffixed_err(src, pos, "Can not overwrite a value") + if key_stem in nest: + raise suffixed_err(src, pos, "Can not overwrite a value") + # Mark inline table and array namespaces recursively immutable + if isinstance(value, (dict, list)): + abs_key = state.header_namespace + key + state.flags.set(abs_key, Flags.FROZEN, recursive=True) + nest[key_stem] = value + return pos + + +def parse_key_value_pair( + src: str, pos: Pos, parse_float: ParseFloat +) -> Tuple[Pos, Key, Any]: + pos, key = parse_key(src, pos) + try: + char: Optional[str] = src[pos] + except IndexError: + char = None + if char != "=": + raise suffixed_err(src, pos, 'Expected "=" after a key in a key/value pair') + pos += 1 + pos = skip_chars(src, pos, TOML_WS) + pos, value = parse_value(src, pos, parse_float) + return pos, key, value + + +def parse_key(src: str, pos: Pos) -> Tuple[Pos, Key]: + pos, key_part = parse_key_part(src, pos) + key = [key_part] + pos = skip_chars(src, pos, TOML_WS) + while True: + try: + char: Optional[str] = src[pos] + except IndexError: + char = None + if char != ".": + return pos, tuple(key) + pos += 1 + pos = skip_chars(src, pos, TOML_WS) + pos, key_part = parse_key_part(src, pos) + key.append(key_part) + pos = skip_chars(src, pos, TOML_WS) + + +def parse_key_part(src: str, pos: Pos) -> Tuple[Pos, str]: + try: + char: Optional[str] = src[pos] + except IndexError: + char = None + if char in BARE_KEY_CHARS: + start_pos = pos + pos = skip_chars(src, pos, BARE_KEY_CHARS) + return pos, src[start_pos:pos] + if char == "'": + return parse_literal_str(src, pos) + if char == '"': + return parse_one_line_basic_str(src, pos) + raise suffixed_err(src, pos, "Invalid initial character for a key part") + + +def parse_one_line_basic_str(src: str, pos: Pos) -> Tuple[Pos, str]: + pos += 1 + return parse_basic_str(src, pos, multiline=False) + + +def parse_array(src: str, pos: Pos, parse_float: ParseFloat) -> Tuple[Pos, list]: + pos += 1 + array: list = [] + + pos = skip_comments_and_array_ws(src, pos) + if src[pos : pos + 1] == "]": + return pos + 1, array + while True: + pos, val = parse_value(src, pos, parse_float) + array.append(val) + pos = skip_comments_and_array_ws(src, pos) + + c = src[pos : pos + 1] + if c == "]": + return pos + 1, array + if c != ",": + raise suffixed_err(src, pos, "Unclosed array") + pos += 1 + + pos = skip_comments_and_array_ws(src, pos) + if src[pos : pos + 1] == "]": + return pos + 1, array + + +def parse_inline_table(src: str, pos: Pos, parse_float: ParseFloat) -> Tuple[Pos, dict]: + pos += 1 + nested_dict = NestedDict() + flags = Flags() + + pos = skip_chars(src, pos, TOML_WS) + if src[pos : pos + 1] == "}": + return pos + 1, nested_dict.dict + while True: + pos, key, value = parse_key_value_pair(src, pos, parse_float) + key_parent, key_stem = key[:-1], key[-1] + if flags.is_(key, Flags.FROZEN): + raise suffixed_err(src, pos, f"Can not mutate immutable namespace {key}") + try: + nest = nested_dict.get_or_create_nest(key_parent, access_lists=False) + except KeyError: + raise suffixed_err(src, pos, "Can not overwrite a value") + if key_stem in nest: + raise suffixed_err(src, pos, f'Duplicate inline table key "{key_stem}"') + nest[key_stem] = value + pos = skip_chars(src, pos, TOML_WS) + c = src[pos : pos + 1] + if c == "}": + return pos + 1, nested_dict.dict + if c != ",": + raise suffixed_err(src, pos, "Unclosed inline table") + if isinstance(value, (dict, list)): + flags.set(key, Flags.FROZEN, recursive=True) + pos += 1 + pos = skip_chars(src, pos, TOML_WS) + + +def parse_basic_str_escape( + src: str, pos: Pos, *, multiline: bool = False +) -> Tuple[Pos, str]: + escape_id = src[pos : pos + 2] + pos += 2 + if multiline and escape_id in {"\\ ", "\\\t", "\\\n"}: + # Skip whitespace until next non-whitespace character or end of + # the doc. Error if non-whitespace is found before newline. + if escape_id != "\\\n": + pos = skip_chars(src, pos, TOML_WS) + char = src[pos : pos + 1] + if not char: + return pos, "" + if char != "\n": + raise suffixed_err(src, pos, 'Unescaped "\\" in a string') + pos += 1 + pos = skip_chars(src, pos, TOML_WS_AND_NEWLINE) + return pos, "" + if escape_id == "\\u": + return parse_hex_char(src, pos, 4) + if escape_id == "\\U": + return parse_hex_char(src, pos, 8) + try: + return pos, BASIC_STR_ESCAPE_REPLACEMENTS[escape_id] + except KeyError: + if len(escape_id) != 2: + raise suffixed_err(src, pos, "Unterminated string") + raise suffixed_err(src, pos, 'Unescaped "\\" in a string') + + +def parse_basic_str_escape_multiline(src: str, pos: Pos) -> Tuple[Pos, str]: + return parse_basic_str_escape(src, pos, multiline=True) + + +def parse_hex_char(src: str, pos: Pos, hex_len: int) -> Tuple[Pos, str]: + hex_str = src[pos : pos + hex_len] + if len(hex_str) != hex_len or any(c not in string.hexdigits for c in hex_str): + raise suffixed_err(src, pos, "Invalid hex value") + pos += hex_len + hex_int = int(hex_str, 16) + if not is_unicode_scalar_value(hex_int): + raise suffixed_err(src, pos, "Escaped character is not a Unicode scalar value") + return pos, chr(hex_int) + + +def parse_literal_str(src: str, pos: Pos) -> Tuple[Pos, str]: + pos += 1 # Skip starting apostrophe + start_pos = pos + pos = skip_until( + src, pos, "'", error_on=ILLEGAL_LITERAL_STR_CHARS, error_on_eof=True + ) + return pos + 1, src[start_pos:pos] # Skip ending apostrophe + + +def parse_multiline_str(src: str, pos: Pos, *, literal: bool) -> Tuple[Pos, str]: + pos += 3 + if src[pos : pos + 1] == "\n": + pos += 1 + + if literal: + delim = "'" + end_pos = skip_until( + src, + pos, + "'''", + error_on=ILLEGAL_MULTILINE_LITERAL_STR_CHARS, + error_on_eof=True, + ) + result = src[pos:end_pos] + pos = end_pos + 3 + else: + delim = '"' + pos, result = parse_basic_str(src, pos, multiline=True) + + # Add at maximum two extra apostrophes/quotes if the end sequence + # is 4 or 5 chars long instead of just 3. + if src[pos : pos + 1] != delim: + return pos, result + pos += 1 + if src[pos : pos + 1] != delim: + return pos, result + delim + pos += 1 + return pos, result + (delim * 2) + + +def parse_basic_str(src: str, pos: Pos, *, multiline: bool) -> Tuple[Pos, str]: + if multiline: + error_on = ILLEGAL_MULTILINE_BASIC_STR_CHARS + parse_escapes = parse_basic_str_escape_multiline + else: + error_on = ILLEGAL_BASIC_STR_CHARS + parse_escapes = parse_basic_str_escape + result = "" + start_pos = pos + while True: + try: + char = src[pos] + except IndexError: + raise suffixed_err(src, pos, "Unterminated string") + if char == '"': + if not multiline: + return pos + 1, result + src[start_pos:pos] + if src[pos + 1 : pos + 3] == '""': + return pos + 3, result + src[start_pos:pos] + pos += 1 + continue + if char == "\\": + result += src[start_pos:pos] + pos, parsed_escape = parse_escapes(src, pos) + result += parsed_escape + start_pos = pos + continue + if char in error_on: + raise suffixed_err(src, pos, f'Illegal character "{char!r}"') + pos += 1 + + +def parse_regex(src: str, pos: Pos, regex: "Pattern") -> Tuple[Pos, str]: + match = regex.match(src, pos) + if not match: + raise suffixed_err(src, pos, "Unexpected sequence") + return match.end(), match.group() + + +def parse_value( # noqa: C901 + src: str, pos: Pos, parse_float: ParseFloat +) -> Tuple[Pos, Any]: + try: + char: Optional[str] = src[pos] + except IndexError: + char = None + + # Basic strings + if char == '"': + if src[pos + 1 : pos + 3] == '""': + return parse_multiline_str(src, pos, literal=False) + return parse_one_line_basic_str(src, pos) + + # Literal strings + if char == "'": + if src[pos + 1 : pos + 3] == "''": + return parse_multiline_str(src, pos, literal=True) + return parse_literal_str(src, pos) + + # Booleans + if char == "t": + if src[pos + 1 : pos + 4] == "rue": + return pos + 4, True + if char == "f": + if src[pos + 1 : pos + 5] == "alse": + return pos + 5, False + + # Dates and times + datetime_match = RE_DATETIME.match(src, pos) + if datetime_match: + try: + datetime_obj = match_to_datetime(datetime_match) + except ValueError: + raise suffixed_err(src, pos, "Invalid date or datetime") + return datetime_match.end(), datetime_obj + localtime_match = RE_LOCALTIME.match(src, pos) + if localtime_match: + return localtime_match.end(), match_to_localtime(localtime_match) + + # Non-decimal integers + if char == "0": + second_char = src[pos + 1 : pos + 2] + if second_char == "x": + pos, hex_str = parse_regex(src, pos + 2, RE_HEX) + return pos, int(hex_str, 16) + if second_char == "o": + pos, oct_str = parse_regex(src, pos + 2, RE_OCT) + return pos, int(oct_str, 8) + if second_char == "b": + pos, bin_str = parse_regex(src, pos + 2, RE_BIN) + return pos, int(bin_str, 2) + + # Decimal integers and "normal" floats. + # The regex will greedily match any type starting with a decimal + # char, so needs to be located after handling of non-decimal ints, + # and dates and times. + number_match = RE_NUMBER.match(src, pos) + if number_match: + return number_match.end(), match_to_number(number_match, parse_float) + + # Arrays + if char == "[": + return parse_array(src, pos, parse_float) + + # Inline tables + if char == "{": + return parse_inline_table(src, pos, parse_float) + + # Special floats + first_three = src[pos : pos + 3] + if first_three in {"inf", "nan"}: + return pos + 3, parse_float(first_three) + first_four = src[pos : pos + 4] + if first_four in {"-inf", "+inf", "-nan", "+nan"}: + return pos + 4, parse_float(first_four) + + raise suffixed_err(src, pos, "Invalid value") + + +def suffixed_err(src: str, pos: Pos, msg: str) -> TOMLDecodeError: + """Return a `TOMLDecodeError` where error message is suffixed with + coordinates in source.""" + + def coord_repr(src: str, pos: Pos) -> str: + if pos >= len(src): + return "end of document" + line = src.count("\n", 0, pos) + 1 + if line == 1: + column = pos + 1 + else: + column = pos - src.rindex("\n", 0, pos) + return f"line {line}, column {column}" + + return TOMLDecodeError(f"{msg} (at {coord_repr(src, pos)})") + + +def is_unicode_scalar_value(codepoint: int) -> bool: + return (0 <= codepoint <= 55295) or (57344 <= codepoint <= 1114111) diff --git a/venv/Lib/site-packages/pip/_vendor/tomli/_re.py b/venv/Lib/site-packages/pip/_vendor/tomli/_re.py new file mode 100644 index 0000000..3883fdd --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/tomli/_re.py @@ -0,0 +1,83 @@ +from datetime import date, datetime, time, timedelta, timezone, tzinfo +import re +from typing import TYPE_CHECKING, Any, Optional, Union + +if TYPE_CHECKING: + from re import Match + + from pip._vendor.tomli._parser import ParseFloat + +# E.g. +# - 00:32:00.999999 +# - 00:32:00 +_TIME_RE_STR = r"([01][0-9]|2[0-3]):([0-5][0-9]):([0-5][0-9])(\.[0-9]+)?" + +RE_HEX = re.compile(r"[0-9A-Fa-f](?:_?[0-9A-Fa-f])*") +RE_BIN = re.compile(r"[01](?:_?[01])*") +RE_OCT = re.compile(r"[0-7](?:_?[0-7])*") +RE_NUMBER = re.compile( + r"[+-]?(?:0|[1-9](?:_?[0-9])*)" # integer + + r"(?:\.[0-9](?:_?[0-9])*)?" # optional fractional part + + r"(?:[eE][+-]?[0-9](?:_?[0-9])*)?" # optional exponent part +) +RE_LOCALTIME = re.compile(_TIME_RE_STR) +RE_DATETIME = re.compile( + r"([0-9]{4})-(0[1-9]|1[0-2])-(0[1-9]|1[0-9]|2[0-9]|3[01])" # date, e.g. 1988-10-27 + + r"(?:" + + r"[T ]" + + _TIME_RE_STR + + r"(?:(Z)|([+-])([01][0-9]|2[0-3]):([0-5][0-9]))?" # time offset + + r")?" +) + + +def match_to_datetime(match: "Match") -> Union[datetime, date]: + """Convert a `RE_DATETIME` match to `datetime.datetime` or `datetime.date`. + + Raises ValueError if the match does not correspond to a valid date + or datetime. + """ + ( + year_str, + month_str, + day_str, + hour_str, + minute_str, + sec_str, + micros_str, + zulu_time, + offset_dir_str, + offset_hour_str, + offset_minute_str, + ) = match.groups() + year, month, day = int(year_str), int(month_str), int(day_str) + if hour_str is None: + return date(year, month, day) + hour, minute, sec = int(hour_str), int(minute_str), int(sec_str) + micros = int(micros_str[1:].ljust(6, "0")[:6]) if micros_str else 0 + if offset_dir_str: + offset_dir = 1 if offset_dir_str == "+" else -1 + tz: Optional[tzinfo] = timezone( + timedelta( + hours=offset_dir * int(offset_hour_str), + minutes=offset_dir * int(offset_minute_str), + ) + ) + elif zulu_time: + tz = timezone.utc + else: # local date-time + tz = None + return datetime(year, month, day, hour, minute, sec, micros, tzinfo=tz) + + +def match_to_localtime(match: "Match") -> time: + hour_str, minute_str, sec_str, micros_str = match.groups() + micros = int(micros_str[1:].ljust(6, "0")[:6]) if micros_str else 0 + return time(int(hour_str), int(minute_str), int(sec_str), micros) + + +def match_to_number(match: "Match", parse_float: "ParseFloat") -> Any: + match_str = match.group() + if "." in match_str or "e" in match_str or "E" in match_str: + return parse_float(match_str) + return int(match_str) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/__init__.py b/venv/Lib/site-packages/pip/_vendor/urllib3/__init__.py similarity index 60% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/__init__.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/__init__.py index 148a9c3..fe86b59 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/__init__.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/__init__.py @@ -1,49 +1,43 @@ """ -urllib3 - Thread-safe connection pooling and re-using. +Python HTTP library with thread-safe connection pooling, file post support, user friendly, and more """ - from __future__ import absolute_import -import warnings -from .connectionpool import ( - HTTPConnectionPool, - HTTPSConnectionPool, - connection_from_url -) +# Set default logging handler to avoid "No handler found" warnings. +import logging +import warnings +from logging import NullHandler from . import exceptions +from ._version import __version__ +from .connectionpool import HTTPConnectionPool, HTTPSConnectionPool, connection_from_url from .filepost import encode_multipart_formdata from .poolmanager import PoolManager, ProxyManager, proxy_from_url from .response import HTTPResponse from .util.request import make_headers -from .util.url import get_host -from .util.timeout import Timeout from .util.retry import Retry +from .util.timeout import Timeout +from .util.url import get_host - -# Set default logging handler to avoid "No handler found" warnings. -import logging -from logging import NullHandler - -__author__ = 'Andrey Petrov (andrey.petrov@shazow.net)' -__license__ = 'MIT' -__version__ = '1.24.1' +__author__ = "Andrey Petrov (andrey.petrov@shazow.net)" +__license__ = "MIT" +__version__ = __version__ __all__ = ( - 'HTTPConnectionPool', - 'HTTPSConnectionPool', - 'PoolManager', - 'ProxyManager', - 'HTTPResponse', - 'Retry', - 'Timeout', - 'add_stderr_logger', - 'connection_from_url', - 'disable_warnings', - 'encode_multipart_formdata', - 'get_host', - 'make_headers', - 'proxy_from_url', + "HTTPConnectionPool", + "HTTPSConnectionPool", + "PoolManager", + "ProxyManager", + "HTTPResponse", + "Retry", + "Timeout", + "add_stderr_logger", + "connection_from_url", + "disable_warnings", + "encode_multipart_formdata", + "get_host", + "make_headers", + "proxy_from_url", ) logging.getLogger(__name__).addHandler(NullHandler()) @@ -60,10 +54,10 @@ def add_stderr_logger(level=logging.DEBUG): # even if urllib3 is vendored within another package. logger = logging.getLogger(__name__) handler = logging.StreamHandler() - handler.setFormatter(logging.Formatter('%(asctime)s %(levelname)s %(message)s')) + handler.setFormatter(logging.Formatter("%(asctime)s %(levelname)s %(message)s")) logger.addHandler(handler) logger.setLevel(level) - logger.debug('Added a stderr logging handler to logger: %s', __name__) + logger.debug("Added a stderr logging handler to logger: %s", __name__) return handler @@ -75,18 +69,17 @@ def add_stderr_logger(level=logging.DEBUG): # shouldn't be: otherwise, it's very hard for users to use most Python # mechanisms to silence them. # SecurityWarning's always go off by default. -warnings.simplefilter('always', exceptions.SecurityWarning, append=True) +warnings.simplefilter("always", exceptions.SecurityWarning, append=True) # SubjectAltNameWarning's should go off once per host -warnings.simplefilter('default', exceptions.SubjectAltNameWarning, append=True) +warnings.simplefilter("default", exceptions.SubjectAltNameWarning, append=True) # InsecurePlatformWarning's don't vary between requests, so we keep it default. -warnings.simplefilter('default', exceptions.InsecurePlatformWarning, - append=True) +warnings.simplefilter("default", exceptions.InsecurePlatformWarning, append=True) # SNIMissingWarnings should go off only once. -warnings.simplefilter('default', exceptions.SNIMissingWarning, append=True) +warnings.simplefilter("default", exceptions.SNIMissingWarning, append=True) def disable_warnings(category=exceptions.HTTPWarning): """ Helper for quickly disabling all urllib3 warnings. """ - warnings.simplefilter('ignore', category) + warnings.simplefilter("ignore", category) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/_collections.py b/venv/Lib/site-packages/pip/_vendor/urllib3/_collections.py similarity index 90% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/_collections.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/_collections.py index 34f2381..da9857e 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/_collections.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/_collections.py @@ -1,4 +1,5 @@ from __future__ import absolute_import + try: from collections.abc import Mapping, MutableMapping except ImportError: @@ -6,6 +7,7 @@ try: from threading import RLock except ImportError: # Platform-specific: No threads available + class RLock: def __enter__(self): pass @@ -15,11 +17,12 @@ def __exit__(self, exc_type, exc_value, traceback): from collections import OrderedDict -from .exceptions import InvalidHeader -from .packages.six import iterkeys, itervalues, PY3 +from .exceptions import InvalidHeader +from .packages import six +from .packages.six import iterkeys, itervalues -__all__ = ['RecentlyUsedContainer', 'HTTPHeaderDict'] +__all__ = ["RecentlyUsedContainer", "HTTPHeaderDict"] _Null = object() @@ -82,7 +85,9 @@ def __len__(self): return len(self._container) def __iter__(self): - raise NotImplementedError('Iteration over this class is unlikely to be threadsafe.') + raise NotImplementedError( + "Iteration over this class is unlikely to be threadsafe." + ) def clear(self): with self.lock: @@ -150,7 +155,7 @@ def __setitem__(self, key, val): def __getitem__(self, key): val = self._container[key.lower()] - return ', '.join(val[1:]) + return ", ".join(val[1:]) def __delitem__(self, key): del self._container[key.lower()] @@ -159,17 +164,18 @@ def __contains__(self, key): return key.lower() in self._container def __eq__(self, other): - if not isinstance(other, Mapping) and not hasattr(other, 'keys'): + if not isinstance(other, Mapping) and not hasattr(other, "keys"): return False if not isinstance(other, type(self)): other = type(self)(other) - return (dict((k.lower(), v) for k, v in self.itermerged()) == - dict((k.lower(), v) for k, v in other.itermerged())) + return dict((k.lower(), v) for k, v in self.itermerged()) == dict( + (k.lower(), v) for k, v in other.itermerged() + ) def __ne__(self, other): return not self.__eq__(other) - if not PY3: # Python 2 + if six.PY2: # Python 2 iterkeys = MutableMapping.iterkeys itervalues = MutableMapping.itervalues @@ -184,9 +190,9 @@ def __iter__(self): yield vals[0] def pop(self, key, default=__marker): - '''D.pop(k[,d]) -> v, remove specified key and return the corresponding value. - If key is not found, d is returned if given, otherwise KeyError is raised. - ''' + """D.pop(k[,d]) -> v, remove specified key and return the corresponding value. + If key is not found, d is returned if given, otherwise KeyError is raised. + """ # Using the MutableMapping function directly fails due to the private marker. # Using ordinary dict.pop would expose the internal structures. # So let's reinvent the wheel. @@ -228,8 +234,10 @@ def extend(self, *args, **kwargs): with self.add instead of self.__setitem__ """ if len(args) > 1: - raise TypeError("extend() takes at most 1 positional " - "arguments ({0} given)".format(len(args))) + raise TypeError( + "extend() takes at most 1 positional " + "arguments ({0} given)".format(len(args)) + ) other = args[0] if len(args) >= 1 else () if isinstance(other, HTTPHeaderDict): @@ -295,7 +303,7 @@ def itermerged(self): """Iterate over all headers, merging duplicate ones together.""" for key in self: val = self._container[key.lower()] - yield val[0], ', '.join(val[1:]) + yield val[0], ", ".join(val[1:]) def items(self): return list(self.iteritems()) @@ -306,7 +314,7 @@ def from_httplib(cls, message): # Python 2 # python2.7 does not expose a proper API for exporting multiheaders # efficiently. This function re-reads raw lines from the message # object and extracts the multiheaders properly. - obs_fold_continued_leaders = (' ', '\t') + obs_fold_continued_leaders = (" ", "\t") headers = [] for line in message.headers: @@ -316,14 +324,14 @@ def from_httplib(cls, message): # Python 2 # in RFC-7230 S3.2.4. This indicates a multiline header, but # there exists no previous header to which we can attach it. raise InvalidHeader( - 'Header continuation with no previous header: %s' % line + "Header continuation with no previous header: %s" % line ) else: key, value = headers[-1] - headers[-1] = (key, value + ' ' + line.strip()) + headers[-1] = (key, value + " " + line.strip()) continue - key, value = line.split(':', 1) + key, value = line.split(":", 1) headers.append((key, value.strip())) return cls(headers) diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/_version.py b/venv/Lib/site-packages/pip/_vendor/urllib3/_version.py new file mode 100644 index 0000000..5141d98 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/_version.py @@ -0,0 +1,2 @@ +# This file is protected via CODEOWNERS +__version__ = "1.26.7" diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/connection.py b/venv/Lib/site-packages/pip/_vendor/urllib3/connection.py new file mode 100644 index 0000000..60f70f7 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/connection.py @@ -0,0 +1,569 @@ +from __future__ import absolute_import + +import datetime +import logging +import os +import re +import socket +import warnings +from socket import error as SocketError +from socket import timeout as SocketTimeout + +from .packages import six +from .packages.six.moves.http_client import HTTPConnection as _HTTPConnection +from .packages.six.moves.http_client import HTTPException # noqa: F401 +from .util.proxy import create_proxy_ssl_context + +try: # Compiled with SSL? + import ssl + + BaseSSLError = ssl.SSLError +except (ImportError, AttributeError): # Platform-specific: No SSL. + ssl = None + + class BaseSSLError(BaseException): + pass + + +try: + # Python 3: not a no-op, we're adding this to the namespace so it can be imported. + ConnectionError = ConnectionError +except NameError: + # Python 2 + class ConnectionError(Exception): + pass + + +try: # Python 3: + # Not a no-op, we're adding this to the namespace so it can be imported. + BrokenPipeError = BrokenPipeError +except NameError: # Python 2: + + class BrokenPipeError(Exception): + pass + + +from ._collections import HTTPHeaderDict # noqa (historical, removed in v2) +from ._version import __version__ +from .exceptions import ( + ConnectTimeoutError, + NewConnectionError, + SubjectAltNameWarning, + SystemTimeWarning, +) +from .packages.ssl_match_hostname import CertificateError, match_hostname +from .util import SKIP_HEADER, SKIPPABLE_HEADERS, connection +from .util.ssl_ import ( + assert_fingerprint, + create_urllib3_context, + is_ipaddress, + resolve_cert_reqs, + resolve_ssl_version, + ssl_wrap_socket, +) + +log = logging.getLogger(__name__) + +port_by_scheme = {"http": 80, "https": 443} + +# When it comes time to update this value as a part of regular maintenance +# (ie test_recent_date is failing) update it to ~6 months before the current date. +RECENT_DATE = datetime.date(2020, 7, 1) + +_CONTAINS_CONTROL_CHAR_RE = re.compile(r"[^-!#$%&'*+.^_`|~0-9a-zA-Z]") + + +class HTTPConnection(_HTTPConnection, object): + """ + Based on :class:`http.client.HTTPConnection` but provides an extra constructor + backwards-compatibility layer between older and newer Pythons. + + Additional keyword parameters are used to configure attributes of the connection. + Accepted parameters include: + + - ``strict``: See the documentation on :class:`urllib3.connectionpool.HTTPConnectionPool` + - ``source_address``: Set the source address for the current connection. + - ``socket_options``: Set specific options on the underlying socket. If not specified, then + defaults are loaded from ``HTTPConnection.default_socket_options`` which includes disabling + Nagle's algorithm (sets TCP_NODELAY to 1) unless the connection is behind a proxy. + + For example, if you wish to enable TCP Keep Alive in addition to the defaults, + you might pass: + + .. code-block:: python + + HTTPConnection.default_socket_options + [ + (socket.SOL_SOCKET, socket.SO_KEEPALIVE, 1), + ] + + Or you may want to disable the defaults by passing an empty list (e.g., ``[]``). + """ + + default_port = port_by_scheme["http"] + + #: Disable Nagle's algorithm by default. + #: ``[(socket.IPPROTO_TCP, socket.TCP_NODELAY, 1)]`` + default_socket_options = [(socket.IPPROTO_TCP, socket.TCP_NODELAY, 1)] + + #: Whether this connection verifies the host's certificate. + is_verified = False + + #: Whether this proxy connection (if used) verifies the proxy host's + #: certificate. + proxy_is_verified = None + + def __init__(self, *args, **kw): + if not six.PY2: + kw.pop("strict", None) + + # Pre-set source_address. + self.source_address = kw.get("source_address") + + #: The socket options provided by the user. If no options are + #: provided, we use the default options. + self.socket_options = kw.pop("socket_options", self.default_socket_options) + + # Proxy options provided by the user. + self.proxy = kw.pop("proxy", None) + self.proxy_config = kw.pop("proxy_config", None) + + _HTTPConnection.__init__(self, *args, **kw) + + @property + def host(self): + """ + Getter method to remove any trailing dots that indicate the hostname is an FQDN. + + In general, SSL certificates don't include the trailing dot indicating a + fully-qualified domain name, and thus, they don't validate properly when + checked against a domain name that includes the dot. In addition, some + servers may not expect to receive the trailing dot when provided. + + However, the hostname with trailing dot is critical to DNS resolution; doing a + lookup with the trailing dot will properly only resolve the appropriate FQDN, + whereas a lookup without a trailing dot will search the system's search domain + list. Thus, it's important to keep the original host around for use only in + those cases where it's appropriate (i.e., when doing DNS lookup to establish the + actual TCP connection across which we're going to send HTTP requests). + """ + return self._dns_host.rstrip(".") + + @host.setter + def host(self, value): + """ + Setter for the `host` property. + + We assume that only urllib3 uses the _dns_host attribute; httplib itself + only uses `host`, and it seems reasonable that other libraries follow suit. + """ + self._dns_host = value + + def _new_conn(self): + """Establish a socket connection and set nodelay settings on it. + + :return: New socket connection. + """ + extra_kw = {} + if self.source_address: + extra_kw["source_address"] = self.source_address + + if self.socket_options: + extra_kw["socket_options"] = self.socket_options + + try: + conn = connection.create_connection( + (self._dns_host, self.port), self.timeout, **extra_kw + ) + + except SocketTimeout: + raise ConnectTimeoutError( + self, + "Connection to %s timed out. (connect timeout=%s)" + % (self.host, self.timeout), + ) + + except SocketError as e: + raise NewConnectionError( + self, "Failed to establish a new connection: %s" % e + ) + + return conn + + def _is_using_tunnel(self): + # Google App Engine's httplib does not define _tunnel_host + return getattr(self, "_tunnel_host", None) + + def _prepare_conn(self, conn): + self.sock = conn + if self._is_using_tunnel(): + # TODO: Fix tunnel so it doesn't depend on self.sock state. + self._tunnel() + # Mark this connection as not reusable + self.auto_open = 0 + + def connect(self): + conn = self._new_conn() + self._prepare_conn(conn) + + def putrequest(self, method, url, *args, **kwargs): + """ """ + # Empty docstring because the indentation of CPython's implementation + # is broken but we don't want this method in our documentation. + match = _CONTAINS_CONTROL_CHAR_RE.search(method) + if match: + raise ValueError( + "Method cannot contain non-token characters %r (found at least %r)" + % (method, match.group()) + ) + + return _HTTPConnection.putrequest(self, method, url, *args, **kwargs) + + def putheader(self, header, *values): + """ """ + if not any(isinstance(v, str) and v == SKIP_HEADER for v in values): + _HTTPConnection.putheader(self, header, *values) + elif six.ensure_str(header.lower()) not in SKIPPABLE_HEADERS: + raise ValueError( + "urllib3.util.SKIP_HEADER only supports '%s'" + % ("', '".join(map(str.title, sorted(SKIPPABLE_HEADERS))),) + ) + + def request(self, method, url, body=None, headers=None): + if headers is None: + headers = {} + else: + # Avoid modifying the headers passed into .request() + headers = headers.copy() + if "user-agent" not in (six.ensure_str(k.lower()) for k in headers): + headers["User-Agent"] = _get_default_user_agent() + super(HTTPConnection, self).request(method, url, body=body, headers=headers) + + def request_chunked(self, method, url, body=None, headers=None): + """ + Alternative to the common request method, which sends the + body with chunked encoding and not as one block + """ + headers = headers or {} + header_keys = set([six.ensure_str(k.lower()) for k in headers]) + skip_accept_encoding = "accept-encoding" in header_keys + skip_host = "host" in header_keys + self.putrequest( + method, url, skip_accept_encoding=skip_accept_encoding, skip_host=skip_host + ) + if "user-agent" not in header_keys: + self.putheader("User-Agent", _get_default_user_agent()) + for header, value in headers.items(): + self.putheader(header, value) + if "transfer-encoding" not in header_keys: + self.putheader("Transfer-Encoding", "chunked") + self.endheaders() + + if body is not None: + stringish_types = six.string_types + (bytes,) + if isinstance(body, stringish_types): + body = (body,) + for chunk in body: + if not chunk: + continue + if not isinstance(chunk, bytes): + chunk = chunk.encode("utf8") + len_str = hex(len(chunk))[2:] + to_send = bytearray(len_str.encode()) + to_send += b"\r\n" + to_send += chunk + to_send += b"\r\n" + self.send(to_send) + + # After the if clause, to always have a closed body + self.send(b"0\r\n\r\n") + + +class HTTPSConnection(HTTPConnection): + """ + Many of the parameters to this constructor are passed to the underlying SSL + socket by means of :py:func:`urllib3.util.ssl_wrap_socket`. + """ + + default_port = port_by_scheme["https"] + + cert_reqs = None + ca_certs = None + ca_cert_dir = None + ca_cert_data = None + ssl_version = None + assert_fingerprint = None + tls_in_tls_required = False + + def __init__( + self, + host, + port=None, + key_file=None, + cert_file=None, + key_password=None, + strict=None, + timeout=socket._GLOBAL_DEFAULT_TIMEOUT, + ssl_context=None, + server_hostname=None, + **kw + ): + + HTTPConnection.__init__(self, host, port, strict=strict, timeout=timeout, **kw) + + self.key_file = key_file + self.cert_file = cert_file + self.key_password = key_password + self.ssl_context = ssl_context + self.server_hostname = server_hostname + + # Required property for Google AppEngine 1.9.0 which otherwise causes + # HTTPS requests to go out as HTTP. (See Issue #356) + self._protocol = "https" + + def set_cert( + self, + key_file=None, + cert_file=None, + cert_reqs=None, + key_password=None, + ca_certs=None, + assert_hostname=None, + assert_fingerprint=None, + ca_cert_dir=None, + ca_cert_data=None, + ): + """ + This method should only be called once, before the connection is used. + """ + # If cert_reqs is not provided we'll assume CERT_REQUIRED unless we also + # have an SSLContext object in which case we'll use its verify_mode. + if cert_reqs is None: + if self.ssl_context is not None: + cert_reqs = self.ssl_context.verify_mode + else: + cert_reqs = resolve_cert_reqs(None) + + self.key_file = key_file + self.cert_file = cert_file + self.cert_reqs = cert_reqs + self.key_password = key_password + self.assert_hostname = assert_hostname + self.assert_fingerprint = assert_fingerprint + self.ca_certs = ca_certs and os.path.expanduser(ca_certs) + self.ca_cert_dir = ca_cert_dir and os.path.expanduser(ca_cert_dir) + self.ca_cert_data = ca_cert_data + + def connect(self): + # Add certificate verification + conn = self._new_conn() + hostname = self.host + tls_in_tls = False + + if self._is_using_tunnel(): + if self.tls_in_tls_required: + conn = self._connect_tls_proxy(hostname, conn) + tls_in_tls = True + + self.sock = conn + + # Calls self._set_hostport(), so self.host is + # self._tunnel_host below. + self._tunnel() + # Mark this connection as not reusable + self.auto_open = 0 + + # Override the host with the one we're requesting data from. + hostname = self._tunnel_host + + server_hostname = hostname + if self.server_hostname is not None: + server_hostname = self.server_hostname + + is_time_off = datetime.date.today() < RECENT_DATE + if is_time_off: + warnings.warn( + ( + "System time is way off (before {0}). This will probably " + "lead to SSL verification errors" + ).format(RECENT_DATE), + SystemTimeWarning, + ) + + # Wrap socket using verification with the root certs in + # trusted_root_certs + default_ssl_context = False + if self.ssl_context is None: + default_ssl_context = True + self.ssl_context = create_urllib3_context( + ssl_version=resolve_ssl_version(self.ssl_version), + cert_reqs=resolve_cert_reqs(self.cert_reqs), + ) + + context = self.ssl_context + context.verify_mode = resolve_cert_reqs(self.cert_reqs) + + # Try to load OS default certs if none are given. + # Works well on Windows (requires Python3.4+) + if ( + not self.ca_certs + and not self.ca_cert_dir + and not self.ca_cert_data + and default_ssl_context + and hasattr(context, "load_default_certs") + ): + context.load_default_certs() + + self.sock = ssl_wrap_socket( + sock=conn, + keyfile=self.key_file, + certfile=self.cert_file, + key_password=self.key_password, + ca_certs=self.ca_certs, + ca_cert_dir=self.ca_cert_dir, + ca_cert_data=self.ca_cert_data, + server_hostname=server_hostname, + ssl_context=context, + tls_in_tls=tls_in_tls, + ) + + # If we're using all defaults and the connection + # is TLSv1 or TLSv1.1 we throw a DeprecationWarning + # for the host. + if ( + default_ssl_context + and self.ssl_version is None + and hasattr(self.sock, "version") + and self.sock.version() in {"TLSv1", "TLSv1.1"} + ): + warnings.warn( + "Negotiating TLSv1/TLSv1.1 by default is deprecated " + "and will be disabled in urllib3 v2.0.0. Connecting to " + "'%s' with '%s' can be enabled by explicitly opting-in " + "with 'ssl_version'" % (self.host, self.sock.version()), + DeprecationWarning, + ) + + if self.assert_fingerprint: + assert_fingerprint( + self.sock.getpeercert(binary_form=True), self.assert_fingerprint + ) + elif ( + context.verify_mode != ssl.CERT_NONE + and not getattr(context, "check_hostname", False) + and self.assert_hostname is not False + ): + # While urllib3 attempts to always turn off hostname matching from + # the TLS library, this cannot always be done. So we check whether + # the TLS Library still thinks it's matching hostnames. + cert = self.sock.getpeercert() + if not cert.get("subjectAltName", ()): + warnings.warn( + ( + "Certificate for {0} has no `subjectAltName`, falling back to check for a " + "`commonName` for now. This feature is being removed by major browsers and " + "deprecated by RFC 2818. (See https://github.com/urllib3/urllib3/issues/497 " + "for details.)".format(hostname) + ), + SubjectAltNameWarning, + ) + _match_hostname(cert, self.assert_hostname or server_hostname) + + self.is_verified = ( + context.verify_mode == ssl.CERT_REQUIRED + or self.assert_fingerprint is not None + ) + + def _connect_tls_proxy(self, hostname, conn): + """ + Establish a TLS connection to the proxy using the provided SSL context. + """ + proxy_config = self.proxy_config + ssl_context = proxy_config.ssl_context + if ssl_context: + # If the user provided a proxy context, we assume CA and client + # certificates have already been set + return ssl_wrap_socket( + sock=conn, + server_hostname=hostname, + ssl_context=ssl_context, + ) + + ssl_context = create_proxy_ssl_context( + self.ssl_version, + self.cert_reqs, + self.ca_certs, + self.ca_cert_dir, + self.ca_cert_data, + ) + + # If no cert was provided, use only the default options for server + # certificate validation + socket = ssl_wrap_socket( + sock=conn, + ca_certs=self.ca_certs, + ca_cert_dir=self.ca_cert_dir, + ca_cert_data=self.ca_cert_data, + server_hostname=hostname, + ssl_context=ssl_context, + ) + + if ssl_context.verify_mode != ssl.CERT_NONE and not getattr( + ssl_context, "check_hostname", False + ): + # While urllib3 attempts to always turn off hostname matching from + # the TLS library, this cannot always be done. So we check whether + # the TLS Library still thinks it's matching hostnames. + cert = socket.getpeercert() + if not cert.get("subjectAltName", ()): + warnings.warn( + ( + "Certificate for {0} has no `subjectAltName`, falling back to check for a " + "`commonName` for now. This feature is being removed by major browsers and " + "deprecated by RFC 2818. (See https://github.com/urllib3/urllib3/issues/497 " + "for details.)".format(hostname) + ), + SubjectAltNameWarning, + ) + _match_hostname(cert, hostname) + + self.proxy_is_verified = ssl_context.verify_mode == ssl.CERT_REQUIRED + return socket + + +def _match_hostname(cert, asserted_hostname): + # Our upstream implementation of ssl.match_hostname() + # only applies this normalization to IP addresses so it doesn't + # match DNS SANs so we do the same thing! + stripped_hostname = asserted_hostname.strip("u[]") + if is_ipaddress(stripped_hostname): + asserted_hostname = stripped_hostname + + try: + match_hostname(cert, asserted_hostname) + except CertificateError as e: + log.warning( + "Certificate did not match expected hostname: %s. Certificate: %s", + asserted_hostname, + cert, + ) + # Add cert to exception and reraise so client code can inspect + # the cert when catching the exception, if they want to + e._peer_cert = cert + raise + + +def _get_default_user_agent(): + return "python-urllib3/%s" % __version__ + + +class DummyConnection(object): + """Used to detect a failed ConnectionCls import.""" + + pass + + +if not ssl: + HTTPSConnection = DummyConnection # noqa: F811 + + +VerifiedHTTPSConnection = HTTPSConnection diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connectionpool.py b/venv/Lib/site-packages/pip/_vendor/urllib3/connectionpool.py similarity index 65% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connectionpool.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/connectionpool.py index f7a8f19..8dccf4b 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/connectionpool.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/connectionpool.py @@ -1,48 +1,53 @@ from __future__ import absolute_import + import errno import logging +import socket import sys import warnings +from socket import error as SocketError +from socket import timeout as SocketTimeout -from socket import error as SocketError, timeout as SocketTimeout -import socket - - +from .connection import ( + BaseSSLError, + BrokenPipeError, + DummyConnection, + HTTPConnection, + HTTPException, + HTTPSConnection, + VerifiedHTTPSConnection, + port_by_scheme, +) from .exceptions import ( ClosedPoolError, - ProtocolError, EmptyPoolError, HeaderParsingError, HostChangedError, + InsecureRequestWarning, LocationValueError, MaxRetryError, + NewConnectionError, + ProtocolError, ProxyError, ReadTimeoutError, SSLError, TimeoutError, - InsecureRequestWarning, - NewConnectionError, ) -from .packages.ssl_match_hostname import CertificateError from .packages import six from .packages.six.moves import queue -from .connection import ( - port_by_scheme, - DummyConnection, - HTTPConnection, HTTPSConnection, VerifiedHTTPSConnection, - HTTPException, BaseSSLError, -) +from .packages.ssl_match_hostname import CertificateError from .request import RequestMethods from .response import HTTPResponse - from .util.connection import is_connection_dropped +from .util.proxy import connection_requires_http_tunnel +from .util.queue import LifoQueue from .util.request import set_file_position from .util.response import assert_header_parsing from .util.retry import Retry from .util.timeout import Timeout -from .util.url import get_host, Url, NORMALIZABLE_SCHEMES -from .util.queue import LifoQueue - +from .util.url import Url, _encode_target +from .util.url import _normalize_host as normalize_host +from .util.url import get_host, parse_url xrange = six.moves.xrange @@ -56,6 +61,11 @@ class ConnectionPool(object): """ Base class for all connection pools, such as :class:`.HTTPConnectionPool` and :class:`.HTTPSConnectionPool`. + + .. note:: + ConnectionPool.urlopen() does not normalize or percent-encode target URIs + which is useful if your target server doesn't support percent-encoded + target URIs. """ scheme = None @@ -65,13 +75,12 @@ def __init__(self, host, port=None): if not host: raise LocationValueError("No host specified.") - self.host = _ipv6_host(host, self.scheme) + self.host = _normalize_host(host, scheme=self.scheme) self._proxy_host = host.lower() self.port = port def __str__(self): - return '%s(host=%r, port=%r)' % (type(self).__name__, - self.host, self.port) + return "%s(host=%r, port=%r)" % (type(self).__name__, self.host, self.port) def __enter__(self): return self @@ -98,16 +107,16 @@ class HTTPConnectionPool(ConnectionPool, RequestMethods): :param host: Host used for this HTTP Connection (e.g. "localhost"), passed into - :class:`httplib.HTTPConnection`. + :class:`http.client.HTTPConnection`. :param port: Port used for this HTTP Connection (None is equivalent to 80), passed - into :class:`httplib.HTTPConnection`. + into :class:`http.client.HTTPConnection`. :param strict: Causes BadStatusLine to be raised if the status line can't be parsed as a valid HTTP/1.0 or 1.1 status line, passed into - :class:`httplib.HTTPConnection`. + :class:`http.client.HTTPConnection`. .. note:: Only works in Python 2. This parameter is ignored in Python 3. @@ -141,26 +150,36 @@ class HTTPConnectionPool(ConnectionPool, RequestMethods): :param _proxy: Parsed proxy URL, should not be used directly, instead, see - :class:`urllib3.connectionpool.ProxyManager`" + :class:`urllib3.ProxyManager` :param _proxy_headers: A dictionary with proxy headers, should not be used directly, - instead, see :class:`urllib3.connectionpool.ProxyManager`" + instead, see :class:`urllib3.ProxyManager` :param \\**conn_kw: Additional parameters are used to create fresh :class:`urllib3.connection.HTTPConnection`, :class:`urllib3.connection.HTTPSConnection` instances. """ - scheme = 'http' + scheme = "http" ConnectionCls = HTTPConnection ResponseCls = HTTPResponse - def __init__(self, host, port=None, strict=False, - timeout=Timeout.DEFAULT_TIMEOUT, maxsize=1, block=False, - headers=None, retries=None, - _proxy=None, _proxy_headers=None, - **conn_kw): + def __init__( + self, + host, + port=None, + strict=False, + timeout=Timeout.DEFAULT_TIMEOUT, + maxsize=1, + block=False, + headers=None, + retries=None, + _proxy=None, + _proxy_headers=None, + _proxy_config=None, + **conn_kw + ): ConnectionPool.__init__(self, host, port) RequestMethods.__init__(self, headers) @@ -180,6 +199,7 @@ def __init__(self, host, port=None, strict=False, self.proxy = _proxy self.proxy_headers = _proxy_headers or {} + self.proxy_config = _proxy_config # Fill the queue up so that doing get() on it will block properly for _ in xrange(maxsize): @@ -194,19 +214,30 @@ def __init__(self, host, port=None, strict=False, # Enable Nagle's algorithm for proxies, to avoid packet fragmentation. # We cannot know if the user has added default socket options, so we cannot replace the # list. - self.conn_kw.setdefault('socket_options', []) + self.conn_kw.setdefault("socket_options", []) + + self.conn_kw["proxy"] = self.proxy + self.conn_kw["proxy_config"] = self.proxy_config def _new_conn(self): """ Return a fresh :class:`HTTPConnection`. """ self.num_connections += 1 - log.debug("Starting new HTTP connection (%d): %s:%s", - self.num_connections, self.host, self.port or "80") - - conn = self.ConnectionCls(host=self.host, port=self.port, - timeout=self.timeout.connect_timeout, - strict=self.strict, **self.conn_kw) + log.debug( + "Starting new HTTP connection (%d): %s:%s", + self.num_connections, + self.host, + self.port or "80", + ) + + conn = self.ConnectionCls( + host=self.host, + port=self.port, + timeout=self.timeout.connect_timeout, + strict=self.strict, + **self.conn_kw + ) return conn def _get_conn(self, timeout=None): @@ -230,18 +261,19 @@ def _get_conn(self, timeout=None): except queue.Empty: if self.block: - raise EmptyPoolError(self, - "Pool reached maximum size and no more " - "connections are allowed.") + raise EmptyPoolError( + self, + "Pool reached maximum size and no more connections are allowed.", + ) pass # Oh well, we'll create a new connection then # If this is a persistent connection, check if it got disconnected if conn and is_connection_dropped(conn): log.debug("Resetting dropped connection: %s", self.host) conn.close() - if getattr(conn, 'auto_open', 1) == 0: + if getattr(conn, "auto_open", 1) == 0: # This is a proxied connection that has been mutated by - # httplib._tunnel() and cannot be reused (since it would + # http.client._tunnel() and cannot be reused (since it would # attempt to bypass the proxy) conn = None @@ -269,9 +301,7 @@ def _put_conn(self, conn): pass except queue.Full: # This should never happen if self.block == True - log.warning( - "Connection pool is full, discarding connection: %s", - self.host) + log.warning("Connection pool is full, discarding connection: %s", self.host) # Connection never got put back into the pool, close it. if conn: @@ -288,7 +318,7 @@ def _prepare_proxy(self, conn): pass def _get_timeout(self, timeout): - """ Helper that always returns a :class:`urllib3.util.Timeout` """ + """Helper that always returns a :class:`urllib3.util.Timeout`""" if timeout is _Default: return self.timeout.clone() @@ -303,21 +333,30 @@ def _raise_timeout(self, err, url, timeout_value): """Is the error actually a timeout? Will raise a ReadTimeout or pass""" if isinstance(err, SocketTimeout): - raise ReadTimeoutError(self, url, "Read timed out. (read timeout=%s)" % timeout_value) + raise ReadTimeoutError( + self, url, "Read timed out. (read timeout=%s)" % timeout_value + ) # See the above comment about EAGAIN in Python 3. In Python 2 we have # to specifically catch it and throw the timeout error - if hasattr(err, 'errno') and err.errno in _blocking_errnos: - raise ReadTimeoutError(self, url, "Read timed out. (read timeout=%s)" % timeout_value) + if hasattr(err, "errno") and err.errno in _blocking_errnos: + raise ReadTimeoutError( + self, url, "Read timed out. (read timeout=%s)" % timeout_value + ) # Catch possible read timeouts thrown as SSL errors. If not the # case, rethrow the original. We need to do this because of: # http://bugs.python.org/issue10272 - if 'timed out' in str(err) or 'did not complete (read)' in str(err): # Python < 2.7.4 - raise ReadTimeoutError(self, url, "Read timed out. (read timeout=%s)" % timeout_value) - - def _make_request(self, conn, method, url, timeout=_Default, chunked=False, - **httplib_request_kw): + if "timed out" in str(err) or "did not complete (read)" in str( + err + ): # Python < 2.7.4 + raise ReadTimeoutError( + self, url, "Read timed out. (read timeout=%s)" % timeout_value + ) + + def _make_request( + self, conn, method, url, timeout=_Default, chunked=False, **httplib_request_kw + ): """ Perform a request on a given urllib connection object taken from our pool. @@ -346,18 +385,36 @@ def _make_request(self, conn, method, url, timeout=_Default, chunked=False, self._raise_timeout(err=e, url=url, timeout_value=conn.timeout) raise - # conn.request() calls httplib.*.request, not the method in + # conn.request() calls http.client.*.request, not the method in # urllib3.request. It also calls makefile (recv) on the socket. - if chunked: - conn.request_chunked(method, url, **httplib_request_kw) - else: - conn.request(method, url, **httplib_request_kw) + try: + if chunked: + conn.request_chunked(method, url, **httplib_request_kw) + else: + conn.request(method, url, **httplib_request_kw) + + # We are swallowing BrokenPipeError (errno.EPIPE) since the server is + # legitimately able to close the connection after sending a valid response. + # With this behaviour, the received response is still readable. + except BrokenPipeError: + # Python 3 + pass + except IOError as e: + # Python 2 and macOS/Linux + # EPIPE and ESHUTDOWN are BrokenPipeError on Python 2, and EPROTOTYPE is needed on macOS + # https://erickt.github.io/blog/2014/11/19/adventures-in-debugging-a-potential-osx-kernel-bug/ + if e.errno not in { + errno.EPIPE, + errno.ESHUTDOWN, + errno.EPROTOTYPE, + }: + raise # Reset the timeout for the recv() on the socket read_timeout = timeout_obj.read_timeout # App Engine doesn't have a sock attr - if getattr(conn, 'sock', None): + if getattr(conn, "sock", None): # In Python 3 socket.py will catch EAGAIN and return None when you # try and read into the file pointer created by http.client, which # instead raises a BadStatusLine exception. Instead of catching @@ -365,7 +422,8 @@ def _make_request(self, conn, method, url, timeout=_Default, chunked=False, # timeouts, check for a zero timeout before making the request. if read_timeout == 0: raise ReadTimeoutError( - self, url, "Read timed out. (read timeout=%s)" % read_timeout) + self, url, "Read timed out. (read timeout=%s)" % read_timeout + ) if read_timeout is Timeout.DEFAULT_TIMEOUT: conn.sock.settimeout(socket.getdefaulttimeout()) else: # None or a value @@ -373,31 +431,45 @@ def _make_request(self, conn, method, url, timeout=_Default, chunked=False, # Receive the response from the server try: - try: # Python 2.7, use buffering of HTTP responses + try: + # Python 2.7, use buffering of HTTP responses httplib_response = conn.getresponse(buffering=True) - except TypeError: # Python 3 + except TypeError: + # Python 3 try: httplib_response = conn.getresponse() - except Exception as e: - # Remove the TypeError from the exception chain in Python 3; - # otherwise it looks like a programming error was the cause. + except BaseException as e: + # Remove the TypeError from the exception chain in + # Python 3 (including for exceptions like SystemExit). + # Otherwise it looks like a bug in the code. six.raise_from(e, None) except (SocketTimeout, BaseSSLError, SocketError) as e: self._raise_timeout(err=e, url=url, timeout_value=read_timeout) raise # AppEngine doesn't have a version attr. - http_version = getattr(conn, '_http_vsn_str', 'HTTP/?') - log.debug("%s://%s:%s \"%s %s %s\" %s %s", self.scheme, self.host, self.port, - method, url, http_version, httplib_response.status, - httplib_response.length) + http_version = getattr(conn, "_http_vsn_str", "HTTP/?") + log.debug( + '%s://%s:%s "%s %s %s" %s %s', + self.scheme, + self.host, + self.port, + method, + url, + http_version, + httplib_response.status, + httplib_response.length, + ) try: assert_header_parsing(httplib_response.msg) except (HeaderParsingError, TypeError) as hpe: # Platform-specific: Python 3 log.warning( - 'Failed to parse headers (url=%s): %s', - self._absolute_url(url), hpe, exc_info=True) + "Failed to parse headers (url=%s): %s", + self._absolute_url(url), + hpe, + exc_info=True, + ) return httplib_response @@ -427,13 +499,13 @@ def is_same_host(self, url): Check if the given ``url`` is a member of the same host as this connection pool. """ - if url.startswith('/'): + if url.startswith("/"): return True # TODO: Add optional support for socket.gethostbyname checking. scheme, host, port = get_host(url) - - host = _ipv6_host(host, self.scheme) + if host is not None: + host = _normalize_host(host, scheme=scheme) # Use explicit default port for comparison when none is given if self.port and not port: @@ -443,10 +515,22 @@ def is_same_host(self, url): return (scheme, host, port) == (self.scheme, self.host, self.port) - def urlopen(self, method, url, body=None, headers=None, retries=None, - redirect=True, assert_same_host=True, timeout=_Default, - pool_timeout=None, release_conn=None, chunked=False, - body_pos=None, **response_kw): + def urlopen( + self, + method, + url, + body=None, + headers=None, + retries=None, + redirect=True, + assert_same_host=True, + timeout=_Default, + pool_timeout=None, + release_conn=None, + chunked=False, + body_pos=None, + **response_kw + ): """ Get a connection from the pool and perform an HTTP request. This is the lowest level call for making a request, so you'll need to specify all @@ -467,10 +551,12 @@ def urlopen(self, method, url, body=None, headers=None, retries=None, :param method: HTTP request method (such as GET, POST, PUT, etc.) + :param url: + The URL to perform the request on. + :param body: - Data to send in the request body (useful for creating - POST requests, see HTTPConnectionPool.post_url for - more convenience). + Data to send in the request body, either :class:`str`, :class:`bytes`, + an iterable of :class:`str`/:class:`bytes`, or a file-like object. :param headers: Dictionary of custom headers to send, such as User-Agent, @@ -500,7 +586,7 @@ def urlopen(self, method, url, body=None, headers=None, retries=None, :param assert_same_host: If ``True``, will make sure that the host of the pool requests is - consistent else will raise HostChangedError. When False, you can + consistent else will raise HostChangedError. When ``False``, you can use the pool on an HTTP proxy and request foreign hosts. :param timeout: @@ -537,6 +623,10 @@ def urlopen(self, method, url, body=None, headers=None, retries=None, Additional parameters are passed to :meth:`urllib3.response.HTTPResponse.from_httplib` """ + + parsed_url = parse_url(url) + destination_scheme = parsed_url.scheme + if headers is None: headers = self.headers @@ -544,12 +634,18 @@ def urlopen(self, method, url, body=None, headers=None, retries=None, retries = Retry.from_int(retries, redirect=redirect, default=self.retries) if release_conn is None: - release_conn = response_kw.get('preload_content', True) + release_conn = response_kw.get("preload_content", True) # Check host if assert_same_host and not self.is_same_host(url): raise HostChangedError(self, url, retries) + # Ensure that the URL we're connecting to is properly encoded + if url.startswith("/"): + url = six.ensure_str(_encode_target(url)) + else: + url = six.ensure_str(parsed_url.url) + conn = None # Track whether `conn` needs to be released before @@ -560,13 +656,17 @@ def urlopen(self, method, url, body=None, headers=None, retries=None, # # See issue #651 [1] for details. # - # [1] <https://github.com/shazow/urllib3/issues/651> + # [1] <https://github.com/urllib3/urllib3/issues/651> release_this_conn = release_conn - # Merge the proxy headers. Only do this in HTTP. We have to copy the - # headers dict so we can safely change it without those changes being - # reflected in anyone else's copy. - if self.scheme == 'http': + http_tunnel_required = connection_requires_http_tunnel( + self.proxy, self.proxy_config, destination_scheme + ) + + # Merge the proxy headers. Only done when not using HTTP CONNECT. We + # have to copy the headers dict so we can safely change it without those + # changes being reflected in anyone else's copy. + if not http_tunnel_required: headers = headers.copy() headers.update(self.proxy_headers) @@ -589,15 +689,22 @@ def urlopen(self, method, url, body=None, headers=None, retries=None, conn.timeout = timeout_obj.connect_timeout - is_new_proxy_conn = self.proxy is not None and not getattr(conn, 'sock', None) - if is_new_proxy_conn: + is_new_proxy_conn = self.proxy is not None and not getattr( + conn, "sock", None + ) + if is_new_proxy_conn and http_tunnel_required: self._prepare_proxy(conn) # Make the request on the httplib connection object. - httplib_response = self._make_request(conn, method, url, - timeout=timeout_obj, - body=body, headers=headers, - chunked=chunked) + httplib_response = self._make_request( + conn, + method, + url, + timeout=timeout_obj, + body=body, + headers=headers, + chunked=chunked, + ) # If we're going to release the connection in ``finally:``, then # the response doesn't need to know about the connection. Otherwise @@ -606,36 +713,48 @@ def urlopen(self, method, url, body=None, headers=None, retries=None, response_conn = conn if not release_conn else None # Pass method to Response for length checking - response_kw['request_method'] = method + response_kw["request_method"] = method # Import httplib's response into our own wrapper object - response = self.ResponseCls.from_httplib(httplib_response, - pool=self, - connection=response_conn, - retries=retries, - **response_kw) + response = self.ResponseCls.from_httplib( + httplib_response, + pool=self, + connection=response_conn, + retries=retries, + **response_kw + ) # Everything went great! clean_exit = True - except queue.Empty: - # Timed out by queue. - raise EmptyPoolError(self, "No pool connections are available.") + except EmptyPoolError: + # Didn't get a connection from the pool, no need to clean up + clean_exit = True + release_this_conn = False + raise - except (TimeoutError, HTTPException, SocketError, ProtocolError, - BaseSSLError, SSLError, CertificateError) as e: + except ( + TimeoutError, + HTTPException, + SocketError, + ProtocolError, + BaseSSLError, + SSLError, + CertificateError, + ) as e: # Discard the connection for these exceptions. It will be # replaced during the next _get_conn() call. clean_exit = False if isinstance(e, (BaseSSLError, CertificateError)): e = SSLError(e) elif isinstance(e, (SocketError, NewConnectionError)) and self.proxy: - e = ProxyError('Cannot connect to proxy.', e) + e = ProxyError("Cannot connect to proxy.", e) elif isinstance(e, (SocketError, HTTPException)): - e = ProtocolError('Connection aborted.', e) + e = ProtocolError("Connection aborted.", e) - retries = retries.increment(method, url, error=e, _pool=self, - _stacktrace=sys.exc_info()[2]) + retries = retries.increment( + method, url, error=e, _pool=self, _stacktrace=sys.exc_info()[2] + ) retries.sleep() # Keep track of the error for the retry warning. @@ -658,77 +777,87 @@ def urlopen(self, method, url, body=None, headers=None, retries=None, if not conn: # Try again - log.warning("Retrying (%r) after connection " - "broken by '%r': %s", retries, err, url) - return self.urlopen(method, url, body, headers, retries, - redirect, assert_same_host, - timeout=timeout, pool_timeout=pool_timeout, - release_conn=release_conn, body_pos=body_pos, - **response_kw) - - def drain_and_release_conn(response): - try: - # discard any remaining response body, the connection will be - # released back to the pool once the entire response is read - response.read() - except (TimeoutError, HTTPException, SocketError, ProtocolError, - BaseSSLError, SSLError) as e: - pass + log.warning( + "Retrying (%r) after connection broken by '%r': %s", retries, err, url + ) + return self.urlopen( + method, + url, + body, + headers, + retries, + redirect, + assert_same_host, + timeout=timeout, + pool_timeout=pool_timeout, + release_conn=release_conn, + chunked=chunked, + body_pos=body_pos, + **response_kw + ) # Handle redirect? redirect_location = redirect and response.get_redirect_location() if redirect_location: if response.status == 303: - method = 'GET' + method = "GET" try: retries = retries.increment(method, url, response=response, _pool=self) except MaxRetryError: if retries.raise_on_redirect: - # Drain and release the connection for this response, since - # we're not returning it to be released manually. - drain_and_release_conn(response) + response.drain_conn() raise return response - # drain and return the connection to the pool before recursing - drain_and_release_conn(response) - + response.drain_conn() retries.sleep_for_retry(response) log.debug("Redirecting %s -> %s", url, redirect_location) return self.urlopen( - method, redirect_location, body, headers, - retries=retries, redirect=redirect, + method, + redirect_location, + body, + headers, + retries=retries, + redirect=redirect, assert_same_host=assert_same_host, - timeout=timeout, pool_timeout=pool_timeout, - release_conn=release_conn, body_pos=body_pos, - **response_kw) + timeout=timeout, + pool_timeout=pool_timeout, + release_conn=release_conn, + chunked=chunked, + body_pos=body_pos, + **response_kw + ) # Check if we should retry the HTTP response. - has_retry_after = bool(response.getheader('Retry-After')) + has_retry_after = bool(response.getheader("Retry-After")) if retries.is_retry(method, response.status, has_retry_after): try: retries = retries.increment(method, url, response=response, _pool=self) except MaxRetryError: if retries.raise_on_status: - # Drain and release the connection for this response, since - # we're not returning it to be released manually. - drain_and_release_conn(response) + response.drain_conn() raise return response - # drain and return the connection to the pool before recursing - drain_and_release_conn(response) - + response.drain_conn() retries.sleep(response) log.debug("Retry: %s", url) return self.urlopen( - method, url, body, headers, - retries=retries, redirect=redirect, + method, + url, + body, + headers, + retries=retries, + redirect=redirect, assert_same_host=assert_same_host, - timeout=timeout, pool_timeout=pool_timeout, + timeout=timeout, + pool_timeout=pool_timeout, release_conn=release_conn, - body_pos=body_pos, **response_kw) + chunked=chunked, + body_pos=body_pos, + **response_kw + ) return response @@ -737,42 +866,62 @@ class HTTPSConnectionPool(HTTPConnectionPool): """ Same as :class:`.HTTPConnectionPool`, but HTTPS. - When Python is compiled with the :mod:`ssl` module, then - :class:`.VerifiedHTTPSConnection` is used, which *can* verify certificates, - instead of :class:`.HTTPSConnection`. - - :class:`.VerifiedHTTPSConnection` uses one of ``assert_fingerprint``, + :class:`.HTTPSConnection` uses one of ``assert_fingerprint``, ``assert_hostname`` and ``host`` in this order to verify connections. If ``assert_hostname`` is False, no verification is done. The ``key_file``, ``cert_file``, ``cert_reqs``, ``ca_certs``, - ``ca_cert_dir``, and ``ssl_version`` are only used if :mod:`ssl` is - available and are fed into :meth:`urllib3.util.ssl_wrap_socket` to upgrade + ``ca_cert_dir``, ``ssl_version``, ``key_password`` are only used if :mod:`ssl` + is available and are fed into :meth:`urllib3.util.ssl_wrap_socket` to upgrade the connection socket into an SSL socket. """ - scheme = 'https' + scheme = "https" ConnectionCls = HTTPSConnection - def __init__(self, host, port=None, - strict=False, timeout=Timeout.DEFAULT_TIMEOUT, maxsize=1, - block=False, headers=None, retries=None, - _proxy=None, _proxy_headers=None, - key_file=None, cert_file=None, cert_reqs=None, - ca_certs=None, ssl_version=None, - assert_hostname=None, assert_fingerprint=None, - ca_cert_dir=None, **conn_kw): - - HTTPConnectionPool.__init__(self, host, port, strict, timeout, maxsize, - block, headers, retries, _proxy, _proxy_headers, - **conn_kw) - - if ca_certs and cert_reqs is None: - cert_reqs = 'CERT_REQUIRED' + def __init__( + self, + host, + port=None, + strict=False, + timeout=Timeout.DEFAULT_TIMEOUT, + maxsize=1, + block=False, + headers=None, + retries=None, + _proxy=None, + _proxy_headers=None, + key_file=None, + cert_file=None, + cert_reqs=None, + key_password=None, + ca_certs=None, + ssl_version=None, + assert_hostname=None, + assert_fingerprint=None, + ca_cert_dir=None, + **conn_kw + ): + + HTTPConnectionPool.__init__( + self, + host, + port, + strict, + timeout, + maxsize, + block, + headers, + retries, + _proxy, + _proxy_headers, + **conn_kw + ) self.key_file = key_file self.cert_file = cert_file self.cert_reqs = cert_reqs + self.key_password = key_password self.ca_certs = ca_certs self.ca_cert_dir = ca_cert_dir self.ssl_version = ssl_version @@ -786,35 +935,50 @@ def _prepare_conn(self, conn): """ if isinstance(conn, VerifiedHTTPSConnection): - conn.set_cert(key_file=self.key_file, - cert_file=self.cert_file, - cert_reqs=self.cert_reqs, - ca_certs=self.ca_certs, - ca_cert_dir=self.ca_cert_dir, - assert_hostname=self.assert_hostname, - assert_fingerprint=self.assert_fingerprint) + conn.set_cert( + key_file=self.key_file, + key_password=self.key_password, + cert_file=self.cert_file, + cert_reqs=self.cert_reqs, + ca_certs=self.ca_certs, + ca_cert_dir=self.ca_cert_dir, + assert_hostname=self.assert_hostname, + assert_fingerprint=self.assert_fingerprint, + ) conn.ssl_version = self.ssl_version return conn def _prepare_proxy(self, conn): """ - Establish tunnel connection early, because otherwise httplib - would improperly set Host: header to proxy's IP:port. + Establishes a tunnel connection through HTTP CONNECT. + + Tunnel connection is established early because otherwise httplib would + improperly set Host: header to proxy's IP:port. """ + conn.set_tunnel(self._proxy_host, self.port, self.proxy_headers) + + if self.proxy.scheme == "https": + conn.tls_in_tls_required = True + conn.connect() def _new_conn(self): """ - Return a fresh :class:`httplib.HTTPSConnection`. + Return a fresh :class:`http.client.HTTPSConnection`. """ self.num_connections += 1 - log.debug("Starting new HTTPS connection (%d): %s:%s", - self.num_connections, self.host, self.port or "443") + log.debug( + "Starting new HTTPS connection (%d): %s:%s", + self.num_connections, + self.host, + self.port or "443", + ) if not self.ConnectionCls or self.ConnectionCls is DummyConnection: - raise SSLError("Can't connect to HTTPS URL because the SSL " - "module is not available.") + raise SSLError( + "Can't connect to HTTPS URL because the SSL module is not available." + ) actual_host = self.host actual_port = self.port @@ -822,9 +986,16 @@ def _new_conn(self): actual_host = self.proxy.host actual_port = self.proxy.port - conn = self.ConnectionCls(host=actual_host, port=actual_port, - timeout=self.timeout.connect_timeout, - strict=self.strict, **self.conn_kw) + conn = self.ConnectionCls( + host=actual_host, + port=actual_port, + timeout=self.timeout.connect_timeout, + strict=self.strict, + cert_file=self.cert_file, + key_file=self.key_file, + key_password=self.key_password, + **self.conn_kw + ) return self._prepare_conn(conn) @@ -835,16 +1006,30 @@ def _validate_conn(self, conn): super(HTTPSConnectionPool, self)._validate_conn(conn) # Force connect early to allow us to validate the connection. - if not getattr(conn, 'sock', None): # AppEngine might not have `.sock` + if not getattr(conn, "sock", None): # AppEngine might not have `.sock` conn.connect() if not conn.is_verified: - warnings.warn(( - 'Unverified HTTPS request is being made. ' - 'Adding certificate verification is strongly advised. See: ' - 'https://urllib3.readthedocs.io/en/latest/advanced-usage.html' - '#ssl-warnings'), - InsecureRequestWarning) + warnings.warn( + ( + "Unverified HTTPS request is being made to host '%s'. " + "Adding certificate verification is strongly advised. See: " + "https://urllib3.readthedocs.io/en/1.26.x/advanced-usage.html" + "#ssl-warnings" % conn.host + ), + InsecureRequestWarning, + ) + + if getattr(conn, "proxy_is_verified", None) is False: + warnings.warn( + ( + "Unverified HTTPS connection done to an HTTPS proxy. " + "Adding certificate verification is strongly advised. See: " + "https://urllib3.readthedocs.io/en/1.26.x/advanced-usage.html" + "#ssl-warnings" + ), + InsecureRequestWarning, + ) def connection_from_url(url, **kw): @@ -869,28 +1054,25 @@ def connection_from_url(url, **kw): """ scheme, host, port = get_host(url) port = port or port_by_scheme.get(scheme, 80) - if scheme == 'https': + if scheme == "https": return HTTPSConnectionPool(host, port=port, **kw) else: return HTTPConnectionPool(host, port=port, **kw) -def _ipv6_host(host, scheme): +def _normalize_host(host, scheme): """ - Process IPv6 address literals + Normalize hosts for comparisons and use with sockets. """ + host = normalize_host(host, scheme) + # httplib doesn't like it when we include brackets in IPv6 addresses # Specifically, if we include brackets but also pass the port then # httplib crazily doubles up the square brackets on the Host header. # Instead, we need to make sure we never pass ``None`` as the port. # However, for backward compatibility reasons we can't actually # *assert* that. See http://bugs.python.org/issue28539 - # - # Also if an IPv6 address literal has a zone identifier, the - # percent sign might be URIencoded, convert it back into ASCII - if host.startswith('[') and host.endswith(']'): - host = host.replace('%25', '%').strip('[]') - if scheme in NORMALIZABLE_SCHEMES: - host = host.lower() + if host.startswith("[") and host.endswith("]"): + host = host[1:-1] return host diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/__init__.py b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/_appengine_environ.py b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/_appengine_environ.py new file mode 100644 index 0000000..8765b90 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/_appengine_environ.py @@ -0,0 +1,36 @@ +""" +This module provides means to detect the App Engine environment. +""" + +import os + + +def is_appengine(): + return is_local_appengine() or is_prod_appengine() + + +def is_appengine_sandbox(): + """Reports if the app is running in the first generation sandbox. + + The second generation runtimes are technically still in a sandbox, but it + is much less restrictive, so generally you shouldn't need to check for it. + see https://cloud.google.com/appengine/docs/standard/runtimes + """ + return is_appengine() and os.environ["APPENGINE_RUNTIME"] == "python27" + + +def is_local_appengine(): + return "APPENGINE_RUNTIME" in os.environ and os.environ.get( + "SERVER_SOFTWARE", "" + ).startswith("Development/") + + +def is_prod_appengine(): + return "APPENGINE_RUNTIME" in os.environ and os.environ.get( + "SERVER_SOFTWARE", "" + ).startswith("Google App Engine/") + + +def is_prod_appengine_mvms(): + """Deprecated.""" + return False diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/_securetransport/__init__.py b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/_securetransport/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/bindings.py b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/_securetransport/bindings.py similarity index 68% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/bindings.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/contrib/_securetransport/bindings.py index bcf41c0..42526be 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/bindings.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/_securetransport/bindings.py @@ -32,35 +32,60 @@ from __future__ import absolute_import import platform -from ctypes.util import find_library from ctypes import ( - c_void_p, c_int32, c_char_p, c_size_t, c_byte, c_uint32, c_ulong, c_long, - c_bool + CDLL, + CFUNCTYPE, + POINTER, + c_bool, + c_byte, + c_char_p, + c_int32, + c_long, + c_size_t, + c_uint32, + c_ulong, + c_void_p, ) -from ctypes import CDLL, POINTER, CFUNCTYPE - - -security_path = find_library('Security') -if not security_path: - raise ImportError('The library Security could not be found') - +from ctypes.util import find_library -core_foundation_path = find_library('CoreFoundation') -if not core_foundation_path: - raise ImportError('The library CoreFoundation could not be found') +from pip._vendor.urllib3.packages.six import raise_from +if platform.system() != "Darwin": + raise ImportError("Only macOS is supported") version = platform.mac_ver()[0] -version_info = tuple(map(int, version.split('.'))) +version_info = tuple(map(int, version.split("."))) if version_info < (10, 8): raise OSError( - 'Only OS X 10.8 and newer are supported, not %s.%s' % ( - version_info[0], version_info[1] - ) + "Only OS X 10.8 and newer are supported, not %s.%s" + % (version_info[0], version_info[1]) ) -Security = CDLL(security_path, use_errno=True) -CoreFoundation = CDLL(core_foundation_path, use_errno=True) + +def load_cdll(name, macos10_16_path): + """Loads a CDLL by name, falling back to known path on 10.16+""" + try: + # Big Sur is technically 11 but we use 10.16 due to the Big Sur + # beta being labeled as 10.16. + if version_info >= (10, 16): + path = macos10_16_path + else: + path = find_library(name) + if not path: + raise OSError # Caught and reraised as 'ImportError' + return CDLL(path, use_errno=True) + except OSError: + raise_from(ImportError("The library %s failed to load" % name), None) + + +Security = load_cdll( + "Security", "/System/Library/Frameworks/Security.framework/Security" +) +CoreFoundation = load_cdll( + "CoreFoundation", + "/System/Library/Frameworks/CoreFoundation.framework/CoreFoundation", +) + Boolean = c_bool CFIndex = c_long @@ -129,27 +154,19 @@ Security.SecKeyGetTypeID.argtypes = [] Security.SecKeyGetTypeID.restype = CFTypeID - Security.SecCertificateCreateWithData.argtypes = [ - CFAllocatorRef, - CFDataRef - ] + Security.SecCertificateCreateWithData.argtypes = [CFAllocatorRef, CFDataRef] Security.SecCertificateCreateWithData.restype = SecCertificateRef - Security.SecCertificateCopyData.argtypes = [ - SecCertificateRef - ] + Security.SecCertificateCopyData.argtypes = [SecCertificateRef] Security.SecCertificateCopyData.restype = CFDataRef - Security.SecCopyErrorMessageString.argtypes = [ - OSStatus, - c_void_p - ] + Security.SecCopyErrorMessageString.argtypes = [OSStatus, c_void_p] Security.SecCopyErrorMessageString.restype = CFStringRef Security.SecIdentityCreateWithCertificate.argtypes = [ CFTypeRef, SecCertificateRef, - POINTER(SecIdentityRef) + POINTER(SecIdentityRef), ] Security.SecIdentityCreateWithCertificate.restype = OSStatus @@ -159,201 +176,133 @@ c_void_p, Boolean, c_void_p, - POINTER(SecKeychainRef) + POINTER(SecKeychainRef), ] Security.SecKeychainCreate.restype = OSStatus - Security.SecKeychainDelete.argtypes = [ - SecKeychainRef - ] + Security.SecKeychainDelete.argtypes = [SecKeychainRef] Security.SecKeychainDelete.restype = OSStatus Security.SecPKCS12Import.argtypes = [ CFDataRef, CFDictionaryRef, - POINTER(CFArrayRef) + POINTER(CFArrayRef), ] Security.SecPKCS12Import.restype = OSStatus SSLReadFunc = CFUNCTYPE(OSStatus, SSLConnectionRef, c_void_p, POINTER(c_size_t)) - SSLWriteFunc = CFUNCTYPE(OSStatus, SSLConnectionRef, POINTER(c_byte), POINTER(c_size_t)) + SSLWriteFunc = CFUNCTYPE( + OSStatus, SSLConnectionRef, POINTER(c_byte), POINTER(c_size_t) + ) - Security.SSLSetIOFuncs.argtypes = [ - SSLContextRef, - SSLReadFunc, - SSLWriteFunc - ] + Security.SSLSetIOFuncs.argtypes = [SSLContextRef, SSLReadFunc, SSLWriteFunc] Security.SSLSetIOFuncs.restype = OSStatus - Security.SSLSetPeerID.argtypes = [ - SSLContextRef, - c_char_p, - c_size_t - ] + Security.SSLSetPeerID.argtypes = [SSLContextRef, c_char_p, c_size_t] Security.SSLSetPeerID.restype = OSStatus - Security.SSLSetCertificate.argtypes = [ - SSLContextRef, - CFArrayRef - ] + Security.SSLSetCertificate.argtypes = [SSLContextRef, CFArrayRef] Security.SSLSetCertificate.restype = OSStatus - Security.SSLSetCertificateAuthorities.argtypes = [ - SSLContextRef, - CFTypeRef, - Boolean - ] + Security.SSLSetCertificateAuthorities.argtypes = [SSLContextRef, CFTypeRef, Boolean] Security.SSLSetCertificateAuthorities.restype = OSStatus - Security.SSLSetConnection.argtypes = [ - SSLContextRef, - SSLConnectionRef - ] + Security.SSLSetConnection.argtypes = [SSLContextRef, SSLConnectionRef] Security.SSLSetConnection.restype = OSStatus - Security.SSLSetPeerDomainName.argtypes = [ - SSLContextRef, - c_char_p, - c_size_t - ] + Security.SSLSetPeerDomainName.argtypes = [SSLContextRef, c_char_p, c_size_t] Security.SSLSetPeerDomainName.restype = OSStatus - Security.SSLHandshake.argtypes = [ - SSLContextRef - ] + Security.SSLHandshake.argtypes = [SSLContextRef] Security.SSLHandshake.restype = OSStatus - Security.SSLRead.argtypes = [ - SSLContextRef, - c_char_p, - c_size_t, - POINTER(c_size_t) - ] + Security.SSLRead.argtypes = [SSLContextRef, c_char_p, c_size_t, POINTER(c_size_t)] Security.SSLRead.restype = OSStatus - Security.SSLWrite.argtypes = [ - SSLContextRef, - c_char_p, - c_size_t, - POINTER(c_size_t) - ] + Security.SSLWrite.argtypes = [SSLContextRef, c_char_p, c_size_t, POINTER(c_size_t)] Security.SSLWrite.restype = OSStatus - Security.SSLClose.argtypes = [ - SSLContextRef - ] + Security.SSLClose.argtypes = [SSLContextRef] Security.SSLClose.restype = OSStatus - Security.SSLGetNumberSupportedCiphers.argtypes = [ - SSLContextRef, - POINTER(c_size_t) - ] + Security.SSLGetNumberSupportedCiphers.argtypes = [SSLContextRef, POINTER(c_size_t)] Security.SSLGetNumberSupportedCiphers.restype = OSStatus Security.SSLGetSupportedCiphers.argtypes = [ SSLContextRef, POINTER(SSLCipherSuite), - POINTER(c_size_t) + POINTER(c_size_t), ] Security.SSLGetSupportedCiphers.restype = OSStatus Security.SSLSetEnabledCiphers.argtypes = [ SSLContextRef, POINTER(SSLCipherSuite), - c_size_t + c_size_t, ] Security.SSLSetEnabledCiphers.restype = OSStatus - Security.SSLGetNumberEnabledCiphers.argtype = [ - SSLContextRef, - POINTER(c_size_t) - ] + Security.SSLGetNumberEnabledCiphers.argtype = [SSLContextRef, POINTER(c_size_t)] Security.SSLGetNumberEnabledCiphers.restype = OSStatus Security.SSLGetEnabledCiphers.argtypes = [ SSLContextRef, POINTER(SSLCipherSuite), - POINTER(c_size_t) + POINTER(c_size_t), ] Security.SSLGetEnabledCiphers.restype = OSStatus - Security.SSLGetNegotiatedCipher.argtypes = [ - SSLContextRef, - POINTER(SSLCipherSuite) - ] + Security.SSLGetNegotiatedCipher.argtypes = [SSLContextRef, POINTER(SSLCipherSuite)] Security.SSLGetNegotiatedCipher.restype = OSStatus Security.SSLGetNegotiatedProtocolVersion.argtypes = [ SSLContextRef, - POINTER(SSLProtocol) + POINTER(SSLProtocol), ] Security.SSLGetNegotiatedProtocolVersion.restype = OSStatus - Security.SSLCopyPeerTrust.argtypes = [ - SSLContextRef, - POINTER(SecTrustRef) - ] + Security.SSLCopyPeerTrust.argtypes = [SSLContextRef, POINTER(SecTrustRef)] Security.SSLCopyPeerTrust.restype = OSStatus - Security.SecTrustSetAnchorCertificates.argtypes = [ - SecTrustRef, - CFArrayRef - ] + Security.SecTrustSetAnchorCertificates.argtypes = [SecTrustRef, CFArrayRef] Security.SecTrustSetAnchorCertificates.restype = OSStatus - Security.SecTrustSetAnchorCertificatesOnly.argstypes = [ - SecTrustRef, - Boolean - ] + Security.SecTrustSetAnchorCertificatesOnly.argstypes = [SecTrustRef, Boolean] Security.SecTrustSetAnchorCertificatesOnly.restype = OSStatus - Security.SecTrustEvaluate.argtypes = [ - SecTrustRef, - POINTER(SecTrustResultType) - ] + Security.SecTrustEvaluate.argtypes = [SecTrustRef, POINTER(SecTrustResultType)] Security.SecTrustEvaluate.restype = OSStatus - Security.SecTrustGetCertificateCount.argtypes = [ - SecTrustRef - ] + Security.SecTrustGetCertificateCount.argtypes = [SecTrustRef] Security.SecTrustGetCertificateCount.restype = CFIndex - Security.SecTrustGetCertificateAtIndex.argtypes = [ - SecTrustRef, - CFIndex - ] + Security.SecTrustGetCertificateAtIndex.argtypes = [SecTrustRef, CFIndex] Security.SecTrustGetCertificateAtIndex.restype = SecCertificateRef Security.SSLCreateContext.argtypes = [ CFAllocatorRef, SSLProtocolSide, - SSLConnectionType + SSLConnectionType, ] Security.SSLCreateContext.restype = SSLContextRef - Security.SSLSetSessionOption.argtypes = [ - SSLContextRef, - SSLSessionOption, - Boolean - ] + Security.SSLSetSessionOption.argtypes = [SSLContextRef, SSLSessionOption, Boolean] Security.SSLSetSessionOption.restype = OSStatus - Security.SSLSetProtocolVersionMin.argtypes = [ - SSLContextRef, - SSLProtocol - ] + Security.SSLSetProtocolVersionMin.argtypes = [SSLContextRef, SSLProtocol] Security.SSLSetProtocolVersionMin.restype = OSStatus - Security.SSLSetProtocolVersionMax.argtypes = [ - SSLContextRef, - SSLProtocol - ] + Security.SSLSetProtocolVersionMax.argtypes = [SSLContextRef, SSLProtocol] Security.SSLSetProtocolVersionMax.restype = OSStatus - Security.SecCopyErrorMessageString.argtypes = [ - OSStatus, - c_void_p - ] + try: + Security.SSLSetALPNProtocols.argtypes = [SSLContextRef, CFArrayRef] + Security.SSLSetALPNProtocols.restype = OSStatus + except AttributeError: + # Supported only in 10.12+ + pass + + Security.SecCopyErrorMessageString.argtypes = [OSStatus, c_void_p] Security.SecCopyErrorMessageString.restype = CFStringRef Security.SSLReadFunc = SSLReadFunc @@ -369,64 +318,47 @@ Security.OSStatus = OSStatus Security.kSecImportExportPassphrase = CFStringRef.in_dll( - Security, 'kSecImportExportPassphrase' + Security, "kSecImportExportPassphrase" ) Security.kSecImportItemIdentity = CFStringRef.in_dll( - Security, 'kSecImportItemIdentity' + Security, "kSecImportItemIdentity" ) # CoreFoundation time! - CoreFoundation.CFRetain.argtypes = [ - CFTypeRef - ] + CoreFoundation.CFRetain.argtypes = [CFTypeRef] CoreFoundation.CFRetain.restype = CFTypeRef - CoreFoundation.CFRelease.argtypes = [ - CFTypeRef - ] + CoreFoundation.CFRelease.argtypes = [CFTypeRef] CoreFoundation.CFRelease.restype = None - CoreFoundation.CFGetTypeID.argtypes = [ - CFTypeRef - ] + CoreFoundation.CFGetTypeID.argtypes = [CFTypeRef] CoreFoundation.CFGetTypeID.restype = CFTypeID CoreFoundation.CFStringCreateWithCString.argtypes = [ CFAllocatorRef, c_char_p, - CFStringEncoding + CFStringEncoding, ] CoreFoundation.CFStringCreateWithCString.restype = CFStringRef - CoreFoundation.CFStringGetCStringPtr.argtypes = [ - CFStringRef, - CFStringEncoding - ] + CoreFoundation.CFStringGetCStringPtr.argtypes = [CFStringRef, CFStringEncoding] CoreFoundation.CFStringGetCStringPtr.restype = c_char_p CoreFoundation.CFStringGetCString.argtypes = [ CFStringRef, c_char_p, CFIndex, - CFStringEncoding + CFStringEncoding, ] CoreFoundation.CFStringGetCString.restype = c_bool - CoreFoundation.CFDataCreate.argtypes = [ - CFAllocatorRef, - c_char_p, - CFIndex - ] + CoreFoundation.CFDataCreate.argtypes = [CFAllocatorRef, c_char_p, CFIndex] CoreFoundation.CFDataCreate.restype = CFDataRef - CoreFoundation.CFDataGetLength.argtypes = [ - CFDataRef - ] + CoreFoundation.CFDataGetLength.argtypes = [CFDataRef] CoreFoundation.CFDataGetLength.restype = CFIndex - CoreFoundation.CFDataGetBytePtr.argtypes = [ - CFDataRef - ] + CoreFoundation.CFDataGetBytePtr.argtypes = [CFDataRef] CoreFoundation.CFDataGetBytePtr.restype = c_void_p CoreFoundation.CFDictionaryCreate.argtypes = [ @@ -435,14 +367,11 @@ POINTER(CFTypeRef), CFIndex, CFDictionaryKeyCallBacks, - CFDictionaryValueCallBacks + CFDictionaryValueCallBacks, ] CoreFoundation.CFDictionaryCreate.restype = CFDictionaryRef - CoreFoundation.CFDictionaryGetValue.argtypes = [ - CFDictionaryRef, - CFTypeRef - ] + CoreFoundation.CFDictionaryGetValue.argtypes = [CFDictionaryRef, CFTypeRef] CoreFoundation.CFDictionaryGetValue.restype = CFTypeRef CoreFoundation.CFArrayCreate.argtypes = [ @@ -456,36 +385,30 @@ CoreFoundation.CFArrayCreateMutable.argtypes = [ CFAllocatorRef, CFIndex, - CFArrayCallBacks + CFArrayCallBacks, ] CoreFoundation.CFArrayCreateMutable.restype = CFMutableArrayRef - CoreFoundation.CFArrayAppendValue.argtypes = [ - CFMutableArrayRef, - c_void_p - ] + CoreFoundation.CFArrayAppendValue.argtypes = [CFMutableArrayRef, c_void_p] CoreFoundation.CFArrayAppendValue.restype = None - CoreFoundation.CFArrayGetCount.argtypes = [ - CFArrayRef - ] + CoreFoundation.CFArrayGetCount.argtypes = [CFArrayRef] CoreFoundation.CFArrayGetCount.restype = CFIndex - CoreFoundation.CFArrayGetValueAtIndex.argtypes = [ - CFArrayRef, - CFIndex - ] + CoreFoundation.CFArrayGetValueAtIndex.argtypes = [CFArrayRef, CFIndex] CoreFoundation.CFArrayGetValueAtIndex.restype = c_void_p CoreFoundation.kCFAllocatorDefault = CFAllocatorRef.in_dll( - CoreFoundation, 'kCFAllocatorDefault' + CoreFoundation, "kCFAllocatorDefault" + ) + CoreFoundation.kCFTypeArrayCallBacks = c_void_p.in_dll( + CoreFoundation, "kCFTypeArrayCallBacks" ) - CoreFoundation.kCFTypeArrayCallBacks = c_void_p.in_dll(CoreFoundation, 'kCFTypeArrayCallBacks') CoreFoundation.kCFTypeDictionaryKeyCallBacks = c_void_p.in_dll( - CoreFoundation, 'kCFTypeDictionaryKeyCallBacks' + CoreFoundation, "kCFTypeDictionaryKeyCallBacks" ) CoreFoundation.kCFTypeDictionaryValueCallBacks = c_void_p.in_dll( - CoreFoundation, 'kCFTypeDictionaryValueCallBacks' + CoreFoundation, "kCFTypeDictionaryValueCallBacks" ) CoreFoundation.CFTypeRef = CFTypeRef @@ -494,7 +417,7 @@ CoreFoundation.CFDictionaryRef = CFDictionaryRef except (AttributeError): - raise ImportError('Error initializing ctypes') + raise ImportError("Error initializing ctypes") class CFConst(object): @@ -502,6 +425,7 @@ class CFConst(object): A class object that acts as essentially a namespace for CoreFoundation constants. """ + kCFStringEncodingUTF8 = CFStringEncoding(0x08000100) @@ -509,6 +433,7 @@ class SecurityConst(object): """ A class object that acts as essentially a namespace for Security constants. """ + kSSLSessionOptionBreakOnServerAuth = 0 kSSLProtocol2 = 1 @@ -516,6 +441,9 @@ class SecurityConst(object): kTLSProtocol1 = 4 kTLSProtocol11 = 7 kTLSProtocol12 = 8 + # SecureTransport does not support TLS 1.3 even if there's a constant for it + kTLSProtocol13 = 10 + kTLSProtocolMaxSupported = 999 kSSLClientSide = 1 kSSLStreamType = 0 @@ -558,30 +486,27 @@ class SecurityConst(object): errSecInvalidTrustSettings = -25262 # Cipher suites. We only pick the ones our default cipher string allows. + # Source: https://developer.apple.com/documentation/security/1550981-ssl_cipher_suite_values TLS_ECDHE_ECDSA_WITH_AES_256_GCM_SHA384 = 0xC02C TLS_ECDHE_RSA_WITH_AES_256_GCM_SHA384 = 0xC030 TLS_ECDHE_ECDSA_WITH_AES_128_GCM_SHA256 = 0xC02B TLS_ECDHE_RSA_WITH_AES_128_GCM_SHA256 = 0xC02F - TLS_DHE_DSS_WITH_AES_256_GCM_SHA384 = 0x00A3 + TLS_ECDHE_ECDSA_WITH_CHACHA20_POLY1305_SHA256 = 0xCCA9 + TLS_ECDHE_RSA_WITH_CHACHA20_POLY1305_SHA256 = 0xCCA8 TLS_DHE_RSA_WITH_AES_256_GCM_SHA384 = 0x009F - TLS_DHE_DSS_WITH_AES_128_GCM_SHA256 = 0x00A2 TLS_DHE_RSA_WITH_AES_128_GCM_SHA256 = 0x009E TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA384 = 0xC024 TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA384 = 0xC028 TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA = 0xC00A TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA = 0xC014 TLS_DHE_RSA_WITH_AES_256_CBC_SHA256 = 0x006B - TLS_DHE_DSS_WITH_AES_256_CBC_SHA256 = 0x006A TLS_DHE_RSA_WITH_AES_256_CBC_SHA = 0x0039 - TLS_DHE_DSS_WITH_AES_256_CBC_SHA = 0x0038 TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA256 = 0xC023 TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA256 = 0xC027 TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA = 0xC009 TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA = 0xC013 TLS_DHE_RSA_WITH_AES_128_CBC_SHA256 = 0x0067 - TLS_DHE_DSS_WITH_AES_128_CBC_SHA256 = 0x0040 TLS_DHE_RSA_WITH_AES_128_CBC_SHA = 0x0033 - TLS_DHE_DSS_WITH_AES_128_CBC_SHA = 0x0032 TLS_RSA_WITH_AES_256_GCM_SHA384 = 0x009D TLS_RSA_WITH_AES_128_GCM_SHA256 = 0x009C TLS_RSA_WITH_AES_256_CBC_SHA256 = 0x003D @@ -590,4 +515,5 @@ class SecurityConst(object): TLS_RSA_WITH_AES_128_CBC_SHA = 0x002F TLS_AES_128_GCM_SHA256 = 0x1301 TLS_AES_256_GCM_SHA384 = 0x1302 - TLS_CHACHA20_POLY1305_SHA256 = 0x1303 + TLS_AES_128_CCM_8_SHA256 = 0x1305 + TLS_AES_128_CCM_SHA256 = 0x1304 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/low_level.py b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/_securetransport/low_level.py similarity index 78% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/low_level.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/contrib/_securetransport/low_level.py index b13cd9e..fa0b245 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/_securetransport/low_level.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/_securetransport/low_level.py @@ -10,13 +10,13 @@ import base64 import ctypes import itertools -import re import os +import re import ssl +import struct import tempfile -from .bindings import Security, CoreFoundation, CFConst - +from .bindings import CFConst, CoreFoundation, Security # This regular expression is used to grab PEM data out of a PEM bundle. _PEM_CERTS_RE = re.compile( @@ -56,6 +56,51 @@ def _cf_dictionary_from_tuples(tuples): ) +def _cfstr(py_bstr): + """ + Given a Python binary data, create a CFString. + The string must be CFReleased by the caller. + """ + c_str = ctypes.c_char_p(py_bstr) + cf_str = CoreFoundation.CFStringCreateWithCString( + CoreFoundation.kCFAllocatorDefault, + c_str, + CFConst.kCFStringEncodingUTF8, + ) + return cf_str + + +def _create_cfstring_array(lst): + """ + Given a list of Python binary data, create an associated CFMutableArray. + The array must be CFReleased by the caller. + + Raises an ssl.SSLError on failure. + """ + cf_arr = None + try: + cf_arr = CoreFoundation.CFArrayCreateMutable( + CoreFoundation.kCFAllocatorDefault, + 0, + ctypes.byref(CoreFoundation.kCFTypeArrayCallBacks), + ) + if not cf_arr: + raise MemoryError("Unable to allocate memory!") + for item in lst: + cf_str = _cfstr(item) + if not cf_str: + raise MemoryError("Unable to allocate memory!") + try: + CoreFoundation.CFArrayAppendValue(cf_arr, cf_str) + finally: + CoreFoundation.CFRelease(cf_str) + except BaseException as e: + if cf_arr: + CoreFoundation.CFRelease(cf_arr) + raise ssl.SSLError("Unable to allocate array: %s" % (e,)) + return cf_arr + + def _cf_string_to_unicode(value): """ Creates a Unicode string from a CFString object. Used entirely for error @@ -66,22 +111,18 @@ def _cf_string_to_unicode(value): value_as_void_p = ctypes.cast(value, ctypes.POINTER(ctypes.c_void_p)) string = CoreFoundation.CFStringGetCStringPtr( - value_as_void_p, - CFConst.kCFStringEncodingUTF8 + value_as_void_p, CFConst.kCFStringEncodingUTF8 ) if string is None: buffer = ctypes.create_string_buffer(1024) result = CoreFoundation.CFStringGetCString( - value_as_void_p, - buffer, - 1024, - CFConst.kCFStringEncodingUTF8 + value_as_void_p, buffer, 1024, CFConst.kCFStringEncodingUTF8 ) if not result: - raise OSError('Error copying C string from CFStringRef') + raise OSError("Error copying C string from CFStringRef") string = buffer.value if string is not None: - string = string.decode('utf-8') + string = string.decode("utf-8") return string @@ -97,8 +138,8 @@ def _assert_no_error(error, exception_class=None): output = _cf_string_to_unicode(cf_error_string) CoreFoundation.CFRelease(cf_error_string) - if output is None or output == u'': - output = u'OSStatus %s' % error + if output is None or output == u"": + output = u"OSStatus %s" % error if exception_class is None: exception_class = ssl.SSLError @@ -115,8 +156,7 @@ def _cert_array_from_pem(pem_bundle): pem_bundle = pem_bundle.replace(b"\r\n", b"\n") der_certs = [ - base64.b64decode(match.group(1)) - for match in _PEM_CERTS_RE.finditer(pem_bundle) + base64.b64decode(match.group(1)) for match in _PEM_CERTS_RE.finditer(pem_bundle) ] if not der_certs: raise ssl.SSLError("No root certificates specified") @@ -124,7 +164,7 @@ def _cert_array_from_pem(pem_bundle): cert_array = CoreFoundation.CFArrayCreateMutable( CoreFoundation.kCFAllocatorDefault, 0, - ctypes.byref(CoreFoundation.kCFTypeArrayCallBacks) + ctypes.byref(CoreFoundation.kCFTypeArrayCallBacks), ) if not cert_array: raise ssl.SSLError("Unable to allocate memory!") @@ -148,6 +188,7 @@ def _cert_array_from_pem(pem_bundle): # We only want to do that if an error occurs: otherwise, the caller # should free. CoreFoundation.CFRelease(cert_array) + raise return cert_array @@ -186,21 +227,16 @@ def _temporary_keychain(): # some random bytes to password-protect the keychain we're creating, so we # ask for 40 random bytes. random_bytes = os.urandom(40) - filename = base64.b16encode(random_bytes[:8]).decode('utf-8') + filename = base64.b16encode(random_bytes[:8]).decode("utf-8") password = base64.b16encode(random_bytes[8:]) # Must be valid UTF-8 tempdirectory = tempfile.mkdtemp() - keychain_path = os.path.join(tempdirectory, filename).encode('utf-8') + keychain_path = os.path.join(tempdirectory, filename).encode("utf-8") # We now want to create the keychain itself. keychain = Security.SecKeychainRef() status = Security.SecKeychainCreate( - keychain_path, - len(password), - password, - False, - None, - ctypes.byref(keychain) + keychain_path, len(password), password, False, None, ctypes.byref(keychain) ) _assert_no_error(status) @@ -219,14 +255,12 @@ def _load_items_from_file(keychain, path): identities = [] result_array = None - with open(path, 'rb') as f: + with open(path, "rb") as f: raw_filedata = f.read() try: filedata = CoreFoundation.CFDataCreate( - CoreFoundation.kCFAllocatorDefault, - raw_filedata, - len(raw_filedata) + CoreFoundation.kCFAllocatorDefault, raw_filedata, len(raw_filedata) ) result_array = CoreFoundation.CFArrayRef() result = Security.SecItemImport( @@ -237,7 +271,7 @@ def _load_items_from_file(keychain, path): 0, # import flags None, # key params, can include passphrase in the future keychain, # The keychain to insert into - ctypes.byref(result_array) # Results + ctypes.byref(result_array), # Results ) _assert_no_error(result) @@ -247,9 +281,7 @@ def _load_items_from_file(keychain, path): # keychain already has them! result_count = CoreFoundation.CFArrayGetCount(result_array) for index in range(result_count): - item = CoreFoundation.CFArrayGetValueAtIndex( - result_array, index - ) + item = CoreFoundation.CFArrayGetValueAtIndex(result_array, index) item = ctypes.cast(item, CoreFoundation.CFTypeRef) if _is_cert(item): @@ -307,9 +339,7 @@ def _load_client_cert_chain(keychain, *paths): try: for file_path in paths: - new_identities, new_certs = _load_items_from_file( - keychain, file_path - ) + new_identities, new_certs = _load_items_from_file(keychain, file_path) identities.extend(new_identities) certificates.extend(new_certs) @@ -318,9 +348,7 @@ def _load_client_cert_chain(keychain, *paths): if not identities: new_identity = Security.SecIdentityRef() status = Security.SecIdentityCreateWithCertificate( - keychain, - certificates[0], - ctypes.byref(new_identity) + keychain, certificates[0], ctypes.byref(new_identity) ) _assert_no_error(status) identities.append(new_identity) @@ -344,3 +372,26 @@ def _load_client_cert_chain(keychain, *paths): finally: for obj in itertools.chain(identities, certificates): CoreFoundation.CFRelease(obj) + + +TLS_PROTOCOL_VERSIONS = { + "SSLv2": (0, 2), + "SSLv3": (3, 0), + "TLSv1": (3, 1), + "TLSv1.1": (3, 2), + "TLSv1.2": (3, 3), +} + + +def _build_tls_unknown_ca_alert(version): + """ + Builds a TLS alert record for an unknown CA. + """ + ver_maj, ver_min = TLS_PROTOCOL_VERSIONS[version] + severity_fatal = 0x02 + description_unknown_ca = 0x30 + msg = struct.pack(">BB", severity_fatal, description_unknown_ca) + msg_len = len(msg) + record_type_alert = 0x15 + record = struct.pack(">BBBH", record_type_alert, ver_maj, ver_min, msg_len) + msg + return record diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/appengine.py b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/appengine.py similarity index 76% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/appengine.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/contrib/appengine.py index 9b42952..6685386 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/appengine.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/appengine.py @@ -39,24 +39,24 @@ """ from __future__ import absolute_import + import io import logging import warnings -from ..packages.six.moves.urllib.parse import urljoin from ..exceptions import ( HTTPError, HTTPWarning, MaxRetryError, ProtocolError, + SSLError, TimeoutError, - SSLError ) - +from ..packages.six.moves.urllib.parse import urljoin from ..request import RequestMethods from ..response import HTTPResponse -from ..util.timeout import Timeout from ..util.retry import Retry +from ..util.timeout import Timeout from . import _appengine_environ try: @@ -90,29 +90,30 @@ class AppEngineManager(RequestMethods): * If you attempt to use this on App Engine Flexible, as full socket support is available. * If a request size is more than 10 megabytes. - * If a response size is more than 32 megabtyes. + * If a response size is more than 32 megabytes. * If you use an unsupported request method such as OPTIONS. Beyond those cases, it will raise normal urllib3 errors. """ - def __init__(self, headers=None, retries=None, validate_certificate=True, - urlfetch_retries=True): + def __init__( + self, + headers=None, + retries=None, + validate_certificate=True, + urlfetch_retries=True, + ): if not urlfetch: raise AppEnginePlatformError( - "URLFetch is not available in this environment.") - - if is_prod_appengine_mvms(): - raise AppEnginePlatformError( - "Use normal urllib3.PoolManager instead of AppEngineManager" - "on Managed VMs, as using URLFetch is not necessary in " - "this environment.") + "URLFetch is not available in this environment." + ) warnings.warn( "urllib3 is using URLFetch on Google App Engine sandbox instead " "of sockets. To use sockets directly instead of URLFetch see " - "https://urllib3.readthedocs.io/en/latest/reference/urllib3.contrib.html.", - AppEnginePlatformWarning) + "https://urllib3.readthedocs.io/en/1.26.x/reference/urllib3.contrib.html.", + AppEnginePlatformWarning, + ) RequestMethods.__init__(self, headers) self.validate_certificate = validate_certificate @@ -127,17 +128,22 @@ def __exit__(self, exc_type, exc_val, exc_tb): # Return False to re-raise any potential exceptions return False - def urlopen(self, method, url, body=None, headers=None, - retries=None, redirect=True, timeout=Timeout.DEFAULT_TIMEOUT, - **response_kw): + def urlopen( + self, + method, + url, + body=None, + headers=None, + retries=None, + redirect=True, + timeout=Timeout.DEFAULT_TIMEOUT, + **response_kw + ): retries = self._get_retries(retries, redirect) try: - follow_redirects = ( - redirect and - retries.redirect != 0 and - retries.total) + follow_redirects = redirect and retries.redirect != 0 and retries.total response = urlfetch.fetch( url, payload=body, @@ -152,44 +158,52 @@ def urlopen(self, method, url, body=None, headers=None, raise TimeoutError(self, e) except urlfetch.InvalidURLError as e: - if 'too large' in str(e): + if "too large" in str(e): raise AppEnginePlatformError( "URLFetch request too large, URLFetch only " - "supports requests up to 10mb in size.", e) + "supports requests up to 10mb in size.", + e, + ) raise ProtocolError(e) except urlfetch.DownloadError as e: - if 'Too many redirects' in str(e): + if "Too many redirects" in str(e): raise MaxRetryError(self, url, reason=e) raise ProtocolError(e) except urlfetch.ResponseTooLargeError as e: raise AppEnginePlatformError( "URLFetch response too large, URLFetch only supports" - "responses up to 32mb in size.", e) + "responses up to 32mb in size.", + e, + ) except urlfetch.SSLCertificateError as e: raise SSLError(e) except urlfetch.InvalidMethodError as e: raise AppEnginePlatformError( - "URLFetch does not support method: %s" % method, e) + "URLFetch does not support method: %s" % method, e + ) http_response = self._urlfetch_response_to_http_response( - response, retries=retries, **response_kw) + response, retries=retries, **response_kw + ) # Handle redirect? redirect_location = redirect and http_response.get_redirect_location() if redirect_location: # Check for redirect response - if (self.urlfetch_retries and retries.raise_on_redirect): + if self.urlfetch_retries and retries.raise_on_redirect: raise MaxRetryError(self, url, "too many redirects") else: if http_response.status == 303: - method = 'GET' + method = "GET" try: - retries = retries.increment(method, url, response=http_response, _pool=self) + retries = retries.increment( + method, url, response=http_response, _pool=self + ) except MaxRetryError: if retries.raise_on_redirect: raise MaxRetryError(self, url, "too many redirects") @@ -199,22 +213,32 @@ def urlopen(self, method, url, body=None, headers=None, log.debug("Redirecting %s -> %s", url, redirect_location) redirect_url = urljoin(url, redirect_location) return self.urlopen( - method, redirect_url, body, headers, - retries=retries, redirect=redirect, - timeout=timeout, **response_kw) + method, + redirect_url, + body, + headers, + retries=retries, + redirect=redirect, + timeout=timeout, + **response_kw + ) # Check if we should retry the HTTP response. - has_retry_after = bool(http_response.getheader('Retry-After')) + has_retry_after = bool(http_response.getheader("Retry-After")) if retries.is_retry(method, http_response.status, has_retry_after): - retries = retries.increment( - method, url, response=http_response, _pool=self) + retries = retries.increment(method, url, response=http_response, _pool=self) log.debug("Retry: %s", url) retries.sleep(http_response) return self.urlopen( - method, url, - body=body, headers=headers, - retries=retries, redirect=redirect, - timeout=timeout, **response_kw) + method, + url, + body=body, + headers=headers, + retries=retries, + redirect=redirect, + timeout=timeout, + **response_kw + ) return http_response @@ -223,18 +247,18 @@ def _urlfetch_response_to_http_response(self, urlfetch_resp, **response_kw): if is_prod_appengine(): # Production GAE handles deflate encoding automatically, but does # not remove the encoding header. - content_encoding = urlfetch_resp.headers.get('content-encoding') + content_encoding = urlfetch_resp.headers.get("content-encoding") - if content_encoding == 'deflate': - del urlfetch_resp.headers['content-encoding'] + if content_encoding == "deflate": + del urlfetch_resp.headers["content-encoding"] - transfer_encoding = urlfetch_resp.headers.get('transfer-encoding') + transfer_encoding = urlfetch_resp.headers.get("transfer-encoding") # We have a full response's content, # so let's make sure we don't report ourselves as chunked data. - if transfer_encoding == 'chunked': + if transfer_encoding == "chunked": encodings = transfer_encoding.split(",") - encodings.remove('chunked') - urlfetch_resp.headers['transfer-encoding'] = ','.join(encodings) + encodings.remove("chunked") + urlfetch_resp.headers["transfer-encoding"] = ",".join(encodings) original_response = HTTPResponse( # In order for decoding to work, we must present the content as @@ -262,20 +286,21 @@ def _get_absolute_timeout(self, timeout): warnings.warn( "URLFetch does not support granular timeout settings, " "reverting to total or default URLFetch timeout.", - AppEnginePlatformWarning) + AppEnginePlatformWarning, + ) return timeout.total return timeout def _get_retries(self, retries, redirect): if not isinstance(retries, Retry): - retries = Retry.from_int( - retries, redirect=redirect, default=self.retries) + retries = Retry.from_int(retries, redirect=redirect, default=self.retries) if retries.connect or retries.read or retries.redirect: warnings.warn( "URLFetch only supports total retries and does not " "recognize connect, read, or redirect retry parameters.", - AppEnginePlatformWarning) + AppEnginePlatformWarning, + ) return retries diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/ntlmpool.py b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/ntlmpool.py new file mode 100644 index 0000000..41a8fd1 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/ntlmpool.py @@ -0,0 +1,130 @@ +""" +NTLM authenticating pool, contributed by erikcederstran + +Issue #10, see: http://code.google.com/p/urllib3/issues/detail?id=10 +""" +from __future__ import absolute_import + +import warnings +from logging import getLogger + +from ntlm import ntlm + +from .. import HTTPSConnectionPool +from ..packages.six.moves.http_client import HTTPSConnection + +warnings.warn( + "The 'urllib3.contrib.ntlmpool' module is deprecated and will be removed " + "in urllib3 v2.0 release, urllib3 is not able to support it properly due " + "to reasons listed in issue: https://github.com/urllib3/urllib3/issues/2282. " + "If you are a user of this module please comment in the mentioned issue.", + DeprecationWarning, +) + +log = getLogger(__name__) + + +class NTLMConnectionPool(HTTPSConnectionPool): + """ + Implements an NTLM authentication version of an urllib3 connection pool + """ + + scheme = "https" + + def __init__(self, user, pw, authurl, *args, **kwargs): + """ + authurl is a random URL on the server that is protected by NTLM. + user is the Windows user, probably in the DOMAIN\\username format. + pw is the password for the user. + """ + super(NTLMConnectionPool, self).__init__(*args, **kwargs) + self.authurl = authurl + self.rawuser = user + user_parts = user.split("\\", 1) + self.domain = user_parts[0].upper() + self.user = user_parts[1] + self.pw = pw + + def _new_conn(self): + # Performs the NTLM handshake that secures the connection. The socket + # must be kept open while requests are performed. + self.num_connections += 1 + log.debug( + "Starting NTLM HTTPS connection no. %d: https://%s%s", + self.num_connections, + self.host, + self.authurl, + ) + + headers = {"Connection": "Keep-Alive"} + req_header = "Authorization" + resp_header = "www-authenticate" + + conn = HTTPSConnection(host=self.host, port=self.port) + + # Send negotiation message + headers[req_header] = "NTLM %s" % ntlm.create_NTLM_NEGOTIATE_MESSAGE( + self.rawuser + ) + log.debug("Request headers: %s", headers) + conn.request("GET", self.authurl, None, headers) + res = conn.getresponse() + reshdr = dict(res.getheaders()) + log.debug("Response status: %s %s", res.status, res.reason) + log.debug("Response headers: %s", reshdr) + log.debug("Response data: %s [...]", res.read(100)) + + # Remove the reference to the socket, so that it can not be closed by + # the response object (we want to keep the socket open) + res.fp = None + + # Server should respond with a challenge message + auth_header_values = reshdr[resp_header].split(", ") + auth_header_value = None + for s in auth_header_values: + if s[:5] == "NTLM ": + auth_header_value = s[5:] + if auth_header_value is None: + raise Exception( + "Unexpected %s response header: %s" % (resp_header, reshdr[resp_header]) + ) + + # Send authentication message + ServerChallenge, NegotiateFlags = ntlm.parse_NTLM_CHALLENGE_MESSAGE( + auth_header_value + ) + auth_msg = ntlm.create_NTLM_AUTHENTICATE_MESSAGE( + ServerChallenge, self.user, self.domain, self.pw, NegotiateFlags + ) + headers[req_header] = "NTLM %s" % auth_msg + log.debug("Request headers: %s", headers) + conn.request("GET", self.authurl, None, headers) + res = conn.getresponse() + log.debug("Response status: %s %s", res.status, res.reason) + log.debug("Response headers: %s", dict(res.getheaders())) + log.debug("Response data: %s [...]", res.read()[:100]) + if res.status != 200: + if res.status == 401: + raise Exception("Server rejected request: wrong username or password") + raise Exception("Wrong server response: %s %s" % (res.status, res.reason)) + + res.fp = None + log.debug("Connection established") + return conn + + def urlopen( + self, + method, + url, + body=None, + headers=None, + retries=3, + redirect=True, + assert_same_host=True, + ): + if headers is None: + headers = {} + headers["Connection"] = "Keep-Alive" + return super(NTLMConnectionPool, self).urlopen( + method, url, body, headers, retries, redirect, assert_same_host + ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/pyopenssl.py b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/pyopenssl.py similarity index 70% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/pyopenssl.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/contrib/pyopenssl.py index 363667c..3130f51 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/pyopenssl.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/pyopenssl.py @@ -1,31 +1,35 @@ """ -SSL with SNI_-support for Python 2. Follow these instructions if you would -like to verify SSL certificates in Python 2. Note, the default libraries do +TLS with SNI_-support for Python 2. Follow these instructions if you would +like to verify TLS certificates in Python 2. Note, the default libraries do *not* do certificate checking; you need to do additional work to validate certificates yourself. This needs the following packages installed: -* pyOpenSSL (tested with 16.0.0) -* cryptography (minimum 1.3.4, from pyopenssl) -* idna (minimum 2.0, from cryptography) +* `pyOpenSSL`_ (tested with 16.0.0) +* `cryptography`_ (minimum 1.3.4, from pyopenssl) +* `idna`_ (minimum 2.0, from cryptography) However, pyopenssl depends on cryptography, which depends on idna, so while we use all three directly here we end up having relatively few packages required. You can install them with the following command: - pip install pyopenssl cryptography idna +.. code-block:: bash + + $ python -m pip install pyopenssl cryptography idna To activate certificate checking, call :func:`~urllib3.contrib.pyopenssl.inject_into_urllib3` from your Python code before you begin making HTTP requests. This can be done in a ``sitecustomize`` module, or at any other time before your application begins using ``urllib3``, -like this:: +like this: + +.. code-block:: python try: - import urllib3.contrib.pyopenssl - urllib3.contrib.pyopenssl.inject_into_urllib3() + import pip._vendor.urllib3.contrib.pyopenssl as pyopenssl + pyopenssl.inject_into_urllib3() except ImportError: pass @@ -35,11 +39,11 @@ Activating this module also has the positive side effect of disabling SSL/TLS compression in Python 2 (see `CRIME attack`_). -If you want to configure the default list of supported cipher suites, you can -set the ``urllib3.contrib.pyopenssl.DEFAULT_SSL_CIPHER_LIST`` variable. - .. _sni: https://en.wikipedia.org/wiki/Server_Name_Indication .. _crime attack: https://en.wikipedia.org/wiki/CRIME_(security_exploit) +.. _pyopenssl: https://www.pyopenssl.org +.. _cryptography: https://cryptography.io +.. _idna: https://github.com/kjd/idna """ from __future__ import absolute_import @@ -47,6 +51,7 @@ from cryptography import x509 from cryptography.hazmat.backends.openssl import backend as openssl_backend from cryptography.hazmat.backends.openssl.x509 import _Certificate + try: from cryptography.x509 import UnsupportedExtension except ImportError: @@ -54,8 +59,10 @@ class UnsupportedExtension(Exception): pass -from socket import timeout, error as SocketError + from io import BytesIO +from socket import error as SocketError +from socket import timeout try: # Platform-specific: Python 2 from socket import _fileobject @@ -65,42 +72,41 @@ class UnsupportedExtension(Exception): import logging import ssl -from ..packages import six import sys from .. import util +from ..packages import six +from ..util.ssl_ import PROTOCOL_TLS_CLIENT -__all__ = ['inject_into_urllib3', 'extract_from_urllib3'] +__all__ = ["inject_into_urllib3", "extract_from_urllib3"] # SNI always works. HAS_SNI = True # Map from urllib3 to PyOpenSSL compatible parameter-values. _openssl_versions = { - ssl.PROTOCOL_SSLv23: OpenSSL.SSL.SSLv23_METHOD, + util.PROTOCOL_TLS: OpenSSL.SSL.SSLv23_METHOD, + PROTOCOL_TLS_CLIENT: OpenSSL.SSL.SSLv23_METHOD, ssl.PROTOCOL_TLSv1: OpenSSL.SSL.TLSv1_METHOD, } -if hasattr(ssl, 'PROTOCOL_TLSv1_1') and hasattr(OpenSSL.SSL, 'TLSv1_1_METHOD'): +if hasattr(ssl, "PROTOCOL_SSLv3") and hasattr(OpenSSL.SSL, "SSLv3_METHOD"): + _openssl_versions[ssl.PROTOCOL_SSLv3] = OpenSSL.SSL.SSLv3_METHOD + +if hasattr(ssl, "PROTOCOL_TLSv1_1") and hasattr(OpenSSL.SSL, "TLSv1_1_METHOD"): _openssl_versions[ssl.PROTOCOL_TLSv1_1] = OpenSSL.SSL.TLSv1_1_METHOD -if hasattr(ssl, 'PROTOCOL_TLSv1_2') and hasattr(OpenSSL.SSL, 'TLSv1_2_METHOD'): +if hasattr(ssl, "PROTOCOL_TLSv1_2") and hasattr(OpenSSL.SSL, "TLSv1_2_METHOD"): _openssl_versions[ssl.PROTOCOL_TLSv1_2] = OpenSSL.SSL.TLSv1_2_METHOD -try: - _openssl_versions.update({ssl.PROTOCOL_SSLv3: OpenSSL.SSL.SSLv3_METHOD}) -except AttributeError: - pass _stdlib_to_openssl_verify = { ssl.CERT_NONE: OpenSSL.SSL.VERIFY_NONE, ssl.CERT_OPTIONAL: OpenSSL.SSL.VERIFY_PEER, - ssl.CERT_REQUIRED: - OpenSSL.SSL.VERIFY_PEER + OpenSSL.SSL.VERIFY_FAIL_IF_NO_PEER_CERT, + ssl.CERT_REQUIRED: OpenSSL.SSL.VERIFY_PEER + + OpenSSL.SSL.VERIFY_FAIL_IF_NO_PEER_CERT, } -_openssl_to_stdlib_verify = dict( - (v, k) for k, v in _stdlib_to_openssl_verify.items() -) +_openssl_to_stdlib_verify = dict((v, k) for k, v in _stdlib_to_openssl_verify.items()) # OpenSSL will only write 16K at a time SSL_WRITE_BLOCKSIZE = 16384 @@ -113,10 +119,11 @@ class UnsupportedExtension(Exception): def inject_into_urllib3(): - 'Monkey-patch urllib3 with PyOpenSSL-backed SSL-support.' + "Monkey-patch urllib3 with PyOpenSSL-backed SSL-support." _validate_dependencies_met() + util.SSLContext = PyOpenSSLContext util.ssl_.SSLContext = PyOpenSSLContext util.HAS_SNI = HAS_SNI util.ssl_.HAS_SNI = HAS_SNI @@ -125,8 +132,9 @@ def inject_into_urllib3(): def extract_from_urllib3(): - 'Undo monkey-patching by :func:`inject_into_urllib3`.' + "Undo monkey-patching by :func:`inject_into_urllib3`." + util.SSLContext = orig_util_SSLContext util.ssl_.SSLContext = orig_util_SSLContext util.HAS_SNI = orig_util_HAS_SNI util.ssl_.HAS_SNI = orig_util_HAS_SNI @@ -141,17 +149,23 @@ def _validate_dependencies_met(): """ # Method added in `cryptography==1.1`; not available in older versions from cryptography.x509.extensions import Extensions + if getattr(Extensions, "get_extension_for_class", None) is None: - raise ImportError("'cryptography' module missing required functionality. " - "Try upgrading to v1.3.4 or newer.") + raise ImportError( + "'cryptography' module missing required functionality. " + "Try upgrading to v1.3.4 or newer." + ) # pyOpenSSL 0.14 and above use cryptography for OpenSSL bindings. The _x509 # attribute is only present on those versions. from OpenSSL.crypto import X509 + x509 = X509() if getattr(x509, "_x509", None) is None: - raise ImportError("'pyOpenSSL' module missing required functionality. " - "Try upgrading to v0.14 or newer.") + raise ImportError( + "'pyOpenSSL' module missing required functionality. " + "Try upgrading to v0.14 or newer." + ) def _dnsname_to_stdlib(name): @@ -167,6 +181,7 @@ def _dnsname_to_stdlib(name): If the name cannot be idna-encoded then we return None signalling that the name given should be skipped. """ + def idna_encode(name): """ Borrowed wholesale from the Python Cryptography Project. It turns out @@ -176,19 +191,23 @@ def idna_encode(name): from pip._vendor import idna try: - for prefix in [u'*.', u'.']: + for prefix in [u"*.", u"."]: if name.startswith(prefix): - name = name[len(prefix):] - return prefix.encode('ascii') + idna.encode(name) + name = name[len(prefix) :] + return prefix.encode("ascii") + idna.encode(name) return idna.encode(name) except idna.core.IDNAError: return None + # Don't send IPv6 addresses through the IDNA encoder. + if ":" in name: + return name + name = idna_encode(name) if name is None: return None elif sys.version_info >= (3, 0): - name = name.decode('utf-8') + name = name.decode("utf-8") return name @@ -207,14 +226,16 @@ def get_subj_alt_name(peer_cert): # We want to find the SAN extension. Ask Cryptography to locate it (it's # faster than looping in Python) try: - ext = cert.extensions.get_extension_for_class( - x509.SubjectAlternativeName - ).value + ext = cert.extensions.get_extension_for_class(x509.SubjectAlternativeName).value except x509.ExtensionNotFound: # No such extension, return the empty list. return [] - except (x509.DuplicateExtension, UnsupportedExtension, - x509.UnsupportedGeneralNameType, UnicodeError) as e: + except ( + x509.DuplicateExtension, + UnsupportedExtension, + x509.UnsupportedGeneralNameType, + UnicodeError, + ) as e: # A problem has been found with the quality of the certificate. Assume # no SAN field is present. log.warning( @@ -233,23 +254,23 @@ def get_subj_alt_name(peer_cert): # does with certificates, and so we need to attempt to do the same. # We also want to skip over names which cannot be idna encoded. names = [ - ('DNS', name) for name in map(_dnsname_to_stdlib, ext.get_values_for_type(x509.DNSName)) + ("DNS", name) + for name in map(_dnsname_to_stdlib, ext.get_values_for_type(x509.DNSName)) if name is not None ] names.extend( - ('IP Address', str(name)) - for name in ext.get_values_for_type(x509.IPAddress) + ("IP Address", str(name)) for name in ext.get_values_for_type(x509.IPAddress) ) return names class WrappedSocket(object): - '''API-compatibility wrapper for Python OpenSSL's Connection-class. + """API-compatibility wrapper for Python OpenSSL's Connection-class. Note: _makefile_refs, _drop() and _reuse() are needed for the garbage collector of pypy. - ''' + """ def __init__(self, connection, socket, suppress_ragged_eofs=True): self.connection = connection @@ -272,20 +293,24 @@ def recv(self, *args, **kwargs): try: data = self.connection.recv(*args, **kwargs) except OpenSSL.SSL.SysCallError as e: - if self.suppress_ragged_eofs and e.args == (-1, 'Unexpected EOF'): - return b'' + if self.suppress_ragged_eofs and e.args == (-1, "Unexpected EOF"): + return b"" else: raise SocketError(str(e)) - except OpenSSL.SSL.ZeroReturnError as e: + except OpenSSL.SSL.ZeroReturnError: if self.connection.get_shutdown() == OpenSSL.SSL.RECEIVED_SHUTDOWN: - return b'' + return b"" else: raise except OpenSSL.SSL.WantReadError: if not util.wait_for_read(self.socket, self.socket.gettimeout()): - raise timeout('The read operation timed out') + raise timeout("The read operation timed out") else: return self.recv(*args, **kwargs) + + # TLS 1.3 post-handshake authentication + except OpenSSL.SSL.Error as e: + raise ssl.SSLError("read error: %r" % e) else: return data @@ -293,21 +318,25 @@ def recv_into(self, *args, **kwargs): try: return self.connection.recv_into(*args, **kwargs) except OpenSSL.SSL.SysCallError as e: - if self.suppress_ragged_eofs and e.args == (-1, 'Unexpected EOF'): + if self.suppress_ragged_eofs and e.args == (-1, "Unexpected EOF"): return 0 else: raise SocketError(str(e)) - except OpenSSL.SSL.ZeroReturnError as e: + except OpenSSL.SSL.ZeroReturnError: if self.connection.get_shutdown() == OpenSSL.SSL.RECEIVED_SHUTDOWN: return 0 else: raise except OpenSSL.SSL.WantReadError: if not util.wait_for_read(self.socket, self.socket.gettimeout()): - raise timeout('The read operation timed out') + raise timeout("The read operation timed out") else: return self.recv_into(*args, **kwargs) + # TLS 1.3 post-handshake authentication + except OpenSSL.SSL.Error as e: + raise ssl.SSLError("read error: %r" % e) + def settimeout(self, timeout): return self.socket.settimeout(timeout) @@ -325,7 +354,9 @@ def _send_until_done(self, data): def sendall(self, data): total_sent = 0 while total_sent < len(data): - sent = self._send_until_done(data[total_sent:total_sent + SSL_WRITE_BLOCKSIZE]) + sent = self._send_until_done( + data[total_sent : total_sent + SSL_WRITE_BLOCKSIZE] + ) total_sent += sent def shutdown(self): @@ -349,17 +380,16 @@ def getpeercert(self, binary_form=False): return x509 if binary_form: - return OpenSSL.crypto.dump_certificate( - OpenSSL.crypto.FILETYPE_ASN1, - x509) + return OpenSSL.crypto.dump_certificate(OpenSSL.crypto.FILETYPE_ASN1, x509) return { - 'subject': ( - (('commonName', x509.get_subject().CN),), - ), - 'subjectAltName': get_subj_alt_name(x509) + "subject": ((("commonName", x509.get_subject().CN),),), + "subjectAltName": get_subj_alt_name(x509), } + def version(self): + return self.connection.get_protocol_version_name() + def _reuse(self): self._makefile_refs += 1 @@ -371,9 +401,12 @@ def _drop(self): if _fileobject: # Platform-specific: Python 2 + def makefile(self, mode, bufsize=-1): self._makefile_refs += 1 return _fileobject(self, mode, bufsize, close=True) + + else: # Platform-specific: Python 3 makefile = backport_makefile @@ -386,6 +419,7 @@ class PyOpenSSLContext(object): for translating the interface of the standard library ``SSLContext`` object to calls into PyOpenSSL. """ + def __init__(self, protocol): self.protocol = _openssl_versions[protocol] self._ctx = OpenSSL.SSL.Context(self.protocol) @@ -407,41 +441,52 @@ def verify_mode(self): @verify_mode.setter def verify_mode(self, value): - self._ctx.set_verify( - _stdlib_to_openssl_verify[value], - _verify_callback - ) + self._ctx.set_verify(_stdlib_to_openssl_verify[value], _verify_callback) def set_default_verify_paths(self): self._ctx.set_default_verify_paths() def set_ciphers(self, ciphers): if isinstance(ciphers, six.text_type): - ciphers = ciphers.encode('utf-8') + ciphers = ciphers.encode("utf-8") self._ctx.set_cipher_list(ciphers) def load_verify_locations(self, cafile=None, capath=None, cadata=None): if cafile is not None: - cafile = cafile.encode('utf-8') + cafile = cafile.encode("utf-8") if capath is not None: - capath = capath.encode('utf-8') - self._ctx.load_verify_locations(cafile, capath) - if cadata is not None: - self._ctx.load_verify_locations(BytesIO(cadata)) + capath = capath.encode("utf-8") + try: + self._ctx.load_verify_locations(cafile, capath) + if cadata is not None: + self._ctx.load_verify_locations(BytesIO(cadata)) + except OpenSSL.SSL.Error as e: + raise ssl.SSLError("unable to load trusted certificates: %r" % e) def load_cert_chain(self, certfile, keyfile=None, password=None): self._ctx.use_certificate_chain_file(certfile) if password is not None: - self._ctx.set_passwd_cb(lambda max_length, prompt_twice, userdata: password) + if not isinstance(password, six.binary_type): + password = password.encode("utf-8") + self._ctx.set_passwd_cb(lambda *_: password) self._ctx.use_privatekey_file(keyfile or certfile) - def wrap_socket(self, sock, server_side=False, - do_handshake_on_connect=True, suppress_ragged_eofs=True, - server_hostname=None): + def set_alpn_protocols(self, protocols): + protocols = [six.ensure_binary(p) for p in protocols] + return self._ctx.set_alpn_protos(protocols) + + def wrap_socket( + self, + sock, + server_side=False, + do_handshake_on_connect=True, + suppress_ragged_eofs=True, + server_hostname=None, + ): cnx = OpenSSL.SSL.Connection(self._ctx, sock) if isinstance(server_hostname, six.text_type): # Platform-specific: Python 3 - server_hostname = server_hostname.encode('utf-8') + server_hostname = server_hostname.encode("utf-8") if server_hostname is not None: cnx.set_tlsext_host_name(server_hostname) @@ -453,10 +498,10 @@ def wrap_socket(self, sock, server_side=False, cnx.do_handshake() except OpenSSL.SSL.WantReadError: if not util.wait_for_read(sock, sock.gettimeout()): - raise timeout('select timed out') + raise timeout("select timed out") continue except OpenSSL.SSL.Error as e: - raise ssl.SSLError('bad handshake: %r' % e) + raise ssl.SSLError("bad handshake: %r" % e) break return WrappedSocket(cnx, sock) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/securetransport.py b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/securetransport.py similarity index 77% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/securetransport.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/contrib/securetransport.py index 77cb59e..b4ca80b 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/securetransport.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/securetransport.py @@ -19,10 +19,37 @@ To use this module, simply import and inject it:: - import urllib3.contrib.securetransport - urllib3.contrib.securetransport.inject_into_urllib3() + import pip._vendor.urllib3.contrib.securetransport as securetransport + securetransport.inject_into_urllib3() Happy TLSing! + +This code is a bastardised version of the code found in Will Bond's oscrypto +library. An enormous debt is owed to him for blazing this trail for us. For +that reason, this code should be considered to be covered both by urllib3's +license and by oscrypto's: + +.. code-block:: + + Copyright (c) 2015-2016 Will Bond <will@wbond.net> + + Permission is hereby granted, free of charge, to any person obtaining a + copy of this software and associated documentation files (the "Software"), + to deal in the Software without restriction, including without limitation + the rights to use, copy, modify, merge, publish, distribute, sublicense, + and/or sell copies of the Software, and to permit persons to whom the + Software is furnished to do so, subject to the following conditions: + + The above copyright notice and this permission notice shall be included in + all copies or substantial portions of the Software. + + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING + FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER + DEALINGS IN THE SOFTWARE. """ from __future__ import absolute_import @@ -33,16 +60,22 @@ import shutil import socket import ssl +import struct import threading import weakref +from pip._vendor import six + from .. import util -from ._securetransport.bindings import ( - Security, SecurityConst, CoreFoundation -) +from ..util.ssl_ import PROTOCOL_TLS_CLIENT +from ._securetransport.bindings import CoreFoundation, Security, SecurityConst from ._securetransport.low_level import ( - _assert_no_error, _cert_array_from_pem, _temporary_keychain, - _load_client_cert_chain + _assert_no_error, + _build_tls_unknown_ca_alert, + _cert_array_from_pem, + _create_cfstring_array, + _load_client_cert_chain, + _temporary_keychain, ) try: # Platform-specific: Python 2 @@ -51,7 +84,7 @@ _fileobject = None from ..packages.backports.makefile import backport_makefile -__all__ = ['inject_into_urllib3', 'extract_from_urllib3'] +__all__ = ["inject_into_urllib3", "extract_from_urllib3"] # SNI always works HAS_SNI = True @@ -86,35 +119,32 @@ # individual cipher suites. We need to do this because this is how # SecureTransport wants them. CIPHER_SUITES = [ - SecurityConst.TLS_AES_256_GCM_SHA384, - SecurityConst.TLS_CHACHA20_POLY1305_SHA256, - SecurityConst.TLS_AES_128_GCM_SHA256, SecurityConst.TLS_ECDHE_ECDSA_WITH_AES_256_GCM_SHA384, - SecurityConst.TLS_ECDHE_RSA_WITH_AES_256_GCM_SHA384, SecurityConst.TLS_ECDHE_ECDSA_WITH_AES_128_GCM_SHA256, + SecurityConst.TLS_ECDHE_RSA_WITH_AES_256_GCM_SHA384, SecurityConst.TLS_ECDHE_RSA_WITH_AES_128_GCM_SHA256, - SecurityConst.TLS_DHE_DSS_WITH_AES_256_GCM_SHA384, + SecurityConst.TLS_ECDHE_ECDSA_WITH_CHACHA20_POLY1305_SHA256, + SecurityConst.TLS_ECDHE_RSA_WITH_CHACHA20_POLY1305_SHA256, SecurityConst.TLS_DHE_RSA_WITH_AES_256_GCM_SHA384, - SecurityConst.TLS_DHE_DSS_WITH_AES_128_GCM_SHA256, SecurityConst.TLS_DHE_RSA_WITH_AES_128_GCM_SHA256, SecurityConst.TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA384, - SecurityConst.TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA384, SecurityConst.TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA, - SecurityConst.TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA, - SecurityConst.TLS_DHE_RSA_WITH_AES_256_CBC_SHA256, - SecurityConst.TLS_DHE_DSS_WITH_AES_256_CBC_SHA256, - SecurityConst.TLS_DHE_RSA_WITH_AES_256_CBC_SHA, - SecurityConst.TLS_DHE_DSS_WITH_AES_256_CBC_SHA, SecurityConst.TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA256, - SecurityConst.TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA256, SecurityConst.TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA, + SecurityConst.TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA384, + SecurityConst.TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA, + SecurityConst.TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA256, SecurityConst.TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA, + SecurityConst.TLS_DHE_RSA_WITH_AES_256_CBC_SHA256, + SecurityConst.TLS_DHE_RSA_WITH_AES_256_CBC_SHA, SecurityConst.TLS_DHE_RSA_WITH_AES_128_CBC_SHA256, - SecurityConst.TLS_DHE_DSS_WITH_AES_128_CBC_SHA256, SecurityConst.TLS_DHE_RSA_WITH_AES_128_CBC_SHA, - SecurityConst.TLS_DHE_DSS_WITH_AES_128_CBC_SHA, + SecurityConst.TLS_AES_256_GCM_SHA384, + SecurityConst.TLS_AES_128_GCM_SHA256, SecurityConst.TLS_RSA_WITH_AES_256_GCM_SHA384, SecurityConst.TLS_RSA_WITH_AES_128_GCM_SHA256, + SecurityConst.TLS_AES_128_CCM_8_SHA256, + SecurityConst.TLS_AES_128_CCM_SHA256, SecurityConst.TLS_RSA_WITH_AES_256_CBC_SHA256, SecurityConst.TLS_RSA_WITH_AES_128_CBC_SHA256, SecurityConst.TLS_RSA_WITH_AES_256_CBC_SHA, @@ -123,38 +153,44 @@ # Basically this is simple: for PROTOCOL_SSLv23 we turn it into a low of # TLSv1 and a high of TLSv1.2. For everything else, we pin to that version. +# TLSv1 to 1.2 are supported on macOS 10.8+ _protocol_to_min_max = { - ssl.PROTOCOL_SSLv23: (SecurityConst.kTLSProtocol1, SecurityConst.kTLSProtocol12), + util.PROTOCOL_TLS: (SecurityConst.kTLSProtocol1, SecurityConst.kTLSProtocol12), + PROTOCOL_TLS_CLIENT: (SecurityConst.kTLSProtocol1, SecurityConst.kTLSProtocol12), } if hasattr(ssl, "PROTOCOL_SSLv2"): _protocol_to_min_max[ssl.PROTOCOL_SSLv2] = ( - SecurityConst.kSSLProtocol2, SecurityConst.kSSLProtocol2 + SecurityConst.kSSLProtocol2, + SecurityConst.kSSLProtocol2, ) if hasattr(ssl, "PROTOCOL_SSLv3"): _protocol_to_min_max[ssl.PROTOCOL_SSLv3] = ( - SecurityConst.kSSLProtocol3, SecurityConst.kSSLProtocol3 + SecurityConst.kSSLProtocol3, + SecurityConst.kSSLProtocol3, ) if hasattr(ssl, "PROTOCOL_TLSv1"): _protocol_to_min_max[ssl.PROTOCOL_TLSv1] = ( - SecurityConst.kTLSProtocol1, SecurityConst.kTLSProtocol1 + SecurityConst.kTLSProtocol1, + SecurityConst.kTLSProtocol1, ) if hasattr(ssl, "PROTOCOL_TLSv1_1"): _protocol_to_min_max[ssl.PROTOCOL_TLSv1_1] = ( - SecurityConst.kTLSProtocol11, SecurityConst.kTLSProtocol11 + SecurityConst.kTLSProtocol11, + SecurityConst.kTLSProtocol11, ) if hasattr(ssl, "PROTOCOL_TLSv1_2"): _protocol_to_min_max[ssl.PROTOCOL_TLSv1_2] = ( - SecurityConst.kTLSProtocol12, SecurityConst.kTLSProtocol12 + SecurityConst.kTLSProtocol12, + SecurityConst.kTLSProtocol12, ) -if hasattr(ssl, "PROTOCOL_TLS"): - _protocol_to_min_max[ssl.PROTOCOL_TLS] = _protocol_to_min_max[ssl.PROTOCOL_SSLv23] def inject_into_urllib3(): """ Monkey-patch urllib3 with SecureTransport-backed SSL-support. """ + util.SSLContext = SecureTransportContext util.ssl_.SSLContext = SecureTransportContext util.HAS_SNI = HAS_SNI util.ssl_.HAS_SNI = HAS_SNI @@ -166,6 +202,7 @@ def extract_from_urllib3(): """ Undo monkey-patching by :func:`inject_into_urllib3`. """ + util.SSLContext = orig_util_SSLContext util.ssl_.SSLContext = orig_util_SSLContext util.HAS_SNI = orig_util_HAS_SNI util.ssl_.HAS_SNI = orig_util_HAS_SNI @@ -195,7 +232,7 @@ def _read_callback(connection_id, data_buffer, data_length_pointer): while read_count < requested_length: if timeout is None or timeout >= 0: if not util.wait_for_read(base_socket, timeout): - raise socket.error(errno.EAGAIN, 'timed out') + raise socket.error(errno.EAGAIN, "timed out") remaining = requested_length - read_count buffer = (ctypes.c_char * remaining).from_address( @@ -251,7 +288,7 @@ def _write_callback(connection_id, data_buffer, data_length_pointer): while sent < bytes_to_write: if timeout is None or timeout >= 0: if not util.wait_for_write(base_socket, timeout): - raise socket.error(errno.EAGAIN, 'timed out') + raise socket.error(errno.EAGAIN, "timed out") chunk_sent = base_socket.send(data) sent += chunk_sent @@ -293,6 +330,7 @@ class WrappedSocket(object): Note: _makefile_refs, _drop(), and _reuse() are needed for the garbage collector of PyPy. """ + def __init__(self, socket): self.socket = socket self.context = None @@ -345,19 +383,58 @@ def _set_ciphers(self): ) _assert_no_error(result) + def _set_alpn_protocols(self, protocols): + """ + Sets up the ALPN protocols on the context. + """ + if not protocols: + return + protocols_arr = _create_cfstring_array(protocols) + try: + result = Security.SSLSetALPNProtocols(self.context, protocols_arr) + _assert_no_error(result) + finally: + CoreFoundation.CFRelease(protocols_arr) + def _custom_validate(self, verify, trust_bundle): """ Called when we have set custom validation. We do this in two cases: first, when cert validation is entirely disabled; and second, when using a custom trust DB. + Raises an SSLError if the connection is not trusted. """ # If we disabled cert validation, just say: cool. if not verify: return + successes = ( + SecurityConst.kSecTrustResultUnspecified, + SecurityConst.kSecTrustResultProceed, + ) + try: + trust_result = self._evaluate_trust(trust_bundle) + if trust_result in successes: + return + reason = "error code: %d" % (trust_result,) + except Exception as e: + # Do not trust on error + reason = "exception: %r" % (e,) + + # SecureTransport does not send an alert nor shuts down the connection. + rec = _build_tls_unknown_ca_alert(self.version()) + self.socket.sendall(rec) + # close the connection immediately + # l_onoff = 1, activate linger + # l_linger = 0, linger for 0 seoncds + opts = struct.pack("ii", 1, 0) + self.socket.setsockopt(socket.SOL_SOCKET, socket.SO_LINGER, opts) + self.close() + raise ssl.SSLError("certificate verify failed, %s" % reason) + + def _evaluate_trust(self, trust_bundle): # We want data in memory, so load it up. if os.path.isfile(trust_bundle): - with open(trust_bundle, 'rb') as f: + with open(trust_bundle, "rb") as f: trust_bundle = f.read() cert_array = None @@ -371,9 +448,7 @@ def _custom_validate(self, verify, trust_bundle): # created for this connection, shove our CAs into it, tell ST to # ignore everything else it knows, and then ask if it can build a # chain. This is a buuuunch of code. - result = Security.SSLCopyPeerTrust( - self.context, ctypes.byref(trust) - ) + result = Security.SSLCopyPeerTrust(self.context, ctypes.byref(trust)) _assert_no_error(result) if not trust: raise ssl.SSLError("Failed to copy trust reference") @@ -385,9 +460,7 @@ def _custom_validate(self, verify, trust_bundle): _assert_no_error(result) trust_result = Security.SecTrustResultType() - result = Security.SecTrustEvaluate( - trust, ctypes.byref(trust_result) - ) + result = Security.SecTrustEvaluate(trust, ctypes.byref(trust_result)) _assert_no_error(result) finally: if trust: @@ -396,26 +469,20 @@ def _custom_validate(self, verify, trust_bundle): if cert_array is not None: CoreFoundation.CFRelease(cert_array) - # Ok, now we can look at what the result was. - successes = ( - SecurityConst.kSecTrustResultUnspecified, - SecurityConst.kSecTrustResultProceed - ) - if trust_result.value not in successes: - raise ssl.SSLError( - "certificate verify failed, error code: %d" % - trust_result.value - ) - - def handshake(self, - server_hostname, - verify, - trust_bundle, - min_version, - max_version, - client_cert, - client_key, - client_key_passphrase): + return trust_result.value + + def handshake( + self, + server_hostname, + verify, + trust_bundle, + min_version, + max_version, + client_cert, + client_key, + client_key_passphrase, + alpn_protocols, + ): """ Actually performs the TLS handshake. This is run automatically by wrapped socket, and shouldn't be needed in user code. @@ -445,7 +512,7 @@ def handshake(self, # If we have a server hostname, we should set that too. if server_hostname: if not isinstance(server_hostname, bytes): - server_hostname = server_hostname.encode('utf-8') + server_hostname = server_hostname.encode("utf-8") result = Security.SSLSetPeerDomainName( self.context, server_hostname, len(server_hostname) @@ -455,9 +522,13 @@ def handshake(self, # Setup the ciphers. self._set_ciphers() + # Setup the ALPN protocols. + self._set_alpn_protocols(alpn_protocols) + # Set the minimum and maximum TLS versions. result = Security.SSLSetProtocolVersionMin(self.context, min_version) _assert_no_error(result) + result = Security.SSLSetProtocolVersionMax(self.context, max_version) _assert_no_error(result) @@ -467,9 +538,7 @@ def handshake(self, # authing in that case. if not verify or trust_bundle is not None: result = Security.SSLSetSessionOption( - self.context, - SecurityConst.kSSLSessionOptionBreakOnServerAuth, - True + self.context, SecurityConst.kSSLSessionOptionBreakOnServerAuth, True ) _assert_no_error(result) @@ -479,9 +548,7 @@ def handshake(self, self._client_cert_chain = _load_client_cert_chain( self._keychain, client_cert, client_key ) - result = Security.SSLSetCertificate( - self.context, self._client_cert_chain - ) + result = Security.SSLSetCertificate(self.context, self._client_cert_chain) _assert_no_error(result) while True: @@ -532,7 +599,7 @@ def recv_into(self, buffer, nbytes=None): # There are some result codes that we want to treat as "not always # errors". Specifically, those are errSSLWouldBlock, # errSSLClosedGraceful, and errSSLClosedNoNotify. - if (result == SecurityConst.errSSLWouldBlock): + if result == SecurityConst.errSSLWouldBlock: # If we didn't process any bytes, then this was just a time out. # However, we can get errSSLWouldBlock in situations when we *did* # read some data, and in those cases we should just read "short" @@ -540,7 +607,10 @@ def recv_into(self, buffer, nbytes=None): if processed_bytes.value == 0: # Timed out, no data read. raise socket.timeout("recv timed out") - elif result in (SecurityConst.errSSLClosedGraceful, SecurityConst.errSSLClosedNoNotify): + elif result in ( + SecurityConst.errSSLClosedGraceful, + SecurityConst.errSSLClosedNoNotify, + ): # The remote peer has closed this connection. We should do so as # well. Note that we don't actually return here because in # principle this could actually be fired along with return data. @@ -579,7 +649,7 @@ def send(self, data): def sendall(self, data): total_sent = 0 while total_sent < len(data): - sent = self.send(data[total_sent:total_sent + SSL_WRITE_BLOCKSIZE]) + sent = self.send(data[total_sent : total_sent + SSL_WRITE_BLOCKSIZE]) total_sent += sent def shutdown(self): @@ -626,18 +696,14 @@ def getpeercert(self, binary_form=False): # instead to just flag to urllib3 that it shouldn't do its own hostname # validation when using SecureTransport. if not binary_form: - raise ValueError( - "SecureTransport only supports dumping binary certs" - ) + raise ValueError("SecureTransport only supports dumping binary certs") trust = Security.SecTrustRef() certdata = None der_bytes = None try: # Grab the trust store. - result = Security.SSLCopyPeerTrust( - self.context, ctypes.byref(trust) - ) + result = Security.SSLCopyPeerTrust(self.context, ctypes.byref(trust)) _assert_no_error(result) if not trust: # Probably we haven't done the handshake yet. No biggie. @@ -667,6 +733,27 @@ def getpeercert(self, binary_form=False): return der_bytes + def version(self): + protocol = Security.SSLProtocol() + result = Security.SSLGetNegotiatedProtocolVersion( + self.context, ctypes.byref(protocol) + ) + _assert_no_error(result) + if protocol.value == SecurityConst.kTLSProtocol13: + raise ssl.SSLError("SecureTransport does not support TLS 1.3") + elif protocol.value == SecurityConst.kTLSProtocol12: + return "TLSv1.2" + elif protocol.value == SecurityConst.kTLSProtocol11: + return "TLSv1.1" + elif protocol.value == SecurityConst.kTLSProtocol1: + return "TLSv1" + elif protocol.value == SecurityConst.kSSLProtocol3: + return "SSLv3" + elif protocol.value == SecurityConst.kSSLProtocol2: + return "SSLv2" + else: + raise ssl.SSLError("Unknown TLS version: %r" % protocol) + def _reuse(self): self._makefile_refs += 1 @@ -678,16 +765,21 @@ def _drop(self): if _fileobject: # Platform-specific: Python 2 + def makefile(self, mode, bufsize=-1): self._makefile_refs += 1 return _fileobject(self, mode, bufsize, close=True) + + else: # Platform-specific: Python 3 + def makefile(self, mode="r", buffering=None, *args, **kwargs): # We disable buffering with SecureTransport because it conflicts with # the buffering that ST does internally (see issue #1153 for more). buffering = 0 return backport_makefile(self, mode, buffering, *args, **kwargs) + WrappedSocket.makefile = makefile @@ -697,6 +789,7 @@ class SecureTransportContext(object): interface of the standard library ``SSLContext`` object to calls into SecureTransport. """ + def __init__(self, protocol): self._min_version, self._max_version = _protocol_to_min_max[protocol] self._options = 0 @@ -705,6 +798,7 @@ def __init__(self, protocol): self._client_cert = None self._client_key = None self._client_key_passphrase = None + self._alpn_protocols = None @property def check_hostname(self): @@ -763,16 +857,17 @@ def load_default_certs(self): def set_ciphers(self, ciphers): # For now, we just require the default cipher string. if ciphers != util.ssl_.DEFAULT_CIPHERS: - raise ValueError( - "SecureTransport doesn't support custom cipher strings" - ) + raise ValueError("SecureTransport doesn't support custom cipher strings") def load_verify_locations(self, cafile=None, capath=None, cadata=None): # OK, we only really support cadata and cafile. if capath is not None: - raise ValueError( - "SecureTransport does not support cert directories" - ) + raise ValueError("SecureTransport does not support cert directories") + + # Raise if cafile does not exist. + if cafile is not None: + with open(cafile): + pass self._trust_bundle = cafile or cadata @@ -781,9 +876,26 @@ def load_cert_chain(self, certfile, keyfile=None, password=None): self._client_key = keyfile self._client_cert_passphrase = password - def wrap_socket(self, sock, server_side=False, - do_handshake_on_connect=True, suppress_ragged_eofs=True, - server_hostname=None): + def set_alpn_protocols(self, protocols): + """ + Sets the ALPN protocols that will later be set on the context. + + Raises a NotImplementedError if ALPN is not supported. + """ + if not hasattr(Security, "SSLSetALPNProtocols"): + raise NotImplementedError( + "SecureTransport supports ALPN only in macOS 10.12+" + ) + self._alpn_protocols = [six.ensure_binary(p) for p in protocols] + + def wrap_socket( + self, + sock, + server_side=False, + do_handshake_on_connect=True, + suppress_ragged_eofs=True, + server_hostname=None, + ): # So, what do we do here? Firstly, we assert some properties. This is a # stripped down shim, so there is some functionality we don't support. # See PEP 543 for the real deal. @@ -797,8 +909,14 @@ def wrap_socket(self, sock, server_side=False, # Now we can handshake wrapped_socket.handshake( - server_hostname, self._verify, self._trust_bundle, - self._min_version, self._max_version, self._client_cert, - self._client_key, self._client_key_passphrase + server_hostname, + self._verify, + self._trust_bundle, + self._min_version, + self._max_version, + self._client_cert, + self._client_key, + self._client_key_passphrase, + self._alpn_protocols, ) return wrapped_socket diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/socks.py b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/socks.py similarity index 52% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/socks.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/contrib/socks.py index 811e312..c326e80 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/contrib/socks.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/contrib/socks.py @@ -1,25 +1,42 @@ # -*- coding: utf-8 -*- """ This module contains provisional support for SOCKS proxies from within -urllib3. This module supports SOCKS4 (specifically the SOCKS4A variant) and +urllib3. This module supports SOCKS4, SOCKS4A (an extension of SOCKS4), and SOCKS5. To enable its functionality, either install PySocks or install this module with the ``socks`` extra. The SOCKS implementation supports the full range of urllib3 features. It also supports the following SOCKS features: -- SOCKS4 -- SOCKS4a -- SOCKS5 +- SOCKS4A (``proxy_url='socks4a://...``) +- SOCKS4 (``proxy_url='socks4://...``) +- SOCKS5 with remote DNS (``proxy_url='socks5h://...``) +- SOCKS5 with local DNS (``proxy_url='socks5://...``) - Usernames and passwords for the SOCKS proxy -Known Limitations: +.. note:: + It is recommended to use ``socks5h://`` or ``socks4a://`` schemes in + your ``proxy_url`` to ensure that DNS resolution is done from the remote + server instead of client-side when connecting to a domain name. + +SOCKS4 supports IPv4 and domain names with the SOCKS4A extension. SOCKS5 +supports IPv4, IPv6, and domain names. + +When connecting to a SOCKS4 proxy the ``username`` portion of the ``proxy_url`` +will be sent as the ``userid`` section of the SOCKS request: + +.. code-block:: python + + proxy_url="socks4a://<userid>@proxy-host" + +When connecting to a SOCKS5 proxy the ``username`` and ``password`` portion +of the ``proxy_url`` will be sent as the username/password to authenticate +with the proxy: + +.. code-block:: python + + proxy_url="socks5h://<username>:<password>@proxy-host" -- Currently PySocks does not support contacting remote websites via literal - IPv6 addresses. Any such connection attempt will fail. You must use a domain - name. -- Currently PySocks does not support IPv6 connections to the SOCKS proxy. Any - such connection attempt will fail. """ from __future__ import absolute_import @@ -27,25 +44,24 @@ import socks except ImportError: import warnings + from ..exceptions import DependencyWarning - warnings.warn(( - 'SOCKS support in urllib3 requires the installation of optional ' - 'dependencies: specifically, PySocks. For more information, see ' - 'https://urllib3.readthedocs.io/en/latest/contrib.html#socks-proxies' + warnings.warn( + ( + "SOCKS support in urllib3 requires the installation of optional " + "dependencies: specifically, PySocks. For more information, see " + "https://urllib3.readthedocs.io/en/1.26.x/contrib.html#socks-proxies" ), - DependencyWarning + DependencyWarning, ) raise -from socket import error as SocketError, timeout as SocketTimeout +from socket import error as SocketError +from socket import timeout as SocketTimeout -from ..connection import ( - HTTPConnection, HTTPSConnection -) -from ..connectionpool import ( - HTTPConnectionPool, HTTPSConnectionPool -) +from ..connection import HTTPConnection, HTTPSConnection +from ..connectionpool import HTTPConnectionPool, HTTPSConnectionPool from ..exceptions import ConnectTimeoutError, NewConnectionError from ..poolmanager import PoolManager from ..util.url import parse_url @@ -60,8 +76,9 @@ class SOCKSConnection(HTTPConnection): """ A plain-text HTTP connection that connects via a SOCKS proxy. """ + def __init__(self, *args, **kwargs): - self._socks_options = kwargs.pop('_socks_options') + self._socks_options = kwargs.pop("_socks_options") super(SOCKSConnection, self).__init__(*args, **kwargs) def _new_conn(self): @@ -70,28 +87,30 @@ def _new_conn(self): """ extra_kw = {} if self.source_address: - extra_kw['source_address'] = self.source_address + extra_kw["source_address"] = self.source_address if self.socket_options: - extra_kw['socket_options'] = self.socket_options + extra_kw["socket_options"] = self.socket_options try: conn = socks.create_connection( (self.host, self.port), - proxy_type=self._socks_options['socks_version'], - proxy_addr=self._socks_options['proxy_host'], - proxy_port=self._socks_options['proxy_port'], - proxy_username=self._socks_options['username'], - proxy_password=self._socks_options['password'], - proxy_rdns=self._socks_options['rdns'], + proxy_type=self._socks_options["socks_version"], + proxy_addr=self._socks_options["proxy_host"], + proxy_port=self._socks_options["proxy_port"], + proxy_username=self._socks_options["username"], + proxy_password=self._socks_options["password"], + proxy_rdns=self._socks_options["rdns"], timeout=self.timeout, **extra_kw ) - except SocketTimeout as e: + except SocketTimeout: raise ConnectTimeoutError( - self, "Connection to %s timed out. (connect timeout=%s)" % - (self.host, self.timeout)) + self, + "Connection to %s timed out. (connect timeout=%s)" + % (self.host, self.timeout), + ) except socks.ProxyError as e: # This is fragile as hell, but it seems to be the only way to raise @@ -101,23 +120,22 @@ def _new_conn(self): if isinstance(error, SocketTimeout): raise ConnectTimeoutError( self, - "Connection to %s timed out. (connect timeout=%s)" % - (self.host, self.timeout) + "Connection to %s timed out. (connect timeout=%s)" + % (self.host, self.timeout), ) else: raise NewConnectionError( - self, - "Failed to establish a new connection: %s" % error + self, "Failed to establish a new connection: %s" % error ) else: raise NewConnectionError( - self, - "Failed to establish a new connection: %s" % e + self, "Failed to establish a new connection: %s" % e ) except SocketError as e: # Defensive: PySocks should catch all these. raise NewConnectionError( - self, "Failed to establish a new connection: %s" % e) + self, "Failed to establish a new connection: %s" % e + ) return conn @@ -143,47 +161,53 @@ class SOCKSProxyManager(PoolManager): A version of the urllib3 ProxyManager that routes connections via the defined SOCKS proxy. """ + pool_classes_by_scheme = { - 'http': SOCKSHTTPConnectionPool, - 'https': SOCKSHTTPSConnectionPool, + "http": SOCKSHTTPConnectionPool, + "https": SOCKSHTTPSConnectionPool, } - def __init__(self, proxy_url, username=None, password=None, - num_pools=10, headers=None, **connection_pool_kw): + def __init__( + self, + proxy_url, + username=None, + password=None, + num_pools=10, + headers=None, + **connection_pool_kw + ): parsed = parse_url(proxy_url) if username is None and password is None and parsed.auth is not None: - split = parsed.auth.split(':') + split = parsed.auth.split(":") if len(split) == 2: username, password = split - if parsed.scheme == 'socks5': + if parsed.scheme == "socks5": socks_version = socks.PROXY_TYPE_SOCKS5 rdns = False - elif parsed.scheme == 'socks5h': + elif parsed.scheme == "socks5h": socks_version = socks.PROXY_TYPE_SOCKS5 rdns = True - elif parsed.scheme == 'socks4': + elif parsed.scheme == "socks4": socks_version = socks.PROXY_TYPE_SOCKS4 rdns = False - elif parsed.scheme == 'socks4a': + elif parsed.scheme == "socks4a": socks_version = socks.PROXY_TYPE_SOCKS4 rdns = True else: - raise ValueError( - "Unable to determine SOCKS version from %s" % proxy_url - ) + raise ValueError("Unable to determine SOCKS version from %s" % proxy_url) self.proxy_url = proxy_url socks_options = { - 'socks_version': socks_version, - 'proxy_host': parsed.host, - 'proxy_port': parsed.port, - 'username': username, - 'password': password, - 'rdns': rdns + "socks_version": socks_version, + "proxy_host": parsed.host, + "proxy_port": parsed.port, + "username": username, + "password": password, + "rdns": rdns, } - connection_pool_kw['_socks_options'] = socks_options + connection_pool_kw["_socks_options"] = socks_options super(SOCKSProxyManager, self).__init__( num_pools, headers, **connection_pool_kw diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/exceptions.py b/venv/Lib/site-packages/pip/_vendor/urllib3/exceptions.py new file mode 100644 index 0000000..cba6f3f --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/exceptions.py @@ -0,0 +1,323 @@ +from __future__ import absolute_import + +from .packages.six.moves.http_client import IncompleteRead as httplib_IncompleteRead + +# Base Exceptions + + +class HTTPError(Exception): + """Base exception used by this module.""" + + pass + + +class HTTPWarning(Warning): + """Base warning used by this module.""" + + pass + + +class PoolError(HTTPError): + """Base exception for errors caused within a pool.""" + + def __init__(self, pool, message): + self.pool = pool + HTTPError.__init__(self, "%s: %s" % (pool, message)) + + def __reduce__(self): + # For pickling purposes. + return self.__class__, (None, None) + + +class RequestError(PoolError): + """Base exception for PoolErrors that have associated URLs.""" + + def __init__(self, pool, url, message): + self.url = url + PoolError.__init__(self, pool, message) + + def __reduce__(self): + # For pickling purposes. + return self.__class__, (None, self.url, None) + + +class SSLError(HTTPError): + """Raised when SSL certificate fails in an HTTPS connection.""" + + pass + + +class ProxyError(HTTPError): + """Raised when the connection to a proxy fails.""" + + def __init__(self, message, error, *args): + super(ProxyError, self).__init__(message, error, *args) + self.original_error = error + + +class DecodeError(HTTPError): + """Raised when automatic decoding based on Content-Type fails.""" + + pass + + +class ProtocolError(HTTPError): + """Raised when something unexpected happens mid-request/response.""" + + pass + + +#: Renamed to ProtocolError but aliased for backwards compatibility. +ConnectionError = ProtocolError + + +# Leaf Exceptions + + +class MaxRetryError(RequestError): + """Raised when the maximum number of retries is exceeded. + + :param pool: The connection pool + :type pool: :class:`~urllib3.connectionpool.HTTPConnectionPool` + :param string url: The requested Url + :param exceptions.Exception reason: The underlying error + + """ + + def __init__(self, pool, url, reason=None): + self.reason = reason + + message = "Max retries exceeded with url: %s (Caused by %r)" % (url, reason) + + RequestError.__init__(self, pool, url, message) + + +class HostChangedError(RequestError): + """Raised when an existing pool gets a request for a foreign host.""" + + def __init__(self, pool, url, retries=3): + message = "Tried to open a foreign host with url: %s" % url + RequestError.__init__(self, pool, url, message) + self.retries = retries + + +class TimeoutStateError(HTTPError): + """Raised when passing an invalid state to a timeout""" + + pass + + +class TimeoutError(HTTPError): + """Raised when a socket timeout error occurs. + + Catching this error will catch both :exc:`ReadTimeoutErrors + <ReadTimeoutError>` and :exc:`ConnectTimeoutErrors <ConnectTimeoutError>`. + """ + + pass + + +class ReadTimeoutError(TimeoutError, RequestError): + """Raised when a socket timeout occurs while receiving data from a server""" + + pass + + +# This timeout error does not have a URL attached and needs to inherit from the +# base HTTPError +class ConnectTimeoutError(TimeoutError): + """Raised when a socket timeout occurs while connecting to a server""" + + pass + + +class NewConnectionError(ConnectTimeoutError, PoolError): + """Raised when we fail to establish a new connection. Usually ECONNREFUSED.""" + + pass + + +class EmptyPoolError(PoolError): + """Raised when a pool runs out of connections and no more are allowed.""" + + pass + + +class ClosedPoolError(PoolError): + """Raised when a request enters a pool after the pool has been closed.""" + + pass + + +class LocationValueError(ValueError, HTTPError): + """Raised when there is something wrong with a given URL input.""" + + pass + + +class LocationParseError(LocationValueError): + """Raised when get_host or similar fails to parse the URL input.""" + + def __init__(self, location): + message = "Failed to parse: %s" % location + HTTPError.__init__(self, message) + + self.location = location + + +class URLSchemeUnknown(LocationValueError): + """Raised when a URL input has an unsupported scheme.""" + + def __init__(self, scheme): + message = "Not supported URL scheme %s" % scheme + super(URLSchemeUnknown, self).__init__(message) + + self.scheme = scheme + + +class ResponseError(HTTPError): + """Used as a container for an error reason supplied in a MaxRetryError.""" + + GENERIC_ERROR = "too many error responses" + SPECIFIC_ERROR = "too many {status_code} error responses" + + +class SecurityWarning(HTTPWarning): + """Warned when performing security reducing actions""" + + pass + + +class SubjectAltNameWarning(SecurityWarning): + """Warned when connecting to a host with a certificate missing a SAN.""" + + pass + + +class InsecureRequestWarning(SecurityWarning): + """Warned when making an unverified HTTPS request.""" + + pass + + +class SystemTimeWarning(SecurityWarning): + """Warned when system time is suspected to be wrong""" + + pass + + +class InsecurePlatformWarning(SecurityWarning): + """Warned when certain TLS/SSL configuration is not available on a platform.""" + + pass + + +class SNIMissingWarning(HTTPWarning): + """Warned when making a HTTPS request without SNI available.""" + + pass + + +class DependencyWarning(HTTPWarning): + """ + Warned when an attempt is made to import a module with missing optional + dependencies. + """ + + pass + + +class ResponseNotChunked(ProtocolError, ValueError): + """Response needs to be chunked in order to read it as chunks.""" + + pass + + +class BodyNotHttplibCompatible(HTTPError): + """ + Body should be :class:`http.client.HTTPResponse` like + (have an fp attribute which returns raw chunks) for read_chunked(). + """ + + pass + + +class IncompleteRead(HTTPError, httplib_IncompleteRead): + """ + Response length doesn't match expected Content-Length + + Subclass of :class:`http.client.IncompleteRead` to allow int value + for ``partial`` to avoid creating large objects on streamed reads. + """ + + def __init__(self, partial, expected): + super(IncompleteRead, self).__init__(partial, expected) + + def __repr__(self): + return "IncompleteRead(%i bytes read, %i more expected)" % ( + self.partial, + self.expected, + ) + + +class InvalidChunkLength(HTTPError, httplib_IncompleteRead): + """Invalid chunk length in a chunked response.""" + + def __init__(self, response, length): + super(InvalidChunkLength, self).__init__( + response.tell(), response.length_remaining + ) + self.response = response + self.length = length + + def __repr__(self): + return "InvalidChunkLength(got length %r, %i bytes read)" % ( + self.length, + self.partial, + ) + + +class InvalidHeader(HTTPError): + """The header provided was somehow invalid.""" + + pass + + +class ProxySchemeUnknown(AssertionError, URLSchemeUnknown): + """ProxyManager does not support the supplied scheme""" + + # TODO(t-8ch): Stop inheriting from AssertionError in v2.0. + + def __init__(self, scheme): + # 'localhost' is here because our URL parser parses + # localhost:8080 -> scheme=localhost, remove if we fix this. + if scheme == "localhost": + scheme = None + if scheme is None: + message = "Proxy URL had no scheme, should start with http:// or https://" + else: + message = ( + "Proxy URL had unsupported scheme %s, should use http:// or https://" + % scheme + ) + super(ProxySchemeUnknown, self).__init__(message) + + +class ProxySchemeUnsupported(ValueError): + """Fetching HTTPS resources through HTTPS proxies is unsupported""" + + pass + + +class HeaderParsingError(HTTPError): + """Raised by assert_header_parsing, but we convert it to a log.warning statement.""" + + def __init__(self, defects, unparsed_data): + message = "%s, unparsed data: %r" % (defects or "Unknown", unparsed_data) + super(HeaderParsingError, self).__init__(message) + + +class UnrewindableBodyError(HTTPError): + """urllib3 encountered an error when trying to rewind a body""" + + pass diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/fields.py b/venv/Lib/site-packages/pip/_vendor/urllib3/fields.py new file mode 100644 index 0000000..9d630f4 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/fields.py @@ -0,0 +1,274 @@ +from __future__ import absolute_import + +import email.utils +import mimetypes +import re + +from .packages import six + + +def guess_content_type(filename, default="application/octet-stream"): + """ + Guess the "Content-Type" of a file. + + :param filename: + The filename to guess the "Content-Type" of using :mod:`mimetypes`. + :param default: + If no "Content-Type" can be guessed, default to `default`. + """ + if filename: + return mimetypes.guess_type(filename)[0] or default + return default + + +def format_header_param_rfc2231(name, value): + """ + Helper function to format and quote a single header parameter using the + strategy defined in RFC 2231. + + Particularly useful for header parameters which might contain + non-ASCII values, like file names. This follows + `RFC 2388 Section 4.4 <https://tools.ietf.org/html/rfc2388#section-4.4>`_. + + :param name: + The name of the parameter, a string expected to be ASCII only. + :param value: + The value of the parameter, provided as ``bytes`` or `str``. + :ret: + An RFC-2231-formatted unicode string. + """ + if isinstance(value, six.binary_type): + value = value.decode("utf-8") + + if not any(ch in value for ch in '"\\\r\n'): + result = u'%s="%s"' % (name, value) + try: + result.encode("ascii") + except (UnicodeEncodeError, UnicodeDecodeError): + pass + else: + return result + + if six.PY2: # Python 2: + value = value.encode("utf-8") + + # encode_rfc2231 accepts an encoded string and returns an ascii-encoded + # string in Python 2 but accepts and returns unicode strings in Python 3 + value = email.utils.encode_rfc2231(value, "utf-8") + value = "%s*=%s" % (name, value) + + if six.PY2: # Python 2: + value = value.decode("utf-8") + + return value + + +_HTML5_REPLACEMENTS = { + u"\u0022": u"%22", + # Replace "\" with "\\". + u"\u005C": u"\u005C\u005C", +} + +# All control characters from 0x00 to 0x1F *except* 0x1B. +_HTML5_REPLACEMENTS.update( + { + six.unichr(cc): u"%{:02X}".format(cc) + for cc in range(0x00, 0x1F + 1) + if cc not in (0x1B,) + } +) + + +def _replace_multiple(value, needles_and_replacements): + def replacer(match): + return needles_and_replacements[match.group(0)] + + pattern = re.compile( + r"|".join([re.escape(needle) for needle in needles_and_replacements.keys()]) + ) + + result = pattern.sub(replacer, value) + + return result + + +def format_header_param_html5(name, value): + """ + Helper function to format and quote a single header parameter using the + HTML5 strategy. + + Particularly useful for header parameters which might contain + non-ASCII values, like file names. This follows the `HTML5 Working Draft + Section 4.10.22.7`_ and matches the behavior of curl and modern browsers. + + .. _HTML5 Working Draft Section 4.10.22.7: + https://w3c.github.io/html/sec-forms.html#multipart-form-data + + :param name: + The name of the parameter, a string expected to be ASCII only. + :param value: + The value of the parameter, provided as ``bytes`` or `str``. + :ret: + A unicode string, stripped of troublesome characters. + """ + if isinstance(value, six.binary_type): + value = value.decode("utf-8") + + value = _replace_multiple(value, _HTML5_REPLACEMENTS) + + return u'%s="%s"' % (name, value) + + +# For backwards-compatibility. +format_header_param = format_header_param_html5 + + +class RequestField(object): + """ + A data container for request body parameters. + + :param name: + The name of this request field. Must be unicode. + :param data: + The data/value body. + :param filename: + An optional filename of the request field. Must be unicode. + :param headers: + An optional dict-like object of headers to initially use for the field. + :param header_formatter: + An optional callable that is used to encode and format the headers. By + default, this is :func:`format_header_param_html5`. + """ + + def __init__( + self, + name, + data, + filename=None, + headers=None, + header_formatter=format_header_param_html5, + ): + self._name = name + self._filename = filename + self.data = data + self.headers = {} + if headers: + self.headers = dict(headers) + self.header_formatter = header_formatter + + @classmethod + def from_tuples(cls, fieldname, value, header_formatter=format_header_param_html5): + """ + A :class:`~urllib3.fields.RequestField` factory from old-style tuple parameters. + + Supports constructing :class:`~urllib3.fields.RequestField` from + parameter of key/value strings AND key/filetuple. A filetuple is a + (filename, data, MIME type) tuple where the MIME type is optional. + For example:: + + 'foo': 'bar', + 'fakefile': ('foofile.txt', 'contents of foofile'), + 'realfile': ('barfile.txt', open('realfile').read()), + 'typedfile': ('bazfile.bin', open('bazfile').read(), 'image/jpeg'), + 'nonamefile': 'contents of nonamefile field', + + Field names and filenames must be unicode. + """ + if isinstance(value, tuple): + if len(value) == 3: + filename, data, content_type = value + else: + filename, data = value + content_type = guess_content_type(filename) + else: + filename = None + content_type = None + data = value + + request_param = cls( + fieldname, data, filename=filename, header_formatter=header_formatter + ) + request_param.make_multipart(content_type=content_type) + + return request_param + + def _render_part(self, name, value): + """ + Overridable helper function to format a single header parameter. By + default, this calls ``self.header_formatter``. + + :param name: + The name of the parameter, a string expected to be ASCII only. + :param value: + The value of the parameter, provided as a unicode string. + """ + + return self.header_formatter(name, value) + + def _render_parts(self, header_parts): + """ + Helper function to format and quote a single header. + + Useful for single headers that are composed of multiple items. E.g., + 'Content-Disposition' fields. + + :param header_parts: + A sequence of (k, v) tuples or a :class:`dict` of (k, v) to format + as `k1="v1"; k2="v2"; ...`. + """ + parts = [] + iterable = header_parts + if isinstance(header_parts, dict): + iterable = header_parts.items() + + for name, value in iterable: + if value is not None: + parts.append(self._render_part(name, value)) + + return u"; ".join(parts) + + def render_headers(self): + """ + Renders the headers for this request field. + """ + lines = [] + + sort_keys = ["Content-Disposition", "Content-Type", "Content-Location"] + for sort_key in sort_keys: + if self.headers.get(sort_key, False): + lines.append(u"%s: %s" % (sort_key, self.headers[sort_key])) + + for header_name, header_value in self.headers.items(): + if header_name not in sort_keys: + if header_value: + lines.append(u"%s: %s" % (header_name, header_value)) + + lines.append(u"\r\n") + return u"\r\n".join(lines) + + def make_multipart( + self, content_disposition=None, content_type=None, content_location=None + ): + """ + Makes this request field into a multipart request field. + + This method overrides "Content-Disposition", "Content-Type" and + "Content-Location" headers to the request parameter. + + :param content_type: + The 'Content-Type' of the request body. + :param content_location: + The 'Content-Location' of the request body. + + """ + self.headers["Content-Disposition"] = content_disposition or u"form-data" + self.headers["Content-Disposition"] += u"; ".join( + [ + u"", + self._render_parts( + ((u"name", self._name), (u"filename", self._filename)) + ), + ] + ) + self.headers["Content-Type"] = content_type + self.headers["Content-Location"] = content_location diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/filepost.py b/venv/Lib/site-packages/pip/_vendor/urllib3/filepost.py similarity index 88% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/filepost.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/filepost.py index 78f1e19..36c9252 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/filepost.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/filepost.py @@ -1,15 +1,15 @@ from __future__ import absolute_import + import binascii import codecs import os - from io import BytesIO +from .fields import RequestField from .packages import six from .packages.six import b -from .fields import RequestField -writer = codecs.lookup('utf-8')[3] +writer = codecs.lookup("utf-8")[3] def choose_boundary(): @@ -17,8 +17,8 @@ def choose_boundary(): Our embarrassingly-simple replacement for mimetools.choose_boundary. """ boundary = binascii.hexlify(os.urandom(16)) - if six.PY3: - boundary = boundary.decode('ascii') + if not six.PY2: + boundary = boundary.decode("ascii") return boundary @@ -76,7 +76,7 @@ def encode_multipart_formdata(fields, boundary=None): boundary = choose_boundary() for field in iter_field_objects(fields): - body.write(b('--%s\r\n' % (boundary))) + body.write(b("--%s\r\n" % (boundary))) writer(body).write(field.render_headers()) data = field.data @@ -89,10 +89,10 @@ def encode_multipart_formdata(fields, boundary=None): else: body.write(data) - body.write(b'\r\n') + body.write(b"\r\n") - body.write(b('--%s--\r\n' % (boundary))) + body.write(b("--%s--\r\n" % (boundary))) - content_type = str('multipart/form-data; boundary=%s' % boundary) + content_type = str("multipart/form-data; boundary=%s" % boundary) return body.getvalue(), content_type diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/__init__.py b/venv/Lib/site-packages/pip/_vendor/urllib3/packages/__init__.py similarity index 67% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/__init__.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/packages/__init__.py index 170e974..fce4caa 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/__init__.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/packages/__init__.py @@ -2,4 +2,4 @@ from . import ssl_match_hostname -__all__ = ('ssl_match_hostname', ) +__all__ = ("ssl_match_hostname",) diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/packages/backports/__init__.py b/venv/Lib/site-packages/pip/_vendor/urllib3/packages/backports/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/backports/makefile.py b/venv/Lib/site-packages/pip/_vendor/urllib3/packages/backports/makefile.py similarity index 84% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/backports/makefile.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/packages/backports/makefile.py index 740db37..b8fb215 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/backports/makefile.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/packages/backports/makefile.py @@ -7,19 +7,17 @@ wants to create a "fake" socket object. """ import io - from socket import SocketIO -def backport_makefile(self, mode="r", buffering=None, encoding=None, - errors=None, newline=None): +def backport_makefile( + self, mode="r", buffering=None, encoding=None, errors=None, newline=None +): """ Backport of ``socket.makefile`` from Python 3.5. """ if not set(mode) <= {"r", "w", "b"}: - raise ValueError( - "invalid mode %r (only r, w, b allowed)" % (mode,) - ) + raise ValueError("invalid mode %r (only r, w, b allowed)" % (mode,)) writing = "w" in mode reading = "r" in mode or not writing assert reading or writing diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/six.py b/venv/Lib/site-packages/pip/_vendor/urllib3/packages/six.py similarity index 75% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/six.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/packages/six.py index 190c023..ba50acb 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/six.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/packages/six.py @@ -1,6 +1,4 @@ -"""Utilities for writing code that runs on Python 2 and 3""" - -# Copyright (c) 2010-2015 Benjamin Peterson +# Copyright (c) 2010-2020 Benjamin Peterson # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal @@ -20,6 +18,8 @@ # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE # SOFTWARE. +"""Utilities for writing code that runs on Python 2 and 3""" + from __future__ import absolute_import import functools @@ -29,7 +29,7 @@ import types __author__ = "Benjamin Peterson <benjamin@python.org>" -__version__ = "1.10.0" +__version__ = "1.16.0" # Useful for very coarse version differentiation. @@ -38,15 +38,15 @@ PY34 = sys.version_info[0:2] >= (3, 4) if PY3: - string_types = str, - integer_types = int, - class_types = type, + string_types = (str,) + integer_types = (int,) + class_types = (type,) text_type = str binary_type = bytes MAXSIZE = sys.maxsize else: - string_types = basestring, + string_types = (basestring,) integer_types = (int, long) class_types = (type, types.ClassType) text_type = unicode @@ -58,9 +58,9 @@ else: # It's possible to have sizeof(long) != sizeof(Py_ssize_t). class X(object): - def __len__(self): return 1 << 31 + try: len(X()) except OverflowError: @@ -71,6 +71,11 @@ def __len__(self): MAXSIZE = int((1 << 63) - 1) del X +if PY34: + from importlib.util import spec_from_loader +else: + spec_from_loader = None + def _add_doc(func, doc): """Add documentation to a function.""" @@ -84,7 +89,6 @@ def _import_module(name): class _LazyDescr(object): - def __init__(self, name): self.name = name @@ -101,7 +105,6 @@ def __get__(self, obj, tp): class MovedModule(_LazyDescr): - def __init__(self, name, old, new=None): super(MovedModule, self).__init__(name) if PY3: @@ -122,7 +125,6 @@ def __getattr__(self, attr): class _LazyModule(types.ModuleType): - def __init__(self, name): super(_LazyModule, self).__init__(name) self.__doc__ = self.__class__.__doc__ @@ -137,7 +139,6 @@ def __dir__(self): class MovedAttribute(_LazyDescr): - def __init__(self, name, old_mod, new_mod, old_attr=None, new_attr=None): super(MovedAttribute, self).__init__(name) if PY3: @@ -186,6 +187,11 @@ def find_module(self, fullname, path=None): return self return None + def find_spec(self, fullname, path, target=None): + if fullname in self.known_modules: + return spec_from_loader(fullname, self) + return None + def __get_module(self, fullname): try: return self.known_modules[fullname] @@ -221,28 +227,42 @@ def get_code(self, fullname): Required, if is_package is implemented""" self.__get_module(fullname) # eventually raises ImportError return None + get_source = get_code # same as get_code + def create_module(self, spec): + return self.load_module(spec.name) + + def exec_module(self, module): + pass + + _importer = _SixMetaPathImporter(__name__) class _MovedItems(_LazyModule): """Lazy loading of moved objects""" + __path__ = [] # mark as package _moved_attributes = [ MovedAttribute("cStringIO", "cStringIO", "io", "StringIO"), MovedAttribute("filter", "itertools", "builtins", "ifilter", "filter"), - MovedAttribute("filterfalse", "itertools", "itertools", "ifilterfalse", "filterfalse"), + MovedAttribute( + "filterfalse", "itertools", "itertools", "ifilterfalse", "filterfalse" + ), MovedAttribute("input", "__builtin__", "builtins", "raw_input", "input"), MovedAttribute("intern", "__builtin__", "sys"), MovedAttribute("map", "itertools", "builtins", "imap", "map"), MovedAttribute("getcwd", "os", "os", "getcwdu", "getcwd"), MovedAttribute("getcwdb", "os", "os", "getcwd", "getcwdb"), + MovedAttribute("getoutput", "commands", "subprocess"), MovedAttribute("range", "__builtin__", "builtins", "xrange", "range"), - MovedAttribute("reload_module", "__builtin__", "importlib" if PY34 else "imp", "reload"), + MovedAttribute( + "reload_module", "__builtin__", "importlib" if PY34 else "imp", "reload" + ), MovedAttribute("reduce", "__builtin__", "functools"), MovedAttribute("shlex_quote", "pipes", "shlex", "quote"), MovedAttribute("StringIO", "StringIO", "io"), @@ -251,21 +271,36 @@ class _MovedItems(_LazyModule): MovedAttribute("UserString", "UserString", "collections"), MovedAttribute("xrange", "__builtin__", "builtins", "xrange", "range"), MovedAttribute("zip", "itertools", "builtins", "izip", "zip"), - MovedAttribute("zip_longest", "itertools", "itertools", "izip_longest", "zip_longest"), + MovedAttribute( + "zip_longest", "itertools", "itertools", "izip_longest", "zip_longest" + ), MovedModule("builtins", "__builtin__"), MovedModule("configparser", "ConfigParser"), + MovedModule( + "collections_abc", + "collections", + "collections.abc" if sys.version_info >= (3, 3) else "collections", + ), MovedModule("copyreg", "copy_reg"), MovedModule("dbm_gnu", "gdbm", "dbm.gnu"), - MovedModule("_dummy_thread", "dummy_thread", "_dummy_thread"), + MovedModule("dbm_ndbm", "dbm", "dbm.ndbm"), + MovedModule( + "_dummy_thread", + "dummy_thread", + "_dummy_thread" if sys.version_info < (3, 9) else "_thread", + ), MovedModule("http_cookiejar", "cookielib", "http.cookiejar"), MovedModule("http_cookies", "Cookie", "http.cookies"), MovedModule("html_entities", "htmlentitydefs", "html.entities"), MovedModule("html_parser", "HTMLParser", "html.parser"), MovedModule("http_client", "httplib", "http.client"), + MovedModule("email_mime_base", "email.MIMEBase", "email.mime.base"), + MovedModule("email_mime_image", "email.MIMEImage", "email.mime.image"), MovedModule("email_mime_multipart", "email.MIMEMultipart", "email.mime.multipart"), - MovedModule("email_mime_nonmultipart", "email.MIMENonMultipart", "email.mime.nonmultipart"), + MovedModule( + "email_mime_nonmultipart", "email.MIMENonMultipart", "email.mime.nonmultipart" + ), MovedModule("email_mime_text", "email.MIMEText", "email.mime.text"), - MovedModule("email_mime_base", "email.MIMEBase", "email.mime.base"), MovedModule("BaseHTTPServer", "BaseHTTPServer", "http.server"), MovedModule("CGIHTTPServer", "CGIHTTPServer", "http.server"), MovedModule("SimpleHTTPServer", "SimpleHTTPServer", "http.server"), @@ -283,15 +318,12 @@ class _MovedItems(_LazyModule): MovedModule("tkinter_ttk", "ttk", "tkinter.ttk"), MovedModule("tkinter_constants", "Tkconstants", "tkinter.constants"), MovedModule("tkinter_dnd", "Tkdnd", "tkinter.dnd"), - MovedModule("tkinter_colorchooser", "tkColorChooser", - "tkinter.colorchooser"), - MovedModule("tkinter_commondialog", "tkCommonDialog", - "tkinter.commondialog"), + MovedModule("tkinter_colorchooser", "tkColorChooser", "tkinter.colorchooser"), + MovedModule("tkinter_commondialog", "tkCommonDialog", "tkinter.commondialog"), MovedModule("tkinter_tkfiledialog", "tkFileDialog", "tkinter.filedialog"), MovedModule("tkinter_font", "tkFont", "tkinter.font"), MovedModule("tkinter_messagebox", "tkMessageBox", "tkinter.messagebox"), - MovedModule("tkinter_tksimpledialog", "tkSimpleDialog", - "tkinter.simpledialog"), + MovedModule("tkinter_tksimpledialog", "tkSimpleDialog", "tkinter.simpledialog"), MovedModule("urllib_parse", __name__ + ".moves.urllib_parse", "urllib.parse"), MovedModule("urllib_error", __name__ + ".moves.urllib_error", "urllib.error"), MovedModule("urllib", __name__ + ".moves.urllib", __name__ + ".moves.urllib"), @@ -337,10 +369,14 @@ class Module_six_moves_urllib_parse(_LazyModule): MovedAttribute("quote_plus", "urllib", "urllib.parse"), MovedAttribute("unquote", "urllib", "urllib.parse"), MovedAttribute("unquote_plus", "urllib", "urllib.parse"), + MovedAttribute( + "unquote_to_bytes", "urllib", "urllib.parse", "unquote", "unquote_to_bytes" + ), MovedAttribute("urlencode", "urllib", "urllib.parse"), MovedAttribute("splitquery", "urllib", "urllib.parse"), MovedAttribute("splittag", "urllib", "urllib.parse"), MovedAttribute("splituser", "urllib", "urllib.parse"), + MovedAttribute("splitvalue", "urllib", "urllib.parse"), MovedAttribute("uses_fragment", "urlparse", "urllib.parse"), MovedAttribute("uses_netloc", "urlparse", "urllib.parse"), MovedAttribute("uses_params", "urlparse", "urllib.parse"), @@ -353,8 +389,11 @@ class Module_six_moves_urllib_parse(_LazyModule): Module_six_moves_urllib_parse._moved_attributes = _urllib_parse_moved_attributes -_importer._add_module(Module_six_moves_urllib_parse(__name__ + ".moves.urllib_parse"), - "moves.urllib_parse", "moves.urllib.parse") +_importer._add_module( + Module_six_moves_urllib_parse(__name__ + ".moves.urllib_parse"), + "moves.urllib_parse", + "moves.urllib.parse", +) class Module_six_moves_urllib_error(_LazyModule): @@ -373,8 +412,11 @@ class Module_six_moves_urllib_error(_LazyModule): Module_six_moves_urllib_error._moved_attributes = _urllib_error_moved_attributes -_importer._add_module(Module_six_moves_urllib_error(__name__ + ".moves.urllib.error"), - "moves.urllib_error", "moves.urllib.error") +_importer._add_module( + Module_six_moves_urllib_error(__name__ + ".moves.urllib.error"), + "moves.urllib_error", + "moves.urllib.error", +) class Module_six_moves_urllib_request(_LazyModule): @@ -416,6 +458,8 @@ class Module_six_moves_urllib_request(_LazyModule): MovedAttribute("URLopener", "urllib", "urllib.request"), MovedAttribute("FancyURLopener", "urllib", "urllib.request"), MovedAttribute("proxy_bypass", "urllib", "urllib.request"), + MovedAttribute("parse_http_list", "urllib2", "urllib.request"), + MovedAttribute("parse_keqv_list", "urllib2", "urllib.request"), ] for attr in _urllib_request_moved_attributes: setattr(Module_six_moves_urllib_request, attr.name, attr) @@ -423,8 +467,11 @@ class Module_six_moves_urllib_request(_LazyModule): Module_six_moves_urllib_request._moved_attributes = _urllib_request_moved_attributes -_importer._add_module(Module_six_moves_urllib_request(__name__ + ".moves.urllib.request"), - "moves.urllib_request", "moves.urllib.request") +_importer._add_module( + Module_six_moves_urllib_request(__name__ + ".moves.urllib.request"), + "moves.urllib_request", + "moves.urllib.request", +) class Module_six_moves_urllib_response(_LazyModule): @@ -444,8 +491,11 @@ class Module_six_moves_urllib_response(_LazyModule): Module_six_moves_urllib_response._moved_attributes = _urllib_response_moved_attributes -_importer._add_module(Module_six_moves_urllib_response(__name__ + ".moves.urllib.response"), - "moves.urllib_response", "moves.urllib.response") +_importer._add_module( + Module_six_moves_urllib_response(__name__ + ".moves.urllib.response"), + "moves.urllib_response", + "moves.urllib.response", +) class Module_six_moves_urllib_robotparser(_LazyModule): @@ -460,15 +510,21 @@ class Module_six_moves_urllib_robotparser(_LazyModule): setattr(Module_six_moves_urllib_robotparser, attr.name, attr) del attr -Module_six_moves_urllib_robotparser._moved_attributes = _urllib_robotparser_moved_attributes +Module_six_moves_urllib_robotparser._moved_attributes = ( + _urllib_robotparser_moved_attributes +) -_importer._add_module(Module_six_moves_urllib_robotparser(__name__ + ".moves.urllib.robotparser"), - "moves.urllib_robotparser", "moves.urllib.robotparser") +_importer._add_module( + Module_six_moves_urllib_robotparser(__name__ + ".moves.urllib.robotparser"), + "moves.urllib_robotparser", + "moves.urllib.robotparser", +) class Module_six_moves_urllib(types.ModuleType): """Create a six.moves.urllib namespace that resembles the Python 3 namespace""" + __path__ = [] # mark as package parse = _importer._get_module("moves.urllib_parse") error = _importer._get_module("moves.urllib_error") @@ -477,10 +533,12 @@ class Module_six_moves_urllib(types.ModuleType): robotparser = _importer._get_module("moves.urllib_robotparser") def __dir__(self): - return ['parse', 'error', 'request', 'response', 'robotparser'] + return ["parse", "error", "request", "response", "robotparser"] + -_importer._add_module(Module_six_moves_urllib(__name__ + ".moves.urllib"), - "moves.urllib") +_importer._add_module( + Module_six_moves_urllib(__name__ + ".moves.urllib"), "moves.urllib" +) def add_move(move): @@ -520,19 +578,24 @@ def remove_move(name): try: advance_iterator = next except NameError: + def advance_iterator(it): return it.next() + + next = advance_iterator try: callable = callable except NameError: + def callable(obj): return any("__call__" in klass.__dict__ for klass in type(obj).__mro__) if PY3: + def get_unbound_function(unbound): return unbound @@ -543,6 +606,7 @@ def create_unbound_method(func, cls): Iterator = object else: + def get_unbound_function(unbound): return unbound.im_func @@ -553,13 +617,13 @@ def create_unbound_method(func, cls): return types.MethodType(func, None, cls) class Iterator(object): - def next(self): return type(self).__next__(self) callable = callable -_add_doc(get_unbound_function, - """Get the function out of a possibly unbound function""") +_add_doc( + get_unbound_function, """Get the function out of a possibly unbound function""" +) get_method_function = operator.attrgetter(_meth_func) @@ -571,6 +635,7 @@ def next(self): if PY3: + def iterkeys(d, **kw): return iter(d.keys(**kw)) @@ -589,6 +654,7 @@ def iterlists(d, **kw): viewitems = operator.methodcaller("items") else: + def iterkeys(d, **kw): return d.iterkeys(**kw) @@ -609,42 +675,52 @@ def iterlists(d, **kw): _add_doc(iterkeys, "Return an iterator over the keys of a dictionary.") _add_doc(itervalues, "Return an iterator over the values of a dictionary.") -_add_doc(iteritems, - "Return an iterator over the (key, value) pairs of a dictionary.") -_add_doc(iterlists, - "Return an iterator over the (key, [values]) pairs of a dictionary.") +_add_doc(iteritems, "Return an iterator over the (key, value) pairs of a dictionary.") +_add_doc( + iterlists, "Return an iterator over the (key, [values]) pairs of a dictionary." +) if PY3: + def b(s): return s.encode("latin-1") def u(s): return s + unichr = chr import struct + int2byte = struct.Struct(">B").pack del struct byte2int = operator.itemgetter(0) indexbytes = operator.getitem iterbytes = iter import io + StringIO = io.StringIO BytesIO = io.BytesIO + del io _assertCountEqual = "assertCountEqual" if sys.version_info[1] <= 1: _assertRaisesRegex = "assertRaisesRegexp" _assertRegex = "assertRegexpMatches" + _assertNotRegex = "assertNotRegexpMatches" else: _assertRaisesRegex = "assertRaisesRegex" _assertRegex = "assertRegex" + _assertNotRegex = "assertNotRegex" else: + def b(s): return s + # Workaround for standalone backslash def u(s): - return unicode(s.replace(r'\\', r'\\\\'), "unicode_escape") + return unicode(s.replace(r"\\", r"\\\\"), "unicode_escape") + unichr = unichr int2byte = chr @@ -653,12 +729,15 @@ def byte2int(bs): def indexbytes(buf, i): return ord(buf[i]) + iterbytes = functools.partial(itertools.imap, ord) import StringIO + StringIO = BytesIO = StringIO.StringIO _assertCountEqual = "assertItemsEqual" _assertRaisesRegex = "assertRaisesRegexp" _assertRegex = "assertRegexpMatches" + _assertNotRegex = "assertNotRegexpMatches" _add_doc(b, """Byte literal""") _add_doc(u, """Text literal""") @@ -675,17 +754,27 @@ def assertRegex(self, *args, **kwargs): return getattr(self, _assertRegex)(*args, **kwargs) +def assertNotRegex(self, *args, **kwargs): + return getattr(self, _assertNotRegex)(*args, **kwargs) + + if PY3: exec_ = getattr(moves.builtins, "exec") def reraise(tp, value, tb=None): - if value is None: - value = tp() - if value.__traceback__ is not tb: - raise value.with_traceback(tb) - raise value + try: + if value is None: + value = tp() + if value.__traceback__ is not tb: + raise value.with_traceback(tb) + raise value + finally: + value = None + tb = None + else: + def exec_(_code_, _globs_=None, _locs_=None): """Execute code in a namespace.""" if _globs_ is None: @@ -696,30 +785,36 @@ def exec_(_code_, _globs_=None, _locs_=None): del frame elif _locs_ is None: _locs_ = _globs_ - exec("""exec _code_ in _globs_, _locs_""") + exec ("""exec _code_ in _globs_, _locs_""") - exec_("""def reraise(tp, value, tb=None): - raise tp, value, tb -""") + exec_( + """def reraise(tp, value, tb=None): + try: + raise tp, value, tb + finally: + tb = None +""" + ) -if sys.version_info[:2] == (3, 2): - exec_("""def raise_from(value, from_value): - if from_value is None: - raise value - raise value from from_value -""") -elif sys.version_info[:2] > (3, 2): - exec_("""def raise_from(value, from_value): - raise value from from_value -""") +if sys.version_info[:2] > (3,): + exec_( + """def raise_from(value, from_value): + try: + raise value from from_value + finally: + value = None +""" + ) else: + def raise_from(value, from_value): raise value print_ = getattr(moves.builtins, "print", None) if print_ is None: + def print_(*args, **kwargs): """The new-style print function for Python 2.4 and 2.5.""" fp = kwargs.pop("file", sys.stdout) @@ -730,14 +825,17 @@ def write(data): if not isinstance(data, basestring): data = str(data) # If the file has an encoding, encode unicode with it. - if (isinstance(fp, file) and - isinstance(data, unicode) and - fp.encoding is not None): + if ( + isinstance(fp, file) + and isinstance(data, unicode) + and fp.encoding is not None + ): errors = getattr(fp, "errors", None) if errors is None: errors = "strict" data = data.encode(fp.encoding, errors) fp.write(data) + want_unicode = False sep = kwargs.pop("sep", None) if sep is not None: @@ -773,6 +871,8 @@ def write(data): write(sep) write(arg) write(end) + + if sys.version_info[:2] < (3, 3): _print = print_ @@ -783,16 +883,46 @@ def print_(*args, **kwargs): if flush and fp is not None: fp.flush() + _add_doc(reraise, """Reraise an exception.""") if sys.version_info[0:2] < (3, 4): - def wraps(wrapped, assigned=functools.WRAPPER_ASSIGNMENTS, - updated=functools.WRAPPER_UPDATES): - def wrapper(f): - f = functools.wraps(wrapped, assigned, updated)(f) - f.__wrapped__ = wrapped - return f + # This does exactly the same what the :func:`py3:functools.update_wrapper` + # function does on Python versions after 3.2. It sets the ``__wrapped__`` + # attribute on ``wrapper`` object and it doesn't raise an error if any of + # the attributes mentioned in ``assigned`` and ``updated`` are missing on + # ``wrapped`` object. + def _update_wrapper( + wrapper, + wrapped, + assigned=functools.WRAPPER_ASSIGNMENTS, + updated=functools.WRAPPER_UPDATES, + ): + for attr in assigned: + try: + value = getattr(wrapped, attr) + except AttributeError: + continue + else: + setattr(wrapper, attr, value) + for attr in updated: + getattr(wrapper, attr).update(getattr(wrapped, attr, {})) + wrapper.__wrapped__ = wrapped return wrapper + + _update_wrapper.__doc__ = functools.update_wrapper.__doc__ + + def wraps( + wrapped, + assigned=functools.WRAPPER_ASSIGNMENTS, + updated=functools.WRAPPER_UPDATES, + ): + return functools.partial( + _update_wrapper, wrapped=wrapped, assigned=assigned, updated=updated + ) + + wraps.__doc__ = functools.wraps.__doc__ + else: wraps = functools.wraps @@ -802,44 +932,121 @@ def with_metaclass(meta, *bases): # This requires a bit of explanation: the basic idea is to make a dummy # metaclass for one level of class instantiation that replaces itself with # the actual metaclass. - class metaclass(meta): - + class metaclass(type): def __new__(cls, name, this_bases, d): - return meta(name, bases, d) - return type.__new__(metaclass, 'temporary_class', (), {}) + if sys.version_info[:2] >= (3, 7): + # This version introduced PEP 560 that requires a bit + # of extra care (we mimic what is done by __build_class__). + resolved_bases = types.resolve_bases(bases) + if resolved_bases is not bases: + d["__orig_bases__"] = bases + else: + resolved_bases = bases + return meta(name, resolved_bases, d) + + @classmethod + def __prepare__(cls, name, this_bases): + return meta.__prepare__(name, bases) + + return type.__new__(metaclass, "temporary_class", (), {}) def add_metaclass(metaclass): """Class decorator for creating a class with a metaclass.""" + def wrapper(cls): orig_vars = cls.__dict__.copy() - slots = orig_vars.get('__slots__') + slots = orig_vars.get("__slots__") if slots is not None: if isinstance(slots, str): slots = [slots] for slots_var in slots: orig_vars.pop(slots_var) - orig_vars.pop('__dict__', None) - orig_vars.pop('__weakref__', None) + orig_vars.pop("__dict__", None) + orig_vars.pop("__weakref__", None) + if hasattr(cls, "__qualname__"): + orig_vars["__qualname__"] = cls.__qualname__ return metaclass(cls.__name__, cls.__bases__, orig_vars) + return wrapper +def ensure_binary(s, encoding="utf-8", errors="strict"): + """Coerce **s** to six.binary_type. + + For Python 2: + - `unicode` -> encoded to `str` + - `str` -> `str` + + For Python 3: + - `str` -> encoded to `bytes` + - `bytes` -> `bytes` + """ + if isinstance(s, binary_type): + return s + if isinstance(s, text_type): + return s.encode(encoding, errors) + raise TypeError("not expecting type '%s'" % type(s)) + + +def ensure_str(s, encoding="utf-8", errors="strict"): + """Coerce *s* to `str`. + + For Python 2: + - `unicode` -> encoded to `str` + - `str` -> `str` + + For Python 3: + - `str` -> `str` + - `bytes` -> decoded to `str` + """ + # Optimization: Fast return for the common case. + if type(s) is str: + return s + if PY2 and isinstance(s, text_type): + return s.encode(encoding, errors) + elif PY3 and isinstance(s, binary_type): + return s.decode(encoding, errors) + elif not isinstance(s, (text_type, binary_type)): + raise TypeError("not expecting type '%s'" % type(s)) + return s + + +def ensure_text(s, encoding="utf-8", errors="strict"): + """Coerce *s* to six.text_type. + + For Python 2: + - `unicode` -> `unicode` + - `str` -> `unicode` + + For Python 3: + - `str` -> `str` + - `bytes` -> decoded to `str` + """ + if isinstance(s, binary_type): + return s.decode(encoding, errors) + elif isinstance(s, text_type): + return s + else: + raise TypeError("not expecting type '%s'" % type(s)) + + def python_2_unicode_compatible(klass): """ - A decorator that defines __unicode__ and __str__ methods under Python 2. + A class decorator that defines __unicode__ and __str__ methods under Python 2. Under Python 3 it does nothing. To support Python 2 and 3 with a single code base, define a __str__ method returning text and apply this decorator to the class. """ if PY2: - if '__str__' not in klass.__dict__: - raise ValueError("@python_2_unicode_compatible cannot be applied " - "to %s because it doesn't define __str__()." % - klass.__name__) + if "__str__" not in klass.__dict__: + raise ValueError( + "@python_2_unicode_compatible cannot be applied " + "to %s because it doesn't define __str__()." % klass.__name__ + ) klass.__unicode__ = klass.__str__ - klass.__str__ = lambda self: self.__unicode__().encode('utf-8') + klass.__str__ = lambda self: self.__unicode__().encode("utf-8") return klass @@ -859,8 +1066,10 @@ def python_2_unicode_compatible(klass): # be floating around. Therefore, we can't use isinstance() to check for # the six meta path importer, since the other six instance will have # inserted an importer with different class. - if (type(importer).__name__ == "_SixMetaPathImporter" and - importer.name == __name__): + if ( + type(importer).__name__ == "_SixMetaPathImporter" + and importer.name == __name__ + ): del sys.meta_path[i] break del i, importer diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py b/venv/Lib/site-packages/pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py new file mode 100644 index 0000000..ef3fde5 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/packages/ssl_match_hostname/__init__.py @@ -0,0 +1,24 @@ +import sys + +try: + # Our match_hostname function is the same as 3.10's, so we only want to + # import the match_hostname function if it's at least that good. + # We also fallback on Python 3.10+ because our code doesn't emit + # deprecation warnings and is the same as Python 3.10 otherwise. + if sys.version_info < (3, 5) or sys.version_info >= (3, 10): + raise ImportError("Fallback to vendored code") + + from ssl import CertificateError, match_hostname +except ImportError: + try: + # Backport of the function from a pypi module + from backports.ssl_match_hostname import ( # type: ignore + CertificateError, + match_hostname, + ) + except ImportError: + # Our vendored copy + from ._implementation import CertificateError, match_hostname # type: ignore + +# Not needed, but documenting what we provide. +__all__ = ("CertificateError", "match_hostname") diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/_implementation.py b/venv/Lib/site-packages/pip/_vendor/urllib3/packages/ssl_match_hostname/_implementation.py similarity index 78% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/_implementation.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/packages/ssl_match_hostname/_implementation.py index 970cf65..689208d 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/packages/ssl_match_hostname/_implementation.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/packages/ssl_match_hostname/_implementation.py @@ -11,11 +11,11 @@ # python-3.5) otherwise only do DNS matching. This allows # backports.ssl_match_hostname to continue to be used in Python 2.7. try: - from pip._vendor import ipaddress + import ipaddress except ImportError: ipaddress = None -__version__ = '3.5.0.1' +__version__ = "3.5.0.1" class CertificateError(ValueError): @@ -33,18 +33,19 @@ def _dnsname_match(dn, hostname, max_wildcards=1): # Ported from python3-syntax: # leftmost, *remainder = dn.split(r'.') - parts = dn.split(r'.') + parts = dn.split(r".") leftmost = parts[0] remainder = parts[1:] - wildcards = leftmost.count('*') + wildcards = leftmost.count("*") if wildcards > max_wildcards: # Issue #17980: avoid denials of service by refusing more # than one wildcard per fragment. A survey of established # policy among SSL implementations showed it to be a # reasonable choice. raise CertificateError( - "too many wildcards in certificate DNS name: " + repr(dn)) + "too many wildcards in certificate DNS name: " + repr(dn) + ) # speed up common case w/o wildcards if not wildcards: @@ -53,11 +54,11 @@ def _dnsname_match(dn, hostname, max_wildcards=1): # RFC 6125, section 6.4.3, subitem 1. # The client SHOULD NOT attempt to match a presented identifier in which # the wildcard character comprises a label other than the left-most label. - if leftmost == '*': + if leftmost == "*": # When '*' is a fragment by itself, it matches a non-empty dotless # fragment. - pats.append('[^.]+') - elif leftmost.startswith('xn--') or hostname.startswith('xn--'): + pats.append("[^.]+") + elif leftmost.startswith("xn--") or hostname.startswith("xn--"): # RFC 6125, section 6.4.3, subitem 3. # The client SHOULD NOT attempt to match a presented identifier # where the wildcard character is embedded within an A-label or @@ -65,21 +66,22 @@ def _dnsname_match(dn, hostname, max_wildcards=1): pats.append(re.escape(leftmost)) else: # Otherwise, '*' matches any dotless string, e.g. www* - pats.append(re.escape(leftmost).replace(r'\*', '[^.]*')) + pats.append(re.escape(leftmost).replace(r"\*", "[^.]*")) # add the remaining fragments, ignore any wildcards for frag in remainder: pats.append(re.escape(frag)) - pat = re.compile(r'\A' + r'\.'.join(pats) + r'\Z', re.IGNORECASE) + pat = re.compile(r"\A" + r"\.".join(pats) + r"\Z", re.IGNORECASE) return pat.match(hostname) def _to_unicode(obj): if isinstance(obj, str) and sys.version_info < (3,): - obj = unicode(obj, encoding='ascii', errors='strict') + obj = unicode(obj, encoding="ascii", errors="strict") return obj + def _ipaddress_match(ipname, host_ip): """Exact matching of IP addresses. @@ -101,9 +103,11 @@ def match_hostname(cert, hostname): returns nothing. """ if not cert: - raise ValueError("empty or no certificate, match_hostname needs a " - "SSL socket or SSL context with either " - "CERT_OPTIONAL or CERT_REQUIRED") + raise ValueError( + "empty or no certificate, match_hostname needs a " + "SSL socket or SSL context with either " + "CERT_OPTIONAL or CERT_REQUIRED" + ) try: # Divergence from upstream: ipaddress can't handle byte str host_ip = ipaddress.ip_address(_to_unicode(hostname)) @@ -122,35 +126,35 @@ def match_hostname(cert, hostname): else: raise dnsnames = [] - san = cert.get('subjectAltName', ()) + san = cert.get("subjectAltName", ()) for key, value in san: - if key == 'DNS': + if key == "DNS": if host_ip is None and _dnsname_match(value, hostname): return dnsnames.append(value) - elif key == 'IP Address': + elif key == "IP Address": if host_ip is not None and _ipaddress_match(value, host_ip): return dnsnames.append(value) if not dnsnames: # The subject is only checked when there is no dNSName entry # in subjectAltName - for sub in cert.get('subject', ()): + for sub in cert.get("subject", ()): for key, value in sub: # XXX according to RFC 2818, the most specific Common Name # must be used. - if key == 'commonName': + if key == "commonName": if _dnsname_match(value, hostname): return dnsnames.append(value) if len(dnsnames) > 1: - raise CertificateError("hostname %r " - "doesn't match either of %s" - % (hostname, ', '.join(map(repr, dnsnames)))) + raise CertificateError( + "hostname %r " + "doesn't match either of %s" % (hostname, ", ".join(map(repr, dnsnames))) + ) elif len(dnsnames) == 1: - raise CertificateError("hostname %r " - "doesn't match %r" - % (hostname, dnsnames[0])) + raise CertificateError("hostname %r doesn't match %r" % (hostname, dnsnames[0])) else: - raise CertificateError("no appropriate commonName or " - "subjectAltName fields were found") + raise CertificateError( + "no appropriate commonName or subjectAltName fields were found" + ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/poolmanager.py b/venv/Lib/site-packages/pip/_vendor/urllib3/poolmanager.py similarity index 62% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/poolmanager.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/poolmanager.py index fe5491c..3a31a28 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/poolmanager.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/poolmanager.py @@ -1,58 +1,78 @@ from __future__ import absolute_import + import collections import functools import logging from ._collections import RecentlyUsedContainer -from .connectionpool import HTTPConnectionPool, HTTPSConnectionPool -from .connectionpool import port_by_scheme -from .exceptions import LocationValueError, MaxRetryError, ProxySchemeUnknown +from .connectionpool import HTTPConnectionPool, HTTPSConnectionPool, port_by_scheme +from .exceptions import ( + LocationValueError, + MaxRetryError, + ProxySchemeUnknown, + ProxySchemeUnsupported, + URLSchemeUnknown, +) +from .packages import six from .packages.six.moves.urllib.parse import urljoin from .request import RequestMethods -from .util.url import parse_url +from .util.proxy import connection_requires_http_tunnel from .util.retry import Retry +from .util.url import parse_url - -__all__ = ['PoolManager', 'ProxyManager', 'proxy_from_url'] +__all__ = ["PoolManager", "ProxyManager", "proxy_from_url"] log = logging.getLogger(__name__) -SSL_KEYWORDS = ('key_file', 'cert_file', 'cert_reqs', 'ca_certs', - 'ssl_version', 'ca_cert_dir', 'ssl_context') +SSL_KEYWORDS = ( + "key_file", + "cert_file", + "cert_reqs", + "ca_certs", + "ssl_version", + "ca_cert_dir", + "ssl_context", + "key_password", +) # All known keyword arguments that could be provided to the pool manager, its # pools, or the underlying connections. This is used to construct a pool key. _key_fields = ( - 'key_scheme', # str - 'key_host', # str - 'key_port', # int - 'key_timeout', # int or float or Timeout - 'key_retries', # int or Retry - 'key_strict', # bool - 'key_block', # bool - 'key_source_address', # str - 'key_key_file', # str - 'key_cert_file', # str - 'key_cert_reqs', # str - 'key_ca_certs', # str - 'key_ssl_version', # str - 'key_ca_cert_dir', # str - 'key_ssl_context', # instance of ssl.SSLContext or urllib3.util.ssl_.SSLContext - 'key_maxsize', # int - 'key_headers', # dict - 'key__proxy', # parsed proxy url - 'key__proxy_headers', # dict - 'key_socket_options', # list of (level (int), optname (int), value (int or str)) tuples - 'key__socks_options', # dict - 'key_assert_hostname', # bool or string - 'key_assert_fingerprint', # str - 'key_server_hostname', #str + "key_scheme", # str + "key_host", # str + "key_port", # int + "key_timeout", # int or float or Timeout + "key_retries", # int or Retry + "key_strict", # bool + "key_block", # bool + "key_source_address", # str + "key_key_file", # str + "key_key_password", # str + "key_cert_file", # str + "key_cert_reqs", # str + "key_ca_certs", # str + "key_ssl_version", # str + "key_ca_cert_dir", # str + "key_ssl_context", # instance of ssl.SSLContext or urllib3.util.ssl_.SSLContext + "key_maxsize", # int + "key_headers", # dict + "key__proxy", # parsed proxy url + "key__proxy_headers", # dict + "key__proxy_config", # class + "key_socket_options", # list of (level (int), optname (int), value (int or str)) tuples + "key__socks_options", # dict + "key_assert_hostname", # bool or string + "key_assert_fingerprint", # str + "key_server_hostname", # str ) #: The namedtuple class used to construct keys for the connection pool. #: All custom key schemes should include the fields in this key at a minimum. -PoolKey = collections.namedtuple('PoolKey', _key_fields) +PoolKey = collections.namedtuple("PoolKey", _key_fields) + +_proxy_config_fields = ("ssl_context", "use_forwarding_for_https") +ProxyConfig = collections.namedtuple("ProxyConfig", _proxy_config_fields) def _default_key_normalizer(key_class, request_context): @@ -77,24 +97,24 @@ def _default_key_normalizer(key_class, request_context): """ # Since we mutate the dictionary, make a copy first context = request_context.copy() - context['scheme'] = context['scheme'].lower() - context['host'] = context['host'].lower() + context["scheme"] = context["scheme"].lower() + context["host"] = context["host"].lower() # These are both dictionaries and need to be transformed into frozensets - for key in ('headers', '_proxy_headers', '_socks_options'): + for key in ("headers", "_proxy_headers", "_socks_options"): if key in context and context[key] is not None: context[key] = frozenset(context[key].items()) # The socket_options key may be a list and needs to be transformed into a # tuple. - socket_opts = context.get('socket_options') + socket_opts = context.get("socket_options") if socket_opts is not None: - context['socket_options'] = tuple(socket_opts) + context["socket_options"] = tuple(socket_opts) # Map the kwargs to the names in the namedtuple - this is necessary since # namedtuples can't have fields starting with '_'. for key in list(context.keys()): - context['key_' + key] = context.pop(key) + context["key_" + key] = context.pop(key) # Default to ``None`` for keys missing from the context for field in key_class._fields: @@ -109,14 +129,11 @@ def _default_key_normalizer(key_class, request_context): #: Each PoolManager makes a copy of this dictionary so they can be configured #: globally here, or individually on the instance. key_fn_by_scheme = { - 'http': functools.partial(_default_key_normalizer, PoolKey), - 'https': functools.partial(_default_key_normalizer, PoolKey), + "http": functools.partial(_default_key_normalizer, PoolKey), + "https": functools.partial(_default_key_normalizer, PoolKey), } -pool_classes_by_scheme = { - 'http': HTTPConnectionPool, - 'https': HTTPSConnectionPool, -} +pool_classes_by_scheme = {"http": HTTPConnectionPool, "https": HTTPSConnectionPool} class PoolManager(RequestMethods): @@ -148,12 +165,12 @@ class PoolManager(RequestMethods): """ proxy = None + proxy_config = None def __init__(self, num_pools=10, headers=None, **connection_pool_kw): RequestMethods.__init__(self, headers) self.connection_pool_kw = connection_pool_kw - self.pools = RecentlyUsedContainer(num_pools, - dispose_func=lambda p: p.close()) + self.pools = RecentlyUsedContainer(num_pools, dispose_func=lambda p: p.close()) # Locally set the pool classes and keys so other PoolManagers can # override them. @@ -170,7 +187,7 @@ def __exit__(self, exc_type, exc_val, exc_tb): def _new_pool(self, scheme, host, port, request_context=None): """ - Create a new :class:`ConnectionPool` based on host, port, scheme, and + Create a new :class:`urllib3.connectionpool.ConnectionPool` based on host, port, scheme, and any additional pool keyword arguments. If ``request_context`` is provided, it is provided as keyword arguments @@ -186,10 +203,10 @@ def _new_pool(self, scheme, host, port, request_context=None): # this function has historically only used the scheme, host, and port # in the positional args. When an API change is acceptable these can # be removed. - for key in ('scheme', 'host', 'port'): + for key in ("scheme", "host", "port"): request_context.pop(key, None) - if scheme == 'http': + if scheme == "http": for kw in SSL_KEYWORDS: request_context.pop(kw, None) @@ -204,9 +221,9 @@ def clear(self): """ self.pools.clear() - def connection_from_host(self, host, port=None, scheme='http', pool_kwargs=None): + def connection_from_host(self, host, port=None, scheme="http", pool_kwargs=None): """ - Get a :class:`ConnectionPool` based on the host, port, and scheme. + Get a :class:`urllib3.connectionpool.ConnectionPool` based on the host, port, and scheme. If ``port`` isn't given, it will be derived from the ``scheme`` using ``urllib3.connectionpool.port_by_scheme``. If ``pool_kwargs`` is @@ -219,30 +236,32 @@ def connection_from_host(self, host, port=None, scheme='http', pool_kwargs=None) raise LocationValueError("No host specified.") request_context = self._merge_pool_kwargs(pool_kwargs) - request_context['scheme'] = scheme or 'http' + request_context["scheme"] = scheme or "http" if not port: - port = port_by_scheme.get(request_context['scheme'].lower(), 80) - request_context['port'] = port - request_context['host'] = host + port = port_by_scheme.get(request_context["scheme"].lower(), 80) + request_context["port"] = port + request_context["host"] = host return self.connection_from_context(request_context) def connection_from_context(self, request_context): """ - Get a :class:`ConnectionPool` based on the request context. + Get a :class:`urllib3.connectionpool.ConnectionPool` based on the request context. ``request_context`` must at least contain the ``scheme`` key and its value must be a key in ``key_fn_by_scheme`` instance variable. """ - scheme = request_context['scheme'].lower() - pool_key_constructor = self.key_fn_by_scheme[scheme] + scheme = request_context["scheme"].lower() + pool_key_constructor = self.key_fn_by_scheme.get(scheme) + if not pool_key_constructor: + raise URLSchemeUnknown(scheme) pool_key = pool_key_constructor(request_context) return self.connection_from_pool_key(pool_key, request_context=request_context) def connection_from_pool_key(self, pool_key, request_context=None): """ - Get a :class:`ConnectionPool` based on the provided pool key. + Get a :class:`urllib3.connectionpool.ConnectionPool` based on the provided pool key. ``pool_key`` should be a namedtuple that only contains immutable objects. At a minimum it must have the ``scheme``, ``host``, and @@ -256,9 +275,9 @@ def connection_from_pool_key(self, pool_key, request_context=None): return pool # Make a fresh ConnectionPool of the desired type - scheme = request_context['scheme'] - host = request_context['host'] - port = request_context['port'] + scheme = request_context["scheme"] + host = request_context["host"] + port = request_context["port"] pool = self._new_pool(scheme, host, port, request_context=request_context) self.pools[pool_key] = pool @@ -276,8 +295,9 @@ def connection_from_url(self, url, pool_kwargs=None): not used. """ u = parse_url(url) - return self.connection_from_host(u.host, port=u.port, scheme=u.scheme, - pool_kwargs=pool_kwargs) + return self.connection_from_host( + u.host, port=u.port, scheme=u.scheme, pool_kwargs=pool_kwargs + ) def _merge_pool_kwargs(self, override): """ @@ -299,9 +319,39 @@ def _merge_pool_kwargs(self, override): base_pool_kwargs[key] = value return base_pool_kwargs + def _proxy_requires_url_absolute_form(self, parsed_url): + """ + Indicates if the proxy requires the complete destination URL in the + request. Normally this is only needed when not using an HTTP CONNECT + tunnel. + """ + if self.proxy is None: + return False + + return not connection_requires_http_tunnel( + self.proxy, self.proxy_config, parsed_url.scheme + ) + + def _validate_proxy_scheme_url_selection(self, url_scheme): + """ + Validates that were not attempting to do TLS in TLS connections on + Python2 or with unsupported SSL implementations. + """ + if self.proxy is None or url_scheme != "https": + return + + if self.proxy.scheme != "https": + return + + if six.PY2 and not self.proxy_config.use_forwarding_for_https: + raise ProxySchemeUnsupported( + "Contacting HTTPS destinations through HTTPS proxies " + "'via CONNECT tunnels' is not supported in Python 2" + ) + def urlopen(self, method, url, redirect=True, **kw): """ - Same as :meth:`urllib3.connectionpool.HTTPConnectionPool.urlopen` + Same as :meth:`urllib3.HTTPConnectionPool.urlopen` with custom cross-host redirect logic and only sends the request-uri portion of the ``url``. @@ -309,15 +359,17 @@ def urlopen(self, method, url, redirect=True, **kw): :class:`urllib3.connectionpool.ConnectionPool` can be chosen for it. """ u = parse_url(url) + self._validate_proxy_scheme_url_selection(u.scheme) + conn = self.connection_from_host(u.host, port=u.port, scheme=u.scheme) - kw['assert_same_host'] = False - kw['redirect'] = False + kw["assert_same_host"] = False + kw["redirect"] = False - if 'headers' not in kw: - kw['headers'] = self.headers.copy() + if "headers" not in kw: + kw["headers"] = self.headers.copy() - if self.proxy is not None and u.scheme == "http": + if self._proxy_requires_url_absolute_form(u): response = conn.urlopen(method, url, **kw) else: response = conn.urlopen(method, u.request_uri, **kw) @@ -331,31 +383,37 @@ def urlopen(self, method, url, redirect=True, **kw): # RFC 7231, Section 6.4.4 if response.status == 303: - method = 'GET' + method = "GET" - retries = kw.get('retries') + retries = kw.get("retries") if not isinstance(retries, Retry): retries = Retry.from_int(retries, redirect=redirect) # Strip headers marked as unsafe to forward to the redirected location. # Check remove_headers_on_redirect to avoid a potential network call within # conn.is_same_host() which may use socket.gethostbyname() in the future. - if (retries.remove_headers_on_redirect - and not conn.is_same_host(redirect_location)): - for header in retries.remove_headers_on_redirect: - kw['headers'].pop(header, None) + if retries.remove_headers_on_redirect and not conn.is_same_host( + redirect_location + ): + headers = list(six.iterkeys(kw["headers"])) + for header in headers: + if header.lower() in retries.remove_headers_on_redirect: + kw["headers"].pop(header, None) try: retries = retries.increment(method, url, response=response, _pool=conn) except MaxRetryError: if retries.raise_on_redirect: + response.drain_conn() raise return response - kw['retries'] = retries - kw['redirect'] = redirect + kw["retries"] = retries + kw["redirect"] = redirect log.info("Redirecting %s -> %s", url, redirect_location) + + response.drain_conn() return self.urlopen(method, redirect_location, **kw) @@ -373,6 +431,19 @@ class ProxyManager(PoolManager): HTTPS/CONNECT case they are sent only once. Could be used for proxy authentication. + :param proxy_ssl_context: + The proxy SSL context is used to establish the TLS connection to the + proxy when using HTTPS proxies. + + :param use_forwarding_for_https: + (Defaults to False) If set to True will forward requests to the HTTPS + proxy to be made on behalf of the client instead of creating a TLS + tunnel via the CONNECT method. **Enabling this flag means that request + and response headers and content will be visible from the HTTPS proxy** + whereas tunneling keeps request and response headers and content + private. IP address, target hostname, SNI, and port are always visible + to an HTTPS proxy even when this flag is disabled. + Example: >>> proxy = urllib3.ProxyManager('http://localhost:3128/') >>> r1 = proxy.request('GET', 'http://google.com/') @@ -386,47 +457,63 @@ class ProxyManager(PoolManager): """ - def __init__(self, proxy_url, num_pools=10, headers=None, - proxy_headers=None, **connection_pool_kw): + def __init__( + self, + proxy_url, + num_pools=10, + headers=None, + proxy_headers=None, + proxy_ssl_context=None, + use_forwarding_for_https=False, + **connection_pool_kw + ): if isinstance(proxy_url, HTTPConnectionPool): - proxy_url = '%s://%s:%i' % (proxy_url.scheme, proxy_url.host, - proxy_url.port) + proxy_url = "%s://%s:%i" % ( + proxy_url.scheme, + proxy_url.host, + proxy_url.port, + ) proxy = parse_url(proxy_url) - if not proxy.port: - port = port_by_scheme.get(proxy.scheme, 80) - proxy = proxy._replace(port=port) if proxy.scheme not in ("http", "https"): raise ProxySchemeUnknown(proxy.scheme) + if not proxy.port: + port = port_by_scheme.get(proxy.scheme, 80) + proxy = proxy._replace(port=port) + self.proxy = proxy self.proxy_headers = proxy_headers or {} + self.proxy_ssl_context = proxy_ssl_context + self.proxy_config = ProxyConfig(proxy_ssl_context, use_forwarding_for_https) - connection_pool_kw['_proxy'] = self.proxy - connection_pool_kw['_proxy_headers'] = self.proxy_headers + connection_pool_kw["_proxy"] = self.proxy + connection_pool_kw["_proxy_headers"] = self.proxy_headers + connection_pool_kw["_proxy_config"] = self.proxy_config - super(ProxyManager, self).__init__( - num_pools, headers, **connection_pool_kw) + super(ProxyManager, self).__init__(num_pools, headers, **connection_pool_kw) - def connection_from_host(self, host, port=None, scheme='http', pool_kwargs=None): + def connection_from_host(self, host, port=None, scheme="http", pool_kwargs=None): if scheme == "https": return super(ProxyManager, self).connection_from_host( - host, port, scheme, pool_kwargs=pool_kwargs) + host, port, scheme, pool_kwargs=pool_kwargs + ) return super(ProxyManager, self).connection_from_host( - self.proxy.host, self.proxy.port, self.proxy.scheme, pool_kwargs=pool_kwargs) + self.proxy.host, self.proxy.port, self.proxy.scheme, pool_kwargs=pool_kwargs + ) def _set_proxy_headers(self, url, headers=None): """ Sets headers needed by proxies: specifically, the Accept and Host headers. Only sets headers not provided by the user. """ - headers_ = {'Accept': '*/*'} + headers_ = {"Accept": "*/*"} netloc = parse_url(url).netloc if netloc: - headers_['Host'] = netloc + headers_["Host"] = netloc if headers: headers_.update(headers) @@ -435,13 +522,12 @@ def _set_proxy_headers(self, url, headers=None): def urlopen(self, method, url, redirect=True, **kw): "Same as HTTP(S)ConnectionPool.urlopen, ``url`` must be absolute." u = parse_url(url) - - if u.scheme == "http": - # For proxied HTTPS requests, httplib sets the necessary headers - # on the CONNECT to the proxy. For HTTP, we'll definitely - # need to set 'Host' at the very least. - headers = kw.get('headers', self.headers) - kw['headers'] = self._set_proxy_headers(url, headers) + if not connection_requires_http_tunnel(self.proxy, self.proxy_config, u.scheme): + # For connections using HTTP CONNECT, httplib sets the necessary + # headers on the CONNECT to the proxy. If we're not using CONNECT, + # we'll definitely need to set 'Host' at the very least. + headers = kw.get("headers", self.headers) + kw["headers"] = self._set_proxy_headers(url, headers) return super(ProxyManager, self).urlopen(method, url, redirect=redirect, **kw) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/request.py b/venv/Lib/site-packages/pip/_vendor/urllib3/request.py similarity index 69% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/request.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/request.py index 8f2f44b..398386a 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/request.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/request.py @@ -3,15 +3,14 @@ from .filepost import encode_multipart_formdata from .packages.six.moves.urllib.parse import urlencode - -__all__ = ['RequestMethods'] +__all__ = ["RequestMethods"] class RequestMethods(object): """ Convenience mixin for classes who implement a :meth:`urlopen` method, such - as :class:`~urllib3.connectionpool.HTTPConnectionPool` and - :class:`~urllib3.poolmanager.PoolManager`. + as :class:`urllib3.HTTPConnectionPool` and + :class:`urllib3.PoolManager`. Provides behavior for making common types of HTTP request methods and decides which type of request field encoding to use. @@ -36,16 +35,25 @@ class RequestMethods(object): explicitly. """ - _encode_url_methods = {'DELETE', 'GET', 'HEAD', 'OPTIONS'} + _encode_url_methods = {"DELETE", "GET", "HEAD", "OPTIONS"} def __init__(self, headers=None): self.headers = headers or {} - def urlopen(self, method, url, body=None, headers=None, - encode_multipart=True, multipart_boundary=None, - **kw): # Abstract - raise NotImplementedError("Classes extending RequestMethods must implement " - "their own ``urlopen`` method.") + def urlopen( + self, + method, + url, + body=None, + headers=None, + encode_multipart=True, + multipart_boundary=None, + **kw + ): # Abstract + raise NotImplementedError( + "Classes extending RequestMethods must implement " + "their own ``urlopen`` method." + ) def request(self, method, url, fields=None, headers=None, **urlopen_kw): """ @@ -60,19 +68,18 @@ def request(self, method, url, fields=None, headers=None, **urlopen_kw): """ method = method.upper() - urlopen_kw['request_url'] = url + urlopen_kw["request_url"] = url if method in self._encode_url_methods: - return self.request_encode_url(method, url, fields=fields, - headers=headers, - **urlopen_kw) + return self.request_encode_url( + method, url, fields=fields, headers=headers, **urlopen_kw + ) else: - return self.request_encode_body(method, url, fields=fields, - headers=headers, - **urlopen_kw) + return self.request_encode_body( + method, url, fields=fields, headers=headers, **urlopen_kw + ) - def request_encode_url(self, method, url, fields=None, headers=None, - **urlopen_kw): + def request_encode_url(self, method, url, fields=None, headers=None, **urlopen_kw): """ Make a request using :meth:`urlopen` with the ``fields`` encoded in the url. This is useful for request methods like GET, HEAD, DELETE, etc. @@ -80,25 +87,32 @@ def request_encode_url(self, method, url, fields=None, headers=None, if headers is None: headers = self.headers - extra_kw = {'headers': headers} + extra_kw = {"headers": headers} extra_kw.update(urlopen_kw) if fields: - url += '?' + urlencode(fields) + url += "?" + urlencode(fields) return self.urlopen(method, url, **extra_kw) - def request_encode_body(self, method, url, fields=None, headers=None, - encode_multipart=True, multipart_boundary=None, - **urlopen_kw): + def request_encode_body( + self, + method, + url, + fields=None, + headers=None, + encode_multipart=True, + multipart_boundary=None, + **urlopen_kw + ): """ Make a request using :meth:`urlopen` with the ``fields`` encoded in the body. This is useful for request methods like POST, PUT, PATCH, etc. When ``encode_multipart=True`` (default), then - :meth:`urllib3.filepost.encode_multipart_formdata` is used to encode + :func:`urllib3.encode_multipart_formdata` is used to encode the payload with the appropriate content type. Otherwise - :meth:`urllib.urlencode` is used with the + :func:`urllib.parse.urlencode` is used with the 'application/x-www-form-urlencoded' content type. Multipart encoding must be used when posting files, and it's reasonably @@ -129,22 +143,28 @@ def request_encode_body(self, method, url, fields=None, headers=None, if headers is None: headers = self.headers - extra_kw = {'headers': {}} + extra_kw = {"headers": {}} if fields: - if 'body' in urlopen_kw: + if "body" in urlopen_kw: raise TypeError( - "request got values for both 'fields' and 'body', can only specify one.") + "request got values for both 'fields' and 'body', can only specify one." + ) if encode_multipart: - body, content_type = encode_multipart_formdata(fields, boundary=multipart_boundary) + body, content_type = encode_multipart_formdata( + fields, boundary=multipart_boundary + ) else: - body, content_type = urlencode(fields), 'application/x-www-form-urlencoded' + body, content_type = ( + urlencode(fields), + "application/x-www-form-urlencoded", + ) - extra_kw['body'] = body - extra_kw['headers'] = {'Content-Type': content_type} + extra_kw["body"] = body + extra_kw["headers"] = {"Content-Type": content_type} - extra_kw['headers'].update(headers) + extra_kw["headers"].update(headers) extra_kw.update(urlopen_kw) return self.urlopen(method, url, **extra_kw) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/response.py b/venv/Lib/site-packages/pip/_vendor/urllib3/response.py similarity index 73% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/response.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/response.py index c112690..38693f4 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/response.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/response.py @@ -1,29 +1,41 @@ from __future__ import absolute_import -from contextlib import contextmanager -import zlib + import io import logging -from socket import timeout as SocketTimeout +import zlib +from contextlib import contextmanager from socket import error as SocketError +from socket import timeout as SocketTimeout + +try: + import brotli +except ImportError: + brotli = None from ._collections import HTTPHeaderDict +from .connection import BaseSSLError, HTTPException from .exceptions import ( - BodyNotHttplibCompatible, ProtocolError, DecodeError, ReadTimeoutError, - ResponseNotChunked, IncompleteRead, InvalidHeader + BodyNotHttplibCompatible, + DecodeError, + HTTPError, + IncompleteRead, + InvalidChunkLength, + InvalidHeader, + ProtocolError, + ReadTimeoutError, + ResponseNotChunked, + SSLError, ) -from .packages.six import string_types as basestring, PY3 -from .packages.six.moves import http_client as httplib -from .connection import HTTPException, BaseSSLError +from .packages import six from .util.response import is_fp_closed, is_response_to_head log = logging.getLogger(__name__) class DeflateDecoder(object): - def __init__(self): self._first_try = True - self._data = b'' + self._data = b"" self._obj = zlib.decompressobj() def __getattr__(self, name): @@ -60,7 +72,6 @@ class GzipDecoderState(object): class GzipDecoder(object): - def __init__(self): self._obj = zlib.decompressobj(16 + zlib.MAX_WBITS) self._state = GzipDecoderState.FIRST_MEMBER @@ -90,6 +101,25 @@ def decompress(self, data): self._obj = zlib.decompressobj(16 + zlib.MAX_WBITS) +if brotli is not None: + + class BrotliDecoder(object): + # Supports both 'brotlipy' and 'Brotli' packages + # since they share an import name. The top branches + # are for 'brotlipy' and bottom branches for 'Brotli' + def __init__(self): + self._obj = brotli.Decompressor() + if hasattr(self._obj, "decompress"): + self.decompress = self._obj.decompress + else: + self.decompress = self._obj.process + + def flush(self): + if hasattr(self._obj, "flush"): + return self._obj.flush() + return b"" + + class MultiDecoder(object): """ From RFC7231: @@ -100,7 +130,7 @@ class MultiDecoder(object): """ def __init__(self, modes): - self._decoders = [_get_decoder(m.strip()) for m in modes.split(',')] + self._decoders = [_get_decoder(m.strip()) for m in modes.split(",")] def flush(self): return self._decoders[0].flush() @@ -112,12 +142,15 @@ def decompress(self, data): def _get_decoder(mode): - if ',' in mode: + if "," in mode: return MultiDecoder(mode) - if mode == 'gzip': + if mode == "gzip": return GzipDecoder() + if brotli is not None and mode == "br": + return BrotliDecoder() + return DeflateDecoder() @@ -125,13 +158,13 @@ class HTTPResponse(io.IOBase): """ HTTP Response container. - Backwards-compatible to httplib's HTTPResponse but the response ``body`` is + Backwards-compatible with :class:`http.client.HTTPResponse` but the response ``body`` is loaded and decoded on-demand when the ``data`` property is accessed. This class is also compatible with the Python standard library's :mod:`io` module, and can hence be treated as a readable object in the context of that framework. - Extra parameters for behaviour not present in httplib.HTTPResponse: + Extra parameters for behaviour not present in :class:`http.client.HTTPResponse`: :param preload_content: If True, the response's body will be preloaded during construction. @@ -141,7 +174,7 @@ class is also compatible with the Python standard library's :mod:`io` 'content-encoding' header. :param original_response: - When this HTTPResponse wrapper is generated from an httplib.HTTPResponse + When this HTTPResponse wrapper is generated from an :class:`http.client.HTTPResponse` object, it's convenient to include the original for debug purposes. It's otherwise unused. @@ -154,14 +187,31 @@ class is also compatible with the Python standard library's :mod:`io` value of Content-Length header, if present. Otherwise, raise error. """ - CONTENT_DECODERS = ['gzip', 'deflate'] + CONTENT_DECODERS = ["gzip", "deflate"] + if brotli is not None: + CONTENT_DECODERS += ["br"] REDIRECT_STATUSES = [301, 302, 303, 307, 308] - def __init__(self, body='', headers=None, status=0, version=0, reason=None, - strict=0, preload_content=True, decode_content=True, - original_response=None, pool=None, connection=None, msg=None, - retries=None, enforce_content_length=False, - request_method=None, request_url=None): + def __init__( + self, + body="", + headers=None, + status=0, + version=0, + reason=None, + strict=0, + preload_content=True, + decode_content=True, + original_response=None, + pool=None, + connection=None, + msg=None, + retries=None, + enforce_content_length=False, + request_method=None, + request_url=None, + auto_close=True, + ): if isinstance(headers, HTTPHeaderDict): self.headers = headers @@ -174,6 +224,7 @@ def __init__(self, body='', headers=None, status=0, version=0, reason=None, self.decode_content = decode_content self.retries = retries self.enforce_content_length = enforce_content_length + self.auto_close = auto_close self._decoder = None self._body = None @@ -183,19 +234,19 @@ def __init__(self, body='', headers=None, status=0, version=0, reason=None, self.msg = msg self._request_url = request_url - if body and isinstance(body, (basestring, bytes)): + if body and isinstance(body, (six.string_types, bytes)): self._body = body self._pool = pool self._connection = connection - if hasattr(body, 'read'): + if hasattr(body, "read"): self._fp = body # Are we using the chunked-style of transfer encoding? self.chunked = False self.chunk_left = None - tr_enc = self.headers.get('transfer-encoding', '').lower() + tr_enc = self.headers.get("transfer-encoding", "").lower() # Don't incur the penalty of creating a list and then discarding it encodings = (enc.strip() for enc in tr_enc.split(",")) if "chunked" in encodings: @@ -217,7 +268,7 @@ def get_redirect_location(self): location. ``False`` if not a redirect status code. """ if self.status in self.REDIRECT_STATUSES: - return self.headers.get('location') + return self.headers.get("location") return False @@ -228,9 +279,20 @@ def release_conn(self): self._pool._put_conn(self._connection) self._connection = None + def drain_conn(self): + """ + Read and discard any remaining HTTP response data in the response connection. + + Unread data in the HTTPResponse connection blocks the connection from being released back to the pool. + """ + try: + self.read() + except (HTTPError, SocketError, BaseSSLError, HTTPException): + pass + @property def data(self): - # For backwords-compat with earlier urllib3 0.4 and earlier. + # For backwards-compat with earlier urllib3 0.4 and earlier. if self._body: return self._body @@ -247,8 +309,8 @@ def isclosed(self): def tell(self): """ Obtain the number of bytes pulled over the wire so far. May differ from - the amount of content returned by :meth:``HTTPResponse.read`` if bytes - are encoded on the wire (e.g, compressed). + the amount of content returned by :meth:``urllib3.response.HTTPResponse.read`` + if bytes are encoded on the wire (e.g, compressed). """ return self._fp_bytes_read @@ -256,18 +318,20 @@ def _init_length(self, request_method): """ Set initial length value for Response content if available. """ - length = self.headers.get('content-length') + length = self.headers.get("content-length") if length is not None: if self.chunked: # This Response will fail with an IncompleteRead if it can't be # received as chunked. This method falls back to attempt reading # the response before raising an exception. - log.warning("Received response with both Content-Length and " - "Transfer-Encoding set. This is expressly forbidden " - "by RFC 7230 sec 3.3.2. Ignoring Content-Length and " - "attempting to process response as Transfer-Encoding: " - "chunked.") + log.warning( + "Received response with both Content-Length and " + "Transfer-Encoding set. This is expressly forbidden " + "by RFC 7230 sec 3.3.2. Ignoring Content-Length and " + "attempting to process response as Transfer-Encoding: " + "chunked." + ) return None try: @@ -276,10 +340,12 @@ def _init_length(self, request_method): # (e.g. Content-Length: 42, 42). This line ensures the values # are all valid ints and that as long as the `set` length is 1, # all values are the same. Otherwise, the header is invalid. - lengths = set([int(val) for val in length.split(',')]) + lengths = set([int(val) for val in length.split(",")]) if len(lengths) > 1: - raise InvalidHeader("Content-Length contained multiple " - "unmatching values (%s)" % length) + raise InvalidHeader( + "Content-Length contained multiple " + "unmatching values (%s)" % length + ) length = lengths.pop() except ValueError: length = None @@ -295,7 +361,7 @@ def _init_length(self, request_method): status = 0 # Check for responses that shouldn't include a body - if status in (204, 304) or 100 <= status < 200 or request_method == 'HEAD': + if status in (204, 304) or 100 <= status < 200 or request_method == "HEAD": length = 0 return length @@ -306,29 +372,41 @@ def _init_decoder(self): """ # Note: content-encoding value should be case-insensitive, per RFC 7230 # Section 3.2 - content_encoding = self.headers.get('content-encoding', '').lower() + content_encoding = self.headers.get("content-encoding", "").lower() if self._decoder is None: if content_encoding in self.CONTENT_DECODERS: self._decoder = _get_decoder(content_encoding) - elif ',' in content_encoding: - encodings = [e.strip() for e in content_encoding.split(',') if e.strip() in self.CONTENT_DECODERS] + elif "," in content_encoding: + encodings = [ + e.strip() + for e in content_encoding.split(",") + if e.strip() in self.CONTENT_DECODERS + ] if len(encodings): self._decoder = _get_decoder(content_encoding) + DECODER_ERROR_CLASSES = (IOError, zlib.error) + if brotli is not None: + DECODER_ERROR_CLASSES += (brotli.error,) + def _decode(self, data, decode_content, flush_decoder): """ Decode the data passed in and potentially flush the decoder. """ + if not decode_content: + return data + try: - if decode_content and self._decoder: + if self._decoder: data = self._decoder.decompress(data) - except (IOError, zlib.error) as e: - content_encoding = self.headers.get('content-encoding', '').lower() + except self.DECODER_ERROR_CLASSES as e: + content_encoding = self.headers.get("content-encoding", "").lower() raise DecodeError( "Received response with content-encoding: %s, but " - "failed to decode it." % content_encoding, e) - - if flush_decoder and decode_content: + "failed to decode it." % content_encoding, + e, + ) + if flush_decoder: data += self._flush_decoder() return data @@ -339,10 +417,10 @@ def _flush_decoder(self): being used. """ if self._decoder: - buf = self._decoder.decompress(b'') + buf = self._decoder.decompress(b"") return buf + self._decoder.flush() - return b'' + return b"" @contextmanager def _error_catcher(self): @@ -362,20 +440,19 @@ def _error_catcher(self): except SocketTimeout: # FIXME: Ideally we'd like to include the url in the ReadTimeoutError but # there is yet no clean way to get at it from this context. - raise ReadTimeoutError(self._pool, None, 'Read timed out.') + raise ReadTimeoutError(self._pool, None, "Read timed out.") except BaseSSLError as e: # FIXME: Is there a better way to differentiate between SSLErrors? - if 'read operation timed out' not in str(e): # Defensive: - # This shouldn't happen but just in case we're missing an edge - # case, let's avoid swallowing SSL errors. - raise + if "read operation timed out" not in str(e): + # SSL errors related to framing/MAC get wrapped and reraised here + raise SSLError(e) - raise ReadTimeoutError(self._pool, None, 'Read timed out.') + raise ReadTimeoutError(self._pool, None, "Read timed out.") except (HTTPException, SocketError) as e: # This includes IncompleteRead. - raise ProtocolError('Connection broken: %r' % e, e) + raise ProtocolError("Connection broken: %r" % e, e) # If no exception is thrown, we should avoid cleaning up # unnecessarily. @@ -403,7 +480,7 @@ def _error_catcher(self): def read(self, amt=None, decode_content=None, cache_content=False): """ - Similar to :meth:`httplib.HTTPResponse.read`, but with two additional + Similar to :meth:`http.client.HTTPResponse.read`, but with two additional parameters: ``decode_content`` and ``cache_content``. :param amt: @@ -430,17 +507,19 @@ def read(self, amt=None, decode_content=None, cache_content=False): return flush_decoder = False - data = None + fp_closed = getattr(self._fp, "closed", False) with self._error_catcher(): if amt is None: # cStringIO doesn't like amt=None - data = self._fp.read() + data = self._fp.read() if not fp_closed else b"" flush_decoder = True else: cache_content = False - data = self._fp.read(amt) - if amt != 0 and not data: # Platform-specific: Buggy versions of Python. + data = self._fp.read(amt) if not fp_closed else b"" + if ( + amt != 0 and not data + ): # Platform-specific: Buggy versions of Python. # Close the connection when no data is returned # # This is redundant to what httplib/http.client _should_ @@ -450,7 +529,10 @@ def read(self, amt=None, decode_content=None, cache_content=False): # no harm in redundantly calling close. self._fp.close() flush_decoder = True - if self.enforce_content_length and self.length_remaining not in (0, None): + if self.enforce_content_length and self.length_remaining not in ( + 0, + None, + ): # This is an edge case that httplib failed to cover due # to concerns of backward compatibility. We're # addressing it here to make sure IncompleteRead is @@ -470,7 +552,7 @@ def read(self, amt=None, decode_content=None, cache_content=False): return data - def stream(self, amt=2**16, decode_content=None): + def stream(self, amt=2 ** 16, decode_content=None): """ A generator wrapper for the read() method. A call will block until ``amt`` bytes have been read from the connection or until the @@ -499,7 +581,7 @@ def stream(self, amt=2**16, decode_content=None): @classmethod def from_httplib(ResponseCls, r, **response_kw): """ - Given an :class:`httplib.HTTPResponse` instance ``r``, return a + Given an :class:`http.client.HTTPResponse` instance ``r``, return a corresponding :class:`urllib3.response.HTTPResponse` object. Remaining parameters are passed to the HTTPResponse constructor, along @@ -508,24 +590,27 @@ def from_httplib(ResponseCls, r, **response_kw): headers = r.msg if not isinstance(headers, HTTPHeaderDict): - if PY3: # Python 3 - headers = HTTPHeaderDict(headers.items()) - else: # Python 2 + if six.PY2: + # Python 2.7 headers = HTTPHeaderDict.from_httplib(headers) + else: + headers = HTTPHeaderDict(headers.items()) # HTTPResponse objects in Python 3 don't have a .strict attribute - strict = getattr(r, 'strict', 0) - resp = ResponseCls(body=r, - headers=headers, - status=r.status, - version=r.version, - reason=r.reason, - strict=strict, - original_response=r, - **response_kw) + strict = getattr(r, "strict", 0) + resp = ResponseCls( + body=r, + headers=headers, + status=r.status, + version=r.version, + reason=r.reason, + strict=strict, + original_response=r, + **response_kw + ) return resp - # Backwards-compatibility methods for httplib.HTTPResponse + # Backwards-compatibility methods for http.client.HTTPResponse def getheaders(self): return self.headers @@ -544,13 +629,18 @@ def close(self): if self._connection: self._connection.close() + if not self.auto_close: + io.IOBase.close(self) + @property def closed(self): - if self._fp is None: + if not self.auto_close: + return io.IOBase.closed.__get__(self) + elif self._fp is None: return True - elif hasattr(self._fp, 'isclosed'): + elif hasattr(self._fp, "isclosed"): return self._fp.isclosed() - elif hasattr(self._fp, 'closed'): + elif hasattr(self._fp, "closed"): return self._fp.closed else: return True @@ -561,11 +651,17 @@ def fileno(self): elif hasattr(self._fp, "fileno"): return self._fp.fileno() else: - raise IOError("The file-like object this HTTPResponse is wrapped " - "around has no file descriptor") + raise IOError( + "The file-like object this HTTPResponse is wrapped " + "around has no file descriptor" + ) def flush(self): - if self._fp is not None and hasattr(self._fp, 'flush'): + if ( + self._fp is not None + and hasattr(self._fp, "flush") + and not getattr(self._fp, "closed", False) + ): return self._fp.flush() def readable(self): @@ -578,17 +674,17 @@ def readinto(self, b): if len(temp) == 0: return 0 else: - b[:len(temp)] = temp + b[: len(temp)] = temp return len(temp) def supports_chunked_reads(self): """ Checks if the underlying file-like object looks like a - httplib.HTTPResponse object. We do this by testing for the fp - attribute. If it is present we assume it returns raw chunks as + :class:`http.client.HTTPResponse` object. We do this by testing for + the fp attribute. If it is present we assume it returns raw chunks as processed by read_chunked(). """ - return hasattr(self._fp, 'fp') + return hasattr(self._fp, "fp") def _update_chunk_length(self): # First, we'll figure out length of a chunk and then @@ -596,13 +692,13 @@ def _update_chunk_length(self): if self.chunk_left is not None: return line = self._fp.fp.readline() - line = line.split(b';', 1)[0] + line = line.split(b";", 1)[0] try: self.chunk_left = int(line, 16) except ValueError: # Invalid chunked protocol response, abort. self.close() - raise httplib.IncompleteRead(line) + raise InvalidChunkLength(self, line) def _handle_chunk(self, amt): returned_chunk = None @@ -645,11 +741,13 @@ def read_chunked(self, amt=None, decode_content=None): if not self.chunked: raise ResponseNotChunked( "Response is not chunked. " - "Header 'transfer-encoding: chunked' is missing.") + "Header 'transfer-encoding: chunked' is missing." + ) if not self.supports_chunked_reads(): raise BodyNotHttplibCompatible( - "Body should be httplib.HTTPResponse like. " - "It should have have an fp attribute which returns raw chunks.") + "Body should be http.client.HTTPResponse like. " + "It should have have an fp attribute which returns raw chunks." + ) with self._error_catcher(): # Don't bother reading the body of a HEAD request. @@ -667,8 +765,9 @@ def read_chunked(self, amt=None, decode_content=None): if self.chunk_left == 0: break chunk = self._handle_chunk(amt) - decoded = self._decode(chunk, decode_content=decode_content, - flush_decoder=False) + decoded = self._decode( + chunk, decode_content=decode_content, flush_decoder=False + ) if decoded: yield decoded @@ -686,7 +785,7 @@ def read_chunked(self, amt=None, decode_content=None): if not line: # Some sites may not end with '\r\n'. break - if line == b'\r\n': + if line == b"\r\n": break # We read everything; close the "file". @@ -703,3 +802,20 @@ def geturl(self): return self.retries.history[-1].redirect_location else: return self._request_url + + def __iter__(self): + buffer = [] + for chunk in self.stream(decode_content=True): + if b"\n" in chunk: + chunk = chunk.split(b"\n") + yield b"".join(buffer) + chunk[0] + b"\n" + for x in chunk[1:-1]: + yield x + b"\n" + if chunk[-1]: + buffer = [chunk[-1]] + else: + buffer = [] + else: + buffer.append(chunk) + if buffer: + yield b"".join(buffer) diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/util/__init__.py b/venv/Lib/site-packages/pip/_vendor/urllib3/util/__init__.py new file mode 100644 index 0000000..4547fc5 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/util/__init__.py @@ -0,0 +1,49 @@ +from __future__ import absolute_import + +# For backwards compatibility, provide imports that used to be here. +from .connection import is_connection_dropped +from .request import SKIP_HEADER, SKIPPABLE_HEADERS, make_headers +from .response import is_fp_closed +from .retry import Retry +from .ssl_ import ( + ALPN_PROTOCOLS, + HAS_SNI, + IS_PYOPENSSL, + IS_SECURETRANSPORT, + PROTOCOL_TLS, + SSLContext, + assert_fingerprint, + resolve_cert_reqs, + resolve_ssl_version, + ssl_wrap_socket, +) +from .timeout import Timeout, current_time +from .url import Url, get_host, parse_url, split_first +from .wait import wait_for_read, wait_for_write + +__all__ = ( + "HAS_SNI", + "IS_PYOPENSSL", + "IS_SECURETRANSPORT", + "SSLContext", + "PROTOCOL_TLS", + "ALPN_PROTOCOLS", + "Retry", + "Timeout", + "Url", + "assert_fingerprint", + "current_time", + "is_connection_dropped", + "is_fp_closed", + "get_host", + "parse_url", + "make_headers", + "resolve_cert_reqs", + "resolve_ssl_version", + "split_first", + "ssl_wrap_socket", + "wait_for_read", + "wait_for_write", + "SKIP_HEADER", + "SKIPPABLE_HEADERS", +) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/connection.py b/venv/Lib/site-packages/pip/_vendor/urllib3/util/connection.py similarity index 84% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/connection.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/util/connection.py index 5ad70b2..facfa0d 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/connection.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/util/connection.py @@ -1,7 +1,12 @@ from __future__ import absolute_import + import socket -from .wait import NoWayToWaitForSocketError, wait_for_read + +from pip._vendor.urllib3.exceptions import LocationParseError + from ..contrib import _appengine_environ +from ..packages import six +from .wait import NoWayToWaitForSocketError, wait_for_read def is_connection_dropped(conn): # Platform-specific @@ -9,12 +14,12 @@ def is_connection_dropped(conn): # Platform-specific Returns True if the connection is dropped and should be closed. :param conn: - :class:`httplib.HTTPConnection` object. + :class:`http.client.HTTPConnection` object. Note: For platforms like AppEngine, this will always return ``False`` to let the platform handle connection recycling transparently for us. """ - sock = getattr(conn, 'sock', False) + sock = getattr(conn, "sock", False) if sock is False: # Platform-specific: AppEngine return False if sock is None: # Connection already closed (such as by httplib). @@ -30,23 +35,27 @@ def is_connection_dropped(conn): # Platform-specific # library test suite. Added to its signature is only `socket_options`. # One additional modification is that we avoid binding to IPv6 servers # discovered in DNS if the system doesn't have IPv6 functionality. -def create_connection(address, timeout=socket._GLOBAL_DEFAULT_TIMEOUT, - source_address=None, socket_options=None): +def create_connection( + address, + timeout=socket._GLOBAL_DEFAULT_TIMEOUT, + source_address=None, + socket_options=None, +): """Connect to *address* and return the socket object. Convenience function. Connect to *address* (a 2-tuple ``(host, port)``) and return the socket object. Passing the optional *timeout* parameter will set the timeout on the socket instance before attempting to connect. If no *timeout* is supplied, the - global default timeout setting returned by :func:`getdefaulttimeout` + global default timeout setting returned by :func:`socket.getdefaulttimeout` is used. If *source_address* is set it must be a tuple of (host, port) for the socket to bind as a source address before making the connection. An host of '' or port 0 tells the OS to use the default. """ host, port = address - if host.startswith('['): - host = host.strip('[]') + if host.startswith("["): + host = host.strip("[]") err = None # Using the value from allowed_gai_family() in the context of getaddrinfo lets @@ -54,6 +63,13 @@ def create_connection(address, timeout=socket._GLOBAL_DEFAULT_TIMEOUT, # The original create_connection function always returns all records. family = allowed_gai_family() + try: + host.encode("idna") + except UnicodeError: + return six.raise_from( + LocationParseError(u"'%s', label empty or too long" % host), None + ) + for res in socket.getaddrinfo(host, port, family, socket.SOCK_STREAM): af, socktype, proto, canonname, sa = res sock = None @@ -102,7 +118,7 @@ def allowed_gai_family(): def _has_ipv6(host): - """ Returns True if the system can bind an IPv6 address. """ + """Returns True if the system can bind an IPv6 address.""" sock = None has_ipv6 = False @@ -117,7 +133,7 @@ def _has_ipv6(host): # has_ipv6 returns true if cPython was compiled with IPv6 support. # It does not tell us if the system has IPv6 support enabled. To # determine that we must bind to an IPv6 address. - # https://github.com/shazow/urllib3/pull/611 + # https://github.com/urllib3/urllib3/pull/611 # https://bugs.python.org/issue658327 try: sock = socket.socket(socket.AF_INET6) @@ -131,4 +147,4 @@ def _has_ipv6(host): return has_ipv6 -HAS_IPV6 = _has_ipv6('::1') +HAS_IPV6 = _has_ipv6("::1") diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/util/proxy.py b/venv/Lib/site-packages/pip/_vendor/urllib3/util/proxy.py new file mode 100644 index 0000000..2199cc7 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/util/proxy.py @@ -0,0 +1,57 @@ +from .ssl_ import create_urllib3_context, resolve_cert_reqs, resolve_ssl_version + + +def connection_requires_http_tunnel( + proxy_url=None, proxy_config=None, destination_scheme=None +): + """ + Returns True if the connection requires an HTTP CONNECT through the proxy. + + :param URL proxy_url: + URL of the proxy. + :param ProxyConfig proxy_config: + Proxy configuration from poolmanager.py + :param str destination_scheme: + The scheme of the destination. (i.e https, http, etc) + """ + # If we're not using a proxy, no way to use a tunnel. + if proxy_url is None: + return False + + # HTTP destinations never require tunneling, we always forward. + if destination_scheme == "http": + return False + + # Support for forwarding with HTTPS proxies and HTTPS destinations. + if ( + proxy_url.scheme == "https" + and proxy_config + and proxy_config.use_forwarding_for_https + ): + return False + + # Otherwise always use a tunnel. + return True + + +def create_proxy_ssl_context( + ssl_version, cert_reqs, ca_certs=None, ca_cert_dir=None, ca_cert_data=None +): + """ + Generates a default proxy ssl context if one hasn't been provided by the + user. + """ + ssl_context = create_urllib3_context( + ssl_version=resolve_ssl_version(ssl_version), + cert_reqs=resolve_cert_reqs(cert_reqs), + ) + + if ( + not ca_certs + and not ca_cert_dir + and not ca_cert_data + and hasattr(ssl_context, "load_default_certs") + ): + ssl_context.load_default_certs() + + return ssl_context diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/queue.py b/venv/Lib/site-packages/pip/_vendor/urllib3/util/queue.py similarity index 99% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/queue.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/util/queue.py index d3d379a..4178410 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/queue.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/util/queue.py @@ -1,4 +1,5 @@ import collections + from ..packages import six from ..packages.six.moves import queue diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/request.py b/venv/Lib/site-packages/pip/_vendor/urllib3/util/request.py similarity index 61% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/request.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/util/request.py index 3ddfcd5..2510338 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/request.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/util/request.py @@ -1,15 +1,36 @@ from __future__ import absolute_import + from base64 import b64encode -from ..packages.six import b, integer_types from ..exceptions import UnrewindableBodyError +from ..packages.six import b, integer_types + +# Pass as a value within ``headers`` to skip +# emitting some HTTP headers that are added automatically. +# The only headers that are supported are ``Accept-Encoding``, +# ``Host``, and ``User-Agent``. +SKIP_HEADER = "@@@SKIP_HEADER@@@" +SKIPPABLE_HEADERS = frozenset(["accept-encoding", "host", "user-agent"]) + +ACCEPT_ENCODING = "gzip,deflate" +try: + import brotli as _unused_module_brotli # noqa: F401 +except ImportError: + pass +else: + ACCEPT_ENCODING += ",br" -ACCEPT_ENCODING = 'gzip,deflate' _FAILEDTELL = object() -def make_headers(keep_alive=None, accept_encoding=None, user_agent=None, - basic_auth=None, proxy_basic_auth=None, disable_cache=None): +def make_headers( + keep_alive=None, + accept_encoding=None, + user_agent=None, + basic_auth=None, + proxy_basic_auth=None, + disable_cache=None, +): """ Shortcuts for generating request headers. @@ -49,27 +70,27 @@ def make_headers(keep_alive=None, accept_encoding=None, user_agent=None, if isinstance(accept_encoding, str): pass elif isinstance(accept_encoding, list): - accept_encoding = ','.join(accept_encoding) + accept_encoding = ",".join(accept_encoding) else: accept_encoding = ACCEPT_ENCODING - headers['accept-encoding'] = accept_encoding + headers["accept-encoding"] = accept_encoding if user_agent: - headers['user-agent'] = user_agent + headers["user-agent"] = user_agent if keep_alive: - headers['connection'] = 'keep-alive' + headers["connection"] = "keep-alive" if basic_auth: - headers['authorization'] = 'Basic ' + \ - b64encode(b(basic_auth)).decode('utf-8') + headers["authorization"] = "Basic " + b64encode(b(basic_auth)).decode("utf-8") if proxy_basic_auth: - headers['proxy-authorization'] = 'Basic ' + \ - b64encode(b(proxy_basic_auth)).decode('utf-8') + headers["proxy-authorization"] = "Basic " + b64encode( + b(proxy_basic_auth) + ).decode("utf-8") if disable_cache: - headers['cache-control'] = 'no-cache' + headers["cache-control"] = "no-cache" return headers @@ -81,7 +102,7 @@ def set_file_position(body, pos): """ if pos is not None: rewind_body(body, pos) - elif getattr(body, 'tell', None) is not None: + elif getattr(body, "tell", None) is not None: try: pos = body.tell() except (IOError, OSError): @@ -103,16 +124,20 @@ def rewind_body(body, body_pos): :param int pos: Position to seek to in file. """ - body_seek = getattr(body, 'seek', None) + body_seek = getattr(body, "seek", None) if body_seek is not None and isinstance(body_pos, integer_types): try: body_seek(body_pos) except (IOError, OSError): - raise UnrewindableBodyError("An error occurred when rewinding request " - "body for redirect/retry.") + raise UnrewindableBodyError( + "An error occurred when rewinding request body for redirect/retry." + ) elif body_pos is _FAILEDTELL: - raise UnrewindableBodyError("Unable to record file position for rewinding " - "request body during a redirect/retry.") + raise UnrewindableBodyError( + "Unable to record file position for rewinding " + "request body during a redirect/retry." + ) else: - raise ValueError("body_pos must be of type integer, " - "instead it was %s." % type(body_pos)) + raise ValueError( + "body_pos must be of type integer, instead it was %s." % type(body_pos) + ) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/response.py b/venv/Lib/site-packages/pip/_vendor/urllib3/util/response.py similarity index 62% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/response.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/util/response.py index 3d54864..5ea609c 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/response.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/util/response.py @@ -1,7 +1,9 @@ from __future__ import absolute_import -from ..packages.six.moves import http_client as httplib + +from email.errors import MultipartInvariantViolationDefect, StartBoundaryNotFoundDefect from ..exceptions import HeaderParsingError +from ..packages.six.moves import http_client as httplib def is_fp_closed(obj): @@ -42,8 +44,7 @@ def assert_header_parsing(headers): Only works on Python 3. - :param headers: Headers to verify. - :type headers: `httplib.HTTPMessage`. + :param http.client.HTTPMessage headers: Headers to verify. :raises urllib3.exceptions.HeaderParsingError: If parsing errors are found. @@ -52,11 +53,10 @@ def assert_header_parsing(headers): # This will fail silently if we pass in the wrong kind of parameter. # To make debugging easier add an explicit check. if not isinstance(headers, httplib.HTTPMessage): - raise TypeError('expected httplib.Message, got {0}.'.format( - type(headers))) + raise TypeError("expected httplib.Message, got {0}.".format(type(headers))) - defects = getattr(headers, 'defects', None) - get_payload = getattr(headers, 'get_payload', None) + defects = getattr(headers, "defects", None) + get_payload = getattr(headers, "get_payload", None) unparsed_data = None if get_payload: @@ -67,6 +67,25 @@ def assert_header_parsing(headers): if isinstance(payload, (bytes, str)): unparsed_data = payload + if defects: + # httplib is assuming a response body is available + # when parsing headers even when httplib only sends + # header data to parse_headers() This results in + # defects on multipart responses in particular. + # See: https://github.com/urllib3/urllib3/issues/800 + + # So we ignore the following defects: + # - StartBoundaryNotFoundDefect: + # The claimed start boundary was never found. + # - MultipartInvariantViolationDefect: + # A message claimed to be a multipart but no subparts were found. + defects = [ + defect + for defect in defects + if not isinstance( + defect, (StartBoundaryNotFoundDefect, MultipartInvariantViolationDefect) + ) + ] if defects or unparsed_data: raise HeaderParsingError(defects=defects, unparsed_data=unparsed_data) @@ -77,11 +96,12 @@ def is_response_to_head(response): Checks whether the request of a response has been a HEAD-request. Handles the quirks of AppEngine. - :param conn: - :type conn: :class:`httplib.HTTPResponse` + :param http.client.HTTPResponse response: + Response to check if the originating request + used 'HEAD' as a method. """ # FIXME: Can we do this somehow without accessing private httplib _method? method = response._method if isinstance(method, int): # Platform-specific: Appengine return method == 3 - return method.upper() == 'HEAD' + return method.upper() == "HEAD" diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/retry.py b/venv/Lib/site-packages/pip/_vendor/urllib3/util/retry.py similarity index 54% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/retry.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/util/retry.py index e7d0abd..c7dc42f 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/retry.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/util/retry.py @@ -1,32 +1,78 @@ from __future__ import absolute_import -import time + +import email import logging +import re +import time +import warnings from collections import namedtuple from itertools import takewhile -import email -import re from ..exceptions import ( ConnectTimeoutError, + InvalidHeader, MaxRetryError, ProtocolError, + ProxyError, ReadTimeoutError, ResponseError, - InvalidHeader, ) from ..packages import six - log = logging.getLogger(__name__) # Data structure for representing the metadata of requests that result in a retry. -RequestHistory = namedtuple('RequestHistory', ["method", "url", "error", - "status", "redirect_location"]) +RequestHistory = namedtuple( + "RequestHistory", ["method", "url", "error", "status", "redirect_location"] +) + + +# TODO: In v2 we can remove this sentinel and metaclass with deprecated options. +_Default = object() + + +class _RetryMeta(type): + @property + def DEFAULT_METHOD_WHITELIST(cls): + warnings.warn( + "Using 'Retry.DEFAULT_METHOD_WHITELIST' is deprecated and " + "will be removed in v2.0. Use 'Retry.DEFAULT_ALLOWED_METHODS' instead", + DeprecationWarning, + ) + return cls.DEFAULT_ALLOWED_METHODS + + @DEFAULT_METHOD_WHITELIST.setter + def DEFAULT_METHOD_WHITELIST(cls, value): + warnings.warn( + "Using 'Retry.DEFAULT_METHOD_WHITELIST' is deprecated and " + "will be removed in v2.0. Use 'Retry.DEFAULT_ALLOWED_METHODS' instead", + DeprecationWarning, + ) + cls.DEFAULT_ALLOWED_METHODS = value + + @property + def DEFAULT_REDIRECT_HEADERS_BLACKLIST(cls): + warnings.warn( + "Using 'Retry.DEFAULT_REDIRECT_HEADERS_BLACKLIST' is deprecated and " + "will be removed in v2.0. Use 'Retry.DEFAULT_REMOVE_HEADERS_ON_REDIRECT' instead", + DeprecationWarning, + ) + return cls.DEFAULT_REMOVE_HEADERS_ON_REDIRECT + + @DEFAULT_REDIRECT_HEADERS_BLACKLIST.setter + def DEFAULT_REDIRECT_HEADERS_BLACKLIST(cls, value): + warnings.warn( + "Using 'Retry.DEFAULT_REDIRECT_HEADERS_BLACKLIST' is deprecated and " + "will be removed in v2.0. Use 'Retry.DEFAULT_REMOVE_HEADERS_ON_REDIRECT' instead", + DeprecationWarning, + ) + cls.DEFAULT_REMOVE_HEADERS_ON_REDIRECT = value +@six.add_metaclass(_RetryMeta) class Retry(object): - """ Retry configuration. + """Retry configuration. Each retry attempt will create a new Retry object with updated values, so they can be safely reused. @@ -52,8 +98,7 @@ class Retry(object): Total number of retries to allow. Takes precedence over other counts. Set to ``None`` to remove this constraint and fall back on other - counts. It's a good idea to set this to some sensibly-high value to - account for unexpected edge cases and avoid infinite retry loops. + counts. Set to ``0`` to fail on the first retry. @@ -94,18 +139,35 @@ class Retry(object): Set to ``0`` to fail on the first retry of this type. - :param iterable method_whitelist: + :param int other: + How many times to retry on other errors. + + Other errors are errors that are not connect, read, redirect or status errors. + These errors might be raised after the request was sent to the server, so the + request might have side-effects. + + Set to ``0`` to fail on the first retry of this type. + + If ``total`` is not set, it's a good idea to set this to 0 to account + for unexpected edge cases and avoid infinite retry loops. + + :param iterable allowed_methods: Set of uppercased HTTP method verbs that we should retry on. By default, we only retry on methods which are considered to be idempotent (multiple requests with the same parameters end with the - same state). See :attr:`Retry.DEFAULT_METHOD_WHITELIST`. + same state). See :attr:`Retry.DEFAULT_ALLOWED_METHODS`. Set to a ``False`` value to retry on any verb. + .. warning:: + + Previously this parameter was named ``method_whitelist``, that + usage is deprecated in v1.26.0 and will be removed in v2.0. + :param iterable status_forcelist: A set of integer HTTP status codes that we should force a retry on. - A retry is initiated if the request method is in ``method_whitelist`` + A retry is initiated if the request method is in ``allowed_methods`` and the response status code is in ``status_forcelist``. By default, this is disabled with ``None``. @@ -146,26 +208,64 @@ class Retry(object): request. """ - DEFAULT_METHOD_WHITELIST = frozenset([ - 'HEAD', 'GET', 'PUT', 'DELETE', 'OPTIONS', 'TRACE']) + #: Default methods to be used for ``allowed_methods`` + DEFAULT_ALLOWED_METHODS = frozenset( + ["HEAD", "GET", "PUT", "DELETE", "OPTIONS", "TRACE"] + ) + #: Default status codes to be used for ``status_forcelist`` RETRY_AFTER_STATUS_CODES = frozenset([413, 429, 503]) - DEFAULT_REDIRECT_HEADERS_BLACKLIST = frozenset(['Authorization']) + #: Default headers to be used for ``remove_headers_on_redirect`` + DEFAULT_REMOVE_HEADERS_ON_REDIRECT = frozenset(["Authorization"]) #: Maximum backoff time. BACKOFF_MAX = 120 - def __init__(self, total=10, connect=None, read=None, redirect=None, status=None, - method_whitelist=DEFAULT_METHOD_WHITELIST, status_forcelist=None, - backoff_factor=0, raise_on_redirect=True, raise_on_status=True, - history=None, respect_retry_after_header=True, - remove_headers_on_redirect=DEFAULT_REDIRECT_HEADERS_BLACKLIST): + def __init__( + self, + total=10, + connect=None, + read=None, + redirect=None, + status=None, + other=None, + allowed_methods=_Default, + status_forcelist=None, + backoff_factor=0, + raise_on_redirect=True, + raise_on_status=True, + history=None, + respect_retry_after_header=True, + remove_headers_on_redirect=_Default, + # TODO: Deprecated, remove in v2.0 + method_whitelist=_Default, + ): + + if method_whitelist is not _Default: + if allowed_methods is not _Default: + raise ValueError( + "Using both 'allowed_methods' and " + "'method_whitelist' together is not allowed. " + "Instead only use 'allowed_methods'" + ) + warnings.warn( + "Using 'method_whitelist' with Retry is deprecated and " + "will be removed in v2.0. Use 'allowed_methods' instead", + DeprecationWarning, + stacklevel=2, + ) + allowed_methods = method_whitelist + if allowed_methods is _Default: + allowed_methods = self.DEFAULT_ALLOWED_METHODS + if remove_headers_on_redirect is _Default: + remove_headers_on_redirect = self.DEFAULT_REMOVE_HEADERS_ON_REDIRECT self.total = total self.connect = connect self.read = read self.status = status + self.other = other if redirect is False or total is False: redirect = 0 @@ -173,32 +273,55 @@ def __init__(self, total=10, connect=None, read=None, redirect=None, status=None self.redirect = redirect self.status_forcelist = status_forcelist or set() - self.method_whitelist = method_whitelist + self.allowed_methods = allowed_methods self.backoff_factor = backoff_factor self.raise_on_redirect = raise_on_redirect self.raise_on_status = raise_on_status self.history = history or tuple() self.respect_retry_after_header = respect_retry_after_header - self.remove_headers_on_redirect = remove_headers_on_redirect + self.remove_headers_on_redirect = frozenset( + [h.lower() for h in remove_headers_on_redirect] + ) def new(self, **kw): params = dict( total=self.total, - connect=self.connect, read=self.read, redirect=self.redirect, status=self.status, - method_whitelist=self.method_whitelist, + connect=self.connect, + read=self.read, + redirect=self.redirect, + status=self.status, + other=self.other, status_forcelist=self.status_forcelist, backoff_factor=self.backoff_factor, raise_on_redirect=self.raise_on_redirect, raise_on_status=self.raise_on_status, history=self.history, - remove_headers_on_redirect=self.remove_headers_on_redirect + remove_headers_on_redirect=self.remove_headers_on_redirect, + respect_retry_after_header=self.respect_retry_after_header, ) + + # TODO: If already given in **kw we use what's given to us + # If not given we need to figure out what to pass. We decide + # based on whether our class has the 'method_whitelist' property + # and if so we pass the deprecated 'method_whitelist' otherwise + # we use 'allowed_methods'. Remove in v2.0 + if "method_whitelist" not in kw and "allowed_methods" not in kw: + if "method_whitelist" in self.__dict__: + warnings.warn( + "Using 'method_whitelist' with Retry is deprecated and " + "will be removed in v2.0. Use 'allowed_methods' instead", + DeprecationWarning, + ) + params["method_whitelist"] = self.allowed_methods + else: + params["allowed_methods"] = self.allowed_methods + params.update(kw) return type(self)(**params) @classmethod def from_int(cls, retries, redirect=True, default=None): - """ Backwards-compatibility for the old retries format.""" + """Backwards-compatibility for the old retries format.""" if retries is None: retries = default if default is not None else cls.DEFAULT @@ -211,13 +334,16 @@ def from_int(cls, retries, redirect=True, default=None): return new_retries def get_backoff_time(self): - """ Formula for computing the current backoff + """Formula for computing the current backoff :rtype: float """ # We want to consider only the last consecutive errors sequence (Ignore redirects). - consecutive_errors_len = len(list(takewhile(lambda x: x.redirect_location is None, - reversed(self.history)))) + consecutive_errors_len = len( + list( + takewhile(lambda x: x.redirect_location is None, reversed(self.history)) + ) + ) if consecutive_errors_len <= 1: return 0 @@ -229,10 +355,17 @@ def parse_retry_after(self, retry_after): if re.match(r"^\s*[0-9]+\s*$", retry_after): seconds = int(retry_after) else: - retry_date_tuple = email.utils.parsedate(retry_after) + retry_date_tuple = email.utils.parsedate_tz(retry_after) if retry_date_tuple is None: raise InvalidHeader("Invalid Retry-After header: %s" % retry_after) - retry_date = time.mktime(retry_date_tuple) + if retry_date_tuple[9] is None: # Python 2 + # Assume UTC if no timezone was specified + # On Python2.7, parsedate_tz returns None for a timezone offset + # instead of 0 if no timezone is given, where mktime_tz treats + # a None timezone offset as local time. + retry_date_tuple = retry_date_tuple[:9] + (0,) + retry_date_tuple[10:] + + retry_date = email.utils.mktime_tz(retry_date_tuple) seconds = retry_date - time.time() if seconds < 0: @@ -241,7 +374,7 @@ def parse_retry_after(self, retry_after): return seconds def get_retry_after(self, response): - """ Get the value of Retry-After in seconds. """ + """Get the value of Retry-After in seconds.""" retry_after = response.getheader("Retry-After") @@ -265,7 +398,7 @@ def _sleep_backoff(self): time.sleep(backoff) def sleep(self, response=None): - """ Sleep between retry attempts. + """Sleep between retry attempts. This method will respect a server's ``Retry-After`` response header and sleep the duration of the time requested. If that is not present, it @@ -273,7 +406,7 @@ def sleep(self, response=None): this method will return immediately. """ - if response: + if self.respect_retry_after_header and response: slept = self.sleep_for_retry(response) if slept: return @@ -281,28 +414,41 @@ def sleep(self, response=None): self._sleep_backoff() def _is_connection_error(self, err): - """ Errors when we're fairly sure that the server did not receive the + """Errors when we're fairly sure that the server did not receive the request, so it should be safe to retry. """ + if isinstance(err, ProxyError): + err = err.original_error return isinstance(err, ConnectTimeoutError) def _is_read_error(self, err): - """ Errors that occur after the request has been started, so we should + """Errors that occur after the request has been started, so we should assume that the server began processing it. """ return isinstance(err, (ReadTimeoutError, ProtocolError)) def _is_method_retryable(self, method): - """ Checks if a given HTTP method should be retried upon, depending if - it is included on the method whitelist. + """Checks if a given HTTP method should be retried upon, depending if + it is included in the allowed_methods """ - if self.method_whitelist and method.upper() not in self.method_whitelist: - return False + # TODO: For now favor if the Retry implementation sets its own method_whitelist + # property outside of our constructor to avoid breaking custom implementations. + if "method_whitelist" in self.__dict__: + warnings.warn( + "Using 'method_whitelist' with Retry is deprecated and " + "will be removed in v2.0. Use 'allowed_methods' instead", + DeprecationWarning, + ) + allowed_methods = self.method_whitelist + else: + allowed_methods = self.allowed_methods + if allowed_methods and method.upper() not in allowed_methods: + return False return True def is_retry(self, method, status_code, has_retry_after=False): - """ Is this method/status code retryable? (Based on whitelists and control + """Is this method/status code retryable? (Based on allowlists and control variables such as the number of total retries to allow, whether to respect the Retry-After header, whether this header is present, and whether the returned status code is on the list of status codes to @@ -314,21 +460,39 @@ def is_retry(self, method, status_code, has_retry_after=False): if self.status_forcelist and status_code in self.status_forcelist: return True - return (self.total and self.respect_retry_after_header and - has_retry_after and (status_code in self.RETRY_AFTER_STATUS_CODES)) + return ( + self.total + and self.respect_retry_after_header + and has_retry_after + and (status_code in self.RETRY_AFTER_STATUS_CODES) + ) def is_exhausted(self): - """ Are we out of retries? """ - retry_counts = (self.total, self.connect, self.read, self.redirect, self.status) + """Are we out of retries?""" + retry_counts = ( + self.total, + self.connect, + self.read, + self.redirect, + self.status, + self.other, + ) retry_counts = list(filter(None, retry_counts)) if not retry_counts: return False return min(retry_counts) < 0 - def increment(self, method=None, url=None, response=None, error=None, - _pool=None, _stacktrace=None): - """ Return a new Retry object with incremented retry counters. + def increment( + self, + method=None, + url=None, + response=None, + error=None, + _pool=None, + _stacktrace=None, + ): + """Return a new Retry object with incremented retry counters. :param response: A response object, or None, if the server did not return a response. @@ -350,7 +514,8 @@ def increment(self, method=None, url=None, response=None, error=None, read = self.read redirect = self.redirect status_count = self.status - cause = 'unknown' + other = self.other + cause = "unknown" status = None redirect_location = None @@ -368,31 +533,42 @@ def increment(self, method=None, url=None, response=None, error=None, elif read is not None: read -= 1 + elif error: + # Other retry? + if other is not None: + other -= 1 + elif response and response.get_redirect_location(): # Redirect retry? if redirect is not None: redirect -= 1 - cause = 'too many redirects' + cause = "too many redirects" redirect_location = response.get_redirect_location() status = response.status else: # Incrementing because of a server error like a 500 in - # status_forcelist and a the given method is in the whitelist + # status_forcelist and the given method is in the allowed_methods cause = ResponseError.GENERIC_ERROR if response and response.status: if status_count is not None: status_count -= 1 - cause = ResponseError.SPECIFIC_ERROR.format( - status_code=response.status) + cause = ResponseError.SPECIFIC_ERROR.format(status_code=response.status) status = response.status - history = self.history + (RequestHistory(method, url, error, status, redirect_location),) + history = self.history + ( + RequestHistory(method, url, error, status, redirect_location), + ) new_retry = self.new( total=total, - connect=connect, read=read, redirect=redirect, status=status_count, - history=history) + connect=connect, + read=read, + redirect=redirect, + status=status_count, + other=other, + history=history, + ) if new_retry.is_exhausted(): raise MaxRetryError(_pool, url, error or ResponseError(cause)) @@ -402,9 +578,24 @@ def increment(self, method=None, url=None, response=None, error=None, return new_retry def __repr__(self): - return ('{cls.__name__}(total={self.total}, connect={self.connect}, ' - 'read={self.read}, redirect={self.redirect}, status={self.status})').format( - cls=type(self), self=self) + return ( + "{cls.__name__}(total={self.total}, connect={self.connect}, " + "read={self.read}, redirect={self.redirect}, status={self.status})" + ).format(cls=type(self), self=self) + + def __getattr__(self, item): + if item == "method_whitelist": + # TODO: Remove this deprecated alias in v2.0 + warnings.warn( + "Using 'method_whitelist' with Retry is deprecated and " + "will be removed in v2.0. Use 'allowed_methods' instead", + DeprecationWarning, + ) + return self.allowed_methods + try: + return getattr(super(Retry, self), item) + except AttributeError: + return getattr(Retry, item) # For backwards compatibility (equivalent to pre-v1.9): diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/util/ssl_.py b/venv/Lib/site-packages/pip/_vendor/urllib3/util/ssl_.py new file mode 100644 index 0000000..2b45d39 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/util/ssl_.py @@ -0,0 +1,495 @@ +from __future__ import absolute_import + +import hmac +import os +import sys +import warnings +from binascii import hexlify, unhexlify +from hashlib import md5, sha1, sha256 + +from ..exceptions import ( + InsecurePlatformWarning, + ProxySchemeUnsupported, + SNIMissingWarning, + SSLError, +) +from ..packages import six +from .url import BRACELESS_IPV6_ADDRZ_RE, IPV4_RE + +SSLContext = None +SSLTransport = None +HAS_SNI = False +IS_PYOPENSSL = False +IS_SECURETRANSPORT = False +ALPN_PROTOCOLS = ["http/1.1"] + +# Maps the length of a digest to a possible hash function producing this digest +HASHFUNC_MAP = {32: md5, 40: sha1, 64: sha256} + + +def _const_compare_digest_backport(a, b): + """ + Compare two digests of equal length in constant time. + + The digests must be of type str/bytes. + Returns True if the digests match, and False otherwise. + """ + result = abs(len(a) - len(b)) + for left, right in zip(bytearray(a), bytearray(b)): + result |= left ^ right + return result == 0 + + +_const_compare_digest = getattr(hmac, "compare_digest", _const_compare_digest_backport) + +try: # Test for SSL features + import ssl + from ssl import CERT_REQUIRED, wrap_socket +except ImportError: + pass + +try: + from ssl import HAS_SNI # Has SNI? +except ImportError: + pass + +try: + from .ssltransport import SSLTransport +except ImportError: + pass + + +try: # Platform-specific: Python 3.6 + from ssl import PROTOCOL_TLS + + PROTOCOL_SSLv23 = PROTOCOL_TLS +except ImportError: + try: + from ssl import PROTOCOL_SSLv23 as PROTOCOL_TLS + + PROTOCOL_SSLv23 = PROTOCOL_TLS + except ImportError: + PROTOCOL_SSLv23 = PROTOCOL_TLS = 2 + +try: + from ssl import PROTOCOL_TLS_CLIENT +except ImportError: + PROTOCOL_TLS_CLIENT = PROTOCOL_TLS + + +try: + from ssl import OP_NO_COMPRESSION, OP_NO_SSLv2, OP_NO_SSLv3 +except ImportError: + OP_NO_SSLv2, OP_NO_SSLv3 = 0x1000000, 0x2000000 + OP_NO_COMPRESSION = 0x20000 + + +try: # OP_NO_TICKET was added in Python 3.6 + from ssl import OP_NO_TICKET +except ImportError: + OP_NO_TICKET = 0x4000 + + +# A secure default. +# Sources for more information on TLS ciphers: +# +# - https://wiki.mozilla.org/Security/Server_Side_TLS +# - https://www.ssllabs.com/projects/best-practices/index.html +# - https://hynek.me/articles/hardening-your-web-servers-ssl-ciphers/ +# +# The general intent is: +# - prefer cipher suites that offer perfect forward secrecy (DHE/ECDHE), +# - prefer ECDHE over DHE for better performance, +# - prefer any AES-GCM and ChaCha20 over any AES-CBC for better performance and +# security, +# - prefer AES-GCM over ChaCha20 because hardware-accelerated AES is common, +# - disable NULL authentication, MD5 MACs, DSS, and other +# insecure ciphers for security reasons. +# - NOTE: TLS 1.3 cipher suites are managed through a different interface +# not exposed by CPython (yet!) and are enabled by default if they're available. +DEFAULT_CIPHERS = ":".join( + [ + "ECDHE+AESGCM", + "ECDHE+CHACHA20", + "DHE+AESGCM", + "DHE+CHACHA20", + "ECDH+AESGCM", + "DH+AESGCM", + "ECDH+AES", + "DH+AES", + "RSA+AESGCM", + "RSA+AES", + "!aNULL", + "!eNULL", + "!MD5", + "!DSS", + ] +) + +try: + from ssl import SSLContext # Modern SSL? +except ImportError: + + class SSLContext(object): # Platform-specific: Python 2 + def __init__(self, protocol_version): + self.protocol = protocol_version + # Use default values from a real SSLContext + self.check_hostname = False + self.verify_mode = ssl.CERT_NONE + self.ca_certs = None + self.options = 0 + self.certfile = None + self.keyfile = None + self.ciphers = None + + def load_cert_chain(self, certfile, keyfile): + self.certfile = certfile + self.keyfile = keyfile + + def load_verify_locations(self, cafile=None, capath=None, cadata=None): + self.ca_certs = cafile + + if capath is not None: + raise SSLError("CA directories not supported in older Pythons") + + if cadata is not None: + raise SSLError("CA data not supported in older Pythons") + + def set_ciphers(self, cipher_suite): + self.ciphers = cipher_suite + + def wrap_socket(self, socket, server_hostname=None, server_side=False): + warnings.warn( + "A true SSLContext object is not available. This prevents " + "urllib3 from configuring SSL appropriately and may cause " + "certain SSL connections to fail. You can upgrade to a newer " + "version of Python to solve this. For more information, see " + "https://urllib3.readthedocs.io/en/1.26.x/advanced-usage.html" + "#ssl-warnings", + InsecurePlatformWarning, + ) + kwargs = { + "keyfile": self.keyfile, + "certfile": self.certfile, + "ca_certs": self.ca_certs, + "cert_reqs": self.verify_mode, + "ssl_version": self.protocol, + "server_side": server_side, + } + return wrap_socket(socket, ciphers=self.ciphers, **kwargs) + + +def assert_fingerprint(cert, fingerprint): + """ + Checks if given fingerprint matches the supplied certificate. + + :param cert: + Certificate as bytes object. + :param fingerprint: + Fingerprint as string of hexdigits, can be interspersed by colons. + """ + + fingerprint = fingerprint.replace(":", "").lower() + digest_length = len(fingerprint) + hashfunc = HASHFUNC_MAP.get(digest_length) + if not hashfunc: + raise SSLError("Fingerprint of invalid length: {0}".format(fingerprint)) + + # We need encode() here for py32; works on py2 and p33. + fingerprint_bytes = unhexlify(fingerprint.encode()) + + cert_digest = hashfunc(cert).digest() + + if not _const_compare_digest(cert_digest, fingerprint_bytes): + raise SSLError( + 'Fingerprints did not match. Expected "{0}", got "{1}".'.format( + fingerprint, hexlify(cert_digest) + ) + ) + + +def resolve_cert_reqs(candidate): + """ + Resolves the argument to a numeric constant, which can be passed to + the wrap_socket function/method from the ssl module. + Defaults to :data:`ssl.CERT_REQUIRED`. + If given a string it is assumed to be the name of the constant in the + :mod:`ssl` module or its abbreviation. + (So you can specify `REQUIRED` instead of `CERT_REQUIRED`. + If it's neither `None` nor a string we assume it is already the numeric + constant which can directly be passed to wrap_socket. + """ + if candidate is None: + return CERT_REQUIRED + + if isinstance(candidate, str): + res = getattr(ssl, candidate, None) + if res is None: + res = getattr(ssl, "CERT_" + candidate) + return res + + return candidate + + +def resolve_ssl_version(candidate): + """ + like resolve_cert_reqs + """ + if candidate is None: + return PROTOCOL_TLS + + if isinstance(candidate, str): + res = getattr(ssl, candidate, None) + if res is None: + res = getattr(ssl, "PROTOCOL_" + candidate) + return res + + return candidate + + +def create_urllib3_context( + ssl_version=None, cert_reqs=None, options=None, ciphers=None +): + """All arguments have the same meaning as ``ssl_wrap_socket``. + + By default, this function does a lot of the same work that + ``ssl.create_default_context`` does on Python 3.4+. It: + + - Disables SSLv2, SSLv3, and compression + - Sets a restricted set of server ciphers + + If you wish to enable SSLv3, you can do:: + + from pip._vendor.urllib3.util import ssl_ + context = ssl_.create_urllib3_context() + context.options &= ~ssl_.OP_NO_SSLv3 + + You can do the same to enable compression (substituting ``COMPRESSION`` + for ``SSLv3`` in the last line above). + + :param ssl_version: + The desired protocol version to use. This will default to + PROTOCOL_SSLv23 which will negotiate the highest protocol that both + the server and your installation of OpenSSL support. + :param cert_reqs: + Whether to require the certificate verification. This defaults to + ``ssl.CERT_REQUIRED``. + :param options: + Specific OpenSSL options. These default to ``ssl.OP_NO_SSLv2``, + ``ssl.OP_NO_SSLv3``, ``ssl.OP_NO_COMPRESSION``, and ``ssl.OP_NO_TICKET``. + :param ciphers: + Which cipher suites to allow the server to select. + :returns: + Constructed SSLContext object with specified options + :rtype: SSLContext + """ + # PROTOCOL_TLS is deprecated in Python 3.10 + if not ssl_version or ssl_version == PROTOCOL_TLS: + ssl_version = PROTOCOL_TLS_CLIENT + + context = SSLContext(ssl_version) + + context.set_ciphers(ciphers or DEFAULT_CIPHERS) + + # Setting the default here, as we may have no ssl module on import + cert_reqs = ssl.CERT_REQUIRED if cert_reqs is None else cert_reqs + + if options is None: + options = 0 + # SSLv2 is easily broken and is considered harmful and dangerous + options |= OP_NO_SSLv2 + # SSLv3 has several problems and is now dangerous + options |= OP_NO_SSLv3 + # Disable compression to prevent CRIME attacks for OpenSSL 1.0+ + # (issue #309) + options |= OP_NO_COMPRESSION + # TLSv1.2 only. Unless set explicitly, do not request tickets. + # This may save some bandwidth on wire, and although the ticket is encrypted, + # there is a risk associated with it being on wire, + # if the server is not rotating its ticketing keys properly. + options |= OP_NO_TICKET + + context.options |= options + + # Enable post-handshake authentication for TLS 1.3, see GH #1634. PHA is + # necessary for conditional client cert authentication with TLS 1.3. + # The attribute is None for OpenSSL <= 1.1.0 or does not exist in older + # versions of Python. We only enable on Python 3.7.4+ or if certificate + # verification is enabled to work around Python issue #37428 + # See: https://bugs.python.org/issue37428 + if (cert_reqs == ssl.CERT_REQUIRED or sys.version_info >= (3, 7, 4)) and getattr( + context, "post_handshake_auth", None + ) is not None: + context.post_handshake_auth = True + + def disable_check_hostname(): + if ( + getattr(context, "check_hostname", None) is not None + ): # Platform-specific: Python 3.2 + # We do our own verification, including fingerprints and alternative + # hostnames. So disable it here + context.check_hostname = False + + # The order of the below lines setting verify_mode and check_hostname + # matter due to safe-guards SSLContext has to prevent an SSLContext with + # check_hostname=True, verify_mode=NONE/OPTIONAL. This is made even more + # complex because we don't know whether PROTOCOL_TLS_CLIENT will be used + # or not so we don't know the initial state of the freshly created SSLContext. + if cert_reqs == ssl.CERT_REQUIRED: + context.verify_mode = cert_reqs + disable_check_hostname() + else: + disable_check_hostname() + context.verify_mode = cert_reqs + + # Enable logging of TLS session keys via defacto standard environment variable + # 'SSLKEYLOGFILE', if the feature is available (Python 3.8+). Skip empty values. + if hasattr(context, "keylog_filename"): + sslkeylogfile = os.environ.get("SSLKEYLOGFILE") + if sslkeylogfile: + context.keylog_filename = sslkeylogfile + + return context + + +def ssl_wrap_socket( + sock, + keyfile=None, + certfile=None, + cert_reqs=None, + ca_certs=None, + server_hostname=None, + ssl_version=None, + ciphers=None, + ssl_context=None, + ca_cert_dir=None, + key_password=None, + ca_cert_data=None, + tls_in_tls=False, +): + """ + All arguments except for server_hostname, ssl_context, and ca_cert_dir have + the same meaning as they do when using :func:`ssl.wrap_socket`. + + :param server_hostname: + When SNI is supported, the expected hostname of the certificate + :param ssl_context: + A pre-made :class:`SSLContext` object. If none is provided, one will + be created using :func:`create_urllib3_context`. + :param ciphers: + A string of ciphers we wish the client to support. + :param ca_cert_dir: + A directory containing CA certificates in multiple separate files, as + supported by OpenSSL's -CApath flag or the capath argument to + SSLContext.load_verify_locations(). + :param key_password: + Optional password if the keyfile is encrypted. + :param ca_cert_data: + Optional string containing CA certificates in PEM format suitable for + passing as the cadata parameter to SSLContext.load_verify_locations() + :param tls_in_tls: + Use SSLTransport to wrap the existing socket. + """ + context = ssl_context + if context is None: + # Note: This branch of code and all the variables in it are no longer + # used by urllib3 itself. We should consider deprecating and removing + # this code. + context = create_urllib3_context(ssl_version, cert_reqs, ciphers=ciphers) + + if ca_certs or ca_cert_dir or ca_cert_data: + try: + context.load_verify_locations(ca_certs, ca_cert_dir, ca_cert_data) + except (IOError, OSError) as e: + raise SSLError(e) + + elif ssl_context is None and hasattr(context, "load_default_certs"): + # try to load OS default certs; works well on Windows (require Python3.4+) + context.load_default_certs() + + # Attempt to detect if we get the goofy behavior of the + # keyfile being encrypted and OpenSSL asking for the + # passphrase via the terminal and instead error out. + if keyfile and key_password is None and _is_key_file_encrypted(keyfile): + raise SSLError("Client private key is encrypted, password is required") + + if certfile: + if key_password is None: + context.load_cert_chain(certfile, keyfile) + else: + context.load_cert_chain(certfile, keyfile, key_password) + + try: + if hasattr(context, "set_alpn_protocols"): + context.set_alpn_protocols(ALPN_PROTOCOLS) + except NotImplementedError: # Defensive: in CI, we always have set_alpn_protocols + pass + + # If we detect server_hostname is an IP address then the SNI + # extension should not be used according to RFC3546 Section 3.1 + use_sni_hostname = server_hostname and not is_ipaddress(server_hostname) + # SecureTransport uses server_hostname in certificate verification. + send_sni = (use_sni_hostname and HAS_SNI) or ( + IS_SECURETRANSPORT and server_hostname + ) + # Do not warn the user if server_hostname is an invalid SNI hostname. + if not HAS_SNI and use_sni_hostname: + warnings.warn( + "An HTTPS request has been made, but the SNI (Server Name " + "Indication) extension to TLS is not available on this platform. " + "This may cause the server to present an incorrect TLS " + "certificate, which can cause validation failures. You can upgrade to " + "a newer version of Python to solve this. For more information, see " + "https://urllib3.readthedocs.io/en/1.26.x/advanced-usage.html" + "#ssl-warnings", + SNIMissingWarning, + ) + + if send_sni: + ssl_sock = _ssl_wrap_socket_impl( + sock, context, tls_in_tls, server_hostname=server_hostname + ) + else: + ssl_sock = _ssl_wrap_socket_impl(sock, context, tls_in_tls) + return ssl_sock + + +def is_ipaddress(hostname): + """Detects whether the hostname given is an IPv4 or IPv6 address. + Also detects IPv6 addresses with Zone IDs. + + :param str hostname: Hostname to examine. + :return: True if the hostname is an IP address, False otherwise. + """ + if not six.PY2 and isinstance(hostname, bytes): + # IDN A-label bytes are ASCII compatible. + hostname = hostname.decode("ascii") + return bool(IPV4_RE.match(hostname) or BRACELESS_IPV6_ADDRZ_RE.match(hostname)) + + +def _is_key_file_encrypted(key_file): + """Detects if a key file is encrypted or not.""" + with open(key_file, "r") as f: + for line in f: + # Look for Proc-Type: 4,ENCRYPTED + if "ENCRYPTED" in line: + return True + + return False + + +def _ssl_wrap_socket_impl(sock, ssl_context, tls_in_tls, server_hostname=None): + if tls_in_tls: + if not SSLTransport: + # Import error, ssl is not available. + raise ProxySchemeUnsupported( + "TLS in TLS requires support for the 'ssl' module" + ) + + SSLTransport._validate_ssl_context_for_tls_in_tls(ssl_context) + return SSLTransport(sock, ssl_context, server_hostname) + + if server_hostname: + return ssl_context.wrap_socket(sock, server_hostname=server_hostname) + else: + return ssl_context.wrap_socket(sock) diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/util/ssltransport.py b/venv/Lib/site-packages/pip/_vendor/urllib3/util/ssltransport.py new file mode 100644 index 0000000..0ed97b6 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/util/ssltransport.py @@ -0,0 +1,221 @@ +import io +import socket +import ssl + +from pip._vendor.urllib3.exceptions import ProxySchemeUnsupported +from pip._vendor.urllib3.packages import six + +SSL_BLOCKSIZE = 16384 + + +class SSLTransport: + """ + The SSLTransport wraps an existing socket and establishes an SSL connection. + + Contrary to Python's implementation of SSLSocket, it allows you to chain + multiple TLS connections together. It's particularly useful if you need to + implement TLS within TLS. + + The class supports most of the socket API operations. + """ + + @staticmethod + def _validate_ssl_context_for_tls_in_tls(ssl_context): + """ + Raises a ProxySchemeUnsupported if the provided ssl_context can't be used + for TLS in TLS. + + The only requirement is that the ssl_context provides the 'wrap_bio' + methods. + """ + + if not hasattr(ssl_context, "wrap_bio"): + if six.PY2: + raise ProxySchemeUnsupported( + "TLS in TLS requires SSLContext.wrap_bio() which isn't " + "supported on Python 2" + ) + else: + raise ProxySchemeUnsupported( + "TLS in TLS requires SSLContext.wrap_bio() which isn't " + "available on non-native SSLContext" + ) + + def __init__( + self, socket, ssl_context, server_hostname=None, suppress_ragged_eofs=True + ): + """ + Create an SSLTransport around socket using the provided ssl_context. + """ + self.incoming = ssl.MemoryBIO() + self.outgoing = ssl.MemoryBIO() + + self.suppress_ragged_eofs = suppress_ragged_eofs + self.socket = socket + + self.sslobj = ssl_context.wrap_bio( + self.incoming, self.outgoing, server_hostname=server_hostname + ) + + # Perform initial handshake. + self._ssl_io_loop(self.sslobj.do_handshake) + + def __enter__(self): + return self + + def __exit__(self, *_): + self.close() + + def fileno(self): + return self.socket.fileno() + + def read(self, len=1024, buffer=None): + return self._wrap_ssl_read(len, buffer) + + def recv(self, len=1024, flags=0): + if flags != 0: + raise ValueError("non-zero flags not allowed in calls to recv") + return self._wrap_ssl_read(len) + + def recv_into(self, buffer, nbytes=None, flags=0): + if flags != 0: + raise ValueError("non-zero flags not allowed in calls to recv_into") + if buffer and (nbytes is None): + nbytes = len(buffer) + elif nbytes is None: + nbytes = 1024 + return self.read(nbytes, buffer) + + def sendall(self, data, flags=0): + if flags != 0: + raise ValueError("non-zero flags not allowed in calls to sendall") + count = 0 + with memoryview(data) as view, view.cast("B") as byte_view: + amount = len(byte_view) + while count < amount: + v = self.send(byte_view[count:]) + count += v + + def send(self, data, flags=0): + if flags != 0: + raise ValueError("non-zero flags not allowed in calls to send") + response = self._ssl_io_loop(self.sslobj.write, data) + return response + + def makefile( + self, mode="r", buffering=None, encoding=None, errors=None, newline=None + ): + """ + Python's httpclient uses makefile and buffered io when reading HTTP + messages and we need to support it. + + This is unfortunately a copy and paste of socket.py makefile with small + changes to point to the socket directly. + """ + if not set(mode) <= {"r", "w", "b"}: + raise ValueError("invalid mode %r (only r, w, b allowed)" % (mode,)) + + writing = "w" in mode + reading = "r" in mode or not writing + assert reading or writing + binary = "b" in mode + rawmode = "" + if reading: + rawmode += "r" + if writing: + rawmode += "w" + raw = socket.SocketIO(self, rawmode) + self.socket._io_refs += 1 + if buffering is None: + buffering = -1 + if buffering < 0: + buffering = io.DEFAULT_BUFFER_SIZE + if buffering == 0: + if not binary: + raise ValueError("unbuffered streams must be binary") + return raw + if reading and writing: + buffer = io.BufferedRWPair(raw, raw, buffering) + elif reading: + buffer = io.BufferedReader(raw, buffering) + else: + assert writing + buffer = io.BufferedWriter(raw, buffering) + if binary: + return buffer + text = io.TextIOWrapper(buffer, encoding, errors, newline) + text.mode = mode + return text + + def unwrap(self): + self._ssl_io_loop(self.sslobj.unwrap) + + def close(self): + self.socket.close() + + def getpeercert(self, binary_form=False): + return self.sslobj.getpeercert(binary_form) + + def version(self): + return self.sslobj.version() + + def cipher(self): + return self.sslobj.cipher() + + def selected_alpn_protocol(self): + return self.sslobj.selected_alpn_protocol() + + def selected_npn_protocol(self): + return self.sslobj.selected_npn_protocol() + + def shared_ciphers(self): + return self.sslobj.shared_ciphers() + + def compression(self): + return self.sslobj.compression() + + def settimeout(self, value): + self.socket.settimeout(value) + + def gettimeout(self): + return self.socket.gettimeout() + + def _decref_socketios(self): + self.socket._decref_socketios() + + def _wrap_ssl_read(self, len, buffer=None): + try: + return self._ssl_io_loop(self.sslobj.read, len, buffer) + except ssl.SSLError as e: + if e.errno == ssl.SSL_ERROR_EOF and self.suppress_ragged_eofs: + return 0 # eof, return 0. + else: + raise + + def _ssl_io_loop(self, func, *args): + """Performs an I/O loop between incoming/outgoing and the socket.""" + should_loop = True + ret = None + + while should_loop: + errno = None + try: + ret = func(*args) + except ssl.SSLError as e: + if e.errno not in (ssl.SSL_ERROR_WANT_READ, ssl.SSL_ERROR_WANT_WRITE): + # WANT_READ, and WANT_WRITE are expected, others are not. + raise e + errno = e.errno + + buf = self.outgoing.read() + self.socket.sendall(buf) + + if errno is None: + should_loop = False + elif errno == ssl.SSL_ERROR_WANT_READ: + buf = self.socket.recv(SSL_BLOCKSIZE) + if buf: + self.incoming.write(buf) + else: + self.incoming.write_eof() + return ret diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/timeout.py b/venv/Lib/site-packages/pip/_vendor/urllib3/util/timeout.py similarity index 67% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/timeout.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/util/timeout.py index cec817e..ff69593 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/timeout.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/util/timeout.py @@ -1,8 +1,10 @@ from __future__ import absolute_import + +import time + # The default socket timeout, used by httplib to indicate that no timeout was # specified by the user from socket import _GLOBAL_DEFAULT_TIMEOUT -import time from ..exceptions import TimeoutStateError @@ -16,22 +18,28 @@ class Timeout(object): - """ Timeout configuration. + """Timeout configuration. - Timeouts can be defined as a default for a pool:: + Timeouts can be defined as a default for a pool: - timeout = Timeout(connect=2.0, read=7.0) - http = PoolManager(timeout=timeout) - response = http.request('GET', 'http://example.com/') + .. code-block:: python - Or per-request (which overrides the default for the pool):: + timeout = Timeout(connect=2.0, read=7.0) + http = PoolManager(timeout=timeout) + response = http.request('GET', 'http://example.com/') - response = http.request('GET', 'http://example.com/', timeout=Timeout(10)) + Or per-request (which overrides the default for the pool): - Timeouts can be disabled by setting all the parameters to ``None``:: + .. code-block:: python - no_timeout = Timeout(connect=None, read=None) - response = http.request('GET', 'http://example.com/, timeout=no_timeout) + response = http.request('GET', 'http://example.com/', timeout=Timeout(10)) + + Timeouts can be disabled by setting all the parameters to ``None``: + + .. code-block:: python + + no_timeout = Timeout(connect=None, read=None) + response = http.request('GET', 'http://example.com/, timeout=no_timeout) :param total: @@ -42,26 +50,27 @@ class Timeout(object): Defaults to None. - :type total: integer, float, or None + :type total: int, float, or None :param connect: - The maximum amount of time to wait for a connection attempt to a server - to succeed. Omitting the parameter will default the connect timeout to - the system default, probably `the global default timeout in socket.py + The maximum amount of time (in seconds) to wait for a connection + attempt to a server to succeed. Omitting the parameter will default the + connect timeout to the system default, probably `the global default + timeout in socket.py <http://hg.python.org/cpython/file/603b4d593758/Lib/socket.py#l535>`_. None will set an infinite timeout for connection attempts. - :type connect: integer, float, or None + :type connect: int, float, or None :param read: - The maximum amount of time to wait between consecutive - read operations for a response from the server. Omitting - the parameter will default the read timeout to the system - default, probably `the global default timeout in socket.py + The maximum amount of time (in seconds) to wait between consecutive + read operations for a response from the server. Omitting the parameter + will default the read timeout to the system default, probably `the + global default timeout in socket.py <http://hg.python.org/cpython/file/603b4d593758/Lib/socket.py#l535>`_. None will set an infinite timeout. - :type read: integer, float, or None + :type read: int, float, or None .. note:: @@ -91,18 +100,25 @@ class Timeout(object): DEFAULT_TIMEOUT = _GLOBAL_DEFAULT_TIMEOUT def __init__(self, total=None, connect=_Default, read=_Default): - self._connect = self._validate_timeout(connect, 'connect') - self._read = self._validate_timeout(read, 'read') - self.total = self._validate_timeout(total, 'total') + self._connect = self._validate_timeout(connect, "connect") + self._read = self._validate_timeout(read, "read") + self.total = self._validate_timeout(total, "total") self._start_connect = None - def __str__(self): - return '%s(connect=%r, read=%r, total=%r)' % ( - type(self).__name__, self._connect, self._read, self.total) + def __repr__(self): + return "%s(connect=%r, read=%r, total=%r)" % ( + type(self).__name__, + self._connect, + self._read, + self.total, + ) + + # __str__ provided for backwards compatibility + __str__ = __repr__ @classmethod def _validate_timeout(cls, value, name): - """ Check that a timeout attribute is valid. + """Check that a timeout attribute is valid. :param value: The timeout value to validate :param name: The name of the timeout attribute to validate. This is @@ -118,28 +134,37 @@ def _validate_timeout(cls, value, name): return value if isinstance(value, bool): - raise ValueError("Timeout cannot be a boolean value. It must " - "be an int, float or None.") + raise ValueError( + "Timeout cannot be a boolean value. It must " + "be an int, float or None." + ) try: float(value) except (TypeError, ValueError): - raise ValueError("Timeout value %s was %s, but it must be an " - "int, float or None." % (name, value)) + raise ValueError( + "Timeout value %s was %s, but it must be an " + "int, float or None." % (name, value) + ) try: if value <= 0: - raise ValueError("Attempted to set %s timeout to %s, but the " - "timeout cannot be set to a value less " - "than or equal to 0." % (name, value)) - except TypeError: # Python 3 - raise ValueError("Timeout value %s was %s, but it must be an " - "int, float or None." % (name, value)) + raise ValueError( + "Attempted to set %s timeout to %s, but the " + "timeout cannot be set to a value less " + "than or equal to 0." % (name, value) + ) + except TypeError: + # Python 3 + raise ValueError( + "Timeout value %s was %s, but it must be an " + "int, float or None." % (name, value) + ) return value @classmethod def from_float(cls, timeout): - """ Create a new Timeout from a legacy timeout value. + """Create a new Timeout from a legacy timeout value. The timeout value used by httplib.py sets the same timeout on the connect(), and recv() socket requests. This creates a :class:`Timeout` @@ -154,7 +179,7 @@ def from_float(cls, timeout): return Timeout(read=timeout, connect=timeout) def clone(self): - """ Create a copy of the timeout object + """Create a copy of the timeout object Timeout properties are stored per-pool but each request needs a fresh Timeout object to ensure each one has its own start/stop configured. @@ -165,11 +190,10 @@ def clone(self): # We can't use copy.deepcopy because that will also create a new object # for _GLOBAL_DEFAULT_TIMEOUT, which socket.py uses as a sentinel to # detect the user default. - return Timeout(connect=self._connect, read=self._read, - total=self.total) + return Timeout(connect=self._connect, read=self._read, total=self.total) def start_connect(self): - """ Start the timeout clock, used during a connect() attempt + """Start the timeout clock, used during a connect() attempt :raises urllib3.exceptions.TimeoutStateError: if you attempt to start a timer that has been started already. @@ -180,21 +204,22 @@ def start_connect(self): return self._start_connect def get_connect_duration(self): - """ Gets the time elapsed since the call to :meth:`start_connect`. + """Gets the time elapsed since the call to :meth:`start_connect`. - :return: Elapsed time. + :return: Elapsed time in seconds. :rtype: float :raises urllib3.exceptions.TimeoutStateError: if you attempt to get duration for a timer that hasn't been started. """ if self._start_connect is None: - raise TimeoutStateError("Can't get connect duration for timer " - "that has not started.") + raise TimeoutStateError( + "Can't get connect duration for timer that has not started." + ) return current_time() - self._start_connect @property def connect_timeout(self): - """ Get the value to use when setting a connection timeout. + """Get the value to use when setting a connection timeout. This will be a positive float or integer, the value None (never timeout), or the default system timeout. @@ -212,7 +237,7 @@ def connect_timeout(self): @property def read_timeout(self): - """ Get the value for the read timeout. + """Get the value for the read timeout. This assumes some time has elapsed in the connection timeout and computes the read timeout appropriately. @@ -227,15 +252,16 @@ def read_timeout(self): :raises urllib3.exceptions.TimeoutStateError: If :meth:`start_connect` has not yet been called on this object. """ - if (self.total is not None and - self.total is not self.DEFAULT_TIMEOUT and - self._read is not None and - self._read is not self.DEFAULT_TIMEOUT): + if ( + self.total is not None + and self.total is not self.DEFAULT_TIMEOUT + and self._read is not None + and self._read is not self.DEFAULT_TIMEOUT + ): # In case the connect timeout has not yet been established. if self._start_connect is None: return self._read - return max(0, min(self.total - self.get_connect_duration(), - self._read)) + return max(0, min(self.total - self.get_connect_duration(), self._read)) elif self.total is not None and self.total is not self.DEFAULT_TIMEOUT: return max(0, self.total - self.get_connect_duration()) else: diff --git a/venv/Lib/site-packages/pip/_vendor/urllib3/util/url.py b/venv/Lib/site-packages/pip/_vendor/urllib3/util/url.py new file mode 100644 index 0000000..3651c43 --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/util/url.py @@ -0,0 +1,432 @@ +from __future__ import absolute_import + +import re +from collections import namedtuple + +from ..exceptions import LocationParseError +from ..packages import six + +url_attrs = ["scheme", "auth", "host", "port", "path", "query", "fragment"] + +# We only want to normalize urls with an HTTP(S) scheme. +# urllib3 infers URLs without a scheme (None) to be http. +NORMALIZABLE_SCHEMES = ("http", "https", None) + +# Almost all of these patterns were derived from the +# 'rfc3986' module: https://github.com/python-hyper/rfc3986 +PERCENT_RE = re.compile(r"%[a-fA-F0-9]{2}") +SCHEME_RE = re.compile(r"^(?:[a-zA-Z][a-zA-Z0-9+-]*:|/)") +URI_RE = re.compile( + r"^(?:([a-zA-Z][a-zA-Z0-9+.-]*):)?" + r"(?://([^\\/?#]*))?" + r"([^?#]*)" + r"(?:\?([^#]*))?" + r"(?:#(.*))?$", + re.UNICODE | re.DOTALL, +) + +IPV4_PAT = r"(?:[0-9]{1,3}\.){3}[0-9]{1,3}" +HEX_PAT = "[0-9A-Fa-f]{1,4}" +LS32_PAT = "(?:{hex}:{hex}|{ipv4})".format(hex=HEX_PAT, ipv4=IPV4_PAT) +_subs = {"hex": HEX_PAT, "ls32": LS32_PAT} +_variations = [ + # 6( h16 ":" ) ls32 + "(?:%(hex)s:){6}%(ls32)s", + # "::" 5( h16 ":" ) ls32 + "::(?:%(hex)s:){5}%(ls32)s", + # [ h16 ] "::" 4( h16 ":" ) ls32 + "(?:%(hex)s)?::(?:%(hex)s:){4}%(ls32)s", + # [ *1( h16 ":" ) h16 ] "::" 3( h16 ":" ) ls32 + "(?:(?:%(hex)s:)?%(hex)s)?::(?:%(hex)s:){3}%(ls32)s", + # [ *2( h16 ":" ) h16 ] "::" 2( h16 ":" ) ls32 + "(?:(?:%(hex)s:){0,2}%(hex)s)?::(?:%(hex)s:){2}%(ls32)s", + # [ *3( h16 ":" ) h16 ] "::" h16 ":" ls32 + "(?:(?:%(hex)s:){0,3}%(hex)s)?::%(hex)s:%(ls32)s", + # [ *4( h16 ":" ) h16 ] "::" ls32 + "(?:(?:%(hex)s:){0,4}%(hex)s)?::%(ls32)s", + # [ *5( h16 ":" ) h16 ] "::" h16 + "(?:(?:%(hex)s:){0,5}%(hex)s)?::%(hex)s", + # [ *6( h16 ":" ) h16 ] "::" + "(?:(?:%(hex)s:){0,6}%(hex)s)?::", +] + +UNRESERVED_PAT = r"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789._!\-~" +IPV6_PAT = "(?:" + "|".join([x % _subs for x in _variations]) + ")" +ZONE_ID_PAT = "(?:%25|%)(?:[" + UNRESERVED_PAT + "]|%[a-fA-F0-9]{2})+" +IPV6_ADDRZ_PAT = r"\[" + IPV6_PAT + r"(?:" + ZONE_ID_PAT + r")?\]" +REG_NAME_PAT = r"(?:[^\[\]%:/?#]|%[a-fA-F0-9]{2})*" +TARGET_RE = re.compile(r"^(/[^?#]*)(?:\?([^#]*))?(?:#.*)?$") + +IPV4_RE = re.compile("^" + IPV4_PAT + "$") +IPV6_RE = re.compile("^" + IPV6_PAT + "$") +IPV6_ADDRZ_RE = re.compile("^" + IPV6_ADDRZ_PAT + "$") +BRACELESS_IPV6_ADDRZ_RE = re.compile("^" + IPV6_ADDRZ_PAT[2:-2] + "$") +ZONE_ID_RE = re.compile("(" + ZONE_ID_PAT + r")\]$") + +_HOST_PORT_PAT = ("^(%s|%s|%s)(?::([0-9]{0,5}))?$") % ( + REG_NAME_PAT, + IPV4_PAT, + IPV6_ADDRZ_PAT, +) +_HOST_PORT_RE = re.compile(_HOST_PORT_PAT, re.UNICODE | re.DOTALL) + +UNRESERVED_CHARS = set( + "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789._-~" +) +SUB_DELIM_CHARS = set("!$&'()*+,;=") +USERINFO_CHARS = UNRESERVED_CHARS | SUB_DELIM_CHARS | {":"} +PATH_CHARS = USERINFO_CHARS | {"@", "/"} +QUERY_CHARS = FRAGMENT_CHARS = PATH_CHARS | {"?"} + + +class Url(namedtuple("Url", url_attrs)): + """ + Data structure for representing an HTTP URL. Used as a return value for + :func:`parse_url`. Both the scheme and host are normalized as they are + both case-insensitive according to RFC 3986. + """ + + __slots__ = () + + def __new__( + cls, + scheme=None, + auth=None, + host=None, + port=None, + path=None, + query=None, + fragment=None, + ): + if path and not path.startswith("/"): + path = "/" + path + if scheme is not None: + scheme = scheme.lower() + return super(Url, cls).__new__( + cls, scheme, auth, host, port, path, query, fragment + ) + + @property + def hostname(self): + """For backwards-compatibility with urlparse. We're nice like that.""" + return self.host + + @property + def request_uri(self): + """Absolute path including the query string.""" + uri = self.path or "/" + + if self.query is not None: + uri += "?" + self.query + + return uri + + @property + def netloc(self): + """Network location including host and port""" + if self.port: + return "%s:%d" % (self.host, self.port) + return self.host + + @property + def url(self): + """ + Convert self into a url + + This function should more or less round-trip with :func:`.parse_url`. The + returned url may not be exactly the same as the url inputted to + :func:`.parse_url`, but it should be equivalent by the RFC (e.g., urls + with a blank port will have : removed). + + Example: :: + + >>> U = parse_url('http://google.com/mail/') + >>> U.url + 'http://google.com/mail/' + >>> Url('http', 'username:password', 'host.com', 80, + ... '/path', 'query', 'fragment').url + 'http://username:password@host.com:80/path?query#fragment' + """ + scheme, auth, host, port, path, query, fragment = self + url = u"" + + # We use "is not None" we want things to happen with empty strings (or 0 port) + if scheme is not None: + url += scheme + u"://" + if auth is not None: + url += auth + u"@" + if host is not None: + url += host + if port is not None: + url += u":" + str(port) + if path is not None: + url += path + if query is not None: + url += u"?" + query + if fragment is not None: + url += u"#" + fragment + + return url + + def __str__(self): + return self.url + + +def split_first(s, delims): + """ + .. deprecated:: 1.25 + + Given a string and an iterable of delimiters, split on the first found + delimiter. Return two split parts and the matched delimiter. + + If not found, then the first part is the full input string. + + Example:: + + >>> split_first('foo/bar?baz', '?/=') + ('foo', 'bar?baz', '/') + >>> split_first('foo/bar?baz', '123') + ('foo/bar?baz', '', None) + + Scales linearly with number of delims. Not ideal for large number of delims. + """ + min_idx = None + min_delim = None + for d in delims: + idx = s.find(d) + if idx < 0: + continue + + if min_idx is None or idx < min_idx: + min_idx = idx + min_delim = d + + if min_idx is None or min_idx < 0: + return s, "", None + + return s[:min_idx], s[min_idx + 1 :], min_delim + + +def _encode_invalid_chars(component, allowed_chars, encoding="utf-8"): + """Percent-encodes a URI component without reapplying + onto an already percent-encoded component. + """ + if component is None: + return component + + component = six.ensure_text(component) + + # Normalize existing percent-encoded bytes. + # Try to see if the component we're encoding is already percent-encoded + # so we can skip all '%' characters but still encode all others. + component, percent_encodings = PERCENT_RE.subn( + lambda match: match.group(0).upper(), component + ) + + uri_bytes = component.encode("utf-8", "surrogatepass") + is_percent_encoded = percent_encodings == uri_bytes.count(b"%") + encoded_component = bytearray() + + for i in range(0, len(uri_bytes)): + # Will return a single character bytestring on both Python 2 & 3 + byte = uri_bytes[i : i + 1] + byte_ord = ord(byte) + if (is_percent_encoded and byte == b"%") or ( + byte_ord < 128 and byte.decode() in allowed_chars + ): + encoded_component += byte + continue + encoded_component.extend(b"%" + (hex(byte_ord)[2:].encode().zfill(2).upper())) + + return encoded_component.decode(encoding) + + +def _remove_path_dot_segments(path): + # See http://tools.ietf.org/html/rfc3986#section-5.2.4 for pseudo-code + segments = path.split("/") # Turn the path into a list of segments + output = [] # Initialize the variable to use to store output + + for segment in segments: + # '.' is the current directory, so ignore it, it is superfluous + if segment == ".": + continue + # Anything other than '..', should be appended to the output + elif segment != "..": + output.append(segment) + # In this case segment == '..', if we can, we should pop the last + # element + elif output: + output.pop() + + # If the path starts with '/' and the output is empty or the first string + # is non-empty + if path.startswith("/") and (not output or output[0]): + output.insert(0, "") + + # If the path starts with '/.' or '/..' ensure we add one more empty + # string to add a trailing '/' + if path.endswith(("/.", "/..")): + output.append("") + + return "/".join(output) + + +def _normalize_host(host, scheme): + if host: + if isinstance(host, six.binary_type): + host = six.ensure_str(host) + + if scheme in NORMALIZABLE_SCHEMES: + is_ipv6 = IPV6_ADDRZ_RE.match(host) + if is_ipv6: + match = ZONE_ID_RE.search(host) + if match: + start, end = match.span(1) + zone_id = host[start:end] + + if zone_id.startswith("%25") and zone_id != "%25": + zone_id = zone_id[3:] + else: + zone_id = zone_id[1:] + zone_id = "%" + _encode_invalid_chars(zone_id, UNRESERVED_CHARS) + return host[:start].lower() + zone_id + host[end:] + else: + return host.lower() + elif not IPV4_RE.match(host): + return six.ensure_str( + b".".join([_idna_encode(label) for label in host.split(".")]) + ) + return host + + +def _idna_encode(name): + if name and any([ord(x) > 128 for x in name]): + try: + from pip._vendor import idna + except ImportError: + six.raise_from( + LocationParseError("Unable to parse URL without the 'idna' module"), + None, + ) + try: + return idna.encode(name.lower(), strict=True, std3_rules=True) + except idna.IDNAError: + six.raise_from( + LocationParseError(u"Name '%s' is not a valid IDNA label" % name), None + ) + return name.lower().encode("ascii") + + +def _encode_target(target): + """Percent-encodes a request target so that there are no invalid characters""" + path, query = TARGET_RE.match(target).groups() + target = _encode_invalid_chars(path, PATH_CHARS) + query = _encode_invalid_chars(query, QUERY_CHARS) + if query is not None: + target += "?" + query + return target + + +def parse_url(url): + """ + Given a url, return a parsed :class:`.Url` namedtuple. Best-effort is + performed to parse incomplete urls. Fields not provided will be None. + This parser is RFC 3986 compliant. + + The parser logic and helper functions are based heavily on + work done in the ``rfc3986`` module. + + :param str url: URL to parse into a :class:`.Url` namedtuple. + + Partly backwards-compatible with :mod:`urlparse`. + + Example:: + + >>> parse_url('http://google.com/mail/') + Url(scheme='http', host='google.com', port=None, path='/mail/', ...) + >>> parse_url('google.com:80') + Url(scheme=None, host='google.com', port=80, path=None, ...) + >>> parse_url('/foo?bar') + Url(scheme=None, host=None, port=None, path='/foo', query='bar', ...) + """ + if not url: + # Empty + return Url() + + source_url = url + if not SCHEME_RE.search(url): + url = "//" + url + + try: + scheme, authority, path, query, fragment = URI_RE.match(url).groups() + normalize_uri = scheme is None or scheme.lower() in NORMALIZABLE_SCHEMES + + if scheme: + scheme = scheme.lower() + + if authority: + auth, _, host_port = authority.rpartition("@") + auth = auth or None + host, port = _HOST_PORT_RE.match(host_port).groups() + if auth and normalize_uri: + auth = _encode_invalid_chars(auth, USERINFO_CHARS) + if port == "": + port = None + else: + auth, host, port = None, None, None + + if port is not None: + port = int(port) + if not (0 <= port <= 65535): + raise LocationParseError(url) + + host = _normalize_host(host, scheme) + + if normalize_uri and path: + path = _remove_path_dot_segments(path) + path = _encode_invalid_chars(path, PATH_CHARS) + if normalize_uri and query: + query = _encode_invalid_chars(query, QUERY_CHARS) + if normalize_uri and fragment: + fragment = _encode_invalid_chars(fragment, FRAGMENT_CHARS) + + except (ValueError, AttributeError): + return six.raise_from(LocationParseError(source_url), None) + + # For the sake of backwards compatibility we put empty + # string values for path if there are any defined values + # beyond the path in the URL. + # TODO: Remove this when we break backwards compatibility. + if not path: + if query is not None or fragment is not None: + path = "" + else: + path = None + + # Ensure that each part of the URL is a `str` for + # backwards compatibility. + if isinstance(url, six.text_type): + ensure_func = six.ensure_text + else: + ensure_func = six.ensure_str + + def ensure_type(x): + return x if x is None else ensure_func(x) + + return Url( + scheme=ensure_type(scheme), + auth=ensure_type(auth), + host=ensure_type(host), + port=port, + path=ensure_type(path), + query=ensure_type(query), + fragment=ensure_type(fragment), + ) + + +def get_host(url): + """ + Deprecated. Use :func:`parse_url` instead. + """ + p = parse_url(url) + return p.scheme or "http", p.hostname, p.port diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/wait.py b/venv/Lib/site-packages/pip/_vendor/urllib3/util/wait.py similarity index 97% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/wait.py rename to venv/Lib/site-packages/pip/_vendor/urllib3/util/wait.py index 4db71ba..c280646 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/urllib3/util/wait.py +++ b/venv/Lib/site-packages/pip/_vendor/urllib3/util/wait.py @@ -1,7 +1,8 @@ import errno -from functools import partial import select import sys +from functools import partial + try: from time import monotonic except ImportError: @@ -40,6 +41,8 @@ class NoWayToWaitForSocketError(Exception): # Modern Python, that retries syscalls by default def _retry_on_intr(fn, timeout): return fn(timeout) + + else: # Old and broken Pythons. def _retry_on_intr(fn, timeout): @@ -137,14 +140,14 @@ def wait_for_socket(*args, **kwargs): def wait_for_read(sock, timeout=None): - """ Waits for reading to be available on a given socket. + """Waits for reading to be available on a given socket. Returns True if the socket is readable, or False if the timeout expired. """ return wait_for_socket(sock, read=True, timeout=timeout) def wait_for_write(sock, timeout=None): - """ Waits for writing to be available on a given socket. + """Waits for writing to be available on a given socket. Returns True if the socket is readable, or False if the timeout expired. """ return wait_for_socket(sock, write=True, timeout=timeout) diff --git a/venv/Lib/site-packages/pip/_vendor/vendor.txt b/venv/Lib/site-packages/pip/_vendor/vendor.txt new file mode 100644 index 0000000..0b74c2b --- /dev/null +++ b/venv/Lib/site-packages/pip/_vendor/vendor.txt @@ -0,0 +1,22 @@ +CacheControl==0.12.6 +colorama==0.4.4 +distlib==0.3.3 +distro==1.6.0 +html5lib==1.1 +msgpack==1.0.2 +packaging==21.0 +pep517==0.11.0 +platformdirs==2.4.0 +progress==1.6 +pyparsing==2.4.7 +requests==2.26.0 + certifi==2021.05.30 + chardet==4.0.0 + idna==3.2 + urllib3==1.26.7 +resolvelib==0.8.0 +setuptools==44.0.0 +six==1.16.0 +tenacity==8.0.1 +tomli==1.0.3 +webencodings==0.5.1 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/__init__.py b/venv/Lib/site-packages/pip/_vendor/webencodings/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/__init__.py rename to venv/Lib/site-packages/pip/_vendor/webencodings/__init__.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/labels.py b/venv/Lib/site-packages/pip/_vendor/webencodings/labels.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/labels.py rename to venv/Lib/site-packages/pip/_vendor/webencodings/labels.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/mklabels.py b/venv/Lib/site-packages/pip/_vendor/webencodings/mklabels.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/mklabels.py rename to venv/Lib/site-packages/pip/_vendor/webencodings/mklabels.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/tests.py b/venv/Lib/site-packages/pip/_vendor/webencodings/tests.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/tests.py rename to venv/Lib/site-packages/pip/_vendor/webencodings/tests.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/x_user_defined.py b/venv/Lib/site-packages/pip/_vendor/webencodings/x_user_defined.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/webencodings/x_user_defined.py rename to venv/Lib/site-packages/pip/_vendor/webencodings/x_user_defined.py diff --git a/venv/Lib/site-packages/pip/py.typed b/venv/Lib/site-packages/pip/py.typed new file mode 100644 index 0000000..493b53e --- /dev/null +++ b/venv/Lib/site-packages/pip/py.typed @@ -0,0 +1,4 @@ +pip is a command line program. While it is implemented in Python, and so is +available for import, you must not use pip's internal APIs in this way. Typing +information is provided as a convenience only and is not a guarantee. Expect +unannounced changes to the API and types in releases. diff --git a/venv/Lib/site-packages/pkg_resources/__init__.py b/venv/Lib/site-packages/pkg_resources/__init__.py new file mode 100644 index 0000000..c84f1dd --- /dev/null +++ b/venv/Lib/site-packages/pkg_resources/__init__.py @@ -0,0 +1,3288 @@ +""" +Package resource API +-------------------- + +A resource is a logical file contained within a package, or a logical +subdirectory thereof. The package resource API expects resource names +to have their path parts separated with ``/``, *not* whatever the local +path separator is. Do not use os.path operations to manipulate resource +names being passed into the API. + +The package resource API is designed to work with normal filesystem packages, +.egg files, and unpacked .egg files. It can also work in a limited way with +.zip files and with custom PEP 302 loaders that support the ``get_data()`` +method. +""" + +import sys +import os +import io +import time +import re +import types +import zipfile +import zipimport +import warnings +import stat +import functools +import pkgutil +import operator +import platform +import collections +import plistlib +import email.parser +import errno +import tempfile +import textwrap +import itertools +import inspect +import ntpath +import posixpath +import importlib +from pkgutil import get_importer + +try: + import _imp +except ImportError: + # Python 3.2 compatibility + import imp as _imp + +try: + FileExistsError +except NameError: + FileExistsError = OSError + +# capture these to bypass sandboxing +from os import utime +try: + from os import mkdir, rename, unlink + WRITE_SUPPORT = True +except ImportError: + # no write support, probably under GAE + WRITE_SUPPORT = False + +from os import open as os_open +from os.path import isdir, split + +try: + import importlib.machinery as importlib_machinery + # access attribute to force import under delayed import mechanisms. + importlib_machinery.__name__ +except ImportError: + importlib_machinery = None + +from pkg_resources.extern import appdirs +from pkg_resources.extern import packaging +__import__('pkg_resources.extern.packaging.version') +__import__('pkg_resources.extern.packaging.specifiers') +__import__('pkg_resources.extern.packaging.requirements') +__import__('pkg_resources.extern.packaging.markers') + +if sys.version_info < (3, 5): + raise RuntimeError("Python 3.5 or later is required") + +# declare some globals that will be defined later to +# satisfy the linters. +require = None +working_set = None +add_activation_listener = None +resources_stream = None +cleanup_resources = None +resource_dir = None +resource_stream = None +set_extraction_path = None +resource_isdir = None +resource_string = None +iter_entry_points = None +resource_listdir = None +resource_filename = None +resource_exists = None +_distribution_finders = None +_namespace_handlers = None +_namespace_packages = None + + +class PEP440Warning(RuntimeWarning): + """ + Used when there is an issue with a version or specifier not complying with + PEP 440. + """ + + +def parse_version(v): + try: + return packaging.version.Version(v) + except packaging.version.InvalidVersion: + return packaging.version.LegacyVersion(v) + + +_state_vars = {} + + +def _declare_state(vartype, **kw): + globals().update(kw) + _state_vars.update(dict.fromkeys(kw, vartype)) + + +def __getstate__(): + state = {} + g = globals() + for k, v in _state_vars.items(): + state[k] = g['_sget_' + v](g[k]) + return state + + +def __setstate__(state): + g = globals() + for k, v in state.items(): + g['_sset_' + _state_vars[k]](k, g[k], v) + return state + + +def _sget_dict(val): + return val.copy() + + +def _sset_dict(key, ob, state): + ob.clear() + ob.update(state) + + +def _sget_object(val): + return val.__getstate__() + + +def _sset_object(key, ob, state): + ob.__setstate__(state) + + +_sget_none = _sset_none = lambda *args: None + + +def get_supported_platform(): + """Return this platform's maximum compatible version. + + distutils.util.get_platform() normally reports the minimum version + of macOS that would be required to *use* extensions produced by + distutils. But what we want when checking compatibility is to know the + version of macOS that we are *running*. To allow usage of packages that + explicitly require a newer version of macOS, we must also know the + current version of the OS. + + If this condition occurs for any other platform with a version in its + platform strings, this function should be extended accordingly. + """ + plat = get_build_platform() + m = macosVersionString.match(plat) + if m is not None and sys.platform == "darwin": + try: + plat = 'macosx-%s-%s' % ('.'.join(_macos_vers()[:2]), m.group(3)) + except ValueError: + # not macOS + pass + return plat + + +__all__ = [ + # Basic resource access and distribution/entry point discovery + 'require', 'run_script', 'get_provider', 'get_distribution', + 'load_entry_point', 'get_entry_map', 'get_entry_info', + 'iter_entry_points', + 'resource_string', 'resource_stream', 'resource_filename', + 'resource_listdir', 'resource_exists', 'resource_isdir', + + # Environmental control + 'declare_namespace', 'working_set', 'add_activation_listener', + 'find_distributions', 'set_extraction_path', 'cleanup_resources', + 'get_default_cache', + + # Primary implementation classes + 'Environment', 'WorkingSet', 'ResourceManager', + 'Distribution', 'Requirement', 'EntryPoint', + + # Exceptions + 'ResolutionError', 'VersionConflict', 'DistributionNotFound', + 'UnknownExtra', 'ExtractionError', + + # Warnings + 'PEP440Warning', + + # Parsing functions and string utilities + 'parse_requirements', 'parse_version', 'safe_name', 'safe_version', + 'get_platform', 'compatible_platforms', 'yield_lines', 'split_sections', + 'safe_extra', 'to_filename', 'invalid_marker', 'evaluate_marker', + + # filesystem utilities + 'ensure_directory', 'normalize_path', + + # Distribution "precedence" constants + 'EGG_DIST', 'BINARY_DIST', 'SOURCE_DIST', 'CHECKOUT_DIST', 'DEVELOP_DIST', + + # "Provider" interfaces, implementations, and registration/lookup APIs + 'IMetadataProvider', 'IResourceProvider', 'FileMetadata', + 'PathMetadata', 'EggMetadata', 'EmptyProvider', 'empty_provider', + 'NullProvider', 'EggProvider', 'DefaultProvider', 'ZipProvider', + 'register_finder', 'register_namespace_handler', 'register_loader_type', + 'fixup_namespace_packages', 'get_importer', + + # Warnings + 'PkgResourcesDeprecationWarning', + + # Deprecated/backward compatibility only + 'run_main', 'AvailableDistributions', +] + + +class ResolutionError(Exception): + """Abstract base for dependency resolution errors""" + + def __repr__(self): + return self.__class__.__name__ + repr(self.args) + + +class VersionConflict(ResolutionError): + """ + An already-installed version conflicts with the requested version. + + Should be initialized with the installed Distribution and the requested + Requirement. + """ + + _template = "{self.dist} is installed but {self.req} is required" + + @property + def dist(self): + return self.args[0] + + @property + def req(self): + return self.args[1] + + def report(self): + return self._template.format(**locals()) + + def with_context(self, required_by): + """ + If required_by is non-empty, return a version of self that is a + ContextualVersionConflict. + """ + if not required_by: + return self + args = self.args + (required_by,) + return ContextualVersionConflict(*args) + + +class ContextualVersionConflict(VersionConflict): + """ + A VersionConflict that accepts a third parameter, the set of the + requirements that required the installed Distribution. + """ + + _template = VersionConflict._template + ' by {self.required_by}' + + @property + def required_by(self): + return self.args[2] + + +class DistributionNotFound(ResolutionError): + """A requested distribution was not found""" + + _template = ("The '{self.req}' distribution was not found " + "and is required by {self.requirers_str}") + + @property + def req(self): + return self.args[0] + + @property + def requirers(self): + return self.args[1] + + @property + def requirers_str(self): + if not self.requirers: + return 'the application' + return ', '.join(self.requirers) + + def report(self): + return self._template.format(**locals()) + + def __str__(self): + return self.report() + + +class UnknownExtra(ResolutionError): + """Distribution doesn't have an "extra feature" of the given name""" + + +_provider_factories = {} + +PY_MAJOR = '{}.{}'.format(*sys.version_info) +EGG_DIST = 3 +BINARY_DIST = 2 +SOURCE_DIST = 1 +CHECKOUT_DIST = 0 +DEVELOP_DIST = -1 + + +def register_loader_type(loader_type, provider_factory): + """Register `provider_factory` to make providers for `loader_type` + + `loader_type` is the type or class of a PEP 302 ``module.__loader__``, + and `provider_factory` is a function that, passed a *module* object, + returns an ``IResourceProvider`` for that module. + """ + _provider_factories[loader_type] = provider_factory + + +def get_provider(moduleOrReq): + """Return an IResourceProvider for the named module or requirement""" + if isinstance(moduleOrReq, Requirement): + return working_set.find(moduleOrReq) or require(str(moduleOrReq))[0] + try: + module = sys.modules[moduleOrReq] + except KeyError: + __import__(moduleOrReq) + module = sys.modules[moduleOrReq] + loader = getattr(module, '__loader__', None) + return _find_adapter(_provider_factories, loader)(module) + + +def _macos_vers(_cache=[]): + if not _cache: + version = platform.mac_ver()[0] + # fallback for MacPorts + if version == '': + plist = '/System/Library/CoreServices/SystemVersion.plist' + if os.path.exists(plist): + if hasattr(plistlib, 'readPlist'): + plist_content = plistlib.readPlist(plist) + if 'ProductVersion' in plist_content: + version = plist_content['ProductVersion'] + + _cache.append(version.split('.')) + return _cache[0] + + +def _macos_arch(machine): + return {'PowerPC': 'ppc', 'Power_Macintosh': 'ppc'}.get(machine, machine) + + +def get_build_platform(): + """Return this platform's string for platform-specific distributions + + XXX Currently this is the same as ``distutils.util.get_platform()``, but it + needs some hacks for Linux and macOS. + """ + from sysconfig import get_platform + + plat = get_platform() + if sys.platform == "darwin" and not plat.startswith('macosx-'): + try: + version = _macos_vers() + machine = os.uname()[4].replace(" ", "_") + return "macosx-%d.%d-%s" % ( + int(version[0]), int(version[1]), + _macos_arch(machine), + ) + except ValueError: + # if someone is running a non-Mac darwin system, this will fall + # through to the default implementation + pass + return plat + + +macosVersionString = re.compile(r"macosx-(\d+)\.(\d+)-(.*)") +darwinVersionString = re.compile(r"darwin-(\d+)\.(\d+)\.(\d+)-(.*)") +# XXX backward compat +get_platform = get_build_platform + + +def compatible_platforms(provided, required): + """Can code for the `provided` platform run on the `required` platform? + + Returns true if either platform is ``None``, or the platforms are equal. + + XXX Needs compatibility checks for Linux and other unixy OSes. + """ + if provided is None or required is None or provided == required: + # easy case + return True + + # macOS special cases + reqMac = macosVersionString.match(required) + if reqMac: + provMac = macosVersionString.match(provided) + + # is this a Mac package? + if not provMac: + # this is backwards compatibility for packages built before + # setuptools 0.6. All packages built after this point will + # use the new macOS designation. + provDarwin = darwinVersionString.match(provided) + if provDarwin: + dversion = int(provDarwin.group(1)) + macosversion = "%s.%s" % (reqMac.group(1), reqMac.group(2)) + if dversion == 7 and macosversion >= "10.3" or \ + dversion == 8 and macosversion >= "10.4": + return True + # egg isn't macOS or legacy darwin + return False + + # are they the same major version and machine type? + if provMac.group(1) != reqMac.group(1) or \ + provMac.group(3) != reqMac.group(3): + return False + + # is the required OS major update >= the provided one? + if int(provMac.group(2)) > int(reqMac.group(2)): + return False + + return True + + # XXX Linux and other platforms' special cases should go here + return False + + +def run_script(dist_spec, script_name): + """Locate distribution `dist_spec` and run its `script_name` script""" + ns = sys._getframe(1).f_globals + name = ns['__name__'] + ns.clear() + ns['__name__'] = name + require(dist_spec)[0].run_script(script_name, ns) + + +# backward compatibility +run_main = run_script + + +def get_distribution(dist): + """Return a current distribution object for a Requirement or string""" + if isinstance(dist, str): + dist = Requirement.parse(dist) + if isinstance(dist, Requirement): + dist = get_provider(dist) + if not isinstance(dist, Distribution): + raise TypeError("Expected string, Requirement, or Distribution", dist) + return dist + + +def load_entry_point(dist, group, name): + """Return `name` entry point of `group` for `dist` or raise ImportError""" + return get_distribution(dist).load_entry_point(group, name) + + +def get_entry_map(dist, group=None): + """Return the entry point map for `group`, or the full entry map""" + return get_distribution(dist).get_entry_map(group) + + +def get_entry_info(dist, group, name): + """Return the EntryPoint object for `group`+`name`, or ``None``""" + return get_distribution(dist).get_entry_info(group, name) + + +class IMetadataProvider: + def has_metadata(name): + """Does the package's distribution contain the named metadata?""" + + def get_metadata(name): + """The named metadata resource as a string""" + + def get_metadata_lines(name): + """Yield named metadata resource as list of non-blank non-comment lines + + Leading and trailing whitespace is stripped from each line, and lines + with ``#`` as the first non-blank character are omitted.""" + + def metadata_isdir(name): + """Is the named metadata a directory? (like ``os.path.isdir()``)""" + + def metadata_listdir(name): + """List of metadata names in the directory (like ``os.listdir()``)""" + + def run_script(script_name, namespace): + """Execute the named script in the supplied namespace dictionary""" + + +class IResourceProvider(IMetadataProvider): + """An object that provides access to package resources""" + + def get_resource_filename(manager, resource_name): + """Return a true filesystem path for `resource_name` + + `manager` must be an ``IResourceManager``""" + + def get_resource_stream(manager, resource_name): + """Return a readable file-like object for `resource_name` + + `manager` must be an ``IResourceManager``""" + + def get_resource_string(manager, resource_name): + """Return a string containing the contents of `resource_name` + + `manager` must be an ``IResourceManager``""" + + def has_resource(resource_name): + """Does the package contain the named resource?""" + + def resource_isdir(resource_name): + """Is the named resource a directory? (like ``os.path.isdir()``)""" + + def resource_listdir(resource_name): + """List of resource names in the directory (like ``os.listdir()``)""" + + +class WorkingSet: + """A collection of active distributions on sys.path (or a similar list)""" + + def __init__(self, entries=None): + """Create working set from list of path entries (default=sys.path)""" + self.entries = [] + self.entry_keys = {} + self.by_key = {} + self.callbacks = [] + + if entries is None: + entries = sys.path + + for entry in entries: + self.add_entry(entry) + + @classmethod + def _build_master(cls): + """ + Prepare the master working set. + """ + ws = cls() + try: + from __main__ import __requires__ + except ImportError: + # The main program does not list any requirements + return ws + + # ensure the requirements are met + try: + ws.require(__requires__) + except VersionConflict: + return cls._build_from_requirements(__requires__) + + return ws + + @classmethod + def _build_from_requirements(cls, req_spec): + """ + Build a working set from a requirement spec. Rewrites sys.path. + """ + # try it without defaults already on sys.path + # by starting with an empty path + ws = cls([]) + reqs = parse_requirements(req_spec) + dists = ws.resolve(reqs, Environment()) + for dist in dists: + ws.add(dist) + + # add any missing entries from sys.path + for entry in sys.path: + if entry not in ws.entries: + ws.add_entry(entry) + + # then copy back to sys.path + sys.path[:] = ws.entries + return ws + + def add_entry(self, entry): + """Add a path item to ``.entries``, finding any distributions on it + + ``find_distributions(entry, True)`` is used to find distributions + corresponding to the path entry, and they are added. `entry` is + always appended to ``.entries``, even if it is already present. + (This is because ``sys.path`` can contain the same value more than + once, and the ``.entries`` of the ``sys.path`` WorkingSet should always + equal ``sys.path``.) + """ + self.entry_keys.setdefault(entry, []) + self.entries.append(entry) + for dist in find_distributions(entry, True): + self.add(dist, entry, False) + + def __contains__(self, dist): + """True if `dist` is the active distribution for its project""" + return self.by_key.get(dist.key) == dist + + def find(self, req): + """Find a distribution matching requirement `req` + + If there is an active distribution for the requested project, this + returns it as long as it meets the version requirement specified by + `req`. But, if there is an active distribution for the project and it + does *not* meet the `req` requirement, ``VersionConflict`` is raised. + If there is no active distribution for the requested project, ``None`` + is returned. + """ + dist = self.by_key.get(req.key) + if dist is not None and dist not in req: + # XXX add more info + raise VersionConflict(dist, req) + return dist + + def iter_entry_points(self, group, name=None): + """Yield entry point objects from `group` matching `name` + + If `name` is None, yields all entry points in `group` from all + distributions in the working set, otherwise only ones matching + both `group` and `name` are yielded (in distribution order). + """ + return ( + entry + for dist in self + for entry in dist.get_entry_map(group).values() + if name is None or name == entry.name + ) + + def run_script(self, requires, script_name): + """Locate distribution for `requires` and run `script_name` script""" + ns = sys._getframe(1).f_globals + name = ns['__name__'] + ns.clear() + ns['__name__'] = name + self.require(requires)[0].run_script(script_name, ns) + + def __iter__(self): + """Yield distributions for non-duplicate projects in the working set + + The yield order is the order in which the items' path entries were + added to the working set. + """ + seen = {} + for item in self.entries: + if item not in self.entry_keys: + # workaround a cache issue + continue + + for key in self.entry_keys[item]: + if key not in seen: + seen[key] = 1 + yield self.by_key[key] + + def add(self, dist, entry=None, insert=True, replace=False): + """Add `dist` to working set, associated with `entry` + + If `entry` is unspecified, it defaults to the ``.location`` of `dist`. + On exit from this routine, `entry` is added to the end of the working + set's ``.entries`` (if it wasn't already present). + + `dist` is only added to the working set if it's for a project that + doesn't already have a distribution in the set, unless `replace=True`. + If it's added, any callbacks registered with the ``subscribe()`` method + will be called. + """ + if insert: + dist.insert_on(self.entries, entry, replace=replace) + + if entry is None: + entry = dist.location + keys = self.entry_keys.setdefault(entry, []) + keys2 = self.entry_keys.setdefault(dist.location, []) + if not replace and dist.key in self.by_key: + # ignore hidden distros + return + + self.by_key[dist.key] = dist + if dist.key not in keys: + keys.append(dist.key) + if dist.key not in keys2: + keys2.append(dist.key) + self._added_new(dist) + + # FIXME: 'WorkingSet.resolve' is too complex (11) + def resolve(self, requirements, env=None, installer=None, # noqa: C901 + replace_conflicting=False, extras=None): + """List all distributions needed to (recursively) meet `requirements` + + `requirements` must be a sequence of ``Requirement`` objects. `env`, + if supplied, should be an ``Environment`` instance. If + not supplied, it defaults to all distributions available within any + entry or distribution in the working set. `installer`, if supplied, + will be invoked with each requirement that cannot be met by an + already-installed distribution; it should return a ``Distribution`` or + ``None``. + + Unless `replace_conflicting=True`, raises a VersionConflict exception + if + any requirements are found on the path that have the correct name but + the wrong version. Otherwise, if an `installer` is supplied it will be + invoked to obtain the correct version of the requirement and activate + it. + + `extras` is a list of the extras to be used with these requirements. + This is important because extra requirements may look like `my_req; + extra = "my_extra"`, which would otherwise be interpreted as a purely + optional requirement. Instead, we want to be able to assert that these + requirements are truly required. + """ + + # set up the stack + requirements = list(requirements)[::-1] + # set of processed requirements + processed = {} + # key -> dist + best = {} + to_activate = [] + + req_extras = _ReqExtras() + + # Mapping of requirement to set of distributions that required it; + # useful for reporting info about conflicts. + required_by = collections.defaultdict(set) + + while requirements: + # process dependencies breadth-first + req = requirements.pop(0) + if req in processed: + # Ignore cyclic or redundant dependencies + continue + + if not req_extras.markers_pass(req, extras): + continue + + dist = best.get(req.key) + if dist is None: + # Find the best distribution and add it to the map + dist = self.by_key.get(req.key) + if dist is None or (dist not in req and replace_conflicting): + ws = self + if env is None: + if dist is None: + env = Environment(self.entries) + else: + # Use an empty environment and workingset to avoid + # any further conflicts with the conflicting + # distribution + env = Environment([]) + ws = WorkingSet([]) + dist = best[req.key] = env.best_match( + req, ws, installer, + replace_conflicting=replace_conflicting + ) + if dist is None: + requirers = required_by.get(req, None) + raise DistributionNotFound(req, requirers) + to_activate.append(dist) + if dist not in req: + # Oops, the "best" so far conflicts with a dependency + dependent_req = required_by[req] + raise VersionConflict(dist, req).with_context(dependent_req) + + # push the new requirements onto the stack + new_requirements = dist.requires(req.extras)[::-1] + requirements.extend(new_requirements) + + # Register the new requirements needed by req + for new_requirement in new_requirements: + required_by[new_requirement].add(req.project_name) + req_extras[new_requirement] = req.extras + + processed[req] = True + + # return list of distros to activate + return to_activate + + def find_plugins( + self, plugin_env, full_env=None, installer=None, fallback=True): + """Find all activatable distributions in `plugin_env` + + Example usage:: + + distributions, errors = working_set.find_plugins( + Environment(plugin_dirlist) + ) + # add plugins+libs to sys.path + map(working_set.add, distributions) + # display errors + print('Could not load', errors) + + The `plugin_env` should be an ``Environment`` instance that contains + only distributions that are in the project's "plugin directory" or + directories. The `full_env`, if supplied, should be an ``Environment`` + contains all currently-available distributions. If `full_env` is not + supplied, one is created automatically from the ``WorkingSet`` this + method is called on, which will typically mean that every directory on + ``sys.path`` will be scanned for distributions. + + `installer` is a standard installer callback as used by the + ``resolve()`` method. The `fallback` flag indicates whether we should + attempt to resolve older versions of a plugin if the newest version + cannot be resolved. + + This method returns a 2-tuple: (`distributions`, `error_info`), where + `distributions` is a list of the distributions found in `plugin_env` + that were loadable, along with any other distributions that are needed + to resolve their dependencies. `error_info` is a dictionary mapping + unloadable plugin distributions to an exception instance describing the + error that occurred. Usually this will be a ``DistributionNotFound`` or + ``VersionConflict`` instance. + """ + + plugin_projects = list(plugin_env) + # scan project names in alphabetic order + plugin_projects.sort() + + error_info = {} + distributions = {} + + if full_env is None: + env = Environment(self.entries) + env += plugin_env + else: + env = full_env + plugin_env + + shadow_set = self.__class__([]) + # put all our entries in shadow_set + list(map(shadow_set.add, self)) + + for project_name in plugin_projects: + + for dist in plugin_env[project_name]: + + req = [dist.as_requirement()] + + try: + resolvees = shadow_set.resolve(req, env, installer) + + except ResolutionError as v: + # save error info + error_info[dist] = v + if fallback: + # try the next older version of project + continue + else: + # give up on this project, keep going + break + + else: + list(map(shadow_set.add, resolvees)) + distributions.update(dict.fromkeys(resolvees)) + + # success, no need to try any more versions of this project + break + + distributions = list(distributions) + distributions.sort() + + return distributions, error_info + + def require(self, *requirements): + """Ensure that distributions matching `requirements` are activated + + `requirements` must be a string or a (possibly-nested) sequence + thereof, specifying the distributions and versions required. The + return value is a sequence of the distributions that needed to be + activated to fulfill the requirements; all relevant distributions are + included, even if they were already activated in this working set. + """ + needed = self.resolve(parse_requirements(requirements)) + + for dist in needed: + self.add(dist) + + return needed + + def subscribe(self, callback, existing=True): + """Invoke `callback` for all distributions + + If `existing=True` (default), + call on all existing ones, as well. + """ + if callback in self.callbacks: + return + self.callbacks.append(callback) + if not existing: + return + for dist in self: + callback(dist) + + def _added_new(self, dist): + for callback in self.callbacks: + callback(dist) + + def __getstate__(self): + return ( + self.entries[:], self.entry_keys.copy(), self.by_key.copy(), + self.callbacks[:] + ) + + def __setstate__(self, e_k_b_c): + entries, keys, by_key, callbacks = e_k_b_c + self.entries = entries[:] + self.entry_keys = keys.copy() + self.by_key = by_key.copy() + self.callbacks = callbacks[:] + + +class _ReqExtras(dict): + """ + Map each requirement to the extras that demanded it. + """ + + def markers_pass(self, req, extras=None): + """ + Evaluate markers for req against each extra that + demanded it. + + Return False if the req has a marker and fails + evaluation. Otherwise, return True. + """ + extra_evals = ( + req.marker.evaluate({'extra': extra}) + for extra in self.get(req, ()) + (extras or (None,)) + ) + return not req.marker or any(extra_evals) + + +class Environment: + """Searchable snapshot of distributions on a search path""" + + def __init__( + self, search_path=None, platform=get_supported_platform(), + python=PY_MAJOR): + """Snapshot distributions available on a search path + + Any distributions found on `search_path` are added to the environment. + `search_path` should be a sequence of ``sys.path`` items. If not + supplied, ``sys.path`` is used. + + `platform` is an optional string specifying the name of the platform + that platform-specific distributions must be compatible with. If + unspecified, it defaults to the current platform. `python` is an + optional string naming the desired version of Python (e.g. ``'3.6'``); + it defaults to the current version. + + You may explicitly set `platform` (and/or `python`) to ``None`` if you + wish to map *all* distributions, not just those compatible with the + running platform or Python version. + """ + self._distmap = {} + self.platform = platform + self.python = python + self.scan(search_path) + + def can_add(self, dist): + """Is distribution `dist` acceptable for this environment? + + The distribution must match the platform and python version + requirements specified when this environment was created, or False + is returned. + """ + py_compat = ( + self.python is None + or dist.py_version is None + or dist.py_version == self.python + ) + return py_compat and compatible_platforms(dist.platform, self.platform) + + def remove(self, dist): + """Remove `dist` from the environment""" + self._distmap[dist.key].remove(dist) + + def scan(self, search_path=None): + """Scan `search_path` for distributions usable in this environment + + Any distributions found are added to the environment. + `search_path` should be a sequence of ``sys.path`` items. If not + supplied, ``sys.path`` is used. Only distributions conforming to + the platform/python version defined at initialization are added. + """ + if search_path is None: + search_path = sys.path + + for item in search_path: + for dist in find_distributions(item): + self.add(dist) + + def __getitem__(self, project_name): + """Return a newest-to-oldest list of distributions for `project_name` + + Uses case-insensitive `project_name` comparison, assuming all the + project's distributions use their project's name converted to all + lowercase as their key. + + """ + distribution_key = project_name.lower() + return self._distmap.get(distribution_key, []) + + def add(self, dist): + """Add `dist` if we ``can_add()`` it and it has not already been added + """ + if self.can_add(dist) and dist.has_version(): + dists = self._distmap.setdefault(dist.key, []) + if dist not in dists: + dists.append(dist) + dists.sort(key=operator.attrgetter('hashcmp'), reverse=True) + + def best_match( + self, req, working_set, installer=None, replace_conflicting=False): + """Find distribution best matching `req` and usable on `working_set` + + This calls the ``find(req)`` method of the `working_set` to see if a + suitable distribution is already active. (This may raise + ``VersionConflict`` if an unsuitable version of the project is already + active in the specified `working_set`.) If a suitable distribution + isn't active, this method returns the newest distribution in the + environment that meets the ``Requirement`` in `req`. If no suitable + distribution is found, and `installer` is supplied, then the result of + calling the environment's ``obtain(req, installer)`` method will be + returned. + """ + try: + dist = working_set.find(req) + except VersionConflict: + if not replace_conflicting: + raise + dist = None + if dist is not None: + return dist + for dist in self[req.key]: + if dist in req: + return dist + # try to download/install + return self.obtain(req, installer) + + def obtain(self, requirement, installer=None): + """Obtain a distribution matching `requirement` (e.g. via download) + + Obtain a distro that matches requirement (e.g. via download). In the + base ``Environment`` class, this routine just returns + ``installer(requirement)``, unless `installer` is None, in which case + None is returned instead. This method is a hook that allows subclasses + to attempt other ways of obtaining a distribution before falling back + to the `installer` argument.""" + if installer is not None: + return installer(requirement) + + def __iter__(self): + """Yield the unique project names of the available distributions""" + for key in self._distmap.keys(): + if self[key]: + yield key + + def __iadd__(self, other): + """In-place addition of a distribution or environment""" + if isinstance(other, Distribution): + self.add(other) + elif isinstance(other, Environment): + for project in other: + for dist in other[project]: + self.add(dist) + else: + raise TypeError("Can't add %r to environment" % (other,)) + return self + + def __add__(self, other): + """Add an environment or distribution to an environment""" + new = self.__class__([], platform=None, python=None) + for env in self, other: + new += env + return new + + +# XXX backward compatibility +AvailableDistributions = Environment + + +class ExtractionError(RuntimeError): + """An error occurred extracting a resource + + The following attributes are available from instances of this exception: + + manager + The resource manager that raised this exception + + cache_path + The base directory for resource extraction + + original_error + The exception instance that caused extraction to fail + """ + + +class ResourceManager: + """Manage resource extraction and packages""" + extraction_path = None + + def __init__(self): + self.cached_files = {} + + def resource_exists(self, package_or_requirement, resource_name): + """Does the named resource exist?""" + return get_provider(package_or_requirement).has_resource(resource_name) + + def resource_isdir(self, package_or_requirement, resource_name): + """Is the named resource an existing directory?""" + return get_provider(package_or_requirement).resource_isdir( + resource_name + ) + + def resource_filename(self, package_or_requirement, resource_name): + """Return a true filesystem path for specified resource""" + return get_provider(package_or_requirement).get_resource_filename( + self, resource_name + ) + + def resource_stream(self, package_or_requirement, resource_name): + """Return a readable file-like object for specified resource""" + return get_provider(package_or_requirement).get_resource_stream( + self, resource_name + ) + + def resource_string(self, package_or_requirement, resource_name): + """Return specified resource as a string""" + return get_provider(package_or_requirement).get_resource_string( + self, resource_name + ) + + def resource_listdir(self, package_or_requirement, resource_name): + """List the contents of the named resource directory""" + return get_provider(package_or_requirement).resource_listdir( + resource_name + ) + + def extraction_error(self): + """Give an error message for problems extracting file(s)""" + + old_exc = sys.exc_info()[1] + cache_path = self.extraction_path or get_default_cache() + + tmpl = textwrap.dedent(""" + Can't extract file(s) to egg cache + + The following error occurred while trying to extract file(s) + to the Python egg cache: + + {old_exc} + + The Python egg cache directory is currently set to: + + {cache_path} + + Perhaps your account does not have write access to this directory? + You can change the cache directory by setting the PYTHON_EGG_CACHE + environment variable to point to an accessible directory. + """).lstrip() + err = ExtractionError(tmpl.format(**locals())) + err.manager = self + err.cache_path = cache_path + err.original_error = old_exc + raise err + + def get_cache_path(self, archive_name, names=()): + """Return absolute location in cache for `archive_name` and `names` + + The parent directory of the resulting path will be created if it does + not already exist. `archive_name` should be the base filename of the + enclosing egg (which may not be the name of the enclosing zipfile!), + including its ".egg" extension. `names`, if provided, should be a + sequence of path name parts "under" the egg's extraction location. + + This method should only be called by resource providers that need to + obtain an extraction location, and only for names they intend to + extract, as it tracks the generated names for possible cleanup later. + """ + extract_path = self.extraction_path or get_default_cache() + target_path = os.path.join(extract_path, archive_name + '-tmp', *names) + try: + _bypass_ensure_directory(target_path) + except Exception: + self.extraction_error() + + self._warn_unsafe_extraction_path(extract_path) + + self.cached_files[target_path] = 1 + return target_path + + @staticmethod + def _warn_unsafe_extraction_path(path): + """ + If the default extraction path is overridden and set to an insecure + location, such as /tmp, it opens up an opportunity for an attacker to + replace an extracted file with an unauthorized payload. Warn the user + if a known insecure location is used. + + See Distribute #375 for more details. + """ + if os.name == 'nt' and not path.startswith(os.environ['windir']): + # On Windows, permissions are generally restrictive by default + # and temp directories are not writable by other users, so + # bypass the warning. + return + mode = os.stat(path).st_mode + if mode & stat.S_IWOTH or mode & stat.S_IWGRP: + msg = ( + "Extraction path is writable by group/others " + "and vulnerable to attack when " + "used with get_resource_filename ({path}). " + "Consider a more secure " + "location (set with .set_extraction_path or the " + "PYTHON_EGG_CACHE environment variable)." + ).format(**locals()) + warnings.warn(msg, UserWarning) + + def postprocess(self, tempname, filename): + """Perform any platform-specific postprocessing of `tempname` + + This is where Mac header rewrites should be done; other platforms don't + have anything special they should do. + + Resource providers should call this method ONLY after successfully + extracting a compressed resource. They must NOT call it on resources + that are already in the filesystem. + + `tempname` is the current (temporary) name of the file, and `filename` + is the name it will be renamed to by the caller after this routine + returns. + """ + + if os.name == 'posix': + # Make the resource executable + mode = ((os.stat(tempname).st_mode) | 0o555) & 0o7777 + os.chmod(tempname, mode) + + def set_extraction_path(self, path): + """Set the base path where resources will be extracted to, if needed. + + If you do not call this routine before any extractions take place, the + path defaults to the return value of ``get_default_cache()``. (Which + is based on the ``PYTHON_EGG_CACHE`` environment variable, with various + platform-specific fallbacks. See that routine's documentation for more + details.) + + Resources are extracted to subdirectories of this path based upon + information given by the ``IResourceProvider``. You may set this to a + temporary directory, but then you must call ``cleanup_resources()`` to + delete the extracted files when done. There is no guarantee that + ``cleanup_resources()`` will be able to remove all extracted files. + + (Note: you may not change the extraction path for a given resource + manager once resources have been extracted, unless you first call + ``cleanup_resources()``.) + """ + if self.cached_files: + raise ValueError( + "Can't change extraction path, files already extracted" + ) + + self.extraction_path = path + + def cleanup_resources(self, force=False): + """ + Delete all extracted resource files and directories, returning a list + of the file and directory names that could not be successfully removed. + This function does not have any concurrency protection, so it should + generally only be called when the extraction path is a temporary + directory exclusive to a single process. This method is not + automatically called; you must call it explicitly or register it as an + ``atexit`` function if you wish to ensure cleanup of a temporary + directory used for extractions. + """ + # XXX + + +def get_default_cache(): + """ + Return the ``PYTHON_EGG_CACHE`` environment variable + or a platform-relevant user cache dir for an app + named "Python-Eggs". + """ + return ( + os.environ.get('PYTHON_EGG_CACHE') + or appdirs.user_cache_dir(appname='Python-Eggs') + ) + + +def safe_name(name): + """Convert an arbitrary string to a standard distribution name + + Any runs of non-alphanumeric/. characters are replaced with a single '-'. + """ + return re.sub('[^A-Za-z0-9.]+', '-', name) + + +def safe_version(version): + """ + Convert an arbitrary string to a standard version string + """ + try: + # normalize the version + return str(packaging.version.Version(version)) + except packaging.version.InvalidVersion: + version = version.replace(' ', '.') + return re.sub('[^A-Za-z0-9.]+', '-', version) + + +def safe_extra(extra): + """Convert an arbitrary string to a standard 'extra' name + + Any runs of non-alphanumeric characters are replaced with a single '_', + and the result is always lowercased. + """ + return re.sub('[^A-Za-z0-9.-]+', '_', extra).lower() + + +def to_filename(name): + """Convert a project or version name to its filename-escaped form + + Any '-' characters are currently replaced with '_'. + """ + return name.replace('-', '_') + + +def invalid_marker(text): + """ + Validate text as a PEP 508 environment marker; return an exception + if invalid or False otherwise. + """ + try: + evaluate_marker(text) + except SyntaxError as e: + e.filename = None + e.lineno = None + return e + return False + + +def evaluate_marker(text, extra=None): + """ + Evaluate a PEP 508 environment marker. + Return a boolean indicating the marker result in this environment. + Raise SyntaxError if marker is invalid. + + This implementation uses the 'pyparsing' module. + """ + try: + marker = packaging.markers.Marker(text) + return marker.evaluate() + except packaging.markers.InvalidMarker as e: + raise SyntaxError(e) from e + + +class NullProvider: + """Try to implement resources and metadata for arbitrary PEP 302 loaders""" + + egg_name = None + egg_info = None + loader = None + + def __init__(self, module): + self.loader = getattr(module, '__loader__', None) + self.module_path = os.path.dirname(getattr(module, '__file__', '')) + + def get_resource_filename(self, manager, resource_name): + return self._fn(self.module_path, resource_name) + + def get_resource_stream(self, manager, resource_name): + return io.BytesIO(self.get_resource_string(manager, resource_name)) + + def get_resource_string(self, manager, resource_name): + return self._get(self._fn(self.module_path, resource_name)) + + def has_resource(self, resource_name): + return self._has(self._fn(self.module_path, resource_name)) + + def _get_metadata_path(self, name): + return self._fn(self.egg_info, name) + + def has_metadata(self, name): + if not self.egg_info: + return self.egg_info + + path = self._get_metadata_path(name) + return self._has(path) + + def get_metadata(self, name): + if not self.egg_info: + return "" + path = self._get_metadata_path(name) + value = self._get(path) + try: + return value.decode('utf-8') + except UnicodeDecodeError as exc: + # Include the path in the error message to simplify + # troubleshooting, and without changing the exception type. + exc.reason += ' in {} file at path: {}'.format(name, path) + raise + + def get_metadata_lines(self, name): + return yield_lines(self.get_metadata(name)) + + def resource_isdir(self, resource_name): + return self._isdir(self._fn(self.module_path, resource_name)) + + def metadata_isdir(self, name): + return self.egg_info and self._isdir(self._fn(self.egg_info, name)) + + def resource_listdir(self, resource_name): + return self._listdir(self._fn(self.module_path, resource_name)) + + def metadata_listdir(self, name): + if self.egg_info: + return self._listdir(self._fn(self.egg_info, name)) + return [] + + def run_script(self, script_name, namespace): + script = 'scripts/' + script_name + if not self.has_metadata(script): + raise ResolutionError( + "Script {script!r} not found in metadata at {self.egg_info!r}" + .format(**locals()), + ) + script_text = self.get_metadata(script).replace('\r\n', '\n') + script_text = script_text.replace('\r', '\n') + script_filename = self._fn(self.egg_info, script) + namespace['__file__'] = script_filename + if os.path.exists(script_filename): + with open(script_filename) as fid: + source = fid.read() + code = compile(source, script_filename, 'exec') + exec(code, namespace, namespace) + else: + from linecache import cache + cache[script_filename] = ( + len(script_text), 0, script_text.split('\n'), script_filename + ) + script_code = compile(script_text, script_filename, 'exec') + exec(script_code, namespace, namespace) + + def _has(self, path): + raise NotImplementedError( + "Can't perform this operation for unregistered loader type" + ) + + def _isdir(self, path): + raise NotImplementedError( + "Can't perform this operation for unregistered loader type" + ) + + def _listdir(self, path): + raise NotImplementedError( + "Can't perform this operation for unregistered loader type" + ) + + def _fn(self, base, resource_name): + self._validate_resource_path(resource_name) + if resource_name: + return os.path.join(base, *resource_name.split('/')) + return base + + @staticmethod + def _validate_resource_path(path): + """ + Validate the resource paths according to the docs. + https://setuptools.readthedocs.io/en/latest/pkg_resources.html#basic-resource-access + + >>> warned = getfixture('recwarn') + >>> warnings.simplefilter('always') + >>> vrp = NullProvider._validate_resource_path + >>> vrp('foo/bar.txt') + >>> bool(warned) + False + >>> vrp('../foo/bar.txt') + >>> bool(warned) + True + >>> warned.clear() + >>> vrp('/foo/bar.txt') + >>> bool(warned) + True + >>> vrp('foo/../../bar.txt') + >>> bool(warned) + True + >>> warned.clear() + >>> vrp('foo/f../bar.txt') + >>> bool(warned) + False + + Windows path separators are straight-up disallowed. + >>> vrp(r'\\foo/bar.txt') + Traceback (most recent call last): + ... + ValueError: Use of .. or absolute path in a resource path \ +is not allowed. + + >>> vrp(r'C:\\foo/bar.txt') + Traceback (most recent call last): + ... + ValueError: Use of .. or absolute path in a resource path \ +is not allowed. + + Blank values are allowed + + >>> vrp('') + >>> bool(warned) + False + + Non-string values are not. + + >>> vrp(None) + Traceback (most recent call last): + ... + AttributeError: ... + """ + invalid = ( + os.path.pardir in path.split(posixpath.sep) or + posixpath.isabs(path) or + ntpath.isabs(path) + ) + if not invalid: + return + + msg = "Use of .. or absolute path in a resource path is not allowed." + + # Aggressively disallow Windows absolute paths + if ntpath.isabs(path) and not posixpath.isabs(path): + raise ValueError(msg) + + # for compatibility, warn; in future + # raise ValueError(msg) + warnings.warn( + msg[:-1] + " and will raise exceptions in a future release.", + DeprecationWarning, + stacklevel=4, + ) + + def _get(self, path): + if hasattr(self.loader, 'get_data'): + return self.loader.get_data(path) + raise NotImplementedError( + "Can't perform this operation for loaders without 'get_data()'" + ) + + +register_loader_type(object, NullProvider) + + +def _parents(path): + """ + yield all parents of path including path + """ + last = None + while path != last: + yield path + last = path + path, _ = os.path.split(path) + + +class EggProvider(NullProvider): + """Provider based on a virtual filesystem""" + + def __init__(self, module): + NullProvider.__init__(self, module) + self._setup_prefix() + + def _setup_prefix(self): + # Assume that metadata may be nested inside a "basket" + # of multiple eggs and use module_path instead of .archive. + eggs = filter(_is_egg_path, _parents(self.module_path)) + egg = next(eggs, None) + egg and self._set_egg(egg) + + def _set_egg(self, path): + self.egg_name = os.path.basename(path) + self.egg_info = os.path.join(path, 'EGG-INFO') + self.egg_root = path + + +class DefaultProvider(EggProvider): + """Provides access to package resources in the filesystem""" + + def _has(self, path): + return os.path.exists(path) + + def _isdir(self, path): + return os.path.isdir(path) + + def _listdir(self, path): + return os.listdir(path) + + def get_resource_stream(self, manager, resource_name): + return open(self._fn(self.module_path, resource_name), 'rb') + + def _get(self, path): + with open(path, 'rb') as stream: + return stream.read() + + @classmethod + def _register(cls): + loader_names = 'SourceFileLoader', 'SourcelessFileLoader', + for name in loader_names: + loader_cls = getattr(importlib_machinery, name, type(None)) + register_loader_type(loader_cls, cls) + + +DefaultProvider._register() + + +class EmptyProvider(NullProvider): + """Provider that returns nothing for all requests""" + + module_path = None + + _isdir = _has = lambda self, path: False + + def _get(self, path): + return '' + + def _listdir(self, path): + return [] + + def __init__(self): + pass + + +empty_provider = EmptyProvider() + + +class ZipManifests(dict): + """ + zip manifest builder + """ + + @classmethod + def build(cls, path): + """ + Build a dictionary similar to the zipimport directory + caches, except instead of tuples, store ZipInfo objects. + + Use a platform-specific path separator (os.sep) for the path keys + for compatibility with pypy on Windows. + """ + with zipfile.ZipFile(path) as zfile: + items = ( + ( + name.replace('/', os.sep), + zfile.getinfo(name), + ) + for name in zfile.namelist() + ) + return dict(items) + + load = build + + +class MemoizedZipManifests(ZipManifests): + """ + Memoized zipfile manifests. + """ + manifest_mod = collections.namedtuple('manifest_mod', 'manifest mtime') + + def load(self, path): + """ + Load a manifest at path or return a suitable manifest already loaded. + """ + path = os.path.normpath(path) + mtime = os.stat(path).st_mtime + + if path not in self or self[path].mtime != mtime: + manifest = self.build(path) + self[path] = self.manifest_mod(manifest, mtime) + + return self[path].manifest + + +class ZipProvider(EggProvider): + """Resource support for zips and eggs""" + + eagers = None + _zip_manifests = MemoizedZipManifests() + + def __init__(self, module): + EggProvider.__init__(self, module) + self.zip_pre = self.loader.archive + os.sep + + def _zipinfo_name(self, fspath): + # Convert a virtual filename (full path to file) into a zipfile subpath + # usable with the zipimport directory cache for our target archive + fspath = fspath.rstrip(os.sep) + if fspath == self.loader.archive: + return '' + if fspath.startswith(self.zip_pre): + return fspath[len(self.zip_pre):] + raise AssertionError( + "%s is not a subpath of %s" % (fspath, self.zip_pre) + ) + + def _parts(self, zip_path): + # Convert a zipfile subpath into an egg-relative path part list. + # pseudo-fs path + fspath = self.zip_pre + zip_path + if fspath.startswith(self.egg_root + os.sep): + return fspath[len(self.egg_root) + 1:].split(os.sep) + raise AssertionError( + "%s is not a subpath of %s" % (fspath, self.egg_root) + ) + + @property + def zipinfo(self): + return self._zip_manifests.load(self.loader.archive) + + def get_resource_filename(self, manager, resource_name): + if not self.egg_name: + raise NotImplementedError( + "resource_filename() only supported for .egg, not .zip" + ) + # no need to lock for extraction, since we use temp names + zip_path = self._resource_to_zip(resource_name) + eagers = self._get_eager_resources() + if '/'.join(self._parts(zip_path)) in eagers: + for name in eagers: + self._extract_resource(manager, self._eager_to_zip(name)) + return self._extract_resource(manager, zip_path) + + @staticmethod + def _get_date_and_size(zip_stat): + size = zip_stat.file_size + # ymdhms+wday, yday, dst + date_time = zip_stat.date_time + (0, 0, -1) + # 1980 offset already done + timestamp = time.mktime(date_time) + return timestamp, size + + # FIXME: 'ZipProvider._extract_resource' is too complex (12) + def _extract_resource(self, manager, zip_path): # noqa: C901 + + if zip_path in self._index(): + for name in self._index()[zip_path]: + last = self._extract_resource( + manager, os.path.join(zip_path, name) + ) + # return the extracted directory name + return os.path.dirname(last) + + timestamp, size = self._get_date_and_size(self.zipinfo[zip_path]) + + if not WRITE_SUPPORT: + raise IOError('"os.rename" and "os.unlink" are not supported ' + 'on this platform') + try: + + real_path = manager.get_cache_path( + self.egg_name, self._parts(zip_path) + ) + + if self._is_current(real_path, zip_path): + return real_path + + outf, tmpnam = _mkstemp( + ".$extract", + dir=os.path.dirname(real_path), + ) + os.write(outf, self.loader.get_data(zip_path)) + os.close(outf) + utime(tmpnam, (timestamp, timestamp)) + manager.postprocess(tmpnam, real_path) + + try: + rename(tmpnam, real_path) + + except os.error: + if os.path.isfile(real_path): + if self._is_current(real_path, zip_path): + # the file became current since it was checked above, + # so proceed. + return real_path + # Windows, del old file and retry + elif os.name == 'nt': + unlink(real_path) + rename(tmpnam, real_path) + return real_path + raise + + except os.error: + # report a user-friendly error + manager.extraction_error() + + return real_path + + def _is_current(self, file_path, zip_path): + """ + Return True if the file_path is current for this zip_path + """ + timestamp, size = self._get_date_and_size(self.zipinfo[zip_path]) + if not os.path.isfile(file_path): + return False + stat = os.stat(file_path) + if stat.st_size != size or stat.st_mtime != timestamp: + return False + # check that the contents match + zip_contents = self.loader.get_data(zip_path) + with open(file_path, 'rb') as f: + file_contents = f.read() + return zip_contents == file_contents + + def _get_eager_resources(self): + if self.eagers is None: + eagers = [] + for name in ('native_libs.txt', 'eager_resources.txt'): + if self.has_metadata(name): + eagers.extend(self.get_metadata_lines(name)) + self.eagers = eagers + return self.eagers + + def _index(self): + try: + return self._dirindex + except AttributeError: + ind = {} + for path in self.zipinfo: + parts = path.split(os.sep) + while parts: + parent = os.sep.join(parts[:-1]) + if parent in ind: + ind[parent].append(parts[-1]) + break + else: + ind[parent] = [parts.pop()] + self._dirindex = ind + return ind + + def _has(self, fspath): + zip_path = self._zipinfo_name(fspath) + return zip_path in self.zipinfo or zip_path in self._index() + + def _isdir(self, fspath): + return self._zipinfo_name(fspath) in self._index() + + def _listdir(self, fspath): + return list(self._index().get(self._zipinfo_name(fspath), ())) + + def _eager_to_zip(self, resource_name): + return self._zipinfo_name(self._fn(self.egg_root, resource_name)) + + def _resource_to_zip(self, resource_name): + return self._zipinfo_name(self._fn(self.module_path, resource_name)) + + +register_loader_type(zipimport.zipimporter, ZipProvider) + + +class FileMetadata(EmptyProvider): + """Metadata handler for standalone PKG-INFO files + + Usage:: + + metadata = FileMetadata("/path/to/PKG-INFO") + + This provider rejects all data and metadata requests except for PKG-INFO, + which is treated as existing, and will be the contents of the file at + the provided location. + """ + + def __init__(self, path): + self.path = path + + def _get_metadata_path(self, name): + return self.path + + def has_metadata(self, name): + return name == 'PKG-INFO' and os.path.isfile(self.path) + + def get_metadata(self, name): + if name != 'PKG-INFO': + raise KeyError("No metadata except PKG-INFO is available") + + with io.open(self.path, encoding='utf-8', errors="replace") as f: + metadata = f.read() + self._warn_on_replacement(metadata) + return metadata + + def _warn_on_replacement(self, metadata): + replacement_char = '�' + if replacement_char in metadata: + tmpl = "{self.path} could not be properly decoded in UTF-8" + msg = tmpl.format(**locals()) + warnings.warn(msg) + + def get_metadata_lines(self, name): + return yield_lines(self.get_metadata(name)) + + +class PathMetadata(DefaultProvider): + """Metadata provider for egg directories + + Usage:: + + # Development eggs: + + egg_info = "/path/to/PackageName.egg-info" + base_dir = os.path.dirname(egg_info) + metadata = PathMetadata(base_dir, egg_info) + dist_name = os.path.splitext(os.path.basename(egg_info))[0] + dist = Distribution(basedir, project_name=dist_name, metadata=metadata) + + # Unpacked egg directories: + + egg_path = "/path/to/PackageName-ver-pyver-etc.egg" + metadata = PathMetadata(egg_path, os.path.join(egg_path,'EGG-INFO')) + dist = Distribution.from_filename(egg_path, metadata=metadata) + """ + + def __init__(self, path, egg_info): + self.module_path = path + self.egg_info = egg_info + + +class EggMetadata(ZipProvider): + """Metadata provider for .egg files""" + + def __init__(self, importer): + """Create a metadata provider from a zipimporter""" + + self.zip_pre = importer.archive + os.sep + self.loader = importer + if importer.prefix: + self.module_path = os.path.join(importer.archive, importer.prefix) + else: + self.module_path = importer.archive + self._setup_prefix() + + +_declare_state('dict', _distribution_finders={}) + + +def register_finder(importer_type, distribution_finder): + """Register `distribution_finder` to find distributions in sys.path items + + `importer_type` is the type or class of a PEP 302 "Importer" (sys.path item + handler), and `distribution_finder` is a callable that, passed a path + item and the importer instance, yields ``Distribution`` instances found on + that path item. See ``pkg_resources.find_on_path`` for an example.""" + _distribution_finders[importer_type] = distribution_finder + + +def find_distributions(path_item, only=False): + """Yield distributions accessible via `path_item`""" + importer = get_importer(path_item) + finder = _find_adapter(_distribution_finders, importer) + return finder(importer, path_item, only) + + +def find_eggs_in_zip(importer, path_item, only=False): + """ + Find eggs in zip files; possibly multiple nested eggs. + """ + if importer.archive.endswith('.whl'): + # wheels are not supported with this finder + # they don't have PKG-INFO metadata, and won't ever contain eggs + return + metadata = EggMetadata(importer) + if metadata.has_metadata('PKG-INFO'): + yield Distribution.from_filename(path_item, metadata=metadata) + if only: + # don't yield nested distros + return + for subitem in metadata.resource_listdir(''): + if _is_egg_path(subitem): + subpath = os.path.join(path_item, subitem) + dists = find_eggs_in_zip(zipimport.zipimporter(subpath), subpath) + for dist in dists: + yield dist + elif subitem.lower().endswith(('.dist-info', '.egg-info')): + subpath = os.path.join(path_item, subitem) + submeta = EggMetadata(zipimport.zipimporter(subpath)) + submeta.egg_info = subpath + yield Distribution.from_location(path_item, subitem, submeta) + + +register_finder(zipimport.zipimporter, find_eggs_in_zip) + + +def find_nothing(importer, path_item, only=False): + return () + + +register_finder(object, find_nothing) + + +def _by_version_descending(names): + """ + Given a list of filenames, return them in descending order + by version number. + + >>> names = 'bar', 'foo', 'Python-2.7.10.egg', 'Python-2.7.2.egg' + >>> _by_version_descending(names) + ['Python-2.7.10.egg', 'Python-2.7.2.egg', 'foo', 'bar'] + >>> names = 'Setuptools-1.2.3b1.egg', 'Setuptools-1.2.3.egg' + >>> _by_version_descending(names) + ['Setuptools-1.2.3.egg', 'Setuptools-1.2.3b1.egg'] + >>> names = 'Setuptools-1.2.3b1.egg', 'Setuptools-1.2.3.post1.egg' + >>> _by_version_descending(names) + ['Setuptools-1.2.3.post1.egg', 'Setuptools-1.2.3b1.egg'] + """ + def _by_version(name): + """ + Parse each component of the filename + """ + name, ext = os.path.splitext(name) + parts = itertools.chain(name.split('-'), [ext]) + return [packaging.version.parse(part) for part in parts] + + return sorted(names, key=_by_version, reverse=True) + + +def find_on_path(importer, path_item, only=False): + """Yield distributions accessible on a sys.path directory""" + path_item = _normalize_cached(path_item) + + if _is_unpacked_egg(path_item): + yield Distribution.from_filename( + path_item, metadata=PathMetadata( + path_item, os.path.join(path_item, 'EGG-INFO') + ) + ) + return + + entries = ( + os.path.join(path_item, child) + for child in safe_listdir(path_item) + ) + + # for performance, before sorting by version, + # screen entries for only those that will yield + # distributions + filtered = ( + entry + for entry in entries + if dist_factory(path_item, entry, only) + ) + + # scan for .egg and .egg-info in directory + path_item_entries = _by_version_descending(filtered) + for entry in path_item_entries: + fullpath = os.path.join(path_item, entry) + factory = dist_factory(path_item, entry, only) + for dist in factory(fullpath): + yield dist + + +def dist_factory(path_item, entry, only): + """Return a dist_factory for the given entry.""" + lower = entry.lower() + is_egg_info = lower.endswith('.egg-info') + is_dist_info = ( + lower.endswith('.dist-info') and + os.path.isdir(os.path.join(path_item, entry)) + ) + is_meta = is_egg_info or is_dist_info + return ( + distributions_from_metadata + if is_meta else + find_distributions + if not only and _is_egg_path(entry) else + resolve_egg_link + if not only and lower.endswith('.egg-link') else + NoDists() + ) + + +class NoDists: + """ + >>> bool(NoDists()) + False + + >>> list(NoDists()('anything')) + [] + """ + def __bool__(self): + return False + + def __call__(self, fullpath): + return iter(()) + + +def safe_listdir(path): + """ + Attempt to list contents of path, but suppress some exceptions. + """ + try: + return os.listdir(path) + except (PermissionError, NotADirectoryError): + pass + except OSError as e: + # Ignore the directory if does not exist, not a directory or + # permission denied + if e.errno not in (errno.ENOTDIR, errno.EACCES, errno.ENOENT): + raise + return () + + +def distributions_from_metadata(path): + root = os.path.dirname(path) + if os.path.isdir(path): + if len(os.listdir(path)) == 0: + # empty metadata dir; skip + return + metadata = PathMetadata(root, path) + else: + metadata = FileMetadata(path) + entry = os.path.basename(path) + yield Distribution.from_location( + root, entry, metadata, precedence=DEVELOP_DIST, + ) + + +def non_empty_lines(path): + """ + Yield non-empty lines from file at path + """ + with open(path) as f: + for line in f: + line = line.strip() + if line: + yield line + + +def resolve_egg_link(path): + """ + Given a path to an .egg-link, resolve distributions + present in the referenced path. + """ + referenced_paths = non_empty_lines(path) + resolved_paths = ( + os.path.join(os.path.dirname(path), ref) + for ref in referenced_paths + ) + dist_groups = map(find_distributions, resolved_paths) + return next(dist_groups, ()) + + +register_finder(pkgutil.ImpImporter, find_on_path) + +if hasattr(importlib_machinery, 'FileFinder'): + register_finder(importlib_machinery.FileFinder, find_on_path) + +_declare_state('dict', _namespace_handlers={}) +_declare_state('dict', _namespace_packages={}) + + +def register_namespace_handler(importer_type, namespace_handler): + """Register `namespace_handler` to declare namespace packages + + `importer_type` is the type or class of a PEP 302 "Importer" (sys.path item + handler), and `namespace_handler` is a callable like this:: + + def namespace_handler(importer, path_entry, moduleName, module): + # return a path_entry to use for child packages + + Namespace handlers are only called if the importer object has already + agreed that it can handle the relevant path item, and they should only + return a subpath if the module __path__ does not already contain an + equivalent subpath. For an example namespace handler, see + ``pkg_resources.file_ns_handler``. + """ + _namespace_handlers[importer_type] = namespace_handler + + +def _handle_ns(packageName, path_item): + """Ensure that named package includes a subpath of path_item (if needed)""" + + importer = get_importer(path_item) + if importer is None: + return None + + # use find_spec (PEP 451) and fall-back to find_module (PEP 302) + try: + loader = importer.find_spec(packageName).loader + except AttributeError: + # capture warnings due to #1111 + with warnings.catch_warnings(): + warnings.simplefilter("ignore") + loader = importer.find_module(packageName) + + if loader is None: + return None + module = sys.modules.get(packageName) + if module is None: + module = sys.modules[packageName] = types.ModuleType(packageName) + module.__path__ = [] + _set_parent_ns(packageName) + elif not hasattr(module, '__path__'): + raise TypeError("Not a package:", packageName) + handler = _find_adapter(_namespace_handlers, importer) + subpath = handler(importer, path_item, packageName, module) + if subpath is not None: + path = module.__path__ + path.append(subpath) + importlib.import_module(packageName) + _rebuild_mod_path(path, packageName, module) + return subpath + + +def _rebuild_mod_path(orig_path, package_name, module): + """ + Rebuild module.__path__ ensuring that all entries are ordered + corresponding to their sys.path order + """ + sys_path = [_normalize_cached(p) for p in sys.path] + + def safe_sys_path_index(entry): + """ + Workaround for #520 and #513. + """ + try: + return sys_path.index(entry) + except ValueError: + return float('inf') + + def position_in_sys_path(path): + """ + Return the ordinal of the path based on its position in sys.path + """ + path_parts = path.split(os.sep) + module_parts = package_name.count('.') + 1 + parts = path_parts[:-module_parts] + return safe_sys_path_index(_normalize_cached(os.sep.join(parts))) + + new_path = sorted(orig_path, key=position_in_sys_path) + new_path = [_normalize_cached(p) for p in new_path] + + if isinstance(module.__path__, list): + module.__path__[:] = new_path + else: + module.__path__ = new_path + + +def declare_namespace(packageName): + """Declare that package 'packageName' is a namespace package""" + + _imp.acquire_lock() + try: + if packageName in _namespace_packages: + return + + path = sys.path + parent, _, _ = packageName.rpartition('.') + + if parent: + declare_namespace(parent) + if parent not in _namespace_packages: + __import__(parent) + try: + path = sys.modules[parent].__path__ + except AttributeError as e: + raise TypeError("Not a package:", parent) from e + + # Track what packages are namespaces, so when new path items are added, + # they can be updated + _namespace_packages.setdefault(parent or None, []).append(packageName) + _namespace_packages.setdefault(packageName, []) + + for path_item in path: + # Ensure all the parent's path items are reflected in the child, + # if they apply + _handle_ns(packageName, path_item) + + finally: + _imp.release_lock() + + +def fixup_namespace_packages(path_item, parent=None): + """Ensure that previously-declared namespace packages include path_item""" + _imp.acquire_lock() + try: + for package in _namespace_packages.get(parent, ()): + subpath = _handle_ns(package, path_item) + if subpath: + fixup_namespace_packages(subpath, package) + finally: + _imp.release_lock() + + +def file_ns_handler(importer, path_item, packageName, module): + """Compute an ns-package subpath for a filesystem or zipfile importer""" + + subpath = os.path.join(path_item, packageName.split('.')[-1]) + normalized = _normalize_cached(subpath) + for item in module.__path__: + if _normalize_cached(item) == normalized: + break + else: + # Only return the path if it's not already there + return subpath + + +register_namespace_handler(pkgutil.ImpImporter, file_ns_handler) +register_namespace_handler(zipimport.zipimporter, file_ns_handler) + +if hasattr(importlib_machinery, 'FileFinder'): + register_namespace_handler(importlib_machinery.FileFinder, file_ns_handler) + + +def null_ns_handler(importer, path_item, packageName, module): + return None + + +register_namespace_handler(object, null_ns_handler) + + +def normalize_path(filename): + """Normalize a file/dir name for comparison purposes""" + return os.path.normcase(os.path.realpath(os.path.normpath( + _cygwin_patch(filename)))) + + +def _cygwin_patch(filename): # pragma: nocover + """ + Contrary to POSIX 2008, on Cygwin, getcwd (3) contains + symlink components. Using + os.path.abspath() works around this limitation. A fix in os.getcwd() + would probably better, in Cygwin even more so, except + that this seems to be by design... + """ + return os.path.abspath(filename) if sys.platform == 'cygwin' else filename + + +def _normalize_cached(filename, _cache={}): + try: + return _cache[filename] + except KeyError: + _cache[filename] = result = normalize_path(filename) + return result + + +def _is_egg_path(path): + """ + Determine if given path appears to be an egg. + """ + return _is_zip_egg(path) or _is_unpacked_egg(path) + + +def _is_zip_egg(path): + return ( + path.lower().endswith('.egg') and + os.path.isfile(path) and + zipfile.is_zipfile(path) + ) + + +def _is_unpacked_egg(path): + """ + Determine if given path appears to be an unpacked egg. + """ + return ( + path.lower().endswith('.egg') and + os.path.isfile(os.path.join(path, 'EGG-INFO', 'PKG-INFO')) + ) + + +def _set_parent_ns(packageName): + parts = packageName.split('.') + name = parts.pop() + if parts: + parent = '.'.join(parts) + setattr(sys.modules[parent], name, sys.modules[packageName]) + + +def yield_lines(strs): + """Yield non-empty/non-comment lines of a string or sequence""" + if isinstance(strs, str): + for s in strs.splitlines(): + s = s.strip() + # skip blank lines/comments + if s and not s.startswith('#'): + yield s + else: + for ss in strs: + for s in yield_lines(ss): + yield s + + +MODULE = re.compile(r"\w+(\.\w+)*$").match +EGG_NAME = re.compile( + r""" + (?P<name>[^-]+) ( + -(?P<ver>[^-]+) ( + -py(?P<pyver>[^-]+) ( + -(?P<plat>.+) + )? + )? + )? + """, + re.VERBOSE | re.IGNORECASE, +).match + + +class EntryPoint: + """Object representing an advertised importable object""" + + def __init__(self, name, module_name, attrs=(), extras=(), dist=None): + if not MODULE(module_name): + raise ValueError("Invalid module name", module_name) + self.name = name + self.module_name = module_name + self.attrs = tuple(attrs) + self.extras = tuple(extras) + self.dist = dist + + def __str__(self): + s = "%s = %s" % (self.name, self.module_name) + if self.attrs: + s += ':' + '.'.join(self.attrs) + if self.extras: + s += ' [%s]' % ','.join(self.extras) + return s + + def __repr__(self): + return "EntryPoint.parse(%r)" % str(self) + + def load(self, require=True, *args, **kwargs): + """ + Require packages for this EntryPoint, then resolve it. + """ + if not require or args or kwargs: + warnings.warn( + "Parameters to load are deprecated. Call .resolve and " + ".require separately.", + PkgResourcesDeprecationWarning, + stacklevel=2, + ) + if require: + self.require(*args, **kwargs) + return self.resolve() + + def resolve(self): + """ + Resolve the entry point from its module and attrs. + """ + module = __import__(self.module_name, fromlist=['__name__'], level=0) + try: + return functools.reduce(getattr, self.attrs, module) + except AttributeError as exc: + raise ImportError(str(exc)) from exc + + def require(self, env=None, installer=None): + if self.extras and not self.dist: + raise UnknownExtra("Can't require() without a distribution", self) + + # Get the requirements for this entry point with all its extras and + # then resolve them. We have to pass `extras` along when resolving so + # that the working set knows what extras we want. Otherwise, for + # dist-info distributions, the working set will assume that the + # requirements for that extra are purely optional and skip over them. + reqs = self.dist.requires(self.extras) + items = working_set.resolve(reqs, env, installer, extras=self.extras) + list(map(working_set.add, items)) + + pattern = re.compile( + r'\s*' + r'(?P<name>.+?)\s*' + r'=\s*' + r'(?P<module>[\w.]+)\s*' + r'(:\s*(?P<attr>[\w.]+))?\s*' + r'(?P<extras>\[.*\])?\s*$' + ) + + @classmethod + def parse(cls, src, dist=None): + """Parse a single entry point from string `src` + + Entry point syntax follows the form:: + + name = some.module:some.attr [extra1, extra2] + + The entry name and module name are required, but the ``:attrs`` and + ``[extras]`` parts are optional + """ + m = cls.pattern.match(src) + if not m: + msg = "EntryPoint must be in 'name=module:attrs [extras]' format" + raise ValueError(msg, src) + res = m.groupdict() + extras = cls._parse_extras(res['extras']) + attrs = res['attr'].split('.') if res['attr'] else () + return cls(res['name'], res['module'], attrs, extras, dist) + + @classmethod + def _parse_extras(cls, extras_spec): + if not extras_spec: + return () + req = Requirement.parse('x' + extras_spec) + if req.specs: + raise ValueError() + return req.extras + + @classmethod + def parse_group(cls, group, lines, dist=None): + """Parse an entry point group""" + if not MODULE(group): + raise ValueError("Invalid group name", group) + this = {} + for line in yield_lines(lines): + ep = cls.parse(line, dist) + if ep.name in this: + raise ValueError("Duplicate entry point", group, ep.name) + this[ep.name] = ep + return this + + @classmethod + def parse_map(cls, data, dist=None): + """Parse a map of entry point groups""" + if isinstance(data, dict): + data = data.items() + else: + data = split_sections(data) + maps = {} + for group, lines in data: + if group is None: + if not lines: + continue + raise ValueError("Entry points must be listed in groups") + group = group.strip() + if group in maps: + raise ValueError("Duplicate group name", group) + maps[group] = cls.parse_group(group, lines, dist) + return maps + + +def _version_from_file(lines): + """ + Given an iterable of lines from a Metadata file, return + the value of the Version field, if present, or None otherwise. + """ + def is_version_line(line): + return line.lower().startswith('version:') + version_lines = filter(is_version_line, lines) + line = next(iter(version_lines), '') + _, _, value = line.partition(':') + return safe_version(value.strip()) or None + + +class Distribution: + """Wrap an actual or potential sys.path entry w/metadata""" + PKG_INFO = 'PKG-INFO' + + def __init__( + self, location=None, metadata=None, project_name=None, + version=None, py_version=PY_MAJOR, platform=None, + precedence=EGG_DIST): + self.project_name = safe_name(project_name or 'Unknown') + if version is not None: + self._version = safe_version(version) + self.py_version = py_version + self.platform = platform + self.location = location + self.precedence = precedence + self._provider = metadata or empty_provider + + @classmethod + def from_location(cls, location, basename, metadata=None, **kw): + project_name, version, py_version, platform = [None] * 4 + basename, ext = os.path.splitext(basename) + if ext.lower() in _distributionImpl: + cls = _distributionImpl[ext.lower()] + + match = EGG_NAME(basename) + if match: + project_name, version, py_version, platform = match.group( + 'name', 'ver', 'pyver', 'plat' + ) + return cls( + location, metadata, project_name=project_name, version=version, + py_version=py_version, platform=platform, **kw + )._reload_version() + + def _reload_version(self): + return self + + @property + def hashcmp(self): + return ( + self.parsed_version, + self.precedence, + self.key, + self.location, + self.py_version or '', + self.platform or '', + ) + + def __hash__(self): + return hash(self.hashcmp) + + def __lt__(self, other): + return self.hashcmp < other.hashcmp + + def __le__(self, other): + return self.hashcmp <= other.hashcmp + + def __gt__(self, other): + return self.hashcmp > other.hashcmp + + def __ge__(self, other): + return self.hashcmp >= other.hashcmp + + def __eq__(self, other): + if not isinstance(other, self.__class__): + # It's not a Distribution, so they are not equal + return False + return self.hashcmp == other.hashcmp + + def __ne__(self, other): + return not self == other + + # These properties have to be lazy so that we don't have to load any + # metadata until/unless it's actually needed. (i.e., some distributions + # may not know their name or version without loading PKG-INFO) + + @property + def key(self): + try: + return self._key + except AttributeError: + self._key = key = self.project_name.lower() + return key + + @property + def parsed_version(self): + if not hasattr(self, "_parsed_version"): + self._parsed_version = parse_version(self.version) + + return self._parsed_version + + def _warn_legacy_version(self): + LV = packaging.version.LegacyVersion + is_legacy = isinstance(self._parsed_version, LV) + if not is_legacy: + return + + # While an empty version is technically a legacy version and + # is not a valid PEP 440 version, it's also unlikely to + # actually come from someone and instead it is more likely that + # it comes from setuptools attempting to parse a filename and + # including it in the list. So for that we'll gate this warning + # on if the version is anything at all or not. + if not self.version: + return + + tmpl = textwrap.dedent(""" + '{project_name} ({version})' is being parsed as a legacy, + non PEP 440, + version. You may find odd behavior and sort order. + In particular it will be sorted as less than 0.0. It + is recommended to migrate to PEP 440 compatible + versions. + """).strip().replace('\n', ' ') + + warnings.warn(tmpl.format(**vars(self)), PEP440Warning) + + @property + def version(self): + try: + return self._version + except AttributeError as e: + version = self._get_version() + if version is None: + path = self._get_metadata_path_for_display(self.PKG_INFO) + msg = ( + "Missing 'Version:' header and/or {} file at path: {}" + ).format(self.PKG_INFO, path) + raise ValueError(msg, self) from e + + return version + + @property + def _dep_map(self): + """ + A map of extra to its list of (direct) requirements + for this distribution, including the null extra. + """ + try: + return self.__dep_map + except AttributeError: + self.__dep_map = self._filter_extras(self._build_dep_map()) + return self.__dep_map + + @staticmethod + def _filter_extras(dm): + """ + Given a mapping of extras to dependencies, strip off + environment markers and filter out any dependencies + not matching the markers. + """ + for extra in list(filter(None, dm)): + new_extra = extra + reqs = dm.pop(extra) + new_extra, _, marker = extra.partition(':') + fails_marker = marker and ( + invalid_marker(marker) + or not evaluate_marker(marker) + ) + if fails_marker: + reqs = [] + new_extra = safe_extra(new_extra) or None + + dm.setdefault(new_extra, []).extend(reqs) + return dm + + def _build_dep_map(self): + dm = {} + for name in 'requires.txt', 'depends.txt': + for extra, reqs in split_sections(self._get_metadata(name)): + dm.setdefault(extra, []).extend(parse_requirements(reqs)) + return dm + + def requires(self, extras=()): + """List of Requirements needed for this distro if `extras` are used""" + dm = self._dep_map + deps = [] + deps.extend(dm.get(None, ())) + for ext in extras: + try: + deps.extend(dm[safe_extra(ext)]) + except KeyError as e: + raise UnknownExtra( + "%s has no such extra feature %r" % (self, ext) + ) from e + return deps + + def _get_metadata_path_for_display(self, name): + """ + Return the path to the given metadata file, if available. + """ + try: + # We need to access _get_metadata_path() on the provider object + # directly rather than through this class's __getattr__() + # since _get_metadata_path() is marked private. + path = self._provider._get_metadata_path(name) + + # Handle exceptions e.g. in case the distribution's metadata + # provider doesn't support _get_metadata_path(). + except Exception: + return '[could not detect]' + + return path + + def _get_metadata(self, name): + if self.has_metadata(name): + for line in self.get_metadata_lines(name): + yield line + + def _get_version(self): + lines = self._get_metadata(self.PKG_INFO) + version = _version_from_file(lines) + + return version + + def activate(self, path=None, replace=False): + """Ensure distribution is importable on `path` (default=sys.path)""" + if path is None: + path = sys.path + self.insert_on(path, replace=replace) + if path is sys.path: + fixup_namespace_packages(self.location) + for pkg in self._get_metadata('namespace_packages.txt'): + if pkg in sys.modules: + declare_namespace(pkg) + + def egg_name(self): + """Return what this distribution's standard .egg filename should be""" + filename = "%s-%s-py%s" % ( + to_filename(self.project_name), to_filename(self.version), + self.py_version or PY_MAJOR + ) + + if self.platform: + filename += '-' + self.platform + return filename + + def __repr__(self): + if self.location: + return "%s (%s)" % (self, self.location) + else: + return str(self) + + def __str__(self): + try: + version = getattr(self, 'version', None) + except ValueError: + version = None + version = version or "[unknown version]" + return "%s %s" % (self.project_name, version) + + def __getattr__(self, attr): + """Delegate all unrecognized public attributes to .metadata provider""" + if attr.startswith('_'): + raise AttributeError(attr) + return getattr(self._provider, attr) + + def __dir__(self): + return list( + set(super(Distribution, self).__dir__()) + | set( + attr for attr in self._provider.__dir__() + if not attr.startswith('_') + ) + ) + + @classmethod + def from_filename(cls, filename, metadata=None, **kw): + return cls.from_location( + _normalize_cached(filename), os.path.basename(filename), metadata, + **kw + ) + + def as_requirement(self): + """Return a ``Requirement`` that matches this distribution exactly""" + if isinstance(self.parsed_version, packaging.version.Version): + spec = "%s==%s" % (self.project_name, self.parsed_version) + else: + spec = "%s===%s" % (self.project_name, self.parsed_version) + + return Requirement.parse(spec) + + def load_entry_point(self, group, name): + """Return the `name` entry point of `group` or raise ImportError""" + ep = self.get_entry_info(group, name) + if ep is None: + raise ImportError("Entry point %r not found" % ((group, name),)) + return ep.load() + + def get_entry_map(self, group=None): + """Return the entry point map for `group`, or the full entry map""" + try: + ep_map = self._ep_map + except AttributeError: + ep_map = self._ep_map = EntryPoint.parse_map( + self._get_metadata('entry_points.txt'), self + ) + if group is not None: + return ep_map.get(group, {}) + return ep_map + + def get_entry_info(self, group, name): + """Return the EntryPoint object for `group`+`name`, or ``None``""" + return self.get_entry_map(group).get(name) + + # FIXME: 'Distribution.insert_on' is too complex (13) + def insert_on(self, path, loc=None, replace=False): # noqa: C901 + """Ensure self.location is on path + + If replace=False (default): + - If location is already in path anywhere, do nothing. + - Else: + - If it's an egg and its parent directory is on path, + insert just ahead of the parent. + - Else: add to the end of path. + If replace=True: + - If location is already on path anywhere (not eggs) + or higher priority than its parent (eggs) + do nothing. + - Else: + - If it's an egg and its parent directory is on path, + insert just ahead of the parent, + removing any lower-priority entries. + - Else: add it to the front of path. + """ + + loc = loc or self.location + if not loc: + return + + nloc = _normalize_cached(loc) + bdir = os.path.dirname(nloc) + npath = [(p and _normalize_cached(p) or p) for p in path] + + for p, item in enumerate(npath): + if item == nloc: + if replace: + break + else: + # don't modify path (even removing duplicates) if + # found and not replace + return + elif item == bdir and self.precedence == EGG_DIST: + # if it's an .egg, give it precedence over its directory + # UNLESS it's already been added to sys.path and replace=False + if (not replace) and nloc in npath[p:]: + return + if path is sys.path: + self.check_version_conflict() + path.insert(p, loc) + npath.insert(p, nloc) + break + else: + if path is sys.path: + self.check_version_conflict() + if replace: + path.insert(0, loc) + else: + path.append(loc) + return + + # p is the spot where we found or inserted loc; now remove duplicates + while True: + try: + np = npath.index(nloc, p + 1) + except ValueError: + break + else: + del npath[np], path[np] + # ha! + p = np + + return + + def check_version_conflict(self): + if self.key == 'setuptools': + # ignore the inevitable setuptools self-conflicts :( + return + + nsp = dict.fromkeys(self._get_metadata('namespace_packages.txt')) + loc = normalize_path(self.location) + for modname in self._get_metadata('top_level.txt'): + if (modname not in sys.modules or modname in nsp + or modname in _namespace_packages): + continue + if modname in ('pkg_resources', 'setuptools', 'site'): + continue + fn = getattr(sys.modules[modname], '__file__', None) + if fn and (normalize_path(fn).startswith(loc) or + fn.startswith(self.location)): + continue + issue_warning( + "Module %s was already imported from %s, but %s is being added" + " to sys.path" % (modname, fn, self.location), + ) + + def has_version(self): + try: + self.version + except ValueError: + issue_warning("Unbuilt egg for " + repr(self)) + return False + return True + + def clone(self, **kw): + """Copy this distribution, substituting in any changed keyword args""" + names = 'project_name version py_version platform location precedence' + for attr in names.split(): + kw.setdefault(attr, getattr(self, attr, None)) + kw.setdefault('metadata', self._provider) + return self.__class__(**kw) + + @property + def extras(self): + return [dep for dep in self._dep_map if dep] + + +class EggInfoDistribution(Distribution): + def _reload_version(self): + """ + Packages installed by distutils (e.g. numpy or scipy), + which uses an old safe_version, and so + their version numbers can get mangled when + converted to filenames (e.g., 1.11.0.dev0+2329eae to + 1.11.0.dev0_2329eae). These distributions will not be + parsed properly + downstream by Distribution and safe_version, so + take an extra step and try to get the version number from + the metadata file itself instead of the filename. + """ + md_version = self._get_version() + if md_version: + self._version = md_version + return self + + +class DistInfoDistribution(Distribution): + """ + Wrap an actual or potential sys.path entry + w/metadata, .dist-info style. + """ + PKG_INFO = 'METADATA' + EQEQ = re.compile(r"([\(,])\s*(\d.*?)\s*([,\)])") + + @property + def _parsed_pkg_info(self): + """Parse and cache metadata""" + try: + return self._pkg_info + except AttributeError: + metadata = self.get_metadata(self.PKG_INFO) + self._pkg_info = email.parser.Parser().parsestr(metadata) + return self._pkg_info + + @property + def _dep_map(self): + try: + return self.__dep_map + except AttributeError: + self.__dep_map = self._compute_dependencies() + return self.__dep_map + + def _compute_dependencies(self): + """Recompute this distribution's dependencies.""" + dm = self.__dep_map = {None: []} + + reqs = [] + # Including any condition expressions + for req in self._parsed_pkg_info.get_all('Requires-Dist') or []: + reqs.extend(parse_requirements(req)) + + def reqs_for_extra(extra): + for req in reqs: + if not req.marker or req.marker.evaluate({'extra': extra}): + yield req + + common = frozenset(reqs_for_extra(None)) + dm[None].extend(common) + + for extra in self._parsed_pkg_info.get_all('Provides-Extra') or []: + s_extra = safe_extra(extra.strip()) + dm[s_extra] = list(frozenset(reqs_for_extra(extra)) - common) + + return dm + + +_distributionImpl = { + '.egg': Distribution, + '.egg-info': EggInfoDistribution, + '.dist-info': DistInfoDistribution, +} + + +def issue_warning(*args, **kw): + level = 1 + g = globals() + try: + # find the first stack frame that is *not* code in + # the pkg_resources module, to use for the warning + while sys._getframe(level).f_globals is g: + level += 1 + except ValueError: + pass + warnings.warn(stacklevel=level + 1, *args, **kw) + + +def parse_requirements(strs): + """Yield ``Requirement`` objects for each specification in `strs` + + `strs` must be a string, or a (possibly-nested) iterable thereof. + """ + # create a steppable iterator, so we can handle \-continuations + lines = iter(yield_lines(strs)) + + for line in lines: + # Drop comments -- a hash without a space may be in a URL. + if ' #' in line: + line = line[:line.find(' #')] + # If there is a line continuation, drop it, and append the next line. + if line.endswith('\\'): + line = line[:-2].strip() + try: + line += next(lines) + except StopIteration: + return + yield Requirement(line) + + +class RequirementParseError(packaging.requirements.InvalidRequirement): + "Compatibility wrapper for InvalidRequirement" + + +class Requirement(packaging.requirements.Requirement): + def __init__(self, requirement_string): + """DO NOT CALL THIS UNDOCUMENTED METHOD; use Requirement.parse()!""" + super(Requirement, self).__init__(requirement_string) + self.unsafe_name = self.name + project_name = safe_name(self.name) + self.project_name, self.key = project_name, project_name.lower() + self.specs = [ + (spec.operator, spec.version) for spec in self.specifier] + self.extras = tuple(map(safe_extra, self.extras)) + self.hashCmp = ( + self.key, + self.url, + self.specifier, + frozenset(self.extras), + str(self.marker) if self.marker else None, + ) + self.__hash = hash(self.hashCmp) + + def __eq__(self, other): + return ( + isinstance(other, Requirement) and + self.hashCmp == other.hashCmp + ) + + def __ne__(self, other): + return not self == other + + def __contains__(self, item): + if isinstance(item, Distribution): + if item.key != self.key: + return False + + item = item.version + + # Allow prereleases always in order to match the previous behavior of + # this method. In the future this should be smarter and follow PEP 440 + # more accurately. + return self.specifier.contains(item, prereleases=True) + + def __hash__(self): + return self.__hash + + def __repr__(self): + return "Requirement.parse(%r)" % str(self) + + @staticmethod + def parse(s): + req, = parse_requirements(s) + return req + + +def _always_object(classes): + """ + Ensure object appears in the mro even + for old-style classes. + """ + if object not in classes: + return classes + (object,) + return classes + + +def _find_adapter(registry, ob): + """Return an adapter factory for `ob` from `registry`""" + types = _always_object(inspect.getmro(getattr(ob, '__class__', type(ob)))) + for t in types: + if t in registry: + return registry[t] + + +def ensure_directory(path): + """Ensure that the parent directory of `path` exists""" + dirname = os.path.dirname(path) + os.makedirs(dirname, exist_ok=True) + + +def _bypass_ensure_directory(path): + """Sandbox-bypassing version of ensure_directory()""" + if not WRITE_SUPPORT: + raise IOError('"os.mkdir" not supported on this platform.') + dirname, filename = split(path) + if dirname and filename and not isdir(dirname): + _bypass_ensure_directory(dirname) + try: + mkdir(dirname, 0o755) + except FileExistsError: + pass + + +def split_sections(s): + """Split a string or iterable thereof into (section, content) pairs + + Each ``section`` is a stripped version of the section header ("[section]") + and each ``content`` is a list of stripped lines excluding blank lines and + comment-only lines. If there are any such lines before the first section + header, they're returned in a first ``section`` of ``None``. + """ + section = None + content = [] + for line in yield_lines(s): + if line.startswith("["): + if line.endswith("]"): + if section or content: + yield section, content + section = line[1:-1].strip() + content = [] + else: + raise ValueError("Invalid section heading", line) + else: + content.append(line) + + # wrap up last segment + yield section, content + + +def _mkstemp(*args, **kw): + old_open = os.open + try: + # temporarily bypass sandboxing + os.open = os_open + return tempfile.mkstemp(*args, **kw) + finally: + # and then put it back + os.open = old_open + + +# Silence the PEP440Warning by default, so that end users don't get hit by it +# randomly just because they use pkg_resources. We want to append the rule +# because we want earlier uses of filterwarnings to take precedence over this +# one. +warnings.filterwarnings("ignore", category=PEP440Warning, append=True) + + +# from jaraco.functools 1.3 +def _call_aside(f, *args, **kwargs): + f(*args, **kwargs) + return f + + +@_call_aside +def _initialize(g=globals()): + "Set up global resource manager (deliberately not state-saved)" + manager = ResourceManager() + g['_manager'] = manager + g.update( + (name, getattr(manager, name)) + for name in dir(manager) + if not name.startswith('_') + ) + + +@_call_aside +def _initialize_master_working_set(): + """ + Prepare the master working set and make the ``require()`` + API available. + + This function has explicit effects on the global state + of pkg_resources. It is intended to be invoked once at + the initialization of this module. + + Invocation by other packages is unsupported and done + at their own risk. + """ + working_set = WorkingSet._build_master() + _declare_state('object', working_set=working_set) + + require = working_set.require + iter_entry_points = working_set.iter_entry_points + add_activation_listener = working_set.subscribe + run_script = working_set.run_script + # backward compatibility + run_main = run_script + # Activate all distributions already on sys.path with replace=False and + # ensure that all distributions added to the working set in the future + # (e.g. by calling ``require()``) will get activated as well, + # with higher priority (replace=True). + tuple( + dist.activate(replace=False) + for dist in working_set + ) + add_activation_listener( + lambda dist: dist.activate(replace=True), + existing=False, + ) + working_set.entries = [] + # match order + list(map(working_set.add_entry, sys.path)) + globals().update(locals()) + + +class PkgResourcesDeprecationWarning(Warning): + """ + Base class for warning about deprecations in ``pkg_resources`` + + This class is not derived from ``DeprecationWarning``, and as such is + visible by default. + """ diff --git a/venv/Lib/site-packages/pkg_resources/_vendor/__init__.py b/venv/Lib/site-packages/pkg_resources/_vendor/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/appdirs.py b/venv/Lib/site-packages/pkg_resources/_vendor/appdirs.py similarity index 98% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/appdirs.py rename to venv/Lib/site-packages/pkg_resources/_vendor/appdirs.py index 2bd3911..ae67001 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/appdirs.py +++ b/venv/Lib/site-packages/pkg_resources/_vendor/appdirs.py @@ -557,14 +557,18 @@ def _get_win_folder_with_jna(csidl_name): if system == "win32": try: - from ctypes import windll - _get_win_folder = _get_win_folder_with_ctypes + import win32com.shell + _get_win_folder = _get_win_folder_with_pywin32 except ImportError: try: - import com.sun.jna - _get_win_folder = _get_win_folder_with_jna + from ctypes import windll + _get_win_folder = _get_win_folder_with_ctypes except ImportError: - _get_win_folder = _get_win_folder_from_registry + try: + import com.sun.jna + _get_win_folder = _get_win_folder_with_jna + except ImportError: + _get_win_folder = _get_win_folder_from_registry #---- self test code diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/__about__.py b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/__about__.py similarity index 90% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/__about__.py rename to venv/Lib/site-packages/pkg_resources/_vendor/packaging/__about__.py index 7481c9e..4d99857 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/__about__.py +++ b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/__about__.py @@ -18,10 +18,10 @@ __summary__ = "Core utilities for Python packages" __uri__ = "https://github.com/pypa/packaging" -__version__ = "19.0" +__version__ = "20.4" __author__ = "Donald Stufft and individual contributors" __email__ = "donald@stufft.io" -__license__ = "BSD or Apache License, Version 2.0" +__license__ = "BSD-2-Clause or Apache-2.0" __copyright__ = "Copyright 2014-2019 %s" % __author__ diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/__init__.py b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/__init__.py similarity index 100% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/__init__.py rename to venv/Lib/site-packages/pkg_resources/_vendor/packaging/__init__.py diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/_compat.py b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/_compat.py similarity index 74% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/_compat.py rename to venv/Lib/site-packages/pkg_resources/_vendor/packaging/_compat.py index 25da473..e54bd4e 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/_compat.py +++ b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/_compat.py @@ -5,6 +5,11 @@ import sys +from ._typing import TYPE_CHECKING + +if TYPE_CHECKING: # pragma: no cover + from typing import Any, Dict, Tuple, Type + PY2 = sys.version_info[0] == 2 PY3 = sys.version_info[0] == 3 @@ -18,14 +23,16 @@ def with_metaclass(meta, *bases): + # type: (Type[Any], Tuple[Type[Any], ...]) -> Any """ Create a base class with a metaclass. """ # This requires a bit of explanation: the basic idea is to make a dummy # metaclass for one level of class instantiation that replaces itself with # the actual metaclass. - class metaclass(meta): + class metaclass(meta): # type: ignore def __new__(cls, name, this_bases, d): + # type: (Type[Any], str, Tuple[Any], Dict[Any, Any]) -> Any return meta(name, bases, d) return type.__new__(metaclass, "temporary_class", (), {}) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/_structures.py b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/_structures.py similarity index 64% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/_structures.py rename to venv/Lib/site-packages/pkg_resources/_vendor/packaging/_structures.py index 68dcca6..800d5c5 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/_structures.py +++ b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/_structures.py @@ -4,65 +4,83 @@ from __future__ import absolute_import, division, print_function -class Infinity(object): +class InfinityType(object): def __repr__(self): + # type: () -> str return "Infinity" def __hash__(self): + # type: () -> int return hash(repr(self)) def __lt__(self, other): + # type: (object) -> bool return False def __le__(self, other): + # type: (object) -> bool return False def __eq__(self, other): + # type: (object) -> bool return isinstance(other, self.__class__) def __ne__(self, other): + # type: (object) -> bool return not isinstance(other, self.__class__) def __gt__(self, other): + # type: (object) -> bool return True def __ge__(self, other): + # type: (object) -> bool return True def __neg__(self): + # type: (object) -> NegativeInfinityType return NegativeInfinity -Infinity = Infinity() +Infinity = InfinityType() -class NegativeInfinity(object): +class NegativeInfinityType(object): def __repr__(self): + # type: () -> str return "-Infinity" def __hash__(self): + # type: () -> int return hash(repr(self)) def __lt__(self, other): + # type: (object) -> bool return True def __le__(self, other): + # type: (object) -> bool return True def __eq__(self, other): + # type: (object) -> bool return isinstance(other, self.__class__) def __ne__(self, other): + # type: (object) -> bool return not isinstance(other, self.__class__) def __gt__(self, other): + # type: (object) -> bool return False def __ge__(self, other): + # type: (object) -> bool return False def __neg__(self): + # type: (object) -> InfinityType return Infinity -NegativeInfinity = NegativeInfinity() +NegativeInfinity = NegativeInfinityType() diff --git a/venv/Lib/site-packages/pkg_resources/_vendor/packaging/_typing.py b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/_typing.py new file mode 100644 index 0000000..77a8b91 --- /dev/null +++ b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/_typing.py @@ -0,0 +1,48 @@ +"""For neatly implementing static typing in packaging. + +`mypy` - the static type analysis tool we use - uses the `typing` module, which +provides core functionality fundamental to mypy's functioning. + +Generally, `typing` would be imported at runtime and used in that fashion - +it acts as a no-op at runtime and does not have any run-time overhead by +design. + +As it turns out, `typing` is not vendorable - it uses separate sources for +Python 2/Python 3. Thus, this codebase can not expect it to be present. +To work around this, mypy allows the typing import to be behind a False-y +optional to prevent it from running at runtime and type-comments can be used +to remove the need for the types to be accessible directly during runtime. + +This module provides the False-y guard in a nicely named fashion so that a +curious maintainer can reach here to read this. + +In packaging, all static-typing related imports should be guarded as follows: + + from packaging._typing import TYPE_CHECKING + + if TYPE_CHECKING: + from typing import ... + +Ref: https://github.com/python/mypy/issues/3216 +""" + +__all__ = ["TYPE_CHECKING", "cast"] + +# The TYPE_CHECKING constant defined by the typing module is False at runtime +# but True while type checking. +if False: # pragma: no cover + from typing import TYPE_CHECKING +else: + TYPE_CHECKING = False + +# typing's cast syntax requires calling typing.cast at runtime, but we don't +# want to import typing at runtime. Here, we inform the type checkers that +# we're importing `typing.cast` as `cast` and re-implement typing.cast's +# runtime behavior in a block that is ignored by type checkers. +if TYPE_CHECKING: # pragma: no cover + # not executed at runtime + from typing import cast +else: + # executed at runtime + def cast(type_, value): # noqa + return value diff --git a/venv/Lib/site-packages/pkg_resources/_vendor/packaging/markers.py b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/markers.py new file mode 100644 index 0000000..fd1559c --- /dev/null +++ b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/markers.py @@ -0,0 +1,328 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +import operator +import os +import platform +import sys + +from pkg_resources.extern.pyparsing import ParseException, ParseResults, stringStart, stringEnd +from pkg_resources.extern.pyparsing import ZeroOrMore, Group, Forward, QuotedString +from pkg_resources.extern.pyparsing import Literal as L # noqa + +from ._compat import string_types +from ._typing import TYPE_CHECKING +from .specifiers import Specifier, InvalidSpecifier + +if TYPE_CHECKING: # pragma: no cover + from typing import Any, Callable, Dict, List, Optional, Tuple, Union + + Operator = Callable[[str, str], bool] + + +__all__ = [ + "InvalidMarker", + "UndefinedComparison", + "UndefinedEnvironmentName", + "Marker", + "default_environment", +] + + +class InvalidMarker(ValueError): + """ + An invalid marker was found, users should refer to PEP 508. + """ + + +class UndefinedComparison(ValueError): + """ + An invalid operation was attempted on a value that doesn't support it. + """ + + +class UndefinedEnvironmentName(ValueError): + """ + A name was attempted to be used that does not exist inside of the + environment. + """ + + +class Node(object): + def __init__(self, value): + # type: (Any) -> None + self.value = value + + def __str__(self): + # type: () -> str + return str(self.value) + + def __repr__(self): + # type: () -> str + return "<{0}({1!r})>".format(self.__class__.__name__, str(self)) + + def serialize(self): + # type: () -> str + raise NotImplementedError + + +class Variable(Node): + def serialize(self): + # type: () -> str + return str(self) + + +class Value(Node): + def serialize(self): + # type: () -> str + return '"{0}"'.format(self) + + +class Op(Node): + def serialize(self): + # type: () -> str + return str(self) + + +VARIABLE = ( + L("implementation_version") + | L("platform_python_implementation") + | L("implementation_name") + | L("python_full_version") + | L("platform_release") + | L("platform_version") + | L("platform_machine") + | L("platform_system") + | L("python_version") + | L("sys_platform") + | L("os_name") + | L("os.name") # PEP-345 + | L("sys.platform") # PEP-345 + | L("platform.version") # PEP-345 + | L("platform.machine") # PEP-345 + | L("platform.python_implementation") # PEP-345 + | L("python_implementation") # undocumented setuptools legacy + | L("extra") # PEP-508 +) +ALIASES = { + "os.name": "os_name", + "sys.platform": "sys_platform", + "platform.version": "platform_version", + "platform.machine": "platform_machine", + "platform.python_implementation": "platform_python_implementation", + "python_implementation": "platform_python_implementation", +} +VARIABLE.setParseAction(lambda s, l, t: Variable(ALIASES.get(t[0], t[0]))) + +VERSION_CMP = ( + L("===") | L("==") | L(">=") | L("<=") | L("!=") | L("~=") | L(">") | L("<") +) + +MARKER_OP = VERSION_CMP | L("not in") | L("in") +MARKER_OP.setParseAction(lambda s, l, t: Op(t[0])) + +MARKER_VALUE = QuotedString("'") | QuotedString('"') +MARKER_VALUE.setParseAction(lambda s, l, t: Value(t[0])) + +BOOLOP = L("and") | L("or") + +MARKER_VAR = VARIABLE | MARKER_VALUE + +MARKER_ITEM = Group(MARKER_VAR + MARKER_OP + MARKER_VAR) +MARKER_ITEM.setParseAction(lambda s, l, t: tuple(t[0])) + +LPAREN = L("(").suppress() +RPAREN = L(")").suppress() + +MARKER_EXPR = Forward() +MARKER_ATOM = MARKER_ITEM | Group(LPAREN + MARKER_EXPR + RPAREN) +MARKER_EXPR << MARKER_ATOM + ZeroOrMore(BOOLOP + MARKER_EXPR) + +MARKER = stringStart + MARKER_EXPR + stringEnd + + +def _coerce_parse_result(results): + # type: (Union[ParseResults, List[Any]]) -> List[Any] + if isinstance(results, ParseResults): + return [_coerce_parse_result(i) for i in results] + else: + return results + + +def _format_marker(marker, first=True): + # type: (Union[List[str], Tuple[Node, ...], str], Optional[bool]) -> str + + assert isinstance(marker, (list, tuple, string_types)) + + # Sometimes we have a structure like [[...]] which is a single item list + # where the single item is itself it's own list. In that case we want skip + # the rest of this function so that we don't get extraneous () on the + # outside. + if ( + isinstance(marker, list) + and len(marker) == 1 + and isinstance(marker[0], (list, tuple)) + ): + return _format_marker(marker[0]) + + if isinstance(marker, list): + inner = (_format_marker(m, first=False) for m in marker) + if first: + return " ".join(inner) + else: + return "(" + " ".join(inner) + ")" + elif isinstance(marker, tuple): + return " ".join([m.serialize() for m in marker]) + else: + return marker + + +_operators = { + "in": lambda lhs, rhs: lhs in rhs, + "not in": lambda lhs, rhs: lhs not in rhs, + "<": operator.lt, + "<=": operator.le, + "==": operator.eq, + "!=": operator.ne, + ">=": operator.ge, + ">": operator.gt, +} # type: Dict[str, Operator] + + +def _eval_op(lhs, op, rhs): + # type: (str, Op, str) -> bool + try: + spec = Specifier("".join([op.serialize(), rhs])) + except InvalidSpecifier: + pass + else: + return spec.contains(lhs) + + oper = _operators.get(op.serialize()) # type: Optional[Operator] + if oper is None: + raise UndefinedComparison( + "Undefined {0!r} on {1!r} and {2!r}.".format(op, lhs, rhs) + ) + + return oper(lhs, rhs) + + +class Undefined(object): + pass + + +_undefined = Undefined() + + +def _get_env(environment, name): + # type: (Dict[str, str], str) -> str + value = environment.get(name, _undefined) # type: Union[str, Undefined] + + if isinstance(value, Undefined): + raise UndefinedEnvironmentName( + "{0!r} does not exist in evaluation environment.".format(name) + ) + + return value + + +def _evaluate_markers(markers, environment): + # type: (List[Any], Dict[str, str]) -> bool + groups = [[]] # type: List[List[bool]] + + for marker in markers: + assert isinstance(marker, (list, tuple, string_types)) + + if isinstance(marker, list): + groups[-1].append(_evaluate_markers(marker, environment)) + elif isinstance(marker, tuple): + lhs, op, rhs = marker + + if isinstance(lhs, Variable): + lhs_value = _get_env(environment, lhs.value) + rhs_value = rhs.value + else: + lhs_value = lhs.value + rhs_value = _get_env(environment, rhs.value) + + groups[-1].append(_eval_op(lhs_value, op, rhs_value)) + else: + assert marker in ["and", "or"] + if marker == "or": + groups.append([]) + + return any(all(item) for item in groups) + + +def format_full_version(info): + # type: (sys._version_info) -> str + version = "{0.major}.{0.minor}.{0.micro}".format(info) + kind = info.releaselevel + if kind != "final": + version += kind[0] + str(info.serial) + return version + + +def default_environment(): + # type: () -> Dict[str, str] + if hasattr(sys, "implementation"): + # Ignoring the `sys.implementation` reference for type checking due to + # mypy not liking that the attribute doesn't exist in Python 2.7 when + # run with the `--py27` flag. + iver = format_full_version(sys.implementation.version) # type: ignore + implementation_name = sys.implementation.name # type: ignore + else: + iver = "0" + implementation_name = "" + + return { + "implementation_name": implementation_name, + "implementation_version": iver, + "os_name": os.name, + "platform_machine": platform.machine(), + "platform_release": platform.release(), + "platform_system": platform.system(), + "platform_version": platform.version(), + "python_full_version": platform.python_version(), + "platform_python_implementation": platform.python_implementation(), + "python_version": ".".join(platform.python_version_tuple()[:2]), + "sys_platform": sys.platform, + } + + +class Marker(object): + def __init__(self, marker): + # type: (str) -> None + try: + self._markers = _coerce_parse_result(MARKER.parseString(marker)) + except ParseException as e: + err_str = "Invalid marker: {0!r}, parse error at {1!r}".format( + marker, marker[e.loc : e.loc + 8] + ) + raise InvalidMarker(err_str) + + def __str__(self): + # type: () -> str + return _format_marker(self._markers) + + def __repr__(self): + # type: () -> str + return "<Marker({0!r})>".format(str(self)) + + def evaluate(self, environment=None): + # type: (Optional[Dict[str, str]]) -> bool + """Evaluate a marker. + + Return the boolean from evaluating the given marker against the + environment. environment is an optional argument to override all or + part of the determined environment. + + The environment is determined from the current Python process. + """ + current_environment = default_environment() + if environment is not None: + current_environment.update(environment) + + return _evaluate_markers(self._markers, current_environment) diff --git a/venv/Lib/site-packages/pkg_resources/_vendor/packaging/requirements.py b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/requirements.py new file mode 100644 index 0000000..9495a1d --- /dev/null +++ b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/requirements.py @@ -0,0 +1,145 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +import string +import re + +from pkg_resources.extern.pyparsing import stringStart, stringEnd, originalTextFor, ParseException +from pkg_resources.extern.pyparsing import ZeroOrMore, Word, Optional, Regex, Combine +from pkg_resources.extern.pyparsing import Literal as L # noqa +from urllib import parse as urlparse + +from ._typing import TYPE_CHECKING +from .markers import MARKER_EXPR, Marker +from .specifiers import LegacySpecifier, Specifier, SpecifierSet + +if TYPE_CHECKING: # pragma: no cover + from typing import List + + +class InvalidRequirement(ValueError): + """ + An invalid requirement was found, users should refer to PEP 508. + """ + + +ALPHANUM = Word(string.ascii_letters + string.digits) + +LBRACKET = L("[").suppress() +RBRACKET = L("]").suppress() +LPAREN = L("(").suppress() +RPAREN = L(")").suppress() +COMMA = L(",").suppress() +SEMICOLON = L(";").suppress() +AT = L("@").suppress() + +PUNCTUATION = Word("-_.") +IDENTIFIER_END = ALPHANUM | (ZeroOrMore(PUNCTUATION) + ALPHANUM) +IDENTIFIER = Combine(ALPHANUM + ZeroOrMore(IDENTIFIER_END)) + +NAME = IDENTIFIER("name") +EXTRA = IDENTIFIER + +URI = Regex(r"[^ ]+")("url") +URL = AT + URI + +EXTRAS_LIST = EXTRA + ZeroOrMore(COMMA + EXTRA) +EXTRAS = (LBRACKET + Optional(EXTRAS_LIST) + RBRACKET)("extras") + +VERSION_PEP440 = Regex(Specifier._regex_str, re.VERBOSE | re.IGNORECASE) +VERSION_LEGACY = Regex(LegacySpecifier._regex_str, re.VERBOSE | re.IGNORECASE) + +VERSION_ONE = VERSION_PEP440 ^ VERSION_LEGACY +VERSION_MANY = Combine( + VERSION_ONE + ZeroOrMore(COMMA + VERSION_ONE), joinString=",", adjacent=False +)("_raw_spec") +_VERSION_SPEC = Optional(((LPAREN + VERSION_MANY + RPAREN) | VERSION_MANY)) +_VERSION_SPEC.setParseAction(lambda s, l, t: t._raw_spec or "") + +VERSION_SPEC = originalTextFor(_VERSION_SPEC)("specifier") +VERSION_SPEC.setParseAction(lambda s, l, t: t[1]) + +MARKER_EXPR = originalTextFor(MARKER_EXPR())("marker") +MARKER_EXPR.setParseAction( + lambda s, l, t: Marker(s[t._original_start : t._original_end]) +) +MARKER_SEPARATOR = SEMICOLON +MARKER = MARKER_SEPARATOR + MARKER_EXPR + +VERSION_AND_MARKER = VERSION_SPEC + Optional(MARKER) +URL_AND_MARKER = URL + Optional(MARKER) + +NAMED_REQUIREMENT = NAME + Optional(EXTRAS) + (URL_AND_MARKER | VERSION_AND_MARKER) + +REQUIREMENT = stringStart + NAMED_REQUIREMENT + stringEnd +# pkg_resources.extern.pyparsing isn't thread safe during initialization, so we do it eagerly, see +# issue #104 +REQUIREMENT.parseString("x[]") + + +class Requirement(object): + """Parse a requirement. + + Parse a given requirement string into its parts, such as name, specifier, + URL, and extras. Raises InvalidRequirement on a badly-formed requirement + string. + """ + + # TODO: Can we test whether something is contained within a requirement? + # If so how do we do that? Do we need to test against the _name_ of + # the thing as well as the version? What about the markers? + # TODO: Can we normalize the name and extra name? + + def __init__(self, requirement_string): + # type: (str) -> None + try: + req = REQUIREMENT.parseString(requirement_string) + except ParseException as e: + raise InvalidRequirement( + 'Parse error at "{0!r}": {1}'.format( + requirement_string[e.loc : e.loc + 8], e.msg + ) + ) + + self.name = req.name + if req.url: + parsed_url = urlparse.urlparse(req.url) + if parsed_url.scheme == "file": + if urlparse.urlunparse(parsed_url) != req.url: + raise InvalidRequirement("Invalid URL given") + elif not (parsed_url.scheme and parsed_url.netloc) or ( + not parsed_url.scheme and not parsed_url.netloc + ): + raise InvalidRequirement("Invalid URL: {0}".format(req.url)) + self.url = req.url + else: + self.url = None + self.extras = set(req.extras.asList() if req.extras else []) + self.specifier = SpecifierSet(req.specifier) + self.marker = req.marker if req.marker else None + + def __str__(self): + # type: () -> str + parts = [self.name] # type: List[str] + + if self.extras: + parts.append("[{0}]".format(",".join(sorted(self.extras)))) + + if self.specifier: + parts.append(str(self.specifier)) + + if self.url: + parts.append("@ {0}".format(self.url)) + if self.marker: + parts.append(" ") + + if self.marker: + parts.append("; {0}".format(self.marker)) + + return "".join(parts) + + def __repr__(self): + # type: () -> str + return "<Requirement({0!r})>".format(str(self)) diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/specifiers.py b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/specifiers.py similarity index 81% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/specifiers.py rename to venv/Lib/site-packages/pkg_resources/_vendor/packaging/specifiers.py index 743576a..fe09bb1 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/specifiers.py +++ b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/specifiers.py @@ -9,8 +9,27 @@ import re from ._compat import string_types, with_metaclass +from ._typing import TYPE_CHECKING +from .utils import canonicalize_version from .version import Version, LegacyVersion, parse +if TYPE_CHECKING: # pragma: no cover + from typing import ( + List, + Dict, + Union, + Iterable, + Iterator, + Optional, + Callable, + Tuple, + FrozenSet, + ) + + ParsedVersion = Union[Version, LegacyVersion] + UnparsedVersion = Union[Version, LegacyVersion, str] + CallableOperator = Callable[[ParsedVersion, str], bool] + class InvalidSpecifier(ValueError): """ @@ -18,9 +37,10 @@ class InvalidSpecifier(ValueError): """ -class BaseSpecifier(with_metaclass(abc.ABCMeta, object)): +class BaseSpecifier(with_metaclass(abc.ABCMeta, object)): # type: ignore @abc.abstractmethod def __str__(self): + # type: () -> str """ Returns the str representation of this Specifier like object. This should be representative of the Specifier itself. @@ -28,12 +48,14 @@ def __str__(self): @abc.abstractmethod def __hash__(self): + # type: () -> int """ Returns a hash value for this Specifier like object. """ @abc.abstractmethod def __eq__(self, other): + # type: (object) -> bool """ Returns a boolean representing whether or not the two Specifier like objects are equal. @@ -41,6 +63,7 @@ def __eq__(self, other): @abc.abstractmethod def __ne__(self, other): + # type: (object) -> bool """ Returns a boolean representing whether or not the two Specifier like objects are not equal. @@ -48,6 +71,7 @@ def __ne__(self, other): @abc.abstractproperty def prereleases(self): + # type: () -> Optional[bool] """ Returns whether or not pre-releases as a whole are allowed by this specifier. @@ -55,6 +79,7 @@ def prereleases(self): @prereleases.setter def prereleases(self, value): + # type: (bool) -> None """ Sets whether or not pre-releases as a whole are allowed by this specifier. @@ -62,12 +87,14 @@ def prereleases(self, value): @abc.abstractmethod def contains(self, item, prereleases=None): + # type: (str, Optional[bool]) -> bool """ Determines if the given item is contained within this specifier. """ @abc.abstractmethod def filter(self, iterable, prereleases=None): + # type: (Iterable[UnparsedVersion], Optional[bool]) -> Iterable[UnparsedVersion] """ Takes an iterable of items and filters them so that only items which are contained within this specifier are allowed in it. @@ -76,19 +103,24 @@ def filter(self, iterable, prereleases=None): class _IndividualSpecifier(BaseSpecifier): - _operators = {} + _operators = {} # type: Dict[str, str] def __init__(self, spec="", prereleases=None): + # type: (str, Optional[bool]) -> None match = self._regex.search(spec) if not match: raise InvalidSpecifier("Invalid specifier: '{0}'".format(spec)) - self._spec = (match.group("operator").strip(), match.group("version").strip()) + self._spec = ( + match.group("operator").strip(), + match.group("version").strip(), + ) # type: Tuple[str, str] # Store whether or not this Specifier should accept prereleases self._prereleases = prereleases def __repr__(self): + # type: () -> str pre = ( ", prereleases={0!r}".format(self.prereleases) if self._prereleases is not None @@ -98,26 +130,35 @@ def __repr__(self): return "<{0}({1!r}{2})>".format(self.__class__.__name__, str(self), pre) def __str__(self): + # type: () -> str return "{0}{1}".format(*self._spec) + @property + def _canonical_spec(self): + # type: () -> Tuple[str, Union[Version, str]] + return self._spec[0], canonicalize_version(self._spec[1]) + def __hash__(self): - return hash(self._spec) + # type: () -> int + return hash(self._canonical_spec) def __eq__(self, other): + # type: (object) -> bool if isinstance(other, string_types): try: - other = self.__class__(other) + other = self.__class__(str(other)) except InvalidSpecifier: return NotImplemented elif not isinstance(other, self.__class__): return NotImplemented - return self._spec == other._spec + return self._canonical_spec == other._canonical_spec def __ne__(self, other): + # type: (object) -> bool if isinstance(other, string_types): try: - other = self.__class__(other) + other = self.__class__(str(other)) except InvalidSpecifier: return NotImplemented elif not isinstance(other, self.__class__): @@ -126,52 +167,67 @@ def __ne__(self, other): return self._spec != other._spec def _get_operator(self, op): - return getattr(self, "_compare_{0}".format(self._operators[op])) + # type: (str) -> CallableOperator + operator_callable = getattr( + self, "_compare_{0}".format(self._operators[op]) + ) # type: CallableOperator + return operator_callable def _coerce_version(self, version): + # type: (UnparsedVersion) -> ParsedVersion if not isinstance(version, (LegacyVersion, Version)): version = parse(version) return version @property def operator(self): + # type: () -> str return self._spec[0] @property def version(self): + # type: () -> str return self._spec[1] @property def prereleases(self): + # type: () -> Optional[bool] return self._prereleases @prereleases.setter def prereleases(self, value): + # type: (bool) -> None self._prereleases = value def __contains__(self, item): + # type: (str) -> bool return self.contains(item) def contains(self, item, prereleases=None): + # type: (UnparsedVersion, Optional[bool]) -> bool + # Determine if prereleases are to be allowed or not. if prereleases is None: prereleases = self.prereleases # Normalize item to a Version or LegacyVersion, this allows us to have # a shortcut for ``"2.0" in Specifier(">=2") - item = self._coerce_version(item) + normalized_item = self._coerce_version(item) # Determine if we should be supporting prereleases in this specifier # or not, if we do not support prereleases than we can short circuit # logic if this version is a prereleases. - if item.is_prerelease and not prereleases: + if normalized_item.is_prerelease and not prereleases: return False # Actually do the comparison to determine if this item is contained # within this Specifier or not. - return self._get_operator(self.operator)(item, self.version) + operator_callable = self._get_operator(self.operator) # type: CallableOperator + return operator_callable(normalized_item, self.version) def filter(self, iterable, prereleases=None): + # type: (Iterable[UnparsedVersion], Optional[bool]) -> Iterable[UnparsedVersion] + yielded = False found_prereleases = [] @@ -230,32 +286,43 @@ class LegacySpecifier(_IndividualSpecifier): } def _coerce_version(self, version): + # type: (Union[ParsedVersion, str]) -> LegacyVersion if not isinstance(version, LegacyVersion): version = LegacyVersion(str(version)) return version def _compare_equal(self, prospective, spec): + # type: (LegacyVersion, str) -> bool return prospective == self._coerce_version(spec) def _compare_not_equal(self, prospective, spec): + # type: (LegacyVersion, str) -> bool return prospective != self._coerce_version(spec) def _compare_less_than_equal(self, prospective, spec): + # type: (LegacyVersion, str) -> bool return prospective <= self._coerce_version(spec) def _compare_greater_than_equal(self, prospective, spec): + # type: (LegacyVersion, str) -> bool return prospective >= self._coerce_version(spec) def _compare_less_than(self, prospective, spec): + # type: (LegacyVersion, str) -> bool return prospective < self._coerce_version(spec) def _compare_greater_than(self, prospective, spec): + # type: (LegacyVersion, str) -> bool return prospective > self._coerce_version(spec) -def _require_version_compare(fn): +def _require_version_compare( + fn # type: (Callable[[Specifier, ParsedVersion, str], bool]) +): + # type: (...) -> Callable[[Specifier, ParsedVersion, str], bool] @functools.wraps(fn) def wrapped(self, prospective, spec): + # type: (Specifier, ParsedVersion, str) -> bool if not isinstance(prospective, Version): return False return fn(self, prospective, spec) @@ -373,6 +440,8 @@ class Specifier(_IndividualSpecifier): @_require_version_compare def _compare_compatible(self, prospective, spec): + # type: (ParsedVersion, str) -> bool + # Compatible releases have an equivalent combination of >= and ==. That # is that ~=2.2 is equivalent to >=2.2,==2.*. This allows us to # implement this in terms of the other specifiers instead of @@ -400,56 +469,75 @@ def _compare_compatible(self, prospective, spec): @_require_version_compare def _compare_equal(self, prospective, spec): + # type: (ParsedVersion, str) -> bool + # We need special logic to handle prefix matching if spec.endswith(".*"): # In the case of prefix matching we want to ignore local segment. prospective = Version(prospective.public) # Split the spec out by dots, and pretend that there is an implicit # dot in between a release segment and a pre-release segment. - spec = _version_split(spec[:-2]) # Remove the trailing .* + split_spec = _version_split(spec[:-2]) # Remove the trailing .* # Split the prospective version out by dots, and pretend that there # is an implicit dot in between a release segment and a pre-release # segment. - prospective = _version_split(str(prospective)) + split_prospective = _version_split(str(prospective)) # Shorten the prospective version to be the same length as the spec # so that we can determine if the specifier is a prefix of the # prospective version or not. - prospective = prospective[: len(spec)] + shortened_prospective = split_prospective[: len(split_spec)] # Pad out our two sides with zeros so that they both equal the same # length. - spec, prospective = _pad_version(spec, prospective) + padded_spec, padded_prospective = _pad_version( + split_spec, shortened_prospective + ) + + return padded_prospective == padded_spec else: # Convert our spec string into a Version - spec = Version(spec) + spec_version = Version(spec) # If the specifier does not have a local segment, then we want to # act as if the prospective version also does not have a local # segment. - if not spec.local: + if not spec_version.local: prospective = Version(prospective.public) - return prospective == spec + return prospective == spec_version @_require_version_compare def _compare_not_equal(self, prospective, spec): + # type: (ParsedVersion, str) -> bool return not self._compare_equal(prospective, spec) @_require_version_compare def _compare_less_than_equal(self, prospective, spec): - return prospective <= Version(spec) + # type: (ParsedVersion, str) -> bool + + # NB: Local version identifiers are NOT permitted in the version + # specifier, so local version labels can be universally removed from + # the prospective version. + return Version(prospective.public) <= Version(spec) @_require_version_compare def _compare_greater_than_equal(self, prospective, spec): - return prospective >= Version(spec) + # type: (ParsedVersion, str) -> bool + + # NB: Local version identifiers are NOT permitted in the version + # specifier, so local version labels can be universally removed from + # the prospective version. + return Version(prospective.public) >= Version(spec) @_require_version_compare - def _compare_less_than(self, prospective, spec): + def _compare_less_than(self, prospective, spec_str): + # type: (ParsedVersion, str) -> bool + # Convert our spec to a Version instance, since we'll want to work with # it as a version. - spec = Version(spec) + spec = Version(spec_str) # Check to see if the prospective version is less than the spec # version. If it's not we can short circuit and just return False now @@ -471,10 +559,12 @@ def _compare_less_than(self, prospective, spec): return True @_require_version_compare - def _compare_greater_than(self, prospective, spec): + def _compare_greater_than(self, prospective, spec_str): + # type: (ParsedVersion, str) -> bool + # Convert our spec to a Version instance, since we'll want to work with # it as a version. - spec = Version(spec) + spec = Version(spec_str) # Check to see if the prospective version is greater than the spec # version. If it's not we can short circuit and just return False now @@ -502,10 +592,13 @@ def _compare_greater_than(self, prospective, spec): return True def _compare_arbitrary(self, prospective, spec): + # type: (Version, str) -> bool return str(prospective).lower() == str(spec).lower() @property def prereleases(self): + # type: () -> bool + # If there is an explicit prereleases set for this, then we'll just # blindly use that. if self._prereleases is not None: @@ -530,6 +623,7 @@ def prereleases(self): @prereleases.setter def prereleases(self, value): + # type: (bool) -> None self._prereleases = value @@ -537,7 +631,8 @@ def prereleases(self, value): def _version_split(version): - result = [] + # type: (str) -> List[str] + result = [] # type: List[str] for item in version.split("."): match = _prefix_regex.search(item) if match: @@ -548,6 +643,7 @@ def _version_split(version): def _pad_version(left, right): + # type: (List[str], List[str]) -> Tuple[List[str], List[str]] left_split, right_split = [], [] # Get the release segment of our versions @@ -567,14 +663,16 @@ def _pad_version(left, right): class SpecifierSet(BaseSpecifier): def __init__(self, specifiers="", prereleases=None): - # Split on , to break each indidivual specifier into it's own item, and + # type: (str, Optional[bool]) -> None + + # Split on , to break each individual specifier into it's own item, and # strip each item to remove leading/trailing whitespace. - specifiers = [s.strip() for s in specifiers.split(",") if s.strip()] + split_specifiers = [s.strip() for s in specifiers.split(",") if s.strip()] # Parsed each individual specifier, attempting first to make it a # Specifier and falling back to a LegacySpecifier. parsed = set() - for specifier in specifiers: + for specifier in split_specifiers: try: parsed.add(Specifier(specifier)) except InvalidSpecifier: @@ -588,6 +686,7 @@ def __init__(self, specifiers="", prereleases=None): self._prereleases = prereleases def __repr__(self): + # type: () -> str pre = ( ", prereleases={0!r}".format(self.prereleases) if self._prereleases is not None @@ -597,12 +696,15 @@ def __repr__(self): return "<SpecifierSet({0!r}{1})>".format(str(self), pre) def __str__(self): + # type: () -> str return ",".join(sorted(str(s) for s in self._specs)) def __hash__(self): + # type: () -> int return hash(self._specs) def __and__(self, other): + # type: (Union[SpecifierSet, str]) -> SpecifierSet if isinstance(other, string_types): other = SpecifierSet(other) elif not isinstance(other, SpecifierSet): @@ -626,9 +728,8 @@ def __and__(self, other): return specifier def __eq__(self, other): - if isinstance(other, string_types): - other = SpecifierSet(other) - elif isinstance(other, _IndividualSpecifier): + # type: (object) -> bool + if isinstance(other, (string_types, _IndividualSpecifier)): other = SpecifierSet(str(other)) elif not isinstance(other, SpecifierSet): return NotImplemented @@ -636,9 +737,8 @@ def __eq__(self, other): return self._specs == other._specs def __ne__(self, other): - if isinstance(other, string_types): - other = SpecifierSet(other) - elif isinstance(other, _IndividualSpecifier): + # type: (object) -> bool + if isinstance(other, (string_types, _IndividualSpecifier)): other = SpecifierSet(str(other)) elif not isinstance(other, SpecifierSet): return NotImplemented @@ -646,13 +746,17 @@ def __ne__(self, other): return self._specs != other._specs def __len__(self): + # type: () -> int return len(self._specs) def __iter__(self): + # type: () -> Iterator[FrozenSet[_IndividualSpecifier]] return iter(self._specs) @property def prereleases(self): + # type: () -> Optional[bool] + # If we have been given an explicit prerelease modifier, then we'll # pass that through here. if self._prereleases is not None: @@ -670,12 +774,16 @@ def prereleases(self): @prereleases.setter def prereleases(self, value): + # type: (bool) -> None self._prereleases = value def __contains__(self, item): + # type: (Union[ParsedVersion, str]) -> bool return self.contains(item) def contains(self, item, prereleases=None): + # type: (Union[ParsedVersion, str], Optional[bool]) -> bool + # Ensure that our item is a Version or LegacyVersion instance. if not isinstance(item, (LegacyVersion, Version)): item = parse(item) @@ -701,7 +809,13 @@ def contains(self, item, prereleases=None): # will always return True, this is an explicit design decision. return all(s.contains(item, prereleases=prereleases) for s in self._specs) - def filter(self, iterable, prereleases=None): + def filter( + self, + iterable, # type: Iterable[Union[ParsedVersion, str]] + prereleases=None, # type: Optional[bool] + ): + # type: (...) -> Iterable[Union[ParsedVersion, str]] + # Determine if we're forcing a prerelease or not, if we're not forcing # one for this particular filter call, then we'll use whatever the # SpecifierSet thinks for whether or not we should support prereleases. @@ -719,8 +833,8 @@ def filter(self, iterable, prereleases=None): # which will filter out any pre-releases, unless there are no final # releases, and which will filter out LegacyVersion in general. else: - filtered = [] - found_prereleases = [] + filtered = [] # type: List[Union[ParsedVersion, str]] + found_prereleases = [] # type: List[Union[ParsedVersion, str]] for item in iterable: # Ensure that we some kind of Version class for this item. diff --git a/venv/Lib/site-packages/pkg_resources/_vendor/packaging/tags.py b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/tags.py new file mode 100644 index 0000000..9064910 --- /dev/null +++ b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/tags.py @@ -0,0 +1,751 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. + +from __future__ import absolute_import + +import distutils.util + +try: + from importlib.machinery import EXTENSION_SUFFIXES +except ImportError: # pragma: no cover + import imp + + EXTENSION_SUFFIXES = [x[0] for x in imp.get_suffixes()] + del imp +import logging +import os +import platform +import re +import struct +import sys +import sysconfig +import warnings + +from ._typing import TYPE_CHECKING, cast + +if TYPE_CHECKING: # pragma: no cover + from typing import ( + Dict, + FrozenSet, + IO, + Iterable, + Iterator, + List, + Optional, + Sequence, + Tuple, + Union, + ) + + PythonVersion = Sequence[int] + MacVersion = Tuple[int, int] + GlibcVersion = Tuple[int, int] + + +logger = logging.getLogger(__name__) + +INTERPRETER_SHORT_NAMES = { + "python": "py", # Generic. + "cpython": "cp", + "pypy": "pp", + "ironpython": "ip", + "jython": "jy", +} # type: Dict[str, str] + + +_32_BIT_INTERPRETER = sys.maxsize <= 2 ** 32 + + +class Tag(object): + """ + A representation of the tag triple for a wheel. + + Instances are considered immutable and thus are hashable. Equality checking + is also supported. + """ + + __slots__ = ["_interpreter", "_abi", "_platform"] + + def __init__(self, interpreter, abi, platform): + # type: (str, str, str) -> None + self._interpreter = interpreter.lower() + self._abi = abi.lower() + self._platform = platform.lower() + + @property + def interpreter(self): + # type: () -> str + return self._interpreter + + @property + def abi(self): + # type: () -> str + return self._abi + + @property + def platform(self): + # type: () -> str + return self._platform + + def __eq__(self, other): + # type: (object) -> bool + if not isinstance(other, Tag): + return NotImplemented + + return ( + (self.platform == other.platform) + and (self.abi == other.abi) + and (self.interpreter == other.interpreter) + ) + + def __hash__(self): + # type: () -> int + return hash((self._interpreter, self._abi, self._platform)) + + def __str__(self): + # type: () -> str + return "{}-{}-{}".format(self._interpreter, self._abi, self._platform) + + def __repr__(self): + # type: () -> str + return "<{self} @ {self_id}>".format(self=self, self_id=id(self)) + + +def parse_tag(tag): + # type: (str) -> FrozenSet[Tag] + """ + Parses the provided tag (e.g. `py3-none-any`) into a frozenset of Tag instances. + + Returning a set is required due to the possibility that the tag is a + compressed tag set. + """ + tags = set() + interpreters, abis, platforms = tag.split("-") + for interpreter in interpreters.split("."): + for abi in abis.split("."): + for platform_ in platforms.split("."): + tags.add(Tag(interpreter, abi, platform_)) + return frozenset(tags) + + +def _warn_keyword_parameter(func_name, kwargs): + # type: (str, Dict[str, bool]) -> bool + """ + Backwards-compatibility with Python 2.7 to allow treating 'warn' as keyword-only. + """ + if not kwargs: + return False + elif len(kwargs) > 1 or "warn" not in kwargs: + kwargs.pop("warn", None) + arg = next(iter(kwargs.keys())) + raise TypeError( + "{}() got an unexpected keyword argument {!r}".format(func_name, arg) + ) + return kwargs["warn"] + + +def _get_config_var(name, warn=False): + # type: (str, bool) -> Union[int, str, None] + value = sysconfig.get_config_var(name) + if value is None and warn: + logger.debug( + "Config variable '%s' is unset, Python ABI tag may be incorrect", name + ) + return value + + +def _normalize_string(string): + # type: (str) -> str + return string.replace(".", "_").replace("-", "_") + + +def _abi3_applies(python_version): + # type: (PythonVersion) -> bool + """ + Determine if the Python version supports abi3. + + PEP 384 was first implemented in Python 3.2. + """ + return len(python_version) > 1 and tuple(python_version) >= (3, 2) + + +def _cpython_abis(py_version, warn=False): + # type: (PythonVersion, bool) -> List[str] + py_version = tuple(py_version) # To allow for version comparison. + abis = [] + version = _version_nodot(py_version[:2]) + debug = pymalloc = ucs4 = "" + with_debug = _get_config_var("Py_DEBUG", warn) + has_refcount = hasattr(sys, "gettotalrefcount") + # Windows doesn't set Py_DEBUG, so checking for support of debug-compiled + # extension modules is the best option. + # https://github.com/pypa/pip/issues/3383#issuecomment-173267692 + has_ext = "_d.pyd" in EXTENSION_SUFFIXES + if with_debug or (with_debug is None and (has_refcount or has_ext)): + debug = "d" + if py_version < (3, 8): + with_pymalloc = _get_config_var("WITH_PYMALLOC", warn) + if with_pymalloc or with_pymalloc is None: + pymalloc = "m" + if py_version < (3, 3): + unicode_size = _get_config_var("Py_UNICODE_SIZE", warn) + if unicode_size == 4 or ( + unicode_size is None and sys.maxunicode == 0x10FFFF + ): + ucs4 = "u" + elif debug: + # Debug builds can also load "normal" extension modules. + # We can also assume no UCS-4 or pymalloc requirement. + abis.append("cp{version}".format(version=version)) + abis.insert( + 0, + "cp{version}{debug}{pymalloc}{ucs4}".format( + version=version, debug=debug, pymalloc=pymalloc, ucs4=ucs4 + ), + ) + return abis + + +def cpython_tags( + python_version=None, # type: Optional[PythonVersion] + abis=None, # type: Optional[Iterable[str]] + platforms=None, # type: Optional[Iterable[str]] + **kwargs # type: bool +): + # type: (...) -> Iterator[Tag] + """ + Yields the tags for a CPython interpreter. + + The tags consist of: + - cp<python_version>-<abi>-<platform> + - cp<python_version>-abi3-<platform> + - cp<python_version>-none-<platform> + - cp<less than python_version>-abi3-<platform> # Older Python versions down to 3.2. + + If python_version only specifies a major version then user-provided ABIs and + the 'none' ABItag will be used. + + If 'abi3' or 'none' are specified in 'abis' then they will be yielded at + their normal position and not at the beginning. + """ + warn = _warn_keyword_parameter("cpython_tags", kwargs) + if not python_version: + python_version = sys.version_info[:2] + + interpreter = "cp{}".format(_version_nodot(python_version[:2])) + + if abis is None: + if len(python_version) > 1: + abis = _cpython_abis(python_version, warn) + else: + abis = [] + abis = list(abis) + # 'abi3' and 'none' are explicitly handled later. + for explicit_abi in ("abi3", "none"): + try: + abis.remove(explicit_abi) + except ValueError: + pass + + platforms = list(platforms or _platform_tags()) + for abi in abis: + for platform_ in platforms: + yield Tag(interpreter, abi, platform_) + if _abi3_applies(python_version): + for tag in (Tag(interpreter, "abi3", platform_) for platform_ in platforms): + yield tag + for tag in (Tag(interpreter, "none", platform_) for platform_ in platforms): + yield tag + + if _abi3_applies(python_version): + for minor_version in range(python_version[1] - 1, 1, -1): + for platform_ in platforms: + interpreter = "cp{version}".format( + version=_version_nodot((python_version[0], minor_version)) + ) + yield Tag(interpreter, "abi3", platform_) + + +def _generic_abi(): + # type: () -> Iterator[str] + abi = sysconfig.get_config_var("SOABI") + if abi: + yield _normalize_string(abi) + + +def generic_tags( + interpreter=None, # type: Optional[str] + abis=None, # type: Optional[Iterable[str]] + platforms=None, # type: Optional[Iterable[str]] + **kwargs # type: bool +): + # type: (...) -> Iterator[Tag] + """ + Yields the tags for a generic interpreter. + + The tags consist of: + - <interpreter>-<abi>-<platform> + + The "none" ABI will be added if it was not explicitly provided. + """ + warn = _warn_keyword_parameter("generic_tags", kwargs) + if not interpreter: + interp_name = interpreter_name() + interp_version = interpreter_version(warn=warn) + interpreter = "".join([interp_name, interp_version]) + if abis is None: + abis = _generic_abi() + platforms = list(platforms or _platform_tags()) + abis = list(abis) + if "none" not in abis: + abis.append("none") + for abi in abis: + for platform_ in platforms: + yield Tag(interpreter, abi, platform_) + + +def _py_interpreter_range(py_version): + # type: (PythonVersion) -> Iterator[str] + """ + Yields Python versions in descending order. + + After the latest version, the major-only version will be yielded, and then + all previous versions of that major version. + """ + if len(py_version) > 1: + yield "py{version}".format(version=_version_nodot(py_version[:2])) + yield "py{major}".format(major=py_version[0]) + if len(py_version) > 1: + for minor in range(py_version[1] - 1, -1, -1): + yield "py{version}".format(version=_version_nodot((py_version[0], minor))) + + +def compatible_tags( + python_version=None, # type: Optional[PythonVersion] + interpreter=None, # type: Optional[str] + platforms=None, # type: Optional[Iterable[str]] +): + # type: (...) -> Iterator[Tag] + """ + Yields the sequence of tags that are compatible with a specific version of Python. + + The tags consist of: + - py*-none-<platform> + - <interpreter>-none-any # ... if `interpreter` is provided. + - py*-none-any + """ + if not python_version: + python_version = sys.version_info[:2] + platforms = list(platforms or _platform_tags()) + for version in _py_interpreter_range(python_version): + for platform_ in platforms: + yield Tag(version, "none", platform_) + if interpreter: + yield Tag(interpreter, "none", "any") + for version in _py_interpreter_range(python_version): + yield Tag(version, "none", "any") + + +def _mac_arch(arch, is_32bit=_32_BIT_INTERPRETER): + # type: (str, bool) -> str + if not is_32bit: + return arch + + if arch.startswith("ppc"): + return "ppc" + + return "i386" + + +def _mac_binary_formats(version, cpu_arch): + # type: (MacVersion, str) -> List[str] + formats = [cpu_arch] + if cpu_arch == "x86_64": + if version < (10, 4): + return [] + formats.extend(["intel", "fat64", "fat32"]) + + elif cpu_arch == "i386": + if version < (10, 4): + return [] + formats.extend(["intel", "fat32", "fat"]) + + elif cpu_arch == "ppc64": + # TODO: Need to care about 32-bit PPC for ppc64 through 10.2? + if version > (10, 5) or version < (10, 4): + return [] + formats.append("fat64") + + elif cpu_arch == "ppc": + if version > (10, 6): + return [] + formats.extend(["fat32", "fat"]) + + formats.append("universal") + return formats + + +def mac_platforms(version=None, arch=None): + # type: (Optional[MacVersion], Optional[str]) -> Iterator[str] + """ + Yields the platform tags for a macOS system. + + The `version` parameter is a two-item tuple specifying the macOS version to + generate platform tags for. The `arch` parameter is the CPU architecture to + generate platform tags for. Both parameters default to the appropriate value + for the current system. + """ + version_str, _, cpu_arch = platform.mac_ver() # type: ignore + if version is None: + version = cast("MacVersion", tuple(map(int, version_str.split(".")[:2]))) + else: + version = version + if arch is None: + arch = _mac_arch(cpu_arch) + else: + arch = arch + for minor_version in range(version[1], -1, -1): + compat_version = version[0], minor_version + binary_formats = _mac_binary_formats(compat_version, arch) + for binary_format in binary_formats: + yield "macosx_{major}_{minor}_{binary_format}".format( + major=compat_version[0], + minor=compat_version[1], + binary_format=binary_format, + ) + + +# From PEP 513. +def _is_manylinux_compatible(name, glibc_version): + # type: (str, GlibcVersion) -> bool + # Check for presence of _manylinux module. + try: + import _manylinux # noqa + + return bool(getattr(_manylinux, name + "_compatible")) + except (ImportError, AttributeError): + # Fall through to heuristic check below. + pass + + return _have_compatible_glibc(*glibc_version) + + +def _glibc_version_string(): + # type: () -> Optional[str] + # Returns glibc version string, or None if not using glibc. + return _glibc_version_string_confstr() or _glibc_version_string_ctypes() + + +def _glibc_version_string_confstr(): + # type: () -> Optional[str] + """ + Primary implementation of glibc_version_string using os.confstr. + """ + # os.confstr is quite a bit faster than ctypes.DLL. It's also less likely + # to be broken or missing. This strategy is used in the standard library + # platform module. + # https://github.com/python/cpython/blob/fcf1d003bf4f0100c9d0921ff3d70e1127ca1b71/Lib/platform.py#L175-L183 + try: + # os.confstr("CS_GNU_LIBC_VERSION") returns a string like "glibc 2.17". + version_string = os.confstr( # type: ignore[attr-defined] # noqa: F821 + "CS_GNU_LIBC_VERSION" + ) + assert version_string is not None + _, version = version_string.split() # type: Tuple[str, str] + except (AssertionError, AttributeError, OSError, ValueError): + # os.confstr() or CS_GNU_LIBC_VERSION not available (or a bad value)... + return None + return version + + +def _glibc_version_string_ctypes(): + # type: () -> Optional[str] + """ + Fallback implementation of glibc_version_string using ctypes. + """ + try: + import ctypes + except ImportError: + return None + + # ctypes.CDLL(None) internally calls dlopen(NULL), and as the dlopen + # manpage says, "If filename is NULL, then the returned handle is for the + # main program". This way we can let the linker do the work to figure out + # which libc our process is actually using. + # + # Note: typeshed is wrong here so we are ignoring this line. + process_namespace = ctypes.CDLL(None) # type: ignore + try: + gnu_get_libc_version = process_namespace.gnu_get_libc_version + except AttributeError: + # Symbol doesn't exist -> therefore, we are not linked to + # glibc. + return None + + # Call gnu_get_libc_version, which returns a string like "2.5" + gnu_get_libc_version.restype = ctypes.c_char_p + version_str = gnu_get_libc_version() # type: str + # py2 / py3 compatibility: + if not isinstance(version_str, str): + version_str = version_str.decode("ascii") + + return version_str + + +# Separated out from have_compatible_glibc for easier unit testing. +def _check_glibc_version(version_str, required_major, minimum_minor): + # type: (str, int, int) -> bool + # Parse string and check against requested version. + # + # We use a regexp instead of str.split because we want to discard any + # random junk that might come after the minor version -- this might happen + # in patched/forked versions of glibc (e.g. Linaro's version of glibc + # uses version strings like "2.20-2014.11"). See gh-3588. + m = re.match(r"(?P<major>[0-9]+)\.(?P<minor>[0-9]+)", version_str) + if not m: + warnings.warn( + "Expected glibc version with 2 components major.minor," + " got: %s" % version_str, + RuntimeWarning, + ) + return False + return ( + int(m.group("major")) == required_major + and int(m.group("minor")) >= minimum_minor + ) + + +def _have_compatible_glibc(required_major, minimum_minor): + # type: (int, int) -> bool + version_str = _glibc_version_string() + if version_str is None: + return False + return _check_glibc_version(version_str, required_major, minimum_minor) + + +# Python does not provide platform information at sufficient granularity to +# identify the architecture of the running executable in some cases, so we +# determine it dynamically by reading the information from the running +# process. This only applies on Linux, which uses the ELF format. +class _ELFFileHeader(object): + # https://en.wikipedia.org/wiki/Executable_and_Linkable_Format#File_header + class _InvalidELFFileHeader(ValueError): + """ + An invalid ELF file header was found. + """ + + ELF_MAGIC_NUMBER = 0x7F454C46 + ELFCLASS32 = 1 + ELFCLASS64 = 2 + ELFDATA2LSB = 1 + ELFDATA2MSB = 2 + EM_386 = 3 + EM_S390 = 22 + EM_ARM = 40 + EM_X86_64 = 62 + EF_ARM_ABIMASK = 0xFF000000 + EF_ARM_ABI_VER5 = 0x05000000 + EF_ARM_ABI_FLOAT_HARD = 0x00000400 + + def __init__(self, file): + # type: (IO[bytes]) -> None + def unpack(fmt): + # type: (str) -> int + try: + (result,) = struct.unpack( + fmt, file.read(struct.calcsize(fmt)) + ) # type: (int, ) + except struct.error: + raise _ELFFileHeader._InvalidELFFileHeader() + return result + + self.e_ident_magic = unpack(">I") + if self.e_ident_magic != self.ELF_MAGIC_NUMBER: + raise _ELFFileHeader._InvalidELFFileHeader() + self.e_ident_class = unpack("B") + if self.e_ident_class not in {self.ELFCLASS32, self.ELFCLASS64}: + raise _ELFFileHeader._InvalidELFFileHeader() + self.e_ident_data = unpack("B") + if self.e_ident_data not in {self.ELFDATA2LSB, self.ELFDATA2MSB}: + raise _ELFFileHeader._InvalidELFFileHeader() + self.e_ident_version = unpack("B") + self.e_ident_osabi = unpack("B") + self.e_ident_abiversion = unpack("B") + self.e_ident_pad = file.read(7) + format_h = "<H" if self.e_ident_data == self.ELFDATA2LSB else ">H" + format_i = "<I" if self.e_ident_data == self.ELFDATA2LSB else ">I" + format_q = "<Q" if self.e_ident_data == self.ELFDATA2LSB else ">Q" + format_p = format_i if self.e_ident_class == self.ELFCLASS32 else format_q + self.e_type = unpack(format_h) + self.e_machine = unpack(format_h) + self.e_version = unpack(format_i) + self.e_entry = unpack(format_p) + self.e_phoff = unpack(format_p) + self.e_shoff = unpack(format_p) + self.e_flags = unpack(format_i) + self.e_ehsize = unpack(format_h) + self.e_phentsize = unpack(format_h) + self.e_phnum = unpack(format_h) + self.e_shentsize = unpack(format_h) + self.e_shnum = unpack(format_h) + self.e_shstrndx = unpack(format_h) + + +def _get_elf_header(): + # type: () -> Optional[_ELFFileHeader] + try: + with open(sys.executable, "rb") as f: + elf_header = _ELFFileHeader(f) + except (IOError, OSError, TypeError, _ELFFileHeader._InvalidELFFileHeader): + return None + return elf_header + + +def _is_linux_armhf(): + # type: () -> bool + # hard-float ABI can be detected from the ELF header of the running + # process + # https://static.docs.arm.com/ihi0044/g/aaelf32.pdf + elf_header = _get_elf_header() + if elf_header is None: + return False + result = elf_header.e_ident_class == elf_header.ELFCLASS32 + result &= elf_header.e_ident_data == elf_header.ELFDATA2LSB + result &= elf_header.e_machine == elf_header.EM_ARM + result &= ( + elf_header.e_flags & elf_header.EF_ARM_ABIMASK + ) == elf_header.EF_ARM_ABI_VER5 + result &= ( + elf_header.e_flags & elf_header.EF_ARM_ABI_FLOAT_HARD + ) == elf_header.EF_ARM_ABI_FLOAT_HARD + return result + + +def _is_linux_i686(): + # type: () -> bool + elf_header = _get_elf_header() + if elf_header is None: + return False + result = elf_header.e_ident_class == elf_header.ELFCLASS32 + result &= elf_header.e_ident_data == elf_header.ELFDATA2LSB + result &= elf_header.e_machine == elf_header.EM_386 + return result + + +def _have_compatible_manylinux_abi(arch): + # type: (str) -> bool + if arch == "armv7l": + return _is_linux_armhf() + if arch == "i686": + return _is_linux_i686() + return True + + +def _linux_platforms(is_32bit=_32_BIT_INTERPRETER): + # type: (bool) -> Iterator[str] + linux = _normalize_string(distutils.util.get_platform()) + if is_32bit: + if linux == "linux_x86_64": + linux = "linux_i686" + elif linux == "linux_aarch64": + linux = "linux_armv7l" + manylinux_support = [] + _, arch = linux.split("_", 1) + if _have_compatible_manylinux_abi(arch): + if arch in {"x86_64", "i686", "aarch64", "armv7l", "ppc64", "ppc64le", "s390x"}: + manylinux_support.append( + ("manylinux2014", (2, 17)) + ) # CentOS 7 w/ glibc 2.17 (PEP 599) + if arch in {"x86_64", "i686"}: + manylinux_support.append( + ("manylinux2010", (2, 12)) + ) # CentOS 6 w/ glibc 2.12 (PEP 571) + manylinux_support.append( + ("manylinux1", (2, 5)) + ) # CentOS 5 w/ glibc 2.5 (PEP 513) + manylinux_support_iter = iter(manylinux_support) + for name, glibc_version in manylinux_support_iter: + if _is_manylinux_compatible(name, glibc_version): + yield linux.replace("linux", name) + break + # Support for a later manylinux implies support for an earlier version. + for name, _ in manylinux_support_iter: + yield linux.replace("linux", name) + yield linux + + +def _generic_platforms(): + # type: () -> Iterator[str] + yield _normalize_string(distutils.util.get_platform()) + + +def _platform_tags(): + # type: () -> Iterator[str] + """ + Provides the platform tags for this installation. + """ + if platform.system() == "Darwin": + return mac_platforms() + elif platform.system() == "Linux": + return _linux_platforms() + else: + return _generic_platforms() + + +def interpreter_name(): + # type: () -> str + """ + Returns the name of the running interpreter. + """ + try: + name = sys.implementation.name # type: ignore + except AttributeError: # pragma: no cover + # Python 2.7 compatibility. + name = platform.python_implementation().lower() + return INTERPRETER_SHORT_NAMES.get(name) or name + + +def interpreter_version(**kwargs): + # type: (bool) -> str + """ + Returns the version of the running interpreter. + """ + warn = _warn_keyword_parameter("interpreter_version", kwargs) + version = _get_config_var("py_version_nodot", warn=warn) + if version: + version = str(version) + else: + version = _version_nodot(sys.version_info[:2]) + return version + + +def _version_nodot(version): + # type: (PythonVersion) -> str + if any(v >= 10 for v in version): + sep = "_" + else: + sep = "" + return sep.join(map(str, version)) + + +def sys_tags(**kwargs): + # type: (bool) -> Iterator[Tag] + """ + Returns the sequence of tag triples for the running interpreter. + + The order of the sequence corresponds to priority order for the + interpreter, from most to least important. + """ + warn = _warn_keyword_parameter("sys_tags", kwargs) + + interp_name = interpreter_name() + if interp_name == "cp": + for tag in cpython_tags(warn=warn): + yield tag + else: + for tag in generic_tags(): + yield tag + + for tag in compatible_tags(): + yield tag diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/utils.py b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/utils.py similarity index 75% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/utils.py rename to venv/Lib/site-packages/pkg_resources/_vendor/packaging/utils.py index 8841878..19579c1 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/utils.py +++ b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/utils.py @@ -5,28 +5,36 @@ import re +from ._typing import TYPE_CHECKING, cast from .version import InvalidVersion, Version +if TYPE_CHECKING: # pragma: no cover + from typing import NewType, Union + + NormalizedName = NewType("NormalizedName", str) _canonicalize_regex = re.compile(r"[-_.]+") def canonicalize_name(name): + # type: (str) -> NormalizedName # This is taken from PEP 503. - return _canonicalize_regex.sub("-", name).lower() + value = _canonicalize_regex.sub("-", name).lower() + return cast("NormalizedName", value) -def canonicalize_version(version): +def canonicalize_version(_version): + # type: (str) -> Union[Version, str] """ - This is very similar to Version.__str__, but has one subtle differences + This is very similar to Version.__str__, but has one subtle difference with the way it handles the release segment. """ try: - version = Version(version) + version = Version(_version) except InvalidVersion: # Legacy versions cannot be normalized - return version + return _version parts = [] diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/version.py b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/version.py similarity index 73% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/version.py rename to venv/Lib/site-packages/pkg_resources/_vendor/packaging/version.py index 95157a1..00371e8 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/version.py +++ b/venv/Lib/site-packages/pkg_resources/_vendor/packaging/version.py @@ -7,8 +7,35 @@ import itertools import re -from ._structures import Infinity - +from ._structures import Infinity, NegativeInfinity +from ._typing import TYPE_CHECKING + +if TYPE_CHECKING: # pragma: no cover + from typing import Callable, Iterator, List, Optional, SupportsInt, Tuple, Union + + from ._structures import InfinityType, NegativeInfinityType + + InfiniteTypes = Union[InfinityType, NegativeInfinityType] + PrePostDevType = Union[InfiniteTypes, Tuple[str, int]] + SubLocalType = Union[InfiniteTypes, int, str] + LocalType = Union[ + NegativeInfinityType, + Tuple[ + Union[ + SubLocalType, + Tuple[SubLocalType, str], + Tuple[NegativeInfinityType, SubLocalType], + ], + ..., + ], + ] + CmpKey = Tuple[ + int, Tuple[int, ...], PrePostDevType, PrePostDevType, PrePostDevType, LocalType + ] + LegacyCmpKey = Tuple[int, Tuple[str, ...]] + VersionComparisonMethod = Callable[ + [Union[CmpKey, LegacyCmpKey], Union[CmpKey, LegacyCmpKey]], bool + ] __all__ = ["parse", "Version", "LegacyVersion", "InvalidVersion", "VERSION_PATTERN"] @@ -19,6 +46,7 @@ def parse(version): + # type: (str) -> Union[LegacyVersion, Version] """ Parse the given version string and return either a :class:`Version` object or a :class:`LegacyVersion` object depending on if the given version is @@ -37,28 +65,38 @@ class InvalidVersion(ValueError): class _BaseVersion(object): + _key = None # type: Union[CmpKey, LegacyCmpKey] + def __hash__(self): + # type: () -> int return hash(self._key) def __lt__(self, other): + # type: (_BaseVersion) -> bool return self._compare(other, lambda s, o: s < o) def __le__(self, other): + # type: (_BaseVersion) -> bool return self._compare(other, lambda s, o: s <= o) def __eq__(self, other): + # type: (object) -> bool return self._compare(other, lambda s, o: s == o) def __ge__(self, other): + # type: (_BaseVersion) -> bool return self._compare(other, lambda s, o: s >= o) def __gt__(self, other): + # type: (_BaseVersion) -> bool return self._compare(other, lambda s, o: s > o) def __ne__(self, other): + # type: (object) -> bool return self._compare(other, lambda s, o: s != o) def _compare(self, other, method): + # type: (object, VersionComparisonMethod) -> Union[bool, NotImplemented] if not isinstance(other, _BaseVersion): return NotImplemented @@ -67,57 +105,71 @@ def _compare(self, other, method): class LegacyVersion(_BaseVersion): def __init__(self, version): + # type: (str) -> None self._version = str(version) self._key = _legacy_cmpkey(self._version) def __str__(self): + # type: () -> str return self._version def __repr__(self): + # type: () -> str return "<LegacyVersion({0})>".format(repr(str(self))) @property def public(self): + # type: () -> str return self._version @property def base_version(self): + # type: () -> str return self._version @property def epoch(self): + # type: () -> int return -1 @property def release(self): + # type: () -> None return None @property def pre(self): + # type: () -> None return None @property def post(self): + # type: () -> None return None @property def dev(self): + # type: () -> None return None @property def local(self): + # type: () -> None return None @property def is_prerelease(self): + # type: () -> bool return False @property def is_postrelease(self): + # type: () -> bool return False @property def is_devrelease(self): + # type: () -> bool return False @@ -133,6 +185,7 @@ def is_devrelease(self): def _parse_version_parts(s): + # type: (str) -> Iterator[str] for part in _legacy_version_component_re.split(s): part = _legacy_version_replacement_map.get(part, part) @@ -150,6 +203,8 @@ def _parse_version_parts(s): def _legacy_cmpkey(version): + # type: (str) -> LegacyCmpKey + # We hardcode an epoch of -1 here. A PEP 440 version can only have a epoch # greater than or equal to 0. This will effectively put the LegacyVersion, # which uses the defacto standard originally implemented by setuptools, @@ -158,7 +213,7 @@ def _legacy_cmpkey(version): # This scheme is taken from pkg_resources.parse_version setuptools prior to # it's adoption of the packaging library. - parts = [] + parts = [] # type: List[str] for part in _parse_version_parts(version.lower()): if part.startswith("*"): # remove "-" before a prerelease tag @@ -171,9 +226,8 @@ def _legacy_cmpkey(version): parts.pop() parts.append(part) - parts = tuple(parts) - return epoch, parts + return epoch, tuple(parts) # Deliberately not anchored to the start and end of the string, to make it @@ -215,6 +269,8 @@ class Version(_BaseVersion): _regex = re.compile(r"^\s*" + VERSION_PATTERN + r"\s*$", re.VERBOSE | re.IGNORECASE) def __init__(self, version): + # type: (str) -> None + # Validate the version and parse it into pieces match = self._regex.search(version) if not match: @@ -243,9 +299,11 @@ def __init__(self, version): ) def __repr__(self): + # type: () -> str return "<Version({0})>".format(repr(str(self))) def __str__(self): + # type: () -> str parts = [] # Epoch @@ -275,26 +333,35 @@ def __str__(self): @property def epoch(self): - return self._version.epoch + # type: () -> int + _epoch = self._version.epoch # type: int + return _epoch @property def release(self): - return self._version.release + # type: () -> Tuple[int, ...] + _release = self._version.release # type: Tuple[int, ...] + return _release @property def pre(self): - return self._version.pre + # type: () -> Optional[Tuple[str, int]] + _pre = self._version.pre # type: Optional[Tuple[str, int]] + return _pre @property def post(self): + # type: () -> Optional[Tuple[str, int]] return self._version.post[1] if self._version.post else None @property def dev(self): + # type: () -> Optional[Tuple[str, int]] return self._version.dev[1] if self._version.dev else None @property def local(self): + # type: () -> Optional[str] if self._version.local: return ".".join(str(x) for x in self._version.local) else: @@ -302,10 +369,12 @@ def local(self): @property def public(self): + # type: () -> str return str(self).split("+", 1)[0] @property def base_version(self): + # type: () -> str parts = [] # Epoch @@ -319,18 +388,41 @@ def base_version(self): @property def is_prerelease(self): + # type: () -> bool return self.dev is not None or self.pre is not None @property def is_postrelease(self): + # type: () -> bool return self.post is not None @property def is_devrelease(self): + # type: () -> bool return self.dev is not None + @property + def major(self): + # type: () -> int + return self.release[0] if len(self.release) >= 1 else 0 + + @property + def minor(self): + # type: () -> int + return self.release[1] if len(self.release) >= 2 else 0 + + @property + def micro(self): + # type: () -> int + return self.release[2] if len(self.release) >= 3 else 0 + + +def _parse_letter_version( + letter, # type: str + number, # type: Union[str, bytes, SupportsInt] +): + # type: (...) -> Optional[Tuple[str, int]] -def _parse_letter_version(letter, number): if letter: # We consider there to be an implicit 0 in a pre-release if there is # not a numeral associated with it. @@ -360,11 +452,14 @@ def _parse_letter_version(letter, number): return letter, int(number) + return None + _local_version_separators = re.compile(r"[\._-]") def _parse_local_version(local): + # type: (str) -> Optional[LocalType] """ Takes a string like abc.1.twelve and turns it into ("abc", 1, "twelve"). """ @@ -373,15 +468,25 @@ def _parse_local_version(local): part.lower() if not part.isdigit() else int(part) for part in _local_version_separators.split(local) ) + return None + +def _cmpkey( + epoch, # type: int + release, # type: Tuple[int, ...] + pre, # type: Optional[Tuple[str, int]] + post, # type: Optional[Tuple[str, int]] + dev, # type: Optional[Tuple[str, int]] + local, # type: Optional[Tuple[SubLocalType]] +): + # type: (...) -> CmpKey -def _cmpkey(epoch, release, pre, post, dev, local): # When we compare a release version, we want to compare it with all of the # trailing zeros removed. So we'll use a reverse the list, drop all the now # leading zeros until we come to something non zero, then take the rest # re-reverse it back into the correct order and make it a tuple and use # that for our sorting key. - release = tuple( + _release = tuple( reversed(list(itertools.dropwhile(lambda x: x == 0, reversed(release)))) ) @@ -390,23 +495,31 @@ def _cmpkey(epoch, release, pre, post, dev, local): # if there is not a pre or a post segment. If we have one of those then # the normal sorting rules will handle this case correctly. if pre is None and post is None and dev is not None: - pre = -Infinity + _pre = NegativeInfinity # type: PrePostDevType # Versions without a pre-release (except as noted above) should sort after # those with one. elif pre is None: - pre = Infinity + _pre = Infinity + else: + _pre = pre # Versions without a post segment should sort before those with one. if post is None: - post = -Infinity + _post = NegativeInfinity # type: PrePostDevType + + else: + _post = post # Versions without a development segment should sort after those with one. if dev is None: - dev = Infinity + _dev = Infinity # type: PrePostDevType + + else: + _dev = dev if local is None: # Versions without a local segment should sort before those with one. - local = -Infinity + _local = NegativeInfinity # type: LocalType else: # Versions with a local segment need that segment parsed to implement # the sorting rules in PEP440. @@ -415,6 +528,8 @@ def _cmpkey(epoch, release, pre, post, dev, local): # - Numeric segments sort numerically # - Shorter versions sort before longer versions when the prefixes # match exactly - local = tuple((i, "") if isinstance(i, int) else (-Infinity, i) for i in local) + _local = tuple( + (i, "") if isinstance(i, int) else (NegativeInfinity, i) for i in local + ) - return epoch, release, pre, post, dev, local + return epoch, _release, _pre, _post, _dev, _local diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pyparsing.py b/venv/Lib/site-packages/pkg_resources/_vendor/pyparsing.py similarity index 76% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pyparsing.py rename to venv/Lib/site-packages/pkg_resources/_vendor/pyparsing.py index bea4d9c..1333c00 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/pyparsing.py +++ b/venv/Lib/site-packages/pkg_resources/_vendor/pyparsing.py @@ -1,7 +1,6 @@ -#-*- coding: utf-8 -*- # module pyparsing.py # -# Copyright (c) 2003-2019 Paul T. McGuire +# Copyright (c) 2003-2018 Paul T. McGuire # # Permission is hereby granted, free of charge, to any person obtaining # a copy of this software and associated documentation files (the @@ -28,20 +27,17 @@ pyparsing module - Classes and methods to define and execute parsing grammars ============================================================================= -The pyparsing module is an alternative approach to creating and -executing simple grammars, vs. the traditional lex/yacc approach, or the -use of regular expressions. With pyparsing, you don't need to learn -a new syntax for defining grammars or matching expressions - the parsing -module provides a library of classes that you use to construct the -grammar directly in Python. +The pyparsing module is an alternative approach to creating and executing simple grammars, +vs. the traditional lex/yacc approach, or the use of regular expressions. With pyparsing, you +don't need to learn a new syntax for defining grammars or matching expressions - the parsing module +provides a library of classes that you use to construct the grammar directly in Python. -Here is a program to parse "Hello, World!" (or any greeting of the form -``"<salutation>, <addressee>!"``), built up using :class:`Word`, -:class:`Literal`, and :class:`And` elements -(the :class:`'+'<ParserElement.__add__>` operators create :class:`And` expressions, -and the strings are auto-converted to :class:`Literal` expressions):: +Here is a program to parse "Hello, World!" (or any greeting of the form +C{"<salutation>, <addressee>!"}), built up using L{Word}, L{Literal}, and L{And} elements +(L{'+'<ParserElement.__add__>} operator gives L{And} expressions, strings are auto-converted to +L{Literal} expressions):: - from pip._vendor.pyparsing import Word, alphas + from pyparsing import Word, alphas # define grammar of a greeting greet = Word(alphas) + "," + Word(alphas) + "!" @@ -53,48 +49,33 @@ Hello, World! -> ['Hello', ',', 'World', '!'] -The Python representation of the grammar is quite readable, owing to the -self-explanatory class names, and the use of '+', '|' and '^' operators. +The Python representation of the grammar is quite readable, owing to the self-explanatory +class names, and the use of '+', '|' and '^' operators. -The :class:`ParseResults` object returned from -:class:`ParserElement.parseString` can be -accessed as a nested list, a dictionary, or an object with named -attributes. +The L{ParseResults} object returned from L{ParserElement.parseString<ParserElement.parseString>} can be accessed as a nested list, a dictionary, or an +object with named attributes. -The pyparsing module handles some of the problems that are typically -vexing when writing text parsers: - - - extra or missing whitespace (the above program will also handle - "Hello,World!", "Hello , World !", etc.) - - quoted strings - - embedded comments +The pyparsing module handles some of the problems that are typically vexing when writing text parsers: + - extra or missing whitespace (the above program will also handle "Hello,World!", "Hello , World !", etc.) + - quoted strings + - embedded comments Getting Started - ----------------- -Visit the classes :class:`ParserElement` and :class:`ParseResults` to -see the base classes that most other pyparsing +Visit the classes L{ParserElement} and L{ParseResults} to see the base classes that most other pyparsing classes inherit from. Use the docstrings for examples of how to: - - - construct literal match expressions from :class:`Literal` and - :class:`CaselessLiteral` classes - - construct character word-group expressions using the :class:`Word` - class - - see how to create repetitive expressions using :class:`ZeroOrMore` - and :class:`OneOrMore` classes - - use :class:`'+'<And>`, :class:`'|'<MatchFirst>`, :class:`'^'<Or>`, - and :class:`'&'<Each>` operators to combine simple expressions into - more complex ones - - associate names with your parsed results using - :class:`ParserElement.setResultsName` - - find some helpful expression short-cuts like :class:`delimitedList` - and :class:`oneOf` - - find more useful common expressions in the :class:`pyparsing_common` - namespace class + - construct literal match expressions from L{Literal} and L{CaselessLiteral} classes + - construct character word-group expressions using the L{Word} class + - see how to create repetitive expressions using L{ZeroOrMore} and L{OneOrMore} classes + - use L{'+'<And>}, L{'|'<MatchFirst>}, L{'^'<Or>}, and L{'&'<Each>} operators to combine simple expressions into more complex ones + - associate names with your parsed results using L{ParserElement.setResultsName} + - find some helpful expression short-cuts like L{delimitedList} and L{oneOf} + - find more useful common expressions in the L{pyparsing_common} namespace class """ -__version__ = "2.3.1" -__versionTime__ = "09 Jan 2019 23:26 UTC" +__version__ = "2.2.1" +__versionTime__ = "18 Sep 2018 00:49 UTC" __author__ = "Paul McGuire <ptmcg@users.sourceforge.net>" import string @@ -110,12 +91,6 @@ import types from datetime import datetime -try: - # Python 3 - from itertools import filterfalse -except ImportError: - from itertools import ifilterfalse as filterfalse - try: from _thread import RLock except ImportError: @@ -138,33 +113,27 @@ except ImportError: _OrderedDict = None -try: - from types import SimpleNamespace -except ImportError: - class SimpleNamespace: pass - - #~ sys.stderr.write( "testing pyparsing module, version %s, %s\n" % (__version__,__versionTime__ ) ) __all__ = [ 'And', 'CaselessKeyword', 'CaselessLiteral', 'CharsNotIn', 'Combine', 'Dict', 'Each', 'Empty', 'FollowedBy', 'Forward', 'GoToColumn', 'Group', 'Keyword', 'LineEnd', 'LineStart', 'Literal', -'PrecededBy', 'MatchFirst', 'NoMatch', 'NotAny', 'OneOrMore', 'OnlyOnce', 'Optional', 'Or', +'MatchFirst', 'NoMatch', 'NotAny', 'OneOrMore', 'OnlyOnce', 'Optional', 'Or', 'ParseBaseException', 'ParseElementEnhance', 'ParseException', 'ParseExpression', 'ParseFatalException', 'ParseResults', 'ParseSyntaxException', 'ParserElement', 'QuotedString', 'RecursiveGrammarException', -'Regex', 'SkipTo', 'StringEnd', 'StringStart', 'Suppress', 'Token', 'TokenConverter', -'White', 'Word', 'WordEnd', 'WordStart', 'ZeroOrMore', 'Char', +'Regex', 'SkipTo', 'StringEnd', 'StringStart', 'Suppress', 'Token', 'TokenConverter', +'White', 'Word', 'WordEnd', 'WordStart', 'ZeroOrMore', 'alphanums', 'alphas', 'alphas8bit', 'anyCloseTag', 'anyOpenTag', 'cStyleComment', 'col', 'commaSeparatedList', 'commonHTMLEntity', 'countedArray', 'cppStyleComment', 'dblQuotedString', 'dblSlashComment', 'delimitedList', 'dictOf', 'downcaseTokens', 'empty', 'hexnums', 'htmlComment', 'javaStyleComment', 'line', 'lineEnd', 'lineStart', 'lineno', 'makeHTMLTags', 'makeXMLTags', 'matchOnlyAtCol', 'matchPreviousExpr', 'matchPreviousLiteral', 'nestedExpr', 'nullDebugAction', 'nums', 'oneOf', 'opAssoc', 'operatorPrecedence', 'printables', -'punc8bit', 'pythonStyleComment', 'quotedString', 'removeQuotes', 'replaceHTMLEntity', +'punc8bit', 'pythonStyleComment', 'quotedString', 'removeQuotes', 'replaceHTMLEntity', 'replaceWith', 'restOfLine', 'sglQuotedString', 'srange', 'stringEnd', 'stringStart', 'traceParseAction', 'unicodeString', 'upcaseTokens', 'withAttribute', 'indentedBlock', 'originalTextFor', 'ungroup', 'infixNotation','locatedExpr', 'withClass', -'CloseMatch', 'tokenMap', 'pyparsing_common', 'pyparsing_unicode', 'unicode_set', +'CloseMatch', 'tokenMap', 'pyparsing_common', ] system_version = tuple(sys.version_info)[:3] @@ -173,7 +142,6 @@ class SimpleNamespace: pass _MAX_INT = sys.maxsize basestring = str unichr = chr - unicode = str _ustr = str # build list of single arg builtins, that can be used as parse actions @@ -184,11 +152,9 @@ class SimpleNamespace: pass range = xrange def _ustr(obj): - """Drop-in replacement for str(obj) that tries to be Unicode - friendly. It first tries str(obj). If that fails with - a UnicodeEncodeError, then it tries unicode(obj). It then - < returns the unicode object | encodes it with the default - encoding | ... >. + """Drop-in replacement for str(obj) that tries to be Unicode friendly. It first tries + str(obj). If that fails with a UnicodeEncodeError, then it tries unicode(obj). It + then < returns the unicode object | encodes it with the default encoding | ... >. """ if isinstance(obj,unicode): return obj @@ -213,9 +179,9 @@ def _ustr(obj): singleArgBuiltins.append(getattr(__builtin__,fname)) except AttributeError: continue - + _generatorType = type((y for y in range(1))) - + def _xml_escape(data): """Escape &, <, >, ", ', etc. in a string of data.""" @@ -226,6 +192,9 @@ def _xml_escape(data): data = data.replace(from_, to_) return data +class _Constants(object): + pass + alphas = string.ascii_uppercase + string.ascii_lowercase nums = "0123456789" hexnums = nums + "ABCDEFabcdef" @@ -251,16 +220,16 @@ def __init__( self, pstr, loc=0, msg=None, elem=None ): @classmethod def _from_exception(cls, pe): """ - internal factory method to simplify creating one type of ParseException + internal factory method to simplify creating one type of ParseException from another - avoids having __init__ signature conflicts among subclasses """ return cls(pe.pstr, pe.loc, pe.msg, pe.parserElement) def __getattr__( self, aname ): """supported attributes by name are: - - lineno - returns the line number of the exception text - - col - returns the column number of the exception text - - line - returns the line containing the exception text + - lineno - returns the line number of the exception text + - col - returns the column number of the exception text + - line - returns the line containing the exception text """ if( aname == "lineno" ): return lineno( self.loc, self.pstr ) @@ -293,94 +262,22 @@ class ParseException(ParseBaseException): """ Exception thrown when parse expressions don't match class; supported attributes by name are: - - lineno - returns the line number of the exception text - - col - returns the column number of the exception text - - line - returns the line containing the exception text - + - lineno - returns the line number of the exception text + - col - returns the column number of the exception text + - line - returns the line containing the exception text + Example:: - try: Word(nums).setName("integer").parseString("ABC") except ParseException as pe: print(pe) print("column: {}".format(pe.col)) - + prints:: - Expected integer (at char 0), (line:1, col:1) column: 1 - """ - - @staticmethod - def explain(exc, depth=16): - """ - Method to take an exception and translate the Python internal traceback into a list - of the pyparsing expressions that caused the exception to be raised. - - Parameters: - - - exc - exception raised during parsing (need not be a ParseException, in support - of Python exceptions that might be raised in a parse action) - - depth (default=16) - number of levels back in the stack trace to list expression - and function names; if None, the full stack trace names will be listed; if 0, only - the failing input line, marker, and exception string will be shown - - Returns a multi-line string listing the ParserElements and/or function names in the - exception's stack trace. - - Note: the diagnostic output will include string representations of the expressions - that failed to parse. These representations will be more helpful if you use `setName` to - give identifiable names to your expressions. Otherwise they will use the default string - forms, which may be cryptic to read. - - explain() is only supported under Python 3. - """ - import inspect - - if depth is None: - depth = sys.getrecursionlimit() - ret = [] - if isinstance(exc, ParseBaseException): - ret.append(exc.line) - ret.append(' ' * (exc.col - 1) + '^') - ret.append("{0}: {1}".format(type(exc).__name__, exc)) - - if depth > 0: - callers = inspect.getinnerframes(exc.__traceback__, context=depth) - seen = set() - for i, ff in enumerate(callers[-depth:]): - frm = ff.frame - - f_self = frm.f_locals.get('self', None) - if isinstance(f_self, ParserElement): - if frm.f_code.co_name not in ('parseImpl', '_parseNoCache'): - continue - if f_self in seen: - continue - seen.add(f_self) - - self_type = type(f_self) - ret.append("{0}.{1} - {2}".format(self_type.__module__, - self_type.__name__, - f_self)) - elif f_self is not None: - self_type = type(f_self) - ret.append("{0}.{1}".format(self_type.__module__, - self_type.__name__)) - else: - code = frm.f_code - if code.co_name in ('wrapper', '<module>'): - continue - - ret.append("{0}".format(code.co_name)) - - depth -= 1 - if not depth: - break - - return '\n'.join(ret) - + pass class ParseFatalException(ParseBaseException): """user-throwable exception thrown when inconsistent parse content @@ -388,11 +285,9 @@ class ParseFatalException(ParseBaseException): pass class ParseSyntaxException(ParseFatalException): - """just like :class:`ParseFatalException`, but thrown internally - when an :class:`ErrorStop<And._ErrorStop>` ('-' operator) indicates - that parsing is to stop immediately because an unbacktrackable - syntax error has been found. - """ + """just like L{ParseFatalException}, but thrown internally when an + L{ErrorStop<And._ErrorStop>} ('-' operator) indicates that parsing is to stop + immediately because an unbacktrackable syntax error has been found""" pass #~ class ReparseException(ParseBaseException): @@ -409,9 +304,7 @@ class ParseSyntaxException(ParseFatalException): #~ self.reparseLoc = restartLoc class RecursiveGrammarException(Exception): - """exception thrown by :class:`ParserElement.validate` if the - grammar could be improperly recursive - """ + """exception thrown by L{ParserElement.validate} if the grammar could be improperly recursive""" def __init__( self, parseElementList ): self.parseElementTrace = parseElementList @@ -429,18 +322,16 @@ def setOffset(self,i): self.tup = (self.tup[0],i) class ParseResults(object): - """Structured parse results, to provide multiple means of access to - the parsed data: - - - as a list (``len(results)``) - - by list index (``results[0], results[1]``, etc.) - - by attribute (``results.<resultsName>`` - see :class:`ParserElement.setResultsName`) + """ + Structured parse results, to provide multiple means of access to the parsed data: + - as a list (C{len(results)}) + - by list index (C{results[0], results[1]}, etc.) + - by attribute (C{results.<resultsName>} - see L{ParserElement.setResultsName}) Example:: - integer = Word(nums) - date_str = (integer.setResultsName("year") + '/' - + integer.setResultsName("month") + '/' + date_str = (integer.setResultsName("year") + '/' + + integer.setResultsName("month") + '/' + integer.setResultsName("day")) # equivalent form: # date_str = integer("year") + '/' + integer("month") + '/' + integer("day") @@ -457,9 +348,7 @@ def test(s, fn=repr): test("'month' in result") test("'minutes' in result") test("result.dump()", str) - prints:: - list(result) -> ['1999', '/', '12', '/', '31'] result[0] -> '1999' result['month'] -> '12' @@ -509,7 +398,7 @@ def __init__( self, toklist=None, name=None, asList=True, modal=True, isinstance toklist = [ toklist ] if asList: if isinstance(toklist,ParseResults): - self[name] = _ParseResultsWithOffset(ParseResults(toklist.__toklist), 0) + self[name] = _ParseResultsWithOffset(toklist.copy(),0) else: self[name] = _ParseResultsWithOffset(ParseResults(toklist[0]),0) self[name].__name = name @@ -578,19 +467,19 @@ def _iterkeys( self ): def _itervalues( self ): return (self[k] for k in self._iterkeys()) - + def _iteritems( self ): return ((k, self[k]) for k in self._iterkeys()) if PY_3: - keys = _iterkeys - """Returns an iterator of all named result keys.""" + keys = _iterkeys + """Returns an iterator of all named result keys (Python 3.x only).""" values = _itervalues - """Returns an iterator of all named result values.""" + """Returns an iterator of all named result values (Python 3.x only).""" items = _iteritems - """Returns an iterator of all named result key-value tuples.""" + """Returns an iterator of all named result key-value tuples (Python 3.x only).""" else: iterkeys = _iterkeys @@ -609,7 +498,7 @@ def keys( self ): def values( self ): """Returns all named result values (as a list in Python 2.x, as an iterator in Python 3.x).""" return list(self.itervalues()) - + def items( self ): """Returns all named result key-values (as a list of tuples in Python 2.x, as an iterator in Python 3.x).""" return list(self.iteritems()) @@ -618,20 +507,19 @@ def haskeys( self ): """Since keys() returns an iterator, this method is helpful in bypassing code that looks for the existence of any defined results names.""" return bool(self.__tokdict) - + def pop( self, *args, **kwargs): """ - Removes and returns item at specified index (default= ``last``). - Supports both ``list`` and ``dict`` semantics for ``pop()``. If - passed no argument or an integer argument, it will use ``list`` - semantics and pop tokens from the list of parsed tokens. If passed - a non-integer argument (most likely a string), it will use ``dict`` - semantics and pop the corresponding value from any defined results - names. A second default return value argument is supported, just as in - ``dict.pop()``. + Removes and returns item at specified index (default=C{last}). + Supports both C{list} and C{dict} semantics for C{pop()}. If passed no + argument or an integer argument, it will use C{list} semantics + and pop tokens from the list of parsed tokens. If passed a + non-integer argument (most likely a string), it will use C{dict} + semantics and pop the corresponding value from any defined + results names. A second default return value argument is + supported, just as in C{dict.pop()}. Example:: - def remove_first(tokens): tokens.pop(0) print(OneOrMore(Word(nums)).parseString("0 123 321")) # -> ['0', '123', '321'] @@ -648,9 +536,7 @@ def remove_LABEL(tokens): return tokens patt.addParseAction(remove_LABEL) print(patt.parseString("AAB 123 321").dump()) - prints:: - ['AAB', '123', '321'] - LABEL: AAB @@ -663,8 +549,8 @@ def remove_LABEL(tokens): args = (args[0], v) else: raise TypeError("pop() got an unexpected keyword argument '%s'" % k) - if (isinstance(args[0], int) or - len(args) == 1 or + if (isinstance(args[0], int) or + len(args) == 1 or args[0] in self): index = args[0] ret = self[index] @@ -677,15 +563,14 @@ def remove_LABEL(tokens): def get(self, key, defaultValue=None): """ Returns named result matching the given key, or if there is no - such name, then returns the given ``defaultValue`` or ``None`` if no - ``defaultValue`` is specified. - - Similar to ``dict.get()``. + such name, then returns the given C{defaultValue} or C{None} if no + C{defaultValue} is specified. + Similar to C{dict.get()}. + Example:: - integer = Word(nums) - date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") result = date_str.parseString("1999/12/31") print(result.get("year")) # -> '1999' @@ -700,11 +585,10 @@ def get(self, key, defaultValue=None): def insert( self, index, insStr ): """ Inserts new element at location index in the list of parsed tokens. - - Similar to ``list.insert()``. + + Similar to C{list.insert()}. Example:: - print(OneOrMore(Word(nums)).parseString("0 123 321")) # -> ['0', '123', '321'] # use a parse action to insert the parse location in the front of the parsed results @@ -723,9 +607,8 @@ def append( self, item ): Add single element to end of ParseResults list of elements. Example:: - print(OneOrMore(Word(nums)).parseString("0 123 321")) # -> ['0', '123', '321'] - + # use a parse action to compute the sum of the parsed integers, and add it to the end def append_sum(tokens): tokens.append(sum(map(int, tokens))) @@ -738,9 +621,8 @@ def extend( self, itemseq ): Add sequence of elements to end of ParseResults list of elements. Example:: - patt = OneOrMore(Word(alphas)) - + # use a parse action to append the reverse of the matched strings, to make a palindrome def make_palindrome(tokens): tokens.extend(reversed([t[::-1] for t in tokens])) @@ -764,7 +646,7 @@ def __getattr__( self, name ): return self[name] except KeyError: return "" - + if name in self.__tokdict: if name not in self.__accumNames: return self.__tokdict[name][-1][0] @@ -789,7 +671,7 @@ def __iadd__( self, other ): self[k] = v if isinstance(v[0],ParseResults): v[0].__parent = wkref(self) - + self.__toklist += other.__toklist self.__accumNames.update( other.__accumNames ) return self @@ -801,7 +683,7 @@ def __radd__(self, other): else: # this may raise a TypeError - so be it return other + self - + def __repr__( self ): return "(%s, %s)" % ( repr( self.__toklist ), repr( self.__tokdict ) ) @@ -824,12 +706,11 @@ def asList( self ): Returns the parse results as a nested list of matching tokens, all converted to strings. Example:: - patt = OneOrMore(Word(alphas)) result = patt.parseString("sldkj lsdkj sldkj") # even though the result prints in string-like form, it is actually a pyparsing ParseResults print(type(result), result) # -> <class 'pyparsing.ParseResults'> ['sldkj', 'lsdkj', 'sldkj'] - + # Use asList() to create an actual list result_list = result.asList() print(type(result_list), result_list) # -> <class 'list'> ['sldkj', 'lsdkj', 'sldkj'] @@ -841,13 +722,12 @@ def asDict( self ): Returns the named parse results as a nested dictionary. Example:: - integer = Word(nums) date_str = integer("year") + '/' + integer("month") + '/' + integer("day") - + result = date_str.parseString('12/31/1999') print(type(result), repr(result)) # -> <class 'pyparsing.ParseResults'> (['12', '/', '31', '/', '1999'], {'day': [('1999', 4)], 'year': [('12', 0)], 'month': [('31', 2)]}) - + result_dict = result.asDict() print(type(result_dict), repr(result_dict)) # -> <class 'dict'> {'day': '1999', 'year': '12', 'month': '31'} @@ -860,7 +740,7 @@ def asDict( self ): item_fn = self.items else: item_fn = self.iteritems - + def toItem(obj): if isinstance(obj, ParseResults): if obj.haskeys(): @@ -869,15 +749,15 @@ def toItem(obj): return [toItem(v) for v in obj] else: return obj - + return dict((k,toItem(v)) for k,v in item_fn()) def copy( self ): """ - Returns a new copy of a :class:`ParseResults` object. + Returns a new copy of a C{ParseResults} object. """ ret = ParseResults( self.__toklist ) - ret.__tokdict = dict(self.__tokdict.items()) + ret.__tokdict = self.__tokdict.copy() ret.__parent = self.__parent ret.__accumNames.update( self.__accumNames ) ret.__name = self.__name @@ -953,25 +833,22 @@ def __lookup(self,sub): def getName(self): r""" - Returns the results name for this token expression. Useful when several + Returns the results name for this token expression. Useful when several different expressions might match at a particular location. Example:: - integer = Word(nums) ssn_expr = Regex(r"\d\d\d-\d\d-\d\d\d\d") house_number_expr = Suppress('#') + Word(nums, alphanums) - user_data = (Group(house_number_expr)("house_number") + user_data = (Group(house_number_expr)("house_number") | Group(ssn_expr)("ssn") | Group(integer)("age")) user_info = OneOrMore(user_data) - + result = user_info.parseString("22 111-22-3333 #221B") for item in result: print(item.getName(), ':', item[0]) - prints:: - age : 22 ssn : 111-22-3333 house_number : 221B @@ -993,20 +870,17 @@ def getName(self): def dump(self, indent='', depth=0, full=True): """ - Diagnostic method for listing out the contents of - a :class:`ParseResults`. Accepts an optional ``indent`` argument so - that this string can be embedded in a nested display of other data. + Diagnostic method for listing out the contents of a C{ParseResults}. + Accepts an optional C{indent} argument so that this string can be embedded + in a nested display of other data. Example:: - integer = Word(nums) date_str = integer("year") + '/' + integer("month") + '/' + integer("day") - + result = date_str.parseString('12/31/1999') print(result.dump()) - prints:: - ['12', '/', '31', '/', '1999'] - day: 1999 - month: 31 @@ -1036,18 +910,16 @@ def dump(self, indent='', depth=0, full=True): out.append("\n%s%s[%d]:\n%s%s%s" % (indent,(' '*(depth)),i,indent,(' '*(depth+1)),vv.dump(indent,depth+1) )) else: out.append("\n%s%s[%d]:\n%s%s%s" % (indent,(' '*(depth)),i,indent,(' '*(depth+1)),_ustr(vv))) - + return "".join(out) def pprint(self, *args, **kwargs): """ - Pretty-printer for parsed results as a list, using the - `pprint <https://docs.python.org/3/library/pprint.html>`_ module. - Accepts additional positional or keyword args as defined for - `pprint.pprint <https://docs.python.org/3/library/pprint.html#pprint.pprint>`_ . + Pretty-printer for parsed results as a list, using the C{pprint} module. + Accepts additional positional or keyword args as defined for the + C{pprint.pprint} method. (U{http://docs.python.org/3/library/pprint.html#pprint.pprint}) Example:: - ident = Word(alphas, alphanums) num = Word(nums) func = Forward() @@ -1055,9 +927,7 @@ def pprint(self, *args, **kwargs): func <<= ident + Group(Optional(delimitedList(term))) result = func.parseString("fna a,b,(fnb c,d,200),100") result.pprint(width=40) - prints:: - ['fna', ['a', 'b', @@ -1100,25 +970,24 @@ def col (loc,strg): The first column is number 1. Note: the default parsing behavior is to expand tabs in the input string - before starting the parsing process. See - :class:`ParserElement.parseString` for more - information on parsing strings containing ``<TAB>`` s, and suggested - methods to maintain a consistent view of the parsed string, the parse - location, and line and column positions within the parsed string. + before starting the parsing process. See L{I{ParserElement.parseString}<ParserElement.parseString>} for more information + on parsing strings containing C{<TAB>}s, and suggested methods to maintain a + consistent view of the parsed string, the parse location, and line and column + positions within the parsed string. """ s = strg return 1 if 0<loc<len(s) and s[loc-1] == '\n' else loc - s.rfind("\n", 0, loc) def lineno(loc,strg): """Returns current line number within a string, counting newlines as line separators. - The first line is number 1. + The first line is number 1. - Note - the default parsing behavior is to expand tabs in the input string - before starting the parsing process. See :class:`ParserElement.parseString` - for more information on parsing strings containing ``<TAB>`` s, and - suggested methods to maintain a consistent view of the parsed string, the - parse location, and line and column positions within the parsed string. - """ + Note: the default parsing behavior is to expand tabs in the input string + before starting the parsing process. See L{I{ParserElement.parseString}<ParserElement.parseString>} for more information + on parsing strings containing C{<TAB>}s, and suggested methods to maintain a + consistent view of the parsed string, the parse location, and line and column + positions within the parsed string. + """ return strg.count("\n",0,loc) + 1 def line( loc, strg ): @@ -1172,7 +1041,7 @@ def _trim_arity(func, maxargs=2): return lambda s,l,t: func(t) limit = [0] foundArity = [False] - + # traceback return data structure changed in Py3.5 - normalize back to plain tuples if system_version[:2] >= (3,5): def extract_stack(limit=0): @@ -1187,12 +1056,12 @@ def extract_tb(tb, limit=0): else: extract_stack = traceback.extract_stack extract_tb = traceback.extract_tb - - # synthesize what would be returned by traceback.extract_stack at the call to + + # synthesize what would be returned by traceback.extract_stack at the call to # user's parse action 'func', so that we don't incur call penalty at parse time - + LINE_DIFF = 6 - # IF ANY CODE CHANGES, EVEN JUST COMMENTS OR BLANK LINES, BETWEEN THE NEXT LINE AND + # IF ANY CODE CHANGES, EVEN JUST COMMENTS OR BLANK LINES, BETWEEN THE NEXT LINE AND # THE CALL TO FUNC INSIDE WRAPPER, LINE_DIFF MUST BE MODIFIED!!!! this_line = extract_stack(limit=2)[-1] pa_call_line_synth = (this_line[0], this_line[1]+LINE_DIFF) @@ -1223,7 +1092,7 @@ def wrapper(*args): # copy func name to wrapper for sensible debug output func_name = "<parse action>" try: - func_name = getattr(func, '__name__', + func_name = getattr(func, '__name__', getattr(func, '__class__').__name__) except Exception: func_name = str(func) @@ -1242,10 +1111,9 @@ def setDefaultWhitespaceChars( chars ): Overrides the default whitespace chars Example:: - # default whitespace chars are space, <TAB> and newline OneOrMore(Word(alphas)).parseString("abc def\nghi jkl") # -> ['abc', 'def', 'ghi', 'jkl'] - + # change to just treat newline as significant ParserElement.setDefaultWhitespaceChars(" \t") OneOrMore(Word(alphas)).parseString("abc def\nghi jkl") # -> ['abc', 'def'] @@ -1256,19 +1124,18 @@ def setDefaultWhitespaceChars( chars ): def inlineLiteralsUsing(cls): """ Set class to be used for inclusion of string literals into a parser. - + Example:: - # default literal class used is Literal integer = Word(nums) - date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") date_str.parseString("1999/12/31") # -> ['1999', '/', '12', '/', '31'] # change to Suppress ParserElement.inlineLiteralsUsing(Suppress) - date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") date_str.parseString("1999/12/31") # -> ['1999', '12', '31'] """ @@ -1282,7 +1149,7 @@ def __init__( self, savelist=False ): self.resultsName = None self.saveAsList = savelist self.skipWhitespace = True - self.whiteChars = set(ParserElement.DEFAULT_WHITE_CHARS) + self.whiteChars = ParserElement.DEFAULT_WHITE_CHARS self.copyDefaultWhiteChars = True self.mayReturnEmpty = False # used when checking for left-recursion self.keepTabs = False @@ -1299,24 +1166,18 @@ def __init__( self, savelist=False ): def copy( self ): """ - Make a copy of this :class:`ParserElement`. Useful for defining - different parse actions for the same parsing pattern, using copies of - the original parse element. - + Make a copy of this C{ParserElement}. Useful for defining different parse actions + for the same parsing pattern, using copies of the original parse element. + Example:: - integer = Word(nums).setParseAction(lambda toks: int(toks[0])) integerK = integer.copy().addParseAction(lambda toks: toks[0]*1024) + Suppress("K") integerM = integer.copy().addParseAction(lambda toks: toks[0]*1024*1024) + Suppress("M") - + print(OneOrMore(integerK | integerM | integer).parseString("5K 100 640K 256M")) - prints:: - [5120, 100, 655360, 268435456] - - Equivalent form of ``expr.copy()`` is just ``expr()``:: - + Equivalent form of C{expr.copy()} is just C{expr()}:: integerM = integer().addParseAction(lambda toks: toks[0]*1024*1024) + Suppress("M") """ cpy = copy.copy( self ) @@ -1329,9 +1190,8 @@ def copy( self ): def setName( self, name ): """ Define name for this expression, makes debugging and exception messages clearer. - + Example:: - Word(nums).parseString("ABC") # -> Exception: Expected W:(0123...) (at char 0), (line:1, col:1) Word(nums).setName("integer").parseString("ABC") # -> Exception: Expected integer (at char 0), (line:1, col:1) """ @@ -1345,18 +1205,17 @@ def setResultsName( self, name, listAllMatches=False ): """ Define name for referencing matching tokens as a nested attribute of the returned parse results. - NOTE: this returns a *copy* of the original :class:`ParserElement` object; + NOTE: this returns a *copy* of the original C{ParserElement} object; this is so that the client can define a basic element, such as an integer, and reference it in multiple places with different names. You can also set results names using the abbreviated syntax, - ``expr("name")`` in place of ``expr.setResultsName("name")`` - - see :class:`__call__`. + C{expr("name")} in place of C{expr.setResultsName("name")} - + see L{I{__call__}<__call__>}. Example:: - - date_str = (integer.setResultsName("year") + '/' - + integer.setResultsName("month") + '/' + date_str = (integer.setResultsName("year") + '/' + + integer.setResultsName("month") + '/' + integer.setResultsName("day")) # equivalent form: @@ -1372,7 +1231,7 @@ def setResultsName( self, name, listAllMatches=False ): def setBreak(self,breakFlag = True): """Method to invoke the Python pdb debugger when this element is - about to be parsed. Set ``breakFlag`` to True to enable, False to + about to be parsed. Set C{breakFlag} to True to enable, False to disable. """ if breakFlag: @@ -1391,28 +1250,25 @@ def breaker(instring, loc, doActions=True, callPreParse=True): def setParseAction( self, *fns, **kwargs ): """ Define one or more actions to perform when successfully matching parse element definition. - Parse action fn is a callable method with 0-3 arguments, called as ``fn(s,loc,toks)`` , - ``fn(loc,toks)`` , ``fn(toks)`` , or just ``fn()`` , where: - - - s = the original string being parsed (see note below) - - loc = the location of the matching substring - - toks = a list of the matched tokens, packaged as a :class:`ParseResults` object - + Parse action fn is a callable method with 0-3 arguments, called as C{fn(s,loc,toks)}, + C{fn(loc,toks)}, C{fn(toks)}, or just C{fn()}, where: + - s = the original string being parsed (see note below) + - loc = the location of the matching substring + - toks = a list of the matched tokens, packaged as a C{L{ParseResults}} object If the functions in fns modify the tokens, they can return them as the return value from fn, and the modified list of tokens will replace the original. Otherwise, fn does not need to return any value. Optional keyword arguments: - - callDuringTry = (default= ``False`` ) indicate if parse action should be run during lookaheads and alternate testing + - callDuringTry = (default=C{False}) indicate if parse action should be run during lookaheads and alternate testing Note: the default parsing behavior is to expand tabs in the input string - before starting the parsing process. See :class:`parseString for more - information on parsing strings containing ``<TAB>`` s, and suggested - methods to maintain a consistent view of the parsed string, the parse - location, and line and column positions within the parsed string. - + before starting the parsing process. See L{I{parseString}<parseString>} for more information + on parsing strings containing C{<TAB>}s, and suggested methods to maintain a + consistent view of the parsed string, the parse location, and line and column + positions within the parsed string. + Example:: - integer = Word(nums) date_str = integer + '/' + integer + '/' + integer @@ -1431,25 +1287,24 @@ def setParseAction( self, *fns, **kwargs ): def addParseAction( self, *fns, **kwargs ): """ - Add one or more parse actions to expression's list of parse actions. See :class:`setParseAction`. - - See examples in :class:`copy`. + Add one or more parse actions to expression's list of parse actions. See L{I{setParseAction}<setParseAction>}. + + See examples in L{I{copy}<copy>}. """ self.parseAction += list(map(_trim_arity, list(fns))) self.callDuringTry = self.callDuringTry or kwargs.get("callDuringTry", False) return self def addCondition(self, *fns, **kwargs): - """Add a boolean predicate function to expression's list of parse actions. See - :class:`setParseAction` for function call signatures. Unlike ``setParseAction``, - functions passed to ``addCondition`` need to return boolean success/fail of the condition. + """Add a boolean predicate function to expression's list of parse actions. See + L{I{setParseAction}<setParseAction>} for function call signatures. Unlike C{setParseAction}, + functions passed to C{addCondition} need to return boolean success/fail of the condition. Optional keyword arguments: - - message = define a custom message to be used in the raised exception - - fatal = if True, will raise ParseFatalException to stop parsing immediately; otherwise will raise ParseException - + - message = define a custom message to be used in the raised exception + - fatal = if True, will raise ParseFatalException to stop parsing immediately; otherwise will raise ParseException + Example:: - integer = Word(nums).setParseAction(lambda toks: int(toks[0])) year_int = integer.copy() year_int.addCondition(lambda toks: toks[0] >= 2000, message="Only support years 2000 and later") @@ -1460,9 +1315,8 @@ def addCondition(self, *fns, **kwargs): msg = kwargs.get("message", "failed user-defined condition") exc_type = ParseFatalException if kwargs.get("fatal", False) else ParseException for fn in fns: - fn = _trim_arity(fn) def pa(s,l,t): - if not bool(fn(s,l,t)): + if not bool(_trim_arity(fn)(s,l,t)): raise exc_type(s,l,msg) self.parseAction.append(pa) self.callDuringTry = self.callDuringTry or kwargs.get("callDuringTry", False) @@ -1471,12 +1325,12 @@ def pa(s,l,t): def setFailAction( self, fn ): """Define action to perform if parsing fails at this expression. Fail acton fn is a callable function that takes the arguments - ``fn(s,loc,expr,err)`` where: - - s = string being parsed - - loc = location where expression match was attempted and failed - - expr = the parse expression that failed - - err = the exception thrown - The function returns no value. It may throw :class:`ParseFatalException` + C{fn(s,loc,expr,err)} where: + - s = string being parsed + - loc = location where expression match was attempted and failed + - expr = the parse expression that failed + - err = the exception thrown + The function returns no value. It may throw C{L{ParseFatalException}} if it is desired to stop parsing immediately.""" self.failAction = fn return self @@ -1558,14 +1412,8 @@ def _parseNoCache( self, instring, loc, doActions=True, callPreParse=True ): if debugging: try: for fn in self.parseAction: - try: - tokens = fn( instring, tokensStart, retTokens ) - except IndexError as parse_action_exc: - exc = ParseException("exception raised in parse action") - exc.__cause__ = parse_action_exc - raise exc - - if tokens is not None and tokens is not retTokens: + tokens = fn( instring, tokensStart, retTokens ) + if tokens is not None: retTokens = ParseResults( tokens, self.resultsName, asList=self.saveAsList and isinstance(tokens,(ParseResults,list)), @@ -1577,14 +1425,8 @@ def _parseNoCache( self, instring, loc, doActions=True, callPreParse=True ): raise else: for fn in self.parseAction: - try: - tokens = fn( instring, tokensStart, retTokens ) - except IndexError as parse_action_exc: - exc = ParseException("exception raised in parse action") - exc.__cause__ = parse_action_exc - raise exc - - if tokens is not None and tokens is not retTokens: + tokens = fn( instring, tokensStart, retTokens ) + if tokens is not None: retTokens = ParseResults( tokens, self.resultsName, asList=self.saveAsList and isinstance(tokens,(ParseResults,list)), @@ -1601,7 +1443,7 @@ def tryParse( self, instring, loc ): return self._parse( instring, loc, doActions=False )[0] except ParseFatalException: raise ParseException( instring, loc, self.errmsg, self) - + def canParseNext(self, instring, loc): try: self.tryParse(instring, loc) @@ -1623,7 +1465,7 @@ def set(self, key, value): def clear(self): cache.clear() - + def cache_len(self): return len(cache) @@ -1735,24 +1577,24 @@ def enablePackrat(cache_size_limit=128): often in many complex grammars) can immediately return a cached value, instead of re-executing parsing/validating code. Memoizing is done of both valid results and parsing exceptions. - + Parameters: - - - cache_size_limit - (default= ``128``) - if an integer value is provided - will limit the size of the packrat cache; if None is passed, then - the cache size will be unbounded; if 0 is passed, the cache will - be effectively disabled. - + - cache_size_limit - (default=C{128}) - if an integer value is provided + will limit the size of the packrat cache; if None is passed, then + the cache size will be unbounded; if 0 is passed, the cache will + be effectively disabled. + This speedup may break existing programs that use parse actions that have side-effects. For this reason, packrat parsing is disabled when you first import pyparsing. To activate the packrat feature, your - program must call the class method :class:`ParserElement.enablePackrat`. - For best results, call ``enablePackrat()`` immediately after - importing pyparsing. - + program must call the class method C{ParserElement.enablePackrat()}. If + your program uses C{psyco} to "compile as you go", you must call + C{enablePackrat} before calling C{psyco.full()}. If you do not do this, + Python will crash. For best results, call C{enablePackrat()} immediately + after importing pyparsing. + Example:: - - from pip._vendor import pyparsing + import pyparsing pyparsing.ParserElement.enablePackrat() """ if not ParserElement._packratEnabled: @@ -1770,25 +1612,23 @@ def parseString( self, instring, parseAll=False ): expression has been built. If you want the grammar to require that the entire input string be - successfully parsed, then set ``parseAll`` to True (equivalent to ending - the grammar with ``StringEnd()``). + successfully parsed, then set C{parseAll} to True (equivalent to ending + the grammar with C{L{StringEnd()}}). - Note: ``parseString`` implicitly calls ``expandtabs()`` on the input string, + Note: C{parseString} implicitly calls C{expandtabs()} on the input string, in order to report proper column numbers in parse actions. If the input string contains tabs and - the grammar uses parse actions that use the ``loc`` argument to index into the + the grammar uses parse actions that use the C{loc} argument to index into the string being parsed, you can ensure you have a consistent view of the input string by: - - - calling ``parseWithTabs`` on your grammar before calling ``parseString`` - (see :class:`parseWithTabs`) - - define your parse action using the full ``(s,loc,toks)`` signature, and - reference the input string using the parse action's ``s`` argument - - explictly expand the tabs in your input string before calling - ``parseString`` - + - calling C{parseWithTabs} on your grammar before calling C{parseString} + (see L{I{parseWithTabs}<parseWithTabs>}) + - define your parse action using the full C{(s,loc,toks)} signature, and + reference the input string using the parse action's C{s} argument + - explicitly expand the tabs in your input string before calling + C{parseString} + Example:: - Word('a').parseString('aaaaabaaa') # -> ['aaaaa'] Word('a').parseString('aaaaabaaa', parseAll=True) # -> Exception: Expected end of text """ @@ -1819,23 +1659,22 @@ def scanString( self, instring, maxMatches=_MAX_INT, overlap=False ): """ Scan the input string for expression matches. Each match will return the matching tokens, start location, and end location. May be called with optional - ``maxMatches`` argument, to clip scanning after 'n' matches are found. If - ``overlap`` is specified, then overlapping matches will be reported. + C{maxMatches} argument, to clip scanning after 'n' matches are found. If + C{overlap} is specified, then overlapping matches will be reported. Note that the start and end locations are reported relative to the string - being parsed. See :class:`parseString` for more information on parsing + being parsed. See L{I{parseString}<parseString>} for more information on parsing strings with embedded tabs. Example:: - source = "sldjf123lsdjjkf345sldkjf879lkjsfd987" print(source) for tokens,start,end in Word(alphas).scanString(source): print(' '*start + '^'*(end-start)) print(' '*start + tokens[0]) - + prints:: - + sldjf123lsdjjkf345sldkjf879lkjsfd987 ^^^^^ sldjf @@ -1889,22 +1728,19 @@ def scanString( self, instring, maxMatches=_MAX_INT, overlap=False ): def transformString( self, instring ): """ - Extension to :class:`scanString`, to modify matching text with modified tokens that may - be returned from a parse action. To use ``transformString``, define a grammar and + Extension to C{L{scanString}}, to modify matching text with modified tokens that may + be returned from a parse action. To use C{transformString}, define a grammar and attach a parse action to it that modifies the returned token list. - Invoking ``transformString()`` on a target string will then scan for matches, + Invoking C{transformString()} on a target string will then scan for matches, and replace the matched text patterns according to the logic in the parse - action. ``transformString()`` returns the resulting transformed string. - + action. C{transformString()} returns the resulting transformed string. + Example:: - wd = Word(alphas) wd.setParseAction(lambda toks: toks[0].title()) - + print(wd.transformString("now is the winter of our discontent made glorious summer by this sun of york.")) - - prints:: - + Prints:: Now Is The Winter Of Our Discontent Made Glorious Summer By This Sun Of York. """ out = [] @@ -1935,22 +1771,19 @@ def transformString( self, instring ): def searchString( self, instring, maxMatches=_MAX_INT ): """ - Another extension to :class:`scanString`, simplifying the access to the tokens found + Another extension to C{L{scanString}}, simplifying the access to the tokens found to match the given parse expression. May be called with optional - ``maxMatches`` argument, to clip searching after 'n' matches are found. - + C{maxMatches} argument, to clip searching after 'n' matches are found. + Example:: - # a capitalized word starts with an uppercase letter, followed by zero or more lowercase letters cap_word = Word(alphas.upper(), alphas.lower()) - + print(cap_word.searchString("More than Iron, more than Lead, more than Gold I need Electricity")) # the sum() builtin can be used to merge results into a single ParseResults object print(sum(cap_word.searchString("More than Iron, more than Lead, more than Gold I need Electricity"))) - prints:: - [['More'], ['Iron'], ['Lead'], ['Gold'], ['I'], ['Electricity']] ['More', 'Iron', 'Lead', 'Gold', 'I', 'Electricity'] """ @@ -1966,17 +1799,14 @@ def searchString( self, instring, maxMatches=_MAX_INT ): def split(self, instring, maxsplit=_MAX_INT, includeSeparators=False): """ Generator method to split a string using the given expression as a separator. - May be called with optional ``maxsplit`` argument, to limit the number of splits; - and the optional ``includeSeparators`` argument (default= ``False``), if the separating + May be called with optional C{maxsplit} argument, to limit the number of splits; + and the optional C{includeSeparators} argument (default=C{False}), if the separating matching text should be included in the split results. - - Example:: - + + Example:: punc = oneOf(list(".,;:/-!?")) print(list(punc.split("This, this?, this sentence, is badly punctuated!"))) - prints:: - ['This', ' this', '', ' this sentence', ' is badly punctuated', ''] """ splits = 0 @@ -1990,17 +1820,14 @@ def split(self, instring, maxsplit=_MAX_INT, includeSeparators=False): def __add__(self, other ): """ - Implementation of + operator - returns :class:`And`. Adding strings to a ParserElement - converts them to :class:`Literal`s by default. - + Implementation of + operator - returns C{L{And}}. Adding strings to a ParserElement + converts them to L{Literal}s by default. + Example:: - greet = Word(alphas) + "," + Word(alphas) + "!" hello = "Hello, World!" print (hello, "->", greet.parseString(hello)) - - prints:: - + Prints:: Hello, World! -> ['Hello', ',', 'World', '!'] """ if isinstance( other, basestring ): @@ -2013,7 +1840,7 @@ def __add__(self, other ): def __radd__(self, other ): """ - Implementation of + operator when left operand is not a :class:`ParserElement` + Implementation of + operator when left operand is not a C{L{ParserElement}} """ if isinstance( other, basestring ): other = ParserElement._literalStringClass( other ) @@ -2025,7 +1852,7 @@ def __radd__(self, other ): def __sub__(self, other): """ - Implementation of - operator, returns :class:`And` with error stop + Implementation of - operator, returns C{L{And}} with error stop """ if isinstance( other, basestring ): other = ParserElement._literalStringClass( other ) @@ -2037,7 +1864,7 @@ def __sub__(self, other): def __rsub__(self, other ): """ - Implementation of - operator when left operand is not a :class:`ParserElement` + Implementation of - operator when left operand is not a C{L{ParserElement}} """ if isinstance( other, basestring ): other = ParserElement._literalStringClass( other ) @@ -2049,23 +1876,23 @@ def __rsub__(self, other ): def __mul__(self,other): """ - Implementation of * operator, allows use of ``expr * 3`` in place of - ``expr + expr + expr``. Expressions may also me multiplied by a 2-integer - tuple, similar to ``{min,max}`` multipliers in regular expressions. Tuples - may also include ``None`` as in: - - ``expr*(n,None)`` or ``expr*(n,)`` is equivalent - to ``expr*n + ZeroOrMore(expr)`` - (read as "at least n instances of ``expr``") - - ``expr*(None,n)`` is equivalent to ``expr*(0,n)`` - (read as "0 to n instances of ``expr``") - - ``expr*(None,None)`` is equivalent to ``ZeroOrMore(expr)`` - - ``expr*(1,None)`` is equivalent to ``OneOrMore(expr)`` - - Note that ``expr*(None,n)`` does not raise an exception if + Implementation of * operator, allows use of C{expr * 3} in place of + C{expr + expr + expr}. Expressions may also me multiplied by a 2-integer + tuple, similar to C{{min,max}} multipliers in regular expressions. Tuples + may also include C{None} as in: + - C{expr*(n,None)} or C{expr*(n,)} is equivalent + to C{expr*n + L{ZeroOrMore}(expr)} + (read as "at least n instances of C{expr}") + - C{expr*(None,n)} is equivalent to C{expr*(0,n)} + (read as "0 to n instances of C{expr}") + - C{expr*(None,None)} is equivalent to C{L{ZeroOrMore}(expr)} + - C{expr*(1,None)} is equivalent to C{L{OneOrMore}(expr)} + + Note that C{expr*(None,n)} does not raise an exception if more than n exprs exist in the input stream; that is, - ``expr*(None,n)`` does not enforce a maximum number of expr + C{expr*(None,n)} does not enforce a maximum number of expr occurrences. If this behavior is desired, then write - ``expr*(None,n) + ~expr`` + C{expr*(None,n) + ~expr} """ if isinstance(other,int): minElements, optElements = other,0 @@ -2120,7 +1947,7 @@ def __rmul__(self, other): def __or__(self, other ): """ - Implementation of | operator - returns :class:`MatchFirst` + Implementation of | operator - returns C{L{MatchFirst}} """ if isinstance( other, basestring ): other = ParserElement._literalStringClass( other ) @@ -2132,7 +1959,7 @@ def __or__(self, other ): def __ror__(self, other ): """ - Implementation of | operator when left operand is not a :class:`ParserElement` + Implementation of | operator when left operand is not a C{L{ParserElement}} """ if isinstance( other, basestring ): other = ParserElement._literalStringClass( other ) @@ -2144,7 +1971,7 @@ def __ror__(self, other ): def __xor__(self, other ): """ - Implementation of ^ operator - returns :class:`Or` + Implementation of ^ operator - returns C{L{Or}} """ if isinstance( other, basestring ): other = ParserElement._literalStringClass( other ) @@ -2156,7 +1983,7 @@ def __xor__(self, other ): def __rxor__(self, other ): """ - Implementation of ^ operator when left operand is not a :class:`ParserElement` + Implementation of ^ operator when left operand is not a C{L{ParserElement}} """ if isinstance( other, basestring ): other = ParserElement._literalStringClass( other ) @@ -2168,7 +1995,7 @@ def __rxor__(self, other ): def __and__(self, other ): """ - Implementation of & operator - returns :class:`Each` + Implementation of & operator - returns C{L{Each}} """ if isinstance( other, basestring ): other = ParserElement._literalStringClass( other ) @@ -2180,7 +2007,7 @@ def __and__(self, other ): def __rand__(self, other ): """ - Implementation of & operator when left operand is not a :class:`ParserElement` + Implementation of & operator when left operand is not a C{L{ParserElement}} """ if isinstance( other, basestring ): other = ParserElement._literalStringClass( other ) @@ -2192,24 +2019,23 @@ def __rand__(self, other ): def __invert__( self ): """ - Implementation of ~ operator - returns :class:`NotAny` + Implementation of ~ operator - returns C{L{NotAny}} """ return NotAny( self ) def __call__(self, name=None): """ - Shortcut for :class:`setResultsName`, with ``listAllMatches=False``. - - If ``name`` is given with a trailing ``'*'`` character, then ``listAllMatches`` will be - passed as ``True``. - - If ``name` is omitted, same as calling :class:`copy`. + Shortcut for C{L{setResultsName}}, with C{listAllMatches=False}. + + If C{name} is given with a trailing C{'*'} character, then C{listAllMatches} will be + passed as C{True}. + + If C{name} is omitted, same as calling C{L{copy}}. Example:: - # these are equivalent userdata = Word(alphas).setResultsName("name") + Word(nums+"-").setResultsName("socsecno") - userdata = Word(alphas)("name") + Word(nums+"-")("socsecno") + userdata = Word(alphas)("name") + Word(nums+"-")("socsecno") """ if name is not None: return self.setResultsName(name) @@ -2218,7 +2044,7 @@ def __call__(self, name=None): def suppress( self ): """ - Suppresses the output of this :class:`ParserElement`; useful to keep punctuation from + Suppresses the output of this C{ParserElement}; useful to keep punctuation from cluttering up returned output. """ return Suppress( self ) @@ -2226,7 +2052,7 @@ def suppress( self ): def leaveWhitespace( self ): """ Disables the skipping of whitespace before matching the characters in the - :class:`ParserElement`'s defined pattern. This is normally only used internally by + C{ParserElement}'s defined pattern. This is normally only used internally by the pyparsing module, but may be needed in some whitespace-sensitive grammars. """ self.skipWhitespace = False @@ -2243,9 +2069,9 @@ def setWhitespaceChars( self, chars ): def parseWithTabs( self ): """ - Overrides default behavior to expand ``<TAB>``s to spaces before parsing the input string. - Must be called before ``parseString`` when the input grammar contains elements that - match ``<TAB>`` characters. + Overrides default behavior to expand C{<TAB>}s to spaces before parsing the input string. + Must be called before C{parseString} when the input grammar contains elements that + match C{<TAB>} characters. """ self.keepTabs = True return self @@ -2255,12 +2081,11 @@ def ignore( self, other ): Define expression to be ignored (e.g., comments) while doing pattern matching; may be called repeatedly, to define multiple comment or other ignorable patterns. - + Example:: - patt = OneOrMore(Word(alphas)) patt.parseString('ablaj /* comment */ lskjd') # -> ['ablaj'] - + patt.ignore(cStyleComment) patt.parseString('ablaj /* comment */ lskjd') # -> ['ablaj', 'lskjd'] """ @@ -2287,21 +2112,19 @@ def setDebugActions( self, startAction, successAction, exceptionAction ): def setDebug( self, flag=True ): """ Enable display of debugging messages while doing pattern matching. - Set ``flag`` to True to enable, False to disable. + Set C{flag} to True to enable, False to disable. Example:: - wd = Word(alphas).setName("alphaword") integer = Word(nums).setName("numword") term = wd | integer - + # turn on debugging for wd wd.setDebug() OneOrMore(term).parseString("abc 123 xyz 890") - + prints:: - Match alphaword at loc 0(1,1) Matched alphaword -> ['abc'] Match alphaword at loc 3(1,4) @@ -2314,12 +2137,12 @@ def setDebug( self, flag=True ): Exception raised:Expected alphaword (at char 15), (line:1, col:16) The output shown is that produced by the default debug actions - custom debug actions can be - specified using :class:`setDebugActions`. Prior to attempting - to match the ``wd`` expression, the debugging message ``"Match <exprname> at loc <n>(<line>,<col>)"`` - is shown. Then if the parse succeeds, a ``"Matched"`` message is shown, or an ``"Exception raised"`` - message is shown. Also note the use of :class:`setName` to assign a human-readable name to the expression, + specified using L{setDebugActions}. Prior to attempting + to match the C{wd} expression, the debugging message C{"Match <exprname> at loc <n>(<line>,<col>)"} + is shown. Then if the parse succeeds, a C{"Matched"} message is shown, or an C{"Exception raised"} + message is shown. Also note the use of L{setName} to assign a human-readable name to the expression, which makes debugging and exception messages easier to understand - for instance, the default - name created for the :class:`Word` expression without calling ``setName`` is ``"W:(ABCD...)"``. + name created for the C{Word} expression without calling C{setName} is C{"W:(ABCD...)"}. """ if flag: self.setDebugActions( _defaultStartDebugAction, _defaultSuccessDebugAction, _defaultExceptionDebugAction ) @@ -2389,15 +2212,14 @@ def __rne__(self,other): def matches(self, testString, parseAll=True): """ - Method for quick testing of a parser against a test string. Good for simple + Method for quick testing of a parser against a test string. Good for simple inline microtests of sub expressions while building up larger parser. - + Parameters: - testString - to test against this expression for a match - - parseAll - (default= ``True``) - flag to pass to :class:`parseString` when running tests - + - parseAll - (default=C{True}) - flag to pass to C{L{parseString}} when running tests + Example:: - expr = Word(nums) assert expr.matches("100") """ @@ -2406,32 +2228,28 @@ def matches(self, testString, parseAll=True): return True except ParseBaseException: return False - - def runTests(self, tests, parseAll=True, comment='#', - fullDump=True, printResults=True, failureTests=False, postParse=None): + + def runTests(self, tests, parseAll=True, comment='#', fullDump=True, printResults=True, failureTests=False): """ Execute the parse expression on a series of test strings, showing each test, the parsed results or where the parse failed. Quick and easy way to run a parse expression against a list of sample strings. - + Parameters: - tests - a list of separate test strings, or a multiline string of test strings - - parseAll - (default= ``True``) - flag to pass to :class:`parseString` when running tests - - comment - (default= ``'#'``) - expression for indicating embedded comments in the test + - parseAll - (default=C{True}) - flag to pass to C{L{parseString}} when running tests + - comment - (default=C{'#'}) - expression for indicating embedded comments in the test string; pass None to disable comment filtering - - fullDump - (default= ``True``) - dump results as list followed by results names in nested outline; + - fullDump - (default=C{True}) - dump results as list followed by results names in nested outline; if False, only dump nested list - - printResults - (default= ``True``) prints test output to stdout - - failureTests - (default= ``False``) indicates if these tests are expected to fail parsing - - postParse - (default= ``None``) optional callback for successful parse results; called as - `fn(test_string, parse_results)` and returns a string to be added to the test output + - printResults - (default=C{True}) prints test output to stdout + - failureTests - (default=C{False}) indicates if these tests are expected to fail parsing Returns: a (success, results) tuple, where success indicates that all tests succeeded - (or failed if ``failureTests`` is True), and the results contain a list of lines of each + (or failed if C{failureTests} is True), and the results contain a list of lines of each test's output - + Example:: - number_expr = pyparsing_common.number.copy() result = number_expr.runTests(''' @@ -2455,9 +2273,7 @@ def runTests(self, tests, parseAll=True, comment='#', 3.14.159 ''', failureTests=True) print("Success" if result[0] else "Failed!") - prints:: - # unsigned integer 100 [100] @@ -2475,7 +2291,7 @@ def runTests(self, tests, parseAll=True, comment='#', [1e-12] Success - + # stray character 100Z ^ @@ -2497,7 +2313,7 @@ def runTests(self, tests, parseAll=True, comment='#', lines, create a test like this:: expr.runTest(r"this is a test\\n of strings that spans \\n 3 lines") - + (Note that this is a raw string literal, you must include the leading 'r'.) """ if isinstance(tests, basestring): @@ -2516,18 +2332,10 @@ def runTests(self, tests, parseAll=True, comment='#', out = ['\n'.join(comments), t] comments = [] try: - # convert newline marks to actual newlines, and strip leading BOM if present - t = t.replace(r'\n','\n').lstrip('\ufeff') + t = t.replace(r'\n','\n') result = self.parseString(t, parseAll=parseAll) out.append(result.dump(full=fullDump)) success = success and not failureTests - if postParse is not None: - try: - pp_value = postParse(t, result) - if pp_value is not None: - out.append(str(pp_value)) - except Exception as e: - out.append("{0} failed: {1}: {2}".format(postParse.__name__, type(e).__name__, e)) except ParseBaseException as pe: fatal = "(FATAL)" if isinstance(pe, ParseFatalException) else "" if '\n' in t: @@ -2549,20 +2357,21 @@ def runTests(self, tests, parseAll=True, comment='#', print('\n'.join(out)) allResults.append((t, result)) - + return success, allResults - + class Token(ParserElement): - """Abstract :class:`ParserElement` subclass, for defining atomic - matching patterns. + """ + Abstract C{ParserElement} subclass, for defining atomic matching patterns. """ def __init__( self ): super(Token,self).__init__( savelist=False ) class Empty(Token): - """An empty token, will always match. + """ + An empty token, will always match. """ def __init__( self ): super(Empty,self).__init__() @@ -2572,7 +2381,8 @@ def __init__( self ): class NoMatch(Token): - """A token that will never match. + """ + A token that will never match. """ def __init__( self ): super(NoMatch,self).__init__() @@ -2586,18 +2396,18 @@ def parseImpl( self, instring, loc, doActions=True ): class Literal(Token): - """Token to exactly match a specified string. - + """ + Token to exactly match a specified string. + Example:: - Literal('blah').parseString('blah') # -> ['blah'] Literal('blah').parseString('blahfooblah') # -> ['blah'] Literal('blah').parseString('bla') # -> Exception: Expected "blah" - - For case-insensitive matching, use :class:`CaselessLiteral`. - + + For case-insensitive matching, use L{CaselessLiteral}. + For keyword matching (force word break before and after the matched string), - use :class:`Keyword` or :class:`CaselessKeyword`. + use L{Keyword} or L{CaselessKeyword}. """ def __init__( self, matchString ): super(Literal,self).__init__() @@ -2627,29 +2437,21 @@ def parseImpl( self, instring, loc, doActions=True ): ParserElement._literalStringClass = Literal class Keyword(Token): - """Token to exactly match a specified string as a keyword, that is, - it must be immediately followed by a non-keyword character. Compare - with :class:`Literal`: - - - ``Literal("if")`` will match the leading ``'if'`` in - ``'ifAndOnlyIf'``. - - ``Keyword("if")`` will not; it will only match the leading - ``'if'`` in ``'if x=1'``, or ``'if(y==2)'`` - - Accepts two optional constructor arguments in addition to the - keyword string: - - - ``identChars`` is a string of characters that would be valid - identifier characters, defaulting to all alphanumerics + "_" and - "$" - - ``caseless`` allows case-insensitive matching, default is ``False``. - + """ + Token to exactly match a specified string as a keyword, that is, it must be + immediately followed by a non-keyword character. Compare with C{L{Literal}}: + - C{Literal("if")} will match the leading C{'if'} in C{'ifAndOnlyIf'}. + - C{Keyword("if")} will not; it will only match the leading C{'if'} in C{'if x=1'}, or C{'if(y==2)'} + Accepts two optional constructor arguments in addition to the keyword string: + - C{identChars} is a string of characters that would be valid identifier characters, + defaulting to all alphanumerics + "_" and "$" + - C{caseless} allows case-insensitive matching, default is C{False}. + Example:: - Keyword("start").parseString("start") # -> ['start'] Keyword("start").parseString("starting") # -> Exception - For case-insensitive matching, use :class:`CaselessKeyword`. + For case-insensitive matching, use L{CaselessKeyword}. """ DEFAULT_KEYWORD_CHARS = alphanums+"_$" @@ -2700,15 +2502,15 @@ def setDefaultKeywordChars( chars ): Keyword.DEFAULT_KEYWORD_CHARS = chars class CaselessLiteral(Literal): - """Token to match a specified string, ignoring case of letters. + """ + Token to match a specified string, ignoring case of letters. Note: the matched results will always be in the case of the given match string, NOT the case of the input text. Example:: - OneOrMore(CaselessLiteral("CMD")).parseString("cmd CMD Cmd10") # -> ['CMD', 'CMD', 'CMD'] - - (Contrast with example for :class:`CaselessKeyword`.) + + (Contrast with example for L{CaselessKeyword}.) """ def __init__( self, matchString ): super(CaselessLiteral,self).__init__( matchString.upper() ) @@ -2724,39 +2526,36 @@ def parseImpl( self, instring, loc, doActions=True ): class CaselessKeyword(Keyword): """ - Caseless version of :class:`Keyword`. + Caseless version of L{Keyword}. Example:: - OneOrMore(CaselessKeyword("CMD")).parseString("cmd CMD Cmd10") # -> ['CMD', 'CMD'] - - (Contrast with example for :class:`CaselessLiteral`.) + + (Contrast with example for L{CaselessLiteral}.) """ def __init__( self, matchString, identChars=None ): super(CaselessKeyword,self).__init__( matchString, identChars, caseless=True ) -class CloseMatch(Token): - """A variation on :class:`Literal` which matches "close" matches, - that is, strings with at most 'n' mismatching characters. - :class:`CloseMatch` takes parameters: - - - ``match_string`` - string to be matched - - ``maxMismatches`` - (``default=1``) maximum number of - mismatches allowed to count as a match - - The results from a successful parse will contain the matched text - from the input string and the following named results: - - - ``mismatches`` - a list of the positions within the - match_string where mismatches were found - - ``original`` - the original match_string used to compare - against the input string - - If ``mismatches`` is an empty list, then the match was an exact - match. + def parseImpl( self, instring, loc, doActions=True ): + if ( (instring[ loc:loc+self.matchLen ].upper() == self.caselessmatch) and + (loc >= len(instring)-self.matchLen or instring[loc+self.matchLen].upper() not in self.identChars) ): + return loc+self.matchLen, self.match + raise ParseException(instring, loc, self.errmsg, self) +class CloseMatch(Token): + """ + A variation on L{Literal} which matches "close" matches, that is, + strings with at most 'n' mismatching characters. C{CloseMatch} takes parameters: + - C{match_string} - string to be matched + - C{maxMismatches} - (C{default=1}) maximum number of mismatches allowed to count as a match + + The results from a successful parse will contain the matched text from the input string and the following named results: + - C{mismatches} - a list of the positions within the match_string where mismatches were found + - C{original} - the original match_string used to compare against the input string + + If C{mismatches} is an empty list, then the match was an exact match. + Example:: - patt = CloseMatch("ATCATCGAATGGA") patt.parseString("ATCATCGAAXGGA") # -> (['ATCATCGAAXGGA'], {'mismatches': [[9]], 'original': ['ATCATCGAATGGA']}) patt.parseString("ATCAXCGAAXGGA") # -> Exception: Expected 'ATCATCGAATGGA' (with up to 1 mismatches) (at char 0), (line:1, col:1) @@ -2805,55 +2604,49 @@ def parseImpl( self, instring, loc, doActions=True ): class Word(Token): - """Token for matching words composed of allowed character sets. - Defined with string containing all allowed initial characters, an - optional string containing allowed body characters (if omitted, + """ + Token for matching words composed of allowed character sets. + Defined with string containing all allowed initial characters, + an optional string containing allowed body characters (if omitted, defaults to the initial character set), and an optional minimum, - maximum, and/or exact length. The default value for ``min`` is - 1 (a minimum value < 1 is not valid); the default values for - ``max`` and ``exact`` are 0, meaning no maximum or exact - length restriction. An optional ``excludeChars`` parameter can - list characters that might be found in the input ``bodyChars`` - string; useful to define a word of all printables except for one or - two characters, for instance. - - :class:`srange` is useful for defining custom character set strings - for defining ``Word`` expressions, using range notation from - regular expression character sets. - - A common mistake is to use :class:`Word` to match a specific literal - string, as in ``Word("Address")``. Remember that :class:`Word` - uses the string argument to define *sets* of matchable characters. - This expression would match "Add", "AAA", "dAred", or any other word - made up of the characters 'A', 'd', 'r', 'e', and 's'. To match an - exact literal string, use :class:`Literal` or :class:`Keyword`. + maximum, and/or exact length. The default value for C{min} is 1 (a + minimum value < 1 is not valid); the default values for C{max} and C{exact} + are 0, meaning no maximum or exact length restriction. An optional + C{excludeChars} parameter can list characters that might be found in + the input C{bodyChars} string; useful to define a word of all printables + except for one or two characters, for instance. + + L{srange} is useful for defining custom character set strings for defining + C{Word} expressions, using range notation from regular expression character sets. + + A common mistake is to use C{Word} to match a specific literal string, as in + C{Word("Address")}. Remember that C{Word} uses the string argument to define + I{sets} of matchable characters. This expression would match "Add", "AAA", + "dAred", or any other word made up of the characters 'A', 'd', 'r', 'e', and 's'. + To match an exact literal string, use L{Literal} or L{Keyword}. pyparsing includes helper strings for building Words: - - - :class:`alphas` - - :class:`nums` - - :class:`alphanums` - - :class:`hexnums` - - :class:`alphas8bit` (alphabetic characters in ASCII range 128-255 - - accented, tilded, umlauted, etc.) - - :class:`punc8bit` (non-alphabetic characters in ASCII range - 128-255 - currency, symbols, superscripts, diacriticals, etc.) - - :class:`printables` (any non-whitespace character) + - L{alphas} + - L{nums} + - L{alphanums} + - L{hexnums} + - L{alphas8bit} (alphabetic characters in ASCII range 128-255 - accented, tilded, umlauted, etc.) + - L{punc8bit} (non-alphabetic characters in ASCII range 128-255 - currency, symbols, superscripts, diacriticals, etc.) + - L{printables} (any non-whitespace character) Example:: - # a word composed of digits integer = Word(nums) # equivalent to Word("0123456789") or Word(srange("0-9")) - + # a word with a leading capital, and zero or more lowercase capital_word = Word(alphas.upper(), alphas.lower()) # hostnames are alphanumeric, with leading alpha, and '-' hostname = Word(alphas, alphanums+'-') - + # roman numeral (not a strict parser, accepts invalid mix of characters) roman = Word("IVXLCDM") - + # any string of non-whitespace characters, except for ',' csv_value = Word(printables, excludeChars=",") """ @@ -2969,38 +2762,22 @@ def charsAsStr(s): return self.strRepr -class Char(Word): - """A short-cut class for defining ``Word(characters, exact=1)``, - when defining a match of any single character in a string of - characters. - """ - def __init__(self, charset): - super(Char, self).__init__(charset, exact=1) - self.reString = "[%s]" % _escapeRegexRangeChars(self.initCharsOrig) - self.re = re.compile( self.reString ) - - class Regex(Token): - r"""Token for matching strings that match a given regular - expression. Defined with string specifying the regular expression in - a form recognized by the stdlib Python `re module <https://docs.python.org/3/library/re.html>`_. - If the given regex contains named groups (defined using ``(?P<name>...)``), - these will be preserved as named parse results. + r""" + Token for matching strings that match a given regular expression. + Defined with string specifying the regular expression in a form recognized by the inbuilt Python re module. + If the given regex contains named groups (defined using C{(?P<name>...)}), these will be preserved as + named parse results. Example:: - realnum = Regex(r"[+-]?\d+\.\d*") date = Regex(r'(?P<year>\d{4})-(?P<month>\d\d?)-(?P<day>\d\d?)') - # ref: https://stackoverflow.com/questions/267399/how-do-you-match-only-valid-roman-numerals-with-a-regular-expression - roman = Regex(r"M{0,4}(CM|CD|D?{0,3})(XC|XL|L?X{0,3})(IX|IV|V?I{0,3})") + # ref: http://stackoverflow.com/questions/267399/how-do-you-match-only-valid-roman-numerals-with-a-regular-expression + roman = Regex(r"M{0,4}(CM|CD|D?C{0,3})(XC|XL|L?X{0,3})(IX|IV|V?I{0,3})") """ compiledREtype = type(re.compile("[A-Z]")) - def __init__( self, pattern, flags=0, asGroupList=False, asMatch=False): - """The parameters ``pattern`` and ``flags`` are passed - to the ``re.compile()`` function as-is. See the Python - `re module <https://docs.python.org/3/library/re.html>`_ module for an - explanation of the acceptable patterns and flags. - """ + def __init__( self, pattern, flags=0): + """The parameters C{pattern} and C{flags} are passed to the C{re.compile()} function as-is. See the Python C{re} module for an explanation of the acceptable patterns and flags.""" super(Regex,self).__init__() if isinstance(pattern, basestring): @@ -3024,7 +2801,7 @@ def __init__( self, pattern, flags=0, asGroupList=False, asMatch=False): self.pattern = \ self.reString = str(pattern) self.flags = flags - + else: raise ValueError("Regex may only be constructed with a string or a compiled RE object") @@ -3032,8 +2809,6 @@ def __init__( self, pattern, flags=0, asGroupList=False, asMatch=False): self.errmsg = "Expected " + self.name self.mayIndexError = False self.mayReturnEmpty = True - self.asGroupList = asGroupList - self.asMatch = asMatch def parseImpl( self, instring, loc, doActions=True ): result = self.re.match(instring,loc) @@ -3041,16 +2816,11 @@ def parseImpl( self, instring, loc, doActions=True ): raise ParseException(instring, loc, self.errmsg, self) loc = result.end() - if self.asMatch: - ret = result - elif self.asGroupList: - ret = result.groups() - else: - ret = ParseResults(result.group()) - d = result.groupdict() - if d: - for k, v in d.items(): - ret[k] = v + d = result.groupdict() + ret = ParseResults(result.group()) + if d: + for k in d: + ret[k] = d[k] return loc,ret def __str__( self ): @@ -3064,70 +2834,28 @@ def __str__( self ): return self.strRepr - def sub(self, repl): - """ - Return Regex with an attached parse action to transform the parsed - result as if called using `re.sub(expr, repl, string) <https://docs.python.org/3/library/re.html#re.sub>`_. - - Example:: - - make_html = Regex(r"(\w+):(.*?):").sub(r"<\1>\2</\1>") - print(make_html.transformString("h1:main title:")) - # prints "<h1>main title</h1>" - """ - if self.asGroupList: - warnings.warn("cannot use sub() with Regex(asGroupList=True)", - SyntaxWarning, stacklevel=2) - raise SyntaxError() - - if self.asMatch and callable(repl): - warnings.warn("cannot use sub() with a callable with Regex(asMatch=True)", - SyntaxWarning, stacklevel=2) - raise SyntaxError() - - if self.asMatch: - def pa(tokens): - return tokens[0].expand(repl) - else: - def pa(tokens): - return self.re.sub(repl, tokens[0]) - return self.addParseAction(pa) class QuotedString(Token): r""" Token for matching strings that are delimited by quoting characters. - + Defined with the following parameters: - - - quoteChar - string of one or more characters defining the - quote delimiting string - - escChar - character to escape quotes, typically backslash - (default= ``None`` ) - - escQuote - special quote sequence to escape an embedded quote - string (such as SQL's ``""`` to escape an embedded ``"``) - (default= ``None`` ) - - multiline - boolean indicating whether quotes can span - multiple lines (default= ``False`` ) - - unquoteResults - boolean indicating whether the matched text - should be unquoted (default= ``True`` ) - - endQuoteChar - string of one or more characters defining the - end of the quote delimited string (default= ``None`` => same as - quoteChar) - - convertWhitespaceEscapes - convert escaped whitespace - (``'\t'``, ``'\n'``, etc.) to actual whitespace - (default= ``True`` ) + - quoteChar - string of one or more characters defining the quote delimiting string + - escChar - character to escape quotes, typically backslash (default=C{None}) + - escQuote - special quote sequence to escape an embedded quote string (such as SQL's "" to escape an embedded ") (default=C{None}) + - multiline - boolean indicating whether quotes can span multiple lines (default=C{False}) + - unquoteResults - boolean indicating whether the matched text should be unquoted (default=C{True}) + - endQuoteChar - string of one or more characters defining the end of the quote delimited string (default=C{None} => same as quoteChar) + - convertWhitespaceEscapes - convert escaped whitespace (C{'\t'}, C{'\n'}, etc.) to actual whitespace (default=C{True}) Example:: - qs = QuotedString('"') print(qs.searchString('lsjdf "This is the quote" sldjf')) complex_qs = QuotedString('{{', endQuoteChar='}}') print(complex_qs.searchString('lsjdf {{This is the "quote"}} sldjf')) sql_qs = QuotedString('"', escQuote='""') print(sql_qs.searchString('lsjdf "This is the quote with ""embedded"" quotes" sldjf')) - prints:: - [['This is the quote']] [['This is the "quote"']] [['This is the quote with "embedded" quotes']] @@ -3245,23 +2973,19 @@ def __str__( self ): class CharsNotIn(Token): - """Token for matching words composed of characters *not* in a given - set (will include whitespace in matched characters if not listed in - the provided exclusion set - see example). Defined with string - containing all disallowed characters, and an optional minimum, - maximum, and/or exact length. The default value for ``min`` is - 1 (a minimum value < 1 is not valid); the default values for - ``max`` and ``exact`` are 0, meaning no maximum or exact - length restriction. + """ + Token for matching words composed of characters I{not} in a given set (will + include whitespace in matched characters if not listed in the provided exclusion set - see example). + Defined with string containing all disallowed characters, and an optional + minimum, maximum, and/or exact length. The default value for C{min} is 1 (a + minimum value < 1 is not valid); the default values for C{max} and C{exact} + are 0, meaning no maximum or exact length restriction. Example:: - # define a comma-separated-value as anything that is not a ',' csv_value = CharsNotIn(',') print(delimitedList(csv_value).parseString("dkls,lsdkjf,s12 34,@!#,213")) - prints:: - ['dkls', 'lsdkjf', 's12 34', '@!#', '213'] """ def __init__( self, notChars, min=1, max=0, exact=0 ): @@ -3270,9 +2994,7 @@ def __init__( self, notChars, min=1, max=0, exact=0 ): self.notChars = notChars if min < 1: - raise ValueError( - "cannot specify a minimum length < 1; use " + - "Optional(CharsNotIn()) if zero-length char group is permitted") + raise ValueError("cannot specify a minimum length < 1; use Optional(CharsNotIn()) if zero-length char group is permitted") self.minLen = min @@ -3322,38 +3044,19 @@ def __str__( self ): return self.strRepr class White(Token): - """Special matching class for matching whitespace. Normally, - whitespace is ignored by pyparsing grammars. This class is included - when some whitespace structures are significant. Define with - a string containing the whitespace characters to be matched; default - is ``" \\t\\r\\n"``. Also takes optional ``min``, - ``max``, and ``exact`` arguments, as defined for the - :class:`Word` class. + """ + Special matching class for matching whitespace. Normally, whitespace is ignored + by pyparsing grammars. This class is included when some whitespace structures + are significant. Define with a string containing the whitespace characters to be + matched; default is C{" \\t\\r\\n"}. Also takes optional C{min}, C{max}, and C{exact} arguments, + as defined for the C{L{Word}} class. """ whiteStrs = { - ' ' : '<SP>', - '\t': '<TAB>', - '\n': '<LF>', - '\r': '<CR>', - '\f': '<FF>', - 'u\00A0': '<NBSP>', - 'u\1680': '<OGHAM_SPACE_MARK>', - 'u\180E': '<MONGOLIAN_VOWEL_SEPARATOR>', - 'u\2000': '<EN_QUAD>', - 'u\2001': '<EM_QUAD>', - 'u\2002': '<EN_SPACE>', - 'u\2003': '<EM_SPACE>', - 'u\2004': '<THREE-PER-EM_SPACE>', - 'u\2005': '<FOUR-PER-EM_SPACE>', - 'u\2006': '<SIX-PER-EM_SPACE>', - 'u\2007': '<FIGURE_SPACE>', - 'u\2008': '<PUNCTUATION_SPACE>', - 'u\2009': '<THIN_SPACE>', - 'u\200A': '<HAIR_SPACE>', - 'u\200B': '<ZERO_WIDTH_SPACE>', - 'u\202F': '<NNBSP>', - 'u\205F': '<MMSP>', - 'u\3000': '<IDEOGRAPHIC_SPACE>', + " " : "<SPC>", + "\t": "<TAB>", + "\n": "<LF>", + "\r": "<CR>", + "\f": "<FF>", } def __init__(self, ws=" \t\r\n", min=1, max=0, exact=0): super(White,self).__init__() @@ -3399,8 +3102,8 @@ def __init__( self ): self.mayIndexError = False class GoToColumn(_PositionToken): - """Token to advance to a specific column of input text; useful for - tabular report scraping. + """ + Token to advance to a specific column of input text; useful for tabular report scraping. """ def __init__( self, colno ): super(GoToColumn,self).__init__() @@ -3425,11 +3128,11 @@ def parseImpl( self, instring, loc, doActions=True ): class LineStart(_PositionToken): - """Matches if current position is at the beginning of a line within - the parse string - + """ + Matches if current position is at the beginning of a line within the parse string + Example:: - + test = '''\ AAA this line AAA and this line @@ -3439,11 +3142,10 @@ class LineStart(_PositionToken): for t in (LineStart() + 'AAA' + restOfLine).searchString(test): print(t) - - prints:: - + + Prints:: ['AAA', ' this line'] - ['AAA', ' and this line'] + ['AAA', ' and this line'] """ def __init__( self ): @@ -3456,8 +3158,8 @@ def parseImpl( self, instring, loc, doActions=True ): raise ParseException(instring, loc, self.errmsg, self) class LineEnd(_PositionToken): - """Matches if current position is at the end of a line within the - parse string + """ + Matches if current position is at the end of a line within the parse string """ def __init__( self ): super(LineEnd,self).__init__() @@ -3476,8 +3178,8 @@ def parseImpl( self, instring, loc, doActions=True ): raise ParseException(instring, loc, self.errmsg, self) class StringStart(_PositionToken): - """Matches if current position is at the beginning of the parse - string + """ + Matches if current position is at the beginning of the parse string """ def __init__( self ): super(StringStart,self).__init__() @@ -3491,7 +3193,8 @@ def parseImpl( self, instring, loc, doActions=True ): return loc, [] class StringEnd(_PositionToken): - """Matches if current position is at the end of the parse string + """ + Matches if current position is at the end of the parse string """ def __init__( self ): super(StringEnd,self).__init__() @@ -3508,13 +3211,12 @@ def parseImpl( self, instring, loc, doActions=True ): raise ParseException(instring, loc, self.errmsg, self) class WordStart(_PositionToken): - """Matches if the current position is at the beginning of a Word, - and is not preceded by any character in a given set of - ``wordChars`` (default= ``printables``). To emulate the - ``\b`` behavior of regular expressions, use - ``WordStart(alphanums)``. ``WordStart`` will also match at - the beginning of the string being parsed, or at the beginning of - a line. + """ + Matches if the current position is at the beginning of a Word, and + is not preceded by any character in a given set of C{wordChars} + (default=C{printables}). To emulate the C{\b} behavior of regular expressions, + use C{WordStart(alphanums)}. C{WordStart} will also match at the beginning of + the string being parsed, or at the beginning of a line. """ def __init__(self, wordChars = printables): super(WordStart,self).__init__() @@ -3529,12 +3231,12 @@ def parseImpl(self, instring, loc, doActions=True ): return loc, [] class WordEnd(_PositionToken): - """Matches if the current position is at the end of a Word, and is - not followed by any character in a given set of ``wordChars`` - (default= ``printables``). To emulate the ``\b`` behavior of - regular expressions, use ``WordEnd(alphanums)``. ``WordEnd`` - will also match at the end of the string being parsed, or at the end - of a line. + """ + Matches if the current position is at the end of a Word, and + is not followed by any character in a given set of C{wordChars} + (default=C{printables}). To emulate the C{\b} behavior of regular expressions, + use C{WordEnd(alphanums)}. C{WordEnd} will also match at the end of + the string being parsed, or at the end of a line. """ def __init__(self, wordChars = printables): super(WordEnd,self).__init__() @@ -3552,8 +3254,8 @@ def parseImpl(self, instring, loc, doActions=True ): class ParseExpression(ParserElement): - """Abstract subclass of ParserElement, for combining and - post-processing parsed tokens. + """ + Abstract subclass of ParserElement, for combining and post-processing parsed tokens. """ def __init__( self, exprs, savelist = False ): super(ParseExpression,self).__init__(savelist) @@ -3584,7 +3286,7 @@ def append( self, other ): return self def leaveWhitespace( self ): - """Extends ``leaveWhitespace`` defined in base class, and also invokes ``leaveWhitespace`` on + """Extends C{leaveWhitespace} defined in base class, and also invokes C{leaveWhitespace} on all contained expressions.""" self.skipWhitespace = False self.exprs = [ e.copy() for e in self.exprs ] @@ -3645,7 +3347,7 @@ def streamline( self ): self.mayIndexError |= other.mayIndexError self.errmsg = "Expected " + _ustr(self) - + return self def setResultsName( self, name, listAllMatches=False ): @@ -3657,7 +3359,7 @@ def validate( self, validateTrace=[] ): for e in self.exprs: e.validate(tmp) self.checkRecursion( [] ) - + def copy(self): ret = super(ParseExpression,self).copy() ret.exprs = [e.copy() for e in self.exprs] @@ -3665,14 +3367,12 @@ def copy(self): class And(ParseExpression): """ - Requires all given :class:`ParseExpression` s to be found in the given order. + Requires all given C{ParseExpression}s to be found in the given order. Expressions may be separated by whitespace. - May be constructed using the ``'+'`` operator. - May also be constructed using the ``'-'`` operator, which will - suppress backtracking. + May be constructed using the C{'+'} operator. + May also be constructed using the C{'-'} operator, which will suppress backtracking. Example:: - integer = Word(nums) name_expr = OneOrMore(Word(alphas)) @@ -3694,11 +3394,6 @@ def __init__( self, exprs, savelist = True ): self.skipWhitespace = self.exprs[0].skipWhitespace self.callPreparse = True - def streamline(self): - super(And, self).streamline() - self.mayReturnEmpty = all(e.mayReturnEmpty for e in self.exprs) - return self - def parseImpl( self, instring, loc, doActions=True ): # pass False as last arg to _parse for first element, since we already # pre-parsed the string as part of our And pre-parsing @@ -3747,20 +3442,17 @@ def __str__( self ): class Or(ParseExpression): - """Requires that at least one :class:`ParseExpression` is found. If - two expressions match, the expression that matches the longest - string will be used. May be constructed using the ``'^'`` - operator. + """ + Requires that at least one C{ParseExpression} is found. + If two expressions match, the expression that matches the longest string will be used. + May be constructed using the C{'^'} operator. Example:: - # construct Or using '^' operator - + number = Word(nums) ^ Combine(Word(nums) + '.' + Word(nums)) print(number.searchString("123 3.1416 789")) - prints:: - [['123'], ['3.1416'], ['789']] """ def __init__( self, exprs, savelist = False ): @@ -3770,11 +3462,6 @@ def __init__( self, exprs, savelist = False ): else: self.mayReturnEmpty = True - def streamline(self): - super(Or, self).streamline() - self.saveAsList = any(e.saveAsList for e in self.exprs) - return self - def parseImpl( self, instring, loc, doActions=True ): maxExcLoc = -1 maxException = None @@ -3834,14 +3521,14 @@ def checkRecursion( self, parseElementList ): class MatchFirst(ParseExpression): - """Requires that at least one :class:`ParseExpression` is found. If - two expressions match, the first one listed is the one that will - match. May be constructed using the ``'|'`` operator. + """ + Requires that at least one C{ParseExpression} is found. + If two expressions match, the first one listed is the one that will match. + May be constructed using the C{'|'} operator. Example:: - # construct MatchFirst using '|' operator - + # watch the order of expressions to match number = Word(nums) | Combine(Word(nums) + '.' + Word(nums)) print(number.searchString("123 3.1416 789")) # Fail! -> [['123'], ['3'], ['1416'], ['789']] @@ -3854,15 +3541,9 @@ def __init__( self, exprs, savelist = False ): super(MatchFirst,self).__init__(exprs, savelist) if self.exprs: self.mayReturnEmpty = any(e.mayReturnEmpty for e in self.exprs) - # self.saveAsList = any(e.saveAsList for e in self.exprs) else: self.mayReturnEmpty = True - def streamline(self): - super(MatchFirst, self).streamline() - self.saveAsList = any(e.saveAsList for e in self.exprs) - return self - def parseImpl( self, instring, loc, doActions=True ): maxExcLoc = -1 maxException = None @@ -3908,13 +3589,12 @@ def checkRecursion( self, parseElementList ): class Each(ParseExpression): - """Requires all given :class:`ParseExpression` s to be found, but in - any order. Expressions may be separated by whitespace. - - May be constructed using the ``'&'`` operator. + """ + Requires all given C{ParseExpression}s to be found, but in any order. + Expressions may be separated by whitespace. + May be constructed using the C{'&'} operator. Example:: - color = oneOf("RED ORANGE YELLOW GREEN BLUE PURPLE BLACK WHITE BROWN") shape_type = oneOf("SQUARE CIRCLE TRIANGLE STAR HEXAGON OCTAGON") integer = Word(nums) @@ -3923,7 +3603,7 @@ class Each(ParseExpression): color_attr = "color:" + color("color") size_attr = "size:" + integer("size") - # use Each (using operator '&') to accept attributes in any order + # use Each (using operator '&') to accept attributes in any order # (shape and posn are required, color and size are optional) shape_spec = shape_attr & posn_attr & Optional(color_attr) & Optional(size_attr) @@ -3933,9 +3613,7 @@ class Each(ParseExpression): color:GREEN size:20 shape:TRIANGLE posn:20,40 ''' ) - prints:: - shape: SQUARE color: BLACK posn: 100, 120 ['shape:', 'SQUARE', 'color:', 'BLACK', 'posn:', ['100', ',', '120']] - color: BLACK @@ -3969,12 +3647,6 @@ def __init__( self, exprs, savelist = True ): self.mayReturnEmpty = all(e.mayReturnEmpty for e in self.exprs) self.skipWhitespace = True self.initExprGroups = True - self.saveAsList = True - - def streamline(self): - super(Each, self).streamline() - self.mayReturnEmpty = all(e.mayReturnEmpty for e in self.exprs) - return self def parseImpl( self, instring, loc, doActions=True ): if self.initExprGroups: @@ -4041,8 +3713,8 @@ def checkRecursion( self, parseElementList ): class ParseElementEnhance(ParserElement): - """Abstract subclass of :class:`ParserElement`, for combining and - post-processing parsed tokens. + """ + Abstract subclass of C{ParserElement}, for combining and post-processing parsed tokens. """ def __init__( self, expr, savelist=False ): super(ParseElementEnhance,self).__init__(savelist) @@ -4118,25 +3790,20 @@ def __str__( self ): class FollowedBy(ParseElementEnhance): - """Lookahead matching of the given parse expression. - ``FollowedBy`` does *not* advance the parsing position within - the input string, it only verifies that the specified parse - expression matches at the current position. ``FollowedBy`` - always returns a null token list. If any results names are defined - in the lookahead expression, those *will* be returned for access by - name. + """ + Lookahead matching of the given parse expression. C{FollowedBy} + does I{not} advance the parsing position within the input string, it only + verifies that the specified parse expression matches at the current + position. C{FollowedBy} always returns a null token list. Example:: - # use FollowedBy to match a label only if it is followed by a ':' data_word = Word(alphas) label = data_word + FollowedBy(':') attr_expr = Group(label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) - + OneOrMore(attr_expr).parseString("shape: SQUARE color: BLACK posn: upper left").pprint() - prints:: - [['shape', 'SQUARE'], ['color', 'BLACK'], ['posn', 'upper left']] """ def __init__( self, expr ): @@ -4144,108 +3811,20 @@ def __init__( self, expr ): self.mayReturnEmpty = True def parseImpl( self, instring, loc, doActions=True ): - _, ret = self.expr._parse(instring, loc, doActions=doActions) - del ret[:] - return loc, ret - - -class PrecededBy(ParseElementEnhance): - """Lookbehind matching of the given parse expression. - ``PrecededBy`` does not advance the parsing position within the - input string, it only verifies that the specified parse expression - matches prior to the current position. ``PrecededBy`` always - returns a null token list, but if a results name is defined on the - given expression, it is returned. - - Parameters: - - - expr - expression that must match prior to the current parse - location - - retreat - (default= ``None``) - (int) maximum number of characters - to lookbehind prior to the current parse location - - If the lookbehind expression is a string, Literal, Keyword, or - a Word or CharsNotIn with a specified exact or maximum length, then - the retreat parameter is not required. Otherwise, retreat must be - specified to give a maximum number of characters to look back from - the current parse position for a lookbehind match. - - Example:: - - # VB-style variable names with type prefixes - int_var = PrecededBy("#") + pyparsing_common.identifier - str_var = PrecededBy("$") + pyparsing_common.identifier - - """ - def __init__(self, expr, retreat=None): - super(PrecededBy, self).__init__(expr) - self.expr = self.expr().leaveWhitespace() - self.mayReturnEmpty = True - self.mayIndexError = False - self.exact = False - if isinstance(expr, str): - retreat = len(expr) - self.exact = True - elif isinstance(expr, (Literal, Keyword)): - retreat = expr.matchLen - self.exact = True - elif isinstance(expr, (Word, CharsNotIn)) and expr.maxLen != _MAX_INT: - retreat = expr.maxLen - self.exact = True - elif isinstance(expr, _PositionToken): - retreat = 0 - self.exact = True - self.retreat = retreat - self.errmsg = "not preceded by " + str(expr) - self.skipWhitespace = False - - def parseImpl(self, instring, loc=0, doActions=True): - if self.exact: - if loc < self.retreat: - raise ParseException(instring, loc, self.errmsg) - start = loc - self.retreat - _, ret = self.expr._parse(instring, start) - else: - # retreat specified a maximum lookbehind window, iterate - test_expr = self.expr + StringEnd() - instring_slice = instring[:loc] - last_expr = ParseException(instring, loc, self.errmsg) - for offset in range(1, min(loc, self.retreat+1)): - try: - _, ret = test_expr._parse(instring_slice, loc-offset) - except ParseBaseException as pbe: - last_expr = pbe - else: - break - else: - raise last_expr - # return empty list of tokens, but preserve any defined results names - del ret[:] - return loc, ret + self.expr.tryParse( instring, loc ) + return loc, [] class NotAny(ParseElementEnhance): - """Lookahead to disallow matching with the given parse expression. - ``NotAny`` does *not* advance the parsing position within the - input string, it only verifies that the specified parse expression - does *not* match at the current position. Also, ``NotAny`` does - *not* skip over leading whitespace. ``NotAny`` always returns - a null token list. May be constructed using the '~' operator. + """ + Lookahead to disallow matching with the given parse expression. C{NotAny} + does I{not} advance the parsing position within the input string, it only + verifies that the specified parse expression does I{not} match at the current + position. Also, C{NotAny} does I{not} skip over leading whitespace. C{NotAny} + always returns a null token list. May be constructed using the '~' operator. Example:: - - AND, OR, NOT = map(CaselessKeyword, "AND OR NOT".split()) - - # take care not to mistake keywords for identifiers - ident = ~(AND | OR | NOT) + Word(alphas) - boolean_term = Optional(NOT) + ident - - # very crude boolean expression - to support parenthesis groups and - # operation hierarchy, use infixNotation - boolean_expr = boolean_term + ZeroOrMore((AND | OR) + boolean_term) - - # integers that are followed by "." are actually floats - integer = Word(nums) + ~Char(".") + """ def __init__( self, expr ): super(NotAny,self).__init__(expr) @@ -4283,7 +3862,7 @@ def parseImpl( self, instring, loc, doActions=True ): check_ender = self.not_ender is not None if check_ender: try_not_ender = self.not_ender.tryParse - + # must be at least one (but first see if we are the stopOn sentinel; # if so, fail) if check_ender: @@ -4305,18 +3884,18 @@ def parseImpl( self, instring, loc, doActions=True ): pass return loc, tokens - + class OneOrMore(_MultipleMatch): - """Repetition of one or more of the given expression. - + """ + Repetition of one or more of the given expression. + Parameters: - expr - expression that must match one or more times - - stopOn - (default= ``None``) - expression for a terminating sentinel - (only required if the sentinel would ordinarily match the repetition - expression) + - stopOn - (default=C{None}) - expression for a terminating sentinel + (only required if the sentinel would ordinarily match the repetition + expression) Example:: - data_word = Word(alphas) label = data_word + FollowedBy(':') attr_expr = Group(label + Suppress(':') + OneOrMore(data_word).setParseAction(' '.join)) @@ -4327,7 +3906,7 @@ class OneOrMore(_MultipleMatch): # use stopOn attribute for OneOrMore to avoid reading label string as part of the data attr_expr = Group(label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) OneOrMore(attr_expr).parseString(text).pprint() # Better -> [['shape', 'SQUARE'], ['posn', 'upper left'], ['color', 'BLACK']] - + # could also be written as (attr_expr * (1,)).parseString(text).pprint() """ @@ -4342,20 +3921,21 @@ def __str__( self ): return self.strRepr class ZeroOrMore(_MultipleMatch): - """Optional repetition of zero or more of the given expression. - + """ + Optional repetition of zero or more of the given expression. + Parameters: - expr - expression that must match zero or more times - - stopOn - (default= ``None``) - expression for a terminating sentinel - (only required if the sentinel would ordinarily match the repetition - expression) + - stopOn - (default=C{None}) - expression for a terminating sentinel + (only required if the sentinel would ordinarily match the repetition + expression) - Example: similar to :class:`OneOrMore` + Example: similar to L{OneOrMore} """ def __init__( self, expr, stopOn=None): super(ZeroOrMore,self).__init__(expr, stopOn=stopOn) self.mayReturnEmpty = True - + def parseImpl( self, instring, loc, doActions=True ): try: return super(ZeroOrMore, self).parseImpl(instring, loc, doActions) @@ -4380,29 +3960,27 @@ def __str__(self): _optionalNotMatched = _NullToken() class Optional(ParseElementEnhance): - """Optional matching of the given expression. + """ + Optional matching of the given expression. Parameters: - expr - expression that must match zero or more times - default (optional) - value to be returned if the optional expression is not found. Example:: - # US postal code can be a 5-digit zip, plus optional 4-digit qualifier zip = Combine(Word(nums, exact=5) + Optional('-' + Word(nums, exact=4))) zip.runTests(''' # traditional ZIP code 12345 - + # ZIP+4 form 12101-0001 - + # invalid ZIP 98765- ''') - prints:: - # traditional ZIP code 12345 ['12345'] @@ -4446,21 +4024,20 @@ def __str__( self ): return self.strRepr class SkipTo(ParseElementEnhance): - """Token for skipping over all undefined text until the matched - expression is found. + """ + Token for skipping over all undefined text until the matched expression is found. Parameters: - expr - target expression marking the end of the data to be skipped - - include - (default= ``False``) if True, the target expression is also parsed + - include - (default=C{False}) if True, the target expression is also parsed (the skipped text and target expression are returned as a 2-element list). - - ignore - (default= ``None``) used to define grammars (typically quoted strings and + - ignore - (default=C{None}) used to define grammars (typically quoted strings and comments) that might contain false matches to the target expression - - failOn - (default= ``None``) define expressions that are not allowed to be - included in the skipped test; if found before the target expression is found, + - failOn - (default=C{None}) define expressions that are not allowed to be + included in the skipped test; if found before the target expression is found, the SkipTo is not a match Example:: - report = ''' Outstanding Issues Report - 1 Jan 2000 @@ -4477,16 +4054,14 @@ class SkipTo(ParseElementEnhance): # - parse action will call token.strip() for each matched token, i.e., the description body string_data = SkipTo(SEP, ignore=quotedString) string_data.setParseAction(tokenMap(str.strip)) - ticket_expr = (integer("issue_num") + SEP - + string_data("sev") + SEP - + string_data("desc") + SEP + ticket_expr = (integer("issue_num") + SEP + + string_data("sev") + SEP + + string_data("desc") + SEP + integer("days_open")) - + for tkt in ticket_expr.searchString(report): print tkt.dump() - prints:: - ['101', 'Critical', 'Intermittent system crash', '6'] - days_open: 6 - desc: Intermittent system crash @@ -4509,7 +4084,7 @@ def __init__( self, other, include=False, ignore=None, failOn=None ): self.mayReturnEmpty = True self.mayIndexError = False self.includeMatch = include - self.saveAsList = False + self.asList = False if isinstance(failOn, basestring): self.failOn = ParserElement._literalStringClass(failOn) else: @@ -4523,14 +4098,14 @@ def parseImpl( self, instring, loc, doActions=True ): expr_parse = self.expr._parse self_failOn_canParseNext = self.failOn.canParseNext if self.failOn is not None else None self_ignoreExpr_tryParse = self.ignoreExpr.tryParse if self.ignoreExpr is not None else None - + tmploc = loc while tmploc <= instrlen: if self_failOn_canParseNext is not None: # break if failOn expression matches if self_failOn_canParseNext(instring, tmploc): break - + if self_ignoreExpr_tryParse is not None: # advance past ignore expressions while 1: @@ -4538,7 +4113,7 @@ def parseImpl( self, instring, loc, doActions=True ): tmploc = self_ignoreExpr_tryParse(instring, tmploc) except ParseBaseException: break - + try: expr_parse(instring, tmploc, doActions=False, callPreParse=False) except (ParseException, IndexError): @@ -4556,7 +4131,7 @@ def parseImpl( self, instring, loc, doActions=True ): loc = tmploc skiptext = instring[startloc:loc] skipresult = ParseResults(skiptext) - + if self.includeMatch: loc, mat = expr_parse(instring,loc,doActions,callPreParse=False) skipresult += mat @@ -4564,31 +4139,23 @@ def parseImpl( self, instring, loc, doActions=True ): return loc, skipresult class Forward(ParseElementEnhance): - """Forward declaration of an expression to be defined later - + """ + Forward declaration of an expression to be defined later - used for recursive grammars, such as algebraic infix notation. - When the expression is known, it is assigned to the ``Forward`` - variable using the '<<' operator. - - Note: take care when assigning to ``Forward`` not to overlook - precedence of operators. + When the expression is known, it is assigned to the C{Forward} variable using the '<<' operator. + Note: take care when assigning to C{Forward} not to overlook precedence of operators. Specifically, '|' has a lower precedence than '<<', so that:: - fwdExpr << a | b | c - will actually be evaluated as:: - (fwdExpr << a) | b | c - thereby leaving b and c out as parseable alternatives. It is recommended that you - explicitly group the values inserted into the ``Forward``:: - + explicitly group the values inserted into the C{Forward}:: fwdExpr << (a | b | c) - Converting to use the '<<=' operator instead will avoid this problem. - See :class:`ParseResults.pprint` for an example of a recursive - parser created using ``Forward``. + See L{ParseResults.pprint} for an example of a recursive parser created using + C{Forward}. """ def __init__( self, other=None ): super(Forward,self).__init__( other, savelist=False ) @@ -4605,10 +4172,10 @@ def __lshift__( self, other ): self.saveAsList = self.expr.saveAsList self.ignoreExprs.extend(self.expr.ignoreExprs) return self - + def __ilshift__(self, other): return self << other - + def leaveWhitespace( self ): self.skipWhitespace = False return self @@ -4658,20 +4225,19 @@ def __str__( self ): class TokenConverter(ParseElementEnhance): """ - Abstract subclass of :class:`ParseExpression`, for converting parsed results. + Abstract subclass of C{ParseExpression}, for converting parsed results. """ def __init__( self, expr, savelist=False ): super(TokenConverter,self).__init__( expr )#, savelist ) self.saveAsList = False class Combine(TokenConverter): - """Converter to concatenate all matching tokens to a single string. - By default, the matching patterns must also be contiguous in the - input string; this can be disabled by specifying - ``'adjacent=False'`` in the constructor. + """ + Converter to concatenate all matching tokens to a single string. + By default, the matching patterns must also be contiguous in the input string; + this can be disabled by specifying C{'adjacent=False'} in the constructor. Example:: - real = Word(nums) + '.' + Word(nums) print(real.parseString('3.1416')) # -> ['3', '.', '1416'] # will also erroneously match the following @@ -4710,11 +4276,10 @@ def postParse( self, instring, loc, tokenlist ): return retToks class Group(TokenConverter): - """Converter to return the matched tokens as a list - useful for - returning tokens of :class:`ZeroOrMore` and :class:`OneOrMore` expressions. + """ + Converter to return the matched tokens as a list - useful for returning tokens of C{L{ZeroOrMore}} and C{L{OneOrMore}} expressions. Example:: - ident = Word(alphas) num = Word(nums) term = ident | num @@ -4726,40 +4291,38 @@ class Group(TokenConverter): """ def __init__( self, expr ): super(Group,self).__init__( expr ) - self.saveAsList = expr.saveAsList + self.saveAsList = True def postParse( self, instring, loc, tokenlist ): return [ tokenlist ] class Dict(TokenConverter): - """Converter to return a repetitive expression as a list, but also - as a dictionary. Each element can also be referenced using the first - token in the expression as its key. Useful for tabular report - scraping when the first column can be used as a item key. + """ + Converter to return a repetitive expression as a list, but also as a dictionary. + Each element can also be referenced using the first token in the expression as its key. + Useful for tabular report scraping when the first column can be used as a item key. Example:: - data_word = Word(alphas) label = data_word + FollowedBy(':') attr_expr = Group(label + Suppress(':') + OneOrMore(data_word).setParseAction(' '.join)) text = "shape: SQUARE posn: upper left color: light blue texture: burlap" attr_expr = (label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) - + # print attributes as plain groups print(OneOrMore(attr_expr).parseString(text).dump()) - + # instead of OneOrMore(expr), parse using Dict(OneOrMore(Group(expr))) - Dict will auto-assign names result = Dict(OneOrMore(Group(attr_expr))).parseString(text) print(result.dump()) - + # access named fields as dict entries, or output as dict - print(result['shape']) + print(result['shape']) print(result.asDict()) - prints:: - ['shape', 'SQUARE', 'posn', 'upper left', 'color', 'light blue', 'texture', 'burlap'] + [['shape', 'SQUARE'], ['posn', 'upper left'], ['color', 'light blue'], ['texture', 'burlap']] - color: light blue - posn: upper left @@ -4767,8 +4330,7 @@ class Dict(TokenConverter): - texture: burlap SQUARE {'color': 'light blue', 'posn': 'upper left', 'texture': 'burlap', 'shape': 'SQUARE'} - - See more examples at :class:`ParseResults` of accessing fields by results name. + See more examples at L{ParseResults} of accessing fields by results name. """ def __init__( self, expr ): super(Dict,self).__init__( expr ) @@ -4800,10 +4362,10 @@ def postParse( self, instring, loc, tokenlist ): class Suppress(TokenConverter): - """Converter for ignoring the results of a parsed expression. + """ + Converter for ignoring the results of a parsed expression. Example:: - source = "a, b, c,d" wd = Word(alphas) wd_list1 = wd + ZeroOrMore(',' + wd) @@ -4813,13 +4375,10 @@ class Suppress(TokenConverter): # way afterward - use Suppress to keep them out of the parsed output wd_list2 = wd + ZeroOrMore(Suppress(',') + wd) print(wd_list2.parseString(source)) - prints:: - ['a', ',', 'b', ',', 'c', ',', 'd'] ['a', 'b', 'c', 'd'] - - (See also :class:`delimitedList`.) + (See also L{delimitedList}.) """ def postParse( self, instring, loc, tokenlist ): return [] @@ -4829,7 +4388,8 @@ def suppress( self ): class OnlyOnce(object): - """Wrapper for parse actions, to ensure they are only called once. + """ + Wrapper for parse actions, to ensure they are only called once. """ def __init__(self, methodCall): self.callable = _trim_arity(methodCall) @@ -4844,15 +4404,13 @@ def reset(self): self.called = False def traceParseAction(f): - """Decorator for debugging parse actions. - - When the parse action is called, this decorator will print - ``">> entering method-name(line:<current_source_line>, <parse_location>, <matched_tokens>)"``. - When the parse action completes, the decorator will print - ``"<<"`` followed by the returned value, or any exception that the parse action raised. + """ + Decorator for debugging parse actions. + + When the parse action is called, this decorator will print C{">> entering I{method-name}(line:I{current_source_line}, I{parse_location}, I{matched_tokens})".} + When the parse action completes, the decorator will print C{"<<"} followed by the returned value, or any exception that the parse action raised. Example:: - wd = Word(alphas) @traceParseAction @@ -4861,9 +4419,7 @@ def remove_duplicate_chars(tokens): wds = OneOrMore(wd).setParseAction(remove_duplicate_chars) print(wds.parseString("slkdjs sld sldd sdlf sdljf")) - prints:: - >>entering remove_duplicate_chars(line: 'slkdjs sld sldd sdlf sdljf', 0, (['slkdjs', 'sld', 'sldd', 'sdlf', 'sdljf'], {})) <<leaving remove_duplicate_chars (ret: 'dfjkls') ['dfjkls'] @@ -4892,17 +4448,15 @@ def z(*paArgs): # global helpers # def delimitedList( expr, delim=",", combine=False ): - """Helper to define a delimited list of expressions - the delimiter - defaults to ','. By default, the list elements and delimiters can - have intervening whitespace, and comments, but this can be - overridden by passing ``combine=True`` in the constructor. If - ``combine`` is set to ``True``, the matching tokens are - returned as a single token string, with the delimiters included; - otherwise, the matching tokens are returned as a list of tokens, - with the delimiters suppressed. + """ + Helper to define a delimited list of expressions - the delimiter defaults to ','. + By default, the list elements and delimiters can have intervening whitespace, and + comments, but this can be overridden by passing C{combine=True} in the constructor. + If C{combine} is set to C{True}, the matching tokens are returned as a single token + string, with the delimiters included; otherwise, the matching tokens are returned + as a list of tokens, with the delimiters suppressed. Example:: - delimitedList(Word(alphas)).parseString("aa,bb,cc") # -> ['aa', 'bb', 'cc'] delimitedList(Word(hexnums), delim=':', combine=True).parseString("AA:BB:CC:DD:EE") # -> ['AA:BB:CC:DD:EE'] """ @@ -4913,21 +4467,16 @@ def delimitedList( expr, delim=",", combine=False ): return ( expr + ZeroOrMore( Suppress( delim ) + expr ) ).setName(dlName) def countedArray( expr, intExpr=None ): - """Helper to define a counted list of expressions. - + """ + Helper to define a counted list of expressions. This helper defines a pattern of the form:: - integer expr expr expr... - where the leading integer tells how many expr expressions follow. - The matched tokens returns the array of expr tokens as a list - the - leading count token is suppressed. - - If ``intExpr`` is specified, it should be a pyparsing expression - that produces an integer value. + The matched tokens returns the array of expr tokens as a list - the leading count token is suppressed. + + If C{intExpr} is specified, it should be a pyparsing expression that produces an integer value. Example:: - countedArray(Word(alphas)).parseString('2 ab cd ef') # -> ['ab', 'cd'] # in this parser, the leading integer value is given in binary, @@ -4958,19 +4507,17 @@ def _flatten(L): return ret def matchPreviousLiteral(expr): - """Helper to define an expression that is indirectly defined from - the tokens matched in a previous expression, that is, it looks for - a 'repeat' of a previous expression. For example:: - + """ + Helper to define an expression that is indirectly defined from + the tokens matched in a previous expression, that is, it looks + for a 'repeat' of a previous expression. For example:: first = Word(nums) second = matchPreviousLiteral(first) matchExpr = first + ":" + second - - will match ``"1:1"``, but not ``"1:2"``. Because this - matches a previous literal, will also match the leading - ``"1:1"`` in ``"1:10"``. If this is not desired, use - :class:`matchPreviousExpr`. Do *not* use with packrat parsing - enabled. + will match C{"1:1"}, but not C{"1:2"}. Because this matches a + previous literal, will also match the leading C{"1:1"} in C{"1:10"}. + If this is not desired, use C{matchPreviousExpr}. + Do I{not} use with packrat parsing enabled. """ rep = Forward() def copyTokenToRepeater(s,l,t): @@ -4988,19 +4535,18 @@ def copyTokenToRepeater(s,l,t): return rep def matchPreviousExpr(expr): - """Helper to define an expression that is indirectly defined from - the tokens matched in a previous expression, that is, it looks for - a 'repeat' of a previous expression. For example:: - + """ + Helper to define an expression that is indirectly defined from + the tokens matched in a previous expression, that is, it looks + for a 'repeat' of a previous expression. For example:: first = Word(nums) second = matchPreviousExpr(first) matchExpr = first + ":" + second - - will match ``"1:1"``, but not ``"1:2"``. Because this - matches by expressions, will *not* match the leading ``"1:1"`` - in ``"1:10"``; the expressions are evaluated first, and then - compared, so ``"1"`` is compared with ``"10"``. Do *not* use - with packrat parsing enabled. + will match C{"1:1"}, but not C{"1:2"}. Because this matches by + expressions, will I{not} match the leading C{"1:1"} in C{"1:10"}; + the expressions are evaluated first, and then compared, so + C{"1"} is compared with C{"10"}. + Do I{not} use with packrat parsing enabled. """ rep = Forward() e2 = expr.copy() @@ -5025,33 +4571,26 @@ def _escapeRegexRangeChars(s): return _ustr(s) def oneOf( strs, caseless=False, useRegex=True ): - """Helper to quickly define a set of alternative Literals, and makes - sure to do longest-first testing when there is a conflict, - regardless of the input order, but returns - a :class:`MatchFirst` for best performance. + """ + Helper to quickly define a set of alternative Literals, and makes sure to do + longest-first testing when there is a conflict, regardless of the input order, + but returns a C{L{MatchFirst}} for best performance. Parameters: - - - strs - a string of space-delimited literals, or a collection of - string literals - - caseless - (default= ``False``) - treat all literals as - caseless - - useRegex - (default= ``True``) - as an optimization, will - generate a Regex object; otherwise, will generate - a :class:`MatchFirst` object (if ``caseless=True``, or if - creating a :class:`Regex` raises an exception) + - strs - a string of space-delimited literals, or a collection of string literals + - caseless - (default=C{False}) - treat all literals as caseless + - useRegex - (default=C{True}) - as an optimization, will generate a Regex + object; otherwise, will generate a C{MatchFirst} object (if C{caseless=True}, or + if creating a C{Regex} raises an exception) Example:: - comp_oper = oneOf("< = > <= >= !=") var = Word(alphas) number = Word(nums) term = var | number comparison_expr = term + comp_oper + term print(comparison_expr.searchString("B = 12 AA=23 B<=AA AA>12")) - prints:: - [['B', '=', '12'], ['AA', '=', '23'], ['B', '<=', 'AA'], ['AA', '>', '12']] """ if caseless: @@ -5105,21 +4644,19 @@ def oneOf( strs, caseless=False, useRegex=True ): return MatchFirst(parseElementClass(sym) for sym in symbols).setName(' | '.join(symbols)) def dictOf( key, value ): - """Helper to easily and clearly define a dictionary by specifying - the respective patterns for the key and value. Takes care of - defining the :class:`Dict`, :class:`ZeroOrMore`, and - :class:`Group` tokens in the proper order. The key pattern - can include delimiting markers or punctuation, as long as they are - suppressed, thereby leaving the significant key text. The value - pattern can include named results, so that the :class:`Dict` results - can include named token fields. + """ + Helper to easily and clearly define a dictionary by specifying the respective patterns + for the key and value. Takes care of defining the C{L{Dict}}, C{L{ZeroOrMore}}, and C{L{Group}} tokens + in the proper order. The key pattern can include delimiting markers or punctuation, + as long as they are suppressed, thereby leaving the significant key text. The value + pattern can include named results, so that the C{Dict} results can include named token + fields. Example:: - text = "shape: SQUARE posn: upper left color: light blue texture: burlap" attr_expr = (label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) print(OneOrMore(attr_expr).parseString(text).dump()) - + attr_label = label attr_value = Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join) @@ -5129,9 +4666,7 @@ def dictOf( key, value ): print(result['shape']) print(result.shape) # object attribute access works too print(result.asDict()) - prints:: - [['shape', 'SQUARE'], ['posn', 'upper left'], ['color', 'light blue'], ['texture', 'burlap']] - color: light blue - posn: upper left @@ -5141,34 +4676,29 @@ def dictOf( key, value ): SQUARE {'color': 'light blue', 'shape': 'SQUARE', 'posn': 'upper left', 'texture': 'burlap'} """ - return Dict(OneOrMore(Group(key + value))) + return Dict( ZeroOrMore( Group ( key + value ) ) ) def originalTextFor(expr, asString=True): - """Helper to return the original, untokenized text for a given - expression. Useful to restore the parsed fields of an HTML start - tag into the raw tag text itself, or to revert separate tokens with - intervening whitespace back to the original matching input text. By - default, returns astring containing the original parsed text. - - If the optional ``asString`` argument is passed as - ``False``, then the return value is - a :class:`ParseResults` containing any results names that - were originally matched, and a single token containing the original - matched text from the input string. So if the expression passed to - :class:`originalTextFor` contains expressions with defined - results names, you must set ``asString`` to ``False`` if you - want to preserve those results name values. + """ + Helper to return the original, untokenized text for a given expression. Useful to + restore the parsed fields of an HTML start tag into the raw tag text itself, or to + revert separate tokens with intervening whitespace back to the original matching + input text. By default, returns astring containing the original parsed text. + + If the optional C{asString} argument is passed as C{False}, then the return value is a + C{L{ParseResults}} containing any results names that were originally matched, and a + single token containing the original matched text from the input string. So if + the expression passed to C{L{originalTextFor}} contains expressions with defined + results names, you must set C{asString} to C{False} if you want to preserve those + results name values. Example:: - src = "this is test <b> bold <i>text</i> </b> normal text " for tag in ("b","i"): opener,closer = makeHTMLTags(tag) patt = originalTextFor(opener + SkipTo(closer) + closer) print(patt.searchString(src)[0]) - prints:: - ['<b> bold <i>text</i> </b>'] ['<i>text</i>'] """ @@ -5185,33 +4715,29 @@ def extractText(s,l,t): matchExpr.ignoreExprs = expr.ignoreExprs return matchExpr -def ungroup(expr): - """Helper to undo pyparsing's default grouping of And expressions, - even if all but one are non-empty. +def ungroup(expr): + """ + Helper to undo pyparsing's default grouping of And expressions, even + if all but one are non-empty. """ return TokenConverter(expr).setParseAction(lambda t:t[0]) def locatedExpr(expr): - """Helper to decorate a returned token with its starting and ending - locations in the input string. - + """ + Helper to decorate a returned token with its starting and ending locations in the input string. This helper adds the following results names: - - locn_start = location where matched expression begins - locn_end = location where matched expression ends - value = the actual parsed results - Be careful if the input text contains ``<TAB>`` characters, you - may want to call :class:`ParserElement.parseWithTabs` + Be careful if the input text contains C{<TAB>} characters, you may want to call + C{L{ParserElement.parseWithTabs}} Example:: - wd = Word(alphas) for match in locatedExpr(wd).searchString("ljsdf123lksdjjf123lkkjj1222"): print(match) - prints:: - [[0, 'ljsdf', 5]] [[8, 'lksdjjf', 15]] [[18, 'lkkjj', 23]] @@ -5235,30 +4761,22 @@ def locatedExpr(expr): _reBracketExpr = Literal("[") + Optional("^").setResultsName("negate") + Group( OneOrMore( _charRange | _singleChar ) ).setResultsName("body") + "]" def srange(s): - r"""Helper to easily define string ranges for use in Word - construction. Borrows syntax from regexp '[]' string range - definitions:: - + r""" + Helper to easily define string ranges for use in Word construction. Borrows + syntax from regexp '[]' string range definitions:: srange("[0-9]") -> "0123456789" srange("[a-z]") -> "abcdefghijklmnopqrstuvwxyz" srange("[a-z$_]") -> "abcdefghijklmnopqrstuvwxyz$_" - - The input string must be enclosed in []'s, and the returned string - is the expanded character set joined into a single string. The - values enclosed in the []'s may be: - + The input string must be enclosed in []'s, and the returned string is the expanded + character set joined into a single string. + The values enclosed in the []'s may be: - a single character - - an escaped character with a leading backslash (such as ``\-`` - or ``\]``) - - an escaped hex character with a leading ``'\x'`` - (``\x21``, which is a ``'!'`` character) (``\0x##`` - is also supported for backwards compatibility) - - an escaped octal character with a leading ``'\0'`` - (``\041``, which is a ``'!'`` character) - - a range of any of the above, separated by a dash (``'a-z'``, - etc.) - - any combination of the above (``'aeiouy'``, - ``'a-zA-Z0-9_$'``, etc.) + - an escaped character with a leading backslash (such as C{\-} or C{\]}) + - an escaped hex character with a leading C{'\x'} (C{\x21}, which is a C{'!'} character) + (C{\0x##} is also supported for backwards compatibility) + - an escaped octal character with a leading C{'\0'} (C{\041}, which is a C{'!'} character) + - a range of any of the above, separated by a dash (C{'a-z'}, etc.) + - any combination of the above (C{'aeiouy'}, C{'a-zA-Z0-9_$'}, etc.) """ _expanded = lambda p: p if not isinstance(p,ParseResults) else ''.join(unichr(c) for c in range(ord(p[0]),ord(p[1])+1)) try: @@ -5267,8 +4785,9 @@ def srange(s): return "" def matchOnlyAtCol(n): - """Helper method for defining parse actions that require matching at - a specific column in the input text. + """ + Helper method for defining parse actions that require matching at a specific + column in the input text. """ def verifyCol(strg,locn,toks): if col(locn,strg) != n: @@ -5276,26 +4795,24 @@ def verifyCol(strg,locn,toks): return verifyCol def replaceWith(replStr): - """Helper method for common parse actions that simply return - a literal value. Especially useful when used with - :class:`transformString<ParserElement.transformString>` (). + """ + Helper method for common parse actions that simply return a literal value. Especially + useful when used with C{L{transformString<ParserElement.transformString>}()}. Example:: - num = Word(nums).setParseAction(lambda toks: int(toks[0])) na = oneOf("N/A NA").setParseAction(replaceWith(math.nan)) term = na | num - + OneOrMore(term).parseString("324 234 N/A 234") # -> [324, 234, nan, 234] """ return lambda s,l,t: [replStr] def removeQuotes(s,l,t): - """Helper parse action for removing quotation marks from parsed - quoted strings. + """ + Helper parse action for removing quotation marks from parsed quoted strings. Example:: - # by default, quotation marks are included in parsed results quotedString.parseString("'Now is the Winter of our Discontent'") # -> ["'Now is the Winter of our Discontent'"] @@ -5306,20 +4823,18 @@ def removeQuotes(s,l,t): return t[0][1:-1] def tokenMap(func, *args): - """Helper to define a parse action by mapping a function to all - elements of a ParseResults list. If any additional args are passed, - they are forwarded to the given function as additional arguments - after the token, as in - ``hex_integer = Word(hexnums).setParseAction(tokenMap(int, 16))``, - which will convert the parsed data to an integer using base 16. - - Example (compare the last to example in :class:`ParserElement.transformString`:: + """ + Helper to define a parse action by mapping a function to all elements of a ParseResults list.If any additional + args are passed, they are forwarded to the given function as additional arguments after + the token, as in C{hex_integer = Word(hexnums).setParseAction(tokenMap(int, 16))}, which will convert the + parsed data to an integer using base 16. + Example (compare the last to example in L{ParserElement.transformString}:: hex_ints = OneOrMore(Word(hexnums)).setParseAction(tokenMap(int, 16)) hex_ints.runTests(''' 00 11 22 aa FF 0a 0d 1a ''') - + upperword = Word(alphas).setParseAction(tokenMap(str.upper)) OneOrMore(upperword).runTests(''' my kingdom for a horse @@ -5329,9 +4844,7 @@ def tokenMap(func, *args): OneOrMore(wd).setParseAction(' '.join).runTests(''' now is the winter of our discontent made glorious summer by this sun of york ''') - prints:: - 00 11 22 aa FF 0a 0d 1a [0, 17, 34, 170, 255, 10, 13, 26] @@ -5345,7 +4858,7 @@ def pa(s,l,t): return [func(tokn, *args) for tokn in t] try: - func_name = getattr(func, '__name__', + func_name = getattr(func, '__name__', getattr(func, '__class__').__name__) except Exception: func_name = str(func) @@ -5354,13 +4867,11 @@ def pa(s,l,t): return pa upcaseTokens = tokenMap(lambda t: _ustr(t).upper()) -"""(Deprecated) Helper parse action to convert tokens to upper case. -Deprecated in favor of :class:`pyparsing_common.upcaseTokens`""" +"""(Deprecated) Helper parse action to convert tokens to upper case. Deprecated in favor of L{pyparsing_common.upcaseTokens}""" downcaseTokens = tokenMap(lambda t: _ustr(t).lower()) -"""(Deprecated) Helper parse action to convert tokens to lower case. -Deprecated in favor of :class:`pyparsing_common.downcaseTokens`""" - +"""(Deprecated) Helper parse action to convert tokens to lower case. Deprecated in favor of L{pyparsing_common.downcaseTokens}""" + def _makeTags(tagStr, xml): """Internal helper to construct opening and closing tag expressions, given a tag name""" if isinstance(tagStr,basestring): @@ -5391,63 +4902,55 @@ def _makeTags(tagStr, xml): return openTag, closeTag def makeHTMLTags(tagStr): - """Helper to construct opening and closing tag expressions for HTML, - given a tag name. Matches tags in either upper or lower case, - attributes with namespaces and with quoted or unquoted values. + """ + Helper to construct opening and closing tag expressions for HTML, given a tag name. Matches + tags in either upper or lower case, attributes with namespaces and with quoted or unquoted values. Example:: - - text = '<td>More info at the <a href="https://github.com/pyparsing/pyparsing/wiki">pyparsing</a> wiki page</td>' - # makeHTMLTags returns pyparsing expressions for the opening and - # closing tags as a 2-tuple + text = '<td>More info at the <a href="http://pyparsing.wikispaces.com">pyparsing</a> wiki page</td>' + # makeHTMLTags returns pyparsing expressions for the opening and closing tags as a 2-tuple a,a_end = makeHTMLTags("A") link_expr = a + SkipTo(a_end)("link_text") + a_end - + for link in link_expr.searchString(text): - # attributes in the <A> tag (like "href" shown here) are - # also accessible as named results + # attributes in the <A> tag (like "href" shown here) are also accessible as named results print(link.link_text, '->', link.href) - prints:: - - pyparsing -> https://github.com/pyparsing/pyparsing/wiki + pyparsing -> http://pyparsing.wikispaces.com """ return _makeTags( tagStr, False ) def makeXMLTags(tagStr): - """Helper to construct opening and closing tag expressions for XML, - given a tag name. Matches tags only in the given upper/lower case. + """ + Helper to construct opening and closing tag expressions for XML, given a tag name. Matches + tags only in the given upper/lower case. - Example: similar to :class:`makeHTMLTags` + Example: similar to L{makeHTMLTags} """ return _makeTags( tagStr, True ) def withAttribute(*args,**attrDict): - """Helper to create a validating parse action to be used with start - tags created with :class:`makeXMLTags` or - :class:`makeHTMLTags`. Use ``withAttribute`` to qualify - a starting tag with a required attribute value, to avoid false - matches on common tags such as ``<TD>`` or ``<DIV>``. - - Call ``withAttribute`` with a series of attribute names and - values. Specify the list of filter attributes names and values as: - - - keyword arguments, as in ``(align="right")``, or - - as an explicit dict with ``**`` operator, when an attribute - name is also a Python reserved word, as in ``**{"class":"Customer", "align":"right"}`` - - a list of name-value tuples, as in ``(("ns1:class", "Customer"), ("ns2:align","right"))`` - - For attribute names with a namespace prefix, you must use the second - form. Attribute names are matched insensitive to upper/lower case. - - If just testing for ``class`` (with or without a namespace), use - :class:`withClass`. - - To verify that the attribute exists, but without specifying a value, - pass ``withAttribute.ANY_VALUE`` as the value. + """ + Helper to create a validating parse action to be used with start tags created + with C{L{makeXMLTags}} or C{L{makeHTMLTags}}. Use C{withAttribute} to qualify a starting tag + with a required attribute value, to avoid false matches on common tags such as + C{<TD>} or C{<DIV>}. + + Call C{withAttribute} with a series of attribute names and values. Specify the list + of filter attributes names and values as: + - keyword arguments, as in C{(align="right")}, or + - as an explicit dict with C{**} operator, when an attribute name is also a Python + reserved word, as in C{**{"class":"Customer", "align":"right"}} + - a list of name-value tuples, as in ( ("ns1:class", "Customer"), ("ns2:align","right") ) + For attribute names with a namespace prefix, you must use the second form. Attribute + names are matched insensitive to upper/lower case. + + If just testing for C{class} (with or without a namespace), use C{L{withClass}}. + + To verify that the attribute exists, but without specifying a value, pass + C{withAttribute.ANY_VALUE} as the value. Example:: - html = ''' <div> Some text @@ -5455,7 +4958,7 @@ def withAttribute(*args,**attrDict): <div type="graph">1,3 2,3 1,1</div> <div>this has no type</div> </div> - + ''' div,div_end = makeHTMLTags("div") @@ -5464,15 +4967,13 @@ def withAttribute(*args,**attrDict): grid_expr = div_grid + SkipTo(div | div_end)("body") for grid_header in grid_expr.searchString(html): print(grid_header.body) - + # construct a match with any div tag having a type attribute, regardless of the value div_any_type = div().setParseAction(withAttribute(type=withAttribute.ANY_VALUE)) div_expr = div_any_type + SkipTo(div | div_end)("body") for div_header in div_expr.searchString(html): print(div_header.body) - prints:: - 1 4 0 1 0 1 4 0 1 0 @@ -5494,12 +4995,11 @@ def pa(s,l,tokens): withAttribute.ANY_VALUE = object() def withClass(classname, namespace=''): - """Simplified version of :class:`withAttribute` when - matching on a div class - made difficult because ``class`` is - a reserved word in Python. + """ + Simplified version of C{L{withAttribute}} when matching on a div class - made + difficult because C{class} is a reserved word in Python. Example:: - html = ''' <div> Some text @@ -5507,96 +5007,84 @@ def withClass(classname, namespace=''): <div class="graph">1,3 2,3 1,1</div> <div>this <div> has no class</div> </div> - + ''' div,div_end = makeHTMLTags("div") div_grid = div().setParseAction(withClass("grid")) - + grid_expr = div_grid + SkipTo(div | div_end)("body") for grid_header in grid_expr.searchString(html): print(grid_header.body) - + div_any_type = div().setParseAction(withClass(withAttribute.ANY_VALUE)) div_expr = div_any_type + SkipTo(div | div_end)("body") for div_header in div_expr.searchString(html): print(div_header.body) - prints:: - 1 4 0 1 0 1 4 0 1 0 1,3 2,3 1,1 """ classattr = "%s:class" % namespace if namespace else "class" - return withAttribute(**{classattr : classname}) + return withAttribute(**{classattr : classname}) -opAssoc = SimpleNamespace() +opAssoc = _Constants() opAssoc.LEFT = object() opAssoc.RIGHT = object() def infixNotation( baseExpr, opList, lpar=Suppress('('), rpar=Suppress(')') ): - """Helper method for constructing grammars of expressions made up of - operators working in a precedence hierarchy. Operators may be unary - or binary, left- or right-associative. Parse actions can also be - attached to operator expressions. The generated parser will also - recognize the use of parentheses to override operator precedences - (see example below). - - Note: if you define a deep operator list, you may see performance - issues when using infixNotation. See - :class:`ParserElement.enablePackrat` for a mechanism to potentially - improve your parser performance. + """ + Helper method for constructing grammars of expressions made up of + operators working in a precedence hierarchy. Operators may be unary or + binary, left- or right-associative. Parse actions can also be attached + to operator expressions. The generated parser will also recognize the use + of parentheses to override operator precedences (see example below). + + Note: if you define a deep operator list, you may see performance issues + when using infixNotation. See L{ParserElement.enablePackrat} for a + mechanism to potentially improve your parser performance. Parameters: - - baseExpr - expression representing the most basic element for the - nested - - opList - list of tuples, one for each operator precedence level - in the expression grammar; each tuple is of the form ``(opExpr, - numTerms, rightLeftAssoc, parseAction)``, where: - - - opExpr is the pyparsing expression for the operator; may also - be a string, which will be converted to a Literal; if numTerms - is 3, opExpr is a tuple of two expressions, for the two - operators separating the 3 terms - - numTerms is the number of terms for this operator (must be 1, - 2, or 3) - - rightLeftAssoc is the indicator whether the operator is right - or left associative, using the pyparsing-defined constants - ``opAssoc.RIGHT`` and ``opAssoc.LEFT``. + - baseExpr - expression representing the most basic element for the nested + - opList - list of tuples, one for each operator precedence level in the + expression grammar; each tuple is of the form + (opExpr, numTerms, rightLeftAssoc, parseAction), where: + - opExpr is the pyparsing expression for the operator; + may also be a string, which will be converted to a Literal; + if numTerms is 3, opExpr is a tuple of two expressions, for the + two operators separating the 3 terms + - numTerms is the number of terms for this operator (must + be 1, 2, or 3) + - rightLeftAssoc is the indicator whether the operator is + right or left associative, using the pyparsing-defined + constants C{opAssoc.RIGHT} and C{opAssoc.LEFT}. - parseAction is the parse action to be associated with - expressions matching this operator expression (the parse action - tuple member may be omitted); if the parse action is passed - a tuple or list of functions, this is equivalent to calling - ``setParseAction(*fn)`` - (:class:`ParserElement.setParseAction`) - - lpar - expression for matching left-parentheses - (default= ``Suppress('(')``) - - rpar - expression for matching right-parentheses - (default= ``Suppress(')')``) + expressions matching this operator expression (the + parse action tuple member may be omitted); if the parse action + is passed a tuple or list of functions, this is equivalent to + calling C{setParseAction(*fn)} (L{ParserElement.setParseAction}) + - lpar - expression for matching left-parentheses (default=C{Suppress('(')}) + - rpar - expression for matching right-parentheses (default=C{Suppress(')')}) Example:: - - # simple example of four-function arithmetic with ints and - # variable names + # simple example of four-function arithmetic with ints and variable names integer = pyparsing_common.signed_integer - varname = pyparsing_common.identifier - + varname = pyparsing_common.identifier + arith_expr = infixNotation(integer | varname, [ ('-', 1, opAssoc.RIGHT), (oneOf('* /'), 2, opAssoc.LEFT), (oneOf('+ -'), 2, opAssoc.LEFT), ]) - + arith_expr.runTests(''' 5+3*6 (5+3)*6 -2--11 ''', fullDump=False) - prints:: - 5+3*6 [[5, '+', [3, '*', 6]]] @@ -5606,12 +5094,6 @@ def infixNotation( baseExpr, opList, lpar=Suppress('('), rpar=Suppress(')') ): -2--11 [[['-', 2], '-', ['-', 11]]] """ - # captive version of FollowedBy that does not do parse actions or capture results names - class _FB(FollowedBy): - def parseImpl(self, instring, loc, doActions=True): - self.expr.tryParse(instring, loc) - return loc, [] - ret = Forward() lastExpr = baseExpr | ( lpar + ret + rpar ) for i,operDef in enumerate(opList): @@ -5619,20 +5101,19 @@ def parseImpl(self, instring, loc, doActions=True): termName = "%s term" % opExpr if arity < 3 else "%s%s term" % opExpr if arity == 3: if opExpr is None or len(opExpr) != 2: - raise ValueError( - "if numterms=3, opExpr must be a tuple or list of two expressions") + raise ValueError("if numterms=3, opExpr must be a tuple or list of two expressions") opExpr1, opExpr2 = opExpr thisExpr = Forward().setName(termName) if rightLeftAssoc == opAssoc.LEFT: if arity == 1: - matchExpr = _FB(lastExpr + opExpr) + Group( lastExpr + OneOrMore( opExpr ) ) + matchExpr = FollowedBy(lastExpr + opExpr) + Group( lastExpr + OneOrMore( opExpr ) ) elif arity == 2: if opExpr is not None: - matchExpr = _FB(lastExpr + opExpr + lastExpr) + Group( lastExpr + OneOrMore( opExpr + lastExpr ) ) + matchExpr = FollowedBy(lastExpr + opExpr + lastExpr) + Group( lastExpr + OneOrMore( opExpr + lastExpr ) ) else: - matchExpr = _FB(lastExpr+lastExpr) + Group( lastExpr + OneOrMore(lastExpr) ) + matchExpr = FollowedBy(lastExpr+lastExpr) + Group( lastExpr + OneOrMore(lastExpr) ) elif arity == 3: - matchExpr = _FB(lastExpr + opExpr1 + lastExpr + opExpr2 + lastExpr) + \ + matchExpr = FollowedBy(lastExpr + opExpr1 + lastExpr + opExpr2 + lastExpr) + \ Group( lastExpr + opExpr1 + lastExpr + opExpr2 + lastExpr ) else: raise ValueError("operator must be unary (1), binary (2), or ternary (3)") @@ -5641,14 +5122,14 @@ def parseImpl(self, instring, loc, doActions=True): # try to avoid LR with this extra test if not isinstance(opExpr, Optional): opExpr = Optional(opExpr) - matchExpr = _FB(opExpr.expr + thisExpr) + Group( opExpr + thisExpr ) + matchExpr = FollowedBy(opExpr.expr + thisExpr) + Group( opExpr + thisExpr ) elif arity == 2: if opExpr is not None: - matchExpr = _FB(lastExpr + opExpr + thisExpr) + Group( lastExpr + OneOrMore( opExpr + thisExpr ) ) + matchExpr = FollowedBy(lastExpr + opExpr + thisExpr) + Group( lastExpr + OneOrMore( opExpr + thisExpr ) ) else: - matchExpr = _FB(lastExpr + thisExpr) + Group( lastExpr + OneOrMore( thisExpr ) ) + matchExpr = FollowedBy(lastExpr + thisExpr) + Group( lastExpr + OneOrMore( thisExpr ) ) elif arity == 3: - matchExpr = _FB(lastExpr + opExpr1 + thisExpr + opExpr2 + thisExpr) + \ + matchExpr = FollowedBy(lastExpr + opExpr1 + thisExpr + opExpr2 + thisExpr) + \ Group( lastExpr + opExpr1 + thisExpr + opExpr2 + thisExpr ) else: raise ValueError("operator must be unary (1), binary (2), or ternary (3)") @@ -5665,8 +5146,7 @@ def parseImpl(self, instring, loc, doActions=True): return ret operatorPrecedence = infixNotation -"""(Deprecated) Former name of :class:`infixNotation`, will be -dropped in a future release.""" +"""(Deprecated) Former name of C{L{infixNotation}}, will be dropped in a future release.""" dblQuotedString = Combine(Regex(r'"(?:[^"\n\r\\]|(?:"")|(?:\\(?:[^x]|x[0-9a-fA-F]+)))*')+'"').setName("string enclosed in double quotes") sglQuotedString = Combine(Regex(r"'(?:[^'\n\r\\]|(?:'')|(?:\\(?:[^x]|x[0-9a-fA-F]+)))*")+"'").setName("string enclosed in single quotes") @@ -5675,33 +5155,28 @@ def parseImpl(self, instring, loc, doActions=True): unicodeString = Combine(_L('u') + quotedString.copy()).setName("unicode string literal") def nestedExpr(opener="(", closer=")", content=None, ignoreExpr=quotedString.copy()): - """Helper method for defining nested lists enclosed in opening and - closing delimiters ("(" and ")" are the default). + """ + Helper method for defining nested lists enclosed in opening and closing + delimiters ("(" and ")" are the default). Parameters: - - opener - opening character for a nested list - (default= ``"("``); can also be a pyparsing expression - - closer - closing character for a nested list - (default= ``")"``); can also be a pyparsing expression - - content - expression for items within the nested lists - (default= ``None``) - - ignoreExpr - expression for ignoring opening and closing - delimiters (default= :class:`quotedString`) - - If an expression is not provided for the content argument, the - nested expression will capture all whitespace-delimited content - between delimiters as a list of separate values. - - Use the ``ignoreExpr`` argument to define expressions that may - contain opening or closing characters that should not be treated as - opening or closing characters for nesting, such as quotedString or - a comment expression. Specify multiple expressions using an - :class:`Or` or :class:`MatchFirst`. The default is - :class:`quotedString`, but if no expressions are to be ignored, then - pass ``None`` for this argument. + - opener - opening character for a nested list (default=C{"("}); can also be a pyparsing expression + - closer - closing character for a nested list (default=C{")"}); can also be a pyparsing expression + - content - expression for items within the nested lists (default=C{None}) + - ignoreExpr - expression for ignoring opening and closing delimiters (default=C{quotedString}) + + If an expression is not provided for the content argument, the nested + expression will capture all whitespace-delimited content between delimiters + as a list of separate values. + + Use the C{ignoreExpr} argument to define expressions that may contain + opening or closing characters that should not be treated as opening + or closing characters for nesting, such as quotedString or a comment + expression. Specify multiple expressions using an C{L{Or}} or C{L{MatchFirst}}. + The default is L{quotedString}, but if no expressions are to be ignored, + then pass C{None} for this argument. Example:: - data_type = oneOf("void int short long char float double") decl_data_type = Combine(data_type + Optional(Word('*'))) ident = Word(alphas+'_', alphanums+'_') @@ -5711,31 +5186,29 @@ def nestedExpr(opener="(", closer=")", content=None, ignoreExpr=quotedString.cop code_body = nestedExpr('{', '}', ignoreExpr=(quotedString | cStyleComment)) - c_function = (decl_data_type("type") + c_function = (decl_data_type("type") + ident("name") - + LPAR + Optional(delimitedList(arg), [])("args") + RPAR + + LPAR + Optional(delimitedList(arg), [])("args") + RPAR + code_body("body")) c_function.ignore(cStyleComment) - + source_code = ''' - int is_odd(int x) { - return (x%2); + int is_odd(int x) { + return (x%2); } - - int dec_to_hex(char hchar) { - if (hchar >= '0' && hchar <= '9') { - return (ord(hchar)-ord('0')); - } else { + + int dec_to_hex(char hchar) { + if (hchar >= '0' && hchar <= '9') { + return (ord(hchar)-ord('0')); + } else { return (10+ord(hchar)-ord('A')); - } + } } ''' for func in c_function.searchString(source_code): print("%(name)s (%(type)s) args: %(args)s" % func) - prints:: - is_odd (int) args: [['int', 'x']] dec_to_hex (int) args: [['char', 'hchar']] """ @@ -5753,7 +5226,7 @@ def nestedExpr(opener="(", closer=")", content=None, ignoreExpr=quotedString.cop ).setParseAction(lambda t:t[0].strip())) else: if ignoreExpr is not None: - content = (Combine(OneOrMore(~ignoreExpr + + content = (Combine(OneOrMore(~ignoreExpr + ~Literal(opener) + ~Literal(closer) + CharsNotIn(ParserElement.DEFAULT_WHITE_CHARS,exact=1)) ).setParseAction(lambda t:t[0].strip())) @@ -5772,24 +5245,23 @@ def nestedExpr(opener="(", closer=")", content=None, ignoreExpr=quotedString.cop return ret def indentedBlock(blockStatementExpr, indentStack, indent=True): - """Helper method for defining space-delimited indentation blocks, - such as those used to define block statements in Python source code. + """ + Helper method for defining space-delimited indentation blocks, such as + those used to define block statements in Python source code. Parameters: - - blockStatementExpr - expression defining syntax of statement that - is repeated within the indented block + is repeated within the indented block - indentStack - list created by caller to manage indentation stack - (multiple statementWithIndentedBlock expressions within a single - grammar should share a common indentStack) - - indent - boolean indicating whether block must be indented beyond - the the current level; set to False for block of left-most - statements (default= ``True``) + (multiple statementWithIndentedBlock expressions within a single grammar + should share a common indentStack) + - indent - boolean indicating whether block must be indented beyond the + the current level; set to False for block of left-most statements + (default=C{True}) - A valid block must contain at least one ``blockStatement``. + A valid block must contain at least one C{blockStatement}. Example:: - data = ''' def A(z): A1 @@ -5830,9 +5302,7 @@ def eggs(z): parseTree = module_body.parseString(data) parseTree.pprint() - prints:: - [['def', 'A', ['(', 'z', ')'], @@ -5850,7 +5320,7 @@ def eggs(z): 'spam', ['(', 'x', 'y', ')'], ':', - [[['def', 'eggs', ['(', 'z', ')'], ':', [['pass']]]]]]] + [[['def', 'eggs', ['(', 'z', ')'], ':', [['pass']]]]]]] """ def checkPeerIndent(s,l,t): if l >= len(s): return @@ -5900,61 +5370,51 @@ def replaceHTMLEntity(t): # it's easy to get these comment structures wrong - they're very common, so may as well make them available cStyleComment = Combine(Regex(r"/\*(?:[^*]|\*(?!/))*") + '*/').setName("C style comment") -"Comment of the form ``/* ... */``" +"Comment of the form C{/* ... */}" htmlComment = Regex(r"<!--[\s\S]*?-->").setName("HTML comment") -"Comment of the form ``<!-- ... -->``" +"Comment of the form C{<!-- ... -->}" restOfLine = Regex(r".*").leaveWhitespace().setName("rest of line") dblSlashComment = Regex(r"//(?:\\\n|[^\n])*").setName("// comment") -"Comment of the form ``// ... (to end of line)``" +"Comment of the form C{// ... (to end of line)}" cppStyleComment = Combine(Regex(r"/\*(?:[^*]|\*(?!/))*") + '*/'| dblSlashComment).setName("C++ style comment") -"Comment of either form :class:`cStyleComment` or :class:`dblSlashComment`" +"Comment of either form C{L{cStyleComment}} or C{L{dblSlashComment}}" javaStyleComment = cppStyleComment -"Same as :class:`cppStyleComment`" +"Same as C{L{cppStyleComment}}" pythonStyleComment = Regex(r"#.*").setName("Python style comment") -"Comment of the form ``# ... (to end of line)``" +"Comment of the form C{# ... (to end of line)}" _commasepitem = Combine(OneOrMore(Word(printables, excludeChars=',') + Optional( Word(" \t") + ~Literal(",") + ~LineEnd() ) ) ).streamline().setName("commaItem") commaSeparatedList = delimitedList( Optional( quotedString.copy() | _commasepitem, default="") ).setName("commaSeparatedList") -"""(Deprecated) Predefined expression of 1 or more printable words or -quoted strings, separated by commas. - -This expression is deprecated in favor of :class:`pyparsing_common.comma_separated_list`. -""" +"""(Deprecated) Predefined expression of 1 or more printable words or quoted strings, separated by commas. + This expression is deprecated in favor of L{pyparsing_common.comma_separated_list}.""" # some other useful expressions - using lower-case class name since we are really using this as a namespace class pyparsing_common: - """Here are some common low-level expressions that may be useful in - jump-starting parser development: - - - numeric forms (:class:`integers<integer>`, :class:`reals<real>`, - :class:`scientific notation<sci_real>`) - - common :class:`programming identifiers<identifier>` - - network addresses (:class:`MAC<mac_address>`, - :class:`IPv4<ipv4_address>`, :class:`IPv6<ipv6_address>`) - - ISO8601 :class:`dates<iso8601_date>` and - :class:`datetime<iso8601_datetime>` - - :class:`UUID<uuid>` - - :class:`comma-separated list<comma_separated_list>` - + """ + Here are some common low-level expressions that may be useful in jump-starting parser development: + - numeric forms (L{integers<integer>}, L{reals<real>}, L{scientific notation<sci_real>}) + - common L{programming identifiers<identifier>} + - network addresses (L{MAC<mac_address>}, L{IPv4<ipv4_address>}, L{IPv6<ipv6_address>}) + - ISO8601 L{dates<iso8601_date>} and L{datetime<iso8601_datetime>} + - L{UUID<uuid>} + - L{comma-separated list<comma_separated_list>} Parse actions: - - - :class:`convertToInteger` - - :class:`convertToFloat` - - :class:`convertToDate` - - :class:`convertToDatetime` - - :class:`stripHTMLTags` - - :class:`upcaseTokens` - - :class:`downcaseTokens` + - C{L{convertToInteger}} + - C{L{convertToFloat}} + - C{L{convertToDate}} + - C{L{convertToDatetime}} + - C{L{stripHTMLTags}} + - C{L{upcaseTokens}} + - C{L{downcaseTokens}} Example:: - pyparsing_common.number.runTests(''' # any int or real number, returned as the appropriate type 100 @@ -6001,9 +5461,7 @@ class pyparsing_common: # uuid 12345678-1234-5678-1234-567812345678 ''') - prints:: - # any int or real number, returned as the appropriate type 100 [100] @@ -6105,8 +5563,7 @@ class pyparsing_common: """expression that parses a floating point number and returns a float""" sci_real = Regex(r'[+-]?\d+([eE][+-]?\d+|\.\d*([eE][+-]?\d+)?)').setName("real number with scientific notation").setParseAction(convertToFloat) - """expression that parses a floating point number with optional - scientific notation and returns a float""" + """expression that parses a floating point number with optional scientific notation and returns a float""" # streamlining this expression makes the docs nicer-looking number = (sci_real | real | signed_integer).streamline() @@ -6114,12 +5571,12 @@ class pyparsing_common: fnumber = Regex(r'[+-]?\d+\.?\d*([eE][+-]?\d+)?').setName("fnumber").setParseAction(convertToFloat) """any int or real number, returned as float""" - + identifier = Word(alphas+'_', alphanums+'_').setName("identifier") """typical code identifier (leading alpha or '_', followed by 0 or more alphas, nums, or '_')""" - + ipv4_address = Regex(r'(25[0-5]|2[0-4][0-9]|1?[0-9]{1,2})(\.(25[0-5]|2[0-4][0-9]|1?[0-9]{1,2})){3}').setName("IPv4 address") - "IPv4 address (``0.0.0.0 - 255.255.255.255``)" + "IPv4 address (C{0.0.0.0 - 255.255.255.255})" _ipv6_part = Regex(r'[0-9a-fA-F]{1,4}').setName("hex_integer") _full_ipv6_address = (_ipv6_part + (':' + _ipv6_part)*7).setName("full IPv6 address") @@ -6128,7 +5585,7 @@ class pyparsing_common: _mixed_ipv6_address = ("::ffff:" + ipv4_address).setName("mixed IPv6 address") ipv6_address = Combine((_full_ipv6_address | _mixed_ipv6_address | _short_ipv6_address).setName("IPv6 address")).setName("IPv6 address") "IPv6 address (long, short, or mixed form)" - + mac_address = Regex(r'[0-9a-fA-F]{2}([:.-])[0-9a-fA-F]{2}(?:\1[0-9a-fA-F]{2}){4}').setName("MAC address") "MAC address xx:xx:xx:xx:xx (may also have '-' or '.' delimiters)" @@ -6138,16 +5595,13 @@ def convertToDate(fmt="%Y-%m-%d"): Helper to create a parse action for converting parsed date string to Python datetime.date Params - - - fmt - format to be passed to datetime.strptime (default= ``"%Y-%m-%d"``) + - fmt - format to be passed to datetime.strptime (default=C{"%Y-%m-%d"}) Example:: - date_expr = pyparsing_common.iso8601_date.copy() date_expr.setParseAction(pyparsing_common.convertToDate()) print(date_expr.parseString("1999-12-31")) - prints:: - [datetime.date(1999, 12, 31)] """ def cvt_fn(s,l,t): @@ -6159,20 +5613,17 @@ def cvt_fn(s,l,t): @staticmethod def convertToDatetime(fmt="%Y-%m-%dT%H:%M:%S.%f"): - """Helper to create a parse action for converting parsed - datetime string to Python datetime.datetime + """ + Helper to create a parse action for converting parsed datetime string to Python datetime.datetime Params - - - fmt - format to be passed to datetime.strptime (default= ``"%Y-%m-%dT%H:%M:%S.%f"``) + - fmt - format to be passed to datetime.strptime (default=C{"%Y-%m-%dT%H:%M:%S.%f"}) Example:: - dt_expr = pyparsing_common.iso8601_datetime.copy() dt_expr.setParseAction(pyparsing_common.convertToDatetime()) print(dt_expr.parseString("1999-12-31T23:59:59.999")) - prints:: - [datetime.datetime(1999, 12, 31, 23, 59, 59, 999000)] """ def cvt_fn(s,l,t): @@ -6183,34 +5634,31 @@ def cvt_fn(s,l,t): return cvt_fn iso8601_date = Regex(r'(?P<year>\d{4})(?:-(?P<month>\d\d)(?:-(?P<day>\d\d))?)?').setName("ISO8601 date") - "ISO8601 date (``yyyy-mm-dd``)" + "ISO8601 date (C{yyyy-mm-dd})" iso8601_datetime = Regex(r'(?P<year>\d{4})-(?P<month>\d\d)-(?P<day>\d\d)[T ](?P<hour>\d\d):(?P<minute>\d\d)(:(?P<second>\d\d(\.\d*)?)?)?(?P<tz>Z|[+-]\d\d:?\d\d)?').setName("ISO8601 datetime") - "ISO8601 datetime (``yyyy-mm-ddThh:mm:ss.s(Z|+-00:00)``) - trailing seconds, milliseconds, and timezone optional; accepts separating ``'T'`` or ``' '``" + "ISO8601 datetime (C{yyyy-mm-ddThh:mm:ss.s(Z|+-00:00)}) - trailing seconds, milliseconds, and timezone optional; accepts separating C{'T'} or C{' '}" uuid = Regex(r'[0-9a-fA-F]{8}(-[0-9a-fA-F]{4}){3}-[0-9a-fA-F]{12}').setName("UUID") - "UUID (``xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx``)" + "UUID (C{xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx})" _html_stripper = anyOpenTag.suppress() | anyCloseTag.suppress() @staticmethod def stripHTMLTags(s, l, tokens): - """Parse action to remove HTML tags from web page HTML source + """ + Parse action to remove HTML tags from web page HTML source Example:: - - # strip HTML links from normal text - text = '<td>More info at the <a href="https://github.com/pyparsing/pyparsing/wiki">pyparsing</a> wiki page</td>' + # strip HTML links from normal text + text = '<td>More info at the <a href="http://pyparsing.wikispaces.com">pyparsing</a> wiki page</td>' td,td_end = makeHTMLTags("TD") table_text = td + SkipTo(td_end).setParseAction(pyparsing_common.stripHTMLTags)("body") + td_end - print(table_text.parseString(text).body) - - Prints:: - - More info at the pyparsing wiki page + + print(table_text.parseString(text).body) # -> 'More info at the pyparsing wiki page' """ return pyparsing_common._html_stripper.transformString(tokens[0]) - _commasepitem = Combine(OneOrMore(~Literal(",") + ~LineEnd() + Word(printables, excludeChars=',') + _commasepitem = Combine(OneOrMore(~Literal(",") + ~LineEnd() + Word(printables, excludeChars=',') + Optional( White(" \t") ) ) ).streamline().setName("commaItem") comma_separated_list = delimitedList( Optional( quotedString.copy() | _commasepitem, default="") ).setName("comma separated list") """Predefined expression of 1 or more printable words or quoted strings, separated by commas.""" @@ -6222,164 +5670,6 @@ def stripHTMLTags(s, l, tokens): """Parse action to convert tokens to lower case.""" -class _lazyclassproperty(object): - def __init__(self, fn): - self.fn = fn - self.__doc__ = fn.__doc__ - self.__name__ = fn.__name__ - - def __get__(self, obj, cls): - if cls is None: - cls = type(obj) - if not hasattr(cls, '_intern') or any(cls._intern is getattr(superclass, '_intern', []) for superclass in cls.__mro__[1:]): - cls._intern = {} - attrname = self.fn.__name__ - if attrname not in cls._intern: - cls._intern[attrname] = self.fn(cls) - return cls._intern[attrname] - - -class unicode_set(object): - """ - A set of Unicode characters, for language-specific strings for - ``alphas``, ``nums``, ``alphanums``, and ``printables``. - A unicode_set is defined by a list of ranges in the Unicode character - set, in a class attribute ``_ranges``, such as:: - - _ranges = [(0x0020, 0x007e), (0x00a0, 0x00ff),] - - A unicode set can also be defined using multiple inheritance of other unicode sets:: - - class CJK(Chinese, Japanese, Korean): - pass - """ - _ranges = [] - - @classmethod - def _get_chars_for_ranges(cls): - ret = [] - for cc in cls.__mro__: - if cc is unicode_set: - break - for rr in cc._ranges: - ret.extend(range(rr[0], rr[-1]+1)) - return [unichr(c) for c in sorted(set(ret))] - - @_lazyclassproperty - def printables(cls): - "all non-whitespace characters in this range" - return u''.join(filterfalse(unicode.isspace, cls._get_chars_for_ranges())) - - @_lazyclassproperty - def alphas(cls): - "all alphabetic characters in this range" - return u''.join(filter(unicode.isalpha, cls._get_chars_for_ranges())) - - @_lazyclassproperty - def nums(cls): - "all numeric digit characters in this range" - return u''.join(filter(unicode.isdigit, cls._get_chars_for_ranges())) - - @_lazyclassproperty - def alphanums(cls): - "all alphanumeric characters in this range" - return cls.alphas + cls.nums - - -class pyparsing_unicode(unicode_set): - """ - A namespace class for defining common language unicode_sets. - """ - _ranges = [(32, sys.maxunicode)] - - class Latin1(unicode_set): - "Unicode set for Latin-1 Unicode Character Range" - _ranges = [(0x0020, 0x007e), (0x00a0, 0x00ff),] - - class LatinA(unicode_set): - "Unicode set for Latin-A Unicode Character Range" - _ranges = [(0x0100, 0x017f),] - - class LatinB(unicode_set): - "Unicode set for Latin-B Unicode Character Range" - _ranges = [(0x0180, 0x024f),] - - class Greek(unicode_set): - "Unicode set for Greek Unicode Character Ranges" - _ranges = [ - (0x0370, 0x03ff), (0x1f00, 0x1f15), (0x1f18, 0x1f1d), (0x1f20, 0x1f45), (0x1f48, 0x1f4d), - (0x1f50, 0x1f57), (0x1f59,), (0x1f5b,), (0x1f5d,), (0x1f5f, 0x1f7d), (0x1f80, 0x1fb4), (0x1fb6, 0x1fc4), - (0x1fc6, 0x1fd3), (0x1fd6, 0x1fdb), (0x1fdd, 0x1fef), (0x1ff2, 0x1ff4), (0x1ff6, 0x1ffe), - ] - - class Cyrillic(unicode_set): - "Unicode set for Cyrillic Unicode Character Range" - _ranges = [(0x0400, 0x04ff)] - - class Chinese(unicode_set): - "Unicode set for Chinese Unicode Character Range" - _ranges = [(0x4e00, 0x9fff), (0x3000, 0x303f), ] - - class Japanese(unicode_set): - "Unicode set for Japanese Unicode Character Range, combining Kanji, Hiragana, and Katakana ranges" - _ranges = [ ] - - class Kanji(unicode_set): - "Unicode set for Kanji Unicode Character Range" - _ranges = [(0x4E00, 0x9Fbf), (0x3000, 0x303f), ] - - class Hiragana(unicode_set): - "Unicode set for Hiragana Unicode Character Range" - _ranges = [(0x3040, 0x309f), ] - - class Katakana(unicode_set): - "Unicode set for Katakana Unicode Character Range" - _ranges = [(0x30a0, 0x30ff), ] - - class Korean(unicode_set): - "Unicode set for Korean Unicode Character Range" - _ranges = [(0xac00, 0xd7af), (0x1100, 0x11ff), (0x3130, 0x318f), (0xa960, 0xa97f), (0xd7b0, 0xd7ff), (0x3000, 0x303f), ] - - class CJK(Chinese, Japanese, Korean): - "Unicode set for combined Chinese, Japanese, and Korean (CJK) Unicode Character Range" - pass - - class Thai(unicode_set): - "Unicode set for Thai Unicode Character Range" - _ranges = [(0x0e01, 0x0e3a), (0x0e3f, 0x0e5b), ] - - class Arabic(unicode_set): - "Unicode set for Arabic Unicode Character Range" - _ranges = [(0x0600, 0x061b), (0x061e, 0x06ff), (0x0700, 0x077f), ] - - class Hebrew(unicode_set): - "Unicode set for Hebrew Unicode Character Range" - _ranges = [(0x0590, 0x05ff), ] - - class Devanagari(unicode_set): - "Unicode set for Devanagari Unicode Character Range" - _ranges = [(0x0900, 0x097f), (0xa8e0, 0xa8ff)] - -pyparsing_unicode.Japanese._ranges = (pyparsing_unicode.Japanese.Kanji._ranges - + pyparsing_unicode.Japanese.Hiragana._ranges - + pyparsing_unicode.Japanese.Katakana._ranges) - -# define ranges in language character sets -if PY_3: - setattr(pyparsing_unicode, "العربية", pyparsing_unicode.Arabic) - setattr(pyparsing_unicode, "中文", pyparsing_unicode.Chinese) - setattr(pyparsing_unicode, "кириллица", pyparsing_unicode.Cyrillic) - setattr(pyparsing_unicode, "Ελληνικά", pyparsing_unicode.Greek) - setattr(pyparsing_unicode, "עִברִית", pyparsing_unicode.Hebrew) - setattr(pyparsing_unicode, "日本語", pyparsing_unicode.Japanese) - setattr(pyparsing_unicode.Japanese, "漢字", pyparsing_unicode.Japanese.Kanji) - setattr(pyparsing_unicode.Japanese, "カタカナ", pyparsing_unicode.Japanese.Katakana) - setattr(pyparsing_unicode.Japanese, "ひらがな", pyparsing_unicode.Japanese.Hiragana) - setattr(pyparsing_unicode, "한국어", pyparsing_unicode.Korean) - setattr(pyparsing_unicode, "ไทย", pyparsing_unicode.Thai) - setattr(pyparsing_unicode, "देवनागरी", pyparsing_unicode.Devanagari) - - if __name__ == "__main__": selectToken = CaselessLiteral("select") @@ -6393,7 +5683,7 @@ class Devanagari(unicode_set): tableName = delimitedList(ident, ".", combine=True).setParseAction(upcaseTokens) tableNameList = Group(delimitedList(tableName)).setName("tables") - + simpleSQL = selectToken("command") + columnSpec("columns") + fromToken + tableNameList("tables") # demo runTests method, including embedded comments in test string diff --git a/venv/Lib/site-packages/pkg_resources/extern/__init__.py b/venv/Lib/site-packages/pkg_resources/extern/__init__.py new file mode 100644 index 0000000..fed5929 --- /dev/null +++ b/venv/Lib/site-packages/pkg_resources/extern/__init__.py @@ -0,0 +1,73 @@ +import importlib.util +import sys + + +class VendorImporter: + """ + A PEP 302 meta path importer for finding optionally-vendored + or otherwise naturally-installed packages from root_name. + """ + + def __init__(self, root_name, vendored_names=(), vendor_pkg=None): + self.root_name = root_name + self.vendored_names = set(vendored_names) + self.vendor_pkg = vendor_pkg or root_name.replace('extern', '_vendor') + + @property + def search_path(self): + """ + Search first the vendor package then as a natural package. + """ + yield self.vendor_pkg + '.' + yield '' + + def _module_matches_namespace(self, fullname): + """Figure out if the target module is vendored.""" + root, base, target = fullname.partition(self.root_name + '.') + return not root and any(map(target.startswith, self.vendored_names)) + + def load_module(self, fullname): + """ + Iterate over the search path to locate and load fullname. + """ + root, base, target = fullname.partition(self.root_name + '.') + for prefix in self.search_path: + try: + extant = prefix + target + __import__(extant) + mod = sys.modules[extant] + sys.modules[fullname] = mod + return mod + except ImportError: + pass + else: + raise ImportError( + "The '{target}' package is required; " + "normally this is bundled with this package so if you get " + "this warning, consult the packager of your " + "distribution.".format(**locals()) + ) + + def create_module(self, spec): + return self.load_module(spec.name) + + def exec_module(self, module): + pass + + def find_spec(self, fullname, path=None, target=None): + """Return a module spec for vendored names.""" + return ( + importlib.util.spec_from_loader(fullname, self) + if self._module_matches_namespace(fullname) else None + ) + + def install(self): + """ + Install this importer into sys.meta_path if not already present. + """ + if self not in sys.meta_path: + sys.meta_path.append(self) + + +names = 'packaging', 'pyparsing', 'appdirs' +VendorImporter(__name__, names).install() diff --git a/venv/Lib/site-packages/pkg_resources/tests/data/my-test-package-source/setup.py b/venv/Lib/site-packages/pkg_resources/tests/data/my-test-package-source/setup.py new file mode 100644 index 0000000..fe80d28 --- /dev/null +++ b/venv/Lib/site-packages/pkg_resources/tests/data/my-test-package-source/setup.py @@ -0,0 +1,6 @@ +import setuptools +setuptools.setup( + name="my-test-package", + version="1.0", + zip_safe=True, +) diff --git a/venv/Lib/site-packages/setuptools-40.8.0-py3.7.egg b/venv/Lib/site-packages/setuptools-40.8.0-py3.7.egg deleted file mode 100644 index 470208aa7d8a7d60d95acc6de19365509c6f9a07..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 571911 zcmZU)b981wvo{*scAnUp*tRFO?I$)Twrx#pI}>x_Ol;e}dC$4``_5VSk6NpD_3A>e z>ff&FU7L)A$=J%C$=MPS&dMC1128l;ayGL!vNHpaGaCZ<0i@1mF0PI)4i2`?3~bDd zT#U>Nj-ITHoQ!4`7Nh_@L^u~qGkbuUhnWe$(bL7!!Tx&=z+eI(wX$<`0J;F2J)P+R z4$i#)88A8;xmYq<**lv7U8tG=!~SoMk+JiCW~iyinW<=Kcmd`>2Rp$3)yrt&U}tA! zZ^~$9<m_qiz1+pf))w&p$~Sg!aB+448ae*A1~U&U7wZ4Rqo$!D1(1>pks`vG**cpc z!T|tgCYBE0t^ur^0rn0qfN$#oCJsQLnTZSFzq~eg0Dd#SXTSXem|NMJG5()bO19qy zm;r$Qy**Yg0AnK)8-R<$|1kCcw?%+&y8$jhPk@nyk(K>_%lgk=nH&9=J?2)3a7wb^ z5EvjJATS^ya1si-iXGxs-%ozug#1na(`QCUPlibrq+lTgvA=$bM(u%Y1OPO%$R=Gw z(*$uXD?73!jCOt$mPNKJ*1IPBA<lW(e^+)4#p;=QYUhKKG%3G8(5FCR$Xo+tSn|Co zd0K627J%nAZOa_%E~6Gm2bY+7zVIE}#Cm1^#o+(fDn1u!Wr)&h+-wLC5JW@}5Y%t0 z#3dyeq!lC-nUrMzdr+;h23+Gn@m-Go1of5TO+u9(ar=jWKcr^Yy7&j1y&-D^2TX$; zFHxvI-}KWLo17x?wt9R48A@)OAY1R8aVgEv^AE$*Cs^>$0}|f*Ed*!{zTkM06%n11 zp9DxPXCu&`ykCY~>DXGs^0*Dou|F8JikCbqJlKq*L`vC42^bXTQR!T4Js`-2@4_)X z?{cPOvdXiq7<+DUj>832p>j(-N6~E9LxoXfvoPQd%IRlI4uv)T76ZCqIr$nRB@bCD zv5Ofvz4=Dl<V3Ngn|`Ixcv0^excs_Hi3kgZrvXUvJU^c9Ej}Do?iiXcYyqm=-%dzP zEo3lo_fvI%{g#zAYJ2$G3G#rSV7|YDcD50eaDLkzux?rWa1L!w9ix9_Nr;!g45&)# zub2p@n;ZI<Hw#1$w!<a(^BdWPq4_8qu_A}Ruz;>ZG=#9!u)hc=C`rxtV=q}pXbt^Q zX*J33C9cEG#{|(pdL1zUuxHuNC74s}1A6i-ayax+IT%d)Y3bwYBh>3a%O<Z-HuKgf zFpM6f;y!qxlk8lrp+t)g^V0A>^P`Ml02)dTFY#zG>3qt{wS!H#-uryuT9<t4WXn87 z2^FRpPAn;RCjBw!Fmu#tc<gKMhBnS+HH1zeLum%6jVnx>)&ew50eKGj%_OFp1|2oj zLJIL}gK0Ep^IHKf%U4(p2Xrr|<Z9z5R04fNy=*xG5vwUuANAtOMiXP5TD|clvI-36 zRk?3318G*pN$UZ#B`upTqQJUufr$Ri<<e^E1y=ui!1+_qxtXk4#au6UGHNNsdKc7U z(-YA>&e26Pzxin%BxXV6x^ld`o|8mq1npcnLjY}e!FE`<mfBmf#;XqL6Jr|{S;@ga zntk-A`ZFX3cAO`c<9e<wmxT}QKa&CK!%Gz)>@d=yDU&I3bA|1gumD2s#9=Jygaqj` zw}l46!h~+X&kEUH8%~X_-gh1-v;?08jpvo~<e%}sDPlauu$LG;KJrHDj*`tv#sh28 z=5pp;lc=%`txD=j(Ub$)d<+~RiVyov*3v_ZQdP;<e-x>Py85^{z`zb~>pRrC{hm{; z-Uwvq->Ax#ce}9mZPBmwJ)+m32Oyt5RaJ=PYI_xK5}os0k|o=iks_>~*aF3WGiSAI zKm>CQ%M*(RIpgUH{X`eOPe#@%tL2jCF4UFDpFTiPkEgwOY~W_chWt?>;*c>?{uX}v z4r^(YAVSPV5q5<7V)#=G4G4;~T$jN6mX)<RY}cNvh|5nUQ4J&OZ=m47G2uJO{`dM+ z;D}<#UOo6^9j1wQ6?b_<(Tk?Cagv15g9v*XeW!)9Xmw{3<g3h=MA94leeZ+B;VJCB zP0)1Y8NZ~&k<Pif$;Lh(o3EhL%xg6U;v7ZqCrU|xB8#1ao3R+FhC<9>%fknxCch|0 z#3-5!lu9?3VxK*YN^y$96xDNCzDSrp1FI?Vu*+)E)v)Ae;8zFU7TcZ?E741>H$$_e zr#y{ech*mpW&52?sHa@vw?;ZZXvNI)<00pj-r`8@v6jfydoIM>7hAf(J9R+CqvQ2A zM*V*P`yVLtLY<s{_=YlaED(_Y!0!KnG8IL&pQ7R_j4mE7DVp-m-)Po-rm??5Bqo2s z#_z35@zCVP<K#Rnv>!PT4xt2+{OA3Z@tGv>xxrg{(ieH#xZR_(azv0wzsJ@9zGUjO zwru2L;>_*g{rdLa^X*l!|M_(7ap&pi0^}-$`5!ec{A#UC{}WVGy+8OOzmYEfKeosA z0zxL_{7B&9sY?5%Yt`>1P8*$Sa(-cWA5F$LBeLODncx#s<;$}ZCb1Z<yPqsde}w4p ztqmQA!zbzr(MmS?=E=^r!1t0|r)mg@Xt{*R$je<f>fzv=S>O#Fcdd1^_su_qCEROL zyOkK&U(LCg?Ltl+poZz%)`<@4DdC!qRbi)p@VyFOzhwyv2Me@eKz_N&A@&2SgVY&Z z`S1wXMA(o{@ao41V?bAw)d=L)CZoYGyLJ{_;5Y_FjRvtrS*Sx(=2euf<>f*t-@IIK zBPxeZI3dU;5l9AG4FIY?jGc}62GNo}KA1`@DcE;-fMEKtDXX65N;Gt(E|~yt=@j!W z1r@f=;{F@Ka#E_co}g4o?LE3#gAR1PC8M<Wr5%DxodjUHM@i?LUx%)0&3$SGnJKtO z3FD6^LLY_#Q}4&=4c@^_cT~kT5_G=efuVrij5eg-&y@CG6y9Bi#UiLmwqd!jL{3u$ zR7J;*sfh_DJ#nsBr{OnsKg~Tk`!%y?*);%|$qPhb*}r$^s~xFTQ=r|zj0HoX5epTy znHRvvL#wZ@;MxKlKJHnJ5#^{AC!fIiV_pKxC!sEMG9JkcRRU+Uc2~|qFUI>Q-FkjU z5sqmOk`*j+#-#jRL*MeT_`@F<1>F=xT<{d5X~B<P#$ee6wVmhRg(ozOc3=b$-2AY% zB&0vR^6QKk2Xl1wgk6^emG^8$|IA{?^0X3o4{?1t8Zg{|>z|!OsJej^zHYJ)zbwWW z_xBvpqN!jp`C#Rd+0mSV1`({E#^H5Zx^c%)TDBQ}GQNAtGgwk&%IlTrU#{Ki<u^Vu zgBM32PQvzBO$xm!Qb1ESP*W^6bPhuylQ+($#37M3@h&9agHE!Me~Ma&QQL&+Dz8BG zq5X|&s;p?jI}&w*KiSn-|0DB=!NxN6Ov*p?NMnZHQ;Vl@L37t4>QKac4U5TvHh@(Q zU*bb!a%H-LsXu#sSEfaa;41H8P9?kG-tgku)k|9F@67HT_9||!L>PuOVG}lG;M@Gq z=%35>t*t$z2ZUiLrB&I76Hd!bkO&-~#pCg!_zk=w!zH&luf`tir-E1%se0pztPP zy<Fu^xfoVduEmE2EJ7!;fp_8ffjq0*D5;PUIdP=bq06p3mMcIg0EZA1=gkwL@HSN` zM4sdsNUI9a=O9<l7>pyRy8L=N101eUKJw4uSgc9N2%q+v?-K8h!F2@qDTZml{2y~X zg|HMf+_c2G@Bs92F`)>Tc2FuM^f1&5D?+}%n~b;#3hu(;R;jWu4&h<L3x5hsU8c;2 z)W(QQN{QH=^EGXH0)iPggzx5B0C?q#%wQ$b8V9nh1CQ&%TWy?sY+O*}OO2gXs&75% zSVce1n0FC7WJjr@=J_bOQH@+@b<-~AjL`_TSuowCsMAY}5NRzk(X&8xJ@BBXBV}+o zj96J|$g!Ps{nQcrc7hdy-?^Ysey1x<-mB0QOg#s0erZ?W#{R5Zg|9ENeys<tn9X^Q zvyk6Oz9Ro`nB-hF*hu|`$E$B5{GTvsYUXHWZ)#?5;%Q)OWpCsBUwAn+hBN@c5c=EQ zyVDU@VD{t2gqjad86H&5q<53VX=iS6N-t-{+lop=q{BG)_L!xXr8Slas3%o_X^d@K zeBkXWMc}0A4R^8@s6yEfk~VAi%S>>yi)&`dI#hyrA_i4^RM~p3c>xC}B}wql*Gi17 zm2Xt_QKTTN(so_htrG)n4LEW#?c-0Xi{C2hvSx?MKla0@{<lNJxY}ApU?3nh@E{<# z|I;Be`|teRz|q0V-sQiYQJ=D32cY!aVR#0f7jUbJoHnbe{hs2FM2WKCw6x0)XmrZ! z0f!1}j$ZCb@4xfCGch0Tf~n5759Br~xw%XMaR*Nt_uOnj-XbD+-t?%}aYyMmYqLh8 z2y)Y{z@Ofm-#Jq!^0X?x>rTs~jt*!|>@-7H7T-%E08i_G=|ad^a7jcP%CwIOvgVPF z0H)AF^hn5}cr}uZ=(ixESM#a2CFS}>MnDp?hiS=E(I`*W4KssJfmv-6YTKpmNK4Pl z7|Z<3ae>TTbV+<nRc<HoP^H^!NHq_v>KG$xxM^x|rE<o|=}kXZjcWm!70C_%y|*+5 zD`w$syc3;=cm9Ld#tJKZG1t31zbG~q-szptg}tV#L<_)}?FmVs$|e9?fvVpxPDqHo zTVT#)Y3UKa*_6pSQLZdGLP4TcBu-HTCItUt&LNK1+2^>(AxBM+d1c7|w)>zW6qas& zXmYyV4&uBi<2pPzGK$ZfkEdkZ*WF=j3Mv?EhLwF;9Z*evaM2f?YR$rR1GPIKgA$1R z_YskKa0rsWA=F#nEEQntH9;ux+?s}Ux=D(lW0;heJde61r<cUHfG!h&Bq9>&zCAm! zUoovR9sl9E#hwNF2jNq`^6iEfTqKwL@m$mO4Gk$}R0MTKQdBrT=kL;;2|U^Qqs&D> zr~WjRbl_)**!@Rh8*HyTO4g|Yiz&_oq<12*A!o~w*rw<!6{7QdQ?djuj_24{*x=$W zXB`)PuK$O}`^(!~9<P66xW!?jAJZMT({=M&pQ-Sk9A34fw*pklb<H|$>b4y5peu@^ z0|(IUjR|@p6+p@oPfq`EVgJ?c!12~|L1w3kZ!eg2G8ztnWilc|O>O1j#MJDCxQq{7 z7{}1OV;%DApdO>0WMA-qM>d#2_=3cDM9Y2?=KqXrpqZ1a70~RzqIxe<L4kpmCiVbK zIm0TWr9}cN)Z8o8OTt`N_wUdUxB5`Z&<!Ma1clX$cza9B=|P6)u*7M-t`J^TBY7|N z;?k1POgKEq|5nVb3z|Uvt&sAYzO$+Sn@YJjI2zcRxtZDi2OMPO>1(2ACg~WZC&zYZ zM-}3jWEiHI7-SR}4rvt_Xc(x+W@cy(!TyKr$nQEh32ONV__s{ZZ~9*qr<au@gR_yj z+1~$L@t?{$xyaKV9tZ-`oDce62i(!d!r<F^2UnnpnKP5Y_r-ygi-Ey+4L#X?;e|hv z0(j5U_)9VZF9fBNm@{d*U%(n!O#ZK)qK14esi0j5-7=mqXoDFK1=8Ec>g}AOyY)JE zrb1<L@%v`r5tlDQJik)WH;2cyXGWRB=1|S|g?!B(You3@i;s_wi@|(($Sk9JqGh$l z!tC+>{-ED!*V*xUfwSUY)oALJ89QC-YN2*2Nc$#+n%;Ednzggq;<e9E{)krNV>R-> zi=i&<v_|>HO|z^@pdLpQ-^8X~%Bu)-YSnvP&~WuvJ)`~jqv5=%#?TuYiK>l<voqwE zmS|^7h<{WJ0(q7Ku|nD2x$uT9k!h>O^|o*OaI2vZ7lD_`W}uTgL-c`XlJK4FTB_Fk z;X<KS%51*%DMxUwLu7}xT^h(F;#ojwie7SE4|8J6FHlwXrlA@`qL+T*D-0v{BQqVn z-P3;j)~VM_XamkOe64M_W&3e_-(EuE{euGvL0k)Q{+Skb0dSa4P`QHx$}G$}+zIvV zxoP^!tVs3p6=g~2m$=2qEfURz7uz-a%&hbKA*;uiq8Y>XNYD1rlR-T53%6$LCH%~F z7cVV)$~$8f1j+f6e);xx>qBmm<$hyC6w0I_w?@6RBx&`HS(_p8HTu>p;J_9#(!P6o z@#kt=Z-vCyKUL0>&u%w=JGaU?_E67lwn>c>5x+KuCHC`pn=N~|C)@gJP`a!V@3xMf zb^D4Ee6$^*Mz=UnP^>!9SKlT2w1A3m@*e3$`_#o>eoPLL*04Cu_Oj5Wy0tcfL${Ra zeWmYp?RwaBtvFdg!sz-69X{gM=1o9H$7NQ_tB~NV#Hf!8w&U8fBF<#LdABz(zF#tT zw<!2_uu9jiA?<!X>Y+o+IjiX01$s@_BJU`#zsn&%?zB)_Ju3$i^vhIyBA)MEu>W4) zC&1MTHvjPkZaVIS#5yI%v~~;V&6yTKRLBvgM!Ven2%mK6kUTj5Uh0Wl&N$V2Mq&FG zN8!ObIxHY{4`zA_t{%&Y00uOBB8o8gtm+p!@UIUD{jLHYayZI@Je!x7Gop(FLU>fN zF~X6n*5dNQbtfm&R(E>W$Kn0`LzX-9y!)A5yTyqO*SL)k1plu++h%*l$fyIPfC1d8 z&-Z(Aw9C8zgk<QOa?om<_0rOu?Y!6YliW*FSrZ4)JWf5;9e+c_yDVd<re26~{ie^O zh&L^BrAb4<fCXEQvs18RkQ&Bp@-9tN3M-;Jpw@YO>^NBJcR|;6A^%;Tf<M2Q237KA z+%p>NQfOvq$XCNB*|=A39L3=_Uk$ezHwQslU)hh|<2zZ9S~&c`MN0HI%{+88X%<q0 zDvI-j9TRCT-(HOKcF_B*`}OuxTE$8HawuQlb9jlg&E5tbxr&B_5dVQrI(O~dJQ|u8 z*C<(ZZV<n6Hc6@0ZMjY5^SFlUu+UMyz0$q9<WX)39u^jR{Ep=b*X4gRJZ(C9H;DQW z0R4Vnn|I>m>Anb(AH_gm+xCvbbWF;$?a0ZVo$1*Qn1&>>LB7AVYVY~2O^`na7(n;A zuUO^tt+AE6#-JYQ3W)%}ZfU1!oS?{_Dp}8JT?E4N1)U|7)md$qU`bhauCUmEWrJ7A z`2ko}Ry=|SWfcDbiv%(6UWx-`kNBOa(7PODgsgqfTWsd+m&}}sdS_D2lpQquc=xa= z17>ozL~xiRVFCRe`MeGy_oRNoFp_Xc4br!)n^x#Ttq=AM)`o{0_1jfH9j{CO+--U) z%}o^u4(e)`vT-SBdK#PFld#wa3>`p}Pxxf`75k*E9e@wm?Z^7Ptx0aNXs}?|rql+F zj>7EpZUJOHydnRjw(0K{1Tr>Vw3vogj_z{-fSr4?Rn&6@2T04&E9@c)+Y|X`>km$j zAet$t4lJlbgHJ!8B<oL1Qygm-wZeM#w>nzOtK(<wJJTNCjJ2jpUid-$)%39%b3l<H zz_^)kEQKdN=4XDqM`RQF@r8^?aR>POJNnW&CxEjP9IP!8;P<0@848^id9ttVOC{G% z=)oh7WC#(&G!4Sm3BT`}QuEJh5MjE)_;)D0n1>;DKxs;`*wzM&aaM~s#ZTAFpbo4W z&XG>Aj|xm}<{>lfScFneNZ4(ZYYWo8YEbpM(=Rme!ku=c)J%C8K^%#CV26RByh@7h z4L64%YSH>0x?PJ3*r<0F=qQ~=;0+cAUqff7<On+_klkoaT<=t#V{*cE*fM^qKf2=C z>&~`!EiL;RJHe9FkKiG3(z6UEFiq?p8ta=PM?RRniNy&%hBCn*t4~wWA|ZUV`wtF6 zdbYXF4dg>g+=;q2b~{D0hR=BYL^@V0))@T_PBiH6d_E$I{Tt=7+BHJ2)x~UGmAxNB zh;Lc^(Uk>!nETDW-7oV382c2rnLg^l55oN<9NOx+G1m>VzVE{u9ERO#$)@!<auHg5 ze2x{auI!MWKUFi1t1nkT9e{zfZLmDWfRtd!4Y!P|E&X&8{Lmut?*&8+3~{tt*28nH zaCDtM`(CydCI&3kMcvMl{kev|p`#13BjeaQdSg96cLL0bxnb1}vFc^GC-m&~wfcN) z0`h9F>i5xNsP^P`PAZb2@>K)WSjXC7dhy^%6$gVbQ2rSY;w1+p={Z7vjc$YTUo!VO z1oPw+o*L&w4%IUpyfm0043G;8{)Ah9sqdJh8fB|>fuhbjYjqK24amBkY46y1T_X%Z z#Q^fd(!Pp{YIUbeb4&f9fQr7q**KInpHYy&e{SFlYL#l$F&_E0xBoyO`<kqyAhf8F zDlaEa=ysfGdCHCb-G>dhz5n>qqG?~PTb@UTS7~p{1=E(!(A+1CDhszFHhG-k80t^| z&-ze}g*K&cfno4EUNb3L6Wxayd{vn|BXE1&5W(O6Oqy3mqY}}th^*6oQ=`xN*d5-5 z*&L)?t-dR+<sk3-JB7cHfR@2Uo%}1nxY5#)1RDFjSWflGb*Cd}cv2Hm5H$*#X`-;F zd`si3RN|#TGf~@dgC4hG^CGrdge$acsFwe|3JEEr)sV!B9##Rv|B|^K?w4DUF2>q{ z`44cGy8A&vJq^Ifxstw4B8u4FX!sf(ZZ(v7<jRygUvMj5Am`lbvN&S#IO4l!-OI{k zgx2!|<mDcXNq~+tRRuFlNEbPX3(++@_u@>Z7pQ4GU^P}q=0yd(p$Ta>3r|}A11v4l z%hiSwrTOeiRbHYNQm#ge){rFrm~Lmch^&iWA4iDNbu66$(R8BzvtpOQ-n8EE-qB!P zwAcBPa)`lAqx>xca8-d8PBN-YK?Xz12r^_I^aCN9huW2eBZeE!u`7Knr%pAhH~D%H zs~ze?8hhZ_qR476B{EX6>{^1^$5%rzHK+`3$X?g2Er@g6Q)^~iluxX$bOB$ySMba8 z_WfYZ9p*fa$$;PYPUGp};>=-_&wHmw;B6wx;_LA>%l$I!h^fc-X7NnrrG}q47p{b7 zQtDc_?{A0>4Ifycxqez2m%{7GPJ>lVE8T+8#H_v_;!nYfAVtIr@86OGpW(0kc2#dq zaA!OI!4dlUPzDa)uk>HayU3xFKaw@p4(3|Gs2|Uq1)d(uzRK0hP*HLzQ8ZJrGPcJQ z2?JR?#=UM~;c#;;eL-j!Fey`7D$!b=-t`Pl(OPC?{~&08P6sYn9K7#9x;W`n9id8w zo+4!cbTv4|#mg>F-U_v`97A)%LLRo)$J$XZaC!diXKa*VGbksW7h1~hMjjr(t)_Xk z6v?J;N&31s+DjV`acZrDs=LLkd$j9D^MFx&!s&KeCS}JWhv53e=#M9G6Swb3xH#b; z3MNkG6$V0F4!vBq4J5Vbf=!e}ugMuUP5vcO3^%Q^<?KnQ3wI#ggPMFUEff`as`Xsy zR~}Kp6r#{P^kXI!_+$~r?@y#y7|gT0^&t6-e$ToB3$S=c+5RN39K)IH9cb4|vH82Q z#|TLF<qeSac|7jAat-i5T8o=Omh=Ae+O1Q=I+aj^owXATZQ2Ar?6kkL{i+Z@10tg^ zJ8WN(6qN&7y%v*~2EP`rwe^|~Gp;$Jq^Si0+E^Uqg%5p%`_##hiaLHUW*;~s(X!}5 z2y8ZgymZ&)TCr{o4|o&>H{^?4u5p(egx;Y!alrA7o00YD@i2<_*SDMffpCiuPt^2# zGg)YPIAp85$+SQw-FXK7`c0quf}h?yR;26mbG2+0L`=&c&*i|6=v>&$&V@?G|1iQd z^5K+<UlEb8o`7L=kv^Q^`eR==EX-1t==qL+1)PKzK`Gh^Eh4r6Hs?VrY2f*2@NX^m zg|`*t6VM^D9vUi^EtCwJA^YcT6(Y)7BxVKbu{z-&lYaa}vt^Wj$5)Eulw2tv%lR$` z$n^&&ZwU--PKWZVOTmb|N*H~%Xvo<N<6wxnVHK}!Rhwz-?K*W{t4`YJhA4qq)iP=u zxu34L5A$CyuZW2>4vXC0w=XY&KPs<}@4yGE2cBk-5IW(uh>0QIY2R;;`+ihi58jw4 zcbBYG7rbQI7P{5(R;KK^H(ITmk53aWmw0C_@~VJ)j;~?9i)Auuvb+b4dvD@u4iB^| z%9U|W`E=3;dM9vF&C}e4d0?T7k`UvUVTizStB)j-diTu|nO2<<;QK;nV3y7!E%WEh z>4q<iYl2neu57ZhN-r3V1haW5`LdbL)-Lz;xnLA9*G<=%DxEL0rX}o<X2Oev!IX7a zpO}NRk3O=sy#IXK#~~DrMet>onqNktiSXqR!3zxllTV9INXY4JvN&vZR+di$JKGx9 zEAIJ0skXK(8FW-_v_XtF2Z@D37iT2Yp_GM9{U}|S5unr@M8+&<`>H7v2T?d*tusYf zDX%a+ZC3wl^LECsVq7SPtAwfp1`uALqx~L$fSAS)#}I;KfZeFFV5<YX6v{CT7Orv) zxr??Q33HH!^M6)zt!G^744cVxeQD9{trc=iv>2e=zn=zxfaip-iB4PBkg((Z%8{O^ zEG$veKqf{5je4O8l<(Rd9;>qME@0nrcYZ3pPxry+A<Ry+_9IKe$yetF$-Ly;guNTk zLikyuGobQslHgJzem9i%G@cgnp}h#Dx|~Jt1+)d@Y;{pdmqCPVS}}P3uthgd0H1FR zs&WzGO6%1OY%Q+F`65N&1y>#b2TACPlT9L6fBVLW9&Py>W%Yj9gr$8NOuypb;rYq` z>**X<2PTy_l#;Di{EhWmXZ}RL5|M|bP)@ymqmXgJa{>uWBjCYj%13Q+4cUdTT%Wgi zc3%%n3{-sXbgsjRTjTo(vsz$;Pl6s3{w-Q8^SeRV8zhjT&lbd}4y~AM)!a~i_r8b2 zd>1BL<+Ox2vW>bYD(`ccNhs685}HMB9CUKy;zrm)bKzFa8sPgf^?R504mbaGIab9P z`8y!0$mx2}<hkHZ0!?|)oY*M24>D9<938G<*>+MS2}3Ha?RVD-t_}RqwWtD#)EB8{ zR^@jx)iwSnLKR~vL7S00#A-rv83aP7j?sAmQEdX)w$x1MC-~)Z@2l`dfP4o{wgN|V zv)S4%eeDLZAC9C{oXk@PlgVa02C7Ko83uHk>TbG1{%8by;JBN+!5Y_}D%*U8%1S~t zfsDfp@qZ5kR~}@RZPs#-U0-j2tM<Vp^64_U@sYK#k2d`aF*@|)Np&AH=Us_G@^L;L zs*c}DM}yc+2!5QS7?K$)2OTLW+ATK$*3bDuL1EoFu2oV?tBE<Jkin!S;vGf2^|-28 zjN)&DN;yA-;qE+ts6?wMkBi?BGFX@gG(yhMaUVjCB{R$TbIY;X7m92k7{5TJ%n&BS zo?gL(FvIk|V5(m7wFz!NXbrHFv~2xc`7_S*5hK?5UcVk7$kY)s8XImQ02X|C_y;<z zwF{2;4_()FCUU3#Oh$6HX$1N|E!MY&e5Bs31DwO$RI;0U`5~z{kA(w8%dXGvLB)T% z)NEHx-mck@f<CDMkb_zH=2v;g%n*b=u>5>}$^L%fD<8g06D9@kJ=o(8$n$bZ{NOth z1^&L`U`@8@ucV1#Nw(sruV`C3$R&o$yEzu5_L05pn|8v(ve=a42B7Nj5}jsKe$I*F zbUFH2*F!U%Onw3~*3vwK*q0-J@$(V+{2mYc7b&#Mo1iU~nZd=YL9iQ`PM&bYFIfvA z#zd^~lT;kY5nwZT^mI9Jd5#EOc#WHbS#OaO*0KQ6PQ$(NY6Dxs2JDs*un$0$r@7=9 zE1g@ou~Mi3)jpbnTAc)lzgt#;cxo%_J}jtA%=Uu<@vhz+N_(T*x|>K{)dN`1aPL-& z^?usac?ae_=HVs*!IMwQK1DVN0eETg%8n=qt@hZzyw0uRvIQ0D0;(<y)9~qTlSasu zdzvah0;9)R(sdFfirB;1Enw%g^+vg-iq3weFY&<C2{EAc^~?SSpQt#lf(w4n-|F`m zf_;UA6iczTLWUCN3x|Y2Xui@y!Sj!w3g1vPrFOX;)(W3(U{#U$d4@4h-$2tnfJZrS zOXEbw=C&7H+et<yy(hAXn?e{TOm;+W66Py{7gzJH0VNum=269GKhnw2;^^rtY6<M! z2^A#?*ibG!n&wx>9@+L4rtg`M5<GY)1Eo89sUIw^7qc0sorwMTjF^`<z+`y2SIJMq z?Tr5NRJn}-WFwER^pB-H3ss(=8~Ve@^>dB$Z*-k?*}u2OBj2k6U=#I3&;q_9k;vYJ zl45^r#gn_&)1TVB!XFd;B?ddQFRC3kRsa%by6vFQk2$|p{Hp^8(a+_YUWDTzE9eP{ z$~CM@f)qtJL>u;C%h_dyk*;Kq9zr&CQ_J5Wtl@;SYWvM0M09J2xc)w-L&x%!W@l_; z$e(jIPTXMIR#n5Ysn~3aV8fOZJLek#u2tAtYs#W0Nx)C@yt5}N9|u=8uXjaQ@`+`% z%p{P^3dap>JZNolb~)BlKUnY0D_~{acC6p5ClQ;LsTw14Q;1`EZ10S^zXCEeojSvi z`Vrv%b8~FltLN-8B5thrwwlwkb}vYT!4F9U(?>Of-OTmMwWhr;J7@J)mPmzkaxwu+ zCZc`A_gfcI#*f^jW?L~C0Fj0MvXP83A|Phh{!0$$JNR89h;_?I<oDi%C!o;%*~vv6 z#^4qXdbo&(2+PfR>wpOlrAqA$vHYW7_ST_xiW(Z?Pw)^gdhW{^qqhltn}~?qtt=|h zBR+&m^YaD)F#_MNGRs=4>LeGYj3XnTH$L5U<d2@JnavBv$qTNbfD&cBdcq*Y29no< zlEbYR2Zrx<M68J^q5P<NmAqm@<K1P_ciV!oPkNNMhp-|Vvbk{)YPfp#e2v%zhK#Kr z0gw6@Bazi%D>GLdeyBquQ=cx^0Lh2O2AU;0_wG6q=NXCvT+<Db#RP}0>C@8*UeV_Z z>GrVO!Tcw0D_6wo9Bm74g=2)L<jaU;m*T=xbB>&`9gs>wO;9o!GZ2ENjhRvSk!+qn z0yzX7$IbA=@+a`t&SuEXO{%$&mv?(xq>txu=Cnm^CafSwR)d|WV~1SaU9(Tu4Hlcu z5k5A5<hFa-d~4d>NF=P-!?>R#2Fd@A`woG-f`O4nWD^v3xGqNE22Y4W(S))@csB`A z&8od>*j7bvK?&Jmb(Ee26b|C^pm(6pd_#W0;Bce!8N?&_=elbfQ3oUpgqp2f)*8pe zlSjcjh>aQFdYFW`q(V-(2c~R-9kk?jc4WDYn%*6E0WIYGKyorsIX_*tpAhQ3)k*?N zHX;1ncb`+D%d;>=c$h895EFYP;mMD9)H4Jre=cv}v<-#t!wzL(;nf`a$0+s<O%2?< zOZ3WMO_|ECm_rD*g+`3}vrPe<u-d-Td3#L=MOQgEmbUwNW(OUl=Yipb7!{JKOm@IP z#ZK(d^?psxhGveMyBM=!BEUlE>mKFJF(C554)i<Uj%{Ca1X8?W70CP|q&?uO%6C7y ziOk#KRhvs|1Y_Ty|7{N~XRRI*MDbhsuPkx6mZ)jX_4rC@Zi+ovzvaRXO~3^=_#)zM zHebK!pu)9+fXvUp<Kd~m1{lIw`G%wA&2?*U?51WavA7*V-n<?eaa0mS>3&>~g0ak& zSPK>&o{SA%mhgxM$%TGc{RoLD8HKii_=r|I6T-FhGk~aIPwrqEs`aIoPKgQG72(l7 zKGKO|__Fv4_o^^T8Uv!FbDq&4O~Z_&>C+U+{d?+a9V}<2Qj}&4Z7`G~lW!-DEbM~n zho8@H!@5@Z_F|QoqW$;@mYRFt5o$6rx!U&_g>3LL;emdx&ZC7`Q-o)NjcqwzsU*&s zBpY>3;!g95wp#*II$4Xix^z<7MI03n4w6VS@fTCE`sn+jb*$^3lNJTPK^$lb@ydzd zSFwJY3=7Qpgf1;P(<#-_j=SyNL-@ylF_OU73DC|qBqGqamY(Vm`YDpFqH##EH4h}l zu|`ISXm>U_O4|cZb&Nftt$uX5hfLyOSxvg7=;#8*OF;RX?NyN`#e;e1PeR@aJ#9Ur zX6rzBLkCnn%)ao{sI7eBQ;-OSEY(Sv?5WMRRcnz6i-g&zO2(#61S0gblp^BNVptj* zQ4d3e52x#b@|3l8%uF!<CF4q)=lr0Epbgo2SSt2SC4XNZ$rQWrVvs?gsH446^i8FB z*PO9>fU>-5VLtgT9b>}E_i!$zrNc|xILZlg99ApW{{F#$dLs)Sz#<_t$=$TNEs=n{ zlq2<I9vlE9k2uKg;Rt0X+$y@uq}XXK6|_ycQ!@VwYPEVyU7@lhcVXCN?Wnp&MJ&-& zQ58x^7$KqpoUn-_<yW*0_f-svEDE(YvJ#AX&Z(doIFiw$BSCjSSj^sLzxSyycvwtA z3Qd8>t})XMtY<SHfUB44Iw-_j^n*)ono~_ax@ZE8EXk4c$eaOo9F61qn5Ma$<ZZFY z(=E-N^CKQ#y#0!fVCmxbUy?p%pGln$&o_7~m};a!iF+`%YoYWIrCA^|GEG1x`f*%@ zHH3fhM}$A_e0AcfME?ZD0m<~Zkm6u`h^<*UkjROH_C$0`q5e_9^385?fsl~fj*ssZ zI-F5hkCb(owFS-xz!nf$Ntq-jbw$dMLD)hNF`uo$le1z|Sc9<^3HHUATVyJ4D?317 zo2Z13xcFWNOOqv#HY~-?ENPAQ7R7?uE!PT&x)MATXzpo;qh0NVAlTlnezpc}4z%iF z;7<+SXtYxx`bh9zCZw?gH8n8L)7Ky6Wo%pxnU{$@F7|b?$PQnDqShT4@s!kHDM`$i zU^iOW!xkSxTnk~dPCwIH)zJ%i>=)`Gumw-dQ6x9Ljl~ljY(6(hLL1J}5#@f}jWpS2 zD-$TnG|J&Qo4yZ3p>@Z<Fb|eQkI4l@7zC||gAFVo&1y3QZFQf3nIlIFz^sZ*mk!f` z(h#uLR?&M160W&wM6Iou3Xq6~{}m~~AiYFOUtC}XVjLWRh$Xl1?um%z=w<%<=N#=b z8)6m>o7g>Mgk_&rx@U+)X#8{WD$9mK#Pp~+kys1dLOf=^4S-2c`xU)Zh@Wl?{RBC! zsXirMtx&cE4uS1&rz%eGiTnB~FJ%heMH<9w4hmC!=CocmQEKrxkIX-(fZjSo60z$p zi-5rpczA1uh#^D?g<-zUKGz0qlU&Y@2FfU%!f%O;V)5P*pP*;go+8_Q1Wo$}W;v(J zg_!6@YzEq(6S}YPBN@jM-`nJtI~j$sd2<$19+^7Ba_p6>JL{hk$rTf^T0lJss0!n6 z+UTOkAj}>bH(W}y(Un`*Mp49TYzfIYhiucZ>wr&zkSVj4R25NAqgZC_8bw2x_#=|7 z$VE3j#t$be%cH0gLNFqQ6)>UIdRf$=#uCvmi-sZDME9ISJN9Lg8rvnEyk(k>xEMI> zjJS))_E5z2532yGCREY4wd3=#q`i?N)bh}Ey1(>_5>p|rLxM=@k7UNKalHsvrBR7& z*rgk#e-Sv%Or=B-yYok-IY8lLlyj)PGZnsXcA;UF8)0aqi;9qG^l`NH?0T5<L87qM zD4c8wG$I{ouq~Vd58=|@0CCI7g@=l^<9oU=OlE$;3F$20p$ww;u`gg+%6Tkc6czBr zK3SC}K=+9B5aNcU>#nNI#cO3riIGrS{yjw5F)^kLs*DSBX0^wHJn$Hi$>zcKvhaPf zcQYz>hEs@OR+NwXOa+LD65+^8cvPC|`$Rvro5cfwXJIk%kctR3?z)rM{Gk}tuf|>) zbwZRUwSk9d*kv~ynqBfTxue6Ai2P19b<UUMmE)%mS;wp92I3G8G@L*5&Ur|SMNa`_ zYsfD!DnVZJ`X`;+<mZ!)+XWI0FFn5x-2(>U-Rt#|ikwO9BD6MnLA2JNM~CWxBB!Ff z$98nx7l?Ctut6ki$b^T_Ya!qSUY&)`Zfkh<9TQS-EqcRLH#)Z;n@Uq}B<Zr0+he#t z)%n#qd^lftXiAf;sE+NDDgl0rx+3bi(&#AyL)?C`4a-v%2N=X*ZQuPMYo<|!!9l;q zpcg0@Zeeoj{a~=cTfe&Q2K0Dd_@v;`1Bid^W7_B0c^`;4fRz^fg+n4S2_&}Ujle-b zgHh|0HdUtf{bP}yb2Jfk$A@GRpA*<I2|3mu$>uIhuOjJy4Lb4>{dQ(wvk_YUz>SOM zlvsFbG~@~wvK~SR(>2o|wWGTcBi~ueeS>&LIv4w6xljfmgL`*4w_xaFshC}rx+a^C zPQq?Pl0z&Xa2`Fz=`%-H)(P{NG<tnXp9Jt91qsK#Ojj@MVI{NgeO5B;qoNY_y)B-= z<H9kKuKuL}r#ujRj{)0Nurc@5rR`ocD~U==+6oX7)KkZ{n{x&ew3MzN48$JUX)~F< zMhU-CFh?(d3<XEXO{f#GSCVHTKK>(Fz_?X&^q~q*8XNVn2G5gB-ZP<wZA#xHu`HZL z2&~;iyqO)}dZojA@{EsEOCU133LxYnq$OFF+nbN;P9?)}oz}KqF4C0lejRsZyqRDH zN<l1a*yFW1*83q>g_IX7=bSPDHHZ4prYqFI2CU&#Nh8Z65}(am(HuF=`cLF%sZ6_B zKeIw#V02kko97C5A@q*PQsiySZj{IZK0Eq!jYbo_x08pd4-%F9>Yc4B+ME~HJxl5@ zbGvw^uqMFF%D8c}wI`$Gd~jg;yOQ)78v1pG{w%<*RB2874j4-lkXil-^_Q_)w+}j> zZu(MiCeJ@?=LcstT7^!-qkKE}XoU2-CC66?X3r`#0*yoc6(%Ryrn6Lx*?f7*VT@03 z>S<h2+DCqH*HH`}oz4S=Vc*r6RjP8y?dr3L8}W~UVmY`W2>*oO<B!MoW(hIu!gz!G zn)XO?dl3ObAxW+tyFsqUr0frdaQHTj4kcF@JRY-X2{kCkPaP4zJdgm@@`6)^jCRdm zY1gw#8<yIVq&nMG`GxQ|ynE8us5!J2Jx;lcLqJzG-DG^U1W=tf!=virGPu$iNC7Yg zskZWLNtry*Il6>X)`)cj>cN)0-1Mw<<Z7})7Tx8ivPT9*%GyXzXF74Nf%W7-uHa}2 zn~kiCf8J8dPysfwZ-E*m{==LUT3u5>My~uV7Ts(x%9S80y`t(@q34rqEx^%Vx@RMS zY&%8_r|svKo#U>xu07`So!NfVCkH|9JqMX#<Uz%lj@hAhE*Xc=`&Zu%jjA%Rg@76T zk%Eyx*EZ=pF@ZbZ1`^U@rB^?r*lynpZU2=JF}<e9w%zV4-U~%wx%VQhWO5Z^bAHTW zhq6KCS%a=w+LS;6F{a&eg!t7(1GdhFIo0m#4f^KX7%3r^*w&IgjkR@ju7wAB{4|`6 zLO~qM>Fv3^wFVh1Q>L$6nq>|DyERu%`Yo<QUAiPyc4Mfpw4lU~kzgSxgy7``-`*85 z@P}B#0?*iY7xD9qt&#AN9XZoM;+o8sYQ}(qs<A+aeL0^)(lW4E6DOl}t9KPs*UBS5 z#cYARwtJ7}74I}|b`!<(fnxS+C^?f=r+EsCqYI$$yE(?qH6-exYdifGwrf}V(7%5X z<`WDr*yR&HUIfwa3jGjzMr2~Qas&i_+@ib27+a@5{(Bll(Swj#!d)RU*kV+NgFaB2 z<&|JYqg9OlXAP1++(-QxWox<Wa@cMtmc4R{$33R$p@KbP3S^u*o~~L|QPxf}A?euZ z8)r)E?!k>s(GY|<LP?AiyV3BPRmC)Z6&<+~hHl0-KljGrP+zH!3%DVY>d+@!cvEO- zMb_b=%CTvxgjYU1Js*2%+v6O-3>Xfy67o9(0~SFlU0S6>vJ(((Z|{2nS?UXTr`w_4 zh%MHSxEe{UZ|8)qu~wxIkLK-mjQ1wb2h<s*7}M>LMG8tL6|{?xV<H?j<s08!>t(nQ z*aAs17=vz0^8rz`3YZFiSC-!Q`4k_YBR!^)7I>9VjH%v9=opoc>UR3;<+)w%8o+_Q zJuD}xs#W5a8m2mj0>`DA7%4YmDHZUh*PM@jNmmr|2$s6&KKN<=I5`W%f9TU}l*4uu z!D}FHLbl$yO$|pi(#<O@rhgxY6`_{yrxFU|W1oN{LN7R>V8a(glk9<sh_V{zCG?MS zA@OderdP$1FSIbKU#KP3y>Vb<%Q1}2kP;?lDtX@Ws%DF@Wo5D*71wU7d5mhPir$DN zfrYI+s6($GrJ={Ik<HF45F|TOW@HL0`r0NwMY}{DCs6o|l&_IWQWklT_8Ke|mOPjn z*(_0NnI$u>s_t@S!~d$&L&X*c%XJiFq{;=`69aoo(%>1MPR0{Olsy)8O>3+u-F4#D zb)sw<`+;0b6LScT?nq#?ng|_)8eY6|SU1V!tl80j^dg8<I-l^Qw8ENNcMInC`OkLj zYbY5)6m_HO1*LpK^gb)CKaPt&hQBbL{35d&9NP3Sa$dN$0a~bw_)jz+(Qfa~t$lf) zWz#?)oYb9AM^hj(Oh#8$7&qAtgUDY!u1I^K7U|p-VPyNhob1sI1meO%3rnQH_Mn|H za+mT;h)?KG@LjS=Ob{-2QL>lI$<;T}@;qelW=9I?aM-#W#t^kS)zEajy)@*4M6@iU z<zzI2h1F!<utqO#u}->A%jT?WDECXW&gsHRxLkN_82P5uzrI;H*_zuQtr5idjOstM zD1%dL_fR~+pw;N3H#*N8j_d7PSi#fHF2(h)I<sV{P!(xM(>nqR;UN~2NG>jqzy4~5 zN@=>H?p&Vj_pV+97Jv}mp=T}`opDJm!|h#e^C2L|RB}Z_$~AEzrg7XQboq*;WLRqx z+Th<)cwX<&*VrX<8u_cz_2gZ{$wag(4EMWdBcP`Lo^RJ(83%S*#VUI)+l$-*Q4H9c zx1-x1@m-RKl7o)xqcGWNn19$#S-9vmTcU$gI>_Q{)uj$35m@|;cG9UP=z(N`3&5yb zD}1UG_K}^eh%rfo_=zcglU~Uh+vL)msP(5lcm{T*PBbKF{<6@60T4^#h~ISO#p1*j z;MZztwSXUCyvp8|VhY_AriSVqn4lUm`Ozj9gbQAj>-!F7zVvr|47Fm%8QXlP6gNz^ zP3xZq85Leo@@Pk-;FI_6Gi9+^NUTB~flR&C68B+2803g86?po<;<-6{zE~v}Hc}?b z+2#?ynV6_a%~c2YeJC-xE>RGEZWj_bJ4F}+T(tz_fD2!9SCD3cPCbtb3K!2UmrYgF zb}PyXMXKr4fYMsUnV*pgiX*ji&2Q-VB60&V#TS)F&RYR!0qp|G&pm5}yN{56GDniz ztLcWcFX1&Yr2IaE!%8lg!pZx)2_MTViRi*e5}mu;RE#*gyUTl{NNhJU#XNep_Tkcz zL3BdP^cKd)H_OD%+DJ<%P3iYtH*;{tL2#Jn*%({Hx$pF8-rk9lNn9|7g7eGuRuL-3 zW!X|F5Po@LTt*Nn{IambRUmJZ%wR-6P@i)ryV0LZM`&e^tX6TWTVy&wN`<0Ws>Tkd z7;qPe$Nk8eV()uA3n^xJ165c&;jCtDV$Y6cVU6qnDhVQ68o%)Cl{3TQ@wm}p%5A|P zbiv?$i9wV_!I2LONEKh=LKo!H>yQ6szaN=e#e*&%2!WCd9g+E1{PRUA_3$Ypi#aNt z4+#mD681@E8s9!JiuTyw*Rk%Q&tz+)`wloGL1H}b7xpy7+YqS<McIH)SIIfAe7+yx z(Y9`?%22HDSx2MWj2Xvp&+UvA@_G><{YMbiR841iM<xhc@W_9u;nwFw-fTiM3dM7p zEy$CzkrY9U6dh{OkH8F?0PJZ(tv@)_4B|Y}p7KF;Kq!%vigYugH3i$s>ctU^l|D-F z_}MNe@&nprAq90^Py6mq2c7X49=ozd*q>9#LHL)Nnvc$;s243^Y{t6Eyed?!3ooNb z@7!7HF^08^4wF`DHC4j(ai`=$4~mi}c)effHMA0qbdmZ?>!Auq*_3<Tg{NH2rz`zs z`#D?6u4%2wG<?cmqK&`GCT2oE`Spp3Qmcr1R+q9)OQUV*WHPjloKmbj9Sa3Bxe{AJ zT$Q7sXz=(qu5n~yh3_mf?g=9+Hk<pngCdY)_U{qc^ca;(_>%MK$A6;>8v&9tjnJOw zNC`T)y8Ox4Ody(S{igw$uHRjKLqHLD)Bx${8fgMrPeCs!Q=zbzvj(Vx0Qu0Lt(Wio z?9}S}(rO4pQ|0EJw`{4gFOwOEQsF4jHf&|4ZA<?2Qk1l=U1Fep-HMqH<c1`dNuumB zPBM;P@lsOg`#y^9T;orsju%q{uTf>QNkz?%sjhj|4`~Y2cs4F4nFY8M=I(`z)i+GJ zXB+LY-99CTeka-UxEV>L55Cw!i4<S2Cs#B1?*>g!KVA(w!O{a>mTQFEL!E%ny(6|x z#l6-onaR)CifMB^e@;r#%Qi+x-~WNvh<>(_*&p+5NWf0N&R{MV9@yZgTOqhB`yng6 zls0Q{?LO2!Sf$>~(;o?4Sri6@_O?y;A5V(uzj!ZF2u9QZj^j_M>a^o3@wCf&rlzc6 zuZ&e!FYulpJR^+EL_6!AjfRy1&Kx5|ySnz3L#AU$kkM`!2?P;uo5&BM`=A2EjM2^t z&#L#f-;(H;XEvPvT;aunV>;EqkxG`jk-Uk=2IQrlRT?iAX1K<*446mdx@Z1P|0$%T zt(SzEmrmv{47okKEsHBu8~OUPK~ik5J73veRnO&h+1=ms!#apPB9GtqF%27(YeKJ= zX(@%0e*4^e(%`O-7VDxosqP0hV1U}-rz><3c^IO&AIGj9Y8u)@e(*BT47aGw!Ux09 zImqk}2MK<73AX1JKQ15xDmRq-hM$W>(Xu&^)jEnU8$t2}{y1p8iKQ)g9=hPXPe-&A z9e%tR+!j2C$s9TXOo)-l(nvMPRB_~YXO%o!)gRAll<KZ`6FG=KkNMD|TyPHkYt%*6 zX&u$tGvPmUII>4^Vn^dsXv?Wmm9kfy2V1}DwMk~TaKdoim`b|fg?f;kK|Iry`O5dX z5=wB_BK?J3(sv@ecM{Y?q3Q=ja#wd+pkDn(_u9J%no`-9?M@>I6MLxPrp-onnN`{i ze41^KQfw{~6AgZOOe>UC!BB3)j}@*oL@^u^{{|Pjebr2?*iExBcVL>pt0vKI31*6w zh^0NGt!k}AIIFFF@`#$^=-szgLdi0gcc&4Z1wyNGZHgc({(Q9J;DX{|#<4)Q-1kPC zP-JvF{=@nGj~Ti<V`%A7EZ*xcY(<7Dk02k0EbrJ9NI>;+lHCSY6cCL;lKJ<uI9*mw z#?G&k4>smy!L<F$<9Ds8-Sf*gDA8c4PL>{wD<_&fYb7Pbe^cJ+0%hc)x(m_p<U}Ug z^#1q!b1gbt_W_~EMt7rD6<R5l*?RRl*d3#GHr1pNoFh<VqssRVlke<-nXz!exO5Ky z(x{*Hzr-~)1dU(Ujl<v$_}*&bWt0Im-eW{|N~^9L>#t7uVCy&H-a46+pk{9OFM=Pj z!!n>4cfeqU^ll>1fQ`&c7bOR%9yjK~uHS^~h7B$q>N8NSI0WrP*^;!~WOA<0gnTy4 zdV>|ZDybef18L6P#cV=c>Kv({7YP^9LQY;+x8`QxcHG7&5@C~&8>iTK`r+{585&tQ zNW|<4Jdl+!6zu2~rcd*TSXm{aape;$=|wr1eywK`7oX6>`S!Q1NoiZ%eotx9OMLGy zGY$%a;vH5@ys?r^40%fS)VwU?+HditRDsxQ6g35<2BdtGNS*nk4zxF&iYh4>o_FWC zwpc&??{~%bQP*VyfXCsmK{%BEX7}c+hE~u}jFA|}nqz>fJ#M6bMJ2Ranx}5!Na(L| zd^wl4Ze}Dr0&PsmPGCYXMIcN#q_9cI`TLF{ul_Oa<Xde^<CXmei;me;n-FeO-FSps zNkhZ*)Akyu2e~U{><x$4-K_=p7vNen?_Sg87MwR8d#VD-<P2<dJF-qQXMI$;IqyHy zF!)e|TbD7!8dl7#@>0Kx%-m`&UD{>jLb4no3aHiZ-6M)GT&jtwXR?B+yLC3^dKxD> zb2!6NPx^lVKS030`KtTq5T7*bV!ay$yc&WL)3okwkfq%5c0QvV43fodj6&Lp7(#|9 zQ}tIYdePO__QdN(6c#Y1`Y?#e=GVow7IJY~Ni1y^*xvCY#A!HG@}#TcNYp6%&+Jk2 zyWjn81XSoz^H1;zAi#^WD`+_Mm`|@6_r2~Zc503IW_~N#=ZVQ?7M_sYZMIuke=BYp zVt_en$?Wh;a@qylB?9kpQ!S`sT*Q;;hX>n;Ye$#wIP|%~(ZnvtL1Y>^^(ENADLOz5 zze8ET;tS5vr8}HXWAZhfCJES>X(N7ZwkGdfhn8qiD!LWoh0b;bo;x~@HM6a&6z^_# z2TyPLQTN<S?Q*mJXzaC@stc{eCF5ysSJoG$X2}+N#^BUi4~HpmrgidY@zj5t*e`^P zx0OHldS1OeIL7>t>?wjcK=gw!U^*3!-`!R%`HdOYYhEr(DFPU>UM>3%BS~e#<Z2vT zZi{sRB1stryYzMDg8Jp+Ww%#}X$yKZ=sbMYY|1A*9T6yvb|Yq8Iny#Pt}|)5Q!jc0 zEPG;(7Tp8nCg(=s+y<~)t}QvUjv75P?5TF*eeAplkg}qFi^qxeAl+-8)n_vGXxd}h zCoj;;JVJIM7D>9cCNFT1%X?>zOut}})5*f!-_IGB!ku+QSq4kqaPIVI{1RV^OY1me zE~4PAofC~IMU5uF!89o5))h3HNBKh++nN_J)V5K^Y(NmY6la+I8_;hi0#4&|%Q|45 z9gnmDx9YEz5U&b<c>VcvvjRDFxy8i8blx-MiI%12f9iUnSkLJ&Ee((4i-;Cf8ygTp z22;tQ#Wh+An`5TfV9s?oyl%ZXD8vPWNcl8XD3H&@zR3~q>|)0xQDzc}$U<&QWQW&F z7#V1a1>gHlp%*zdyIvzM`WeL_uRC=j>xxrAGIw*xYT@G-mzV8f9t@`wGwQ`Y@&q2l zLmYV0fnBXu&}*CHC`9jwCI<MKYNHHH$MT|<S0+^e+1<io%FoynnkKQns5W$ONJtW6 znI-`Wd??6#K`<~jV7=u80$53cvY*s&mx2WPF!u#_`I;0tey(}$1cwL5gXB7`%N*{~ z;o$6lKRy1B;`ql$$N!w4e>xcB3t^FKnxA?k%fAsS+<&U-lFAPQAc3ms2xbfy_p<tt zZ=G(~4cpi@YA!<ISi_jUjRwp6CAz3?^OrSnRn=VH@?&rzFfKky)_6F`aG~-+$E9Zf zs_J;`!qS;!HP$ad9f=pcC)V5-XC?#I4Qrh;@qZ=9VREH&&iwOxBiAvn!(<>)za!_w z&#SR%yaBuCAUUtA#-}tP`DD|O;#%K7F56kLVxo8BR|WPUUI1@L3YP+gnVcBu8XOiJ z^MrH;730x_18Rq8or})NxA+``neiE0gHK<aX1{y%`+!<9fG@ODo9KzaRIV=<MCOxb z=lzFD!;FIw+OzR?2W<KWm)6EOo|U;XL_|KnWsZfy>n8qP24C9c<9Ih-t<+!yHLMq{ zPQ=B5?_09mUQ9)H(KL8RYC<$Mz)8TfB6T-BOTZ9^XqTkYKz2%n&O4B+`xa+MUzT3f z*|y@hGg$2~rv~&tK#_I3+_y>6!-*kO68fHh9dDai+BlNDhvq3Lp?P0Rz<aRQ>v-bB z(uab-0tQbdCbvWH*vs0@->~{fLR^7$y3-v&!+rex(Pxx>4aVe@59Q_MB*rxSP11L{ z-}t@#{#s*M@Yrw5y$h@XI@=Ao8J_0}Kbs(>3Y`$?O>P)lSb$d`%9Q|z2Zw+S2BT4E z-|X``y0i9o5bv~*QZHs?@tZx}2EIP`?X+t0KkhbV`||Zra}eCOc=?`jc#oTpn>@01 z_g)6mf8hR>@R{lB58nI5{pmT7{`Pd^(49>|>5jFLK#CT3e`gZ=5x`0MsT=8lbx$X~ z3*Q+}1d86z=jE)K!{xc%ERKIa7?G%6eaKJ$`Z@VJbF1`JCV11ddsmPA&`rBMSc-U^ zlJ1T7LIeN8$0CB8jP3K|P$AWMKQi=qdfjW9_LW~e(XihxBHoRJ`v!9t)}5L1Y@ND? zVYNS0ZLF{;mbomb0U-T=|7sr&vQO=6$rBYGc4|CIsh^@$f(aeeTkiiS2J)Nr&(w*_ zYwB*+0^8W-fTmr`Rl?6F%$hQaCO#oX^(5;aC7G3HhQD8bU*jbQ|Luk1zuEWt-ZC6# z-<HcL+?#F-&-}%E?t4~<cGL6*S1;|bWgJ7o>a-Iww0GL(s0)m0bk5lBfhH$%lp_G+ zctB$m<jUC~d>4NjA^?M%7EL`5-U$++H~}PsQeTnk_K444Fg*O_EE>&u(#*T`GbRpn zoIM%`TiULc)n-Ur*_mJumYLm-7s><vnAI}C`WDSIih8AX>_dDyUp1ST%F&kd#0eD* z@k%VMBt~#Rv|2j0wW$CoJm+S&D*e&4;|ZPY|2vE*b`JjUFs6luV4}UJ{~lwK@m?fu z&ufxZFyfB&ooW$+OI}8SQx%WlLGYFygolIfZG`Rj`WN*Kc#mt5S1MRDEWXf^f9rZK zY9n$$YGy|Fd$rlD+9wYmwlKKW2BhUS=W<6SwX2$kW&IEx*4oX()%B$}OXOFZo8=Kq zrkWk=kH_qn>Mb5$e)%OiI8cU3tn^!bfHeS;zb<F^yE(twlzbstk|W`;Q!)Y8I7MyW zuQ3yml|}ouI(}_9STxPUi(;K`K5QbWs4p1ui2Z{wM~{P&=MO&;5EYN;u1%+ivFqYj zci^TAgN6V7SB@2XS$td{q72fn;(f&io3>mPlvje)bRZuV)#cUZc#A$&Ed~Bs^O6o@ zJ^23n^rF361MR1Dl^~i^Jo60o6l9%Q7D4KdJkRaf68qp2s*}_#;4zsC)VrANOSOsT z<Db4is5C2x3^p;^XHWhck5^#^c2!Y3#{7ZOMA$X7-Bh(W;SnJu&k_D!u0}SCJbwIB z*w~AfDP7#C-o!1;)!+uVkn|=r#$;MluVo`&w!@EGqiBVK`hQO^FVUrlYL_}3bx0k6 zZi5kbX6F4EQ!8_a6&vOi)aj#4tv1kgOh@?(%5SvYShv!n9%%YJ^i>On0qxGPxDbd& zhg>!c{SL&bUsczf!C!jK(Ci0yVSX42AkWJcpgOSz;sh7vZbiqzWeKZ%^4qb&0e^w2 zUZTUURHTF<?VM2o0xwCHPLOE^@!}fclN;ySG{V8Z8z&^HP%=Vb?L#-V;b;(WLkG$+ zskRdNr6I@Hjf0EPWbwSb)E|dI3#Z4`U%baqk-e|hn{BZ)zHR9wo;}*u@QzM4j#xHg zMkas;z%LB#&IS*n;H@J}&_r3R%8cA)xYWgV?L}ntWx2q_GcD)HMt4z|-yzKPy4+YJ zI8cNe4DP^+M<8pqUl6nbdgWlwZAyM+)xeUif+&gj)jMd`m*2eOo;S;RY&qdbD|+!a z6e`n6!~l}Q1cl%fYZxr1QKc)1#;qk)bBMy7*F@VMaJ#JW8NB%OpO0U@`qS&dp4Zn+ zvr+e!xDhA2x4-ZzbQ*Ji<f7+CB9{s~{0nM7XGaBx-Uih>*xj1QE(tX>_KJ=tXNc|n zB4a2Vh&Cb0Xt`Iy3juJ;`2GFzn1i6rqSt@D?w{2j_f-Z0s;n;t_ae?@btUM6WB4N4 zrFfWW!c31;>B2%4p+hWFDXkpNmbR3EP)_z}I>`oaY3P4~o&SoSpk9i9L&r4xy91%Y zLWnjNTsU5NGNUBWY9V5k%(A+e+!UA!s6<~v)@~3jC)3j?ns<Wcd*I`2#z~u_(~$cG zFqZ+A`@HXUAmw{Gdl#@K<i4$0_Ay2mXsWm0g%&bzoMY_AqQX~HTX<RAT+EBi<HHjx z6YR$qL4m>GBM*nw2KOa)z@Q6QCn|{QqLMLkGFURdl>bq!zAox&fs2qzq5fmF!UIMP zvWsoC)XGI}#gb@CEr+zPd!+wAVym#06v)rjvRJFg58aFU&$)!Tw@Lkn^+4E8Y%VgY z&xKJb8+2WUDZa$}fEf(yEK1d5Qvn8n7?+XTH*)_A39F#zm}e+BO989OL}9gCp`)L& z(rLMbT1sGJ4ui$Rs@!y&{fIwDmnfz|O{zK5<y=F@kB2}SWJ2kRuGAxPixmCM#IVz_ zdwW`P!XWS)6@S@R2+^fJn{6mVsn#Gw(tyPQ5JeoeeqG))7|9i2t^E=g0Fd^&ybhJy z(1}5RMqmD@C^z};5kd_IwiyywcQ9@+gO0r{aP+<I`|fWf$&|TYz!V(+#ZH#u2jcP- z`c~q$OT@D;+j3~(M}IWWZ+Sryhn<YN!UsV#1&6~nF3}y1ky2_=P-4!Ifa9Y-qR=ZH zxE8)9+R)|TJUGX5n)M#)mofLzEy!YrBW*32+s|LQa2?6cPv{I-!%iT`NP8C#<ThH% z_)ehV#Gw{EN#g0~{(^@Y;=SY!>>p$cT{jW<gq;V$me0HCAL%Nb?uqf+ShNwQ9(mWu zK#-zCK163}#tKYv1V4{3+!+1)^sKepi-0LU(nO`Mo_2z|n<#e_fH<->iv<%ND;Aog zKk_xF3lOqq@m5<VS0>4s!L{6Z-$rEG1y2jz{La}@*-h8jr_o@c`)S+4@}@1Q5|~Ij z8(m7g+dgS2FB<nT4z}OwmHbvy_`2*dHSFKzXy;@@DUk)bIu{f=N>30ddEMs*(5fxB z^X7QbhQg5BtN>L%b%VLbayy|+QTcugudiWwk;hNYMf!@d<nOx|uFrTg{uQ{f6?Cz4 zTO)_Cr+^SkDgkB5-L(=S^54rfEB35O*pcq1EuvNH4r9bo53T|VopbDoi$NfA#4#uy zy-cmTWiz{uq5{U~01Wh7R2&q-OyZ1#p!nuY@@{;a2G_aIu;%E!^BtPdPd1pxt{`w& zta0G>eE!_YLoz8KyO|l4e@Z>a4@1<v0nP=??W;Ve(aEIJjwN>ia>Lzg?-K=IIe|NJ z(!zyD)5NycmWgigCz(DWUtDTzwsv<jzq)BZy`2{zNABpqa}&`+eF(4O;P@Xu&4!Q2 zpnv?>;>+WI{{163r3(y)Q=VyVbyfH>fVx3*9R8i(T;o4O2f4Fs?u{``%TU?QQbs4v zP+p5G4kuk2Q;-zO4{`odiyJ|+GX;=H%!#HJhqayYC0Tzr+(2`teQ0P!{8n6kTo)?{ z4Gg2OQq((kM<r9yL3g*tic<bOhDfOQ43#By3p6^2$=r8uUcP%VdHc=j>FYP|Qe^Js zYbI@j!v>AZI4U*~;P-94tm^ASmm9$owLx-i`7?0kMMdf~dPs7mj#j2vD$SC;$)nst zX&Rx#TS-Dhgd!RnN|y`gsW*`jgP|Kol7)!&(KQa?HrowG{!{of>QQd4QA4>(+#C5n z2-+NW<xW73lNeE4hrJGA)PI{(-2adVlC+F?DjmOy35fXB@X?ki2G44o4GogIKO<ne zk2WiUzVBxeu3fS=FeBuh?}~Z^Bg)9O+JR&I$f}kyqIpp1bicnGMf7vzLo_eS8B#XQ zE5NsSCH01`%Gov6T)Al8muYPUL&IQ8T1+btcNZ+e&onHTN@ZRyNxAPLNdbV-KiLoE zVUBXT^v|A2hgs%5L+;z-Upz_9hVQwXedvL-oaD2DA{>tw>#D5hz`=znaq**Qy)PwF znm~wg!C{h!qm@(4C-BMYI^Os~hFTTTy=?OB`GQ&<!6PVH@T;#Gg(SC3bhg~k(jrXg zv4f0`(a-pIZ70MHwHq1~s$l3}RL{uoPB-JGc8{Kq`0TOvJV=m9N&5q)+C4hCgQ~i> zyv4+9voo7Sg<h$N>0=SQs>%eyp`3*8g?jl810RWC&as<W|76J~Cl;KYhr>0z+Hg>l z&^%dI7cF_op!;XoH#^TH$#T~pJK@$Fjwh$gck^!ifW#F<;s7C;ndymuNy-cI$Q)W? zLZh|o+*MJ1qcy!1)1RlBH2g)E3Sl9fpmd)ubHF*vN$f5T=kGhQUOll2KtF1|UZ)BS z2`nTfC!&T>%QCblACfd#CiN-3S5Z7)|HS|g&$#KiRx)DXy|D4qHA(Adf6aT-8=^7w z1Z>G_I6Chlh}$`63jd~d7=QN2;jPUb&0<Fq57d#;JaxQN8=kSEHZ4Z=n6En{ighlX z(d>g9+V1*blO-eok^3;DRF_m3*Y*?0^&b%k(^2+@(Fmxm+7k-XQIq_Adfp$0lXeku z`r_REg~F;)?t8-~TG75%vKd%Ez0zNwXIF5kW4@^cUz_#3SYlO|(|==M5%#FyCHV%^ zDnBuDn)A^)3Hv;Jh;w_mX&x$=!;y)%b+*}cNoGkd`cC06HtJLj)Ji9DgbI%tV$Pn5 z*?uH_D+a_$X8N&rXp^+6ah_}DZCTYKb+#x$s!3@oi`8qrh|ryOS59}x<lQ@r&~ec^ zQ_hbVaZ;|Mj}9Izm>=@sQ^Nnhl{=|X@~ZLsA=}_EqcWA34-KnJ98T5b-syxfy{u;q z`m~=&4B?nr>GtGM477(S7RcaOhx_4UMX5c3=N2fam>ud{-FRzxV74^%zNoMiinSR? zhU?Gre-g7dBIc9Kygk8e1?ZXb|NY<pGcW__G`JXi|Djxb|KS4vKOe*~mUiPhZ<{Ex zaKR+W_~B1(>3<GW{;)D0-Ce0W3P}6r-JgzsAL^gk)wU<ibkMSs4Y3C+|88-hLg!9l zZjR<e&NB&0=g1Ce&o3`+PNg0Kca%LxpVekX(eY>sH4lxqogsManf40(4$yXl4g9*I zOWcH=X<|)|LK~&1YcNv<GS0g1U`m?UbCCEx;EjhJS3>vx=<LyX00UmP1$C%T>e80; zJaN7GqjKU;o>|3jYV_DE=kc;ft0|;2xthoCK?q;%@W16|MyamvTq%VaDRte?#v^jH zZ~8fg<#|(%2b-9+VBOv;!|Ysid4xV#futULc<P_lPuR`e@&$LC1cb@A{Jvo;%MmIf zp3%LFejHuU7|B><hFb};R7SRYZPPW}2QRqv58B?6NC$&mjiU(A?&=0O5f5M-gWDIi znE)Qci|(x0S^8iC#CQn;2^o0c3P7hIxFLf&#uKa;31aBUPd{t!8pkX0BR36V8pm1U zZR__T$;_sSW>fZUi0ZJCpRJZ?W@jwk(rM7K%b1E^P)K0}rHp5qJ>>AEqD3|gAQC*` zN=K4TH90`a4u_F7oF(z9*o?^s5cxoVbf|Q+CPdOvy4qD^zHzYpr#<jgnpBH*an!ct z@FAs;8>?i_oKC|iJE}k}xdNwCO^H^1D9~{1Y7Zv&_AFRP6iySZWb+e+uCYg~KzK7I zb90b-(3Kzzchr=nz|xab2V$xNb*n~RuoM02JL9v#V?+A}4GieP3R@+oX$T6vt6mHt z7BjUp^BLKh<8=%~iUhOXH{unbf2qDOzD^E%)r!gA7n<~c=femj>Hyn@ZgZC2$Pv%W zdd`j;gZ%btIS9DM+p7}jM#5qy9zmFAk@wcWLkX5C6EkOAbey+RTaj_71r}^35eKU! z;CLg}ioTkQ(%u%~UQ|8@M5uxDLW7waSCHIuTbd2&xh~Ou09$33i)YQSWe>P|YI0g6 zyKXPEO1v9=Cxymf5Q;-VK!!kwQwNC8OCqE~W~J{1uW8Ni4yGmr`JwbO8f$+cG+UIi zrv~`W9c^<_p(2$>r&-%9l44_GP-7kJFPt;{h)W+K*Zv77Ay_sicBR{gb1JweMmkp5 zfrdrsO^<RV-n)SMh&%l~DUW8kO!cnOUly!(HM!Vn4oBb++8OK~c1qqo5mEayrSj#3 zuz1z#0d)Cdk)F``@POcMR+4kE^SSx9Hy4<cjef_dR~Kq=QBZWnqG|9S$*l>JaQ^ra z?pgHXXY`wcvUe`j>g=8%{Sa_K=iPC>b%F86kKvuqFCOcA@sp1qViH0Evh?}uMu(R2 z$A5=0dN_BDRM9EIzS#U??S`kt8UscPEDznlaj2=rtXHxHUN1puSrQ#N$xKID4IOUO zl7ZEgIpe|X3afhC#0|%oz~l_xJ@2S}&bsMCF|}VwHinT{RMs1gfQFtV+(b3HbX5=K zG+mdw6SFdSyztNR1kJDkjnHKF_vTLS;Lj+q(=p4P!h8-m@?b6xD|^h$Ew`q(E?$3I z5zUd%nKmDB!3U%{b=wCrdFSG?OVV@O^hGYFqRDN<IN%|rn?K>4tv0;Qt^|i$OL#9! z1(Nz7H=gQ>JK{K&H`>{n@}Nr(<g|_coj|EtiDD()Gp(My6YQ(7%uCLmVk24*rgydA z3d)-`6|0c$EDJ+Am_@<GoXnchJIXcl61kxlwU_*ngLIlI<}Yltk%Kt#i`hegbTXrZ z&bT{JJbIxs{T<8(fiX3ud9orJ-D~bTAmyR-9ql~ge+)0hr};h|g}1RwW@=xRr2GDy zQh<fqZhe<nHPrCn6PIq6_M5qJcvjTA;Z3m`(o@IOjWb~DbTcW}vElJXfvDy2EkMf& zoo%NjH;ATvm)2LJD}vfr$Oi;Z1<o_zwRuZJSjep}-<Q+~orHQJg>#k};~Rqr;;ZI) z#o;G%05lmY{~qp`OL*em;@3=UBQ_yhrfV`BXjvRpA)Y0!(Fwxs1}t{GPh3vL&wQf^ zQ1bf6a@|ZOc=QC6)zhI0#Odi07_BC1WV?r>Ad7Vna2zhj(+#>PQZX~)D6RF3b(mN{ z1LauEp8=He#^#LJlPI?@+!>#ViD`K1DtVC|3KP0+o<3K?Wb3u#hXOy%>#yIYQXwB@ zFE8t6&9*>Om2~0j8j$U9EWr+@bfgu^eUUL({<<o?J3xitNf#BzCzj}7Rugp{(qH+D zSFhhafBA+?VEFavvu7{fx^J&uzj*a7b}d%BlL@M%pa2SpzbHjzCMDr-i(U34%Js5# zG0bqm9o}N-GOW^}WXnaP<7fZqOZRm1v*`2^7Q>E=qeQcZu2_VVj03Sf#3M!Eq#0qW zJjbw?7@=rJk7B1jiVpUA5NQ2H)?Qbua86NywjT2Wdk+}w4HUzD#&Of0uE)J89`2NM z{js9K$c5w;M3|NZs|?S|ljkqKeeu=n)5-IfZ{Lj_MZ}$|(PNRqrrGkAAP3BuVq$t; zL2AfKezBu_m8-rJCI^U(yOcKt%Pir290lIv&nNUx9#_NF9j{`iG{0Q<%<0F&J0&$W z6`Y9+;ixZnql^_of_X#2C!S55!fjDvB@`;Q2)h~d;UCidhg?*0(WNnU>6-?{F+7Wu zJTf@qMacE6Dan0j41xmqUt&_I_+Lxz_N!s{VjoB23b=_HB{l<v9C#ACj@9)gKwIW7 zZ&oiuJ&VXn@RCXRlT5ZSz~l5Mf;VvLm6RDIcrW*Fb$aYGzPRj@6R}6I>E-U`lAk1L zsp$ZXjW(SIDU(g75gBY`U><~KO8I|drb!GcG}0_9Dmz!T*2qp2sCQ9BW>&&RMz&Xl zRFMlqhw<Y=a0>GtE)7P;QL2I~OuP^-%PY5By3eGjCx%mM6p44WGlj6y4iQxYtO!zZ zxu!Thl>e#?RTyWGLL#JQj$6gCnx=NPQnEc+KI&42z|#i4kLEY=+=~W!sS!Y`6O}(~ ztM|o{0t^^Z4oq!ek}~)r3xGi)e5-eDTg!3+_qp!yG$eG1Gt)I`b=s)5lfO>LkmW4@ zMr-0v!V4~@#3iFKPl3w`#6__&U674e^)lDcl>!_&i}XD$T*m0rb&Qt%@_AE^VEb2; zG)*03viX*Zo*X@fkG~?F|I7^i%P0EPM#80&Y#tI%hR#>+=8O&GY>Q-^v5V@JK=R7o z`QUfKyAx7C@t2m|I0L8xR2p}HrhuFo0EiukC2jsSJ$#40kDU%Yq}&~Yz!@Fw>l60x zjgUz>HDPM?qA_(J7@jqWuu~ik#d*b1RU3x-<ZzsII#935jxn@*JYrL*H@@_cLZ%zR z0kN48*yh6&g9$^p1p+);zu>VtV0Ua$65fFSByq~E|GK197ud*WJKHm8RkVt+N60}3 zO0%xi^+rIc`;om1ybgw5@1P15V&keZ#fD4oiEfLiKAJ>CteZ7!pnR*QHo17KwO7G< z^NIEekJJU^ETMxHRkL-YFqw@=CRYgJD$SabwBr4{W_?|($vpwV9{ujKM|7VY{qFJS z>EtNA5em|2ZaZ}iMXokkN>eZvfEJtKpsE)(9Sml}B+GwQyQ%F<i)_l%Q3~W@sip*4 zR+r%r3r8tzyPQd&w4V0}hHySS+S21#K7)0J>E#1TsbD~Rs1pr`uy9P~3t8*LE_YF- z6J_BX;_LF(g%Ge|!W;`UPNbH66u){0c52IWcTZHUy2K2l12rZM(I}?!?)ljhy7UEN zN>uL9a@SZ?3BqtY>KTw7cj})D`zua5%nuAq(*g6N9roBU0(kZ3#SB;`=nYdXh~ycZ z8wzT1FmbgKtbgi=90Uj{w_t#@d}o0y0sr#|NZzDt!~)t^Lc%CT5xy37nOZY!)e)s7 zKu0nh-8mInCSj2#lO)h&%&wWTzxX-cr*jDrirgI?MJs!c%b7=Llz5n?`8vBbXd<pT zI`@`pm{MU<Kt<25bF*R&+~e55BL*Is{fjc&t}s^8s|6DaigoLyMyISFN?&+QkAaIB z`S_>Q)p{2=bHkq5$bXF*o2Z)%eu;%AVXL_mb}36YXyXM~mkZ1i#=heeTY*y5I0D83 z%MNRFF2mU2yBU2R_X6p^^$eo(DLIJse5%3q!*-Qe9BZ!O=|pAftR%5om+!G^_HuVD z$7i09rB%f6!*$ZneaHuIgbFLk4P~~PNx^W`>z&hG#$XBUOP(w29--c)lQ$f*HTw8X z353P_bFyxCo;5csOu!9it8R~V*>nlmp5~LjN<bWGBs*@$cY8Hiaw|RsKxushqPsEY zNeg?xF5}RgLt1#hg)V3vFtmB7y!PFNd**{4!)x>?dtFmWOvgc~-k`!WY;^=!b+S|Q z(R1H>lvO<%ykMV4`vCMhTSXv#l^(E9pR`XU828Vr@$GW?D=;`v3hY}Ibpng}^BQ_Z z65^kuGDm>ouUy$(J`WEu%7g+zTz<}V)nZ}o?Hc$)cJ?<TwCNJDK&(?PW5xoOz2bz5 zliBX_wjw3!%nWJdOpHAZo{$-BU0mK2PheuR=6xhXJ!@*NGzkLN>Fc*I|2_Nc(WBp^ znLT?(5XY#cncdE_;pZb&ceNsZ-Jsgu`ysV?_D!oLi**Xc1%;UoN7*e%P<W-03`Lf+ zWpz_=A<#T~ilh+_a6=>+dK7woORBony16JWsFeAJP@>WSqBkxcdvYPsG_8CSa8d#2 zs4ej}W!v2a24l6=WvxXadUi(#?$(m%Ix>-xQinnZdD#bCm(Mw1$)0q`jjztczo5?g zN%z*0k#L(cS8|HU5VL9;HfU~!s5OvHDc^e1i_&qA{DKa@Cxg1K*Yk3N_Su@!VO)}7 zhiD*jRK;4CoAdf5SDKbN;VX*{aw9W{j@#5P9mv*%M%_^vy*qi7_TA$sMs#lm__2uq z9eMW%&DY<fJL4%v(s6WK@<quJXeO*)rN}73fJ-U>uUc8xHE6|Toe&!|?RK9kQ706{ z6mHhWZ#FV&KE%I(a!{}z8#u`pA{D$T?duO)w4m820529J@G*IC@EfG>wwcSxPo0z% z(301ThZS>pC?_Q?pGRb@&MuY(5IK7Hp$xbU+96qR1xZ?)RB~{X%DBOX(>B3W(3stz zqx2*?pJ0jGJ@5|>zJC4uo3CCFA;`68-1_kQ+fRqz=kVXrgMT<2<(y~*uyyk4>DN(X zJ{!6N!#|w<3!=f7XaD>7{L_&+Eywr>u9of-db---a|$R-w{S3!wtks^8o3_+;UM}` z{(*sw<@n~`zIgM;*Kc2B|A}8-{`uAGH!q$&efwg3pfhx#d#G<a1@zxI+<eUjrgbT1 zX2d|OD?i7Cr4=f{m=z(r8gmc(;`gkYRCK0zuG*8~NUC@9pJ>Ci0+JvTq7m=h(7?E> zs?DL4t5&r?WswU;5yf%~-3T0pZE&4DH{Zf$G$k}4P||Ap7WKeWbxrtd)J7se+5gY4 zC*XhAhYLYrj?@#)i0bAs?u<N4UF60apZ!mP8a}~trH&^0wp|cBgA|PH?34C<0Am`A zEu47D%KY1@BG&c#s~vi56({OX)+3yID<yi;$-pt41Bk`sB|Xj_6zfYMmJc3W-{N1r z%3ylOOWrP#l^??xg_+v<X;hn@5?GAHG77321^wc`Jc4iq_Y_Scz^BC;Hgr?+O->2h zQ7<x=GDzh-2R0V9D7lV{awm2H<vJkAxnC}Kacw31oL*mQn(p?lT1$ihzTVPjeVG9% zs{nPLh-Q^1!+4)MXv2+Zjy5xl{uH55xVgMClq{3X^efy?b}B;kzEBNZIYR#Q#yXRt zQA)-qZ%jZ@OMQYBX7MMiFgwn8i5^9XDD7&fabsK0w9?{yJ98D|$L1h+Gn6NFn4G0# zmZF_3Q8V$x(*(`JlF+;<e4xtu{R!&~i33@JxR{{amg+f%K&f164Byn(b#q(4z*mM+ z`bs+<xe8ZB;1G4l%Mj>T|6Fdw>4DxQ9>t$uyWwO6$HP)lvKJj{s9*Ib9K)FM?7NbK zBB>e>T%l8bahhTNnoCyQ@*8+_woL#{61$=FM^9m>IO&#E!ZL(gG~5G?%U+|l<hH_! zp^Ly5)HzpYk*8D)oI(Ml%$4?T;3Sqvhe2coWOgi1*N|^*vE-8C$Ooe6%<Ey!<qs|! z9ga#*a+{|9T2Mnqi_E_}&IpRo%wU*f7Lw4&IU3!^EVyDmA9Fv7%OH&a>8ulc9nE0y zefz-VO&K^IFaPupqv+X5qAj1oFVDWe&4I0p8$5v@uoWIzZ8Q2q0t`>?%kR(f2j8Dl zi+>oXq=f$@tH1DtNY!83^(@U#VTm3JnJO^l=jAd%{zT-M0*t9YR4+`kc2{qT4}dLL zu#nxjPyz5HN~0?r6S`*$L3~1g<LoI`YF#{*J^k$5zxvM6WCB2WnLH0CHUPq_IXi-5 z|I_IcqJz_EaD1mz?x#J62P{02on5dwP1Laz$&w^k#1v+ihp-wQx8$hCloW{c>_K+3 zZ7J;yh$#cgS|ZE9yrK?mka3cm!vsYPD=X5*+Ix^(CUf$8q*5-H{0p;*Q<)HIa5m}| z6Rw{P`0s%US5pR-9^;q6xsk1<(6K&Y1y45{B=pAcak_ZR(HEXJewE9LduJ5gTZbzc zIH5NGJ;AC$T{*!#OkSnIfPa9=zVYNw7|Ov1<bQ215!aIAkFkw4-mHWw=?5WMcb#B% zW97-xpJSG`?>f+RaFprI1QRNf6g|GT3`MO~gyL5{*Me7SkSEf5S6k_v{u}jKuH0$E z#m6R!6}A}+zFe`0R&gfpK5MKU{&SGCDrAZ6${e~?6^N1j7+{~t6Vw@+G%(J%QQf_V zcoESKvMc-@q!?PGx~H>$ZM1<#;iGV8n`lMF@1K$o(9LIwLMMHUw5D?oHzrqK8iwi1 zV04Kcwx~(5d!1}xsC^{FNhWfY7KoDsqx%#;s9~?_ZF!H~HaAr3C@*paY$}!o4R@Qz zcf$Yn`TNTxYFdbo!@GS4N0;`Dem}S8KuAFM^mlX00RZo^b^}b=<YxZ6$pTFrm`qNC zH3Ug?!R6PEd@WUYXb@;<+^(0)>VgNA!xuTF3RGcodo)%C>OL6B$)GF5$3RgHE%DF@ zMXCZ12ZM1KHmKd|d^HZ#g#-r_CJM3OAT-ukEo=x$k-6Md2tzX#(7VW4yvL1IKd^5l zO~C@m+L)%!DzdS9QDlvB?4d>-M_jdT%s2oVZYpDGT{<&>T~2xTi72`)C{Fi5j=51M zf<F9;1h-Jc1jXb9FtGThz@CsB5Kmo#VT=oqj=(yVX{<iIqbF&ktKzG!8ezrl(|2p2 zf2d%bQMD`dQD`vWuYxbm-;s&q?L&<((uF<!w?9uPGmXtGnb1Xc^bBK%P$J5@pmF{h zq?@Ck0uVA`ZS2C5Pfq_j`TFVqeEnwZicKWmHnCBtYR0&zPBKr^zlM=>tc`sDi!~6j zIn3Iq88woQxULf&wRYgPk^haflYW+HVR2ugM$R7S79eb(%Z`|(M>?9hE)K$QU&2PV z%%+QX!@%#L2IroOIt*r`%UZv20pTdSAa68kqip=A*^99Y)HiG6u>c((5ypA;Ap5NY z;5+KcMWGFX&4mX_BFK-&>Hx4rRJhYzMYhxE%s@F0MK_XpFqw{+K@y{okx<Ko$K6M* z3jtv<CS4(i#R;HK@43b<*-q#W0Mae|k`zmVR(_{#yrMbq$qAeUnHbz${n<~=??nG# z<Z-W#uoM=#v+JP?(?17~`iqtIl{vdA+N;^ks^`rvIpq7;^*By6a3?YG@VeZEzb4s{ z;QWtLeRv9klx>h|qIeTE2ns#o?0c;U_;9FM{&A6lSC`&$MR$2mmTh@8`xkDd-vdbH z$3Z&j2X*;zgZgq0q>mfamwN_P{?H3b1Gl}vLM^l~(u4@|WYUSCd+EHz0#<=sV%ecn zve<##ZuB>1^kG4b)Ra#4OsT$ebySJ%z-YwPyDQ)XCByLsBRW(^jABUf<Bq3*$yrL9 zS<l&U>YV^`x7ik0pyk7DjkUztkB&K{<xZl=@+=!xd6|zn2SPVa7=RT!8ZvSS5<;SU zgB~>1tK%?G^QT-?Zv{m->mOHs0$wnRsXKkE-Aiya@P9iDQIMJ>>JxkG8F@(K67@%H zU>2jn;Us+NFm{;GN?)c8`=7LB&{6Jqsw8$sAmSw9%kr|A?fORk)wj+m#^#y&ieCCQ z;?h7uU}zYtXIw}UqZk9^ZZ-yee}A08QTE*xmvEBI2Zkfvl(Vb4nh`1&nT$rChxQj& z0hCoy7##fD-#+pz1)qy094@TybdAP}jkUPABQwJz!WwS)3q>_lEo=Sq3g^Xca|-3E z*w}Gw2!cqBt;=JEDovc9L}{%=rQ=HWMzbOJZERb)=zS{an!Rnj`Q^48ESK3OY7iu) z2H9E-99%{gNzJNiKA22G%djL)V{Fp4&Zr8Ld$&;Xxg#HX3o=?h$LoJHv|1_r41Tgl z^XF{%lR*D@L{TpnB@RlI3TR-H9S<+}8YUsTo0PQj?61w1=o#e(Zsv0U3?#Ioc;Yz) zBym(+Sc~i>=T)m_TdZ(jZCqgnj$pz85rKu3ud_$_qZ}@wkjrghVc6Aa&V^8Ks>?NP zPUG-V%g`^&)Y#i_NU(q-m63gk`0s1vXfqpM6Z!Gv^<dNLgV!5xMHqY#^XFX8T? z9{Y)REacsTfO|5SP|~!nuvbtrB3D6v)R8d^il_C6T6f@U%#H)7HuzRmCD~O;A;y3p z4*^d;Y3X2gogq3(JOcSi7K}_S&55N7sCIYZC-ZVeI^jJ&2~V9Gn2fK0TWFKkl$t}% z2{Z}}w(ebL+nxtZlczRFDbT;0fq!IxCbMiZg^$0;^-aCUC#<Pbs}BFh(YCrweWi2V zAb6eA^>IV+^P8Ua*4!%qZbd$p3pJWiHVX`c0$Hb`cq}}sSk%@}zJ6b=o0{A;Z;JIb z<!z|vqJ+!HO`+ZeVBEW8Iz)+AH%0)Ycg59P#_NKN+@k1XeFRJ|Vn{H4kzY9B7o$BT z8~yx-d}HbPDE&IA0C{K%DWwE-<1DIWJ8|vh4_uS3NMEsCNm>v2pKhfszQ3{(b&6O6 za8L6N&9K8s=<InFq8f5`<wzSwUxw~yqt3Li!CIOqIJ15jPbY=pu)_{c&u<Ku7ao9! zPRwt*1{k%54b;m*E8Q{D@z<`?tc;CT06l9%%TIzhb7Vz#4Z~@7r_3C%C0D!(dzT^b z7%|?V;Tir)h~gXTyuu<;L<$?k1@E7;rZVMod%kFCdD=0BgYOZR;4eBqm_NqK@i82Z z%)DfoDQjlJMKT$p8bUrZ=m-BDMP=xEgC5+<cHOBuZD=h&X(^9P-DK@{b|r*nQ5KXt z<dd~?E2XXIp3v@ImaDkv<DG?}R5;&TZ_yf+JJoq?mBl^>aL&x7Bg0y$?=gdtuZ$uJ zUSY?A^tiNCE?m>zvB;BHXXu)X7);^5=7Vvf28>Z;%hfCyU5=(NK%1rw@(OSklSbnz zbhz^GDAk2RidM8Y^fFM=b#`HOed){c1sgm_gp>A{*;F__gd%MMP6U%*+cHmDbUVRY zNkWHP7x-ki4#Y+-I=7ztLNr8FB^}a58QjDAl$@@Q;eV^0_+5vmyYcCXJ8BEy)H}~r zEpVqcR1Hh6T^NWTC`aS1ma(I6_A&am1dZcE?Blj{jr-iPwcD;i*?>bLGyJ3-8Di3d zVqO0P<^H<v-91k69pdU`5lunKLr`<-K$1|#d~ILG5f9I$CklTyJ9c=sWfH7Eo*%|* zjf-R5_mg&qQK-PBX*fM4ehJb3d5QA%hGXfsH43knHH8kZwinB4Mz0XhPP}g3sh|{* zDr_EDq9^f@=KCfT1t<ohb3xcm@HRY|g`FnIJG}~gVuPdOvKh8p5W0qu+8E!@6<Q=( z{wKZGAv)xrNa5Z1ha+`5Ru3&j)ks&BSg#&#)#t*pnn#Vu9Y|MUJ(rcQ0vObDF<i=0 z7w|6orz1sV|Mc;g`>meds@9hh6hHm(o}+O$@u+#`OmYFZ(0FF9^42n${kK4oO{a!o zoK9KSMv@pFg!q2I40W^3a@X&Jl`@+pw6LO#i1o&+a>jSb$w@x}NOZA}Tw0(X3pL)| zu4^QFL%M}010}g-Ovvj>=#h9WMa-Dr2XfcNr_;dU4cPf9y*fq8*@;Q8yHGk+0u>df z5uhvl&~|P2tnBeY>qb6UFEZeN>3~rYE?UZ<gK<}qDOZ%A%o=k22vw|;6-u}Rngy~e zgQ^oGN3uNRYD7NQTS*_b!zOz*IgtY9<25-+0O%kP#bePdJ9II{D;mTRE|KxFhfrE) z!n8k&+XEZ}iDt4}m<To5D78z3NB2i$<LoVIIn7Re%4kj-Hl5;#r&GI4R<#x43A+l? zBx;{Ak$lJ;|L-Lia$LE$_!9cyz;ZUVsTho(mx~aL6J{b3c8o18Bu(*AX~cQGyTxoD z<80n!QeG&JK)gs4ODDi=*r9NFw$xzOHICUfDb(HYyMbuDRN3Fq6|_J-u+Qd(Q1VWv zG!)FRB<c3xaLqM=XP#Oej3>P3k~GnhWJ6MIUD~)d{s6LERhQ5P*s-cvSDPK1Cd~YY zsrUXHE^+q-ath&i;vE-LICis?Oo;pTrP}D$0N=rvMz}dap-<Qc_A%r5d4u+rtcXMG zeoI)*u(~V_{O&j6B3)m%4jR>(1#h_G;uNW5cqnI^lz1i`9)9TevCHvO*4vvB4N}88 z%5ErA<ib2BG>fDxE(o0#z<tgi`{^<t`q2`4Ak|lk9i#n_vXZ#npR0#-i-9FQP`LP| z1`f&)lWn7<`8+%`Z`v2K5ytL??Ba&*m)*G>x%5SnmVHdwG!O|52#SNlgA*372?2fc z>Z=!T->R*eDZ&L7@u75Xh||u`6^9v6-_(8$&5De8i4Z|Cc_IQiTRk~X?@eN*1mu2Y zk$z|a0ZC`q&ayXa>cuh)KGKh*^+XymT+uDnZBs{$>SU`B2fMg;uL<0L@cWL09q*&W zq|yh&=C<v;(si9!X@2x}1v||*#%-zfVAn!;ODsq;`yxZ%9(K1gC(A**B{z)jU6s^B z*T~iBo?v=V+z((gF!5+o3EihB!B3ZRq!$MTRz}=<b<R8u{*^dLSH*9-OG_h;<rmK~ z_3U_$DvKPBPO^db@Q92kM_i7CgU747d|$Ed*SLfrpkwW*&Ej$>oy(<NQO<|ihQw(Y zLDCS@t6sH9l4srYMm@?lyhMORs~IWP;ig$lC`>)2#ziuu?@Iztqsz@g=rF}3JqcSS zw9yIOaWW=|6Mrk9;ULHyk5)0WpZE=~hLm19340M}4^7G+>G7O2HI&6|(orYM;1)I8 zLgUm^br9o$l)={gi9U<kHV*go-V4>X+foy~C(=uB@^kc*xGfAve<L-6$@}S(mLqSW zk#p~%n=FxK!d`A9M9ZR$VK%WMI8GPgjxbt>?(4i_mFlsG+efUzMLGPYMr$mw=X6XC zf%>5WT-<F^VrSCr6lt!ZLrXvm5!)h#8fBYY?NUA*?e?PGRGTe1m{Dnk9Z<BQzJ$#H zN^#q)=afz)E^bNXK7&vZRZJVJg7c+zB8%s21_7l|T_}N;xZnuou5YbDm@`y_I(Pn! z&WB&b@U?+bpTRiNyY{(+h%51smbA|S$M~9b^_XY#k~J*&uOo%(wSrZ;O1O+%!lcW~ zm-V8tdgegsEb#B)#UB<jbqQWM-NBqP^8s8;dD#L3onPiy9(T1PX=YZfcILdm9Y4E5 z+cq()4JN!Y;XGq;kn@Lz9D&24yDeoAh7HSZ3d{^Jr$iR+6(A<>ndN{3?F#(zxW?Jz z{PE-bQ9du<Kl=2u&p-R;vM8+^rg=P($D>?4ro)n><eZ1s$%Q{n;yK8hYSQ`6n_E~c zAW%2BR(20~zQGFE*%#OBmP*#{c2lw-Ce>OlC3#4=Iz;&F`gu2PPWiear*L&AjY`n= zq>r%<!@tf`4zE84ZGW7XZ<jhyL8RV&@LVT!{~$hU?gRP8nXeQHo3UF)k&`yS@9P)u zo<4v2?kUrz7ys+U|BAD@4bQ$Gj?Xdk#_;=j{(zEp49~{jkIqMjz0^Uyo{?#A3cz%b z{X8QfJ&VH-2`lzG&?)fvPTHq-HHF+dP7e_-B=%f;ME9+mqFS<wcAe8)FuIh!qit1T zCa<<=_<d{G<GS?!%&Tz5>6$0j=Pn%}kn$zuq_HUwDT9(UOga_Vm-8M^BQyA)NRyqN zo&RhlnAkn-D0}IAIf(<nx*%euqAHk`t$)gu*M2az%MiZ_kKmFS4#ddQ9^=U#klyL+ zJl?M#+WkIVBV#-gC$4q^WAF}4>muRKBO}Dty{Q2(ZHBlK@*DCkSEs<?Pn^nR@Px_v z&j~&lKkNhq0Q^wVrJE=sP~0EO8g0SR$Rkc=e!~Hrx*7~1%5(30HSbvYQ)X-0V{*?* zFMXSGM`TY-jj#^dqvII2I;XI0bQbNK8}G^}JI*@OFn)Olov2YnS!&6NX`h5~TK)-F z{(X{Sm$a2H5d0*0-HZ=@mRSFgKR1ctWVcC3g^_V>6imZ&xoj?gB~K;6KjHuazMt3a zhBMXy78IHy3l8-Iz`h5tG;@?E&8wu`wz6fW^_xtgH_E{k#cZ$^25&;V(W$c`4SSR? zCNf&=_%cKRp4q25wLNl-D@7Xy4VZL%0xNqQ<UsVbiH*gVt_U`X`o1h@oA$oZG!j{m zJ(805@kS;HNGdOGY^i748Yd_#;r=B<ceSY0&QfPn1S9#X_-~g3M6>9U9j?fRtA=XY z?~dydlY@+WW(Z16-z-A@<0zW}i@9Mq<!VJO>6HzZ2gX_*rLDI2{jtd1g^$D291WCo zp_3F?D^3^}$0#MrQT80}+f4KAX2-`c8Vp}FN%6Q)1jfg3#;GFv=FL|@@XsJS8Yu7x z%Y4<-vnQ190guQKUl;|K(1O>9YuV6ScCzDaj>D`rEO4;8lVcCiAC>^y0nraW)Aje? z$10g%T*sfCCsVW}^_cYLr;_W!q`=UR9Hh6KX7!Txvcorfe0D$cC1OyMQ+T8f(9rvV zSZvQtli)Z78FS4W6UN=h!RvMQ>h-(q+0(DS%HI9u<=gC=SI=KR`{wHxuim|Qo&l5m zm)Fm~AZpZg;u!sAFU!hKROU7BLnT8@3@+y0dgd<aqzv$=PBtw$`DCO?5#^;ccOH?K zZS7KHD1Q}X=k3j-;hM%-F1o%l9EBP_*c*;YZ&9K!<l}+~k{eBq+_Ml6{Hk6!oYxw? zc$9+>N>{GWL*P+1VdA_UlQ6bz;sryx@eJdjQ&|8yas1&R!e^eju-!%PtFxbkZ8$}{ zuyvG3E=-UTjhCbOvy&)p|5+5bzb6_!ne?C=n{Ll$5VzS~IvYX`KbWDL5&hy|a(-Q_ zOE@5=3@J?@a7N>DAPE88HitHZ%fC5syWL0hM57skAbTo<2_oL`bCf;Be2}O?l!82{ zKE5q>6lX$#nG`!osYQs5l8Q$@jI&u7Xe3*)&ti^2ob2+n;ettM=Tk53tOZosNU#wn zrPQ!Y1CBy_i`i@|nU0g%M2F|OF21a*nG|__+&|fbLE-zSx$ctfbe`*U1e|#51#o{D zyP))t`$}ah)C^m^eG}%shIGeu@@t7#k$698jR^^DzF9X^kHqme&2oNBI-X3Rg}fHv zr~nd+lC(;=p3?7_Crq4WgOpVASmzPcLFGy~SjDHgu;s1UNfb@;)Gk{T?EgXzUCqUm zO&?Qz-Fb3Rr3F;rg{uX)1IV;Nfe%(eb2h_h$yg*x>%o{_hhIk;Kt%EbtslY-PWy(% zW$r(zRMCfLn{$~v6&x)m&N(3}7-B1sdA}Xw{ey0q9MMvK0MO3NAigaLZx>&OYPI|P zF~>y%vA-^%K|7RIV+J>AuJt(aPF?I!jG5dq>bG#xFPaa>+!}Qv&gnie<B`EGM62)K zynOd!^7fn4)7Ni|+lM%VzGhZqa0v6dxdteQp_er}LlON^+ldw)aWgZKB5Wt|D}uHJ zSvZLnbx8swwE{fWH8SV7cU`n;KSM`z@XP+F`KRCguEVflHL4f1zX^RC36{J+akQY> z5_}RAEQzHmKwcpKLwR{jf&<;Os{#;%>DddE?WR*{GnE?d#PqLV>CG;aZv;2f81LcX znf!7tX&!M|O9m;uDM$^gcA!~8gXIt<n<;bRSOF2gj;T01J<2mL5>a)=ddGou{NhEq zP)7mLH1PNc8jqS1cJBt1)EJL2C#x)^y<G}CiQ+^W5=~tO6Okgb^*Y49oUCogPmn-n zOw5O8ak`U^)OL6tH<4yKEUE!U!`Y{qi_xOf)X$Qn!N*TH+hkW9OwQlod(!`;Kl80c zF+ht$PN%rf1z);$zCJ7<;*+BclW1hyRR+W#ae;DT9qd^HA&NKGSYU9K(0jpkIsr+d zW-^R_rPN*ca<eYh71j$QLIP3{QBbR(5h;y}^zh`%#{L5h{9#=}?^muEa;!x|>U zUu`$&Id=h~VX8}+2u%4Xdy8ao#^)wTY{A9K$WT0X>6B2#0HQ819qe|9_PZ<WX$SoQ zv^5N&xq+$wjrBpZ0tI7ACWU_l$~?;LkD2$8Q#I;~^>$eTD1BMd^8;;JFM(NPyKA$M z=zrC}k*g}28e?xk${>t6T*~~wDeJ;_hllKB1PF)DT$e!WPlBZw%kbRwdBpt5-->lH zYjRgJB72;FE*0@$YbHfo&CB7UuL#N_U35d^0->9KHE^UNSzV!#ullhZUY<C$tKJN6 zVK)Hd`S(m08coc_CDQD9xvVZq=E?b@1wN@fZj1Nje8luk+n!`vhvaMiMGpSu*<d1V z2IrJ|fd1xZIoHJXqTi73LFLD!vAFq%-cjmJgcqo^>m)-W=|2_gHM(Q5V8~RD(UdC~ zMy&Pe8Vj?Ok|P3J2bCQtGd|)MC%|`wGNw~{`|0V+tax8kOT2`0CPD9zaUt9wqDIv~ z&|eUaOSxE(inU?RT{et%gGtRIJ}NIsQC=ab5+_ztJic$PiA#cAF0}9<{w@<|jV;~a zl`79=bU<{~4FwJ_$-}1bZJTXt&xPUS=X%{S^ICy;aSJ?f)n11eq*-D>kMH;!Af{#= z;k6ZPnrOT+O?^0Eb{-gY1Leg0EyP`G>BQx9okMgcK#+iATYqfZwr$(CZQGh)V%xSk zu{p8rWM}uXcyIgA$39eD>Qz^LAML5e@fRgkRFrqrhI`(_(lKF&W4*Unl($hi8y>_5 zJva1>;Ppw~%BFX)fyOUS&g&puNy#_|CLrxafLi~^6>cI<V&I>C{Jv+^!V{`~*2i7O zJA~PD1u^x(NEEY*_)t9y<vgIW?>|mjDU;M-U}zuXx`terN6FTjYa&d>yC~iGtnc~B z0^8|RN16<lxK_A+OwIfFB;s`Hom|F(%ksMNL5vU-gjA}#u%q_wV&x-wGtXbNF~4HC zR{Ojb7OCJDE*2!GgY!HYO%}7n;GlbMKNpfttt9P4`W}}xj8gHswlT2J=|RZ)PmRO@ zA=FbZt7+KQ^i_$Z-wl>xZh})(t7huDzu`@<3lbrWx#1~ST&*JshY}5$GfkfKb8*TR zuPsYe8Z1A5Xu?@<SctNkXi-^{Qlpn>h0u8ahja2j4U#ea$>LJ~gp>6DG_g4Uyp#Xi zAnEAE!eruL=V;{m&mpO%B<B#q2-kC>;dx#nsfTG&RauG4V^t=1j<5+`GLl-JDC$(c zw>ua3ew31Xa&q!|HmXI?pFFP;zJudKRZc-9?SPZG2L1>^A9x*#1fHJAaUL4>oLV-q zRiQ`+#3M)4R(2_}9QsEaNaFS@70yUX-|`>h3i%S@6vX$cbw>v=Iy?hMD#OsWT^`cj zNH-pKNQK>wzHM`NZhJ0{EmR{r@g+BCtP|2^&k$#2*+=hUeh8n&ZH2dvO=xv~4Wwfz zk$&C<U?B@`7A=(n@g#wpDnY3^0%jJ^hLMcLBU&!(*c^XYgrL@yQH|5JQ<2HoOs}b< za=FnNpOT@*y(miOEHh-1xA>P&t2TW~6>~Va)*~G5`0!>8^zG|q(gSnKt23|-ihX@A zo41HUpLVshxjw5OoHQwNc>A}{!{`S;HPNQWP1-Bue;Y;rGXwvE4)ibh|8<D|-TylS z2JZjN!w$~>)8z^Je^MC!V6>!!0tDn|2n0m<|2|;k=xA!??D8*<SGpJOo1Dqtb!GkY zn-a+hvTw<*+<BZV_6FSixobP)XT=JsMT%&oOr?@^LfXnVSzZZ#MSj&a)Ig*{N&p^v z5091aBt<Yq%B3ffpueNL*-??%dJLBLd*N{wcZ_h<IJPz}|4Pz1ScnhWs1F^1J-qe+ zw0Mgo4$RT&<CXR6=jX+m?W<fn_tViGc!v@BX)T(|F;t3!OIpXPWF{V;%i`5v4Knx= zJ3rqFm}=DNW<4={yD@z9ngX$!31ht2Ucij~Id^L>x)jfYhBC1o7f*Z{Pu-GhY0@z+ z&&HTzhhOF{dm}@|HeLJWSte!BLk$lya;tZ~13ACPQ1;>4<6J;f#y-PyBbWdm?cUF& zZoadF|Hx3d7$_04!$i73bSo~#5l?*oA}>2bpM1v|YwYv4Ly1xlY*;ekC3iT%P9nDK z2dQ?Ir~Udn7g8tc^<!uD`TBtZhd{foPXFqPH=wbptEs804fK8h_SHkj`Jnx>aD@Nz zBFg(S{9`{;f*mG&%1W36>yD889~pLB>_X&$5>A&t9(By&+tUjMuFahIxTqBH__~BY zN|I0h>iCH&(va-C1O98#l^i)FGpC&5(tp@1A?AV;chiW~(j9L=sJs~Aa4a2>7|>9x zf97iMNg7xZ4|p7skHD+nkPqRrs_*fxMZVFvs{A5*4Bi;WS{21*({ys|(XUYLMuy3X z%9_t8C|9Kq*ak&$T%1LGYyXPE!>#ATT(+1u>jT*^mf8z4a=9dsSPDHH?dPZtFdfP+ z(v<B_wO(eJjZ>+aGO}jhPPh&$MCBwQO+y$X8uzIAcDg}jBpiEo(+K(WQ55AwW(3_d zOn)EY*VT^uXEJ&nFmWU){RTTj0%yMq?%Aeha|{?jGlY)rW-l6f6kHTkMn%gB?|BY3 zjfQJU-YX0Plo`SZw8qD{vTMeSF?HJTK7x729v!af#SF|5#%8S^#_t+#gSle7vXo{( zsY6a5K^dJo>Ne|~9wBu2%=nn*oHpMjHbK$GhWT~khxH7f#3~HD8YdMsW@%iIQ~E$` z3m)|sQtI^nZPhL)(THv3C95BR;ba3t#CKyvbM1e$*^8q52zg-KgO5d#2MJ<T?n_gu zG*CJfG{nKp;bu%}tc41m*TJVy>VJ>AX=*@4R0?kw&Y=RlFuwPvk|LqF(enxmF2OdT z$&mV!iloB`vvf9X?P}#qLG+Ol>f;uI0W}5L4q1j56CWhM*qV@c=*BEdHuXCphLkNh z_Kbt*;;@u~&0~1uQ$tsS*;U{O=TYiWb!ErxW6KT`9*uZ6ItovK79Orao3nDj2{Zd) zl4-6w)hP{2%d>y5$*zqvO~m05VN$_#f!N3cs>fqosx&6axOjkJ$HwyxZAxU+obydQ z)gPRi4;|&<)>ImV)}0T=k)dbfV?$Erey3e05LS62eLwLI5~3^5Mc$(;o(78$9Xeu> z0S|!%$^uDzPm7NfjbgJ#37Mmi^Ve6B#kp1kNKRxhdzuXbk%xZLtwaIk0Sl;^K%{em zQ-Bc`h_Ns(mqC?YpzuX_k$fJZkcwEU5`7E$akNr&UULnlK^8AZJN?nmXu{b_KCun@ z^Bv%Z0bEN0$0+l#Ub1=BTxDzE1PUY9xF!k{?B8bzMTvxgXxM*}YPs(E{klqxM`#_Z z{v!Kx-uAl#w_xJ221j-9gmS@R2JZ<kzH}y`&SckqTz=f-f8KUK_nO_<u0m^dvz9BB zi<-Eh3Xwyt>_I0v794~)=i;tv%R==LeqNV7GCvx9e|5cS-??ORk=aPWE%^d-%n6-g z8Qg$4XcrTmt@%TBvyLDg&p;S&LWF}d82$i5mALqNx~+M+-5nPP*#n6m2q8&NgxnK4 zHDVuQl@xNzdo=IztItas^QRSyet^^C!#|ku^aYzFisN)}76(2y^7WzdY53!}UhCF5 zHE2!YmHLlLXS^ZMb<|TAO0v{SwV6u6p7o~r0Tjs>%D^altU}~CHA`+HP@T8XoC;IX z?CCAFMkA-qfH|fY<_+l@vC(6Z{v7_GY$_oL7-H;`(XiOn<;(Ey4P|~l1OAqP;*Bo2 z1BC72UKRsEWg6nOEyn72A~G`C5nyLDw!QtFTr=5<MJYLOft;JDo<(@^_Qh&g_M9MJ zuL9@2fyk|x`}@c*#uFwSoun)&&?IK;$y87uN2_qXtxl!RM=kw*ys?mlE3=eYPqz$6 zQTp8owVHdi-MpqNYBA<Ec#i>@@E|4q_#NtOa4j2@hb@K$E7+YnDIK<)Sviy6utymr zMV->jD5FXa;Fe*4hb~}kXtBTrIwCsh(ibR80^lnSFiRDKOw`@AC_`1aNE%tGPH*I2 ziDYu(5qUhrZUtVBVVZwn47uy|kA0kBt9v9EnTlJ`e_L2@UyiW`utzEqKm^$p2s{=! z4lk6u`#!ghz&J0OVq4CuQDdc(?^zdRCPbT3Q2^($Cs9J=>k$5_1Imx_8Y@w<+4l#2 zl@g8_*dZF`hR(K!zV-)B<Bp!$s5pEJ0DY|A?TsA-)<i%_WFHCFN2JY#!TsGcqsti* z6&bC^k?CJrp1m}=ZWP&N@CU9@oh3?;!?cVUsL{e5d0Wb0R4=jm=N30pq{W0t9w2<Q z_7dSRH#ZxwVKGL8C5nyQNGQ`qN-Qq3Asl6B@c4Nfu7Z>cXMq^;x&m$kbC0Lj?d9T> zXWaYqa%z_~_pQHX7t)IDy%~sMf^A+)@~<F@Y95e1<fINxtw$gf%??Ad{G_@DCzt~F z&4DceqNvhBs`Q`Cf{!n*59sGlhw`+Rh-4XMvkZYgchkN><CtGk3tT$X9u@jp<c8pi zV0g-(4F*pu-vn>&Foe#+Ev>*7Kz|**&ZqWLS6QZINla}nO=4oc0k$r`uAF*)wb(ON zQGbc;tN0Cv)6>i0xtH9S^N1WGV0`NU8X|y^c6O6MOKm}P<Zfmr<fN8aW^;j-bQEg- zwMI)wpqG=M_to4T+N~wrlT*U8!r>xYUG0dG(OlmS9UGvk*)~8MHBqhLLRIlNyZ{s{ z&aBmkk*>3JV4bNuV^E6ZJ|_C93F9L>lwhR^b5kH=q&3@-Z=4BZW0N}MdC6YZBh(95 zDq}#NL^e{lX)2qW9GmRt)nXIRR?0EJHOudv?~FH3)&WY~=j7WjuCLgcPq#ohQ#6Iu zvm3nX%~tVQ*;JX@ag@>UQ2?W6V}7%6n5D~2JymrS#U$aX=B!(lt!xfvV4yIeRFWOZ z{P*01?=NCi1Z}03VD(;`xb*%S>@DEB&)%S+pNb%9fkgS8Ju&${tlBV1o$@#|o;$5k zq$S+XMEe5jYjA--WX{Y&q1wh_!h+7k)!t$Es6LHud(~!42VS|cj4hI;;XoImEpm+k zQq;P`)db(NhCl3ML!x$L*p*7P<8Vkl+E{Eu;{B0@iz+)t5(1Pyl1`Ior_=+<yMU&c z1@ycm1OzOx8I2u^jeF=iUk0D;-FBstl=Oc7uT<HjVld;Ha+iOh`I;=e&uMYpA^r+A zKMr`<9Lm*_9Rw^!RvXfQ6N=5EP$My})0^>#ImkD_4g~;u1Az-(HcVcxa60n3gcWzD z23rHO*}Ca4xXZiiu~Amv?$0SUE*aMJ4C|&=`j54B8t>Va7V8D3JNf(^-$R$??B(w7 z?$ld1XoAvS40mQ%c&dA}Kt5hg!y_ox(QvOH365XNid*|Y;Pq;O&iK<Dk#+oFvpcM1 z9<Ndovze&8;+T)vGQs#(pU{AZhu_1krQA_<Ua$KFi*`+k5AAz$5rjBzIV-{W4kghC z&-w1@FCGx^_e~31N&VomMPa&;BKfRF^C75ii%aX`{Px_m#-vdvKQ>4{-fI=~5Lhlw z1h|Tf2sZJ4xa;{6zhwcZw0|<8K7ebbbU}F_9b^WgMhFJeHbKFpRv%v1_c6Uj2G;jz z3cU39ck_wE`lLF4Y&^|7P0m14bw2|^Yc&`uzxmx5?YEujoevFl4+5ldPqwm1FF3fp zX&P0~Xm*LtH1hqYY3_N-{oLkKUgDdMMqV~&(sZ<HzTye)nZDH>PGp~t7R;(kof;Lf zXMz|Nu~=BeQ?xSM=jkXvPn9u#99QoK;&IKScISJDJjXysy)&4lyz`l10W_bcF^yuj z;N&~4qZ;2>{e?1rR4gy}j24#_Ye_Q8vv3qE%k6FnezD`|y{V0OZOIWNnncSErFlXa zV!#}F@k%(Ci-Zw(9s!y>1R%{kJ=ILILgu&1Thww$L&VBGk1)mRSaG!djaVUudtYD% z6&jehD;fj`@2%%vFrt{{z=AmB`4Ao#9HBs65j-NYRv9Qw98Yfcp1(j?(1l@RW6f{Y z2eCPseFAwCi-^jR_Y(VA0OwK5I@w}wC-bkTSth@PRohwl8boGwGuJl?dm~S@Ic4aq z@PvPeIVJDx8<R3}OM0sb9Wbt6yyFbaG$u!@>ITDgZ=yn6eGh)uX}hvtrR{)wU0+H6 zs8raV>+zQ_DQ~h>vz~9b1^JL8W+R;3Yw8Q;)(n;mHJ=Pd3wLkM<Hv6|Xqz{B4-;Ep zowPW**OWw<HrY-z;)CMd44=zEB?U+V-wRRSz+b~!GwAwrWr)&d(4qu{+|6?-UA(mM zUO(Va(DPb=zE3g5_&gUG;&>~1KM)x*S}vj1CtOl_uub||<Y{C~=OL&&B2sZCB`%m_ z6O=+b6f9HO>4Bn05`(jsPD4LN67>r1duIgf^7ziI>u91EKRQ5K&^OPfc2>UEnngOu zhI-Lj*)0m8D<6ym$+!fpL?(sZN2Dc^{;#i}Cnl8yZ_Lx|xj?BFm=BQovpL`NeSz)U z^OF<<9*LWsUOukA^KP5m?itKT+OPfIXB@qATbk)jerZ86q0boB`sWGP%LwFz4Z2h` z9x^HD3P@<#{z{zoo+GZ>Z<hT(mw@3#ibZV3txQ03kac;Ergc^1FP=jzp?NQr5(&<V z8F&fynSy0m0o~Ye*AlG}$jjTdZSN=4gd=DAJ6_kWpxf~%liNS8miB`XA^4lg7x3=j z?(jZANiH>$F!JvmT*AnD*WB$!RMQ|IRP<=j@69pMNY>@=mRVa5W3Kk`%XZ7sI8Gg# z%A`<?lN*+-QwQ<7rP%5r22a(+Ed%jGQjC!~d7o?hiM?(S)e|5h`S7_ov*A02Yfr|< z2)X6AU=!ln3^(MUMm&$e;?doz^pMdh2+eEP{T~slJg@s_&krXIP0l0p$auv&LJKaE zI3$5FF<`YPvspvs5xZ%=6Ylx^xdMZ9D5HaWx@Gpmxfi^(9O7A`@L8oI3zki77qLAZ z?o>Y8wjs|tl*X$3_CqD?_n@z60^8%Wk=IgaVShf0HHE7Fa`&ZF(ml%i)SRf&zgK6z zP_+oJ)51$U{~;LELLu<zGr+@q$*YA6>k^=i_1`W=q?J6j1vEoL8)$KB>h&S&Z0BBW zQz(yC;-n+@A5PS~xX0xE^pdwRcZi*Xe6jap?rQ8jxaB>d>o={LC_4bt$DN2__)JPO zOz@gEc=Wq=UDycyVNP>`w+t&{kH)|6g#fdy97%liz=@U2no2YeoJs4RC=<z8`^xCo zvV4?Bt2kgY!;q%dyhy8IbgrEV|8+(|5_g)oVI$$$=Y)r5JKi+b?a;^dIp4wC?LET2 zZa-Te1^mH*Al0GnRu$*!%NIgJRguno+Vrrpy#Mw`YQ>DcOUh>jS|0I*q0<0HO5T0i zLr}XcBe%+cL4h?-(LQK#!ZSjc(__B)iqlpJgM@9gK-Q|oTTh_auBEM}FHi#O?L>&z zy5;#!;a$!eM8JlF*;a6d>?8e{kT|!<f&R=UHCur{W-3zLe#S>G`jA=BhMTEynhcXE zpIpY}Tvt6~M|OZ}Op0M_fUaFpOC>=&Z7V}4RyQ!~qLG|qq~O9ZZn-$_%A^x`#Exo+ zLHKZWnCq-pL<n5q9d6^sRUBddloE6t#((7()}<G%A4ko@z!!<vwWZY5U{6~=qKuBX z(+sukuNq+`OQEh>lT?nfw9tF=mS6cctd*8WHC&_T-g@<3by|cX-1b9l8@;HuHdDsC zNBnWyT3cP>5wK?kR%-ASD>ba*MO&^do>Ekw{TmH!%am|ol+NA+;9~hA*~t+%!~BlX zwk!1_=?0F25b%|&a;=*KxQ9gk<nPzrKS|T2vekw!Mqbkhxhv+325T8lZy!gmKmVs4 zWsVryptl4B<Pi-DMEw7@qa3{)jhtPq>@EH^q%QsJd^Xt|Pha>Ien6|XYRf~FZOg7& z?Q`_ToV0hj893bAwhuj@=27gL(k0W1FFjRm9Qqz0kbs1w+!y$Ku4_7RWJno-AVLNV z85v%Jt@!g4k`3MYVq%zQW+9p`6a+dTe_-A3*WHrxay5iF&%tqQY!cpaY%UBS2QEDM zp%EYlV*YqMG)or0UKD4Rnq?hpC8iH}DU(vH4rn1;s4>R}FA_@yf3jlcj*V!cfUDsT zue&kIM59purBKT;pXUaN4nb~?4XbhqR6Q<RR?{U_^v4}G%Su?l6ofeRWz8qoLf2UP zYsD=!NmxDGz$0`bNbTmmw8R-jA(Rc=PpViKT-D4yccP|9YNl390){G7@W+%tJ+B-k z#Wh=+2P!C0nRv?!T4Z2HJaX(2?T4JTcm2~eIsF7V7^`fpf1*41gp8kn3`;!}m~T4f zw=6j-Sn?o{<-8j~1srRrqIu-5G^2QpLGFo)k7Qu&qF0j8&_w2FF6evtAA@8ivcURL zEB>s%8jP}*oH%8i&CV+1_eeWq6mMq2BqlK9_b}cwJp)o%%PDkqlMk5TPQs@aq{0B8 zqXwpS5FcfAK@_U#F<ORlJ&$?N<%AoLkPwYI#DER|CY(z=u)5vu_syNAZ3`ib4<LV! z!o9Mdp&NrQPfWomj!g!{AN+1_eA~WHpWC6GDT~mz?R<m2bv{lg{T}FN{qCLJO+O59 z9|n)-0N>V^`>s7IRlm1$#<g9a1`jAlL<6N?Aa)Lbb3O@52KU`dUqpr0{OhY5yl+03 zyc@h;(fT>yYxi64kD2|Q*@TZxhu~F#UazlnLjd<39AV#<&)X+FYx9Tk%MnpL%trXw z!1eB)hvV(n^EW?R`xgn^A^el`$?`>C-}=Y($I#w~#>brd{{Eug>F)F5m!AFA(XN%% zwZlzMWU$31Lu=n=Npv01JPtLL-{;wfo;R4B{m_p)!i#>7=;vj(x7RC#KZ-wsK@Znb zOTY%tT3qlIhYw_A&WVG*5NxDg`D65+;BrP6928T6p9G<I{BJabld+KPPKi19win<n z;1v#vREoDng>Vtgu_2>+^zN_66#24;Gm30fs+A=~ck=q{puoh>Qt0Xlr-`a})|pJo z6psn06^-AOAiG)e|2}r}ZT+SZpD{BeiV~>Y5iEP8qv0^Yt8+csY3@B;<MHs&p?O0W z+%)bqvg9okHJ;GT|2E>zE0;%S0?24nr0%cx-FUIBBL5AW(1LG4uF5Cn%uqN12U_$` zI?92h?osUNxd{~QapwoTPjJq4)@Py~Bczbh|6aWPpr)(~O6djdRb<qbBQ^F}Y{$+$ z6e&W_#JUWRgUReC?vowk)a&O|h;Ap;=TGLUo;`%&5$TcG0{UH<N#eo1+76Vi1vHec zO9JWT2hWlRkMy!jG5z-d2z#Ir3V2f?c=n}VJZSYR6_9dgkxLjVe~91$frDtI(+(Hw zi0%76G5axl$ecHwRU;4;Ja*?93o4ULk?&@2xXGDSmO`C5_q#~b?}twie^>O@Od!lE zo`PdK_hr|?;_w$?7HK<98W7J`z^>oC-zWBm+U5Pjfa5<NSA>FnFm9%WuF%VDpuDtR z-zW{E?HWTP3nqoV&ja-hXgYmLp|mGUd6%L3g`GWdJjiPfMm@`tD2yvaH--`@j}vcJ z?pO)6mqHD3n3teRb<(KWDWF=hn!x!<|CaDn6z_G_?^R18h<^+^$a;4Ab_xp)2`t9N zfB8%R*j@e#&XOAu3iz{gb#Y3b9Pjz>I<AMI3q_TLLkr+BA522ednqp1KJ;fE=ks3c zMRUNMI%FjDb;&pkDNYz6ai`8jkPj_p>}~>#-Ev1P2(AIw_NdG+Gg&HUA1;Jc%#^_N zj+M%cr4B%k1pT<*M$dQiT~tL?gj=qE)ki_?os#+>r3P|!E3Qw9Zu=kz&-zDMG9^1` zV64U=5J{rHQ9iI=oTS(Xtu_)XRnnZWTXo(@Gm;c@fS9}$)gs@Y*iUdj5&{C9CduJE zo`dr*7aWRMGjl#UObugx;7|o4IO+4bcY3^_X*&XaiihUMIqyVp6>$lfF4+yW{x!HX zO@F|i5Hf0juvO^f&|_*7CMgOUgjk|ds7qQfD~iITZfB9DiX=<&t`HKqEWc2oLW(u( zsgh6MtjlnGwZiq_BPmu<J<DX-FfbB$zW=?RvQj=`W#)?A&!WQn^~s{bcX~RN3;zf~ z?nE~-zDWvjA`T;Ur3Xqz)QoPKmlilzH_f>gl5i-o6$Ha?x#Aq5TayVzLsWHM$hN@0 zda*jFQRXLa=*?rNwOLQ0SV%XpE2V^_6<la90g#>0Kr&yN?}vdSheEu;!~^KJY2R8& zprGvkq{+3GR!Ab|f?yCzgFQ!hfQ&P^SInz1Il_;d9~!EAjggpcNmUL5vnX#vcO(EU zi`(9^f+cF8+s7+7!nc=pY8vl{#LHdPLDUXrXTUlCP8i;%;XB!l*COiQ4q~88J<!_B zAvg?5-@_>np*$&y$MuMHXa>PGDOi0J6W(z`uhac?n?70Ug8U4{uW&(-6M~0mFnJ!H zFcZCPK;o&<;%P$SANd7X(SFW?6h-D8$m`#V5MMrS)`3N{po2)*^w5E(h>GS4i^qvF z+qd<WXOlU}yphbrmwuYR{tnNM8k*GaFyRxFE`}NmoIMg|fxF7;>1=);{Ms8E!lQ=i zqJ)c(`SYfRP&aU>#fF#r<rdFtrU=3=0bL!~WSU5}jB2g#uAonl?=Sr5mo^L#bFOq( z|Ag6kfXP3D@${~=G01r5!F6UfC+PIntCb9I#x*`5#a=Q^Mk1-rpRt5p76?L&Pfqc4 zRTAjPBRWzH7!zbi|1IUF`89f{Hu6+T#12>GvbC)`!STU0D7zDvtc8C0XK1@{9JUET zgGm&=!VILZtaVL7T+GBU<khse@`fmdQ^?3!YXU$xAT$6V#9h2>epcb=V|r~OxU`OI zW83O4Dx0k`h6A~L#k#DJq!&4S3C>$}WV_6vIXLb{v8`T%ArLTk(j;auQaVh${(^<} zP*lHd#N1=g2^E55*WB3H;^T)g6@thQsekZ#W4{2)hb(CDCGnVf4#ux@Tzjx`!uNZZ z0(jEGh+9v+5_OEu^!t)_LGcCS75Qdq_+Wh*&qf<KQN9AO7{797D=+AA8$0KuOl3zE z>h9hix&y(b_WGs}A98(}^HHjA93KW4#37%7U+qi#7LI2Hiba5WchGNVrgHorR;_u8 z*q_*k1jtwG8j%C??<x{{0bud%uPT_Y^m2sVqZyB?njiKM3vjC^V>7|oz!ws8htzqP zWNI>v5~t3Pu8g+9svj`?uL7j#4Z2Z%yZz7r^Ec+V_#^YKERG4SdxRJ~-Qp&Z<jIao z!t?;kCH!fNC9hBaOas!a??#dc;(pYe&Q5`XQ;LHx%`f!KS2dC9HotR3JpIPERPDVK z*{`dMl+^QnC1;D|j0q!Oash*xWLf_>gvtx4#-V!xzVR$HM~fIE36KJDcRBx<kL{NT zhG!3!METmcbzJn4O)=z$oAqgMZvL#b$Z&|gb>Pdi6LTh)lv2ogB>milwohstU^3)q z%S32~=-)nh-6m*2^AFbCOhDf#2BY={<c;IxPu`iC7r+6gTtdG_0nqX2j$(2LH~BO9 z_1uoowi-Ndq5@ueq#0KH3`x#7h%?KhC+KRlzZA&ll2hK+pCy&5vbB;`PN!^f$f&+2 zm9c>E$qq#^knO6+x3KV<yx5gZ8H@OaM@H)qz5o+w@_4LTWIy4k`;-mlxIj}TOG}Ow zD92U?j5>L8TV`q)PVS=&7f&FL(mn%;q=Gih;)A?05^tOpMl%-dM86q3YT}*1&`mqQ zr0&naTAhW}lk!UXe<AG8gUhB2<WZ4lnU|gM>^U-VtcPhgFfl>pFL{FfN>4tHL4O8e zR~E0QLpOHfE*j!jB~xkf>z7xW5#mK~@=@M|btSsNv*QoGulwQm1v9&pmarKcSi$%= z1Z@>aW(tbiyY}tX{&Js416O+2#r#!f`{UVd{CTihxmOlB`v8*H-v?rXz@Uaq=JXpT zDq+DhaZo9!nE+r>ts||pC_=%`6*+f=Gz(LsIpG5pb72p#P$(g{PdoC(22UZ45e#KG zO$T3*2$l$voV^Jp@yy-R;_nhanj;NvVpa`OLeWo=%4$9c0+aO>ONE@<{R3bdWQy!z zy=4@5E3t?~C2SX<xz`dP3xh%7qDSY}u3X@C?za_|AjbSokS!wIFNVgQt%D?t8b|_p zR-#uAkqCvtq;#G9Eq~}r98st_urYILfaZ?0EQL{ADW`=DBWWg7R+u0*Gw4lDRmaNM z2M#?zk4(%aJ$CvRZ59K)PbB+|4igSyASEa)`yF!L2u3Al;XASuMT&)-8Tw}l)mC@E zmkNt{=4#>}?T;2v0@s;W1k}p9qB@`jo9K^EB0`sVu8Let4xo%rQXQipJTXYrXY<Nv zM2p<U^Yp1A%+|x8YUUD%3%Ud`f=Mp;5(gEGT|sk}I)Jp0B10`WCJI$@+m)jz*AFDg zo;Pi?5UGI$a!ghpEc__*aTr7FwPT1ru?|@ePx16-jt{YBIqmi1xq(33v;3kD4MS7! z4~S=H|F{_I!T;pD_DV7rgb>e5E3d<_qf9;Bj_>%J0>)t25SZg1itdkj$aU=De2<Ax zGP182FHk?NaL1Ss@rB?>WvV<_#2RyuhZ-XMEy^0^5!RoR$l(TYWSgvB(1Dcwcjt5) zDBh%>SC|l3RXSXJm-t+{ZuPfV&(+&0((HkvPu`ls{;+epDJ>7~AQMg-$t!C3DywH_ zE1^7A?MwNHf&h^|bPA8`q!OIiJ{W%00I<SZN!dVt;hqy3Z&WbCd8O2yWJY<RUw_na zH0YmLMzUd*ZnV-VCe2gM0^vOq^Zcg*S518dg?ngu;}-=5e2*RXF6YtdI1Qs0g>A^A zkn1+R<2BZ}c}Yig@cu2u4d??c{d2B!tcUm-Q6L1GFP7Xe^QNRf@mvj@q?Q@t<a#IG zszSe~-us0)UDc}*JyL5)O-HNyXC;Fk&nRd|RA_X9hlO<G7hIvnqKgHIpwi2qK<2_9 z4;B>^-BbDP!E;-l;v@`w-<I?Hz9AABKv?<;9T0<OpBHm2y5<g3kf+@xuuqhAoNqu% zZh?{JrJ{m)Rw0>)Kh29GJS?Oihaq@E4DMNBB|_Jcja9iTWA+i42WdPH&1yhymLsk6 zh(*3;2t^jiDbB$!_RHOLv(K9i`jx=lq&jsgIM|p$h0?=tu&eEtT<jn;q6!Y;LOxQu zI~hEHEFqPS2gH)6Eq9d-UEgvz%Bb9dq&`{cr3Qc>HA=N*M5<uH`kS#4L^{Kxg0X;r zgeVE@YJ%ET^6U!KNeW}Q-?1}EBh?@jG3F6|w0T%nM`8%74;l%oL+jegndYXjWWtW~ z9H4aZId2_!FuRcbP4Y$xpyFq#Kzu-Itm6;|!*`^<rBkL?&mowtzRs`^B-*_#qDcN? zc}||5`+z)zxVY23Ji4j`X<t7+cJ@L@{3Yot_M2GH1dA`EnSCWLA{fr_;-&{h(*z36 zwgK`_AL+-89F(VUT%rpiIQHz~7pPEs?WKnm2}%lUGVNarVhAOCh2<>l!wC0DKjlfa zD=qEFY~_QLA*;vU`8<zl-20pTxb1myq$nb=x5(nl1g_{C*?mY#we+Rcqj+aN9mYIK zfe?v&)@lzPs{P~&_9Di<t_?Mu<SrtFlrzZ9J1##@e13nS$S^&w34M&uUr_)83&+DK z-aU3$;O=d=xBpdRScT7Uc>{xlW78L@V%X6Nhobxop(c$jSIaN)nI}I(2=f76`}PeJ zYzL{U`RxspZi)Q1En;J>&HdsPn(ZfQ>-&Lp9I+rTZ=I@}-e8G_-)m2&XoHoW{<(3z zyV42c&rmU^qQuo~${fDOR#<aPTMtRcYn@a)l=3xEA`DRDWtcB=#P6#`k|ZW-%2=Ln z?7SSJDJ^DU9ySckjd;hkSH;<H7_(U&p{?|=QU7}T8|KkhJQSvEMPi}yJUlyWIb4aE zbvFTXo+JoAQ^BAVsXC^l$~_=t9#}eJ%rZ$()(QMhH1qJSNQ^`jY$253XrhT3)zvh0 zYpD{dZcJj>fC`Vq^X~CFW_H{?&^WKJaSTOY8#y~anv)!KuSZDc6U4(wg6Vkl+Ee!c zm;FD{m)?r1SNqU_y4WEE`+EziKWAFv+>}r5*<;ieCK5?AM}DNEgU6c>d>9zLSlxYR zaFWHth3&rH@^1<@F@+15OV>P_{peZ+%565!?WG-u+$>{mpoP}%+Xakng^ZL-y&_t& zrJe&@6dR-+e0K{r*#%p$kS1uynVwGODb;x*tamdf>#sV7PH)xCU=Oa`a-)_+j2-$* zb|=ylkFg`CuMD20XrMp}6FAMORZEnqn4BHQzy&>tuD(BfS9Xx|HqC{Ya8Gj-9FBi4 zSC19=fLP>}{Ae-gynTzQhn-fP3z^J0-{Or~mm`}D^Y-;P?E!#LhXx1PdO79bT+(^I zK~qq*mv1u2e2xiQHE}RE%aCBAV$(E!WK2JuDq(8C&V!Vk#XRt><Yf;&R$#S*=DyuP zkCm<SXkjq5UyEOokhk>T8{0_42V<!;lpB;s1gqy$LL--wDNp9Qt7Sb=DjLK?v@x9q z><+fc;c5(>*9FZ6B_;rC;t@6cWx@Gn|CwEhXW=8~aSE;o9q3lptW?L0^r@AtHH(+} z6C6&NELp1{BAWT#H^h7^V#IhJA4T(xh!inFH@{F?P~{pe6>5({*&l4{o@kvLjUJ14 zh^ipF88!rvzr~iQ&LM@7R(G6}Cn-$C5C~4-^opA1Vb=PGqduSP_T_ifjb2;qGPnmN z==e^#+HEO8I>=2}zWRl)7Y?iQ6j>g7o=h+2k7%s|5*?=S8R9%T3FbI)!0HcJc-?0u zF7~o_#?sbhc@3065@!t(d-lk!w|3<=wRkvjgOsMUGvqU~*ewN#O)gNzxUQDWoWENT zBJLV!jT<CM2ymHT5le4L#cFO?qt@R-;1$#0YcQJ%^6IXQ^W#*cEO4*8^GUTR>wP%* ziqI0-(*~xdJT#T1_bpW&;#U$JtbfTDm8O5jMu&`v*|9?6pzC1KH`FXra3mC$geK96 z3^uYBNG~Cl6oc|!>QXR88WQq*5V*tpMSXbv6D?#0OFDfEA&uU-jinA=gHO~wpk+pG z-OI^+TOddSaff&+3bcKgcmF1z`Bm%_L=<Wr#n}p_W`8m57Cfi5I(>pAldSi1{L2Bq z)`8cz*}g3d7OEysnDA)P7B(ZR3IeGBU4H+IV$inTH4{jGuyK_IS-hWHvQl`gNB)qm z4`|ZPZ<);2O$QbZ%<7q^Ld*kAby|aT<`%5EKGE8QKkUIUA_v2puF%skK9%ksdD(OS z2kA#^ciw=Y#v@_-Z7{~CeAo?}0Ue`#T)YU#IA{m>^j!}WR`YK?qk}iEX20;<VH8mb zI0m*oODjLp{*(Ew<+iVAPw>!K_}f1LFfV91!q5>PuqgBzinwo|b5J>k8VA1qk&W(w zeP<XbslkY+@NSLXQg0lFA~Ln4j;p@%@J6`d$iV%98wcb2ii-^V{1fbpBBlMIo`ZRs z)9zQkYm=i6tptSrKMNK8z14-9=A9lgCZ<c|JmuiIG}HcLH)Qyj26zpbp+KI3L2}$1 zMo#aSnPstOjoP&isbMM+*j_HgcZ<yL)Co!34()*iYNcIHoMpe%=zrKg>&LQiirsj2 zy!P_DC*jsQ9}Vje&AiXcjv3aaetjf~`=_-SeNQfP7rjqZZ5#}^5VZp`J%oiQNGn_d zdv?btG0Wr)9<{|`<U!7G^;L`+XpCq>z-@svWvbgy@fpH3)oM=FYo{t)pnZ>4Paq^e zdqZKBVhJgh9)mW>>ln|<JjY0Nl&EaMLq7WlO67SJMeDpRhT=r|W?X!{Pp{BBbVc|@ zRS1E}^V5q7gQvb1o#E%quSO*uNHqK>-nQH*uv4Hf+(G^3m4_i4qGug8Gd%vKgRnz6 zn<BO)vA^}jK5`|NHe(n3ErdaCh5LvTY&u0mIQtGho~i|PG;@(V9$yyH>m>`|zkCwK zUHc=YW5wsaWz1bj{m|?NaM%m%kab)4v2==%|C-E?D+PSD2Ti1Vp<rSJ;euySG7*=x zv%V{HAmMg-*wA19lZ!cz=xz3&n=J|V(|hOQ>)}>S5q-hMtqsORvM1r=N5s=_>lylk zw9wOuc6_XgnaVo*P*^%wpl0l_W6Zwmjs62kFc=Aa{M!q4_UuWl8t_p$CPJihBd}5i z(w?d7_FfRP%+)Vy*~HlB4!cgjcBHXfY8$>3CT%Fp2h9tU`iYyN-|$g^GdbAyvI^rz zSlM8Y+Z(`m*;PR=L)Rg{MO^W*XD~_zW%ng$`rc_+TV@brHU4P-I1_}4SaO`}*-Fv| zZNP!UxymcOIc8ZVrpo)1v*oDUN<*kYxK9eXqKanuV8EU=3=~xW=f^1u)OQ<|=)Dpw zLkpoxO4{NQ8UX`y8t8!|lsr>LDMw!LCrWH<mvR)g+6{QUW?-FZX*VCNPje+<ro?u! zh*8ETcU;WGs$M#u{JAhn83#eOrC?&YZTiY4yejwan`o7QT1_H5-e+GQwIq<&^IY-x z#E>j-L%fHYvS(*V0^mhLtEpD=%@TDcfDTFXlDLDOPuotj=EO<Ly_%i6=yy@2Tl)1@ zbWTSa*(jy>svQ)2*D#20{z7dm1(0M-Gm5o$dDlVD=<=->cxy-m9$6x}H|*wKW$P5A ze?8Db2(_&ns6ej#Nt`kbvofVEq;>Uv^<V*_D4pn&$k86RVBOV(+Z^lSNP@1AT^3Zg ziVKLPRY<7FGX7Wl#p(MJ>81^X)mi~foIdC>LHuDHxCp&J122Q^<IAX<&0)K-HfQ8! zD?!QAa&&xaNR625iLq;&KkNhjHlxl$sW6!VGd%B<qFZ~K5A8)`cJgk^;sQ^G$o?3< zI8KT-@ZHz3q@vSA$~RA}6e)I0($MpQFc;7R;m9JwoPl4TvImJVECkbINoD}92=NGw zIcsUXeOpMNZrEC(N%9H6R&(}Px_X8v#LyLNKU36A6gC>pC_!a3(#OlCs*wU#f_utB z+OQ)5;?M2L_XxVb4V#s}$UU9}p30B}Da3q0BRtv#Os5rEL{UxdOG<mSy?1!W9`LX9 zwE5L@-ars;&(T?*%NzJdn`ovx@z|u?m$mgB_>NX0?1Hpu$BAHhl|7O8u_6Yv<-<t6 zg}?(vtJ3U6IZVgjkn<>0Q)YI86_QHy#&0d_S!<eLgj!GA_+Ug~zlDAkOtd`fops<9 zHLNCDlb*&WfkTh?9KnU4nOk(frkQ!lk&~-sf}z@is=_&z<2{60W5!=QXk!yLlNq8V zo~g)IC3W#6W-)bSoy2P(<K-iT{|!ZD#`jb1HN-UPdZ+DGTiOR1e4kxw7|?-T;lKw^ zU|-?kTPj^(Tf#OF;47>ugTJ`8!n*Y2WzXH14yvB7-!9!gC*_wSmuF-uGa$S>AVP)> z&;7b8>-umdy1c4zkc8@QP~7s@_E4!k_nrx17Z)kSdd4AU!mt&`A8Ziu%uZ0%`nhf` zk{=WuZ{DJ$#v8dep%bT}L*`a5A`9zOFTu*NBknVMhTe)G+NxCVl=-I!TgF(l75J@h z3!%7>+efynH>ShOK>XvuO|-*Y9#U;^Ym}E7)os;$3JG)x-U;Ixw(H8rQoQAK%aB!~ zTkFm<T<W6jfa{*AJm-jMd6P-$vI>i!q1@DVePRZ<LZ<h|0GZZ7+Qw4F-5*`3jp=9M zzWT*E|1@F-Ud^4!HZSILl1{yXWGtHEDS8yY&BkOEptVcL@W*4G_D(s?zWPHbOH2;> zToy}}XoE!U(m^x!IusxYpjFb`5|vmdMeTlMp1`D?^mVP!gOXutt3r<0M>TL*WX&P! zUom?;CnrP({cs<e`W=3hK72YQJ>T%${STaNJg#II-N;0YZ)u_`mTsRI1785uM=)bQ z4s`Aur=tayg`V{k^#qAv@J`<K+ot-U&N*)m)>VV}C{5T6e#pBUn^A4GciSV2Kru}_ z_3FKdgtFyzbW9&Nzy$zVpHW=iERF}D{-#2lr>V3vx>PDjw)G(^w?<kW9Uo*J?q6f5 zdM}?R*6M6a-Kim;^|KY4Mu#4^?ICh<1lTl5qQc^SHIJ|N?AGU?VHHvdGd2_Tj|+cN zz@$$i2N$v3<ILC-<!}>+{&{rv6|#vj)riry{i-~#6SGdwJ)pCP<v%UmD=PoFseTSH ztoVY)c^)trBrQ*iD%)5A@8H9)x<#?(1F;fzyXvi~rdzgFZAkp#!AOVpX%Pz#Vn0FW zK{Kp}@nM?~C;sCTR818M_lp`7A-gJ8i3dz_YQ!}Qf|e)F!nLA&rTE9PX~DS4#}N`u zd;nnJ+i+l=a!vB4xs=vjg?mn&VvvEPd4Hj673fNNl^|vATkd*GaiVY|Hq6|(Kj0z^ z)eEkiDx$25N0wQ=%XE$foYij~YGSZJic8B}4NF^wFVxf-0+X=xg>tsc>Ozy?=PkS5 z*`?=BnKr7e;DHdu<>z*4tE?Xz06ls4_aI}@&{+u^1-|Ei<JDMKUsgV#BQti&U=(mv zyeUjH`^Ao`ibmW0DiL=aLMP@2JAxTe4PK|bSa^v%I{i{51J8sFn>4GT!hC@wx2-Cp zmmn2rReXBMx0P!q1dYuEogFS$x+I}44$-^jDy2pLM$?IH`B6+a`{sVaXCA3}9dZ>> z{?XS2jf`WASLd3gZLo6tsE7^3#)i8+*s)X1H}a=`)*l>A&aJxaz1pTVh29DZNgh$h zf|O!im{!X++w~Q!Sru^ns&Q9ZnUEfxunHw4^chIN4X<|c^pv$oL8k9zoj6V25`W9y zuEs4q6MjwdISi#+OBa6=vWOVSU^OlYA+Eq?rRz=W3h$S+y^H~>Q+Jmpn`~te4yrX0 zjtbkF&6fqf+3GH5@l+)K$J-9!n1z=wqBGh^Xa|lgaM@0oE>jg=+ODmqaMe^xRyOU- z+osBB(N$rDaIB-hSQf1e(*d4VE7+u@2xvtmXi=NX#6-v&<BP8YEv8P)2(U`c<BCs0 zp`yUa6MZdV;zbD6SZ3Mch?AR0!k|)~khl$u^Gu_3$d#2OLwVfUKsKAcO|sPVdu<#A z?3YVfPbpKjSi>|_IV9DlT`_ye(FjChLYI2LLGlPJtGBvtjjXxOcI`6H^r{&ToFb0r zpcU)lR&YIgGCI(6?%1*RaTrLCxZPAghIVtrPCKFcHaeA=A)*soP5mD-rg93at)|Q0 z#cm+9HlnRD%nopNg+~kPk{H2*4mG``R?NwN4cyML$xs4pqx5L*vN@2COnvWU7^&_I z-mlN^uEC+LrI;2s*E=E~z~UIF&ik$XV1ffV*j!VhtRlsibBytZ!+korj`*Fjx8R1+ z<=={<T|YDR>@En~L1{=i@K-IN(2P1#89q%XCIAktrlUUM{&3S;VkS_w2nL6)l(SHU z7OITtaIw~Bf9@E3B3~_+f#0sb5`dbo<C>oL)cziEb=v@Hu_f3YUF-~RUpK4aR}R|h z61Dr9Va|Sd)DB}#%^U2yWvuTaicj>#k*pV!45}7<JpZ;USeHrLK61kBco-pV%O(D# zE*=5+Jh#Mj$4#pH#1YpIQ}R&C<96<5U=9hQGt%@y=7zVe?@$O;&}`N|$FX?$Ly{_k zEO(W#f?^Ha@Ob<em+*h#PTvL6r#(Tl57WkeU6DwC3J2jb;o+=vmrpyMFqzlGj-HJh z!JynfWiZeA9*&*3Zt8He*nt_(AIy`Fh+`nO{P^9TlU277$5EUKTwLPF^j}OUUUdVk zcj34bR_=_!t#JJb)$b^3kUx9=bXaMv$cZR<N6!M6aYtsD?4G!UTd6w6f!KMI03Li1 zquU3XOH|~4pN35$Rs`#}P7YUHl`Bf5+ZSA>-*G)96yId@yqkhCI=F#QI2gR>g*>D* zk>pIehVVVKlUaIPZb>>CB;~sBi>3v$Be-`{t!+GV`1-cFLc`_={%$@RKdbb}h5>p| zwcvW}Ea5F{D)n&yZEc^#@=u*YgLis+i18y!NO({}&&TrrW0F&ZvdCkbG{(FOV!o^n zsZIj<6nxci7Hz-J>KiWgMwu(<&>#w<hXt0Y6`VZLkjP^0Mv2o=V4ILa7*rBD_ZA1Q z^PXIArF>#%&TE~=d7eabqN~g;3g{`79til=tjp1GYH~piXQ*{wyAd&C+$hl`xB%+s zh2(1Z+uajh)(~w@v4*d%ST{;ntW*xfndkwZ!c3cVR4+1f^%VMf%}?>7cB6j1PdqA$ zw|N<v@dQ4>{S<7m=nVYo&!@8<eP?D#el~28SlZBhHTY70OzMM;;04*@ER|k0ts~{h zx9c;4hk>SMO2`Sap(>s98UcX^u^OyD-x=778e48LNmBlWj_k>0uj7UF__3Y7^}KLg zTzZd0LJ%V8c;q>^#2NKI<MP-j?_E^3XJr01NV?oeTX_W__5wUAAN*H6By!u;L%{Q^ z&ZvKa{XN4X6TVT@hy+^x1Z#Tqn|@G>U@yAbduGIYwQLM_yjYNa;5bOTXV=5GvixuU zZ!qxlrr|ez5A8e1w*IcOzgGOc>6vck-yrJjz(Bi4g(JGU&W7|ua;PaC;6a}6ZV?-~ zV~AJyYqqsvZ2XV6;%Z_KW-DPJU=mr;2#60@Rqa!6Q4`Oi-fF$HG`})*#WDYF!QK1w zNAE1wL(l_YZvb&Y<zRu<Ko%$<D=i1K+HAz7tYq={XuYU4cIScJsX-Vmk7#tw!@q1b zCq^qM`S|1{x7b2n<rkY=(1!u2kVS-=B_xx<_QOG+P~Pc{)8T8*xk#lC?y)~lPXe#` zRpLP@o>_2Qg>{v6_iJI>KHGWHIdO8*()J1$m@Mv;6HLO=5}53SFXPt=0vC@MnTOvP zj7V(M<*){R7zg(718Ay|bII{te=G7c{iYUH&v)udO%?=gzph5b>w9~5cGpe?f)yMc zOiaEiHceE9=5Bc(XQ{!In`x{^s|A1QwJKH=k)031gSuh*)MMG&vRZ=WVdvVGfmil? zH|ssj(;IALY(G!L4)SZ34TRJ8IL^gfW08=NOu8qb>Lbvyw-zpUPAF7=ho5U}!A+Q~ zW>Q1t{IXEaZvl+@kw3Q6BQ|pwAhIylq;Pq+V?3?mG~g7s)g%sQIhFVXWP~N7irPWL zTI|^a;72W%xyUJj$;Sr<wG#&B7G7zmWDH#=PY}-hiLKi2y-I|y)m@bzs2E~ZuAZUT zod3>e$Sf#P&hT|r_(4wUqO=gbq?3v!vq_Wjb3k#ju<ab#qNE^%-LO%0&HV^WI?&MW z!PGLuJZ`ybMd4^hfL0qwJ_@oF6ZR!S1>?{aFRL1LZ;jz9IW*O(NgA**=kk^>@|<>I zUYsMhfD5kDot%nQN|~(<XblY_ZFZa%G{sh2Rk=0j8|X<etdVy<^xPEQ;yjHTbmA-W zU%K)$2rzsMoE(`80`7=K!nX-ecgoNaNjfaqgq%WPYOq^i&s(6qd-e61oup67br4qo z8zZz_a-8stPP*^p=HP}9gq^}x{RMKQv$b*@r81COv=lbVcSJYJ?BW7X#mK9*X?PiS zEPK-%=ZogC%@6D%3taEMzTFcBWXaWHLPRNw4ALZXE}294kDX@D0-ntL+JG=#dYtrG zn*2)hX)A}5<uB|&^;N&hY)4L^O^3pGR=g-TB>O6!n~oNo3AgJ_sj)*<c4aePM1v&o zWdtuUJ*u3v4<C5x7Uuc5KjH#Vg9N+z8q2m1`$JCr)Q~yho{0bpL;}8?VhS-`U4hif z%$~PA_|mq?RvH+Mp~=E8Ly!cF%ek@#IFeNvV>gX?uxb-C`x_3B5_zm`q&CY+gb%m5 zZOyZh!?DV1(25f0(g^kA3#83E(UfF4Jfn5UxJ6oogHuu%g{Blkw78<UmKOcy-qz!2 z=*A}4C%qCAq`h8E9ix~CjLzEDgYr#Z3|EEhxp*KhLL|YHy*Z_f1r3!QyHoO=P|(io z_t|UiUR#!u`pDs(kzW@Rk{nUT@4i*jQxtf5vM8}P`bR~+#@2j$zrjC|hRaqWpRTVm z6@DFNS5`!(==+=DIb+``<dPuO&bl9&ANJZBF|{_@WByskj69VfdG5t}Oq14Zow9$V zC;~7dJy>Mh`S94dHkAF+bl6C16aThjdt=pU1{dIUq3`vy(k>sI8?m5i%k~*3PM$&` zUUx5ak(?Dx_#U7U`botcHJ5>1)DM%lr`c0?<4k|Yd^@9HI8GgZ0Jp8P1X3Zjz=SQS z7tT`_>K)4iJMDxtRXv4j6wkqO2UMv_Q^{T!n<k9tN@RATwz3K$9}5&-MWRTiWx9YB zb&k)R5OD*PukC`uR3^A%-Q1#mvNR@2(_XaK`=yM}gqfd7Z_Ls7IQXg34hyqV!vk|k z`(;pOd5hTfz!5ZIwX5NR_X3j{F1gPB18hK(zZVQXe)G8X)sq{x1;%Dj&xBVED!Wad z>BhuF(M+ke^ZxPS_R}Xf;sjRC&(8Re%iD9w4n8TB4`Kpn<Z-%8lPkxmOwC8ru``k@ zYT;Lme1fQCic(E$10K(uX7O}<0y^PeLYM2fG}j(ObB{^6!dBGf5j;T8p)Ef2vB4aw zm-|6EC_r2x!LJhq><Ov~QnECzK$2#Lw2wlU^!g8~{GUdZb#C~x0Zls-)*4=BAeUS> zNh{=ZwOBat(3VbrhvUF2Dg!%6ydOYkf!Sva>9q4kmXm)uU@=r1*2RocbrHPT<5Ev- zmjweYN8H?l^-V4++qAPAdMg|&<PC-P50G%5B`5PUaoj_nXcgBSQA?K-I%zfvf<YK| zUeMJ_2d0BhX>?gYMk4HqZ@iLe>x7?=BgruunruO}*P~2(_M<@dK&!`dvQBL2Gc82! zcsAApAg9^V9R`mA=+HNg{u6qP53z2ozG`$xn=URxBmO&TbfV6QM*bk<O|v(ny18sV znV2oyH&3xZiQQ*;ACn<Nn_b{+P*8kP$-T6c%O!quCJJF>X5%^OY?Xm+Gud507yfWS z1q|k9U^(FZS)L&am@vnDmyWP46_}225Kks0Wz6f2lTps$>Cij6NT+nh;xyt|irEp; z6)xMjNULkbe_&EUZ0iynLOoU=QjrjWV0PGdh>xvDM!r2#E@qq-o!ry6i?gTf!eeUs zprne2$F6B*G>NKBsv9cfC@4f{$2zS6JfZA>+tg7j;fD0`sz8-UVb7Gj*N7viQ4Pr| zb#<P?!D-!fA^KNK<ar*69A3HEBZ9wq>{08u1F&<fG_g~-Zh1O0pJB4=1(2R9<ZY>m z!h==adW&WW+r~BF1<DW~Yz6Dy*S6V1Jqno=rfj;jK<8+Rm{A%b75hlvqarWMKDz(I zCPya6ABBh)Q?Skww<7s2r(H$3`pjre`w<bYyirGZ%!`>|f=q2xi<iu$O5Y|a5yu>8 z^3mW+Vg(?XOwxZQ0oB8VZW9zNIAEn7Qh8mX1+F0dXmjHjce?OV^rg8%BuD@za~=W@ z8C`@lh^;kOPkK*hVTK-!C&<ZATGCAF%fTA-jX(j=WJa?T5J=4E=FpCIQtdx#_7$lY z`x&i?zewM?=RGape27sMrg4Fo)kqxphSKN89?-A;dhdvT`=d)8S+Egn$9`m0Ct-CG z1ufVjD5bY+Rz>>PRjxUsV_0?=v{icSh$$9o+L6|*P@S}l!=_}+>w2D)NS9Z5PkE*C zRdPRphJg%P8VzE(GDVsJf>tom5}{k#0Ux@!<hqf*54}nxm2{fH35P+<k}RH7m`70R zqH~4W-Tl3nyTfOD&!5B4zEZ92JrA~D{yo@v^=voT`F{K5ce@8su=}^&m%;!3@!$}i zzj(3x^6(&d^(J__zy0zDf&xXJ?jHWM3#AUf-wj^w{(MN!0n{@+4t%q-y}utEz6zfI z_;M%MdwH-2t^D+6`}OPHH<8hw7ueL(-QdM5__??H>@)Z<804Wt5|OvOOLn7I)5t6y zA|i&IEF5PB4OcV-3NTmyT0efEJ78(eS~phze(B#V{W~Re!Mj=3EEC=S+cwL#opP0J z5^D9G5PqfDDP9NTbWDme*o!2*X+AGxd%<LTZXjLykSVs&?KT@P{}y}ayf?Hkfpx-K z8j-zD*lThLr=K`BFDGK^p>1Mo%R@g)ZW~+1h95Y7p=;&>02pcm*@+jkidurlTBd0M zrAzu{75uc@XvzT8iY2cTk_t$h3_MBJ0_}Qbl2Kwh5&v1hmn|RaDCdpNW0P||5qaO9 zRI|Lq3lTY`%X-k^5SZO!<TvV(M;lb^4HOJnX|g_QCoq3UN&zOdWat{0EN9E8zA5z? z*=m)#rJ1gF`=lgdqÝdUUfWfwZc6~U>GOV4(nZ~wS|IQ;4Ry~Euh@aZ=Pi0a^N z_O^OkNFk6UPVzEg{#Z#yV>vi*iNB)iJsq)zrsjAc7(C<C=1=D-Ech8z-8qL2g_N+~ zb{)5EE?+^TMLJGOOXYQ?!7zXoE&%VfRwic}`W*$Na^h5StU|GYw0LXVH*N9B2-|v_ zot>w_FBcPx&nVHT;1ykLC8ziY-s2xAvdq7^&f!gdj1_wRs2)<5$Mh^qPt#GHIjp;p z$G2r3V5TegBJd*)w(W|}?w+3rtqE=+urxzV>{ICWN%<olI6^0{r`0Z|dFPeHY0>AU z+*gCRGntdP496a^2b&03G_J~3q^#mLu|R9u6IjwXH46tf>9}3#KO}(Y^0=XT!WZX- z^(21MRIQAM7ZI;-j#a(?A&6m|JZca3XpeX()WWcLh-9`fU#$}f$x7Z@#=z|{ODi$v zmaO!wgj1=idQOqkIGyMcwrT6Ve{m7L7tgbcEWd(nn5dkN3~c{Vmjhu4mRmVLA)-f4 zUR*zvJ##)oiO6XmkoqPeqjI}(dTHb<_ZL6}Y^(IG3L9>ji*#1Az=l9fWoVlq?x;Lo z7cnZQGD<oot5tA3?M&lqR`~BuXSFJh&uL?J92lJ^qYI@Rm?WoFzewO%R;H$#x?H^` zvqQY`X{69)Tf(yp`1$U;8Fj`x`7C_-tCzU(OebXB<1Yb&sS`fRc-2r~oueu46c4kB zRvTN250gmn7|H|{k1r`RA<KOf?$c=&WQ1vX=J-=`hwx%s1q*2O2M+fawqq>rrkvOp z?efqD1e4Ox6$zPBjONq%1h$~dBnZi(0m#>jLS8@=3Y~2*jDLe(aBl<~IUIycRd?AS zbw7pUl6hSujE=^b;>$cmYp*e!onn;qlwuD!C6TcQ+B4Fk9~RfHK)0%Q`3sK!sNBj) zGr4157~Tv5<qd;VO<V%!z4n1I<$41b%8snWC9iKM(T}dklnom+oF=8xRpv!{mXe_w zK@^$yL!)=2_+$o&6rCmBuWSYs9s|CipM~psz_5O(cO$XzaidOJ00r3n^|g&JaCg%F zHJu+^K~12(xO)ShR$eSNA9v%m>OuZicSnD9WX3Ol2-erug0H?<`ytr)@~an}6%5F~ zT;EuWuv!#+_2rk3zJk9SUw!?>qc6Ys@+)IE-Tif*Ud9uoCY5ty=RMwD2}UUBJIT=e z7@o9Dy@Ab-h)8SEjAppruww&rjadbp{o38at>~Fp+~)8u)3=H%J9Y0~<sbz?-*rQj zLo9$Wxk@QcN^L<rZQl?UDQsuE+GQ@H;IiiJAfDjrJqGxC8J|G`3MhIz+1*(Gb_$TE zJ6ggs!oTdQG!;K>hHL8^j|PK5F9<Px3Lq|6>qWS2WXa|_-4}1Vc}8t+LkQ{!6?Sgf z0mZ^rYrGi;*_&3{*===W9f|8Vu!}n>9;1$)lSX1khOAx>xB;WN20giP76D&xYT3}F zE6#DgJ(=*0dFc_27gAf1&;~W)5Q|m}I4cSkjx#-(R|W!PL(<xME2M`(hA&?o?rt(! z>r`aHeO#IM8=IQDuS&?4Z)<1-2OXNUcT)nSpOW4u&Xj;2qk1SEsqHc1TpN^&&6q)^ zqDVsgG9nTR5C`iDMv>0YICc_a^msH#G4^v6X{3hs_k2!00Q~1TVUFxo+oQ)PCq;6Z zQhXECl*aE2drx8A9jw$rmY#733~uibgD%>)LV~hc(~z~Y!<)zI+mqE&VAZEgwf!~P zwN9Pw`bK^1Yyhy2r+0xs=U7iRsKnkX+Xwg2oY3q@GszWgcP+tyB}Tv?$;Ks;RoJ=T zU>OF7I@)aL=$$ohpS+}X=QL?EFIC1lLZGtWhTULIQq$p1PvP)%!F=!pzdoN(Yyyu{ z<O}wHqzoCCz-MSl$ffXXd?NcCS{j~HU^LteMX#IMI+XZ?94AT1#b#>*Qhx2c*Il^5 z*K~%Uc=Twk8_5~8$}M2yw8Xb<v4ddBG*D-zhSatUOL^+f?8At{6u|)MaZHfLxtyqI zCZj+OLBt9hj-|Rw9M27K)_eyKajgtVk?jjfB$H|Oy<r%odu4aX^)iz&4Tg$|zqasU zHsRS7hw7v!VCo|NC_Z*pWvU!?d`&l2RI^Frm$&z;Y|EzPEZg$^)6DR`Sh^MCnORwp z%K4B^v`IlyK1Wwz%Q|$(yso!t>jWr=PKlqO+IVeVgr8;{R0U@fiCy_3)7G}uf23W9 zWyW#a$D{6P7M5t^8R2Q5cVq2Vr<9LIz2OJy2WDI6;|NA|g9ld_*u|Wdet@Z)w`>_e zRMRJk9^)AOC@8*s0*@#8RnLNfR*eip=h!jRIdGKd6T>uERV35HEi;9ykpe;m!kxvV zi};LjfnM4BwqLdqQEI?@3`bcXk%jVUMyi+e^qLKh1UB6uqtKwz`kiBr($bKtYOqEE z%~P@JrS2ls)QIFO!W(7lED{zTO#B+u@d~}WuTqTd2DCBG6ZZK~p(LeK7<ii+w*&{} zy4A>8SK1Tos$h(CtHg+JdYsY+W7?*tw&g~7u1!MbnKFmOI0o@~5|23~Ts%Qt3D(xP z?S|<2F%8P;b33bY%Z_|S%W?XAbn|ige0&>n`mAb5PM<rer<TcYu6XAD{v9uVOt749 z#v)-#QbbX-S>!=y)25BlqOspqHTU6Ix);<LQdJdTHIp%4D`)u?4JhKkcub~u#WOw= z)UI#Hmq+VucS&uxJ(!8fu;1jvad_(FWb&$pB{?W%<Fnp%L}FZ?4Z%^Q-BKLDR7$2S zU}=nnM~P0TTPISoN)0sQv1#V!vHkmrKieZ#PIyrg7eqjKcDZ?s|5}w6&&GofpAOGM zbjSWEleB|*erbw)GvrJVPD@O=$`jb9VFqNc(#FNNn3)>zDsx0zgk{4_wh%Fz`2xTn zGl~ek<H9j*e`*;-@_$nbMH2-#?ryI}DkA4Yyf9T8#Yok<lO!OTN({@Qlr(Ztq}~_? z3$lx_<3+9Rv;dyQ6|{=-BM1(Ba$>26Z1o5y&#_4D$3bZf@|oUS)9DoE6Q*-={Vm73 zL20M~W!KaEzxA30wG+csqQ089ApT+li^zQneYEV}Si>6!!TnZ;d`XmZI6^9^1aJL- zqQbp2F*X?8zgzAwx5(hy)CMo@@LklyteZ9Yj35X@kmFhaYD6RBzKR5)*Mx~4w68=D zVs)9|kRfJqHCiA#)*Os2*xTrictR#e3Rka%fi>cg91U86v*J#TD?GHk9I~ENYK=5b zYe9{Q3In3tfP2n1pu&#K;{P^g56kVjHuz8*GN8}l@p2NcMK*Q#mIDc0;RBp9P~o(U zFo+fsur-9^J8joH2I;NoR)<|tgk4&YjAJ)>s3k?wyJ?=F13pA=`A*GlF+L~jGcv(4 zMk3xZS9s2?s$@DNy+14_CVLl}#73-73kD<_VN10_)vE8Xs`Dbhva=E#8YgIdZII=1 z5QRf_MTwfIW_>8P*V)aD1rnqDP*@3xdA(>i7&HYO%W~*6TS|LFG{o7%`$?SrvQDLJ zDA_DRMEsS{(JZ`SOvBdmbpeM0teTGL3Vx7j)M@;TJ5$ecZ?_=#oA8?-B-ZhKI>j}e zh-NKxN8Db00RrkGWLjl&$Ce(ko22@soU!te6^BTan#*TL-6*$XkCzuK72UaS;GhZE zw%c-GU+JU)^-Z-aZa@o@gpNW<rZvnCx_J(<50C2_xW-j^j3z))7O#9!)vzMl$}dGM zVs#JXA}?lLmA5ZR85KLSlKaf^vTC0$$-m2q8k+F*OKr3Nui&q<B0o)4#u8e!)bW@3 zPCPnqYi6msKCm6;)W!Xl3WvjnQN7?E$Ldz*R4!Q<4#9=XgPM+~mg{sU;yY>f`R>p* za#ug^h7LY#Sc0KM*{W}M3O4Q;T+0w?#kzCQ0f0>VFmI&T#8`&)>R!l$TKs7=EFx|5 z4XaqmK_6aoIj4k|i?;Jt(V-`qwrnvLP~CZMDza(Dg(W<)wpCmx)Y+`m!j#EIBGX>M zKW8Ryei|D<QKJnN{T|5e&h`;j@{CV0OpC5I+I*;dMa@wfa~a8UM-gQ~yRD1RYVy>O zJMYq(;~(X}4f`LxMif46yIPD&#z3DqJK6t#3(Al44;fkw&4EzwtiC<fsS7*mp{j0P zhK2fK%QZlVB!%IYW5yn_LGo797{RueXs8&G*u#2gYJ;@SiJo*OdP}_(G1Z4|w;zj~ zEft1N+c`ju$OU3?s_*pLW3suQr8Bg+di$p_v3CXJrw5ir>sYMPTPvhmM5$_8VhFDA zS%Koz=MGyMe)P81*wv7RP<>=+hh?kt!}7~p8-969eLmi%haZotZVPL=^+Ne5i{!Qo z<ab#dA7x?u_biIlSa2KbbdMg%SRFq4PdbstbseT@mGi{<s^^LIcDmMw3x|aKCrw?% zJaEF6u%ddPxp`OtD}AaE^B^f!yH@N_llj<+Ew`m*a)&~MC2hz&)Po(x8NqmoDHJ^8 zT|8WZukmG9Y>X+iI~y6YRZCt6N2}GIyMgsa{E9tMhd*W~s8mYEe5kiw%GKz#uOZ>a zbrHadPFz(zXy7<dcc{uZKe@HAVWcXlc?8iHNkdvO#ze445f0@ds|7FI(u5na&eR8< zARIv%jGIBFe9*|Tz>5|QW58uR{MiEzD-3l8k@itz5&swo?PnAv1n(ot0o&_gbdC@n zTl8(!DgAZIMRjOszFPF6z1|SVNTCm!H5CeUZLSZzaQLbiCq**GbgnJinNaof^fYfH zXoYKwsG+g+pI$on05aAjfTo^C-~A<5B6@=aZbSGA{;I^Ud+sa%UpY~mYJv=&5H1%< z{|f`L=(geDHN*TCp?jg_euQ!UkX$c1fvS&+5a>Q%zMSix=_TC)X6Z7<&(fugpSvt) zUGJ7lTGzY7vetF)u(X{G>pyl4yE`0yV0{cvQ%VtriDeTpX&EQK&Xe%ySo-w;=6Y9S zUt!7X1+6RL4|HkAp!~?hTh_NOE*IvAr;oOJ7dH6E8vmGU{9c`Vi<c7~hb1fk-r^L= zjI&y^+d5hHpGdf&3pOS$^7+|$AQ2EQ%{z6u?n7(zBCdw@dJXQ?K5>92wtP9c7I&BN zYpxLXzSYI(-e3980r;e19@HZfaEwZT%4<)1LlEXM65yMC_^XJ^E`c#@@LYYg76og^ zHD;)7@i)NK5*itkYvpSo_T3gn$TdMb$ZJc9ps(OwC1gL(=)iD-W+~E$W1jFF(3wmw z#o(d>ETch2eu|OZ)a}2@z!sBPPmTEcfW)V`k9RZp{oY{|yx2RyNI>WSUccd7eRyH$ zZN>y^G-{AC;m!7AZq8)OA!k7~y8?S8Y#Cge``tX@b4j28E^6|14^vsxZ=$awL|R+a zwsy%&_18F(tBc;%T%T^MA)K{s7xx6&W>g8oASR;uQ)vNp2+T$NzSP){pxJ?r=oa3G zUu4$0x^j=k)gEK8*<eVRr5KU?ZT(p66I)y5J;SpFw=}$*CSWzSk%W`q3mc7UOTxuQ zZ!J=S$`#T+a>e_!yO~9COM-rxT-oT}0xUFl{N*UyJSI+k9Neefduau8O!RV>_ZZvi zsAWjJAF1s~pn^m-<ZzPf8(%wCc?`S^I?`B28ET;;S&Hu5<1y|j)10?g4Et<&<4p3i zbYxrSy-^#mXy4h&tyIBeX^&BX(Ug^3$ZegIY-Zcs<fm0a%I+z;NMSJQN%Af@D`E_+ zTlQ#UGHlAUKNYW_F;k4Ku|*<H;<0Q^$vY4PDkBE`L#UFD<BG$=jL{J8g&sdzwvhvY zoe=LNhpm9>)oIeQu||_-I;D*(>jzK<;06Q>*XF4oxDyGF3>Pn$)teqXqI`eaDp+p^ zvm(Dt$F7lJzy{b1jwS}fDrsjWA_i{vTLer|hf-zYPX0@o3y@<4j}$C|kEZ5IGf05e z94Jx)3%l?zhwAAmo`f!OX2pAWY@^V|;UT4Aoh8W_c6PK~B#&3Xzhr?0Tp;O4bST%6 zh#y-3&rz}|0eyY$3Ob%WR{=x-c8ME_LYKC2EOlo|0JR`q=X1%>qMVDbr5=Dj%&9Av z<Z5S3#A!kv2@%$|@33S<!4#c9IZ`tPYrvzgh=NYMhk?x`dKgz}@6_#Mp&`#Pn%2(y zS$RFm$=ADss}Rp_u>0a@&hid*tnPyaZ0Ehz;Ei(c!-DK+N1zAjc&mCt;Kn&==EgZ; z+g`)s%uX~mD&q27=H(<Qbx;VFE8O-ehEL5fEU57*%Jn=iL@s)2+LvvMXF?D(=C@Ix z2ETBEEQVeG5KD8rs<UZ0omyDdYY&>9Hkl8QcgyA9g3YZV^SU<%tJ!7Ts)btf<Bp-X z1TQR1_#Rt=g*L(zXNtywg)e6(lVuTOc4-qz{D$88e0BzmFl%~y9?FrE9jjB`0*X`e zNzSd<EwGzKL7s`TGH<44v>Bt(b6DIb2_Bv?=Yr*nB+K&(gTqm`cr#}IreEi2k<?LR zpxLyr{d@sz4a;)6XN!8?T<Dy=^Ijpa4l)rMaYrcN#MoL|W`_uIXt&POvzv`!@!#~U z!Lax8j^#y+D|eEP(n`+FB}avU9UXm_k%8n*_ho}W!4%}ErDu#V6DV>FQ!UBjI42kR z|JfdF7Lwf-)XBMI7iufVyE$xP*v);7wmZ(%3WArB!<>9(#~@WveA>!9fqEPsnAM}$ z1)>@z!@!@kO~!4$&oqc8Q0oZUH}?Z<=qH#wj6_MurVUAruepC1b7w8=urz(dHN?l( z&nGu_qyurB<2}%HGp?fxA-O`kR>X$dZ!of_CJ2nUM~ykHftqb~k>tvHj;sy>DFSsO zaVn2`O0U9R_0(-=xtZv4wq`%-Ovcn6)T|qK?T}*K7(XZQ|E>|m89#1(>ZSD!)=9Bh z7Q`t74xkd8wQyIPkDJH7#%{{0&^k=1?*hJl?QU8sx~&yL*4|WCbrVTinlbySg0(iB zB4y^c^w)vOz6`F>P~({9h?Ww^v~^hXSdy#hYH?_|ogplv8Y)pp+mPZR)-2ptcDW<W zVl%UMqoy6BO*YNo^}bv6m94l?JB6NL92Tvwo&Tgy6oLeG$PwR0l$g$-78rSp=Rhu$ zZV3C+(jA0qprO^MqiR^@l)&ZNB%5jcPDREVzS#bGxcBl9L<>ODB%Upkb`Eg&XmCPW z8IGeI`d|mUuvV4d90y!caa?MUPFOw3gy#g;Ku)2a;He(Zhl$dRldzDBn{^F%=Y2iW znjceAIgqMmgd>U<!e@tW)>S>H_zjeS#5rK?ycaxCFi}e2gu!J*?vZzx?N&olM`;!& z=m=~}FtxzN<90{Ool(`{i-aH+`LG#)rQYxF9%;o0u;On166!AjF=#waI3~<0A@fSu z-6-C6r<{y`IbGj)G%3fw{Bm*n=!-Am$;B_HU;p`=$;B__>G+$k|J<=FOCE0m;bwQD zjAleRguo~vcP%s9dv9PY2La+W*2hM=LH9n-#Dk#wkM8{t;PvT&Pg&cn!+k*~b>F7k z3~}pVX$9QaHU5Dg4-mi7_8<T7lvf{V)c?|jv8)vLds(Sl0@WWz#^U4k-35ZX?(}!v z>p5wr_I+sC@|U|X@^-yuk{i3ZJkQ*1+$dugaAWhWB7rGpXSLmwPz>+NE!(|P0eEa| zPPcMF(2h3sh*$Ki#Z0vOrpt(@y7CpV?ki=dY(l+_6Rz$we0kuxnptqqBnfx-(G>{c zEHJ%L=xxvAgr94ST~x<)lQByh?bV<kvhgjkx<W{IoFr$=lNH9SKHTEcQQ&6*vR#Oa zF}VVu6}q(qN*n3?e=aT8GBA|QN)&1Qg76}hUWNI{IMxL!p=$Br=7!`)iB(vOu9%{m z<RTq!Q1}T+chlHVR+||dY4owBKj5nbRQT+?cSZnh>(D?-qhjeR;;KS{+XhHVqDnf# zy)z>ys;*LCCR2-r;b&P%<06u^XtCslRfhnQbXot0hXfKUneQ0-HKu|(>Y|P&i3pU$ z4j}Q4Mj*WzmzH!{8JMB-43G+K-j1r+7(8ISTp+Nj;GIJ7U5!=LB9SlM*9+qqNr<6A zl~$9a;qT#-djX(3vJOR;<6&LV8bL)0Dv-u$iONP)<W1vo5}Zx)BF*P;TA5F$Z2Cku zVC9^`fL`at#lXtK@Y<V&;U%=US5n-OpSZnOr@<>|?^)g63vBN@)!qTO_w<^z+y~Ge zRQWr$*Rt+#<!@0;1N8)Ruk6}l#XY1f%m{;`NO7s-nNrBdl2>P%ajKblhMI09FNHo` zTx~j}gv(9vD6SdT+$DaG)3fsmR&I5LdUa<q*p5oG2;;zHN`DP?Qd5|rqfAsrwdiRc z<Gp;#K%Fv=G-6dC_BPAo7H@4|1Pgg(dQ(NFAJrnSI-EY(7c1?`)V8g;4Uliv3V`pl zO&XYS?~d@JD9qVZj9Lyl-5jezv^iTd(ggxML7~W>Ubxd4{F0{`2meF4KN_A+knv?9 zRJ1ID{@BR_Wy2g7qw`znvlfJr%qWf>=4@TG$Cq@Ebb75c{4w2isqIMicG3_T3))Pe z&KG{}h2Te1T@gZ->8@_ErQIX5n^{^>B6R2%1}Y?#hUj}>N1tON(h;W>#f>_GW+s#T ziZfCFGbwT%oD-j#MV(+g(9)1vu(r_wHGsz8@|&Qnv_mR@1B+5Rn4Sm)pDfrbC{>L9 zy`RKm^Y?c-9DVjU*yApm@E3TA=+B-&YPb0`?C}L_n$eY-ip+>qkbqpIt%)RcB(8x; zVmZ_{LSxqhLioSqpq3|HI_hFO-Qy@Y>S8<m4O`%E2wUFrAESZpvBUZVSQIcQ_)CD` zFM+}5_>TpmW&O4~l3Je1M?tmXZfdfRpcfqf!G1mL7g%A_<rVNoFN{kBN})PV4)Amz zS9u|hyRFRlyCh4fpt5(ukaGwV*Nc0}${f|WW}txcrE1IIb_-Z6b5?4@;j6Vd9bfU2 zkcj0<BfE~evNgap#%x^AH-ouHk{Dg}+maXU<76G(U7FBQUl~QsOhO(m-+YCi8Rp^M z!f?v3PAQdP*cn9MZa(aP_Lq*!ZkZoZA*?oFV(6eu&nfT!63Kxg!BYTcQidNVF?udw zg=&r_rJt?Dbh-!?IRQb$FZzcDPft88Q0dly*ff#$K?21&`^iF%;gvTOExFPwtI{mV z5#;a&zi7~oXW5HZ&T@S>x^JvuU!zuhxZyA!kF}>9%R#Mc6XWF&AJa#s2LT$w&~okT zb2W-i+u8W$W`Gg8QzIZh?RpkRtbt3+_mVR@K*|00lHK>FL}5bK&21!@vmzlkDDzwn zUG7AfpUi#unRCB%o`4{OcT?Zvmk7&G#%>`A<8aPJD0~CAYFR?i>*eQZt06YGphrl? z5&lDO@XKedRBfN5ctRse{N8d><SB1h$2D^ehl)C^#_&eN)1U>d(dJcL;3aE0z%OBE zC(aPeD4(97B1>gwK`Rgp2>f~J@y)@Ad=yxh8f**VaX`7ke&XgL-sUFBWir{?a9Em1 z40d`|dAN-y=%c_~BFA-93|>XW$67|@;)WiO{D{Js5SEQZDhdf^wAMeU;CH419`}Q0 z(Ar@+Ke4C&7Bk=1Gaohir(CO3kT(pw`^Rkm+h!YQ6DAv`VKAid0SAD8GF_s^oyFgv zfZHto{vV6~Kb{<T+<njDpUx+0>TkRD?;C4BMy*LncRV_6B@}pMrL#1ZK~&&DVEjQ} zi{0A!nH**)v*t8WsX0^D%f!J(U#AyPAglQdQ~i~2=9#eh_s;wG(=>}fpaoW>A+Vuy zk(|x3nBi@Ww^RtjQ0(X~h*S$85xqBfPD`!(@4gJ_ewan%_kV+mqxu=AYOamN-N~lz zQsE5HvH$+Rk|O6^)HfkM?lpomgavwyK}RU!Z-Sz87APt%>sh$5k~q};r2Orf+b^Rd z;TpbfZ*~pK-o8n}j;GZnqpsnsF9f2qc-Js$D7AT70}nbG8Y>LYq})i~U=W2?M)A?T zWQVRs60sznek+-j%0{|ZU%N@h*FZ5I$I|J1Y8>0KP7Na;jphZJaF+uy&d1}Uk>E@M z-isCARgs#G6;2m`;QmF^wh}{T_6W<*Wr?uXgtNgZI-gbQ2cF8Qj&Uq?FHE=qE#Wrq z9x4HbyUo!xdPkcZ%`+&KL?_pF-yjWjO?JGab@vv;(?j(7#gUWJL{(eRirJSfIF~OD zr%_XX*b=6~f!7w8U*Og0>|4MsxMniMi2J(92TQu>omC5GjhE}kK2pNZGIH|FsZprE zWdc}98Oh5Y!+nszgc(R^Q<t6NI_O&4cb5awc0VuSa0~zRMD<<55xU;i(P%O<ey&@I zethQ7cj*PT?`_`J^~3BKNC_S{2$CEB8~W<Dv~Ej9uoq{^85{4Chi}Igt;`u&rL{7_ z+&a9Ki_0*1ah{+%Q9@x((2Vidc|1XG&yK4`X{UK}u&`V#B5JP2I}Cmey8|p_t=Dl8 z9U86qVmwXbi$tZ-qN`<ZPy!TBpDbJE0wolgzX`d&?z8h<zWOc5P3~x**WYyq{|m+; zmYTlan|QqKAOI{XKaLRg@qME^z1y|a#xbac72){9xvzkt8a=n@RLig%2Lt%yoCS>o zK~o!GML3nS0~fNP<i*|3lfSj;WJyE)9M}9GXUBiz*|A3ZaxLOVn)g5S2>+q9z~lbS zqepo6Ayfa4wk7|n_+xtijnn(8SiZzR)<plY#{WZ!fXDq0&l-nGy8G1sscns;L**Y6 z{BN9KMED99f*)zJ|5)e$p=7}0{*z~&r)0?hvoAS{R-gBOwJq|Od9|Hgx6ZHbCzevp z+MPnvCryx9JWaMp1K8@-eV!N9XwEisWDJ{BZ|YnfXb>v_S<nt>dooe>FKpH1HPhHb z1vfTLnrAlNVoOrAJxeA2NB4gBhH?<cBeEzZ4XoSDjq;+dp-aB*7!ihM^*3!{p6qVq z)3mBk)64NvOCu7=KId}3S;d$6o(`p&v|dwS8k=!k#g0kJz(#G@!M=5R%0>m#U_a>e zJI!)sJ}Q$@mb+=DTiR&_Y(g^O1nt}eAuY%qW1e%JUSrKADm<gI%Gq60GN!M_E2m|P z>p;qhXH!0}@LnMoUB44W?dDrV+UcCsV&v_itjLrdWes>VnWOzOSt8DAk11}T&5uRK zbl`N}9M~j@FOxc*>9X-X<Ct_jI?RMhF$Q3KR~m#07E>D$Vw@<ovP!vesX@9(>6U@Y z*)4upgE~G{hORRh=PAde;*x=$?MdPHiQ(Nw4qDpibefOnc+q$==X}H`30WhvDPx%f zS=9sRmuQer>QNOVvJJsZYF0wnW@g{^oY!?NN))R+3J_Uk`y9LiK3}9`nFO&=GbdnV zXPsT4$F@Tdm8tXBV&q^OqFyA=xbdINva5~W3ZJx$>go}z(dt_>4By2OjCS6W=haQg z#=9|IZVD+XDsbb4n5Md-u@+lhsp!P?BB`hbqFf(!OszyI1??D+?2MuMXRL*VWYy}g z)q+uu4iE+_34fAF-Ao0ZlZ7t<83$o9I2&M^*{Nt=*=2s5b5IXjmd*g-&9`c82^Q<v z;bhq?KBJ<UPZV@i$2*rpsY=PLT`_NCfr)hhYxPZ<xgWV!#ZcA>Aayc{e+eGm*WJ7S zFqo7Vzl^&*9ghl&xbdhwaAitH2i5f?*<o-Wul*?K^7GZqG8^J|oAj->3tLCrgs22; zRiPnUtD8@j%vVZl?iNwbZ>le<oM#7bt7`0j1Vy&@pcgbX>mDZk%t&LVRu?%W@v}(9 zA5=fJ{efh_Z1?V_n3?D&JDbE5T)a*sJq3XA8HVj?t~<Tl7P1dB`x*tPue*#3ZYZ3T za<CagT$Y&58mt9~U)%zeizow__HZ%4^?U<dl{u<;R1<hQiO-sW{(raWIiNt4*k~Pu zk^)a+6A^Ej#35O{T1E74_<p0v%Mv<0K!+_?L|1X0w`x(`s0KfMm0(O$r~&Q$7BuX) z@Y6Vw&^a|T(1oYDtFhbvfu59xZ(Gf}v2{DbUnf2p1?wA+f_K;d48Hzm&FrsnF7q0@ zzhK8Dg`a@at_N%3dbHm26vdOBE-b8f<TCyippO9P7Y@)y@@yS}u&y3r&}<M9f-ibe z5Mo51&2>unzWJrEi_M1r3=Mz1+GqfUD~@J;9dYDpDsD9%sO=1B{n2V8TK^Io|LTJp z|FY5eR~FeF*2lH-Jip2~s6k9&SI6@a+c25}H}fAA9km~fK!VJt&SQ4SG&q-v)F%F9 zq~S1kn41CmX|P}`aqlhHEX%id=l#|A#t`Bn>7c`=pd6?C3?5@yJPSWjsC}G02_GX` zo<xrUD^GeIL)(MiPKb*EVkc7`W9&;z8$mKIBT@<Kl%hAfQB^rY#vY?GrIBUVY|E`S z2)5CNGs`8Uu^6cm!blfH7%DMhD)iudK8>?JS~(KaCPjhxNE_&>TjOK_XarCi_@a<^ zx{sR4Cvll_Bwma)U7+*>>xa0Sl7%9ZH0oxkAESbk8IV^O%^GrFbKZ0sky;C+M@edf z&QF`+_S2nbgTVkMsBPbe`N1v58(z$nV_NtBMH~9U{W(}cI#YZ0YG=gZ5Cm1PLeo^% zAdVd^crsg9jia2EW=bfM5$X_X&8lt;H~*m-3cP{F;bp6Rzu6+Jn9;=>P9lY=U|BYy z^(ER6ivMc%!^{|nASBU*KKH5Lhv-(jb#&Y=-|S%HTGe8hR1=|cA_^GKe8lmHsjouw zr<mz3G16ZVl+=ws-4sgQ0UtRx7#xfXL@F((!FRMv!M_>hr~fG7&?WXZD}xa>@+j4Y z9YH(R&#g$CL1?4^i3JAd1~k}ARfjL95~%rwGYKkw3-XaiPBNP0Wvy}$T}2xjJ;7QK zMH2ajGITpA8(>Rj3>0xE->yKOIsp{<5><+?a*~D38R!(99;&QQJ;%33XBw?9PQYvm zdKRpD;{R}rZ#u>ghsm$44k2DOfQ5*bT+YM<k!0x%PfVdGnQx-m8~tjY%WtW5FlS#P zhpckgSJmbislyr!B{lDDZFyX#vZNJB0uL1xY?8Sp7R%0s7M!%sJ;|q~I=&6lF~4^2 zW*1D6iSR9LDs9#N;Jz#5GGnb^Iu6_n6BH)BjiGX4McM&=ou^2k2`9uM21qbK&O1Xz zC|(oeTcu_VzRRU1g|kVFb6T2BNGF(%iX5wuLrOV6u{I<=Wn++&v0Q*mFyfoU)-T$w z++KULA@z;1<By!Xs(MZrHO5wfy^a}q77&FrJC71w0b(L06vPlV?$^r4#ndH>GP#&@ z<YyXs+p)Su13+F_=26~$jTe(eMWyt@>a4F>=jA0^OM@k|<W%FYXAqBvKO4kp3rnqx z+rP>kanZ&QrD2<AhloLgxJ!qwwK99Fd#@W&`h{on=}g{{x<D=r<q_uA1j&csE(ss9 zOxD2YAVtc~R>r!(5aV#v!TC>Olf1A@R70y1g0W>rVYY<b#0cB}ht?#WVB+#RxQef> zaB_el9gfiqU82`3-gML2BU)2Eyvx$U!>|F5V@f2>z<E{SO#rQbF$i(+^LsBi@6hll zFPe9&B_JDW$l(oXHcm&J=}m_sSJx)WyNt%<(l3wkTkbIBMynNox(6Tw@vX1bKSjJP zs2JlbokOnVsW3xisdp&PQ71F#Am1kAY<%l>6}EI*01;oi5`3wGu<dCwR+6`WteIn+ zh{6Rg?5c4-w;`De(1s*2Y!vQs45wlV!ShP?5K0?_J|_UGjw4^U@`jCFHh~sH(QHQw zJ3Zx`$}3J@8*P$yh_a<oo1zdgljMbXs-X3W9o%_uj)+e7wBbfNnva?nxllA#5l#!S z4`dX9%_+L2;L)cCZP`26M{y`yh?YTzNOyTQ;Ma~Fg!*tVF=%iNWS}{4x7+ne#`6p{ zHF90wP$A<7wkBUi?W)vTvENejbdtvs47VI%@+vsEjZjJ=`-*0buLf%y$;KleD5W@G z9oTx(U*Bjx2JCpl8g)e5(m_ID1f%aB3cf+-Ig!w3osTmU7)A8DzJ&Hp#DDoJPScVT zcEX7c|BlnMv{J{`?!ePnf6y{DRi1M)PH(kGgY_>4>tBB3MW3@V(+c_!j9RrC7Y54+ zw=upWcyjE{(=sY<Qt(mV59c;C?WN}<dir4Fkq7wgsN6&0NA#=#S!SY5yyeChlBJg< zog@v<xA*q_DV^$DfJg2nz!#pdinpV44~;MG*!v=ZGrl;9x1l=tEijAy7T831Qx9pa zaj)Tv6xq7o+Sl40(CfXiYM}*Vi^46<5c{<EC`-;9t`eaR?6iUE;HIk4eq7FCj6xwM zCUqmUfkvW>SI5&ydXdn950`!OaHUvjSad3}KjVsT-x{HtOS55o^N1Vs-%EyOsvQNh zh_7^@XSQ`VlA)?77APPnlI#}U!GfHgW>8~33bpHBSa{hYNrPemLow82r!zT64GQ`d z_Bi4mjm=INZnr3+>!LQ5bh{Nuur*c501ASYk|OO;+*-J{A1nFHmn@CLJm6rO8bQ?; z!>p9Gviw{hoh!Mf@8Qu!_W?^{HD3s8RcKMvXO#5P%#$&-9jLE@#D4C+&AJ@aSsQM_ zBp!Q_@8S<X{<J0t8WXNiK$x(=Mk4&jGaN0DG&Bd*a!r8@M4^je4e+oL;(=#NoqBw3 z(e>=BZ)#>tX~A9M3$({GpMv)^u7D?R1)cEu_Tlz^uj7#ZED^=(b1YaVt{17J(}W21 z5tT%rEgsPZO6YECmJB$<o(~UB1<VHpv@lVXs$PG+$N8k-UmDKs+_N3n40b6%qgIFa z5sZb1s-#)6`fRq(Bz`pM&0J+YPxF$y0be)!yFc&jzCPT0^|J0T)coi@HkA45gV_*` zgS6jMUoD6g=E}ENC1sfA85H&1?MTgr6)arJ-1VM!htryQIZoFQOxT}(!uiDyF@kyM zy^YYj+V%+whoh=tDvpX`0uvFN=UYg;$FK4!2vgbu-7zB7fR*D+>UW#r%LVEoUn&fY z!trH-TV|bo3IF3UamGoi*Bnb0piRd$hi;G9p(LJM#n&bG_fCDJ7TrF&26J?W3CxQM zyEn7b_?nd=^wxj74Q2K)$uC_P*0=cez+dKM2GTZk$?rnK4~;uZE|cN|hAr)_I&dle z5r=M-Ns3}xqIE;($Bf2AnmihFr*X-RURccx0>s$Ixmam54HWtE&rawSI@OK7@DGbN zmB8hnqC=h_w5g9NJ22ZC#m2q2WjW9PdUQ;xneNFXK6g{}@-v;?mwq1KqV8#)e;|nN zqGZ4wtkf|F_#8z(kP!NSYV8}MxJyK)N&D}2puhw;o{Aqla3NeI*JP8X*;2@n!|34& z9850MArtow&Zkfrsfk3E7V`pb^aqAXaqH?XsHe*pRm9K_n*Nx)!elVZRv44XmI=&P zVqfPBGzu=X4WPOdF^HBf`k2_wSmCH;tFKq;Vqeb;Q*g_<OZ@mS0yGbqe6w`&U@`XS zEU{@`-N#dcvCyI%4po|BKjZ3lJ}*1n;B&)piSg-9L(PF|VwT{sVkYIxiNpAOT&<Pq zV~Kmg>!hG`MwFO*j>F#MgKYug1m5hNB~_{XLE_;4B(LtPy6LHL29|TaRsad>k?GMY za*iJ5l+u~K?%{=6QT0b@F`8ra{*v#ifs>(3pO<Ay2G_K}F7tG(E$%qQ2&!WQ(!YYg z&WapuP(BLh#^6$QMD%<_q2PSf?dE+CLTmkOZLJ4lcSwA=?zd46Q_A;x4R;KY%rH%# z1v4_1=!fq$!~ObP|LG@7UAfJ|YLgQF^`V;-CuR_~8|kQyn1oJLObjrE1MxVGs{~+~ z*JLpqAhW(=+nVMu!&^R`;T@AWBiBLWZxqTg?xos=I_YVrC%(hA@vhS4?7Z)$r(FuU zN?*6L@vCfdy$8<*1~7#a6BwLtzs1qe54xIL4nBCdwcfpnIM6Bl4zIU>Id#PncYB00 zT?W-vUgwq=<ry0S;-#&ml%Q+Fcsx#3W<P9Gp^DLOq9Pqb9r6&ok>##0d=1x7mJC(4 z2{u8bnmDV4QPN_=axa*2mcE$e>DhUlK|hOhRAQL@VTYD{=YMsKK8<9zyisv*7i{s$ z=$ou@U1#%FDM-&5t<sL;#~=^25JSIBDQ1Q0@U7F3WfXV5mDtiIGd$aUzWw9=;qZsu zzyI{=&9mXo_uFp{V9_cZmk&C_|JAXLm0Bf?D5wcxiz9-nS@76%vIrs_TOfj<5=Mh< z3G8VU*iwicc*pktuxKOW{vAaduh`<-UH;wjid9C@9C|j(SBsj|L*I<4cOJS>dBYY^ zUj3t4nEe;c(q&SG^@FCR^qoZ!Ya~sbcxcEfl-;-?G6ct}|5}c*5YubQG4u&3W3rPs zyl;ax#G9i=!*#osPic*$MGa&8P#1iEeK|;9kk8u*Q~o%Tca#WeJa?7~{op=$UT!xZ zi>BjuoQAvWPp~$*Y@kVuYyCSSy>D}~QuZ^t+~6+TkPK1li2qvR9r1`WmDN2X7ax*R z1g^xC@J5sH$B_8J5Ov!ENG$Ah9V$YJ@{U$SDHPg;`Zi%c;-CPyp;10ZG>YPsjv}$( z#p<S|Fj3}IrjC`em~luFfubEj7>s%BjDnZ14jY9z_ygX2Yd>9&>{q+6x+v)Eym;2> zInvx{Iu77@urnR6uXVJiKRiM|f8&oK6Y#fiC(o(^GYN3w7VZiu#68ko?}JrB&Ttx< zanFWmx`y2gUUS0aM3Elr?B!%=7@X2VWa5|3ERw>Mk{6?Dca+d!*1omu@v%1B+i#`x z>UM{B|48r7@9fp9P9pNRv3gax0N6??QN?QI<n5M;KK0yfncQuCXr=8f*GJ<(vtYrr z9Aw(S8Al_gs*gvJzmI(PZ;<W&do)^lHK3#3;v25ZxJV_gUS{MH)c(et-nBz6e;uv7 ztW{GCM;R7zn7S&M=0LraS~)HC?ST<SDA;*l_w6RA$gO$SFwyT*(orZfEG3{(U)xSm z^dH$ct>W)qNShe`t`Do}y|Tkzzv+2$o=kOdR;%#IbCl1siuG~Eq{!B9SU!`FT&ymS zF*F*xEYKFN%%aUbo(#~amK)ruRvD8@51$}k*J6Q%6>E&O*)_RY<RyEy(sY>33mU~h z+!**(qEcTQZGh}@mS#u{eU1$$zin75b@NCxjI~>mJvtMC6k5<60&3XQJu?nP!Wrt0 z2UjtdKn1FG|Jur@C8m<G1UlP?JMh2nwzm(z`)=DZrFCN()kS}%qRh6#qptNF(>K5G z*5l}I21iHV9K+MD!WBO1TJ3g^Z<e<Fv)i)o*3SVOgtYkPGn|ZdV{&^dn_k{C@w*as z4qLEu*oK{zkYo0U7>|;%)w1A0ZWx2S#k_MGT3yr92CX<9GSr_J62cczusSXHw{K(j z9xA49cYfWod+U*}Xl7u-_h|~%N?%ga=oS?<elM3~KQAo${d{Z^FiOW^qd$?S;pR2( za@|^+lJ29(E~M8$J!?KP1RAV9(fU^{dekLgP^52=`VXjF0|Sk$J6!AWmTtk3KAh=n z0BkSKy>ZOOr{;varkO55G$+fo+(H4@X)`K^Q<SR`x*Nf$5&ukQmJ(`{2YnnhN7M7E zU&>+>K_TqWaN2y0s>Wgzd`7h1Vy0FPTUnSny>2mcOix+eZgA!&Hkw)*#1ENU*soix z9(k(V$$Jp2`*cytUYTS}v3d)SG=hozP}n|p)0P?4k7^Egyqv16iU!NXsy=>R*HMzQ zc6c)h=)(<-ep+^ctLc+OC@5W$&_l5>(4}02$NH+jOmvd@XA-r9-6wbfigZYlAL)Cz zKE)-$OHB9j5ab_y!|4UV*TDJs+PtC+F{YseZ`Ld=rfHW;&_;vUadGl9+nho{5S=5X zb|OKViao@1StL3DfuB|91D27MmX1?wafECDLgL;!NF@S@!Ahye@J1}#={mLdt)=jz zLZyNgzq<)Ik}9<>SHdWTuE9o`#DthE*FwM3O{62hBk}G58ak?>ijDxFk|%>)1MBk% z1<4|b+r0{&rf28m2|}_oaxMl{3&T6_ae@S*@~EwYDoe!Cm~E_>s@U$8q8KwYxmrUc z-~k@}1+H?FUaUw@mY}@<zAWPGjKefZvz8^Q1O>BbK_Bm|k_t&~Y^XAlP+`<i?I1*F zo@PQ+|9Vl!Q+Dq}#(-x;3UQXxWuR)esem0R&79VWQW{mOzaZC*$Jl{R?`9CZNu~*% z1|?%BL!PUc*y?m9h6MFA$zcXVU%_PN60w5ap^dZdp%b8i?FG2k*bk6MJKNja>OQkG z-Yyb+NKweHC76jA;*ArOkmR6eP+xZ&)k&1~zQBKyF0bEi*&QezrVyo$Q7)SJdR=P( zNZr)Xh?&t}XmOOmc`}*d>={I&BVQmYjf3m{dyf5hV?4nt`5U){`|vz@=Pg%$eUet_ zT!ueRk_u+uj@-R{u(P)(q`1EEb${c_FY&+(r}d1&*;mj}{5zjc;yFD@s*!e8!gesk zxwL}THMeX@GN@j|hI2hV$tM^>0mbxkRHQR>bQ-5Id<AeZzH2nDmp%>>r~$j+M9!uz z^cJWr?<sy_Zdc?aXx<`wLT%!S&`NyEYiDhJ<Ixvie)Z?Czv+;35j|zT0x$dU)N5z2 zyCKO8l)=v^o~0FfkRieTGbwU}N$GEKM=MZ`XWU3};UNLC;)yC<TolM}svY*61Lb*M zRvbovv=xTojihQ&-J(~riu#5Vq5@#I9vSu}P`m{JzydL$FA1{~q$lMK2+NT}!$d@z zGcs3Vd!lLj&bB%-g8&me=}2eqZ$IzvJbU5y<GV-9q_$#eBcw7i_m^&DjC@pH4tbZB z7HjIHN_wx{>O`GY^wRiCRL6Q(6e}B$3bxkiw7azyF~h<yu~JHJNqh&Z*%p2FPfM+F zOepTHx9TGrh$v?@!p#U*ef=8EFq9tHgxAbysmJP(-t{|wbM@;LnqzIW>fkF7($Szp z{cbC#%sA9<8&h=$e6}X~tu&^8FDfey>fbAbWpvx|463yqb6`y+#(}=YB^?Hw(AJu{ zZBa^f75i;zU0EtY+e{_sitq_A*se+EKczL*>tQ3v2K!QwSY3)9eg(_%9Z%2Gj19Wr zOH(U=qwt{-UP-O^-EySs(!&?qKM(g_9y$%NRI#inD&;GnMj!?Jx+*IYrd8nfrddlh zLz>y3^`QFh47v;dS(iWNa(mz*R!ZlL+-+-}z9Wa*T9Zhw$mO=yJW=U=RKMkEu`NJ- zk?0%g&e7-P@dMPU4U-bKQ#kgYCGXzg?#%`mO{fkFqmX%8BW0ItOE25##pfmV<39G| zZM)jT{)9y`;6D4BUKYMxe-@3~!f`KZjNGeo@uK(+!&`kq{taVQRHrF_g@G5Hw<nzk z*3$>{%&zKp+m>nwCK;fps>7<*O}O*nxXLbs$`Niqidt9Urf5caH2uk89CYTY6;Vy? zpt#O+#kOdkceVgiA65#AhdQb({Xy>x?b_h1$mg@r)iFa~?W_3UxXJq(x85H-2Cp8S z^qO0yVsp7>9cg}~r2%shEYQ9iJD8^wF!NA;MRgC1HaQw3speHJN>FIoQi^al^2mkt zIP2%td68e$F5-<13^_DZ>&qA(o13f~P{RdfyOSzfw}d0?KMzO`_*O$&vCTH#gC-#~ zuqSJFyYvuEGR?N>kc!40k5}xh@8Y1P$5x;1G9P^rn2Xe-qF*f%d3!kH=2?khG~*Yy z4N=AVZcbz=amH(32fHQ*7YE#Imj@`|`DQ=~9la-Cv|N;^ksNJ)0TRw&Fz^JhSP&~h zRrka;2z`gC&s-KlPrbKJCJsP8_-Qlzyo^4Vt4(X<p1r>D-T+iUtH0j38=K++A;s+j zbzpJx9tt!;nO7(zW!QHp#iC0Tr7~pQxu|hD#(7gwyx=B9&RD5rO!Fw2DK;VcePRsw z{47iVS?9+{GgMbr!Rzbl95X#6l6+4Z+%qh05p?pd&Y#BiIkZ!j6z`F`#_I2#_u*e& zKc?Ijm<8dc7fHlNNy!<^#H^H(adKM>k1dGgl53GIB1YWG=9uh;F<*3!9`uj@@^<{- z?cnYBzNrYp5c_qxE_UrYiHj$1$M3(m>GkpV6h?Ip58jUd!Vkvrwfr>oS@)pX)6L+# zs%D!HACg;5ewh@fll%&$wuisYG0ZZEO%FG|`tzf2zIk|_U-id%|2m)dX^#8o_}3@p zR-Y7DeNl*&eVo*O+?NUL*Av)Od8rY<c)u2XaTD&m_-*IeZ_oa+13w?#^unKae*1a< zxBb8TEWh`D{%!AXzy0kmd;Ghho)UR;{AQQZ=5BF*Ttg7;9Budi>sYHced;WU+QG@1 zO8XoK4IOd_T(NPZRDD!l-C<F!8&XTw9#EWr!{|rvCOE~Un;aOXpO%B*AYs#FAz&<i zBQ(s>pix6Ko5Yz;po^th&uHbW;}|g5je(sCfwl(1xJQp>aeFhkkU~d$TrClPrKE>x zt>h&}9lN!U*kb=MkA^~}%i3z@6Vzo0d6-53|GH3aaqKZ0j117eNIuRP%&h7?EtLgj zDZp6*_VRz*d(-YVZe(Hj`#tCWhfaGOHmxQt%61k-Qm!o9iJz<39$UGyPzq0rY)Oo` zg-u#kB+YMsYr#@Lqe;q3mU)LWk;!hLP$&R}LZOyC;F}kqyw*l*BH-TP4*~8a8s{+G zR}VLUAC<^JYNje?7&YH?*RVg=ES;-|&kpfnu(BmGhJxb4p*RWNG?4EX>e<R#MCuu3 zsU&x4OjW6!n{#uMqP6-MqFNIndi_-8_Xwy9e-CY1Mbw&)avs0kv3t>x`@^O5MMv$P zeM3S+uiu@?_aI;S#yIY2-0g*bEJ9{~j<QZjR|Bxy=V)cqgMWgD3i$d_&JgZK@xF%$ z(a(w_gskODx36;}-ePtohoRm^r2XrB43l43gTAL^i#vJ`c-OE$W2y5O0P0!9Go*ls z>l%cYZR8`oC`N#!*|P@nu*)ms5V}egch$y%13^<wjh)3@0?&)C0&Pt-Fqj1?78w9~ z1YAz=4jXwCF!ch6cP1mC<B&<iX97#aMU+u~&jt#aA_ozY!n2r0$T(cZs#k@$mly>7 z4CUuHf8DPYAZ1llitCG!v4Q;?(eZdZ$g`0Qlz(xSlNAPcmh68pe5%b1%;C<<5#MDS z^AT0Iq2?DfRPq=o&UBOs1*TVyRPRuC)cfmuPYN9?*PkCYP>D~>XnO|}G2|S;Mz!l8 z1ltyz5<~{^r!-21eWk{&Co_X5dsnr?8HWGBFC+XyCK41l12fMLoYG~ARGyuF!Ts4; z-L+UAb2!-GFGaI}W0H1vN@|1R=iW&a>-6r1L~&FMdOx4kB!|YWc#yyA1e&_Ks-?~t zZP#vY%FSB{K{T$eBpxv%a&r?vrTAqKLL){j)H>X*#Q_3v#TALb94n6XvV-NwE5@fz zId*xwT`PgB9UWB`P@P>=M51IcQV5xP3+)rkOincuRMrWGX3AJWa}RBm;4XEQpT!w& z6-%UIQIrxJ@y03#Z{a}<&*(!qmGk1@<nnBQ$3$Tbcq6)iBR}3RV;+{vi%f*`vOCJQ z{mx;Qld>pfN-PfYVS%d4@nb%?vf~f4mN<0}2@B2$EUR&G7MK0gsKW)rf`d~;^mU<} z?p2aM%QO;nk_DHaxtvx$3dL5S8VN$d(XT3FBgup~Kc9y%KtzztPRtk<tgC6eprl1Y zJ}n(<lqj>U*K_$j%Ou-oiF+lyO?=y1>R#!}O>et$>HF3jnzaOj@u*`a9C&{CasS}? z{__`4DG-12$;*S?{r!a}+-dD@k$k(^{^@RUw>YYWFRGKsyK=Wf96aJLx^9*O1H&E$ zkmw=u!<$z?R>kRxr&g=4lG9aFZGBbp9F7jB|DGh0b{x*SiFQg>91eZfwxgtsTkRSs zhH<rPb^6BUYiQ~LR6L@)4v$t&hd28bJzn@(nVtZ>!ZXMJkoi2GquHi4Orl0BT~8aW zI)x{%2eQI=CWeZiETig_hzLj58Xa9VwRH7*32I<3sRY_AL#4iibXe-$YYwCT$}S9V z1Qm$2IBC}XNX0G=^?P><xBW6zoxP|c2HATmOIK5ruB;?|PX(!iY<beGt|2XHNB_Mw zdkZ2@S#bfm-~tsOazHoF_3x(&WL4inTbqEuQMx#%JVbqT2{}<mo04LVnwhmrLfd8| zBt?~yA-O7dfRt9>=P*Vp^G4u2UoK7gBn~N`1fpsNuu43txVpb6I>T%NJ-w>t@Ke+z zM4J)*vtXN{d?8e9w4~Sx7du%}Y|6!^RmE<?k8u;aC<gsmdQo&~yC11;Hi0I?A_)=S zG^>Z*q(Na&5yL87aN(ysa8^GQ95~7Ut4%7HR~Pf+q<ULP(Q@!~tF;rO`Ppnm^g{F9 zLoKxBR@2C-r5Cq*oCqq;qmQLI4<7J;9|gKnG8$id6}*-8DR&Dzmx-U&MPKMlR-#{( z;+>?p7vtIU(T6zY3JvG;E8z4uYze}~9O&AZpfv^q)Oo9fLJ<mUEv$f~HVyOuC4XIx zx-uQV?W3xhoH5Ag1mQQ}Z?0oF)mQfh#=NS&Lvc~^$z^cbG56ojCwHMwn{kyzAJMF# z)Asfnj5Gy|xtyK#b)q%ZgRI)8NlZB?Q&NQ*CHOvO9y1lafM31yL6HuM-ucfbY0=t< z9z0C{=d(NMM(aVmK>Jz4YUsGhHSrr)#&1v`{{axSRkW7SOXXA*bfO9c{4yP17BZwb z?@#QWTp<r?1mLy)`kVRCh%qdC($F?avetk6X+Hir!94>cE*cm)b;al`ALZO2!x(D& zUT1RtUMA|$zGHuGSBNfwCgOVTB@A{=jCtyswl6X?SBB0drIi=PSNSh#%zU{rWPW}N z^YTB3-LqhU(QhkwNgbS?45)t#89Dnx+Gk|Mi{_<9wV*+u4YUhjMZ4h7tYNS>L6^#I zDv%294;4b&8+Frfg91_&SBf+HOA~|SPKRh!kUC;n!LfC9<iF!f5tra}nt?okffqRP z0=IxwSiZyaC<=e$p(E<CP1Ss=4-_b|U=CZ1D3Oh3O)a%~HdjJyLzyV(QO&^$m1M=@ z<Tq}DhB!JroE;uc4-ZH24K%eoD8?!(q6xpka$2fntke;*Y?cchD@NVuLvJacC|Qy2 zb7YGfCW)Unflvo2rf^TuG5l{cinrdp+S`%ll=0y##^(pSkG<z3dcOb6dpxDbd#}C6 zC-nH4Tlyv--S7@@QEUUTW<aV@Tp{2D9Kf+_E2V^@l0bk9|0V}yc`Ns@h8aj#^3SHS zL`jx_q?fkWiW_A3U;KKIXK!=cP*upbL^n-En`Y?Rz|CD;M0<hlcWD~ARf7&&p#P?V z(}#;Ai#+GVD1D^e({yPyspLak-c}Yzs{GzO68s6p554tuUa8otoF&xR16N8A=>k|K zfa5lOGl|*Y8$RuH-ea*>%H!O*@5Tq?z42f^9C>I~$HvckZ!=}dC*m`82?(lZY-IXx zWHhQ-c1#XD(|j_9;Vrt;Y|=M592Xvb0rqGdAgo1x8BqZOUC#p?XYo&Snnc01@2_>t zV2ty{E(`4|hEZ2N`ERMussc*&S?&R59E={K)-cToJgPs((iEU2@ey__%cWZFB-!j2 zYFknn$AJ?%%OY|*>W2u?7`m*-F0YToYcWNi8N?ET&N%6!J5_@d<Q_gQ@c~+BnpiAq zpX6B{r)sH-6JUP9<HT_p4Ye8?9fvmZ>Wf03>-uFIZhm33(KdtX2!sP*SId^|4=PwE zPGAaKH8ZiKDMB*`bw18d`=gPvCe6t5RR)@7=QU|X9Ms{7;mQl_WUW>c=hWTZT~4() z=*#Ome9Td@ORxCl@tg;O3OF}?k4<GZb*1Ea;i7<w<p0ExaA*@tNxJk0fN1Q18q1d_ z_^$5SNn+3Z{hU>av$~|htAIWbVW&~e_EhExu&*6r)Q%YDQZ^aPo2t6Dj6DV<Lf(Wi zzX<^OSeb(b7mX|%4MZ1_+p`Qp`=P<}ks?n=y^phKltuL_%jNdt23RiD+Xjv=Zl+6} z9_Mf0KR<ZN$#KlR7@q0UIIfp8c!9~Fdis&40y^(IyJK02QZf*rlW2Jd5-Awq=!k_@ zQj>hBAkIN^IEmDvp1A1A30>(g_WpC68P%uS96rYU78rgAXF?J4<4#8ubo>M69lGoz zyW?4ZYMfL!ra9$Y080IgnOudQh@>o%>O_dwa$D3zD}-8f*TZSXK5)AFT-BX1ADb_J zyqU5BFRW%-pJ0}3Ene(@0H&fK?5qgjlk+6hQQnp#Q8e6@MOKP&V)Fs1i(yz>-Mps~ zDUU=9ZQo>IjM+;}zB;9<6s|`iW^28Pad-0}oMvaa(!w4d-vB~q+1vh@^3Rl`RcIxy zjdRTOFcC&EXt8*4qZ7szCdO~M-waa3Gd|9hLt%kYZ_#(SQodh!@K$<RO%L?1HUtRA z;#`TFOMn=*(fqDn&M)wKf2R7V7(a)ctyt6_kMsMvF;xg6uP5VanNbI?;@o<_C4a~9 zxgB?3vi6MR8(wuz`tm>6szW*i)*L*pTyfmnmDiecEcnQ)Y=xb0<u$gF*++08njU`4 zWw=yhrjG;gT15zx(Z80g-S=6!eiqo@c<t)dt6=IWoj6Cla`v}lXcDhViup0uhmmrs za3+E7czCQV(}0q&#%GPmbd34V?5qX}7x+Z!QZb~W#U+Pf(6hHWB~ehbDIn5$-SMZh zhTsjnHCEP5bx!jUrjHp<4=}ioKPFTPCllIr(T@dDZ8S`41YLs1W2b<&y>oU)h23Xy zbq~p|U`F-G7t8|fKF8V^v}dJW$O3m*iL9LKVW@SG0&Tho{AHR=_<~!d0Vu7MY%oX! zR@jac;D;s*K2^HV@Cwkl4zo$Jlssz21btK%^*JD$E{MS6fYJlvQ<%&@a1Mns+6RW7 zzxf`H7$)J>H0J|P!0f35^L2(c-Xc=E=M-VhFQ|!j-?4&GX^B)_P9Wi|E>lrwFw%v5 zzHiJzT(=2<fNa;ly)GZsfH6FMH-i?@>cK01V@wt>79-{_?(*=H(JOAX{n6Vo+C&7Z zj@@uRna#dPCb?#l_X1n3zPZ^kRavrmrW=l58tTAnf5k4k?yn#*YYM7|)?*q}AdTM4 zCq#h~)4=3F1jC78z3`5SS+l>@XsaoWUuizAP8LfZ*;$EI8@Jmfo}TZI<!TtNj$Oq_ zzPG7b)voya_zB!CjJcR1Mfol|6?Udf(0T=dq&1l)6g<kaAxg-Vx}PvfM8&#)p|fmd zR@J?Ow-SSF0^Dholl}khs8=hr5{p7i?jl3Af3ox#V|c=UJ&IeRAEw>3=O!A*+bat5 z#m6elPcp>}N=i4Du|SOH2NfLh1tl^W^HqYxM?y^o{qy_+MNaJa%V~|{{LvBa8T!xF zyc`dSa0=$Z+TM;fO1y&?&$ir#){jc;B?<8(cb-I{<jnLzn;ELYHuiiXs4UGT1!?pY zUI1QI>gC7t1)*Ct_vgag*Uh774YmW(dsy~I6#%L>Qm2q-qj9a<bDvjN7RDP+W&7Os zs|pMuFt2~_F%*5>L{7ctjq0Cg1go^!XrUK0>|eSk75VJ7CB1Pdf$u2^#=C=o()?_f z&unb0u#h3U;0dk^w!ABNu65*qgo!{EZu<8D9AxwD_K~}h4$&plDFOq$My{~8l+;YS z0JCH<be4C|U+3NVln&id+u8mt?j$!7C2mDE7B`(5RvcX<jg~D$6fya*kNc3<Vo62t z8uNcmIW@Xc#_e5sm2Q-QvrT$v<0X%$J($4^%ho6;pye@!dQ(nYsQwdn-&)C73V6w( zm06`%TdRTGKjDMDs6t1DMfDn@UaB(PlRmG|VlsxXL)FMRTb*hAOI~Q9q-pjo2|sie z-i}_5@|V*eP+k;C!`x^Gsw56eTLDhuelM=422c{?S9oIHXQ%M<$dMu_v|FAPeGnur zrs&~>k%Bi%4LNN9%P6%1&)jyz<lwK$>XA6po7s4h5Py@?JD|k8mrYOMRCn**`2~I} zX-{Y=02P`RuCMv=K?FopWhw2XZZj_f=dRo6tIBDfHO@YwUfrc8*r;B~{l|f&y^4K@ zBbP~|^rhNex2F4gu`c5yMt-<M2Nb0n%!&x68ivw5MP}3C_K+|X0Rm2dN?!@<9J+9U znf*Y3?_E0Zrg=kaD@9(<0<okEhVgug%g+>a0%3~WC~6wGWMZ63#(}1Xa0Fml5&P8p zr&yJGvX?awfeFxVZ5{<|V1#BajodX9)WeB3U4vl#K_yCm<i9}^2VFG)HmqhdM8poT zx)`nOml7_dMNmguBBcstwjc)(epI-WMSvb>LLpD{qAGO21hDSl29e`V0n%@kRA^cb zqT1|WOukNTE&(QabziLvxTuH0cI4%Pyf9gO%|LBe<{1CrVI)Tl13_tx)hz<-jpzAg zIK+imf@|BNQc2kH7OcnOvtG~aNUN&R7U=x-NooaUe@W>i^&g%-Ho8OFg0`dYBk@v* zm7e&?MQJn?9_X;{?N`T8VGk?rGcWUt%j4~BwVEY_yw)mWBYN9jVCav5rJt{+Lj#~N ziL#kG1f@!(snDxwf#Ji|VOMzgiX-Ko#iy`5D4nBt72m|N$t58%UY1S>)$%$Ap2nyO zxNYM3xh%J1mq=z8nNBXoQd`cK+bQ4V+H5K|UyDkSJs6Kp(TrOy4xQm-4qNStviwi3 zEMF;c-?1Qo9tsB3HkCuCU69L<{nW-kMSFCusRVL<xE9r#Xwq#Tm7+i}EZ5LGZf!h> z9yD7ITVF(!6?svZTPRyQN~3m-EAV%ywOUBp)h|z9PFEL3O~jnQdae*uN0+x1RIA<j zK3({*A?<?u<ZjVu`Oi%*FL(3SGke=Hbz9E)!eS4gxIr5vye=7U23&EZMB+#zuuX?W zxD{m)7TTI@>}Lp5AxwA#f{KgEF@Y8IV0RWuFUkepn)%-vzba!2SKP_9s1uNMLLFM* zk5wTU-J#W`ZGwhl70pM@s1(mGz~rZwhGW8m;%q!cSCKL_RZR;8=nSy|EWlM8kY_EG z^YGEN3jm*hIJG^<hR3}udbb%h-eGi6w>Zx4PAXy^g>Jp7C404ZeYiNk!kninE6;mH zq}As>6K}QoZ_9dXz#AX|O@wVNjhHwauvS+H=$`08(!Q**kkhVWa}<xp<_bO=U|hCr z)_<FmdXJ_=ER1!XE$ZEP`lk@4L4sN=OaEa7%AY>2NU8h#XFNMtf!JPQ{+@y{YoHL4 zjtIv>F+QQzNF1gLD+<Hc?;#9ZT4<s8da+P^C%T|ricm#0J!-&Y7xk)NEJt5|QaKv1 z1Oc}{_$+GdxWY64Q<k6|h2MO}+Hja~c^7$^JjKws1v<A{f1u+bo&Rk+_c+G@n5Eu* z+M|J;EB`qnyx$SweGdbC+xLD#lDxx{&u=L_{pT3)fyV&JVaQtN6r?%!?n6zMWHBn* zQ>w%-qv*8(ue2_u2esK^{$xJIJh8Kdt73JT(x=igxe`B%WXlSKY_*RlV<J$+>HZ`F zrjSVfq=M%4e+134p!qcGo_zvaiIgn<(9vmh`DslhK3`Fy?2ZQ%`Uj@V%abI2{q#xn z^7ZbE@192gc)Gv;@^8_1ub)1B5k21j@oDtx$Jej+pThUuz5k6UY(Vt*^~=A#kZGrj zvuu)gR7zz9^vz#?+<pBt+I#+b52_!$eh%>A%bSDU*U|S+|GxX(%NNnhy#xGLf?8~A z!42W6!MRMoHYrk>K_KC$669oDj7%N;K~=t^VEo4N;T;)5)Y6(XhqwgsEuktB9#PK# zq+bM)z9sy?p-%r-fiwJ|(xwr75_=mCB{_!K7$rQudQc-6VwDw-Hd=(*huMWbdSZS# z@_#}E(M~-hGB%y^B<`hZDo{Xvz=K}uScE0IV`wMbRO}#pE{OZN4bN*SRF{tpA>4?n z26l5g9~}TQFA|E);;=Cq>PSs0rn#DvG@?;!eLam@8-BJQuBIj-(LQ>#ZtKJR=IW2u z)33a`T!>c!)!bND@XTbUx*O~1L$7KH{mPqy_vlx<#+5KK4A;YNTou1jZTvz2YIJ^D zU&jY2{sCA{I=zO|s(j7}1ZvB^HBiwACERD1n=Z}`x1(0G^dW;J3Bi>qpf=XWFOSxJ zy8QUmCCek*udgbJ^5fGGO}wfliaaV4<f{-p7;oo=>c2}Pg^rkwk(rK>J0Bx&Lbe4B zsJ=s`4eE#`q=w~EYQuK-VFjfKbcj@5-4dxb%A|T2B9+FhOe_uImgnXQ`!3|Wzng)V zZ=)56--jrn<Uku(@o`VdCjOk$Mo6TDO`^rQSSY)7((gfsu}^UD3Oh~thD&-|@Y7Nu zWaWZICXBa&<(uXMunh)Q1*bGjxEGS2RIq`gFfHgM`3@lVYt(K?!-0AJWbs?|@}K#1 z%;u$~ep={yYri!KwdraYwhOijVu@~vCY(TCG_|Cywe3L10u@S2!n3TK4JZ3L7N7GJ zg!x{y?Y8PT2S6F<L8Qx=p>qn+iS{K4Ufar5TfaKb^T`i7<h8$?IUJ)b;%k?Nlc&lA zTqC=tQCbVmsI{d8JISEYo_Fg_FZ7V=R&RANXh<Bs0aveAy%elygmKsB@t_r5SZ9GB zJ4zaWWMs|Ld`3(R`B#Ou2)TtK5RS!ydqq{E$@zJMm@>8kBn;|eh)|#kpwg)^ed;<+ zkRHg8eVsQk9q(iXG2G2zp92EGSthMkBB;6^nu}FOxH-i?DDX0Yx#0)O{<ny<FQP`q zJ3eK-9vz0}Bc0brv!Mca!>EgH$8cu8jLz^L-%D|$6j#CZy@t*hx7?C&Ls5*_jP#MK zR1xOJL1Pq)fj1gRv#H5aYc$RdP0fDqkA`VhF9-$6b))P<Cu}0zVm?f4#gqqAy-wOr z?oDZ+DWUu+6l9<OM?qFrki8NOKOLRXOn;ByBT8SUE8Tpu_#;+g4>+<(XDp{n?-zh% zp(dKjYZ9yy3&V-W<ct`5^(<FulPtcHLVsnDDq0AGE(PdfDEN<msHyO&RHoqzZZ-7b z%86Hwb$oBhP$l<7rfXF?XjVGdP|dJkjjiXO+o)2NOO34tGi$d{tD38rCxPOg7Y<dB z&q9*14OjppG$XMItBL3Jk9>AqGNyi1lMnZ(S<wtCj%hcPz7VA=sO6ze!oyt^OGLU4 zl{`FGB$x&8r;j7zvRS?XTpmkgMLLz~^|1nr+#c;)pnQ9DtGv2b4WJR)?A$;Yx9o=P zLKsX1!tWsqDTHwD`Q?HvKtX?-f5+*fM09_@zVa7$+$P^!^13zQRuaQB;XZ|T{H-y* zy{r5xQvXUpal+EtCkl*XlU1)mnhy<`vr5DqEsZ}@K{X#=hUiif#rMbK^Xx3odNv1} z3TMN&*eq69vzBHAg1T)(C+iyLCdsbJ`=a7Hlbo(&gNo?)oc~4d?tPAa!{FZL)BZ_c z8*GxlF6WN{S>H#<cx<SWDjX>T((U?KN7>*ayDStfp>8yq4+eaWAWP20mX~-DYoQtQ z6^!MX9p?iR$EQDIYf=&BG^%ZiTR>PUSqI}q>YHs98^D%efZL+vnjB()CJN)ZSO*>8 zn{2MWW;SoC0KaWW0s|QHJdY<YN840~0(QKzL0ghqRHLJ>6!Gmh3(w%-<;GolrwJIs zmO02zW-(M{TgpYgR0L35cap&*!L|3D^bEn{Biq30HkE<x(o#QkAGGum=p)|CShl-@ zdr@`Z&==#`?&!AM0_MC<Q!TPLV)V!*yn|c&1Mm&mwiCy<ii2Qc#?<z}0f4f9G=59- zE92zoB9o=p>!r+RiA_)KU$vDCdftDIGrCLW_o{gd!{;JO<2{aEygVRw8is_^e^i@A z7uks1r6$wyBs-<Z&TMPxr)s=iUc+Y;v}Qg+@LG+OM)8`z{eFV8FdWfGwBlaC0o*l| z{Md;C$}8W_hCiB~^<P(R04pW_tg28|F=>9li!N9Ubd|A)u`N&$@?MB22Qu|J4cMf? z3-$p=spC${e8hKz++@`;oJu+2c73g_0<(e=5KH<90vqdS5dY#Yl+1*_Sn-yQ#Y$!O z(Ka!X7dl#l<tu@_vdB(4eUscS3g^7DmFU=Ey5{v&^vof=s8qJ???_s?0L@Mu5|Zvj zL(KmIeBJRuO3)CL9f?#5nF}_#<3KeyDc}W$V#x>JNNBjkU`N9Hz54rL@39>rbmEwq z@E+a>y}wSbe2fDg^W3U5psfT)1OM~Y9iA$MFUkFMU`xAyJ2D86E}|7sLA0<*82x#= z#Pb_J3$CdR=#p~<et5iK$6H~@7}64V6TauQ;aSX&h0$4vvRr3v+tw+ay%TpYORdhn zlrhgcjmxdf2W}!|n4^fxrUN$H6AZPDvLMEP5?9O430TOlT#x@kA7IDB6yF->21`?o za<mLw^(<n_R%ZR7;ZqI0&>J$Z1+t}^x(g96#j*(69rn?E0z^X18zkuxI)a)ja+Rt> zmy9mP^Fa@-f&s=9W5o@PJK)q(MFO-K)a}CsvgaS^WV`SzE7%ie@-znI`lRX~PMxEx z2q(Vu1dQPA!4~;9J2zseGG&okqulL)Hmz5D4l{9tXmM}ZQ_ws3GD0Q)M-r-eP8oY} z4g#zZC5!R5<9?4&z?sCYlw+geyg;;mKTX4Jse8wDt_<o5LVAIa4&g}h7)#(Ttsxz7 z(gs_!Wh}1Iy(np=^+hNP=JZDv(5vP1X0y4vh;HrvmT_rqF(VlhOvzsXz;D2>oo4?1 z7<N?jhkZ<i1gv2H$}F;*6*UJ-j!D9}GjKvOmHD3)6=&{B{LpOCi|-W#{_2Ql+p21$ zeABSHwDV^=sJE;5z|pPvK<CALFd(y*WPJQ{-krH8^W*V&pnN|AIZ(v?dI!Y$5iVAW z1*0pL30MJ%xo$^W%)S`Ueo!WY+Y-gPkukON(ke<*!@<HgEDpc=M7&DdGA7203m%eT zqjE`PI#|Y|%gOdk);11~Q7QV}iGF-TmRcF+Vd>>?Djd<FH+t0Q^-ue==-2)P4kCkj zVcU7AUi~u92B@$V<~vY26qx~8P}ZGoKO!kZ4@j-y#A?um9@eEa0T35>mE8fp0P>JR z?4QqHQ7_ywt&Il{AGwcwAW(7bAti<ItG3o#jrH~Q*5dm85nZMt9QW1NUw!$-qlWto zI#GF7vaCN|UnmsC!$&nwo(y#-)D^6*pZYL@T?%z4`pN!&w)=d46TM<f=~_|1qNIV* zqk4*|E`V#b$a!(|i@LW6tG6({dxutkAhMqJT<~_Z3d_PpT0mhS5wP!~w+graqm{a? zQC)4P{6srsSvT~N47P5&Tk3twp^@TIfw2s$iY)#j?Zjf$#<pkO9Kga4ujWE%2OB-o z)Rd5Jr6V%<1yOSARDiJ{%J~BvrOTgFG+A9Pd2`;M9E?}m-bpkdDIYa{6WZVLA`l}1 zz)q>+T@b&TgET*&{Z)G)xZA6{wJwkXX4&*KpSe~L({p`4C=zRvGJ&^v!p=A_G+?22 z2Xok+odXOlOE|#*<&hU~kgIZQnBo-=zRLdEImpnth1=p@qp3_81UsB7sUyQ%(2a)j z<e*E?dedS`n%Ce-YtH81$~z-EWrMB)u(+J`k>Ol|L^0-c@SN}vv61+8$3yZSsVjM^ ze|k34>Eogk;!-Bs?Kn&hgD7g^D~^N;L0d^jBcmiwvnW$GB0N?SK{ZY$xrU`}G5ZDw zic@bK=O<%zXAm4O6?8&E#<D!oHQ&s1)UQh64o;inDehh+vFYV}hF4XjNP1or=ri-0 z3pb)x^#4Ex+*n^<_p=a1C>LBuZ*si5$Fw=olf39o`yAS4@#i{<p5R6L%SrA9scGP6 ztzkam>(Y-b>){G=4aPhJL~(Ax*XJWT*Q4fV78RGpEFVVQX;z$taMhnLd<uO1kRquS zu-N-uB*r8k43LZzXCG61?T=4k^po0Pe0n{q)dNsl4}GX#ehsgG=#Ma;5SDzy=oM(O zad8GL3nXB2teB0_era^6#<mbpAAVU9GX-~E7?k79(^v4uY6GvOI+xXxYVKhe)IQ8J zt<=D&a5<xc(tIL#CMiMztOR42gS*N>5F4xYMX~T?X6d5e!?TD}fo(Z(1$a^Kumzcb zjpO+tW8tk3caHu<r{KZZ9GbH$V}gD&Z!#C{iFtiImf0y7hYs=TZN2qCM^n|gZN~MD zAB$Gh^L41y`VZM8fijGvJpaHnJI`lYe`~{?pf^h1fq|s3Cpdy(Nh3m!QrmbE7x~-U zRzY&CP{-ibgOv_qT|SD#7HBvCvvV>)7u|Ei@bLsMT{7W`3F|g{^WkKH%~=iBKZTW0 z3;@4ZasYh!Ma_wcV7jm=c|e0^#%47ykwwi2VR(&}d;>$UX;_m)`s;^;vtlpsJzmOR zVvOnWuo8L6Yc%#tVOI3w>xbn|C{$%9zWf?HLEMbg_^a|ViZAhHWlto3Gd)=qc14fA z{JPX5!h3}Ssq(Z?J3gP03==>>B2^*={Ro^+74t}yFfNX#;T*sAf*tq(|G1qRR+n*n zu|j??s!wzn!?yURS18j*V-JFB3Bx2<WC}yTlrXl6K@1mNAr_^9$zMG5tzp><Z4u0} z8S<u2W>p4Mna%>n0XpM-bu4q=7s-9Isyz;qq9g6ubR~Y}n7WxWog!t0X_3={ouwUZ zUZY#EuZ-o54Oe0(_mWn`&Im(LCM8>&sCQf2hO}XgM35qj-F@zGdJ~f7nJ#4m_e%Xm zsJ+AqvJfyT)E|{rCG;xXxzJ!N>zp?2ouJ8+64=B^s9dGmyazwk@h0f49>OYg%d`mt zt4t5Ipz#1X-Ctqcg{h8@oLu{ALntfK!f7OYU0PJFOvBF|3}C8aTk8=+N}@|2p%l;; zF|F6OBTt!KnIb`p$9RfWHoRoy8&GvQ8GkB(-if9e-UpxfiVtZePS)e&`OIFxIIZLI z@pMw}X>lvh4af8Tpoa$-rDx(W61D`-Q6`|^cZe8sP~BczGx$yT@5n96`a@qOseuIL zWE;%MZpa}OFVISP6EBP&kuIH#0#BGH0Jh4Y%NCU0Ow)^O+FMBxr^>>93U#NMwiL)5 zX3F{%t(6;OWFx}$Ntbj&3AUAgpwTA*a&vSLK(*Itehl*im&Hl{9r8VDNolM8h61CP zF$uWi`DlDGN|iql^b5EW>v}jur^5UOCdssq)`HU5e`_mX?f(J}gqzVUJIC8K;HD&~ zGGG=}B~;|i@C3DzgYozrO#r)jFUR$bhHnbCj-T*`T_#9*meT3@jMQ_epPI_LaK0W9 zdgin(PfI5kJ=%J=wxI5HbPWHgc}_=YI8M(=JqM$a<JzF`rkQi#N+gWB3xranA77Gh zHum_K6notWmpNN5!O0IPDFY2Rqv$ye0d#`YemzPD2{Zk2JZHEtZi9ZeKf}<@XxBtz zphCdF3dpAv<bPBex{9tRrtfN1?2Sh-3^O%IbB;KJRNS_sY^=YSQe>hvI|H;Q(=l{u zXlB8iJdgIT<l0x}L^o`8f-|2qc(e}0ye9HY;dq&6#<fJ@XL__sI1M^gR2@bXpwdm5 z&LLj9DwFLDinIQS-_mat_?b#pgtDM_-m9uu7Qxez6{jo0RfNx7PPJgX3Pxp7GT8S^ z1iLs1>}{_!1F<J;t+2tj<0-BmI+N1O7BN`@W*&4ZhE*xX(1Q6$Q6ApM4`0Q|({o7` z^sg-a*QLX_0%d3Gsxby`<)D8nKXdJxuR=pOWqsF#)m+lwyOXzYO>ZB4;&|<$H)TI? zytCYle0!=pFqh`X$1wi5*CC$=;Q}MB5;KRL`r>3hh=%!aJms*Jz>7K1Q0{xnb*89m zpApkDel!{lzpQ?aCQ*vDzZf&kWKhM@`Q{db1>|5hjBS*(C9-5y76Jhv#zusJHU%3S z_}G>DRwB&pMhowr4HiyZ3ykyPo1fh>I!<6)^~1-6;@(i+5iLoV!oAIaBW`=lRWwQ| zM~u0iKkynG*KDt9xoB%UJ*62aU7#zuC>+h<RsqDG8p+#)5Hli|y02Dd7auWTnA?Y- zaZpshBLWRCv<xzF7rAfR^v!LgL=^J|B}?dZ7udlFePvA+LY6wo!~<>rF=6`YKqo_2 z)OdWU&5TlOslc>DgL+I#fF_69?wxXkpU%hgA`19tf1`zUnA^$<5WU8a2OJH7y|XV7 z`rcJ7>-`Kof24?9yU_rR6ZB$lXJCH==PojkxyhDht9z{D*yQW%OO&7qeFtg}@Cu<x zQO+qXlVrp!pCcvk)?<_d6&%xSj{M+gPO96DmNs1K>-%NjTBXy?a%Z)2h|ijI{vzuI zyrG+-Wg!Vf#qGOl^=j72?{AyQdTZkWFpAX;`Os&C+t`j{RAH&<R1wiz5wBvcI{U4T zd}V$58+4~i#y%K1l+8r~Q3eW5^D)gEuoUq)O7RN#?8xoI6PNeGo}f_=?N!UX?R8y@ zH?F=elVAf^I+m93-v02#CO7n)Z+EytoG}Mwue<I!O#zbv{=!{PU5M#XRtEf)@wqC5 zT{L4>ku`$%GQ>>>en2V!2E3XAH0$@Jjk=c)bU7z%w642WvNMcT>`@D|lNCHJxNjuh zz+o8eG#ZY3*<hQGl=$^^AegHj2Vsp!f}=vE(&tmrtZi^US~wzBpuoa*dt?8x+iY$M zk~E}K+Zt=Ca6B5QTtP{gHF{V<Y=0y!>|a?AkDD9nGCs6!FgJ1~FWP(hJzjBPPe)+G z6-F|6<BzIds(y_Hg}gc+b<I0r;SLk0KZMoWqd`XqWfqTh-S9gnqbN&{)7JVrCLh#% z{)8OhGW>H)JI(sKyU}<^@K7y8<->4k`^bDipdLbYDSIzVUnTSD_vHb+IPB{qJLjKZ zdW83w@|kh>a`Rc5dC&U|$t3g)^Dy9GO)qtNDKt{jhL$LkX-RIHpTL$5(zXmW!(j<H zG)=#x*@hNi_lkfyDBwTZB{$2C=jd6c3<ittG@Ec-9Hk*=(B1K1J{)P`kW}!5cOPvq z7;xpP`?vQo9*{BWF}dkL#rYJf9M7kNY!Zjj{>|cj-BDIkBGnXX-3MqiOM3H?9Jrzf zFPmUhv?;uzEjWUtB1Ed0ORLM4;K8JFb##2f*GhJu&&CbDHi_^Q?;Q5k)mjjk?L)|^ zw=4rAti^r9++DyJ5Q`qHjeO7}lH&S}V5v^~m_i;ctLC!_-*Mopa7)_Z`KVrQ$-yWq zsCOEtkj<O#I;}DQd5+UMrxJd#vlf4;iA!9armnleyti|<XoX$`+6g5jveo2Ee*wyO zUXCjJ!dsH|m0$EqVZG_ohB~?F6H@nN)AU5=V!}s?NXkVQZ-9nuPC@LE!XUa=LN|2z z)72r<)zmt^)LIala;vIB0^2Okpx<qm#hs>~!aLlZa*&_!1}(QDa=>Yba$t<lDIdmq zK!->gjZsOj4to*H^X>JrHd<UnVZpRNDzz+tuxgV*)wKn2C7#>cAv+k;!!`m%=b?@q z^uP6IXD?4qfTv@G>wZal>cHO!Wj8|fT1Tk_8tT&Ocqo8nT!NZhWNvSj+Z)tW$EWCy zb0+d(QAODQOy$y83EG-M_0P7W7P8hvbl<#nDL|Am@9fEFVK|(X$YUD}^=g^h*X^1B zvQR4vkAPK&Jx88hfS*33>Ebfvq!CY67J+G@<KbOPrkZ=v&9>6(23)BFVq-C$Pf70) zXCN)7Q8(=gaq6O4n!M<Bup^j<>;ff85yXO1gkJPYTfeU32nmdVD;eH_p3Kl=Kp(26 z!b3<MWqb3f)?!nH7I^bBDq~qPcQljPWt0Itwuou4yM<O`!Epi;{a~FTT_P!)DMdw= zFiPFt2z1+unJI~x)dbk6Ab=_8i5;0q4|r_8b<MY)R87h=W7m0`;Py!8oBb>2ta=kv zD}LBP&k5L|Rfg4<AX?L8!&VJ0Un1vm;~*FW|2EA?O2CC6JyMF4VquPo`BY^uqHL`g zO$60*IG&^K;{BaFJIrTi<K7<BDcyM^Aktm}Zvlb~I~n?FC89>40$osx%W-ZJ-{>Zb zbdb)f?!g&EiKm#1LlUoqAqBLh29fejxlu={^h4%($oLN%h;{m2><LuMXQlhRVCVn) zzpw({SLO16by6DQCwX_w20%E-z5IB7dTMU1^l&$oEU#vTK21ALN_5+TNThuA(ldbR z)Wb)&y{mX<2agsxF_q_6Je&;_2XEM!{`r-Ph1=l;+rg(dDU_w=I<P9p_>CSZO<adH zY&Z3|d9w(|?il&<3{N%e9Ti4#Yb(BSB4{)3SAL_sVMb)@bg9f<O=yf#lQgmmLstZt zzkT^X{t!xKF3t!{!q(}{(SQtu&`y`EZ<rhvs?!>uv4J0=U0H%tN<UKd>h3Oa(Zk7a zPoo!Q#X}g60ADV=0NsQ0-p@r;40`w<{OJMXf<Hf>#MO*?XU9ySivH6?g7Zrybl}+Q zX_T~85jyM)dg>qk7s{%Cp*WoOu5RQhdTUD?0fteCfFv_Op?C80`Jj**pSFJHYZ*^G zPIn?!{;$csNwzyZb;cBz*)!Iao*0V&!55G}QKks2*ls+K8h<5^Dxf<Le7hJ6T2)^^ z3Y#DB&7UqWTE8sdl+nwl(<X)~gY7LA<964K(Oo3|U0@n_r}e`Tr6|zAQZf!2q(z-L z?c%7OY;bU5=p@8MFZlwhG2oehbyLRIj`3X>&)nV^-YrU~!rQtZ)RLC|LW;O8(2NO? z0iK7FF_4i&nHay?(J9XhMT=dnK_e?bQF&r)PgEnnA|tp1|Bp@w<Kt`)o#g|N2nu?L zGt*VaoA4&^a63-pROM33JtGD)>Axp%!ka#`5cy7JeBwB;Hx%bq@~XBQAOREPv<ia) zf@E?w(s{~Cyr>7J?2B}({5BuCq100>&tSFRJ}bPXg#p?*Py4+d>^iVtAQ{=fKzAQS zfePaS1pNHOmc7BP6!<F}R8vLIDnj2om7*Ca+X{NmfVC`XqU4KyYbXD2_-68=U*yXh zVzBng3&nUU6>dYzq>HyecM{3H&`ao$W$E#8+C?W`b%T?!9L|DxSBmHXplA6zx(w4Z zw1zpw<q&zz?e1<qe!RK2xB2AB=F_LPQTKU?llKO6ovD>Bq_SO$qqcU(qsH-xexORI zFlLHBE4<25ytcq#g_m<S;(oz1)`dm1Q6n-5<D|HVcXC#6g8<EGOM$L01kOC6JDy`~ z``zg@yVNWJ))pE`xpv!&*nk2OVghQ>9N_w6ex#}ubSx*6A$`8Y;8D)4sR|%KeK3E3 z@Lc4AOiYMnsQ9G1!Ym&QpgBrCL2{p}su>f@iw3pQEwRqLfUq;9jP6wE8d)MhgwWSv z-ipGu1P4(>W)7mWP>>5qaYn%$DI(hBQXl61z;2W2xHs=28AqnytaMtic%9L%Uc0r8 zC_9e2y(mAa*$dc=7jCZ{wM%&)kUd5k9Fey=`Vz;qgDS@usq!+FfNHJv8ocVEY{qIF z=;wy^u3%dtJ0`X!gW4ODZq8h@*VbFLlJGmohR3}ug3TLc+!-pmq75l5R#M0=3%5Cs za;^1cq;nP%^+fqsdlr~xbv{FlyzE5jT#P=vGe?(c;i8kth_+F_nc5xok~U7JqkE%z z9gjxp`U{-}0*QEaq$kv3GXVl&mh>BG#ZXClP5FA5!&zABn`0WIpJ{d$Q&0CX?1Nh% z>p3(FQj%RIpODt<V0y{hiX&4c2AwrQQ_D?j35e$PsAeKc>0nYdU{f{2WjiMWWObut zUk@A0z?!(Ey~NqQU+KWoPeb<=07iRBm^S)y6vK*Fow~X2_Ey>QBF4lKUrqD3{qekT zQn)VP4@M<s)h}pWPxCH1PHFGDlj&I5vrtqbX04hP_tBVPq7V=OQw@=LCHkusmWEkW zL;HtpR#ST4a{VSb0_yuP$1RHt4#I{wMGk@>9{z)Lp_-yJ6;hL!p`z_Kntn4JwSV=s z-7P9ITAQu-hJ{tsanX~F_y*8@oOd&J1nU<j)>NiX+^U1hODPpLr`FC?b7S2M5|_WP z$2V52r3RFhc`q+8&~Qqc;k_%T+q7?~YEQ;G#Ss=Hu@VIF^C|97dgmg`#-6WYgn_DJ zdXr1i`yY&7(_rS)GRwm_q!o8}baNNF6T=pP9nMO(K9%0cYDq=2QZ@nonPCwWANA^+ zsVEiBMZSjt@?br8W-|^BG-EYAf?2kF2?jZLX|m-(j#nb%LVh<9Obw@1iL3d%ViM#P zI63~qD7FJc`5m~#@ui&~#^9JBI*HAe@`!IN^`#t*BAIp0r9Pw_&JR_(sKL#MhZJM3 zkMLrWc=bEx82H?BqL0i{@{LGmy%ur=uOfJ{aZAQS6g$vyFc&X-S{$%|$cY}#8AZ+& z%TN_{b%B)_3h+Cp&S%>axe))WNN~MwuPy{Dkh~<=ix4-7{tyhQlNa4=lD~$d$Gg|r z=u|nn8jb9oe*uP6gb7IT--^xXr-qQnD6qveK7@y{yu!iDr6x2sK<oN$+Bq%;S#h?e z9k|{1@!=>=r}($x^^9K6Vz)2Kxy{IrAZ@=qNl-&XR4?)YEI}RaV_tAiT}Orh+x=zU z@17gBiaMyAj_bk&K2qCK!RvUKo#%Lr<zyf|wTuU2AZamcDC1A~Dh)TMbk0Mi!02Rv zwm;CRQ&^9PvKxH^*e6T@hRI$KI^iLjS<`fThE3eCyZSLSM9zxi=`iCvORgIVgo>ns ze=;570~%(>45_lzU8N17J01-3u8s<!s_8NYt|opsENUY{Pg#oAX{w^KK-V&0^q9F| zNP&n@GCI~{km6zg*Nl%U#I{fK5m_(+zEoc>a=sXLG=zSgJxNtnAxiqB(bTg_X)&e8 zIqSHvXJl3YrK#~7<|qYk<cgux7pfnI6O61ze)2S><1P5QgE5nKwt<03HuN?#=gE-8 z{BdPuNo6#T^{-V)7lmxvFUBKn6HCR{1a52eNGRIrKFq7=1`doL1EAJM6z%SAZ#;+| zZ*A}H!uOrl#)7-CcDwc%)dJgO%)Y^9io3h!(Z&OQM1{8K5xf<pc63EwtAL}WhEs~n zMUK()(F{0Jhw&^u-i)#)*%u}xHy@iHj-*nMw~AZO6m3!jngVy~!~k;uOoY#-_9os_ z7%Gkv)&*3dOsKAcqC{;eN(L3ht1pMg<ADr!?H<XA9fzaL*{WEmSxkT%7=dIE024jO zra`C)Lm7|*&&=G@dUOJL2X8`(CVolc=PHhVHa(q_9Y02Q!SzN)n(RTR`QkL{tCr(b zu6X{uxg5>1cYkB>Xb}#A*dTwK54Jbzh9qQ@!Kjus)i1`JWz+D5K6GbYYj81)S3laK zgPQ_TZ^*M-cTO=e_*J_v4sN(5{G76*mSfy$3a_;`j{*jsiJn%8iU|U3)JxGo@PoF3 z7TV8it$?*)AfguyaKckE0pQvn?Y-Mj@0%Q8Ch4cXf167!F9b;irh%hnUq$M2M%L_j zC=lp<OH>45imfqtBFBxLIE~_K<%|}!9cfGnVwXcc^uiYkAIAMViku*{p-2I8o@{U9 zFYWcFpN43xrXpdGL~;9WafH{lx@wiU7{*dwrqp1Esd??Mq+0MW($t#fO~&QJ8~3l$ zJtRDiVQ<{cHqY|O2?c8<)<F@=@QsxrLM#J6i`j;rV0VC57by0jc}vQsig@I+@ExJp zK2A!^yOLf@sHHB(K}<#Y8cnm+RmB1^I?oEsuto8t;M6>o618=w^8DA8Nh&g54zR?| z^7goa1<?E(!SX#$6djQGO#!^dC)|jJg%UDa*5BNuB~QiFxGIurAH-*=y;655m?|6k zLo#@iZ^5v6eI?hWYbDMAphRYD8q)~iT`?LN&PN!di-c2#3{oo|4e(!MXlSp%(o#$= zidK&i$uOE2Fc54Xof{N7Z*7K)5LWC7qs;ScKyM}vk;a$<maB<tcXoJKbZhqKcFOu# z?p0JzJIv9)-aBoM{}H?4#kH}?=*X#r4viEV9%Gf^nTw8w!Zg`9X{i-%`;ZEpKfpsP z>{V4!n_knUpgMWk#GA^y3utqW<}u?62+RGk{(s;uwX*w^?-O+kk19XIq1u9o`i{*7 zaoC8q4w&j{?}+M=RozVcrx;o20NQvqo~qP_+A*IsUe$Yz@MPD3QcQV(?5qE)&Y;2? z?NYip<8M0~>t4XJQ#KRIm|wYjaU9I=4}RF^c+t@;JGEg9r`ZKPpvE{J1u0D|T=c?- z3XJrCiUy^jC)I7(P%AnHi9iRq)IBrCOnRe2B@u53(n!pxiPRBBMc2?fih-tjsCE=H zU--*&FOS{cl^&8Cdu$@3hC=xqYb{U8+HGrRY>gYTNb9*h7rPsYB!`H%zIDov;{r8j z8hITi2DeSz%r#_bHCEYiW6eTyV>%v|;_d)F-i%S64(auEpUI|e|H_-dwl9Tq7eIrp zE^N$fvwci4geHduLan1DHwPmn+9FC=?jqwuD}u+_0~n6AeWnDfY(o}$^Gwk)Hr98W zsI82)j&~xE0DI9^e+P-Qb-%w8ZQX~bBiuj+OgR}Fj2zY}mP-;J$7$Rz1#!cK0dSb? z4#ov(rciZ?>**jnEfT2foeNN+!K0eT9T*DA0-WW8!Qn2dzIjk+b3j<GJ_<TrM+=L} zZK7650@rg!ye-+T4949bNF0QIsN2X2n~#EG0?#%h8%#SN^<;hX-MOTZh5TSL!gEAk zq?z(b+|k7C5KD`VIoz59SQdomvDItnDJlpDw7|Gx2P_fV?qTPO_N?i(xhbCj@S~vi z2Db?TxZ-xGy@|eiZER&So+LG|sak!r^a5I})%Ct@sN@flXu9qf6#+N(Et+`b?2V?9 z-udREQ|nm28CC9a^HFbX4c%&m$wo@mmGXXf)N^k!VaplWkpkHdg+Vk}<cwLP1{pM! zZwLujFQgnx!&UZ5GhRvDDRODad#l}Ylgmm@K{=G^FEei57=ee;$nl;)nJekaK{?F? z1EvMcDYIU$aHEO2oY&ro0OS!*7G5YE0-Mb!0}1DjbC^YiTRW$_?d5f$oULj6bkA}X z*VzlSr`h*oj#iB#OJ80T5j!@!&feA5!S3Uo8=JLB?=IP;**TC~c$={a6-AAs-|Ink z414qK{C)H*+!FZqygzbg1-snH%YnhqMen4w@nCRX^nU)Czn%a5b8BN`qqL1MM<>7w zg#2}s*byp7uaBf)-fn+|uec$2+4A1D_%*Z+FE<{PZVsp;<CQo%@pJduQbk2!7|?Gs z-wf|fVww!}Ta{BBzZ|$s0U(~Nv_^M0SmUTq0mi$^1hZhL$8n)^*gCl*hz}?NINf6V zL3)i$A3a#!(Bg>bDnR{`Wla%X{wXYn$drd)e(9&Yq445;qn6$q`%9J=g=`&eLD%tG zFhydbkJ4lIUa>b2&D%)bPp5d5-9BpEYyM^Jr*D(`zoJ;@KHi8Hk23PVb_-dcZs2=X z<U$*)zy#2T>)*ED{r#xD-uOCeoa{E99j(QS!Olnh?%6ca)}YM+2RfM64%gq+>S^l> za&6O1zU<D*O+ss5-nN}~Yx5}miea-ft>6GiK)1g-)Vq%SzS<`mmFtM~#4pCP=OaY> zsHQ2}Lg2`qNSkcJ1<Ce=wkK}Tau9E^`ZRwG%<Vka#<1F6EN;h6LhJY^?*D7+nV-a? z{1o^R738Lc5+)LuUCUOrn}7oeGttE&J1RLZPqDH!r<hhNNtI$$oz$ovuU6Fa0^`Iv zYJF_@(E4~hosKUGeFuk{WIn}AapWgat$kE;AS%r$ZJMs=Pk6>SDUV`|b<^01;&n=2 z{l%AGeH{miW{qEM(d@Vjpij^GKc5eVqw(aIX)&9>y?A%|Yem(+bg=T`s(<O|#ISxE z5;`4WzJn17`()Y%eJzYlm6an@jeeoeZW-n(V7NA!A)d5QkET-+gd@5dU2EaAjDWFq z+E$NqD@GV7rXl-kr0i;X0t=FMGGkzdCx2o|QKFM(>|Gr;Zcw2BUyg3-A#i8;yK0bo zSGB`;wVNn``tLSca74d2>*LPMwj{OBYC>43%Zxi%WBuKoJ2xg}Eh?<Z+m>xk09iC9 zQx<Ep{&9cMpIsUl4vyn4rL<p!<+{Rh{oyh!1-W^WlZxh2ThL_3<F^#Gl2tC``kX~Q zA}hwqZTwn;2J%_ADam=MJe5rH69bBC<^A#evPM@52x7PKPgpvgzj&a`a_{JgXU{^D z&1j-;4#ge!#0!%`Nw%~rv*OU*y0E*VHH9141f}nkzriN7*3!yP_kK`^jy6|%3NySa zQWm!O4Pm>i)r~t*Zz97pMr@T=Xr?*G1{Py9?9TSagJe{7E?_5m<-o7*a~%JDRt8P; zU*`R(aPOm3rOHo8x$dgac+M$-lwDrS6qG-o_D?PmGg$hRqGyCrkqXbG8bBuW4olV1 zqR_uL3`ajOFk{D)igN~=Abxjyc<VZHWk!RUrlhisL-`yNa$@3*6^M!Mo}{`eky7Q3 zH31TpU6#3IdrDMAl^erWu~f*Mjp7X|6V?4II3|w@ykg+lvgMvCytg|yN&RM#V#<&D zS#|z|QBvMY7z)<9%@B;tT2j5ZzZ<>SEek`Eo-jIR%~9su4=Ho0QRW92wco7pKruXB z$IAyB58)*7Fv9lXU*mZR&+&)>f1pA7<{vh6awq3V(N<%AWak4q?f(^1+<Jzy{&aAH zIdE84sEVrx6XY__!wbxU#R+u=bu$Am8nHXbWQ`iyhspkFHW#;l#MMw_vR;>xwHM<H zy`}$+^yZX*X+Djf^b0)x!ZfQH`mR{qbJjz-OH!1wE2H4OkVcC;5ezWF;On2D-z$`k zE2f${05n==c9}%T7=|{D?qwoy!y=bgXRaNiww|MXXA}~5rc#NaUdp(#lcRy$2Fa?c z`JDIltk=`WS8fzBp-IK+_|)F1pRj?u%@D>nKc-={9<|W)ZAQTXpRC4TWuVRqHuVPy ztK+5Y);`#k*`uL+8sSOJ2s51jnl)=S=#-j9l))OwVqI1_ASW8p0UUqvMat?@dHH4( zYS!eeLU*~Vg*@2Fx~2N(#z%3wxk5k7;F{C<=pZj<MN-OmzrG%|TG7Tvlx5MgXVH2V zt@ol<<`#ll!RvOqp$r7CU6{$6DoHGDPYt~K0*r^3(K*nq2P>cN6wk&^_7;oq0v*{x z3}^k>AP-|0h*e_@0T$pqvh3i(VFx|K4q$cma*T>GB_E$+J{&?Z3Km3O+9V2Jj;H5U zLsQnlEgf6b(Y3xzBisO6U&4=#M~~neK79Z`zHs>RGP<{GKl}qPs{i--i|?Mi`~kl{ zd-<9yg7MGyFJHfT>bhlr8mhF3RX;E2%&3^}%aiD(!+fJ35bk#x?i+^t_>#5OZvZY- z`3Jx)2V<a2$L0GE?TU;X4yV&dGitt=g9ju98v?jT1FS`nRbZZ;<}=F1#N587Bd!1u z-J$nCrFts7POWaDwk$t1NJI(+Oi!@P2?e7I>JBLaOfq~hpP)&maTGGk%lfvf0HSqc zi~ZmK1vE~c<d~fiPmA@S$i!)3m~)#fFl;G-EjA+y0O@^_y&coE+P^ZlHyxJ4n-a&H zSRIqb7o(Lir)-iRhB+ssye;M~mN#Z@D$gRk*40<Ku*sy+yWv2{3(s}3lQSbS80{8a z5$nqy)U(jVeRk^JYw=#5(F@8JCXD)J_*HH`Y<&*U)HLH_LfEI@@Zx{-OWX`hH;nrS z9@(%@!JA4Sa8piFc!a@<R6G^2Bc${XZn0}|r?Dw+SQ9}#0pkDEg;DQ#@K-4{s+$7e zIn9x0#nyuKhOv?+Y4H{*Ga36NhJWezVR`kFsgJPqQF>I_NvXr#)^IKU7)(3}+Ujoa z$Eo)IY14)FQCS14E-03&=(o3P_sQPQBDE8Thmp23H2E*~q1@};V^oKrm4wosbgd%B z7A5_FPSj^X2ZrsJTaOtWJ!!rK5&P{%)W_201<OWr$!z!|%?Hx*G9h(@qRu{$^1h%Y z>il<NBkEbwt8XR5_@-|yHn!}<E3B{MW}L<mAWkA6P6>93sf!D(t-Hkz>WEa`GPe3_ znJS~+2R3~_*tYKMjG9;PT(m;()P}8Ur>3k`7rNF#3zS^9-9l*XBJA>B(qtQYoyGtj z)7dZYlM@Z^^ibJuoT*IUKzcATDWF7NgabWO8Wg<M8L98f?Xr|nb!}_b+rj0C`Lf56 zGT`0<33!^HY{zG_*<|zneX~n9FZ$<wZXY<yFy1k5w(e&;5xxb<;56U54`9VX;f_Ob zV?r1TuT&Uw{0d^L@J}0!*&O<0+sM*P*+)2|8}CY1Ip~khwc&SW?YyXFo$id!J4hN@ zi1ajcI7AGwDA^uph_2NEnK66H+dFbNmEL%3cZcRjGU%V@QH*4dF$C4cC_>|oI%ym@ zUkv96prqM_Yku!G!!`_vSJU(dgyshNE7DVJr1E5C$E2|nEgAo?md6Tdkrr=64r#so z{{HD!-``hVd=!RR4Fs2`MR;F`uKp5|R`B~*a;8<-EC;BeJ@uIwxQ0!X$%GD8>Aib6 zQ*g&zL>S5_3td#HbN#yvETfb55Th`r#f45S&LEA3U5v|(x)AjGc+*6qW_a#keZ%hU zfX2xs`Ftz0s#$g_TFCUZN>5ncs}RAcm7+xICp1%Z01XaAj5iB}wYsomm}rOeWJjU7 z_2l{g?O1(32E8sLsjw(=%+^BsK!XMw0vqR_q8Ytm=OGglQ|(75(Mccu_2p9bD+7x5 zy7rtUeX9qwDnF3V`=_Jrc#3B8ab0?SYajGn<-6xZGispj-McZ#=u^Ha!9-C`XUv6a z7QMQhoylm(bdEr?-d@DcAR3>0_pV|(Si^?B2PeVtFrT6`A)yJ+7|)v<i=zoSh)p)w z(2Ur!>17fn@u+BRGF$*=0M}D`wXw<IQ%weaguv)8{s5^FG`k>LD4+D-3F~H#!IJAh zFsO`dMmCBogH{73Z0FFmb5wBNE`92D*?_YNJU?M~IURiAgeD>N@g_<L%Q0U-WBh)B za9u}q+Na4$&T}_*-X4tAg`9P!vLwjg0kKs;RSjCWxMg}R*~qls3TW=W_($jecK3gL zdZV1gmWM1nn+?(7sHFDW>h<65xR2hzu##L+E*Z@(C;4`KI_>x3omTWPT8~=M`quq2 z5T|rDIfLTqgJ=W(Yo)EK3Ol4SJHu^pOqGKL1JCS;;>YPE6i(s4phyAF<GOpXLt6<O zBvKDx*EwT1yNoar<4Dtk*9ud_X|#in$Yttn`P}C26@sWzrHc==jAH;AQ3tWRj#SU; z+QP_{Z3x0yp7q$b+W>S$9Gn_q`$<t>Ug*2jz9V+_Oy{np^*y>=M#E506XCC@NePfT zRB?53RxB7NtPs-9lGikHD-z>dOJNOiRRY`ElD=hO&MY-KS;a&1$gVL@+(7GYkVphf z90XJ!;$xE<)zfg8GD?bRV!psa`xWT7?c_Xt%SvSULXpJq%~4q!T?*2FqBaLSJf@jB z<!caS&vji`Yfxsliqb^+C3J>mwg=Ix83TrC;N=KW7PZf|ql&r3=4FIWTSGd+@}}~w z(6p#w#CYP0%xpM-ytZ<~UvS=DtatZ6iJ^H3;nbq*MTSDPc~#f9l`m%Eh{NntPTT2- z8Z-OncCA*Dh~J=v3B~Wl&9hLZReFoH^4|@MN@fi4s+JfHXLxDQg^Zee{gab^7o8xE zRa`f-yOX(?BS7JFVj1f<*hmSB)pt@;{B~RE=Y!cd@Z<B-**AJyB}l)`zAB0?-3@uF zlsCaY-FCR@e#IUB&o<@q0Ggf1fKZKow@}9oG<P#ch5m{7K?acOu;VZ*?=*hz%0k|Z z3`e>VnLGdczs8f@q8Ovie@BO<roB!*Z|*;RcHnS2{o?iW@4i0>@WB2E4mB^7Jy1gC z8BfV?c|6&tB*FtY=Wkm_|D*=zimCgoUaMC|(Qpj+wDC7^L|_xcA*N*UGD*-)^?U-4 zjaHTppX@QufyOzCXE*PWZ^&66O28DkY@&W$mu6GuXifn-^jTL$A}4R~1|FN}9EfRO z$K5_f#cQf$^Tx1H=0%2~$?yoL)H-8>oD&A0Zp?Kgww{WWE`s#}=HpXz=_XMU8NNC1 zqXEo_;uO-grb=It+jeZXizq2_lk5|)gA-)ki9HX4nr~`1Tam{jpICUDCt7<{AwUsz z5B8s8u9aBINRkIYOqnJn9`&trIBMrBj^)WQ{glDPFz=paqkb_Yr{6JJ5s*b@1Uu^# zt&=a&bU_hq)ewMs*1}ienKsSIsdzNgZqvgt$|G6P@0zsNS^+$Q)3qL0fWng>UEy># z4W(&7w?nLxWA5z0utXI5#!JH|a8lF$8wNm7ahn%u5p<<wJmG~nnhy{1=@1&H*}4yN zmzK0jbj<v^p0bCY<#gBy9mAcX0EF@j2>mzp<QvIaaY~q}Z*!Jd<FDgf-^H_mTBcoB z95BcXRTmJK2dO|TQzXFtUyR-BafO=%g=H*5P!{oebRUp?Yas|Ao25bKSc2FXJ?0jW z{CXf06j^19(8X2?8v!zl2Xz749ShxpN@;)!nX{a(S|oL$l%pD>5Ef$<Q${eMRHR)u z!`5&-?)hWg;`Xi_Mt`H?0?BRRrYX=DQ^!n@vOZViq_n!SX_sf~%rp)$#XL*AfppuV zDKN}wa1`Gj5BoE;0r^I|hsqkx?6QFy^jw;nRjchJi_}CsN3}4VQ8-kdLrdU7?7QJf zLibKa^_wX1S)5x+xU%4e=`teYKuS)(xc5j#FQS4v+pGXNT?~?Uv86EU472jsa7RVh zF`Eif5V&!}nww5x769`F2C5@|Xl3-YPiY~&)almBv}ApQ;h^%KwnMd50F*L3DOG{3 z5STffzNSK$6`BCVPRpULT%+;0*5JKpW^MOpQfr_`EpjTcsOny&gw645_oDkK6m8hz zxZJ8ruSJa&N*@IUciY1SR+5j_9^CuFYa5=`{fCW>Mx)hop8+snymJiHJe+XU;Yvx` zYp30Qlt#5RsNV(_U%LlizBoE^EEP*=v~8saN4Aoz<6{X`XmB>LJbvMyt=3V=!<iFr zcrn7!v{?CB8mZwLV~I}4RTJy1@p@AgIIlP|wI?Jli|~^yCCKxL+OsKDVCrqx6ZGIn zG@!L8!OSXYz24q@C>*zOXHs@maJZnKc(%}6<_XP#%V-O>J3d(4ElS12`qSmNw<ABB zAiT31F(rVat!ShK5Aq4xs8k1$_JtDFB{A>tw5M*{?Okhs0({xq>tj!u#Q<6w(gs<g zxE(`w?kCeR79N_0b%zk%j=jC@EWm&oPZKVbU_u5Wd8TrbKE6!M>{^R76^&o6cqd$R z6|qWb3MsOvK_N5_&iJ9K(aY5HKIo#azIwJQ=C($;6Wo!?eC129T3ZzrTW%o{{RMCv z!n9;R*UZFp$rUj8lAm%HR)k&dRyfjVX<-^sOs_>g4ks<xfcPvNB^z}P@P)>#`1?U! zE=QtZ^~#}r@s>;H4jOISTloFgIz=H$XBeP{t~!JB-E%e7CnRlE7YYcAA2n0At@)i= zoGZ@<F5gr!g*5XK^U^E^!<hak>p6hzlJ#u6@Nw7kZIG$P;p47p(~ews63Y)*(+gq$ zu4}rSX=q6^>Rg*wo>}`dN1xkAT~?VdNH_5;g;OC41}TXJ!D!BvfvoOLveoEU3Bdti z1_krPByJ^Fq5xSj#Fd3qsbN_e6oKjjjsjREVbi33Wwl7&`K9a{0YVSD+R#Z!-9R}t zFf_2%(e$R{$wa45I+<hqOK5tKqp^v0*l^A7g|V=T!BUHpZ#UaN#fPKA>EYqgHT;U> zI{tHbNN?U9UB8ndVe0kzy;^;(7S~EqY@FB=z408+jbuzpf?#pF1eLf(4b}uIwc0XN z;`&-#ix;D!VqI8Ne)&`+xvpd?AGMDT{;X0`eZ=b)pYRx)Vcg40-R<lrwK<uW2dw=? zYpTANPbD@t4Xk3Nz*!voa63+7WiJii>y(z7+{!2&Z5r9|bK9YoZxMEZn<hTvMm`Cc zc``7OEI9!*sQ{oDX%AJUU#TxtOREr%4bzMb7{b1P0xzkufd+5t-?&!~LH(_1NyVaU z7+cj<TdLo>CFS{7(ngWl1&MOX%GDvdXcGrl=(g-A2Vmkmx<3z?<H{kj(B(|A+Ai|E zme7@mg;x&!o{9jYl7Lh9v<YQex*ZTe*aJG75JyEbP#g7DBp=cskMr3@o{t3H4A9Bi zZ363hX7xWRTf@C8ORpOz>xa7Gk$PD&>_dgB3aDpp)QFaNBj?W+9Y}-o5+j9RM$FiN z7ZFu;6`&vhq~wTg6;o|R>u?U8gNc&1`!vOHwaOZH2m{(@b)@YQbFpkhJKoEwH64~Y zq(rnM9bgj1d*7WKY}`nPic+RK)_yakdrC7$p@31<9H}X6uMhMvEKH`30nycky9(n$ z#~)0m0py;}IG{cfGCCQIVGx)>J4On5chHf5G>f*+M7S_cjSM@Eys0M@s_V12Rzs&) z>$nF$W!w>+f2pL6_46$O6-@jy57RYnSAgArwfj1K4S&cmW0GhsbsEJ<-8Fc`O{If( z`WU*z?jf}+^oPEwIr~K7OtkB$`(}1I$oF`z)m^Y1qt@PzJcN@N|Hk!7S7FtmBqqPj zz$r-=!+y#^F>HbI`~k^8Qg0vCF}d++L7pH)lxl#68rq1W9_o?`-I}=l52=)k@qF6N zJG65LOosXt8@n^^^-zZ%y{ku80pxTF<#%^CU^j8!-;|4&n*j26X5-Eo$Ud|J&hT%z zE%YU&*O*7FwqA=q|D20sYO&hawQwzoB?W?@1{$0_9F~ZWHDS&g)@9&Y>uWy5U4$3{ zSV<a(@W@zjBvC>UW9r6zw&NByh>7ne<lF|k<6W{htrvB+uZ->{<Wf&YE6OvyO3BY- zAK~EZ+U<4?e&OPK=VS`7W9S!0%3ygSQ80&@l9aZU+uu|=B8QHqC1F6t^g&5R?^<Y? zFIFeTyyBfWkk$Oe)hkheZ{cxGZHW?$Wra_+0?4X#gv4oz2?jn?@x8aVL)tOK#7acV zH9@*hz{B)zVAUx95}?)=D>C#)1iED8*BIS3_xAJ2(`UOs?jLmi_WkpNr=7j;cVE9r zbwtccc4$9~LohcvK4?7zX@UAlkb)yZ^Fd+l{k!z3I#SVzPdD~UVqWOazjWwPJ#W|S zBNLzg*7N93HFE-l{C6bEsye_DqqQ-nwEj`EUKXV_Dc!Rcc|3~Dx8-};Rp!1{rYWVX zv23sdBlEQgaMx7z+92on%Ih(#ii2^RHvMK6v;#$L#xiwQrn_8Axf<-xdNWeBU2}J( zKx8{k6iD;l<H5Llo*d)fH#0c4;aKr4372?-3EK3Jg*j<LiWL8B%V0Q`9JN`buID6W z^I*SFdq$;_=(;&m@zRV{yAnr9%3W;nSL&dvJ+K&aRAI{Vt4h-u*W0eqQGAjcOD7X) zlZndBS(SyQq&5*$POcbJ2@Q$ZYj&88veVol66MEp+fK|u*I<Yd9G}YpE#+S!U9M8* zDVstUsyf0KXXMnaU0Vg_b+0=})bV(bQ^YpX_V+o}GnujRkm)6F>5^ZLIbgBdI;m3T zQ#43oi^y*%LNU;U-Lom+E`c1MutgNvX4)y?k;qS+tf$5<J0wf=l&%Bg3!sXdGezuO zxf5n#xK4^)=beRciR~u8x?<k0V?9HOf!EjNqwnC+?uJvv{q?~9dh9m#_;He@$7$DX z@$qA)NiMjX_|oU`an>q5*(f~`t?${dPh3P`$q$ov>1FADhH{ylo)$h;)W^Dp;)jSS zkKb|)ZAWdH3$>UHy$!<CU$6<78+gbnFr-@n9B!V#$sRZMxQF2m)+7XT2Z<V9aY&Ec zQ@X8Dr=0`!!1V8C?6sxU6fQHy{-mL$XD~c5iW7_Snt<q#V5*aBcsr;DM-J&4p3_^e zn{F=|Y+ZG*UTSY^D@qLbYe~jy5!zPNgYkzgc*t^92%BxhMm6h=J~n1(b1gwREjx4> zj(hWg(G*$v4FNg@$&~b9nj;NGB_~oT@_>4vN^`=e>q@IQIPStkt2yR;7`jjXZr2h# z4*!aO>a`=c?50<?UE6I@qCO{w`1(4Wqv_#y=Hc!JKcg@7?*n+?fJYGGX9(BFkAui& zlphfPbXP<hc$LDN8bQdrWUrTK08|SLAirXikx!X#gudT{J*T1ClcgO(1{UnnJN$FG zT5n7zkmK22{95V?vOR_Nk)H?&IcE1P@1DQP^C|D|<p_wVIY8AG<v*@(Dp5};`R3ET zF)nb5;GIf#hbj(!``NbSH|<92sH~q*MR%5z#E<X*eFh6-;JJbJLEt&f23qa!>q8g0 zxuQSz1gH@K2GdKc_%)<@Ge54P)Jl|C);;mInN2{}?j^eFD#xYjUKR7>sy_WV>VJ~K zhlUfmuhO}VYi#*sa9(<|Wuuf!eMx6W(Oh-OF#-{!#dKwc5HI!}2JIx&v1x%gHFtbC z!*E_Yxv)uy`uxR{r!UZ<Em3)XU@xgiWaQ2xab;a&Ao{xF)zhc1BQJAM365R50*;38 zqef~G1U>qq{*NzQO#1pfCsUjZm4S&)^P;!$7yBjs!<~Og!>96DsZ>Exb1f2j52lBf zk%B;6BuI8(5`@pvx9P$MBBBr|7uGi;Dp?X<(dg;to~;>KJ4WtVkOL#L?D^GkA4MFM z9cCK057*yy*BkJ+_XYm>3csG<*AxDFa)iqSvucN`W-Tmqe1cWK#NuBbF%QW`moHV6 zIrzF~L*+T1%~jDjH-%+L4dY(SveO#nMnb3Bryx?zE`P`-5ob_Ne(g_^_!Q1iu)K$p zXmng~-1sP)jEh)@)k|wTTc1bqVT~a1ArmoSa3+OQ?epZ@S6ewf+^GT0Yu73vh}(Gc zJio*x9<9aoZ=@xQI=)iYS_Xq85jiAmqlt`TB_qgAg>RFp6_w!jb>ts7!S<(-N*E#T zw@Wd%+zy=Pvjp8A@pql`nDuA10+S?>&Fg7Sp>~Q~Uw}vK5<8z_!&AHhZczC58XVi- z=F>}sB4s@%hdd~j4+b>mSa29+Z?paYoo`?O<aJ-ba_au!J+dCUcXW;4KD$p=LpUDy z?n^tZJ;3U6U~oiQ#~P||RfJ>p{d-Zf*^KVpzacv^B!+EXH@o#&qtQMr4&NNz`?k^8 zkpoMVU)~HtpoXA2w}c6fU!LIF6%93^H|6Ydwl%Co8V9IG6X<yG2Dv~P<@@)^*6MI{ z-TvutbcAHGVD8^vg);XE;RM6j!&a+WtuyxB$>c+Z>N@f;mt(iKws`bZ3`m9M{*^On ztU-m>!VM$-Gt4#*bFVMZ*c-G;q-0M3-F>UTOi0`30n%N+({!k<HG?b8$U6(jPNoZ4 zkx$TANf6!35@2J~VwyL~^FhK0oU&>w>iVrNfgr}wA;o!I?V3P;%r!%t#_HNZZB?9j z92NU{HpC7l9<$7zLl0xcle0HEcNBRwZ+rR;fo#Ce4l~C|vZdOlW;>2m8adId(-Mu6 zXSn)mnkz?Esjh`#YT?8iVt7zPehPU~;Bz-~i<b<Gv16m31NI`2cMrXl1A-Hvj)C1l z&F+mhk-Y;P7>#W?fGTGWl3Lk@vQ45$ZVim&rh>hYjV`=`?dF1W*218n$Gdj&?W-`O zCS(MR8rAd>EGz1#43IEWdl|IfU?=pTDHum-q`a%6=;!%x(l8+u)h^k?%HzpUh@a$2 zolpA|EqYj>GpzEcEVk5_otqR$iajf~@Gt)^x_wsGP&jE)fp5XH4wtYhXoWkB$#hKW zY>G2r6g|+2`MzUg0*>+-28F;BDA>`Q5c^?wZ)=!!JL)0h@%+`>hg<#0+lQscU*O{} z>|=}5^EWTQ`eMBW#d<Is0EJ?VztKu4-(d%9el_b4bLTBS5NPgS{rKbaCtLG*zvn!q z>DI7Q8K>J;Xb$RHPGkx@HpFJx5C35NoQFe1PIO*BL({UVmrpVbT~z%J`{li-t3?~K z(|PA)25?__q4yUh=B=<hTi^hDhr+s{SrH|MLd67CNo`U^6_OAR{L?Y88#K5?6B!qd zr_2Z3OHbBHPaZT|4_lAEb{~GxT;Iqy9(dsMM$6O5`w3S{eLwj~ohJ*!KYVXRo}z_4 zMw27%WwE4B&z{|u;8R|13)|O){MPS#9d10h|L~UW5Bu+|ll(#?sAMH7x5lis9NGR5 z(`QD=*B0~uUsvV{qL;`W<;6i5#G<~tC=mK8^J@dYG~93cU8r}|eo3kSF*u4d7u)d5 zb#r%LH~jZ&i>sH`VOu?MN|hF7o1Uy~JaCG6OSMhEz2tK5!DLE3Xf7o|a~TnuzcU$v zoX5p-<B^*HO0pn$`N)G9SisI|ZLc@oD(*UMH`be9`Y<b5gN&=tay$QFZF=0J-6|vH zuG!nI*EX_@q_#?>T3wo(@>gG2k_n3X#!lLZ*;4G%fy}VJk(qls&Iv{BQs>pac5VnY zOk$X9me$I9G^{3{XjiN{(XyBB&*b{!qnmnLPBr3F%3>(aSah}^d<wn_;Lt9*P0bVv zl?+f|wImTCBZq6O5<w?#pH17h06}at>*d}4FdM9Zq8p~hYAI^%wZ_r6hrKn&ztQRV z$04U~nInCxle)<?jV&&~Uaxt)CvkfcxSVh%C#jn5qptRr^#nO|>#^;pev}Qo<G<)> zug^YNnCE&F7$TnHW|bHb4bE^u8%W9pdVhwuUPgX#<SL|&q13fM<l=I{e5o~R@=gkk zHB|jj|4Fk!JXpbO1SsPaaCBNV{jgzLsihV3p+qg0R<1bd5v-UG4Si@+FHiQv=3(z% z&C#fu&40mkf97(x%B4xj5_cP;aG`vU@T46Ye6>K8Iw62<($1eA=^xjGyYs02ZM~u| zDv3o|d-2IS=?-V0<t1de6B%Wo(JBcP@VbB{)ZVyTM5BHeX5nBwJ~!Tc#?dP=6upkr zKkkZf^^T^)C=zNlk!{(|M0T&7!t=>^M3YtRSmbLZc$UGWJo~;a51|~vliSY3mBm<* z9FVrt3Ny5jFP+$CO)atRq4)hRUNNBumVle+B~8!}LxO#x?sbtnt{au9HiE-OQ&qO^ z<1Ex)g1E`XqxO2^(b4q={PXY#oyw1{Ti?>ZSFLp8rk)%&mlvvEJ-Cs5MU9(Q%$eTG zhf%V31@b%o4;UK=!cFntP2Eg~4(aD6m`+B_2<!R|%|CQn7D9z?xPu|hI#SVx^ISk) zi;~(VZg%!r{oa>yW&wZ*)rEeaI^?`rf^Bw+WsM~3=@)Etx4G$9=dD&z3LoS}x+0Fq z`}c4edRryz0ZEHJTRC<;h4SzZ<Q9*nN}rR=VCRpvqOWw5YNzqY0-Zd85A{^eN6`)5 z2SeTPfa%MdBrv+yK?JTtlyK*)XteT$oy=d@$&B8+DSPs!cE88{yY8$)p_;Ck&l@*M zd$ZX%s(TN=-8^i$kLp+M%>Q9`uY{#|7QK77DgGZNCcx`i_BO|8dc--JHQ}Oe*Wv%5 zadyAUUIF}w44R~ZI5`>4w&T11Xxtq(?)GA7MP!%}egcW5Cd<z{s9M+2CG2@eE8Ls- zMIJH9ZJ>x6Ld^pL)DR8bDX8#Fxp}Mbq3E8VK|v!E{NjX4Fx|Rwv|s_1HPHrO=~$HI zK$haNKwYy{)GmdsDc@O1`uom8DmJ=-CQV%9*4JNu4F~4NgO=k(TvmVKr|r-=!MZ7& z+SBMkOP{by!%Xwz?W}V$DqFhY$4%a>KgzJ8G#Ckr@hOgAopJD;>Np*<bzs8H`|T|f zT111Ck~P0|vX(1!xF5G!41}|@AP(++zj^nE&AV@!cTYaW;-D$Jc!A)T-(rzCU0rR# z%vM@1)O2vk%-&<c&=^%Ln%Tl7bFlGX^U>Gv|0X=T_4=W9<r+$(jR$G;=xhEDUaYUL z|Mu(Z_gheMh^27)?W?WJJe%$u_F%88!yeecM=*}FGkA8`Gmm=NB|m^eopUD8*SHAT z?%m=c3Zj?rX$*&rUQbA#{<N#c%SXz^sC^I};e)gBe9BKYseFGlpXI6-^n?@1(UXKu ztJs(NxA<!I>&`!~@z8@WH@~GymEA;SgI(q2D!Y4dcD6YjZh}BqB>%i#Ypkzt!o<6& zqZJyADn-O*v|u=g{lTDbeo-nR0Qf6~j#XmoH<UYcGIOG{?_JdnYRa&v7S(PHg;57w zAq9PPlQiUSpfa2=oJXw<NBTjXu<14az@ENSpGM%1{>Z}y8nAWfQhP#YJ8N?()jijd zFu)Wq7H$sCRk>On<!n>VLU$CvWVVQ@wAoydvQ(Z-$HV9%Kc-B${G2@~S75kz7$dHQ z$yyb-5%T>3XYKX)%5R#;ms;$lvtBTN&%qPl&45gXIts^`$h*T3N;-jZL~=PmCP@v( zZ0xz&dGQn4GAstpu0i>EIV%kiy|EM3O2o4vw+uOI6>~yox+<N?oT=M{)jKM13)e_+ z4y|>o0$pwlx4`~v&ClW<vXm=t6jdMTd`G66+G1{HJ2!+9vYq*))^3q&yd$(apU%up zXv(C44O)>4wqq|w?Ag9E$ITd~BBdO)@c<BAkI^V0N%1F>rj!$u3JhF3p4;F+W^%X0 zK_p34IQ;j2^-rQs2QBA19gMOPcRItYKk9ViO`{;r2YGi!7~)Tu=ovmL3NyR8gdRO) zf~It^JeII-JseWYe5%}1QN`2wi>=lj59Y%Wg?i^|0jJY6iklP`kya*q>-%g>PJ+4* zTG@N*pj@&6Td3|#YkXS74kV1orjW#dVie&(wqW{1)7f<CqxQ*wrY=?V$rO@ZV*aFi zq;K_bM||_weT}G?Bx-Gsdc^ZA1q5;EzDLiJH5WJ8pjOTIVBe0k0gDQ(fF8lfFe%RB z@Hp@FC|2OmL`1+S*oqZ+NLyPNXJ@#B2^3I9XFNGD0ZM7T@r*L`m<%1Z4);5{$6NoK zf4ph_{U87Q=Re%5`mS04Dsw6<&-l&L{ik~eF-w8)9#B3;mor$UdO2ALTv#_k4W!ZT z<2|<(9Rg8dPu8#upLJ<uQma6zOxL0b?#J$K`uK6Wx2L*uSu}g|Y~Wc#=x_@>PGuNr z^f-+?5NULPr8itq{Sk*BaIpf}Sw&ws0SVfc|N8>?K3tdxfZ~j;dXWYdFd64CR)Ua= zt4BZm^b?}<E{G1yF&iLknK7m_Ass^)*SyCy<tf?iluUFyV;qUot&NeETUGuJy;#lo zu^KUHRwUt;jPyRxKyQh0o{QkEjCvUB{|``00|XQR000O8gbGGZnOIF)NF4wGl63$8 z8~^|SaBF8@a%FRGb#h~6b1z?ZWo~3|axZgfcrI{xtv&s7+qROw>#x8m(=qj)%1fNI zbCan%RcxivJ%63#H0|YiI1~w4tSOQuNZWdE?tj1C1wewIlI3_Z5drKj7K_DV@xkSA zIQ*OiVUPt}uvMJ0#}uBUJLbhcXW81#Sei$I#Sy#SW^4F4W^UxOx5MFZFnGmI<7Ar# zck7H<-iRH)e)IZ!`0oeyfk%J3n*gwQ##0eTgI553&C^XFL;z$0!PY$G%PqT0-6-S! zn5|OIS-fK2+D-5Hm}N0kwPgw6vv`@gL4>Tiz+AEgasZpHfslw-*`u3s;>;By_5v3u zGC%h64UaN6!x~pX2yL{oHD|+x!WfRI8lSr%&;xd{R2Q<x09u@b1h~l3z(Xoy0P@1z zM?Q3M7;FMn2cnZW1ds#5xqx;cw_~=6{a}T^oEn$p%P<h@G4lf?zRWYo6qxDp2(h3o z{|Wsec!;b44eTLmamgV;VLb^7HdCS!nDe-fH`Uez$kQrMBdC@WmLG%YsMbHZmthVf ztl}_?AEgdNet_)~@2UH4pwwN)51g7LyFH3C;8^m3eUX%1tct|i4MVo%N^(#&$l0y5 zDn%Yd26_;<Axq+vDy_HHmP~w_vc=WMn=h03l+70GdVclW>}-0*hLZ)Phhz3-cJt}# z^9=)t`Q-BE4|esDO)mdn|Cn8#joI|~>-luCU{`Y>HoLe!pG_fmc6oaK`D}LiEBgSL zmsdCJe0DLr0kSt&RHY&|n=X*t#dLo936hf!v-8=_A7dc(advZwbU$9r*@RtB<~Os` z&*zglyZ$`CzFJIyg)<<0IlKHghkB+L)5{wh>V-Tu{S6Xq@o92?j+Ftm$!BQ89Jyqt zSJ!{cXTN^BVV|zf&!&+1VG7($KAcZwWze+K^U3UD%+4kklV7KVbp>>=g$O8lWM4i_ zF%#>Yz`xU*+0`XB=Je|FW)8_Qv~_+{Ab*)Hreijl&lV__kMpYwY$gg8aIT09U|voo z9Ta-CZvX_-pBK}DBs-f<&Vkwjk!3?QxIGxGQczjPS>;)ta>rr81~maRPQ)P$4@ag4 z1C_tZBQJ~NQ0R;REKMaN24!@!IMr#fEsC;j!o^_VIBpJuIEC6y*sx)=*iTE9^-Dt5 z&yLf(pND|<0Og>g67P-u=C%DA>>;%0v*4>dBvT47TTpQ~6`Uz}811VSm_1Z<)Ny-o z{l_to0M2YpGKg03*Vnh~<b)kV@!Rg=w^;nHwfz0@E&KU|S#QVe-3UasVgUMnz~B$f zO?2mw1Q0h%$CMv{6~5zXQ2=RK;DumQi){Rr`5Ax8C|gpYyk!u%=~m}1w;4(q3oa(V zFJ}KcRm^VOClUOM4|pheD_2WbaGBN4oQ2%6Fplm<Ej(Jpr0it-6pL=)an#^Cj{=<M zS~$n{$ck6Qa1y#1^y$V1E0tyfO}{n#(|vG<BgsGhy<-0@=SVkvbhiSnzhG~VfpjM9 z0;-e*w8668u%CWnZ{LjA_w0@2uoQ|UI?Im0uEt<gmmx<hy>`I_qx|BPMIvDTaiY`L zTSwrdla0zMNjmIzD<(q^92X_{=kpZ|yO4u6TQJ?Mj27v?l*5>enBui4&eCla7Km8C zTcc5t$)7x)Wb6vGa|N@?G)?2Qit-91^gT$ZlDShxO*u(gKfc?G){k#%w0s`2-(dig zEL`7rz<03F!i>?2P!a*3XX4l03iMK>EyD4PZV`fFhV38~G7<2riAw|IfIE<f+=|={ zFR9O@agt?YC3T#MaT=7l%w2(Pq73NN3@B$srH&@<NV)@~>uA&w1@RRNZ-F1F7S6f* zuk9HZURu)+sTbgLWlAx|%wQM)Fw@37Xd?cYcz3)+1G+F869W@msyxhapdkqdl5zOJ zt&u?*<eL#o<FcNyLLAY!h#um57-5bhur9k>EzxxW-vs`-I2c)e7lJ1SJ{Qax%zcOh zU!a?-M2%o~;A?{Us!>V#CVnV@e3V&`zyxF0##5+S2NjT($uSzy7#)*Ld4Mg$BLQqf zYSfof21N&6fJf$ENPQ|hb4M>ir-a~hNBr^RGL9;pn!~hd8AK)PBfFqdZG<_u7<oV$ z1&+j<_5=%+%9z<CBG6JS<BvT9-2jAU7!B2mRI_7BaJ9jwsf=oRi@jF}3ljz<h1;XK z4{n%axgumadN>oMhJu&1j3w%*&Nby$hpXysIl;*U&2amVT<T<l){ah=jV<h%N-Evf z1!m=bkT$0iY$eXmUxx|<ymffQs^Iyy2KRRW#3yNC(4)c>t{!Cd8&pxp)q_Xe)&)mo zBvasM=1XE142FPZTj(=DPt$;wxq%#G4U)*~ZFQg(gY}tX4b_0gn|#0=tcOOQ%rBDd zgR!Xi;PHqx_l`+NjlKSHiBN6SW$$#62O!<%ZXnGELA5Y~e@$!9f~l)&HbawEuzMSs zwpQ<MPyx{;)jGdBO<7@oI*plzRHH!Kp^Y)lZE1@No3aR=E&%M>&DPQf;dN&~`xq0p z0YI3Rvb9>Ep*Iri#hM77Y#c;_b_Brh#g)DCJ8VgbreawyAcY)VDV&(Er`K;^AG1{u z`9KoU!`OvKSR`k9$S!f~VFQ(;D@@eT6EC)=>>uP7P#D708VK6RQtKkxO^|SJiw1QK zT4;q5tJCB0)S#*`_fh;9sbVxE|NcLtHgqtJZlleiG5Z@V97Ciej0(~0>3lSO1x$;s zR_gp(vif&6w1@D&#)ZWr)@U$<&RT^b4ceSTpI1{^2li`w9b?j_y5)o6WwyInZB+mU zcXf`DaNRTA)!2p$+1>iGtr}Ljb^qYo7Kbi%1HqXbWmIepX+%h62Y(*aC5khKmFU54 ziqvpc5aszTp?yvd*4H>9Txb}QX>F^qWO!yHD_*NKp~_`2gkQGE=<`4X5$*(f+@e8Y z_@T9RsU!>kw>e==YfgZUlyc$2lw-E7t!kLm#8MeKfp8MnyLaz;dO({_{F_S}S(<~| z2XcQC!F}D;v_?@R?Q)&|1;990d#qrA*D>wjf;7P(rYUaUiiCSi8f`&lu|QVl@vZ%i z0hb&t?Yke0#jnYrYUJ7#g?HM~Yvj7&$OYHUP)Y>FO_g4G%<Cgl%I2>;Nbw{fFa?Vu zDJBZ;o6PobhkDK*03(OlU@J$RFo#{MmB2Jo6LFq;%894eAUT1i$Q4E2VBi!p;7R)& zs(o8yswIV<Wqcz{_uH6eF_VTi&R#G?$tTqvTQ2pb<jFxr<~DA6kIX5dL4B>xEFstY z*rB(eownH(y5p5Z5aa(v&S>0<zY0QVEWzt7SWGN)$cNEP1tpAn>ZP@EVf;1-RueTy zGuc5qh>|>$OAf`GT!EO3rtYItz{!VBYEWO)LJn+67tY2_`o*LG@TY?WXrK4!BTy{L z|7C7oKK7$8+wse%Wfy+xMt6LN44(=h`Orm*8xvRyNjbQ}U^!H4ns;Q@sep(Rem8YL z_u9x7=LTJvVjc1)=dV1@2t5g4kxl)I`S>7<I<U>*QyWSh7@q}C&jOD$&V2UbFyyqY z*vTq_pM#^TQT6klsFFX8T&DIwfBJ@s@ULLUs89g-(@ny`t#B^e-(xmvkY>`Pt#(){ ze3&h5gZ1KQ72G9w;6s+~l+xES-HwoKQ?5jwY#n@VgY%ag=Pr_?8=mnOer(KY19$v< zv)MY?I^`~n>3X^f&_-gNWeH4j@qNJmbW_P7CU7)D0*mdkcn1X`g@KPXWYK}T2^~Bm z%M>nVP<jg<Mv-F|Ae}_YzW8)=aeiH-2tDcU7|DDXKn<GXO3P(Q8z$elLFjA(nDsX~ z=n7OqBq-m$m|aXSn%M|$m*6|-Msd_Z8hn^8>J_9N72pwBmGDg^hX@kT4nlZ}S0(hJ zl0$?DsErW9e!982Uhwomc3U%tx<klh8;#RnXH|qo#x4pA@;$3KZF#%sc-Mh<FXuVq zF_BMg2!G`~Cz$`Chc=LuC#lj)d~Aggv3JiiQSwgdMK_~{oiHp$kFCh=$rVDd8}--& z=J<gd#$@x(iYHZOtFk_Hyv9?K_z0;c83U$|l<-oV=zOj33zgQ|uE|y4dI^$Vl-x-@ zY4TTr>m!&2<Z#@`AB~Q=y;#{jfvX>l1<5`vn7!x<j*uN$NopEpW^WHizNDcZir$TS z6$m&8<J4Qnv9i+H{VC?0>YT>zs==3m*<ZzGgSVQ>9yz5P-A8>@7?{1%zptujcK;$J zUB!`7#*f95A`o}XK^k?#g@Co-GFIAiA=4k?iZ&Tg{mrUtcXnUZ?{3-c)b~6M!H&u4 z8c6G9GwmnRcCuZAP#AI!?<2`^t=~&hLuisR-A%HOSZ`Smmub9=v(j0qB^6_4ZX2zq zO_(O0;kL*OH9^QkpX;LVMQxh<{o;IneOgX*icmS#-Qs;U-)E0O<j0SKHlkp4?y+Lu zzjlcR?=B4i`t9*h?g}-xD*mqbDjHk@o^qKT^{Co%I~bT}gbkYNo{>J4E%#yM>8rY5 zP#)4&HzVZ%ZToIyu?=LKJNpu2C{+M=aEn?-1H5h`k9!P0nkSmLtyIq&4CMLBNp&l! zp>@O2pq(!&)r<{C#_1*<Wyn(vD00jpcgS89ZQJYfpy~j|vzI}og8g@^$cvxT6$mvr zb{hqAeGZ;{b~w6Z_Al`g-0%=&fPuwN>fRlQ{AV0Q2cnwr&&3re?gMf2=p{Ah(ZO{W zdq0I$-yh9M!dyHbH;)diR3RQ(Z3+u(+{}JHDoGa>De3k=+^o>$=VIoSiE;0?3NUIo zf;MV?e6~^{frw{e>>Z2_5bow6>p|$Iyq}Mq;?1<+Vdsdtt<I#qcDg#P_D&)#6Ky#W z_F}eAjlFygI;OuJ)7%cvbJX;5m9N|Grkc50zB^}J@<6}Yj4S=w%8W}{`_H(a=jYR^ zlYHFkFB_=1M{+3cDXec`q~65wVy#c@T1S0BrCo2^Tf3j$67E5IOPIZS+s@Z>^;RiM zm)=%Iyi0G3wNM+0oqC&cFi#@;W}2($RdrWo?ytRo7biSwS3q4w=NTWk|6%AL0p6j* zJ4oP>f&UT$c+iWTdko;M>c0aYppG?-L-6l-mZb5M+KPWJ_FNSo(()@3+F5|t8@epW z4iad8&iKj&Z=dYPCpYrL13Lm~&ACtPyp)bS4Y^KZj|*{N+W`A%`w~WIJN<<Xxdwyq z7^nWl-8Z4}CCJvQzvkQxHwV$2EJc>OUIy(8yh)y|U)soTLWsKSn^4m2I}7mG@>?|U z+fbqwemkaKiobXX0o=2F5&p~gKXtt|e<6*}5nWV#sTj#_zRXeqRLUX69}b#<0Llxw z8|BF%*x<d^XWwUZqZ@hK7g4~ubL%X(cqMWde!KtL<?-z2!7A*7d{~9s>&13)_gp`= za2`87*_xnt`LY_k?#&it_V8y#5=Y-~^HUS7d$cllf0q`-sgKrM)JfIRp^t#;g|Xmk z@IVeFfbST;1h?ChEz!HiLWivO9Sjovz|kO)cMOLP2A@A3wDR=~h^n-Aj|c_d91@z) z?lDmwLVdeoVH|8#M@Ct&|KOM-5>DUcb)UV?(>fHchlM?LuB337+LieIn%BeWvz5>6 z<!=3J9!Ty~!D>%*liQ_;o$o$^2A!td%{X%#nnqXcMdErov<(-0v&0v4@E*RtCSOAB zecKv=i1YHjER?iyF}-bnP`&Pt{?(p%dM5_))I7E)W;yFgTsh$PMlS3FVV51XFM(>; zB9WfgMAeP_uSbM&G-gNCZhTP9kdKlndM@c7-9A&<yA^y-r6y&?=E%Ap<PmE%W`G-E zc#;jivr#IgR<G7GX#`Q0g2<^l=oNH1yVQaQ%&A0HL!nff6;<8^(yyskYAxT#+3{|A z<Fz6*WU@BwRWEa#ug`ufs#=*fj6hnsw<fw{_FXz;-!W?Sc!csW-*k2Gr5FeAc4I^q zhn^f~Xq2In$ufMxGFeEF=n~~Am*px^pi2mR3q%&fQ?<;OI~GEg>r@ryE{vCMs6bQ# zA<8$Es!a$s^w`z{D8k3C2AJu#78HrDCR8#y+F+(}$}aT5^&jxUgoC%PG58L>Yx|T9 zRQF#(?-~6shfNj33bLj#2r?VVSfc^{0MR;@$%E&Hp}VBFWc6cD{Tc+{cx_hfMq3Lz z9k+p<A-V?lI4>1iPH$-5%hy>W3OPe`pnQ|Y^35MpPxUKOd9;l4$ai$)5KCn=8BhhX zvpt&H9Eq#m13OWHZZ0T^b75&=6}+xZVyM6-UMQNiVUa|il^rOZH$znqZiTJXy1`)! zf34k7Z)yok|CK=rMlTRTM<w!AeZ)|mLA|c!)Dm3>D<`dO39DmNW$E|%5mrx!gHBB@ z;?uPCfH7l%)&G@eGNzj<Wf-rHUi(z>gtoe43J}0Tou#Rq1W=GhMNkp7=>2g3p?BO0 zvo$iYl(Fi@kgY@vU4dc5TG33yR>zdKtp^PNYB+|;>&DYSHQdq?cB3koHVc48>z;3g zg|B`8?f$XN-T@uoCLn?^^cl-2D9CPn1=dC(po?R>2uP?l{4fyNZhQ%4;y(oZ5u0Vo zPU;M5I3NwNbZ9`!Ms&l=aub8N?na<ufUg>~-JL?>NXtHXUYAI0vqzrQArjr_k7sp< z#5Q_k-_Fnw&+3o@<{6z*fFMp`<FvqGu{hTgGAn!w@C#)uENTN8HeUwnbknVkS0GI~ zlBFG#RNHpZB2G<X+egy^_H=X~SSJSQZu-<y&!hiUvVPlBMbi>3t(N&u*z!`CHN^Wu z(f4o6MO)sAK^YiNZ;cKE{7)G=DoB>*o{Y*CMA<Qh1(Y%NAlF{dk2U=H!*FEdf?CxS znrMh}47jHHU>7KZ`&wPujePz@K?hAZfI(0R0ni!%pG_`<m{R(sO@xSTouZ--h^b3d zLb}HoSSZa-VJ6L{f8}n7E^<9jdeZ7HbR}Hln_KqN343GQD3-W$dTV{o@Ay+m(8x@N z4U8HrL0!0+x8}-|uSQ1Lv!cD~8P@D+yJ}I!EA}N$@7+{-9vJ^Mb0gmk!NFonPyqp+ z)q01@so;&4uv4CduE(wP=%4>Q8Z-QX2Mkc4U>q(yH__V{g_g>Px>{mZ*#@O|*0P0z zIQ1d_>+4(76c;LJE%Viw1s!Pl>T7U2YUpI~axz{P!)Ulx@%E~XFNcp2dt_>DML`YS zEp=6AR&}{YWoa+KP}%2c<6fFr*t+Ey{ZwR@g=E-5azKmnoXYWytV+4saH%yx#hmz? zo8AdI5#p2Tfm%2u3EGgt$f{#k>N1*paAgLKUA4Wep3WM~Nq|3b&oRQ)$vqtX+A~NW z0ZjX!a@wr1vP4a3W0oyjqW8!+c&(AKbcnnxu|^FPSO?+l299<BqX5frIN7po!$=}v zu#*zU%9ch9tP*TcGf&iTOYY`?%+OmGjta--gt4a*)xafFK*}>N!=qyy>vFT$HY1Y+ zD^0Oo0;^QTkb<cIw@oQ+88KOCBq<6f65L+tB}D}at0H#0qmZfck`AQnWN^Zz;&Q_- z+(Eh^s~9!5`nYF-IPjNA3DcR11k>V`16jj6h_IJ_$v&+V50p`8n_Mvz@`((Ed^~#J zQXi6YaL3eA^zhk{-r9RTXP0?RS(r*zOUs?u5?L}zl5J)5=NIw0N5$p{*n?tY3=I;P zL$Y3jK@dZ^T{6NhQ79F;Vf`|{VW27l4r9(o{PBB{Z9^_G%H0g~9E#X)?<n@$vHe43 zAg&T%RT8$7IH3SDcmRsh7nvXDS;YbYc&n;QJ6qk^!A~V{%Xc%kwzY%t5W!>_Z;v6+ z*a&Lf5@H!aq*E+ORsdeHnT!>M++%PiTnCVkjuEou6W1P*jENUycAY89;AjQI2Z@bP zY7J%xq0YV{-;J?KY|WE4+cgWS|L8nN7)pff3}tSiISqzZ8m~8gWI=l<zuGYD5;gwl zg^t0DebbU?(Y9pSwr$(CZQHhO+qP}nwr%e+c2)Jh(fx96L`R&5^#N<-m@$z#GCwsG zE0_QP#Qf1k<LyGc9Rj!fKO+vqql5;pr@%R5&k89IA}Jff*f4bg3ryu%KoyS9$!4n= z$tNFIQj#U2q*AoM$;0{V0;`ZQPh66tVTc)ts^4$H)Isg>u@2XX`q!M~>Vw#|;sU(e za0L2Yrz21DXvO8;EI3t&vUktwFiwIXV5|;~$3XRbO#_mqB{JSQ;aQy5Dx}an*|9a9 zDH3v@<9w3DZe<ODWbzr_5G#JP%XWI%F>lR~U_3EI#7=yz-{&nfa4jA^_5uus`x^X6 zB}rDLASqg4+RC~n52Z9{skTDWrRp#!$Z;+r3~IiD#22b7vlB-|o%0~HP%>v=7?e|^ zXTYe!{uI&}7_VHu{}uTe(N=BzC%Q&veM;l|p3B_G5gRmnlPj)fK)?R1iS`7L2WtXJ zg<(yn2n!)$&Dm1t6+@a~2Gly+D|{pwe{|7-6U<@1BvBB(#&6}0t(QLR#ZJYWHohVo z8u~?!QHHp#IiNfGk?gejWy;slmp`8~Y0UWcip2NST%kuiiHy%Dw-WsH@n!4Gq=V_a zmSTi*`3A96-K4)Tu&t@a2J}P4Mbm=Hv1_Y1M{5sf6{@02gYi$QvS%tuYi<!59vE~n zF*`(dVgC?51r0mef;+1oW_2>vQ7b^}%Z0kkpUOz&YVePl?jms^{$v~WcFIiiIL!m) zb64~o=(5}Kt_d|Vpwt5O#p<)z75)K$Ci;t&%C)7MPp*{jSu`!&a!tZ8#hB-cO31FS z*jg7}NDez!DWg;^Rpe(BaUKvKXY5(H@MoCuhFnxR2*-crEDK52lRXGE;0z5Ak7X;% zWpE$^*A$06>0z5Z#hJxy&0^-~+doyC7B%d0@`BwedA?V}PP!Q4azfR&rn;Y47PcO5 zY|PRDJR0%ww4j8;v7J#Z>!UJ)AuZekE01O+@mL}77)RBYHfV2sTj+oeU2y#?70<3Z z82XK+(#s%%j@PJ&l+R<3IcpNgcm)Lr5XTY|XVte7Y=?Meic-Hd01JxvO9e_@F9?fT zF&WOVi9lzO%od;|Y9gMPbKGmqeTrar%~w_P!rjOMI+m0G$eF@#N?6%p;zSt#s2oFO z<X^xe;Fttmnvcj$bLJab|3#rOMZF-P>w;sCWXeLA<qNl)7GvT3y-;g?uq{4yUO~mw zKO@jjB#1j1rG-BvknNwt1fs_$<f|~i1)>7l4&$k?&BUsUi7v|5=(1ZlQ~M5zbv#r0 zUS5Hob|E5z?xK9acg<%_6_4y7YyHRp2c4Y<T2+gQcht0~)+X?q?%ypg+%7abUVfYB z<f3?p_5xFJ9EOG6nxAx|zrOXw0O%?Kq^(ulQ_ZVyzpg5aIz+4q`*b4@Y?$i$>w^VU zqB({yu5_%^6T5sFCMUK~E`Oif!BscRde+ko0?v3AHLsvp5D9^80)m&3vmNuW(PdV9 z$l%56%GY6pkBhSopStn)5WonLl^jD6hf$^>=5KD}`J435a*m$gk)6OBOfT*#Y()@I zKAZ^FLym1b6_@F*n7Sj5?;-BW_Of0PPTfCQmZR8Tq2VM|kbc?OVK3&UsLSfehblrA zse;PW?jZ_FVTrnOrrTwx^peH``Vrf%AlZSmtXcRFHJu4W>;igB>F#;c8hcjVAw5fm za-8?g)__n53GqW+u=-abN+wOlvEd5p0_Ny*tV~iq#ic|z-$gIZqtf*Q>wU0pkmWxT zDXbt2&BozT90>QCB}qn^R*>fv{J#=FNL|f>_qACdhBWj9vrlNG$t@{}D?l+oo?aw^ z@y4iO_noA$3+ueB?{<x)VZ20LWBnMrMlbkf5os(ime?m@j1(r6|ALX{sas1XR?_wb zm}`le0$wV$mmZ3TP8I|x+5)zP*Lo|C-s*o8hB<kxkU4T0vvJ>8E98z&m(m7d<;LxM z!w|*L@QM9KkQn>H2GdB%#=-1&G=ir>*(#arQ_<1HgZ*y?mWNVfED{g^U;zjKfad?p zz&aQjTN|2N+L_bq>l+%`ySnJ>|6^obm1M0?7+`wO)gw~&mSnWkl+e)H^ut4&Xk;!+ zX~vQ%kQ?JnZ8{VD``eORoGsxT^J>U>doN)0#Gn`w1SQPzTLFb}w*q)Ywu`|r5kbCD z0>Xjra_*M?^pvnZMDZbPU%}LEPlL7GN^gDtI8Iv{#%l!4_v7XH-RG}`wT<vJ)3hc7 z#m50desQj1ZwQYkGgCnDMv)<JSv~LsDha1tC{h+oHli<t50F7sfwC_wbDJ8%a>%P8 z4Z0<Ts!3TIBRzrls3zoTQ4%s%YV4XI9I;sP+cS7=@$IK;vR4$x+%Rul9i)iZtyd>w z-)zk0#TBCr?bjIFW~Z!7uKIsUylSYELp{y{dxub%NI(cXp3diBX=`v`FqKx!Toy+_ z@4I&sPh!B^GC7=^mAjL}RwYX^onDpo(k|K-;P{wS%ffp{4ilWVC(Y)ikzQ^@l?%)G zSGnk)&-L^@_=OEwM@k>UQ#*<2#j=c`N2jb)r1SjqS1=59@b!GTCF-?1;8}5i%Wtaw z{ZCRo&@F8W;~%7e{~)FQuOPLwv;4n^$|mqzk1)WDy8A;pwznV%UG5e7+fm@?*11rQ zc0?{=*icVA4*Gs^Dbm%VU-L@y^LxYJ7tb@i2PnMtbpQ;yXE41gD8<7t5kWZ32n-Y9 zk*}}bR@lP&5SYtP-W>MzS`U=^S$cEz>Ue8$5YnCfdHHy7<ElX~8#N|Ubdw$6P<$2g zsq6{F;EGZf5WG;#f$wAmRtB*SCkkEEdT=B{bJ))mLTstRzWCmpAH>SoAg=_jOy;aW z(z4!VNBtn)!KkR-5*0JD&en2g(cSosDMB)yEjay@rE-c~{39Cb0omMt1m*oQ|Eai^ zrEPr0T9|YI$d}%?%hqmf)`+M|hd|37GiAM{>wH>6_~H>=`MCejH9P$S^gj!HW+`<% z{jb0}zyJVL|4o67?QI<lUH;#S!DdA0y;g^LC3HiScAy(Q5Y9ePfG9msq9~1+ytAP# zN@ZKBSuTC<cPHT_qpYP%GTZZh>I|6&&n{?>6S%Vz0-tL;L3U;Mh$DIk44{OA6w>Fr z7qdC-s%C)Iry#@b(Hbi2TnXr-Zg~63HkSeRE;8!*a`63f^!J9kh^7r2P}OFNU<otf z9MOFKL@0zEzKDS2GHRh?t%^4UF#e1zmlzAc9Yer;-~(l6%=}zm*esrnw8SWWp#j-< zl2ggWu#}Ukl-Fl(n7%*LfM#5KJKR2X-?%j(zN`N2u2-2`It1?B4T6uS*y4pStrn0o zg8V!Dz@s!pgwsltev!ZDEu$i<)pS)6PCgCJEU{TToTBzodMG<sTRmdbNb%-Ml7eQ4 z7zjjf)0p!yOFh;E$G3EBQaplQMXOwpUo0HoskqIAm)JtP5yxN;0gh3kGw8m|FhgGJ zoWRs{0EvS;Y1(Vm#>eQ@CaP|d_*8=1hP35Gq+ZQCdD^hyq&L>TRBu)9?Q|u|*J(ZG z;l*UO+Ep@mOn{xmKAqAxsn!#4jx4!0fj+4!njd%-$}eB(nZ`H1?l72=4tZ=7bt*J$ zReQL8-}(vspDpqEU4rENuO%Wt0RZU!o0f2PadI_was4ND`PUY^$-MT#3<zQFzfsD~ z0V0a4jY{EuB}yd}(nWP?z~CKBY_0JUA8)J(Ss*DzE*A>)V}0Ip^yll$8z@VHWT-*; z%UTo)OoF!zp<3k@flweq+FT5p-5ymUN9CsJXoK8Z<gsSV9r5=>2wb+ydF%DQaxm5- zZqA(^ne}T=!+~A9&0`Ac+tdvjnB<ciz4hss(2<nXp&<!Gkd-<!Ox98dJk^zL6Py!G zOlbl(xr(fW_iKnHPUP5zh$?DUj{$NOh*KIxA<hj8nJY=Jft!8?LWjV{2jWqg^!K3} zbHL$LPk<aS(LV~X?7UviQ7A*G=!s+)ETY{W9#B+V28bB@h}>oSAx<7)2dfZ%a)f=l zTZs#hV76i)vR*Tu+w^nuBG;0jTl?3lq)(H4Ha5Pm@*gD;goTX#9^%w9pp&?-?b8~+ zpz-4EA^TuhXTL)d?f$nVhWur*EF?d{@nZ4DTN1=4<m9-xEYA_{OA~B_UqJr}AHzHH z4mcD500+T;x1wzgovclr{s+2J%x$}Ej@MoN!7BJPh1i75O+YX)-GN&#w80Wtwo8y` zRv5uVOYK@3D+ww~wpqWgyy0jODW|2o6T-9!=kvqPOVW=HdXP;tQqqTR%ci6hQ8{Ws z_L54r6y(lw5hXu_5Zl%1qB*B`&Se9}&N3a8nyelYeo}JA$*Nc&Z|@g(=;Q=ysnw&+ z%kI<g>QY0EO4hlIl@>uDIcqYg$#>p`Z6-M<w+d-0%1wn#)KUpD?KwCS+4fi)4q0U- z9IG+XNjnf~Y)R#BykuEN?E(YFN>4>efeNR{AUPPYYRdTl)i1gmWnD9*4E&q!4s_(% z_MaYUPSl!1PE^QmptQ=Q&%U_<u+_OKC%}4_57P2h6`+bYX{s!xs0;|m$D2BnFr}+> z)7B5X&)>3~+^4sg;E&%yP37?u_OW}WzQ{>_Y_iKUsl;!*EOXGB;Xmd<If#!*DmU{p z6uBiHP?;?ST4ySI>na!!ipxD4Xa`Ve7gKd3CoNsGQ%1{mGGxgtvr|ZL_Ht^-K>mS& zp80>~Q@|M^e*o^c(NK4Lg!g(7Y97<lS8WG1T?<nGCg55iSaab5222keP~HLnTENac zF(C(e;0#~a*!+tn94pQ&Ljk#RR}3tsl5kQeIDwOCF?HZJT7p>7xY1O$8*p#;(8uW1 z&`Z#l^OM!$N;{2^+aJ;Jrs_yK%9WIaXT@O(42{_#0_@;*;KLRZWeo+kvT_9r^$`lo z1I$MVQEAvWhPB#LSn*$O1j|nh@uLKBs1s={Br~C)nq!0s{TyIpF=5ZQpbPBW0;4=k zLsunSW<hD$8PifG#`!t4Dq79ImPJSHSux<E$PrqpSO^}5<91pk0Ky%I*5l9N34`bF zJBVM*CK$v>l$52EO{KDglDDX5iPdIH90uem3lRQ>$8DH^5*$Q&L?Oo8f}DehFK%68 z?T~R(UP72X-MZwE)!&^U{HK*?&$R@&0#{bQk2~@FPCx0=)5)XT%cDJ{5C(Ne0}E{p zar${yGtVL*(x(lHU9t3~e*-u&?nvO(@({rzjP182py3@2UrsU$io4?tbq^?kY`1fP zUxL=DMzj=z0J5<{+;t@bqhd_lAceU=NcDUFu<z#xK}uhMh}f0G;miYacJYC_xloKH z<OPK$%s7qhqdc%~sw6coB_Q23{pckHgp4;AWQin;ZeAW;eT3q<5ww+y4J~8#QF+b2 zVqtQv4c@NXq?Os{fmnYF1*~aI1h-!QY$%@c&NxO$oBNIA^R%Hi22xWUofb-!Gt9)b zW5Wz2DvOECaYdZWVB1v0oLZg4ay#@73B336^mO(5A@qIw8S34B`q*(*`@M~Qd)@N( zKJ5KoAAed{DU{!%r}Nj>D?6XqO+BR^G8m(35jKnoD2MyuJS9A^B-O@Sk8b8?2<T+h zz>q=pw712QA%?&76gKW@yV=Xj&!_YiFso><eUAaJqe-u5h^^9(oURMy`tI<7H>iq$ z!JSbrVcxEWdtq`y%tyweGuednb!+U<@mmlI7fdlo1Tw9JD4r~BM*YxE+kezYuZX8~ z9#)GR9d}k4P(80!9A~f@RVUFyoTYh$==YP=@v6^(;$|6pooI0av@XxVf4HjpniNSz z=PXtTE!Xf?rkN@ffPIN)xNO`IA_qH7o~g>&;_VN`AX{3cI3!Y{RSC>ZBWzh~)u6lx z2n%dTy28o7%3@#PXJoO{nfMUjTQf}fpj7+k{es3qQ-~1Liaeq>Z!le$eiDUSK?A42 zwWruLZ%4V(46u2!u`NjcnVGaoC7JY+wR0Qo6E90806=<!PiTo`Vid7^OSx`a1`U7_ zIzj~OSGF*+rwT<L_^Gd6$64ZR;-9Xn!0AtCB`o(+rsC3DX-g1kfQ6jE26Js2;U!X< z8Pz0~z%VqmgVsk6X-%Rw9Lc-yFrr1FT#|L3q-MrS^u+mrh`!ydgz~vTwbykP*1^rO zw+K91&57yAEngL<qNuuXD1dN}+#L5u8!WH1_bx!s{P_aHhV@`Zc>-;nM1rre2nsbD zZt_hHoe<_A?q$J&6e=b=-n!J5h31a7aFy_qYCVwc`r;jT31MS@>oCZo8g_<`*~rMG zGn{+&%_vO%%5NwLjG6KhqGHc=Kp(ioG%aPRZm!qVD(!ra>3f-`{~?VU`g=@!uXTEl z%E70FF<6KjG%H-nM2)&JHkY*D9jiU-%pl#300C_6vBpid9>U;J0ZjcVWssq;SWB3O z%a3J(c@h(a^8lWr(9vfF#N-lAW|g52C$X0Zs$;;fwdi}!wx;u~r!8AIAsqRFfKj4C zO-c7FJpX{w(p#z}kN4w_3L`UCib8e+FmRofHk@<umZeO=m!kk}PDrR6F<#Z&UT%VI z$*wrAOduh{rKCHckZ}NK_e`<)xg567w1pRp86*g9^<pxdTFsi2^at@eBT(QxQy?NM zf>eeEV42e;me5Uu_n=p|cFkH=DHMSB+wwTz!sVM<a$)1~<6t|o?elQlHEET#mhF&n z)@O9b;M0~7@ps1>=B#0G7W7XfCCE1Na|C8krE9aJKL`YO@+Gk|c&0W3yj2Fpr_8is z58sR9q6hg_dro9zaF&I&*f$n$>P`%^>s^}?tDj6mpZ;5|{Xl`jz-{5H78muV)$M*_ zO&5G~6HKEL(`ZpuCRMO`aJb~#oeRj)ZQABSVfui}ayYVuBR?aA>AQ-`t@7NaF*m1D z2h@wRqG7{O=*Wzkl$W$Lw(-gjGy#kv33YjHP}+HQXHcM&*!p%<8{}RhI{b_~RPEw~ z3&#!BgD)9V<Zz|8!@uDremCeM?NpwznP6lP{KYxQ948Bo<e@O5h)8bY%GrkeJehn# z&RnnYpM{|KxKT4>m7`(~H!c?CM-B%!GSJf?ycQ1c;K6^H-R2|-zv2hC0CR!t(#H>G z9cKa8sg4(N=|3*x;rN+oToga=b~(%MCe{)o;26nA*dQ9SetO&ydkBtVJBI0DUN+@j zXHOH&&7R7a?tPc2KJVq_CuGuwDY({}u3tG7tjyGmDY*%i(1O3j*naI-ph{Dmejos9 zuh&V5PG#5i85C>~;DPX;oT@Rct)m1fTPl`X<XI^+`IWy2o_@Mtn9}L|KkQ`03eUCr zlwP`N<^%U1W`-NorMvTJ#QNkmtcG%{k#Wv7p14<n2sE$^Ehk!4CDSqKS)6Q(>@kDi zH4&dm7Svr<<*#lCOg4g|O}J}kO}9C#gj}ZiUqxhq8bHT~$L7*~%E<<Q8Ab>0IsN>C zR>Uyeu|Vi<)o)-&<F~3*Ui)NP2k-$a#^(nWy9jc74sqJ)S7M1-%{ftt9A{Vfur=7v z1DxZ`h}v0hBm+U4_Wf}Rb6H-%;+JSa$bs>(SK{-sM~y>@Cw~F{^Eg==hP&+p1^@tz z2mnC;U)%<qOdVY<olI>_?OgunOqr^Fot({v@H?kp=!6e97Sidqlo_*p9r`YD6{!!Z zkJqb%k(=mCqCteTQ!M%OR!1^0M3y;*53_Xl^IEui=M<90o+)rmLk^K=8S0#3PAvo~ zsVJ&Er06NEAo;FF(54n$FhK1g!;&4YhfK#LR!jVx?SDilqdfY`!)Nc|gMwVdMt-cw z5k0I$sOp{5sAL=rnu8)^LV64z&~AoPyU{iwDXAbOm2*1OzLsOFm{e2UbVMSl&_;_v zkJyJsQ!kZt(Hg#V!<HQ8S#f|#D;Q8GWm%yr9f9=9J{yHBEsUPe21y>I>LVH=e>doP zg$@r2#(oLr8gh&zt?Griv?3g1o*i@K0~th*@wNbTBH__b6sq)tO!Y&UGy9R^2=RzL z2Iy1A;BZ$MVKdPiE@tDMtN6%Vkqq;Cn9(SJ91@3Mn*Rs>MAYrxev{Tlg=fC`8ceJR z2@+`gsy8mLfAlZ1iO4WJY>~QQN{BsrVt84U8go=oO_QtHgWLpIJ>HSozOZjSBPH#$ z)~N;rOIbU|{8EHZ9g|#JNZOorjylOnj-$H;;rnJ=Z607~i1LlY3N3#ZF#1|elDImg zWpsz3DxK#V(+8$j2=w#UByvA!bB#gMJM};1)nX+Vx;TD+{3z8llEj+Q5zJN1gR(?~ zQb!uACmv|A`XSN?S)8wBcV9&m5D^{DdKA}4HJxJ<M3F<8<Xm2kpi_6rq7N4=%jmVz zkpmarEcuhxon<=KiWtweopyBeriCXW&A61DryakP&vxtB`JoM`A7dIgFE_Xmc47U* zW@)1_K?g!X*fa>hAy;KCnu&o9XnFNCXt&uQ3rHjGU?b%oQUkS5cT5o6WD{Kx<4wia z@x$>n{Dqan4HsJpBZQ6!G65GtARv$!fI5OB6XrM*6;^|BeB7fzvQ=s$h-JL@!k+fH zKr)~O9Pab5>#;@v<k~eu6rlhl$=>led2Q`2=)+;skQmVAsbJRUz^@M+>r1sxjQ-r2 zA_vsbf^8t#;k3bX9q3lK=`VKOX!g8G$J@-`fUc{5|H<HOj#CA>ge@LC__9)Z{o!kZ z8N2$z6}l5vmh3mOU^TUj&Vddxl<DA;J^=-cD2p}WffzTC^2&l!-lxG`JEg^e(Rwe0 zAQRLbehRHr^@vw7c68$5oohtG1A^LxQ?z718_*XJ7avQo)^^hhT^<bY*CM*)R-3Qn z`*DqG!CYk@&lG&sQ6Q6Uw_t+sidu=hxn6eNMNBt%ECxw}@;p}9DQp2H*81Ss0a0wg znO@e4T1hsv2Dm<8L)I+;*8Eh0dKI$X;gKb%`%o9q^M}``sv?J6@%?R-1FBqsFW{}$ zNiQ`!n47k~xjDRVI&YUuz+Es_5QqS770zv0bo*^4Y`l&?Nww434SF|Ymh4<RYD0l- zleRFItb$d*Kg18bSBmWo2~J(58hi7|lr>a!I|dc&y(*knx6=pZP$r=-F9rj&cAaAu zA8$~ioirD&X5dP#^Sbfz6oU5r{D~0DFzW6EfvP}vA0Y#i6Uhdee#!!nnJ9EK0q9Pb zjJ<m=f7RfVT`!oX%g~*|6bbcb8e1o?(7Ck)M1cTG3Ud#Disv*XYl47;q1<g@#i3>< zfMGXLCsx(zNezC~`~o&$*k+0fR#{%$+!szM0ygAMpO;G7xBI>7G&4?GYK`I7jD<RR z1d&AFyR17h&NLTcO5%s%21V&0ZPy^(q%Z5hMbOo&LCdn}Y@;_*?NjEJWkTlydmav| zi<b{)s>iE~#3@D?q5thQJz4*~{jKeG8f1u<qgCHKO&^Khyt?o+Jp1`XY7QE<8z#4Y z$cIXF)mnOH%?f@jsLp(<i6ziC!OHBP6R@KdW;-#k21=h}PHqkT0df_ezHxdI5{#>9 z^TnIO&~x#PqE*S^zw|%(GF}KxMAgWKZoLWz%YJKmcS}H7_jlei%;FMkXI(~<TjJ6v z4PBvz43i?49kO@Ud=c?<bvyJDTJa`t4192?2GTpo%WHLS1$ryf7b!|*GHiF)q{==k zF%i{7kcw%x_&OS9Ul?_Gr3w)9XrNC*A8;Se54Y7bRvG3#96KC9d=U~?7=(4!<aWgc zuTNlHgT7_cJK-y7*Wo#H2pHR28<Nie7ZU%FmuCcN=uC&40dT%hw*ufI1f3@p4oa`M zQpB%e89P<J9e#JJ>xh89|Gkm<hz7^RV*mhn+5!O3{udjWvxBLzrJ3dbeHyvtwRXm4 zPuhQ>9$Qh%Ou6LTY}cPNpK?UHPpfj0qmm<aC8gGKfJkh{nsWdbR*X6Q`+9B1Qx-U= zkaDEs)@+zc>j-ASg7q!LzQ85Zr+q@zIRl+JFu$pVBAIC3q~erTGo4wJY(|(YwkDmb zlKy=9B4zS$OucK9<3n$qs(w0X_{hVHM_!bp*gU`QYq?!A$xV5As9vt$<N0+Li`h_O z?yAa)#b%%|ty=n6R@Dx0-&B=cqg4mBIblMEorq4w+fh?(>g4FyX}8we(;@MAT2+-T zBBQEWgY8+^AD^u0mrHDPY@&K@3XD5dBPar|6F>7KbzfDb@G1zW{ED~oC=j2cM<7+y zcw7ZmFi)R#D^=y#G?_g*ili_LRhV+=SW9W*jS&=^Tz{ftqW$JdY6V)1qp*I`(t{?- z=iQ#9>6ba}_1;Ud_9&~X{&F!Y2$Vl)Ai%E=Y_iLt*yh@V*ieH?bI74djX|gwZKXS7 zfS2A;q53$RZJ)&d`@!K_a5In(O}ef44G9})c6mMD|Bmm$AXjy{Z@Lx(fD819*%xAJ zVU@_bV5&HK@gbu(<TZF49bK3-S}K??56HhSrLmxdC@)}a5~@X|$p)l8>lh&ni}50b zg`;$23_dmEO2tdCzSQIZO>B=)ydrE7KS>j!b;FLGXs~^Pg&vRLHBNFD9r`zX5HJm> zOm#nU3WY-}s;Lyp!LCVD;wA^cj#PqZ@~aF=!DWD@3ZNz}@-O&Bw70SD)IOTEO&|JM zb(dBk+6LE-;ky<Pl~k2)8lM277k}$6av<_Hje$`}GDVaXFqL~3>5m2GrW|<~wJ^DA z6JYFW^rZ%~0sPRt$<wuQcQAPq)Cn^^ZB>DHx-nnq<aX7~@V9j27$rU6v<~ze4oEKv zfyEMx%>WuJW+slur-IC&-Jk<)UTX%Llf6zqvbw~~(u;_1NCZ_=78VEPfN2rcJEU3} zRdlUov*yX>5a4iVhq2S1(J6-wgKqI3dO2y9G>dQT(fdrm>LYpuB9IL8RGB1reE1BF zbJIPJK`|7v;6b@58qs8002s=HXsx+Z*oMZ6=23+1cpYI4^%DuJeYbIWS|`%(G$#kF ztYP%YWB74=e0ZgW0RVA$1}+QEbcccRfQ1F@;4s;9*H%4PaJSE3#V9v_R-D)`Z0u%y z>*+8)nLR*(O;wA$Oa?SrlT01foT@>T4eSg^`|&g=RLgZQ!Q;7;VAQ`3e=B}AkPyX9 z>c#ccHCpMU7|3&QoPyRh&>G@olrVg)mdYj%NNElphM5HphM(e#k;6m5#p68$ZG0U8 z`%{e|&&KpgG+=q%e;E%pH4AX-qDP?@J|AjGrxd59@M1c~4FV3P4dusi#qcCx@a!tF z6wRC@?8o!?xgJMLE8Bm7|0=MPho!k-W%U<5hGo#Bw9`p2SGTJ=N6md9$+YEksx>hH z;STN&6Atjfv67IcpG4;6{7hMP4TF9JmvLKuR>YS%Z*m+PNOoU2aj_uF8f(Km>p`_S z5{UNcS<=pGwsPS+CQeXknm-Ozs9*12*#Ag@p>(!!*BUlFG4;m)U2XVoi`dWF{3>!# zKJ9dx25w&@mP#k3b(xQ!`!c+nxCeQxK^uj?T?JlZ#Oj|}jNKr$9s*hN3XrE={COt0 z=n=JA7V4}=_uTl5o1n%Ke$F<C=CSQ1w@p=^(+SiSzTo?McZRDaeFNAdI!6DHSL&{1 zXldYyBnID+sskh}`!|GEi+-fV<N&lA+BLZbd&}|r+CKR7>=A%R@RTS=HV-~CKIB+C z1O*ba$SKqwYqD+Is%IDh%x;0_DKwt~xSWEEt<W45vNrH1Ab?xPC>h3Y;cpU6eY5Kx zgMldPJaaE%z@g3#XghsQB(E)ev$XRlM@o)kGkBA3k<}A@kwOyknd@2rJS^N-O;K&c znq4OljzOwfj!lSxdGe5fV|?EW@V|&DlJ??Y<u6;7l_LT8T&yq9?JQfmXv~Sx5rjd$ z@&sjqTk~_;*gCcjM~nurV06A}7m#VLm@Ub_b$ZkBc(a1|w1Xi)fsjvNZmR1YZ<J74 zz)P%CVA#8J(CZjuNT+CQhA=p`eG{?x*OE)gDY6ZAA62`Pph@v(MsAB+@fA8B*8>_$ z>dt%(j!rHvt(dO3A;TvqGP7NG$6mOZpdXtO$RL2Ka#digk{~$RU@M$Rq4$gks*7%< z>s_S)Uh4u8FsEPvK+|)?4HlOXRU{LCa5;(v7%n?}+_<*p6PytUHa9CoCd${@4E9uN z)S7Z!Vg0$A**QPFv~pORKUKp2Xro3(VLg}75GOqE(W&I32#U?+PI1~aPJ5>7N$k9b zXi<tbUfLgdGhpSmuZoEi7_8Qprq*Vn(Lw&&S~iaNX)VXjcI=P@=2%MNXfFa+A#g^R zWU*dyvz?+4_+^t`r_z_2K(lc&oZxtP5RS$aaAe-9zH{V}!i4G$slHiaLj1+8B_?4N zM6(^y2F8Kz>R^Bt6?WLayq&PdlfmlyJS$bbCm)_Xd0jktJw15^`RV7yY_0j!!}auq z(Idy(GUt!`{p!Wa#W&;tD$(Q$Lz^rhm;tYyXp_X_p2RRe<hqPS&a`=e`{`55aIIYH zI7stl6Jun^y8<<LlkOnN26ZUWiiAPMmUw6K&r%gtU79YfsAsS!>Wy%u=SegXEtNPK zI0a^wQf5z9LbKI0qJ}Db5fUOUoFrPfq7MyBWsgq`OAAa133M3MinCFls=JF|24oPR zRdykH6mn8~M?`Z=;5qDh1i>3#=7$~IIR9eb_xpM2W}l?><NUtfuJ8AK8ohS67i*Nz ziyk%s0`nC3^G8s+W02SjrpS5G^Cd|S6{#)#qR16HM<Ljgc2VuQ#q)CT!7Ds>b~--a zMf{?3qjy`Neih+Z!YyIfTPV0>?`mlWHm*TZxN>MG1uo0&ji&}ujHM_~1cRkXxbwwp z!y*2TQ)d7e9{c%}7yR~db$E=|^TGt5V>W#LG4N@d^8heb4fy+UtGA^Xp1xMX=M3re zvJ8zn)E=kl-GtQKyI>tvq~28rrdL+|;h`y?0=y=3aAEUAe;VtTrxO;2$tRzIbkRB@ zyxu79+r7g%)9|c$ldSfLY(5tT4}+?bsZj_W%C^#NXMi&bAh?&3tsgOyx5ogcK{8I; zwY_!?K#11DJoH)xMR)&60iS@7A0{1Trqpehk<%g$L*pK9hLX+k$7lu|Y#-jHGa%D! zQVGh%qZK+Q8>c^;FIRn16-*nC(Y((L+6KxG4CBx!HV+R8UZ;)rl*!l1)tuGm#VH6n zOrdWKB!?_PZeKjD2snUS_thB;4I76>=ob7KCNyuJ<L>DB&ShepNZhzsxjBU{M6V@Y zfS_ZjVFAt5zwRgO%uQYnCygMx#PVwcal;U7TGtx9yMhVPSmfONQX$)w-aO;0B^wYb zTj%Hu2%?^196xa7$N+~%$KrxYdh5EF<(ZaA;&K8UjfO*3r86Vp$E#sIO20n}=JV+0 z{n9^|-;>2_6g;&$>eTI4oIRB9Uitg_B0?*>SNvayFa@Lb#~vTc+;a5Wr6;;}5T#vt z`=)K~Zj@1L0DTi;I{?D3?zz+QF3LV=V%bvZ8iiEtyARdsO%8&Kj}?VmG|Bn~OyfRn zfv<M_3~{WqJ6yoORKg#0m7+x>>lk5>7`g!UddFdToc(Ujpj{!>^+~-07b&#s2IR26 z028!;+ELV%`0CU=0Hj1)>}17fotgLqC-W_*UBW}Ja8!N%PGosMCYuVuPV!<9cMalw zf1I&>Klyz9MWhxG<!z_Mb_xKc?oXn_FKK+u=*yYW*8(u?!A-g)6Chx739?R~dK&)> zL9k$lC^^MlHg)KIY^qa9#uG*wykuLZk?-9k9m2EW0B=jN{9+gcf+9(ZX#Ma$%e{a2 zF9{=NxI@3eUH0_@^n#tsmA7aMOUH$^y%Q;3Q;H@B^0Qrdj**tn+h?d&zKk$W<q5pi z&Vsy%mh+-+yAnzzFyw|bYGfrGnED|HiWy0cL)FSDDGvIT?0V7doy;VbEL;SrlmWME zjd^1ffBosfa0*~M06QL;K&o(+Ju~QL@6c4`Yr`X}$(8wa(E3rp%a`-~n><SEUq)bT zt>6jqN1v?BvVnA?DDO;`_No^D{%;Mv#BwZV>&ON%iF1a}A{Q~;n-LOI$Ms~rDBus= zC(Uw?i}|BG*-5P&SqCpV4|+Z|ZrHo$Bad&~J_f>q75TddPvCF-%v>J6<$=S^BuR2I z#rHME7DMMwh|!!B3<T9j&!7n9!oLT`lpWz-+ch)+vQiM}Any4olJh{xb<BKin}Zbd zc|V4$?%geA4xoRg{+3rW{*%CT##W10zH#3@BRSNTFePlsa;HmOV_GZ|YHM4(u9V87 zgN8~)TOBSUBblpdNFp`~aQ~c?JTLQ`X`E1VdPd^AS(4cdn%JP_AA9eNICCRU&Okpw zWSx?$#8zU5zULhRnsH+8WFE8P_t7DkF=CG(@yQviK;a_beB87@wOm|Yk1m^?%bqY$ z_2<oIDg|^}6<9uR!f7V;$6|WonnGKAgGP9<T;#T4iNiS+_G7|yKSZfq%Mh;lFQ3;n zHiBK>6sW((HY6b=QfiD#<j)s8OP$m>rZmr|Uq*-#7Dz#nvRpyAKo<{&PgJDgb9pN0 zgbj2^V%{y%8N2MCl4#g|W-e3f)|QFp#Q@>%6H=dJNqKN1GiNEg>S86Gft6xQbSl#( zv+6b>yP&`h9?1gOhbuV9aI<4mNIljD?Uq9@J50pSjpdreHSjP#KR7|z`ctQ`wDhNe zxs%Z)ST_9L<`R}C#v<M_902C?e}Ktw2DXhkg{fFr^*0wQm`!<f$foxsuY190yEK5b zC!OLPu}|L#L>imGDJhC^aDbC<`oegdf@5lCwE?KQzy=c==m0m`o6!U6)_l(od-?^7 zJIS^s5)o48OO^yH^GO06kPCHJQEu|%!nl+`9#{;!VmRT}%}LGl_@=BEqIBMJpt)#C zpI11Lm$PHU^d5y%7&qVhvK_4l^TMc^t4sKHjE#u$=p4t3xyrPKhh?H2-ja>1DWFtG z$2Y=vWw~Nq$Xu`Nj^5NA3OS*k=I=J%cxA?b9~V9Yvg9<Jx{)OxcG0utQ_JEU7I+)p zLp-nb!zO%@HW34#;HbBK?lw$IA4UpVhqJ5th<uMeiay;6c`wiPZqbwlObDB)L#j%4 zNVN)-9m77~9mIvZX;h+^<l`8f^lma3Gl{0Q{>ZSf>_1$#Bra)&MoH`iILfY(atV3J z!%Hl1#-imw2k5_X+x^Yumar_6<Ir?siYdbz9x!{%%Pf?h$6HGwRh<LiydS!itpRN| z<a9@@HBQ$wnjh=D)mi|np?a|u!7neAIk$X#<X<*Ft04(KxBDf1-~z?})woZcDU|xU z%Fv7DIw9@d;1!%o&3}6pt<W*Pa)N@bwTV?=bP{{nf7Ls?q`9c%72vGLdK942lH*C1 z-E?R!zB6=gnSjwqzt%k_&iGZFzWqtc_H8v^fd4?0fUa|f%7x4PLE?SyUKKD)`lXV( zILQ})RIS=nhGxWQ)O%ADhDlMAAg>jATv>385*~e7aQ?OnCkk5cW>Nh5Y*!Ywmr8bg zfV4y6(|aZ5;W(MNrmd5|XzZJn6BLTXcFX-ZbYfcTguf4f+l8|<uUj;57x5#n;;y2* zEAGXl*(%<X_xAqW94&lvmmkJ;i*moXB3#U((>JF7dH`HUz5SUHRX&M@B=>j&GdYH; z^FY^7@MY3yxTQ27@b)Mg=BIR7M}4gby6F_D9RIAUs(a`F)RSu(9AtB<74G(PF_0eb zl3=ge={`M2BD@n5-R8OB5~d!27*#DBZprNc<ux<U-{vmM;k&i$Vd5O7IL>e)HkK-k zp`>MAql|rWxQ=slZ!TOx1B}gO1R7YOA!A*8dwvG<L=MBOv8{LIv8JM@RHL(6?W7$> z3@b#`FUn=@?*@u{x2!buE4I*Lk5i()6n~usI+a}?W@DP0s<5D-)s@i;Q8&4ineH#> zna($@*^=V%o?zLocl+~pAOzlNR5|4JaJ*o`8$PT~Z$sp6lJ{+SAV>XW$g6L<u2dT> zrq4HWUjbn=H(J+r$1d?9wOvGl7t}@**#|LQfk!PV1YCaLcsR<a1}_3D-YukAmfz{H z7H6U++TX@}4%jTD7Zj~}{v>LA7AVi6IOF^s8o}t+&Iq5}FNM1SD_ocA9<Kn(KpT|; z6lLnObutJ0K!{t86*mTAXd*Gt;6=f~Ylz)*nylzO50IB*$kF2K>gL1e<+vA3!dpal zQ+jKRz)73Bn>)ZXYoiwoo39+r#{60{E0hZx2Yx<@$gnp1fML0YN$Hv8qR8f1L$~*a zJq2zh1~uj`?09Db4w1&F9nph>*BapIM7Ng~I}Qd7f772V+ashX&q!ozcuys1vW#1B zH2IYigzuIr5g2F1Ic@&I8rHpuS5~4uPL^F&ukjR<(+AMbgfO$}XIu^dY!dhD;8w?b zcWW;g>kP0|Z9_=t+l1|kDb0`V%7zy+;n-+9-}(C|mM{C>ti+zjgZ=B-)ryNRZ@r2) zAjDffUSW>s5Lc=}G36M|OPprtI*z8fMo}Of2xODD43lxFDf3p*K@?b4a4+mO7Y^L; zc_51##>&GxdH5{bFa?bElSTSo18DKIsm^aGJ50&`G_`}R+-KL;s_k>`bm(-QH_-~q zqa+L^b_S-dj;lgGxzIh7j;^M-uLW0y#9-ioPOyAIg?#?Go1Wv85_{-mm|4%Ws+KsE z<6fW9%0^CwLWX&c1%qzsw#wVo{!Ud$%9A&6nNM?&SbKY-SWaQnLY$Lm@78ZLLhBX* zhVP0kQW7@3Oj~bMqH*-zn21Us5Xk!Tww2iA;@xNo^eEYm9RFV67>~lGz0%!)A+qor z66~5|NM*U6)@_?tkmX%Se{g|(v1A;EOh1+zyC@khzG>pO02+=OYbE1a?mJyKcVP@N z)4_KL$kuyW4c%%Ubd0;O_;r!^@6^#YrD|yqkZs=RdkE^*&uqkJMSjJ>+}jpB7uu3B z--7u4ZN~PLpx^u#`14IFKTW(*RL7XG_heHRrhRMd)t`tog(<v$%89ofJb!bT=g48N z@-jD6ybgC(8Lj>K)V)L6g#+^gqNI2>vw<K9(`lfBs~uf=*vqOKwz>=yYR2R6x4hRb z2R8b}Iz9NeRK1!n>yvueDobTViSvFJT2i&(^l&!rOe{U!iR+#blVGr!BNZ|Dg^H3D z?myN63@SUkG2JTtPg!m}_QBhL+D0|~1v%20Ztp>sRJ@OQuE?^CoVdw7)m}TtSyx5o zD1~QAcc@|BHdbnxX)riZq1DxJ!fc*xbRxD^S)>{2k43*7;6u_<9!%U4sSdm{<%9Jp zoe{UGXSUOvqEjp1TBJb!5jc1&CYj1n>u8UUpnhGlQB_?_upSyk#EsA6cu}={c=4-c zvpX)FR#GzQ5?5+sm>jxr5vVQD!aJWXIq4!Zx~t?F=;E`|?#TFGSJ=|ZtdF5`Jk2Xx z%)S68noW+ITa@&Pv0ep3UVD7M7x1Zv{FxXSMp>lMR>Cwu5;iuT!T^TbGKI76CmT3i zkfh_(WRZ=(a*2cAN!R=ZQ{cn>qe|e^x?6=%>(bl4QsJQOqe0ak;bQd7BgW<bj4)+B zMDKZ$>Rr<ivEanLRN5dc8q=%Itm}c>$O?p=sxS$oVmGMt7rU2~XFh}7^X3!3n|Jt2 z3{&|Hj_*Z%a<8ms_b`NJj6xWL!vDn_2;Vz$-PgZm7-Mj$4i;)x-5J^D(LG}59Pzb` zEUJFHdV<4*0{MmAvM8IKNg(KIAc#JG-lj)tsGaUe<0!AY&2PWZ6XT`AI)m}7#qxG> zUcgvdanQ|KzoRpGEDjSKO!BziU_0t;HXh><ZF4J*d9M1kibehNOjiI$Tuj(P@qU^? z;zv}GeiG*_5T@+F-ftu0MhwN_Vw%)RV~|v%D#SKe*rf#Vb;F~XyE`g%1GFV#)cdP! zjGvP)IGr4TTPCcDrk}g)AS5GJG!4-|gWjAkC#iIo8yfpXE#)>q5TH>R)Bip#PvR`@ zC*zW1GLtQ4^V%b&q5$QpzRLC`$efVQv$#uCS$wAZ*XOOY*4b(!4enE9AhIaUsBP6J zgq!EY!cTq}<uX$3Ge*`opQ_?pH42k}i7@Q`IQC&#`}es|$0+>q%UgCcl2W#=i7Ae} zI^cvF)@<f1ml~}O;9@JM_rQ0U2asI62dtuZre!<ka9oW5nh<A1r2+T(;D0k4qgUkc zi2nq;rT;#P|AN_Yb+NShA8y`OL0Wo*0io|)-N%Jq_a;pA50S@1Be-E=C@MV>;kL}K zK~{?7)%ALInHK_#a9E}febd13qL|AXq7!?un?oBZ{-nWk7{;Z9#E7rR#gqf<1zY<q zjP-*Aj_rd{pmL{OK`&*)_4h5kn323n+IDyL?6=>O@x^qUutc+)+yG06h4R6C%{r(U z_UE7?5r))O7lr6}VYt$6h8S6?!55)J5Z}nbn21##HpZ7(xdAL#8=q;A{W6NmUxthj zgsN3Ok8LaSehJ3j1#r5j<eV7isjTYq)TDXxRi<KC*LUHEu5z!gG<2X3nlt#>)MskX zl!oqExbtgfO#~Uv_Hq6`rnrAosj9G11uloV9ePpr|EYX{yB{kwgarT~`NtOhH_~{w ze^imBz1_dUo@&`TZ?hr&)aeH<u_HI8X>#7~w&rnIE`4(4O?KpQB>Oe^Qi%#NSw|TN zPSIC>?cZ;L3Luu8OxX72k|9g~6OY?#@N^%<dHAQQ8l{~o9oTopI47D%(okhanI=ln zUQtt8RidXVF#r7Nib4MCX+0r!6uhEZ7Bv{>ffp-IM5jdN?fhC?966Gi^7rBP54<?J zxwzY4P`+iU)i5@ag=Q61b!s1Yf94XAVl-2FD@tX}F-?8ZpiFgWhK$*?SLLY*QIlw; z3+<6*>7ywv`PrL9$)>DWP^?I0bJ17`QKjTUU~XasPx{{qr+6j{E$UQu_!gWD&|*o| zYf~X>HM_}Uqcl`aUw#Z2vSf~V!kI!2d<dT)rnOWUF`|aE!g~8t9=SVh__*loe{zJi zWO(uWxj28m%$z>I-=B+JNrn!RvowGmZ6<Nio&?L@5YI5PS;^rD|9o%;Gbd4-))`Zq z6UkH9Z%WqRpjPY8>}ry^;ORwz5wFS|$TWWsV~j9xvp|A_{&JSFzHD>$CWJJp0U=Gs zbBG0`G^&spfl^T#xFnvss$l)vkbWrEZ&)t|?p3k}o0Exyze;G7jN?q3HnUrrqdi80 zXsG4l<wx1}W3vqPiOlwIG><M-FTILMd}?0QqQ;<j>F$v<lW(@`FJ)d<H5f2pHD>0o z55hV0r-^G)?lj+6QJ70&$=euTs)qJ)BTYlhin^7ia%lOBcB*nOsa|%Alh`2v+DjN{ z(~Ov&K1`ia)zy<G8k0U~uPjA^cu{2Qk9;=s)7IS9Bq$%<{F^hyy*SpKCPj%8$D=H< zqM@4LMM(4^kDXKVLoW@(YCk`m8+dM;bNtaQ^xii7(U$sd9ccNY8}wX5Tvuqvi5e51 zQl+(^4c^csJ|$;GRmVh@9qq%-qWef!BCF#rSTrVz(=H3Cn>4Laiqyf;>fO+Pb2l|x zOo^v%VpHwBj51a2vPNQd&d(!J5!1j2M@;f1n<)MmT+F`Z0Lx*s7qVCLLY|+UX%0f` zU-FOnhtUT^j9(Mgg|oOy96g;ZOg;Kmszwe!^l6sp$N|E(q1VhCLTPhn^$&-`SHr@{ zsSvWyPFF$3@p_}#W&GxI)Z>{306SB|0iQcm!`Q<^fRhxF9tloI<eA((uMIvB?V`dT z@$7whNb1uSfj6QbxqwkR3})xg$G!X9F@*s?aUAM0YL1Y4{2DSs%)J96lDzixPoCI5 zdB^tw_Kket0f&@e5(Wg^?*ohewHzD>Srlj{@LOGNXsSY%Dkcv($6MyCn&PR>wtPOc z4DZ#%4K3=d2^Zlyf;=q9md=Px2Fm1&0OI#2sj6r;qU_BS@%3x)mvjO@{yx|Df13CI z{@T9hQg#<eZ;BgrB6LlINIq+V`m;&aGfyICXoTep(lZ;rU-uXwB7##>2-gQQLO0Kt zbPF+HN+5HPjS;~{Uw>3zHqfh2I-sJ71q?<!7*!d<qtx&QW^4DC#6j)}IWB+5ZG;|4 zyh{!_HHb0+OHefE(EAHW5;^1B6<$OT>Y)BF9<n{d<V@qunU)X_6}pj__M>|hDS-G` zVkM)UAu^#kvrs)dlFXE;tyPel9hRnByE^6w;6P;t*yjjj#$sfmkX22>tfc0{q?&k8 z#vXAn01|VUdk;WH&8Wb>Y84a5WQ9M(Z7#XS1yt%>kaRIuAK2E3QbA81u?ThRN@NYu zKl?wm@+x6Og66+XpPHmcDygi;iou48Qo7^LL#>`{tBrl^OAlbhT1QR&!)vyp;TF!W z)GrLr^4f5c7;qu&0ms51x*M^MwCGTDqG}d0q-vE&Q}ex$Y19PS(VY2&z6XOkTCx>H z2lnUQ8}=>2{VkQ{{Pm0cRH~ddwr=uETE!S7-M%SWs$=v>u9P?h%#*EE+x0Uu$B!Kr z#$TGm+ghD7!yP41rWQyl+u>yb$NFwb)v**OVro1p-TYD`0V^A#5LQyw0OINnqEg)v zL7~1AK*pr#f@Nn|h_gV1Q4GM;9JIrFB^@7H*xz@c_bv&Rk+!TCC|NE9okhoIsK1zf zT9^R);q`L*4HNY9<KFwacVYS=^=lt>e^#itG2qJSZ8$W+4m=Sx_4LE8IXWJyPjX({ z$DtQL9urT!dj$H;KRoSt_p^0G((8N7(|$?(Ib-n4;3tFS@HjB}6`1@67J_-@h8?WU zLYud(I$lyM0chLSA*llOYL+3>cAa6!NBgul(q9U>OVMwyTP&xcz83PqGmZqq<@5D; z?z2Pq4#|K4GkGS@3-qn?W$l1?U50+QJyR#xy;)tdFO1S7Fq`{GY|exB8*K9o;90P( z#szfT#bCEo{~D)4$CY;WXamz-76<?8slae_dHbUqV|<3+Vlz4da{`L|Iesrs&fmxV ze#j!IShV|6vK03zfCDQ;pVGLiXvu6Z$_Y(|&8(auky|mti$dm0mX#f-5>1V9by}@& zp+P#K%-v#~YY-_vJmRvK%K-iZBf8jJM&|Ta+tN=wXH`nt+s4`|fr<cwxOsYP&d^S& zUCITwtB{<?d`dXOVB%5Sxi;-|!R>x1Aw`>gpg}1{yswLF4}P{$n5Q`bJ}71(czlc% zR5*GDFnf66JZ!|(0#TgK`k=ea=i1gfp4EK5VAzIMb+PnHDnRDXy2t^{izTK^TnMXS zF)Q&rKOuh7fId>Z^DKGkG0GDpB!?;s(?Yx$NPN2GpElkb(Kq=fg9pG9aad^J0n8S8 zQb0##5LKz-q%3!!9XAe}(nHDf+kgp!JaGsc89uR~3QrddJ8v5tGGCjF+7;$SHQBWC z7Ii$!mzDwlX<l)>EFm!sV~wkc*zcS3z-53W-$jVFu)zHLJ=*|%zIloWKV{89s=Z7V zXYoq2TK#WOxpjl4JTnLORsEFR%J!!WFKtO6KU_)#2JHwz18Zr{42-rt11l`v{r>0D zcf}$KHB!v3a80ivgoaHuv;{jf&|qH4y|zN}`43)A7^O|QEWIXZx9uidOz9pY@Y%3l zyN2j6x6_xEva;>gyMP^7F(ZB+eEpwPxbxrXKEI^z^)@G6=ixnaygHmkHk2O0$M+HI zdsv^OIOaEYF6V5wKPr_y{pAqS&&_lDS5)<y5oDo$;cdWzGxLb8LS?hG@G|Ck?TDZB zNm(VTX7+zs-J!~MFiU>4(g2F%CwCmXliJi9a|*R*Iy?<O=_Oz(v{aHtSMrK~kQe+; z2HnzPktFy%HyA~J2hv*$6y}@bNe+5d%bR?YWT5YYBST0^WEW>x{|{I1)Sg+_h1&-8 z#Ac;p+p5^MZ6{A`+qP}nM#Z*mJE?HhKG|!1@4@^5V_w&oqmSNayIat%Sx=kKntmW5 zRdd|F>RFS+@+e~^L7Z|jQ|T8fv2TxQLr|He=H@FpB!E#oMRGGhC+Y{H4K;jQ<U-wG zoTeqyy|g9m#w1R>8E@%)K2)2?+?gipFG%}YxY5mAah>SshmwmEfyRep(|qrKyY}#S zS-icXDJ^J^2PYq;{8SU|Af<ex!c72&NPf0#aS7Jd5VxUY`z}KdYqj%(q5!a5%rF9F z1_7Cm9r)Vf)*l}19tikOK`*Agw`z1<@BXE*h3V`?9>SC%X2|#J<|_0P$va@ciF9%J zGf^@n=qS17L)Q;sn!aFc+hkS-TX#u+TJ2jT=;e-epWUU_?Qo4Xib<y6v#ckXV+&%| ziVvyIvf{4+2-tZ2Z6%>#@fqV3@JlZiuWFzgQ+qR%Yu)9h<;Jg|O0to|p_4XxOtdnj z>izXa1^dzz5!xuig;jsjlp1$qz*z+LY8|=LL)dvwyoom4t?*}i@-tXC3@s*-%claD zz;CLw#09b~oiw^YlNAg9%we}*;miQG8UE;k=oNx%vZ+I?$Pn<bwYfsUElnRJQk{A& z4CfRri@ywc#$h0k0-);R!o=85i!R5Q?Zzrvx?aL*&V=7AvNbZ&NE!ukD<~axQdi4O z(N<6s)5m5L6?2K#1EUs6nAV>Xq!r<$W&?vZd8<zggp^k!at|qL!X>*Ke!MKr^jw>` zAkPF6G4IJ9jRD{S*-YN(YzCcXrU(ocZ*QQ_N)EVbLVf2LCyvE?_W<NsS}esM`4RP< znf*7bJv%~^qbuc1Yi1s?*6rhb%G?@hD~AoxI(sr1zZ;opTbKQ9V(kt4ZRPA?8YhYD zCn*!@!RoDKjHysfMGk(u%ClFTnb2LS?4oyNNfEQ=F0#=%T&Q;#F*(R<GHeNI1+pTt zEenw9)!(qvpJMp~{dMm`3XZc8O+%iSYSK6c`0miSsGR84RX$SoCXYUGD;aEMX>4wg z9rdnj#4FVx*drGk8e3bQzB)`S=2Gl6E9VzlNZD#LTc~E8CmPQ)Ra<jzF-t>rk~cVZ zN_DA|^1TaK-QMqqY~Wro@3PT7C(>mk&qjFaqxFE9$IEMwpxNRh$c`RP>s`@iqt8QD zf|gT&ViR3=4`;~MoZN{{8U;t(R5cAj%){-;#AZjDQoN@%bkRL0SG8-2v`WKmyiQi6 zu*7Ma&P3~Y9cI1lKTU(4x|)uoh|Ieoelsu2orYM%_?|t8*eClI-*G1~?6tGjCx6-N zV)1tZzd`@^qV|w|-yidjUmk!40r>|#{wI0e#LdaX!R8<A|NoQW&8jl7i@%Y&Uur2> zLrG?X&>g|y*Lm#HCM=t(+6d6x6C_)MjUYD+$TY8fOUGR}vt{*P0*X~RWtXVcy5H(9 zJ&btT=B`{iHK9*-iO+{uJ8wa+GI3|uZ(jEPLT>i<hGy>Q3We(O(|<r4Cj>3e%AJdz z6Q^xU6$UFFOxS`VW`gh&4d>4CN`~eI;{)U3*WKR&;RTlUhLCZamYwvY?~*ZaQ%;P6 z_~2XQRTQQ4RN94>@J#2xr7;F8JEtNoD$jdyY`<B4MV?~NFVoG8+i`)@ilpR`oXnm~ zOc_cAS|>dIf&HWZJYiTX9PJ(=hbEMbOHf$=R2A0qy{SH%d%L@A7c#g|`ZI?(t>?y! z{O3XliCD7gfnPw*EKP7y>sJssBQm2mCHtOec!h@hGgt#tXTn%RI;m_}1@lxM1M(7r zq)5)HzZEAP?N_i94X*S6F}{l;U>xHDms@hYH=QdV+vU7UPEhO-sXEY!zhrt$AYmD9 z1eND(B57!&rZF6x8%iuxHm~($Fo`Ey#G&IvtsTvfnLHQ>K6`29hrp{lZhkP9$ao{1 zD`sTkl-kV$BsEg_KwFqL$Z}T@{qRf0kFyt>L&od(DpWiHMri!>^ke^_{$O_OSATN* zF%af3az@*74{hvJ*Hsp6BHx9ZirrOq8f3ZveI&v;DH)d`Gm2!%u28BTF3-?T9aR%$ z;GA1<c#?crJbCzFHecMGe93$&DwdyWYG+sQrp<L11yf9{2}XSgskz9?MBWvzEnWOc zwZ7HI@GEJT&4=#|wHs+F=BHhhQe;0P3$%Cxs?Z)Ae^_v}sFC;zR&vZ~+SuVY1cWmQ zC&(JtuN;zZg_4DW0SO!j2#26Va28Tc@Ed|&jy{?C7`$4DrEelSm3daVS7oCc!kEdI z<zJm_3k&8vwgnDuDh&aU`vAcn!PRe>`iZY_=r>!J7`os;`zr#9TyC)M%^7Sh2ZWhK zr@IET@UiQ&JcGwSj^IY@S-|ZCZ1e$VVg{^?j(!>QM)LM8Bv8L@K>KVg*yr7;@gZt1 z9rRkf7;^c1r>lk9yVRGJ8QCkHcwX1)IwOfDSO`VNyZdN#)GFL`Byd$V(56Nu4&>jj z=twtyd#U?lPm<0i^!_PTeB@E#=ce1LEWsAS2o$bAVBCpaJl6KGzYoVRTAgj1cA1b; z*A0GFQ-KVF@694oyzKc8d_LE=bB_9tUUvMaP{8=NmmN)<ob8-!ZGrz33jcQp7i)ON zZVV%T>*X2}4idPloU&Lb^o8s~v^?<Zg)HPz-~{T%Q(F*6OxTTeCe9)5>`d~COLj<Q zz_g*Zb1`$>j99j7_q5-r7&Ti|okpL&NRlMCe9m61lNnlZDoogv{=k!T1X?-MoA)kY z`+-=sYtv!8t!C6<4u_C?M#OI9Q+gVmw;_$46rU{~ovW@?3~Q}|PPQ<QKnI<3E@<q% z=!HJ{{_BNeuXB&&eS`L}OjV!16(oOd_giNcUQT#}+}0L1S?+<{7bsenN=iVYxi(li zHNx)hRQi}}46G2(_Tog1v?7zJ&AP4}s_sC3w0?g%kct;h)tt&zH^lB9iaAym9L}P# zsqRy3m<K}tDk2%wB^@C{bSgm9_Dg^$^*}Jy3$IPS4Asw|46#&E62aIh&xOS8yRY+L znG(pxh%ESBp_|g&)Iu?&8TSgSnc_SJdxHs<8+1la9WU*k=Q;!6>0ufv1X6iK-Oomz z5NL2H#%fUa0iBildBy`bDKlw!`P;Ra794?|+YW09S>=J&hYA`5WysXTj9mcrB&oqe zRKGulM$(9T##*Pt&rVPmK-w>xUld2-uQt@zNv9#AUUQlBfXUQW@_SH|Jw8w7MRd^7 z^^Dzv0;b{zns*d5-O6g5^MA4Hl<$K4XM+lahbD4v#X#X=4;3cWTA(emM{`Q%TT@>- zAY0RKrL7a=`w{}svGXF|bxE~Xj9G;!i>KvX+fiqO*}Tnwr5iI&Bt-5*T}qqDe**gq zd$$bg4bM|~&4C@}fZ*+0_-knlj|o=t=Kzq<n|3?rji(8<+;(b~pS5G>0wNE+3lyuI zOGNYI){Gb7tBoC<UfGg*w8KI}sNdCdsoXhXuz1m112I{%bWQSfn2(%&jA{bMH|Ls5 zy~_&Bv3FGCP>RG$y&-JqBVaa#*$GlD-EZfLHDM)t7!(`8m#EXOhF-~+l>~dIgFohO zM!1`AZ3VAy(SOo#8P%NI+<fWpr5&MsLWRlK^?qU2!nZ_)n#8OJwe?^Tj|b%*3Qnpg zf`p%K!6kECE<<TGEMj2p;hrle{IG7kN7DA~E-zC)n&M~+ri1t<$iH@3``fLqB4S7# zrcO2aFnX5Ke&94L4ph?6Os-}4Ft6{|1Irk9p-+em3-T+$t8mdMX8~ik?^3tQ6I-U_ zzW3gW_`bjxjaHoGrJGBoWOuNHYS`@?8flqmEp*DWa78@Kooh78-<*f$k+3MRI2(gG z-E-4@7MP!xkcANjN>nncA1r-;ti0t51s*JDqAbs~mF1=7jgS7&Y+(F)oQIOmwdj`R zKx$aR@hbyD+$y(4q>-H~AzKa0C^VHS5|KrK-LU8M>XA4cEXA9w5o7KDdN&#f8zVA} zaE}O^(GzGjK5twE!9=K^so78zJtU)Dr(yxMn-P!ROv*R3<0$($UrVB(D6XO?^>d`7 zbZV;qn_cx!6<}g@zP`EC!LiC}@)b_;=uV`Ig+@})Pq*E<85L4II1%yFGKjOKJ8;Zw zRQcwo<5cENu5X(4J1Z3$K1L(1AztT@O&+6Jq(21E{!1fK{xRv>*eOx8z7ZB@vBwdO zrXE$)VS7AvlyG+?9xg6kO)43}P_@}^ntKcbbG57ta!Z!UYlm_i`w+B23AnALalx2H zFP>*0A)wvXA-KgwSf98ui~|&?|F!9YMlnH`EQT)$(IHUZJ6u^wR%XC9&LcrXUwe1V zu7sEi&4M(U@4DJ%pPikk>WudFOU_rJ;wd?f)0yNkPg<s#-vLP=QS9FWV}A<cEgzw> z2)jlP^7HQuL=y%?F3Yk~gyfxI)!xH8xw!1mHI%j+2jJDN9J#Z#8{)J~&{%b`jmu(V z38>S(j}r_}SOmRiVQb52!Q44vKu>2Uf^C&v&+W97l6Yn<xi`Qi@A`i{N0T*2duxK| z0k%mZWOWMH;Bd=p<#<q{D}y|+%j2(|7YYa-ibU7>pA-_z*|qJnoj0*o8g<Kr?%T>q zQdduI2b4I|zZ5lfkh598n06GN(3BN6>*c&3o)PuDcrR2J)-qQnZP~ia(mZV@lNTBS zxtY1BO1I7y@B5Mj-BN*`mw*TK5M;Vik&}>rn&J<-)i-F-B)s)XxKIX8raOD4D`~Tq z*lmjoR6za+n~)eVjPL79&JbJ_?S+yh&NpiZeNuv>@jj>nBNl|{ble9>IX@`5$*DDu ziiv<iCf3in?lgHcyY26?Ff`R<ek==6<2$E1eiO&hOmUCzVTC_sme#d#J)MNplU<Fs z7}7OU@t^Ei>I|^5sc_|23J#>*WDTWmhMhq+nx4Vq31V-B$$025cj3y^6&UMsc4zHw zPuF^|{fDH1DiRG3ba$zsVGbPN#ox}FQK_`+>amA`!_A*YrbpPm<Gp158OoiZVK=j= zx8tNSKR;xA`{lM;QVH%04<hb57I&kp2M7P2STWD+gvcXWuO|+UTbp$EQOB4g@m{P& zVl^*s4ZC&)QCiXb`ir=|RuM;$_fH86f0a6cQ!#sJC#2#D^{g-kjgHib+`TtqK7w^{ z(EKIQ04+{rxEZ%*!&6>3*C4!SC=Ey=PaHb=zK&hG4hP}Mf(pzvIZ8#yW~rSTV$uRP z`pN1dtAu6ert?q+-EXpn!bbmjeKrSwtbH0bXgFL*!kNq;o&aV%Hru5D*pBYDV$0c5 z<r3OX#*#L)kty4=Y0X4g%foIf*Z4CgcS}_JB4`UC^tW>KGlWGx-e&y9qo{G>+)|?K zN<<u!HFxK}ee=+CESQ`&)AOuFjMqNwkZ0nCz}rF~#rhZ3*i<HJoOlTir)8LYRWYQl z0z$oYwPy#bd`1REM~6qt+uSyHVb9}Q?6d1ko+k4fF$54T0Kqpmh1y4F&-qAq?5{g? z9B3HiX0#x%O#Fxk6q(a+bEWhs^g{Og+aqh?bJP0^a;5#cE@@NT)*>~o<_nya^h8um zoW@a8O_uCJ=d5s!u|~r74DBmQZkkD(=xh@!e4>z8A@ydut-y{cR4Phr|JZ-@H)1LC zjZ^(olP5z1ng3xE)<LmS(gO=wrJQn_4ym2$oh>z@l77Lhl*{K|kvF>7r6%PMwhps1 z3>LFBHmX?wZ;Q~x@D$#Pt_<I*^!w=U)8c8n7Gcg4q~*J?px+oA0x5QQe8j4G^xA5j zK<1?loM_Cb#pWCM3$)F0TbpbeG6Bhef$@sAOeX}N%OrV*$}amOdl9sQ{cSx2#XKs! zey=FHpVaTA*N3u42(dzo^!)aG7s{hhh|%ROVfFr%A^!!erpnPDAvxill6;I1E;yJM zQq;pzFxOyQ^~avj<nyQQVvjbbEfl$b@VCnrNN%KNt{Ev->l<@)e1jfh8)U#4Z3ogp z+cI8F-kkR<TSV4fc~UR74cK-9?x@ECuHSn9_ezLRg(4aGuY6qp_YnQ3j5Ic}b1*S7 zaQZi^({nX&u=y7S_iturGR=rEzyJrB?Jlij@(=nALc9+_P(Lh#V@dg2B@4~ovp_x> zlzu00CsjvSrA@KiQG)V3_*fbNmb~2vBW1*9>eIrHZ8$B*Oc`v&SsY7uhxnGSwhwIi zeA)VH_RQK)$3lxFxrB-Sknr#kc=!!%h3K~rir&;w-oD*bcmET5*tHT$-H5|R&gZ`X zcBqL$EhGp?9~KD6um4?&frF8`g^P*a|2NS6w}fVOsn`uRq@H)RIs~wZ>H-muQ-jFI zdB|BQL~F1g@L-uK6q(J!6(s1jt*5>>lW~ilt(isW`l}eB%=jmFQ{op-Z_$a#PKxTP zmV-mt%-pVuxEeJVn$*KGJ_-0gYL++Go;<oW$2#VQ>pj<!8c^<P4@_UxHeM%kG#OC7 zS=YxqLpqhZ;;oMQY)BC+=T9@x=Q%g^nGK@YQULAv`=9uC&*QM{CkN9|m0F3BvWgTN zzv`)rklPoIJ2bCcx++|_o+G-o7~7VsE!}*!gBPk7u4R8O?#lkg+@=&B+Zeyv?L{@s z_Rz6KTb&aly%D)XZHG1~q;6hEhXDTMnq3nB$GuUjRMEA!TGLiw;(dHx*3z!+U9nav zi#FOqIF>DlOzC6`5Nrk;1;TOFlgViq=+s`Z0^tR#7~i1qn%Q+Tj&|F@^}jHr+m|UO zbTd=#{rh2rR^(OlsObGW0*~r5QPEVpFf625oP^iY;Xw4F?>y)a&_7<!F{_0Uzu?#O z-^;vavP|Fo{k_LQs`ln#T6Si#yLM{DS9}7DW{OO*lB)|C1OsyG88$@%b7QS(lNwtI zb{k_AWDD`2{{qo!kwzFO#*R%N1|mYRuZ8Pnu+#wOVu-rcsI2Assfi2$5@H>6C|+Jj zb9x1%KL^eKl+|@K)4gpe{G>fpMP`32OPG*2CRcr+J{MAeoi^N@x4oqZ(}d+JUQZYl z7Woo1yBRBeromP`lHEiGqFpGuN6?&vl{K5!i2TVLfSQ31N_G;-W!6E7>j5ebxggv5 z43%k&ilHU!(rmo{(2t|T0~BGM5@N2>4E;VtIt-#ox6Uj{C=l<)2Bk2Qti&v^*-X~B zGowZm#>o3a0wRoJh&Go9Tg^>{017o7RCK0DR$gq`9m+MKbMKcqmY9@|w`J%;q&RD5 z5)9!KBab@uWQ<E3%P+i_&6pQ}ltK7IogtxME4NXlk0lAl4Pr~sgNR>I&3sp_>G}f7 zQ0h`TegB0JJ5Sf%b$?f8Hrvl3*O}ux6;-pgbrozeSITAS>b7YKeWD6+#Ig^961Qhr zL@PWR0PeUC0G~CkIv95b1Y@OpI2Bc6Xlvlde)?>}>T{`Dx^l7nXv0m8r&fA2Iia_P zF=!Z7c#KXuL(Vtu8-8R^Bi`SLdB|#i_I)$ri<fNOQngQw9Hwnbt9Jno$2An}K+-T^ z+!;4!(7#Qpn;RBhUFZ>%b=_$Fp-{42bL=#o(cso?b>_OJz`gL&lsoGbGsm~`TRf8{ z<T6xI2u3YT<t~LOojxJdlB4R~@4q5m;yRU?SDWiwrx4@+nc6%R*UV%gP{p<X4Bey4 z*9yxPLbv5HI~2iy^tp5v1=c!S&PMEN<Bj;$DRlt8=ooRH|54^^APRm8TRSafcQ6Y2 zJbKNgeB09+l`J4a7}~zm?}hn!7n(u^J=}UDfK6el*S}r+lVv3-`mhf#BDyNcJQyi< zieCmFFpz0Q(K?Zk2q(pz!~~CWphH;WV*&hCYqqFe{({t&-d9C;moeQwmT=_YL2=VF zR{jx{bJWpJ<ag+A1UKX-yCn})&hh8qYyCZF4!MqpeZyM_1umPyuY(B&6zWCze6R!P z7~r1Qan1iT*^)hFB6*92J<wLUd-z?uttjJkFvfM<K>Bp0&!pM^I`#Y$2ZaIR#e|)Q zeI@}hnio6Cb_+ViI=6Y#@Yli^HvHzxMOjiY`B&u`@1Pz!cNxisz3GAMD6jT3ry#xr zcOYG?9HYJF5oBfMa(JJtKA<F?!O<k$wyq#Y1><yz06)6%UvU02#*0k@FwpaZQ`#dY z<@jhtWd-%OLDHz6tTJCbm6wDUm>kVK|D&J0i0>C^3|4E_-V+H~dMubOEzgs0f@l}a z_3yS*UgiMIF$%Tgfh4F7WU4Z$wPS}>d6yJNbGPKRKYa&+0j9%mnxr=_oBfwAeo>8# z3WPn6kD^kSoj0o!wk6v+ms!{$L1S_Z2`&`mTx38ji1F_*T7eCCuZ9C2Z`|wNuiR1Q zKA$-5K@ZWpw{Hv7Ua<wH)s;{_f*N9igF_f2`y{t1_-^yRr}-|UjqNqqLz0LkNC*AC zb&bOPft0Ni_g~HGDQdq?=7#Xi<=5kR_Y}e_sVCixj$!(o{;LBy21c+s-Fp{E;L z;c_p<qI4tQcJXCDdPLY>1lP=e;~V~!rh-JIo9E#5N6sxAQu>Xntvlv%5;`4ga0>_- zWRF^c6p*bc;?xQNFGfR*<cNUvZ=*#?7~n3)+nx9u1Q}Z(FU9zSH<dxqm<n1qwMFqH zC_~G2MEAnDa~Grw3AJ1Kd_Tn1v>yA1ewB*`weD{bL$gR*N9J3ya~X)gj3+k$?e36% zr(Y|4ir^hMz9g|Xh_XKD6Go7P4=)hdW?Wn++$gwwgfRnwh<1p<rAe#i1CDe1QL|=u z_X;4&rH6a^@WpS8pb-NR$MHYq2wi%2wtC$De)U^7s$nc#V0pej(|S5`^H8A&qE4_1 zkNOt#q=h;f3tsbih@b}OL5N4W3(0(x@TN8_-WEF%+F1Hv1i$u4B5+2EE$zZC^~Arr zHoe~CbbNm#Bfh%6*$`)Q%N8g48$A6-ABxI*WAFB_@nt~>0`iYi|9=}_hRzm1V?ApV zCxd^7{M5gYzRk8L9lic+Zt;PbC6aDXP`Jf02=SJ!Me#0mw3vLmB4*}I@d8OjJh_N3 z&ly7Jd^%<Xmk0U5I?}t_&DulD<_^P^+S;|;+|T6jaliF@xU_ibKnqJ^ll;J4&HnDV zXu23HmsO!ZzpYp($k2IB8fe^;8wHh{6fkJ0`hqe{x+u~Zpc>Yx!rLmn&>_+J5jYem z{+jiP0KRSbvB_HTWHi}rc)(5C_%qUx8#EiMl|i|08|d_>T;%=tMU}aNXo7@@sjTDJ z$lW4!DJb%pJf<e`)JNdBMoUJ)-&Ytr8{kNu;`?n<BP^-aNDgk@6N$soR6qbV${5-7 zz5yMU$?1a_eCEc~m>aYdMKh8Np6Of|*%je;fefB<k3rohVQK)=8R`j4&?oLHq}+hX zI9k#9Qy%DhBB-C9DRqeYIIhtRMO$R$F{+Ji3|@7Q92dcx5nxDT4?*3uR^?E!vsFp% zN+67M&}p{*OJZoH4h@SixAc+5A`GXbL>t5?A9qn1`TWhoHqrd`F-=1*!JD@MTaKi! zCH%qp1I&M(a<1CP4}QddFdEd3atC2Mn-$woT_AKUIm!xaEfpgBtT_()nZ4u19iiAq zinu+C;_c!sX5_E?`^}m#*I?^bfx*(#L||QwS`G)=vFRtX0Krc^g83z1v%OpvE^lEe z7suV4KU4BEZG;IY8Cy&{^>f*xDI8Apb9EWsLnc>U_g52AMPf3@QiZbF$Gx}g;L+*( z^Vj?(v_@7aQRGJ4T&o?u8d}Z>`QmNW#X|wsnvMX<4%(Uay%UCJM)uwNqd7FTK<+Z~ zw_Erh=SX~X@^;OGBn>V-QN6}QvM!W!e<5IfMtp!xG8!RP;FZ(I)9;D;&6)szI|D-J zm!jCu!uZ^L6umsXb#_s-EiKXdH+`7;vwAo8mQO*ZIWp-k3rS9yHPTM_nQ{W{PIX7V zQvT{Wvb@+eH?XhOaTIn7&Au435teKkFM_!p&%b}06%~VB1>(@Pty;S9x`k)lKH~&r zAO=SXwao=mN{okCqFK;3SQl804XOFhFosDB4Kv}W%U1VDPfx%6m?-KkpnMNWO%rJE zFnRX17}k1Ja4-<PW1#;8hbYavbAfdp*rrgbajqkFW0GDGV-WNVCd}C@IUbUY!{k!6 z+q`_>or7I?egEqOX^X1i0aw*U-*`?bYT{TT5YOWKaOB2_Ov;B4nt72Xivp1Q0VSpk zVW7bmgwdQmw>*)!0JOh-<z;1?Q3BIO<ZN^JRa#i-`<jbq4T;CeRduGTGy#A_MRdnv z<U9TTVad@N9e=ML(_48=B2@L}E8S@}F>u<`b+W=->i97n!{Mhs?1|?%@8#^8E8R<P zrb*_J^=mm%?r_?pf**h9DMGLGZF0BkC#0S?kJX4snx>XiAduOF!v-GW$uA`@AV`rH z`<iL0!%2anrwjft)Ee2ArN?4d*4B~u7(JR}p8h)9yI|IaE6~b8Ohj~yQt`*PbMhd& zuF9flBmTYl%wWYV3Mp~0HUvvkB^P=>PQyxHmm}tEx|$&fyVoFTSQW_^35bkg`5Yh@ zalrI9FH!TMOFZ9IBF3%NwUq6>R_=s1OVRKsJGhjK?#pZ|M~|;YQW_Hi60{EzL;`I! z@mf(KJZZoaM|UxrQ>}=8!ne`-y-R&mA$y9Au7p~jcl=20DdK)YE%`|Ocibh5IXqCK zI9ZEl%Czni{*m8~(8-+Gl!}0kf3xOmmR6<UB-fK4{{DDD^9n!|PhbxYABcoqLDm(| z+!<u;?2at;VG-E1m+{$euu}s`ZP$y12yARv&Dg6nstD7kpg&#KzPh$hdv|-^U&DRJ zyKrS!40?RCKlDNkYOM@MQFSd<%9fe&d6v|^j~&rZ;X)B+Rk5_vWHCnvvhpazQ@j~O zO{(F(e<cX)tIdU1d+qkigJWCgH$`VoCzVZ^tWFW_QLuLp&h?WKxqxs<QS>n;jfpmA zA2BQd`*1)uUk^{p)D)4S5KNUzC2^oz1TBojD5LlnT_}6n96}z9v=q+Bo#%2ieSfMy zEmLx=Is@G#FInri?g~B<Jd|zfVw`aIGlCl+9PHjO#c+dH9sl6i5wF9!;r)4?QN5!0 zcvbNJ5a$wlV+XF1X%MnT(ZFK8S!ocTkCHybAY7L$G3Yi57UZxLZ*TLSXpSC*b$Eq7 ztlhvBg<rJ6!xDP4rP138t>kU<(8XS<ecv420o<z$Y=h5ILjzbQAjy64=7!p7%n-$a z8A9J3ZGA<q0*TtMDvO<}R?}YG#(f$X*sM`0&vmgCdvF@Pdvzn?`s@|{?zZO0@yWJw z$){NLuTfD4_qgl4?*r%IZ{g6!L7#{G{3DBfJjD<;qJAJVFQQUjnn5!imc0~z#e)lV z%@sz2y)Q<Zg0s)GjaazDD*PF(R-5E2yYo`ah}+;z$7lRgZ#oy+=;pQm=0UjB^_2k` zG7TS|fdhjqu7yEc;#5S<JQ#rIg&BOC+iqUj>6LYGcG4qxy4g{wiZ7cnosph11hfRj z?ZHhnVj<dfV|n~?U%X`4{8nMzWKmF>M5Im_@(Q#v_t{i5ox3W^pY@C+t?qb@GrZ5m zn@w5T#|2&!NxTM=ktjWLk9-;YLwd=4-KfVqD-=1v=h>%{uELGAAzZo+O{<H<eYd>B zPmI<4%yipps7Rs3$x{P|RZIhJXS80Ajgt|aBkVOFL96~})Uet{Z%;Q-=Y@aVybOIO zeMsfbA#5Y<52FP<rk0HIODoAsj>;(-B(hQWhIhe`OqrbTI<tVS4~|Un(7_b7G=q9# zSI8saL5j7+b8Q*aYYETBQ56pe)($1<v;_ri8<U@#-;Pm&L#skT!;7@=UZ2YKa0pO% z3qfnuU&qP0cqm1)6E@ouSa9|6XPf98axu7M4%z}V`{KUkW|boTCJ$e}j7c0v$FgYL z)rnJHu;nCqwwR|r{|N>`>Vob9c~$@o5a<cS!1k;)yum9IJUlqa-{ExY7LlRiEPQ!t z%EJl`9$J=>=t{`o;U<yxojUXz({*Y;S(<p(y?WDQxBdEi{dRr~pOO?2L(VO2aB5RP z5dz$;FXLVQKn!fo<$j;Y&57NoBju0k93YE!F}e&ML4Ee$31kjO;o@X1N?hz_-_gn$ z8|h9PVbAz1&_K9l!H&JJ4IR!IRq4h_{IMxPPIc~EP-<mciJ9Ce1iH1DSAg2zqD(u6 zxj*y*KSM1Vkj1CsJ>XN%<BW;Fbyf5%3)x96<H^^Wdf({iN84id4$X9FVnxcFvFx6b zkEmJd@QIdfaQw5B#=(BxyaR~0^>65lMS8lA1|A{ru#!or;ly=HT>k=Rc`gW7g`pn+ zJSLT%$nR{zmxNpBu(-*;`XsJbQL>r;7e>2Z+Kt#qwWrk~dj&6OAn5ThqwI~??rncU zC3%kX3{57)8H!FSu|_sU@GoQk{HAv2(=YFVnE$cVQK)z8poRQoSC-IT%_o+)-mc$B zsV4T6admg7hhsEKEVo#;{F=#X*21@wb^g4q>relGk%OlY4-22De`P8NC<yxhR;xxp z3tDC-IukdO%WhvU<v&Zmz1TeyH%T%#0c=PleP9A}c?D7|6J&LaYe-4EA<6K_3A@De z&Qi1?o}l>9KW=KKrs|Sg*4IndCF^$}bJtJm<pk>fNl4Q`3hoQ3pqdp5Wwk5nhl~lW zu05wWw@CDJU(ViF-oNfb5MM?%nVHR|vmB4J(wYBRKdyJ9a7ONK^%j2H@RfdZw10or z!hW4de;OgQk{?W2yu(NCWVyuN^gk^-%j|s1E_m-WZu{;CA$sdId`*Ball>*U2t?GN zzJ6BkefeBM+)T>O)`+7hoMt}E^}0aty#Ma%Df5Q${EF{Jxt?JyT_YdZY8y9fZS<_r zF@CXszNzo*&p~`CM%=y`{7^eMb+O+x42+NL7Pb_<W&70thlS$`r<-zWkvkO>$uUO( z<l!x~)3zj%yPxKO=d9mFJY60DL3VlN^)m8pq_^L!@(oD&-q5q!QSqKHF1+Xa+#=zr zlL+wqockfTs`@4QlX|4Oquk=jd*1t2e`(^dWbnJSCMeJ&oBd3Gb5D?FCNFjEown_k zZ>Qk<`{o<gm$j&XAF3VRI)K?ux#v*hn3h{v%Dik}v~Xv)<bs()mV;)MWrL%+pl`EZ z2C<s?$9GFHTL#7(;FvrT_I~}fDj~VS-e6IaNvDUb%$jlKP0izsEoH?Rr_KV`f||OJ zk}Y~OaP~lRVVoM*cWo0Pj{|No^9KMp8I5bPz(obGE%X`D@obGL-Pg>eHJoDKGH98{ z@5fHRrW6PHqIpl%*;<^~3T|MbZSD-Jrs~i*>6&Cgy#eQ6_n|@|uMcMG9NL1JCXitz z_=2XM5<&$-bFKN-2&`J1Z)oS=9ol`E{prS1jRwvaDmLneWhE%r5ap3GyALK6oyx{9 z>eecFj69BxXSp_MRt=|etKnd(B6TN8iFxM_BNHPegN2I|8h)SZQ{z%ZL&1aJG^*$U z4YkYu>Q<Iu2^QC!$^-t^xYxNM^<qrW&{&X|C~pQD!4to&N$(xu-GXFJhEx>q#IhQ* zfY#@@VNj&^es`GbAmGPaLz)SDFL7di`Pr2TQGeVFXjC^lseH=Pq`{MRO$2o|5#aq~ z7o}HXpovCD+_qL%7t+#z!H1jBYYK<e!o)m;jFH?yM$FNc>`nb3DW=YZoy=-#gO3nq zqm0dgU`t=!v56a5A8<LOdL0Ot3yB|;MSz%*Fhyh%NzY^cBeKD9n&u_@CW5^<o1ujD z$;b<m72GfL<F|NPvL67i(W%HjBa)b|Mlt*S=dM$yo85q-$8ypT^sl<vx>*@6nL&7S z4G?L&%o2;ffE3YP9{qQhwnU*zi!`51ST|X`&cwzPdwKbgT*rSuOr$1m#E!S&o_20x zJgc?k(~<!ZKU({~xlbRwT**laW@lN?sw`$x9fvtM#HVZhjA>Wk00N)X{v2+HOI^i2 zF`vx4OIMIcsD2<le|xs@IXO51!=$8_P76|^I`V_#dq-FNV0b?k4p&kt*22nDsP)I> zEyL*TR?OSGbR|1#0g~a@<X)i1fzPCAg9B;AO<_{Ekf0D0+>bCVbM|aabS4wg`6p{g z2&>1)J*-V*c^83fjm&m1ujP%CccS8w%)l=YsR!&XC)Hn)G*7txzf$MK8VPJqR8XAa zlD|R2t<yt2g4KO`S%!8lx!^c9ofI$@*Z@J_JaGsOBGJUJ=y(-Q+Hlsg?7(YtAVKX) zt+>l-3#>b3;ZrDJTRg81h8;f?1>$M(mE)3(b_GmXU=Jr66{-o)9C9!V0lT=O=#^+J zXdwF6S(wddt>4MNm`WhFg$mp>Dt=P~AM{V7*`Nw*En&OkZGMF9L=QS%mz8p>-{-|i zN{gz={38#=$gJ;p9NA3p{rzSSw_o8ybof_x+Q4rzWeXq(;fSiApWFmL=m<p1%6avg zuD(e1Q8C{)?djNT<p*#Py>r7!#juZQQbktm#KSQY#36pofl^7*x;=?j?2|GtilK1^ z44ppMbk3705zO~OHm6y%&#DGG6NO?Fa`$BNwQ8k;S3@48b(z1PCc6&oy!8xX(Y9Xz zsfvT&gqo!W<WZyFL_7?Xjp}qWkIc;7TW5BP$J0LqZ<lR>>E5s(Xs!`PFKlus{P`Fj zU(TfhX07Zav9Q>*5@!S=RvhU1;Vi{F=O<J(bU&`h8R)GCH6OhL!R|XwRZ=pywpvQx zs$Iy8ZTv>W#<{?r$)}=An+7Xx_mpk1+DT1<8IvkZ#bAJ)W5#syge#`-5l%R#f_O&3 zdOZ?V_|Js+W@jr9jDe&G3d6ia<Ge6(ka1jMKr-*LY)K$ZTyYB^c6ahIT?)hrWGl;8 z>YZaLE8nuce|iRm>CJ#af2wq7rIkJhj6m)y8Hj}fixI?c4u`=xbw3KPlvd62appX> zgM?=X8p8V}eN`_2h@a>z#j?o<pGRb+U2{UVX>d1^(uri0^@JAO9LViik}(wcve8~? zrYt;9oA4&uEKkX$0>f_;FfHRN#HYePn&XJ$rOG8&7RA*v;t|jM-m&r;^F+o=xk|Oe z*Pfs!D>_*_H)&^XXa6w7#i@^)xOlRz9p-;$gJ&I|KQGR=t|BGwoJAn|ua{tzMQd+8 z*2)WalEFGLwiI~tnb94ryN2MJWUbg*@E5n@!@rwn6c%!1J6#UYk81PPgSl<hsKF}K zPbhtKsnHJDKI+xJ#+~<?x(jt)EmEu7usD;GRhFQU8mb`NZP4WxtbMfmmVpvXf+$EK zh!~a!AsTLsnH)8i$Ir||<;IYp`0f6FE-Gu~f97h@(S*ce>s>O3Wp7&W%>{iHKf{sV z&PtM8kqO+(hq@@ZA>_Og))J+23#X}j=J3cYvBlN|INNrGbg7Jn;W4hv&hV34YZ(f% z7t>{wJE?bT+Tc;Nhj?^@?4u;56}xw#uyvl{!^ZiQSgUYy`?X0+uAVP9Mjh(Yx(a8M zq%^=hv{W-$Xt7o^fWeypK7kMuH78T}$*r35bQ*b!$M)gea1uM;Ai9OzNRYV45uN!5 z8lf1cn)7IvsSlSmZ7ea{sWW>FSrVy(;N>xuU}?N!Vw2ei1SVujsk@YC0$M+TNT8Dg z|6WRA3vgUPQp;BV$F;jYS&VFI(uCInEx1`SVst|Jt+7?dyoJ06oCDvjeX4%c?i5_B z(YV;KxLib%%U!FyT?xVq$AADJ`pWJo@g8Q-&ic0O=PToVTWA(w%K+<?KNTB7v@r|t zC#;{KOSINXN{JJ0jI&sf!NPW#@JMb{!!PkhiI+|CK(r5J--XmN?mNWvAtGe>*<bcY z>M%JhGPvAeXAYHb4JOeUKB3lk1O%?0bHMzVQFiZJAsb6ma1oXqMR&#(5*DK6Enr%I zl`I=EE5Q`<t(X!#)DM+oEXY+h5wQ}rz<q;vpd8$7+@Cy#=dMMmN|`}CPdkyes^r3X z^m7)9u}z`1>F07)D=UXwB5ejRWct}^b!$1DV#i&=rtEHY+TCjDEv;KOE<>Vu>@FnB zrj~sIQA}x%?C;eRhV*Ennt@=BvRUoS$d5`db~5#1Do<~J?j2n|sT{-rBUrA;QgI8F z<e2B^Puho*F_9SdBC90RMg^}+EAt>eK-{ertJ86_G`?Cz15&nMJEC)k;cvgkyj-|+ zMNM);_YBQ{U+L6v$c4>EI08M$EQ_kB7+Wdoc8zg54N8-wO%m8VwSI>+!!nv2qVF|E zim4x6#S%r0v!ts!?${YyRhoGK?|9_CDmK_Txc!FT>-i<z`w@eK*$An#hXD|hs2aQ% z5Nb?%yvdJVvzm+`rXXq*BUkrT@XY-F!^j1GbW4ODg16|fYnl|WE^8h3@KEGQF~(bc z=MAT}?r&N>U#3etFpsSouc9-D1`+|>+k8F!fxhQB9ZYhrlAHzXs~1N1<X>mb1iA6% zJ+42O3ITA)-3$~X7&bt4dzNy#dx&XS&JKJL=i&HY`bdh_{b+84OMT?wn0;8h8IaS` zFw{E3MGdFMMn(eOoy6GA4OtHL-Dap%aX}al3ALP5GG%i&r6R3hGpaB}mem<T6<+5k zIfuU+R%ECSit0%`-&ylsE0@R49*1N=QbnoU#m-~GZ|%ALr3ZHan)bLUgF=?Qjye%Q zg^J~3e$o(gGUPmC@>qPXU+0K-oWI5ahtKlP^g4n2yXPv;y-+-ct4wr<=g#i{;K<7f zlNFIA8LgPSg);0uZ;#{|ie|<^R+4Om(YW_Tk3^g_WicRc=CFR2KcO4u7f7E8i1rRb z4|ozrkjMEs3Q@6kU4Zo3h0MKi20Q2_-N%BM(c9*0Q8-d{$UvU!w5JNDijK~2G*2XJ zwbagqC3t|%m6J{zICHd_O|(YkHCcD&e0XIgEB*K`x6_g~j&T0nKfq#rOXz&6-_fCi zcJskjp1+!Dlzl8;>_EVJP>5hp-ab<U`av=X@~P2DS4O+W#?cpihV;R*C*Ic95wZWF z`N1;e(8AgVK4<E|54{0REvuD%BojddGmM^#_3lVSvk4_9WY>a16HIQWZ-ISIYmX8^ z?(USPyQOT^G(?f+VR+QkEd4lQ<KjRD(~lC=>dr*gi=&VM<&$f$_n8$&vsrb5)(;t0 zyz)qM&p?a3#AZR&d)gj*Zs8-3Q2_YXz43b);F}dG<W7A{;{7Vh(5hfyNuC#p>emCq zQ2sPe;9Fx$*EP`hTgq4NPlfCvxpN7BtbT06n;H0!eJ}raPAmi%ci7)Tn&54742eK6 z#XPz?Ym@wPb_;-8I$Kl(0jy~PDmM%RIaXBpnIMWN<(5(y@sTk8wuMc7%{G(9RGPBb zO%JYSBaF0x9{Tzq7gnV}y6Y?3QvZAA?ANF4>--p|GC|)bNM6$Qh~Y(%1g}>fq|M3% ztAB51z%^aT`aoZgJMY6v+?fijxvBrL{z6<J@MQcdF|uD01-$lPl-Zq*yS06?S9C(c zg3Vv)n+B!rRD>oc6Mjux+L{-2u}DU9&PF;4!_csnDpxJDQ>9(%Z$PNo2)`2TRgl~> z%bD%1L#YdPG+F_zq_19>CBG-V!l|u>WkH=D29td=yX!=`i&|<@pb1+pXuAPx+%fZ< z-rr?`hnHH>Un~J<nkO4UHz++j(Kiy2E>xT-Q>L;x#SLVFol-TR+VvX;dE0qcuNo-3 zgK!_SvV6Znw*f9cWq%Urzau>$pNA^Jr@eI=SMWCS=i*Abp+HFI@kw`~z-I+x&z^%V zY=T0-Z80O(x<>b3%&a;3>8xNJus*qT`GE3Vy?a5hkiS3_iT2YSK8KJHtMDr+_Lb;Z zECBX{wNMoKYu`mzWPKuS5nP@(jQmY1ZjRbmpOv$8QzBhc`m8s6y!z9<|8}S~z`eG! zBJ#;8KTFxotm(JlHn%Feq2)%DEo~|2y60hQ%67y4^z1)Pl*1SNDjJVA=NAk}Uv3Oi zTx{)Ae;fpU%+tJ*D~REk(6}N%t=62R!RwCOcS`2rIsq-fB=g##M3&scgW$%Ez!u-g zyAGt&GJODax?9uSqwUoAbT-waQ47o>WHb|RuA<Jn=*8`siTx36=x_eZ{iGhK_BsS$ zWAc?Vfd?-WM2jU?hoF+$Cu034gkFr=C^SE)(t6;%mt<RKAU%)V#j#V|=%2!HPD;S$ zf6Q%2%MpMXR2HfoE8x#Ec)AX}Q`Mz3DdW}Ql(Fm$m30j%VN*e?<|onaeg#c{HY^D- z59gnxA)w)6Ry4gT=_{)&q*NxmGu(?bj)6Hx=1r?%-!DSoeIz6?o_euystGIgok&<_ znEEHyfWyhiqo+{IJSs9`Hl6=Ud<GCSk;N+293`=WsX@BGO-Rd9%DDevLN||mmC-Pk zwu&%C(nAoF+3&ZD&h&90W<$cETT6>yt|^W-AF|gMZEF8fy)OJxz?4xdAd$!1;*%m= z;+sEq1}g8M+M%*WWp@w!NeX8%H^5e?N*mW|!F)&^8g>8s4Ixg6vPS@8Y=fRQud<%s ze0<sUmnsR&hKs?%t@h$Y1vNrpuEa`ra}k!zj{K>69EkG`UKif)*p*!$mn)N%gG<S^ zryrdmYfn(xXHlRs;3H*Ws*w`8>liKv_&nK#Gfwz!&>$R?i9hs&FU*%ZZ0%rn#mPpV z)B;L(c8g{8-#YjT0(r-`#N=`xMMD(RJ9|^z?<fy{K0NudtgncPeJh?*=<x;P2#V>! z`9PK#aGn3AhL9g$A1=>l4s$Py)X@vJx=_*^V6~HklLmN=Cxb)vmCxXXWVZ3Z&aWd( zwWQGO{1)YQ6X#xSzzGp4mTGzmtemrjjf4b`mx()+iyeC9WPK$ub`&1M|DXd;k`}nF zZ3T0JqJ%u$>JOU~Z%vJNq9;Dq6+P@0pUi=egFja&Q|VC37d>MOhMAwNprXXw9@3|k zZ4E`zJ#DvoO~27#_yC^P?;YZJ+6d_7>%S^V%HeUhYWE1_z|+NV&lp>6G8W<S1BYfw z4cdnM%^1s1n6uK%w!XLQO5ASM%LIStHww+zzZPBpNqG|f(Y<O_OPA7M=sOi*!gBhT zk~&UTg@F1<L3NzSLSw=tS9#9Cy*g>d!M*Tjm!5b_XkclMC(>lSDxO}B_z#IC&&m<r zsNVLI;XN~}8J4Uv_LNOBIUDyy2DKddoXK^jEN3X1Q50<Owq(!`2vEBU0?=E`AL_Ia z+x_o>hPyIdzW5NnT@!}8AlvNW{@reRbPztNF^2*+PymIt&HahcO%L*g6RB16Sq$On z%EXdHBp6-u8?0w!7U#@*?OHY@4Dgvij9##PM!(Z?*%d6(7EP~!09`cj*xg5+Nn+kR zR|LKK2Xsxcbbt4hLEroeNw}|{A&n_Q%hLo6L>&p7FBd@$>l&^hIah(ynU#vUSEdeM zI2R*S;%CO*!Hx+$z5XkpB?QMH-hT)@J__F?jzoP^n8kRJhhfJ_Wn{ep7I4~y;2H77 z2_J=ceI5T)Dekw<p@&u3asdwVfobBa&57ms$B4E^_0{}OFQDY+7sSEHjCQz5(biw2 zJ|8aV^Emc918p0jS8#y(v1@sxrGQKyw%B%51{Rqs;|v7q@E9wtpSC7`*>DJ`Pf?tz zJR<VQ68I^gVxflwDqRP(7B#x;EjnJ&N<vVy8a}#ir^Y~KVvp!iMrqhxuZL;e!7Jwl z2o_Jz?E#6utDJY?0?T{&2Sc`(p!V;TG@o4ih$jVq(LCin)Wdm5rW6f#Fau}$TYXf$ zBV$_pP+4C{J-|<hQ{y*6?MrU9VpM~Ew*74=Ia{kruz-gqI;d7yC<yo}D~U!bIr+Yo zP;fj~F)rvGMS&oqFf!Z)XwyrRH+RibK6V8TzNV#2?8M{Gu7$_9PEY5w7M-2zV=Lix z?oOltg6@u5Vm!b#-IW^nGq5%SIz-?RK8=^5i?2mwNzDq<J^ItOmSeq%%KBA5niy&z zT4SM#hn<*4<A*C|!$Hbt7?CFTK$R@qd4Eb2|Nbn`CV;Hd8Q=S`&dm>!P}MO%>=F*g zt2Sp1I62*QcBX|yTDlqi+c#9`r%EV4vq%zmAnGn%AeR?^)UoUC5oNAeU!vbyPKc9K z2!PR{htQ2-enu!;J^9Vn1?0aI4!dZpeA}F483+Vf8wPpJh}q3mVA2Y_VelEYhf;(0 z&=#s%n539>H5kkG@*Sc&I!ii>^&2DZX<@)SQgHJ@2$}rX6Zz$fkg`~goF@_E+A6y` z$;G)Gi}kxOYae18-$GmPrwfQ!mz<$P#8uY7TZR=|v|*?fT8Teo8eT^NtGJnJXBJyD zA#MWw`C#~Pk|aYHD?FbRJIeBHF1@p-r3EZQGfH})c0=V16GV9YOKTAp7OR$HiZEi3 zHYO|=6>3=iwo&?0x3v6?5Nt-*l3^~fJ1bddkPa7|W7gc?$Yp+yjD<5dscULuX*VW} z>_2GBF_mblEZz!IjO4{cmn)oAy73MmCeRc;D1U+s>NhC2-oO;4#%DXvht0Qbgzk$O zGMc$WeiinrKV1t|AhTIw@^1X8Nvmk|m&nOuJfIsYS~+N)ch+Oh)H5Q3;$XOEL>mx1 z3#m;^2iPS%k?Z1VUEIyg?VZYaK#zkeYh=mVTF5YT9qEm3D+~_zu+Rn}+W2aYE<tiW zTey`wsm)u9K+{ssG&Bm2Ra|*{{D?j0eN(|lfpm0qzTY<Q8K`21UyXV4<MJP41gVtz zX_J}QCK*=A3VNrm2d1`&nZ+Wz5s8>2M!d&PQyo(W+B&s5E@}dIL6A?5WgS<(A^YeB zb@d6EQdNT_;oMc<|9lLS;UcgQ({l6rPd1I2eRN2sb90F2|6M!yje6_LU8IH<(C!vH z6P<Gmp2uaKv5te-o?~y-E_?fkLYK62)*4_yQ<{&ucZvqymeC4Zt<`J}sV!9fJ4g7$ z>9@Nqaub4?Wl4v`sU3zL?sR%O?zGijbK4*X<_d%a+wlfQKTeGJ!X4}LaqAF2nM3Bq zkCbR#21*3l6QM34XJ>q4KcP&eQTfu!$gu;Mp-`WcjN7%Yq7G_f!{HW7c|~MGD|5)f z(-4K9l$AefOjHD<P)JQw7*mHVqV9A?@=KI5DkpR!{<8C7%Mf2mxaUQ}T59!(X>SRG za0%Q~rG^w`un~**>2v}(Dn%z~=Sqtu!!|`Y?Lbc#%H!o0q8y)|=tf7&EoRe`yKXq_ zqy&@6*sa?I#B|~Gff=fl{7Xj>m6@&VuGU}SS2*oqq-gbE^RwNff-gkXCeS-5*5_r1 zt$>-a@~^L>Iq7-bKc?P;dP2GAMnOW-pkK6zmh%DY2Ajtf4`xIL$?6eN#lH)&Bqu2z zZYiSlpZ-2UCu}496k$fLVYUu)cMTM^=i+4ebzw*AN|yxtb@%f&d=4PT0Mn-U_?2|{ z2s_QN@rH|gZ|u<*r@kdEUEKjUs8lJs&l0N{xp4&H>anVkWrA}>L)FUxP7Hr?M~?uQ z8BE02ekspopo}hzn=wS;I>GjaA^h#BURh3fEYADqGT7|<W2&xquq&E%BR8U6>lCb$ z$1`XvAaw1D-N5A?H{zICj=`Udj#qigwIKs84-56n915PHfucrBB^$0Bnj7=lc$DZO z049W-)|EqkW+t9l^P1<UO+QlTwc`acCE2NVf3BdXjsNwn0kr1zJ{=plW-zWcuGm?Q zh(gB`$1D-auWmN_`fbHpXMyMMzRM?`@9eBwko|!7v0itGQOam)CAzKEN0qX3+wo#X zY{!qa3IF4d%##tKJ0)uQQ^#{0F|uGY;iNkG9ogLUQL^y)XD(V3ZLXqbCDwH1eDZXZ zMwmz9ESGW&OJ#rF5LC&c)Sd|46P(kNgOS*G+0E-iRV$J3RjkI2mOh+-?_eD~TiS~& zEp7Xa3!5j<iZRCj16)9(zv7A~xJz}#LayG`Xh{KwRrjt|v+=R6v9VzV`J}!kx#XFc z*w54F7S;>4A}q6(q;<G7P-%V4T7J}w5|vGs@W!`oreb>bQ^0wNiBt;u`%!#%3H?rf zjTjt{>Z#fsT1Hh*oUAb6DnRuGWpGGp3@ze9{0g%8aZ9M;akJ{`1!;H1f=49_d5;!A z7eJ+kV0g20>q6p+kuy-M{8mddDDDE3?9nKA6DW8Y3iD_sL!nP^T{|F-t&JW9%5JmY zzy5n&^7TsTcD8nF_2Hc=(~`kmB3UN*4NJ9LOjiyIq}oI~=diVH`*M>s)~8eCG&w?# z>B*!zrdFA*MydUiD^dExCv1&|R0+_!ddT@l>=?VpBnFnkL!#I>s0^Qa^0nktTdl1h zXE|TTs$z9PO}@^adJnMdhN)hC@gVd#t{FJ=L?fsL(u<Q-$4F=6@C-c^g44NdWy_U{ zCE+soKV4S)Rb?eg8q{$@q-NV)Ch4CnE%L3>%!vYDzjXvPDAD}SmUuuf(Qopt!_oLX zbhTw6*e}USX#jfBD3|+rI+0II`g`enx8gjbs~bb`ylxu9*Wr2dEH-c6&B?a|PSH%r znQFw@aW9atNV*<X_$po7jHgzts#nWhi8_X!7(}0{j{X8t+x=$W4#Z|r9H-jV`fk60 z{uB#R>*Ic7quSi%D8&Gg=2|ik`80(^f*3pOc~S-8`kf|465Z5anuwe+YOZcYvuvKl zzzCnFhdWe2wJb%On?}FE$$vedBtLCo^p{shwxlww4D|Mt;dLDk&L5IW6FJiIq0x4( z<x-05d_h2a)eh2JOXe5GU<99C>-N$IE<x#T`hyC#K;h_=MaUNjKO!n!->8+QXu7h* zWL4hK8X=>yhKF&xfwZp}wL}!`movN+HCJ8qW-r~W>9g9YIFL=nxmqVwYw^-}3|-|x zsHbk=Ox>h#Vsh7S@x6rPybLZanp)jz^Lc1Y1vUl@FN|C2a<GUSF{D5xj1VFIC3~^d zkRYfRno;o=TqCfZx<g$SPtfuuQf2CoDALXLWr94$P47g^kmyr@=+TMxW<j>}M^dmq zZccoXjTx@<P%A}$t}+_10l#%6I^rcSt!9<9Cp%y)V<^D@ogf*B>pXq*vfdNF<JeN0 zflkG8ak&J<;kD&BDPHpRVi*|=@{|z&brn3R#mv^w<|v(cw0T;>*f3QpLj{{pfhEz{ z(5@6PNVF}!BASOxM(*$)#5CwhFlxprTX=(%U8|k0r6+(Hlxu;xI)rUQzFe@|&NIkH zw#t`*kh0OOogVrAX~T+POGBIcIszx-Z9wqOVBa)c!oFDuont#^pNyg+=g~bd)cL2- zl)U6JP0Pnf9pH%2T!yfHio}!7=tKTInt|&ZB<2{DMfy7MK__Qo^U%>6e<rQtbm6g2 zk!Lev)KbZ+6GEO)ONTHoePTElNL(~aogYoFr5_KDS{6%+Lw^iAA(PHZ&^}>xh4iK= z^Er8(n@-oc6l{tyRQd>)ac&z9fr3`Yu+_d88?tSh<LwPM`MZ|eP7QqJaG55Bo$^$w z4J7fY#XtIk0kp6zws6lo=*|CEwTXPC%7SA+Hro0tnVwLFx;8$TR9tr{9isASuPWpE zvLkgJByPMNRMKKZ3^)+gCJGg5vt$b!v4!>Bj=xG{;B&2q-gb_eb&kKv_j&z7Qi-ib zgXjz-F1DApK#FAZ(jQM{c90lsV#_~f^eWt1vI#vdoQDTqHvtA{&DFI-_G|_xrRgvP z>>X%hJF_Erz>qZK5E|)8Un71QjtYrD*Bxubt&p;Hp&2h$yv)Ii6EAMOtisE>&}%q9 zvq(Ncpd=W|^{@vl)+PL$#B7%fFDsvkc!M#c1Pl#wQu%1Bx~$J}Od4Bwtj0~(qj3$x zxJw|*`huq<m(gV|JOqY@EliqYq`L3of8f&nO#^>bI-%fROa_d5F}WA|l`JzGj})F* z>gQ_c7FHH^MFJh*fxLd;fz|!+0fv?};;cxgtDE^+GjPp~BU~vAxM3-?bTZzIws3pG z@W(~P;f1ztx(13!23F+R!X7Z%RaYP2>3L>3IZ}lCZQRd3b8q2EX==^0wy^kX{8~@d zWf#=yUKTzMNy{KlY{h^p4zIkFLsx2SVl5S_L_NCVXgmEmB<;euHNZp<rC_6g?Od(n zqLgZ{H*K`iMc^d+$Jeol4&YCLo?xE0g><lpPv~&q_I7Dv8#k|A8s|@Gv^Sf?$8n{+ zHLbEEZC)j*wvdS94ar$NQ7QpH1*o;m1d1W<xV-+6HgoIvN@sDNOx-nfJE;9O5aN=X zC3DG2$+XbXY+CPSJ3d%8R~}R}Hmax3ZxdQ`Sk_)WoankXVcr|kw3bUZNqGz+za#CY z$^^7|1RCErjDdb@&7*6fE&k~}Q-BVwQ$|M&v3ME*<7vj9*EI2EwCwuYmRSP#7$(b8 z*jo8mU<{&SBn?K!%y5~JszKJR&VLk9<LB8jI@mXi?#f|v{S_bl9Nl(hIyW4~#sY2@ zFlX-yr*79v(_uWwei5&^yYV{tdAt@qhu6|);JRje?h$s&ewE!OKh18bPqN$09qe}F zcDOzBL~3|Cy4u{XJ?zf!+7I^-c$0_mJ=g^UMQ17p&*-l0#E-l7Oe^C$Q+LBP1AVmA z7pLLZguAIS=WS<zJ)R%-*>=SM2!^`5LHz45Gy~l?-=A5q3Oa8}DFSdn5(6zn7+=QK z-rLdk8=r^vOVbs~OA{2DEt#sAK<(#olgj?F?25BN?fb{@%$4@ml3t&|fU`59%KTb4 zEqoU=SXkV5ghbRWJgz5iF-1N!XGKC=%)kBZZ(qTojs?o+7rylxW^A(<TFuV8<$=)S zli~Fs$I=8yTOtoMHY7VHKlO^G+1gN$UPi}s1Fz-!0Qc80A5K~fvH`6%kcxuubaXcL zwFSQb(2gJ`SOa0{rqHurUPk^qBED>N9N9R&FyeHFp3KJYe(O@|dxt5Z@-}06AS|B& zT5d3ff^o<KwYi~Y1az}NjEOF&?3@SEAr<s>?eOPX$mF4y??CpdNC3n~1F#hp2J{XC zDnP1jcVRXC5rdS|vN&zBxovwY78@Od_E9b-SuqI;YTcfO<cbO%0rtRQQx8VHIu$#E z-B8Z2*sAXJ?3p};*H9n_KO0Yk?zJj|6E~V#7Uw`MCtD6#qoQ(o;>H|IutLJ;)>d=W z*uimSj<=f*;k+F>_IIB_#~ze&F)HP^dtoqqIum`0oh-_3;W}xuvUM#dO&}Y6V2=uZ zEB)pBXmWJW&w9}u$fg$u(8L2(4j`)B?I>cQdbfcyaSb>j>vY3k)NLXu-AjLP5v^_n zQWyFNgNAGXx^`p|kmB~w=nsk94HfL~AGS9@;dr2XP~$xR9=HyZj~4*<4GqatI#clx z>89mwf`W?c<B}_(TB0S&&^Pkf(I66lM9(QhaSYw-B~E_iWArfQO$P^>O>=gPC_C%7 zLkVhG+yM-${c5w|7?N{fG~b8*OStD*+@gV71MK^so`~^MKf;>9D+$jj#f_XzpKa6V zH@HBt&VV6oJ?wckE^+Pa1OeX6C<neSZtieVU_d4pm}J9kBPeU3@_g{dT2DcRr|!Uc zs7HBqy~)0eijT*jik9Xtpvbpz3PS#}EhlhP3}6(o_;Mu(%h8_y!(CBK*(o&3x}liw z9-RZuLFo6p^}dPT&{m1D&$Gmr=VP1)kgTh%<w^J`R5&I>X@-T4*oM!+3aG4X0W<I< z^qc1D0!vtF?&6_<rXJD>sCAa3r^M0kfOY9lQ_D@Ea&t(12Fkg24Y{RkjXI~y>AX|E zNG{U%aIJSAutLjX<7D3Hh-~PGvbW%3!CYMQD4+7m5H?T{oQvd3q@1T?(UmMWsU9I} zRM!g$m8EN{M^RHnciW4wkHz5fAvSwBJa>KPJ4^^HzU3$c$NmOitGhJ%L^=urcuf?Q zGHLWde^VJJ-@vde=fyxRb_4EgqK|!vGI1t&P7G8+;w!B<=5O?o!Hd69W^f)Hm~hdh z4vfw&G#1g?Ao6)_gKt<u#*j*1sV*aKdVen(s|`L6DMhK!-s`Vimm&r~#|5rbluUyd z{0qiRXH%&!DSqYruJh17QZDT3Vt3Q7?gF%0z|vJ>sm<m!WO2E9jcRh8fMjQsvM;5` z0L|HLi}UhZTU#gKhaUX{N<%YftUS~(t*txq@Y|;vlh|Rj$1zDBM*KgJ5b9)1^JwoS zr5TslqH_S*zx^FWIXV+PLhH6cJ(q_{n2V-fK(iUAY%zYUi^E{5#~`g;DSfGsMcMkl zp<WiSmx>7nHZY9#%O8IglfW)(m%d+GH5m%`k;h-cpz(I8!Ja4IOCH~^zfFKQ@Ky%D z0Q6qQT+~s<0%jlIa|OWrBLMF>5kPwx%cF-z()WGAytBu{dd3RK=p>IHhPNA$McwqL z06-o;4$sUqFYI(vg(aOxyveLE%uoGaFxw_{@XyF0>7}jt(1;24rx7a|{OLc<2OV-d zEoXIxwzxZ80tO{)+Zx*eTp^7i>3~8Opa6X_1%d31aj?M_@*~OVm<*P?RxQY#UK#^- zuWKBRnF2x<A<NZ*G}mhHk{@7m(Oz@o%l^?Xdq%&6M_xjW!)QIKqm@C7iEqlIaa=_z z=acX43=b#(8=Q(oLh1-Qh(=Ho12{o}s3F(=zlK)B3ewqF-yYPY+X2qzC374D(yUsw zm`0E*VZ@u{r7jlO#?|4F_w+UTkXMJYPdXdGk-@Qc6RMf}dq6N|vki9oSX;Rc?6fT~ z*5=b(OkTG(G2q^KS|4yX^x%MNqL1|^BtBHRmXu=DJbjSOSa)9`ZxH}(W_n5PPE0Ck zMFD^&MJ=dP-i0<y+u1Tn4?UaU)<0_RYA4`>Kw5CiMfAFZ(#KBDn+%VZv%K`7Q~Eqq zo^SQXqa&pS7AXz75u65e_Br~4k%@x;XI01lhpI20Ojf<)|E_8+Hvs7@=s!`fmW%b0 zUZChCt;jqRNcMofSTGFGiU1uA?Zaq|2ek4K(!nCWPbk^=1?=?1_Z+ByJKEvdtbm?B zf*?WXK8>CG_-C4S75cyia}j;$CQwzKl`D7jI60jA*<yhf6zIexld(nGY4vfWK5L~0 zV=25NNz^UtIvz(?s=VXzyD(g$v(kqu6cp=2UnF>f4Jo57srfiem}vDE`t%2JnbgX) zI6<=$IR~D#4Qr_(K5D)v7Zp(kw4fc(16-l_B2*H{d$a$RoOjcwaJ3>N3W?DlVb&9j z!b^O(WD8!&?<vmp)}dg`^XiaVkp)SLOIUTRxAXj*m%fhTQ>W!ViR4_uYie3F!%G{0 z-|KAsP}2@b$36BeK6)z}T)j*-%yi5NCL0aye!&+;%9}n-Ol6A!w17xufgT7v1`8vV zv-LNl{x(;C`<k-168-Hn{mrSroz>qe^tU(kw<`VZfd00!6uS}=Uc>|-SJ#E)n7qXY z+TxnpQFgGV4|=t9D;-7iTD_P4{eqsxf*Q80g}gIr=|!;f>l{qbCCfIADHW5lfRmvR zEjFr<DICTLU5Dk;MW1LIN&xG=4N=x>@NA;~XtD>t&7ePdi_IpY!fn7+s3PP>U-)CD zbA5a8zRNTdCDpf^y_ofv=h%ydy(py!0eMlNcA)@C<CRhb<fLq+)WRNc7iPgulu1^^ zPL!k0RLr>gZYMbA2*vX1qP#01b7BBTQC)!Ds71uUpO9H!KY@$In4OLr#76{Rm{KEq zXXP=mM`G%7&G4lkUuFX?tBk(b!zO<o@GY-F)@B8i4l-8Vl~fB=N$x)V$uM`%y^^~# z2b0`A3Ay{T!K=9&CzsOcj|b6DNP5J$hKM1_)s!AR1|`=Ep>hMW!8VG-MfKfC;y!+P zR95SSNV6cIQveE&t+l)9!f}Zy?y+qy!JpFVinZ2X>Tq4gji|Pxt@W`E*CnnDO7a`D zbrx+Mj~hK}LavxQglS+d+=gDO6*r|6yZX=p>O}|07LHoPeXjTnm#L+>kImQgqEj`z zuLvW@y>w$2jzA_-X{y`(m^^_Ne}u*yP93vljw4#n&CrzHPAQvCW}l|x81*rDbGr@F zc(sAwZ59JRK(=2ZC|yHpj#`O@DP3PGM^fM!Ak_N!3oI0VHvL(9B5+<ZQPQ3an$N~r zqZdSd%K@<SL5#E?s5GJ1QL9IW;s&z$p(=x#Lzd(f#uhmS)g}Cv$+ftPjh<(_Crsep zMXQw~R;U%1S{@<QCJe@yguxi&Nkr+IN=`;D>tWYVU9rWQw@Ma&ipNt!ZveGB;}9?w zvdm1VwXIrc6{6!oqt=F80;}$O!`0cF<5EU~PEjG*r;RHbk~FRXe^bD<4i+=x$p5Al zl|cs14=UP(rZ3<kDjT7hek1)?CtCtDh=I9!!h=qoA|QR+$D->Hn1l}JAUYvppbQ6^ zb)dlhWC5$g^O_YnxR%Z-P98;&t#1@R^8uUBWGA2;w9mxN-CRd%>9u9(O<Qyga;<MU zl;ayrVVhEJPnIAi!{VRR%ka`4<Zzr5a4gwS?4|#T!SY`?j2(XCD|2U+alU(?kisK1 zZraZ{5{JhzwtgLr8oh{Uiml)01~^YGHQ#m>syFH|#1+@(zP=p@1whfFtAK<=d(2h? z=bHs3)zUMi`p&;w{e6k(mNSkIqylA7lcxGPCMk2j!Sb}*=<67_@78YfXt_`0;Dl46 zK<c6SI_;%gc=>9+PWPz^y36BzNOF2TC~JLTXDS=_h9{M46C0e4^`nl$?M>)@#_1pX zbxq?K5FbNBn0!$9*HAgH#Q3I-we+3&Y{PyzU+0LeuiDQ-m}2WwNT;#W(b*&dtHtU1 z4-<RC#)lS~A=SxJ>l3NcEs?<#Xx!8Eov$Hf7b3y7bbgJivq}f=rLVFN3?-LPhjX}z zSzxc92NSik3o-Q4r}Wr3Rsw^DVLH{Hx4fZUxt7Ci_Fy1U9Ht)t^3(7UeGLHXiVf+u z(bbDi+W@eg{_03_svlwZ0RYA!4V<Z~LO;Q~zpKy59mGp5i8(sfizGd<^RAP33^jel zbgXwjMJW2eK-Jo`&^~8A>*bC<771DhM9^k6Q2;oe+*qI3CS{O#+$~4SN{o?h#cYez zm$p-hO;S~P;**ESq54tV<Buno%}7;=@rbyu%;NEi`yNiSovIC02zkN&4U<T-iBy>! zmzpxja>01kG1!!OhZ3IUc(;i%s$Wr@UY>u*Ck%k(u~?U#xLV}KbBBflTw=D@-NVr= zDvO}PCm(L>qBpSVbo6|d0bVz<tzP;Ux4sYrUmV0)5TR2CPAFZ5<O<BFm>4~1MBg!G zu$^M-H>~NS!nJJSZ|4A`Z5H57YtKWETanA1o1nJwj44h;)2|HpqCYDEnOO(0?Y`_4 zknK90N!*1xqdlo7y>!*rx_PM2#1QYwol<@ob7#phkKHcikTc&sXHp_2<NJ;`n!fmM z*knB9II>=_+hv|a5~~xLKzbN%5?f_)23i?Rl}#Ad2RQY7&JsY8e!vE-Rcdt%1_^b^ zDpJKOmjp404k^j@LB*tWEnZI=FFD?8F8J<I6WOv-S#1~K1N%G~Ki^^eD<I@Jz4;?j zA17e>tuFl`kWkL(tXz!(A8jbzk$m5V?@LO5lzb21`~1?MB;VQ51~-+4lJAe<`;^ir zlJAe>drs+(@jV^h+t8xgu-Y$Zr|Z-$tE1`I$Qtc5amDJ?%2hBTt!PY+Ll`nw4CLNb zf)^)VDrS|9I;w(XBeA`9H!q3gtMB%kjIyAFO^%MH3($09wb0;*tWU+yDJV8t5tc#U z|B87RR$mn|!=3LB$19wHQBN7n+PYZECGGx{y26Mw9sUdOe|2F*uAu8L;^ZsaUMjQW zRqn~pgMm*^^O<4SUx?KC94N{2wwqW6+^g^E&%Ler$eDsZ-ccs4ohlpLolXZ1nm zKMx{$JMj`7e-PWe6ED%sgV^ewcu6c>y6O0@(EjPFvxSxBF5rwakZN~z$>}f<{QY%J zv%9*{L+I#2pC*j)g@b~W35}Cdl|f#fMD7MI`m?%l6{O2fa`$Sr`b6i#)!P}T3Gz)k zH>uU<Nj77sTzoYivsa&Qo=B?CBV*OBR4c{^n(KV@9Np5(HY<$s=&+Qj+Q!u$ZCO`c zbRtleG@rq!9SPUe?)fWr0sD3(Vq=IaiB%eLolqC9wuR}1Gf8!f9I^Nc7TC4?%GZ_b z)o=Fsuyen6CaLmGY$x+`FnEI2kKUYE`UMi&j+Rbf`XfRjDE-@-yYL;H7eV&~uUZCf zyaJh3BeiQq_(C^-sZSb+Y?7cZvAA2`&h&PYZ@F#7EXwT$Ws}(`7Z9hV)SCK}iBfLq zG`!`MPRCn%Dd+sTK~AOR%yh?d1$;kjbSBp3Y~kUV%2ZkfZkCr6;ht3(QSbm2WY6cI zBT7mo!$L1rFr*ky>}pF3gyqlu{K8t=au(USu1+n*9joB|y`h)jiQeI*OEC=XOnJ-v z(mLrDzrjP7o@F!2IEXFrdfasLP2aM(rn8kV3yfjLi#Rj?ipI*LMvyUOCO&e?b>MkD zKRlgU2ht95iS^UJpd8H1V^Cn2cI!HpRGU4vuvbkde<#aKoj83AoGwTiD6B4lSH}T& zx6Gd|n{8pcEB=S+;*;S@w5dz9^x!E;XiIBNxkFuMYMUay-0rTVQ$EuBXPlOfdqF|> zR-4+=G?%H>Pze=4b%Arztx9v8lV4~Vv`VQhgBkL#pd`NI4vlRchL(we9zdflt;8zv zB^h#BW%S~b=*R2>&a$#St{Hgx4kBpQ47PLSwxiLM%CeUEE2T?_?X~?81DI;KBy9>+ z8d{2{!+6je&9;SY=b#yQT%Id_vL|>{8oP*9p0e@|XwXslD{Kq&p|p(QC;$p~m1IZ@ zgXg4D@nF~uz%!`*L%osNZE4Uvy>VLlNK2#HbbJED2p{0nGE-%b7lRQ_N$DLa98wH3 zn0s;<-wO>Z5LU5rnqhc>%EXRru}?-O1Rgw0!O&y|yAK4x>uH_5mc_B4xxN$kRjWm_ zpmXt95olX+o@`X*I9V1)Q`h4OHTTg>jOTS>fMF@rx?ugCq`D7$q4jr=Smd*m5HC6+ zO}DwJ@-8z_9T%nR6WNVJwO%aX=r_p%s&?U?YnAQ42A>jR5k~?EcCG`&5PuMvJvhZ{ zJBRTS@=e;i7~CY8I#Ursj}p;mo|M=oIn$rAd>4L*rs^et*Av76662xttZV?svsg*z z8v9f!$LU;S&yz3dx4)C3m!K$*$5YtpIT>@hYds#-)u+9yx?(_;o89z<cbHj<N5D+; zfPWqX!?_QjaPk3FSe)*E7a?HSu8-Ghxi6yI&>mf>#8M<48t|BwyPM5CIxdO<3=t}x zB4uKL#UNh#3p<={sEgk54ikJp*W}f5pNAYQatP}4*3uXBBMuTDFmf|VHWV<>-oTqa z+`8n}a`)qG2}Ud7F;}SLoVzeAYWM&WGqVVl2VzWcJhiVa`PBKRKjBftj!r2%*e+!Z zoY;kt2+>tu>_;v4IMyl0ZE{S@J%U=USD(qi`(bv+vs1L(Fv7X|Y_48guVX+?KX^Bk z9L)+|l+#H^q|2PutFqAOfp^s+te~NB#fVjbfyyG~PbKFJP&c!1{>_4eZL(;}r=Ok# zjjD(BBM5!yWFjyudQEaCG|_ivfM+fqtT6COm$RY1U2pLbgYBq2brVoVA6SO%=fws5 zK!ly*RM2KnBDl`EL{E^vWQPzZ;;)kDFB;g9O^E}Wlt|*ZCQ8cUkn`3+w^Z-~JFsco z3ustLDbY7WWq3*+Ul?f*l?@F)eKY(NPdp8;aN~@M?Hrh_X2(U@;uzdu)=z{<QS*SA znFq+;jf$XQFpRc!!z9{y0wa)y&jNCvNW>pSy|_uQx|gos&%&wg%PnH?87N~7aamqL zH*}37vf(z6T@h-^s`Yqj@gC;IQRxKs#|=pA2jP)$`og%rsLr?$a^30}+&G&q!rG?~ z*M914Ry)9pfk!l51*}^4P0#l*geXnNKCP3<GlQ8q3T7g%?^c^?JhfiGAyjRt@u>AC zZ5^-WqO3wji@n|?1{?Iaf5#ir0o4$FC8-qtRSe>W0u(pgLgE+{A8&*^HtW7Wux9n# zoeUMfDs*TwJA}hBA}firg68dGu}#7ikxVmjgXcdCU}Em<D~WS|j(hQV)2y&O3p&}1 z#}8t#BRPZTfWf_&v=6L?^dqDL@5YnSh48!*Qt%ixfH~Q7^4!VKPoBv-D)$XsB)tG- z0f>qM^T4OZlTA4efZHfEi4K6>kg=o?K1{l&z+yWGPXaud2HqbyqrA_NW8^eBi}f@d zGIPqz77XQQ=Z|`8p)SPCf~PVrTk5W<@mU`n-ZPOr$rFlOt<Gc;P*E@k+#`UVZJS8e znUtX+@DJ}Pn5$eK0-g8w4L616ZV0XXgPCNhRVL+8o|BKWC<9V1(3D#^j-6_XFBW)- zzO?!YCT7avyhaR|MR_daahZ;V=t(wq0%Mh6J3@cGR|5+B^0alp4`ywhh0fQ*3+ovS zG(%0<kCNNI42luR_1eSv+QWI;!?S2^0uU^=W!_p3`5cFJ+bNt-(@w5n(e<B`uSmpi zppA1-|G?Ly@LkhBWs9P<cxsEU6X;Sye^$eB%nx5i))oj$Yc#3ALiZ#NcsV3+ev_{i zZQX5eqOIGFbMTHL7Kb|B&(p(yPOJ?8LuOqWhMJu72)&65eLQ{b^vL=d6rv1ui9bN^ z-cw6TSF;E()btoKybaf$rqH*e$(g0<eaL@1QTM~3DCY$GB_4DEM%}ri`M4b`%S%0p zSl#hpo*F9kxY?1I{r51QLB7dvYOtrWXxCh1>|ggKtZ6`~=TXFZ$#L9mLl?4JBWYg| zwRq{H2u5wkM<S9Nm=mxY3FAA?=C`5r9GnN8glO~}M-Gwks6ms5-v2fx?Zb^*dRVU* z{E0!|G1$$>(1uf+Jl%L&U)A!^+gMn;s|(|Ae~A`=PVq%(80V!Y4dYadaW3-G&oXq% z!=QH^DUVlygPKA*@R+S`IuG=`hklCdZLTiJZAxLxi6;zI!N8Vg>#tO0({PkA&f1NH z2kT{8uP*b`85~A|bkW!Jy=ciEzlqtVU7UQ&s4l=lJtJEu{>=8-MaKehfN0R@-6t7a zG<OFzG58u<-+DCiY%k?6vfdGcr|@8!J;%WBZ0?fRj%>JSJca~Ii#B3j97*UCI*{bk zJ1Y7x!{pltfQRi(Fv46f{l(vPHkb;%vEfZGCHPLukB#&<?L3AvcXQy{gIgCM|9Cq6 z*y!CKr;f7SAEYySDlx5w2CU<a4YT}Rwo}V7DBQe0pZ*QN5=W(B(NsQ~9Qez`|Ee~F z0{aS&D9mD~bK$N+at05)qoHqfZwmY<i{pd!=E94>+{V9p=<?s`LCKvXaR%UC1H0^8 z3zzR6wHS{?$B<=0q1&|WGM>EOl%a$zVCqJPeMT4^Fw(iqjAL~z87h1PI3gbTQY3Fb zc$CMZ6}B5HkcD8($XTRT$HBW0gQwwxCzO8+8K*AmBi^{WEJl{~!SL39$RJCR%lw_n z<pmpz{ss4vyLiW4f_w)qZ?!0wt?MU}W2d8`#VP#2>1iwXR}5vyGXQ~U6QlW|JG+Lz zJhLC;PT*r2eyrn3y@_}PvVteoabtC#dM}S26<n7Jsz(5{a3y0@t@SbGV}n}XCkCIu z*c3SiDUm_mzW{jht_H^k8&b#z#_E`!3$i=jg_L(4?@JAMp4-E`<6%K|9Ar2TTGvk? zZ=C*O;N58w;Jet!%hM34TcX#5?&@Ocdvt8^6T|mmo|PhyMLZq}$Vw!O1a*l3M2;HK zzijRU56kg>Vlk(>H)J|V>Hu26^&x;>0#^a9jwOP;stt(JS}hJmTHyhSIJ2c$<m4Q3 zjFI(p6e`V_$etN>EB04p<VCM%KxQE8D5yFf-v7wnKMw^M-Wgz(#nm*mVon^)DoqfB z7jeAY%#3e+0*GX9#!a<Fui`Q)Zr6!?C>pCwe?r^AQv(hP`_8f?%Fb{L?3Fmp`bXvY z*27$~Tu2?ND%T&Y%q@?Ub8?2ViXUPr$|gaRA3(W<;qhIT1f%4YTd)#rj^BXINiOnx z;gQhdF&An=RhAkz{aYb3E^&uE19hY#>;_)>o?v0pu}fn6jD=m8u9hN-Y<_U(CU^qx z4Kvk(@762NRl?@)hAnQb2=mpB)+UZlcHq?}B^7g-^<2A{@bz1a4BmIR3=f{WLbq1p zu8B@R@8hg&^4g5Y0iI!BaDUZUZG*XXbZeu(P?iXqI$zzwYpGZTsWgMhOgfTlt~E7G zhy}2?A2x%}88sTi<-u_CCDQ(2m`QP94oWfbzbkgH>J(HbuY`p=<vu@82AR(l`AjrE zV)9{+CXm6{3Y_b~;Qr9hxOJcemc<>HH<puQg>OfCOreG5GNme}DXkZ9e^O{i9B!%^ z?q7oTbjEw})y;RdP<X(XRIF!_{06wzU?ZnuWJu_4lUl{AWkTpqco5VwURnLi3KmZC z>MxOB+A7Q2jtoTtVT|BkQZ5@aHt~$bKqNmOI5o{JkoM7W{3czSq3dC;#TAJ63Tr^4 zO^AFhl4DnCv_5io9EPbyj;}(S?Qt?ytu}-IEB<g9eC=-sHHRCnjc36Gf5O4`vc@Bq zc+i0{<<f!;Y5oOuI9=YzI~oPKT-R@xtn05qIg5oB8<>LIfeP+gUBOLNB3+|DKC|O0 z9e1|?rK$M9ldXdK2pH<-!nX|7ah#74fA|{|#O63|snPhmLyK>TD;iUGjikOWls~A} zn?XTh{(7@oC#ZMvs8Q|`;OeLo<l45y>7Yf%p%zK!70tRnzomH`YLT}`YmrdJjtcU2 z)XKh@Lw8@LJOT`9NKVSRnN4lQLlw8iRY6^Bh=YDxh7(Wf9dWhd)>uyo+B@N%VvGk4 z;o3Rq^6R1GB?k4bcxa_94m}ka;+Mea0SU?wYf?kMD-IpNl%pKS&&dx!9LL?m1IiE% zC~twvlhTs(&KVg{maqXO?H>{w1{9$8My6~x3Q#KQTiI-s<EoC&aD~-<A=6jn5hNvs zB}3l3;3_0WHXv(SQaPvbh){k)IluK9Bhi;gIXffkTS!)>lb3Xj`uNB&S(l6=tIMn! z)r!10+u}FE;Fg_C0aOd1l8mXSVU)-O<-=YWpn*F*i+~5cwar<|TiWR_l<Jrk%?7qp zj%l|3)1Tuooz3*#S+EN{JaNoe7Mn4Y^`4xmv|H4A!EvUEI?l*j$z&|}e}Fj)FlXfz zQE-U_ZdA@*$aza5XT}xZ&ce5|axQ%i!~M^w%woprtPC_G=sdRd?=G`yAmwJISd%_c zCo?3=&BP2UN4X4k582KrL^kiJm{E=Rye(hP0+V#YRaFps63-mX6(>K!<s>D-M?XVt z^KHpryraUV&3H>5n<y9x^;;W3ZysG3JPLXfK<>H3lgvV}d%jAr1Bm+;<Os)r7+`+j zoxI~tL0$>6#JI8fTJkmuN<6f=7<f*tzc6EEYlRB`heX*%sxQF6KP@Xd8>B}E+s=kW z9eUctArW%OS-7B4ePP;Ne8NzOK|KQbS6+RDhYHERqGAvOA!artIrC0I1%Mg^P-}z) zUJW{DW(`GvE0H;yXS6hDadH-8J&>9&GaRFsG@h}!wE~R>0LdO<(2PgX<_f*qnqW|7 z6rKJe<91MF!J|@^nyD@xgF+9wQ0_IJM7f5fTS2V*NKWVxgE~KWRKCVB8OK>5H`rRt z9+1<OnV6&>z8<=RA7OG90}W%Z@`eU}N<Q6tP}A5R%EUPsr3abaoYfw^qrcLmNVj|G ztae<bI71K5!jO$Wyowu%qt_+Qr)f@wl7N{j^I_P{bknyY=sRr5SGSnh;K4TY9YKfg zXIOG|H?HyGx!lmvPlaJXo=k5&m|R=aH*@~+fW97aM2nj62t>(*g@McaZvfctr9XX6 z_vgH9ReH2<%r=C)!;aDHes0(;-rs!<G_3fB(OZd#%jC87tHHUS;K>`s>^cXocG=9N zrzZ`(!w&g6y88fgTz`0AcwUi_Y5XvbJqOd6v)wF^&PXgZlsIH1P5)5=V`tm)f|PS7 z2GzZ@p!n8juY+sLU<xi!800xH2o0RXHHB;G0w@tMnnPz?Rn>1_WmWZ*Lp>~dXbc|0 ztIr_aKT$v186MyLT=(h%&w?<LwEl{8zC{e|z>Nn{oOySywH>urSwg{lz(9O5;wEX@ z+;lZ${RH=tbtN{9tO9s|W2ur5I41_&xM3;xJlciNGHS5`Y+*H6g7k8k#mDbR#e+mD zKEV^TuzdmWEx&^sy0QpswJqFoDHGR5f><m8q9~h+IVrczJ-2mPUu*T(c=C-u1y4YV z-X$K4xaoTrbkA`f31OXuZy2l1psO86#K(VwrdCQQ===oFAEPC+^q(4uB~HUD*BBzv zNq&Pz2LjiA6ikTMmvH^5q3XUGzabPtm>RdX7n_yHt<NIr0Rk%_gP#kr*1EljBMD-o z2nXcT1ACBg*W>wiEHeoqBN-$1y(NrX$Xw#~Ts#Nv0JfhK1Gw9BxJ<xdRG}TNzU(Us zK7r@g9Y9EfxczN-(SlgM#>!>$yd?&SFG-Q7iTiA}qid8QAa$g?Tw%zhsC%(}dN(Hk zmuf7H&cxI3*EkrF#GnuBVTGn7@RY9iXD@fF>^qGWj0ScvJc=0}bJz(SW;?4-eC!f9 z)IHZ>Y<f=HI31?-9&s+oQ7gpao*X0c7qS4bGVteX$gH{)vW@_b3*tgdg1f4LyR1h1 zT@am<NC=aa-(Xc-A>)luunMk@YV&$Kd8&kAgx9vQWi6L8WwVZ72bb;CySCMwc-VG; z_4GK7YdS>E=%o~%!Csk-z2ebRbSW9>jXM~=2w`ANbF_=w=dm=bw2-yL0W$Fz?j-NQ zZ9lqTfXIu%lQ<27O{z{A-J}ZEq>_Ksq)PG>`>OY)xNmG(*%}3!HC|!OO7Ul}Sfl1S zoeHZyC2?D$nw`#VjAw?heS81;_Wg_D+wHs8kYw#q?OTBD!{0h&4cd$#-);!XY1Ji7 zYrwXY=xu>U81~|W@h#Sr9K8+34g-@H{R%BGcIYkG4Qj9HH4N?ZEyJI93-v}pUPB=) zw=lxaiFA{Q+v~%vaS6da<M==f{4614thuDUu)`e+6k+CnB*2o%xEBE(A8dUiYSQPP zbk2vAm7`m)3pAraCLXu80O|-~R{XgGZ7+gobB2q})rqP628-hKyjPa59KbYAUaK5n zFw%|w)CN0~P}xGq?@O+B(JA|IB#JIbNbhu<yp7(HU?QgPosy`_QcLkQ%y%xJ@4k%r z^D+Mi@TgeXBE5+)L<$)bHLhUiH#Jb-FWC+^vyb9%O<!g!$hhb>iT+y8OMme4aKLWD zd4++zb9nu28hr!+)MDB=45tt2pY7FyWsb6+9t!2N6*$tXpG!uv#Dj}(;gt^!(ra#N zFVK%3A;$iSIlMs{KeG06Q!H^5cXxC=jqe?%49_Y>+v4g;avywQKRcupuroo-J|Twj z|08W1NB^*QbesMI+jP#+KHR2j=#Pg1*aRcJCefG^dSgniY>Wtv$zhG@aMQIj^usks zdVfV4H0Bn>rE5A13(f6LY*|Tg1GLJh)_2?MyQPWrmc4A7r7BR%2zvjZfj`)rXyC7B z3?DzE?|;SL{m7^9?irpIWyVCqp5(NsA15Up7v*c{e_sVNPlt)7+GU{$*=RlsIq#+3 zXAr5rP^D(C6QukqyGz)ZDZXs(ugILt%f0v;N6_xVua=OG(Tjk?w&(C+Nz1g+$KQkB zg&_%Gw&9P(;BuxJfBpgn{GQK1uO!b;m_jr5T(Nrj<3A)%PY9zPg1mg|l;}~mBswTh zX`MpP{NaiW`r4kQ2Y(5Tt#@9a$}bY@or0VT@>Z*1nEI|v{fAiax2lw8i-ul!hb*>< zt%7smyf>t&cgh!|*9^Z3cS@;RwMG5{Q82dVIUT3PAT9wGPsNkVEe5$Lw26ge4>e5* zxh}YgD=xmwx#^tO5}~z%Rvov?@%10!56;AQgLB@_=~c`3;_p4h3>)T!Hm41#%@!zQ znqG#5m2u(VNEsHpY=JUdCh~S+wFUQ+^Q}{(eCx_It++mh!TNo;c<OgAXTLE61lsrC zSFFf7|2wfFI|58PqN~Y~!nc%5DVwW9n-VBY8I8h&-$ntNVcBhv@>{3Ud!S5m#DBwb z)qv$rz~B(vZk;o_mMeZ?#)ZM8V-+fFEB?!0I1aZXZUQzR`GFM6s4doBTm%2gJ~@CM zP_f5@vGcywpF8y*67*=fy@}mlYAJ$5b4LY+bf#hw?t_D#+cF(b*KnB^73WEU)A5Gf zuN(!|uoOnB94<?<!Ku0|I|D3!Bt;Coh>Y1T2A)S2!GIE6nPNYKWR(SyhQBJ~vXY_; zEaJ;vUw~mD7I1h_lK9tIG@vG1_2?5Z@B}1mDc9FC2B7?=+d~x#gi`!z;Em(x4?(oa zVMn`^-^m?64wl0hH#K$RcAs`Bqmx4#DPci%^`ZXgv)A{Df%&+ZL6iIRrEC0k39G&n z=3~?wMZGMZMF(IZcJGoS;D9^c(6@dMxJ+2JbiKVkUktFVvDNwF6aS8}3UWS3&gh&y zJMjA(TU?3d7)0M5s>n#7Kc2n~>W=h*6#F~V5PhXXh+gBScYb_z3rH_U>;qsK3uzgt zBiV=3Js$k^DBk0Vrs;?vpa&br#(mWl^XgluAus(eJ*ud#r;c?^pIYCGI+68`MRf^R zbQSw)D=S;?yMX(S(FdG{eeAM|fpbjtW0V096Z?(Mx3c9vpgFYQ&!mVlf&#VONwTou zASkB4XCLI=QmVwdHWou8lT>+S8c-$f7?l3fna-%v$*3~-qi<0qhQHAZfP0{^o?06I zv3@qK9IIu$+jnJ+ysbYv6NnRXK`ZjywMZQK0u4>YJ*2AK3s?_)FsXkAWTzqA&=<WX zNy?EZ2Q8N}{|9(U%0ODievi{gu3o^*WOwCZkm@HasU!427shF$1wpU->F@!NBZt0B z`zeMf&4NcwE@0SPQ5&6wM`j(i{-Y>~nwk+o-`NVHr%U@KXy!bOJF@jxdYP<ywcJ=z z%!?2(I`^vhuU0+&t2HUVc-#TXZzq?KU&<xqHxHO1oiRn;i2PcybInYCO(XJ~my}=p zJ+Cb#+q7Oy+q!Y?XxTkA_1m)R?)p|Ap9!9m9t`md+<wkOKiI)~xYm>S-8BQN2{*VP zgLzp0#B_G|(4&`iE|1E#eiROdJg|5E6)nME^(ssJUL>;&7doI9ryx_CfvHW{82aF3 z{g?dmKm^aL$Oxl20(vdCkFD{-*K{xa^uO3{<<J8chP!{(lmDRmr$33^U%<NmTYW#C z#Y5!(qrUeh_GfOxv3dhfH~beK#3Im#*xf|eu)CQyu)BqN**%Xg!TW7=A$zsb1?*lx zZ)f*e^k#OSO|N73Idm$!&!rRCJ)er~UQE;3y@YE2i5NPy4NltkpO{oZFR*(R?PmAI z^gO$}>7UvC9(tVJm(#=SzLLJm?yKk?c3(|jWOpBZp552dXV`rmeUjZJx}DuO(Ez(| zrkfKeyo?j}^dU@r87E-r{p=A>k)X@j<8~I*!5&d5(>vJXllXW$d&FNMptIQ{26xeE z?D07^p~W8Y_qJ&kd)$qW9IJbF!xaY(N<}2ik;+a^06p-R-?9Czyd!mSBIS+$tG#al zh_Xr>e&+&=I67mZp`wn7W?@F528`4o3}QJt++`JYgh80NHN3Bv5*-|98Qx|yE7P{E z%r5qA+t*(5vfV&j@V1KS78P4qY`%QMSGW>jA@e`aIqwWJD6ZeXec$f?{X6)0-uGOe zb9v8so^zh_Jj7?cLOahmnO<!_gg!$u*}^9&wE^j3nrCP(YHh%B(WjdFglGd+iazDk zCsZ4-M)WaJpD=Aep6IiT`e?KP1)@(J#U@-kuSmou!WSE$Hi$ed%D3_rO6?CDCJB39 zCuE}|lG6LPzwVKeTfh_YR9+M6`jl^up2*4<F5^)2^qbnzHNgv$fEbi5<1PX9sjdkX zeuCK$>v|VmZ~NWK!B!BZui=MBI*XZFX)tOCJS<WDQXcNQh@w2l+~9Aom(&K5phk&m zuROf`8@?Xq%T>PnxiBmGk<K@XrQxUQsnp4RewE7D=c&}6Je2csK0~cNOCHY<vKMLI zU?6fALcOLyy<8K#uZm?pG_SNK6spV<dQ}DFr^SdQ=kkt?D9ATONZmKs4%<9eqiCa_ z7{qV3KYnk&=D{!0)94eR(a#XU@TAy=!G@k7TzqY?fck4(e>y3e-d6M;CL)^)cxkMJ zn*)tHGu9;GW(2phlj{X_Y`m140G?xFO)^exub0~o%Y)mw4|#V~UBmWCb!Xb_b&`hO z!$jgNv{njz1=(DH4uV9jy@!#IWM9tbApr9~1-^}#{~sX#_w4mjSB(cB)LDV-7b@1P zQ1JEq8Cj!t0KS+$)i$IkD=!mEs8c<bP{(Iw+ApZ=U#qkOt5$Q0RjYG4W>55*5FJ<F zA+>)gvtL$NZ@=`4JN)VNCv?nqzUlWEYVVL+mG(B7?5I1ux?sDGafdteFdSR~Ubk<A z|6T?-3NRg;H>fsAQnN@>n<RyNYZgiEjWT-^$^E1^cNmx6xFnXu-YB&<Nio)|gE-JQ zFmMsWCJBbt_~!8dIMD!+0J8uz0HFYC0L2q%b^T}Uj>N~?!4<$2!0iOL6WlIvyTI)R zw;S9(aQndR2e;oTNB)M9b;<g~!gx1Ux(Hw+z+>p6hju*HupKe<eWtY+eek>VZ4qb= zPh2N^S3e$Yi=7ZY*a@SqTzaJ+%I(^L<@SC8E&bvSQeRJ>T&8^zfql~b1nCouyj>3e z%>pn2)F#QMpQ%|SvwuTc?_1J(zwyZ$aTDVV_SH8Klk`H3Pt5H;@gUM*pM4{<e~T!q zw&5iL|GZxY=M8}00lW)v1mGmVIe-g0NZ*7(TZe%g3T`O4A>f99s|HsMt`b}&xC(F; z;L5?3`}YlPBj!oyZ-7vM*-!fPO_B_-_UQ}q?%xl-etv!D^Zno0e9ODZM62{nv=^O8 zZl9SpB?S+SARf?Nz$a#90#z!6jDhYv4dh%CH%2Jj>)EQ|oA{4i_XDBhH1wyC3jyPp z^Mqo9h+`>jiV9(k!iv2}gP$g9`bC4(bR)@`7%8`DuAqwUjD8fJv4j-N!p*B?kive- zjg}F)HgOj#OknoX9lF1~<i(+p|EQz+>MgpDULsp`@4n=}MVI&z-Ss(o{Vh6frtmb) z;E^F2$Y=)k<8J=2YlTrLQ~Ph^h55-*zfMR$wL{<P$Y^s-6z=fmCd_+@Zs)ZU4O^Za zFQNri-^ypS2|HdAH@$wP_HKGnJ9tFeMwsw2F8Kz9BOZ4WM%foD6;1J>7~~oQFLGym z2n2x_&e(js!fui?4vEihRA!d2_7J^;W{=xW4pLiG)jwlUpr{*fay=(XJF2Q~A5?+S zeTk^RKsGx>g4g}tI0$u;hqt5uUd+b*5l}kRvzd54C3<e7p1&iWyF}08gLrfGMItK3 zh7>$Uvo{JE#Q!<)--G`F<+3bhGDc$;8HL{-#B1UB#&-#?9wb_)`heV;UF~LP5iVka z)6kb<Q92EsDHe&*{V{k2_UOAM+=xnp8ug*NV)i^m^NlnLxd-V<+zeEm(+>|}dv?*l zu|^?D3<UO|pM<;TVKs$0qQBaQe}D)+H^M0qfVVeJZJuJkEZw5CUzTwpd(aG}YZh@F zqsYr7;ieb;4@94R!E^RX#f6jctB84#+#b%sljScwC(A7__@6AV@uqa8c~k*MTjWB< zYaR*V5OPrmC4||Le0jh9n-QqmPR4WIGiDTTM|oLwnpccWejb@+zEQaR0?~(qQU+W* z<U9RUa%WX4JnrzGMh`V1(G##8=u$~0tFQzMQMi>R1pk3(7*SZp3rcv*rcr=vr6*(m z9rhzQxl=E9hz7j8RwRh^CSKQXF;Y`K)T{*>xrp87c_W4`2JKu}7;0u>9K+}wZ?_XG z7-;t58ipk-GT}<C+fC<Z_~tT*_`G5_vD_<U-oh|Bo=f9H<^As_R}qr?qmBx{sV4IN zYTh_2l{bc`3L&_{9#LE+?vIxk62sLQM$15fdiT(~3r1&RxSZa7hgh@l?gHLgaI>-Y z&Ed1%Y@n76pS}JL=iK$Y^0$s9;Yz%=u=%%ghP#>GTS)w^LRid*52!2JbpX*8FSCmm z7ozI&c=BGkNsc&hYCc8Drz&Go6kGtQT0>gOJ5NDxyGDu+XsaHjqY~tf2bCEq#^u>L z*((mq8F#aHzQVmS1@30QT}6&!@n#TS)si|QwY}VI;mmXXG9KB_k<Y+Z(Z~4gz;?9Y zE_y`>EPxdu(#^-<|M0C1yrDC#b_&|y*&?wYqK2?<#@%1l{sxP}D3}l7nLsBshW!M& z__Du2bwIw*-iDKJK<(5;t|r?LcW{ArL#WghVEZA0lYu9%4}ppDu?NKc)2fB!Azbx% zjD*<mxZU<cBs-!>AA<JMTytxK7HnikEm%&xP(8eB8a$xsE?2O<PtA>m=-g-$OTJ(^ zCtrj`{2I~0`OqEpVJ{b=+J8cIK)JN1Ud}31@1L-DM7k#R*2|zg_O99!whoi+@&xeT zAhUO9?DfaAhLG|JfV3h;-*3H@lWUK!p9ZgTV*GbHuMb_ePr+%3{$d$0F}PT`R`5Cf zs(;T3k$vLG>Bp+`@8iv@eR6KnJ_#3RZ<DekDl1U0f^EYHsAWV9*S~(I5czYryGI`? zp$czUXsUj<O9ehs3$q+1Gg%`MSwW+FQb#oUv$Ecte!mXn_5H3;Pn^gheLHwNAIKo@ zq#P4~hRM00f{l}4z)6h4FRzG~n@;-weguAH^QhtZ75VeS@GGIeAhdDF^ORrN1+Uv@ z!GGxh8-H<w{0ip&xA_%<!?65{n8y!LrU1|e&;rm5a1@{p;NUNQEPe$G<K0;4Fo0PA z3!eX<;8$LJ!OO20Ul^8OdHH$LCm4DA@8G!wfO+9>@GCFAaHISR$@jm+uZVf4gR>GK z51<Hu1=tKw1@O!ZKNi12+vqL${~*9ofYuj&B!0!aIhK_vyeAhelo<CAj$i<&vmP7n z`boHv_5mpu)}u?5u;YQW*n#p%624Dx$f+?jHY`)9kkcb(#d&hX985V5dX$hUe1g(B zS1}yfjX<WOJ^^Kx@Q0mv{|v|^La|ZJ3`k|2-RUC~;M_@B4(m?e1N5I=&2i-IBn-p- zJN+4k51+nap@49?KQA#FDTEWEHXxTu`1a}R9g?rzDe?=XSq2-LPg3r)vs3md*onBc zJa)I+U74@!C2AY89f4>jJ4wE3$hBxfv;pB7Gw&_jPh4h?W2eM316+XcB`j5Y@P!;8 z!MX#BQ(30d(1l`V21N?=M+ohYb@n(+Eag5OJf=A9AQ@(6S^`iW45h*p#!UA(^?9Pi zlE}4;BDr67voB>jGrCfZ7%{~?PDyfQo%yJwg359{w;A{1n*uOPav}b!As2_Wm)LPJ zIcioNJq5K}<6YZ;sAKsKMN}P9=!A9c67n{Ct^;#ZX{4Zh)&9{C%~$<3YN|Vq7ra&b z1C7F0N5tdc3RIe1^9GqfBwJ?07}T3JQ6I+SC{#}$PKEAB$+V0hS9UuIHw>|X95Sf2 zB#BiMy-LDP;s8@XtiNseLazUs$z5J@M$nOs-TVEMo}0(M$lw@^C8~r-Nx0l8AZv@n zzcf`fMsoe$E12M6OwSF7h68-ozZ554zCJpsuD5ymQU1sbrpxWt9<>JZ_1RDHj6)vY za0hai)r_mdYw;wjx^8ne{RGNW$OtDx+aoTbf-!Di0ONR`sQ3$&g>zHv0>i4&9x*pI z&C=~sq*=am$<i!6?s1{WWCS_F0%0|GjTf%$@bb$6PkID<yau4?2CMc&X4d8v+EE0D zG`=3c_>0a3R6sRIGz!?*qk|7>9?FJCdUTLYjyS=p7qg1R!(d@o215I~#t9n+vDgZa zj!>$wVQ_C9XNpiEcL$v*l6Uyb6rRibw}_2&jSKp+dPI&37jD@>q;M5G{BQSff5OYp zNqNzDObyOc5fITMk<0h`nLiYj@kD(Vvr56u2cB#BZmOFB-zN^59xOd1YC}Vz9Cwn! zGpR%pae;PrGRd4u`HJ(XGcj6eq=sy8+HpOB+~8+`2b2=J%k5(i=jy6D6D62dwEPoV zun((|_k<`i?MAaqBZdEXhTg>`SBFqk5BzrTqP(l4qQ&mkshoHvgrEB!W{c-%c;^B4 ziR8p5fGB?JQrS^Bt|tlFcBOrbg5hESLnCGs^;rTm1@Q|TYzwjpfCUFQa#~$7Xbq%x zg;_*Mr4?8p=PG3ytvF`NPD-OSu{Y{m+xUtWo@;{w#v%3%B*E8>5Y0Z?9YGPT9|(lj zYzvTe0k>_hXm@j)7Ij3pshv;Z@f~iDQgqhjRKDkDSCb!8d6-n{aQV$cY-`%<bdbpP z=lTl)j*50V7EasGPpv=i>9EE`g<O&)G+v?2D!<m^F=IR4vmPmA?Q{<s7*Gx_1=MnD zfn1Hk5en3$=^oclCA)|bu3!un)}V<pdQ2+W;B!nm*H<JRX1`E}z6DsLG>5*KXEGi7 zRv0W<(EWy!j*2!%#W}5Bsj6B{_MA}9ztbS3pbG2BbW&qi*((GIw;Yvz;&g`FJr58s zJ<qi^>CfTF2c{Nhx)x#Pdqg2ilD2otipl|UcAe%-oG+eT-zg9qgGYd%h!)ST@5lm1 zvlWu!k+i~nmPZ{Pz|(f1V5?Esh@$@x-B%_BW!fs*V=CI&7N>kZiX*fO0}qj1gG^Lf z?3*1RyOqy5sr`bTj0J_IVGNYWqN^VSuW{tG0gp8qUt=oHaUn=Ycw-TK*aevuiLi3J zIAj2w2#8`FjHGSC3*~LXj3>x<)8-lpBht+V@P=lG1ku~@8Ig5pbDHbCN81Jt`^;}W zP@u4zN>)GV*vR_qj!!S6P^#z~<ncXn*-g7yfgdQ>hb$CYK~mRu1i1p8KS#ncUsW0i zuv88IWoqERRgt0*r)6lwDGQA_tp=~sd>#B(Vub(JuYv!zltI8cH0)H0hMhK`VW+KS zPI5}@G4HgOhcbOEJcT(bx&aNMh(^gb?B<W63C`mY$Dt<Z_?v#>&y4(-yPt<e`IP<q zR);~*US!8cT*S-rx4OL+n+!trF?Iu=gLl<rXCuxyGCE}~5y1a;@mwcg(FGAMy^N-y z(zK_!dA*<5>(vfJyQd}EA<UqVfd{0{XoqhgLf>voO(B-JXbG-~-e%*^03&ee6&~=F zkxWq&9#*lN>=KcsJeb~$P+jyFF;r8nM>%R$)t`tQ6QOUa%H3`h3YsJQiuV_SoX2~V zlXxi$+)3Elu^Z<FJhNm^5Z*q9Q?H*TlnhDUQ+ri%zR|Ttq@^YUxsgT0Qf1_30!B;p z*dftEy;S=dq#KRGBD{S8_3TpZ528Nvh^7JcBDX=!Du9ZUYrEJ#Msz{$hkSQe35817 z`<NI`!A%uT*81<Frc(?_rChhha7wndvO<k-8_urE>F7ZHtb<h1eo7UsLTy1tqeTY) z3LqC<!4k3`9(Eoz3ITE2KnUPWejaij$iN^4K(yuWDWjC}ppQqVaU3cZ!!)Qwj7X>C zW}y!Dn0XrTVAF&~8QBuLpT?-}VRb}RS1clCI!LrpyKXfKnFq=Ivwi{}Xj>2+$Bn@z zHVP#&uf{WbqZ|$Kac3!4!^5f@Epc@Nchii^?RO4Xae{<JPY{*j4z8bUC~H5*?c_#i zLI;MAU+svd+F@^UkQRjbtpoKZI-+>JQrn2TFF<<|X(4z!4s9rexW!%NMs~STc=G_N z99U$5mFM*$x`8T#{BIU+b9gi(2vZy=ppNtB?J!wo8HFQl)Yx33M>lQJPelc`w9IG+ zca@3|ivyRgAmO>keU`3JoK}^nLHeg<M8gKLy`=rTJRQDN&kkP*t{|vB?$K9}=oWB$ zZxmnY(JpOolMwA5l_$x5pFFe!H%>*(&r~Bc-_Y?KK|`<~q<P+TO^wuVi=>5DBXxgG z&Xq>}0Fw>mWoV6u!bj!Q{f+u7UggwsXGWhzmYRYGY?<ydg0N6YbTWqH2}~)@AAJ(l zetjQ1Lbcy;xxP&?vffWQHGV5T`&(%+!Hhh{8jvxpP#%c??N9b=kcXcc++G{R-WpuT zPPaEo>`ju`3)aBcuQo`fU&l7VQv*CT#<l@p-XY=6L>-H5V@IH7AGcN7`w3sa!pqy^ zBqYu|%2I4rHInGuSbtWk;~hd^;+!<$r~Z@5o=1n7lWIs3CHu!rG9_tGt)D2gKI)%1 zk0y5A$LqUM+&KhLNfEzppbK$Mam|NzMLz&Vfdna<G9~hL!Y|}R?YFjpQxBQaRQ9@o zVTHXtv&R(=Pvucm4YN}gABUeeDw7L>5p1TbIu31%+nAZ@K8uH?jcht<9e38y<-8v} z5+IE0Gg{p4doUJ^ocT^*$c@5z(foSFm>8~~C2H5=@z@1Qus6xE5N?k+Ln2+)gAp_s z!PP~M3YLVcM;^u9c5Vc`%X`lsRx@e6=S4M4dEp^4`gC4)b_E1^_$*h@Vp}xB2I{Jh zao;V5fgMqw>|J$c`;vEft{CO!Kjkk16%C(uOxzm0s~K&P97G{T_}+{__lygt+`O_W z0D}qh?k}{A-b84*LcL`sG&0{Hl+p<X*5FX>$6Kbr$Db;!Kz_M7+mR9Ky2%bRd&QS9 zxKK#N{=Iv1H$Muqv0s*|sxIUAe_B;_kz6L%X^(Or0W%R(fx?8NQO$-S42puq=3`a$ zvsiA18m)mZ@8BRaZL{j}Vks(jRBw@6WUdZMdxm-JP_ea$=50WPO08{ZYRakqhW)tK zD5?68ZLS>|tFX#rkFWo=P6v(139k2IDnhqJV{Ej}r0cjzN)1$Ds&8p30jP%B5s*+3 zdtCJ>3$>()&$~`hflVYH)oH-(0~R0QmFRQYFH}`-7=s@mWn2B(79EvUzJ#*MbDfEk z6xyZ@V}+ThTlfebaSqCAzPz8FWct#yZPfA*s^n2s?SpJlX%89ftw_m+(Iem;3|>FN zuOJktN-s9mpRtc@S?E*#e6jrT!mFs1xWC%X{=`otc-mDc(0x3Jco)iWlk7d^vNxmG zIf4+C<P9fs2Q68`3(Z6@x=q-LYTEQI*&T0_tvcX@D}2SGNxxIE=rH_vM_eLo0<aCh zO#-K+<-%Aa*379#Vd&OO6fV63BemF%graq;r^q=VMhJxn?IePdDB;BjZq(iMS~co! zdJs=6;afnCFO;wYYQhmv%r)d#6&h@Gny>-lX9*8glk@CGr}?OtH2+QEHKb18C?ry+ zd<M*N8X|j21y708=^Aos8G0?LQ=cii5VGJiaEd;A)fC<2oub!Q`p>chwqd5|r-n?? zAHftIGbC|6P3(Gr7&KSI+At1h-&AoHy_@JwSG(?Wm%$?1h2E*2i5dvQ%Vd(pIeL=t zh0SyDeWTO0NPfAdp_K!L5JN0pDA6DQA6P37S`f!huBu}vcqph(_{N9;Oi<q^?QKC? zYVaNAQ!>qG@n{V8G>p@vm>_n9y<V=f$1q%Prp_Wa3Wv5)ef2OsqvBi32*Cn#x@)vi z$i-Wes8JrZs-yaK&NVHN*Z2D@q#;yn(~;8+)txMKZS`-+ja$9@LM54eWEPYGlyaIS zE>pN!My;zmDmsCL*CE3gRTsTlLR7c*?ZGN&1HzCH4Ho7>Pwgc>4cr>+yzrRGgd`0U zqArso`uhcLtEZ(sx=Lem`c&1ssOquDD^XN~X2E{$2&L({u@J<PAPo&_aD>wKcW_;R z>F*-Y1aZHx7B#E(X@AJxoEkHQUFw|szI(n<1PzxBg>aLIY9VL|M<^jc`6M~Mb}e$w zJs2~E>mpho?<==h<XNJw-Y+UC5!t|IxRw$;zhqDkYK64-3+E!Kwn_Ead`LsoxT@^9 z0b{ht#k6}pX;oD>;mVTH?^GUij6szh28Ck+sU)`1MxN`pNHT?^Z@|QytuqSEHmYF@ zntLVCt#66`S;ECXiDQf%MP)vBZ>A)zp^tBhXq4$YYeIFspG-Q|duIC46j&K&(cN>E z-O%k8`YSxNVV00xNt*=E1^R^tD#;;5Hngd}yQ2U}V(^{k^@R^OZ9vrSC|;C9rX!vl zqYLUca9k#33a`KA#rqZr$jlOSLlG7pp$IpLk}WyDvk18|H{DE1#T$j(EFrnVf1EaN zzG}7rMA%H8>&D&4Sd`2cP{~$ywkuw>|4dKf-IL|)L|v^q_AGm^>cBD8{txTVD@GoV zF(|o_$*#$&17~6~l<X*7zG}Y$!t-GcX#y9+M`JNJd$`Qe{)JwBNAGUW9X+6roeSM7 z8ayga^TL5js0B(Wjc);>nosx0)w1JigHa~-1be#b7@Hyr+qy=!WbqC4U#T-kw(!9p zpk7qIp6`u1A?uP|wqJCkiqz9ljrPOx%JZltl?$6el%<|UN5Uy8zed)AJF;r^3bf<5 zus^neoexvdx3OQbw^p^Y7f^DyfgJ~4t>6_1UgumpSFNTvFC2h$;9Q|jKRWIi&A3BL z=(h~APkt8WkT)Lj@0+=gc;^sJ^hEXx-k{W;U|V<zd_5mVhq9;AQc{JnD#BY1c6=Bt z8F;j08CdSncRDiKwOueB=RP9te?Q`TQdR>5E0%s~vqC$M9F^TF#5{t#=)%-NWXMMM zYY%(XO{4^fhj&?5?c~=c%Tbp^h;Zp)lFKI#dx~>eD!(VJz0r}=r9G>vQa~;}^-@)} zTTa)ddunyz(z@op8vTIk{kmj}Jev(m=0@{}dz<%3VBY_7z>%RwyI}B1q4H!Jz)cf= zO3NyK*fS5(Pvg5ybS<09A3h^E3~Ft?RR#nqa>EaACd4XE-BW~l4|{puIP$0vTc?1W zYo-yin43|7h02jQdKOAF98o*cN6+R}vQs_r@?@5+T^wM$9LyHsan`yT1+UV%4eBO+ z7n076iK7F8qjLt>rM#+k$><pvF##jq>xpQq7?40@DUCcM7^nt}ITK?}z?dOES;}av znZaqe^NP2@_#pS(K=-)W=jr|VM{s#D2-*{>$I4`QZ%(cH={ocak{G(2iGlJS#-^%5 zy^&BZ(B9*bgg(KJ;tk!lm|!lzrjWa2Hq8%wPB+ZtvIa+v+M(~#wy5kV$q6iDtz^MO zRn?pDvS1XetdS+eL*tS=co08Xd$jy!XS~D~9n1yCV@RVc*u_D+yNca<wS}Q<y;JY@ z$J=v23{QHXy&3jCdSN-44Y5_YgV{rkvQd0ct-)QhBrw1=Lz~mh1(JXlEfR|xmTl;x zmUDzUA>ML`pMZN^cuRf}p0kbPgJ|t_SVyTVpjHC7^9>RDZtMW4qpBKfh;4|w3=h<f ztU9(aFrfo2Q2-;L+J6jamp=K{u~4{m^aHB>BXzbzZBtO%M5rCB+J9X2z5`!@3mYZ0 zZSbrOu7~4+pOMR2TsrT72~PmJyCx-I^N8B9ys9RB^o#`5b?SMWnGn(9x~aEiw?&dl zXrY0#q-MZWMdWm!Av^0ZD!VO=sB)l_+{NmG#+&O=T3NjT&(95=F!y(B^-8>l^7g}I zTe;KTH=wHKC8WPP?9}CNjyeVl>(lizAVRtvOU6gK8evq7hEb7kzy7drlb%<r4k+^N zmtkalj9bd~%cEFTzGGxUf=&mW-|;&#cDn5K1KRrXDb8dm$#s;y4rqL}C77Jq<1iw6 zo%Cv{I8dZ`$!@rTvVshh49`HBm2a=;3ub>~8MQp$A;ZDahl2$lF2lnNKBzG<aAvUU zb{srGG;%c=Jp<Ur&wfbSnEESdCJEjlgvwuCp}fk;j+XZX;t(1wbt&?BhQx{>cRM?X zaY2HeC14fVPy2-Po=%?U@Bp!+5NYJTVpVna0CFCk9V-Wjc{MbmWl<M&;V$5}oR5sd z>l~fAf5!RF+^DC?Px1IP!A1%Y^1bosF5NfmwPYOn#A8F0afqQZ4u=R=U{Fsw77r8n z-88pQ&TH)UEu%2?E4rJ3LJ-mZnh~~K_R);+CF`yBf3TR(wT`uxa-vK`;a5JJgORWv z_2|_$H1O`oX{*T@Xwo<1<P1zSJHnCE(x`W<UBOLyloe!Za@<aRn^91WA~vi%RMCf4 zk&IIxM2&~lN4YV*^^7iv;R0gxZLHj8aNE#Ank=FLPbce$GAwpcGCL=kohjVIl5^zI zZeb$pcYA+tIlaA)n^lgCKG%evdIhV1oEgaZn<hP4a@65*Qy;Gnv8d4w%sl|N155@` z+XWrBC#Is0Q2Jf2DdKeQ8Yj;FE~U6;;5F(l_@;gj88g!lAHq!oZ9OqHzg5dd!umg3 z+r&<d!%Y}qb|FO^139Uxb<n^~`c9JBo$w&Xhnes|%9$L8n6s)lCJ>x8+QX`96-^+a z-*6Mmg*XK^vE%ts3LvL}?lpwMG#CUS7-yf3y{XdB4Nvk)15{VS*bQCs*HQF<m5r$A z-ly?|D_kLvFHwi}>OM6aM19r5-t)v*SD%}kD4eo-8v55(95A5}gUkeYt`dhk`Z&u` z{p)V7)2VNUnGZPWJ{)r&6LZmSt{CV^v}05^{V2?{5ioWn?2JltAC6{B4yhpRH4@I{ z=MQ)1VZbws-e*N==&@GZ3h!X$3^8*$ZUIs7&L#fM4A9nC|3hTcqn(OEX)kea2@MZn zZBYu>wHFowSjh}-oofUx0XQ@j7<;}j_jA;$!Z+hN{r3TU2(jUpUEda%4a=bIm;|-O zUKLKx@ulH5jjhIT#b&;eTw`!kMT<T4u<ZXDMh3Kylzqq|wV!rpK{0z3qIo|-+r&)} zVga|xXjJON8X&ae6SuqLd-!f~&F(k4=hx))3p>8^u;vqO75x)A;Dv?Vuu{zzUJN9e z!QgBFx@o?Ur0~4|wny&<1R?=}5AaJognDMHE7W*huWfo07cj!0cF9KQQ8VK7CT%^N z7>C1)y)BN>fpZJIN$H!EzR4M4=SI$OlN<E|64%Z6wM$@}lW{Nt{G=`!Odq{^HGZF} zs<%<^r{1k|<Or(jePr3|J46OfeH?zcs;UFzL&B+GgSK8(T}9$_!m{}2CL$XwT|XKK zfc25~z5rEqK5D#tUq2A#PF7XTgqLJhbt*Vbdci$_4*3c@CK6>~q%opTk`-p;VYVra zc-#se9_x#$s-Iyi%gE;CeBsV+(!?ZyBTI&qeGmqSs`^)uYh{J-?K>YZTsGFcqm}XE ziO1l0yZq6$<nTeR`Y9Sm6U#q%LM&fZmEb1SJ$66!1T>(i>L(E80Afu=n1SMBaRcxl zHvuAk@iBf1ic;~8B;VMP2UUy1x^iJ@7AZto9yqAw3?=+YAH<Vl;%Ja-H#85TE>1~+ zc0`lWnHWbZEju_^X&a=M^~F?lZv6}f`O!g16&&tFSS7qxakpW>c7AK5Vz?Mct*Yxg z)OF{BY+r5-K3=1U&bh)(gD*hAPQpajkb#lg6dJyQPAU9pGMF}#NoBqFBNnF>iwtL# z$_qHtP$7XZdgM4rg}IB#H+=1KV3wFKoc<KIA$R=%@#gcVd@4a^6Nh}Xr~uazQlP$! z@{h%$Ku(W?Yr|7M1w9*_EEE@emTJ22e^=yXAFZ%vqZSSwU954*bixYk=%dGn`c}`{ zd=oiZZq*L33xvtVC^PB$AgU*ZYhxo~xK?&DtlK!@8QT4XSe%IpQX8&a_{C>rEr-lY zi#_(PQd00Jm{S0b$BO)qfKvu>ydMvMKPT9st=E20NL<)VwBm>0xor!X!J#G!i&V%6 zz}dK;?-KruXAfMT@TXF;tI9X78r-ELY7wJ8L)AAwa2jE8kw1%l=0Pu4dtO4+<+S2) zW&`^t9yi5K1DAaw)3P#42munrawpIvLa>sYRKeFqP54}*3hFJfSwh^mq5;fHTzQtT z_*rVrO@@0>h7!8@tR$GIs_-i=V7qlpW|r_^!;np#u@-_A-STOv9}@aqAqjPEkV4g5 z!Q=qGalI6ZGIY5ub25d3k)ny+*=e}#g!dP+iMIVtvW`-UtzTF(AX02y9cM{Ezp!&R zML7UbezsT)N2MM_-s?RYEz>9*JUj%cHH9L|{Xz<6(kH9v%N9Ph&@<#tm}(<>WnDl; zbWTOR+}-X-sG4<XE)!`kXuwFw86nm}WiRfQS5|blLCT6Ft|>y51^Zjg19QVE9SV&6 z)D=%%@a<$Vk-f_%_G%HOcZ#X<kU?WU<P<t9>NAnQ2Xf1i(=F_5MC*70nUftEsD_2j zCX**nsSh`z7NP0Kak{?jX5)!Sh&rNc()X&GMrfF=3K$BHz6($9AUTwVX5i*h$ysV~ zp&!=En}w!A?{34pxW7+rvJ%DISPB}9z;njFYWL>gt#a)ptDJ9ep@9ZE@P#*i>6s(h z`Ma_7je%RwR`+Z;&5Hz%LP#QcKzs}1MFI7UM}0<kSs@EsIXZwFDa00f2oZ9fv)lEa z_J^$xZH8jYA50sh?YI8Hcb!7JHR$_uyr>3QM?wkI%xUs&=z!^m9U0v?3En1rR^Z8A z_^M#gqJkq3aGlO|lk=P&dU^$2DPX1{enovkc%zO_JbR^?M6v2ESTL5L7B&_5Fhwo{ z9=nn4L-DpNd~t4akb}jFHZzq*p|C)dEuS>}rPn5}BrA%=5?O7G>kOegUQ#i(GO{*4 zTw0f<+P_JzdcUsn0+L#1`YL}w@`g2n3m)u3aFLjqi7wDDQ_uy<CC;{3ZsUWUOYRD< z9b@~l(so=@GsbnRzwb8Naj8qNndDntqXt84(`?na+s_3N7AL0xyI=-WhkDp`jE`kQ zBH{{D@6vVtQ}0Ll<Xf|hU+xO#N9CbJqk@<}5x<WDdcctd-vw}4Fd2?RgTd-8<ADm< z0<@}}Qvxd{K}FWU%R~#3bz~RrLcaeDTbl2kVc&#tNo<NalO@p;*nmbx!`H*RE7Ov= zD$}Xom1Y$3?uT5sT|C*1M9T3J8{tfX507v5SsTBcTK{EW^vW@EE^uiw%(iXt={<(3 zAS(y%jsmjGjwYq~#s}*H>~->dhyJ+gKpmdqHx<xR{F8WwpeCB#fRfRlbSBH4n<M3p zoW3nFc->i~sRvDG*Ba$Lht-^-W(-VcL9T$B33lL|^nLO6CV33kxA{0^5}o5_XG2a= zAL1CY56CLy{D4blk*(H#T%m*%3irZzz{k}N(;)6K3a8B2WKMl6tarOmtqv+vqBBw# zp(m7thoHmP&7I`?go{`MsPTv_VXqk_2bS9_6u?2G33F57BOyXhc$_d9x5Qe3TtN{{ zJ+eRWBFF4<I$eQ~M$QGH-$$s1x)l#=KZ1E?v@px;nV#@+tIu?)^N}Mkpimr4pYLyk z1<YB|^~x*xuQ&|nh&YME(8e1=UbaXb`lEaww3b1@^VOVAN6wK|F11m(8)e0t<Y-co z56Xt6r4tq#2X|7qeI4EcZG-*^1mEdEfx>XwmFJx<U(EB}oV^psM?9K@%E7RC_fyZY z5)caGxrgX-a$+sr`dCXONDl2FLQjjb9Tm+nIh}Y?(<!{X1IbME;`Qh79<v1&Qkawx z(;Ac+Z-kK%B;f-Irh699qqqd&KOc9y_lj@x0BiSrye%%It|O$gV@kFow8JbV(npR^ zzTzk!#Lq{P;Ub`))R95-fwcp5F{@U=ciAq-u~RdJ&>iH`c)N3nL_$h(&Q&-J?X{z0 zPjIcMiqX*Giiln=VehbQl*V$m+BVAKxM?t=jKZIvAW2(*t_<KuVOod2MOJT%j$=>p z`j!ZNJI|ey^*Ji)TvJJ7ya5S}#3J5&;pPBQlQwIB>c&jr{w%9#M%l1kX0b<j=tK#k zk4G|);=z2}2bv;$zt-D3(p;oVTg4vgC?uTF5we-_J0stShiNB`nZnlJ4_WeWHBrLh z9$^BYgrfomhikqOxI&)sq*^>Q)x|ZQR9|g}4(x(7je(k^Y(5D31ISOIW|g~U3LhDh zbB^jdMiFpmgwqj6Q)v6hj;3S^J&<oiMLT3I>*XuXx#siwI;gAr9w=A><(@e-q})y3 zavwzbUJ>1xsa#`B&Jk`MU(t+hnw2R$Gc@IWG-bh>uXGHAOAihSpGw1VU`~O72~oZ{ zFeFO<Y7#}(3zH&zfr2)YlhsT~s+l4VOWfl<lZQPsc>y^J?L_LQQ+O|rP(Lt)`d6=t z`r`^gve+xIAX4Vx!a@_-@0(@vUnSmJ<6R{(diBc7xb&YTOKP;p>x}pCI%7@9AYNF5 zM2&0KJ~emCJ_$ReN3WE!p~6>daHQaNkno2!-rbKgz6%bLeK3JI4KP*o3q{GI-8^oV z@Z=i*HD%J8tCU1W)wv#mMY;<QEhnJ-m|&426@+oJJPIF|X4Q^S?LVyA-`A6P&ty3} zExvY4>{)i4YXA2ro7WVhS90T=@ouyNJ1Qop-z7sInZwW@AA6Q-Sna2kQr~}_6H6bh zqA@vCpZl{CQRcT(*uKcC@^j`OmDNO!FO*P-s;Zb6Bq3N6ThYkHXn!DDNVz$JeYJmk zj9h(Hdr*;&8IUwHU$tN5HmJ#2?U_YAiPFh(s1ch`doxrj0NUEMy#BlbVttrD@;IK@ z@)s9DgnVt8+Ny;AZ`u%;FDnai&4=gl)=2n2bi?i7Gtm{UI)G>J(w_LqYIYRl;Fye? zA_tDSWU2$lF%O=@)dE6Bxb;ekffoTipP{V1$%8}IAPzJtK_Qu-kW5fWCMYBm6p{%F z$v1=o=5vahmJeUe2$a6Ab^$r*KX%AMH>u9vCQZhGF3*6uaFrb4^lRMB^2l!@r&(t| z=KkxO_IgS0C-!e8wR+_hcx#eG2eEj-FXfy1S06*os{ic2r@m*Hw*VReS^>TR2n3=v z3}7z65`Z-T1pp5N)BrpS@CLxU0LKAZ0lEPc{g4hI8XyzE0`M@vqX0Vqo(I?ua0;LW zpdFwGKz@Z`)BsZeW&uP4ECu)pfCXR&z#9NZ06quk1{gg6WdYm{kO+_tU;(HC*beYK zz?%T?12hA)19SrfyBTI8z-)kf-KblUVb%ha0Bi<$4B#bz-vAs2Xa@Kapc^0zNc&j; z(E#_8&1(POg-{*yn|K{F_W>PqYPpVSUaj+nz4L~S*)>6TRhoQLVUamc!<K5+nOTi_ zV<D@_EzL7)@~x%Cnlfu?uDQH?POxvhT&vl{ntj7GGs+qG$0U?;MR}T%Qq0Gki@xAz zDnXC@!je3VaT8lmT0#Oj*0i?B3{g<$!SrcmBxDYRFy!5vuC&ZtLSo%fo@*^EW9O7@ z!g8#7K-5SvV3=a2oXKTM87pIkzd1}EQv`p|mrM!6k>}e;U1ybWMMd-x4<-V!3Dt}& zkO`Ek<$Aq70Dto$86%0Ti8d||QZV;KMrIj<ppqJ-HyFj5f;I4Cn2lu{;irHYOc0|` zfTMsvd}a1ci)WZy;z>CYsZ1Ua7^D~xJW@Gov`RhZrm-R8#@`$|VdA8)$y26krrk0< ze8$XMXWe#t#Oyof+!=Y--BEMr&A%r)CRV#3?%w-!@e30Y^+}787vKND62sDE#+1~w z^o-1`<=H=3u`*}X>NTddxq0UNbp?f%2aAeJO3NOymb2XY4I4K-{K)2tEnCSpv%Uno z)L2?r!kVq{{s5zAQkkXj{}LvOxf@z65uTP1d=t(7ag&P5ldNVlx@l%M(^SNf=S4ox z@kK?YxtP|<m9T}yW{ufuEwySGW)yU8`jTa7Y19W_nY6`A7x}z0iOUS}i<b`iq|T3w znmZ~uzC>dxD=R9@HL-;-WC~2>nqm_SOB49Bthu<1#i3YKYJwqIVAdpPJY^RZuC<!1 zn>2+`XRFnm%NA{#6KpIpo65~FuuE7|E=yAQ<bG?prkpD)E44z1*;K5_2jq)Ot!Bsr z9*aqwITTxpU(~4JJ2dfwXmF6XA#L#zpD%|kC@j~Q%FE5gYl}8%@;GZ@$vRC5WVPN* zV-=PZvW2Fi!iP!r!RZ(uz7a&p3@J5hxpnZa*;L9|eQ}+mS<Gr6YH?{f3w3?a47p=< ztmbmA2tJp5O|Ge^2n&OjLY(f%EiEo1pYE(XbBnCEY4W*}T+*flPtzb$CFQJ@%VnYR z@Q(y078Myxg|zNi@4K<y<nt~m<<=Ew%F9f-X3|_R08B-G4d&ZkcMWMTZ{5wb^HS4k zd$R?AbZJShdCrZuhX=PvECX{w{00li6T|P0#&E8L%sT!k6qrqA6kCjU&voj!p|EsF zzYV6FKWw^kHt#y==3%-r4r;%?(8_YAqQMTro+J@5-rQmHUtL;))ApUvP&j*&iPf9` zT`~UkCi5xwbt$~(nb#NQ`otC6$h@%(z8e@Z*fPG~D#p2INStCAc7<#KtO<EI3LYF9 zfB1G06Xls$6GR_HyL{+JZ#6%}nai;t94V>dM-CN%*{Qg&1Q()0>~9?ITnSf>4Y<Md zBYyHwhsc;=>tHT{UMnprHkYsv8{<X~8`orA$6>^BZ@%Pv%7;me#SgX&=UgvZm<3L6 zbObYup)l84T3(vZYBCE+EfXRlyzQ}sPI?$G7-G+vGly9K>+?D*RIS7W5x9~EOG-DC z+zaK3N%YuF(}IJIG+L}iqz8a=sv9XjPlji?_`K8S*$K}I@%d*y&yV{&Z})kA!smI1 z&-0T$&w)1Eqqa&LEXcA)ZI5oVg#-k^id<b?4G2X>+KjduSY2n`8g0z7!FmgeveAfF zfi$yhH8x1az_MIWP@qr*Z7eI>P*&!*9{=lyy6%Sl&GP<T9d`9!GEhp_`>VRfpMQ)> zpFhbB{`scg=JO}L!9P!0%|E*N{|SCq_i4fZ^azj){@v)$Zv;pN|D-qgH#h?R-oL+9 zfBXx9Ki@asup6$jSa1LL8?EnPy@&cp2*YTr+-9$;e)Oj`j#~aP=g%JB{=|+apL%-d zGrM*_`}601@%#%f?s;kN%dfop+P>HS?U!%->dk+D>({^e?eE^+f8gMu-@o(jd+&cx zSAV$S$R8S;jvhOH;^ZGsoo+t!;n{P4`sm}9Pd@#u_0OMw(RTjJuiF3e^#!5hKU|&v z`OUXo7yo*x`@5drzRTbL(0^sX{dY4&!!tZL#1Q?X>;I1~|G%9f9X|Y@qWzPTV~dMp zao2!h^58dHV}PFqA2z{{F&OU5%e!+Ep{0xlhKV;2o*4Kz!VWV_OV@j!mjSngk7?#I z*5et^t>emBhPj_BB6-{ov@*K!W!6I6lQ5X9xu{Mc$-LIei8R~&rV{c9<zW7pFXoAP zVLq4#q}zmfV0ui8X_zz<%USbGB#$I(A$dwK;H>4MUzRzq#4Ns~bM(njT0%V1IMFq+ zm=@Dve2j;2Fq{D<U)*EK0#>YaLmEp6WAx7`H(QsjwEz#Wc#vYo9S;awVk&3jbCIhw zmX>j4#E-tyY#0ONXj*4pSh_Ku$w<?uM%_Ipamf;b6BG>?03v`7poQ3x_JJxx&7lFH z9iTa&RiJU8ji9NZ#jxSvm#}Q<vW)a_W)ASY`0m+HnzNQ<1OCN%#9awxZ33>MIJLBt zrK@A|-?6gdfn{^I4kcrm=6hhJEd(-l_qF4q^b@-0MA!5Faj4EO{OFMIcc=S@pY#cT zeTI&CZ-#&PV?N;v=II#SJpb^a<$o3HAKpA9{MXvy%STrmr}Ne^2%d*4r|#bC<8kS} z;ln4#>zJ7M>!-hC(e?5C;r{EVe{kvb!+&KQtlPUj&n-jZm8K4cJ(4<nd(6xBFV8oh z&wip~zWvGY;diXiF?X%-53d`Nf6XfYaNm9nU9Ds8Tz&oe-ews-J-V?)*H3@%rt7C) zT6z8OJGc3V5ADzJr>~#>y=Sf;p1$Y$_@8*iKYZwS`NV599Djd&RX1!oOWwRb9tDT5 zU(b=pbxitYZ&A!>+`MjMuKD}dnabaHrjjaIWG*pVO{_VA?vy34)*}6Sa|x^!jS$A- z=|ci;lY34eO5|ClLN=+?npRk{uE<PRM&@ZIft;0y(O`M}cUhX5^~p5ZRFYQ&bi;R; ztD!WHD>5e)7MYitip>!FQ$~-w@CnvJwlLRJlx8OTf`GSliP^N?e3k$AgSpU*vlu2q zo>pWATH+R|xSGf3<yi^N0TSOslrl`4P+D9J36~U>K=ECOE6pdNl*78;i+QB6dDIj7 z8`B`Z>6^;T%mNx}va(zm5(V+h2SCvjnc1rly+@wz*}e0&;J=abIja>~+2ffk&nPJ% zW##EN<^qugiJ>@hFfmmQ*bN)}k#uo+qIoU1Zk^d`gz93~U66>h3EBE$m{+CAW>XnC z++bcJ&-5T;CBejqRbc)gU5q_|8=L05#U;5`b1@kO^}hZ<eR%xSFl~H-kzqoxHJ0fO z_}m8AWSWW!^T?P1%7?jEp6+vovH;)2Q<VGg*?ZCwhi?SMZtM*o?BDchuXM7Lx)^Ai zXXIJX)?^GZJ<=tmraW<L5JuDQ0cX#q_mCcmFUd<QD=eYi{D1@t)DP}#rm=W>0mHYB zjQy(um?guc$YQGGS%rD#gaVT_z0`m^#S1sFX6Ep<^MTR&GU*5U)i8`no=Nw_Neg7l zQaH19lhJG?1ZPPu9hT7B7HsSE!rTYNar(=v#}YJ78X2F2>`O0%@2i}QTzF!hm8G&p z86_KlI%Qrb7^IqMcdYVYAoflb{YvQf3q8Bj=N&#gz<Hr0sfa5tz`Pf7`T1rmjP0+b zOA-vGGFnaOiK#MgTcnqI8i)~mV?kT!==X$g_<cdT1b-ih(?P~GIeej?9CHE336}0X z!uutuQ5y6*%&JU6QE9n2J1~#Y(IVm>&phi>n`InZ#<8T1ezCHcK>YH2W`RxOEQf{0 zGieM=B4sA4*<0I8e;>fQ1#$H0|4fs$5DzHgnFsW#OZ7{DAIK{LW~oG$3gem#X68>c zP2RG6`aV-S$em#QVAb->M)52Zw3cJd<?+{EAOH3H=lRt|#Cu(duSkRX>bQ8%>1wG5 z|8VJ#h}*w@|NDPSzt+9;>j@tu{s-{aIJSzu)G;doQ2x{w{C}S>=7lnIo-rvCT|7g> z>!&E8h@y#T=moD81OcFYt3q@~h;FbLHqs|-yqFeUm6)$u^cw?klL+WPP4u59zQ>F2 z3F5m^Op_}5r-^Qsn18ldc9H0h8!H+Bm~er1W*Do8YoHk4CgNNvy4%EXyBJ<2=7Sdi zQ55HS@qLeo&&y(YuZjK#MEp*P;UA0Pp+U4QJZ<J_b6=PFFZvG`{$GthT=@UqpL*CI z4c83&`-h_aqy2_IbfDqGZ;Jn8@%}M?|G$p`@%R7uP$(D&beL4Gco`O~HQP3An<o0d z`UQ3Oyh7c|7uwLa6QkQ=Bkn$kU%&U$y_#Y2tsJ1PPITYC!T9l_yC348eyRPXiOgSK z5?)#{eEwVZkSEj~mGbGTPc_WyPc5I`eRce^EuXhtW|+IS(3D00N%!s&#PI*FxqJJ> z_#gFM!d#6j+N<{b3S2s->suXDc2URFgvB$vCQ?PK=we^H#UHM%eS(gxr6<9~HTy+y zaSd01iyv|81sz$7-vAfsiyCmpg1Zu2q-nyzod9nC*E(h*xJSU91ny(tBCU`I?i6qn z!JP_j+h25qme>a_j<dJgb;K%|8r+SDJh*sv)%BH*!LO$cTpVnz;Nqs}NpMd+b7O$? z7t&FfFV@M!USRuJpzn8G(lJi~YzKG@pa!4{zy`1ppbVe@U?qSNAQ@l*Ks3NyfJlJZ z0J8wX0W<(%0HFXO0BQgwfE=Ljuh1s|!e43pHgH=2ngNagybJIaz{>zH0z3z>9bhv+ z8NdknV4q{3&cQZ?K7Z`CzYSZ(U$ST|XU>rEgYBdVcya<W%x@@vWh<lUyDrjwYGYdZ za7l0IXH5M2(l<lB)KloV_W1ce<2ODaj(Hr5S^%7Raa^FK5L6U<4&V~N7^qkzz)}Fb zDC0>J%TT&_14HEE7}Pn1H{1UTfR{b*1TX*;{VyN@|CXGJbjVL8{ygc6x^+w*z)FC0 zfT82({{T=+0|XQR000O8gbGGZVsOse1(^T<03-nb6#xJLb7gdOaCC2PY;!MTY-uev zG%jU$W$e9qd{jlYIDR|bO*$JlEDd3k1{#b8A=)kp4ceD<hTGE7_(Vkq5sfk^s0_Im za70YJ9VboMBX7o;aU9=_%Q(+v7Ds1T6|+DVc9122N^q^FMZ#hd*84l>RCm%unD@TF z&-c$SAJVsOt*5F^ovlvQExBj8WR)bz27jh0NvkCB&nNxQ|61X%_wY5nrGKVv8L`R| z+%jU?oQKO@^A|k+lLhxb>MFbcvBw_QTn{|tTA)AXdiXJy|JK`Gk3Rn3L*uft(%tbo z`d!Ae?t1#!nTfyotIy4xM&X~&Oo!*;{Op;x!!vMI%FJ?l_M3SxJ?%3m&~xC-JK^~s z50}ls@;zZJEtaGQpS4NZ|6sQz;@YH9QbtOeB<+EhM?~D>Jow2LUAIW_aEc_^@ki=@ zO7ksZu;3qzTScN!;_<`x3xd+O*%m1`8NgW<>1^8nVzB?Ge{GVqJmu2K<FtnsYw#Sp zD-IC$-F9If7eF&^!Grf}_e;_%SBN^LE8%bdh53B&f1JoBeR&-ggfSU_^;vr6s~I<6 zWTZYqU!`<-4*o$t-~T~R|KGp=i~rQ{47WoK&vR$1Va=VRhL^Zq$~5H;<xbW3))i!j zRHNDS)CAbsH8^R<|E6~Ai1^biYUBx1Eo<VwOiA*zdyWLljy6am)yQ;9khN8rOCOSl zS77~$ydraK#i<#(&1{HWUU6!q?y72E+TYI_-kYJaP3%0s2Wn8Q2lLt+tTR-zK9=HX zheEcos<{DP1KuOmMdp%KP^fQGq0yp{%I3LMm1*u$l`U~kZ?KMRD6&W@o8k5aSc7V; zcPTTKdzBgWn-l-Azd3iQmEX<+<X4&fgT9d8vtA8{+@%z=Pi3|8iZqp-4mE52maAq> z#i{YSt-)u`Smp>d>))x7kQ+%vF!G$+mx52f+owjRx$^-uHSBl0_)UF)GAwcDOLEoU zBntXw$f4J9xc^PzZK7}r6c&T7MxY>!IOXZsp_)yq*{oWdDhg-l4hX_ibBa`N(}Ii! z=m|yYv7~CTAs|#ifUOa#$2sBKvLuP7b2YA5z9bz1dx7%B`X(imVFLSDS%q&ZYf@P! ze<uTjjVgOi447v#@65)im)#ZkUb!Ae_P+Y0@xC;E;c!z|gY2-%&O}NbgkaDO{tXZe zkEyZ~O86;BUY7xARqXjv4d?JXV1TM>G^ae=FG0#w3!n-2QKa4`ugHT}U+9STW1qZk z3(pmq?Zs7JY5`xxIYh+9*ggo2)Cc(58!dWoPYoo>FVy(1IpSxnJIpFm>l<W^h-zE; z2Wg0C9Uc>_e9c!qP6a%E>4Gf3OJr&2B`IdH6euf(iD(FfuWi6WV*q&mYBqt<XL$nN z<=Fz>3NIkZ6w@>bX?x)FMQ|8KEw`#!@5{2D8DWvCnl*=Kr|G=@6X4u9Z;(B=8`<OI zpN;t53aOqN9MOGhB<P;+k4%~4*%|)8-9}Wv4^6_)bo`mc8yu1pxeFF~)^h+F;LZFw zkjr#_cK}g#2IK_<n;(R_RV?7cX)VB?{9;dYF<>tH*wYNJxrlNWD*Da=>ToVUY)5Q! zzVjJA)LHxi8v=&-(<u@DAf)%zGk`;7L3gRK(G1&v4Yiog`wk$Y1+n=T2yWBqPgMIW zQSI17wHcSFHY7USGk){M@%1jmRY3`(0#nywcLMBOpo{~qdOua!allwuUctz1mZt{a z%qDIW8IS)hVAevC-?}5{-LmBCK-oqZ7A~g}oSQ$Dq!P9P7FCe7@)S9-=AmX$Ez}u# z*nBEK$ZVel%C<m}Uqg|Abu-`H8{wb$S)53i^|WUE)+iKPvb_f$1=xB*AwVGNr0@2- zlsgqfi0LUr0M}-95x{&TNbI;D$xyKD6wwc5l>{C3G@H)T`;zHWzF4Rcf97~Zr+n30 zyD&!{E>#qa)3T{#17rt^<*i#3YoMusvQ*Nu6Us9CgimoGuxNOSDX+9&1MjoLQ&Qy> z_A4M*Jtd9DR!S0UF*;3sB!Ay3s3lM|=h08%lRO3>jucs=CoF=3<-=1z48$t@7dJ{o z{A!@Vz^c^92bq}8Hu3v@-kn`FH>zfx>fKu|%PUesHJW2$x@Mc0rAHf5B&42{DdH^u z1gk~~i#vMLVjc~hC?QDVnZg!k_d`TjaX=?-giy7TiDTi$EY~1KJ#rdWx*+!jDr*6v z&mTF3i=V52#V)=jg&Nz6>kNo2_Hi<lixj6sQ>lr6x=SGo%&a>Y{*zn98H0WzD=ChQ zy<v?5S#G4*f~@%s;%8eBzXo)grg7d92;1BNm;%Srk*ZPeFt^TLuCff?*#Qt3jSh@c zjqfZlA)WfyG&lScNLwo?OQR#;J&0*f4GOT#&v-2sGwYKQmV9FXd51;?lxkxtvK#Hn z0NVwC@Lhj`5r~Q5+_hg!VUTU$vmg_VY-~U=+YrxOeinzNiF?nOW{}0Z%0yRHCZ-md z5F#xyq4IQE&4|^?eag)Hek_(W5TmH$999J=UJ8p^bp*q{oM2dW-F_#mZdlte5vM!{ z*a=pzdN;|xuJP9Em-FBlNopja7Ab;DkTuUvPcwgDv?Li#X4Hwe1Vuhh6d82MBIDyl zK9>-OA9T;>r=ali_9;0&x$4(Mj<)gFMnR@dQ@hgWJP){41}k}^T6@YKjM(>HVUdi_ zhpTgUP7hf7114u(mu`__eIPJ49pxRM754WaQ~TtCr}fcT%V4a<iD=Ji)!I(GaR`bx zL-EX-cBP;~8_6FTeJOA&KshtEn%)!ol?Yf`KU{?+Y%>w|Y3?}~In)V}Z7SOf%jpBi zupA@b$00$MRRGjxCe45vvH#9)k?MW7BNb)#d0vaOw!cI~J9QN*RWZA_UJlj+sD!;? zdjPWVn$ZZCeOMlJ53;&JGyw4`JZvl`zAh4_cw*|R!H7JIJ<WhvdC-~~?r%|zx_s5B z1%!@SG!W<PJFkQx`wIIIagKyc#SzsS0P-7gF3z<8MX!kuQ-Im(aHxW;za?OtHnj}+ zJ+IkIs&?wV8dJ^#LkyTTSbe~VTJ#T)vaNSvXOTDaB2b(vCS8jvj%Mdu#^B^;-3e_Y zYmPnz@0-O~5F^f70-}}b-M3%@43y-+aLb}`z$esI@4QX_u2l1Os2zvZ+S67-i0Dm` zV4rN>33{2lW^RrgOIIUP^G#>jF5><Oh^XH<)n8@%pOTH*Y`!r$_sx*|y6)TpZWxqf zR&0Lbf*Sx7Jr%=Ei}K_(Kh2TVyp2ilbVPdsGZ*>{H5;{1^A{g?Ng-G-K=G6;uUU{o za7-2%34}FW8RPIi==KSDnBR9Lj#>-O?T|u<(472(krK|emcieH5Xb<&Fd#&IS066? zH+!}`JS6lRRvR!n9Sd%kSL_U|w#5Gh<iGELXy1a%)Q)||p;WC`Ft1h(XM=EE!kPj` z>rH{$XfM4`yrja5RqHc*_Uz@$)o>rgs({(7pDY1*(yRNZW^KT1(%b9h;XVm7!T&(z zDQT!AmFHvr@NFPb+?EaHKv24^1^!y0JUlr3wZUJf-V%FZHp#Q9T;B)&palGgA`oc7 zA1VY-jz4Yq)2VN7tH^Xq(P@B`7w><N?JLQs(cCbF?RBYI?lNF;)wVuz=nEVivkoBF zQXxhEI+ht=_4R7l1|6(}u}ujW+_7LxV6}Ok{w)n!K~~uwFpirgo*jYJk{HU$lBykA zbHJ!^$RP%G#;Xr?SHC#)WwpDHrpI3&R%>}S<<cIAN8KrM+#Y|O(w)N>kGfXmxH|qi zx+}x*cuYT$AzQr4RTFWUVt=d~RnJbC>+A)^?X{^|I?PseAIK6r2K{p_7?eCg;oEXx z#9f$B{ta}=MMIDlpK~lx<A5m3f>fII*a>W5a~yw*Sq`kXAZu2PFFKWW$rfZgw0;Wn zIZDb(Z5=H^>kgoC!BIN`W%W0+{@E%k%4VuVwN7=kD^^*{lvgNLqqR+a5eM3{F~FJ$ zyQ9AY$%ocb2~&VqLBb9mhVES;@C!bMGBZeTxxsMI?J7apvQ7p0nXkK?au(DJeIN*V za_+eEE}@8lG-!OAk39BGN$}VgY2lm#S<thygq>m=!_(aJRqtsnJ?K5I%Rz6QCa=cU zqaUCy3$Mq5-i>;uTKIx{IYjH9!y=D|wLL-aVUhF-CN+vA3~OtH-p@tSyO{JBk%VFG z7129(u%MroL7Hzpijv1Fyc6`X0EIRJ=F}=b<3)*Yb&4e9CFpAaG_q~EAaL$fBTrgl z4$Ny+st2g3VIIc{2Wk(YO7<Jd1hCuD>M(Gbb>es}YvK$oZQ?i`_{E8sO^wV&U9F&> zzD@NW*2V{61V#rzqRQJAEPRf7CqMgka?{)RG|@CWhb^DRmItZ;!ELIyV?hu`LK_ie zTjLer7%cp0SK%#uAQgr|(Mr|4&(y+~X)G4rg4zZ0Rm`=SAA`w^ji<WQyn~pFD$1o? zU3G1`JW-cTsqXIvG3Y-b7uy)K0r8w41U(4tGdMZ`Xx%~_A_O=qF>e?%5F6>8n68CT z(H#=j*gG*z3#o3v41F{oJPdK{L6HB}qEOK-Pk_okZYau1vA%#Ld-*YVSv?Y2y#r(u zP*)ZMYUZQRMq0|ud+WRPFb$Pg<6BT;Kvq62M0=GTL&2{?P<OSXCBSM+h8!pv)dFGQ z2_-{zqGk%THs~%W8MU2a8&!-2!5f!GZh&H8z)FVHs1OUxc&}o#T2Y<fe^w~tvrvDU z1E7`O_X7r##9zEwPXJJQAGNkNdv-^yY3eB_>ebrj?C8B0@cITN2N>8+x#}5IA&y;( z5=;>gf#o$Mf%Q{a^(qQY1=^eC%s~FTLmR*<nowA>KbHoLIQWKZFblwGFGpdau*jhe zAwp73*|HwOY-#+@S5Wm1OlqeZQgo+5c~TmRa$s4UkRMMuAwO+N=Ai_u&zSV{K{(1~ z`*Z-$J{JT`d8KW-(dvlZi8_JHvy+b@g9WIG#;Q!nYgsw~8MliBI1mU=Tqj9>))IsA z6=?19%PWUY2eRm>SmG{_v`j3TZ@hxwoKpw@AIVQJ6M{Ao{X%GF!H@xNts9)ct!}gu zvMc|15XsiDJJhOXZ4b^lO?*CD*a$^Xje#PKes=*t{WLt)$yo3nP#BDP?g9&IS)7hm zh5QB(5J_Ll2O-#dJ&E_m`dR;0zCam32N5j@ba`!pB_g94zRWUtS^qR(6BFw6yO2fQ z0?OshYDX<9Mf#zeBmL86SAK5Fvnx+`%8PcW%mQ2?4Tzk+fg}uIJ%Kd|-n$SuPyl2= zo4=bGwC)Ue>H<~uS}g$Tsi{{1eT^2gKD1N2Jk+j@Qfm)qLwE>;2gbuPgfm3Y7HZe4 zu~=fRU2GrED5NR-<a!cRKRgE`^KCvXP*aLah^pC|lpjRaSGS<y#kx@lWP?C*e0mF+ z2TkYsW)W#)o6PMO;uW^F5+(proChHr#IHtliH>vOiwKV#j$sf&%da8=aF<v-r^zg9 z#hO#FUQkoL2NxW{Rho~j+$Z>&$c{=16@Xd>f&>XGD+6&O#oUo78BH#^IjO8_OnT`u zRATmNIndMRA<WlIAZ_1)fG@>}V}+!_F585UtRKUJFNKalQ}@98?;(}{h_VbDPgy4A z!z0%FVjVChd9XQ<Vj@{rV%;U8F&S~ZS&5XUn9jZskA3RVSE7w*s>w-a<Gy0n%J%!& zDH>0{^D@xPj7fjXvPc#=bQYo-?JwaAg#6W`pNC-80l8`$k<zT?!vKP#<1pNYVnjZ` zD~J9l66a##PD<<~Lv@g~BMiWHIKCIC#!&~EcUABC1)2Q!n6)rfPl<hv5i?XK^IuW% z7XCCo!>Q)SQ11||_h%vjUTyd~cN}u26S_U<<r*|}0(+dRif4XTgK<D&RWKVvH_~jJ z1I*$dpuQh*4iZu6@ZfJj)N-@|r;CAE4Lk^5^)Ze1Uu25$P=HW4_$!d003XkU0`N4Q zo<@|uVD#rBKR{OH>ta>)WMA;?j6QN6<!=bXlv$!P;0-C1KQh@8y_J$SlT{s}SY31y z#)vh+^{e8B^%nlpBn)oi{}F#~>?fWR;_p|+pU+GX&p#K$-wUXlPXh|_%dR5DxZ_lp zb{Dt*f`GTG<Q_?yU1(3=13c<Zwah+g4-Qk->D}<K)>anaR;lLj96;U~^RCWF!R%^I zS5&UC3Ta;NMTv-ko&$w1q7_yCbv;G&5(yt+UvUhJNX;K<OezL;mICVVAAs%Q&`W&Y zHE|llKRW|}Pa2=dIyj!S9JAs^C0Dw#zK>Z`fKn~zAsGuik-mBeCX9mw)46;D_5L5A zd-G3x6#fvn7jL;Ko|mRR1uNMwF&>56lKkjtpiA5M$uqc$wN%!`KRu0BC;N?1JQ%j$ zL`D{;3mz<M09N_N5h&4#*jIHx#{wq-UwA6aY-}LwG?suWt2-b%3elUniP(pGCTK4Q zSqIlJ+6r!%ECl%IorEN0qnZwjXiknAp6^0?)dg$2ggxOXVIu<Urv)W>-?S^X*(E3n z9S*XnT=j`W`z2wuDH!%`FT7EHHjgZAGc#FHXVBX!Kl9%>D@A89Z2TU=#*;Ql4xv<N zcrDr>AWvkCWxE5`MsqtX{c4=<rR7THQ&L&^qpf-_(5tB^8)%mS-b{uN|F7$aUiDrh ztm0ctXC6eesWv4pze8o)_>{?*_#+>?-BwaoLc0yQ@SYp6?j;-e7Fx%qb8kIN#?6q~ z1TnTg+k0dABhedSW<52r*#Y*1%X1`<XBLiII1Rd$&8D6VdJiqQQFO2TdewVsL8j{M zEKgP1i)}7_yy2C!H0YJLQyUc<h?c9x(6fJ70^weM7>5#TqhfA1H&9FC7Q9OU<K~7h zz<!(`U~}PFt_Ii_$;&-KdzZMg$##g69p^IIoB6L591A)0TSO__5wxk+<g4Bm-3IXY z<Hx_Hm{}OJh#E8Pb*UDqqbLVuD7`Eg89fGty0XrIG4ZUV=dH$#dVX_X7`(9UELuZ= zDHXX$ZVX$=Vj3=TgP0dXgY4PHA~zOjEOOuj1WCx1Q8_gSHx#M8SW1GAFx;-eZ2{U< z0_K=c<VargKn@6J`^$%dn#pVXOHyT7j`^Kw8f9)k)KTzPmM!(*>+O?sV5C|=sxy9; zE$Mc}lwxCy$qsXImdaA99jcikuc(bV<aN#b>#=0x)NN_jSc++l*HpE0X|U(M3)UQ9 zrvj{v?e{H<qGH4L_?B%kH}NXK2;(MGvsE2<`kQ!v<{>-KK=iwSr}wB&Y4;(hqEeMb zwakFAm_WAliQNEDc$Sq&q9thNGL&)64bYN4kWYdUH43iO`-tR!+{8^-vH-xAO8`Lo z%*iTt<+t0#hRe+-rNo9yQ;OK5+J_SB928q%1uhP-?IkRV`*42N3Xf@i)&>vSp2K}Q z{^kkOEcWaSc=ziHe;ts|bD*bKOeS5vvbQ7^ye!mkSp}7^8W+2eyU`wf4n$GK*k-mD z<@kb;thQ~YDOatL1YhZ!MPkmT6OhN-sO6$Tc~r2h1~N8oL*q&lXiUS=LR~VqW_pP= z)Lc;n0(5$i)j^g&K^7SAf~WN>u=HhEdJq}4>(G*2+i4fp>=$aWRQu$D3QggAdtbUQ zv8+q?MPZH6t5Z?ugh4s2t@JG$ui!q`G`A0b{0alz?*%ezC=(9Lp~Jnz4j|e)l(lGt zR?SAmdt42FKx(c0TvIRHbZMP9eNkUkUbkVgyzV(i8;pc;NRC+*woxssQ_GswNdG2C zdLca<=Ct;-4ceN)HY(noa_9*F$B2T^Rqcoe#wP-?MAH65;FUz+x6rI{$|6@ygn$nk zHaZ`apI-`#R}NLA;M!5-5NcFLXOSG*jw8@nEQiKX%oI5^ngX|Lj~boR<<OV(c8@mD z=)7MJIq9uT4j~_isx~Ca#Zti7;0So@wDBsN4uSpJ7)4(5WrqBbRNnV@pevOk;mE7o z(HZRvC2%xLqYm0w8uscjsOOj!hOlFOK6DP&k-X;Hi~ze=D)x3LtYJ0kTe80v+kiaT z4(tXR#-W`=)vD|tHtQH+T=cl~gSxs)YGaG#l_j0HZC4Xl>-;6Go@e-I-WBM>FsO7o z5xRcLvf@s7^W$4}C|=@adPYkCWZcrmG+)IAmtt)86~pAm(-n3?j$DP?Nb7oG_PI3f z56RCttr+;p(rrfP!*b{t4gO<t=wB3gTn@cNf%)1)MrXMk`X1<m(W%R!%@n;@uG$S1 zt-2h+yWMP>?Jw-3rGcWC0+8!R)x1sWj#IG_FfuqIKWd{9iKUxO{(?Rl(9l}Ub}Vlb z5DI^k5p*aV;V8+gP@_b8p^(5-9QyK!S+?66{O(}B61nYowclM5yImpa2h;pmC@nTA zz@DP%=dVmm451uad=}U3dY5LO9ljx!622iZrqOvg(=b%ZYINZOZmJ@t$O}^Oky)Nz z633?4IGQ!Aqd)xmwA2#$qvFokK$t&xWK&$Pk}?R}idk_dy=Rqp>z;B1I$97mhp0H6 zDqdhMW;HN9PdSuzG`AUw@nuJ`_e8OL>j^(FvRSxw19SHgF5`}tA<d&U!XT*%+p3sb z74OEU?NGPo0@A>00<dN~js;mwWOBaIS-8}ySR1RYs<|n)9X)ff3gsifS~IU+HS4kc zG#FREY@pPGD3(^?&6h(Nv~Rr0gro**eiZd8y|=I8+)s2R4rE~*K&A3Ly8SG@LW!)q zm#iw=_!GEO3DlpgtSE1S^v^nCy_9vYOJY%i9`xmDiAEEMz&W+79rGi#;-w=5?l1PE zzYxf4!kX8BRxR9Rev_#8$9`aXE_1uW&U$Jpzd<{QHq7sB0|A0%y?Pq=u&EvpiBwe8 zJv9XVU~i{B0CFtC9ACSVb5wY*(j7E8Xo&^(P+v$$gTv!5oaUY`S53t+!pXcE2hLHR ziWqnm%vbw*i<XTqd88SD@TA82Kx~ReSzIv=(}>)28uHOOd79gw*8%C7z;2<dz98EG zEZ4<%b%0Qg5jX%rjNQxocM`rjw1MzzyP!Zme;o=y)qYP+A&?tQ_jWG*smfx0ASAT^ zUy~ws@6o!ctisi9Zc~j7DSU-Du_E+qn6Q2VRoBJ@ncqDp4#IO(od2qWn6ctLt^YTH z9~(sv;7RBi6C2b8(Ow+32Ss+M#|O198H`YC{V(X|k#@?0JPuI=sdGQv30Kkys01fd znP65Zb--$z0Zey%6AT9NGvt84>8jkPOw(WRLKoY7PO!~aiEXk5jA)8)pkEV1o8HTA zmz6fsx5qcq6E;~ukbpJ;e&=X;@H<b-g5O2@Z-`FEp0BuRo}P|e6kao96+kGmql;i6 zLBJJ#3<AqiiB?U#UhiM=wB=g8w`w$|P*n6*NS^4S_-nf2Ps-67F#bW{ocIKidpSOV z&<@8ZP}YI?Tr7uVd;-5qg(q^T8HBbzdBqmuSA5>}=%eUu&_>YqHSIBiD9I;&Z<;Vr z0JU$zcXB9&Y|F_RhI~&m5&a#|a_H@q`k-Q_)3OADBu9P=(Z#GI`aC>~BAF|YVf!PR zx;^?7r5umyiGstFICX?cN0CmB+;g4=$JWsjlK~s1MKUX}e8jJA#|+U4qNqz#;CGaE zHT>pjBjNWdtsng6%T+m|21itmR~79g0+#4Gv|hm2rbbVkqo|bV;d5ee=Ht(F{F#P7 zYBBp9`XCs411hoqVNW*Rqx9^Gn_A}p-}e>#laML8sGaN@T{`Q05VRNP1jDmjT>|g& zIG+a1ZrBP?+Sg1+vs2`OCfvn1Xvck%mST??@HXlW6i1&-A)P%6N|3@fhqIbc8?s9o zXbfs8FDkBn(h)E+Or@bHExkDWWF|xuz)N8|{7k@@Qiur#jQZ&yX1|_XctJhO`WZw3 z*InX%Kn?|Hs$nfd+j7WD4w-XoYFU23`u$o77-eCO9LynV<=rGlBBU8!R|+*y9}xcG z0)D7Kdl=NS^UOX7;kK?1+p{4Mh%nLizH;RUfGZVc1r-;EJiu({yTRVT?De=4Z#H`C zmxKUOhW!&>W2pcP#w*NJya$&qRgD`>Z7%$t*B%1pSF&g`@!^2Q#Cn^~7yl_l_&~7i z8}tVQ;Tw49@RGS-g4pf`BG3yRgFs}G6p$4h0hqGvHLrkP!M9#1N~S8n>oQ|BOS_Rw zHU>~}Zg6<dEP1AwL9IYK4ytnxOjoVLu0V(luZbF=_q^7tVydGe_H;v$qf&u|Wg?3< zYQJ9v_+u7(zmfe-rt`b^h0zf`S8m23EhcmF!S_Y;H>hEcyrRbFOwqA6Uo6e&wCXkp zI@HM2IIJV%u-eU{%vd&V35>(MYNHihHWYKcidF^FDnEA{nxV5E>4h$Z^WH}lEM|rL z!H7^VK>Y{RvphGzp3E;{Wd&U(fUbSks%CvOzcS^LdlENU#GZteDMQ7!E9iq+cXvwU z2UGcNE8q^4oKLGm1Lm>n1>)@ok-wp(5oD2Ui{MT8>~gd$HJwA=7rKihMX+Zda205s z|MY1gO?VNe0wQF@CufnAfT8I@bc&112~;hs$9I>fnO_B^V=iPl+%BXOQGfUQo3v!a zJ4(+3Z4&OOXe7jk#crbMeCR#2a<UfFdHZ`}@vElO_Z}JdGOG^gj)<DV=Ut0gM?&lx ztc9jJ^F87^I5I!Jg#Hd%b`*q@z8xr|?+dU_l^y549MSE;LFh0j%$tOQj(%^ruV-$L zji%jU-r>Ox&*+&4Rm(Z&f9QTItaO_<16RG`D@2h1+u@J+9Nu&-&#Vbpw;P>TEjS)g zju@SN7WG;M%BfUeS?kAbc|-x@RBuK8QBA%2qQd;Owz$1-kpNatQzLfo*D&HX)u_p) zEqqG9D=B?=BE3JQckQ8glJcDSDv>9g!w2Uek#c_VReTF37%9yLfy0Z)A5Q7=QM!m- z1f7D98Cy);{cO3W%k?I=(EhjYC264x&EP}dMbiC84#I)oJM1^#;~bokr=0Vi)0>j4 zAAnKa8x`I5OlWL=4)6z;Fq&b5$6+>sF`494hI7Fm?$y=wm4$W>Ha!xXe)aFkO%D-G zEAo`HiubHulic_coV{)c(7JVL7}{x@h+t4rHrv8q=<fS?waU~0ioc#DD7M17BPjk5 zhvL^KNl^qSPAcA$`nvxCic9+yd)f(+4=XVKL3W5Rb2svr13v`D)dkEi{+0}kqYIet z74P@@+GH>CdV$zoF2J}GcEjz$qq!DVQ&6%<=s~{gZ?r}S^4rN-5*F~9zmZk*3@C(Q zYnRQhd+&*cG2hc3xy8aC0m)!_WTq9DlXqBkKa2F#!@;sIfDO;ETBMteiLH`WdNa#x zZC7#(Et`+=2w%ruW&>2^HqP{4ay4WgkC`Et@FY9-SK4?QEFuqa#YCI@uylBzYPi3U zOx$#E#hxcm6#h*L`5ua8tO+|i4E=?E1TLoJ;Kc89TPLRIH+3jE4m4+9&kFON$gVP% zUd4x^gD$&0+s_)I^LI`F0iaQrSy4`?<_XzoJr^#@iKQA-b6mz&$Tv0HD05J=8v4Iy zT)3~;?dJy!BbDPxsn}Tl2<;VWc4QEj$!p4TdY3y<Gk6U|b!c)Rs2;!~Ysgre*u&A{ zHs@gYL3d8K&yJrREB1UTrU3iD++))D3S*n;os`noBFT|wQFJLgivEulnh7pxkKD}q z^Y+Ow6SLShzICr@E{F8@EHuuXrsz7wIB(JW^FpK^z*I*A|MWxS?%0sxs&;(<WJ-Z~ z94wL*+24U%fhu#(qgwhOhKkSa#j^tl5Gep+n$UQKbwiPpV%)@0hah_pSXGxFNWE|` zN+G|t?m5Ik$Pw!|7#S@cqO(V4fPG>->9FXd)v^YX1<VE&#AzUq=h2Q5$pp5S!Ba-k zR>f5io%#i`?)q#H2)r#z>f>7#WXHvM1bBS$m8+IDs@9r-;a-nY!hws^Pc<@3Z^eeL z`rGGN(HWK9pjNeOLyV^#77ZpBR;>FSOxenppm&LJIl5D4tKM@<cExw6GpPr?Oy`-m z1#IZd|HZ|P%Vc@9r(l!TW|cwr%+d4SmZYBJL<B}H+qX_QicPwY3>5=;&LByO+%k;w z0f~*Zds-3e&!|?AKdyS~AetVQoP&j7V-2w<SL1m_UQcf7M2}=X4qh6iOo?Qtd&nTf zXT#5OQBEIE(|}n0oJ-IZ3|HXJ+lkJuqV2KlKzPPEDVBz*51b)9%-VPmrGuB>N-XD| zlX7o;(tdr}J~c9_6VH5D52(h(gOc8dqvZ{n1W}_8cOFEjGY@tzOc<+zx8h?(i%7T@ z;T&9pK4X(x)sADTx3S#K)lQtNo)R8{&hPD@U8#Fj`R}I$`c#>!?C-=iYql;zGt2SQ zFv_J4py;M^>05$nUu8@>d>U2pLFg|1?r<8LO={Hv?Y%}TRvdd9UwVm`1nJK2-t+Gv z4<Qo;$mP%(0%4~dIxe;W**<hk8KEqbLLeKVT}x8Ed*x?8AeHQHOSPrJIsuQ@u^lDQ zb495rlt6UE1#w<BegnCdrKn~d+Q#ZDCP?~M0oKfe1(H-zFkb6dQ7}X6Ei#usDvs@; z1I;WP#6hvX@s!(_S*W~f)<W%i6tm31ELShH091Js$7v(uS#uk#<IoE)Q8cG#(a02w z>TOt<-B1jJ|1PKwYtex$)~CUW7&wam7e>)$L67+Y!RQ~L#V7dS4+Ojm`GXJlg?5n6 zs<2ZEYvU953s0w9zr5mr5?W#%rVodu?IiCfl~p4>n=G%i-94%SDK-*z!iO$TClJ2l z<`#sY6dRw8P6Rlotd8waR@-Q*oA9K<V?^%~k>msty+_bM)H|qee9QH5XHFE}9iUEB z)1+n{`VJS)nLnePJ8bh&p*Bn>hxcjXEY);AwOooH_A-{ZOC?RgLxC`@Sb<;Y82REv zA@0!vm3i(vQ2@k+pt}_9U(->wm<2k+sRb|tBNJOOptw&zDpUq~HELj3?O%OIdtNsl zr3`;RB6Nu5BLBPJp+CyA5SfO`guMbnf)v|F?-R|=f$)fUc)scE^=CXF&<6PgHyN2L z&L(~R293ZU-@*~t0WZd+jYp8!rHg#0FUN#;Az@8gLgRSp4bnIe*h|R8uuz7=0$XPx z)dyWLJv;e3JJ2R{K#e?=twg5wQskBO{_wpv_;bKt=Ij&i07d#U9t+Alx6C$Npt13t zML(`aBEz7jHQ2{xw!&%)V7F=<#*|C%Atu17{I<eQBa_k6wS73BVvezZ4QCj1!{N}S zwOBoFLr=2M<|3rbuTC**U^RQ|7kt0W@4mAE#?pmHvF?mrA+Na00;pZ%_tq^MpyX{2 zu$r4ALEC)vU3t&NKip17gHo2IhHCVW*^e?wxkLlmd_)!YBO9nw0#yJWYy4O#nvL)% zt9%pbxjqT<u{$%#X$SK`9(3dpuF7;6k=4UeMP01Ld+{PEJ&P!GcqCrxH81KuFB1eR zur^Ss+pQKYvmz~fS*Sm@hx-oJ6s>PXnhRr~XmuryR4lcjQXm~nhFKRd>QnH<i2hOR zCgcXU41<CAqZ0ACjLt!e98h0mvMZLU;9GB~3)n@Eddxbg$@}pFIw4Cl<k`&k>^8}~ zfO8mNKh6oTa#w(TabJ>uj*EXvr)@hEuADCcAJqD(#wy&DlJE%2i|8O4du(+U>9d{0 zF8?T;MsaAo!|nq{sQHnD3~e*4rak}`@DMy`#pr}ylV;~<Par+BUxzF+{PR^}wO#(1 zSYi2XhGZdR6m6hwTP3Z1s*7*jizSJU76=R#{-WYMDSCxwLobcdR~$wC_sn^HbfbOn zQL&;;=L@eTXyWb3G%;3eoH?iWZM3(2m&o}5<c#ey&Yacz6OnDS?~11}pDnibA}*u} z57Oj4cZ3Xj_UW$pY9W8I<2-=gBnMchw_eXeam)_lSTu(YVqbOjr|1c(vRHs^P|&em zDlCvgm!rUH-5jufi|!o8Df@zGrOD6XRwkZ`t~8?*CO4>+psl|DDyR(ga_AdL*k?$4 zel{N2K#{i$MUxLw6@Kp)(5{x+!ZS1dg+ScpXCrY^Jf>iVdyIBf!E}q3E3YV!SEv^6 zsYTAbZBXY8!vLU)bX&l>E0DKY{~iEKDag@3RwF;UZ1s6$J`P8~x}MV5Ew;+&pI}*N zxkl8c4K<=!TDIcd45D3qZ15_Z4R=dd;ofd6bCu13$FWxRfw%CFGX3G%j+iw()1gL| zW&@d9jT<CD-=eKJG{YtXft9OP;x=cK8Qs&fXP{P_YGmG{FtWq8;kjMw5oHZ>wUUVc zNH%&86y#`E7u;>p#>y-D$SV|!cl#pTEV*WwvdpSjcPS1F#+Fz&d$%wA7I#Vu2I<@I z2u6wZlajn$`dS#c%A?pfgj91IM{Qb;aWqTIM8m+~wW4opMc>wnzOALc&CFCIcV-77 zOODv6Q}W7GByzLSOj4JE<938(_0uTiA-WdeBJQ(OY>-qCdt2}8@>aj74IBkD5FtRV z=eAU`Zt`sMEdK*8I*|U>!JD78dW&pw=y@2i)h^sln(-Zp*&xE9WqJv5p5KUN+N7+a zEO&!a8usG3e72e6*+xI(kh#iDnSX(q+YF1T501ZprZiv=?jvp1dh@eKO%v_Mqpf>z z&Hq8<wp!YsCFgLtDh+CBw-1FGv&dDbFbGmmeG*;Rifm!~%ow_nIl}h4DUcbqPs6}o zG`9sK_ILgY2yxo})F8ENqrB2THG8%a4yo0^jm$dC68l_atvror^3*`cw#+|h=;Z2< z#dT#@rbDPUR+_l%pBk)|ZCe%^guD}T<>x^zQY&Mhp?~^5?0{tIeL&`(xli=d&ig|@ z)$p*AeWH7!6ZOZT^LgliGzLb%vKuphqT#_p{w0h%zw2AnO;C)C**!3<M-}u=>#`_- z3Q~%C>U7dm?<Jd^G3kC3x%K|5&!Ge6G5Bq?PdzRO7HROgJ#7#wtIVaT+J|<!CqQm# zMEdKk)gD!uL3Uq=zuzd3^cgB+E{bT@1{j5?-FOK>7}mg7l1nJdxiH6|q#Pw82Uf~0 zN%7yKdm1zH<Bd(h#wJ5z0Y+3tk%;gel!vJh^%3EG-ZuWBh(p&6eEpkv#cKF#B0Qb! z)^-ggAmBKIjn#PT3&ORV99Jm=*D-VC$?4=`0onhBQcdBMHm$G9Wb8{i_QlRi$c^sl zPUM8_R!35bhf*3{BwKxmS8sIdipZU!eUG5r3@ZURT4iEXZGyv9x_Z3l^mxy|;60*D z7u&;X#7Xj3VQCw(plndNFiVO>H5LPmz*0&bNpW<5%%X#iUWvVKGb(T_EM!MRt&JR# zjApaVZ%MlVNWaB#0g&Q7r^kE#1@Fl~&ffb2ApMr~9{@>lJ%RLFs%H^;)+XDq_G1YJ z$A4mw^$B`+YUA-(9NWlW0uE3DiNgc%GMcu0C*XOQh`ntO?qY3+)p(jHUwx8IEAIas zrIuO}GS8o(gqG7K^YrG;l>Q>V#`0E^>V5tw3O*55LqyRTgRb&B={!n{$nfcRNm5Jy zZ9;14vR|5`2fZXon?Xc1N6RnKIRpr0y%axV$FkP!Mf1I>WtmP)H?rP@2$S4&%_CyZ zv**!-i2aS%k(yS%0_`^{LlNN{E3r!$YN*6blA?yn4tzl7>g|+yRTpv1qb@N+5MwD$ zt(?#g(W4AX53j8eh6dc$v!5XPZHQ5z!Qk2GW-LnVJ0i9;@{@H50ki3B1-xTfJD~#B zX*vi0uFKG@MpVlh^atPyPgr|256k**Y>RC-o$W7@CIqnqK;Aov8*9$f7-vj%m|<%y zmA@P%0SjcF{ggL(KOjEmKQ+57Nsfq`&40QjX^LoFkmqujU`&TU0=Vl2m^3kpnWw7a zZJc<UF5X<?ZH{>BE8gadH=B4{EZ*9wdyJ?WMSLY9UJ=x2@2i4%+4&ZT7qjv6BQ!@$ z$lEASL&0IhXa_=(e{M|@vwQJhbDRn)c+0nmY4nRK64R*Vp%LiB8EDx%$qmd%8w?e# z#beRlPOZ0blZ59Gf##m-n${HbAqH-BJr~nk(8Jcu-vD&yn-7zPc@}V%ztR-l_ghq( z5A700ca^4CD8_ex-8Iiwv#gJH#pk*AZ^>4A8G4~?qO%aDv+r-a=2>_Xr}9l_NkHn} z8%S24XQ^eU*kRNSd;zwdpJ)O>C32rdsXT+LVi8$Td~pkkywdhW6c3uP4%*YKJ@4?z zE4K3Y`o}d&1jbkWPckj|sy}dtab1Pn%aBa?BR5-O{V=v##D*!BZB*%)_%wGxFm9A! zN`KN?6&ryi^j1)1g|>QsKAGbN6!_iKg@REUS1>#^vB4nAxaW`B0P4r|xLv0-uEXG# z?W_Qso21nx{35awzWiY|K`;QS{d~nC(_~X~)Uvkr+Gq5E{If4m@W8VOw6y^8^tC94 z)%vt7UPozU?)uzgw%1y;LE$GI?X}r*C`^mLDBC!6UJYBrQ*&5R4x|~aM~$YGa8b@% z<XAqQFIv~-j1DyQ;dR}P=ouj9e%hBdIY<mD#@&Y^+7*#QsEe>X+zrW_o2^DBTc8nE z<TjhUN5e&qrGxxz0~Ehz1k#b%T}HDDAc)?C-r46(ZIp5TymlFg(JE^Ij@17fbe@en z{x(lnt(kSPR6x*qjnGfU;nD_rcCxLYY^U%r9-ab3l|x5qV|HrxGMKb#OKiZ0mbg-t z4_Vm;zS4zFd(X*L8z85=0*zO+D%ia4T_D$me)}Mv&vU!z`l<Y2<hoCGKozGv2Li0Y z>(DaLR#TI0oEf;_82re_E)>l1enehA5m%2z$mAkw79Aqdvy4fR1{9Y=_me`1LbDut ziR7S3^FUcrKI~7I*Vym-FPyJ!0k)fWih~o*p7u(9;2<4dD#3De@0O>z!9MvAsm6<b zNex~NRh@mAEM8+E+nO^-vH$y06)vL+v(6rbOuhS}p#xTI=fs6Sg2-<$@>Cy^8TNcm zF#eG$4i<c-P$$*A9bCKi5><~UhXwnbm(i-Rn`o8i5?O7SwX9xbE3wwx%KQxu{)<ax z-~Abl!q>mYQOI^#=!TTD1+WH+SD!=&P3PMGBx?y$u4~9|WUN|tK()d|20wG~(R~o4 zX`eYn&1f-FgA8;zU`%)aGGSU50{y(WKtD5a7lxQ!JZA+Ht__UOKb_3ehZ&PzSr3y9 z0zb|({}a$gv4`>!Zk#6FXF-QyBRA*p?`d;|&Uh_FgG$(b`PXFs%)ti;D)vZGPOKN6 zuSmK}r01Sj_mzCdczuJ|DmnNSw0k3ZMY2|SZNk^_9YoOs-u3b`!cDL<kasp1dE5~& z&N<{~@JtWxFP|tRr8MB(P(E!99T@S}sq*CQs&%{S-M*j?=J}`<nYrq%*9U{>b^w%S zm+IZK;76GDI`+z2uNA7brd5p$?L-&FKeSW-rhJ8MY~|0>E2K_!a6=@yDd{t;jyoE< zEJ{fl)`d5okzWMS0o)YrXfd0_7$?bKkzv0j^Y5hPZ(Qn}Ws*-qa=FJvxjFx*<pyp8 zl_;GCH-o?Zz33!eo^;fr$1aq+SnX<Y@Xn!G@x*SKI#IPYd1@*P@w}a$xkj9`yDdk4 zq2@&W=3tpJ5!OMF?F?FL6?vtvf3duBdas)!K`E!W>VS3`yDbx>?*-{haaij>x?UhF zXhyEhE%t6&@Hw_11oy;!W-xw1RvV0D_5A}L+GtMfKaVWQs|CJ{G1VxL;i*&RbJz0W z9ovmoOI%dX?V5v|aQ+yIt|T(q%pEb1M+&6)4HV)InXDbC1iyHaraJstJh2XC>x<df z*>QG?Kk&UUs3XqS%b{f?@mHfH7A&);kyy2(aDvtk-Mo#uY_+!4rdn$eN27FUPvW)Q z2Dz*O_Hn@bu^cKQ|E9@~60GxjJab@l+V!kp_#TH6@tuv17Eu=Ac{q?7eTST<!|&sR z-E1>XIpiu%a5(iXC^DCCL0jO)61LIr-SO0wf!aehklGPc1x?4b*(Ko_mQI#61#{br z;n&&(IhX9OobU@ts$pyCnv2Xv1D^(R^o5lZmP1M+t`g%OsGRVhNpZMfW4BaJ_*GI| z6~;}doDfNh!+Ql{V=5;+pA?6?|FOQ66Ml(t=^_qgCiW`~(TM=X+#V*lVyQGZfc{|` zi0BvRh573edlOmzKovin^`3aVFCPE=gtk*Qqn|khqpuuCT$qvU_L4Zx$o7%D!hBCV z+hH6|kwa*DqQGlXJW!DcET@1~4*i@0Hm$@s+)Ep4oVIB9@mKaI%r@!>?Sh-ER_qhj z$sOe3IXV?#WLXkC5}xSuqi+in*%`W9Fze)j<g{Oiw7nv2dvaP#=Wk-)SQ{xa*veeO zqUEGSu#JGdQ#VOc;oUa0;@4((A!{Ap*2yn;Ew^K~6j=9>`yC~0tUERwnk^O029lfQ zw;n@s&w-d*^i)qxv|YkW2#)CKN~FZfpQr~76;ulc@=&1A%Z)P*ZGdqmL+fLlv1yq> zJo)E`iJTw1I>^@1g)ek>qw!}9OORdf=VvPrAsU~>-{%lD>{J933t85~8v%iK(Afj~ z{TmU-aWSZ68_65tS?a#=V3R}G^72_$0c47O%)@O!fWkI6fR_s3T@Mn$M~H#mgL)SG z4Y{&!Q_S5lJKF>g??Ejc;kE<Zdf#A}V1=xy{xCu3sY#sGEC9LN_rr6VS%v!n72&B| z@HD<HFrBlP(FGNBdVKJtfw(#{Xf>G5QOj`S^?)DumBif?1@ZdQ_DhL-%t$58>f8tX z_M@YMcxKZv2|UixebzGRUNDteDhucoZJx0>$EJ^FKG!6d{a1rD=cEz%=sjs9K2j%1 zzTa8&Ui{~$VJ0u6!9ZXCL9$Orbx+&k1%3g>q%EH!p|SIO$ftkU$}Qv+0HVea#M5R- zoHz+MT_cM8r|Ck<8CJ_OYp6#5CNjlBk_+A-=xxE`oj}X4+agR&Kn{jI4B-l|q&<YC zKS;%wNs;*$tw=5VZjIQ#-NGd-8cxMB3((IL<-R7Kl6MJt@2g$$D+tRPRBH>=uD=E? znVZSnz^ClP)X_&b6KY*9HQIN4(q&=2*uFkYj<Ff#T~Tl$7K~bOBmJWOfZejyJol^; zb}Ya;72_dfAfLlbD~%T6;jvQ#5}6V();l~$D!e20KAxJYBfb?Qfpe>7J>#)Ly#5t6 z`_yID>QvQilvj8#Wh=j;m6&e7o*C$_+IDRSEa1QTD$cvKUhtcyzlwR%8m5?13{NL{ z+VPrLy0WXn>(cBM-ZY(VEjmW=n}`H_sW}4SiEac>F?+@LVPlxhtgZ0Q(Ap8?>q8s$ zVO8x~Z#7b6sVEo;)v%UW2F^lNJM@FK?TE(un9bOJuZGkac%lP9u4>j}h#uOlRqeWC zqDz}HF-<Fi0l7h5*TjRUVL*W)coKXWZg^AQuwcBKu?#xrWY%LGje%Joz1tMUpdBfm zJ=)(yW8#;ZJz%)qkh9mtuEkB35NXek4k^S@f9HOI`uCxUBr<8no^Cx#WqTX!x9p{5 zKDG)`YgiTTj)o^Kq{~bW;K)k46<yiU8-h;d5QcW$?EE1L`DMrl@o*#l8?JhfmCsPi zf~ahsGRtpMBmIx5-W>~6G>%4gi4_FhF9=3#ZQb>f&uP5YpU@@_U0F0~Z8P%ZO`aNm zc-T7-CfD=}Tt|f8$|d|-eJtyzdys;C8DO6%5zU>VcsJ|Un9ko*hfy!kG8^rIJ!1XD zMwreWA(U;rd&DtC|JHEU_&xDssCX7Q;Qd5*n$910l_$2-k9ggg+5W;&T3^+A9s-x^ z9f`nq=%`qLKly6j8FdG6ta{H*f8<t+ry1P{b1}(fI?soY&~U~3t)?K=nE5erR0Q(s z?kcbxRp4m`LYEuAETArg{{HLr4BV<4y&HwwlSqS|uVSUFAy)3)s-;2i<*Fc2&B{=s z2Xbfv9u+EZ;eBy6@YFlw&$hgJP>;*nu+AN{-`9yf?oAaJKm}2WyignPibf!4TP`CC zWjcpa<&E))LX{F`YZjvG9NH^HWro~!fQ|!7k;a9dEB!;H3U1gX=<6uD;#Ro-AlfxG z`ss#Kz}U}?<U5|@_m~qevUmK8Sgt!?Qa`%pwS!mvE)UhYMlDnA0BO$N`Y)6;>2?Rx zS#JpK7lQ8^#03MM1E%xZr0{ZsOaLe-h=@go@SQIRf}Fle;622QYEf5t;>`uU2ZOS| zB^Vy|2(%XH_!vTS{*_R)6IPgu+@DqXZ3}d^#8Xp(UL$}NcmY%{|IIC!wjR^s1>^T4 z(jbCdk%M>NWCt2+k%`6}@jT1BGmH8YXEuye=k+YUaC^ee7W<E?=EdW@Sr5X%myaQj zO6Pnsf7T|OshF)!Ugvi>j8<Q4B)?(%#T)|Z3X$NpxGA(CuKy?eBKYa|<9B7D2U)Vm z*l7HE#Kru?;@4qq?&)9g?*H$a{_XvkYR5kHEj&W3$+MR)!xa(QsonQxs(vD{Dslf* z_uW=1%PwI}=-w5yZd5yV20S|gqdwNS%1S$-+-<<kro^wFDunR(cz6U}NhN~mp>};W z5JHPtkH6>X_Z<D6rQb93dzyYv(QhYm^gi#$uaUN>g;_7}kR;$&LjIZU$73va+(~9< z&k=Dngsy<vt@jIhH!SR}dbemP;VXb}{Ruk_Z&oAC3{-aF5%q;`e(%<}|6sD`Ac|Ek zzF-Tw55^u>;|D>>bj;oFAsGPNRto3#m#em*&2ObRuu0~i+1}cPLDl;`5J&I1g;_z? zh|75^pZ5+Z$Vayz8se8V_?K9_<SUpbY|h<Q<s?soS?FbebrnHfizf1Sx5WJ)e+cY` z&8A6}$sv`tS-LBv<CN9CRPU$gUy6hzp7ERW0<99(?&uzjh?~sAf1!uMrrLxP4K$OF z_H^32q)i0RPQ2-zcrftQr$I{JpbaP#<>V?noQZAzGHi|g!gM~k6xqzr<f;yA<cH%E zd>h7R+vZDl@XJkI9sEg8xbYU9BtOYR!XQ^rZ;XBd%@#l0hu;SryLHi$kA!&Ftjfiw z0M81y(VOn#M?rjEeHl*EhtY(YZ#*r+tp3~R+DAM(@#<4#NkcVoY@t148*W^p)VkvY z$$VL{clh~D38!a%qAQ3zsxN;Ba`DeLb^BBI*vI~Xk1B1(vQr3QI*J&07hmiVyeBV} zUj}F#o1q$~TNf1pkdJRou#Bn$DpF?zIEd_OLpRKi7uxTFd|D~OJWRlxry6Hk7viou z&p`NY{5SCN5u4&CMyi+4iIL`wcw!{Bn>!K-kBfwNDFM5^wnv}x(Peo*UhD`m<<;nT zH>FkWI1%vHl#k-IP)r@MBw4YKkLBKG^1_}JkpJF-Mkxm$Hd<JPkvnhY_2&}`x;8-d zo+<Bx_hm*hQ*jXL`Jw;D)E-AhF4!y0H@2Da;~S&+1Oj8mg<#Nezfu4rqcQd)Iyo_c zhiN}^6YJ#il|p}MY^0+dJeMw=vO}%0ekz-qOYRK(Vf2(T%5o*6EJqR|M8fO4%Lg<V z2MC~n(l7~C&GN5n@M3KKT6356qo-E2vI*L4jEw=nd|EH#{v0Wm!<W86#^X)giN_#2 zF?8k)%$IyU6}9V1y1!;s{t&#Y>k-@$Xa$iYgoks48>$OZJV!icG2^H(mF<It>MO>3 zxq;k%(~C4GeH<SQaE>UTeZU{gCJkd+lQ7o&vllL{GkEP=#Qq7WZh_kKcE$K+_{}V{ zEeI%6S~Az1t}N5!0$)nIZ~J*rnNmn`vgm0F+t9K7O^dc%Y4^(xmzL$($u`lp(o2`o zMTbW_5X0rrF*@I9Ujp^t%xrCtJ=IYmhxX%M%I$~9?j4ziVqA3%5q<lAY(`^Fe*_}H zGG+ONdeixfp9x>vKS3!_AJRaVlS98vL2+#^BtbWWAco_`J;hZ=<j|rN6tX~y{}6YE zF>{qca`ZHJ>9UMsQ1ecutC6etCW_lFDe?;qim_y1sie7-W&VM|>Y)2x@ezV*zk7ya zJP1h$=8RYXuUFbcebcTDunlTneZab2#T~0(Y_kZi<rhWqD-_pVNqfO^Xd$M7COI^5 zVb{l$llM<#xWgh4s~|36q8mACF*8t7^(Qz0h^e`DiK>c==cAs0;pR9vLRBE2bHq<I zl9fsw%&bL4C`j<*i2B(E)A_+-F{1d@19nEqJ8NCy_7%=^2j%Bb&82}W230lmcj<y! zebw{u+<(?zHcGVH6ZA)lPhuNg)tk;)@w&f8Ll;bqWyzDK-|YkS^dUqZLZK9WpuExw zQ!(4<OrMRnTi_(9Mtw?Bmh0t}I7V~EAfLzkL8^X*RW_yoWZEFMWj3q;KMy35^~Gi* zHpJ?cy!DEAgZzvI2otQfU=Vd$+^noJ<*HRyL?Su#GrVW!j9spJ$cjE|8xkTbZ-HPq zC)#q>G?!VasM&Zk3x1Esw&mc>%nzYPe=6OpgSE%rFr6nC;^qCZ-_ZN3fX1vD5k9kx z)(0T`M)aaS5MbXDI&P=o1yntYU)H!i%TG4n$Uoh#R65wZLG++}%reyBH%v^|GpYwD zW`m0VYw>RFUKp%AW%iS#1>1>Uq9}pI{j9;CR|6n8n$cxb!y7N4541Ojw{c*e#OgAg z?=K`%(REflP8qL3&1+N3@R)+PL4FRmeA$LIh!BZky#***RJc5x)v@2vSLhan^C@!G zu0+p9LeHqwrTTWYyb?NRY)C;A(B;|T0gBO(qS9Y2{ml;dqSwk(=dqg`F5b-%P5+B- zZq@}(-V8urva9>g{h+J3%^t0Tc<R$F=%h@Ckm=h#K=Trv8FxWvGC@+dh+fpu-|YBn z<>@zp>Mm$XUg_i-k=I1d{<yyHfcjbOYV>#hU0$7M=Z;Q4C;|z1#j3wb#{p==9#sHv zc-FFe;g@ZN{%2zDV)O~fk{Y|ofa=d{5F@fiqlwS30!Q|H+n@e0=74%NoKAR^pKk*6 zXXiw3fj%hSbMiC2a5VmY7Ht5TGI1BGQ+!Rtbp9k>B_7T79Ed)D7BOUhIbp~%SluT6 zavjvL6wkOt>~k8Dc!E#MP%0+62g@Nm^v18P!{ta<SOy?yxTL5G@p<ROC$W$hqOb5* zZwO!E>LH}YBJ;fPg6r-*5#sI1H?bG9R{R`R**<ilAId+kg>f{)1$=dFmy-x^NyKN5 z={+bv_bM93hy8v7NZW?^n8*p>oyatUkx4H@wDI+Db#D9gsm#_PuM6foj6)VZk1vDj zpw_akTIurEB<bOa8sf*XM`3ur2f1oFR?zOxcUZJO#cX|m?S=%rlZSQ2oP0=EJv^Uk z1~~=qy8$8yBFGh#4$Ymcxm0uMqB)d8=Abw>|AJe=6S5EuSNy{*`D)oI!#uC|<A110 z9-4jd1o@~MzrE(2^vrr3nAd1v4yvp}rGXi3K(z72aJ;i3z-%XBU~*_+M)TXcLF_3| z&HhLX$<Np}{<#~^J3`TRe+~>u9z;!bV<SzbbLj$d7DzXp+E0o8rg#p3eBk8H8YJQT zyN|ly-Gn!f-Z+}>M<2y^e{{*V53lPQA8}9?FezytytG>_aPwb$bTLB(Nm;M2Bbj+2 zO4@tzj^yKH7(y4V($|GfTc8+EIwXBi1uPe!0!5~#k}Fl>%*F&Ya=VG&P4b>zlp(K3 znG7Q^%!WSmo7B9GFo<g2J}N6T+C(|5DFJ<H{O;T+ey8CQXX8tYQI*Hr8tLx-eI?#4 zdhdYv*{!>v6F0(}HW1zx_QgcIzxs+8FY#{BZ-NjHue*p&Pu@TL4<DjVPhT<<w|&gb z4Y2Zj+(Z(m<e9iKNqhsT;I;U;&@RTN;=;KO-4$fpf~<j0?*jx6^ifs&#|2~bx@wrF zK5!YbLptfDOxU1}qvKw&*q95WGcj80McxBn1-$3<UI0FRRm8hnuCiOOfpM5@TJ*bv zk^9lm8T5X!V6eQRH#tM`_Z#sT_6EEsZma4&QU0~U*5@^V6ntfI^;kErfZnb_YeP6& zfO^5Su)638Qk(%^P#w=%7T&5xw7l~wI}deXE3#;%q`Q@Es7-y%8uA*U5tqMuTvxpy z=ET+URi(J;@*-62ub!7@#y;^^=kf19xQJ#i<|O?CG|56Wa_Ii^!gP@UF<MFywII}j zM4PhYZZ-1LAHw(7hKs|O2k`MFA6z&Fa>y3H!#)8ojY2%_m2*APp2vH9eRm|0=~-$7 zoy@}bma1WWx*C3J7HCC}y@KR_gBmW*@iV9GBS~79LUg)>?F)uWvi;#=V2{VccQ^o_ z{gKB^zjv>GYcOKJe=#z}Eo;Qb)`UG}2{P2+W9XcxWfrsD{_s`rt&^nK5Yu_tqsV5R zudgGUy<hh4@rRwiUWa<qz1e<NGT-mrw)8rMH3v}U+~O-J(9#3e4c=|~F{9a3SZ!Xd zlD9$e);^W)kEj-ZxMY5;7jW}%F_hdRhi0In;@vBUZpROcAsSYY>hcD8QFi#f-{`3- zv-;UATgQLlLMefE*ybTSyC63{cPQ4~rZe;?`cHKFy`V}=M3rl8o3J0t%DPWKMc+95 z3hmM#i=)?pjt-pQ1;MG2;7!@Ex)+U8BZ{ngYZqC`MYy$%-!nt#p!ji273Aj7S1@Lc zshc<BAwQn;UDt+7sz01h$Lujv4K5=Xm>?_8roAx$*Pk@bpUlI7_twfGyvB~*A<;!S zXjWt;j$&Nvji&RXd2}dOEo)P}ZE|P?)p-YA!uWZ5xtCR;y-x9h?1SHGgB;JJ#R$ri zqbVz1Eb39%&bYMnIMf$CK!w_t&Ptp<Z>J%+4QS8xGz3@vU<mH|aeN4H1Kiu94R5qk z_xtfdM@(^}N=v|-7=ik11Ttm~U}TH-SXYMt5W2MiRejU>`CKsq+D)P(08W_p0Jg^O z3Cj1@>KR?b63a^TiaG<sX*$QxrH_I|rndPDuh#AS`L!rd-5P(Zgg4d@-9qYMN05Ev z_jcg!4WQBd{{FD;U>_oSRhfD(h-8ax3fs!(xNwX)p4mZj!g6x!d1^6EBOZ{Ni0kD* zFj6v~ZD-r)mUuc4TICY<EpNTnjMEMS5M(t_VOJK@dFT;D%_cy8o8P-hPi1GKcme~$ z0yURD5P$`Q7Q(yHe*>g_MAb#ts*$^4I`%C}@5W`-_yU+zJzsY>PRtiHF}R;NIzBPk zydu`+Xx%+4B{tlXw|Nf4jFPfi;cPwi*SHsWuPqKWOcuH#<l>f-0Q*V+J6vo7@xtaY zW8=hR!3fx3ns7?kUIi~U0<7jw4~O}93KCj9HF)i}zcVp6x%|Xx(~OM}rQ>a3X&9oQ zSP^v(qjN2~|DC`iQd@Z~lmNbicXgiC9Owi1_tnB~RFb25w(w&wVHbfOGN6YH=waj` zS3-Wf$TwZ)qluo*+5->Xr?5`G9V%cU_bP(u<*sX9OK||uS-Sud(e;B4sk2c0b49d= znhUS5P`O67hxSx&J#CsGgv^NxA+wU4wdVuR&jx;<6L;1Yy9ddxNl4rCfwlvE*HxhH z&?oyZUrNw+ho5DQT^)DI@f;{&ZGLt-$fA)&7DS{;Fd67j8(ARW*=9O_GY8LqYL4)v zlhC`^^`>*iPcSj-t5pdKzSSSj+PezTZ>t;{Bk)iT4Wqy|xeEQ+m_EmQLQlmTLfL#< z$GwYT-lmtZh9NrzUIWb~9I@^-otbkGxm*3-F9bDGJ|vW$qpphM?9+e{i|(F^cfBPr z`?>_7N$<)f6TSK7&MuOh51dupdD}&D-{6AeLI*Sb;anuSF)Q9Cf;ky6hxLft==RI! z{Swiez$P-xw$grZoC@Fh6B;LHkd@5xqr2{2`Ub;YKS3c{P?9TvlH9No#kXiRP549e zp)KgA?!bWomel{kal%uQBZtQC9S5QD4sV0zhABc2fM|461YSB+7>@yhy+M>Zi)Y0_ zRS=NPajIQAo2Z=k3@(dp{OuJ;)?g7ha1ng_TUrD@SOg$61L8y;%1&Mc7p{R>U2DK6 zt~BGDe@koNmG~NXGqK@>YoLG*FNm!dL43tk3gSjHwnsP<j5|k&-}98h1)s2()#H;! z7kn>H&D$YA^9SJ{=~!?-e$3{2Ja&+=%$6Q7n@DVJuT9b9*$g5Ko-iV`*V?o!5oMzo z8-6~oHfq;z69KE%Uxjp)66q6qZTNM)67-+LFR9`8^PmlC0Kce5pI4hL{w3f``o12J z`0~kEVUSHrci@NH)UeVT#Lwz6e|j6ncG7qDl(ry#V{aEUHav=_kCN+Ku2!DL&G-fX zTIIqGs~lUpoa0aTsg<=z8Uc)N)ygR5SmmSf$rSAc<@&TBeyA_Vg6Y{9l>@JVY>dmn zI2Xp{;uridz7^v+#tXpACX8(h(pUW64pee%AyC<g57|H<#h3k7pC@p8^dJ6~2dqs! zCrCA$6LUlpq#Dtbq)DO)f;d~(Bqb)Ow0nY#r~}882F}twL8)Sbq@*VPm-FLK@5COr zLCrWpAno6ljj=Fr{Y5j1BN*<Z@22S~H+%G#<_D<JA~8QO7Zu6VB<80!X?}w7_HcYV zaeUh_j$<57LV#mjE5@~8+;)JAW(cS6wrq?i$ixKUH23*;^Rosu6Fjrl3Ja#&H!$Gf zzkE*|Ug2R8$l(<t;Npu!AeTQT0{Q$Q3S{tmMTCz}69JV^6@gMdSp=r@LJ^q7^F?3| zzgz?g_+=t6pF2fhG0%Lj>!cf(L>S2?Klu*|Bl+N5gpsW9PyW$$5RPvbVY+vEy$B=w z<*P&(`85BF2qUlNuZS>`8~%a_qdl2di*O5umxypHhUbegx>)lEMHs)$&8LenUa7!? zB8++w_lYnbPU6>!Fdb~p6=6Ic%ZG|E9-ZacB1{LKZ6Zu3l{??1FrIbh--<B0Qt(z0 z#sklMmk6URoj1Kp8_B|#v#ME}+&#}}sy8d`Rr=KHYgA&Y17gfqC}z2c$%dHkMa<H! znh0l*IVRyu4rJUVGTtGIx*%qwh$#{=xe!w$Vy+f3z>%|7h?wCbrT}98B4V;cj1OX7 z6ESE0E)WZ1UKBCWzjt>}_?+YiSu=Jt3ynk$T>fMI)fQgx*Gpfr6#NTavSh5!|8YIu zC6xe2K)AoweYs85PTj6l_lbR^ERzCe4UzXy4H`7i7=p<%B=h}$N!;r63UKLvb-_}? zT1u*#_1>!Z*-4h4n-IK#2wq=IwEL^mV!R8`=l^nPKwp2S8_*!z5oC2B;+uMovdkJV z>y_%1fLRC7jip1;hhy#@@tGK}^`cMzeu+(6i>uS2VYzBHesL75%J5hF`<P0^R~mb< z!6I=>qGQoV#b;VYzb-Psd*8V<+_ATl;cgaVsZ?76NrQP9ho?7;<uBezjOD*zur~fX z{~!8v9kP%i;)8V)>hwFs1l^VRR^8XjyWM|!e70^=(r4>F>i%3^(7F@9S4V7Ke6X%D zCMP~t=cz%avHXAk%{rF!rMrv3Ph4;$cA@|5<;yG+Z0Y(~AwfW#{#~54>BI3xG+Cr) z#wCnn_%*yCHCXX-$dsbp0R2(DkmJWHQ(!3ro6>_2%*J50J_&+37|hYf(U)RDhS`FA zE5Sd1pC~^hA>w?895iN#Pf^GJSY{tpZc^oD5Vl3@$>*8MP#HoOw*pWHJMk+lD7yCH ztKaIj4L6ywyBM8p^}8qHrvT9E?3+PyVF70EXF5;aL%SYntckCKqOoSWB%vNOlb_?} zef*=~@vmK1Jm_$oLz7p*55JA~zuBi4#wWZL->2wv0i0xw7aJ9CNVrjP{4dBse<$_W zs5tSLi*Hnn<%iy+or5)RUTWuHJ34aUko*+&=d25MD*ATqRJ=qs#Ln0NKEJCbUPX1Q zVy^<XlvLIjyOKX9nw)aUChv_mdCA=haZbRrx6+Z%ed1G2Prr%A?xJk80%RFea~$zc zHpTkEiw(c+1QE1FPoD-YqT5B)uG?3;?c@o+4AfN>bh|i=#{zRdBDV!Vp2A@-yp7IR zbXqHtb?{O2NO<_}gwKy0dX8KIoGTuUZ&(yhC;wA9R8H2JCcbMO9l)%j3|rN(z36SM zW7u?&{4bGwOIPw(N<M#=NdApTmb;RjlzcFrjOUSqpwNZwS#Jx!*AbArc^>69ovY&6 zO4rdjvO{m7nh6?s%Uj}{o_*U}bjRKHw}hK(S<rh>n~5c^Sx3%UE8qJ6+WQi)sE%ym z>IG;vyHQYZ?L>?iqT-SSZB4qRF^x8gf=e=H0zxB1gidp>LF0lp7~#q!G0SAvIA+Ey zllZcz$ruM*5H}=Iqhl7yV!Wiygk<8DsP{jos&3ODWb(e5_vZcY&228Hs%|Z(s!mm% zsycOw=2RZIgB^{mJTKgisf<-VbTAd5>>dOgJylOdZt0qqt!COe)U%@;#buiF&=@pg zu<_k*VtlvZIUJhYVPT|v;5~NcBSC56YdZbm`w0HMyZj3OZlGsE*u{oA_$sgEA53=X zP&#f-en@?&7jwB$a+qB)$hQjVd6mk2WoGXs?XpPkC7sw)3cC0Vl*0%qs1;yU<kx5$ zC_nRJms>uYH?o~0sxy%5FTX*)x9b4QH}VG6ohb<(yopdH!DnU>evR}&s#LpWi$rx3 zt~k3X2(<<k0}H7U!k9kL>Ya)rpWDYW9QF>4_<OLP54r=qX@z^R7LY)dm^)_jtrpZC zMcL5Ql~|D#@fa`DCTGR%=p+<}jv<7qC!{;>l)`Z`ti*gagQ(XHG|o`ZXczp3-HiTo z=RPu=d>Za(NR>WImt=Y3YCMMUji67j5=naHdGSWsva!qJ!hJKk-_?TZOz@V;2%Gn^ zcF6(wAHRH$t$G;hO-vf4q}BXdV^gop?M>+pZ>gZ?ZR8!4Si#BHJ&j$Pi{Fe}^$u^d z0g1_4orsb;J0x}k16~Co26-E`zF@o?LJVf#A$jBKOkDBtUe>Ui4iF9FL$@>B#00!O zLNM62V=eiT%PnO>WVvNFx*#6D8*JP079mt}ciAMyqHnP~`U(PHB49CJgW@ph(!+@3 zs1JZnY!`m8OAUx_D&RZGcD`0Ggj$U|4tZOWe7$WKYEj%&xTz*}9XgJSyI%)$L2unY zo8@3>Pj92aX1V0KUesImFYN1W)Z=Nk-VWt}^?bcSj00PmG4<0?itkRF@%78POS~8! zc@Gz{z>i++2mdwVSgGFItQ8C^aM8W|ekd|=u;t3af%1wCssaV{Cs6UbNNaU{y!QNw zKFWntx+}D*)2i-94_ZNc;Z!HPmoP5$_mhM*c}d6ZE_NQR!*=2W^zs1pFf+EjQMIY` zT6Rjm()(kA`T!G-%G@JIK0;58?USdea;t$n!6oUid^U*j0>Yip2kwH=lr}=#77Vpk zY{Ti87-qR7_B(IQ)(E}i_ky^V4?KCk8N*t33H>3SjX}KEACRSPQy-eHZd1c|6uNif zUio3X-OYx(<TWvwFH&KR{ps^RnmwW39%n#-w+PhR`vTh&_g^mPKQGPB<@osqwqwtw z8X{ic+`<>@1Gnz?`I&_$D6_C<BQgusDzorKTHR$}7KYYu3}6=Qr%8ZV!<*~r(7k4T zS3~!PbqwDez`cJEWfmX?#w~<{+p4QnqM@6d)`l5n51tC*q6`@<i6LDkar?S}t$Kco zcoJg__??NiSTAq|!u4P<2z_DhXOiavnXbr<z3>w~NC1OA@Bny)Hy``GXHgewWCc<6 z8D@CLYf<bhAFsR?^6~utqevf@u8I-z`{7t(kz1IHVyt+_KdV5=7(3On!bJX*n55}c z2B{L&iFn8VaV^yYx0-%>JA<xIi%Y$O9$!mcewx-n9<YI*X~G+gI!Xhw1=HAR6qz9$ z86l|yA`ZJ$tHeA#jk2pf^086*qV@(|x0at#`eqv*H=&D}C|gstlD3b6&dxq&pvXY0 zdI9t?p}W(vM~Jj0-zW~CLjU=A27uQ~Q5)x$0R+pWAl{cJtz^6XNhsMb4x;k%#w{WF zRXS@Yo7@z^*Zh0Xnnp#j>@ik6OBljQcBv|YcEOi4%aUxC@0KJ=X?kf7#A<xJ)+z0M z7wLyC=Ca+LtPCE|vPbOh$X$Vf9hO#4f;G8BBU~?02P@m99<6lPCLf5W@7F%39xmtv zUwZ2!6`W&r#qa>W2lZ65HD$^S0WOk5uf*(`isJmnN<2I1+jtOVHukktuq%z3et}NU z^`8WmrO*-?@&X~HIna4IYKHcBfo}VG&kR5T9LIcRwgUwg9o}&via6doe$oomsxcTQ z#j!BA79ya)#5k(!!x!<+IRruPoTulws-{xOPY7GpHw31)J>_-J`WgDSo~1%ry!CaW zJKc{jMHTQYwM5<neQ@b~s!V+7{Ph_7PuS_zDM9o~8_9l!Fd?5i0Nq$cuzJToQ;z5k zX@_o~PS8cR>BJO@@D<2xgifItfAfqVV{K;`vp$rcTZ)lCeTMpxxA=qk?grFHSRyyB z1Js8&a)En^+`JCc3A|quW_NYx?Ir_Cmq>b(?<V;%9#hdXT^?mx@id>?&@reB-Ih2_ zZR?M3S?3p~nk)&Y+0K}E$*2e-j;fg&Do@&gN71Q04jS4heq~Pyu!t8<^!Z@mkBWU% z1Y;Wqz`#(c2&T!B^E9$^aV90^!O4UR#s?^aM@@_lt`Q#Ske0w}&v#Y=5R1v=PzE_B z6IDn4HFqgk)9@}5>1^t#^LP<>g#7w?rbXT+?QTIWbnk@IvH|SaEer9EnxNaC$Kls% zta%2vrE`@@Qs0XX6yYUYfmzZdNq>=D=j5=QFnaNr(D@XD##o732fPnJd01Gs6EI@x zU~aq8XlfnBA>3Z$)}SP5f={QU@N&Aa4rM>jGw(`F-Xs<?G<RyB19qQ-W(qvrUJsv~ zRRf(hK@v<zCno})+kPhvdsp5d4Rc)Z!2~j`?us7e#_QzUojO_CTh|<9*U5Gi&GE%K z@J=nv4@L+Xp9qn(nCS&hXN{H5;lQw$mq{Xi!XriWrmUJt4f46Ca2m(1lNSU>?s32( z=s9|+ag#UbbLc98V~S|PReV}bb)~)Qtp?((GS^!}!@SuMs7!n|jluU}-I*YI$9(Q# zln3H#81wg`3}0=%-C)oF|KhlU#bz_wFWaSW(KoBRJ<sEn?t6Ieza+i@DahS+p*x!! zNkK0y@sF_yIINj%R7vc+dSHv|?eRCjAlNvGGEVdkk1%%3?-?!YxD#-Q`sxAB!X32E z$ZU5BFw@me)l&som#90+Nlxi)Tv|_+uEXmrV7_>vYAK--L(<oF>5`-BZi8jNv7!e( zv@j!9i5Z=SazVxlRGQ{p8VeLfML*%24R7I&;h)R-XL0e~RCdd~_p%~n+oa2tit#ru zVGt-u|DLeJ(qMe>Q5umm)W0uW)YZQ5;p8?s6cl$D$Hg6{(ECjGDoRb6#`i?3bkHg7 z;zBov17vOr(on(xIgb+TDQjD9#ntwi`~8v<-S!gPwMJnHs(%QQ_=_`_o)kNPo5=$N z9I8_dkV5<D=};P)hSEBCKZ&sd`O0+51;HX!QkA%<^8)`RVI|v98fF*FJyC9go?^>) z(7VLg?dWOJ`4(i2>|>S^@us$*0l}yw5to~|(Sf<bOH*b6tur-y-#@|6HSZNBbQ%Fe zn{rEE-$B!6`l-{OM49FbbTX!3C!TJq(x4E>iZNI+VvwBpBtONJo`n0)MT>Cd#pP&| zHvScry};Ag6T(^+{SAh0CtmtcD~wAuZV5|McG_xee@1=gdYiY-3{DPZCwI}|5+|;A zhoz#HM7w35aKN6p&nDI3B5ubyHRZq5vzINnCSGxrl9J;D@>SoL;Zndi;&{3Bu`Z|5 zL67mNbO$yIiIeX4<66!R#|lcV_rJ}wfR{xRaiITBFS(zh#&K6WkxZv?OFGjYCu?;u zt>Ds=Kx)b!xs_f5U5_%Df&u7EZ#f|xPCU`sL~xfn)wza;RL>fZPeoo?M0Kg+U|G|3 zc6&amC^T=rez+5GlpjdF|A0IjdQhJM0?1EXRr?Z%+rgM__?JLz+jMMsFXJvMPl<>1 zt#(F43nt<K6tv|*x?tnr`kAE27a!z2cmz%qgkUA6&qT_cS6uT!JCUfmo!Xy2^p2m& zR&V<as6z0aumHuF`a8z->kkgXJ#wO+c8@c`%jMOCYF3zp6_<)6UA>Emi?DldM#_uP zZrQsq7F^25jTtW*SyjrP=;(wX7&UA8novDgjXhZtaEX1u5y?*P2uh+;0hEe<2lp}L z-B01*U5oO7^z7UXa{gMr;ZhZQjlA{ZM--)H3!OF%rdiN)4Q-X@S@41K;GYR@f#ANy znBn*Qrx2;AS3WLORs!ckyDVo-ycR{NE*2|XUy2wlAAZDtTy!@WrC3zfQ=cXs#h^P* z(?ed@>QH&%A#7kD2|5_)M}5Sy{QhqP?mh|7u$IJhXK*&yO<8o9UdibqOhT#J?b5mQ zSeo};wpta7BVh&;**PqCe-*O?pK&>MCD-6t=55w6MK~*Q3)Q$qpWK3byM8GwdwjO4 zv43yNXM~^MQrE+7k-nwZSkzrX-Jgf#EwwbC1FWlGjmKdO6?~$8ton+0RCPt(#l;Vw zS>Et4FG@b?0dM8Z8~SF`MwpOVS!u7KA0?aKwheQs-Y<a*YPhzjQ<oD_3%N8cnw3h* zU)Y(!k*M49qQ<y|1rQ>QTh_$m5K-4`2(Rlz+RP!n%5Ov2?Y`zdJSIgfeTTDE)<>pE zEim}Y4W+aq#kk}-*J>hdd7brw;#hgpLtS<(@BJn~2&gSM>ucPob*0X+;wReIY(s<{ z-bDr?_He=oh~#pd%KHV=WoDaRniiqzOHD>5&?z<AwrNak-6MgDPK5^3wz|e!d$nr~ zsVH<8s3jHWlJZqW)elz0rjJ(4QU-P}O;o3bj_ylPe)*6Rxbi?dL6(0z;!X3f#Jp@p zrUuyxI(j>#!<0JY;)fU;nt`0f;=qWUD1v&3?z6TH!?{+PqdO=CjQT)6Ky$b#hAl%t z&lN6jewdYi2BFIT7^anXDyrJF**HFAv&(*HFnQU-IQ8~@ey{^yh>JT^<WLGq^r%cB z^w;m9?1f$WplSw@V*Uu(vHgk4lYf*hU9wlD>YYG6RZ9)2HMxrA2o)rcorGNELCg$S zw8F*%D;2B@vq?u&p)xeSI3?yUw?RXQndOhwd$A07<|8O9Toq$|1QV`VPpBZ`vOB3P z`CeP%L2sjy94myT>2_NVh~G+$Qhj2bUDsf*Vt%E{%{0g^6hCip&>(I8zgPX&+N-EX zUo^yLw=^!T2g-htUT0Xp<OdsS@OvF_Lih)~h}v>g{M0V}k&1>|d?=07%`O$9+^!G` zi5V+jLGIbofb+FoEpv2e*}aTT-lkH^!DV4|xNNb~D`IAtD4YD(@w8aH0XZG%U24*L zjwIjR(@~S!Q`nC;aO|;F8^;<vL1P`7g$8!phVL{zOWT6Sh{rsKSy`4yL#|OndLg8- zVlhxdTi^pc@aO4#<p){6Hi_g}x8XFh)o%HlvEnQ=j5I&Hy(~`^kZ022GbW>SxXPfn z3CU9>iNKlPJd|_h0!nN`bk9L_dxN=@_}_N05ec$xR9WnLDzy1G>e-DaAy|>5qnP+n z%Hj%sB@eHUXV;nhKx@1PbMNdlL#xKONuln=GMcAm;|H3J+3n;{M|3sMn0He<`BPyz zmp$zv582_DJ@x0LP5e}t>BlbBz-I`D0_9D=8b|BDzcfQHr9-=Egkd)D`z_;D!BaoK z{iij^U{7gtczF#KMwMw_^OIBZ*`X<hr%AzfDI?krE!Qr+$msS9q}yOTG+~qW%fI;! z3%S)&Z>%7ANw;OU;BwZeg)TMW71(~!)VIG=^J%R3;4+)_falFLOCPrLTFn#$I@lFA zhvhK9ujP3f2L5V&dJM~(DXU|adph04-Xa~3I*cBt3b~pvl06d6Lk`LBNnF@90Vf+u z5uI!#cbIH+DdWoJyyYUyITLQ>vaaoATpe7<Rh8_1m{#F|HsS6aKmJk~*ABR-!!1ST zeH?6mRrGU%?M^<}j+ZT~yWanMu<OB=N-N@cyF(ps>7>OfWtb{I5M!t+u(l!hWxSx| zHpyymF!x4v$n7}ZKE>`hG|3wuRJA{}EJE(2)A6^9a)|{d$24PRd!dd|-%w!!oAe1D zwTqWi9>fzRYL4kqEuQT=R{>#tO{?a*bjxXD#S!Gn#uKJr_)R?%rpAlg(r`%}WybLk zLdB~{dC3JDhjjC&OK`NhVlzIr*I~K&1lUBt^RG5(PnzW%HllOB8F<aOQtKQuOgyL5 z`c)IIe~`~2P=m2J;2pYhIe39WHET4;hv-%EAylQHcMpussRaFf>8u)#EU=sIvsc~x z>m{h)>>S(ruvxwl#yH0ey%QXTBsu>AJ5F}5Y+a?6F<qqf>*YxbJkpzLxgwx=`6;SL zQhsa|m0h^<04A_UsCQN+K-5>kD#kG%9_GWxeQX3DP$CB(z+(F=ASJAINZoKIbk&x) z+nFmP&v84nBq}#>Q2z6IN&&qcQi!d5Ne~&&)TY{!=L8XB#cwHwka>EW3SQBCvj<~N zyo&0YFPwsE#)H#qP`jsd%mN6pk{0X*2kH}$Kg3Fh4COn=6rCeNKOo0*5SIpTP_KjL zgp2P=J^d)kj@;v_QZUqp*JSk46(lK=Jb<UtX=blLW-*sbe5HWOnZ<roT0E#vtt#&v zNv|5_yE_$?xg%o^*e%swI8}3p*0R^Q26r5sxwUP{I4!kCZ!xYiQi6b{^9)PDSb;NV zNA6)~ReS?bYl8veg<=*K;{p!Uy0M~~Q>f-`K5=m1rQ}m96{hWNk5GhPzj#Yg(t%-@ z4m)Zxw6fy_qlV}XZ9z_?k_yLBt$X58hb}ALZC`z(L)i&ANi(J%Q(}I+1#`1U?B+e7 z$mhK3<_z|#C97C5hhu_s!2-C#Q1a9j>}(Ip8O){S_gDO9WL14ROe>8rQ6Bde8_H`O z8oBRQ|Jk>pj+&Vo+OIUoHOIS{FuGTu|Gnyrx}6f7_UUCndaT=|2ZaaEqeuHKpNe*Q zpf|98pbP@<AI7XiRZYUR8|CfxMRDs5CE3P!4B`N)6H%tKJsR*>y9J!R#x3FbmPTQe zaSQHh^wR@jD!Z)7ql71oTXe>)`|3V3gg00&!MInGqWHEOx7JxM3RF?%9%?pLLTBF@ zP7Wybd@7uYXOdCHpD$$WP9f5v)ZtyF;@`&Z6!i|a?4=A!8bydQXeIq$F$x=+DpS*Q zWtW3Q;tDQPGXTY7kKuAplS9&CWi^y16JZy4msfUI1#D3M&xBj&ne991*|zPd-@=hw zXOm7Kt1=n~P1J)JCvRK9_tYO+p>7kk3<#kc>d=P1g$ax$NT|dO^)KjE>#a`stBJg1 z19Gdo8sz<Iz+`F7cjYM>f*b4A_7R3nz`<?>zijAQ*h`+Vf^K~eTj3vdUWU)ox0X}T zuE4ZOYph&}kz0-nAK0sxj7YX^qgR<~6<d>HGwwKyyJaybJsU3VqMCYM@qTgDDShqB z<MwCX_t`8bY{m&EfE3bKaAsz&*hk)0?q3!;M2*<?TgD>-YbX~%7dbWZ<`3~&g2?M^ zRLX3!R6+CPteTT#RV``KG21rWN5Or62ivc$b|!_|#x@u$9wMk|nCY6ftxhLuAe(o; zV$+>WtC^v()f8N?ueK+J+Q%xwT-5`_Fa}}}rddu2>8r#1;dCb*xXfB`5rd4el`9%? zSU{Mu7^WYDiE9hP0$hTi7-p<mF~~0@*|A+mjNm-#hLLQk|1b`?xmoc^mgB}XJN2kg z06XIcx9aJ=4n3@jqWc=6Z^d{p+vUcJMeq&K(HbjoHUo9m%~rmYgoz>L&Lo507gU~? zWcbOE3j@w4>C)*m-5x55<+R8~?^q4j#$&72$B*l6tO&!6>9Ko+NP6XInzFma$Cr4l z4y6G`{?a~aHTHN-d2*N-n&#cDZDDL(bIW@GA%m^{45FHp%`|Yt2qvTe(edoQIfC9+ z5~jq&B~jA@V_;Swh>*pk+Z81+gAU>P^6fODFk!HDb)uR^H9JPQ+CC!GcSoA#6Va%8 z6NBn?VZKqEoVZFPsCD`7qrl>EPmogmZHgio@gBXPKY<bAhAcZRdGS``N}Ra)1_a_^ zW#y^$g<@IJ;*or|#BY!gjFq_ZZ28t$A>%xkZk(nio;t597Y%8;Q!Q^$4*$5%<o!{< zJQk4k^nlMc-ErvgCM0hsrqLQAd;uNf1mlhh4ceecqUD;U>NsQb9#mQ$L6uasmYt%( zk-O8OJK_6v`*N~CQr;i6tDyxfiK^DA1qH59NMpP|>cneY$6`#0Cw$Sour8cT1!g7p z19{{Tm?8k%>Xf!q4&Rpe$@{WhIskkNvh$-ppc-WOW{GP!YKa1rdnz$$!>E?H?o06s zF+loDdb}EXILj_aO;F}|MVZ8rwi+MbtNW&ENs^-l3(Ru-U2Muiw|v`}8Kev1ol-L{ zAsx!u`+%Qtja&8c`QD2_yQvyf)wD-2<<pBCw3IyQ6#+GOT=kQ#Hh+wXlCGZ43y^ew z?2L4``AHX-2rw>AyBCI0itVPv+&z>w+DcSWg7j;wK)sYePDSH7((pu@x%@FKUSV>6 zRbn+eB&#NjgbYsaw09b#MzcCAX{>J+(s^{dsKlWBsva=gVD;zNyAuZ%=s<OH$@{<= zg)xLavM7o_@fcr(>b?uzs}iXwpyiBl<!eax*LO<x5v-(H(NfB%)v6K*)CwLaJ|t(; zn!kM2ZnU4aNxOZ8O3ckS;kr~1bpC%@?3b8mqDB-jYUzIkS7aB6L3Zhk?=_TLhHou+ zDJHPuL*(Btro+{8f7n1y1y4vnzDN~~ogKi;b6M*y<lb#KaDL5o&-9fiEJms8s#rO0 zaiAny3_Y1{`N_EEa~w{_|Fjeb-VZ6=oN-DQxY+yUrPxHj9FRW$ODgvc&Dd$CqHM!t zc@b3>Q@5y1&a9pKLHT$Y)0l_*xY8~g+dMKpQ43T5MEPYF+PlcF9<W2`r&wrTF>s<W zpDGHKnxAmqZbk(^cHD0`246~1!Osa_j6BwlhCG!<%~aQTKc(tXhtThkUXL!Z9a8pp z6#Vczvz%4dSVxt^Fr(eZIWmQ#6x&<nHk`tr+-uzw3obP!nyRvAan1h(O|fiqYQ;gp zP*t|gw#DQN0S?`5ufBkcYnJ>{H>ye_x+4t~E>slbyI&bSF&FBIHH3&^E0)A(p-Npr zmm2m1E_UO}AvS<o+rS3gW-GTG7P1l#31cmXgb}i}jOsfISLB{$*QlJKX+XIo-cOf_ zehS7;?V>LZrCS99q(~seZ)|@?p4X?dOFu$;Y{uScJ6)4)F$p)}zk&EK4*wawm#m^> zxBMs_Ha=G8GufmDU${*==nIw(`Lxnuss3Gv67^R&2JRFlj>p-QkUSo5%NA}NPw*<> z{^N1I4Q<efgd4__VC+3DJB2<i!xa>gIO~f-=~3bfdk?ucpUx)9P(%jXdsq!96p~Te zzd9&n0WeTa*H^^j;@75fTTSW;XuDKsBm?qi6?)o??|#!8{(Wom?$c9u#0#Q|C=J7J z2Gy@w2tj)vUpQDy0{z&Rew5QbMzx`MsO38O*h00aUs;HBhBP3rUx+$%Th>#t)(WaO zz%HTgG-(Z&4_|^hYn}1gFp^@N345t51kT@-m<dDJLep$|=U64qh~J@AE$tmxXQ>lY zC>LO@Xcfj>8!MoBVE~Pq#tZSYNWV!4h*Y#Va>Jc9LrpmCZKq#4O|tJHc=YC~5;JKq z9sYViX5>Z@a+KV1P|pQ*KfHks9O*2chDARYkCw(Gosjp5OgwP55_3xey*uL%vM6Gy z;ppdk8Yd0Gw(>@+FVuTcC+fjyz^T}5DO?_e*Ei6_e&tV$&6OcVd)W6hK}^}cS}*`p z5#BjI$>p}{`gq4`d%V+FiI>r&R-89h?L<ze;s>Ej3Qv`GBYXAxP`VXo$HIz}TLnc~ zk&O4_2pNFOxeuUAZ$Y8O@Bpz@>*^)(R{7ZX3QTUq*mAJ+7Nd~=wL_2{A?&KdI!FPV zp`04Z95&NTP%Kaz%{$oME58#>P_bD9>+rD0U%UCV;jL2rz`F6o3K&cpk5Z_@O<)5s z2y9v+B!Ue<JlOPv-r1oiV#4ajXfNa&@Qwyr8Abu*)7`#$BXc&W-4tu|#tOs*h{$e( zredso6<0l^y@QbUa1qUFtiT(c(O51lK~QU~d{9G~#Z}Ac63N+x-Mm-y3zNN9f?#Tk zd#*dy&=gn^N#EKMVLD@`ejALHc$jrBl(KRaMov5}OUoZhXZb$51uxX9#Z`<BRQ=}? zf4SRPHz?2j4u@QYX=%b$Yco>MeCRXn-~Q>(M2xc6Sg+bwS5QP+J|?&~42h1vssPK; z8)*x;3;C?azjZGC)ba&p6wwj~QWR{`QF(0$*Fbs+Z%5#T*n&i)V(Df+d=|^M3-5!{ zFs{0cw~=4b8z20dqRn#mLW9C?)Bcn>(y(h9SPsQxy4-@rg4o-(>u3VNHbP*?w%%?} z+#^rf%=5ee{OV-8<@EB8`0OAz+*<uA8+~XKu$G@*er+?b8j1|bj@%yYg%i^x=N_Pw z^1P_z<#n>DwmHOLk4nbF1y1ogIzaU4qG>q|26G^>0BN8kn60AKSn&j5yWY_5Z;OY_ z*yA&<?YO9}7k}pk**ELhOhbto5zmeph_@&)Z(mP4rDgZw`dc5=CPf8fF9xMky?KDj zgz~&t!&Ru(4KPJ&nSi&MVm9~FY+h2cc?eR~hv91Gv+=m%;#jd8N0JUY5vAQ#8Fct} zRyoX6oBM39<AmbP{+Oy=s@!KYK3<EOg%jjg-Cb%ut}9_&5tC!9h%cv}Y7KVDdXet; zqKr%eX4y(div4)V2|E_1`F0^PJgwlx;RTW=!Wca0<;X>CQ+UpDFXkTj-xPseXvt*{ zY3J+HqhKm9Ma9Q}8K#!X^FoBI07g|w^pFIE2VV1@U$>pLPM4a1D!7{I8{{J;T`nQX z#e4~A2Cf<%qes@T`esw%`!osfi;xc+SWow%6G_0yE?GT7Pm0KAf*563@kGe?_wnID zmZ^!KEmqHb;#N@XHJbzH)7ha<sl_3Emu6{%nz+8C{RTnX0$?)7x1|><4@({)97(f$ zC^R}GZJMQCsJAC433czzL7xkOHG6kBrQ1Ue>7tz9%|92m)Eg_GrG~4<N;)gAnKcH* zyr!S!3%2#_umZXbTZb#B#~n4Zb-0lDKnWMSt2b7lVhN}==goxhyF0|4*nicxU(yBa z<=I8JaI}Xj5&ycj3vVOn?$<J{FA{JQf>4G@hs&?P7Xzi#WDb|t(F3K8nA;nm&oM<{ zM-1p*AXF(1y$rKaK1Y?!ouCpiauL0y@3^xjI|!G6-zoNIvZ9gB9aJ%(t#w_X_4IrU z(kNg5JZ5-wh`eHfqNFE&WtWoEYV_lrHG`6J8FS)Jm-O)tyaTXNE~x8bk$Cca6k^BK z>S^IrA_8wa{%|hNYtI^BYK#j!?xk=0`pa<(u-I68WA}X8VeZw7<qjh#$Lg@0W7?!j zOBD6;$Fh!lDL->wj~_7jdX$2TeRpW2@8r6jY>g19J_Fpec$2LB%1+k73*#NqCyvAu z4$CRyZ|VphVJRPg)P)CcYi0p14RpivqkdRdbfs~GJf+CL(wI_&%w?C?5Zy!1cD;+U z1xR!uU9xDlOS{r6rySC;RAc&HaDIIQ9X^Bz$CC_`Wqo`f$)OOlH#tZQmru=CxiUP7 z41*tp!8@>(m}C91&Vdvg@F2l(z|l8j>D^Sr+cEG|U#E`KS*XmtQQk+dI|q*OF$j3! zgrkq*xNr*fA)<E2LGnU>Lb623<b)FQL0=ezb?CuZ(M_T1<I-s4h5pDd(3=2TE?n)n z55W(sOW#9dn{t?ss3zGsKVT;8n{Jm5L!>C235Y$@55;5ApFxS4*_Yjv#*eA@f^fcr z{$uLR#iY|?>g|pK1m2P0%!Q7;-%G{Vx*BZW<^gFi0;SKdojpm4I545wu1TI~+%iXF z(AL^kd_iY2#vM(z_kUdRBW3kw1H@S$YMeoyF99L2d1i#b;5jCgJ2i&#Ns|5mjCv$_ z1=vZl#+TH=eI<3*`eMPRF)a6))bA1aU6Wj%TKSO}vJKPn8EqF%_Ng62VA2wVNMOzk z{H!1oAKh8l<$!R!KvA~!r1LZ>Xe~^}sx;~yG)^2G=q5tujKFDhGo40DEj4%O?KSgY zzInl3{VmL9dw4Htgl@~CY?gz|LZ}?g+nRKkr&{H?g>((YQW)6Ht1AjPf1U<dv;aFy z6;dQ8ix+LlWg3{y)e|#!`RY#vgs7^i@#=;Ai4f<Uc(>H=%Obj(bgl>|D8g`5EStN( zBgdn!1)j)Y0E#)F?1y>G$9O<+mj?GG?(2)oDqE=pB9k%CuWQ!TIAitsRcqqkpxoy^ z*@I<R#a7KIE4T{z=u=g(4z6#`nfsBW#-UHE$<pbU&2mb6QKwc-zh4(2DM1HWYvXKN zI`A{;y69cD>IsHTCNXTaCQZ^hs<gfk>*_HMZ<qpErm9bN8mNwtx_}hyW4{$f+AJUY zQ?eVKU)U{Ymi4kpyLoU7NW;q-@vLnJ-8^lchfQ@&JSwt*DyT}v6L%Td2_Tn3)pX;a zM-NFuYRMW_Gs*PG1eM!CW`~{ii;qQ#7A5B6SfsTzT-jc;{3VnSlx!GkOM4j7^Le~i zv?5+3dBZeCIcWJ-Ok@%T`xPbTcrW!h9_llv9o2Sp%H2+FzEHa7W06q+1$-$nTjKB% zNhW;CIMa=Bgz8!_%Ae=^FGRuBp%uHE0~teHi?e3Vxb_T%6r`E#Kc`U!*2P1ybk3u$ zU|{A7Qfu<H>A<E`X^mTh@`vJzGbEf}HNj9Fbmvg4){CnrgrT~QD!MRm9t$c7htOm+ zjmC@rq{~d2;5dr!dv_UXmV{^=k`6{=QI_^{VOUxTvS}V(ZW)4~uE!I?a=1TRvN>Pf ztU_j}MaNVQ6woWSfGw~cVI%nf@5P?R%IbEjM{G#nn+p{pp#K7S@)L}0OSaXF(_=Mf z02>B8<|uI2UE~gbHCEh36*;8B`-v|aGtr%ABDE$@ujb;6LyCF&SIAs_C??9A9>J*b z#;{e?tzPVvCK<hrid;VrccO2_jJ4njQmXXVH^<wPM+ynmTHy7^?h*#bZ#<5nV<tn; z)S99oO<L|AM@@vOT4NhqFMg6LolDC-<Qr~HzE2}0l`qnc6>m(wQzs6x)lAeoavL1F z{j!_I5K3bZf`ig>8^Jj_PS|flnWIl^iF@q2X593&I>v}Z7|cp!3=Kx-s0B``Rz4R* z`IPBYD09px@h^7W85=(#A{V$g*Na-{U?wpcawwn4$G+`6<WSDa^H*CT7$Ng~n=w>N zC(onlfzQpjfSrWJVF#Wd32zce!b?)~*rnpxY0?0vMD?c8-RERnR&gLls@X=_tmuvx z)t=5lw2bnC$6y4m1vWu<f{Aa?8#HIqo%uAW7rny#fFtpUL-(Ql_SP;~wkLUHW_s`d zFV%$N{Y$;hjL|8(Fxzh;#&{X*?D`ai)a!s@yWN2|37{-?Y9iDX@^21Z%#u5S5^_JK z_vO4!OUa@8$%&;u*(QDLqy%;Zy(S({)Af?C+u8+Js;4-m1K;r|BDKfBa(NM>61UmM zK#Mb0uB8*|Ie1wDwhx?c9g!QibP?r$WK)iQY%J&K56ic|-G$dx*}TzUTNzB1TF?O9 zx(YA@1L%J8;Y}dO-FHi~+>UCwZ*?ep@xK(AI~$uwqYxy&l*c1?R^6QLcYQRENy<5) za~gF}KANgv-?qB_r1w|sJb03H636<X^7$NgI<qlH9rLeIU@m{2O&8oVF6_Jnv?3l* zVzxyy?Up^2n4lhXzK-GLsvP88eS=|`x^9z3=y!gXR*01!%~3Z`<boXkV&DgqZ-D7v zCvqQt1@WU4d1xw=mb*nxL=-!{$H$h9G8UaENboJk>1eWTOc{!Lpz0HOnwD^73c2k> zJ!TlUggd17C!Duy`ssy1K(*E375jwlb)OrITk67_EZ>Vg9W@UqKGg1vN`!y%1zWyz z80|lS*NS~&ZL+hYo^yUXW1!&4K_>5E=tKv7hqL5P%O0wKm|oYTo)kCRRekxW5xxh# z6_N_DTsQz6Q7S#T{fRhECfV&pWZFdNdfvlsGwXP&oJtPTOUW%)gg;|hD2<RYD2_NN z4x2SOQ4GqL4*4b<x9IZgJ_C+nSAKXyzRfb(<mrZ>`~4yLHr?cC-w?F*^jwc1_WnNT z*xMIv+*(JK_M3#z3C1mJV*Ana8ohwH!MQg}VmKyo43h}Shhm3s`Qc3vO(shslO>VK zlE`F9WU?eOX%agFl6Z_Jk#BilyfNQ$NC<VH&|SR3b8oD8f#2okSGfK#IP|IYHfxmz z>$N)TJ3oDe=Ltrmq?m+dUCq?%*NW#I%DyzqK0%)xCH{~c<uuysfT3%r05w3LnD?y7 zSrr}cM0!X^)zVq<vChP%bmN30E~nIY5b8!rw;U<$nQvS1IcZI=c?Pvp+Mo*sSFzP8 zL0IJB0VmTgl=EleT3<uwmo2XyOV4s8-Mz~?gHL3=bW4Q@VN5E}oX3>$1^7T7MS5Q{ zQ2Cb*-`Md&U+%Sma?{OtLRN}7iL-qvdcVA2tm>;R;~gT}&`Cs6WU?JOys&OmHmP0e zbSAmr+CWsVlAP7a2O7eX+X0gf0sCAVQ2r?8TI>TuLMe^fw<0+R*Fqnwli(K+16F`{ zshiM?$KRWKO(j6!)KMR;NXDDMZN|rTv5UV0Lqqjh<s-@MLZZ8ro*|dlb>f`O=g;lZ zVMn*e&Aql<=!b!GyDS%af?3x-AST3)d3~MJE-5R`uAK<CdY3woPs*JEPWy40ku6@X zx~G%HOPw^sD(#owsHJgP@7_iJ{rs<gHsS4T@a*RBB!{gWYNHwK&0!LU4i2+96gXVM z;cqy6mc!RL+|FSmho5qImcy$Y_KachMh<V|@GcI^I9$WwdJf;^u#v-0IsBT#^Bih> zG8n;OEQdF8IF`dn9M0x2pF=l?<s3f2;RX(0<8TLuUvWr!@$@(x$)SV8xg3^pxQfH| z9B$^Yp2KDi|H|Q24o$HP#&bBD!$}<8#bFVL%Q$?P!wnq1#^H7j4|4c9hu?FkjpONZ zcs+-sIh?~`0f%KAR&)6Go`T+lp5Ppp$zaw!3~rjoV8=&(g}FQXbpBm^@^cD{TzO`p z#5~U>m|bOsf;qP&&t=Z{lq@j2JteuW($ZmJf&Owmt{lM?_{}`1l)xW-QcA?4Jacgg z#^uU2tIi}Prx+dc3ybs28H<F1l49yX6msSkxxiZ(_c!o5H~l&czA}5e@Fi|nG4(yP zG}lw;7KXVOsp)!B0r?Du6(I{qDaj=z#6w*08%FX-5&Q^AAjL$a<{>m(La|s>G^DLO zg7FUu%tUm-Bv@<Gr>3R`;d65m$)Ewu$r-al4CL0Nq*)m-_?XSew-7^iK{h;4vF<W> z4B&%=5Q71L0e&F{9=|DBL+fKRhZ?O;9~2y72n`F5i0o!GMRo5H9n-T{Y+Ua?ef#wv zV7~79f$@WG7@RQV#>AV34jY~{V&tgNH{Wt=@|dxfapP~h-D;bVVo#lTha+v$WM}%6 zsTtFzXJ*ZqIcxTvcl~P4-M_vkJ7;cgo-2P|LE*jgixw1@xbO3n3gW{1%N8wuV9C;D z%jxzyJ|3}HC|uw&yF8u}kC~82ULje|shOF~l{#gnO}Qh$O6*h9ZD~{5T&CZWG-`BY zn622H<8~Jn=H>{6P}K!FrRD`WKvp^6E(op#ZUITDs3ZqSs=#GVF{|kp70&hKcovxp zi*rjn9#^hVv}jmZMv*J0)CGiDEac=0G(<q`gG<e&qT5~KfiJF{1?GInz=9Hw3*rFd z0_ta&njge(RAkstv#kvc5#mnIOmhZMzEDtDYR)MwbuE}%w8)$%dJ2o@nTsK+g)Zi+ zu((ht%qc2dOrsCWLjOS9h>{CJn&*o1z;0etB6<RG9cE4w%;0rFNvQyNo$rF!F*_bt zsaOQ$oo~*~DJsImprjC|p}8ds+_dQ>49_j{3^C`6#ksUhDV{lPNEMd~9x+#d%)=l3 zXfG;C&naYi$9#{(eAA{`Tq4dZFqgV>a$U5zib^2ab_Et#UL!h`mp|_=R(aF2Sa}Nt zfOJW5u4~vYFOR@<k}w^N4RLHsB#+}iG8w;%#k9w0k4Awj$IW6wf4BZjKJPCq=}>oV z;cn?NT&a-vGvRK=aBdMwU}2$05Oa#!DhX?odPIMtyNv&yl49(7heKgu4@^5nfBYlH zw9hx~1F^nKz@Fz?SeWZlOOg5K<>V@JL;C^B!O{tAv#P&aJNR1wBv>dEK>wbH6fr+A z4Epc7e0ZR|93iJI3Hn4bQs~$jcwG01u2M`CDQG%x{E#`p<ylZzi~~#|(f~FCu~;m{ zLcKrdpV$>Zev-y?nIBg%)MQEV0#~uX^Mn4AyY!#qnJ1#>Qh)BzKW%UM(8&qdpxq^f z#eyF_j0U?uM%^%_F3k0ml$PWR=9z^ww<(E<{&I1$P7(cuf$w3%hLLeF{?7A27K?Mh zgIGMjxa9ug+aO&YBo(Xfy0EYe=54H*<Aw9X@PPX12X=jc{fQ3t8n7Dz?7!(?f2f1~ z;STmkI@s5Cus_<t9$a3&s(eK`43xT6<*QbfM+XJL2wYiN35X{pm1mT%hS4-(aB{}1 zau{D>5YEWJHAQnm`RZ~AMPL{%C@3%(Ldx9k``zwq#^3+zkNKKkg8z5zw`+e6;EaCm zSJBC@y^j?EKg}=v1%_W4@YDXnpBmQuuP*-o0nfE{TJYaZ0h+eoFMZlkfTr!I{e{0a z3iwBVe=q;|i-upIE%4hf&N9z;d;2fVZ(F`Qx@g)>2g_Hi^j1`^dT@1BwX~+@HxE7h z$l6CAd;E#tKKazs&pi9w^Xt~Xu;F(bU;O<aHof%nE3f|XwbwWQ#~W|H_4byn+unKi zPut(y@#osQox67Lso&eMZ~uXVhZ+wzz5l_HqsKlxe&R1DKl=ESPfs;}_W2iIp8o2L z-14>W>^Fb?w)MO3|MtVV^A|2&`thgBSFS4m@C2yq3C=H?0R5};|F2H}zkCAP_4oe~ z<?nEeU9ezmsk%%-^5D72oDPo}4U6ER?&;~n^YVr>OGY{&wshv-?#hKZqRXR(pHi~0 zoqa0I$k3YUatrDQn>bG_6$qIm7SZ@70S}JQ=Jpig8bx}JC%1rypXi$F5jpQi{pJ)? zE2N8QVf+|3#)<J^To8T{#)a`<cnm`_a|F?omqX*3=qcnTnBNzOo>IS!kXf$0Vpo7e zmdI@BCB@V+Q{*s5z<4k`hCzSm2fx#BcevEGm{~9lEV(~Zpv*VA&nR_yrp~<=<{W8l zT)B;>2j87JrGhONXSEq6Zqe;`XKpMyk`6KF%yUgBDPtjLWTs9ZHFB8U>16%^4?qX7 z0^|TkKov2j<p)IqB?AQn<pjkAr3QruWe7zHC5i<LPs-FOQ)gtwlVLFbM!UKmHEb@8 z2HY3qQ8<UEw+Lo43#ONp2we`m?H*142-05&C;junNdK%*(tosp^dH%~Iku^1ZQOt$ z5;^)|5~*23f+7E#1^~?gQ?7|b_W|JEm%3|W!$>TIkA?8D5I%NfbW`_QlN*=JT4M+~ z*^`iQAsT{qG{4r1kOXRn$c{P)*`3zjy>Bq-3+~b2ZpfR|{+mHd3|Z6L#T#c1CfziX zNl0r@v(BweLOheSghcfXB7Nt^*7kJAWJf0vvL=x!GG7u$NLp{;(Ldv55En+`MjJ`o z^qAHj%~4Ip+DLaqc6f#+SWALE+9XZ1mPEf{N}~3WU^nWCada>-jtqB4^$jC^^NghL z=x(I1C$_a`Gt0Z0))#{bIh#O88BZ%TOi#i_hmx@A!G1qmZ-jaS^V6R(sL^YPegZ&q z1Tp7D5px#s3lP8A)3=q?Otf2L3MM8YgqQ#i)5wTgO{kWHjtolD#6tP!!J8EVbrFnp z;f@;;PI`^bBfT_t5mRfo=7^@ST7x?zJ2->YX#<p1s5z3DcgGR45DRJcg7kV4v!*+V zYwgt>)6`aW*<%SQ8q3TEJdzWtBcYn@M4QCRQ3xe*kbWGb9|!5jjf|<)glS3G$l#<X z#5pe%a5fOr^oUwD&dHG1UGQ$<WfX<+?2drA!Xd6Of4!i8l%Ef=L*E4NVeY>%g^+u3 zZ&a<%7z2qB;LQsmF@QtN$f#OPw1GqeUeSP8G`K~NG`XX$_1C20G<71(DdCO%oX1J) z%|Ppo#T5o|g+g3lo^En$j6e^0;XoH*#OMikYa+BHLK8*e;zLOHythdA(QlIOn$0Af zw<9;qBco`XAy_tkTG#>od9NvijOOXa4S=#54g8v?t=2GnvcH_5j0AvCu5o}1l$AdZ zL#GpRW_nv(QJjALbT^ZbL-3}n-zh%9etfX3t7j4NIK27X&&yzbAKq1Jm>zo41M<*g zq|qN{*qwyTxw9?IePG^nXImInRwiQ1G7{q(P*%MRq!-}dD+?gR)oWxAH?6~?;ZQ$e zP&Z(n9@R|q8<^LTG0i=iqWpC9?mdJ&kWI)sH651Uj8NX5RDWl32<bf+Cj6f>*zx-q za2r3DnGr_y3IqI1fSZx@^7LqpYBn}S)`t7*tQmUb(tJWb<LT1)=C;N61ANoXBjn2G z3~KsCkbXeh{eXu00S)zoy!0Cx*W9ZK+DafDO^33fd5(lULwm@Ax(4?+5BM`^h+#qi zU5*T<Ba|jYOF}fyus#Iy&^;Jv&qTVv(ajy19g)G}4~6&*H2x^smxWTZithyx;6g$M ze8FjOIN&<^K3zXezOJ+W!`uhTs81N_lh=*(868RbOz+joYR2e~^QL8l+zsy(9%ock zFo_x+L87K(Nrq*s{%&7Rh!@^lzX)u15hQFav^zS^n4oVnLf_Vn#I9w1ZQRhv)B!>? zq~8PTs5|MA((R3~Rzq`elfG8Vah&a^yC}#n(B22(?zj<=HxCp{WB~NveIUMGqq=*# zwMI0DH5qEvye0d?0j+``O0V6tq}#|aHXcmZCjGs<fA|E@#Bba3uIU*@dO{w0LVP_v z-J4BK-D)G;;n}S2-sbcX1@vJ8`Y=M-cO(7Qa{35pqfxZoL_(e;NU!Pb)6}hl@p4^T zImYz>df3UwaKgu!?mTbMC;G=T+NVJKf_^bB&)<jp`;_?`36bD+sr5+xcVjdPcmQp- z>#J*CB;-wamvR52!F>AngghUJ*Ib5I0@??Mr^cm3L(du68r~e*6jB@H)@SRI)OvKQ zxUb~xd%8A*_2bY_0A2IG!rv!+_bMTO`6Kjof%KFWMZ!K%`*D~TLm5Xy8N(RQ`ths? zD35U3kH^J_-Q06j)Xt9B_-P7h66h&*dUR`BO@?J?;-CySwC5+nlKy@>iKr*!w)y~C zxh{-cH#&}7_kHiy*yf&1(Y4*(QQ0PyH_3>K){*E9Cbu!Wt-txUk&wQJ329Q}=)Ava zZR>B^>R%J2B|)P#MAJ8v^acJdAO{)YfPdUT8238XP6p$-%KU9565@k0TpP~I7|J#) z63RG&M6WfuW24%p{!?(@xs`PJ{97)9!GFs|F!-;Qi^$a6;VO1{as*cj+xbcnJVmJs zUBxip+6&(V-2G1}$#eN706h9xIfcT+5>IAf@w_4zn{kpSND7r-;ND>J_?9lyB?Lt3 z$SKY%f_eHmj5WO^Pb_jxEG%+O$ywk6-yf0GV!`D}@e~S$xj99dF1pVL<*aqOau&L- zasRO`78Wt^aKrVPMJ|}LU$5n}WLsXIhvFQp2^3<u55uOEELZ>morT4a{PVi$LeY%k z`(X~8T1I|A%vr1{B_fu@Z5U&wkjEUM2gVo>`>aK77a7OC=6D3rjZ<$MsU>z-kxRG+ zZHqoj-G}p+=PMK&(c^(KR~?=D8N~%OEx;$&<;K8}oPf(51NDGim!F%oX{C18Tyfq! zmnQ=<j}^HNb2pQ1p|VU8@+7)BOG@U8?umR;6)FJNLmt5|DLHOI^dL<Lt}=m~(eU*H zy8T7S@3jtBj(eiV1!b{;nr%fzCAs8onwJbL1d@ejTMCSG(O5oHQ`6CW67ZXuQ&gBo zX)0%)iyViV$F2Vi+{c3)yn|~n0d}iqVo@nX0HH(|v7s$fwcU<3ipE8(vj7ZV4=B|v zx{I0yxxNkkGgQel`dLsrlm<zw)>)F1$F~D*r~^LDzX{%<4sFGGneM`3Mi@>FCZ5{1 ztC=aFL<5k29c??;d?4vvgqTHE>t_|_xl#&pJXs~_xMMtFk>Db`I*$ja{bgG2kn4ce z9zr%!SJoDxb?c^yF3+M2mxp>O&SeA*rFt*cNmgO*d`{u7UQ2~gV40M%=@Lv<A+*y{ zO7mbMFVS?SyI5gXvKGbKI@I!S1MJX90h1Icd9kzr!%q<N^IaaG{AR5)B^|Orvjn9c zr}O7Kt3)jf@_C>y$hVcXHnd^ugK#PBUBFKZrB^C^!5Snvi}Zo1t7Ju9VdV!kOo*MN z6qS_no`gKiD1+l~BhLinW~wN-MFI2pbUR<ONEo)ufIea|?-4Ok8_6Wl;ka`=E`M%k zws!%nKS3M=>Uw65rx1k`Y-Dok^eL&%Q6q=t6%|3BuA2_@ObM5qWMT5A<}>>Z+O`!! z%pV~K)V|6lKtgjx!BuJ_|K(3}DwD(NXm7VmV)_6{K(@d8@gUEw`MbW_``7*_{Qvv; z_w(=P+Gpg3Q$wGE`PZSl%^&0+RTSqCChzKRi$5@X>)#mU3Y3-dur8zghaOA=k2b08 zTgM^F)S$91Ja~p@K=4L2R1kp27x2u7fx}P^!}z!GfNwo{ScFC%uZg=w!P}j`=zbk{ zznR-@+@8Yi89dB%?w-lvEFS-zJnbUxj+-E6!qx%$!t3F<26O-A9Oo4ruH@gn{CfqD z2d^YSaogv){RNKCMxNduxcgR)UnBp1oPUoEVP&C~Szx($tcRa_{@MQjv*G`%<Nwcw z|M&A>@tC@N*mrZ6&%YGyf7;Wv@CEzcwQ#_{7Vm%N^M9QNIz0cslSG1gZbMIppN%lU zXRlne@;d(c_oo<q;Y9{ltZTlE(7LRg!cE}6?sq4DXYL~U6;~Owa`^Ty^l#&E3-~|0 z;mZxZ$>|O9hF^6Z|FRdTX&Nvj(@y^Sq?z1v^4^mpul0ZA#HY=d2pO@Ah5X?v<D*bl zGTKu*`2X)3XRJfp&)fc|eQ(EucJgG5>^ywyWmdlB8vb3!U{ex<89ZGztZG;3QsMQY zKI$BE_Kz%Hm1j!e_E2uWc!}9nwm6&H)v0d+w@0b|FEV>~Zg1lD9^Ag3+he)CfZOA^ z-OBB~x!u6+ebo3aFneEa-^A_xxqUUa58!q)x0|_LKF{oGyKFtj?ANR1#_eS)KHRR# zJtcAbVl{qlzs&8i+^!b3f!mXx{^vrRKj1uIJz;gzaVbKjm+yJI%m`w1;N;N3p`Al3 zhvPU*<}iuF1P;v{nm8mJ{-9@2=I~1nn>qZL!xJ1H<*<pvgB&(+xSPXT4!3i-jl<0x zuIKPE4%c*uzk<Uh910v3aG1?u28UJ-lQ|sCVFHIH4he^$`u6QvZI8n`)Q6R~>!Jz& z9Jri6YJZ`osp6u}FV&~q&AzpM$NGVc%q;ScJQ?<XEPOM^+dQiC{;8w=DxaUL5Fc#w z7I={Z!1julJK=3wc)Rl7;KgmtBzUL5yFk+xFNPaS*j)C0LeI94x8TKly1s|k1b&CZ zn+|W$|B?yP-;*cTc6fCBQNt$(^ZtOt1P;v{{;ylJgbwu#yk)@}(hBfS7|<RAb2h+N zdNB9R0FS~OVbG9ffQA@CUIlj(z;EE)j$s4jA_L_n5xQUyi~uvjx8eN({3Co1-Y>z7 z@FRGSf>{Q5Hw=nd;J*OiBp47kg4qeMv=75U0C<GE9|frC%glO!clBj{<^c3^a|OUX z+>adw%s&iZW|SS+Gl2PN0QfD+s6;?s06q=_<r47oB)}U6LVpd7B^zL9JPR8Euo~XS zz`O?Fph1K@3+9Ue2i?H@Bmm6e<~)Flx%n}Gd*OW*%nblFgQ2Xt0sa8r<mR^k-Zlir z0q|1>@YE0%wi)34i7@`4JHYBhhCj++3>`{HG?<eBYM_%$0<#|A7<jE<9tY4njKxy{ z@EE)fa6bWX=5QDzLN#PI!12&&%mH^Rz@g)zPsKO^=8tFP;|BQnZGaoNKMAnk?T{A; zTL5tN?F=7;o46U_UvFpWwgQ}EWoaQi1@CU8D}cC1gysT(tu{_q0EbS1aTRd@*bMKN z=pW#nz<ifMz03jlyA&4xMu1P+Azg@nBfw#)zzcvm3E-QlEZu_u-<k+xB$yFioXE-? z;UDgRu@>An0ley9`66kAJOFPkx&z#v#>xR<@MIVZ!QBAx>B%hqX8|rx2Oa>-<p9S` z0h$Lh!h=&7%^*yf27FW)(Bw3#*MN)$Gs3(~R&EGC&0={p&xCrP$?{kR@EdsZz<<On zn48RE{zn7+3SPX5Nd{Ono8=4P!?RgfgnM8>*am(YP`BG%ynO+j0n??k;65AR={dmb zVLSjM?}2V29NIg;%zIc`Spc87hlPC-;B(o8#Dkyp0Jml{KidGdW-}Zp%wcAPzvkv< zfY;3hnt-tJ0Plcz378!K^X9U63IN`c$I3Pj;IVvYYv899;GlU>reID2ICmazYXD!I z$7v5>EjJ_lwt&@XE5JYB3;BhxwE(xwhkgy}bQ{2X7eKv$xd`Akc$3f_;QV43AHZCW z`?si@7R+A)%q(H_kOlCm5>~&@0{nuTYk?<e^1vJf{2=_&!~CBGxS^EQ??!<43(Q;w zu)7Gn8~BL^_?*aSay`JF3&9V##{yiq6v_e2WdL7V2KfZ@s{sGJ9LgQcwE!2FLtY}G zy#q}2LLGtmCV+*jf#$$m1W;QAWesLMz+wsSHHS71@DjYwg4zBMw4+C$+`ya!u<Q}m z9uY>aW$q?`Pr>^Zn4blB-=oYd06fjjs~?BH;t5voW`MJRk=YLJvjM*HTUK|k0$l$T z)C;&HY<-IN$pCM8nwjkYPs6K+cw~V0J_q%SbPn*@=a?Uav!7>aA#|^U_625ye^|%+ ze}LQ916_eT!l4_W%|iKG0e-uI(OWCPXMYEI20sYR8(I7a>)~CEv<)!g4?rtmMtBdr z7r~qj@bpVSS4L>pF9V<T3X4Aj;481NcwPl~2Hu;%j|_0&tBh9T0q%K~(L)2kpZ*B- z1%56AEP5Si1I!2?*bMar<_drd{{!#=a~Z(tTc95Va~8l)wy=6^26%2OGhYO_=}&+& z_(9lfJEON)fZg6><DDJgZ{K5hJ_)eb9-w3J9}BR$9>yRruK`%y2s8%%*8p5}7}^M! zmjH}vV)Y&k@bM4$cnUBH7}q)A2VwnDo=1RB90UBp{3O8R$5^^20RHX-^k3LU0G59O zc!L?C=~EUz!YiLLoDHW4Ind0?+4LFoGw`~xE<R&tAx2~Qe8$c^WI@|UxP_Y$9_D6* z=eQZ=`%xYr%?L+xGs1LkMwrjd2$yp+%AT*|W`u8YGs=K}#?1&(MjLTMi1N?qju7Q& z(H-FwZbs<hW`xVQe}uo~W|VW?%FPIyxPOFwzl1t4F^2#D0Z>Z=1QY-O00;nt3Pw)# zhI(m!i~s-t0096J0001UWps6LbZ>8Lb1!3TX)a}WW$e9wd{o8NID9vIliVbm+yyoe zB)|ee(V(JBG|MKiG1(B5;D(hA5t85|(sfHMhI;`Y2?X!1&CRftw%XdK+DftC2cO#K zu}?v;72GA50HX4vDhRbvqfT6^vBYE{Ywml_+}$K#pZDqe*ZcnQh7b40+%q$0&YW}R zoS8GT)%Wh;j2y@D@L$t7Za=60Il2G+uM7U?O#NdHw<qJxY5NU}-<)=j@4@xfbxq&@ zPSbtgv)+H-Ll1plvi{2h)+YHO>w^zjEAIAKzxVys58RZUomr45qs}wrpM2{Md-DIh zzNmc)d;XEV67J76r`adM-MGqPx3hbyU1axh_V2N~!JZHIr4Qck!~9p{=yq}3VuO*3 zy+mq8@HQH<3>h4E3|^M#X`ju6i#gFKY&|}wa9nC4Px8(=4LY&l59rpy01<ZhK73<; zvoCSntbc-*|Jz?{-&K9mrK9pc{oN!zut|b@{m}$M*jD~Z7%RuEx~XaPebRmKVAady zro;cYu7rbnoj2)V+~Gnj&!Cst`z^TeKi{JN|L^|`e>J3{KnS@FZGtm!RKDa{<}Ex_ zOK7O#Mx)>0rt32~PB|>tG}}3~qQKn2O%JUz1pl_BHkuat1?DG<3-a3dtdf<oabeV2 zGF`qVsBJOV`d51CHkQ|99I$B}X)7zEDK?GVgV5tz)5<Fyf7#p)pg9cGn*;@H%#9ss z(>p2+Ttoeey7p}sOu)4}TgH}gw!><mK!7(d*;9}Q_geBQySJs2w*z5mTxfLxS5|Vf z%y*P&E87f#u>4ghP+$UPb%(YWm_eFrLiZF{mWC<{EbdzRvuv!?(z3Zg;Kbnb&=`0$ ztrP=4heybO8EZmMvW$A3(BcA1jh8k+MtHYE<`K#j9%|XlXRQoX@L6(ZRZH<oDHrj9 z3QdkfO&J{=hl%o+ey(<;EGRu6w8&C=2?*df_;{$2Y66h8mpudev*EkjOZQ|Tva_O- zlTc>?ian9uS}%QyeYOy2CJ>~NbTrtG(-gpS+hL?%`|;$TazTJTt|glb@=51t?ESo( z2C?R~1+!RZ=d1OcS}Yz+cas5iWkEjuH%2d0Ff5G~58iE9SVLP`3Lgy1U$lt}TNfAP z2aZbL5f7eRO23!<B&92x3(TCfxDAR#HYtyu1~!@4-)@k{+QN3^D)_>QPll1hP7Vgo zNoEf+MVX*8#YNjW=$L#?`b8Vm(3(>j{V_fOoQ1(n1UN{Tm4F2vvvj0!nu{YYu2P-* z7~pifcyPi}de)T02^z4_u+U9AO~VanSpZCMo2F^Nf|f?$Jz)EGxRXQdX_$VS3wTZ* zyOXn)aZpf(pL1)uT$hvEkIJ|m=)2q&_E)%}EhcOa{I|gWJm~X$cPAvG(9kvMtZC4f zbH+J2NY1Z-WG&YW1ws8QfjM~O)x4#Cj{P&>)$Iom6Mz7|`M%vBIypK8#w8`}bkj>l zT~Ncy;pOc>0v-g@<kyy}*@&r@D`3e`YKSjz*J!!CUP`*J1xktTCwu|sgZ3qu!@`&& zw1`Xa2LT2sJoE~-(Q!7kE@jJ&q378U4%p@qzBRPTpzDJ+vomlC_^GqZ@kU5WGi?3< zOY<ANbXFQlEcG3M8kf;WvmkHhRT6ZNmHz>WZJCF9g;;*SG{oQRI}AD8bWs-5HU)(L zJ&+EvMU5l)6&|W|TnueaH*D@`Y#^`KuSj;-whMVFqxFXc-bkRp3O65z5(f3u_&Mw* zE!P56LE#*Y69}{gwT9!+1`E{JQhbwSLSaVvbwoCP*}-&yr7A&>wkiW=jFH?~9|6U) zXTw!BuOYc}@S%!t%f1yJylYgqfc@*|mbO-9()2wj$IySukS5QC^77oiJb<I~jfwu9 zn8G+FRB3DgA;(sLfKSUn0mlZm*Xpg=USLJ7<)uIWE$GS6tNd)#6}#JXRbs$0%vDZD z=X!IS0CJJpaw$_vZMl>!NBt?Fj4-p$0u?WXX3={xlLCM1PM)<!z-z7vn-VC<2jJ(- z_^j8eK3Pxzx7I+xES<0d>bL0z)NjE-5Ue>sWh*qU0Q6bGWk`qtHY(`cpeAQ|eO=Ja zJ$r$M9^f|9GV)@<Y-m}CFGOYJME&%Mk*PaX0&P@&Nz>G{*N|fXN2P;z{B=t{(SSp& z#PZ5gI)i;*2-1z;1~-4oDyF8<+1RHqw_Kw$8)W(-HagQcn?F@vEtm^PaP^&O*t;tv z7mk-iDllOio@X-W^&Ll1{D~paRS)SXHSWiZqk3z7`fzVSg%%J}0SYtKEOpbz<C^BC zVI<Oa)@mS3BdYKPBYAXwX4QingEpw4Q@_zPsHxp=^7Zxs3cs2P74@rfw=GQS1;+>C zQ(;GkY^4rJ@8re<I$r#v?Niujp&ZeA-h@QZ!m^3MN`F@C1rPldG^I|J<Nf6(r@YZa zZ<q}4N=%a`DX}4GJUJ1$oJx);A5M*Ym}WFR_1q0*Tr~BSr$NU0%L=y2*CXge1htSO zkxQvc*VIT?nvoCbfcqJsv!F%Fr#q)yiP`lD%&NOJyWB0$@X*CDkdRo&Wp;Zt+2o=B zodcZa>h{#qx7ZMq-|31Ef!d}SsEu6R^si7vyCw^CF}9+8KW8rE+INN>Wt`V<X+Wj7 z9}W9xnxmsRopkKNFUVX!u>yGAu2&0DvCC8ZyjLy4Z}eZU_>k(qW_d%q?bIt+ZZvf# zCab0tC1O<$@!Kw;qS^epf2aW<%m7hK4n<<Agb!ld$z|oUsgcjp2%nB55`f@1_N1t{ zK=wPfU0MejHow(q3pcdWf1d&NNa-9<-kg+5*G+@rp$O}u?;$$vL|aBKc!?~q_Bnc+ zrf(Zs1$A${hP+kCh#oQ5(9b|8ZCheOH>EC`sdQMqT5cXFxrTbZ0OAsqn5B8V5;nW( z9}AFxrfpR^Jb<`NO4#bwvy9|mEq6qkrk1h_^R}%rX<Id|Faix_1^sLW%dY3mAC<RS zP%c@Z)aG%CJPb+S{{UX2JP-#R=8C(a<5`Cm=vvYg?3eTGuDCRg-j~neFq}!3!vm>~ zs{)ulM@P(^;~-@wl$YQs=|Ni<Y!Cs=!tvWKqqc0yQA%5HU<B@YU?z@Emz2wV(=7vM zl@E=QsqkcLy3%P-dJJ+u@Nt)5jNr`-w`0mj#z;?!ly>pAP;jOW_c_8r1&!@+<&*LX z!*Ffzs2KP$^0<eb1>Ip8=s=en21c`-1;vQLAiPGeYfDo)49PmBLNIA>)*<Cj$XS4s z?^8ZDO5;Yr0OEEfYLNeiX7h@M#`b|u1eeAq3lRfP!@Hg;f36oI=^r6m|B413Uv+}g z$zz?r`lB{9w1uP@Pbj^b?GPCcYVZZlVAv*|51f)_2l}Nc1BZYUImv`~PLmI-6QX(B zKEkO3c*=n%jy>_VQ>;`lNT6JkEv%;Nb;$kD2r;-(x3n16thY5ePm?X0Y=+MEYuMe^ znJC|RNp7g|*v@%t)%uvdUXYqewaM{@oNli-%MV9W;U@X*^%hLXlUHFvo>XVA&&LF- zd^aXor7C-Ufjr+{KTDnuf@2Fii>F9wRh5qRjr}e2=gCEmH>7KnX0uUz>}zO*KLwER zYc+J{wM-vZs<IHBfVmHKx?(th^q`*%nNnIOVtJZcABPf`i3ii%^b8<h2b^iFjE-+h zE4f+9E?FsMl-wi>pjW|i*<z?Ho+AI*F(}OhyroH`v(P2jU3nXt-K<)m1$~hbz^pb4 z(G23UING76JmQMO!<`P7(By&!N)uT=>jqacUp|%ee9&4k0A>JJD97#ctPL|jfyNP{ zfG*V`dP49O3)xyI3wGJMaSaG3l#XQG!0NK-Z+ZG#zW!#_-wO1%S@=fJ<Y7sIJl;RP z!GnM59J(@3cS<^<H`wcA@+bc3bs(RSXufwC)uROr5xp=d#};mESaCF|F7gJ>PCB|D zMRmrJ8ekAoZNU_HA=SVqi5I{bKAH#4ObRPq#-y_7WMgANeY+zYb+VjtvAt&#Dv*R0 z^OCPRDov=-@25q#0?$?oq-w32L#ll05}xEZve!*2<D{`9d;2w@_^Z~*>GZ@+0GCE8 zc}MDwiSTheflR~S1zK?(mcv78zjIxRY*DJ#r9dTyXeJS$WG9awI~wW_@j4pH1?2Wn zbuV3m;^694_P+={V%Rb+<mz?%1#HLn=Q3*|Y9=j5P-#>P;y%7g=@MF+<D8UEs$<H1 z>%K{lOev)WpwHy7&_I&C3K{^wWdK~?4!#4F7KD20>JlQQT(E*n+3QX6WSTbt>@NJ% zM`QZj_@s#tt%ky&cg}lN7gb$dI23yjZC97O)71?HZtZkkxC1kdXKsyItL`Sfo6?D^ zt2Hmm;5>BITpUE9@yXt0+TBCy&B1eWx-H!EZ%{z3GRQZ{p-1CEZNoz#;ZSj#Sqbw> zga`GrbY4wdu5NRG1J5P%YQB+gZ*vd9^R@G8hU95&ZVjHz^MDny6jz+LH^-X}MHh%K zJ2mm;MOw5Ho`&FQC|Uwf-@wy1(Ocmu4o~suEWNg<*k*=OEc3?5W@nk^ireesO&5SE z0c-JPPJB6|FcSSc!@u@53R<;R%PoKr3rMTwTH#?^C#G)GR(;NK8`0DJpfN#g`n}sY z)&+l@i$i%U@FacsMliQgVQMF!ixYsp3NWel(jb4XZ!WyTz&J~PPsOTE)F*YOK#yRL zvifHO#Bsks|DKNq0z8QMqb!BqXckF>0#cwZux(|bsW)i_c$qegiXaPSk`p`%Fee#| zsp&!zMk(D>h$H1hAKqzhv98`SS<RSKNAJEJTC)mFVP6&6!#f$PL78{>Hr2uVo6!FK zPWaNv7gQj?{Q#hp?#E*5q)9$}pa*W(%Qb<&n}Y5xrrN^5zIi_L*O2K|3utD6=3vv1 zgKX!@?UReaN)iLF<H$34E<Crn%)ds<Noh8LQ~xXyxadVJo|_HXNK9=$6V#+lTG4Jy zj22>IuPUEco4ZxHOZkF_XU9NOE$xI)_B82l@N%bi8;umAElPi1h-yH4FHz`kS!$xN zUluZPwKsRmsdiVFl!Ik9p8>gHHIU{r(O>!2LG$;oMjAAN>00O8gzpl*-;M7{i*_nH z63u2#o~5!TLc2?@0bH@$<DlN4?f6*|;KL03&`v)Zhu#Ht7)}@<VEYjB5$cCi4Ve17 zWU4;1K%X5-coGIopg&B!5)GV%8_?<k)7$|D4BayiuXl~X>(AM9fL+%X<2ChmynX>a z?fZNNG$;24q(;Fm<o1RnBUM0CQoyENY10Mbg<BF*K(G5o*G_(mZw_|$+hc)cs_*5v zHTG1TUY3h@mcVV>etf~1efhdqvJCjSH4i^eRQ5}7&)HzM9ksVocod(CsMXz3UU{G! zT28$S7<<9!lTRN){-nx{Xh1@Onbxy}Qq;G=SoFhe{L(D=Cs9WnWh{3N2-vRYm<?Xa zal1;O9dvAI0!pB{2u0O-iG&QwV*=FrC%ofKn45kDE?(WvJjl5#A1-dK$c)o7MJ6oE z`gcZk;1#90o0GwcxE1<=*1;uu6LDQ20?AOT&x7Ol%OcdK?c@PUT<1r@=OKJCToNn< zDww_vebr94&j)+uc}N?UcrW#c9OtG2(ge}lOiv&JVXLE8=20KeFnf2x`zo-Ov{W9j z9H=zm#HhT)QyVG?R-u$F;QoZm0kYLYGsdCkm<|*j7pk=QQ(#n8)0V51c`))tv&jN= zi=fU|8}if!9{iG&G3b0YI#)zfz~@P7nr4BMt^*8BP!*OdP4rSR7qsdcllBE5v?h;J zuH}?90#^rl`pZmCDNT6<G8Jfx_)S@4Olyi}5MK^QP2$0DjhlXQBQ_8mF4>ro)~=<E zXvA?~MzpyEt=dHQqB5GVK}n!9wtkjGrhlQy=>br3R=QQ$Dsb{_7$pp8(ZV*PRxOaX zX*1+2hm7(#`VNp&DZW7#$=fe2psTS!Xv)@i8df9<+je2o@LbgEsw)nopGnufwWJwM z-%#jzkN|b>9=sknkJsRScI{=?<LpY=^#r?y+4Trq>5KtQ1IMU{R*OlW+7@=>A3dF; z&vYMn2>>}MlLTKx>uA-wZ*U6WNG8YiSAwVC;H6Gr`no@&gFedLM^B&hMut+EyT6xt z@hRjO^Ywo;+Sf-%|5EBGUq6K$LPuW=eg~*wJL)(q22je{#;Kt*h<T`sU0;Q3>r-FC zHE>D{Oa*+(l>-RCsm~sUo47p-(%KHqww5g4I7U2pNIclG9EL@uOSJWatI=-@iw6Ud zO_1bIkHq*oHTWcCb40`+{4N8OOhNFkw*qtsDF@`;!HCRAx0jK0FC*q&M&!Ln%$^O9 z4eC*-Rk~B5M(H+%3ewD~Dk&G<#9%E>w}%j3=(%h7neSOJ{A}p4;p7~9Zb4t6VE9u? zPaZtCT)sh`4K9)1&tz-dF{B<qY{bwdVYtMBXECYgGn|-b-T&Qirg-pJs6sfQvqR5u z_@wT|mi0sgz1VB7E|#)lf6a<zH0b#$E0A7QAS>ljR>~r2S<7XgRMB#It(4btd7~J- zUr4rxgQuQ*5X`Yw9$%hF1WDC<tH(Z!zq#ke;b&{lG@Ph6mfR*!Zh6!&SDsLw%-S-X zbqFlT5*q`!l>z()0dT4y0q_?DSS<$L!TW<^;7z=L9|nKC%VOXF-ZzPXy?9?P27Z^0 z<Uwu-1yQ)%;>(BJdMDH8OW0`87DUdglctjp3SMaM8TJu0b(^tVuQm`C1J8pNzXIYh zfas}C*BK?YT6}_nUK9h5;PhS0BR=tW4qvhJ6<Q{lfq9n0f1#>M4E`8~vz9~F&LFZP zx{^Bg>x6RJS$Bq>?Sm_ut5TosW^(=<>&Gfc>12I{bCNy3f!6`1Am#vl#UOh8qxwnZ zMt_zwM?Mk83(6%;PJIPw3|ylFnvtcF{G%Sgy2ZfndGK|I<gA@ff^txUm`K>Qlc^u( z4{znMtw8nn0VindBZUz$a2=G5ZT=;G{B{-69C6>mxZ8*A3<a^t?obfbf}4IekGT^t zG)?Vfnhq<8j%!;OZ)Jd;3=R|Zj5=05MNkn*AC>_}hvXntyyGotu3k5`U3`sGLkKNd zeqMO!WNcI;dX302Obg(A^UfW^?RC=zG<$pA!b$nqI`N4?*5M!H#Bb~Yar>(*{X60h z=c4%(dr*2<i9ICEQexj1gU`XYepY>pj<$dkHTNZY1Lq@`k=uuHrtjU3R)iS1`Ld?z z*{qUj4GALStx?mWg8rzcjS!~i|L{psbLv%OqQA%z1|le9V&DZ_FH9%3ywWN3yo1B| zn3l`mksr|6iIKO?&YriV>FQt`Qy#nE%a#R%@#VITdIMT{Q?fvs8QX%oMGX%9WY!6# z?nO=|XQG*U!I<6Fk9{Jj!B+gVFs=r-j|ip4bTY`1#;VYX0IAP05X|8LQ)ziV7)hl# z{i&TG2e4hr;rwl%p@d0RU1;RIM2Q})Xf=Z8=-_pAEe8<Q@5uSU#G`;#AyCiMB#`4q zc}${DppoUe;CXtCXi~AJV7I9u9F(I43SBP-UXC;N4yf4YI5xa&K=DL~>$t1>+{`q> zg8<pa0Qj1Y;Ga=4TZ8W~e#UVKR}FexL#)%xDA0Fd$(?+E#46?Kl<ALv$s@kDFdpSm zczzCs%)&S(8h;L!)Tt4mNsf27PT0&lI@XUFIHR262HqcOTtXOj07tw}VseV@oWlB= zYc`Eyhieq3fd`l#x{@_WXI8tMHjN=2k}vARiN=&lFuXMlKT9_f*6^P%b$e=Q3ox}3 znWJ2?tIsk9iIMlWq!}4CTXU8~4}@G73p*+kh@swNnbo~aQ13$vn!MFwpCfrSCcA`P zI}CH2(fNzkKzf?f>3B=-D`ZS~G8Uc16xNQb6jn5SQA;r=r6TOtI;>uiasXusD83TK zgkiDUDc$-4QcKFvyXwYh-flzkr7)VcJ4G6!zgYF|L#h!rY8O7+#jcpDvw=yTpfTev z#H82bx6*ZAGn-#yCI~q&@-Y;`Lg|LDlbHo@lJzHE9$V}2&(Y!NO?nB+0aRI>PH$;V zFudho$lg)I#=bNygb!|iTFBK0I`(OJsdQJ;ZAA$!E6=jCM9He{eR>3s>OT5a9})+1 zb9M6GXuiU%Hx1a1^?*Bp$uR({OBimOlekKVt2F`fSYHBH)EAsIPTPwQlt&}sH!Q7= zumQKt*vdv_4C^4FCmC&!soPHUd<gCR2bQd^5J`2svBCD{3YvC7(~h?9`1}SZ7oFwg zCSC939)bU_!~YZTe>|jD6oR>UkI#*s<^!NRZJOE~54oOkYq?JF^b#(V-|4r4VJxSi z6XEC-1Gt*E3$0tVXa`(FtvH@U=X5xEP7$;YXKJRpN$7AEa2?K>nH|n+;kCHKITzOk zNjB!&7Qq~jNYn8(_U5<5KqhjV>jajKUN9*RE$2hLLv?i@WPn4PQ^-)KtBc9w3dDzg zmYVR{yrjA-WMam)YEV)UA!}#{!{~-l7%8g+u4Pq0OA;kzRWX;uX^in*$DyWEnybrR ziupG`8%-nZNqL})3u;@wM_k=R06RhQDwl?&nl>Xyz+JlqIjcs?Ezzf?N{HM=I&cB# z)2We9(~NWV^)ATBscF!emAvmca7#j!CO2)lK}TK;U~HOJDL~cbimRKqH+OCRiR~P@ zh$R%U0@BdE$U^rbtz`+{5^d_J<hKRS$*KPS<<U&iUd3j8!(T(66=Q@$OacBa4{Fka z+F{)0s`F<eVU<{ljHNiE8A{A3^YAE)VD<U+36kCp7)3J?t}|_jd3S?GaXUIN8tZT^ zcP^9*{_z;_iO~g5FbcR*^!}9O^b5`~+xi_H@??6zkXYSJOs%>M!&9q9;xvz1i`(S} zcY4@aoMjyCEGoY_10xOR@h=Vq&%=`+T=%J;Fe#0rkk4WgJLemH3L!XqSgWZa=14xp z?1g9l{LQex!@P|(+n<WDTj&D2J$r=Rf`{4dH(_@B9g5~NPcVTdE<RMvce0ucpcxbX zXb253vM8=wRh<l}2|O3>WXK}xf(nKwEq6Ik&(D!FTJAj<Zov?T?sMxADJJM#!Jk5V zZh`LbVF_C9;x0A=T7?~49Y^V&MNzu-InW{`8of3zvEEXzbwT$3!0h!s|DBxh0OErC z$-j99$SI90Q!d@u^i`<pZ_1@H8*}{G%Yo+no9D+O@lz{M=yU2EM<#`5M3k^l-%g*I z$R>%>_B$<QTsx$-Q#F}Xp(mLVvkLShoOY=eYE*$fh7(Gpm%fT#=N#zg<HwKtPTcO~ zR%=Cx*cr3Bw!j>M|Ak#1Z!PQXTU>G5>u&V{s>w0piYK^Bb;Uxi-qmPH0f$xhu2!@0 zv97VPVFmf5z9zZknV8tm)8`h}3$`LGvzDZFxHM2{eau>Z)Ql39O_uP+w{50kdiGPm zd5MWs3i|s|e0K@`PJWFT9FOX$+8kO&RZpC(FySgd^#x^cNNNl%;zIliviNaJsN!+6 z>gok)cg2E7B@20v7C;w3rG{X5vvcc0;);<oP^<h_OEW0$0+j60D0mYnco_=wXeC3T zPj6j2Adan#9tFy7v){k|dtLJNO6hjCc5C(Fohs9k!CfL*Cio3YwOmYB4hy8(L_6oO zwQc)ylQh<+Q{*%`LXYXmq&lWnnXX2u{gW$E`okw|jfPYS(7Jla`A6&+yT>F3mcm1# z*f*#QpL+7O<WyU&tsiGOU&pFqbwN$O&YpS?u<VAZUVZT(^f;~=IP^p#s0GrClU2t^ zXXEe;Jrsh|xol<2m5L?dGWb7TR{K?DB}y99aYCeK+g&E<pDZo%t<ubi0$;y%1T`qp z{LhwnKrhj6@~y+s_&s#BWg*xv$x3MedeJDC`*}K%PfYrI>3g^0Jfo`{L-4$A8pGG& zdGjnbZ{E$xw*yYmOvssP#MyB#kg!O)9#!}%UE7SOR;;R5%Uy{&hMpKipQ?`j0#e)k zX5S9PW>Flc+SU4Qzk&V~3sURjeq*EB+~p|60FmZeG7$MRg++oGJM4K<1>yRgCPfn6 z)L)v2oH1&yZbh?fp2ffjpQeX9R6w;XMVp&Ozro3WJ)k5%ZDI76S4Xy_GOP^r_LSju z9S_bQl1dXf((<9vcCO`8itKzrKzr2=(p*dC7sg-&pIz(r(g!X<>2CUi3bsJu=#)js z7YIKhDqY{Gm8NLAvczOn-q0E$qq2sFal3)EuNbvN6zrEXyc9K8UG!!z-K^=e+Nn5@ zO~tudCsb?k(s&GA<w2;YZs1Jaq;O(#*KhH?gyg&oE-ji`-D>lBXiNn*1`IEZTk3MK zh#N7aKqZV2A^s(MvDA<ts27@1@fTbpu${U?T^3K!@+DGb>W?VW&Gu!2JjPA$M9h%r zQ-J8viS}kew)96*us?22e3FeBuJceUMSrd`8n6MsbtO9DB`>XJm9!^2U@T)O!2q2g z8HwvWee|;46TjowQk#KJ#d2}E1jOOB<v1x`^7UdE84U825dU=*JgLRZ*3jlCoq4o* zTEf^cRVqUTn@@oy(b&+g6fj7%Exsa}hfGH9@E*i8=t(eY#wlBPgOpvXovx)PfEko) zfw?+_Z9~3Xu-ncv$VRrxmw}M7(XE{x`Tl9cieXDboBKKfC*y5E@Xlc0G+e^ISqPnD zJ7=Gaq9W(fJuuYyr_hwV<T6dm$4DLEh|pYyuziZelg{Wv{ydt2>l-BI7?ef&I`Ba! zXJYfv(Hegyt>bjzu}_g_Gh)<I$*L1Vo={7NFfV;#I2TA<G)tWyO|PXN4~|+EONv8( z3_Br{&PvceVReP{rYZ9|d7PV0*SQpIiZN9B2$ykg8xDbjR>!c_z8D*_ZJOil4LA9_ zmfKDZeC2SNCWW2yRH_Xm@u|f>`hx+quq?K4&pYVN|5vq%e5J~QV?Z|A`YV~9P=>lT zKA2QocPSmB@@cOs<NC5AbsZ#byd6~1Vnhr$5Y;9M6>76&3mdV8_1%uYN@L)2t%u%r zj+u3izsmP{{X$ZStww|B3?weLm$pEPWb@J=Pi1zH7;Iw8KW6kQ+*+~;JuaMw2VOS; z258OIwL|u71}CNIFa+!!Xk$CGBY41&G~*B&=}BKBei@Dmi9pvKYs9UPvUQ;uFIK$F z!HW|wZoI6*%ev5OI6t#UK0%-)7|Qjq2Q1bl{G7yWmkTc|pNV*bF{1<w4RTWXXsf!c z&v8r|TX?L-P1mDw4a2xgAj|rKrzDrrWiC7fhK4Onnq#E8@8W;p()~>Xe^ol6;9g7y zjC(P;7y6YfGaHW-o>=PVYUmbL7IsAf9pHhye&B)C{qO;XmNnw6NT;it`C2n@&5a{m zDGaz_DYJAk-i)?zd&2O?MaAKTwr;uxibw`l<k`X=FxpjDAK>YEW;r=hg!^sW&pvZ+ z;Yn#~&9k<!_-p)HPt|1?)aqUqJ`PFCAWv+?fGZBKyp%&%YHVUH6{<u%y5eX%{W&D< z!nifSL=UB4qk!#Pt>dDUYOgnKw9-Z3B>TtLv4{@fPl29bp0|Z`u!v9SaNzcKX<{2U zuU#7FPieF_o5aU)rMxw*vLkI?C8@TMh~o{(Sv*lH0Y3$(waf&HA?~=m{*g9w>-b7% zah^=wHFP_u{WcKdlA9%S$x6wz(9vvK?`1naST<K4R5UiKr_XN_T60*|UOk-Xx;A0n z8`89vOE*b*3?jcH?WW2Ew0Q&?-#3hberwI6YoRUv={-|`4y{v0M+~ue8Uf>J#-G<T z@ny8^`r4LR0{0ju%Tw4|`B-2KqGBWsM#ju=nUShN)~(Ke6j9^n*)lrVH;nGeVRQWz zAN(BMc4ay@9LB~1ZWb_S?+T}G*Gto3Jji|#uerPNI{A6L7Cnd8(r4hhW_#`tcFTU1 z-6lWHZmCbQ+sqy8cH?%qJ@Z6rcsjb;+^#+B&hOd}_YioKhw(kw1p`HADhJQ#uI<E+ zyY@^g<2qA!!!-kawA2@;;n#$_sWRtnXMjDPANJXH#Q+F~y1POA>o7C}-8bK#S+EK^ zZ%Qcwa6l3REkqb!#?{{2(e@jkhxSX;70OE!6q+rWs+d6S=W&zD{;}+evqA0q$MDRR z_STYKpTU5$Goi}-S~o3x7c^K{+;@aT)Ga)&CvP!DJ~U@VLR-wg{q1jG!J&=?%I6op z^%`buvlv><&b#G-(BqTg^&rR61V~#V4>UF;J0?H%ily1wP>^0m$8-a)<@x~k*DxPW zS`4xQtu>H}g70*6HubdyzW~sVASPG?Vd<vOvtM3D{yQSRY;+viIKD9AbcdeI#_xXX zQtEq$DWUQ<V|gGfp8;BKFol9~$O5&wp=Jbhvp|fAE~xCB2ht%G^mXm<=UT|*p_lJK z_Nqt##76_L6%_{b4g)Gcs%>{+HT@BTl+&^}ZL+y-dny(i9fS5!E+$zq2?}c6o`&R# z3LOFVz+qDlM!h-}JA>U&&ac?2?)B`MJcZX#AO}AiPlWEZDuWX@npzg;KrJU*4q2n3 za(Uv$989o6!spgjbJW<uab=FTn-1Z;9Xj@RpFzhSlyWgD<+pobFnl@_eTtnd%5LF0 zX|l3)EhkMN8+~Ap3Vtj7<@;!IbkNUw(HzL87YES9162+ns@&};VxfAsfirOpI3eqF z!(Y^GA}QTVe{d14ZUj;n`Ur!DYyi4;WD=0#_Rr`KiQEkp?C&48H$dTdpnFi`JpUfJ z4wH`;0QU_I$x}L0@e%2!<!*w4itFQ&E1_DVCCbn@^4QTJ5`aX{DMN7#-RmVze&l2H zFy>7M2bxWDc8n-H>$gJ*YFXR?46FTWv)~w#b6_;zhyF{r=ULpMfm;LY`=6eO@lrp+ zn!zgx&nd-?oK2r?)95$2K(Wq%A#6SDc{MI^?dt>q-pnWmzAkR=a8Y1DCKs4w!)+rd zYoYRd@WxtCL4~L8z<H=gd3C+XzKn{G$DoRq<}aYgw{Z$W{<1A6a8wLn6tVbnB?!yW zp8vyLQB2t>G|Rf7nC~8)1I|I{_q+AJiQdpwiLuYK#Fyt|oClDstF7fp_$X93CPQh4 zg^t*U&%p|)tZV@@@Fet`=IR1VSZVI!p@60y(g~<_mZPV{(eHqD=}%M3O`&pgNPPy% zxpxh@rEHBlr_AZRQ@%(p()Vz!cOS4q%VOhX-sy;J=!dem;9|jCT=XcP^2!i4P!ODp z<V&QSr(@BTEH|khA!=0D3kj8_YpO?4Q$=^%i?ENy;PN3hdpJCIedjw&2rRzkC<Mp; z24AbYH2Oq33Icdd6qPb*^g(}987JSsuq@}rKrMCy?rfrueTg!0CU{N^R6^n_tvKdy z^pU}fzfopz9vql((WMTI&Mq_-(b^#Ld2NGlSVG2-N?)liBW`+sFB+>2J`X8HsnFi* zuUwZR20zCIu2hsvgBbh^#!P2ZsV^yh<@~Pm&^}Tw?CN57)2{9Uv|7N@Rbr{l<~3w- zxp|Fha-D!=XOyxprN{uy*=>vS@>^S5C*X%3{R2uvGia<l)G)2BJM!?`ry7&kVYJ6F zNghW0KaddWWK8pD?<J)fm)N3n0NKC&9Yr}h6Foxfwn06Yhf0`>rd~j^8K-P9eyoeb zV5-L;tz9X7sgOn4`oE!G7O<C!2?jPWjP}bPe-)F!E^C**Us^R83ipx6U&5gAcB#Rh zC*MmR-><(-fH&|~2EPFGUdCM1QN{vhAK!BY!22Tr?>G@adl}24hep!(eZjo5$HRKY z3drarj~|A&8<9ob^rrwo9zPDx%rr0TbW?>Tok+aNtT4<^{a-NKCUo%6$RX*at@+T1 z3HGNED;fOhKg|anayu<&b%wUMJ6!?>C2ZRo+W}l5jUnlPLKdI^eK7@r?2U1-!4~o( z$?2F3mb+Fh$emsq19q=#9FCa+LKY#*)q*tFYVVRCU~|!4bK}eY(Jy;Ozl29#LXE>{ zJ*uOXL5zuS%A;{yMJnf$@9hi^C;%IribX=|2s(&HP!j_<L4l|t*ZseSR>KO?*;wBm z)TG-1&gLa^90Ss<TD6!)kSk%to8+Y~7TCts;gI+AHTsZOhq6yP8^Dplv33)xnfrS{ zFlMt2cKTRbxen~KEil&R(_Bnmw>B~0-gsIca5wbefNP?U^(G`fRJoRvV$?i+kj+?k zUm<T10BvS^N$yTeDrrRlfF?yPs8imBHcZ>uGD#0To8Z<zYVT?%;DbO~aLYyXx`Wck zPR^SQkCwB%^r2JwJXD@<^~a+lr3Dr#4Z0DW26Xm0`h$^)g8ye#$Nz__FP=<Rz2pC` zYArVa=`83!QLmPZ^^#to=p?PkJQGOvfWBBT4A6=I9S!ZnXpIN7@(|L&BEC;3+4u$Q z^u+fZsDC@!;n}Q!o<D*hLFYb=o%{G_nsycXzy@;>eds1oRh^Y9cl0<pocq~gfff|# z#3YlkMcQfgail(Lr3Pauydz1}E$ccSM^~!6<MF#NT%xnmhbj~l>qB28c!CWnqb;fV zI82ym^%wf|2XUFy%C$H_vlBT7p0y2YsUbdUz9$zIQ3kZ29nb?@q4*+H63BbA|CXG0 z)2DE?A|wil(H~*f6O6)3e7Ix_Udit%&h^%zV9fLCkXn%iNs3EYb*#7Z{G6A*j^b0N z<vxkzT*7N=S~SB;8-U;IZ2eHv4oJs6_AEYnD;iwAOg7AP%n2qN4efrx7e>mPK21zz zivhHNNM(T@2s{Q0BbBrDH>3VGSAYAOvbPfb?KAz&slT1o-zxOCH}tnE{q2DMwz3qv z5))p;1Rz(}h2)sL#RuBrn%Yrzu%-`swR9^TMe|y{m;U{Np2mV2wycG`GivEYu=DF2 zOwc9EHjOD2ld^!5p%5)Ls*ouh#tB`A<<do;Xc|fY>%I+9)@$%=qW);I2fxjrKY5GI zCZfV^z*VRs<VIikW2SR`d+@%?G!rG&x0}6~^_S<^i-o-?r3e9eQJ{9A07>JOQUv6r zY^Bt~9&i_C!A_J(R>V$}qs~;!xcY7<IOYh&^6H|zD<N}Y07p?>fZeD?#K51BSzkYa zi^Z6ojvK^B1Ynp_BYS7%F|kKt>T=ESr5|5r11_tKzSzSie;)8HuR+#k1(XglR^63U z3sp((KK;osch9|&yE6xq+&u}o`?JBTxf>^!(&>)}(N9Qv#JGltA<5O09z6yn*9)O? z1GB+4io`|r-ALj-etA?@>xD?OAfQtK3XiR|yXnGli7D=}Z7#u|(&~z})?eyyUB->5 zwxg}}u@2WIt_(`@8?<#6Z5@vrJ!?X)m^*}NU@qK-UaJ*1r4+mR&;ja22gnwVTEu;> z_zah+rMZvI*Yu)OHN39~BgegTV;7D<CQ@mt+x?h4ffj#+#vD!^vt^DWTF=eUl-*7# zn@(n*rsEj(F?e&k4bphEf!}Qw13y5vUm_@7Lu!s%iG?X$Un)mZ;29v)`uGbh6n-}S zS$iUIUNTYAo(!7L##y5mM19Kvu=7ETv>&K6q1REXM~31CviYGZgPKE@<Q2viIR@1w z{FceJxQmURXS*j%;NC^6l_OTD6_;8bA=M@f#+Zb`7~@Gq>6%JTMlS1N*H2xs#hSND z7JrJzQ$ue6wL9YwFcz}ROsKW3T4)ub<3Xd=hFk)x?t8=4*_-21MuJXJA=#&mD;knC zt^t2jz_kt*GvmnrrWKVz2F?#E+JvSr;36s;p_zUo{Z}Vj0yBt#xq8BbPMsnkecQ*P z>kycP4(A{`A!48m2by)D!2V<btHbk}6*#z-&M8hFMUbs;6hHF;o6lq?pd7T%#LeAY zM{4P{W#~;?bPaN?Z#k6X8%$xFQf^O{AST1&pVZ6n(jVk-oD*;?*--4I|BAu#UpR~% ze&Z{1XO(fjd!UfQBQ<W?&o~l?$1%2k9gP~jh-iwf-{%H6Pc1dyb``2O>M+C=*XF*y z9S8+L(W0w>ghYGHRs-jo1trzeGo|{@zgzu%iRhLyjt`^)Wl)o*`Z*>kbHBmzwA<+G z7`N}%Zu4llPvhW(Q=&lXq4_%PrCfOVYQ9eQsR_Ev<9$eSdOav>ePL%R8~27Mm1`3l zoR0OQj>7Ft=zhlOANzGp;}{ShLqnK+Q25tSIj_X{rj51qo%w9TemP&~h^?>M&qA1D z>r+UlvD4AnBm%3&>G}^7d&9<u7MdZ|$x`bRsnRWx!4zoR)AXIMA!QdL!M1dMjjOXt z2k)h?vJVU;mr#duxQSU{ub&4KwX+K`^wOvF*f>@KgN9)`)t|S#p<TI_!)^9pAW<Bq z9{}>x@DY6t0PBhk>9*0;i%#1Bu$}(uNOGzlVfO(5#vu)ysjEUi!Mne!&&eIcOD%~x zI@XIMJ+bqylXna?eZ_RFcRxia`oBQc+O*I<XFluYjy@I%S_eeXW;Ia&IG)^CpV%g4 zka*lJN6Jc!k!{6ni`194Q;AJdRe9o*hsdG&QQPB>Czs7gRf+M4xUbCO@rwH%PP3h= z4OIwv!Tt@CNVADlnH-mzGRShlc-Ar4lzE2|p5=JAi888RQJh|$f5;~cfaI}Qmz}s; z<i>M{h67w;w%6Um(JU&9pu#5~ZtJ2qu<3O4e3k)TH?pl>`WLsp5CmTw#90ubQwL5c zU54Ze%&3?cJ!nMVF=eowV(T}o>7&B6Y~gR`0HbXd;7x1KLyudL%blB`w(*Q9PDInM z4EUlyD*>5V2e9qF>=lshI-E(|g*u}>sVBX3)z`XtsL#X@@5-H0ei?IT$uW=JF6EFj z-#uqiA|~VejyIaV_-@!_JmfgCUa;F`o<tI>6PZAI7;X|<WpM^t8BCQ;7}f_k^?c3} zK#_jH2CP+Tbqodxb;&AH#VeNtF^CQ+$@W3Tq;xG_PZ}>d-fJ%S?okujvQk-X7vKZ? zJQ+XVVf-r~<T$<gBT^qHVEL^s{UMN0&giUMjRGHSDBY2K--ho?N`I7m58(U!(w`*X z+0h0!m4=e<kKy~2(kGJdkK=nz>5uU}9p2l}qS~<9FKDOh)Ge!{>Db5`?KE-4>eR|r zFe0sJOpZesGFJ@b-c^DZCtfOMm5n;8f@CAHy>>S*iR7#A_M42dpoC41j;0IHbYr#9 z;E1eG#m^}yHd+yuLErz1c^6h+6*9w}?+?c-oPkkK8O++cSjr{s{*=1Hh%_Dk3-Et+ zVMMN=>o4NuE8AWwv*T6n!{G^0+=-XyDsAIRa+>WlB)v+9K+>Z3l6HlPQi(#-q{1q2 zwtsjwIqj4jrz~gnLFPXXB6>UV5*>dK+q@Gm(aeL`>YaE=EM2<k_^;6Z>8i7ZmF6zs zj5CmGcXi3>FcAFxbxpIoy3s@E=t7?+jPZqof|Lo3lTwvIUY<nm1}^%ux^NYw%T99l zYPI@A=fc(78K(*IO*%KJ)#phzW2jtwH6F89pKqQ>s?Q^1)vi=4#t540eDoaM(#tk0 zjPmHPl&RXr)gEnGS6y@>P?j{G!KfVx*VOL$D|P|<b|qqCh%1Rz8gZRa7p}I2>4h^% zb&MRb_zD)-wfxH0mF(4T_W7`Lzjr37@=a_f^K&qGg4U1ToLKq=655WIPGI^YLLw;r z+nT%Z9h?_I_XMw625!6pnN=gTYeo1%H-D*58i;I?pf0hvTi?#~c9L(oZN)6g?FMC& z*(etfr=`@I`jd%LZs|0<<&;jxTY4$y{JB9+rRB_Y$8!aIKWua+*5+*C;hD-*S_N*F zmlWZiRTxq502O4<=b$4>N+rWWFI6z47*FhKOACbM&;9(uTH10J*}1MxEyW$H;QhU! zm*9!s;iXG44DC#L%ly(h=@!4iLzkXqGs-xKE%AEXbn{K$vbd(Rl`jj7VaAI%GyjUl z%A-b*F=Zw`a>{k!c|AWoomvOd4swb0)4!k`%*<m@V3>C6I+j$MJ+`n{O(%aR%S@d( zeGHr~NEs-sE`e9a0e82|pDvqiVY@5-hw0*z;YzfrOSJUhDM@HcYfZUBU1n;VBEH=2 zuB1~w()(wemX3QtLHAah+R`+asnt*k6+m@?bJDF!bDWc3Xc@FhsV##U@~@yIzT*y! zZ5@V|iGdzKqb;q(D)A*5a$05d;*#jc>;ulSvOTUDc=`?^Xx0q2bLF<9(Ui)vmia5C zONi~Y{SgD0YPckA3RN0fil@VP&>PLRg>C1c8F*ZtD}J&kcvKp@h*h4l@(yUwQTZ!u z3-qD1jNvE%3U`%cNDG7Kq*C!<*bTrlsQp8|k=bo&&^*0yTKY&!quF$P0>lU(;L|cw zWsetw5l%_z9Vr}A3^SN}av0wW4J!~<v2vPWc!A2qj%=|{MkWLvJWRpRWCptr1i|ZR zoxGOCv7ouW6ZciCMYEuD@mLXPTXCLjROL8X7DrRp;|VqQ(M*izbzy*EDb%`P{hg$` z4}78ZcaT`*vy>1oIwDQCxvBClGf*8DrRx*fjYG9wEa2!j$pWf&;ht-i?Y{<}5@QiZ z0tt4m1H=%25ScwV#cMl<@e=Y)+PfIsB$+x>5kij=(Py5N*d{sCpR#-xeu$>(C4kox z!~qiHq4cb50LQafN#`2-R4K>lTw~9ZFX^|xlcJZPD38Ze*y%YLbGmCi9@W*Sy{o!n zK$V-_^o4hrS&B!%O!I($9s|R<51?@J0aaL>?td2{VA!sY*J`;hqTA3OU8%%UBpw>@ zn3lVn%{)3T06{>$zls425h|V{WnzHEAYS?lJDhH)i{9}L6MR6|<kfPYha4<&2<r3J z(iik24iX<Qax+Ob6fn@<z?(kYy5!b!_v35{Ml0blSE%EhyD%(j_y7_!vj~+3VoY#6 zwXZGt)cL1B;ZeknPANOsE@cdy*oBb@(N$jTM=kd_)+xtra!kuTf?BRupUJ@cVRpx} zQ?%SL!nyivu3lTOV?a(ncsG<B%?e(W(@969%beA#ve4*(chw@SprLWah*g1s$|B`Y zCFcxKH?wg5&4Pn%vS`YupPmGbs)zL>2z}^eA}}m^O>!qR(RXHmXD%MBFz`y3v!T9S zZ}Aa>?WjF<6HrDUScdKA#RdF8gq`A4&}L8~xX!smPmsT4hY%;?uaf648rYFdi36LI zNaDCAO3LDp^VUGORPX{juxZ>2Xjn-p(Kkb7cuF2$7-<ic4GlkiGyD`!JPogK<BW>! z9GI+T$3@xV7~EjiPlQQP^MIL|2gu%yilAXIjJ9>dB-(ibBanvA0&<^7#2-byxJj?N zm#*K>!l~`cEn@H)C}RzASzbXmbd4jj;Wm(65o*e+^>}IV9_GbS=>+!24M^+<;gN9q z!nnSu&bSbA-Rc<JIGZlQ+NTfKe(G&jJHU&9M>JgptXlU?&-XBdC{4#ct&_<!gPA!B zW+JZdR-0-(wO+p=RBfs8sP!go9k1o0tU^YMz1}1S8}zt;#~acC)ewCpsTBTI4C00Y z6gS*L;usVkZ-hHG>%Kp*X7${i3>CjBbZ9d>gu^l-D~Yp$=Ivv#O~MtCOfzwV=RXW! zV(#oKiF1FBd+~VFtgt)_I@yfJ4`Q$*IfLhb!M&HX53GjtBcucG#*@*7@VpXI@EA3K zIoWga+{w>Rp2<2Y_YGVmy#Qqah>8O9z^BHOO*syL+bA@N4uIW|v7`__OuDDQVmk*< z0z8=p-XA!lyw8zi<TN>p^)wtZbIQyX4CQC%k9upNF2u}&r!p>E>aMBrSsxtUGm$*W z6N+1{&SVl$Q7{MGBY>W5n@HA~l%XN;5AP|Mt6Uxeo%i<*H-+YI2(A2snPjO|Cgo9{ zlaI3~15z%~lv_BCoob3N7I=xiwE77qX3F8bMhuumc`V~`nU00%Nj7!@W0hb#LVvwi z0}A`{v~|D_W^J8?&ey{W>lq9*LrvL_lH0xviV?{5+Qa$U!+F}nvuJJt5G=N3-dYd& z9EWw=DV$K#POf0l^`DckNW^cTjdM`{z}KVjUDG~gi=wr7YKyNE=u$&}R>N`34_`*s z76?mgG^xNs_aqK@IV5m?ldlzR-ED88t=o-r@QxxDhdSNQ)5CvGtPKD|W?dPEnw;|p zy@?BbJbmr-$od%+q6~G3KS1x^Q%g!$vj{NM^cXU{4cDHg(6^(>nWgG|$bUOg_rstl z=LGvD9&`al-MORrxE(9YOFfBL-SJ?a8Y=a;*^!w2_b{G8zR7QDu&1(U*IZ=mU-u=f zX+WswQN()5aolY~7qVL;X<rewc<G}EMs3GOB9a@J6R;Zz<2%mgx1sbLoClqRX!IOM z4w3PwL6e8x|28J=!;M>dSg#oTi9z2n*v-h$hEtn7-FRAG)$-8WSXjHO3*&Epi57rP z@kMAD=cOkN<5Y}sF7ndPGIYwrpm!Z9k5_?%nnF78n5}L)5A?i;ev0dDt}e)JN@2{2 zCk$1=z?Np~uT*8zaFj95+Kq$<>t$N6F7wkF97ch3(bx37XvrSGiP@%IoP5iuF2F)P zBU>l_%=Xzu#{zMHXwc~0CmCBbcLy~w_!?T@dNlHEFXb<?-VuYR@L-xf$H4Dw?vmGz zY`ADVh6GECHey~JN$3+gkmS=lD*7<P<l6{<hwV);!dx%?#ou){m<qkI;Y}|k_)g1@ zjr2F|JccuObKu&8TNfbzcsl*q=-nTuj<Ve!q%(RdF|CFMtmBOhv;1AQQ_C?Z+`K-Y z{tdtqN2OuWR6d#<_{+rqsy2fH`wEXJ%wnf=;jTh*1`oWWp>K3=3j8RG<Ae3)!i&J% z#=m;#^55w}$(<u{2H;);yX;&Gm+v067>`89kYz%l+qCU6p1j|bp@c19>PClsMi?D1 z(z(oxV|6VVDtrVuA|CltByT@>l*gkLwi_ytg<#CcS)^9S!MhNHr{RMqlz$5ur!MOw z-nhCfMwa!#@Ya9GAWM<U{GH0>1sjb11^1G>c*k9Wd<QOXwJ4XZ>nD<9r=y|8Dg40c zX)E_v3}whO0D)-}qxqpbyN16!vmfJ5;A0wotm8?&iFgFEf+y8+V|AZ;FOMD-T$c)} zM*y^NC1X^r^)cmRgIeDw2A{y#6gdVdkwM<S0C@7Q2FC{*Qpg9!>X@DjvOC^|ly@EP zOAUCQ+rzx$VL^5rWH=96*H0jCoc?0q-DwiwyV%If(-5g!qSu7(>SF18bZqex!}npH zl_HQuJRS+iN+gQ}b%_8(jvCRwZ0-XO%kh3<F{ipWWI9Re09wHHA%I>2R{^e$C4#)F z4T#cOEe=Im;Q@&_v!z+&<Q#I0k@a*GD$SV4o*8v3_E%)&MXzT-W+3Y*s5&0r|H$4y z4+R+B8DN#g)ikwYP8`fCO%Q_@alG8jjBkAch-7cZO|?a@;xa03*NJ>68mmlyLfgSp z0}cxN&ax!R&TtFtl{n4%N9Fm}!(6glNFAyw*B`6QEsvCQa)z>sA7UxWCP9-QK)HqC z@m-b#qvVxauo7&J-+;|YF7kWfk<j8X7ivOPmKrzxTOl(pafdtub)+Kf244A|U}4g+ zOJe(sg<Y7gmLiI5esJd|cmnSYGu49c)+^6d!shRWEpDv{^VN>lCXP;a;MFE26?2*O zT)UX?^;?V#-gmeR51zY1w^rh=iB3Q7<E(7*+Kk5mo?%~bf7MuRgSmEeYootVmI#_U zU){oMsaOT6G=s@ZI+AOyH8o6#1+cguHiOR@H5$X^!Eo~>(*9tWNpWBfN-^-iD|WBy z6jUd#goQihK0i+ena>sZOf)`X@?noAkipmroa@2h{?O03b)W>6#T}P7mXl+JZ%2Ae zp@rr$r7ET=tru{AQfNmUZmJpXUxM~@#(VMA&3Cp?c)*ubtY?w@2DsK>Bd20yNa${p zTE(knLg-F-5Y#eWS^dij7Ebc&FOgr`D$CoB3`GKAjNo5VE*mp8@r=blBtIWGHO(!M z_R(?tCS9AM>tU|N6^Qo=Ye1t-h<q-RV^?XkK5};)hN(r4uR@#caWYk{HiQ2w{%{$5 z?QaJ)ha0YqXTb!2!ol{k#v_+_(19`K(t-_X{snb7UEat$8U?vr*Ke1s>#spMi-i^& zn1b7Z3hr86!A(^nU86rfv*RiqceengsrbN?t%CXp80zN2w+z*BoR1NI_!|_&<~VMt z(fGSVi*Jc58dG<Tq`ohdKd9E5K|x~vdb3(5sCV(GQSK7p>ZlXs+P1~%phd=^7D?w7 z&AL9nrFk4`k+(-{kx<2s3i5W;%D$OHcVDGE0t{(LPRhBNO>M<P6}QG!L0xQ!gMM3v z6Hn?Lakb*sSWgMsJK>&Uj0X<k+BxX*>!IW&2KBCZXr(O<Jrx<^m%!)&3Ca*_QbWHh z4jsUhqa4T2$qzsr$KAsN$`B4HZ-L5_(vtMf85vNPumL6Q9}*h|6rlG;rffF~P%7$M z*=&^Ks*cZah1Go_(^upXBqfF=L*BdKDkMfWAZuDuIj8Z6P<}!=zx5g;(U(X$J0t5` zNLHqkmvoK#_{cC>my9B-%d8sJio7`6;y1$JmYqxiR12VzjH#$$l*k0-!(JGmfjd2m zfCs&`%~{G@+UYNp>X;VI2DVd<X}12;pW`r{&Gg<`unRmqam-j2n=zF2o}8()Thw~N zai)nn&d6KIWGwi9fH?~=XXO=9aESzNRL)+=c}pT^#ueYr!nd<>E`1Ke{m-b(V#evL z3^XI?Jht`kF0*PN<z}T=lRi-=GbGE+#0)A&xeRs>+0H0LHt(pIQH}V#Enm+9lXSvW zRS<g;&m7GaCqKgFBqhQ}KSOQvZOLD}qr#@mcuO9eC>RR$TN^=d9$gqb3VIVj?zzO1 z%tEkxzDlqIi2D}g2*-dJV1D48yyH$mUJ0_qxUu<K@-_-eJhZtOcuuXqFk@wFg$n<N zMA=5FFTlV*Eh{=3q(=wa&W1!CdfLPx5pu{`xS&yeVcK1M!cd4oJp%bxUVVgz3dz5s zVh{r%W;P@_^G-npfEol)YlH+|4LWCL4Ml(}kvW@Zv@~aNau#DfkeV+u9HW>tp0T;L z0*wX$$sS?Qj7QPt3ccEzU{Gcho&F-@c2H!&qf(ZdsV*LaLJzu7?lqo7xrU@$L9F{o zPUsPXIzM<+zQ!>b$5|jZ*jmgUkkgf!n4}-R9=d}cVR9A&4P&qJh6a90KHYmz)7T!$ z#5owH2btZR)gHa0ztW^gw|nWVc3h=6Ll4iwkc~gQiW`Ze*Co!UX-<WbfSD`vVc5-d z)3+k%J8a2Ux0u-A!8Y?9L5J>VSaNkYuJPiz+|bcag<(LROm97yTwBvObN=ywz8-Nz zi<<BVM9GAOfy?`E0NC!OKYdR3=e%rHdbDrMHiW#xj?wIXZrCl}-+c`<toVk}TZxFv z<hAvy!MUH{$s5J&ItQ+H+03M;Ck?#A4*5E|`v7xXe|TVcUXhV${4kC^2h*6d-7JvK zNGvs!IAkSF|4{*BXWR0ElyfHr)xEQz_||8ygKNuR3NBC><T)@14V=U^g=^^oC=oE4 zLuXu7)o)*ARrQoZJuG@?3?9O(&mi4DQ9s)m9^d_3_v!-Af-sV_{)%+IMGWk~jR#Sj zd3Ub09ko|kLcx5%KzuUdCTZH-bTwrC1ox74B{q$$0(gL9sge*lCkEWOVJY`K+J(<D zYOw-rVKrES^m3WS$L~nRgG4Gm!4tHweF5+-zk?gPvIuLnE!=V`6W2z9SS$geD4U8o zDYwl%w{=-xYxUQ7@{K<QPe6*^B_52p>3bJ+&v70JVV#9<7^}^os~tzg$A5#SR!S)7 z`~=S*qb0NSpBjlJPQxqL7$VV0euGB`0@r>NOo-Q)aQ&&F>b@GkArwNG8n?C=o0Z6| z&m!sp0xKbdp9`_py1j@a31XuN2jtTOdysI~<N0<hGYKIh86)<+C5&9iT;ldzJO}Oo zwx1INxZ88MOu%7Op&hQi>?;aBf#=s9KuCkQ{cU*Bf>^%B%4PGsB?gHvNs*_C`)szO zYm^}%b)>vpVaTMYd$E0bHzxp>YAlV;#MAKCI2e({pbzU|g{CC%l&<$@FL$f#JB<~L z26iw!iWwer*a;kFJF8E8>=HQCJ=bAudQRIo9j5gjaW2VGE5zcS93%1<vH-9$@aJpD zthyAkjsT7e;zCS<yQ+b^tVaA@5S^1q2$PlHU{zcp<Bd?T3a*Z7^LjgZs)S*L*S4`` zEtfN8vyNW}m+jQMw$+??*mi*R^f-=dIz-Osr4*jQUYU)(;?YxdDH-XFI~cwQVPH*j zw2Ry4u{5l-khR1CGVvJhB=5m(Ke}Lm$cw>~I1PhMs!kc*qzcxgl7G~sO7ax@s`sV1 zZ){oF8U>m)USZ8j@n^4CqvkoC3adUPaa*IBoz88HXNItSd;j_N{fpt-?Yq~IWbIMy zTY&Au-#TOs+KeFIZV1Y0)g?`9z_yg=ZGlD@_Tq!_E!LDAy$!|=1Ctm13N0{p=q=a{ zYOm=v4DItR!=HEy^+rKnLm@1;Fv8A>bd!kN>%*;a3Bf(%_&^N&EFom9xum_Y!yO6~ zVdj4%z>>+h7Xcj~Y<(kY(&wIZ&WDthqg$^FG^0T#9=Emt>Ih+0{J8^dFM?=uhKtSB ziK+Ysi{kXWSC+3Fz%))?s~li3(vAMq20N2b*+R$fORjd&Df@6FiY`b<?{u8Jjoy-A zBBt-1lBmm4OYt?#cP^mszKr?vG5-hfs94z|y@@bH3K<hMu3+akHBjF#*$y|ekK%Am zUuG-Fxac;C{#wsVfAI2fz;42Mg@L?tc>Qe}eFOm1V%j(irw{3$?bU;2j<TN~3gxpE zIMS=1OGdK9gNtwBl@ATlYi?>U(2pJ=#{P;qyg?d2vi5RQEO8WfcXT|B?;WNL&niXR z;_69qAADgyJERn_GeOKgA%^k)BW)W;|FCy-oBjjabk5N}+@@>jkB0%+1S7pB(U=o@ zV@j@Uj0la%VU6i<)3r17!!<~He?=NJ<`%@IYdQ-H&FxNXSxImMw92T~ciZc`rHS;G zy=<GMDp1P^djFt-KiHdS;IC&4A3vk-f5qSZ$fxh_8J-qp#ze!O<g}<CCnX&h<!k7F zUj;Kyhl!@zWuXb#Xg&)$@1@>n5UIXUrDm@ar2HzoOW2qxzHIKV$ehf}z4#kP(C)&o zmXMCoi-5zn=kQ@k%e2wQ--F+UAqil%;g7}Oa;6!7{sIR4p3gw9B+pNnLNoSUv3mLA zKO|322%{c?ynO4F=ux&LIw((RokGw2;ff6U+McBce+iAPcV3{%FB0pWf}9KTR;yu{ z`mRj<hgk5ps+4AnhF*AwEVhZQf^*@#H>9a|$`_;848IC@N~v14Mg9U&Ft+A79jC=0 zE&&!##goe|2DvD-iG^ejHBAY*F1U#+F22mU>73URp|yfm9k<Kz^&jC6&ct_vbKcJB zRm=C{?>)r~8|H;Jrwysi7ARwyUWSF0apB-d85X;2fihes@^)dh1^1Klty80X>&i5( zxITu#`hB=~>US?^zcB*@+V|gAtjIe5JFy}=0!%uhtI3hVx0FjMo2x^c5-3a=jlzT9 zMgf{(*=>;WTc^@{piFYaf5URsfaOlW;1Jwyoin<YD}G_dg~6m_6)J2i{>xuD4!0w2 z0yZD{ffUQAE!JLK1OLiCIe;EevB!h4^S;%eJM|wD^k})giQQjnDS||EM+Js-reYHA zgM*&iG96FXaG4hs=ShOo@rK;590k^}6h^8XE=#k)sk$sX11x?dMGU-%jM***o<|nJ zfD&ApVn2gql?9T9zbfOhlA;SN;>%uNfMFpPaClIX_}5u9pe9@O=o2yU1SD)J*Vi)! zp!}xWLlp~zQv7M)jpOJKLA1$XN4u2Y$sIoqmctk~HFe{5pLQvulS3LQVL^5Eq5kNz z*Y}Bm`M8-ull%0gYy5QytG*NFW7Hc(y)2$Z2Vfy~?~)_nfIHsMw|)<}Ojxyay}dqP z46v=S)%oHR|BkT=az04T=$t(}@cSEET#4lvMBg5&$Vi|+p1uw0j`V>P`#aMReWgQ) zUgM^BetdNcNH0e017H~oX&I>_*@x3T9{lwv-s6d;>4+ep2OG!6ebp87>RYHGFa0k) zs;I7~j&)6+THlL0k@b#6bqQB=75ix`D_ifofcuWo2b_j|?6Qi1b4>MPlmQSE`;E@G zvgJOYIke!<q=+(t0=3;qvasMFD5k$>ALQOrs>HfB7DFSGRC#3@P$ljdl>XA0&ZyGK zs51AXZ&4+NztIbTd!VtNS{nYbem1Qft7X00cV&&dtv@;wh!b)_EArg6NF4bB4Nb*8 zq^jHtSPy(KsecA!ry<<X7riD)%8@7sEtfL?2Y5-!Kw8FrkJCu5Uck&`cjaM_>L)Cz zBlJKQ#%ZGkL9hGi@Bxq`hrUevDTXM`f=5j*VAxzy8=ZwmW*xTvqbP}*nh`<Y*$Sek zOZz2g<~)o$vh`PbnXG%Y+*ne~ix4n6_p11>Rz3c!H7UP%+yTmOCzp_4$|dAC511mI zF-6{p{93Vd%}jnxBl4S<lwbTkuPr6pv|dfyx^eDk**!J&+p_EK`c@yG37(T44Dk!x ze$GQb*ui?Z)|2?%H3O>&H@F~!d079%bawa9qnC9qkIJ@w6b^<wuy_6yEx}*)Dogxc zB(n?`I-nP)AXA%xsZH1z`ru^!m;CZT1kbC;2%|UxdM&q)t?|OwbT9q%zu0c&&;u8S zyMNY`|DgM)KZ)I6z`FlieLtSXL*)OXzV{~fXKur>dIL{4{1+a?BG8A}-9*>0yO}ny zyM=n$J&!KI`)za~d$rO9>|Q``XZKn3W_F)VuVeQ)bSk^gr4!gapNi~WOw-xDglhkZ z7&^5LPTKdMm{dV8uzMBlX7|PPJiEK;pV|E$dYs*t)5Gk(lD^9BtLPqfUrk?RcOQM8 z-Ph7**nJ&+lHDb`o!vLl0K0Fdn-eI!j1%_sAxwQ4Ct&IQ>=93qpv&3gb{5pZ9#JXN zJJ{os_;@>e#9twxv)LmCchPC=@i{i3#UAnZwrLi7+>MVMt9y3C6$cJVMI_CU%1%xI zJ@A*`vHh*QBXw~i<&FQVy>9`CvPv6%=K_p4I%A@tqK=7XVMd__jMN|uVmUh8WfgUV zL72ETyswuM9UN#G-exl^)3&Y5F7|EP*Ix3n-9TLMwu<Q%6<b(rzI?-1xDsF?^FPly z?+i02uHV0X-|qkYJNS6s_gtTIdCz&CbDr}&#Am%iJI^?oUTr^wK0`9u!Y3)U0qJ6z zXJ{^JZNPHTr<(eNXaiP?KIPOWR2#5H^f6JNFl|7d=(CLaXtV(ZqE8&fCR{tONW><> z7aO29h&(LHxAGNA?GGC!342~AWTPXJ()+i+?vavPz!UORUK8s2ly8on$jTQk<52YU zo7&Me!3&ds7?dsJE&=tat_c->g4q!3dKX=9``yaHRuHAH;fF^$i<w$!Flq=qEK&VZ z9`3q`qCCgk;BT*&)CQ8EMu}>#JiPoHz8>bwRlfVVFf00z&Nqpr;iu}U)X9B*mCD%X zsnnl5l=E>uL#;ha9?uZ67ir#LAaWN%y{16DTob&nie)}Due2r<s>~C5RR!dy#fT*5 z@{Wxt$Tvku-8a|{+dNmJXrrGP#Ba7ges90#!7tL&=o6sP&k(`zq}YbRhMpi?d~L9R z`fFT&Iw_joR`ebwBAW|%X{>~s1C2T})+FI(1h=!3>jiaeyp)>&o?~K7GEQx;m)j4^ zgWI_ed3RJ@!}dvaXWHy_l7`;HMB*&8RtkLu*<64Qf<&#ohmnwEU(V+t0P{ZuzKxjw zA0Yqt?DbMtjRzmpS%K^qD%Pt|@b&x|S)+CUzL-AMHl!#kFB40sQ$3bY$7f~QFR1Ka ztF!~FR&$C~t8+SLPxP7)9arBWwSOtIUshOezx0Yb{OR;3bj)_X>Gv3F?~q%S_BNU9 zs5`v6V7rcShdc8y99#ijw{L|1UIsV{FddsWs5VJbvq(~#B!zry7D?@mGJ6xr{iHW{ z7?<9-B$mY9D7809G1jYtIM6sSa1p~M35M4A=J5bH(EyPEvj8*zp#W+C#S>_C{b%it z#K+sg6~Gn1?F6?I+%9mt!0iUN8{9r{`@ro7x8Es8{)Ult$@;{?csEwM2w)??W9XxY zc0AUw9WnHMrnMJ+@VoSF5oiuiTqk>1KOSw1oe)0Q38SuDdZi!A?b?Cm_I?5_{o)Q% zUr(Q0rhO8DebW5|=@X2+T@L@v0x$y9CdsCssaYhme?waDThe;J@yQx-6XOi_)i)56 z^g@kK%<Vq$Aktu;eIv7fizutM;Uxn9yk7?A4S?SPybEvy;3U8~fD1cF--JP1hk+Xk zZYa1R;D&&!23HNP5?m#?3UC$R%E6WU_YG|$=1J&pfKY(hPx|ytk_@o+=?n7i-w(ci zetqZj{omMp%e%=$tMp8?7oACNpP4o#1rLoN9?)IDCuU^=RVsvxf$lsF<XjUsMkw6t z*{b22_>W!p1EJ$I^rw&u0ppnSgkpn;V<~Nl3So`HioHmKpC)ShMT69IBgvT<DYt2^ zpo;E{eiWXugcQue&8uaQ!hXt)mJzu&aThC0VD{1-y1%^S#i5b^sH6GnExM0hB3pFt zzU03}m-rIh^*MU|Ejn(d@HEZfks%q#Xa@G<ZvL=qg;6L|`)}lh`N>hgPDnqsL*MGi zXmd>z?(pU&%zKG$=d}_ITb>;+q6Jmo%4f6*J6;kuy?&+kZhBEWctqMpnD8<#`38j} z9(NK(*%vDnP4S@^<QfAna%X%91c4XM*nGUgZjv(&iO+6SW|pw_5WRzDkK0ZTQd?Bj zKVwj!s2gu`Jts;#s;X`uRDscbiKxIpHakRu*Ztl&2z8Q&x1;}F%*Oo@P&(AJnRq@W zdTyhhzayTzM9<=bcyskdA}Yp)6g)?>HwqcV|2gpAgZ}~LvMgpYMq?Klh2I{;YvK6D zcL}c^BwDBXfZUp0?Pg~YE@Fby(3fISIt`sE7KzdQF?a>`=({D{h)RPR^`W|A_B=)N zjWi0m2kA-N3{;)d4-a8`cG1AGMj=TI1oohxguCZqHHA5%zuJd?fCxS}!YL7ew>M60 zo?^c&-J-N#mT@6_&<v$(7I7S-$jc<*rWgGWM4x@ZbM{Kbg_H5Ch<TCR9?rp&<u5!Z z%PlYXpDeHOrgWuwQ~^g@<U+=49tq(Pa#05*gxQgNdB6Re5vbZu#&g~?W)yEnd0BOu zSBy-49+_pnQMmj9(T9Ul23$MjJN;F1XH_aZ?(m*Q4>cjt6R;iVQb{JOumlTHxRoXZ z|AA;2QCP+cN_fnsQGjcuCu9E|_9HmCQ!jUj2E4phB#8AUUe|9iQd2$DtOXjmh~4IS zBZe&o?Oa$GYGz^_!{{7uw-YNEX!hb7h9xXA;YzLBP3LF$<}!%*yka-8+$&_>!Z10W zOXEZ3{qH7M5t93(jtal2Ci4Dj-Z(3jH-@JQA-KXGQCubNkCzw{!_^r^%Rqs8_t3iw zMrUHUoZfwhShMi%0^VA1v$6Kg;j`Urpq34vz5Wj8-1WTjw~i&@O1!qP`L}Y0yP4iw zNc^orSj>nIs4Loa0MQmNvx^rOqU!Q^@?N<~jyP~?K1Io=Dq~U<TmY$BLt4r^PeE_H zMv4z;s~)AJ66B5tl^H3<<=HveD-O#Uce8iC!o4yD?q<JTMUG<eW)NQ0k~$)_z1(c! z%ya%S9@)>4&%jpE$N22PcC_FwdPN8<fE6Lq&Bx&X@U0EJp);*^3fkb=BC#K$hOlqO z-Cx!I28+Tdm=EEZKqobZ{RFxAvcExfK)%r4hLdkV?bJoCCfg5paDjG1sMHl;`yqmp zfhVsIfr;|52gLo;s)ghsT=jU2gxK)7-S$HyJEBP+g7(r}b8CYZY-C3*SWdi9J-llg zJfP_=SFpWL&5ecV+-MR@zF;{gUxY>c8qvY|&>i(*FBhWPe?oOYxwNNV&MH*zpRjjC zx+eA3%b+~=uG$l}4wLQj1n}P=vv+9h^~bb^kn#zDv?4~|Z@rb1Ymcv=2Cs5r{C7I9 z4_&rT!D)#8Vi_<oxLCMW@Hzdef6ob#ed5UJ$Ex%1<ISsma&FQ-2^VK?ld>Z!D^Rb3 zZNmttWkd|uzka3=`E$3sM;|Jo3U63ws(!ai1wK*>vm7QfStAiyL8E(8M>P7gvfiA2 zzYgT}{jN|?oX8=4J9s-E$RO{e920<s$+@6{jgw%&NsPiTuZWkMPWu0T1b$`nsNwk) z`SZi@E1|z2v~kGulwa8euiIzAf9U`le{qBS3g-T|`4xi0u>6Xc#}81Z0MG`|0?-U_ z6rc{^;4gkGegzBT-B{@`fLQ<wp8ucVS6+O<%dZ$;7?xjo`FYYO7<v2e;JF2WdEsyH zD=)rqqx=fV_rJuih<T@jvl1W=pa_5k*bGnw@XQN87QaH<=q>pFAiz<8))#&xe#N^v zmX#^ICl@W0821p4U;wDI9vklZNw|^r0Vx;Oqf3;q<AJo;f$~WbzE5z-sWCJ*EK{hE z(<5fZd2+-YOgRpEl#nTWg3>uxF&x>AK&GQU0cDo(hn;x;49Fxxu~E$oNM)Vf=_3^2 z+(}su>rUST^q*bLapdhJ48#39{TYT2pT1$CfN;4#FEJV^gcG7RAeTz`_UY>#lCRw< z@(ZL{1{<1BQtq>}Q}!v?iMX{qcDLJInXl|6Y8$d0foLW>Nxo{xwP-@L0pS`m?=9R< zTxO4Br^GV@T!8Q;ELD5(g&ZKkx&w<-S*Fv_g<@s~MGEvs2<?w`_Bc!|<vtxera0{& z8D?f$0#F_drNR`(O!qkTd7{LU$hC|jxnFj(FJ(G2x>Ai8F~vPjNpfYK`KY9V%5prn z8TaCw0x(N*A^xi&7l*Z%*l{sAYE~UR1+`n_UE6@DWBCq6R2@?2gmvu_@-};}19MYp zq@aA&{?QQ4SN%0=symJsyjA-Hjlx$)#N*%!RGMA$2AM!4TV})<)SER?AI9V;R8JpH zh3-hnw2UBEb~_0-46%V6GN`pAiB%K5O2SU!ZTLd2|C-5NUUEjzk&WH^{ga-X$G*tm z7>p&Vgh)xa+$kVyi^RV)RW(L({oX5>;9*S94Ty#VeAd4dCtkijI;pO=dHPZQ$PA{- z?baT(2J`jVPw|XH9^P;Va+lSNtHW#YB&)h^b2j}1%2UV)CqvsKE~0`lZeIZ7c%G>E z3zda)Q|to6s?i=XH#W`E?NX#!zH`aaEIsaVp~z$eIl=;AHFu2{uI%vg%K=Y%1be&& zpy&px_C#jZ<`vpe1cx-f9>4gD&IMFJHAplH*w~|k4{9FDhDUmIkWG#_!KxRtip9fV zVOIu1`?|&n8wRo13XhIZs<2^jZyjffP$72*ohg!c_{<cZ%lo&8jdYC*`m%aNjtduV z*+Ham6+8TI_iul~%g;%9(RfS^&QlQ((Ib(|_xhPX6qWHreHODy!OaJrYx!=fn*rY^ z4w@b;JtS&FL!lgZlEO2oL=tg<c6Kt!oJ#qM^Qbd1T4|()Y;f9fJ%QZdXMhKk61vOn zV-M%*syY)Tm{zp>6I!qjtC9DFC^GFvvrHp}|9FPp#U)pVP*e~6cJHFRtD~aD?$)WC zcqN3N`yOVC=Vy550r!dI#3z6#e(O@%Q8=zA3EFn0eT#zOVgN%UW)$^V0yG8j3ma?; zvI&3%2RL$CT{375q;`c_L`bC-SRm&rWg4wGX39=VqcyQN>Rj9SiWZ)0g964O_6;P# z*NqU(KH42Y5v?Bxgw|{ekaYpKZLer|bDI`*M7XJ)PvP+$ZjVxQ*5p*a=Vw=wA5(dl zRO)c~%|mQ!+Us<X$o1#?3jvObb~+YL+s{v}Kkw<V#zci&k|i`=q0K74*5WZ^JKnP% zDP-+*4;mOy4lV`Ma%+KHjlvNM)TQYj*H0z8h!L(}3>Ma)i86XjD%s$3Ogh(BBpqhI zP=~$+SfezDzL{q-9r{)nELqU~hLetpHb=!dtzN0BT21zxP|v^9Af%uQ>&bLdV^`TL z1PQksm44!MhTA<45HCH?wKnO`;m8N37H7H^Vdi^8Axo0Bcgu>(0djVo=1iO~o?YK5 z5F3L>fS`yL&#v#t0!FhHlH!rH!hM!U9Uj2bcA#LZQP_y0{}A0*CIw~MD%xWz+SwMT zd_IaJv<m|dkzIpKR9ftt9U!}v&pE06f}M;7g{5H(l*pp19|W&)<g@{gH5p%HD$a2s zNJn^M5q#JMnHGt#a=SQW0G$YkVjPU5ZNdxXZNiKv$amA`8VMuP%?9v>W`_jP+wd8Y zb!c;%>%2$X1`hkoZ#__;u$xL&Kk3-W`s|KRFQZVZ=o{qmJ#yJiyIFxBDA$K96k0)2 z*LMWD0-Zlc!ZKe~8VImd4gY0o;J;Ooq7kQMXv8TCjX13auhM)S{8wUx|JJX8|F)Dt zz&bSSREmb3HlSgrtz}MfO6)Q3w3ml6eJnhMIV!pV4Wfuf$v5ogkD>|A;}OT9Cg}K^ ze&WxJ{Fu9+hei36{rpykLC{`g$3|Sl%ksCny%w7cLiI6r1D}I;)nsQQ&NwnUWi1iF z|90_QCtuM85iY%qrl8War@48(pV;fw4nw=ACE6j(ppbzFq|RuEZy-Y7ZcI%fmbhpM zu8H1e<IeyiaOo8u@RgBFQ4=0kv777?k)=GC-i%OP^cOKyQ>{liYE{*rh#V84Z>q}O zZWIcdBm9c@7lNF}dz6!SDGS_5*xIoh=LI~oWKR&@K891TpCyzGN#0X?RdT-3wML|+ zCIh*VMZ{8N<Yod!OZ3<w(L%jc`x&Ggjlv?leF63CQtc0-KJ$pC0reucLCq?Fij!-* z*gr;eLGFiqcUK98O4$3D7*4@W6;9Ur@1mwt3`wP2x5jWvwzaZCjc*&yuFC1?K>e(P zRMCD)6|F*TK}MrR2LB2m7hS;;vL7CH9yJO9aoRu#;7ooVavsRQAO%3Q<?kt@l<}aC zN2hTdDi*^us6>oNr{rd#4)&ON8t`D#ghm<J61tzpsP18PL{(QTB4#>Bv{AcmH42#r z$^5f^0v~8w5FN*j!6r5eB{HwZGkc>P4e@bjDObb8sv9kFbpv<PjLYqJ4p?!5ghfvf zmEsPrpKK^=KgaFlMrc9@hL2zEh^E?MZ*q_pg!!!l^(Q)_c)e2Fh`TR9dlG3OcsmYl zD1^AhUFAl0xlwrY0ID2VWPz3E^&+}~DueuQ7H)HRG$RO894MfU^XKg_S!Ef8BW={! zT%$)fZP8Cf1-7)zXa{$diV%wfm#!e;xyOB$u27s-m8e1br)5OL2C==Q{k%LKzEsZ+ zUkI)ss6Ot|SCHryaC>hQU+K{<ZEuqh?H-jU$$p<av;#LzMa|DtBQ)R8@f<-zupgv( z-gQll)NhNVg;yhWe@)JnM*RSj4di8LjfcWV<<$L+`YT@L)N*G=pGB6Mf(LAw?lOX~ zP)T$$hT{oLDb62#64icvA3H*|-*CCUO);|GPdPPyD?a;MX)wWzJjNQ3F|1G?i2v<R z_G^%bpBda<8^qokT*pqgH%jbHlGqE@z}T-gNTpxLHo;Q^JT=C)0bkxB;m$-Ii)~{^ zpk^PpRoeRrU%$f3+v6l8&O6FdY*sar=-gO;R;uG2LSW*YG~uWIlgge)hnbUVND?Lc z$4oLMX-}=6D6~H6pE!>ucHPJ8yHVUZ1W-v4ziyxlaZYi~hjv9j07ZcWDVj1R@^!*5 z<V5Yawt-U*nbK7Dx`APZy*;zX6%SA4QB)1HQx+eGpEoL#3xW}BrmH#*ZHwEOndv@@ zhoy~dI%*wv*3jj=A3PEujO#O6-0piY7L1(vPGHE5!g<mBdc~L+uAe1p*W&Tm1xm0t z$*~Y_k2pgjUDksUG#J6vMUD!VgsVp$#ocyp1iZ_8&mUGZX}#w~HB5QoAu{@OUUqf` z1bO%@SI}ZxG{Xk!s*iEsErx*|QJ?Hxb!PjLcX+NC<>o)-F9H<}pLR^#8oa9+ZIK*A zAx8M#j6nB{3#Z(?vMB(A3G?nRw2a<FXt_eYWhOK--yoFI2?o~SQ0>QCrohLaDy%?$ zxjEaB5$d|h4l{ejmoT_cNX7oWdviBG3bV0ama3{Q<M)4BRdtbECf8|?avuRR5mSM} zgriZ-h9L}!g2m=zRrRx2ZiX7IfiLgiATw>V>hWSJDtA<Gky~W04oZ85dF)WJwTR|z zK!i%IZD?xBssD!kxYj7C`jBm|9T}^z%43hO|FupBjmQbE_hKqSw?t!Xw9cgKxJgP4 zRAH)bX(|DzhT0L3P!W4v^(YIqq>0bFPEmnPBp%gi!0iJTAK{hgbJ{OdRc;uAA0TC0 z{n-{Bl~ulkvdVLviIWuCrVV3-nW$U%2p(|`%4)v6pPpp;(zI>V@(`-zQC01OY*A?s z8SJe{$%fG*;2jKJKf<pd6sSrsHr1c8k8D}!Q~rFh{PDu8sFb+B+RgsNPb7HSRVdJX zJcxJ~%5anHJ>{}Dqt`it5S8Q&CvpcZS;7m=L@>Hd*okV|^ex#PZ<DP$;DjrD#iB{S zQ?ckU{CG!PB5VS%4ZuwTr=;b=SR>ZVsYhYx)=U&Gy#ph)*pGywb*rbyIUq&|g$V5= zf|4lV#RzWH-Sk>D>TY@vPb}eEK#nhzumfts5m3xE<X9CNY;>Bi0pe!~4^@-%>_(^g zsFyVVP2n}9PTwdbQm1?d%yJqcdrAdQiPY&Da%vfREvZwVDY_7{;4^TFK6}*^-Q=C3 z*H`+_vIDkZrs$`JOwk{~6df}paXn4!dVm--SHs#c4rkv~aTdLs=uKC<?sJ#HBHD%C zsh)`%2*b-{lEpcClJJGibMSqm)3r!`xu&6&1BDPnEM6$lAOIg&D-T)_$4;)QV<&hh zs89IDhyYAb-zV*DL0W3?9p+Oq&1dmw4E8jP)1;Unc7(lNuCvE5TyLh%A~y<$wo!fc zFg>H<TgwQ+0&}`+v{A^#Ta&0!9<{2Y`gP7VEs)pu`z)j(RBY3c(+$;~EOc%4Z^(^X zz57BXnS5jxlmV1-nk6n%xLHQ6t2-(>frQr~!x&W;y;?$4xAyJ9Drf`3kPr<P=0Q*G zB|Z(@8tlCAn8}1B4HKd+lOy{31#YXSr9HYzV{-ab)w`(bvBxV>RD)*0e(ngR>AA5G z#F8Kl4Qg<N()M?7U4ZHDBG3eJzpxfHtM+Ms$ljb9GlgC1ocq3ezEA`Wmkot*lZa{| zXbDFsAwc;gIlgu+a?U*%GllCSS|9H#w^-y^qORUADk%}!z-G9X5<I_TP!DQ_wD$|= zBB{1X_1Jt!L)5sc?6?7Aw8+J@dp&7YRX5?vlF{!}9(0UBl^q6!V*;rpw$VnO>$gZU zg`;o4#GI`&3e7gEVGEjjCD5&JiT+u_#XpH-j2%T~K6h`XB(0&3Z;EJ?={sveb-kZV zI@Wt;`q30v8E4VmbCuoD?H2kgJhWk!kX=ce1kVNfg$F9hAw@Q{slL0T07+u-o#*w1 z4>)Z=)b1!=ltZQ?o*bhK>Njv)CS?k*zvadI76{195_Cfm79ODpH;IxhIli+9xiUB1 zOiINYh1@J5xx#;(HgCRawg5!fOrGn;-N;y!%ok9}R(7^4UbX*BPvYH^<?KXVtvdEB zd#~!iG1dML>(47j9*;37xsl1P$*KcqVltHMC|$m4zXHPZVGd~m7sE$mF*kd-%+daZ zUVTUJZqFS(ppTsk-76YADo*plfl8<aN+^wQ0iv2u_sG?<<7$IZCiVn-y6PC4A`08O zMz&<}4fS8CGe@@Y!5^SrRKA|?jXELgl3li6bfb#Y(@~A~!}7}Ws3nyPn?aPNo<&E( zDJs84)`B~-YV``V<F~Lswt<}wQ_;7vU$M7VwX+vca<_pU2VSk<6$oDETsv2-rZ_Jg zfOOzop-w+K?itOvLrdtl46;vt7UqyQ9`Wy+xsQ0~5KZ(%_6y#i)Sh5lcnN$xA4Z3= zr_xeVg|RBaTMl-77%Ulhv}74r?$CESGTOCWFdgSUBJO`b;(Jn70|YCUerdBpJC7Wd z-73U9g1hL#)Ins(M)zwEd(};(1c--sSy%1k*CxwRmqdtg>0y$~Cl7myb6G0CC#=2E zk<+C;tEy5!E<N>9Rkd4A*QI-Eb>Y&w=Dr&Jfa?9aWQ#nT4NK-m^M`wz_eo&h|8l^Q zp+>u4@JXTaWE#Lt6Mjm|Dt_2A57JNLyG?X0o68?QBRC9dZM{_n1S)dF4{s*KDo))~ zgn18pdEPkks1RGHfShZl5wn<^QGtcZkvMu5N;Di%JJLtb=2fy&J@N8nmaSbJV7na5 z7U6N$x*7$q(zy-lCVdx@&W(wq1A?P-2H2&%s&>if85l7EBi`$YXsZ~IKx8S6JR=yW z28=lqV@|-BAwF5kXsnsRX}I%>x54-z_uN4DxY_6F{rN|5c`*pu6RO9`WO#2*t@`OY z^b3+0x}1rD@*c*fszSYyP%hBk<B^0u!H(h$-L{xuF2JUcyJR-a4}4BH%;d5LM~>Q| z@6xuY>?p|zEMu)?!9-QnoA9z=6sxR}CB#GHk~?@1KUsUU{AOpo#1<XQ1;=AZqb%6P zLA$$(-Fmf!p=`ZV@Ak*rb3hDFdZ4`-_C9)HIhhTyRk(xMLyfXgd{C{yU9%)Gz%@gg z)6E5vfEO(iiyM}0=%bc%ggPPKa)_URdtG=-ei5FtjpKu8?R8j3sVksX0=V-H5&CZI z0H~v?8f%Dch`S6A)Q+q=wlOfF11(ViBcR%U3}}}=`PQ*exOMacs{JE%wnJ@GP})SO z9jn@ZT=l*KUx5o7CA4kutPQS*<AI-%%UWDI?|=zU0J^&-C1CT2+OfQ<CVljb1k`ov zd7GIK(c-$Pw`I3Ql1gZyfwQD$z*I%#be|zR>o6+2EsUsgpp)Fi>Vn3b>rq-+y#de9 z4V^IecWd=Zyod7k!(>~z)803rs^%r6zdG#H<!_EU1`F%c^)etrx*SW!N4gqeRE&mE zk#E2LuyB)}SE~*v^6i&lWPFTU%J$2nSXI7bWI}>Y2c6&XJ2G~<?DYfM`tm8xWGTsY zl)VmUe6=N*oY~_rB6^+lYN<F-q<G10xPh{Q43rGdK$(?qujmVAe`6W7Jl`S1!P19= z1s^WM!wf#CF)?svu<LdlJV7*aH5okv*v8L(NZOeCD`+MO-XVm_UtOWR%E^wF_XOe) z8ZC7x@_B~DiXeA8JBV>Xf}JH`71>Ywg!7(Gp6BoYv7-=a<i286b@l*q9-SR42Z(t! zG@@lu7j)q+;J2KQjKk|3ow<L;`Oe&^r^!$8_%y*r3J~(W@#rqyH|(`!9Qwp#LzHod zp)wAK2v=ZGPdXM46ZqXUw@}V&?Dj3AF!d|Cn}I?Q(f*ndwp{knjPNDvt@eMgn9sG2 zwU%<COhn;VKAVG)upag3)iyNn?#OAY$r)(UH{;|COf);fk<-$scdK2&O?s3SWNLEU zPJNqEP>mustUOfFhgOk{Qy)Z)ht)^9F}?MSE{Nd*V)SjS+-7jw&_bFlq5)4Q>xeQe zc2P1rCz+io+{2P{<k4<nBI|d1e{VUxy^ot!j*LFngr0f@tALyt$oZQlJz8?q;c-(R zuMe@P(GJW#0Jj5722k4t9k(Z@qK{DeU9KtObnY4_&i*c?xMtur>Mr=Eeh(Ql(+?lQ zO#^K`F*Uzc%SOWbKU>?xPL0D&7+`iGMH~Y;sj79*z)kv2lG&Z`AjgN9@IcC$9EX^* zsyHSPoHg3Rs%jNYAfexI6U>D;1vatc`B4fWr-AM@gu*l!1R)q_pN_q$($Ec0@=60# zSHjp0UGmpa^njI(sOa9O@q{Z}A&@UohxO_{H5){I)xzHM#8_9Ko0}+{vU(c&*H#=b zp%8=21bD6zhdcT>%TfL7Zm!d*Z-$u<IO#qda~~6P(Qd97=t;C=R5$%7%(D?Nb|mbK zN^>8MW=syLAni30&gJJ1cjsZiGmGA5MQP}<R@@5jVC4)kb2@GTQSi<s{>==~)>!{T zWYeRaib82Gac>C?4`FRl3fHw476Mqw3~rrk1TFzMG!+<ozA*Q5)T+Wa<2n8J0elFt z;g?<C7MKmopzW9hwZ&c)PR{YA;Wmw}#&E@EzLH#Ha8pH#J@v5c{~AUHw2+j2$Rf3$ zc4t8`dljO2KSA5XO%P%Mx5{W#>cko#wBr-EyW@NKZgI`-H@fH7<n#+WzVoo=6Kxg! z6FK08h25}H%@<w_B$>hBYyi4xzL2Ewy#KaG?*;@S0f7(jOFV>nW~(dIcwMh;dJ`8g z!k~7^M(9y9;`AnMJ)0PZ!;8Hwj?sa03%p6`o0PuE8Di%~&Tx|(^#c;u&G@xTV4Rb2 zFarFfE*VT8y?Ql%pQ@_2QSYbTt#jlEs_K1Y+3Pz*22On(ez>Zt1LQ-(sbGV)UR7O1 z;&j5Y_~<4g8!TNv8VG>(k@mg-RdqgUynJ6j5amu*Rn3H#WL0%4I8A!NJ%A4R3Ogne zWnrW-qEC_)X5?YEDUEpC3LYNoi>j)hVJpkX=H-0h&Ti7gB!DAJhLn8}28gQqSCDIE zh4Ae=A23`t*1V&Y@#2Zc;CQ?I(Y568L9Y5K8b=e$KX^hcUsaXhCe%H4KlKDOps4C6 z5aj@3O+}c2;$v|G@E<n;B7X5PehP|G@s1?l*pUZSi^IBdVQCgAL|Gm<sO1bL{7E0g zlVaj%kZU(I527wkNq}}llhK(NM=C8lI9O>Lq?h%@RCI3r3<mkpK}i)H?nGE6yjF3y zVZe5NYoubh7)Y(E>pRqS=YwotZVf(OqlnJA!cBuOK*3JJMAwjkk=qm+zJg9E{An_n zHj_zZz4s#)rxl9~XO+qeIMYxefiQaHI7o%Li^(^9?Q&q2m@l0E6t^LF{Q&Xi^QU|& zL1q(&e6*+l*Ah~ozKrsZ#iBq?kArK&Q$7Vf8=Nc@7kid!y6}Hj<YgbNux6tc4jo;r zamjST3hd~k$A|h>&)R$wIa+Sj4zLS^$;Bu$>G~k5Cx&ZdBVxE#b~3EnIN=%E{e)PY zi3(C1u3h-WXJjph%u9<s_O4P=@F<v50FK9s{EvWB264O}4}d=>*rBc0eo;tV*i5wI zhv2zw3z@;8CJKvG$OypMxS#J5{)}f2T%Yi#QnIVcH?A7or6Xz)qdr5`H$QM1VR4Z^ zi+$!nFIRhBLe%B7;&EmJ`zIbZ#ZCj4eInDcGD`>n62x*R&?G{zlAKh**G5hFT%ro< zEwNcb+_$0u%u8H(mazC)YRyfCdr^iGy7{amn5e4oD=uKWbxdZK@L<D`O`Wk8f)(BJ zX{jF)`duLjb#9PC)m*{k0KRd(6pAu*xh-=tg@TcyiQU<0xb1}Z7qW@A{Z6uuQi`o# zSTi6}Y+W5^NkG4_b2mjf08xInSPVy{9z@>jJsK_3C>%UI1gSNJBFg<j3TDzLtLV!X zKDE#@<W87sBYI_BKt*&;MZMhJ?ntPbb!aXVX)b8MNXQu>)<R`3?v__pbhkmuiX*Nm zLX`#kTg?M=!zmpKjQrFUPhIfsWHFJw%O>_}5v6yEsq&CPV?N{*IxFfkk-rCW%aPM9 z>}*8qcmkP|9T}*Gh0P|DCs3&mH=-7y>Bn)pzU*e>iAab#qHEIks+vY<n5_yJ3Xi@E zPwyZ(l!j*D=2FR7YH^_-*2|lPrb6#-!@Ib@Pi?Xi#oSm58jQem#=dIz=HRVz?Io+6 zZ*ZZ320HMCH-71vBiZ@8vGk3BThCVaY&gw}1dc*TB6&c33*$ur^^8Y-MtE5v3tKrl zfEy{q7J3K~a-Fl=^`7>Jtq*O6V#^;)8>H>G{=s*hLc2BS`*Xag23bc!3DnGK@^0vW z>4zN|-8c!}CVW=l$zJ%XV9=t1BM@+%&UKUXoF0051zjm%rXhYseL{Gnj!!&$rI|#r z>Md9>mY^0k75FekE(0FBk?lkAwkv#bZgP-=#fmmFl}4ekK$I<?H2kI4Ca)wbip3IH zZH(&-p*vnuF}5<YHa=Whm!;ajNv?XouJQtsT4(wye?anvHG&Hs>_Tvnn3;(#&@WTa z1<EDPwpecCgPlw63a=ew`?At@Tv9W}b*sPcHrsKjOR$;bTV10DLu}J*)wtWw1rZh} zrvbZQ22+Q6*maDLWkVw33RCaWb^cTDNBQJivy5Nv3g$=Up+uvCm_HG}j{<tYkp<rc za9J=JjzfdN>Mi4e3fTg*s+>~-D<(lj*1*d|3zBtY7w$s7{|sB2@10@agmFo1iaC=d z(G%E!Mn=Qe!@DcflDI0<so#}m6!PweT)164*^OkKQ*b72w1vOewvCBx+nm_8ZQGdG zww+9D+nCt4PtN6kPW4rHS6}U_-n-U**Lp<8Z;^3!Wdaf6?4C4mda^XXP4pke86D~D zEtn=-Y;I0@Ln{cWA+BP98zy7Pi(iK!&Vesn?!3dk+Rg;<a`xEKW|cpZ+(YxoGq(H_ z=W?CNf1+qe4r8;rX&K$OG>Xb0WX)Ev4|&6uvI<OLWy}O?{4=0j|7AV++&+<ez^=5u zau_3L@0*$l%PA7<VKyL)QXPEwOPeNCFZ*ie2ctqi_q+FwEWs}jUNJ(KPOciu`A}E6 zbt+WDQz;iPD`DhQBnOA(4XjLMAG`-gse_c=hSM0-Vv#|lY*3^23Kl^*DesaH3CX)> zF<`Y0Y6fTvBFXYL@ZS)RTsU&+1jLI?gXQmtmxXqqAz1MTdYCpbOkAYr+&EUwIG5ii zkTB#a;L7A)+XaJ7YRo;3Q@_@7z#fNlL=4Oh;|S@tNZ`E{dJ{CI2=?ADWyy(8C#cXh zE4Ja73}qgeD<vX~hZYy3pyNQeDYg0FZ3Ei`eL;cloC*Z=+pqsQ&Zg6wyx+?Di!v(C zlMy`LSLgApJX4R12)*APcH-!0NW1l>E=?){e@Q4LAJu?|HpR%9?XI-&tE&rSOy*(l z@%RS65e!`^Eg5M6I~mI^I01=t7X+%r3w^e*4Rn{Ez^(H+((WE$_3Yh6OIK7wQq*W9 z)k4xVKtnb!9;?v3M@cX^Bc8ZRoR_<pAovi_4C2CAsoLkZMmJKg%p5X{cQEhX=@cO% zB;`1*!U22PTxcY3UtJbCH@g=Zu1jZdU1yU#?AW@_Hon(p!B7z0pPNf4spVe-`%m0J zGpt)w)h;U5NdERM1=5FmCOheolj=-cS<<Kr2r7Dzc-wpT2%wn6X61i2EVKJXQ)w=? zR;OcHFYbOK0#y(v&J@4b=e-G$LG0bLyum%MT_mkFgnvd!nl+2mkbcWevJ)O=K@pSQ zzr2H>ac9S>*uRT!0Gt<G2n-%()s569lyh68$-}ZV#G3P4&n681B9J8}Afw2d5AqFU zR6gJIPp2s~0alVz>=~CBlD&EG0+P70`TJ;Wi7_;9yq$<Bw=wPcA@y|o(fu1&S>-!E zr8@9o4kt^|rtG#Ofyk>a(pFlzwvo&<k}aOzT(nKbpI<!8EQdZUCVd&T&alDK2=Gw3 zQUeb9asdHQirpLxq*C9O$fC<INyOd(fozFMOEQub>BR8ToBO;;VZ6*9K%CH*B4?$_ z?(}gA{0zZwYPFGX`_O_7tJHObN=Li>LMUt3nI?C7WZRniI%G_qkK+?<54mL0mQADQ z(a$$rMzW)Xy6Qn9F;>fbtZoy0P~64hwaE?n{c2YBMgLsmZ^Br&x8j()Vc-*e7y>xp z7*rl$M8^uYcx+Q{4zRyjP3AKylSRaq+VKNLJ75rKDe^wj^b?5Df*l%opb1h<mtqw! z`K#7<R+8Ljj5)b!yIo~2G+eVRzn>{HS5OPp9QU(sZJU6(smM!r$b<>f2WANfyi%;x zFH8R@?f7M*NE1{SFmnFReQ!ioJZe>5?H;YXb2=jYvn2APu_}aDRHR{&5~-tT&5aJ3 z`w?nNv~vdfH2Zl)Yx}5pDI~;U#j`N$HR~O+m5pg!ri=1M%#S&iA!RCfG5@9ltgknB zeRTmF`lRvSapbJtVPFUbd)uV1R|J3Cts|z<Q^WkMB#v*FC0_WQ2QL3H&!N?D`J3I$ z=e&$rx}qNZON-7VhKOx9t^gTfM93Lf0u~Z$dz6X{zyRXS&9C}979_k(2+u+#NR*xz zFQXtqPDzS_ng|6w#vTlO<P@2if}l4AncQ9D3dDKJ?>Z{PUOv4|E<5Z`H{;)K{|9&X z!D@5rZq$yrRKtw_=<7W5$y4&0;>nJz+4B(1-6~N8qTaoi{xI`RjX-#+;`^efwA(DL z6@U$-3DgY)30lAk`=fs#`?CVT00<z903Mhd@ZL_q$j|EzAk@!zctUJKlwRN)hTcK| zHy{UM6~P`l4=fKa4?@5<#9$Gi3@`-}0igkV`Pt3uL-gVR!~uK|C*YX8KY1LR@bQrG z@cKYyz^m{#JiVEKYY-NYCJ<*3&`vB<;$CZiudOnz1cPPZWWW#d9`+xZ{|*2b+#LJ` zIS+>rR^nX)Fb8-}nzH=f2~ohi&veIQeg?vGvTTpF(5=1?{d*r8yT&T$rjp^UY>>by zKagU%oURe$VMJ6pMmxo9byr<Hl)+?WQPbY#EmvpPrCqr;nBg<P!aR=kGD4c{DC&`s zs5Ci}71jOE?1y>$(Vxf@<A9>2peY2*x!lw;3ahAa-1lH%LTU^j%y6)kS<^JBEo8W* zm}5mtV|1Ks)9+a2DX=KPsGnw7k~L-`g+*-?+QTV>uMFxpn<@h}kZ`;qp=0*PUR3k} z34t8A9%?C?CLSue;?VOiAHeUP7>gvLDuRs;L5bm6M9dT`C@&Gah#hk%BarpRC@sbW zXSdWJQwFh6!N1U--`nI#Hp(nbYfq9Bxm*Sx5wi#riARakvPp{fsHC1~e|QI%%V4jl zZcMqvvSf>i*L!$U%WTWlYw&{mXcNn0WlPcNc&dkji(Ivn@M`<r`4$ER`B5?|5o71O z7kOabWH@=T=^=Wu>Tr!;qn^oZ>5R3cx!vRF!v!oP1tKa^T51BnA*FHi4GxE$_ha-Z zl2&Vst+5-lb5UJWy+5P+<_l10rj%ZM^Nma%*^Z-0gOrnk=#4V<<&YFPo>XPZ++ktL zw(xr};aHS!=2ld+xIJxo{7+rTkZH`CC2g}MrYWkk?OURWg~cL-UV77zG{$QeQ^W-9 zZB#1!ThVk}bOtvSN4JO(6*V>0Bx`*LgE6$sVTK_JtTf6?V^w=w^iaO~Z_7X;4gF<O za~=~6w3_COs!Wy;1+&VftO<0R3>0e`rp)mvhB|3=Wjbl4mjhp`_L3}WYU*a8@U`Dn zV-N>X($%J;Aox*|S)8a^k$Q_||F~IhgUs#YTZwFLk#p(8Xent{(#9vIhODC4Ebch0 z492)*p^TfiWsJ~LP#Z!@3i`t&pZZQQ3A&L)#$bQ3TD7~})U5p;*YI)3F4UN`B(!v} z;DmAUnT2gPa;Z9Utbyc9^_HzEFN1^$N)gJs8l|PBBgwt0;&zIvYPGm)Pt=|-0hM1M zR3ba9`ZHmYe|HlHN{)_(B@@zgrGDL6zkP5|_v>&O&3t@9rrmU2n*ksr>I-+Yq3Z@` zL2tJ;)pW14VBysW=I?AFS>rJs(;5cRDnSF{B=i9eGm0{B9Xo7a6FkZFMTwdwYl5m3 z?Kb0b)|OxAEYSm3lF4t~;mCH)b$Vpb!31yF(>*)xSW?gj-=9N@#JIg_aIdGM8MyG2 zJ*&Xsl@zg*`K`nF^+<mI>&fL;*Kzs^#?jj#+Qw*CJ#04)CgUno_YT!?yO~6mA*O4H zHBc3l2M07hF1Fu`D-z0Kx;lyofoP}qiMSmr|6uw=Jt6L|@;z~Qw1BnpwmMLZ0-*~# z+$(J;wOF{ez6TQDJB6^(G=p<}x&U2j+Fxv`b%;3oVhA`Z#yTSggN}CH2VUc0lF>s5 zEwIPh^qOg4a(2$3%+dJ_E1H_R88enlFp{(=#Kc{f^}%wUnDm&2GwIA>8i4bAF6!Ua zgP=%li4f9K?8%!jhmn#GtFjA$K`|_vRboXD{!SG*zxd=s&DvkO7LM1TW}t6h&G=^G z-g)evJ$(C*J;G-0llW!=*ft7Vq;P0P8^mqmY#T#BL3<;$b#&k$Ma9;mTd>u2%(k#? zCL8)ZVWJx5!qoy;8m(E`B!+q$v=tQc6hLigs5cZ;k6Q7+&%-*dLcgZ&zI5<hAN80N zq*mT5JBD-pqNQ^A$KbwROLmU#DgO5H%WF>Ycf5W>`Kmoz^nE`-#>0MXoy^#QN`QYC zvA?i$0Do=w^r-lKzy$E`u<z92)HJBueLv$=U+e!3dy{}1Ft6M+t*!8VC}oY+{9-(w z!Qc5BjHSr+^gL$nbmf1)KlZ)-fT6$gu(+P6?Rs19UirREwfi`m^7A`i>3O}p-rn~6 z_b-2^=l;s;+D}2vuWfgf06Q}lpWAoufIvRmmhXOd&B^cWWIsio@3ZQ0Cf9Gy^=qPb z{rm0_EPtP0JNx@}s#OQ$+q3+=GiSSdV&{9-&!qR$jag)XnTLH4@w4#!JC5$VCz}Y5 z?<2S1Gbza^D$2-V#oyrWAG?;3e=axyTVEU_=GEjxrxQwkaWr^n1Uq65<_kwZJhQa) zidSwbP-}3U#Szo;KGsb2{<ubHdoDGx$0kA(Q^&2zve0G{Lt0gPnH=F**YbD-%f@F3 z@*U)%{#P3PQG|y9Um8TwMzDvzr%aSZ8VkyV#=Q(_9H|wNhZOz4s>1@kl%EJwn(iW} zhq0f&!86Y>$6B9;zF^=T9p=E01w^j5X*33`TIDQ^Ee&b(Fhj|%m0H~lK&W$%Hyp-8 zfYdUiGTV1bsANe=aWEN->t3+N1UWF*G}Be@V9XhlSSS_S;-zpHLk>hig~J38`y=Fq ztR_4KPzg`v1O2pM&ODVohrF1)^1PwC-G8Zd)~5~85B8?;H(f7RYw{V5DaIgQLmq=V zP$o9OH3b~aP07WTMt3{)4SNA5POb1{M(Iah`o*-MOs>z(`vngu9mgUo_g@ZW)AS!F z@i%Uz?_s$QP<}q4u^x7zelJFRyD&$mm|HyGH~EKtXy*jmJft5h>$?-;YB;6$%Z!jY zVbrBp+vocZr`@{)6eH(pX)oucJw|hnw;#J-=cRu3r;h`ECb(4_oqRL2!h3&8;6r&6 zxxBq5C!XkM*mGxm3yiuy$8L7rs%9D8s&5c#aT5KesJ`uYeBpGejjptPKHs)YvG{m9 z>P1)N{jN*SOZ7B8K5w{NU&9bCXKqSsbHDzY)ez)#AHTiix)1StpSZmaTCw2z`FX3b zTXRZpck$tah1KfKB#gMoyqVZ3PMU9a*&5ZnzOST@@3@sDQfU~|F>1+HaRyu^lhrK~ ze|kDWRiVWo4)2``1KTEf$q`B&Xp{)Cl`m$fsyEb(%BYDQS&#>0{RyAb_xNzr$Vh)2 zV_Ey1s0Qjh;FeaI&k{$?M1h8$o|+Lkh4`*47T0+LwJg-au<|?El>9x=ztuTnt!dl) z&-Zgs`)qV0Cb>|Ksxi3c9(s9O#>nxZ2GleV@{VvalT4<9rZy~8Dr$<rtxh=g6h(gW zK*vs$M^U}UBFY=i0%7-Q=J@0!Ft%kwgEkg2*zF{Qz#MA&S|#FN@tmu*zxOTwdJ^t9 zE73I9_S0!*D1Q-}9G<ct0VjY(<a0POFsi_>!r^=*I6HV0c+j@mX0KTWpBb*`#D_OQ zt-TqhsTGfzDr0eO>gy8EJP;a@^$mur=zkIFMDzONWFB=5k+rKjF=Bx|c7F-@xPL4# z*mwsf7zov|rkujPY=W;EXGB8ZkEQ{QhqbHaTseg{0ConIlizRFyylU^>_CTXFW?9+ zb{;Hhog0!mFwHZ~4m4($jbRyi=gEpocpR({#TKrC%w|fS<MAWt$E2yLY4W!|{6S$B z5w5ID>fJqo23ljIKP!RL$Oei=4J!^bLOhOwfs<JOF8Xs1!LZkx9^EwG2h6=OokF}V zF+@w|NInlr!Wd5|aWuLl%~_Lynn}{(rOa-iTc1DlZ$b<?yiHV&AhXC}W90^4NYe*j zS7t?PyBp^GDQ*zOBE#|LGSQ{LEXuHOtGd%Ce3C=^lsb8a;q6>F#^dAZ^~fhJ52vQ@ z?ZR+;eKn<yzN{^lMush6(v&@kC}*<MDoXXl4oC7f64W|5c@DOF@e%9*^&<#h5FBRV z^v=)4bpjfJO1a|ge<v$f#D3tKtdJ2>v}otxW{8`cBi<vJ;W<~%G{Myxt}lx9t#3#Z z__*^n4UpZV2@4r!wt$r(HX*NE)7p^nBk1h_b9gxYmPu+xM4;SDhj=KLew6kn7^Ma_ zEf-0F-p_zFJ(6dU-EQ!H<5T7u&DQ_aU%HzVyQM*GN->%`yj{^H_<nppeq9nB^wNo_ zl?Zw}YjdADwJeADwm*#v-{|rEe)p5^S^j%}4n;uv1@V(Q(GuCc$Vd&O@U@8k;g?H) z6vE_`!}tqDhevqeyp%FOydc8-1gsVf6e!QTQpj06+_nyrZJxrqD-B)ePg<?!0}hCN z666WL>_aX^_ej(=)Ly5eOcK>wX@qS`nqP~$Yr;t!4mCC)?Z=K`idh+Mm4~@QzNh`G zV`I?16H}M$C<p_fh<faC>k}6~Ghyga8}S7p@*x+oOAxi2FW5xOV{>HTq?h_i|Av6^ zr5D4m{qnt?>$yq*w*veA9#-&K_!-LYoVPn*7x`^;`^D(@-4h3N`~3Z)K#2+Aoc6oM z9SgmRb%V_&ll-mc4b0`aOK58xV|}&-rEtTL<ccp`ujhH;Z-&8LHEv#wobyh1-^*=5 zC&6B>Z~13&#H5}svaTkh_m|dFJjEj3pS#lvdDh7@dD`4<AD53t+T2zh)3nZ(*<{gg z$>%HN!JF@zcCYur7lKEfe(f0Q^~$FYXl<^Nb1gh&SH+RV;34KtawXBq6GOeuA%dD} zpTO9vVv4>Y)^|~R2RJqVC<2FbFg%T@9RS8@6t?|HU?;M6kwt%BHo*3Kh0Bz<O}sZ7 z^vdWTadkYz6{<Z-UpBPuhMse9$|?k1Y-8)X%OF)6_GU~tPn)~z(&L}lzS>eaZCvZ> ze|se-lJ@evPDcI@81ss0^vh!dy87?xdDm__^NjL9))4NndEj}_z2J37d9Zl^eKLO} zLM(kC0hV5Ee+mD!A6sHS5DUQI$C^m=V@@RV$IZL0ouvTu>sfrT*=qqZfMNk%FgNJE z699T(9*8<TeP#iyUdUJdT%+9SKDH1(zl)Y0IISVQ26I}o>G<2A%OWUuM_}ejJ4!zj z>cZ1bx_KW<Bh5E^NxKs>nUD8*cHzH^$|r44FRy(2?0kf=9=K7OfGiIO?Yv^d->6>j z|B!nz%hXAGl>l9o`;sUV3LWks!Uubpi<}|s8{g3Wsl3;q3;@(mdP2YtL?P07RG$2c z=QOIrMFziD%HP>PfB*O!pdbwbiV6S#AOXS9VshnZrOettw`1}E!2dpVGI4gXceb;$ zcA_`3vo*CaqqFxo<gtj`7jxZtS6lRCAY`3&<W2uXq&)4No?g|hiVN7Usy|^_wXRq! z2qSK$aqRdr_VL_RXq&QVNgx;q8LCBGsr%RSS&=m}e<z}0Q)ZuKv;lR>b_b!b%vNPb zu8`*SSxH7m`PoXNWr{MaLIuN9e<9QEuTKg5S-*ErZD`Hu)kWvj;*!x0h(BD7_OlK3 zdHpH3Ns8`-ENk<AN4Yq@QE3{|yCr631@GOHZ`l(z7r#ZO)_v@Ea;GnE^IafBH4dws z(L#j~yfD8yNA1-8^;7r`j(5AWe2=-N<P2tH;(ika5A-X5^eoaxrKj>r|9Z%alhR)w z;75C1@phx;+cvmG=>Z#Vi9gB03J<8lMer(5*}L4))zQ{YK9q}9*;17Px~2o`4jvH@ zVjQ*9S@vnQxGKr-$2-6f@?-OV@5XMGep#-b@ZAJvO4S2s9V)T7=^zx$F4RbuK=o)< zLH1MRdf)K^Fx;lR)*|$w0%<C2;U<CvfRwSKktY!lX~?Joend;iRp=JIOM9p9V$n&% zR%E-~Z^H`|tJUh>4Q@{GiQss<fUF;S#okEupdE+Gm}Ob3;Q~V7Ho2;jYx%nkh|#(4 z&)HB_Xk&AVZ8hNqd8vzyiWI7P=g2G~_&N#p76{&Xy3*FBV6t^dV6q>&n+`uQdJw3n z5B&;p>W~i6a*{~eU49DBRv?J>%9MY{6TW{r6aa|cKCH61Y}mn{-?1u6)S&dkgCzVK zpF<H&=_1TmZ%c)w3Yzd>06%ZMdF|a_sErsO$05I`KDcoEwS$eNbwL7K@r@s=A^|G? zRu}E18h{ew=X7t`N0JGbFdS`(+U*vk>gp!E)VqB2cCiS`zm|J+_o*G>f*>;JasUFL zWV+QBabH|u0O(1Rd-CIAx*#sU`DW9b!+zAXGW<kg^*`6Fdz@J6@7vplqwLawWE^^C z5uyF$kbsAwlYY>wl1Vyu3s8A*5s^B+o~=Vo3@hTgtvSPAQ02w>X#alyd$G*OeS>n- zNa%&J7i3O{S0?>F1=0XkIZs@Z+8@TyXcH<Vz3shq?TTjm+e(>%&f-i70YePBv%-c~ zRULe~t=g;(3wBD1^NGw-+_t4@mb?>mclP|qh;_DhBR6F)n}=gT+OLOnK?@3>OdqvM z$~CogKbZ_`*g*^HTmpM^uj$Y3Z-vj$%Q@GRQf>w~j`k0LJ|DC_;|4w<f?P~xtPFU= zZ_CDc{78Uk8UlWm2pjMO6AT@7@A_2*qu*`8r4<AHYv7;VCk3vw)ahD`^{rz7Fa(XL z49-tZS6LVs>O;H+I1H^f-EG-s-9A!@$8@}o&I$MO5~N5~e1$%R9m2YfCL`Y-q!!{j zbqlB7?W`5I8Cf?|qeEKKp`<Kj>SSiJD-C}AlqSwCrzRXmz~Ku&$>%>ZRw{Eu8rA8$ zJRB26r)wCK5H2RXgB5*Fy^AT*T#pY+q{&CbZbukJLX9hkb_@KPTK8?%DgkOT)Wjnz z+gui^^IrZTw!^CU(`sCWn}G9km!SQMl;z+wcpWcFp1;Rk2^A{-0V$XyZfKGq!0E|N z=)H9msPsF?5DaQxl!-y+seS(6b_p@HJQ5cI9x@jmztrtG^%OMK{1OmpKfqR<uyuxe zcj#W>J_LfC9H$IR#k1RAnBYS0u_J114H%&u7NkPyQ&dyv=_uuq0)C*ZeLa5|IDiSB z-&=shSjusQ(Ik8_a4UG@4>r1!RL@_C&JaNu2mYucGEMEbC@$;HE!vTb3PA$jc5B>I ziuqCFRQ^T}tFWOGMOq1qJDPG6t9ij2_zXl`6ZBu)WQ&(3806*9O%-LZQ6bv)pA5?X z3aj^%^!4$pWPEQS5QMbz^$Q9Hx`ueI01j0Csy8)fKZM(zz#*T8WgJGeOO{=UHc6*m zvlVLf?6$a9&wD1|cg^Z^A!f$oK)8?mY<e|$sH}IbHy3LU>Lq%h;JSMbK!s*wr7Dub zufdrbLYTF(=Gv#+lRXh2_pcel573RI(Lya_eCMHV5QWa_xC7Gh@~`e_!xCsh#nD$f zbKsa`M4JG466YA*&wa&4sN=&O7AO#?<rjAP)kmWlVW^=@s(>FNcorRkJjx|F2x>LG z&$%qTv@M7nfQDkEIhLl718(?zyw&}O`-ajnTWXPzdLw_?@()^wm>4Dvqh#S$a&b*s zFZ*B-4Mw+8uPKsbB}PUEP4YoQSGDX`XHCy_d>cw$Dz_~}a-92a+q=vM!|!a%zT>)L z03$>{EOI|cV*RKU7bmFya1&sWr+5B+w^)H(k}*JyN(sLAWXgk3U_^*g-}|9VAwSK^ zF9E_-1v?*86LK&8rE7=^eGp-*rNd?xCCblhr7k?UGGXA>8C=XFAjBuJz2UlP(gN9% zC_=LB#^HdG$Wc(tmM^r9hsaC=Y6=PhcP}P_`$#}&(+`uJ6X$1Pg*3qcVX1+PxT9t1 zl95xISP5G_;1qI(CV}v_>mQ2^9S++Kt@b-^tbn|vn551b+&~7Aw?(f+jxlv~X7mS) za6Soi42Jn|=wfB4>MVx|C0yc{PTM%U=tJL!K#6Es3|7Fz=(#)lRyl_crZ{arZ+Ekf zUN`E3U(yB&jkE!rXpg(VmR-%dCoX=N0G~cz0n~=9r#uGdQ`#!?H-sMX2wtw(G{0s$ zeP$Az3FD>)uZ>?88TYSx{<f0Xh?Ih1(}Fx=-{PM{D5Co$W;m|*IJ*7yvq^GHxWXQ= zx!CZ8+{Ea?qRp!v6ttLGmA_y~C3r7^M&jOvio~6VaqYg^{*>viz|OIQ?n416GO@~U zX)3XEsl=U=T~k!?v>5e!5Ur61MQNQXA@m=N>o56KC^Q0@zzQ6x6RgR6UMx>$31q8L zJ35{PoXqNqF3abA2aWYFV_$zOZM86dr?I4+LdhoxQ1_WqHIT*Ps@0K9{7%8VcOoa} z*>{*Ws`((D-UroiF>Ayhq0k^0_u1G{cA#DlO*xS}Set;2euadG_{J|9m%|pjF}`d{ z(e7VbpMH0Kl<JgLE)NIc)1R#Iq#)YBsk<f7ntXm*IN6hznV4I1SUxttLnk7VkZpzQ zK(G2|AP5GN<sYK(moN^}qF5<SornX*5F!>OW#7~IUU&KzJj2mLO=XLyhV=ZVXrE*Z zqevqd%%T*PigA6cxz!<Z+S;ZF{D7tK^kH&?_ewLwmcl{5xQY=EFcfJ9plCZxo}Y<d z0Ck=roG67C+@JQk0CAA&Xzl%kDCxq%q`-7~VUp6$32Khj8~`o8K!hhLa}dOw@tfz8 z)LO#A0tH3o*fyM>y=L@aY|Lsx-1#uRZ089<od?*@ZO3gbJb-7puw$UDSc)K=jg&&y zWXL&;(y8=Gy`JBly33=C;aajuM|JO=J-6rUNS0B*bzff3=j%sM>;Af$FofVy7XF05 zRgOm3m#GLK9<he%lH&fjYTJCP$;=RK9PPE!p;t;UC59A`U`9*JcR*)pPHkokQmejD z($~J8V5wtRnA$fb`JBZM5C%C*2zVV7b+!&b+MS#>R8am{WLK<=+@yItlWb~tLbqSn z8Yn>Dh|KEsUlz#GQql?`GUy7&5`j#76EW~((Oy~g$@^GctS1MbAjPiC@HmQ@;jab4 zcDjQ4;>)xkT|Jo2AS!OkjMGdIZ`lveU4^kQS-{{ufPMN@8m+mS3)D7UXnXzSH-)L- zpfGVz{s;Vu#R-1M?;E?TqDlWNooitIb`E_d+iNjVAz+h6<zFpIEf!bY8(I}~Ka?yq zZ7Q!NM1O=C7Eo580dzKzzJG}~hS2?l8%*JxFIHUWIa73y=EXaql(Ev<ms$Rw9a(i; ztg~<6$0?aV%gjvz_EqU^AV_`Xz_J|jo~ABJVM9x$E9M%p@WV6Ax9w#VtV&KuDP6Uw z>7Awv?npr?U0yG>XJXM8FZLs_xIs*-UetPE<~lRvhNc0kYaoE`IIIVVa1A{=Q)T^H z^BapJp^qr{bh?;HNU6FA1ALd%XrO;=dgjyO`0tM0F&=>#;QwrxqlvU86B<kF;hvAh zahTDC+(|?6lVcJTex2n?l8nsK+)EV04<9?92;9l1^2yZNW2Y`R8S8|OJUhl|67lc7 zkt1kx4Z+Dxh=_A}%hXGh_2~Z9)|pWfm>DdB^D2PvNB;uL^v189UsEDh!=C;{JCr`> zyMxd0bN~YBDGBr?LLsXnUh03eChxyLGZmC*f%sP=EZbuONowU}RB{1tzyLg4{NRJT zqWz6?*mGEf&+oO&jqMZ52|joglhsB>T<e}^w~5v6foE4!t5>_`<=>cppFDsAwcs8P ztyv_Yc~Y8|h#_?)yD^^Y6)B|=I^V!J{1e4eMr^lBNeM8{u>LiCW~y~*yFyw-{gJC| zfC{LfIV3}J7Tk4d3v-5uC-F}6!mCY#pq^Y>$p*~9oNmiEStq7PpwxM;E5Gh8pq9rw zooX!rHJx}Xk-np}l~OO*%arBV%B9uFN^KFgfsfo_{Ca+K597<7AM;Xn+)yDckC#;5 z-nfuKJhSfa;&;zV(XK7I*kpOS4N?U@XAiPI?FzNf_GF10do}msG!NzK2%QeE5^ld< z8kN1YR&Bps$@grtctSstKz@2BlE|2IgV$zP^^QONYI0>>cjP)wMGZW>IAy-=AoxR} z8#ohh=wrr$H_nPv!P>^iS%y7Y8;MoK1A`iIi@@Gem(M;pBn|7(ID|`fMSw?Q+qPpY z55>=47#mF?PdMqn^>(Zq?R@^Iws+P}l~ZZ8se_$N<cdUqaFgDyp4B(a!zQfT=@~;L z7&FOeX89<HZqvu$tsa@(p_TCi2>FCxii_)ARoL$iFh`_U0(_Ty2ro;=uF9376jP$x z9;T-U9jZR@u7TF{4DSO+tG)%p;X~{nU%8{daqysoZfcJxAYQ5<QuHYd`o<M=tP9MO zdyA=wI%b`C2XVhzK)n`VUon_^-Cp7Mh^8!W+W)$d&LMPepaNJ;|C<&{LX0~BRq;Ne z=1?=KTE2jkGlf?-X-txKeYD=VCYAV?J*i5Z8Or7~o?dRz8Uz5_sVc4@k{$;8Knf-$ zM+bp->`CT_T=W~1VuWYhnF9C(L%P(KnCpSddh74TA>+a`V5on>>nJiuwp`ynK{M+S zVA&!()uEY|#K;xdKD7?Osr3Dv)>?|;bt|4B>Q~~$FZsPU9Dh!JciOWjSkZpSt?~+V zZk&!6(VI9qRZw?Qgve=GA?FjDD{D+t7=(&`$WZy6%R_ze_UFhuY^6V1Owk@G7TOlQ zz1xO`3NlDphk={#(Xr%!065ltyzZ_ArGYjG@wuB|nPTL`Nr7Sn_U>Alc@}f{rHx&( zR2M35aFCz{Go8`?m}geD6OHiGjtrAvk>z#_7u*GDy`{;XArz+so<s_igb4cd416YV zn$i6-YbMS*rVx_k{5FzA-z8C?`;m!7itJI&HwC}WeXOP2q;$4|JhSx4hi8VpiCW&< z=!W+ti+SXXJHl0&M}a?E8d(?lS04(8VLp1B0|BoQrvE%S<6QLu(svBLJBstgjIA$q z4>I0C(cAo?_JEmqaNSyk`1ci)$Jt>2{LV!_z;BWHwpNLoR&ncT!CZ{mUJebP_z0%b z+|5>yP4Oa=Q5iV-9{`;WSapfD%#J+~X915|rtzc;=Gp#aau&3ow}7td6tpsWKJun4 zmTrteH_F5vgLO_G-_46>)qzxX`9AQ{hw#nEnf)NPDNfNvbL+|b{iyn7pMYPd&p7nO zfzLwMkr!#5WIe)5?6f0Z_kIs)F5h}Q=L?!w*SSP-MVTg>AfbdO3;$VRN^}=R=XY9j zHL8($sL?)vp7)PNU@bhvMmoSRgSt!Cqz?X9PK~CQ{li>FS{h?Q5GGp(m4hi{rEvO% zpOtYy9O35{tIH0u%_LllyRLooO>P%@5;rGmHG0+~Ctf}eve}1OBfUy<!g3zT$>>c` z2o;fluZv~$X|a|~@8;g1yS!EGOQOC--73O`cifvf_af)gNQr;GcO0*EM$45|IPh>1 z%4%s2F0p}{a71fLNj@K*%Id#EfL*5>#fTCXc(~~=Z%1cbW-y~{nc>a>BMSK}VNzzN z>C8Qw-c;3ljuJC=_%KI=5{qav(!KOg!Pb!21T*~nG#3H{#mUiJtU_E~G3lQKnNF+J zJ*ojSYMRJ7>4{I3BkYKO5U$+evxQF8x16H((7O^|N!;qJYdmqZOEjiJgw9x`LPt#C z*KPuj)%URj7$V0%63b_x6CqMW*FB*#Z6Dg5zlj~fKKj>3qq|DicvlP$%0rxn`aZ(1 z`=&y8oE>NI2%!6e)U>F0KkY84E0pA#$dN$h6b_b6L3QilcL-I%lX1S$-mti+_*|L4 zCzR?h*HmeKN<>95L&3FT{nYopCJoFGe$Wls_?_whXhHSxW4am+C7H5!JlmltU7d8P zk07X!=5#c=wO*2_y@VLBwZewzPxsOUQJsV3xNIrK`jJ@CjY1v{fLUsPz(*<qEQHVQ z`?zr7Pm?byUc(n}d*K(;jBVpP0kQ|owl7oHJiE3sUZ6wsxH0VJd9FP@PYR@2gT+0R z(mW(MSz5dGa1;pl1>F$+7igUt4{!*L{z5BgA{M9>b7Tisv09lHiY5vpqzi6B@(I#@ z+v$d{#%m3Kua%WtLJ2w3t=QG_H~zAvrZ10lQH=E$Ccic-xZn;ZQGv6g7h~jO?uIYs zgYYB)GvB)0xYBBI?}@VUpCcs^S@ca84sZJY(Kh_DIS78m9z0$_q9%TbW6dPqa!(Wg zlAli){MbnWFGrJK*h^OA6HId`v$p<VNqk}UQywsIT%$NH2~FlJVJ7CAYM=V;EvI}C z`n3|6BOuRy{+)v4>W*Tf+^wF;cNtPk|Aq5kH4>W`lqnMk04N0k0MP%dMjD&g>$x~v zSpVpeAxcxRnGA^C_o$5*0fZ(V{yzc>*i#*^NToS2NE>SlYYWcdrCYQl@Truj#E$_X z_jQ<e1B&ZV7*^`Ngv3pXS|O<sw|6$=g{3a0hEjJ|$``@lH~zujJcz}lN1##Ap`zMZ zO*bE>6A+hKm}dQo$z6q8QIGYdrJy}GR0eDuF~h!$9%Iz>6wqby1#lBtW#`3#6cU_u z51e+g-0wujgMh$VKU6|_jg%gR?|{a-psYbj?Z^tCuxQOBbkNtlNk9ceziaR$B(uRC z`^2=hfe47yO|=R6b=4^{gEZTX98p6851|L>Mo@|jFOS!xc9eXZ#70y2Tc_^wxTsgJ zDr#fOACzCEP-IujGuj2et3ydo*;=oTYn@BRc-G2x4;k$2P^1wG4`2w&NIs2Qx~MDR zS`r;x6li;)OIZ4tP0TnH3-J2Ymxp9tp^wX)pLevoXN<XjjILxZ{`<!b&HwPV{+cLQ zj7OX1ZLv?)cBp*5h4Q1}FCA~CR;ks+WP)dtEPTS$<ep(vXnjU<nho9Kc_LmDr0v1{ zx13tPXf1zqX28@>Ez$m8IZbShoqnoWt!`tt$%g#Z-4oav5~rzOU2+m;rE`I1u?KoZ zR&P)$s=0#LhJ0vJO{S92@b~%LE|i|QcuQ962MMmLnDv})W=h&peFi(n&5LqH@d3r( zTD5?)Jb5N(BT3eD8e{JKHOft!O!~DPb1Gut>l$`N*9B!)`*q*q?&IL|b+&)_NH6X9 zD1Cc&_qjCGdB5_sdvsTNu6F!%oOwQ>H^V=P8`ibu^XXFFLdzVmfWSQ<t#Z3&t%_P@ z5gAxDdKulz?>Y5-B06%KIIB5Yv071Kcd^gQ{#8!-XE9VVXyjwfxr*i1+7-fkBGf{b zr;&NWlP|Z2)MkX6XR+Vj5LM&3pgg#XqJjh%iv^C4@w`Z`s!v`D_;9kJ%w0B8NWvhJ zc%iF2RiuGd5BXrMc~@mur-M{(iEOQm)^3egPqCv(rk~$53()<RN2*<=(rPlyM>B0Y zprZKBE@B=?50$jkE#OW4r=ERU%#r8O5_x+77`|~ewdIawZM$+P961fa6&z%^OS}fq z-2|Bx87M|Ox8b4qTVGJ|z(<R5pi%5k)!Z8Kc$NEp&7L2lxeJ0uXnupDmIxeS)5_*U zc9WXK#5hFwQmVy+Pk3(kgQWo*>5+zo9|>+Yin#p4X++6Eu=*cIiUWp5^Bf9%%7TzS zv$H-5(>%O2&wQvyddfK;ohT)HiwwNe4dp_)xyqeV@Dku>;0RHp9T{ZQSU;RK*y+hY zz5@bkrt8C?-|~*OPMmEQJC!6);?zhWANlMk`X+@wV101Q?53=B1UTO*nSv=7tybGe zDq$7JOA7U<?LUZTti?td<lE53noUGYFl8DL`7{(q#f`j`iqs{?@FtVv?GAS3>kK#w z{9$+Jk$+e9<Y`VyAzC1nm{}Ah5w;$`Ec>XXqdo{U7MzrrBA{zHU&e22sYxNdkxdId zQIggRSo#T(;fH-h=omY7CKU}-Qz{w>q5YvrBRtT3TjLFWBQ)`8Fa?9RYtcy3<G}0F zS_5<1c~l!cKHF^gbI!qeV6Uy|3VuPIq}jH{38l$O6C-XI9y=^yDGh-8)Qd+TcFfG& zO-_he<XkSita^Eg)xJ87X$jL=<4$+Vxx7#Ea%P}c`+;sDG>z568GXa5Fk_~^-7yX^ zs#Wa{Can!XL3*RVBzCSD5l{8_Mi0?B16^u5*$HT#Lm+KB$M5Dj4{6a+(@o$}?Q0;8 z^5`{=+|Yty97iptCFq*$xO`Lmo%KWVjw{33xI&T@7mO11WP!HJv%3q@mB1dG^)+SQ z5J{@QL=&;(GXFHHg|iq0p+L<el^;U~RK~lYI|?;655Yz7Ejmna754p(<H4rdF=i>{ z)5u{f*u7F>fg=bQ%sHyIY{Zx&;}eoTX<EI_xwHoF;P*F#Aw+IaeK9MbzT;9yl@M30 zycOVia%AZH1Y_tdHn1&nOUmpe7}5K1z&N}CCzXwE$~P3cN5yV<r6w=0pCh8+7)nIp z9ck}Z3KMkRwYkX`%k)u402=m3>%7!tt#8cnb>TR$Q{Z@P<kGk%{8J}wD1Woo)f92n ziJKo=Z&$fuQ7D3dkVQ4519oSYHk!Cs=L5$zY!Ac|Y<lDhIkVZkxjOKH$E!^^`wI(7 zj6TWL`ZXA%_ZWG)gW|^f;!KzX`v({E`-|o@7CmWVW2V`ke$>kj0W&VYbvhm0X|O6m z*Wzm!&bEQE7jn4bA`@(U9-$!Q^Hw+cAQzO#(iv@qgGQxQ?<fYi!;^7(Pb6mpb_Tw_ z_io^KaPe&q?mx3nZhB#2e6y35=^$8#W6+|}F4ibS#8pfWN#zvJzyv-2d;O%)p{Z3= z--aL*)xx8lK9mqyg8}?YU@TXg$;3wMj`x?r0nm_+;H^zJgTFhobH2_yEWh|NCHCw4 z#qqnsFL|X0w>o;<>I-Z>J3jn>2Lrihkvy`H^kXIkjygY1OI5CcvIxDuShWHf5?5t; zwe@1d8~Y}PjQLO+y=Mmyb0bi8UpNRyw&vm0ID8D3)&Ju5rzvV%@1vx#0oM?tgZbH4 z5~h_pAv&ppzCmPmed5M<&<c$R>N}kGLt<sej%Hh62L92)vYZ1VXF{~6cNi8chkAn3 zwDF3AXLw?E+$m$VqVWwxgEJciVfvjjZS}%S;aWcI?4lc{sW~tgv<0~EK8{vIZV~eY z`Fq{<a&z~|*$lWw*zWH9*gfRN+}AP&P;LNK!qF4hlhi*8fe5IU5mI4@5y#u`=A@3( zU9QW&8xZ#s?IecvW9!HTAS0AnA)c7uI9g<yRQ6g~F#vRkQ3&wG6^&KG&#>Z)f!e0T zm@qhhllV<%X?9B$*!drAV2q_ZA>@2b<aBp>zhc+D3`~i0yq^t4X<YEzBdUU`RUx)M zPV3i(j{0Bj8fB<Zrt_=76b(#miW1jEZGE1w^2C|q7U`0C$|5aWpnL1*KGHI@OY5Uy z@SrwEb`Q*&#k%d`G5q3n+Sb6$(yA_+5qQp-p?N^P@>1M&)H6dexY(gK)h`@ze#WRv z)VEWCytO}5=q*O_GA=MUAC@~?C6?G=2zrlxVtqedpfHDM>fh9KT8-!K#Bfrp>>99> zQa}Qr4ukhXDB+waG0q4V6v}|!5t2bH2G+wvoJ4=Yug`{P^(At@M1-Wo<e4QoyUG;5 zV^hzDF9jf!iFY@{pPCt{j3O0MLiO~*`F0O=GE#i3Y;V4@4WzE(J@qrc6a05%unjZM z8({vK6$SwS<o`1=SU5TV%nO%3R!%r0^(Ss$k#N5&z>E>^NaTvs2C^#E9SfvrDoHuz zB25LQ^#yGqFNix~l)|OHKOd}2J@H|b8swE)uT1{XI=Yp#mX?-w{#?g`t{*2HS}YS4 z-8^HipJy+vF9+s)^vmb3Jls>$ccm&TtxH2SwHaLe{9F}m8zq;G6^uPD@6#XaDMzit ze4VuG*u5J)=UYbw)|a``KWF7uwyd|bhY>Jhg35DjQ*MPnF3p$Na2~6yf4*h1cwglC z_Khm^2&EsufAL$u2j6DLkZpv=p`D1@Dh_$OK;Zviw63Q*8}jwlc$#WqhkI`+>vWk* zy?0U8>xYq^=nh6;J--U?qse&e&?byTe>7>Qay|Fepf!#@EU^!_9k2QMjdOOV*H*ZA zIHw`*7sC1~9i(-X(gQ82EZFuR*G~Ah9)^i02_IOgMeX>$9(G-z54FJJYy%K_#bq~E zdX1vKYCja}u5W}zQZ-)TC5&<0mO8mLt)qrq9H6Y(XKld=O*4;5nn>4BH!Q%5f?AJu zRO+u_$;{9dVa_btZ6-tmiry1Ec!s?+Y$rS|`0pw{j%zF@>e4-Yw3a50S~A@_X}|CU zH&`BB+S#iE+K)OtwH~4>9kH5qSRN}noFB|P9j9kpX?JP%*O$<$z8&Qn_u8r<zA{r; zqreABH_j(Kv|OiZbdq~3?>YH%XGT0^47kA>ZMEnsRKT1v<*&9RUqC!@@qq5lob1~6 zhdMH|5HWCGnFjQR3rl5H*?n37Kq-%EDyh}3thB{QjrKfND8LKAbiMqyY6tHxhRRPv z4JT3UgzQ)2k5aR%oBmC~Vxl{(58fGv2JhY(f6dR31q|aXL$U$F-opY1jIO!)(P{Js zw@qlY@>zeotKL0&c2YDJ94l=$Hh<4r!h>2zO$XF-cu-qq`EkAz=dP+AV)KcgObg^J z@_wkbgrm$O-UcFg5H`}7^I!-%mq`nxT>cEgw@qD`T*7E@Mvl({-Dy7Q_~Aqm#R;$R zKC{}+Q`qWVQHp<l*e{|hj5F)Hbu8yD$~4EFu0Hf1-a>ANK5yPRFm4=55Hg^D+1SN1 z%x>lP=2}26>=O#05iR#?124^4Ji%zW)G<s<drjGgJRy<^Eff^)tJ+^6Xuh$U%$Bd{ zZVU5cu~5v1gH<Vg@XcFvW6uo>kK?-o7&<1Hy<KYBb#!w~UlHiPKK9-T^bYv)jgv>w z#rv4gunp@%RdPh~j9^XMk_CAba2kn)y}3kAE<W}dPBH)FTijFNSQwBE)+Znyqd)-P z2H9rRaPm#4;6Q9y9Tk<@l#58Nc5K+NiFT$gBQ$I<QLiI=7{J{zQoGjaZd8@8yr&0I z$b%?+{Pt5D`=cz*1tvr)fjrCjS30Qi(>t$@OITfPs)T17_})_B+){B_M?~Kvi<>Ar zGsF)z@4l)cAwup$w8BIfa_)Q@@@1Y7EMT}O9xhq%0q*&%@OU#8#X4%EM8_4xh^1Co zqGbb=<+I~#<aJTN#Dm7Q=v;!Dg?)y#U-Rm%dJ6~SL-6TtZQ`Pm-ZvYsP~<$`04P5e zla+c$kR2Ct)PT7^AS4}qtM8;5`F5^B%6gBzRf-a`kq17LJLaIZbtVi;oahLu1Tp5N z_>1y>V=m|dK~#+{Ab3rBetu1@v6eX>^)zh*-IY4*&t%+caPs5?|M%_7Ym{BjjC~GF z9kt@_gKVCe4FB5-6iYv&g)3){DD&6hPLDIG10|Ciu#=ny2Lu%kQkvq#?TLX~BJYK7 zh4|V)wAXCw+81j)<|rvELeH%DA&fW=7aYU)^hrdIrZh5JsS!~);o+luK&0VWczC2y zmSq`XMoY?c#8IuNZP}63IBDm{Sft(()F3V!8;V8AXHTMOPGJGW3ludD7@Ez2;T#SN zxM#R(#CyFI76nCnJ`nnOyF|M3nrJ3LNbFMJf-%hdt2T9S+oPN6l7Uv~3w*P4ov>)R z*Do9tRq}}`i%>Q$sY(4JJ{Y4yPJ7FyjXpgz?R2#bZLDX$Ui(;7rd5YTbvQpHylQfV z#g=p~l8a_lJpF=FG2ZW+GkWj>voiuLrT_*}4^eFFpET1dkL4-ASqTn;!@0CA)y~*m z*cK|N0Q`g=P{OXJ4}$U2CZ!SkUN5Nx-QUu2x-_n`JGA0CL9>~!x!=t}cDhuF8R8%y zAB~KlB`qdhy?(jdquK7T7BV2xrXr*3Nc#d6Z@<}8hZcpferG#fNmihXGXLQ8cpnXH zR!BYl_M=g0wX+nBh}8EF3A@y6qpb6>eC&=)>`8|gXGs#w+#Wx-Gw>=JSuqv~v)E}+ z=w|}S<H4WLYo`wM(6)#mdS@dU2l!331_@D|pDEuS?R@v4{DX9pAIx~S=c!L#aIU;Q zz~7F#VY}arq+TpRA@DdP#5_w(rs`@bP+1r6Ua(p~I}{O`Xt)Tm(^%Us1JVb^hCML8 z`}QidwWIuM+5qS9Tg^0)K3*ku&sXP%=>8rxeQS-_nq8m{^E0FO9Me15M{8!l15d#w ziiRS92ch=t+cNj+Zmr}EJ{*$#q0bMs3#uOeQ%+)oZ*q>|km|N_TB=oaQl6DB(m4E< zHB*R<kSHdnLI|{V8n^R1&=CYj>;b|$9DF_C4up-dQ4k=uEb^q~CJ{~ivn+!fO&nr6 z^?pK}$|Zam^SbmkUf{Dv226ds2dR8IR?|jy5}_4s5iXD!Ul*#c#BYWW7_45Y;RVjb zZAr1C*^Z6vR8R9K*9~CI9G!`}HNh3|hq9DVR~PnHde)e$H0GtLHAsK#8nwsi`wQYq zl4vXm5fZ!(PG?-<5rOKhq$U<~yrPNGv}#M1HYQU8N5geS;+(>ZMocLYnl#ibl-?<; ziz6^q_GrN2ohx*ba&@YJpgEt_uB={yPU6g>ErxloPeXxjhF$`du*d)bz1XPl7v?KL zZkOln#}I*mvMBt836y1PNVRnU^+@zctbGPhy}dglA)|_XuP>zmGwgx2R^2p5hCl-* zIdJkUqy`{#DhLv?XzdT!h7V_o7S3g;Lpd#-=S#~-({>=mc9Y_u#tKH=)^_ai+54TW zQDFw{^hkJsy!ul+e}*;`5Uj}_Tj7>jtD3ADb`Le3yq~I=m>ghdPlB74`zQZhM1;Ud zhMx`G3?R+0M!3`7yJ(FXfi2rrACJhDS%<<M7jbRC?=8D6Ysspd<(H^sLLU=;&a0!b z6#Sfp6aAX&mEif1)oE(tqueYjYqa-8(bjwDCKjMR_{{_Xh9=m-2*)t1feH9FH+d}C z0`lk{f;?k+_l{J44l&Tl1Mh=<NW^jMS=;+^e8BH{u6zpG!@f{Q-?K9ty3O$oGnFDk zK!G!uS;Z5rIQkuPy6B<5dG>hXB+ul3bIBOg|8^wdb8l?n&O$vv{Wg8d^pc?~uvSqR z7ZfpKSGtC&hTUMvFKLO{`7}~UV7c1#hmv*9@US_&A8UAiGi73qH+UEnjLrl{<Q{7@ zbnqfFfaF}8{$3w#r~PbU;=^stOXxC4_bPXi8T2gqi{K{ubMGgyn+Km69_H5=SvltW zMe{3~7=x;7vW!+koCNa5BSzX_rzs8gZjX(t)MoZ%Ya4HSkE*JV0>!@eT;O1~kf$yD zRrpa^?*5p=dAR96KFz!b2#9wl1`W3pLwxLv)%^M*0lN<M&Ze*H(vVFI5^~Jfwg@yf zarq~TDp(Un7V4d%fxQ01j&}WbfnOQ!@sMQp>^dOe=4&44iS$%P89GTYeCDD27&aQ( zUh=%%b%=f1I6E?3$NgZcb=zP((^UU{HVwPKoNz=RUVOn@gyw0OOUy(ptb*G^xH`Z# z{1lta7oO9`7j8RAL11gS9KUq*lnypzB$@&&C)U7GoQG|`7B0>9b4_o)$4H!C9A?I5 zHhJTRnLR~gKHW^k>w>;1N7Gh$Cu94_Y1RwqQ-O9rs)PPv+u$5+t6s54NZg^2n03&) zlFJ*F<i_&4+eUckwO7AY$|O#65GtVeikYxa**gsIcWLa;{W~*B-N0E#>YJ|;<kQ`) zus8hM*V~?&d1{ckaArE!s%g-$FAD`qo06E*U^#mra8)^>g_FSGYr-Hy=VmPk#O;W` z=AM`<@j`@fS<A!C_cRG}4z5fNPF=w3z@vrY>S(Nh7ezW~SAJ?X)wNOCz&5Pcp0$^J zudl$VVa^?0r+d-3sfGj$Hq0nIpHfF(v21lGi4|_Ud-Vn`pqh5nay+vaHi<eXrt$`; zJFc|exd3Rpg**gaL!gWNB58cumQ}1CgHSafd^vPt`ez5jP@*u~uT9j8PSnit2~R(n zSrzcgj3P9)3}?0>3l#=-11-ZOBi3DE3G1}7!obVZ2Z<YMkbh`axB29RHSPhwAl46M z7Sm0CpX}BT(l~U+G_x8JLj%)``_s%4AvcKVBv?_+7)V+VMO&KTk%gkm=YhWPPD!$# z_9t)B4La@rhpTgH41{TxaBL?V+qP}n+}O5l+qP}nwr$%wdoJJa2h3&n^h{UP(<mjK zicm%kuZNIQE4Jl~q6i?aB7yuoY|o}Y<$@D%Y5qBdpf`ZZMSs>{JMOJ*H8*-`#jajQ zMkeMzbN>Zf8bogeqTAd5bUWXmF^BZ?eSX?l%Wo5XCj+S-J)_bDUxMUTPZz2Rk+1=S zimuANPRxGyh&ofShKjb_aq*he57{WVi&fuQa)E&mu@jlFig*SRNGRK$fiIfq#;Fby zhTBl%z5~fNenC*7$v^7{n(N4QKtZf5@li`lL&S(!3X=XMvfWaiiYe_u+UXXZm_jv4 zf^YdY5q8M!`D8}%UU~d5Unl^Ucx;5yq9spx_@V`tv6-3`4Oo>pPPOy<2crU1!+Cya z!RfF_J1GJK^>Q1jQ9O?R;WK!gieP{#07p_B0ezIQFKV$^fL<-n6Z_onf-pXf1@muf z-`NrG)k~cZo8K$bV|_9%e`9$cp?y|=dJH*096G&DCajmgUH^?ZAL{tieq;oBB{-}M zmzWaKGOAvBJY?4mmAaD;{0}+dcD^~$-DeB6DQcX&j!AW=h07(00~i)zLJV+a$&Gs_ zGs{VVh6DSrXKRw%pa|Y{?4wmz`2`L{Oif4CGxp;V3EA{{Zw0~%sb;<%^)xonogp)R z%x?;E|Iw_;>R=+p1u41`99^aCI00^nK1Dhm|K(^U5^hr(0r3(3KaIYbEu5fq_plFD zw;gSm>AJ4}0?POtD=FI6Q~>UnvSCR2EscBxUx>_flX!z-N;fS>I|UmRxnU!8^9WdM zWt($f1YVg@YQrXVyvJM+`PkZo8yRR?YiEYuLhGH1&72E&VK7G1t+ds$W(EjTuE&Z1 zvBOufiJhi}mo(lRgcccTapeWJ7FtY9Ylx?7!<E4Pt%Y`&9)!(nI~y=ayq=802$MJ) z2`sIySczr{kU23pG6I6>SD>@v3Q5K;E)UK3Gpdui0Q{}nTuWZ5tW`_X<JC~ZfbU$x zzBZecjrS7yrlrVVLr;;#a{3OSWSide9um??xFF-q<3dDg+beaOmhMCVt2NmY1AKZ2 zrg$BVrnX{yRNyAbI{Q~Jk_PSQ5r@haK*3wkn0;xim(&{iRJrXjHP}3}=_Eyr9FSv% zSke`L(2xap-2(Pi%%$ud4h&#q9?}X1{D*>kZs9%ZA6b0N4F}K$NEg5yZAJx-tm}^Q zSXerz&Pd~6|GW~B>mXesV(123vx~>k_P@aBE(6hjZoxBA=`nxj2@cZl?o`tJau6Ix z+KF?psR&=y=DJ6n*VHl{NLkk$*>ns94}u0~#)%K4H2@llC|7iZvX=L&0!0F7*zg52 zjZItk>o_Z~;ppSqA5k=SG&u8V6<SCmsp8k_QaKn6NYJW*W~W-CZUn6D-9>)>Ht5Cb z@0I!3=K}EfKj`U<yG)f?uGdjZ==(D)Z?z%ZE(P&W+~-$uscwK&3g`!U?2Spc;ij&; z?}MaUXDG^tL1|$XXr8gFm=7nLVy6EwXh!qtg^@u?{g&*V%H{R_J_%);{eAHG8H`-z z>+*X4u4J3dnd$X>IT>Fhv(537_}S5L1b>uyK$b+XYv5UJx426g0NT;Y)&YX$554<@ z56E;QIANEj6T{)*esbt3=hVJR!jJlpBLTN?JqWzoJirw13Km&NVctHfU}HWM*3Z&c zC1#<-`b(AvdiBIWo@hLk8MIkxVV`VGX+*v?c_Z~;rE^u`9NXe-n}rHca#e$Z{h;8# zeQ<OiIQJ}k$RBeUh)(Kojhh*Wwv#D<hV!!*-b3$OLZwP#dS#G8*Ux@Pmm^2Ygrax7 z<_>4f>4i{tQEN}Ahh&Q8Idw8fOe@X&G9a>~hPNX~`rLpb{qoGt<}`y0_wQkHnt&e3 zLw_1_DBJbMD?cLv{jXuZXsTucTdKGP$TO^(+gV*zv{CScGV$Lp&WV0pn<2?M|D#5U zGWq@f1fFUPTOmziT;Sw1+i7vedK+1?$LfCSqAezNr8~BgC`;$hf~niJ74p4imZ?FB z%mjcI%xc7Xe(T*YyssImQ%zJRaB1<kfHC3yU8Oy-UVI9nZnSR1iJe+ha6^$I&q|`C zmIHE{KCz$uOLEKP{)TFG(D(=d6m47sr(E{))0xM1e4%h4hp>6e@TnP^nIxA)(6Pw$ z1G9@_J$fotpMT{sa_o}A*?hv`ZrcCgcH7_0J8sjJ2Og^sfU7@sxG~1?H#syp@%l@^ zJtRzHWz?-8jBGxeJ4x8%D}X)MIMP(2C@+p?HU8<;rf#*E1!~}5s5qR9wHel!Y>z!h zXO{71q)R~`3Ys4ISB&dq*^#Hb5WS@lQ~^^yAr0_^j@QJ@;*|_5)7#RO=&e+~lNBUj zgjio619L#TFbhwvoRT6xsYDmgT58@<bXxu!3~4LJq3r2+i9HAv9J6^`2p3tALJ;xV zFrQNpUp6O`o)|~-Q&LzNYBJ@~Nunsq*phNmT6dl=@B#1GU!p~;Nw93jy52%7nk++R zeo;|N2AHSb1Cv^@O7x8^Vr8W_Z(?(H{KpwQiH^^`{xGAZyAY)40>cNUL>WFmQHYT1 z@(bNO{cruPB<n2?gjd~cQvBleS-z57s{p=2G$42qk(f~;`aa-aMVm9d*8cT$+$$s^ zzAawT$-6}Y(ePfhwgZlO(wx8Jvu~C9?pOq}L%FvC=ZKtk10YextUhb9#5rUd=IJ^{ zMy#XvvH>9l=<ev&vJ+Zv;P@0p0a$Kp+CYmN2pMRsFMaGv1{v0sG`4H>AIy_~9rl{3 zq$VDIpKJMAZ(0b<r11GJ5R9^pyo9%bECHl*Gf1Uy+T~fzzEo8L@nJ;a8dvjjb~Hf( zfMIOS^C~ZN2;*nVaS(282ir(ry)HxTc4iXDl`B10^u^cOh0-#WGWrh-f$?AsjK*z8 z#PGiUx}k6^6ubcs^bC~IGEjN7F)0vVCX1Cqa>x@Whi)%!Y@g}vt3`zie9mlnm^)zI zQ(VUI0JNzcJ3gZ4O8Q-H;)t~=G)XkUdF+8-V8fmxWfM>tnG0K>`s*d6F)MLcdMC)u z@Ww8)BjjWh2iwz^|IGM;k;hE?Bi4>;kMO;g209`RE(hYKyZ6;CDKhGOFFQdz_&Yzt zx;_e7v?&IV=mW#z`&pm1Vmsqx8<`eH7Ic&UJkM_5Y~MD#M(u^pziVAbC!UbKH1EP| zmZITKs9~cKE)I(rEI<>kF)~VgPP^d#+glr#F?0lf>x2tW4X?b)OJEhkGnVHCVnxt+ zCc!4zphkv(D4H&OaceGFcZo<EH<PNmv})!1p|~@h@}2Jq5BzP1uD@dPcjW~RL}&>% zbaZ(B1?YTP4){)t;d(xu@P)f0^bmla4p&mb4$>~rckqicE0&y#Lr?%%_#)=lKR#sl z5Hu$(-)Xzq&b10WZPzq)t(^d_yykLh5S5})m1Io~!uge~)R2E@=5k8iXrrN;K-UYk zNYl|Noc&B;wMNgXo<okle}_8*?vw*PfkHXSXiY~%Un(|I@T&s{xJ3_mlBcJA5m*?S zB8U*K>EI~zy9EwWKprc%GO3C2a`zvDg@__=mk5U;31$iUG*0})Q?=n>!vq-_o*&sE zFTHWB$&8!76%$#$nNMG_V-{gVk<PiMca_&?RoIxAz>F3gsF4_lXs(&6STGp4%$>=; z?+J7-Fa@zbm?QksC_FF+BORDN@<Ni3J}kx%WOLYZlUxQsTfs=t@vZ8E06c%5Nd1eV zB7t6<03l?h4I4p06(XBRl9=Z|prTf0SXx*?BiKJMH(1H{Vx(bZKlpE{0<#EbdT;u5 zMGh%r++r62Ym>?809u^4mvlw@@%)3%j<7)qXs>nE$t-bGAwn+l2{F1d)Y6-8N_U=) z8a7LJIa17OOv>8c>W+~IHPkg^rJ5!(izX1P)N_!Az88s0KPOt3KiW&LVLB5Vz-;z$ zw&iue%oUkb8!tBsLG1bf73kspW~HNZbf2<$DJZi<RM!$Hre<6}bPxazU>{bs*i8-$ z;3~j8l|^0eU~lykrLX^o!YX7O^^K0R+R^lIh_)e3{nWw~r3d8X4K1baZ1jg}H}uE> zuwcM{NdKi-T{6k&yqXdZ_Ya+n_((xbCeFu}s4F#I9iA9e(cMk?Xp7-4DU0|4VFLts z>H56AJWC_k(9K$tK!)y-Q=eILw2ZJ)b%K>at<SMrvkYf5(!aoaLDA-CgttLjF3+`W zJQp#JC>lld?SAQC=k$M(NJ~h%gLZxhw*0Exzdxg>e-xk(?c?O8=@|SNW=Eteob@?t zwcd@eD!}*)8GIR51V?N{FS9+<a0D#SZrn66Cj<Xk(h!5ej!supa@&x3TyP3=4x(I* zEs<y)zVz8RCR)8@<CovF7MJhJhuFWIQ$qszw7*4}9XdyW4?-5u4VtxR0hlFbo1-xD z`hHE30Ps#n$yHDONd?Y>c0L`sqmI$1lP4JX;2Un|hNGdR=|qV!^2Q<g@*e7n1XlAZ z%;pVM!RhNf7gbZwt`!f0rM;NuS;=n=X_@Qy$>}JE%4PHVY|i~&AefvYp2Zt8j1KiM zv}Dgmurn*v_}OI-aop_c#b{0(z;d;eBp1XN5~HPALfDk@q&xLCWJ5Y~FxF1bVOf6s zrsdV+wNq0;ab5WVhUmx06jF;`bw!2tLf#u6FB$a@%hwkic`g~E$szrq$|oWUI1|ud zE3ZiGJUS~M#~~GcT-~25Jqh`Px^_#I1WJJU!%vCG%M+dcvIu=6V<#vk*VXf%>eu>d ze1?f`P=D{F%zrv$Si3}0Jqc+%G7Cw8HGWt)GK$3X=_VC1sLn7BC-ibKPc+^S_t15Q zPcO!OOl!bH8JHkJaL|*j{~J>Cu@khHVvzPAk|t*y^SS29l^~-QEYzScMk~D=zI{!7 z$<aVb1Ud>mNqf;*4VDWo{*X>4Ftn4St|m2u357N8?w|gV|LjNWegCK=7;QOgI%37D zvvYz$OSWV(>>yVXK|cp4y<_soW>0RV;XEx;+g08nqNG2Cgxxpzd^*4*1(SUEo>K)E zf+S87c`K-!_>-5_iqQ@f3Lfzz@04YMZsQ7tw5P@Ss$4T%D|9|a3G002pJ~==rf(ta zl#p#X&^#wGH$i5>=&iloKWIx#u;z4Hh`HlRqI&VN*GWVF2e%0*C$SpyN#}q;7&4-g z!Oliw8KXjr-jGyXvduFsHkUf{^O{jfiC1E##GJU<=Z|#}ZN6u<Hy713&3Uz-4ZWVK z`59g(4Zi<Y=OF1o7<&DmIx;h&&s_Str~ncs^C?;it>1-phoIv<_btFno&hGI%x{$6 zQRMHsLqVaxGyVJQ_x*UHd~@a!&(R<7WPUFJ^VSH5CTn+vcn!|OmB#JDPzLC<kKQ+g z17D1^u6xctuk3vR>5cCd4D&A2rF#2$J->ENY)EH<M%C^fxrJBd-?>s*47;R&MgZ{F zFzaylMy*e58Z3~GmS_$T3MSY3`zQNK_w?M}vvQe1V<1sMe>_js0t<9*l!RQi0WU4> zD5A=WfD@pp&N2*%iQVXnyF+LIF*K!BByli;p64L(Xv(Nz6G|U%^)+@TD~^iJJ>7Xq ze|DT^THCV}-EnrM^LYN6DlNY21!WEM@4G5BsWe_Tuvq=BT$BOj44L2A0MwQ$`ur7E zQgkBP!dZD~ont%F6(lT_Dc>1H;*f}48jO{^phssUbYrGKg!5cyjYOLDTo($d?6E4R zlPp}q;Mk?x$)EPZB({e0-e7Wc9<ZUz(g!!iq{!^|*uH<{j1A75vDa{%;E<7!7Y7v8 zGq|R5mW_`UD0{3i+199x%P1a5Jv+!WECa<N_QFRUR0*f(OY7~;N=;48hBmQ#mxCWy zGhVH_Cl}YkeSDY2Ie<C=)N+V$ccu6JoAEE9fw#E{T_87cnxOPWxnvP5dsnqg(9$G2 z#md`VGP&7`YPUpFa@y0^iVXa2WpJnqo_300x7fCrT^vyD(I`#s)_&>g?JLLTTVX3k zl=btkxcS61am*vn!q>t1de+Cqs0sK&qcML=(zG3c6@cCZKlVvtP|Eg<d_XK20j<Ak zj8cR2&2*~w<FeN}b=ip+C)1_COKb0Uv|?>>qJ4io75t_A)<a6~umf&1u}LCdpzI#V zj|k#d_$`^C6fAAikA<qX)7vfk{z@qn<Aho&!1Xf+N*_nmcDteXmU@5D6x#4XMUeA+ zNY`z*aBD40&_&|_UZf5*ogS?T`Tmzj`WQ_K&$h*UG>=_BiooJDOTix7!v+Xi^mGkn z$BCW}?nO|)zYNFi?tMPOdc6nHy@%oVg{fSQ&#M)f&I5u!u1r${E?J)7s21eo5S0<h zE7_5<*N6y@^}G^sp2Vo74i3^<%PAuLW1{Yrvpa%Q^uFNX16x*TL}`8N<@Paym*I=j zw^Fv<BK*NW0i<*`+(4}WtaBj2GqAcpI&FDe9LCVL?vIjVWQ@0C45qj5TfK33a_9QD z{yk%#AmHuvK^`vd1jQR_rh;+oq?G;fd_hr+I`S1i|5ldms<Ey#wl<$5tuQa{$cG<v z_3Y{4E61qksfcGdIL55QHV5DD9t3&kUx)pm8^qq!UDJ^EKb&<E@UELAQ)*cNNJ;Mz zNL)8>4|nI-P77jFcK~moOp^16k>D-w@=<M;9cAsbL%>qCgPaHS_ej*bDYtihW|a6b z=(ha9V%=v^&)99<@PQAB>Vu)+jb9|TvJNDfIoVmE#P=0Y^+Xhi6b$nB*XcJ7J}<)@ zX+=+BXEM;525-@F!TZxtZ&S0~16?GjFD?<@fAW!vS=CuJX50D76=`78-k+?VY@B$P z@z_;*KZjBpM;s-5AgIN@C|1&{7{y+1%a<&UpRJ99toZ5^;8p??RB_|BUm8H)Edb;z znmKm*c0vAtsiM^wykjYmw|Ni5fm%$lS8m*xrrh&}Xqrdl<3nZL436k`ReCmPo0P<j z8>$Qpb+B0jVreyv^FK2Fp~Kn@S7jS-!%N_1R?v7|?;vZo1uXr}n?Xu(8P~c#gLW`V znsLrcG6>|-<}XRdFz#|Y>*FA;5|?rY;BjeKhR%v!q@Eo?qRAM7f=5@;9KIa_V8lxt ze0q%h-pb*W`b<GTTgvb2l|B~9lJpZn82BhTF_qq2Hf+=}{*blK4usLA*WpdPm0tLP z1`Epi)1PpB(QlxQTxWp1*O2ek;K32%UnJ|5Es`sWaRN^*{^klTj>O3<Rx#T5lw0ia zHunSsq2JHtqsdmz#2SirV>qttgo`05XC&uWLjlSa|I>10;GT)!|E4AX7vEUz@__Mh z(vaa9F?ffuusAikopUCJPzHaU<!F5N@A!!ppnipo4U~A)H$K$Q9s~S&D8Zjd+f%ql zJWY=9Vr14-D*up#E5q@};M9|Qu-2fw-m*0OgeH>64ol)dqh`*YHM~szhHQRDJrs0l z_5SqsqktcW%;s{>HgKu+H+S;pOejT03Xr4O9Nc)J&{LDNEK#&V%n$JZAKrVmj1e*M zl^Q&8IPBy)op$1Z%7QG0APEF%-8KFyD?c_Vi?paLPnwycN=ZlR)_Tk9yv^Yy*YWK< zBp+-5tg0M2$E>3H(Y_RJq0T9GRmDTLYdAN=qT<`14okvhxeidI^p<#lFXGjdV*9DX z1D1!F?@|l^-znKa;=ajpR*E4bspl<4BFa0bMeRyu^T$J_%{DFYl(1~teib=2GZHY~ z7Z8d?%Sc&_FJDDp&ho_}m@7x3Q|%!@qSQNTy9>jK$foIHO#FZR?iL>-Nl#W1awITz zapg@qb8s>0mCyi!TDLh}@<a_aN|5qtG5YCTj*CO=-0O?Wj`nI~g7`^KqS`oC56%+f zF#2Q~l_g8nzvQMAEYaMJ<aUFjnDDl<-`wQj#Gk-&<qyrffu6y!kRVu_X|xv%nz|Nz z^ZSl!V~SqaEm`$=kZ^*5fE9sYb2=fh8Gq8F#bO6O)Ef4UI+4B|6=aqNWTD4G%C4F- z32I+3A#n{Yqgp@Pmjn!3`-xL6G}T#Xd{Zx}YlQt<x1MKpxNRj_IMSB9SRg#?oK-c> zal$@BBAaSnm2SOYm+$_(HvU~8H&PKzCkO^53r5%K>8^1cuAW~M{{xjORh!hF)f&Qf z1lH)cBu2j6Mpy=#b3t&Anp9cSxMlbAWn1Exy_s@OS*qZy^hr^kML|rj0)HIFc{A8` zzGsJ6g7z?`tiV$xxRG|w8mlJb_<;*g94ou``-|x<&t?6AYDONhdT<lcxj`VXYd_~o znY>ga*`ihJg^#p@%F~h2?gO%OXF+Dat*r{J>6I{EzP6)OI*uvqUyy|3;smpB5aYRe z=^vNbBw+*(IX?i6o={HNbuj(Ps?v&3TBCD2(v=#Z7f|^12kIbSGgupMZi%X>iCBkh z33+OBnM(`21O(`)ksE2_d~&HvZJd0Q6`~-0gkpCJHC7p&Sz7iX#RmV9%jldz?_%+d zTa`|Bp~$Y8?l!dA`lmOP4mTf9RK2?!ZKT2*$(R*6(M{=Qh$l`AH@XI!d#uRIu6uhv zJ)ir?c5&P+$ylhl{fvD)+v_46Kn$#*uo<pEyJ|_)D^fMoKb&3=iI}m$jsMI?RkREP zmB!pUI3%@oFzsi^KrWR*XIw-jRsur;gU`MppAxZu45$&dWgS@UZfqEZ?~qnpI+Cfq zeLp+1fUSH1o}`~t3FL0{`;W0MtJ7p5U5xkY5)UIUpNlXZaqVnll2MwIn6X!S1R-ld zR)s@3X<onE?JOBzwF<qg+*%1ea(!RazpyIMI^d4_x{{8vq|pH-p%aSI@S4>8Do8TD zjO={4<Aj+vXt2H&sg|`pxpngetK7@!w9<{6cDO8-2gu7kzHWpcyyIW?bMj$fK$fu2 zA6rf8e8^G%Y&Uap-jrT;J)=`sMTqft4N?1)IS}rqW8}qHSML{u@m||qGJT}24|kHJ z+wS*9SF19@cO0Cadp(hp0GfB19N#V9u@!O5qYBX;CY+n5xb_?_erC^~*lkxuz8%+v zV*K8tk;bMV!Zkk6S97zE+zoHe&e2WpjM3bN&nAI*UA@=yl84kS?~F97u21GRybW*3 zOyP{v&e$Dqj}nWz&n)oE>PHz*nqUKko0N6BJcsL)#~;+P@1M9I=Rdw~jYqI5u!_h- zvn8V-2vSJgi8JHOe|bFOr@@u@$#>e0pM0|~V*9*a^*HTpn3i}srEfeuN~=(Qka}o$ ztsx6NX2E-tjab)mka{}I@|v(YNz*1hlYzh^9d$0m^O+%|pt-qiXL_Wd(TJ94Qja+; z{0b8;B8>ehf<ep#TtnvZB~sY>>V71g#?h{7R*t!DL190SpkWN=q$u*q!H>SRUzz)_ zE-`b3P1$e8T|731GG1((>CvwJWv^VYIvPQoTeWks)QbLE5r>tT&c)J-)+;B2*>uWn z?`yw1v9;=Q$>aWGIGrC+mx4%3CS#pDG89rM(I=!yuLe>)G$gJzJ4p+$X#QKwAt16! zeeKM}gPfj|H+=Ch^N#NbEh5YN;PD<g&C=zVgFQgMjD9G`3hjA%?`CW<3bhW}sT-_^ zIgd{S-C!p<FupV3y3LoyPj~A~77P~cx9laH<h{Oi<igqhTy2TCoa8wwxuAaxHmum_ zucl}fVRL%j=5|(GJ%(>BIS8pRa6-yc{QI!YF)T`38Y+N+R!J>Pq<WdFR~`rToxxWs zQdM~f5Xvcw_Ww|l9mOGU+GlPWMOFk9UA>?W&jscQTFv9&T=p7~K26xqQhu(9+9$4P zn_>WcVV6Ux+-JfMk4yiaF<ICCB5ID<XQ)|xg4B0)aG{^S<7Z23t{MW&zL;XcMqm7d z2X^KnFD@CfK$IzkTZBs$Qh4g4EfwzDH+dr(*FQe)SJh4@qvXW<8G62+p4~?xwu0mV zOl)($AD_4ED3=?!$vRz<A3)MPE(F1v3(-X1k9=BP;xBlW@+JVO#!SOdLL5`g!S~W= zp;6Ix=o`hH9PT}&fhHck*$8dFjAqfZ?VfC&Q4sc*QvD!aTMW%_-p%gKzI%Wl+ym=p zsB`t6xXl4N*yRC;F16|)MbGF4av0EGwu?UTOnY$%0h4MK{=r%Z$#hT+(BO}`&a#JP zl0d=!I=wo2V>^X3XuFb)0nJ<Y&jJv%#8W0gRM}~gx@84TQ&4My{1r>>XL)A8YFro3 z!zt8Zoe<n~@$&Lgsc9WuS&FaBxpKx|*mlZVv*ZnQ!0|FIG@s@OPTJ(>O;jn2R5AcK zbk)9~ZgUC0h=Ws>L<4rXMPocAWYT?jp6}yj$IO&=icPBhT-3%2tNkSLP`Dq%2}@m7 zM%a6QEtsBn^&6chCAd*3WPo?^Qs1v9s#`2;((X{crelaJO-gry&K-X{OoCagjq#OI zgR{f*H`;dK$k%vLtgxe`cN*uPU+4~K%fs_}UamFWVP2n~rp9k)h_uw4XDg30?ESEA z%kb$3>>aXV8r`|O#@q3NF095%o9>}Y|DMM2o$)=NKqn13$gqd1+6~KTmyvXrI-zW3 zz$?IXYgPGPPIb_|lyi>ZzBZR(%%F3rR9P1-d%IO0X|w*9s(5ybiOt+qqHoWVbLTZT zbVpwT_G|7p4LJKXo6Q3p`Y^K!co&PlyN9l0T+IdU?lh#u*?tje&tO2=1CFWVX<K}) z6=wt8Lz%wdG^Q|89OucMA|;Y&uY|v&nq+nYRPxWWJ!y7lk0VKP>(T)5ds%VYx;=h4 znwl5mf@YS>w{z1vZ0H(r%fROQ^=#|=>mqw)Ocz7)3ngh5pkh>sQ=F5IC7TwTGY1=K z?7OP7NIMzHc(JzlivBuXtj@KAv*N|p=!$55rPbOQq-|V2j#Iz=NB*Bm<eJr~2}6~6 z!@WYsF7aOZRJFZx!ZODN0ZM0-G&w0x7@|z>3ab-wQbvSo0OXdg2wC|<apDPfJfXDs zhSkO0E|AU4H}>MY<>G+uEmd>v*1p?)z6ZUS;tL4<!of_51dNEDDp+~?6q!c+Q9*5| z8*Q~2BmJJ{pe0#0zTMl>X4Eb2Zw!*xH;r+WV?7FK^dMcqJOb$%zhYP#uyUZATY1&M zii6hk1`5U_!#!=ai}5FOwASyBwH7S$HYnUeMC=7D!C-nlJGnDXi>q!mXPnXO@bOEG z3ooL@TT1$t_WU(mQ3x5+4aYuU`XLswd%uG@dBgHrWi(Y%u8SFrlAh=XJBs+w*zzTc z#sXVm=A;nvC7dmfi8hz*@#8bbS$_!X?jKJu3vKRqDn|^EU9)ZX-Cp@3iWKtQD46Ee zG*7iv$^^Z}FoY}L*f70U1MkA4ri0|AQN<=V5a{>#5{O$=6k_wwvI}i4$XN}xKS;?F zZ`9%7PgJx%d8C!~fNTSrauiAqO=g)jT2~*4$xKdfavW(jw3ecOk$)+7Ti~*c5K=rj z%0xSPuuL%h2O^M<nkuIbUugHNw36hJ0d%%@WOhOVN6wPC!fO%mT%A4x*QXSxg3F92 z&JGAwgqE4i;S`M9wcXP;6<??JleHtp;s?^3?cKFY_@V4GbvEN2NLaT1u(9ux!&&Jm z)ONE&RVPS?+{CfIje3<l7r>4Y0;$(POv3E?F%b7pCBv28W@e{!w4o#FdU|q?EJw~e zIWcg~a+I`RYKxLV2=>1ao{IdbGITY3?o%95!qHP{nQp0u@^t@3=AzHgJ(K}k8Je8; z=&Bxy5aJA>bMRxXf#wTUI<)+bpr&3c`=b{|`!O_7Yo1{n$#dH=CL^sFtr`xgmC4Ua zZl*vlOx`e9hp6YImAOZgbH}^DBu4Uyj(_LWyg_!ar#gsyH3eeP0GZ(|XgIIz(n*&Y zjOcq(VXlNYeTV$cc6IFF6^RZ1ED_2!w}z1jS0ze;YCH%32*G^dX6ZFJBR2kWH!Wj; zZOH}F8dwUAD3%J)={;G}88yQk%e}bvj77hiU4CP_l~&1QD!lb+3+wavJO!wTC~~_Z z*ykxpa9SFG`!538MgZIubyd0V=7|dDiN$%O5MWtZ>q1G3XhoU2ZbYv@Fd!Y0LK{I7 ztF*1$P;<UE7WclLng#TTD&p4sW%n|B$UKFUL}=Q|c~glCqSwFCQf|BMi?qe7zZ@sa zC6}B}fn6P@ey^CzpgE{C6ggE!3?V?j^rrMhzk|!Mparl&`Dx)kvEni)G=ApB52bAk zWTU-A8pG)BUOIOemHcD>S%-!|C0+~NN1R_$fIV5agrK^s^+$>WmfRKi!$+#eG=ej; zX*CS!1l0BS=?fl_MmZy~2}MK2ct9HdNlClV@rZ)8POJK*SW8RWV}qIMbC_Bh+=(Fe zZOaq;dJjFucEMtC*ShkT%ifMo-NUIg=5GxHV{*AyctyY1F-9r3x=z6RpKhMBlPHQ- zntNb6o10&_4)pJTviX+d$;B~ZMRybBunMbjx-hb0VP@vLDn09BVfm)RIRS%gBeEF_ z$5)d<QYV>qOw^4PjDH*PfPdFJFGgPHIxCM(z$wSM(9A#DX`G{O1h|u*JCOi34udp3 zMab)*QplB{U+Ktk#*vHxq_@xIJW+E}-~v4rRudGOqTP!k;J+b5Ej&=N1+Je*y-qQd zvao8|m#VW{K^m2qKA~KEz`(!NyHi;zc63bo(4$&ellqRs`9k!)p!0=|oYLD6IBD>+ zV<GGOSOjjmf<tmha4uIQyNG*@{3}7GWjM!Tq}zk9eEr9Ay&+hqZKEdh0FzE`=(DVC z&rK$kY3%yX{nll8`Bil%8f51;UKYIg>ehgX;pB5fCGU)q5F45YqMn$83T;ie`;&EN zlPOCN+^-kqm3#?Qjxt!$_^D-euxczxMb%A{z&w<RrkK|K&<V#5SEqL)&O3EICS`yc zdv~@bvJ0?vW%}6DFs%u6S=-S3zCdJ8UZ%HKt$c#W?XW(fe)xF7py80Qt7;Fg5jBD$ zJlBK^(+*i8FTu;iU<`7ZAT4Iw!zQT!1~}G&(kUi7I3$T8;1e@;6%_7S0EI&2FCJNc zo1TovB%_bDtHAwac=VN*5Wby-5fjK!pV{KVbG<n#w|$EpA*I0~o6^VxifBhojlN*P z>`WZq5BPsAKkXIqH|szE0R3P90BHZU{204A8QVCT+uHo|{X{GG$7IpNbU*%CX+o-# zdIU^9S+apwkz3xWfHLlbnGYhC9GJR$bp{g3%NA+}8GdPe{IX&|x8_lw8v0s|uDI8f zdTlccek?>=s23$`b&6cE_#DEz#Z5-mG}bVE27voEBXnTa7|v>I6wsaTN8+|?WMAy= z*n6VSnqMts++yQt(MV}t6WD&FTA4obtd4ka1bf1P3w8S`(pK&7#6c7W*DXM1*6xQy zleSu?H3F*`C*Oy7#~$dZndOKUY++H!5p%UI<uHEZ<)`jg(@Tn7SZ!PGtT9#6u?4OO zBcRy5SIbHGrd{uaVCA9P+3yxO+^4}Ea;uoKJ8h5|W241E@>i~JnLG1m|3gL)oZB!~ znohkF?nl$9q1wxnAyJ~k6w%GScA>7ABC6=2UK;_D_>mmvJ<Agna}?J|8Y(-M2Lmel z04Ct-WL@%U0AU@8pa9h@Pk47O@A8M7R}WM+wnad#AG-C_u1nkIxW)9AXNDC44#gny zy0;3zwFrv>C)^Qg*?(RZB%ysv4{?e;?;*xN-GTy40I0GZks(T0>;k;{2t=*lKgoO1 z1yS!!aQmvZk4W2Q%1jCSB}9nDwO%?vlf&qDb||D<w2~?TH+<XUzPh`HMC~-JQU98O z<}q$MTSIV<)C)deq%Nihxc1dWuE>)TI59&gCq9=UnBfBU*{HANRI&}Q4DjP5fecR~ z)kPF9I$jB>Yglg5vn)GysdOG(m(j({5Vn41cq)fij$4<Z{1lLMhV+Rz!CfDu;nYH4 zC`mxNXf=tc!ZnmR_9O<*!Y66yLodNNr<Rt<U!NpMWf;@&LEh%hBni`6VIZD*`qC0k zTr(Uwd5JZL+(zeV%I*?06*QVIy~2Hl_hgw=u08c4aFr-1SY>X9*5GJGy#)47D2uvP z>E7t8H+BYjEZ9R*I7@8YS`%HxN_%fDl;h|K-QSFgJ+=$>`UCjC)c|tQ-)#a403Zni z0D%18YB04jH!%Ev$Gqxh%qA;>_p2IA6D)OpOP9;RRq-~;G${=bbpXCZd}s@TnK?BB zl>(*2@V!)TcWBa)7OS=Yin<$(g$=jkiG%1Zw7D6LREg%KHl;#}mgZ$gfhg;0Arobl z_0+Rfij-DUC3|(HMx*r*Os#2U!{2GzRk@YNV)ckhW0!auwaIsG<9@H<^@DRSpL^zP z-I-e28B@{Hzf|!P4I!l(md55L?i6a~TUKH_)(KTwn-;Q22`WmKQU=Bs4b53jvxN%2 zIUCl4CT<JdUmFnBMHACz%oA=hJ6;dr&GF5WQOj;<qN_v$WNwpp#nNQL-3ZQt$ozt} zmczuWMHW)k{pMtt;6%22Rk4IU-uA9&ocm!Rmw;m^yCDq?HtNB(zU`fnq{Pai193EM zzVlcWK^DR@Mnfyo<ZjI`<_ZM?zCyC@2T4h*OT0ESWq$1oQdNjFf3K?~M51dPX)5q< z7P=6%Hs}Ksl^dR2B+G9!lvF=UWvXw-SM0KgfR$TYT3aZLG~-6gY?>Q08yIFP#jP)E zFZ#o~y?#0E>oY}*q}g-_j!3F^T*B>gwVNeoSUIN9nE%na`H0V|?@p7jr1&(CY(Yo5 zmO55E!A+lRw5l(VR*efsP#+f5Gk6_SS789$4*-zbIwxDf$$;^}Q9G_~;X1h8QecAG zK(XO>j28yWJZHjlOz#|LQK%1$=|3>x>P-$2wusV6%?X?q+>(J^gboOR^_N0dt<abU zUkwE**ajw&sf(`{=a6*>Q%9hZ9o+QX4-TSV>~Ohw+#;A{FQW$e)08LhFXGPgIpc)< z2}!mfXsGSLwmW8&!sN1G=99CWhR@%o2gK)^Rgj)Q3HfJN-8Ahya<NrD?2j^j&5BQ` z%ZElWXOop1EGj{MFZX3lpG3_Dg;ce(JvxaU_V4aQ_fYcTG|rzquHmBy0X*?jA5TNF z;GnlGucb#y0B4#Gl-Viftca4Fms2DXp`uIjTDnPKcl-7YE9GN?>mb<Zs-)1TYUg#l znm^WDc`P}H37{H~X@nbZscVoSB0G(k{M>qDciYxDorIE9q+QVgI&d?ym-oGGA>%U> zY0X`pbh6~oP9Mqcy>NvY9ww5|7Dp#1C*ew<i084@XcOeY_u*}OUdP>DF5jOnUTq6^ z4SbJiS+GG9g*t>oQL10Ku|K@8e1iHXXJJceB}RF?1K&lU<vdU-8~7*OW4i|>>Ka|X zAjxa5S$G%$c?yU`yRDOx|M;F|iIw8)lPO^G9(jk=BdFTfT(&?0-*SZ!cC>TsmmF>@ z(2si1YL>oUodgYjH+j~%4EPHDCgMKqEnzd-kza-&BXs|Wf&3W8f7r|?4Fn9TaI4!7 zucQbX0>OGOZ{t2j+ZXlOtBM-Hy>jzz+Vhp9#ysTx(`Rs^quX)1-8rH|BQS^ke1YLC zqBd&|p)t#tZ`EQ3-nphJ(#q)up^46~X+ezc{JIGmuAz&Kn&6F2{`OxbGesVrTC;6c z+w{A;yG1fi&QXM<pTqq#R|cpdY4y*#*5>RYQMxl^&l3F(R(@Oq`c?~~w5XV^ChCw0 zDOIYIFFIHFl<x^Pr8N#ff!{$sWFLV^$<IV|p7d^X1SirSx_8}Gr^YL-US?|z7HhF- z8|yX3mk4V)Z-R9@MiNN>#be#Hk-?(Rd@H$XL1jziTpe5hva~s7sHe;3Y5R6S2f2M- zaW$)x2n@cebzM^HSbuS0Td>}2)A8uOj3Fp;wWhvM184*0?fG<EUc1KMUPhA?Nt;pA zSben?vh)|>z%96F2})!+zlDBL|F9&%0y}FHm@{XXcm;&Cg)|UDEu7c=Z(EKTle4`1 z*Os^b_2mEYC7W8=8vMU6SzXF@Q}kadjhb{ZFv+UEHF!5VLco9>0$u{9gl7V%xk$`Z zbva36XT;FY$4rm7WC03MXhG<MK?E09tZh&F`m-K=*v=yms1^}7+Ofm<Fq0KCU0V(E zn>wY=QXf7|CFaB*>ZmCo)duZB!|F%HzRjam;)oju(i{aqH1qoLJJtYb^(E}cDJVL> za2VWMyxqUL+kFQHfJm#yY*R=?Z~mqjQ0nnSP-(&l#b7_wlI9>_M}|YIDikb9lwA@q zwp8^doYRG7yrv=yxq~1jz=x-MNMPJud6F8zff^_x7&TT^g%Rgl!afok3(?A7Sh72f zg8OM-rJ>ZmqTTTU2;^-GV1SKc{>^521_()MXwixY=q9&#?vKGmmV)wTBcS9D9sKef zsKZ#rmL9tggi`5KNeqKmHh4-vcoQ@}Lhg`Q3U_EQ(5a}@hN}Jx(iVr4DVNw=KT!b8 z{1s42Gf?8`gc8|I+k2MJdSH{72a#(hWIkw{+dH<$LhkC#ZvbR04nlF~vVQlV=6Uo` zrO8Rl1et`5oIj!(f)x5P9KlhEygHIMApF)T*>VznJ3q;^fM7p}eCf?6*4!_UyfmJK zgFx)V17qN8Cs_e?S1JTEzllF|q}i5~2k+x3G1>B~LWTA-Dv$Z={{X|dB9fptVPYOI z^dQdzRDI6HmH|pgY0<<=Q00y2L&~Ya+MX`i_tWczb6W!m33};_`6tO~u;CSDoh@)7 zdQr_;<?k6hk4>|_36L8bu|5Q6w02_21s^S;qt3_pbJRpC!##HhxIAP4A}a~7%Kgf+ zR<vwIV<f#O%w(MJ+{buo#LN$8T{|41zGxJ+2JqQTP7r-KY1)WfuFOqW+-(>*#@9um zolI@l6x}}r#o2D5b!%iZZvWuRwgwOGjiLg;N>tRULpl?2t>*msngtKWf7M7~xsUd8 zb8o1pAo~i7Y=oesp;4%4%izJt&3h7|T)L(!A7N*nL<wn%I1;HzCdkq6L6GC_7Z?8- z={Mc7f{s8}eKMMKmWnEie;ByVA}zQCfzJel)@FltnVuIK^?I8Z6JzlR<LxbGhO?;S z1tyD_uGmw0Ztj27FDRk5EE1@!;;u;>(N#I2dM5ctd-@uBC22QkYD7fl=U~`^?SPqw zD3j_o!jzE(P?8JX7X5^+`_f3!P-f?Fv!>K(GEU^lWYusoEIeDFZpw#nm}}41(n{3L zk40;6xR|rdy*8dJLCY7eKvhO%7wyC<n2%bs!xP{-h<yw`4D<^O05>TWio}ns<btyU zp8t`-O)=rsP-;wyERJ3gR+>ef0i4FNvOz)6zh%e#83z@<Hd8x8L*2YWICwg*J5rpf z&SJn-hx#_ITVhPOfXTmpj{i<5?%+CMr_FRc(q@U9RVm36Rdxm!18*!##JDfTfUmaq zh-QyXACsn&n%<zautjigVEX*~_*oCcer|cY9KK0?`>K-cDEFGqgHi{*HQ@o>VoLmk zuIj&35#3;JPbgaPk&m6D5%CR4R;Rbt)I4juDB~^EZx!5}+R35>_Z8*jcH%H;(i!&6 z*!er10cH|<sEzy37|j<YgnW342UUs{#Z#AE_tH^dllYuVYoR&PQ?UcSL&-J5`Nf*% z0$2HIv>n|^v?aW_Zce@QS<XV)!)N7^DxYa%F#52?at`^PQ*`|AFkgh&Vx;ThdRpAo z*pxNv3rQ-Dg4lt}P9^JU_EyDVRR=4BKap0rAn9Tj^Ru$oYz?rxZkKEv)nu1kao>sJ zypp6hZEhCB4nKNwA|&-RP4(!yp#;?#w*4;^N0-pt@zoA3Kp~f|<G59f*QZ(=fx7-; z1;s*C0dwk1wNdi732h|vJ$O<jAhm)m;(5lGvmtH8KWJLO1{L;z*iw~a!;~cSR!b6H zh}8+qRZQv9b91NWh7FwoCf8Zucorj-+d3{cJgu?I`<qD%y!Xy76ep*rTcbuy3S$nh z&g{X87hdGYvN|Z)%cn9YjE~K&?EfMZ5Z=EiW~2U%>HvWMn{s99Y)-?(NNen7eAVsi zr99lu?#1faz#+lP0d0lP?*||-pI0Eod`Vizu#S+tH<GMFNZcR6Y-27p$l<33)Zb|7 z$Y@nuy>nsRogC>y*WLQM((*8<YL_|}1TjJ9>nD$8xfC9WDJ6~CaMU%+WXcA)_PNvJ z>;3D#pXfL<#m)3MHTB5-$jvl6rOMY9$mD=MI+$BxzvUzQdwTTq>WlKzVERRn=}GcE zo&E_cwUhPEe^_|=xXR-FyD0<j&Gx$=+Vk3dEA_tXLEJ0x^Y^E4ce1u^Ht~1+w$|t9 zq^c?^Kp2B3=Pn)1=F>Le>r?-i%LwiB2NomXwdus*fv^j{rXwC?ZBxK!bcZcI@v1xQ zD(Lk)mUk=c{g+I8n>I$vfZicwHzC7Fo6VHj2y=ns1{Q*P`H)l_93EO~$rG?wiJg`u zp6vZ33#@zb=?E1ptd8h59__Pr4{3Dz8~o$R_j7f_cY4j~vg}Ll*Cqvbow)z=u?9qN zP4&kj%_~OB*>UkAv?!FlhC!DuF%#6+RtFaRnbUTqzilvBJx749@fOQ&-?vNT_qX>q z^VdRL#2>){YXihIPpaog<AjF$h=^I)K5^dGZczpUyA&JMD&sm!Q$g>1&m?#SBOurI zUPLB8*U+b-2){LYmRf@X3r*}%%4A$AU;{OBws%3QwZ6;bFi+-^zPc)^WR3X&Kv2$% zC0UL0r>h-@zY(L14H9Zi9g|bKk&_Zu+j~1=<HZ_niocpmYb4daWzZsz-!Cq;OEC`G z7SBDpdvjszo?kr!K~twMIeCll5yyCAf>j8g+V>9>N}9j;cK$Ues@`J895Cq0r_diz z)z;V_YG|tF7Asl=c7``XW-#7qs^LDzJ4g(ALzy%46opx2O+~%x`vs3Nh<&dy?hVJ_ zP)*jybSj}gUL{!y%Zgo!69Qg&f{lmrN*>^&`bA&GxsTB)pv9;DPu;nH1K{qkFx|@% z9`NJE@jk(xP6awPrF134j7~*MN%DCS{50+(pWeHkFjA~Y=A_T!z!ns2xkQx!X01c( ze>Y-DekssE&<*j{wd2G%M-6UIx0_%mh%KQ{8v19HF4>#axzkQa11}~5xIgHsdZ+s9 znE!IS<?7qRS{pNX(Np`*lhWGgD8`|kCG^nXa=Y_=+b~K<DzT!evztp`p@bVL;_|>6 zF}mk%<HxoJUyG~64TQ^u#t+ECfzC>x!Xt^K=OGV^Y;vHdam#+VV=c{P=wN(9`T%4l z_sf8>hoxoufnqkgq_IyABciF5)4BoKbqH~@pZj>MWDP-L)~(g8$#6{*!J27+2-|g* znDYm$faUSvf4aCO3SC(i{j#FnWpVqErRt6d2%P)OR3F=I%i8ck?Yo@q9=Fu>4!~M7 z7<%r_Lix7SpSa)1h6$JCTP~<C>QSG{**PF&s{zhy#(+Wve5e80--%bYzkYJO?E1;I z;_*)b0KJ{C-2BXq&#%+tQRtUu!eKd!!cv8%whE!$^`)8gy7XoQr&(|SrN9)2yaBmJ zrwm>e7qPVPQ_Oz{(e-)F^?=x`W7r4XoFF|3_yIt{cSl$|Wx-ZUtve{4iLeF(x3mY@ z!df$)J>*Rvz+?e=Tu?h=!%C12p1{{J_x4NKG7^j~j1b8mGJd#`9$j~Z1j02u@Zs0f zxE5#=tnBXK9oU+4!*Fap-AI#KLqYs%opFw#vcw#yxs@&0Gc<8b*R>bs=X{mhh&c4M z=#0r=Q1MkE5c&srxv@Bm>C4MS=ML&GI8@D1jb$0y1BJ8{EZJdi=mmdhM%boIjZKa9 z#*B^7aivk$sgisYR!{h07!sS_=;n_$p7bj<$7Q|0)f{wJXaU@5qf39-*5W@7<WUS} zbomi1q(SRBl`}Auu@%uXLaJb1`Zppv?_Ic`k1elNxa95xl|n!4JNKs2zOg`z&RKqO zqaYj$r{aN84<-!Fo}X#knj`y>F>2Bpi<i@+HXN1l6$kbkFhsBP8rag!iZgab8{MxZ zVFTuHO|QjVgSrE(rx^G9{pE792JF&oMVk^y!X-zz2?a9EzbdX4>iaiE`h&9kJv(cE z`j|vO1g=s>XcLf`d17@LM1L)KI0sZ@q9f|1O#`Qaxeq1}&mzy_Wn<JRmBf#rq%+U3 z@W2@djZ@}y8`W)@(t83Z%9VTLYdg0BYd~+qN(^Q79k?hxsprsGNYyIYYZ_woM#RcI zpE!|AT7^Odz}40%h4i!yJ_15Q2~*Y!ao<Zu!<co)iY1`pwG@xq@W81I`A)N+>Z_K+ z!eCEQV816!+_|mEmm6W3mKj`=+te7$x5bnXqQjgnTzr&;u45W!97H}j#msOOS<Gt? zLY=X-xw-`B<}~5A2CmpLgihq_zxRKWUYjR4U9=VOB4b0edpO|xSa)JICKqekVIx2i zuD3F&TiCS7-plU|dReM)@XFh|N@DXcn`VZfVvxzG7z!y4KN3E2pyVj<VkdgYA2;(k z3C5aiGrOpq1uBG1`eT)B%Re^`VL>8Bn5vk3gAs3&7!QB$_lc3$m?tt(C|05yozCU2 z;T&s{>Up$|+ktC>j0D|IZBt8{$@65zDxXz3dRVC2=uTR@_y-ScU1m{%xZR@+5_7X= z97rdi+H7}LW1{UPTVD+0^jYgt;o(}Wna9GxiMcdBMkg&m*o7Xi&(gJ9HEcmA=LS54 zW`Ox)K?Sn>hhp+_)4KHUutQ-v7lS5CDS5otF+%S(l4Ry|?tADZ-~bQ;uLC)f6p0tY zrYtR0?o61M1)&$FOFRHh46=NL2bEE;<z}&Soc^O0Y>S;Y7Y_?oQo_PJ{aRL%q%SY> zNf=>OWXaT!38FPd`yNR{-^S^gWk$2L+n=RwdnosR@p~RaibA8afS8&VqFBYO8Tn2} zp3Pa>aZb<99)Lq6<P4UN!X#Gqi?Pskz|)%*PHq79>B)9ITC<E9fz4Zp<{1hTlvCR+ z6IIsBO#=|jNq?NoSSM>vr?C=SHRWkF@|R8^!?|I`bARCXSSE<<<IHQ?u)uJ^oeceH zS*H5|IaY5Xq>#-laYG&L!M36Bia2Ya@_wDpVSuwtM%?M#Bt4c;!El5Dn(Yo+Cdt_| z8<H1RurzjGc$vUWOQj}^d(Kz-8z(|V$F<!WSY*zb$-BYa0mR$1=tb|0{a3Ljbfe>U zP{y6^`SSN*aBi4_0--QB_Q%QI{%~xeT_FMU2|T>SHR5ws1>%@F3=WyaGv%W*pa<za zeXu4j=!>sV{0WfsjD(}`m7W30`igsqSID4;0z+^mR|x##sF<d@z}f)kLe$PkqZWqY zhSuj%{gI{<UO*<;?2GWg(REH(7&pxB{R(8|?g~zeB1__(b_tUPVR)mO(OV<UhR;ek z0R<~M4-EB#;24jxl}&`NOe|>M{E3hPze|SI#r{07E>$nji{o!M(NdRLyo>|SLo~1} ztTAV(TIaWPs3Fy2SqD12TD2?Mc8qIwObn7gtj~V@Sn5dYmW|7hXkNEhmTg?sIKmTF z+9!Fxc2<oVOIFhtu2HtEog57FdgqNAORcza27M6p+}3s{xQn8>qRydBub{-a#sb$w z-Jw9^h>=uEGKp01I<Pbg;scGlvt)5v{|5_Gt7t&T4r+&Y?l55Ye=6{XNmtY)Gjz|; zL<>bq4F{L8q2w>o#FsQQb~4B;KSHIbG%8N|>(EH;Cmx(`5t-lM*74P1D4qfACZ!}{ znlDw?>A=R^snI-#_QZV&5V=7uycj-tVHTR<5KaY$_sXs<m<WwYE@Sfkz}A-V{%{uQ z!E08H{wBv?FCVjc+>T`ucojt?{C@yfK&Za~eL{!m4M8dvvb9ha>~j9bHNclpI(F*@ zR+m)|<?5k4J(RD93iQxi3{ieEmL$j%{S)gw_)ncrTXS`zq$7Hxy)Gty?4MN&tQm>s zc}GyaRKO6?3xjfO;fDGZT}eriJ9u_#*M4Nx*+*)CKuEO}V<14Pfld+uz!?%PgJ-6O zm2P8FPIR(~v7oNqk%i(|PPy3LyBlRkLV$V6R~?mR6y^`pM{Wa}trSSrS~Z(gHL6Q_ zlI_S^H?@qD#*?h=Q$Xfdt&`IzcMHIoNG0z`-7y&wClbgsk}go`dMt;B*a7Fd6xpg& ztxJJQ4ABfCK*>%X6Fchb4)Hn~$_1qMP<0<&gY4kyQ}%-f#~HRv2)X*)egWI@%LPoE zh+0U?5fmELg1C>bQo4nf<~S#%k?NT8(7G#$E>lWr0mw6XJT#DGt%3#sa2WvCwS(;d zr3Im$+S&w5DHrmAr|flRc^a*l1gaPQ(<fqjY+_P7h*m>kFgoYGs*9?wZk&ZZh_<WS z-RbIq0=IU$F5HEg?qX(*MXT;1eVfvVtGhKf%HTY7#{!%`q4CMlWrE#9>MX%?a+)pN z`!7&{PZ{Ey<j~{sptj+Az~NAFn?(upN`wdTbN`(+ak;w9eFeTt?yR{Y-_hnChVSd{ ztQnSPwz)O<w%iG%kg2%hyuCTzbSSz=-0RfDy?1NTO86Rvui<D3d|iRBE79BFD-K`r z=v=+FsMuzKQml85lP%6N%@w!T#hWewQ3BTDUQXPbUKok~jp6Tmoq|;LX*mTjSwYuo zIr;FhtrKInX{$ctxQ%FOe$bHUZ2J7|92<hq7T_%23N%S~-URwK3QX+;3~>Umu>!Pe zy)?+5)3^ZjaV=-A9!|xoPSho3ra+J2h_d?U0mL!CKxd(%)(#(w^2R6$ebG!}f&x;Y zF3@ddp{Xya0C<@+jEcYu7Lpz80+^Ew#@uuv38R$0QiwC<<VJi`SFtYMGFZ(RRZF+t z0j*gDs&Hc!>ccx3sX>`{HSVs3@D*tPekY`K@&y$L@Gt-<rTekiT4`z{e$dbF(91Q0 zy_<sOF2>rzK)$(+maicbwSr_8=t687QjqOjxqVtOC`e-9PdM{TTL9l}F3Z26(xfz- z!Ki;8JGkiASp58Xkd4ID<}*P}+N2fj#>lBGvQL%ItIa*C+^u}U!?$Cw$wvnZL8_Ug z&mnM+c02v55Y<rnVIhhE?Y%^y=U8l_u(t{syV{$3<W#$>Tgt{Vo6i8>uo_77ndmPY z*Fp35uf{%T0IjvQaTA6m4Bv<0q%u1L4T)w8C(l(`6QSK}rvR=v>~Rop&~{9g1W52; zLOad2qIH1-h6@G=*gnh*gu0Pf1IGSWGFD$%pwH`J3_=9`Q6fk*FTHppDqLP#>i`9Y z_S}ijjpOjy#lBx*&tDYdv*-?dPDeucY&JB<btCph!7ils`XnJ$KvN8ID&20=8RG1% z2`-@5U(uzLe|h749PFX-x+xP6xt;|USO5g>A8t^a<NK>0<hV8VR9tJ8i+7g5YukPd z;4;5_{i~S<OosUfk|!(sC3t6Vu-LlnFH`swpNXi|Jy9dtNaxBu^!Or1bTB97(d9_B z^!b}mql5?xUCbhUz_c*E(^wWJGz<Qz^tw1QUe0_#YS#-m^fe1PZdVC3j&3haKnavX zC~9;hBGT!XVC2<$=)Yq;sQzhg`e%%x+n^f*b%!OBxUc$1)acKst#NxBu}xI?8(5{T zZnT9!vzQKJLtXHIeux$k*99VwbhY|C7=!zYP{_8EM<{Wfha5_C4~JO{m}MqB5|jm! zIXVIKAB0Rq?PmjU9LBYsehCff-2|~C(!onTB3km_!Jb0?+)RH3NP)KQ=#zPr9rQUC zc0za+l&q!l&=G@`W?V#-mwJ4ml3*2b<Rb2mxMd*cduY}KG%(YkpC^PWt^O34fmPFT zwK5lG$!Hc?q;3(^g=&4STF-;|k}?i$)CT8@XbPA{NvYH<aMJaFp&6>ea;3>$Iw1!n z@EWuB1t7F0ms76elr;iZ3wZ|0%udOqJO-Hxw7dCDnPgmRie?b^hNEWjV7SIjdvC%9 zf?XyX(@pJ~X;gYn0F|T7C1}-Vx(5Z<LJdj+`LgxXBr*ew%}x)1lC#on%2t7s=fR9( zFhvX7j9Rroj?-qyR}LBF3G^N4PNn!pStQ3_UPM=8fzXt#@6@kI6t?Zcrjd24KdG)b z%#>zbPWwnRs>z|yi@+`Fo>%aB;5<Hq``NRPJ&&;`WzQ4r8D`HT@T7wSng;e$5v>-J zrnfEZ#((s5w!SKU;AH^hqzn@LHEL3;)?LAsf+HCmH&AJI%Jp9A1YW591KROpRt0cD zfb>O%Q`xG(9%k&PkT=+pz>mi+3E+CbrPMJ?0x9GWt_O(0Z$od`x*TW4KplLwO;AH; z5c5zsd%gzG)@QziXW*0=m;v~dD+dsOQ=dN!FL8S&#I+romtV4c<2do)A@N|#a+pGu zZqYUXX32mpEFKI*HbIm>EfV8v)!@^R%@GlQ_+RNDkP3pCHh>Oc&q4R@V4cjmZV&6y zJ*+eLuuk5Co!PqqvOzrx&6n;`s8PCIp@KB0s!Ga%kQnsg(tHTvh2DEdzWLroBj1Kz z8?NcG?-sNx3PzGrdUN5s<?@a4JTRa1aVA^ij$!oxVk3qw2_q#AK95nopW-4u8~*Qv zGsJ^$gers+Iyv+ngCuniwyZZI=*3=lZLyRU`){mR)(5@+%nGE}6v#?>oRxC7w5;WF zqg2syd99S&a(SZ|d{{`fhl8))2N2A$R-Ra%hy+g6N2}L9g1@ErrjhUb-kG?lZ!Ec8 zp4RfXVSzlUJejp+B<nC}n<X{|a2o@72?20LAp!7b1XwKw-of{yV&F}De;*VDe9L0s z0KPYgfj#(ME(ZQ94Z8=aArwUBa*KNpx%EM&LMfXg+JZ=VwbCpSLdFa2LCT{qf&_0f zmh069!eZb>knUGOJOL2B)oD7R#8!(>QILyb;4xh4i+RMS{>EVt2VbFOk_CuoIs6G# zRbucbFw3<Z%I^#!DWch_Q@`F(PCFaU(DVK9WJ_A=^F55uUtr@{1u>m$tZ@CZ_az7p zG669k`d19%>cE(BQn|6oa>i&9VYHxJ(&W@vv5$djbU+J|RFZzw16a2h_$?21@vxk^ z^Jx$cY7ip{dv-GM!))iRJhl~j{e8d*+WJ^wL=0RHWn-KF6%)T%g*0E>w>a)@#CC>) z*kpGoh+@G_?{zTK1E!`KolMeUCD93Oi{q^fu#>@Iq@Gd7s<#L#B55N$028u<RPm0t zqy>82*mm)CP7NWnWPPsi(8<`CM)VnxVwe>87(RFI7-_GY9zqql_bpt@kF67*8e#+f z5iSzP9uc>{#^S#%{%8TJTCqo^A1JZ!NpqFh_r>4~kT$@oZ_&{fa8c)>#Ax8M<uY=| z2+s7*VpJ}~z%7?GP0yAunb(jY65bls6czMO)il~Mz5j<#vYJz`A_Hwp7BLt>9uot< z!o9^b;^UQ0q4yn}#>cf>{<i#xPEM?QYwhfNi%Ay;+nDg!1u0t=5k{BWI_eCl5zfj4 zZf0Z);ua-1jFUz0D0L4~DmfF)&<n=wwgDUyK@GNI(&D%p+&;>b8k5PuM;fa_?*xc_ zfq`HSk6SBRo(FnZ87|stC&&S8mvT67+o#B3QohbKa&DqTk5;rA!N=?1wY4n=5Y=zX zc|gQtfL0;U=QEN(j+^9hi7|mjmg|h?={2IB#hQY{riO4*jut3%y%^XVXXG7Fam;aU z*lR%cM2PFTYsTEdB*LQr*~S3)nvUSx$eFFdcNjh6JcK(8y{HSqpjnWi@5Pck`GH8j zl&km5Km=4C@%6>=D38qZ94Io2;}~gt4m7D#qd-#~?{1y6nRj%oA2)bLImHdWKiaqi zGwcA0c%Q`N6x%t4jWyS79zzaO6efWOnH;*BG)QM=yKI`tkPgWg_31=oLM0g9YQkjc zCc+y2-2HBkkM@8Kp+x2@m+b2Ej6h=K{VgUV>&@2erO^W+*Tuq)$^>F4_gH3i4`bAa zaNn7{)ncD7c{RqnggrY9^PSO!cdvnXlhf&VOYSdZM0he5oy!E)j%x%~H0|z|Vopj$ z*spb1y&~lR@)Gp;N@Np;#cro`+pn;<q;!3#Zi?paHY5Xu(ahZ`(l|YkuMZ#g8ey|` z;q%?>iLp8vnB_?tQ|>~Hdp-Vqy6$Ucm1#@`AqPeiLm@1bZumNxSpb7t|KjEGK97IC z4o7d+OHdA=$l~<=mevHrTfRm1jF~p}nY0joxc#P(s~=?Svk<6sSJID*5>i&4YiE&C zzP9JtQ9P>q=~w;OIhdQPmG?yR6sEmtKz3{d+zCwH0I=GG;<h=7tAx1bCm^2aPvDC3 zf|Dj_d+>t_s3g3^;%W(-aNCTnY*t1W5E6Qt^$ikr+lk%}p}l`clhp+xsg5_)+umG3 z-;ZiqSNo2Mg-&kL4Nh(`{JjK!U%_7-{_eWb$*qGl{{xN7(JFleWTy?SuaN5(39B?= zMERZmd{B%ZGocaT=oACE^S2ANTeWBhJVUKGpG4<(IC)MHv<_!#hPp}Ua29YK&N&$! z&g&pp+~Hh+`-mh9^KFY@4o9Tv*cyBDTVfyssm*l)%SMBZ6o;1cA>N_7dJZzc;ms*z zxYO0m_;Cf|L!+q)o6SqAyF+HCY^w$(6%oo0?O+()I0hqSmB6*EDriZfq^v6Dk~obs zzUw&DbV>tbv=sAiem-g<>`Qs1n+s}NzDry^L;yWO@+y~xrJ6P)aKOF01v#@u%W>*U zSS3X6CLOp>^vR6KCnn<peOnANa;gaivyyLo0nCz6rP)mbH|ofX0rX$fDg~&zTygdA z_U7)*Kee4B7qNsQR)7i3i%c{xOf5_KmS|H)CBH3rPEPd?ERSZ8_A0hQ9R3={tOUIw zVhYf2c~FxU`9^SCpe~$)9jnArWGuxQO;=(@nTJnd6ss?8NOb8PfKfC9;W|yj%(@#g zirdkE(b#}%ImJ*e*vI3pwzk2Pq7SDemuhe|+BV?mkf+fDhQualVj0$D7+Hoj5~pR% zmfbElnA0Q1;#}icV^MkO49ql~$G;>LJP%*!ZE&%NacLZxd@keI`D{`&tHF6AQcVpp zL-HA>FFgPDl@WV~SsQD%KNDlG&;|B-{s?;o53|=xVfOkjWX)eZ#Tc5n_)s<9$!aoy zWK7tjAymM~-Em#3>SRbw;<<1qLl#LFL@<15Im>ayha+dSoCnY~gCP#X=hnSf%rLlu zKZRD`2E);aC1^QIy4h-J6%KH99JxFGDRQ^IURs2mMsLhb?9J3^-H<&Sv)A?hF1g?V zoeSnC|K=I!PH94!a_Od~uR>LyE0@M?%=Tw3hd$@uJU<>gKeYmxKD*X&WNLVJL<tLZ z?evAoZ0X3f-)Sx5+99r;hLTYgdXzb_szCpWYcbVAjVjP5aG8np(bv%GoDbuC?AWnJ zuGq<~)`}8-HWqblfh7cgh20*nkB#=NuDI<_ZuJqW$uZ)JC#Xwx#X_#W)u>4Ug;n>h zR<rQ4wxOYZ1^KwHX4D((*s;V$K(4;NuwJkgVYxnH>Tqcw*7}*o{I~_VDvK=TjmK@~ zV*0C30Pm${QYq-+=P>LN2AupFF*p%LRJA3vjH;eESz*RqgX#;)(6H1Hx|<8}E69>3 zt)Yr1Evl;zINlWtc1c$99u3^eaZsrt7~bsMx|q0P<P6j*ztz$V!n**udn^jqB~b7( z6z-%G84CS+3)=y4Y;m*;dUu=s;q~9`mTyo>x3j(8{6>6JWoFVDOeD($zu|r@2ji8) z0;x9B>u+V-;P&NaX?&yJBd5s`dZQjqs$*)E`C62I`tj8$DIc>v9a1Gg>kiE4xIf_F z*ga-3a6fz`iako-fu!C%ExFw0vkl;?=p3vnRvXmh>+Puz0NHMs;ng=ALQmozgF}xr zf@mOpxM1}L>1-HT(T75C`Iqg4xl*wt+%f-$%WA)-tVBsGbes^Wd3Kjs`Ugvke4{i= zqQE(}QPiMB%RgG;0lh@Oxp5QD$fwcVmWAMeBrBx>7)7I8?&s-bKCwyQrFYnHt<lwk zE_+@#U5>$#b@oiQ&fdexcK}Y&49J;k#MN{!bYYQn1B&rgy2P1C^RTKuEoUXl8G398 z?W$V(Gl*^XTN<B5Y+P|%npf+3{092ZSddy5_Zu73=59wR`jRyJ$YA7?6y`Ky?6Bub z6@(jbniWZO(>F>JPBuo()uU+E&2t$T;Z3?{L<LmKVzdP&dIdKNbl;Oa)8gpAUh4#7 zU|1RG9VsLGKptE}B$Z}zq~$}S?Oe;H6xsPJ0d-b8aI=prER4Y{KF{a&(uXcV>2CUI z1>4YYbjl*+3xppNmF_EQr8%0WEH&pVN3{mXsI1{(?ye{8E5>Xo1qbAGFGcB98@<I# zH=~5Z9W0#8X5f0Q6RNd(X)K23@(LHg4W6l;8cr<m`mK%ou{#IAtVMOJM{Pb2jj6!K zfbxa=0^JVgoFj%5sDyPyh=18$EY&AE)C<j+{Ab)#u${U~T^3LD<;$eXJP=W&TkOjO zd7PWxgP38bPlryAPPR7-vUMPmg5z;ZB1tx;yUs(c6m7c7Xut;a)}0uLm%+Yem9!@Z zU_2uz!2p9G8HwvW-FR6aiT~o*)|`RPz;bbW1=!*B<+w0j^7Rrc?u$$h@n2WLms-s9 z4Q;;CnM<2zCKL{Hr7~Qw`4ngq4fX9x0fR*S;wz$g$TXx5??H@%kp#tNg0h7-NLfDZ zw2z(uVo<IF;_48#4L9b1?slF*Hn3g6bcB?RZte7F`X}`(MzjrW!JiN~>6!zK*NtQI z;3XWJ#V|OwbM|S-DsnD;1*SXybefWz+}3e_guMe45n8|ywojLM(i#1pKbNNC-Uo>} zhGdaOfDSr2Gh2&}*7!4MEvGY&eY!l4b%u{h`FcmllYDfT?VFI1T)=VBOm$&2%||~P z8nca-WQV`Sa1b)++(h3eG_R1}G-V+tPjJ&&I+cQ6F^*RJ6?b@UAMuugRs&sebajkP z+cwQ{e8bKD?&Y>qgI_sZ=BZ()JcAAmCh_s%KdKC(mSwetd*4Be{x{WT@|7wJjzQUI z8>nP*LK*Jf_-Ima-K%tn$|rrQjQi1!)O8TK@eUA4OAs-jKopx*x9id@*}?{FVO@{o zFVZ+j_Iar398>Kae~};Z`h}zrTa8N58HikBFKvMs$>ya$nZa}+G1$cRg)C@UxV2;x zdR@2{543Iu3{a!1ZHMex3{EoXFr=M63vFy?dIS#`l4hJjBfV*B#4p29A>nwsV~w~K zVzw@};3FR&^YP)thZ`TO@UbrRI<C>&EuSDz5=`Z~n*<i?5}qS5+vUQ`%BLc}V9qE3 zMT4AF{<>9N*6(;j8ejNEjhn7V1skSumq3>F2Tw^Zqsvlw2ow!lm^8;ob^pcxz^(q9 z2mhjULcx6)4H)-fbRUc>S!OXFDLiq%pR1u;SXnp}33Px4@{tBs4L|}+Eo;QNkxo|+ zv$tmBW*kSjQkZbVQby@Cd>L)w_Js1UJkrCB?7;QVZ$S}BM~qxs*aM2Y>goqPJ-=8^ zjuhd!9QX6Tc(CxKG^6HuTUh)zOs%8pvI}Z;A9FW{sAZ5Rwqno~hafLy)0G-qTuX&2 zQI4+YYNyXZ)GqXM159++3pNYb&iNb{rBr*Jd1F3xfuZc5Sj#*>fIbC!j9K4S(!rcV zVZedf+oj2E+@0;x1b<3{z1b{2i9749rpgY}ot328N+OP<lCyZSR06gN^wu&n2!^=h z^7_ZxEUgnOoyEB_b=S}fAokmUiA!#gEF~)?^I}J{dA*mN5MkL|xlqygs2;ztO=!(# zS^ISNqwCv*JC8~;TQ1!!<uZu84%5w*324hGG=?{fgK=xkrH#-Q|E%8W&=0NC$9fns z{~H1QZ$1Hr5%;2I*Wb3x8hF4kO`gv7*2e>35EVUd(357i%YwZcWW(zGdmcD`o^88> ze#81*Ic%xBD#6duZCA&0BW`cV+8-}s2H#bN-L98s!F-VQYkcPH#^<yb@mcf&K1+WA z&o$d~j<8qOYwR`cS@ueOn!V=iV6U6D!|NAMrG{srxy|i*g}wP*`{5k|i}EmrgWWJu zbf$9fjV9YpOx*R#%rdSsbvHcI(N0VK^-N4nn4Bsz;C2Ss=lK!4ZC7k2`Y6-i0Q=XX zD+iizjc+sO7Bt|LQUu_jOAM4COk?`B7F<{RO)o<GrCAE)rAZ3SlFU_%q4x85sAd0n z_T&Y8j^mj*?e&qqMuP!YXhM~FJ~thD2P9Zn+;@aT)Ga*jDQ_`HKD1;;LR&2V`Jey! zDo%CG$3Cy{t=BPQo7K>2ao#5nhMt@T!Gj!&6CiG>JlIg59GJY+tF~u-p&-4C#_0xL z%V`AMU&nm7a52OtwAMf>GQQK%+0@?_`~pBbf*6q>2unAIp8xVP(%%truhDU2<HW*< z(;a#`3)B7i_tWBcm=G#&GnNO!@)_vM4dzfV4q2c!H`I)PZsxf07-&(pa~_C?SdiDg zkz^la^3Vs%k-RDr0P(Q^Y*&Q=6)~U!?6vJKtY#o$kg{8rn5J3Uwx?pT(Q&9B<zQ4k zMnOTX+fCSAQK2KiKJcVL)4`}$@5Rnw50vvuwzGQ!`zFueGZe_iWaEj@gZawP<c;Q* zCD~BR$(BR;QBk=(d1E$4<U_<~`K^|yv4i8v9LJju;o2P<_cP9*aSuY-i9-2kA54bN zW}r>6lX>MWUMEdcwyx!*Nn~Rq=%a!^pMLLsR5?26M}4RcWYLR*sN#Vr2M|^6aTGDv zzT3f=m;y$~I$iM>b)85`^U@z)M6DZv)Wwa2K|?kGT|2rENb#6x^hZSQfeQ8yjOZI6 za6B+PC~>6sz;u{)tN^HQcvzm^nTns-Z(7bKD5$tDF1Zq-C0e2kUy;X;1(5(GdQKUR zqpM#Zaq^>y(ZiTG4Gd_u)Y&mA?DD_qPT*s{2QaM;sLg_7Sk8vod>`5`;oj%*R0p0S zu<w6%GWu8j7;6TrBs{+q4}3O#x=o{3aFb%40bSmD+4pMP=GxZ@47{239N4;e9>hg~ z02yCklnu|BAg_hW^UxYQ1r?sU3)i9^=hgLQ`!Xs%8G|ZXn!kV|kK+=A{AF8qpi2y( z*Ri;_5}2i{_y2HL6*KM>s%1S;%y+uxgK-f0?QVT+qBpixqObH^aqmL(^?)wxZfkiO z5`_xKG$_rm*b&?C8E65Ol`WtKo`iAJT-~4vE6v?J6wuU5IsvuLa<r5<`fboI{U){C z94fbj)L%e353V7%maS3empPsH$QQ{)`X280?gLV2Sz?^VI~|b?15oxB+%Q;x8z1G< zUmeB<3WD=)`4TDT>3B3H%gw4sh#J-PLPBKelIn4kRMFk`A{=8exO|wcAdakGPkDzi zfwgfJGC{}ZkXqfX(Wlao5x{DqD3nP<BaAndaRCk#%W_@}_;48TBouw(OXP_&!E<7u z5+Yx1#W{atBN@8*k}{j~;KYO*FSVd_cB8V0+6Ix&Ya1FzIAk2DY%JAz#7!UWLuIwT z(L+j+E423pD%Yim!Ow7$D-}7@AO`=8KGs=O>QAy?Ilt>Xw2zbvySmxiysM`GwHDBH zl~`)CWer(UZds$6T_+&g8Ko?x6bYa?t8GbcUTbUXBuwbl6ObF4L1N{iglTQvk&9`c zXpCb=(4N3Jc?9wQz>ZL-VVp;MFUifg%@&;x$bSAeWaa1_v<UOJ4e7Z&RKi@;Z~@h3 zT(*t!xEu~tMz=s*yHfgcA@j=hU!h*+;FpRK1~xH_wacG;4WmFWYnQ%XS~U#{ZzNB? zj85k5QoTJ_evmx5Uk^=!5LhciUjTZ0F&F)L8FR3G@|CLq-X8@hVgTA+ERP-<jo<eL zv(BCj>lrH`qmw*&7(zE8iMr`O0|0sQ7<@C;ys*<v6&7_O5t3P9n4kK;V7g7{;M+(c zX{D`s(1=O)XAvtI?CGhX-e`Bwa#m+(i@Vb$pku<et+5?I71B781}J0#3NRMa5y;*U z2OVrNKN_8e(V)3&)q>pVr7<A)+J+IoDd@-|Bsm{&vrl`M{1BUq`kEU9`^N@e85;<X z20{%ZXg#i@l}?O_H0AL)?j)7-$#6Tv0}8+fr(%&1JBkjX5!A#0E>Iw9NOk|$(5hcS zIveWRgPL>)p6m0H`Hn$pu1_td5u{3(@uqsIi#fM(wK(NHJ4K)JYLWLzXFV7)IM=qI zm}%$*#+b*><mq#5<vP&Qw!mDQM{_WG-P**2d*zfq;WqW+glncx^d&exRJoRvqL)2= zl&xC#T*Yq@0BvS+N$yE3DrrRlfF?yPC{x~rHq6}FGF5j!o8;CLwRg1>kRXs2Jfac3 z{-E@clk+CsspU*BU3f}ghsteS{n1#@YJquHgKPw&0gZi*{%~}m;Qw3I@&BRf_LIq~ zcl^Iqt>pwDo*fcM)T`xSy`&F%bgEWlnFC$+h`wPk0?>*89rf)aXiWsPauL$OJj72Z zS(pNPdLlg=>ferfcor+5_Yc5GFt{(^;6CxGrd@+RkO7bA!!UuU>a1M3qu0sd+Rqj% zw4gxmOfn5yq@7lu#NKDE)L<@!Fm{Q$WnIUUXiAlLJb5p=OmtQ@q6h`S`n@j_G{L5n zv6|FEoF>e)`U`#egSgCU<yu^z*@=_`-`a+?Y^8H#y(b3+Q7W{c9nb?@q4**c5=eXV zK2NT@=}Wj;5q1iR(H~>h6Rd}qHsZD|SS7!uxYk>XjB%$|ht!I!*rm9QRm(;@*Ux$B zpOAfOwVbE1JD2jBYKo?NX+6+;t!)5m+5z!+CZG9JZ$*WxkMV|uet4YmMt!?qXgq>F zFMN_%$`%8t0g=iAbY%eL1`8vV^YoBW4=vC`UsDz;(L<l=A*UWXtA{G|&`~{9rH2ma zp_QdLlo;`AjDYUyzL1=gw={yZnBp6w2W$GI=c8Ncm_GOEqxA0=^f>0&uw^aeo$aF+ zFQcn7V|2;7O=CjEtSsVWC`5~mDP%f_zCzbyxzzQsrXdHg;oA^pqXyq*>W?Nz@S6ns z@LOy(5e05N?m`tIH8zGnVlub!6@2e9&p}RY+|2?OJ@5hxSXn?RMF_}?47CdxNSdgW zA|NMaDWz8Sfd@7Vb|O!*B6cDlb*5s*r|)xuVUAENug=Q55<Djca2C}W*o{&|4Ezy^ z^_dg6VT{@7gdzMy0EQ_wvM?);u|0OC&esfI`q5=J;j+r;uY1|z&m)bkHAvd5fYKpG zs=Jb6p(;t;r#~K{?gdv<cg9eXx~C#_e>!w6b>rev8vV%-+6hUE821p-ExDS~=iY#l z>x59bf$3lyMdG6R=_PR=zdS0dbwZ?B5YQ+9fyegS-SpolB$l|xx48s=N~<f@T6d|# zbs5jB+PYfnVjZqaTp5()H)!ju+BzQ3gw}*yF?R^#+;q$BXtn0!A(moSKN>)NXaL#5 zQLDJm6`$=gw>0;&^_o63sz%Nsq4&6#uJ6Vf$V@8DwY#5?C(#9eMP&|`j@dTH5v}(Y zXv%J<ltm}Aq**veeFWCrZi6&Yt><@J#J~@c?3W5k_pq9+R$^gF_m|3%6!-=RwJ!cE z<_<rPu5C{^&r4>ysy*pApM|SNf<-@!0OUN~iCZF-X0$qdx_2lZI9nL1GN{>PX>MWc zZpV<il;1MVho|0XiGKD3%)4l{awH#W#jTddNVORqGNz(K#zYcPx@VA+k;}U4^)pwU z#^&=St3So#siAEkc4r>~!a|an1GTnQ3#~$QB1lwU$R)7q-n=ncoxM3Or6>9+DkR6W zVMTqik88l*6mYMD`OP@;uC$^sNXPX-MVr+01w2G$BQ(=*r0+Y~7MMW{EYKsmoO+J{ z_iZ1KrbA#V8k|FDgouGMoM_g80Q;jAv<}bf`9Q%wx}!LGeL<Ffru^*>*m@?rG3B6r z4xR(&I#NroD?@AAs!NdT8ka*kjYBCYhL(<$ASPYocj#pRM`UxH6L2iqQ0%4eqr?0c z4r7Pk`09eWWnAL}P)OmC8aMUc!PfGih;g<79gS+eh-iv!pwSI*9v@wI`!%TEpu-SX zTwCy`?a)yGbnmr5e4;&;d;`}w7fSNc;)VK2!Q1@(2@jVujt`^)Wk{1|_<Y3$9>! z+U;}>AYJR$Zue+8&*J2SOQO)#^^5ermvSIblQ<SLBhl~j#769LdIJb+ePd?^oA*W* zm3@f=QEv>OjKbqkXnw}&9|m+u;}{g5Kt-5*Q23WnIj_X{rj0&Yw1}PUFXw9=vGrB^ znHy7VeG2I`b~-wnL?E>|UH@U?EZM}+VhhANS!`V*R=PDZlmd-=mcH{f#Oy*O*b&gL zad%ef;Jx%UmcUSQ3AMO}n^*<*`gu@MJG&7>FMUS$k7Fe;Xqcu`{khBQ+m-7$Jdux= zEZ{W#5OhD?aYWw(z`A0?x^8ssrc*Njw$tw)NiOvx>^=ZMU!=h^wN+>*c=vbrJGq1S z@R69KW4%by5-0UKdB<?mS4_rw_fv$T{|l7QriJ!7^VleN^fPbJTId9AZW9H7W63l4 zi4#-?iO17*q^!gk*;dR>Pkm`Sl{i0Dl`B4dh#ac>hQA1Ihg6jqkBIxqtRAnp?*}H^ zDPO2U$PEr`m`a+>q{{5L)Raz^3&yjKp{9(xl<-`~yG@k!`c=j0<@tvjErY;$%->}v z?iRW6o}v*amzeEO?h%g`m3dL&mwr0xMz)-emd`T4>n3&zOiyv^8$pobAkKmaoiTVq z={6*HV8-~x=uRX0Q7VJ&6x+XHO&{a3Wea~Z2Pkdx0dML#4<nwBRPNjawM}G1aUz;_ zwbK_JECHTb3$X2tr7IxY^|+F_3uQ)oQcim5s;_nRP+y55-jzG0yfS9ak~chdyOd4N zeCM25iI|P=JB~Je@tv^Qc*t>Ny<oS?Jc%TBCo-VxVY*2it;H2+WhhlPqiY}F)cYBW z073czo3K`?)iIbP)TOIP6|Y<p#2^}^B&!iBCZ%ifdD3{v@m_Pmce>1E%SvUnU4R6Z zJPniYGX4b+a-81$S5g-zp!uyX{SkDboZeZv8W}!XU%De1-iG0&r9V!F0~lUd`qN~X zU4?LSX($<f0>jfwpGt<G#Bg@$PcWPY;WpH$Hmvpw+UZ(#%j#$vHnK)LO<b{BwQ?2A zNGlqW^ANht6+?ILD#3>n9~E=U#@uQ_vaqwgb~i7H<g4!tn2oZagw2kQrVG$?W3^E4 zh^$Y=<P>BZtq9AY?|;Rti~L465<}(tBmN3!VAfNHGPf>~a!9*BrM564&4NDx{#F-8 z<O;g}A}+qN<ES#biRB@jo)E>I_=v93Hm)S6X&o~eln#NIq7RaGg^E&%LQPU(6&TxX zXOqiL$$83hR-a`4`yisX6Ccru2eHjN@e$29h^^j<kHprcn@;?SoiVJng_Y)Rpo}vR zYj<_aX)qBS`je*FT|H<ababOl6Gk7yAwkN3#!0El5HC+9_W>2Xtu9^#@v@WLw_2?} z(Ybi_c1CG}e6vnXYV~=N#Rw_~gT^=P)#sZhlj`$GSiY5N#W+E8osXWQTl(06g)tT# zmNG-zxZ0yF>#mJXhMpzOXV7a$!acPI{(?im(ym5q9C0PFG7;Aab@6Ijn9?&zaf}qP z<SG)_wfySfN*4568rR|AK6)l8^3Ckz^9wL}g4B=RlGyr%F0^%(PGa&SLL$ih+nT#E z491I~TY}eY1FyIWnN_2;Yeg8Ko4?c-4Mes`P@CA?t!rm;J4v_PwqoYxcB8V%Vw4Mr z(^{IJ`qRl$PU%d1WtYyvS6V6Od=8J^mNV5I?;&VB*x*d;&9SveoImVry%NE|)*?kO zB<8_`-vTqK%~X=VQNT?rFzyOUX36QcF0i+tv6sZXVW7Q_bZiZkmC@4xnpW9n3WVja znfaSs2u-EEpJ|$x6ya%Es1UDmLF#`2#<`?aGA#De0D3Ls1!64wXMTRMkIp=c+)`Vs zmgeH^YnpUaFToSN%S%1z<#wjLWnpQpbgSRsp%>4v1#6rmmwG*J+I;gj6uQ^nW{d(; zr12sy{J*NP^5~1mKy&buQ?3WY?!}SS+FB4M!1h=_-NK-985HQfJ-P@d)fSH}>{Zjq z-^em^C$3HdBMDME$^w_bs}q2ES{BZdEw-@T761J#@#%0Ss_Z3NTJV%4w3%8{?oyYT z+op?q+ufD)^$+z9ouH-RaZ?cO)#f&n<}$Y$Dxm_XE^tn|O=*sE@~>Kk@}<<4p>+9| zP!iv9m&PHjLd(QJFQ9>AC-EievZ*q9acT4;mVk@6>=<o2-UEaPS~P?0T)C|)no?QT zvT&tz39-FyAYuSb5O=)Ip-Mwb@hq5b`l4C3u<aZ)18?th#ZUGIyQJ}Vv&vIe-USWn zlE1>Xz!*x)7>)v<aBoSvv^aQ9Disfg-2gnBzTd4kGONu5&C?sFrH!^Unnm{|K#Y(8 zNz2TYy<YTnI3=ZZq;S|{n8DJU&Dct)UxBbnKBpN*_P@;R1{wRb1a&_`L62qjKqK&( z*V8&}EpwAWYhWi5y;?LE1{ZHRfwmRr%0^X=lVx$#q&=Qcb3e^MmthzBFP1{Bi`L&m zs{6szT7MUbMLtal@uDNrbi11tyvy`o$3^LeM0Vq_&x-|gT}c*DwF|HGQj73<FEClr z)p68MVdpwP4Dkn+c?DOHZRgM(L%vyi7k#HBb7v|-=uRm5!j=--Bxm?jmhZxZXsTWU z7*#=>f6?7a&&u=zyb_jluCdRMvYpN~_FVar{`wm!dKrrHcszxjo|7@B+voA9u72%Z z)fIzYxy4QId53Aecq7eB519Wk(98P)3fDGJLdI$By9fbVL0#OZ<@_40lJ@9IC6*%b z(10hjoZW0;({WJ@pa)X%bSVS<H-_*rP}t#gLtXTvw;AIDx@NDI^CIM6j!96T*GK<D zw|Wx^=op&pHe@iE9Dp_(@pP11%h`{MG3X417jB^lb?!p1tC9OqEKK249*Hr=@%Ua} z`ib+8f5e-S9i38Euw6<YJh2NM9ipqeIF4G*F|1RL+vJ#*a|DHGpT1Cn@5AhkSGj08 zVT5z_+gyFNKF6S(cJMwZIhq-~D5sH*NVg@kPi3ChgYT+ESV4WmiczHn{h&p<^JH>K z0!2SNF|b*1uyY(uc~pVa#K{2!p_wNWerM4s$-~w}Kl}lPzj(01z$@L(`nq<##YYUb zE_>=G=ox+98r9F26!3!)cB@oDn?Z@-KI&3ELjICnhMe&4O5O))U{^>bE|5|piR+^% zDT_nS+X6jO!LQf_QWJiKikp-YeKS<1VJ(G`_E6dI$k&yTuXy5XWCtBrY;5O1CAK&& z%2vnF28(_}O^TWe)XXeQ7B(t^hR!zH)(unX!za+gY2<FA3&#`wO;Il%1g!3(AMIoA z+V<sEG58B8V-0axUqv%_jU%$*c3@r+YRdF^yma^PnUzQ_CvZS+WXsL)NjQDuUEj24 zWC*!#a|~^qM?XG}E=VJ_e^0L+;KjgWnl1xYt-I3uU35`0>DZe(8ACIeIb&cZ<Nk5A zxyIx3`VFCKYmG;(Gi&R3EeDwuGFt6*W-(Z=pDl14l@6$e=&MPo@K0h84=o_S;V~7* zkoaT+ys=p)f5)2DdtcHO{TkP#&FoST>nO7%?k@U|z07w?xXM#%4jv-?yAD#!Tz)li z5799%UbmVVmgmACTj1M_&XnW~-b)7WKGHt88sd+T4tyI=Mi;~PN{GR0-2mof@5yr~ zKRbCQvrFzDyh!>0$_fw_1(v~2j3=A29RRmcXc8R&yCHpPAtX$FpulQ72VVkwnFrq= zJfpnNkvGU`au(~UKV;#QIW2fpfZd1c^+8>TnH8@jU3R~_rl#@bM@P<OBySdl;#RA3 z7zb1o%m?!epy$~plXYfgco^)@2MQJ_mxn><{cXd|p#>X4D}QexnQE0;d7S6uW6X<z zlnXTFR*qx0tYW|lf#}PtpJHsL9L{Y(hg{^xG9I@9nG2v~WA{i_3AQ72{2mQ@xG`5- z2lQak)>-L7-F>l+!9X+Al>NxL?aSCLmN#fW$kTq1tNmau%}D@)M!3xD^N`PQUbmgX z1v~BJ3g*548TpDt{07=E9|aJkc0szPeZn?feRzvZqtEZ;YUs~uIF8x*%gEXS;r<%X z6Rq@>#Dz151iYwn2kO$(-b7ux2iN!=Ma<82mY=7q-%jj3c<Do#SG&0;*HmtJ6E_lh z+HiVwe+~*!hP%Zd;_89NM@m;S4>J_?=#o4W_qL|f??;m>R|obY{q02I53{129UPE& zkOk<~=Z@y#k*`cpDHFcH6G1;URO)`Yqh|u%Lw^bRX1}@Kp31ywbC9s_>Q89vfKcz_ zi1lYj@k9^(h`ky}`--U5OQ#|jJ$`i5<GG$0882hU@W<HtIh3A_>#S1|joxEOAu`^2 zX!cMeZX5OP!^2^^+prk?sX;%L*u%P^4VO-NI_b2&Yv!T1Gq-tHH~RPfE2;o`kKc`& zac){tGfqVx>LM@wG+pm`nDwqF<?$*ofKx~ZUi;NU?*uvTp`YM>o~s*jn^PEZ;*CdD zFteF#1C^?59`RzvRl!mBW4+A$Ys>s(Hiup&-Sl<+yjya_Z)VDAHz(gZW(crQ&*;&N zx7k^~=y>QH=rm|_)k#Jc%{^e31Ybw>TlaRJ=cO<Hjg5{NJcT#nxZeP~wz*qgJ9?mF zs0%yH6m7t~IFryq9Y|`_2P*mlhRHV(01MumAcO^8>d-5aX257{c+*P@F--r`H9Fq( z;Wuz)@EAn(;?W4mKan2n8hg6rdtK~w3F(ZUN-W!<2J1MwVXnX1c4|2~om<xDQ5C=v zSGQr&bX-?*<}VX}Q*8kO_7z^4n8|Jn!;_2T3|_!TLsxWj3JfW$<Ae2<!izxM#=m&z zkzeah&z+-w3}C(kx$ImEkMDF@jYp#6$TFeOZQgbne*vH=T?t!3*Nu+Yq%b?6Cv}+x z=V~7rE_@6qA|CltB*!1^;_>>1?S={@A(%6=?^dhhU|xv9(~#f^<=sjqsLT3^H?A&= zk!Afby$u{P$Wr7oe~)r`(FUV`(Szh(-f^!W--X*}Ez0Hm^^?gPr=y`IDg5B+nJf2K z45!Pp0fCv5qj{lwx<^ueu^;_fAkl=0wLGaa6OTYv@T59!tnODI<k6&p=lz1}5dbaR zDH&61T}=7Npw{(^!KcvoMUFvCWQg}K0-C(H-tobP6!L+wI;Q7>?2dOK=3U48Qa#=; z_XFPX13`8iWH=Ayub)JYp8jI+-I)^LyTr)LGZCp<qf<incC+|bbZjw+;rj!gl_HS4 zdAy>Kl}PRu)TIJ+a@2?hW^+H7SdRA-n?==qA@fO63(x}YKLPYocna`zEEVKcZO|#L z)#7lZ6+W;N=d?77oSaSGVBLB;3YDf$X5XxLEB05U=SFW}Ko;oMF;KNUg#W<8pM?Sp z?{v`0;;Kolm>&nVN)yE3MVv1;GwoYnU?N$Y@!)RJYq(8|$AKaripDDQA5nMk)PRM; z(pi>7+39Y91&Pz5Cn_(t9_EteLhNu=x&B#YX?d)ilhc(|{4k4AHVK;i2=XmVkMFW5 zm?f`1;*}tCOan3}IY{q?M?y=+U8o6FS!>+%^FpRv;wgLv>PSV{4ZQMQ!OFN}m&DF8 z3%f90EkzXB`s2<`@CD`@X7YjY)+aAe!j|uZt!}Ld^ZCX~6GtbzRBMxxin%O$u3e1z z2CPN~-*~tTFT%S@wpQY)j7~q_$mO%eaSL8gc!s6m`K|HV28(ZOYok9`mI|7>P~F07 zsaOT6w1CP?I+A<3H8qTh1<<&EU;(2uYBYw+gW={&r2Ww_<Kn=4<YJ(ISL{L6DX30f z2@Chg{eGSdF{3N;sc3x6+=wHZKn8s`aIpsu4}^Zktpg#jEbh3xv7Ee7cs$Z;4lTBn zDOE8|X}y5wpF%t0@KP=C{t~38Gv0?mH{aPp;R6GySkK+^QLwE+M@~i0lhA!;wTf5E zgwQ?kA*f}%vie^un7hhr|BCd|R$1P5WH=HC;|YPK<+3q-6VFHtSn{*MQ#0KHX&-w| zz^qF%G(9Xn+~Ihyum&XBq{wF?dE*+1)=%z>!!&ib<EzkSdz{Qrt1Vyvi$7WhsRQjG z=I~Ir@hqs|PdV6G*?8m<4>B;OTw1ij<X=>a%kd4oqd}0%b@_HFfBh8Xvsh?}feE-B zDB!Ns1>6iJ(mgiu7dx(zarX&Onu;Gh*(#`yfue3He9KTB#|0VjM=v2GHplVEj>g{? zT5@Y#(U`bvAa(trydkyD0s<2A*ICqBLA{qpiE^(1Pe-jF``VVIffSj5QY4L6wEXpX zEzJ{9iX0y+MM4!jD#-C@K1;KN?z={K1Q^l~o#b;1Tic3<DsGFbg1W>I2l=)PSDw_n z;%dchvECBYcf!5J=x-dty?K!3H$cft4eGt|&`MhzMk+GQFNN6yB9vj)r1}9@90q_1 zM>&qk$pq*e$9*Fc$}mnSZ-K~@Ov(Pv9-UB@vI)iXcRL#<6zK1bOxSJ|pj4E%vc)LJ zRUMy^3ak4==C8<O*p=w^40-Q`r;wQ0pj%Bz;cVg&p}d4}e(QDCMPFji*;%)~h26?z z^3v`xiI0tR>(VjZ>awUtwIVmpju4I#xOFEJ0M!DBBx5Q{7$q`E`LGWrXrNBd-9Uq0 zUvsANmUj9Jr8=fXvw-ZBH#FP8>CbSQ&SG-!Ea(Luo;YSNi_IR+d{53$+O2Ax;5gGn z9cSdNWEvLyKfs&?n6vVVD40Y7HzsEv<h(VJGySTxvygUH&Y>^hae^}{)0lBRD;?Dc zdM7(tc&|k@kaCMstVtiM(-@NF7GeRBqg)2Phiqp(L^kiJm|czd9G7okj!$~WRaFps z63=YS6(>K&?J6b0M?Xbr^G(iQvZKPL&3;QBpC}j#_2)N$-0WH$>;kz7AP-#PNk$>) zJzpir0oZ*DQiNkr3@|(J9^P?}Ag=^oV$|4t9XXDS5)W-I2AWgrF3eupTA{+<uqfL| z^#z#tXJ$s{0r%)&+u4+;L(iN%EJ6-B6E{q%FU-7`Pbdm8s7E0G#H)|-P$Bsz6bxb@ z#MFi)W!@vG08oPfYK@S<t6rzf%;5-7B@$=z?3U(CPR?Yc2VC=Ix?>EH#?v>qR-n=V zAX%dXn*KQIT%p%m69meXqSIfb-vNRw*d=AE8S0X8$n+o!<v!y{<ZFn!4cNM$WQQIz zs0)K#@)XB3oM)lCLDypXfSjhx!6^M6_|RSaD3LQCYnXeLqZ-&Ld9>!Brm-`ciMuw= z9$<QNW_$Fmfl9L?-QlH24&gS%8G3jwx`f>K8Xi=RUZ1!Fr#Tf$0%ESrgK0Md)b$A3 z4qNinEoL@(u)~5U(4ey&M3?*?+(X8D!eOAF3B!aujlOjtxp$`@7WL{V;C6x;uUVAL zSQwbRw?hf-UYhxWZqIqyuJ>5mm>oEIhh5cK`@)D>yuW7(G_3f>u}77N%j~rcsKEsv z<Lw^B>^UEvcG<$Xr`H75VTXJ@tvJ98*BcLvEG)8a`rT_u9D5I%n6cd~kj_XfHI%r> z#iakffw8k~c|pp#6GQ5rxlnxT^Vh?(Whe!AC=Bv^n1lvT;-<oN^c<837|o}zzjk$1 zi}k8{%b_0Toiq+F1=d%P9-ge<H4UHde5PA<f#-o4iD{rBjc*YHJMdrw!KHWST3eUB z${Gsh0S4mJ5jQbu3)0k3{>OM$tvhijWfi~!9E+8Nz&SDC#sg6~=TR?wp7j<hz!p}6 zCD>msi}>VSsd!mQ#m9I{7q%||w&l0+z*r_>t+s_*E@j~6NDzx9&?(BMVou6wb1!IJ z*56wFHQuh{Pr+N3qW6jiBX0WM1>JJIlZ3F&!lTA&3&?865%I~FP}NEa1)U$`9cQ#; zuKw#MvBZsg<r+gII@NFR=s;lFkAVsC`WCT2HB{YS<2Qst2vg(M_F%ITx%E{<-2q`G zWbkt#)>^k0aU?-(6yc!zbjKm=xEt^eJ(ih-kdTZK`<@ckT}WKw_8h!x?f|x*69agf zbfiqcVN9VNuKuj63O<2%<Q+grgSh=T1hgQQud#C3I&X<V;!9HGnc_a1t!s@k3|$>5 zFIN~cDe4|<pFYe9!22~8N9W7|GkA@Ib&?ot#ClkvDG5BK8~j<z-6~6`v4XL{4u(fD z!(%?X;lpBQ^@&eh0)x8udh~tIZkwRPv_2p%AlYh#SlpX!MEXJ!08$3}d>x5Z=R!6R zKyg9biAhjbHBeW+5r3jYrz8@>XyqlWiYsKa5einp(@||%Zzs=`FpTioHomOoa)xZt z@$2BSochqVS`r`I4zQ7)z;R87$Qiwq!ZSE3^Keu=dW_B`qoZ*b!xte8tZ9yRar>Pt z4l6BWEpY%(Jb@?Gd+}J2&KSV*V(=s`!(fxDQ^q!_f;Fk+?=`8CJi}7;u@v`>FDqN4 zK(i()tXV1ktQBk2T&GiE)u$w0YgCKVxsB1xFt%^cKi<A?8NS)R2MtNm9@D->*gpKt zMb@Cr2=dK_AfHxU(zJSPONrhVXoO)8ei+|kP07~VVC*n3e$k)M0%M2Xg54nYnqEiO z!Nz6ylXIcIDDZ12gyj}S*j<!v5^;MQ@#tNGanCqD5CcC;Fd1tuX)o+>hXO^I`R_5X zWH#<WK*tALk4DY<+LKQC5VLY@>ve`^eUO1yx-Eh_LYNhQenH!VAlm$qVsrG)R9?cO zI6d#x<tqm;j+56a2N;ZWlRvfI&Nx)I(%<b(Zg<f??8TWVx+uZD2XXN>dTWA+n7nsN zqRvY##Z#E=TtJ&x{yfb8Pw=Vavt4>KVTcqmB5GK{?ue?VXP###=q!zWI9&(!vMprX zb(=~T>Urtx5p<HqD@^2_BO7otX$~S;Oo#R);S%>h?9rWZy4bHEh4R=I9O={VJ|mgp z!6moy%7+H&bvLya=vSK%<3PoH-XKjJ-Fvw?rr*`&>WNOI&yG|<U)Y0{qHb~RA~_G} zuwOt@3fP?^mPShq+O~VoNZTgR`}T}&(|=%_&N<pg+BAjUJOaQL80p?u^v0af8&h(1 zV?=07Hfv0Wo35R$U*18|1}aR@m|GE-?pe(3G^ZzVBql)(F1(DruE$>2BTc4nzQT@i zsseral@av*P6KD}Ni^`^W{+HNqo1$E-yzAPO|OhBi!x>6^6!(&qJCVIbX=6D(52VF zysN`RQ|+?Qgk-dkxwQAuj-Mk^{h><DUMom>Rd$!KF+<#I8K}sZ#>;*9b4$?f!mpN+ zj<K77Bf96vWlYPovDfi~-Gx30ptj+U*Wh-h1%HkMCj8z{L9Qh4XP8c3`u$bAmpA`D zc{@WG<q+iMTc=06*p}#!JiT=~m9EZk<#)O!g+I>5_B$`oi~o|??-b-5;5VO!Zt%M@ z^dE-7pUqO5tr}Y49kSRawhGS0cOI2y+#_F%P8kUb_eiN)wN?HCQ82dVIvuCQAZ`H` z&%oQ!tp>R$w28TV4>wH@xh}YgD=zNk-1Nl3gzK)LRmbgeeEnbX2XNxM!8mW{^s40t z@u#O^h7EUyHk*dkW-9<wK&-!%F;g$Y%F5V2rVOiHwn7;$GdW&ZZN>BIeCv!T-@4MI z71zb^FhD<Up8DO(*>B!J2YG&X)sF1>-zIisM}bL4bTv6r_?B`hWpj0CQv!wQV^K)| zCJN9D>u!UT*E)mtL7C);|HkF20n43)-XVCLJ9}&`SN-CR3!PQRD^%E4{O3P&93FSf z1u`G~!4~V7Bivrx1OLiCEr1qKvB!hH`HibTbLu~A=+Sce5~s`5QUr<SjPVTVOvNZX zX9pv<WftDv;j-LaoGS@V$5DAe=>pQQ7DlQZE^D*Fsk*E?1I&RWMGX8J3A0@cyoe-% z9woRl#eSA4Ulxc7f91xNPl_%uk1~5*0s4hl!Qeqo;{U|F4K+DmcRvvWPeH_%a(zEz z5Xx`5BUG_SD8-*B-Z+8&2w0mOcC<@*o!qfwpgD|lQ*#d<Cu*0{J2~tlB`m0}ev}{m z_PTyCun-SRXmY>4b&bDvk*}Y$`3U7kQ6F<?(E*qX-@D`p7~qbh`qA=1ml>;;Zm`$o zi2-)>wmMII>fg~<LCyot8Jn|r2c{q0;!14CAo})DMS24LiS#&#JJJta?C&%o`bvio zo#LkVd~|IKNFSaE0KhWl(=u8|atvpAJosx?yvGwY>4+ep2OG!cebp87>PNI8Fa3?~ zR#e+t%Z8?3t?NUX$VSJix`eBS3Z+thKHKlRfajXg2Aqjw?8+Ad=a}e6F9YaI95=c! zpKbR+pF<1YCPkEWDD<{F*)7aF2#Oi#-3Ph1lq#|Ajm6N&WUstB6M7}?7?S?nnZ|mh zll2OoxVffRV)&cE0Qd?t*5jk|f1=-iE603nbo;Nak+%&*=RoI#T+oVKw+}l<zCc4W z@QkV|_W{;}A50yX4cTc34-7`9B)f9d%R$Sb%>DsdlG3p+pZzT^Bf0tjGqc^5i%zgX z7S$1Yq#OOfQG=jAduHU4$<a$?e*6sjD9wdWO)g;ATvZ#Li&t_T&i{K}5;ZlWjJ~rK zSWoBnOVG?a(ecPOQ0Zm7?$vT)Nj5J+!03W&9Kc$22e8&8|KfED$iJOjf`9R6+!_Do z0#T$fqR1WP-+UZg3*%q&DF5ar`4@j*Y)i>DtxwaoZd@>ycTdguChxktzcI#Vg6E`1 zL;NDQpYzbAJJ<;OJc-|dGq9TQ01XnDhmB86CwC9+x~x-qRJIKub1>wAyz{PV3I57h zS>mTFnP#}y0i!q_iP{20ZN|pXN2lpODwqo_cwR+97()>-YB~LEj~7zYy!6T6u+z|? zM=p#E|Fb{+JH!8zpW^Tru;Ks4*iU5s5P5%Z?7fNepWAS*-oVp|zrl-M1e(p>W@=(@ z3myJ%d|T-Nd*{+G@O?Y|lm+wYU)Z~VzQ^8k>2da+M?2YjK7F0N7tnp|okxGe-o^Ca z*}H`P^1l&7r?$aKpJq`NbUS-j(Exidp_|#;O(phzfUafl<#aWBucRy4dlh|vy;svE z?A=H!*n2H4VefTx0eeey9(!-11?;_<<|R<riwpKN8)Nt40xUJMPrRk#|7q`A0HV6C zMbCVI5eH|CsHmu8L}P+6B&Y#Knn4)E#L+<n<SOb2gD~>TaE_l;bZ{VLIGIMxrzTC4 zm|ty^rs-|sCutH83;yaSnuJ7~V8Trf9hzVzfC=Hewe~(U%%E8BYwqoR_jPc&&)MI# zKWFc?_Fj7}q4ziVh;rt_U&$j*%ED*l@lkyIkUXNL1K|XDMBy%>fjmBokNe0Y+W!__ zCXagwW&Im0d*-SDg@)`LK3E?_G&8_FQ285je^#jvS|s_bCq5fg`Z?x_($#tN8I;LZ zK2@y`S|+8ro93d`2Q8O;rcs}8eb7qDXB72`&<CxNd}P!oQXiBr`F#Bf@zLpn3MHRE z6Q2!H`Z>iCHpgG_!v?4gA`puLu6(6h|J}w3LgKFo+31R)^nTM`uaw+8o{*=?+6d3b z{OP#ytaAPm4rNcjsvA)oIzJVNLB$g8GEkq|+6bY0FA`U1?eCK3jeuJ}*b0*PHT>{M zXCYH34@C`xhh&<Ul~JBcD9UqG1b=6PtS*=YHOVy3E2ApD;u~PTT;;!?3$tPX>3ow^ z8h)zYN)_%6sMMujdMow5mvTPFXKM9l$>SM9_9D$23PkRFsMjQ@muH;sRkg&A=9Sk* zK$UqyuWEq&w3(6QT;9G31^FfkU;T2R9kzR~UeQKBK7ikmUk2cp?!zy}+vww<(a#Xc z@YICHfrcI@xcv%fxW@IW6Ot)#RnH+JvN?~JC&;*2(5TZBEHZ9dXd64RLC_{7$+>ah zIWobb;Iz&LrSp(7w2ga@7h~%icTA{1)9S33HTE1L5@!*0a_B3_=1b@xNOYm+5E7E? z3k5s`VE!k;w+ZwABjo?KvqA2u_2Pp%F_8U2#eJ13zJWiZXwvt?7t^cRjud6p6=Ion zvez=}nCvX)mm2368h!t&)tqY8>fH93<9#MgM>n*~ou4V3S5)@fF25*7J=V6<!0h0g z-^5U7yV9<9wki}y#HgCy9R@~>a(7`kxSP;b!GE&>mIF-1<_)P!mDMhg)uqZI-`WLo zXOqI&OmaWr%N@q0FD{8Cb2iDH&2o(O(f|%L4h&qxuvvzowf=dW2j>VtJ-`8g*8uhc zJPWXUCt893X`3tM;Wlsua0PHX!0iCH6WmU4yTI)Nw-?-AaQndRb1RX*VHBN;Ua2r% z#7g%8sCF5c$XzIh4DEQdaR*}P|4eHy`QUfy-y+Z)-nee|&OSWamO3G7pcBHrzx-k! zl<Rl|%kB9HS~}(tQeSVMT%mmujeSzRi}VRb-tj0r9{^|ts7qB$JyW|t;rxoU-q)n{ z{@pKY#7&Ab&{tnUOwtRreld6W#e+x#efE{Y`8A@f*^aje0`r~?&OCq=fJFey09FFz z18jVR^i3qRbtJeE;6{KO4sJNOT5z@Cs=-x*s{&UAt`b~jVBgR-+5!LX2G|Smhe!PS zCRG7g`}GBR59|kjzkt5;`~GiizU4(S(W<=@?Im}r=r_}*r{kd!!~?nu_{8iiph|`C zk<gu|fShaQMhZdCd$(%%X8uFZy+G)=O?~O)M!;z1BB9tI;wVa+qQY6T(DNM9;HQWw z0LeBs-AHn$#3&uQ?@<MKW*-XA*uo2AaP!IoDV!%owA9G8O1oH*!c))D9lEOLd^j}m zAGDvodW+8f9ND5<{#@V|UF#mY>vQD#TXfuX;ZB;t*g+XQLo;w56Zu1)6=tDa8@Q1d z86ZdfD?<8dUB(Np%vR5M;piUUcHWsibUW_?(ctCX@giDQjTiXLR$<n2(x%sMw7yL* zYHN>3+Xx4r$0gsSawXwTLYQ-*TGgBsfkB>;@S=1lg+mZ{;f&2Eshk!i<C6L9MrCCS z@`Ln_n=^3-IY@2M)clk|fub(FDfW~k?Wn1~Z9v6F*JYw&1KI3w8D1w`bO7q4jA}#w z=P?`c1E6%M=V{{ksN{Jw^?aRp?v^~m4&cq$XNjm78(#Pn&E710vmgDR0{=buA5bn! z;wNG>c7a*QIDpsA@r~~kQV$TVR=q%O&8!jG8H9@%=Qj1G+thATN4iaB7C!{9;BI4= zj2l*E(xSdqPyC)oX}&RLL2-bd#7#rhJbmyGxo0;G9Ay^1*iQq2J?JCh;vB4|a8mNu z`tc7C!SBX7B?9pJ#>p*{oLA&q)y^vlE_@G~#q`V|jw_73Ob}juCh$OX?la!AS1K-S z#;@Z2XUOg3Ts&F+)O)hbJ`;Gd-1oHaWI4mDYB<iO6ux=MD<K?CZt9?fFgu*D=yQHG z3{~eTc+PjmjN<JmFRRV)iIFKUBD2gl36DKP^zERO0oMlkHoi#i#L5M+)^{2`*i1!t z&<>zWWm&As7Al;58zp3aeVAx4QQ5`_ufSstjRIUNJsJD2uu;J&-A1KLG7{#qR6#66 z@rFK|nVJKlrZdox#;>cqZ^U@UfGrIhLrqzXW*CF(jW%Lw15ImO!+3>FA(YgKBAuV% zo698P^ShrQmV||@n;9n8dntXey#HO~DneRc>=EJS8Y1tn<;^pe^5&?eXd4#|7+fXp zkCzxyqO_T2TYurRPYk}hV0NcODe2vMh&2Q6F5s;Nkxg)JiJB?0!Fo1o=7!tdvp4YS z-@6t?sqxyvmftHGZY;gGkn($#u#k}+P#3jlKcX#NmX|Ir#MbBY<h^RM5^><Pe7c%n zs*X=raY3YNjTz~0Jqo?;87@8WSk`?iSF+NzUY(h4UY?Viv*M7F5l{Q(E8Htn;coV{ zYH}2dH-qr5mfRJi@8M<&B~Jy)czpA7@)<ZPdl|nS*!C9OMXwBp1+X$)zU3(VAGNKK zH+5vxO+q_ATV>9J)G+s0-2K(;YqY7%0$Rd@IMg`zPIB>OU!!Kfa=x<_C*PpD$qPKq zj_+>gf}N%axhKf+T{NcvPu>^~6XiqqN&BbO^T|V$=HYl5u@iEe<GUDkShF!4ZL)c0 z*M-d6#D>jVPP|b4yk`nLpm{J)sIyngje_Xh2og&<Z#k!2fJOWc(ZTspjD4?%3)k#B zuGz0%+})sLRhoB>JKJMC6M7mHP#$|{-El{|#c^dE_-|A=+jY){qk2<##W+A(6>sdb z-@+;N$2LrXS0yn<Je4;_EZM8#bVNV00+<+FEIcdt+&;~3bHf!MxpMok>ij!+^J=e> zo3K~LB|2N>?69gz)Z5_LI1FkT9nbY`m@b@nQWU$55i+V!hlQr<6FnO6k=vN%FqtWu zh{y^W_LIBf(4STG<n{%0AaCsRM0n%G4C>o~+y6iY`6lJ~AT*TDg%oa@00T~D7GC~d zy4-Xk@b?4oD_g>b=2sqldI)}H?=J{#{KC_eUzvgK0q|=BP(6Kv{0ip&_xTlq!;t)n zlm`#aCV+B)LVz^@%K^*)X;1%9{0bJvi&*Jb01g10c>2GCUx|6v$FH<LGbFz<`x(+F z7<oquJQo7&c;@f$D;WF6_!W}xe~Mp`@@@khIsm!=`T&&Rtp*4OxaHX&ieI5^WPtzE z0G0z3Kl=mmE56OK>@4AJrDOrcyoYcE{Xm^{J8;)e#tnD&%elyILyC+Y1Ej?+luwfJ zy@E?g4X&|~Swf|f9x<yfk|X9&%5l)6ge>7Bl+L+|;mBzMG948PsIvvj<9PoJ$Rt9s zQOyrXWtBbdClqk&<CNtX@wop1`cJRsIGD!?!|=spfeb_GV>c`m5Ty*{B}O2Ha9q+h z<k1NHW7j(*?|)3<7f7=VG&G;8-s@y1?NzbkaclYayG608K;1*sLgcuD(G+*8a@C-F z(S&FN!Zm)*Yq+1d#F@xWN@DuCAmKAus`lUuIY5GS2NtLDEVro>#mr2qbm)(8+8^tj ziI`Z<eLQeXamqz9%*wI_p*$E$g{jP0;%Mzfq9l{ZwS<w}uZZk(S?<ivrDlwnE{;}{ zTv>MkD#4(#9O^B&7vCI&S&|#^pAWh?tiQ~Tj?dMy+PF!mJsa=Z2E`sNaH(SJkwPb| zYo~DT$KLC}++-Rlq(HN81Vr;!uZ^1Uj^Pb&&Awo>@cCisIJgp(a@W2>CJ@=yY4IlQ z7G3On@wqC^V~3VPccf?8hLJ0~9fTW(*gy`Mw0e@nu8UhGV<+$qd?D9=t>i8*IU{J# z!R~$h5%0}oe`IhBCJ<Fcq$FJKRFJhz7Fe351|xai^a&<-8Pjw9l3@bB^)KCxm#>dZ zsP8#F^$34>8q+C?`XlyGz9HvPo^dIo8gEDLvWD@r`z)$t*VJ#xp`SoSIvL?)XnVy) zG%&`U^I#m$kra!eGIDN`Q(#yv+C1h)W!SnrstnsV9z}+&TO1vMOh$++G8k5K&lur} zT|Rz!&n~ZEkI%pq-C)%p&&uAiLLWwO$lx3Bi@)TaM+H<vB*TME-3Iue=AdkNj916m z#OUL!b|I@;I0P0>buhHAXS6VC0E-Fm=!&2k8wU2)ai)k6#GQ1eXxr&GQ+RLh-z+uK zHE!rD8W1@yN_b}{k-~jpXW;eznLB;_oSc`8)9k=`su=>j61jX&fQdy(*-z~G_*E)y zF7RBvyQy*pd>=nx-cWN;(zb>|Iby2HJE_DFae+2=BFUUe`AYMsJ0(tSriOBG+WE;& z<Oa_J9#G1GpNW3<cCN0fJ4J?RCCfq)g|A^Xn4OZyw1{S(h6{B+qjz!1)gcts1Hbs) zly`Miwm3zD#*J4(_}On`ws?MqcOGz`NJ)Hxh+?@;jT43Ax>KQTS30+<7%m<#?8MAt z&nH7u5WmQQwji4TSa6Ul_ku?Ot%208FoOuGTmTlxy-J-yD~_466EbK`oJ|JLcD}NO z=USnFH*isDBniG~f@sbWVl+jxp+6W}vo%Q33EZ}`vQ6YRFKCYzsV!0Aj$NWx={jq1 ztKSZ=-N}!vIz%dUsAB9O`<>2u10?eNx#7zoS7jR=3#XhHCpTR5c34x2N-4`0n!cya zs=U_X(eN<dvmP$=JSGkpFi;OH1=Kohp;C*&5h~QxDUR-=l3m2eS11MxYtRH5Jtn<> zgWoafY=4n-nEfJL#ui|WGF-;fJd@=zUVy=p4c%`#;i_zPRi4uu)tc(nWX}oh2)Io` zI;zN?NGCORm9tWiam!JuC{Aa%-E$xDGV<JoX5%>=`M}iTOxGezf17AzN!9mkT~XCf z&aN}uDRZT>>pKKu!|*T=6mino_3hcfXkLJ%cqFY7&+@3m19;kY6l^sMn^5#0qWjCF zpiEn3TYP03+u~NvMR9~Sq4a*TYmkLXk^Qp+WVi9TC-k4P6S1Jk42*#iS#<S-;5Dw? zR^YKF;%j{6IW8RO2wyCM4?8c*CKLJ|mWB+V6Ae+!1CjL2c%i&i_~Q=p-L!g!!-y2w zAl`J^B}4Q!o+q*nt!`_*?`ZpN7W*t<Jy4;rn?}(v;pp&&oc52epirvh8{+jnd_|<) ztilhJ>qQm{tt@F9+Cx0S?w=!JS)eHk23V|x|FU%O->MkNNYoNE5|xccqE>@fS%Crm zD>cJ^8`i*oTgxF}9U6`*L&H%U(QwqZayL08_L`4+o`*91EJ#JVD!Tv;qKQV$H$K51 zK{KDnqK`pM&<Qjx#h)4eA$Knii}Fe5#ceK=pufb9ioS%G<!=#v7NJZ+%~5tEpNn_Z z6lbH)xH3BwEz!XLcJf>YU)c!}F28`LrZV)WxH&x^IUBStQ=7LX+91rNQh*1f&TNBk zAllewUYbrUebEv;<9*G>p8-bT@{2s+t00-8rai1;7uh8uOL-{08KJopC}OCkYL9ZY zn(Ft79222$y6mEeLP4{Hg?yk8<e56JauOe9fjbG?+MmFA0naSi<Ak@5=d>GU2%&?L z@47lU-{e^%(NYtE+{h+ksS0v40i&gO?VRYLUYdOj(v4<e0p7lVdUk5|g;1Y4MALwF zfoRgQDxl(&`cC#w(VdX{LI2%VLZK4&K0cmPag&9@y1-r3P8Y$DRLXNpJf~(aR8?y6 zZR6Qhx$W&xOx6HZw2x9nt598#*=$q5ze32xP`HTfheuvSl|n$AHWC6ji=Ts>2Qn~7 z0T6Bcd&((gJmBNinVg84#V`$O5hKzmdD*DrJ${Z3JlG7ONkO)R?xitmx>*C!)s=vV zSq>0w*PdI<Le>E?|7;k?2Rr7)C2}LNiOoW(!l&}g*`!26f81Hh)$p+D#>qTgz}>Xq za=R0n#1<laxr3-IcX54WLs|a`ZYMWE6HdeMF{@p1RQv3!wWI}Merw;3t86T9RO_2? z_XTKAA}s`O$Dj>`a8cS-Zeo|4g;!C>PVWL6tUQy7=?1C-@*gYwvDT{@L3pzk1=Ml= zybUI+Y_o8<l^U~a^6I`-{X|lbOUsONaaXAb33lPq6(Y=g*l+2Iz-d*D8mfEBh=vVf z+e!aP#WMI(y*qs2xPqYmxalt<(JkQiUKn5H)n4svl@aY8RVT=PpE9ByH%=wZ(p2L# z-`M^XK|^pJpn2YTO^w%YNTh{N<8@zc?)Oc`ekKRV%h!M6rSMVtbzhV5d!O=ar8~3N zrdXPe2W(klIYC&cB03+V@C2p|=Z{{QW}mT_9j4i5y3)|98r~3~{2IR%zx}NYm|%t< zWlhK!R;u?W{r=zf>5zw?9@<tH!rl^E&rWqV$(+rygfH#E37>D2%fCoyhNnh&YD#DY zzPw$=oryh~(8>-&%|4=C-t!UPu)@dN<0K@_J6lSzS+z)_bE5)TsrI)Bfr)d{8xICf zDv1vcF(=iMBx?3gS!7DmpWHBB*fc0HLlb-M;f-A=?i>!Nq)T5n(1kdsc;-U8q91^& zP=*vuxf=O8;TKAxR$Sl6X$MVd8fSg~kiy>H+2eaJPvupF4YN}=pNO9~YLg3r5p1Qa zIu31{XwJ$K&*EWe6T1wxn%`bam-9aGNQN-3*K8BTyD=7woVjjb$j!n<$;5l*$at=g zC3@E`Vmc_n*{sAuxINMgiF8>vMySUKo=$R9uqaA9{0Q#0bHm_W*>mxbmdWV3D5+t} zj|x}Nr;CcSD<H_rXL&*vI^q~M*idtn`(_~w?C6Fx->NgypS;6!#aNO5n7;&6G<@3e ziEHq#W}HoS0EHOgdou&wGdhZL^Xldx3?|HbpwKdU6QSiw?bhkg$b6$vMkg3pgCq1G zZk+@l|59NE^2?`lT$vG`o18GSSAGVA3x!mi--=th_%O`Ic}1?NzJlNXDNXeya+%zq zKf-+g%tU-83KNb%H5;Z#C<+#v4>dJUV!4@Gv^c)JorBEur!^0k$WgnacB|5+@U&Cf zGtz74imgL5Zv`S$Zf`|XR&L{0?1yz`S@nDD>AK+wD!Ve_*oNO34A6+2;CVZ~GGc2S z#zyN;hW4A})BqNy`kJN^fNH241_@OO$21QDVJ6bV7d<Dbz$Oxp+6>_K0gDgtO7uDX zr<!UJ#^Ae1+18xjYM`>pmr+)EwmW5lO5eP3lrSB27aztW&H-7?7xvMUOn;iTm0C7J zl{}j2y^t*`?IDBx0#dS(^aywtgV&GnD~JH9(uYmWdG^O!=lhjES1Nyu@DeIL?yC{m ze+v)^o^llmbRQ2Q-ib2YBzteU>{#?VM-ZZtyir8%pe0*)<}?wEZWSI!HEqV0oc1@! zRvmD{mHuMUq~EDnbR>Sf!!8px0oVrMCV^AZbCIkWYvwkhF!Y5i6fV6TBeggWN1*kr zN69%LMu>n2Z6t!4DEY+*BI<5hP=mUg*5ipKd<)3&MG$sCOE?0GxsDvGLW7OS5XM6M zY++;#InQo#TaWli^P7vVA$1yAM5IpnOqk_#MD~;lo)W3kHRRMX;#yLtepB>Eg@AA- zPSIztnxdP1Q}j($fwSzBjv=P#M+Z&OAHWp-z9TSkE=}yYj~GnX!rCwzXWymLEP5Bw z%dYj@BbLJ=+KJvvy%RMMhF8cWi*xh@;l~c|!S{_$*An^VnSxdnR6;zlsG&xK1AK6u zGGtyNJF&W+9p|N>KH{6AgD^ouue_%PX{mvCm`}+xpUtDO*;6o1Q{zL}Va^7n!5PnR zJy`~u(k$d`r~2?=dPdE+wqe4@&}p6#W+4x6O`^tn)Y^{f-8s*cVBXm0w~&TYu}xQQ z7gTqm@X)rvh78~4+ZQU$;$yO*44{-VY>8RISOvA-?yBqn65fCeV{CogY8lbp+Pep< zpbv^fLNrvE13mRT@oD7NVCO}}Pb4I1q!4?B9MRt^jNImJX|J-<_}pGi&2FlC?2alF z)u36hpSU7udTta1g_9s14Qg~n(Drw6oq*}<(P-khPgskpReSZ{<!o6RKZ#xJp8bwE zS5QO4<v=0a1fp69TEZ1U2v9y%iLadt+_MkFPvSa>*2jA)Y&K=Kq^x&a6(u4Y*-X!3 zg6C%pDnhN4_k8MJAlEl*9-0ejh#pss6E|SYHl>s{*_&2VeG{%MnSE~c0oO=W*<n(- z#*s>58*SpbKAS9y=+83b7|cSsgKF4<=3WVO>uZvKws7fvX^gR9ROWNe7E02Zdimz) zCWW!1Hp0;J(S)NtXQm!Whm~;#-96VhO<kg}yV6S=W(!vwv`O$>pil5P$RR}zw5hSH zy%0%a@O|Is3m<Sszogw!x+sTCM-n+k7qqY7xJ=Cwe)XCU@0%eYD_bxOM!5RN6yat` zvL)Al79m&W9?2)A;*COXhS0VpaGVxzxoWlmMA$5z>%!g01eDAdP{~$Kjwea8?@V{f zT@#h;ctf2w;Vk<j&HkgBeeX3~R1H5CZ&Gu^(>xP3`_IH@s@X6@fo7iy!V6#yX$BX= zM_@5yy<Fyqz(TLSqj#70jvmm*?)l=1Mz4y~{3xIj>VOi;;9G#G=9hWpYT40sp(qo3 zoIO>2lueg}Z9T(VviZh_&$U^@Tlmm-Q7<ar!1u%+S9B__I4_B)BK1^klk<?W>LO}M z<szpMWvOS;k#VZ3FOaq14zF6h0(EoG?@MT8=fYI<b;9TDE!A!8mnga0$c_fD3*Z$D zUgtcIuUbuUp5G7Y!1<m!edvhOPU8+Oq2DseKKWUgL(+a6*f*yi@XaB*xbf_#yh*J; z&bII}_<G)pi(pS?q%RdlX$WsQ(D9M5WZ=<~t$(@8*x|}-(|5vjEIuIZe?Q=VQdSED zE0%tFi%LI-9F^T7y#E01q6=?5;6sLNbSL|eX-^N54)3zB+R3j=Q=%@3aN%K^3+F4& zW2^d>u=ZwGZm0gNrdkELbT`N~HKLNPOLx~9qU80bduxsTns@5cY|0!qGL0L-AL=>1 zR|fO`XZ@~BE!rJ}PYSgs(*SOYFqM`y>;dmQNI#98o9S9Mn?H0$aGA9F2D<_XROE)o zZz04gPTiA)Gn;)p??>cOCACf=IoHe}W;eH>0t<~RWyB1WXgI8OEgLbD*C<YQCn?id zwr*jN<4P!7jK^8)YE`_(Aeywz#!e)in^Hyug~sLfvx|96-J%iGFk&)B{E;`Jqq1KH zk>xb<v{0ZLFy?fOISyln`(>%1v8IP+;La=F2IE7-*}>xInHTB(`5)u*ViNSnH4l|5 z@ZOwO^OJSx7a}utx>JIc-Hbz1jd~-YT%f(jAPIe(4dYE+j`&b6$e~ht6b{{Yd~O%a z<cdaDuGVGj)VFAyD9H&dW1Vc?cun=I@G>uqRo5z#lb~_Q9XyDiraw|K)}17C#D#L9 zNf^?k2=#E#?w%6SsI@Vat#=#6K)k&N#PDPU+M8kTp%<3Z*l<Us7|I@OQiSm#btbWP zQE-rFnm)IS3nl^2+GI8nSTX3M7NSO8OT3j3KN<JB@Rs}nJZBrthtS#^u#R$1P@N2L z=NqGqUDyFoM@<dZ5Ze%U8SbkaUVU^^aB@3Zx&TH%v+pR-F1^Zaqo8p6i2F4Ah8r9Q zTPLBkiBLC6v+tPZ9T&a=7ZxUL+2~yxJP#xRKciH%cnrP)6O{~fcWrvmmSJ_HcunoH z5z~@U*QxhydUAA&=cb;PCv38%gcj;QOKJv8RdjCG8M3nuqq57!NGb<9$X%>XXuR28 zrIk}Q;`zC$1LpoNy-|(#P%<AN+sYlz-hNFDFC+cc?xZe1HufkitdBJ)fC%YyEgBQ! zX@XHP0!BrF^ZLU=Bt5Uy>{k^yufWLo5Vw?_SHf6LfophjvcUkI-~KuoJDtvketkp5 zBzKye<QnFz2O3{%3ngdvIE;v1C!<y_4HP+EvKwlktRMp=(>qXR6gVq;L)m|~g)J{| zDR8j#;$XptEATLl4{1sXo*wGC4F^vMja)-UPd~Qtlkbr>rv56LNwRMUq4HNx1g~+k zBb432ID|&XJ*onpA+e&#-OhGmypUjL3tC0?(>Ts|I$6o#0b+X*(#X9fnwp$`<UBgs zSN0S0ZD^#+rY-EnT|l1mlW{O|bmqQ|^Pjm<Pg8*A@hL(iDL|0>;?Z5YI`&#J4!zQ` zA<8(!QyGVYgex#<Cmc<J3H&5Wa(kWi8Pk2uEKL5K?q;A6L|mX|gsoTnG$U+febs)D z<a4cKt-r96OhnP=ew%|aupV_AwGK2O@5*hh&FybCp2o=;m}qvGE4QV|C~7^S%|?_J zWNLFox3SeMXu^n%EH715YM013?E%zySaXCM+0(!nLKrS6-q^}29VXF%7T6Tgjd(g) zPn2P?3)0wGY3y|2Yy~+-9w7?*Dgtir-%~+v@8f2bE3?-#uDe0Ssvu_ua{j8>h?XJ^ zc-+*>8^di{v@>%zz-<5%0klrR!0m~z>?M?br)QEhoqI-0v%g0ztr>WYx)Z*sHz8wY z>Y;<UX`pW)rtG)r*%(;=XX=~T$%(iL1I#X@NMs-<O^pE>xY^i2GP?sFl=v_m9!NP8 z6A^P(lgI>vvqpbNQ=_2?Wb_+uhPe=@z-D#~AEp9w8t7hA1Wbb=5Q1^`8rYkvOkMD# ztTI7$WsK9*sr(g+9<YjGm0f#v-f)#C9P%aVuwL4$Wkaa1R(Sp*F$UHva^nS?-P_P6 zI}Vr#h(TroJXcA?9eteTsQz`4>u?)S!^{VqbT5v%4~aQykt+du673|_Pdx(jY&47= z89S}Y+KZzZlS3*<dyRy%`ME>gdFc1fqUY~NY3SeHk6YpGtdb#SR7V?7H)tc5@^>>p zTV}iOCz~E^R1`{onR`uGeLvO~rEopZ!$JTnnMpKwhT#%`LsNyZ=L)kwL9HtMX*{R@ zHi!==HUe`RT7z?78FU<#p|;qo!pS+lJj$VS)SA9`SieuJHHlQwVs`^9`@e&c0WBnF z@3+aFr^IY1=6RK5K2Xp%bK`^$%0;m%4wX8wCJ1f+NEF+@h3^*E>^`$Nw>Gy=*!7K< zH6QP&>>JMkFDyI(E7e@#*<g|x49-TNo8}6sD)0O6yNx0s5CaIji(leF#sCAYQj6F1 zTBkO1LBmX1k7Ae+H6u=K);F*zi8#F2TN4=rI5)$aoW9BFo01`Rbd(G?vB}sk^Nhu> zT?XTvjDum|C-*2|`sgug@%z+Nzkzx`jiSMoD`;x=l4Y;=AQ?CfiTL4as`rx*38#XM z`UXu+HHp&!%i@EZiEOZZ!w4V%HpDo4gETb-sPXb0V}Goerm3C|FKL>ZrQkFh1+gC; z@)fp^C(6P|W5k^xE6ngiY;y+jxCK1C)*Us~KgCv7kj=}v!W~_tiAexQmJB(&9tMb} z<~NXQRi*ItTkkSl4%WQ=0^`FIkHPVF`Gaf8;e%516Ewaim4D#4RKBJ<StQgwc0ct5 zG@z)OorrP}F{dI-L-Dc1e)x|Y2N6I05I=<%N~JrJd{cWqR4ozf%0*__<Pc?f@PL*x zl<+5gkVJ|}q(Po1pm`8=X-WdLqnpj{ltfZ#6!P$<cR+eYZ+vCPw(~H^j|@nv;BY6x zDp7T+yG;F#i`!yUL&ZR9Rol?6t-l!J_-tF~v07DJ?)Tgj_ySby1Wa@d85pHQrQ<8< zl)|4PgJ}zyR5tiNVrg2jDR5S)`VwavDkKm|j~oZ6u%DNZZ}{5fz$`IWIQ21ZL+<_# z;?3nx`c;C=CNAX&Ndc}cyfESl%0HG!0y*6-t`$%DRP=0cqA;w)yHwMKe`m3eeYC@x zjaoPibg{-I(+w-ItCt=h8ZUU)=9|dT@&$cAJ5M-Rj53p+cVoNbxmGqhp1Z(KgmoJy zJX2eM5Q{rSMQX#f3BNc`)^f;vc!}4ZR(d)f1#>FE(OMjM1pL?aJ{<4G1K>{xc4$ks zPZAOrwh*oO;dpM_LS}HNiOMDyGJ|k7?&CX!N<4eudIheG?5grjs|I%Ih+4$h^Qijf zJ5DG3$NE4PyTn(1`$ZX1mvaG+GaK3WdE68`1zh&=EZfR#Ask2$+Z{lY2%&0nQUzZd zwc&G_DyX+5WDAL3O9nPCa~0Xb!Y8S<I0f!S{k4Q{KC1~Pnri%t3)wCMla(#3ZydC# z^V=eV72Wb_X&4l`lZLuC%AsnWP;vm@v_TF<nL0(=tSq5$xMae2W(ICM;r)diqHVu} ztfQ1->l4=WOB7pY`&kmuCp`WHML7sjPAHMWQK<)!_j;Q~%Q6cG4h=%8uTVm{Pe{j1 zdKHzuIl=}TJwxt*sW!St(Fs&U$7IyY-6h6A)$D_F*++9h3r0fjFsT+AXGxc`s<NvU zQdS=JOcHc9>~Ad(%nhe@sW9@R-+SwVZ^b1<_AZCm!$p)<lu+d%1J-=VDRg%1d5OOV za?6$5B|P4Q*7pQ5C%ZCH4GWt?CQqPJA80}?LQ{|7bbUo+lZZ%&Ho9}dx0>1}Xqas( z7zz*m0iNDMawr4M%+02fv((~3AFP*Sg}fr)Zo~2-Y#s7-6UE$E3L1>SbH?5paZBhn zrT(&A$v1k?Km#54!YeO(=SX($6IlAD;B9AXx;LKUB?3n!q>?-!zK!vrfO^Jb&l6r& zxQwkF7sL%0J}C4OBIG(}m*;K$ciZmY0>xIW&lsTXxBbz7okF`c==*cLs0LZbKnc{0 zYT6Uf0aFjTGP`gRyj9rf%U;-4IABr16%4pe<+{juPB%Thg02)W)9`?zJ|etP`$yir z(k!A_^=2#>OVA3V3;mcPj|q?6$o8Rh+ZDbzksRb;v64+rwOI%%lw`{%41MXf*(b@0 zVzES48{@je>5i9Nimi^RONx@$XKVItR%+g<ulf>6tuwt<-ywO!n!yDRc0RaB%uGiY z=$A?80_BqESg3UHq3%U@M%9gUd{*T+CaWFkxh2qdyW^PLBRDL|ZJw}!5XTfp4es`H zA%w-rZNx5^#?+%8b_3&QIgyCC!qoehg21WQUO>Jz+nD8^P(CalB^p)4{E75^6w(8Z zZ1^sK%Yw;pG#Vt<ZXE+u$X1|Lm7E$_F&Qed23{sk_(cKPg>x1J&alG^d^7B;FfNHv zF?X6QZX6rb#OU}2c=u%4QdVWTjk`0<!nuWz3%8pmyOBsaUS^}+sqo?Pr~TH(&n7o~ z796*7q>>9>oCdRPD|~tnp(@C#{<~s<EOVmCYQAZGeUP(WS>Q4r)9kOuQ~Y&>^c4RD zo*`(7W;dW@j3?Y_O81r+r7O30Ydl_emT2k$)7*7tW%nU1r>Y$Z(^-fosCJwaI45Io zlCxPE&-HFO2ARa=itJ3tDfT@aL(YChrIPRWC~S(=`VTABkU}NSPXc^AZ7>bu9;0Bh zVw1Uz7ht{HjcRpJnG&6mIte|YCOiZkz9M&m?-h1p4WP!uvW0uBC^@j)S*ZdJB13o~ z9gRdHd4k6Y6LCxI0+1^xqG?3-2VRtzU2cab7}6-Y5cK;1)lgr+!`csEo*5w=&i77F zc)8VYx-|I75tvXY4yMm{Ho*esuIzmA#ex@IrgKD`#ARybP2n%t<Sye8z86}{B;fgK zZig%P@G6hiEZp^oh{ll7rX(Md14~N>EH*CggmA0?Z-KT#{{(~YRG>g%IL-FqBh1V9 z-<-Vz$VWVygv!CN`NPNFV<jLI#&Gx3<z(Gjy7jS^NRS-dMTDLf<hUwN$LDt7Nll0F z!Y(8;(Tg{p!+Xp&SV&<~Moeo_s=WzDMu?0LCYbJ-M~~u?g^q_s@p<WO4qz?L#oOY- z-wFun?3$G0ifFgWiS&^xg0DQnhwyWeWVi(Ar?zJjePC@sUCgLc@tuw<iR|PoAz~M~ zG~VW3B$JVn+_P0KQ(N7LgyY-=RK;j&@kGZhm$A1yHpvsXTO6AdiQE(zQD))KJ4w<O zpeuv;Fih(*wkR4Laf$3n-q;dtY~#6eie6V`y=O9Mj8`CmnV7_zD~t`2G-<OYsBZiu z?$3(K(<mDjXO(({hfb6s`gkM*De$AtaZM5)U+e3gr?IV}31|<s7ZFbAFxkv_-OM-P zVcH3Emay&3K}&w)8cI0aEsO({a8$tH@XR#>SI9HoR0{{Ea{E$!z5_b26VfyV>r!+0 z5a<seKZV*=V(lb8CO-EZ)pd*_;Lr%CqK~B0_E8*3&l0*J-{{IV$Xe0ESDy3C<&E`F zSMhErSO(>uIXI}?(Y|umqllh_Zv14fDL(fww~ntojcuBpCH!n~%JZv9%EC3D8yE<e z9~cz=77fRNISB?PMEP|8peVa(6h#kAitq&r`WQ}8J1Mnxk~A!FkN5t3?3s!4$Wdqq zQa>F+Za$%YU<mcCUKRVN6~g^#K7j>^GLI5ISwr^w4zCGZB^IsmtrD3%M)eh3`p=Rj zHBRDn#&~(1->yLh(YXeR8qbWqTJGk(GImn8Q7va9gl%hZq~LatU|Hka{W#;l;2_xt z6NuXcQ$?R}VS!{fkDDRfu_ka$*}wWKC6Tf9p8H{u?!-gOaVS3~*yKnBVVrEQ!pFtg zbt5(V4r%uFcBkAuQOQn8svDVbmL09x_btliHOCv(+-P@_h-P5J;&b~v3iMI9OnpfS zXSv4J0a_`Ieb+g$^wTODpG)<*KPi)BemewafluY<^Z_cXnH*oJp%6`V2{A}QuqL*s zk&DrPN3@V~vxLd31KZ=5tFCGfD)KQ6l4ccX_Gv_umYmg|S<sy#pQwZyvB`B~p;AH6 z)}G}J7gZ4Jy@KJ#@WhtCv;ZO$=*zWsHT-|m#^3@)dAMgTJdd%*!2b~&Zv&t4o+!<J zJcE~aCr#9{VUUAsB5sQ8Kk89v_8-GMcn((!2pJ|C)f59C0!BVlU3ZfghwK3yXjFni z8bKkAppZsTNFyku5fsvH2nEdNBsZl1zM5eueO==Lax!r2kcDnSy|Y!Gh5?=40rTZm za)eW_aW~5=zloe?z4NH}w^yAFvYwBeU(4!@>hIyLSr!+<;sL*$Z|+-t6g8_3{yp_A z!yEuO3D5@64KM<T#3+Dy0LuUh0m=ck1MC2J4&ZfwCV&qB+5q|hw0)2czyPoczz(n- z;HLmj0=xw94!{QhtpFVW{Q&Ck872Z?IzSA70U!%tEr1>1Nr2Y@P5^uX&<8N4AIbu_ z3t$nzN&q{+Ljb!0UIN$$&;-x|&;if~aFfU|Hv`NDNCj99U<23yPz~@Xz^?(`1ULrJ z0`M1rK7c47rDFgL087c{aNw^a!oYl%WMJ~|Gcf(jff!z6@P*y?8w2x;afYkX6j+Li zt@%2(Ot;R;>a3fJSY2LOzExLXFDucN+spE-6&15W{p01?trphmAEujD!N5Nzxr{5$ z*OiuGKGr<+1wTtEdK46u=IhLx*}}3?63DTZwZ&G5f;tAKPAMlLvmk^a@4j?p<<?RX z>-LH~dr>(%t9<iDD93IDM9mZfhACkxm^`M8u`^cqo5kca#qh^4Gni6_BhR;zy3Q!& zii_zZ9s~qq6KWYnFcU1-Dvd^C5dP-GFlG{27iV4`qGIljiODvHKqYm!zB8&dg=^r) zFq_IZ!A}J-m=H##0!IaZ_{!{^k_4TcM9PuL70RIC5Y@2I;p(sv8turNMum?aGd5z} z_z95{Cr#E(xp`{TwCT6Zxb?Q^nYYinBj(P#VrS2pdv{!Xf_`4&kM1!f%}-7-rY=ZZ zc<+6SOpBM8)0bu}%goANp7U=jR_3l+y~eUOFW*|QuCU0qzPO~cto(j^1<P&NxM}kP zKi*QgbsO2%HI`zRn#+nxS*sn#0%L^nvl#wg#KbapL5rop(;|XziZw89YH>xX-D*WQ z!^&n^iaGMU!0$P!xVS72)7rUGwy4Cav)b)tb{)fnLFX=8v?L>g`rs>*v2gJMzgH$@ zi79E};sKwfb7Nv>hlM7U>MZ5u#YK4*wg`qyp`}7sVu4|40e_aYmXxzN6pPC&FeD4D zx@4WV?Bb%ec8h(pt_bREw_Eer;?1){&Bazrg%t*NDQn4NNeaK*Z>i8#aOLG?b_lUr zN^}K)d`X$z3VFa|35hd{VoULh4GX<pmo$I|2YH(^7B2Gpa@fM63Z12*!dkMnc(X2_ zvlo@F)0IM28>}=|QE3rdWGOCsfMg%K4CBK$f+$%brEV>^4&HT}%Q(9~uCsItSsg?z zDXU<iuIsIkJ66YTt>B8`b1Bf}S&ECXFlZ^n>Gr&`l5+Ct&bTA5*nX?7fGf=-ZA$R8 z3?Nln!P>bz7Ag<_NMK5FvB^?I>yGul3+qij@6s}EU7@a`+>&P{%>@I%QXJ4={_S<= zp!V|B-AX%e=`z~hY#|_BR+?v>b>r>f#VrQQz?=}jfdcZS@VnwLoGT@>P9O?}R!cd> z7USK0ojPtTDjU>q1L@`tnXZD(zfQV2n68|I+HWYbvz(=Ppo6d{Nkoh{d&vA(mzCnQ zeFroY&fa8V_2qwOd|<uFe2RTt2JiXS4Mll=aiuo0ZYqcG21X3FjQ_Waaqb=zrv!#w z5nBjrLOzay^@HON-7Zq1d<$!V=wY<W2Y>W->;0Uy0t>>CvQ+xWp&~Fll@yiYLR5tP zjl-QQ<tnfNH(GwcPaf(J6F+1ftfkOvWu+z7QWj!k+_)j*TI}mMj9B5zmwZnJFp07F z!ItBk>q85(!0C;SV1_Xj<=M+B$_iLrRuQRXa&)w>Jr>bP595VG>{+vBG4o)3UT24@ zm0BPISGvBmY-8z<pj;`55xZ$hXsDS+OVCO50B|bx!=>km@T`=cANPB9!?Q|y{;A*d z!+y^@{GNCEJ@4{+e#GxN*x`84QRRRIS@EFb!R?OlpdeV0Yieo$p_mwl*-;Ct>x^6C z%-IfDZ(&h3oAK(6Zib`Q0jU^RmJ16DRjQCp<>ed8%LCTqfBjIm+~B_%zQ3!(uKr5{ zO6huk)z|n7j8WzHC%eHv|Mc7a{^U3K=S{2oXE*=<fZx@9TKL~R0%QY!H~I@00kVNV z`3?RJjDUai@9)(g|H9$V|II(_hN~>qJMjHR>pM{I!9Fs=FgmKXJF9CR{7J2=j(^Dg z(}#EL-1W$#k3Igg-A_FE^QV6C^fS-ydG7faUVQ17dw=!omtXnKtG|8icmMwT*WcK; z|G>dF-}=Mb@4Q>zaH#R{ADfzw96fgY#Gg){I(_E7v*+Ib;KP=WK0bfp&!2qSdhxT* z+y3K=FNOBMcsl<2)z_Vu{&u<Ro9>?8E8l+C_kF+k4>LqVGdwrM5dE|3|IaS}znmc* zI{be``=_NPl$0dkt^vd3!*8a}1V0@<Y=$3WGTo7%f5&D*OPNg!lVl=1G4OGO9cC7n zZSXxW0d5H&GpyyT*E5M*$5pTlb1zp+^0*ghWptCu?M1jJVY1ls@cMqLb*-I~XtsMT zrQ{LH!Td2_%oFp%d@v74w;A)m^q3aYFc}t>v*%k#9;x;s^0cgwvsXxd+1C70tMsyr zqfe%?QsR-pNv?&(w3rU#V?2z5;S4bO(jH4TuwrE!Ggv|xqkm?F)xKn{4S0Zs0~9mv zctF@9O9h*hhg_w(teh(+e)OGY!<ZmP%R1})vQ0@$W`=QT>|L``7A+z;LD7H#AOiRR zT8JHKAE+|a92x-H0h$9^1sVt12$~973>yx9$x9Y5$y^r2%mSVl-@W@uv(}Pqz`rD) zxGSNo&A?TZEG;Wz>FSvF53H<sKzO>#fRd;T6UQ*G6*0`SPh2}LN*kejPIA5P7a|M+ z;YS9A|6yuic&%Ufx6=$vKLR}0gL_VT#_)&y;uX#@FvW8W*TrL$J}~_Bpzw=>!cPne zU!Q33)%ET~!;s~4{^<I6Of?K0Zb~vRMM>9BpS$4tct+oM{q#RyeEsl0n+NLF;rHA! zDBd$m2f|)nI&^zja{|lr&u91w12cKW(BZidW*HP-KPdkLs{+IQ`!#K~fmyx!`t?0% z8#+C@$BM6?{^aKCr~jnt`r+?x4-6mNpRYf5{q&~Y*AH*obA9|*yc8Hd`1_o)mxkjn z_m_qt%enCC_3`LEbp3k%{Fs4RdBs;0GX^)YTbXPA{&lwUkDaY7l`XKATJ09rnoM`h zl39DPaf7uK){G_yWAPLs8Mn*5ClRH}Y)cWFT4v8EDqUA>r7I-!7?VuSOr&VAO#W7p zVP*X?O|z8d7X$t94d!Yp%jb%%sYS)s#g-B)#QvBu;%<Dhy@)N!vlM4o$^Ib2bjcT4 zEgP&?`F}f*3(Yti<~wCZu@z{Fo8{7~o|K<&CpZVm{0~#gF>P{LNeLueR8$JZ&%+e3 z^xIjk92ff}rW3KJIVYEK*cv~gaq_7rv@GU=HCVQ}+{(NQlufafy$aF0mCL-lc)k|= zH7TF7+o6@co@vU=(n6ARzHw6?5L=KKGA9QVla+wWkij3w7gnTL*K+IDS?y-1E_U6Q zGKoeZTVODn<Y`t*IXUEDo+HonKw~Ar#EeyD{wQCFJ%AgW*8GK~d3I|F83hgg{y>Fz z{WCCaQnHz0!m(wR7)|)x3fN>>ii`5em;nli`H^y&-&x8$e3MR7?!jl@iAy5B5fr<y z?ftNS)vvvlksZ~AK;!&OnGJ1C#t_pjUsPtvm$nFDG`$HpdpExa^+-}_enxpwDectz zWLThaV23k<#ZwFzzV&46UlqVC8X`qDQ?1M{%C{yLTI|cpOt@n_e=}=k4qZDR7_Bdm zexP3s!&sDAbZ?xrK#n4vv)VVCt#(3qmgdnx2)%8?wq910w_X~RFJC>Dpm8$DSS94& zvLg7tD#$p6C+11TQnom=bR$ry%&!OrORcm!R(UaydZ(IxCG`7+o_*Z!9X>q3dA=;Q zn5!tnyytTT1y(zZ?Jwkul1-L!T21JQ$qHXvEGzRi5F_}<g0?WwZwue>Yl3vifj$tY zos4O62tz+n=1UwWSi0{h?`2Y>4Cr;>Xqe>UvI=Q-U>>5QMZ!OcdD5>oOE|WiV@VwY zVr4VI_~rS1^P8nv4hv0UG8mXd$}M)QueMo%K7e%#;^^1^Sr&T{9#kYT_ZgQiHZB6b zAio%xrc%XH7}sPlGw;(h`AZ7u`*isLmxA?!ncX}0B(YG?T8_0=Bwc%b{MYZF|ErHq z^0_j9kp}J6aq(W!)lv_E;qo64w}1Wq_x~1uVR-9z<K9jA3-H%Cc8Wg(`WgV`JsqL{ z_xa*DMHw~km{dqEo}uA&Pm~BmQ9v}Tf@1t304PtYlH6gE8!Ckj_X`^%rA1dG<*Swa zMgrU<0s2po{O3sTNz!|=^lp~YES3B-BsW{iKSwINSn|h>6&(Ofw8XZ(UBWe3itmtc zu9DpCQn*tJua@$`3wJ1r^R)E7N5ba?sk~oG{`)2TPD<e)O5qV9v@N`C=52F-m-$cn z4;B8OjXzZQ|K6W=$R7>Y4f*@0qWy#YhCXzl;X`kV|8w#FA%FkBj{)iT|M*ZS91V1s zT&a2i7OXYfH*cRJ`M>ljb@#kT-KuABmj}3$tq$Vuh4>B6fBd{|h<vO1scVqjH*PR~ zlH~4#_@|z0du}}QAI}NTtr$B0t$WB5>S{{=c-6-`X7$ImkMFuV{@IpKTCXt7om*+j z;=j^8yJRW+ziRH@F+S-BeU~v;<BIm7y}v?_f$99(z?5GyFtw3M%<l12u_?OP*P`^p zwY66;khSy#xVUCN3ofqVDsb^5zVM}iti`W@i}Xb;xTC;b2`<t!QQ(dPx9<xBGalT- z;7$PdA#jma$Om^4xGCUH2DkM;41|{03oeec*V+uk3YQk#O^7_Wcy`tKxq-p2rxjcr zY!|@A&CnCzuG)QLfb<vAQJ62*$;)0~``DoGcV9Lzj{@ufcnF{tpc=pdunC|Xpb%gs zfEfTzK(W6d4PYKX9KdXV7=W1oGXSChbO4b65dh%;S^zbG5}@~Q&?f-G-)Q_+a9aRQ z0~`kU1HfwlF919X@D#uffGq&!0K=36eU5!P3)>X>{GnU_K5UbIX_9rCS%bz8wv#UC zk#Worzrp;KqnxJiyhQh>%^AyvN_s;-bIL!K{xsA}JBf~Kub=-je&hYpn8&fG2f&#Z z#|2vEK*g-*04@WJgo?!gEC#@fDc&>*45f=VGDI$pK^;$cll*T0c)9Wp024s*{{jN= z@5!mi2mKV%&zruu%fRFVtOQurWw>hm{2x$D0|XQR000O8gbGGZ*bb}oi<tlb044zd z6#xJLb7gdOaCC2PY;!MXb!ja&G%jU$W$e9scvRKZFn%U8lT2=$1Q-Z68DLN}iqY|s zFi_`^iJp;(#)^uHij5*xtTZ_XumUEYiOpm?mA1Ck*0$E_>#fySYq=^W1ag6J35wiQ z;(ZSz7(kP7J-@Zqo=GMV`o7=qdA|QX9x`X2eO-I+wbyO0y-(?F%O$HMNjCU1O-WiM ziGM!nfBv@{{sxU*Ge~+neapC2mf)6gGw0o3=~__n(0vtmKj<pI`)5CUNOS$<URQ<w zGuQn;bNR2o(e>a%_uM-<J3GT2uVccUFZ}7gt2VVH{(Q&YY`KTRn_H&9bMJ!LE#>fh z_`&O1is^Y*%Y*a`w4~GX_LjNu{PF$e^RRpZwz3jQy6175G~!KmLn5wInjmGSq)XC= z@G@V-wdKQ4j_9&QiicAq$&No#-&0y(5rZU>s}hA0j~~AG3re<Ji!>>D@a9+~N5=nR zkpHKDoszUX<?P9mwR;z9@I3iJ93bqwt$!XDKr^}Gp1ZZXVgAn-bxIe&-`@WDeDHs= z$R>SpITnO58HV*)2Ii}uyg+26K0;rmEO?ImK|bIAK~MkRzyAyW)bMP#Lk-V&=cr-L zou`JExLwLj<tF83)%eC0WS^==tLdo^u#;<W@{YW&cDG0T=@vEeu&I`}@G_WJPnYLl zu>9L5X}lVlWeKv*8gtpb^4Kb@Uy)a2U08K&wr(?<V&_#I8?U=+x|R*~v!=IZt86nn z&3_6tsMh`YT}{^6s@WJz@pM5U+l8vR5ncn{gSExxl2uS>a8jYmMIn{VcdIJX++`|T z;-1xH9p6-JkyJL@?F+Cb)!5)t?o{qjW;eDa{$YRfZc(ehnFEVJW%hRlLw?T&H5_u6 zQOq8dHOMQ{RdzhostsALn)Ox3F4k>LK67@RBh;!NQX?TZl8RvD3AZl=pMJMbjm&fx z0BCC1?{@L)bAduEaTiE(&Fc~ceY54z-*LGAL*Z?r@L(t`23?InK^Sq$)7`F`Evnh7 zT3f1$X6p_J!c%jKRBuZ~W)t*;BK25Owb&34_#nX64AtYD@cr46MANw%S1x}d0|9%A z^2G)xB~)SpdtX_FZz^k1Sr1>EiNR)-Js}3n)5aYLF?-fsh40lHaAfalOd9XA;};G$ zbv4KisO&_f%s~hS-Qe9or#+_1jw<1$lDsYx(5l4qg&NM|_d;_u^_o*2>z5#9h6T`s zmr<nNDX++fS6}F$cDqkrw}lsq%=VI+FSLNK>J%bkb8HWU#_Pj;UCkDKkf$CJ<)`X> zmmc)9j&`%g)CLDxGosp7-j<Gt*6lH|%IAHxlU2auKlaP=N+L^Bs-&1DQlPv9CZZ`2 zzN`rgoeRM8H**M#+~o;)pUV;OR(SzQt}#uMkahq*p8<zq)F#!m>VsMKW8*ARO{?bc z>@b~Id<2vm=MAz?>O=PU_~#(LcR;GA9!GSK8VR}=_#@ZM^Xv$}<L)FX;D;vRXBPg< z;U79ADRK)e^6V!7G{Bn$^B|Y$JhTr{b~fY%1X~b<x>YRT!)YzVpMnxkYYAX3d*9Ov zuagkvEL8NhebnJe{J0&l&H36V_)zEY3L653_|qd1{vf1xH8OxhWkGkDvB?bEe+RXg z&b#&@q6M+}rwDG-=}%PqcTw$yiE2lkrP`3_@WA-CGvn(mh^vAUMg^v>#qI>ysX#dg zT=jmevLk@8u)Kni8!SslUdyI#5*d%Y9xxjq$!~2Bdbce3Dp0-&hJ}w!BRJbWmZVa) z5f)XDb@0J*V$DO%qFSgka=*E>AjoW=1j@HSk>5d)fVGW(ISApO`bnHfn2oe%{MING zTe5us9tGG2LLopP>ZI?+Ta=p>M2J}_L;%-j_Y%MYBuMOtAIVU#{20*>Wt9XS_OzPL z<9m|nQh`{g5r5Xjh)xBnw_#zPJXWeIoUG+g$tK7S6wAAQQLKrk0?JZJ&kiWd>{C9* zfxx2SYfNVMz-#!LG`<TYP`2CXG4=6$n^jOqpkmGwAH^qjIzSmIwnmRx1l1~lr+^X& zRQMlml!o}2Hz2XRMUA|Zh3RZFpHbVFT{SnU=6cn;t5TL%q=f1<$J7kXHZ@z1Hl;{N zF)35T`RGSjHA+|9J%|?YL;(C&f+U_PY+?2?hzKhVd4>I22-PZC*nc->xfH4BvE#71 z1&J?I*=`{8eBm)%@LUDVb@6BlHMSSm77$kK<DF10Qj!wQrY7EYmq8YoO?NQ-f?LH| zf_@_VD2ZHn<r)XF*+_{6*>MB$uq}vF<9kfgIBf}pZSDXJyJMM4H5wh}R+VM)R7g{e zW(UTo#vuz#L680w%?3ZvZJKKZEopWHy!$b2={R|8h~$L;%ld>jLl(fhqzp^GHh{20 z(*jntISn&w7X;V`01jXCB8-D2-p{>aB7<xrUkI6Kd}G5(*v5F~hfm_*v~cBwX$D!m z!%TEoWnzMn{UEv``w3^zI!1g}?o#f&>-J;<s50mMqb(B4z6*X8qLI-aY5-8a3>LZS z2!?%m!LaJO@n%@<u-0Lcj(PU6qpVT&ZkB&n?`_o2<IB&Lq-GL!kwUlxne*)MwDSL& zC`m?(8FeC_L6P?pMeaCjk;-_H&m_d}d)x~+BJ=XDYw~<@&F_djZR1}}fJ{B6c7f4z z8t|?hR`w>f;g~%bu{WP@k&MsAst@d#6|fEkEYF^pVUc3F5Ez|-@(<7s`}2^gYkJ|M z`b4Z{B-Y}@CBYihh90}|DHLyo;#u`wN@0~Yp1(fvY~XGHWzE=XdXMTCAYi3KaD|q# zHX`&h-SaSVjuRp~RkjP3nluzTgOUHjAwd>a2-N3Jnin-<58EwLqwhwfs?0vyYmwGM zek9^)t5CIy*}aW&un|Bd%nsX&APcvhi*VVq^Pzi?)eWKoh+E+?qcQR8iImuRfk;eS zH4;&3v8NT#Z4|VohKE{IV|{^YGyuBCEE<S+_VtiE_9gZq;v5W_N+PN?0OUC0oHxk= zcwQeLrU0|8$Ds<cp_YJg+|)AR_q1j&t=XZcHm95h1{pBxvHE}!wdn64rQ6`b&LXeo zzXXM<YML8WAI;8l&%?>hz8WC~Rvm4CZncTAAjX_MA4DzHyQg9b3{+<thIcQT417af z_1dfS?*cWyUF|-gHXOGSLPW2M1aouvRM2DPH4o&;u?#gbqri0D_yI`+2#BcPI5t#e zdzZ>aLk=I5ocmhHJ+UvhfExzoQ!6&Vsp3ii<z51%Wl_Go=I42`n!hOtp6=*CVBUZ} zL(N75)cpSYy;2F*3s5YT<uw&~1jpkdBZ2U0Z^k&h_qcsRKIVVF07q>%&h4loh|ruI zRC%0hEt7YR2P6x+ePKX|#@;^k|2KDTf_?$|2aFy^#f|cc9f8%B_`iVsMmt3ND$Y^6 z_ZXk1X{o{d1~r@m!geWZ2^bw$1sbBMdXacZgBPooJ9qBf<;&G@E@D-{Y}LOj1$Z)Q zb5*k;V7BO8jq+HZgqh%fp!%3JT9PUYFn{<4kT7n@fpQ=?-LM<}I-oo}IQ(_OUyr^! z_S9UGZ&kT57yh6G{D>kD*o{9_2%a2&I`OAR-`-i3<(8r|0V&Vi{~+5_npv;8VG6s} zr)iVwfc@3la^=wHI5_5dfLu$16#c7MR)94&s$m;+a6OD|O2FWbigN?2&C~R6S<niy z%l3eA#4Po+2UbgBD630r+O^hzQSXpL4C;(mAL^@qap;R$cdn+#U+-5Ncn;;#eiDzm zS>(7e{(4Pc4qrU#GLhqw`0K>p3}fRlLqvug@haC$#bt{9v2Id5J7BJJDoVN<(zFbi zt=e435<3k2b5)E;o}lmzc`)KGOsM=Cy5yoENRQ7smZ*0?l%*n#W<7QkTWE{pZwbqT z^%i8Uit%}m(k0n~tX&(TFrTBeyv)|UJ7{eO8W)_<9w=|TmJQ8OS#b_i9jbMPqf4>M zT9&**u^Jtn>eD#To=pMPO4uEJ2BacdOQlQ!UIhv5JPh6IrvL~(hB7orbCZJMpxaf7 zvgUdf<Y}HViE<V;3jH7mdGc<$`4*v=fplnmQ-GZJWl3<}r)l9F1KH5Cqm&(Eo5C~Q z3smoMEhFeXqRT<=dQDzUto0q#ZQ=EB(7Q>`Qj4B)FNbLTGg##Du=Zildq5;The^#M z3B%gjp!YM8^xv5D50Qjn?K#mqw!d(QmPwj$BZ`)XtGrY63jqpk9L%Xze$0!~;OZ1f z$WqYP0BC4KfXsMysF6o3F$d<gDz(E@)Hsh|g~PRbQAOK32{QrgcC<naud`0QSj(O| zTT7ohSqFY`G-gvH51{T=I7Hv3dJkw92Vn#z20_}&-xe%-f_f)E{%Ug5+xXK|tIAGc z%g3?h;VM9IgX-<B2*OBc<AQ8!yaF79g+K2tyoKLRg<(*%GBy7bwdh$Ii-p&rwt;*V zbG7lyAy@2Ts!Pq^kGZI#NtCO%F1fcZn^HT}?WvFc8gj8sF&hxi1wqh@&|ZV11Awky zh(m+`XD8+jV}@fRgA&uV5GuM!!Wsu9rfDJ74Va-%<adri9J>dk!nG(=^vM&T!dHw& zSt&LckYpFX95SvRkF4GSvI(d!ivcwYP?RIB<<2`A`}8smm09B(P-{SrJ}$(5l^sTL zuu4#OwR?AfHI$CpS2|%ggn=iNj@p5mD$v@XyRdY^c8YCQF&2b!TpE)C6bl1ZI;viU zSYXDx6r;n6>iyo6LOGv<`qVrCt?aHJFqkC%;?2GvfYNi-hK8KE-3_LxryOlm8(MRs zf9uEVo0L3YU_0cR$56ev{Bo3Fih&3$uO|s?h{|eLQD_Fx-fVj&^51rC7^^}Pca42X zIyB<o=^o4iaN5fqkfW&Bp^YL!QcKygZ^CTp{J{BCy#tfFsD>2XX;7Y&rs6zU7DwfW zQjW@xT9SDv!Rj-nEgFHNT)syK@a(sPfGMxE%`!S1v71q2aCvs{bIE`KYNN3#3-Vf) z4MWE5A^{Er!Yi+kBtP37gYs2q{qoBzN6!MX=%`xaE|jz^ELvbZhv1x22ml|+PcRdL zHWB?oXy(9>0dA#?O5j!>S_#>e4<AXgb?hd!rd9h8=bR?K04;8WBB<m*k!HWU5TJe( zp6YZg_!m$kjQQ?D3){Uo1FZ}NO&}nWE>{3T@S|6dcyDZ&^B?64lmT=Q(Sksi*CtpZ zGMce<mg#jv(}7J)S+C!MEb2N?Jg-%|8&Fl!KfN|GG<|OMXQn*2`go7Ls9j|i;0ozL z<n)asVF2q1tV!_Rg}{M2&7gHhz_UJ3)2KB7pq~0h70}n%Z8nB>Xy=8xv<Yg%fgA{r zg7ENoScY(>2--qjdMy@9%(aW{;nx?@l)0`XLG_=fU}Op|fdy(xaS2g1JCgE)$olIo zXoxx5Dg?3-AUQs?h0KMf^H4m}#x|SV`{Nb1wGt)(Qk>f$8^o_hbct5D@I{2@j>Rwt zp_LaA0k}mhp5tVuwPMXFST88C-u)E^ag`QeD|ZRLCbFZFLIt3f;UGc6%F0CCNHN<J zC8NnD+mgzv#<aR~P>I>2<v~v$g)q<Xk|n@_fd335E}uer?JqXtBYOrs_%i4iG<6%i z?}zc^bw!vqW-Miy=7L9T(3v`5Oq+nsffN(T9*K4Tc?vZqBaXK!k+KxinF8_HrvZH> z+K8r`yks`+D`6dMub&;G@#Mo`JeM2O{*rBxEOO{1L^a#%@C8Et+KG=sux6iJvyDh; zcGVbwz;iK%J5h`%0C?rlUq#~Wm^h3Qd&qDdWL*dYupN%?g{twbgUr3E_jE-T-#;0$ z7NzMav9B;<w#sC_Yck38yb+(_H1mC^Hxuh!ClcWGJ5byC8<UYU9o6kYFV~=<quAp~ zs(2RkHW&vaRs*w<wTWiqAYc}M=M)-XoarL!I7Yn!QOnULoFNA06fh)s)z59VFUu0+ zp#Y(9@Gl@i0Y07u1>k8qCp4q<1*5+J`2n&jUoWcy<RM}d{po3xzab1$W{J**H>6Ph z$aG8edP-^|D?3E7_0ee<Bi008eNo)dzMCJIhQZDJ`S^3tQ1PsbzyBis+%ZKwy9(p) zh1AVQ0R{O_E+WPF>tnsz9m#vbw5e8q^IU=;n$Fvs05w*X-X=+Ni|k+R1itkXwcI}9 zLmaxxKZJMH+EiVL+p1coXJ1%|BC+dMXQp5YH7_}~&{&1kaL}TpIJakC(bH&hm4DZm zh|B3shBhjojrVX=V6<N^CWFAZqG?&c_;fp8eHoCT(Ku7TyfjXX_`gp;4`*GR$oW|Y z<$Mxz;zlRGqc<nRoaX=mU(TPCG5^CEt4Co%DkPZBSsQ7T9tItqS1A;(fy($2Upz0N z$ll{n$^FyfQRx`f3{e1W+X-ClS{iHN|He!$Qzgk4TH>BBuLL<+S&dtuez{~*kkz9o zxRu{`5X$u+uGZ|+u~-ve7vBRvv5~CDc!!1r*gK@Gg2*<$715P7$Ly<2G8qXGFTifk z3$RL8fPH>fLT~5qO&3Z)bTA<r*|}!HLY$YUh8MWd=GBirl(L5%rEFY){k*U=|LZQr zHn$YTsRKb4m1{ndXb&c=wgkhz?L|M5AI~Sl=$%=txF_iCkRN*q=d1W6hK)Z#*m%Sy z$sv?14X;HT0VIwryliK{+H7tI@==S3v8+<5UMiJWKG>m80-D#IhcxdTK-xnP;;&pz zG;h!vVQJrDI(I=dn_*MpIsjC*jlVw~6R-BM8*QcKrL==F3En3Kth>mrzJ+Lk>12&C zQ6EBP6GY+09Pf`Re;WM}%(|yOHaEZ?c6km4^39^j3ui*Na@dUTg5FOnek8hAd4=jd zR*|K8dn(hEt`eI|zu53fS~~Q~+oMg04M*$OV(8hMmOwbw593g3ZC1?f=0<91a>aiW zz_?-JgSjdQum|8-slt3ElZ*uYUgFLn`y)z+oXcp>=HsU0SjeG2AiC9mgI3%60@b@) zw*mY^`0FBO4#q5^#!UOq(kxPUaURNHdU-H1aR-`i%6kIF)RU5)zZ#tY__c#!@WQr} zXi)*iR_r3#Gi)VWY`EABqGD`BfMuO*E_P#q=3)mvKp2HwnbkA$QgY)PPO+2(FJia_ zgj)@?Qw0pRfJmCW<|la|;O(s(4XP?{03udho@X91O{3fmh&loO%5$UvvO(AMJQ%6n zAQ>9J$bnU@m{ROqW4gm!oUO8yT8C<;$SWFR4tZTG|LQ`rlj^o~Yb?dI#%rqCu`D=n zF9&N5uwwz%$@co{qNp6P4}Eo8%+0(8Fv7UX)ND2T9{oDrpZUmAG!P&A$pr)IQ@VTz zs;E?DQ7tQAEGCdGxv?t&3Qt|BBwB)I&OtfZ+z2h{!}&BAQKRqzJy#^Zc@;Nd$pQdd z&H@1KT_>yQ)!%Fvn>bxZrNkyqON!X{+JjQ>JQRIk1uhP-?WHV=dwYJ?0gst})(H>V z^25D9e$P?UEb;6Jc=zfG|2rU`XWu~4n#{s{<seBad{(IPvI=TrEiQH;yQ59}6o|8m zvCZr%&hrH$+0Sk>O}S=`BzV){Y!a0g0l12{S(}7L=?TH|ddOJ04GlCcpmmK!D|hJw z^|MN?q1LKm5W+KpY&~QtgDf!Kg^%jzW9f6S^awJHuSaWmLyuip#Gh)wQeD#vt2Bl0 z8g%x)#In!c7lk!PFG)ka6$a(Fw$fL3v4VSJGu=M?@hc4U$EV0NqD(m;hYqBQT}8B+ zC~MJ>t(wh>_lO!6<XnEDB^5VyI;PHAG+33_ZJaKzd&1EPBVl|h$E*t5q?WH&%UjjR z&=yE~DkJARNoqK5gSKX~O^SDi9C{eQF`^*2)jHyVixYuZB57|T@LVGB2WZwfW|3>A zLcj+N8$I{PPcDPSD~GC5aP25^2(>b!r&tbc#}Vi$kwcRy<{CLPkpeer4;nqQ<j@!N zcAGZb=($@CIq9uj4j~_isx~CaB~rlH=m>b%YZt3*76kTc=PL4=FEZu#q{_k1fWB3R zgd=}_drx#Ql)%v}i#llIYE0>2sOPX1hOm1>0dx-5k-X-c%mBMXD)DwJtZ6msY_h)r z+kiYd4(tXR*P)$6)vD|tlXaLdE_y`zL0x?%wF^t+m8CtnEm$9yg#4wfk^jL*^R7T2 z#z3XBh|mpD>PmXx&5v)jp?HaB=@~5rka3$F(|lDMU5e4>D}l+6rz`BJ9JvTLsMe)o z_6KO(@0Fi$S}}0nvTa7s{c`9q4gSyM(7!40kR19W1r})c8a<VA=zE|KMvpFs+9-Ol zT(c7@T6G?Rcca-d*I$&YrGv7V0+8$9s`;DM_G7VeFfuqIN4}*IiDj5A{=!@hXlMgw zJDk562!%h&2s#v;aFpa#sFfnUP)L|634QVK9NP^|es{1yiQI6c*6%Kj-KdacglT>( zlpdQFU`uKG`GwOGLnwz9pTu>$!KK;fhOdmJgs)7DX>>l$Gz^uHk${`3h$(VK8a}cr zGfLyw6q`)5hII^uU!Rs%D!*6K6B`cm2ag<zOD!#ju&soZ^w4{DsdxQSN1%H*!sZYa zXHdlz))H0^)3el}tfRTjRE#gWOT0%*<m-?6fsxI@?H`!C_i!0^?;h1UVG|6Js<5q! zxmEFQdejbeYc3!StUds1w)-&1c9H1?Mo-Z)t72`gwW{Xk*mm^x!77yZ0Bg<sM%8S@ z_S0cp{jz~p6-2T0DsO=t%A|ei%_bx@Sqq}5o9TmmRj2OLl{k<^aR8O-)96aH?0hA% z?hdldY~v5(9w<<Mvecq13K|6Kj-@K={w|3{3A)ts;}VS~5P?%_c^BqKYQ@XO3EW@o zM;|1R*Mvo|2`yu|i~TZD@Av({^jzk4g`M=&SAUJR6m5*(+X(^$%Pxhgxr6Efkw`^# z-&0S}kM#EF!yv~5%<+{gIY*WEBHclggVtPN57$p2q`~3w7tM6fl51w*7~y1If&=HM zOhXL32<EG6gGI~1mweJ0KzLGPxe%M8Q5IK>!!#oIoQZsNUcTn`=XXPT7O-3BsxQbk z0?T#r54ug0B5(kL7`uxP?IC=1Xv5*x)~`ST|2q_bs{Nk&A|N-K?(JFjbCt#XKuE~H zpgu)-2cUqitisi9Zc~koDSZ0W#EQ@_Wx|3AR9!na$o%ekaS)!M;{3PW#Ecd1as4F% zKQ@6Lz?0D1CN`oMqFp#__lWFJj}K~JG7_QIhW6{`!7j>zJPuI=sq+xpW6vO<5}ZtB zf?1)|0jqH~Fx`F4Fc`$okOKmzt8pJQO@HB2y=?Od!8ZR!Y?C!%L`!^Y{?Gxm3qI?1 zS!s)Ydwh#NVb=u&320N`cb=9Hzw@<h_+6y`p6GP!$*Qa7>lw&J;WaB(1%x6ex(F5$ z1YFUdL7*;;Xw}p!^r2OcS}xNEsYY`OMMbZN<f$HtzqB|0J2`qK#@_>+6Q4kG&%-AW z+OhZq$~qjMi{+4vPvCcH@I($Zo6y!Luh>HTiuYWBevjTJZ5(ZZ(>^7Ll6>m-rU?TD zQ2VAFl0zwEpH9v&>U)}r=rcgep|=<4BTAS~%Mu8Z9Qgx8m$2^WlkhB#WUWAk?T={c z_UKYdITF<q1;;3H>IjpLBApz$?KBOJt$TM&25gua$*RKg5x=?}GeoC|qApE=-wE0! z@SCrVhu@2|A@Exu*W`&B98o!5RWwxuEYVYF0fDhiiyl2iQ7O>_r^Mhaz@J(8GZTN* z680JNK`?ewZGUV}-T*-9*%dd}&I7*hD}0-fDY~eOY$Lro>jDt87v}}Tb6mXw@A5dG z2F>mj;F8PN%tGZl@{<<a3E6MQy_el39y8!=)*UF0K9WNE{O=qVV8U(TYz@uib}17L zO1mqIOKKl+1dL2mX(~?7C<#B31rdetQj`HdQ!u6sVuAsqaTbW#*C!XQXk^*vLIiN# zCGMZdp#V)atYv6h4tdGRbDm8tF9=w_Un>ElEXtFEc|@(eo8?G^G{ehJf_6rIK={WB z_@M&reo)U&Gy6tJR;(Ms_IDr<h%nLio=W8hfGbtyg;i&UJiu(H`@r7F><^(zXf}Hr zmxKUO#>|1&SQ-F>@d`5)@BU@WRO3gc_5l2z*6s!6SF&h#;==)pi48KH!MBA79|)Fz zjXq`|d;<?1Tl&BkAhx@K2&AIp5r|BZ0<wZ508^H;28}O#?**b{ngYBoD@L=l6Uk(A z02SvZhxf#i$4VH~3Z!Gd`oO+fs&&lHRCJi|ny3+aPiv`FGaOa1N1KWr)e0;u6Iry; z@ck;lAG5^!wd`*(ozMSE7%tKK<ysul5;95u_Ftm;E7h<^UQuuKr07_iFP3ifSall& z9cpAo9M;KkSnXzURxAg%6((a|wb_bpABwp_MXQ2om7ll)P1)JQQqfJ(^)FPxVphnH zrkdr#R0FDK<)i?6q@a|Q7xtO}diQE;TJ?$if|RrFYg}a!`x;iJj22tBpbuu-dnEFu zss5$|a0f~*pw*!P^H}v17R%a?{0*&@AdBQ!1aHD;uk&V^>1=*W=q`>F!Jd7<RiJf# z>QNz0coC*TB4orT=a7_up;<w6x{J#RR4r@7cbBJ?uZGew7qT2~7t)ESzwiBJS~B7t zrRU)`3HN0*65_*RN78iWzJ-=jw%c@?Z;HjQn$B<DB)eZ$%|6``QB!!&Wtep<#IC_w zXsTDeNn8g<=JvDb@1SKzK{#30g);h{0P9iN5$?+q-5wc)4uitHSt#h}SBHCp=Jwb` z+F|C#W!T}_1M{G2Iq&ojU3!fT1!PA6uDbIJM3De%_eXpVZ-$m{)(5QHjh>4tjzpA$ zMo;dd)K#FIN{!VGe%#te6flkrQsk@a8`Y;3=5Mey3VYuo0j!>`M(kgI2_tS(jrtsN z1EBO<lF~OP(uY!d?>>wtDbGv2dBS;oWF8VJ=aXN?w{e1zvK$aNyomhalwLolGuTDY z(fF{j#YA)GJ)U0ook>OZ+rF2ig)TIux4eO*`>z~?1HX67^zU&FPRQ4s@}AOLlB^$q zQGJ^oefCUfY(XCI2bVCKVS`6tHi0pj<d}wY!S7G)ZTf;D`+iWV7mmlKOZzq5{2eu| z$k&`yyeIYg<i?la?Dau_)~&O{&_!EK1cQpQ*%t2V>-)uOji~_?w+bk>!n%7Mq4-N2 z3WcCJ3Q&Bfc)!!v{SQ!_-B;PuMTmSrf$<NrPYE-3B7eE>hrqNQO#m~cA24qpO#t(~ z;{9G<o9vn1C=k2Xtr&OHuDnrrNjJc1>M_yPz;sr<PHS{HzY#ZJZ~@PKovfNCKp_lU zdu@Jw`&TrK1)i?Rbr$|pkPMbb?zG}^@{YM|h(%g@f3W;>V8afpMY`6Q+97FW*RrgR zE+x;<a`;;w;V+qLHbGTx<HXP<mq6xyAcA2o;f?m^f70evlZgD3D<=Awj#&ZkGYt3V zlG%vO#hxT@7XEb#`7erPtU>?LFJX3Le_sR_Q}S@)_qeT7Q}nC4l{^QUv#(%9`48vR zn9DBWqtOAF-I(KN&CvPJK*<5=L}tZ#q56kqqvKS#I4_oF%*b;YTOr?!9HZPp&1&dV zpV@zJvd>o#7)Bb$Q&_PJ`A=!TQL`h1I7ePno;Rq{Nqa{iszZ~1_ev75$a*r?Cia1} zxXn2jzQ>){=lA1hhf6$Ph$+DSFZY;qX2aNKdZ)dfYmwy0<0!h6e+z@V%tAB4CGDrz zvZ1_dI?TizwvE^AGR@_Xey4@TnbQ<qt{A5+`cPhk)B~96MBtx(XxtqeRZ`QX4}(l8 zFpncevLgGtaXV3E&OEAR=mDsB^)5V*fB=yKAf^e8S6DX``A&?RI6e_%_W-Nv^(AQ( zE=non8`n37I0$)S{RSfw|ItC`nalwD$autI(I=|qO(YALO)7}fKp<c3L?)C4Y%h}! z8c$ml7eVyDK10^sm;(ZVclVOU_*Mnkad9329$$Rrs^!h9wLW0DH=vZT@67a5jf@%B zfel@B8&=FtsO(C$rb`=TJnFD$FuAZ|x4()hTlo_7P%+L!hwU8IduquC@g43g>OrdM zeCbsI8y*n&{LIE>vOL;f-wzqBttx}=nG^F~m85~=L<B}H-?L6Qn@!6kL&b2OH$svk z*Nx$PSYp#{SO;SL3DpYn$3-{oN7KWSQ?M{>tSR=$YCH?c8_5lx=#k7P!%H(A6NFK@ zjSND3F8nMP<@Aeb8W5|Wb_u$I;VRtPJKED*v@4bq2+uwx#nLhLCnpFGvls41=|FuY zv784^${meKd;aBn)X20K@EnPCpK46qFX_1)EpN~yh#I-P{S$;bYk%Lugt7YK<@i|9 zA`<RNI0u)a-`VsIwfnH@ZLV~4l|1hUN_bhcU)fE&Qg^8G8^;9t)R?O5@4+=|b}T|O z%U_PeD3>{aqMObOUJ*?DB4gU`kE1F+0$r}(8B1fcS*_Wpz13{Ries<hOR9KDknVy$ zzkvbr5HeAKTn?Qe5O&C+BVrqn?Lp_3aY~&O0@(=dT9WGBB|rWSsbsfWYAsFHDR^X$ zwU<KA6{V_30?`o{#A(_1J>;rOQO)&e8*8kZBI#cSSS#OMC`na?7i&YR3TJDBMCQr| z#Zf?X!kL4EI3hMUo^oTIh03dD1JtfZG0Qy6a!H*9pvs>*SsNeEI;qJz89n(DMe_z0 zja*|<y-f>qno3~s{~J_?wdjNv%WbkE22S9A#wgk>7%*QT7`+Kve1Z@DK)~zIAAGnk z)J{69!j37dllSZq-cpnN@``;*Xo+=<J{Fd?lRT(YR*Up(y1deM>x3qx*htt3A9}r| zK=_WETM&XWY<w0vBH)~|^{ic4ZKJ7f0f324wzVZ9$&n;_o1lTHcTnH>tyjh!LQ!~k zfI3l2lbRhlgbU}T|3W!;%;Il_+Axcp=4XoYS+n@AN-2JT%vj<slQabn8p5<<1%9Dp z6o^xbxJL_Artpv`0OCT>U556rS*Tjf0iB@+>WYm|Y{h`$Zu?fK4D@Q$!?4<aeTeqF z4p1%j+YbsIV!6ma`w;rHTndrts7%-|gpeS`_V(SP*?AD&5)Ushoo~H}hYX&De1e<2 zK1rN+`pt{NpXU`Efu-<bOj~#miCu=s_xL1Cm<<VQ(i0lT)i099fxw<cE{26N8Wz|( z3#mTn#_8F??`ub!&^|S?G)IZdNLA#OjsEZ*Hu!VEU)J2CuK`8+F&;b0KUHTNE6~_D zWYLePk;oXRX$|(V&Q?@w0qj<d1DJC5J;Xl$k19Kj%*tK8+lLD%<}eG`aE3uQ-28$h zt;Onb8+w|BHWwjfL2Zgz53AYRSn++G-+glvjHL^YcikL2UtV#G1yH-*?_IxWn3BIe z!0NA!1Z@k@|K%+ge|S3`K1!)e3)SoIv#Ya6xkLlm0z?&dwGGrMfhquxHGWhT%|>`U z_D@%lp6in!AG<k=9Dgt$<Uwa3;qFWa99bhQRn*1qnR@0TDFcfrbO0q@YVuU!X@L-^ zz}i5i?y_36tg7^!y3kN;5BD9cDcazwbQi`z(b{SpsaRT5wLm(U40C<JXiULVC;EG_ ztB@O9HwFgcuS&${GI~ZVazK5N>8@Cof^UPME?^e}>M_?tP2Tq_=+rIEkf)9RW~WK! z1)RhFo*?lvpXg8YF`eM;Nw|Yv4SY}=q8h7kQ%b^PFi)eCY3ygKQQ73(J;W~mDjZL7 zXuM-Gfe~tc<RGIv4XddSg9Y4-M*$g~`fJhb{Nz!jXZBC=KwtQmtHf%1|6{Sj3OWtR zLdYoEK-;!TTKfzae|#5~Bsy9sFjV-QiZiO{S=#o2X&MuE9zy;1#A$tEv%Tq%Skb1_ z_k4mT-k3}iV<pCkQ~Ka$`?I|{2SLu*2gZq$`cNXW&GxEz8uQs=YtP_@n(#tR-g8ID zpl9I^;;V&x&W`W^dXwy9J>Et=8^tj@h-1+_I^2EH#~-0LrOILfwoyUnc&VsR4xNVr ztF<j){RZ7RjAQnSXtl{t;Z`P|w5~Rz6ee$}m7uNO^*2x%8s*T}lCaN^_IznPvWX(E z8;vF(q$+&G7SOJi*}`{b`HO(K%a2Fmr1;#z+3s_-iwb91v`O-cLV1O1@g7^`%-;re zUO5H;s>-khtRDpO+w|`Nu$00){e3lZ^*O6gBlB@M0@e+b#;&tfM_+(tp-nQPHf^*K z&DL@hZyShqjj@rdY&P62U4?tQv8+`#2OjBKl?!j-tF!#!xsI4Me5XT=EXx5hw;DG{ zfWAdLaA?LH`UZMjvl6#CTg>Q(1ABH=8+xP7e-K7?%p-Uf*m_V|gIujN;y;*!-UEes z+9idzTC@x06}j>X#p2z*2scYE9i!A)73&9z!-BD;);90<h2P*#Y2gTc8y@2*wSH8Z z|AD?12Cn*B>>EO=xs7jaTAuN3ww8s4fst!P-`0x0trdM+OMSaDOO4!|6NoH1XroTa zE7Oq3%|$cG`V<_ugCwgTM<EZ<wGbEamUgj0Qbp`-gRj@){fstn6wp9~0JWam(#X2W zbI3dWFSzJH`dbHYe%9eFw#lI<VZ>Iua64)CAriAeghR{p65>3+7t6FoSw&gC1f?|W z#k2mbjXTh+&p2eRaZ~1BVdhT5V(KH~FQ6%{---K3ZQ3Ay@>|nH`|-p#cH)}<i^y%Y zbUjWE=5kFs)Y4^d*$Ycfu0e%Ckb>Ip(5tQ37Pe=^(2dLyw%aL?6}C$l*oEe{V8njQ zKLH_*+n0_|%Qwj@{WEgrD&de?3*5+Dk6B`$iLBMf5lxm3hirBJ5u>NqhAgfNdNX~B zYGbvD%YNxdwR~G$Xaw?3%vF#Nxk#;yeF7_d_#W(lWa_yfb7$-k{j~F;&`&iy=Gbo0 zJ<*BABhdMLbU->6M&O?xVCIiBJe<hCfN|%ye1p0Pijgt92Zr@q1-;XHEefE5l%bwF zi}chx$Yy6u%SMq~AG-P!I&mI`-)4LFVL`A+gP%0e2BEU*Ni<b^&`$R-$Sswqz<3+9 z2UTW}-528THVP$uw#t}`B3iX!MiFW^UP2ItHSppeVKpqTe~uAJIrfm_DZ@&+B`N;< zgBUgn;*DK{jZKHdLX4=6A`#*3l!vJh^&a7T{x<%uh(p&6e0^QKVm17E5uQbMYr6|2 zAmBJ7jn#Og48nD{mtesRT*u6jM`n?W1!TV)WxS$mI<>(nld&%u*cUr5#eBx2J;({! z^^T+z52ZA_NVa+xuk+~B6_Gnd2OmVa8CC*twCcpD+60HIb`5yX8}MGx?>(Z-65GRS z#7Xj3QCTOlpd3)SFiVO>H5LPmz*5Q_NpW-t&7y;jUX8u(G^%hcEM!MRt&JR#j8?PL zZ%OY5q~GG`2c&q<8}MGx?>!mF!9N7jZ^`%pkQ6r%NWZ0a4xwj5vJGo5mQZl~rv_PW z(7Qvs7?0MmP5h6*0ZJipYye&+(w6TOJW~^~Kl>r>Vr_@jc$_F-W0FlP?n51=mUbs( zo*zRAEw5MR8N^#D{b_uS<*z2y`}DUc_(WJe5k==8psW05I@7XSWcc_{lGL(&tB_iH z?U&}njn7C@8;Gdp#I?`RSq2ELekOiSk7du@h30!x%Ql^uZe-7d2$S4&&4XgkbKvoY zi2a7YBQ>pl4%%;4MkB&ES7Vnj)Kra|B*jhD-S~jamu;uat9prRK6Qy1f*4D2YUPA} zh#qB9dU$QUFf`z{p8c;MVkL$c1sV*VgPzBt#GZp<OQRrJmk=<U&L;rxSoSigfc2Qp zrl)%i&1yuotU-SOuJDAlNAs}k8?i06-E=-rc{fAsFp&4Y!;LlPe_@<4!(oQ4u{8c{ zlmsl0c^;>{$@>BEIsduYYe{lM)Es`%mZT}7bwQrXy@D|vAPL~E8(`AZC}y6ainqz) zZI*a*iMM&;ZLoM-Al_`^ZLxUkqV6%GY83IMh<Hv=Bjay^c-i?Dh!?Z*%Y!sWOvu|P zPeZ{m#At^@kvUtF#Ozf5JC0L91+V)iF^zsvMPeGYd^7?bJpnCyr)>vjq>Y4%?!%+i z-X3j`ag~H;8G+^=>z&pV^dSarbp;pGTR6bh%<tX?OsMSuS(xVlXZa^hQRW{|ZH{~( zjP5E;u~3X}{i=7KFJajad=Q`KHNPiY={e|yvYF0Pn9g;-@11AiO`OIzpCkdPZ*L%3 zeV(J1A7cklH}D16cK${S2r7}gEK2nWTosGRg5rx?P~?@ihog8{g>}=OX2WTRPhPQ= z|Hv8FC=nQ6?b~Ep@YTNK4&%BCx$BTj_#@X^VnZ;tR>X!WmTgk$sQFBHVK8o#V9HR^ zS`{0CCG=KMWrenSuz<{Q!wUWGSwg`miz^tO`q)U2W!wuUYy|aVR@|;r7S~~L%XUtH zJ<#93pJc+EgfD+sO%M!#YA;{$scEtqd1`rQSHolaaQ?~XD0tvG1=?BwdHOOG!y0^A zHeXL^WbXRRV|F!Iv=QM)99<1LawtrTzc|PE^t2kbhG*ol;yg$*I=(epQo_Y~uaIN; z#oV*5*BKpX>cn+@j_8>n=H5SqHaSQPYRBD&V%imvL#T_eeB2Gme;`MVOt(NItk`X~ zc)tx7JC=>`vyD)E-8iHpv0IE*7eElb3ca&Wo7x29^l9xJ5TjMr1RSaUD|DWXJN~xL zQmt9*V`+e(dCkyI#o^M1dv>s`plqjbCmxakM3qC|(#GtJoI04aT1#x$yOy|8RRCGp zMqW%!dr!$V8zHB>0*zO+D%kwKT_9I~zkLwT=eu2WrBy*Na(Qh#RB_C+FTk3-4lNUH zHT5~hiQyH8;YT(;K*1dET;wJiCVDJFCKplPOeKWLHl`Idp|~8nn-oG6n&r?RNe-Hp z2g;K2?ohfM$Da9ToUd&Gwv&gh5Eo+&v{&+d`{@AGvHj?hh8m`)waI>{gH+=Qzo7;% zfvR49mMmU7AlsS~NU=R<tFVqL%zhbi@;?qnLkFzbo~aA3hREMyWX)ib86NwLV4Oh} z2Ma$@sFP}bJC`m$OVt;X!-9S2vuM@WiL@$k*;%sMFl%|E$X05tzn=M<9DL;2vhVza zM&UPq!coX^S?HFP+9Fs3C9A(f2TkWgzb0!5Qm#wMZ{$L?e4lECi41<?;BV$4NHafi zh?>!2qy`!2a=@7Eze$+Zg+M<)F3{hZIF}=4caWDRTpJ#re>&Z#k1?hNH^5|rz>o9H zUjW)D_E7$a8>dNkV$gxw$hCR=d)i!~b7ITTpc1yf|0UT!H_%r7KHVNE&Woku`HH0b zNCxhC^<DFKm_OPiwn`XOz<-2Zk*ot=HGI9en<#p~yFq?TxC!<I@=pdM4><zHDTn+R zp6S8;<wxl#T4%t!v2x}bIxym0ugcT6tJdwRcY8%H=6SCJnYrq1)JKBowhxqMm+Jkn z;%ZF$JNC-ks1>OVrd5rM?m-vDzjRUmj(&k{Y~@eVE2PeFa6=?*r=(A?I=*3JuSF?I z!|H#F8u>*K9l%Y|?%igK7~>=vEHb8;%)is7zIe8?nn^wh$>m0gazp=5%QXVCe=mau zH<Q2mz33!e&-ATDkM-XK?svaY!)kG8&!JiI1aP@JRkgNw>Z^<Jte&2=MjX()Ay0m) z{%B)cuw0o6Ya+;Y1g#B<ywW$cL|!>7_1Z{K$}6ear=7!Y$O1{cB7-Ro>w1v1D`W*t z$_<lByqhaN!xn@PpJ*S(GRPW&k?gnrj0ZSc6MNC)OY<9mM`KJa3TJqVmHFHad~El2 zqr(yx+b8wThX?19)ozcAPd2kXCh^A#rTC2&;!c|Ec2tO;_>QLi{7>SE>ru`=ldYW{ zVaNE*-wWe9;%}oIsw3&Y7NxRax&0M7soY*PMH_-H-^ThJwV}hNS{o2wqjU*S;<eHS zxvT;9e!%;_94aPXr|FJTtn&&ye_-_3_3U8yHir`Nos3QtQ5NBaIGh@NjU1`N|H22m z)@B@Y$Tghca5}f3_&j6_+66b2vQ2((`_c;n4WHUTf=5slG$S|Ul!j+pdRX??ZIIjk zCHz`jAm@_3)l+^YN%d?kU7L~BY~a&C?!K^k%5q3a#8qS5PpYT<Iw=kpZ|u72DZfpM ztHHP_)l(u#ad=Nb?A+=pPbS5oCqQg)^_1UWT!x54`HB4&Lv%VoF}H^au2>ok4lIQ* z4Mg<w)4~*XmVJus8&KU3Xa86{ZWNE1AJNtd;C;3N!RS**5Eo`AyTBxlHnKhBy0F00 z#oCPnDRKzSP!xDxiU+C^f#npi%AsFUz^0WN2U4{QjpG*WF8<Wsgb7C-r}euT>(xEN zQrS-4o)cf9`w6q3gGa(EeL?h9VJ`cVNPDVZ+OI^~B9XQrIW4C1XR&Xrlav~4<pIK? z<)l!sO@O_zO_Ee}s|_vs4LQBYx*l%><^5hO?U*eE)_vq|M=86|9UBYHcJ8HSqkEH@ z<;91Q^m8EW7Cp^VAMKLxQiFqfh7u{Y^79)(TLm@40iACJYQ5Yz;n0Q|Co;8M<AhDi z3gRh1KTPC;*d;->jxLa)yCIGL!mtF{^&x(?0uiG5ar}J(QNvC}FtLbb<2h~CPUjHp zmQ9G`xER#(P2`#IICbB+r^O-cdIc<dcPmu!K401i1So8C19)iw-UT2XyoVU*-LGe} z-;-PWHpSc-v$M_c@b1?#5N<obtq%@{30BCO<_{Bep8CYO%|ejDeLp<2nZ0KZpdvg! z?e{dkDKwp_b#&ncokkxyZ8)xuOj-@5voVaDu>1VD$0Y8$D2&(l${s0kFB++**-t|R z|JS#Ic;?WN2|U`-ckVLjo-vhKstf5vZN9NM&!$ggKG!st{kJ1D=d^M77&L7>KGLR1 zzGp0YD*xqin92S$80hPpBnSPWw!fV*?$K8?ZQ;jwjEdh9L&O}T(hZLGwNH@9q00W< zRbJPk^eV5Ud0-OGukw!9(>?VyCa@mXBd^Hh3qK{^AhzKfW80@fb_mp2L-qR6{)+us z{56efhw)T00I`G47L3`~M$QQ!@{GbY0;nKOodz7Y8C8$dblK)?tA$$lI&zJLBq+Qo z@n5v{)B}9v);3}C0#Y<40%3&zUMyXohA-113oKf(T7GDa*hk*N7h}<I8kVU*e^-=0 zTX<^zS>(<;K8RnoSl*;sVTdICd1z@u8<{=$d%H1p;*d5%>+_^$`}g~LExl**F95`N z3GbMATonA{W~8MS+|WOxUt*t(H{U&{lpPMR9>us9nb&84WlFO}c$)0cfIO!Jj13OY zL7cZ-n74zz72{#*V1gKr72(ykXkkdJv(~1mX0yD)gDG42-}cj_4jGt%?&0myMgj5o zr?2X?OG|~{bp3CbC%x$!Q;Oj!DNh$(flJqq0rqJ2DsQ?@H!vNh_{~IqzR(<j@KiT~ zr<ken{ooj8GaIVBv$ZY+`HIjceN0W4Hb{*WTdE4jLp5x7EE8v;rVCN9vppKiHCwU$ z)TXrAc(MdQu4&a{h#uPYHC?)6s!O|OYPwbo19GLju7z(vr2z_z!V~Frh`7`@EEw-* zER)V#nT;4nV_-H$Z#6|RXh(`?j}A4_sQHCv4;XGY<V-!&mA}c7D(yYeVTm~EckL0V zzw2w%WTsW^?9=B|wyVir@gb3zvJj%y7^Ej^c-kN74wij5vXX8^mwNQdpwmHwp}n_O zzl+L7Ir3mUWQqUAs@}tuv(@q-D!s?d${W<k(8H>?y+TDJt^EVBf}s0_!HBK1uU_(f zjn{e~Z6?w6OVjqZpggeIQ|}Lt*#=>9k?-fiBK&90;$Q1y*}vO~)bon~`$&ms?i9t_ zreA70-=hwrexhYH+aKI1)=zAl>HOY6x$3T+;<%)LE65Q$<Hup~Ome{ck?u5|kM@=) zmN$g>?1{Plq6yky)p{BN=jq*vz#(*)EX1DzHUEU#4&1WQv%?>`-r{LRcg9JW<T9P( zvC?v`c)!sUq#7UYAa0I8UeZ?umZJ(htw87|#V;-R%D{668}v-vGW_!gC|G}o^xwJB zK+u|EmENsdI`m$y2@=JA(Ma?_4o$%$ONB1H`>r0IdQbe>ncoO%dU+?-86aSKu*ZX_ z;@MC^R3dNKCcJJE2wM9&M4?Qlk1B7DPZX-QFk5pFUFXrBB`Q_qHUvBbP>M7^^q?s; zNF|NFFX-z8y2@9$AtBneH2dieSHRd*Bl-U7_#N%U2koQ&P3+!XAgS+N`uzTjp2<hG zvRTVgySJl%(7#d2jo)GN^<zQ{hu{Z~5eE)<_L<IEN#VC2BU1zlDI(%ej|m_C!XW4f zs|4Od%!J+QDo?z*pm%=|m|HMB=2ve6&UC*Ip(ox>DEwzo%98H`tNvy;bhy-0Uy2?q zfEjq9)g=D=>o9Etro{`#?|Y<y1i2;;@AAnBG&dj<k2&IbmiJ{A^(W4c7{^ZQ+5Et^ zgv~GZ<C@mRlfBs?82rj}$-C3J{C(PjNj8}=+j@DO-{CMie6jKTwQXl|PNb_&>bJ(t zvW0P5M8ZddU+}N^-CyX<mh8PY5x<ggCZDzV^<HfQeLXtf`u|(gf4GkgZ-m>UzJkY@ zHF@sxI$RZ@9ok(lr|Cxns}lEV_1)E_vYb-Zg05yk>n62(N5In_nDD;FRaVvm<!%6u zc1`>$ts)3t91oAfE4D;1Bh;m@24ZLdAqRd>)9)$zJxRYO==V7N9;4qL<m#8a6~89i zq84Sp1Bx*4EFpi*_2ZG6n{Fl(xaXiarb1U*?bL?^y&D$}QoUQWl<@gLyk5Xg!<*Ge zHv`o@cwBy=o40R?`!XhbF`{VY;$O9)D`V^-HGU|S%-DS9n@9=(zm=i~hRQWt(Ehkm z93Cap)Ld`F!l3H?9tfoO)WYl_YZh1AJo_pr=;d1w4e<*id=><m<SU#n?B9JB?j)~= zIq30#brnNhi>7k-mbfqG4}mQLV5u@Wq|%m8UxjqEvo=-revH1ZNKE1xzdkL{Dq(q# zeuxoq^L_Xq^ibFgn{eoXW(v@@Py48}q2bwqH`x;(Hl4v`pe1b7h82l&at$67#WsHv zw#I&CIzvm5)%-%P>BdHWI6g~Wf$=GBJ8K7LZSL*heFNdX86*09Ha``{!NNvk;xl+- z*AIOH_5j!JShVClA>y^Fa>+5kvs<^)o9^P}Ajhvh2dC+hXu{-p7cIi<%eK-rmUxV# zVF_9FPz}AX$ezCyH&Ib?z2PXyec7?sc*W*~12(^}H;8;{FwZ}V=RY_1`F0Q3Q~!a# zENu+4V+dgeiWzvfVC<)O?_V1K4PZuWwrU*jSX2x^KDi~qHiY^?00)s}ec1=|Lq+yQ zkWVW^nE!l)V9r;K6CDe2ho3Wu;csm^JAC|io8qTeUVem5uK-U#u)j>(gr`?xJNc4C z!jmGwO$pfTwFCN8fbP?K@uEtQD=$GOz-v0x?xO*3edPpxIaV`nNwQ%fK9)0D$s>GP zKz?I48pRxZ%tT?KMh?A|H=a%y2()3U_e5nb-v1fNO2a{D<hd_l>VV@b{q}7OjBRH8 zD9Hr=dMko4yFVCo^l(FqX=XOZuBKBQQ~0Si+Aw52T)sf)Fy3Z5X2K`Y<ydy8H8w<L zGbWL11^;+6;%WIL$tcg0gcy<VK=1WO4aNZiXrMGqLQSjuyL!Cnn-6R4wZ070tnvXc z)*L$*0P|_7#@%^RERVnb0vWP5b0;3j?7>j}i<l1^?l%Umq`P!h6^w$Oe)3b?o#+6u z<Ar}n371$Gq<9W`%o4^?X)50X3)NSG_lyI%{W_JjCw(&i6#z4?kl)vGhS{WHT-q#* zMQ^9#(mH|H*hTCoLBR<$oVF{**JH0`S)D;ZnX=Lc%vnmECKvirx_sMDgW8lr%9BM; zSJ=kx?Jrxj<w}=dcDS@`&knYkwz&Ry4qe>%Z8u`L96C&AE$z=j{ns*ECuC1^RLP;e zxUbVJZ19npD9Y8=6VbO<Y(`_!Py`~tvSj(GM$`HF!@}?P1t<k7L^|kma_A2!D6%m~ zf^G&u6vs=1N@@<up+zYuXn`dEF78re<{E=!>6z}by37(#^^Rqzk&7IgDQ>5v$WJvX z#**P>lIBwC{KJE_LH8ZvgA28O_iV+u2a*uX*|7j#^|YD#rd<|b8`b>AfOUh4yJx@J zW)WP=FN)$<HZH$__NC>}LQDf~a&+SIu=gn^ADYN;lSLp_VO+{Ymv+=-W}~#~PjCPb zRVUdcswys`7cYk4<~TS)T_FE=#7{MneIDL4$g&zx8442oIHG>G(R6;aNQ~%oD8x=E z`6sPQ+`gju?x6exs=73AC7`Z`-jMp$>Z_fPcMxQ^wMw+}6!b?*zQZ<pt2doh@w&f4 zLmNzuWyvF^-|Yhx^<G3CLZK9WxV+K|Q!&@*$(V~bZQvxRMq^4+mMi3yI7ai%MLv&r zmDKzet87jI$g~k`%UoCiejZ39>x<21Y=|`~`5P4PM)@%d5GGh{!653jxN%xz$~CL3 zh(vPe7kKB*3A<c#F9i6N8xtZc4?-}U7u|i*H0!KX)NH<%1;585<Z|#@=7&(TKaKAA z!P;Xln$DpM@nZzB-_!fw0F7U3L4?ohr1b#^zX?6M_XXHDgpS*3cmY*U;#Wj&%=VMb zIr6sKl}3k*H;Nuqo?C}{{KlyndS>k~#cWdXe*@kXo{GWhW9AS^s@P8S5=99t?q^N@ z{CWUkQVY6|YIyqw^nvyX@n#UrlUQA*^L?GnMVDLgXlJ|zHNR6W$0HNoCiw~6er6lj zAVMUD^*W$vQQ>|uTE~7zpQ9TcPN&E<A0&D<9(qQl&epd}<dx7lV`B=UfG*Ds4^xb$ z6qWuO=x=T~m0qiloyKl%Jaadd=Kn=EztIFvUJF2<wX1ti{h+J3<sV%S@zkg5&|#Vm zMANs6faWDSGr3=9vOrR{h+eFxzq#?(>f<j1)vahrUg_kfk>5fG4{&|o1og9q)#!Wu zO#XV$j`kiuC;|z1#i}pWZ~!{7M^ykEp8M=u_~l!n|5=#31pO1TT}^#tK=tQ0i4oab zNfV!G1&-|Zc0KxT%mMXQ;&j5R{A3HDKRYFQ3-m$po{}F+#nE`<B-#P8Wa2JVr}$=y z>HKB9N<1d)*%y8CBx1<%3c`@bu)57WXFb%g4A0v|?6n({c!E#MRH~-BN6H~QfX82M zz~x9cZN3XZ!zD#kh|fPIKKX^b5dD^&FABfq+EJv&BJ=EjVRzr24Dt5lo8?Pb2Y&9W zd=EPGkLEW+GafTs$S-Q>byxu|iTLa>z5C@S{)UG6F>5z~v~7rwqZ|d^iA*yXnf4Au z8()o8ALyDjgW0;}b-@CM@u@}6=cnsUtaVp?qE@<$Hc5Io_#W}&*n==U--BGW94qMZ z7dR|hZVB5EU^^iJ?+0Q%F(-erw;uii)eLe9-n|1v5JZskDIJ=dch=^XiRMrWnTO)o zf_}H0CuAWSuK0&&3e@srhIv{a!UxwU4-HxYK|ZR*Z_9b7J>Q4}^E?gAewB5rG%yqY z4$;QvWAXls0JD7u1CvJsGm&q6uNTCD0@dDiVn}|$w(-y0c=i&CcKP#QNb(_Sh8r7c zF`a+;IXNz5n9ipb5dBT@>;w70$;0m<3FklQZNk`$H>Cb(BHi~sfd|gs_MPi`$44C6 z1x!lXlP~L23*0>Ay)zjq#QopvNM>G$lJ+jV^Z5uFhtOTD>Up8l7AnRg4oM$T1<M7f zK(VQ*<kpoqKQcv)+-TxAqP)i!Wy&j3ro#w~v7!I|W;K5k45FI9hsp|#Hc<|1N<d#0 zzY92u-<>$iIsLK{RORvJNctARo>K1?eNaIB?9^S*i66n6HXPm-4#q^gzxMnXFZFKJ zuYwRi_3jyTdh$f#gWpA+p1#y3ZXS7HQh-$!;3k$hvCqWyP2!7B^Zphe7uw0#TvGIa zLw5z)wjgWbvvPspfj+8gZ}uCbzpI96>ci`h9nz^YWy(fvG95jO#m?;?orTd_DtR(| z8StLcQvrPZN{V-<Tw}Lj1Cue?wCJ}6BX^^*GwA)iVx+uc5IJV?^Y9KT(7GL}xmEQZ zt^7)18}ge#3cjGE_Ch!R?j6%ygVu&{jsUgaw6OKjqog<kyr4RsvMjt_jcEC&RdyQc z!d7I_N<&j`E89?;`ieE>H$x*Xf9>SndO^&ItK+N6aO34^sM=pUKi`af<gd-=_rG%n z&0fsOvbAWIg=*x`-KT}=A^~Ewj3OF9s0E2OWy!5-<mW$xZ`@hn%Ln*)=i2^bAct)6 zJNXmv(kR5!o;x)l?Mb|5*mqMBnVzFY(BUn7N0}PdXQ|<(b3iNl)nAePZ&br2d4A?} zual&8DMY7B*`8pyG{+w<0rq$#e3Jw4*&q3t>G$r^uMbA-)r*iRZdoHfCMWDEOOT<? ze-Ir7wX71h(;vQQ$Gegg8)Z6wG#}Zlv+-TB+xunzhyJkh-|wQ{bVrV#l`immw=KI| zVXXm_Ik)%<3$=`Zb)$Eie%NR=71og7pyY2<ybVh;{1MgS50@^8r2;n(mq5u6<<M+Y zRJ^<7(2e*JHAKTIQe9pokIrtt_iH^(WmZ3%W9$AiE|gMehqaB`(F?ipnM1MeG@UQZ zNB@l;zZX=Asi<<T?G!d-Sy}h-$LObrU)x=FyEq0O=<db|t_aSE1h2}0)xBu48c}4` z+px$=?#dmV{I=Ob2gQ$nsvtLqzJxJrPHSt!1BX2CQ17Nonm=4XNB%KWJuV{{m>?_3 zq5Uxc*Pk@bCm+Cp_cq8Oyi$+dB+;ckXjWvUjuKq!&8Bnz19U)GE$>vkopNX#)p-+M z2>Dq?rI*#9y-x9h?2`s5kmE_T7(sb*dSxYxMLi1J5to*pg!-cUs8Hv!If;|-T{HwY z0PVSghTwu948bk8$A<tn;Jv%GvCUTM{t!Ompeb&5*&XmEMxZeVfs9!L7`a>fS#O5` z5V}DERejT$5+4EWD$x-DCrtYQTjO^Y6?hx;%-&&%WhZ(?oq^#ro!9@AK5`bB(djR` zM7MM6T9l`*kH3At28eD`bPK72-9h%X-`kBlIDkeAhWf+0gT0IBRb%R@5XlzX6t<Pm zbKw|sJU@iygyrN`v~)2}BOcb8itA-xFjBgJZD-r))_XdfTH_M-EpMaNiqj4Q5M=dG zVQ&`GY56IlW(y#{&F|f;r?C@JJPiV2ftt&H5`YDS7Q$Q6e*~m`MAb!?sgYY@I`%Be z=)+~z_#Bv2BVTtbPR!>tF}SBVF+MRlyeih~^xZcrr8eA`w|Vx(jMDN3;rRW?Q@9^^ zhb;~@OcuIAOu}s^0rs``0}(5+fp}r_n6b%XvS0*kFikimY?p$UECE*YN5{f^EQN#) zPd#2i?(a#=%_M%`YSWC36Q$#AVQCnmpjZ)~%|l0DbVWRh$F;Wd%b^7D9lSU6q~<_> z#0jf~-KaEA^=#qe{)k-!ddPqtGN6Z%dtC|n?F`?jS%4;bI`<Dec#pz*xC9ljkb4zD z^la~yvt>8{=r~>oiRgMl2j*EQ{`n=^N1X((&r!K%_M!O3@Nv@wA!J@$2$_@QIKBXQ zeh%>aytw1I*gZ&gjY8U90JI(GyRHIlhd$ZgdL}{J9e$P_Torc;^6V>Roql#a$fA)& z7DS|JFd69F`_G>Xc($3&75Cv;RLv2dHWbRmt}vZT=3-*DeN}>jZ}o?>yH_ImZIwgk z3OtlUV<@mqu0ek~rqA;p)zk2{QntX>eaB*$w^^mEY19sZ*FbX#N36R{=Y{tna(DQ> zp9^ZFyh|uOPhAzq*+&5(7Tr1n@109v_T>pelhK<?CVKPr&AlYI0643-f47(9zQ_g1 zg$`!<!;_HY#;ka=3Fc(P95x_sqYE;B_ScBs1U8Xjww3mT<5YOzTpA~5kd@ByqwDZ4 z`liI9xhO;nN^(9>lGj$C_!h0D3BPv%v<3at9XK$+l7{vlCp@t^esuf}bPyVE@-}I1 zm?8uLh(;ep;ANwQ@faZ36-24CWKJAZ1p#S`Q|(XhB`W7Vfy-hWKL>$nf<@rKMKJmg zv<Q5#2ta5C#EIOSle`G}uYozeYrrS2SK}vtPix@0_!@XQvEhVkppXtyh^-eve8sg6 z;&wImp>Qaee2Nf%;E9QTpX8V`U`Mv!_wUsFcKNZt2>(n+#ohREo-6POL}r~WBVe|W z*xJ>QqRDd^L>N3_MCfX;Y1tymMlm-09AHD#uHPU6R&A&X=_)1CCjmS0Yk{TczlUFj z!|wq?8`J=PA&@>7H&^^iz?byBKp^pz)3L%Jo0;Lj57DV%r6Y)+31t3^PK@oL?*=NJ zLHuUm2hiBqD4v8$u5Y<oeH=IBEB?L8g&S6RwhTGXpW#!h8;~>t7~iPXQOvQ*N8^(v z+6&5!=|TMPV2}kfaxf|nUIRH8mxpmKjGKgCB*gd*jOQ3H05e-KwlhdyC44nd&9Q|* zbq_vd1A!D@DqMY<z#Y(k_*)*ZwhWvg)oe}75lxV4L{pL`i6#i*Y`v3|n4q%02{NJ% z98(%NOWy>gi3yUDn)qMNk3XXad)x^%;{<`Ue?tz&!oUp`%_xpwI9K0E(^F{<=r7F= zP@_d+eqb)DlBY?`PeaoD1mo@D`1auVc48dIIGlt4$G8rR+l_JC0WO*$oW2`!FrFY2 z6NJ;8`=91#4QeKMey#%+OrLLJz`;}B5(jDcsW&N*$G;N+7mta+B>tHQ6!1M1$mH!J z!pB=gK;`d=Kp9^l0<-u(MPLqpK?LUUKZ!sg|BVPN;9(J1%&Xq)J$1)55k|7f=ZP?q z4?bIjk*x5tH+v7|alZ)D9oU5;jO>?RD8k66xl4qRSM#AFjO2zpL>TSK{N#UAcsGVS zMYsdQUx+Zec=O#NjNcyTZ6b`<JMelDM!kr?Ey8$EioYzvbjbQy5yqpse7OkYF<u@L zVLE)hScK`+^n4M<bJu*12%{?npDDt4_?oLCjJ9+>^}lH&S@@FHv})7)<~d#UW}p8Y zeY$oSm6+jxn6V<pCSr0R#wlWsypgDha0Z!U63*m7#_#@08C%~Fr~)wuM9fMNGYMik zM9hmK1~_u|ha%>;BBl^x+C)sXi19(pdJ*%Gh*2SCm590HjlS*)pOb<hYsHRcqmjsg z%l|@ut%d*NA7{Vtss1&(@X6RvaC;-(Yn9%2(N4_{-LBN;#@<uvq<~pZ<ULf61`RZZ zV6qI!{JMW6ZkT!wxb(k!VJT(1OKV#7L8|!KL6)DZ5WL|C-e63$`)ku<ycbaGe*koN z5}-lW9%So5#5eUkrOp~K8<pCWfVm!^yO0iOABedJ#Aji=mP(&8{sNn}megiI!*b1B z{DLZ0mFchb=bB2yR~CD^$s%$6wRp#(4~oyuihiA8fM>jRcDV0)H5u+!F_ucLC6F|j z2XJ@>!C0mwnvDG$25ZxQ^8cYv@gWNtB|gA6Wxam0n4nt{-`@Lbd7t~wfY0!4PWlYr zdwrkZ3tD&J_xFg+ix2QM$K=Gv_dNB;G?xGGzrn|nzT9^P_=yXS$1V(=yS&aa#g?I8 zC?p7o(+|a2n?4qAXOl&GR$Rh3j9>Q~RgV=fhfFEjmCzs63ps9AnF320*pwcGU=9Xz z^l1>x!(g61nZA4rGRzj_TM7R8r$qTt2@&TIa?qF|KCK=9V_CVX+@i{@AZ&})lh0O_ zqcVgpZiS!@_TU#`P;|}Z7roMF8*VXUw=g<o>vvDZ&k~^3dCu)57ZzgnA*OT0ZM5r= z&RY1TP&C#`7dAA4X7Unl-p4<39{+lG)jbZ!DKvQ%{?Nz#f3r_9hQI!De4nD`<zzU? z8ZR~~UPOERn8E)*4*HBVV54HlKhC^SaUs9yW!gEI{PNj$4*clIfkX0h7_b@H{dOt_ z_wH2uk!*-Pv0?m+mwLA<j=h9+t75MLx0F=Y9J_#jM$vrjOJ{4c{l7$$XWgw3=M+r4 zM8{9}h|fwLML_XOQs@?B%*b=ZKOYqv0xvfF&J;w@7Cn9Hw3u!>ReNuO?X#07{4!8i zRnYC?03K0%b{)Ab0P+-#dHWS~zM|7&k!*85dL)ErC47G5&=cem;QVlYe8b}2TgV4h z4powM=KpK&P2i$BvW4;L1!$V38wCZ|PQ=87sJJB4*c!W~iH$af2r9{B0ih8hLZ`V` zF>yf~67kB6Nt`T`MYB7T%)~E~sBsbpTo8AXxJ@=m%yLPaNEWw5z5jEn>NX8RChs@% zzIp%mP2=^{UZ<)~Rh_Cjb*fo*ZKan%U!VaFxaz_Rsh+n9vzYfa%)313?WW#?xVMpc zj|_TWPra3y%scQlZm1sv_u))Qqi_X;ZktO(D+$MVupMvHdu*CN;4%|d;OEw}JA+}T z)>D0Z?dzGSYoXhAT(}csy!bX1&N{lDmQ;T9ZFWtw_KYwQa~Y=`aWQqI>`ev-z2Q&A zZt0$uqyCoDsPjiTgxfS{pfhO1aMPBr69P9vs--l$gTiQe;@j-b$uOmb@97Kz|690! zFL^NcH_$sN?4iaX>+wB3?qPOH`?K(H@(2x~J`(0d>0$O{B0nmm_ho8#S6Te$wM%0B z=XGKqDJ<~`sE1Kfm>FPQj1g@^WYY^h9{D6c&rXi0{z9%x{VMt6=X;Fs{d2rS^<oN( zC%?oL7Dvn?{8{XMRKa)K7b~fr#APSfhoJ_e-#ki)Mldqnq?Z~MMHY9n0vq3?3H!i$ zCTtD_(+YQCD<FX?33F!fqZZU;McGhs88&21GN#Kk+u89rIu%8t69}QI66uLMrEpvf zD+wB&3M|pT$yM)*KUU9PdjGk*AK7lc40knWNS|a$vONC*yo&I(pwFrkNmlI{@ml%S z=X$KJ9naDgw~Mr)Y88AnGuq+5pk1^V{!d=I)3I^{>TpaQqh!|Ksd1=J0QaMGhc9N( zJ2&#^tw^lk6zG-7o&iQb(<Z&k-)cZ&vad`*Nu8|{dkq4gr4YmX2eg53e5XPTXa11A zX+;k1`1mhq*sBYOhUvEx8E)b*e91yEINrim3RtUcRYFX)Ee~A~kHA%qx9~+HRJeD+ zEGA-Tu@{C4gHR%1F;|1)Fj>-S#Bt2KKqro~KRBgkL^lKQo#Hstpcf+Trmg$^ZK;8N zj<XFYZYo??pRpDl$0se&!CKJYxZ7ddSJ}sZz~Hc*_gyLKZF}Yq@E_3QZMuFgWv~5A zlR-=ZTc#=F<1tF$R)^`;3%c{X8XkNbH?bg$UK|MjYs7I<lfP9f7?$Ctd-VdSGVyBL z#rZ?z)6b~N959?f#qVP5E1QzFXO8t(&K}oYq)nY!cLxU03fi;ByE(mtd0|kHB<$8j zU5~rieYh^iiTBZm4AhI&*!RXXWYA~kDg8?Cq=ngl2}i~9G1FJmTWh=JTU5E#P@dqt zbWlDS#&`kYRu}_MJP#y}oe+-&BkeVtaXBU$ZRf>-XYBbJp|AXQ7}q$0x8OHmT-$bG z5Tx^b7$5Z~=BUTiU*Do0Q-ePW-MjIu{2;zG=fG3)`h?2osj$YLthpcLO=@x`8BpLY z8fMKS>)4ri@S(%t-EDR^C&)Lj6MHVzP`!?G3$xaR9^LN_G7FDTX5sVakXcx%G7Bd% z8!rH}F#L<>LYM{T=Ojd|;p%mC>L%-Yn!5X}W%w2V?t{W8vj8bDZXpWX?!QDO8e-+Q z*9I}8?7`z<T$EwQTAIaEYkSJ#FHeUY)$>=;QyF8x-*0pz`hhDDt^|WY7yxTOvwQ@| zbXj5I*`Me|0+{rH2f!!E`P}b6iF#Rw`-!SsG21`k%7<`=1fTF0ieZ?RQON>cbcmMU ziNYF-Il^2NQ_Y*fRRv1MIH|@LCi15wWZyz%kZMu2iGRZW2dPfF71ZnS&2)cST<jnE z#)H(Q|1DkQ0h{@~CVX9~t27|nFtuh=WHLE2LTVR8Tu!M$N!XH2+11{~*r@_>yTTj~ z@_R~OZ^kPpbTboWYu;Q&`$x(4Ztg#3qsTzJ`k?h;p_kjXQ;4x!uN4PVq5opM1Hjv* ztb=pQ27+Z$5bwzME@P+tsVLbm4yE$)ri~HBbvk=DhujpwKL^jCH3t;Mw$oJeBw+}r zI;Fa3Is~8BEJ=0PzFm|eW$LA!kgDl-4Q^@ImPmCom!0kiH}i<LonkLn;WCWuvbFn$ z*{u~C;Yx`**x4!dSf$G``4GJQAO4hjxu6?-=?j!paE`SV!vpvp)S1oplqoX=xJWL& zlJNO76z4b9;{D0M^ZQU{V|QB(d!m`?H|SQc!27_ml-gphUPnk}0SsQQ`r%{N(PKaV zmxECN$2C{UbD_YZ%RfFs5hwU3++B?tKCXsEaU!g(g=nZSF^TFO2}Hkn8bR2bXXst7 zKTM;NpAffhKm;sr`^deY3^Me?o}@xqy!UmZ$32KIMHTR@w8boiF}QLrRct<7!Xtd? zCmi$|l`#6ej^w;Zn2^t8KsQkl?EVRVU5e;l(+S=F-JpwX)442)@I@$Wv`(QI7d#Qf zc>WXJV9dr)es3v3p3cI^*9M~n?f}$B*<yA)4X9t^Dg^E&rsZkOC-kjPSlu<AaheS% zT_Wktf$L-gPpS3yJzixx{WxFS&^f3FJ)5{p?HG?|J{=UMnkosOvy(CZqA}4#98-UD zq`dVRyb4e4Nzl>8@aKb00gHI{SpRp2{HQp`L^HPWVHmh;6~R1Ja(|BOT#{KycxejZ zg7G1W=}{}Bi)*I`I;1sl;HmCv08%lVUCPjsDMZ!Rf7!bZ_Dp;iMLL-=<_tb;9xV@9 z$28hIq#bRj5%0|?S~uXzUVKP))rZ~n6i&Z(Q~eWoEM2Hfkp`S|p$ISG%G6S)NcwZ^ zX(^ZOn8}aVgwCWJG^SeAdf>kg>chs0{Ujz#9V{KsD;;d0I7B(?y&9Ax9Tw0j>Aari zu0`3;Gc350P?O10hVD-7i@+Xm(LzC>iA~_;t{dX64|^Ggrl~1_=jP|65nJSEr4g>P z0a!q0HeS@D+<2or(XErEU5%|_PMz#T(VRe%3*Yy`@?e5c@M1`$%|aiOI%%qX3MYnL zyiQP;Q5#+<qOW$<PidA*k)G(8Ee!91tMDjbG4x6Lz;cT}ObaI9n4(*77oXNsV`aZ4 zyMegtEKT-Eqdz|y6`SYL6aq&YzYN34)>U{A<$?Gf#@yW~!`IN{G#E6%zql@9wK+`A z3r^`2hGuP-_B1|Gzmt#ti;_!_g1j9M)U&mb6t?@m;2b*)r!|X%Dy-e22e!D$nS2#Y zg5P9P#)-ZsVr19+p3t&^dl*hpeeUBd+&=q^oK6oCGrjRtRaRL3ed>vFs#|&kx7IVH zEAVLzSTCNfTTH0Lko1*PI`68x!(iKEs_9KHEzC$%5^`NA7i6kI1#bSui9k_Q^b`CX z_#*iA+`F24i}&uzppz*u^@@=1kS^3Jrr-Plqd-jt&xBpJX43-?(}diS!E@oVp3a32 zT07)WP~2fW7k8LO-&WbBDD_pEz#|#bKDV@;3*8(Hk-1snLJ0%pJSuRcY-sxx?zYd| z6O@#Q-9_-!8iggOE+oj}@9si+Q*19DCf{6%Q+0*`a_F2qol389p|lRZm13$vzB0>p zR<KF6R6Q^1+`#`*v5}o94YM8Ao+vj#Z?WA!nZ9erUTV*j&a@$G<V;&k#OpeuhD4*1 zL|krS%494RKHxG7Xq~D2D}IFEZQdnJ>NWv}HszL#EN`YOyYW$!X+BFAV+s!9S>`$o z3UMq;`-th9So<iy#gvtb=g&`8;m(W4)gf*CYbtwzH?Sue+ZKKgQ@0x*plA@rXP7n` zGnH+QddJ^Tx4PcpZ?u4uOWDR<bhyQd``yM2)Y#~>?H2YrQ+7L~M%={hx~8W5mwNZI z4fn)r4pCBa9YenAO2iD7b`#{HH9an+7e36F(p}grBu;wXk9#>=UCSu7E_j1!B(I7m z;*j9`V)8&mP2;vsBAIT}#w@1EPS)yRS;3_zfz*_payxyHx(Q`41q0BT-gZnlm~yPU zh2VB|sdE_*sopi7;6b_(QFW_$wJbi|V{unLq$sp(fq{4uaEM<>U9eZqgAp`ffC%y< zm(;NY(snVX8~z(c9Gi7)d(V3-m8ZlD`*tTIqWTP+fWnU4Pd98_TtAc)v-5t=gGb{+ zK?qk8Y#Ed}fBrI$D>I0yTdMQ@L;r;NOv%~6i7OC%E6hVNra`W>fj5GKaF?8-r^Dk+ z2r>YJKz&ZZhRZ;bUb&r#i?BC%M$7l2-L`9fBDhqKPn#f`SX0U$>F9zW9JPD}T2NJ3 zz0<1cSZ9V_k?i)pqExyRK&j|A@f<_8K8}-j1Ih!^yK`5`??1>7T<Q`plehk6wW73b zq|2tOX%X~XTU_lK7JZ2P#Lq;36`}|3#R9(_yoE?by^3+8vUVFxkQ%!An5;!ns$t~{ z*O?;5%jpjWuZvp2C?%q@pr%ae5JuhlIlbg{xgM2--(m;*K+wTNKjs5g<cvo{-eC#R z_Lj=@XK*&yOIdVSUdf9EScFm);FYuKwKV@0wp*2mGhsFp**PfR|1uT{ym32rIoBpy z<!{w6MLf-UPvZ*9Y~-JlefGdW*<Jz!VcCxqYMQuo7dkWSGjH5xCX9@72tM#}sM zgY7F`Nycdmm5ri)uBMt~RJBF6;O0lbBKKL%tCBBzAXqgEhN0QA5f-F&R@<wnr{vH( zHe)H(w=Qr)4fhsx>UJV(M3-)fXSI_4cXnrRH0s$rr!j405ri1i##PDK)f-z4QH|Y5 zo4KS{_{%IiyqCSr$E1j*Z*jHC#>h;m4JLp2oR2o7m}I^Ea;>Osud-24948O>ZI1)X zsNaML0d+)YV~rOzuQa-r{Y1x_&4{qeztBL$-foxykz9__xhI@%GduLsEzzp(Rx2`r zZs~wyv&PK!J%&-ysmO5JS6BHPF7>Rf6@~6XHMZhfQof|9`pL@J^3je(%EsZPo$A%l z(Q^sPFYi}EcOK{<$ja|TylMHBggq0HsX?}a&fYHRAf*oZ)88;QG#fdKdqWd)qX_DL zdd}K04f`k35>2KQFy>u(FD>E11hx$UBUhB1yqeX2Hld0L8K$+jDyrJHJe(i$*~3FL zn*7~wap@iSbYB;~5I1+I$e|QA^&XWegz@@ql)Z3D@7B#AQo??qImchAJoyJ%(s^fH zhTaX-Q@7ZVQD3Oo-lKx#)=cCg_hDhUvK2NTOr(N!Mu&7L0~$jUNKz8cPk@e)uppSK z|6CRD%<rMFa9u+FYRtHP9if7VOKzpI<hvXx`}_wKYoZXDsoP=OE1r@LNKGk?PF=IJ zj)j$KH_#~CQT)8wMWb|t|4t3x;H;wo1M!fa({^BS6HxXG^l8PWML#%DgW#)x6T+A9 zQEb~G@nfg-Cn_3h3!pSotWzpQxm_U=GBee_jNG%W8P{vu+iusPWycb_c)OWe_AN2e z>9WmEpR1W+rfhQT1X?Zrkdlt}FE(p^?^*BY<Eqc-BkaM~Kz2G-n#LJ?VdGqy`3Cm# zN8odMm$nVB5vM(cMOl(UW3EzT`XQ#N=3bzNj>vm?<WIBs&JVJF9TLe4Cg3u%-D&&Y zRC5wKMrM%RUQ(nA$TR8i8B<X@TxHNZgygA`M&Qh^AI>>*0VOsexu+nxUEy3x{QIqJ zMuMW7R2I953T=K*1AFl%1gnxP6cay0SzIBg<l*3W_O!|mw8iVO^zLp8^y2sqDb!t9 zM|0F-{6LG5*Gc|#R8Q-SIoEZPKNXg8+0)+a9FmD_220W*ek#liVwYjyD}?=_@}}Xm zAi^MNhF;2oesch(*--zP<5j`aAiq6w6*Ab<IvfVAqQa;$9czAaO93Zz#i&dv+$m+p zJE7+~r5708o<O<{$4e6qX^;GyZ?TfwZB3>cf)9q<b_gDKy;|u~3qHpk6it2OTeX~~ zns+a-RSyK-K#O#wQ_z)6L7|I1w{uWlA^{)sG>rrQ8UlKZ%eyISV^(^)+{Mu%3$Hrl z+EgJ|GbWNI;W}i$JWAriuETJ#F|v#<HmqG18$HUnayjqBGAub0ZsoGBon>5IT*y_G z>|RZqaBqij_tqbOsf=qET-527BJ&PTw$j|6n{2o7$##PL>H|HW|J~p7WJ{$LalYNE z&bM^YVwbYbweN}vR2^8yl>0|~EagVYZg4U81L~C9b-sO^y|-wV6CY5uKeR1G?xfrK zw}*O31SZEkV`gWejxk?TVFHKr5ni=RmN(sxH%inJ)2mv%*!ydNu)d;Ab48Zza}%mk zB3mX9rtA1GdL~SbkH}@>mN?3c<0XWeSCI0oB^sA>{iXYGwz}vrt=Z+WU4IU2BH;Or zL)w{XJB^*_bYKQPd9F0L(?*D=m4={t!uSXHDgw1Bi-X^!JD0P7uu!u`v%H@^Yac<? z3i@}#+?+u$+-L5(k;npj={bAd^-JzU9cQQ6(TBtKwUFjc8@>=6g;crtEW1v2xBPmo zTE}#gHmH{;HS|hvhV7z&;^oJw9!uG9Kb2h=NHf?eG`Z`BLDGY;gh?#K7qv7*6c6z{ zgn$}3c`sJmH-MDzkV}fimCz+e$_{s-j6BCg=t)#=V4wWAGn4}Qxugh3^`bB`fvIhE zSZ@y_rkY17hERC=vI{;Jef>k2a>^xC9ewsVG&5eDUWM94-D&e6#&TM*XI-dIK%Vjd zZtYzZirr~tr-?8S$ni9!rNP(S8=*Vl=DX5FJw@47cvMvkh8po&On$n9B*j?n#arpL zu=hZ9U?~>`Dgl*<4piEFs8g-3=rqZy8xgo80~O07V-DCY)}B3HKUr(rWm<(N4(`H+ zj%?hv29v)WcNr-`K-V#`985L1a&{FSbk`*}1GP3AAYG{DH4AYA2U^`!vyxM&<_*4Z zaNz^#+iMi2@olG2hQ23WSClMZ*rkK6`fRQ2I>x9WzDr+_*HTG^qo`s&<&aC4o9uP2 zxYng?gOX&LG7c*V{cgb0>=a}Ddlk9VuO80esCuH7RdW<(cmynfD@-MiU&O(7pS**) zw7qySct=*%m&3Hu2sg>&UuRQ!y-Onx*c80`Hr!P|Q$xp<X1V@o4-3Z6sxka7bw%At z2~OwyvLQb<Y|@Luvx@1}e%r^QQ+{-L==eYx1U^3eX&I_&5-vX|?{qGTM{g*}mgX~v zgQ;FbnXdL|#KWC7aCVtCMitu*2xCke@l<1=9tcy}ZnusR9y4v!nKtci{KOE|Y&#G0 zUVXX}c+0e@(RNOt$})FSv#Ayai0*K5L9G{4;Y_@fjB5S@5#zQAF)pPM-%S<2AGb}^ zyV$muGBj^AA<EEa>Hp7<#*U`S)T~_A<0P@Rn#<G-M)BCgxZTs@lC;=Z&DB;SY=_|T z@?NTd4a)zS@#s9K^8lUacnkGgxC$E`(lKOJ#^R)jx)77(>z45|b=@-cn5b=V1U*oP zK6DBeFt)HYHF%(Yf<F7+?uLK$F-Z;}x5i6h{x1ekl~#RQovtBxu)fkc%CH_d*i8_Y zO<nW*%Db!S(f6~}!CB{z;4Pi99fy7eruAA=?Q%@qc2s!RxpL7ct79{LR#mGwS`>$A z>p?s%OF-$_C}}&@)bq0c#3i@%RiKF5pLi$WupM)lCLIG(XsqVU%r3FNd|h>LTf{+) z*!SBeAOfo>7eO~UHS&fd_(VdC!%n5lrb;!mOzyhdQ|+oHQ#$O}jOQqL?(bsfwJY7J zk&bcArkdXp)O5^rT{~7}5jB#-zejQC-p{O`p>fogoOP~nrbar)DZ*?u0HlxxDG0aN zjtf~UjKO%i_g%QnT5=Afqyg?4aYRU*aTsSH#7XLi!y=rAs2FFQ+Azp3q&l%*M~~t> z>b6mAtN$QQxP`gNskWo0RonEaPyh$x2R7;H8xvzDDvItaNWLA@!D3gNY8HYYprbX_ z;A#fiEY?xIm>9)~YImwZ9|)^1N;UlCDufB=qb%w3Ox;c@iRHG*CjU4M*T&;msZSo? z&s1Z?gXwWQg&6w$YNoQIEx@;U>@KAlX8y|lnf1<OO|{i1MrQhVXxkWD*V^_rKqz2) zuz;v0Wdn^IJ&Fk_Kytje@1@e0Q;bSN+DK};FAY`&f(S*-zEM#^3+NKAtbU6oWE8Hp zuSikzSjnytu5gZu3{1|neI%OHU}9L4&KMZO$%(5(f>x(Giq$}n(-#vIMKIx;eqkSg z5z>YtyKP0ucGGfPxCI7>;$dg?sSQM8UD4{10*;igkq}I^xbti~WvY>Jol6f+GgFSA z(N&9vOx^Le*C>a7G+_4ss9%~0$ohJNw?lUnM!ZSZw}^SHh6pEMV4P&yTBAW5R7t$7 zS**@84*x!-?LkyY)nMBu8eE0jT)Ja{J3H5t4YKn8s9ga)U{Tykomx@g3YC=R|4}Di z<~j~jN;wvY=aqH#{S07M3g4ASzXwYMU|ZeNTa?3hq<r*_?3DHb--7J?n0KiL8Gcw& zI|8*t0m^-pgwo+uOWgg7@HsO;`ZIdH8b&zVc2|8^<#<Jz!jZO{ez!~ab={&=R~uHC z?dTTl%0g_hBW(uhfq19Yj~|u=_3XbdNVuj=`s8B&IiTGP4XSF|DVU4tqY_$5p7e== z`pK7qq^m7XGgH#l({%xo?vLG(?&cur;uZm>#c8+i2uiWBO2XpnXs4}36(vZ&rW({s z3FNfO)|G~DqJ=9?W9bT0i|bNWvP-gR#z@HE^k!$LG&PwOxvAp<vyjf?J0&HC71#BK z)dp)n*RE|ivA_VTlPlf<&dA6R`e~e^1T#+vM62#6(7i5&iUQicG%f!#lKqw4l6^F* zX;!tA@@ccG1Olys*NOMbhiJ=Rxa2fBKX*tw0;NjAj1=6L3WLFa<h?<O2`4q8fKl6^ zi?|~@PYiQPUk3h+a?9Y?h7WWCD}IgK?_N4xeZNqR8_KER4e7{*s%UIp2s6)Rt$UDr zci_bN71up8K;F0zrLOA|<@$x8l57d|X1eVs)2dH#I+@UaF;2WkDBXPNmd<jq_W_Hs zi+(mZYwl-M?j5?Z+d@UzM##4>q{?EhU)UjM)=B-KJhh5x%)@hBX}g0R9+@6#fTe$m zJcz|UTNP9f*d=xhiybHjPBh_TMWIsjlg>CTsNlzm=M9I!rxF$X91A4Kf36BP!1gLk znyIewe@xY*UPJvMzXz&%!uF{J|3JYHf4|FJXHRt1xePNp9h@UmI7V^2UhTjo{QJA? z>l4AHzCu%1^(5~3AEP-|ZOEwECm8CgHaj+&0};TXdz~xKBIBAX{~?yD(unU$10RWs zV%qYB$(L}piP$5EXk4}^ITuyx3c3vA54hQlJBQc-8XQBK@tCdJc2LMo*)NQ<?H5ML zuP>nbj-nKK<$}vp&d@xdUe?a1+eANw<Dhmfkc85$f&p?QkmJ{mzah^X&^e_ap+C0b z==2udlWj8#*WrId@V_Md&*VRE7bU0dN9mwxO=H09keUNg4ryN?T-qPdN(ZH;Es!MY zuW$|7CfqauS5ty@0>0cWTswi_v&4fY;C>t0pc4sKO(5YodfK)L{o6(=C?s(*5QoyE zBw&0SxwnAMA<0lh2FKgj3@8+mT{&oF*wtmgK($<1lZ=~R>#H608OxyWQlXJ-D4$*E z<1lUcx*z;^%Ix2*r|yUsBo$q0L_dQX)*?ipy?-DIEM|dv4xpZL=7*>@6fd=0A!p84 zt9tN!q%))eIUcK)w5_9Jtu<6{fKx)<Y0@e#AHE26*1D7PVJ5{ihwY-W5V(F*5@ru$ z8%=ri{j*wJ5x+^BTG}<F(bg!YQ!c<>(=Mc4o+_Yub}&tvrVHt_L}Nk|6>YA<D0ltv z)P<yre(6lfxs%}4n@dW<-B;1+?*X7jc@q35S=;vMxuEW)p>*QNV(G|LKbOvxG#%-f zJV9jQfq6>8%&Y0!9WTjk0@fPNeu3ZPq9NQ-eZU@w^q<p-dN3MrDV8Ti$wTq+1e)1> z!OYlN8FF+QzoQvq&dwEr0ho%Y?(wl!J61L&yH+@p-KJW63@4-JjHzxLaym6X2vt&4 zhO`6Os~02bQJfPiD@iWGLr7GPPK0d0<@CESq_?5aVpNFOs(r<xWV?L$I|UXuVq!H| z`iXJK|2iSc)(H0OVk6{$-B8YmWDXl>At)B8jpj}4@3r5GW@y;lA&q$1<D1xkHmY4} z8qzp{*a3qn6Hp3OxDIRphJsB?gcPs=NCump&^JT$L>#ta4IPC7gWuFZFT*5&e0n)o zJkOjB>M+GRy{QIq0U~lbpsSc_U%_1uY1dGsJ={dIn`-cNX*5;~ix4!JY9G*0X7T=| zbc^KV{8;}*{d}wcVi+uK@yvDWDw+eUBI%SP1(q`w8n)R~i<en<K`kqnVCKZzvb6r8 zc9!m@NAN;}T3zMnK-GUP3f8-m4TJLRZ*j_1n3g8owYDJj%!M)2dFro!BVwGh-hRos zqJ|>UhL4fpGmg#)mlR+*`XOxrcOmEdf=B1lPi-f#poo?@greY(4#^Kia1EsA@r49l ziET(kDwbXrB4D$fntu<}hUxwb_%ixMz3G9kDB7%a&onFSW$%xfBaOSNnUzqq((M+k z7R281mX2lsY$HU5V(XpGl%4Xl4ZO_rAgoSy+CE?U0bd;yM%h=s!e$@Z1?<(IFTK1Q z*bQX{tE;egXW_(5$-NWkq`D~1y0lR?H?&3=oN-pXT;LY3pc6#@9=ev>V6cP|3y=m% zf;np1O*M}YcIplN{>~v#7-w?!<pUSh^%5Msp!gOYTWKf>w+vy|48$9hgu_?RLFqd$ z?!Wa%ZBkS)_FPyN)td*XOsXzQG+csaeHNBTZIke2RV?NnTFmomG515RdL!;;KADU= zF0N%ea3<-Z6H(exmrbXCcb&^ZwYlf{UB?uE{)bfUQtfVs>30pNS$LRi@%E_o`1%UQ z6)`!sn&fI4sKMZr?C0otFUrUa!y?=1OtA+qIpM&<G~doghNm5ZxcorUL`cJnUamsa zHih>rcVX#)|1GR!k85(-Lpt~d^eC7LOi}q^V1}us_KXlMR{}<Lsq~Tr#0OsUt~)#K zT4zZuKowlg^i}fYiXOL+ZZGFsNHcKP=rFyqhRv5ph3_*Zd^18mXka7V5jT>6n?3mY z9=$0de;LLo!;UvXitpjmgM2$R@w>(9oliUpO1$iF;7k^~^eMHuq;E5A2cRV$Derth z(6Isd$~=Z|TVGTjW*sHGmuWj99B@h6Ok0!C<g}&=jazQVkn@2x+cJ{U?S7YZPA-lO zu7zz)rrIZ|;gYGAuFC6YrJ<PD^pkwUwuxO<K(`TVap&}?t3FSM8;PgNx!7HksRk8G zK(m#NC4|4<A#TI*tEuyrE?_V3n~NJqJGm0^uNry?_5z+9)i2QoVgNTG3}u*fxcv%z zF;Gf<&PaJJy-<1pOM4ZJIp$~_hymTRget|M4|5)nPg7-c$EZY%T=q0AfxA9G47Y%X zmj?@3bAYZLR574UjXj_hi)cZzS3Zpe9vdN_E>o1OlrNl;HM3qn-d#U5dp2WEyjhYy z*@bTq9*|2Kd)OrY+ubO{j=R;jL{W(de0ljy0j_IL8enOR8$8~{Zv+O(^<`LXtiQ20 zN1d?t>dQ)p3H*SCv7Khxq`oXy)Q2dmx}K%{%zZt6!QiVg3U2mI)=1yVjoa8BAyR!d zxM}fKTlwW}Y=9RgxTKF<DaTy4<EGy<61>8)ZV*xzUc9ZJ1-LZR1J9qR@*ld>I7;3& zH@MTdX)ZFCJw8Qr7rooH1y>7@>3q6n(dv}8XWEXtq{A7etX<&z>a%qE5Tad=F-(^9 z4}2gmhLru*FfmHbnX7VTcoP{WKZt|xaVrU@2V$E8DK_Ipf|~)yz>LLrPz`T~Ay8AJ zI#1`KGWP@WZhWBxImXu^;@M-a{)+4Dany&1+8u|=U)`-{BrA6-OgaB|{b3T;VE|K2 ztU}etWzxh;gNdJ|FA=t#z0~y_f?rmbzJty-?I52~&9eXQkd<&?x>Gs`iK1{OAokY* zC?1R93`)ZM{_LeTeobA1c!7PvYwDz&bbC#`(^Y`bHxk^1Fpv-2Jr8?Vv%}vyI1^@| ztho(&Q>5s<lU6!4)|*TlZ`T;K4UT0e=t{=4wZ-wykIR0ftX>{KT=k*G8RYqfAp|zh zf)E%y*Q9E<#!x*)((i>?k64$1ome%2)GqGJsk=6i2sVvjX~3-dN29;STAfk*ff%tF z^9q<8XW#GNFqFWeB@B_kk{S42K_)(WLuro_!qgH)+1!V&)1<K1U@=ywQQx3(<K#dO z5prgPE~8uNGFob@pR9M*&w=&kS?9`Au$t}dKd%vDm&7@2`<6sdIhr>#S+GvE%STG+ z9?GjFp~Jkoqk!w@opWH~2X>e$q_A4Wa}H~j29|S8#KK*^_-hFvs%mO{df|}_Nb~k& zuQX6!Mt74E%5Z@qj6}t<g?qYkJo*OUi3|pyn7zs#SjT*b7X-I!@Lb}a0l2NQiAo?c z8S~=CR$aY2QD0oQD)}|aeeRaOC_&0)yJnOXydU}K<8_HHu5Zp=_<^h5rO&L-)#;ba za!b2Vr&j&IC3BIKV1R6JaJDTA_?awS{C3C6Nrv@i(YQjBDQR7G+CYSTMViZRRG`RI z^~p8^)e+Jdl7n;HDPgq3_F*t5r^$W7Y5Q_XUx&1VN5_aXzN`^XI=0fo)7&}ORaYgW zA{%IeIxF6|%f>+fxfH6V8z((_Ng8sqYFNuy>6Hm8w}Z?MyX)udixMqL!iBy_Ypb}j zy;eC7s0?b>h}zQhkYB*(zo-@Q8Oxd3in7mkN=#uA1$z`F;cOrEIv(mXrvuf8=v4R? zwFM&SnU76I0Tc+OBpgY^M=Y7}DdS9cBoeA?!6eTt4nBy2yF<%%w1zT<xEE*7nQ{3Y z3MuT0DZzUhRbc)7byz!RP**T8b0rz|#o8=jQ|h#)O=0(6hda)YadF)w!^*IQ*I~1s zTQSLq>N@J^#=se@s8pOnt!NsHkN-&*m^8sr6yNu6H`FhR(6}TW%*LWD?c&0)v=QW* zVtiaP0==%p8^ZEZPjCuZ<53T*kQr*zF_i-)^qDPS3mosUnS8MSTpv^I%1*mSY)ZEk zLW2kxzC@n-2xHr<j{5O>Z02lW!+^&e1Ma$W+~FHj&23bXLk4^w1>&&~y?7xq>WlPh zDZX?`30rPM=IV%;B0v8iCXKI#y-3}f#J-u5$$vnR$IZc$=wD&M+HeOcL;B_~6P(u3 z!myQE;PuCC7Y56({SIR%%!Q~K^<`n2%)*_n`e^e?jbmJs_)&&*I<s(pV5Hr8k48wX zUZ@=>UTeKoCk}Pg-=udHHoJ6tWG_qM8k&L-9+p{n0GzE!!X5|89DU?S+3D1^;-RPA zl_nD5YE~m@G#Xu_mbj$``E(fNQ>Ig)%(OA$-<`TI9sGuf{9zI2dQl4<tR$vF3FTiG z<JfivN+>rM2Al08Fhb$^F=M2bE}qBI3!fWs13ML~!wEb=D!wF;ijTAwu?NocGo`_9 ziRw+Gr_Wa0R&gOms@Y80toW`E<=$F=Xqn`BYhVU$05(B)jEQg1S2SnRlle@kFMUpZ zuPfy}m+pxC#-<)vwrHN1h2FEkhc%&k|K6mtU~<ZKEcRazV|<J@uPI$2O*&xMCc5w? z0hGngNP)IO{>`OJcrp(tq3~lIv_E;3){;y2lN)P)szdtFO$qEh44QH@Q`c9%Vp9)X zX;nVrltpBT-iFv|V5K~VNr{`CY0%?LwGYt+_3ijr0`?DFZoMZT*w{moL-Q#|e_LP9 z(I1p2zR^R_AMfIw2K&m@RH+4x5ZhCP-55dlQvhEALGC^_(>4*+a{tPu?85)082>En zA_s&pc_1e#tGn*{c|q5RA|@&4hQVnJjHxi=!PvH<^P>0H>^^v^^ghn@!{xgR*zL?o z1?rrCnF4cpW<K3;&px~DJkW}`S4lY5n`yV~qa+ONMc3;XU%rR|N#JUjrmk485eA;w zt`!pHhywNSME)>8xEc5^<r`r6*NxmqP(l0{MZUwyq~&gq*J6Wq`;N~WccF|$HwqF0 zOK~}Bb);3HsK*idMwXUvWeSCzL_KDhHb%LmcP5>2Y6j|sq4)-FRLyRoSL3G!)5gZA z7Tb4XA6NZ-N&vMxqY~kt0^zoAT_)#G5VU5u*kE;c)pO2YXbcrR*~jEP4BhCU?{b&i zZQDup57Xy*)SKej>8ieb)Ck|3z6?nPSkCSRjwplP-2O-$FAH~d7Ln-?p<8(;d(Eut zt#T?kNFPPFT@?O?b)g)9f<bj8L3KFn))X<USlS<$YTBqPZu|r|hV8{s&BYGeRI@J@ zL9Yc7#SY!n_`o%2>*Ko;LE?h`=-4k1Z`#yImG+y3$VsM+s}cv&`x<?LxWTy}%VH#E zaTv3RD28eWzv8GCNG6A6k;AgcVOiv`EOJ;DIW&uHAz7@USrpse5w9(_?H3|lD0G*s z@Y0)Vp5bq~1r@HZ28aF){#LEhY`<J*efPJo@IJv<loXS&u2(Yk`VHb4m$Ez4wp-9! z<HR4Vac+~d5g58o3Q$AziTO{O-F5NFZls4SR4tvGoajzz$udoP&*PQ`3`N~2S+@5o z`xHBteM;K1>YqUElnxj|!BuQ`OAr@%c)-cL9p(I)xYk!N_~pyn(&$~T)H}A@XYhrr zpB||Y!N{Zn*Ay~kd?6u_N0Hu<46?QQGCy{`@UCtm6=qrRhOCtEBd+$P_&xGdX=<pB zf_F)%Pj|V;<fS8rcP-UK);V{&lKf=$<!I3fw7DA(8spX3T`=hq@wb;pl%vuw$38SB z)Y6#U%dBCz7rLfVg1?XyumSvwy@Wn|K5F)5jR27|#(c2MiZ78nOl!8YhsQ%>L-W~X zowZX;beFQS<?6<6ob&nmxl=yu>h^|$%j<=DJX+9Wz0e!X3pz){jMz1=I}18xWv9h; z65&_=#V+KN3TJ@R9^7VRo0l)%+0EvqPMTqt_Q<a_(6sD#Y$yNukp_Id41OPS_#KCa zcn14%IGRHjhxr^<akz@ZH5|Uk;Q(nsmcQ#9HgR~2!!I~I$DtvC!9E<0;BXR$Gdc8e zxSGS~Io!<QyBvPO;TaCKeHe`8upfuX9Hw$OiNom}&gRg|;Svs4aQGO9f97xthfN$F z;qVfNiG6u~98TddpTm1OT+QLr9B$^YnZu7cJjY>pBCkIVhjBQbLpO)BIrMQ@!{H+w zuIF$IhfN$F;_x#Lf8@}Z#Oss8VH}R*(9NO1VKs-VIeeDGfAp*BN9Ya5)j15Vzl%Xb z34>jK&95-`+xvI#ul|Y)O3OS&7NNp2$0JxgRi%QZu%gIgDfU&&vv_?Kg`UdF5ysGP zg+5P#;0g7!46P*akN(mt#Ihnwc?G8BDYU50B)y;<9g9oLi!9j-g_4SL8bA~ZW|w&& zn30DYa)p=rjsRa~?-akn>nW$9hgTN*O1;7e@4^K<Utb0wpUto$WFDy`g`|S`hzI^g zkRnnBf6zXpoQTwX4QsD*v8?Qxj`|44e^6m&q6;VCTC+YQBO?rd*Qb(f8o^@C&WkXR zU!|tb%7($&V!?Tx81hT<;Rg-nt%9EcLXZezFaR*XUxb0DZ?<Y^du-rPqt)rd!Xpfk z#;E9+Sd%%fSMT_QK7A9D`t=_$aL{1O6;}>P9(vW)!>+kD<+|Y`My8G$J!b6nH~h+) zHqJJF!i^K{j!EgxjGHFAGN(*+XHB~~`<CfBxie<Y%DeTpU*CSmop<FI%q}eQ6wfIs zy?buiyz&a~J-$jooWG!I;l1}QTD)W_J$}ZYPb?Qo=Xoq1pRdAaAtZ)3NUr<loE+v# zopLg#O%AaV=gnD;%xN7i({D%}Gd9NPD7O@Ny=A3^1wtt_bxA>`WnKZ0RROpQf@hvr zKvF8JC;*Zw@mSI=YW`)Vvwa1=g_hFt!U~_yQz(=z9AV5Z^AuEifH2F2f<l4D2uc0w zN=v2a^;Y=6$5SxRQVa!{SK;$O8ep79!;DbNgZPb!F%GvlI?xay?W~+kcL?PRC8d>? zg33zIyxC<7Ek&ZQw0w@G9Fm&vVWCRPONG*cveJ8L^2S^Y544Rac_5}`wm1jumW36f zFBI1imQ29{LFZLe3Q*R$9!MRF<MULCWkBA=mcoLvGRzEW3UL}<STWB_yWX&og=M~L zEX87ZA+1x2XF&&2<&}a@EEJ&d@Q->r%gV9}N?F;l+@rDFv}=}Eh;vFTmEM9v53R1U z3dpuog@xAFs4n#tEW3v_-t=5n-$Dr>T~S`>8S%^OBQ&2>%m-6L96K^8;`ooYqQ6*9 zM~u#Blz0lfEF}#0tDh<7g3^jEZPyX+h92Wp3PnE??|O{q6`=;^m-+;;psb^jur+Bw z3^%sN^zW)D$Dwy5R2GiFbWjYYKPs(rx#<{)?Og%(BG3HNLXTRDEIh9#Pn8$?4^R%) zPH3N1!~LpDxOqT=r9uge??p%vb3@}`_@3*BM=B~13Ocf&zZgaeT?Yf7=N{2hiJ2k= zP3N5-3MY7c^GeHcf+<BBz-}Oxi<MZZ3kv>)Ljja0HLb_;c*>zAE6V42$^~8?3~%i* ze1UI{h=D7ErN{8JzZJtECt!#6R+N?tLG&;g9R3(}!;-VK&{t7eQ7l+ymeSIur=$ey z#mxpq3}=MUBSwrM<6-`t<AWlW7eD~9d~SKgg7O<7Umhg`o9+suF`ES&XW@9^`Y9@; zeFlPEA7X!`i@hG~h7kL2y4Zi)#lE_W{lPBwhq~Aw?qUzGuD-u|Sv5?Qy8El|UtS#_ z76vnLZEY<eo|;;nUA+Qk(_vRzvu9Pq{0ftBb~f(0S%y`wsD@Ysrs0y35`!V4%IjU= z^<Fmr{=fdST=q9C_;<PA<$o^VjDGH~rklUcA(n;wX@22fX#C|Nf7)O8r^dDXyQ}|y z!0+-lE&0Dq0h*4#U;67r0h*3K?JxZ6pn!k&?;n*P|Ki~<)E4UZi;K+5-P!(2%iB@z zt}dER%faep%l$RA_dl?rZl$!U{x`o}{oq3nule00k3RPJ@1J<`si)Vjd*<2ao`2!R zm)8H`k1xOSr$4{C;s3n$m)GCexM}m7TmJgi+gtzE(70{;j-5@rns@KnyKn!2gDvm8 z``)3$M~)u*`}-e!_|eD5TR-{q#Aly>@ul4MRp8{;-<)dy_Pg(YIDO{qx${5%bm8J9 z<)2;v^}N9OMGK&RclrO_`Tw^sKzsK8A5s4<*SLA}##O4@6r>1#*IBaQXF<b4_)+() ztdT`UBbg;Tix5W^3-9z4!Wz-zQ{zvonBU2MGpxwan&a^bs)s|IBUTE8OcBdydQ*T0 zN9geSN^y@OtH4)S!sFlMne7uf??=NHlv69@i+N%Cm^P+~>0w$Be<7xY>0o?}LvjiP z(N|PJ)49o4%1yAoFA;r}K^q~nJVoW65Qkim*|I9isbh}FVS#|@V0?^&;V=yP(|D6T z>R!w&SO!)s$Pp;>jqWolJ-(Y~-wkVy%nq*H!Se%ucR{7#D8yB5c7<2;2Hlw(OO9kg z$^~;glPaoM%o#Zu)5nY+;dHxMc)$bD0jvNyz!6YIjA{Krl|aov1wlPQbwRB`<v|@n zRYHwo#lkQB=4m(2$W10AVEv7Dbw6svY?=(X&nu$vcAnotSk26vUQr?RIPrG+X$D1; zK|&N6RAeNBawEy0u?8||bidZbmOc$hgTqM7*wrLPvx<a6`8N*+ngga>6NB!9!F>RA z$E~sU1VRq<AtX6ML+xmOwlA>H)DDpjxd_>j+1Y(SI2i!$@!)PKn$p?Npe2Uf>7CL| zvV@aZ%~TT69@eV!YEu!PR4pNK1H#CF*@+E(yb1a7sf4tqFooW$k_frAA0hTnd0CT; zBx$UPBu!6f@7)^LVrq!-M(0OmYr?f8+^0>|#A`|XYvxpqNl#2;!-;8hlviWa6C;?7 zqr<&%1B_%qk%<f#8%qZG65IQ<#<%opFniVfzQ3A~3&RM>Q}e@gM{Bbqdqt35MTw-> z*uJEfCZ0rj8IC9`t-Y3z*lSt*SHbNRm>&dq@23oEEYZYL6h|z%z%xL;7T<t&);jTC zjX9i{g$QB>{LG`H8#Iwx5;;07Rg-8SiAC_`Mvz4COB@Yh;|(Mp+~UD49^B$bo4rZb zM3KH@i%4J1ZN%Ij+Zx?sY%q8u^24)PTQ>uOk(L-@*^xvnLL%VN7jWo9ESg><sl9J& zLQ6+ozdjBYP~({ScD%|GsUwk^w}>{C*Sio&k|6&i$Uh14Pa2)jph+|Wp6~(PB?8?6 zp0qwSMlIHNY8;lYC=$wNAm-`O4QgI%ClS&&9oC4vp5rk69np|S6y#wHwy#>pzjhMx z41BNh@K=I)D}2Y*c1kdi1OdLH2$BG}C5(=1h`ZdaMa}=Yn+Q1p-#Iltty?41Z6wq! zn5RP-Oh7+HQ9wsVV)6kUMQcg4CXOT}BQ3lRwD1?8g$<Mzu&%wZu8gC!7C~uE&8ycm zLgvC3e}d(eG#Kh)Ebwo>j@H8X)?htA9S8uS-jV<psEZ)p%cc`z%jrlfj?rhT>K`== z`Z9dORsRs$SL^a)@Na|fCLZPzn1|*OQmn@5ttY*q482F2f^nALO2~#=JL2pF^MzYG z;;_0h6H~5<m|lar>T4i<0sp?a03ofuqkDU48y$**HZekbfO&dcD=lwmSw|<d_HKy_ z(n)MSAqU}Gs^+8D5IxXNB!_Ca$+Mxq!ME-NgI)a}2e+qYGc&@tzDB^$47iy{UtjO` zxK>k3OhZ(#&Fsa5ya!(+&zGh*yCc2aIfN9#_t6OkH3Or`K%m`$Ktlt8h6X}e298c@ z?b`x<B$SS(L*39a$3U5Z-gBX?!9B?b;S3sL0G!!)WuR?F%N(I45t=86rdK%7oSF1` zE!G>8ADzw8jf8X!EL}C;^l&d7x29{e<LEdTN&QvakIpCL6ZjOB9!CP+WAD)o)D-Kw z8$&Gpp}zVXN&li)(tm6W=|8=1J8LCVFwN+tgiL^M#Alp_;=)PX*k}?r9c$H?uZA03 z4fO?IUmlL(98HW50nT(RF~eA5g0Uo)BtFE(lBD4=8H0s*$iFwVS1-~#J@z$YyP-9_ zMc<(1IOYXuFb>KKbog$RH)&MN^+N<R84Tlne@L(Im|niv_UKk)i=ja+n>82@=oZ3I z+Kttc*wMz+e^lm;k3v6sw4=<LK1R|9aPI@@^zrp-HMhhzM0=z1S^K@gX(SG4#0)fI zf;x{S10P~E5=Z+>43saL^qt;0pA%~dF{}%zGv4QudIL>v<8!*&H+u2%z!<I0e{4*F z{sm)UQc-a14vr~PUx4umz6`bPX!ux0qks?4W~Z@u-iw4h4BwqRd_0(UzC_3pZl`$7 zW_S%l`_)kyN$K%0a>lerwMMo?G=zEe`MOlK?Yt`PvpHN2IMA^h#tEQrK2`+Bgm?Z# z$eVvA<k3(X%8et&cf<J{3F~C2-*~8B;04$?o*NDI5k<%Gq-5juea6IX>xxZ~j*t$4 zh7za8w|BInk@vS4NC(n-2>UVA>9d{r5M$~;?kgvo2pP01gl?`dk}Jk0kt@FI*Phtg zrzO6jmp3lotnxJ3aq&75|E$?-%I_F|4jzQ@7rqUlG%+3cpYF$@_KtC=gDx~-S`s!^ zLo@>-$pGL3LrRhz1?5N@0`p<lR?B8QTUBt*ggVZRfx3<+@ei53sc{`!0>yY9-A;P^ z{YPGc!T-ohF!=A5m&nmf_LO^k1%fA?ort9izOsz@o^n`+?E*gmr2^6`iabHd0H1zV zL8)+4g)gVHd`_8%twhNqB%R7N@L;g0d|j905keAm6_gj1!TS9)rkYhzB$jz@DlPL& zE12hj&>xVDa>3(E_mv8zg#~3f9(w*q$TwQIr(nM4GWQ=lQeg=LKQ~gJQ|5uS{FPe1 zdUg~Q`6$leno!|}doXT##k_eC(Op^&*^kE<u*CKWq8As{4)U~ax==Qwd;zSMGpfiB zSQeH~dWDE}b0dpU#2g9vJEn={$zAC6kOt!PlzD{9(6;Gw)$_SveZEYw5q&<WbJfwU zpHW^yQ-<6NJzk6qi3_;>F+>lz^yuB9&8&2KW{Y#?czoGVcx=eESeBXWXq6QS`VqRh zD=OxS-kbPgD>MM^lRSt%=>=Xv^dU_Mo+^QSsp0zy^jHi=8?DPz;JwM`fs#K<&5p9N zib8S+ElW05A<0FvBOT_uc&w|NGqTY9KHxXApscir(p1454><}gk0Jrtc)kZEcoX+# zLhN?UO=Xpk0K^hK#DTUP)ix1r6peG(LLnHw8d9sd^mH{7N_``SXQ+}V^s}IKC=HT! zt-GS2h#wO=P<MJ}@Nm3K8#>C1a=fMGj11fw%sivxv@=IQNe3YRM%s5S^B`G0#F#}^ z=x3D{dD2S?e7O}_c#=G6q2M9gyH5wG{g1TXq0}L}KrlX2SJoGyck6BuJ-&t69v=-- zUdYH7YV~exlibq6xtyL~xtt22!g45;)2*4@Qs}3Zl)}M8{y_7Y?qQW#%X$>+>(I)N zhS;H#0w(ED^I~NQ#-Ah>7khj_`K?-adKMIc771!SNf#`4ZiQMI<kQelP;NWxd1%AF z2JzB6yWmQX(km6pVBMLVMEbzoRk9*4v-*P;Cd5h7%PK1QNJ3UK%Ha4r$P*!@xmgsv zqJU-meWy^fh!Oi`$cS(+9}zKA2gxBY;CKsso?vNbc6I@*KSCTs+InVzuM~wA9As+7 z^l2IHF{4Kmm6Z`vqMHu%ObM5~&*Bu_T+HlOX*+ffv3!K=RYxX=02$2|1y7}e{L6l= z8B7kVtG&}HiTNL=gFLq8ABO52Ui)7N|DWG~e*gJh{u}-5@!^ld`fC3jmUoK}Da!5F zFnQNt-}-^s+rMX!D;QR)jXfs$PyH~DKBS|6>o`Q28dPS57qjq=1im<i7wA#EAMZpM zIE>`b$o-;1{QB^?2u(a)Gk1%FuNVK&{R-}WJ-0i!J)PULd7SCoJ%__tJpEgF-eue! z4?!%1t@{VS=i|7B^YGOi=Vcr&=l*`~U&GVECp%Ew_GxZ^hU4=*&+jGfzKP>^fcqci z{)rK+F4Q^;t@p0&@N>U^b@=~k{QvIs|Eux;^ZW1knS1;(e@l<Qe=FMmvR}`_7tFtB z;edZH-v7$q|LZi+<@f)0k{G7m+tAbL=Xsdm^OrANeg*e_@i>FeyujeHwXGKr+Lu&Q zxE{hcKKK4}mL8H{c8Nhdhj0AC@D2_)LimHve)eoX^7*s!v%l^+{Uy&((=EV|-17dN z?_0=S@8A9Y=*z>uckJWV^Ms6A!eah#iSbdWOBn6xUBdt0nrH08JFnaRr}=Bh&(}rv z=<egUUtslHt>OMU23t}Y%;x#3aaFrYmkMte^{4W|c|Y>|V%$EA+atOC+<9hK+2VX| zSC_uSxIIn{e~#IEaeE85_vZF>+@8qoCET9G?RIYO$L$7g@2{qJme~hz`+9C4#O*7% zeK5CMxZT3-@)>4V`(^uSX1`LcH*T*|@!@t=?kSbq?^V<1_6yve$n9!n8@N63iGMA` z^#iU0))Ce=UAH1sdijp`%j_^l2W}2s96C9)b2y$uD~G8Z4&%_mp_xO%;SYKSWez{% zu$99PIXuSUAr4zO+{a-vhdVfI;P5RDH*>gw!*v|4;c!)#^lLa=#G$}p35WR{W^-ug z(8}Rh4u^4Q=8$k0sqfsM)&4l5OMBRPzb>2fuYpVXPaQARJXKuO^`-i&_A<ZrZ`nAI zos&!cnP0Z^pNrqh@wSZVetha`zr@$)D#Rc5c^iDl0bqZ{$B*!}DSUnSd-(A9G8MjQ z@Xgb7q>J&!5w@1aTcW5q^>z609jou)Geg*s@MXbQ_P=C-^pE7pwOxKX{!`;y!})l? z;V=#@9R9D{vxEWlOZck7HKZNjtuUdj0dqdUmwPk!4FC_pR}`fot-bN=nUGh&-3;(+ z_<k^GI>}3h%2Oh|3nsxIAUwiX;rkHG2sgpE56lP;!}k`L&jFkVlj3-YTLthom=H^1 zHF%Gk`1>;)Y5<<#?w_HY&j4nQ2YB}Y7N!i~!`!?E;9(vn7beV2gP9p+0uB#mVU7V* z;2Uq!&`I<Km?(<?hxGt&7y|tm+`Rykl3CmV0DlkPA_(&&!0U&?7z}2^Rbak~g|Py> zhnod}E4lf3fJfn51>uhYjJukU$G{v9a632e066U$;IF~F0^q4@Slo7iyHlVJ!F?aV zk5hQN09-a4=1pje8h|rkkQ@u<Jb?A^Il;Ud;L#B*onrv6842?wxL*hGkMQM#`4xZ< z!k{65c@4m2696Afa{_z&4(n$Jz_uG<4gmL)0PmRyZ5OE_Zvp&pBEtva1#U(-$<Fe1 z0^DF{c_AF*fH+_t3-C>DehZ*;5~C}G%ixQK^lJc)1%^8w%n1Jk-#Qq?HUK=E&eA^z z@T3#)gfQm-F3*5A!ngn<Zesab02(F}vKrhGx+k+bNB9$b)zN@6!0DN+T)6-b!q)=k z3jobiSUn)TZ7R?PxZe)&o2e}Qc7X3?0gnLghXAgg2GgifL!sqnMl%Q>y#>Y>aDVI; zs@H%xF$}=XIjr6gj-J8FD9j{e?@U(4eE=P^P^S*`Q-HOzSojqH$K^r)1^4j)8}eAW z5Pp`&`wPG%m`Iu-%m9E--NxM40sI3jmo9+&D*)5(fI5dX#{(?53-AVW5x|%3VtK6x z_|;u3?n!{(=0n?n`wsx43RswEfX)Jj1HwhzjPNyXw$Fz4g|7_zHNcnPTZQQZ+%cP_ z(+u#DB38FM0A4=_#vgFc23QN<hhSa}aN8V)&klfLB`mH1poN<eK3>A|eG=f_Qr5ov z06sAn$_`<k1o%)H^dq2wH2`lahc*JU3*Z{~?C1_~as}{~V9p0v179APcK{sYWwbFC z;6g8J>qP*!bMv};fc`6?ED#>yj!G7OAHd}TYwH?-vqWaj1Na?$UI_mKz{T?!eO3cJ z1K%1jp945^3D6Cg^8nT@g*pNADu8RNp&er&Ux2qQgEj(l5x}S#C<~aQ0cO?#{xSH1 z7$Kj+R}JRR08U#4bP48cfPaT?GnnzM(%6T9e!y%7nD-Ftn+U(=?(F~<J`Cjr{1*Yd zWeqdu0^G^XCBTeae1x?HGBm$>4Eh(uwE~nLW9_&KVD;}|jsi2nmfy3wLfGdCW=;mU z6TU<U(+qIR)6m{vb^~1WGz){!x|ZdIFnb-iLl}e)tYdkt0QlrHP|sjS81o$PkbtKJ z;KAn@?X>`0^gOJ+APhqC0-rAcz6jrA;NAl8<V#Qw*e?K1Tn}Rngs}tM`A5JL%mZE~ zWcVvA{ZxR`D=eK=0C&BDT6;C9zl7-i#OPKJ@P$7ydRPzegFnNV1z|o!xB=#9FeCi+ z{{dPAa}mIquK_+_&I34l6RaPRCIP;^iM3+`z{8uF`53?zZvoB_2I1Ma7`>eX_|4mF z?n~YZJmgk}XBEJ+I{|+%p96UJE+`}5RtE6ygHYFK26$@=&<B`r2l#CZYxf@jitn+x zwF;p5FyIXC2wyzR%Ls7(5$Gpit^&B}2+MafK>yzXXY3;Y^FIcf05ih&k6HQ%KRV8E zmI1!}39ILJfH!^$^aSmK_cHLV#47ABpRzj-hX5ahk8m@>SGgJCVQxm*{d3%m5M|oY zjBq$NBfN>55#GhkD0jY;n-M<D%_#rf$jt~*J{xgEsBm|LC`*g(2uE-;!VGRki1Mu% z9^nFRMj6*fxf$UG9v<NZ__EFaOPK%v{Qk?o{|``00|XQR000O8gbGGZ5c&Km&x`;7 z000315&!@Ib7gdOaCC2PY;!MXb!jeTcxCLpe|%KMxj1|_d$Ku6HaQDyAV7csLD8V1 zOEl{yurb*XmEgveT_PmGiZpI%OT#&UR|3JaYjZMerLErTZM~I?elNYZ_tv)Z!&Y#Y z(1ZxeFMohg8*9{wiyBKz7P92L&ogH?3E2DIzJGoHdEt|D&dfYB^UTciJo7v=&&*ao zxPvot9LK|-rg7YUPXFiR{`Y?r{<3HMA)9+8{mq&C4NKmf`9R~N>+{z&egE4{4}CZP z;fKEWz3)r;-+Cm!N&a5`qu<M~xX+XS-S4k{<mRlbjDkcNJ)ZEH7jFA+lKlH&|2t$C z`~D3Xg7>uMV)7!q53ahA1lZd_e#hQ7k(2Dbi0p*-{f|D}i245~T-`2?TVgPBhToE! zWL!6AG-MjmIqnSzEY;&CTn7&eOVoP-zf(9aHIXOz=9~t-)AZyP28ggD?~xb#x8M@T z&HV@Z^nd%;+JDX1bnB@6PycR~9@!+p`}3{@LfBURYM6YETXl2O>W8F<IIb~YFO!=E ze{Wq42lYB{*1@>Lg;<_JFSG9(aN&QvMgRZ5|C|46NJW7VavRzNXP`^I<XPq|Jme!Z zRB@BhZ*bF1862k^7HpdBoLW&}>ELFC))|7IZ}CM<p`T-ZvZNrljn6DuDH|6@^GjyQ zQ-azSi_gE(OSiGSX5*ku>oBdXjHcK$@&H0lXf>5rI{v)59YC`gs5c1;*jO4mOtU&F z4P1TQirV&V7tBDdJ6pz=akj&1pg@3-m%LJt3vVBJjlJ8_$nii}nh;uDz?GHUBJ&+( z+R8RVAS{0s3KW=uNZq0B1r}h_n$QCU*84*h1y;9@{wxbCwYF?75I8aTA~Xg*%`3&g zbMOfnFk?;VX_isX6IxPWt?|-&$Oz$l$UNF}g@;-;^O-9{6?~?gQPonsQp!PmphC0b zP*Zvb$6=)WrJwVSmIbBff%LtfUV;wr8yb12lJX#tNFVzK^yfjk+e=?bM`Y(lrzN32 z5P(_ni}d-t^cj|HCD2UhkOtCGZ#za)0MBiQvH#kSCI2ZG1Q=r<*<6rEI>%z~=iRgo z$|P$G=CZ-gQ|majSUi~KCWGqAf;{>!tiQ~`uryvgc%NZ$4Q*vHd@wA3(Izf#T~d%2 z=#suI9z1zJ{cbWzN>er$SU71(8x)CTQXV}GWHNc6-5`&*h3!aHkiv;ihmpcg4h7Fi z77r3dnV=KJMcX+Tm^@DUc^lNwnq3+F34Q>amBCF0IEa{=fCU<}c9=NL#Ss@*sV;Z| zaJoZ0IO%?R)||u%8nD=~*iAdlBMoR-1VnJVrfEQe)&`(GAp3TBlSAxlr2jS-@SHq; zCzoHwK|$$$&aLHe-A-;l3gLF>-{rQjzrqb|F=Kn+&kBFJFy?vgPKZRNp=;7u(_k#; zPjGS&omT<TT8;$@g8Ekiaqvj1x%c}y_TPX{w;w>v00Q{tHSYe<$<f&`A1Ps{n+_Xw zMhz>6m$yR~@W7a6zjnWxg_vqN0+tM=hWG+^jh4gfrKB~sKq=AvgfGB+(7pt5SQ&AI z?&cEoL4W`X550<Qbes*XOWAT$=tVY#1Gc$@Zw+lS=<=Y=;tZSudg?5591Te(!{!gL zG{3=1Z!#gr(#9iD<1+eqCgknBhJy~W@;@N4Eq9_^A=cmCAL4ImJPbM9^zKY1Z3+ng zTj)B-7B!CIS9qw>aWS+x&9J$np`QGyZbfpywq3|g87n`m5F&wse0Vi-$YD@Vji19| z(sHcOE6AK<aRP?6qSSC4+F*tHT8eL$%*f2hzmCYpFFTkluvR7dqpiw-8Dk`8?q8wD zv*y85wUC_o_^#r;s#^f?To_FHZ?7Qp!k{U`n!JD^(wGZibg3~hs5hiAG6_{0>w&Wo zb>QlG>B!aCs&=2=gr^Jg;dQ^4F8DPF$Ixs1JQNV+M3)~1EW?t-&*|t~Z)p>NCo)<t zWk{(lm$KxjKc$1gVlj=@zhZAM&qy-6jb!oIlpFz`JI&aR?FD%N*_LI&fL=RvZ2`Pm zw-?MslpZJ$?uP<rq3ortL%>z@p@9W8Ug+q#^!m#X5d*AL5V%22&h$2R!x;CX^63Fm zGcO~*E|>=`4Dp31iJT~$J~uL1r%E7-Dlci8YI+^X1&~xac*kG1%wY5Yq@PdtKe*{^ z2C^8q8<U4Nf5Pgg=CL_h(wAGN;IzateGwa*>B{C$l-CLt03KXjrwMy+h2#Pf6o^z{ zhI!zX7a7la8;>C?K5Iyf+Ik(UhW(gv%)qTr8yPs1Q8@7;liu&Hp-;v&%}vADPup3; zp>G;cgfAM+qto+F3$QcEGQ$(*=Ng)KMbn_NLl(|&ZtUv^JUV7TZ3C*@V+)fy!SR9k zOxV#O=hJUNd?z;%aPs0m`q^|gWhh6q-Zvo<M6qmUu+rOVo#3Irg!a^`a(tlN?36cp zXw5VTD=|%)s>Ft+iR47&aw<8Zd^jWWp~+}|=7k%}xM=FD&jO<jlof21Z$Qw=2x=uq zB9~H??irD8laUYUfcqJsv!F%FqerG+jhQ=vS#^(QmwV*d9=aZ86A}x#EN-tRn?3Yw zHc*_a$K#`4vw0@3(-j{E*-g_?B)NL12^!n3$pT%1t!UrRS<1Nfonc2A=k;6bQS$9a zwLNNbbTp@tj$N37M0PMAz-xECR*2GFp6&;REy6VV(p3qm{wd4r+ij;_#d4#mJ26@{ zrznwp<q*H^5=xuRpZSOD0m1?hK5{4$OC@{|+fFVkpU#MUY9f3Zc98%bjuTLddMjkV zYulxDkYV#%4YqK7J3TcUl#<f<FxZ@wN`F2R=7=J!i>A!PW)W=}x!@(Tz}n~NYnruf zcoo#WaSC~>kac>*QbWhj0UBCrMjNFznxS;$d$pWgkaYERdI7{GC^2jEL?vu-(~k?V z1I^p2ba()9nU!$9ThB6@gSFfdX_`^WD$L!s%B*eGw8989lofPnHp{N(%^Q=qT2L-o zq15IHi98I+pZ*WvHOeD#kZG>C8wMT+bYp=oHO;{RIoIxrOA}~o9*1*r2HgrDq<& zp#OB~3<I2I#(6JzN_x~51|38IwQ%CL%P2UTvX#=-8(H7>J~Ibrr%TFZzUkJ%v&x4? z$y|7{HBIR>D7^-G07$r7Fh=lYf!7<#UyYI86v=e)KcV0Z9qu!Pg9;kj;mIfX6*=4& z>=FY%LGt#HvmiUHgB@sc!^CKjGoctU7=&Q-`Zkl&VMx{~6@p58iw-G&OwIzF{E+gI zQJOFc1`u~BQG@(Bs?96v8`=ju5nP&>EJO@E3t>H0{!A}K(i0)uz>0buUv-kw$zz?r z{DU?;yoH#ICzL+Tc8E*_G59OaVAv*|51f+b1qP()gNJ|!ImwJ~PLmI-lcKrX{)$Tn z@Rbc;9Q)#Jr&y_=kU+U+TUbrg>yQVa5n^zou4yr>*+6S@t|nVG*#hJ2*KnlWbC9)j zlY~&?v7Ph!)Vi3xPLP^Owb^l0PP5lp<R3&+;U)R)bykeXl~-Xzu2gHU%fpC#`96%u zm#XY_1@c0B-CTJg@Qf|&ES@fzswy4r8wXkz-YFM3j!ILMW{XjL;%jJxKLwERYc+J) zbxa;ts<IHBgt-rOx?(ti^rC$XnNnIOV|kid7l#s;i3d$?DnO=MAWCCpbYh#S<Q6Hb zWTli|a<eReNQIedi=nc3y8O0dNSXt9OH)Z_p-Zs4ayK-)S+&p?^gQbTi`pzi(}~OK zXos3|i7O5t_c&ZalM5OsO=kJ>H@K4d^5~0tK4`5N_)kEwP>$Q>xf^DK?2IEs0ewP; z=nX+C7P7Ta7VL8V#x=l~P&#(&23D6<59R8iJUx`JhYIx2TntfuGL|IB6a5qGJ@`+Z zPg`?!qogBxqrEOBf9#)C3#=K5=6Od@y;Q&u(F=oeY~hCb6<tY5kvn*HYS(^b)!9dC zfIvvK6=NVks)0@t0l*m&ErVyKhLvt(QciTTiLs!r-I0ajSWdav-n$!RM?!#k$yXhf zW)$WR(?@OtnynN_)mk;1R5hwgd6MnOS~s<flg5**?NdPJSFMxND0d6MnMft?NZm0R z5+@SKG?Fe*>3S@Ohu8t<x)j-}RIN*aN(|8qB0$Mb9uqt2>kjcc8p;Kv_E2>nU4!i4 z>QnZE2FDq;ObEI9+<pPu@yi8Fn}}LS%MlbB)q=Q>uTr{&mgYDorIG5G^3b{~i7r!0 zX#vPHc|0_bWUYb*0B{)q*R_M~0Hp<?p4!?3ODPxffv4<sW_cQ|m;|a9{?jL7dTe4+ zJBU_8VK6%9y{e0<u5O%#J&3le+uiBvfdaR7x-Q&>neJj{jYX^OA$^<Dh^xCbH_G5V zbjJdmKcVr-(Pe_&L+UKSb8?z3-1{$3fKM6Xo8-{r@u0Thd%)pPahpX6^GbvV@pJ#3 zHF3GR&3y&FOYW?>BHz*G9)|Dh?yMP>XSTUD__o{$q>!n&;=H{%-gGFsNZjkx#JzWG z(MtFlhOgmh34C3FuPf2p;42Pa@#tK=wy4-<fl{n@j*~6UGR+mY*TtJI08s+g;$BYN zn_d`+{*B@9d!2$*^=UZ;Fj+y@YB~Avv8@whw`r?B<G77zX@1a<=xqA@?Hn6|&lcb; z-U>8Hcisg0HVRDb1PpNku(1NPYP~ebpVPPi^>Hm{t{zUss!r4;Wu`!n;E1yN=K;hq zzd&c9qSg){i}J=O34PH_VuAuvpf1pDWud7rsQ`GHG>nSC3l@?c>;jmR4947aAqk_D zzEX%Y<>W?uQ&+Jr-ZEIt7*$KR-T|#y1*&jk73#w~8L2^;cQx*=h42+<|9&T=bn*oi z2=FifD5d+c*jj07BYx1&@6gLNgT0%A<}SwC!a%;cjh3$=6Sab57U)838d8w$T)BN( zF(^o4;7>U7Oj`ioZ7$2dq0*!@o584m9y_?`*I4}gd6137)aElmP1>Xt?Z(KdEV56P z&#TQns@$!7!Na#>u*pXU3qh)xq|YI6k9Ir#su0ys`e7l80qwm+q32j^qOi9L8N1q> zd*oERt6R#(GMmo;->@1;^O@)`8`nYe_pio2XaKFXws8}NB@Ew(;iNJ<0}Y903n$N2 zSreh%Yo`FNIP7r{Z_sv3mIO%fU_v|1wxV@`1BMF*2-rT%41~IoSOdoXS29*#S)kAB zVGKe9{ZS%FG%vk)BPv{8TI&D>hW6Zv&yC~o*~PwJVb5O_<Fn`vd`?F~_-r;b$8{t2 zM!_zm_WC3tRX|e=aw^?!(;4FItqCrm*I&`4lYe>Rd>rhd@wzD!54oNN7FYlT?jLSY zo8$YdALO_-_EcPJmWy|mz-!xn4B#@qeEqAL226(e2a+c%`z3g1Z?M?9>@QRJ6rYKx z)jd%o+DPZhJ@oh@MszSI<<aFxwe<O$P@{wh3th}2e899Yz0+70CNvBFsr0%yGG5Mn zKx)?uIP^6OIc`@8G>&dBO+X2hLnvx=BqGx3mtf@8dg#AnJgEL@Zu)18q1&Jv19gWb zlen+?NYv=hsI75(8?jAP_#0TIu5Pr2K(m+*V?$l=fPRP;5!VGGkaV^BJQ#!ficrY5 zlSe3VorfGsa}S4E447pmJQ9=zk~um7^dE#wMD1q-a2&?9oqh=o>D>geBhtZ3JtA82 z-@%?j{@hG|1xSIm?&y<wlpXXr7Is2-6_l){^3V~3m1bN-m6v*ap^{(~a^xcJkGN$Z z=X+?@1T-+ypr0p%Dy{w$n1NN(a<wuSX31z4S)^_e)P-t&u3FE7`I0gYZPW(mif9U$ zMoFpEEO65GfT0<x!g8g_UOFKMB=8!u_5~ocCYMvL<CHZ5R||Ot%FIs5q&x<h3becV zO_^j|Yl>zN_lBcp@nE>dO?z*`27+BC8`DkgnrT#eP5_mo%_V5nX1WIj*Fp_S0{OD_ z(<Cwji_K0CfReM)ZOT@Gljp&VVlYJu+l*SZK#tR9$X5;-<q7m1=uV~hMp-1sUtUC4 zV}a0=t?$&YNEEj1!lsdRt3Ro(ILwr0T~7N*Gpfm<(2Kw=>Yi8ddEh)ggZtUDk3EmE zCuPqQ>=|ayBk-hy1DXc*QxUBelcu*V?8blebhf@Ke&A&Q<fIG|{55J)tJYn?m4YJ~ z95+yDcFOf$>I7b>{R7(ZV^#%lL4fo{hEv(9z#eAor;s<;lE9D0E(zdzz@^kNO9Cn6 z5UvM^!EZxv*t#5N#Xuc=wM|e%XAtvHH+#MY&(>$YglFKC7?=V0lq&}ifK#783@>qe zCd9QJnwMX)eB(Ir;34r~%W{}Pm2S~C0A|U6Ei4`kL^eT`KP?jDYt`V>kj)VhfB0YN zAdm`znKpn9Vb4ML?qHqFx^55a(mkv*_pnahgPqyC0kT0o3eA`9QK(V6U7><Br>aWI zfsh#V;nI8v;f3CNN51*qMI+yaUK_6IvF{eND+)%EQhIaYyXEqY@;oq~^l>Iz<BnnV z0AeGCE(s$g4nB`jy`SPDJ{$h;gfqm0Z-gp@6FNEc9)l!x54Nl~BIw0lcWtqh75i_j zSk?!<|I7-c*A&P~d7PDUx3sL~a-&qya(S(k+j4oM7<^brwughS-UkrOu~wc~o`?ia z)kmw>K7zlc_ok8W{N9<ksBbK}U7ptRxM6`jsXUprWhCn`XqzQA25=h#cnJY;MIiz3 zX9QR+2HwH<qhjDqe19Jl1$@h5-~hfiiGe-%UM>dyD-F8`sUZ|Z=5mXB54rV0ra~#3 zBie#Ud9~6k5<<oc?Lo?;FM<SbGnVVs2Et<CMUd`SK|BEvz13+tp~O~;Pf?JIV&E}c z>Wg{Ar~bxa5C>nOWs(JmXF2={RaIi}Cos#k9LnzuA}ONTsZ+n+QBFG>&d~Gy@MKF` z>hnE}&tG8USOqbiY^-qoviBtj4l)5TANp4e;_ASdaZ<Ul$#TYM5@EEUT+-y!SFw+Q zYIHygl2np@)B{+z82Bv@cJZ*Bx$|id4r&l1343-j@xyHAtvt3Bdi{OC3EKKtVMGjE z4`pMU{}mIzS%oxT+_yOHZp3zmg4kqtD2QUgP49Iu(*vfa8J$ehVI|QCZHwcr46u{I zVWgf>$EvpoDk5nkJOC52gH-X3x1<Gn-Pm^VbxsW-v}Ap*@X*QFm`3y&kz$w>_!vHS z?igvWn;t?Hx%Vwx%a5%SpBiEV{t+$`#~u;4zsBOfE&gZ$s#>u}r5`A<?@4o&*!RWY z3y?Ozs&CQJ7I0DLp~Pt5vgI;z#|X~!&SF$9#K0|=HBHZ!FPYbnAQIjh)f5%<Pt`Qq zF}?qXPqLa*uOb6&OBOL0K^_wWzrwx6G~(lxPNDZ5oW{qsT>iHFh)zzddu#3Ndy7dI z2iutN*aazD77<35+dAqDs1eS}1a4+z3*r_fIE<4;?<jQ-QYtwU&Cm<R?6v_M6G08O zV$$Nc8r(k0lp2%Cz(*RZLhl5KeSv{s4v$+aTAl}bSQ#$bYA476Y?pF4Z`-HHVN$-% zG;(gDM2}Xq8o|fw;I*|a2N2b7%XvV=V}Mp6(C0IfK#rT_afva3MwaW0=jk<~p2eDi z!={FCQjQiVbiEkZ8)xJlP;tz0ZrE!;_C$#5xogJU!X(0@0NKU>_?nL3+sK)%!FL!v z<2-~r485oe!k}4@q3^|#JNbb~zLcx?%s>QG9`W_X@hFeX^BgELi{lt+d=50JQ=>pr z9q(?Pw3&BwtRFXcMmfa|zCYTy1T*Xaig=&I<P_UEg^e}WY#u`nQxqnF2bmnYnlwmf zX1i>f$&e1o7xn2xV?reu-fF^R=_bM&{@nd;kB|0%4WUHlE0^r*^Nc`Z<ozusBkRr9 z?4{8IA=kyij>-gLDEC-qbq{0Ihj8DSywzf#FL^b_yM#SE4D+4Qg?F!kc$3rVcuVdt zWJGu}7M;rk){bigRy6JImSRpyMcA)(SiK_U0P+&__)26GhQ)5Dblb16x1@A^sBVhp z?lvR?h0)C2DbhGSkgpFP_8MWccH#5g?1`~D8JOis8dL5<jC(!)e7f#yW|e771tAAU z6GI^^ly3MsnOOjXTL0qZ@jj1#z79uk)=N+hpvdC%{+8AR!&|;Z_KcY}_L;O0ez^Un zkgFeL?6VN4bXU@kixN^+o@-~3Qogq5*-<>I`{`Hx*g2S+tCjae^Ax7NX+U;t1l$Qs z-T<)LgyOb2iK~RT<|iPY=uhB^@`95lXnXL33aBK!#NuiRn{eBVt!!3C7Z4J9n)MA5 zb=!&F523w(N0ZeBBB_oy)Z5-%LEn#RT37pyiG@yX(hW{-G5oy*e_z309RBXQ(aEiY zH2(vQ%h4)*1Z1ZTt*?;l7YVC0VMO_z{(Ml3A2Xp5;ph|txbwFQwOh4l2RuWqIG;r4 zcQ|=Y5ws3xYKFQ==x`Qr9nLu!9nR|@Slr=UfcuCf3-fJ@U=By5>DU^3^IKvd1F6k* z0?S5&jTDEL^C8}$x_S;Wz~Rj)WVqAS&G>Nz;zOgU37gGJs=GsGrfjPQB^43M5A9$W z-8cp#WtG6StSV?pqNJ=U=8`y#GrsFM)O1P%W3&|WZ+<>%BJ4|fq?-$BTfR$NJwyOK zLGmh>hNYS|BXGdIy9GJ3M$2*POIRgD?j{|$PxQ%*$R{S_0)1NyGIFX32D6fHd;!do zP^H;T12^i(ivjds(<%k1x?FMf@b>2J%|ErBBNwrRB36J2&5KMlFH9{<`Icx?M<u^4 zcur3B4=j&nkoGFJLLB}Y#;gRrAz}*9Z+TFY7WqbSTc9qSgB`2HQe-T}8BJGWMwy3C zVHB$`Zb)?L9e`0Z1K~PN!_2xHGK$;LfYI21YdOVGF4)K8uC}(pl%fx(B$sM%HQF}d z=#Zz;1BS#VXkr=GWf)n8H4>*~%$D6QH<;5S#^PM#SYuIn=?u&?oX5W;6g&@K=xuPZ zhjD2fnS3te*!gTyG^@dRBT`KbF+=hhrY}7I_LUKPhglnIwm%bNuh0eddj1G|1rM{= zOJVl<FJ#SMJjEEAxcE>t-^pq+fMiVAqajql$lY;WtLkJ(P2#z5CqouV7ep|8X*tVr z#fKwjw44XfHG?4z!{^q$SIjWDf<J{;-v-0ch$Uz_OS;)=X%!A|bsV`n{wZ>|zFt~{ zoknlWP3+CoY2A=L8?)E-{w}%T0i6rxC;#Rd=uT-unR4l-rmsR(pDUNfZOry(Er&km z-#kAaJ3qAonLfMLab#+Ec0>sab?x+p$!zJ!wBKnh<JuvvoraQ86?&98v8q7-ifb{| zLX9fWCvcgG^wHPQ>YNYbeC*h<My}Y&t=5VXel`|$ZGj~Oe}&y1uaAxPt**H3Pj2-Q zs>w0piYKT`b;UxizSXEn0fklftyZ(}v$mn3eg*lsu4dF5?AWoyMnJB<zOY`f6=AtP zV(M^dAlCYs#{9Sixhjh+<&DQ}=3@G*PXO<wW>P8W;pZ^y5(b?78ZkH#MO3vVw2Z2r zI9XxFU4!Zi%FwXX5W1TS@hixZC#|81CoQV04>;Zx3wB9X@*WM`%5hMsAsF85+`5>! zV&n|eD!<jz48pqrxqB=M*CkN!G8FEl6B!EqdJEeDacpt43wn2({o(cB?Urv)O1HDU z-uy;<Q)On-8B8S01i#^aEeGS3!vd)`)9Y_#+u-))W@&t*-Xo{U5qhH@O{!yRmHAqf ze){p%C@CMaJsnadK<f_7=eR%M;MhH8F>pV8B#J#s-+`pwJT1B0=Ccjps^}c7DpniR z<m>IJ4*=P2nBmno8$wUw9)m-VG=gX#eYjxt2I*`VS<#0=aQT<*gt=0&B-}Cohs$ce zrmRFsD|DO?sd;vnS^5V{i+rOrOQOIzwo%leM9V)~;sL!xzqxS}&d8_H+?IvlfFvuW z0T@N2T<+)TWInM;;H7uiaIMkRgD!hsH(idwk#+V=w$9$e$#(!w(G19$YQ)uaFLYs% zbOVa<Rl3BPNb|6&J}qY@${BiW2<@s``ZI`a_gfmDMQmJgT$)$wdi)0Z&sdOJ7xx<* z)aGtSDf*H$`^aGAlN9DOV(hTzN)?0~aGDiKbkjFV6HYcp&DEo5*3EMn7~xI2XG8^5 z%VM+zCVB-o3v}O;Jk#Rnzh3JEV_;Yr=p88|`#>ICLnM`Ea-`)$qwQSFr4-ruD*<&@ zJ8-j)EG&${EI!ZY_R@zgLFsP#X$9NRaCFKd<O_r!6P4~OYNa`vrYtq*D@U~k$f&I0 zVeYOc?JLG?DFp}QbT38eRU5s<OE;s0!yPP~%x2(vtrM!XdTA_%=JE;`zzv?Mof=Lo z@cONd`>{I*z^p}et4D1<4~?n7#(?sL`vTn#=A0vj6sUxCM2LUcUM$roI@AlznEYql zQ?Q-7OI;RE^ySN>$~+KJq+9IE1bLjB-h-H7r%#7Yk50BX3$k?}l7i!LOCm`&rn}BV ztrTs#%4om_^wymih?l{>WtFri2VguSD8T@OAQ_44Jl%L%ABq3s*w&nZ&cJeUdj;6x z_2sxQUh?%4EAER-5Ak1D!IxUh^bKvk(wR$}XC@R5bEPs|u=x~d6Akt4N&$mJ{o*U4 zdB`-R4(~yXgOLQqW`eSXH%M7N?X-`c0Af(C1LEoswhcGtfbMplK{l{m!E}U_jc)Dq zX!<AhD@L>pZNZ-qIO&=LjMt50^WY^Mo5e6VwsZDr$SQI!eFdgF|8$y?o7~oMe}ugQ z6cJj$5VlX3c+wgDo<EnS<K72}Ifi7BMt}}FIWt>}j@I}yXf3BRkA1p4k9CHRO8I(6 z$di0@nC+X8kzBxW(M)w=G|fjp8XB{WmSl&&#c&WZ=-fo#Cp52+-ZW()Cr@zGSvr-1 zUNMeV{1tb2ZXfZMf>r}vaddTzP1`ojaeTwg{_f?rQ-fbQT;{1^r#yoW4JPsN;XkSj zqLyW~g?ryYi~cv&X7ZIP3ywkAXd9?xazYvI-uP%zaNVnPh{`8@s*L;5j?{G!x$zDV zNlOqhpg<IxRk!QXEZM>aY++rG<1f-UNcMTC=^Rt-9Dk7?^7@6O5L=B((HV$bVlQoh z7|G_PKbgUFAu-s*_Ju5HS-7=i6M9{^77w&;1`JT6t8ItuSqx4x=`f_7J_~JZXL<w= z7?Nh3LL<FtYs4?ZQ6b@Yx?_#F6=Jq7w%{WlAM^3y#D^OntMIWd^g6E5+%2CVP!de# zx|;+R>k^(LG27+B%gU!BzF^KM0Y!tHRQ|eEUDoe-LmFTBMva@UM+F<EahE`r^#@N$ zE~Cp*cnA~?TbMM*NOk|k|G=&On+N}*bV9*>7!4TrVRRpiD_LeS9w|I=zn`n2TUc2* z6bW>I2J(>xRt-P`Of74~xsgs+53{#s<7OO3xKfyK!%{}+G<+Ft;r4{`uRPMjjqJen z&~HHzNk@!aTi64NyXxu(JUzcyPL34exg7WNzj(0lq%@=Ed0SZgH%zUg>aq)Jbsuv# zhp1(cC$?hH6^9@%Wz&@!TU<+pDp8KE=xV3WLDVkva|29t*9$fa*v|PJ7o}8toq1zE zb%CMmpIFO0K!834dW>1$R?@+oLt(&y+S{ecZQPyh(gc4>gT2`-K8ZW)t)|Kj)18&1 z+Damhqmr|DvQz@L3iQ@8GYE#b<MR5)+AOUTE1ku;GIiI`3n2E}fQd_Pkt`)ECG%oO zvw6Ljoe*K!T)9xu_^2MguuW*qW?B1m_oM6EggcK)Gg~g*EaftYybjaNl?iCeC^UvQ zjDvA&&83ad7XPf?>Cg|Y)5m%kG5;F@{ck=2h7tFoX4l`g%o=#WFioD$_SVM(VGtEP zZ_txww#$OO8f3%j{Cgfaex7Z+gMP#MT{yDGuY(QQ}9b0cnV$l4z-Vg}z;hTX20 zXTf}s^=o|Q?8fJ`7x7v20zONB0nattbB?fA)@$rF?OFCpeVV=I>|n2(w!`ZePo;)u zp}EcNdWF6DUHjo30*mr6hJ)QOQFNwq@Qo(hPE6eO%FHsZGj%sS)6q^#{q;;tO_-c2 zGvIax*ys5XyKPr&Ci*DT-vIm9qALfQaE)&>=N2^Jlu`uXpi2ytAWUQWwH91g`%N!G z`=wb5<)ujq&63PjjG^}Pc&KInc=qH4e2(LpIqmh4zD9!qS7<_&c|JECdIuy}SloAn zMAR)j?kR6EM?SP<MnYRG|M{Q)`6^Cz%*Q^j@U7P|W1H2`YH{8t4~Cwc2El_IixVJj zsXW+FpB$LH)T_2<eW4(|jK=8(Udw3&++W9hxNtGVCbZT-Dl)#)(b?4B7W@K0JAxRI z9|%h~ho1lPGSc4>aj(&FWaGrbh|?W<It$bN`S;V}cbE_=Z!?w$!txpD%MIpGFb-Lu zHaFCafNtiv@fc`PwsRhchggu;zL8`fWb)7l%aOb)5&-eB0Bl!<0TnTz0_?TzF05uC zVvw?1mYAkl+P0@+vC(m;ALU?FK1M-7t=mo5T~VPUz&`M#LDRvgSMSBnU=Nh@OSZFn z1N$b=;4>7+#$@A((1ZEP(BzHgmL=Ix%gL5Q`B721Jb7a_M&v`pXZfv`sIi0N${fd= z4&mAz8uv5Kpm7gE*@;5=Xdg_5&t{-av6Fe_EnX*0Q?{<<q)B9BBj}@oKc9Z@eN;I* z=tq614rI}bgQ((xC<hQ#?r{_`*S_1qn3w`a$U0r|7j>OTO7qemUPP@Mfz-u~gh4|# z09`w}5J>TuX!J)!?tu#S4~*y=AaFb|JScIb_rP?RcB}xXZ+KXq-kFM@*l$|SCMc-5 zE-tweq9t0Q3}2DQj|GtcBzjI6j-#tzA93=diP6KDHw_GEw$#}%D(v#V=}zEdz6UU^ z4yet7V_43H*?b?`FX7(j@l*$%BCzj&b~5@`{TOQibwG;02CF1IzZ4IAHhsEHqgQZ~ zVx0k9-g?>hYTV}9*9i=~ne`mlx_BPMMS%brUtp9C&zT^vh062L8ao9Qp1KRyq8{hf z^=A7rDn1#5Dq5PqfFh6M5`_F^TXvvJ44~JsxVI9RrK|V<a90&G?i8wJJy6Vdy5@s% z5c=(IeQcsPwpF69^jvZ8LiF{3F6(Y<c^VRh3db}k&9K-J+wd7^0hN_4pa!0VanoGg zpb0C@-8>Y~)Jr-6wa#+1lsNir&@TNZwcH#kw}jMRKsgVtA-9&TQRkOAo%hHW$wm4e z?)UBkQfOIXoW?sHkqrY-_7>bQSb!TJ<<nms#s&(4^KSVPDd*{UG$qT;sz-<#)%8L` zWa*OXag<ci-S#3JV==gVn5`g=tY1%ghcSV*aTPK_$LEk*-L285(vT6rYN9BVNkb!y zH<fV#4iw9BUJUqf81N(%ed0^xi8H}-VxSTtUv0%Xe`6yVy7-bZoAcnrgc~olpmcVl zvWVISk<V)z8b>%}9I0$9)p^8CAMQhCwZ73qN|7tH_XaB0rHH}LaFZ()Iny8p|BOD? zSybvzvR^sB>pZlNlncAM+1tFUrvSAU&~%kpYO`exSyFCUqnceOAlezFETt3)pgF5; zNp4<iYwILT=+zUD8=664<)VaXZQYTJX`g6}V@J@Qz&LpX@&CY%P^V#>M|&^H&A81L zoe#)<{x@Xh=p3{N^S2G@xja<DT-0y@)n;6_jq<o04pc_BKwP_0`f?%j%JpBNUgqGJ ziV+4jF^sj#pL`9YKrd^TzF%534GM20Pri&!=Iv6wJy(8^Jh@*FO@a_uD??uZdV4V! z{dpO4uzm8Cs{q~~1t?+w+FmS=9vY3`_XV@go($_5D<GqjJb4&GHzA3-=|2MidGZ*1 zGu6DX(@hl?bs`axSz(x;`oCbhP3Yj;NFiyZt$EOhN%m(ED;ezRsi59ychGWHXK0JN z(<Pu|!nUok9Y7V*IFbe^WC98>7Sj>P-Vg^JY%xC?orck%xog#e-07t;Aotpa5x*(u z$RZ>;A8@lzdzbtWn~VCI8w2~t23{E(2#*Fr4I^khuA`MsjEOYm@i^`zmGjAPJHrDC zzy_yckq|qI4x$m%!~iZ(AZkc;|JTr}UqLz>>e_>vbO)a6^OE_FL20f}Ev6BqN|^Dc zdZ~*!w{f*N<vlw^pYm#v_ep0x7&185wxF14=mo}@$Ij&Gb8Y21(9^cST$@L8FnZnE z#Dsh0ls@4$_2PtUrcd-GI6hRlmXxBGJ$;m|TK8PVZxH}(W^zgHNh~U9MFD^&MJ*^( z-i0>I+}Sc!cR!ot))TdNwG)sakQO|m5xxGP^pTVECf%v!OfOw{N?(V{ZCw4)SkG#K zc~*mL1fv0seUAQcbfMt?Th;OZq3ZUN$*On!zg4Z}1R$Or5=hjm<zT&}4|;T}R%Dq2 zUG|8+VK4&FiU1w;?IUPS1hjGy(!o5$PbgWK0(yEPJsaxZj(T_&E1>rez(_E-FW}%l z@u{X=gFcV}kLbfNfvD=NT)Csy$>G}17Av%%K<`X44O^t0R-eS)XRXv=E`>05iMnN7 z$CGGEm3KUOFS<;0RyLvt1;P5gFA_Atrj)Uo)Iyvl%(VIoeffj9%xdLYT%g&Blmp+| zhP7;^b7Z|I2L(|ow4fc(16-l_A`}uxd-Fa|uDj_=xLOf*3W?DlW7ZR_hnF_uwk=pC zzood=TZ@cwr&ov6imceBxQ$iIMmyKfdFh{!eQLFwr?ESi@|tRjrh92U(0i?I0BYI+ z@pvYm`BQI2g{zP8hJ}83obg6|yI*KLf;}&Ml32<X1E>L!$^vv{0ObY?BbD>?kWmjU z&_iES7Anz0pXwo}9y+UsD)i7%JyfNK4(Oqkr8txr@oS8L?&`jfoRhaSg0z_88>0tn z`lRQhTj`iS_vxeb?-%qq=Gd@hE##f;qZcout21MC$+}HrLdC2s;$$d9i;XE{I)}bO z*JHWV^|7WQ2e9GW5M`qV-)8EMCP(m_1p4q>Y&8)DZawZo6(Kb?hCgC5xA7Hx?=sIp zPHo)H0v0{+0t;AKKq*BC$cqfM3mHh7sFWfgCuJ$6R`!7hHVbwlPqHF*A|G|8V#cTM zbAn-xP%N*`%DWOgCkAj9)fw20QbY{=5sCGg6S!fF+3AEK{6qkTDK)Y%E03`~cBanP z3}5=uWj5im%IL3q+2YS5jjc6E+N^-mAx5gZl47AMN!_PE9-;09S5tS!P?EZ*B6WW{ zbS-t`;!+y@$q?EJNsAcw5Ya8Un$qXqfRgKkP`QEWU>il^qWbA2aUZ`tDywxuq*)Nq zC;)-S_S@a`-zOxNxW~7-1b<4aE7n?fsl#;{&#c<ITI*sRu1j1Ql;k&P>#W*39?yi< zgj_Lq2;<yz%k5~j=HnrjVpl&JKz(Qc*}_q)xX%@z?J~DC_p|kyJ~XOE&LN@qxR<W) z#u>;=D$TXKpO7cf1%E|l4wsJEHpdaI_ZDc%Zl{z*C$pqkI7fX1*4%D`G*PYRcU#23 z50UJb3QG5|nypr1VM_Ox%8?ZK1_-q-{wwAVKaZ|$PdLv@X1c09={TQ-t44xFKa2q6 zJl%;~B9&&eI()i!C>}Ul7^*U;*<@*MVeD?lkh+xLGR=pl-e`$__5{qkXti=AA8N&| zmd8l7867gFqC>_+5>dKmkdu+iy6g2bSDnV@^Chc4#p9`=Z6J1M9|FQcl9>awwp9zQ zLUbZXRA0y?u<G8tF<G6xIWDCq`Y9?T$FyNZeX@^hz}^&auY>u`IP$KvqA*Cu^+83O z)bs^BL}ep1({H5jJJ}YPK@2R=Bf6Y=j{x^=ACIO(U@97%LuiDEfij$E)`0-~qZPCc z&+GX>!9Kd9IC*_RmVT!E?GM;`Cc81^pnVRW1LrzYORp<KYuc(ykn0+kLphB@DJX`P zj+7uKUE_D?WdKKHbDR@!EZI=(rSGG|{1*;mhu`?>g1Kc};{#Ag;gK3Q_1?kO@}P)u zwgDZDYQ2bPify3L4R9VGU3dF6sNSH%5LaAV@Tcw2Q2=!BwLpBLJ(hd}*EknS^3mdj z`bojt{QU_JmottJqyl9~lV<oi#wiP~V0qf@bPgb0>(*}fXgSZ~<b+G2(AD*e^uCvJ zAW)My7BeH!@AAY(>~eYo2y1;~X9k=1Mi!NQi33q@44{m{<4|aR#_1mhbV=hF6rVsv zn0!$9mryyc#Q3I-K3cSho$W8@YaOxmRr{G6Q*3<-=`?maI-5iwwK!e>Vd5;=#L!|3 z#5!4QT_RSxH8PX}jeC~9^EJfmLL}G`(64cKR_Wlq^fi{iP;v>ixQ3fp1@`)RP*FR( z5koJ1M)!|nB`|21rc?d7%j?^f>o`1-kC!aqH2n~CKizRe-vhw9V#B&_bnT{7GXS>J z?;lAn^&{*)06<@)!85g0XeW60clSHFgZS`~n4@F8NYWA~^*VXSaMM>z#(MWtgrffo zl+UJx_Br#|D0lQTZ_rxk1Z{2;1%PA8Gx&)UR0fI1({-e*#2DFD%uY{zX*-oTKUI}0 zK7EKBs{4k&2yTZ|l^BnR`^u~yuek3ACfg}rs6xmM4s4i8n$4uj?6}mFPL>PCvyP#r zjJuTZT*tdjl=b>m#p&hwhZ`+}z<JEyWhd?yx$&N&5hs_J?N9Czj~11AQQ?<<I_gHY zoQ{^yGQjI5b_z^SaqAmFkm4ZDf(V^4ctYtmBzIuO_{Hc>Bl=M)gY6XCzhO-u<FaK7 ze=`RtZSw(d>NyW1o{v=S+yu2vWJGZyns&9*7ac4Co>>d9?Tw`?Alvo0lDG?HMtf3D zdg-dKb@fnRi6P#VJEgobX3ml~Ja)U3P0oDhoLPyOjqf{-HhuA(u-SOXab&$<x63?< zBz7k<pzC3}NgS=k6=-EBRW_q*AK=vc8H)fx`T?7;R;kr7m?YGtt4I~EToS|}8l)tv z5h^C7Yw>x~c**fzbHR7I%w)?-Wwl*^1eQDvlkYPA1rTza-uzcm7bl?ktuFl$bfKKy zS-Bb+K3ZS8BN^U?;iaWNPKE;*URe6mWSCuraC2!W8GZu8(@UR9hM&Z6cIi(roCe`G z)TlPB_6yqST6N3nXc{)MMmtShv0Alq70gI08j|x6y3G|scke2}hZ7$abIZouYC*EF zv%PjVFNx%<?+loYvY>>`j*g}a&~#(9Q16JWPsQXEWE-sr%b@Rn#jK0`MmG{e<@+Q4 z3TI%}Q-(6PE|GFbyFaD2Fe1%@KLP$$7e?d?y8a?AzOv(}GP{Z8A)KBN#hv(wuF^KH zB&TT|GZ~Z)ftaEXl6HlPQi(!MQehPs+iho)%TCF8%5qkpWd8dgqPG(t(TNAK%{%cC z%{Yjy-ieRI)}@<H{ED41thI%e=5C;jGZ1Tcb<1fm5ghuHrrBLRXd!fTqfHY=AHyL* z%7Dg6smc&9PbK#O6}_!4UIp>8liasjtv=DYc=dKhX@Y#SPEBg{d6LBlDhGqcH|*8t zn<ta%^GH~}m1@N}L35pto}*j(*nx#H79Ex{L)*C8qb=*MjZTK1CCz8hYe&L8wFmx! zL%`CmMr<5$C9yIQ*9mp;YFn7nGf8ob6tUzg64<r;>flNi^jjL&;ov@cCMojG?Bw$c zFnNO1kKU5l`h_mEb(KzH@*_eb$o<=zyD<#Li=bPA*K7l?xC)t7qqS>A7@(WK)E5mz zwn$K$*xapaXL379x7@a3=H+&yvdLnU3y9NNnxFd9$x=?~OnhaR&cat(Dd&6+kKUFu z)gA94Xgt{9Ozh3EwMd*l>}<Uf!NArcMK2`g!GqrdGpWr~lD|>FO)D_&3QA_l>9#Jg zx1h0?#Jyply^nNk4V9JA(*T-Q*=7oa<*%9fn_LJ@rM;hNnwJ#eX<4WcuW~`^e*wn1 zq*O92_R;`)E#n1ZEc<7EezA|vJd4~?TdS7l;_YjibW|_F6TQnzJ?Q0jro3fgX{~gt z-{7Ga&#(n+oFkWdJ#N~3^EVW_*WYH00#l^%A};*Ds<HCui^xE8@RL)n2gB~gk=5E- z5GKI(SU=supmG@$=)FC<2q)DRk1gy~)5zb*GIJ-cP6HzeQaZ{4m%ytNfO%RL&XO&* zu-z5^{Veh6a3!kjC0bhWlq9s7T2t;)mzmq9i+kJMmGt!w^$wk&rQvZ?5bf3GHk0Nu zw;C#;0;n!<PP$ELj&t&_T88qa)Rv)i`Ik@<-*K15A+18o#6T~gfnz7}CF!!MGJ0`o z^dpvli@59<Z93iqga}$RgY8_ott*;RS=O>}rF03gy>1|408J2gyv?CXLrd{2m~Q%_ zS+=n495e%O?{mdZ_6ED8@prSzQ&!#u4eFA=!nVK|O3N6I0-$hjNxHN+cup!64~E?U zJe$7Xtv52O%>>QU8>gj>wltbW_a#7#kN`=`%$2=f^mRBTrFEom*khQ%(woiLN~m9f zuu49s8AkTM%<Kjk`?LggKSDu|W%fWL@R`@sI&Cd;lR;}>Clb9{G#3UJZ#jXs73a!E zRgRNoanz(eo=|f?%|Mr77y2)jLamF|-$SbV!PHuR7l}naO$qU$Bhqxcn-;vw^k2tC z>4rph<FL<*1$13W7ErYduk=!j@Om#WS<%&T)K6jOIzSBZ2bOsSSCDPz&>cg*S$h|K zrzCS{DnjT^DEh*d65Awa_*0he!h~q5UIG|ZL7acl-Ad2O^aH#SmUOPM&ycd6&NcR2 z`I7$n8!37jit>0og`J+0F{j(-@u;qT?OoLsgI>ACP49V!X}x$O%}fuN|1r?Z`vD5q zHc&#wY3;iR0a`&_+^6OI8m*G{=t?D)BJt3GC$ya1Y+=)JQ4F95Qt@;t1N}FK@G(%> z;dDb?^rN>K;{&>8ua@&7<Y10TP@mUF|3kNW6A9=Tn(Q`YFqj;GHXHGDlv~T$kBc$r z422hNp$K*ELa(cl`%o-Q;Zz=pF~;%uUSIl&^N)YTn~@!zQdY2CN*_G23mqMztGqal zTFx=7Q;yr@n3i({g=n9?P=fEn?2T8sXgOhobM@O?eYQTwpqzH_J}5bw8N4W`k&Z~W zC9_Xup4Wr#szq2qeZz`Tr3L+<MY{83a!CS3KRYq7S#Yp(98Gytfz-sw0R*9$Clh{W z(J9Hp)<i%20fxVLu)@GA-Ol>DcD=<%47M(N>L%zJecl??&zBVNgAsPCR6(0TiQqo! zQawWcl3j+J@b60A2WeneNF^?iQX+}#qbMnhL(ba*JyOB1*acD(euavgloEY2RHk7q zg^~79+3?8Mm65M_;%j6F9an5@=RhU4I4;Uo$Iu3genU-)nhVs-EKC+QDuRa2Hrmz= zQ|ZGe(8FouZlVjv6aGz6FCGM}?xP>=WA57a<yJBH3n*g^aamtQGk1+6vf*}MUJ+`_ z^m)8=_wSjNNG&IDKyGBq&G1P$edAr<v}a@pxo&d|ZJb9xK8`L(Bej1|uN~mUz+;*& z16HlO()(R>Q8MY+n>raoGnhGJU?$`KakaU|<Ma9rp=xW5N3An!>v$~(nH4fx?R91` zSg)Tga2%BmsD|jPNvZHpVh|54Aiv=;6~~bHWCOghStozTn$>$>(iQz0*QCwtQV{DX zvn1{=`j5TLcS^X*Q)&(#BK^A#Qp{X_HE|EoF)v=Xni-bo!XR7V+l<bX<P6?R2Jb%7 zKDZj<kB|<08&5_T!}m&v!E4<B=49{5b0<GLc_y<<?jO8J`T)ub5ETWM!B31Qo3b4M zw^3*k9RRx_eQ6;iOnsohYC8vC0(_YV-yb}qyw8z0$Z2vG>#09v;gmTocvOJhhwAk~ zU5J?#uOwY|zq_WU@#RNH&SfNT7KP$gt8*9!R20ky^9!Ko*(Q^9W@UI7?9T@Z7ATj8 zLFoN$!_A=u8$v68Zy}j#m05Y5=j3C|i-D92H04%~W4EkgzzTur%d4MaY^EH}Z9s=y z<i|1|w*i?8pk!nBNLC59BXs;84SKjSS6c`4VA0lD=|bIov5vt&Gt`v*$hqyy*e#Yf zXg|o)evqsEU@px`0D?xi%<J=z&v0J1ox%k>?c@sPz5f~cibVVd+Atpl5TtfNx~6@? zHeG#qi%g@>@8oLe&uTc1+4;-J+5+MJ8qgE1^p(VgGlvAcsB#DD($n5VUAhO?_#H*e z&vllcr>oyi>^*qtLz!2*xhB_CZg>+n5_#HidUSsd3Q>l;#UJA8fyYNmS2GVY6!qwm zJQMe}rql07lPgyT_9Ff5MBxv!qMRKZka&;<=+)<r=HZdAOi(EkzQ7YfKQ&b9ez~J( z0^UP^3HfHfx!#`2ylHcgu<z<mXzPGb@8gK|XGifw5B-R}8c6$!sMSlSA{ae>bkyUy zo*5Z0W5@8v*!nq?o{j6QQxT2cV@M$~-g;>EP$O;|_3p#NVY=I}82qV0Kb6?Sx}go1 zPI)@%w7zTRp|>-)c~>|3_x>xY0D6z#jhb<8T2eDkMIY)SFa0!K?|GQ@t|#U3DlmXk zNC#f~)kE(DIq#vL;C`N~8*-ad7;)l_M^!MhnQQ}<s%#$dV#Za$QTJoL%=~N1{A4zV zUMAi2b^W|sa>Q?D%4s(z-#TUpuu#wF(Tum*S-$9a=p5)YXmr&{Mi$LIV3!16NA+9x zcAn>@FaC{<ju<?JH{!V80K2xiTV6YQpkt^DJIoYqz`Qt<&_W$ZYSafR`U8f^HxU2} z-kTtV1zzgVE0SiwXl!`XOA9ef|I#%&-t^%&aAoiqMD^m)2*^K?9_$)>y5xIZ>~sm~ zjGjs?+o1;QIJ#l3zuR_dIXazN*5^?bz!F!tVbOG4S90br6Ms`}0Ri?EUYVH5ZVSVc zi{uPmz(+$@baM&}DXZgy^_IemK-|W^c<7N|>rT&|qkarvz5}`JTnmrybXko@qT|Ri zq0nvKb{T&GpebDmTS3>2j@YCyJD?|ZnFZ%+9~mxu3@9QV`BEguAMN7t`iAX>3M3(z zGqUeitK(o^h{4m4;0fj3N+zhw`iVELE{l<6{V=@^95TpK<T8Jca(U4PqkqwZ<X+x! zuOQ!r+h;Ax<^1)N$s4Dmp(QE&;OUtw_g4(3%d-K2nUkY=p?kVVQhu=?{aPT=go(90 zsWTIgKvwXiI&Q4)S0Cijq=M)Dg6a_fE!-&?Q)^vJ`N*Kw^^3u$(Dy}-K}=+b_b&pP zytm%*!G;v_fw4NK=Ys5xcOm9o$NN$}-Y@q9-thxLb{u3l59P0)M2?>RV({IW65zYU z$jdVksavB{LicvF_*ZmnF^S>(1D=&4kh^)jqL7tH?iSRg0(5fJhz4eJKbTmK_Y<2% z)qNrJNm2{Y0`5Nn^ip^V@N_H{<W+6ZDXrDwaHJJJuoLIBG>e>^P2OPLdO8Y~rcY+y ztamH+SET1gZ(u+c=+-e%wLFCXz`~z}0u1kT(8}VfNv)V42enEQ#Nb7oFE=yoTVG%z zS)1|TZqaMFO^e5YA|HyzD)S#vcktAJg~HNVmPFa<Zh-}f)1oITFSZ`$lI23|a8<ef zS!HQ?telh6l~w#Oi%~WSn*0dzEliK^vM87(uRh|HAahIuGAB7m?}bM~OU7NO2~}BZ z-1PH8rd;AFd<N=BMc56z@?F8oxMP>Z&N2(TFkUT16xsUY&Q0(I<{M`6f$`QSFHpjk z?}V*xtqAk^#!3@MC%aT@lah+LEPAe8jQIwvMh4$_xC}4CyGpiJ;;D>IKi|mZv&C@> zUQc+2rQrFk@!AH9Z)|I$KUbCtnz~Tk!fUBm1*x=v%1k<vd%86>jEM!%xPM>)qcdtW zhRcKD=1Zjg(J<rUz<lIlpnq5FLDea!PF@KM_sIQzo(wUgEApvme9YX4Bbq=4eK&Bi z2M-T~e#Wf>A+Rj&xV*8Pyis^O(rXSawv;JVF->W`fajk=JL2$CE%5#lq^C39he0>r z*+St11F2Zg-SSbetwBdlMbDGaeP*?aSIdOZJ@6r@WxTTbUn`iq%4`3M^wL&Y-gaa- z5(wi7fu-fLF?|!yNDNr=v%ym{-2!PJdrrWtOEWY*EI!=fc(1SqB-*6NXCisy8j03V z?u)}Tb+_ZI&}Ms_%uuT>U;v9hS_Y{D?I7mxP`B|csNhdI*jd?l<Pr}uFs58uw87+G zREx{;4ZNd4kjr)Xb}4`T6y&p5Xo-OdxE(0quG0nF3?<S%Ht`obu90!~2~e7fA3WJA zsE>i7ZYg}rP#wnw8SzIiAtN@&@yL$G-xpePYh2NoxN9JF{h_=ewax+p67$zt)LKEk zmq&?muK-U+tswi_mZX6cnSfFxjaRh%^?5DL6HtmAA1g&d6+0@(@n}9vvxM%uMtB4m z(h!~Ga|>JBiiaw0i>rdV#1IGhwhULE)Vtzp#ci?P64ZCXy~XHn9KyYMkmWZ($x99D zz46dWTO39zGR!Z9*#jb!Vb-Mj0aqLbfC)!Aj>*Xc=p4s=BNNInPAG4I$dgRT{>~nq zP?oX@#q@VO8zvO!?~P2@ZWN$Yl((|QD92SDpOFfy`$Oih$Ya=*==KbG?}ew3nAxCP zO-bQw;t`>|gm8ZAb=E~+V$a!Gx4wnl%4G7=?lFmvjdbhMG2QC2s7AFSH_na_juN<a zCldhG0*EAIDoPk7GD-Qc4<=}!PS4#ygI-^Art+3{`U|BxrbV-W?36b&+ra71aGK6y za_=nY1s<L_W-p7)9?pDE&QRK|YMtOX(?lI-<gH{H7W_ZJoCTP(@`@;!L;^P^XCLIe zHIXy@s<g9^c2>@zFW_;4Gb+=VaXl*?)d+egJ6d?JMKzFei&CsfAFI<ClI0d+0g<Cz z2EB)DXFWtV@2HqvjrbgwZ(xp3ddF2&5PK5OY|RxXKgR7UCBjEPMQQU*&R?>l!luoB zOCFyn7z*|0H-OyiS{&>Gxd|W-T;fSaA?Q6{CCCBTeG5{AV^9n*JMbRfagQLc1YTm) z*nAy1j*JoyZ7v3yQ|m6wUfEiq!r!nc+eq~VnD}RAM&|+d=wRE~l&C|`oIET-4mlGy zOsX%;yq8ZX3NffhApgXxkMU3;`6m<%Vj#rSh9qU)Bd7pSg8*uckie^6r_9XZ2v8*w zXY=fq=1fk`WTXdN^JThY43WmuH@8-x(f}Y?qXe4%IO<%X*IE+<%9NthU!>mwf-Kl2 zWvUtKl5xoNAPeO_<4NReh`J5fx}Ri+9y6#5gI)3z$26R0p}RrXV)}rbrp&=8{T}$x zUHmAKGaqZ1dzGUa*eQ9m=AfprGn$FJHqIVkdUIxb^sa$Qvm)K$rAH3oHpLlwcrLnx z-1izDRE}PsxC5s-6-okPuFQjJHv`o52-*%?^3*M6HhHkaf+x_RvmHd2{2tsx#(TnH zpq~lDgglMDbs)KSrymye>L}oLf*G$_l+0Kdn7p?`3GH5*`GRiGdD*V_SlgH#IC+O% z)mi((h*`Y9X9_f|_{OnEm59siwGF7j1s~(>9>wfAAD(vE!nmi`1lD1Pd_Ao=zzo+L z4~#4<vTpj_Ye^h?51N><-7JvKNGvs!xX8t%|Gt5-vu$}n%DEFm>Ylk!eCzYq!?R^5 z1$QV6@_d+t22bLq!gcf<ln5Bjr?0<ubybV?s(Q<z9_F1i4lf1PSCAf_tlu>apYMF8 zTXliwff<QupdyWL5d%B$U<1LWcjsDLm%Yjw3g!U@;?of~F=-3Z)KLD%cvh`DaVTXK zzylnMm4v`KG2q4nQ90*PFMOW$7AwFOR)ZzjUoMOI<Xx$FSxLpmcuN<yF95dXxADMO zCSk3%g<CFV;O0mWizU!0%BEsY%4u^iXkFIdTKzTNuH#R^Tb82tiU%WZ`rZZIa=ep- zu+GAx#%c@5YR3`r$(K;oN(lv>ALAWov}CUS>nE|qjeF%9LnJ!YZ}8|qVA_v?3Gw<C zu|G9b-CyH3ghB{Y<JR_Ivl6-WRYctZVI^enb0OARw-<3FL2MM^p!;;kA?&yt@D4qe znS_v#j1l{u64qTvT;lc|yld_Nwx1INc$##iOu%7Gp&hRNtg8w>fp_E`KuCkQ{Wt`) zAeOJOa@jg>i9zB^QskN9KAWv;jWP^f9VstY7&0m99&DdJ%n88zH5Nzb%mFiaje~WP z7;MCPSfMEiJf$1_S<BrjOQ*4dvA_<7M=`@=KD*(=VrTV<Ph0|ny7zkYea~*2pu@C2 zATA);YK2(bn{7n;LJ|N{2Ksy*iB;!9HV{B@LEMQ+P**ijSH2N{qC}@862fTZC9H}o zWV8_qR>9LzZCP(8&y+BX@Yy!LtmSfsY|-)S;If?h(6(9<AKMPFk)FVDO^3)Cy_CW; zI4bjSR6Kf&&LyLxaTmiEAq=c(j&^bToh%M3Eo3cm08c!DC)IoLSdq>c!17}7Brd~X zld4n3HmQO&spRi9sggXyQuVPE_l++rTcbd;CMv91DgLY#Yt&q)Q(@JoBwlM&i_^J{ z(abQmZ_hv8zHb@6*}ex2NzxwEzD3wR{LMwypv?&K&4wVKR$bDxdTdLH-WF(tVGn*7 z-(pS4*4tq0Ffe}6pU?thhu(tSAoiMGN7uo|W%!eGp}r{aYbb=}7Dm`zlx`AndmHiS zU4n7XI6e>qKT9wfYc6Ro>~MzyMVR^TF|cGd?m<Au2V0Lu&HCDtPWceCa%}5$hGu<` zfmgaMf;vK&6@Pv~+k+t5{E=dF^v+aX!lF1m@73ii2QZG4*D41XjC7MfwcgG+RJPLJ z?M-fX(Le0PnJBs_!Mz7@@iuyEf{2*BcS@qpOD)AynC)CZn^^ul%>PgDspPX=dNW~& z6fz=eSi$ays;6h3XD8?^jeR&>2llcpWZZR|N*C&R>Fg17lEy1c<eeiMa5HHRB3Vp_ z_9WpF_do2>opHL@uONl;*cKe=)9*ebnc~4ExAMw|2I+M-wHN4Dn-Jqb#eCi%O&r~O zxjCla)#d7mPNdI{R6$?ZgO#FgaqS{G59qL8KvD|Wog<b;OAOk!d(TMQCeZu#jBV3@ zV4Kc4+DF<nh2A^@z!n(k-dFU-oX{Ina&==wXiPS1OoyAUovmNqLDB{)OwgEH5tr^+ z%<VL%CvhYuK@BdvjJ>YMUe_Z{rf<H&j&Z62efgCU^!`o*XYWZg@ZV;STyLYFuf^XX z$)ioLj4X>XW#aPhlgpxhT$FTNl&8?8*TB51!$ec<ve1NNw2-;9_tB1@BU1gLO3hv? zNO@Ium#{HI+-n)A$e6~<efV=r(C)&omXeOKn}8#_=g4JD%e1lA@q^ukJ_(?<;g8qg zcBTb?jsqtA-cLcUB=2XKPG9={RlAor|2}y;Lm1@{<mFqZN4waT=#V_Ubvl)<&T!>- zx+aA`&c^mTFVKtslGyJQ<Q(8PpN4MmyE612hQXiBQktzATHzhC*e13L&c$~gm1f){ zUyM!}2@3Z}samyF{sK`jw&pq=r^O&{0T$1|+tIBCxhS-WxqJ^dO%J&)xQQz+?&aL{ z#KDB?uAo)N?Q(qmU-1WU;=92(Z|C%?<p=Snr(%W;cZN2bhSg>(lrd8;!^+CoKBf$- zUA96QE;Bh^SZ&4g>U`^rDBrr$q!ri2@Gw9>Zl3zx%h_+<KnHn#ch!#U`QIjXWJiHX zM|3qgQuvl~DP?nYXj1}(>0?ny|0W914C`)#l-D|g_CcBCi2ugrssYQLgx(=|oI87L zEm!^GjSHPs$17CWR{ZBba~vLb%mp$Z{lOONm?PX?+ynp0J}rP2P_f5@zWI%-KXd9o zZ0ON)`Vyzh)KUbA=8W+S=}g5aJZA?Zw`CUI-r=&`U7RZkPRCJsK<NU~uogzD94>3K z!Ku2eI|IytBt;DT8VR#q47`XWf*vKfGsS+EDPI<d34i6rl~0N;Fpn~OT><)qSi#^y zPU8Q>ybU!uUw1zd15ZK3mU4YRV-U)3x+7GvNGQdhDBd`M{s>r`9Coxzd7a#`W1u;V zb5nB<9w%y-(mOfqBPA@Tu6~ps{r0+kF|ZI1OK5VxzIBbic9E~2wD}0-Mo}MgXwd<f z3*Wos2pHgwqx#YEL6;e;mTs`u<%t1y^tL)reCprPS3%AL&KaAtcL$~)-Qr4Y#~}Ll zP(^wI{fYEAh&$2`T<q^OA^J*(5S`+t_k4713rHWH2mrt`=F>7-M{*2jc|7=QR=md( zHR*^Tpa&br=6%%_^Xf;mAus)n?p9RWTg!%~U#;synaD=Rs=9=$h6<%pem>jpyMX7K z(FUA}W9-To1Lv6NM=t~DOdL15FrRJrL7zhl-X=wqbtv?<JJ~JFI|zyy=-mgox0EWe z?v2IJ$Yig)Ium*&?iiB(+?mFDrIYmvp18TDS7P{^!2tLQG}hyz^M9h>e=Em)Y;^mt zu93G5MCU-~gj~>yT(=K9N4`KqGw_V6D)#}_gC9&Cm<`!!2oDTKrzE>_)XPE3q0IgP zT9VSSFQ5G_E+e`605h}Qm5WZWK^D~!dZZiuz)^#sKYM26lF89aWq$k&`Y6qXPfadh z*j!Z`or_m;9nSxIUJ^Amql~_@6<AN__Dj&rJJIpTHc;thyzbR<Vo5eHLcr*PYaGB@ zbqBE4B>&=d3dp~mT!Me`XWSY8<^oZqF`~#F<==c9Tnpo0^C<u3CixeCUu;XsHmy(7 zwr*T7mUmCh_$KeVyT38UXM*RXM??G~x1aOSr90RN`#g!?fitk0@Bj@Gn1_u|Oec2_ z?YgW}c~rIyAagL}fxPpsY6<?zSXttyE171v*a4$B9f{fkL~X{#&_}1~KPs3DEO=f; zLKs64FlssdY>yXG)4cS_->}orp+_!^4F9t~{X4_|lb_=77qH>~#@J6}{t$V8Z|uE^ z^Pk&ruHL}YiNC>%UId!W-eziIZwnp%Z+u(n0DI@sFYtXk{gegs>0j8pfWF7xbLnyR zo<}>`dp>=gy%*4Z?43t{!`{X8-`Tr_{_?*OL#MXENuOp>6?8j$SJ41_FQJ>++f60* zet@oJ@8xtgd#|J`*?SdzfW24KCG6cuE7*H2En)9<bOC!ybRK(eq6O@|ndT)>*ozDH zG#g|0;sPu+vQNCF;{R#yTL7ZEu0_v$fDs30jHsxnV?<+uF(jw~Mw&qw#Kh4-1mr5} z2!k;4%W#gLRCI74WjL8e&8H?!lbBy^lcwoy;wNbm5DWh5Cz^yrn_$9C4jr0cC4dRx zytVc|Gt8h^?`!VuefM>6xzE|(wLfR?wf0_nEur@}_=s}m!e7ZFPRhb(<nd8_{E$4N zr32vvc|_qZp@BR;i;w%rBijEKUM7!w31$5oEPLjv0ELF^96nedL^LzNJW%-?a(`B- z4_YMotS3GjRQfsQiPF`1^cj@NRz6j&4_YRrxtr#q)dww?e5O&KaDC89$!8SxiO>hF zk$hy-CsH4jFZq1^3h~kDg9;^|KNFt~QTjQ>5;n(Q@xunF4I&VW0<L_eTL0a~2}0tp z2-)b0q4a*!UayqgJf4uJ%GwCe$NcHI@vL(G5)Nfgzp5Ki8#+G~h(W~??lMrH+S&-A zdoL1KXzlNk=Z%0{KiCSA_%;0SNM|8aCl5spgok9Bmz7bTODM{7R0Mx#gRCx?1U1Pt z&nu%UzTz8TzFg(Mp9`~M0O@>_R2qJ&-bxkj4XD(mUwSL`zL#=7#%F5vXUXFkLiQrf z8wy13e5ltXsF!D)?^U(LkLH!vMnIK$La%Co{Ir>o<Xqmq2?hBk319tkpdGe*uU^qc zKR$rpkzWSjm+r$a#@p!QpwZ6|$?(*K#({<&C%F9zXt>7psuPkaa8=JCBC<J;mnX=$ zS<tA{6D%@rT4)<Pu|d!#B+0pP;5jnEqTsa72Bq_mGPI3*j~8R>8+S~oKhx^0mo@er zA`)j2b#mw{$mUDvAV_qf=MWN-><a}v1YrIr!M6$X|0Cr8wzEO*srBN6Ix&#_LdAWR zD!zd~qiE9i!xz)5*^U%t)fHlyb+Xqo>zM2;=a(Ai7aD#4s@0ro)#}{#nd5yXO-DDh z%blMooL5x#+b+K-Mm^TH)4=TDo8QDxXS>p_cD5=MN5rU_-W>);jB<BjIJle8Rl$F= z0hR+y#pVsEOO@3wkkzHiA>Y~sa%Ypm*-Uaj;maMyr7tdtC37~(oy~HL_0j+iG!6`0 z#IRY0p|$>boCoI!Ks~?#fY$)_0z3<_dna0f|7n{m<>5AP1#ks$JHYJ#w-ek>aJ#_m z0=F03UU2)s?Q<)UzhM-eie9NOUc^fG0jPEvn8;lyhYam_v~dSw=>JS>FZtki>E9yI z9NxHY_Rc;$+Lk&YYM>LszQ6opAC&8O1k3ID2wFPk5mH}opIo7R5{-RQy^Hh-M&9u# zJRbmP1*l6^Og&S(K;is~wBFaG_5R&2Ys5{8GtgIGK}^yMwSF;o_{D=r1AX?D!ud6# ztl5sY2m<q-4bD7(6o5ql%K%ma<O6Jcg!D}$v~?u75#UCE8xC$bxLR<v;Htq@gR25p z1+EfYWnkaXHrfII?*`Zl@P|kI`X*HYSo`$_c@OLdf4_jf^ZWj9Y`*11GSRBN6YV8; zs^~Y<rl;ef5yS(!3;4wBETBq-@R87+r+}Pm=0*xZ&wICO_-6h?&%HqCxJ`ZO<VL_~ z<|3ikAmS)Wo1(&5v(WP#(%`3vDFDefHr+^ar^F~7y6;g1cxE38&)C8XV{r4z11X#* zMYPn&wMx5Kk-}5Y(H**~=X^Lc@gKCGzIuz!{v6q&TmD?&7G3Key6bb~`df6|bm2~# z!Pr3=JVP^Z9uxUPo)u=HTpPHN7a1T&{VPKHX<fz(uFO`?c;V<C-*(=aJ#;(o0@2{* z-SHw?R*e_<%vNF6bJC{QZ?wKmFKTO#NZSYppT{NNq;e(UPC}S-p<30P6oEmWk?^8) zCxt^0c;SrAC#jqkCF7F$?M7u~3-W{Xj+--a2RTS>(bW8uL4l$!yeamSB<-lFzHLCo zM%QJcVguRia2Z}FTyy~Hq>O4q|K~9q@dKcAsOM?o`KaW1GxdC(c<z=w!w%rh*k_5T z7#m*r6wTf&e6t_@p923q_#aR%OX4SDG<Jbm$T)!4&hd@!6jBcmtyaB2Zq2L_*%^e3 z80R+irrXqRQ%AZ@W)?pLui$QDmy8=$WzwR)RZsk$M`^w>W<ha)p2ST<)jWOh5V>bJ z4IE__zSvI#fj#IW;o=;urf^d7*ZT1f5W(-pIVA${`o_sElbl!NTh-1h3NCyPn#J_Y zAdV}Hyi5>YeJ1cgbnY|WvsWrEY{swR{b$JS<Xk*i{?vQ2%svx%vfTHy?_@c{t7<sT zrWC$;$txioPHyU;gfKgtujq4rH4IhfDR|Cz#*E_aC@-tc@QINrFCw$dHwlkDL-g&S zlmXWU`8K{t?!?LkvDSAQJ=jb|chC-?OJ!NC$`&e|eH$fYe|?x}Fj3jY2(Q3n4vhj_ zD?J(eudq?UDcwe;OEMDXvs6JWMDd0`o0*yeqNX#@kjAg8yl=#K#(*si8$(T5jAj^v z>y0*IX#-7bT*G*UO(B%ji6Wh!;hW1O;`6(oAeMxMteY7o*Lx{_u)P0W<SIg1U+fX# z<{BdJujS1%mh$GPrDz)$4H#S{?vIxkQlhk(W?O&Zvri1ZyI^*wL@DXrdWbax?=Il2 z1(8i~Zi$*HvcY;bYUYO9-Lp6F>fgH-MXB-H!j|7F8E!1Sw~+FCm9UVJ9#9vxXFsAX zU6z+FF2vU7^W?p1vl4OOw0ydnU#gBzS8+k4YK<A`Z#@dV?HMjT@L1M;Dp#`7wO*Z> zZeE^~o3rAOk`Yh)<}2JQQ{is*v}$q`i#LPtu9n;tqwnEn3MEek%6NS9bMhHDDtj5f z9oY63+(oYphXt@QT)yQf{2#TgkvDZ@)J;M=KU-zagVZqhSls>9>}#~C%mP}%gE-VU z_fB&0WnZIazjD5_6(`@Iy2%SX&5rMG=YpN42)QT7@m(~h08ic+4in`=_euMw)$_?i zl;+`h8L<;`o8!9}c38799Bs0BX4i$x+r);=TTZ-C{k&%iJfL|nPpGq3%Z-BQ+z1j& zId3_qT!2OV4$;B+P>g-AhYQ#2JFeNUUfkWFWL27Xjyv09JQI2v6i^;}XWel}yTx&3 z9QbckINNp3hNF5@c*QtCS`}~Xv){rg^~W|$fmbClMm&`_Ml9K@;&enmvI3YGTr4~* z_}o6tZ*#*HAGvb-u<HCfc=KwnlAEws#w9vi<?OJkO4Qrn*f<Po86D5{ZI~{ccv2L* zjS(`cP=|%4>JvR0@R8e?<uI8knuy2>8upXB;?SQ}^yKyhbRci+^F(;##0=`&f!qH; z2KgrC_#iZt&V>|ing9b%W)@!lUb@_LBJlSE@GD!whUQlueR>FfW$!NtZT!O1lwX;F z?g8*?15iDEgZv8S{`dJ6g2Ryfij)Tr&L)6zfI@&Z0LuZ)0BKMEQ2YuO#*0|#R{#zG zoOt@bgI|ex*2k~3J~Jf0GW!|QCm4B03OpAA?0Dwy@GBVm#`qPI?|+J4k@9W>96A8H z0Qvxw;H?G-2e{?gABtb0ZDfG|(*TwO6hHd|@hiT~vFt42ZKY%Z#k_}b1pPprbvtm^ zPsR;*_RG1*ZbOQU9RsArE|gD_@x6jeNe!;Cky%2ek{&UuE|MeWP|9)8ql7HsBb3g$ zis8s<0x}&H3aGOM%j0<e49Fxxu~E$rNM)5h?k5y*>*JK=81cCO0s2p`<~W$g3B&Nk zV}T4q>0>u66cD8h<RwNRg>YQbHssL={A1TUB=3Jr;ulD>3^X*Ks^05lC+$_S<8f>G z_q#>0szBXC)I#LAg3%Ors&dt!d(nhw1Hv_a&TF`zxWt*rPD*0>xgg;)SgQ8m3pqf7 zbq5xw@+`Nh6UEF-s&wd&aM~a1oQarN&V4*^OmWIZGR(@d1))3`N`<M+S>kBzMWQ5= z$hCx#+^>l2b6M`p&ZTCIm@bZ1lU!MM0V=_uvK;CyxEJ3Xgjtds@t+U6IIO?Sj*idO zvf8*ws689++6KiQEpVw~>ybhytZS!m?#JHiz}#dSDWpKNZv;g1SFeql@Q&dPZ_U17 zv+((0={UF&m2%g<LM9N|)@ku3?G|0^d-1s{&0~j_LU*KR*@lrTyB&lZhS)$3nY4P6 z#IB25C1WS>4tyckf34&$FF7M<&%y3}{1NZXV}E3D3?>j&MWiHL?o^PqO%_<1rUoN< z-t-A3cp1}k{gPn<zx6NOjhC;FOsMZUJ@p8GcpB3wiuxn=P`)AOQJ!%rqZ)5V?y`pQ zwEHZoWY^Sh$)TS>MLHSbWN3TEMKmzRo%3KE&yf_1p)zuAl2c$<E!sThMrGK#JgN-a zHy%ZXty>%&flNk-D>4{XbI%yziCsQ^dCxAdV2{th6y0FeAJ59(vO*t5aLC{r@Qc6X zo<{{#LnOn4P2C3gpyr@#c#K!a*~IAMtac%*S~vt2PIWM}uV=I{Y5<D~@aT%58XE@o z)^VnY5X7ByrfA#gH&b|T@82vn(lu`AD;f|vE=qW3Cy~N^VQ1j={+T;{{G6PZjMMDE zd8!!#yb`&5Pk@O<N!d^A`S?{TZZ7a#y}PM$27DhsVBS!3P|~)BLOEip$~&pV5OIMv zb|T4~O8H9js5>Q2ZKj5DaN7CFPUHs910GPyfuD(f_I9qWsyju7X(h`-5rwZ|HJF`} z$h3%NpN0!{KcjbX$<-kg)dRoy-IRBARkk=qgT{?lLipKlW43sHhIbxtpGZl3f{0?d zPK^_V<GNF!ZC5(Csu(UFFzm$4W6vi;QxLz%fwmx<09bI4EBAs&0j+`5t}ufLsayaS z$h}IPK`V}#vJ*0BO`J^z&vw4Dh38tKfH!baX(S20Xo6_Y5n?n&w4py3TC+7s(FxqP zv$9R(HZN$87O5>!;f`IRSLr%yajV}Bu-(aztU5$0b*N(OAp4!pdIKc#{JG)FAXjA@ z9Sf(N7biDd^mbTNib^TV7Mi}N&8ocC;?eLh-m@Mq^gJdG7%)%|ECtj$Y@t$%!VxOe z)hUkdqmo_3$X6%^3v18>8a*bxe}msK>1=<IbeR1jT*ek)jWS%u(>#;qGG2hek`3K& zI^n8pbyc3z8`YZX)nv~J?FhI{LOQC*o=7J(c9pYIka5dVsVGioxZQIf@iOw<g=XV9 z9QnZ1;!M{fOn;kbWJ%TcY+X^+PtLA0+$nRVv+FwqV#Dw-5EOCJ+4b$&z-V58q<AE) z63_Ce!~=NRb`)$i3!6~%AENuqq@YY&Wm|k@8{6Vm&P8#AHlg%>vTKlqN|F7u17x@H zxhM3WvJ<hO$PA2u5?OThgWxr;+*aVRCgN*+<vA`K=?Gsef)6_{%O(^09+rj-pc4&I z%mb11&3K`_Rruo$^4+w0hQo*y*&yC@+9gBuHl8Q44y|r$z3*uIZ5I11U_DTwu$xBF zFyZL%hMe|~ub@z><QwAkJ$yx^-K@e7l<P$n3au<@8`?uW!S0_UVOgLl3kF!Mh5xd2 z@ZYK!$w<@^G!m7KMxs`OS6P7p{wp=Ze;d}oe_P8TU>zEcDnr9j8_{sowsJQ)CH9(+ zdY*?e{VYgDx+=Q>4Wfxg%{M;5A3-yp$D)rxP0$H6EybT1{vmfS4~z0i=f!O<lc2xE zj*7m7m*sB}eHNiiLd{WjBcF?R)f8u=&$u!>6fM!f|90|R2VdC<5iY-grlvCVr?@#i zA2}PeE>oMgCE6g&q*8zfq|R)EZy?&(W?q_3EPc@uJmY=M#-9O3;PQ(+;Hw~+qNY8p zVi(yZB1?HFy&0jo6ewb-rD~6IwVLYpi5wH5Z@TQFh(bZLgoS*d5agLUuW}L}Wq~^h z+uEPNc>&KX+2e$_kLR=-W(c8!lJB}YIp5@2BhgY5f!xR@VyOypGXbNec<r3%p<bGO z4APBeVFBL0fO>Xn_JvTNIYiTdc7bTpvMQkBl=@EgPtl!_`$7NRRYIW>_C7wIQ*o1p z!n(j+)J_+{kW|WZOFXA$FH}`(@onSTRk`i$P)ybURkV*%MXOL<klAcgz`sJs#Zb72 z?1x8QM3q87oHh~yIE$ZyoCh*6NC6OS{CmnNWjx^H)tQ`#n#C{;Y7rySDS6qb<2`<k z4m{Wlp-Dlugzlv=YPwki(bbiJh*=I0ZP%V#%tF=yGXHEC#|Jy+#U*khv5Cz>sluo7 z%-N(wLx0>^%GL0&>c+`DUBKP6;BvbYn#2|&e7S?DEO&8zWJ6j132rAhK@(2H@G+}h zaa8;4tF@#BVSa1hj;m}eZ&d4>aQ6jhPa-V@Z^xhwg>X^YRc>OJn}t_V$4>788>~E& zis=Tb0`ea#{IS-n89{in76sIC{=5w)t8BAyxRn~SYx3&8RsBR#kW0&qb8%Ox2nlxK z(iI}id)RO3ioj`AjT)+Z%7}&yV%tgoNyRewQoTET;kbgJ{<!HcBGE12_FfoY<<(y8 zY?Tr19#tpEexEX;9XC!T&C*okG~d|%6hT999-w*Nc}<PiZ%CwtPvdo8ZSMC?#(pLT z$jjG%;-&CW`E_5D@q3^0Yo$B0*QQvSjt6X6VmU!rs3JNaqwoZ#4CjwtnP#7{mmQ|r zXS&kRsv6!9p!^!Y6~Fzh447bsA7xF*7*?wHC;k54_UVv^pB~y)7sB2WTF*{(Hp!gL zvV<?~!3m#ll*_+JXojaocxp;$1-`sp#+`{hn$XG)L(M*-UEcE%->|~R+v6l8%{yC4 zv01f9qI07HS*iB72!V-n(i;y3PAZ8H4lyUyk|b*OPg!J2(x2QgUf47!F+&r3?%|DH zDDE5%sH96@H_(MRr+DT<yP_X}s!)a$O}QHRI^h>eqE=kr$Y}>nX&PsJ|B%Ao-r3`O zFHhxFgblM(HlK)}H)@j$fe~z_t2z#Cn`q9;63^mcX%o8)wVK~vOPBLL@JNO*uGef6 z#k(;UjGVb{V93qFMajf_<;Zxhk0pB7E@C<;!P%_DLbyHB42g7EH%6$(2%b)IRIn&Y zJNyXlwsXVaUD<Q-ke12lxhSb&%8v?H(5H)vvnwFT%V&8)7CPb>HrP;el>25O4D9HJ zG~cQ-)1SP<bH!MZ|Cql7R5X0r@ri5ju4bG~b^wJK;d?U!-7`9ha`WouAPgqVd!W!V zdK01LO6}I^(8zqFP(~*hSc4<<A8wrlAOBKe1@g<Mb6lAbo|~L7vsZowgA0XJoZpID zy7(~6#(71qslI~W|0zxNC32bEpg+QW0L(;uB?=RcKs6htNGJ*xn-4WLPhz>5TC_O6 zyq$y0^rtlsm&j4Oqjsy(rtq{=+B4E?=ZdXEG;akWRBmrYQ&w){SL}y%W?A)n?CHAU z2`alX;n;@X84S>foZxvozA|EK9L7fLPlooJ<kSEbruv$u5`b!`8wLqg3CA=K0%0c7 z#1}m$slX-@kJ=32_5q6z@JjSK{im905ys%VNZHn$-)f+;%9l}AdA2)cf=b`Kag;C} zbr&DTBhCR?%@_93lT3e_wv}2oLX|w4>b;OHD(xYI{Q^?5k@N_77lYT2@GFP_s?vu| z&3X36Tj%?gKUXS$jPMdFJ?^U!*?$WV37&El3UnV2BHoEI+$4K%x$Ic<I!6$qlDttw z?p&Qim>^xVgxj`l+qQe!wr$(CZB5&@ZB5&@?b~<x{oAT#=5wM><r^9Kq+0IBEQryz zsCeS6HY2Io&+KEWxb_1n--h#lcgoeBNqoBo>5$m~SHX740+be<5~?t*j@b$s9z$qQ z=(=%<n>pac^Pj53$2kea!u=s^NCGn{-i9HF&TTd2gF3R74<bmtp~vn-5nKhNIDjJC zV{s~lf?~!HMua}C4UAzqXKfv|;$9^lvZ87TU9dDn{>r{dryn_sJSRitB9$+)9{yw6 z*HkR^ReBT;@wX?Foj0q^EX?vzdX!NKXuM2{B`i4=2bY=0??d_OA!cx(leuh<!;oGX zSZBa8+bLe4@kF1Wta;ibP8}p#kJy&#MrK6_RU0FTa(V>W8-=^+e~FP@L3%sN2vkK; z7UHQdD-a6;_O{PqGS(&HuJ6djJt@xT+s`TtVh|Lr?J5PeC=YN;mm6ovn=YzfQ(}-+ zIuKqp`2F?Tk2!14s{xj^Kyzqa`hIKRDK_2OVlXf|XOW9&N(gT!Q#j)JZ$0*Wi*q(v ze|z<$H9l0SUPjFpUD>VhcCMu_6lUjm1D$Gm->9JgCO?_kIznSW9khA-y5bT5Y1<#h z$l7Pq5_5iQy%W4LA3jn<h($RanD>e2&f;)c|3q|Hj)cVGFM?MH&ioE_^yaaRMQy{v z>!z;Ev~7jwWh@oSQocrAUK^3Qr!5LdND=`qtfjN)+_RfQj{n)ky!n2coO)D+ir3T5 zk+lXEe}v9u?pG{_n!NDfkpST)NTDW#<^ZZ7ggl>0L~RcAW+VKN+&)*t@~9V;HJeGx z-zqmPR8k`BHR)Nyz!NhVDxvD+7w>ajf)#cvyi90|a6GjbWOn^2w&G;AwJcR7ALJUE z3?JJkz!eGQH3P-=k%T{n*f#s^d|5P6r?X6l7*j&+L6)n5$GVWt7gmXWE%s+V7SZ(v z%EwMKXnz(mJ>QN`$wKOj*aqev=7WoP%}Vej!%}`D2Y6RFWONGaIv1p{O`+9rnj~+v z^W|<i#t22>n#$`dyAdP}Z+&)7pz-a+djD=IbWnsziz9K0p*Pj;wn<MT`95XB-((RI zP-`*3h_$_sqU@PUHju9Pp%JPb<BgLS@5cz)hR(H++GnHLwOh6Th^*4&UJPuFfh13% z%a5zd#*#}m-blMm=pd(Dx(ny9?a_P?Pk$F>`rNQ;E5q`m*(o{=F7hC=e#{P;Rje@x z2bktT4M6L|S%9Grit95Pb!#7o_X*YZ6uG6n#Ny43Ucc=}iq%Fgep2Kko%<tA>}vU! z9jAF5S+32y6i^_0W%H`|B+H})+wcx*HN1_4&NgcdYQ4_6DbQ2x^t}w>sX0^CaL`AT z5j`neCq2YBoD*3}9ubuynv|Q(Cpc78(8o9L!qsYa1GzZO-bk4npA0BJx(u9L(k|It zrctzSjKzZ0Lhqu&=$`Pz)oRK(<nF+q^}XeC`J9F?${xVc7VI#M^Sx=L3orQMtg@Hl z-%b;DwB22nc1c$A&$Qe!y?Sm(Md{0#{-sA1vw*PUoV!b?Gv1v~toCc4T-}?nUUVC9 zrr{&F^5ft2Q&fcpp-%Pni2B1HhLf^I)b#^!T?lQ*yDJ=O?M(g=Zy^Vt2zS#^yFOkk zrBp~4VZUdP34KC6V^sN`TK8<KW?TAQRiX*n?#w>M%37FMBjvV&S$OzV>SY!4mFafA zXgz_$#uS6ykAKeDtp@h+ZT3|oO}ma8BnQ<@z6f9&$&ixDdI@;LBf%e&lXa%amc{QZ zW}ngY4%P_-p?nxRYDYLkCA*ar%$()Jb0dDJK-w%z$hk5_V9MT_4+I@UZ88LtY|c^T zLW|9qv_c{4N=~_`-ePMIfAEJwD|%Gp!cwJcgdnqNdPJ5aCreQbBxL01xiQK^W~&f! zk-?Bj>@$JAu&6-~Ea8adzDYhGi{aQgniI|_^uwe)zrG~Qba#e&8|*-MXsv($Gz0zY z>ka?l-Vo_=lodXO`gS{8^&!dS6rG6Kr9&w&Wh+`(DaMnyKs&#ClmOBv8}>j(C-zmI zZmdAj69sO|&D$1z>M&AFt!CNe@?WcYHpMt3jZu#Ew!6$z<t-C^w8{!qVp6`tI4)0k zUJ1V<<8ls((@=<Gfh5MlUx+9Bx$9h{`Lbrl<Z3tUVS%o0@S$5{ko7Esn*#LI#Z`Op zVvGqqYsKI@LKm`nR|WfcvrN9$C}=Xk*>z(!M0Li~BD6v=U8$}V1b)nyj@#5vARaU9 z>9DzV?7CP-Ir$tI`xES<7@bu>d2t!oWrPg`H_YowY+WB`C3{D1%?<!DfyNt(IlAr% zo1%RCkMIwck5FtJa4qtJrU-fVKaDr($GGS{K<H>>)@!Fa*gWtgfc!<uP3|x~fXFE@ z&TclIbEyU{MeZ_J4Ty`03M=I=HlB{oQ70w2spQrT#ldLj{8E-+(kjljE0_(9a77K1 zBN9~LTw^*_vgTcDy2U9<Z2NER<-o_^blnOuFY-+I1RE2$Guys0u=K=VOV@wt_}QK* zXsY5^Df}VMoN2L;4=e%|7=gq@10LQ7g-Cd7moC*%IcodHUJ+W8bJPaZWdf|+9UJ-q za(2GCFu8MPLVbONhe_Nrvk$S3tH81Jte{EFo;jk!b;*lV>0nVfbsMlP^Q#DeNf){0 zO;I?gy@c2NT0>~*?J4c+9{2V8!>Df=V&E<QK<46|x5I+VLBwbai^=h~+$G&4u$6pM zWlA>KK@{Ap$$`{5G!iFo^>YM^jqz3h<r3Bxj&IGl8g|9&n?Y-eJ}+|2xN&KW?*STm zAufz{lV)aS`yTRet*bpFKiHW6oh+ff9M%!YeMoX(aCAQIiFwFtSCCWkKfa?BBB2zB z|Ja|`>EL?SWP<Bns3)A@7*fIv3ks%Yupq~g355J4k#h9PdBR-unWmBc&b~IyM-b7@ zHw~^<`(z=uHt|{VjX!j%HmdHeOOzIwKk>~9Vywe+!ET0QA-I{ash+;FW6K>G$4obO zO{Z=x9;dM6EtnQdMm4r{5^b$tqA?!`kD;MgQMODQ<G2F+=dSJ)jJ>wlharSPN3p#+ zL4`{;AAq)sG9Tm4r6HGWP!GMZs$p^Iyk`x{DUL@7^+5$>d$Xe?Xm@j9nnK;U!d%lS zI9x$s2Ilx(u@;_61na)}ZxVaZMze|8iM`JT02#1Jw!iNxqV|$B*|*dzktN4VOscV0 zoVFU%J*ES>r<|S8$n?A*sLdkZj-ceS^=u78{m1M)Yi&HD4H9^Y?yrO~0l7>JAXeMj zsvuJ*FkbR211_EfCo(dklWNi!NKm7gpM+9T0i^LGwryxTLTR6=D-3=KkR#Tqt`dlJ z5FtXK!!y=uR)w_A?cXXUK^K$g#ee0WsF8Sekp?L`UM}1ADdaf!q~~?I>y;+LWwomA z-$aaH%hZkspjlfRb7b6b=@8+9ra(Mul0&#Y*+*sHE(sU**m8qY;MvafvF-2?oR$gH zfSyQKBujF<Ko8a|(YTo0)f4McMVLv#R1#h>!HsY2!do7vFEfQFH{uqjJKJ$udskJ7 zgr>^k*z)Y=#A)}xF^^iNoj2rJcs9x?fBZ7MWYm55m(hytd1nWO0H`x0S=>YSko<*} zLh4VT8u<mQsXi@uN`KhG;mLoaJFzr_ob)lBaZ(CeRx1a_IeT~}3Y`9B_PD9{%2l#P zD9;<Z0n>c+1|<N}l9=7Jj^~sPSyLQ)q!{zb&#^ll1jA2=)>FZyaMhDR*!)QR?hXjK zL0h@xYvgEUYn5Alib-R|zbU)Ko&}_*;Q^#x(%xIsPsD_o5zEgyhAOAJ`MBwfAtFEk zhUkjY+ZP-G0IpVyT6xkeWpff7l-7(hOh;rTmbF=CucM6M=vvi6#subIAI!?`89&QP zBy@F7hGDNCU!{MD9<J2^JIIa>GT0@5q0oOnWwgBe_@~?(;K?6T*q=geZuy*OQu{)H z$pIVjx@TGOk^~P~8W{5qCL_Zdu?RT1ACwhgUFSUrK>)xu#Nidh!U|e;caLl2SCw8; zo(uOI7nWJP%YqGBkB@tg+7d@TF(6?yltVy0bt`P`1a{X3%G0%s%eurrtg0G6J=s2h ztMfNP5<ol^hO-k7EWG5HJ>E*C`1VQbhDjT4x$6t)U=TU3|IYO-$ZC8qNbv!grH3rV zZ?{dkr-Vy`<R7mq{}TvHepzNtxFZ5%DUr1BUHy>nYaBK>BL5cxe+c@YV(vt5B`-c@ zTEvS9QPb5!1QU;2|5WDWTXLUxkx0qEg1O}R9tbWLe}I~bvZk+-MHDSi?r%%n1UyCU zyiG=19vH^rU?eJb?a2qI6kIAgrN3gMHVl=8hXpKEHs)%odolK3t+h_;HC42)Up7%* zfs`*nq@7_gF^YwY52(+Q2l9x5ETA)#*<Se!Ei~&X?N!U)k<75DNDw6BaKOvz^3vk% zUe}NMXc*Nvo)~R~ufO5;r;p^`RRX8T=#C&H0c&Wx81|ti_){f-IJf9(Q03l~AFb^R z8LEall@~+&%<AKOng%mtG&x|L>qkfzVX5mX)9~=I=-pS2v&QD{L4EkS<v7%%nUZqd zj5-h6RoS?5JNsmVU9ib{l(hU2qPRsxEeD$+dpYEm9ml-gBUW-%J-P5eov8ZeHF4ZQ zK3AUjaBhZycjX{l&81r8kdV+@5UOAI+-*06Ozq1eCdkm4g6!F@54c1A@ObTdg4RS| zR@}=}g1MfBYYweGl)WEw%aVVNz6+pr4ypNmh+-<FIRVBoW3Rn<Y@%?3YCqr6Y)n`a z;z%HD;0h!`6j(Ycg6d&6?>S{qm9>%@Lr3UIfw9p$p{@-Kke4@efL@D!H3!@BRYH<w zT7E`Cuh9V~rO;N{;WU*$Y!C&aZrxj0V4!p)g?6w{6j<iUI|A%93BrkHaEWeI(G=LX z84tLbg4uHKeTCo@+Vloh6(t*9ATK{kp=g<XXdumz^L&GdazZG`QX~v0l!GU{cxH)B zGC_mG!3tH>$_us2NsLN+qNa3n4uE0v3Saw|vvr8iLn@1m8vmQzA{`M}x(sq!6L%7X z78AN=C`ZFGlT2%<XsAS0RK<IiMsjAmw4;Tef-Q9|XSgrg@wy1K8zvQbrVCpg6irr5 zmOml{UiKcNbauV;i0B1(oJ`pu<=GBiegR=3?_^Sdh0YQtlgn4cHy5H6Qi|Ji_7OEs z3YQ3H>u?%q&0HrlPq(4MfP()9%-t4pqyV0tnl4Ff{I@TJUzKJQ(nYjmJ9tlIjeGBc zJiMt6g%#cBG_sB5Aa%-C{N124&h9xU0F3)OKuzy;BH?<Cto~lIYhz~B!JfNM3M5YY zH<5>+C+4oe-*d!h7Fk!dExH;9eFzqvkKz%D=#a}S?ZoEGZR2_eXjrvs79;<v^=sZQ zN2rta^uwvE3`}EG0P<h7<vQ{lpb~sLQ>Q&rm&)qtr0%LJhrU8TDomT~QOB5vEIV&^ zU=0ex;;nxnA5oXWhxm5)0!^X%lPL{`)Erb1^jA7j9Aw<q*mHsN25JvS0?wg+eWHwP zvjzlJvhgH2jL%u~8u@snVZDed_Cd$sS!|kiWOZ!0RAl0cnbot6s^xZh?K_fWHFLMh z4xz_jW<MyrD_@($l(abdX`19I&{5*4dYSWW!L_KH*iwwMx9SlGStagSJL#NT=Rx`= zF$c|rO>SKP!YGP3?Dew~Ves&{%@AGs$iE^ySKtFP&V=x`fqx%qfqmsGx&l3{zvJ9o zc|IC^QY@9B&xl7Klm*~e>sLDe$-r@Y7A%rwTU=n}G1YvPlx!?@Mog*(FkLd)S5d&V z5GOQ{nYuw}Z|2KN2D%6ZMz>5FTO90vL#MA`?k~n`imE2<F`dj)1MMO4(5+eIoe2`0 zx~4^2<+poxrC-Y<vt;bvXgIBoe-oi~v%wl|sJ%Vm3#i5_zB>&AXq*biEqg3{eBv8* zHFlZs7B6c@l|EfU9#MWkatX~NOxg2|qsccd{=B4O6jQglS@Gz)rJA1uE^hw%vR?>k zODk|87d67k%UrXOImnId5*sxzXP<02!7_%9A}^)KD4%(8glBw3ixY2ND6Auw-r=d2 z;)O_O<bb?+Y#3no@rv{t4U^hq(Dl1FVk}+cGmvr;xFC58$ap|-dx+cuZ%|zgVe>}@ z8$!IQC^+jjHOhhDh=kn<abrY?JOW1{ksYKif#Rtt3N1vQ!F7|<b!@}PF%~G=5gtDP zmgM#N2G`;Bb1?~VW?p3F+}oGzI#^!E5!2-<;7VrQ*!qEvYc9R-h6B-cN}NQphfFMw zWcKJ+59tmNd(br}Np{~XZNsQvZmHsyX*Qq2!$;!hOGxk&fu*FtY1rtlgYByT>;hVZ zen5h5l=B4)IHsTXh^HoBcCx#H$HaLugD3jy-UdgvjYtVlM(ke}kBql8JD%!OCE{^5 zMT2wE4%?{YMo(OKC1t{H2k1zc=cCwj2fe1))FliQ#iXqiD!L)X#KNQD$<nVg#N+l8 zLt?{3?>x?I;Ph!{hBx*HcAy~6E;Ex4BF$STA|4Z{18aE(!fu@sjN3p?OIys4eDrMu zbf(Ib?s8(OBQ6hV2o2HOS+<XLNs<y0Hyc&xl(e?OgAX=Am50qO??gsv)9PEf*~XFE zv~aReA~sPl6ioMKxg{6S@~MMf8Kf_mS}3q^93n0yw^xyDtPk3qB6ZbFy3Lp@qSXij zGSY{#sH0&MSu7gK%4|PLu4f}B7AdgN%u+mq!(@{Q-`z=oDQ}Br9AuF2^e!%PO6#i& zAkE>M(Gg`&8P=xUx2D+l4Avo?QtPg!1*Losu>Npt(nbR(+bj3&-cGRstBo;lD?@{q zI({hn^Z;|!Auq6iUMM=fBAmh#@Q19c7+#U^k@3CYEV)Dz?ao1z7RLQud{)4boJHy& z+&P_K8`GR0RLgysI*NIcSG%*NPzO88<>V;aobPd5DGJXGw*54&q2zmEXpODqiLuGd zA^o(rpLnR0oETuu!^VI}!^c4RMuQy<;DiJt6M1v~$*1VFKoNzPj=TkhddHAe;HGSL zO=O{Qh<o|=zRZYt7*j9@SLDYPvgIrA)rWYh)<yj&MIHFE;QKZGGQ}bBX$U`mz|}%( zlcH7MRU>8aianufzt1L;vdZqejJSK`?9>Q?&9{R^V9iE%YhE9BGr20ZD$tq{2isWL z|J`+s*Vj1M_~JO|-6dE9M-JZrQ4-CwHwZ9hkIN$5tS7UVS?hhLB2B1&%Kb1%xE>Oo zbfDlTTRoHjHORKE9T**6b0KE^fU|ghaxLBDRT!6*tiaB&PsOcXd!d~;W*x;|+BA1d z3^&yu+;{rmfqGPEllGB>G;1GO0@S38@mb-le_W)(%9DC(=ci0E_T>gK4UjuJc?6`Y z%)rqrD?pHOfn<~rsv~PDONg5H6K{%lYz!W+1l~AEtE{nvr@Ci^O*BO{f3^@wO3hx% z)tJj6$}0=TsvmbTDo_-hTh2X#MOQ(%=nmW)y&X#JZ2}-dIh|~FW&QM99N7gD^=LDr z<B6*u?fXH*wgb+)%cYq1<q1l2BbWKtU=SZ<MPwU!$$ze3{)|7!;|`|=4S`Aao3jIq z4<yE?q~n%^9(D<cW3C)1ge6EAlOHc8FF{Q47ZGK_76NqYgoM2qpeNIS!bj%-(2>dh zGCssssJl@mHxw{u8}Q*s#W7f^)`5MJx;G-*wELm#wN)(#wjnnzTW|6_`ut|ES_2Jz zU>~qI+wNM+2Zgl~?wj|Cb`S@E19A>*4weBZe2Bu|<Cmy}0-OMB0loxqhud}WC-a8~ zSpOwuntbBn`T**n`rzttcYjeQpe~SGxIS=zY5-h-FM#tKOfn$--{m#_fCSL`wEnoe zlKv}zvH;$IbKndm_!B^F(E5mde*n1qgaJAMb%9pF=RoFw=6>JWCyg<%15bfTfU3jk z1Fr(e!`@Q#)dFsVaDdGL-J<*R`BM-S8v(!oNR1!c@759z^m(Tm>)+onGki@3VCWj% zhHSlH13yGLgjOz~s7FRtzj3ulx6VwQS7k-2>*#9qsHo}FQ_rVtOx{<aqBaVB9UQGy zqb;A~mt?8-_wkdpM^n$Nq@)_~E%Q8r@=H;AqM)Q4Urc4K4Kyesjn$_%537a;a)Fh| zQj!xk5(E?8^f;RwEh{2jJV)|)DR6REdOwI!jM{>TOrrpYQW{XD^OQu_GpoL44IeTO z-;Odcrz?gM&$cFZ%upOfMx7Dkfq)nxTVjebAk(Z+#fTXpd>;=nm?CMQo9W^e8eYdn zjI)Iakh-+>FjugKSnZB7WKFR5%YibcBZw6PiG%vRPF&_Bg5+e2OeBn>PUP<*EY;2J zo!22^U5#alg~Z`8vl(u_LM9-S%Ph;ZdszN!I%}P3duln&Xr1jKKA!0`G@H%va?|z> z^wr&uyJjSrmXl>Hp_9;ZzwwEZj!H{kOf#jKoSM+heXyfeJ+9I09%*2s-_fkAsT*tQ zY5Ut$_37&cI%%`oX7K>bzpdErg1xrPnrfJqIT`s!qY`%%$SC-(5#w8LXo$&8Fsit3 zktonEl9j>M(m}Lh%TknmaKcn0lJmZ+?}oFyt&IkLalKu!rEI98asA4~6?ZUL@PtmQ ziG(=leV00^-u@1#SB=ahg3@AdA26@j$;i+wEQBoOoaX3gSkwcp1tL_spjb%FFu=e9 z&@Z()HMx-kC2Ep}fdsm`!#Jn)a=)<IHOi;42IAbhRqJ7Of4Wg<dRSE|1QpDc(rVmD z5~_F8u6$0#{^-cW6{24Ak29#hw`9f^lt-TtWCU}Rq10UzEOfU{8jC*|xJMQf8r}Ve z<LW>mR8Dc>fM!FBdm~+5BYH~BVv3L|b`^`Nf(4?MF(sX+zcGFX%)uagAcY2Du`O*Y z+_p>BBu6KIO`|ik2CfJ#Wu<;W%|&%Qx9X^E^={;z6Xo2IMr2eygE{5U*>hJzqT~J9 zOdE0Ss&8eDKlL=R&7a#Q7y=c|{`GbqG%ENX3H?6~_2Y^n7qL%0&=)d%Hw#R*It4X_ zn~7$m)1bh8ia2xn-&Zat`Oo)DTYtFi&Y0G>tqBQqR5Q(TTn?`GhH1ej`?3*w1Ay*} zZ#(xHvZ+ZMWeK1{RHZnF(GIqJa=2`1sIdRp0iPYiWz+;t_sVu~rq^T#t=myFG-emO z=Lgl1ONvCZdyRdnrKRjQ`GB*a%xoJQJ{|d)dFywNdq?`{fZe<;!-{(NIux@t*iwbv zfQiAhME|r#I$YzSl!AonAZkHa3Gu}SJ_Q}XZ_z0hdP7?UoEkJug8MzXUVLRY13?cY zG$_B16%a9Sr=X<l3n>SG#SG?9A5ql-vTOSG$>E(NAoCmJRu#`#nG};QE20@1ZMG2} zXkK1$M62&jrg_VOGDOtB_NN|XUkF1t_MOGV>W4C-9<5DMO+cyZs3Mk|I661g@}kX4 z!XJbPU1~I%GCt`0=$eI9q-YWVsde-;SsR_j<!e($Aa+{(F)zyylbVx!1hA)i8Z17E zxUEXg#eeZ~9c=vL`CY#AFz7qW{h90b&U<t3<vVo4xw_{*r*PyCs&SWp(0>(sn@^yg zU}b3uP>_xhwx$4Gc@eF(KeYy@ZfBstmUVX?V;fqu3|Nk#o(c^Otx^#$b996~ISIUc z;P)lpy1Cnn+0$D&So19f{O8QmZ)xQfI$GiAg}k$$|L1Yz>-&)X^+cxf!;Jms$A4$Z zNAq=u7swdckNq7Q1F#{0{|)vVHrn6s@#ba;|7T!t_Gg;^GPIIriTn0T?1EeVrk{^# zfPt%`g}c%U?^Ck6GS+YGYcb62a`S1dD315LaZ8Tp?V;57?vZ)++T;2SUDx|8&CBoU zB2DjYy0X{j%I)X-V`XQx^{20&edm2}<EBe%$G+_D7C$R94u{wEb0|;tcMx*i-FUM7 zvpbj?$H(WlH=F0Z?s?ZZyYYPxMIZ9q>(2H4zO<5)_U+n!k#(KBO}*p0^5WC`3ePMe z%*?|+gz(jP@iR;J)0<6*%k}9e@=;n$nw(6sTLU<FIA~Wg1HzBXXB~=f#I%)==QnC9 zB$XiplVnW9!+7fujBARPW^>C+4`>UC&s=p>wZa^sHL6kv<3z6}ecy&|ZsMFYaV6SD zZqTs$aQp6C;ZmKGWZvRMTYQK((f`S)H--E#;LQLp(Te%d_n3~h$bgBK+IXTRfmi-a zbl+4J->4?xySDtPSozoxT_ji1ptzsVFIf{Z+>{P?V8jz0v<JiRwty$aR%d8}&8#kj zQRHVDveaW-4eRb70*u0Z?JlrNBn6t49Hw2|UX@Kv?)#WyI+#u%KFM|Q*&rh+Z5rxe zajDa&h(=4qAvpglu|Tf?n&G$>_+?E0aIgT@0W*O$L9xKsAu^#fVX)zR$EDEd$F<Rh zr+{+Nce+0$8<!KU`+7<8+NcYvru$TqX=tg9&d$@H;j60L1>8F({S(VzkVhG6Q5mNi z<+Qo!{$Lk)$vSr5pcBCW?umni{1{m3yI1SIwl2a*^8@j$1bNANj@*WQ?xW5yG7LMx ztPC3^^D%rr=HEsI4amVj>E)T<E<Ig~48|Whf1kd)OS8h@+Wui;5S3h!%j?{IcNg1n z`+DTp^ZvT!&jLSR-h0_(qS$7Z0w2)T<#P5?cLJJxm^FKa0%rCYp4)3jFvUdC<)`=o zt^^wV`e3zb4$$a+e}CdN$L8Yg7>%sW`#wCrDE;|+{=Ro(3lD?8nODp2`t?|{wE}Oq z;pFqF)`fz>_xh3DkQRDC|B@C;IN5%C{&aWB>-^>U{h1!1;W4a+!VJb<ua#l-{q53n zAD2^2lR{gUs(FRBoGI-#m8juW?-10CvK&nYVRVN=gxNaTO^#SRVJ(H2rD-}#L8YT+ zT}(~#fRQ9UBmLLBPWoFl!NBB;Nv1LR7#;ZQ7WUYZYVwzqC>I@G9!^D~9{Nsa+_&{^ z=nkiyXhbnnAO9v8bRI|7pvA6Id-LOtho0uZKIS$Nt4B4D%sN`A$W6|(Bj*4g|AbeX zV6<`6kc1@BR#t`@o*hJ~d)&~d!9o8ZDM79;<s?sYSjFNmbhs}kZ=yL4WL0lz-<;@z zPL`=p>4uu`OquNJbnij?WTnh&+$c!t&b64BS`bQf>TyuQL(q!HU?K-cNlNjbjPJ)E zLs$K)zT$YXtZ`*pM(4Vf#uOn&sHM-4d1&#g5}b$nxx}-N0!F0$L(wXx-xPY`y#CnP z%by{|9<El9n4qxV-vS}-U(5_PiVYbC1NA1U7&5P$P^-qjGIu|o4hR+gmf)DNqcOqb zog}Mt-EX!NAw|@Kh|*bi^;PG$RNI}JfV&hTaPTRe0c#^Og0M)dr))Z&)&gO`(hbSs z#oi14B%x^GE9Rj<dG+tZSUulCKa4qOSP2HB=gIg|54Dd5i%67Bsd|cTqLmC?^Kx=R zy3L5kkJ-uuPKO&GqnbY6H(w8SP(4}0*)F?DAeJbnah*M@`Zu#T^>|(oqT6P$MOQVs zRTnFTUXM35-+^gNo%C?0f#|h|YK$X<{8(~Wv4x}2nOMGjsuluFs=A3=)q^qKvozC} z^zkDk*Jtwvmyf5<qlczBy^><6>%<8ZRFymWivBPvQ6|+<Q|2^c97<1%hWddGf%tVa zu!UjH4tnR-D$sd6fDfTGC)&ahLYQCSSPF++z2k=B#ze6Q=G0}^JpFLL0m{NvAFr@T zbbvp?W1*H!ilZglND>#=(1f}F_2|v#A*)ye4qC>L2_s!(g4VUNwnZa=&))@l|8(U? z1I-H&Pnm@A1v8C~jSi@Xpcf;(L~&RVW5t+(`DT&jO$zGt!}$#$?N^mEwzywN>gDG& zW1Ce;bi8~%S8notD&u7D+nM|lz^;}Y?sVsu6yXE*?(q>?{l30me$f03+%Mb?wq@R+ zZ&x^6Bl&^fu>g*EaSMK4-u5{}F<EcYl_ltM3-(;(k|9JC1X!v94L=D1DC8;<Hw_Z8 zsX}01ps|UIMb(IpDpNkifHp~ff%t^a6Nwwi1+Ruj+tdY`luu?7cC871ajH)B`_ULw zTmb2&p_Xo)0ao?Mn|S-0#LX+kHYKRq)cbyDH;TxIrpF%fffLa3F1<hBAEckMfA;YI z>>(01(RSG!+c^29y~(}9qkiYb@GHOmZ0EU-;lr-LzI~Jyeg%Dn@;T@43EM^fINf~{ z`u+6A0iM15yvkGHz&fXEmwN)DRk3cc+vO3x^*&O%ymU!yRhZeQfwv`9!|h*(yu!}< zeRkP~dsn`fTg7j(+cNkj9$p8%mgZV{+44N#&qB^tV{rXcdyOHVTmJcRUmE2yeHv|v z`-L*U*HYy)YZ<0;v@9m}dlz^+jVV8SEw8s3`Od(7(iqhaBA*Modxhcx&OX=slJ%Gv zniC|auJ4rVDLYnI3LgiXo7EWNn;${i+D!SO>1y_<?C*$sZi@q|hHL$!9z|)}iu!aQ z=@wWNc4L8CZ=ivh@iqr{WdU9Y?GseTz}=AAD0gMSTA%n~f>T$a>0%pK)?tRA($F?# z!g<=<U6<b41Nv)AQMGZb(ffv{=a6@6)_sipAJG>S(&?ASCw28dR`YM%^w=2UfPOEK z5cz2NSbczXkoh?I2){mCOafSaJOP|OYkv&?3;<?;LI7ug1OP;UJpfGrR)3`Y7rQxf zfPo$JPgQ#@09jxhuvg$dD*$=`9_U+?J~)3`fFppxWMH3IA1>$(l=sg9tsg$?Bwvd} zmrRYI5%`uQy3+)QDTLns&y=F<lAA7(m(pp>$<RNZ!u(FZGl_4Oe^T5Lu~xNtKg_-d zUkmA@^=06F8R(;+n#TgeRVM&+z|p~x!vHj3eNmL#ERZn8QS3}2bg_cCa_&i=b^z|} z_izBn0(U<^K({yJ<zwJqC=0V$J#CYHhrm@J>dPi=mY<*a@>0McC;$Ke5CFkYVzS0> zzFBdA0079q00960)XBuz#opP@&f1CI+Q7xu$ehmJLq)Mac7p(+`vJA+QD4iE_6dv9 zPyW~J#)e4bo}EAJuaC3z^$r*Btf9v<mGyEw-M43tz`u0-o4*}<+q1aEEy0y3(5E14 z*;_L)tsf&S4{d+~X#suMEu)X5-CZi85aQ3w6Ajb|hHrrcu8O|1JB{3sNM!EL{`Zl_ z7!7>cT-Y`2BDa%ix-D!a5@zET`lM}faWyr%Q?Sgmw>IX|c#=U#*@WOHVCHjph4V@h zg7E;z!RgB$rBAOV<EOWU>$Wk<q1{{Y?)mlW04VZ`P9NghlI}=NL`~ZF_BUJ*Ev5P6 zQB-l_!juLx?JrG41#ONdqHMLVpc5BpF*6&sjL*1g!LWMr{Xd9k*v#2zSH+qM4$4ln z>~7P`=}vN!GF9E_xHNjzSabz@{5eUn*Af(kOTA8<f=PMy)W`zNs3_=iJ83v25!RRH zskgR?pJrBl9(BC-o0$`LKC>;lA1dJwPWqr7{oS_@F@0;dah%VfcgYEZyo`erG4LL@ zp5B#`UFX1AlO;F#+~8O6{}wPz;iAwN2moLU8~_00e+p<}$mDFttY_l>Tf`h?nYb(l zgzgWu=u-oOEXUPt)d`D@6i;)NX0J-B!#;sc4D2=2q^sJS^jm|m(VEC)g4?VU_6NM! z!f@WE<ulFCVW6JKAbB@gKadT!7`E$N##ewYipyKDKQ;s_=a@0b6@fx0aMg{`^`+Hy z@)w0E5TVdfXl;S?&GaAEFiRGoJ9?X`wr-SB=60%BI>LliRypx(Pd@}5kpeKS@iB5y ziGZ{&F4_r(2L|Q+i6^maSAhKQW=LOuo3#Z)=%|MQW2U_gmT$dBsg0}X>rU545dXcT zO4-tSW4Y?Y4@aFG<^t+~rs}GN_PnhY(x}OASc0~0DyQ1EcKX0Sp$je&I|Gqgk0=*4 z|Gf*g>L*ezr%ys@v#4C5h|R|o=MSEbaAzVlUu~kgP>sV*79wiq8Z!PGD<0Obb-P7I zbcVEz%Bd8yHXlMk+;VQEZSNIS-i|{x56s~GwVcu(bL*kX%cOcxcBRnas)<7CDqvkF zw4ia<3yiC*_a|96EF9AdCyRy9;H|j0pmMAu@V*nOAoP2^i=N@rDsL{4kB46;o2-?f zHgJS8DP>Q^$`QDanP}<fZR+PF!wTm@Utr-MC&E1&Ynq(g=`h#z;5^Gp5-@Sn;`jEn zz4+M$4>sf9B!ear=ykXu11oYJJC?*3pA@1Re{6p8FiC761OhlN4U?vi++V!3oyQG; z1w)-|;PZEfe@kmvHyF#@?aHIxg&<SfCLY=_URQ>(_$^v8P6^ym<CJE+;x7fTNA1!@ zpQ%L^1U2*LwmS{hdoa`YY9zqh;ZAft-rJ*Lg??{OWlse%%1q39_50k1%*?MadoIHS zHT#aZd#2R+{kLaPj3g$dfBQB5_r&?1L&wI>*2=`=w_lspZR|GK5WcVV`in70=rbEw z#@9h7!-%8;;3lz*w;~NFAT$eY=#tA4l96v#ZemeL7aSU{2Z2aZhdU3p22XU;gMxzA znk{c$Q=O+&t>$aOH4`;4Hna$3IJp5LGR(P(X&JSU@yH{J<FyA`>lP$U)BdpUb#A$O zD{DR5n4~0{w*0Fg{H{ic+Ov4gkE!q)4@xwb8Kvfa;0oR7abo-Pt>11NRD%egR9ZA= zEk>D?sOTv8{dzdizHZ;$Os8rfQ92x|p_?eRq^TM(Xaz^Vl!ueY86=QuT<IBz<#t_u z)HPB&GD@sG`L}KZuu5Y(Ex3jwxIjf$l9@jb@wH#{vkP>`*=myy+O&-@#Tbkqkj<TK zNC2X4(D1^z#%?E#x%5rpj9WNe)kg~%EC74asZjHtI2aiJ#j3``zY+w#573eRFG+QS zNT&~^|6cUo^1%#(;i42Z7iTxK71;6|@F13~=BrYoTQ#8c`9R3cB?!c)m;o}-YZ2{` zauWnAmSagoUFf6<AmYDoT8O)4Pp3XU|NOuI1cfamefP4fs;{Qr=I8&cy7W>|FX6as z#Nx`FcpvsLh>z}c@z5f75w`S=H#i9>=tmsFUXIT_c+1k!jRk<;_2Hv^!_@C0qB%LH zzq3Y>C=P8Uz_SRTJyuK6>YfbTn-T;mpV!>@C%v`l5J`cTrP`0_Z#T5;%k~Q7rrD-+ z{L4h9gY_GjaOe1d;e5KkBDe?axmr!E()bsh|H%2K(d=u27j}Jcn{XAiHkx4CAESzv z6jhDk2~yI77X^QBP(^#%e5_cXxxxp$El~tvCsWHwhS1n&T__+auBncu8Kl5o(*#@d zw}sa&gpJK4s+Lmv-ANX%467;oIKHA#M#%>SV1@CF$IP1-m<jlMJ=06yAy;N|`WUf} zj-Eb$glCn<#gs1!<{+z-CQi`wA!0g4BVa8EvV=8AlZe&$A(e*1PO=a3d?xMP-#Y`O zDg&T*Tfk&)ES0)CWv1VB0L<A^KY%$jg&p79UGSQ4Nh3?67p*zIA|P<UpF)<wvzCRP zUS(0gxGkLe=XN0p2&jPW<Lqv7rFK@{(drMy{TLwCdNI+?AZIShVHE-SgNDC@xLx2m zD8d1t?*`T<d6aL+C=Xzo5o@3!2()P#Mezc)UO;wv1X$dMG3F&1AS`{i-Kri;ci4TW zYPZp#$iQep!l#L#F6!Z{@w)2S9pV9BPS7f!j5hUHs~lDCm0I-t;}mXrMhBk(mUvQ# zBOEVKA~wTiu(13+YGsS~8s2NZB+YO|*V=YhXE#o4@8{n6RhFLLyMSG-?e@?8_29?G zPXBvbl3S!FSs^Jc8gF76+h#+iMk;)4ue}c}{85+$3=~+?I_he}hb6c&K%NgI_aAR6 zR|)OE#&L-Ym=sAm$h!Hu4P6&?S*oE!-B2NRdU!EWXJAJ4G<gf##CINK{%{(X!TgP) z^u{uR<ieZrT6iE%x%S@fZ=;Q9e57<TlKau0ok55$ypp@p7DjBS!@hL-Wgpnw>6X8! zU``m=3r|rA+eyV{cj&f6XD8|~(5@*SP5UDD;k;&5T?i;K$cFQ@vyG6N5TR+c*w{Ty za|SAjl=MFIN)nipv&42AcGG9BEe0B4yvXDm+!<8sjxxp+K`Ih&!SPdFo*L}{-oszw zU6Dj9IAo0@G6oFcbk}VvbD*|A4hx$Z8N8_nR09m<h?kxu4QFwWIh{~-%ZarGRS_xv zVo*wSFgVa~3u5CjcCIspD#13%W#nwT90Tk1qM;<v#422D(b&@d*KyQ`^t)${?AYSP zQ~jap9T|A&Md^M0f{jW8J}yWGdN<Rd7RW)|^aj{{x&798;@qf3+o!YnN71rMMp@QO z$(0&YVciO7^(P-E19jqX#DcW`Y<pv23PkxFbm)xA+}WOdHhG0ewss54aAk&3_iy9| z`=l#{3ln9<q`i=fz+h=%VKcIIc8Ww@5Gx98j?z^`DRV0H8F;F&xwkRB%|3Fn6U?Pi zi~s?NQuaLLsTA=t)2?010{y{&IM<AN0#08LMZq2H8a%VwU}gq-?Vx$-@z#J(s9)(q zILdCe0=~VF*RdAM={TR*a9-?IMm#u&eWCVg&J&x3)aw6A3jNjJ`Vq1bP#fbMZB}R; zqg^u(>cAX`Id<l!nsHw)v7~PowyZw~?kJ}fiDh?*7~MHURsK{t=;Y2@=bnm=$GS$1 zuabm4S-eOD$;H`1GbDIgeOT_bHD(R@xI7rSE9)#IIl-Zlu%a{h=I>12qYC*c=EmZD z!tvn!C@Bp@Xh>A>@O=_pU&@mH6=vJ1hd<=Qp~cVpW?!VMc9YTSj%oL4bjp(0#5^jz zen?3gW6o|rD;X$+Oj2gc<0t=An|*q&XYng@H#=D5h^xYQ(7+>CNWJER9FG147I3-v zK-pv+e~Q?tw-qVTlwEqX4Hv#Q*|(lGc3hkIHhTR4{;R$M*O6z81ONb`c>n-N|NUaL zadI{K)!r*!E2jgt#GNndw%mKgKP=I_2kvAwF1EZ4-5Hr`GmhEaSTgnIkPRNG5+Q#- z%PK!^R<_&`2mmAhajeNKl~ZA6h_GYDi1p6-x3splZqub|c#f9n_Gr>AR^6If9Q%Zm zYh;!-4s=F8sIa_*?)YBFEDST{HqyYiv}}`}`49;LsCRR3dR~88Ys`NmT;kb!+}8Kt zLJf&5&&CbQWV+J_s_EYBJ@xlRp)Ce|`GUT$aAcIcw6k-0oZy0Z6`l?DfA>Wd9Us>Q zZh1QW?t$ub>5x%Q&BZNy#@4tsMV&3(7R{V-x*5LSe&JfD&{7^HCJ-OC#43fjtpF1E zseI@Uu5>;hs)r?NLZz2*T+sHN#9vxD;-S*NM!Uah)7J<vKMJzQMz18wJpr6-V3}++ z)#$i&RIN(=N2d=DkO(qq?ue~3I__c*?uZtI0|9cg=ECC9bqL?8z3cIbKqD~c1j!b4 za%+e-?L_9k>*F|yXA)$k8eD0NiJFAX79u$FPaOzDuOF?u$Ibch&2ZU=FT|#^H!dk! z2U!AdT74{$`vyWCqc4pkD1d<=x<~|XQM))v3-CmA{2wxHH_uZf_A%|kndMBEWU{-O zv@>upF$oKm?S2=I|A3Sp*#pHasOdJTudk=uyWSps(c%Ll!ZV{x`kU$N<lEcXD72-4 z&F%N%?W@l(nD)B35m)MpauX+Bw5Z_zeYO~4Eq^q|l8eHt&bdd_oArrMI5DoC8>X$E zFBnIV>+z_2PDnq4+<RNtNs%kA)`x1i7)S|s2=bJg?i^VLrlrcGfpYRo4J%6cq1}QU z4C7S#qde5>OD2GChcn)+ZEtT|&0JQbgS#dN(PCI7@LCQi3#o>Vfu7;~4d<0!ZMePU z*)L0F7}nC#QerzGhA|^(+1om#o47aUyNM88Vi&zOqx;%!2@3BUYPdozZ=Jv#H`4Ww z7jxpgh`gp&q|M~J(Se&?i2j*}?_w4>)akbrH?}|<%mnXt9=0v)<d}w7`GS?A@^N4P z=OtM&?bB!WoGo(@Edv!8q~dc>%xtHXfTt}w++u#-Wc#>mvy)Awz1CLS=w$e(!Ms0` zi}kTIeMH!fO|D4j$z#S>tN*n0c?LAzP`Q2r36@j5iaGMt4PtW^#-bf3)Gk)MZJF5* z#Aj0+6Z__{V)hQQlRM&OWZgT?%{8byLvFXsD-I<QxAx=%SQ5Kc)zaV=^o4mcH>hck z3q&wIs2m6sED%c0J~2gP&U&Y=N|}H6L0T;dhy=(p7!@VIp*QN7dKs7sY`dio0=C6t z#W14VD6UCXiU}r@Lud5CBZMw}dW?J3&lfex0pvg-(GtP*WU%(^tN(iv9e<G$JFZfC z&09L=prU|gi8)i~sU%pQXaE+|kvIP5+YO7n8_8T=$AeVRUmIwc6T@OziS~oc1ryS8 zjh0-NhqcOWw&ec(&k3gIT`TG&p3HFg_RQh&SXeW})DPK2jnnH%)`r*TvWk)Ft=(c| z+6=opw1#onq;}N=BDFIx@G@5FYz2YMN2!vr3ruykD|`5sgBy|t*NqH?4IEG2J}Z{H z@KuzI!rY(X$UJBSrgSfFz@7(?;4D@uOBo5caWAH!hYYs_-a><Jx}%5$frMHE%eQR= z+(CDs;BE0ZG}P#2Otem$YL%g`Y=L?{#3pU6CzWFAt<;_*1FX3slTFDikF=4xK0);% zhML2UCh${S3trvAb?qQ!y_i$`Lk=nCf2WrLGX7nM>xZRlS?RH@%&`vs*~1az)X+Iz zv=5_PFQDXdlOuLX8tVt2Aj{9d+d#Z$+hj0Lg*b#0c!TCHF<-$r@DeugJql*tc+D1K zqZ&$8ULS;OMUV<Xw(jZlYsTHrB&Dhra<JohQckIYJ&lr;0y|J!OsjT*HrThVbN-f& zKjxw>^>|M2FrojRS?hhcp8m<Qf7z}J!9uFuk!TM|LPWhm6hFl&;s4WWJeC;n@J1~G zNq*t#)Gt9Q&p(JXM&qY=LPWh&;fae9hv1I#0_#6^ZP28_2M%$_Vq&Pl<G|$=`9R$3 z>h<vI-`2e?v_pUr`x}ey1QoZ-qR2*0pFuw0V;Pq%liD$9P15f<&IBR6rxt90-@(4~ zk&U%;Ef4I>Nk_h7nKXClvtm}SH`+(u-9JI_w1E9Wz39u6<Ef-7@GtLRq7Ooz@D`0` zw#X`!-geddOs96AQcg)fe?*5KsIxaf1w#hnlrL1B%*cbQ*GN|z1QpboiZ=khNb28? z_f>Hn!#r+!F?BqGx&9q8L;%Sd#5hbmV4hoV8Gw~m6oR3sAA{VD#_|R6_7!(cA9)K{ zM+0X6d29jU3VXvwqAkgvp->_{i3y|nA%U6J%!;1`53uO%AM|EbGVjekHH-;Bq8flF zA?3%OH`ClevKg;0$8mZ``%dKBjMCMEuP>jv_--%)zn$^corpKsLhrX*{JTeUv-68e z0n^a9*eMCoF0u9mn8GQQS@G8G8!vv(*_Wx~Y!|b#e9>KI0TjD9_~(?_fDE#c5^FC1 zy{OAXBywa#2~|?va@NGlcQp0guONepY;RP%4a^5?d{19wyqH?<?aA)6+L#fO&^2Cj zCw-3SNyx5p5H~g&baoO{94vAZJn~lKokETP4QT=4-x0yLgnmDxbOGt3Pa1uBV=uO0 zzyl!90OeTsk|S2Zq>i}J0W~KiyJ$Vn=XK{PTOh($XD8&%!Ej|_v9&E!3MRX1TL}Fm zO_8x0>EBIFagB%Qn<djt){R=duJ?YvSo}Du8FLq$j~0j3FJ*K}-V^sr_o_e|{){;0 zltE>On6#wPb9ux!w;p@NV%1?@Ai?!MVeG+H?!T3Ry73kgzq4LplNdBzj_T3O#mu0F z!w#5g^|=vZTg;^k5or#@J>&L3z%f|Fsk5g~lT=xK0SmPA+wVT$EQ%*=@~9~b3~~p= z(C+MMGa_kfa(sNSR~S#mN28HG*6g}mctU`}l7BIWS33d0q?3{2OHzWsLXPEmzSDQg zxIU^o!EkVbfI+LczH1eRQ4a`(@npd!txf1*m>oz_hkKqZV68ds`jQZ2+x{;AHnB7I zAMu4G-zviN<chzpx{t$xLEPDW$n?ZY4X(UEujXP+HREw2xmQFI98a}6e{0+9n<S7T zmzPlv0t=wxzI>+8lj4zJ1D1U3A_8-Yc7fIS1#BAuO>Z^0l4OB#Ag7SsQT&HD&^O>K z5MZEZW==<lXpp>j)e`6qFETNrwv%jUti02FIkbhtkljG!FnuV)fKXQ$?sj;n4yYQ< zC#%W)q)ihp_~6VpzjkWyMcM12p-;X*GX+hZqng0NqScf+wsPUdOe-PqL}tq38B$B( zU{6KKq%Te5gS2ePo+Cxxto^=g0?RnFqe;n<h{yn#;mE@~NRY6SvNCKp6gli1;Lgnu zp&LRr0{Xg%j3IJSi1k0I2>@*>(m}zRf2E$4kg2+9BcqO4=GaI-{m9`J&Osu3=xhhz zxl4WKF6*zu+7(kUfeC|736bNsz8EQs35D>mYV^k~zRuX-<C7$Zr3RVMXyVT9_A~OU zG8oC17k4gFm|>@*-!sUZHBn<Wu9!o$pMFvqqx;SG93PzFyUyj$8qTsiQP8q7+q9m| z(QV2<I2pp8bXbny-^l((<B45SGCtQwm~oK{`~%F|;OxnACPD}*n%t|bEr4?e5&=vE zD`eYWKRTs6#bTXjg%pGl#*1+~&PvTNmoYtFfmX_1C>fYx$lGoqhBtb7X0q!$lI6Pg zFwEygB}%%@`De8?Rv}m1A1<f?ewMu&jM^CX{0N3GN8iP)eDGr7`tk1{(0!vHkSu$9 zVt=bcLReX=W(|5qy$87cHs^p#f(WkXr>dz5Cmt<{${^x-4wbhxU*<NXn^jp4g)B>? zlR{<j>E&ew;6w+rb4^U<ivE^SbrQSWqSo}AICw3TXQ(eskL6#Rm@HNQAh9PoRa26) zWZcW52jzF(Nsh8Z7>dOj9I9@FNxNiDl^-x$gd2<eYU?~QY3Ajz#3jYNNszYd^pTgj z^hX?6xJ88y>c<<VS`L3M8dTLeZfPpR@00RlWSxSC#RKGYg+1JH@(M_r+hFvS2(-N2 ze(vWoEE)z4^9pEQtUKGGg#xm}kBr|q4O#-<8uzrqhizDy8=}#|uJ67LT#AWlN51-% z^$(W)kpArrxyNF?n*eY~S;QJ(4htK>hrZ4+)vAblSTO?rBo@kj<6%qKOD|Megp1uF zE>x$VJoWsc3vWD6wWG{InKoE)Ldz--ZRSFz*^)A`3eV{EE5uj|)R-jOy%_ClqON)3 zD#x=^xyn7*Hhn#{k&;+6o*>k`VfE1IQOYXosU<YrKf9NOmN*KRIbOmTTizJ`jogrQ zb9*>P-ale$&eTol>a>}QLOOrbfx_>_dvfAPK@(Ya-yxS8GdW$p(@*9&qZ%Kv(!Iqv zDyyH;;4oOQWc1bb7QxlOGPu2&OPmSFP9dZmE9<pG>$B%KkuD-qZ^Paa4?@89q0!X$ zoOHROgfh?zDyrZ;sEry6>J5hdDykKEN#(*TFz$7K9v-?K10sjt*fJWxrM{RZ?P<P8 zn-q-SRJ+@ML_{fUpmjWNRSyD!?!iv(U<i0<vgzQfSP-)}e8v_$`=^#+SGPctajrtg z+1!!>)O=S8>8>2MR}kg|00vJS!7NP?{b^DWvm#WpV>_OmvHntLO}DJhN3PXk7srB) zTSVWZCV~Xexb=bQswaw@g1S&GxQpuQqT+ZUCas{6u2hXCSQ{3<DUy=XBFmSKTMCNF zq&Hz)Wo+>rgxNtyK_PJVU&ECvZBvA&G9W7bE+}jIZuzr*F0Qh3o(Gi%GMg7K;}{q( z=|=_ke`K9gn_$bfZPT`$m9}l$wr$(CZQHhOo0YcBQ|rF%@6I0)GscM4dy}A%NU7ji z$YP4_!HFP$Ag-m@XNAO9Sus}Qoa;trjZ$^;B^|%}saX*MqT+iYdL??pK)F-a=WZOn zM@6Q}Zl#IAtD#K}M1DXm7APjn#U$5oWG`i1bRhznl!l&Z7X)##E6ODl37F?VAA&s{ zB&TbV14$^9bDc=KM9l^3&Juq_m;~qUX2}b2qC~ywaPRc7DBWnK(H_;o1h=abvb4?G z>_ly3(lj`nX%0wPBH;qUIc^~9(?ex|v%*tM6sPdJcs*}Ux(HtcNK}!da0#TMt;lMQ z=L{l5L{1f}unz+3Q)NCQ>~mFp*MP$68<h&IWiCLPicXjBjFV)<Rvr6v2Kp%>Og2W8 zTCIsOu@qx(_G?1rb5Lxh{vZQJ#83)Z#E2sC*-EU0ZtR5uN7B+mPF=Wwnp;+|Sw2R9 z0YvS9v_rA-DiS$&S+>SjEg}lGUn%(IpvO5?Q#9e6z-oilG`S22XmDk&KcR(X_Uj^) zF{$Zf$WknG&Q?CZ5nRS7Qw}-FHuagrvYEv&T`+LX?l{bxQBb;=e<W<gm$5S$aVeW- zDD7NXKaYprlOCJTO1r`ua78uHIkFn5cLZMdL%lNm@<h10_j4tZkx<;oM?~M0{KKLh ze53+R>?KQF$01Os^~Ynu-#CtF!%En&CRkbAz8EOVD=9zw{8d5MntRI$AT`MnbSWnh zAzC~fq5T}Mu=Wg-(F!K)k0hl8(fi}u<ZT;<k`<c>{uC#liRaWD@@EMvYLw1Me9N;E zjp|BuP4!7i>#8}2+%*=KbY-g_7*5CG3ImItj)E4$w12xZ4LQr0l%O{<4rnaB`r;sF zlx@|CrgNGp+TqOJGq$>d+l+GP&_qGm<ES}CHo;%i(i=-@E5~sVWM>eU+=>nQ@fCwN zUgEvAPtV=nW8JNO`z<6_yH4A;bMk>~wUF_ahO0+{FS>De9_#(rzGclQk4eg{AtR%{ zcxZ<>qgwEsr53~$|BnhGtgwd!10}IPwWj7DUJdxE8%gzkutH-cqHk_TMnqLlxV~Mi zO>fmgJ7&)$P);NgRKn(~8F5K&WzKL|OBsAZW;-;HN_Uq{2+4xSQhT4{kxk$ZsVX7G z?Dj)-t-@d|ZNZXgZ<IdoJ@=x?)1My(36+zJ`L8pNyp4%Z;jBy6#r{tJTG}?}+gx;Z zZiE~L1NDd1RiUOb7Z+D~-Nh6oc*$h1r6W`XJ;V#&B?2r(_MDE{>|2eF2FP7{q#wCU zeegycQ5bk^Tx8&<zZ|gBsyjO)E=pT!IzP}p8Z%i{q6p#Y=I}oBCLLUq$u7I9IIzbA z+myY0Nu!vZ*9H%JLE8?#D(N<t^X4;vbkGU^7O%U@04S(zAO*0P%(0}eb}W=7h_8CE z2<nZW(8f5hc1AQFhgLK+nO!CaEk1Dr;QT$dK5R0prLSKgVvPKe#<iQnhN?|f+k5lT zRlG4ArIU!()ndla)pK?jK+OjCx52qLb7lg1gDn)VP#NB^*ooXBgef79-((7GsBBHH zf&CV=)Y)BCLG{VsX*IsY^h`t7)5$fdSj#8fXpM^lSl>nDX?FdE9om%O<qXTo%yvJm zDh@}#ih~fiH0)u8t1182?hlsbCiBjiAL|=NlHUmV88F_^pEhdphhVj_q{Xzp-Z;kc z%-9~=(0XaoHKN+VfJeu9$H0Sv7tl+ucRhT7PH&&ZF6%n$KKlG>cTz#Oh;iNs?aH&d z^W}FuhCaJA<H{p)`=C??t^hU+{)O$}Zs4aca_AUw-48PEyfKiL8;$Cvinv3=56d(_ zQm@nkk+eD<J^rXCjV^n#TJlT{a##(yl9ruPD#Oyood?Z1jScmYor1<f8Q}UKpF1Wb zjfL4M8}cz>=@0^{#k6pD44sV34QHW;-F;-Pm=7&OT&b0k<XMQ|rsRRMB`IHUK8u1& zc#t?qs4=m^OPx_peuOEcw+6+kzuQABe66|mjZlLQ(<1Gb6^9Gk%X>0&?PCKicnZkb zgmUoiwvS%D6<&T_rL2IMx_^8#)r0S?kV*)D>BsvoL-aX?=z8>64fwKkHu&L27j(OJ zRlnRCb3sgig!6}<@XhyiB}&b7w<Yk-1v|J)HrNpKl7G{&CJG3h1}}hyi8Ts;QY+}r zhyz=|g^F<bPaH-Fi>xq2V#E*-WXi}L?)@zEMmLw5uWv!jQ#ExIOBHaqCzo>OG(HD; zyA<YbK;q#DB@X0(26%V>R7Spoc)nQ5P<~=q3wN~lz%vLfBI~t<);tRG+BP%Oxy7p1 z{F8X|H*YGWmIS1^JBMxN>s$NNVKFME#JbP|Qz&~rv~>zAg34yf<@~gw4FU28sB9%p zM<pZHBnu=uDxZ{z&sk4gojtY>qn^wLfE{&L0U81VqFKB20xD;d%HZwXfTD#1+eY^N zCg2)w%~_&8HK84Uw())A9qB$Y`qyd>dBjPa`&4$QApQvm_syGUO2iZL3jf@p7A@R? zW#yazf_DKIGWafQxw5_qy|#4QxvgI3QP!USoEHBfSue%0Rpc^*9_`Hmmit1bcv*G4 zThL+S+Kg<+g0617+V!(g_Hfk7!JHPRUgg4v4TES$hl9+1?em`oU;9q8T_{b}^2;%J zPoUOC+A-H-2B>puaYtsp?o7Tlv&nf969M<$$f%Z(RXGhzTb?sZiby>z@OAai0<I1Z zYNaeVAX>5Hx4mM@<?io_Oq&uMzZ3YS5keW=n7!QW4-BP=KFIaogKR!4QczHeX^+3j zK955Gw!g3l9jJ;O#5%|4un(hOpXWjYNDmNW$0g6`)O2rP{=Xv;mw_VCv&r{!)J2yN zNa}8m#aaIM*@djuF$RX2G+D6p=cezNn8rp%{t$1A%0-f<6<ON(#y=`v-l0@sS@4}c zDp*`y^UQH$+nFfgU%op7Hh{VBW9YYh*|1|!GQed0l4kiPd6}qCHK=(e4BmUT4CZPM z%O!oe7TQt5dh*{NK(7WkECeg;)?Paf3zt@)^D&P=(`zTtMsF_AM!`LKO&V?ve>wx& zF@bGZ3~)vE?QVt}Taz{o&ajxqNEBkE3c5=A9lB<OYhw$Jk1?4YF?u#hEoDHp;rvSV zf)>q3<2t`bdun>E_Eg<4&|MG{hpj={u;h<1=wXX`F}1PBve+vio%VW!W3{C~e6T{S zaxAXwgsE!KVwkPqib~6D7qw5kJTv@I$qw`OC;0U6|5V77-B`K7p5wzV4gAR7v|%a0 zYT1NGuIGrxR5}Ud5!+z6J1pv1QljQ+%J#Grx6+KXTE_QsIH+*Vi)hC@lQP5oa<GM+ zyfI&x3qJ$p+iEVR3SSx@YReiGnbxeXZdU6u{j$-Yyk(53t@6M?%QVkvg03QUwu_LF ztMlD)l+u3Xc()*+3IVP4V>E1~dSkgb(Ypj7#Jf7|-)=q-r~c$|MO&A<{^Cq+%aov~ za6i|b`aV{-Ir!ZHD=it8UcC~LtMBRY)sb9tdH5omL^s~ygp90>#v%K*tmB}?nWJI3 z2mR?eJ#Va&r%v{C8X<0KZFH`Emxt0ldT{U13W{E7yh6IuVmQr&vU$q2T8Y9UbgDEk zH{s@8cJeulvsN)qpy;*{R=KTW-CNh|(yy7^&_nuj0Zc^*kzd$Ckf$<VopUI*+k%n| zsHsuv*d2ZUFMFMd(hH39hC7d$uz9(cH~Vnehns@05s<~?j?Oiox_^D^=5UYk<%$2j zFuYkZx!W@NJzrxLD{7(wKmwk9ZB0gkBg3-u*W5s(w6-)ty~pZZ4H|po!{uC4UndMg zUajQ@LH;@WQER&0fyl0LZH?_<YAoxSb`fHY+MvIexoL3C=th$nSRo9;bR5-HIsWmD zafsCUyCL9!!SvCBYK4rGX(#Drjk`uJtrNLel)Zvr)1J6nx|O1Qq+HwfoGk}wS&-&2 z)P0HqDhUu3eEf!%M<+64GDZR5EK>m9PhlW;$p<U76?!x$WCpEEs$e$>BKf=zOUI(6 z>hkT+WVzcB1!!ywlH;<8^kuCl&hh->F(*cv>vH!)jNFGOYQQ|8T2l4dps<QdXHwkQ zI9-50EmQpXTTJMzpg6xw%EJ!0u)dA+RoraQMBY}ZbCsi%4;wM#93E$SgXFpDP_CLb zE#&k3xV>v6g9!7}Lx{NXrtacOiaFfHKa*yP9RrdKV8v<`D8<PH_MM7EmGMxs)CC9O zCFl!DmNMx&J4La$byh!Pl?RQ=__0`>$G^r$z>=8wpl=z7fi8YF(j)!8lTMbCJ@@mM ziLO`;_NN0XmP2f7jq#;i#}><yORKbRFpUOLnS$q-2D-N{ql|$@<BRR+tJLnsy9NiM zr-_aA5Hi8a06G~hf%lP#6;Tr4_O+QQj&9`ellyj8CGB}rC$2|2G4!G&wnOCB?6Npm zV?T_AIhhus>|e$e3rAeCSZyPlOzkuUbExW*5)C7m{m5=YiP#RuUvaUv>E2hRwcpm< zn9t(vor~j^;||N&dj>uiH<H7MTs$OfDY=6DgN9Ak{KC3k%$3nkA5lI8kKB{Tv0-f9 z#~;d(N15a?<mawqQmOFxOx`;AKuCT;t1TP?6xxEX^Mj$!ymjw)s<Y59Qk!!tg5)s$ z++Zt;qFOCA&C94w5q964)KHeUsk^VjB3#EDRj<MC$GQe~STFh;U_072-r>F~2ZKj6 z7=UmU68n~&;DL%W(+O>+g?5sr1@7vN@dn1$?HLQ>>;^Fg#4Q+=-L8((whzu)8<eMx zIA30iqp>(6H}2paT~Gyg!_WYk)h15niRg<02e<RceXgJ4l5u8N3WJH^Y7>y$5j84b zf)Q`qk%j=I26s>uQ~foTEpF%aldgzjOlqbu5sP`JHLj%{fM9cORhxUr=!$dBsAuD| zHj%qUu@6M@*>_3aiF`(x^<c^_&7=x@o~rhYr^9D;>OAzf$C*v(!UqL?e_<R8Linx3 z<S*S%M4F!1R!Q%7+~s-&NHcfN!lBH-O6zF~G<eBjO<L_w3D;rXyLDiIBke*gxz_YP zBt8nxJgvVx8otrjHh=HE$#aAi+<5t|xb^uv+`JkX<Ad3@0T@nRV&)gcw3(8?MW`pd zB<I?=@@_r8#zdzwS6l5JPhFVUcRF2zszo#OHUl3wDy|;<^Yo1fJqc{?Bu^;Js!$nL zcrIV~2|3pA`t8ZLf>s;}Yuc|4=owcAOukk%l)GTXVJo2@QQ}pXHeF1@H>2v1<<W09 znPeSnhW0sz%b7q(c{!WYv`TmQ$pdx(i<g>_gTtq|_?3s2X^#@pR%OL4kq(>_%7H?@ z#vk+v@Ej7=GBEM<OzaS%XU+WHF(@yw9E&df5@cmSdoAk$16tW?qG;O2-QleG#emNp z!auh<n3v(OzvD3cYMC4JSdPLJC#+OYVJn6NQkuj0%%)E7@G)FIU@`AB24KpV8lYqQ zED=T^xv7X^h<{+O*}TXLi!sWhPz^nDtJ@_8kPq&}!FiSE-A!jjUH5aA6ew^|b3>58 z&C)~%P=8%2xpVd!DlW@EtnpAm>&pfeR|I*+V1qEWF??_A9f5~n;+GNd2_<@<plEPY zw<%CY?ON|PhVfPB(jMF6&C~+=o{<q#dZ%{nKTN<sz9+|RS7=rQ{84}tbtzVrI(D*N zKff+$h_ky&NvT9U{9{*=y?s|+Uu13580|AQ3^llIgYczJZPcbnzT2Z>je@ZIWGJXQ zriW~Q;_-=1CFII>k12s~JKCy^uBMbyi0co~|CF5*uLZtJ>UnoaZshOjRQ(jjItZ~u zE5HD)&&7Li<WS9NxQa<p7wK`NUe6Uk?o9Z%9ZCRv=@?Qw>qngUt&u;*{e3){$@+U2 z{PX;|AOCxX>t)wn;I;?>!Jl-99NwkB^LPm;t-dvmkZf8!Z;Fi{y5KBH=db-%8HM$o zE+uPLd71Vcv2cKfhJJ>b+j@qWOOJv@4nLImnF<6a!7ry@b(?lC<8|LjU|$nY{8{bh z0Ub25$K~`A4xH8p8u-LPdz+lRxB2=e-T4duzkq=e^x<kW2mpW|%>Rd^+8WrHIN2K* znK=E2_^Ha+9kTw1q$22o5MrnCYoUO)+RqCu6ovss8QN|5>r+pf3MGI@klgp(!cZtA z=Ipq_Kaa4!pFGaMh`sKH2y1UU4?GvIFu+P=i92`D-?U@;T@(vC&JN2Ah^Bz$!MA&c za7`8Y9`|^us&uCL0-F;lDW+bTp?=vXZaOX#-O2M}fsO|yFeLI>OD|%e?%J_}@UniC z6#-!97re9n{v(|-9k(iD&j<;suT-8M{>eZmov(aEqdEDp;5*nWi5WSe`gtda`ZYu@ zV%5{+^;1XX{OyBk#Bx}nX0F8@rbTW{IPcG3L7p<ttf?jd^pYE>3>>*Wl!dC}y{|%# z!caP%bT?9E4Vwt_!>qPAI&qUquM@V1uVcFdR?yNnh$vP#s3J|ew+yDOo1}$9TmDiH z>aT6Mixqn$oQm^<&!?eCkf})Xi{=K{*g%RS#cM-imD6WBT-7|SHlgRp4hyV1&pJOQ zVu>0P?`&qo_JN3du5zB&wlJ*w)y4j1O*fR1wp^elBA9XZshcy6_)(bG(jmZH01GY` z%3ETk&gu#4!JzFy7ly~QBzW5WA!|NpGjbbavd@{tqj1|_gkhf`|A32vrT@|hDbGR0 z0PP@p3d4O*p!w^Y@X(jj`V<OwiUi!Vw=Hk(f~NXrxOXNNpCv7^g+wqJgV0=o5&Kwe zVAt{Lk)ewxD=+r98|{h?##U|EhGBiTB}gG*$T_%qYJfN#Y;k<>2B;T~q>Do`iW|L1 z4cwE)kwBH_82^t?pT$;XKi3=OgI>K(%8p!zolAdZK`sxyE2_Jk_S<H-lgk|+(*e;x z{))EQ2ynjo_b1?Z`b9fj72iL#WLFfzSvlMkyuSqM!YOQE{`|XqK+b4MZhVn)ixGmW zK9s3SHsl;t!N5!9w-Ef%a|Ki;Z^qy4t`oF#e3%D>BB(JUBn-EsfIr@X0h`B4HFmsp z1(H)JlbgfB_~;m<NGXv}ZuB(5++BgD82H4xtLMz(DtXS?xfEPLhhMYLs2h0{w>aWe zCU^kMn+@K|X9}FaY6p?nTJ<}Y96K!k4&!^US_-ETe2o%GsUMI<A2kvF)Y&oBd(N+N zk-S+<nKtMh!}L41pVI(EH@QO!dzX5YdbGoH&}skCr_{pp5X$nzt~D9C3;3U#N*X4A z!Pq}5d1Kr)t*C3fI_zn1^SY%&kv7elnUBq+duA|tJAM$t<S3On&)P}g_PEe-;K>zw zP7rgC9zi*4PwjxyJy(V%@BJ_ETVhlu<@RTwFAlx0?%x&5^XV#ZBCX;>PqEV;pr!bf zqk{-~DM|T0em@eQGt^}ft}u<i&N`M-W`1jP9SkS7xISA6O{)Ebtq%hO>dpNs!!X53 z($Kq1nRC#iJ3BfHU>xPxr-N>r;y>f?QHuPK=5CpFm>ai`eV?MN^_c+fUqBgQ8fQir z%UOs9JtGZoC!Tq)_~kMx{Fjqde}P(;6-BGnD!hk#9_MkFWWTAdj7Q(G$ZPsWgMZUJ zkdng$!iL~1RL6{RN3Sm1U{FFn{5HRU|Mvs~jp})Br3C;;%mo0z{$E7u-{ECtU}mCc zVQc*VxcU_zE4MAt#51>VD3}&Je^yA1#-t1tX)@n&<U9vMJwC>a6c!X=W{GHie?a~T z=fv-8tvFvGSjma$9Vfau32DTgm4Dy!#l@gLy?c|-BcpgEvv`x_bf$jJG;LA{#NtEe z_!RL><cL1~`jqNrqh+9{R#jcek1FK1dxu4%_OHq;tw_;Nr?}<)vC#7xV?~;WYr)Sn zmI8}OhE@8Sgi8PX^KLh#+JLvx^qE6Gp4vp`?qOJqIjfZ?R+Jn-nS9K}m6BW(2Hr^3 zgQU5C7A3f|=s=^z>XJroL?I?<Q)9YWl#Aj@Ar@$raZg!UDZvB8<<v+sl1oR0DVS+9 zdjIK08`<2?$H&m;`D5DcZd~B0#*Xp^=zImW=)h9i9-qgj+j}{Al}e&n-iUJ!^OVBf z&2w1Woa`Gx04GIlV<oj}@HRKqqJ^bEm6$-z^hmR~s-SNVl1j{>{B3FWY?JogVcS6& zEH!(Or|-kiMAe!dF&3HMdlZh-I%!_1b&lNS3|5~L@-T3kZrk{j$fX2zWo5N<(CNi1 z@|Om!Q-fsYh9ZkaWpVjqF=CF2wq4v0GnE=Y>53~srbXiEQi-@?dUM%W5V&oe48es) z;|)-sE>uF5s^1Xb%S-7}ig}_&?((xUmUN&gH12D>BHb?U`;;5mUSAkK72+WR|6w`Q zF9BMVgfpiv<4>LO*Za>KU)g;RU-l06j~M&*=gaj(l&aUd(Ujyg->Mtg-JS(I`zI&o zw-~!S4nMv-``{{Fn3vtp&&lyq*Qs9nj)hOvodVLI_z8ecxR-`Qqqi4`UT#itJU?pQ z)mL88dGe2s_K8ewX)p-LwgZ1WI3dXJg6yBe%O)@UK3-YVaor?O4P804b96sx)yuj? zYk~_fQV1rg(Z{Ade4KBnp#dW-s6Vi;yxl%5KHyisI}uSf5XK$oOe(X!yjb6y+;GQV zhKBw<N%(tt-oH1;m$!QYa{}AMD&225^L^-fac5EpezU80HuoL~YnR+sg#@(74*<0D z6f?x$LyK1?36XO2qT-(=)n$*3nS-fgdFEbnbaxX^oWKQ2Yy@`c^i=%n)l~X4H)2}Q zc)0`Ox4L|vmlL1opJ{tJ{U@P_@O}PzSu31k$*^3wU)Bw)%GcxPPiy-#ts1E#=_GRl zbC=i7DPK+1zPML5{JYYC*M)%UAWXSM*5-sO=0Jh$sr9mP_}MYkV7cja{E0ov)4;h# zCNE#i6=(`QXia|^ra~>J^vu5t_{0^Ygoi==x#XGdEl5{o?t~KUKy37@+!9v`TY8AT zQTT#xr%1(t^y3f#0z?0t0i(zi<yQkiPXT~)!`&zc?aT5P#f4%ea<Q5H6Jn5YFs*ah zdGI1y<}Y|sO|T9R6y8n=M&J1j0f^&NPj$}HIwJZPA^-*o9E<rsJZLJ{<GmS4`w2(G z1i<Q>)XGa$3+M|_1zLUQ85lc(Ax9C`)HRu6hOo=CGao&&1X%E}Te2w&NhQn1jfK6= zWtSnP#CL{$B#b{}uviz5Vw!aC4whoz`)*)Gl$DKQ{hqsj-C3hk>iwuHZ=c5|seBv{ zX-U5u+_J+Qs4kt9I$nsq{<c)$Ki37uByJn)oFrJoUKnMfJ}O33Li{9!*C2WUOe6-q zn!@<qk&d`7SLf1zY5)})?i(xf6ZIn>VWmU!*$B6QN)<|?QK7Mdc+O=ebBW$Bm0Al2 z#~07T!VmsEf4j3Tf6EesCZ#uG4FmWM35Q+?Ha2C{cCUn)zGH`Y3BvdLVtD&Bb?sOq zytp3aV>}G|G>B)=iNn>O<-P|8HNaQ>wqMslS<$8ymvZ@&Ge8Pb^+zVtSddUyD!b2& zP|g8TVU!*dXiFJ-GRiNoK?i&WDcvZACRHCFI-VapU!E|8ND`0kL3cI3lzh-0r`SKn zPIndwCoRF$AIc?at1Xz-Re4#tD3jH?Kn7^*#h?baVpK>geSyeLXhYporMimtZfICk z{=Sfs?efgt+!R0>wl+#!gaH|OY}<9exz)vLa7ScSSV=G4(VFkK3OX)+F`t@Qyk(Q0 z@j0o81Pz+m-P)o&Q^Ga%;Pfx1Eg6mj>^8}`bSI!advOkC?DOn^sA;}WKhqvq@f7Rb z8KIW-q>RmKZ21x^zO0QLnJCexD++Gzwcx8~#$GV()-5vY4$<?r!6Xn2f+d>SbMg+* z@`pl{$g=dT>+H<2Doaa5Zc!C%B@(9py7wUYI$uXjNeST=$85GnR@z845;^snimIvx zFmwnI#%fEfme8e4p?3GauD$vGb*Z-$dJt!pYYKX1MYSj=Yla&EO7fp73k7>NkG1_& z$3gnkfjJ~(B&D%SRr9V!!?=jg-c8P}b{Kkp`F+l1fnYByVO|J~#u@6=o@VmU*73s8 zEQjfC+Ju6hvCZ=v2m6DH>y2xQ7N@a|&fDZ8F$0<8<63bZLd6keLS*%I3XB$yZ!KbD zB=R#!QAy>VLCvJ$m{M~X0lQ=uX|&+N;BV=IzA^27rQU#d*9BDu+-oCO@M@p+h`V{- z6c~w_R~X1&LMR227>Gn1BX#<t6!VFFPV!TJx-=t10$0BNTcojZ&r_&lr)_s>{X25( z2B>LC+bJ0U-e0g)8!%fI0d_t&LLG;w@u5d2?FN_{%ygjfVh}W(Zmzcy3ITi*YwbWN z@G`kC0U4Q_RzHhSn1hORl6_vGpcMHA>2!j8!zWcmBF6P|{#t3=cp7qpaCb!TAYvLz zd&qGyzG(Qv&maYQg#Bc*ywNH-qj@YUg_%ZT{JWF1oV}DkUc&YAN{Eo@Qkl0FjDmBd z;nV8l6s!73*)d@06-e;QemWowf#uGl`WWE(SpFOIo=i!RCVA3<o;`pn3kv%!nl|;q zO`z4);sHe@JOa@MY7QY_4PYt}2;&)RB>KY;uqX>+|0p~&M<}WI#l(geV8x+&*(<Xk z0~oHpb+8ez@$4CA__t3W6ZXVERhW>5EiwsaX@q-}SCST$q$mmq`nHAQvslGaz~*bP z(XeuB^%Rj{tB5X4)eBGzbZk*1F$4t@=cgohjx7{GxGZCOGIvTy_6m#Yz|jM6;R}|~ zsV5vJ#Z(h%%1tDW+-~8PjR_NGgLXsibN4^ZAMv)+?903emWo8K5Fqi4mBGx*RrWpK z>Aul?rN4l^bDE*N2>3w0p3dH^%`<%KJ;bEy1!eU>L|DM7;R!f#fH~Cg`dV$$B|J4S zkiID>(1^IPK*|Qp>j*aSvG9&fJ|<D>>0V!Rj7bP`acgEnvvF4GN>eCIfg9c~!%gp- z7Zt?LW3K!$4fx&t;f!Igfkkg}0-Cdyio{ujz^d6$IMM*1ck4tQ{rzht>zr7RsEH|A z;Dlx7>N4#GelbWb)rtxu16uCE*g&oZwb%!&pvO=|!;-PhVsLr=r{_y$bGbZaegoxr zaroeJfn@_t`yO^=XY^hVIO$-iVL|#kzUwG&O=vMN@qgi$h-J>j`XPHMWkW28tU65b zGi13@k1%~yk%Mf30%rvF!^8i`47k%}f?Q3VJEM?Wwpx?3coQ4I<&;g^Js^&;K6c_` zvV?LClSsps9^eC(No;|h0<}Bu$jAIWu78{!v70k3qKfWaMZ}B6qzd@?)=H^Xs5xxF zlmys~8fT5j5R|v$=T-y(D#55<CACx6Z~_Jrsl~rXHc+H04Hl(3*FQrzXLF_=gIItM zr~YY0Q*maiK<giLyVcb_WV1>r=2$yn1z9?0*>0lYhr}L#csWve6+TvQ{)ihhbK_f0 z8Sf&aGJ6eua(`Rr)Y~8<A{igx6c`o04y-iJ^?@3u%vdp?uVS_6gr%)~Kzi%m1^V@Y zO5HHbFv0*o17G((tVXE8#9g~TH%gQP{4tqXNM|9JYVxMb$IMTZ1Cy%PzuWLXV*4%@ zG!63qAQH+kN_s@3gQMLIYpb*D`7_@AAYKFEFU(*VFomsAbWkRNCJyMFRYNX?3tJ;H zY1L7sHo-agEhhkWQF`!K5<O<{@BICvAPe@x1|(X(siFVHnr*&#QCyfQm>+*TTkcY9 zR3h3RO}Z?V+(?a#$Z=Rwirzs)K;~F<SUi@gvAsgvcd#_TYQC?(9l{xe&S+5j2MLE= z2*Jbz=1Ks0zXnLr@H*8h>@lWl(9D45HlphVL}J_n&3+!6Ue1-6+`s}*NGBVL)3hST zkx69wE&-ky4oUi>HtNm*c0;-ZLebX~9*oGsVwR!Q6rUZ9fiJ-b6c7*IaIU0h&r(s@ zmgZmG{-)+W`pC?`3g=B+1ZQ`QFE5SP@Qw$T+p(DN>r6;9yZx|76ARGG?Baev{i&ba z15DSrMBukoG4w-0D|)Ii*)+carqtpJ%!I=Dg5|3!mjFQ^fTF(l)bZ3^(Dm&QdM%`g zgm~=^sh&=NqqOPe{G#fFq}f>RZ1==Y-q8FcX2P^ZXG9U9jC7r4iy$=7y}pkS3`BG9 z4n5LvegVI@xIDvtcwZSm93KZ#U#C$+MS7~|=tC0g7j(QeBQPg-Z_Jo;_h;%kYVfcr zWlPoLndi!j8t@U|G22^&%&ieF$o)Egx2y?r4ne2~oQpJJwn{8eqUXnI6<87R`i-<x z%XfTWA`Jd~Qvzcdz<8Rl`AiV&Gca<%gy;OW7DRAbSt<MDOu$BM>5qXwPK4YY7Gok^ z1b$IvI{`G$`A6&2W&2QM8};muc+mUecowcp^bZ`-NIN}N6OGJS0WBQeDdr1SSVDa3 zfQW4E8j9lsGQTBn!yX6=2yx9gaBn<ZekyeIZU6p>H_hzLG2wxz0(?Z{*U4eylNgMw zqsVL5)Ac0KkDjUidY&}2;t4C>ibfROn}~a!O)b+l*<^qsyI?}47OT(q0|TC2vj>fu zILnyQ@;LsYI;k#7a)o!c?3Ns6O~#%L6pPy9`Is0X8{S+sm)?PnsMLZ+7>x+@#?7R- zZ6JXwRV_{|gY`fspFR5a^boRf8{TPsnhN(p^H76GIK&17iq>IZ19N?yai@WX6+Uq$ zcgB-Px4hsk^15p^&Y60}MNzI9vl)rQpr~|CmN@J(93sLD3Zwgd6`)8MzRqgP^Skeu zGm2D*FmZ~BRP&LWF7?==o&pp%RxU(C>U=SwuAyNcU_e5IYp&P&w8vORHs)EH^6z3W zuvrPP+-oD3f{92<V6pP12Sh{fmzCKOounHx(IT#BS5uV0zb1lUK~;-#^XU2Oq_)J- z0;HtW<u4dvEvgeQg68`B78{wE5`fVesCceJv*Q(&RdTH_PL~v4w=kq~u2C#Fg3J}# z300-c#3D#O#QE?gUZc0QfRZFf*El~h++){6u{_c|oiFvmnRkJ{OAm`dF7TSO#flCM z8p1*7&a`p7YYz5hc=eULO%}uDz-C)VV|~{xjjz2?&@<`Vl$%Es^gseQALQW)8O_v# zq~!DTqDHhCEZ8vmfy?VwbUU_`&Ipf=0U~9s%h_oQ`!)I822reSKyk<#YAA|usu*4X zH3;&D05st%nx%#NVkD~;uThN>_w|2eVWS+&Mlp`K$j;!m!XfgJsDAV@#Ri72+>>Sm zg0>yZ{3Q@}5K_V%I+aKoKV6l>;WWw(1@r%MSg`2&JK;*&SwvHmrsrY6rMT@l#vW?u z2I8_EJ$8n6b8~w6^T19Muo=g*aHT1nY#`J^SY*V<*Mgh|Wufw)6o#VeW4lCmRF5j{ z7N<j=_YJ<-7(|<`P*Q*R2d@C7nQiqO2GAgBlchhbDLZ&&Y1L~i7uu78h4=aV{=k-C zc)Gs&+7D8UO@S0$kg!Xbzq9@^x%33C2J&R2g6qOH;hNqoBt0COw^%~ev86K;DNA+$ zy_}2_n&f&KN+B-&6Zo{oG6~F^h>0<11xDZZG$y5akN1_&{pb#EEO|HaUfUi3JD~v3 zo`uj{)iYq(*m$EI74^u0<_@!>+&)MEhv|55giu5Zf6K@HqA-b>zOTX1Qro%O8R7EM zjS&D*GoXG;e&y5Sql}+;(@iEBf8&z%yHdbN(!9FReFv%8y@H_dK_x+4A(MYSO9Mqj zex?CS{>Q%N(gVomg83|}Lbl$(i5J)ob{O2yFysm-Mgf|@-THDv)|aIYEJ2JW-7x%5 z7*V2UYO3<)P9C2;`_;k1C9co5P&aO+@?+3)XzDSmTqg0YJz(Khqc=>dG_bK?Yw+`l z{6S_TPJ@iOoXoQj)w=rA0v!JLo%NYZB5uuKtr6AShtUApk6haY4&D>7rYbY}I@}qd zcgPt0e}V#D>~?E(4dm0UpdyoJN0qOf9f9>y4PE%dxRL&qMDani!d_+j;pP$}uW5%( zn)&V4Hv9K^^BhAYVzC7eOpbMWn|s=NCR###9Fcz$Y8Qq!$~GJaiCd6uZR?JYuve_C zb5-YK{KuQChSrk8kgDe{#sZ{|E#iG=FQ*8Qs#C8}aYDvweO!EE><jU=HC;L`mQ?Te zY)shMlJW!#5VDKb<0F*+Fy*NEy3KiTiS6~ap!uU-Ee6-`H840!INX-h#oq!(KK>Gi z<$-{MQpyz=Vvi2;#yP@oN_D%)9aSWx2r{WOs#3+l2V$J>DkQD0wWjXkB>S+TS}K&P zB3r3sEuGs3>8_pW3Kr*P#^_FLm^d7Ymi#J8jSNksMiYL2sSi<0aVWl~1<EETa<0JH zTIKff6ZTfPf1-o@2Cwa8;uLvZ!&)#T)&(`>iJ1nk!$sg}Tr^R&tO{nR8oKV;0=jQ+ z;h-GCrWP@drp86CyU?9H;<-s-h<S9e?9I-)9AH^pcJ9Z|+D~b`G-mhLx^b+1YuUtt zJKZVhdF6KDmV!FiN$rSFGacpop|w9(Ss@97b9)8YOOXb@07S(5HzM@yiz!9>r+Q&! z;%arb6}*a%8f=(|5KpasfXm&sPM?f$$nqN=5m3R278P+4#1BUARLpNVtN+w(l1t!i zL${o5PG;?goT<7N^#Ie|0hUB9*+}3IL?Q}ycf;6o{T`DolRgjf0C6mI=+`;bxN?6+ zRZ<=G3(ZamVWAy(QVbHea1y(MHUz`#<ow^xnwiwdz1PTyfp)JY&_$?yx_3iIUqt<X zVj|2!2AiNRicY-YrH6gGDLl*Y_9}$BPfAlq`-;A5%Rc6Phsxu7&BOt*ZjYi<_UHTC zoR&+L+IO|x9cz<TL^46D4*RwFdz5bL7U}d=gT~w}yAdOmv?zXXLE%LQ{>d$m!*o~+ zgiYz=AtzbrsX}Gh&^s`c{vgw6H`80YR>jy}B8gtMz1$-#fL0%+3dBSJxbvOL(lF8U zO9Dv6Ct(DDh>;E;YovID1$mnYOHGZJLU3EtdmJ*vaCn+xde)YNzR{2Bqf9v^bk%5M zbp{;cn4L`*<sgbn)0Xp0Z!->iwAYddEMGa}bt_d3K8hXwnUe{oCFBTl=p^kJ9)EjA zg5bb;st=xOpxLp){VqUIFgi10^Ql<wTGsI&;ORm>^Q|HN3wiElm%pOoiZS0*pdD#5 zcIOd5+#ybXn@_w`*#SNtVmQO`@fl;j<tFtr<Nga<(<_r}SdAz#s{z`NFNmH1AXS{K zn>r1@0ENb#dXo*1MFHusp0fzlf<DXATr&CR^V(Gj19YL@#{70^HBn<TINgb;4#_<= zwbD9CdAVI-<;%4?aw_o{l$65N1947bz<kC@VPhi?3+KeE(9;%t85hn?+*nDxgK+({ zStP1y_C>9xCRE2kf2aE_X4c<cT1p{{$QN#zeaW=0=%24lKR4gUmxr)_NPTfmjw5O| z8I)-R*h#`F1C6P%mWBDzMXoVsvY<fQj1AO4?Nc4^?iFE}XASS`k5V{225>SV#<Qsi zG?+6GONCugGg~E=+$mYJ%=CLFGSVnKdt5pWJgqM}bHeW^_Gd7M{??>lU{1fe--@Em za<5Zo1=3aD4J%le*i0-Vm3zep-9<ZcJv)H*CWQ?=7i;jvtj;5u1y=Uq+^MBi5zgP4 zI5#Bw+o>6~ag9bC<dzx0RGf#(Wm?pnB{z?1Vc%^WIoq>*!ioD}6Koi?x9Z^(WSz)~ zrcqV*L|QA=NvdH0LD?_oe8M#?{CrjC+`!Z^Jb1Lsm%N$Df+SZ00&NJl7H?N>YJq@P zQY3B;0^qG|y#e7mJ9<4XwAwvcFqr$nahK2=fcmKNWdoY|h?}7N_Bz*E&1i}-k<G+A zNkz9L=mjvsn|$c^bJ1(85nXb~H>`R0=xnYNdY#MZz0rTKdJTo+<L3<46bMN_1#fYR z<NmXNx&e1}LzX0qFyl#fG)bLR4Q`m)j)XcU!Q|Re2<>^c@cp#YB0$(k4Mw(3C($0x zM3|4OFQ*VrC&dDWiDc0e0)>@~$|PtBy}?K3csYsw3ydjh@5v1HlNX*e{Kv&T<4@M^ z%=uzEknhtCd7R~7h-QK54t;o<3~o4SH4k_~D`p%;@CFSvNHdh-u_UT@7&tHWQzLcs zXcB-Wz+7ZkI9~BEJg2&+M4ycT$^7KQG54gO`5S%#qQCDQDi&aL2#cWeh|tK<d6Osy z#7X=O_R*oCqgj;%Mn^fz_$VyK$m%-Jm&<7j@rBfA411b~0_TiOpv>Roi>O^4-MAs& zSM$KnO1%VQa|&?kYo~K_6OUrbV@MnTF&n4B6A&4CK}0jdpjGv!7@DMSCXqU+sJm*w zW60VU!~jQicbr@A93z#0VNTsA7UZoKlGFI3QaM`yba6!?S^GP!oKm3JosIzts(?QY z8a(Os+Wd@3U&-e>T*&^N1}dW6z#Imujmk8)`xE8v9BfL4LdaqEir6x{){J9^;8o>0 z-HDa!t{AT~@##>v{p%@_S3~<X$;i{-$=l}5)JAZ|+bB&Wy1r6}vk=M<5nfu(;73T( zJEb#54k;Vv7e574FE|SO3I^5qNWK0PRdx5ZOlJk>X@%Od$u4NgO&egErP!K0QN};Y z_qIRab$eQMV1F!xLoEI^&nsz822R2HSbmXUvlpK=(<i1yM{wux;@~7-7*>ANgUbx5 zhlt=Xv=gPTtHqUYVR8`YF)!fHIL+&X8%la{6z0wBe~U||MQ*mi5K-mulTxXN^lLNb zJw1GpznzxaI?n{$oCiLfTSHDAe!?(WmtKmxUnaNYh@{XO9%#;5XdPAmC5K2^m$x8s zt#mJQ8cVV2sDp70#xf)wPd?ZVNa#+d{dMdw){i|p_SDp^Y;CsNu(b60tsl@$nv;5I zCRw<US)D)TVMaX3!a*Y)1LbVH<7#uR`F5%wBuV02>lwR+a%f4y%}|G621eHQe4=M( zb+IM4$D4NQ<_Hm0W=d3piji+aiGM0yhe<7iM*QRux@N6sN!DlO)Lmk2<ZCOgiUd3h zm!4T{5n-;u(RMUuxrJ|%jc!g}XAMVisiDoZuSMbAxh)ceTywt1{$_)<R$ztIOfuIX z+6)I+xYE|rQKu8AWN$>cYY<c&viKV?R@DBYxcwL$)hGt+dg|^Q+db+u?>V?|8%*pZ zYNc?_SYBoxCLK@!ZtD(G^cROx&6Xt{*xXdPIENRdgR_T&4O=+QvH=DxrX8>WIc5x% zs(vwsF~dK(1%kDufW<^U-<g-MZO1i#RlbP03is_f%SG7yl6kH5gnQj>czx0NO1OvG z>5CB<pV8&<lj4WfB1f*$oi((Ve&L{!hTI%oe|J2EPXd+iEuKY!>nYk+EbjU#g>l}j zdq9;W2RaZ|E6~_JF5*g`2qyF<Cz|0SS)WY8-~c6mrOYZ6-*ax=T;8RBK)C0xeRM3N zXV$*i9ULGc2et1IK)fkihG%GzTMy^+ecm1-Ve~o0%h=(Kkew8BR+Ax7C$lw(L!=*; zD#qGpHmy-}+I~V3d7+_HcOFj!Oz%I9{Z})1Lj?>b&0F?YsxOtOjJR92CI`b^OB|i% zOANkn+;Ip#*R&0Gr|6c49e;Ds^Tz@W(2Heda?L3AuG1YsjExTFFeAZ-l=-v23(UU@ zJ6IpLMM&WXcuxTJznpGND2MZ23)ru$;48907%`@|-bH>G_i^x!vyN(7D-($dA@+MU zm3*OdzKG(QV-LPxN3{oiKLJ>fL0ezXW=(j<$7+(-1k^Q!Bvx;!g>WugM`-IhHMrur zqES+=&01r(Pnls`Q=Qk9$%Be-QO?)b(actoncQw3_b-%Pro`63A*MPSwy4ws04k&= zBc0@-(}4wTy%<*cVxUGYix%c$d`lg96Y0pL&^WdG_W+cm`e>$!^W>vGmFRrum_)n% z(S)yIAvj9*eHMqK)KiBN8}(dy5p^|eb5ng@5#*+9E<<R%PBb?4<Eu-4-66b|o28#r zk77y@EtS|nEtktNSQaP0r5d^C<&Xx;y=I8iyDqSzII7F?{;WM+UarfcCPx^qP05fE z?aUG!F;LK1WDBdKD&)Y=BlFt$I(+YtH%tZ;sk<1>0C-pbT|0J>Vhad8^L$5p5m>O< zjeC0Dl+?-!76n6L(tRaHt(K6Y&!)&%12=ZH9(AH8SBh<+uNNRczqGe0%m&XxM@yi; zQd~!WUAO=J>Q<2|xSzgQ$T{iyXo;6xYD=b1`9TK(7;~-AWP52-CoKoPxtESfOqnRD zFPIOVYrh^Z+RmZq#c)=fWZG_pXeT#?@7UlI37+jr(h}FoMm_v!4&J|L)bL^1>)du^ z`H7hwpz>!?xu`_@L6VBoQ?p94mX9r??Z2EjZDtBW?&nm)_5<}drp`hWt3xk~Vlgs~ z84tr8NG_De+-8HKZsxL7!4gZv7=J1`MrkX49%1pK)C&M`5eVnM?!qb~74JQ9^;F@u zR#IPNf#kBDS%s9Ur6kSMm4E?ES2!8LITU`^nFdp22y%7yX5gm^@JDy~xk~Gua?Tj_ z!uA~3QBSfwMUQZ-r3$ivJow+oaZ3OEn5<G~TVx7`HOW(hqKgg}h=m@8F8nj9TFIx( z_7P1`h-JE*YQvNv#s;g_;m&#S)9h@1*V;i>!uuE4>1Vt4K##7KHg<lkap#)0R0@V{ zkmz$76UsB_ly37Od%pxX`h{6Nrt_WC=GqakOVm9#{N+u(7S+9$gbdu#FdISG<!7CJ ze~~7feb?mhH=rwLqYSB&D)a0PC>o{s(K?9a+_{F+c+7c$VlBIYh@-xI8g2F5f5Tvr z%0omVB;)o4$f}b~fccPy+*D#+%GPQ+A+>iEW;pa<ImZ%Ncdx$B>hzk9pn@*B4)h(B z0WGWuv`kwPon_y{2oZ+$=IwhGHE|_A5%kbg%ZNACY6Bbda<*$7-Fi@-Uqa<Y6PM5z z(3#V@o;;ODEt$=18P*DP+Vb4Kl2LdsGRqxJRZ3l{Nu>xtoUqGy{8Ddnb3J8)0V<B< zB}SSR6}Zv_8+5hzlsZ@WW>0;!VqrHeOqfD=0q({I;%p<2L7;wFesXHU#OmJ<qEyyn zE8K*RwZGl@)V><>g8%J@%`dfEB&QTaB{9Y?=*#vqge6+`E$i+;MV3^eA$QDhJ?J2t zsPMH}3#QYyj&wa#1jGq>mkIF<TuyG+SaUI@K6I}^0G2N<f3eAYLk3G}qxN_{U0I-G zK@`eM+<>|8MOb4b!dzLqxMddIWEQP2)G++s*rfAhuY7NhdYFWL{~0DA-@Gj3ktdy3 z7~yv5QaYI}Gz##MG?9o*Y3+bTI&O&XmUe<!Nh1CY7f^bSQE(Z3-dy)>NH4#Dp^bHr zZH*-CO47aB;wv%^LA3hA2UMY|<7S(MOR~wfC4C(V**SIX2~W;??*aI&h=c5<hJ`z) zmN?H)bn?s|KrhrU0G~u~VJBsA`1fTN?Nbd2^<YaCkm1s0&KwfD_QKrv&1ghqA`@)G zD<T^`FUGd+8&c3-b5Xkedo@VDRJqi>b$5+7GU@w4Y=iTWpw|x~FV~Re(RkkHODc$q z7MNr!>zpWfJC_OtHPtxg=b3yjg6)Sijiq+n?#@&9`NuS)PX2W0ZNWX-+pd(#RD;ls zT5(qp=yEF?7gab8&aF`aS|J6-18~|di8PER(x4;86X8FQQ;9O32iF=_4hP%X54*ih zQWF@{)B($wR&9?q+ykqd%qDxA>69{~0iQO{8J_Kc`jb;VlWdO+qH{Z9Y;eburh(QA z1<=3i3BcsQ*7(ysT*ILC&~okxbX(B0qw~4UzAq-2I=#($cC^zr;wk&v=Sc;B>!3na z{}OrfQ1o^?<7DqZj}F{jwjEFsk>f9Uy>-efZn14gzQ*n(*@Xcr?Hyx2cbp^1Se4k) z%`b;>GpS5b-78K-9nlVdi4KMdrd52ue7n^tPj+~}ZvSatt86=vHF{N5y0u9yiQWCa z>tO&ewh^6l8ga|l7xm!80LAYw{KS4`Dz_^~BI_`CvHFm`P1>vi=|%L{MJTKR>nwH( zp-^;jv?w7^Asnf}=QMFgsHfGuxhOY!4s5U!^k^7M>y0ca!n*r<@<J6GkRzg`UZacO z`V7BhBS7i35NNQ1&IkeynG_fw`IAY~n>}Q-uHG(>N5aN@O#Va#cMac}r%i^k$0TKQ zztV&#^jPYlpSJ6qeV0CeWhVqJMYp7@Hx$1vU*LWvrr@(o2^V;eL2yR^qWUf5_S;## z7y*SU`PN6qd4LPb24Z+|O_FB!uTG;?K16iWddLMf-Krb+8P2}lLW!QwVFp3XuJVmh zG?iwf4Eg?S{uFLUQ!T(OPZ%g-utRnMpf%_wcKK%_assJglb_S0vv%?Wtf#|zwK9mO zCv#=mcS%xP=GvTPbwE!}K>c4`{LY8=ZjO1+%CZpOKfUjAfULNhD_+wPPb#}Q(H3I_ zg>h9#EN5nhhRWX>@#NhYT#8mR#EVMY)v=zZnB9k+16!hvh^a1#`Mo>1MtPsaH4@zQ zX?n~8C(i9LeHgk;2_1T`P_OHjU3<iBs=Nz+WUsc1`fTK!?ahMBkS;=?s!gp%`6_Z9 zvn_y3z><cq*cro**fBmE#sz0M`f1vRG_10PEK&o5H|ZXEz}LoUTAL9lYU@Hwyh0Ga zFQPe#34owY`+c66m4a2<aRKd?#_&$+`hUsvuit*asgYY#fSu>x*$+SUsi;G!qAeOe z{T2=IL$d*lAb~$aziDW>Q-EiIBs-cU9v$&4z*n1uoqZ|=C2d?S_b;TMkD<FcouqFM zwXfQr;d^ESb-luRK+p}OOx?nvKz$p7-KT|xR~zI3h-Mp<6DwO6FE2BP|JFM+BW1-a zqs{T?s0p4G?=Bd(_u@+O$N&7nA%4*>ME1eH@6I0#GNX@Vhv@&F{Q9zeyJO?V?yjrq z2B<=8FH&-pg)Arc+mn-vho2L5Wo^mGcg#{3=}Zos10b|2Ukx-}DzF}B6;othvUBUL z1cXdUsSFZyAm6}pj#7fg;_$cj&)V2yEg}S;PyE?=<wtnV_J4i7G4Mz9$;YDR3bu|f z!Stq*rE|X+G-~<^`DjVyz~eqYAD!)3QUQIj`{5LbIc6e7XA7glNh5o4<Z@XzB>l%@ zkNT2^=!i=ss#~!%>;NyV7JtEL6LCE%H4DX$<6i{Ttd#gQH)gi0Z<v#QJ8ODa=99nf zdakD|u6Q)IBZ65<YWpn}#yslOPcdnrt5In%b2k6}YDWJKciYc&D`m=cJx>APN8=B} zS92o6Bz6)BU#igBLRl$-xS#zg;%wOEaxXvKN2TmLo(&?KWPvKtz$@kR&6`uzqo(_L z`8&0tr|X@|BVK1(^~(h5@ltp9oEi+Kx3famTzo<Fgf|Z&m8M`1k&K|5L!sX;x|1Ui zeTT<T5Xjpm2!=D{B~X6f;pMK^mPb={cJ~usYu`*(WH13454=B*gD-m-i#e5o<&jX1 z+pE_M5Efn=t~lYaltUFSM_iqb7#}_BSKJ9}n(XsV-~0AZU~T%R8C;PiXIaD?8xPN6 zJzk~54s<B^ISWb~s#7#aStT?9tLmmZl@er<vyYse(PH;TB_esxann?zMG)N5f&bM+ zC0ZZ@K(D+KMX5>SwD7r?Zw@;RrClL^za^-v60|nsYcukPQkWDglnLidpF{h!rC=7I z*NoSn|B{wlV&hJ>xF7cNkSie<B}YRKu*pH}@g?UvD{XGlFqftf^IHf;W5h1W>gOHy z+XmV(%bzDDLU-XEGcxp-H~gN5b7gu<c9M^_iN}ik_EORM@=W<w*che<{x8>w)-tB< zIqd(j^-fWu#cC5^+qP}nw!2T;wryLdZQHhO<Fswtp1$)iYu)?LL*943WM`!+UscVf znW5C_yteLC7J{`5Usm}{7~39IB@z`&D823^O;Vj0!)|vEDg9pUC%w~2hQ*n>>S`uf zFT1Nt=s+p;V`Zm#HiBzF$1gLKn4CMKpFb?DB+zcO;myewuT4B)A<52z-wttYAO90X zW3A*<Ms(J(p&_m|e^KrHH<hx)gE06kdV7A8AMgZa<*c~UbXHR>zb>TR&DSccT21jU zjl}_F<Pp%4b-7@S?YUu-W~+23%<h!_KDSN7OH9{mWCl8Q>P#Eeh$pT8UU7pokTCGu z{$LWV)<p%C9kvQsNF}iqjj>I7Q9Z%ijgh|aqNxZ2ORYy6R|$GU%dAmHx=cwJy^d0k zZuP)R>eX3QxoQnkDWz;jSi)=Hsz~jM`nWjNaiKs9_8qpELSejMkp3GQ3|*}%Es5(w zX5krczq|L5*cKcp(-d#HVXo4i0_w*i>c#6A$n%ri_%8~gdySvSh@y_)rCp7xt}<wl z&*yU-aky89jj#28n3rOpm=NOhbU$V6OO>3t(EmB*t7Q-Ufi%0=-H~K468SvS{e%6< zC~+NN?CVq(ZO2GD3I@u{$?*(;^CiE~G>~+$4Gh3;NC(U9#3+sn&&}v(xExUp6XxK> z-@?pw8$TKENYey$XCPe@coKVqJ><19a#}Z8x-UKoF+h%%o1YvNkC~1iw04!JS&W1Q zRDW%VFD&Qgh*aIbSOj){a3-+AIQMsB-cRxxH@c#;0;|834_M)*{idt;lJ;kV*0~Bx ze~IUrrT`ELDrwYgJGQWIYV;@=Tb!BEb(Vn;@BMEsjlQH%3s&j4(9Uo{l`|T1{N-jV z)<=J)>|z4Z6ppc<5}{oP)%Y{#)=mCHMm%USod(?oJF|4<J*$V6d+g#WtT@4Bj5}%U zp(5URG0%Q8&pE38gUjYNz!PG(NJ1-J&O7ZH_&DR0Fu=H~c+Kg>;Gj#9#bxH(ge&8* z6;#X~D|wgx=_5;Ekd5+FWa;bdB^!2opa?tEz^9yP-x;ID^W!D9HJD$3Hh1Dpu^V<A zN8|dCl*9d+9@V{d@ht0IZrcFmZyF8bCz&&mw(;(w3D2dN%nbS?29PZFvcGg}IRIpb zi<(KOSUW=QU3w(2Lx{7Q&AEFd+_20}x9{^x;>+R-eJ{7i*WMR{BX^m=9M1<!^$8c? z^=ib_-ABi#o2<!?s%b;Xrxw+<nTi><LmE)jab9wP-1*5hcPvVJGQ)w4jCjhH^XIbS zj_Qz~T1=vcTI2&A$w@-aNyxn}@Gy+ro7$z}D*a<o_loCU!cSEo4u}(xpxR$8JCD0Z z<!&uI3nKLKj)ipx;^QO|u}@Sb%Y>7hV5i2wRMM(LQ9*eiK3}>CXDglTQ%M;IUl&UW zOsJ<Wc1t;xYxn^;KuZ;=#eaW)Fv))|b{T)9Lk^5;mIqegPFzEsPAK$xNamcnFA<S0 z?}(N8Voe<9XZyezfPVJcg`Q9SwTON2eq>&SoZg}F2-^arsU;;ug!W*BWgf@ndHdU< zHOxLtVaYjT15s1d3)C`kw|e=Zz-oWEZp*e+FXFM@_rAi2X%yjQ6w2J9_q;Bipht@w zZ0`4bT^HB-qK7zGWa$qVSRk;3Nr?KR6kVPveZ}XiQfrC5S*#;S<O_PbcIQSkPD(Y1 zVP3xf$3s36=z2>94gkQ0>i-CK>`m-hm{^?+%>E<Tsn+yz+F(Qa(aQxQmk&J*E}`vB zaG!BI;IgeqXL)9sVdY&Z6e1xZERjfo-{_F(`M9D3K=NLd^eknIfB=fx+M#;}wW+U6 zrdbsl2`p~co(LYj3#Gkxo@PqNjcr-2plRH9H#4K0RAGf5aPCgDVd?>{bvt(8+VN=T zP?v#wBlL5@=njWF2}_iuXhWzKX>wyp@8W<Wrzfw~y}U;8kf=0eq7;SWzA`4_Ugf5F zYk+8&Hs`_XMT{8ppu~_Ta?L$%y~JxVNj*u0A!}%K&c0KeF`=1+?Hq8aGZ(p>F^#II za%9Y8Y@b=^GWOOja!`p(_r&}A=uQ&VKxLv0^4hAY6PrHl(82Q1n3fvFqL+E1on|*& zQr8n|(Gd4k;gv(qq=6Rcn>JDpA)QY41c&ZH;)vLtLRcr32z2M)mj)T)%|Jgj$CUD5 z&yrC*JQ#hlX9;FshrA2%ln{WnwdoLavOV?1Yxx}tIEwvOEMC2?n8GY_ehqh4=k)+L z7Q=hOyRc`M938-90Rk0<rf__p5Jh9W1pVY!=NXMIgTvf1Tq61hvW0cc$3X#^H5}x1 z7}xKc2@XM3w`1U8jb24@qWM)t_P(R4OB&fAqVMDZ=LxGb!>2At@1Kk}={1S^pWwP- zL)wG{;zyc2D?zj%>chZl_x{P>tUS3~PW|P~wd^tIG$^(X3EWyik_`gdzV&e?@d!L% zP<2d<4~WQw6O#b63$EN(TzuUhi-$2!S0KAVbuQsw?SK_w=yuq9cc^rC9l)SCN=>X9 zI5DgMaH1|mrgOBub$@cvAI%tEVC#gGX`#BPm<b8RzIw!=^<jrV`Er>}*4fR1sV}sT zW?Svq2kU_8V8HllR-H9OU#}5Y8aq&GYJuPYDRmVHGGw#}2J-MeCXIF^YuZE>a!uYg z&*wGtUnPqq*Z|*=7HLkNq1nyRWcRg(eW$hF&Gzd=QU@7M)mtgcixt%I!<aG3Bz9e+ zH%5);&hqYINhQebE!y*At)hUSc_1-)lXSGGD49@uoWUqv(6Z$;{42s_l(YQ{x2v63 zpC}AY0PKe~AfVmMpccM1<|T~W!68*`u>5vp4_mY!fYt63R14Y>)!*<33I7AI$2q=j zy{vBrlQ!XiWq%+tA(7p`&i(|Adz`=ql|=}ocyUyKeuPGRzX9wnqX*ylmAv$EBai|h zI)yF?XhZJ~(nko>ff7@d#oT<vnq&S$TWJqf_Li#NuI+&NNTEdj%c~i7t8Hey=gc_= zdk~8};F}|Sl^TsK#(j=jVaX)i<%o7~E^GB@K8lE9ga5M7{mJah^IQcFv3TL<Q7))P zXacv9314KOTf&HRZM(3Jh(dTjIJldZ?=11lO4Y$kxw%C_8__bL`3{&njC19_(LLwk z*sQ)4NSS1a4a6hDKlQ%aZ248M#4XkuoZ8d7`F{2Wu}l4y#{phF@$L@bkn6f+r14G+ z5layKaP8b#vq9DJ^9=u<G{Z(?#NzE;t(+~%H%{*O^7(u`?_W~GtY?0zm_oEX9SHci zv-5Vk`|x@3f4#h^tqPtjmqD>_`lMab?J{@OxDtWyOz^Ca5QD?;$AN&Q_Fj45eRQ)! zS4;KU0SkmGvI0;*hb7v6JFPN{X**{Z%@XBS`>3W<_;X6xY&=#c9|vRNR@!WYKiN`j zI5m<4MQ^$2V~K^a9bF4G6QReUg$%d=@rW>wT8XthjR|BaqEM&}jcytTD|V)()0lcB z=jG;H-Ao6NPq(7(3T%aZ!k>BCIo|H?9(~XELr;pPJ6GQnE>P7*fljcdJJBb8@gB0L zNIo%mxqGm1bJ<rJ=cfXQ@q~$1Tj%T4f!L6-Tu>z(6QS+mV8cfQ?b`gJA!+o>lf}lU z7yN!B?Vj$}tCI&ewZ_Utz3nW$y@Zcs7&S7uP2m!zT4R`a!N0-+brOOg6o*Xx?$e1# zRHH1R1z@g6mR4iAj-~nrpo~P61`cfr5fD`rf}ii!$C;^ly<GXBgeECZKujdr6z9Vu zZ9r8HQ#=AKC2j*FP%n&_cZF>Fe6Yku?LYTrkbcIEY-=>oKTs;_Y<L<Nad!eD5cO3b zpQ2wkX-y?)8YWs#i-#p6GSEH4e7>I$kIQG-byVvT#zYY!NVZMo=qk}F2Z^Rn)8GgM zj3|OE8&kc2X|yf9qxw^6S}CQIS+(hvYI(eluFe8Z+e9`u7}&^F>cuM2Xm}gP6v(%- z4l*A=pu*ZKBZ!0VT$IX)F<?-`PT^?AXF^7Wpz-2mejCDNnCrOy=2kh@=GVq(=hq<0 zdzwSEu7EI9BR>03n5F=;Y-3G>aa}sB>ZKV}6k|l|;qSB~J&#C__?&IRMlfd7fErXK zrI_}x@96H2*fDEde=F1<EB&^t%}rff(@QNb*=mCX5j0_e+@x5_rFR>ZBm@t;s6csJ zFZaa%>9tQRTDBXSOsE!2^vmVrK}cq`hcAAVd>@I<qos0@xTuWG^j&FpnT4H3Kz%vV zbHG?9FPPWuyAAC7iWSloMTNQU<#jPX>5A-C>`SQxO&eUYlBmNV5j=|~6GG`nL;?)$ zl0;WR(E30UnR#vsS5tQTBkN3X$1`}*Gm#!B*hkP1UX(d1GK{hlI8Cl)gcrW>8mzEG zu}4N`)CL}&ON0p1!gk9pY8hj|!8?vJ-%8}4<C=3BJ4HfPL-=fiP#`*jM`7T+az`}J zdn>685<y-cRZoeKc*Gq~;(D*QyYqjvJ=JDtM_@zepu6e^y+-jCVHiXNOb5o}_Qwx) zY$FY5vaG?nuCZm3nZS(_g4p-*VoL@-4+U)x6$0lP#3__&Wh*wWnpHmPZvNpxv1|~P z^LwAH!{GMfCRNKH6S5X{V<>g6fSO^)F9B}CQbEC;fe(0adi0Gq^)ff&ur-MM1bQkB z#|5lk@yI}>4RHevj-bcO<S2_^H$FK`z9IB2J_NQ)e9W=b+&diLaA)ENMal|+!$3RW zL()_OH2@#RH70hu-Isex?RQg-D-58lK5`Uw%E=RzJ_gzXX|eM!7I%m?7U?P_B;iA2 zy|f=G`m2xN?`A<6vxbUS!5M0QS)vc+-x>5L=@acXKa>IM-)ocK{RnR%#A2H!dG&#K z7h=dH4=6VsfJh_W0%tU`(qki%b*uPn8Tlb+y+%JWT)yc&mGV@01Aw;XX#i~D)AK1I zJyqir3^P?S=!wCmVi20@`);hWG_CVGWr{`Y8r+nTAHTu1aq8zQu`vPh51J6UJhBk` zt*rBR{uvI;;ymlXivrdz1d1GDvH4>EL#wrX+sJ6<GmGrmcwgP6NGPCdz0b2qWWjTo zzOhb7+sYG=Ti5QYnxhKVb>+}nqbJHO8KtO<QwB_gX=^DUp{JR=(zuu1_V+eI`^+&r z*TFZI*i{k$KNSEtMpwd^&B+b$gvHa7%#fY3c%z+i&R2JbrBi`vwAdHBT(Shr0S_B! z3T355Ml#OQ*<Y)HZ^)E=J{-p^FQJN;i+j0loH~4K@zZ35j>T3xsft^ocmWiEBuQQw zVNAOqB%=GUz3W(kai=T?8m_6^dRZJK6$rND<XEHA>@w|MyqlXs6aVo|7RSEtF$aMd zZ$c*mWA*mbxJ|>f{4r#MK2}Cxr_@FKl7Q(rz;pG<y8P;4VE9aF$refKvW5J%P$oUL zY?7dmom*xd22iSPOM+q!SdVDja7C8PW)1;an5*q}=J#BWJZyt9#a+9CEkhtL5nvwu z+LNCS#+Gc&aYrK!*`BW9bDV!9XjJ^AQI=(mbw6Q|#aZ;|(Dv2{fBv?b-|yM(^!N&U zxrm(^in`^2*EDB@GUj-ut#rh4Zs)Low61#DIH;SOxGQC-{stX6quQ!l?9-7xvVeNa z&m<PxYiU^<F&laX`f=%&l$dl$zPQTQf8q#Xw^PC2Jc*4!`%^s1|3Llms%USD!d&_u z?7aYe=jz|xxnf6K=^X83mjJ@UqWX|PUBGC){!udQnX%;8QH~1n7U0llQP_qT&!c+O zl+%L!y$UtGmjGJtJL584W8YFZR<oA09yRh_W@|bw)`9}e3$<%Ms?)`nAr@(Xy?|6r zTMVEb>rBwL8YM3IG83@rMA)XxBS}8hb_m%l;mLLHjJz9U4zRJgW%R3UP#wBvn3C52 zd+!$(D6D}}f3}8-FQ$!u(`Q~b%N{_ZGR2#1nrmWEFj#u>1d(!?tjTbiJ-pQT^KwG7 z{^jD@z2zew772%f7NM}#er^oNQ6qPo(<u4kIH)^KiF(>h8V+zL-0dwrCvMJ~h2<pZ zk=vghyripD;X1hG-I8?Y?|O<(qX0-MSH5)e{a_~#C`>8SIjX6Z_ndHUctt(kVlW}Q zl7PnL{A60jk#lahy5UxQ!DQ*Nz`V7*%r{f}v00j`bga11)ia~oTM3kHkf-Lmyq}o_ zX)C>8GAuA-+aNS7i~qx=j0xHycak&8VR%c0ccjwMe6WU;|1)RPAIOSOxm)7-L6#aI zA`vl<G|-hSi_)Hhv*YXobQR<Vz2L0Gz|DMT#=m-zV-<C6X66@Yxw+%g^B9nJ61elc zS6ROm_6Wy`a8b3H7sWm^cggE6(+l=f2Q^X_=pYXoJNSdV-7*$@q9{;-S)2!AJY7U{ zZ2RrFUY|wYhRqOdT?jkK1ZjdwCDFt=*aEWGDm=)SsrHK8#!n474yWP7jmd+@+i;cm zZ0_p1Yt6NOV7&(~oT86e%^ZvXIW<1WLmO#hgz>ljyqRw8l6-3Z6rDTC^wARN=A#|g z)E%Re^gHKI=(D6?h~y5NdAtClf3IiNuXRVL-CXVugzx*QL`U<tZKb=AjFX0Cc=Ty$ zatf^ejEPw#73c^3e=DyWOiR`1e)H%sek0BPC(g{?gNfb9&c@!r`4@`*jc2qPWIzaU z`-&Wt#-U(JTM!^n3Uf6loD(=RPI|SDl1Q1$j{3TxZl9Q2$k%M@dg&hRE}$4HY}Bpi zvnuomXdU-L$KXQWZM)qSD?5Vww+d9D&jR*GByr9)*`ts{sv1GZ9u30d{xXX&g4qaz z@Iqo%C>)LZG#=YThB?oYQNbc!;>jIcO}oVl@UGbZk^f8{$B2a|S8jAAlWr&)A_is* zrY@2`2+vDlt~O^ZfnQ-QY0#MNPs!A(v|D)|kMF-7(C@VeyW8owHL=*m&DUaE6rH9} z;H1hoS58T2#&t*NFkoxl1kc2o?np;!M8SSX0c!~t49p=w!;2kzmSFuP-d3n%-YJVp zH}o2+HcGlQG2FDTo{AYI`Gs0wY4mp~WLfnc{>yXchX1Lt!yn*#&)*ue{AT|BpBghW z{(m+0QJj<;6oBcvQByx!kWzuO7Y;<0u+NvM-u0iel+1D+<|C>Fp58f-%>X#slV(fd z#q$!gI>=hK2b7<cvbc(uJ(H30iRlDOR+QOl2Z}&$yKzSc*4E8JE%m7=ISrU+Z+3xL zW{<~UOY05opq5s5ERx&n84BHNp>HFLWD&sQTBtF(=rI+OSt9q6>)nMT;52Pqd-N4J zCxDDo*slk#sE3@uz<7b#25A(fDj5;Kz!~f4L!@#ZgD5dAauZ%c($x%o(KgVI)Ndt3 z8nA>VQ})Pk2_++$q9%*edg5RU-N#-!D;>aUYUyuSeh9A7^}bFbE{)XZiNteb)K}dT zBb%`NZl2fx#LTo_g@VVJp;`PM!no1I={SipqN5ni-x)`6l-@(W5x?-&G)iwb27ZcV zKUm)zHkRTEJgOCvEAo;?IZQ`5SsWv^E*l<hy$@<vz35ke6A9*<nEL}xEEPggvz~9h z&t+~X^(=bn!qb9S_(kpi{y%{&sxa4hn7{u+<*%p8|6MQU|8KoqlyvMi2vB@Z)bhGk zubC<>l6gcXi)5OYC9Sw**P6;B5$bD^$zUMHQa(R)>=QZgj{pH*vYci?Ys{lta#RNp z=jqy;y<2yZG^HrI=Oz&MuWV%~Vpew7*%SI&Kn~7Q-IdiVZK5Crx$>E-{o~fpL%D9T z51Lcx!m7b5pSk3$cLWYGCa}NIwb{v;H@WJ98J7J|iVtTPL&ra7^c&2Wo2fTlx=te5 z74qAHSt9O=<dJQpbO6!1q?m*x{^jSo;teoTyBM|EMV053L_?DD7?lHSyjb)Z+pt92 zr-`>q!o<_TOM4vsl0dpQtpFPHBugc+WDUVsbTrk?#eI{kOJFqc-{lH_lFpCttHQ|) z67v8!%V_6Y1~>1X?m0@wkt%sG1|vil!QoD^Fp-o!L7fFK?GRnOjQ1wXpr}R;Xm{}9 zf0l)WhWsGb4~$4)Y!Gm5dI*diuuxpW{j!2%)A;55(5&CT9%4%k+4z+p3uV3I3T{sI z1C(BNZ3XR4x9o!_Yj&W^!*k|7CP}IbB`?ZeS?NvThlTA~d;CKQn>Fiif95n^n}j^n z_Zq{9U+#VD+9tR<CmD8diWlbX-T5bKn53(_6tFp1;THOfdsTT{_pzVg<xE`f^hWp~ z{g@$w!PZ*ABCG3ex>_l9;n)`V{CBRZe1L2U`;s@EE%Kw{TVn}o7gyd6KF=;%+hiKO zW5>t-Cw(tkDZ^+M9spp79RL9Jzs)V23~Y@J?fw%NIgM>)w;^`l={uaGgHx`&cN9Pr z20&*?a!n}k;D4Z9V-IU6T0<j-QhuG#;3E6;F+IiCCasvVcx+EjfF?RKGxO0bQ@{PM z!Js(<<z4D((}Z|AQ}hqiN9Q)gc&6t1PE^Z8MhD$iU;!di8{yV^RSlNIM$+)+_8Q7s z#o%9fJCYq4GH8w3bR^kMLS;xEga*Tuu6<W{5un%vmu}RFftig0>qx2TRV>5}AGMWo zlnPrDGUbLfUZ1R`3s^e<{eVsK%mnr*%^Kt-`?a#n0*#S*@}8sl$G71A(MVz4!Fy8; zwK|*al<;aXqV2t%73V02VMT-*isZSdJ#_ATpQ(aLO;S|7s7gs<H!!ebI0X`Khs+4s z!EJ!C^rU7O!R>#^X+?SIP`<mVDRR1HB{onfa5WA@9u_yqRIu0(LqOaA995K8D8oIN z(u*kRCs{&h=`3Cf7uzjKW;0&8CQhEN=A&`DX^H@x;<#^e+CR<y1j$5o40ttED=Kc! zTRVcbIo0czx1nM>q8#8SjYR9DK4qombv4ZFet>YYLUC|$72LRy_&lRT&<$%U!(I)X zgEm4W>H~)3grJRki1hwxC1JJG3r;WC_80D7@f80olR?W1M}8m(;P>EJLaS#`ZV-x> z>QFiUjyMX#GtPix;W5@U%BhbDhd7I6`Smk&7#1K?LfC=NHX}WDoTm1rC6QFUtCnc* z+8$A~meLD<C1EcK2S}Z*rJ;w2%u;q)JQx8EErt+}%{tmQQwwKWIX&AhDC_fd{fIN~ z`(OmJ?T8jX9sNl8rY{|?>fxtFFfO8Tj5iD>>A#Pjsx`~4y|5&8g$ML&ah_-CkLrqB zf9)D(CZk%Cy5)i>%5$+-LCxDhZ%<&=gX}BYN5D3exL6twu?9_xq;KM5d_VIaLeA|O z$GeMxb_H4CE$*~fVu~ev){QDDwSq{tXYQ=`1@CPnC1{=V>jS`n3KWc;kg7rXP&fk_ zJ}KrXM1YAWbyee)%~h3I6{lcUK$d_}8Sjrs5n^ghV3m$}s{`$r>pvbS8t95ralQ*0 zuurK51>uzCks`P2Kg`$?%L{C@7!4;48Kbm&l>;P{g)UEABtp=)X3Jm_0Vp~OCpM^M z&^4twP&r&=c6w!CF8qVG)TS*^rN}x?K^wqzYgD#ijzl7hD7>iQ4!`CEEsN&N9ZC_4 zY3>Jap#b1t8Tb!04Y0US-=a5-fq@M^<{<boE?r^!0Lm8m%^}nP>pM?gYTslXGj;G0 zFIw(dCZc<euV2@ybPmi(DT#EAv8=kW88eO!S{LmH%q3o^|DFI6dJfGXsEgWowvOVU zL_b%k#G*>1{dQ{XHoy(|bfbW=kNJ2Cp6+B@Qv%m~{#IY+0NL#(4JJW(pW}>($vVDh z`9S<A_c1H4wI$ssIP>G9+%<@={Q1%%ZA4&=5%%^<^YO^Z7_=(nOW|H<FIFe)*?eD` zWT8uh1j{~;HcVhkn2U^L6psP;sq${CsLG?pv?qz@IsY{&kRp;7SEGEhRh!|r-#N-* znI<4C(*zJxwiBXkoJL<83fB^OdL-m9SqNG=+dfZ3XfTLkDkI}xJZIN&=xZ}=3yxHN zNohrgP1dhK*TCmw1*C;+_I!G#2zsI||7N)3-=K?yeyi{PTpMrJ6&ZMqq5S7)9=|o; z7*Z8amcQ~JlK~7>iz8^~5nJxIRKv5;yoXa?|FUiypGrr9k%|tO(sDrE2{!gn4Z$af zb_tCEq-R|S*U!V7opx07>F|kt*bMwI0!GsE?@ZI()P?k@(F{GCJayy)X(g?jFzP4v ztIFv4r(p#lT4pdaV=NYB*R3U=N~zu&DaMOP-+0VlB@fhD=q>@tcYHx%tenfKHl|~^ zql`wm2f~G(!U#r3{i&48lF9`T`<pVl3OG0|*nmim5l(_A#40q>bK_7$n{??Ni~IT2 zfy(^>!oQ|y0gkdds8*aCjXl+~^9K4_pIjrIMCe+fz8YAR_zU~d)-DQ0&aDVCSr-a` zFEQK_bI%hZ9c}Ee^58KQs0C2==<0wMpvRXTza3y4TQN#oc>BB$uRgc2McFl7^kj_( z;--=pbr4rQWp$NJBWm{9HgN0eYvEDo4BW^0cGW0$7MB4qih7%l=>3@Y*?=ZKZXkZE zp~ctK!v}Vypq+o{PU;xg|K^$m)mF<FLPr9CL%8@>G{ho9;t)~@qXZTnn=Tz=YpgoU z!tD`)&#|X+I_7IzTuQ*nZl`AU2%2lGmKfkbmAV7g8}9z{8=y}D*+*Dwp!T*PWVonS zfW#HFZO*f8bd2pqSQ=<82^9lSKEIwF+~nCJ<kL52T8%qx-7Ahu`bu@r1K~i|3*JuU zhvXX&FJwTM<&%mW6)gOV3>9WO4w8%=ub&GJ>^czmV%B3S9Iui#E<$B*Vu~M>vnG%z zmlHmrWz||nVJVy%$e0mQg1ZFDOHXUR9~L8}w|;0ZP`B_KRBB4~k159=zL|o4#bhzw z<2ha!^&ak7Do@40ts;ud>qlycz@O%N7nZ2{yNjryQ9Ox6i#Z|8?k7Ahd;+q}d9oJy z4BaTk9_7qfn5)i%5CxI8ZY`2LN~$;ORGoVA$iAm9r6pyvC>i@NiLBCM;$OlP!n(oC zG52F&s4264py~B%@bKs?9zP`I_y$#2&qTD@!LCNB5$#sLFvTTQ87kpbpw){EY)dYa z0r5It66BI)ovU~u5(zLJHqP!T7F|y0<1>f=+durH?et%oqM>UnV>R-6D6t;~B=Q-` zt&m0Mp}_HO`^Oo0H||UdRt(@KBAfYCoUzJUI8eY}tI0$Zw7RFu+nKc}BcmwieCMAd ztPNyK2lI2e%HNA|nT_pCPww8I@B_ptZnDd{W5ns?(s<s`yaZRRv65j|T-tGX_z9O2 zN=$OB*cm-tWLufu6`u2FxQ0k&TY;M-BP}Q`@q;4jYOfmW_h-Q^_zWV|6m3G!#V@4} z$BSAXpz@^!0WNw^<#!QxloukzA;--!RnJV!8JEZ9;8|<F?ok}!n>~ti2r$!erorqh zjX#DsYV@VRX@KFJHuD6|#|ug!D*7Dqr?7wevXoYeO6P7`>?4jz8Qfu?ur-HM9h}&S zjd<dA#}qm|Bz~K}8PUTM#izUxw_`Bg_=@N=Z~7L#9P%U;j|`nD!YK^(x-V2Rf(8|O z<MuHef!jALeeRSd_p!KXc#Ij36Evak2e9{rVU~qV*o@kN)cpMa0QKNi*_H&^?@Rk( zh|wUK!6{a~ftAs+B!9GE9&9xr-e@f3s-7JvcI|yEAH^3jlkiwlM_GpKShki()58Io zEmv}DgnXVcm$-XMcC)OH`<et}1);d=L=vt}-JRl#JSm^j1(ee(klQ|&Dn~$gTGCX= zZeUD=z25xWgLw7*g3VrChW{wS+<P!D*^>dZ>h{<{@{W<d_2O#EoXM`gSUE1l8bf!N z6en>Hh<bvRaCtB2$>+X64RAJp6oA2RPHq-yXLHXJU}HN+FqYO>@idYZ6o@a<6tioh zKx^))U_l(CNa}*_I>u}v;@b5F4calAJRpmmr(Jsg;`(#$XT6-${*H0pa;C6p@Sry@ z4y5(>_7c~Iiphz_9m$8+1ilI59P3@T{e$a#t5$v07kg;Xy*2@Ey^j#~yjv`}7=KHP z{@ppH>3%6`KVoAMSV3hML02A$+YIs|0eucyXb?7=y#6oeFkR7n8(V*7aUQd#BTVr8 z!rdgAmpSAu9%2u_1=1t8qBE0Q>V<1j{^yuDWE9q#QYGzSDhDotVG@_r_*UjcvY)LR zl_!`NK2@VwxS&X6@-Wni_PWsg%F|m(xk(4@$gk}6+ThYDYOR&VGrX{2OyL}v^Mi;+ z7I#bKbdO~G0l?Xx0)3-`R{BF%!}GZo-Ry==x7+6d54&BH6inass8;|@NT>bUd9L|o zUByn0)IKGiH3z}McGUUPs3N;_4aIAWO{&S`Ywpl&qjY-==rVtM^_gFgv1UkaSeMeF zPP?s9=Ja+`gDx5cgp3>mMQub~$t^1_gVK7H5x-F>BQ9n5Q&NeaG@T_p(p2sJcB==c zzlKz=mUAfbjXVw|Di)vLW3yaKY#ca<%;Q$N0Nn=})3b?ah&EqLaGwL9Mc_g0z00p! z4@(n@JBn|e8PYyzINfc`b6;aTFS)6f!&!KwBIP2QdaoopPEQ(F{qNP|>?*q=4HSL| zr|$i2P=NTC$u^_CpRz+58Wgud%6&oUXg7OSof@y6#DGC$uG(d1<e&l@ULRbSz=9uW zLnDHxL*5U^^Yh|Hdqdd;QlKRft5IW(<`DbugFhy28TOfpgp)T8vO5X(J9lX>{_PDo zGmsDm^R4=Dw>MHn8}e>^`6_n>9J@kBW;Zn#@4WMsbldkj4tyJH{WU>riqifrLup4G z7QUTFr&V2{fJo(C$JpP5&x(0oTs-(qR=))p3-E3=0ZfPe`J%0>s==Z$qbQ@*0s)lM za1O}9O`X2)ro~vRFU0n4ES$sGvC;5GrJ%wcnAyHQFDODP#mLw06`{ux&j9(VD3?Kd ziZ1pYus<u*;+M&i^j@v012`&J0<l5$3RQZ`_?MSR*ASqX6p<Cuo10(wfh1avGL${m zraqS7x}c&yn|s)3<v-P$xCPQ`aGKAZNN2GiD6w4*^c~zi(JfRz@T?u2HueSnTcxK- z{jzz--}{^lM$LD_fgY-RCWt<o%@mwOdB*o;zR#CyU&cTx2ZM^%q7fAf;QYKPkc=PH zAMW4h`!rv7rHg)D_?n=y4{*hp-Tm_r!(m7<gjaJN<3r^4MIU~A`hFgnkhu7lKVVXp z=`*V)43E3a&*oBrd%G~%Q`;r@vpYR+XJ*fAynb(YI6ZPZ-P~ReNOZbcx!JmXFT-zP z?DV%EmrtFoC#5I+_@tIfXtF%r8P4=`a1$lB{4LJaGZyv}rjs7LNC3-G!!eeZ*I6v? z<8ws_D-Qw*v}acyU%AP7{F9<fLp>EANxWvgCKsPCI|_Y%@x6^Zs_gD>UTQ-+3V(B} zUz;H!LUbLH^oh`B^W9vi)5$uecUF0JGbPQ{)2OGckj%8Nboa&`H5LFBVg$TRXJ1ye zA;NQ<JoOmwBB+xJ;eaYVjCAfoDBP;%AObqxW_AP%bslgP=Zo82g-IFd&p_wIR-d>m zQ;uy=hWp~F9x->}<+D#sAQNQ5q@*ESbq3@hjc%j>kH83qe%eje$%wdsFk7aPWDzCK zB?tBfgU-OdA<H+p$@L*5K+IN8`#ilz{U<xBZ?{sehiiAMUn~?2t-2v+>J-~pdGbIi zPo=!M8rVXhbz|iW=H8JGW7+S5z+F|@vOoW)-)9jCzq0Tb`LF*Dod00}j2tcOoe3z6 zO<XDIoNer_d8hiJ1{h$#c0Y262o}KD@bz~MPT_(G_d|EflQP;1w5&GDW9>qwvxL6s zf1oA`+Krd;EuuPRo{u=KTuaYakL!-N6NFMnL^*AOFpdOHkqB{k$*;zs0XKT1+<4Uw z0ui#-K4_`z$V$hUH>dEu`!QTf@mbil&q%9ae5^e#=7Q>3?nMbC;B|5YaNgtgCt%pf zx}uuzCm2IQO8R^Q3CZ;Sn?WvPZtAi8omAxSK>Poj-2Xc*B~^PDn3#W0kI--qk9YI1 zu5kA-5cP@*OB8exvdc6JfJ_NdOwdyM4@gc*tWj<I2T_X9(#%ncQ3nU8)_dpv`|0hV zZ=$4kcUb43Yi9x~!*9i+<K@HW8J?oW9(M>zEW5{4d6-q>p#Q_=RZ|7AssHk>-w^+Y z%X6}DHlh7xw~fqy`Iq8fZ{!V*|9B(AWCR&2qb5A6_JtKt#OXG0f>5A^5;E*lkkP~g zNs?33JpY;_ONuHUqCr>Dv5mjE-%Q(+M8GO9B{K5u_^tu)R$Tmj+680R%V_g_eYm@h z{Rpd#b*n4vMtX{B5KEmseX!=5YMF0M=cWLE5hKQc<`kv>P<<U)g>&T|(@p;N&J37C zYPw@?4Yo}7_JjCX<@yX6ZlciHp~^+x)_pA;^zDSC>#i7&se`_uHKHOgilRyo(^@Lv zGgR%{`4JJDk!B;P?eqV>*82B`V>`42tGHH%sFmEbP%zk4fwg3)LJBg3pEL@Wgl8mg zEzx5y_C929Jhgv&Y&<M))1>wu4WPCwS7EmDZcS?mf2bZff2(9+p&LOYdIrW&n-N?0 zJOZaQA(9oB$dO-_Wz*TmvaTSA35V_iS;{IDicx5>rf^@ue7|X!!wHpcgN}#7#`(oW z!LN4fP6F)4a-teo_NCEu1%S4O`H8rrKB`>_z$iJ+-y1YIn<(nwxuNrn$-fO}<$u;P z2OsqHZkUAgqG{ww_b|8{s~j^+t#?9cqz1q)2#BPUP12R83+PodX#k1+Q&InNOHA@< zTU~DzY*g8m%5REKf9ChtS=RqUhoq#dR@O!`m%x8ERK6TnV5ZSJV$k!LKG8)}k2<lZ zJ@GlnPFBP`>p_HgZ$mgBZOm5`<+I@2U%_Bo7OuF&w{w!sL1;J3-Q3HGV&AAU<Ikc3 zr?q_7(nY$}$rs8}efd`lwyI*_#H<)sQyxnPT%24t?uzi5`kejOB7{7KQHuGYFm2^> zWO1cHxVH?cdC*f`7TGRAMq*rXPFYg;z_2E^Gak~U$eP6uq0Yh_sXX`{)(V0Enn0Tc zSo~=rZ&R=IIW~a0pQp`Zuw-O~>aXRmU1FFGlBdv)QigAi=?I~*#lTxk|F5&%a+KRK zl&_(fcMMg<8pQ?A)5I=?HJT@egbufY9(D?xi8{6Ot@UpB^A>7${Gr;+m|aNR*mPzr z=MUZ)MmdU4tY#1P>qWoYFkZaB`73YVqoRXXVH5qX<iApR3+cDXwS9+guo{1peNv0_ zjLh;}p|@TfiAcsx)5braq=WQp6;Qb-dzxaW2k3H_<kpKL$NzIy%p|kKXg~u1&=LXw zVE)fp;bg7n<YI4c=lGxJreCAI|8zcn*XRY*lM^o_=X0G6mzP{G9dO8+I=ap{u1^(n z!ifkW8Aj>@&Lv#0?9c%u5Rj5yxyU6-lIYi~U-Er`iBw6I!^C?MY_iiXg4>?!P2K)A z_odYJ%TyD!ESh@KXHat#Wnovb0H@f&sDY{&4y`#PUKye<SI&uA3#a)@naG0P#X#I( zcoaS*3Mb7|dT$U<QDaiP;Ch7%bC`_S(55O?f!Mx{F}z@^&%j{GjfwF3Z*=a>-%e2% z>wY9gol6|Z=`e6}ED#<{a^Rjva`#1?oBcC{nsF!6@b3Nld+U*vx*@A_FC6BiU@Ret zv=J)IUgR{Gmnpt6{Uh7aBq1Ta7%v8gS>ryi(wJ_^{?>xQ98$lxu&}T{Ez?<>FT8&I z3Bzp9&h^|iube3c;LwKrE-Ebwg{BZ!vUo|IK7C(jAPzd=kjbQ-+&Vld$<&Ql^L|O6 zXUlR>?V#1LByBy$ZjWa1Y{Sz=_*rzjG-R3g`>$~uR+2#TpMq$^ib?G>3OH-b3;>p6 z1QFDq?)~*S`xesP1krw4CVf$V*7eNlc?S#q4-FG{fVl0RPVb{jW^a5LA&@=>AZc?& z38Q&Y{~+>aqXL3IW1jy`V9e~`Z$6<oxkU7uLto_T49RrJq|0UdRX+(fv14FYFs1S1 zB$Re@o!4;IuV<Z3Bf_lUBf@jPLz|<PAG&2N!O@&5H@?ru`{-nxN}gtnAE76yUs!EH zDFU457%pv3)=a$R5~}7n4&`u7K!aK2L&(-htm4fmmC}1Spxb~KegdEg8W2)S6ir^I zB^+PQBYF6}-dhnt{)E+@JaWHV&sB*aT#UP44pi=%$`xxyr<x|mF7XUEkNTdKYhhht zX3gmTdwVU%yaS((RF(LofH<lks8z4=pdMoM04F<0XZCAnmDb?lUfLL_n<mMdc-yQJ zz$JDpc#RaCYNAU*-R@qBgF6tQFe&C@&|wCKl773}P<@Z<%;d@Rwmh<l23Tap&X}lR zn7<`i1xlJr_+D++Q==a}{JV@wK5BNd)BEZwv|5OQNl<{0M@e*|&-X;3C}*mLV5@7< zbR$KzePEbUMSy{O?jr#imPXy8ZjeTFm~bk^drx~G%mH36dP+L$X)To=<t)7_HNb|D zI)C99LxVvih}@lIRhP;D(SQk3hzC5Jo)Yp``%E!#w+R}UjAiF33-0eQMjz5YRcl~g zp*-jX6b}z((&dOT#5b^KT2yygoUq*mQgDsRgd#^!aw5v0=@p|jrmMkc|70FdKm|@5 zJyFK?HuKL$JZLw*UEkZr49GFR!)UO7FVb@<)8xkQ@6TTwsfWkUcoifBG}Q$*3Ix$f z3WETsSO5fp6#&FRy35k>bikpem;i(!AW$l>3V~QspkQ--Pz}(t5g<}WeL+?Ti>1r# zmn^VLiyhOTfORhhpT7{3Bc?o(wNH2zs?dWEpV0J@^YR%q7?o!$#dzUR`vR{MtUcQS zhCL}+f!TQe_MrEy)DEchz=MGF(C=5|&M;}-MkyyB#u#wAvuf?u;g?sNaf^9X{VHvG zd8Zkq^Ge7a82M&7(g?$`iwFRy-#4jbx5!uf@-&1qE)tO3<YJZ*^#c$kV>s71<E*|F zsZ^t+dS9mMfK#FS(DQAJsA(mzF*Z=Z=rf;|rT<rzMl5&{l=R~1{c!dY4pl3?F-h3@ z=L!VcWC$2!F9yGXrcuh-0oTY3mIl^e8wEi^l6;~GG{Sigd8=|9Dv_UnfDS4IfNBhl zA$FVGk^1HcL3sI=ovSFfn1bjKr8D2J|BwIc^elU;+lpH1;su9<92*oMql=2r-{ZDw z;to);V8F&|l8%s|3(2`RSWdwKWTbur<{T*yGzx$;#FDQb29^!B3qp1o8+mc`O@TC( zF@ng0k(simM9%|c34v32dA+Rex+kkE?W?s4oPNOLv`HLbOEw|}{zUehxzJtub$O$t zP$_UIK60Zr$;!v<26*j}V?2s%Xr{3J4j|IR4WKT}Gz$S>C~Is5nuAWN)?xN#b(Vj6 z{BC(*o)&|qoh>xcG1_Cm9#EKMjfKl&J#d#QDj5br`WwV^ZY;qV!LWTMwzmEl1jwM< z;hG-18;Bl5*@%60UDTN2Feq$E!gyDpPV#fqlC+K8>gPCXRMut{d@5ITDH@wA`m#&# zq!{X75%X~kW333VoPG3z0v1l_0)uRlB%SF6auBa=>(3bZR9qPsQ-$059ds;Q8Lm{@ zybpLfYK>nNoMiZX-mBFM^W-@1)~+ELq@v1k)M|~F5^D`wDgyAV>Y#NcUKT*iok(K^ zCcW-C-+m3AU!3}1?+-30hh5>86&O?}jXrSAN_=>%UmM7xF|IBA6C^9cbE){j&{~fI zY~BTK5xH??HeC$WZ4ljtCc&)7Wt<{7qukBn6g(7PKZIY%PpIiuka^W_hM{~Uux$uw z;*w=3^;5PEK?YW_?mA&a3X_KlRkiJ~M=J5SdtX5pX)oJ>E_C!fJp>(cHYb937o^5# z6lA9dRZP-a;Tk<Sg{|ri8V0H-WW^ZS8_Qe)Q+5d?jwa?#YiRnIX6DQR@h#umalwiU zaFYZd>m^+MADq4E`@P^BuOPN=lSPFW6f9<y8Y5M$f|XwPbvcjDp{-o;nb#ASV@91u zgZFXAw5i{;^9IwUu=9GVJ;>ekPeqkSsuUe=?K%(Q)+-Ww^1D;0X}DAvUHVQTGEm)> zdy-!3H8z)qSf_Y)nF4!pq<KSXx&!&0MsnWsK!70hN&9moPb)_IyT(SniGacc#E9-Y zrr5|z0VL1Yv+OViMcPcbwwWA;r;c@9=i`UuHX7>E|6swM1p>HS$$4Wbu4Qnw#^gs1 zG@9rB>Fln0kp#42ot&J^k{@Q{e%<Y3Hp!c*cHz_KEI4^?AAo$x*6$YmX}n5nyOF7u zx-@}s)5((mRHXnZKXr>^ju~WQPne8OHfQ@&G^gO8C9%#IZnY88&dc;ls%`d<pTsu2 ze7oe#HUf8}B|}gTR{W+a$h6u}?xJj2Aj<U;y53_}s?(4jz&WNC1g;CfRrLr=(E4@c zv2*>O^=1gumOOs3H5~1P=t}8+kOH8ubG3Rp$E(=u?3h;h{G6zL27PPvi*z5?uX{2# zO*}q?(2*B(CVt-0_w`Mf1N10V$eN^z9M^|7&>uy;-N4F=&X2?E_uQMEO`YDR`0*Z= zN0vE*rJQ^x@R(dY7Ob-l*@f`SmGI7y?QW-SFa3(t<nhCfaPQZQ9$$EJkGG30K&N?@ z)Qp$U6*Ry&QU-~ZS*brxw^0PD0@^>ALMVgi$eA66`&#y1i$)(~P#aBb7=?s3c>M?d zT1z^K^1<DusT!a<?)yXL)vdke<}ZDG-4EfatwM~Vs`hP0Zrz`lwelo3_?TDughV17 zhwyJo%r^B!TiS^d_Eo`G@@bmpsS&qYyQV$K<=x1sL0%2s(=A+gSH?TE@!_tL0J9t& zjemMmRvTIV)uo~*-6H4w!^5mgs}eN`h}p&)_R@9!w3@^sCVLGkx6A5%T;6|irl;VT z>q+by@DVa?!h=<=SE7GRR1T@AMem@&X(bgxU%UQ`S=Wq!aG*owOovdUuZ6ANy4tuE z<A$GNkZa{3yCwJH&gi>2h~O)2IqW}=Z8E$?2?ZLWqRrCPfrFRR)!E(svbc>yo9x5j z)U*APHZpj#Ni^1x$0rj8?dT%eRk=s}0D%i9tNp=L1gn}>^Z<3Wy-f^B3K*@Bf1;{E zD=R**yyBL>CbO3fX<C+j^^S^$K=y4(THjihBY7FSox2JAt?3l;0MxfUM~^kaa(HHg z1A5Kye(pzo$`ALA{@>VLpA0gW__x#L^0(9Fe{wfmY%PrJj7{`hoGq;XqeaSAl8wz| zK<Iv;78@swBP;8!R*m#DPiR4JvFt1*iK2jsXx1n8GH>{L!VP*`wT4sS1i+i+>GiOq znUJyw)QnU%Nh3{iFMv%)U;MIs?9#48f>G3oR}6u?6DlKh9^c>h*hcBG_UmgcU{k<m zi8H8h-_Zw)<!_zjrXTc%cvlfB-Q5QE6@eRou%L*y=&Y|xBfMi|>{dR#zbs4#$>k}) zkt&`nLhzf*72SBU284B15_~tIXf{x1&7Hd+Ys)L~_F#vuar#F5#zH;PQtm2JN91V< z$F5GsQ(^+shl(d6UnmoY9`DdxbNoY~g~Yv1d_|Th`LHFSWCg-SIz%5_`1+R?#0uI* zr^Q^cFw7kI1ldk{_>oE`g4ePQ+9SAeVYX!STQ5lSo-HmjtzLu3mVk$-T^C~VT7n;- zxW9b)Us1#qNad_ilOsSBU%u!O6g2fAg@^v##4ELC_M0}}>g#$5>o!9rVF?MOM&Uz9 zY((~1C`)TYT@jbnNFvuMH3_8zL9L0D(0CC*wI$f__(r@-mDZ(gm*=)xA*r3cD?ofg z%6)0r)5@vSr_W%8CCrtIG4rRM=W|mK@72SgH`WY)i-_AxWzb)|<8Rw`{;)7Nz}Tjf z8pgYSL)`%$N1ihwY$)iPe_3mwSjp0L-e`?tFow*2d^%}3%TG{JAdAWU1Ry%rsIMS4 z&}?5=HB<NEhpRr}1^ot*6QTNtet`aaZ%Ne47@GWIytv=-KW#6rCXP-PcDBE}$|hPG z%AWy7<b_kzZRsyKg0^RjKUPthtfV4;Yil@m{~8a*w#+J0RD07DMNyUs2`EFmrafsm zcLZ2Wc+H3Av`nayLL!4PwbW5E4Y`r-(#kY92$#6j@jH0&EB7-eU3~269@u|>S7QqE zK^Y_fKn^|t0P=rhP&acE6YKwwL6~258zWC{U#Q?Ffa58AMO$Dn8vmxGlcvlMux#QC zwb(+5<k5^Gjc;OFjtqW2w!Pd&V~LA9vi&*!-TC<SE;_b<T9AvBr&(r}q-4;iP7WJV zU+_*s7i;MxMIPv>Uf%I`qH$SFDBD@J>#Z`^%SSEvP&UPN)JPw}onM!it2pcwd7i)( z*~`O=HquJfp9<L3AX6%DO~^REN}aYaHc1X3#v#{979)*U$5oV31Fsx7IKc0#bV)X5 zK6aGVNVdYUOILPKH8j!Si6|C(Il$mQ+H<J+{dB`GMG$51dw+>%>sCT$S8d-cQl0Go z3OOolt`x3GR^gN0+i8ndqogW_4dY3?@)xUQlBJMZ4BzMci_!SMY`VYc+Ijq1LzyY# zOo7>8&|&zHaNcfikCvjumUBf*B(v>aQ|Swtd77W!j*Vt|-7yixFcvapwUXL-V|5q) zIN3j6LKbBf{Okh-%7v>x#_wEB>;xdxBZ}X`U*Lbgf5l#e-za5Yp+Td3j#fUXU4VRh zdwsiRYisLvfvW@(ytd8V-)1o+4yBPv4(K1=6707F6iOUWf%2gm2+c|&(GK~LVNKIP zc+i^A;_^ldG!%+s2?K@~L{(<x34!A@<}ieVkIW9IG^39EDKkzv42jmLVc`=AMeOUY zv;#%f?+n@&tOFFHBl$2!<YUxnlt(*Lnj*kcr<2MDUF7bc%M)@m4m;eXE-Di7F!UzK zHVV}cj;$&qSbEjbbVbq-ye(XZ#qpm32qbAkA+=bIcjmx_V%j8HiV>BMk(jU+xN*`^ z=B>A30RqJ(&l9^^m0}YF)VF9WU^CvRH%HCNcSgFZ6v0bTs1^Fttly*@HJ45iSui@8 z{o~orn`Agyq3Oo4k5{A^ek2)?OMb~}>``Lnq3;1pCn7T-FzlG`{HGXefi6dobveLM z+F^05rGQ@9+!}|01u}OxhsCC}gQAn-!|bUx#NfRG#bSx=vsKI(hH&TbNvGM9UW<_d zGKtL`+t?q@j}gTkesxA3@ep4{SZw;@&Cq~k+fYmm^tch}s0H1mFFX>SqnSP@|6z$t z1q9dCyj!EM8mv*_vY}>ZHJynzNgscq0ae*zAg|0eKkD!j4%ArUlGBR{__-;yd{#Ct zxzh+?nm1<Pi_EmuTp=M)Z?ePYo@mivDBs{x<rJKg1*W>V8JI}CJGqW{J`)frDgB1w z_7)fVBNE=kLTPA9<#h}eipVSz_#b5*_}S_bWdk@1m&Q{eKp0t4D?v3m@#&V+eg!2o zE*MYvJ|&KX16H3T2Q;ffj{+o{)L13#<3u?s9g2$H0moboxT#yn_WWd3a-3jC<HThC zeRcp+!;vKen0;1G$BV%scGa&aFEkD7(1{AT2*-nF;P-AzjP_@0yQmlmnAD*vPvQBo z(Ob+XsTZtw(s0qR7}Lv~gS#p^8JrwJdBo{B89I#-)GA*kTq6i7I%`;U?t1YYfgw$B z*t`v<F#pHB^v_U_F`zH3rwbzds0voG^%OtMlP{1Ys7ivjnsilrQexHi0;c#ObH-qu zbYRE_LSDUdT7*~q4g`?rs$-GR-_c2aEx7p)+tZ_G8Ws>Tn?V;ExW%vmg&>UULntDe zheWEsx#M%^5Te>=%9g@bXfAj@`=^r7xWNfWOX6vIP^mUcsW4WG_I4F-bC=4mR%x** zgUZzc0Sz*W$^O07df+yQ@}ov@$F+hDRf?dlgU$kivX!_hR8kh5-nV`z)0qQkAvFZz z5(fqsscQZbJZ~ile^B5$7Ku^s15=4MSjn?ub1NE4p}fZbAGXdRN)TYlqGj8*ZQHhO z+qP}nw!3Usb=kIU{64dq`Db#GyUa~&US_<wZ%LIA`^1Q)OfXFkGs1C_$A)*FXSvdF z<Q_3IcKEE|59nxqvRMn%iv4b$u1@beUxV1WZ00iRc#Y*>!7zfq-KJcbhjFc|lF7U> z+a&@(tXgOcCpe@b3Va`J9k=LF!!}U@Lyp<80>!iX{eQZ~1;TZ6U-f?bT(Cm|X<cwJ z?VHYrJf|+jR1Eb!uM##D*(GBGdu+=xeWNF$oh5*sji79yUTe6}4d*Ye*Yklcgd1M6 zvbF_rs}Wqd`z>kHzoLGClb&!t<RrGh?gczIDItwwT;MG1po;`e{acaOXDXUHdPA=N zRP$~f?ir{ZVh1}+<3ECA9IUT{10%wW3Q1p37aX|GBF^kl|G-SY7#-jH?GO3R<R2fr ztPAx0g@{sJX#5I=bUBFK)4+9G2?9)wnv@tWEL?rnDx2ptv<~eB3d3Al+OO&DE7bHQ zlg2?1sbCl`z{(2&dCj^q%oR7Y-k@K}gY(cioBtLMCybj?QCiXD!i|+Xy@gnk?8S2K z0`lDL?BJt)_=hAf>#Sj|LA9PHSo5%i7um<wKsthbgFiT?!|NCBMdwlw@c2X9)JCGd zaWTxMa5nuC(HzgE!qtNhtKixrd7QuAL{s(RCuw{p=z56dNM61mQ!bcqpweaH75=J4 z`1Kftmg7Lo=m9(?a!ad<NP`-&Q679<`cel2Zi_XXlKHQfhOCt~nzRKtXuvscfTYPu zC2+(~eDn0d*(_o%wKbQ_oP)T(MPn@<3K8kVgHpO^BmI_fB`~z=48kWSHaiOH;Tv!j z<Ayu$FHYUsFmw<Zwh{cE&g|Rv9Lwm@?&tsW@%7!=SAZMb_pveqd@nOle7P`ecD{G> z^wt|hU9a_5kEgZDd@R+Up~nPsY}D$@6^5_6|A}c;KOi@VC2pO2zhuV;4%nP@Hzfl< zp1E!@`qG=X85$o`&F}hdsr<pIv*c6GY7;HfYecSJ?s$bxUG_X2ESw966JLE|ELht; zr2^(6Uu_YZ4;sL&kzk;r`Qz1<Pq5yElNtYz-8t9I3MVgh@?*tCIe%Z~Ab14+WfB&; zu#=v<7R)cN0Uv}b*A^~ow7cUHStHP((;|ch-Uhr-GwK}bBjmVtc*-`hDtOZ&qdEF> z=gPn_Lr*m5Sn_6nb`z(`Kupd$uI*pU0`jc)Y9%Ii6>}@9_)2lhsZ=ib14P*(7gO}D z_Y=#<lamks?cQJ2(4J>@_cyGQ8^?^XD-lin5*fZ&wk|Jt;0;(pFZTw({{FytS!z*D zn=?c+U>_Wr<~-wVdWsvm?_m-TB1zsN<;xs8&py-rOHMgPd9+}`z&xWYC10Uq%E>Jt ziOpS@v&K++wNSrLX7s8>jI~u1P~|I1Z~)oSK7L%<TYZ45JvjHQK?!L4cVDA4aEz62 zD1cIu4BUF2YAu;AqwLS;QAZx7RIhAqfrNcJ4y&8lFxYZP!kk}H7Ok)Uia~v!x`B21 zH)b*U??Hq6U&8KRdZ4|#^Z#lvxGKro|7)}MoT_{1SRh)xCy>EHS`r8d3o!s9k11)n zi?m3lcL4u<FQnNKXwWqlzvkuRK9ZzH5ybjNl}KUGKL*TFT8(N%AmVgF94mS&4VzO> ziWt0NWc<t4$Sa=9VraDSxDfVLM!F!S;fJDB1~TGb59MR=d9KW!x4?<>Tng?)8LxBj zL{$EI?s76TofCc{!YfYwXz6>aShgDJ5dzvUhJ#WJkS}?oBL=ZV8rLL14bd?aP|C$s zYao*%Yao~MuB)DahkL+QMVTr_9v}XmR6tG_`g5IrDp$UJ-9>7fjlCw6WEq4Dv>%y+ z&7P+|yYN`!#VI$|q735t=YgBC3@lY1*7r>~%<&3G0W#(f?kQZCXU$%QCmIyHk|~4t zZq3Tn$@Zs3vqs!cqH>uxuvY<_4vkqlpq#m}eS;o-`B41xns;`b*kPw(i(D;SwcqlQ z`^5-88~)?9)lf)Dj(@8Z->SwsV>X+b6xEa&|NqtD|0)FVuTuZB@c!-2rY^1yF81~| z&h+|jrvK{YM6drZ_0iHrU;m#Z2mY_Vt{HqtqwW#_fO`}$z&|1X|DAU5bTIt)&agB8 zcl^rN)_aq!>FkwH{uj7<tF9tM$)^0e%`QiG%u#EXi=N%Bef!Ykc^=8OIZYz9<jO<& z*1qo%3;{q;(rtm)`=+)FTbhIc04#XGfPwxs$dWHlKFPq1H#(YWW)`gZQl7sP{1@8o zVcj(`FIQcV;{p`h+B*IN+xk);eBjc94-yW1Ao{QSV~a$|+hs{cnQ7*UW<uJ4rxFSI z>VPJqxhhj!&?1p!&=(6v?%0SX5~wQP@VYC5bQBWR5xHuP**q6eR4`&oOlY-pfXYev zvZ@Y=f*;PXX=eNah5*>14@*9oCaU_{ktLVpBtgw=Be&qG0F|rP(h^4`xnLGxKZ!zp zP<0E}+^MPpiK%J{F$l6?;a?NJw7d$WWS1-{Ziv7HC88})Na2AUv52uJlwUHI-t{k& zq_k7SAk6Z${)z6OQ&K*BQcSfFK;G%-0vR%7kfcEXi+NZ4N*I<91+$1<DF(4x{oGS! zZ;61qMbAXRp^1#qT;Pw2zxqjvqyY`1mVB8<>I^a#9N6U?El$d04+uMB<nN|J#KutL z4^Un+Jp+=N%gMC$laCl-jzVYVBtqx_$Bm2~K;BAf0!Wn8V>I*?y6*G9%kj7F!NKZt z@ctWq&DdACAoaW5ADcVP+vbAip8$UDMSJBvL$~_h9vA|V?3?uPzj)nVcs6}s-giSg zQ|2M>+xhx^>%1HgdOeUYdfhv_o4#nE-t_J-{yuH54}bP3Reaws7}j>Z8{Hus;Pn-= zfo$#3FL=c%=-qa&eBkBV@^7whaesKB@@{c^MH=P+Z`|&@K4<oKX5&9M?SoeNdp*A| z4A8mmVF>!Ryx+fISz11gUXKampf<wB25xru+#T+|Uw-&lJHClw4q>02PM0tH`qn>h zK8N-`)j#Ll_V*Wc&vsuHzjf`dk9RFCZ|rY-B7)2}>D&4?OQY%m=CP?LeZS5>b-h4j z?S_8c;9m85M82-Ny*%H*{E+<M^m{m$TKzY;*J6YIrFw%$<eb{;2|`EcRy;-R2`s1o zfq`I*_Z27biYq{YI~@z&?h>DKYkvjY0$gDyPa%I_ln)cu7#lKdK<)m1N|q~sJSWdW zrd(NqcOz@K2@FX1Dub+<aGa?AV42CFNOqrqSWz#i0@}@#+y5-jxAC2Zf5Au>FOH{l zgR|(7ih{uat;zLZqkiykiNnQ3h2#lYa8<uo&y+J)P=7`>J8Ht2SE`80KqsY1mVCI` zcjdvdj6kF#p#j|jUzJPDnIU%s3^4DXbdUu~*(2Z6b>%PK<I4B{nBbV}YREu7flDT# zD_Feyq@t(~Ozs8lRbbGPB{A||?7+%B6fQ>1z`P2Jh05qB>XRAc(Cz1tkLn=M<4fYK znLUK!7VZ(>0w}1;Aa>_k?EpyA1Q^QFAqMyKg=NlzMR?sMpFTPOz#3?R0Nj)hntkmT z3tat9K~KIn&m{<vJA`uv!-hB1?tqDL!1DQ+nEjkRWXhY)tmTgk8oT$10hUf8&v&&m z*yPA8Po~P4D=60R{pA(F+ZDMp<qx%tBWIt^eciP;Kg=e`B<a9T1>oND-}RmM{lfZG zy?S^YaDae?375AE!pSh#5qzBukdxBw8>MEjS)*@a#vr%zex$kuPNPdMlJa1#_+y}U zX=_Im2lSSM*1)_Z0_6hMjiw09?Z}gvJ61~NDPKzz>M5XHlQ?R6hF+skgYWdLcSmq0 zg8R1W`=%)#$TtQVXf->1H-!m<021x&w|veI=q7g!W5ERv0r=Imx;Q0AhWm1~j^l3N zOkOQ+--`Z}4<fGXwG<m<7xFug{q>;vsxe?j6+9C1wqz8F5Gw?iuv70Wz>5++c0U2a zX0an02-ApTb6oD5ktCV34--rxYJzWa&q8U+T#rtN0Qt1vPRD!uQ(R41j8ma^-A7L4 zm7MY@sS0#`C#FY&YV#-n%ko!AA~`E?V64_Y071OJNiLvYjJU)br7i+9MZ%1rTV>u* zBZ35DfQYOO**xEm$X8%L0t^h5I??_jj-BI(69!4Ng(;s5s+J)?V5pJ-l;q{YD=kjI zqyvsF*<IuFf@dPAny8dihxC?8?*>$gy5E0K5E0p5$TDPd=qaTcg9Hf$Of*3;#5pyH z1xbEVr>odPS%NufR}cYIhEFg+KG}-pOwqe<)_FLtM*e2-i3GE_fqAlg7!Uz8-|s<J zNiiS3Dr3d=cTxW1=5$g1CoPTAnQsI?ccL2+&o~({0h@uU${i^^az>}zQxlZ4oBBc% zK`4aiAJM-+wj@XJ&Uiw>09lO(yglGZH%1#d((LpdwPozAF7r7A6X6zmrHp{2k`v|C zAG`|^K>Azb<1k?4P>?5xXaMyt^+z)i7?`b)nYqrw5<%EZ00c~Nu;&;TJ^dW!4dZ%D zmf-XDmzwfHeI&YDLWN!5G}6n!4FR2o*>!JO-U2zm_45rB?#ELrC6(t>{Pn*2AaVzz z%m0FJClq(n;Dhwma}oKdlL#O~7q~8C2nLP9=WxnhFi(>FX+3-$l3rj<5?T+*m}i{8 z^K5_Jx=)6xFh5=4J4^uR6#p>_M2?#~)L3^LJ>kr7@hm>!uiOH(NIyqmvI5f%_)UQV z*tfT<RY379@E`&f9b|wByn>nh;z@$^_FaR;`D9KKPXrUum9Iwj(eUi3fpNnQBOZR) zVu=30`4d4VsEdrQ_U6|?_TJbKE)~=t3Yc)|zwfGW^#g~Rthl+~u5mo33P5b)kTn6# zCJCg=$X0r8@_P9BenL;asl(`^PE~GdUr<|*Q2FOj9$r<}`sp9sI8IDv_+4JQbrNAM zI7SB~SW6~J2*h>yGZxUx{DJUsNy#2Aiu|2<gvSd0V*+fb1(L2B-=p`cBhO`oY%tZ% zTiYrV?4O*2GCQ$Jny6QQhqjBxp_}2<8AV_#O@aE#+t$RzM2-J3JxoffZV8h)1Pz@u zC(sE71P9Owa2BsxUX<DU7~h)ludHI*S-1L&%V(>NV1TaPFs~{l=!6engYs4#Sg&%Z z4^Fy~Y--k^@cGRgHHhd96%P|`zM&!A71ZvUF!tDTLIlCtG&VN2c=@1A1i|uy8y-F1 z*)Boy!3!IGh}~yig7E4c)*dY#@q9ld(LHFO#H^;?2s=k-`h7_LK=20P7W-tXdt-hZ z%|_`vQoNyKGJNOGR$bEJG<D5Mn#hdG*WbTCb_ak;?)6Q<Kj!){<s;SHIy?^0i-ErY zzS))aEu75qmk0y&?x5byOy&4Ju3B*yvpus7@sq9AHzE4x-&e->qJzYByeVV6(a92Y zkETDVXnfj%Ex@dvj?DyR0bYvF9a80Ckg7^IiJv)vyD-=UseD55z44QvHtIz7?e;^W zo4qr=#~qvf$z-3<e1MC_)hTHfPMYkjB1rSMSi+k&U-JC&%g`su{AnT%C+bJe>FVMy zJR?8&*7!!vcvBUwY4^Q=$JJ|kPtn>-mifNEOisDzS9CH@N}n+FA>-GdNs{r4g{!)h zY#MsN=N->PaWIcI6bC94bCdOp{@i{Ir+;y0PLQj6U&lc$-4sQ9yj`CL<>Jd+iwFbT zTL-*KJvC!=PA&s)_=gZ(X#b+Z1|&s%u}FZVk1Fua>o!IKn18h5Vg&d>(jT?cCu<rf zd-lr6xCHb!;S|gsMTd+-br6+3xXqu*Z{Tu(v{C1N7vcBRB}upBqfd0ghM!p;Jw;We z$(ARZOG<uUf00nE&eBX$KAW<^CZ+tDRKf(nBRv#BL$s|K-@?Rg_GD8sVJPMu9vQ8N z`$nHYk;7%tB>fFT-lu3Z!vUBwURrXfL^`q5XVA`*-7-~0b95V}zkCLAkn$c#AQ7-` z5gX)@7JuicG@LPKBP?L(tc`O7K{e?Fk$gA@X>$@%OUx_n&xYHd2bD=4$fG37G%G*n z-g97NUk}x4WMqWMU-AISPD?t8MtuQdQxa>SMKyBdDjwofAysbm?Uz%W5#)h$^j6x0 zb|JjQwdD(XsQ=~j0WrOj61N^3SV5b_Ker4ZH37!yUHkFuczsBqhAF%M!}MKl^Xt)V z^mVXVwO1Z7`v{cR-v?w2N3V)V>R1338Nc9>FsK;Vf{$)qqb;SlC```A88LT^Fbh?y zG2smneQAeoE?-J!mwN1j1)59}Ef7L~mIk^a9wZ(pF?$<A?2)^t$@fR>c#b5fnMoy3 z5lJsuGPC6%5JbjDGzENa_b)o@AY()i%N+y%d#QN@GQmIe!-FP2X($vDCmkx6R@DNJ zQ@@RnI1$EAyi75{ehDPbY&|$Z<Uk_Oiz1y`uy_ar28GLHf!v`BQFxKYz{bp(K8hQ{ zvLsqbm8>Qrl!U2Zc~QLR%%B$;WjzZ+A1LGi9U>8{)Y#b($}AdcpK#VYEd~tOKyqMc z)(7~!A(V3T!cRmOk|Z-36Xfp_vW?DuFC`|^%=JVorUVUoDNI*hF+dy3ipqc{bb=oq zu`q4Ig$iN`89GH=qRJRK!Kr?N9;;`16H3H3u7`IuL6$BWWeX>NY~U4;AyiV~w-~TM z%nFK=<N>(3Bq?&?31Nt$>#i($g<b%0*1So(xo|BsfJ2hfV9{r}xBVD=uPuGlsa5cL zSh9x~Q(UkW^I5Mi_bnLwp2as^NGOV0zkeJX+vnw258fB=jc1~n0GL=_YDGPoEk(-N zc3kICG6=mvV?d5y2&x~(A?Jy^(*p)v>Bzo99Dl>K{5?Z__&1ybrHRsDF-!D89&)hI zj|fYsduV@70=p~Nu}zX%VJAY?(aza6K%8+uj}QT%id2}`F42Wj{c3?|&-MEm!t8;9 zcix)({;*S;2@N;SAR~4=@f&j3DvL)~8-W~V-D|~&JU^ixWHPtRq#}&yJ_ug*0HFL@ zY572Y(Vim;Ph=3>MU~{eM0!P$Z-3-)6!6~|2GU{WZj`bqMvXI$LZLllv;5~m7Y#jm z`3FcjqgQ!(Jog>9KTf05vFe7e^4s9Y!8h%?Cu=OR^AZkfp#5748;}Q@dKa7*n2&L_ zA^>pI-^{t8X3dFz<2V~RNG#ID$aGJ=R0IpAKKg|?T-0jd-BapFOh#+^XC(rk&dF&; zl&Q6Yh6Q!v7F;04qDlk^A<`<If#$-V4i@DV+*0`LKyzE4W5xA--k0<He!vpwftdS> z?BRoEUlw!C|I8gGBTl=CW1T8#JKX}6-T@-aOGXB9uYxlYeVG-9yPHcr4TEt9>p!qS zi-)Wu8mVwqMeoBg4N`j?n$`l{E=O495ea|K5C|`jkzasb?pL_#WL>oA_bY<BN_Oc~ zva>P)3#Nr)W7XI#IopD%M;0E$27e}ZchS28Sb!^@42UL8TkI+sxV-1Ems7d{NPe-< zNe%!$sh4R<3s*yf^tWKa33r7>2K{rD3R2+P)&_Pc=h+sj5f?>sePCsfM5ux(pv}Ym zYH_ouj6~zt95mtAgw(fJFwRY3N{620*+b~yaopK+WBft%GtL_+govA^1o8%|wTguw z4BL_XkxHIky#Qmf{65Eo6Yuack0d_A^q4%m@CJGec6OtEeR5F_)Vg_k>goj(KO*ic z@ts)E0EsK2o_!-K#ve}i<e~#c(Etd_vIg)=8|lZ07?dM-SfUNYKk@j($6u-X)=LL1 z9GDo|Y|_6LNFPG*2F+2_hZg3YcE+7zTUOSY(Z&ldP1=C9^K}v3w0D&CwC!<utRT$4 zx5(_n2&&){(S1llx%92sqi}CF9m+IG4i|xV-ew0HqV?<o@+!)<t_3li=q4<PkTb}| zGcGqzbn$ShKtDaM0eOPQS6K)I4a3bK);)Gu=;md+xBp#hP>n}_bqj@nZQU24Y|z;T zgQS!VSDVV3tLdBY!kwQki17%kb@z?|vV-ua<^3Ilc8Tn+J$z%W-R<%XlJz%o>*tYV z9KJ9wZ=JH6PJfA-&vQ?^c!PzG?xktHyUG#m?@$Scg821p@*JM~R%lCfdk=BvTfJl) zgwhRR0u(^gRj3bQc)|4|aUvrXMGW^3R$dO_lqQo9H!GUPMx4Xio5Ji5l<BOt;8t4b zs9%HKEz{^5E)rvw0+C=v9<D8xEROihx+}jKcOsati9leoWIbbI)gAyMH#98~M!5tq z%LHB*idooJ1X=<TmLO746yd~-%4({bm1HSpHwF>3f2DiEMfZ3;6C2JRaIEL|IGTcw zwXCf#^=S^O=My;7Dg5Ci{&XB_-I<%e^ZwtcD=!6=>wQS{`j{a&y9aa0zvr4_Toli4 zSz}b@#^Q-H$G#+^gD0Dhyl7~>nB9HnFcKxhMIAm~a_{oi(M1awOE=sa{ivFSO6}G! z9c7(|T+Cyxz(rPW+l36SMGO>6y~3I@WgY`t<QpWNy!Q*%S%q8B;KnE?86J*i$u)Vx zEcY{~>u=fyj_)-sAdfCwvZEG+44ryQwx?3$Pcb8BZ}c8zD8K;n6WA>&)k_p97#y7^ zfQ3B?E<V4!*S6sE)-6RCFwb-3><&j)t0(fj0L*fVzBFjGUOpvM!;Y&?MT}+~?{P*f z%Mr~6dHcE?cIfCK_Ko&34YEo>xg_(vgC@YLuRo;V`Ro%ms$w9n7QsP;B_^qSh#0=w z)k0M0JCBmG=JSAe5?4KVm;p8R8vC{bJ(f03qeVefzOBBAf?iTbw>A;*k4BQINViB& zaF#D;1cuI~Qyxt9*UP#hl+^HtC}Y}<Se>ks!!>ByZwnfYij3$i3CC2hSA`c>{pYr& z9z{<aC&@U%w7^@Lvyz=NQfHPnR?MDi&oJ2KGNf$+@F-^YKVb81@ZsZmyyPvn!jeSz z-F$+nfmLfXl*m2u<$tlPdZM&%)qBi8z^VgnXISBYj!G<$oq~%ZEblocPm>vmz~CG~ z=@c}~Lap=;N4>w;>?-c5nmo7Iq;U>PQSlsewc3*dwGo>!ee{anF6~$6$ur&eJQ!au zo>1EO#XC)4)5W;8<IS*R0o5Kcal6k;o$X}qjiju~^BO4t#LpYW_v{ec?rbZp>u|AS z2PsTwX2@n{v04ignw=qxa9k{yI0{<f!tWbtj2b0~@o^ZT;mhtwL~CzZBG=!8VHHwg zYcZM&^XhMm@?(`H&2etJ^GP%*8ob$gi%}BTQU|7{+%=S>_AONG<5uGBt+M5c%hJAL zqJqanZCSvvQMEDY8fzEH+2cz}LlS9)2b)+5rIz4JOMrQ<bjTSa3<&t#@!ep3BR@S6 zS^zVGBpiPP5k~J_$5IAwKqu-SQ8FU79%N;I%;BT}xPm<t_}f3tx(mo=vP--J2}7(R zIocpp?JlQXgXT0>r%y4ZlXQPivhDHe?0I}z?Ak-2A!_r42#yzRpwly}!4L{j<@UeH z2W>iBG63`jn^u_-#rnA<s)WXR<PK^3048mHmq~40wV`1^EMK@QMcq+UrqxMi?m$`^ z60D5*LLUvnbI`nKi#!bCQfMC#mp%4>5q>py=k@Vx-Q&042cx|!hF!7fQPDca#fkxp z0(St<K6HVhHI5n>?7et2`i15WBMD1E(Xi~8+xQUnpUv(pwtYl;f`-Pz-VxBDd4Mb6 zhK_jwMIhIZ#C-ak0xQr|+41y_t#uCUx<Y|T^hZ2|c58K)dSlTP5UC`zUG$WOH^K}? z1|AMv*%>}ooTXvspP^qBDC`b(?afjhcfa#pnjN%h#KH91FY4(YEH70x?sX9{Fq|Xi zDF!d3826vL!NbPXL2F43`19oTlVab|a(cf_ElNCURd2LO3{nU|_Hw~~TBQq8CM0Y+ zwFcs;6n8nWmwi*Be!EJnp31|>cjMS_J1Xv<h1%-9)vbax^1iM*XIPf{^$^4#p4X!F zJUGpqb-$3cu+d<GRS!sY;T9snEphPe*c>87Es{34RTqc<<=KR(t)k69qD2{?-xW$x zq__^1oWtEvuI5y~b*aDv*!5`k1c39gH5OGXl#*cT(rW>|jd8Ecvyaq7ipUf`=Cgew zRb51qx6Rw2DNIys#>T~Y_X>VMR)$?x2jd&RJii*#d+2%68hp)UHz{g^qu@RBwC6^G zoB@2}4C=M4JPuhCzG$<W;_@vWgdWOT7qc#j9yOGB%a&SLk6rS$5(K&y?ZZ#7Y8Mk? z@7sHOs1(*y&qeIGf169Kmo9*2dnbsw^hZd=h|PORn>myCqSy{#vlZGR>a^`+Y8N9O z8PAU^`hRx>PNaDvVW0)#fTmM05|wwbd?>La;QVp7rn{jl+H)Gw-R!?GT@vc2^UB53 z#i^bm{Dz5L8;p)%OT@zqkE7exHShy!rK1(;{9F|^k#X`Sw{WUNPTyfeoBhxoU1*!7 zHx&E~Uk`Kg=t-y^@K!z{gr{}Iw^RbqnyK&hS`f9!)hlk@MBC^Ny-B-qpte|QAHEVI zX)MYI&I^_Njh&&}@K%N~KG^oO4CRAc*<g#^8$f&ARYomG)h4@xU-7o1H%tO%^TBWa z*=bx`rWa)~`t0~T7k~<1a+vGcO4I^w#D>AX&MUh;VO}Pp%=??O<)G6>O`uM&PXfN8 zg7Pmjm@RV{AhHm~mqP@g?=CXIYb8jU226*9q}4ej917|zz#UsKX{MY)maOn^r0CWz z#VB-*E8u$Vz&hj7Zazq##!CE5sm)?BgS2<<xTvvZgH%4*OHrf}Hk?dr;ly(L^tE+Z zb?(u-NHxD|Z2}waS6?5M1c2wuT*>&vkPKjBoV%)$M^|t>`m4BRbDhS!1@eqPErP}s zQ70X*maRtZsiUM@4I5Q)L2;F9+Rau}PG>6VD23RnEd<-2VIZIUg}NAW0EyZbBrC6q zKL<Ud%XgljZNcHVqzPnR(3^WzZByWW4FC(lR5q@_{JC<cu}aiTN)$HWRyF%IgN5)S zv?9;K$9r4?_16=wb1aJ^@j8OGnGoH|&OjEH!6CxSc;6kDXCF%>o7VJ}YlYOYdce#0 zafh*>!gPN0JoGkCucNNkhaE;*91)vs_@&RwQE_d-wW2PkMlS7s(2sQ64B882LZtdk zusl-=t{th~G?z_TNxQ9!3*70#`(t=w*vVRe_unTH3XT)WKin~rBv{djLoW+LoB)pm zBa3iz`o4Wi?!-pWV2n?t8U8rJL?hH@EM*OL?ZE*$p=(9PNvG&G8nY)-H8X_41}-4` z86vJC&`~gk@yeqS-k#3YP2|wxTvO&!2A%O>fA3CzMo|5%SuOp9A8^HSm50Phz~=p% zU{Nlix-3z`i)(XVlRIkcyuv#70JGCl=T|Ry0)V(YMrXaRZegFSqZseSViI#-*VcDn zJKG4c3R9;YCW7RY_k`odis@074<mRN0uB@`%d!?_F&qlO=aHtSOl<`!B^2q5-doo* z*EB!~G@rNeKnOz%1hWe#T3>X}J8_E}R}-vA&f*e5A;)`;VS-W2%)8%GO+94E$W${x zkZpifU>quNA49A#;%@A<un1a64Nwx!m1U|E|8OT{GInO3#;GIX<|F)r<|8xV`6~4q zU>N@Spy^dz+6Nl^m|bfe(1u=N#{-RLTjAziDqCP(!qVsGEvhbuy}Yr+yz<~-%iWj` zteJ1vF5A8!;gckjV_+=TC%8W#M1&5@{k|^$^XWo(bzNyM0ny*6u;r)au3UHFH51Gx zCR~L1f=$GTW+R3-*eL9g6|bWCd(&1dHz+dRvPD6KJMv&mD@IL=$fZ_H8rr2+ikWUp z)MxqvxfM>hRi)M?eNq9vjJ9aQU!Z3Lrm&FPN4l&#rp-f7^y|(=xWiNtT%&(yn3odS zZP{`L4sZq91?3XD>%z-ivgLS3pINF?=f*u;=B#Cp<CdW`=YU~xn?d2c3Js^O)ZBh^ zYKnf1NauwHG_8%Wjj4jOKe|vC-OtQ*oy{@-JYou3!<E50FY0}oMzw-qB$DhQavZnK z%4q4Yxl2I**L|MmUMbbC=2I|JR2K3=22+J_gIM*-UL)ov1YH81Mp0u+M0}kDx%-J} z0)uAK$E8viLYlF?8ZmqyS>Jw<C5Nzo#q{Zdi~te%(`{&~AnZ78_-smQzVW3y*d@zo zT+tw^iIE7;!dOK#%`PDtwh*EZf5vVc;KC_ZTN5M`HS;<085~akgX~X%b<IJ&Q{Ei3 zi#pM9s*o$}kXJVrgX(JUwtFVNLaJ8E^+z!=MeEz>m>!P5Gdg%fdPzl#7%n>14<-CO zb(O8*m11d<jW=n96~gN1_#n%0{~CSuN5wpmW><U4PA%E2uZ`d|D&)9L522$2x^=Sz zGBnP2%lLZFZbJ?VW)Y<jLknU5xX>3lRN5qBP%-NR_KY224i{0#-+!J8LF;G}^=K`d z@2ZP>QLD7v16n(1zO%Bu;)>tfniqeA%5O;QmjV4jl8V&G@{JYHPF}p~J0vS!AWI?F z>)z@b+GQ)1#)MyPv@}TXR?)CPwo_DY6oUpRZ`KJhqQBmOHIyMR*;K%AS=BL$+#nKD zBQBX>G~BV~E|nE4CBGKU3r5x64&W$a1L*objR#iAH^lE6OR3$}I2TmO`soN750^TY z0WK8R@segf6)tz=r}DR=!%R*41I|Jay`V}d!b&>0q!~54j2D=Inf+EF#`+5+I5bQ( z&@|<Eg3VpQQ1MIONaxEe&eZX~UNY-le{|g_Qb)Dq-QglReO=FNl=Nc!At&#T4$>D5 zoD{K;V0#YO-;8whWaRuiGh(LnN70W<HiZahzuAygP-wc}#A8o_X+?dZM=-)`K<kwj zi>?qyr(dh3VHvTY6KB<xnJy7zw^gKd<0S(uOU|x%w{lGdA+Z=Cv%+M{mc-S>z<SqQ zBsJ;Ysk^W&K1*n4-`!4m%_1~zg0I6XKKq&>5wVSM>s>On^jGel6tDnTS#h=pJ9lb$ zNB%a<`hlXzy4I9`)L6GA(^*0w$iZuylaQ|q(P-Laxx9h2sGy&`so$4X#ivEZuR;h4 zeg)uj!K$7<KW8qIlj?a|B}|jG#@(@XsB#I-gxwH-4MXVE(Z<~dFTw}VTaHVBiOI8C z>Uhz(!1^X`FQWl#*WahgBw6Z*0c(zgAw#!i@n(W<wz<igKNpMr^|FOKVdmit?}{=M z+<_qtShiK7%}{}rvTg4vS~by>kx4!GvaU8<bdet+80+jWkwGcPu!p753^Fb)23S!J zT-4$;HWu_k`{wOLiLMtlL|>)icEKYiSC;4Cj=B*y_9TF4Dz|8Lz|Kt|rdO_rPuK>; zexX)8<jhQzra0+pB%Mv$CSGbTSQ|$I$#yR9DPznMZJdUv0H@rvEny2j9sx^;|D)!A zkTe3#;-#ijD`Td;UAN3Vy=ux0qk!!(Xvwm;71Y3%gbMJIJ9eUV5(?BKW;@l7rqvR@ z(?OuNjY?^10Po0J+whl^v4Z?xuJTnui7OC|wMbhulRb=W(ec8%1X|FbeQhs^B~#Lo zzUu`RDU!cUq%QS+7CYjxiO;<>1LeK`$IZq44Jf3QB;(@ddS}EVNGv_&MZc9VR8Rmr zt4ngEWrWyrjuGx~n0FWFF`r}B7R)fJ+<Qrs%U6c3?Il46Ff|D~-l_!zieYC8{g=ta z1iF2j$*8xOAI!9-s4;{Moc^H;#VkaTxe7xXOpMj}-+OxRh&PL6!1tT)cz~9h*yfi# z)uUt1Zfo>9EO9mmXIq22x6K;Zm4o*B1g*XnsPkWL)x+pBvqrmaX{-D2l2bh~1gphF z{ptm8kE0HGt8yuuCl06`cSD42*@WMe#bb0{k1bK1apRgkG5Gbv<UFK`*q!?ss6+gy z^i(~dx#4ZAdn5v76zjFGaZGN$;KZsxi(N&`z!-g3TyDR`CA@5$>H7e>)MrSxVVaol zYhtM{p+Fo)T<mqOifM;aMzaR!(erUbD5Qtybf!6<!?9DBO>Hh_TM(o9gL$$MF*Nwr zU*Ee6(wcUnSn_lJ%PVZ@{>ur4>uz+bT^O$Tm3t#lOB_D}wR`ef#IK&eotBy_vcig9 zQL}*MToLKUyQj`!mMRXhK(=1Q=#M_|Q5^#<rOI*zXQ7kul|g!Klf%{56$;{Mc7<1I z_ngo1CAaB4A0{9S_O3wW_WG~7!H>z!#5t2L!Mu+hq!#X1TM`cXiMh^vBB?=aaBkg{ zYa37OK0fU(kkB~-1ue(p=T+`mPymlA=A2Jmr99=$W#0C{Z5@-CekoHZu#WGK(Y~bd z@sEnA`IvrxjdO~T7P)N_$C!43%$C)_)ri5LgRUFTqwMxse8ME(DRKqu8%3aWF+nmk zgOVm16PV3hDX=>WZQ_#&0!t(2-eY04KavWsl}>HVc&zd`E)uCvb(FY7(0j_H2K=*I zbl4luj4#Px3^X6=Ho|9&n#7w07Jz*{5nK!k+&o}q3{d72YI*BRbRu;`%VdF^2p{pt zO|?iybt5uX&mdpcd=)P1HX7FZ#3CbkT9y$RPGRHS&OjE6&q1&MemUvVb!C+1XF(T> zrVh>5fG+h%r#xB<T#_!%QtH;wI8dDaxV*r*>uYEv2cIGusL)ES;p4j#sY3hlo`bBY zvgVc$C+1&j%bZ^II$T<fpV;bI%?riGruB%&2f_o7M_h1;pHuBKERT)y+(%}4MC5M+ zrOA%8S5%_MT!KdCgJw5?Beq{Z`oFwskNU;iJ<u;Q;u%Jch@<3Bu%t!3>jkz7^rEVM zWQ2dz$V6ksi3aKgj01Ie{CWIQk}Kf*0Rg>e9)8zz*SZI9@BedtWXac?mf>pl1Ej_V z2(WuxG@_&9WI#70i=5mE8tC!i8orS`27isWW>Xi+%J+09rYibqx)KTmBAyuq2mgp! z-7)nZIq@RmrP@nFot>^DhEcC~{ouzJwX@g&Mu!f4iyj+T0TN&ZV2%W|(t1Fn#Y$Ah zLK=sM(u-VcdlAr`5{TCNghJagoNc2qF<ME%%PT9f#Txu3x7h5AI*g7CUQD1-N<0~4 zHyro{;g!}j9k%9_i%|CH7W4c3%>R~OEf$#UkqN_DR9{v9uok-Qy`3kO6DunvWhZ}$ z!R$sc!6+mpj=@IoI({S1fBA%#arlGAfWS&s0j=+gc3=lPfT9vHmlXHss4_ppcWPnv zVyC{$ctODC`+8KYp|^KuckPTnNZ!HT*!a70(^z?E?vCeamI_3vh1zPgMj%_aO`)=w z^kNVe*cHRO0n^5Y#R4P`E7ztRw5sQ)MfY)@PJbhP`(+|#kWZt0AdIfZVJ`XxlbDov z(k&5L4~~Ydt!TMxLcZoF>_STuX2N(ig9;)i+gvHX6@Ao~?5TqezJ*;Mo|&OGnbWHS z?Rgcu5xb<lHeoo^vDDi?Jv0ef#1<0Te9sOYcGP^ClZ*n8Y<yr)D}G>Z;f-cW+Q4P< z6z<%Q$g<<XvsCCt%|+>vl0HWH`UQg3>1aM(dO?w5hWAgUFZiSmQY+zW8i_~}s}w08 zI|K(a>&~$aQZiiVEi2`pxnKTCdup0Js5<)Sr!6<lNNkO8;2M32CjsUXg1!WZAZ*%_ zWfjBjtuY)$`{p`T34K<kT%L+W?z2A_mluewpaQG3r)Q#7lBR0|nnQyKo1JHc%`uhN z)vk?t`nuxuYh+!IJ-0=7*w5qoU3dz7S1x??{Pdp#r^jXj==VgzVcP^}JLRbG#GMwb zf{wvZwOFmt7p;(9y?S~~j#8%;+VCsr8zVHFvK+7sjyfM?W}pUO1YJUw{e`k5vvsoU zWzyi9H00Jw_k_1fY-0S+C5WqaskrI3%zM)t7mH>wEst!%3!EQ5KHU@gq)9cRf`rKm z^isrg&KW~^PhF-?{2okvTIiuXbl7RL)cI9r)0Xz9%imZ5YOB6gSq>b6oAyO<EVz-b z2zJ%nx1Fun6RtO#l4FM|Y)Ym+@cN0M%W$3`x|BJopWd)itxWT=f5rGA2Jv_E)t7A^ z_lF$$sK9f=JQC2&;qiHMO2|cZbof)MGJ4+gV9VMk+o++`hbD`@4S?d&uI9=gVTf0y zja=2|L28Um?QYqDO64%O5!x-P;67dFwl&U24#%o)fGbO#%EHx7E)h2GMUs<baShkO zV;5=Q4$erR<eQTXP-2T?TU+&7dfQH-Ae)+@pLI)(5%zjDv<;)f(Yor|4k|W%&|KuR z=HdW22@nKM_vRGS7u1z^Y|qGcLV&xnK4x#YdTp3X8zP2xMzSv_B-kTQK76XDr^s=2 zWsqWS^^S{ujI4O~3P8UQhRatXo^P%*<g*X6swyLr_54h6ov`lZbBPh^X5Eg>4ts43 z8QYrdF#fJ%M4X8ezw}~0rAleEP1!w>7o#&EJep_OdUIR5G?r&;*l(n^i~ZQLzO!hz zfb#P=)Af2-YE=x*jhIunXL*kkB~2j_t-BRDOU#PI{|rzI{-$7znn^=1>V?YLQSYg_ za-@A=yq}ZPpQMaGg4)zu04S4~V?dWS2<0gW_KxL&oOOYlsGLDGiRECrp;xO&QOaBz znZ%Fih-Y*mx3LHyp70l4M<7Y0W;lZsca6`S5^|v{-Pi_(Do=35xVlDpXR1$>rM_yd z_e&a`3o*Tr+?t{Avhz`<9u{S$gazc1^h+bn@)Wb_g2HJ)Yt_I6?FA&!UvZxQo7M7r z?08;I#%=>0HB*=iQHQ1aBb#?VIxO;6rn2?%=YId?-{<cEh}!Jj>|4Urrt<{czgyvr zfGmz2yJV87$0}uJ#1|Wxlc=rs)nj~uDomo3WUYbm=5oyLU3`GJ_VtC*FFROP@r0e@ zB|8VzmW~m51m+59`JNgFaH`Tj1vx1MbO;CPkwLE@t00w{Sn33l%)(mYh0>os;H$p! z#Zq1E-kJerxsg|}^vnp-b=W1Tk6c<cIPT`t<ov@A`>Cmbxh1;s1<V82&0)@49>vm< z{W%R7Rj^k^Vw7AFyVnnu<ZaSHfoa9Jwt}B!>8Lhanz6m8aj1`ALto$%9P&xYADJDu zg!3&>S8)`j(~-F>+5UlvG2Ha#m!-hVg5@n;GzG+nt|INblPoVo^5cmo7_qW!1Y1{& zWxQXC1zrTI$DEtwY|fc!MQ%LUR)7i0*B5ZX;(^ZQ+2ekYy<*@S?P`0iTqLsT=!A)X zxUF1@W+TOZ2o7bN*^9e6ZTK=XXt&tq8wDb_%{}px35BzD_iPjtd=w{oT2iJ+{hZ05 z3{A`qInQlU18tetbp_CW90WjNPRtBA_r5jr2%$3=#(dJ_{`n&^;v5j<$w*D7FXNIG zXZO$Nxw|CFT}BUB4m6_H5f@PDHajG$tw;O~lmu-qk#K}~)$o-P5dsa|*4!iFYsJNS zd6nqQa?o<O7Tcqn%dZBFtv(7$qQb}OEKOM=t7NONsSYV9M9jyyY5{o)uL3rg6sh;a zo*t?MQY8%MQo2_oh$|FfC#YOq^9Bbjw_OQ8)TNI+@gi~bI@gJV`aG``FFSx6oNHJb zl{@S_xtQ|}n=U~U@~Dn%D<cPkRkyvO%^){NS@%IF5%6t5FLzek)`fYYGEvHGx>^KI zEuu0Mu?SH=C3cI6=%@I)euv1!$;R+QBhZx_W|7*7-s#G9MLRyGEo46t5$n1Y#XY8@ zGYx`dY*nJur%R=F$tV%Wa4a7F?nxVg5@gCO_>%!H4~5tvqtI{|l;SCQ>K1|45qw)X zA7Z$7-6=kmb_$V50FXK30l{PHhOk7`vZ~8_$(tL7;l+}VPbg?D$XrYfU_HeO0M46; zHUEQeOrM?1$GIt8^IN^3R-%7m)<*V8>~@~=((d_0D591*24*Zv;Jk$`oQ~qn*Z+9k zM)-dgOXF%bAX<<4nW&N*x*~znt`Sj`wp*)-eypn2aTXhExM8%YdR;|OqFHSuuGA>x zw!{pTnM_}L<)uiZt9!_MmOiLD@dt(l!f0W^8g(*>W&sANG5kd;)ZPHZ@9H?}O6-O2 zks?WT$r^wR7o1L_$y3P?SGXv04qe~=?n(bMWbQqeKQ!N~RC~<}-=_b=yXN_9!@l<J z_j&C82VAk?vwb^#;P>Z#4<WD5qw(|Mj=<xY%%iLC`vE)%NHp&T@23U26s~U<R`2G= zM`8|eiJ2G9r@6VO4<Dx&D)0BriG0o5vjM#J>&fi%`Er{*@ozr*+S20o-U#(uXZz<B z^BV)kQK2wWVtco=Te14$I1L^VQCJQQjyV{tItvICgZi%)zh42jf#r-AyV|ec`7X^j zH>u0OAI%jS<n5nLwyCyUr&L=ctLIz<ztS~IJ@7*pnJA{UXp-)KjwciE0TXXK0^N@U z%C^7PY}oX_Xx^vY>@5s|u7g@wi9K>_)=rS+`5bKY<VF{Twno-d!u-;9*xI9E_#A$P z)+ay!7*@dRk?74)T0vu4WtM=Y(jTU%UoD#!lK@Lmr1i*2P!icNJd!Iw*IuScibh<B zzncB&wD=bkr?Iof$<Dlpp1XM}&E3P$h@7QUUi1418QVrj>=%jR*eX}BC@`9qO?+15 z4F2L$fMl&EXIL3D=2I2Dl+T#!R;gX3nRRZTB_u{AJo*D5vC5gI=v>371C{a8b8h+e zza9P@|E%6UL)(OR=j`AS7kjoZZC=_Egb5^a4@`zX8j@nhoE#33eMJ|%xQ$_DCmsYC zJco-X@~4zEZ<s3EoZ)bxDGfVrxb3!d`hvxxTyj#<$F8LV3<0Qg0Jp7bWad~OxS%CY z2P#fALXCkf9@d-ew)Ybdn_k(ux#a`&=*Tg16n`uBP<3rc%iq9v4)H0Pru#Z)_htQJ zP`!RC@RZWVo@k`y7Zr0jYyKpTwVUD@lu^GD-4VmJT}RE{<mE%uLfR2Fun5asDWAPa zz7ykd2$9#9FVmHIo~904{yi<-QV;H6&P?ur8N+J?&xX)oshd<SsX1V46tLbv)>z<R zg$8Fo@6bKxCkZ%v=qU6WL_ZCECh=QPsf`IoN36GxQ|<XBj4;gMv4VfKi1(ma8f<Wn zFll4ZuSJHOklN82?Z0M}re-`zt9hykQLe1=l1p6V$UQ@9v%Ku_cSP(#pKFe$=?k*W zsK|+fvH4X@2R4LA)8^zSEE1Q~`zMijo%w_#$1U*_KFA1*o&Gp_Ssqcpq6>i7R6o^1 zVcY$~DXBI0hY84-T4WR4RPgAbGg6f^NpX=?t2*#p%N$y(z1_;0w^GH;SsJ_HVC0e) zLzm)Ykd&+TN$hE;m6c_8>GY5_3wPgJmdu-K4>rTRz2E%7bRFe>r}25OPVcyvAvf7R zqz4SHMCP0HSXMB|EvCFdfp3mf!`6<1PnNjDm;^zMr>A5lobpAvS+qnm39<A%c~f=@ zzcbPXg|>JChkHeDGp4yI%UMIeewYUXNnV&oh0IirIaz!MX)Bl_ftV-)9AAwV(i1>| z%C%*P@ekH>um{2B#0im6bzdiN<qthf`e!YSi5ty0nBoz&u4l~2HA;C(F@onHO>6|; zU|uM~M_a8EXs>dAhmQNL*qW4N?ljiN*nt5$h7DGh)d4!~c?o1Z_5wzqjH?+Yt+yxt z8(%k`0*lR(Lsq(=dLrtTmQ;u(h?4m#T<l)_W&#$8l1sW%Zv%#c2i#kjAA0H4-{4o_ zPTY9sSS+Un0J`@5+!{;o;J)y~nv1U^C|l6m;SHRprboku?|#^NA^4-_F7EGYGD`0c zv9h`nRNt%dNx1g*P>r683NzlPv#Sx^poQY|e4HNN8`Oub@B2McOyBqRKyA#v{q35k zH;P<Bmg;PD%DbZnDMoR|Ju&}<k=G*A6F3teAz}SD#;jwf!5G*%RueSmdt-aB_AFCl z>*S7Zu|0~K+x4F)B>)xNbrnt#rU_u^l%kZAvK8d9-9<p7v@!p)VfwFo*mQDDkhgci z3-;!PnJ)+kMd8K0zOC`=29;3Gtu@Fz*mqUMg350jW_^hr4;Cy)55edQML?%<DcWIc zGI7GSjc(uNDQ0UY3~>R0>SnhNI5Mba-Hi#po~^dAZtH4{8+pmz5Y0`AR~(m@EM_Dg zR-*^s0a)A##@p$L2B>duwLV`$J?q%Zn|T-Od5##1uB4qf55{_c5UmEoK@Ei#$IP3l z4hCc*ys+U#T@o%BMz4>1W5=X<sbVtVtCRVPot^ckUTQqe-r52L95<`QT^Xn(KWT@2 zHYEVB*oy+U@|y8L2RkKtCPT2SNJ8j~i3kY_0sIn5EOB<8!wt#!$%93L@x>X{vLx)~ z)klsO;OmsbFz!lqvv`c0T+}I3$p?8UW%L%tTi$RRw`NH&Ezc1g#_kp&m~Nw8D5yzu zF`>0-D0}Q;GkICbV7XkT^_z90Rqh`LMa=ig2B0Cn+&xg>R70MvVt9vY6a4jW&is`G z^8~7`JMBOKsaQY3#3*T!>RRWn0p`D9%?+Egvs_mD{O%IhQx;2Rdeu=*p@OE}ux$fb zrNw<Y`TaYW0iQdNKE8Yf8=!dQBj^|Z5*W<%esc@S@zOgRAEHkjEv!6c1C}iq(faHS zu9UYB9CFEt5i@IGCBN(LRo#w(RhO^=k0*;-><P@4Nm_%$mf?2W#$ba<76tRNu%$K_ zY0rz<tD%TNlmUPXN124t&YTJhvSI-^!C@%uxY90ZoH<yB6(4YT$66T4#A|3tl4Q%5 z9z%>$Z&Ua2XQpIE*s!R`zP39<w*7U~@QV_1gA1Y`3O+YA(<&TSA6a%am1fDq^!C?k zo2jxRn$3sr#p%0VjV{!~Oij(i$@c`g7D+)RK5=z}DK3}s?z(o%OAv~1xyby24G&wr zkbE;76;N~JNZog$#g(=d{}SDB(^1FGvEmy`v^0xD%zeuOcjIfd@|1Y7o_+8Oa5L@G zLkKa~U~qMewUL}Ozktf@b{k9ql|}MMyhDs{3W{DIpm_3k)w!TRwOAP8(>2CLPKT5; z<RKOfRg%RaTISH|L?9v1!Q7GJ=(iZhK)v<PHvKjvMXP>q7;#Pf#Lx#zv8wc^r!3ew z5VmcC;`xGwk6h!pg@uG_s|GQk8Rf={(i@_srHCWyL2T1Y8YDD4nJ=uRd#Ij2^-3|< zU@eTZ$S>~-g(RiQ7#`VJ?I7UCUCZN|>Kn*cRR%FG)x#0?UO5Zk#v5hjZO3Asb+SSy znM~os9ANjJNb#H`Iy{29kSi<g*I{SxjIfjE&fL{bQ*l0`Q;r`#E|32<A8e<O8Y>C8 zeD2Efv<dq<kCUGtTzWs5h8+7*B10)95yckGBSG`Uve>^xjk~I>ulpKZ=u4PNs;CC6 z$&C8c=I^Mm6bJntGG*=~%zVg8b@t=w;+MAWlD6%<8IcnWyGKKg9v4R@4^?5LoD`;q z%{#6lMml-01BxZvN;v&0Qe`v-mNB8?k#ZH<<VsCauq=m-mM15T-=C5Eo5X5z9*Ril zA_5+6ot`njTB&Grqrvd`aC5>gV?PwhEy13CmQg;;M=}U<(lVWs$ZO?>U?%koqa*DZ znOJvJ&LY|&rb9Aq2#i_pK>hg4Q4l?cgN(NRR+u6W{>o6I$e`>ucJ*RZM5n^t464{8 z63bo5Bm`MfFjGY-EKZ6gI~ZWlP0<a9qO~_I0C}UREm04|5O6+DMwQ_<&k*EujS|;m zf|f83nLFBx=O`!0WzJ6Dv}0X@mKA`etBYTK&sm_Y$U`bcy;<!9KSsdO<GxV7Emu1l zL)hR0-)iALk}1v{LR6I?_TK?TgFP&aY#7^p+BXdC<9i!RVD#5_x=TYf*{ts|1Q5ar zhgtwuBE*NiQ6Pn@A(413^&;>_u9<rYgl3McS_E7xI5D(qoBsh~K%Kwnj(9>QM+#T3 zg@HBVkQ@zKg0tdIjVnB~yd1KgRBDYhPHRDpiV6dw+<<$|HlV_e%;NtxW)I8lxi<Jv z8#18J;qh`3uSGU>_?80+UEu?qGEm{Pj4+5660kLd<2!BFI|k{k=~jnbQG{Jukc?wD zd8j2t(YtA$paVWcZ~0EmZZSS5>oYRJGDafaF;{rbt*T@?BfUQ?CMJ6qn#4w|PYVVl z8evPdLe;A8u&VPSzp}Fu92zHReQl8Cau9_>c14MrsAhdAx7XRtjRg{;{7_g4iFv(f zHyAVp9LsX(G+Ro0Lo~$M!~02`{jyG_Y$(|*LPY$P&(SQrVNAo;^K}7-0<4;j=?Z?3 zY1C=_j5|}$a&NaF_nYvWA0*cCd^*K7orq>FbVuA?eE|aMB4k=+bH|n*v74m&rJS+y zkrjtXl$y(DN8Kp5V~>{?D;3?jZ{VN_*tXkpU|;E^0rgF_D{epwlZ1{!Nv1W-4!U^` zu@8^y8o0()d5k7NQ5LU!QPr>_+sZFREMj#J<RUL-U6r>lNf{M8vXcAE^0I25F3G>k zi5i;l^h<5C|F7V$vm!rDRmKupwbb#K`A$4KZ);|$x<0TS=G4XgmI{Z%hEcuX9>?ld z=2R|O7!JXO%Y&MZr<Ut<C*nJ4_WAD6HgZ=#?}iROY*>P!MA@oucM3M{8C=T{X~nv8 z&;fu<`!H{$*u+?d_3B>8gIfG)G%O-*^9`$5$w41pb2+Dkmy5RZR?(p+nYL^(7Es-J zZYr{A#)Tz3vbI%RDAd`k)WVd>Mk3Q*!9QmvZ+;pZKvAO&75yH_?auZQR`QHbF-(iD zHrjlsd_~Ps8gm)Raz_zmLA$Ms&}#D3kUQ_vn&ThkzYY5zy+#y1ZM#~GO2$B+I6K+@ ze+$Zw^A8zX4b6d2@2tK()u{_R>Y=J`UWSGGV#_r^h$MyKmSe^qu|e`y(-^_FmuRRM zk=Vm}XljGB&WWCMCVES~6*1L^ZnqzcoGlfGPTM&^jmQOJajNh1+GDc0pQSUjxO)4i zF|l_A<fjLgMeA6s(pxK}T12U8T4D&U@L7T4)aMRc8h-S)*4WjMhERQEX@_O2^TYDX zTN{3POMO1xriUMot8NQxy7fZ&D2wE_3*>iM93N$2{P!%1)mU&F>vWGE$ygme`cFEM z#&sR0X_fQD`l{!N^>(_}hYN><{3lIa#5{1qmaw9Fpt*Ti0V{o~5c41@R=Za0P?P!C ziY>RLWpal?ge7grJk*07#TmhPi76C3<6S&lg0JyqS8R+av^yIavQ<l72S=;bp1Xnd zM*NCBQHMWfC#Y0P#(b!^UCPzywXY%J#&r?EicVZrJ!s%KP<N=xI6t|yuwkSssd)s^ z7fC}}F~&r&ND&U@BC7>2+|q;_vCh;7o**1S8H}4jrF_uHvA~NK4P(G%Jp9=M4l4|G z29fqrV-f!t3GHVTB?Rvy$^qN!VRViV9$WNn)hYdT%0+c(XuewXqP^Y_$4H?Mnl%*) zbZxE=ym0uc7$-$C#&oVN+nG@H^Yk=tBWQ(di>RTo^q*cj_y982B!H%#M&JD<S0Z|Y z1a3q43jV6ZuY2w+0AD##n`(j#o)9h<N&gE2vFNtp;5Ebi7NL8g<$i>5{*YWRI)SQ> ziV)~NU%s5{p6Mms0%qwl#?R8FjGwzKXI<}>OIp{v!?M<O@36F;4eLL44ZAxWeqenJ zPg6<}hKXepF=-hmzs{5J=veyn|K@sEV_#v(>jkYV;SY3a$DsVk#9P+4E-n}5h^LRX zdKWhM#~S~bYy4iFdyAJ79)~3?0N&yh$&9mFv)ejZ_Mb?&p$j%9F7o-=c_0xGF3mf2 zx$Z-2^dhc?^?D8N)jn~6C$@Y!xfXYq@oTOS_P*7{=-yxX&jI+PVjk2Z6L5@5fXZu6 zdqWWBF%saLefX=0%PxU2Z17xtv=#+x$2DfCZSgn2)DjvQlWXN`AokrBM#wcmJIHHG ziJ-6GUL|Bd&*;E#f@Uewh-04c9MG9eF2&%Y0xY9JMt+Ks-PG;B%D@(rSx=4l`hdiz zxQ}-;`2F5t6uj6wz(_#o0A9c0Tzz<9=xxRXYcy(*GU3hkV{Xo5%OPh$HM;_PBy1U6 zoBQ27;d4o#04{3sbq`Zn)Ni7%BSczT)V6lXOZC?{lB<i})m)!$t0A1VZ5Q_h*=AG; z!yqQ2`BP~DbqLHw{JzxKkD%Fsj_4NNhhJpYy1H_Y#?>BUu-RZpn57tz{B8YM>=RpC z<vqi*1-CT3oF-s3wULCA-wPX!YD>b!MsF=rg31-rK61tTw7Z!_aZ7@JnOxcE-U2K% zcl_lj+dL*teH`4U-Fs;Tb4>Jdm-iUk>ZoN%ydSCUNT7m5HRN!T>l<G?R(TA(3_8+S zM;U6NBUy^>+~YCsDbt*{R}A}Xc;ig+vvg!z=e<!IuxQ`e%B@tvWND94fzgzeT*z&m zlWb<&+~lWKLdxzbx=3L#>Phl0I4fcdtXuYIV=`>Yv_BQEpfOX7t+7QSP2#a^P02eD z1S%s2{6nacj^m2M!i>=n?u8ydTDFk`ft?WVB!{hl>eXq|vav>!W;&&fE9(bP2H*w+ z3)kkUAGi|<j|>+tnAMveJfeJm+A3IY2eTr-OvkQ~V890042~uS!zyWKB_alH_ge%^ zQHN4x;!gfcnG29(1&<Ugf{&)=N;61+)*L8O0}H$GFo){tDV~Hbac0GPcx<E4#^E8Q zVVxz(7<P8FT_lfJz`taH1zaHMNOUOIk%%8#0MAjfDFJ<b?g~1dJy!ul0CtHRi9(mQ zaV&LbNdUDVUgvYk(4w4+ucaP<KFp~rm*i?^OvGtI9tjcFw(qcHM8OoDKsiz~1#7^g zuZV(9yoZ6!BzhQEY46nSW1%6>F`CxS`&oHC%E{NegR2nFZm|2}XwLEub*%1#1#IWN z)!>bC@56%ZXh)z2=y<DoL*T|aY39Z`VcTBA;>=DoHY(!sT;}B@DRoc?mMh%$DTYtY zFf6F?Da!RcFGMbSYTB1=i)TU*H0HNapa#Eif-Htz{}4-ayQ;HkIGtKp)@u)%o;H~e zkax@F--6ApA@jO72CLa++^U6I^W%=8w*)UNO!yvKf`vB16laRYfrT$;CzE9nV|Hm1 zO8kc2`h0c<j4*3@dmhS>lO3y5-U5nK@=4CE*e$S|MM0j4vodd{X0#cj(Q{bbCkY;& zG3SEiizLhQ3WLK@w|FyV|E6E(X_3@XW1!izu>E`iYz@nDx@U`e-dyOMz4Klnunsa2 z8gWM`;KbNkT4sj`acH;B)3ck6Ve#MetiiDN@{Z+2j4OANj?zlb%_T>LfgK%vmyv<w zP4{JkKfx5_sHJC&FcT<p3{x%1;y5Q4`TyA-Y!;H;7SzePWEW~H$GbUfV%W`njkY_^ z)e3@_k;9yPX2&2^QGD9UJb`)~9+=gm*ae~*Cd0s=v`xlszRxs>CQ$1L**EtCZ0IML zJd8w1$fgZRjjy?X7;|SW?65R_#5Kgn*3Tz5cBBJwoZ~&vbTh7_3n95eyH>=8+HWwj zrzQxDxJQjSt$~_tb&=%CdXB6P0x1G@B5^8@dP=XtUiH*%XStc^a<*na>P*Je9@MNG zckPg3-55V7@c*t6#Th?teCnn34c1AqSr)`80}h}PoV9RQn~$5vzQ%6Ks?a)2sqX^5 ze(i2rD!Q!|Le}0?S9KFfTADHYse-jOoFZlBxAfP6$-WG((NN=<=7^RO$Fy}=^H`Fr z>1uIkxSb&^qZ%qvNZXL&A=WJ1S9ZB0%wjXMccZ2qqfIu=;Pt*+^_8u-P&<X5U>p{$ zubuy-PZWX#b;uFlMwFP&pcWW;i|0Ttlx_(7)6yM;YM`OjsH19F=9IwY+a#N5{7yy2 z8ot>6dARrT5JU?=(j=ZOlXebp_h@iJS{aU`9Qt4fyRcT3-y8>AQE^;qkWN@V$%N+w z*Fa98p5Un-&xeW9jFYgCi<@-~c;|gR(wZMrQaO;SW`rY(7s6+UZq`*jr}zz&fy6mr z?YtK}Q7}<T;Do_tMDCGynC(_WQb%bPCg=!kOE9&-#p8BI%biix;fsVI7WuFlfTiB= z?;dHz2(aRA{u1gh0WoMiPB<paDk1Yq*xe}JcBh<-e>q*>cr+=;zx;A>`sj-<;mO4> zr(gg1o5{s5<>~mFum9Y!D@z`40^w$NqKsxlIfTF{A$Kh^+k0<dEC&JNHP**Qx<U6o z&%}eE`;YGZ5a9Lcflpc6tiydlCw1SZ+zfH+U}**1*fsuv9}f_}()J(!@RU~{Y1IGH zg|Vy@_j_5XTLRS|M#kdf_1y)6yYBRN-Rn7NruKbk+47gWF!FZ2W|AAbxjfI@ZQLkh z7jR?qts;RbW@okClu!)s$}QWyQUQ2uY)-dwLC}si^@vyWti?>U`=-l?r@HbLvF<Bn zr))yKjT5f!G<<pBxtdvU&m;+V_t6yy;Vdw{Q0Q&X<Ak4Uj9pa6b(1km8|~GgAF}Z+ zvARM?cbp_=%##(ytUlc0(ox`N0kU0)i!r$ZpcT5c1WFs}{C_Sj*D^4a%}Nw${DSZz zm0pGU$T-#oDxqre;pT?qM~PKfi>{cWo8%%LZ&3INNq5uOP*$569BK5ir9a@S1XTF! zymv+bZR^lLN~2=wE8?m`f!hX1N}@_S!o4#iD5|bfU?x+Gh2dveN#i1twP>;Ag;j?D zl5|=Bhld0bE1B;Y`ZcD4I_jd1CW#1?#10_wjz%E88JCuHSs9q2^9+y*ZQhQm*cd!u zyj&o#s^FbM@Li2n)FP2D-Pa4_7)gksL6ugMq~Y)3lY0T6JF*T%m*Zhw(HcQT3M!Ds zX^F~4ROC(LaT1(O@*>UWa9Wv9r)>H}H(=$Q!hl}q#l^tN!tmOgh2bT%w^vf!k)OD| zSEs=%Xzy9w-V1E+JJsF+xA*j#wcH2L9#r`|w%4-maOH1NOat`<bFb{$V#PhAEX)Xl zqDXP6<C#*($C6iPnsKU`d4`&9Brk<NU0iKCq=d^&@F=bs*W4w3kJGdB3RZ4)g?e>o zGT4qvvk2qBWJ-Sxby8E9p`%PxMz!c^9^<`y%Rrqnk2GRcAoe!P;}&miUjz$zWqMOZ zrXSTJuR5GQ*cU79%G9>4xebtS)(U{{v`reAaqo`sqbSVTRE$~<I^7(rLbN$sGtvbD zJVBwzpI*4r8T^u`83+GExj!17PLT0sAyl+1g8taa17*V;7o+oA=(84tk<2KL9p-FZ zw8xipk92yiH2g8$b*b%0_IA<`84KD>pw1V5?uFn-Q(X~4mg%l;v8CN3vzu93Q6hBc z7X~UMm4@hhU`L;0BGM736~&D@f@UU@{E9PC|1&9a9h?)Nnnj&pJkZjRTCld!0X2Ze z;PRWGth7TafCGzCI+&ga1)nU~D=1Zr{=J{XWApcSIUIfVIN0MZn(!BRiRjOsKx()7 zH0<#OYnsuOnu^SbRFHsNq^*f0btJBVNn$zFHbP_9148(}<Dix&T{`MwJKf_bIO<|M z{0&>+ZwOo7@*kst?y<xA1XvU>DELc&;4gu}=lG8WqGkQII+9wR%11%9;%;iPkDwPE z|G|De>=#&J)8!TLMlXy@1WKVgP7d&NA6I!Hj=QbQ_`4)asGzcU!jN+a6W5D-$;uqn zxMrY$^QCIb;C2gGEOS<B!{Mv7IUQf|laPqzN+Y|Dy0SIEHO6dQ&o_g)N0Jy__1lsc z?c-z}-Cdf{QC}HF%}hcbF5i5GpBd)i-okLouTCkIVb~c&-)=tafA*J-%Wjz;Q6a20 zU}ET?OwTFr{}Rc8BEeGtW>SV9Coy_1V1;UqCZ(UP#B{m{6*&Px#4q}X22W2sEl}y! zfY>yV_CW&0Is3^%j^ULz6fL>ZE348h$r0r62ES;~j%V46R?c#LH@a`EVPB(Ge7NB- z9*?!B9LqtiYZK$;5FgV=rUwBU!q9T<>vJ`VPTSe|=4OBqx>F+{Kka%JN34NM%=eNr zIzY+&_mbWBrbJ;v*3E4sn6n}wHz@O54qfg<n4ipj_?dIRbe@19gLhNk<Ch4_PsVN` z3FC0iMJRj&w`y5J(Cg*rX{#YNx1dKz#u5HQZ}7`!tyFEFqj*9iO8nk(QsgObSjRPU z4Tp+4tj6$0!_%Mzt<mOHT;L^ZIlwPrXD7}O%qX9ppdw3UXF)3v3<&&r>G93Mh<p@S zml|vf;&DK^!hYiBBHrdE$z?Lx+HhE!NDOv*Re89LC+MTVTq4JHR1984#m8Dk<l=@N zko<_km=KnYL@EjiX0+BnsNi>|0v`8+X3*MUIX|(d{uVRe*E1hA`KMf~Q;;_dyZgs% z|J!C8XA>qHreQFo@Bs&ae==R7#+}9Apn%&f{{A0}|397_c-(!@;-AhZYU*#h_U{{O zKSr%dNq0OtZ6y?VWTmq-l|fYCL16qrUyI$^`I#JMD6{4?QK>mo*2~1fMqj5FP#~-M z3{(A;aORn?`S;HI_tP|sK%fOyq#>}ObCI0Qv6$g)jki<?!%*z#E{IeMAQ8Pccuq^L z`|rLC>3*0+<oADrilh1&r)sW^#ofuK?o#0l(6Rsizmg*7T+}xqKJGPwG=v3ujX_5! z;%|bYa~3EnF6&viv648{{iOWuncFX;BjFmpZf|xC%ig|8!H%cZC8Mt4tS<zjvv}7q zYACgNS_2O{85%1L(4^c*-(V1hRz~sBy<~^3MiQ|ko_;Htl*&fBS6{nH#@9eG9>>z@ zd}<uqu}%#mAC2Y(nQ)f_G0w;1qmkfD0^W-i-&K*CjulQ9fZ+Z`)3y>rX7&in&t-|Q z)`YXcDLS83>Ia_6sg7|hbuUb~04?D*?j9-uhP%ztHF`&z8_hE)l|(1kcHbZkbxn4> zqjmQd#M49c`o)ox(nM8T(2CiYEjX7i4yRF5f7lYH!hzQom|x)4>Fis;Ex2Yf#EAR4 z$p=fi=$%yyXN{NZ$39ZR&oXlI%&AeRzhwegNg2t@9>aZ*z=Rn{Xj7M+<2vYC+jo}( z(sn;D;cyH8^hEVt!V$XO*3oD(GJdXGiGF<M&v)qsw(o7;*7d{e7)S{oHwcm&{~P-1 zwzO_bMX(oV$r&5(l80}{7Ol(~S*5iy!Q48$m5a+Td2ybgJ5fSmPSA|;*LgfaZqJUZ zMro&cbFi>nEFx;I#ybpt4Z8y@WUbe65gi(>`C>dx<BLS4(W0wmZ%_ghPoFGX<^m-Y znZF6SzwWd1UB3D)$W88Opx57Z2mcGkA(ooH-kW&5?H~XwDnE`8_VInAJH6Yr)W$KW zg%#oW!?~}3q8dH7=v2$F8wUgU<D3PJ13^<8U`05UvjZ2hq2$Hg&y&Bk>10Vm{T$c) zA7{sZ<JqxB`*JPfN1FFP^a%f<w7}#3&7((n_aRgNkG3WMs`z7i|Bci8s#w0nKh{M5 zvBv*HiGaub56>EhNxJ*g|EX<_qeJB%6Z~(SU_|%|7lI#Yvj14;|Dj~S<NlLpou_2U z0JASSidLWZf3+?0mwC0FUANA!?kAQ~&Dxzp(<e=kSv*a)NCVjF)qS29)o9K(b7Tyg zRB!5B9cU0M0a?%vXnQhI_AhMJ<TcaSLj^ZBO`2ym-eOBqv^`5D{zvzI_l9y1$0M>R zB@L|G%#HG*uAxi5?idk<X7x91VV>-6<kPgOP}9rtQcEKe$v)?DzgfkX`JN7?nzUY1 zU>cioT*Zz_%D_f#*ulPaddfxx(_la7^gGRRWj-pCQI@-Drd!%+1#Chx;RNm61R*WR z9b=wzonB+jB`Q3lvdY<AQ!=Kn#w({~i|atjiDy$jukc<W7hS&-MeXKWMB3?`)MDiA zp{&T19c2x8G?}CQGFc+dYL6*ypv{j(#&qCx-W=E@i7%5no$0diJ>!^kJUYyTN-+jt zd{-KT3Kmlv5n`MuwX#aNaj8MNNa>b=%GoV`Sc5t~RfeuJ80RU+q~el+p6yBD_le=% zMh;rq=yaNo=XlY0GUt56Cka_2vngYl16kDr=$B}aPwG(>BeD&_Olnp_*k)$m_MF#s zElL!tJPHt5W&0ew0zO})W0?f8P%|fBWM`dSp~tpE5S6L(*J9*g8=_t$&$#iQ%(APE z-U^?zjOywUtI_IPGYsFw5sY@;ljqe<$;P`eUTz90Dk^Z}g_x$gqOlfRU8(5A^dhOK z2BKUabxf^9DFy8qknD`1`e&?#g=E$0uhoK4jt&q8D+zy+N!?5Zo|A<y0T~BjGB_Jx zn%SvnUfE@SoO4hQT9(cL;mx;dZ3!0Z*x_W^EIy;6nNJjSRL47)L#ay1tX(m0V}Xfv z0BiM4nz<jjR>e@(2_SVciGK+m-q+o`|1g-87r%_VJspn<i@5QqJaA=7MhDgPB-vqb zAFur==<@T`%rYC|cboLBw+mZG+=QqEY*nElTdSK-mdsa5Ywi|N&TpzOs+?yBZ>wtT ze*{Ig_n;RvHR~QG{me*XrdAg@B=NII#UE5Zwf%u)z-;&KrkI)NCp(+O6kNPcBs~Ry z@fn8gX|6lH+!nGAGy56^sIR+>3vMW!lya~cLtK`a&Kj%*h+o_Sl#3_>nD%fn!1a6s zT$MShc~ld4I*HGkf&PED={cZ4l-Ot;gpvYJViOT>nZzMkyjn%{Z}@(r$jcHsJwS&o zS43BFowsUH+^7aWeU)HLQ>X#${T4LrxA4<AlF&IdGth;nxvR0;|AC&AhHqQVy0LXT z!e1vo83pSbkAipC{|vtVX3gxcaW3;3yT4$^C54}W)2;_=;d->*^AyFCoh~e_cjPku z7NCy+=ob#qM)GVOfv~O~V$f_55rQvzQ4nH8pUrhj_`dn2uZzuw{|pU(z1nC1g)5F` zeI0S+YAS9u9;odMX#LS@BU=9w8~^Hq8vnA<_*WL$9oEOS@;txFIH*BPVOPiV5!*1D z0ypy?6&<x7j6j0Sr_N(`$TT>Yiqt0lWTfFRcbJ<2`f0FWD{=2F*DTAocjx`p_{I?8 zBI%&Rrl1_B{0tsrSv(6rQK)^KJqaHpTAoCY0V_{>9YfoL-cE>%0b(ap9%JlFOdCNm zE+bM2>Xf24x=~d*LdG7WGNqAa*KEtJHVC%ShBM10q_G&O62eFqL>MYDVk-3Dd_Ik{ zK3X{v(<ViM_(&V*saxY@0cZqJ8u+4+ce;<7$tQ7{awJ}iHC>?e1M7#lnv#VglQimP zs2`((lNpd#7tI=SUvu7c8j)HHq(@0=gU(Nz;r7#=XM@22Ca7)Shxx%R#v5MDm1A1> z|3w@6!u>f|K{``=_G)Lu;SdB>uR_yQ)*y}@EqF3pSdF8cm1asPk`d|<YR#%{3^)Iw z84A3C#^GhFeZScvteDZo8%`pHsbE<)q4g!&5Q_h5_QT8=h#(}<gg*DF--qZ{yLEKj zF5m26<66~Xm{b#?av};C&wRx3h^ena^QV~UE-}(y5tP)8Kiw2c-2optHy9j@3q&d{ zr@?o$OToVx<){BB;m{@aHY<Y>Hu5Odh8;mW*3Yd-n?Y!#0Eq<#=LR&`OjU<3rxK|7 zg)<2%ehc!EM@}-D<YldL5M4zZ8a=^U5JeLChB9<JC>vl)W(*W@C*Q6>o;m>(`4Ux% zuX2)w%^BzvogS*JPd&%CMrRtWFHXR03VIf-dgA|ZjBh%|4~NOGtqvhxHGqYPmR!!n z1d(Lv3{Om<D4B1f*&F?8p385kbuedNB8RMU*jLr&7^%Y=3?()1ZEbm6rn00JNdgZQ z6>O5ZB^Jxhg%+H&&OOPer8>S1(=oqx?`9WFk%{mvZ7OZm{@}hV<T7KeU^))m3=<S4 zy^W!AVnx~kex0XCpb00$AqGe=K+ZcuMJQeq<6EU>4Zh2zCWW&}jB{F=O-Lu0j*1+s zkV8s2Ke09>K4oK&ld)WYOfce`#MUp`uH0UGvmy13vEz@NyQ+Fl7d6IKfxV6yc@_|b zG&_$HT>)YuB^1OEHtyHT$Hmkoi!!;GbL3|ldfTzOMFT)ySmsgQevKECMMb6b!s@KA zS?A>?TT6o_v*c9cuV)aChd&#{X$woOjN8A;9dXgd5T#+8XNQPEgSbnFuC+3It9!2- zQTl~v^XW|9k-9)G4CN8#)&$9i;4TRtvP{;%=paSP&Q`{{z!2kb)WP{rVw1eEOjJXw z6N0g2Mq##u-NXpn|A*EjonYefI=G6jt#ERHAsvp<3|*qvE8cX|+9O(1J-o}(!o#ou zk7G(C&cJz9;Y|Roe=!Jg@bh~wIPcK#C@-3Kt0f>CYRKUYX*Nzroas%6B3IWY%Darl z<kByX@muaN<wmO&fVu}D1M#h|)jvhNEvOjdE1g5G<f$-2WT|&3&rv5c=pf%F<7|BE zb``dCS^yDWyAph<g0SsrGFFnef2^5foQT2&FYKyuKDQy63($rnF>Dm>aSW$o3BmJ9 z_7F-Nggz$#s*WRHxAKOKT{eLhL(yzU3OhaJoXRUsUK?$ac8Id2QJbO=F_Ywlc&ecF zi5=W|Z;psg_O#(fI+~A~7r9V0RuN7Mu@7Vvfz2tprQp%02W{Cq*hg_FTZooHhe&sM zHsIHe9fbODFEMCv4P>A>aJSp_NyhUGH8pZw-%ugr2eu|(MeVB8TCv|!^K_EO5)8K- zVe%?CxQ$RsBKwMFjjsl48_C8aA1I|bUme(b(qG?bJ_hV~!y0u&+tNWoVFaV^9tyre z=Q)wkXPu8T6BtGGy1s<=PQ-utDo)dq6L!Lh4*!nRv$Rsj*6zU5SbxwmHC3K-GEQ%` zM}ze*2J2sb<3*pdG1ChA5R6*28W#r32)8l5BY1M`&eJj~Zc^}3-w)?DH0`D5BYOH^ z<B<pW?Wo*C;YakW0a<3EO}ypC7m}ryB%LG;&$svX{VAR5TYyLICBPS+u!^^%a}SL# z?%4Yxfiu21iMOFT_$@Gt{TA3ncvBB)t#Pm6ixk<q-rCpN9nkB&v1*|OV~fHq%@F&v z_b5xw9Ig_f4(zmn>folT(SBUcVvIr|CMI<ww1GyVi&w|fNqUjcfe)8`^KhkDX;^eB zu|MOAZ{HfBn@h7{eDjDK^WRH`W~v<pvxu*Bpl7yqHj<&LC>AInD3a_J-NAyKo@P*E zJ_@z#Us!nAB1wZ{0Yfp=W2ZAYM-2-474|sd9*xaT7;d*HqU)kIm2|rmNU$|k$p8w1 zm69UuP~2L$wjV3`%$F>U!#v<%ni@gX7sITSwX*zNADt_?rtjg=MfU+qVl`g~YgK4b z)Mu3R(#(@FwH>Ihg2aCAzRkKE)L9#D!6Y7gk?-OUKmN2P2pSWvP(YZlz(ykc$1@x) zkTf(0)pAXN3`C)eVGZ!G5#oVoOPzXrZqfDZt8Z#%OliSg;tRCLGoOO@G_HUrZv~z3 z`S#)Vey`(@{wxv2>T@huC$1N%qtk>4^%0dspDiBI21@8|YL*N*!=4WhP6f;d1+*|x zm8xEUy~p{a;9nZf?cB2+*bH_lK%-WN_YsVRh^nMnvifYc&m?{{>CIeaJx}wJy8&M} z`@28y?7lwSd-byJFx33$JvNm2>Vw%3jf1q`Q(rBJ73RvfSS4kc<{1?A-R(%th7~Ma z%G~vycZbuOc{xtk5KP#ge!}_14>5vy=)H~5yV~{%3WuYrVJeP_VgeHpo9A0dyvMKd zDF{>A0^Knp)qs`bOzL-=;mZZ;AzvyCjKc9{f?H;teF^{LF>%I8s@EJ#7NAYXHHU7G z*r6nzT*cQV_xDbHq!!&ix(0J}hY8G!3cEM6)A*W|A@tUNyA5UbFv%}n7}mG=^}t`| zWCqeUbjj~R!Vir*OD>b*1BNZ_tvYZi{t<_6l}U<XTB3DB=f{l3M4CJrbEk31jb2#I z3<AX1$GKQ(Gz}E_^3P7_6*|?8zVHu=HkH8TpQ1yaAhfBEDLXLR8pX!Fw`Doc|9W&x zs+sP|BtCaj^zt*E-IsnI-=gkmo_`>S?xJMC9jw$b2lyOCK9CUlfNJd<qPR;$rb+wn zcc8!oIG&0hJa8dgB-dn<rrA=+k;CZW2^>r=)FBi14$h}g8L5dxmKO5@ZuAF+Npb7y zE~ux=7gfa251Rg%yuxHK%T^eZ$(9MsS7Kl13^WQZv<;xT6fuaFF8Y|*%~;{6Wvj1O z>SABd3{!B+xl8=`Fak6WnS8T!@?bIc=q#~mUfsu2g0aw|91c~QVn5^Rc0MmV-QaV> zaEbBhPD9OsYGRh)v0^6W%!$MJd|a)S>0^m|!Rw@;bVihze2&B3<b!Pi;soC8oF!GM z{6XU2{v@yNtGel_aR!!izE%JU>yhcvDsqk<<&@Hyz3$<KT2b{!X)&5(^!}3Xs)3WC zOrMu!N(R@oz%KK2tS#<1#R#fn1k%5Pzs`yrZBRZ6=f>btbwu=hM4{k()a~Yd4?=7G zY;COvVs}V<xbC-64pYkadJT6Bk<2hnp9M2AmgtA?HN*Y-T>t4OOI^9m!fKNe{`H}o z6eng7wj1fFj+lf_R7?yog#+<8jjIG;nb%}793Zp4V%wVLFvD9uo#7pmI3w3V<8Kto zG47?>g*xeJrzgI{wehaf<?Ougrl(yBxk_KRv+=8Ja=i!71_m&N6B8JmZ@<OS&=0zr zTMj;Wx3%8Ai8#<H{0^_TfH`%=5_fxqGhGJNRbJ<o808ro0^+5uq?Dj*!+1PSRc1eI zQ=y8{Z=xa{Lml!EypiRuFMJKxP?ii;wh1;tq?$OZg;COC!*VZ}a+bcB<muUYoIyW} zbW~!P{b7feeCL04j6RKIx4cnta2IUx%IKS{ab0KgRw+o&8LiTe<HsNmwGczUO(|xD z>hP`8kYyBizLnV0CNn(SeZKwU{^9V4-M|0z>dmv^&iC7I4q(wL9G4F|!~fN>jg?v@ zj3}rHVT&Vzs#);ZbFv5`9a|uRpb|!dZ3*mY6xdRT9eBs~|FCEy<Nh5*8?V^n+g<+M z@`_bP(Hwd<%U6q<)I;BlsdpZ_P<g`^P+t9`S(yD7&C+F3h4q7`rSzRe5o;t(op@-- zDwN&0Au<HVs{dM!u@KX1$}#i_DPyveH@t6yHpH8wM#FWxmQQJoq(u#5{7@Hse|<Sf zUy#q+2~++!l6RB{X*_q93jN?dcwTNdAB(2rcbta1>rb#Yxon_GjBEWnBE4^Ovr_gm zy4>I{+mH-V>xlna;vMmbGnLgnBNrc%QUtEVl<-EA@W+t&!4P%Z0!S?EbR8-}iSmwC zL@5;7h59yOKH{JNxS>%#M>LA!l#U{?;Kk~ur7%(ERHlxVvY2s55`m%}K^TmA?2Lk! zuMQi9IrszKd}}{lkL*{wu(~Md?7Vo^={eHeXgUtyd9X7budj8qr$0PGKY!zoArtVo za3{~I0y7D4;uh`-Da1X}UGIZcLe6j+nsLvDXu5{o3tn@=<V2Ak>+I!ZXc(N*LS*8X z&McC`l#&;tYIl^-Vb;F2?D4TS+uLuY^y+qpcmGK5&hPBit4<>Fx3PLvxd7NoDN)60 z<>c*_i9Yq*ZJFF{eQ2faE!RimK(k=Mv>asGz!^s)rmBxek-v|8_ivEx{(Cf9dNrV< z-r^gs%eY7-u3l#364d_2oZhuVE`J@ZysTAI3`ZFjahSR)nC3velv+70_3eQXMkv^M zU-#`MsK~8()-ciUQ_@i=GAt#aQD56mQS=|#IIZIEUPzl5{;m(J>AkYUUcc#ia-K|e zaaODF$#ay?vx@a`#-zyBZ&*H)k6f%Sk1;eFyDZQauFRs%J)R8EsFoYtsa6@2N)MkP zU)N%Rg%xXzwb?bfS>z>qw$gN%%?ldEK-?JkRiaW~8*PB>a+YRD41JCbC%<i2Ds}Tn zG>o-dl07;TffQQM90F?C)IBo}MZy{Cjt5sUmp}!ob^qGRrzNJ6u>?BXhdc1U@3yxO zzx!_6GNpB68r4OArlQQY!=tYC9Md<y@7Ck!ZU#q3-yFl!uEG^Q>RRn~k8hT?{IlD# z@7B)&8-%p@<};j(bz^dSE1O>4Gx56;b`D#xbJ&KRm5^ihh!~HOvDLERL2ej>yv4k8 z8d_b`(gv+K9WvCP7ZSo3QLs8K__uFk_Z}*yZ+Cv(vwQ22uV`jq!uM$k)k<Gd(&!cy zHGVIbWIrz~`u%)t5->`~VWU5hr{U%`?{eK*o09IM$S$PUKs{?dG6Wi|KGFJDEqc@? zU{IuQkopg(Tmu7*tUFxm@s@7Ekv^R1YyfO8&AoBV#;4|lyQY~gK{O}JwcJ7h*J(2< zhf|cR61p3~s1g56XO<FblLvhqHAmC)sb9)s6hR^E&~Vy(jjG0C6nsXs-eRU!4_jH7 zIlXQ%b4*WJ-EMH^CpMZ|8pIEoTiCB#tR8u)+{t?otow9P%3hgdOtE?kk2Hdb{7~3F zcGH#_)sJcpcf6dctcnK9#Hv1iUe{5Qvvznh3FyNOjec5ofvf40L?|d-lF&o3Fwmu3 zgva`-zf5$J`DYTfgxx220g7};k{{`NxIV=t!Anf{@(|=7eZ%Pm!Pmg~_}aXp3^Asm z1aH<XEv9LgOVCDx*l}_4Guxa(K@goIrFJ4gnu<NdbXg=i0D+%X=L43Jm6ncEY;lBa z07By4I!Gk~h`~y!$M8lh+vz&B_pPPyqe7*E6~DU)IFc&0E?2@Rg|5LynZ$&cEZ0K6 z(@mr!z$5YQ0UA20p^A<GppqwpTm$R#2?fa_iQByjo~CE#<OxEuG;%HmRSUyA?{R_z zqVlM%gDOkJ(U@(ln5x+Bm7*9kG`U(sB;Wxa{ROUalU}SyPnMv(|Gq5Z?2N-SNwbzE zssshIXh9$Etda^zZfvMBl2BpPQ0*W@XP#z4RR4NW$5VFiM8<$;L<(`1(`BG)x2b>~ zDb1YLiBcL>tG^)EjmOx5PVZ(Ayh)}BodzXiCqtgAnAqxcCWZv{G|6EGLtnvU<`S`j z-Jy-M?x7Q)f$asj*Vqq`NITox+v+~EGu|!|d`MBqt|gd>7~+i+l#t}0XHZ{v8`Vja z^}fJ=k}j{`ZrL3u9;Ohbj!`a}_<CJy07%``(1@AQUubcZ!Fe*7;p`biq9b1*Dvg8d z{(Fx7cw;=lEBPC@g!}M3dFL%xetnWw=v;<BPLc{{-;Uh9eXz5)C#1N(@pXUW%P;Z3 z45#&s!r52QQT#ifPU1N|Nve@{Rl;^K#JRMB)-|_mNiwKj!-jJ`J;^5+LIK6}a#W-< zbaWc0F?<DZF}`awu9rRz5~u;Y;6%=*F7y_tEbl3PVs2ODBxv3udqQpEiO@=X%WG$C zedEy=Uw-xHufOS#a}hmdz5*}%@YHK(ue%}143xpoD4wMidXOQ({xd0Zgh}adaYrjq zjc43Qap55Wvf_y<U0f8%Z>k;koCD=~URE4NfV35c;f<tfP~D<evWohK6QTlOw;mbx zB~ZKt0l)$=p)U!u6Qn2Q4G7DTL&HQwn=>+3Vtb-#`p&jGGJ^mUJn2Yh?{7cv?>u|q z_v5=q%%rwrY9pjFGWVBmWQ=@NUJiMemKJO3q)K|P-0DP~RrJ#MOH{{tR}?E7kP5ce z>9o7G7BR!ZFR@ZeZ%KRytJxNP_D@T#aZD)gt+(nU8i*)oHNwpZSAG2&%`lW6*o4>2 zXsO5Qk>2$?e{=Qg6`EshwCdn15Yo}0L;Y?mr_4CiZyQr}2Yj|B`mHpke=jO44eH-3 zgk^Nw@eHc99dlq!CB}ii#U&jEoY2;qxouHObrt(<X<b<=LEB6v=!)<OFxak1=Rc)2 z)$3s+$OijTkXT)c9)1PO@f}ak(~J$e;7e00fTQrC5nf5H_}y}(>(av)+dmKYULHCP zu~f0FDJtbFphh4C{JJVD5~fw)_NG}&HA9-&p!J~o?hLvM|5=wm=5l-BAy!J~jNEN& zoxUT7+gg)IuE^!K);v+^eN?~YX|XLpeUa!J>CVyT<?#d5sST47wo^FvpC#|!;O@-^ z7)_`S3!{*ES|eqbY)dcO=*8zH_TxVG<88az!~TRtGT=V@nqC&ZU4Ish+rn`#YK+{g za`B@04#Qi0LjDb7RaB=be}#b;owp~Q2iDUE^vtg6ciWa~2qqbzsH(%N)=jwc;ke2! zgvt?aKZ;sc;ihOtc{KgWVH|YksufX9?Vz~MbH%o3o_DqYQy*3eiibL?Ed4?64DH(B ztjOoH(A6<RU+t^-;JC^A8n@mbJO-~Go%EVprebrsW*upMq@@9K5iHQY8#|b%6fpBp zenoW;j5awMB&p_AElN;m*;0ydH}c4Z^*HP2)p?O$)h^<V4GcLnRO`za9-Eu28&Jaq zWxJCqTDOEF>^~1k5BOF?TCvSG-h(C~G_WUYcDwWtO)|~4>5z)X9*<Y-tncEWrN>sE z?J^&I5txhAqoQ9e5_x+#<K|h3VKn0xw+&In`fg5SDRIVYUkAG;2Nwt2Y?lWp;Q3}i z2_3yBU$k75sF56PegP8BU@-6muvic)LRI&~HVA!(sn1*%LQlQ7P9_dOKKN-f{Je}l zm#a-{<et60@!sCJ8=K++A;s+jbzpJx9tt!;nO7(zW!QHp#iC0Tr7~pQxu|hD#(7gw zyx=B9&RD5rO!Fw2DK;VcePRsw{47iVS?9+{GgMbr!Rzbl95X#6l6+4Z+%qh05p?pd z&Y#BiIkZ!j6z`F`#_I2#_u*e&Kc?Ijm<8dc7fHlNNy!<^#H^H(adKM>k1dGgl53GI zB1YWG=9uh;F<*3!9`uj@@^<{-?cnYBzNrYp5c_qxE_UrYiHj$1$M3(m>GkpV6h?Ip z58jUd!Vkvrwfr>oS@)pX)6L+#s%D!HACg;5ewh@fll%&$wuisYG0ZZEO%FG|`tzf2 zzIk|_U-id%|2m)dX^#8o_}3@pR-Y7DeNl*&eVo*O+?NUL*Av)Od8rY<c)u2XaTD&m z_-*IeZ_oa+13w?#^unKae*1a<xBb8TEWh`D{%!AXzy0kmd;Ghho)UR;{AQQZ=5BF* zTtg7;9Budi>sYHced;WU+QG@1O8XoK4IOd_T(NPZRDD!l-C<F!8&XTw9#EWr!{|rv zCOE~Un;aOXpO%B*AYs#FAz&<iBQ(s>pix6Ko5Yz;po^th&uHbW;}|g5je(sCfwl(1 zxJQp>aeFhkkU~d$TrClPrKE>xt>h&}9lN!U*kb=MkA^~}%i3z@6Vzo0d6-53|GH3a zaqKZ0j117eNIuRP%&h7?EtLgjDZp6*_VRz*d(-YVZe(Hj`#tCWhfaGOHmxQt%61k- zQm!o9iJz<39$UGyPzq0rY)Oo`g-u#kB+YMsYr#@Lqe;q3mU)LWk;!hLP$&R}LZOyC z;F}kqyw*l*BH-TP4*~8a8s{+GR}VLUAC<^JYNje?7&YH?*RVg=ES;-|&kpfnu(BmG zhJxb4p*RWNG?4EX>e<R#MCuu3sU&x4OjW6!n{#uMqP6-MqFNIndi_-8_Xwy9e-CY1 zMbw&)avs0kv3t>x`@^O5MMv$PeM3S+uiu@?_aI;S#yIY2-0g*bEJ9{~j<QZjR|Bxy z=V)cqgMWgD3i$d_&JgZK@xF%$(a(w_gskODx36;}-ePtohoRm^r2XrB43l43gTAL^ zi#vJ`c-OE$W2y5O0P0!9Go*ls>l%cYZR8`oC`N#!*|P@nu*)ms5V}egch$y%13^<w zjh)3@0?&)C0&Pt-Fqj1?78w9~1YAz=4jXwCF!ch6cP1mC<B&<iX97#aMU+u~&jt#a zA_ozY!n2r0$T(cZs#k@$mly>74CUuHf8DPYAZ1llitCG!v4Q;?(eZdZ$g`0Qlz(xS zlNAPcmh68pe5%b1%;C<<5#MDS^AT0Iq2?DfRPq=o&UBOs1*TVyRPRuC)cfmuPYN9? z*PkCYP>D~>XnO|}G2|S;Mz!l81ltyz5<~{^r!-21eWk{&Co_X5dsnr?8HWGBFC+Xy zCK41l12fMLoYG~ARGyuF!Ts4;-L+UAb2!-GFGaI}W0H1vN@|1R=iW&a>-6r1L~&FM zdOx4kB!|YWc#yyA1e&_Ks-?~tZP#vY%FSB{K{T$eBpxv%a&r?vrTAqKLL){j)H>X* z#Q_3v#TALb94n6XvV-NwE5@fzId*xwT`PgB9UWB`P@P>=M51IcQV5xP3+)rkOincu zRMrWGX3AJWa}RBm;4XEQpT!w&6-%UIQIrxJ@y03#Z{a}<&*(!qmGk1@<nnBQ$3$Tb zcq6)iBR}3RV;+{vi%f*`vOCJQ{mx;Qld>pfN-PfYVS%d4@nb%?vf~f4mN<0}2@B2$ zEUR&G7MK0gsKW)rf`d~;^mU<}?p2aM%QO;nk_DHaxtvx$3dL5S8VN$d(XT3FBgup~ zKc9y%KtzztPRtk<tgC6eprl1YJ}n(<lqj>U*K_$j%Ou-oiF+lyO?=y1>R#!}O>et$ z>HF3jnzaOj@u*`a9C&{CasS}?{__`4DG-12$;*S?{r!a}+-dD@k$k(^{^@RUw>YYW zFRGKsyK=Wf96aJLx^9*O1H&E$kmw=u!<$z?R>kRxr&g=4lG9aFZGBbp9F7jB|DGh0 zb{x*SiFQg>91eZfwxgtsTkRSshH<rPb^6BUYiQ~LR6L@)4v$t&hd28bJzn@(nVtZ> z!ZXMJkoi2GquHi4Orl0BT~8aWI)x{%2eQI=CWeZiETig_hzLj58Xa9VwRH7*32I<3 zsRY_AL#4iibXe-$YYwCT$}S9V1Qm$2IBC}XNX0G=^?P><xBW6zoxP|c2HATmOIK5r zuB;?|PX(!iY<beGt|2XHNB_MwdkZ2@S#bfm-~tsOazHoF_3x(&WL4inTbqEuQMx#% zJVbqT2{}<mo04LVnwhmrLfd8|Bt?~yA-O7dfRt9>=P*Vp^G4u2UoK7gBn~N`1fpsN zuu43txVpb6I>T%NJ-w>t@Ke+zM4J)*vtXN{d?8e9w4~Sx7du%}Y|6!^RmE<?k8u;a zC<gsmdQo&~yC11;Hi0I?A_)=SG^>Z*q(Na&5yL87aN(ysa8^GQ95~7Ut4%7HR~Pf+ zq<ULP(Q@!~tF;rO`Ppnm^g{F9LoKxBR@2C-r5Cq*oCqq;qmQLI4<7J;9|gKnG8$id z6}*-8DR&Dzmx-U&MPKMlR-#{(;+>?p7vtIU(T6zY3JvG;E8z4uYze}~9O&AZpfv^q z)Oo9fLJ<mUEv$f~HVyOuC4XIxx-uQV?W3xhoH5Ag1mQQ}Z?0oF)mQfh#=NS&Lvc~^ z$z^cbG56ojCwHMwn{kyzAJMF#)Asfnj5Gy|xtyK#b)q%ZgRI)8NlZB?Q&NQ*CHOvO z9y1lafM31yL6HuM-ucfbY0=t<9z0C{=d(NMM(aVmK>Jz4YUsGhHSrr)#&1v`{{axS zRkW7SOXXA*bfO9c{4yP17BZwb?@#QWTp<r?1mLy)`kVRCh%qdC($F?avetk6X+Hir z!94>cE*cm)b;al`ALZO2!x(D&UT1RtUMA|$zGHuGSBNfwCgOVTB@A{=jCtyswl6X? zSBB0drIi=PSNSh#%zU{rWPW}N^YTB3-LqhU(QhkwNgbS?45)t#89Dnx+Gk|Mi{_<9 zwV*+u4YUhjMZ4h7tYNS>L6^#IDv%294;4b&8+Frfg91_&SBf+HOA~|SPKRh!kUC;n z!LfC9<iF!f5tra}nt?okffqRP0=IxwSiZyaC<=e$p(E<CP1Ss=4-_b|U=CZ1D3Oh3 zO)a%~HdjJyLzyV(QO&^$m1M=@<Tq}DhB!JroE;uc4-ZH24K%eoD8?!(q6xpka$2fn ztke;*Y?cchD@NVuLvJacC|Qy2b7YGfCW)Unflvo2rf^TuG5l{cinrdp+S`%ll=0y# z#^(pSkG<z3dcOb6dpxDbd#}C6C-nH4Tlyv--S7@@QEUUTW<aV@Tp{2D9Kf+_E2V^@ zl0bk9|0V}yc`Ns@h8aj#^3SHSL`jx_q?fkWiW_A3U;KKIXK!=cP*upbL^n-En`Y?R zz|CD;M0<hlcWD~ARf7&&p#P?V(}#;Ai#+GVD1D^e({yPyspLak-c}Yzs{GzO68s6p z554tuUa8otoF&xR16N8A=>k|Kfa5lOGl|*Y8$RuH-ea*>%H!O*@5Tq?z42f^9C>I~ z$HvckZ!=}dC*m`82?(lZY-IXxWHhQ-c1#XD(|j_9;Vrt;Y|=M592Xvb0rqGdAgo1x z8BqZOUC#p?XYo&Snnc01@2_>tV2ty{E(`4|hEZ2N`ERMussc*&S?&R59E={K)-cTo zJgPs((iEU2@ey__%cWZFB-!j2YFknn$AJ?%%OY|*>W2u?7`m*-F0YToYcWNi8N?ET z&N%6!J5_@d<Q_gQ@c~+BnpiAqpX6B{r)sH-6JUP9<HT_p4Ye8?9fvmZ>Wf03>-uFI zZhm33(KdtX2!sP*SId^|4=PwEPGAaKH8ZiKDMB*`bw18d`=gPvCe6t5RR)@7=QU|X z9Ms{7;mQl_WUW>c=hWTZT~4()=*#Ome9Td@ORxCl@tg;O3OF}?k4<GZb*1Ea;i7<w z<p0ExaA*@tNxJk0fN1Q18q1d__^$5SNn+3Z{hU>av$~|htAIWbVW&~e_EhExu&*6r z)Q%YDQZ^aPo2t6Dj6DV<Lf(WizX<^OSeb(b7mX|%4MZ1_+p`Qp`=P<}ks?n=y^phK zltuL_%jNdt23RiD+Xjv=Zl+6}9_Mf0KR<ZN$#KlR7@q0UIIfp8c!9~Fdis&40y^(I zyJK02QZf*rlW2Jd5-Awq=!k_@Qj>hBAkIN^IEmDvp1A1A30>(g_WpC68P%uS96rYU z78rgAXF?J4<4#8ubo>M69lGozyW?4ZYMfL!ra9$Y080IgnOudQh@>o%>O_dwa$D3z zD}-8f*TZSXK5)AFT-BX1ADb_JyqU5BFRW%-pJ0}3Ene(@0H&fK?5qgjlk+6hQQnp# zQ8e6@MOKP&V)Fs1i(yz>-Mps~DUU=9ZQo>IjM+;}zB;9<6s|`iW^28Pad-0}oMvaa z(!w4d-vB~q+1vh@^3Rl`RcIxyjdRTOFcC&EXt8*4qZ7szCdO~M-waa3Gd|9hLt%kY zZ_#(SQodh!@K$<RO%L?1HUtRA;#`TFOMn=*(fqDn&M)wKf2R7V7(a)ctyt6_kMsMv zF;xg6uP5VanNbI?;@o<_C4a~9xgB?3vi6MR8(wuz`tm>6szW*i)*L*pTyfmnmDiec zEcnQ)Y=xb0<u$gF*++08njU`4Ww=yhrjG;gT15zx(Z80g-S=6!eiqo@c<t)dt6=IW zoj6Cla`v}lXcDhViup0uhmmrsa3+E7czCQV(}0q&#%GPmbd34V?5qX}7x+Z!QZb~W z#U+Pf(6hHWB~ehbDIn5$-SMZhhTsjnHCEP5bx!jUrjHp<4=}ioKPFTPCllIr(T@dD zZ8S`41YLs1W2b<&y>oU)h23Xybq~p|U`F-G7t8|fKF8V^v}dJW$O3m*iL9LKVW@SG z0&Tho{AHR=_<~!d0Vu7MY%oX!R@jac;D;s*K2^HV@Cwkl4zo$Jlssz21btK%^*JD$ zE{MS6fYJlvQ<%&@a1Mns+6RW7zxf`H7$)J>H0J|P!0f35^L2(c-T+%bq`x9ky5|&O z%`d2lcHgmrQE7=(T}~k3tS(bgXE4%*e7<kYLR_~Afq-n+zr8LW)qpWPeK&&^(dxk~ zeq&4)Fcu@`FYfa2lhG?~wf)iCG1^1~s*c@oKAFwFNG7>vllKB!t-iV0F;!Wzd8QkV zUmEJbYk$Qqy6&$aF>4B{ht^{nR3MGs%qK*F64SusKm@~yVZHE<iCMG1)o80JjbCX# ztxgt89@$xmRU5b4C7zz|kL79@u8v*BNWQnJTGg)j`}hgmEsVLCB1QQwIu&-NOwf7- zfuuE=CKNo%vmr{zmAaoWNkqlEf1$H%WmeU_gSQfcYy#YAl#~7c?x<HQv=WO#Ozt8> zwSTho7-M+Ce?5v@q93N+wC5%o$J;9k^To$1%uh1K3`$Bjma#yL=LZ!W@&zR_8S_<w z#79C+2L1E=0!2>j_{(XH<NVPP?iu>e)w~=JiEs+$!P?%AHcGsM7tglbhSrZt>?H~D zBX^!eq2$c;L7N$>!Z!ANBB(6QB?W2p6kY&cRqEx(^97+>HTUPj+}F*cXbrXl(R*0- zM->37Hd3dMXQOeg+jE~+R~E(_PG$St_p1sFAuz9h?=cj8-9%2k=8fu~X9TOX*=V5` zH0)oxCl&eZwI#iAD1q-O3C6pFfzteJm(Of$tgw(FyWk0~3%0x~c&>HifP{%a6>j?X z0UTuW?e>wokq*%%)F}c3yhg6Dx0KXOy8yFfF?5!9&tK==`IHXbQQO)6E$$>Y5+!a$ zH5NCW8de-#B#o9WL=-Xku#fwY*J4RU@EY@fO*u8XQpW9Fd6jOIfwN6|XyYZ1r#+a# z49nIiD4^vrhI&&@Td4jMcHdgbSPFQ_p_N&sS6i!r+&|%iy{JM*g+=umqF$;p-IG4A z&|)%%utU|zIa{4+{7YVFp`>Z{EeSt#7T%6tj`Ek&A5dNtNyFS|2dX3vOIra>;(jl# zrv^|G<5zfM-e;%q^T?4RD70Ii6@3sSE~e<=gpq<bOAR?~0Lv(~0?*ub#N^<w%Ic9g z)0^3Nk`RBB(>tKVyq8T+;Z%3;-uVT7D``(?DF79k7Ot=P@j(PcRAnjcq;4}W1Lv;W z=&Q<Uo;A)sqF&vlCfKN6$^FNHrM-%Mha;Csqx7ZPUALzDda*9!BSwC>LkAS48_bFb zrW%IQJVj>H;r5U)6afNGfJ$Ep>m0gpftme4fbU&8@TPe~Yb!-w&jPWe3x@H0ip$Rw zbOK?D+$d@qxMX6SO2&bvhj0X7S`quy`=?lyda{=_5P=EMZfza~Y+!_DE{)tZ6x73s zHeG{Y{Xr#4f8@VG69-*205+^<GepD=u(}wn?3WTQq(x9iTOy?jWwsy(5Pnp+ltq9Z zXF?%Q^P(zrzyz@F;0BT7P65(yl~ib24x-xZU`)PFZY}{Pd39f{47jL=!FJ^3g1j(U ze9b^@SLPW1;9(?34Ff@Gjnypz?2YI7WjMrzSb}TYqEboN@fNJd;<H}Q>`1Gs(H7|Z z^+{?4Wq(QOB=sMjJ~p~T+Jd&D?<4V2h?SoB$wg^26dvfX?(J8{P+<=%?lUj*i_7Ef zZMB*uguK=&Vk3InUSQ~tfu*0Xrb7duFp096Is~Okq^Z!WX@TLx)nQk7_=+Rtp2erI zJSd%`copBovdJYOF<zEV2-WgB2cE{L3b<|J`ME5&W0y!~7nx2j#!_3(m)j}d<l1a1 zHeZWMkv$lXPSK28Ee@UGWDZ;Hin9Dqt}I_Eao@2ZfF244)Hanvr(KZCkNwofKSg_V zt*HcZez+FZnrPB(AC;m&Ff7;5J8o?}h#oXs4_jYElofeVm|G}YJ4&N=jVthXsI^*1 z+SM;lUrtvSMoq+=z<RC_R7aP$6;!L;`959vup#Y&`{ZuXX!*}gE-!cU)-!wCF?Czc z`NCokptwOBB)l#eZw6d(q(tIKBd|?}MYt7Z5f<8-Z0u(UQz1-v1cHi-$}xcz^k8=u zN-xR<-kSN}8ow%I3Rm38wWt%2bV40k;Ez=y7~P@OrEP+SV-?Lu&8QU5F2Llcmxg1) zgW_yFMOTqBG*wLt1?UX10W82(8<1x$mGkh?wF>~BfH<{1$cD$gEPA&YHQr%#QMWkG z?@lUW9))hbswI21cYU}xzrviSDl5->MWof|J`-=X`ESd5Yrq>I0ZoK$EsdBs8?aVa z2<V>ZLejphv5?cQVsjLa#^wq>8(>_vY}S99lX{P)L@bPToh|C!c>1Rhra^*QEKC1k z1<Id3u1Kl-`)52mSb^AHVg8<iF>9a@l8y++LNPv})<_(t3M&f3*Y6<=TUuzL_<FHW zd?&h~U5ZdeH9cy;WEb_SUo1yoe^NObuml0OKlm(a?6|@+|5KKr9fjX~#@cY0aCsMb znLNeNxCJ`5T7RJ9A)WtiJNG!p0GOrTecGdeoh$!2BD~)b;e8JSeB1YaLXy10lh1D{ zJpJbw@PWqw$zjM^=M<zl_U=PXmSiz1+Ec2;FQe$S0k5<!r3bayV*X@4#XPaIg{xw9 znbN1yGPx2zi)70Rglx5sC}Sc}#p(Ve0;Z5i{-lED^?wA-vY`1i>z;iATZxn`{?O5B zbopsbB|cwKqU??b6#56I%gd7_e*N@G^z!xYi|?LB|9HB;|MG9qcdws5eGxt0|M6+` z>c`iw_MgJ{-M#;fC~QFV`1Q-by^v|Ai?eK!cT`Gc1@z5df82fjG}?RqdJn1}ynYVw z;mezY-Ph6gPyfFA-OCrz%e@2qSAtq>YrzfSs=>KTzcwjSnL!}orxN63T#QT|{6ST| zqhS2T^5GpBLe$clG>5nZ@hzb$5*|^{0Hj|8k-jDTz@bk6SAjG9pwgxhd=h&b4kbB; z*%&1}zIsq27-E$bk2YF_+K1VNK6+w)Ir4u(1kp}CBQiFf@+9u1YAR4be!zoX>R5y& zx?^Z3+*Ir!d@hLlxed>2DO8t_4I$i!ss?s*Iv*VXGcOW~&El{z8tO<*DyF%blQg1H zYkfV9S{r`0AFie*A<;g1v~KIe{O0P9*3+-Nx?G4?0@d7DSMbbarn(#J=|it-3H{2O zg7@fGyT+9;G7Q(lZ(J3>QEmJ}0BUr8T3^QpDgFUiPCC7Y)2e*V2n1@&zBN$M2qoNS zmzyrm4Y#9Kv-BZ@BniQlDWEpi$1ji8eY*Vk)FsO!+pn)GiSpyq5KX+QC5k*M6XdH9 zJs5B2h3dacBZZEbjggs-kvktFZ$h>O4XD0Dr48zcC8UPsQfk9?_hAL42y}>4UfmL@ zHp--W7$TL%tV}Eo;g;v-3i~ePyT6-(mv5sLh~I}Oq2xdtSn+XB$tM1s(?&?7giWHw zxmYN>b<*!ahp|s^@CrLk`G!k+Tkz9TA!Ox(MJ9~5g5{g$1F#JSRt2XtOt=@4pH#4c zqcAP#CHW2@_G{E`NW+17{$%l6_41$jbj;?ZrG8rIdTYNm3AO2J7`6+x3Sx<Fi6)#t zUNp6&t+nky#{v~fOTx3Pn++%XIu@Vv6omO+wC%R)I0rx(=s~2*n4xnD(TVmY30~XE zRa?J0&-2L-I^?y#oH-n$EaGdIhLfkt1Y9G#rcqi8&ZxDe1Ut!~(VlnfO)vD2>Q--c zF=$8}z5!RSSG^RhXoPXs=kcHwU07#<A3I7KfMjIN(|kru4Ea}uwg|a}A`p(nf_p_( zqRIJrgP1b50wfITVu(<n3ZT-dF@5SfPLLkRkbRvuF&*z@1u@*sVV?s6z*#1(RwAgn z9-50)N4Pn~KPd1rfw|!a%Ko>Av@fDY#ydV`y&fHg<|CcgN3)><cf+WQZpUzDzKqWB z9^XrGqZC)c^}UA97`NP#a6?gy*o^d%t5gx@#zA8gi-9*9NVBQQQfoBM4o%H|?~jIQ zRxbzz$#tXbLnmw^++sdVY{irZQ@u{wPVP-<pedpJDHLR%|3^VqR*=0C4L=>7(M*4j z;3G<3rYqfiviKubVh=d7NoOplOYaweWT7US%4-s=5(~qL$K;F{d-W_=X_G9zl0tuF zkSbaTgDwT=Vkr2Jf2gVOsZ^%n3vM;^;mV0uj&*!*$xtQtM5b$1I%rlp*ig-|UyZHj zpWCQXl}nAS1~Y57P^+4&m?weao)->Pkk3Mru?<)NBQzti39E_c^^bgZTr#G9RFe<) zs9DhrDvoJ4l)ez9E2!n6O~S)n6-z|A50yMTS0tDP@TZR>;<8!30bCwSWJNla>GiP! zi`*XVTcCV<bgR6&R}G*M+U(pw7`N<(?Lrt#1;Xzk3n_$f?)l|{EI>hjn}5gYqC|9m zzrOMpcibl5Tk^U!;Z_pEG~qslcl@m}zP+pbDpLPSL2<&;+9wK(W0O^{LYfZ^nX^j7 z94(DMQ$aN!Uxw&X62<q&<MZq+&w4fon+j*cx7aLJShJR91cJJ4LnrGR=O)Rn$@`+> zI+L8PV}pw5_niMl@9uq$e#7A2=F|R3UmI+azb@yG0a@Qi$ark1k}4c21JdpKSV!65 zBD*XUEun5Snhyqijv!0U#g><N5o@6t^A(KcnH}c?6UV1NV{1|o<}|8pid#TfDp?2P zMe3Vv6&t{oV1V1A<eD5}fF=s#xmX7s;G1l&zGgOWssO)jNCE>G^E{6yFGt%{hXQuI zvO!ytT2!N>uN3j^Hw(|;;N`|$dZ!5(!j?J6Pi8SxWn0QczElKITz8VeB*C@!o%9UB z<0IR^>Nb^u?b1>|bRV?z66hn|%UHI%f_qVQ;LsQ2+3x7J+ydsjPE#$iH)8b2CA@=M z`vdR|*|rnMw~B*cV#d_=zyW}=e>8qe^DE=z=pvJ)*XyOsXNgTu?O(N(40_&wjx)MT z=J%?33&ZCkO5;6_Uc5XYb{d9+(|=T(MHktK+@&Vd@gzH?$j)qQ>8EPEU0%ay6treO zLhxFRlt%HIzx{rKvoIXdN3`NzzyaJfl>FF<0?I4j&W1mlp7mc>ZU8GK{;aA{RWWIP zz>6+e40M&Th_NkD5%OM$C<ik2IStsP!3*{QN2%jZ%6!CkgxqA+F`P;{;dXtktpc-x z5)e!J2m%}HXb}J6FO<xLzF6^=j>Sr4_t7>nk{3E!gXJrMyt2qnI(?JeE(+(ovz6%B zVY=q^RrJguyr@*R?e9ohxd6>h91@c5L_^H~0({-^K}ygNlpTpw3YiNwx#K`JI4R%- zhGNMF-$-b<#9&9l`@Q=6VDGUVA#~!HneZOo2)(~fu6&FG9`oF)G@z{nM+5)!)g7KH zg)hndbYM%ne>*Y=kS?MXP(ie?Nf`Zky2SGvKMSs@4d{|{1%7zEV8>fw$QaTRcN4zn zwc%OJkA=}$h_YN~ZQIr<oxKxxFH5b?zLYV~JB`b&%m;2FWtgLg%ccW1+Y=16jj|xd ze-c;A&Iwq^uUwD+LLXqq!xY~d=LSntjdHXMT=gts%2sCmq2W^vz0eynuLZKDo4N}T zFU7J5+8y@MeF8*6%^M`?5;}sKD{_^pLzj#$#`8fBt%3o@6l28=jXU7fQbhu^7}V{< z1+wQK>14a`EGyU(X7V%!<ocxQA5NX4s|Y8)^aPCH?ZFoLH#;|Cs4``dTBF?UfHtjH zd=4{lglKVZ*;CLv_%cEz|3?z4c}^L7a1H{j5haW9x8r_~P{5hQt(0S<;k-b!em_ma zZK-?5b*>ER3PO5;kPhKU@)%3tF0COQaMA`_v}G)=(Y+{XrS(N93+D7k7SOBZ^JcTT zx`=M={+4lRZ80Mm6HLip0l;s-ubpQ8{TOys^oM;+g#@f%|H>?~n-w(&OO8pxxHE7< zGL`wC6%}XhO8n4l(TndD1pexXXWOc3q<qt`y0r6WI;gj+_`uPv_(12yd@vxhmSlYV zbKae~C-dX+c%Xbg136H{{dxz)`4KKwiUp%9mI+t^iMeh^Tg<)~&wfxQg4+_sx{)!p z^U^9xQ^Uc+H!Kdn`b4}++cGA`iwho-VWV<MWI9;Jqsz(mOx89Ij!`N4-HCpDLzY?@ z=3(jOa4H<pp*MQe==D$gv*_3U1P&sDd12dms9yat&jzTl73MooIuw}!Sy0xUZ9gI@ zLk~!;;lygtg&x+WGyxD7c$M7&z5w!&LhPT<Ur{gIGOdjV4<EUYd>~M9?I9(F@T<1g zTaESg_15D0{SjTJA{_VC*I#}4#iNG%3_4MHSF)@>USB8_#luH6Po4~QC)5?JuAlla zf?W!AC;G|$ezyC3e-pi8OX*rsz@nsq(W82bsV;zPwa9sK^NYH-2&=a+y?cjNe;~4+ z_FV9Gv<l0@MOr{%AQ7<dqPGgS|D%<<tx;WVr~E`aWLY=#kqowOyIbmg%b}6tQGu}x ztBNfCBJIRt)yB4G-5kKe53lAzXa^fT($tiYZlxnK_ytjN>r{ZTAj<gz9Hq;jQ#4s! zE_rj_pB#)=+TKYtASoX;eiPc?@gfi-0l-eF;$0BGnu9byp#4>QAh_GByR|Nm0%qCt zG@rRv5YuygKPVDwlQMy~c*4#&Ff?GHb_a9Vot*;=ElW7T0OgSvaFDBVYnb8{55CI& z+BwM3xrN)}UZbf@83a3=E2$&HThNV$^5mdP(0bEiN}AW;No&sL-^x29I%R{d0<gH8 z^pW9Qf<!Uqbnu+;5V4W?cE>~V9;qvNs(*Sm)9K@)6XH@P+U+<@4udFa;wz4X3PD>* zM<b&oPqQdfHX=M$5<xXiCb@>CZ87@>2Z~c~9Ooxvb!QM9FBNn`LdLQ@(KX-9bkwg( z;SNrl<0<Z5C9&z{e1=z5q)2*R6zDVanhQ6gR`mZs2HaR*U-z>RMJN|sM{jbxyT`OS z(UZLBPWv3%X7T4bik{#_`pZe~1*vJ^XRTpA;_K3nEbHM4at+2j14MCd!Pn;_I@hD- zXBHKg#Vj92-Dy^wg>coMFMJAo{g5K56|mU*T_naN9}JL;6lWh(eC>}<Vf2&QV0?N# zs?`HfTMvDxUw#d*f9Q`epAeRO!{`-gv2k$*EDI!Ha;%t*(SB)ksm8VtP#=C-5;FyN zUKo_)&C^%##%cqvr8<|@lWOi^7}P$@Gp*FXsc<=?gVKB=cqS=A0jvaLn1j2@K@c0O z^+mDpWM=82-@~(rQ-N(ca0Pf#@2~}#fQ{q%A!FgK5O<FLM5o}v*c_U(D`SFwGjB2% z?TLAPJeJuh7>5q=>TSLCKu1&6xoyVvjUS6v)bn+y)cOzEB!M!Fqdfn>G&|2{T7PT9 zouD^L-hqLnuqQZzVM!xGk5b!s5*PW~+g3qxtWd|`)`OJ}VqHFp!xm^b0JC#4Ko{L} z!|?G0FI_U>i3#gAd-LIBfz4SB)<1=nPz(USS8@P+`9;l%iD0_0DS1GHX2xbUFOfyf z2w`}QmV5(4uxVJ6MEdK8gtKBV@I7A2Ut)~u@vstk$!j$BOJP>@;_HXyPAF7mC%*g| zJ3-ux)cC9NGKw$pWo1t!e=|K<6?R3BzWln>Bf@)y1F7<~P&+=Kkqi?+K_XQm2K@+} zP8IV=l`t-jr{NsG_JSSw0ROn18djHae6d1)FRD*;7{j*sr&lP`M`I6yYYD?7SY!%A zz?3kyia`t)T_F~wfyrMy^sQmp3vCh1vKjKGPi9pHRGH2K#sNCxeRV8z-xtY!v#LD~ zlcFQ-*>oj-<(RseGo2!3g=vw~f}N!uZC;~Wu&<2ejSW{~C-;(8#LfsqP$nf?o2YkN z+lI7ZjYN<li`{+haC#Gx=9w;K1NTb(MX0^R39=9{D%2m9RweW*+_}(TEbE*$?VX^> zlM>j(NvK?<+Pnup)$u0itscTEbj!2}1FK9AwV?3;Io)4j+=Z!*kDOflYC|Y1(!yyZ zd|g^ptxUtu9SmTqVq5DGLrS7cAE6Y`7cs5Zwj)oOU6~?5i^q71RW`h2<Qq_RIT?Q{ zfZmCw8Quq<_=*o{B~I4k<N3^9z&Ner^6_+1?`d%>&ke`({-B2k7^P?8FcP)|&rv3z z;CF}^b5Px0TQm4g`0vOq%KAfJC8>b~<zySo$!^FY6)(_Ac@r;;9+57ci~>)XCjhp} zpvxAN-b~YrY}#8%5vR(+ehPJ`nYI+j9A?V;6|I#UWMm`4^+}g>LJ78&f1uGP0djM6 z5J0upX?_gz1DC}~{~hu@YDsCU{)PghmoW*r<N0WOF-ny`5cCVU66<<6M5n_11}4e0 zkJf_H*nev)VD0|`4uqT0EIY^BHQ=Tss4`#{RV7s9&F}=Zl7sR198Cbbc`wKHjfQUu zwvM0hhFvB|d6v@Y`Ha+asGpk3x^TW85qjpdEl*1)7d_f~x3-|}b#x5>sd-LEXgE&K zNj(Rnk>lE+@TQq_;7TNnx(kF-q#s|BZ#MS$m=t^62$wlqF2TtUDJcUDH>2n|4FPn5 z)P6lm2MII%ay)0aFm8i>w?D(s&S=*}W1vF7zzWEx6y$$Y8oG+EC#LUeRqTyNFbp#_ zNOO)jgH+tMqin3dm{Me-H9G^eC(|)>X=rA_n>>&9ujJZS=0rDab%HaWG<dWQ#Jnc* zOyPK$XU4Te;b(fZN;nNVRa6~D6rj>gna&|zx+;_H42rY<iQm$175JG-R)n&kciyY2 zSQf$4krk&a!c~ONT~4)Nyb4BTQ8L)~O9Z<(3G8jJGy}0GY^|`tx8o_UA3BrL%oZ_O z0%jg`Duz`l#?XTKNKqc%#}8k{$kTI474)wx{nw?#xB_Ko>#8vZZsnkVD?fAXny*4b zIAwj;gw<Tq-@B8ya7}L?ed2iSp*LkeaJ;kJjC^~lJ202#$Hy@KxYr?{2jK!Et`akc zo%-TrK8S|-a6IL(mB5QR&`|Ds%XOxxYo8I*Gk!E04Zo~@jwVrxwZ9lM&16u;()s2V zg9YSZHjHhQv?a1+RTcsPAjU?7fi?vj8~E6j`c@*$?M4glo(&dGTnmiz;+vn{GCEFR zTlK@ogyP;%-VrTHm%_cxfFo{u%vCf>DMyUCo<Hy!8`o^FYPo1@J3XZtC|#f{xhNdX z;Z^~}o*K#9gb*_#m%6W3W)~kZV3^y7pm9)Czas(-FSHCYaTmF7+VstBq(l_+1|>`A zbQjpc2z_Nu7DARf$;1O~|1n|u=|Cq#SJZfXsm+X1YpKArLxXxuN`NMZ+U}ilgrCmG z^CAlPXMdxGb(q`A3J|@<j|UtLfxWXY5&GU$E$jUZJb$E!T)WW#jT7`@Z)aeC1LrO> zkh#g0W~+Ow<Jjcu>`RoO34I4@5AX`1Nm0%zEt6!#ET1DK@YZ9L0~H+8Y>xckXiloz zjg~fC>g)Su-&&>9&2ne8a){5Gbp9gi1-zk~qGcfoM8)m9YV~T?%I|NR$$D$!0WgZy z4f)V#gxlDTV^m?O=~NNXTM@5ftvdUyj(lZ(`WtkoO2$4IIh4&s0#ODEPV+I%8?Y4d zI7;yf`0U8-!xNYH!k(Z}5A9XUyzO;ej5n^nE|XvbS2~uK@ZSFL#U?lOoNsryLYy%N zWv{#LIZXkR0{+5XPhE)VQC0^0mGQYMgk3aaR*^M=_cFvy2Yx^*00z980yOLQrH#6m z4|F*vY_zVsR<bjURqRm<vy&A(F1T+b-oRlP?KB#Wd)Z){kCgcJbs(6l9tUBKNP?q6 zrPAk9(X4H7K3X^;R-nMbc6($0vD<8J3X(LWQ`;JAs&G6Ss9Zrwm^FG>L2Q2{F6>`f z509H0>M}mGZZJ1;B`?~0`aNE8VNXY3!xcs{c;k<%UaEeL1%<piA9c+;Vc`xFr$2<% z+oM582xS(Jb=~kgC!;7!kJHxrIwl{~eEx(S;4=JkOgqi`y1UVMNbpcCMCHS9Y5T~0 zK%gE%b}4%=OJ61P>G$OUyg2OZBRl7xV0wi2nDUu%_j2=Dnt9Lr4ap?*4D&GHU`;P| zdMPwg(uS5OlW9qAnxDXy4$`&^HN#;EI5bVaq}hfRVE2lEIVj*i+9fy3j_2rErVIv) z?lhZlTpXn#XVBg8U_Kma;gD4Dgm)ipFc@&<s{6P1F&>aH>M^<LK*jkKsvOU!gKQFq z(f-Ziece%3QzF$AYTXBDG)sE(k{r0A2QQmoRkSI*qAfUrq#{JBnM<q7mf*ppa&>fk z!q-Z6pU=h(zBY;Q6z?4N)zw-MnC(NzskbZxBdo=J!`xlK7!Zpdtc`roBa-6!jbN!x z`<Ox=Evx3U3Ey$xt8h!&;rXauZppzYE2wuGr;yE??>enA0C|qnI;RqTv9lI`sfkNm zou;n4!MwL~wrGW31lkEDB(l}yOMd~%cV3Pv`@&n2_LX1sN@2a}(}p^^=@U}-WYhFS z=VHP~ib%>u7jJ-uY)(P!k-{LlS3);*`P0=Q)78{EzSLR}nsTeELIT??&Y<6Im&Ki? zpTaxbopO+$@CGfnB67fKh;m?z&nX|qdO(Lr8jVp&uMT?=%k%B^vNl>=L}9_SKPt5> zfUs(lLDjVdaV4JH+aWs`)5A6bMdzW89Q42SXJ;=@PJpLlgzJ7ud+Na72xT`y^jb%$ z1RCnn>Ub!CWn6-qTx4!<mD?NCRL7_2j&mmRVNpfc|4il5SP9yiLiNwKqZYE(M0DT0 zbtyoUGVkokXkj><mB?co4E1W6+t=-y0J2ak3y*+RhdoE0U4WlHr0L=^<fIW#Ru+M2 zq2u9QOQxE8(apBf>jqq@17c$_o=-{d5oaJRr%^ZU332M8TAIA*b+99thwK6+NfE?? zQ-oghN?X6K;|K|ifh!r_fu79JV?ZCOroux=9c6p-sn%jsgcf-7Gb&?QGIunS*=3Xg zJhq5wu)Bp;W5IC(6a8SFAzdOVn<+&_mM}`)-UxKtikT^inbic?s33qT=!qSfNe_5z zzIDyFo>WcBGh^3zo8b0H=bQa2=d5}YR4abiLC*=;pjC#|mmpfxWW!bsE?*+&apNEu z1phY8NJ_wkAU#rwlwx6yiuqJ!FQRO%7)=D#b2y%(?&AHOJ3Gv0XXD-;)G6J0BOuaV z0&f9=3_BV6Y9*pZpaNY`i_39t65r@1i*%6As_wxVM2V-Ej6)KygdqjAr3R7mO}SA= zsq{nUdC2$=8;EuKUhD}}%V(wgykO`5`@gUP-dE-FfOS$D;wO1`%mzR>$i4h{etK$d zt@Lm=l`OAjg+5I?PD*s!f=Hx%_0ltd>D0qVx4o-)X9tfKIWd*zS3H~z6bEnEng02e ziiO+Z1>3==Hz|~*<~pz{$oP#ODNS65HEcKaxOuY($L<*U@(fQk>>U+Gace8SaUy6l z?^k}KykSOU>vXBiUQK9>Qj;{Y3qw}~n7@7bKmHI(WiHMLOv2Xb&C!4igwRfxtZ$ec z6{^!3pRs`-qFq^nQ%XNl_3G{}anZxcZ%?BaWyM1nj{sjTya3&U^WM)zR1A9fAN=V7 z<AOgwpTyOSdS}N>po;#}M1u26C3N7}>uHp<RS`Pu40`Gx{uj!sf1x;>_O5Q^DSB&5 z8v%w<h=3$BK%sZ?^ZB5V8lSd)=4%;GJWh8aR{pQay-Bt^J$1$um)SGcm7W-j0KpfK zKT)O#tk`ZmkQ#p_k1C)$4}7~A3tClQKMI>4@XentFIvAW;FQtJr_&~eDTD1T7UOo; zjL}^r{#{@icc=Bk5v3^5z)~^}8l**?IPK!7o@{V%V(28qL@)UQsxjc1e|1yF*N*XB z7|-0^7~U;PsKVR2AJmeT{z8hlEzpb!kO7{Dk};5xM41@B+R-V`3q^}vtwAFzKv8*O zY)@1pzak^J1OJas2jk;x5S`@%kO&HTh%?hw$D8mb@Nhd$<5cBR%RM6oGwHu4aKf8D zvk>`CWqjf|us0OvR`RO08z2D_<g^Nd0)k|6Hqv>@O1!8CrtFJ!tNb<}xuMikEYD!I z-##n6rG)|7IZyk&9_%`>UmzLTz(98&MS%+A0tEd0#Fo9mtrYkx8&p$8&niOSJC&jt zDBB8p&w#ZoX`<wderqTHZ}?{NqF?088)C5b$_vGKDiv-+%cP69Kz9<!z0gbOkY(xd zaoR;EUUh?$u^i5Vcvp((0ib93JGu<hGqi>|#pMur&F$`PK7PEpx3~G^$>!6iwo&(a ziIevRbe*Y{E~K(ui=(!7$D_vaiGH9;s4!-VKP$Y-QoOdnV1<`+HsXH4GuDMgv{556 z3FD-=h<9>UaDxENX-k2wF9gm!p*x;qZ2R5mG`rL+0oE28Nx630i`aky5@G^s(H!9V zV}7Kn6?7~olOcV+#NbiRt*HtiKz%TOfbd-8f=o<^WvKY1y230U44^qmJwbAxs;U_i z%ZmoJ(k-#hynwJXq>S!V=o(ofK!niOVcv?uwgd-JL}m`6vrv!=NO4BN94R8&<We8z z{lIRM>9{xVA{j@f->h_6uy~!(u3o#fjVL>gy1ghrso4wIj2CXN9JNb%ACNsp8XS?g zI{FgFw1X<g7^(6ym4Irk^%}hDp=`!#9O&nU_O4)CB0DCwCWG1=lWxvjv)9&JwUY2V z$cD$gEP~A&W!xDmx}ps!ELKv;E(^Cgk8-W`Wu$W!6ZJ&-S9=ziW_3P8jlAqc>0FFH zyfa6aY2l)i$%wX5zM0w`^^!JDrlWhKdL55O>iP?v1p<k9b)+ZMVlx2(VV3k8X~j@U zdQJIyn8R6E>YHO4qn~MZ7E@36G3<j|AnQ3a3sRC@C7+Pi>|lDy+lnJoB?g@}K~u|3 zYYB+v^{8edO6g!yHDFUU!(}@s17vlhWM2;(%fOnrq`k!1y<h3T(oaM86#zziNtibJ zaumagSDm`K@Ag*N@*>8>5noO7xBc<Fa8kG~-w#G5X4NlfT~G5aI!<Ztx|8Wx*|Sho zB4(|c75CAYVWJQa08<T-cqRI)6_$osR73lRY*tfx-*WvXIRfhYFvl&63=YDEI7JSE zARhjMbfKD}G!;^ln4zNWH=2Gk9JPP-wcRZ$GFqFh_=bg5)N#?1jra!8eVlhQb_DAe zCe~D@Pu!}5%1bE~HmBCkRC8n93=)^Wug5o5tfdB&m3c2OFwk&Hn&G`Gr`xn|scKKg zI>iwdB(V|%@$)I}P<rPg%f_CsVuXRJVtSKH()%BbU(;ab(=yA$IHVPKcXV?Xx)Z|| zfgR3Dw?38L$ZAPNvr;wz{h47A6d(2Ko2e)j&PBe50rFrycV;sV4m4vmJ%U-bd<h0Q zcWJWaL5^1<<3fHn5ljuIRf((lykZjM6*xKm!zi``MEM=K#POw_AI9LAAUcW7mhy;i zEcK-vjUt(K&ZR!29L^6_x~Rd;h=&wou8;6yl6dty<{0?ga-xsSQu2*RXT2731g|1^ zv2jbrLlisEaWEGzds-Z@fXIm+&KX6{70XZ+b#;N27z*$^r_N{F61font4MIYZm%u` zE0DY-*ozQ1iT)4_sgoDoY?8l*qsP0~+2~X`x*Cn_oqqv_RD=mg@!yKg=%<E|$0)GH zG(LofvAn{;%cUkXHbCq8ZrV9623c{orX9H5_wnH<PN(>{;`NMP&tkVP%DK(Rk05Qo zJV{VPL{u;G0W3is?qgnXPhCfb0Ned#-tV3pwu(BaoQ~_l1wK;SQo-wZn4RZ%jOAn? zJ++JnV<2fUYbfJS_$m!Ir*zIkrNHQ9fVMx-sZ&^wh_V}f1K1}_0fxz55IW%@npx9y zdxlNiu)F#(G(^sd<LNNtJ4>z`3WSQJf`2j{;sY9H#|){m)Lo?wp*tQ7@~(~wp{nUJ z2CgQ4I4o)-LQh$W)@iDuvOw1|VDy-|U`T<8P%=8!W02xu|JRI<D#W%=^ATAv0lrjU zE^@vYb~J>3ojplaRUu0Hq|wx~N@+2r$2se`uxDge0Hvw%8|EklZ{&)h)EBBBh7*je zMt<@%rQ<F5x`Q#3cD8|mNjCI0Gv~>W#r$z)WJzT-kM*xrNf(7|+Aqc<Z4*ny*92~B z^hhY$=|0S>=mrjq9|NG)MilMtZf`t@9&c^$?!xz-*2aRnv39%m7}WyXWX!(7W{SJJ z=F!Fjenf?~=n=dXrFL{hU#ozlrG`_A%temT^U(}AQit&@J>HD6CfOGzBsU+MAC9C_ zkhh9k&lGJ^1eyYO>cjwZ08E6>ruHV@Qy40a6V?S(p-iZ*f}%uiDM|(v#j7ue$K!zv zckLd@i5-Wd%-O0~s98*a8yJCP5C9WB$EHE32}2o>1JBId(|U9Qc?WMoiY9(Z;^!)k zel|UwlN~=scfs{WMw;wFr}^SE>Z_LHRIYgbyty3BvUh)D@MsYZg4iH`n-8`(>V_m_ zlfkH#HPtW1oMqGSg+6p=U2AYLj8{L}qJx_PQE$kzTX#+|G5A%xFAi?FCH$PSqn2ab zX$r5kHje@Zo{64TiHZpVZPZKAK=6aMf)?7(YpsB_U?8Fw4RFF!G6CS)AML%{Q16=@ zU?%COzJHrbEiVK~1*U<cWnV?=az@tdcqkC)eM?jXVT!FWcp}G*oj8r+Yvqg<wH;|p z31XK+KJ>yD3LnP(JBpkjw4q1=a-M8&<1g*?rk{prtfnGikVJ9&ZgGUywz_JSxERJ# zUZ&JwhpBn(ucTV=Fw)eT=1s=s!yEUn(mf<Rj$v=y%{I^S$q5B(CDuU^%kYhrAwnzz zKa1Iho?v%?R~IPup?OQnriysvv+y0E*gj55%)63aOQ@wT#z9O)`5H~L)m6m;F*?r* z%&<lAq~O#%l@hger}F&Ql}RcxUk<Ru&hqxSfd$a~8^Q8DP81!G_)P)4#wXl}hJ_L` zTGrp(q$N+q)VL~=Y9GXBsl8HnD3~f6`a?2!lW)PWd3`0<rE4Y50H8!>Y#P%D;9W5q z8O}!-ql<)7h73|G9u4qcV`ylvz|vAoE{ax<5y>!`7%&iQADtT%I&W=;ix5`q38T#O zY(Q@&4w1%~1D30aYj<{dSafUl=XT2aSngF+Pdm)fzur4-j{gz6;l;JF$>_+bgbs}q z8XjYn;hBq$hQc)2IBBUBZu^i5oIk)rE9_NOQJY@VrJy=_*~FX5y9;P@j^;7r3JA;n zvHpMHF151zl<yOD3y&&4!=c)Oi29Dr1##Gjwhox;YVU~ZkyYJH`==OL=m6SyHlC`~ zhT1WoHD1+wjqqgGfKp6(fb6UPtInXp8tqcLIOA_S8|z-cvQst_%9vlddvP4h?+<?1 z=XlZ4EIYMf45!%zJ)p)o9t9~)EL`-$hzgAKfQkmCp(oXC*ib7v28loixYRu}#!Pyn zLM0Jz2+~N*sEO1OMn%`qJBop(dZ>03Ghg`2b1#qG-jyDb8+&XbqlQBH9BVC4%Gzyf zXKaldvPkQ>Jr}zhi6n=Jx4w1CkK+P0XBv4OCI+`n+{`s(X*E{aabwLwb7MLlmg4RJ zJ>HB_o(}2tb)U(mZU4%fz_u@ia~D8^tuAcLY_ok#F@z?E212c)BsT{mCE6lNSneX@ zLo0&E*#j7kwSA@pt87CSdh<-tGB(zCo2adfwvKlqkN|tpR(}VHv~|C~6K&mxrz6}z z2242_8;l&*DV9qTAIE9jF9mVKgaL4v><-2SX{JzhitFhhJ1r8Z>zxZwqQRq@#~m07 z$^x9_gTdi0s=j$pXmdbVu09GnT}KOx%59=nNdnh%M!YTAt_;TAA4nX8eyH2X3Y(9D zVgk=LBO6RRAN6E?^WC|mk%jzVGQx92UZk1wN!-!I?GQ_gjXB(!16US>=dsmm=qV}) z2eiPrVh1b{+U{ZJiuSDOwYe#u0Pv%r_6D~J0l4CJsJ)54du?oGGM*$guc=ynv-AR5 ztkw0tZK&iAl4!c_7Zm|F^(~rs<m`>6lHU2|qf_fxzZq5Tar04cYz^INg~>)r)s^yo zchqxlF=5LY*^vU-4~0QASmcaZqXro?m2U_MS1+U-OT$(6N;6(b+$nNt$$P8aa+AwS zPC+@8=`S;G-WY+0(a7<hK$$D)%0W5J1Oui8%qg>8uW+M@xt!PDi2&pgPZnM%90Hro zC<6)Sj&qnrg<CtPyY1z5p`5L0{B+N971!Adw5QqkV~$phB1>Oh6cIZ%yUyO#*1_)M zog16AN$)P%rP(=<TX>tX2^B?+qu=X6b_{#-?fiZ8E8G(J_PjrGW(B+4$jgDj&qeQ~ zweetZUi5zcnZKR?{Bvt#W23Z<Fh?iA3xxc2l-Lm}NUx8iVBT(jg|E0Fc-ivaw)i!) z4lg$zlx_~FBjc4gI`MP&+EPVDVHnVFGv5sFO=6l1^jnov9KRg6OaUOCth7dVI9TJT zPXWfe$^^4ur^j)jbJ#k$BZv<u0yy1b`$2k*Odma1-q7NR=qf<{l4VU1UH&O7hsczN zUw-MQyrJ;oeWRA%8~aO^7lmvcZb8@aS};XoqL0#J_Fl0!5Y5|2-A|`@mEAsS+-v@2 z?Wb>(`oE%B=RV$u7LPLWzjg~*pl;xMR^&n(tiS}&hwI<A-~Iilz25jbYn<#ho*k{l zi^0xE{qET`(bk~N0S7vm)(+R-)#_>M3vzAKO}^~T%1uIRU*5Kzc5Cw}{fc3;G_Bw| z)Vq%SzS<`mmFtM~#4pCP=OaY>sHQ2}Lg2`qNSkcJ1<Ce=wkK}Tau9E^`ZRwG%<Vka z#<1F6EN;h6LhJY^?*D7+nV-a?{1o^R738Lc5+)LuUCUOrn}7oeGttE&J1RLZPqDH! zr<hhNNtI$$oz$ovuU6Fa0^`IvYJF_@(E4~hosKUGeFuk{WIn}AapWgat$kE;AS%r$ zZJMs=Pk6>SDUV`|b<^01;&n=2{l%AGeH{miW{qEM(d@Vjpij^GKc5eVqw(aIX)&9> zy?A%|Yem(+bg=T`s(<O|#ISxE5;`4WzJn17`()Y%eJzYlm6an@jeeoeZW-n(V7NA! zA)d5QkET-+gd@5dU2EaAjDWFq+E$NqD@GV7rXl-kr0i;X0t=FMGGkzdCx2o|QKFM( z>|Gr;Zcw2BUyg3-A#i8;yK0boSGB`;wVNn``tLSca74d2>*LPMwj{OBYC>43%Zxi% zWBuKoJ2xg}Eh?<Z+m>xk09iC9Qx<Ep{&9cMpIsUl4vyn4rL<p!<+{Rh{oyh!1-W^W zlZxh2ThL_3<F^#Gl2tC``kX~QA}hwqZTwn;2J%_ADam=MJe5rH69bBC<^A#evPM@5 z2x7PKPgpvgzj&a`a_{JgXU{^D&1j-;4#ge!#0!%`Nw%~rv*OU*y0E*VHH9141f}nk zzriN7*3!yP_kK`^jy6|%3NySaQWm!O4Pm>i)r~t*Zz97pMr@T=Xr?*G1{Py9?9TSa zgJe{7E?_5m<-o7*a~%JDRt8P;U*`R(aPOm3rOHo8x$dgac+M$-lwDrS6qG-o_D?Pm zGg$hRqGyCrkqXbG8bBuW4olV1qR_uL3`ajOFk{D)igN~=Abxjyc<VZHWk!RUrlhis zL-`yNa$@3*6^M!Mo}{`eky7Q3H31TpU6#3IdrDMAl^erWu~f*Mjp7X|6V?4II3|w@ zykg+lvgMvCytg|yN&RM#V#<&DS#|z|QBvMY7z)<9%@B;tT2j5ZzZ<>SEek`Eo-jIR z%~9su4=Ho0QRW92wco7pKruXB$IAyB58)*7Fv9lXU*mZR&+&)>f1pA7<{vh6awq3V z(N<%AWak4q?f(^1+<Jzy{&aAHIdE84sEVrx6XY__!wbxU#R+u=bu$Am8nHXbWQ`iy zhspkFHW#;l#MMw_vR;>xwHM<Hy`}$+^yZX*X+Djf^b0)x!ZfQH`mR{qbJjz-OH!1w zE2H4OkVcC;5ezWF;On2D-z$`kE2f${05n==c9}%T7=|{D?qwoy!y=bgXRaNiww|MX zXA}~5rc#NaUdp(#lcRy$2Fa?c`JDIltk=`WS8fzBp-IK+_|)F1pRj?u%@D>nKc-={ z9<|W)ZAQTXpRC4TWuVRqHuVPytK+5Y);`#k*`uL+8sSOJ2s51jnl)=S=#-j9l))Ow zVqI1_ASW8p0UUqvMat?@dHH4(YS!eeLU*~Vg*@2Fx~2N(#z%3wxk5k7;F{C<=pZj< zMN-OmzrG%|TG7Tvlx5MgXVH2Vt@ol<<`#ll!RvOqp$r7CU6{$6DoHGDPYt~K0*r^3 z(K*nq2P>cN6wk&^_7;oq0v*{x3}^k>AP-|0h*e_@0T$pqvh3i(VFx|K4q$cma*T>G zB_E$+J{&?Z3Km3O+9V2Jj;H5ULsQnlEgf6b(Y3xzBisO6U&4=#M~~neK79Z`zHs>R zGP<{GKl}qPs{i--i|?Mi`~kl{d-<9yg7MGyFJHfT>bhlr8mhF3RX;E2%&3^}%aiD( z!+fJ35bk#x?i+^t_>#5OZvZY-`3Jx)2V<a2$L0GE?TU;X4yV&dGitt=g9ju98v?jT z1FS`nRbZZ;<}=F1#N587Bd!1u-J$nCrFts7POWaDwk$t1NJI(+Oi!@P2?e7I>JBLa zOfq~hpP)&maTGGk%lfvf0HSqci~ZmK1vE~c<d~fiPmA@S$i!)3m~)#fFl;G-EjA+y z0O@^_y&coE+P^ZlHyxJ4n-a&HSRIqb7o(Lir)-iRhB+ssye;M~mN#Z@D$gRk*40<K zu*sy+yWv2{3(s}3lQSbS80{8a5$nqy)U(jVeRk^JYw=#5(F@8JCXD)J_*HH`Y<&*U z)HLH_LfEI@@Zx{-OWX`hH;nrS9@(%@!JA4Sa8piFc!a@<R6G^2Bc${XZn0}|r?Dw+ zSQ9}#0pkDEg;DQ#@K-4{s+$7eIn9x0#nyuKhOv?+Y4H{*Ga36NhJWezVR`kFsgJPq zQF>I_NvXr#)^IKU7)(3}+Ujoa$Eo)IY14)FQCS14E-03&=(o3P_sQPQBDE8Thmp23 zH2E*~q1@};V^oKrm4wosbgd%B7A5_FPSj^X2ZrsJTaOtWJ!!rK5&P{%)W_201<OWr z$!z!|%?Hx*G9h(@qRu{$^1h%Y>il<NBkEbwt8XR5_@-|yHn!}<E3B{MW}L<mAWkA6 zP6>93sf!D(t-Hkz>WEa`GPe3_nJS~+2R3~_*tYKMjG9;PT(m;()P}8Ur>3k`7rNF# z3zS^9-9l*XBJA>B(qtQYoyGtj)7dZYlM@Z^^ibJuoT*IUKzcATDWF7NgabWO8Wg<M z8L98f?Xr|nb!}_b+rj0C`Lf56GT`0<33!^HY{zG_*<|zneX~n9FZ$<wZXY<yFy1k5 zw(e&;5xxb<;56U54`9VX;f_ObV?r1TuT&Uw{0d^L@J}0!*&O<0+sM*P*+)2|8}CY1 zIp~khwc&SW?YyXFo$id!J4hN@i1ajcI7AGwDA^uph_2NEnK66H+dFbNmEL%3cZcRj zGU%V@QH*4dF$C4cC_>|oI%ym@Ukv96prqM_Yku!G!!`_vSJU(dgyshNE7DVJr1E5C z$E2|nEgAo?md6Tdkrr=64r#so{{HD!-``hVd=!RR4Fs2`MR;F`uKp5|R`B~*a;8<- zEC;BeJ@uIwxQ0!X$%GD8>Aib6Q*g&zL>S5_3td#HbN#yvETfb55Th`r#f45S&LEA3 zU5v|(x)AjGc+*6qW_a#keZ%hUfX2xs`Ftz0s#$g_TFCUZN>5ncs}RAcm7+xICp1%Z z01XaAj5iB}wYsomm}rOeWJjU7_2l{g?O1(32E8sLsjw(=%+^BsK!XMw0vqR_q8Ytm z=OGglQ|(75(Mccu_2p9bD+7x5y7rtUeX9qwDnF3V`=_Jrc#3B8ab0?SYajGn<-6xZ zGispj-McZ#=u^Ha!9-C`XUv6a7QMQhoylm(bdEr?-d@DcAR3>0_pV|(Si^?B2PeVt zFrT6`A)yJ+7|)v<i=zoSh)p)w(2Ur!>17fn@u+BRGF$*=0M}D`wXw<IQ%weaguv)8 z{s5^FG`k>LD4+D-3F~H#!IJAhFsO`dMmCBogH{73Z0FFmb5wBNE`92D*?_YNJU?M~ zIURiAgeD>N@g_<L%Q0U-WBh)Ba9u}q+Na4$&T}_*-X4tAg`9P!vLwjg0kKs;RSjCW zxMg}R*~qls3TW=W_($jecK3gLdZV1gmWM1nn+?(7sHFDW>h<65xR2hzu##L+E*Z@( zC;4`KI_>x3omTWPT8~=M`quq25T|rDIfLTqgJ=W(Yo)EK3Ol4SJHu^pOqGKL1JCS; z;>YPE6i(s4phyAF<GOpXLt6<OBvKDx*EwT1yNoar<4Dtk*9ud_X|#in$Yttn`P}C2 z6@sWzrHc==jAH;AQ3tWRj#SU;+QP_{Z3x0yp7q$b+W>S$9Gn_q`$<t>Ug*2jz9V+_ zOy{np^*y>=M#E506XCC@NePfTRB?53RxB7NtPs-9lGikHD-z>dOJNOiRRY`ElD=hO z&MY-KS;a&1$gVL@+(7GYkVphf90XJ!;$xE<)zfg8GD?bRV!psa`xWT7?c_Xt%SvSU zLXpJq%~4q!T?*2FqBaLSJf@jB<!caS&vji`Yfxsliqb^+C3J>mwg=Ix83TrC;N=KW z7PZf|ql&r3=4FIWTSGd+@}}~w(6p#w#CYP0%xpM-ytZ<~UvS=DtatZ6iJ^H3;nbq* zMTSDPc~#f9l`m%Eh{NntPTT2-8Z-OncCA*Dh~J=v3B~Wl&9hLZReFoH^4|@MN@fi4 zs+JfHXLxDQg^Zee{gab^7o8xERa`f-yOX(?BS7JFVj1f<*hmSB)pt@;{B~RE=Y!cd z@Z<B-**AJyB}l)`zAB0?-3@uFlsCaY-FCR@e#IUB&o<@q0Ggf1fKZKow@}9oG<P#c zh5m{7K?acOu;VZ*?=*hz%0k|Z3`e>VnLGdczs8f@q8Ovie@BO<roB!*Z|*;RcHnS2 z{o?iW@4i0>@WB2E4mB^7Jy1gC8BfV?c|6&tB*FtY=Wkm_|D*=zimCgoUaMC|(Qpj+ zwDC7^L|_xcA*N*UGD*-)^?U-4jaHTppX@QufyOzCXE*PWZ^&66O28DkY@&W$mu6Gu zXifn-^jTL$A}4R~1|FN}9EfRO$K5_f#cQf$^Tx1H=0%2~$?yoL)H-8>oD&A0Zp?Kg zww{WWE`s#}=HpXz=_XMU8NNC1qXEo_;uO-grb=It+jeZXizq2_lk5|)gA-)ki9HX4 znr~`1Tam{jpICUDCt7<{AwUsz5B8s8u9aBINRkIYOqnJn9`&trIBMrBj^)WQ{glDP zFz=paqkb_Yr{6JJ5s*b@1Uu^#t&=a&bU_hq)ewMs*1}ienKsSIsdzNgZqvgt$|G6P z@0zsNS^+$Q)3qL0fWng>UEy>#4W(&7w?nLxWA5z0utXI5#!JH|a8lF$8wNm7ahn%u z5p<<wJmG~nnhy{1=@1&H*}4yNmzK0jbj<v^p0bCY<#gBy9mAcX0EF@j2>mzp<QvIa zaY~q}Z*!Jd<FDgf-^H_mTBcoB95BcXRTmJK2dO|TQzXFtUyR-BafO=%g=H*5P!{oe zbRUp?Yas|Ao25bKSc2FXJ?0jW{CXf06j^19(8X2?8v!zl2Xz749ShxpN@;)!nX{a( zS|oL$l%pD>5Ef$<Q${eMRHR)u!`5&-?)hWg;`Xi_Mt`H?0?BRRrYX=DQ^!n@vOZVi zq_n!SX_sf~%rp)$#XL*AfppuVDKN}wa1`Gj5BoE;0r^I|hm4(5bSBUerDNN+ZQHhO z<B!v^ZFg+j?AW$Dw(Vqk@N#F(T6bR0W9_PkQ~34-&dg<FAnv1HW~O@86<PF>7@uSd zQ?@dfTCS+<uE=HAp0vn|g2Yo6)tz>>u1tI5ZrB+M$$^lJLT~$vlmug85YJ{c5Vt;D zl1D=c(*<19{Te`0e2qB^Mg^(eX)rTO!59PR0UV-|)X&QNv02fYxM%5XWun>4H+V1q zKDSl0MI9)Gg^yZ2um&lEJNr+mNCtW)(2&ApL9JfVUHi&zkClb}i=~Qfz9hXfO+)#) zK}pE;o$X8E2NjzA+J5_1rA(c8EV>LKIJn2=Ah<?S{0hO=$AB$v?($c7Y^+4lvU46V zlTo(|+!9|lU};ZAdc(GC+b>0;g}r<S0>iKi((n%#k24**tW~pp38Z9eQuTo;w7M05 zqn^)iFRx}rd3^9Us-q|Kz<jgTn>J3x9*$|G!k9YhMfIJRDmqsk7fTBz8AJ4KG9CHY zL&QcCwYt%{{VM9?t`u8-3swIVjdjo8zdlrWZBCXd?&^T{{5;RrIo)IE>A*=V*j8Qv ztu1<);i31%qqa6u!7QTgCR}FnfWjK9Vlc#e=#6qU$i(MRlx1?}o7?6xhs`T}TYnIr z_00=Y#oxm~Iyegu+J)`-qVCuK78@}LGQ-@$k^aW@^jy*P1>h*6GNc%ZK#=?@bxsoa zBR6%a6U~MmYgp?^sppE`AY%<f-B>P6%!V-YT2MJZx%41#T3GkTtCi-sRiXoRD{;c- zNVZ-_7ad*Kff)G<9DqB}Y$mumHRL*u&h(m;=ZvWlqJOQywP0m!jH4`9CoX_MNxv5G zN{2^|>xOU}I#T`mA*|0JS!nb$QQ&)*CVPT_W522U`nAd<PAp@Il^<5i6a294!oEyN zX0MJ30~JlkuG&`fmZOtRI}6FMqsAP{_JI7bKnF3H@lAEX9dMcSWY=};wEAG5P%*N1 zP;0#yr{{q(iKw**Yy4Ad+nH@`CCz%Sm!+Aj{lO}kw<)Qw@taYK^Nuc5l^6zsIug9! zY9=+X`dYqm`BW3SAJ_;2{9%a9fn2i?NSk>mHB_y_SQ{HH@Ej!WAO6R9vDnYNMe6Tc z$t4c32x8~PoV4_|5H~v$Tm8!XW9h-TSeYWvZ_`g%E3bs2hDi4{!1PUMLw!`gN_4U# z=ceFrc+ue5-rhX>XVd}Dw~MEg<6nIJ-eh9q^QZS79p4&^RT*Ww>^0P$JG|LgGdY<c zBd1QV)OHE@6)>8X4HmWicOAWG%%VaQeJwS=H#M@3S~D8LmUx8kY84gVp$m+>TdXYO ztx4JKt4qoj?%(N<)nDSam4DI|$vHUTt4&J!wDCUvtw)%cGs5p&q@-nTO;F+6<E-Dh zY!;+BBD)7>Q3xDJ2ta52Vqr?8;|6A{0LsU*MpQ2`tYB1=twM^2|HpF08u;T6!dTH5 z2;q3X)2@jq{8eKuJzQvqrMs-ITe;Ioe)OifAd$EZ9_c(Wu}s`)g$k*8+ImR^X|&JV zDTtVHFhSfncO=)a!EoQ5HkTR^s)_KG8wFI96rlRj3~jE{iH{_-2FjC#Bq`3Sg!`mH zMz}x}|FABe8xQsuZf<<T9^}Hy;z^K3cd&<6whou_BD`}i(My}<QZ%#@rrgqDDI(32 z^kfzTUn=+kg*4PiVrne_6ItC2J)a1u_%OmAUDaOv0)UVc9GTSm!8QzNnZR*}0^P85 zE51T;X|NOH{X1E~j-SR|EY?hlZ-g@9y_17$w<Q%GrBcef;>TLzEyF5V5TLw_S3zx8 zhxo`uCs!H=Jii>;1#=)gN+?$be3(1Kl`nw8!h;=SjFchFD*^M%V=gg(ExL79ter_A z7LGTryMhwE@}j9tL$plmq8(Dud<!|pzoIzy>46>?UG9?=agp6YGho}l<%7o;-hYhA zG|7tI4QE(-o85Crz9iV=9jkNbnz)7bG5k*j_lMZNT=PZwhlM-$*o$ZFvVJ{&(aPUA zzK~?BpOGgSP2=SPGK${mK5A*qLB9!MX1l=qPvCJO6-UBl=8ijS;anoI6q|rBoQ;S= zg7YMp?acNs#EO*YJD-hd-ewm_xv+OM+%DGZC#7(Lo+?RA;6qoKBM%QwBTlECos{VG zETDT2i-Q^LF@a`~nOnzp`bYAT)eOn%R)c7PpX_K;n}&_m765%DIe1V$1Wq<TURp#v zyYURpiutb2g{{DlehAh-KS`YM+c7NwnX(A7>G_Cn>j4HwMC1*{;TA;Kfqo-r4W?Ub zUCcGbp^Bme?F4I&%=oM+;ok1W#+5s~-`>9Wi5X12=_#h<gwZb&Wv1}oNhz(Vn>%Ve zB;j$T<i<k7kHXRtH#%0o88s+}yZ3Xr5|%%QmT8p(9QT~$?ITfQ%tIAhLB=XwLx!xQ zpdkd*?t0qVL^qg+hGfJh*@Zh5`vxB!jFzc>Q1VwWXjvX5!8*+jSFyI)U!EVv7cIL4 zuL)hhpT8c0%W`^dJPdoK-NdG3+^qzoMVUCc1+4hNtOMVr6M{%Z9)yjrzPcVOcvR*i z6*-?}O$<(FdtFbJ`5jj;Nm28@R~}9k*<C<FK0U}LDtY=)idvXUo4=Kt3@}RAskfUj ze(^<3wH<k{s~`W-D5Wl`YOt#ZC4Fdt0<5Y%Z4jNjPFyfoM+G}&aeP@|G=qxUkFdCD zly>RKcHmsjda<gs=(~872$}IJph-RaJ?L-u&c!>};bi4%-P5|GhfenlhTeFL59PKN zi9-9an>6A|!)wtlu00_$e=zD*@|Gw`I_>0Ey<3P;??RE3p3t|u(>%|w;;+YYQ8S)+ zsFGR4UfrynSN2K5m8C?rPL7<I)=mvADds>{Q>evKg@%t@vvtpiZCu<UMmZXF*;JSk zUNwq9#><-orav+y)~{7Lrp^+<tmGNMv^-p@(bok(cB|u+TDtR0P#xk}cz)qtX8ql8 zmvBbzc$Q=s$8FTG$y1?ntjZ>35<TWfCBi%xvfV_z%Mgf{S1*pXZm~hVmpG=FU0pW9 zz)L3km{JRR0Gl6`#VUTO-+^jj+^!I%f07dlh`gfc?KJsYYsxPg8MwN7RCKdDe;uYe z{PooL?REL@_`oTtWYl`q{_f7SOq!uR>viGe&S`~)f1QdSx#niQPEk+HXdE%w<IMcb zFU<LOb}oj1`qF4;*nW5fb^MMqyuGCTZ`hU$_#XIyMZ<dN3|!AK8m3}hU_6K1zHtK1 z=l1YDgcUL{7syB)11G8YE!BUQaAi55PkoO!7MCq0%V-R&Bj3dZC6-Kl%u%S(_n85w z2}YI4cAmWD5RwRIIJt|uby*IK*mnAE^#(SMwzM*EueQ=7w#XYAOTl;H^qynR>QGts zLlW#4u>u?xRxb3y-1NMz*m2$uf%9nEZ}7l8;NvNeMwz7W;^dSn)b{~i`7$m8WfwA4 zTwK=!VpZJ7K3JWK-wvxNd<Z{L{^u>EZI`8*t@@kx%7p@y;jiyJ*+pl29>;sv5Q0UF zk2j#6y8)6&`<76vqw&FG7Ab^CKdzc$xSpv4SvbODU1oLZRzPa7utdEkDT#`|9Yg-? z1oM{_Y$TW9i$GvpF7ST3bm%zBQ6?O$8+_`V!!+`TJ}2fuL33NY(B0(rPCQWG+#Eqg zlyeI$V;l+AI?^aBQoS87_AoO5qIPp++{0-Q{65xO4>_+SF3PL(l*B#KQikGhfqWrg zO?Nv2pM`h1ry+E%ZZ1SIJ30ylpTWwJfgu)Ut6tfQy;ucn3zuY4v{v}<T7Sz6tz46L zp3{t$oExA&98?N?ah>}o^@oR{cGN9&#M;`unE?#En#_w*WPPPACFk|r#+gBoi-%p! z!;l!C@gc6rmKv-Bx!65?xCQ|RJRSAY5$~VF$z_al1@y|l{Qdz)rOXazNS(~}O^Mz+ z50)3p>PQ(~l%V7EJ3->YZi^&rkiq!h3%}zT_2k~)`6yMh;Zg%56&?!P?l3>dzXo&s zr3cIIwJX$wm0jpjybw#n(-MP(^vI;#jZi{n7uwDSAV~_5s4!PJNollE4CYVIPI7Co zwRt73wG%)|n=ap$oe0J8Qt>Tt+7SO);jZG|w!MIVzrpn8?yjPKdpU<pf;HKMS6a~1 zx%vdD_YUnF5-=l<OQbWZr*OY^T8bWV=T587b8&{6OTix)Of@dz97%|jZIltIOf&e8 zQ6O6?DfnF}CcUD~DAjj|CtJDd0k&SLvSOmO!k1-jd3Ez7?~G%K?ub#DjR6#)s#gz( zo0_`Z{96^k)3&QL#1WgG4}85t<ODUtPmaap(L8@tR&*eO$&k6p?1~~|Ovy>d6ha-7 zE74PTpWO}#x%!{W5@oQ6uiIpq+qMw0kDI`@3GX~|9x|RRTR@V@5~nY$6$;#=^b7+e zFHv~&Oa@iEK^&A`UvTg?ca9fjLrKi}DZ}}w(hwooj<o<-=8jF@Ksk;^K!<LIea`3K zd;E<AogS{SI|5yb8lqeTFW0iXHT-?&&PD(+ol%@hfO?4O)0ek$(|XMHb}un63t5=G z0cY2fcG0{59l{RY_DAddS|X@yis4^4k^HcHp0*I^IK$lC4Rm<+0?wmL=T`P=F&xNp z3Di^1TZj%J?4ysD@s)Fc>-P5<z%|6I(dc@|FqGv5dJk-HZBV01r-t=;d;Cx|?40MG zDc!WKwbk=c4NfZb_&b%=x>`7NbpW39n{|o<(WQ=YZVk6trr1moXxq1{Pflv{1b9Ke zchR-HhCP^eW{ekhOraE3J5g~?OB!i=62-`L(Ik^|;z4)-D!b8!_WZquA&_Wfo_P3| z-c_cM{}j7u_Q?5$u)TV=Cm#C8FODGu3WBDoTv0^R;p8Sx9uKr%?2g{=@PT%HGYG7s z(v2k>r53z#>Nwo<)r%;xNtW&JHkq`N8Wpvn#x{FHxF()TqJA*HRCZlBU82+Bq8m($ z@<5+S5<C!lQbB`I^Wy@yg{QA$ITCw7@vvg;xdUh{5t4M)!y4rar5xa64oic25@H#; zgRYK)Tvi713r4%#@2{$uiYUy$VsMrpk?Cm9%it22RK2mAcZ?_>^Qo~Ut&6*>icU}7 z01HgSXv+-igA)hiN)dU7GC7JLX!KrM`K;CV<#eq}={Z?wQc?W0t+$Ln44u9jD@t6} zDuIsuO$h1rG*+R!G2^as=XO!7MrizVQEz`tO+n)Bu^~eH(5TktvyncGJsfQ_+<4E4 z5AHsfH^X(m#y7)DMh$ll7%xqu7auqod*4lZz=yq<aDhTiVtVIgsCJAYZT;9U5M55_ z1(2++4ZmIw9w>Dme)XR4m7J~At74aJYFHth>nNDP@Nx`UtRwyyeP)M?iYd4n2#PK? zR;DYm!0D@fA$%P5lvRo2HZJ};F@pdY{wjFEBtNdH=hfW>@(v&9EYL<K4-**%Q<t_^ z5l2r#Lik){uE%9-7emFyj4PXh+>%vXkx~3#+^hIM?u35xdOKsB1fIJO5|fMLAJCdI zzJhO3Ih3%2f<BJoxrL$p63L|3<_*P)v$@-8yQ&5bu$!x)pDQ=s_zrySKezv|p&vKZ z$)6%*<!0nGZ6nn!c<bLti<S~&s~C?!hMLFFh3RAXN5jHcLxq33sF2=i9&AB-*|r?t z^~*h${G=;>n7N`@F*k1~-CR5jIX_=)qpQ+ajCJ{)WKuCKvU02K`2bPBWLxBWdk&p% z`psnctr*CKU9gceds(rAvPXxV4-&J0WEzP)-^PNmwEAXj?CUtUX|8$fIajg_-<fE& zgJY`ZoOyqY?Y*{&wrNO@YS%YwRyi7Did$t$bo4W`?lldylAxpBM-(<9)>SSS0;lT# zB>wj1nSmC+QaM@v<L&^(E@zTqm$owD%~nm3XQf%qGvAngJ$v|mP?Y7RtH8dmI$=UJ zqvhI4<OA~uW_OOEQ+^r^CKXP}sD%ufm^9qB8bz4WF;9N84M^CI?c!+rn+dl%pb)oo z#D?1Ds%2!pExd<)w0HjOb(FZw;Ww#oRdVMzTP!_8pF!QPZb~O_l=f@@1!YC%by4ke z+7lSJ>qWy=nO_Qg_d)Neb=|ChcE*Vp8Wu_JzC|h)GW-lc7*}cn+{-_#%|OD>>5!&4 zu3)J}@NnO`-=~7z=3W6NmR;>j=|{Rrm`|(U4vgvm4dAN7{#9?RQ&EEcP#{L1u2IW% zhFqP22=8m9%Bc7}cx-%QFg;(MIql!?>VNFqHc=uyhT?%+1Ss%{zb(ec@o5oC<slBR zUzo`wI3rvQ>3S&tw(luqq=^*Q_P!hEIYY3_KO#44N5wYJpQnLFyX_1hU;5jwD^}!( zX|ZR-C&2mFXJnq18LcO7N$@%f@Dx`%NQGj<o@l>5Bj#S0J@7E@DVD5$rFCda?wQtK z%=ht!9<czgKY4RzD0NsX5ig;25r(xnfiY+8AKtj(y5QxD!GO5{GA$tMlw5ueNi@i} z@Y*erw-z_Gf+J{9LRG!>`haf9FsOZer0Ch}V1E7y;`8AaDrX|TR(EHiSF^_Tpfnec zBOSBSkiR|AS3EXLW9s+ciE!mc5Ab{5Z$vCyr~&!A9r<m!aD=lHiVOvbDX5EgglR!n z9So6BhxTCN>3{!#@CQ91gXp9U3J3RR?XSP-&KAG{P|Klyc|3>R+Cld2QRcB^7iXAu zu5BG>S|>Fc$}oh7;+-UMV;?U7?0=o+OJM0}eqC;N{?Pkd#6yhuQklHuDWjA4*1|g1 zWSg?PF_0X-K*T4t8OeG0zmTHaw*hC9S!7I|tHNNlqA7rrYOCh^(3~m5wegt0UDV$9 zrS83>UtQPLA_bYX8MC;Y(%wz$T$SF4z1w_t9r5Ry*Hb^n9(5rlo)|seZPed{<P?1u z+Rq%LR$fEgne2Oo4y$`V`A+V=lLo+_5pbEsL0sI}Gpz?*KUQ1#9M{h#*5YOv$bKM^ zB@~mhJmos8^W>MmBx$#@Ud0KR$L;eYa73m-L6(r<x2el-<vM;<-4>kY<_imxqJHj& z$S`epIyD;sr?SsO7@cXQ90{fEHwx)DsV^~v)==+gOTT~2h|q9!22#lD9jvSx`olvW zj|8V3i0f(i@0DH6arbvpXKyT?3d`oz%MQvt99&hqu+Zps?v2X-trnc9FJ!}lj=H0c zGs<zg%{k}7Z*nslnEtq;N6`@rPDx_#b!$wcb!{hX(}oLaY9d0o_Urxi5<cDKnCYP? zFub2n-Q^j$o4#X`$fd7u-#?|H!?5HE7@zuU+CPV-PM5hpK<-k1XY???diz7c*ZK5b z;C_T7Qxpqn{dj8ojc8C^SNHRLasHyK<Q!1~c)zNundHm5#(OrZs~RL&>yu=PYhv|u zUt^8;S|=9_5Y2I+m|Ja!TEE`jCx$6ZzqN)7k2O$~%KdJx8kv-w7%ulk!ru#Sy7QS( z<f!oRXUjXP#C!}v9iLAQQK(u=e{XxWdA^ttth<{FX5{QGkxAVaGYi%~I-=?F2DrC! z<2eKgX_5VO8`xIYISveURTQD)#L$QjSu`7Qg@5(uJNhZp5Cgr^hQ_IzTyUoFy0W+w zHr?niBiKyTmt!nDz=bM9>Jfwcx+Sw6I_9%vGi6KGz)QXh=hUCEfA{77QO%RsjsG4S zgutnHJ5})(vE;RNp<d=+O=RjrW5jSkm{IT0!9TK7oe}Xs>oaSOsAyi-OKeojl^Y#A zB@rx@YyZsVr_wZP_rM~p4IS4(Z%4lW0=B$*dYy30981@^ENL=e@}KQT-I)%M3*&(q z{XNz-h$O=k=q%>UEkq#=KVo;;vHt50b%TWtVy0I3?H4yKJW@{s>axsG6LA|Hw+*_B zh-D{D&UkjkX2>!x4FGmk3V=}KRt2K(0N2*{Z8tr;Ptce`>xiaKc;+Knnzdo#V9v`K zg3_4tR=nbnXxmNN%#$}WC2uuR90;$I2-|APC~>*|hjnxstCXY!ujLL1Nk4v`idg!N zGPyJbH3bGvk2iO7SIEM-ZAh3*TAl0j#s5jMPyv$uga<#S5ygXNuv+lkbzi=SXa@3^ zhXmHXV#X=901XUlS4Ri|zgbYJYdv3Dy#qg<%A`-_mWuN5;#+jh3O?fTAabbJi4Abs zB3o1z8b+c9h4;mWot#2YC!)@}_j$fvBd~7ywVbVw&JY4w%vfo{P=E>Ao=~gNyV&Bo z>sitBct9zG`r|lSlD^4zv3IfK6F}1EVbwRbJcG=}KHh8SfeswZ>GY4}Y!W*r=X$=z z^o!9>Tr+SqOmzT3{}>bX%>FIc%@dWz?wpudAJtkEx~G(`E|#TbdoVPbl7uB6Hxsao zb<bT4%VP!{ek;NYZ|A7)PnLhT_4gOy&*zEYR@Hm04iJqC4c+YP^x{{UHzc!c;4OiY zfJ8d0R*4t4Hk6(grwDxU{Ph8U8#+FSva#YyJzSofwV6tlP=(xTA@ud=wZr?XQ)gRQ zr;9e5_k-Q8w&*DUmQTSP%leTkmJi9=HK2r3Pw5LeoDk3evaT&|$OR0&k@oWe@+zR0 z0Tr+xQ{$BgfzE_|!lV(D5M3oH`1Ocd_`nc>FvW~ZWcQo7l$97?6l=A6l>LZ${VGMy zmCqC}a<L{hF-=$f8=*&Q`n3Uv*;<2aFD>R#U{1&}(kVB3w<g95>*5DdNfs0g4G0Jb z3Md3dLgBZTyp9w;5KxjE5D@miR~K_vH-M|7qn!(*p}V<*nWHnKi?t^M;8zX*m&;~r zQtw4wAN3;hQ|^RpcC$-z1+ThY$vnS*&LP{?(JwAEXzgn1Byy=uFUM>D-feK9puD6b zPZnh0O9qVSVUxT5BLLTDHn?#DxL&<_cH<~oZV~VCuz=<I#<W(ZWY92j*Ix_US8fZ3 z!=|>uJphyEu)={^7KFz|jP~CM{9eC@ckkC5$mc*w|IRF+de0G6WXWJnAm8alc_J|& zGm!ojzN1O{F4=9WgYS$Ql^N}BlfN7CH?JAy%xW#>(0fguzdM9Osyq7h8o`}`vT6bo zA~e^FvYhv)&`F*_FsWDspYP%0SvUuAG=-t;n;Y3J2SW$2;>vOIx`^jM-5b;}8%Ke3 zvV+0e#}@iTX-t9c2eu>yT%EA&K-3`%lexeWKnFSk+=<#uTO+@WLVL4u(hnz@kS>@X zK*|10v5ui-oZUe+<kSB^e-V2|R0G3b65BY96AK&jL&I>W7NTT4w8wESuYip$(kPOa zr=g}12A`I%2zI0!Bal?@GsO^=Ac*+|T%p`ld^qGU>5m|0XOeaCN3rf|-3R(6rs!8k z4Q;@SwjRnjE3uEQ*EG|J6No{0A+;0B?x)byw5_Dc`D8W@FOOz1CcmXjV_bUqJ#Ajv zd5wf6gBORJKAXEgoSi?wgGRg^-X9~nKPAdD{22XY=;y|+KfYYNxi%PSx)5=6wF~6Q z6MMM-^7?+WbAO}#0Ln<$<h=B8XYK-S<kVCvA>qhkNZ1;7^?Qd-N=9sYSf3^|C3<pl zcZqZrG?-ow(N{eFXU#l&lFZ%p&DZ-!M=mgwmB@#?>ys<os}yr_5*PP8l#k;J9>wm? z+SxBI6}V;G(rOT|!>mkm)ql#e*RRt!uXbj(G~vw{W=mcmThZKnu6glc{L*A<h5|F$ zuq?z4+_gRwit3k{p@2Ly>P2>6?>|)YGC9Zb<N3V>!Z>rYo1ZF?|8M$IQ;y%W7*uKT z4^^;s6fhWo+6Xu!0|jz?G_Mv%Ah5+e%*7xw-YkWgzzvW@b5ZtoeynO0CGAn|Bkf%0 zQR99Hc3?JzA!0a0$x=wr)ZPhF#^?j3(-<H+d2&(+bJr%W<$o@5QH}Nk!$!MY4hX?q zp&JTo^~TL>in6IsvLY+9af@Af;Q`M;NBKo4H?d#GEnhg7#LXv7yH$K-sxVBtN=}^U z+0>p`S5@d4{A#XCPTqj8QRW1o89RBF2#ved)wavS5PZ?Q&FlR(t<Tz)&#ycBkGBwQ z$I;7eD6v)(pm)E%UBqd5*OLS=Bu?4U6v6=XKL^&zK-Sv3p+>6FcAu$l*!~k#x+(?T z=13i98Yc{G*fQ9#3>3YL7C*e|Qx02{$e+=Oo>ZQ+nzEXJ-^(-Ep<4}1an};`d^$tL zmu4Sm(GI&#OS?SrAlWB6T%*rpQJO;lluqo&vk?f|R0|OKUiQyLUqCqNxZrn>$q)UB z6sM1C8%RyBkz;(IE5#*9WeQkxf8*c!JU<i1otU+k%h<zuv?wy3$+*7S5hJy9VoBN_ z_kOUV&;3+!5~Cld!o^ix$=#yl*a;eGo=Xo}3Q<HnO!C*02XwfugkTO`rtRt&jI-X9 z!Hk%U{T8a31$%Ui2(4b-BIU&KJic7BOPFRC@TLhi`Ge-Ddl<4ueyQ@L4pj+xZfPCC zKbz4j@s765J_L<B#z4t*dOIF{9`$nrG4s(%D8PA^`>We9k1ECV19veF$U!DyS48M6 z$hTFIvY>|nyb0l3QCskg6|==oN#>^HZrPDeI4K=d`hoU^aHmUfRF>i;aTM25ouEY* zR!hj>cj&N=frJ$pGaVmwSJ;>aI*W)En7c0KGRz}WMwmZLiz9qiB;OgH9^GP~olH2W zps0G4d{cmYVra-Dr`NukL}8r6EM(b(#@q%Gy!rMBf_-l+<2cfKhAv(Dc{ku4u<s5o zENwr`AW8@U%qi?C-w05{{H!XmSR;>J+n~2fW$8BxKdJzq6zzmQFw@l$)pBh}^n|o= zW}JB}{N#UEFZ6??z;>cGOX(^Q;*bUblE;QpzBIfpl8ho{A-gV;pLd5WaWpxZgU#01 zV&oU3UHK~ZA>3_Pzl5;C<A$=H!C+G-GS<mR=2Yko;`u?hfkG^>;FqJ+noMN?E&XK` zF*aV&J(^Iks1W3#n?)Un4jHB$Bxc-RT&N{sLFp|q<mcrx>_-~mRp<8H{o`QMfRA{+ zbF<);IEA!W`pe%kG}|lS7Ds*w9A&6><TJB|;V_`xZk|JxyKk)!FCIWcl-9;`MFVKH z1ZGdTYRaR_!IE1m;F4x!s=HRlvL={tVFBj4r>sJXivejJfq16yNn;oGZu#iJPrps! zmjgz!eERUJ!zJ>j7?ZAo8_HjI?;_Y=;-n>Gd%m3_mF$<yZ(I{0iMEd&h^8ThTbP3U z<!$GJDynQaM3Xh@y>WlHYTP&|0nd{!^Yrq{Ya9FX#QqLbD-zl)h-IF!w~mI%YJ|#V z0J_|mURi+LbF&osz(Q>W7RpF#Y|+Ut;6%9?&V<Uf!xIZ~2kW~TPVKqpwUdr4HPL1y z3dPf>&d#VSTXi%fY*I&h6GE9ETnm-dBD3@wV{p1K22CxZm0OxaWo#|IBs|1W!Wvk@ zf!Y{Txggn)PXIVZL%6}~ScRfgEgsx0<ySJjD1TyAn6Q!ld<zzFxH82$6ipW}f8f&L zi58Q^z|3Es`LOwd%SG2}oPX*xzI$*qhu`*&gbtIgSTTjn=!6o(Z)A(+X{u^NKHGZZ zn=X`g9tH22w{~gUs{=uJxWy#`wpq8A*TP`ex8ECUa5OsHes(u8!WrB^`+wt^tJ%R@ zi%FS7`V%aXN3n*bp7uLLEdex;j^5}Cd=(H^R=G&@tgw=-?W-EhJS|9R4XW4*Cd`>a z3|q%eAB4b=ufe>w3Wbed3tHSN$Y6ikxQ*p)6$0W?oc9J(Oj~PeY%-RHRIs@N0Vu0o z9yeZILRku*S+Y3VnZX;7&i<(VzT3;q63S#(&N<)UeO#K})kcA<%vZZXZ2d%~)DAmQ zA>ML0_QDnoLK??+HD7VS>3H;4U4${ib>sOqha2dj9vkzvhn;(4;H%S0GGN2<sRqBM zE=W};j_dfO?#PIkz@tg1DPXR%rk(-eUNeM1q~YsEw30bY;rdmneQYYIPPtwak!34H z+<~QI=;D8kcF|aOr9bd0eRWMM$wPC^eMseAHZv@klfyV>44A~mDVOne8J<cG$A!g@ zIUKy=r>F~reQRduh*v+?3fl5>TG!D#4^qXD4t~UEthS<hVMMIx`Y-6U<mg<+!sq3{ z$z#0EOIn<bKRKW@P}!we*M)f_lK7Hk5r(t$0yAPtuZvXs#={kClnj?d5bUHeXGY}T zhl_!3%YwnI@?K6!mFOmZ%pD8_o{Jba?<UL4G5yXZJbc38@?ePG=ES3LQMF*Dx!VVf zxYcYkJ<L`r0wPfTINbzaHpVbcAoMd#@b4*4>iA}$_@Rvw<-eldUWuZ4>ZkWqab@ta z^1u~mLE_nFe4h824x4M%#%Y4`f{Ut@pB{3{lLTY+N}q-N-@~GA>x@Rrm4IFs<p=s} z01TTurW`g277N8S?picH8T9tSPy1HrTjZX*qG{JD3#%;KaS3*+wPLw;_&yH759zok z3`s?}xp$a;c2hQ>9-lr<>pbf`M+~uNUY#&=5+*t3&~naqzI{Kgs^dfy05%bj=&MFg zNO0oNz<74E`M^$Sd_K}iGzJSLFIWPJL{m(n9I=T%udXgme)`2w{Abr#<33nI@R<iP zljhR66g%z0r*<G2Pn_JRFlr)XR6Bn%^yL^c*P$HJcX>}GoR)-fd@>l$(TnlXcagPI zZ{^9up-|=!L_DK3$sY@nL_?s;W03~@Iy*WHZXbo+by>qZMaRr=V;2oA)k7pk7+_%U z`K!3>e|4RDt_FHAo^T&9Co0-Q`5*C7X8aU{b0nltRxHT+*o7iDc+9dY-z%Jna~6f= zFwsfG*Nk0{ql?tzKCOWszXsxtm_5uyQL0;1H43<PkEkZSLRC;;gO<jp+^S@s`qbRO zrmk$%j;rr_K_?lcY)SK5-)jb5kY<1%0=C8oW8*q{wAT3ps|aJk#|7vzdQM^D67aR9 zZE(yj91$h|6c-Rg{f+fPhvI@dSkfJBXk1wTqCU<(&mOt1>`xC|HypMIZp)k?;4Z=2 zmh@G}%II0>t*f+h{~;mQA5K&mi62fTLGqXq#&H`A4QSbA(b#YyUL@R);=oq=ny&nJ zKWeyq<FJ0U^uh<<A2)u6BXwcUdPTY5-l!j}gyoEILpttMvm>h_YL&#YE#DZg<*1FA zZrvTzw4hx<j&5q<fLl{0pFxqk*E$BrE<7fdcTspNZlC$_weREStE1o=rNq6wz3<Du zV;L`eI2s?sQE23L-C(lQ>mCVl!vGKbes!mG4a43>^IiKwgQEwM>--!4seHqk7c0Xu z1U~aTH&Gy!{>Aw4tg6#ciC{s4lk^DK{=>nn0p2W&_XEY0N*%}p5UnEt+U-CR?+quA zNtxMRqc)2Rclb6T?M7Qs;5Im)pTkJA90M;oaz=q~KBfx)Z#A0OW6S{Ee)HlX{~Tzf zDP6cE=*y#OEIMxy9g3aH9T(ii7a`ZjovYLAneh%~>lVo@AaGdm{4ajQrzM^kWMSs* z>@YgjHK^0WDLMPee7_r}w_vFH4&k))fF2(qXFNi+8Zm*6Jq)bv)|8(BjWi|(_1Uw~ zR`uM`iOF$lq|;3+43iC45QmMQPpb-XV1%XdC4LM7()BUXh45)<cV2wX{&e%M@kvBy z%}jBRdnZrLvjPb{sy#RIvq`IBY>y8-PiZgy;ugZJ%hIEBYTf2_X=aDcA6`qnd!gR- z7}~G(i5OY!kJ<LTlas~DWS^}IM%?mtNoT5S>S{-$;=e<8CN+vzI+DJ^CHjt=x?OpH zQLcr(WHWlaHfL5{o;0Xs)BkFScgs3Pw<zI8=6Gc}GbxgMSY%e6s=H~LU)S{nU{dng zXbS0zpI{TV{}`VV0sk!+<dxb@4E#X>@tlj!@rK*2IqwA}%#UM_6}`RjOe?-i-iY#N zc-BKFT)3x2+0YJH#qFdULqM_epLv}Ccg(vSrR2OH1my*>p6*b*>`sZ}gYQr<jfZtI z+64Nr{y>qi;{6JR?|=xt#VY$A-sUX0BOhC->^<Is=Y*WkrV~%=G=R8*?Uv51G29q) z6p84($WmIk;)T6kyVqsA-Bc>X@Z&8ti0bu(2HtA&MgE?A6?E%i_a}~>Mb=mIslXa{ z_%o#ftTsVBOo)&f2s8oPfqOJgytdo3V!31KT7>&+6H~db!{vgm&6C_2)357i<LK`4 zq@U(8*hedL^J3WD=|xYl6+pntzn+=z@z#jbeLam~_Izt8jv~1Ocu+;H_HJhJ@K47W zs)%3FU6Nj&FNhDg2yNK4y%j<r54geV1#8<(rl0Q`5ect;#)m`s>YFD@^neRTfXEXh zXuf}fi>Pe&h=&5-!9&TMyJl7<5b^CYHpa74mz2=1|JltTMN!x}a?9(PS>!>h4G-ma zt1Sj(Y^1(^Wv&jMHKop89yxs35=dRE_1h@ACU2HR<lG1ZLFANfO>?>6W=d#YiSK*y zG{a;1G!0?8-V*%zLt!X#<-3U!81Zo5LzmL*#N1==uherL|Gk{+=|u@~x5U><X~BIV zt;fClBEfJ8YMhSW!Wd|?N|KnnDz+T^Stl9d#AYG6<lv(;oe-Zy?Zt3LxGkW%-i7X? zSVCbwd_2}kaENTnZV`ZM?3o1rr%9QnM5Atn)f!AWEoiKQ=M>$QyK5;3a;id1L$p9G z6J7l;_(ENUrVahh==z<5*Fg&jn^_~rr8=WacHOKWZKcj{_81|Zjy8%;(`S7ivmIue zC(n?3rX5$e+Y&6u8+TJNjPP7MORJQEq;VFX0Tykkgj19w>hvQT<$PHvA6PMrLDiP2 zbl!h-!V5L@V}_V?hjJk`5aJ2W)Jl0Mj>okX5UPRET8NCZRt&VrS_(B5o(-c?rwN9~ z{wKoQfso*~TIN@T9@~!;c(oTpksItU#&CJ`L72u;W+)ciajhcYZ=iXewDI7Ru!64Q zHnS&F#V;JN9Z!3WO9@?AUi`Me9O6!h7cNG09R)|Lzmu!lq%ho~uK7O6BlpvUs)|pv zD!-az9>zRe50PZe*|3$s8=LquH}E2>{(|x<2RblNMY<SU8>4sE%A1t;Q5aBVwiqXh z<)z|N<#39sBRYiEEOqu9!}`~3D?8di%l@PaLrX9siAa*)tNRWq<p}rG9xb8hL()># z*h5#Ds+pg?ydi5Sh6gLiGwd%mKLs$G1}^`kTC$X8(U@b^#Tk64-G#Jvn!+IUiR6@2 zWP>RsNQf&Tx14@C0Tp;`!8Eb6G^8|~k0jKH!RZGY59!Ry4Qh<0wAMhv1KDtejbDr` z3bAi3ptu*&WN^R+NL=JPhKAPp{#<=GO#cPO-=QE1VtT}$q@o&g@Bv?uAkL3A?Shgj z=lEnoT6ge)Hs2Qn`$Wz%pHMi5v*99wZ*a8|nv`%IoODJFZoihuHwmc2Y2MBe*_WCW z_+^kTW!EH`yG)F-eHw4+7Cyw`Wx6vnhctVh0CJ3-qY^-*V0_TrXWYQGipoOk1A7Z= zPDf`0ip^mNaqjxBJ*Y_}&y!SwpQ5(uK2M?`Z@MYD2=eUeN~lE%apv&8q&i#lqu%JZ zsVcsRLSK{irnq*mlEFUoAu|8sI3=$8H%b^AOVKeF0rXQ5n}<d!?Kn4P0z+(_ISf37 z`I%_dU@o5h^KB4db`YeqjFxE?;SASa`fh|t75t&2zaH!JEhY>p&lMo71Pwfg1C%Gv z5S*d%ULqe7VV_f2h!{~Jt0vMpils$0tzb+sUFv`25W(QgujsXK&frR}caWv~ya?@W zx<!@N?&4+ZJ9G1@Dm^zQ7X}}LLno}?{=4mXBDqdNVy&sL=Nx<G(z?q=d4%?vT;XP0 z&5Ho*huwvA2fn}GL{<qHICt4Ae4=7EHmzPYH>7s7=J7P|hYyGKGY}F^Dc=Z>fsb>3 z6EiezBD_<_L}MMI#ABr~G??p&_~+t6cM%Pf#)|%7IRhNu>h0VXz-x1AcIV7ufH7#* zu5tHV8Os<RkL+z`V=pcYzfJF^ZmHqcA!%;S*r&99VtrtcskPR5g!QFnmKJKZCgLm< zeV;vX7h5gUu>q)H7aq=j&C2=<&5gXDd>*L7MFzc*FfdkWs(H?m=?yT4h}CcDsm`6j znUW3=bed%zSRUuc``TcYA_SKE$aCJPZfF#fw>C|q*DZV*<MOOYY;cX}rfZOZN7I7b zyMl;w2Py)Z1aPf4+7C*R7}Y1Ej83FUz*VEzDX}Up0c5X_1E%J5G2>uHk3$;DP?r11 zRfQ&483v0?@h+U3);LI$!D!_h^g*iBh7*D+fZF7#?Xj7)t;nchC{eZy&d9~VVX8>n zyNVJj?voITFU$Y~CHu~U3|qpTL{(Vqt?%uYfn2xg($I^)qrevTQ$e){c_Zr6{l*1q z&=6CUt+Mo((e5MRLVftWc2o$HTmYj>Dv!78iGMe|`7P6b$!llGXvj|Htf6SL$RydD zKb~OTbw~~$L#+jyn8LxMWQaBz1PddHcIdMVFep=@cNl-M^cv^WfFhXA{A*QsC)$fL zFi&j5J>o^JIo?n`Z#I01niJKc7^$PQCUX@4v3deUEnxm8JkcHo0rsq_l;zdkUhh{V z2TXdfwzakd-y!vzVLQeX&#gh(Y@?W93m2=>NoxQZH2jW158W~aQ0PG>#K$2w9-*!h zB*sKynz`ptPwrZQ4?;%9D%rqWKo!jVA=!y-kg=Oi=GbJ1t^7IVlf;q<xr8%!DBy+< z)4-|Y^fMFors~~bx<q0BJ`IiQf7enjX8{6|@W&L7cL?zY1aA1hN9=`1iS%DgKyt?( z7f|m;QrCxZVCw_tn=7(`D;=CrOjj{ej^8h(Buhofr09N8h6^|ZR-$4bx+X`%kusB1 zy<S0Rf;$r8?5&dYt~e{y1##-c1$ejO3H7>7MjqzUODeorajTJJZ6DWS9R@+c+3X&S zfE)Ol2P92OWxR4Dvbn63%V7NC#MO48O2~PP^GTApk~apC%VT;$F8|go-Rj}QzOq1p z`-LSYap-INI%}ncZ*}kaH^6A{PrV<xG}*EYG*vTPYiZ~Bo{Sbf%|=MNOf41_CEjU- zQT0cV<XlxnR^pJjOD>cS+V3eiCe_sFDF~Xdy8=2R)1|Z5PqFVIUG;{48`r4p4`~8l zGr!leCHgI16pE^tFfZP#qkjP@LNtP<!m+1Qg@ur@XK!foOQ1}#0_z<AEx0Eey?50^ z5YFa2BU2K;AZ+1{t&`pB!A&KYG(D#n82CYrQH8pw-euVTmhQ0oVad}oR6Ln6YsmQW ziX{A{y~K!o7#W{OX(RmZ<IB<Un*pxlLWUW}^$W~eeVy^t$iBJ?7uXLSA43Nw+o84m z1fwmSU8IsG4bDHQ(vhV&t*KdLu&>|M%wiAKmGe#X2s~_m1L3%8kloo_Pa_}WPY%pk z-b6+sPrZN4WG9&`={v`uxAX5b&!b#$0S{&0zD|cN@9Iz!BWfLRUz|Ty+oIn<uq2;2 zsXQC%d6X)7zX~Tsn=i<iCYW>G(1|$>m0N1V3n<}dD&$nEWD5OEB2EJ0<4k`Q%-sz# zUs8&z2I2WH9cQA*|Kbcn4>-mECScphbnWlUz&FR^OuF5qOmSheSh1S={_;=NrAH4t z8$ac=NuKS|a*!>8IvZ2>t*+`Nm4~k*7#Xn!Kt?0qALSQwIkhosWWH5IFr|fi;^fjT zB_1dR9^k3_(g*!r-4xknz!YBnNF{Kn3Wj}QtMD?4VBj|?Bp2}PXU!Z3F<n9f0mie& z##{ESfY>6PnxHmp3BZ9N{ZNC^Gzh|>RZd1QZY0v1r?3Yqjv9+6<sS7~@t7dmUh!4e zKJ_rMf{i670&$`8n-En6j2(&+?w4Vy4gGU>1RjxMNb?c9Z2J9z(R*58N>wKe>^A4r zEuAtKX8pwLuESg~dn3|P7i>>Ro10%g@s9%fjskTpr!sd(2Ho~PNF;u6NVyCLnlCP- z3m8p>Zz5HnPjpqiz?9#>o7e#;*YZsmdU*x@atIOY_YfBVy>2>gEWhUjTj@m&*zM@p z)v26Myr!i`w>3jt_xNgd<#nao^730hp%f=Tb`+Y3<1#Mj(tc+c{_(9V0>V@aAaAMU zooHHq`EgU5*CSz1*kKsD<-pc7T<y=N5zjV$a${hh9NQMiFgvt|as7O3gH&I$=w3}X z3OMGQ*FJ|~Lna2b3kY6B&2q}c#gtp_ra+XeEn9^XJt)fDd*~wkiv&T8s^S!iJcu?4 zHG6p#FW6{!oW1|}is}qmZ+?1RZZC#}_U25q8ggLYp}fd&&e9cea07K+`Zx0#>B!@q zZ83`T85TiW4dsWE6aI8&g0{4la-ck9o+hX)?FK5p1fHZbd$LWA#vo}VpclFI9GVkE z$Cgb1S=)t3%psuLoZ*H)t)Y9_1Nv9-K(@<{#R>=-F)?AND^BlHMDe)UC@w;NZNLm; zwvAcJyQGX5_pA8nNmROFV4V-nC92|EB9#r4vBfAN8i4q3lQh{d%M$9WlK)2n7`dB8 z@QyAU)PR<OaMmH6ETuISX*oC+*u#@lFu@2d{Eo8>Zb7Y=?e(^)ES#6PTdW^*=kTeZ zJTjdX)&l1^oQcwy>L&zcuBNSYVg>!5081TlbKo<Twvs)`(DD2LWqaV(@EULB;VZ+p zf-q;#B?>1VQx4usTcw=g$rAb?oSe8FZ#a?|Isu8F2r^SY_+UC2`8c?p_6EpQ7<(17 z9U2C@c!>Xd{K`kIH4+I71T+T%1VsJ+9=`&NO>K=WtsN{G4GoP=9Nk<E4gZZ}-Bjdl z51HV4PBbG@{w~Prrm0|Hv>JwoHqyzRmC%hOQ=vA*ncH<F`1iIZH@jFPIOSGT^7ov= z8A!k|B?wDd61D(~;%@}-i)|J`Vk3inp#_A4TxVY|+;tbT-$n@_ZJxu`ZcaipU&(HK zeLGEB8^>z}&Gr)H`rYKMgtZRwHPN*sgT%*yLVs{C<F1L0CbLpO@kddhZrI%N1*(Xq zoGMf2k2he>h4)dwRDyHPE%KTh!*eNWp!B;Zg=)xHo1#2GcB?1k>QECiS7>dUA?>qS z3pz4+Z3yh7Yjc(t#ayy(obRTHIjmMC<6f>!=f)MG4eV5#+GnLKjW7GZOFe68Qo`I% zgL;QhnMpy3Ivves<LGK}VX>5yPn{J-!0vc-k&a^_+Oq&oEXq76;VYA+S&q(2d+6uw z^YMJls^k&9BL|6&+LESo)5y=(qRK?&{3~4zPiDIR-1>zL*hb3kA<{Za7{sy-VMeE{ zQl<0#BP$q(0(^fxU6J%S?D8!E5b_$Ue*SZu9_XGnf%Q*M;D35j{dYaB9jyPiobm~R zwnI#C!yf)HPHoLdB4>XK{2i$9^lM$Ihub3;u<U5Z?)!Z|c$67xFfaIJ1qHnkZ;ED_ zUIUa~{<H)2dt|UYE2+f8v5-JHPYDf@5KyizUzOX#`w&?wj$iKm>9OrA@w4{k>CyAn z;UZ=@zI%GRb?2$ZEFCr_QFfQ_<5GSW@u}zz#Nvrk6%syG&PMED2UP{L4JQem*SU2f z!2s<17C~;V#6A65pY6xVSfi`}tw`oBN71p}=0txZ-NGub+7Op8vCY!)VAEgwi77-e zoz6dcm#1-#oWBzf^@MKf-G}jhntfMZ$<#GHXD>+F1r|vEv(3?FYtewL&VWSE88czK zq3?23P5k5;U2(tj50;(&2L7MXJ+_uPnEV%AJy0MZ%KsW&Q%8G%vFrb-6<lVdo(oO5 zXJU6`SpdWEu4vYw5>&~q3ROwO__ZB<VJgQ$^<v3muLl`71$7NWlEq)|hmMe0$gKRf zIH79?5y+X=LsU1Ww>Xm9zyN9lXc0q!8wtCk&MGE&Ln;c~Zk>VBj-`M<wDm6^S(b93 z-i0RJ9{}GECx364(`fpzK6PD|2(~aY?jh~RcccRN!P5w69+PGU_R4r;Ak+8AGO3XO z{1GJVTLExR=HKtDbL&OZk=9s6Pjp~A&I)QdSk?+M6^e$O^^-TpTCmJ3FMFFu9&1-d zq}NqHU3F?R3wxkF+d+u&R2%$I=2b!pCeWXQw|puSBzP?(>8E*rz2(&8bsEph!zm{r zS*6x%22(WNO7`UYYpRA!8mL~}$Wkzjkpn>(?HaP*rfEkS5d;<v%!-CEE9q79^NK{{ zJCrwB2ojs=*W#EQp&+q}_4+*)nWiXfToPCsccJm{$IW|eS_PQBTE#WZ5+923TTwQg zNi?hY$B*jQoDD{L7wT;4yq(X*1v+d;JiS;fmOG344~TFxIVV&8jB9iUoS;gtjA4$e zi{}NNhYBiI{7MrTT?O=~q(dLrMIDI@+SKf=-n6`f{%1bCe-)#+{L6<3a3CPs|C$dj zuFh_zu5QleF8^|3JDJ}xm<cJ&<0neBDL_nlxj`k|uUMs+O17{z4HUASg`*{2>g|Oc zDHANE(DhV_apaHp4CBcv>l)gEFa>&0-l7hb5{vK^Q>advRUizQh%OJ4c9&<R*nXLL zIz~UQ4rQzbYkT|+2@;R}V(x04uL7Lykh@EV=kL0ehrz(k?WPeW%}v^REo{p1wVt|k zY}iO@+R%^$66gxODHdCqUB0S{)-mp}MwT=oyBuY9;+qxZVrNQRV`McAoBIHTa^wlE z!Vs7Gx!+4k&w=ZHMk0Hlrn{0+zZq{rwPrxWX&!*N;G(~k;5qrdT%ynh&@mG!u-L@A zJUwA(c#M#-c93~XcS4*!!*-XU{1k})=x-#>K||O}fXRDJ{n})lnH9T`2H)7ZP$z#F z7qGMQeO7!cjvy{z?)8+UodO@ne{P%9`T>uZYzx_ez&ZXIkZSY4DmE4@jb$VI4vv?I zH{FmTJ*1?>$7g$t@K_k*ApQXPPwj?arJ}x|fq)o^{y%Ej-q_jJ-1&d%R)W3hu*vnj zZP;Iln5Gn)Fmnk6TEwvH&L3@*M3LnhG>j9LKjvDkfx%9e%9dr(>pQzAPD0K-etAfo zHs*4&*Kx-F)=dkxjzLa-+hyIDlp?M`E6iD3!I6U6Q6#4F2Q$Qed9rZE`IUR#h`FOs z53M@0n?jI6l6kx`7UTo)<^h|WAS<)HKYllQR5n>+tX082ld;q+45DC50W<!}Kex%E z;M`g#OGCY`^c%fIib8khnM}Sd){aYFRprulgnYafoEBGF^@|``-bpv#h`HjIvb0dS zb7YVL97GlMY=HU)!=<Xe1xm)vRaZME>a?cP`ce`zQivaDlbW=zp`}s4`3Q_NLY?ay zeOZgz*7659x;(YGTnL!41A}=O$$7eY%P;0Tf7O|pSLy?!SAW3D67yT?T~~~w$^C4Y zbZ3Veo1xroaey1wlUxF-h(U7HS0c84GFoh&G;C#w{E@GGXdn{%bhJG%fl(mCm5f|m z)n+vv$JK-xi}YeO-QLu(89VVUCRWB`jDHDVg!C;h*LG|9=`rd3ai~#hTX(es>`Wzp z&0(3HVzAcY85EEnM5%%`B$SY?QEvKgq@e>W19NlH^lVmwX|@s~rQT?mPgUWh9uRU5 zqeA*%S>$Ai{1KDUOlMGru3_7OvA6r|PoGEGg@pz>Nmnmq)2sYlu_zA;^6gc?02l^~ zb2QlQLf@Mm7Wy(8LV3k9HrhQjwikqt2$D*_Up#yHFL~u3`B5An36%F5q`nT6;jm1p zf^x1=CbV<Z&A9}9|AG#%V;kJ!kV$>DP`O2=IcHp3`B=bfcvYl^e=VoJ+O10PSw5g0 zs#^pRf%kGuJh;yVi_!B1@Q5YQ?K@0Z^dcNoK%AVZl1Zb!fR;OFV2#seM-mR|DF+<> zPRL`Fh#nL~e#i{L(~O#pOdx4nLJRnP*;!1SIoYykocX6SQ55F!d(pKNxSUW<zlS%; z^2spi!p6y|`xVd_QUr&-C5?r)f->>8sGDOH6yei`#35An)bl?WJI5Z;qGnsSZM%Cn zciXmY+qP}nwr$(CZQIt}CpWptdvcO<Kde7c$((D}sPT;20t}1Y7kDw-M|2Nj`f2g6 zdqTmNk<5VP=y*lh!E+$l>X_#qqp+(MDZ=~%QCBYPw3?1lHY8+_N|z_7^s!&s`+bEV zp(Q{>;KFHt<OVf0e@|W)D9Rl2ghCahm%{o{!bTpG^h7#&OARUJ#sys<&ZM4&LrasI zx~C6s;b=j{l)Ycru&Y!WUv7!J<uYxf|8c_K)<X-U7ah%|*0~ajtGqLa6I$o=Bl|RN z=!uD3S3#kPR$%}&Y318J4v|D_EOk^BDK^qH4x5~>g<GwU{v(R<R+ECBI%=A`5L<eB zvz;@0TGRMpd)wXWy0b}nd)>>E6Iuf2?a<NoX6+uI^T$>7U#}5}Svdz6Ob?X9@phUN z>Q|a<<*r37<1-3yf~KcWr+n1iY)%)=Rdfm)eZSH0Y3Jfn@C2BiKh<);h}YJjl{dgr z;X_8#iFWb!_<+)<1d7R#W-Dge!isw#d_>4Y#-ugYfc$afWnceQ6#Q>BUO(YKhJV1! zVc$ylC*`>HYnA=N&|<4D+3@}y2Gwr)-DZg%M)MvuoK=W1l56002QhUAyR-`~x}KY% zTB~n^{0O|Oqr-<m{#bbC@2q)5Gi$I`KsR5RZ;*KGFd7!!-&`Y=<E5MT=|Q^q8WBkJ z_=_wkt2&tc=9*y%esCt3pk$@fH>K6C{GafA-9v#H-p3ZWz$w}Kg)5<!JblPuy{c@2 z7Y{H^xNg!^D_P_E(1rV$1Z@||{2b6R($N$+thw5xDi!gBs?{SK)g#U;X+WUA`kN5q zi3G@kS2m*UH#FJ+eSeA3Fz*<Hcb;n$*dUjFI~=C}WD|XMRs~GFTgqcQRFD)GSc+Tk zih(Sq`8DaQ*$OTZQA{f(F$V-8s+_dkc}uGi)nmzAy@wF32&5A(Gp05%R3fI&j%#XJ z%}U6h8CJSoW?&!O?74};qtu=l4PA5ngOi1o`9p#EyJV+0MrtwLQeHZ^J+kKuiRza9 z7-j!xY9$i94@6KXS#c2WYHA13`EjlY4krJlv*D>pZkexZYYkHQEUMH3->51abQKfS z^R+aEDyU|m>zoP;k3WXHVcHGH<SGAzgvOdGDgw^)SOxS2k4sTkkm%%iO(|E;@tk~u zZ~U6jtf6}Hw0$qpeo^s1ER4oP*&v_eQX*{B2)DkXdhcFrTV?|9Yy$SDt4lF$w)7AN zNDO6Y%P4{gfy7<LGML{l<j)bG$r}Uo<%5hqEF>k6bk(Z}xjzoOLY40WeW^sfcC|5_ z?mlhaz6#*N;Rg@r7idnn*x>zwkQLulEO@>ecUA2lvr-Z;AAp1CsxfDu3b!ex555=# zY_>x~;)r&u;_!47Xo+{hc4h(%7%C##28D?RJUL^5$13KvzN0R@rce8W;8Z3e%cE7V zK}miOuQmz;!Z8aXup~sKZvdD!lWz%QAGi#>v$<^1y+W)EF}Ik@0v9H;+M56pO`Qwh zlWkUszf+S~Rb$=^32%Nvc>=bWIxO_%SWBNa2*!#&L{@@eB|ArC0#ULuJ@So6a3xg| zJB4dx)6Z3=UvS1qEqed4G%9?UZAQzEj10~^zY_Jq>_O3vX?n3`U2O4{rsv&zqq*zH zpYOLRc-`!z(y+YIOQi0MZ(@vTP;3+-tjwqkHVX!yc(Z*DQM5_jm@i1{e_jGFI(Ois zk1%mpUba!1)i~<nP-KUCv05;o7YrSqUY+!mlEN}l_N~f?Q6Q!w!wE_~%jyUUoE%lt zifWDAMMR62HjAuL7=LcJro7iFWrP%}__{Z@sN;KuCe%vd9+eJG2EkL1jm&mD_YVq% z9Y#QQ6;a64=jG1e5p>{qj`_|9#m9}D9w{3Fx4&{SD><^?yOM&M0OdBbe*p`u$2^}E zBlwN&+XT!4woMt?pSGI@T%|mm%cl80kAdf9pmvh`y5D9iy&qqR3xlU49fk%`oA%M* z4BJ7l7unKJ4e_ul?KpWHYix8^Ja_FmNA-FuEj=QY)K9{-RCoT&Dr07(q)*C@D~IO) zeZ=x<y#Q61VD|w5P<gpbh<7NttWEpN0s-z1|G};t)!aNxkhGy>u0fWOM3r0qi{S2~ z{)s7>%KO7gN+kERP>a${Gs(D@`);DYMp?W)i$<hNX2q;8vm74dSmlm;!H+-%OV@Oy zQBgD*g`UCAGQS$t|6LXKp<qVYaUpWO%{NvDiaKsn$C7G&S_L;x{<($D4B3Z-0gunC z`GCy~IRdW;^ObXWN+xC<WM9g^x8T#YBlne3En$2+sRaFn>F4o<gHsH>FpfQA|Eaaj zrr?;O_y=iK>blY2*%6NI)Qr?Yaxe!)jo|Zp6mUaa(f01|wtyYOT|NKzS-U!y2wTS2 zf3vO!xXk&xfdK%#A^-qT{co>-2V;9@a|dH<V;iUcdPXLzUM6O;ApFkg<~!g684hT1 zo=c6KKMQyfKM&Og(8lW2M9qx37O4>?c*T;w?{+2tKxY~$_|l1Wer|@UbWS2_?4STu zM<x)sooH$mG^qUxLXK%+BEuQS4j|sg_FvPWEr6=sqo=n5^bl<Oi{TtIN4szDM>oy9 z8TnMT4=FDZwv!bldQTN?8LV_`KT^~W2F+HU_Luk&-mldJr+Te~BAoay84`LiL^iW2 zc9QXB^_D||aoL(ulw?pX2xV)6kqK^IR~vPbK466#KMBNKvQh{~b5LBJ?{*cNJxmjU zgQoZhA9_3ZthpMu5{6gNY8g?wMAcK8u+$>}y^a<-N~$D+*SMP>8iDA+Cu(`q3I6bJ zq#ett;>e#aTTJkycCbEUKO_g~8(=1b%*ud&VU}4ab?~K;pcw>CL4QAkdP%4vKJ5l= z!Xa9_s3I%D1o@GI0X9FnW7OLEzwpNbLTs@}Y7dDccc~Kqq?xNtP*BxTF9!~?<1D*8 z#4^7Dp1VtgIAR(p>JiMOZ0*&LAm5v)+13##x>?({64D$;zVie3PCIIRL{Ji>8VB!N zzRuvZ)EcWf>Z|2i!mwMYQD-$sxCA5J{C&86uv+wDkfqUlg&H5pIp)a@(iP$B)lh}O zASqC1@?=8jLb>7wT(ia_iLtt4QVCe@x1d+yhg&Mx5C<N!iv+u_kjNtchMR^QU5~31 z_ex?-moARU1<;U0mmbc0G1MOCIG4*?4?W(rG_vJJr<~3^R2?^+{)6?LyiL8(W>XGR z4V~v283|etKLWb6fjrRy-~lb#tN;*d7S}EL!B$A_Iy$`SEYYM55jGLIQV(DOI}cnZ zi7(=CPPs4#V|v)}e4XxDJ8-xjxX~9dKxPsl5xB$p004>nEW?;GqZCn5f!FFsh1~VT znkSU}n?||KY^zN3%K?}|;Xd{|?5X-dPNlPo5b|J<ZpRZ3S5{ttf-qIFF^g0I%&~xe zBiWbcX)Wk|m@~=l|4JD4f@TcW7R-O5ncb#*(`iMr=Kf0+PJd^;sIY7=oxkdKE@Kh1 z#i0h{olC7beT_$DT3)>balpos{y`M<j3=YDCx-}PJba^3L<J+vV2(Q{#PcV=Hh0tU zu6NOBZnmTI*bOCE1M!8Y400&1^eD;<S3Q_kj){jrSTbQ3Vz8R_bMeFDZU|7@Y*;1f zg5!CcM-yLl{Ykxu%%$beRQC2vQdgP<H!g7sB#o@A70Vs#VNqP=wg<#xl_1E^BZ0fd z6>y}h2$nq*&JvnzXQ-|gV@7O&YXfs(To-1@$TqH)BkNijW`y|&a0Ok8zTICGKBkg9 z;GG>6=L&uR?80w)?AXHDGI!4I=6=$CxncqAfVP;12e2=5sl%q&=rLvG`bRxf9o4K; zOBuFgYMq%G2)5JMKwdNP7Xp3|J#n5XSF}sAY1M0Qm!Z{GkXLP(RL%FPGVY~Mpca6j z2RuC+4gEFi9&mrZ!x(9UJ$KTBRcW2jj#Z`=HDl+^grA2{bSedt1-$+U>B}06*TZ(3 z7lBTLCZ7sKvAcz8UVr{+0%PpG$1<9S?G$8JEW4w%t>Y3l^$>^5<3nj;@PaM7Q%W>1 z35e^r+TdRVu4e%ra1xc^RxF>^WQ52qXa#_K{JV*j=E1>n?HDIuMd0+Caj$m1Ijl-6 zE3M_w5R%@S7d*uv8|Q$#c4I=C;w)fB^gdXpDCV!}9H^ZT>=D2Sx_sGhQ5=q^`zoS- z%(%Xo=a6s9#rgN_=FRRe^u>8X89f~T7f)MmtnYy?Z<|dS62$A?lFzle5C1?yb;t+4 z&BCH2GcD5<g;PG<V>r@sEp@%xB{v3iM~?aA1I!D5MY{Lk$#A9dR}74v{9DbvOGCcj zY{`dLwYCH?#zm#c{B3@~x#)V~lGq?{l5LKZCqf0`1=7At_uM{%&#KPN0#L@yo#qsy zh&by>i9y+hXi<!swm@APihzd?@>hmzeqp3!FZ4nR(K2^cEHLaE(reJvb0v2fdUJzE zak6=0btl-kk}fl4L5CR7l5nPIYD_jyN+mcsasPTnfDgnjU~X)$PK!J2qEuN3wrn3b z;y5?-(ChV)HA+*Ck0^NBt#kTk+=s$;!y`M8pe84FI1d5x_^m!S=MaMc3r?u5yi7iB znx7fSE)S|qMUJ8QkWXWxW-9#eYxV>OVcsq8e`+9J!hun-7ytn7)&Kw$|JxtT(azY= z+{FC<${^R=mX6r03A@jfBTFjjN$2eAt-3R&6ZS~ADHRSf6fz{vB$OI<5b=#zGj`yD z@=?cMFPAo4CI0<#Ne5akjrz&d_F!gASl<Gya~x7Vnnx7vQ_$&sv+Eit;_;>pN)9Pi zlj&87CVvt|RwR>^QlE~WC5-M4DYvb%yl5?xRge4iAGo;j$O^LL8)tXD%{Pn2ImyrW zRZDfd+&^!kG3$y<ot2rfSoGv3m5U!rDp~<<8!8g3G-{yM$Bam^<IyR&+o~#!9qjGf zZC0AQ+Qc4?D=IRDq?DDbu-)@}V-wYVvWW~1jg(J~fpI6Q_=VuLVyAv2ZYwI}Uije@ zU+|V5_+qnk2qX&X4=cd(W@$67B`WM2#xsY9k>sYK@{`W(tI3T#F#@6!Ymc;yG+&)b zEI<o!<W`TGy3mAqJX;ggebOgA-n##;JV<M+KA#Qq1LgMX@$u>c8*Q`6w>UQ-)>WZW z?X#&<V*HVhw9uZ?!%J-|Q+}Avv`ygseP?sdyXwn@CfSt#hJ^JuIlr9keZzO7lc_l0 zHC~AVzy*51><Kb9vxsM&GnSt|dzaD~@aR8`jLc6MF6Pgb1?1h8P@7Xgl;txt3f7=d zX8}^3wht48#dwy$!cjOd1fQ64rr;)6U1+d_CbC5+ToN>k9j6M?xMIbQ*V{b8LXXAp z7$v@m4E_r32TTDfQQi%oKw;B}XefrVvuRKlyUGHvArT`S|15!$bLwNN0H{g{{{laY z^fc6-*hRCn>OnuL?9lK>TjSW$f71Y>kf`uZ;o(E{;BDSU_D9~N(lZE3{2O5bOySx= z@?(a%E<+YVDM+T=02sX-d9KE&2S0FY^mu958A#Rub;L+ZU6JRRYRD5jzFBcK_$?Ve zLQV@fsRjLt1JX@QV735b)rZE6nU3T3At%*u({D$e)0~FpV5`-OtSUCO@GRsV6h_gI zfyGANXIwz>2B}g)5m{~CsD89Q05}-jX6UeEaLi^!r(JkYD<jF2V)m^$e47qfc|a>i z2$E)+ER_I{51*!XYP`eNFM>iE*e^3dC7ehN07JePsWEd5TUTG!IE>I4t0kzWdL(AC z>oO`!?Lg9*;$VlBF^E2X2tSIC53exS2OtVh$6>~vYS&llH#dhJ7$SY@+^ho&?(z{R zAK~K5j1&EdjopZEIT^wuwFAhvu56Z*PKPFKl&-~`Rnd>KhMfj!JDLK8YQE~he>ig# zi27ysRra%ngeYoME2^Wa)=VQoN0x=-5U{F-Ru?0sfZ=ViP%^$pLbZ1{$jG-h_!wJ= z92yKR8tcYy<!ukxn`{7iGNMbY2FvaGOTV|So`+i#ISf7baaTn$AwMaB7u7bZ=eIYh zFFT4Wf+q%pXH$+PZ{i?kJDS7G@i1Im-ueUlCC5q@lH!Dw(Od8kl17WtN+ZTt*{bXq zG4qKe)soe&(m)4<+rK^dr;i7YnV2N?C_E?YXTrQ=5cEB;gwy<^EVjgPo$XLhyz|0= zg9%yMP!r}!2dc%MK)6T8oO)WlnFHTGevCrh^kJY(^>X*j_D2E?rM-o-TEFg*p*ITX zV$FL~$adQ5SDuahajV_ffAcK9STZ4{!*ul2o9@lXHNb5J+934x!v7p2TKB|k<O->I zAIO}Wk1XZv{)ynMOW0yjpuHB|eeEM=j1ouiDN`?!%etG)I$3c>%U@gYjOX*s5w4o# z6<~+(5dB?Np|hH<sg5h02z*PT2JlbGKf<gU{Xm1k4rn{LV|)enn(g<cwg2(S%@2>@ zF<ypr7JO=Sz`l9_3M6WtU7$7EXw$k`M?Vah)eO&FU^WSGF$ou2t}!BLrSIO)k5kJa z5yofkD}k!E(RqhXPnda@u^Z8EUuz4rl{PD!+Zw)6(s7tADa*bQyg|Fb;*qvME&=(( zdBqPN7VfjEpgL^DrX2`JFWDr^DoD>XaX`;Lw&xl6-|{Hp*1|x=Piv;713vg{tWVI* z3~QQ5%(3AignpjVI7NbM(^Kl`8kRPDj5@GDbe>8lkV%fH4e_rUoyl0dX?}d_{vaTK z$VV_2<<+)VawrYp1?CAb?ClxoRg4j&V>A|h7#!=Kv1t5D@rA@B={lSDitTaGgxC`U zm-&s@GOhQ^KD7l^N1i%+2PdayOlRDn!6Ou@>5iL258QOn_jNI35I|*_3NU7I5FAag zC3d9XTY3cLc^8t^j$#0hRlYEoV=zCU$r++Lv-7YD;<0;Nwn9F-^ENLRj*ZzkM+AcP z^)jKc(p46{9i=LjhAd}TU(QBW_ID4BEat`!rO<m#)bI$bry?q%xThT&rEC;_k(ulX zcB}eH_f#FRt+yZza^d=O+XGKJtnAih5m5rY<=W!p>U1<3$X{#o`q3VZ#pvm_En@#H zb8#HadEg2J_AsLi=5tP#V-y0POp?oF+F~PU7IwNL95=T=!%=x`>DS6{Y&j$_!P*1L zujZH#U%1so#LWC?)<c@WIM5w!bkM?rcDv`-W0rVQSUn#n#mcv2gX2dp^G7eoM=u~h zz1*11RUbOI?%psuWOy5<yfMF@-B{W9`fNZ&>Kq|x<9P&A;MHR-;&`0n7^eFi=h4XN zR(EheJt}F=<tuG_Dc&q1^mI8Fpr$U8ZN!<Nc10TDFsRsKZw$T}%EHPElf`AVbY=zJ zVfM6K@kYYMVn=<)z>E@#tceO}*6Ie7Q2EaS0z~=agmV|P!T!mtvGE}({z*apcEcJm zR;m*<H(`u`bbQo`PQ(ua4k~YmXfAPF`&|zpc!P_)up?`ypRBt+KhK@4<J3Ov-<O-U zz21+*m#(%V^<p}agGNAL?tJ(6{E}_`L>@2&j`Qx%2|B1qEvaV(&e&OUf$r4vDo;)B z=lypcq1n@uvAIs7XYFg<n|!s)2!~=Waoe5(fkitP3tO-;b>f2M16xUO87{9}RgfY~ z1vx?(ObvqV&mL=bu{Z2meZcV8PsiNg*AL5sBi!z1M)+*gp|cPEkDKg!fYB<z-wzwz zO@;8Z)nZ;JNXO?TXq3UWI1O(`B&MEutEfV?&RQ_t(yDiN4Y_~8tJ3@D){k^2v3|MQ zVPP1&a_LCsEyF@<4RXF++Z@yNPa4-rs}D$LvtjTsD9Rb?1<;|a%U!nm*dqV}yUAI4 z5!1Q5^kC}5V>F#xt5*O7sLf1+FO^WVcOT{O3I6cHq@qj}yKK|5o5f(L-NH?gv)KO_ zOo4;#!dtcbrJIZ^KsmWJLuX~;^k(v8tBxy!Y2wkF_Lx9hLHU4T>>EVq;32_lwNM{3 zcw0D|GJ8Ec1VD$#^^AaIk;cjFil!6*`*CW&ID(;J<4_4)gCD{K=ghL*96a4Pjg1nD z8Wt)xCeZ}xG{y1}v<=kFp&9$u{Dhpi$jacP5M&maf36{}>4QybTY`6%F(4WWotmD@ zWjfQErhPVL0zzeK9h?9`)czgC_g^~D!=chLJEM@?xGZFPqGk{~9|K3DVv|;CPmBBU zs9TND?Tvu>IJkN{_s!;YXYv>ZPp*tOcDWX14d%I3{JuO3)5z=={kI<YFTLjb4iD4J zV&v<&JGy27xlL*7x^?z;gh8_(Z3AK}0K%{Ksl(zn$}VVp$wKkUUy15BFN)=>ECeSn zi@z?B#H(vC^}E!0-kPyfMA4G2aDM;x4gR1j70er0MhSvM(fFy>+7HU&>~^vTYzr{2 zj_d3>NuXWUA%}bcj8Ow>Mo^aHt5R|SkPvRLk`|t{r{fbG%{Co(2oAi!QS|sakmmdt zt;+>E$cjMR)QR@oJ7Rl(@Ob+QNz5V2T2G2><pE0E9z}+pQ+b=vmNKHR_+i+B8+D4u zLBM7cWE?+s)!z?5FkuHNIK-ScwCTLBt5S%^{t4H6&NNRU+qp{EhiAb7-jrba#nAHy zMG_a%_~Cw%d3*O=5JXIKg?@!Q@972T20N80ZPFB!j0tIZBb2`+7f$r&WjS*nAt{}; zO;av^9%7ux;d`x~26+}P<wo6f{v#1bmmO5EmJzpS?1SttVjw;WRV||+-|thj?Lo71 zG!<Vocjl*50^F)G;)zlCdEbTM;K#BDb~rSKROT#wqSwjVrmoD>f=61FE%j@s@gs+q zE93r^I85zZLSSeq=MHhNOIl)HN3vFsb0STBQH_85RYfbd7>(IHv_?einC3OlK}7Rv zfW**tIbJIa_yhMrwb<ok`XEbsR4qf=#*NN}o=b@v^5*`)<sGw&fiP!5_U6Xr{~J3s zlY?)*XLmJDoS69c`||GwUHev$!Hfh91jTz-zYzJ{KUpzpOR(E|1&xoi7z8?ib9RFG z)L(oRGgs4UFUfS)hwh?tdqa^8=wDpF`Nfp)I53T&#r%bL%y-vN7Nt2%5lf=X@j}Ol z2Gf|z$_BSHx#DoYzCyu9o0HH``f>`AkX0Pqzl<dJ^V~)%2h^;tq1aBQL>9dU7HHXr z?i&O4?C_%#&<_x4hr|kzrRah0Sv$W*oTwYAhm6==bO=U_=mSW6GCB)TxG*>`7tIe1 zC#RQ#^G3&#M+{WmS(B-9KCNasrjM&os&U<ssIHiX;3n^YA#N-unN3)tP<FZ9s1WUU zVG8FGgiGG@r&YDJK<8IE%FmHCaR{-bD#Ie#(>eEI2Nkvn_0!4cAtHo15>TWJXHX8% z`Mtp-B}w>ft}+@yJuTv>H?vgw4%^2BDwdzA^W>V9MZ#GTK)Bnu<fmv7F5K|+Y4VPm zXmLkih3F!!@|5w6nsvwyD6qW;Qa{$gGB#4&%;+Q%x0QaI#URW!BhgbsnFdicJdBTb zc2Jhy<jD&S-AQ21M07ExHJ{g+xW%!Nu-7y@fZ5z1U{ajEO+$7;3MOXV_4zVJV=gVy z$sO^_ZZPT&H6YD#hZuY8<2M4K`UY_FzlAtBz=>BqA>0jtQB~8L02Ccy{qc1)fNQOd z=zcXT-lzLrz5Ipkq?=;#2+6ZW3;gA|#C~?j`P$1USGh4E910+JO!^&B>~O25BqlmM z6P9xkTCZ8q9MmLFOKixCnNcD-4}wYb>u)`o_LluQA(V`jMLb)E281~@_M?RyC7ObR zQjvDAi3XN`p_GS5*Fv|YIij6NoiA(-URCY#*`Xe1Z`NM9rAB}s=05x~WYiowk;U(} z(KBU}OJeNixa;16+%I)Q#=Mc%5&a+GC^x-s){KkqhVq&RGb?%sy${|CK3wv-&rfx( z(G>ZN{xnhsRTOQJXyhr{hkU%*i3)a7DMc{I#?U+HT&2;c6HaX0OEEF+-kmqaFQ^Ac zi0$~<ORtb{2)N0@i_Nh|qh&$+>ArH>d}VWrnHR{gsXH)4mEaBbnLOmA=S$Awtt62s z&j7IB4qQuDfi~*1yCPN_rm7pvj<jEE%z;%=JX;Ilm*z{Inm;`7E}EWH5eJ^y{F2;p zfa3qE-6l`vOMG6W=|poJk#w(d^G_t_zP<>TX&GKPK*3g9Ma$7Uh&=DU=$xEWot1O* zvDacf@KI>Ua3xBw+cg&6=sPxz!KkHPY9A7%{mM^X|0HC3H=EAEzaxr4*Em9D!=?Wq zaldsg^O+?4Qb?Q~<?=x)SF9^S(__@@yvhs0B&mpzRSP^U&Dlo?4nNO1e%pi+2CQ~6 z$$x&dDhk_5B--CW+92`hypV9Q9gSU5*T|mL_e{(13xs34WWVn_Fs!u0-}=FA!<n1b z%<H)d`H)p`R?yrOc4Ja)6z<4+dVZ`A=fAqj4&u5*xSn17na`lnHKhH#16)PD{+SY1 zJc@=Sb9)6dI)timLsygYW>BlUCO7T#bSoI-C3jjyeJKmLY8NUW{ivv@xoZQ|k!k4f zXK|<&?DTQclN{|3W3AZgJU&JGb0Z?W$#umcNZAK5tXwkKl-&l(ZDN|c$yt)cb8X(m zz&`l*FwKF;P$EByoSJckJo?e@GREGuF@FgSFglwasBejilzHX#=?TmoIRvxHy4IP? zl7g08g~npJoq7;4Bp*??Ae*_j6Da1*yj<U>&`g6hMuGBN^ko|8SbBAkg<)o*%<M0< zwv<kgs?oXBWN%*AWUg`5h6I=A7}I90%l+$~0C>AW`GCjW;hYh7=%6aC6``w9&bRrV z4CSXjx32N3LUp8wF3-?y8HCl$a81h%tJu55W&tr?KnqoP55!~{9;LVdaOs}?{xH1? zyb!Etr+|7%ZoAz|jFF0PZwuooV55LeK&0~Nqp;zLzbupdl;d}B7`;m?J$z!X1nwHF zU`?`XtQ;sEbwm<Sgt6Dg(G2X}AKX%`m=O?tBeA|ZkH2i(`q*8^iSnMa06AIuY)#(I zE?zty_B)Zp+yyjO#n*-i?9|EI*?kPtRyu*Oxr&i2j4xHw0@<)J;HTq=bSu+$80IUO z<n9?x@+|IEG&`@@6W|siP$RB__BU4G5GnMUVO=<Q&3^6<G&?ELqhQeRSG|eST>|p5 z^n}*>w-n+=i@13Q<DXdp_%6v}{xKHplcw*?A)V`ZB}JN}q?r}9YL8J_Jpio?2vf^G zhNS?&Mlrv3E;ZaY*S7r8jsOdlR)79@H()zsO7dbmv*1OI+1Fdow*THo^JLzd6xnjQ zv3@=|TX68?tX6RQ1$oNG%FS@?<4V-YCmo`Bh*Aw)#!xj@$@7H*fvj_vVA2mXq+iS1 z2?I;>?}S`u!-4BR^<_}PSh#s64xVJ{CxKCaFiGC30nHyb)c6c!hA7w`C%3VbdTm=< zw0z7Q4;-&@$6H{z6@{QgPr=mGaFod==DP;d&{P%nG~p@{>-F8y@R!ahk<C7J(y|?s zV-Fk+GU~WjR1*cW-Rja?Sji~;m13M>!k}5WuJAOry-^mBaOd`4<WcV@(%c*?l#yFE z6J;mdx%L?j)3`=};kjT57l%zP(bO3hs~^5KB&6W;2eSOQZYDB1dox%7JxH`6!@uP_ z#QW>iTJEYx7oPtO33kagptM*^?Xt<u&-5ms+doG(Uo;9ssvFITU62SD+c5T<2MtGw zwUl-#^PQ@lJvRcGZs$D!WbHYrf^IPjI>MP>_%cuQHF2;>u3Q`dWSuko7KFO-GadF( zmRq(r^SS}gfwo}CGbeg`owhl_?=$-e{&bbhOBHJn(KaIJIo^<gY1<rqaUYf<H-V?* zpZ&Up=W7b{6h7!tTH=C=*XGJBrLjAkyt7X|w`aOXm=Mci(ib3RJPDL{v862wdtOn+ zQj>;4Nq-pnn)A|O$3i<_qXYk%tW))Ac~lEqVXlZMcG~MiO`;N*8p^_%j-{hLcG)## z6bLqTpd<o6S5~ydd2i`Qr?kZ#)v46`nBl@@8@LImX;9UhmnE6*@)lrD!Tpfqj4Vyh zj+@w3>9KW~aZzB3l7FIbgBs##WucOu0)rC~Tv-Vx$l~5YBV=unL6WBWQ1IIZJ|HRK z#=t3-Y{xBC+FzU09(J94Vm-+&JhAkxK?39(hJ&|cl&%=DiuUjT>eC?|QPHsg>!wyf zRR1)J7g5cF7rR_Cz2(GiAt9A2cA+AI$)*h#hS~%zxb@+bl`1r)y-b#dE;=pgij4nx zfi0=X{17a|)ws05=nZhB-eAAJK~5VV?U6U&vBUFw2A{mon~s5DkU<h@AxH%zW@Y6r z2%x_yl|TJ<w1&e0Nis@F8eab^6W{-xaLJoD0Y2C}tN>1_y^#;KD!J(`5enKm98l>N zDni>hWLWwy;!^5e_?9c7);R?c3r^HSsRhEUKDE-svKF|7G*8f>0`pHq^csckeCLAV z)JLFe&TRa5;}&m`eloA#;jOS&_J!s24u-&#K@fdF=)VO9g17b@x3#Znh8P^m{rQ>| zHwM-@G!GbB2Ruzf^UB}O?%*)NKt3VYOo}EaVhGx52*M8^*Qw!ZD#u%rIEt$-vzyPf zM0m-tj$m9X(cB&EXE5d#Y&0{LZ|Dqe^MeF?<6O>H*!EiM^@n(bo1F3^?#n*SA`$=6 z(B;4p=i@d|JRhf!coCH(A4S>o1j*a5cUwp~5rc6!7{;|y=)_eh^0D>iw#h-fUGS)8 zZVrlF0Idn>b-ol0@w0OIClmc}O9a)?bh8)j1f)a?CLwyK&>M4Q#1(F`gQGtwC0zOl z{M5>$dfz5xi5*3Kq@1#hrZPpWUb-Zd<e;2Ymsvjf8RJs9=C=vU3s1Dayk3i|9WB;U z;68-<!V6LiT9&<nIJu6@d}Iev&cjtcqNKfZDayW;BQOaV{)F5fM&B)J{yz0+8H7H3 zdP=W{lS|h$FvO5m`W;cinoON!Q=-)XoNZ)v?|Bb$0g{P!ft7VnHEl-ikE#$r|G^nj zs>6NS`vv&VvBvNP89d@YTW;~ckK}(FYdAZZTm9EW-davla)=J0=Tz0piB|h6MEIW2 z?XDhNKRy_hmhjJ})V5wmlK92tYG#QC0*qitx)*Ij-{8E6(+Z*kYoUu>3km+X-ctz1 zxtQ3Hx6s*y9rGDW>ott!ofwYwoq@k%yG>p<dEMprHLZw&tWwHmXXf;`&!gelWQ?F# zql-)*Q;?bB-fYz>s0j8)zdRv^#74(o;nDn1h3zyE(qg^OKXw5;Lwh4a7CG1$pC+Yx zuwX4b#sRjAC`w;+X+a1T%RFwI7N)&o^xbpdG>?f{QH~QCm8HoEvt-K*g|N<Vf_ELI z9vvy@K<`v1@YBgpl<rA&ozrlqmyGHNQtYjxygdvt|9Den*oZu*{p>cK2;2XxDctQy zzCJ7f05SFdhh5g?-;l`M*5+STk2S0vH(8K=YIOY<Sdr^f)Y-4Mn{(LA7d|+0#@lk( z5`F5tDTD<WEF<*zCuqw*cW>80`4Eea#;kj?Ns%T0nZs?>xH|V@+<cRj4N{I3_G~+% z9OF&HsVLGTjN>J!FDS_^%F&bM7=P|NqL9DbEyqL-0+*CaBKl+8@S;TtX%t939bXCy z!-vw7zV5E?;YG<zMP2#>a?Oh^2C<RM)GH_|lY78>(-#QkBN<YgQOc_hscH-Qr7DBd zq)a9~%8!i*8-&Z9s1MAGAB?HVPF}@|)}=)PqJ_#E3r2zn%f;vXv*XLSQoqU^Vj0Xd zD3e*?n{d)V3&oW$jRh=KY{m}_Qc%^sc`;x}6WM0}Oy#rTLwE%+tR%yT5Z0aK*V-O) z$=qnd$3$kb%`U7Y!i(O{#Q5^0XZ85}{+w-#)3p(wqyTJbGKdOy#hG^pxrdlciw}nR z=7Q6iI0#!cPZ?Vsi66s$lQaJYG+TaTRuazyPR<hyd6Z{Crue!UVuXO3_!I2)mNJd> zWSX)zAf!n238>SbLd+qhPy|i!6$?|rC2-YL1nO1?^+GX!!+OwhE|cC_9gXdMDWH+l zk20)VO>d|VcNz4fp_Yo49%R~%Ow-lIGupmVJvdc7cgrX6sCZBc8-n7cx`tDYzgn+8 zmv~rIVZeY@nV7!Z31-nA$FE4ZQhj4ZU@nLxZen~Y>)XZ*H4HGyYnL0#pykfnD9b!2 zd)Um6V+Z+ZE?}Td(qp=NF|<ciR*oB~jeDWJFct9QMUbvO@L0`GT5?(vqr7+Wu1^(q z<5;pA6~vDn4l_jy2dje@AkhXrv`@?qJl74X{QR)5;km5O@J2S#dRp;Dn(Ml>q2&s% z(Q*uMT%aAstBrj~6jy`Rc|sF=6`d4R91@zhwGK84?;>3YEsr{3Q5nfkI?W}oQ#D7( zQwBz=c0zw;ud6p16HQ!2C);=!q$}HG3`K37o`$0$rhxYk8Rd#M{JqyZn|{p#mceGt zXRYLhJUuy4?}yes=N<74p$&u>y(Fv&WpWlfcs!b$c<?S)4j;VhQ7_Vx0fcQqubS0| z(&WtO9Snu9goTk&`olUsSpgZt?TKcS_M6LAi)ZWy>_`a*d}>z-V+#)fPFz58z&{z5 zV|4Sh(tk&|jS7Fjwe#sFu1iw@UXOm@1V(PxpP4%w^X7HK5CZ(jwy#aEK1Aa7t4|Lx z^9GDa{L<Aseq{aV8QTNcGxUxJ9Q4nr>*sg73oQI)-rpBA&(}!cv%Fl_P=PE_NEUR8 zx5!>G!Bv@Q{<Lo%+O3WoT+m(>D#URBxu2IQnHHT0l+GRo#Oq63QPyZc-kmPw?NjF~ z?f`!HeX8sGIP3fUxp~W>=*pMc5HsxX$2kQe@uUIjex0;ymRLsL0LvSsYdUnd=D|-$ z2&XC^t_Nm_W|ltT8lumbKx!`&BaDT%_Mo<;uUnU-Pe~mM7>uYtqCAL8q3#vT+UASc zPUaCgCU?MPh!#n-Lk2lHfIJS1UpQdj^AkuMIqlmSUWgxRul5TM*_Lj6s{ZOkLx76{ z-9SY1!L@<}Ky)O&oZdzs`Hv~1KrJhh)P%9MMSzP9mby!;D&`PiUwInX#}H)Ne0aQo zMOECixcc3=ifBOE4pATg5@U#K7eHFoFyF3n1q0i7nJ>h3HksNPRPs!KWFbcn*v64U zURMs05M}dHcopHlR6mu{3PD7I#;=ACb&><6WadNpKz(@$?NP^pW_On5`X1JWJFr5H zgNEM06>H&8Ge>92XSyd@O*nB3xS&?QLqQPjwP<^4bSN5O6*DOkm2#ws*>1=bN`lNt z_S`?-d;MA((q)8uwx^zJwoQV)P35J$we!3b%IsFwF0u<6g&4%0-botDBeY1)<T!bZ z<INSDwNq1v4{c_KpXx-L8tqeqZADPVW=Kk#p(T8Wx-JQo(SMIbRJfEnc_oJYmezzJ zEF>%eL{;sCB|5_bg1yIp3`x-WOHQy5r-A-N&;e7jQ4i`AwY_U#f8T)KI>niXTQi@b zWH=GD7aX3T{$loMU;^xh*2?JCjnU4IdhTl9gy;s<uDsXWFHvw}z?ITkv8jXYxg)CU z=!RUfwcS-7WxceHLeIZH#2<Th@%5U%yW4Q@W@-tg)^?eu{1W@JN8y*ij|a-&v0?Jc zG5GY&1#-&_+F6<eH*Q+AJtvm~P`9i?QuymsEkdSjJHn6+_h_!AKId~5qhDV(nNLD} z&gFuq9q@<B=IU_WW(M)>lL7;#bB&+o>00JW+W>Jp4g7ApCy%juGCO6S8Kj0`Huex( zod)dIS?B1%Ghthd@@ct>z-}mi874!=6t{P20@Iuq2L9?O!LW6B`l1_Re1u+O)7t~H z0}9<AzLh5C?&5ymWe}9j+k7gRi+bh3f#su5sNIw`rMDJj1t-F$mroJPESca%AoC<j zOZQa>Cr3FuEY~(sAsvxtZ_v-w36<_2aM;SE0pG(2&o`EkI(%uG`-o;OOGtWJSz5$V z5MU5BPL9mz+bFb3IN^5WlM$Lu2&U<cJ%~D1ryS3@+z!MgX|nd!DMX3(bdc`APuB}_ zHO9dQM9l?`jxd7?Mos}{4$hs13^|)2iqcr_b(VNtT3g04o6hD9T2U*{7hg#DN!_ms z?ZG^oV@kyYG3ysH6V3Ae!B6PZMT&KtCM!Nfd4z;yQ)XhAixmNhO*Ox7;l2`nm2J?w z13VIig$C}!Y?37bv{wXCmMBcfa0S|OVY4dU7eBrB8`H}Xg|L$15eX=Bcfzpow8A0v zwo0pBVw_izPAP3t#WR0y>hqoC7RAdD5K%K!yBLf9zB=_^1W53nhiD1$&%NET_S5B= z{Tt?^sNPSpldj|_T5eLU`wc3ys@ITXV#m6yo3vft`k3aSDGua=OO8ON8OE<?DaoFO z(XyjwfyKSs`&9fUU+`Cj1hXSl-D3cuZe0a!&IS!MkXwAGC0}&*om(A7VO=Iervch! zv%wluvdaK`I;7jCE;7XB_<5<MWV89kZwpq$fR_tj_a_<d^mnqyC*gaw#X;L~aEA=9 z24|iHrHlXJZOHN#)+-@~@s*XsG1KK<sl2PV6hiW;ac1{|qE<bOG}tG!1(<(o7O`2N zWSSaY$~31H@q;!Yqe$7r_KVpSs$>hZ=tm<3pfGlP%f2(AMYTRFUvsL>UH^kt4EC>v zQo`_3PT>#ooX=6eOG-477_a*pz0hx8YIC04Y-23(Ubk{-gLi@y^i5!R5OI<8{1kK0 zo@q~;&$?dVAByI<1C{e8hm|q<N`g40WQNioWFp@llZK!&3yrNeRB%vwu@s4|0PQFc zcpFOCw#dc0!8i>Ih6gDN>dh&fcvGIzg?xxM;rVk7W-M^~Ihe7nTrutF=*N=FQ~t)s z6O(-Je!KSYcp1F?qG?S?k4GmT#r#xbtsupG!@@04cH#VNnc@=6>me=!$M!wC9_DK2 zM+JVXa#4c_q**vbURJBO7PtQJVD~`K-xSnh>Ich4*Ntv0`E7J(FR~DZ3{eAKtlR6* zZv^jv0Vk5Bk?%x_l%V6}nlBwcxEb1l@g3tiX>6Tky&2VC;h@)h<^xujTDPNh<|qc~ zg731PWcF>aIZIxII*W>TeE^_|`n$?M0>$U_(^fyav3OMj)#zGVp`05ow=K7R1yvG_ z><*pO(c>bOAyuDmugch0Ch(Ak5iZPnQzn$Sn*+|m(AOJ?ogPBY`(jPh;ckT(?a41d z;ZW4*2rl39ocwGQX^D%Z+uCU~fyS%m{+T0gSmBJIEVF#k1<|VnH>A@?n2{mCVe9jS z0^1rs2qfC|nrO}`n&$6xc}8IX;QWAUVnRgN&r2>R=<P<znmS%WY0iIsnPh6Dr4ZB$ z;#QG5>LjmMnxZWsCTC7eCoAR?ZwAK9lhCcd#Yrl{NlXU@ZSvNh7ypo7kIFu#s0x+r zZTj&rHPdo#;R3u6h{t>;do%_B^Jg=7qq69Cnwr4TnSXo$z9>52rU~|4pq)Av?>~Sd z&QW73faFKicV_nAuJ!B+PK~XWGpw6>#9Fsc@G5bsr>!0}Kx*$xXRtLgQn#-7+r-)% z^xMkXLp4qj+E0-u(gM|6N*hrin+PAWxyrFtoEy_zEAOFpWl0h-=Pt3(I9#fA7&17> zY0zy8Xa+LFv#juw=+@sd)1G1aTlwqUhZLM-!<&S>EZ3y55Afcja8fwYswsb^>`xtk z<5tqy%23(dB0B2c)QDB8g0V&}H8i%iJpXhUo6o1%Yg8^Qwve#YX0}kwIZrlTWU930 z+@Y6-YA0{9@0RLNCgpn<FuQ#|4B5cEq2FhtdQPTGOPr5#*GKDGWuC08g9B!ZjUqaF zIBj%An~uE<SqfN8gBBa>xO+H*x8~$dc2dbZ;-;#q3!oqEOeHouQkCL8ucM0WJGrXf zh^JK=?BI1WBZMW+P<19+$7?g{?hH2#dg^F6j=?kTh4{_Bu5=n;65)IHz+;~tnE%F| z#<14TS)abM*2UuQ2L1y6XP3sGg{FY;uj^I#hkxV!XXpEmMz+?sG5QDb|3B#4S$@)H zkN~0U5%n)RS;8@V*^=)WcLV~xB|2nRn0D#&ZfYp?0>yC?<K)zhpTY)v@lj_NRJu%Q z_VUtmLnpRmm0k{ZSU-B5hAE1dBe4Etvp+Z+jJ9qy-(ty?K$ggn%Y%g7fEMq(XL(k) zDMmcAV2v0r0Py0zsC)PVfQ(lS28E+r7e>BW)XO-@K$aCji<+*>xGQ5lSm?&zKqBTf zgBat{3&kSmlr~6u;U@-1N=?zhu${|c7~_B@9z7#<zcoPXrb>k@W;%mJ+yGw0pgKkO z5gD4a&Sm>FI*(}!^hHheJLOA_q1LC(Q{7+BkF_^sboPI~_RBq|_tii!Tp+3wtu7h? z47+CoU54-frXt9_5j}AK1HC=|L893Ib1n6)%=Q0EJLp!HjLrO~9XwK&C{gld=G`zW zz$v$m+9;Q|S_R?IskiDWZdxVQy!5($0Z8Fp<V^I3bMJQbV8&XKYm}uebelv^lqU&L z=vk8$g?#RRS(c{n<wny*SQHkN-EdL|&9j?PxYw-xu^nc_ZPr}K4wRg42~uUp3zvbH z)1cQ*3Rt!31<=n%<t#V@+R~SA3=xr6n#WpNtkp5gKx&^=LEJ+hy=Qd<2?EY}p+3g4 z_>=z!1Jg-}V&t`sv%p3WzWoBLWD#b$s)IkJkB!*A!H+H6-rbAo@^g)y4!;r?0#_>Z zBrz@P=xtFPTk&ZA&G!!EcBQWW+hw7v>=@oYwmk(_9!hL5OafS<B<t3EnvFDC{ZFWI zEk7?}Q4()tt{SL6!&DV&LV&4udQ!EAurhgiGn8dmrK92ic8Ap{);*^pTX0dO0fBD* z^ld}wjB0Hel@^#t9VWXNvbgjp!DV<;<hH<uqg5=-Vm{3;v8Gxv^;XDsd}vB`EiMZt z36~xEfoySW9j3q<T-Q<>>mtnePd+f6a#ML@xm*6U<r$)t3p;~hfIA<<DNt?$dNjQr z`wmXOvDI2zJ{c7TQ&Op+S_|i`j7J8YFs;t7Q%Ga>Td^vZlBlE#zCWH=d1m2t#yw4m zA&Gxtipkw)xI@^i^z%yrO)AX_J3;1JJU1`NkVa{UVP;yoS;DmkvTIN2hNGfV)sp!^ ze>m&8`hkG#aK_`j_=q!>uLCSRezs4RHW2mcF60;t_GnN#$;`|}6ol=>%ybtg2Z0Rn zl1(_xmR#MX0bPPIddWf(zBS!oVn^-l#f@|g8J@|3J7sq0HTZyeVeHSZ=mGzO<L`w) z-_Ca6UH&@z*p*V1aBO;-!}b`44bI-boce9HLBPUH_)SbbLTZ2F-#-|#_s3G-jI9tT zw<?=dX6t+NPRh)&MeVxKZkU>0ptLWy7I%*y7t$&ZYJ0*HUyU4wYwDN~E|BE&lM6j# zf?Ya2^k>(1SL|u$)qCeMiQYsmMdAV2oB)5+X|kQpnFzv1V%iO+VSX%IqOPt}u;g{1 zE#>}6@EllYI=f>a*hAq1u3Le&*K>pTRkSrZy=S!ld4q90bGJI9{)1{n008j+=Tm23 zWbWvsYiw%z@8nf;X*+JQB-}nyB5-gdSVpuYR$L`FBxbFubX81n&}_C7lU<s@g=5km z#Bl`}ns+7t_H4uY0f@=DTwimIF%oyon?12&!3FT$?a#qlYeqJiy?%C)FG{P2|2gd3 zws>9@R8FM|zJ<YmSw5jtvL*^3P^)h7?kpX>gXweMZSB@u?y>yz=U$!N-2*v&vw@OR z@ebK#5}SR!2G4=zK84)eb$Yks2An6lbRpY?8I6gR&21*}g@#wTXk~-?ZpQ6>KD_kb zg>CiTIp6*4LSJ>SUNOE09l7tBZw$MTfjzfzQJ)p|JcAY-ih*ATYfo`@=CRuJ$wi=L zx<nemwm)+Rt2`Z^dl~hN`xj2=>$R*hy+=}k=qDHZUBB_vK4S8Zjh{QIQSrOC8s2;K z>*j!4_1mj_nytECcfG7#tUZesvPTi#w5rVRX4py;@*!Hg0=|t8L+wxYnq=^Rgs!TT zMwv{%TLc#F6N)B=T1q3(x$g{c1@6o<7gLyl!4%Q@0ug5bnE%bKLR5Yd)PcsURiOkK z?!IjB*2J^Gv#!iweb1ppSxyNyAFBvCM+a;68CW6kA*bO$)z;2m!(>X0tz{zoraG1; zx1rpV|4RmINUQMu{BZSz9WF#I(mVGAT<ey;eex^~B2XIV55{X7Pv;c_JqFlysXtJ# zv6QuaGAg97lGFv9;0A2bRGga!_gUc|T@IB2<6^Ss={GBx24GZv)SV-ALmakBik`P} zr$dYcL8knu=`<hGpNBFYV_>@97&;me=$@gk0^NJ<zm6F;OS+JeTz3;DxMcLi0K6fu z8eh6WT0}AmD(V4Ph+&-Bg3CwvKr?B@J}_Hj!|Hw=Bfe+4ebR^Uj!QPn06wKwIn)dU z+2asm;g+|AnSNoLzVrEa@(w@isVJ6AjEUdx#CY@0R^R+Jj+=yK7+u{R<V#uqWWFhV zoOB8+7g+JIiL_ZkR(?YrS^;hRT3pQydxQ$z$}-$X;vWaYavgL&TsVN{Oap?=tyVOZ zvr(Q931lM731bNl6{pr0$9km=5V#8(lL%e(%m$$+AV~-0M<eP{5Ldzu+OHYPcTXw> zQwda5D;zi_A}DLY=cqCr1G~DFO(R3K)YhVSM3sNDC!6;TN%W1cG4hJ7Q-F5uHt4A) z&R)@@=ig|(D2w3FbQ<cxW=KW|=NInSi#iM^tXF&~I4(<4D=R+lM}<P*xxEnH*j1yx zfty?+sS69uk_6Pdjk;^MlTG+9Q-c+b_8!&WH2{C&rO9Fl0QsmX7K5g)%NAaG{DC@+ z6s;~4?T&B|u&k|y$1WAdR8le&rZK+n>xQoH0Bg?mXk#x#w2quc#a_|5bVvt&@{R<8 zzFS0q-HrB6_>Ea09<!|vl#4=t%m#edAo@!p;%}My^y3I+F^w)R$CsuBkw_wVh)>x= z$Hy4+kJz1u<vPz-d4LGh??PFdt$Yc?aqEd~ypV#K+vl3MGp&kNG|C1$!I<g_9@rKs zewl`cNxF1Cc#LG}cem+&*F*&O47EH*uUsyZS9<vzhX7-u@^lOA0ekx!P9I6m{kR1V z1pPqJaxy`LHY>4ip<-7qnt9Iv8#4f0&U(wm-xF5|F(TlgfTqph`z*P}OC15zg#AYT z%JGyzggGa;N&n(AZ+S`aq#wfWqMi@Wt3NYHaq%3XUEmmugO)Y{G-1AT5r65X;&4WQ z8J8rk!gw>(4Hy6}YMVD9F1h67tr!I9Vx0=zcr26%q{Th5BVh<}P^Tgww5ZgiUGZ_4 z?#0r&k%=5c$8qlMl33}h{u#6yNT|z<jWfvubCTcVWRtG|KQ(o>;%=|@Bzu5`acdmc zm?4J{AgCKYaG_i(xQEC=9&5g+$^t^76{Vs0ES@o)`x1nss6-v6Hn8K?fmX22!S}o@ zCS12bh*>UnSBwwVDYTZ&Qf@r6>n14$F&fGT^l$<%JDgDAgnE&h`bzc?;UqDR!V%yS zas1*I2h*xouPPhUxd7XAR7f78^ZMiZh92|Z<|SL#7##!!Jpkjw9Rj_wmf61Q_zGcr za;{M9M!RJE5x)r(tB1|TgMGuEAa>kCY47~U2B_6zsoI59IMWRIzK^ab^5auwYtZPq z^?H9kC=cUubLx3&`^J2Kzh51vwGdL6Zs}4JH?4|Hsvyr~w{H}jc;xe*00R+)FU#!6 z2*pUTkY>rr<uXemL^9w=v4)!WE=M6R|0t>z3O6zG$Sr=H-D6Hh01?{4KwD%r$uQ1V zGaOHbqc#rUg<9dH(9umU2>qVRvbLfzjG5A8z+c0HH<4;kqz9PXqV9R7pKje9QWuRO z_}m0#>lR!9K^OO0tqo7I+UEYe8NPfSJij;oAHL49JG7|D*0F8dwoYu@wr$(CofF%( zZQHh!ljNrRTfd|Gj{OhTUZ|>B^Ql(8?r&PJkC*F9cDg^dw)4al>b#0`lUWCF@G}2U z$QHvb5zDUPH2ln2f<G)mwHV{4V-wQo&~+|h!b=Vh&U5>n8l?ajUeW256Z>Dh$0XES zRp>*H%e@uWfnT7-o~B$Ou;H?XGH8ePHr*41632u))jAwtBZ+9Fw*j|MK;RHW=Divs zjbx4G@}=sC>(mgfG%kYXNq_zl5p9tlDjovZ^d=Xm0_6)P9L!SgD91PmTH_i`2gVU4 zHK`fh%>z6MKXGH(-KtUu4FNHP=+-}K;o#)fZFbqk^IeWI!=0y`g<wC1?@h$>d%Lo0 zqGpw@9GVj?tJmiLol<`;5CQsAr+MSl1gJnxPIxXR)t5Dx3&PbvmcfCITZmLvd%$7n z+-KZAjNN4;{d7|6zoGGRKrY>BbaoFlgnS*NEMwab90SQcz@U*rB$}}Hxhi7Nx2Im# z?$mM-<oV7e%X)=H9SYaB-ut<tZ?kIR7E+!w0F{b(a2+@x98N}{;=wYWHw8ksO;MV4 z*!R3S1`~a&#&<~WgXe-2q&38?|2v7TxuBTK@BZNF;254SBQaG0QA27T%?OD-4u(;q zhS;8sg+XW*Sr$bi7g7Xkk{pdj%4czTK}b)qvfeO7STIxy$s)s$bxD06@y9Go(6eRe z4Yf`VY@WN`iBBf$-uBBllM>y=ZK?@;Ds*MA1?&l`4K7uI#)-I2w0LkEfy260`cM%h z!ZNgq=v#g48#E>dFGnQmEF8o=)8aF9*u;uOH9hPO4@1QoZuggkrO>$W_PBS0t+G_T zms;fCG&fUYAKlnSdZO6=ygQ_m{ypcfyxV4tJ4)%5VfSu7)#B3Q)L1gRXpUOu4H6cZ zPJ`A4CU11;mcK}p`AIINcMOOsVTR$Q9wO_PyARsS?eq0;a2&;q4hV9NP)*p%h7<Ke zx`}iBxHNjsuGeLCa{Rn!)}P~EbNb^3Ab=XzckznwS+<LWF3N}Sv-pc`DUX^}t9d}7 z;R*d`v}3Y>8UadN<7(>N9EOf*4IZ&Yf-jlg8HexQ3)rr+$nb2`&rM0GwMmr55Kf5l z6wAKODyD}w94mr(>|6!aIoZ?!Vj2)>rx*q;H;E+U^0sv!4M88Zi!d~KfaFNU;f!Ge zVnhUPk%hV{w3G%fgg?z4SHpcloH$vjE(SRxsl1LfTQ0bJ?(#Qf*jn6rdHSk4_lSRl zw`=9az!QU+FSh~a^T2}^Z)Kr<gJd%uq)6RV!J<k`{+^i<W;~H;nj(l(?{}^ghipP| z?@{1o>0%;<`;3+C)~w_H7zQ8bh!_BpIbuBEXH-|)iAIYs#KD9nS6;qrYO%nQeuJqG zhR@FhecR0KLfCyLir@94j*7S2d+#|aZvdtcJ(7m5<m<b<wir~A=?ReuY;TV3fMFe> zTiD3UU+Yij)mHs+!EBP~@}{Vx_fu>UM+cyI6>i1QYN9+DLr)K)8hL~J-DBiwWHbv= z^1}gcSuDOr#k4PrdlKAfDHg-~SQT7qzV7-C74JMcbVG>^&kS>Sh*o87ukrH;Z0@8} z(kL|Xpo&LPc2&_k$@uad{K+ydXgEh0D35vmLlX=D3L_qG=yGpee7=Jd$~ZvLMof3+ za26Tb$-?-_{VgL&Bx=6sYt5ZAx{@$^+{m8uWWje7?#<KfZ2J5z2AWHI9Mm8oDNRm1 zJ|H&f)1o=c=7zYefSjK<;#47j_x`BCc)L2WQB#Kehg|pa<*-&lE@ETd9R_SzjIC6a zg)f{T!rFRxa+gBD-~*jVY&j|aTc*BrX_00FIrLm|ga%6eAtF&4!+8n(Mj|`=nM)it z)?}rS+?PNA^YeE!N2j^f>~Tv#S2W@Hy$(xbjnx~7893yTBJq^XPVUbQ6yc66+-pgy z`*w0=t*XlEdSEG1+DKYcHW#Q0y)#?tFUy5oR?{D)TC1}ZCI|*P>>zMG?hWN>Vh0{r zSfRBBsTbeu>&emE`sX8(1vx{+I_fbrZ3+Z{_~<{n44BB-!b9cib&G+ZH+y|I1eU|C zL(&=IEP<~=PaK$O>2@H;bNgv=gv#Hp4RL^&I_a0D=y5qgiNE(ph`V>VERnGf452Bv zhD~1}{SS3IE%+?8DZIdO<RuzMp$(#>&-@EU+}K+{2Y$^yEnB|gPE+ua%Ctjev4RNf z#$ExT=`mVS`Cj-!&h10R{efVtofCfZ=7cXwkp3zy$&+mQ*Eoxm3d56aS>TuSPAZWG z_Ohy3b7MNLSLs#(6=ll6A0KuZk>-R6p-UEHP3d@YBH$wiZ!AEtS^c{5ZX?P7g>ArA z;MO&M%zY32nPcNp_>r)L*b%2>kUPHP@-im}84(2?$pPnSK_NhdHCYXYrBko?$>r+f zDTjtBrI>-!CL!5Ki#@J7`{ivGQ^z{eSfzx~72pJGmx#X<Q>+-LOUU>^DB~N|oVm%5 zo`KTilavCXgG^QVkD@VyP8VF2mEs_e0VNH>=Y`hbD?zko*DHhMcz+-Q(Q(*OG5vW^ zd1}k|_?r}IuQ9PdvnX%tI_SpoT9^E55H*W2TeELgF0P#%ITtg(24i?<^dG<9oUx2s zmwcI!u{y<48wo3S_AL;79a94D3=5+vba{Qe?sreu-)rq=^?KUh&X2ME-Yo8oX%r4K z=^X^r5US$dZb>oFZ)SIfipf2&6AYU-bMBB;riN$5rw2V!{xNfDlXWXRoSh|&8aV#i zJyIbOc-;GdvN07hRK0&@G-=TpnC4?XpfQO<r&XNx8q>}kRJsgHRx(TU4q(dp&KtQ# zdG0!F)QK|(sdw3;QbuT7uT|7nN~JjOPf=d0ob`wN<h(+PPc_$K+-Du*LKeH0Em;?7 z^;I=c^@|DVI`+j7Lo6b4s`t_t9>U36;vZ5AmNaRM%V(T)$OKCFp0<7hw_gyR@UgB+ z;(h80Fp@~ed~GXg7OyLckXc2rmKpq+$NJWpL_FEB7}>S0R`LxJ@*NR&^f0U%oqS3~ zy;Bh7<V;dMZzWdd>{GRL7!On<tNJFY4O4O;sXma&8u@%=irY>q0HcpWs6f)afm~%4 zIjDO8B(WM6N)%xww)$RUIp2aYVw=)kh<D0SE~wEN!b~YFA&;ap{P}V#$(&n*@hWJ( zZEBmo7FF2QvRS5hW=sk!M^KVK|E-kP>v{>7qB?;LBb}^-y#tyP8Mg)!79m}E+Q#o_ zS>ugXl8Cu3HnraUxoU^0yp9b1rXVAN^AY5+&7q{QOi28S#fsB8x37s-7sC-H+ux^1 z?A_xK#iVcU^sC|`wN+#>VdVKnA9CD$i#_;DYJK4K7ky{uMHk((4k=*Cu*h8)+CZ-= zqU=*P;OgCcwA6+8pd`fUdXV#ka&yG(tVM^LfjMK`(&Q1Qhz%<|(n&O>MoHtmu=KCq z9Y#2Jv+h@cosds%el*x8CT8BI72HdknhNYnv!HU;NBF4_kTvIw1JtK?#f$>Nxa*&h zvfM2F#=zDM#!JQ3B<e&o5;Id_`*Vu0(?eQ*3Cx%zR%BsWhh8?UhC%xs&v>ey%I5iH zB8(^zfDQewJu)eihOc>8rP9_lVVAU?kLe4%;!RkqmppMgpVC0KPk8H)#3#vhCQyQm z<gXABJ@TvBdzi(f+OD!a{Bh6lBNWa4)4ts)e=j=spMbPodO{{7ZnpK{?i-!~y4J2} zgd%T#84W9+tYkVV5iOpTndZ_HJ)Bo;ZvE^~oW4_DC3@l^JnYVf@pGU#lQKI!gH10{ zcAEXql*8*K^$?5wWEKuYGfkwj%u(#FILR>b2S!V&bIS_Nh<j@cRsOk6fhi=<(<TeI zNg9NN31V4oNVGO~XN(%(akUlTj}CvpXpEfR5QM!nIK}8k#;pZ$&oyO~4u*_^ip<bg z7XG+U`*~j=1v`fzy->WRi8)8s#*tT>z5}v<U*~oY1XzQ3!;4Sf*LSw#TdUK@mMosV z3h`w0i3y{@AeDfVm2rc+hj*_}6@g1wYuxg^)Z)IK@3<5wFVk|kd3&Et=H;Q(C5Zd# zYsFHI@lvpC5IhL699kBr-7;fO;*!iA=)Ct~j(Av?9nG9%K1u&_ou(mQ0j7`-)TNTR z^F~5C^us~5T#kn&ihO7JjtU|*s~FF^2McQiJFlNJx@L0f)JE0B!b?L3ni4c^jgBKX zW?@yn>P_j19ZELFpM2RGfc_+w!a2c!sd!Eg$6V2K0HAhv#S73v)3nMKk)478=He*` z<KIVe(|EA?r>WJsT#Gg53Y7?-G9f5}VW4sA%YkQnI+0e>4vAc#WuuTto-M~D_%wIo z@oRFj0$QI%UjWNX^a5t|C=^~KtG6Y$PD=M~S{BfHbvd!0v%^;B(w&xG`QiH&wZf^X zNlItu!W`w?b92c5T0t-m>&wvw)wX!<%nf6rpPo$R!9_VjKQQ*owCYfXGK*HVUuY_6 zKyI}KVDio2l^}XYGI0#B3d;RViP`@)@e_DL)ZLN;tmQG<D*lnJMzgF}<X-xb%BRr} zwlT$js1Ow>1_36d>(l<39i|S1!N_$`LGV6QA6C>w`t^m<>cH6)Q<RIkB9L&GC*uP0 z&x4v5l0gt@!Z?jekYb+;%cK)GKmO63i@@UVCHq2R2{<iDKar{Mpi9xqtt~5_ly}(o z?@I-|bnfHCxO1KgB_|?*+Z*=&!e(^>_}NdRu8jT!ggHd;k$$QM!K{c3xpFdGzGt?0 zz=*n(MYtl!!`YbiIxz3#29;RW7XZ9%L&3bKQ)xi^+!N1K(IleY$|+5mZAw?4f;F#- z1TH3;=sdAZQbJh2dVh!K`+ar3aUkc5C^TI}y8#a!zqekHm;?DX!YgmW+MD@p<g67} zR@`2b4Y$I)EVqfxbV{Z{L-Jw2<7D?P!A^cs+mCf5cb_I6*R3_akpE}J_Hw})jrUh? zI{Jm6{(mdBj`lXc726o4N!v{Zgsw|!G%A?!G7%ODIWW&Na1`1FBL#@2rql?<zkOmj z#ACf~<>096viiEh4rXqqW)kzR8ysaJE<2DG8pWHbm6_KA3Kkt`ZJ;*7NhA`a?ac_p z9vry=mo`963oO^Ye0g&i3dC)|f-zn<#aT`UVc_2+O@O5ZD?H}4#Y<uZnKlb*ZAN!z zsQQb^g4Ztmg$+9}q^Nd?;*<z+sG5MK{ASK!qPh784G)Qbsx<U2bNk&qj>w@yB~1l2 zMvJHVv<`v_A@C!H)hqkV!bA}dl;g3x`ZL!)1)Ividy+7MH4vci{Jzd$Sq#PSEKR^C zz!T$gj!>ItuK{BRaQiAVDX3&LDVd)b$JKha=To&AjAMzv<=qed);n)S<iro;sIzqJ z#<v$#ZWV6D2|-*g9;w#Kz=uLY_fTikSw4^n3Xv5d9dmqfXGzblNC?x8P7@th6<WXZ z(b$Bkw4)=<qRLeJVnghDj$k<-W6Z8H2DzX7br_x6v&=<Z2Ww!;+7HO^HxsO_h~!kH z=<>_2vKFD8lS|I%Kegx;_Va<~ndC`(BFB?fF~p7%=Udy|$b#y%Hh4w~ebKDa9cieY za!9hZmAsD>l}PKLLm!XYdIqPW;o7ag0XZ}Zu<An3*UDYE#!~h9vKkTsfqFI=y=8<I z+KoQcrkCFb41K)gAAB;rv)fW=G}oqd!LaFL5V-x|#Gjm(X^UEeR!B~iO*>^u*KKzu z7TTLKyO=h4$qEy?Nmuys`=48nAld~5<yY?X`Q3iR|39(7?N{@(b^31>vqHaZ&@Z?A z5fu%+ELgC0QMG&(*KPfVf<J#nFz`TF<@H%gK67Bi(edgv_scrl)Q09sd_^O9h>J%? z`?(6X{3H?zRbvliV=vuAgPar5y26CQ1~N<u?EBdefY^J2DD90lvrIQJUI_GFO+;F# zCWev=zew2KBe(QzaJmsCN#0crvnsTbO|LJ;wL-2bs`;_JMvEOO%kHHRb<wmcVJzbG zaB}g|w$b)tAI3l(Z41--E0Nn}RmqTc>ZckP2_ftcoV<WW@U#PE6x59YaXqbSR=7~T z$~yd8O^P@IaTPOFe#0niwx(*2qNX&fcuehkQjG4&Vp~`=Ypcy>ub8O>8z8u{Z<XFu zj;ft@;+XG$=$_<QG1!2=XE_)V0D$2CSX37aYhyhlYYW5Q13j%S6}QQT(DSJ#jSG?p zRU7$Y-WP`ElOIMFMmA<p&tPt0%`BAwBym0R)5H9iWYUvF0|azna^hgh{v^vTv?xWz zrYcO4YuCM8TQ|J|sbdO0M)|l${sCYhp#GtWOH&D!WM0z<cg%eM_2#ShEb9Y)2b<D4 zaiXaNN6OP^Of}*;H-rl_X4d?*IsQe1Yb&qH;$qoSg<>B^TSscWHlT9d6|`yP(&g>* zCBi$IG?0%t*&QY30oaCPPlH=xQT+}~5_u?Al=6}0*`gDQ&39)1wnA0C;Dw-%t@udH zfPU|M+(Tj64Sc`uFS6wl>BRxi%>lP+KLD*60im{4Im0v(7i5ks_xghWkzrFZ__?0r zTQf}o6WTr^eJqbrYvNhUl9&*f@qY3A(O}CTAYTxtw>ENgoUMS$`uNewW#WifqDKEh zjz$7BJk7X?u2zS}e;Qo&W{YKs{)Kb3rGlgvnFNJtM~7V>jZde0?Zn>D11Yf!g@SP6 z{zQuYoHLbh-81{$MT3xK6)(Y+t=@EDj*2G)OKR#E{K_~f9GsqAf=i!3g)}A*@&YKt za#kl<>{1X0;Dys(2i1kZqp9XY%+xgR30%sfuur{>RyQ2k$!sq$b6_>)GyE5oBQGN{ z;gvz#{JeYxa!Ib_<F-e~^=bt}J&ai86$03De8psVmq3fEhJ!a8y?|8mAsQ_?0Q#WI z$J+CykLrkQD3S}KiT>r7R|u^pvZS@+hp<)X&!27imJ~)q;~Rz0Cgqdg+YR5Wi^P&0 ztX-jS-`0S}E7yDDs_cSGbB>~XI$_cb0-Wh=4r$M(`u{}lQU4L+l?!4~z05(Borq^F zAeWoau9o*MrN=#eXzEeOLoqqSTW(j+5(C3%fE<;^8?ESbznKe!CyFg}h6o-kdodjA zwWe4HN?EWG9)!E(2qyo?uC0j8D_KR~H87RJX!h6wPmD8-+Gak%-QbUqyhHmC2w%Ck zKKQg4@+CRL;?muZh^GS?9d!Ls8kcucg^~^JfPQXs2Nf|xX73tayVnAq523rq6=u91 zCqo-YU*utU@L|jRVSO$N{x>p=jD*&Kd>j;Or9E|ch2dO@Z~N3z5Yp7p8pH19oRfgq z@cPbm(pjoPzO`Y>C==8ulJ@*b@l;2VbVx2&3j3HX6D%<jsX-+2_-K5<O1iYXlJ-7y zd7ORlT-^o5))S)D-xs9`UF)D)qc3A(XD-N$H|h34d~!f;$$>ZNlTF4M#l3g*#gDRk z`zhs$w`seVzReO-i``3KybZc}Us%xJk&BA&F~*%yp685lWQrsP#&<=~?YAaRoLewU z{idWzrjC7TKSV2yIkM^66T3>8K!)Z<Fdoel8T&V;`v~B?vwu!Uiz+XugWmz|1BC_| zE0;XjeIUC2TN)51333Rg4t6Hvq#G%O)k)1`OWZV49=(Dx!HKz)eJgj~_Vlh?cPo8f z-B9CIqgkCfk5s*`OT57(2V#=$TLTTdunzlMT{U7^1N*}I<;WE=&g32mewy+F7Y`kj z{B;KV5yp!2`H<`GF|=_<o@vJX(3{|_Qp#P!83!*8<y;H)w)r0jO9TZ<!6#FU$-gm? z0+cwUkAw^_H?dbl@4qYT4M_TK|BA`29a81QkM9CPv2$fbqj4GiW$)VJcppwzxY0*k zc;hU75MKg)hkhi}(|#(hj4S`se3Jg}!3P=+0KnjPa?<}54*mD_Y2yB0@6k1uRov#t zeW&lRD0q<apb_5p5_C<-p_pM`bCA;lM;lH!YI|aOk$9?<Mk(6YZBB+yQnGW}Eb0tc zdv;F7@3(5(Zj)7G7L%QFA%S;gv>sJsmpK7zy}4dt)lx-a(t9~6S>n;S{m>zv*4aSC zbkENZaS7IDtWiIC)rT-#Q6(H2XKK0A6b2(EHsr4feV7waHO$LwB&4q{zOz*6XfuCf zylXw_2mOcCz-rzMit2Mpj6!&oHHYO<FXMidgWI2#U!^g(Tu$++Gj%9!piqQ%vV=|k zcEV(|bC5*etibr4A?ta2-*RNntzY-4d##1%61ycSu$%h{o4?(Xi}b2Nmsv`JtV)~l zJ0lHMFOUQgSV5^#u`}H%)5&sC8bxFs7*JOw41|DW4dRj==LdO;%6t>0Q?kxSLxliY z_iVi@QD(w+C{oA!@w(Md#)4xK<(MXlczQ=FhWrbh{?eQg8NS^=rI(Z=u@@=QC{72y z%G$NR<)1D?`z6R@GE7BaFBV!qHAAQ&+6F(j-|NL;9KEe>Zzlarrm{a;@$<vrC%c{B z*!TOv$)PnHwSLa}+7*+$1{u3bd-U|2AT78u7|TM-0Z*Ux`ZH@5de>&!vo;_FrKU^i zFkoGs>_00tS0MGe35QH|6>nNhjES(gydEQLz=btvc+3rD;1zXM@c3oL7t$)#c(%<T zO}!3-x&b6u38r-l7p;0>yaw~G4Tu;Oq8?f;D0Q?2H7Noj$H6}eb&)N?l*X3x&zoq? z7vn4<s|fTs!Rt7&L2`M#_4p#ozWr-jsw^%`jj%s77`5<KG$3Z5F#rv?3!yR~O&V%7 z>^_+#fMj`BHpbRO9l)^%00@4MF1d}9dX+~H0Xk@5nRb&ns7~#b{a_PVE2UzM6&5#c z*WM0+Ym;es_3d%?zJ@EK@KCzz!VsJ*k&WEY5Z(tRJzSE+)6{_2M;w>uHMH*ZhVt1! zNGT|AyApJ!%*skD&-!SqSFjvVjKG8AePgK$v3(OCLezUaimu4hre^FhaVMv?<fesz zoH5b@Re?T$Z5O<X`2hmwGP=sHL!(EHo%@NeKIrHw1BF?6yWJBzes8P`OdJOtcdLOv zL!ibYpz2gTI%wJB)MWF>96%JJXd)X$`Mn2|4<2N0l`8KDR=bROvvvfD{BM0aA-`xw zU?`+6Q;usS6Wx@qn{}&49^F1`RAK=6eHnEyzdcF~nq>ywAZbNo{(cBd`Z0@bU#~F7 z(OUY()jVI{ukXW6_*?W`8Z{cp1n*$=r7P;K+TJCEWAC7gB_fpYFF`6LBXJ7JO(8_Y zK)uNh^OpyZ*mas({yDn3VLEAZG=-Y&n%LqpRlHS#l-qHI_O{3?>Qfc}$?4CMAO;Ae zT1uOK7hT;{RtzJ$=--ZO08XB4hQEmy>~ozznRT_-IHM+(9*y|m9NhnUrn>j-^%k8a zo3<7jdd7_#FC78Bwjz%?=J?ekwc-PG5i=p*QKB0%WKj;s{6%t40WS+d{;K}AlEt4d z*HoC#dZGZZF&{EULg5Rdhj<w{X5z(7|Fg&X%Rqa}&M@gMM{1qT8@oUeZ0+GYyLyze zK=D;Xd8sbf)7|m!#1@GI_%Q%d6l*B?m2zcve@jq&l+6-%3r}8wq<ejwLJ;>06Ge)y znStd)L|oJLU15Smr5VY7E&{c!h3GNpsD9%yh$Kle{S77y%#Bq8+0;b88YR77X<xG6 zl_5idVIS1XpWD`drX&ZY|4SwkP2~No<`TrcBafo`-^2(6?*M2`Hv}_)R%rBLH+?k8 zlH>qyl<m5>gN))ly-^6tHerxXb^enS07@kOQSeC4vLH&L;oNdMwQ%!ozBMtxE&;|E zurk;I|0TaNWQd?$UYsjvp;Xni7xp$Y@T^Eq)@>(gXF@k_o{a}~jfBbb_p283JsrSM zU39$(6MGO9)z^9JX_14yXq#!|CP^H`l1_>if?mRX3(l2;og{{j9QAY^TS2vG8g0-A zao}Bs&%fj8tkyg-^*duby#CQXp{hID8$9L^9}iR9J`c)C&6lp35Tv*o4fMm5ste)E z33t$kBn<N$atv7}Lab(~=6D$>B^4+f?jINs=M!|I!m2(}lQR4bQWcF|rN0a1kLjmC zG>v$U-nrX-zo}+f869!_NrkHtOIiQ1YdSSoV~NNtSs3BcrtGNyAP7M+PSvT8QWPYD zw7T8x0KBJMf7;K#RYnV<7h?5nFkD1N-gi$HAX$qs<sQWM?mSy%dDD@g2qnRM)IwA| zIkH&LVdN3tQ!m=MHDM+Zn`|0o@qbS^VOQwe+Al-Wr*b3;gw^+nqPl9+n4&JLAYQq? zMVh>8rv}<P$Z8$v!5BySRH~O=kq59Smkj6+v`--_8Ltnwr<@N=4O(MOWSCVS1K|o< zP#=(<_#cocmq62sDp|Z}O!~qhNkVB#>|YANSeLHiN(H!s?c(qVz=zM;9Sejl@;}0n z&<pYwW%pKhqI+>tx1x-LV`7J-{YyiI_vZ{WqdV>p2@fr(@-!6OV&lP<b?-59=nWM; zTaj1XUzFm5VItSZQc0gado(<w+}AZ<V6N#M>GM`P<r%Th$~)<MY?Ce{5^-oLN!!HO z35^M()R$cwsL7&=w<yI?1}Bz@dQU+ae581U8qwlqWa|z`=m_SJB!*Ng1Qcc%*y@dj zjHEkx9-xr4z}3pYd_l4lE931zOtOjwxY)ruF+c!$Np3R!hD~6W&$xO(oPtA!7K_2i ze`RjvkxPF@jcs<H5-RHN95}u(P6m~pZsa1w#79WDsOs>4>o$HPaFZxM&ps<OKL`kt zc+<UENOAG*UWb7;`E3KbZB{{@--#9#<%lNbLo9;?gzk)v2$8Xt7M6|}=%PUusRdTE zp`XjB_RjG{@S7$|5;}qHY-wn-hl*Y~qlI=b^Ki`D3W)B(;G-Avib~#!`a#+NRA;<a z@bDd%!Uc^7&s;A$n|-qz%mToSTomq#0mysVFUJOQTaZU@l6l%Yr<;L1EzKtb&+Bx6 z`M3-$9taG{0b1?L7Zh2Uij}J+H?Dyn0{{r+<LO|IPRfB<U^%3?NCvh=pP0T{Dkkw? zU@fg%ES(kl%KUAyh|^@kb+C`VVbDfW0bynog}(j~QbIiS<=glO?1amGlywPNI11V| zSoX7P7X>d|uB+hbeGMN>y-SJ>`Djq?g~1rY8vG4e2MUMX9Aj^2J#VN0U~sgM^kL7L zk=I`vx7?u;-FXB?^hlP=n-m?`DwSQlL*ZvqgBS~q+?IG#ZBnZg_8@p=>(AFU_$e`q zHADbl8%_Mj2Nbo90C)-Iv%rSv&UD>6s*+!88^)@sfv4EF#=)N9P1pRL;md{r2gpk1 z*|cIg#YvD4da)P!bLqa?<y@|C$miRj)^Uopv1roGD0I7qE@*>{fAu<{@hmn4Vp3o0 zdryYc!V;U*(nq5bU=_+`o9YP-Egf*gpZ?G!o5wA2it@>y7ogO&->;EpVoYx5M|_{^ zkeDW>!-e_I5ZVxp7N63mC@sQt+E(nGttxYRMypL@CGM&q&mw|zAyS>+$%5d`1o`JC zY<iKM{!--f&JO-G=)!~CDHMc>VyzX=9zkXq>&d!_if;($7Nc8C(Eb8G_^<Qn2ZtG= z_DC^=-Q7k2gNmmxYq`cE;G_*c0>6|YSqcS}3(?QH_W*Dk^gdt`t!YfOtV6MYAfsM_ z*eYUu4`m&mysCZ9uK)6%Oz5V`EKc_PcE1=zRlYxIOyYc3SDKDj+KU3!DpxNiH3ZW9 z2^i9u1S$&h+xy!nd!|j%KkI}*giAQ8FCfCIha+Zc9+VEmUGC8U8}!Z+%Rzhzc$4Q6 zWsz=nNL*Ye<`Bpy??F+c6c{koFA*P`lG1l<QOzKA8vWEPox#<mvT9y)UIF-)S}6FZ zsNdZ|@`z*gMP1*phhBfc!F@_u&M~e#95xpL&Wla7J<8~8I}n3bD0GsdVo6(vqn)T> z93{jIna2t>H4Isb;rux7aN*(rCQepb5>Sj2%lgbn-^oR-Vw33g>eUm3mE#2WBfHD; zZ+L0fd0$9~+RQ(%gh?SgFLr~d#UG?y%~Q8D2IQlfUS0>Xstz%CJdSNWs8vJxTuRZh zwm@@W%mj4nu!tCu7xtIuwj+<Bj;X;6;@eVM1s(WIIJ*`)4!lrt$^1^NC@i~+Xgccl znqsbG6(6l1v;|P5R@qRs!==&u9jHxU1L@y^xR$zW$s(uszEDmvHVH%X3b%u@_17Kd zcjckc-zY5rWOJy7?OH)Hh9isjRUshxTAk}GEB;??0x50#Cc}`<5aHL@y0zz(X+djr zGwN*R9j0mBUY}pnQCYjOQB*8`^yLjmQb2$*lVrlkkrWC@m}5p1kqALa;s?-um9SgS zf2<UgQ@DEWkwo3r7OUkAV!8iGxq{$Nf7?09)pPpPke1c_)fJXdlkKk#60?3exv|)F zb7p?cS;ZalO)foyc1H5rS=PHJ9RXNCS>}*;+AHodrT&0TM*aR;jw(>kBa?)mO_s-} z<%6H)Po(oahd!F2t5XOf*zYgwJkenhJSf)f;*yBLkDAy`M`lk^?nlP@`}jeo<})A@ zYLK^;+dPeb5`_XfFGVwO7%sSXCk)IK+hFn(6F{SOJm^-D0P6R;T%(S^bWCCGona;A zp5*Bt8kDR`Ezp{ck~t@F=CZHC{N?`n@4^=CV-&|(;+giw6=f!W-Jqp0DUsg#x}(Hr z?mzQLeo?_KWM}{Y?_Yw!|6%1Y{O>%{-s3loEY{SrJ8D7o&C}~&Qy1TusyII>2h(=8 zqYNw=C(242u!6ve$TX-%R7q&yf&3kA2WLkl60>Uaq(6J-=<Yt_R+H(9BGzy_6nl3_ zAX?04r-@_Jrkr$;Lvvr7RV(5*E2;vkjLYU~t*a4rnD8Rgp5?x(JQyJ_F*NpSTO5C* zw25C{!2>yrw>&5g{+bh&%z-V&=n13^h%M;sXtb6hEfa)C5rBs6HClfZXQrCWpn^Bd zlVp3H0H?L^0B5@Wlj@pi!)D2?V*|l0rHH%Rt$MH-$-_nTa}?J#S`X`0wVprr>iG}2 z!LNB<_##%4lb$8{-a=h!q`cOiC9TSe6<gX?g4lBSZ{liiG&1!G?wdAC;FBP(dvEWW zHCt%MqChOv9oG6xsU{IRIy(Lb@U_)S{1okExC*HPIMl$+rL85uEUe0sy)a%ISA4*V zoAd17_7!??w3>WkVn=;eJI=YD(`5O?bzIb%N&RtOt_C~+0`ZdKOmvO%2p_{KI7|Uz zgo)QXv!g!%!Dq}1kqJ1U*$WIJh(w_=>^Ue}`q@%I>M3=};b=XL&7bo%$nc5TL&4k_ zu5!lU3rkH6`^vZ?%>6$8TI#oS0D2y^5t5$9V2Hvn)_=#e&V{Ww1e;sBN^yUF83=u- zik0m0#(zs3eVX;6cPHeNk2a!N1N;j??^XH9sG2n6$CR)tsfRK4Z?7IVZ<!~%NHJ|| zSU8%Vo-9<B?=)3ZV9rBb?w@4Z-r0I&RAhjs8b+iCMQjsMXMCG1GEj9{^&O;a{4aJ2 z>B3dMSA={j4dkKkYynpQ|7g1H)rzW8Gv>;__iy*}R<Cg9vlMu2EyNu&0M(56A}eaj zN332-1QGqoL#OUkn}vGm0QI;JLB)dKNA#398c4lZPrRKgMf+JqyME5yL9|%AzSE)` zm-BHGY{d5`Drn9$7vqne>6b;?B1c>lcU5LOECeiuEjr`Dn}Z!N=9iPUOkcXXoJjB9 zmZ+b=L;u`!oK-e)mAX8t4yv|SqQ!Fkl2Mp?tD;&HNWrR{s2Qav)co^7-P)R^d=^X$ zb3o_lgS);D1#+Tss&e<w5>GdOK;OCDtuZ}T#QsF`F-Hhy6ZItOvsUij6cYki050I` zuvga#_%L6soT29zLa91i6nFWW!UZc$cW_Qx@EXWIWQ+rHFglvV)z`b~54@68ep*IC z06QuL*-zX1?@_NOqSz1~7;!_c7>BFop=#<R#2?5B_KqBbq!!)KvjipgG$t($S%-pi za1@FH4NYUgK;I{66B;F=<uD3VU6-Hoxzo>#M^r(SD_qFjD?=?C#|i@ca3vg+k1zob zsE&pS2oVDj|4nC_Geq1oP#kJMw{?%;Ay|W(B5aF3ub+488knxNeiMW=p(~t*W!q>u z<=`>#AAx08o=`YQui~$Daq24Tl8buDjH7jObnB9y;A_ScK+Fp<`JW`cKyWq<V-Ecf zt$SYYlpPQ~{Q5QRyC-PBi1P(`U9kc0Fv+;O<Q2f8u840Cem@6}z;r!R1KiIkn2;)5 zy^p~|*dlL&e{wnGF`w3_<L5OJz+~~J2Jfc-4?~*OOob;eL*Vo5N!k02J76bi6q8k( zys3mSVWt3)ddrZm$5|PW<mkloN%?hXy=Uji-va@15IznmI2Wpd70kXyOScf!pdhVT z9mKuDYx}vs<Gx8HfN8<W5icFFMStXpF*@iVfwR*WuPAU%ta=)F<#*B`8Yd9PjCKrj zeK?p!bZ+cNiUri26%helj`vUz|C}0j6Pufk>`vPtLc5=s%ZwOsxU9b-*R`M;B5@Ug z&^|ZZqCr-zj3QH7`>)WaN3f4&oL8z$4llQ@-A1SF7v=LCTb>uG%F-rQi_*Gn#I$YK zfuf&=TGuyNR5i<K;9x{}esRFK3t+648YSd|#%pzGc@>=ENV_RM+L|rUB2+th;SqdW zL+w#`RR=HUSe>4sg-Yc|DZ}gLN3r~o1_lBlBXkSsMNJaWTNudO_0_A+B&yMA!4dRs zwuUnH|43r|0$9-HatPNe37Li6+RtE5CkzZH{Hrj0D}&|6mWtl$G|;A~yj~-cTmRK_ z;6oj#op@it%VyB9mkBYQ^cjt@1Zbjfo?M0~9XWw|Y10P<l%AQa?;)10nZC-<;I;Nz zbf$sx&<S?l{ELhPB&-a8_3Q0m>zrmE0;!msU<a+_p=5>B@0ReeQ(Ux6gUjz1)$W3u zTj!nzubM;Y<0o;QByhlz)hMW)H^dE9(`#j|lN$bvAUtaeeDeS3!mq_=b>4EamKsM% z$IszP@p@xz<pScATF%U%eLlCwsl<-?bUG%5BA|qm`19O+9{BD=P_yC&cR%S($q+0O zKcFK#3Z{Mt3xDwdB|oL2V)4WVQ}LXj;%k7>=6$-tW8m!qLOqRdWqZ|^O}K$~!?!lh zW-p{jk(b{Yh$En^gXS>X^J(cte+-L^<g{dZPK^sqknFO0E^?&BT{$3eW<~DMsuxG3 zM-&+f;8ojgMjVQ@wCAim!nQTF3NjhBMCD3c<kqOlHJ&@#W~=0+0LAZTYt~AF?PeYx zA3Ul&ccWhGTmm5iVe?SNwPOOg#B>_BwF0V@ES1_dH0NW@lP{1$-rD`<5aDrW3DmH4 zi0VODf6uSf*yk*r5S5If_TY3&1E!@L1F$I4W3}N@{(dy9c4RbK2b-!msre1TTmEnB zbggg|*M7G+45eqZX9I-tO}xR`$-X`gjT(I=R0g{DZA;Ji2=v~=_R1xRg;SBk6ANcg z&UHhrnpzgt5SUkt$+gIUgHP=<j%!|`GvM@<tb23pVQw-G2+;f~V%}w$?!ftlCWqEB zeas!kYBwd(xci?=h{Vx+@8a_+etDoyOIa3M%aeoCk6TFBOX^{q%0x$M)k{%2m@zr; zV$T<i4XdS>bZT$Yv;nz1$qgJe`N(k#k4H^Ko{9rs>k6D5yHi~e*_X11qQovETb+Xp zl7+=uXQ8~PlRf~0NjEJ{GgV;dVE^BY&?dlYKqVQTpV=X*P&+WpV35i5OS3On!Nh~- zgz_MBwCipVvA32xDI5Hs_aV%sm0xoEr(qLYc`LXr9eGWYt31kwO&4*#h><5s$a$SY z_a16bt@%@>)E3-o>EreydI<js%@O+DFglSzfbor5jjr8acoltLIX7v4m2IN&hLoG| zJRQ4yk{!wt9|_*M4d`T?G7t9AEqZi*MRPDSl=_Y6Xf1$!dICqY2DuGuip)K%tm$Hf zBA<4EkmfD(CR)aeDO+e$=MGW)+nwzne_F>z97m$i+J*T9|3TBkZr?msK?1t*Sq7J_ zfWu+;TQnqY|2@d!`9o5T-0bdv)9cOF+nw&!A3_Vy=Zo4SSP!Y4gjX~6{?LzUFL}D) z^af;jYw6d0#Y<W!KKc2PHiSJ$-V291uQoQ(Hja*h<ZG3xL3_T{vFGoKfn=CI@=D9g zZrytCRs*<c+G6#D5!37B+z8}ZQ0SZJx9~r02-^BzAYIwD<^gFe_s=*x#V(dpyP`#A z%_zN&i9<yvC*<4X_IUWah^-@aZ?y3~q^5os2a9WR>3|p7D{b>d!Opus6{Xhdz%VBT zy$s9AU)#Y|VsIj<pY;$unB;v~XH%6hE^QmaZhnM=JK^8U;Xjm+NBPJY!%`bOb4lJ2 zB|oKViLfZUl&qPVB(hv*&;*(zL(ZXBo?KcF4PwT<(U^$|=rj{>NtDKi!!%q;pS5EY z;P)t5KmRfAb#D5RC*;@3`}V8J;QsHbwy}w;iM5^me?`-nn~sMq&pLX5lk0>T#qH}S z)65$dSu$K177IB~Ex4<L0m5UV(ugzwnyS4$r+cFQf34Xo!8OQczI^+-QNS1Mi@~S0 zRQB2T!*s=ETnoL76<2wdUn_lpP6ad_*g4D7lLf*2<G$Zt-`a3~exz#K&!!erf>0-Z zI;@6QeohQcG$=~KbfE*db6JvdP7B@^Cxl+%-I|RhVH`)7VC=}@z&BV?i!PKOWi2+q zY!1zogy9$Gft7ef7INMEHL5Q@`dGG`mCHNGunXmQw5nB404>&ttwi$TNGjr9=HpVy zfiH)cP*$md@}51v)Jn$Zkoi6H-J-8To|fRM76Iy*;$fBkjK^pMyl+&V&bx~>K*Zn( z4>E;uQIJ^~$fNF!7%GpiYdIPr+$Gh9%>Y(QHQ?P{-hM;QziK01g3}LlP!Joty19iU zGy`_!iHrhZqb|Qf)ZRv*8BfYLfQgKbq82uFc@cQ+fLXSxhS0wG&);ODEgH#_Kp&XJ zhC;_-0qMc+m1ItI0>*?K`Q}#}25Tb$N)UPsj-^ta$n=sso;eP0bU$MIzUA&EQ88e} z-5Jfm2~~Q)lB7Iu?jH4>$Oj0<e4GwDAs7XV*uw<t?cF#Klw4475D5dj{%r_))NR0B zuDVwRsmtfRZ98c?{xR8iHjGi0mPhT*%?%8aY0khStKlA{BsD>DN=WA{xlYJMaqr+; zCR=AGsbq4l<sozz<i{KHNy{UHa|^O=!&%;WywNDe1fK{!#9eF-8$n<$FkJv(*^F{Q z41+yfR*eK-S^nmB$u$k@0aep4^b70@9ZQD6mD>@Y!g<?avZo?LxV;fP5gHgZCg_nV zxtnODL{}%LNOaUsO?~DLe;kR=ZX0lDcd(Y1PP1p;rOR?cB9Y@Eqcp{D6O=Jp#+8eu zlbCgbR~MDh*Y2+`Cof5+AnJH=mf<q6k}hl_yr9AuTdymXyf#lWimSMzp6wB>s-hq& z=9imV^4yJiVg2@ib~w3IXN&Vy+F_f6qK4VNQ0uo*fy{skOk;d6f3Xit#ca={LJd*P zG?)L&$cZK?lpLjt)uHmn9!DX@Wp&4lawoG9R4F?a^jzLA^OpuGh|_kqkle9HzgRei zXqtZZ#_;f{$CqxR$bd8jfbX)BdUtZnKptxoEyOuEcrUIdBLgXjXNrA_6BVN%zsr(P zF1^nR0)<)~2s7g|@t-h$JaVjVq8<3+n*&E3?GlLfiI+VVX*g5k(`dMCMKS7M>D=PB zJpS=K{WpuUl6GJ|bhdOI5yk?t;oAHzi3FKsIzS3VZ{3|~WMY}mv5R{Oy;#fWE=OOK z(V2H=ic+F4ygHWM{xdiF%sKSbzmQ$yG#N6%v4r8wIX_?ID~u7%DWU}^3*OMaBkuht zE?s8wcm1CU<t(b)%xHqbROy;10T<#JFdSg1mQu}OD1nUN6w~)&EqWq>y`K}%y0jB9 z<jrU+0P3;XV=2aS)UGsPck)&A5-)VrR1x*7r*D5|7L&(9C`DR8OW(OnQdO2aqrGJw zjsQ-607J2jfzF?OkB+jJ|Giu^p3O6*RE7(ZFEBFnx(9g8b-x7~KI2~hqKEV4m9+0r z^!M5J#BN9o=T4<kCMcz3h9OO$Puy!IIfXon4eO<z0H}2h``kCQbG6XH?7x+LK2}@F zE(EM9nx}+dpN`=I5zt~j+%&zjQd}4E*4`5TwULX3D)9<1{DV~jh=$2z8L<7+#T?+% zovH6@mvp^%LHwef&fnA)_=9HZGhPU}IvcU>x@V*GT3Yqw&9+NZ1xT<9Bn#CRlHulN zu8Sef^WYh1jo(|S@`o*D*!;aE9qS~{UC=(`*8WqWwmIaMNCUHC!Zi7kv=Zbhf}0)- zALQ$&I!>H<*l$lR-ozk>6%})2kD3qc^@F!x{~s!x)*4Bm{=7RYmL*&$r$V!#*f!|^ z=9<*Q`{OC|8f(*o*cr1U8s2y`12qD1<wE%%IOtjH`n01w9IV@X8&$5;_@a1tsI<o7 z@fVeOhB#RQUz0LFiKVU|8HJ=N@<^+(Iwjrwcn4xPV2&C#_g5f&wa6RtLBBTWO{jtb zpoJc|VU&rl1tJ7m^Y<u_l8<hHo3uw0m88mO^M`E-Q?f$34rIqP;l&;0jd`#%eRDg6 z$aL2LW$GKMC*PiLI0>SqUmK1P!m7DSRS^#me%jF#81TxlsXntnuH~Jj<rFap6(Y~& z17!cRgAM}Jz9-LQq>oGT-YB=sL96lCEgXCBI7N0<r=W$n2t!WfHIPxLg?HWA?K|=X zbO^+y42I-=#`RA{^qE0SM;N^m-MSx``R9qHbpwS~s>_y+lUFyor7$N}1+shf-$Jjy z<1)YVeLw4?cmOF=HXIk4#BRR_;N(+!`a0h*TWxm^0(o9dpx_TvT+_nX?I-@lYo*h| z=IPIoDcj95SGiWpTRT33zd&fumGRT}N(3Ie@<z$<Q3`U#RBRgJrI~AVp-ip%i5kUj z4r06Tbi~h9$7izYo6wsu5}SZ`m#fZ}BKZ=)h0+a;1w!loHKZr;${x7b(UZ~l&zzuQ zG_D)Tmi9%!XAP2szA#R%(!P=2L~)ib%vTVQ3b<E{-{uLLh6M(k0{YX-SRmIGrGcSk z^h3kaNk-1N78N=_$3If7k_!^x%G5W1Zm2VLYTA?v%wm~VLiIPoln$~jG8zKjROw!w zg~HxH+FZT$j{pK>gV^}LK+7<p29wvP1n3Mp2G^Cmtp{G}b3t|vLA!H<n>#Rj*#2v# zMpgY1RB&vi%e8ySb7T^26<RmaQHpR@WC(_O?Z}q;<N?HvO~ds`euR5#fC4!?TXIAz zhgt2(;oHlHa2W*}L`I-!;kvE;BJP8PgN*NC5tB(>kdSWZBfcr8B>@WzGkbSX42%@> z#;0#0X?8HuRv#jy=IDqNk_1Pz9VK|$(6&yH&oH0o1;N!16KkuP^4f?wv-FTwze(u< zY~IILc-U(PYCb<|Gc;%4v&|&*G41E|PG+G&j+BkqJP{qPL2nkJ!nhjZu%jWyjJX_? z2{hJ6ri!qWlO3`0iH(<ECgBSZMFOqw=%onE-b}}Mv7zH++BGPhee5Ecm!8kzi?T2{ z&0%0<1=j+xTYdCc7HlC1Oyr4?%$H`XCmrJs^H#%N<$Y}JNO^Bf+Tf(Fq^HB3T=aPj z5m3YU;-y6wDLPteDlo2vjBqZDbZmUybl|(%5AgqN_53+|Nr(jm0O<QAviu)yHUEu; zu&_0?`;Fjye!Gl=e!Gl6sa1P0Dj~!0h>zu;cksihj?zQaf#@4zDq1djS6!ik5thLj zUZ$?DfM+<pT*`m~12^8}F*oJ6IF|yp$i436jf`kk^l5^j2S!2bf%)>;V&<tZ8luH8 zO+Ny(0Un}RV?Suv!4}^YlZ4(neT#e4T6%({TXCDC8Mi5K(f<tNi{W7ewOKxGWDtsk z5<~F3(<2-8%JOSd7Ky1Tl)Q~`9uGD_1=w`*QOAkZ0|(sqn=zR;2w+-SLz@g#H^F-H zUUIABM5=SKy6yu6faQ~|&Muy@2-=4yPU@(-=OI}crpPc<Fza!=({j7YO!+Lx<c-Uu zXpb82j2#Tbb$_Js3@y-^vu}9uE6#Y})h1}dER$%eeQZQ(x4<Af4tBA&GIfgBZt==X z;iVmVP*tpjVd$f>*vN+YgtZ_z4F-FMkt0kxhilNpYGsf|pAt&?pzZPnrop!Bh6H+Z zmf2G-ua~;jL(vr*H!g7M>HNg}K)VHXm2Xd5FnwqLo_^a-myg7+{|LnaJNh~hbpQa) zl>q^W{`XMa#K6hpms8~AY+!Bu`!}b3y!^076ZU>SP>k$dFvb8V#$_8SX_8coxmK!) zEkrnFV^8e3K|+s$0l+da;|rbIXMLY9ZZ1asmGN3f^$ZjE-JUBuI(A&{*7s|y;AbzV z4Vv4>Tim`>8a-IBV(@U&wsl@S7oU$UpUq2r@pwElo@E**=rY-~*q%?AsNH-T={`LH z{dR3tW!kx`cwcPV&){d>o-H$2(bpSpK6LbIJJvncRVJ@+;hSmESC37WryH-Vg4Lc) zx&v#|rVU$b*m(GD*cPiQE2?@c8XW7*S2i7;!UhjeOhO;OjegF6JY|{v9hKZ%<gWdc zZ5k>~bxgD{u15>g`8<_T)>U@xI?=<zbe3;h+RAKqRF9E72i~^3Z1vUP)J*hTz6?O) zBQ--iFIFqXn&jf>HcWGLYBC?IbnUWQN_XFtI!`#iSAF%Khtd28zN=rGwOF#UDneRJ z{6PQI{ki=(D6#IWlUr_)+04*=FM{#yVcPAnrjNV-EdM;aMte=>d&Ul<-5sYXz9zxJ zoH5j~O?6sFWe!=jljZID_p*6#w9G!*`-eBf^q<sy-l!ipB!4<x<%uIyUJIx%7Yoe3 z;ymq!=jLWEx(oDYLj}9aysE*ht=5jM_T+R!8Lw)T&aXS7LhQl8Z8bv=`*Tz7In}SR zy2jk}K~1l^HQc76{kzen4=~`mv@X>2n&11%Zqw1~yN7lYmY_KYP`@s4;RX#2ZV%K| zclq??bNju;22JJEQ?I%r?j)|mgTx%lDr5)!xp+k6J6PUoVhj?(jB72*z%zSIuBW2K zra2$_gGY|{f+fsDwVEfO=9^>A5KeD;by{Yb@+wTj#y}A@{|JlC(p<C_gNJAg*V}!^ zn`L@qyCmPPD0H*)w3nb^VYB73r@Eq$n!ci}S-(g}X_<YK*HWb=s`8_R>M3N$CVm6; zL4_NZEQH@Eby@6(tM{;0_mF)tnhmt>YqqnaI$j(|yp4Can_X>2cX{6;?~s(TLh20s zCxDSYvuyHOMP+^5FV4?C>H3*8dWW^sRRPrbw5Db+^1uc}djsH{LhV^DC7xli6u=wI zIv|04yQUhd?RB}(ZsQM`Sa={uXAAEx<8x_NB_Gh<XjWE-4O`nki<h125Mqm(pFbGi zZg&kdlRd$?X=yicw^=V(CqU{v&s^OWAGKNArsI3Qdd;}rZ&3D*D)e>d_qTDqKA$yj z7tiD1TQ=(;c4h#zJ?<m!A#u}KBidCHH9>Bt6qmOx%SB?~>tVRsai&S#e|%q$)8u;D zh5O`#IO9><@K0vFo2uw0wkz;unA<#-Nv$^$_{zY|1A&1}N(kjFC=YA2)x@ht7Oksx zS^j<M_!YAk6tVqFL~nft(?W}inq<74aMxMEwhkl*3vLGRv{&$}%HJ$vCg5aPt-6WK z^YhSseLn(ywgBwbAC{g!iE?Z{0}yza@0=(3!!_}((vcx?vT5djJ6p`$)9T!TdNqy} zPg6<X@ZB<w(97lTqtLu;+Fu0}IEDbm{k(R5e1mjf1Wd&@`r^b4X3xA%n-7RL`08&l zZIedG(=WSi3mtXA)#vm$rHkMk3?MDJY%}7c>Ju!J<@NsnQ9!Q0Q#^0_tAaj<oi`)W z-yN)Jf&)Y!Kc7(7U5AuM=5~}_m0j8QZ7!{+>I4~#8;ZKa1T_TSIkolS^34`gJG`>R z_L-V9euBT``hx|qaJUTJ>G{JtJ(o^08#~~U0RtESOThQw-5;O7;Il)NDEg*2zXMh* z?<UcrI@hl5%5G8DUaP*nbAQme0(g8x3%rLpkdrZW8c)1d0{la}tL*31$3?a6v+p+b zqFGkN8NEn#`np_o)uRgj^WZhi0e1mrKHl{g{|Zz2#3kA8|D2@&DQSSoLfYQKQLoDN z`LZN7=7nWu=F4gccPz)hCvzku+k65nHL$x2nAi_QEq<Bd+8z-t%rphc<t2Bw{deUC zp1rJeas}~#hlb%4uE$)uWyQ=PkS>_v=xeylhd`TbbCx+WBXe*kc^Hum>Okb^@G;#n zr8wgKGPklV8iL(fVv0Zcn91G|tnCf#&@>y#c*GiI{OxEmbv;JFFV324AmXE+My|b? zSXKf7GCZZ<aSgP;p55?sgk9J4pYj?yZMPi|iyNY6!W`s4Au`k21GL*-w&k+I-rwPW zfXxTGDW7I}S0R@IRPWv0yVoS?u@q#0brT<)tY8LD`4NI!rj`Zs`s($2zat-*?bqpk zhSN{=1KeHhmeow!V7HI>pRXDu$N>buYq`2D@4DHd+1_D~694lG{>ZS$rUDFJS`@*t z4KSEvxM*O<X1jJpQ?KzqDBB_<h7zw}oA7QKF>gKq<ZEVdp{_fEa6!{qE^EY_a)of< z%HtIHIOrTK@_LZyTFfjXMc~dyt_7S(S~9OUxVOK|uB&QG4;#F8fMY)RG2;Ci-f6_~ z@!PS63$&rZJG8~u>b8bgQ5qBWzsP29pV7R37_o8zKKKD=r$Ef!J`bBv8+_bmZ=d1@ z0P}}3TXrh^55j$V=1&sV-n2`54b=d6k2c5-z-n)=YS>A-BG^1z;S&v~C8rE$kFA6C z3(D*^a4B&M{?{0B+(R{eXOZ;<k);PN1;#6T9~eq@cvKzj<_Ur_lQ0KZ1Lgtu-B#Ir z3p+|PA|AzuQ~|2swh)_!aEzv-+g6MEqSlBEOE=ANv)4YPO*30oTjKZL#A}1ED!|^& zqK-Fa)!fdm8sJ}OHQ!+8Ev<Y*xC^V#@N3-uE?e(lov<;BD<90N0Zwq%ZOUzT)$|?E zMg+DB5DkXP2y0RK15!(ukvKw~GoV(B>t+{XuFxw-o3|i(STdHO+|#a^P$Rkl8`VcU z<F07}x0vAI&B|Ome6``7r0Zo*;Jm_lTRa=_1AQj!Vza8sP4a;m^J{@S;*o!5&OI`S z9|;Y|UlpZOTdB~-eWnl~eHdm?nY3Xw5t--5Z(jc9+vDQ9ljHZr$?Fftj*GaeR@-9T zUE*_WwL}|wOsVV4yba^W-FTEeW_T8mg`;2JIlOd$jydp2@TomnGt|T}KEbY<j@(c9 zt4(zY#}AS^G=f?F#lPz>?C$@SnT583cThz1BTp_@?Ait>I19cqGQ6j&3&p%05UHKb zXdk!@syNs5-kif*zQIptHHwA`+YU0Iwb)arU<L=Y10oJRh)0{-mN?#=pdV#V{ZC;% zMRN_G(_eJhg*|Nk1~=62Bxi@By6MR%r#}&7v>LiJAlRw`-pu5;B<S-EN`1`=K>Nxi z+W_~L?rh#LGh3nmsiuYvl9r4S1zscb5naT>P>~c2OKhdbrYZ1(Iha7r3L>1z?rqcb zrY&=j3J@^VsBK8~+czb1h}&ITt?F}WgJ?yJ1$>&Vo8=DX?CDwtfB-}21KBj283D<$ zJG@ti87lWS%rB;)Tvf2oZ5K@C)#0npKhNa5bVq;auIlmTRKR{zyb}B#7sazo!`P3f zg79Tu?rlIE-`?GZDWn?RPdp<~c%cQ9qm#dRd2+nJ3%2#Tc%+p@)Q61eO@H4=@n!(h z#&=uMwYT!_Z2;?qd7;a5Q<p|S%TV(4q52xr)VRPs6{1H8uW~`mL#h+50;$Yi%&3+H zNS}WKN`%e+^4A!|)(W;2k{Onw-I8C@R5G+Tc~Y>v2i-KQZmJEU$t^qxaIL!CImyh` zl8js^>M3v~GBbuz6V?q?Vf<n(=UMjQs_sPP+A(7$&j?)AdbQH9cxnr@m(ebfJ`Lb4 zOQ4vnncua{HIWLbn~bxOUc^X2>tK&a4QtlZ<3wuYmq$zZY}IT>xFEwIjLeDCGCP=r z0@lzCuh!?)64}7u#VeNWUD58+<PS*WdDB@`&@|3`=Xda0pzWYAx&rg8N4H^`=!x1< z?f^)&=yPA|>IkD!_$;ec1vq#Puk$tBs+>WaKNTYZ1h(Atwjr#|pOck*kgRGk$n@}9 z!`TEnNz-M5M`6CJJG{p3JGBDy8wxb}y4>b+EW94pUj}oYsCDaxvS|EOEqK*j&XH-) zM_*x6<ftE`^iRz^+DhlZ=#bKCIqFk)1zLNQ`m*le_U8nWqynT$!Q%b#+6rw~$Oy6J z2q$2`B7Mc)yA5^>y9glq_&?BESTEKU2*FFYCoNv-)-W5n+6<%j!k_olif*bi(OEf% zEI(Q+#fEkuGSFc|V$VDYmRHr?b%wJzeeuPa{dURv?a*QaGOnG1LhydQMYd0Unf(R3 z8PI=aV#A*yW7^Y)xhPWp0?qz98C!59$>j)i&O%)N<O#8}T|QAlKwH*u04H}{U#*Wn zq9wxN8@x$-`E-w^!aZbk4o}4463~3dfvH`aciR;XefsoF%^%r1ybsl)usmL1ku};y z7WQnzu^N-+q`Kg9<RSc+Y<+lDL7qv|C;T#3a<A)V<i4Svb`w&aFLtZd-f>NXsJq)p z=<EI%Y*m2x()M24)2D!{!yPuwvI#q!WuNQ6pNHMyM9l%bFy|Kxu=iW+uTSxXKK!8V z1KR=bv{~JW=T7#;{Q2i-G0MvG`eIdH`t*HlJ_UfV`(##vDNWTE@cUSu#a|Vfd^o?V zknwbE7|8LNd3i(D@&N#F<TL>ClL)u~*rY;9tObw<YFl9AJiI#9$1T3;<dy_XUp`5G zEnfvA@t6LaJ61#EemX%J{|aQ-afl&?_f%iF2_0mwFMw@ANz14Je5!6m<6FQ1s|B1| zg#l1|&6&~6RIk2a?Odjx1M`?FfghMR<gXG(A8Q5FZaj)$`f|ZA*ie2DlayP^x0T%r z8XVA@q{8#NOpA<`vt%_eFhax&I5^M`=7IkQCc`nmhBvqU@iFMjYf`MjuAyJrZqqA3 zvzd@|(qhlZ_Y8kUD8zg-C%b5O%YcbRMsv3j4Pu(r9IG_}Qsp7a=|5BK8SGbmUERXN zIHg^(`XqOHwDfTxD(k}>|LwDO+RA9=>as+fu|^!yZP^z&&}{4xXA_7iojwJZWdUkG z%?{3HqE{M1ormn2*%aC!hKGA2zfJTxp0EaxM5=St-`s$(*|U}q_X>zSxy8VjtLFCC z+3SAHQZ{VhQo%tkl`IbSGh@StwId@RI`bfN<1@iVuT^OI86SE3cOG--u5HcpN)P}A z?$rARf1JRAlo-(>?~LVnLSheI(Wsk0xUgsAX<#)!^Zp`-SEL!X--`$?tjm`cP?A_q z;)eKx!VJ3h<fF%3mIL6~%o>L#<Xu9*NEQPbXE}+W0ODQ*epWCV^{O}a2-Bl8W1Mme z&6Dl%X9*0_D4wdE9cr-!Ek;QYsRe}EC-W1dlhNNt>-ErzR7hF_n_^JVSY!c*FTU1M z2OprC!Z;0Y@3!^4X)h1E8f1{_a1>nat8&@g7IKB+)ttU?*u{q3{;Gg4*MwmK%?h3A z@_;}E2nO5WzzH&hlZtmeY=IM~+CG0eb<h%|SgW!JFR{^dpW4f5?`8x=-A1=XF``(I z<0s>@XjXwY<sfGf>JS+}l$j^K3_eaw#X3)0b`<X6l&5(_|Mhvj0PENiW2T|p8}kUA zK3CK?TDZ?orB8#@6Glat2i>OR9mPJH<R8@~$X9Hx2|h6r@16sUVVuV27#pbWJ4Cn^ z<py0_8SMV;Q^Q%p;W3-{j#e(0s(HAX!6EN|?=3rLY*qN`+uvg{7oMSMIz^^5IJC%L z%+5&}#%hCY=Chb!%h37L?B9=q{_w%`ftQZon%|eJ9s8Mijl>VleH+8r^Hz;!GdlzF zF90?ODAqI59zP!?ZiqF_8QosWxESaR{qapyMNAt;zr!i8<aGz48hhC|2`itSPtdgk zZQ!W9oXyN^Mgzn_V<s9m|JI4UX)>Tz-PEdqJK7=TMy@1A^Z-KxH5%0?qfqQ^cKvqO z%Y}7{%Kc(@pjy*P#;-w4QmitIm>1cI4df#dW|3b_t0?sbu|d7%5AN4igsNao{83`# zw>IWlBjZ@|eG$Kh?{H4k%ArB+nYyawXy2iFVK_OuIE4I)XNnxMKJM4ObifnAg2_HW znsEHhxo&Qoj+KzR4Qd~OhK>nFBn7Tug#`o46-=$<7mW(4pNwgPeplFmya9fO>;Zk} z@9a&vV%dUKSQdm&uHdw=;ovJMZDg(Jf-K7vV~728(~r|+jpvaNLEwv+baHDK$c3$@ zk-{tP*G21`W;B4^(olsJ-?dk8=w0?>Jk=jFa)WXhG|eL1(PAq)Cd~Eq(~2-T)6=mA zs1*_hB#E;CX?zy1;_q2OMsk9lUQ%!z2eN;tg$tY<hQ8kOl{ha9eQh-$1DeCKFV%Nv z`!<^-Ft>^AZWC^vp<2cO`q>@}sE_9;pmwa}hcD~?F4usRWhZ<uiMI#h=Ggn_<+981 zT)?r@)MLfaYbLta^d;*<VyNzU(yvwO>N6O?!xy9uMZpA+{myzUvkEWG(Lk>P9#V9L zuXxJ|Qha^QevpQ+B9hjYo69Q4eloeq0N<pRb1MB&3m$%SYG(7|ECQ1bxI`v^gDnRR zh2kWuv?joIp5L}8&a%&It`22trWn|D%+ClrBL6esev2wBaS0q&4)9RX_x=e`OH{HT zB2m1eV!T~bvIMT~9)$j>d!ugPwySo_rob3cGHu1A>^;X-l+tu&nlhJwN@=Axv`mBJ ze#nypV>a+@1D+jtH}V)?-DR7yzNvnRxLszbFId#guEU7I{w@QtD5C>|-E~(NhU(#V zR@x45*X+hE(ESy9r=SKM7FKPuWz)d_(p*?X0=D&%-$nopziUa5`Tb-12c5(d{Ww^5 zj{l%g@{|>h>+)mgNhLu{)1R7JuA-+q8DZ$c4C&0w1S&l4(AyNoQU^DLCBXr1%T9$G z1*)X@uzz2*C<>6yKT<`*`Js=}Y*B7WBBALbLrY-@6kl#YVK-Jqr&K`-sM{Uo{p9VC zfRX?}vnMzaZC5_XUZW`_E3L;5T9V%V@xwQ7-@JSI;hQPa62!2c1POSQ=nvw%aUs8U zQ}65sk&wv?QJNp874xJumT_HQPhRs}Fnts{0A}ykcugu}5`&vT;VU3{k=X^NN$OSW zUT;E)Fp61&@~5tphq$+{&t5&pK}G>O=y-*`T>2WStLIDWFj?)l7Sa@Az?u5au<bbN z%@KiJ9DQg&`(!ey9zb6$2P*wSS<jXMz|>|7FP-@su<mv|nJ-pAHS<K<d*BK2$lsnw zwu0Ah>6alL)dGEu_?hZq18KYS$v+6qUX?mb0?o4291j-%FgIbJaK}QOV|K`lWSta1 z*vlvWY}HI7r5@vox%Ek*)NYI-4q@1DZoZo)Zs@%lJq6fz^Q<rI-4~s7%CJ<hD+5d3 zlW@lybarqwh}nCjmO!RR;NRX&(MukPI6R9>xaebacGQL~JJE!brXL@<GF$4qdxtJz zCVp4eJxT1zz))m4qyQ3Hf-HbJ0DR(;&Jn@>vh(Ls;IQ%nHp5c3w64G-#e76Xq3#On zF2cA@{opT3H6AIF(D*3qTfK?-7l#Nyn1Lfkg+E2|;0?%{#bVdO3xk$<jLB{(#S5C& zm&+7*?a7e#fq3DwwvRi10t1c{!1`!47&;)&EZ0Dfrm^hftLL#%j>)$6^r}ZLcY+$M zcsk}+*wx8=C1w$G7Jy(vcMD>O_8kTBgKi1da7a74!N-py)U)i}szMf1P7NP-^kaZN z<z-oKycI338Wa{w0DM7l^@F}9Ijb@$q=nAP+b|1|*{R8V|GLWsKB*7Dzjsx8Rc<>x zu-5orxTRAdEWff0k&WVdpMXPneenQ1Vprvk90+I4ErxZuj1`10>++5-FotT@mm6(x zE;~+Kv|QI4q_Jh+kcM)EBHPGJd`@#gSj)!EUv;XLvv;tdb-B2zF#^g=<+ko9!ttIH z)G89Qnl0r}09N!4BafJAg&|N%<7hV8ZAE`8XQ#68ZpxOt_va4dF}IVBwZs1rBW9i5 zqse19cHpt(C56h$-n&wNXD%m;R(wN<W21xH0++Xi1py{4u2638NSddOV5IOb(O&!} zi6O<21abqTKWlqJvivwhr#+0eqO>jf<n-CuG`1MWJWlXlMRG%|z5e_t!=Qb%nDJCR zs<ej@NOpEt+sSV!W{5Q0fq)gT+p(B+yx!Jry&xg@hD9#J?5h}Bj-%M33WV_)*FUGw zZf#MpqE_U=W|}xZ^jA1Pq<>D9kP#3*Ij0M}q+mA4-j5KTn^SXbdf3h=0yNiS-DHUA zm)?;twoB>Y(N@|7n-fcadV#Q!o&Sq~{H*;ebM$^QmQC{U+y9KdNpb#oRd78&Y}|4p zkpy-1*Mq`{6C9$&;t%Y<vu)7U$S3LMLz#T$NEk>%E#0U5wieCx5pr~s^lmwZ+S{rJ z3N!lz84D`9gGrIj9L&9L^RB~?q;`=C3FB3n9BbkPuad5XZ3Fwuprys`Hmb;igJe$w zH%M9qTdw+04`P9iS?0LKnU2%lF{ciL81{}bbDINa3pZ-QCM5z*kUc|6_!Hb%7%M%I z^rw>b2YL-Fk`J&+rj|<V^-Tl(B_b(ha-?^+p;Qi-326|Pcg8SktVZ6KijV$CXrA%o z{M5mQlbIc(t!TEu|Dxt?3~$}jN!&M%T{8E2*!PYI_}~&pAC6BxWba;{oE(4k0th*> z0u{zrAeSc;-aRd&w4$4)CQ?@FyYy+Mvi0CkQcEqXzeulh`2K$Cj@?6G(;x?g;uxlF z7;-K5X<?ibC7svTFJFHv=S9N6o3|g5rxicSezqh0goF9{@kf6mvD%3t7IE9>LB3~s zgFL(|o4y9Q#UHWpkJAhmi>$l(3fU2fnqLmNG=x$0B<rIzx0WP!1v{CJjZHDwYBI&K zqo4`?^SdK+zYl;+Xy2HJ#O1j`22T5c1aHatGh(?)2_LKax>}*rj0AjrF#x0}ws#8< zda9z(-8;CJ*Y(zmUC=+6H?!XC;x{Pa+MT8fxCK+a&h(w9okGWFvs=Ua6!jl)?LZ-T zi=H%sfrNVwNzn(54Q}bENp&w(Y-5ZkZ2w30X6iI8(DSxjU8nk(emb(0`t5P)6~mx$ z=Jg(A9^VF*-m7X1U@4DC+!Yd5#JfuN1vNVf%Xr#V_~E`)uQxa43Z7AuIxKtKz95N~ zm1OwrTCXb<{=a+wZI{I^(j&^B<XpnCTo^>uLUG0rm1D-}Q(`zMA)+1KN3Texx_58x zaixv|Y2ybavdaZtc0B6*y1ENhy$|2~$E`I~iuglv*Dq!Bmkn|?k{yUu!6~b9ZYDBK zx&tP+@;_WE-nsm`ri^v1-RS}t?Sx&BKP3$pXA+*Tub23HF3IF}UO4@1w8z)t0QJO_ z|Dx+#)Hh+GsItZErF1zDe)06*=+!v*#j~g8m**Y`O52LvbDr2ecJa`n#C-@f$3N#P zfv)*lJNkGY9~SvAOl{j8(F6QRi0Bh=l#sS}+QviIij@#@923&Z(eIIr8G6>z%v6Ti z^z-Pl@8-cp^3RF_aLSAv$4yQ)RK%h-kC6hm(WG-u!4O-KrfoQ2`YEz848GH{8Cg~r zp1S@q*(voNV<bS%X_uBO)18lRnz0xhONFbLKJ4A8V{C&$2`M`;_Qp|-KcSbcY!VrB z#mf74Z`eJn)!XH-H(u^wU<>+19i_84%ghqee?YOL1xP4<;;b*KesSf;=O-jDy)Jg8 z<s?W`|Ki0Qk8@6TxmBi7NJBtA^<TnU4x1~*kM<Qsy5Vs62m(_tkEC815xmDOWfFrW zr7mhX*YqKY0&|q*vzbbxMjU3R^}dq9gkF8jNjHg~<6$MIZbkQlSVwd~L3_u7bRs&{ zbUfFCY!0K&C|Z@%E-8DWATZ_H_HGO!Zki327CyQNaVGAUaenk2s$oYl+ROb}nry^w zb*bwxc-!2FHW7q>?Iy8=#vS!*B1A5{u%-h$+1U5S&hEg}y<j^7iYb`nQc{DWs7==O zjUm`gYkZ8$4dQ@%xx9hI-l{%8$t=LePw5*fGR=BP@5FQa6mYlz17Z&BbcfGoK1Tdf zI<W@;iqqo6d6$$^cBB;x*A>S5nPuWSy^blzsBq-LsA8nb#<K6PDP*_Go(*qX;A-JU z+*aB3rnzNTgHqB_&MCD%d`0(;?<BXn2%vE{>uDzr0=@`Kk*7o>HxXq$CB{{9QIS-6 zHY~rJ%Y+zW_AyNW&tXE>54ge+J{Z4-+C&<QKO^r;?NTM;k29mZv&J2^nHVH6I#qS- zkw?kUQ7y$7;?Wl*(s`OdOa?c7nYKARoMi43Wz95C`K7(Q^g-E$pT+m;p0T^rr)Lq# zj<9|(K;i*AU?1-d!5WDEQjdZq+d-%Z(d|HYG#ZUgFdsw89TrpMp5LKPc6DdG4@?_| z>Bj*aSXZD7jf7PTf57em1F@Ez{&%D&Bn8wt@Z>m`&zv@fK*Avf#cfXM!Z~pXb_`@l z+zwUr#@`im+ZPLlb@)fU5cCWAqBz2ZlX30w>`HZ*%JffR2pw>d#vbab_)?9=WaFA< zPw>u$d6IV9CB{u{kwlYv%E#0&XfkM|5h<i_M7nV939(PLo3oElYINNy9y_EDftoGV zOr`&G(}NTB7#~aBbWftclEO1jY%}kzw=p!2`Bm8|jiSxTd?)d?{l}gQLJV{0USMm= z#<(}KHG&)IIl1u5(A)+@0Fk&UIjZM*Imn}n-pTw)jI-LvkhjRp`C#CSYKI>UnG#Nb z&EFzf(W$RlxWLEB#|t+nBr|{b!yjyhL!5^346`E2EqVdB_#igqH*lexu2O5Ebr?!4 z52|VsawnWH@|M&;yDjTJv<r~Qq($X;R_G;#PCmEQ7=FEMe6F45UHw_`dJYJv2F}AB zaI-$r`jQ;=N&-pYb@J&?Z?^)yM-N6rH29FZqCWZQ8P=bmg~kYcssNwGGOH1Nm9}aC zheb`BDj<Z4ru}+l@c@QR@-*HO6zx|YdMGrC+(ZK76O!;=r6dsIl0&5Wn#w~M%T^0d z_f3iJcCzK1wHkWYECG~@zP`a2ioNUv^c?0?@xJQJ6*1l2V`K0Xj7ii@;o;ZlY<E>H zRV=_m5Yllpl#8dJ%;9Mpp*aG{!9B=$+2T08ZXdpt!HWQ`XPB%Um9C);FJ(|Rgg1ut zDNxc@({*`wUKR8jdlES%1r$pNrJmYtDMnNcwCo~3je9HydPRYPaoL6HT2>}~iWwmc z;eX8ea%uAb>#yOO4#n;p{Gvw%Ms|}<TN%79No~FRI<;uYHl#N>dgV=jq3O2a9{EI# zU{wv?7${9T$opKgf_|KE4HdX(n`yYT7RX{z&;(gmHpa8fSgeOO3nq-Qm8KKT?^!%8 zZ!$5?8Q4=hI!IG{eID-LfAe!->WEQ11F#D$!L(Im6eq9unpF~joC7rP{!<M~?a|F} zoGn$ioXdT63-=lsDNYM<L-y&t)GzR8*vs5eA^=S3j}jHNCnt+`eqMDz#)<vJ@AF_R z-j<cPyBVwg6KtAL9m>~k*1nbB{DB5Ol!I<K*ALQdUt0ZbwW(T;zgSh5<>JnySd{(I zd3fPay)b&V3K(8#&x3^lKn(Q=e`kL#y97N`&(pwDnivrNhMhM{Tj8KUl>>RCqR(`0 z7Cp%xXU1F5-)uK9fbfnA&xqsU_4Lr+69@FgEAP0xGf=hD6cEg)X@V99@+S{0B%O-n z16@M&%RyJT-4-oR7n$j89d|^hCGygoA}}1z?lzS1oT|cf<Veq?Z7sIFYFlCscDU7u z-aB2m!&h0HRF(B>zXV2phj!*QW*#e*pZj6mb-SuNeD=kc1dxh(Iv|*pjq!!_*07u8 z=|>?$w;N>3OVr0A2$mL3e*gYU+uvv^7{na?M#mbJ%zpZqB)$9`BHS5HEW=Zn@Sh4X z+wzuA7~_BaTA^M>Y0(pfgvoZFFDqL|Z{`)!^RbH=6OChr&?DJhR!1Yux@Yo~A9>Me z&f9CFeIZRfN$vk-X>OD?BTVy7wtTEugMwQFOvikCcL@K#&2A6Ti-93}8+{rxN-ith zH2cVD);{W#?@n8lVuD{=n-MZPf;g}u;(L9f=ntkOGmdFZF>!isNk1r-Mw~kn!%8G^ zdQfWjb=hG(8;OG|cKEmUnGPRCGnyJK^mX7Ckw1iqSq%V4K{O11rEjL$=yn8z57CQ! z5CX4F<DP9<7yIqv3i?<mPn%!-;uqPB7MOU?SjRogc#FFGg`yIucjjnH@#kXiM8gsz zquP^?9T_y_${|e)r4l=g@q&(QNlBsNG*rUn={f6+fDan+<B%8=jQFwo2aR}pwR+Hq zR9<;-Om#FbH+Re-B5OXSNFywE!*%?)1T2aX>JBM(Fth_|Zk1|x1T48x!THNn%iG?C ztMltxr&na03b-i<*q2yVcj9mD-zdkJZsmE$212i+M>-UDJBL$fdtR0CV4@0J$Uoq2 z-&WQ@RK<L^%{?3zrJ^qav&z2NvwyRam+z63HD+LiQ+{jkdkh^8B7U)#WflkJo3ZIW zen8Ne1DRSC<@{YW=b`JL8tlo~8!-~ySnGkX5)K0?Wmi%rVs{ZVyOOs^$so;x#*tYA z$z|@rr?7ca_T&XjvR|bH&revz@6hobxlld*?w>gS0B3j|Shhl;-J9kX^Gs!!`GcJP z>}w$9Lt~LI>9^<GM_6O&`#4R#`Am{Jk<)!iVzq|}-&D+;<$Mnv@Wdq}U&YWI%g-u) ze4mqbq7D8SJsT!oP=)Dj^QnJP?Z?Tpe&Eme__x2Ey?*oc+woqfYBjav%S$`6pXx0K z?#%6Pm0DiJiEBOh9M#Dd`_v-MSV!iUG#?Y}cY=3WR_G=uZVmq4#p(bZAsg~=zQ2K8 zUaAm7dQ5xa+_&j)mL&5Ut7tSBH?(r}i;&Y!IvUngdv_bD!4E3@<SAB7hbkfsgX3AZ zoH2}Tv{V{NcY*2fo*d~7N_fbH3f{e=in?h}Dl^Nvr>~bc#i3kg?{P`UF(7BJJKRHR zlL4BW>XweQsJjAg+cr@<&ip)-;HdVdMS}SmjvIvQhlTQ#k`Tn0-_erOY2Jr@Ut@4+ zazbQ~BHT%sE)k1oVo9j{%nvhF*Tc6lH6g{IazS`1Y7G-RW>$M(ZbNHLo@5l#XMX;_ zJ)GzJPUij#b}?|V(sXE`@tVpGJnlphflA2XxXp)9@}WM~zHuMUBw)o2#UqB0fCAPM zP89gFmuBD(W>!{DuK+uWG3>rs?N7ZoFlUcU4@`xfXw#f-kY8D8caqzzS+>|2E_xF^ ze&J)Kl=%A<9w$<!552-DdTUCyDC9(((&Yk;g(7JexAg`GD&W&0o*DpRpQL}*!?=Dd z1!BC3d0r~7(DxLS-DP;?(8oP(>+z5MAbVwULM?ae^_}mG(ww6$9YlD5j}k8%JDHO& zS7N3Qc@NFs`6~#jqi0y<&N-$Y!QP-XARil^4@E&L5EtAhaZ*WlFooeJQ>yQaSqzTQ z#$f))J(f*xM6-du?2=>S-#4Pa0P?JTw++z<SxW0ljz$`6r1J6kp3;HCt%c|ffyPev z6+wZIoQ9p;(a5|1C>9H#<y5owwijlvfKFi_3k-U_`_HIX#DEHziJ!vIjE6j(n9BV% zqk8A2UQ*@ANW!5x+lfrXW6Gxxa5QM`NhkpYf_JK{hc~l2Gz+^&kzv*r=wEHZ4*q&y zY7?`pnfU0u$ezug{;&y~qetj8yFrm1u^FQjI)%^aXtHbcRU5Om*A+rczYS(Sk2{Qd z$BaAhI$k@oOF;<~#*=wp_baTlnB7dmC51TxywX>LIAjCH)oHLz18@nr+ZlPtTcw4~ zHnH4ob)L<nEyPdQ?Q4^i5djUlky(DwXzW{yZJ#r}fZq@WBy~7hbGVR~uSGp4w1g&< z4hG*tlCAuw)-pI2?Il+*i#YN}TJT91|1*|jreBI!rQ&Gt_C!*%PPT6ESn|a*H_cD7 zWOUB51M(soi<kDz=1>^)LxkPjb(L?}q@+o7PA+Q_YgBu*eM#v&7;MwA!>l7Q{9R>= zi{U!VM?<eNtW%hIzsAgl@~UAP_n`Pp-)xH&26kms+FObJ)@eHL+66mE1X@t!p4){n z3`BU@tbow~#tm`P%sWW}IxPl3uOUgNMYjP2_&NT5N=e1Bb({&Db`L?y6s644;XuZl zgd>*4<R=7YPt56(-oAJX)B=|)->k44Q<Z7|<K-$crbNp*ojpU>Yj-Ir<yx_BmOHqV zwn=&-_+yXTT2pCjfbWyuKw#kiILNa>APSjGJ_6X}^q_1=T7_m6x&mnTMdE+*>iz3? zA5IPj$o@ZU-tKakX)i<PX7i&wfb_>k#RMp&7lhfQ<GDK@>+fH_fAjjyZ(m59zKKm_ zLvy%uGPIvi_Q0^_XcQ|=7Ph<PA)?LfSNeM6&Z2!}_A9ku3uwOu%VNDuQ9YCWE+icn zl&h4U9yNZXUxOwo+acWoDn=kFI(Y;pl<-{~wP`Li0^D<<jXwnk9`l7r!+Pj#B3>1+ zHimMS$~k^7>4@==0mUt8Pws2v<}Xek&?z^&FwMelY#_LUhBArV&4-v&^MK%z-6=$) zlowThS70q=pBuQBclYHV2e;gmtGk~n`<zoh+JOnpi*uYBkKO(*!?7QE=x8#tj4i!j zvCCrTI6_b3;&nO@PuPDPejD7P*inatnkWK9MoO^e&~||2TlTz1_qK>Nx6KSo49qZ3 z&R>s7H8|AUaKn*)flc<zFVXKqHVOI?BN3>BYwAWUJFKn94d-=NaC*TS4PW<}83w8x zFeoRI{&!j{6qtXcCE@S2B7B+!VZU;7kLBP#tHA>;276*%_D@ZaN|2-Mka&FhEJI(g z`*g37-c_M}TCMp>TGz?Y<|I?p{A1LZ{|tR)QLJwY<bZHn_oul2O|>X7ca-F<)-hyd zr%L9`xa`2phIXA-K=&(?fy&)R&c4V`d1p#gV<fxOJHl#f8;Yr|P0|H~!Ql>^;MxKk z3p6iN>X>sObA3ZpIgZ7NIiHLv?l$Y{b-gNE#3pu(bw~~efa&l`tfot88bBOCEfQun zqF`YbGOMn}Jn=Reps#N9^0u16M~`!o2oZhZ&Ezc5Y6At<r$9P7dYnr)1D3WD=D+Cw z7J$DR0BEWXz(amjUtU#C3z5v9UN0YrTyGl6RoFG0<+~qFiEpZEs`Ad51EEEw@w)Qj z7iq?DUYLSvj#i%e<s8Gb&npw7t&nSM{YzE6gKeyKPuHBmEOn*{+)PQjZl-m9$BDVo z|93v|b}D+!y+B+W^=$nAF)H%NP{3+A@)aT9RIBa9ZsqUT8e{{!MH1(>U6tghXD%1k zs_XO#NM4&CHji^0Z340na#6smOgi`tMVk&#K|iK(GE6^acGJj$;-IG}9k(MxA@>*Z z7W>L|*iyRbygkvV4nN(+<wct)Q=>9hYMQkPZ1M73*al`Rq)mAFcqh?`eM~th-+uM> zMdrC2QG?u`eni_j?YfP7kgH}ql^#&6Kon<aV=%e>?7hB#W2byh{KT59#1mDo;x*c- z5P`bP`N32A^1kyt!={Gj+Yn5S9dfv<@)eE94H@suWh2Elh!ps~jBw5Iv|fbuD{>Az znRL$iP++@;Xk)YPi9BgPhd*8wY+$A}LOE+)O6IyXK4PeAzBi|S<U6K(p9fqPhZBN( z9h}~gladZ*v=&tHvE4(F5QC&#V?pDYDGzw0v8G$6T)=W@{E%afI;l94kFBwAE;~85 zvLwi3_V>x(0LW<m$E*?|`;9wmQn(*csfe7ztjsrI{mEZt&wXNXgLm_0oIT0B`jXi! zd*<_j2v=35AJ1^BZvy__1M%<SSP_UnkK>spC7!6K79i8<q(|@h@*w-ndM$Olr`AuD zeGXwM&t9Bic#H_G{x0s31~d|B^zi|R?f-;wmmPnsDVY4`0XAw(!s1+KL2N=gMv)C% zMK8aZiy3CBvplBUE%%|gLT<sO)3L_g@oa{FVNIFwnePu*3?$R^`7h3_ImUcx1PG+| z*_hJZ9zBc%+$WIXArzEu4<rgxJ#a7R1bQ1KtSl>)3~=bYBXZ$Gm%tEo?sQdK@>4TX zpdgo~r@op{CAcy0;)h=c`kPj#asC!Pl2w_fqCiv*IE5}r$8nmq#}Xy)GX6MC^qYqJ zT~NXX@~xIg0fY3CDd^XeJ!#%EcVzlgc^7bi{UWQRPEA9(rxGvnH6UB`_+TRc3(Ygz zRF&RNAt>L<;09{u<$Dz8bV>yZQa-12x(zvk+iQw4LYaxGnHgzhDcob@zRA`g%}Ajm z4hJv+uOLM-3sT>p9LS$)HWm2(nk$}Wv>5nq4meHT3CK;z3QcjL>=FQNC}t*=%7en3 zZc30!&rR?iFhPb7!F;;aYBdz0d0`?jXiPgIiPqkhAuOr-h=HK6c?yb&7$imt9f*jE zIm%t*VcAS(S`$DfZ5|bnW&!WE9u?~>Hk1q3VxA-eHQO8ILKwS@KNP27%KmW`?`8F| z*tMiT#zEI02ZS}Oy&feNc`L4(&Z~7DPRHyT8C&gFOlhWE!+m2mK^!Pzk7boGBwS>C z_mjEcy~!ZGihU^1G6M5CRmPJ8S94Fwy`ip#0)Wf*&ZQ}(G62XA7F<sCN2O(wZb#HH z*C%-7O-h9WUR(~QF7SeSpy606w0ZzFSJTKfq^X^YddF2>uf1XY`|D1Ip_%kX*z7K* zuS)er&LnNafw1UKQdeDg<_U2a!8)(2&jOh;{R(j8t5wQAR`*vI$E90|*`E?7DZL1r zhb(FEP_r|u@2<)vT$4DA+5@jz*%2(PIB+Z8o9N2;9%|uP5Jn~L&i=|N;=gF(MoHyE zx6lf_^(NZcfmf9tkXRAyvnfe;W_PMD;jOUx>%kL^@_E@^x4U7}#!(8;<&u0Z$jvEv z%HG!ML`I)}*oq^(@4PLu6Elr=AsxK9dB9fctV>w5NJZPHat_<Kw(LEHM2{oE#=uc$ z=M_Am@WAXg_Hq3z0SeQlu~)y;Jhh%dqNNqI`E}HHICD#A8B@!VBG-u%3ye_rBye#d z-@}1*)>`Sv>-aWh1~v9d|D4FRtgTjLrwvYj(14jRUIsC@Mhc7FmkzRb(gydohcl$~ z6x3a_UwFBe)%or+AAM)ObOs^?I@FDzN0F)F%V1}~7R`)lopWn*>^VIT@O%O?M=Mdm z8Bugt+L|}y0EVAqTs?p4L`rn?x)}2C!n=aLzX{(R;|8NVx2!e%Fy#&N0OuR_74iop zuPA!z{Li~)Xb@cG;1H?M>^we2b&?^$;dCN!yf7!<M<;NtNuJaccKd;@82hQ7o+;I( zp+qgR{DguU)t|rsql}KZWAcm1DgHY@`B41s?N`TVlk9(IPn)0p>}Qkge^AbapZzRm zB`Gn(1*Z(r>JPmFMpLy8pMARP=F7&G_rsoOz_^Ej^6RVNe~p1p5A8Z63WrE40bA@8 zJ6cZ{F=uoch+kD-`3br9%cHEh^EwP1=rl8O#L?3!p4p;0diIcDK*Rl+?(yk*BPNM> zavB~~H>EU#ve$Lj{M=)z{uI%^tuGNoDBELUR$Dv%erp7#H;&44<JEPBHg|Y`Y<4Un z_o!0q#ZX|yT5H}y?`{Rnln&mgl%l{1snWqD5nt6HHA}rOTf7-rN2z~mo&!MkIb~;Z z_vXL7ez(&gz)JQMMz#f!RY7hPKuefb2(@*8e`7LHVM+=#6VVV>!_c6Wvn3H%Osk@# zQXrqu>7hC3!PUH{Sv{}jQ(gX9&CowV%pS_6^*U8sFEu>!%X=)$qW`$3uC%Hwon`s! zo(<FFY(REwHc=}ex9}D5qKFj8NjOM?a)g7J$rNV5o)$K#SKdviU)kDeqn>G!TAsMA z?_Z&*Lg*p(xt1Qdj=IYi#>J<}GX<Z^MO&W(PGg3$e_ZA3g9U72v!3aB&kUalXKBaz z`wL?a*zOeR5?&ukSX42~q+qjUv3-&k@|w2&<18T&z=JOs#^GfSX;9HKo+Nz#OkJs9 zUa+X&+0ZCT;Yd{=ur-=QB~hHD#G<j0bD?4dNRlHh3U=JuBMK`TxHQv7z+To%%EN)o zpsW1SH!A3oAl@$}jbzTMs*Cj*4%4xX9IlO|=L}#kt_J$^FHvGP(@y9jdPDeI5@w&F zrA*@YQ^XNli@P$lqtrQw0nT5x&s306t8V5bwaH+p0ftqt6G}uoYy6(>TtcqK2TfXf zaslb%i}R-G^T~@8+x`hzVsy-?JDJ&~q@!G#ZTMxjrCXei3?F5zR>BIJR6&V0Ai>V) z6Ed6dnK|Tv6fYx+Lbc^RWOGxSwclzJ`JJX9;ZNc$$z>R%#SLH~%;d=6;qVdT4;`)u z=(NIw@Z|BDr##x3+Nk8!Ht7H?sbNKOaRu+at6<~P8j0oAkyg76I?4T?`A`8_^gG&{ zV-?54EO{Iq%Okssw*?}OAo9`w87Z5aaV+Orqom!cKcaHJWd%JA%_`;sp6#&Q08B7U zb%4`I`2-KtE4AB7cOT@|8o6BPW-GLhAEONd#I~nTCy39!1Gf3mJy<g39(*i8xeueF zw@|jgg?~KqKcn?I5_2^E7u3ifuIlqcb|U!~zykBsbyvU>90~y?#-j@?DlXj7Ksv8C z+M2?@%7ni<{`%#2-+qt@NApe0>sy%D(D?D#Cld4N4NA0(QAI@ECs=z#AG$&X^Ms@6 ziX<Wsv`C|a2Df~yZCAEW{7^CzA4;?*_{s|RuGV^Ji!r0rY$O1$uRlTcS7<^D8lR4F zU&d#)_+AX!7LTC@0ZI`A0!XNmYWioGh;4<vwRSNEo;Hige#K>Erks{;xR4A@JJAgW zojgbf(e2K=J~%ovck&BB{0Q8D$`uE72BSu=1g(51cfNz<rjWx2Q+;Sd8erBZA7x{@ z*8`z<3_U?1X>%UFi;w8qFi9YyE2l?C$s_D#QYGF?Cel?~9$a`tR^dwBN&;zy#CvD0 zv}REAdc5b}B{_1T96|<NvdDL~A^n1%Q^HWEJUz&Wp7YzQlnJ^yY*>$4NN?eSQ!2Li zlpIUxZ`Rj}o(w(jB;c2L4%^C|m4RY?O8joTONfgCCK-u~4^)D}$Sh2%3GADXo9=nF z{)mUt*4?5>R#3OgPu0CP3W*WWV#QB0IUY?C3Srb(R$D^VRD@`_*{4ZF9?q4fe`Iol z-;Y)}>EW;WoH5b`cTV2D(-&Wy?djuhK)T^QK_&jiuJp$8gcAKj7pSCd@nL(rZ`U3$ zMSJ%5PBO$uM2ThD-qxvv5eKXmZ-LCAi$444b=ea%$vnaQFGf*=#g75XGJCn*uHuYU z2bon7%(GWkt3{TbZPm_@98LjxpCNnEmh4NM0CV`J>TxEv*@8@g=aqHtZ=znX;xX%Q z=5{4xcZ<_RTbSICrhfDGcgF*9fG`Yp8V<iEKE2!SO*)wBvp<vLSaxE3Pcz<uds;pC z#u3PUT&VsTj-(H%oNN(y00bxD!lZ5>(m&pUI0xTgHXrpNU^9JaX*E4q@DZM~1>{>% zObcUem$?Lvn!yZBFL{9k&iwez%inx^Tzq$O{JuDO{oz<SUMB#|Z94(u*;+z^K|Nrt zBoE4Nn{Z8W(tX*phgU^Xzk1rru8Uq@a=A{%W=I?JyqZWg`B>NiW?*<j^Ln%0^_}Ah z{>YW#O?-`(J4rjtPJE)x&PL5@IqUknRW-^i3A6k{Rc%y04R#W3O>i;~oN~_(%fCu^ zgg$x&2S@Qw-1>ScX}sE;N*_NtLJ*K_5>dAaPk<OKYjnK|HPK}6Xg}rSX{a#Q(c1J? z#C+iFqKw?>ObZ9u_flVGLG~MV*u>N^PE{ZFN&3a%ureujFVrqH<Ai%fYA&xYH)z3f zV>ABTRy1bYtcK?jh<NYOI^?ax7m$qCg-4X_j?-}jzO`7j(A*<BASq;cF_<SQm=fO- zt90Bno7r-=#nIq55r~{EfXCx9$bKdba(jVqnaFJhGQ%Ja;I~?NGU8E21MVsWG`dOz zq!oqy;3G(Vtp`(hyYvs;D{Q_$<4E$7VYfYrUhpT0ocf0^7eboqOGuzCvAZvqpCx@J z*%6D4yH-p(m>!wVE=+=iGR7k%Lv>U_2K#P7;;h>F`||b`{r!&qo?2%K8IZ}MLEj(= z$+$JIq4%}`8EC0+kmR767ss3B`)ctO=3Be)h@>>#<DD6}ZeXDrEPjWI%A9+j{@YnL z6G*2&JDa#aetxFMa$WyDd-j}sIX6vac8c~8O(lbKFrQt3lv7>j4%`gDsq5F5ms9kG zg<S%6bG@P$1`v9;=*6KWAN_k>*T7g`u!0`Cd%FS<407jBKR$c@#g{+(`7d5hGyD5* z(zP6@Dkm+=C2H)w%p394VQ`Rwc)EHPn;MM>f3b-TUx0K!jnluur_Mc^Q&aB4uN>j- z30c8BEC53GMP`+vwP@L71MLNH4e<W#Rx9$Z@Qal5TqMDa=qAp`KRkt{Ji|0Z0ccDj zPt};YTTStdRKJG>2c(73je(6~XTbm%3Jg;7s>#^OgjS67{P-7Rj6&W9wwc}}vRWGR zKu8iXdmnDq#WqJ(_X%0TUcb#5TwJ=-JDY%y3lJ&fKX524$=FroN3PQaBGE`Tp&+e+ z!Xw@o@)-aSMl5tnQO}&!7kO#c@Q;{Y{<gy4uxj=zi~}KVQRi=C<)4INQ1VUky*13C z*8JFs<l}eWy+8i;^=}SY;WgFYeEaePezUy;s`AD2g3s=Y=ff@IZ)}P!m9)laiVyv! zU%mYBk~H{%jO0Kve*dIM@&Br~UsK9;y<IU0Hzm6e|9>K588ITkNeVMe(Xh#kuO<-` zafbt$prkkjXJA52!53VSjFLJ%KO^0NO$?gkJ-F$!v!JNYjN(EE-fydqbHS51HBo;M zz!%TYCi)P<vLNQ?94_GXo+W*Dlsz{$<biDRK9*N?pKZGB_2s7mF=^Q5J1qZ~Pnd@m ztVZk+<Q#%2H7|c+8l84CCXw~y{M{eFNN>M_V}3QXFX2CoYEic5X-?SIqZ&A2%9Fb# zdmb^9E^_9FA8?sNIR=H^ZGB6iq!!tm_%G1$=4kCZg#S_YQ?u<;gglvuO9!nlBz8Y} zxlc72%0HS6ZPV;d>ZrkQT3vkRb((inaoPW@MF%7cUuduS76|NO1tNX+uD{YrmAhO; zXgUh}Qf12|6}#?}v1)~q0$8#N>~DW(3kdK><adC)K~acNLWTc`YQQgcM@A{-ZXeMf zYu^3@jfB@1O=uj$8;B@z^sJgn2!%>LDx_AMI1iS5dd4O&F@$-<*ci0+1z^)2?r`XR zVwP%h1x+a?(8~g349jTkpJ?AAo^W90cSHHk>RowTh%6aagb>vVntG|;%5`-oQ??tf zS&X0pn7^li7qt;byhbRFgn<lNcD+cx9ihy6&o%efJ6JbiP$-n--JXmaHFA4x^9d%M z1Pq-j9f`{XQ!L5TD?1ok)ZlavDExsG2Bb$opBkDNB|=)D>mB-mQi)d1mArJ$w+U$L za<fB9#}%5EJI=aO36+qj)}c*v+alQ@gIk$gTB2k(-|Fdr=fy+w0aEWwUCd!EggVb{ zgNJ1HHBhv8?G2Gc9HW$q6<6V`Q1l^*;<g&Ml@QYn$Sp6@ui4<?l41m>6)Q#(IwkAj zz(-}`O6+w=WF82Yz+O_&_s-U`>zm!;D!anOVSK5iCb3fj-d<4@PGV>e9Sp)JrlEG; z5jl!Ci#?e*Z9998F4e<!4k(TCCJ@l;A(tjv?*8zIR#MM-&k@H&>bR<@nz*kRumA?V z4NuA&=g;QR(4=~ipD5gQc~k5NetRjvrIJ@-YZLMn`4<LpYx{^f{<y%kJyUjNOGC1c z@oR~?rTAl_*i<bq{7L0p+&4+J!CxVrBX`dA7SQ{?jUHT@|FkA}qJhfM>a6$-UMTb; zMvgvqsE#qB$rx#5-j>VkNBsClmo8m#Z-AZ}+p)BZ5M!U(4hNRHI~&vIJ>jT^Yiru5 z*Fjb;7R_$M%9!zdEP2=JP3YV)Jk}A}LoTa+ak~s2;8bE2a*j?#$Hp&p5DyzQ)-*B6 z5(cNGvq^C!&ViGB&t9@}n36?t|8X*D9f-G%iHusTiS+(^7aOn1t=Eq<<tBm0<%T&} z5LR^JUsf{&%mMXuQ$!|!^|GtV=L=MBEzw<^B7DX1R$^Q)SH1IgAr!}dF`GWQ!35ik z<7}8|_|=gaKenXt^*ZtdkeI5`)RfcCV%J7)<F1`A?dczzC3LIw9)7dEdmOV+-psI* z&Vw~j2NR)Kq4Rx31Ur&F!w&=v{)2k$p^=LfFsmV<WSh)lMQ&QF-BRiH_Zz#MF((D9 z>3RZYgl+r-Hmv|*j%L$(0dK}9@y;<jsP-+2t-?%`$WUK(5$0vIPZ|Kz0~}e)`KcRE zRb~K2{+<?F?Gbqg`#UZ$&kk$S(7V}B<VJwDFSch~6Czlx?TE@6;3w#!RJUQC%t!oS zdwwz}#~;3X_u=i^Z%>MoKb{mw_=^w6ufBQn`oF$ACeOF>c1$Wo;FJliM1L3}6AV3o zcg7)-j108L1?G(%a8GQj%N^#Ctv+rsTp0-}-C+y?^C0*cSk@)y3nE|~%+k%h5wIp$ zM+WZAqRKr`xV?SVVj8NxjhO+jt#OF-=YlUMN1pxa=!^NY`Ikh@@b~BQXOuUCO(2<! zG}l@qn1Bf}NKVUY^^D@a+?m+t{9?CRP*SidnkS5-=|zU0<E&0yI%_<8el5<pAcb;^ z-SkQ=%#aBtM@<*6zkg3YFyY3)AlOb^TzZ(p%`_`)F2x1q5)`6|y3Dqs;Flbm=G6^p z^57p3ML*B-kz~_DMW0>PWMWsHO8tz#Gj&ZTeh#qg>-r<gPE^Snh3Jf03I9fbe$42- zgwLp89QD%QN=gg#V`H(kf#bj{xw=z%htX2vu?;zw@gs1Qdx8I+%*BO9u6W^3-$s*? z>IoBHQB^l_v7iiF=cpl)RbW`;BS*E6qjOem<Ya7^v6pEI>(IkxT3pE}oe4Dq-~<kZ z=9Yqu;O0mTInn}C5UkH0k=xL@4YpjmxYX4h+fyiYaG6Qv%xI?=0tVH|Ad-@h>bbd2 z1nQz$(XO=FO}*emH03<|hQ&8pFdUUxlx)(vyyMVPPQlH$mY`vvGsi+_sJ=rOK}PL8 z3+E6|$;l1-#1Xs%sA}buljWA}nW8U`&=Bs0IaAP5EE`}CmEUMQSi8x9BK4B0MP!nY zp_^lJS;WW6f@>=}iG}QrAY%e0rZkyVb%93-RCS5j-l{taiM=T66>b#*_4bGNaL*pi zvtvAZAWi@VPbR$|hD7sDb{M|9v;%4{4Sa|d7RkcNmW+pNQmo55x0N`0sADFmq&?$# z|9Mw+=IWaW&s%sZFRfQ>He+bS-F&@MvoKn)Y`JXPwr$(CZQHhO+qR8w*|u%#?zk`A zC!+iOh8Y!AH7hd*jpS3?h)8#EyY=>kvg52!5c&Cr_Ty>JKI}+tBXetol=tp60L6AJ z<sQLoOti>A0f^{Y`UXZbfP#?LYPXK6$EWe5ROP&c_f|{p7Fp0vp+sz4-=A>5^o!V~ z%8;7~Ma;;m=vC;m6x~*E+AP}f%D)fI8*!MlP|7nNn@j;_{XrNuR8kYR&bRwW=KuU> zQj(++_)|3D@S;Ye0LI-{R-CMo_na*Dp{33<skMxqy;J@&9}iqm`=YhPyV#MqpCzG( z_8wLD6FQKp)*U2Cowipt8{1Aj-5{P$SVOQU{$#=s-_r8sI$vEUwi;E!hnb<^Cr4-D z)mZB)8IwgDh(Lk!4cgfL{LXV=kR{b(0-fkD!24~PId%@!j=2~^5A(T2wqa=*??Jdz zj9NcEhgfdU0Sm+M-YTovh5@G!>=}kpV^sMX%d7gV?I~kbrQuN&%e1A`_fD1|DA0)G z_qV&N3~D!AgqqJN%KFk!6yV6a%bewJ=IGK-+gn(gAyCUZwaNJaIiaGWPRxRSm=}PZ zr^9Hg>}*#ram_nNISZN53wkMMwBC6@v+ibCs&27e&L$xRxQ?Vb4ysX7_f;g3qT^w{ z9-09y+bYvO9UDw*WgRqTpJ`<IL$q9Z#;4$J)Q8|m;bH*20E5^A7j*9%PV*%0xN}!f zW!*#1KS3?Ge&_Bf`1(H9JX85pDFo-%9@D_nW=2dt`#OOL>=^<9ZI;9f%eZn`b7YZ` zK>refn%Abn=Hh3A;=y~XFxVHc5!}Oj9ThUDxV;`ha9nP)&>zQ>uiHn!u4L@}XrW;S z0(1wjn>6)i>(2&sW7kZ>Bk1=aX)FMhh<LjXnQrgU&VmQ;9yCeWNiD^>=@h~=NDK{5 z-44l{>b<jvZ)?sSPsitvF#zpM*Iw0Au~nFS3Z@0$60b6!E$R!jX)_;(W8S!$!?HJ} zC-(%B9dMB7a_hj1H5BhjqJxOQDM<pFV(+U>%g0p3J8DJ2L>+L-<0bgn>le@o0*vAi zlJ;;|3YT5nx1Xf_U$3V+#9}9MJLq0)gE8G{VlT0hS-=7n)lTEJzt$gF!?#TAxb7lV ziRfZ?xgWpK528j#faCxp1@K&Q;2<TDsUOKm1;|&?9@$Dc(t|EBz=fkUt}eFWD17Hq zI4Re!c1}{eQprwY-dq}6Z_@0$fl3t9HppG6E(MtdbdkcZdwG<rY~})Ueh`K)a5-Vw zU0Hgm7{?z%fy6*5B6uXD)Vey_W!rkGxO=N3pyp0DsDpypLzK*k>fYlGI}4~1yzH#R z@HpNFpXJ{5x_$76OOy~LeTcd{!LK=Q(+p!woL)IkZO1!@G-yVEb&dFstT5#+`xZbU z_sIw)6HE9pOp$SV0NvonOT7s0Lhbjel<qi*K^E`&HoHi)bwR)J7k5E-O$@>qceK6P zRrl`)1%eqV;m;Yx&~+)LRNquWtt4qk*0PCIXtYN-zEr3jI+Ec>IFBmD_*`Vy40U@d z(S<w)Cf&|Iwh0#NtFU_jxLwM|RK%$UKs+)@Jq^ui)?QF`(s7$G@H(=ZDhzhKHxXnO znAcPSrDhc$B}ES93E+#?by%otj8KvDg>L0!rZSvJRSOt34N64!@Tc;Xl-T@EaBbYQ z4egFe!6Kb0C03OINy|mlb5ZP#;NlXOPvC^ZpsqGrt}}_+gm>Cv0Mxb5fxTB`pPy?I zMomje$O?986b|}Wq{^Q#eQhmZ&W;bs#?nWfoMJh|675R2*s@C#(BgHgSI<yIGmJ7B zjk<YiBj&0BabzeAcN*9I>m9~|kD~?pOs;!@$BS((AFkS7WC}jas&^uV&L=fCXI__O zuR^m9&NiBvAGuA9F}a1qRta_TT>~F|P(QeXhl_M#6+8f3%ZD=B#gEO-h#%dbRe=&U z(Ug7<fjhWEu$0Q#W3eTB=7Vm49go^sm^JaLZxacRiGWBaHBCJjYmEjj19X5cdU^x| z$m-Rtn-bx9#gWt6S*%Bs8==^4Md5a3gzly@o0MXdz7;ol+MphS9z@B1&Fd;)<&I-l z%{U!*d5&p#4yK&+Lb)`l=YS$Oq3^xU&J)TnOIN}-3jc|`3Ik*vLcU{FYauvYGptoA zT_li5{=>kW2O0?l6wy(4*t?ne@wQ~+r?o%r&otlSuEEK1?CSkOF$v6qz_$gB&$FK- zn;>La&sh|r^)g!Aigr41ES7JozaFONwf;8`{^cr(2c*18n_vansubhxYJP&7&ulod z(KsqA0vO$#hWiw^WZZ#-Y(yR<N?+$~V|fZw17W>ZNfY~PLRbBZU|VSf(G1n-`PxcJ z+*TtHqk|a5tyf%)G(d;d>{AtV(A<zI-R=RI(ZMaAyiJ&6Te(P&x2oG--8FnBpN~IZ zpRonOW(bD=z12+L=kv<~iY$-^ywuml?c?`i@A}98XMhdptZ`4veTd7u^T~F6F8o}` z$P2TZK4QOk$JqmfW^wE@j0=u@oiVsRGF^M~#6XgAA^lJpA7NVX>xLEsUWQ}6j3@}f zqIQ5tQFsqU0(ex}@#BSvKb<qMxfl=(?E;Qc=fW@OpwsCo&+m)d5livY+l{Rtro9kw z+uv~J(7K>ye+8@-4|hwfR|LFX#0)c*dp*K%3hia|={3Ssa{pDq_a8RI8skk2!?y<3 zAXIz-w_quco&kWPTDPRM=*PHQTat97i8+QBHY7@+DPrX@??IW+2$Y9D9uAK}u}*67 zF`d?mrF>8+)T|Z|D|L}n`=66|J^gL_`L!edZF;;7Yp6K5)*U^nqWgWveqF;#R=Y+9 zu%vx7eLo|2)dIj~fJfwoS`<)zeNh1mb%nv;2xCJ}(2JT%oHE5p?<H~pHvc!Q(F(Cz z!+P}hg%wt+PLQ;i(p&%8FEeQQ*$-<a1!W-935$SPM9P!crELCbegH1SKw;X>W><{f zR{Bg$DCA3V#!id*$qAKQvois~H7)g3Z0Ptey$^P6*2=C7ehg;L%Y@P=FzQS7Csr?x zUFD{&@ah2ELV5}%C;H0(FWf=mtI0TfcF!+8-KD5(G=r#6V({Mf&SPu{>QmclHUNr! z&wCQLXpaJ?3Ty#glyFDDlSo{7SmQt0j<F{zU?XJ&b{u5SAKN4bk|GHl6ux*Le#8@t zK$9C#=*bUO{{6wh{Qi%HLHwtCp7-4h^X^-c742EX%`y5fi|@ObfPSVyrs6f+=A7@& z*#G!8#}nK7@go_fKmaznfc5|hE{r!@>r*w!`P+bH{v{sQmahkPQ<QE-_H^imC)RE! z*0bAIXzRKsbtE;&&izAOkk*fmCYU3pW$rVYZaMDinszsbrf&C`AAE8#5{I>GQ?^$G z7t3uH_UqGmk?p^$<(gNIO=Bg9=-O~JzPI)ZTgV%EYxdx5<Q4wb|45kEi*0=FH#FGH zm(cxpSp%|7y(Re!+?;={#Zf10OL-qbL(yEGCZBp(kv`uD+=_B>f-fG5(QHZOIEV9E zyPXjMC?Ce3M!g~to|FMR(GH51r>98=E8{ur;=l+$yqm<6y-@w&8<39Q=&S`25ZP01 zp(aiaJU8&weuy3!ScpYcO&GYfAG^04eW2Jj!JniOp-t3x3)ulDGXEJ?uDUzy1tAwe zs)ehY8FoPVlEeCduEYm_*<4Ew)hlub$W@3j2GEiiLpQ|ed_!Ww<=tppx3gw1+4trU zmhCs$c0H5_`Yl~&#B7ku(A1|xM&ELf7oSUJ6PSNyX~+|p!S<l=AMm!X#dB<ofhjtE z5O8?CHv5pMpR@W_C-LE!{3Qz#R|Zvk>eV-Rf%}bi89tW!Afb4ky6A^=ZU;=Vsb(Fh zQE7$c@jr+WYqzJESczTF*i$WwESE$WSX%|;4RpZiln@2)4s?K{lj!yDQ{X0TtWSNT z>fa$3_<Z~uRmzyUU)=RCi7k2oJ{-T5P!?spc+IRS36mQzUu$jsPk0aS9!r0~O_Ff? z*a-CxEgQv@j!=q_G@Meqi9mAk0M``x*#*BM^)u?q=2<LCv3kyfzb3tj%2BZ{0nk`f zEuD_ls>!XUi#K_g1|zh1W{^j=69iQ!00;0Q|EK6Q5#0V9P7meo_x<aLy`R3%_hTnp zeGjLfzCoxA(_ruS;D>S^so~TE@YB_TIW`s+?!P2^j#ou>A45q@(Ume%&+%nWBn^YJ zREtj~;t#n!5Ra^n?sB)_zP&wlLoc78?TMxCd2(-OX2W%0+q@y{(P+Gevd=a*I(3;I z>4UOUNEM?1r6oZ!*SUp@g&$a@D{j$sLMFM{TTnV?!jb(w`~Xb8AA@BATzk`Z2?Nco zs%o}gij&S@V$%r^g*-f?@ma;p-YULFXr=)Aq#{k$Y0n1B*JH@KUB%RMrUSUlkZH3I zGWAaV6wO|9!yo|hu^vu^m`X_}vp`CQs&g=Ai5v><NiN0tx^mo+fx)_KG}m0|Vik-A z%EGV13rtnVd|wvOEpQ;(VaQ_7krWAe;sD9nu=qB0myOcOqESgg+^|$WX*=JP3q@Jq z(S+!RT#7i5qrf1GR8HT)2TZ%GZNr7Nr>V9L+b8pp+t~4rW*B%<*mr`WzU>_ly=sr8 zx_x)1nEJK_vj{la&ua%{n9o523tt&B!qI_^`GV<T=FLm=lm0&MufQsz7;*jz&m-zz z^QL@<V2XFR0}HW-Ii2@FzBZe?d}UF^krNE8JU(wmW!H=qcJDRf?!o^E1mxRb_H>t= zS>xI!a#5;qCKi?KWRTtrhKB+C?MK-ZcjDkC-RpVnLrlL(uHhy+#>yCG3v+aCCBlg$ zj!)uz3!x|P%&-zoCyOFOi_=-3y04U{DIMRSjSFyS=@A9*zpLi2aqQ7fTZwFFy;2Hy zk>7Zfvb9;6Gw@qwV3hM|wgpz^*>JqtFc*E>D;gnH(C^%;6jU{VYoD!K@%nk+j$|ts zX5;pJJ%2|r%t3(2*+<q)mgVuzUDeOnl2UY1T@5dn&@iS<x;VWikb;slkraYOntAM{ zmZATISD#Q?(DnQxf>`P}ZV{=>7phS?8Uj#&rNPZZ7nD^7E#V?^+mC$4vOj^LQu}}R z_zAYyKVJG3sG2KpSt1Km@vr#eXyM7Twq~ZbZ%xg<$R-KyMJyRSOQAzl8H_w9dcxBS zfWW^`37eSs1xHI#4-X@j{v_n21`TPeiDnI%qO@g#@uF?tf%R=Ef)M;C#rFVT#u^<J z5Q5^SZf{xpuk;DQhYAVzoblVCQD7n~<DEJ~K7aQOvs*Hsxz6dyos-0HDEwgNr8<f- zyqlpPC1S+9fUh@+lSY`cvP+M9TwzS`;nCwKa&pu-zxg=<@P7J;Gn$@mtGX)H#OHX$ z#K}(dDdKCSG=Y0~DG6<F%M#&h{`zuZ6w?bW#j!d$U)|+|r$tRf`&k{aTK(EtQ&Xo1 zUMG5kWQ=2RMB|y}HNV=6W`Lcj%x27KWT2Q4!~Wq_GMv($G>2X|E&}g6hRimN9GzWW z-nFR)(jRD)#ks(k;mivW3BMC5IC~h+M2+b&t1nj(y}@Szl=hQ6hEbYi6u_o$5l)In zrMRAeW{-g}y-|)N;3}#@PZlhZGC@v!Ndt$b#I3TYvTC448T}DkT(=8qv4teaRgVO| z)k?ZDjf|43=ZdYk+u*oKUgecI#Go++SY&*sZ1-?VgY?;>ViD~}a{nBJ4>va+f4(v( zzd(lA{CBnea%wg97U1(b<EG^r=5W>{BA*8lf73N3tMJLJEMOpu6;t|yFK~Yc;rVVv zgi7_WJf<bQX~`qv=Z>&_T>qZwYD|XGt<15T_C7mjDz4I{!~mm|QMnIs8c-5T&<U^p ztL&j1CyVHvSG=~|nZ9pZUk$Egy<M0l^-S`vuNI3(e$^({Ny4J-c5ZZIn+4lvi?z3{ zD>O#LlZAaPz8N6)JAOipM3<~W(V|96eI+>El^Eg-eKXRMH3>j<@LeQ8hAfQE6y!|r zTqG}hP6sf;yHHblp3fm_aaVFB!MB{A;8nXGWmv+RQiCT$|I>Xw$oJdnEx~CLl%(iE zAFZ;iy8w-srlpcW5g30>wx8NDb5w2Rsj{EnO=(zmat%4R?au)Dy0Lv)=31aob08Hi z*j0GmLks(%qvI(-s=~ni)PPxq@!%Oqn^MccS~vfbsbc=z#GOlt5>CZTTWVb%!$o0c zbm19_!Y$ls3Q+~*cOzk&R>s<{Mh(CvCC=O`Sz;{9;QSp9Z*1MpELrV`iDXCbi3eR; z&<A+dFVztvznuYkO;>9b&_Z?8j=MUHt3gbFQMmQ!>fFPiK;(Qmme0eOrJble)0NG5 zVhO(55MxIm4pgwD@)mb9d>1cq`+)w{oam4J_Llw|0vR{QN|XFPLFA5yrvFFkMTnV2 zzHV5;yL5u1=Bn%1%I_t?KgZ`JXTsI7vKagCE{=t$ko@J{AP_jCDX<$p`Ulbqhb*;L zhE+CH$I*@vWiQUQ4I+onGLb<ZfDBbx&3uUfCAO)jmM##Wo<XV>P%;sxkmm~1CBH-y z{Xt&Lw^AkyPDc0n=AZ9{e>ffqNiP97vNQ)9YvRCwf7$7h1CXfmEKRdxPN06Zoub`> zpC~OEgvIY?yZvq-zu(KF$jP%{zJ4@69G+$RI*3z=T<DpwoG>D<azaA_OA*m^7pK|V zO^BufsB1k&QW)dCnB#I#ykXkEEef#T?=?BlH#gx-FWBhmQSbzzI=cm6V1VhuSleIU z^*EhV@G!$4j#M4}9g2Scn3Kgkc9iKb8v;OCVw{sk*YT6rqvsFk^nb2AQTW*LqrcO} zjg<YZ=B94JA~;L)+Br&YH?k~m?);`!+PB^-Aw&+jP*3x4ki=hhr5D-;#WGnS+t7U3 zQ9XN~d(~(AYKpHKFp*(eHMiJS4khQ2j==h~f0K7&x4bx0KlNf78npNBCKBINPM(4T zheOvYx3-!Jmd-wWWjgaDwubB0y@QV_=Xl8mXtlO2?;q)Bt|~o81MBX93j$yj^a=Q8 zk?M>Iy)T*Z97bS6Cu!Aq#y6AtIX*^gY=syS{nu{+jh)99cqFd84i-dy-5RqqDkbF7 z135NVtS3`IM5u1#4%AFV-ct?&o^I1L8<wt52-A|Porj>RZui$y^c@5Qq8A`HYoV1O z6|>HEWc$R81%U3EO}0aL%@;#altQF%QS(VF)9E!pO~B3fEx?0o@kFTad2pw+&7y8R z$0Rw=Gv<3({!UMM8p{h!_4L|~$o~QFLCFpH4*|Fobybxsh!<d)WRPo%+R6$v2|iQE z^b607jLfXte}XXb#z%+@J>hWP6SuRLV;{Jy`fXGb7jURgX8nFod{U(P?hOF+dDsDT z8mKi7V#uSYY&r6*B*qF|@Pi&gu0=Van#w|qF|+aZOL^6oJbxW~v9@5)bZ$>PO>WzT zd1oswJ+176%E-)*J=XN6e_eSTbv=D=y6mf^e1NU14m1+D4aUK+O-#@4h|_J9(CjcG zscE43@xe?4GZ@iz<U7`Dr*1b1#QM{82EH$rPA{ApH`eD0BHc6Y+XZ;+v+&$HTQsjo zRfA+tgczYxk`fn7JCyx{R$?h=2WCm`xI@bK8<Inej22pNKKcqkUn-rNomZr73a5im z7eZNEK2NoR_I>S&nlG{=3)FfW$wmG5(~Z=<ACEuXihR^u#jsefRDwA-d1a_`i&bfw zNA@n}`p*is?W<PQT6A>l`q%u>?tPmnIoy{O&1zoXhi}Q$VIM21YdZuIrEA);o`kdH zw?{`&gQYW#pJ`6L1Ghf=JHi_uqWE~7%Ac=8DfC|Df?t=-rIxK7UAXdoGF$jAQOOMd z%wj6#91AR~m_y|)LIj;|fFHUJJQpi*cbu*K*tgL~uX((l@lj0Q5T%*tPSnrAtnD}j zm>Z$nJ}uXXaRpTCJVbolA0OMtA?aaf^pGi>#tqCH=(tg7Z#Bzmf<%|ly4_M|&hXCW zTlCg8VB+<f9}4FH`A33sJ2$V_TcgbXI11yB?Zi)Si~H&I{XpfYaX!-0*;UM!_R2eR zr-_|oD(NZ3TkOs|-I1k7)_7?ATEPiqCnlV{Q^!9dNpT=&nobP#5J^lVMUcr*Bh%~P zF@aVz-pK*~1XLn>o<A-$sBEuThDSyRrpAirVCi^2`~PP)K4awb>l8Ksz@hQ~FDlg3 z-2A^h_5T}<Kg08rzQyL$f2SWfu_JC(Y<hjw&1PS}Wj*WWv?XoRzb=_o=c^SJLgGf5 zB(BiCO8T+KjSm13kfPQ%;=AL1CIQ5dK@VdF1}sB{OxkU`wBlNsRI_WdNF{%4#Y$gg z>g)8_l4?mVO7$q@YTLN(CaNncWsvTC4Fp>|-PN@Ni9y-ab!oCvIcehL)MRr73mc*c z;H#O^6k=br&f>ZiNq_LQ_RgznWY-rGY_hdl%OsqaxmRzH)h0D{wvH1w=syD?a4y%j z(<9mKIzQ(^d9@Pxi!sany@Oz=WwlkFdYZhsfgio;(<Q%ERiV~aO3mgbpq5U`fT&T; zvW8PQ@g`9vsD^s?_AF6Axv}iNh}0&T4al+dnj*>@V5%Z;5?69Q<*0kN^ys$xue-*2 z>WA1wo!u>BI@%7-Neivomsn;ERE`yV=O}LG2I^GlrESKm>IfOoUv`rUGS+`9$j?rJ z)Lf`knzMc}Hs``@9tKn<e*waZwLe0aaLPvyEj1)?uDWigw<@|SI}*r)H~oFMXHdVO zv-+$84Z_pPwV>Qk8&xxRijx|bqWf();8<0Y9)|Y)gD}=&@tRFH(CP;H#rkWCd1Jsx zR&l}4z?Fw{@<hqSR;v;Tjf)OB1ovoU3HlJ4&h+~ZdkL}zFp1hh5;3fZ#;!DCHtE(E zJ+cTWOdwyauFZ54>I08Vbz&vtpavQg+Nu*o4O+-k({_<gn;Z?+v7fG~Rbr~CPyMiu z;)%xAIn<$&eDDG`K8au!g|A9PCy<j;mDY|LCyVaV7Ca-@7tJz*1uuoP)~#sM4y_6G zWieP?BGn@VIQLLVWC7CGdjtePsZ>E$GXSzeB;-EY4z@+#+**JPm@cYDCN=3&cStzF zrU93M^gn>9$(5~ZH2_x=BcX$1Ez&U!O_JF^<stI(#eX7IG`1wK1!6Yc(o;nFM>!Ek zFZ%K;-4Z!b7+llO_olEF(;jpwaUflg;Th#?PGkH67->YVJt&zSJtzgMW!W6)@^Ut7 z;)j&Pd$oc5meE#<hldi<j&5T71d3JCiZu4CPUAh|v&6+}k)WzHtWFI06I7QE3$?sj ze#l1;vEXQ5?pZrKT8kPC4Gkz%8m++x6x;HKo5wVdn<kaVzmr86=wIeb1_{s%zel5$ zpU*0S_$lJ_<(Umb%>EtLXe(-mApSwPZ)!E9OevHd`fFybnp`7TSm;V>_l5tYGrNO6 zngF6Bq3W<QQ3>FylcLnf2SBnjgy=V3g#aS?+x8+hoDupQR0_ngR*?!+BK)toKc^R= zBx~13yA=wyV;1A!q+0ZgfG}?nn&R(fz1~p<!G&DUevb+}gFo={ZU;oxijjF=Zbk~k z6;&IS3N)YyP9`Bj*4jmZccS1-zbDP_EXEK8q@kx0(Yvi_@a=rXC;XU#Yy#qbS;CgX zXI^fDPq7XL)?9Z2$U)06Qn{$DL(%qe>wZjoLEp%5icsG;Q20MyD7e1g-==({OUuvx z`>d6Pi%blV?=6Wx_XO7L7~FSj3ki+hTguz#-OpPo5{ft<X;uWOPHe&*bF6OLWn%`^ z<7LPA^5un+ulDJOFYJ;9*Bz%VFRPbD7g18IBnr3HQ1<8zD0QIbW|f0%Y+xs!xP&Gy zT>y;O$Vp3Wc7|W@{7-Y!NtABkV?{e~H6ETm?y%Yq_ZF6b7xsO8xWf?y#}j|YVl(0K z&D=fL`T*>OF@}rL6nGs`?B*RZfAxvTeS-K;$pCz=_<as*CmH3M{tLL`Aq4f^tT+Aa z6SiXas|Pq1D2AKUv9En$>(6YVWgjCLAC}{=4=Ri>jE=dHW+}BRM8E&z_KICyU%%Jm zm)Xbj^>GGW-yfET$1qYy@IG2lr54>ez3w!cwxepG481{o3*Xtr;>G^?$e+b_M?j{_ zxLx^i7Yt9k(?y3dHYZlIg4c2Q-h`CfF3V~mi9Wwhjfp)_2150ZCV|#?f4ZTP7&RFd zpt}(`U)W?neM-m1%0Y49qj~^vmc%pDFU#O`0HCw!FSk@GNdlH^v!j$0qtZvb4#9&A zD%Zb6)YFcL&^Mevxp$QTNkJ>L3+e4fSsz`;4h!qWzr2_Ro-1(D(ZG9K?aLEK6!^F{ z>-~Mhk}lY;7(k))HEw)F2uMfwFx<n*@AK&5lqDZ#Vp*6YiXcr7syMTeO!=y7A)rJ3 zGjo!_VrVeK+;+i5=ADF_&z{B5&JI;0Een8v><0}+oWl&z%NcV<gybM!693E6R}d9z zC``ewX$@j{Ph^B(#6{Z;-QW+adrwISuw9ljSH>KUY#`0qgpVkRm`MM)vj7y%akdPx zQAREDedlPr-~an-&zDcM*otI0?-~I|GLu4^U|{XMiQXN9HC+^Jf%Li11B=WHKucA7 zJCCr!eBc32O;63v`NGJvHqy_0?CQr{QMe#ctq#R2%2Rp2_fgIW-{Nml&fdHq0WQ7b zBi*ml!o2mpn<Y6UI@|^41s3!+OQ}9F=gBv=1n3LvYn0PQzvZR2<`gc5UU_}nW!rxw zUk*WGH;4sNlTqCr)ocVRhh2y;2zJI49E*xkX6l84)bLJm3(T3VVm3uBm;nAc*a^lJ z@*pdDTJqI~>>!0O92<ts!)6^7*_mv81KKJ~a84}@A^tQmv~H2x+I*vj!6RGx%ABDR z<2x8Ywyj2_Cy{`y!$op9ItmwaEBDQ$fFzI>`x(Ct_4h*UmI6mk65|HUMcGx9>~a-0 z+VNs%1r(x67ezNaXws6@RS@&ww^f(oqn&o_7-VguL8k_{)Tya=QaXg>$y{{R)BCom zjY}l?fLsGU<jJ=e^m%Q7cNQSPGNF_C)en}x@AF|MU%&7D3BCUB`}5<;JUt#fVt(<I zm&}X&(^j0*<K1@y#={bb+!Y(Uac1Bfh}G=6^kbik5@86Z1t{LYbqJ08mQ({rG7UaQ zV!ch{c%#iW@qor_ca8^*#_ezn;n+)f30uR6HE3qQeo)1jx(ycT6s8ZeOALFXbe>w4 zr2rc_hI3d8@`_<gsccCxXx?nW{o7}PE%xxXrd{m?w!^l2<C-Jn?EOc#8#>AQA0V(b zjyi;gb0hy~jXV=J9LZkzE^;DJH#$HRc=qkFimqN>738S$PYwpR12&sivCn|VF;fVa z%;R_n;0Zr&+Z-5Ap4^)Z*`7I4Ticyt^SJ}%J@Jyz<RGJ>(Ojus65rAQBAJeA3jJda zksM3llMU`6t_RB<{YWL3cvvpn0FQ*Wz~(?`%a(Pa1^Tlj$eCp97<dh^6CAEjA-J}i z3_?IrzF(%10;2eS>@roLDl{z|A5Vi)Lk%KDC{rRJiflNv2)4pm&*<4GinHG;EDqNm z+N3<4cL?2B<breNf8J363oLH|Grzq`ZfzI2GXgv(;wKa9%$-@_cH+D)LdNSiuZI^x z<S;D@F!ZJ*X`X<9-uS1I&kh+*fOS$*bEC4kx!VQ(vHGSdB=fZgOuu;mEKtYg+0jp{ zNH(<ZNjQTN+2A<2Xh_c7q&Yjp3zeSFDfKh;|1NW!!{19~8nxUmaoaavh~hCV^7Pu3 z46Fb$z)Rf09?xhxTDvIsFhi3b$~?eb?CUtLS;Gl}<=etwEFb4k14oP*eECbB6~y-E z@YayYh#h$pY_^XeZr0P7o>~b5ZFE~45b}l27C*YPVY>Vtz!(<0eoZ|pptmb;whMz| zJG0K3LB%4{^4?Z&*8kF<vH2|~U{;uu(~r5n=(gb@B)1Lfu~9~1F+GD<g9eG&Ps#xO zSK~lT7mXvvS2$beI0_-PKzEy1%6Xw;DbE*YV2foZ<m~N|94$a1AM+`?v$0FQPt8to z2{02fUI&nsfzMCJOe0*i?2`=O(5q@_&QZ#E>an5iv{R9UY{SVPdBFgh3EY#iq<{n+ zmeJPGaGkrR%IvaTq4*H<m&XQ{v5}w+TSykBy~@rE<Lf}d{kIcoCl=(yYchu)7)Kpm zHF$6t!%{0_#B==2*_xFX{s}1}Rt?t}Yt|!~%sJeVGRb+y3Z)FMVhUAy{QI!CFp?oF z)Pfg)Wv;&t#7jgyX=N{CJMi*0NX6}KFv=wfr2rRBw`E1WK-$@DsTv?KFOksgU$=8$ zTMVSlz-a3pP;CS}8R3N}K<D(($|xSFTX!bB@Bm6UH<<&qwM0yHloc{u2xA{Cgg8uz zdzTMqx@S|barS&U;s@7*wwfgU0oQ?|sgEGvvh)1?7{Q)86en!y=5!baZyJH^PfSIg z5_yZBK<`j{USG4c8wAG0<Q~G=oPIce#l-H1N89G$w^TDbH-SfnXD%A6LTzwsH->`h z6>nzC*4CMSz^kt)>!MjR9)887wFYN~TexsB=}@E{G}LsSmJ$_6doY+J!3%|}c3v+W zsnoEkjRHa@&K40zXw3at^m`<oCIDc^D!F`=8#Cr@sVPLaUg$udgqhDR%iDTG&8TRb z_}I@zvNLT|&@d22L|N6OTxeJT{{uhNm4kl)RRU8}y?rtA{FP(~>^A^n)=gbPoVv5( ze1_oh;i=ELBC1`N2YT)YhXVEbLG@_YC?(SC|GwQSpVLQv*xx~uuH;g(QvZ+*j)lQ1 z+6=r@=-C+HfQH7McJsJDbd#qMOBcr3_Uo`JBQ$mqJSKH(NDWOBJUS2@pk(MHx@YwF zMHvx*ALW}rO2{*4hIjf~<>AbaV1B62C*HKLKB&A1aTeqcDqEkP)A+f_nr(1BS9OUZ zy5fg{2QWyQO>-#3?Wy0=hRD?dQMr9zPMk7IHUm%UNH*P(N%}8`%Wa`riHKQym8&^a z@n4i+)6`naOHm4T01{zg0O=wR_5koKXyQp=%S2ww%kP1qM|2RFvv8tHA!p!fOV!=Y zMLgw9tZiZ)8tsT@c3H`Y^gnX2Pk<9T+i0)q5qABaj?c%BEA|H3m%>U_`+bNSAJ)48 z=<-A1nzrRMWPY!Y0d<T6hi3>`^sZ;P-*8YEI|7KL0*<D79H63}h>V|4v=oe9Nnfln zQN_|8>FPM~0DSz?l(N_fefqnlTxc)}0Ga=cNkmGUE0(D6Y%u~lfV1$&eOG%{Ioq)k zYqcpV^yP#@{@6SVBiBrD1|+`$PX>=#P?{hFE-PdsP#N9__sV}Gc6`4!R@}J#d}i~^ z-~cWq{x<f-ayTwvLqv?7U#nC7(+chkpW{$6aMRvI35hvC!Z?M<rj0)y{wh9U=p2Q! z{stp+0&{bml~<&&RIBs`<hAB9clL`)3PZO!G}aoy6@`YW;e0I7VsBleZmjlN4s?f+ zoI2V2Nnpj&X^TyK_i%vLJ0W2Ip0U6n>)gx885qikci+uzuSCYf&;bJ5By_=7(!WK@ zsj@Tzxtod$rVRsq{BfXN`s2recn2G4?mg%C7f>^boZRa)Gp+k@cre2HCozu7#vS0M z^p+mKHE<uh{dxEvd7j{xD~MGu4c*FCZu5Lp1=d~5_#(>3sY>^Lil3f|D=SX!gQrOm z8#LhVKNwQNLjh)|+f)&#acZ}M5zjGW^Q}Dm8Eu7$iN0V>%p9Af1IfPn_29K@`rLZd zZS~`l5O3ziAurcKnK2&zq!i42e~yAaW6?LpQFg0j(|3l^;JgzJopW0m+&8hQu5Ud9 z!IR4I&T_P>9QBR(7x2uyFKh{z{4@kB*B+jg-i$9|$-P-jB)$kqGhuu}ePJM!hkdGe z{5l;;^vXP#hIt5ffh`F%0tiI#X|2bQzz$XXU6bgZ)DCe4r4%V}Z2&Jk69bj|%MVYr zv4l`FH}?-}X_L20n>}C0KZ4-dG!i0#LxF19Z_?mA?^|Y>Vg`4Q+D6|`iX$3eWHi<O ztf`?`sBN`s3CI$;GzA4NRu^S*mj1%Sq0!{cCtM%wM6|=GCM%LI7)}b^z70I+r2D4| z!U^FpO|V^E{-tBqAk2)Fj<U}?>~Ey*+GjS$xe)E}N{w-N_ma3BqPX}@b+MSaX7b1v z3UnTww3G{TU*U$-F$Q9*<QVxDS~j&{Z21MGo!#+ApxJffbgpnPV3!@H1L@eC-p7i3 zuF3ks`+$pi&y5`$nSw0V6Rjyn0}Poj7@#taJRBvTw9&wt8aBnbpENg5Jk;W&v_d<q zCVNFfaXM}78&i%rZ1HD}iz&{xC0Kr@((Kkt!aIK9t26Fa(oP;#b1{s{Y`zD*(&~}3 z1CPfr3;^L&|HtSK*>R|Wr26i@PdNZjF@mnd|EXRHbbsXies7|9;0d!A#WflamwH@- zn2&FUUvDM04c2~G@6PGN(^e46zezpfhRltYqDvQ5BZ$C)#@|Za?P;9wm7lEQqz9<M zs9bPj^d1R@V)#)AyVGVh7NZg{qs00BLklB^IE_clVdW4W^abI5($2(i!gQ7;ptBC= z;?hmY{*{t_Zi_8L_o;pF<uiqmUh)TcSbMWFuxcnn`E~Yn{5{UCF0`%+y2U?@fQ&RO zJj|&(RDl0BzdlbqmthfIo^++{%9FEEK1gJZXR8t#BY`txBlgAbl8kmco?dix%VwG> zVTLX*ysFw>03{CFO#UX%EY%Kmmv6v&?i=dfd};D02AxC8rsa(bxctvi)cJIkXpxtV z4G1NqiC;M*Y8h3^)}+0LFkq{CrgMC0C7ztXaIQlgd(bh&Wuoh3d&_sqnb$EjsMpZz zf}{42D%;p1Og)m~T1*~T+NGh1ST|s2DCf_1fn^{t(i`AmZ1u_<6Sc~Kk$|q+86)zp z{vI+Q>tZRZj&06SgJ7#uP4O-lj?Ae1w6o+AX_Zyn_@zOScq4pO1QvsNeR-GN2Q(yN zh+(J{(umz33=N*v<xC9<`3Dv%1=<o6wHHGS)wIw)48d^c@yT(sK~G41#-??DtjgRA zAiR?0(71CbPO72EI093pf?r6|NRln>YGE+FL*Ctotu916s6G)!t|&8)GA}5UHY_XA zqW&gWHGJ-;(a}tw!l2Ev7O4b>LOQQa-GYw#FRt@9XDlWq{qBT-0xwO;8u$8sI+eVr zJO8tQtwwv|t60m~CLH=7XKJp`{R&NkqO-3r%-Sz<e`+&Ja6YY($uHQ9$~3z>6lETc zzj8_cj7tT}WMxZ3`9`o)g#a(l^mrQ{-7+)pA!RPDyNxa+Sf12l;Y}1Z+y}@KC9YXI z*&MC(k+3ML54DK26AW>WkhQ$UuoZF=><8%6V)>r2V$r3WfAK5bBkitSh@{Fovq_Zk zQ!Sc`Yd2wG9QGf4d!JV;QoYu$=L<0>vrm?}f{x_^cSEqVY-#@S5XIt=xJeaGZx;zP zFtv~q&1@8pX%ybNO61bm<bB+l{_@+{mx5631yP3erFmN#=l1fnnePnua|BJ=(!h$_ z5I4rwe=A3;5VKJf8}Fj+;Q}$o^EBZQ_|G-8uKAF@txj`9D>OqoH7`qS4fDDKVx7T_ zFM|H5M=BD2Ue=Y3+ci9)%e)X7po%ZMlA)~h7+&&GI}Yepa@8#rTj<a@*KDNhDJut@ zMyh-M0PYUI;((zX_aL;E=jP?V+vAw(!a@9;knP87DGSudM?-jhC7l2;YFwY_K;Fj7 zgAn9iSFWP^)>_`y%roUK`^iz|Ii|}zZy=y7DesrAvxCbga9du@)%hw*9UzT1CmSYM zUQBJ}vh-UaDDTyV0V!srQJD#DO-B+m#ZfPSFgwzD+ppbF^v^NgR?o{8bqKhk*#i;A zIkwkVXg)|ow|$>F>5k8&&HK2t+`wcFn5jz8*JQ3)J(N|JOLrEyg8_DRZ;%F>#3YTc zytaX7vi`J2aLZX1#O)C47{pWH-j^D?`k(mLSW3#sy|FJ_l)sm=h&W`dcXXk<_pS1J zf4|S4tNcB(%et(~Ht;yC8~s89z}n-lDe`kNur=sUD)%QF^S|SK-}mI1RL_XeTXkA! z1<oqB5-Pe)3SwX)BuB5Iki**Zm^!m3V*G!6h9agqJ{MWLH^u2lQM3N;a{?nXr?#vI zI1!`EJ!9a%dv3vB2&I$L2wyy#xVsi}mgdex#K`R2${F#&TfobS!R~)n1IK=hnTIn4 zC!l+u<3NHlaq9H?`af%(mu{wa*w5aLeS-V*hY?`-ttCSG8r;lE)_HUt91L#WMhe&U zZ=yP(!Cd~%rSO*HuZ>rJ!LyOQh&t&XxcvW0(mQM+zu*GTi{6>mLN~!c{%&2lF)*3x z4RIHhraq7$ER_6f5qKQrG(F`*!3-KS6c(tBRE{Fv47cIX@(X>$ZaEVwseo00|B2fv zTbW_>agjb}&~%MJ04;GjQcyWK{OPfz$VX0_M(vViZ2@4pUa#Doz7HgZ^YX`9tswX$ zch(8!u0g9BJN^N0dMt<5Js{mr!t48d9bS&AqZ2JAU%HEYG@<DVYh8yt)m<DN>+=By z?+bs(rGsB(W1p&Ze8PMOu&JJQcfOD=x|LQiUtdeYPcazI;ym4@9SK`u^I&~tH>Nxb z&_s-T(y@)1QFX1*LEE=K!JtcL+M#(?S!YZ_af#l6t&`araYtAew*C!aG_ZIw?VMvF zz@H5pEur%XmmadU!Fp_6vS!{@r+Z!D9Kq`Ukkm7!0Kh|yI86Em>t8H#xRz7%u1g$1 zgp@GF|IEf2y;L)Und$wB;QD)l`;2Y_dCWd+Y~a$|tk+6!%7^mLvHGrve@;{`KsO?z z&yw`ig~LJcstsOb>8X{(;*&6@Nh#vfrv$pbk*UHXiuKO@F+O&6Q9gWvXugI^01sD5 z&@(}B64DHf%Xuju;G67Tjyn~D)a)i-ycqZA0kwwjcHz#;p^t3qvsfKOnogjeg3de3 zfh2w%F$1MH_E8OAMm@`vdj(?mEgNiO5@8g8V>}x4XYMz9rk{X!!`GV$zwNi7FrvBe zu>sJye{`k_dnbmS?p_Ax299&0ALq6&vP|T8es?5TqrFv?<<^oXh*@*__U)Gr917x+ zocR{8+=dPz3#UG5L7isK%Qa<l-?_n};ax~a8kXtQ8%(PAQ(~Ri3E!UAt@Sz;8&Ox< z+iKjcFebuUy@S#26s$rXa7$z_5LduI9mExH^M~c#ry_WXvfvr8(qK9Uz@S0jdIkvd z^AIW~O}-K)4lWSV^g4gEajCknNALMUE@XsV$2?E_1im#yiIR8?7R86z<91xZ2g@Ac zyvmz_)>j;j&Z^|J$K&w^4Om1DCO)W*zP&0!J;@aLQ575}?DnYS9TqE(xwhE5doE>s zC-J#riT?L0XXpo{?*hyZKCMIOzhQGDTctQ0o{57yy(-d;NHz*6bey~#Dp>25k3j*) zCkj{7ogK-)i#%Ntv$I?8w!at8wOn82k$nto00vPYW7eUrPO#A*?*%!mACYR9JKyVh z_1C8IKIf6X<Yi<O63w1Nf%tY4UyLnjq;tl56duBJy$8t}MH;HE*e22UWv{g;!<m&p zr~ZKd^9&ff)ykg<1^^(91OR~h|IJnYe~`+#8rt?-Y$$$f^&HN4B;{?}HuA6tHan|8 zJHrSrxCw+1AX-H>bx4(oDmXW5cQ{fh6kC>EmxG9+d3W3NGL@>Zp$u)UMNE`yT9&{? zb}4Q5)qlTgce@L6EH)69Sb5t0+p1Pqd+;*SgzjVY*-;xx7n}9udYx6)WYH*tG}TlF zU@2(b6ZtILZLz9VOo}dm?OGJDYJoOaWx>_YGf;l^S6gr_^&sL}kZyB?vtT_KB-I~K zF+pP0;))IkXbLDG$(IR3_&LM7n`1imY}|%#H)$f9EV{#N$ak>}WhZ9NFQ+qPkLwOc zA}>YaiYe;T7#ORP9i2UK{{=-GJ(M2|WL}7&ESvd=E?}qmn{lIjG*EgBn+}@BWf7Vl z6KD;)mSIt+u!tj-H211I+(Dd68mXdMw>)*FTG)-4Z$*t;@Q^01946n+<D{7g!lVdi z+@VdW3fRx*qU!TI*&_JP<kPGndAeQU)!!Qs!_pvB1=xa@F{iERF|W53Q6YqPoMbUa z|57mu80~lGKG@)I-=WpcW%|e+9Nj3KovHj{sRBWg@S6xHAbri31*2d_#qQFe2C3KV zqQMlmQPm$L+kH$&<P98av8?(W_{?!9b2ib4*d;5(nBqf%(la`Rpw=M$IoSt?G=w=6 zo14|2#l@FfrWPGA9Vdr|33E>LJ_YxZHV-Ckm`vI<l$2wg(1w0{S<d0(%|$h(3sIYr zhy0P^X!?|lKq>i=UgY2=DL%#w0btR;4>^~{Q=Biz7*yq|tQ{X0OqKSlK)YHaAY0c_ zaBI|i8?a#ZB5w`nP4RUr{1RTFogMfvWi9;>biGzUYy!Tl(O75f;CEBI075>}u66_b zE~^lYclC%CHn^f#$GDh~w-q6^1#6*dlpqM=8YG4O8yCEoV`hjY)t>Ui;4KzKkwx-Z zmn`*!xV7OVNMOw@xdhQzHk`T$wj*6(3-jA`#x;P|gaW@Nt7_floRy_d%k%V0B+;bI zo9xru6tbw2cI4@V73FqY2JLwgTm8njF|C6HN|i9?HesmvBp$FwF$HBK^*%gp4n4r$ z@tajH-dCLPnl7Ok7w(ym!ck{h%Sko_lYCOMrn9YV+#;VkaSZXbnatFWqK_h5VzWD4 zU-U@Q^^(tW344th@yk{Z%dZp*#o83%$A-cB4WXuf%rdS(DgK*1kMv<G*D1h?1^NA{ z9o4bd0jBQ|jaC3qHs~_YI214|5C;{y8K?S|JMh68@uL8KSMXxGJmOuj%21xz|EU`@ z7=JL8P98=nVT9xr7@fb8(2FR)h~I61R_fA$vZjmQ7o%Wb0(BTWnh`N+0xpNB+Nw2c zis(8GEl@PxchHR9+0{#$X697a5TKoj04Ft$M!iP_N1Ht{$zH&54pe$y7iW1vQChmi z%pC848DubvLzzGNP-zYcRBI9^qxx5hc*I*B5$D2bkS;Ozsna2IHyjjDAv8@~&&Evy z8?7(aN0$!dHl7H_dQ~uT<FbqX&6B?<9n>(j!6tP`{@rphPtP>`(0j-#22s2ko9GtI zdKs+txOy{Q{^Nk~+FRWac9~*HZLNl3$)QqzSGSj3WM_4}sG2vKcVUU`Eoj2aNuAZF zNcuu*I!>ErUzh7En-KW6$3I;xSf2p%-yT$7hKmJpW)YXgN6x$Q2thi`wcMq(SHHwm z%#9ibq)6_VwxCNkWf2yezK}@v)Oi5$a7uDvR!;dR(a>UJD);Mz(tM9M2YxiDD2uH% zs{%Q!Jv*ZSme`J#VKfoa@(9D^?kaVdKnAxdptsb4c1vb%Wdjf=Dtb3Pb7<KJblJ~- zloMpl&anfsv_YjnZ;<I^sWrp=-|CJrzApQXbktJPSU5+71%Ih_D8ssYhF}CXPDLXF z=4!{KzFlcw&M3Hg%?y4Bnkuwc+gRPbg-{U7gChqn$Zro)=DhVRx{)g{36zC)j-}(e zmT`T%m8HX-Y>e?cp91PHB|B>(l$f?CkED;J*aK6ur)>olPJ*Wj2lU@I#$H0tt!4X{ zmx$a9gIsHQGhA~c-)`S^su^M&>)zMA>zMqvk?-_a7hYWV8vyli+8D2-%zd``pFfG- zITzfNi$d1lY)^L!7Umu3(nB$dZvXZc?vo0VzeGL5bX$R%DW@BnFe~i#OyvPF@V8iS zXW>NtcpPcTZdlqnpZYCDgym&H-;u>@h9Utpuhai$|1%T=`~c;He}Fptls^=G$pZ5S z{D1Z|oyCe1YG43>YzP1Vvj4TG>HohZE~#p=_Bjj)y-(CMMGy*_PV%YBUKgd|YL}%| z3Fu&}x($irBs;&Kv-h@c$yGRNgMLq^v1gtVrn1yhp>^(6f`yy28su2Y<t<judaz}p z!Ga2mID;>_%x0tf*=?y^KGxb(Xbs7r`*?|x+BwV6Fp*{+^^o4P<+Yr??sd-47G6_4 zf(k51l)+-;*<|5ev#E75J*WTp;=K))Gz}gxAiRbca$ZB0iHg^O$DKwMIE?9wnAAFu zA<&4d3jz!xXaJ$BxyobE<PZHd#p3V=PtEoPh&~u;9+AbBS;31uqLdI*pONc)W~W~k z^9_^W68X(dQEjQpO^Sa9rtyhcR#aH|zq4k{#s1^AL@zWbsYv~02YjZ#W$jA|cM_Pt zcoxSgc8T;n)ew?|UhVXeO$q^0(QhWTz-?In<C~&+GP<_GnT3N`>nIj6;8!R)%ezL# z+^sU68#0!s%opSOiL>l%<ZSkUrZ-3oN?$h#9F6=>7C#ENaC;60N@6iQ%7A}TQc4AB z%5YV}ZQ38R_|WHhp=59vp1teZi#^@y7=H6IW4HL}6tz%8u0^TZI-ww8c@#SmQlk%L zyA8HT;rq%EzY95MOxiq;)%7t8WOKmcaZO6DC_jAo+{7r{j0n<Snfxx-W(e*lyuckn zS+zz(kE%BoVz;5LR_sD6WVM%O?+vGOu9liV^@d?_O?y0b6KkL3^;wsSUe<jNm}r3Z zAyZ%Tfai&}ZA@`nE;UwjVS6%p^VJ{sk3-XTXw8~wewQxov~4ACe6>UKlJ8uu;nEPU zjyWk%2Z#zh+>+-IX~@Mx%@*2(O*?_uVQ-B)OC=VVS|S`Hnjb}s+d9h>fO;T)o9UlR zlAMSLDrBe-Tm54YHy345_<6v*BsFeI&`qk+Xlsip@N+3+>N(bhMOk}h!9t83$=1Vk z2C$n#g%m2V@@e6Fx4?@lOM|7-ezf2I!Q1!GmhiI&EBmAy2~TmFW_bO-Tq8JH5XS@~ zwyP15imP+ktuR6VlZMLp%xkU!zyb1`z;pe;nh<0C@wHp&(Z$?-F(EDZG}pi4-!jXk z&IieR^#56I2|3)##GwDx89V?0;s0K4HkL+o4xXv%d;g7*2!3z+f*cqm?NJTajRK2+ z)@$XhqfFPN{|%8`8#)$B1eG0^`u*HdNfgqO?0}9oNpCw3-T6r6V%Xy?I}yLwzgx>< z`56udIjf6J4NDlht)){LuG={t%n~X?U8|6mPfGc6I;x!t9wPsQqIi$eEQ#T=XUbBx ziPl@v7sY%$-t30&H|*N+TcmJ~R7Vk-5s|3Wr2QJEE!B?XN96+sSe3PO{cpAvsr&5| z-HrsQDl#oqtpryA)A2qt@3aZ4UD)X^S3M2gw(h`_i;#=*;2@*5aKCC$Wjda980qGE znuBLB_0m$efw+OWAI%MPTw(e+71Rm_CAN0=DuC!VG&_!9>eySI6+n7i7!28U9{}nC z>`QGR7xZ@1)-n42AnRD899!h1C~$M<?nd1!%&7Y<PdXF~B6h;Mi`yOGiR0GP5`|j~ z)hdER4l!Xa=+EuM2wimp0|($es2nD}pH-(OzF_I|?|C{2avSG)aLxK9tD8XSkh}AW zgCsiszK-xm&%Wx}9ycBQ+&EU#UL}%64BR@*4Y4UE%MiXSX>wvWSB`^*l+$j>B$l53 z%Z?><T-2jOkOcFnq*3aO*6HCmKVj}trDvk_8+^$hVNN&;K8a}pH*U--=`Ht#Ad<hG z*l}RP7NmgC2Je8bu`BIC&~vvPj(z&(#dX?}I9Mc+ce|$b&cOclkW6pu6#o&A<_jO^ zQiM!yWXI!3c&4`FP|O3E5@20mb7pZAU-Jtr?C$0!Ym6&ZWbJ}TEm`H-a}M_3OP=V5 zZ;p+D<sV)<cKknly#teI(UPrOwr$(CZM$~awr%XPZF`q(+qP}<Rlgf?BTh&6{R=bJ z8gtAqM`o(-y@f|if>j>76d@B-I@~Z}e-aJpCjLWGtjN*r$->?jRjBbOC?v=@8KrjF zN9MpMK(m9ho}5TJUHj+rcS>k1=H8O3;-?nsG2hMd&j^cHA}2KT#h%m9_xt_c1UFS1 zP<0?u)lo@dq;c%3SB<p6I9dw==r(h_aLlA*ss?^ZaWh>%l22O|=(?CoEyP#ku5=^Z z6^K;Q10uf|RLMMvHOMn}D%$o4Y+y!Utcqp07=g0;ns)@Vn``(>*hu+345LO)MLu!$ zdN$dfF_UPaPbe~!D8d_jSA*tq1^!N;?PW6HJwwKi5LHdeXlg&a7yJm9@&`yd)@<ip zl_<s2xRSc^a8f7Fvw-W1l7C1FZm-WOjLCg4E4~dv%qxcI`=v~z5XD|3kzKp-!?<aB zXMH*G9D<;@ZJQI>&>j>t#M{=LaJ@EkhNP>!@bFcqc>&&{91IHRQh}mP;1T-VgFo&| z#kNrFa|)@|vbfj#5bsv&MW%Z3*&zK_1f!JHmU9R*zyn~OovYB2Zvhms0vq={MxB06 zzCdi>l`I=AM}Ps7_P;Gjs3&7Pzv;9==hPN<JZeLX5tZ8q+u(DnWt?UD_zASt)CQ%j zp}D$dZ4Uk{y=sKi0Y|>OCMm^W-yuFQVKj?@0(0+$QmBUmeo`PJgNa=GPcS$pn*%)< zN838Uy)KJ){B0yH(b2_Xhl0hDOz7Afr~!v^cw}Feu#u;@z`}B6tMMq+)!^et0+&{a zhb=0v$Gn8k$!MvT7x@B<I=pEtB-wU;gD;J^h7D8bsyjkyw2nUYZcb~{4r5?XiBj!* z>~w#s+M8Razf)N?Y{v9T;weQ%`ZWf-<R`Mg8b9b{AWyA)ls(Q8p6ODfSB6@+EK_<c z@9r8h@CNBnvnEk=Mc+=ABG*2&)OeOVaF+K!`rwg|XDma5j@_3tw%?%tsjy=FcX&a+ zh9(RW0D$!Wt*}l;ju!ULPQNM}tu|Ae$$`-Qpe|Eh5l8pe(@Uw?t&-|#R<)S-QK32x zSa_dyb<{|g?dyUY7!3HPcngPU<RJYfbH^g<DsTA^yjB}%>uK4;{E8EDL{v?s`68(t z+Gez}nYP@q{RJelm#d3HBSYS~ki-Hc@5h%8Hv#ug2=pj;^W|eiw07bE`VoEZT&0#r zGB6evPD+!jhR21iWP(aH(ehTHSzxD`vv)3l-#p8gexJrlIU3nqRgUlu+~npaz|4tK z=5YT~dAB&aE|L{_VLBGJ+JbJS+E4HNbAKvRe>0@Oy+?$&gS^dLf?mi!(&t+Ud{t=- z#x4D40;fN7@Lesg$;c|s)WDr2ATITw2398SS;Y-A7RCjcXF6R{Qiz}7AlIJlaiH$B zllgNoJnq!S2B+i)uD8*)@n~M7cy`rx+YSodUk_3H7`4^QR%O+kG-pTmch_KDOT#m7 z#+VJ1t1bu|wQTP(#OE?FnCJE9mZA87Gp7?`nT+vI^o102M%6ARX4rXSb#)Z-k@nip zYs_coLUA!~yhdU!8z=Io67QCZ;Uw~pUMFy+f-O&3+rlctKXp`IM=B#=8tNW5^<#!` z;PG&}*;+h@x2deHLS5gnaXBRZN68<d$Za)p8T2b<EB;#bX;v{uW}&zn6cxJJ&znoJ zI9dBQbJ?{AQ|(m+Z#J4XS+XCQJ@(4CChZ<gVy_jlHnq<1<~FyA$3}?6&9$fUU{rKK zx9Gt+l_D9E(|Tf92&nn>!_=nmP-W_<=z){<*_>0^`fncsJV<YwEm~L&tv9zVuheXW zZtOF6&ldZrf8Zx)c`VFiN48#gJ{R&i2;XQ-&8Q*>piLB%W?Bzg;b)*ViI5X%elw|9 z7Xob!kFVC!P%<@4<z;{Dp+t{BRio*+@$@jb3JuF%FRM@S4j8r}jy&*=rA~Py0Xt+l zotuY87E3uhm&|neG-`X@%cDg5GR?9DFeRK2P8^!5_%ucS7S_x7v40Pwl+nqAq{B`# zHaMQ5_{1W|uzM2{lS=c;T5j^(h92{d8E-4JJ2}EE@Vuq#$@rhx=RcMd3t2Y3ri$A& z`}HukXa_!w(i=lQP^8h|5gX*s0ARb-Pkm!ecy1b8lRfCKOmz66K=;2Z64NpGA{@u* zD!&>{o?Y*$(5+>?bTwMi8Z>v|BG+s9n&IQ&?as{A8r>uR=U=Szmr{rw5CFg#2mpZM zfBuWD4P0!E%uO5#Yz%BIOii4e>D+CsqZ8z%ff*5oZoW_$2~G)htOTXjw&sI``hvhw zYZ<vWz#h!9$7;6h?36avm8i(#{%mKyO-bLctz#_%COp^d7Vg2C?IzVWYNLG~y$Q;2 z6cXr=M!PB8;)TzQ3(`gOc4y{@_7n!ToR$=+>61cMqI%xDAdGL6lW<>(Woe!{!=mWI zXC?!qt#q#!0HHgd#)i)yV{e^V&QcTHbBH(11FD!aDs{_VPjhB9D*n2=Yb&l&C?8~1 zz4d52kLHk0gupL=WnO4%{d$WiH6{@Su{<rALx|jJu{uR@VY0zxoVwyV`=%c={R0~o z?1vh650T7LHAaQ990j-aUZgUf^b>WLo){CPOJZmJG)c2QQrbT!`~aL*Pk)M8pmn8% z>#)7`C_fqua&V1~*L;s(_3F2fQ-kdO^YDF~^m}4|O{ym{006=NeE9Yr%xp$>HueV2 zzv`K-A!~QQhS2q)UdM)(qAmU_nfiZ0bc|aB;Gt2rfOt_t1f-Lu#E?J}r1rnxy9r6P za${P!R_k9)IUYFl>S?TsX_ZZrtyJrc^5JCO&75y?P3KpK$NL8#*Q!e^Jki$4SX)XN z=~PX|DyxF9v@|{95Sz=Zl>{Qxshv@=->_28HPhg7CV-$Tm#Ao48Fjh#G*gU;PGk+H zK2QgmbZfU>%-%f7snx8WXqYu|HESNBSJrT={2lHIpe<$|la6GQwaTfkbL@k{VAC}@ zMf-e9sGc|0a&Di5KaDyaEAde)lT3&bQ`Qpwf71O)u8R$}mF_Yku__~3U52YMu1^~6 zPfQ4<6g368Uo?z*)P|vQt}s_;wOrppnWy@$5Wq*e`iRVYbcu)~y-(IG0`Tjj?h5R+ zv@q_V>kUZzjNVmyL;qqJxm~`<<Ma7`5B8?_{JpBg1=!>qe)71Tg)-_XjkO!0HWuD8 zpS#nls3N2e2S+$8x93WiY^u5vS=ZK~J`3m0(wtf#_eFtBJEq}csUJ;v@6<*JeyHCH z1wndY@db`rxL=+mz)x3<mJ1+z=4m}nlHn{It%3Pu8r&sD0H10?DJcyJ8MyM8Dv*Ix zwu#r>EFlliK|m17w4?L=8e@GN&k}VCYb?y&+GBtlmbQSI-zO(SP}RqO5lp3k34~Ew z=94+_y$tq3Cl7*=i4yfC9+PS80K0h96<?wwt1+SrbHxQeuLYh5DZL9#c%B7xEX&=i zPPU-bH$`KjmyD+NT}1-aFW8)|HFyvC5Vsx7&d;m6*JKc4A}6mvX*wjCFI5HL=i!-D z>2mKh*ngEs_)G0~D)y;I>!7?MB;N72S&yT@Xc-#>e@V#1a2|yoQ6N=};@q;xYC!6n z1cM(#m8C3E>>v6kjqdAO9WuBej*H^oMJk_iVt?-K>w)2`MB5X8n0l|&SyXya`SC@H z5k+b*L`zy&APIR11xH~W6qRebCO1k_F%u4&-q4;ujc?9h^)LU#&5Dll^Hm~zPDzdX zb_9bibdss#vug+^I1nO8N|#hbJetfX075XbLx>Se`eQmXe%BSs&Td?bo3S<pgrV_t z>xa&iI9RGMr^r0xirl<nJyxU<t5rrl(m~-g?sjFJr%U8tuxGQ6+k`+CL@wiQ(NSgP zWnyeIJ1NP=ziEhm6cqHB?$BZ#)L!M-9Qe)l5f#|8H)c!SE#}mkKAPqnzjU1cJZG=z zN@z5=MWN6a2~&I(TA$`9Gg*TJ1J50Bt7qW144j7Du+X#@S);;4zeIm@<Kh+4trX{n zbY+?rs*Q!e5*pRG1TiYLoN8~>iRIX6um>wh+rXFt!Dxybd?3icKk0*D)yRe>e<va5 z8RUA|@jeTnmNGu*#gkq=;@WVpy0)BO0o4^Vwy_Ret=3*HWH|5JV-9G~XW&E|+NJc_ zI+<nRC%1p|+R6E4VPiEJAWq%Oax;QYrKbBI_uaM{6~GEMV2jN!AiAiRLQ=hVqdK<e z?6E_8MeRqA8`P?ToLR_Cl^CPv)!=|QanW}C(%LD(#M_H99Gq>@-7Dd1cui%uV$@>% zg^_w`lBUcjE#xzRFE#q4TG&eH?Rm}}!_n}MzKv34t{sTFw>l*EOGoAm-b#<J2~g*t zyAUuit})#|SKi7wsObfJBv;&jUHe|d7C|r5s=eFH<j%%x?L}9-J2azoGp5B2IxwPo z=}>WUvjH|$00K6)74CuE+YDuKEqBOlpT_#WDt9~ODVOaWBmG;vL{DoSD!l;PmuheO zSx%HY+!M8FpIv9#Umi41)EF?1^RF&OyP$@yk)4M7PrGe!R~2B7z$bYgL;2n}%6g5{ z_de1m`VBI$oFT5Ap5AlSoR<KqzJdQ!%)h!9su6x~QncTj6z_i)b4L?13nyn2$6qNo zQT%5+K!C9I7OBiNm_oEl>vF2%VjfC^i^yaa7zv0QN8zVe_eb5<*8gDJYlJ(EVlvNW zoK!otcbZWF3>`*$0rtQs&FqMkoTVuggi4UW3d5*SnX-?5w&`5#0vwFBXwe`EN!K9k zzG)gQVHmRPl`cP1P3NynY>)6?^jDP~h;js>?g|(;5Y>l-Dt3G2X-f=f#CI6oDGFPO zF);XLd4rYmt-*_A$Lt#J0>=8en6H>tx32U}j>M<&Hb1`9>+uhT&+sicONUp_jx7G^ z8{j|7!&BX|Pq;*TWlZPF+2zyjE!{PMa5KD8&VpxLnoBEP9mhBe1R~xd6Tp~=LqzCb zdyhpm_*0n?xU&uT|9O^}<BLTozi$iYUs#IsznrC=vw^e8e}Nm-|BFbAAUa6D0pp(+ zA6FljCoDrWFf`cpl{Z+{KHsO)SZOqsn)q&6neDbGc`}DHa(;&b&Q(rJwlgik4|}R% zeqmS9htB6Fm>!|)a4mE<NYpK_uI(}U{_we*JgPI1p=UbWjb)FLr|03kI@}H;ELVb8 z5~nEFveV5y4?X&nUyw*v)Hugz9!SG~-fQxZz^G@G#LfnQo3>+F6WA;{keI?nOWs!W zsj7jtTaV1Y4}@p&0>enPTt-;91D<FWa@kw>W8$v%gJ6VleB8#P&AiX6m+GW6RE<bS zeibv}K7@iIAE5b0j|<T%#p{78y?<z}A!sYpbPF6s^ERX+Yv_N2SS3_7)`1bu1Ma2+ zJg(yZV_1+WFVAq{Nhk;pcSy@{9y}H<uZ89rd}fugI8t3JXAg(l6kPc;Ebv$NNaZqy z7ZcVBT9KlzS(bP%B9zml@KF!B;+U({k<goQp}yF$u3V%09$M+0ZNGI3AlY&nCO_?8 z6*~u@Zv62zE=;i~<nlh#g2(t7Ee80SRLU4Tt1(EDr1^$S74MKNZ9d|U_ISn{(>KAE z$vSgZ%L(iA6HL;xx38YzZc|`i1HK8n(CGWk<@F7)vph*`uaqoj9%yFGxw@RiiL?%& z-f+eOBB5kwJME_j06ANk_|lc#vAxgk9U%bhABg2$iMqLWD&6*c<s35)GBt*<CY8H9 zDzWHy6|8g3jJ5d3=nlK}Ig-b^{DTIBzcp87>@RS>^c82$2b2}X3hj*Qyig~`8|g+o zglC+ZlPdE?qb>#)p`xi<^|S|L1lm=ysl4`md<~b%p(}qspbY1i=nhYYB`s?{Ef!Ul zI~N`>Xa-GRePf0?yVTQK5IL<%&SvA8+wg1)iwEA{z^WSkA6zvA>zVfTWR<u*Jk`PF zuLm7@w%b_DaLw@;28Fy6-CA!>c<*mx@EuS1k`STYTjP&}$UnP&KblsDq3rzV9+-(7 zXq7SA?IFfzWln2;yTNAS>a!Obn;Tk%4R+jor&~r4GHjR9N9K^9|5i>130P(k`&Fid z|6Q4!3|vj@{?8NLBth0Tm;ol_C9A*qFJOctKoO^Cs%i)mVSdVe&_08z>eICgQ-A@B zCgI23+Yu+1J9N>0yT}df)4VqI=AzRWJ>o1KpNInTu%c(F!?pj#>6SZUQAI_97y@8K z<vtf{m?^hPZ)wei+qDp352kYk14IEhAXc=YYVuJc5hg>+9*heRaP@?tg6zmn{fX{5 zrZ)h7kBWb0AGU3f1w^Hl1g6gAA(N7^d&Tn^_pXWTu1@c5xGfpl*SD&d<^zQVxj-tS zwuaF^*3IOzyy^W1OgU|y(mla=xXfe4N+9=;u@2=)%|N|3wH@1zy9r`0%sn}9SkSdT z)ihUj)=CYSXyozLy0GSvG8)#a2Y0ryaN~NqmVm~*cTJB;QeOCJwJNd)Zn^TW-TYh} zjLf!7UY@MZU_ROr$jbKYrDWdV+<5gRwV(ggvpQ>-0xT#1fX!bq`)zLqa58arv3It! zvv#8YHTS>oDr0&l<KL^{zX*xu)h~y}`_AbJJjsiT;uOlX-pbd2ThZPU=BL5Uc+{PR z{;xm-T|Gsd3X<LGkMB%ulJWV_R#de^(ay((aLKIYjH89Mk%>jx=8BZITE&&-N0VQw zv1QMRY7U0yV5@=DM2<}QbtdQUP>l0#lZyKNwG>AuSG71PVrymXVgmG;kQ%NfF}@ZO zNuO3v*kaa}FKMOhdmecw#oLm`<EjM(ersjgC`)Iu+eYHvhLOqh1f2$?PBSwz_r4tW zx7n@;r*i6U^cBTMZ>Ql~O&YWtlVoPyl&ZL5hN^PMd`yg@_zK5ubJf7<IdmyzMP^Od zXbF-}DNqS`i)v#NSsYN?#KXook~QZHZj0T`L>@)*;(d?K%P5%BQ>VCsNnBQ(2`Sqs zctsxA#qr_^@|)9>s~k526W1_-M8VLzbA7k^b*6<y6rK2nDT8G{@-jwyl_j(r7@)7> z7RH#}sT^%5-0IcniotX9?*gAAoM%F(p^~E#LP;7|P&WgSDOPf1ihzkBN7QgXgo1AW z57t9*ctwgF-M-Rzg~|~9Kb4{P+600$3xV4AE`8mQt8LS+_lm7R;ZqW{5uE~3qtz7n zWkbsGn#J&wRBG(Y=?o{jl>qgW3x5R$Q`yYya0Yxz-?za#khE7nC@6Lzp6z-*Msk<! zcD@?rR({&FcQ$=r-JPT(!biJBurGYq&3>G6#a{s76$_~LOb_utpYLBN?$#pavZVEP zXHqV+$}~Nn7FFBJ4T;BzD3sn=`yLu`@f=8+H&oO@B2#$d<1CtI3_=RGp`>m4q~9t> zd&W;jDfv|}^j{p`$se2{YpnnS#z`<}Iu6mDO*b7~xe$srVsrVwTDx5swPRFFx#Q<v zci(getA8Fj&2lrKXd4WwmrQ3DXXBLMl`*{J1-IVJ_Z8jb16L#=oVhZ1{SYiP{^YCL zBE2%YPUR(NSL$RW#08zVl8YpJx9Pz}m7a9%*_?Uq=TC9A;CM2eN#G=7f0MT#`OBc? z)GO6g#8iaMhd#TN6Hn(|8k1H#AI(qYIs7h$)pLw=N15~W(MY!SYx*-1(0?`&-|bXV zaqlmO$~lbY`DGTR{8`o{Lcxe$ldvKwAFZKpMi#pYTsMMB@PRGl-eg#-en~3SD!7a= ztX}v&t3lR|mF&T-QvQ~0Gxs%jYmprVbHj$^^IiQY%uP`aFx}(z<e73UxvqoFLi-#E zmMAH$$s0AnIob~?+*$0$UZ$9S1!|b`K`#Cp*QhrK?@j&4NM7m^HtgHGdDS}_>49h6 zfujc-+6)jQ8J?R!L>r1{%>pd>Men<{UFLUJk0>l})yaviqW3;Jk@tnN>>%Q~spX6m z^99(+a89Y{>WXW2>_o=!vvLg%#9`Dc=>f-z(~)Uv!$}nI(X}?;%9j0<#AiBO9>aNw z#m=a#wM@F~(SEQt(CBdOs?f4T#m_(_kd)kaSU|e&@UDsS^Z0x`@bPqotK}*Ad{2e2 zFdX(=HC``<ox+}x^4S|ovg=-ov)wlhHVJ4>j4&9yOz~Bk-K%a3cPhI`ra<@^0x_GH z8jlNDsBch~Yb_&JN^lwyAZmmE*+x@J{XS!B?t}*+Zf5H~IG||79<fz~3YFuFhV?;A zIj>~W$)Z;v=ir>%st}vTnkx2+lhfcAUR^~6m3Z;yTBbv`L!L?<)u=w!LcJobK4x+c z6{<)j-G>jyXT;q}ElLgDgV~G-VNIAT+FdZ(kslGdsC7)2H#q|^ew`RTn;lJfm4s0v zz1GYh?4j)4Nyy=%rCb}=Jm(-51AYZh6MDB(yL!ZAuEFlDN4EyQ(tzU*`8%J={*Q0; zK>}Fo!R=3f`M>g!N4Q8Jyh&F1SuMg@c`Nj&^tqU`1OFQGTk%YLj(H-igTP?xDs0;M zu5oOJsM7b6coVp6KY$&sdUFjuVRJEZK?Ju(JOa+sOF)569LJV}0`rO}>kv7wJO@&0 zKkFpyqMaqGoFrMgc`S#4Z3#%BRzut|uY^-ufP_G^<y;tZ-d#z-UO@tS78&!Z*}ybJ zt^{zSYiDAlVLoh{RF51rY9%lGu)6rDZxCODOF+20;R;?Gi5<lxMF>2IU@d!x*4)?; zuIPJ<l#|H}InRE;G!8K{jqP<={BdYOB`8llXvlxL{Z8Zy-zETKUZmNfM^!~{@?jd> zty|h2Jv>XS;)x^K%$VDY<oBF!Z#}8Z6ZVd`a@{p%1cFJXwtZ|(006wS=JgEMa7`Ku z*H}>0OKcwd?UCr>reUERXxLVD#Fkk)koC5{edrAk1*{y8QACIRTe)!S%10;)jb~4J zRCFoI^5WsY+j~lT+ZgtA^jXz8SK4;iR8BziSJ)>nRg{lU(e!y$+t_fjo;G5+u|L+K zH!;Y}Ie~uXP32<8&o>1cY5#-$+E%Yg=MVkVJifK}n7~!zt-DTJ$7RMe1?aTA(ZdP? z0ZMILn6NP@eRL;6xo+h#Zz(kN6HhiCVoO`{)r{8Pp11i>)RKIqXgHyu1+U<p?H*O} z=|$<AL<FgSaqMX51)9x!fF>g0VPMV#olr&9d>*8};2Hefh`bFf*69!~GeN4|&Saw{ zXBv4D!fEX`%<*(@e;??G7$lIiX#F}6h{@#Aj|a^uo-d-9cc!M=yKX7bUwz8z!522# zUp;4nvp-Ly;eGWy+HV&|(H2-Fi{i?Yj$!%6o7h2f2R4;YyyVr-=V-rbDV0Kz+ZJ|J z3D{PE)dyS=Rt#CZol!kv)#VD8?g0&|SV99Y@@va!K5Vl)_N%d5&fVUw-kD=H?tzad z9<t@zW{j8q=%JDVdG@7)AjP>Uf?#tYo6#?jcfZLum0rl9GuLjFo-yBb)_#ECSFKU) zqZ|hgGp}1ONKU-EE@g1}>=iv~zDU7{S>kT}cgFs3$(RDxMqLB?CJv!*?)%s;@)s4m zq~qk;f)QA**o9$3$5Y=*oZ0rKgTeP>c-6MNZpQ6~{yU>in{f4QX`<4&clBnj@{BBv zW^3C;PxX;_EM&s%uu(+Wf7W(jCYhw&EymN7HdOKH;x5E>>)?>7G^7rtqgDS{aG4dT zTc17)_Mt3zGgXyX%pqYT@)~2EjIAb#jdaAAMA1|L_g(TxVI&c|@fmkzSs`<Hj&oeu zW8rLTaYD1hv{pQ<+hy!(CY)G9VO&PVG!R;$o`2r!pxTASc3v!4!9a$vg+uF*4grAO zbWx?yl!$VXF4h^|VURWpZ#1h-kljzc(9(^RZK#W7_G^Fee!?1OZ*U9}M>J?@gN$yK zg^Hn=90U)p%lQiw0D{zk#olko@MQ(zg+1OR&k}_k3OQcJ;13<!6q_#0P%{Pq^t|3$ zYqg?8JiS<{Cwzk(?O)f#u!7W5f0D1iuI@oyfK1>#r}7eX9D;$`ntRS%b6Ww^wd>vm zmcq|J{|z@}+E0ue{<7n(Uv~VzJduB0=C7y!|GBYtY$gYa?@Vo798sQZ*|SSg6^muZ zM<aUE{Plpj2o6I;3rHMn;+Wdj&bE{H0GO$1DGx%x%-d&nC49Mv7a3{l*X)CqsXO`S zW>W#V=mrnN+zIZLd?i&}1CfhYR+X_#xEe<Q{PP#S&dkO!F<s4M#=<{(t+sjdgeT#Z z7TSK^XBn3C!`QVpAN_e^^*bZ+5M#p<laTF}6K0$7C8`+<ofFQr_zn%LW7JyBPC`a% zkK7Bl*Hx;Vw*aXosI*(MZoO(X(#r7COz%C}w!i1ic`ixYRS<s^QNG4K=W{Ux<3n>W zEvTO^qqY!=>j_8Nd3WuoB}N8a0fb?`r2?)Tf_ORM>&d};El^U{?1hP{@hSZwnusR^ zzwRRm0M@P~s+<j{5a|JPkfQ5tPwNY~hM7^L`Bp4ULf_)P7VgO${<^OvCqT3CU@8-- z!%aM(;Ba-jZ0sjbL*$8WKb!o9S@hwLR8UT}BqGxUyd|@SPD40+BWb-Z1>gvg`70Ao zd)%znbbyr*H4kjdOGqeEqdrA10?H3@ZDKx+B_#c>(x6lBUWeZlMI|>t5QT}=*R8YF zb&<%}oY>N4dF^82n2KAE4b5G9X0_@W*Z2al^2w~g1Q}gakK?;ZJ1Niejg9RLp2=!A znfH(yrFHZ0P}L{tUk3A+{U3aPxQ(}c<?&`g1&*LQ>JxBkpekoUpXHc}MdRGWMz2Jo zvoLK)5~wt%JWHqoS$WZ;FqWeGJF?=ud&@&tB~G9Q0e;ZP*Kq>C5EjEp)1b>5Tinz8 zJDMWRGY(kH3Llg7(NGW{TdIu1_R>UhF=!FZ_pPmYtRNYi3>GYaWrc;h-*u=yMCfmp z9&*n)F-e&LcgM0rT34u1HO#t%o%IsTOP)lBy<AfyxzHdNV-piWs=FYiP^R`|m&oS8 z8*!%o#dl~=c+Ft7*qNtPy2xU2JKBmMKX5}ajV{^y?XC#mQePn_GcPH4BKdD9z4aKR z#<2|E{V2FLT4?f3t-b4XI2g^NXW4#oy|kHSBI@3MZsrV`bPlgpnKY*uDda4sk&K-N zh(@<*XIaUJu*xt6=qx`7TY5jraQLvxAjM~Qd{+=#4t&%fIid65ev(S(P62lwb6#fN zDv|JK9v1>fL{KrL>Y~detMcP1pQ0^DU`;w7d1l27?F3@CH~5<NTTkcD5u<PC0wl9; z|3lT=Pg0QB%=DOP?M0(0zuly^q$0gLt{#lCI(T#SitEY)#VN0oX#`R$<#a8&-ZTTN zMMd1QMRkdw{j;~5pSjTt0h~vioHpRWE$3&C%_*M1$FQP6=;>}Lx!coqJD+)KZ?51a zb~X$=;=_BoCwgj#00bv0%8_EsltOc<uhT93N!6=|2MLf)!eBR>f9+=bDouOd<+=(e zX3jx~?!)G$sb2yg<OFL+P-s5&(<BR;DXim>4T#SSYY9fM3jbk7kstUv*^b>ZRbZrW zcf9shUBL9P%`bT}+3)R|fq9h&Fg}<Iezloe!Ynb9v;t63rQz?CGSC)8%Ej+x+8Uti z9}Xb*$$I(Ni9KK0RYRbB&-_LyvRL>ukG|hoEY`DUOv|ly3w69$(p>>x5W=$Jple?D z+n$#|cQOYyZ=g~)CFKW8raOb>wPaRhzL3_;Y8QB4((Y*^O_fdqqCQb44^nrFX>>Rh zTq=$H+q5sp*=8pU`)Fv!ETUpYu_)Ukz_jN&D}RtzdHN#NfZG!uZAbw{-+WG?IFDrK z3C4uqrNz29M@}CJ<)R!*f{6tnotzR_C-rhz?I&j3Jtf~nt>@eRp0cS4ReP??cdR^b zK&2T=-&DCg?Ar}uJKBVtsuta$yK&_GJW=1!ZFrXHkWv;KAOF6e^dTb}2HLr$^~!GV z1w2z?eZnK=r$JU08a?hb3cp~F8TD+_f<-GOKGWaG>{9ac5ATxuj6lzfcGT?>_U-%) z`SR3KOMraKQ1#HklbP{H+yB{yd1npAY}=1&=f5Ez>_ua}rC;CxLjnMR^*;j#=l`nY z+Iv)E>BMfZ-EaNk27<U?a~H`6dw)Ruc{WO|yi}TIz{p+=ibfHy^kh<8N{^M73p-N@ zNfc5q_O6K_qr|K|Z$F2l{2G-3s;;<aZCVsNs->^xQeW!IaWNjYkWE+Wdc=zIiUR)m zlzNL`TQqJ}Tn##x1-AOx2!#rzj5Xz(jwkq59QYporRXXtttSTOJkch0?k(A^VYAn7 zuOX*=v}1oXS#4woNCaAywd}?FyU7TU<^*9ElrI->-4Sc@za`?@J2%Rt&Px^69B8i8 z7JwipNbcwAgTypvY01f4w?g0IMXYw$`=H!EH~C60^_!&v`jhhs_`x+Eq5f;UJJ14T zF`ecf#Ph)FFG4zl!w)=1n#8d<A<`(3N(d1@w#7({9|~;e&N^fD5#D3YINyJ8;W{VL z|FZCghnj(|aLKM^u$F4kph0Wt`x$rA1UMFk+s{fiY9U0lt^Q+4&g)=-ZK80ko15dz zk{cF(M}DQ2j8zKSI<jYv!xRJF2l7XZ_y%=<RZngSApl|Io{dclI8>auh*hP`%1oU& zg0+Vs>rb}@<g9d!LI)KFUZ6R^Qi)!kF@Z#%NMLmfygE`$LVGG0dD@6!n_^1DQqXD| z63H8qG%TThAHYJKAma==j{&Yp@cDvzPb!ntEegK4P;a)HfJrsXL$x0VlRGYZ#X~1j z3KeI;?aPQ<h7jJDD)^yu<3&Hxc&v<X(`=+z@Q@`HkT6#e4a$qcS+;iK)|GPC`OD-M zMeZT>FFpvZ3`{a0M|IW0=S<ofGnx})%PJ2EpUitdfq=9}ZlPDWyAnkVA)x@DtbIbs z@ty^gg|D>>j*&zl$2V?D2ZQ8^GF)OT_}$K`bLSPtR#q`iX}wzYG{XbEL7hed=vBly zb7^T~0}@QpoG})C^r2uYiJl0V?yW=m7^ZSZ`hq6#p=h7q*;un#c{Uz14m1|#hIkY2 z+1cY*A)JZi6(af0bXgdJbSO2KQEUC-Ym9OUEoRzAcZcaY@JJO?fJ_Z2kUuyDshNN% zJuf6hEqMr%kIO7<^b=?wp!N=BD9i58U6mAtE_C)H6tXXIh;9II&k1Y~8#OuheAm*F zHwHN9jp)H?qWci*EdKXNsNd^akm`orV}QjV`~-p8Y9B@<wwY*qnr308uz$?^X0Q^B z4OT;{Kw|?m2Arz4lBxkQ@{V8yKxtP6^k|p$#yHW)tvTjg`fnr&AZX&mAFEdlI#~@w zqOX>m4+i0R9AkycU&7u$_6SzLBs<9&M}ekBl*|o@#Zr#Ga8+D54Dv5r*1rF&g~V(~ z#3$ns8<?vR4F$>=UqEK`0OyJrvm3yIg4ir6l%%M*fhpn;WR|NyOVIP2X%S^m70M@* z|04SzSfLD4wDs$Qf%LDygpoHN>58oz%FQvy6uuQ2AFR1R@BZOu&si^)Bzje7)}yhC zTM#_!HUQMsbz(3ti##ps)n?1<6r;)$q(xSBx-fe|=lEewcC2h{%apS|kEvOx<x?r3 zIf1_oyg<3Jqh<*0gPn%bCxiDeVQNbaNi!HAgJ9!Z$oEDUR>ve5tfECf6WP+G8>2F_ z`N)+HQ=M5olk4ZmsZVHMBtgf<GX#5HC*%NsL}CdbYMznRn*h=OVmhgE;Y4Tk^YH!! zOcRmLeJV|qixIN8)HH6ZT;*S(`6M*`xvdCIL=l|^+GPrwmIXxy?B8#`pPCWU(OKJ~ zTostcDRML3MZIW1sXu3rXQhmTvsN%zEtV`>9LW~{`64$*#%mqV7vKa4-W(TVBOgC! zer>n)?sgTYf{Au2dPSw0U3^l!2_@tIr`M;F@1@8ac9NcGqSn|ZF}MHd>2$FvZ1|R6 zzFm+goa*y+L~HSuP%H#Sh`_L*#{m-O;C;aulkO2<vk;VLE%(yrcFVxjfa8T1;e$qM zN?w9J3SVrC%JN4*87{{EdU;u0)&;a@aPcI`zCQiwj3LiDSI7n1?WIajoVnMA6PTH= zwOZc7b+n^3+(kJx`yS7I4UnE!zagrm{y7vrUo<O?IqzZ=eMr7_z@A2_0Q~&Kk^b51 zUTqhz$2PxH13rm|Gz@RO@I=x9IDd!U4y0Yhw@2SEFj_S(dMu8{HDlVG2KjjZwqZ3r zvV|V)2fca68-4?L=N^-7*`eMUpt7%%LG55=>fE()3zlsX@&kHb$_Hvo(w{4ubWJqP z<A4=}Jln%VMq3I=Q>b_=xb^_C`Od&>nk_18SbQ30rautBnX~lmFp>}1OG^LPiE))u z8>4ga;z=5}E_Kob&}%)76PoSBLnF%{&e|NN`w23tfh6Ag51yUbx}}uX7ZqjeZSeIe zg7G$`n`4o>Az>?2Y5&dh23C;isYYLev0Xx3Xb}N(_<)=0_hlmsF}fCaqOISgQ-=Q- zQ!3`jcbc4A&_C`zCmi7Ymkat_zpux;_mP<%CPlpBit!+dOuU77>aiAuDoc<fSU7qC z!t`D^Y!-DCn0a;3bL8L}>;opgU4Iu^7|^j@%$tv3(5--@jX(K$k7c_-2pJK0jRpIP zIg}6tUt0mKiVfP0DB@1Z30~sn?jqzV@=@Rh47d1$xFvvmR>?pP-r$kFkR8m^^se`F zc?2HeTyJV)^Hfeet(8if{g}X0r@}O5M$L>I`<U~#BM?$|ad0THH4UvJC;xPt2$adO z-M3pm3%Feb7NqX$mG>bAmEqHZRQpJw651<x%VWJTKiPMZb@T@ckFr`a#PC!8_Adq! z`sUmX>`V%B=a*<iY!~B>Z03|?lc~k}68B4c#uMo^)<~~lr+OfaPa00QhO1DP2tplm z&l$UwPo;iz84#Sg*Be`|MCJw-k12phTzwBSiaJ1g7v&K@0lzSM19p%DghNKYlp)9U z3Wgy!bjka>F0H=ZjmyP$xfR{|KA0ZOqP`(r<9{Yx#snqiO&ad=k&$JUz*EIawwN7) zhlD8pt>zpqVVY}Hrc4te)emq`TyPT7^T>KWZR0XX<yI~b?9dS$0mjtanP?v_YxOQq zr2#=G;_63%Wq-5SoK&94>kn-oSR8l>lQq>ma57xwts`4~5wIStLq$;)0~JFU>P`Y< zqFVv*t$85Gu?6<3sWWY~!y|TC7nLukUv+`@evH+yi2#Q8%wV;PkW=jC+aM=5Jt0cN z!IhEvv-To(yA>25PETg1pB;zfYGlo82JhD2?6F#D5zjpu{`P&>IMY5hs`70~eJ=ab zu2{s5CgBXr>y1Go*y!PN(Q$a&&h{|Oy(CKqRhqXgqh~%0?;5mvk}HJcd{A0z?%0_* zRDHK+QvVka^2~3!I!$1&3Onku`UKzFltL6onactpgztF$PX-VVn5cKCqk`zRHpyt? zM`qxm|391HZ4|U)CkXBXx0e#Xe}6KGU#Zk^M4{$17xVd1qDp4jO^bXn*C(%e%&R_^ zjWY(`DJb?ogWQ1|X^VQnYktg`s}$XA_QHUetKrNGdJd2b=OWXWhXfr6>w$Q>U2hWM z+1Yb#I|aCM3_cbv+?x1(NhEVId2Ivb%oK7v9XH{_qEp9_<=f-HW|GKz7Baue<a;Rs z^83)XkLPp*zy{GhKLH%1mF-~83j7)vXI_DR4g;57+0o7Pb^t$$N9f5rejB*p89#Bw zg{=1O9lAjN5x8|9!YCLHA&4Pd{6PO_^-XKdAqea@rJVWeg#Q;*;$m-YXJGtmhl?>c zY&STbd4Ib=AV}m*ie(dB_X6<OZRSlqCF7jy;B5#MkZhd9(O5}P#T!=ra-Ap?kw}NM z^+AhLMhBdF?viex2wC^`!&mHt)>>#)H=;(Kod%o*lexIGr2i2!s$MQ}T0AF}cu1LG z4b@I-=7cA)>Qkz>FY+j(F(GI6$)){fDq^(5>qkLkAyq{r_<+<vw@zp^KQWY`(vyUm zL3Y-jr2p9Zqb``_hX|aCPZ{G;ePdh?0xKI(GRJWxUCty>ZaI=NE7tK4xIMkgA24oe z(BOCbc2&Q<t{s3TM?R%7?1+ntOM*3<J0BGm^uPOb^AO!mnle9lJpep<j7y9!H%@9@ z4O>g&b1;;EBK|AkAvfRbiYw;?-$~+87)!4S*9dZ5u_Du~8Ou?layAFBB%0V%r_p9V zyql{(=es>~z-+#y9n3gknE(?<ASv>o8|N|TZZP3^UCHdAU(ws9AG-mgo%!9TtX$CY zCw{pa#a=@qMPX{*KPgYH>x7fIfst=ktdJmwdTMuN$5N;4=*&V9l?TPqNh>Skp!DH4 zsRpo(OC&!%{8^@&h?wv*M5Jg==g7LKsVBNnM_Z-{3qkDEZe%R_`EP$+=eFhB6nTvB zlPG+L@M=3|47+-*W)>L_DdB^*-KgJ0$x(I{cuFc#1_|m`8_ZD(A|5VvKNDw5B3ZIu z<$#|y7wx7I<?31hssS^<f(RPPKt<HAPAZW6_2CQ|v=@a-3wkZbiDee6vRSzC7?Zgj zzDgRjsEnWn1p)_QQ;hVb%3X$Ufj<q%f|U6@t_mU2ijeyLV~bpg+brH8!%a$QEal2v zz_Elm9t7h;AWW)V889G;m^zR2%oJR(Oh9=Dch1_BAu1HNOOB!2wk|-;())GZ(D^`4 z3C`eNEWj;KQ+E8`Y=yHPHZ+Dg6lE+TBOaNFXsuN9uc%`_W9chiXd*hoLuKdNOdPF~ zDq7l)hUMJUXv1-n_*L3wVJ6@lnOno+9>|)AxU+?Aq^!shnCiO?7=DBQB--C3iwtXY z2wSw%s)k4S-(id}l58t~;E^<P`&$~0*5HLr{{bK`SO?63hi5;~xhn5@|24?6?^QNI z6=c)FB$)~;Orp*)Df4n3OtO?h6F|5pGS+Tr23ABj1@=dxxG<jSg%(`XdYqML4v-or zSq#a#+G92X*Z{h0+eWI2>sCd^&>Y^zfqq+8l_GMCE;bgOwWA2t>xkX#6{CekNaCTJ zLl@c<pyO5;c!>NQ>GP2>54@c&XsJT)BE5_2Duc6`St<oj7yK(?tcbh`@eSk;24X2) zT^SDtgM@+$N7Rv~PyG3O0xX3afL5a^Gz-XkxOzS*x<CVjrAHx=<cV#lXDZR`L0M-O zCPNTh19iAe)*QfB5i>(~(8kd5NF?<JRsidt5yKcPx`PDUa`_J|4I#ROQhZ>x%4q=b zd-#$!(_i_udOh^x+nb_<N{~(S$t9a9S;BVwe3V7|pOFFvTMQ!MS~P$~c|O#0zJjrR zBRK)_s2WeEe=WOMDN|0}A5QDEV&h9WUJo4mcssapsAQyx+;jYTE8<<ELafN+8hGoK z;n@=YBP%#H2a)TP5v6b+TPiy9jelx(KJKS!o4VTxsr1w0@t*(&=W)$e#O)fit<C{g z>kt})QUa^3vse2FpFOtC@5cst27`vUw>&LMax10pIBEc!g;<_YPVWMP!VXy>Dx}D; z=Z6PHS7uX+Oo?~a+lOYQdA-%3p2W)Bvki=xWQ${M8Y?nRA>QrPzsVt%rH-BTse$+T zQ!jxGr`nxRUr?q?#QtCm4C}l6cpT)BM*qx`t=NAn@Ln3*hp2!4jM}(($%^EtDv%<n z2@sn=Al(`uL6_-wrL<YOY4b=Riez*ZN0PfBGqu0ISKmG`nAE87hHj_uNLOR=>-lwq zI3~Aw5YV@}dpZ3ib3ihNS|K1*&bpyZKYR~-ja2Sz`*{9be?JYqO;qmi{c;<7x3~BG zr8msahxgB;wV}3^i}t@|VKmR(6E|;$djSHjZ<2onE@t^J@&XTfF^C>KWlAANL|>Z& zA=<jnST`uB4m16CK?4nb0`5a`=<pDvY;gqalJ<B<Zr^9xTWNM3?bhY$evtlM$$-8k z=RvA7o6GZ_$_Mllm|6Fk`&)yf8|wB#=LKfgSgO{}0wavnEil_u^>+{s@mR0INr3r` zdvCrh2?_R?>27wzQ8o!>rrvqvg&nn(Fo};W&$h?_xSo4}y}vctsA$7t!0hDwr14m+ zRR!oq1!$Dy5Lm_<iq^DQZ<Q=w4Dox~8sR&K+0*w8`tG>E0b#9$rorcgo1K!rvU5YI zGyAaoTX1`Ln@xwsA@OzEJkwnQdl>M+ylGudi;+Xo&Aa%kRLkmnpK&b51E8lL3bmqF zW1IDfnE4qnZ3(XAY6p#pJ$_Nf{A@kT!keq!!Jquzh|Z~Yyc8ic^DnoLg$lu}utioL z44==^bTOcd@eBUvFB>dW$sAmfI`P${jY$ZWt{HG5fttjTf{m3*ou%)`(cmASOV!ge zP1Gdctd#1@%^5olr!L5Oe>%klR*v@IySX<2bXA31EeZz9R9XCgFfLAlowTrl)ujDG z%o^DuQzdoVoBR<AcT6mJ+sLzXbT`+w*I=Iq)tfe|SSf0Umv0ZkX<c4q`HbRY(124k zck+wgl9oI7RxE<VL!WV?9T=yz%{mKem&DRWSrsf^BFcd-WnhXInlb1GR>*rAwY=wF zGoh4)9UR4n4wBvBSyNx@MF%)RZP?{P^TQbdy$h6$(-?Rvleas8C*3!KnBO6t-4HN9 zyA5wS67EJm@b@90SZ24O*1T+_R;_-$K0k2|a2Rc*?@2c>rnl~S?55l-{n%0BSA&?j z+wSwDvoVlU#$AF42_N+oy%LdsGSYelEjc3Wl7O&K@=7QwPHq$ry{0PIVH{2;9#SgW zY**LzDMC15@4PV@X>;k=pZvNSxiYZ~@f4P;0oirHuUJUW^W&D6ehN#)p0^b+{l4P$ zegAS2;A^5nn`hSMM@eX+4LpxYe6atgf4Wb77;gXdPqDw|iSU1hiT}qx=^5J@{a2S) zwdRH01_#p5bx)u@qQdsN6uyPmC{eFV?O1ci6`91m_9bh8pmgI@G|jn0MY&h&&zI?I zT$y;}_TFb--C+72k8c+ES2&HYMx4xX!6r`PdKJ1~AA91NvzB^@@f%ZWdXCKYRYl;9 zy9JBEVf1VXTfuCwm`Kv8XY$xqOfskBCQv{K)>;~3J&Bkc-81@48QIddwMkp@`Ylhg zC9|}{#F%mQVN6xpF@0?Ks;UxZ0W5?um0pc5-W`(4Q4Ez`<85%r=A)WYO_B<%VBw2L z$a&WO{$Q;nuCGP<mIHE5ccdjP6doSzj!VuH8fYlFK`WCIT6C3*j_GyCf{c^0`m^YG z4}ilO24y#oKzzSadt$DK(eQGbWjZR*CKq`V71Y1`{mPChB?nro<fg;2MI`gz^0Xu% zqH|+;Y+R|MeBv0%iB-L`uiWFMyU^~zmb*|{&E82U=CsQ&m0W~I;q}=N{tP5N3piAv zh-ul8vOdfzL<xt-B2d(HS1+b@DyobXQr{@?$jxWC|B+Ng7IMQ8NRp9@fq*?}6NAzf z<b^$QzO*GzWes&>^oem3c@OhYOFbAWGRSEc2v_|+0MD-?cs{=$d|VtIoejM$bzD45 z@Xu;JHuCZDR6Qq4;2I-VJ-@}t(U`&IDD(qCY4XJ!<Y;Vi!_5lP79R=Z`qtCmCC)C_ zAm1XXI&ae?PzGm=x>$dZ-^3a@=Gm1V_IeTFYB6Vucbryt>H)}6DfkcY^^7HmV=Hp- ztM)znZx;{*z~%jb0$edv5KuG{FI;twhHyb5DaP%mFQM@4QUI+~f9V3wa#9o9xkGzG z_bpk~n|PL2R#WtlWT0EYBYzSg?a5-z5}^3^S<cVzn$e=}p&}mL8k022;_@Y0L=9A+ ziC(u9H`KI3oUBwF%PEfrPY?hIXE}>b5;L2&R67))h}8*sANAdK$8Yn(BeFUB$Y*JY zJEy`bW83Z@iN!Zj^oU10)c<f11<*xag(n)p2ll4`Kfy~K_8st=&449@E|0*J`v4d> zqTv3vir~#&do8}x`4q`fn>L^20!$3nb5^HlVBP5(blHHys@4;EK%Qk3jwW2W3vF;b zCSg#`{?*1&TAv6-iA^ZBV^&tjq?kP8RW@Pz!Z10Xr2-&v)D<kyUxki~jkBby-SJmA zg#|ELz$??#lq##xpB9Ieg@%k4OSFW`L*_iqWU=~}O$o<M>toOomyP@xAs1;64kGOh zyM5bu#xLR$$`jxzSMn0?TVmI$YUmc0FY^v%5b)lx4Azw@r~=L@B?<Y2E77DZPfQAM zkb~+5Y#}TlRHOjJ$%z?^-lf~0kj!=1SR&8^9x5+=_M#iK;Iyc}YX=3F8v~^%Bfv1y zUNbn3AEBfN!Ue<|&Fv?wqh0PfGW<3J=JJPISHR^v>P~cC9$`LT+in2}JA(?cfVFmb zNDyBijOvxPyI9O$)3Y`YkJNl@6Uu7LhKka2)$+Ao$TCL+K;30+W+isiM8{ASs#LC} zzi(iTP7jQp9g?QT;LH0m#!H8-jaK5;au;0aGEvezV~^tSmD@tLp~ExS@JiKCl~`&X zmz~BeR8!UZJtI1MGN$7z#-0k^8A@ao(FK>^SI7&KFdTm@o{yMMfDMbBov_H#4CO>n z^roc8(i(xe&V~Ac%vU<~oVr8?C~kGi;Ks78A9!?;FLDrfXJ*VyZ4oCEhQtOIb@)AO zJIODxIDpIy@MN~c?Dm>b%%?@*=i8ju83-@aa2+Hb(YzT!3!xzhO}Y0|yiOg74U=Lc z#wrT$e&h*|`R{C6H)e@N=}s03!WLd6))If4UJI_mx?8wJ3x_%8yVoS7j2tMwWXLpT zY#%m1TSWK2)q7u0NA6w6k6ib_Qk}p%GJ?9`w=q69gGO|m_h61Z;)#GAD!$>KjO`@$ zBWL3w+cmf31?YutX4AXJS2XB>$ZZNPmVq0<)%<Xv%ryVZUVuCd$~PZEDU8BMtYLur z028j>H8`gOb5{%@2{X_<z<hL3D6^m25AqGkrDW07FgJWT$)V@wW02K81t%NQsC)1p zLv3;N?3o$6T3_Ceqp6SFoj+Zk4v(Lgsd_uPU0pmrPy0u6%&(p<kDqIQiLsurZIY@Q zGadis9Wr7D$E145tQmM)FXiEC@l-;5rrFsRa@mAY?SuhoIz`77fal-Ib1?$PmMG4r zxjo1iO-O#uCNx0^KOc#WwF_OjR!Mat(HWL6ai_ardfz*+<6AVF6v#NpiBO|z3syu8 zP8V<-eGDV=`c42cSa>hho6u#`PIcEq)&MRWBrRYC=`ds9Eo60gL6k5P7LcvN+fz&V zOl+O9WxBaqS6csp!n-8A30XtZ6f~P_j#8;Ug{h@o-by@a>9ZFmpSmyGHDLTSO}3`E z1Ely_ikFGi3_W~Ym4lP!k8pDkQsmAPh*zAuLi8XFs5uL_C;8VH{S`eybnPc@BI<-Z z&0e|J5sYO{FSSlUopWHNc1n@mj#Sl#YqtAm&WPu?YzP{0qFdqp>>s{IYKVmBEUxC3 zy#y^MuJ!mxP&CVQndfJyWo!%;DfTCEni9Y-9bsFry)nJMc;^gOs;fes+W-bmAgGdz z!rK3>h&_RqMJ%AVEqiwR%heUn=5aK(5u;f8TfVH9OzR_iU^bB5+&%yJnjkmeM1Y_z zEXDr;hZRtt18^A<vBM<>DYM!^9K>Ro;cRzG*Nr;c<}F4LcuJO#*=vV$q-wx54$mLu z;aKZmbVnv1A$xWm=M;mLWln$4*Ik_%fJj`ZHTXfZxfp4OGB-yE>~Hue!%(y7CDhrz z{mz%6y+d|KS5HsCNzKuV1KG@gXAwT+{3g-!N%r5@^iZ@#ZS~cZKU?+0^ZTMz0D&t% zan@^;@CFdOdA;HUixU-T!=92VHvY45WRs8O?}+871z%IKA!|ZA$K=`B2O`!h)7!hR zkEpmYw%_jhIBVoAn7gcL(;d^_9T3GxdRLMlx*~57;5bkt`6F2YX2Vy@p_kIbmA50o zAM(H#Bdf{sPF0F_lY{Q{^7QmG^c~u5fh%H&9WWid#^3e_na=YCQVtsBtp8tSX98B! z_66`$DvxMThRo7ns=P|x|B*SVBqVe1y7zXftJ}S|J2a8!gi587;VDyugx(*I`^Xga zdWZ~p=1lP?Lm5Jm`mcjK>}^-x?mOSDzHk4&wbx#I?X}K5dmY}Z8>?)~kNHpEI^!Mh z&@snJMm5i`b52{0F6cgPbWGX)?iPD{dU~xGn7C=ch0ViXa9j@0j^(?~Hj908=R~!C z409-sUnAXb>-51V>!b12`^<=O!xp@io%3!Osp}tPajmOO!|M7TJ1i<(JBEMc94#Ap ztGvgxcAoNvU)y*Y``&NcxpDT)xY`K6+|~WO$82F5n4{76|6F3<`e(~VkxQL18u%5L z**#B%V>pEn{9$$Y=twxnB!c>#0+B$@;Xu%LaJpCO!*T77zlWC;8+(MWUwpmWPSfu1 z26uMWEz-~1npsq7A3C+;*)<!Nn>6+~G9Y!5?Z-nV0_Tm1pKdhN4=4}68kNNu#gDzw z&$8Ccn=T()ySOU8)l1p%o`sE^d#}p-9{p6cAo$Y2C#z4y_O#xjtk3b@eqLYr_~4LT zf;jOAgW-F0sic{|y1n1i=48LSM|x+sk7{5#j$Pa9ihi5<L31QmKb+dx>CKH5FSAc| zO&rthMUthp@M)Q4bnF>k<aSx6x4YZ>`_hJgx}M|Be4P+JVqjsE&g`T;qi3aD%z0KQ z^cgGMUvu72wzuff-jHd_1+fn2ws=fRGoRvehPP*AL}~bw`oZp#cFv8mTl&eQ-rL!C z>%%(NgfP$UQS&al_p(WRbb7JnWM9i24t4gov-ah>tUSh8`BVj@2b@VaA9v~IF0o|d zwDO_e=T_-SHmA%<I??9{9qSR<Dah9E-u$pl_h!jH*&X)Xk)9P8(<whIKDdXo&ic%x zCDt2XILv6cz}aDW$Jl@3hI<~S!(3xG1qHoMiMcejs?y(1U$l1XMFlmR*ZyLk;yD(4 zS9iy4c~36~4@$l7c_8N)@7(?iy!>Uw)($KDHlHrBO@CGJykF|Pk<#5>L;f0&>{Kwv zV9=vK9*)}EIl94pJpDj!6!J;;XM=TjYl<_?tK;4>!*9#aCRCa}I{)O{__TQMohChp zPO-g}FgU}pqrus}c{MXuFFdjG=$Z`Pq6_&8l`CWPUyPb~OzC=Z%|}_cqJg5-Ys)(9 zKNXfW7SuJ)sMzH1s|_wU%TMk#=xWWc4|_Rd(S2vLpv8JQ(_Gs)8wM-Qa<h7vl%Bei zwQrA?(!$^B%)>5?Mg~4s;fr7R?-8au9H^|3RQ!;aeeG!1`GzAm_K8^#EA+}3-qD4# zCU0L%)v6^9*5N%LY+CqugJO<TkLt2IlWwPujPTp9FE+W{{?sdDn?ZH9(;uBUGqJzy z{>$oL-n6SVO@WHt{sY%5wyn6AJ9N$SYl9sN@9ViuKiy4ee0kZhnWI0<`cGlyPovKa zximCvOR~w)vQ~?4mHqA<m9sfo@VI{6wFm2bI49OdU7DPk*RB5?n=6sFwYTFIBv?MX zInT}hP};2H+2*fO98>-&-m=S}GJH(Md-qk-(uLipq~%Ht50u`0>ic_sO38@)lHYPG zGt<%*t<39rnAf(jq@ZugsS<9?UC*S!m5C4ZbeLszTQ5c2xf%DmZho52^MLq9YO<G( zt~q56>Dmv}(zfF#&GpH56Tn}K;DVY+>ZW93;b;)el|{i)mdUw7A*^NX&co#%Q}lM^ zS!~dwsP^qC%2eHzqLfS*I8)^2?r!HXX}piaWUnv3;N7E5&y~G}?pB?s&l0H!N~Qv; ze5$+q`uI&9>*i}OkCfwtp*J|?YoS{;T&yQjH6_!wofaX0me8UATEvgy2nC`L83|Qv zF?&`vNd3DZMOmmg@Tp{OX`^V7TpGoZhy@}jTtbjYmy>X1JaqGdt0RIr2<lajNlJ$) z1X7xa7(7>JC0lcWEe8jhQ8y(6&!cJ(@DL|QNQcuxT#Q7R)>Q`A9Kl0VFo)R8Bx*CF z1rj?MH;~rWD{B?2v!g_YQi?j5rGqKsD0G*E1aUxiu|mqHW!k<T$0QY`kM{r(>_M;W z`6g9UG7Ygf1}Yl-sIF*$gV>J1_}tiA4XUPO7B9s?oN$<Hv9vk4;@)ttOo1Y@G4s9@ zSkT~3Hi_d(Bmn{`dm956F3@=CKL0Be6_MDAvQ(kqQ^`#JttsIoQ4+3HCJ+S?co{Rj zXHNiYPFH;SUP^^jGA}}OaOHm;tV|F|APw(7vv@h^|03vakP7ozGBNxco5rss36~$j z4FbtPfn1(g@nsjs$IOJUJ=+DyIzS$XkjEr_4_O@^;NbrWJS$27JQu8Y00PcV{tj@H z7WCoMwhl7jCcv}N_6S#*@*P~6T&m#973_-r)&K_An%!;<Pu2a@8<$y;)-pSkD-EHE zhP554<tzkG*b02B10r)#X3N~KE+!N_7D?!ZZcCC=yHHeAC`H*J@D*EHhRY;0Ul1rD z%l+3=TVqqu^>(;eN2Y2@CMdsUv_dWrk_0xYF5be0jm8S3MJ?m_k(R09AgVwtBFx^K zjjvCpfVG{1XtuXXRQLpG&*0o|!&}^bFBRN<Y6i9-gPWqL^L9F~qkX_rD@4W_MteGV zCV>Pu;X)ls^fi<L8=I8obLB8HP6SsfB0H4r@${7cwx*~8*w@&nK2=T0xLrqhTq!?T z5KeR0DIjRdY(#ZfB#ceahoZo8)J@3@x`%Lh3V|?y6H3du1j^gEXu+anwzCehLpCxu zpCS~#P+;feXirCevpw-7rML7mfMA6qk|K1qmCPbsoJk06DPSj1w??MWq!orB_0R2? z<1`n-s53rz>=L#S?JpJu3P^6gtEHafdRQSjV0);gH10zPFv(5L$ejLm^C6I<&I16A zHcJ1%8L%somX#<zIIGYJ#$QBH+KNyzI!95&mxIW-u^!&Fvg!ux0w=*ybylm9T|PC{ zNPl+ih?-b~dQVRt3k1*X385AoTv0bAqx%Md1VL3!KEbF`PWyyB1Hf(QjgBIt76XXc zvYz-TOzP_UUmzOgfd;g{qA8=iZnV25i8V?a+$fbvdfFBh1PHQGYD=L#ibh6mt&br{ zMj24IXniV}lo^;58{(^)l9BC4`hTh2MbJb1lxJHP!EBa;yFiz?^8u6~;5o|0P8^yP zcbM}hluQId8VG^P@kEJGLdBvGI*K62sH()uAA3_&+-7_}1COHwSvbia_=Xi%lOeVE z6$}a;$KQ95{vvKDErXbcxUuUe9eb;UXd!(Q9=|THKqy~=CK^(u0HQ(?b*sw#j3_D; zHZD}0$PNbD6Dy%5&W=Om+#u3Y-5;1U!ycxWO|DQ%t3D_t%5i9ukx<x_R<EOh;tWQD zQi3coN;47p^mbJ}EkKUlpk$QN*$SsPH7QH7Zzlf&<V8h8asL%)gHU8p3xOvl*;-kL zUc0lw(AmwBeTqxfluWP-iuhb@vUk4#I=sKVJX9jYeZWqq1IOn>_e8i*hwL_#Kq4~o z1}t%z35sn1r;Mtl0%Hi|v>lXh;|CM0zjTdr$}Gr3?fT%kXxK1R5}A-AQ%EFYDSKuE zAJ9CTHk<px96g6QLenoDcLbvl3HaiGFZ({p@Fwh=$fH3kX>g(2jK2p0YC6jLW35xg zPKdBJ^};>;TNDuyOhZch?O^Iks@luJY|p}g&{V(F7m*<X7NIyo){I_Y6zXiUC;P|O zretFL5Y%_1lG@213{BmX%n>r{dow?X)znSN_zh^S?Iu)$wVd|#S3}q>`HDLc^Y3#$ zG_2p|(IWP{5<Xi*SY5A{s7?A6?Q9QCPdj+G1Z_6eD>9sr_zBF|p*KaL(w0tY0o-(+ z7aM+&iG=X!J=|Lvgs8w|RtwO7k>tVFqi#y(GN%RdcV~FkYAS1Cxsfe!zbCyzHTx;5 z1!U7+XY__nQ`zEcQ^9GVD?K|Nfr2G{F1OQ6RyMh|?`v0Z?a?s(s5h-nAhNhZ0hi=W ze}3!wrvlvQ`|%Wox(qs*2;#9dfY{eR5ZvOk%koYmV07%6Zxq&fYcnvZB$NQ_ovbi7 z2X(~&urD&L>D!utfyZU<5fgy6T~~C|0m+ua9gN-x@bPvs@N?z}X&Wg>UswM+#t@<? zt|LBHo88UOAn_oGHfsEs+h(xGE(H5UO+$3J8JL6=tzJC;#&sE(MJ>z#x;GswBC;R` zp@m`zL9E6n?^ePMDXIW04V}-JQZkCQ4S^_7On~X+7v!7zQ&i<N9qdNJgo{L2Gxz)1 z+rmFCuX$Gjw*P>S>ny|W2kreywVbqGS%L>A_{+Rh)}dswJcumv*ASn-!@%C5qCv?g zH;2-GqY5q_{-OvCv%<GoCfRiHs^}V=+pK1Bni}c2gm{T&4bsq`h$I$l#;JJiVGT9m z7a|p@M2yq$;+GnlUjUJ&RSFYl;l&>{tSvN|r78u9lkmcK8d7yIk)%}y4`<;e+%&AP z`DE7Df^IknFWjL46+yX6Qe`+*84sL<AM)0a9z+vKUypp_9Q=HYhEu(a$Wfn`!Aba& sq8gGzYBMC&bE7y8fBry&>z9GxNVjYCA<&{IKKwL7y7+nnBx=<E0eV=S(*OVf diff --git a/venv/Lib/site-packages/setuptools-58.2.0.dist-info/INSTALLER b/venv/Lib/site-packages/setuptools-58.2.0.dist-info/INSTALLER new file mode 100644 index 0000000..a1b589e --- /dev/null +++ b/venv/Lib/site-packages/setuptools-58.2.0.dist-info/INSTALLER @@ -0,0 +1 @@ +pip diff --git a/venv/Lib/site-packages/setuptools-58.2.0.dist-info/LICENSE b/venv/Lib/site-packages/setuptools-58.2.0.dist-info/LICENSE new file mode 100644 index 0000000..353924b --- /dev/null +++ b/venv/Lib/site-packages/setuptools-58.2.0.dist-info/LICENSE @@ -0,0 +1,19 @@ +Copyright Jason R. Coombs + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to +deal in the Software without restriction, including without limitation the +rights to use, copy, modify, merge, publish, distribute, sublicense, and/or +sell copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS +IN THE SOFTWARE. diff --git a/venv/Lib/site-packages/setuptools-58.2.0.dist-info/METADATA b/venv/Lib/site-packages/setuptools-58.2.0.dist-info/METADATA new file mode 100644 index 0000000..66e6b14 --- /dev/null +++ b/venv/Lib/site-packages/setuptools-58.2.0.dist-info/METADATA @@ -0,0 +1,119 @@ +Metadata-Version: 2.1 +Name: setuptools +Version: 58.2.0 +Summary: Easily download, build, install, upgrade, and uninstall Python packages +Home-page: https://github.com/pypa/setuptools +Author: Python Packaging Authority +Author-email: distutils-sig@python.org +License: UNKNOWN +Project-URL: Documentation, https://setuptools.readthedocs.io/ +Keywords: CPAN PyPI distutils eggs package management +Platform: UNKNOWN +Classifier: Development Status :: 5 - Production/Stable +Classifier: Intended Audience :: Developers +Classifier: License :: OSI Approved :: MIT License +Classifier: Programming Language :: Python :: 3 +Classifier: Programming Language :: Python :: 3 :: Only +Classifier: Topic :: Software Development :: Libraries :: Python Modules +Classifier: Topic :: System :: Archiving :: Packaging +Classifier: Topic :: System :: Systems Administration +Classifier: Topic :: Utilities +Requires-Python: >=3.6 +License-File: LICENSE +Provides-Extra: certs +Provides-Extra: docs +Requires-Dist: sphinx ; extra == 'docs' +Requires-Dist: jaraco.packaging (>=8.2) ; extra == 'docs' +Requires-Dist: rst.linker (>=1.9) ; extra == 'docs' +Requires-Dist: jaraco.tidelift (>=1.4) ; extra == 'docs' +Requires-Dist: pygments-github-lexers (==0.0.5) ; extra == 'docs' +Requires-Dist: sphinx-inline-tabs ; extra == 'docs' +Requires-Dist: sphinxcontrib-towncrier ; extra == 'docs' +Requires-Dist: furo ; extra == 'docs' +Provides-Extra: ssl +Provides-Extra: testing +Requires-Dist: pytest (>=4.6) ; extra == 'testing' +Requires-Dist: pytest-checkdocs (>=2.4) ; extra == 'testing' +Requires-Dist: pytest-flake8 ; extra == 'testing' +Requires-Dist: pytest-cov ; extra == 'testing' +Requires-Dist: pytest-enabler (>=1.0.1) ; extra == 'testing' +Requires-Dist: mock ; extra == 'testing' +Requires-Dist: flake8-2020 ; extra == 'testing' +Requires-Dist: virtualenv (>=13.0.0) ; extra == 'testing' +Requires-Dist: pytest-virtualenv (>=1.2.7) ; extra == 'testing' +Requires-Dist: wheel ; extra == 'testing' +Requires-Dist: paver ; extra == 'testing' +Requires-Dist: pip (>=19.1) ; extra == 'testing' +Requires-Dist: jaraco.envs ; extra == 'testing' +Requires-Dist: pytest-xdist ; extra == 'testing' +Requires-Dist: sphinx ; extra == 'testing' +Requires-Dist: jaraco.path (>=3.2.0) ; extra == 'testing' +Requires-Dist: pytest-black (>=0.3.7) ; (platform_python_implementation != "PyPy") and extra == 'testing' +Requires-Dist: pytest-mypy ; (platform_python_implementation != "PyPy") and extra == 'testing' + +.. image:: https://img.shields.io/pypi/v/setuptools.svg + :target: `PyPI link`_ + +.. image:: https://img.shields.io/pypi/pyversions/setuptools.svg + :target: `PyPI link`_ + +.. _PyPI link: https://pypi.org/project/setuptools + +.. image:: https://github.com/pypa/setuptools/workflows/tests/badge.svg + :target: https://github.com/pypa/setuptools/actions?query=workflow%3A%22tests%22 + :alt: tests + +.. image:: https://img.shields.io/badge/code%20style-black-000000.svg + :target: https://github.com/psf/black + :alt: Code style: Black + +.. image:: https://img.shields.io/readthedocs/setuptools/latest.svg + :target: https://setuptools.readthedocs.io + +.. image:: https://img.shields.io/badge/skeleton-2021-informational + :target: https://blog.jaraco.com/skeleton + +.. image:: https://img.shields.io/codecov/c/github/pypa/setuptools/master.svg?logo=codecov&logoColor=white + :target: https://codecov.io/gh/pypa/setuptools + +.. image:: https://tidelift.com/badges/github/pypa/setuptools?style=flat + :target: https://tidelift.com/subscription/pkg/pypi-setuptools?utm_source=pypi-setuptools&utm_medium=readme + +See the `Installation Instructions +<https://packaging.python.org/installing/>`_ in the Python Packaging +User's Guide for instructions on installing, upgrading, and uninstalling +Setuptools. + +Questions and comments should be directed to the `distutils-sig +mailing list <http://mail.python.org/pipermail/distutils-sig/>`_. +Bug reports and especially tested patches may be +submitted directly to the `bug tracker +<https://github.com/pypa/setuptools/issues>`_. + + +Code of Conduct +=============== + +Everyone interacting in the setuptools project's codebases, issue trackers, +chat rooms, and mailing lists is expected to follow the +`PSF Code of Conduct <https://github.com/pypa/.github/blob/main/CODE_OF_CONDUCT.md>`_. + + +For Enterprise +============== + +Available as part of the Tidelift Subscription. + +Setuptools and the maintainers of thousands of other packages are working with Tidelift to deliver one enterprise subscription that covers all of the open source you use. + +`Learn more <https://tidelift.com/subscription/pkg/pypi-setuptools?utm_source=pypi-setuptools&utm_medium=referral&utm_campaign=github>`_. + + +Security Contact +================ + +To report a security vulnerability, please use the +`Tidelift security contact <https://tidelift.com/security>`_. +Tidelift will coordinate the fix and disclosure. + + diff --git a/venv/Lib/site-packages/setuptools-58.2.0.dist-info/RECORD b/venv/Lib/site-packages/setuptools-58.2.0.dist-info/RECORD new file mode 100644 index 0000000..f4f4533 --- /dev/null +++ b/venv/Lib/site-packages/setuptools-58.2.0.dist-info/RECORD @@ -0,0 +1,297 @@ +_distutils_hack/__init__.py,sha256=X3RUiA6KBPoEmco_CjACyltyQbFRGVUpZRAbSkPGwMs,3688 +_distutils_hack/__pycache__/__init__.cpython-38.pyc,, +_distutils_hack/__pycache__/override.cpython-38.pyc,, +_distutils_hack/override.py,sha256=Eu_s-NF6VIZ4Cqd0tbbA5wtWky2IZPNd8et6GLt1mzo,44 +distutils-precedence.pth,sha256=fqf_7z_ioRfuEsaO1lU2F_DX_S8FkCV8JcSElZo7c3M,152 +pkg_resources/__init__.py,sha256=P3PNN3_m8JJrYMp-i-Sq-3rhK5vuViqqjn1UXKHfe7Q,108202 +pkg_resources/__pycache__/__init__.cpython-38.pyc,, +pkg_resources/_vendor/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +pkg_resources/_vendor/__pycache__/__init__.cpython-38.pyc,, +pkg_resources/_vendor/__pycache__/appdirs.cpython-38.pyc,, +pkg_resources/_vendor/__pycache__/pyparsing.cpython-38.pyc,, +pkg_resources/_vendor/appdirs.py,sha256=MievUEuv3l_mQISH5SF0shDk_BNhHHzYiAPrT3ITN4I,24701 +pkg_resources/_vendor/packaging/__about__.py,sha256=PNMsaZn4UcCHyubgROH1bl6CluduPjI5kFrSp_Zgklo,736 +pkg_resources/_vendor/packaging/__init__.py,sha256=6enbp5XgRfjBjsI9-bn00HjHf5TH21PDMOKkJW8xw-w,562 +pkg_resources/_vendor/packaging/__pycache__/__about__.cpython-38.pyc,, +pkg_resources/_vendor/packaging/__pycache__/__init__.cpython-38.pyc,, +pkg_resources/_vendor/packaging/__pycache__/_compat.cpython-38.pyc,, +pkg_resources/_vendor/packaging/__pycache__/_structures.cpython-38.pyc,, +pkg_resources/_vendor/packaging/__pycache__/_typing.cpython-38.pyc,, +pkg_resources/_vendor/packaging/__pycache__/markers.cpython-38.pyc,, +pkg_resources/_vendor/packaging/__pycache__/requirements.cpython-38.pyc,, +pkg_resources/_vendor/packaging/__pycache__/specifiers.cpython-38.pyc,, +pkg_resources/_vendor/packaging/__pycache__/tags.cpython-38.pyc,, +pkg_resources/_vendor/packaging/__pycache__/utils.cpython-38.pyc,, +pkg_resources/_vendor/packaging/__pycache__/version.cpython-38.pyc,, +pkg_resources/_vendor/packaging/_compat.py,sha256=MXdsGpSE_W-ZrHoC87andI4LV2FAwU7HLL-eHe_CjhU,1128 +pkg_resources/_vendor/packaging/_structures.py,sha256=ozkCX8Q8f2qE1Eic3YiQ4buDVfgz2iYevY9e7R2y3iY,2022 +pkg_resources/_vendor/packaging/_typing.py,sha256=x59EhQ57TMT-kTRyLZV25HZvYGGwbucTo6iKh_O0tMw,1812 +pkg_resources/_vendor/packaging/markers.py,sha256=YSntQkMnKyw1_FG6oRNNnGxLL6bAxcGXOtuFE-YTS3k,9518 +pkg_resources/_vendor/packaging/requirements.py,sha256=R8K4H4xX_iD4LvpGw1U3ouuPbGN-wzsFgD7brhAM71Y,4929 +pkg_resources/_vendor/packaging/specifiers.py,sha256=uYp9l13F0LcknS6d4N60ytiBgFmIhKideOq9AnsxTco,31944 +pkg_resources/_vendor/packaging/tags.py,sha256=NKMS37Zo_nWrZxgsD6zbXsXgc9edn9m160cBiLmHJdE,24067 +pkg_resources/_vendor/packaging/utils.py,sha256=RShlvnjO2CtYSD8uri32frMMFMTmB-3ihsq1-ghzLEw,1811 +pkg_resources/_vendor/packaging/version.py,sha256=Cnbm-OO9D_qd8ZTFxzFcjSavexSYFZmyeaoPvMsjgPc,15470 +pkg_resources/_vendor/pyparsing.py,sha256=mahtkgcp3grNAD0re_9R0DLvBnvjzpeLwgJqT-3H1CE,232056 +pkg_resources/extern/__init__.py,sha256=3PixaT9Tzzd4NoyV6CVhGd7S_9Z-U5yvMWAftZKvC6k,2362 +pkg_resources/extern/__pycache__/__init__.cpython-38.pyc,, +pkg_resources/tests/data/my-test-package-source/__pycache__/setup.cpython-38.pyc,, +pkg_resources/tests/data/my-test-package-source/setup.py,sha256=Mrezl3nqxkYkjCYpIxmjhhg4AR8hgi4QZdEYmk-I7R8,104 +setuptools-58.2.0.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4 +setuptools-58.2.0.dist-info/LICENSE,sha256=2z8CRrH5J48VhFuZ_sR4uLUG63ZIeZNyL4xuJUKF-vg,1050 +setuptools-58.2.0.dist-info/METADATA,sha256=h347CDCndBQF97HELXKlR5YYWGg5PUoqcTcemtD3lSs,4852 +setuptools-58.2.0.dist-info/RECORD,, +setuptools-58.2.0.dist-info/WHEEL,sha256=ewwEueio1C2XeHTvT17n8dZUJgOvyCWCt0WVNLClP9o,92 +setuptools-58.2.0.dist-info/entry_points.txt,sha256=wpnhLrbtyk4hZ1qCCw48cCSxoQPzULMhIuaFqsB7GxQ,2636 +setuptools-58.2.0.dist-info/top_level.txt,sha256=d9yL39v_W7qmKDDSH6sT4bE0j_Ls1M3P161OGgdsm4g,41 +setuptools/__init__.py,sha256=l7ULo8jGk-4-8jbacmJ58cYpSRX4swS1ccbJaJVAGdM,7448 +setuptools/__pycache__/__init__.cpython-38.pyc,, +setuptools/__pycache__/_deprecation_warning.cpython-38.pyc,, +setuptools/__pycache__/_imp.cpython-38.pyc,, +setuptools/__pycache__/archive_util.cpython-38.pyc,, +setuptools/__pycache__/build_meta.cpython-38.pyc,, +setuptools/__pycache__/config.cpython-38.pyc,, +setuptools/__pycache__/dep_util.cpython-38.pyc,, +setuptools/__pycache__/depends.cpython-38.pyc,, +setuptools/__pycache__/dist.cpython-38.pyc,, +setuptools/__pycache__/errors.cpython-38.pyc,, +setuptools/__pycache__/extension.cpython-38.pyc,, +setuptools/__pycache__/glob.cpython-38.pyc,, +setuptools/__pycache__/installer.cpython-38.pyc,, +setuptools/__pycache__/launch.cpython-38.pyc,, +setuptools/__pycache__/monkey.cpython-38.pyc,, +setuptools/__pycache__/msvc.cpython-38.pyc,, +setuptools/__pycache__/namespaces.cpython-38.pyc,, +setuptools/__pycache__/package_index.cpython-38.pyc,, +setuptools/__pycache__/py34compat.cpython-38.pyc,, +setuptools/__pycache__/sandbox.cpython-38.pyc,, +setuptools/__pycache__/unicode_utils.cpython-38.pyc,, +setuptools/__pycache__/version.cpython-38.pyc,, +setuptools/__pycache__/wheel.cpython-38.pyc,, +setuptools/__pycache__/windows_support.cpython-38.pyc,, +setuptools/_deprecation_warning.py,sha256=jU9-dtfv6cKmtQJOXN8nP1mm7gONw5kKEtiPtbwnZyI,218 +setuptools/_distutils/__init__.py,sha256=lpQAphR_7uhWC2fbSEps4Ja9W4YwezN_IX_LJEt3khU,250 +setuptools/_distutils/__pycache__/__init__.cpython-38.pyc,, +setuptools/_distutils/__pycache__/_msvccompiler.cpython-38.pyc,, +setuptools/_distutils/__pycache__/archive_util.cpython-38.pyc,, +setuptools/_distutils/__pycache__/bcppcompiler.cpython-38.pyc,, +setuptools/_distutils/__pycache__/ccompiler.cpython-38.pyc,, +setuptools/_distutils/__pycache__/cmd.cpython-38.pyc,, +setuptools/_distutils/__pycache__/config.cpython-38.pyc,, +setuptools/_distutils/__pycache__/core.cpython-38.pyc,, +setuptools/_distutils/__pycache__/cygwinccompiler.cpython-38.pyc,, +setuptools/_distutils/__pycache__/debug.cpython-38.pyc,, +setuptools/_distutils/__pycache__/dep_util.cpython-38.pyc,, +setuptools/_distutils/__pycache__/dir_util.cpython-38.pyc,, +setuptools/_distutils/__pycache__/dist.cpython-38.pyc,, +setuptools/_distutils/__pycache__/errors.cpython-38.pyc,, +setuptools/_distutils/__pycache__/extension.cpython-38.pyc,, +setuptools/_distutils/__pycache__/fancy_getopt.cpython-38.pyc,, +setuptools/_distutils/__pycache__/file_util.cpython-38.pyc,, +setuptools/_distutils/__pycache__/filelist.cpython-38.pyc,, +setuptools/_distutils/__pycache__/log.cpython-38.pyc,, +setuptools/_distutils/__pycache__/msvc9compiler.cpython-38.pyc,, +setuptools/_distutils/__pycache__/msvccompiler.cpython-38.pyc,, +setuptools/_distutils/__pycache__/py35compat.cpython-38.pyc,, +setuptools/_distutils/__pycache__/py38compat.cpython-38.pyc,, +setuptools/_distutils/__pycache__/spawn.cpython-38.pyc,, +setuptools/_distutils/__pycache__/sysconfig.cpython-38.pyc,, +setuptools/_distutils/__pycache__/text_file.cpython-38.pyc,, +setuptools/_distutils/__pycache__/unixccompiler.cpython-38.pyc,, +setuptools/_distutils/__pycache__/util.cpython-38.pyc,, +setuptools/_distutils/__pycache__/version.cpython-38.pyc,, +setuptools/_distutils/__pycache__/versionpredicate.cpython-38.pyc,, +setuptools/_distutils/_msvccompiler.py,sha256=jR0JM5A1JMnZ6xMDicQzhXWgXTVXs1lWAeUexC1z198,20813 +setuptools/_distutils/archive_util.py,sha256=qW-uiGwYexTvK5e-iSel_31Dshx-CqTanNPK6snwf98,8572 +setuptools/_distutils/bcppcompiler.py,sha256=OJDVpCUmX6H8v_7lV1zifV1fcx92Cr2dhiUh6989UJI,14894 +setuptools/_distutils/ccompiler.py,sha256=G2tn9Q3zQ0VUNfW1LM-nrnLt_6OhtiUunugCv85D1PQ,47607 +setuptools/_distutils/cmd.py,sha256=eco6LAGUtobLuPafuhmgKgkwRRL_WY8KJ4YeDCHpcls,18079 +setuptools/_distutils/command/__init__.py,sha256=2TA-rlNDlzeI-csbWHXFjGD8uOYqALMfyWOhT49nC6g,799 +setuptools/_distutils/command/__pycache__/__init__.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/bdist.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/bdist_dumb.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/bdist_msi.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/bdist_rpm.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/bdist_wininst.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/build.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/build_clib.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/build_ext.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/build_py.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/build_scripts.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/check.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/clean.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/config.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/install.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/install_data.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/install_egg_info.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/install_headers.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/install_lib.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/install_scripts.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/py37compat.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/register.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/sdist.cpython-38.pyc,, +setuptools/_distutils/command/__pycache__/upload.cpython-38.pyc,, +setuptools/_distutils/command/bdist.py,sha256=2z4eudRl_n7m3lG9leL0IYqes4bsm8c0fxfZuiafjMg,5562 +setuptools/_distutils/command/bdist_dumb.py,sha256=BTur9jcIppyP7Piavjfsk7YjElqvxeYO2npUyPPOekc,4913 +setuptools/_distutils/command/bdist_msi.py,sha256=EVFQYN_X-ExeeP8gmdV9JcINsuUGsLJUz9afMU0Rt8c,35579 +setuptools/_distutils/command/bdist_rpm.py,sha256=gjOw22GhDSbcq0bdq25cTb-n6HWWm0bShLQad_mkJ4k,21537 +setuptools/_distutils/command/bdist_wininst.py,sha256=iGlaI-VfElHOneeczKHWnSN5a10-7IMcJaXuR1mdS3c,16030 +setuptools/_distutils/command/build.py,sha256=1AF-dxN_NlOEyoydBz19AwpeWYPSYCZvOLJSN_PdatY,5773 +setuptools/_distutils/command/build_clib.py,sha256=bgVTHh28eLQA2Gkw68amApd_j7qQBX4MTI-zTvAK_J4,8022 +setuptools/_distutils/command/build_ext.py,sha256=hX4ksYXRC-Q3fEvLrANIG97mq3twO6ZwkMhfANNK3Yg,31683 +setuptools/_distutils/command/build_py.py,sha256=hXesMrH_epNj6K8SUtJdipgEis3EdICKeZ8VWe_ndck,16495 +setuptools/_distutils/command/build_scripts.py,sha256=urdn6wPxPMW5dLqpqFkZ8dqaFG1tf9TiAao6U9LCoEI,5963 +setuptools/_distutils/command/check.py,sha256=5qDtI75ccZg3sAItQWeaIu8y3FR314O4rr9Smz4HsEo,5637 +setuptools/_distutils/command/clean.py,sha256=2TCt47ru4hZZM0RfVfUYj5bbpicpGLP4Qhw5jBtvp9k,2776 +setuptools/_distutils/command/config.py,sha256=2aTjww3PwjMB8-ZibCe4P7B-qG1hM1gn_rJXYyxRz6c,13117 +setuptools/_distutils/command/install.py,sha256=oaYyzj2vAGb_HKqdFts7rY0gx80W9MrqPQCZpfvGj2k,27534 +setuptools/_distutils/command/install_data.py,sha256=YhGOAwh3gJPqF7em5XA0rmpR42z1bLh80ooElzDyUvk,2822 +setuptools/_distutils/command/install_egg_info.py,sha256=0kW0liVMeadkjX0ZcRfMptKFen07Gw6gyw1VHT5KIwc,2603 +setuptools/_distutils/command/install_headers.py,sha256=XQ6idkbIDfr1ljXCOznuVUMvOFpHBn6cK0Wz9gIM2b4,1298 +setuptools/_distutils/command/install_lib.py,sha256=9AofR-MO9lAtjwwuukCptepOaJEKMZW2VHiyR5hU7HA,8397 +setuptools/_distutils/command/install_scripts.py,sha256=_CLUeQwGJRcY2kik7azPMn5IdtDCrjWdUvZ1khlG6ck,2017 +setuptools/_distutils/command/py37compat.py,sha256=qzRhhvTihqx_PZZt2ZYECxh1X3Oj255VqatzelYFAKw,671 +setuptools/_distutils/command/register.py,sha256=2jaq9968rt2puRVDBx1HbNiXv27uOk8idE_4lPf_3VM,11712 +setuptools/_distutils/command/sdist.py,sha256=qotJjAOzyhJjq2-oDImjNFrOtaSneEFDJTB-sEk1wnU,19005 +setuptools/_distutils/command/upload.py,sha256=BLO1w7eSAqsCjCLXtf_CRVSjwF1WmyOByGVGNdcQ8oY,7597 +setuptools/_distutils/config.py,sha256=dtHgblx9JhfyrKx1-J7Jlxw_f7s8ZbPFQii2UWMTZpY,4827 +setuptools/_distutils/core.py,sha256=jbdOkpOK09xi-56vhhwvn3fYdhLb5DJO8q3K1fnQz0Q,8876 +setuptools/_distutils/cygwinccompiler.py,sha256=QpmRAopZOYEKww_iCWTu3KLjs9gggyl90E0fagAxqCM,16938 +setuptools/_distutils/debug.py,sha256=N6MrTAqK6l9SVk6tWweR108PM8Ol7qNlfyV-nHcLhsY,139 +setuptools/_distutils/dep_util.py,sha256=GuR9Iw_jzZRkyemJ5HX8rB_wRGxkIBcBm1qh54r7zhk,3491 +setuptools/_distutils/dir_util.py,sha256=UwhBOUTcV65GTwce4SPuTXR8Z8q3LYEcmttqcGb0bYo,7778 +setuptools/_distutils/dist.py,sha256=Biuf6ca8uiFfMScRFsYUKtb5neMPtxKxRtXn50_1f3U,50421 +setuptools/_distutils/errors.py,sha256=Yr6tKZGdzBoNi53vBtiq0UJ__X05CmxSdQJqOWaw6SY,3577 +setuptools/_distutils/extension.py,sha256=bTb3Q0CoevGKYv5dX1ls--Ln8tlB0-UEOsi9BwzlZ-s,10515 +setuptools/_distutils/fancy_getopt.py,sha256=OPxp2CxHi1Yp_d1D8JxW4Ueq9fC71tegQFaafh58GGU,17784 +setuptools/_distutils/file_util.py,sha256=0hUqfItN_x2DVihR0MHdA4KCMVCOO8VoByaFp_a6MDg,8148 +setuptools/_distutils/filelist.py,sha256=Z9f5hvepZnpniZ2IFmCnWIjdviWozs8sbARBhWajwoM,13407 +setuptools/_distutils/log.py,sha256=hWBmdUC2K927QcVv3REMW3HMPclxccPQngxLSuUXQl0,1969 +setuptools/_distutils/msvc9compiler.py,sha256=X623B92g0v8A3BEM9qpRf396AEd_hfjkfDUVTKu0hcE,30453 +setuptools/_distutils/msvccompiler.py,sha256=qruALeGRq8-CjtjE2tLQ8W26QnchcYedWzFme8AxZ4Q,23540 +setuptools/_distutils/py35compat.py,sha256=-sk1vBIsOgH-AobjIYbK_OEjdJF_54Ul_D1EiE9XM_c,455 +setuptools/_distutils/py38compat.py,sha256=II7ddBxOijC7uNN4z_46HYUjwYTJYMNiLJoGTormZm0,212 +setuptools/_distutils/spawn.py,sha256=4uE9k3VZWijxy7E_Rlcmh1MoamaPJ8rajdNBagKxjgU,3498 +setuptools/_distutils/sysconfig.py,sha256=mrtbAa9QXYXrNEe2HGKFyes2oJTNqImcgJGWiXnxOtQ,21630 +setuptools/_distutils/text_file.py,sha256=PsuAJeWdKJoLSV_6N6IpB5-0Pa84KzLUucJMFRazw3I,12483 +setuptools/_distutils/unixccompiler.py,sha256=VmkjwPXyVI8_nbHLqrGgS7xgf12JNeWXkWHcx1iRIj0,14980 +setuptools/_distutils/util.py,sha256=6UsgxxG3pzfimk2JHa5LBIHHddmBT-YdxoocXLlL6g4,20373 +setuptools/_distutils/version.py,sha256=8NogP6NPPQpp3EUMZcT9czEHia-ehqPo8spo_e7AgUU,12514 +setuptools/_distutils/versionpredicate.py,sha256=ZxpEA-TQv88mUWc6hetUO4qSqA2sa7ipjZ3QEK5evDk,5133 +setuptools/_imp.py,sha256=HmF91IbitRfsD5z-g4_wmcuH-RahyIONbPgiCOFgtzA,2392 +setuptools/_vendor/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +setuptools/_vendor/__pycache__/__init__.cpython-38.pyc,, +setuptools/_vendor/__pycache__/ordered_set.cpython-38.pyc,, +setuptools/_vendor/__pycache__/pyparsing.cpython-38.pyc,, +setuptools/_vendor/more_itertools/__init__.py,sha256=C7sXffHTXM3P-iaLPPfqfmDoxOflQMJLcM7ed9p3jak,82 +setuptools/_vendor/more_itertools/__pycache__/__init__.cpython-38.pyc,, +setuptools/_vendor/more_itertools/__pycache__/more.cpython-38.pyc,, +setuptools/_vendor/more_itertools/__pycache__/recipes.cpython-38.pyc,, +setuptools/_vendor/more_itertools/more.py,sha256=DlZa8v6JihVwfQ5zHidOA-xDE0orcQIUyxVnCaUoDKE,117968 +setuptools/_vendor/more_itertools/recipes.py,sha256=UkNkrsZyqiwgLHANBTmvMhCvaNSvSNYhyOpz_Jc55DY,16256 +setuptools/_vendor/ordered_set.py,sha256=dbaCcs27dyN9gnMWGF5nA_BrVn6Q-NrjKYJpV9_fgBs,15130 +setuptools/_vendor/packaging/__about__.py,sha256=PNMsaZn4UcCHyubgROH1bl6CluduPjI5kFrSp_Zgklo,736 +setuptools/_vendor/packaging/__init__.py,sha256=6enbp5XgRfjBjsI9-bn00HjHf5TH21PDMOKkJW8xw-w,562 +setuptools/_vendor/packaging/__pycache__/__about__.cpython-38.pyc,, +setuptools/_vendor/packaging/__pycache__/__init__.cpython-38.pyc,, +setuptools/_vendor/packaging/__pycache__/_compat.cpython-38.pyc,, +setuptools/_vendor/packaging/__pycache__/_structures.cpython-38.pyc,, +setuptools/_vendor/packaging/__pycache__/_typing.cpython-38.pyc,, +setuptools/_vendor/packaging/__pycache__/markers.cpython-38.pyc,, +setuptools/_vendor/packaging/__pycache__/requirements.cpython-38.pyc,, +setuptools/_vendor/packaging/__pycache__/specifiers.cpython-38.pyc,, +setuptools/_vendor/packaging/__pycache__/tags.cpython-38.pyc,, +setuptools/_vendor/packaging/__pycache__/utils.cpython-38.pyc,, +setuptools/_vendor/packaging/__pycache__/version.cpython-38.pyc,, +setuptools/_vendor/packaging/_compat.py,sha256=MXdsGpSE_W-ZrHoC87andI4LV2FAwU7HLL-eHe_CjhU,1128 +setuptools/_vendor/packaging/_structures.py,sha256=ozkCX8Q8f2qE1Eic3YiQ4buDVfgz2iYevY9e7R2y3iY,2022 +setuptools/_vendor/packaging/_typing.py,sha256=x59EhQ57TMT-kTRyLZV25HZvYGGwbucTo6iKh_O0tMw,1812 +setuptools/_vendor/packaging/markers.py,sha256=BCCxZbt8xgysH8v5pqbLkdtQnRZHIGkJQqlNBGek4nQ,9509 +setuptools/_vendor/packaging/requirements.py,sha256=VHydZdk8m3qFxReomNwKr71cmpjantEV_xOhkEyyINI,4917 +setuptools/_vendor/packaging/specifiers.py,sha256=uYp9l13F0LcknS6d4N60ytiBgFmIhKideOq9AnsxTco,31944 +setuptools/_vendor/packaging/tags.py,sha256=NKMS37Zo_nWrZxgsD6zbXsXgc9edn9m160cBiLmHJdE,24067 +setuptools/_vendor/packaging/utils.py,sha256=RShlvnjO2CtYSD8uri32frMMFMTmB-3ihsq1-ghzLEw,1811 +setuptools/_vendor/packaging/version.py,sha256=Cnbm-OO9D_qd8ZTFxzFcjSavexSYFZmyeaoPvMsjgPc,15470 +setuptools/_vendor/pyparsing.py,sha256=mahtkgcp3grNAD0re_9R0DLvBnvjzpeLwgJqT-3H1CE,232056 +setuptools/archive_util.py,sha256=maJDbozRbDeSPw53VT0cb_IS3W0Ap73lJR8tX8RZDx0,7077 +setuptools/build_meta.py,sha256=x7FI1UPKCKxBBSopXocfGDnJa98rQO8atKXSwJtdid8,10280 +setuptools/cli-32.exe,sha256=dfEuovMNnA2HLa3jRfMPVi5tk4R7alCbpTvuxtCyw0Y,65536 +setuptools/cli-64.exe,sha256=KLABu5pyrnokJCv6skjXZ6GsXeyYHGcqOUT3oHI3Xpo,74752 +setuptools/cli-arm64.exe,sha256=o9amxowudZ98NvNWh_a2DRY8LhoIRqTAekxABqltiMc,137216 +setuptools/cli.exe,sha256=dfEuovMNnA2HLa3jRfMPVi5tk4R7alCbpTvuxtCyw0Y,65536 +setuptools/command/__init__.py,sha256=e-8TJOikUe3St0fw2b2p9u5EDdSxl5zHUBJJKifbcQ8,217 +setuptools/command/__pycache__/__init__.cpython-38.pyc,, +setuptools/command/__pycache__/alias.cpython-38.pyc,, +setuptools/command/__pycache__/bdist_egg.cpython-38.pyc,, +setuptools/command/__pycache__/bdist_rpm.cpython-38.pyc,, +setuptools/command/__pycache__/build_clib.cpython-38.pyc,, +setuptools/command/__pycache__/build_ext.cpython-38.pyc,, +setuptools/command/__pycache__/build_py.cpython-38.pyc,, +setuptools/command/__pycache__/develop.cpython-38.pyc,, +setuptools/command/__pycache__/dist_info.cpython-38.pyc,, +setuptools/command/__pycache__/easy_install.cpython-38.pyc,, +setuptools/command/__pycache__/egg_info.cpython-38.pyc,, +setuptools/command/__pycache__/install.cpython-38.pyc,, +setuptools/command/__pycache__/install_egg_info.cpython-38.pyc,, +setuptools/command/__pycache__/install_lib.cpython-38.pyc,, +setuptools/command/__pycache__/install_scripts.cpython-38.pyc,, +setuptools/command/__pycache__/py36compat.cpython-38.pyc,, +setuptools/command/__pycache__/register.cpython-38.pyc,, +setuptools/command/__pycache__/rotate.cpython-38.pyc,, +setuptools/command/__pycache__/saveopts.cpython-38.pyc,, +setuptools/command/__pycache__/sdist.cpython-38.pyc,, +setuptools/command/__pycache__/setopt.cpython-38.pyc,, +setuptools/command/__pycache__/test.cpython-38.pyc,, +setuptools/command/__pycache__/upload.cpython-38.pyc,, +setuptools/command/__pycache__/upload_docs.cpython-38.pyc,, +setuptools/command/alias.py,sha256=1sLQxZcNh6dDQpDmm4G7UGGTol83nY1NTPmNBbm2siI,2381 +setuptools/command/bdist_egg.py,sha256=-upiB6fFtm8cQSQj1LRDVpG1-T143DsXCvV0fh03u7U,16604 +setuptools/command/bdist_rpm.py,sha256=PxrgoHPNaw2Pw2qNjjHDPC-Ay_IaDbCqP3d_5N-cj2A,1182 +setuptools/command/build_clib.py,sha256=fWHSFGkk10VCddBWCszvNhowbG9Z9CZXVjQ2uSInoOs,4415 +setuptools/command/build_ext.py,sha256=SNK042HfB2ezlDQbSVRGFqI1IM5A4AsjU1wpV3fgskE,13212 +setuptools/command/build_py.py,sha256=UydjclXl6FSyrPjXOOwZD-gHby0tIKoP-qu5itvyP0g,8276 +setuptools/command/develop.py,sha256=5_Ss7ENd1_B_jVMY1tF5UV_y1Xu6jbVzAPG8oKeluGA,7012 +setuptools/command/dist_info.py,sha256=5t6kOfrdgALT-P3ogss6PF9k-Leyesueycuk3dUyZnI,960 +setuptools/command/easy_install.py,sha256=Z81t7v1VMBEry0aY-M18v__KT78H3YOJ2rK5W6rx17c,85466 +setuptools/command/egg_info.py,sha256=se-FhYI1sZMzKd6lndV_-vNkJ31hX4HY4ZcMUu71l9k,25335 +setuptools/command/install.py,sha256=8doMxeQEDoK4Eco0mO2WlXXzzp9QnsGJQ7Z7yWkZPG8,4705 +setuptools/command/install_egg_info.py,sha256=bMgeIeRiXzQ4DAGPV1328kcjwQjHjOWU4FngAWLV78Q,2203 +setuptools/command/install_lib.py,sha256=Uz42McsyHZAjrB6cw9E7Bz0xsaTbzxnM1PI9CBhiPtE,3875 +setuptools/command/install_scripts.py,sha256=o0jN_ex7yYYk8W5clymTFOXwkFMKzW9q_zd9Npcex7M,2593 +setuptools/command/launcher manifest.xml,sha256=xlLbjWrB01tKC0-hlVkOKkiSPbzMml2eOPtJ_ucCnbE,628 +setuptools/command/py36compat.py,sha256=7yLWzQj179Enx3pJ8V1cDDCzeLMFMd9XJXlK-iZTq5Y,4946 +setuptools/command/register.py,sha256=kk3DxXCb5lXTvqnhfwx2g6q7iwbUmgTyXUCaBooBOUk,468 +setuptools/command/rotate.py,sha256=SvsQPasezIojPjvMnfkqzh8P0U0tCj0daczF8uc3NQM,2128 +setuptools/command/saveopts.py,sha256=za7QCBcQimKKriWcoCcbhxPjUz30gSB74zuTL47xpP4,658 +setuptools/command/sdist.py,sha256=2wJds5JaCDpDZmxyN3vo4BqqrTkL-wRmDDLZPeYEGGE,6172 +setuptools/command/setopt.py,sha256=okxhqD1NM1nQlbSVDCNv6P7Y7g680sc2r-tUW7wPH1Y,5086 +setuptools/command/test.py,sha256=qGY-Hx1RPCndlVh2rsrEs5479CgmxRsrEflVLr98jVA,8088 +setuptools/command/upload.py,sha256=XT3YFVfYPAmA5qhGg0euluU98ftxRUW-PzKcODMLxUs,462 +setuptools/command/upload_docs.py,sha256=ba5kOyedD_u62weinrxqqnvpuQvBIuamXehJG6tAvO0,7218 +setuptools/config.py,sha256=sm9ZbziX9DlOugcVlIbhqttMJwxwznGEsk82D8MVaDM,23123 +setuptools/dep_util.py,sha256=BDx1BkzNQntvAB4alypHbW5UVBzjqths000PrUL4Zqc,949 +setuptools/depends.py,sha256=iHfZdLdlCu2BllSF9bRg7NU0oqbPWMH8ljm4BuwQDY0,5474 +setuptools/dist.py,sha256=cZtPPzGEhSomPH_vXH_DeCFetjJ9B8Hv8VUCG0KbZh8,43087 +setuptools/errors.py,sha256=MVOcv381HNSajDgEUWzOQ4J6B5BHCBMSjHfaWcEwA1o,524 +setuptools/extension.py,sha256=NMM46XjNdVelWemc0x8CyVKA5Ks6Zm3xTWSA2SS6xZM,1684 +setuptools/extern/__init__.py,sha256=Hhf9W73WAitw9TdRJfDIb6YFjmK56CF61afds1Mg0HY,2407 +setuptools/extern/__pycache__/__init__.cpython-38.pyc,, +setuptools/glob.py,sha256=1oZjbfjAHSXbgdhSuR6YGU8jKob9L8NtEmBYqcPTLYk,4873 +setuptools/gui-32.exe,sha256=XBr0bHMA6Hpz2s9s9Bzjl-PwXfa9nH4ie0rFn4V2kWA,65536 +setuptools/gui-64.exe,sha256=aYKMhX1IJLn4ULHgWX0sE0yREUt6B3TEHf_jOw6yNyE,75264 +setuptools/gui-arm64.exe,sha256=TEFnOKDi-mq3ZszxqbCoCXTnM_lhUWjdIqBpr6fVs40,137728 +setuptools/gui.exe,sha256=XBr0bHMA6Hpz2s9s9Bzjl-PwXfa9nH4ie0rFn4V2kWA,65536 +setuptools/installer.py,sha256=jbhb7ZVkNV_bSUMgfnLcZw0IHr6REFnKF4o7_1Jqxm0,3567 +setuptools/launch.py,sha256=TyPT-Ic1T2EnYvGO26gfNRP4ysBlrhpbRjQxWsiO414,812 +setuptools/monkey.py,sha256=0e3HdVKXHL415O7np-AUqhEFXPPuDdJKbI47chQ_DE4,5217 +setuptools/msvc.py,sha256=3LLt938e6OR7wWPzIvCQu7LCWZSIKqoKV6w3r8jV3kY,50561 +setuptools/namespaces.py,sha256=PMqGVPXPYQgjUTvEg9bGccRAkIODrQ6NmsDg_fwErwI,3093 +setuptools/package_index.py,sha256=2A1O7fpTXcfeD5IV4HWrIoEXXkgq5k8t9aWrjx90Vnw,39886 +setuptools/py34compat.py,sha256=KYOd6ybRxjBW8NJmYD8t_UyyVmysppFXqHpFLdslGXU,245 +setuptools/sandbox.py,sha256=mR83i-mu-ZUU_7TaMgYCeRSyzkqv8loJ_GR9xhS2DDw,14348 +setuptools/script (dev).tmpl,sha256=RUzQzCQUaXtwdLtYHWYbIQmOaES5Brqq1FvUA_tu-5I,218 +setuptools/script.tmpl,sha256=WGTt5piezO27c-Dbx6l5Q4T3Ff20A5z7872hv3aAhYY,138 +setuptools/unicode_utils.py,sha256=aOOFo4JGwAsiBttGYDsqFS7YqWQeZ2j6DWiCuctR_00,941 +setuptools/version.py,sha256=og_cuZQb0QI6ukKZFfZWPlr1HgJBPPn2vO2m_bI9ZTE,144 +setuptools/wheel.py,sha256=0P8tSk105uF_Ub-30N2HU2X2v7MKDSdjpeQlRRW3SkI,8288 +setuptools/windows_support.py,sha256=5GrfqSP2-dLGJoZTq2g6dCKkyQxxa2n5IQiXlJCoYEE,714 diff --git a/venv/Lib/site-packages/setuptools-58.2.0.dist-info/WHEEL b/venv/Lib/site-packages/setuptools-58.2.0.dist-info/WHEEL new file mode 100644 index 0000000..5bad85f --- /dev/null +++ b/venv/Lib/site-packages/setuptools-58.2.0.dist-info/WHEEL @@ -0,0 +1,5 @@ +Wheel-Version: 1.0 +Generator: bdist_wheel (0.37.0) +Root-Is-Purelib: true +Tag: py3-none-any + diff --git a/venv/Lib/site-packages/setuptools-58.2.0.dist-info/entry_points.txt b/venv/Lib/site-packages/setuptools-58.2.0.dist-info/entry_points.txt new file mode 100644 index 0000000..9466bf6 --- /dev/null +++ b/venv/Lib/site-packages/setuptools-58.2.0.dist-info/entry_points.txt @@ -0,0 +1,56 @@ +[distutils.commands] +alias = setuptools.command.alias:alias +bdist_egg = setuptools.command.bdist_egg:bdist_egg +bdist_rpm = setuptools.command.bdist_rpm:bdist_rpm +build_clib = setuptools.command.build_clib:build_clib +build_ext = setuptools.command.build_ext:build_ext +build_py = setuptools.command.build_py:build_py +develop = setuptools.command.develop:develop +dist_info = setuptools.command.dist_info:dist_info +easy_install = setuptools.command.easy_install:easy_install +egg_info = setuptools.command.egg_info:egg_info +install = setuptools.command.install:install +install_egg_info = setuptools.command.install_egg_info:install_egg_info +install_lib = setuptools.command.install_lib:install_lib +install_scripts = setuptools.command.install_scripts:install_scripts +rotate = setuptools.command.rotate:rotate +saveopts = setuptools.command.saveopts:saveopts +sdist = setuptools.command.sdist:sdist +setopt = setuptools.command.setopt:setopt +test = setuptools.command.test:test +upload_docs = setuptools.command.upload_docs:upload_docs + +[distutils.setup_keywords] +dependency_links = setuptools.dist:assert_string_list +eager_resources = setuptools.dist:assert_string_list +entry_points = setuptools.dist:check_entry_points +exclude_package_data = setuptools.dist:check_package_data +extras_require = setuptools.dist:check_extras +include_package_data = setuptools.dist:assert_bool +install_requires = setuptools.dist:check_requirements +namespace_packages = setuptools.dist:check_nsp +package_data = setuptools.dist:check_package_data +packages = setuptools.dist:check_packages +python_requires = setuptools.dist:check_specifier +setup_requires = setuptools.dist:check_requirements +test_loader = setuptools.dist:check_importable +test_runner = setuptools.dist:check_importable +test_suite = setuptools.dist:check_test_suite +tests_require = setuptools.dist:check_requirements +use_2to3 = setuptools.dist:invalid_unless_false +zip_safe = setuptools.dist:assert_bool + +[egg_info.writers] +PKG-INFO = setuptools.command.egg_info:write_pkg_info +dependency_links.txt = setuptools.command.egg_info:overwrite_arg +depends.txt = setuptools.command.egg_info:warn_depends_obsolete +eager_resources.txt = setuptools.command.egg_info:overwrite_arg +entry_points.txt = setuptools.command.egg_info:write_entries +namespace_packages.txt = setuptools.command.egg_info:overwrite_arg +requires.txt = setuptools.command.egg_info:write_requirements +top_level.txt = setuptools.command.egg_info:write_toplevel_names + +[setuptools.finalize_distribution_options] +keywords = setuptools.dist:Distribution._finalize_setup_keywords +parent_finalize = setuptools.dist:_Distribution.finalize_options + diff --git a/venv/Lib/site-packages/setuptools-58.2.0.dist-info/top_level.txt b/venv/Lib/site-packages/setuptools-58.2.0.dist-info/top_level.txt new file mode 100644 index 0000000..b5ac107 --- /dev/null +++ b/venv/Lib/site-packages/setuptools-58.2.0.dist-info/top_level.txt @@ -0,0 +1,3 @@ +_distutils_hack +pkg_resources +setuptools diff --git a/venv/Lib/site-packages/setuptools.pth b/venv/Lib/site-packages/setuptools.pth deleted file mode 100644 index ca49991..0000000 --- a/venv/Lib/site-packages/setuptools.pth +++ /dev/null @@ -1 +0,0 @@ -./setuptools-40.8.0-py3.7.egg diff --git a/venv/Lib/site-packages/setuptools/__init__.py b/venv/Lib/site-packages/setuptools/__init__.py new file mode 100644 index 0000000..9d6f0bc --- /dev/null +++ b/venv/Lib/site-packages/setuptools/__init__.py @@ -0,0 +1,242 @@ +"""Extensions to the 'distutils' for large or complex distributions""" + +from fnmatch import fnmatchcase +import functools +import os +import re + +import _distutils_hack.override # noqa: F401 + +import distutils.core +from distutils.errors import DistutilsOptionError +from distutils.util import convert_path + +from ._deprecation_warning import SetuptoolsDeprecationWarning + +import setuptools.version +from setuptools.extension import Extension +from setuptools.dist import Distribution +from setuptools.depends import Require +from . import monkey + + +__all__ = [ + 'setup', + 'Distribution', + 'Command', + 'Extension', + 'Require', + 'SetuptoolsDeprecationWarning', + 'find_packages', + 'find_namespace_packages', +] + +__version__ = setuptools.version.__version__ + +bootstrap_install_from = None + + +class PackageFinder: + """ + Generate a list of all Python packages found within a directory + """ + + @classmethod + def find(cls, where='.', exclude=(), include=('*',)): + """Return a list all Python packages found within directory 'where' + + 'where' is the root directory which will be searched for packages. It + should be supplied as a "cross-platform" (i.e. URL-style) path; it will + be converted to the appropriate local path syntax. + + 'exclude' is a sequence of package names to exclude; '*' can be used + as a wildcard in the names, such that 'foo.*' will exclude all + subpackages of 'foo' (but not 'foo' itself). + + 'include' is a sequence of package names to include. If it's + specified, only the named packages will be included. If it's not + specified, all found packages will be included. 'include' can contain + shell style wildcard patterns just like 'exclude'. + """ + + return list( + cls._find_packages_iter( + convert_path(where), + cls._build_filter('ez_setup', '*__pycache__', *exclude), + cls._build_filter(*include), + ) + ) + + @classmethod + def _find_packages_iter(cls, where, exclude, include): + """ + All the packages found in 'where' that pass the 'include' filter, but + not the 'exclude' filter. + """ + for root, dirs, files in os.walk(where, followlinks=True): + # Copy dirs to iterate over it, then empty dirs. + all_dirs = dirs[:] + dirs[:] = [] + + for dir in all_dirs: + full_path = os.path.join(root, dir) + rel_path = os.path.relpath(full_path, where) + package = rel_path.replace(os.path.sep, '.') + + # Skip directory trees that are not valid packages + if '.' in dir or not cls._looks_like_package(full_path): + continue + + # Should this package be included? + if include(package) and not exclude(package): + yield package + + # Keep searching subdirectories, as there may be more packages + # down there, even if the parent was excluded. + dirs.append(dir) + + @staticmethod + def _looks_like_package(path): + """Does a directory look like a package?""" + return os.path.isfile(os.path.join(path, '__init__.py')) + + @staticmethod + def _build_filter(*patterns): + """ + Given a list of patterns, return a callable that will be true only if + the input matches at least one of the patterns. + """ + return lambda name: any(fnmatchcase(name, pat=pat) for pat in patterns) + + +class PEP420PackageFinder(PackageFinder): + @staticmethod + def _looks_like_package(path): + return True + + +find_packages = PackageFinder.find +find_namespace_packages = PEP420PackageFinder.find + + +def _install_setup_requires(attrs): + # Note: do not use `setuptools.Distribution` directly, as + # our PEP 517 backend patch `distutils.core.Distribution`. + class MinimalDistribution(distutils.core.Distribution): + """ + A minimal version of a distribution for supporting the + fetch_build_eggs interface. + """ + + def __init__(self, attrs): + _incl = 'dependency_links', 'setup_requires' + filtered = {k: attrs[k] for k in set(_incl) & set(attrs)} + distutils.core.Distribution.__init__(self, filtered) + + def finalize_options(self): + """ + Disable finalize_options to avoid building the working set. + Ref #2158. + """ + + dist = MinimalDistribution(attrs) + + # Honor setup.cfg's options. + dist.parse_config_files(ignore_option_errors=True) + if dist.setup_requires: + dist.fetch_build_eggs(dist.setup_requires) + + +def setup(**attrs): + # Make sure we have any requirements needed to interpret 'attrs'. + _install_setup_requires(attrs) + return distutils.core.setup(**attrs) + + +setup.__doc__ = distutils.core.setup.__doc__ + + +_Command = monkey.get_unpatched(distutils.core.Command) + + +class Command(_Command): + __doc__ = _Command.__doc__ + + command_consumes_arguments = False + + def __init__(self, dist, **kw): + """ + Construct the command for dist, updating + vars(self) with any keyword parameters. + """ + _Command.__init__(self, dist) + vars(self).update(kw) + + def _ensure_stringlike(self, option, what, default=None): + val = getattr(self, option) + if val is None: + setattr(self, option, default) + return default + elif not isinstance(val, str): + raise DistutilsOptionError( + "'%s' must be a %s (got `%s`)" % (option, what, val) + ) + return val + + def ensure_string_list(self, option): + r"""Ensure that 'option' is a list of strings. If 'option' is + currently a string, we split it either on /,\s*/ or /\s+/, so + "foo bar baz", "foo,bar,baz", and "foo, bar baz" all become + ["foo", "bar", "baz"]. + """ + val = getattr(self, option) + if val is None: + return + elif isinstance(val, str): + setattr(self, option, re.split(r',\s*|\s+', val)) + else: + if isinstance(val, list): + ok = all(isinstance(v, str) for v in val) + else: + ok = False + if not ok: + raise DistutilsOptionError( + "'%s' must be a list of strings (got %r)" % (option, val) + ) + + def reinitialize_command(self, command, reinit_subcommands=0, **kw): + cmd = _Command.reinitialize_command(self, command, reinit_subcommands) + vars(cmd).update(kw) + return cmd + + +def _find_all_simple(path): + """ + Find all files under 'path' + """ + results = ( + os.path.join(base, file) + for base, dirs, files in os.walk(path, followlinks=True) + for file in files + ) + return filter(os.path.isfile, results) + + +def findall(dir=os.curdir): + """ + Find all files under 'dir' and return the list of full filenames. + Unless dir is '.', return full filenames with dir prepended. + """ + files = _find_all_simple(dir) + if dir == os.curdir: + make_rel = functools.partial(os.path.relpath, start=dir) + files = map(make_rel, files) + return list(files) + + +class sic(str): + """Treat this string as-is (https://en.wikipedia.org/wiki/Sic)""" + + +# Apply monkey patches +monkey.patch_all() diff --git a/venv/Lib/site-packages/setuptools/_deprecation_warning.py b/venv/Lib/site-packages/setuptools/_deprecation_warning.py new file mode 100644 index 0000000..086b64d --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_deprecation_warning.py @@ -0,0 +1,7 @@ +class SetuptoolsDeprecationWarning(Warning): + """ + Base class for warning deprecations in ``setuptools`` + + This class is not derived from ``DeprecationWarning``, and as such is + visible by default. + """ diff --git a/venv/Lib/site-packages/setuptools/_distutils/__init__.py b/venv/Lib/site-packages/setuptools/_distutils/__init__.py new file mode 100644 index 0000000..7dac55b --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/__init__.py @@ -0,0 +1,15 @@ +"""distutils + +The main package for the Python Module Distribution Utilities. Normally +used from a setup script as + + from distutils.core import setup + + setup (...) +""" + +import sys + +__version__ = sys.version[:sys.version.index(' ')] + +local = True diff --git a/venv/Lib/site-packages/setuptools/_distutils/_msvccompiler.py b/venv/Lib/site-packages/setuptools/_distutils/_msvccompiler.py new file mode 100644 index 0000000..b7a0608 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/_msvccompiler.py @@ -0,0 +1,561 @@ +"""distutils._msvccompiler + +Contains MSVCCompiler, an implementation of the abstract CCompiler class +for Microsoft Visual Studio 2015. + +The module is compatible with VS 2015 and later. You can find legacy support +for older versions in distutils.msvc9compiler and distutils.msvccompiler. +""" + +# Written by Perry Stoll +# hacked by Robin Becker and Thomas Heller to do a better job of +# finding DevStudio (through the registry) +# ported to VS 2005 and VS 2008 by Christian Heimes +# ported to VS 2015 by Steve Dower + +import os +import subprocess +import contextlib +import warnings +import unittest.mock +with contextlib.suppress(ImportError): + import winreg + +from distutils.errors import DistutilsExecError, DistutilsPlatformError, \ + CompileError, LibError, LinkError +from distutils.ccompiler import CCompiler, gen_lib_options +from distutils import log +from distutils.util import get_platform + +from itertools import count + +def _find_vc2015(): + try: + key = winreg.OpenKeyEx( + winreg.HKEY_LOCAL_MACHINE, + r"Software\Microsoft\VisualStudio\SxS\VC7", + access=winreg.KEY_READ | winreg.KEY_WOW64_32KEY + ) + except OSError: + log.debug("Visual C++ is not registered") + return None, None + + best_version = 0 + best_dir = None + with key: + for i in count(): + try: + v, vc_dir, vt = winreg.EnumValue(key, i) + except OSError: + break + if v and vt == winreg.REG_SZ and os.path.isdir(vc_dir): + try: + version = int(float(v)) + except (ValueError, TypeError): + continue + if version >= 14 and version > best_version: + best_version, best_dir = version, vc_dir + return best_version, best_dir + +def _find_vc2017(): + """Returns "15, path" based on the result of invoking vswhere.exe + If no install is found, returns "None, None" + + The version is returned to avoid unnecessarily changing the function + result. It may be ignored when the path is not None. + + If vswhere.exe is not available, by definition, VS 2017 is not + installed. + """ + root = os.environ.get("ProgramFiles(x86)") or os.environ.get("ProgramFiles") + if not root: + return None, None + + try: + path = subprocess.check_output([ + os.path.join(root, "Microsoft Visual Studio", "Installer", "vswhere.exe"), + "-latest", + "-prerelease", + "-requires", "Microsoft.VisualStudio.Component.VC.Tools.x86.x64", + "-property", "installationPath", + "-products", "*", + ], encoding="mbcs", errors="strict").strip() + except (subprocess.CalledProcessError, OSError, UnicodeDecodeError): + return None, None + + path = os.path.join(path, "VC", "Auxiliary", "Build") + if os.path.isdir(path): + return 15, path + + return None, None + +PLAT_SPEC_TO_RUNTIME = { + 'x86' : 'x86', + 'x86_amd64' : 'x64', + 'x86_arm' : 'arm', + 'x86_arm64' : 'arm64' +} + +def _find_vcvarsall(plat_spec): + # bpo-38597: Removed vcruntime return value + _, best_dir = _find_vc2017() + + if not best_dir: + best_version, best_dir = _find_vc2015() + + if not best_dir: + log.debug("No suitable Visual C++ version found") + return None, None + + vcvarsall = os.path.join(best_dir, "vcvarsall.bat") + if not os.path.isfile(vcvarsall): + log.debug("%s cannot be found", vcvarsall) + return None, None + + return vcvarsall, None + +def _get_vc_env(plat_spec): + if os.getenv("DISTUTILS_USE_SDK"): + return { + key.lower(): value + for key, value in os.environ.items() + } + + vcvarsall, _ = _find_vcvarsall(plat_spec) + if not vcvarsall: + raise DistutilsPlatformError("Unable to find vcvarsall.bat") + + try: + out = subprocess.check_output( + 'cmd /u /c "{}" {} && set'.format(vcvarsall, plat_spec), + stderr=subprocess.STDOUT, + ).decode('utf-16le', errors='replace') + except subprocess.CalledProcessError as exc: + log.error(exc.output) + raise DistutilsPlatformError("Error executing {}" + .format(exc.cmd)) + + env = { + key.lower(): value + for key, _, value in + (line.partition('=') for line in out.splitlines()) + if key and value + } + + return env + +def _find_exe(exe, paths=None): + """Return path to an MSVC executable program. + + Tries to find the program in several places: first, one of the + MSVC program search paths from the registry; next, the directories + in the PATH environment variable. If any of those work, return an + absolute path that is known to exist. If none of them work, just + return the original program name, 'exe'. + """ + if not paths: + paths = os.getenv('path').split(os.pathsep) + for p in paths: + fn = os.path.join(os.path.abspath(p), exe) + if os.path.isfile(fn): + return fn + return exe + +# A map keyed by get_platform() return values to values accepted by +# 'vcvarsall.bat'. Always cross-compile from x86 to work with the +# lighter-weight MSVC installs that do not include native 64-bit tools. +PLAT_TO_VCVARS = { + 'win32' : 'x86', + 'win-amd64' : 'x86_amd64', + 'win-arm32' : 'x86_arm', + 'win-arm64' : 'x86_arm64' +} + +class MSVCCompiler(CCompiler) : + """Concrete class that implements an interface to Microsoft Visual C++, + as defined by the CCompiler abstract class.""" + + compiler_type = 'msvc' + + # Just set this so CCompiler's constructor doesn't barf. We currently + # don't use the 'set_executables()' bureaucracy provided by CCompiler, + # as it really isn't necessary for this sort of single-compiler class. + # Would be nice to have a consistent interface with UnixCCompiler, + # though, so it's worth thinking about. + executables = {} + + # Private class data (need to distinguish C from C++ source for compiler) + _c_extensions = ['.c'] + _cpp_extensions = ['.cc', '.cpp', '.cxx'] + _rc_extensions = ['.rc'] + _mc_extensions = ['.mc'] + + # Needed for the filename generation methods provided by the + # base class, CCompiler. + src_extensions = (_c_extensions + _cpp_extensions + + _rc_extensions + _mc_extensions) + res_extension = '.res' + obj_extension = '.obj' + static_lib_extension = '.lib' + shared_lib_extension = '.dll' + static_lib_format = shared_lib_format = '%s%s' + exe_extension = '.exe' + + + def __init__(self, verbose=0, dry_run=0, force=0): + CCompiler.__init__ (self, verbose, dry_run, force) + # target platform (.plat_name is consistent with 'bdist') + self.plat_name = None + self.initialized = False + + def initialize(self, plat_name=None): + # multi-init means we would need to check platform same each time... + assert not self.initialized, "don't init multiple times" + if plat_name is None: + plat_name = get_platform() + # sanity check for platforms to prevent obscure errors later. + if plat_name not in PLAT_TO_VCVARS: + raise DistutilsPlatformError("--plat-name must be one of {}" + .format(tuple(PLAT_TO_VCVARS))) + + # Get the vcvarsall.bat spec for the requested platform. + plat_spec = PLAT_TO_VCVARS[plat_name] + + vc_env = _get_vc_env(plat_spec) + if not vc_env: + raise DistutilsPlatformError("Unable to find a compatible " + "Visual Studio installation.") + + self._paths = vc_env.get('path', '') + paths = self._paths.split(os.pathsep) + self.cc = _find_exe("cl.exe", paths) + self.linker = _find_exe("link.exe", paths) + self.lib = _find_exe("lib.exe", paths) + self.rc = _find_exe("rc.exe", paths) # resource compiler + self.mc = _find_exe("mc.exe", paths) # message compiler + self.mt = _find_exe("mt.exe", paths) # message compiler + + for dir in vc_env.get('include', '').split(os.pathsep): + if dir: + self.add_include_dir(dir.rstrip(os.sep)) + + for dir in vc_env.get('lib', '').split(os.pathsep): + if dir: + self.add_library_dir(dir.rstrip(os.sep)) + + self.preprocess_options = None + # bpo-38597: Always compile with dynamic linking + # Future releases of Python 3.x will include all past + # versions of vcruntime*.dll for compatibility. + self.compile_options = [ + '/nologo', '/O2', '/W3', '/GL', '/DNDEBUG', '/MD' + ] + + self.compile_options_debug = [ + '/nologo', '/Od', '/MDd', '/Zi', '/W3', '/D_DEBUG' + ] + + ldflags = [ + '/nologo', '/INCREMENTAL:NO', '/LTCG' + ] + + ldflags_debug = [ + '/nologo', '/INCREMENTAL:NO', '/LTCG', '/DEBUG:FULL' + ] + + self.ldflags_exe = [*ldflags, '/MANIFEST:EMBED,ID=1'] + self.ldflags_exe_debug = [*ldflags_debug, '/MANIFEST:EMBED,ID=1'] + self.ldflags_shared = [*ldflags, '/DLL', '/MANIFEST:EMBED,ID=2', '/MANIFESTUAC:NO'] + self.ldflags_shared_debug = [*ldflags_debug, '/DLL', '/MANIFEST:EMBED,ID=2', '/MANIFESTUAC:NO'] + self.ldflags_static = [*ldflags] + self.ldflags_static_debug = [*ldflags_debug] + + self._ldflags = { + (CCompiler.EXECUTABLE, None): self.ldflags_exe, + (CCompiler.EXECUTABLE, False): self.ldflags_exe, + (CCompiler.EXECUTABLE, True): self.ldflags_exe_debug, + (CCompiler.SHARED_OBJECT, None): self.ldflags_shared, + (CCompiler.SHARED_OBJECT, False): self.ldflags_shared, + (CCompiler.SHARED_OBJECT, True): self.ldflags_shared_debug, + (CCompiler.SHARED_LIBRARY, None): self.ldflags_static, + (CCompiler.SHARED_LIBRARY, False): self.ldflags_static, + (CCompiler.SHARED_LIBRARY, True): self.ldflags_static_debug, + } + + self.initialized = True + + # -- Worker methods ------------------------------------------------ + + def object_filenames(self, + source_filenames, + strip_dir=0, + output_dir=''): + ext_map = { + **{ext: self.obj_extension for ext in self.src_extensions}, + **{ext: self.res_extension for ext in self._rc_extensions + self._mc_extensions}, + } + + output_dir = output_dir or '' + + def make_out_path(p): + base, ext = os.path.splitext(p) + if strip_dir: + base = os.path.basename(base) + else: + _, base = os.path.splitdrive(base) + if base.startswith((os.path.sep, os.path.altsep)): + base = base[1:] + try: + # XXX: This may produce absurdly long paths. We should check + # the length of the result and trim base until we fit within + # 260 characters. + return os.path.join(output_dir, base + ext_map[ext]) + except LookupError: + # Better to raise an exception instead of silently continuing + # and later complain about sources and targets having + # different lengths + raise CompileError("Don't know how to compile {}".format(p)) + + return list(map(make_out_path, source_filenames)) + + + def compile(self, sources, + output_dir=None, macros=None, include_dirs=None, debug=0, + extra_preargs=None, extra_postargs=None, depends=None): + + if not self.initialized: + self.initialize() + compile_info = self._setup_compile(output_dir, macros, include_dirs, + sources, depends, extra_postargs) + macros, objects, extra_postargs, pp_opts, build = compile_info + + compile_opts = extra_preargs or [] + compile_opts.append('/c') + if debug: + compile_opts.extend(self.compile_options_debug) + else: + compile_opts.extend(self.compile_options) + + + add_cpp_opts = False + + for obj in objects: + try: + src, ext = build[obj] + except KeyError: + continue + if debug: + # pass the full pathname to MSVC in debug mode, + # this allows the debugger to find the source file + # without asking the user to browse for it + src = os.path.abspath(src) + + if ext in self._c_extensions: + input_opt = "/Tc" + src + elif ext in self._cpp_extensions: + input_opt = "/Tp" + src + add_cpp_opts = True + elif ext in self._rc_extensions: + # compile .RC to .RES file + input_opt = src + output_opt = "/fo" + obj + try: + self.spawn([self.rc] + pp_opts + [output_opt, input_opt]) + except DistutilsExecError as msg: + raise CompileError(msg) + continue + elif ext in self._mc_extensions: + # Compile .MC to .RC file to .RES file. + # * '-h dir' specifies the directory for the + # generated include file + # * '-r dir' specifies the target directory of the + # generated RC file and the binary message resource + # it includes + # + # For now (since there are no options to change this), + # we use the source-directory for the include file and + # the build directory for the RC file and message + # resources. This works at least for win32all. + h_dir = os.path.dirname(src) + rc_dir = os.path.dirname(obj) + try: + # first compile .MC to .RC and .H file + self.spawn([self.mc, '-h', h_dir, '-r', rc_dir, src]) + base, _ = os.path.splitext(os.path.basename (src)) + rc_file = os.path.join(rc_dir, base + '.rc') + # then compile .RC to .RES file + self.spawn([self.rc, "/fo" + obj, rc_file]) + + except DistutilsExecError as msg: + raise CompileError(msg) + continue + else: + # how to handle this file? + raise CompileError("Don't know how to compile {} to {}" + .format(src, obj)) + + args = [self.cc] + compile_opts + pp_opts + if add_cpp_opts: + args.append('/EHsc') + args.append(input_opt) + args.append("/Fo" + obj) + args.extend(extra_postargs) + + try: + self.spawn(args) + except DistutilsExecError as msg: + raise CompileError(msg) + + return objects + + + def create_static_lib(self, + objects, + output_libname, + output_dir=None, + debug=0, + target_lang=None): + + if not self.initialized: + self.initialize() + objects, output_dir = self._fix_object_args(objects, output_dir) + output_filename = self.library_filename(output_libname, + output_dir=output_dir) + + if self._need_link(objects, output_filename): + lib_args = objects + ['/OUT:' + output_filename] + if debug: + pass # XXX what goes here? + try: + log.debug('Executing "%s" %s', self.lib, ' '.join(lib_args)) + self.spawn([self.lib] + lib_args) + except DistutilsExecError as msg: + raise LibError(msg) + else: + log.debug("skipping %s (up-to-date)", output_filename) + + + def link(self, + target_desc, + objects, + output_filename, + output_dir=None, + libraries=None, + library_dirs=None, + runtime_library_dirs=None, + export_symbols=None, + debug=0, + extra_preargs=None, + extra_postargs=None, + build_temp=None, + target_lang=None): + + if not self.initialized: + self.initialize() + objects, output_dir = self._fix_object_args(objects, output_dir) + fixed_args = self._fix_lib_args(libraries, library_dirs, + runtime_library_dirs) + libraries, library_dirs, runtime_library_dirs = fixed_args + + if runtime_library_dirs: + self.warn("I don't know what to do with 'runtime_library_dirs': " + + str(runtime_library_dirs)) + + lib_opts = gen_lib_options(self, + library_dirs, runtime_library_dirs, + libraries) + if output_dir is not None: + output_filename = os.path.join(output_dir, output_filename) + + if self._need_link(objects, output_filename): + ldflags = self._ldflags[target_desc, debug] + + export_opts = ["/EXPORT:" + sym for sym in (export_symbols or [])] + + ld_args = (ldflags + lib_opts + export_opts + + objects + ['/OUT:' + output_filename]) + + # The MSVC linker generates .lib and .exp files, which cannot be + # suppressed by any linker switches. The .lib files may even be + # needed! Make sure they are generated in the temporary build + # directory. Since they have different names for debug and release + # builds, they can go into the same directory. + build_temp = os.path.dirname(objects[0]) + if export_symbols is not None: + (dll_name, dll_ext) = os.path.splitext( + os.path.basename(output_filename)) + implib_file = os.path.join( + build_temp, + self.library_filename(dll_name)) + ld_args.append ('/IMPLIB:' + implib_file) + + if extra_preargs: + ld_args[:0] = extra_preargs + if extra_postargs: + ld_args.extend(extra_postargs) + + output_dir = os.path.dirname(os.path.abspath(output_filename)) + self.mkpath(output_dir) + try: + log.debug('Executing "%s" %s', self.linker, ' '.join(ld_args)) + self.spawn([self.linker] + ld_args) + except DistutilsExecError as msg: + raise LinkError(msg) + else: + log.debug("skipping %s (up-to-date)", output_filename) + + def spawn(self, cmd): + env = dict(os.environ, PATH=self._paths) + with self._fallback_spawn(cmd, env) as fallback: + return super().spawn(cmd, env=env) + return fallback.value + + @contextlib.contextmanager + def _fallback_spawn(self, cmd, env): + """ + Discovered in pypa/distutils#15, some tools monkeypatch the compiler, + so the 'env' kwarg causes a TypeError. Detect this condition and + restore the legacy, unsafe behavior. + """ + bag = type('Bag', (), {})() + try: + yield bag + except TypeError as exc: + if "unexpected keyword argument 'env'" not in str(exc): + raise + else: + return + warnings.warn( + "Fallback spawn triggered. Please update distutils monkeypatch.") + with unittest.mock.patch('os.environ', env): + bag.value = super().spawn(cmd) + + # -- Miscellaneous methods ----------------------------------------- + # These are all used by the 'gen_lib_options() function, in + # ccompiler.py. + + def library_dir_option(self, dir): + return "/LIBPATH:" + dir + + def runtime_library_dir_option(self, dir): + raise DistutilsPlatformError( + "don't know how to set runtime library search path for MSVC") + + def library_option(self, lib): + return self.library_filename(lib) + + def find_library_file(self, dirs, lib, debug=0): + # Prefer a debugging library if found (and requested), but deal + # with it if we don't have one. + if debug: + try_names = [lib + "_d", lib] + else: + try_names = [lib] + for dir in dirs: + for name in try_names: + libfile = os.path.join(dir, self.library_filename(name)) + if os.path.isfile(libfile): + return libfile + else: + # Oops, didn't find it in *any* of 'dirs' + return None diff --git a/venv/Lib/site-packages/setuptools/_distutils/archive_util.py b/venv/Lib/site-packages/setuptools/_distutils/archive_util.py new file mode 100644 index 0000000..565a311 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/archive_util.py @@ -0,0 +1,256 @@ +"""distutils.archive_util + +Utility functions for creating archive files (tarballs, zip files, +that sort of thing).""" + +import os +from warnings import warn +import sys + +try: + import zipfile +except ImportError: + zipfile = None + + +from distutils.errors import DistutilsExecError +from distutils.spawn import spawn +from distutils.dir_util import mkpath +from distutils import log + +try: + from pwd import getpwnam +except ImportError: + getpwnam = None + +try: + from grp import getgrnam +except ImportError: + getgrnam = None + +def _get_gid(name): + """Returns a gid, given a group name.""" + if getgrnam is None or name is None: + return None + try: + result = getgrnam(name) + except KeyError: + result = None + if result is not None: + return result[2] + return None + +def _get_uid(name): + """Returns an uid, given a user name.""" + if getpwnam is None or name is None: + return None + try: + result = getpwnam(name) + except KeyError: + result = None + if result is not None: + return result[2] + return None + +def make_tarball(base_name, base_dir, compress="gzip", verbose=0, dry_run=0, + owner=None, group=None): + """Create a (possibly compressed) tar file from all the files under + 'base_dir'. + + 'compress' must be "gzip" (the default), "bzip2", "xz", "compress", or + None. ("compress" will be deprecated in Python 3.2) + + 'owner' and 'group' can be used to define an owner and a group for the + archive that is being built. If not provided, the current owner and group + will be used. + + The output tar file will be named 'base_dir' + ".tar", possibly plus + the appropriate compression extension (".gz", ".bz2", ".xz" or ".Z"). + + Returns the output filename. + """ + tar_compression = {'gzip': 'gz', 'bzip2': 'bz2', 'xz': 'xz', None: '', + 'compress': ''} + compress_ext = {'gzip': '.gz', 'bzip2': '.bz2', 'xz': '.xz', + 'compress': '.Z'} + + # flags for compression program, each element of list will be an argument + if compress is not None and compress not in compress_ext.keys(): + raise ValueError( + "bad value for 'compress': must be None, 'gzip', 'bzip2', " + "'xz' or 'compress'") + + archive_name = base_name + '.tar' + if compress != 'compress': + archive_name += compress_ext.get(compress, '') + + mkpath(os.path.dirname(archive_name), dry_run=dry_run) + + # creating the tarball + import tarfile # late import so Python build itself doesn't break + + log.info('Creating tar archive') + + uid = _get_uid(owner) + gid = _get_gid(group) + + def _set_uid_gid(tarinfo): + if gid is not None: + tarinfo.gid = gid + tarinfo.gname = group + if uid is not None: + tarinfo.uid = uid + tarinfo.uname = owner + return tarinfo + + if not dry_run: + tar = tarfile.open(archive_name, 'w|%s' % tar_compression[compress]) + try: + tar.add(base_dir, filter=_set_uid_gid) + finally: + tar.close() + + # compression using `compress` + if compress == 'compress': + warn("'compress' will be deprecated.", PendingDeprecationWarning) + # the option varies depending on the platform + compressed_name = archive_name + compress_ext[compress] + if sys.platform == 'win32': + cmd = [compress, archive_name, compressed_name] + else: + cmd = [compress, '-f', archive_name] + spawn(cmd, dry_run=dry_run) + return compressed_name + + return archive_name + +def make_zipfile(base_name, base_dir, verbose=0, dry_run=0): + """Create a zip file from all the files under 'base_dir'. + + The output zip file will be named 'base_name' + ".zip". Uses either the + "zipfile" Python module (if available) or the InfoZIP "zip" utility + (if installed and found on the default search path). If neither tool is + available, raises DistutilsExecError. Returns the name of the output zip + file. + """ + zip_filename = base_name + ".zip" + mkpath(os.path.dirname(zip_filename), dry_run=dry_run) + + # If zipfile module is not available, try spawning an external + # 'zip' command. + if zipfile is None: + if verbose: + zipoptions = "-r" + else: + zipoptions = "-rq" + + try: + spawn(["zip", zipoptions, zip_filename, base_dir], + dry_run=dry_run) + except DistutilsExecError: + # XXX really should distinguish between "couldn't find + # external 'zip' command" and "zip failed". + raise DistutilsExecError(("unable to create zip file '%s': " + "could neither import the 'zipfile' module nor " + "find a standalone zip utility") % zip_filename) + + else: + log.info("creating '%s' and adding '%s' to it", + zip_filename, base_dir) + + if not dry_run: + try: + zip = zipfile.ZipFile(zip_filename, "w", + compression=zipfile.ZIP_DEFLATED) + except RuntimeError: + zip = zipfile.ZipFile(zip_filename, "w", + compression=zipfile.ZIP_STORED) + + with zip: + if base_dir != os.curdir: + path = os.path.normpath(os.path.join(base_dir, '')) + zip.write(path, path) + log.info("adding '%s'", path) + for dirpath, dirnames, filenames in os.walk(base_dir): + for name in dirnames: + path = os.path.normpath(os.path.join(dirpath, name, '')) + zip.write(path, path) + log.info("adding '%s'", path) + for name in filenames: + path = os.path.normpath(os.path.join(dirpath, name)) + if os.path.isfile(path): + zip.write(path, path) + log.info("adding '%s'", path) + + return zip_filename + +ARCHIVE_FORMATS = { + 'gztar': (make_tarball, [('compress', 'gzip')], "gzip'ed tar-file"), + 'bztar': (make_tarball, [('compress', 'bzip2')], "bzip2'ed tar-file"), + 'xztar': (make_tarball, [('compress', 'xz')], "xz'ed tar-file"), + 'ztar': (make_tarball, [('compress', 'compress')], "compressed tar file"), + 'tar': (make_tarball, [('compress', None)], "uncompressed tar file"), + 'zip': (make_zipfile, [],"ZIP file") + } + +def check_archive_formats(formats): + """Returns the first format from the 'format' list that is unknown. + + If all formats are known, returns None + """ + for format in formats: + if format not in ARCHIVE_FORMATS: + return format + return None + +def make_archive(base_name, format, root_dir=None, base_dir=None, verbose=0, + dry_run=0, owner=None, group=None): + """Create an archive file (eg. zip or tar). + + 'base_name' is the name of the file to create, minus any format-specific + extension; 'format' is the archive format: one of "zip", "tar", "gztar", + "bztar", "xztar", or "ztar". + + 'root_dir' is a directory that will be the root directory of the + archive; ie. we typically chdir into 'root_dir' before creating the + archive. 'base_dir' is the directory where we start archiving from; + ie. 'base_dir' will be the common prefix of all files and + directories in the archive. 'root_dir' and 'base_dir' both default + to the current directory. Returns the name of the archive file. + + 'owner' and 'group' are used when creating a tar archive. By default, + uses the current owner and group. + """ + save_cwd = os.getcwd() + if root_dir is not None: + log.debug("changing into '%s'", root_dir) + base_name = os.path.abspath(base_name) + if not dry_run: + os.chdir(root_dir) + + if base_dir is None: + base_dir = os.curdir + + kwargs = {'dry_run': dry_run} + + try: + format_info = ARCHIVE_FORMATS[format] + except KeyError: + raise ValueError("unknown archive format '%s'" % format) + + func = format_info[0] + for arg, val in format_info[1]: + kwargs[arg] = val + + if format != 'zip': + kwargs['owner'] = owner + kwargs['group'] = group + + try: + filename = func(base_name, base_dir, **kwargs) + finally: + if root_dir is not None: + log.debug("changing back to '%s'", save_cwd) + os.chdir(save_cwd) + + return filename diff --git a/venv/Lib/site-packages/setuptools/_distutils/bcppcompiler.py b/venv/Lib/site-packages/setuptools/_distutils/bcppcompiler.py new file mode 100644 index 0000000..071fea5 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/bcppcompiler.py @@ -0,0 +1,393 @@ +"""distutils.bcppcompiler + +Contains BorlandCCompiler, an implementation of the abstract CCompiler class +for the Borland C++ compiler. +""" + +# This implementation by Lyle Johnson, based on the original msvccompiler.py +# module and using the directions originally published by Gordon Williams. + +# XXX looks like there's a LOT of overlap between these two classes: +# someone should sit down and factor out the common code as +# WindowsCCompiler! --GPW + + +import os +from distutils.errors import \ + DistutilsExecError, \ + CompileError, LibError, LinkError, UnknownFileError +from distutils.ccompiler import \ + CCompiler, gen_preprocess_options +from distutils.file_util import write_file +from distutils.dep_util import newer +from distutils import log + +class BCPPCompiler(CCompiler) : + """Concrete class that implements an interface to the Borland C/C++ + compiler, as defined by the CCompiler abstract class. + """ + + compiler_type = 'bcpp' + + # Just set this so CCompiler's constructor doesn't barf. We currently + # don't use the 'set_executables()' bureaucracy provided by CCompiler, + # as it really isn't necessary for this sort of single-compiler class. + # Would be nice to have a consistent interface with UnixCCompiler, + # though, so it's worth thinking about. + executables = {} + + # Private class data (need to distinguish C from C++ source for compiler) + _c_extensions = ['.c'] + _cpp_extensions = ['.cc', '.cpp', '.cxx'] + + # Needed for the filename generation methods provided by the + # base class, CCompiler. + src_extensions = _c_extensions + _cpp_extensions + obj_extension = '.obj' + static_lib_extension = '.lib' + shared_lib_extension = '.dll' + static_lib_format = shared_lib_format = '%s%s' + exe_extension = '.exe' + + + def __init__ (self, + verbose=0, + dry_run=0, + force=0): + + CCompiler.__init__ (self, verbose, dry_run, force) + + # These executables are assumed to all be in the path. + # Borland doesn't seem to use any special registry settings to + # indicate their installation locations. + + self.cc = "bcc32.exe" + self.linker = "ilink32.exe" + self.lib = "tlib.exe" + + self.preprocess_options = None + self.compile_options = ['/tWM', '/O2', '/q', '/g0'] + self.compile_options_debug = ['/tWM', '/Od', '/q', '/g0'] + + self.ldflags_shared = ['/Tpd', '/Gn', '/q', '/x'] + self.ldflags_shared_debug = ['/Tpd', '/Gn', '/q', '/x'] + self.ldflags_static = [] + self.ldflags_exe = ['/Gn', '/q', '/x'] + self.ldflags_exe_debug = ['/Gn', '/q', '/x','/r'] + + + # -- Worker methods ------------------------------------------------ + + def compile(self, sources, + output_dir=None, macros=None, include_dirs=None, debug=0, + extra_preargs=None, extra_postargs=None, depends=None): + + macros, objects, extra_postargs, pp_opts, build = \ + self._setup_compile(output_dir, macros, include_dirs, sources, + depends, extra_postargs) + compile_opts = extra_preargs or [] + compile_opts.append ('-c') + if debug: + compile_opts.extend (self.compile_options_debug) + else: + compile_opts.extend (self.compile_options) + + for obj in objects: + try: + src, ext = build[obj] + except KeyError: + continue + # XXX why do the normpath here? + src = os.path.normpath(src) + obj = os.path.normpath(obj) + # XXX _setup_compile() did a mkpath() too but before the normpath. + # Is it possible to skip the normpath? + self.mkpath(os.path.dirname(obj)) + + if ext == '.res': + # This is already a binary file -- skip it. + continue # the 'for' loop + if ext == '.rc': + # This needs to be compiled to a .res file -- do it now. + try: + self.spawn (["brcc32", "-fo", obj, src]) + except DistutilsExecError as msg: + raise CompileError(msg) + continue # the 'for' loop + + # The next two are both for the real compiler. + if ext in self._c_extensions: + input_opt = "" + elif ext in self._cpp_extensions: + input_opt = "-P" + else: + # Unknown file type -- no extra options. The compiler + # will probably fail, but let it just in case this is a + # file the compiler recognizes even if we don't. + input_opt = "" + + output_opt = "-o" + obj + + # Compiler command line syntax is: "bcc32 [options] file(s)". + # Note that the source file names must appear at the end of + # the command line. + try: + self.spawn ([self.cc] + compile_opts + pp_opts + + [input_opt, output_opt] + + extra_postargs + [src]) + except DistutilsExecError as msg: + raise CompileError(msg) + + return objects + + # compile () + + + def create_static_lib (self, + objects, + output_libname, + output_dir=None, + debug=0, + target_lang=None): + + (objects, output_dir) = self._fix_object_args (objects, output_dir) + output_filename = \ + self.library_filename (output_libname, output_dir=output_dir) + + if self._need_link (objects, output_filename): + lib_args = [output_filename, '/u'] + objects + if debug: + pass # XXX what goes here? + try: + self.spawn ([self.lib] + lib_args) + except DistutilsExecError as msg: + raise LibError(msg) + else: + log.debug("skipping %s (up-to-date)", output_filename) + + # create_static_lib () + + + def link (self, + target_desc, + objects, + output_filename, + output_dir=None, + libraries=None, + library_dirs=None, + runtime_library_dirs=None, + export_symbols=None, + debug=0, + extra_preargs=None, + extra_postargs=None, + build_temp=None, + target_lang=None): + + # XXX this ignores 'build_temp'! should follow the lead of + # msvccompiler.py + + (objects, output_dir) = self._fix_object_args (objects, output_dir) + (libraries, library_dirs, runtime_library_dirs) = \ + self._fix_lib_args (libraries, library_dirs, runtime_library_dirs) + + if runtime_library_dirs: + log.warn("I don't know what to do with 'runtime_library_dirs': %s", + str(runtime_library_dirs)) + + if output_dir is not None: + output_filename = os.path.join (output_dir, output_filename) + + if self._need_link (objects, output_filename): + + # Figure out linker args based on type of target. + if target_desc == CCompiler.EXECUTABLE: + startup_obj = 'c0w32' + if debug: + ld_args = self.ldflags_exe_debug[:] + else: + ld_args = self.ldflags_exe[:] + else: + startup_obj = 'c0d32' + if debug: + ld_args = self.ldflags_shared_debug[:] + else: + ld_args = self.ldflags_shared[:] + + + # Create a temporary exports file for use by the linker + if export_symbols is None: + def_file = '' + else: + head, tail = os.path.split (output_filename) + modname, ext = os.path.splitext (tail) + temp_dir = os.path.dirname(objects[0]) # preserve tree structure + def_file = os.path.join (temp_dir, '%s.def' % modname) + contents = ['EXPORTS'] + for sym in (export_symbols or []): + contents.append(' %s=_%s' % (sym, sym)) + self.execute(write_file, (def_file, contents), + "writing %s" % def_file) + + # Borland C++ has problems with '/' in paths + objects2 = map(os.path.normpath, objects) + # split objects in .obj and .res files + # Borland C++ needs them at different positions in the command line + objects = [startup_obj] + resources = [] + for file in objects2: + (base, ext) = os.path.splitext(os.path.normcase(file)) + if ext == '.res': + resources.append(file) + else: + objects.append(file) + + + for l in library_dirs: + ld_args.append("/L%s" % os.path.normpath(l)) + ld_args.append("/L.") # we sometimes use relative paths + + # list of object files + ld_args.extend(objects) + + # XXX the command-line syntax for Borland C++ is a bit wonky; + # certain filenames are jammed together in one big string, but + # comma-delimited. This doesn't mesh too well with the + # Unix-centric attitude (with a DOS/Windows quoting hack) of + # 'spawn()', so constructing the argument list is a bit + # awkward. Note that doing the obvious thing and jamming all + # the filenames and commas into one argument would be wrong, + # because 'spawn()' would quote any filenames with spaces in + # them. Arghghh!. Apparently it works fine as coded... + + # name of dll/exe file + ld_args.extend([',',output_filename]) + # no map file and start libraries + ld_args.append(',,') + + for lib in libraries: + # see if we find it and if there is a bcpp specific lib + # (xxx_bcpp.lib) + libfile = self.find_library_file(library_dirs, lib, debug) + if libfile is None: + ld_args.append(lib) + # probably a BCPP internal library -- don't warn + else: + # full name which prefers bcpp_xxx.lib over xxx.lib + ld_args.append(libfile) + + # some default libraries + ld_args.append ('import32') + ld_args.append ('cw32mt') + + # def file for export symbols + ld_args.extend([',',def_file]) + # add resource files + ld_args.append(',') + ld_args.extend(resources) + + + if extra_preargs: + ld_args[:0] = extra_preargs + if extra_postargs: + ld_args.extend(extra_postargs) + + self.mkpath (os.path.dirname (output_filename)) + try: + self.spawn ([self.linker] + ld_args) + except DistutilsExecError as msg: + raise LinkError(msg) + + else: + log.debug("skipping %s (up-to-date)", output_filename) + + # link () + + # -- Miscellaneous methods ----------------------------------------- + + + def find_library_file (self, dirs, lib, debug=0): + # List of effective library names to try, in order of preference: + # xxx_bcpp.lib is better than xxx.lib + # and xxx_d.lib is better than xxx.lib if debug is set + # + # The "_bcpp" suffix is to handle a Python installation for people + # with multiple compilers (primarily Distutils hackers, I suspect + # ;-). The idea is they'd have one static library for each + # compiler they care about, since (almost?) every Windows compiler + # seems to have a different format for static libraries. + if debug: + dlib = (lib + "_d") + try_names = (dlib + "_bcpp", lib + "_bcpp", dlib, lib) + else: + try_names = (lib + "_bcpp", lib) + + for dir in dirs: + for name in try_names: + libfile = os.path.join(dir, self.library_filename(name)) + if os.path.exists(libfile): + return libfile + else: + # Oops, didn't find it in *any* of 'dirs' + return None + + # overwrite the one from CCompiler to support rc and res-files + def object_filenames (self, + source_filenames, + strip_dir=0, + output_dir=''): + if output_dir is None: output_dir = '' + obj_names = [] + for src_name in source_filenames: + # use normcase to make sure '.rc' is really '.rc' and not '.RC' + (base, ext) = os.path.splitext (os.path.normcase(src_name)) + if ext not in (self.src_extensions + ['.rc','.res']): + raise UnknownFileError("unknown file type '%s' (from '%s')" % \ + (ext, src_name)) + if strip_dir: + base = os.path.basename (base) + if ext == '.res': + # these can go unchanged + obj_names.append (os.path.join (output_dir, base + ext)) + elif ext == '.rc': + # these need to be compiled to .res-files + obj_names.append (os.path.join (output_dir, base + '.res')) + else: + obj_names.append (os.path.join (output_dir, + base + self.obj_extension)) + return obj_names + + # object_filenames () + + def preprocess (self, + source, + output_file=None, + macros=None, + include_dirs=None, + extra_preargs=None, + extra_postargs=None): + + (_, macros, include_dirs) = \ + self._fix_compile_args(None, macros, include_dirs) + pp_opts = gen_preprocess_options(macros, include_dirs) + pp_args = ['cpp32.exe'] + pp_opts + if output_file is not None: + pp_args.append('-o' + output_file) + if extra_preargs: + pp_args[:0] = extra_preargs + if extra_postargs: + pp_args.extend(extra_postargs) + pp_args.append(source) + + # We need to preprocess: either we're being forced to, or the + # source file is newer than the target (or the target doesn't + # exist). + if self.force or output_file is None or newer(source, output_file): + if output_file: + self.mkpath(os.path.dirname(output_file)) + try: + self.spawn(pp_args) + except DistutilsExecError as msg: + print(msg) + raise CompileError(msg) + + # preprocess() diff --git a/venv/Lib/site-packages/setuptools/_distutils/ccompiler.py b/venv/Lib/site-packages/setuptools/_distutils/ccompiler.py new file mode 100644 index 0000000..48d160d --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/ccompiler.py @@ -0,0 +1,1123 @@ +"""distutils.ccompiler + +Contains CCompiler, an abstract base class that defines the interface +for the Distutils compiler abstraction model.""" + +import sys, os, re +from distutils.errors import * +from distutils.spawn import spawn +from distutils.file_util import move_file +from distutils.dir_util import mkpath +from distutils.dep_util import newer_group +from distutils.util import split_quoted, execute +from distutils import log + +class CCompiler: + """Abstract base class to define the interface that must be implemented + by real compiler classes. Also has some utility methods used by + several compiler classes. + + The basic idea behind a compiler abstraction class is that each + instance can be used for all the compile/link steps in building a + single project. Thus, attributes common to all of those compile and + link steps -- include directories, macros to define, libraries to link + against, etc. -- are attributes of the compiler instance. To allow for + variability in how individual files are treated, most of those + attributes may be varied on a per-compilation or per-link basis. + """ + + # 'compiler_type' is a class attribute that identifies this class. It + # keeps code that wants to know what kind of compiler it's dealing with + # from having to import all possible compiler classes just to do an + # 'isinstance'. In concrete CCompiler subclasses, 'compiler_type' + # should really, really be one of the keys of the 'compiler_class' + # dictionary (see below -- used by the 'new_compiler()' factory + # function) -- authors of new compiler interface classes are + # responsible for updating 'compiler_class'! + compiler_type = None + + # XXX things not handled by this compiler abstraction model: + # * client can't provide additional options for a compiler, + # e.g. warning, optimization, debugging flags. Perhaps this + # should be the domain of concrete compiler abstraction classes + # (UnixCCompiler, MSVCCompiler, etc.) -- or perhaps the base + # class should have methods for the common ones. + # * can't completely override the include or library searchg + # path, ie. no "cc -I -Idir1 -Idir2" or "cc -L -Ldir1 -Ldir2". + # I'm not sure how widely supported this is even by Unix + # compilers, much less on other platforms. And I'm even less + # sure how useful it is; maybe for cross-compiling, but + # support for that is a ways off. (And anyways, cross + # compilers probably have a dedicated binary with the + # right paths compiled in. I hope.) + # * can't do really freaky things with the library list/library + # dirs, e.g. "-Ldir1 -lfoo -Ldir2 -lfoo" to link against + # different versions of libfoo.a in different locations. I + # think this is useless without the ability to null out the + # library search path anyways. + + + # Subclasses that rely on the standard filename generation methods + # implemented below should override these; see the comment near + # those methods ('object_filenames()' et. al.) for details: + src_extensions = None # list of strings + obj_extension = None # string + static_lib_extension = None + shared_lib_extension = None # string + static_lib_format = None # format string + shared_lib_format = None # prob. same as static_lib_format + exe_extension = None # string + + # Default language settings. language_map is used to detect a source + # file or Extension target language, checking source filenames. + # language_order is used to detect the language precedence, when deciding + # what language to use when mixing source types. For example, if some + # extension has two files with ".c" extension, and one with ".cpp", it + # is still linked as c++. + language_map = {".c" : "c", + ".cc" : "c++", + ".cpp" : "c++", + ".cxx" : "c++", + ".m" : "objc", + } + language_order = ["c++", "objc", "c"] + + def __init__(self, verbose=0, dry_run=0, force=0): + self.dry_run = dry_run + self.force = force + self.verbose = verbose + + # 'output_dir': a common output directory for object, library, + # shared object, and shared library files + self.output_dir = None + + # 'macros': a list of macro definitions (or undefinitions). A + # macro definition is a 2-tuple (name, value), where the value is + # either a string or None (no explicit value). A macro + # undefinition is a 1-tuple (name,). + self.macros = [] + + # 'include_dirs': a list of directories to search for include files + self.include_dirs = [] + + # 'libraries': a list of libraries to include in any link + # (library names, not filenames: eg. "foo" not "libfoo.a") + self.libraries = [] + + # 'library_dirs': a list of directories to search for libraries + self.library_dirs = [] + + # 'runtime_library_dirs': a list of directories to search for + # shared libraries/objects at runtime + self.runtime_library_dirs = [] + + # 'objects': a list of object files (or similar, such as explicitly + # named library files) to include on any link + self.objects = [] + + for key in self.executables.keys(): + self.set_executable(key, self.executables[key]) + + def set_executables(self, **kwargs): + """Define the executables (and options for them) that will be run + to perform the various stages of compilation. The exact set of + executables that may be specified here depends on the compiler + class (via the 'executables' class attribute), but most will have: + compiler the C/C++ compiler + linker_so linker used to create shared objects and libraries + linker_exe linker used to create binary executables + archiver static library creator + + On platforms with a command-line (Unix, DOS/Windows), each of these + is a string that will be split into executable name and (optional) + list of arguments. (Splitting the string is done similarly to how + Unix shells operate: words are delimited by spaces, but quotes and + backslashes can override this. See + 'distutils.util.split_quoted()'.) + """ + + # Note that some CCompiler implementation classes will define class + # attributes 'cpp', 'cc', etc. with hard-coded executable names; + # this is appropriate when a compiler class is for exactly one + # compiler/OS combination (eg. MSVCCompiler). Other compiler + # classes (UnixCCompiler, in particular) are driven by information + # discovered at run-time, since there are many different ways to do + # basically the same things with Unix C compilers. + + for key in kwargs: + if key not in self.executables: + raise ValueError("unknown executable '%s' for class %s" % + (key, self.__class__.__name__)) + self.set_executable(key, kwargs[key]) + + def set_executable(self, key, value): + if isinstance(value, str): + setattr(self, key, split_quoted(value)) + else: + setattr(self, key, value) + + def _find_macro(self, name): + i = 0 + for defn in self.macros: + if defn[0] == name: + return i + i += 1 + return None + + def _check_macro_definitions(self, definitions): + """Ensures that every element of 'definitions' is a valid macro + definition, ie. either (name,value) 2-tuple or a (name,) tuple. Do + nothing if all definitions are OK, raise TypeError otherwise. + """ + for defn in definitions: + if not (isinstance(defn, tuple) and + (len(defn) in (1, 2) and + (isinstance (defn[1], str) or defn[1] is None)) and + isinstance (defn[0], str)): + raise TypeError(("invalid macro definition '%s': " % defn) + \ + "must be tuple (string,), (string, string), or " + \ + "(string, None)") + + + # -- Bookkeeping methods ------------------------------------------- + + def define_macro(self, name, value=None): + """Define a preprocessor macro for all compilations driven by this + compiler object. The optional parameter 'value' should be a + string; if it is not supplied, then the macro will be defined + without an explicit value and the exact outcome depends on the + compiler used (XXX true? does ANSI say anything about this?) + """ + # Delete from the list of macro definitions/undefinitions if + # already there (so that this one will take precedence). + i = self._find_macro (name) + if i is not None: + del self.macros[i] + + self.macros.append((name, value)) + + def undefine_macro(self, name): + """Undefine a preprocessor macro for all compilations driven by + this compiler object. If the same macro is defined by + 'define_macro()' and undefined by 'undefine_macro()' the last call + takes precedence (including multiple redefinitions or + undefinitions). If the macro is redefined/undefined on a + per-compilation basis (ie. in the call to 'compile()'), then that + takes precedence. + """ + # Delete from the list of macro definitions/undefinitions if + # already there (so that this one will take precedence). + i = self._find_macro (name) + if i is not None: + del self.macros[i] + + undefn = (name,) + self.macros.append(undefn) + + def add_include_dir(self, dir): + """Add 'dir' to the list of directories that will be searched for + header files. The compiler is instructed to search directories in + the order in which they are supplied by successive calls to + 'add_include_dir()'. + """ + self.include_dirs.append(dir) + + def set_include_dirs(self, dirs): + """Set the list of directories that will be searched to 'dirs' (a + list of strings). Overrides any preceding calls to + 'add_include_dir()'; subsequence calls to 'add_include_dir()' add + to the list passed to 'set_include_dirs()'. This does not affect + any list of standard include directories that the compiler may + search by default. + """ + self.include_dirs = dirs[:] + + def add_library(self, libname): + """Add 'libname' to the list of libraries that will be included in + all links driven by this compiler object. Note that 'libname' + should *not* be the name of a file containing a library, but the + name of the library itself: the actual filename will be inferred by + the linker, the compiler, or the compiler class (depending on the + platform). + + The linker will be instructed to link against libraries in the + order they were supplied to 'add_library()' and/or + 'set_libraries()'. It is perfectly valid to duplicate library + names; the linker will be instructed to link against libraries as + many times as they are mentioned. + """ + self.libraries.append(libname) + + def set_libraries(self, libnames): + """Set the list of libraries to be included in all links driven by + this compiler object to 'libnames' (a list of strings). This does + not affect any standard system libraries that the linker may + include by default. + """ + self.libraries = libnames[:] + + def add_library_dir(self, dir): + """Add 'dir' to the list of directories that will be searched for + libraries specified to 'add_library()' and 'set_libraries()'. The + linker will be instructed to search for libraries in the order they + are supplied to 'add_library_dir()' and/or 'set_library_dirs()'. + """ + self.library_dirs.append(dir) + + def set_library_dirs(self, dirs): + """Set the list of library search directories to 'dirs' (a list of + strings). This does not affect any standard library search path + that the linker may search by default. + """ + self.library_dirs = dirs[:] + + def add_runtime_library_dir(self, dir): + """Add 'dir' to the list of directories that will be searched for + shared libraries at runtime. + """ + self.runtime_library_dirs.append(dir) + + def set_runtime_library_dirs(self, dirs): + """Set the list of directories to search for shared libraries at + runtime to 'dirs' (a list of strings). This does not affect any + standard search path that the runtime linker may search by + default. + """ + self.runtime_library_dirs = dirs[:] + + def add_link_object(self, object): + """Add 'object' to the list of object files (or analogues, such as + explicitly named library files or the output of "resource + compilers") to be included in every link driven by this compiler + object. + """ + self.objects.append(object) + + def set_link_objects(self, objects): + """Set the list of object files (or analogues) to be included in + every link to 'objects'. This does not affect any standard object + files that the linker may include by default (such as system + libraries). + """ + self.objects = objects[:] + + + # -- Private utility methods -------------------------------------- + # (here for the convenience of subclasses) + + # Helper method to prep compiler in subclass compile() methods + + def _setup_compile(self, outdir, macros, incdirs, sources, depends, + extra): + """Process arguments and decide which source files to compile.""" + if outdir is None: + outdir = self.output_dir + elif not isinstance(outdir, str): + raise TypeError("'output_dir' must be a string or None") + + if macros is None: + macros = self.macros + elif isinstance(macros, list): + macros = macros + (self.macros or []) + else: + raise TypeError("'macros' (if supplied) must be a list of tuples") + + if incdirs is None: + incdirs = self.include_dirs + elif isinstance(incdirs, (list, tuple)): + incdirs = list(incdirs) + (self.include_dirs or []) + else: + raise TypeError( + "'include_dirs' (if supplied) must be a list of strings") + + if extra is None: + extra = [] + + # Get the list of expected output (object) files + objects = self.object_filenames(sources, strip_dir=0, + output_dir=outdir) + assert len(objects) == len(sources) + + pp_opts = gen_preprocess_options(macros, incdirs) + + build = {} + for i in range(len(sources)): + src = sources[i] + obj = objects[i] + ext = os.path.splitext(src)[1] + self.mkpath(os.path.dirname(obj)) + build[obj] = (src, ext) + + return macros, objects, extra, pp_opts, build + + def _get_cc_args(self, pp_opts, debug, before): + # works for unixccompiler, cygwinccompiler + cc_args = pp_opts + ['-c'] + if debug: + cc_args[:0] = ['-g'] + if before: + cc_args[:0] = before + return cc_args + + def _fix_compile_args(self, output_dir, macros, include_dirs): + """Typecheck and fix-up some of the arguments to the 'compile()' + method, and return fixed-up values. Specifically: if 'output_dir' + is None, replaces it with 'self.output_dir'; ensures that 'macros' + is a list, and augments it with 'self.macros'; ensures that + 'include_dirs' is a list, and augments it with 'self.include_dirs'. + Guarantees that the returned values are of the correct type, + i.e. for 'output_dir' either string or None, and for 'macros' and + 'include_dirs' either list or None. + """ + if output_dir is None: + output_dir = self.output_dir + elif not isinstance(output_dir, str): + raise TypeError("'output_dir' must be a string or None") + + if macros is None: + macros = self.macros + elif isinstance(macros, list): + macros = macros + (self.macros or []) + else: + raise TypeError("'macros' (if supplied) must be a list of tuples") + + if include_dirs is None: + include_dirs = self.include_dirs + elif isinstance(include_dirs, (list, tuple)): + include_dirs = list(include_dirs) + (self.include_dirs or []) + else: + raise TypeError( + "'include_dirs' (if supplied) must be a list of strings") + + return output_dir, macros, include_dirs + + def _prep_compile(self, sources, output_dir, depends=None): + """Decide which source files must be recompiled. + + Determine the list of object files corresponding to 'sources', + and figure out which ones really need to be recompiled. + Return a list of all object files and a dictionary telling + which source files can be skipped. + """ + # Get the list of expected output (object) files + objects = self.object_filenames(sources, output_dir=output_dir) + assert len(objects) == len(sources) + + # Return an empty dict for the "which source files can be skipped" + # return value to preserve API compatibility. + return objects, {} + + def _fix_object_args(self, objects, output_dir): + """Typecheck and fix up some arguments supplied to various methods. + Specifically: ensure that 'objects' is a list; if output_dir is + None, replace with self.output_dir. Return fixed versions of + 'objects' and 'output_dir'. + """ + if not isinstance(objects, (list, tuple)): + raise TypeError("'objects' must be a list or tuple of strings") + objects = list(objects) + + if output_dir is None: + output_dir = self.output_dir + elif not isinstance(output_dir, str): + raise TypeError("'output_dir' must be a string or None") + + return (objects, output_dir) + + def _fix_lib_args(self, libraries, library_dirs, runtime_library_dirs): + """Typecheck and fix up some of the arguments supplied to the + 'link_*' methods. Specifically: ensure that all arguments are + lists, and augment them with their permanent versions + (eg. 'self.libraries' augments 'libraries'). Return a tuple with + fixed versions of all arguments. + """ + if libraries is None: + libraries = self.libraries + elif isinstance(libraries, (list, tuple)): + libraries = list (libraries) + (self.libraries or []) + else: + raise TypeError( + "'libraries' (if supplied) must be a list of strings") + + if library_dirs is None: + library_dirs = self.library_dirs + elif isinstance(library_dirs, (list, tuple)): + library_dirs = list (library_dirs) + (self.library_dirs or []) + else: + raise TypeError( + "'library_dirs' (if supplied) must be a list of strings") + + if runtime_library_dirs is None: + runtime_library_dirs = self.runtime_library_dirs + elif isinstance(runtime_library_dirs, (list, tuple)): + runtime_library_dirs = (list(runtime_library_dirs) + + (self.runtime_library_dirs or [])) + else: + raise TypeError("'runtime_library_dirs' (if supplied) " + "must be a list of strings") + + return (libraries, library_dirs, runtime_library_dirs) + + def _need_link(self, objects, output_file): + """Return true if we need to relink the files listed in 'objects' + to recreate 'output_file'. + """ + if self.force: + return True + else: + if self.dry_run: + newer = newer_group (objects, output_file, missing='newer') + else: + newer = newer_group (objects, output_file) + return newer + + def detect_language(self, sources): + """Detect the language of a given file, or list of files. Uses + language_map, and language_order to do the job. + """ + if not isinstance(sources, list): + sources = [sources] + lang = None + index = len(self.language_order) + for source in sources: + base, ext = os.path.splitext(source) + extlang = self.language_map.get(ext) + try: + extindex = self.language_order.index(extlang) + if extindex < index: + lang = extlang + index = extindex + except ValueError: + pass + return lang + + + # -- Worker methods ------------------------------------------------ + # (must be implemented by subclasses) + + def preprocess(self, source, output_file=None, macros=None, + include_dirs=None, extra_preargs=None, extra_postargs=None): + """Preprocess a single C/C++ source file, named in 'source'. + Output will be written to file named 'output_file', or stdout if + 'output_file' not supplied. 'macros' is a list of macro + definitions as for 'compile()', which will augment the macros set + with 'define_macro()' and 'undefine_macro()'. 'include_dirs' is a + list of directory names that will be added to the default list. + + Raises PreprocessError on failure. + """ + pass + + def compile(self, sources, output_dir=None, macros=None, + include_dirs=None, debug=0, extra_preargs=None, + extra_postargs=None, depends=None): + """Compile one or more source files. + + 'sources' must be a list of filenames, most likely C/C++ + files, but in reality anything that can be handled by a + particular compiler and compiler class (eg. MSVCCompiler can + handle resource files in 'sources'). Return a list of object + filenames, one per source filename in 'sources'. Depending on + the implementation, not all source files will necessarily be + compiled, but all corresponding object filenames will be + returned. + + If 'output_dir' is given, object files will be put under it, while + retaining their original path component. That is, "foo/bar.c" + normally compiles to "foo/bar.o" (for a Unix implementation); if + 'output_dir' is "build", then it would compile to + "build/foo/bar.o". + + 'macros', if given, must be a list of macro definitions. A macro + definition is either a (name, value) 2-tuple or a (name,) 1-tuple. + The former defines a macro; if the value is None, the macro is + defined without an explicit value. The 1-tuple case undefines a + macro. Later definitions/redefinitions/ undefinitions take + precedence. + + 'include_dirs', if given, must be a list of strings, the + directories to add to the default include file search path for this + compilation only. + + 'debug' is a boolean; if true, the compiler will be instructed to + output debug symbols in (or alongside) the object file(s). + + 'extra_preargs' and 'extra_postargs' are implementation- dependent. + On platforms that have the notion of a command-line (e.g. Unix, + DOS/Windows), they are most likely lists of strings: extra + command-line arguments to prepend/append to the compiler command + line. On other platforms, consult the implementation class + documentation. In any event, they are intended as an escape hatch + for those occasions when the abstract compiler framework doesn't + cut the mustard. + + 'depends', if given, is a list of filenames that all targets + depend on. If a source file is older than any file in + depends, then the source file will be recompiled. This + supports dependency tracking, but only at a coarse + granularity. + + Raises CompileError on failure. + """ + # A concrete compiler class can either override this method + # entirely or implement _compile(). + macros, objects, extra_postargs, pp_opts, build = \ + self._setup_compile(output_dir, macros, include_dirs, sources, + depends, extra_postargs) + cc_args = self._get_cc_args(pp_opts, debug, extra_preargs) + + for obj in objects: + try: + src, ext = build[obj] + except KeyError: + continue + self._compile(obj, src, ext, cc_args, extra_postargs, pp_opts) + + # Return *all* object filenames, not just the ones we just built. + return objects + + def _compile(self, obj, src, ext, cc_args, extra_postargs, pp_opts): + """Compile 'src' to product 'obj'.""" + # A concrete compiler class that does not override compile() + # should implement _compile(). + pass + + def create_static_lib(self, objects, output_libname, output_dir=None, + debug=0, target_lang=None): + """Link a bunch of stuff together to create a static library file. + The "bunch of stuff" consists of the list of object files supplied + as 'objects', the extra object files supplied to + 'add_link_object()' and/or 'set_link_objects()', the libraries + supplied to 'add_library()' and/or 'set_libraries()', and the + libraries supplied as 'libraries' (if any). + + 'output_libname' should be a library name, not a filename; the + filename will be inferred from the library name. 'output_dir' is + the directory where the library file will be put. + + 'debug' is a boolean; if true, debugging information will be + included in the library (note that on most platforms, it is the + compile step where this matters: the 'debug' flag is included here + just for consistency). + + 'target_lang' is the target language for which the given objects + are being compiled. This allows specific linkage time treatment of + certain languages. + + Raises LibError on failure. + """ + pass + + + # values for target_desc parameter in link() + SHARED_OBJECT = "shared_object" + SHARED_LIBRARY = "shared_library" + EXECUTABLE = "executable" + + def link(self, + target_desc, + objects, + output_filename, + output_dir=None, + libraries=None, + library_dirs=None, + runtime_library_dirs=None, + export_symbols=None, + debug=0, + extra_preargs=None, + extra_postargs=None, + build_temp=None, + target_lang=None): + """Link a bunch of stuff together to create an executable or + shared library file. + + The "bunch of stuff" consists of the list of object files supplied + as 'objects'. 'output_filename' should be a filename. If + 'output_dir' is supplied, 'output_filename' is relative to it + (i.e. 'output_filename' can provide directory components if + needed). + + 'libraries' is a list of libraries to link against. These are + library names, not filenames, since they're translated into + filenames in a platform-specific way (eg. "foo" becomes "libfoo.a" + on Unix and "foo.lib" on DOS/Windows). However, they can include a + directory component, which means the linker will look in that + specific directory rather than searching all the normal locations. + + 'library_dirs', if supplied, should be a list of directories to + search for libraries that were specified as bare library names + (ie. no directory component). These are on top of the system + default and those supplied to 'add_library_dir()' and/or + 'set_library_dirs()'. 'runtime_library_dirs' is a list of + directories that will be embedded into the shared library and used + to search for other shared libraries that *it* depends on at + run-time. (This may only be relevant on Unix.) + + 'export_symbols' is a list of symbols that the shared library will + export. (This appears to be relevant only on Windows.) + + 'debug' is as for 'compile()' and 'create_static_lib()', with the + slight distinction that it actually matters on most platforms (as + opposed to 'create_static_lib()', which includes a 'debug' flag + mostly for form's sake). + + 'extra_preargs' and 'extra_postargs' are as for 'compile()' (except + of course that they supply command-line arguments for the + particular linker being used). + + 'target_lang' is the target language for which the given objects + are being compiled. This allows specific linkage time treatment of + certain languages. + + Raises LinkError on failure. + """ + raise NotImplementedError + + + # Old 'link_*()' methods, rewritten to use the new 'link()' method. + + def link_shared_lib(self, + objects, + output_libname, + output_dir=None, + libraries=None, + library_dirs=None, + runtime_library_dirs=None, + export_symbols=None, + debug=0, + extra_preargs=None, + extra_postargs=None, + build_temp=None, + target_lang=None): + self.link(CCompiler.SHARED_LIBRARY, objects, + self.library_filename(output_libname, lib_type='shared'), + output_dir, + libraries, library_dirs, runtime_library_dirs, + export_symbols, debug, + extra_preargs, extra_postargs, build_temp, target_lang) + + + def link_shared_object(self, + objects, + output_filename, + output_dir=None, + libraries=None, + library_dirs=None, + runtime_library_dirs=None, + export_symbols=None, + debug=0, + extra_preargs=None, + extra_postargs=None, + build_temp=None, + target_lang=None): + self.link(CCompiler.SHARED_OBJECT, objects, + output_filename, output_dir, + libraries, library_dirs, runtime_library_dirs, + export_symbols, debug, + extra_preargs, extra_postargs, build_temp, target_lang) + + + def link_executable(self, + objects, + output_progname, + output_dir=None, + libraries=None, + library_dirs=None, + runtime_library_dirs=None, + debug=0, + extra_preargs=None, + extra_postargs=None, + target_lang=None): + self.link(CCompiler.EXECUTABLE, objects, + self.executable_filename(output_progname), output_dir, + libraries, library_dirs, runtime_library_dirs, None, + debug, extra_preargs, extra_postargs, None, target_lang) + + + # -- Miscellaneous methods ----------------------------------------- + # These are all used by the 'gen_lib_options() function; there is + # no appropriate default implementation so subclasses should + # implement all of these. + + def library_dir_option(self, dir): + """Return the compiler option to add 'dir' to the list of + directories searched for libraries. + """ + raise NotImplementedError + + def runtime_library_dir_option(self, dir): + """Return the compiler option to add 'dir' to the list of + directories searched for runtime libraries. + """ + raise NotImplementedError + + def library_option(self, lib): + """Return the compiler option to add 'lib' to the list of libraries + linked into the shared library or executable. + """ + raise NotImplementedError + + def has_function(self, funcname, includes=None, include_dirs=None, + libraries=None, library_dirs=None): + """Return a boolean indicating whether funcname is supported on + the current platform. The optional arguments can be used to + augment the compilation environment. + """ + # this can't be included at module scope because it tries to + # import math which might not be available at that point - maybe + # the necessary logic should just be inlined? + import tempfile + if includes is None: + includes = [] + if include_dirs is None: + include_dirs = [] + if libraries is None: + libraries = [] + if library_dirs is None: + library_dirs = [] + fd, fname = tempfile.mkstemp(".c", funcname, text=True) + f = os.fdopen(fd, "w") + try: + for incl in includes: + f.write("""#include "%s"\n""" % incl) + f.write("""\ +int main (int argc, char **argv) { + %s(); + return 0; +} +""" % funcname) + finally: + f.close() + try: + objects = self.compile([fname], include_dirs=include_dirs) + except CompileError: + return False + finally: + os.remove(fname) + + try: + self.link_executable(objects, "a.out", + libraries=libraries, + library_dirs=library_dirs) + except (LinkError, TypeError): + return False + else: + os.remove("a.out") + finally: + for fn in objects: + os.remove(fn) + return True + + def find_library_file (self, dirs, lib, debug=0): + """Search the specified list of directories for a static or shared + library file 'lib' and return the full path to that file. If + 'debug' true, look for a debugging version (if that makes sense on + the current platform). Return None if 'lib' wasn't found in any of + the specified directories. + """ + raise NotImplementedError + + # -- Filename generation methods ----------------------------------- + + # The default implementation of the filename generating methods are + # prejudiced towards the Unix/DOS/Windows view of the world: + # * object files are named by replacing the source file extension + # (eg. .c/.cpp -> .o/.obj) + # * library files (shared or static) are named by plugging the + # library name and extension into a format string, eg. + # "lib%s.%s" % (lib_name, ".a") for Unix static libraries + # * executables are named by appending an extension (possibly + # empty) to the program name: eg. progname + ".exe" for + # Windows + # + # To reduce redundant code, these methods expect to find + # several attributes in the current object (presumably defined + # as class attributes): + # * src_extensions - + # list of C/C++ source file extensions, eg. ['.c', '.cpp'] + # * obj_extension - + # object file extension, eg. '.o' or '.obj' + # * static_lib_extension - + # extension for static library files, eg. '.a' or '.lib' + # * shared_lib_extension - + # extension for shared library/object files, eg. '.so', '.dll' + # * static_lib_format - + # format string for generating static library filenames, + # eg. 'lib%s.%s' or '%s.%s' + # * shared_lib_format + # format string for generating shared library filenames + # (probably same as static_lib_format, since the extension + # is one of the intended parameters to the format string) + # * exe_extension - + # extension for executable files, eg. '' or '.exe' + + def object_filenames(self, source_filenames, strip_dir=0, output_dir=''): + if output_dir is None: + output_dir = '' + obj_names = [] + for src_name in source_filenames: + base, ext = os.path.splitext(src_name) + base = os.path.splitdrive(base)[1] # Chop off the drive + base = base[os.path.isabs(base):] # If abs, chop off leading / + if ext not in self.src_extensions: + raise UnknownFileError( + "unknown file type '%s' (from '%s')" % (ext, src_name)) + if strip_dir: + base = os.path.basename(base) + obj_names.append(os.path.join(output_dir, + base + self.obj_extension)) + return obj_names + + def shared_object_filename(self, basename, strip_dir=0, output_dir=''): + assert output_dir is not None + if strip_dir: + basename = os.path.basename(basename) + return os.path.join(output_dir, basename + self.shared_lib_extension) + + def executable_filename(self, basename, strip_dir=0, output_dir=''): + assert output_dir is not None + if strip_dir: + basename = os.path.basename(basename) + return os.path.join(output_dir, basename + (self.exe_extension or '')) + + def library_filename(self, libname, lib_type='static', # or 'shared' + strip_dir=0, output_dir=''): + assert output_dir is not None + if lib_type not in ("static", "shared", "dylib", "xcode_stub"): + raise ValueError( + "'lib_type' must be \"static\", \"shared\", \"dylib\", or \"xcode_stub\"") + fmt = getattr(self, lib_type + "_lib_format") + ext = getattr(self, lib_type + "_lib_extension") + + dir, base = os.path.split(libname) + filename = fmt % (base, ext) + if strip_dir: + dir = '' + + return os.path.join(output_dir, dir, filename) + + + # -- Utility methods ----------------------------------------------- + + def announce(self, msg, level=1): + log.debug(msg) + + def debug_print(self, msg): + from distutils.debug import DEBUG + if DEBUG: + print(msg) + + def warn(self, msg): + sys.stderr.write("warning: %s\n" % msg) + + def execute(self, func, args, msg=None, level=1): + execute(func, args, msg, self.dry_run) + + def spawn(self, cmd, **kwargs): + spawn(cmd, dry_run=self.dry_run, **kwargs) + + def move_file(self, src, dst): + return move_file(src, dst, dry_run=self.dry_run) + + def mkpath (self, name, mode=0o777): + mkpath(name, mode, dry_run=self.dry_run) + + +# Map a sys.platform/os.name ('posix', 'nt') to the default compiler +# type for that platform. Keys are interpreted as re match +# patterns. Order is important; platform mappings are preferred over +# OS names. +_default_compilers = ( + + # Platform string mappings + + # on a cygwin built python we can use gcc like an ordinary UNIXish + # compiler + ('cygwin.*', 'unix'), + + # OS name mappings + ('posix', 'unix'), + ('nt', 'msvc'), + + ) + +def get_default_compiler(osname=None, platform=None): + """Determine the default compiler to use for the given platform. + + osname should be one of the standard Python OS names (i.e. the + ones returned by os.name) and platform the common value + returned by sys.platform for the platform in question. + + The default values are os.name and sys.platform in case the + parameters are not given. + """ + if osname is None: + osname = os.name + if platform is None: + platform = sys.platform + for pattern, compiler in _default_compilers: + if re.match(pattern, platform) is not None or \ + re.match(pattern, osname) is not None: + return compiler + # Default to Unix compiler + return 'unix' + +# Map compiler types to (module_name, class_name) pairs -- ie. where to +# find the code that implements an interface to this compiler. (The module +# is assumed to be in the 'distutils' package.) +compiler_class = { 'unix': ('unixccompiler', 'UnixCCompiler', + "standard UNIX-style compiler"), + 'msvc': ('_msvccompiler', 'MSVCCompiler', + "Microsoft Visual C++"), + 'cygwin': ('cygwinccompiler', 'CygwinCCompiler', + "Cygwin port of GNU C Compiler for Win32"), + 'mingw32': ('cygwinccompiler', 'Mingw32CCompiler', + "Mingw32 port of GNU C Compiler for Win32"), + 'bcpp': ('bcppcompiler', 'BCPPCompiler', + "Borland C++ Compiler"), + } + +def show_compilers(): + """Print list of available compilers (used by the "--help-compiler" + options to "build", "build_ext", "build_clib"). + """ + # XXX this "knows" that the compiler option it's describing is + # "--compiler", which just happens to be the case for the three + # commands that use it. + from distutils.fancy_getopt import FancyGetopt + compilers = [] + for compiler in compiler_class.keys(): + compilers.append(("compiler="+compiler, None, + compiler_class[compiler][2])) + compilers.sort() + pretty_printer = FancyGetopt(compilers) + pretty_printer.print_help("List of available compilers:") + + +def new_compiler(plat=None, compiler=None, verbose=0, dry_run=0, force=0): + """Generate an instance of some CCompiler subclass for the supplied + platform/compiler combination. 'plat' defaults to 'os.name' + (eg. 'posix', 'nt'), and 'compiler' defaults to the default compiler + for that platform. Currently only 'posix' and 'nt' are supported, and + the default compilers are "traditional Unix interface" (UnixCCompiler + class) and Visual C++ (MSVCCompiler class). Note that it's perfectly + possible to ask for a Unix compiler object under Windows, and a + Microsoft compiler object under Unix -- if you supply a value for + 'compiler', 'plat' is ignored. + """ + if plat is None: + plat = os.name + + try: + if compiler is None: + compiler = get_default_compiler(plat) + + (module_name, class_name, long_description) = compiler_class[compiler] + except KeyError: + msg = "don't know how to compile C/C++ code on platform '%s'" % plat + if compiler is not None: + msg = msg + " with '%s' compiler" % compiler + raise DistutilsPlatformError(msg) + + try: + module_name = "distutils." + module_name + __import__ (module_name) + module = sys.modules[module_name] + klass = vars(module)[class_name] + except ImportError: + raise DistutilsModuleError( + "can't compile C/C++ code: unable to load module '%s'" % \ + module_name) + except KeyError: + raise DistutilsModuleError( + "can't compile C/C++ code: unable to find class '%s' " + "in module '%s'" % (class_name, module_name)) + + # XXX The None is necessary to preserve backwards compatibility + # with classes that expect verbose to be the first positional + # argument. + return klass(None, dry_run, force) + + +def gen_preprocess_options(macros, include_dirs): + """Generate C pre-processor options (-D, -U, -I) as used by at least + two types of compilers: the typical Unix compiler and Visual C++. + 'macros' is the usual thing, a list of 1- or 2-tuples, where (name,) + means undefine (-U) macro 'name', and (name,value) means define (-D) + macro 'name' to 'value'. 'include_dirs' is just a list of directory + names to be added to the header file search path (-I). Returns a list + of command-line options suitable for either Unix compilers or Visual + C++. + """ + # XXX it would be nice (mainly aesthetic, and so we don't generate + # stupid-looking command lines) to go over 'macros' and eliminate + # redundant definitions/undefinitions (ie. ensure that only the + # latest mention of a particular macro winds up on the command + # line). I don't think it's essential, though, since most (all?) + # Unix C compilers only pay attention to the latest -D or -U + # mention of a macro on their command line. Similar situation for + # 'include_dirs'. I'm punting on both for now. Anyways, weeding out + # redundancies like this should probably be the province of + # CCompiler, since the data structures used are inherited from it + # and therefore common to all CCompiler classes. + pp_opts = [] + for macro in macros: + if not (isinstance(macro, tuple) and 1 <= len(macro) <= 2): + raise TypeError( + "bad macro definition '%s': " + "each element of 'macros' list must be a 1- or 2-tuple" + % macro) + + if len(macro) == 1: # undefine this macro + pp_opts.append("-U%s" % macro[0]) + elif len(macro) == 2: + if macro[1] is None: # define with no explicit value + pp_opts.append("-D%s" % macro[0]) + else: + # XXX *don't* need to be clever about quoting the + # macro value here, because we're going to avoid the + # shell at all costs when we spawn the command! + pp_opts.append("-D%s=%s" % macro) + + for dir in include_dirs: + pp_opts.append("-I%s" % dir) + return pp_opts + + +def gen_lib_options (compiler, library_dirs, runtime_library_dirs, libraries): + """Generate linker options for searching library directories and + linking with specific libraries. 'libraries' and 'library_dirs' are, + respectively, lists of library names (not filenames!) and search + directories. Returns a list of command-line options suitable for use + with some compiler (depending on the two format strings passed in). + """ + lib_opts = [] + + for dir in library_dirs: + lib_opts.append(compiler.library_dir_option(dir)) + + for dir in runtime_library_dirs: + opt = compiler.runtime_library_dir_option(dir) + if isinstance(opt, list): + lib_opts = lib_opts + opt + else: + lib_opts.append(opt) + + # XXX it's important that we *not* remove redundant library mentions! + # sometimes you really do have to say "-lfoo -lbar -lfoo" in order to + # resolve all symbols. I just hope we never have to say "-lfoo obj.o + # -lbar" to get things to work -- that's certainly a possibility, but a + # pretty nasty way to arrange your C code. + + for lib in libraries: + (lib_dir, lib_name) = os.path.split(lib) + if lib_dir: + lib_file = compiler.find_library_file([lib_dir], lib_name) + if lib_file: + lib_opts.append(lib_file) + else: + compiler.warn("no library file corresponding to " + "'%s' found (skipping)" % lib) + else: + lib_opts.append(compiler.library_option (lib)) + return lib_opts diff --git a/venv/Lib/site-packages/setuptools/_distutils/cmd.py b/venv/Lib/site-packages/setuptools/_distutils/cmd.py new file mode 100644 index 0000000..dba3191 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/cmd.py @@ -0,0 +1,403 @@ +"""distutils.cmd + +Provides the Command class, the base class for the command classes +in the distutils.command package. +""" + +import sys, os, re +from distutils.errors import DistutilsOptionError +from distutils import util, dir_util, file_util, archive_util, dep_util +from distutils import log + +class Command: + """Abstract base class for defining command classes, the "worker bees" + of the Distutils. A useful analogy for command classes is to think of + them as subroutines with local variables called "options". The options + are "declared" in 'initialize_options()' and "defined" (given their + final values, aka "finalized") in 'finalize_options()', both of which + must be defined by every command class. The distinction between the + two is necessary because option values might come from the outside + world (command line, config file, ...), and any options dependent on + other options must be computed *after* these outside influences have + been processed -- hence 'finalize_options()'. The "body" of the + subroutine, where it does all its work based on the values of its + options, is the 'run()' method, which must also be implemented by every + command class. + """ + + # 'sub_commands' formalizes the notion of a "family" of commands, + # eg. "install" as the parent with sub-commands "install_lib", + # "install_headers", etc. The parent of a family of commands + # defines 'sub_commands' as a class attribute; it's a list of + # (command_name : string, predicate : unbound_method | string | None) + # tuples, where 'predicate' is a method of the parent command that + # determines whether the corresponding command is applicable in the + # current situation. (Eg. we "install_headers" is only applicable if + # we have any C header files to install.) If 'predicate' is None, + # that command is always applicable. + # + # 'sub_commands' is usually defined at the *end* of a class, because + # predicates can be unbound methods, so they must already have been + # defined. The canonical example is the "install" command. + sub_commands = [] + + + # -- Creation/initialization methods ------------------------------- + + def __init__(self, dist): + """Create and initialize a new Command object. Most importantly, + invokes the 'initialize_options()' method, which is the real + initializer and depends on the actual command being + instantiated. + """ + # late import because of mutual dependence between these classes + from distutils.dist import Distribution + + if not isinstance(dist, Distribution): + raise TypeError("dist must be a Distribution instance") + if self.__class__ is Command: + raise RuntimeError("Command is an abstract class") + + self.distribution = dist + self.initialize_options() + + # Per-command versions of the global flags, so that the user can + # customize Distutils' behaviour command-by-command and let some + # commands fall back on the Distribution's behaviour. None means + # "not defined, check self.distribution's copy", while 0 or 1 mean + # false and true (duh). Note that this means figuring out the real + # value of each flag is a touch complicated -- hence "self._dry_run" + # will be handled by __getattr__, below. + # XXX This needs to be fixed. + self._dry_run = None + + # verbose is largely ignored, but needs to be set for + # backwards compatibility (I think)? + self.verbose = dist.verbose + + # Some commands define a 'self.force' option to ignore file + # timestamps, but methods defined *here* assume that + # 'self.force' exists for all commands. So define it here + # just to be safe. + self.force = None + + # The 'help' flag is just used for command-line parsing, so + # none of that complicated bureaucracy is needed. + self.help = 0 + + # 'finalized' records whether or not 'finalize_options()' has been + # called. 'finalize_options()' itself should not pay attention to + # this flag: it is the business of 'ensure_finalized()', which + # always calls 'finalize_options()', to respect/update it. + self.finalized = 0 + + # XXX A more explicit way to customize dry_run would be better. + def __getattr__(self, attr): + if attr == 'dry_run': + myval = getattr(self, "_" + attr) + if myval is None: + return getattr(self.distribution, attr) + else: + return myval + else: + raise AttributeError(attr) + + def ensure_finalized(self): + if not self.finalized: + self.finalize_options() + self.finalized = 1 + + # Subclasses must define: + # initialize_options() + # provide default values for all options; may be customized by + # setup script, by options from config file(s), or by command-line + # options + # finalize_options() + # decide on the final values for all options; this is called + # after all possible intervention from the outside world + # (command-line, option file, etc.) has been processed + # run() + # run the command: do whatever it is we're here to do, + # controlled by the command's various option values + + def initialize_options(self): + """Set default values for all the options that this command + supports. Note that these defaults may be overridden by other + commands, by the setup script, by config files, or by the + command-line. Thus, this is not the place to code dependencies + between options; generally, 'initialize_options()' implementations + are just a bunch of "self.foo = None" assignments. + + This method must be implemented by all command classes. + """ + raise RuntimeError("abstract method -- subclass %s must override" + % self.__class__) + + def finalize_options(self): + """Set final values for all the options that this command supports. + This is always called as late as possible, ie. after any option + assignments from the command-line or from other commands have been + done. Thus, this is the place to code option dependencies: if + 'foo' depends on 'bar', then it is safe to set 'foo' from 'bar' as + long as 'foo' still has the same value it was assigned in + 'initialize_options()'. + + This method must be implemented by all command classes. + """ + raise RuntimeError("abstract method -- subclass %s must override" + % self.__class__) + + + def dump_options(self, header=None, indent=""): + from distutils.fancy_getopt import longopt_xlate + if header is None: + header = "command options for '%s':" % self.get_command_name() + self.announce(indent + header, level=log.INFO) + indent = indent + " " + for (option, _, _) in self.user_options: + option = option.translate(longopt_xlate) + if option[-1] == "=": + option = option[:-1] + value = getattr(self, option) + self.announce(indent + "%s = %s" % (option, value), + level=log.INFO) + + def run(self): + """A command's raison d'etre: carry out the action it exists to + perform, controlled by the options initialized in + 'initialize_options()', customized by other commands, the setup + script, the command-line, and config files, and finalized in + 'finalize_options()'. All terminal output and filesystem + interaction should be done by 'run()'. + + This method must be implemented by all command classes. + """ + raise RuntimeError("abstract method -- subclass %s must override" + % self.__class__) + + def announce(self, msg, level=1): + """If the current verbosity level is of greater than or equal to + 'level' print 'msg' to stdout. + """ + log.log(level, msg) + + def debug_print(self, msg): + """Print 'msg' to stdout if the global DEBUG (taken from the + DISTUTILS_DEBUG environment variable) flag is true. + """ + from distutils.debug import DEBUG + if DEBUG: + print(msg) + sys.stdout.flush() + + + # -- Option validation methods ------------------------------------- + # (these are very handy in writing the 'finalize_options()' method) + # + # NB. the general philosophy here is to ensure that a particular option + # value meets certain type and value constraints. If not, we try to + # force it into conformance (eg. if we expect a list but have a string, + # split the string on comma and/or whitespace). If we can't force the + # option into conformance, raise DistutilsOptionError. Thus, command + # classes need do nothing more than (eg.) + # self.ensure_string_list('foo') + # and they can be guaranteed that thereafter, self.foo will be + # a list of strings. + + def _ensure_stringlike(self, option, what, default=None): + val = getattr(self, option) + if val is None: + setattr(self, option, default) + return default + elif not isinstance(val, str): + raise DistutilsOptionError("'%s' must be a %s (got `%s`)" + % (option, what, val)) + return val + + def ensure_string(self, option, default=None): + """Ensure that 'option' is a string; if not defined, set it to + 'default'. + """ + self._ensure_stringlike(option, "string", default) + + def ensure_string_list(self, option): + r"""Ensure that 'option' is a list of strings. If 'option' is + currently a string, we split it either on /,\s*/ or /\s+/, so + "foo bar baz", "foo,bar,baz", and "foo, bar baz" all become + ["foo", "bar", "baz"]. + """ + val = getattr(self, option) + if val is None: + return + elif isinstance(val, str): + setattr(self, option, re.split(r',\s*|\s+', val)) + else: + if isinstance(val, list): + ok = all(isinstance(v, str) for v in val) + else: + ok = False + if not ok: + raise DistutilsOptionError( + "'%s' must be a list of strings (got %r)" + % (option, val)) + + def _ensure_tested_string(self, option, tester, what, error_fmt, + default=None): + val = self._ensure_stringlike(option, what, default) + if val is not None and not tester(val): + raise DistutilsOptionError(("error in '%s' option: " + error_fmt) + % (option, val)) + + def ensure_filename(self, option): + """Ensure that 'option' is the name of an existing file.""" + self._ensure_tested_string(option, os.path.isfile, + "filename", + "'%s' does not exist or is not a file") + + def ensure_dirname(self, option): + self._ensure_tested_string(option, os.path.isdir, + "directory name", + "'%s' does not exist or is not a directory") + + + # -- Convenience methods for commands ------------------------------ + + def get_command_name(self): + if hasattr(self, 'command_name'): + return self.command_name + else: + return self.__class__.__name__ + + def set_undefined_options(self, src_cmd, *option_pairs): + """Set the values of any "undefined" options from corresponding + option values in some other command object. "Undefined" here means + "is None", which is the convention used to indicate that an option + has not been changed between 'initialize_options()' and + 'finalize_options()'. Usually called from 'finalize_options()' for + options that depend on some other command rather than another + option of the same command. 'src_cmd' is the other command from + which option values will be taken (a command object will be created + for it if necessary); the remaining arguments are + '(src_option,dst_option)' tuples which mean "take the value of + 'src_option' in the 'src_cmd' command object, and copy it to + 'dst_option' in the current command object". + """ + # Option_pairs: list of (src_option, dst_option) tuples + src_cmd_obj = self.distribution.get_command_obj(src_cmd) + src_cmd_obj.ensure_finalized() + for (src_option, dst_option) in option_pairs: + if getattr(self, dst_option) is None: + setattr(self, dst_option, getattr(src_cmd_obj, src_option)) + + def get_finalized_command(self, command, create=1): + """Wrapper around Distribution's 'get_command_obj()' method: find + (create if necessary and 'create' is true) the command object for + 'command', call its 'ensure_finalized()' method, and return the + finalized command object. + """ + cmd_obj = self.distribution.get_command_obj(command, create) + cmd_obj.ensure_finalized() + return cmd_obj + + # XXX rename to 'get_reinitialized_command()'? (should do the + # same in dist.py, if so) + def reinitialize_command(self, command, reinit_subcommands=0): + return self.distribution.reinitialize_command(command, + reinit_subcommands) + + def run_command(self, command): + """Run some other command: uses the 'run_command()' method of + Distribution, which creates and finalizes the command object if + necessary and then invokes its 'run()' method. + """ + self.distribution.run_command(command) + + def get_sub_commands(self): + """Determine the sub-commands that are relevant in the current + distribution (ie., that need to be run). This is based on the + 'sub_commands' class attribute: each tuple in that list may include + a method that we call to determine if the subcommand needs to be + run for the current distribution. Return a list of command names. + """ + commands = [] + for (cmd_name, method) in self.sub_commands: + if method is None or method(self): + commands.append(cmd_name) + return commands + + + # -- External world manipulation ----------------------------------- + + def warn(self, msg): + log.warn("warning: %s: %s\n", self.get_command_name(), msg) + + def execute(self, func, args, msg=None, level=1): + util.execute(func, args, msg, dry_run=self.dry_run) + + def mkpath(self, name, mode=0o777): + dir_util.mkpath(name, mode, dry_run=self.dry_run) + + def copy_file(self, infile, outfile, preserve_mode=1, preserve_times=1, + link=None, level=1): + """Copy a file respecting verbose, dry-run and force flags. (The + former two default to whatever is in the Distribution object, and + the latter defaults to false for commands that don't define it.)""" + return file_util.copy_file(infile, outfile, preserve_mode, + preserve_times, not self.force, link, + dry_run=self.dry_run) + + def copy_tree(self, infile, outfile, preserve_mode=1, preserve_times=1, + preserve_symlinks=0, level=1): + """Copy an entire directory tree respecting verbose, dry-run, + and force flags. + """ + return dir_util.copy_tree(infile, outfile, preserve_mode, + preserve_times, preserve_symlinks, + not self.force, dry_run=self.dry_run) + + def move_file (self, src, dst, level=1): + """Move a file respecting dry-run flag.""" + return file_util.move_file(src, dst, dry_run=self.dry_run) + + def spawn(self, cmd, search_path=1, level=1): + """Spawn an external command respecting dry-run flag.""" + from distutils.spawn import spawn + spawn(cmd, search_path, dry_run=self.dry_run) + + def make_archive(self, base_name, format, root_dir=None, base_dir=None, + owner=None, group=None): + return archive_util.make_archive(base_name, format, root_dir, base_dir, + dry_run=self.dry_run, + owner=owner, group=group) + + def make_file(self, infiles, outfile, func, args, + exec_msg=None, skip_msg=None, level=1): + """Special case of 'execute()' for operations that process one or + more input files and generate one output file. Works just like + 'execute()', except the operation is skipped and a different + message printed if 'outfile' already exists and is newer than all + files listed in 'infiles'. If the command defined 'self.force', + and it is true, then the command is unconditionally run -- does no + timestamp checks. + """ + if skip_msg is None: + skip_msg = "skipping %s (inputs unchanged)" % outfile + + # Allow 'infiles' to be a single string + if isinstance(infiles, str): + infiles = (infiles,) + elif not isinstance(infiles, (list, tuple)): + raise TypeError( + "'infiles' must be a string, or a list or tuple of strings") + + if exec_msg is None: + exec_msg = "generating %s from %s" % (outfile, ', '.join(infiles)) + + # If 'outfile' must be regenerated (either because it doesn't + # exist, is out-of-date, or the 'force' flag is true) then + # perform the action that presumably regenerates it + if self.force or dep_util.newer_group(infiles, outfile): + self.execute(func, args, exec_msg, level) + # Otherwise, print the "skip" message + else: + log.debug(skip_msg) diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/__init__.py b/venv/Lib/site-packages/setuptools/_distutils/command/__init__.py new file mode 100644 index 0000000..481eea9 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/__init__.py @@ -0,0 +1,31 @@ +"""distutils.command + +Package containing implementation of all the standard Distutils +commands.""" + +__all__ = ['build', + 'build_py', + 'build_ext', + 'build_clib', + 'build_scripts', + 'clean', + 'install', + 'install_lib', + 'install_headers', + 'install_scripts', + 'install_data', + 'sdist', + 'register', + 'bdist', + 'bdist_dumb', + 'bdist_rpm', + 'bdist_wininst', + 'check', + 'upload', + # These two are reserved for future use: + #'bdist_sdux', + #'bdist_pkgtool', + # Note: + # bdist_packager is not included because it only provides + # an abstract base class + ] diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/bdist.py b/venv/Lib/site-packages/setuptools/_distutils/command/bdist.py new file mode 100644 index 0000000..014871d --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/bdist.py @@ -0,0 +1,143 @@ +"""distutils.command.bdist + +Implements the Distutils 'bdist' command (create a built [binary] +distribution).""" + +import os +from distutils.core import Command +from distutils.errors import * +from distutils.util import get_platform + + +def show_formats(): + """Print list of available formats (arguments to "--format" option). + """ + from distutils.fancy_getopt import FancyGetopt + formats = [] + for format in bdist.format_commands: + formats.append(("formats=" + format, None, + bdist.format_command[format][1])) + pretty_printer = FancyGetopt(formats) + pretty_printer.print_help("List of available distribution formats:") + + +class bdist(Command): + + description = "create a built (binary) distribution" + + user_options = [('bdist-base=', 'b', + "temporary directory for creating built distributions"), + ('plat-name=', 'p', + "platform name to embed in generated filenames " + "(default: %s)" % get_platform()), + ('formats=', None, + "formats for distribution (comma-separated list)"), + ('dist-dir=', 'd', + "directory to put final built distributions in " + "[default: dist]"), + ('skip-build', None, + "skip rebuilding everything (for testing/debugging)"), + ('owner=', 'u', + "Owner name used when creating a tar file" + " [default: current user]"), + ('group=', 'g', + "Group name used when creating a tar file" + " [default: current group]"), + ] + + boolean_options = ['skip-build'] + + help_options = [ + ('help-formats', None, + "lists available distribution formats", show_formats), + ] + + # The following commands do not take a format option from bdist + no_format_option = ('bdist_rpm',) + + # This won't do in reality: will need to distinguish RPM-ish Linux, + # Debian-ish Linux, Solaris, FreeBSD, ..., Windows, Mac OS. + default_format = {'posix': 'gztar', + 'nt': 'zip'} + + # Establish the preferred order (for the --help-formats option). + format_commands = ['rpm', 'gztar', 'bztar', 'xztar', 'ztar', 'tar', + 'wininst', 'zip', 'msi'] + + # And the real information. + format_command = {'rpm': ('bdist_rpm', "RPM distribution"), + 'gztar': ('bdist_dumb', "gzip'ed tar file"), + 'bztar': ('bdist_dumb', "bzip2'ed tar file"), + 'xztar': ('bdist_dumb', "xz'ed tar file"), + 'ztar': ('bdist_dumb', "compressed tar file"), + 'tar': ('bdist_dumb', "tar file"), + 'wininst': ('bdist_wininst', + "Windows executable installer"), + 'zip': ('bdist_dumb', "ZIP file"), + 'msi': ('bdist_msi', "Microsoft Installer") + } + + + def initialize_options(self): + self.bdist_base = None + self.plat_name = None + self.formats = None + self.dist_dir = None + self.skip_build = 0 + self.group = None + self.owner = None + + def finalize_options(self): + # have to finalize 'plat_name' before 'bdist_base' + if self.plat_name is None: + if self.skip_build: + self.plat_name = get_platform() + else: + self.plat_name = self.get_finalized_command('build').plat_name + + # 'bdist_base' -- parent of per-built-distribution-format + # temporary directories (eg. we'll probably have + # "build/bdist.<plat>/dumb", "build/bdist.<plat>/rpm", etc.) + if self.bdist_base is None: + build_base = self.get_finalized_command('build').build_base + self.bdist_base = os.path.join(build_base, + 'bdist.' + self.plat_name) + + self.ensure_string_list('formats') + if self.formats is None: + try: + self.formats = [self.default_format[os.name]] + except KeyError: + raise DistutilsPlatformError( + "don't know how to create built distributions " + "on platform %s" % os.name) + + if self.dist_dir is None: + self.dist_dir = "dist" + + def run(self): + # Figure out which sub-commands we need to run. + commands = [] + for format in self.formats: + try: + commands.append(self.format_command[format][0]) + except KeyError: + raise DistutilsOptionError("invalid format '%s'" % format) + + # Reinitialize and run each command. + for i in range(len(self.formats)): + cmd_name = commands[i] + sub_cmd = self.reinitialize_command(cmd_name) + if cmd_name not in self.no_format_option: + sub_cmd.format = self.formats[i] + + # passing the owner and group names for tar archiving + if cmd_name == 'bdist_dumb': + sub_cmd.owner = self.owner + sub_cmd.group = self.group + + # If we're going to need to run this command again, tell it to + # keep its temporary files around so subsequent runs go faster. + if cmd_name in commands[i+1:]: + sub_cmd.keep_temp = 1 + self.run_command(cmd_name) diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/bdist_dumb.py b/venv/Lib/site-packages/setuptools/_distutils/command/bdist_dumb.py new file mode 100644 index 0000000..f0d6b5b --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/bdist_dumb.py @@ -0,0 +1,123 @@ +"""distutils.command.bdist_dumb + +Implements the Distutils 'bdist_dumb' command (create a "dumb" built +distribution -- i.e., just an archive to be unpacked under $prefix or +$exec_prefix).""" + +import os +from distutils.core import Command +from distutils.util import get_platform +from distutils.dir_util import remove_tree, ensure_relative +from distutils.errors import * +from distutils.sysconfig import get_python_version +from distutils import log + +class bdist_dumb(Command): + + description = "create a \"dumb\" built distribution" + + user_options = [('bdist-dir=', 'd', + "temporary directory for creating the distribution"), + ('plat-name=', 'p', + "platform name to embed in generated filenames " + "(default: %s)" % get_platform()), + ('format=', 'f', + "archive format to create (tar, gztar, bztar, xztar, " + "ztar, zip)"), + ('keep-temp', 'k', + "keep the pseudo-installation tree around after " + + "creating the distribution archive"), + ('dist-dir=', 'd', + "directory to put final built distributions in"), + ('skip-build', None, + "skip rebuilding everything (for testing/debugging)"), + ('relative', None, + "build the archive using relative paths " + "(default: false)"), + ('owner=', 'u', + "Owner name used when creating a tar file" + " [default: current user]"), + ('group=', 'g', + "Group name used when creating a tar file" + " [default: current group]"), + ] + + boolean_options = ['keep-temp', 'skip-build', 'relative'] + + default_format = { 'posix': 'gztar', + 'nt': 'zip' } + + def initialize_options(self): + self.bdist_dir = None + self.plat_name = None + self.format = None + self.keep_temp = 0 + self.dist_dir = None + self.skip_build = None + self.relative = 0 + self.owner = None + self.group = None + + def finalize_options(self): + if self.bdist_dir is None: + bdist_base = self.get_finalized_command('bdist').bdist_base + self.bdist_dir = os.path.join(bdist_base, 'dumb') + + if self.format is None: + try: + self.format = self.default_format[os.name] + except KeyError: + raise DistutilsPlatformError( + "don't know how to create dumb built distributions " + "on platform %s" % os.name) + + self.set_undefined_options('bdist', + ('dist_dir', 'dist_dir'), + ('plat_name', 'plat_name'), + ('skip_build', 'skip_build')) + + def run(self): + if not self.skip_build: + self.run_command('build') + + install = self.reinitialize_command('install', reinit_subcommands=1) + install.root = self.bdist_dir + install.skip_build = self.skip_build + install.warn_dir = 0 + + log.info("installing to %s", self.bdist_dir) + self.run_command('install') + + # And make an archive relative to the root of the + # pseudo-installation tree. + archive_basename = "%s.%s" % (self.distribution.get_fullname(), + self.plat_name) + + pseudoinstall_root = os.path.join(self.dist_dir, archive_basename) + if not self.relative: + archive_root = self.bdist_dir + else: + if (self.distribution.has_ext_modules() and + (install.install_base != install.install_platbase)): + raise DistutilsPlatformError( + "can't make a dumb built distribution where " + "base and platbase are different (%s, %s)" + % (repr(install.install_base), + repr(install.install_platbase))) + else: + archive_root = os.path.join(self.bdist_dir, + ensure_relative(install.install_base)) + + # Make the archive + filename = self.make_archive(pseudoinstall_root, + self.format, root_dir=archive_root, + owner=self.owner, group=self.group) + if self.distribution.has_ext_modules(): + pyversion = get_python_version() + else: + pyversion = 'any' + self.distribution.dist_files.append(('bdist_dumb', pyversion, + filename)) + + if not self.keep_temp: + remove_tree(self.bdist_dir, dry_run=self.dry_run) diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/bdist_msi.py b/venv/Lib/site-packages/setuptools/_distutils/command/bdist_msi.py new file mode 100644 index 0000000..0863a18 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/bdist_msi.py @@ -0,0 +1,749 @@ +# Copyright (C) 2005, 2006 Martin von Löwis +# Licensed to PSF under a Contributor Agreement. +# The bdist_wininst command proper +# based on bdist_wininst +""" +Implements the bdist_msi command. +""" + +import os +import sys +import warnings +from distutils.core import Command +from distutils.dir_util import remove_tree +from distutils.sysconfig import get_python_version +from distutils.version import StrictVersion +from distutils.errors import DistutilsOptionError +from distutils.util import get_platform +from distutils import log +import msilib +from msilib import schema, sequence, text +from msilib import Directory, Feature, Dialog, add_data + +class PyDialog(Dialog): + """Dialog class with a fixed layout: controls at the top, then a ruler, + then a list of buttons: back, next, cancel. Optionally a bitmap at the + left.""" + def __init__(self, *args, **kw): + """Dialog(database, name, x, y, w, h, attributes, title, first, + default, cancel, bitmap=true)""" + Dialog.__init__(self, *args) + ruler = self.h - 36 + bmwidth = 152*ruler/328 + #if kw.get("bitmap", True): + # self.bitmap("Bitmap", 0, 0, bmwidth, ruler, "PythonWin") + self.line("BottomLine", 0, ruler, self.w, 0) + + def title(self, title): + "Set the title text of the dialog at the top." + # name, x, y, w, h, flags=Visible|Enabled|Transparent|NoPrefix, + # text, in VerdanaBold10 + self.text("Title", 15, 10, 320, 60, 0x30003, + r"{\VerdanaBold10}%s" % title) + + def back(self, title, next, name = "Back", active = 1): + """Add a back button with a given title, the tab-next button, + its name in the Control table, possibly initially disabled. + + Return the button, so that events can be associated""" + if active: + flags = 3 # Visible|Enabled + else: + flags = 1 # Visible + return self.pushbutton(name, 180, self.h-27 , 56, 17, flags, title, next) + + def cancel(self, title, next, name = "Cancel", active = 1): + """Add a cancel button with a given title, the tab-next button, + its name in the Control table, possibly initially disabled. + + Return the button, so that events can be associated""" + if active: + flags = 3 # Visible|Enabled + else: + flags = 1 # Visible + return self.pushbutton(name, 304, self.h-27, 56, 17, flags, title, next) + + def next(self, title, next, name = "Next", active = 1): + """Add a Next button with a given title, the tab-next button, + its name in the Control table, possibly initially disabled. + + Return the button, so that events can be associated""" + if active: + flags = 3 # Visible|Enabled + else: + flags = 1 # Visible + return self.pushbutton(name, 236, self.h-27, 56, 17, flags, title, next) + + def xbutton(self, name, title, next, xpos): + """Add a button with a given title, the tab-next button, + its name in the Control table, giving its x position; the + y-position is aligned with the other buttons. + + Return the button, so that events can be associated""" + return self.pushbutton(name, int(self.w*xpos - 28), self.h-27, 56, 17, 3, title, next) + +class bdist_msi(Command): + + description = "create a Microsoft Installer (.msi) binary distribution" + + user_options = [('bdist-dir=', None, + "temporary directory for creating the distribution"), + ('plat-name=', 'p', + "platform name to embed in generated filenames " + "(default: %s)" % get_platform()), + ('keep-temp', 'k', + "keep the pseudo-installation tree around after " + + "creating the distribution archive"), + ('target-version=', None, + "require a specific python version" + + " on the target system"), + ('no-target-compile', 'c', + "do not compile .py to .pyc on the target system"), + ('no-target-optimize', 'o', + "do not compile .py to .pyo (optimized) " + "on the target system"), + ('dist-dir=', 'd', + "directory to put final built distributions in"), + ('skip-build', None, + "skip rebuilding everything (for testing/debugging)"), + ('install-script=', None, + "basename of installation script to be run after " + "installation or before deinstallation"), + ('pre-install-script=', None, + "Fully qualified filename of a script to be run before " + "any files are installed. This script need not be in the " + "distribution"), + ] + + boolean_options = ['keep-temp', 'no-target-compile', 'no-target-optimize', + 'skip-build'] + + all_versions = ['2.0', '2.1', '2.2', '2.3', '2.4', + '2.5', '2.6', '2.7', '2.8', '2.9', + '3.0', '3.1', '3.2', '3.3', '3.4', + '3.5', '3.6', '3.7', '3.8', '3.9'] + other_version = 'X' + + def __init__(self, *args, **kw): + super().__init__(*args, **kw) + warnings.warn("bdist_msi command is deprecated since Python 3.9, " + "use bdist_wheel (wheel packages) instead", + DeprecationWarning, 2) + + def initialize_options(self): + self.bdist_dir = None + self.plat_name = None + self.keep_temp = 0 + self.no_target_compile = 0 + self.no_target_optimize = 0 + self.target_version = None + self.dist_dir = None + self.skip_build = None + self.install_script = None + self.pre_install_script = None + self.versions = None + + def finalize_options(self): + self.set_undefined_options('bdist', ('skip_build', 'skip_build')) + + if self.bdist_dir is None: + bdist_base = self.get_finalized_command('bdist').bdist_base + self.bdist_dir = os.path.join(bdist_base, 'msi') + + short_version = get_python_version() + if (not self.target_version) and self.distribution.has_ext_modules(): + self.target_version = short_version + + if self.target_version: + self.versions = [self.target_version] + if not self.skip_build and self.distribution.has_ext_modules()\ + and self.target_version != short_version: + raise DistutilsOptionError( + "target version can only be %s, or the '--skip-build'" + " option must be specified" % (short_version,)) + else: + self.versions = list(self.all_versions) + + self.set_undefined_options('bdist', + ('dist_dir', 'dist_dir'), + ('plat_name', 'plat_name'), + ) + + if self.pre_install_script: + raise DistutilsOptionError( + "the pre-install-script feature is not yet implemented") + + if self.install_script: + for script in self.distribution.scripts: + if self.install_script == os.path.basename(script): + break + else: + raise DistutilsOptionError( + "install_script '%s' not found in scripts" + % self.install_script) + self.install_script_key = None + + def run(self): + if not self.skip_build: + self.run_command('build') + + install = self.reinitialize_command('install', reinit_subcommands=1) + install.prefix = self.bdist_dir + install.skip_build = self.skip_build + install.warn_dir = 0 + + install_lib = self.reinitialize_command('install_lib') + # we do not want to include pyc or pyo files + install_lib.compile = 0 + install_lib.optimize = 0 + + if self.distribution.has_ext_modules(): + # If we are building an installer for a Python version other + # than the one we are currently running, then we need to ensure + # our build_lib reflects the other Python version rather than ours. + # Note that for target_version!=sys.version, we must have skipped the + # build step, so there is no issue with enforcing the build of this + # version. + target_version = self.target_version + if not target_version: + assert self.skip_build, "Should have already checked this" + target_version = '%d.%d' % sys.version_info[:2] + plat_specifier = ".%s-%s" % (self.plat_name, target_version) + build = self.get_finalized_command('build') + build.build_lib = os.path.join(build.build_base, + 'lib' + plat_specifier) + + log.info("installing to %s", self.bdist_dir) + install.ensure_finalized() + + # avoid warning of 'install_lib' about installing + # into a directory not in sys.path + sys.path.insert(0, os.path.join(self.bdist_dir, 'PURELIB')) + + install.run() + + del sys.path[0] + + self.mkpath(self.dist_dir) + fullname = self.distribution.get_fullname() + installer_name = self.get_installer_filename(fullname) + installer_name = os.path.abspath(installer_name) + if os.path.exists(installer_name): os.unlink(installer_name) + + metadata = self.distribution.metadata + author = metadata.author + if not author: + author = metadata.maintainer + if not author: + author = "UNKNOWN" + version = metadata.get_version() + # ProductVersion must be strictly numeric + # XXX need to deal with prerelease versions + sversion = "%d.%d.%d" % StrictVersion(version).version + # Prefix ProductName with Python x.y, so that + # it sorts together with the other Python packages + # in Add-Remove-Programs (APR) + fullname = self.distribution.get_fullname() + if self.target_version: + product_name = "Python %s %s" % (self.target_version, fullname) + else: + product_name = "Python %s" % (fullname) + self.db = msilib.init_database(installer_name, schema, + product_name, msilib.gen_uuid(), + sversion, author) + msilib.add_tables(self.db, sequence) + props = [('DistVersion', version)] + email = metadata.author_email or metadata.maintainer_email + if email: + props.append(("ARPCONTACT", email)) + if metadata.url: + props.append(("ARPURLINFOABOUT", metadata.url)) + if props: + add_data(self.db, 'Property', props) + + self.add_find_python() + self.add_files() + self.add_scripts() + self.add_ui() + self.db.Commit() + + if hasattr(self.distribution, 'dist_files'): + tup = 'bdist_msi', self.target_version or 'any', fullname + self.distribution.dist_files.append(tup) + + if not self.keep_temp: + remove_tree(self.bdist_dir, dry_run=self.dry_run) + + def add_files(self): + db = self.db + cab = msilib.CAB("distfiles") + rootdir = os.path.abspath(self.bdist_dir) + + root = Directory(db, cab, None, rootdir, "TARGETDIR", "SourceDir") + f = Feature(db, "Python", "Python", "Everything", + 0, 1, directory="TARGETDIR") + + items = [(f, root, '')] + for version in self.versions + [self.other_version]: + target = "TARGETDIR" + version + name = default = "Python" + version + desc = "Everything" + if version is self.other_version: + title = "Python from another location" + level = 2 + else: + title = "Python %s from registry" % version + level = 1 + f = Feature(db, name, title, desc, 1, level, directory=target) + dir = Directory(db, cab, root, rootdir, target, default) + items.append((f, dir, version)) + db.Commit() + + seen = {} + for feature, dir, version in items: + todo = [dir] + while todo: + dir = todo.pop() + for file in os.listdir(dir.absolute): + afile = os.path.join(dir.absolute, file) + if os.path.isdir(afile): + short = "%s|%s" % (dir.make_short(file), file) + default = file + version + newdir = Directory(db, cab, dir, file, default, short) + todo.append(newdir) + else: + if not dir.component: + dir.start_component(dir.logical, feature, 0) + if afile not in seen: + key = seen[afile] = dir.add_file(file) + if file==self.install_script: + if self.install_script_key: + raise DistutilsOptionError( + "Multiple files with name %s" % file) + self.install_script_key = '[#%s]' % key + else: + key = seen[afile] + add_data(self.db, "DuplicateFile", + [(key + version, dir.component, key, None, dir.logical)]) + db.Commit() + cab.commit(db) + + def add_find_python(self): + """Adds code to the installer to compute the location of Python. + + Properties PYTHON.MACHINE.X.Y and PYTHON.USER.X.Y will be set from the + registry for each version of Python. + + Properties TARGETDIRX.Y will be set from PYTHON.USER.X.Y if defined, + else from PYTHON.MACHINE.X.Y. + + Properties PYTHONX.Y will be set to TARGETDIRX.Y\\python.exe""" + + start = 402 + for ver in self.versions: + install_path = r"SOFTWARE\Python\PythonCore\%s\InstallPath" % ver + machine_reg = "python.machine." + ver + user_reg = "python.user." + ver + machine_prop = "PYTHON.MACHINE." + ver + user_prop = "PYTHON.USER." + ver + machine_action = "PythonFromMachine" + ver + user_action = "PythonFromUser" + ver + exe_action = "PythonExe" + ver + target_dir_prop = "TARGETDIR" + ver + exe_prop = "PYTHON" + ver + if msilib.Win64: + # type: msidbLocatorTypeRawValue + msidbLocatorType64bit + Type = 2+16 + else: + Type = 2 + add_data(self.db, "RegLocator", + [(machine_reg, 2, install_path, None, Type), + (user_reg, 1, install_path, None, Type)]) + add_data(self.db, "AppSearch", + [(machine_prop, machine_reg), + (user_prop, user_reg)]) + add_data(self.db, "CustomAction", + [(machine_action, 51+256, target_dir_prop, "[" + machine_prop + "]"), + (user_action, 51+256, target_dir_prop, "[" + user_prop + "]"), + (exe_action, 51+256, exe_prop, "[" + target_dir_prop + "]\\python.exe"), + ]) + add_data(self.db, "InstallExecuteSequence", + [(machine_action, machine_prop, start), + (user_action, user_prop, start + 1), + (exe_action, None, start + 2), + ]) + add_data(self.db, "InstallUISequence", + [(machine_action, machine_prop, start), + (user_action, user_prop, start + 1), + (exe_action, None, start + 2), + ]) + add_data(self.db, "Condition", + [("Python" + ver, 0, "NOT TARGETDIR" + ver)]) + start += 4 + assert start < 500 + + def add_scripts(self): + if self.install_script: + start = 6800 + for ver in self.versions + [self.other_version]: + install_action = "install_script." + ver + exe_prop = "PYTHON" + ver + add_data(self.db, "CustomAction", + [(install_action, 50, exe_prop, self.install_script_key)]) + add_data(self.db, "InstallExecuteSequence", + [(install_action, "&Python%s=3" % ver, start)]) + start += 1 + # XXX pre-install scripts are currently refused in finalize_options() + # but if this feature is completed, it will also need to add + # entries for each version as the above code does + if self.pre_install_script: + scriptfn = os.path.join(self.bdist_dir, "preinstall.bat") + with open(scriptfn, "w") as f: + # The batch file will be executed with [PYTHON], so that %1 + # is the path to the Python interpreter; %0 will be the path + # of the batch file. + # rem =""" + # %1 %0 + # exit + # """ + # <actual script> + f.write('rem ="""\n%1 %0\nexit\n"""\n') + with open(self.pre_install_script) as fin: + f.write(fin.read()) + add_data(self.db, "Binary", + [("PreInstall", msilib.Binary(scriptfn)) + ]) + add_data(self.db, "CustomAction", + [("PreInstall", 2, "PreInstall", None) + ]) + add_data(self.db, "InstallExecuteSequence", + [("PreInstall", "NOT Installed", 450)]) + + + def add_ui(self): + db = self.db + x = y = 50 + w = 370 + h = 300 + title = "[ProductName] Setup" + + # see "Dialog Style Bits" + modal = 3 # visible | modal + modeless = 1 # visible + track_disk_space = 32 + + # UI customization properties + add_data(db, "Property", + # See "DefaultUIFont Property" + [("DefaultUIFont", "DlgFont8"), + # See "ErrorDialog Style Bit" + ("ErrorDialog", "ErrorDlg"), + ("Progress1", "Install"), # modified in maintenance type dlg + ("Progress2", "installs"), + ("MaintenanceForm_Action", "Repair"), + # possible values: ALL, JUSTME + ("WhichUsers", "ALL") + ]) + + # Fonts, see "TextStyle Table" + add_data(db, "TextStyle", + [("DlgFont8", "Tahoma", 9, None, 0), + ("DlgFontBold8", "Tahoma", 8, None, 1), #bold + ("VerdanaBold10", "Verdana", 10, None, 1), + ("VerdanaRed9", "Verdana", 9, 255, 0), + ]) + + # UI Sequences, see "InstallUISequence Table", "Using a Sequence Table" + # Numbers indicate sequence; see sequence.py for how these action integrate + add_data(db, "InstallUISequence", + [("PrepareDlg", "Not Privileged or Windows9x or Installed", 140), + ("WhichUsersDlg", "Privileged and not Windows9x and not Installed", 141), + # In the user interface, assume all-users installation if privileged. + ("SelectFeaturesDlg", "Not Installed", 1230), + # XXX no support for resume installations yet + #("ResumeDlg", "Installed AND (RESUME OR Preselected)", 1240), + ("MaintenanceTypeDlg", "Installed AND NOT RESUME AND NOT Preselected", 1250), + ("ProgressDlg", None, 1280)]) + + add_data(db, 'ActionText', text.ActionText) + add_data(db, 'UIText', text.UIText) + ##################################################################### + # Standard dialogs: FatalError, UserExit, ExitDialog + fatal=PyDialog(db, "FatalError", x, y, w, h, modal, title, + "Finish", "Finish", "Finish") + fatal.title("[ProductName] Installer ended prematurely") + fatal.back("< Back", "Finish", active = 0) + fatal.cancel("Cancel", "Back", active = 0) + fatal.text("Description1", 15, 70, 320, 80, 0x30003, + "[ProductName] setup ended prematurely because of an error. Your system has not been modified. To install this program at a later time, please run the installation again.") + fatal.text("Description2", 15, 155, 320, 20, 0x30003, + "Click the Finish button to exit the Installer.") + c=fatal.next("Finish", "Cancel", name="Finish") + c.event("EndDialog", "Exit") + + user_exit=PyDialog(db, "UserExit", x, y, w, h, modal, title, + "Finish", "Finish", "Finish") + user_exit.title("[ProductName] Installer was interrupted") + user_exit.back("< Back", "Finish", active = 0) + user_exit.cancel("Cancel", "Back", active = 0) + user_exit.text("Description1", 15, 70, 320, 80, 0x30003, + "[ProductName] setup was interrupted. Your system has not been modified. " + "To install this program at a later time, please run the installation again.") + user_exit.text("Description2", 15, 155, 320, 20, 0x30003, + "Click the Finish button to exit the Installer.") + c = user_exit.next("Finish", "Cancel", name="Finish") + c.event("EndDialog", "Exit") + + exit_dialog = PyDialog(db, "ExitDialog", x, y, w, h, modal, title, + "Finish", "Finish", "Finish") + exit_dialog.title("Completing the [ProductName] Installer") + exit_dialog.back("< Back", "Finish", active = 0) + exit_dialog.cancel("Cancel", "Back", active = 0) + exit_dialog.text("Description", 15, 235, 320, 20, 0x30003, + "Click the Finish button to exit the Installer.") + c = exit_dialog.next("Finish", "Cancel", name="Finish") + c.event("EndDialog", "Return") + + ##################################################################### + # Required dialog: FilesInUse, ErrorDlg + inuse = PyDialog(db, "FilesInUse", + x, y, w, h, + 19, # KeepModeless|Modal|Visible + title, + "Retry", "Retry", "Retry", bitmap=False) + inuse.text("Title", 15, 6, 200, 15, 0x30003, + r"{\DlgFontBold8}Files in Use") + inuse.text("Description", 20, 23, 280, 20, 0x30003, + "Some files that need to be updated are currently in use.") + inuse.text("Text", 20, 55, 330, 50, 3, + "The following applications are using files that need to be updated by this setup. Close these applications and then click Retry to continue the installation or Cancel to exit it.") + inuse.control("List", "ListBox", 20, 107, 330, 130, 7, "FileInUseProcess", + None, None, None) + c=inuse.back("Exit", "Ignore", name="Exit") + c.event("EndDialog", "Exit") + c=inuse.next("Ignore", "Retry", name="Ignore") + c.event("EndDialog", "Ignore") + c=inuse.cancel("Retry", "Exit", name="Retry") + c.event("EndDialog","Retry") + + # See "Error Dialog". See "ICE20" for the required names of the controls. + error = Dialog(db, "ErrorDlg", + 50, 10, 330, 101, + 65543, # Error|Minimize|Modal|Visible + title, + "ErrorText", None, None) + error.text("ErrorText", 50,9,280,48,3, "") + #error.control("ErrorIcon", "Icon", 15, 9, 24, 24, 5242881, None, "py.ico", None, None) + error.pushbutton("N",120,72,81,21,3,"No",None).event("EndDialog","ErrorNo") + error.pushbutton("Y",240,72,81,21,3,"Yes",None).event("EndDialog","ErrorYes") + error.pushbutton("A",0,72,81,21,3,"Abort",None).event("EndDialog","ErrorAbort") + error.pushbutton("C",42,72,81,21,3,"Cancel",None).event("EndDialog","ErrorCancel") + error.pushbutton("I",81,72,81,21,3,"Ignore",None).event("EndDialog","ErrorIgnore") + error.pushbutton("O",159,72,81,21,3,"Ok",None).event("EndDialog","ErrorOk") + error.pushbutton("R",198,72,81,21,3,"Retry",None).event("EndDialog","ErrorRetry") + + ##################################################################### + # Global "Query Cancel" dialog + cancel = Dialog(db, "CancelDlg", 50, 10, 260, 85, 3, title, + "No", "No", "No") + cancel.text("Text", 48, 15, 194, 30, 3, + "Are you sure you want to cancel [ProductName] installation?") + #cancel.control("Icon", "Icon", 15, 15, 24, 24, 5242881, None, + # "py.ico", None, None) + c=cancel.pushbutton("Yes", 72, 57, 56, 17, 3, "Yes", "No") + c.event("EndDialog", "Exit") + + c=cancel.pushbutton("No", 132, 57, 56, 17, 3, "No", "Yes") + c.event("EndDialog", "Return") + + ##################################################################### + # Global "Wait for costing" dialog + costing = Dialog(db, "WaitForCostingDlg", 50, 10, 260, 85, modal, title, + "Return", "Return", "Return") + costing.text("Text", 48, 15, 194, 30, 3, + "Please wait while the installer finishes determining your disk space requirements.") + c = costing.pushbutton("Return", 102, 57, 56, 17, 3, "Return", None) + c.event("EndDialog", "Exit") + + ##################################################################### + # Preparation dialog: no user input except cancellation + prep = PyDialog(db, "PrepareDlg", x, y, w, h, modeless, title, + "Cancel", "Cancel", "Cancel") + prep.text("Description", 15, 70, 320, 40, 0x30003, + "Please wait while the Installer prepares to guide you through the installation.") + prep.title("Welcome to the [ProductName] Installer") + c=prep.text("ActionText", 15, 110, 320, 20, 0x30003, "Pondering...") + c.mapping("ActionText", "Text") + c=prep.text("ActionData", 15, 135, 320, 30, 0x30003, None) + c.mapping("ActionData", "Text") + prep.back("Back", None, active=0) + prep.next("Next", None, active=0) + c=prep.cancel("Cancel", None) + c.event("SpawnDialog", "CancelDlg") + + ##################################################################### + # Feature (Python directory) selection + seldlg = PyDialog(db, "SelectFeaturesDlg", x, y, w, h, modal, title, + "Next", "Next", "Cancel") + seldlg.title("Select Python Installations") + + seldlg.text("Hint", 15, 30, 300, 20, 3, + "Select the Python locations where %s should be installed." + % self.distribution.get_fullname()) + + seldlg.back("< Back", None, active=0) + c = seldlg.next("Next >", "Cancel") + order = 1 + c.event("[TARGETDIR]", "[SourceDir]", ordering=order) + for version in self.versions + [self.other_version]: + order += 1 + c.event("[TARGETDIR]", "[TARGETDIR%s]" % version, + "FEATURE_SELECTED AND &Python%s=3" % version, + ordering=order) + c.event("SpawnWaitDialog", "WaitForCostingDlg", ordering=order + 1) + c.event("EndDialog", "Return", ordering=order + 2) + c = seldlg.cancel("Cancel", "Features") + c.event("SpawnDialog", "CancelDlg") + + c = seldlg.control("Features", "SelectionTree", 15, 60, 300, 120, 3, + "FEATURE", None, "PathEdit", None) + c.event("[FEATURE_SELECTED]", "1") + ver = self.other_version + install_other_cond = "FEATURE_SELECTED AND &Python%s=3" % ver + dont_install_other_cond = "FEATURE_SELECTED AND &Python%s<>3" % ver + + c = seldlg.text("Other", 15, 200, 300, 15, 3, + "Provide an alternate Python location") + c.condition("Enable", install_other_cond) + c.condition("Show", install_other_cond) + c.condition("Disable", dont_install_other_cond) + c.condition("Hide", dont_install_other_cond) + + c = seldlg.control("PathEdit", "PathEdit", 15, 215, 300, 16, 1, + "TARGETDIR" + ver, None, "Next", None) + c.condition("Enable", install_other_cond) + c.condition("Show", install_other_cond) + c.condition("Disable", dont_install_other_cond) + c.condition("Hide", dont_install_other_cond) + + ##################################################################### + # Disk cost + cost = PyDialog(db, "DiskCostDlg", x, y, w, h, modal, title, + "OK", "OK", "OK", bitmap=False) + cost.text("Title", 15, 6, 200, 15, 0x30003, + r"{\DlgFontBold8}Disk Space Requirements") + cost.text("Description", 20, 20, 280, 20, 0x30003, + "The disk space required for the installation of the selected features.") + cost.text("Text", 20, 53, 330, 60, 3, + "The highlighted volumes (if any) do not have enough disk space " + "available for the currently selected features. You can either " + "remove some files from the highlighted volumes, or choose to " + "install less features onto local drive(s), or select different " + "destination drive(s).") + cost.control("VolumeList", "VolumeCostList", 20, 100, 330, 150, 393223, + None, "{120}{70}{70}{70}{70}", None, None) + cost.xbutton("OK", "Ok", None, 0.5).event("EndDialog", "Return") + + ##################################################################### + # WhichUsers Dialog. Only available on NT, and for privileged users. + # This must be run before FindRelatedProducts, because that will + # take into account whether the previous installation was per-user + # or per-machine. We currently don't support going back to this + # dialog after "Next" was selected; to support this, we would need to + # find how to reset the ALLUSERS property, and how to re-run + # FindRelatedProducts. + # On Windows9x, the ALLUSERS property is ignored on the command line + # and in the Property table, but installer fails according to the documentation + # if a dialog attempts to set ALLUSERS. + whichusers = PyDialog(db, "WhichUsersDlg", x, y, w, h, modal, title, + "AdminInstall", "Next", "Cancel") + whichusers.title("Select whether to install [ProductName] for all users of this computer.") + # A radio group with two options: allusers, justme + g = whichusers.radiogroup("AdminInstall", 15, 60, 260, 50, 3, + "WhichUsers", "", "Next") + g.add("ALL", 0, 5, 150, 20, "Install for all users") + g.add("JUSTME", 0, 25, 150, 20, "Install just for me") + + whichusers.back("Back", None, active=0) + + c = whichusers.next("Next >", "Cancel") + c.event("[ALLUSERS]", "1", 'WhichUsers="ALL"', 1) + c.event("EndDialog", "Return", ordering = 2) + + c = whichusers.cancel("Cancel", "AdminInstall") + c.event("SpawnDialog", "CancelDlg") + + ##################################################################### + # Installation Progress dialog (modeless) + progress = PyDialog(db, "ProgressDlg", x, y, w, h, modeless, title, + "Cancel", "Cancel", "Cancel", bitmap=False) + progress.text("Title", 20, 15, 200, 15, 0x30003, + r"{\DlgFontBold8}[Progress1] [ProductName]") + progress.text("Text", 35, 65, 300, 30, 3, + "Please wait while the Installer [Progress2] [ProductName]. " + "This may take several minutes.") + progress.text("StatusLabel", 35, 100, 35, 20, 3, "Status:") + + c=progress.text("ActionText", 70, 100, w-70, 20, 3, "Pondering...") + c.mapping("ActionText", "Text") + + #c=progress.text("ActionData", 35, 140, 300, 20, 3, None) + #c.mapping("ActionData", "Text") + + c=progress.control("ProgressBar", "ProgressBar", 35, 120, 300, 10, 65537, + None, "Progress done", None, None) + c.mapping("SetProgress", "Progress") + + progress.back("< Back", "Next", active=False) + progress.next("Next >", "Cancel", active=False) + progress.cancel("Cancel", "Back").event("SpawnDialog", "CancelDlg") + + ################################################################### + # Maintenance type: repair/uninstall + maint = PyDialog(db, "MaintenanceTypeDlg", x, y, w, h, modal, title, + "Next", "Next", "Cancel") + maint.title("Welcome to the [ProductName] Setup Wizard") + maint.text("BodyText", 15, 63, 330, 42, 3, + "Select whether you want to repair or remove [ProductName].") + g=maint.radiogroup("RepairRadioGroup", 15, 108, 330, 60, 3, + "MaintenanceForm_Action", "", "Next") + #g.add("Change", 0, 0, 200, 17, "&Change [ProductName]") + g.add("Repair", 0, 18, 200, 17, "&Repair [ProductName]") + g.add("Remove", 0, 36, 200, 17, "Re&move [ProductName]") + + maint.back("< Back", None, active=False) + c=maint.next("Finish", "Cancel") + # Change installation: Change progress dialog to "Change", then ask + # for feature selection + #c.event("[Progress1]", "Change", 'MaintenanceForm_Action="Change"', 1) + #c.event("[Progress2]", "changes", 'MaintenanceForm_Action="Change"', 2) + + # Reinstall: Change progress dialog to "Repair", then invoke reinstall + # Also set list of reinstalled features to "ALL" + c.event("[REINSTALL]", "ALL", 'MaintenanceForm_Action="Repair"', 5) + c.event("[Progress1]", "Repairing", 'MaintenanceForm_Action="Repair"', 6) + c.event("[Progress2]", "repairs", 'MaintenanceForm_Action="Repair"', 7) + c.event("Reinstall", "ALL", 'MaintenanceForm_Action="Repair"', 8) + + # Uninstall: Change progress to "Remove", then invoke uninstall + # Also set list of removed features to "ALL" + c.event("[REMOVE]", "ALL", 'MaintenanceForm_Action="Remove"', 11) + c.event("[Progress1]", "Removing", 'MaintenanceForm_Action="Remove"', 12) + c.event("[Progress2]", "removes", 'MaintenanceForm_Action="Remove"', 13) + c.event("Remove", "ALL", 'MaintenanceForm_Action="Remove"', 14) + + # Close dialog when maintenance action scheduled + c.event("EndDialog", "Return", 'MaintenanceForm_Action<>"Change"', 20) + #c.event("NewDialog", "SelectFeaturesDlg", 'MaintenanceForm_Action="Change"', 21) + + maint.cancel("Cancel", "RepairRadioGroup").event("SpawnDialog", "CancelDlg") + + def get_installer_filename(self, fullname): + # Factored out to allow overriding in subclasses + if self.target_version: + base_name = "%s.%s-py%s.msi" % (fullname, self.plat_name, + self.target_version) + else: + base_name = "%s.%s.msi" % (fullname, self.plat_name) + installer_name = os.path.join(self.dist_dir, base_name) + return installer_name diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/bdist_rpm.py b/venv/Lib/site-packages/setuptools/_distutils/command/bdist_rpm.py new file mode 100644 index 0000000..550cbfa --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/bdist_rpm.py @@ -0,0 +1,579 @@ +"""distutils.command.bdist_rpm + +Implements the Distutils 'bdist_rpm' command (create RPM source and binary +distributions).""" + +import subprocess, sys, os +from distutils.core import Command +from distutils.debug import DEBUG +from distutils.file_util import write_file +from distutils.errors import * +from distutils.sysconfig import get_python_version +from distutils import log + +class bdist_rpm(Command): + + description = "create an RPM distribution" + + user_options = [ + ('bdist-base=', None, + "base directory for creating built distributions"), + ('rpm-base=', None, + "base directory for creating RPMs (defaults to \"rpm\" under " + "--bdist-base; must be specified for RPM 2)"), + ('dist-dir=', 'd', + "directory to put final RPM files in " + "(and .spec files if --spec-only)"), + ('python=', None, + "path to Python interpreter to hard-code in the .spec file " + "(default: \"python\")"), + ('fix-python', None, + "hard-code the exact path to the current Python interpreter in " + "the .spec file"), + ('spec-only', None, + "only regenerate spec file"), + ('source-only', None, + "only generate source RPM"), + ('binary-only', None, + "only generate binary RPM"), + ('use-bzip2', None, + "use bzip2 instead of gzip to create source distribution"), + + # More meta-data: too RPM-specific to put in the setup script, + # but needs to go in the .spec file -- so we make these options + # to "bdist_rpm". The idea is that packagers would put this + # info in setup.cfg, although they are of course free to + # supply it on the command line. + ('distribution-name=', None, + "name of the (Linux) distribution to which this " + "RPM applies (*not* the name of the module distribution!)"), + ('group=', None, + "package classification [default: \"Development/Libraries\"]"), + ('release=', None, + "RPM release number"), + ('serial=', None, + "RPM serial number"), + ('vendor=', None, + "RPM \"vendor\" (eg. \"Joe Blow <joe@example.com>\") " + "[default: maintainer or author from setup script]"), + ('packager=', None, + "RPM packager (eg. \"Jane Doe <jane@example.net>\") " + "[default: vendor]"), + ('doc-files=', None, + "list of documentation files (space or comma-separated)"), + ('changelog=', None, + "RPM changelog"), + ('icon=', None, + "name of icon file"), + ('provides=', None, + "capabilities provided by this package"), + ('requires=', None, + "capabilities required by this package"), + ('conflicts=', None, + "capabilities which conflict with this package"), + ('build-requires=', None, + "capabilities required to build this package"), + ('obsoletes=', None, + "capabilities made obsolete by this package"), + ('no-autoreq', None, + "do not automatically calculate dependencies"), + + # Actions to take when building RPM + ('keep-temp', 'k', + "don't clean up RPM build directory"), + ('no-keep-temp', None, + "clean up RPM build directory [default]"), + ('use-rpm-opt-flags', None, + "compile with RPM_OPT_FLAGS when building from source RPM"), + ('no-rpm-opt-flags', None, + "do not pass any RPM CFLAGS to compiler"), + ('rpm3-mode', None, + "RPM 3 compatibility mode (default)"), + ('rpm2-mode', None, + "RPM 2 compatibility mode"), + + # Add the hooks necessary for specifying custom scripts + ('prep-script=', None, + "Specify a script for the PREP phase of RPM building"), + ('build-script=', None, + "Specify a script for the BUILD phase of RPM building"), + + ('pre-install=', None, + "Specify a script for the pre-INSTALL phase of RPM building"), + ('install-script=', None, + "Specify a script for the INSTALL phase of RPM building"), + ('post-install=', None, + "Specify a script for the post-INSTALL phase of RPM building"), + + ('pre-uninstall=', None, + "Specify a script for the pre-UNINSTALL phase of RPM building"), + ('post-uninstall=', None, + "Specify a script for the post-UNINSTALL phase of RPM building"), + + ('clean-script=', None, + "Specify a script for the CLEAN phase of RPM building"), + + ('verify-script=', None, + "Specify a script for the VERIFY phase of the RPM build"), + + # Allow a packager to explicitly force an architecture + ('force-arch=', None, + "Force an architecture onto the RPM build process"), + + ('quiet', 'q', + "Run the INSTALL phase of RPM building in quiet mode"), + ] + + boolean_options = ['keep-temp', 'use-rpm-opt-flags', 'rpm3-mode', + 'no-autoreq', 'quiet'] + + negative_opt = {'no-keep-temp': 'keep-temp', + 'no-rpm-opt-flags': 'use-rpm-opt-flags', + 'rpm2-mode': 'rpm3-mode'} + + + def initialize_options(self): + self.bdist_base = None + self.rpm_base = None + self.dist_dir = None + self.python = None + self.fix_python = None + self.spec_only = None + self.binary_only = None + self.source_only = None + self.use_bzip2 = None + + self.distribution_name = None + self.group = None + self.release = None + self.serial = None + self.vendor = None + self.packager = None + self.doc_files = None + self.changelog = None + self.icon = None + + self.prep_script = None + self.build_script = None + self.install_script = None + self.clean_script = None + self.verify_script = None + self.pre_install = None + self.post_install = None + self.pre_uninstall = None + self.post_uninstall = None + self.prep = None + self.provides = None + self.requires = None + self.conflicts = None + self.build_requires = None + self.obsoletes = None + + self.keep_temp = 0 + self.use_rpm_opt_flags = 1 + self.rpm3_mode = 1 + self.no_autoreq = 0 + + self.force_arch = None + self.quiet = 0 + + def finalize_options(self): + self.set_undefined_options('bdist', ('bdist_base', 'bdist_base')) + if self.rpm_base is None: + if not self.rpm3_mode: + raise DistutilsOptionError( + "you must specify --rpm-base in RPM 2 mode") + self.rpm_base = os.path.join(self.bdist_base, "rpm") + + if self.python is None: + if self.fix_python: + self.python = sys.executable + else: + self.python = "python3" + elif self.fix_python: + raise DistutilsOptionError( + "--python and --fix-python are mutually exclusive options") + + if os.name != 'posix': + raise DistutilsPlatformError("don't know how to create RPM " + "distributions on platform %s" % os.name) + if self.binary_only and self.source_only: + raise DistutilsOptionError( + "cannot supply both '--source-only' and '--binary-only'") + + # don't pass CFLAGS to pure python distributions + if not self.distribution.has_ext_modules(): + self.use_rpm_opt_flags = 0 + + self.set_undefined_options('bdist', ('dist_dir', 'dist_dir')) + self.finalize_package_data() + + def finalize_package_data(self): + self.ensure_string('group', "Development/Libraries") + self.ensure_string('vendor', + "%s <%s>" % (self.distribution.get_contact(), + self.distribution.get_contact_email())) + self.ensure_string('packager') + self.ensure_string_list('doc_files') + if isinstance(self.doc_files, list): + for readme in ('README', 'README.txt'): + if os.path.exists(readme) and readme not in self.doc_files: + self.doc_files.append(readme) + + self.ensure_string('release', "1") + self.ensure_string('serial') # should it be an int? + + self.ensure_string('distribution_name') + + self.ensure_string('changelog') + # Format changelog correctly + self.changelog = self._format_changelog(self.changelog) + + self.ensure_filename('icon') + + self.ensure_filename('prep_script') + self.ensure_filename('build_script') + self.ensure_filename('install_script') + self.ensure_filename('clean_script') + self.ensure_filename('verify_script') + self.ensure_filename('pre_install') + self.ensure_filename('post_install') + self.ensure_filename('pre_uninstall') + self.ensure_filename('post_uninstall') + + # XXX don't forget we punted on summaries and descriptions -- they + # should be handled here eventually! + + # Now *this* is some meta-data that belongs in the setup script... + self.ensure_string_list('provides') + self.ensure_string_list('requires') + self.ensure_string_list('conflicts') + self.ensure_string_list('build_requires') + self.ensure_string_list('obsoletes') + + self.ensure_string('force_arch') + + def run(self): + if DEBUG: + print("before _get_package_data():") + print("vendor =", self.vendor) + print("packager =", self.packager) + print("doc_files =", self.doc_files) + print("changelog =", self.changelog) + + # make directories + if self.spec_only: + spec_dir = self.dist_dir + self.mkpath(spec_dir) + else: + rpm_dir = {} + for d in ('SOURCES', 'SPECS', 'BUILD', 'RPMS', 'SRPMS'): + rpm_dir[d] = os.path.join(self.rpm_base, d) + self.mkpath(rpm_dir[d]) + spec_dir = rpm_dir['SPECS'] + + # Spec file goes into 'dist_dir' if '--spec-only specified', + # build/rpm.<plat> otherwise. + spec_path = os.path.join(spec_dir, + "%s.spec" % self.distribution.get_name()) + self.execute(write_file, + (spec_path, + self._make_spec_file()), + "writing '%s'" % spec_path) + + if self.spec_only: # stop if requested + return + + # Make a source distribution and copy to SOURCES directory with + # optional icon. + saved_dist_files = self.distribution.dist_files[:] + sdist = self.reinitialize_command('sdist') + if self.use_bzip2: + sdist.formats = ['bztar'] + else: + sdist.formats = ['gztar'] + self.run_command('sdist') + self.distribution.dist_files = saved_dist_files + + source = sdist.get_archive_files()[0] + source_dir = rpm_dir['SOURCES'] + self.copy_file(source, source_dir) + + if self.icon: + if os.path.exists(self.icon): + self.copy_file(self.icon, source_dir) + else: + raise DistutilsFileError( + "icon file '%s' does not exist" % self.icon) + + # build package + log.info("building RPMs") + rpm_cmd = ['rpmbuild'] + + if self.source_only: # what kind of RPMs? + rpm_cmd.append('-bs') + elif self.binary_only: + rpm_cmd.append('-bb') + else: + rpm_cmd.append('-ba') + rpm_cmd.extend(['--define', '__python %s' % self.python]) + if self.rpm3_mode: + rpm_cmd.extend(['--define', + '_topdir %s' % os.path.abspath(self.rpm_base)]) + if not self.keep_temp: + rpm_cmd.append('--clean') + + if self.quiet: + rpm_cmd.append('--quiet') + + rpm_cmd.append(spec_path) + # Determine the binary rpm names that should be built out of this spec + # file + # Note that some of these may not be really built (if the file + # list is empty) + nvr_string = "%{name}-%{version}-%{release}" + src_rpm = nvr_string + ".src.rpm" + non_src_rpm = "%{arch}/" + nvr_string + ".%{arch}.rpm" + q_cmd = r"rpm -q --qf '%s %s\n' --specfile '%s'" % ( + src_rpm, non_src_rpm, spec_path) + + out = os.popen(q_cmd) + try: + binary_rpms = [] + source_rpm = None + while True: + line = out.readline() + if not line: + break + l = line.strip().split() + assert(len(l) == 2) + binary_rpms.append(l[1]) + # The source rpm is named after the first entry in the spec file + if source_rpm is None: + source_rpm = l[0] + + status = out.close() + if status: + raise DistutilsExecError("Failed to execute: %s" % repr(q_cmd)) + + finally: + out.close() + + self.spawn(rpm_cmd) + + if not self.dry_run: + if self.distribution.has_ext_modules(): + pyversion = get_python_version() + else: + pyversion = 'any' + + if not self.binary_only: + srpm = os.path.join(rpm_dir['SRPMS'], source_rpm) + assert(os.path.exists(srpm)) + self.move_file(srpm, self.dist_dir) + filename = os.path.join(self.dist_dir, source_rpm) + self.distribution.dist_files.append( + ('bdist_rpm', pyversion, filename)) + + if not self.source_only: + for rpm in binary_rpms: + rpm = os.path.join(rpm_dir['RPMS'], rpm) + if os.path.exists(rpm): + self.move_file(rpm, self.dist_dir) + filename = os.path.join(self.dist_dir, + os.path.basename(rpm)) + self.distribution.dist_files.append( + ('bdist_rpm', pyversion, filename)) + + def _dist_path(self, path): + return os.path.join(self.dist_dir, os.path.basename(path)) + + def _make_spec_file(self): + """Generate the text of an RPM spec file and return it as a + list of strings (one per line). + """ + # definitions and headers + spec_file = [ + '%define name ' + self.distribution.get_name(), + '%define version ' + self.distribution.get_version().replace('-','_'), + '%define unmangled_version ' + self.distribution.get_version(), + '%define release ' + self.release.replace('-','_'), + '', + 'Summary: ' + self.distribution.get_description(), + ] + + # Workaround for #14443 which affects some RPM based systems such as + # RHEL6 (and probably derivatives) + vendor_hook = subprocess.getoutput('rpm --eval %{__os_install_post}') + # Generate a potential replacement value for __os_install_post (whilst + # normalizing the whitespace to simplify the test for whether the + # invocation of brp-python-bytecompile passes in __python): + vendor_hook = '\n'.join([' %s \\' % line.strip() + for line in vendor_hook.splitlines()]) + problem = "brp-python-bytecompile \\\n" + fixed = "brp-python-bytecompile %{__python} \\\n" + fixed_hook = vendor_hook.replace(problem, fixed) + if fixed_hook != vendor_hook: + spec_file.append('# Workaround for http://bugs.python.org/issue14443') + spec_file.append('%define __os_install_post ' + fixed_hook + '\n') + + # put locale summaries into spec file + # XXX not supported for now (hard to put a dictionary + # in a config file -- arg!) + #for locale in self.summaries.keys(): + # spec_file.append('Summary(%s): %s' % (locale, + # self.summaries[locale])) + + spec_file.extend([ + 'Name: %{name}', + 'Version: %{version}', + 'Release: %{release}',]) + + # XXX yuck! this filename is available from the "sdist" command, + # but only after it has run: and we create the spec file before + # running "sdist", in case of --spec-only. + if self.use_bzip2: + spec_file.append('Source0: %{name}-%{unmangled_version}.tar.bz2') + else: + spec_file.append('Source0: %{name}-%{unmangled_version}.tar.gz') + + spec_file.extend([ + 'License: ' + self.distribution.get_license(), + 'Group: ' + self.group, + 'BuildRoot: %{_tmppath}/%{name}-%{version}-%{release}-buildroot', + 'Prefix: %{_prefix}', ]) + + if not self.force_arch: + # noarch if no extension modules + if not self.distribution.has_ext_modules(): + spec_file.append('BuildArch: noarch') + else: + spec_file.append( 'BuildArch: %s' % self.force_arch ) + + for field in ('Vendor', + 'Packager', + 'Provides', + 'Requires', + 'Conflicts', + 'Obsoletes', + ): + val = getattr(self, field.lower()) + if isinstance(val, list): + spec_file.append('%s: %s' % (field, ' '.join(val))) + elif val is not None: + spec_file.append('%s: %s' % (field, val)) + + + if self.distribution.get_url() != 'UNKNOWN': + spec_file.append('Url: ' + self.distribution.get_url()) + + if self.distribution_name: + spec_file.append('Distribution: ' + self.distribution_name) + + if self.build_requires: + spec_file.append('BuildRequires: ' + + ' '.join(self.build_requires)) + + if self.icon: + spec_file.append('Icon: ' + os.path.basename(self.icon)) + + if self.no_autoreq: + spec_file.append('AutoReq: 0') + + spec_file.extend([ + '', + '%description', + self.distribution.get_long_description() + ]) + + # put locale descriptions into spec file + # XXX again, suppressed because config file syntax doesn't + # easily support this ;-( + #for locale in self.descriptions.keys(): + # spec_file.extend([ + # '', + # '%description -l ' + locale, + # self.descriptions[locale], + # ]) + + # rpm scripts + # figure out default build script + def_setup_call = "%s %s" % (self.python,os.path.basename(sys.argv[0])) + def_build = "%s build" % def_setup_call + if self.use_rpm_opt_flags: + def_build = 'env CFLAGS="$RPM_OPT_FLAGS" ' + def_build + + # insert contents of files + + # XXX this is kind of misleading: user-supplied options are files + # that we open and interpolate into the spec file, but the defaults + # are just text that we drop in as-is. Hmmm. + + install_cmd = ('%s install -O1 --root=$RPM_BUILD_ROOT ' + '--record=INSTALLED_FILES') % def_setup_call + + script_options = [ + ('prep', 'prep_script', "%setup -n %{name}-%{unmangled_version}"), + ('build', 'build_script', def_build), + ('install', 'install_script', install_cmd), + ('clean', 'clean_script', "rm -rf $RPM_BUILD_ROOT"), + ('verifyscript', 'verify_script', None), + ('pre', 'pre_install', None), + ('post', 'post_install', None), + ('preun', 'pre_uninstall', None), + ('postun', 'post_uninstall', None), + ] + + for (rpm_opt, attr, default) in script_options: + # Insert contents of file referred to, if no file is referred to + # use 'default' as contents of script + val = getattr(self, attr) + if val or default: + spec_file.extend([ + '', + '%' + rpm_opt,]) + if val: + with open(val) as f: + spec_file.extend(f.read().split('\n')) + else: + spec_file.append(default) + + + # files section + spec_file.extend([ + '', + '%files -f INSTALLED_FILES', + '%defattr(-,root,root)', + ]) + + if self.doc_files: + spec_file.append('%doc ' + ' '.join(self.doc_files)) + + if self.changelog: + spec_file.extend([ + '', + '%changelog',]) + spec_file.extend(self.changelog) + + return spec_file + + def _format_changelog(self, changelog): + """Format the changelog correctly and convert it to a list of strings + """ + if not changelog: + return changelog + new_changelog = [] + for line in changelog.strip().split('\n'): + line = line.strip() + if line[0] == '*': + new_changelog.extend(['', line]) + elif line[0] == '-': + new_changelog.append(line) + else: + new_changelog.append(' ' + line) + + # strip trailing newline inserted by first changelog entry + if not new_changelog[0]: + del new_changelog[0] + + return new_changelog diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/bdist_wininst.py b/venv/Lib/site-packages/setuptools/_distutils/command/bdist_wininst.py new file mode 100644 index 0000000..0e9ddaa --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/bdist_wininst.py @@ -0,0 +1,377 @@ +"""distutils.command.bdist_wininst + +Implements the Distutils 'bdist_wininst' command: create a windows installer +exe-program.""" + +import os +import sys +import warnings +from distutils.core import Command +from distutils.util import get_platform +from distutils.dir_util import remove_tree +from distutils.errors import * +from distutils.sysconfig import get_python_version +from distutils import log + +class bdist_wininst(Command): + + description = "create an executable installer for MS Windows" + + user_options = [('bdist-dir=', None, + "temporary directory for creating the distribution"), + ('plat-name=', 'p', + "platform name to embed in generated filenames " + "(default: %s)" % get_platform()), + ('keep-temp', 'k', + "keep the pseudo-installation tree around after " + + "creating the distribution archive"), + ('target-version=', None, + "require a specific python version" + + " on the target system"), + ('no-target-compile', 'c', + "do not compile .py to .pyc on the target system"), + ('no-target-optimize', 'o', + "do not compile .py to .pyo (optimized) " + "on the target system"), + ('dist-dir=', 'd', + "directory to put final built distributions in"), + ('bitmap=', 'b', + "bitmap to use for the installer instead of python-powered logo"), + ('title=', 't', + "title to display on the installer background instead of default"), + ('skip-build', None, + "skip rebuilding everything (for testing/debugging)"), + ('install-script=', None, + "basename of installation script to be run after " + "installation or before deinstallation"), + ('pre-install-script=', None, + "Fully qualified filename of a script to be run before " + "any files are installed. This script need not be in the " + "distribution"), + ('user-access-control=', None, + "specify Vista's UAC handling - 'none'/default=no " + "handling, 'auto'=use UAC if target Python installed for " + "all users, 'force'=always use UAC"), + ] + + boolean_options = ['keep-temp', 'no-target-compile', 'no-target-optimize', + 'skip-build'] + + # bpo-10945: bdist_wininst requires mbcs encoding only available on Windows + _unsupported = (sys.platform != "win32") + + def __init__(self, *args, **kw): + super().__init__(*args, **kw) + warnings.warn("bdist_wininst command is deprecated since Python 3.8, " + "use bdist_wheel (wheel packages) instead", + DeprecationWarning, 2) + + def initialize_options(self): + self.bdist_dir = None + self.plat_name = None + self.keep_temp = 0 + self.no_target_compile = 0 + self.no_target_optimize = 0 + self.target_version = None + self.dist_dir = None + self.bitmap = None + self.title = None + self.skip_build = None + self.install_script = None + self.pre_install_script = None + self.user_access_control = None + + + def finalize_options(self): + self.set_undefined_options('bdist', ('skip_build', 'skip_build')) + + if self.bdist_dir is None: + if self.skip_build and self.plat_name: + # If build is skipped and plat_name is overridden, bdist will + # not see the correct 'plat_name' - so set that up manually. + bdist = self.distribution.get_command_obj('bdist') + bdist.plat_name = self.plat_name + # next the command will be initialized using that name + bdist_base = self.get_finalized_command('bdist').bdist_base + self.bdist_dir = os.path.join(bdist_base, 'wininst') + + if not self.target_version: + self.target_version = "" + + if not self.skip_build and self.distribution.has_ext_modules(): + short_version = get_python_version() + if self.target_version and self.target_version != short_version: + raise DistutilsOptionError( + "target version can only be %s, or the '--skip-build'" \ + " option must be specified" % (short_version,)) + self.target_version = short_version + + self.set_undefined_options('bdist', + ('dist_dir', 'dist_dir'), + ('plat_name', 'plat_name'), + ) + + if self.install_script: + for script in self.distribution.scripts: + if self.install_script == os.path.basename(script): + break + else: + raise DistutilsOptionError( + "install_script '%s' not found in scripts" + % self.install_script) + + def run(self): + if (sys.platform != "win32" and + (self.distribution.has_ext_modules() or + self.distribution.has_c_libraries())): + raise DistutilsPlatformError \ + ("distribution contains extensions and/or C libraries; " + "must be compiled on a Windows 32 platform") + + if not self.skip_build: + self.run_command('build') + + install = self.reinitialize_command('install', reinit_subcommands=1) + install.root = self.bdist_dir + install.skip_build = self.skip_build + install.warn_dir = 0 + install.plat_name = self.plat_name + + install_lib = self.reinitialize_command('install_lib') + # we do not want to include pyc or pyo files + install_lib.compile = 0 + install_lib.optimize = 0 + + if self.distribution.has_ext_modules(): + # If we are building an installer for a Python version other + # than the one we are currently running, then we need to ensure + # our build_lib reflects the other Python version rather than ours. + # Note that for target_version!=sys.version, we must have skipped the + # build step, so there is no issue with enforcing the build of this + # version. + target_version = self.target_version + if not target_version: + assert self.skip_build, "Should have already checked this" + target_version = '%d.%d' % sys.version_info[:2] + plat_specifier = ".%s-%s" % (self.plat_name, target_version) + build = self.get_finalized_command('build') + build.build_lib = os.path.join(build.build_base, + 'lib' + plat_specifier) + + # Use a custom scheme for the zip-file, because we have to decide + # at installation time which scheme to use. + for key in ('purelib', 'platlib', 'headers', 'scripts', 'data'): + value = key.upper() + if key == 'headers': + value = value + '/Include/$dist_name' + setattr(install, + 'install_' + key, + value) + + log.info("installing to %s", self.bdist_dir) + install.ensure_finalized() + + # avoid warning of 'install_lib' about installing + # into a directory not in sys.path + sys.path.insert(0, os.path.join(self.bdist_dir, 'PURELIB')) + + install.run() + + del sys.path[0] + + # And make an archive relative to the root of the + # pseudo-installation tree. + from tempfile import mktemp + archive_basename = mktemp() + fullname = self.distribution.get_fullname() + arcname = self.make_archive(archive_basename, "zip", + root_dir=self.bdist_dir) + # create an exe containing the zip-file + self.create_exe(arcname, fullname, self.bitmap) + if self.distribution.has_ext_modules(): + pyversion = get_python_version() + else: + pyversion = 'any' + self.distribution.dist_files.append(('bdist_wininst', pyversion, + self.get_installer_filename(fullname))) + # remove the zip-file again + log.debug("removing temporary file '%s'", arcname) + os.remove(arcname) + + if not self.keep_temp: + remove_tree(self.bdist_dir, dry_run=self.dry_run) + + def get_inidata(self): + # Return data describing the installation. + lines = [] + metadata = self.distribution.metadata + + # Write the [metadata] section. + lines.append("[metadata]") + + # 'info' will be displayed in the installer's dialog box, + # describing the items to be installed. + info = (metadata.long_description or '') + '\n' + + # Escape newline characters + def escape(s): + return s.replace("\n", "\\n") + + for name in ["author", "author_email", "description", "maintainer", + "maintainer_email", "name", "url", "version"]: + data = getattr(metadata, name, "") + if data: + info = info + ("\n %s: %s" % \ + (name.capitalize(), escape(data))) + lines.append("%s=%s" % (name, escape(data))) + + # The [setup] section contains entries controlling + # the installer runtime. + lines.append("\n[Setup]") + if self.install_script: + lines.append("install_script=%s" % self.install_script) + lines.append("info=%s" % escape(info)) + lines.append("target_compile=%d" % (not self.no_target_compile)) + lines.append("target_optimize=%d" % (not self.no_target_optimize)) + if self.target_version: + lines.append("target_version=%s" % self.target_version) + if self.user_access_control: + lines.append("user_access_control=%s" % self.user_access_control) + + title = self.title or self.distribution.get_fullname() + lines.append("title=%s" % escape(title)) + import time + import distutils + build_info = "Built %s with distutils-%s" % \ + (time.ctime(time.time()), distutils.__version__) + lines.append("build_info=%s" % build_info) + return "\n".join(lines) + + def create_exe(self, arcname, fullname, bitmap=None): + import struct + + self.mkpath(self.dist_dir) + + cfgdata = self.get_inidata() + + installer_name = self.get_installer_filename(fullname) + self.announce("creating %s" % installer_name) + + if bitmap: + with open(bitmap, "rb") as f: + bitmapdata = f.read() + bitmaplen = len(bitmapdata) + else: + bitmaplen = 0 + + with open(installer_name, "wb") as file: + file.write(self.get_exe_bytes()) + if bitmap: + file.write(bitmapdata) + + # Convert cfgdata from unicode to ascii, mbcs encoded + if isinstance(cfgdata, str): + cfgdata = cfgdata.encode("mbcs") + + # Append the pre-install script + cfgdata = cfgdata + b"\0" + if self.pre_install_script: + # We need to normalize newlines, so we open in text mode and + # convert back to bytes. "latin-1" simply avoids any possible + # failures. + with open(self.pre_install_script, "r", + encoding="latin-1") as script: + script_data = script.read().encode("latin-1") + cfgdata = cfgdata + script_data + b"\n\0" + else: + # empty pre-install script + cfgdata = cfgdata + b"\0" + file.write(cfgdata) + + # The 'magic number' 0x1234567B is used to make sure that the + # binary layout of 'cfgdata' is what the wininst.exe binary + # expects. If the layout changes, increment that number, make + # the corresponding changes to the wininst.exe sources, and + # recompile them. + header = struct.pack("<iii", + 0x1234567B, # tag + len(cfgdata), # length + bitmaplen, # number of bytes in bitmap + ) + file.write(header) + with open(arcname, "rb") as f: + file.write(f.read()) + + def get_installer_filename(self, fullname): + # Factored out to allow overriding in subclasses + if self.target_version: + # if we create an installer for a specific python version, + # it's better to include this in the name + installer_name = os.path.join(self.dist_dir, + "%s.%s-py%s.exe" % + (fullname, self.plat_name, self.target_version)) + else: + installer_name = os.path.join(self.dist_dir, + "%s.%s.exe" % (fullname, self.plat_name)) + return installer_name + + def get_exe_bytes(self): + # If a target-version other than the current version has been + # specified, then using the MSVC version from *this* build is no good. + # Without actually finding and executing the target version and parsing + # its sys.version, we just hard-code our knowledge of old versions. + # NOTE: Possible alternative is to allow "--target-version" to + # specify a Python executable rather than a simple version string. + # We can then execute this program to obtain any info we need, such + # as the real sys.version string for the build. + cur_version = get_python_version() + + # If the target version is *later* than us, then we assume they + # use what we use + # string compares seem wrong, but are what sysconfig.py itself uses + if self.target_version and self.target_version < cur_version: + if self.target_version < "2.4": + bv = '6.0' + elif self.target_version == "2.4": + bv = '7.1' + elif self.target_version == "2.5": + bv = '8.0' + elif self.target_version <= "3.2": + bv = '9.0' + elif self.target_version <= "3.4": + bv = '10.0' + else: + bv = '14.0' + else: + # for current version - use authoritative check. + try: + from msvcrt import CRT_ASSEMBLY_VERSION + except ImportError: + # cross-building, so assume the latest version + bv = '14.0' + else: + # as far as we know, CRT is binary compatible based on + # the first field, so assume 'x.0' until proven otherwise + major = CRT_ASSEMBLY_VERSION.partition('.')[0] + bv = major + '.0' + + + # wininst-x.y.exe is in the same directory as this file + directory = os.path.dirname(__file__) + # we must use a wininst-x.y.exe built with the same C compiler + # used for python. XXX What about mingw, borland, and so on? + + # if plat_name starts with "win" but is not "win32" + # we want to strip "win" and leave the rest (e.g. -amd64) + # for all other cases, we don't want any suffix + if self.plat_name != 'win32' and self.plat_name[:3] == 'win': + sfix = self.plat_name[3:] + else: + sfix = '' + + filename = os.path.join(directory, "wininst-%s%s.exe" % (bv, sfix)) + f = open(filename, "rb") + try: + return f.read() + finally: + f.close() diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/build.py b/venv/Lib/site-packages/setuptools/_distutils/command/build.py new file mode 100644 index 0000000..4355a63 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/build.py @@ -0,0 +1,157 @@ +"""distutils.command.build + +Implements the Distutils 'build' command.""" + +import sys, os +from distutils.core import Command +from distutils.errors import DistutilsOptionError +from distutils.util import get_platform + + +def show_compilers(): + from distutils.ccompiler import show_compilers + show_compilers() + + +class build(Command): + + description = "build everything needed to install" + + user_options = [ + ('build-base=', 'b', + "base directory for build library"), + ('build-purelib=', None, + "build directory for platform-neutral distributions"), + ('build-platlib=', None, + "build directory for platform-specific distributions"), + ('build-lib=', None, + "build directory for all distribution (defaults to either " + + "build-purelib or build-platlib"), + ('build-scripts=', None, + "build directory for scripts"), + ('build-temp=', 't', + "temporary build directory"), + ('plat-name=', 'p', + "platform name to build for, if supported " + "(default: %s)" % get_platform()), + ('compiler=', 'c', + "specify the compiler type"), + ('parallel=', 'j', + "number of parallel build jobs"), + ('debug', 'g', + "compile extensions and libraries with debugging information"), + ('force', 'f', + "forcibly build everything (ignore file timestamps)"), + ('executable=', 'e', + "specify final destination interpreter path (build.py)"), + ] + + boolean_options = ['debug', 'force'] + + help_options = [ + ('help-compiler', None, + "list available compilers", show_compilers), + ] + + def initialize_options(self): + self.build_base = 'build' + # these are decided only after 'build_base' has its final value + # (unless overridden by the user or client) + self.build_purelib = None + self.build_platlib = None + self.build_lib = None + self.build_temp = None + self.build_scripts = None + self.compiler = None + self.plat_name = None + self.debug = None + self.force = 0 + self.executable = None + self.parallel = None + + def finalize_options(self): + if self.plat_name is None: + self.plat_name = get_platform() + else: + # plat-name only supported for windows (other platforms are + # supported via ./configure flags, if at all). Avoid misleading + # other platforms. + if os.name != 'nt': + raise DistutilsOptionError( + "--plat-name only supported on Windows (try " + "using './configure --help' on your platform)") + + plat_specifier = ".%s-%d.%d" % (self.plat_name, *sys.version_info[:2]) + + # Make it so Python 2.x and Python 2.x with --with-pydebug don't + # share the same build directories. Doing so confuses the build + # process for C modules + if hasattr(sys, 'gettotalrefcount'): + plat_specifier += '-pydebug' + + # 'build_purelib' and 'build_platlib' just default to 'lib' and + # 'lib.<plat>' under the base build directory. We only use one of + # them for a given distribution, though -- + if self.build_purelib is None: + self.build_purelib = os.path.join(self.build_base, 'lib') + if self.build_platlib is None: + self.build_platlib = os.path.join(self.build_base, + 'lib' + plat_specifier) + + # 'build_lib' is the actual directory that we will use for this + # particular module distribution -- if user didn't supply it, pick + # one of 'build_purelib' or 'build_platlib'. + if self.build_lib is None: + if self.distribution.has_ext_modules(): + self.build_lib = self.build_platlib + else: + self.build_lib = self.build_purelib + + # 'build_temp' -- temporary directory for compiler turds, + # "build/temp.<plat>" + if self.build_temp is None: + self.build_temp = os.path.join(self.build_base, + 'temp' + plat_specifier) + if self.build_scripts is None: + self.build_scripts = os.path.join(self.build_base, + 'scripts-%d.%d' % sys.version_info[:2]) + + if self.executable is None and sys.executable: + self.executable = os.path.normpath(sys.executable) + + if isinstance(self.parallel, str): + try: + self.parallel = int(self.parallel) + except ValueError: + raise DistutilsOptionError("parallel should be an integer") + + def run(self): + # Run all relevant sub-commands. This will be some subset of: + # - build_py - pure Python modules + # - build_clib - standalone C libraries + # - build_ext - Python extensions + # - build_scripts - (Python) scripts + for cmd_name in self.get_sub_commands(): + self.run_command(cmd_name) + + + # -- Predicates for the sub-command list --------------------------- + + def has_pure_modules(self): + return self.distribution.has_pure_modules() + + def has_c_libraries(self): + return self.distribution.has_c_libraries() + + def has_ext_modules(self): + return self.distribution.has_ext_modules() + + def has_scripts(self): + return self.distribution.has_scripts() + + + sub_commands = [('build_py', has_pure_modules), + ('build_clib', has_c_libraries), + ('build_ext', has_ext_modules), + ('build_scripts', has_scripts), + ] diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/build_clib.py b/venv/Lib/site-packages/setuptools/_distutils/command/build_clib.py new file mode 100644 index 0000000..3e20ef2 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/build_clib.py @@ -0,0 +1,209 @@ +"""distutils.command.build_clib + +Implements the Distutils 'build_clib' command, to build a C/C++ library +that is included in the module distribution and needed by an extension +module.""" + + +# XXX this module has *lots* of code ripped-off quite transparently from +# build_ext.py -- not surprisingly really, as the work required to build +# a static library from a collection of C source files is not really all +# that different from what's required to build a shared object file from +# a collection of C source files. Nevertheless, I haven't done the +# necessary refactoring to account for the overlap in code between the +# two modules, mainly because a number of subtle details changed in the +# cut 'n paste. Sigh. + +import os +from distutils.core import Command +from distutils.errors import * +from distutils.sysconfig import customize_compiler +from distutils import log + +def show_compilers(): + from distutils.ccompiler import show_compilers + show_compilers() + + +class build_clib(Command): + + description = "build C/C++ libraries used by Python extensions" + + user_options = [ + ('build-clib=', 'b', + "directory to build C/C++ libraries to"), + ('build-temp=', 't', + "directory to put temporary build by-products"), + ('debug', 'g', + "compile with debugging information"), + ('force', 'f', + "forcibly build everything (ignore file timestamps)"), + ('compiler=', 'c', + "specify the compiler type"), + ] + + boolean_options = ['debug', 'force'] + + help_options = [ + ('help-compiler', None, + "list available compilers", show_compilers), + ] + + def initialize_options(self): + self.build_clib = None + self.build_temp = None + + # List of libraries to build + self.libraries = None + + # Compilation options for all libraries + self.include_dirs = None + self.define = None + self.undef = None + self.debug = None + self.force = 0 + self.compiler = None + + + def finalize_options(self): + # This might be confusing: both build-clib and build-temp default + # to build-temp as defined by the "build" command. This is because + # I think that C libraries are really just temporary build + # by-products, at least from the point of view of building Python + # extensions -- but I want to keep my options open. + self.set_undefined_options('build', + ('build_temp', 'build_clib'), + ('build_temp', 'build_temp'), + ('compiler', 'compiler'), + ('debug', 'debug'), + ('force', 'force')) + + self.libraries = self.distribution.libraries + if self.libraries: + self.check_library_list(self.libraries) + + if self.include_dirs is None: + self.include_dirs = self.distribution.include_dirs or [] + if isinstance(self.include_dirs, str): + self.include_dirs = self.include_dirs.split(os.pathsep) + + # XXX same as for build_ext -- what about 'self.define' and + # 'self.undef' ? + + + def run(self): + if not self.libraries: + return + + # Yech -- this is cut 'n pasted from build_ext.py! + from distutils.ccompiler import new_compiler + self.compiler = new_compiler(compiler=self.compiler, + dry_run=self.dry_run, + force=self.force) + customize_compiler(self.compiler) + + if self.include_dirs is not None: + self.compiler.set_include_dirs(self.include_dirs) + if self.define is not None: + # 'define' option is a list of (name,value) tuples + for (name,value) in self.define: + self.compiler.define_macro(name, value) + if self.undef is not None: + for macro in self.undef: + self.compiler.undefine_macro(macro) + + self.build_libraries(self.libraries) + + + def check_library_list(self, libraries): + """Ensure that the list of libraries is valid. + + `library` is presumably provided as a command option 'libraries'. + This method checks that it is a list of 2-tuples, where the tuples + are (library_name, build_info_dict). + + Raise DistutilsSetupError if the structure is invalid anywhere; + just returns otherwise. + """ + if not isinstance(libraries, list): + raise DistutilsSetupError( + "'libraries' option must be a list of tuples") + + for lib in libraries: + if not isinstance(lib, tuple) and len(lib) != 2: + raise DistutilsSetupError( + "each element of 'libraries' must a 2-tuple") + + name, build_info = lib + + if not isinstance(name, str): + raise DistutilsSetupError( + "first element of each tuple in 'libraries' " + "must be a string (the library name)") + + if '/' in name or (os.sep != '/' and os.sep in name): + raise DistutilsSetupError("bad library name '%s': " + "may not contain directory separators" % lib[0]) + + if not isinstance(build_info, dict): + raise DistutilsSetupError( + "second element of each tuple in 'libraries' " + "must be a dictionary (build info)") + + + def get_library_names(self): + # Assume the library list is valid -- 'check_library_list()' is + # called from 'finalize_options()', so it should be! + if not self.libraries: + return None + + lib_names = [] + for (lib_name, build_info) in self.libraries: + lib_names.append(lib_name) + return lib_names + + + def get_source_files(self): + self.check_library_list(self.libraries) + filenames = [] + for (lib_name, build_info) in self.libraries: + sources = build_info.get('sources') + if sources is None or not isinstance(sources, (list, tuple)): + raise DistutilsSetupError( + "in 'libraries' option (library '%s'), " + "'sources' must be present and must be " + "a list of source filenames" % lib_name) + + filenames.extend(sources) + return filenames + + + def build_libraries(self, libraries): + for (lib_name, build_info) in libraries: + sources = build_info.get('sources') + if sources is None or not isinstance(sources, (list, tuple)): + raise DistutilsSetupError( + "in 'libraries' option (library '%s'), " + "'sources' must be present and must be " + "a list of source filenames" % lib_name) + sources = list(sources) + + log.info("building '%s' library", lib_name) + + # First, compile the source code to object files in the library + # directory. (This should probably change to putting object + # files in a temporary build directory.) + macros = build_info.get('macros') + include_dirs = build_info.get('include_dirs') + objects = self.compiler.compile(sources, + output_dir=self.build_temp, + macros=macros, + include_dirs=include_dirs, + debug=self.debug) + + # Now "link" the object files together into a static library. + # (On Unix at least, this isn't really linking -- it just + # builds an archive. Whatever.) + self.compiler.create_static_lib(objects, lib_name, + output_dir=self.build_clib, + debug=self.debug) diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/build_ext.py b/venv/Lib/site-packages/setuptools/_distutils/command/build_ext.py new file mode 100644 index 0000000..22628ba --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/build_ext.py @@ -0,0 +1,757 @@ +"""distutils.command.build_ext + +Implements the Distutils 'build_ext' command, for building extension +modules (currently limited to C extensions, should accommodate C++ +extensions ASAP).""" + +import contextlib +import os +import re +import sys +from distutils.core import Command +from distutils.errors import * +from distutils.sysconfig import customize_compiler, get_python_version +from distutils.sysconfig import get_config_h_filename +from distutils.dep_util import newer_group +from distutils.extension import Extension +from distutils.util import get_platform +from distutils import log +from . import py37compat + +from site import USER_BASE + +# An extension name is just a dot-separated list of Python NAMEs (ie. +# the same as a fully-qualified module name). +extension_name_re = re.compile \ + (r'^[a-zA-Z_][a-zA-Z_0-9]*(\.[a-zA-Z_][a-zA-Z_0-9]*)*$') + + +def show_compilers (): + from distutils.ccompiler import show_compilers + show_compilers() + + +class build_ext(Command): + + description = "build C/C++ extensions (compile/link to build directory)" + + # XXX thoughts on how to deal with complex command-line options like + # these, i.e. how to make it so fancy_getopt can suck them off the + # command line and make it look like setup.py defined the appropriate + # lists of tuples of what-have-you. + # - each command needs a callback to process its command-line options + # - Command.__init__() needs access to its share of the whole + # command line (must ultimately come from + # Distribution.parse_command_line()) + # - it then calls the current command class' option-parsing + # callback to deal with weird options like -D, which have to + # parse the option text and churn out some custom data + # structure + # - that data structure (in this case, a list of 2-tuples) + # will then be present in the command object by the time + # we get to finalize_options() (i.e. the constructor + # takes care of both command-line and client options + # in between initialize_options() and finalize_options()) + + sep_by = " (separated by '%s')" % os.pathsep + user_options = [ + ('build-lib=', 'b', + "directory for compiled extension modules"), + ('build-temp=', 't', + "directory for temporary files (build by-products)"), + ('plat-name=', 'p', + "platform name to cross-compile for, if supported " + "(default: %s)" % get_platform()), + ('inplace', 'i', + "ignore build-lib and put compiled extensions into the source " + + "directory alongside your pure Python modules"), + ('include-dirs=', 'I', + "list of directories to search for header files" + sep_by), + ('define=', 'D', + "C preprocessor macros to define"), + ('undef=', 'U', + "C preprocessor macros to undefine"), + ('libraries=', 'l', + "external C libraries to link with"), + ('library-dirs=', 'L', + "directories to search for external C libraries" + sep_by), + ('rpath=', 'R', + "directories to search for shared C libraries at runtime"), + ('link-objects=', 'O', + "extra explicit link objects to include in the link"), + ('debug', 'g', + "compile/link with debugging information"), + ('force', 'f', + "forcibly build everything (ignore file timestamps)"), + ('compiler=', 'c', + "specify the compiler type"), + ('parallel=', 'j', + "number of parallel build jobs"), + ('swig-cpp', None, + "make SWIG create C++ files (default is C)"), + ('swig-opts=', None, + "list of SWIG command line options"), + ('swig=', None, + "path to the SWIG executable"), + ('user', None, + "add user include, library and rpath") + ] + + boolean_options = ['inplace', 'debug', 'force', 'swig-cpp', 'user'] + + help_options = [ + ('help-compiler', None, + "list available compilers", show_compilers), + ] + + def initialize_options(self): + self.extensions = None + self.build_lib = None + self.plat_name = None + self.build_temp = None + self.inplace = 0 + self.package = None + + self.include_dirs = None + self.define = None + self.undef = None + self.libraries = None + self.library_dirs = None + self.rpath = None + self.link_objects = None + self.debug = None + self.force = None + self.compiler = None + self.swig = None + self.swig_cpp = None + self.swig_opts = None + self.user = None + self.parallel = None + + def finalize_options(self): + from distutils import sysconfig + + self.set_undefined_options('build', + ('build_lib', 'build_lib'), + ('build_temp', 'build_temp'), + ('compiler', 'compiler'), + ('debug', 'debug'), + ('force', 'force'), + ('parallel', 'parallel'), + ('plat_name', 'plat_name'), + ) + + if self.package is None: + self.package = self.distribution.ext_package + + self.extensions = self.distribution.ext_modules + + # Make sure Python's include directories (for Python.h, pyconfig.h, + # etc.) are in the include search path. + py_include = sysconfig.get_python_inc() + plat_py_include = sysconfig.get_python_inc(plat_specific=1) + if self.include_dirs is None: + self.include_dirs = self.distribution.include_dirs or [] + if isinstance(self.include_dirs, str): + self.include_dirs = self.include_dirs.split(os.pathsep) + + # If in a virtualenv, add its include directory + # Issue 16116 + if sys.exec_prefix != sys.base_exec_prefix: + self.include_dirs.append(os.path.join(sys.exec_prefix, 'include')) + + # Put the Python "system" include dir at the end, so that + # any local include dirs take precedence. + self.include_dirs.extend(py_include.split(os.path.pathsep)) + if plat_py_include != py_include: + self.include_dirs.extend( + plat_py_include.split(os.path.pathsep)) + + self.ensure_string_list('libraries') + self.ensure_string_list('link_objects') + + # Life is easier if we're not forever checking for None, so + # simplify these options to empty lists if unset + if self.libraries is None: + self.libraries = [] + if self.library_dirs is None: + self.library_dirs = [] + elif isinstance(self.library_dirs, str): + self.library_dirs = self.library_dirs.split(os.pathsep) + + if self.rpath is None: + self.rpath = [] + elif isinstance(self.rpath, str): + self.rpath = self.rpath.split(os.pathsep) + + # for extensions under windows use different directories + # for Release and Debug builds. + # also Python's library directory must be appended to library_dirs + if os.name == 'nt': + # the 'libs' directory is for binary installs - we assume that + # must be the *native* platform. But we don't really support + # cross-compiling via a binary install anyway, so we let it go. + self.library_dirs.append(os.path.join(sys.exec_prefix, 'libs')) + if sys.base_exec_prefix != sys.prefix: # Issue 16116 + self.library_dirs.append(os.path.join(sys.base_exec_prefix, 'libs')) + if self.debug: + self.build_temp = os.path.join(self.build_temp, "Debug") + else: + self.build_temp = os.path.join(self.build_temp, "Release") + + # Append the source distribution include and library directories, + # this allows distutils on windows to work in the source tree + self.include_dirs.append(os.path.dirname(get_config_h_filename())) + _sys_home = getattr(sys, '_home', None) + if _sys_home: + self.library_dirs.append(_sys_home) + + # Use the .lib files for the correct architecture + if self.plat_name == 'win32': + suffix = 'win32' + else: + # win-amd64 + suffix = self.plat_name[4:] + new_lib = os.path.join(sys.exec_prefix, 'PCbuild') + if suffix: + new_lib = os.path.join(new_lib, suffix) + self.library_dirs.append(new_lib) + + # For extensions under Cygwin, Python's library directory must be + # appended to library_dirs + if sys.platform[:6] == 'cygwin': + if not sysconfig.python_build: + # building third party extensions + self.library_dirs.append(os.path.join(sys.prefix, "lib", + "python" + get_python_version(), + "config")) + else: + # building python standard extensions + self.library_dirs.append('.') + + # For building extensions with a shared Python library, + # Python's library directory must be appended to library_dirs + # See Issues: #1600860, #4366 + if (sysconfig.get_config_var('Py_ENABLE_SHARED')): + if not sysconfig.python_build: + # building third party extensions + self.library_dirs.append(sysconfig.get_config_var('LIBDIR')) + else: + # building python standard extensions + self.library_dirs.append('.') + + # The argument parsing will result in self.define being a string, but + # it has to be a list of 2-tuples. All the preprocessor symbols + # specified by the 'define' option will be set to '1'. Multiple + # symbols can be separated with commas. + + if self.define: + defines = self.define.split(',') + self.define = [(symbol, '1') for symbol in defines] + + # The option for macros to undefine is also a string from the + # option parsing, but has to be a list. Multiple symbols can also + # be separated with commas here. + if self.undef: + self.undef = self.undef.split(',') + + if self.swig_opts is None: + self.swig_opts = [] + else: + self.swig_opts = self.swig_opts.split(' ') + + # Finally add the user include and library directories if requested + if self.user: + user_include = os.path.join(USER_BASE, "include") + user_lib = os.path.join(USER_BASE, "lib") + if os.path.isdir(user_include): + self.include_dirs.append(user_include) + if os.path.isdir(user_lib): + self.library_dirs.append(user_lib) + self.rpath.append(user_lib) + + if isinstance(self.parallel, str): + try: + self.parallel = int(self.parallel) + except ValueError: + raise DistutilsOptionError("parallel should be an integer") + + def run(self): + from distutils.ccompiler import new_compiler + + # 'self.extensions', as supplied by setup.py, is a list of + # Extension instances. See the documentation for Extension (in + # distutils.extension) for details. + # + # For backwards compatibility with Distutils 0.8.2 and earlier, we + # also allow the 'extensions' list to be a list of tuples: + # (ext_name, build_info) + # where build_info is a dictionary containing everything that + # Extension instances do except the name, with a few things being + # differently named. We convert these 2-tuples to Extension + # instances as needed. + + if not self.extensions: + return + + # If we were asked to build any C/C++ libraries, make sure that the + # directory where we put them is in the library search path for + # linking extensions. + if self.distribution.has_c_libraries(): + build_clib = self.get_finalized_command('build_clib') + self.libraries.extend(build_clib.get_library_names() or []) + self.library_dirs.append(build_clib.build_clib) + + # Setup the CCompiler object that we'll use to do all the + # compiling and linking + self.compiler = new_compiler(compiler=self.compiler, + verbose=self.verbose, + dry_run=self.dry_run, + force=self.force) + customize_compiler(self.compiler) + # If we are cross-compiling, init the compiler now (if we are not + # cross-compiling, init would not hurt, but people may rely on + # late initialization of compiler even if they shouldn't...) + if os.name == 'nt' and self.plat_name != get_platform(): + self.compiler.initialize(self.plat_name) + + # And make sure that any compile/link-related options (which might + # come from the command-line or from the setup script) are set in + # that CCompiler object -- that way, they automatically apply to + # all compiling and linking done here. + if self.include_dirs is not None: + self.compiler.set_include_dirs(self.include_dirs) + if self.define is not None: + # 'define' option is a list of (name,value) tuples + for (name, value) in self.define: + self.compiler.define_macro(name, value) + if self.undef is not None: + for macro in self.undef: + self.compiler.undefine_macro(macro) + if self.libraries is not None: + self.compiler.set_libraries(self.libraries) + if self.library_dirs is not None: + self.compiler.set_library_dirs(self.library_dirs) + if self.rpath is not None: + self.compiler.set_runtime_library_dirs(self.rpath) + if self.link_objects is not None: + self.compiler.set_link_objects(self.link_objects) + + # Now actually compile and link everything. + self.build_extensions() + + def check_extensions_list(self, extensions): + """Ensure that the list of extensions (presumably provided as a + command option 'extensions') is valid, i.e. it is a list of + Extension objects. We also support the old-style list of 2-tuples, + where the tuples are (ext_name, build_info), which are converted to + Extension instances here. + + Raise DistutilsSetupError if the structure is invalid anywhere; + just returns otherwise. + """ + if not isinstance(extensions, list): + raise DistutilsSetupError( + "'ext_modules' option must be a list of Extension instances") + + for i, ext in enumerate(extensions): + if isinstance(ext, Extension): + continue # OK! (assume type-checking done + # by Extension constructor) + + if not isinstance(ext, tuple) or len(ext) != 2: + raise DistutilsSetupError( + "each element of 'ext_modules' option must be an " + "Extension instance or 2-tuple") + + ext_name, build_info = ext + + log.warn("old-style (ext_name, build_info) tuple found in " + "ext_modules for extension '%s' " + "-- please convert to Extension instance", ext_name) + + if not (isinstance(ext_name, str) and + extension_name_re.match(ext_name)): + raise DistutilsSetupError( + "first element of each tuple in 'ext_modules' " + "must be the extension name (a string)") + + if not isinstance(build_info, dict): + raise DistutilsSetupError( + "second element of each tuple in 'ext_modules' " + "must be a dictionary (build info)") + + # OK, the (ext_name, build_info) dict is type-safe: convert it + # to an Extension instance. + ext = Extension(ext_name, build_info['sources']) + + # Easy stuff: one-to-one mapping from dict elements to + # instance attributes. + for key in ('include_dirs', 'library_dirs', 'libraries', + 'extra_objects', 'extra_compile_args', + 'extra_link_args'): + val = build_info.get(key) + if val is not None: + setattr(ext, key, val) + + # Medium-easy stuff: same syntax/semantics, different names. + ext.runtime_library_dirs = build_info.get('rpath') + if 'def_file' in build_info: + log.warn("'def_file' element of build info dict " + "no longer supported") + + # Non-trivial stuff: 'macros' split into 'define_macros' + # and 'undef_macros'. + macros = build_info.get('macros') + if macros: + ext.define_macros = [] + ext.undef_macros = [] + for macro in macros: + if not (isinstance(macro, tuple) and len(macro) in (1, 2)): + raise DistutilsSetupError( + "'macros' element of build info dict " + "must be 1- or 2-tuple") + if len(macro) == 1: + ext.undef_macros.append(macro[0]) + elif len(macro) == 2: + ext.define_macros.append(macro) + + extensions[i] = ext + + def get_source_files(self): + self.check_extensions_list(self.extensions) + filenames = [] + + # Wouldn't it be neat if we knew the names of header files too... + for ext in self.extensions: + filenames.extend(ext.sources) + return filenames + + def get_outputs(self): + # Sanity check the 'extensions' list -- can't assume this is being + # done in the same run as a 'build_extensions()' call (in fact, we + # can probably assume that it *isn't*!). + self.check_extensions_list(self.extensions) + + # And build the list of output (built) filenames. Note that this + # ignores the 'inplace' flag, and assumes everything goes in the + # "build" tree. + outputs = [] + for ext in self.extensions: + outputs.append(self.get_ext_fullpath(ext.name)) + return outputs + + def build_extensions(self): + # First, sanity-check the 'extensions' list + self.check_extensions_list(self.extensions) + if self.parallel: + self._build_extensions_parallel() + else: + self._build_extensions_serial() + + def _build_extensions_parallel(self): + workers = self.parallel + if self.parallel is True: + workers = os.cpu_count() # may return None + try: + from concurrent.futures import ThreadPoolExecutor + except ImportError: + workers = None + + if workers is None: + self._build_extensions_serial() + return + + with ThreadPoolExecutor(max_workers=workers) as executor: + futures = [executor.submit(self.build_extension, ext) + for ext in self.extensions] + for ext, fut in zip(self.extensions, futures): + with self._filter_build_errors(ext): + fut.result() + + def _build_extensions_serial(self): + for ext in self.extensions: + with self._filter_build_errors(ext): + self.build_extension(ext) + + @contextlib.contextmanager + def _filter_build_errors(self, ext): + try: + yield + except (CCompilerError, DistutilsError, CompileError) as e: + if not ext.optional: + raise + self.warn('building extension "%s" failed: %s' % + (ext.name, e)) + + def build_extension(self, ext): + sources = ext.sources + if sources is None or not isinstance(sources, (list, tuple)): + raise DistutilsSetupError( + "in 'ext_modules' option (extension '%s'), " + "'sources' must be present and must be " + "a list of source filenames" % ext.name) + # sort to make the resulting .so file build reproducible + sources = sorted(sources) + + ext_path = self.get_ext_fullpath(ext.name) + depends = sources + ext.depends + if not (self.force or newer_group(depends, ext_path, 'newer')): + log.debug("skipping '%s' extension (up-to-date)", ext.name) + return + else: + log.info("building '%s' extension", ext.name) + + # First, scan the sources for SWIG definition files (.i), run + # SWIG on 'em to create .c files, and modify the sources list + # accordingly. + sources = self.swig_sources(sources, ext) + + # Next, compile the source code to object files. + + # XXX not honouring 'define_macros' or 'undef_macros' -- the + # CCompiler API needs to change to accommodate this, and I + # want to do one thing at a time! + + # Two possible sources for extra compiler arguments: + # - 'extra_compile_args' in Extension object + # - CFLAGS environment variable (not particularly + # elegant, but people seem to expect it and I + # guess it's useful) + # The environment variable should take precedence, and + # any sensible compiler will give precedence to later + # command line args. Hence we combine them in order: + extra_args = ext.extra_compile_args or [] + + macros = ext.define_macros[:] + for undef in ext.undef_macros: + macros.append((undef,)) + + objects = self.compiler.compile(sources, + output_dir=self.build_temp, + macros=macros, + include_dirs=ext.include_dirs, + debug=self.debug, + extra_postargs=extra_args, + depends=ext.depends) + + # XXX outdated variable, kept here in case third-part code + # needs it. + self._built_objects = objects[:] + + # Now link the object files together into a "shared object" -- + # of course, first we have to figure out all the other things + # that go into the mix. + if ext.extra_objects: + objects.extend(ext.extra_objects) + extra_args = ext.extra_link_args or [] + + # Detect target language, if not provided + language = ext.language or self.compiler.detect_language(sources) + + self.compiler.link_shared_object( + objects, ext_path, + libraries=self.get_libraries(ext), + library_dirs=ext.library_dirs, + runtime_library_dirs=ext.runtime_library_dirs, + extra_postargs=extra_args, + export_symbols=self.get_export_symbols(ext), + debug=self.debug, + build_temp=self.build_temp, + target_lang=language) + + def swig_sources(self, sources, extension): + """Walk the list of source files in 'sources', looking for SWIG + interface (.i) files. Run SWIG on all that are found, and + return a modified 'sources' list with SWIG source files replaced + by the generated C (or C++) files. + """ + new_sources = [] + swig_sources = [] + swig_targets = {} + + # XXX this drops generated C/C++ files into the source tree, which + # is fine for developers who want to distribute the generated + # source -- but there should be an option to put SWIG output in + # the temp dir. + + if self.swig_cpp: + log.warn("--swig-cpp is deprecated - use --swig-opts=-c++") + + if self.swig_cpp or ('-c++' in self.swig_opts) or \ + ('-c++' in extension.swig_opts): + target_ext = '.cpp' + else: + target_ext = '.c' + + for source in sources: + (base, ext) = os.path.splitext(source) + if ext == ".i": # SWIG interface file + new_sources.append(base + '_wrap' + target_ext) + swig_sources.append(source) + swig_targets[source] = new_sources[-1] + else: + new_sources.append(source) + + if not swig_sources: + return new_sources + + swig = self.swig or self.find_swig() + swig_cmd = [swig, "-python"] + swig_cmd.extend(self.swig_opts) + if self.swig_cpp: + swig_cmd.append("-c++") + + # Do not override commandline arguments + if not self.swig_opts: + for o in extension.swig_opts: + swig_cmd.append(o) + + for source in swig_sources: + target = swig_targets[source] + log.info("swigging %s to %s", source, target) + self.spawn(swig_cmd + ["-o", target, source]) + + return new_sources + + def find_swig(self): + """Return the name of the SWIG executable. On Unix, this is + just "swig" -- it should be in the PATH. Tries a bit harder on + Windows. + """ + if os.name == "posix": + return "swig" + elif os.name == "nt": + # Look for SWIG in its standard installation directory on + # Windows (or so I presume!). If we find it there, great; + # if not, act like Unix and assume it's in the PATH. + for vers in ("1.3", "1.2", "1.1"): + fn = os.path.join("c:\\swig%s" % vers, "swig.exe") + if os.path.isfile(fn): + return fn + else: + return "swig.exe" + else: + raise DistutilsPlatformError( + "I don't know how to find (much less run) SWIG " + "on platform '%s'" % os.name) + + # -- Name generators ----------------------------------------------- + # (extension names, filenames, whatever) + def get_ext_fullpath(self, ext_name): + """Returns the path of the filename for a given extension. + + The file is located in `build_lib` or directly in the package + (inplace option). + """ + fullname = self.get_ext_fullname(ext_name) + modpath = fullname.split('.') + filename = self.get_ext_filename(modpath[-1]) + + if not self.inplace: + # no further work needed + # returning : + # build_dir/package/path/filename + filename = os.path.join(*modpath[:-1]+[filename]) + return os.path.join(self.build_lib, filename) + + # the inplace option requires to find the package directory + # using the build_py command for that + package = '.'.join(modpath[0:-1]) + build_py = self.get_finalized_command('build_py') + package_dir = os.path.abspath(build_py.get_package_dir(package)) + + # returning + # package_dir/filename + return os.path.join(package_dir, filename) + + def get_ext_fullname(self, ext_name): + """Returns the fullname of a given extension name. + + Adds the `package.` prefix""" + if self.package is None: + return ext_name + else: + return self.package + '.' + ext_name + + def get_ext_filename(self, ext_name): + r"""Convert the name of an extension (eg. "foo.bar") into the name + of the file from which it will be loaded (eg. "foo/bar.so", or + "foo\bar.pyd"). + """ + from distutils.sysconfig import get_config_var + ext_path = ext_name.split('.') + ext_suffix = get_config_var('EXT_SUFFIX') + return os.path.join(*ext_path) + ext_suffix + + def get_export_symbols(self, ext): + """Return the list of symbols that a shared extension has to + export. This either uses 'ext.export_symbols' or, if it's not + provided, "PyInit_" + module_name. Only relevant on Windows, where + the .pyd file (DLL) must export the module "PyInit_" function. + """ + name = ext.name.split('.')[-1] + try: + # Unicode module name support as defined in PEP-489 + # https://www.python.org/dev/peps/pep-0489/#export-hook-name + name.encode('ascii') + except UnicodeEncodeError: + suffix = 'U_' + name.encode('punycode').replace(b'-', b'_').decode('ascii') + else: + suffix = "_" + name + + initfunc_name = "PyInit" + suffix + if initfunc_name not in ext.export_symbols: + ext.export_symbols.append(initfunc_name) + return ext.export_symbols + + def get_libraries(self, ext): + """Return the list of libraries to link against when building a + shared extension. On most platforms, this is just 'ext.libraries'; + on Windows, we add the Python library (eg. python20.dll). + """ + # The python library is always needed on Windows. For MSVC, this + # is redundant, since the library is mentioned in a pragma in + # pyconfig.h that MSVC groks. The other Windows compilers all seem + # to need it mentioned explicitly, though, so that's what we do. + # Append '_d' to the python import library on debug builds. + if sys.platform == "win32": + from distutils._msvccompiler import MSVCCompiler + if not isinstance(self.compiler, MSVCCompiler): + template = "python%d%d" + if self.debug: + template = template + '_d' + pythonlib = (template % + (sys.hexversion >> 24, (sys.hexversion >> 16) & 0xff)) + # don't extend ext.libraries, it may be shared with other + # extensions, it is a reference to the original list + return ext.libraries + [pythonlib] + else: + # On Android only the main executable and LD_PRELOADs are considered + # to be RTLD_GLOBAL, all the dependencies of the main executable + # remain RTLD_LOCAL and so the shared libraries must be linked with + # libpython when python is built with a shared python library (issue + # bpo-21536). + # On Cygwin (and if required, other POSIX-like platforms based on + # Windows like MinGW) it is simply necessary that all symbols in + # shared libraries are resolved at link time. + from distutils.sysconfig import get_config_var + link_libpython = False + if get_config_var('Py_ENABLE_SHARED'): + # A native build on an Android device or on Cygwin + if hasattr(sys, 'getandroidapilevel'): + link_libpython = True + elif sys.platform == 'cygwin': + link_libpython = True + elif '_PYTHON_HOST_PLATFORM' in os.environ: + # We are cross-compiling for one of the relevant platforms + if get_config_var('ANDROID_API_LEVEL') != 0: + link_libpython = True + elif get_config_var('MACHDEP') == 'cygwin': + link_libpython = True + + if link_libpython: + ldversion = get_config_var('LDVERSION') + return ext.libraries + ['python' + ldversion] + + return ext.libraries + py37compat.pythonlib() diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/build_py.py b/venv/Lib/site-packages/setuptools/_distutils/command/build_py.py new file mode 100644 index 0000000..7ef9bce --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/build_py.py @@ -0,0 +1,392 @@ +"""distutils.command.build_py + +Implements the Distutils 'build_py' command.""" + +import os +import importlib.util +import sys +import glob + +from distutils.core import Command +from distutils.errors import * +from distutils.util import convert_path +from distutils import log + +class build_py (Command): + + description = "\"build\" pure Python modules (copy to build directory)" + + user_options = [ + ('build-lib=', 'd', "directory to \"build\" (copy) to"), + ('compile', 'c', "compile .py to .pyc"), + ('no-compile', None, "don't compile .py files [default]"), + ('optimize=', 'O', + "also compile with optimization: -O1 for \"python -O\", " + "-O2 for \"python -OO\", and -O0 to disable [default: -O0]"), + ('force', 'f', "forcibly build everything (ignore file timestamps)"), + ] + + boolean_options = ['compile', 'force'] + negative_opt = {'no-compile' : 'compile'} + + def initialize_options(self): + self.build_lib = None + self.py_modules = None + self.package = None + self.package_data = None + self.package_dir = None + self.compile = 0 + self.optimize = 0 + self.force = None + + def finalize_options(self): + self.set_undefined_options('build', + ('build_lib', 'build_lib'), + ('force', 'force')) + + # Get the distribution options that are aliases for build_py + # options -- list of packages and list of modules. + self.packages = self.distribution.packages + self.py_modules = self.distribution.py_modules + self.package_data = self.distribution.package_data + self.package_dir = {} + if self.distribution.package_dir: + for name, path in self.distribution.package_dir.items(): + self.package_dir[name] = convert_path(path) + self.data_files = self.get_data_files() + + # Ick, copied straight from install_lib.py (fancy_getopt needs a + # type system! Hell, *everything* needs a type system!!!) + if not isinstance(self.optimize, int): + try: + self.optimize = int(self.optimize) + assert 0 <= self.optimize <= 2 + except (ValueError, AssertionError): + raise DistutilsOptionError("optimize must be 0, 1, or 2") + + def run(self): + # XXX copy_file by default preserves atime and mtime. IMHO this is + # the right thing to do, but perhaps it should be an option -- in + # particular, a site administrator might want installed files to + # reflect the time of installation rather than the last + # modification time before the installed release. + + # XXX copy_file by default preserves mode, which appears to be the + # wrong thing to do: if a file is read-only in the working + # directory, we want it to be installed read/write so that the next + # installation of the same module distribution can overwrite it + # without problems. (This might be a Unix-specific issue.) Thus + # we turn off 'preserve_mode' when copying to the build directory, + # since the build directory is supposed to be exactly what the + # installation will look like (ie. we preserve mode when + # installing). + + # Two options control which modules will be installed: 'packages' + # and 'py_modules'. The former lets us work with whole packages, not + # specifying individual modules at all; the latter is for + # specifying modules one-at-a-time. + + if self.py_modules: + self.build_modules() + if self.packages: + self.build_packages() + self.build_package_data() + + self.byte_compile(self.get_outputs(include_bytecode=0)) + + def get_data_files(self): + """Generate list of '(package,src_dir,build_dir,filenames)' tuples""" + data = [] + if not self.packages: + return data + for package in self.packages: + # Locate package source directory + src_dir = self.get_package_dir(package) + + # Compute package build directory + build_dir = os.path.join(*([self.build_lib] + package.split('.'))) + + # Length of path to strip from found files + plen = 0 + if src_dir: + plen = len(src_dir)+1 + + # Strip directory from globbed filenames + filenames = [ + file[plen:] for file in self.find_data_files(package, src_dir) + ] + data.append((package, src_dir, build_dir, filenames)) + return data + + def find_data_files(self, package, src_dir): + """Return filenames for package's data files in 'src_dir'""" + globs = (self.package_data.get('', []) + + self.package_data.get(package, [])) + files = [] + for pattern in globs: + # Each pattern has to be converted to a platform-specific path + filelist = glob.glob(os.path.join(glob.escape(src_dir), convert_path(pattern))) + # Files that match more than one pattern are only added once + files.extend([fn for fn in filelist if fn not in files + and os.path.isfile(fn)]) + return files + + def build_package_data(self): + """Copy data files into build directory""" + lastdir = None + for package, src_dir, build_dir, filenames in self.data_files: + for filename in filenames: + target = os.path.join(build_dir, filename) + self.mkpath(os.path.dirname(target)) + self.copy_file(os.path.join(src_dir, filename), target, + preserve_mode=False) + + def get_package_dir(self, package): + """Return the directory, relative to the top of the source + distribution, where package 'package' should be found + (at least according to the 'package_dir' option, if any).""" + path = package.split('.') + + if not self.package_dir: + if path: + return os.path.join(*path) + else: + return '' + else: + tail = [] + while path: + try: + pdir = self.package_dir['.'.join(path)] + except KeyError: + tail.insert(0, path[-1]) + del path[-1] + else: + tail.insert(0, pdir) + return os.path.join(*tail) + else: + # Oops, got all the way through 'path' without finding a + # match in package_dir. If package_dir defines a directory + # for the root (nameless) package, then fallback on it; + # otherwise, we might as well have not consulted + # package_dir at all, as we just use the directory implied + # by 'tail' (which should be the same as the original value + # of 'path' at this point). + pdir = self.package_dir.get('') + if pdir is not None: + tail.insert(0, pdir) + + if tail: + return os.path.join(*tail) + else: + return '' + + def check_package(self, package, package_dir): + # Empty dir name means current directory, which we can probably + # assume exists. Also, os.path.exists and isdir don't know about + # my "empty string means current dir" convention, so we have to + # circumvent them. + if package_dir != "": + if not os.path.exists(package_dir): + raise DistutilsFileError( + "package directory '%s' does not exist" % package_dir) + if not os.path.isdir(package_dir): + raise DistutilsFileError( + "supposed package directory '%s' exists, " + "but is not a directory" % package_dir) + + # Require __init__.py for all but the "root package" + if package: + init_py = os.path.join(package_dir, "__init__.py") + if os.path.isfile(init_py): + return init_py + else: + log.warn(("package init file '%s' not found " + + "(or not a regular file)"), init_py) + + # Either not in a package at all (__init__.py not expected), or + # __init__.py doesn't exist -- so don't return the filename. + return None + + def check_module(self, module, module_file): + if not os.path.isfile(module_file): + log.warn("file %s (for module %s) not found", module_file, module) + return False + else: + return True + + def find_package_modules(self, package, package_dir): + self.check_package(package, package_dir) + module_files = glob.glob(os.path.join(glob.escape(package_dir), "*.py")) + modules = [] + setup_script = os.path.abspath(self.distribution.script_name) + + for f in module_files: + abs_f = os.path.abspath(f) + if abs_f != setup_script: + module = os.path.splitext(os.path.basename(f))[0] + modules.append((package, module, f)) + else: + self.debug_print("excluding %s" % setup_script) + return modules + + def find_modules(self): + """Finds individually-specified Python modules, ie. those listed by + module name in 'self.py_modules'. Returns a list of tuples (package, + module_base, filename): 'package' is a tuple of the path through + package-space to the module; 'module_base' is the bare (no + packages, no dots) module name, and 'filename' is the path to the + ".py" file (relative to the distribution root) that implements the + module. + """ + # Map package names to tuples of useful info about the package: + # (package_dir, checked) + # package_dir - the directory where we'll find source files for + # this package + # checked - true if we have checked that the package directory + # is valid (exists, contains __init__.py, ... ?) + packages = {} + + # List of (package, module, filename) tuples to return + modules = [] + + # We treat modules-in-packages almost the same as toplevel modules, + # just the "package" for a toplevel is empty (either an empty + # string or empty list, depending on context). Differences: + # - don't check for __init__.py in directory for empty package + for module in self.py_modules: + path = module.split('.') + package = '.'.join(path[0:-1]) + module_base = path[-1] + + try: + (package_dir, checked) = packages[package] + except KeyError: + package_dir = self.get_package_dir(package) + checked = 0 + + if not checked: + init_py = self.check_package(package, package_dir) + packages[package] = (package_dir, 1) + if init_py: + modules.append((package, "__init__", init_py)) + + # XXX perhaps we should also check for just .pyc files + # (so greedy closed-source bastards can distribute Python + # modules too) + module_file = os.path.join(package_dir, module_base + ".py") + if not self.check_module(module, module_file): + continue + + modules.append((package, module_base, module_file)) + + return modules + + def find_all_modules(self): + """Compute the list of all modules that will be built, whether + they are specified one-module-at-a-time ('self.py_modules') or + by whole packages ('self.packages'). Return a list of tuples + (package, module, module_file), just like 'find_modules()' and + 'find_package_modules()' do.""" + modules = [] + if self.py_modules: + modules.extend(self.find_modules()) + if self.packages: + for package in self.packages: + package_dir = self.get_package_dir(package) + m = self.find_package_modules(package, package_dir) + modules.extend(m) + return modules + + def get_source_files(self): + return [module[-1] for module in self.find_all_modules()] + + def get_module_outfile(self, build_dir, package, module): + outfile_path = [build_dir] + list(package) + [module + ".py"] + return os.path.join(*outfile_path) + + def get_outputs(self, include_bytecode=1): + modules = self.find_all_modules() + outputs = [] + for (package, module, module_file) in modules: + package = package.split('.') + filename = self.get_module_outfile(self.build_lib, package, module) + outputs.append(filename) + if include_bytecode: + if self.compile: + outputs.append(importlib.util.cache_from_source( + filename, optimization='')) + if self.optimize > 0: + outputs.append(importlib.util.cache_from_source( + filename, optimization=self.optimize)) + + outputs += [ + os.path.join(build_dir, filename) + for package, src_dir, build_dir, filenames in self.data_files + for filename in filenames + ] + + return outputs + + def build_module(self, module, module_file, package): + if isinstance(package, str): + package = package.split('.') + elif not isinstance(package, (list, tuple)): + raise TypeError( + "'package' must be a string (dot-separated), list, or tuple") + + # Now put the module source file into the "build" area -- this is + # easy, we just copy it somewhere under self.build_lib (the build + # directory for Python source). + outfile = self.get_module_outfile(self.build_lib, package, module) + dir = os.path.dirname(outfile) + self.mkpath(dir) + return self.copy_file(module_file, outfile, preserve_mode=0) + + def build_modules(self): + modules = self.find_modules() + for (package, module, module_file) in modules: + # Now "build" the module -- ie. copy the source file to + # self.build_lib (the build directory for Python source). + # (Actually, it gets copied to the directory for this package + # under self.build_lib.) + self.build_module(module, module_file, package) + + def build_packages(self): + for package in self.packages: + # Get list of (package, module, module_file) tuples based on + # scanning the package directory. 'package' is only included + # in the tuple so that 'find_modules()' and + # 'find_package_tuples()' have a consistent interface; it's + # ignored here (apart from a sanity check). Also, 'module' is + # the *unqualified* module name (ie. no dots, no package -- we + # already know its package!), and 'module_file' is the path to + # the .py file, relative to the current directory + # (ie. including 'package_dir'). + package_dir = self.get_package_dir(package) + modules = self.find_package_modules(package, package_dir) + + # Now loop over the modules we found, "building" each one (just + # copy it to self.build_lib). + for (package_, module, module_file) in modules: + assert package == package_ + self.build_module(module, module_file, package) + + def byte_compile(self, files): + if sys.dont_write_bytecode: + self.warn('byte-compiling is disabled, skipping.') + return + + from distutils.util import byte_compile + prefix = self.build_lib + if prefix[-1] != os.sep: + prefix = prefix + os.sep + + # XXX this code is essentially the same as the 'byte_compile() + # method of the "install_lib" command, except for the determination + # of the 'prefix' string. Hmmm. + if self.compile: + byte_compile(files, optimize=0, + force=self.force, prefix=prefix, dry_run=self.dry_run) + if self.optimize > 0: + byte_compile(files, optimize=self.optimize, + force=self.force, prefix=prefix, dry_run=self.dry_run) diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/build_scripts.py b/venv/Lib/site-packages/setuptools/_distutils/command/build_scripts.py new file mode 100644 index 0000000..e3312cf --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/build_scripts.py @@ -0,0 +1,152 @@ +"""distutils.command.build_scripts + +Implements the Distutils 'build_scripts' command.""" + +import os, re +from stat import ST_MODE +from distutils import sysconfig +from distutils.core import Command +from distutils.dep_util import newer +from distutils.util import convert_path +from distutils import log +import tokenize + +# check if Python is called on the first line with this expression +first_line_re = re.compile(b'^#!.*python[0-9.]*([ \t].*)?$') + +class build_scripts(Command): + + description = "\"build\" scripts (copy and fixup #! line)" + + user_options = [ + ('build-dir=', 'd', "directory to \"build\" (copy) to"), + ('force', 'f', "forcibly build everything (ignore file timestamps"), + ('executable=', 'e', "specify final destination interpreter path"), + ] + + boolean_options = ['force'] + + + def initialize_options(self): + self.build_dir = None + self.scripts = None + self.force = None + self.executable = None + self.outfiles = None + + def finalize_options(self): + self.set_undefined_options('build', + ('build_scripts', 'build_dir'), + ('force', 'force'), + ('executable', 'executable')) + self.scripts = self.distribution.scripts + + def get_source_files(self): + return self.scripts + + def run(self): + if not self.scripts: + return + self.copy_scripts() + + + def copy_scripts(self): + r"""Copy each script listed in 'self.scripts'; if it's marked as a + Python script in the Unix way (first line matches 'first_line_re', + ie. starts with "\#!" and contains "python"), then adjust the first + line to refer to the current Python interpreter as we copy. + """ + self.mkpath(self.build_dir) + outfiles = [] + updated_files = [] + for script in self.scripts: + adjust = False + script = convert_path(script) + outfile = os.path.join(self.build_dir, os.path.basename(script)) + outfiles.append(outfile) + + if not self.force and not newer(script, outfile): + log.debug("not copying %s (up-to-date)", script) + continue + + # Always open the file, but ignore failures in dry-run mode -- + # that way, we'll get accurate feedback if we can read the + # script. + try: + f = open(script, "rb") + except OSError: + if not self.dry_run: + raise + f = None + else: + encoding, lines = tokenize.detect_encoding(f.readline) + f.seek(0) + first_line = f.readline() + if not first_line: + self.warn("%s is an empty file (skipping)" % script) + continue + + match = first_line_re.match(first_line) + if match: + adjust = True + post_interp = match.group(1) or b'' + + if adjust: + log.info("copying and adjusting %s -> %s", script, + self.build_dir) + updated_files.append(outfile) + if not self.dry_run: + if not sysconfig.python_build: + executable = self.executable + else: + executable = os.path.join( + sysconfig.get_config_var("BINDIR"), + "python%s%s" % (sysconfig.get_config_var("VERSION"), + sysconfig.get_config_var("EXE"))) + executable = os.fsencode(executable) + shebang = b"#!" + executable + post_interp + b"\n" + # Python parser starts to read a script using UTF-8 until + # it gets a #coding:xxx cookie. The shebang has to be the + # first line of a file, the #coding:xxx cookie cannot be + # written before. So the shebang has to be decodable from + # UTF-8. + try: + shebang.decode('utf-8') + except UnicodeDecodeError: + raise ValueError( + "The shebang ({!r}) is not decodable " + "from utf-8".format(shebang)) + # If the script is encoded to a custom encoding (use a + # #coding:xxx cookie), the shebang has to be decodable from + # the script encoding too. + try: + shebang.decode(encoding) + except UnicodeDecodeError: + raise ValueError( + "The shebang ({!r}) is not decodable " + "from the script encoding ({})" + .format(shebang, encoding)) + with open(outfile, "wb") as outf: + outf.write(shebang) + outf.writelines(f.readlines()) + if f: + f.close() + else: + if f: + f.close() + updated_files.append(outfile) + self.copy_file(script, outfile) + + if os.name == 'posix': + for file in outfiles: + if self.dry_run: + log.info("changing mode of %s", file) + else: + oldmode = os.stat(file)[ST_MODE] & 0o7777 + newmode = (oldmode | 0o555) & 0o7777 + if newmode != oldmode: + log.info("changing mode of %s from %o to %o", + file, oldmode, newmode) + os.chmod(file, newmode) + # XXX should we modify self.outfiles? + return outfiles, updated_files diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/check.py b/venv/Lib/site-packages/setuptools/_distutils/command/check.py new file mode 100644 index 0000000..ada2500 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/check.py @@ -0,0 +1,148 @@ +"""distutils.command.check + +Implements the Distutils 'check' command. +""" +from distutils.core import Command +from distutils.errors import DistutilsSetupError + +try: + # docutils is installed + from docutils.utils import Reporter + from docutils.parsers.rst import Parser + from docutils import frontend + from docutils import nodes + + class SilentReporter(Reporter): + + def __init__(self, source, report_level, halt_level, stream=None, + debug=0, encoding='ascii', error_handler='replace'): + self.messages = [] + Reporter.__init__(self, source, report_level, halt_level, stream, + debug, encoding, error_handler) + + def system_message(self, level, message, *children, **kwargs): + self.messages.append((level, message, children, kwargs)) + return nodes.system_message(message, level=level, + type=self.levels[level], + *children, **kwargs) + + HAS_DOCUTILS = True +except Exception: + # Catch all exceptions because exceptions besides ImportError probably + # indicate that docutils is not ported to Py3k. + HAS_DOCUTILS = False + +class check(Command): + """This command checks the meta-data of the package. + """ + description = ("perform some checks on the package") + user_options = [('metadata', 'm', 'Verify meta-data'), + ('restructuredtext', 'r', + ('Checks if long string meta-data syntax ' + 'are reStructuredText-compliant')), + ('strict', 's', + 'Will exit with an error if a check fails')] + + boolean_options = ['metadata', 'restructuredtext', 'strict'] + + def initialize_options(self): + """Sets default values for options.""" + self.restructuredtext = 0 + self.metadata = 1 + self.strict = 0 + self._warnings = 0 + + def finalize_options(self): + pass + + def warn(self, msg): + """Counts the number of warnings that occurs.""" + self._warnings += 1 + return Command.warn(self, msg) + + def run(self): + """Runs the command.""" + # perform the various tests + if self.metadata: + self.check_metadata() + if self.restructuredtext: + if HAS_DOCUTILS: + self.check_restructuredtext() + elif self.strict: + raise DistutilsSetupError('The docutils package is needed.') + + # let's raise an error in strict mode, if we have at least + # one warning + if self.strict and self._warnings > 0: + raise DistutilsSetupError('Please correct your package.') + + def check_metadata(self): + """Ensures that all required elements of meta-data are supplied. + + Required fields: + name, version, URL + + Recommended fields: + (author and author_email) or (maintainer and maintainer_email)) + + Warns if any are missing. + """ + metadata = self.distribution.metadata + + missing = [] + for attr in ('name', 'version', 'url'): + if not (hasattr(metadata, attr) and getattr(metadata, attr)): + missing.append(attr) + + if missing: + self.warn("missing required meta-data: %s" % ', '.join(missing)) + if metadata.author: + if not metadata.author_email: + self.warn("missing meta-data: if 'author' supplied, " + + "'author_email' should be supplied too") + elif metadata.maintainer: + if not metadata.maintainer_email: + self.warn("missing meta-data: if 'maintainer' supplied, " + + "'maintainer_email' should be supplied too") + else: + self.warn("missing meta-data: either (author and author_email) " + + "or (maintainer and maintainer_email) " + + "should be supplied") + + def check_restructuredtext(self): + """Checks if the long string fields are reST-compliant.""" + data = self.distribution.get_long_description() + for warning in self._check_rst_data(data): + line = warning[-1].get('line') + if line is None: + warning = warning[1] + else: + warning = '%s (line %s)' % (warning[1], line) + self.warn(warning) + + def _check_rst_data(self, data): + """Returns warnings when the provided data doesn't compile.""" + # the include and csv_table directives need this to be a path + source_path = self.distribution.script_name or 'setup.py' + parser = Parser() + settings = frontend.OptionParser(components=(Parser,)).get_default_values() + settings.tab_width = 4 + settings.pep_references = None + settings.rfc_references = None + reporter = SilentReporter(source_path, + settings.report_level, + settings.halt_level, + stream=settings.warning_stream, + debug=settings.debug, + encoding=settings.error_encoding, + error_handler=settings.error_encoding_error_handler) + + document = nodes.document(settings, reporter, source=source_path) + document.note_source(source_path, -1) + try: + parser.parse(data, document) + except AttributeError as e: + reporter.messages.append( + (-1, 'Could not finish the parsing: %s.' % e, '', {})) + + return reporter.messages diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/clean.py b/venv/Lib/site-packages/setuptools/_distutils/command/clean.py new file mode 100644 index 0000000..0cb2701 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/clean.py @@ -0,0 +1,76 @@ +"""distutils.command.clean + +Implements the Distutils 'clean' command.""" + +# contributed by Bastian Kleineidam <calvin@cs.uni-sb.de>, added 2000-03-18 + +import os +from distutils.core import Command +from distutils.dir_util import remove_tree +from distutils import log + +class clean(Command): + + description = "clean up temporary files from 'build' command" + user_options = [ + ('build-base=', 'b', + "base build directory (default: 'build.build-base')"), + ('build-lib=', None, + "build directory for all modules (default: 'build.build-lib')"), + ('build-temp=', 't', + "temporary build directory (default: 'build.build-temp')"), + ('build-scripts=', None, + "build directory for scripts (default: 'build.build-scripts')"), + ('bdist-base=', None, + "temporary directory for built distributions"), + ('all', 'a', + "remove all build output, not just temporary by-products") + ] + + boolean_options = ['all'] + + def initialize_options(self): + self.build_base = None + self.build_lib = None + self.build_temp = None + self.build_scripts = None + self.bdist_base = None + self.all = None + + def finalize_options(self): + self.set_undefined_options('build', + ('build_base', 'build_base'), + ('build_lib', 'build_lib'), + ('build_scripts', 'build_scripts'), + ('build_temp', 'build_temp')) + self.set_undefined_options('bdist', + ('bdist_base', 'bdist_base')) + + def run(self): + # remove the build/temp.<plat> directory (unless it's already + # gone) + if os.path.exists(self.build_temp): + remove_tree(self.build_temp, dry_run=self.dry_run) + else: + log.debug("'%s' does not exist -- can't clean it", + self.build_temp) + + if self.all: + # remove build directories + for directory in (self.build_lib, + self.bdist_base, + self.build_scripts): + if os.path.exists(directory): + remove_tree(directory, dry_run=self.dry_run) + else: + log.warn("'%s' does not exist -- can't clean it", + directory) + + # just for the heck of it, try to remove the base build directory: + # we might have emptied it right now, but if not we don't care + if not self.dry_run: + try: + os.rmdir(self.build_base) + log.info("removing '%s'", self.build_base) + except OSError: + pass diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/config.py b/venv/Lib/site-packages/setuptools/_distutils/command/config.py new file mode 100644 index 0000000..aeda408 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/config.py @@ -0,0 +1,344 @@ +"""distutils.command.config + +Implements the Distutils 'config' command, a (mostly) empty command class +that exists mainly to be sub-classed by specific module distributions and +applications. The idea is that while every "config" command is different, +at least they're all named the same, and users always see "config" in the +list of standard commands. Also, this is a good place to put common +configure-like tasks: "try to compile this C code", or "figure out where +this header file lives". +""" + +import os, re + +from distutils.core import Command +from distutils.errors import DistutilsExecError +from distutils.sysconfig import customize_compiler +from distutils import log + +LANG_EXT = {"c": ".c", "c++": ".cxx"} + +class config(Command): + + description = "prepare to build" + + user_options = [ + ('compiler=', None, + "specify the compiler type"), + ('cc=', None, + "specify the compiler executable"), + ('include-dirs=', 'I', + "list of directories to search for header files"), + ('define=', 'D', + "C preprocessor macros to define"), + ('undef=', 'U', + "C preprocessor macros to undefine"), + ('libraries=', 'l', + "external C libraries to link with"), + ('library-dirs=', 'L', + "directories to search for external C libraries"), + + ('noisy', None, + "show every action (compile, link, run, ...) taken"), + ('dump-source', None, + "dump generated source files before attempting to compile them"), + ] + + + # The three standard command methods: since the "config" command + # does nothing by default, these are empty. + + def initialize_options(self): + self.compiler = None + self.cc = None + self.include_dirs = None + self.libraries = None + self.library_dirs = None + + # maximal output for now + self.noisy = 1 + self.dump_source = 1 + + # list of temporary files generated along-the-way that we have + # to clean at some point + self.temp_files = [] + + def finalize_options(self): + if self.include_dirs is None: + self.include_dirs = self.distribution.include_dirs or [] + elif isinstance(self.include_dirs, str): + self.include_dirs = self.include_dirs.split(os.pathsep) + + if self.libraries is None: + self.libraries = [] + elif isinstance(self.libraries, str): + self.libraries = [self.libraries] + + if self.library_dirs is None: + self.library_dirs = [] + elif isinstance(self.library_dirs, str): + self.library_dirs = self.library_dirs.split(os.pathsep) + + def run(self): + pass + + # Utility methods for actual "config" commands. The interfaces are + # loosely based on Autoconf macros of similar names. Sub-classes + # may use these freely. + + def _check_compiler(self): + """Check that 'self.compiler' really is a CCompiler object; + if not, make it one. + """ + # We do this late, and only on-demand, because this is an expensive + # import. + from distutils.ccompiler import CCompiler, new_compiler + if not isinstance(self.compiler, CCompiler): + self.compiler = new_compiler(compiler=self.compiler, + dry_run=self.dry_run, force=1) + customize_compiler(self.compiler) + if self.include_dirs: + self.compiler.set_include_dirs(self.include_dirs) + if self.libraries: + self.compiler.set_libraries(self.libraries) + if self.library_dirs: + self.compiler.set_library_dirs(self.library_dirs) + + def _gen_temp_sourcefile(self, body, headers, lang): + filename = "_configtest" + LANG_EXT[lang] + with open(filename, "w") as file: + if headers: + for header in headers: + file.write("#include <%s>\n" % header) + file.write("\n") + file.write(body) + if body[-1] != "\n": + file.write("\n") + return filename + + def _preprocess(self, body, headers, include_dirs, lang): + src = self._gen_temp_sourcefile(body, headers, lang) + out = "_configtest.i" + self.temp_files.extend([src, out]) + self.compiler.preprocess(src, out, include_dirs=include_dirs) + return (src, out) + + def _compile(self, body, headers, include_dirs, lang): + src = self._gen_temp_sourcefile(body, headers, lang) + if self.dump_source: + dump_file(src, "compiling '%s':" % src) + (obj,) = self.compiler.object_filenames([src]) + self.temp_files.extend([src, obj]) + self.compiler.compile([src], include_dirs=include_dirs) + return (src, obj) + + def _link(self, body, headers, include_dirs, libraries, library_dirs, + lang): + (src, obj) = self._compile(body, headers, include_dirs, lang) + prog = os.path.splitext(os.path.basename(src))[0] + self.compiler.link_executable([obj], prog, + libraries=libraries, + library_dirs=library_dirs, + target_lang=lang) + + if self.compiler.exe_extension is not None: + prog = prog + self.compiler.exe_extension + self.temp_files.append(prog) + + return (src, obj, prog) + + def _clean(self, *filenames): + if not filenames: + filenames = self.temp_files + self.temp_files = [] + log.info("removing: %s", ' '.join(filenames)) + for filename in filenames: + try: + os.remove(filename) + except OSError: + pass + + + # XXX these ignore the dry-run flag: what to do, what to do? even if + # you want a dry-run build, you still need some sort of configuration + # info. My inclination is to make it up to the real config command to + # consult 'dry_run', and assume a default (minimal) configuration if + # true. The problem with trying to do it here is that you'd have to + # return either true or false from all the 'try' methods, neither of + # which is correct. + + # XXX need access to the header search path and maybe default macros. + + def try_cpp(self, body=None, headers=None, include_dirs=None, lang="c"): + """Construct a source file from 'body' (a string containing lines + of C/C++ code) and 'headers' (a list of header files to include) + and run it through the preprocessor. Return true if the + preprocessor succeeded, false if there were any errors. + ('body' probably isn't of much use, but what the heck.) + """ + from distutils.ccompiler import CompileError + self._check_compiler() + ok = True + try: + self._preprocess(body, headers, include_dirs, lang) + except CompileError: + ok = False + + self._clean() + return ok + + def search_cpp(self, pattern, body=None, headers=None, include_dirs=None, + lang="c"): + """Construct a source file (just like 'try_cpp()'), run it through + the preprocessor, and return true if any line of the output matches + 'pattern'. 'pattern' should either be a compiled regex object or a + string containing a regex. If both 'body' and 'headers' are None, + preprocesses an empty file -- which can be useful to determine the + symbols the preprocessor and compiler set by default. + """ + self._check_compiler() + src, out = self._preprocess(body, headers, include_dirs, lang) + + if isinstance(pattern, str): + pattern = re.compile(pattern) + + with open(out) as file: + match = False + while True: + line = file.readline() + if line == '': + break + if pattern.search(line): + match = True + break + + self._clean() + return match + + def try_compile(self, body, headers=None, include_dirs=None, lang="c"): + """Try to compile a source file built from 'body' and 'headers'. + Return true on success, false otherwise. + """ + from distutils.ccompiler import CompileError + self._check_compiler() + try: + self._compile(body, headers, include_dirs, lang) + ok = True + except CompileError: + ok = False + + log.info(ok and "success!" or "failure.") + self._clean() + return ok + + def try_link(self, body, headers=None, include_dirs=None, libraries=None, + library_dirs=None, lang="c"): + """Try to compile and link a source file, built from 'body' and + 'headers', to executable form. Return true on success, false + otherwise. + """ + from distutils.ccompiler import CompileError, LinkError + self._check_compiler() + try: + self._link(body, headers, include_dirs, + libraries, library_dirs, lang) + ok = True + except (CompileError, LinkError): + ok = False + + log.info(ok and "success!" or "failure.") + self._clean() + return ok + + def try_run(self, body, headers=None, include_dirs=None, libraries=None, + library_dirs=None, lang="c"): + """Try to compile, link to an executable, and run a program + built from 'body' and 'headers'. Return true on success, false + otherwise. + """ + from distutils.ccompiler import CompileError, LinkError + self._check_compiler() + try: + src, obj, exe = self._link(body, headers, include_dirs, + libraries, library_dirs, lang) + self.spawn([exe]) + ok = True + except (CompileError, LinkError, DistutilsExecError): + ok = False + + log.info(ok and "success!" or "failure.") + self._clean() + return ok + + + # -- High-level methods -------------------------------------------- + # (these are the ones that are actually likely to be useful + # when implementing a real-world config command!) + + def check_func(self, func, headers=None, include_dirs=None, + libraries=None, library_dirs=None, decl=0, call=0): + """Determine if function 'func' is available by constructing a + source file that refers to 'func', and compiles and links it. + If everything succeeds, returns true; otherwise returns false. + + The constructed source file starts out by including the header + files listed in 'headers'. If 'decl' is true, it then declares + 'func' (as "int func()"); you probably shouldn't supply 'headers' + and set 'decl' true in the same call, or you might get errors about + a conflicting declarations for 'func'. Finally, the constructed + 'main()' function either references 'func' or (if 'call' is true) + calls it. 'libraries' and 'library_dirs' are used when + linking. + """ + self._check_compiler() + body = [] + if decl: + body.append("int %s ();" % func) + body.append("int main () {") + if call: + body.append(" %s();" % func) + else: + body.append(" %s;" % func) + body.append("}") + body = "\n".join(body) + "\n" + + return self.try_link(body, headers, include_dirs, + libraries, library_dirs) + + def check_lib(self, library, library_dirs=None, headers=None, + include_dirs=None, other_libraries=[]): + """Determine if 'library' is available to be linked against, + without actually checking that any particular symbols are provided + by it. 'headers' will be used in constructing the source file to + be compiled, but the only effect of this is to check if all the + header files listed are available. Any libraries listed in + 'other_libraries' will be included in the link, in case 'library' + has symbols that depend on other libraries. + """ + self._check_compiler() + return self.try_link("int main (void) { }", headers, include_dirs, + [library] + other_libraries, library_dirs) + + def check_header(self, header, include_dirs=None, library_dirs=None, + lang="c"): + """Determine if the system header file named by 'header_file' + exists and can be found by the preprocessor; return true if so, + false otherwise. + """ + return self.try_cpp(body="/* No body */", headers=[header], + include_dirs=include_dirs) + +def dump_file(filename, head=None): + """Dumps a file content into log.info. + + If head is not None, will be dumped before the file content. + """ + if head is None: + log.info('%s', filename) + else: + log.info(head) + file = open(filename) + try: + log.info(file.read()) + finally: + file.close() diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/install.py b/venv/Lib/site-packages/setuptools/_distutils/command/install.py new file mode 100644 index 0000000..866e2d5 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/install.py @@ -0,0 +1,678 @@ +"""distutils.command.install + +Implements the Distutils 'install' command.""" + +import sys +import os + +from distutils import log +from distutils.core import Command +from distutils.debug import DEBUG +from distutils.sysconfig import get_config_vars +from distutils.errors import DistutilsPlatformError +from distutils.file_util import write_file +from distutils.util import convert_path, subst_vars, change_root +from distutils.util import get_platform +from distutils.errors import DistutilsOptionError + +from site import USER_BASE +from site import USER_SITE +HAS_USER_SITE = True + +WINDOWS_SCHEME = { + 'purelib': '$base/Lib/site-packages', + 'platlib': '$base/Lib/site-packages', + 'headers': '$base/Include/$dist_name', + 'scripts': '$base/Scripts', + 'data' : '$base', +} + +INSTALL_SCHEMES = { + 'unix_prefix': { + 'purelib': '$base/lib/python$py_version_short/site-packages', + 'platlib': '$platbase/$platlibdir/python$py_version_short/site-packages', + 'headers': '$base/include/python$py_version_short$abiflags/$dist_name', + 'scripts': '$base/bin', + 'data' : '$base', + }, + 'unix_home': { + 'purelib': '$base/lib/python', + 'platlib': '$base/$platlibdir/python', + 'headers': '$base/include/python/$dist_name', + 'scripts': '$base/bin', + 'data' : '$base', + }, + 'nt': WINDOWS_SCHEME, + 'pypy': { + 'purelib': '$base/site-packages', + 'platlib': '$base/site-packages', + 'headers': '$base/include/$dist_name', + 'scripts': '$base/bin', + 'data' : '$base', + }, + 'pypy_nt': { + 'purelib': '$base/site-packages', + 'platlib': '$base/site-packages', + 'headers': '$base/include/$dist_name', + 'scripts': '$base/Scripts', + 'data' : '$base', + }, + } + +# user site schemes +if HAS_USER_SITE: + INSTALL_SCHEMES['nt_user'] = { + 'purelib': '$usersite', + 'platlib': '$usersite', + 'headers': '$userbase/Python$py_version_nodot/Include/$dist_name', + 'scripts': '$userbase/Python$py_version_nodot/Scripts', + 'data' : '$userbase', + } + + INSTALL_SCHEMES['unix_user'] = { + 'purelib': '$usersite', + 'platlib': '$usersite', + 'headers': + '$userbase/include/python$py_version_short$abiflags/$dist_name', + 'scripts': '$userbase/bin', + 'data' : '$userbase', + } + +# The keys to an installation scheme; if any new types of files are to be +# installed, be sure to add an entry to every installation scheme above, +# and to SCHEME_KEYS here. +SCHEME_KEYS = ('purelib', 'platlib', 'headers', 'scripts', 'data') + + +class install(Command): + + description = "install everything from build directory" + + user_options = [ + # Select installation scheme and set base director(y|ies) + ('prefix=', None, + "installation prefix"), + ('exec-prefix=', None, + "(Unix only) prefix for platform-specific files"), + ('home=', None, + "(Unix only) home directory to install under"), + + # Or, just set the base director(y|ies) + ('install-base=', None, + "base installation directory (instead of --prefix or --home)"), + ('install-platbase=', None, + "base installation directory for platform-specific files " + + "(instead of --exec-prefix or --home)"), + ('root=', None, + "install everything relative to this alternate root directory"), + + # Or, explicitly set the installation scheme + ('install-purelib=', None, + "installation directory for pure Python module distributions"), + ('install-platlib=', None, + "installation directory for non-pure module distributions"), + ('install-lib=', None, + "installation directory for all module distributions " + + "(overrides --install-purelib and --install-platlib)"), + + ('install-headers=', None, + "installation directory for C/C++ headers"), + ('install-scripts=', None, + "installation directory for Python scripts"), + ('install-data=', None, + "installation directory for data files"), + + # Byte-compilation options -- see install_lib.py for details, as + # these are duplicated from there (but only install_lib does + # anything with them). + ('compile', 'c', "compile .py to .pyc [default]"), + ('no-compile', None, "don't compile .py files"), + ('optimize=', 'O', + "also compile with optimization: -O1 for \"python -O\", " + "-O2 for \"python -OO\", and -O0 to disable [default: -O0]"), + + # Miscellaneous control options + ('force', 'f', + "force installation (overwrite any existing files)"), + ('skip-build', None, + "skip rebuilding everything (for testing/debugging)"), + + # Where to install documentation (eventually!) + #('doc-format=', None, "format of documentation to generate"), + #('install-man=', None, "directory for Unix man pages"), + #('install-html=', None, "directory for HTML documentation"), + #('install-info=', None, "directory for GNU info files"), + + ('record=', None, + "filename in which to record list of installed files"), + ] + + boolean_options = ['compile', 'force', 'skip-build'] + + if HAS_USER_SITE: + user_options.append(('user', None, + "install in user site-package '%s'" % USER_SITE)) + boolean_options.append('user') + + negative_opt = {'no-compile' : 'compile'} + + + def initialize_options(self): + """Initializes options.""" + # High-level options: these select both an installation base + # and scheme. + self.prefix = None + self.exec_prefix = None + self.home = None + self.user = 0 + + # These select only the installation base; it's up to the user to + # specify the installation scheme (currently, that means supplying + # the --install-{platlib,purelib,scripts,data} options). + self.install_base = None + self.install_platbase = None + self.root = None + + # These options are the actual installation directories; if not + # supplied by the user, they are filled in using the installation + # scheme implied by prefix/exec-prefix/home and the contents of + # that installation scheme. + self.install_purelib = None # for pure module distributions + self.install_platlib = None # non-pure (dists w/ extensions) + self.install_headers = None # for C/C++ headers + self.install_lib = None # set to either purelib or platlib + self.install_scripts = None + self.install_data = None + self.install_userbase = USER_BASE + self.install_usersite = USER_SITE + + self.compile = None + self.optimize = None + + # Deprecated + # These two are for putting non-packagized distributions into their + # own directory and creating a .pth file if it makes sense. + # 'extra_path' comes from the setup file; 'install_path_file' can + # be turned off if it makes no sense to install a .pth file. (But + # better to install it uselessly than to guess wrong and not + # install it when it's necessary and would be used!) Currently, + # 'install_path_file' is always true unless some outsider meddles + # with it. + self.extra_path = None + self.install_path_file = 1 + + # 'force' forces installation, even if target files are not + # out-of-date. 'skip_build' skips running the "build" command, + # handy if you know it's not necessary. 'warn_dir' (which is *not* + # a user option, it's just there so the bdist_* commands can turn + # it off) determines whether we warn about installing to a + # directory not in sys.path. + self.force = 0 + self.skip_build = 0 + self.warn_dir = 1 + + # These are only here as a conduit from the 'build' command to the + # 'install_*' commands that do the real work. ('build_base' isn't + # actually used anywhere, but it might be useful in future.) They + # are not user options, because if the user told the install + # command where the build directory is, that wouldn't affect the + # build command. + self.build_base = None + self.build_lib = None + + # Not defined yet because we don't know anything about + # documentation yet. + #self.install_man = None + #self.install_html = None + #self.install_info = None + + self.record = None + + + # -- Option finalizing methods ------------------------------------- + # (This is rather more involved than for most commands, + # because this is where the policy for installing third- + # party Python modules on various platforms given a wide + # array of user input is decided. Yes, it's quite complex!) + + def finalize_options(self): + """Finalizes options.""" + # This method (and its helpers, like 'finalize_unix()', + # 'finalize_other()', and 'select_scheme()') is where the default + # installation directories for modules, extension modules, and + # anything else we care to install from a Python module + # distribution. Thus, this code makes a pretty important policy + # statement about how third-party stuff is added to a Python + # installation! Note that the actual work of installation is done + # by the relatively simple 'install_*' commands; they just take + # their orders from the installation directory options determined + # here. + + # Check for errors/inconsistencies in the options; first, stuff + # that's wrong on any platform. + + if ((self.prefix or self.exec_prefix or self.home) and + (self.install_base or self.install_platbase)): + raise DistutilsOptionError( + "must supply either prefix/exec-prefix/home or " + + "install-base/install-platbase -- not both") + + if self.home and (self.prefix or self.exec_prefix): + raise DistutilsOptionError( + "must supply either home or prefix/exec-prefix -- not both") + + if self.user and (self.prefix or self.exec_prefix or self.home or + self.install_base or self.install_platbase): + raise DistutilsOptionError("can't combine user with prefix, " + "exec_prefix/home, or install_(plat)base") + + # Next, stuff that's wrong (or dubious) only on certain platforms. + if os.name != "posix": + if self.exec_prefix: + self.warn("exec-prefix option ignored on this platform") + self.exec_prefix = None + + # Now the interesting logic -- so interesting that we farm it out + # to other methods. The goal of these methods is to set the final + # values for the install_{lib,scripts,data,...} options, using as + # input a heady brew of prefix, exec_prefix, home, install_base, + # install_platbase, user-supplied versions of + # install_{purelib,platlib,lib,scripts,data,...}, and the + # INSTALL_SCHEME dictionary above. Phew! + + self.dump_dirs("pre-finalize_{unix,other}") + + if os.name == 'posix': + self.finalize_unix() + else: + self.finalize_other() + + self.dump_dirs("post-finalize_{unix,other}()") + + # Expand configuration variables, tilde, etc. in self.install_base + # and self.install_platbase -- that way, we can use $base or + # $platbase in the other installation directories and not worry + # about needing recursive variable expansion (shudder). + + py_version = sys.version.split()[0] + (prefix, exec_prefix) = get_config_vars('prefix', 'exec_prefix') + try: + abiflags = sys.abiflags + except AttributeError: + # sys.abiflags may not be defined on all platforms. + abiflags = '' + self.config_vars = {'dist_name': self.distribution.get_name(), + 'dist_version': self.distribution.get_version(), + 'dist_fullname': self.distribution.get_fullname(), + 'py_version': py_version, + 'py_version_short': '%d.%d' % sys.version_info[:2], + 'py_version_nodot': '%d%d' % sys.version_info[:2], + 'sys_prefix': prefix, + 'prefix': prefix, + 'sys_exec_prefix': exec_prefix, + 'exec_prefix': exec_prefix, + 'abiflags': abiflags, + 'platlibdir': getattr(sys, 'platlibdir', 'lib'), + } + + if HAS_USER_SITE: + self.config_vars['userbase'] = self.install_userbase + self.config_vars['usersite'] = self.install_usersite + + self.expand_basedirs() + + self.dump_dirs("post-expand_basedirs()") + + # Now define config vars for the base directories so we can expand + # everything else. + self.config_vars['base'] = self.install_base + self.config_vars['platbase'] = self.install_platbase + + if DEBUG: + from pprint import pprint + print("config vars:") + pprint(self.config_vars) + + # Expand "~" and configuration variables in the installation + # directories. + self.expand_dirs() + + self.dump_dirs("post-expand_dirs()") + + # Create directories in the home dir: + if self.user: + self.create_home_path() + + # Pick the actual directory to install all modules to: either + # install_purelib or install_platlib, depending on whether this + # module distribution is pure or not. Of course, if the user + # already specified install_lib, use their selection. + if self.install_lib is None: + if self.distribution.has_ext_modules(): # has extensions: non-pure + self.install_lib = self.install_platlib + else: + self.install_lib = self.install_purelib + + + # Convert directories from Unix /-separated syntax to the local + # convention. + self.convert_paths('lib', 'purelib', 'platlib', + 'scripts', 'data', 'headers', + 'userbase', 'usersite') + + # Deprecated + # Well, we're not actually fully completely finalized yet: we still + # have to deal with 'extra_path', which is the hack for allowing + # non-packagized module distributions (hello, Numerical Python!) to + # get their own directories. + self.handle_extra_path() + self.install_libbase = self.install_lib # needed for .pth file + self.install_lib = os.path.join(self.install_lib, self.extra_dirs) + + # If a new root directory was supplied, make all the installation + # dirs relative to it. + if self.root is not None: + self.change_roots('libbase', 'lib', 'purelib', 'platlib', + 'scripts', 'data', 'headers') + + self.dump_dirs("after prepending root") + + # Find out the build directories, ie. where to install from. + self.set_undefined_options('build', + ('build_base', 'build_base'), + ('build_lib', 'build_lib')) + + # Punt on doc directories for now -- after all, we're punting on + # documentation completely! + + def dump_dirs(self, msg): + """Dumps the list of user options.""" + if not DEBUG: + return + from distutils.fancy_getopt import longopt_xlate + log.debug(msg + ":") + for opt in self.user_options: + opt_name = opt[0] + if opt_name[-1] == "=": + opt_name = opt_name[0:-1] + if opt_name in self.negative_opt: + opt_name = self.negative_opt[opt_name] + opt_name = opt_name.translate(longopt_xlate) + val = not getattr(self, opt_name) + else: + opt_name = opt_name.translate(longopt_xlate) + val = getattr(self, opt_name) + log.debug(" %s: %s", opt_name, val) + + def finalize_unix(self): + """Finalizes options for posix platforms.""" + if self.install_base is not None or self.install_platbase is not None: + if ((self.install_lib is None and + self.install_purelib is None and + self.install_platlib is None) or + self.install_headers is None or + self.install_scripts is None or + self.install_data is None): + raise DistutilsOptionError( + "install-base or install-platbase supplied, but " + "installation scheme is incomplete") + return + + if self.user: + if self.install_userbase is None: + raise DistutilsPlatformError( + "User base directory is not specified") + self.install_base = self.install_platbase = self.install_userbase + self.select_scheme("unix_user") + elif self.home is not None: + self.install_base = self.install_platbase = self.home + self.select_scheme("unix_home") + else: + if self.prefix is None: + if self.exec_prefix is not None: + raise DistutilsOptionError( + "must not supply exec-prefix without prefix") + + self.prefix = os.path.normpath(sys.prefix) + self.exec_prefix = os.path.normpath(sys.exec_prefix) + + else: + if self.exec_prefix is None: + self.exec_prefix = self.prefix + + self.install_base = self.prefix + self.install_platbase = self.exec_prefix + self.select_scheme("unix_prefix") + + def finalize_other(self): + """Finalizes options for non-posix platforms""" + if self.user: + if self.install_userbase is None: + raise DistutilsPlatformError( + "User base directory is not specified") + self.install_base = self.install_platbase = self.install_userbase + self.select_scheme(os.name + "_user") + elif self.home is not None: + self.install_base = self.install_platbase = self.home + self.select_scheme("unix_home") + else: + if self.prefix is None: + self.prefix = os.path.normpath(sys.prefix) + + self.install_base = self.install_platbase = self.prefix + try: + self.select_scheme(os.name) + except KeyError: + raise DistutilsPlatformError( + "I don't know how to install stuff on '%s'" % os.name) + + def select_scheme(self, name): + """Sets the install directories by applying the install schemes.""" + # it's the caller's problem if they supply a bad name! + if (hasattr(sys, 'pypy_version_info') and + sys.version_info < (3, 8) and + not name.endswith(('_user', '_home'))): + if os.name == 'nt': + name = 'pypy_nt' + else: + name = 'pypy' + scheme = INSTALL_SCHEMES[name] + for key in SCHEME_KEYS: + attrname = 'install_' + key + if getattr(self, attrname) is None: + setattr(self, attrname, scheme[key]) + + def _expand_attrs(self, attrs): + for attr in attrs: + val = getattr(self, attr) + if val is not None: + if os.name == 'posix' or os.name == 'nt': + val = os.path.expanduser(val) + val = subst_vars(val, self.config_vars) + setattr(self, attr, val) + + def expand_basedirs(self): + """Calls `os.path.expanduser` on install_base, install_platbase and + root.""" + self._expand_attrs(['install_base', 'install_platbase', 'root']) + + def expand_dirs(self): + """Calls `os.path.expanduser` on install dirs.""" + self._expand_attrs(['install_purelib', 'install_platlib', + 'install_lib', 'install_headers', + 'install_scripts', 'install_data',]) + + def convert_paths(self, *names): + """Call `convert_path` over `names`.""" + for name in names: + attr = "install_" + name + setattr(self, attr, convert_path(getattr(self, attr))) + + def handle_extra_path(self): + """Set `path_file` and `extra_dirs` using `extra_path`.""" + if self.extra_path is None: + self.extra_path = self.distribution.extra_path + + if self.extra_path is not None: + log.warn( + "Distribution option extra_path is deprecated. " + "See issue27919 for details." + ) + if isinstance(self.extra_path, str): + self.extra_path = self.extra_path.split(',') + + if len(self.extra_path) == 1: + path_file = extra_dirs = self.extra_path[0] + elif len(self.extra_path) == 2: + path_file, extra_dirs = self.extra_path + else: + raise DistutilsOptionError( + "'extra_path' option must be a list, tuple, or " + "comma-separated string with 1 or 2 elements") + + # convert to local form in case Unix notation used (as it + # should be in setup scripts) + extra_dirs = convert_path(extra_dirs) + else: + path_file = None + extra_dirs = '' + + # XXX should we warn if path_file and not extra_dirs? (in which + # case the path file would be harmless but pointless) + self.path_file = path_file + self.extra_dirs = extra_dirs + + def change_roots(self, *names): + """Change the install directories pointed by name using root.""" + for name in names: + attr = "install_" + name + setattr(self, attr, change_root(self.root, getattr(self, attr))) + + def create_home_path(self): + """Create directories under ~.""" + if not self.user: + return + home = convert_path(os.path.expanduser("~")) + for name, path in self.config_vars.items(): + if path.startswith(home) and not os.path.isdir(path): + self.debug_print("os.makedirs('%s', 0o700)" % path) + os.makedirs(path, 0o700) + + # -- Command execution methods ------------------------------------- + + def run(self): + """Runs the command.""" + # Obviously have to build before we can install + if not self.skip_build: + self.run_command('build') + # If we built for any other platform, we can't install. + build_plat = self.distribution.get_command_obj('build').plat_name + # check warn_dir - it is a clue that the 'install' is happening + # internally, and not to sys.path, so we don't check the platform + # matches what we are running. + if self.warn_dir and build_plat != get_platform(): + raise DistutilsPlatformError("Can't install when " + "cross-compiling") + + # Run all sub-commands (at least those that need to be run) + for cmd_name in self.get_sub_commands(): + self.run_command(cmd_name) + + if self.path_file: + self.create_path_file() + + # write list of installed files, if requested. + if self.record: + outputs = self.get_outputs() + if self.root: # strip any package prefix + root_len = len(self.root) + for counter in range(len(outputs)): + outputs[counter] = outputs[counter][root_len:] + self.execute(write_file, + (self.record, outputs), + "writing list of installed files to '%s'" % + self.record) + + sys_path = map(os.path.normpath, sys.path) + sys_path = map(os.path.normcase, sys_path) + install_lib = os.path.normcase(os.path.normpath(self.install_lib)) + if (self.warn_dir and + not (self.path_file and self.install_path_file) and + install_lib not in sys_path): + log.debug(("modules installed to '%s', which is not in " + "Python's module search path (sys.path) -- " + "you'll have to change the search path yourself"), + self.install_lib) + + def create_path_file(self): + """Creates the .pth file""" + filename = os.path.join(self.install_libbase, + self.path_file + ".pth") + if self.install_path_file: + self.execute(write_file, + (filename, [self.extra_dirs]), + "creating %s" % filename) + else: + self.warn("path file '%s' not created" % filename) + + + # -- Reporting methods --------------------------------------------- + + def get_outputs(self): + """Assembles the outputs of all the sub-commands.""" + outputs = [] + for cmd_name in self.get_sub_commands(): + cmd = self.get_finalized_command(cmd_name) + # Add the contents of cmd.get_outputs(), ensuring + # that outputs doesn't contain duplicate entries + for filename in cmd.get_outputs(): + if filename not in outputs: + outputs.append(filename) + + if self.path_file and self.install_path_file: + outputs.append(os.path.join(self.install_libbase, + self.path_file + ".pth")) + + return outputs + + def get_inputs(self): + """Returns the inputs of all the sub-commands""" + # XXX gee, this looks familiar ;-( + inputs = [] + for cmd_name in self.get_sub_commands(): + cmd = self.get_finalized_command(cmd_name) + inputs.extend(cmd.get_inputs()) + + return inputs + + # -- Predicates for sub-command list ------------------------------- + + def has_lib(self): + """Returns true if the current distribution has any Python + modules to install.""" + return (self.distribution.has_pure_modules() or + self.distribution.has_ext_modules()) + + def has_headers(self): + """Returns true if the current distribution has any headers to + install.""" + return self.distribution.has_headers() + + def has_scripts(self): + """Returns true if the current distribution has any scripts to. + install.""" + return self.distribution.has_scripts() + + def has_data(self): + """Returns true if the current distribution has any data to. + install.""" + return self.distribution.has_data_files() + + # 'sub_commands': a list of commands this command might have to run to + # get its work done. See cmd.py for more info. + sub_commands = [('install_lib', has_lib), + ('install_headers', has_headers), + ('install_scripts', has_scripts), + ('install_data', has_data), + ('install_egg_info', lambda self:True), + ] diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/install_data.py b/venv/Lib/site-packages/setuptools/_distutils/command/install_data.py new file mode 100644 index 0000000..947cd76 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/install_data.py @@ -0,0 +1,79 @@ +"""distutils.command.install_data + +Implements the Distutils 'install_data' command, for installing +platform-independent data files.""" + +# contributed by Bastian Kleineidam + +import os +from distutils.core import Command +from distutils.util import change_root, convert_path + +class install_data(Command): + + description = "install data files" + + user_options = [ + ('install-dir=', 'd', + "base directory for installing data files " + "(default: installation base dir)"), + ('root=', None, + "install everything relative to this alternate root directory"), + ('force', 'f', "force installation (overwrite existing files)"), + ] + + boolean_options = ['force'] + + def initialize_options(self): + self.install_dir = None + self.outfiles = [] + self.root = None + self.force = 0 + self.data_files = self.distribution.data_files + self.warn_dir = 1 + + def finalize_options(self): + self.set_undefined_options('install', + ('install_data', 'install_dir'), + ('root', 'root'), + ('force', 'force'), + ) + + def run(self): + self.mkpath(self.install_dir) + for f in self.data_files: + if isinstance(f, str): + # it's a simple file, so copy it + f = convert_path(f) + if self.warn_dir: + self.warn("setup script did not provide a directory for " + "'%s' -- installing right in '%s'" % + (f, self.install_dir)) + (out, _) = self.copy_file(f, self.install_dir) + self.outfiles.append(out) + else: + # it's a tuple with path to install to and a list of files + dir = convert_path(f[0]) + if not os.path.isabs(dir): + dir = os.path.join(self.install_dir, dir) + elif self.root: + dir = change_root(self.root, dir) + self.mkpath(dir) + + if f[1] == []: + # If there are no files listed, the user must be + # trying to create an empty directory, so add the + # directory to the list of output files. + self.outfiles.append(dir) + else: + # Copy files, adding them to the list of output files. + for data in f[1]: + data = convert_path(data) + (out, _) = self.copy_file(data, dir) + self.outfiles.append(out) + + def get_inputs(self): + return self.data_files or [] + + def get_outputs(self): + return self.outfiles diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/install_egg_info.py b/venv/Lib/site-packages/setuptools/_distutils/command/install_egg_info.py new file mode 100644 index 0000000..0ddc736 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/install_egg_info.py @@ -0,0 +1,77 @@ +"""distutils.command.install_egg_info + +Implements the Distutils 'install_egg_info' command, for installing +a package's PKG-INFO metadata.""" + + +from distutils.cmd import Command +from distutils import log, dir_util +import os, sys, re + +class install_egg_info(Command): + """Install an .egg-info file for the package""" + + description = "Install package's PKG-INFO metadata as an .egg-info file" + user_options = [ + ('install-dir=', 'd', "directory to install to"), + ] + + def initialize_options(self): + self.install_dir = None + + def finalize_options(self): + self.set_undefined_options('install_lib',('install_dir','install_dir')) + basename = "%s-%s-py%d.%d.egg-info" % ( + to_filename(safe_name(self.distribution.get_name())), + to_filename(safe_version(self.distribution.get_version())), + *sys.version_info[:2] + ) + self.target = os.path.join(self.install_dir, basename) + self.outputs = [self.target] + + def run(self): + target = self.target + if os.path.isdir(target) and not os.path.islink(target): + dir_util.remove_tree(target, dry_run=self.dry_run) + elif os.path.exists(target): + self.execute(os.unlink,(self.target,),"Removing "+target) + elif not os.path.isdir(self.install_dir): + self.execute(os.makedirs, (self.install_dir,), + "Creating "+self.install_dir) + log.info("Writing %s", target) + if not self.dry_run: + with open(target, 'w', encoding='UTF-8') as f: + self.distribution.metadata.write_pkg_file(f) + + def get_outputs(self): + return self.outputs + + +# The following routines are taken from setuptools' pkg_resources module and +# can be replaced by importing them from pkg_resources once it is included +# in the stdlib. + +def safe_name(name): + """Convert an arbitrary string to a standard distribution name + + Any runs of non-alphanumeric/. characters are replaced with a single '-'. + """ + return re.sub('[^A-Za-z0-9.]+', '-', name) + + +def safe_version(version): + """Convert an arbitrary string to a standard version string + + Spaces become dots, and all other non-alphanumeric characters become + dashes, with runs of multiple dashes condensed to a single dash. + """ + version = version.replace(' ','.') + return re.sub('[^A-Za-z0-9.]+', '-', version) + + +def to_filename(name): + """Convert a project or version name to its filename-escaped form + + Any '-' characters are currently replaced with '_'. + """ + return name.replace('-','_') diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/install_headers.py b/venv/Lib/site-packages/setuptools/_distutils/command/install_headers.py new file mode 100644 index 0000000..9bb0b18 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/install_headers.py @@ -0,0 +1,47 @@ +"""distutils.command.install_headers + +Implements the Distutils 'install_headers' command, to install C/C++ header +files to the Python include directory.""" + +from distutils.core import Command + + +# XXX force is never used +class install_headers(Command): + + description = "install C/C++ header files" + + user_options = [('install-dir=', 'd', + "directory to install header files to"), + ('force', 'f', + "force installation (overwrite existing files)"), + ] + + boolean_options = ['force'] + + def initialize_options(self): + self.install_dir = None + self.force = 0 + self.outfiles = [] + + def finalize_options(self): + self.set_undefined_options('install', + ('install_headers', 'install_dir'), + ('force', 'force')) + + + def run(self): + headers = self.distribution.headers + if not headers: + return + + self.mkpath(self.install_dir) + for header in headers: + (out, _) = self.copy_file(header, self.install_dir) + self.outfiles.append(out) + + def get_inputs(self): + return self.distribution.headers or [] + + def get_outputs(self): + return self.outfiles diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/install_lib.py b/venv/Lib/site-packages/setuptools/_distutils/command/install_lib.py new file mode 100644 index 0000000..6154cf0 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/install_lib.py @@ -0,0 +1,217 @@ +"""distutils.command.install_lib + +Implements the Distutils 'install_lib' command +(install all Python modules).""" + +import os +import importlib.util +import sys + +from distutils.core import Command +from distutils.errors import DistutilsOptionError + + +# Extension for Python source files. +PYTHON_SOURCE_EXTENSION = ".py" + +class install_lib(Command): + + description = "install all Python modules (extensions and pure Python)" + + # The byte-compilation options are a tad confusing. Here are the + # possible scenarios: + # 1) no compilation at all (--no-compile --no-optimize) + # 2) compile .pyc only (--compile --no-optimize; default) + # 3) compile .pyc and "opt-1" .pyc (--compile --optimize) + # 4) compile "opt-1" .pyc only (--no-compile --optimize) + # 5) compile .pyc and "opt-2" .pyc (--compile --optimize-more) + # 6) compile "opt-2" .pyc only (--no-compile --optimize-more) + # + # The UI for this is two options, 'compile' and 'optimize'. + # 'compile' is strictly boolean, and only decides whether to + # generate .pyc files. 'optimize' is three-way (0, 1, or 2), and + # decides both whether to generate .pyc files and what level of + # optimization to use. + + user_options = [ + ('install-dir=', 'd', "directory to install to"), + ('build-dir=','b', "build directory (where to install from)"), + ('force', 'f', "force installation (overwrite existing files)"), + ('compile', 'c', "compile .py to .pyc [default]"), + ('no-compile', None, "don't compile .py files"), + ('optimize=', 'O', + "also compile with optimization: -O1 for \"python -O\", " + "-O2 for \"python -OO\", and -O0 to disable [default: -O0]"), + ('skip-build', None, "skip the build steps"), + ] + + boolean_options = ['force', 'compile', 'skip-build'] + negative_opt = {'no-compile' : 'compile'} + + def initialize_options(self): + # let the 'install' command dictate our installation directory + self.install_dir = None + self.build_dir = None + self.force = 0 + self.compile = None + self.optimize = None + self.skip_build = None + + def finalize_options(self): + # Get all the information we need to install pure Python modules + # from the umbrella 'install' command -- build (source) directory, + # install (target) directory, and whether to compile .py files. + self.set_undefined_options('install', + ('build_lib', 'build_dir'), + ('install_lib', 'install_dir'), + ('force', 'force'), + ('compile', 'compile'), + ('optimize', 'optimize'), + ('skip_build', 'skip_build'), + ) + + if self.compile is None: + self.compile = True + if self.optimize is None: + self.optimize = False + + if not isinstance(self.optimize, int): + try: + self.optimize = int(self.optimize) + if self.optimize not in (0, 1, 2): + raise AssertionError + except (ValueError, AssertionError): + raise DistutilsOptionError("optimize must be 0, 1, or 2") + + def run(self): + # Make sure we have built everything we need first + self.build() + + # Install everything: simply dump the entire contents of the build + # directory to the installation directory (that's the beauty of + # having a build directory!) + outfiles = self.install() + + # (Optionally) compile .py to .pyc + if outfiles is not None and self.distribution.has_pure_modules(): + self.byte_compile(outfiles) + + # -- Top-level worker functions ------------------------------------ + # (called from 'run()') + + def build(self): + if not self.skip_build: + if self.distribution.has_pure_modules(): + self.run_command('build_py') + if self.distribution.has_ext_modules(): + self.run_command('build_ext') + + def install(self): + if os.path.isdir(self.build_dir): + outfiles = self.copy_tree(self.build_dir, self.install_dir) + else: + self.warn("'%s' does not exist -- no Python modules to install" % + self.build_dir) + return + return outfiles + + def byte_compile(self, files): + if sys.dont_write_bytecode: + self.warn('byte-compiling is disabled, skipping.') + return + + from distutils.util import byte_compile + + # Get the "--root" directory supplied to the "install" command, + # and use it as a prefix to strip off the purported filename + # encoded in bytecode files. This is far from complete, but it + # should at least generate usable bytecode in RPM distributions. + install_root = self.get_finalized_command('install').root + + if self.compile: + byte_compile(files, optimize=0, + force=self.force, prefix=install_root, + dry_run=self.dry_run) + if self.optimize > 0: + byte_compile(files, optimize=self.optimize, + force=self.force, prefix=install_root, + verbose=self.verbose, dry_run=self.dry_run) + + + # -- Utility methods ----------------------------------------------- + + def _mutate_outputs(self, has_any, build_cmd, cmd_option, output_dir): + if not has_any: + return [] + + build_cmd = self.get_finalized_command(build_cmd) + build_files = build_cmd.get_outputs() + build_dir = getattr(build_cmd, cmd_option) + + prefix_len = len(build_dir) + len(os.sep) + outputs = [] + for file in build_files: + outputs.append(os.path.join(output_dir, file[prefix_len:])) + + return outputs + + def _bytecode_filenames(self, py_filenames): + bytecode_files = [] + for py_file in py_filenames: + # Since build_py handles package data installation, the + # list of outputs can contain more than just .py files. + # Make sure we only report bytecode for the .py files. + ext = os.path.splitext(os.path.normcase(py_file))[1] + if ext != PYTHON_SOURCE_EXTENSION: + continue + if self.compile: + bytecode_files.append(importlib.util.cache_from_source( + py_file, optimization='')) + if self.optimize > 0: + bytecode_files.append(importlib.util.cache_from_source( + py_file, optimization=self.optimize)) + + return bytecode_files + + + # -- External interface -------------------------------------------- + # (called by outsiders) + + def get_outputs(self): + """Return the list of files that would be installed if this command + were actually run. Not affected by the "dry-run" flag or whether + modules have actually been built yet. + """ + pure_outputs = \ + self._mutate_outputs(self.distribution.has_pure_modules(), + 'build_py', 'build_lib', + self.install_dir) + if self.compile: + bytecode_outputs = self._bytecode_filenames(pure_outputs) + else: + bytecode_outputs = [] + + ext_outputs = \ + self._mutate_outputs(self.distribution.has_ext_modules(), + 'build_ext', 'build_lib', + self.install_dir) + + return pure_outputs + bytecode_outputs + ext_outputs + + def get_inputs(self): + """Get the list of files that are input to this command, ie. the + files that get installed as they are named in the build tree. + The files in this list correspond one-to-one to the output + filenames returned by 'get_outputs()'. + """ + inputs = [] + + if self.distribution.has_pure_modules(): + build_py = self.get_finalized_command('build_py') + inputs.extend(build_py.get_outputs()) + + if self.distribution.has_ext_modules(): + build_ext = self.get_finalized_command('build_ext') + inputs.extend(build_ext.get_outputs()) + + return inputs diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/install_scripts.py b/venv/Lib/site-packages/setuptools/_distutils/command/install_scripts.py new file mode 100644 index 0000000..31a1130 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/install_scripts.py @@ -0,0 +1,60 @@ +"""distutils.command.install_scripts + +Implements the Distutils 'install_scripts' command, for installing +Python scripts.""" + +# contributed by Bastian Kleineidam + +import os +from distutils.core import Command +from distutils import log +from stat import ST_MODE + + +class install_scripts(Command): + + description = "install scripts (Python or otherwise)" + + user_options = [ + ('install-dir=', 'd', "directory to install scripts to"), + ('build-dir=','b', "build directory (where to install from)"), + ('force', 'f', "force installation (overwrite existing files)"), + ('skip-build', None, "skip the build steps"), + ] + + boolean_options = ['force', 'skip-build'] + + def initialize_options(self): + self.install_dir = None + self.force = 0 + self.build_dir = None + self.skip_build = None + + def finalize_options(self): + self.set_undefined_options('build', ('build_scripts', 'build_dir')) + self.set_undefined_options('install', + ('install_scripts', 'install_dir'), + ('force', 'force'), + ('skip_build', 'skip_build'), + ) + + def run(self): + if not self.skip_build: + self.run_command('build_scripts') + self.outfiles = self.copy_tree(self.build_dir, self.install_dir) + if os.name == 'posix': + # Set the executable bits (owner, group, and world) on + # all the scripts we just installed. + for file in self.get_outputs(): + if self.dry_run: + log.info("changing mode of %s", file) + else: + mode = ((os.stat(file)[ST_MODE]) | 0o555) & 0o7777 + log.info("changing mode of %s to %o", file, mode) + os.chmod(file, mode) + + def get_inputs(self): + return self.distribution.scripts or [] + + def get_outputs(self): + return self.outfiles or [] diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/py37compat.py b/venv/Lib/site-packages/setuptools/_distutils/command/py37compat.py new file mode 100644 index 0000000..754715a --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/py37compat.py @@ -0,0 +1,30 @@ +import sys + + +def _pythonlib_compat(): + """ + On Python 3.7 and earlier, distutils would include the Python + library. See pypa/distutils#9. + """ + from distutils import sysconfig + if not sysconfig.get_config_var('Py_ENABLED_SHARED'): + return + + yield 'python{}.{}{}'.format( + sys.hexversion >> 24, + (sys.hexversion >> 16) & 0xff, + sysconfig.get_config_var('ABIFLAGS'), + ) + + +def compose(f1, f2): + return lambda *args, **kwargs: f1(f2(*args, **kwargs)) + + +pythonlib = ( + compose(list, _pythonlib_compat) + if sys.version_info < (3, 8) + and sys.platform != 'darwin' + and sys.platform[:3] != 'aix' + else list +) diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/register.py b/venv/Lib/site-packages/setuptools/_distutils/command/register.py new file mode 100644 index 0000000..0fac94e --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/register.py @@ -0,0 +1,304 @@ +"""distutils.command.register + +Implements the Distutils 'register' command (register with the repository). +""" + +# created 2002/10/21, Richard Jones + +import getpass +import io +import urllib.parse, urllib.request +from warnings import warn + +from distutils.core import PyPIRCCommand +from distutils.errors import * +from distutils import log + +class register(PyPIRCCommand): + + description = ("register the distribution with the Python package index") + user_options = PyPIRCCommand.user_options + [ + ('list-classifiers', None, + 'list the valid Trove classifiers'), + ('strict', None , + 'Will stop the registering if the meta-data are not fully compliant') + ] + boolean_options = PyPIRCCommand.boolean_options + [ + 'verify', 'list-classifiers', 'strict'] + + sub_commands = [('check', lambda self: True)] + + def initialize_options(self): + PyPIRCCommand.initialize_options(self) + self.list_classifiers = 0 + self.strict = 0 + + def finalize_options(self): + PyPIRCCommand.finalize_options(self) + # setting options for the `check` subcommand + check_options = {'strict': ('register', self.strict), + 'restructuredtext': ('register', 1)} + self.distribution.command_options['check'] = check_options + + def run(self): + self.finalize_options() + self._set_config() + + # Run sub commands + for cmd_name in self.get_sub_commands(): + self.run_command(cmd_name) + + if self.dry_run: + self.verify_metadata() + elif self.list_classifiers: + self.classifiers() + else: + self.send_metadata() + + def check_metadata(self): + """Deprecated API.""" + warn("distutils.command.register.check_metadata is deprecated, \ + use the check command instead", PendingDeprecationWarning) + check = self.distribution.get_command_obj('check') + check.ensure_finalized() + check.strict = self.strict + check.restructuredtext = 1 + check.run() + + def _set_config(self): + ''' Reads the configuration file and set attributes. + ''' + config = self._read_pypirc() + if config != {}: + self.username = config['username'] + self.password = config['password'] + self.repository = config['repository'] + self.realm = config['realm'] + self.has_config = True + else: + if self.repository not in ('pypi', self.DEFAULT_REPOSITORY): + raise ValueError('%s not found in .pypirc' % self.repository) + if self.repository == 'pypi': + self.repository = self.DEFAULT_REPOSITORY + self.has_config = False + + def classifiers(self): + ''' Fetch the list of classifiers from the server. + ''' + url = self.repository+'?:action=list_classifiers' + response = urllib.request.urlopen(url) + log.info(self._read_pypi_response(response)) + + def verify_metadata(self): + ''' Send the metadata to the package index server to be checked. + ''' + # send the info to the server and report the result + (code, result) = self.post_to_server(self.build_post_data('verify')) + log.info('Server response (%s): %s', code, result) + + def send_metadata(self): + ''' Send the metadata to the package index server. + + Well, do the following: + 1. figure who the user is, and then + 2. send the data as a Basic auth'ed POST. + + First we try to read the username/password from $HOME/.pypirc, + which is a ConfigParser-formatted file with a section + [distutils] containing username and password entries (both + in clear text). Eg: + + [distutils] + index-servers = + pypi + + [pypi] + username: fred + password: sekrit + + Otherwise, to figure who the user is, we offer the user three + choices: + + 1. use existing login, + 2. register as a new user, or + 3. set the password to a random string and email the user. + + ''' + # see if we can short-cut and get the username/password from the + # config + if self.has_config: + choice = '1' + username = self.username + password = self.password + else: + choice = 'x' + username = password = '' + + # get the user's login info + choices = '1 2 3 4'.split() + while choice not in choices: + self.announce('''\ +We need to know who you are, so please choose either: + 1. use your existing login, + 2. register as a new user, + 3. have the server generate a new password for you (and email it to you), or + 4. quit +Your selection [default 1]: ''', log.INFO) + choice = input() + if not choice: + choice = '1' + elif choice not in choices: + print('Please choose one of the four options!') + + if choice == '1': + # get the username and password + while not username: + username = input('Username: ') + while not password: + password = getpass.getpass('Password: ') + + # set up the authentication + auth = urllib.request.HTTPPasswordMgr() + host = urllib.parse.urlparse(self.repository)[1] + auth.add_password(self.realm, host, username, password) + # send the info to the server and report the result + code, result = self.post_to_server(self.build_post_data('submit'), + auth) + self.announce('Server response (%s): %s' % (code, result), + log.INFO) + + # possibly save the login + if code == 200: + if self.has_config: + # sharing the password in the distribution instance + # so the upload command can reuse it + self.distribution.password = password + else: + self.announce(('I can store your PyPI login so future ' + 'submissions will be faster.'), log.INFO) + self.announce('(the login will be stored in %s)' % \ + self._get_rc_file(), log.INFO) + choice = 'X' + while choice.lower() not in 'yn': + choice = input('Save your login (y/N)?') + if not choice: + choice = 'n' + if choice.lower() == 'y': + self._store_pypirc(username, password) + + elif choice == '2': + data = {':action': 'user'} + data['name'] = data['password'] = data['email'] = '' + data['confirm'] = None + while not data['name']: + data['name'] = input('Username: ') + while data['password'] != data['confirm']: + while not data['password']: + data['password'] = getpass.getpass('Password: ') + while not data['confirm']: + data['confirm'] = getpass.getpass(' Confirm: ') + if data['password'] != data['confirm']: + data['password'] = '' + data['confirm'] = None + print("Password and confirm don't match!") + while not data['email']: + data['email'] = input(' EMail: ') + code, result = self.post_to_server(data) + if code != 200: + log.info('Server response (%s): %s', code, result) + else: + log.info('You will receive an email shortly.') + log.info(('Follow the instructions in it to ' + 'complete registration.')) + elif choice == '3': + data = {':action': 'password_reset'} + data['email'] = '' + while not data['email']: + data['email'] = input('Your email address: ') + code, result = self.post_to_server(data) + log.info('Server response (%s): %s', code, result) + + def build_post_data(self, action): + # figure the data to send - the metadata plus some additional + # information used by the package server + meta = self.distribution.metadata + data = { + ':action': action, + 'metadata_version' : '1.0', + 'name': meta.get_name(), + 'version': meta.get_version(), + 'summary': meta.get_description(), + 'home_page': meta.get_url(), + 'author': meta.get_contact(), + 'author_email': meta.get_contact_email(), + 'license': meta.get_licence(), + 'description': meta.get_long_description(), + 'keywords': meta.get_keywords(), + 'platform': meta.get_platforms(), + 'classifiers': meta.get_classifiers(), + 'download_url': meta.get_download_url(), + # PEP 314 + 'provides': meta.get_provides(), + 'requires': meta.get_requires(), + 'obsoletes': meta.get_obsoletes(), + } + if data['provides'] or data['requires'] or data['obsoletes']: + data['metadata_version'] = '1.1' + return data + + def post_to_server(self, data, auth=None): + ''' Post a query to the server, and return a string response. + ''' + if 'name' in data: + self.announce('Registering %s to %s' % (data['name'], + self.repository), + log.INFO) + # Build up the MIME payload for the urllib2 POST data + boundary = '--------------GHSKFJDLGDS7543FJKLFHRE75642756743254' + sep_boundary = '\n--' + boundary + end_boundary = sep_boundary + '--' + body = io.StringIO() + for key, value in data.items(): + # handle multiple entries for the same name + if type(value) not in (type([]), type( () )): + value = [value] + for value in value: + value = str(value) + body.write(sep_boundary) + body.write('\nContent-Disposition: form-data; name="%s"'%key) + body.write("\n\n") + body.write(value) + if value and value[-1] == '\r': + body.write('\n') # write an extra newline (lurve Macs) + body.write(end_boundary) + body.write("\n") + body = body.getvalue().encode("utf-8") + + # build the Request + headers = { + 'Content-type': 'multipart/form-data; boundary=%s; charset=utf-8'%boundary, + 'Content-length': str(len(body)) + } + req = urllib.request.Request(self.repository, body, headers) + + # handle HTTP and include the Basic Auth handler + opener = urllib.request.build_opener( + urllib.request.HTTPBasicAuthHandler(password_mgr=auth) + ) + data = '' + try: + result = opener.open(req) + except urllib.error.HTTPError as e: + if self.show_response: + data = e.fp.read() + result = e.code, e.msg + except urllib.error.URLError as e: + result = 500, str(e) + else: + if self.show_response: + data = self._read_pypi_response(result) + result = 200, 'OK' + if self.show_response: + msg = '\n'.join(('-' * 75, data, '-' * 75)) + self.announce(msg, log.INFO) + return result diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/sdist.py b/venv/Lib/site-packages/setuptools/_distutils/command/sdist.py new file mode 100644 index 0000000..b4996fc --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/sdist.py @@ -0,0 +1,494 @@ +"""distutils.command.sdist + +Implements the Distutils 'sdist' command (create a source distribution).""" + +import os +import sys +from glob import glob +from warnings import warn + +from distutils.core import Command +from distutils import dir_util +from distutils import file_util +from distutils import archive_util +from distutils.text_file import TextFile +from distutils.filelist import FileList +from distutils import log +from distutils.util import convert_path +from distutils.errors import DistutilsTemplateError, DistutilsOptionError + + +def show_formats(): + """Print all possible values for the 'formats' option (used by + the "--help-formats" command-line option). + """ + from distutils.fancy_getopt import FancyGetopt + from distutils.archive_util import ARCHIVE_FORMATS + formats = [] + for format in ARCHIVE_FORMATS.keys(): + formats.append(("formats=" + format, None, + ARCHIVE_FORMATS[format][2])) + formats.sort() + FancyGetopt(formats).print_help( + "List of available source distribution formats:") + + +class sdist(Command): + + description = "create a source distribution (tarball, zip file, etc.)" + + def checking_metadata(self): + """Callable used for the check sub-command. + + Placed here so user_options can view it""" + return self.metadata_check + + user_options = [ + ('template=', 't', + "name of manifest template file [default: MANIFEST.in]"), + ('manifest=', 'm', + "name of manifest file [default: MANIFEST]"), + ('use-defaults', None, + "include the default file set in the manifest " + "[default; disable with --no-defaults]"), + ('no-defaults', None, + "don't include the default file set"), + ('prune', None, + "specifically exclude files/directories that should not be " + "distributed (build tree, RCS/CVS dirs, etc.) " + "[default; disable with --no-prune]"), + ('no-prune', None, + "don't automatically exclude anything"), + ('manifest-only', 'o', + "just regenerate the manifest and then stop " + "(implies --force-manifest)"), + ('force-manifest', 'f', + "forcibly regenerate the manifest and carry on as usual. " + "Deprecated: now the manifest is always regenerated."), + ('formats=', None, + "formats for source distribution (comma-separated list)"), + ('keep-temp', 'k', + "keep the distribution tree around after creating " + + "archive file(s)"), + ('dist-dir=', 'd', + "directory to put the source distribution archive(s) in " + "[default: dist]"), + ('metadata-check', None, + "Ensure that all required elements of meta-data " + "are supplied. Warn if any missing. [default]"), + ('owner=', 'u', + "Owner name used when creating a tar file [default: current user]"), + ('group=', 'g', + "Group name used when creating a tar file [default: current group]"), + ] + + boolean_options = ['use-defaults', 'prune', + 'manifest-only', 'force-manifest', + 'keep-temp', 'metadata-check'] + + help_options = [ + ('help-formats', None, + "list available distribution formats", show_formats), + ] + + negative_opt = {'no-defaults': 'use-defaults', + 'no-prune': 'prune' } + + sub_commands = [('check', checking_metadata)] + + READMES = ('README', 'README.txt', 'README.rst') + + def initialize_options(self): + # 'template' and 'manifest' are, respectively, the names of + # the manifest template and manifest file. + self.template = None + self.manifest = None + + # 'use_defaults': if true, we will include the default file set + # in the manifest + self.use_defaults = 1 + self.prune = 1 + + self.manifest_only = 0 + self.force_manifest = 0 + + self.formats = ['gztar'] + self.keep_temp = 0 + self.dist_dir = None + + self.archive_files = None + self.metadata_check = 1 + self.owner = None + self.group = None + + def finalize_options(self): + if self.manifest is None: + self.manifest = "MANIFEST" + if self.template is None: + self.template = "MANIFEST.in" + + self.ensure_string_list('formats') + + bad_format = archive_util.check_archive_formats(self.formats) + if bad_format: + raise DistutilsOptionError( + "unknown archive format '%s'" % bad_format) + + if self.dist_dir is None: + self.dist_dir = "dist" + + def run(self): + # 'filelist' contains the list of files that will make up the + # manifest + self.filelist = FileList() + + # Run sub commands + for cmd_name in self.get_sub_commands(): + self.run_command(cmd_name) + + # Do whatever it takes to get the list of files to process + # (process the manifest template, read an existing manifest, + # whatever). File list is accumulated in 'self.filelist'. + self.get_file_list() + + # If user just wanted us to regenerate the manifest, stop now. + if self.manifest_only: + return + + # Otherwise, go ahead and create the source distribution tarball, + # or zipfile, or whatever. + self.make_distribution() + + def check_metadata(self): + """Deprecated API.""" + warn("distutils.command.sdist.check_metadata is deprecated, \ + use the check command instead", PendingDeprecationWarning) + check = self.distribution.get_command_obj('check') + check.ensure_finalized() + check.run() + + def get_file_list(self): + """Figure out the list of files to include in the source + distribution, and put it in 'self.filelist'. This might involve + reading the manifest template (and writing the manifest), or just + reading the manifest, or just using the default file set -- it all + depends on the user's options. + """ + # new behavior when using a template: + # the file list is recalculated every time because + # even if MANIFEST.in or setup.py are not changed + # the user might have added some files in the tree that + # need to be included. + # + # This makes --force the default and only behavior with templates. + template_exists = os.path.isfile(self.template) + if not template_exists and self._manifest_is_not_generated(): + self.read_manifest() + self.filelist.sort() + self.filelist.remove_duplicates() + return + + if not template_exists: + self.warn(("manifest template '%s' does not exist " + + "(using default file list)") % + self.template) + self.filelist.findall() + + if self.use_defaults: + self.add_defaults() + + if template_exists: + self.read_template() + + if self.prune: + self.prune_file_list() + + self.filelist.sort() + self.filelist.remove_duplicates() + self.write_manifest() + + def add_defaults(self): + """Add all the default files to self.filelist: + - README or README.txt + - setup.py + - test/test*.py + - all pure Python modules mentioned in setup script + - all files pointed by package_data (build_py) + - all files defined in data_files. + - all files defined as scripts. + - all C sources listed as part of extensions or C libraries + in the setup script (doesn't catch C headers!) + Warns if (README or README.txt) or setup.py are missing; everything + else is optional. + """ + self._add_defaults_standards() + self._add_defaults_optional() + self._add_defaults_python() + self._add_defaults_data_files() + self._add_defaults_ext() + self._add_defaults_c_libs() + self._add_defaults_scripts() + + @staticmethod + def _cs_path_exists(fspath): + """ + Case-sensitive path existence check + + >>> sdist._cs_path_exists(__file__) + True + >>> sdist._cs_path_exists(__file__.upper()) + False + """ + if not os.path.exists(fspath): + return False + # make absolute so we always have a directory + abspath = os.path.abspath(fspath) + directory, filename = os.path.split(abspath) + return filename in os.listdir(directory) + + def _add_defaults_standards(self): + standards = [self.READMES, self.distribution.script_name] + for fn in standards: + if isinstance(fn, tuple): + alts = fn + got_it = False + for fn in alts: + if self._cs_path_exists(fn): + got_it = True + self.filelist.append(fn) + break + + if not got_it: + self.warn("standard file not found: should have one of " + + ', '.join(alts)) + else: + if self._cs_path_exists(fn): + self.filelist.append(fn) + else: + self.warn("standard file '%s' not found" % fn) + + def _add_defaults_optional(self): + optional = ['test/test*.py', 'setup.cfg'] + for pattern in optional: + files = filter(os.path.isfile, glob(pattern)) + self.filelist.extend(files) + + def _add_defaults_python(self): + # build_py is used to get: + # - python modules + # - files defined in package_data + build_py = self.get_finalized_command('build_py') + + # getting python files + if self.distribution.has_pure_modules(): + self.filelist.extend(build_py.get_source_files()) + + # getting package_data files + # (computed in build_py.data_files by build_py.finalize_options) + for pkg, src_dir, build_dir, filenames in build_py.data_files: + for filename in filenames: + self.filelist.append(os.path.join(src_dir, filename)) + + def _add_defaults_data_files(self): + # getting distribution.data_files + if self.distribution.has_data_files(): + for item in self.distribution.data_files: + if isinstance(item, str): + # plain file + item = convert_path(item) + if os.path.isfile(item): + self.filelist.append(item) + else: + # a (dirname, filenames) tuple + dirname, filenames = item + for f in filenames: + f = convert_path(f) + if os.path.isfile(f): + self.filelist.append(f) + + def _add_defaults_ext(self): + if self.distribution.has_ext_modules(): + build_ext = self.get_finalized_command('build_ext') + self.filelist.extend(build_ext.get_source_files()) + + def _add_defaults_c_libs(self): + if self.distribution.has_c_libraries(): + build_clib = self.get_finalized_command('build_clib') + self.filelist.extend(build_clib.get_source_files()) + + def _add_defaults_scripts(self): + if self.distribution.has_scripts(): + build_scripts = self.get_finalized_command('build_scripts') + self.filelist.extend(build_scripts.get_source_files()) + + def read_template(self): + """Read and parse manifest template file named by self.template. + + (usually "MANIFEST.in") The parsing and processing is done by + 'self.filelist', which updates itself accordingly. + """ + log.info("reading manifest template '%s'", self.template) + template = TextFile(self.template, strip_comments=1, skip_blanks=1, + join_lines=1, lstrip_ws=1, rstrip_ws=1, + collapse_join=1) + + try: + while True: + line = template.readline() + if line is None: # end of file + break + + try: + self.filelist.process_template_line(line) + # the call above can raise a DistutilsTemplateError for + # malformed lines, or a ValueError from the lower-level + # convert_path function + except (DistutilsTemplateError, ValueError) as msg: + self.warn("%s, line %d: %s" % (template.filename, + template.current_line, + msg)) + finally: + template.close() + + def prune_file_list(self): + """Prune off branches that might slip into the file list as created + by 'read_template()', but really don't belong there: + * the build tree (typically "build") + * the release tree itself (only an issue if we ran "sdist" + previously with --keep-temp, or it aborted) + * any RCS, CVS, .svn, .hg, .git, .bzr, _darcs directories + """ + build = self.get_finalized_command('build') + base_dir = self.distribution.get_fullname() + + self.filelist.exclude_pattern(None, prefix=build.build_base) + self.filelist.exclude_pattern(None, prefix=base_dir) + + if sys.platform == 'win32': + seps = r'/|\\' + else: + seps = '/' + + vcs_dirs = ['RCS', 'CVS', r'\.svn', r'\.hg', r'\.git', r'\.bzr', + '_darcs'] + vcs_ptrn = r'(^|%s)(%s)(%s).*' % (seps, '|'.join(vcs_dirs), seps) + self.filelist.exclude_pattern(vcs_ptrn, is_regex=1) + + def write_manifest(self): + """Write the file list in 'self.filelist' (presumably as filled in + by 'add_defaults()' and 'read_template()') to the manifest file + named by 'self.manifest'. + """ + if self._manifest_is_not_generated(): + log.info("not writing to manually maintained " + "manifest file '%s'" % self.manifest) + return + + content = self.filelist.files[:] + content.insert(0, '# file GENERATED by distutils, do NOT edit') + self.execute(file_util.write_file, (self.manifest, content), + "writing manifest file '%s'" % self.manifest) + + def _manifest_is_not_generated(self): + # check for special comment used in 3.1.3 and higher + if not os.path.isfile(self.manifest): + return False + + fp = open(self.manifest) + try: + first_line = fp.readline() + finally: + fp.close() + return first_line != '# file GENERATED by distutils, do NOT edit\n' + + def read_manifest(self): + """Read the manifest file (named by 'self.manifest') and use it to + fill in 'self.filelist', the list of files to include in the source + distribution. + """ + log.info("reading manifest file '%s'", self.manifest) + with open(self.manifest) as manifest: + for line in manifest: + # ignore comments and blank lines + line = line.strip() + if line.startswith('#') or not line: + continue + self.filelist.append(line) + + def make_release_tree(self, base_dir, files): + """Create the directory tree that will become the source + distribution archive. All directories implied by the filenames in + 'files' are created under 'base_dir', and then we hard link or copy + (if hard linking is unavailable) those files into place. + Essentially, this duplicates the developer's source tree, but in a + directory named after the distribution, containing only the files + to be distributed. + """ + # Create all the directories under 'base_dir' necessary to + # put 'files' there; the 'mkpath()' is just so we don't die + # if the manifest happens to be empty. + self.mkpath(base_dir) + dir_util.create_tree(base_dir, files, dry_run=self.dry_run) + + # And walk over the list of files, either making a hard link (if + # os.link exists) to each one that doesn't already exist in its + # corresponding location under 'base_dir', or copying each file + # that's out-of-date in 'base_dir'. (Usually, all files will be + # out-of-date, because by default we blow away 'base_dir' when + # we're done making the distribution archives.) + + if hasattr(os, 'link'): # can make hard links on this system + link = 'hard' + msg = "making hard links in %s..." % base_dir + else: # nope, have to copy + link = None + msg = "copying files to %s..." % base_dir + + if not files: + log.warn("no files to distribute -- empty manifest?") + else: + log.info(msg) + for file in files: + if not os.path.isfile(file): + log.warn("'%s' not a regular file -- skipping", file) + else: + dest = os.path.join(base_dir, file) + self.copy_file(file, dest, link=link) + + self.distribution.metadata.write_pkg_info(base_dir) + + def make_distribution(self): + """Create the source distribution(s). First, we create the release + tree with 'make_release_tree()'; then, we create all required + archive files (according to 'self.formats') from the release tree. + Finally, we clean up by blowing away the release tree (unless + 'self.keep_temp' is true). The list of archive files created is + stored so it can be retrieved later by 'get_archive_files()'. + """ + # Don't warn about missing meta-data here -- should be (and is!) + # done elsewhere. + base_dir = self.distribution.get_fullname() + base_name = os.path.join(self.dist_dir, base_dir) + + self.make_release_tree(base_dir, self.filelist.files) + archive_files = [] # remember names of files we create + # tar archive must be created last to avoid overwrite and remove + if 'tar' in self.formats: + self.formats.append(self.formats.pop(self.formats.index('tar'))) + + for fmt in self.formats: + file = self.make_archive(base_name, fmt, base_dir=base_dir, + owner=self.owner, group=self.group) + archive_files.append(file) + self.distribution.dist_files.append(('sdist', '', file)) + + self.archive_files = archive_files + + if not self.keep_temp: + dir_util.remove_tree(base_dir, dry_run=self.dry_run) + + def get_archive_files(self): + """Return the list of archive files created when the command + was run, or None if the command hasn't run yet. + """ + return self.archive_files diff --git a/venv/Lib/site-packages/setuptools/_distutils/command/upload.py b/venv/Lib/site-packages/setuptools/_distutils/command/upload.py new file mode 100644 index 0000000..95e9fda --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/command/upload.py @@ -0,0 +1,214 @@ +""" +distutils.command.upload + +Implements the Distutils 'upload' subcommand (upload package to a package +index). +""" + +import os +import io +import hashlib +from base64 import standard_b64encode +from urllib.request import urlopen, Request, HTTPError +from urllib.parse import urlparse +from distutils.errors import DistutilsError, DistutilsOptionError +from distutils.core import PyPIRCCommand +from distutils.spawn import spawn +from distutils import log + + +# PyPI Warehouse supports MD5, SHA256, and Blake2 (blake2-256) +# https://bugs.python.org/issue40698 +_FILE_CONTENT_DIGESTS = { + "md5_digest": getattr(hashlib, "md5", None), + "sha256_digest": getattr(hashlib, "sha256", None), + "blake2_256_digest": getattr(hashlib, "blake2b", None), +} + + +class upload(PyPIRCCommand): + + description = "upload binary package to PyPI" + + user_options = PyPIRCCommand.user_options + [ + ('sign', 's', + 'sign files to upload using gpg'), + ('identity=', 'i', 'GPG identity used to sign files'), + ] + + boolean_options = PyPIRCCommand.boolean_options + ['sign'] + + def initialize_options(self): + PyPIRCCommand.initialize_options(self) + self.username = '' + self.password = '' + self.show_response = 0 + self.sign = False + self.identity = None + + def finalize_options(self): + PyPIRCCommand.finalize_options(self) + if self.identity and not self.sign: + raise DistutilsOptionError( + "Must use --sign for --identity to have meaning" + ) + config = self._read_pypirc() + if config != {}: + self.username = config['username'] + self.password = config['password'] + self.repository = config['repository'] + self.realm = config['realm'] + + # getting the password from the distribution + # if previously set by the register command + if not self.password and self.distribution.password: + self.password = self.distribution.password + + def run(self): + if not self.distribution.dist_files: + msg = ("Must create and upload files in one command " + "(e.g. setup.py sdist upload)") + raise DistutilsOptionError(msg) + for command, pyversion, filename in self.distribution.dist_files: + self.upload_file(command, pyversion, filename) + + def upload_file(self, command, pyversion, filename): + # Makes sure the repository URL is compliant + schema, netloc, url, params, query, fragments = \ + urlparse(self.repository) + if params or query or fragments: + raise AssertionError("Incompatible url %s" % self.repository) + + if schema not in ('http', 'https'): + raise AssertionError("unsupported schema " + schema) + + # Sign if requested + if self.sign: + gpg_args = ["gpg", "--detach-sign", "-a", filename] + if self.identity: + gpg_args[2:2] = ["--local-user", self.identity] + spawn(gpg_args, + dry_run=self.dry_run) + + # Fill in the data - send all the meta-data in case we need to + # register a new release + f = open(filename,'rb') + try: + content = f.read() + finally: + f.close() + + meta = self.distribution.metadata + data = { + # action + ':action': 'file_upload', + 'protocol_version': '1', + + # identify release + 'name': meta.get_name(), + 'version': meta.get_version(), + + # file content + 'content': (os.path.basename(filename),content), + 'filetype': command, + 'pyversion': pyversion, + + # additional meta-data + 'metadata_version': '1.0', + 'summary': meta.get_description(), + 'home_page': meta.get_url(), + 'author': meta.get_contact(), + 'author_email': meta.get_contact_email(), + 'license': meta.get_licence(), + 'description': meta.get_long_description(), + 'keywords': meta.get_keywords(), + 'platform': meta.get_platforms(), + 'classifiers': meta.get_classifiers(), + 'download_url': meta.get_download_url(), + # PEP 314 + 'provides': meta.get_provides(), + 'requires': meta.get_requires(), + 'obsoletes': meta.get_obsoletes(), + } + + data['comment'] = '' + + # file content digests + for digest_name, digest_cons in _FILE_CONTENT_DIGESTS.items(): + if digest_cons is None: + continue + try: + data[digest_name] = digest_cons(content).hexdigest() + except ValueError: + # hash digest not available or blocked by security policy + pass + + if self.sign: + with open(filename + ".asc", "rb") as f: + data['gpg_signature'] = (os.path.basename(filename) + ".asc", + f.read()) + + # set up the authentication + user_pass = (self.username + ":" + self.password).encode('ascii') + # The exact encoding of the authentication string is debated. + # Anyway PyPI only accepts ascii for both username or password. + auth = "Basic " + standard_b64encode(user_pass).decode('ascii') + + # Build up the MIME payload for the POST data + boundary = '--------------GHSKFJDLGDS7543FJKLFHRE75642756743254' + sep_boundary = b'\r\n--' + boundary.encode('ascii') + end_boundary = sep_boundary + b'--\r\n' + body = io.BytesIO() + for key, value in data.items(): + title = '\r\nContent-Disposition: form-data; name="%s"' % key + # handle multiple entries for the same name + if not isinstance(value, list): + value = [value] + for value in value: + if type(value) is tuple: + title += '; filename="%s"' % value[0] + value = value[1] + else: + value = str(value).encode('utf-8') + body.write(sep_boundary) + body.write(title.encode('utf-8')) + body.write(b"\r\n\r\n") + body.write(value) + body.write(end_boundary) + body = body.getvalue() + + msg = "Submitting %s to %s" % (filename, self.repository) + self.announce(msg, log.INFO) + + # build the Request + headers = { + 'Content-type': 'multipart/form-data; boundary=%s' % boundary, + 'Content-length': str(len(body)), + 'Authorization': auth, + } + + request = Request(self.repository, data=body, + headers=headers) + # send the data + try: + result = urlopen(request) + status = result.getcode() + reason = result.msg + except HTTPError as e: + status = e.code + reason = e.msg + except OSError as e: + self.announce(str(e), log.ERROR) + raise + + if status == 200: + self.announce('Server response (%s): %s' % (status, reason), + log.INFO) + if self.show_response: + text = self._read_pypi_response(result) + msg = '\n'.join(('-' * 75, text, '-' * 75)) + self.announce(msg, log.INFO) + else: + msg = 'Upload failed (%s): %s' % (status, reason) + self.announce(msg, log.ERROR) + raise DistutilsError(msg) diff --git a/venv/Lib/site-packages/setuptools/_distutils/config.py b/venv/Lib/site-packages/setuptools/_distutils/config.py new file mode 100644 index 0000000..2171abd --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/config.py @@ -0,0 +1,130 @@ +"""distutils.pypirc + +Provides the PyPIRCCommand class, the base class for the command classes +that uses .pypirc in the distutils.command package. +""" +import os +from configparser import RawConfigParser + +from distutils.cmd import Command + +DEFAULT_PYPIRC = """\ +[distutils] +index-servers = + pypi + +[pypi] +username:%s +password:%s +""" + +class PyPIRCCommand(Command): + """Base command that knows how to handle the .pypirc file + """ + DEFAULT_REPOSITORY = 'https://upload.pypi.org/legacy/' + DEFAULT_REALM = 'pypi' + repository = None + realm = None + + user_options = [ + ('repository=', 'r', + "url of repository [default: %s]" % \ + DEFAULT_REPOSITORY), + ('show-response', None, + 'display full response text from server')] + + boolean_options = ['show-response'] + + def _get_rc_file(self): + """Returns rc file path.""" + return os.path.join(os.path.expanduser('~'), '.pypirc') + + def _store_pypirc(self, username, password): + """Creates a default .pypirc file.""" + rc = self._get_rc_file() + with os.fdopen(os.open(rc, os.O_CREAT | os.O_WRONLY, 0o600), 'w') as f: + f.write(DEFAULT_PYPIRC % (username, password)) + + def _read_pypirc(self): + """Reads the .pypirc file.""" + rc = self._get_rc_file() + if os.path.exists(rc): + self.announce('Using PyPI login from %s' % rc) + repository = self.repository or self.DEFAULT_REPOSITORY + + config = RawConfigParser() + config.read(rc) + sections = config.sections() + if 'distutils' in sections: + # let's get the list of servers + index_servers = config.get('distutils', 'index-servers') + _servers = [server.strip() for server in + index_servers.split('\n') + if server.strip() != ''] + if _servers == []: + # nothing set, let's try to get the default pypi + if 'pypi' in sections: + _servers = ['pypi'] + else: + # the file is not properly defined, returning + # an empty dict + return {} + for server in _servers: + current = {'server': server} + current['username'] = config.get(server, 'username') + + # optional params + for key, default in (('repository', + self.DEFAULT_REPOSITORY), + ('realm', self.DEFAULT_REALM), + ('password', None)): + if config.has_option(server, key): + current[key] = config.get(server, key) + else: + current[key] = default + + # work around people having "repository" for the "pypi" + # section of their config set to the HTTP (rather than + # HTTPS) URL + if (server == 'pypi' and + repository in (self.DEFAULT_REPOSITORY, 'pypi')): + current['repository'] = self.DEFAULT_REPOSITORY + return current + + if (current['server'] == repository or + current['repository'] == repository): + return current + elif 'server-login' in sections: + # old format + server = 'server-login' + if config.has_option(server, 'repository'): + repository = config.get(server, 'repository') + else: + repository = self.DEFAULT_REPOSITORY + return {'username': config.get(server, 'username'), + 'password': config.get(server, 'password'), + 'repository': repository, + 'server': server, + 'realm': self.DEFAULT_REALM} + + return {} + + def _read_pypi_response(self, response): + """Read and decode a PyPI HTTP response.""" + import cgi + content_type = response.getheader('content-type', 'text/plain') + encoding = cgi.parse_header(content_type)[1].get('charset', 'ascii') + return response.read().decode(encoding) + + def initialize_options(self): + """Initialize options.""" + self.repository = None + self.realm = None + self.show_response = 0 + + def finalize_options(self): + """Finalizes options.""" + if self.repository is None: + self.repository = self.DEFAULT_REPOSITORY + if self.realm is None: + self.realm = self.DEFAULT_REALM diff --git a/venv/Lib/site-packages/setuptools/_distutils/core.py b/venv/Lib/site-packages/setuptools/_distutils/core.py new file mode 100644 index 0000000..d603d4a --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/core.py @@ -0,0 +1,234 @@ +"""distutils.core + +The only module that needs to be imported to use the Distutils; provides +the 'setup' function (which is to be called from the setup script). Also +indirectly provides the Distribution and Command classes, although they are +really defined in distutils.dist and distutils.cmd. +""" + +import os +import sys + +from distutils.debug import DEBUG +from distutils.errors import * + +# Mainly import these so setup scripts can "from distutils.core import" them. +from distutils.dist import Distribution +from distutils.cmd import Command +from distutils.config import PyPIRCCommand +from distutils.extension import Extension + +# This is a barebones help message generated displayed when the user +# runs the setup script with no arguments at all. More useful help +# is generated with various --help options: global help, list commands, +# and per-command help. +USAGE = """\ +usage: %(script)s [global_opts] cmd1 [cmd1_opts] [cmd2 [cmd2_opts] ...] + or: %(script)s --help [cmd1 cmd2 ...] + or: %(script)s --help-commands + or: %(script)s cmd --help +""" + +def gen_usage (script_name): + script = os.path.basename(script_name) + return USAGE % vars() + + +# Some mild magic to control the behaviour of 'setup()' from 'run_setup()'. +_setup_stop_after = None +_setup_distribution = None + +# Legal keyword arguments for the setup() function +setup_keywords = ('distclass', 'script_name', 'script_args', 'options', + 'name', 'version', 'author', 'author_email', + 'maintainer', 'maintainer_email', 'url', 'license', + 'description', 'long_description', 'keywords', + 'platforms', 'classifiers', 'download_url', + 'requires', 'provides', 'obsoletes', + ) + +# Legal keyword arguments for the Extension constructor +extension_keywords = ('name', 'sources', 'include_dirs', + 'define_macros', 'undef_macros', + 'library_dirs', 'libraries', 'runtime_library_dirs', + 'extra_objects', 'extra_compile_args', 'extra_link_args', + 'swig_opts', 'export_symbols', 'depends', 'language') + +def setup (**attrs): + """The gateway to the Distutils: do everything your setup script needs + to do, in a highly flexible and user-driven way. Briefly: create a + Distribution instance; find and parse config files; parse the command + line; run each Distutils command found there, customized by the options + supplied to 'setup()' (as keyword arguments), in config files, and on + the command line. + + The Distribution instance might be an instance of a class supplied via + the 'distclass' keyword argument to 'setup'; if no such class is + supplied, then the Distribution class (in dist.py) is instantiated. + All other arguments to 'setup' (except for 'cmdclass') are used to set + attributes of the Distribution instance. + + The 'cmdclass' argument, if supplied, is a dictionary mapping command + names to command classes. Each command encountered on the command line + will be turned into a command class, which is in turn instantiated; any + class found in 'cmdclass' is used in place of the default, which is + (for command 'foo_bar') class 'foo_bar' in module + 'distutils.command.foo_bar'. The command class must provide a + 'user_options' attribute which is a list of option specifiers for + 'distutils.fancy_getopt'. Any command-line options between the current + and the next command are used to set attributes of the current command + object. + + When the entire command-line has been successfully parsed, calls the + 'run()' method on each command object in turn. This method will be + driven entirely by the Distribution object (which each command object + has a reference to, thanks to its constructor), and the + command-specific options that became attributes of each command + object. + """ + + global _setup_stop_after, _setup_distribution + + # Determine the distribution class -- either caller-supplied or + # our Distribution (see below). + klass = attrs.get('distclass') + if klass: + del attrs['distclass'] + else: + klass = Distribution + + if 'script_name' not in attrs: + attrs['script_name'] = os.path.basename(sys.argv[0]) + if 'script_args' not in attrs: + attrs['script_args'] = sys.argv[1:] + + # Create the Distribution instance, using the remaining arguments + # (ie. everything except distclass) to initialize it + try: + _setup_distribution = dist = klass(attrs) + except DistutilsSetupError as msg: + if 'name' not in attrs: + raise SystemExit("error in setup command: %s" % msg) + else: + raise SystemExit("error in %s setup command: %s" % \ + (attrs['name'], msg)) + + if _setup_stop_after == "init": + return dist + + # Find and parse the config file(s): they will override options from + # the setup script, but be overridden by the command line. + dist.parse_config_files() + + if DEBUG: + print("options (after parsing config files):") + dist.dump_option_dicts() + + if _setup_stop_after == "config": + return dist + + # Parse the command line and override config files; any + # command-line errors are the end user's fault, so turn them into + # SystemExit to suppress tracebacks. + try: + ok = dist.parse_command_line() + except DistutilsArgError as msg: + raise SystemExit(gen_usage(dist.script_name) + "\nerror: %s" % msg) + + if DEBUG: + print("options (after parsing command line):") + dist.dump_option_dicts() + + if _setup_stop_after == "commandline": + return dist + + # And finally, run all the commands found on the command line. + if ok: + try: + dist.run_commands() + except KeyboardInterrupt: + raise SystemExit("interrupted") + except OSError as exc: + if DEBUG: + sys.stderr.write("error: %s\n" % (exc,)) + raise + else: + raise SystemExit("error: %s" % (exc,)) + + except (DistutilsError, + CCompilerError) as msg: + if DEBUG: + raise + else: + raise SystemExit("error: " + str(msg)) + + return dist + +# setup () + + +def run_setup (script_name, script_args=None, stop_after="run"): + """Run a setup script in a somewhat controlled environment, and + return the Distribution instance that drives things. This is useful + if you need to find out the distribution meta-data (passed as + keyword args from 'script' to 'setup()', or the contents of the + config files or command-line. + + 'script_name' is a file that will be read and run with 'exec()'; + 'sys.argv[0]' will be replaced with 'script' for the duration of the + call. 'script_args' is a list of strings; if supplied, + 'sys.argv[1:]' will be replaced by 'script_args' for the duration of + the call. + + 'stop_after' tells 'setup()' when to stop processing; possible + values: + init + stop after the Distribution instance has been created and + populated with the keyword arguments to 'setup()' + config + stop after config files have been parsed (and their data + stored in the Distribution instance) + commandline + stop after the command-line ('sys.argv[1:]' or 'script_args') + have been parsed (and the data stored in the Distribution) + run [default] + stop after all commands have been run (the same as if 'setup()' + had been called in the usual way + + Returns the Distribution instance, which provides all information + used to drive the Distutils. + """ + if stop_after not in ('init', 'config', 'commandline', 'run'): + raise ValueError("invalid value for 'stop_after': %r" % (stop_after,)) + + global _setup_stop_after, _setup_distribution + _setup_stop_after = stop_after + + save_argv = sys.argv.copy() + g = {'__file__': script_name} + try: + try: + sys.argv[0] = script_name + if script_args is not None: + sys.argv[1:] = script_args + with open(script_name, 'rb') as f: + exec(f.read(), g) + finally: + sys.argv = save_argv + _setup_stop_after = None + except SystemExit: + # Hmm, should we do something if exiting with a non-zero code + # (ie. error)? + pass + + if _setup_distribution is None: + raise RuntimeError(("'distutils.core.setup()' was never called -- " + "perhaps '%s' is not a Distutils setup script?") % \ + script_name) + + # I wonder if the setup script's namespace -- g and l -- would be of + # any interest to callers? + #print "_setup_distribution:", _setup_distribution + return _setup_distribution + +# run_setup () diff --git a/venv/Lib/site-packages/setuptools/_distutils/cygwinccompiler.py b/venv/Lib/site-packages/setuptools/_distutils/cygwinccompiler.py new file mode 100644 index 0000000..f1c38e3 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/cygwinccompiler.py @@ -0,0 +1,414 @@ +"""distutils.cygwinccompiler + +Provides the CygwinCCompiler class, a subclass of UnixCCompiler that +handles the Cygwin port of the GNU C compiler to Windows. It also contains +the Mingw32CCompiler class which handles the mingw32 port of GCC (same as +cygwin in no-cygwin mode). +""" + +# problems: +# +# * if you use a msvc compiled python version (1.5.2) +# 1. you have to insert a __GNUC__ section in its config.h +# 2. you have to generate an import library for its dll +# - create a def-file for python??.dll +# - create an import library using +# dlltool --dllname python15.dll --def python15.def \ +# --output-lib libpython15.a +# +# see also http://starship.python.net/crew/kernr/mingw32/Notes.html +# +# * We put export_symbols in a def-file, and don't use +# --export-all-symbols because it doesn't worked reliable in some +# tested configurations. And because other windows compilers also +# need their symbols specified this no serious problem. +# +# tested configurations: +# +# * cygwin gcc 2.91.57/ld 2.9.4/dllwrap 0.2.4 works +# (after patching python's config.h and for C++ some other include files) +# see also http://starship.python.net/crew/kernr/mingw32/Notes.html +# * mingw32 gcc 2.95.2/ld 2.9.4/dllwrap 0.2.4 works +# (ld doesn't support -shared, so we use dllwrap) +# * cygwin gcc 2.95.2/ld 2.10.90/dllwrap 2.10.90 works now +# - its dllwrap doesn't work, there is a bug in binutils 2.10.90 +# see also http://sources.redhat.com/ml/cygwin/2000-06/msg01274.html +# - using gcc -mdll instead dllwrap doesn't work without -static because +# it tries to link against dlls instead their import libraries. (If +# it finds the dll first.) +# By specifying -static we force ld to link against the import libraries, +# this is windows standard and there are normally not the necessary symbols +# in the dlls. +# *** only the version of June 2000 shows these problems +# * cygwin gcc 3.2/ld 2.13.90 works +# (ld supports -shared) +# * mingw gcc 3.2/ld 2.13 works +# (ld supports -shared) +# * llvm-mingw with Clang 11 works +# (lld supports -shared) + +import os +import sys +import copy +from subprocess import Popen, PIPE, check_output +import re + +from distutils.unixccompiler import UnixCCompiler +from distutils.file_util import write_file +from distutils.errors import (DistutilsExecError, CCompilerError, + CompileError, UnknownFileError) +from distutils.version import LooseVersion +from distutils.spawn import find_executable + +def get_msvcr(): + """Include the appropriate MSVC runtime library if Python was built + with MSVC 7.0 or later. + """ + msc_pos = sys.version.find('MSC v.') + if msc_pos != -1: + msc_ver = sys.version[msc_pos+6:msc_pos+10] + if msc_ver == '1300': + # MSVC 7.0 + return ['msvcr70'] + elif msc_ver == '1310': + # MSVC 7.1 + return ['msvcr71'] + elif msc_ver == '1400': + # VS2005 / MSVC 8.0 + return ['msvcr80'] + elif msc_ver == '1500': + # VS2008 / MSVC 9.0 + return ['msvcr90'] + elif msc_ver == '1600': + # VS2010 / MSVC 10.0 + return ['msvcr100'] + else: + raise ValueError("Unknown MS Compiler version %s " % msc_ver) + + +class CygwinCCompiler(UnixCCompiler): + """ Handles the Cygwin port of the GNU C compiler to Windows. + """ + compiler_type = 'cygwin' + obj_extension = ".o" + static_lib_extension = ".a" + shared_lib_extension = ".dll" + static_lib_format = "lib%s%s" + shared_lib_format = "%s%s" + exe_extension = ".exe" + + def __init__(self, verbose=0, dry_run=0, force=0): + + UnixCCompiler.__init__(self, verbose, dry_run, force) + + status, details = check_config_h() + self.debug_print("Python's GCC status: %s (details: %s)" % + (status, details)) + if status is not CONFIG_H_OK: + self.warn( + "Python's pyconfig.h doesn't seem to support your compiler. " + "Reason: %s. " + "Compiling may fail because of undefined preprocessor macros." + % details) + + self.cc = os.environ.get('CC', 'gcc') + self.cxx = os.environ.get('CXX', 'g++') + + if ('gcc' in self.cc): # Start gcc workaround + self.gcc_version, self.ld_version, self.dllwrap_version = \ + get_versions() + self.debug_print(self.compiler_type + ": gcc %s, ld %s, dllwrap %s\n" % + (self.gcc_version, + self.ld_version, + self.dllwrap_version) ) + + # ld_version >= "2.10.90" and < "2.13" should also be able to use + # gcc -mdll instead of dllwrap + # Older dllwraps had own version numbers, newer ones use the + # same as the rest of binutils ( also ld ) + # dllwrap 2.10.90 is buggy + if self.ld_version >= "2.10.90": + self.linker_dll = self.cc + else: + self.linker_dll = "dllwrap" + + # ld_version >= "2.13" support -shared so use it instead of + # -mdll -static + if self.ld_version >= "2.13": + shared_option = "-shared" + else: + shared_option = "-mdll -static" + else: # Assume linker is up to date + self.linker_dll = self.cc + shared_option = "-shared" + + self.set_executables(compiler='%s -mcygwin -O -Wall' % self.cc, + compiler_so='%s -mcygwin -mdll -O -Wall' % self.cc, + compiler_cxx='%s -mcygwin -O -Wall' % self.cxx, + linker_exe='%s -mcygwin' % self.cc, + linker_so=('%s -mcygwin %s' % + (self.linker_dll, shared_option))) + + # cygwin and mingw32 need different sets of libraries + if ('gcc' in self.cc and self.gcc_version == "2.91.57"): + # cygwin shouldn't need msvcrt, but without the dlls will crash + # (gcc version 2.91.57) -- perhaps something about initialization + self.dll_libraries=["msvcrt"] + self.warn( + "Consider upgrading to a newer version of gcc") + else: + # Include the appropriate MSVC runtime library if Python was built + # with MSVC 7.0 or later. + self.dll_libraries = get_msvcr() + + def _compile(self, obj, src, ext, cc_args, extra_postargs, pp_opts): + """Compiles the source by spawning GCC and windres if needed.""" + if ext == '.rc' or ext == '.res': + # gcc needs '.res' and '.rc' compiled to object files !!! + try: + self.spawn(["windres", "-i", src, "-o", obj]) + except DistutilsExecError as msg: + raise CompileError(msg) + else: # for other files use the C-compiler + try: + self.spawn(self.compiler_so + cc_args + [src, '-o', obj] + + extra_postargs) + except DistutilsExecError as msg: + raise CompileError(msg) + + def link(self, target_desc, objects, output_filename, output_dir=None, + libraries=None, library_dirs=None, runtime_library_dirs=None, + export_symbols=None, debug=0, extra_preargs=None, + extra_postargs=None, build_temp=None, target_lang=None): + """Link the objects.""" + # use separate copies, so we can modify the lists + extra_preargs = copy.copy(extra_preargs or []) + libraries = copy.copy(libraries or []) + objects = copy.copy(objects or []) + + # Additional libraries + libraries.extend(self.dll_libraries) + + # handle export symbols by creating a def-file + # with executables this only works with gcc/ld as linker + if ((export_symbols is not None) and + (target_desc != self.EXECUTABLE or self.linker_dll == "gcc")): + # (The linker doesn't do anything if output is up-to-date. + # So it would probably better to check if we really need this, + # but for this we had to insert some unchanged parts of + # UnixCCompiler, and this is not what we want.) + + # we want to put some files in the same directory as the + # object files are, build_temp doesn't help much + # where are the object files + temp_dir = os.path.dirname(objects[0]) + # name of dll to give the helper files the same base name + (dll_name, dll_extension) = os.path.splitext( + os.path.basename(output_filename)) + + # generate the filenames for these files + def_file = os.path.join(temp_dir, dll_name + ".def") + lib_file = os.path.join(temp_dir, 'lib' + dll_name + ".a") + + # Generate .def file + contents = [ + "LIBRARY %s" % os.path.basename(output_filename), + "EXPORTS"] + for sym in export_symbols: + contents.append(sym) + self.execute(write_file, (def_file, contents), + "writing %s" % def_file) + + # next add options for def-file and to creating import libraries + + # dllwrap uses different options than gcc/ld + if self.linker_dll == "dllwrap": + extra_preargs.extend(["--output-lib", lib_file]) + # for dllwrap we have to use a special option + extra_preargs.extend(["--def", def_file]) + # we use gcc/ld here and can be sure ld is >= 2.9.10 + else: + # doesn't work: bfd_close build\...\libfoo.a: Invalid operation + #extra_preargs.extend(["-Wl,--out-implib,%s" % lib_file]) + # for gcc/ld the def-file is specified as any object files + objects.append(def_file) + + #end: if ((export_symbols is not None) and + # (target_desc != self.EXECUTABLE or self.linker_dll == "gcc")): + + # who wants symbols and a many times larger output file + # should explicitly switch the debug mode on + # otherwise we let dllwrap/ld strip the output file + # (On my machine: 10KiB < stripped_file < ??100KiB + # unstripped_file = stripped_file + XXX KiB + # ( XXX=254 for a typical python extension)) + if not debug: + extra_preargs.append("-s") + + UnixCCompiler.link(self, target_desc, objects, output_filename, + output_dir, libraries, library_dirs, + runtime_library_dirs, + None, # export_symbols, we do this in our def-file + debug, extra_preargs, extra_postargs, build_temp, + target_lang) + + # -- Miscellaneous methods ----------------------------------------- + + def object_filenames(self, source_filenames, strip_dir=0, output_dir=''): + """Adds supports for rc and res files.""" + if output_dir is None: + output_dir = '' + obj_names = [] + for src_name in source_filenames: + # use normcase to make sure '.rc' is really '.rc' and not '.RC' + base, ext = os.path.splitext(os.path.normcase(src_name)) + if ext not in (self.src_extensions + ['.rc','.res']): + raise UnknownFileError("unknown file type '%s' (from '%s')" % \ + (ext, src_name)) + if strip_dir: + base = os.path.basename (base) + if ext in ('.res', '.rc'): + # these need to be compiled to object files + obj_names.append (os.path.join(output_dir, + base + ext + self.obj_extension)) + else: + obj_names.append (os.path.join(output_dir, + base + self.obj_extension)) + return obj_names + +# the same as cygwin plus some additional parameters +class Mingw32CCompiler(CygwinCCompiler): + """ Handles the Mingw32 port of the GNU C compiler to Windows. + """ + compiler_type = 'mingw32' + + def __init__(self, verbose=0, dry_run=0, force=0): + + CygwinCCompiler.__init__ (self, verbose, dry_run, force) + + # ld_version >= "2.13" support -shared so use it instead of + # -mdll -static + if ('gcc' in self.cc and self.ld_version < "2.13"): + shared_option = "-mdll -static" + else: + shared_option = "-shared" + + # A real mingw32 doesn't need to specify a different entry point, + # but cygwin 2.91.57 in no-cygwin-mode needs it. + if ('gcc' in self.cc and self.gcc_version <= "2.91.57"): + entry_point = '--entry _DllMain@12' + else: + entry_point = '' + + if is_cygwincc(self.cc): + raise CCompilerError( + 'Cygwin gcc cannot be used with --compiler=mingw32') + + self.set_executables(compiler='%s -O -Wall' % self.cc, + compiler_so='%s -mdll -O -Wall' % self.cc, + compiler_cxx='%s -O -Wall' % self.cxx, + linker_exe='%s' % self.cc, + linker_so='%s %s %s' + % (self.linker_dll, shared_option, + entry_point)) + # Maybe we should also append -mthreads, but then the finished + # dlls need another dll (mingwm10.dll see Mingw32 docs) + # (-mthreads: Support thread-safe exception handling on `Mingw32') + + # no additional libraries needed + self.dll_libraries=[] + + # Include the appropriate MSVC runtime library if Python was built + # with MSVC 7.0 or later. + self.dll_libraries = get_msvcr() + +# Because these compilers aren't configured in Python's pyconfig.h file by +# default, we should at least warn the user if he is using an unmodified +# version. + +CONFIG_H_OK = "ok" +CONFIG_H_NOTOK = "not ok" +CONFIG_H_UNCERTAIN = "uncertain" + +def check_config_h(): + """Check if the current Python installation appears amenable to building + extensions with GCC. + + Returns a tuple (status, details), where 'status' is one of the following + constants: + + - CONFIG_H_OK: all is well, go ahead and compile + - CONFIG_H_NOTOK: doesn't look good + - CONFIG_H_UNCERTAIN: not sure -- unable to read pyconfig.h + + 'details' is a human-readable string explaining the situation. + + Note there are two ways to conclude "OK": either 'sys.version' contains + the string "GCC" (implying that this Python was built with GCC), or the + installed "pyconfig.h" contains the string "__GNUC__". + """ + + # XXX since this function also checks sys.version, it's not strictly a + # "pyconfig.h" check -- should probably be renamed... + + from distutils import sysconfig + + # if sys.version contains GCC then python was compiled with GCC, and the + # pyconfig.h file should be OK + if "GCC" in sys.version: + return CONFIG_H_OK, "sys.version mentions 'GCC'" + + # Clang would also work + if "Clang" in sys.version: + return CONFIG_H_OK, "sys.version mentions 'Clang'" + + # let's see if __GNUC__ is mentioned in python.h + fn = sysconfig.get_config_h_filename() + try: + config_h = open(fn) + try: + if "__GNUC__" in config_h.read(): + return CONFIG_H_OK, "'%s' mentions '__GNUC__'" % fn + else: + return CONFIG_H_NOTOK, "'%s' does not mention '__GNUC__'" % fn + finally: + config_h.close() + except OSError as exc: + return (CONFIG_H_UNCERTAIN, + "couldn't read '%s': %s" % (fn, exc.strerror)) + +RE_VERSION = re.compile(br'(\d+\.\d+(\.\d+)*)') + +def _find_exe_version(cmd): + """Find the version of an executable by running `cmd` in the shell. + + If the command is not found, or the output does not match + `RE_VERSION`, returns None. + """ + executable = cmd.split()[0] + if find_executable(executable) is None: + return None + out = Popen(cmd, shell=True, stdout=PIPE).stdout + try: + out_string = out.read() + finally: + out.close() + result = RE_VERSION.search(out_string) + if result is None: + return None + # LooseVersion works with strings + # so we need to decode our bytes + return LooseVersion(result.group(1).decode()) + +def get_versions(): + """ Try to find out the versions of gcc, ld and dllwrap. + + If not possible it returns None for it. + """ + commands = ['gcc -dumpversion', 'ld -v', 'dllwrap --version'] + return tuple([_find_exe_version(cmd) for cmd in commands]) + +def is_cygwincc(cc): + '''Try to determine if the compiler that would be used is from cygwin.''' + out_string = check_output([cc, '-dumpmachine']) + return out_string.strip().endswith(b'cygwin') diff --git a/venv/Lib/site-packages/setuptools/_distutils/debug.py b/venv/Lib/site-packages/setuptools/_distutils/debug.py new file mode 100644 index 0000000..daf1660 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/debug.py @@ -0,0 +1,5 @@ +import os + +# If DISTUTILS_DEBUG is anything other than the empty string, we run in +# debug mode. +DEBUG = os.environ.get('DISTUTILS_DEBUG') diff --git a/venv/Lib/site-packages/setuptools/_distutils/dep_util.py b/venv/Lib/site-packages/setuptools/_distutils/dep_util.py new file mode 100644 index 0000000..d74f5e4 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/dep_util.py @@ -0,0 +1,92 @@ +"""distutils.dep_util + +Utility functions for simple, timestamp-based dependency of files +and groups of files; also, function based entirely on such +timestamp dependency analysis.""" + +import os +from distutils.errors import DistutilsFileError + + +def newer (source, target): + """Return true if 'source' exists and is more recently modified than + 'target', or if 'source' exists and 'target' doesn't. Return false if + both exist and 'target' is the same age or younger than 'source'. + Raise DistutilsFileError if 'source' does not exist. + """ + if not os.path.exists(source): + raise DistutilsFileError("file '%s' does not exist" % + os.path.abspath(source)) + if not os.path.exists(target): + return 1 + + from stat import ST_MTIME + mtime1 = os.stat(source)[ST_MTIME] + mtime2 = os.stat(target)[ST_MTIME] + + return mtime1 > mtime2 + +# newer () + + +def newer_pairwise (sources, targets): + """Walk two filename lists in parallel, testing if each source is newer + than its corresponding target. Return a pair of lists (sources, + targets) where source is newer than target, according to the semantics + of 'newer()'. + """ + if len(sources) != len(targets): + raise ValueError("'sources' and 'targets' must be same length") + + # build a pair of lists (sources, targets) where source is newer + n_sources = [] + n_targets = [] + for i in range(len(sources)): + if newer(sources[i], targets[i]): + n_sources.append(sources[i]) + n_targets.append(targets[i]) + + return (n_sources, n_targets) + +# newer_pairwise () + + +def newer_group (sources, target, missing='error'): + """Return true if 'target' is out-of-date with respect to any file + listed in 'sources'. In other words, if 'target' exists and is newer + than every file in 'sources', return false; otherwise return true. + 'missing' controls what we do when a source file is missing; the + default ("error") is to blow up with an OSError from inside 'stat()'; + if it is "ignore", we silently drop any missing source files; if it is + "newer", any missing source files make us assume that 'target' is + out-of-date (this is handy in "dry-run" mode: it'll make you pretend to + carry out commands that wouldn't work because inputs are missing, but + that doesn't matter because you're not actually going to run the + commands). + """ + # If the target doesn't even exist, then it's definitely out-of-date. + if not os.path.exists(target): + return 1 + + # Otherwise we have to find out the hard way: if *any* source file + # is more recent than 'target', then 'target' is out-of-date and + # we can immediately return true. If we fall through to the end + # of the loop, then 'target' is up-to-date and we return false. + from stat import ST_MTIME + target_mtime = os.stat(target)[ST_MTIME] + for source in sources: + if not os.path.exists(source): + if missing == 'error': # blow up when we stat() the file + pass + elif missing == 'ignore': # missing source dropped from + continue # target's dependency list + elif missing == 'newer': # missing source means target is + return 1 # out-of-date + + source_mtime = os.stat(source)[ST_MTIME] + if source_mtime > target_mtime: + return 1 + else: + return 0 + +# newer_group () diff --git a/venv/Lib/site-packages/setuptools/_distutils/dir_util.py b/venv/Lib/site-packages/setuptools/_distutils/dir_util.py new file mode 100644 index 0000000..d5cd8e3 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/dir_util.py @@ -0,0 +1,210 @@ +"""distutils.dir_util + +Utility functions for manipulating directories and directory trees.""" + +import os +import errno +from distutils.errors import DistutilsFileError, DistutilsInternalError +from distutils import log + +# cache for by mkpath() -- in addition to cheapening redundant calls, +# eliminates redundant "creating /foo/bar/baz" messages in dry-run mode +_path_created = {} + +# I don't use os.makedirs because a) it's new to Python 1.5.2, and +# b) it blows up if the directory already exists (I want to silently +# succeed in that case). +def mkpath(name, mode=0o777, verbose=1, dry_run=0): + """Create a directory and any missing ancestor directories. + + If the directory already exists (or if 'name' is the empty string, which + means the current directory, which of course exists), then do nothing. + Raise DistutilsFileError if unable to create some directory along the way + (eg. some sub-path exists, but is a file rather than a directory). + If 'verbose' is true, print a one-line summary of each mkdir to stdout. + Return the list of directories actually created. + """ + + global _path_created + + # Detect a common bug -- name is None + if not isinstance(name, str): + raise DistutilsInternalError( + "mkpath: 'name' must be a string (got %r)" % (name,)) + + # XXX what's the better way to handle verbosity? print as we create + # each directory in the path (the current behaviour), or only announce + # the creation of the whole path? (quite easy to do the latter since + # we're not using a recursive algorithm) + + name = os.path.normpath(name) + created_dirs = [] + if os.path.isdir(name) or name == '': + return created_dirs + if _path_created.get(os.path.abspath(name)): + return created_dirs + + (head, tail) = os.path.split(name) + tails = [tail] # stack of lone dirs to create + + while head and tail and not os.path.isdir(head): + (head, tail) = os.path.split(head) + tails.insert(0, tail) # push next higher dir onto stack + + # now 'head' contains the deepest directory that already exists + # (that is, the child of 'head' in 'name' is the highest directory + # that does *not* exist) + for d in tails: + #print "head = %s, d = %s: " % (head, d), + head = os.path.join(head, d) + abs_head = os.path.abspath(head) + + if _path_created.get(abs_head): + continue + + if verbose >= 1: + log.info("creating %s", head) + + if not dry_run: + try: + os.mkdir(head, mode) + except OSError as exc: + if not (exc.errno == errno.EEXIST and os.path.isdir(head)): + raise DistutilsFileError( + "could not create '%s': %s" % (head, exc.args[-1])) + created_dirs.append(head) + + _path_created[abs_head] = 1 + return created_dirs + +def create_tree(base_dir, files, mode=0o777, verbose=1, dry_run=0): + """Create all the empty directories under 'base_dir' needed to put 'files' + there. + + 'base_dir' is just the name of a directory which doesn't necessarily + exist yet; 'files' is a list of filenames to be interpreted relative to + 'base_dir'. 'base_dir' + the directory portion of every file in 'files' + will be created if it doesn't already exist. 'mode', 'verbose' and + 'dry_run' flags are as for 'mkpath()'. + """ + # First get the list of directories to create + need_dir = set() + for file in files: + need_dir.add(os.path.join(base_dir, os.path.dirname(file))) + + # Now create them + for dir in sorted(need_dir): + mkpath(dir, mode, verbose=verbose, dry_run=dry_run) + +def copy_tree(src, dst, preserve_mode=1, preserve_times=1, + preserve_symlinks=0, update=0, verbose=1, dry_run=0): + """Copy an entire directory tree 'src' to a new location 'dst'. + + Both 'src' and 'dst' must be directory names. If 'src' is not a + directory, raise DistutilsFileError. If 'dst' does not exist, it is + created with 'mkpath()'. The end result of the copy is that every + file in 'src' is copied to 'dst', and directories under 'src' are + recursively copied to 'dst'. Return the list of files that were + copied or might have been copied, using their output name. The + return value is unaffected by 'update' or 'dry_run': it is simply + the list of all files under 'src', with the names changed to be + under 'dst'. + + 'preserve_mode' and 'preserve_times' are the same as for + 'copy_file'; note that they only apply to regular files, not to + directories. If 'preserve_symlinks' is true, symlinks will be + copied as symlinks (on platforms that support them!); otherwise + (the default), the destination of the symlink will be copied. + 'update' and 'verbose' are the same as for 'copy_file'. + """ + from distutils.file_util import copy_file + + if not dry_run and not os.path.isdir(src): + raise DistutilsFileError( + "cannot copy tree '%s': not a directory" % src) + try: + names = os.listdir(src) + except OSError as e: + if dry_run: + names = [] + else: + raise DistutilsFileError( + "error listing files in '%s': %s" % (src, e.strerror)) + + if not dry_run: + mkpath(dst, verbose=verbose) + + outputs = [] + + for n in names: + src_name = os.path.join(src, n) + dst_name = os.path.join(dst, n) + + if n.startswith('.nfs'): + # skip NFS rename files + continue + + if preserve_symlinks and os.path.islink(src_name): + link_dest = os.readlink(src_name) + if verbose >= 1: + log.info("linking %s -> %s", dst_name, link_dest) + if not dry_run: + os.symlink(link_dest, dst_name) + outputs.append(dst_name) + + elif os.path.isdir(src_name): + outputs.extend( + copy_tree(src_name, dst_name, preserve_mode, + preserve_times, preserve_symlinks, update, + verbose=verbose, dry_run=dry_run)) + else: + copy_file(src_name, dst_name, preserve_mode, + preserve_times, update, verbose=verbose, + dry_run=dry_run) + outputs.append(dst_name) + + return outputs + +def _build_cmdtuple(path, cmdtuples): + """Helper for remove_tree().""" + for f in os.listdir(path): + real_f = os.path.join(path,f) + if os.path.isdir(real_f) and not os.path.islink(real_f): + _build_cmdtuple(real_f, cmdtuples) + else: + cmdtuples.append((os.remove, real_f)) + cmdtuples.append((os.rmdir, path)) + +def remove_tree(directory, verbose=1, dry_run=0): + """Recursively remove an entire directory tree. + + Any errors are ignored (apart from being reported to stdout if 'verbose' + is true). + """ + global _path_created + + if verbose >= 1: + log.info("removing '%s' (and everything under it)", directory) + if dry_run: + return + cmdtuples = [] + _build_cmdtuple(directory, cmdtuples) + for cmd in cmdtuples: + try: + cmd[0](cmd[1]) + # remove dir from cache if it's already there + abspath = os.path.abspath(cmd[1]) + if abspath in _path_created: + del _path_created[abspath] + except OSError as exc: + log.warn("error removing %s: %s", directory, exc) + +def ensure_relative(path): + """Take the full path 'path', and make it a relative path. + + This is useful to make 'path' the second argument to os.path.join(). + """ + drive, path = os.path.splitdrive(path) + if path[0:1] == os.sep: + path = drive + path[1:] + return path diff --git a/venv/Lib/site-packages/setuptools/_distutils/dist.py b/venv/Lib/site-packages/setuptools/_distutils/dist.py new file mode 100644 index 0000000..37db4d6 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/dist.py @@ -0,0 +1,1257 @@ +"""distutils.dist + +Provides the Distribution class, which represents the module distribution +being built/installed/distributed. +""" + +import sys +import os +import re +from email import message_from_file + +try: + import warnings +except ImportError: + warnings = None + +from distutils.errors import * +from distutils.fancy_getopt import FancyGetopt, translate_longopt +from distutils.util import check_environ, strtobool, rfc822_escape +from distutils import log +from distutils.debug import DEBUG + +# Regex to define acceptable Distutils command names. This is not *quite* +# the same as a Python NAME -- I don't allow leading underscores. The fact +# that they're very similar is no coincidence; the default naming scheme is +# to look for a Python module named after the command. +command_re = re.compile(r'^[a-zA-Z]([a-zA-Z0-9_]*)$') + + +def _ensure_list(value, fieldname): + if isinstance(value, str): + # a string containing comma separated values is okay. It will + # be converted to a list by Distribution.finalize_options(). + pass + elif not isinstance(value, list): + # passing a tuple or an iterator perhaps, warn and convert + typename = type(value).__name__ + msg = "Warning: '{fieldname}' should be a list, got type '{typename}'" + msg = msg.format(**locals()) + log.log(log.WARN, msg) + value = list(value) + return value + + +class Distribution: + """The core of the Distutils. Most of the work hiding behind 'setup' + is really done within a Distribution instance, which farms the work out + to the Distutils commands specified on the command line. + + Setup scripts will almost never instantiate Distribution directly, + unless the 'setup()' function is totally inadequate to their needs. + However, it is conceivable that a setup script might wish to subclass + Distribution for some specialized purpose, and then pass the subclass + to 'setup()' as the 'distclass' keyword argument. If so, it is + necessary to respect the expectations that 'setup' has of Distribution. + See the code for 'setup()', in core.py, for details. + """ + + # 'global_options' describes the command-line options that may be + # supplied to the setup script prior to any actual commands. + # Eg. "./setup.py -n" or "./setup.py --quiet" both take advantage of + # these global options. This list should be kept to a bare minimum, + # since every global option is also valid as a command option -- and we + # don't want to pollute the commands with too many options that they + # have minimal control over. + # The fourth entry for verbose means that it can be repeated. + global_options = [ + ('verbose', 'v', "run verbosely (default)", 1), + ('quiet', 'q', "run quietly (turns verbosity off)"), + ('dry-run', 'n', "don't actually do anything"), + ('help', 'h', "show detailed help message"), + ('no-user-cfg', None, + 'ignore pydistutils.cfg in your home directory'), + ] + + # 'common_usage' is a short (2-3 line) string describing the common + # usage of the setup script. + common_usage = """\ +Common commands: (see '--help-commands' for more) + + setup.py build will build the package underneath 'build/' + setup.py install will install the package +""" + + # options that are not propagated to the commands + display_options = [ + ('help-commands', None, + "list all available commands"), + ('name', None, + "print package name"), + ('version', 'V', + "print package version"), + ('fullname', None, + "print <package name>-<version>"), + ('author', None, + "print the author's name"), + ('author-email', None, + "print the author's email address"), + ('maintainer', None, + "print the maintainer's name"), + ('maintainer-email', None, + "print the maintainer's email address"), + ('contact', None, + "print the maintainer's name if known, else the author's"), + ('contact-email', None, + "print the maintainer's email address if known, else the author's"), + ('url', None, + "print the URL for this package"), + ('license', None, + "print the license of the package"), + ('licence', None, + "alias for --license"), + ('description', None, + "print the package description"), + ('long-description', None, + "print the long package description"), + ('platforms', None, + "print the list of platforms"), + ('classifiers', None, + "print the list of classifiers"), + ('keywords', None, + "print the list of keywords"), + ('provides', None, + "print the list of packages/modules provided"), + ('requires', None, + "print the list of packages/modules required"), + ('obsoletes', None, + "print the list of packages/modules made obsolete") + ] + display_option_names = [translate_longopt(x[0]) for x in display_options] + + # negative options are options that exclude other options + negative_opt = {'quiet': 'verbose'} + + # -- Creation/initialization methods ------------------------------- + + def __init__(self, attrs=None): + """Construct a new Distribution instance: initialize all the + attributes of a Distribution, and then use 'attrs' (a dictionary + mapping attribute names to values) to assign some of those + attributes their "real" values. (Any attributes not mentioned in + 'attrs' will be assigned to some null value: 0, None, an empty list + or dictionary, etc.) Most importantly, initialize the + 'command_obj' attribute to the empty dictionary; this will be + filled in with real command objects by 'parse_command_line()'. + """ + + # Default values for our command-line options + self.verbose = 1 + self.dry_run = 0 + self.help = 0 + for attr in self.display_option_names: + setattr(self, attr, 0) + + # Store the distribution meta-data (name, version, author, and so + # forth) in a separate object -- we're getting to have enough + # information here (and enough command-line options) that it's + # worth it. Also delegate 'get_XXX()' methods to the 'metadata' + # object in a sneaky and underhanded (but efficient!) way. + self.metadata = DistributionMetadata() + for basename in self.metadata._METHOD_BASENAMES: + method_name = "get_" + basename + setattr(self, method_name, getattr(self.metadata, method_name)) + + # 'cmdclass' maps command names to class objects, so we + # can 1) quickly figure out which class to instantiate when + # we need to create a new command object, and 2) have a way + # for the setup script to override command classes + self.cmdclass = {} + + # 'command_packages' is a list of packages in which commands + # are searched for. The factory for command 'foo' is expected + # to be named 'foo' in the module 'foo' in one of the packages + # named here. This list is searched from the left; an error + # is raised if no named package provides the command being + # searched for. (Always access using get_command_packages().) + self.command_packages = None + + # 'script_name' and 'script_args' are usually set to sys.argv[0] + # and sys.argv[1:], but they can be overridden when the caller is + # not necessarily a setup script run from the command-line. + self.script_name = None + self.script_args = None + + # 'command_options' is where we store command options between + # parsing them (from config files, the command-line, etc.) and when + # they are actually needed -- ie. when the command in question is + # instantiated. It is a dictionary of dictionaries of 2-tuples: + # command_options = { command_name : { option : (source, value) } } + self.command_options = {} + + # 'dist_files' is the list of (command, pyversion, file) that + # have been created by any dist commands run so far. This is + # filled regardless of whether the run is dry or not. pyversion + # gives sysconfig.get_python_version() if the dist file is + # specific to a Python version, 'any' if it is good for all + # Python versions on the target platform, and '' for a source + # file. pyversion should not be used to specify minimum or + # maximum required Python versions; use the metainfo for that + # instead. + self.dist_files = [] + + # These options are really the business of various commands, rather + # than of the Distribution itself. We provide aliases for them in + # Distribution as a convenience to the developer. + self.packages = None + self.package_data = {} + self.package_dir = None + self.py_modules = None + self.libraries = None + self.headers = None + self.ext_modules = None + self.ext_package = None + self.include_dirs = None + self.extra_path = None + self.scripts = None + self.data_files = None + self.password = '' + + # And now initialize bookkeeping stuff that can't be supplied by + # the caller at all. 'command_obj' maps command names to + # Command instances -- that's how we enforce that every command + # class is a singleton. + self.command_obj = {} + + # 'have_run' maps command names to boolean values; it keeps track + # of whether we have actually run a particular command, to make it + # cheap to "run" a command whenever we think we might need to -- if + # it's already been done, no need for expensive filesystem + # operations, we just check the 'have_run' dictionary and carry on. + # It's only safe to query 'have_run' for a command class that has + # been instantiated -- a false value will be inserted when the + # command object is created, and replaced with a true value when + # the command is successfully run. Thus it's probably best to use + # '.get()' rather than a straight lookup. + self.have_run = {} + + # Now we'll use the attrs dictionary (ultimately, keyword args from + # the setup script) to possibly override any or all of these + # distribution options. + + if attrs: + # Pull out the set of command options and work on them + # specifically. Note that this order guarantees that aliased + # command options will override any supplied redundantly + # through the general options dictionary. + options = attrs.get('options') + if options is not None: + del attrs['options'] + for (command, cmd_options) in options.items(): + opt_dict = self.get_option_dict(command) + for (opt, val) in cmd_options.items(): + opt_dict[opt] = ("setup script", val) + + if 'licence' in attrs: + attrs['license'] = attrs['licence'] + del attrs['licence'] + msg = "'licence' distribution option is deprecated; use 'license'" + if warnings is not None: + warnings.warn(msg) + else: + sys.stderr.write(msg + "\n") + + # Now work on the rest of the attributes. Any attribute that's + # not already defined is invalid! + for (key, val) in attrs.items(): + if hasattr(self.metadata, "set_" + key): + getattr(self.metadata, "set_" + key)(val) + elif hasattr(self.metadata, key): + setattr(self.metadata, key, val) + elif hasattr(self, key): + setattr(self, key, val) + else: + msg = "Unknown distribution option: %s" % repr(key) + warnings.warn(msg) + + # no-user-cfg is handled before other command line args + # because other args override the config files, and this + # one is needed before we can load the config files. + # If attrs['script_args'] wasn't passed, assume false. + # + # This also make sure we just look at the global options + self.want_user_cfg = True + + if self.script_args is not None: + for arg in self.script_args: + if not arg.startswith('-'): + break + if arg == '--no-user-cfg': + self.want_user_cfg = False + break + + self.finalize_options() + + def get_option_dict(self, command): + """Get the option dictionary for a given command. If that + command's option dictionary hasn't been created yet, then create it + and return the new dictionary; otherwise, return the existing + option dictionary. + """ + dict = self.command_options.get(command) + if dict is None: + dict = self.command_options[command] = {} + return dict + + def dump_option_dicts(self, header=None, commands=None, indent=""): + from pprint import pformat + + if commands is None: # dump all command option dicts + commands = sorted(self.command_options.keys()) + + if header is not None: + self.announce(indent + header) + indent = indent + " " + + if not commands: + self.announce(indent + "no commands known yet") + return + + for cmd_name in commands: + opt_dict = self.command_options.get(cmd_name) + if opt_dict is None: + self.announce(indent + + "no option dict for '%s' command" % cmd_name) + else: + self.announce(indent + + "option dict for '%s' command:" % cmd_name) + out = pformat(opt_dict) + for line in out.split('\n'): + self.announce(indent + " " + line) + + # -- Config file finding/parsing methods --------------------------- + + def find_config_files(self): + """Find as many configuration files as should be processed for this + platform, and return a list of filenames in the order in which they + should be parsed. The filenames returned are guaranteed to exist + (modulo nasty race conditions). + + There are three possible config files: distutils.cfg in the + Distutils installation directory (ie. where the top-level + Distutils __inst__.py file lives), a file in the user's home + directory named .pydistutils.cfg on Unix and pydistutils.cfg + on Windows/Mac; and setup.cfg in the current directory. + + The file in the user's home directory can be disabled with the + --no-user-cfg option. + """ + files = [] + check_environ() + + # Where to look for the system-wide Distutils config file + sys_dir = os.path.dirname(sys.modules['distutils'].__file__) + + # Look for the system config file + sys_file = os.path.join(sys_dir, "distutils.cfg") + if os.path.isfile(sys_file): + files.append(sys_file) + + # What to call the per-user config file + if os.name == 'posix': + user_filename = ".pydistutils.cfg" + else: + user_filename = "pydistutils.cfg" + + # And look for the user config file + if self.want_user_cfg: + user_file = os.path.join(os.path.expanduser('~'), user_filename) + if os.path.isfile(user_file): + files.append(user_file) + + # All platforms support local setup.cfg + local_file = "setup.cfg" + if os.path.isfile(local_file): + files.append(local_file) + + if DEBUG: + self.announce("using config files: %s" % ', '.join(files)) + + return files + + def parse_config_files(self, filenames=None): + from configparser import ConfigParser + + # Ignore install directory options if we have a venv + if sys.prefix != sys.base_prefix: + ignore_options = [ + 'install-base', 'install-platbase', 'install-lib', + 'install-platlib', 'install-purelib', 'install-headers', + 'install-scripts', 'install-data', 'prefix', 'exec-prefix', + 'home', 'user', 'root'] + else: + ignore_options = [] + + ignore_options = frozenset(ignore_options) + + if filenames is None: + filenames = self.find_config_files() + + if DEBUG: + self.announce("Distribution.parse_config_files():") + + parser = ConfigParser() + for filename in filenames: + if DEBUG: + self.announce(" reading %s" % filename) + parser.read(filename) + for section in parser.sections(): + options = parser.options(section) + opt_dict = self.get_option_dict(section) + + for opt in options: + if opt != '__name__' and opt not in ignore_options: + val = parser.get(section,opt) + opt = opt.replace('-', '_') + opt_dict[opt] = (filename, val) + + # Make the ConfigParser forget everything (so we retain + # the original filenames that options come from) + parser.__init__() + + # If there was a "global" section in the config file, use it + # to set Distribution options. + + if 'global' in self.command_options: + for (opt, (src, val)) in self.command_options['global'].items(): + alias = self.negative_opt.get(opt) + try: + if alias: + setattr(self, alias, not strtobool(val)) + elif opt in ('verbose', 'dry_run'): # ugh! + setattr(self, opt, strtobool(val)) + else: + setattr(self, opt, val) + except ValueError as msg: + raise DistutilsOptionError(msg) + + # -- Command-line parsing methods ---------------------------------- + + def parse_command_line(self): + """Parse the setup script's command line, taken from the + 'script_args' instance attribute (which defaults to 'sys.argv[1:]' + -- see 'setup()' in core.py). This list is first processed for + "global options" -- options that set attributes of the Distribution + instance. Then, it is alternately scanned for Distutils commands + and options for that command. Each new command terminates the + options for the previous command. The allowed options for a + command are determined by the 'user_options' attribute of the + command class -- thus, we have to be able to load command classes + in order to parse the command line. Any error in that 'options' + attribute raises DistutilsGetoptError; any error on the + command-line raises DistutilsArgError. If no Distutils commands + were found on the command line, raises DistutilsArgError. Return + true if command-line was successfully parsed and we should carry + on with executing commands; false if no errors but we shouldn't + execute commands (currently, this only happens if user asks for + help). + """ + # + # We now have enough information to show the Macintosh dialog + # that allows the user to interactively specify the "command line". + # + toplevel_options = self._get_toplevel_options() + + # We have to parse the command line a bit at a time -- global + # options, then the first command, then its options, and so on -- + # because each command will be handled by a different class, and + # the options that are valid for a particular class aren't known + # until we have loaded the command class, which doesn't happen + # until we know what the command is. + + self.commands = [] + parser = FancyGetopt(toplevel_options + self.display_options) + parser.set_negative_aliases(self.negative_opt) + parser.set_aliases({'licence': 'license'}) + args = parser.getopt(args=self.script_args, object=self) + option_order = parser.get_option_order() + log.set_verbosity(self.verbose) + + # for display options we return immediately + if self.handle_display_options(option_order): + return + while args: + args = self._parse_command_opts(parser, args) + if args is None: # user asked for help (and got it) + return + + # Handle the cases of --help as a "global" option, ie. + # "setup.py --help" and "setup.py --help command ...". For the + # former, we show global options (--verbose, --dry-run, etc.) + # and display-only options (--name, --version, etc.); for the + # latter, we omit the display-only options and show help for + # each command listed on the command line. + if self.help: + self._show_help(parser, + display_options=len(self.commands) == 0, + commands=self.commands) + return + + # Oops, no commands found -- an end-user error + if not self.commands: + raise DistutilsArgError("no commands supplied") + + # All is well: return true + return True + + def _get_toplevel_options(self): + """Return the non-display options recognized at the top level. + + This includes options that are recognized *only* at the top + level as well as options recognized for commands. + """ + return self.global_options + [ + ("command-packages=", None, + "list of packages that provide distutils commands"), + ] + + def _parse_command_opts(self, parser, args): + """Parse the command-line options for a single command. + 'parser' must be a FancyGetopt instance; 'args' must be the list + of arguments, starting with the current command (whose options + we are about to parse). Returns a new version of 'args' with + the next command at the front of the list; will be the empty + list if there are no more commands on the command line. Returns + None if the user asked for help on this command. + """ + # late import because of mutual dependence between these modules + from distutils.cmd import Command + + # Pull the current command from the head of the command line + command = args[0] + if not command_re.match(command): + raise SystemExit("invalid command name '%s'" % command) + self.commands.append(command) + + # Dig up the command class that implements this command, so we + # 1) know that it's a valid command, and 2) know which options + # it takes. + try: + cmd_class = self.get_command_class(command) + except DistutilsModuleError as msg: + raise DistutilsArgError(msg) + + # Require that the command class be derived from Command -- want + # to be sure that the basic "command" interface is implemented. + if not issubclass(cmd_class, Command): + raise DistutilsClassError( + "command class %s must subclass Command" % cmd_class) + + # Also make sure that the command object provides a list of its + # known options. + if not (hasattr(cmd_class, 'user_options') and + isinstance(cmd_class.user_options, list)): + msg = ("command class %s must provide " + "'user_options' attribute (a list of tuples)") + raise DistutilsClassError(msg % cmd_class) + + # If the command class has a list of negative alias options, + # merge it in with the global negative aliases. + negative_opt = self.negative_opt + if hasattr(cmd_class, 'negative_opt'): + negative_opt = negative_opt.copy() + negative_opt.update(cmd_class.negative_opt) + + # Check for help_options in command class. They have a different + # format (tuple of four) so we need to preprocess them here. + if (hasattr(cmd_class, 'help_options') and + isinstance(cmd_class.help_options, list)): + help_options = fix_help_options(cmd_class.help_options) + else: + help_options = [] + + # All commands support the global options too, just by adding + # in 'global_options'. + parser.set_option_table(self.global_options + + cmd_class.user_options + + help_options) + parser.set_negative_aliases(negative_opt) + (args, opts) = parser.getopt(args[1:]) + if hasattr(opts, 'help') and opts.help: + self._show_help(parser, display_options=0, commands=[cmd_class]) + return + + if (hasattr(cmd_class, 'help_options') and + isinstance(cmd_class.help_options, list)): + help_option_found=0 + for (help_option, short, desc, func) in cmd_class.help_options: + if hasattr(opts, parser.get_attr_name(help_option)): + help_option_found=1 + if callable(func): + func() + else: + raise DistutilsClassError( + "invalid help function %r for help option '%s': " + "must be a callable object (function, etc.)" + % (func, help_option)) + + if help_option_found: + return + + # Put the options from the command-line into their official + # holding pen, the 'command_options' dictionary. + opt_dict = self.get_option_dict(command) + for (name, value) in vars(opts).items(): + opt_dict[name] = ("command line", value) + + return args + + def finalize_options(self): + """Set final values for all the options on the Distribution + instance, analogous to the .finalize_options() method of Command + objects. + """ + for attr in ('keywords', 'platforms'): + value = getattr(self.metadata, attr) + if value is None: + continue + if isinstance(value, str): + value = [elm.strip() for elm in value.split(',')] + setattr(self.metadata, attr, value) + + def _show_help(self, parser, global_options=1, display_options=1, + commands=[]): + """Show help for the setup script command-line in the form of + several lists of command-line options. 'parser' should be a + FancyGetopt instance; do not expect it to be returned in the + same state, as its option table will be reset to make it + generate the correct help text. + + If 'global_options' is true, lists the global options: + --verbose, --dry-run, etc. If 'display_options' is true, lists + the "display-only" options: --name, --version, etc. Finally, + lists per-command help for every command name or command class + in 'commands'. + """ + # late import because of mutual dependence between these modules + from distutils.core import gen_usage + from distutils.cmd import Command + + if global_options: + if display_options: + options = self._get_toplevel_options() + else: + options = self.global_options + parser.set_option_table(options) + parser.print_help(self.common_usage + "\nGlobal options:") + print('') + + if display_options: + parser.set_option_table(self.display_options) + parser.print_help( + "Information display options (just display " + + "information, ignore any commands)") + print('') + + for command in self.commands: + if isinstance(command, type) and issubclass(command, Command): + klass = command + else: + klass = self.get_command_class(command) + if (hasattr(klass, 'help_options') and + isinstance(klass.help_options, list)): + parser.set_option_table(klass.user_options + + fix_help_options(klass.help_options)) + else: + parser.set_option_table(klass.user_options) + parser.print_help("Options for '%s' command:" % klass.__name__) + print('') + + print(gen_usage(self.script_name)) + + def handle_display_options(self, option_order): + """If there were any non-global "display-only" options + (--help-commands or the metadata display options) on the command + line, display the requested info and return true; else return + false. + """ + from distutils.core import gen_usage + + # User just wants a list of commands -- we'll print it out and stop + # processing now (ie. if they ran "setup --help-commands foo bar", + # we ignore "foo bar"). + if self.help_commands: + self.print_commands() + print('') + print(gen_usage(self.script_name)) + return 1 + + # If user supplied any of the "display metadata" options, then + # display that metadata in the order in which the user supplied the + # metadata options. + any_display_options = 0 + is_display_option = {} + for option in self.display_options: + is_display_option[option[0]] = 1 + + for (opt, val) in option_order: + if val and is_display_option.get(opt): + opt = translate_longopt(opt) + value = getattr(self.metadata, "get_"+opt)() + if opt in ['keywords', 'platforms']: + print(','.join(value)) + elif opt in ('classifiers', 'provides', 'requires', + 'obsoletes'): + print('\n'.join(value)) + else: + print(value) + any_display_options = 1 + + return any_display_options + + def print_command_list(self, commands, header, max_length): + """Print a subset of the list of all commands -- used by + 'print_commands()'. + """ + print(header + ":") + + for cmd in commands: + klass = self.cmdclass.get(cmd) + if not klass: + klass = self.get_command_class(cmd) + try: + description = klass.description + except AttributeError: + description = "(no description available)" + + print(" %-*s %s" % (max_length, cmd, description)) + + def print_commands(self): + """Print out a help message listing all available commands with a + description of each. The list is divided into "standard commands" + (listed in distutils.command.__all__) and "extra commands" + (mentioned in self.cmdclass, but not a standard command). The + descriptions come from the command class attribute + 'description'. + """ + import distutils.command + std_commands = distutils.command.__all__ + is_std = {} + for cmd in std_commands: + is_std[cmd] = 1 + + extra_commands = [] + for cmd in self.cmdclass.keys(): + if not is_std.get(cmd): + extra_commands.append(cmd) + + max_length = 0 + for cmd in (std_commands + extra_commands): + if len(cmd) > max_length: + max_length = len(cmd) + + self.print_command_list(std_commands, + "Standard commands", + max_length) + if extra_commands: + print() + self.print_command_list(extra_commands, + "Extra commands", + max_length) + + def get_command_list(self): + """Get a list of (command, description) tuples. + The list is divided into "standard commands" (listed in + distutils.command.__all__) and "extra commands" (mentioned in + self.cmdclass, but not a standard command). The descriptions come + from the command class attribute 'description'. + """ + # Currently this is only used on Mac OS, for the Mac-only GUI + # Distutils interface (by Jack Jansen) + import distutils.command + std_commands = distutils.command.__all__ + is_std = {} + for cmd in std_commands: + is_std[cmd] = 1 + + extra_commands = [] + for cmd in self.cmdclass.keys(): + if not is_std.get(cmd): + extra_commands.append(cmd) + + rv = [] + for cmd in (std_commands + extra_commands): + klass = self.cmdclass.get(cmd) + if not klass: + klass = self.get_command_class(cmd) + try: + description = klass.description + except AttributeError: + description = "(no description available)" + rv.append((cmd, description)) + return rv + + # -- Command class/object methods ---------------------------------- + + def get_command_packages(self): + """Return a list of packages from which commands are loaded.""" + pkgs = self.command_packages + if not isinstance(pkgs, list): + if pkgs is None: + pkgs = '' + pkgs = [pkg.strip() for pkg in pkgs.split(',') if pkg != ''] + if "distutils.command" not in pkgs: + pkgs.insert(0, "distutils.command") + self.command_packages = pkgs + return pkgs + + def get_command_class(self, command): + """Return the class that implements the Distutils command named by + 'command'. First we check the 'cmdclass' dictionary; if the + command is mentioned there, we fetch the class object from the + dictionary and return it. Otherwise we load the command module + ("distutils.command." + command) and fetch the command class from + the module. The loaded class is also stored in 'cmdclass' + to speed future calls to 'get_command_class()'. + + Raises DistutilsModuleError if the expected module could not be + found, or if that module does not define the expected class. + """ + klass = self.cmdclass.get(command) + if klass: + return klass + + for pkgname in self.get_command_packages(): + module_name = "%s.%s" % (pkgname, command) + klass_name = command + + try: + __import__(module_name) + module = sys.modules[module_name] + except ImportError: + continue + + try: + klass = getattr(module, klass_name) + except AttributeError: + raise DistutilsModuleError( + "invalid command '%s' (no class '%s' in module '%s')" + % (command, klass_name, module_name)) + + self.cmdclass[command] = klass + return klass + + raise DistutilsModuleError("invalid command '%s'" % command) + + def get_command_obj(self, command, create=1): + """Return the command object for 'command'. Normally this object + is cached on a previous call to 'get_command_obj()'; if no command + object for 'command' is in the cache, then we either create and + return it (if 'create' is true) or return None. + """ + cmd_obj = self.command_obj.get(command) + if not cmd_obj and create: + if DEBUG: + self.announce("Distribution.get_command_obj(): " + "creating '%s' command object" % command) + + klass = self.get_command_class(command) + cmd_obj = self.command_obj[command] = klass(self) + self.have_run[command] = 0 + + # Set any options that were supplied in config files + # or on the command line. (NB. support for error + # reporting is lame here: any errors aren't reported + # until 'finalize_options()' is called, which means + # we won't report the source of the error.) + options = self.command_options.get(command) + if options: + self._set_command_options(cmd_obj, options) + + return cmd_obj + + def _set_command_options(self, command_obj, option_dict=None): + """Set the options for 'command_obj' from 'option_dict'. Basically + this means copying elements of a dictionary ('option_dict') to + attributes of an instance ('command'). + + 'command_obj' must be a Command instance. If 'option_dict' is not + supplied, uses the standard option dictionary for this command + (from 'self.command_options'). + """ + command_name = command_obj.get_command_name() + if option_dict is None: + option_dict = self.get_option_dict(command_name) + + if DEBUG: + self.announce(" setting options for '%s' command:" % command_name) + for (option, (source, value)) in option_dict.items(): + if DEBUG: + self.announce(" %s = %s (from %s)" % (option, value, + source)) + try: + bool_opts = [translate_longopt(o) + for o in command_obj.boolean_options] + except AttributeError: + bool_opts = [] + try: + neg_opt = command_obj.negative_opt + except AttributeError: + neg_opt = {} + + try: + is_string = isinstance(value, str) + if option in neg_opt and is_string: + setattr(command_obj, neg_opt[option], not strtobool(value)) + elif option in bool_opts and is_string: + setattr(command_obj, option, strtobool(value)) + elif hasattr(command_obj, option): + setattr(command_obj, option, value) + else: + raise DistutilsOptionError( + "error in %s: command '%s' has no such option '%s'" + % (source, command_name, option)) + except ValueError as msg: + raise DistutilsOptionError(msg) + + def reinitialize_command(self, command, reinit_subcommands=0): + """Reinitializes a command to the state it was in when first + returned by 'get_command_obj()': ie., initialized but not yet + finalized. This provides the opportunity to sneak option + values in programmatically, overriding or supplementing + user-supplied values from the config files and command line. + You'll have to re-finalize the command object (by calling + 'finalize_options()' or 'ensure_finalized()') before using it for + real. + + 'command' should be a command name (string) or command object. If + 'reinit_subcommands' is true, also reinitializes the command's + sub-commands, as declared by the 'sub_commands' class attribute (if + it has one). See the "install" command for an example. Only + reinitializes the sub-commands that actually matter, ie. those + whose test predicates return true. + + Returns the reinitialized command object. + """ + from distutils.cmd import Command + if not isinstance(command, Command): + command_name = command + command = self.get_command_obj(command_name) + else: + command_name = command.get_command_name() + + if not command.finalized: + return command + command.initialize_options() + command.finalized = 0 + self.have_run[command_name] = 0 + self._set_command_options(command) + + if reinit_subcommands: + for sub in command.get_sub_commands(): + self.reinitialize_command(sub, reinit_subcommands) + + return command + + # -- Methods that operate on the Distribution ---------------------- + + def announce(self, msg, level=log.INFO): + log.log(level, msg) + + def run_commands(self): + """Run each command that was seen on the setup script command line. + Uses the list of commands found and cache of command objects + created by 'get_command_obj()'. + """ + for cmd in self.commands: + self.run_command(cmd) + + # -- Methods that operate on its Commands -------------------------- + + def run_command(self, command): + """Do whatever it takes to run a command (including nothing at all, + if the command has already been run). Specifically: if we have + already created and run the command named by 'command', return + silently without doing anything. If the command named by 'command' + doesn't even have a command object yet, create one. Then invoke + 'run()' on that command object (or an existing one). + """ + # Already been here, done that? then return silently. + if self.have_run.get(command): + return + + log.info("running %s", command) + cmd_obj = self.get_command_obj(command) + cmd_obj.ensure_finalized() + cmd_obj.run() + self.have_run[command] = 1 + + # -- Distribution query methods ------------------------------------ + + def has_pure_modules(self): + return len(self.packages or self.py_modules or []) > 0 + + def has_ext_modules(self): + return self.ext_modules and len(self.ext_modules) > 0 + + def has_c_libraries(self): + return self.libraries and len(self.libraries) > 0 + + def has_modules(self): + return self.has_pure_modules() or self.has_ext_modules() + + def has_headers(self): + return self.headers and len(self.headers) > 0 + + def has_scripts(self): + return self.scripts and len(self.scripts) > 0 + + def has_data_files(self): + return self.data_files and len(self.data_files) > 0 + + def is_pure(self): + return (self.has_pure_modules() and + not self.has_ext_modules() and + not self.has_c_libraries()) + + # -- Metadata query methods ---------------------------------------- + + # If you're looking for 'get_name()', 'get_version()', and so forth, + # they are defined in a sneaky way: the constructor binds self.get_XXX + # to self.metadata.get_XXX. The actual code is in the + # DistributionMetadata class, below. + +class DistributionMetadata: + """Dummy class to hold the distribution meta-data: name, version, + author, and so forth. + """ + + _METHOD_BASENAMES = ("name", "version", "author", "author_email", + "maintainer", "maintainer_email", "url", + "license", "description", "long_description", + "keywords", "platforms", "fullname", "contact", + "contact_email", "classifiers", "download_url", + # PEP 314 + "provides", "requires", "obsoletes", + ) + + def __init__(self, path=None): + if path is not None: + self.read_pkg_file(open(path)) + else: + self.name = None + self.version = None + self.author = None + self.author_email = None + self.maintainer = None + self.maintainer_email = None + self.url = None + self.license = None + self.description = None + self.long_description = None + self.keywords = None + self.platforms = None + self.classifiers = None + self.download_url = None + # PEP 314 + self.provides = None + self.requires = None + self.obsoletes = None + + def read_pkg_file(self, file): + """Reads the metadata values from a file object.""" + msg = message_from_file(file) + + def _read_field(name): + value = msg[name] + if value == 'UNKNOWN': + return None + return value + + def _read_list(name): + values = msg.get_all(name, None) + if values == []: + return None + return values + + metadata_version = msg['metadata-version'] + self.name = _read_field('name') + self.version = _read_field('version') + self.description = _read_field('summary') + # we are filling author only. + self.author = _read_field('author') + self.maintainer = None + self.author_email = _read_field('author-email') + self.maintainer_email = None + self.url = _read_field('home-page') + self.license = _read_field('license') + + if 'download-url' in msg: + self.download_url = _read_field('download-url') + else: + self.download_url = None + + self.long_description = _read_field('description') + self.description = _read_field('summary') + + if 'keywords' in msg: + self.keywords = _read_field('keywords').split(',') + + self.platforms = _read_list('platform') + self.classifiers = _read_list('classifier') + + # PEP 314 - these fields only exist in 1.1 + if metadata_version == '1.1': + self.requires = _read_list('requires') + self.provides = _read_list('provides') + self.obsoletes = _read_list('obsoletes') + else: + self.requires = None + self.provides = None + self.obsoletes = None + + def write_pkg_info(self, base_dir): + """Write the PKG-INFO file into the release tree. + """ + with open(os.path.join(base_dir, 'PKG-INFO'), 'w', + encoding='UTF-8') as pkg_info: + self.write_pkg_file(pkg_info) + + def write_pkg_file(self, file): + """Write the PKG-INFO format data to a file object. + """ + version = '1.0' + if (self.provides or self.requires or self.obsoletes or + self.classifiers or self.download_url): + version = '1.1' + + file.write('Metadata-Version: %s\n' % version) + file.write('Name: %s\n' % self.get_name()) + file.write('Version: %s\n' % self.get_version()) + file.write('Summary: %s\n' % self.get_description()) + file.write('Home-page: %s\n' % self.get_url()) + file.write('Author: %s\n' % self.get_contact()) + file.write('Author-email: %s\n' % self.get_contact_email()) + file.write('License: %s\n' % self.get_license()) + if self.download_url: + file.write('Download-URL: %s\n' % self.download_url) + + long_desc = rfc822_escape(self.get_long_description()) + file.write('Description: %s\n' % long_desc) + + keywords = ','.join(self.get_keywords()) + if keywords: + file.write('Keywords: %s\n' % keywords) + + self._write_list(file, 'Platform', self.get_platforms()) + self._write_list(file, 'Classifier', self.get_classifiers()) + + # PEP 314 + self._write_list(file, 'Requires', self.get_requires()) + self._write_list(file, 'Provides', self.get_provides()) + self._write_list(file, 'Obsoletes', self.get_obsoletes()) + + def _write_list(self, file, name, values): + for value in values: + file.write('%s: %s\n' % (name, value)) + + # -- Metadata query methods ---------------------------------------- + + def get_name(self): + return self.name or "UNKNOWN" + + def get_version(self): + return self.version or "0.0.0" + + def get_fullname(self): + return "%s-%s" % (self.get_name(), self.get_version()) + + def get_author(self): + return self.author or "UNKNOWN" + + def get_author_email(self): + return self.author_email or "UNKNOWN" + + def get_maintainer(self): + return self.maintainer or "UNKNOWN" + + def get_maintainer_email(self): + return self.maintainer_email or "UNKNOWN" + + def get_contact(self): + return self.maintainer or self.author or "UNKNOWN" + + def get_contact_email(self): + return self.maintainer_email or self.author_email or "UNKNOWN" + + def get_url(self): + return self.url or "UNKNOWN" + + def get_license(self): + return self.license or "UNKNOWN" + get_licence = get_license + + def get_description(self): + return self.description or "UNKNOWN" + + def get_long_description(self): + return self.long_description or "UNKNOWN" + + def get_keywords(self): + return self.keywords or [] + + def set_keywords(self, value): + self.keywords = _ensure_list(value, 'keywords') + + def get_platforms(self): + return self.platforms or ["UNKNOWN"] + + def set_platforms(self, value): + self.platforms = _ensure_list(value, 'platforms') + + def get_classifiers(self): + return self.classifiers or [] + + def set_classifiers(self, value): + self.classifiers = _ensure_list(value, 'classifiers') + + def get_download_url(self): + return self.download_url or "UNKNOWN" + + # PEP 314 + def get_requires(self): + return self.requires or [] + + def set_requires(self, value): + import distutils.versionpredicate + for v in value: + distutils.versionpredicate.VersionPredicate(v) + self.requires = list(value) + + def get_provides(self): + return self.provides or [] + + def set_provides(self, value): + value = [v.strip() for v in value] + for v in value: + import distutils.versionpredicate + distutils.versionpredicate.split_provision(v) + self.provides = value + + def get_obsoletes(self): + return self.obsoletes or [] + + def set_obsoletes(self, value): + import distutils.versionpredicate + for v in value: + distutils.versionpredicate.VersionPredicate(v) + self.obsoletes = list(value) + +def fix_help_options(options): + """Convert a 4-tuple 'help_options' list as found in various command + classes to the 3-tuple form required by FancyGetopt. + """ + new_options = [] + for help_tuple in options: + new_options.append(help_tuple[0:3]) + return new_options diff --git a/venv/Lib/site-packages/setuptools/_distutils/errors.py b/venv/Lib/site-packages/setuptools/_distutils/errors.py new file mode 100644 index 0000000..8b93059 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/errors.py @@ -0,0 +1,97 @@ +"""distutils.errors + +Provides exceptions used by the Distutils modules. Note that Distutils +modules may raise standard exceptions; in particular, SystemExit is +usually raised for errors that are obviously the end-user's fault +(eg. bad command-line arguments). + +This module is safe to use in "from ... import *" mode; it only exports +symbols whose names start with "Distutils" and end with "Error".""" + +class DistutilsError (Exception): + """The root of all Distutils evil.""" + pass + +class DistutilsModuleError (DistutilsError): + """Unable to load an expected module, or to find an expected class + within some module (in particular, command modules and classes).""" + pass + +class DistutilsClassError (DistutilsError): + """Some command class (or possibly distribution class, if anyone + feels a need to subclass Distribution) is found not to be holding + up its end of the bargain, ie. implementing some part of the + "command "interface.""" + pass + +class DistutilsGetoptError (DistutilsError): + """The option table provided to 'fancy_getopt()' is bogus.""" + pass + +class DistutilsArgError (DistutilsError): + """Raised by fancy_getopt in response to getopt.error -- ie. an + error in the command line usage.""" + pass + +class DistutilsFileError (DistutilsError): + """Any problems in the filesystem: expected file not found, etc. + Typically this is for problems that we detect before OSError + could be raised.""" + pass + +class DistutilsOptionError (DistutilsError): + """Syntactic/semantic errors in command options, such as use of + mutually conflicting options, or inconsistent options, + badly-spelled values, etc. No distinction is made between option + values originating in the setup script, the command line, config + files, or what-have-you -- but if we *know* something originated in + the setup script, we'll raise DistutilsSetupError instead.""" + pass + +class DistutilsSetupError (DistutilsError): + """For errors that can be definitely blamed on the setup script, + such as invalid keyword arguments to 'setup()'.""" + pass + +class DistutilsPlatformError (DistutilsError): + """We don't know how to do something on the current platform (but + we do know how to do it on some platform) -- eg. trying to compile + C files on a platform not supported by a CCompiler subclass.""" + pass + +class DistutilsExecError (DistutilsError): + """Any problems executing an external program (such as the C + compiler, when compiling C files).""" + pass + +class DistutilsInternalError (DistutilsError): + """Internal inconsistencies or impossibilities (obviously, this + should never be seen if the code is working!).""" + pass + +class DistutilsTemplateError (DistutilsError): + """Syntax error in a file list template.""" + +class DistutilsByteCompileError(DistutilsError): + """Byte compile error.""" + +# Exception classes used by the CCompiler implementation classes +class CCompilerError (Exception): + """Some compile/link operation failed.""" + +class PreprocessError (CCompilerError): + """Failure to preprocess one or more C/C++ files.""" + +class CompileError (CCompilerError): + """Failure to compile one or more C/C++ source files.""" + +class LibError (CCompilerError): + """Failure to create a static library from one or more C/C++ object + files.""" + +class LinkError (CCompilerError): + """Failure to link one or more C/C++ object files into an executable + or shared library file.""" + +class UnknownFileError (CCompilerError): + """Attempt to process an unknown file type.""" diff --git a/venv/Lib/site-packages/setuptools/_distutils/extension.py b/venv/Lib/site-packages/setuptools/_distutils/extension.py new file mode 100644 index 0000000..c507da3 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/extension.py @@ -0,0 +1,240 @@ +"""distutils.extension + +Provides the Extension class, used to describe C/C++ extension +modules in setup scripts.""" + +import os +import warnings + +# This class is really only used by the "build_ext" command, so it might +# make sense to put it in distutils.command.build_ext. However, that +# module is already big enough, and I want to make this class a bit more +# complex to simplify some common cases ("foo" module in "foo.c") and do +# better error-checking ("foo.c" actually exists). +# +# Also, putting this in build_ext.py means every setup script would have to +# import that large-ish module (indirectly, through distutils.core) in +# order to do anything. + +class Extension: + """Just a collection of attributes that describes an extension + module and everything needed to build it (hopefully in a portable + way, but there are hooks that let you be as unportable as you need). + + Instance attributes: + name : string + the full name of the extension, including any packages -- ie. + *not* a filename or pathname, but Python dotted name + sources : [string] + list of source filenames, relative to the distribution root + (where the setup script lives), in Unix form (slash-separated) + for portability. Source files may be C, C++, SWIG (.i), + platform-specific resource files, or whatever else is recognized + by the "build_ext" command as source for a Python extension. + include_dirs : [string] + list of directories to search for C/C++ header files (in Unix + form for portability) + define_macros : [(name : string, value : string|None)] + list of macros to define; each macro is defined using a 2-tuple, + where 'value' is either the string to define it to or None to + define it without a particular value (equivalent of "#define + FOO" in source or -DFOO on Unix C compiler command line) + undef_macros : [string] + list of macros to undefine explicitly + library_dirs : [string] + list of directories to search for C/C++ libraries at link time + libraries : [string] + list of library names (not filenames or paths) to link against + runtime_library_dirs : [string] + list of directories to search for C/C++ libraries at run time + (for shared extensions, this is when the extension is loaded) + extra_objects : [string] + list of extra files to link with (eg. object files not implied + by 'sources', static library that must be explicitly specified, + binary resource files, etc.) + extra_compile_args : [string] + any extra platform- and compiler-specific information to use + when compiling the source files in 'sources'. For platforms and + compilers where "command line" makes sense, this is typically a + list of command-line arguments, but for other platforms it could + be anything. + extra_link_args : [string] + any extra platform- and compiler-specific information to use + when linking object files together to create the extension (or + to create a new static Python interpreter). Similar + interpretation as for 'extra_compile_args'. + export_symbols : [string] + list of symbols to be exported from a shared extension. Not + used on all platforms, and not generally necessary for Python + extensions, which typically export exactly one symbol: "init" + + extension_name. + swig_opts : [string] + any extra options to pass to SWIG if a source file has the .i + extension. + depends : [string] + list of files that the extension depends on + language : string + extension language (i.e. "c", "c++", "objc"). Will be detected + from the source extensions if not provided. + optional : boolean + specifies that a build failure in the extension should not abort the + build process, but simply not install the failing extension. + """ + + # When adding arguments to this constructor, be sure to update + # setup_keywords in core.py. + def __init__(self, name, sources, + include_dirs=None, + define_macros=None, + undef_macros=None, + library_dirs=None, + libraries=None, + runtime_library_dirs=None, + extra_objects=None, + extra_compile_args=None, + extra_link_args=None, + export_symbols=None, + swig_opts = None, + depends=None, + language=None, + optional=None, + **kw # To catch unknown keywords + ): + if not isinstance(name, str): + raise AssertionError("'name' must be a string") + if not (isinstance(sources, list) and + all(isinstance(v, str) for v in sources)): + raise AssertionError("'sources' must be a list of strings") + + self.name = name + self.sources = sources + self.include_dirs = include_dirs or [] + self.define_macros = define_macros or [] + self.undef_macros = undef_macros or [] + self.library_dirs = library_dirs or [] + self.libraries = libraries or [] + self.runtime_library_dirs = runtime_library_dirs or [] + self.extra_objects = extra_objects or [] + self.extra_compile_args = extra_compile_args or [] + self.extra_link_args = extra_link_args or [] + self.export_symbols = export_symbols or [] + self.swig_opts = swig_opts or [] + self.depends = depends or [] + self.language = language + self.optional = optional + + # If there are unknown keyword options, warn about them + if len(kw) > 0: + options = [repr(option) for option in kw] + options = ', '.join(sorted(options)) + msg = "Unknown Extension options: %s" % options + warnings.warn(msg) + + def __repr__(self): + return '<%s.%s(%r) at %#x>' % ( + self.__class__.__module__, + self.__class__.__qualname__, + self.name, + id(self)) + + +def read_setup_file(filename): + """Reads a Setup file and returns Extension instances.""" + from distutils.sysconfig import (parse_makefile, expand_makefile_vars, + _variable_rx) + + from distutils.text_file import TextFile + from distutils.util import split_quoted + + # First pass over the file to gather "VAR = VALUE" assignments. + vars = parse_makefile(filename) + + # Second pass to gobble up the real content: lines of the form + # <module> ... [<sourcefile> ...] [<cpparg> ...] [<library> ...] + file = TextFile(filename, + strip_comments=1, skip_blanks=1, join_lines=1, + lstrip_ws=1, rstrip_ws=1) + try: + extensions = [] + + while True: + line = file.readline() + if line is None: # eof + break + if _variable_rx.match(line): # VAR=VALUE, handled in first pass + continue + + if line[0] == line[-1] == "*": + file.warn("'%s' lines not handled yet" % line) + continue + + line = expand_makefile_vars(line, vars) + words = split_quoted(line) + + # NB. this parses a slightly different syntax than the old + # makesetup script: here, there must be exactly one extension per + # line, and it must be the first word of the line. I have no idea + # why the old syntax supported multiple extensions per line, as + # they all wind up being the same. + + module = words[0] + ext = Extension(module, []) + append_next_word = None + + for word in words[1:]: + if append_next_word is not None: + append_next_word.append(word) + append_next_word = None + continue + + suffix = os.path.splitext(word)[1] + switch = word[0:2] ; value = word[2:] + + if suffix in (".c", ".cc", ".cpp", ".cxx", ".c++", ".m", ".mm"): + # hmm, should we do something about C vs. C++ sources? + # or leave it up to the CCompiler implementation to + # worry about? + ext.sources.append(word) + elif switch == "-I": + ext.include_dirs.append(value) + elif switch == "-D": + equals = value.find("=") + if equals == -1: # bare "-DFOO" -- no value + ext.define_macros.append((value, None)) + else: # "-DFOO=blah" + ext.define_macros.append((value[0:equals], + value[equals+2:])) + elif switch == "-U": + ext.undef_macros.append(value) + elif switch == "-C": # only here 'cause makesetup has it! + ext.extra_compile_args.append(word) + elif switch == "-l": + ext.libraries.append(value) + elif switch == "-L": + ext.library_dirs.append(value) + elif switch == "-R": + ext.runtime_library_dirs.append(value) + elif word == "-rpath": + append_next_word = ext.runtime_library_dirs + elif word == "-Xlinker": + append_next_word = ext.extra_link_args + elif word == "-Xcompiler": + append_next_word = ext.extra_compile_args + elif switch == "-u": + ext.extra_link_args.append(word) + if not value: + append_next_word = ext.extra_link_args + elif suffix in (".a", ".so", ".sl", ".o", ".dylib"): + # NB. a really faithful emulation of makesetup would + # append a .o file to extra_objects only if it + # had a slash in it; otherwise, it would s/.o/.c/ + # and append it to sources. Hmmmm. + ext.extra_objects.append(word) + else: + file.warn("unrecognized argument '%s'" % word) + + extensions.append(ext) + finally: + file.close() + + return extensions diff --git a/venv/Lib/site-packages/setuptools/_distutils/fancy_getopt.py b/venv/Lib/site-packages/setuptools/_distutils/fancy_getopt.py new file mode 100644 index 0000000..7d170dd --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/fancy_getopt.py @@ -0,0 +1,457 @@ +"""distutils.fancy_getopt + +Wrapper around the standard getopt module that provides the following +additional features: + * short and long options are tied together + * options have help strings, so fancy_getopt could potentially + create a complete usage summary + * options set attributes of a passed-in object +""" + +import sys, string, re +import getopt +from distutils.errors import * + +# Much like command_re in distutils.core, this is close to but not quite +# the same as a Python NAME -- except, in the spirit of most GNU +# utilities, we use '-' in place of '_'. (The spirit of LISP lives on!) +# The similarities to NAME are again not a coincidence... +longopt_pat = r'[a-zA-Z](?:[a-zA-Z0-9-]*)' +longopt_re = re.compile(r'^%s$' % longopt_pat) + +# For recognizing "negative alias" options, eg. "quiet=!verbose" +neg_alias_re = re.compile("^(%s)=!(%s)$" % (longopt_pat, longopt_pat)) + +# This is used to translate long options to legitimate Python identifiers +# (for use as attributes of some object). +longopt_xlate = str.maketrans('-', '_') + +class FancyGetopt: + """Wrapper around the standard 'getopt()' module that provides some + handy extra functionality: + * short and long options are tied together + * options have help strings, and help text can be assembled + from them + * options set attributes of a passed-in object + * boolean options can have "negative aliases" -- eg. if + --quiet is the "negative alias" of --verbose, then "--quiet" + on the command line sets 'verbose' to false + """ + + def __init__(self, option_table=None): + # The option table is (currently) a list of tuples. The + # tuples may have 3 or four values: + # (long_option, short_option, help_string [, repeatable]) + # if an option takes an argument, its long_option should have '=' + # appended; short_option should just be a single character, no ':' + # in any case. If a long_option doesn't have a corresponding + # short_option, short_option should be None. All option tuples + # must have long options. + self.option_table = option_table + + # 'option_index' maps long option names to entries in the option + # table (ie. those 3-tuples). + self.option_index = {} + if self.option_table: + self._build_index() + + # 'alias' records (duh) alias options; {'foo': 'bar'} means + # --foo is an alias for --bar + self.alias = {} + + # 'negative_alias' keeps track of options that are the boolean + # opposite of some other option + self.negative_alias = {} + + # These keep track of the information in the option table. We + # don't actually populate these structures until we're ready to + # parse the command-line, since the 'option_table' passed in here + # isn't necessarily the final word. + self.short_opts = [] + self.long_opts = [] + self.short2long = {} + self.attr_name = {} + self.takes_arg = {} + + # And 'option_order' is filled up in 'getopt()'; it records the + # original order of options (and their values) on the command-line, + # but expands short options, converts aliases, etc. + self.option_order = [] + + def _build_index(self): + self.option_index.clear() + for option in self.option_table: + self.option_index[option[0]] = option + + def set_option_table(self, option_table): + self.option_table = option_table + self._build_index() + + def add_option(self, long_option, short_option=None, help_string=None): + if long_option in self.option_index: + raise DistutilsGetoptError( + "option conflict: already an option '%s'" % long_option) + else: + option = (long_option, short_option, help_string) + self.option_table.append(option) + self.option_index[long_option] = option + + def has_option(self, long_option): + """Return true if the option table for this parser has an + option with long name 'long_option'.""" + return long_option in self.option_index + + def get_attr_name(self, long_option): + """Translate long option name 'long_option' to the form it + has as an attribute of some object: ie., translate hyphens + to underscores.""" + return long_option.translate(longopt_xlate) + + def _check_alias_dict(self, aliases, what): + assert isinstance(aliases, dict) + for (alias, opt) in aliases.items(): + if alias not in self.option_index: + raise DistutilsGetoptError(("invalid %s '%s': " + "option '%s' not defined") % (what, alias, alias)) + if opt not in self.option_index: + raise DistutilsGetoptError(("invalid %s '%s': " + "aliased option '%s' not defined") % (what, alias, opt)) + + def set_aliases(self, alias): + """Set the aliases for this option parser.""" + self._check_alias_dict(alias, "alias") + self.alias = alias + + def set_negative_aliases(self, negative_alias): + """Set the negative aliases for this option parser. + 'negative_alias' should be a dictionary mapping option names to + option names, both the key and value must already be defined + in the option table.""" + self._check_alias_dict(negative_alias, "negative alias") + self.negative_alias = negative_alias + + def _grok_option_table(self): + """Populate the various data structures that keep tabs on the + option table. Called by 'getopt()' before it can do anything + worthwhile. + """ + self.long_opts = [] + self.short_opts = [] + self.short2long.clear() + self.repeat = {} + + for option in self.option_table: + if len(option) == 3: + long, short, help = option + repeat = 0 + elif len(option) == 4: + long, short, help, repeat = option + else: + # the option table is part of the code, so simply + # assert that it is correct + raise ValueError("invalid option tuple: %r" % (option,)) + + # Type- and value-check the option names + if not isinstance(long, str) or len(long) < 2: + raise DistutilsGetoptError(("invalid long option '%s': " + "must be a string of length >= 2") % long) + + if (not ((short is None) or + (isinstance(short, str) and len(short) == 1))): + raise DistutilsGetoptError("invalid short option '%s': " + "must a single character or None" % short) + + self.repeat[long] = repeat + self.long_opts.append(long) + + if long[-1] == '=': # option takes an argument? + if short: short = short + ':' + long = long[0:-1] + self.takes_arg[long] = 1 + else: + # Is option is a "negative alias" for some other option (eg. + # "quiet" == "!verbose")? + alias_to = self.negative_alias.get(long) + if alias_to is not None: + if self.takes_arg[alias_to]: + raise DistutilsGetoptError( + "invalid negative alias '%s': " + "aliased option '%s' takes a value" + % (long, alias_to)) + + self.long_opts[-1] = long # XXX redundant?! + self.takes_arg[long] = 0 + + # If this is an alias option, make sure its "takes arg" flag is + # the same as the option it's aliased to. + alias_to = self.alias.get(long) + if alias_to is not None: + if self.takes_arg[long] != self.takes_arg[alias_to]: + raise DistutilsGetoptError( + "invalid alias '%s': inconsistent with " + "aliased option '%s' (one of them takes a value, " + "the other doesn't" + % (long, alias_to)) + + # Now enforce some bondage on the long option name, so we can + # later translate it to an attribute name on some object. Have + # to do this a bit late to make sure we've removed any trailing + # '='. + if not longopt_re.match(long): + raise DistutilsGetoptError( + "invalid long option name '%s' " + "(must be letters, numbers, hyphens only" % long) + + self.attr_name[long] = self.get_attr_name(long) + if short: + self.short_opts.append(short) + self.short2long[short[0]] = long + + def getopt(self, args=None, object=None): + """Parse command-line options in args. Store as attributes on object. + + If 'args' is None or not supplied, uses 'sys.argv[1:]'. If + 'object' is None or not supplied, creates a new OptionDummy + object, stores option values there, and returns a tuple (args, + object). If 'object' is supplied, it is modified in place and + 'getopt()' just returns 'args'; in both cases, the returned + 'args' is a modified copy of the passed-in 'args' list, which + is left untouched. + """ + if args is None: + args = sys.argv[1:] + if object is None: + object = OptionDummy() + created_object = True + else: + created_object = False + + self._grok_option_table() + + short_opts = ' '.join(self.short_opts) + try: + opts, args = getopt.getopt(args, short_opts, self.long_opts) + except getopt.error as msg: + raise DistutilsArgError(msg) + + for opt, val in opts: + if len(opt) == 2 and opt[0] == '-': # it's a short option + opt = self.short2long[opt[1]] + else: + assert len(opt) > 2 and opt[:2] == '--' + opt = opt[2:] + + alias = self.alias.get(opt) + if alias: + opt = alias + + if not self.takes_arg[opt]: # boolean option? + assert val == '', "boolean option can't have value" + alias = self.negative_alias.get(opt) + if alias: + opt = alias + val = 0 + else: + val = 1 + + attr = self.attr_name[opt] + # The only repeating option at the moment is 'verbose'. + # It has a negative option -q quiet, which should set verbose = 0. + if val and self.repeat.get(attr) is not None: + val = getattr(object, attr, 0) + 1 + setattr(object, attr, val) + self.option_order.append((opt, val)) + + # for opts + if created_object: + return args, object + else: + return args + + def get_option_order(self): + """Returns the list of (option, value) tuples processed by the + previous run of 'getopt()'. Raises RuntimeError if + 'getopt()' hasn't been called yet. + """ + if self.option_order is None: + raise RuntimeError("'getopt()' hasn't been called yet") + else: + return self.option_order + + def generate_help(self, header=None): + """Generate help text (a list of strings, one per suggested line of + output) from the option table for this FancyGetopt object. + """ + # Blithely assume the option table is good: probably wouldn't call + # 'generate_help()' unless you've already called 'getopt()'. + + # First pass: determine maximum length of long option names + max_opt = 0 + for option in self.option_table: + long = option[0] + short = option[1] + l = len(long) + if long[-1] == '=': + l = l - 1 + if short is not None: + l = l + 5 # " (-x)" where short == 'x' + if l > max_opt: + max_opt = l + + opt_width = max_opt + 2 + 2 + 2 # room for indent + dashes + gutter + + # Typical help block looks like this: + # --foo controls foonabulation + # Help block for longest option looks like this: + # --flimflam set the flim-flam level + # and with wrapped text: + # --flimflam set the flim-flam level (must be between + # 0 and 100, except on Tuesdays) + # Options with short names will have the short name shown (but + # it doesn't contribute to max_opt): + # --foo (-f) controls foonabulation + # If adding the short option would make the left column too wide, + # we push the explanation off to the next line + # --flimflam (-l) + # set the flim-flam level + # Important parameters: + # - 2 spaces before option block start lines + # - 2 dashes for each long option name + # - min. 2 spaces between option and explanation (gutter) + # - 5 characters (incl. space) for short option name + + # Now generate lines of help text. (If 80 columns were good enough + # for Jesus, then 78 columns are good enough for me!) + line_width = 78 + text_width = line_width - opt_width + big_indent = ' ' * opt_width + if header: + lines = [header] + else: + lines = ['Option summary:'] + + for option in self.option_table: + long, short, help = option[:3] + text = wrap_text(help, text_width) + if long[-1] == '=': + long = long[0:-1] + + # Case 1: no short option at all (makes life easy) + if short is None: + if text: + lines.append(" --%-*s %s" % (max_opt, long, text[0])) + else: + lines.append(" --%-*s " % (max_opt, long)) + + # Case 2: we have a short option, so we have to include it + # just after the long option + else: + opt_names = "%s (-%s)" % (long, short) + if text: + lines.append(" --%-*s %s" % + (max_opt, opt_names, text[0])) + else: + lines.append(" --%-*s" % opt_names) + + for l in text[1:]: + lines.append(big_indent + l) + return lines + + def print_help(self, header=None, file=None): + if file is None: + file = sys.stdout + for line in self.generate_help(header): + file.write(line + "\n") + + +def fancy_getopt(options, negative_opt, object, args): + parser = FancyGetopt(options) + parser.set_negative_aliases(negative_opt) + return parser.getopt(args, object) + + +WS_TRANS = {ord(_wschar) : ' ' for _wschar in string.whitespace} + +def wrap_text(text, width): + """wrap_text(text : string, width : int) -> [string] + + Split 'text' into multiple lines of no more than 'width' characters + each, and return the list of strings that results. + """ + if text is None: + return [] + if len(text) <= width: + return [text] + + text = text.expandtabs() + text = text.translate(WS_TRANS) + chunks = re.split(r'( +|-+)', text) + chunks = [ch for ch in chunks if ch] # ' - ' results in empty strings + lines = [] + + while chunks: + cur_line = [] # list of chunks (to-be-joined) + cur_len = 0 # length of current line + + while chunks: + l = len(chunks[0]) + if cur_len + l <= width: # can squeeze (at least) this chunk in + cur_line.append(chunks[0]) + del chunks[0] + cur_len = cur_len + l + else: # this line is full + # drop last chunk if all space + if cur_line and cur_line[-1][0] == ' ': + del cur_line[-1] + break + + if chunks: # any chunks left to process? + # if the current line is still empty, then we had a single + # chunk that's too big too fit on a line -- so we break + # down and break it up at the line width + if cur_len == 0: + cur_line.append(chunks[0][0:width]) + chunks[0] = chunks[0][width:] + + # all-whitespace chunks at the end of a line can be discarded + # (and we know from the re.split above that if a chunk has + # *any* whitespace, it is *all* whitespace) + if chunks[0][0] == ' ': + del chunks[0] + + # and store this line in the list-of-all-lines -- as a single + # string, of course! + lines.append(''.join(cur_line)) + + return lines + + +def translate_longopt(opt): + """Convert a long option name to a valid Python identifier by + changing "-" to "_". + """ + return opt.translate(longopt_xlate) + + +class OptionDummy: + """Dummy class just used as a place to hold command-line option + values as instance attributes.""" + + def __init__(self, options=[]): + """Create a new OptionDummy instance. The attributes listed in + 'options' will be initialized to None.""" + for opt in options: + setattr(self, opt, None) + + +if __name__ == "__main__": + text = """\ +Tra-la-la, supercalifragilisticexpialidocious. +How *do* you spell that odd word, anyways? +(Someone ask Mary -- she'll know [or she'll +say, "How should I know?"].)""" + + for w in (10, 20, 30, 40): + print("width: %d" % w) + print("\n".join(wrap_text(text, w))) + print() diff --git a/venv/Lib/site-packages/setuptools/_distutils/file_util.py b/venv/Lib/site-packages/setuptools/_distutils/file_util.py new file mode 100644 index 0000000..b3fee35 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/file_util.py @@ -0,0 +1,238 @@ +"""distutils.file_util + +Utility functions for operating on single files. +""" + +import os +from distutils.errors import DistutilsFileError +from distutils import log + +# for generating verbose output in 'copy_file()' +_copy_action = { None: 'copying', + 'hard': 'hard linking', + 'sym': 'symbolically linking' } + + +def _copy_file_contents(src, dst, buffer_size=16*1024): + """Copy the file 'src' to 'dst'; both must be filenames. Any error + opening either file, reading from 'src', or writing to 'dst', raises + DistutilsFileError. Data is read/written in chunks of 'buffer_size' + bytes (default 16k). No attempt is made to handle anything apart from + regular files. + """ + # Stolen from shutil module in the standard library, but with + # custom error-handling added. + fsrc = None + fdst = None + try: + try: + fsrc = open(src, 'rb') + except OSError as e: + raise DistutilsFileError("could not open '%s': %s" % (src, e.strerror)) + + if os.path.exists(dst): + try: + os.unlink(dst) + except OSError as e: + raise DistutilsFileError( + "could not delete '%s': %s" % (dst, e.strerror)) + + try: + fdst = open(dst, 'wb') + except OSError as e: + raise DistutilsFileError( + "could not create '%s': %s" % (dst, e.strerror)) + + while True: + try: + buf = fsrc.read(buffer_size) + except OSError as e: + raise DistutilsFileError( + "could not read from '%s': %s" % (src, e.strerror)) + + if not buf: + break + + try: + fdst.write(buf) + except OSError as e: + raise DistutilsFileError( + "could not write to '%s': %s" % (dst, e.strerror)) + finally: + if fdst: + fdst.close() + if fsrc: + fsrc.close() + +def copy_file(src, dst, preserve_mode=1, preserve_times=1, update=0, + link=None, verbose=1, dry_run=0): + """Copy a file 'src' to 'dst'. If 'dst' is a directory, then 'src' is + copied there with the same name; otherwise, it must be a filename. (If + the file exists, it will be ruthlessly clobbered.) If 'preserve_mode' + is true (the default), the file's mode (type and permission bits, or + whatever is analogous on the current platform) is copied. If + 'preserve_times' is true (the default), the last-modified and + last-access times are copied as well. If 'update' is true, 'src' will + only be copied if 'dst' does not exist, or if 'dst' does exist but is + older than 'src'. + + 'link' allows you to make hard links (os.link) or symbolic links + (os.symlink) instead of copying: set it to "hard" or "sym"; if it is + None (the default), files are copied. Don't set 'link' on systems that + don't support it: 'copy_file()' doesn't check if hard or symbolic + linking is available. If hardlink fails, falls back to + _copy_file_contents(). + + Under Mac OS, uses the native file copy function in macostools; on + other systems, uses '_copy_file_contents()' to copy file contents. + + Return a tuple (dest_name, copied): 'dest_name' is the actual name of + the output file, and 'copied' is true if the file was copied (or would + have been copied, if 'dry_run' true). + """ + # XXX if the destination file already exists, we clobber it if + # copying, but blow up if linking. Hmmm. And I don't know what + # macostools.copyfile() does. Should definitely be consistent, and + # should probably blow up if destination exists and we would be + # changing it (ie. it's not already a hard/soft link to src OR + # (not update) and (src newer than dst). + + from distutils.dep_util import newer + from stat import ST_ATIME, ST_MTIME, ST_MODE, S_IMODE + + if not os.path.isfile(src): + raise DistutilsFileError( + "can't copy '%s': doesn't exist or not a regular file" % src) + + if os.path.isdir(dst): + dir = dst + dst = os.path.join(dst, os.path.basename(src)) + else: + dir = os.path.dirname(dst) + + if update and not newer(src, dst): + if verbose >= 1: + log.debug("not copying %s (output up-to-date)", src) + return (dst, 0) + + try: + action = _copy_action[link] + except KeyError: + raise ValueError("invalid value '%s' for 'link' argument" % link) + + if verbose >= 1: + if os.path.basename(dst) == os.path.basename(src): + log.info("%s %s -> %s", action, src, dir) + else: + log.info("%s %s -> %s", action, src, dst) + + if dry_run: + return (dst, 1) + + # If linking (hard or symbolic), use the appropriate system call + # (Unix only, of course, but that's the caller's responsibility) + elif link == 'hard': + if not (os.path.exists(dst) and os.path.samefile(src, dst)): + try: + os.link(src, dst) + return (dst, 1) + except OSError: + # If hard linking fails, fall back on copying file + # (some special filesystems don't support hard linking + # even under Unix, see issue #8876). + pass + elif link == 'sym': + if not (os.path.exists(dst) and os.path.samefile(src, dst)): + os.symlink(src, dst) + return (dst, 1) + + # Otherwise (non-Mac, not linking), copy the file contents and + # (optionally) copy the times and mode. + _copy_file_contents(src, dst) + if preserve_mode or preserve_times: + st = os.stat(src) + + # According to David Ascher <da@ski.org>, utime() should be done + # before chmod() (at least under NT). + if preserve_times: + os.utime(dst, (st[ST_ATIME], st[ST_MTIME])) + if preserve_mode: + os.chmod(dst, S_IMODE(st[ST_MODE])) + + return (dst, 1) + + +# XXX I suspect this is Unix-specific -- need porting help! +def move_file (src, dst, + verbose=1, + dry_run=0): + + """Move a file 'src' to 'dst'. If 'dst' is a directory, the file will + be moved into it with the same name; otherwise, 'src' is just renamed + to 'dst'. Return the new full name of the file. + + Handles cross-device moves on Unix using 'copy_file()'. What about + other systems??? + """ + from os.path import exists, isfile, isdir, basename, dirname + import errno + + if verbose >= 1: + log.info("moving %s -> %s", src, dst) + + if dry_run: + return dst + + if not isfile(src): + raise DistutilsFileError("can't move '%s': not a regular file" % src) + + if isdir(dst): + dst = os.path.join(dst, basename(src)) + elif exists(dst): + raise DistutilsFileError( + "can't move '%s': destination '%s' already exists" % + (src, dst)) + + if not isdir(dirname(dst)): + raise DistutilsFileError( + "can't move '%s': destination '%s' not a valid path" % + (src, dst)) + + copy_it = False + try: + os.rename(src, dst) + except OSError as e: + (num, msg) = e.args + if num == errno.EXDEV: + copy_it = True + else: + raise DistutilsFileError( + "couldn't move '%s' to '%s': %s" % (src, dst, msg)) + + if copy_it: + copy_file(src, dst, verbose=verbose) + try: + os.unlink(src) + except OSError as e: + (num, msg) = e.args + try: + os.unlink(dst) + except OSError: + pass + raise DistutilsFileError( + "couldn't move '%s' to '%s' by copy/delete: " + "delete '%s' failed: %s" + % (src, dst, src, msg)) + return dst + + +def write_file (filename, contents): + """Create a file with the specified name and write 'contents' (a + sequence of strings without line terminators) to it. + """ + f = open(filename, "w") + try: + for line in contents: + f.write(line + "\n") + finally: + f.close() diff --git a/venv/Lib/site-packages/setuptools/_distutils/filelist.py b/venv/Lib/site-packages/setuptools/_distutils/filelist.py new file mode 100644 index 0000000..82a7738 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/filelist.py @@ -0,0 +1,355 @@ +"""distutils.filelist + +Provides the FileList class, used for poking about the filesystem +and building lists of files. +""" + +import os +import re +import fnmatch +import functools + +from distutils.util import convert_path +from distutils.errors import DistutilsTemplateError, DistutilsInternalError +from distutils import log + + +class FileList: + """A list of files built by on exploring the filesystem and filtered by + applying various patterns to what we find there. + + Instance attributes: + dir + directory from which files will be taken -- only used if + 'allfiles' not supplied to constructor + files + list of filenames currently being built/filtered/manipulated + allfiles + complete list of files under consideration (ie. without any + filtering applied) + """ + + def __init__(self, warn=None, debug_print=None): + # ignore argument to FileList, but keep them for backwards + # compatibility + self.allfiles = None + self.files = [] + + def set_allfiles(self, allfiles): + self.allfiles = allfiles + + def findall(self, dir=os.curdir): + self.allfiles = findall(dir) + + def debug_print(self, msg): + """Print 'msg' to stdout if the global DEBUG (taken from the + DISTUTILS_DEBUG environment variable) flag is true. + """ + from distutils.debug import DEBUG + if DEBUG: + print(msg) + + # Collection methods + + def append(self, item): + self.files.append(item) + + def extend(self, items): + self.files.extend(items) + + def sort(self): + # Not a strict lexical sort! + sortable_files = sorted(map(os.path.split, self.files)) + self.files = [] + for sort_tuple in sortable_files: + self.files.append(os.path.join(*sort_tuple)) + + # Other miscellaneous utility methods + + def remove_duplicates(self): + # Assumes list has been sorted! + for i in range(len(self.files) - 1, 0, -1): + if self.files[i] == self.files[i - 1]: + del self.files[i] + + # "File template" methods + + def _parse_template_line(self, line): + words = line.split() + action = words[0] + + patterns = dir = dir_pattern = None + + if action in ('include', 'exclude', + 'global-include', 'global-exclude'): + if len(words) < 2: + raise DistutilsTemplateError( + "'%s' expects <pattern1> <pattern2> ..." % action) + patterns = [convert_path(w) for w in words[1:]] + elif action in ('recursive-include', 'recursive-exclude'): + if len(words) < 3: + raise DistutilsTemplateError( + "'%s' expects <dir> <pattern1> <pattern2> ..." % action) + dir = convert_path(words[1]) + patterns = [convert_path(w) for w in words[2:]] + elif action in ('graft', 'prune'): + if len(words) != 2: + raise DistutilsTemplateError( + "'%s' expects a single <dir_pattern>" % action) + dir_pattern = convert_path(words[1]) + else: + raise DistutilsTemplateError("unknown action '%s'" % action) + + return (action, patterns, dir, dir_pattern) + + def process_template_line(self, line): + # Parse the line: split it up, make sure the right number of words + # is there, and return the relevant words. 'action' is always + # defined: it's the first word of the line. Which of the other + # three are defined depends on the action; it'll be either + # patterns, (dir and patterns), or (dir_pattern). + (action, patterns, dir, dir_pattern) = self._parse_template_line(line) + + # OK, now we know that the action is valid and we have the + # right number of words on the line for that action -- so we + # can proceed with minimal error-checking. + if action == 'include': + self.debug_print("include " + ' '.join(patterns)) + for pattern in patterns: + if not self.include_pattern(pattern, anchor=1): + log.warn("warning: no files found matching '%s'", + pattern) + + elif action == 'exclude': + self.debug_print("exclude " + ' '.join(patterns)) + for pattern in patterns: + if not self.exclude_pattern(pattern, anchor=1): + log.warn(("warning: no previously-included files " + "found matching '%s'"), pattern) + + elif action == 'global-include': + self.debug_print("global-include " + ' '.join(patterns)) + for pattern in patterns: + if not self.include_pattern(pattern, anchor=0): + log.warn(("warning: no files found matching '%s' " + "anywhere in distribution"), pattern) + + elif action == 'global-exclude': + self.debug_print("global-exclude " + ' '.join(patterns)) + for pattern in patterns: + if not self.exclude_pattern(pattern, anchor=0): + log.warn(("warning: no previously-included files matching " + "'%s' found anywhere in distribution"), + pattern) + + elif action == 'recursive-include': + self.debug_print("recursive-include %s %s" % + (dir, ' '.join(patterns))) + for pattern in patterns: + if not self.include_pattern(pattern, prefix=dir): + msg = ( + "warning: no files found matching '%s' " + "under directory '%s'" + ) + log.warn(msg, pattern, dir) + + elif action == 'recursive-exclude': + self.debug_print("recursive-exclude %s %s" % + (dir, ' '.join(patterns))) + for pattern in patterns: + if not self.exclude_pattern(pattern, prefix=dir): + log.warn(("warning: no previously-included files matching " + "'%s' found under directory '%s'"), + pattern, dir) + + elif action == 'graft': + self.debug_print("graft " + dir_pattern) + if not self.include_pattern(None, prefix=dir_pattern): + log.warn("warning: no directories found matching '%s'", + dir_pattern) + + elif action == 'prune': + self.debug_print("prune " + dir_pattern) + if not self.exclude_pattern(None, prefix=dir_pattern): + log.warn(("no previously-included directories found " + "matching '%s'"), dir_pattern) + else: + raise DistutilsInternalError( + "this cannot happen: invalid action '%s'" % action) + + # Filtering/selection methods + + def include_pattern(self, pattern, anchor=1, prefix=None, is_regex=0): + """Select strings (presumably filenames) from 'self.files' that + match 'pattern', a Unix-style wildcard (glob) pattern. Patterns + are not quite the same as implemented by the 'fnmatch' module: '*' + and '?' match non-special characters, where "special" is platform- + dependent: slash on Unix; colon, slash, and backslash on + DOS/Windows; and colon on Mac OS. + + If 'anchor' is true (the default), then the pattern match is more + stringent: "*.py" will match "foo.py" but not "foo/bar.py". If + 'anchor' is false, both of these will match. + + If 'prefix' is supplied, then only filenames starting with 'prefix' + (itself a pattern) and ending with 'pattern', with anything in between + them, will match. 'anchor' is ignored in this case. + + If 'is_regex' is true, 'anchor' and 'prefix' are ignored, and + 'pattern' is assumed to be either a string containing a regex or a + regex object -- no translation is done, the regex is just compiled + and used as-is. + + Selected strings will be added to self.files. + + Return True if files are found, False otherwise. + """ + # XXX docstring lying about what the special chars are? + files_found = False + pattern_re = translate_pattern(pattern, anchor, prefix, is_regex) + self.debug_print("include_pattern: applying regex r'%s'" % + pattern_re.pattern) + + # delayed loading of allfiles list + if self.allfiles is None: + self.findall() + + for name in self.allfiles: + if pattern_re.search(name): + self.debug_print(" adding " + name) + self.files.append(name) + files_found = True + return files_found + + def exclude_pattern( + self, pattern, anchor=1, prefix=None, is_regex=0): + """Remove strings (presumably filenames) from 'files' that match + 'pattern'. Other parameters are the same as for + 'include_pattern()', above. + The list 'self.files' is modified in place. + Return True if files are found, False otherwise. + """ + files_found = False + pattern_re = translate_pattern(pattern, anchor, prefix, is_regex) + self.debug_print("exclude_pattern: applying regex r'%s'" % + pattern_re.pattern) + for i in range(len(self.files)-1, -1, -1): + if pattern_re.search(self.files[i]): + self.debug_print(" removing " + self.files[i]) + del self.files[i] + files_found = True + return files_found + + +# Utility functions + +def _find_all_simple(path): + """ + Find all files under 'path' + """ + all_unique = _UniqueDirs.filter(os.walk(path, followlinks=True)) + results = ( + os.path.join(base, file) + for base, dirs, files in all_unique + for file in files + ) + return filter(os.path.isfile, results) + + +class _UniqueDirs(set): + """ + Exclude previously-seen dirs from walk results, + avoiding infinite recursion. + Ref https://bugs.python.org/issue44497. + """ + def __call__(self, walk_item): + """ + Given an item from an os.walk result, determine + if the item represents a unique dir for this instance + and if not, prevent further traversal. + """ + base, dirs, files = walk_item + stat = os.stat(base) + candidate = stat.st_dev, stat.st_ino + found = candidate in self + if found: + del dirs[:] + self.add(candidate) + return not found + + @classmethod + def filter(cls, items): + return filter(cls(), items) + + +def findall(dir=os.curdir): + """ + Find all files under 'dir' and return the list of full filenames. + Unless dir is '.', return full filenames with dir prepended. + """ + files = _find_all_simple(dir) + if dir == os.curdir: + make_rel = functools.partial(os.path.relpath, start=dir) + files = map(make_rel, files) + return list(files) + + +def glob_to_re(pattern): + """Translate a shell-like glob pattern to a regular expression; return + a string containing the regex. Differs from 'fnmatch.translate()' in + that '*' does not match "special characters" (which are + platform-specific). + """ + pattern_re = fnmatch.translate(pattern) + + # '?' and '*' in the glob pattern become '.' and '.*' in the RE, which + # IMHO is wrong -- '?' and '*' aren't supposed to match slash in Unix, + # and by extension they shouldn't match such "special characters" under + # any OS. So change all non-escaped dots in the RE to match any + # character except the special characters (currently: just os.sep). + sep = os.sep + if os.sep == '\\': + # we're using a regex to manipulate a regex, so we need + # to escape the backslash twice + sep = r'\\\\' + escaped = r'\1[^%s]' % sep + pattern_re = re.sub(r'((?<!\\)(\\\\)*)\.', escaped, pattern_re) + return pattern_re + + +def translate_pattern(pattern, anchor=1, prefix=None, is_regex=0): + """Translate a shell-like wildcard pattern to a compiled regular + expression. Return the compiled regex. If 'is_regex' true, + then 'pattern' is directly compiled to a regex (if it's a string) + or just returned as-is (assumes it's a regex object). + """ + if is_regex: + if isinstance(pattern, str): + return re.compile(pattern) + else: + return pattern + + # ditch start and end characters + start, _, end = glob_to_re('_').partition('_') + + if pattern: + pattern_re = glob_to_re(pattern) + assert pattern_re.startswith(start) and pattern_re.endswith(end) + else: + pattern_re = '' + + if prefix is not None: + prefix_re = glob_to_re(prefix) + assert prefix_re.startswith(start) and prefix_re.endswith(end) + prefix_re = prefix_re[len(start): len(prefix_re) - len(end)] + sep = os.sep + if os.sep == '\\': + sep = r'\\' + pattern_re = pattern_re[len(start): len(pattern_re) - len(end)] + pattern_re = r'%s\A%s%s.*%s%s' % ( + start, prefix_re, sep, pattern_re, end) + else: # no prefix -- respect anchor flag + if anchor: + pattern_re = r'%s\A%s' % (start, pattern_re[len(start):]) + + return re.compile(pattern_re) diff --git a/venv/Lib/site-packages/setuptools/_distutils/log.py b/venv/Lib/site-packages/setuptools/_distutils/log.py new file mode 100644 index 0000000..8ef6b28 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/log.py @@ -0,0 +1,77 @@ +"""A simple log mechanism styled after PEP 282.""" + +# The class here is styled after PEP 282 so that it could later be +# replaced with a standard Python logging implementation. + +DEBUG = 1 +INFO = 2 +WARN = 3 +ERROR = 4 +FATAL = 5 + +import sys + +class Log: + + def __init__(self, threshold=WARN): + self.threshold = threshold + + def _log(self, level, msg, args): + if level not in (DEBUG, INFO, WARN, ERROR, FATAL): + raise ValueError('%s wrong log level' % str(level)) + + if level >= self.threshold: + if args: + msg = msg % args + if level in (WARN, ERROR, FATAL): + stream = sys.stderr + else: + stream = sys.stdout + try: + stream.write('%s\n' % msg) + except UnicodeEncodeError: + # emulate backslashreplace error handler + encoding = stream.encoding + msg = msg.encode(encoding, "backslashreplace").decode(encoding) + stream.write('%s\n' % msg) + stream.flush() + + def log(self, level, msg, *args): + self._log(level, msg, args) + + def debug(self, msg, *args): + self._log(DEBUG, msg, args) + + def info(self, msg, *args): + self._log(INFO, msg, args) + + def warn(self, msg, *args): + self._log(WARN, msg, args) + + def error(self, msg, *args): + self._log(ERROR, msg, args) + + def fatal(self, msg, *args): + self._log(FATAL, msg, args) + +_global_log = Log() +log = _global_log.log +debug = _global_log.debug +info = _global_log.info +warn = _global_log.warn +error = _global_log.error +fatal = _global_log.fatal + +def set_threshold(level): + # return the old threshold for use from tests + old = _global_log.threshold + _global_log.threshold = level + return old + +def set_verbosity(v): + if v <= 0: + set_threshold(WARN) + elif v == 1: + set_threshold(INFO) + elif v >= 2: + set_threshold(DEBUG) diff --git a/venv/Lib/site-packages/setuptools/_distutils/msvc9compiler.py b/venv/Lib/site-packages/setuptools/_distutils/msvc9compiler.py new file mode 100644 index 0000000..a1b3b02 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/msvc9compiler.py @@ -0,0 +1,788 @@ +"""distutils.msvc9compiler + +Contains MSVCCompiler, an implementation of the abstract CCompiler class +for the Microsoft Visual Studio 2008. + +The module is compatible with VS 2005 and VS 2008. You can find legacy support +for older versions of VS in distutils.msvccompiler. +""" + +# Written by Perry Stoll +# hacked by Robin Becker and Thomas Heller to do a better job of +# finding DevStudio (through the registry) +# ported to VS2005 and VS 2008 by Christian Heimes + +import os +import subprocess +import sys +import re + +from distutils.errors import DistutilsExecError, DistutilsPlatformError, \ + CompileError, LibError, LinkError +from distutils.ccompiler import CCompiler, gen_lib_options +from distutils import log +from distutils.util import get_platform + +import winreg + +RegOpenKeyEx = winreg.OpenKeyEx +RegEnumKey = winreg.EnumKey +RegEnumValue = winreg.EnumValue +RegError = winreg.error + +HKEYS = (winreg.HKEY_USERS, + winreg.HKEY_CURRENT_USER, + winreg.HKEY_LOCAL_MACHINE, + winreg.HKEY_CLASSES_ROOT) + +NATIVE_WIN64 = (sys.platform == 'win32' and sys.maxsize > 2**32) +if NATIVE_WIN64: + # Visual C++ is a 32-bit application, so we need to look in + # the corresponding registry branch, if we're running a + # 64-bit Python on Win64 + VS_BASE = r"Software\Wow6432Node\Microsoft\VisualStudio\%0.1f" + WINSDK_BASE = r"Software\Wow6432Node\Microsoft\Microsoft SDKs\Windows" + NET_BASE = r"Software\Wow6432Node\Microsoft\.NETFramework" +else: + VS_BASE = r"Software\Microsoft\VisualStudio\%0.1f" + WINSDK_BASE = r"Software\Microsoft\Microsoft SDKs\Windows" + NET_BASE = r"Software\Microsoft\.NETFramework" + +# A map keyed by get_platform() return values to values accepted by +# 'vcvarsall.bat'. Note a cross-compile may combine these (eg, 'x86_amd64' is +# the param to cross-compile on x86 targeting amd64.) +PLAT_TO_VCVARS = { + 'win32' : 'x86', + 'win-amd64' : 'amd64', +} + +class Reg: + """Helper class to read values from the registry + """ + + def get_value(cls, path, key): + for base in HKEYS: + d = cls.read_values(base, path) + if d and key in d: + return d[key] + raise KeyError(key) + get_value = classmethod(get_value) + + def read_keys(cls, base, key): + """Return list of registry keys.""" + try: + handle = RegOpenKeyEx(base, key) + except RegError: + return None + L = [] + i = 0 + while True: + try: + k = RegEnumKey(handle, i) + except RegError: + break + L.append(k) + i += 1 + return L + read_keys = classmethod(read_keys) + + def read_values(cls, base, key): + """Return dict of registry keys and values. + + All names are converted to lowercase. + """ + try: + handle = RegOpenKeyEx(base, key) + except RegError: + return None + d = {} + i = 0 + while True: + try: + name, value, type = RegEnumValue(handle, i) + except RegError: + break + name = name.lower() + d[cls.convert_mbcs(name)] = cls.convert_mbcs(value) + i += 1 + return d + read_values = classmethod(read_values) + + def convert_mbcs(s): + dec = getattr(s, "decode", None) + if dec is not None: + try: + s = dec("mbcs") + except UnicodeError: + pass + return s + convert_mbcs = staticmethod(convert_mbcs) + +class MacroExpander: + + def __init__(self, version): + self.macros = {} + self.vsbase = VS_BASE % version + self.load_macros(version) + + def set_macro(self, macro, path, key): + self.macros["$(%s)" % macro] = Reg.get_value(path, key) + + def load_macros(self, version): + self.set_macro("VCInstallDir", self.vsbase + r"\Setup\VC", "productdir") + self.set_macro("VSInstallDir", self.vsbase + r"\Setup\VS", "productdir") + self.set_macro("FrameworkDir", NET_BASE, "installroot") + try: + if version >= 8.0: + self.set_macro("FrameworkSDKDir", NET_BASE, + "sdkinstallrootv2.0") + else: + raise KeyError("sdkinstallrootv2.0") + except KeyError: + raise DistutilsPlatformError( + """Python was built with Visual Studio 2008; +extensions must be built with a compiler than can generate compatible binaries. +Visual Studio 2008 was not found on this system. If you have Cygwin installed, +you can try compiling with MingW32, by passing "-c mingw32" to setup.py.""") + + if version >= 9.0: + self.set_macro("FrameworkVersion", self.vsbase, "clr version") + self.set_macro("WindowsSdkDir", WINSDK_BASE, "currentinstallfolder") + else: + p = r"Software\Microsoft\NET Framework Setup\Product" + for base in HKEYS: + try: + h = RegOpenKeyEx(base, p) + except RegError: + continue + key = RegEnumKey(h, 0) + d = Reg.get_value(base, r"%s\%s" % (p, key)) + self.macros["$(FrameworkVersion)"] = d["version"] + + def sub(self, s): + for k, v in self.macros.items(): + s = s.replace(k, v) + return s + +def get_build_version(): + """Return the version of MSVC that was used to build Python. + + For Python 2.3 and up, the version number is included in + sys.version. For earlier versions, assume the compiler is MSVC 6. + """ + prefix = "MSC v." + i = sys.version.find(prefix) + if i == -1: + return 6 + i = i + len(prefix) + s, rest = sys.version[i:].split(" ", 1) + majorVersion = int(s[:-2]) - 6 + if majorVersion >= 13: + # v13 was skipped and should be v14 + majorVersion += 1 + minorVersion = int(s[2:3]) / 10.0 + # I don't think paths are affected by minor version in version 6 + if majorVersion == 6: + minorVersion = 0 + if majorVersion >= 6: + return majorVersion + minorVersion + # else we don't know what version of the compiler this is + return None + +def normalize_and_reduce_paths(paths): + """Return a list of normalized paths with duplicates removed. + + The current order of paths is maintained. + """ + # Paths are normalized so things like: /a and /a/ aren't both preserved. + reduced_paths = [] + for p in paths: + np = os.path.normpath(p) + # XXX(nnorwitz): O(n**2), if reduced_paths gets long perhaps use a set. + if np not in reduced_paths: + reduced_paths.append(np) + return reduced_paths + +def removeDuplicates(variable): + """Remove duplicate values of an environment variable. + """ + oldList = variable.split(os.pathsep) + newList = [] + for i in oldList: + if i not in newList: + newList.append(i) + newVariable = os.pathsep.join(newList) + return newVariable + +def find_vcvarsall(version): + """Find the vcvarsall.bat file + + At first it tries to find the productdir of VS 2008 in the registry. If + that fails it falls back to the VS90COMNTOOLS env var. + """ + vsbase = VS_BASE % version + try: + productdir = Reg.get_value(r"%s\Setup\VC" % vsbase, + "productdir") + except KeyError: + log.debug("Unable to find productdir in registry") + productdir = None + + if not productdir or not os.path.isdir(productdir): + toolskey = "VS%0.f0COMNTOOLS" % version + toolsdir = os.environ.get(toolskey, None) + + if toolsdir and os.path.isdir(toolsdir): + productdir = os.path.join(toolsdir, os.pardir, os.pardir, "VC") + productdir = os.path.abspath(productdir) + if not os.path.isdir(productdir): + log.debug("%s is not a valid directory" % productdir) + return None + else: + log.debug("Env var %s is not set or invalid" % toolskey) + if not productdir: + log.debug("No productdir found") + return None + vcvarsall = os.path.join(productdir, "vcvarsall.bat") + if os.path.isfile(vcvarsall): + return vcvarsall + log.debug("Unable to find vcvarsall.bat") + return None + +def query_vcvarsall(version, arch="x86"): + """Launch vcvarsall.bat and read the settings from its environment + """ + vcvarsall = find_vcvarsall(version) + interesting = {"include", "lib", "libpath", "path"} + result = {} + + if vcvarsall is None: + raise DistutilsPlatformError("Unable to find vcvarsall.bat") + log.debug("Calling 'vcvarsall.bat %s' (version=%s)", arch, version) + popen = subprocess.Popen('"%s" %s & set' % (vcvarsall, arch), + stdout=subprocess.PIPE, + stderr=subprocess.PIPE) + try: + stdout, stderr = popen.communicate() + if popen.wait() != 0: + raise DistutilsPlatformError(stderr.decode("mbcs")) + + stdout = stdout.decode("mbcs") + for line in stdout.split("\n"): + line = Reg.convert_mbcs(line) + if '=' not in line: + continue + line = line.strip() + key, value = line.split('=', 1) + key = key.lower() + if key in interesting: + if value.endswith(os.pathsep): + value = value[:-1] + result[key] = removeDuplicates(value) + + finally: + popen.stdout.close() + popen.stderr.close() + + if len(result) != len(interesting): + raise ValueError(str(list(result.keys()))) + + return result + +# More globals +VERSION = get_build_version() +if VERSION < 8.0: + raise DistutilsPlatformError("VC %0.1f is not supported by this module" % VERSION) +# MACROS = MacroExpander(VERSION) + +class MSVCCompiler(CCompiler) : + """Concrete class that implements an interface to Microsoft Visual C++, + as defined by the CCompiler abstract class.""" + + compiler_type = 'msvc' + + # Just set this so CCompiler's constructor doesn't barf. We currently + # don't use the 'set_executables()' bureaucracy provided by CCompiler, + # as it really isn't necessary for this sort of single-compiler class. + # Would be nice to have a consistent interface with UnixCCompiler, + # though, so it's worth thinking about. + executables = {} + + # Private class data (need to distinguish C from C++ source for compiler) + _c_extensions = ['.c'] + _cpp_extensions = ['.cc', '.cpp', '.cxx'] + _rc_extensions = ['.rc'] + _mc_extensions = ['.mc'] + + # Needed for the filename generation methods provided by the + # base class, CCompiler. + src_extensions = (_c_extensions + _cpp_extensions + + _rc_extensions + _mc_extensions) + res_extension = '.res' + obj_extension = '.obj' + static_lib_extension = '.lib' + shared_lib_extension = '.dll' + static_lib_format = shared_lib_format = '%s%s' + exe_extension = '.exe' + + def __init__(self, verbose=0, dry_run=0, force=0): + CCompiler.__init__ (self, verbose, dry_run, force) + self.__version = VERSION + self.__root = r"Software\Microsoft\VisualStudio" + # self.__macros = MACROS + self.__paths = [] + # target platform (.plat_name is consistent with 'bdist') + self.plat_name = None + self.__arch = None # deprecated name + self.initialized = False + + def initialize(self, plat_name=None): + # multi-init means we would need to check platform same each time... + assert not self.initialized, "don't init multiple times" + if plat_name is None: + plat_name = get_platform() + # sanity check for platforms to prevent obscure errors later. + ok_plats = 'win32', 'win-amd64' + if plat_name not in ok_plats: + raise DistutilsPlatformError("--plat-name must be one of %s" % + (ok_plats,)) + + if "DISTUTILS_USE_SDK" in os.environ and "MSSdk" in os.environ and self.find_exe("cl.exe"): + # Assume that the SDK set up everything alright; don't try to be + # smarter + self.cc = "cl.exe" + self.linker = "link.exe" + self.lib = "lib.exe" + self.rc = "rc.exe" + self.mc = "mc.exe" + else: + # On x86, 'vcvars32.bat amd64' creates an env that doesn't work; + # to cross compile, you use 'x86_amd64'. + # On AMD64, 'vcvars32.bat amd64' is a native build env; to cross + # compile use 'x86' (ie, it runs the x86 compiler directly) + if plat_name == get_platform() or plat_name == 'win32': + # native build or cross-compile to win32 + plat_spec = PLAT_TO_VCVARS[plat_name] + else: + # cross compile from win32 -> some 64bit + plat_spec = PLAT_TO_VCVARS[get_platform()] + '_' + \ + PLAT_TO_VCVARS[plat_name] + + vc_env = query_vcvarsall(VERSION, plat_spec) + + self.__paths = vc_env['path'].split(os.pathsep) + os.environ['lib'] = vc_env['lib'] + os.environ['include'] = vc_env['include'] + + if len(self.__paths) == 0: + raise DistutilsPlatformError("Python was built with %s, " + "and extensions need to be built with the same " + "version of the compiler, but it isn't installed." + % self.__product) + + self.cc = self.find_exe("cl.exe") + self.linker = self.find_exe("link.exe") + self.lib = self.find_exe("lib.exe") + self.rc = self.find_exe("rc.exe") # resource compiler + self.mc = self.find_exe("mc.exe") # message compiler + #self.set_path_env_var('lib') + #self.set_path_env_var('include') + + # extend the MSVC path with the current path + try: + for p in os.environ['path'].split(';'): + self.__paths.append(p) + except KeyError: + pass + self.__paths = normalize_and_reduce_paths(self.__paths) + os.environ['path'] = ";".join(self.__paths) + + self.preprocess_options = None + if self.__arch == "x86": + self.compile_options = [ '/nologo', '/O2', '/MD', '/W3', + '/DNDEBUG'] + self.compile_options_debug = ['/nologo', '/Od', '/MDd', '/W3', + '/Z7', '/D_DEBUG'] + else: + # Win64 + self.compile_options = [ '/nologo', '/O2', '/MD', '/W3', '/GS-' , + '/DNDEBUG'] + self.compile_options_debug = ['/nologo', '/Od', '/MDd', '/W3', '/GS-', + '/Z7', '/D_DEBUG'] + + self.ldflags_shared = ['/DLL', '/nologo', '/INCREMENTAL:NO'] + if self.__version >= 7: + self.ldflags_shared_debug = [ + '/DLL', '/nologo', '/INCREMENTAL:no', '/DEBUG' + ] + self.ldflags_static = [ '/nologo'] + + self.initialized = True + + # -- Worker methods ------------------------------------------------ + + def object_filenames(self, + source_filenames, + strip_dir=0, + output_dir=''): + # Copied from ccompiler.py, extended to return .res as 'object'-file + # for .rc input file + if output_dir is None: output_dir = '' + obj_names = [] + for src_name in source_filenames: + (base, ext) = os.path.splitext (src_name) + base = os.path.splitdrive(base)[1] # Chop off the drive + base = base[os.path.isabs(base):] # If abs, chop off leading / + if ext not in self.src_extensions: + # Better to raise an exception instead of silently continuing + # and later complain about sources and targets having + # different lengths + raise CompileError ("Don't know how to compile %s" % src_name) + if strip_dir: + base = os.path.basename (base) + if ext in self._rc_extensions: + obj_names.append (os.path.join (output_dir, + base + self.res_extension)) + elif ext in self._mc_extensions: + obj_names.append (os.path.join (output_dir, + base + self.res_extension)) + else: + obj_names.append (os.path.join (output_dir, + base + self.obj_extension)) + return obj_names + + + def compile(self, sources, + output_dir=None, macros=None, include_dirs=None, debug=0, + extra_preargs=None, extra_postargs=None, depends=None): + + if not self.initialized: + self.initialize() + compile_info = self._setup_compile(output_dir, macros, include_dirs, + sources, depends, extra_postargs) + macros, objects, extra_postargs, pp_opts, build = compile_info + + compile_opts = extra_preargs or [] + compile_opts.append ('/c') + if debug: + compile_opts.extend(self.compile_options_debug) + else: + compile_opts.extend(self.compile_options) + + for obj in objects: + try: + src, ext = build[obj] + except KeyError: + continue + if debug: + # pass the full pathname to MSVC in debug mode, + # this allows the debugger to find the source file + # without asking the user to browse for it + src = os.path.abspath(src) + + if ext in self._c_extensions: + input_opt = "/Tc" + src + elif ext in self._cpp_extensions: + input_opt = "/Tp" + src + elif ext in self._rc_extensions: + # compile .RC to .RES file + input_opt = src + output_opt = "/fo" + obj + try: + self.spawn([self.rc] + pp_opts + + [output_opt] + [input_opt]) + except DistutilsExecError as msg: + raise CompileError(msg) + continue + elif ext in self._mc_extensions: + # Compile .MC to .RC file to .RES file. + # * '-h dir' specifies the directory for the + # generated include file + # * '-r dir' specifies the target directory of the + # generated RC file and the binary message resource + # it includes + # + # For now (since there are no options to change this), + # we use the source-directory for the include file and + # the build directory for the RC file and message + # resources. This works at least for win32all. + h_dir = os.path.dirname(src) + rc_dir = os.path.dirname(obj) + try: + # first compile .MC to .RC and .H file + self.spawn([self.mc] + + ['-h', h_dir, '-r', rc_dir] + [src]) + base, _ = os.path.splitext (os.path.basename (src)) + rc_file = os.path.join (rc_dir, base + '.rc') + # then compile .RC to .RES file + self.spawn([self.rc] + + ["/fo" + obj] + [rc_file]) + + except DistutilsExecError as msg: + raise CompileError(msg) + continue + else: + # how to handle this file? + raise CompileError("Don't know how to compile %s to %s" + % (src, obj)) + + output_opt = "/Fo" + obj + try: + self.spawn([self.cc] + compile_opts + pp_opts + + [input_opt, output_opt] + + extra_postargs) + except DistutilsExecError as msg: + raise CompileError(msg) + + return objects + + + def create_static_lib(self, + objects, + output_libname, + output_dir=None, + debug=0, + target_lang=None): + + if not self.initialized: + self.initialize() + (objects, output_dir) = self._fix_object_args(objects, output_dir) + output_filename = self.library_filename(output_libname, + output_dir=output_dir) + + if self._need_link(objects, output_filename): + lib_args = objects + ['/OUT:' + output_filename] + if debug: + pass # XXX what goes here? + try: + self.spawn([self.lib] + lib_args) + except DistutilsExecError as msg: + raise LibError(msg) + else: + log.debug("skipping %s (up-to-date)", output_filename) + + + def link(self, + target_desc, + objects, + output_filename, + output_dir=None, + libraries=None, + library_dirs=None, + runtime_library_dirs=None, + export_symbols=None, + debug=0, + extra_preargs=None, + extra_postargs=None, + build_temp=None, + target_lang=None): + + if not self.initialized: + self.initialize() + (objects, output_dir) = self._fix_object_args(objects, output_dir) + fixed_args = self._fix_lib_args(libraries, library_dirs, + runtime_library_dirs) + (libraries, library_dirs, runtime_library_dirs) = fixed_args + + if runtime_library_dirs: + self.warn ("I don't know what to do with 'runtime_library_dirs': " + + str (runtime_library_dirs)) + + lib_opts = gen_lib_options(self, + library_dirs, runtime_library_dirs, + libraries) + if output_dir is not None: + output_filename = os.path.join(output_dir, output_filename) + + if self._need_link(objects, output_filename): + if target_desc == CCompiler.EXECUTABLE: + if debug: + ldflags = self.ldflags_shared_debug[1:] + else: + ldflags = self.ldflags_shared[1:] + else: + if debug: + ldflags = self.ldflags_shared_debug + else: + ldflags = self.ldflags_shared + + export_opts = [] + for sym in (export_symbols or []): + export_opts.append("/EXPORT:" + sym) + + ld_args = (ldflags + lib_opts + export_opts + + objects + ['/OUT:' + output_filename]) + + # The MSVC linker generates .lib and .exp files, which cannot be + # suppressed by any linker switches. The .lib files may even be + # needed! Make sure they are generated in the temporary build + # directory. Since they have different names for debug and release + # builds, they can go into the same directory. + build_temp = os.path.dirname(objects[0]) + if export_symbols is not None: + (dll_name, dll_ext) = os.path.splitext( + os.path.basename(output_filename)) + implib_file = os.path.join( + build_temp, + self.library_filename(dll_name)) + ld_args.append ('/IMPLIB:' + implib_file) + + self.manifest_setup_ldargs(output_filename, build_temp, ld_args) + + if extra_preargs: + ld_args[:0] = extra_preargs + if extra_postargs: + ld_args.extend(extra_postargs) + + self.mkpath(os.path.dirname(output_filename)) + try: + self.spawn([self.linker] + ld_args) + except DistutilsExecError as msg: + raise LinkError(msg) + + # embed the manifest + # XXX - this is somewhat fragile - if mt.exe fails, distutils + # will still consider the DLL up-to-date, but it will not have a + # manifest. Maybe we should link to a temp file? OTOH, that + # implies a build environment error that shouldn't go undetected. + mfinfo = self.manifest_get_embed_info(target_desc, ld_args) + if mfinfo is not None: + mffilename, mfid = mfinfo + out_arg = '-outputresource:%s;%s' % (output_filename, mfid) + try: + self.spawn(['mt.exe', '-nologo', '-manifest', + mffilename, out_arg]) + except DistutilsExecError as msg: + raise LinkError(msg) + else: + log.debug("skipping %s (up-to-date)", output_filename) + + def manifest_setup_ldargs(self, output_filename, build_temp, ld_args): + # If we need a manifest at all, an embedded manifest is recommended. + # See MSDN article titled + # "How to: Embed a Manifest Inside a C/C++ Application" + # (currently at http://msdn2.microsoft.com/en-us/library/ms235591(VS.80).aspx) + # Ask the linker to generate the manifest in the temp dir, so + # we can check it, and possibly embed it, later. + temp_manifest = os.path.join( + build_temp, + os.path.basename(output_filename) + ".manifest") + ld_args.append('/MANIFESTFILE:' + temp_manifest) + + def manifest_get_embed_info(self, target_desc, ld_args): + # If a manifest should be embedded, return a tuple of + # (manifest_filename, resource_id). Returns None if no manifest + # should be embedded. See http://bugs.python.org/issue7833 for why + # we want to avoid any manifest for extension modules if we can) + for arg in ld_args: + if arg.startswith("/MANIFESTFILE:"): + temp_manifest = arg.split(":", 1)[1] + break + else: + # no /MANIFESTFILE so nothing to do. + return None + if target_desc == CCompiler.EXECUTABLE: + # by default, executables always get the manifest with the + # CRT referenced. + mfid = 1 + else: + # Extension modules try and avoid any manifest if possible. + mfid = 2 + temp_manifest = self._remove_visual_c_ref(temp_manifest) + if temp_manifest is None: + return None + return temp_manifest, mfid + + def _remove_visual_c_ref(self, manifest_file): + try: + # Remove references to the Visual C runtime, so they will + # fall through to the Visual C dependency of Python.exe. + # This way, when installed for a restricted user (e.g. + # runtimes are not in WinSxS folder, but in Python's own + # folder), the runtimes do not need to be in every folder + # with .pyd's. + # Returns either the filename of the modified manifest or + # None if no manifest should be embedded. + manifest_f = open(manifest_file) + try: + manifest_buf = manifest_f.read() + finally: + manifest_f.close() + pattern = re.compile( + r"""<assemblyIdentity.*?name=("|')Microsoft\."""\ + r"""VC\d{2}\.CRT("|').*?(/>|</assemblyIdentity>)""", + re.DOTALL) + manifest_buf = re.sub(pattern, "", manifest_buf) + pattern = r"<dependentAssembly>\s*</dependentAssembly>" + manifest_buf = re.sub(pattern, "", manifest_buf) + # Now see if any other assemblies are referenced - if not, we + # don't want a manifest embedded. + pattern = re.compile( + r"""<assemblyIdentity.*?name=(?:"|')(.+?)(?:"|')""" + r""".*?(?:/>|</assemblyIdentity>)""", re.DOTALL) + if re.search(pattern, manifest_buf) is None: + return None + + manifest_f = open(manifest_file, 'w') + try: + manifest_f.write(manifest_buf) + return manifest_file + finally: + manifest_f.close() + except OSError: + pass + + # -- Miscellaneous methods ----------------------------------------- + # These are all used by the 'gen_lib_options() function, in + # ccompiler.py. + + def library_dir_option(self, dir): + return "/LIBPATH:" + dir + + def runtime_library_dir_option(self, dir): + raise DistutilsPlatformError( + "don't know how to set runtime library search path for MSVC++") + + def library_option(self, lib): + return self.library_filename(lib) + + + def find_library_file(self, dirs, lib, debug=0): + # Prefer a debugging library if found (and requested), but deal + # with it if we don't have one. + if debug: + try_names = [lib + "_d", lib] + else: + try_names = [lib] + for dir in dirs: + for name in try_names: + libfile = os.path.join(dir, self.library_filename (name)) + if os.path.exists(libfile): + return libfile + else: + # Oops, didn't find it in *any* of 'dirs' + return None + + # Helper methods for using the MSVC registry settings + + def find_exe(self, exe): + """Return path to an MSVC executable program. + + Tries to find the program in several places: first, one of the + MSVC program search paths from the registry; next, the directories + in the PATH environment variable. If any of those work, return an + absolute path that is known to exist. If none of them work, just + return the original program name, 'exe'. + """ + for p in self.__paths: + fn = os.path.join(os.path.abspath(p), exe) + if os.path.isfile(fn): + return fn + + # didn't find it; try existing path + for p in os.environ['Path'].split(';'): + fn = os.path.join(os.path.abspath(p),exe) + if os.path.isfile(fn): + return fn + + return exe diff --git a/venv/Lib/site-packages/setuptools/_distutils/msvccompiler.py b/venv/Lib/site-packages/setuptools/_distutils/msvccompiler.py new file mode 100644 index 0000000..2d447b8 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/msvccompiler.py @@ -0,0 +1,643 @@ +"""distutils.msvccompiler + +Contains MSVCCompiler, an implementation of the abstract CCompiler class +for the Microsoft Visual Studio. +""" + +# Written by Perry Stoll +# hacked by Robin Becker and Thomas Heller to do a better job of +# finding DevStudio (through the registry) + +import sys, os +from distutils.errors import \ + DistutilsExecError, DistutilsPlatformError, \ + CompileError, LibError, LinkError +from distutils.ccompiler import \ + CCompiler, gen_lib_options +from distutils import log + +_can_read_reg = False +try: + import winreg + + _can_read_reg = True + hkey_mod = winreg + + RegOpenKeyEx = winreg.OpenKeyEx + RegEnumKey = winreg.EnumKey + RegEnumValue = winreg.EnumValue + RegError = winreg.error + +except ImportError: + try: + import win32api + import win32con + _can_read_reg = True + hkey_mod = win32con + + RegOpenKeyEx = win32api.RegOpenKeyEx + RegEnumKey = win32api.RegEnumKey + RegEnumValue = win32api.RegEnumValue + RegError = win32api.error + except ImportError: + log.info("Warning: Can't read registry to find the " + "necessary compiler setting\n" + "Make sure that Python modules winreg, " + "win32api or win32con are installed.") + pass + +if _can_read_reg: + HKEYS = (hkey_mod.HKEY_USERS, + hkey_mod.HKEY_CURRENT_USER, + hkey_mod.HKEY_LOCAL_MACHINE, + hkey_mod.HKEY_CLASSES_ROOT) + +def read_keys(base, key): + """Return list of registry keys.""" + try: + handle = RegOpenKeyEx(base, key) + except RegError: + return None + L = [] + i = 0 + while True: + try: + k = RegEnumKey(handle, i) + except RegError: + break + L.append(k) + i += 1 + return L + +def read_values(base, key): + """Return dict of registry keys and values. + + All names are converted to lowercase. + """ + try: + handle = RegOpenKeyEx(base, key) + except RegError: + return None + d = {} + i = 0 + while True: + try: + name, value, type = RegEnumValue(handle, i) + except RegError: + break + name = name.lower() + d[convert_mbcs(name)] = convert_mbcs(value) + i += 1 + return d + +def convert_mbcs(s): + dec = getattr(s, "decode", None) + if dec is not None: + try: + s = dec("mbcs") + except UnicodeError: + pass + return s + +class MacroExpander: + def __init__(self, version): + self.macros = {} + self.load_macros(version) + + def set_macro(self, macro, path, key): + for base in HKEYS: + d = read_values(base, path) + if d: + self.macros["$(%s)" % macro] = d[key] + break + + def load_macros(self, version): + vsbase = r"Software\Microsoft\VisualStudio\%0.1f" % version + self.set_macro("VCInstallDir", vsbase + r"\Setup\VC", "productdir") + self.set_macro("VSInstallDir", vsbase + r"\Setup\VS", "productdir") + net = r"Software\Microsoft\.NETFramework" + self.set_macro("FrameworkDir", net, "installroot") + try: + if version > 7.0: + self.set_macro("FrameworkSDKDir", net, "sdkinstallrootv1.1") + else: + self.set_macro("FrameworkSDKDir", net, "sdkinstallroot") + except KeyError as exc: # + raise DistutilsPlatformError( + """Python was built with Visual Studio 2003; +extensions must be built with a compiler than can generate compatible binaries. +Visual Studio 2003 was not found on this system. If you have Cygwin installed, +you can try compiling with MingW32, by passing "-c mingw32" to setup.py.""") + + p = r"Software\Microsoft\NET Framework Setup\Product" + for base in HKEYS: + try: + h = RegOpenKeyEx(base, p) + except RegError: + continue + key = RegEnumKey(h, 0) + d = read_values(base, r"%s\%s" % (p, key)) + self.macros["$(FrameworkVersion)"] = d["version"] + + def sub(self, s): + for k, v in self.macros.items(): + s = s.replace(k, v) + return s + +def get_build_version(): + """Return the version of MSVC that was used to build Python. + + For Python 2.3 and up, the version number is included in + sys.version. For earlier versions, assume the compiler is MSVC 6. + """ + prefix = "MSC v." + i = sys.version.find(prefix) + if i == -1: + return 6 + i = i + len(prefix) + s, rest = sys.version[i:].split(" ", 1) + majorVersion = int(s[:-2]) - 6 + if majorVersion >= 13: + # v13 was skipped and should be v14 + majorVersion += 1 + minorVersion = int(s[2:3]) / 10.0 + # I don't think paths are affected by minor version in version 6 + if majorVersion == 6: + minorVersion = 0 + if majorVersion >= 6: + return majorVersion + minorVersion + # else we don't know what version of the compiler this is + return None + +def get_build_architecture(): + """Return the processor architecture. + + Possible results are "Intel" or "AMD64". + """ + + prefix = " bit (" + i = sys.version.find(prefix) + if i == -1: + return "Intel" + j = sys.version.find(")", i) + return sys.version[i+len(prefix):j] + +def normalize_and_reduce_paths(paths): + """Return a list of normalized paths with duplicates removed. + + The current order of paths is maintained. + """ + # Paths are normalized so things like: /a and /a/ aren't both preserved. + reduced_paths = [] + for p in paths: + np = os.path.normpath(p) + # XXX(nnorwitz): O(n**2), if reduced_paths gets long perhaps use a set. + if np not in reduced_paths: + reduced_paths.append(np) + return reduced_paths + + +class MSVCCompiler(CCompiler) : + """Concrete class that implements an interface to Microsoft Visual C++, + as defined by the CCompiler abstract class.""" + + compiler_type = 'msvc' + + # Just set this so CCompiler's constructor doesn't barf. We currently + # don't use the 'set_executables()' bureaucracy provided by CCompiler, + # as it really isn't necessary for this sort of single-compiler class. + # Would be nice to have a consistent interface with UnixCCompiler, + # though, so it's worth thinking about. + executables = {} + + # Private class data (need to distinguish C from C++ source for compiler) + _c_extensions = ['.c'] + _cpp_extensions = ['.cc', '.cpp', '.cxx'] + _rc_extensions = ['.rc'] + _mc_extensions = ['.mc'] + + # Needed for the filename generation methods provided by the + # base class, CCompiler. + src_extensions = (_c_extensions + _cpp_extensions + + _rc_extensions + _mc_extensions) + res_extension = '.res' + obj_extension = '.obj' + static_lib_extension = '.lib' + shared_lib_extension = '.dll' + static_lib_format = shared_lib_format = '%s%s' + exe_extension = '.exe' + + def __init__(self, verbose=0, dry_run=0, force=0): + CCompiler.__init__ (self, verbose, dry_run, force) + self.__version = get_build_version() + self.__arch = get_build_architecture() + if self.__arch == "Intel": + # x86 + if self.__version >= 7: + self.__root = r"Software\Microsoft\VisualStudio" + self.__macros = MacroExpander(self.__version) + else: + self.__root = r"Software\Microsoft\Devstudio" + self.__product = "Visual Studio version %s" % self.__version + else: + # Win64. Assume this was built with the platform SDK + self.__product = "Microsoft SDK compiler %s" % (self.__version + 6) + + self.initialized = False + + def initialize(self): + self.__paths = [] + if "DISTUTILS_USE_SDK" in os.environ and "MSSdk" in os.environ and self.find_exe("cl.exe"): + # Assume that the SDK set up everything alright; don't try to be + # smarter + self.cc = "cl.exe" + self.linker = "link.exe" + self.lib = "lib.exe" + self.rc = "rc.exe" + self.mc = "mc.exe" + else: + self.__paths = self.get_msvc_paths("path") + + if len(self.__paths) == 0: + raise DistutilsPlatformError("Python was built with %s, " + "and extensions need to be built with the same " + "version of the compiler, but it isn't installed." + % self.__product) + + self.cc = self.find_exe("cl.exe") + self.linker = self.find_exe("link.exe") + self.lib = self.find_exe("lib.exe") + self.rc = self.find_exe("rc.exe") # resource compiler + self.mc = self.find_exe("mc.exe") # message compiler + self.set_path_env_var('lib') + self.set_path_env_var('include') + + # extend the MSVC path with the current path + try: + for p in os.environ['path'].split(';'): + self.__paths.append(p) + except KeyError: + pass + self.__paths = normalize_and_reduce_paths(self.__paths) + os.environ['path'] = ";".join(self.__paths) + + self.preprocess_options = None + if self.__arch == "Intel": + self.compile_options = [ '/nologo', '/O2', '/MD', '/W3', '/GX' , + '/DNDEBUG'] + self.compile_options_debug = ['/nologo', '/Od', '/MDd', '/W3', '/GX', + '/Z7', '/D_DEBUG'] + else: + # Win64 + self.compile_options = [ '/nologo', '/O2', '/MD', '/W3', '/GS-' , + '/DNDEBUG'] + self.compile_options_debug = ['/nologo', '/Od', '/MDd', '/W3', '/GS-', + '/Z7', '/D_DEBUG'] + + self.ldflags_shared = ['/DLL', '/nologo', '/INCREMENTAL:NO'] + if self.__version >= 7: + self.ldflags_shared_debug = [ + '/DLL', '/nologo', '/INCREMENTAL:no', '/DEBUG' + ] + else: + self.ldflags_shared_debug = [ + '/DLL', '/nologo', '/INCREMENTAL:no', '/pdb:None', '/DEBUG' + ] + self.ldflags_static = [ '/nologo'] + + self.initialized = True + + # -- Worker methods ------------------------------------------------ + + def object_filenames(self, + source_filenames, + strip_dir=0, + output_dir=''): + # Copied from ccompiler.py, extended to return .res as 'object'-file + # for .rc input file + if output_dir is None: output_dir = '' + obj_names = [] + for src_name in source_filenames: + (base, ext) = os.path.splitext (src_name) + base = os.path.splitdrive(base)[1] # Chop off the drive + base = base[os.path.isabs(base):] # If abs, chop off leading / + if ext not in self.src_extensions: + # Better to raise an exception instead of silently continuing + # and later complain about sources and targets having + # different lengths + raise CompileError ("Don't know how to compile %s" % src_name) + if strip_dir: + base = os.path.basename (base) + if ext in self._rc_extensions: + obj_names.append (os.path.join (output_dir, + base + self.res_extension)) + elif ext in self._mc_extensions: + obj_names.append (os.path.join (output_dir, + base + self.res_extension)) + else: + obj_names.append (os.path.join (output_dir, + base + self.obj_extension)) + return obj_names + + + def compile(self, sources, + output_dir=None, macros=None, include_dirs=None, debug=0, + extra_preargs=None, extra_postargs=None, depends=None): + + if not self.initialized: + self.initialize() + compile_info = self._setup_compile(output_dir, macros, include_dirs, + sources, depends, extra_postargs) + macros, objects, extra_postargs, pp_opts, build = compile_info + + compile_opts = extra_preargs or [] + compile_opts.append ('/c') + if debug: + compile_opts.extend(self.compile_options_debug) + else: + compile_opts.extend(self.compile_options) + + for obj in objects: + try: + src, ext = build[obj] + except KeyError: + continue + if debug: + # pass the full pathname to MSVC in debug mode, + # this allows the debugger to find the source file + # without asking the user to browse for it + src = os.path.abspath(src) + + if ext in self._c_extensions: + input_opt = "/Tc" + src + elif ext in self._cpp_extensions: + input_opt = "/Tp" + src + elif ext in self._rc_extensions: + # compile .RC to .RES file + input_opt = src + output_opt = "/fo" + obj + try: + self.spawn([self.rc] + pp_opts + + [output_opt] + [input_opt]) + except DistutilsExecError as msg: + raise CompileError(msg) + continue + elif ext in self._mc_extensions: + # Compile .MC to .RC file to .RES file. + # * '-h dir' specifies the directory for the + # generated include file + # * '-r dir' specifies the target directory of the + # generated RC file and the binary message resource + # it includes + # + # For now (since there are no options to change this), + # we use the source-directory for the include file and + # the build directory for the RC file and message + # resources. This works at least for win32all. + h_dir = os.path.dirname(src) + rc_dir = os.path.dirname(obj) + try: + # first compile .MC to .RC and .H file + self.spawn([self.mc] + + ['-h', h_dir, '-r', rc_dir] + [src]) + base, _ = os.path.splitext (os.path.basename (src)) + rc_file = os.path.join (rc_dir, base + '.rc') + # then compile .RC to .RES file + self.spawn([self.rc] + + ["/fo" + obj] + [rc_file]) + + except DistutilsExecError as msg: + raise CompileError(msg) + continue + else: + # how to handle this file? + raise CompileError("Don't know how to compile %s to %s" + % (src, obj)) + + output_opt = "/Fo" + obj + try: + self.spawn([self.cc] + compile_opts + pp_opts + + [input_opt, output_opt] + + extra_postargs) + except DistutilsExecError as msg: + raise CompileError(msg) + + return objects + + + def create_static_lib(self, + objects, + output_libname, + output_dir=None, + debug=0, + target_lang=None): + + if not self.initialized: + self.initialize() + (objects, output_dir) = self._fix_object_args(objects, output_dir) + output_filename = self.library_filename(output_libname, + output_dir=output_dir) + + if self._need_link(objects, output_filename): + lib_args = objects + ['/OUT:' + output_filename] + if debug: + pass # XXX what goes here? + try: + self.spawn([self.lib] + lib_args) + except DistutilsExecError as msg: + raise LibError(msg) + else: + log.debug("skipping %s (up-to-date)", output_filename) + + + def link(self, + target_desc, + objects, + output_filename, + output_dir=None, + libraries=None, + library_dirs=None, + runtime_library_dirs=None, + export_symbols=None, + debug=0, + extra_preargs=None, + extra_postargs=None, + build_temp=None, + target_lang=None): + + if not self.initialized: + self.initialize() + (objects, output_dir) = self._fix_object_args(objects, output_dir) + fixed_args = self._fix_lib_args(libraries, library_dirs, + runtime_library_dirs) + (libraries, library_dirs, runtime_library_dirs) = fixed_args + + if runtime_library_dirs: + self.warn ("I don't know what to do with 'runtime_library_dirs': " + + str (runtime_library_dirs)) + + lib_opts = gen_lib_options(self, + library_dirs, runtime_library_dirs, + libraries) + if output_dir is not None: + output_filename = os.path.join(output_dir, output_filename) + + if self._need_link(objects, output_filename): + if target_desc == CCompiler.EXECUTABLE: + if debug: + ldflags = self.ldflags_shared_debug[1:] + else: + ldflags = self.ldflags_shared[1:] + else: + if debug: + ldflags = self.ldflags_shared_debug + else: + ldflags = self.ldflags_shared + + export_opts = [] + for sym in (export_symbols or []): + export_opts.append("/EXPORT:" + sym) + + ld_args = (ldflags + lib_opts + export_opts + + objects + ['/OUT:' + output_filename]) + + # The MSVC linker generates .lib and .exp files, which cannot be + # suppressed by any linker switches. The .lib files may even be + # needed! Make sure they are generated in the temporary build + # directory. Since they have different names for debug and release + # builds, they can go into the same directory. + if export_symbols is not None: + (dll_name, dll_ext) = os.path.splitext( + os.path.basename(output_filename)) + implib_file = os.path.join( + os.path.dirname(objects[0]), + self.library_filename(dll_name)) + ld_args.append ('/IMPLIB:' + implib_file) + + if extra_preargs: + ld_args[:0] = extra_preargs + if extra_postargs: + ld_args.extend(extra_postargs) + + self.mkpath(os.path.dirname(output_filename)) + try: + self.spawn([self.linker] + ld_args) + except DistutilsExecError as msg: + raise LinkError(msg) + + else: + log.debug("skipping %s (up-to-date)", output_filename) + + + # -- Miscellaneous methods ----------------------------------------- + # These are all used by the 'gen_lib_options() function, in + # ccompiler.py. + + def library_dir_option(self, dir): + return "/LIBPATH:" + dir + + def runtime_library_dir_option(self, dir): + raise DistutilsPlatformError( + "don't know how to set runtime library search path for MSVC++") + + def library_option(self, lib): + return self.library_filename(lib) + + + def find_library_file(self, dirs, lib, debug=0): + # Prefer a debugging library if found (and requested), but deal + # with it if we don't have one. + if debug: + try_names = [lib + "_d", lib] + else: + try_names = [lib] + for dir in dirs: + for name in try_names: + libfile = os.path.join(dir, self.library_filename (name)) + if os.path.exists(libfile): + return libfile + else: + # Oops, didn't find it in *any* of 'dirs' + return None + + # Helper methods for using the MSVC registry settings + + def find_exe(self, exe): + """Return path to an MSVC executable program. + + Tries to find the program in several places: first, one of the + MSVC program search paths from the registry; next, the directories + in the PATH environment variable. If any of those work, return an + absolute path that is known to exist. If none of them work, just + return the original program name, 'exe'. + """ + for p in self.__paths: + fn = os.path.join(os.path.abspath(p), exe) + if os.path.isfile(fn): + return fn + + # didn't find it; try existing path + for p in os.environ['Path'].split(';'): + fn = os.path.join(os.path.abspath(p),exe) + if os.path.isfile(fn): + return fn + + return exe + + def get_msvc_paths(self, path, platform='x86'): + """Get a list of devstudio directories (include, lib or path). + + Return a list of strings. The list will be empty if unable to + access the registry or appropriate registry keys not found. + """ + if not _can_read_reg: + return [] + + path = path + " dirs" + if self.__version >= 7: + key = (r"%s\%0.1f\VC\VC_OBJECTS_PLATFORM_INFO\Win32\Directories" + % (self.__root, self.__version)) + else: + key = (r"%s\6.0\Build System\Components\Platforms" + r"\Win32 (%s)\Directories" % (self.__root, platform)) + + for base in HKEYS: + d = read_values(base, key) + if d: + if self.__version >= 7: + return self.__macros.sub(d[path]).split(";") + else: + return d[path].split(";") + # MSVC 6 seems to create the registry entries we need only when + # the GUI is run. + if self.__version == 6: + for base in HKEYS: + if read_values(base, r"%s\6.0" % self.__root) is not None: + self.warn("It seems you have Visual Studio 6 installed, " + "but the expected registry settings are not present.\n" + "You must at least run the Visual Studio GUI once " + "so that these entries are created.") + break + return [] + + def set_path_env_var(self, name): + """Set environment variable 'name' to an MSVC path type value. + + This is equivalent to a SET command prior to execution of spawned + commands. + """ + + if name == "lib": + p = self.get_msvc_paths("library") + else: + p = self.get_msvc_paths(name) + if p: + os.environ[name] = ';'.join(p) + + +if get_build_version() >= 8.0: + log.debug("Importing new compiler from distutils.msvc9compiler") + OldMSVCCompiler = MSVCCompiler + from distutils.msvc9compiler import MSVCCompiler + # get_build_architecture not really relevant now we support cross-compile + from distutils.msvc9compiler import MacroExpander diff --git a/venv/Lib/site-packages/setuptools/_distutils/py35compat.py b/venv/Lib/site-packages/setuptools/_distutils/py35compat.py new file mode 100644 index 0000000..79b2e7f --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/py35compat.py @@ -0,0 +1,19 @@ +import sys +import subprocess + + +def __optim_args_from_interpreter_flags(): + """Return a list of command-line arguments reproducing the current + optimization settings in sys.flags.""" + args = [] + value = sys.flags.optimize + if value > 0: + args.append("-" + "O" * value) + return args + + +_optim_args_from_interpreter_flags = getattr( + subprocess, + "_optim_args_from_interpreter_flags", + __optim_args_from_interpreter_flags, +) diff --git a/venv/Lib/site-packages/setuptools/_distutils/py38compat.py b/venv/Lib/site-packages/setuptools/_distutils/py38compat.py new file mode 100644 index 0000000..7dbe8ce --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/py38compat.py @@ -0,0 +1,7 @@ +def aix_platform(osname, version, release): + try: + import _aix_support + return _aix_support.aix_platform() + except ImportError: + pass + return "%s-%s.%s" % (osname, version, release) diff --git a/venv/Lib/site-packages/setuptools/_distutils/spawn.py b/venv/Lib/site-packages/setuptools/_distutils/spawn.py new file mode 100644 index 0000000..6e1c89f --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/spawn.py @@ -0,0 +1,106 @@ +"""distutils.spawn + +Provides the 'spawn()' function, a front-end to various platform- +specific functions for launching another program in a sub-process. +Also provides the 'find_executable()' to search the path for a given +executable name. +""" + +import sys +import os +import subprocess + +from distutils.errors import DistutilsPlatformError, DistutilsExecError +from distutils.debug import DEBUG +from distutils import log + + +def spawn(cmd, search_path=1, verbose=0, dry_run=0, env=None): + """Run another program, specified as a command list 'cmd', in a new process. + + 'cmd' is just the argument list for the new process, ie. + cmd[0] is the program to run and cmd[1:] are the rest of its arguments. + There is no way to run a program with a name different from that of its + executable. + + If 'search_path' is true (the default), the system's executable + search path will be used to find the program; otherwise, cmd[0] + must be the exact path to the executable. If 'dry_run' is true, + the command will not actually be run. + + Raise DistutilsExecError if running the program fails in any way; just + return on success. + """ + # cmd is documented as a list, but just in case some code passes a tuple + # in, protect our %-formatting code against horrible death + cmd = list(cmd) + + log.info(subprocess.list2cmdline(cmd)) + if dry_run: + return + + if search_path: + executable = find_executable(cmd[0]) + if executable is not None: + cmd[0] = executable + + env = env if env is not None else dict(os.environ) + + if sys.platform == 'darwin': + from distutils.util import MACOSX_VERSION_VAR, get_macosx_target_ver + macosx_target_ver = get_macosx_target_ver() + if macosx_target_ver: + env[MACOSX_VERSION_VAR] = macosx_target_ver + + try: + proc = subprocess.Popen(cmd, env=env) + proc.wait() + exitcode = proc.returncode + except OSError as exc: + if not DEBUG: + cmd = cmd[0] + raise DistutilsExecError( + "command %r failed: %s" % (cmd, exc.args[-1])) from exc + + if exitcode: + if not DEBUG: + cmd = cmd[0] + raise DistutilsExecError( + "command %r failed with exit code %s" % (cmd, exitcode)) + + +def find_executable(executable, path=None): + """Tries to find 'executable' in the directories listed in 'path'. + + A string listing directories separated by 'os.pathsep'; defaults to + os.environ['PATH']. Returns the complete filename or None if not found. + """ + _, ext = os.path.splitext(executable) + if (sys.platform == 'win32') and (ext != '.exe'): + executable = executable + '.exe' + + if os.path.isfile(executable): + return executable + + if path is None: + path = os.environ.get('PATH', None) + if path is None: + try: + path = os.confstr("CS_PATH") + except (AttributeError, ValueError): + # os.confstr() or CS_PATH is not available + path = os.defpath + # bpo-35755: Don't use os.defpath if the PATH environment variable is + # set to an empty string + + # PATH='' doesn't match, whereas PATH=':' looks in the current directory + if not path: + return None + + paths = path.split(os.pathsep) + for p in paths: + f = os.path.join(p, executable) + if os.path.isfile(f): + # the file exists, we have a shot at spawn working + return f + return None diff --git a/venv/Lib/site-packages/setuptools/_distutils/sysconfig.py b/venv/Lib/site-packages/setuptools/_distutils/sysconfig.py new file mode 100644 index 0000000..8832b3e --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/sysconfig.py @@ -0,0 +1,578 @@ +"""Provide access to Python's configuration information. The specific +configuration variables available depend heavily on the platform and +configuration. The values may be retrieved using +get_config_var(name), and the list of variables is available via +get_config_vars().keys(). Additional convenience functions are also +available. + +Written by: Fred L. Drake, Jr. +Email: <fdrake@acm.org> +""" + +import _imp +import os +import re +import sys + +from .errors import DistutilsPlatformError + +IS_PYPY = '__pypy__' in sys.builtin_module_names + +# These are needed in a couple of spots, so just compute them once. +PREFIX = os.path.normpath(sys.prefix) +EXEC_PREFIX = os.path.normpath(sys.exec_prefix) +BASE_PREFIX = os.path.normpath(sys.base_prefix) +BASE_EXEC_PREFIX = os.path.normpath(sys.base_exec_prefix) + +# Path to the base directory of the project. On Windows the binary may +# live in project/PCbuild/win32 or project/PCbuild/amd64. +# set for cross builds +if "_PYTHON_PROJECT_BASE" in os.environ: + project_base = os.path.abspath(os.environ["_PYTHON_PROJECT_BASE"]) +else: + if sys.executable: + project_base = os.path.dirname(os.path.abspath(sys.executable)) + else: + # sys.executable can be empty if argv[0] has been changed and Python is + # unable to retrieve the real program name + project_base = os.getcwd() + + +# python_build: (Boolean) if true, we're either building Python or +# building an extension with an un-installed Python, so we use +# different (hard-wired) directories. +def _is_python_source_dir(d): + for fn in ("Setup", "Setup.local"): + if os.path.isfile(os.path.join(d, "Modules", fn)): + return True + return False + +_sys_home = getattr(sys, '_home', None) + +if os.name == 'nt': + def _fix_pcbuild(d): + if d and os.path.normcase(d).startswith( + os.path.normcase(os.path.join(PREFIX, "PCbuild"))): + return PREFIX + return d + project_base = _fix_pcbuild(project_base) + _sys_home = _fix_pcbuild(_sys_home) + +def _python_build(): + if _sys_home: + return _is_python_source_dir(_sys_home) + return _is_python_source_dir(project_base) + +python_build = _python_build() + + +# Calculate the build qualifier flags if they are defined. Adding the flags +# to the include and lib directories only makes sense for an installation, not +# an in-source build. +build_flags = '' +try: + if not python_build: + build_flags = sys.abiflags +except AttributeError: + # It's not a configure-based build, so the sys module doesn't have + # this attribute, which is fine. + pass + +def get_python_version(): + """Return a string containing the major and minor Python version, + leaving off the patchlevel. Sample return values could be '1.5' + or '2.2'. + """ + return '%d.%d' % sys.version_info[:2] + + +def get_python_inc(plat_specific=0, prefix=None): + """Return the directory containing installed Python header files. + + If 'plat_specific' is false (the default), this is the path to the + non-platform-specific header files, i.e. Python.h and so on; + otherwise, this is the path to platform-specific header files + (namely pyconfig.h). + + If 'prefix' is supplied, use it instead of sys.base_prefix or + sys.base_exec_prefix -- i.e., ignore 'plat_specific'. + """ + if prefix is None: + prefix = plat_specific and BASE_EXEC_PREFIX or BASE_PREFIX + if os.name == "posix": + if IS_PYPY and sys.version_info < (3, 8): + return os.path.join(prefix, 'include') + if python_build: + # Assume the executable is in the build directory. The + # pyconfig.h file should be in the same directory. Since + # the build directory may not be the source directory, we + # must use "srcdir" from the makefile to find the "Include" + # directory. + if plat_specific: + return _sys_home or project_base + else: + incdir = os.path.join(get_config_var('srcdir'), 'Include') + return os.path.normpath(incdir) + implementation = 'pypy' if IS_PYPY else 'python' + python_dir = implementation + get_python_version() + build_flags + return os.path.join(prefix, "include", python_dir) + elif os.name == "nt": + if python_build: + # Include both the include and PC dir to ensure we can find + # pyconfig.h + return (os.path.join(prefix, "include") + os.path.pathsep + + os.path.join(prefix, "PC")) + return os.path.join(prefix, "include") + else: + raise DistutilsPlatformError( + "I don't know where Python installs its C header files " + "on platform '%s'" % os.name) + + +def get_python_lib(plat_specific=0, standard_lib=0, prefix=None): + """Return the directory containing the Python library (standard or + site additions). + + If 'plat_specific' is true, return the directory containing + platform-specific modules, i.e. any module from a non-pure-Python + module distribution; otherwise, return the platform-shared library + directory. If 'standard_lib' is true, return the directory + containing standard Python library modules; otherwise, return the + directory for site-specific modules. + + If 'prefix' is supplied, use it instead of sys.base_prefix or + sys.base_exec_prefix -- i.e., ignore 'plat_specific'. + """ + + if IS_PYPY and sys.version_info < (3, 8): + # PyPy-specific schema + if prefix is None: + prefix = PREFIX + if standard_lib: + return os.path.join(prefix, "lib-python", sys.version[0]) + return os.path.join(prefix, 'site-packages') + + if prefix is None: + if standard_lib: + prefix = plat_specific and BASE_EXEC_PREFIX or BASE_PREFIX + else: + prefix = plat_specific and EXEC_PREFIX or PREFIX + + if os.name == "posix": + if plat_specific or standard_lib: + # Platform-specific modules (any module from a non-pure-Python + # module distribution) or standard Python library modules. + libdir = getattr(sys, "platlibdir", "lib") + else: + # Pure Python + libdir = "lib" + implementation = 'pypy' if IS_PYPY else 'python' + libpython = os.path.join(prefix, libdir, + implementation + get_python_version()) + if standard_lib: + return libpython + else: + return os.path.join(libpython, "site-packages") + elif os.name == "nt": + if standard_lib: + return os.path.join(prefix, "Lib") + else: + return os.path.join(prefix, "Lib", "site-packages") + else: + raise DistutilsPlatformError( + "I don't know where Python installs its library " + "on platform '%s'" % os.name) + + + +def customize_compiler(compiler): + """Do any platform-specific customization of a CCompiler instance. + + Mainly needed on Unix, so we can plug in the information that + varies across Unices and is stored in Python's Makefile. + """ + if compiler.compiler_type == "unix": + if sys.platform == "darwin": + # Perform first-time customization of compiler-related + # config vars on OS X now that we know we need a compiler. + # This is primarily to support Pythons from binary + # installers. The kind and paths to build tools on + # the user system may vary significantly from the system + # that Python itself was built on. Also the user OS + # version and build tools may not support the same set + # of CPU architectures for universal builds. + global _config_vars + # Use get_config_var() to ensure _config_vars is initialized. + if not get_config_var('CUSTOMIZED_OSX_COMPILER'): + import _osx_support + _osx_support.customize_compiler(_config_vars) + _config_vars['CUSTOMIZED_OSX_COMPILER'] = 'True' + + (cc, cxx, cflags, ccshared, ldshared, shlib_suffix, ar, ar_flags) = \ + get_config_vars('CC', 'CXX', 'CFLAGS', + 'CCSHARED', 'LDSHARED', 'SHLIB_SUFFIX', 'AR', 'ARFLAGS') + + if 'CC' in os.environ: + newcc = os.environ['CC'] + if('LDSHARED' not in os.environ + and ldshared.startswith(cc)): + # If CC is overridden, use that as the default + # command for LDSHARED as well + ldshared = newcc + ldshared[len(cc):] + cc = newcc + if 'CXX' in os.environ: + cxx = os.environ['CXX'] + if 'LDSHARED' in os.environ: + ldshared = os.environ['LDSHARED'] + if 'CPP' in os.environ: + cpp = os.environ['CPP'] + else: + cpp = cc + " -E" # not always + if 'LDFLAGS' in os.environ: + ldshared = ldshared + ' ' + os.environ['LDFLAGS'] + if 'CFLAGS' in os.environ: + cflags = cflags + ' ' + os.environ['CFLAGS'] + ldshared = ldshared + ' ' + os.environ['CFLAGS'] + if 'CPPFLAGS' in os.environ: + cpp = cpp + ' ' + os.environ['CPPFLAGS'] + cflags = cflags + ' ' + os.environ['CPPFLAGS'] + ldshared = ldshared + ' ' + os.environ['CPPFLAGS'] + if 'AR' in os.environ: + ar = os.environ['AR'] + if 'ARFLAGS' in os.environ: + archiver = ar + ' ' + os.environ['ARFLAGS'] + else: + archiver = ar + ' ' + ar_flags + + cc_cmd = cc + ' ' + cflags + compiler.set_executables( + preprocessor=cpp, + compiler=cc_cmd, + compiler_so=cc_cmd + ' ' + ccshared, + compiler_cxx=cxx, + linker_so=ldshared, + linker_exe=cc, + archiver=archiver) + + if 'RANLIB' in os.environ and compiler.executables.get('ranlib', None): + compiler.set_executables(ranlib=os.environ['RANLIB']) + + compiler.shared_lib_extension = shlib_suffix + + +def get_config_h_filename(): + """Return full pathname of installed pyconfig.h file.""" + if python_build: + if os.name == "nt": + inc_dir = os.path.join(_sys_home or project_base, "PC") + else: + inc_dir = _sys_home or project_base + else: + inc_dir = get_python_inc(plat_specific=1) + + return os.path.join(inc_dir, 'pyconfig.h') + + +def get_makefile_filename(): + """Return full pathname of installed Makefile from the Python build.""" + if python_build: + return os.path.join(_sys_home or project_base, "Makefile") + lib_dir = get_python_lib(plat_specific=0, standard_lib=1) + config_file = 'config-{}{}'.format(get_python_version(), build_flags) + if hasattr(sys.implementation, '_multiarch'): + config_file += '-%s' % sys.implementation._multiarch + return os.path.join(lib_dir, config_file, 'Makefile') + + +def parse_config_h(fp, g=None): + """Parse a config.h-style file. + + A dictionary containing name/value pairs is returned. If an + optional dictionary is passed in as the second argument, it is + used instead of a new dictionary. + """ + if g is None: + g = {} + define_rx = re.compile("#define ([A-Z][A-Za-z0-9_]+) (.*)\n") + undef_rx = re.compile("/[*] #undef ([A-Z][A-Za-z0-9_]+) [*]/\n") + # + while True: + line = fp.readline() + if not line: + break + m = define_rx.match(line) + if m: + n, v = m.group(1, 2) + try: v = int(v) + except ValueError: pass + g[n] = v + else: + m = undef_rx.match(line) + if m: + g[m.group(1)] = 0 + return g + + +# Regexes needed for parsing Makefile (and similar syntaxes, +# like old-style Setup files). +_variable_rx = re.compile(r"([a-zA-Z][a-zA-Z0-9_]+)\s*=\s*(.*)") +_findvar1_rx = re.compile(r"\$\(([A-Za-z][A-Za-z0-9_]*)\)") +_findvar2_rx = re.compile(r"\${([A-Za-z][A-Za-z0-9_]*)}") + +def parse_makefile(fn, g=None): + """Parse a Makefile-style file. + + A dictionary containing name/value pairs is returned. If an + optional dictionary is passed in as the second argument, it is + used instead of a new dictionary. + """ + from distutils.text_file import TextFile + fp = TextFile(fn, strip_comments=1, skip_blanks=1, join_lines=1, errors="surrogateescape") + + if g is None: + g = {} + done = {} + notdone = {} + + while True: + line = fp.readline() + if line is None: # eof + break + m = _variable_rx.match(line) + if m: + n, v = m.group(1, 2) + v = v.strip() + # `$$' is a literal `$' in make + tmpv = v.replace('$$', '') + + if "$" in tmpv: + notdone[n] = v + else: + try: + v = int(v) + except ValueError: + # insert literal `$' + done[n] = v.replace('$$', '$') + else: + done[n] = v + + # Variables with a 'PY_' prefix in the makefile. These need to + # be made available without that prefix through sysconfig. + # Special care is needed to ensure that variable expansion works, even + # if the expansion uses the name without a prefix. + renamed_variables = ('CFLAGS', 'LDFLAGS', 'CPPFLAGS') + + # do variable interpolation here + while notdone: + for name in list(notdone): + value = notdone[name] + m = _findvar1_rx.search(value) or _findvar2_rx.search(value) + if m: + n = m.group(1) + found = True + if n in done: + item = str(done[n]) + elif n in notdone: + # get it on a subsequent round + found = False + elif n in os.environ: + # do it like make: fall back to environment + item = os.environ[n] + + elif n in renamed_variables: + if name.startswith('PY_') and name[3:] in renamed_variables: + item = "" + + elif 'PY_' + n in notdone: + found = False + + else: + item = str(done['PY_' + n]) + else: + done[n] = item = "" + if found: + after = value[m.end():] + value = value[:m.start()] + item + after + if "$" in after: + notdone[name] = value + else: + try: value = int(value) + except ValueError: + done[name] = value.strip() + else: + done[name] = value + del notdone[name] + + if name.startswith('PY_') \ + and name[3:] in renamed_variables: + + name = name[3:] + if name not in done: + done[name] = value + else: + # bogus variable reference; just drop it since we can't deal + del notdone[name] + + fp.close() + + # strip spurious spaces + for k, v in done.items(): + if isinstance(v, str): + done[k] = v.strip() + + # save the results in the global dictionary + g.update(done) + return g + + +def expand_makefile_vars(s, vars): + """Expand Makefile-style variables -- "${foo}" or "$(foo)" -- in + 'string' according to 'vars' (a dictionary mapping variable names to + values). Variables not present in 'vars' are silently expanded to the + empty string. The variable values in 'vars' should not contain further + variable expansions; if 'vars' is the output of 'parse_makefile()', + you're fine. Returns a variable-expanded version of 's'. + """ + + # This algorithm does multiple expansion, so if vars['foo'] contains + # "${bar}", it will expand ${foo} to ${bar}, and then expand + # ${bar}... and so forth. This is fine as long as 'vars' comes from + # 'parse_makefile()', which takes care of such expansions eagerly, + # according to make's variable expansion semantics. + + while True: + m = _findvar1_rx.search(s) or _findvar2_rx.search(s) + if m: + (beg, end) = m.span() + s = s[0:beg] + vars.get(m.group(1)) + s[end:] + else: + break + return s + + +_config_vars = None + +def _init_posix(): + """Initialize the module as appropriate for POSIX systems.""" + # _sysconfigdata is generated at build time, see the sysconfig module + name = os.environ.get('_PYTHON_SYSCONFIGDATA_NAME', + '_sysconfigdata_{abi}_{platform}_{multiarch}'.format( + abi=sys.abiflags, + platform=sys.platform, + multiarch=getattr(sys.implementation, '_multiarch', ''), + )) + try: + _temp = __import__(name, globals(), locals(), ['build_time_vars'], 0) + except ImportError: + # Python 3.5 and pypy 7.3.1 + _temp = __import__( + '_sysconfigdata', globals(), locals(), ['build_time_vars'], 0) + build_time_vars = _temp.build_time_vars + global _config_vars + _config_vars = {} + _config_vars.update(build_time_vars) + + +def _init_nt(): + """Initialize the module as appropriate for NT""" + g = {} + # set basic install directories + g['LIBDEST'] = get_python_lib(plat_specific=0, standard_lib=1) + g['BINLIBDEST'] = get_python_lib(plat_specific=1, standard_lib=1) + + # XXX hmmm.. a normal install puts include files here + g['INCLUDEPY'] = get_python_inc(plat_specific=0) + + g['EXT_SUFFIX'] = _imp.extension_suffixes()[0] + g['EXE'] = ".exe" + g['VERSION'] = get_python_version().replace(".", "") + g['BINDIR'] = os.path.dirname(os.path.abspath(sys.executable)) + + global _config_vars + _config_vars = g + + +def get_config_vars(*args): + """With no arguments, return a dictionary of all configuration + variables relevant for the current platform. Generally this includes + everything needed to build extensions and install both pure modules and + extensions. On Unix, this means every variable defined in Python's + installed Makefile; on Windows it's a much smaller set. + + With arguments, return a list of values that result from looking up + each argument in the configuration variable dictionary. + """ + global _config_vars + if _config_vars is None: + func = globals().get("_init_" + os.name) + if func: + func() + else: + _config_vars = {} + + # Normalized versions of prefix and exec_prefix are handy to have; + # in fact, these are the standard versions used most places in the + # Distutils. + _config_vars['prefix'] = PREFIX + _config_vars['exec_prefix'] = EXEC_PREFIX + + if not IS_PYPY: + # For backward compatibility, see issue19555 + SO = _config_vars.get('EXT_SUFFIX') + if SO is not None: + _config_vars['SO'] = SO + + # Always convert srcdir to an absolute path + srcdir = _config_vars.get('srcdir', project_base) + if os.name == 'posix': + if python_build: + # If srcdir is a relative path (typically '.' or '..') + # then it should be interpreted relative to the directory + # containing Makefile. + base = os.path.dirname(get_makefile_filename()) + srcdir = os.path.join(base, srcdir) + else: + # srcdir is not meaningful since the installation is + # spread about the filesystem. We choose the + # directory containing the Makefile since we know it + # exists. + srcdir = os.path.dirname(get_makefile_filename()) + _config_vars['srcdir'] = os.path.abspath(os.path.normpath(srcdir)) + + # Convert srcdir into an absolute path if it appears necessary. + # Normally it is relative to the build directory. However, during + # testing, for example, we might be running a non-installed python + # from a different directory. + if python_build and os.name == "posix": + base = project_base + if (not os.path.isabs(_config_vars['srcdir']) and + base != os.getcwd()): + # srcdir is relative and we are not in the same directory + # as the executable. Assume executable is in the build + # directory and make srcdir absolute. + srcdir = os.path.join(base, _config_vars['srcdir']) + _config_vars['srcdir'] = os.path.normpath(srcdir) + + # OS X platforms require special customization to handle + # multi-architecture, multi-os-version installers + if sys.platform == 'darwin': + import _osx_support + _osx_support.customize_config_vars(_config_vars) + + if args: + vals = [] + for name in args: + vals.append(_config_vars.get(name)) + return vals + else: + return _config_vars + +def get_config_var(name): + """Return the value of a single variable using the dictionary + returned by 'get_config_vars()'. Equivalent to + get_config_vars().get(name) + """ + if name == 'SO': + import warnings + warnings.warn('SO is deprecated, use EXT_SUFFIX', DeprecationWarning, 2) + return get_config_vars().get(name) diff --git a/venv/Lib/site-packages/setuptools/_distutils/text_file.py b/venv/Lib/site-packages/setuptools/_distutils/text_file.py new file mode 100644 index 0000000..93abad3 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/text_file.py @@ -0,0 +1,286 @@ +"""text_file + +provides the TextFile class, which gives an interface to text files +that (optionally) takes care of stripping comments, ignoring blank +lines, and joining lines with backslashes.""" + +import sys, io + + +class TextFile: + """Provides a file-like object that takes care of all the things you + commonly want to do when processing a text file that has some + line-by-line syntax: strip comments (as long as "#" is your + comment character), skip blank lines, join adjacent lines by + escaping the newline (ie. backslash at end of line), strip + leading and/or trailing whitespace. All of these are optional + and independently controllable. + + Provides a 'warn()' method so you can generate warning messages that + report physical line number, even if the logical line in question + spans multiple physical lines. Also provides 'unreadline()' for + implementing line-at-a-time lookahead. + + Constructor is called as: + + TextFile (filename=None, file=None, **options) + + It bombs (RuntimeError) if both 'filename' and 'file' are None; + 'filename' should be a string, and 'file' a file object (or + something that provides 'readline()' and 'close()' methods). It is + recommended that you supply at least 'filename', so that TextFile + can include it in warning messages. If 'file' is not supplied, + TextFile creates its own using 'io.open()'. + + The options are all boolean, and affect the value returned by + 'readline()': + strip_comments [default: true] + strip from "#" to end-of-line, as well as any whitespace + leading up to the "#" -- unless it is escaped by a backslash + lstrip_ws [default: false] + strip leading whitespace from each line before returning it + rstrip_ws [default: true] + strip trailing whitespace (including line terminator!) from + each line before returning it + skip_blanks [default: true} + skip lines that are empty *after* stripping comments and + whitespace. (If both lstrip_ws and rstrip_ws are false, + then some lines may consist of solely whitespace: these will + *not* be skipped, even if 'skip_blanks' is true.) + join_lines [default: false] + if a backslash is the last non-newline character on a line + after stripping comments and whitespace, join the following line + to it to form one "logical line"; if N consecutive lines end + with a backslash, then N+1 physical lines will be joined to + form one logical line. + collapse_join [default: false] + strip leading whitespace from lines that are joined to their + predecessor; only matters if (join_lines and not lstrip_ws) + errors [default: 'strict'] + error handler used to decode the file content + + Note that since 'rstrip_ws' can strip the trailing newline, the + semantics of 'readline()' must differ from those of the builtin file + object's 'readline()' method! In particular, 'readline()' returns + None for end-of-file: an empty string might just be a blank line (or + an all-whitespace line), if 'rstrip_ws' is true but 'skip_blanks' is + not.""" + + default_options = { 'strip_comments': 1, + 'skip_blanks': 1, + 'lstrip_ws': 0, + 'rstrip_ws': 1, + 'join_lines': 0, + 'collapse_join': 0, + 'errors': 'strict', + } + + def __init__(self, filename=None, file=None, **options): + """Construct a new TextFile object. At least one of 'filename' + (a string) and 'file' (a file-like object) must be supplied. + They keyword argument options are described above and affect + the values returned by 'readline()'.""" + if filename is None and file is None: + raise RuntimeError("you must supply either or both of 'filename' and 'file'") + + # set values for all options -- either from client option hash + # or fallback to default_options + for opt in self.default_options.keys(): + if opt in options: + setattr(self, opt, options[opt]) + else: + setattr(self, opt, self.default_options[opt]) + + # sanity check client option hash + for opt in options.keys(): + if opt not in self.default_options: + raise KeyError("invalid TextFile option '%s'" % opt) + + if file is None: + self.open(filename) + else: + self.filename = filename + self.file = file + self.current_line = 0 # assuming that file is at BOF! + + # 'linebuf' is a stack of lines that will be emptied before we + # actually read from the file; it's only populated by an + # 'unreadline()' operation + self.linebuf = [] + + def open(self, filename): + """Open a new file named 'filename'. This overrides both the + 'filename' and 'file' arguments to the constructor.""" + self.filename = filename + self.file = io.open(self.filename, 'r', errors=self.errors) + self.current_line = 0 + + def close(self): + """Close the current file and forget everything we know about it + (filename, current line number).""" + file = self.file + self.file = None + self.filename = None + self.current_line = None + file.close() + + def gen_error(self, msg, line=None): + outmsg = [] + if line is None: + line = self.current_line + outmsg.append(self.filename + ", ") + if isinstance(line, (list, tuple)): + outmsg.append("lines %d-%d: " % tuple(line)) + else: + outmsg.append("line %d: " % line) + outmsg.append(str(msg)) + return "".join(outmsg) + + def error(self, msg, line=None): + raise ValueError("error: " + self.gen_error(msg, line)) + + def warn(self, msg, line=None): + """Print (to stderr) a warning message tied to the current logical + line in the current file. If the current logical line in the + file spans multiple physical lines, the warning refers to the + whole range, eg. "lines 3-5". If 'line' supplied, it overrides + the current line number; it may be a list or tuple to indicate a + range of physical lines, or an integer for a single physical + line.""" + sys.stderr.write("warning: " + self.gen_error(msg, line) + "\n") + + def readline(self): + """Read and return a single logical line from the current file (or + from an internal buffer if lines have previously been "unread" + with 'unreadline()'). If the 'join_lines' option is true, this + may involve reading multiple physical lines concatenated into a + single string. Updates the current line number, so calling + 'warn()' after 'readline()' emits a warning about the physical + line(s) just read. Returns None on end-of-file, since the empty + string can occur if 'rstrip_ws' is true but 'strip_blanks' is + not.""" + # If any "unread" lines waiting in 'linebuf', return the top + # one. (We don't actually buffer read-ahead data -- lines only + # get put in 'linebuf' if the client explicitly does an + # 'unreadline()'. + if self.linebuf: + line = self.linebuf[-1] + del self.linebuf[-1] + return line + + buildup_line = '' + + while True: + # read the line, make it None if EOF + line = self.file.readline() + if line == '': + line = None + + if self.strip_comments and line: + + # Look for the first "#" in the line. If none, never + # mind. If we find one and it's the first character, or + # is not preceded by "\", then it starts a comment -- + # strip the comment, strip whitespace before it, and + # carry on. Otherwise, it's just an escaped "#", so + # unescape it (and any other escaped "#"'s that might be + # lurking in there) and otherwise leave the line alone. + + pos = line.find("#") + if pos == -1: # no "#" -- no comments + pass + + # It's definitely a comment -- either "#" is the first + # character, or it's elsewhere and unescaped. + elif pos == 0 or line[pos-1] != "\\": + # Have to preserve the trailing newline, because it's + # the job of a later step (rstrip_ws) to remove it -- + # and if rstrip_ws is false, we'd better preserve it! + # (NB. this means that if the final line is all comment + # and has no trailing newline, we will think that it's + # EOF; I think that's OK.) + eol = (line[-1] == '\n') and '\n' or '' + line = line[0:pos] + eol + + # If all that's left is whitespace, then skip line + # *now*, before we try to join it to 'buildup_line' -- + # that way constructs like + # hello \\ + # # comment that should be ignored + # there + # result in "hello there". + if line.strip() == "": + continue + else: # it's an escaped "#" + line = line.replace("\\#", "#") + + # did previous line end with a backslash? then accumulate + if self.join_lines and buildup_line: + # oops: end of file + if line is None: + self.warn("continuation line immediately precedes " + "end-of-file") + return buildup_line + + if self.collapse_join: + line = line.lstrip() + line = buildup_line + line + + # careful: pay attention to line number when incrementing it + if isinstance(self.current_line, list): + self.current_line[1] = self.current_line[1] + 1 + else: + self.current_line = [self.current_line, + self.current_line + 1] + # just an ordinary line, read it as usual + else: + if line is None: # eof + return None + + # still have to be careful about incrementing the line number! + if isinstance(self.current_line, list): + self.current_line = self.current_line[1] + 1 + else: + self.current_line = self.current_line + 1 + + # strip whitespace however the client wants (leading and + # trailing, or one or the other, or neither) + if self.lstrip_ws and self.rstrip_ws: + line = line.strip() + elif self.lstrip_ws: + line = line.lstrip() + elif self.rstrip_ws: + line = line.rstrip() + + # blank line (whether we rstrip'ed or not)? skip to next line + # if appropriate + if (line == '' or line == '\n') and self.skip_blanks: + continue + + if self.join_lines: + if line[-1] == '\\': + buildup_line = line[:-1] + continue + + if line[-2:] == '\\\n': + buildup_line = line[0:-2] + '\n' + continue + + # well, I guess there's some actual content there: return it + return line + + def readlines(self): + """Read and return the list of all logical lines remaining in the + current file.""" + lines = [] + while True: + line = self.readline() + if line is None: + return lines + lines.append(line) + + def unreadline(self, line): + """Push 'line' (a string) onto an internal buffer that will be + checked by future 'readline()' calls. Handy for implementing + a parser with line-at-a-time lookahead.""" + self.linebuf.append(line) diff --git a/venv/Lib/site-packages/setuptools/_distutils/unixccompiler.py b/venv/Lib/site-packages/setuptools/_distutils/unixccompiler.py new file mode 100644 index 0000000..349cc16 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/unixccompiler.py @@ -0,0 +1,332 @@ +"""distutils.unixccompiler + +Contains the UnixCCompiler class, a subclass of CCompiler that handles +the "typical" Unix-style command-line C compiler: + * macros defined with -Dname[=value] + * macros undefined with -Uname + * include search directories specified with -Idir + * libraries specified with -lllib + * library search directories specified with -Ldir + * compile handled by 'cc' (or similar) executable with -c option: + compiles .c to .o + * link static library handled by 'ar' command (possibly with 'ranlib') + * link shared library handled by 'cc -shared' +""" + +import os, sys, re, shlex + +from distutils import sysconfig +from distutils.dep_util import newer +from distutils.ccompiler import \ + CCompiler, gen_preprocess_options, gen_lib_options +from distutils.errors import \ + DistutilsExecError, CompileError, LibError, LinkError +from distutils import log + +if sys.platform == 'darwin': + import _osx_support + +# XXX Things not currently handled: +# * optimization/debug/warning flags; we just use whatever's in Python's +# Makefile and live with it. Is this adequate? If not, we might +# have to have a bunch of subclasses GNUCCompiler, SGICCompiler, +# SunCCompiler, and I suspect down that road lies madness. +# * even if we don't know a warning flag from an optimization flag, +# we need some way for outsiders to feed preprocessor/compiler/linker +# flags in to us -- eg. a sysadmin might want to mandate certain flags +# via a site config file, or a user might want to set something for +# compiling this module distribution only via the setup.py command +# line, whatever. As long as these options come from something on the +# current system, they can be as system-dependent as they like, and we +# should just happily stuff them into the preprocessor/compiler/linker +# options and carry on. + + +class UnixCCompiler(CCompiler): + + compiler_type = 'unix' + + # These are used by CCompiler in two places: the constructor sets + # instance attributes 'preprocessor', 'compiler', etc. from them, and + # 'set_executable()' allows any of these to be set. The defaults here + # are pretty generic; they will probably have to be set by an outsider + # (eg. using information discovered by the sysconfig about building + # Python extensions). + executables = {'preprocessor' : None, + 'compiler' : ["cc"], + 'compiler_so' : ["cc"], + 'compiler_cxx' : ["cc"], + 'linker_so' : ["cc", "-shared"], + 'linker_exe' : ["cc"], + 'archiver' : ["ar", "-cr"], + 'ranlib' : None, + } + + if sys.platform[:6] == "darwin": + executables['ranlib'] = ["ranlib"] + + # Needed for the filename generation methods provided by the base + # class, CCompiler. NB. whoever instantiates/uses a particular + # UnixCCompiler instance should set 'shared_lib_ext' -- we set a + # reasonable common default here, but it's not necessarily used on all + # Unices! + + src_extensions = [".c",".C",".cc",".cxx",".cpp",".m"] + obj_extension = ".o" + static_lib_extension = ".a" + shared_lib_extension = ".so" + dylib_lib_extension = ".dylib" + xcode_stub_lib_extension = ".tbd" + static_lib_format = shared_lib_format = dylib_lib_format = "lib%s%s" + xcode_stub_lib_format = dylib_lib_format + if sys.platform == "cygwin": + exe_extension = ".exe" + + def preprocess(self, source, output_file=None, macros=None, + include_dirs=None, extra_preargs=None, extra_postargs=None): + fixed_args = self._fix_compile_args(None, macros, include_dirs) + ignore, macros, include_dirs = fixed_args + pp_opts = gen_preprocess_options(macros, include_dirs) + pp_args = self.preprocessor + pp_opts + if output_file: + pp_args.extend(['-o', output_file]) + if extra_preargs: + pp_args[:0] = extra_preargs + if extra_postargs: + pp_args.extend(extra_postargs) + pp_args.append(source) + + # We need to preprocess: either we're being forced to, or we're + # generating output to stdout, or there's a target output file and + # the source file is newer than the target (or the target doesn't + # exist). + if self.force or output_file is None or newer(source, output_file): + if output_file: + self.mkpath(os.path.dirname(output_file)) + try: + self.spawn(pp_args) + except DistutilsExecError as msg: + raise CompileError(msg) + + def _compile(self, obj, src, ext, cc_args, extra_postargs, pp_opts): + compiler_so = self.compiler_so + if sys.platform == 'darwin': + compiler_so = _osx_support.compiler_fixup(compiler_so, + cc_args + extra_postargs) + try: + self.spawn(compiler_so + cc_args + [src, '-o', obj] + + extra_postargs) + except DistutilsExecError as msg: + raise CompileError(msg) + + def create_static_lib(self, objects, output_libname, + output_dir=None, debug=0, target_lang=None): + objects, output_dir = self._fix_object_args(objects, output_dir) + + output_filename = \ + self.library_filename(output_libname, output_dir=output_dir) + + if self._need_link(objects, output_filename): + self.mkpath(os.path.dirname(output_filename)) + self.spawn(self.archiver + + [output_filename] + + objects + self.objects) + + # Not many Unices required ranlib anymore -- SunOS 4.x is, I + # think the only major Unix that does. Maybe we need some + # platform intelligence here to skip ranlib if it's not + # needed -- or maybe Python's configure script took care of + # it for us, hence the check for leading colon. + if self.ranlib: + try: + self.spawn(self.ranlib + [output_filename]) + except DistutilsExecError as msg: + raise LibError(msg) + else: + log.debug("skipping %s (up-to-date)", output_filename) + + def link(self, target_desc, objects, + output_filename, output_dir=None, libraries=None, + library_dirs=None, runtime_library_dirs=None, + export_symbols=None, debug=0, extra_preargs=None, + extra_postargs=None, build_temp=None, target_lang=None): + objects, output_dir = self._fix_object_args(objects, output_dir) + fixed_args = self._fix_lib_args(libraries, library_dirs, + runtime_library_dirs) + libraries, library_dirs, runtime_library_dirs = fixed_args + + lib_opts = gen_lib_options(self, library_dirs, runtime_library_dirs, + libraries) + if not isinstance(output_dir, (str, type(None))): + raise TypeError("'output_dir' must be a string or None") + if output_dir is not None: + output_filename = os.path.join(output_dir, output_filename) + + if self._need_link(objects, output_filename): + ld_args = (objects + self.objects + + lib_opts + ['-o', output_filename]) + if debug: + ld_args[:0] = ['-g'] + if extra_preargs: + ld_args[:0] = extra_preargs + if extra_postargs: + ld_args.extend(extra_postargs) + self.mkpath(os.path.dirname(output_filename)) + try: + if target_desc == CCompiler.EXECUTABLE: + linker = self.linker_exe[:] + else: + linker = self.linker_so[:] + if target_lang == "c++" and self.compiler_cxx: + # skip over environment variable settings if /usr/bin/env + # is used to set up the linker's environment. + # This is needed on OSX. Note: this assumes that the + # normal and C++ compiler have the same environment + # settings. + i = 0 + if os.path.basename(linker[0]) == "env": + i = 1 + while '=' in linker[i]: + i += 1 + + if os.path.basename(linker[i]) == 'ld_so_aix': + # AIX platforms prefix the compiler with the ld_so_aix + # script, so we need to adjust our linker index + offset = 1 + else: + offset = 0 + + linker[i+offset] = self.compiler_cxx[i] + + if sys.platform == 'darwin': + linker = _osx_support.compiler_fixup(linker, ld_args) + + self.spawn(linker + ld_args) + except DistutilsExecError as msg: + raise LinkError(msg) + else: + log.debug("skipping %s (up-to-date)", output_filename) + + # -- Miscellaneous methods ----------------------------------------- + # These are all used by the 'gen_lib_options() function, in + # ccompiler.py. + + def library_dir_option(self, dir): + return "-L" + dir + + def _is_gcc(self, compiler_name): + return "gcc" in compiler_name or "g++" in compiler_name + + def runtime_library_dir_option(self, dir): + # XXX Hackish, at the very least. See Python bug #445902: + # http://sourceforge.net/tracker/index.php + # ?func=detail&aid=445902&group_id=5470&atid=105470 + # Linkers on different platforms need different options to + # specify that directories need to be added to the list of + # directories searched for dependencies when a dynamic library + # is sought. GCC on GNU systems (Linux, FreeBSD, ...) has to + # be told to pass the -R option through to the linker, whereas + # other compilers and gcc on other systems just know this. + # Other compilers may need something slightly different. At + # this time, there's no way to determine this information from + # the configuration data stored in the Python installation, so + # we use this hack. + compiler = os.path.basename(shlex.split(sysconfig.get_config_var("CC"))[0]) + if sys.platform[:6] == "darwin": + from distutils.util import get_macosx_target_ver, split_version + macosx_target_ver = get_macosx_target_ver() + if macosx_target_ver and split_version(macosx_target_ver) >= [10, 5]: + return "-Wl,-rpath," + dir + else: # no support for -rpath on earlier macOS versions + return "-L" + dir + elif sys.platform[:7] == "freebsd": + return "-Wl,-rpath=" + dir + elif sys.platform[:5] == "hp-ux": + if self._is_gcc(compiler): + return ["-Wl,+s", "-L" + dir] + return ["+s", "-L" + dir] + else: + if self._is_gcc(compiler): + # gcc on non-GNU systems does not need -Wl, but can + # use it anyway. Since distutils has always passed in + # -Wl whenever gcc was used in the past it is probably + # safest to keep doing so. + if sysconfig.get_config_var("GNULD") == "yes": + # GNU ld needs an extra option to get a RUNPATH + # instead of just an RPATH. + return "-Wl,--enable-new-dtags,-R" + dir + else: + return "-Wl,-R" + dir + else: + # No idea how --enable-new-dtags would be passed on to + # ld if this system was using GNU ld. Don't know if a + # system like this even exists. + return "-R" + dir + + def library_option(self, lib): + return "-l" + lib + + def find_library_file(self, dirs, lib, debug=0): + shared_f = self.library_filename(lib, lib_type='shared') + dylib_f = self.library_filename(lib, lib_type='dylib') + xcode_stub_f = self.library_filename(lib, lib_type='xcode_stub') + static_f = self.library_filename(lib, lib_type='static') + + if sys.platform == 'darwin': + # On OSX users can specify an alternate SDK using + # '-isysroot', calculate the SDK root if it is specified + # (and use it further on) + # + # Note that, as of Xcode 7, Apple SDKs may contain textual stub + # libraries with .tbd extensions rather than the normal .dylib + # shared libraries installed in /. The Apple compiler tool + # chain handles this transparently but it can cause problems + # for programs that are being built with an SDK and searching + # for specific libraries. Callers of find_library_file need to + # keep in mind that the base filename of the returned SDK library + # file might have a different extension from that of the library + # file installed on the running system, for example: + # /Applications/Xcode.app/Contents/Developer/Platforms/ + # MacOSX.platform/Developer/SDKs/MacOSX10.11.sdk/ + # usr/lib/libedit.tbd + # vs + # /usr/lib/libedit.dylib + cflags = sysconfig.get_config_var('CFLAGS') + m = re.search(r'-isysroot\s*(\S+)', cflags) + if m is None: + sysroot = '/' + else: + sysroot = m.group(1) + + + + for dir in dirs: + shared = os.path.join(dir, shared_f) + dylib = os.path.join(dir, dylib_f) + static = os.path.join(dir, static_f) + xcode_stub = os.path.join(dir, xcode_stub_f) + + if sys.platform == 'darwin' and ( + dir.startswith('/System/') or ( + dir.startswith('/usr/') and not dir.startswith('/usr/local/'))): + + shared = os.path.join(sysroot, dir[1:], shared_f) + dylib = os.path.join(sysroot, dir[1:], dylib_f) + static = os.path.join(sysroot, dir[1:], static_f) + xcode_stub = os.path.join(sysroot, dir[1:], xcode_stub_f) + + # We're second-guessing the linker here, with not much hard + # data to go on: GCC seems to prefer the shared library, so I'm + # assuming that *all* Unix C compilers do. And of course I'm + # ignoring even GCC's "-static" option. So sue me. + if os.path.exists(dylib): + return dylib + elif os.path.exists(xcode_stub): + return xcode_stub + elif os.path.exists(shared): + return shared + elif os.path.exists(static): + return static + + # Oops, didn't find it in *any* of 'dirs' + return None diff --git a/venv/Lib/site-packages/setuptools/_distutils/util.py b/venv/Lib/site-packages/setuptools/_distutils/util.py new file mode 100644 index 0000000..64f06dd --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/util.py @@ -0,0 +1,535 @@ +"""distutils.util + +Miscellaneous utility functions -- anything that doesn't fit into +one of the other *util.py modules. +""" + +import os +import re +import importlib.util +import string +import sys +from distutils.errors import DistutilsPlatformError +from distutils.dep_util import newer +from distutils.spawn import spawn +from distutils import log +from distutils.errors import DistutilsByteCompileError +from .py35compat import _optim_args_from_interpreter_flags + + +def get_host_platform(): + """Return a string that identifies the current platform. This is used mainly to + distinguish platform-specific build directories and platform-specific built + distributions. Typically includes the OS name and version and the + architecture (as supplied by 'os.uname()'), although the exact information + included depends on the OS; eg. on Linux, the kernel version isn't + particularly important. + + Examples of returned values: + linux-i586 + linux-alpha (?) + solaris-2.6-sun4u + + Windows will return one of: + win-amd64 (64bit Windows on AMD64 (aka x86_64, Intel64, EM64T, etc) + win32 (all others - specifically, sys.platform is returned) + + For other non-POSIX platforms, currently just returns 'sys.platform'. + + """ + if os.name == 'nt': + if 'amd64' in sys.version.lower(): + return 'win-amd64' + if '(arm)' in sys.version.lower(): + return 'win-arm32' + if '(arm64)' in sys.version.lower(): + return 'win-arm64' + return sys.platform + + # Set for cross builds explicitly + if "_PYTHON_HOST_PLATFORM" in os.environ: + return os.environ["_PYTHON_HOST_PLATFORM"] + + if os.name != "posix" or not hasattr(os, 'uname'): + # XXX what about the architecture? NT is Intel or Alpha, + # Mac OS is M68k or PPC, etc. + return sys.platform + + # Try to distinguish various flavours of Unix + + (osname, host, release, version, machine) = os.uname() + + # Convert the OS name to lowercase, remove '/' characters, and translate + # spaces (for "Power Macintosh") + osname = osname.lower().replace('/', '') + machine = machine.replace(' ', '_') + machine = machine.replace('/', '-') + + if osname[:5] == "linux": + # At least on Linux/Intel, 'machine' is the processor -- + # i386, etc. + # XXX what about Alpha, SPARC, etc? + return "%s-%s" % (osname, machine) + elif osname[:5] == "sunos": + if release[0] >= "5": # SunOS 5 == Solaris 2 + osname = "solaris" + release = "%d.%s" % (int(release[0]) - 3, release[2:]) + # We can't use "platform.architecture()[0]" because a + # bootstrap problem. We use a dict to get an error + # if some suspicious happens. + bitness = {2147483647:"32bit", 9223372036854775807:"64bit"} + machine += ".%s" % bitness[sys.maxsize] + # fall through to standard osname-release-machine representation + elif osname[:3] == "aix": + from .py38compat import aix_platform + return aix_platform(osname, version, release) + elif osname[:6] == "cygwin": + osname = "cygwin" + rel_re = re.compile (r'[\d.]+', re.ASCII) + m = rel_re.match(release) + if m: + release = m.group() + elif osname[:6] == "darwin": + import _osx_support, distutils.sysconfig + osname, release, machine = _osx_support.get_platform_osx( + distutils.sysconfig.get_config_vars(), + osname, release, machine) + + return "%s-%s-%s" % (osname, release, machine) + +def get_platform(): + if os.name == 'nt': + TARGET_TO_PLAT = { + 'x86' : 'win32', + 'x64' : 'win-amd64', + 'arm' : 'win-arm32', + 'arm64': 'win-arm64', + } + return TARGET_TO_PLAT.get(os.environ.get('VSCMD_ARG_TGT_ARCH')) or get_host_platform() + else: + return get_host_platform() + + +if sys.platform == 'darwin': + _syscfg_macosx_ver = None # cache the version pulled from sysconfig +MACOSX_VERSION_VAR = 'MACOSX_DEPLOYMENT_TARGET' + +def _clear_cached_macosx_ver(): + """For testing only. Do not call.""" + global _syscfg_macosx_ver + _syscfg_macosx_ver = None + +def get_macosx_target_ver_from_syscfg(): + """Get the version of macOS latched in the Python interpreter configuration. + Returns the version as a string or None if can't obtain one. Cached.""" + global _syscfg_macosx_ver + if _syscfg_macosx_ver is None: + from distutils import sysconfig + ver = sysconfig.get_config_var(MACOSX_VERSION_VAR) or '' + if ver: + _syscfg_macosx_ver = ver + return _syscfg_macosx_ver + +def get_macosx_target_ver(): + """Return the version of macOS for which we are building. + + The target version defaults to the version in sysconfig latched at time + the Python interpreter was built, unless overriden by an environment + variable. If neither source has a value, then None is returned""" + + syscfg_ver = get_macosx_target_ver_from_syscfg() + env_ver = os.environ.get(MACOSX_VERSION_VAR) + + if env_ver: + # Validate overriden version against sysconfig version, if have both. + # Ensure that the deployment target of the build process is not less + # than 10.3 if the interpreter was built for 10.3 or later. This + # ensures extension modules are built with correct compatibility + # values, specifically LDSHARED which can use + # '-undefined dynamic_lookup' which only works on >= 10.3. + if syscfg_ver and split_version(syscfg_ver) >= [10, 3] and \ + split_version(env_ver) < [10, 3]: + my_msg = ('$' + MACOSX_VERSION_VAR + ' mismatch: ' + 'now "%s" but "%s" during configure; ' + 'must use 10.3 or later' + % (env_ver, syscfg_ver)) + raise DistutilsPlatformError(my_msg) + return env_ver + return syscfg_ver + + +def split_version(s): + """Convert a dot-separated string into a list of numbers for comparisons""" + return [int(n) for n in s.split('.')] + + +def convert_path (pathname): + """Return 'pathname' as a name that will work on the native filesystem, + i.e. split it on '/' and put it back together again using the current + directory separator. Needed because filenames in the setup script are + always supplied in Unix style, and have to be converted to the local + convention before we can actually use them in the filesystem. Raises + ValueError on non-Unix-ish systems if 'pathname' either starts or + ends with a slash. + """ + if os.sep == '/': + return pathname + if not pathname: + return pathname + if pathname[0] == '/': + raise ValueError("path '%s' cannot be absolute" % pathname) + if pathname[-1] == '/': + raise ValueError("path '%s' cannot end with '/'" % pathname) + + paths = pathname.split('/') + while '.' in paths: + paths.remove('.') + if not paths: + return os.curdir + return os.path.join(*paths) + +# convert_path () + + +def change_root (new_root, pathname): + """Return 'pathname' with 'new_root' prepended. If 'pathname' is + relative, this is equivalent to "os.path.join(new_root,pathname)". + Otherwise, it requires making 'pathname' relative and then joining the + two, which is tricky on DOS/Windows and Mac OS. + """ + if os.name == 'posix': + if not os.path.isabs(pathname): + return os.path.join(new_root, pathname) + else: + return os.path.join(new_root, pathname[1:]) + + elif os.name == 'nt': + (drive, path) = os.path.splitdrive(pathname) + if path[0] == '\\': + path = path[1:] + return os.path.join(new_root, path) + + else: + raise DistutilsPlatformError("nothing known about platform '%s'" % os.name) + + +_environ_checked = 0 +def check_environ (): + """Ensure that 'os.environ' has all the environment variables we + guarantee that users can use in config files, command-line options, + etc. Currently this includes: + HOME - user's home directory (Unix only) + PLAT - description of the current platform, including hardware + and OS (see 'get_platform()') + """ + global _environ_checked + if _environ_checked: + return + + if os.name == 'posix' and 'HOME' not in os.environ: + try: + import pwd + os.environ['HOME'] = pwd.getpwuid(os.getuid())[5] + except (ImportError, KeyError): + # bpo-10496: if the current user identifier doesn't exist in the + # password database, do nothing + pass + + if 'PLAT' not in os.environ: + os.environ['PLAT'] = get_platform() + + _environ_checked = 1 + + +def subst_vars (s, local_vars): + """Perform shell/Perl-style variable substitution on 'string'. Every + occurrence of '$' followed by a name is considered a variable, and + variable is substituted by the value found in the 'local_vars' + dictionary, or in 'os.environ' if it's not in 'local_vars'. + 'os.environ' is first checked/augmented to guarantee that it contains + certain values: see 'check_environ()'. Raise ValueError for any + variables not found in either 'local_vars' or 'os.environ'. + """ + check_environ() + def _subst (match, local_vars=local_vars): + var_name = match.group(1) + if var_name in local_vars: + return str(local_vars[var_name]) + else: + return os.environ[var_name] + + try: + return re.sub(r'\$([a-zA-Z_][a-zA-Z_0-9]*)', _subst, s) + except KeyError as var: + raise ValueError("invalid variable '$%s'" % var) + +# subst_vars () + + +def grok_environment_error (exc, prefix="error: "): + # Function kept for backward compatibility. + # Used to try clever things with EnvironmentErrors, + # but nowadays str(exception) produces good messages. + return prefix + str(exc) + + +# Needed by 'split_quoted()' +_wordchars_re = _squote_re = _dquote_re = None +def _init_regex(): + global _wordchars_re, _squote_re, _dquote_re + _wordchars_re = re.compile(r'[^\\\'\"%s ]*' % string.whitespace) + _squote_re = re.compile(r"'(?:[^'\\]|\\.)*'") + _dquote_re = re.compile(r'"(?:[^"\\]|\\.)*"') + +def split_quoted (s): + """Split a string up according to Unix shell-like rules for quotes and + backslashes. In short: words are delimited by spaces, as long as those + spaces are not escaped by a backslash, or inside a quoted string. + Single and double quotes are equivalent, and the quote characters can + be backslash-escaped. The backslash is stripped from any two-character + escape sequence, leaving only the escaped character. The quote + characters are stripped from any quoted string. Returns a list of + words. + """ + + # This is a nice algorithm for splitting up a single string, since it + # doesn't require character-by-character examination. It was a little + # bit of a brain-bender to get it working right, though... + if _wordchars_re is None: _init_regex() + + s = s.strip() + words = [] + pos = 0 + + while s: + m = _wordchars_re.match(s, pos) + end = m.end() + if end == len(s): + words.append(s[:end]) + break + + if s[end] in string.whitespace: # unescaped, unquoted whitespace: now + words.append(s[:end]) # we definitely have a word delimiter + s = s[end:].lstrip() + pos = 0 + + elif s[end] == '\\': # preserve whatever is being escaped; + # will become part of the current word + s = s[:end] + s[end+1:] + pos = end+1 + + else: + if s[end] == "'": # slurp singly-quoted string + m = _squote_re.match(s, end) + elif s[end] == '"': # slurp doubly-quoted string + m = _dquote_re.match(s, end) + else: + raise RuntimeError("this can't happen (bad char '%c')" % s[end]) + + if m is None: + raise ValueError("bad string (mismatched %s quotes?)" % s[end]) + + (beg, end) = m.span() + s = s[:beg] + s[beg+1:end-1] + s[end:] + pos = m.end() - 2 + + if pos >= len(s): + words.append(s) + break + + return words + +# split_quoted () + + +def execute (func, args, msg=None, verbose=0, dry_run=0): + """Perform some action that affects the outside world (eg. by + writing to the filesystem). Such actions are special because they + are disabled by the 'dry_run' flag. This method takes care of all + that bureaucracy for you; all you have to do is supply the + function to call and an argument tuple for it (to embody the + "external action" being performed), and an optional message to + print. + """ + if msg is None: + msg = "%s%r" % (func.__name__, args) + if msg[-2:] == ',)': # correct for singleton tuple + msg = msg[0:-2] + ')' + + log.info(msg) + if not dry_run: + func(*args) + + +def strtobool (val): + """Convert a string representation of truth to true (1) or false (0). + + True values are 'y', 'yes', 't', 'true', 'on', and '1'; false values + are 'n', 'no', 'f', 'false', 'off', and '0'. Raises ValueError if + 'val' is anything else. + """ + val = val.lower() + if val in ('y', 'yes', 't', 'true', 'on', '1'): + return 1 + elif val in ('n', 'no', 'f', 'false', 'off', '0'): + return 0 + else: + raise ValueError("invalid truth value %r" % (val,)) + + +def byte_compile (py_files, + optimize=0, force=0, + prefix=None, base_dir=None, + verbose=1, dry_run=0, + direct=None): + """Byte-compile a collection of Python source files to .pyc + files in a __pycache__ subdirectory. 'py_files' is a list + of files to compile; any files that don't end in ".py" are silently + skipped. 'optimize' must be one of the following: + 0 - don't optimize + 1 - normal optimization (like "python -O") + 2 - extra optimization (like "python -OO") + If 'force' is true, all files are recompiled regardless of + timestamps. + + The source filename encoded in each bytecode file defaults to the + filenames listed in 'py_files'; you can modify these with 'prefix' and + 'basedir'. 'prefix' is a string that will be stripped off of each + source filename, and 'base_dir' is a directory name that will be + prepended (after 'prefix' is stripped). You can supply either or both + (or neither) of 'prefix' and 'base_dir', as you wish. + + If 'dry_run' is true, doesn't actually do anything that would + affect the filesystem. + + Byte-compilation is either done directly in this interpreter process + with the standard py_compile module, or indirectly by writing a + temporary script and executing it. Normally, you should let + 'byte_compile()' figure out to use direct compilation or not (see + the source for details). The 'direct' flag is used by the script + generated in indirect mode; unless you know what you're doing, leave + it set to None. + """ + + # Late import to fix a bootstrap issue: _posixsubprocess is built by + # setup.py, but setup.py uses distutils. + import subprocess + + # nothing is done if sys.dont_write_bytecode is True + if sys.dont_write_bytecode: + raise DistutilsByteCompileError('byte-compiling is disabled.') + + # First, if the caller didn't force us into direct or indirect mode, + # figure out which mode we should be in. We take a conservative + # approach: choose direct mode *only* if the current interpreter is + # in debug mode and optimize is 0. If we're not in debug mode (-O + # or -OO), we don't know which level of optimization this + # interpreter is running with, so we can't do direct + # byte-compilation and be certain that it's the right thing. Thus, + # always compile indirectly if the current interpreter is in either + # optimize mode, or if either optimization level was requested by + # the caller. + if direct is None: + direct = (__debug__ and optimize == 0) + + # "Indirect" byte-compilation: write a temporary script and then + # run it with the appropriate flags. + if not direct: + try: + from tempfile import mkstemp + (script_fd, script_name) = mkstemp(".py") + except ImportError: + from tempfile import mktemp + (script_fd, script_name) = None, mktemp(".py") + log.info("writing byte-compilation script '%s'", script_name) + if not dry_run: + if script_fd is not None: + script = os.fdopen(script_fd, "w") + else: + script = open(script_name, "w") + + with script: + script.write("""\ +from distutils.util import byte_compile +files = [ +""") + + # XXX would be nice to write absolute filenames, just for + # safety's sake (script should be more robust in the face of + # chdir'ing before running it). But this requires abspath'ing + # 'prefix' as well, and that breaks the hack in build_lib's + # 'byte_compile()' method that carefully tacks on a trailing + # slash (os.sep really) to make sure the prefix here is "just + # right". This whole prefix business is rather delicate -- the + # problem is that it's really a directory, but I'm treating it + # as a dumb string, so trailing slashes and so forth matter. + + #py_files = map(os.path.abspath, py_files) + #if prefix: + # prefix = os.path.abspath(prefix) + + script.write(",\n".join(map(repr, py_files)) + "]\n") + script.write(""" +byte_compile(files, optimize=%r, force=%r, + prefix=%r, base_dir=%r, + verbose=%r, dry_run=0, + direct=1) +""" % (optimize, force, prefix, base_dir, verbose)) + + cmd = [sys.executable] + cmd.extend(_optim_args_from_interpreter_flags()) + cmd.append(script_name) + spawn(cmd, dry_run=dry_run) + execute(os.remove, (script_name,), "removing %s" % script_name, + dry_run=dry_run) + + # "Direct" byte-compilation: use the py_compile module to compile + # right here, right now. Note that the script generated in indirect + # mode simply calls 'byte_compile()' in direct mode, a weird sort of + # cross-process recursion. Hey, it works! + else: + from py_compile import compile + + for file in py_files: + if file[-3:] != ".py": + # This lets us be lazy and not filter filenames in + # the "install_lib" command. + continue + + # Terminology from the py_compile module: + # cfile - byte-compiled file + # dfile - purported source filename (same as 'file' by default) + if optimize >= 0: + opt = '' if optimize == 0 else optimize + cfile = importlib.util.cache_from_source( + file, optimization=opt) + else: + cfile = importlib.util.cache_from_source(file) + dfile = file + if prefix: + if file[:len(prefix)] != prefix: + raise ValueError("invalid prefix: filename %r doesn't start with %r" + % (file, prefix)) + dfile = dfile[len(prefix):] + if base_dir: + dfile = os.path.join(base_dir, dfile) + + cfile_base = os.path.basename(cfile) + if direct: + if force or newer(file, cfile): + log.info("byte-compiling %s to %s", file, cfile_base) + if not dry_run: + compile(file, cfile, dfile) + else: + log.debug("skipping byte-compilation of %s to %s", + file, cfile_base) + +# byte_compile () + +def rfc822_escape (header): + """Return a version of the string escaped for inclusion in an + RFC-822 header, by ensuring there are 8 spaces space after each newline. + """ + lines = header.split('\n') + sep = '\n' + 8 * ' ' + return sep.join(lines) diff --git a/venv/Lib/site-packages/setuptools/_distutils/version.py b/venv/Lib/site-packages/setuptools/_distutils/version.py new file mode 100644 index 0000000..c33beba --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/version.py @@ -0,0 +1,347 @@ +# +# distutils/version.py +# +# Implements multiple version numbering conventions for the +# Python Module Distribution Utilities. +# +# $Id$ +# + +"""Provides classes to represent module version numbers (one class for +each style of version numbering). There are currently two such classes +implemented: StrictVersion and LooseVersion. + +Every version number class implements the following interface: + * the 'parse' method takes a string and parses it to some internal + representation; if the string is an invalid version number, + 'parse' raises a ValueError exception + * the class constructor takes an optional string argument which, + if supplied, is passed to 'parse' + * __str__ reconstructs the string that was passed to 'parse' (or + an equivalent string -- ie. one that will generate an equivalent + version number instance) + * __repr__ generates Python code to recreate the version number instance + * _cmp compares the current instance with either another instance + of the same class or a string (which will be parsed to an instance + of the same class, thus must follow the same rules) +""" + +import re + +class Version: + """Abstract base class for version numbering classes. Just provides + constructor (__init__) and reproducer (__repr__), because those + seem to be the same for all version numbering classes; and route + rich comparisons to _cmp. + """ + + def __init__ (self, vstring=None): + if vstring: + self.parse(vstring) + + def __repr__ (self): + return "%s ('%s')" % (self.__class__.__name__, str(self)) + + def __eq__(self, other): + c = self._cmp(other) + if c is NotImplemented: + return c + return c == 0 + + def __lt__(self, other): + c = self._cmp(other) + if c is NotImplemented: + return c + return c < 0 + + def __le__(self, other): + c = self._cmp(other) + if c is NotImplemented: + return c + return c <= 0 + + def __gt__(self, other): + c = self._cmp(other) + if c is NotImplemented: + return c + return c > 0 + + def __ge__(self, other): + c = self._cmp(other) + if c is NotImplemented: + return c + return c >= 0 + + +# Interface for version-number classes -- must be implemented +# by the following classes (the concrete ones -- Version should +# be treated as an abstract class). +# __init__ (string) - create and take same action as 'parse' +# (string parameter is optional) +# parse (string) - convert a string representation to whatever +# internal representation is appropriate for +# this style of version numbering +# __str__ (self) - convert back to a string; should be very similar +# (if not identical to) the string supplied to parse +# __repr__ (self) - generate Python code to recreate +# the instance +# _cmp (self, other) - compare two version numbers ('other' may +# be an unparsed version string, or another +# instance of your version class) + + +class StrictVersion (Version): + + """Version numbering for anal retentives and software idealists. + Implements the standard interface for version number classes as + described above. A version number consists of two or three + dot-separated numeric components, with an optional "pre-release" tag + on the end. The pre-release tag consists of the letter 'a' or 'b' + followed by a number. If the numeric components of two version + numbers are equal, then one with a pre-release tag will always + be deemed earlier (lesser) than one without. + + The following are valid version numbers (shown in the order that + would be obtained by sorting according to the supplied cmp function): + + 0.4 0.4.0 (these two are equivalent) + 0.4.1 + 0.5a1 + 0.5b3 + 0.5 + 0.9.6 + 1.0 + 1.0.4a3 + 1.0.4b1 + 1.0.4 + + The following are examples of invalid version numbers: + + 1 + 2.7.2.2 + 1.3.a4 + 1.3pl1 + 1.3c4 + + The rationale for this version numbering system will be explained + in the distutils documentation. + """ + + version_re = re.compile(r'^(\d+) \. (\d+) (\. (\d+))? ([ab](\d+))?$', + re.VERBOSE | re.ASCII) + + + def parse (self, vstring): + match = self.version_re.match(vstring) + if not match: + raise ValueError("invalid version number '%s'" % vstring) + + (major, minor, patch, prerelease, prerelease_num) = \ + match.group(1, 2, 4, 5, 6) + + if patch: + self.version = tuple(map(int, [major, minor, patch])) + else: + self.version = tuple(map(int, [major, minor])) + (0,) + + if prerelease: + self.prerelease = (prerelease[0], int(prerelease_num)) + else: + self.prerelease = None + + + def __str__ (self): + + if self.version[2] == 0: + vstring = '.'.join(map(str, self.version[0:2])) + else: + vstring = '.'.join(map(str, self.version)) + + if self.prerelease: + vstring = vstring + self.prerelease[0] + str(self.prerelease[1]) + + return vstring + + + def _cmp (self, other): + if isinstance(other, str): + other = StrictVersion(other) + elif not isinstance(other, StrictVersion): + return NotImplemented + + if self.version != other.version: + # numeric versions don't match + # prerelease stuff doesn't matter + if self.version < other.version: + return -1 + else: + return 1 + + # have to compare prerelease + # case 1: neither has prerelease; they're equal + # case 2: self has prerelease, other doesn't; other is greater + # case 3: self doesn't have prerelease, other does: self is greater + # case 4: both have prerelease: must compare them! + + if (not self.prerelease and not other.prerelease): + return 0 + elif (self.prerelease and not other.prerelease): + return -1 + elif (not self.prerelease and other.prerelease): + return 1 + elif (self.prerelease and other.prerelease): + if self.prerelease == other.prerelease: + return 0 + elif self.prerelease < other.prerelease: + return -1 + else: + return 1 + else: + assert False, "never get here" + +# end class StrictVersion + + +# The rules according to Greg Stein: +# 1) a version number has 1 or more numbers separated by a period or by +# sequences of letters. If only periods, then these are compared +# left-to-right to determine an ordering. +# 2) sequences of letters are part of the tuple for comparison and are +# compared lexicographically +# 3) recognize the numeric components may have leading zeroes +# +# The LooseVersion class below implements these rules: a version number +# string is split up into a tuple of integer and string components, and +# comparison is a simple tuple comparison. This means that version +# numbers behave in a predictable and obvious way, but a way that might +# not necessarily be how people *want* version numbers to behave. There +# wouldn't be a problem if people could stick to purely numeric version +# numbers: just split on period and compare the numbers as tuples. +# However, people insist on putting letters into their version numbers; +# the most common purpose seems to be: +# - indicating a "pre-release" version +# ('alpha', 'beta', 'a', 'b', 'pre', 'p') +# - indicating a post-release patch ('p', 'pl', 'patch') +# but of course this can't cover all version number schemes, and there's +# no way to know what a programmer means without asking him. +# +# The problem is what to do with letters (and other non-numeric +# characters) in a version number. The current implementation does the +# obvious and predictable thing: keep them as strings and compare +# lexically within a tuple comparison. This has the desired effect if +# an appended letter sequence implies something "post-release": +# eg. "0.99" < "0.99pl14" < "1.0", and "5.001" < "5.001m" < "5.002". +# +# However, if letters in a version number imply a pre-release version, +# the "obvious" thing isn't correct. Eg. you would expect that +# "1.5.1" < "1.5.2a2" < "1.5.2", but under the tuple/lexical comparison +# implemented here, this just isn't so. +# +# Two possible solutions come to mind. The first is to tie the +# comparison algorithm to a particular set of semantic rules, as has +# been done in the StrictVersion class above. This works great as long +# as everyone can go along with bondage and discipline. Hopefully a +# (large) subset of Python module programmers will agree that the +# particular flavour of bondage and discipline provided by StrictVersion +# provides enough benefit to be worth using, and will submit their +# version numbering scheme to its domination. The free-thinking +# anarchists in the lot will never give in, though, and something needs +# to be done to accommodate them. +# +# Perhaps a "moderately strict" version class could be implemented that +# lets almost anything slide (syntactically), and makes some heuristic +# assumptions about non-digits in version number strings. This could +# sink into special-case-hell, though; if I was as talented and +# idiosyncratic as Larry Wall, I'd go ahead and implement a class that +# somehow knows that "1.2.1" < "1.2.2a2" < "1.2.2" < "1.2.2pl3", and is +# just as happy dealing with things like "2g6" and "1.13++". I don't +# think I'm smart enough to do it right though. +# +# In any case, I've coded the test suite for this module (see +# ../test/test_version.py) specifically to fail on things like comparing +# "1.2a2" and "1.2". That's not because the *code* is doing anything +# wrong, it's because the simple, obvious design doesn't match my +# complicated, hairy expectations for real-world version numbers. It +# would be a snap to fix the test suite to say, "Yep, LooseVersion does +# the Right Thing" (ie. the code matches the conception). But I'd rather +# have a conception that matches common notions about version numbers. + +class LooseVersion (Version): + + """Version numbering for anarchists and software realists. + Implements the standard interface for version number classes as + described above. A version number consists of a series of numbers, + separated by either periods or strings of letters. When comparing + version numbers, the numeric components will be compared + numerically, and the alphabetic components lexically. The following + are all valid version numbers, in no particular order: + + 1.5.1 + 1.5.2b2 + 161 + 3.10a + 8.02 + 3.4j + 1996.07.12 + 3.2.pl0 + 3.1.1.6 + 2g6 + 11g + 0.960923 + 2.2beta29 + 1.13++ + 5.5.kw + 2.0b1pl0 + + In fact, there is no such thing as an invalid version number under + this scheme; the rules for comparison are simple and predictable, + but may not always give the results you want (for some definition + of "want"). + """ + + component_re = re.compile(r'(\d+ | [a-z]+ | \.)', re.VERBOSE) + + def __init__ (self, vstring=None): + if vstring: + self.parse(vstring) + + + def parse (self, vstring): + # I've given up on thinking I can reconstruct the version string + # from the parsed tuple -- so I just store the string here for + # use by __str__ + self.vstring = vstring + components = [x for x in self.component_re.split(vstring) + if x and x != '.'] + for i, obj in enumerate(components): + try: + components[i] = int(obj) + except ValueError: + pass + + self.version = components + + + def __str__ (self): + return self.vstring + + + def __repr__ (self): + return "LooseVersion ('%s')" % str(self) + + + def _cmp (self, other): + if isinstance(other, str): + other = LooseVersion(other) + elif not isinstance(other, LooseVersion): + return NotImplemented + + if self.version == other.version: + return 0 + if self.version < other.version: + return -1 + if self.version > other.version: + return 1 + + +# end class LooseVersion diff --git a/venv/Lib/site-packages/setuptools/_distutils/versionpredicate.py b/venv/Lib/site-packages/setuptools/_distutils/versionpredicate.py new file mode 100644 index 0000000..062c98f --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_distutils/versionpredicate.py @@ -0,0 +1,166 @@ +"""Module for parsing and testing package version predicate strings. +""" +import re +import distutils.version +import operator + + +re_validPackage = re.compile(r"(?i)^\s*([a-z_]\w*(?:\.[a-z_]\w*)*)(.*)", + re.ASCII) +# (package) (rest) + +re_paren = re.compile(r"^\s*\((.*)\)\s*$") # (list) inside of parentheses +re_splitComparison = re.compile(r"^\s*(<=|>=|<|>|!=|==)\s*([^\s,]+)\s*$") +# (comp) (version) + + +def splitUp(pred): + """Parse a single version comparison. + + Return (comparison string, StrictVersion) + """ + res = re_splitComparison.match(pred) + if not res: + raise ValueError("bad package restriction syntax: %r" % pred) + comp, verStr = res.groups() + return (comp, distutils.version.StrictVersion(verStr)) + +compmap = {"<": operator.lt, "<=": operator.le, "==": operator.eq, + ">": operator.gt, ">=": operator.ge, "!=": operator.ne} + +class VersionPredicate: + """Parse and test package version predicates. + + >>> v = VersionPredicate('pyepat.abc (>1.0, <3333.3a1, !=1555.1b3)') + + The `name` attribute provides the full dotted name that is given:: + + >>> v.name + 'pyepat.abc' + + The str() of a `VersionPredicate` provides a normalized + human-readable version of the expression:: + + >>> print(v) + pyepat.abc (> 1.0, < 3333.3a1, != 1555.1b3) + + The `satisfied_by()` method can be used to determine with a given + version number is included in the set described by the version + restrictions:: + + >>> v.satisfied_by('1.1') + True + >>> v.satisfied_by('1.4') + True + >>> v.satisfied_by('1.0') + False + >>> v.satisfied_by('4444.4') + False + >>> v.satisfied_by('1555.1b3') + False + + `VersionPredicate` is flexible in accepting extra whitespace:: + + >>> v = VersionPredicate(' pat( == 0.1 ) ') + >>> v.name + 'pat' + >>> v.satisfied_by('0.1') + True + >>> v.satisfied_by('0.2') + False + + If any version numbers passed in do not conform to the + restrictions of `StrictVersion`, a `ValueError` is raised:: + + >>> v = VersionPredicate('p1.p2.p3.p4(>=1.0, <=1.3a1, !=1.2zb3)') + Traceback (most recent call last): + ... + ValueError: invalid version number '1.2zb3' + + It the module or package name given does not conform to what's + allowed as a legal module or package name, `ValueError` is + raised:: + + >>> v = VersionPredicate('foo-bar') + Traceback (most recent call last): + ... + ValueError: expected parenthesized list: '-bar' + + >>> v = VersionPredicate('foo bar (12.21)') + Traceback (most recent call last): + ... + ValueError: expected parenthesized list: 'bar (12.21)' + + """ + + def __init__(self, versionPredicateStr): + """Parse a version predicate string. + """ + # Fields: + # name: package name + # pred: list of (comparison string, StrictVersion) + + versionPredicateStr = versionPredicateStr.strip() + if not versionPredicateStr: + raise ValueError("empty package restriction") + match = re_validPackage.match(versionPredicateStr) + if not match: + raise ValueError("bad package name in %r" % versionPredicateStr) + self.name, paren = match.groups() + paren = paren.strip() + if paren: + match = re_paren.match(paren) + if not match: + raise ValueError("expected parenthesized list: %r" % paren) + str = match.groups()[0] + self.pred = [splitUp(aPred) for aPred in str.split(",")] + if not self.pred: + raise ValueError("empty parenthesized list in %r" + % versionPredicateStr) + else: + self.pred = [] + + def __str__(self): + if self.pred: + seq = [cond + " " + str(ver) for cond, ver in self.pred] + return self.name + " (" + ", ".join(seq) + ")" + else: + return self.name + + def satisfied_by(self, version): + """True if version is compatible with all the predicates in self. + The parameter version must be acceptable to the StrictVersion + constructor. It may be either a string or StrictVersion. + """ + for cond, ver in self.pred: + if not compmap[cond](version, ver): + return False + return True + + +_provision_rx = None + +def split_provision(value): + """Return the name and optional version number of a provision. + + The version number, if given, will be returned as a `StrictVersion` + instance, otherwise it will be `None`. + + >>> split_provision('mypkg') + ('mypkg', None) + >>> split_provision(' mypkg( 1.2 ) ') + ('mypkg', StrictVersion ('1.2')) + """ + global _provision_rx + if _provision_rx is None: + _provision_rx = re.compile( + r"([a-zA-Z_]\w*(?:\.[a-zA-Z_]\w*)*)(?:\s*\(\s*([^)\s]+)\s*\))?$", + re.ASCII) + value = value.strip() + m = _provision_rx.match(value) + if not m: + raise ValueError("illegal provides specification: %r" % value) + ver = m.group(2) or None + if ver: + ver = distutils.version.StrictVersion(ver) + return m.group(1), ver diff --git a/venv/Lib/site-packages/setuptools/_imp.py b/venv/Lib/site-packages/setuptools/_imp.py new file mode 100644 index 0000000..47efd79 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_imp.py @@ -0,0 +1,82 @@ +""" +Re-implementation of find_module and get_frozen_object +from the deprecated imp module. +""" + +import os +import importlib.util +import importlib.machinery + +from .py34compat import module_from_spec + + +PY_SOURCE = 1 +PY_COMPILED = 2 +C_EXTENSION = 3 +C_BUILTIN = 6 +PY_FROZEN = 7 + + +def find_spec(module, paths): + finder = ( + importlib.machinery.PathFinder().find_spec + if isinstance(paths, list) else + importlib.util.find_spec + ) + return finder(module, paths) + + +def find_module(module, paths=None): + """Just like 'imp.find_module()', but with package support""" + spec = find_spec(module, paths) + if spec is None: + raise ImportError("Can't find %s" % module) + if not spec.has_location and hasattr(spec, 'submodule_search_locations'): + spec = importlib.util.spec_from_loader('__init__.py', spec.loader) + + kind = -1 + file = None + static = isinstance(spec.loader, type) + if spec.origin == 'frozen' or static and issubclass( + spec.loader, importlib.machinery.FrozenImporter): + kind = PY_FROZEN + path = None # imp compabilty + suffix = mode = '' # imp compatibility + elif spec.origin == 'built-in' or static and issubclass( + spec.loader, importlib.machinery.BuiltinImporter): + kind = C_BUILTIN + path = None # imp compabilty + suffix = mode = '' # imp compatibility + elif spec.has_location: + path = spec.origin + suffix = os.path.splitext(path)[1] + mode = 'r' if suffix in importlib.machinery.SOURCE_SUFFIXES else 'rb' + + if suffix in importlib.machinery.SOURCE_SUFFIXES: + kind = PY_SOURCE + elif suffix in importlib.machinery.BYTECODE_SUFFIXES: + kind = PY_COMPILED + elif suffix in importlib.machinery.EXTENSION_SUFFIXES: + kind = C_EXTENSION + + if kind in {PY_SOURCE, PY_COMPILED}: + file = open(path, mode) + else: + path = None + suffix = mode = '' + + return file, path, (suffix, mode, kind) + + +def get_frozen_object(module, paths=None): + spec = find_spec(module, paths) + if not spec: + raise ImportError("Can't find %s" % module) + return spec.loader.get_code(module) + + +def get_module(module, paths, info): + spec = find_spec(module, paths) + if not spec: + raise ImportError("Can't find %s" % module) + return module_from_spec(spec) diff --git a/venv/Lib/site-packages/setuptools/_vendor/__init__.py b/venv/Lib/site-packages/setuptools/_vendor/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/venv/Lib/site-packages/setuptools/_vendor/more_itertools/__init__.py b/venv/Lib/site-packages/setuptools/_vendor/more_itertools/__init__.py new file mode 100644 index 0000000..19a169f --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_vendor/more_itertools/__init__.py @@ -0,0 +1,4 @@ +from .more import * # noqa +from .recipes import * # noqa + +__version__ = '8.8.0' diff --git a/venv/Lib/site-packages/setuptools/_vendor/more_itertools/more.py b/venv/Lib/site-packages/setuptools/_vendor/more_itertools/more.py new file mode 100644 index 0000000..0f7d282 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_vendor/more_itertools/more.py @@ -0,0 +1,3825 @@ +import warnings + +from collections import Counter, defaultdict, deque, abc +from collections.abc import Sequence +from concurrent.futures import ThreadPoolExecutor +from functools import partial, reduce, wraps +from heapq import merge, heapify, heapreplace, heappop +from itertools import ( + chain, + compress, + count, + cycle, + dropwhile, + groupby, + islice, + repeat, + starmap, + takewhile, + tee, + zip_longest, +) +from math import exp, factorial, floor, log +from queue import Empty, Queue +from random import random, randrange, uniform +from operator import itemgetter, mul, sub, gt, lt +from sys import hexversion, maxsize +from time import monotonic + +from .recipes import ( + consume, + flatten, + pairwise, + powerset, + take, + unique_everseen, +) + +__all__ = [ + 'AbortThread', + 'adjacent', + 'always_iterable', + 'always_reversible', + 'bucket', + 'callback_iter', + 'chunked', + 'circular_shifts', + 'collapse', + 'collate', + 'consecutive_groups', + 'consumer', + 'countable', + 'count_cycle', + 'mark_ends', + 'difference', + 'distinct_combinations', + 'distinct_permutations', + 'distribute', + 'divide', + 'exactly_n', + 'filter_except', + 'first', + 'groupby_transform', + 'ilen', + 'interleave_longest', + 'interleave', + 'intersperse', + 'islice_extended', + 'iterate', + 'ichunked', + 'is_sorted', + 'last', + 'locate', + 'lstrip', + 'make_decorator', + 'map_except', + 'map_reduce', + 'nth_or_last', + 'nth_permutation', + 'nth_product', + 'numeric_range', + 'one', + 'only', + 'padded', + 'partitions', + 'set_partitions', + 'peekable', + 'repeat_last', + 'replace', + 'rlocate', + 'rstrip', + 'run_length', + 'sample', + 'seekable', + 'SequenceView', + 'side_effect', + 'sliced', + 'sort_together', + 'split_at', + 'split_after', + 'split_before', + 'split_when', + 'split_into', + 'spy', + 'stagger', + 'strip', + 'substrings', + 'substrings_indexes', + 'time_limited', + 'unique_to_each', + 'unzip', + 'windowed', + 'with_iter', + 'UnequalIterablesError', + 'zip_equal', + 'zip_offset', + 'windowed_complete', + 'all_unique', + 'value_chain', + 'product_index', + 'combination_index', + 'permutation_index', +] + +_marker = object() + + +def chunked(iterable, n, strict=False): + """Break *iterable* into lists of length *n*: + + >>> list(chunked([1, 2, 3, 4, 5, 6], 3)) + [[1, 2, 3], [4, 5, 6]] + + By the default, the last yielded list will have fewer than *n* elements + if the length of *iterable* is not divisible by *n*: + + >>> list(chunked([1, 2, 3, 4, 5, 6, 7, 8], 3)) + [[1, 2, 3], [4, 5, 6], [7, 8]] + + To use a fill-in value instead, see the :func:`grouper` recipe. + + If the length of *iterable* is not divisible by *n* and *strict* is + ``True``, then ``ValueError`` will be raised before the last + list is yielded. + + """ + iterator = iter(partial(take, n, iter(iterable)), []) + if strict: + + def ret(): + for chunk in iterator: + if len(chunk) != n: + raise ValueError('iterable is not divisible by n.') + yield chunk + + return iter(ret()) + else: + return iterator + + +def first(iterable, default=_marker): + """Return the first item of *iterable*, or *default* if *iterable* is + empty. + + >>> first([0, 1, 2, 3]) + 0 + >>> first([], 'some default') + 'some default' + + If *default* is not provided and there are no items in the iterable, + raise ``ValueError``. + + :func:`first` is useful when you have a generator of expensive-to-retrieve + values and want any arbitrary one. It is marginally shorter than + ``next(iter(iterable), default)``. + + """ + try: + return next(iter(iterable)) + except StopIteration as e: + if default is _marker: + raise ValueError( + 'first() was called on an empty iterable, and no ' + 'default value was provided.' + ) from e + return default + + +def last(iterable, default=_marker): + """Return the last item of *iterable*, or *default* if *iterable* is + empty. + + >>> last([0, 1, 2, 3]) + 3 + >>> last([], 'some default') + 'some default' + + If *default* is not provided and there are no items in the iterable, + raise ``ValueError``. + """ + try: + if isinstance(iterable, Sequence): + return iterable[-1] + # Work around https://bugs.python.org/issue38525 + elif hasattr(iterable, '__reversed__') and (hexversion != 0x030800F0): + return next(reversed(iterable)) + else: + return deque(iterable, maxlen=1)[-1] + except (IndexError, TypeError, StopIteration): + if default is _marker: + raise ValueError( + 'last() was called on an empty iterable, and no default was ' + 'provided.' + ) + return default + + +def nth_or_last(iterable, n, default=_marker): + """Return the nth or the last item of *iterable*, + or *default* if *iterable* is empty. + + >>> nth_or_last([0, 1, 2, 3], 2) + 2 + >>> nth_or_last([0, 1], 2) + 1 + >>> nth_or_last([], 0, 'some default') + 'some default' + + If *default* is not provided and there are no items in the iterable, + raise ``ValueError``. + """ + return last(islice(iterable, n + 1), default=default) + + +class peekable: + """Wrap an iterator to allow lookahead and prepending elements. + + Call :meth:`peek` on the result to get the value that will be returned + by :func:`next`. This won't advance the iterator: + + >>> p = peekable(['a', 'b']) + >>> p.peek() + 'a' + >>> next(p) + 'a' + + Pass :meth:`peek` a default value to return that instead of raising + ``StopIteration`` when the iterator is exhausted. + + >>> p = peekable([]) + >>> p.peek('hi') + 'hi' + + peekables also offer a :meth:`prepend` method, which "inserts" items + at the head of the iterable: + + >>> p = peekable([1, 2, 3]) + >>> p.prepend(10, 11, 12) + >>> next(p) + 10 + >>> p.peek() + 11 + >>> list(p) + [11, 12, 1, 2, 3] + + peekables can be indexed. Index 0 is the item that will be returned by + :func:`next`, index 1 is the item after that, and so on: + The values up to the given index will be cached. + + >>> p = peekable(['a', 'b', 'c', 'd']) + >>> p[0] + 'a' + >>> p[1] + 'b' + >>> next(p) + 'a' + + Negative indexes are supported, but be aware that they will cache the + remaining items in the source iterator, which may require significant + storage. + + To check whether a peekable is exhausted, check its truth value: + + >>> p = peekable(['a', 'b']) + >>> if p: # peekable has items + ... list(p) + ['a', 'b'] + >>> if not p: # peekable is exhausted + ... list(p) + [] + + """ + + def __init__(self, iterable): + self._it = iter(iterable) + self._cache = deque() + + def __iter__(self): + return self + + def __bool__(self): + try: + self.peek() + except StopIteration: + return False + return True + + def peek(self, default=_marker): + """Return the item that will be next returned from ``next()``. + + Return ``default`` if there are no items left. If ``default`` is not + provided, raise ``StopIteration``. + + """ + if not self._cache: + try: + self._cache.append(next(self._it)) + except StopIteration: + if default is _marker: + raise + return default + return self._cache[0] + + def prepend(self, *items): + """Stack up items to be the next ones returned from ``next()`` or + ``self.peek()``. The items will be returned in + first in, first out order:: + + >>> p = peekable([1, 2, 3]) + >>> p.prepend(10, 11, 12) + >>> next(p) + 10 + >>> list(p) + [11, 12, 1, 2, 3] + + It is possible, by prepending items, to "resurrect" a peekable that + previously raised ``StopIteration``. + + >>> p = peekable([]) + >>> next(p) + Traceback (most recent call last): + ... + StopIteration + >>> p.prepend(1) + >>> next(p) + 1 + >>> next(p) + Traceback (most recent call last): + ... + StopIteration + + """ + self._cache.extendleft(reversed(items)) + + def __next__(self): + if self._cache: + return self._cache.popleft() + + return next(self._it) + + def _get_slice(self, index): + # Normalize the slice's arguments + step = 1 if (index.step is None) else index.step + if step > 0: + start = 0 if (index.start is None) else index.start + stop = maxsize if (index.stop is None) else index.stop + elif step < 0: + start = -1 if (index.start is None) else index.start + stop = (-maxsize - 1) if (index.stop is None) else index.stop + else: + raise ValueError('slice step cannot be zero') + + # If either the start or stop index is negative, we'll need to cache + # the rest of the iterable in order to slice from the right side. + if (start < 0) or (stop < 0): + self._cache.extend(self._it) + # Otherwise we'll need to find the rightmost index and cache to that + # point. + else: + n = min(max(start, stop) + 1, maxsize) + cache_len = len(self._cache) + if n >= cache_len: + self._cache.extend(islice(self._it, n - cache_len)) + + return list(self._cache)[index] + + def __getitem__(self, index): + if isinstance(index, slice): + return self._get_slice(index) + + cache_len = len(self._cache) + if index < 0: + self._cache.extend(self._it) + elif index >= cache_len: + self._cache.extend(islice(self._it, index + 1 - cache_len)) + + return self._cache[index] + + +def collate(*iterables, **kwargs): + """Return a sorted merge of the items from each of several already-sorted + *iterables*. + + >>> list(collate('ACDZ', 'AZ', 'JKL')) + ['A', 'A', 'C', 'D', 'J', 'K', 'L', 'Z', 'Z'] + + Works lazily, keeping only the next value from each iterable in memory. Use + :func:`collate` to, for example, perform a n-way mergesort of items that + don't fit in memory. + + If a *key* function is specified, the iterables will be sorted according + to its result: + + >>> key = lambda s: int(s) # Sort by numeric value, not by string + >>> list(collate(['1', '10'], ['2', '11'], key=key)) + ['1', '2', '10', '11'] + + + If the *iterables* are sorted in descending order, set *reverse* to + ``True``: + + >>> list(collate([5, 3, 1], [4, 2, 0], reverse=True)) + [5, 4, 3, 2, 1, 0] + + If the elements of the passed-in iterables are out of order, you might get + unexpected results. + + On Python 3.5+, this function is an alias for :func:`heapq.merge`. + + """ + warnings.warn( + "collate is no longer part of more_itertools, use heapq.merge", + DeprecationWarning, + ) + return merge(*iterables, **kwargs) + + +def consumer(func): + """Decorator that automatically advances a PEP-342-style "reverse iterator" + to its first yield point so you don't have to call ``next()`` on it + manually. + + >>> @consumer + ... def tally(): + ... i = 0 + ... while True: + ... print('Thing number %s is %s.' % (i, (yield))) + ... i += 1 + ... + >>> t = tally() + >>> t.send('red') + Thing number 0 is red. + >>> t.send('fish') + Thing number 1 is fish. + + Without the decorator, you would have to call ``next(t)`` before + ``t.send()`` could be used. + + """ + + @wraps(func) + def wrapper(*args, **kwargs): + gen = func(*args, **kwargs) + next(gen) + return gen + + return wrapper + + +def ilen(iterable): + """Return the number of items in *iterable*. + + >>> ilen(x for x in range(1000000) if x % 3 == 0) + 333334 + + This consumes the iterable, so handle with care. + + """ + # This approach was selected because benchmarks showed it's likely the + # fastest of the known implementations at the time of writing. + # See GitHub tracker: #236, #230. + counter = count() + deque(zip(iterable, counter), maxlen=0) + return next(counter) + + +def iterate(func, start): + """Return ``start``, ``func(start)``, ``func(func(start))``, ... + + >>> from itertools import islice + >>> list(islice(iterate(lambda x: 2*x, 1), 10)) + [1, 2, 4, 8, 16, 32, 64, 128, 256, 512] + + """ + while True: + yield start + start = func(start) + + +def with_iter(context_manager): + """Wrap an iterable in a ``with`` statement, so it closes once exhausted. + + For example, this will close the file when the iterator is exhausted:: + + upper_lines = (line.upper() for line in with_iter(open('foo'))) + + Any context manager which returns an iterable is a candidate for + ``with_iter``. + + """ + with context_manager as iterable: + yield from iterable + + +def one(iterable, too_short=None, too_long=None): + """Return the first item from *iterable*, which is expected to contain only + that item. Raise an exception if *iterable* is empty or has more than one + item. + + :func:`one` is useful for ensuring that an iterable contains only one item. + For example, it can be used to retrieve the result of a database query + that is expected to return a single row. + + If *iterable* is empty, ``ValueError`` will be raised. You may specify a + different exception with the *too_short* keyword: + + >>> it = [] + >>> one(it) # doctest: +IGNORE_EXCEPTION_DETAIL + Traceback (most recent call last): + ... + ValueError: too many items in iterable (expected 1)' + >>> too_short = IndexError('too few items') + >>> one(it, too_short=too_short) # doctest: +IGNORE_EXCEPTION_DETAIL + Traceback (most recent call last): + ... + IndexError: too few items + + Similarly, if *iterable* contains more than one item, ``ValueError`` will + be raised. You may specify a different exception with the *too_long* + keyword: + + >>> it = ['too', 'many'] + >>> one(it) # doctest: +IGNORE_EXCEPTION_DETAIL + Traceback (most recent call last): + ... + ValueError: Expected exactly one item in iterable, but got 'too', + 'many', and perhaps more. + >>> too_long = RuntimeError + >>> one(it, too_long=too_long) # doctest: +IGNORE_EXCEPTION_DETAIL + Traceback (most recent call last): + ... + RuntimeError + + Note that :func:`one` attempts to advance *iterable* twice to ensure there + is only one item. See :func:`spy` or :func:`peekable` to check iterable + contents less destructively. + + """ + it = iter(iterable) + + try: + first_value = next(it) + except StopIteration as e: + raise ( + too_short or ValueError('too few items in iterable (expected 1)') + ) from e + + try: + second_value = next(it) + except StopIteration: + pass + else: + msg = ( + 'Expected exactly one item in iterable, but got {!r}, {!r}, ' + 'and perhaps more.'.format(first_value, second_value) + ) + raise too_long or ValueError(msg) + + return first_value + + +def distinct_permutations(iterable, r=None): + """Yield successive distinct permutations of the elements in *iterable*. + + >>> sorted(distinct_permutations([1, 0, 1])) + [(0, 1, 1), (1, 0, 1), (1, 1, 0)] + + Equivalent to ``set(permutations(iterable))``, except duplicates are not + generated and thrown away. For larger input sequences this is much more + efficient. + + Duplicate permutations arise when there are duplicated elements in the + input iterable. The number of items returned is + `n! / (x_1! * x_2! * ... * x_n!)`, where `n` is the total number of + items input, and each `x_i` is the count of a distinct item in the input + sequence. + + If *r* is given, only the *r*-length permutations are yielded. + + >>> sorted(distinct_permutations([1, 0, 1], r=2)) + [(0, 1), (1, 0), (1, 1)] + >>> sorted(distinct_permutations(range(3), r=2)) + [(0, 1), (0, 2), (1, 0), (1, 2), (2, 0), (2, 1)] + + """ + # Algorithm: https://w.wiki/Qai + def _full(A): + while True: + # Yield the permutation we have + yield tuple(A) + + # Find the largest index i such that A[i] < A[i + 1] + for i in range(size - 2, -1, -1): + if A[i] < A[i + 1]: + break + # If no such index exists, this permutation is the last one + else: + return + + # Find the largest index j greater than j such that A[i] < A[j] + for j in range(size - 1, i, -1): + if A[i] < A[j]: + break + + # Swap the value of A[i] with that of A[j], then reverse the + # sequence from A[i + 1] to form the new permutation + A[i], A[j] = A[j], A[i] + A[i + 1 :] = A[: i - size : -1] # A[i + 1:][::-1] + + # Algorithm: modified from the above + def _partial(A, r): + # Split A into the first r items and the last r items + head, tail = A[:r], A[r:] + right_head_indexes = range(r - 1, -1, -1) + left_tail_indexes = range(len(tail)) + + while True: + # Yield the permutation we have + yield tuple(head) + + # Starting from the right, find the first index of the head with + # value smaller than the maximum value of the tail - call it i. + pivot = tail[-1] + for i in right_head_indexes: + if head[i] < pivot: + break + pivot = head[i] + else: + return + + # Starting from the left, find the first value of the tail + # with a value greater than head[i] and swap. + for j in left_tail_indexes: + if tail[j] > head[i]: + head[i], tail[j] = tail[j], head[i] + break + # If we didn't find one, start from the right and find the first + # index of the head with a value greater than head[i] and swap. + else: + for j in right_head_indexes: + if head[j] > head[i]: + head[i], head[j] = head[j], head[i] + break + + # Reverse head[i + 1:] and swap it with tail[:r - (i + 1)] + tail += head[: i - r : -1] # head[i + 1:][::-1] + i += 1 + head[i:], tail[:] = tail[: r - i], tail[r - i :] + + items = sorted(iterable) + + size = len(items) + if r is None: + r = size + + if 0 < r <= size: + return _full(items) if (r == size) else _partial(items, r) + + return iter(() if r else ((),)) + + +def intersperse(e, iterable, n=1): + """Intersperse filler element *e* among the items in *iterable*, leaving + *n* items between each filler element. + + >>> list(intersperse('!', [1, 2, 3, 4, 5])) + [1, '!', 2, '!', 3, '!', 4, '!', 5] + + >>> list(intersperse(None, [1, 2, 3, 4, 5], n=2)) + [1, 2, None, 3, 4, None, 5] + + """ + if n == 0: + raise ValueError('n must be > 0') + elif n == 1: + # interleave(repeat(e), iterable) -> e, x_0, e, e, x_1, e, x_2... + # islice(..., 1, None) -> x_0, e, e, x_1, e, x_2... + return islice(interleave(repeat(e), iterable), 1, None) + else: + # interleave(filler, chunks) -> [e], [x_0, x_1], [e], [x_2, x_3]... + # islice(..., 1, None) -> [x_0, x_1], [e], [x_2, x_3]... + # flatten(...) -> x_0, x_1, e, x_2, x_3... + filler = repeat([e]) + chunks = chunked(iterable, n) + return flatten(islice(interleave(filler, chunks), 1, None)) + + +def unique_to_each(*iterables): + """Return the elements from each of the input iterables that aren't in the + other input iterables. + + For example, suppose you have a set of packages, each with a set of + dependencies:: + + {'pkg_1': {'A', 'B'}, 'pkg_2': {'B', 'C'}, 'pkg_3': {'B', 'D'}} + + If you remove one package, which dependencies can also be removed? + + If ``pkg_1`` is removed, then ``A`` is no longer necessary - it is not + associated with ``pkg_2`` or ``pkg_3``. Similarly, ``C`` is only needed for + ``pkg_2``, and ``D`` is only needed for ``pkg_3``:: + + >>> unique_to_each({'A', 'B'}, {'B', 'C'}, {'B', 'D'}) + [['A'], ['C'], ['D']] + + If there are duplicates in one input iterable that aren't in the others + they will be duplicated in the output. Input order is preserved:: + + >>> unique_to_each("mississippi", "missouri") + [['p', 'p'], ['o', 'u', 'r']] + + It is assumed that the elements of each iterable are hashable. + + """ + pool = [list(it) for it in iterables] + counts = Counter(chain.from_iterable(map(set, pool))) + uniques = {element for element in counts if counts[element] == 1} + return [list(filter(uniques.__contains__, it)) for it in pool] + + +def windowed(seq, n, fillvalue=None, step=1): + """Return a sliding window of width *n* over the given iterable. + + >>> all_windows = windowed([1, 2, 3, 4, 5], 3) + >>> list(all_windows) + [(1, 2, 3), (2, 3, 4), (3, 4, 5)] + + When the window is larger than the iterable, *fillvalue* is used in place + of missing values: + + >>> list(windowed([1, 2, 3], 4)) + [(1, 2, 3, None)] + + Each window will advance in increments of *step*: + + >>> list(windowed([1, 2, 3, 4, 5, 6], 3, fillvalue='!', step=2)) + [(1, 2, 3), (3, 4, 5), (5, 6, '!')] + + To slide into the iterable's items, use :func:`chain` to add filler items + to the left: + + >>> iterable = [1, 2, 3, 4] + >>> n = 3 + >>> padding = [None] * (n - 1) + >>> list(windowed(chain(padding, iterable), 3)) + [(None, None, 1), (None, 1, 2), (1, 2, 3), (2, 3, 4)] + """ + if n < 0: + raise ValueError('n must be >= 0') + if n == 0: + yield tuple() + return + if step < 1: + raise ValueError('step must be >= 1') + + window = deque(maxlen=n) + i = n + for _ in map(window.append, seq): + i -= 1 + if not i: + i = step + yield tuple(window) + + size = len(window) + if size < n: + yield tuple(chain(window, repeat(fillvalue, n - size))) + elif 0 < i < min(step, n): + window += (fillvalue,) * i + yield tuple(window) + + +def substrings(iterable): + """Yield all of the substrings of *iterable*. + + >>> [''.join(s) for s in substrings('more')] + ['m', 'o', 'r', 'e', 'mo', 'or', 're', 'mor', 'ore', 'more'] + + Note that non-string iterables can also be subdivided. + + >>> list(substrings([0, 1, 2])) + [(0,), (1,), (2,), (0, 1), (1, 2), (0, 1, 2)] + + """ + # The length-1 substrings + seq = [] + for item in iter(iterable): + seq.append(item) + yield (item,) + seq = tuple(seq) + item_count = len(seq) + + # And the rest + for n in range(2, item_count + 1): + for i in range(item_count - n + 1): + yield seq[i : i + n] + + +def substrings_indexes(seq, reverse=False): + """Yield all substrings and their positions in *seq* + + The items yielded will be a tuple of the form ``(substr, i, j)``, where + ``substr == seq[i:j]``. + + This function only works for iterables that support slicing, such as + ``str`` objects. + + >>> for item in substrings_indexes('more'): + ... print(item) + ('m', 0, 1) + ('o', 1, 2) + ('r', 2, 3) + ('e', 3, 4) + ('mo', 0, 2) + ('or', 1, 3) + ('re', 2, 4) + ('mor', 0, 3) + ('ore', 1, 4) + ('more', 0, 4) + + Set *reverse* to ``True`` to yield the same items in the opposite order. + + + """ + r = range(1, len(seq) + 1) + if reverse: + r = reversed(r) + return ( + (seq[i : i + L], i, i + L) for L in r for i in range(len(seq) - L + 1) + ) + + +class bucket: + """Wrap *iterable* and return an object that buckets it iterable into + child iterables based on a *key* function. + + >>> iterable = ['a1', 'b1', 'c1', 'a2', 'b2', 'c2', 'b3'] + >>> s = bucket(iterable, key=lambda x: x[0]) # Bucket by 1st character + >>> sorted(list(s)) # Get the keys + ['a', 'b', 'c'] + >>> a_iterable = s['a'] + >>> next(a_iterable) + 'a1' + >>> next(a_iterable) + 'a2' + >>> list(s['b']) + ['b1', 'b2', 'b3'] + + The original iterable will be advanced and its items will be cached until + they are used by the child iterables. This may require significant storage. + + By default, attempting to select a bucket to which no items belong will + exhaust the iterable and cache all values. + If you specify a *validator* function, selected buckets will instead be + checked against it. + + >>> from itertools import count + >>> it = count(1, 2) # Infinite sequence of odd numbers + >>> key = lambda x: x % 10 # Bucket by last digit + >>> validator = lambda x: x in {1, 3, 5, 7, 9} # Odd digits only + >>> s = bucket(it, key=key, validator=validator) + >>> 2 in s + False + >>> list(s[2]) + [] + + """ + + def __init__(self, iterable, key, validator=None): + self._it = iter(iterable) + self._key = key + self._cache = defaultdict(deque) + self._validator = validator or (lambda x: True) + + def __contains__(self, value): + if not self._validator(value): + return False + + try: + item = next(self[value]) + except StopIteration: + return False + else: + self._cache[value].appendleft(item) + + return True + + def _get_values(self, value): + """ + Helper to yield items from the parent iterator that match *value*. + Items that don't match are stored in the local cache as they + are encountered. + """ + while True: + # If we've cached some items that match the target value, emit + # the first one and evict it from the cache. + if self._cache[value]: + yield self._cache[value].popleft() + # Otherwise we need to advance the parent iterator to search for + # a matching item, caching the rest. + else: + while True: + try: + item = next(self._it) + except StopIteration: + return + item_value = self._key(item) + if item_value == value: + yield item + break + elif self._validator(item_value): + self._cache[item_value].append(item) + + def __iter__(self): + for item in self._it: + item_value = self._key(item) + if self._validator(item_value): + self._cache[item_value].append(item) + + yield from self._cache.keys() + + def __getitem__(self, value): + if not self._validator(value): + return iter(()) + + return self._get_values(value) + + +def spy(iterable, n=1): + """Return a 2-tuple with a list containing the first *n* elements of + *iterable*, and an iterator with the same items as *iterable*. + This allows you to "look ahead" at the items in the iterable without + advancing it. + + There is one item in the list by default: + + >>> iterable = 'abcdefg' + >>> head, iterable = spy(iterable) + >>> head + ['a'] + >>> list(iterable) + ['a', 'b', 'c', 'd', 'e', 'f', 'g'] + + You may use unpacking to retrieve items instead of lists: + + >>> (head,), iterable = spy('abcdefg') + >>> head + 'a' + >>> (first, second), iterable = spy('abcdefg', 2) + >>> first + 'a' + >>> second + 'b' + + The number of items requested can be larger than the number of items in + the iterable: + + >>> iterable = [1, 2, 3, 4, 5] + >>> head, iterable = spy(iterable, 10) + >>> head + [1, 2, 3, 4, 5] + >>> list(iterable) + [1, 2, 3, 4, 5] + + """ + it = iter(iterable) + head = take(n, it) + + return head.copy(), chain(head, it) + + +def interleave(*iterables): + """Return a new iterable yielding from each iterable in turn, + until the shortest is exhausted. + + >>> list(interleave([1, 2, 3], [4, 5], [6, 7, 8])) + [1, 4, 6, 2, 5, 7] + + For a version that doesn't terminate after the shortest iterable is + exhausted, see :func:`interleave_longest`. + + """ + return chain.from_iterable(zip(*iterables)) + + +def interleave_longest(*iterables): + """Return a new iterable yielding from each iterable in turn, + skipping any that are exhausted. + + >>> list(interleave_longest([1, 2, 3], [4, 5], [6, 7, 8])) + [1, 4, 6, 2, 5, 7, 3, 8] + + This function produces the same output as :func:`roundrobin`, but may + perform better for some inputs (in particular when the number of iterables + is large). + + """ + i = chain.from_iterable(zip_longest(*iterables, fillvalue=_marker)) + return (x for x in i if x is not _marker) + + +def collapse(iterable, base_type=None, levels=None): + """Flatten an iterable with multiple levels of nesting (e.g., a list of + lists of tuples) into non-iterable types. + + >>> iterable = [(1, 2), ([3, 4], [[5], [6]])] + >>> list(collapse(iterable)) + [1, 2, 3, 4, 5, 6] + + Binary and text strings are not considered iterable and + will not be collapsed. + + To avoid collapsing other types, specify *base_type*: + + >>> iterable = ['ab', ('cd', 'ef'), ['gh', 'ij']] + >>> list(collapse(iterable, base_type=tuple)) + ['ab', ('cd', 'ef'), 'gh', 'ij'] + + Specify *levels* to stop flattening after a certain level: + + >>> iterable = [('a', ['b']), ('c', ['d'])] + >>> list(collapse(iterable)) # Fully flattened + ['a', 'b', 'c', 'd'] + >>> list(collapse(iterable, levels=1)) # Only one level flattened + ['a', ['b'], 'c', ['d']] + + """ + + def walk(node, level): + if ( + ((levels is not None) and (level > levels)) + or isinstance(node, (str, bytes)) + or ((base_type is not None) and isinstance(node, base_type)) + ): + yield node + return + + try: + tree = iter(node) + except TypeError: + yield node + return + else: + for child in tree: + yield from walk(child, level + 1) + + yield from walk(iterable, 0) + + +def side_effect(func, iterable, chunk_size=None, before=None, after=None): + """Invoke *func* on each item in *iterable* (or on each *chunk_size* group + of items) before yielding the item. + + `func` must be a function that takes a single argument. Its return value + will be discarded. + + *before* and *after* are optional functions that take no arguments. They + will be executed before iteration starts and after it ends, respectively. + + `side_effect` can be used for logging, updating progress bars, or anything + that is not functionally "pure." + + Emitting a status message: + + >>> from more_itertools import consume + >>> func = lambda item: print('Received {}'.format(item)) + >>> consume(side_effect(func, range(2))) + Received 0 + Received 1 + + Operating on chunks of items: + + >>> pair_sums = [] + >>> func = lambda chunk: pair_sums.append(sum(chunk)) + >>> list(side_effect(func, [0, 1, 2, 3, 4, 5], 2)) + [0, 1, 2, 3, 4, 5] + >>> list(pair_sums) + [1, 5, 9] + + Writing to a file-like object: + + >>> from io import StringIO + >>> from more_itertools import consume + >>> f = StringIO() + >>> func = lambda x: print(x, file=f) + >>> before = lambda: print(u'HEADER', file=f) + >>> after = f.close + >>> it = [u'a', u'b', u'c'] + >>> consume(side_effect(func, it, before=before, after=after)) + >>> f.closed + True + + """ + try: + if before is not None: + before() + + if chunk_size is None: + for item in iterable: + func(item) + yield item + else: + for chunk in chunked(iterable, chunk_size): + func(chunk) + yield from chunk + finally: + if after is not None: + after() + + +def sliced(seq, n, strict=False): + """Yield slices of length *n* from the sequence *seq*. + + >>> list(sliced((1, 2, 3, 4, 5, 6), 3)) + [(1, 2, 3), (4, 5, 6)] + + By the default, the last yielded slice will have fewer than *n* elements + if the length of *seq* is not divisible by *n*: + + >>> list(sliced((1, 2, 3, 4, 5, 6, 7, 8), 3)) + [(1, 2, 3), (4, 5, 6), (7, 8)] + + If the length of *seq* is not divisible by *n* and *strict* is + ``True``, then ``ValueError`` will be raised before the last + slice is yielded. + + This function will only work for iterables that support slicing. + For non-sliceable iterables, see :func:`chunked`. + + """ + iterator = takewhile(len, (seq[i : i + n] for i in count(0, n))) + if strict: + + def ret(): + for _slice in iterator: + if len(_slice) != n: + raise ValueError("seq is not divisible by n.") + yield _slice + + return iter(ret()) + else: + return iterator + + +def split_at(iterable, pred, maxsplit=-1, keep_separator=False): + """Yield lists of items from *iterable*, where each list is delimited by + an item where callable *pred* returns ``True``. + + >>> list(split_at('abcdcba', lambda x: x == 'b')) + [['a'], ['c', 'd', 'c'], ['a']] + + >>> list(split_at(range(10), lambda n: n % 2 == 1)) + [[0], [2], [4], [6], [8], []] + + At most *maxsplit* splits are done. If *maxsplit* is not specified or -1, + then there is no limit on the number of splits: + + >>> list(split_at(range(10), lambda n: n % 2 == 1, maxsplit=2)) + [[0], [2], [4, 5, 6, 7, 8, 9]] + + By default, the delimiting items are not included in the output. + The include them, set *keep_separator* to ``True``. + + >>> list(split_at('abcdcba', lambda x: x == 'b', keep_separator=True)) + [['a'], ['b'], ['c', 'd', 'c'], ['b'], ['a']] + + """ + if maxsplit == 0: + yield list(iterable) + return + + buf = [] + it = iter(iterable) + for item in it: + if pred(item): + yield buf + if keep_separator: + yield [item] + if maxsplit == 1: + yield list(it) + return + buf = [] + maxsplit -= 1 + else: + buf.append(item) + yield buf + + +def split_before(iterable, pred, maxsplit=-1): + """Yield lists of items from *iterable*, where each list ends just before + an item for which callable *pred* returns ``True``: + + >>> list(split_before('OneTwo', lambda s: s.isupper())) + [['O', 'n', 'e'], ['T', 'w', 'o']] + + >>> list(split_before(range(10), lambda n: n % 3 == 0)) + [[0, 1, 2], [3, 4, 5], [6, 7, 8], [9]] + + At most *maxsplit* splits are done. If *maxsplit* is not specified or -1, + then there is no limit on the number of splits: + + >>> list(split_before(range(10), lambda n: n % 3 == 0, maxsplit=2)) + [[0, 1, 2], [3, 4, 5], [6, 7, 8, 9]] + """ + if maxsplit == 0: + yield list(iterable) + return + + buf = [] + it = iter(iterable) + for item in it: + if pred(item) and buf: + yield buf + if maxsplit == 1: + yield [item] + list(it) + return + buf = [] + maxsplit -= 1 + buf.append(item) + if buf: + yield buf + + +def split_after(iterable, pred, maxsplit=-1): + """Yield lists of items from *iterable*, where each list ends with an + item where callable *pred* returns ``True``: + + >>> list(split_after('one1two2', lambda s: s.isdigit())) + [['o', 'n', 'e', '1'], ['t', 'w', 'o', '2']] + + >>> list(split_after(range(10), lambda n: n % 3 == 0)) + [[0], [1, 2, 3], [4, 5, 6], [7, 8, 9]] + + At most *maxsplit* splits are done. If *maxsplit* is not specified or -1, + then there is no limit on the number of splits: + + >>> list(split_after(range(10), lambda n: n % 3 == 0, maxsplit=2)) + [[0], [1, 2, 3], [4, 5, 6, 7, 8, 9]] + + """ + if maxsplit == 0: + yield list(iterable) + return + + buf = [] + it = iter(iterable) + for item in it: + buf.append(item) + if pred(item) and buf: + yield buf + if maxsplit == 1: + yield list(it) + return + buf = [] + maxsplit -= 1 + if buf: + yield buf + + +def split_when(iterable, pred, maxsplit=-1): + """Split *iterable* into pieces based on the output of *pred*. + *pred* should be a function that takes successive pairs of items and + returns ``True`` if the iterable should be split in between them. + + For example, to find runs of increasing numbers, split the iterable when + element ``i`` is larger than element ``i + 1``: + + >>> list(split_when([1, 2, 3, 3, 2, 5, 2, 4, 2], lambda x, y: x > y)) + [[1, 2, 3, 3], [2, 5], [2, 4], [2]] + + At most *maxsplit* splits are done. If *maxsplit* is not specified or -1, + then there is no limit on the number of splits: + + >>> list(split_when([1, 2, 3, 3, 2, 5, 2, 4, 2], + ... lambda x, y: x > y, maxsplit=2)) + [[1, 2, 3, 3], [2, 5], [2, 4, 2]] + + """ + if maxsplit == 0: + yield list(iterable) + return + + it = iter(iterable) + try: + cur_item = next(it) + except StopIteration: + return + + buf = [cur_item] + for next_item in it: + if pred(cur_item, next_item): + yield buf + if maxsplit == 1: + yield [next_item] + list(it) + return + buf = [] + maxsplit -= 1 + + buf.append(next_item) + cur_item = next_item + + yield buf + + +def split_into(iterable, sizes): + """Yield a list of sequential items from *iterable* of length 'n' for each + integer 'n' in *sizes*. + + >>> list(split_into([1,2,3,4,5,6], [1,2,3])) + [[1], [2, 3], [4, 5, 6]] + + If the sum of *sizes* is smaller than the length of *iterable*, then the + remaining items of *iterable* will not be returned. + + >>> list(split_into([1,2,3,4,5,6], [2,3])) + [[1, 2], [3, 4, 5]] + + If the sum of *sizes* is larger than the length of *iterable*, fewer items + will be returned in the iteration that overruns *iterable* and further + lists will be empty: + + >>> list(split_into([1,2,3,4], [1,2,3,4])) + [[1], [2, 3], [4], []] + + When a ``None`` object is encountered in *sizes*, the returned list will + contain items up to the end of *iterable* the same way that itertools.slice + does: + + >>> list(split_into([1,2,3,4,5,6,7,8,9,0], [2,3,None])) + [[1, 2], [3, 4, 5], [6, 7, 8, 9, 0]] + + :func:`split_into` can be useful for grouping a series of items where the + sizes of the groups are not uniform. An example would be where in a row + from a table, multiple columns represent elements of the same feature + (e.g. a point represented by x,y,z) but, the format is not the same for + all columns. + """ + # convert the iterable argument into an iterator so its contents can + # be consumed by islice in case it is a generator + it = iter(iterable) + + for size in sizes: + if size is None: + yield list(it) + return + else: + yield list(islice(it, size)) + + +def padded(iterable, fillvalue=None, n=None, next_multiple=False): + """Yield the elements from *iterable*, followed by *fillvalue*, such that + at least *n* items are emitted. + + >>> list(padded([1, 2, 3], '?', 5)) + [1, 2, 3, '?', '?'] + + If *next_multiple* is ``True``, *fillvalue* will be emitted until the + number of items emitted is a multiple of *n*:: + + >>> list(padded([1, 2, 3, 4], n=3, next_multiple=True)) + [1, 2, 3, 4, None, None] + + If *n* is ``None``, *fillvalue* will be emitted indefinitely. + + """ + it = iter(iterable) + if n is None: + yield from chain(it, repeat(fillvalue)) + elif n < 1: + raise ValueError('n must be at least 1') + else: + item_count = 0 + for item in it: + yield item + item_count += 1 + + remaining = (n - item_count) % n if next_multiple else n - item_count + for _ in range(remaining): + yield fillvalue + + +def repeat_last(iterable, default=None): + """After the *iterable* is exhausted, keep yielding its last element. + + >>> list(islice(repeat_last(range(3)), 5)) + [0, 1, 2, 2, 2] + + If the iterable is empty, yield *default* forever:: + + >>> list(islice(repeat_last(range(0), 42), 5)) + [42, 42, 42, 42, 42] + + """ + item = _marker + for item in iterable: + yield item + final = default if item is _marker else item + yield from repeat(final) + + +def distribute(n, iterable): + """Distribute the items from *iterable* among *n* smaller iterables. + + >>> group_1, group_2 = distribute(2, [1, 2, 3, 4, 5, 6]) + >>> list(group_1) + [1, 3, 5] + >>> list(group_2) + [2, 4, 6] + + If the length of *iterable* is not evenly divisible by *n*, then the + length of the returned iterables will not be identical: + + >>> children = distribute(3, [1, 2, 3, 4, 5, 6, 7]) + >>> [list(c) for c in children] + [[1, 4, 7], [2, 5], [3, 6]] + + If the length of *iterable* is smaller than *n*, then the last returned + iterables will be empty: + + >>> children = distribute(5, [1, 2, 3]) + >>> [list(c) for c in children] + [[1], [2], [3], [], []] + + This function uses :func:`itertools.tee` and may require significant + storage. If you need the order items in the smaller iterables to match the + original iterable, see :func:`divide`. + + """ + if n < 1: + raise ValueError('n must be at least 1') + + children = tee(iterable, n) + return [islice(it, index, None, n) for index, it in enumerate(children)] + + +def stagger(iterable, offsets=(-1, 0, 1), longest=False, fillvalue=None): + """Yield tuples whose elements are offset from *iterable*. + The amount by which the `i`-th item in each tuple is offset is given by + the `i`-th item in *offsets*. + + >>> list(stagger([0, 1, 2, 3])) + [(None, 0, 1), (0, 1, 2), (1, 2, 3)] + >>> list(stagger(range(8), offsets=(0, 2, 4))) + [(0, 2, 4), (1, 3, 5), (2, 4, 6), (3, 5, 7)] + + By default, the sequence will end when the final element of a tuple is the + last item in the iterable. To continue until the first element of a tuple + is the last item in the iterable, set *longest* to ``True``:: + + >>> list(stagger([0, 1, 2, 3], longest=True)) + [(None, 0, 1), (0, 1, 2), (1, 2, 3), (2, 3, None), (3, None, None)] + + By default, ``None`` will be used to replace offsets beyond the end of the + sequence. Specify *fillvalue* to use some other value. + + """ + children = tee(iterable, len(offsets)) + + return zip_offset( + *children, offsets=offsets, longest=longest, fillvalue=fillvalue + ) + + +class UnequalIterablesError(ValueError): + def __init__(self, details=None): + msg = 'Iterables have different lengths' + if details is not None: + msg += (': index 0 has length {}; index {} has length {}').format( + *details + ) + + super().__init__(msg) + + +def _zip_equal_generator(iterables): + for combo in zip_longest(*iterables, fillvalue=_marker): + for val in combo: + if val is _marker: + raise UnequalIterablesError() + yield combo + + +def zip_equal(*iterables): + """``zip`` the input *iterables* together, but raise + ``UnequalIterablesError`` if they aren't all the same length. + + >>> it_1 = range(3) + >>> it_2 = iter('abc') + >>> list(zip_equal(it_1, it_2)) + [(0, 'a'), (1, 'b'), (2, 'c')] + + >>> it_1 = range(3) + >>> it_2 = iter('abcd') + >>> list(zip_equal(it_1, it_2)) # doctest: +IGNORE_EXCEPTION_DETAIL + Traceback (most recent call last): + ... + more_itertools.more.UnequalIterablesError: Iterables have different + lengths + + """ + if hexversion >= 0x30A00A6: + warnings.warn( + ( + 'zip_equal will be removed in a future version of ' + 'more-itertools. Use the builtin zip function with ' + 'strict=True instead.' + ), + DeprecationWarning, + ) + # Check whether the iterables are all the same size. + try: + first_size = len(iterables[0]) + for i, it in enumerate(iterables[1:], 1): + size = len(it) + if size != first_size: + break + else: + # If we didn't break out, we can use the built-in zip. + return zip(*iterables) + + # If we did break out, there was a mismatch. + raise UnequalIterablesError(details=(first_size, i, size)) + # If any one of the iterables didn't have a length, start reading + # them until one runs out. + except TypeError: + return _zip_equal_generator(iterables) + + +def zip_offset(*iterables, offsets, longest=False, fillvalue=None): + """``zip`` the input *iterables* together, but offset the `i`-th iterable + by the `i`-th item in *offsets*. + + >>> list(zip_offset('0123', 'abcdef', offsets=(0, 1))) + [('0', 'b'), ('1', 'c'), ('2', 'd'), ('3', 'e')] + + This can be used as a lightweight alternative to SciPy or pandas to analyze + data sets in which some series have a lead or lag relationship. + + By default, the sequence will end when the shortest iterable is exhausted. + To continue until the longest iterable is exhausted, set *longest* to + ``True``. + + >>> list(zip_offset('0123', 'abcdef', offsets=(0, 1), longest=True)) + [('0', 'b'), ('1', 'c'), ('2', 'd'), ('3', 'e'), (None, 'f')] + + By default, ``None`` will be used to replace offsets beyond the end of the + sequence. Specify *fillvalue* to use some other value. + + """ + if len(iterables) != len(offsets): + raise ValueError("Number of iterables and offsets didn't match") + + staggered = [] + for it, n in zip(iterables, offsets): + if n < 0: + staggered.append(chain(repeat(fillvalue, -n), it)) + elif n > 0: + staggered.append(islice(it, n, None)) + else: + staggered.append(it) + + if longest: + return zip_longest(*staggered, fillvalue=fillvalue) + + return zip(*staggered) + + +def sort_together(iterables, key_list=(0,), key=None, reverse=False): + """Return the input iterables sorted together, with *key_list* as the + priority for sorting. All iterables are trimmed to the length of the + shortest one. + + This can be used like the sorting function in a spreadsheet. If each + iterable represents a column of data, the key list determines which + columns are used for sorting. + + By default, all iterables are sorted using the ``0``-th iterable:: + + >>> iterables = [(4, 3, 2, 1), ('a', 'b', 'c', 'd')] + >>> sort_together(iterables) + [(1, 2, 3, 4), ('d', 'c', 'b', 'a')] + + Set a different key list to sort according to another iterable. + Specifying multiple keys dictates how ties are broken:: + + >>> iterables = [(3, 1, 2), (0, 1, 0), ('c', 'b', 'a')] + >>> sort_together(iterables, key_list=(1, 2)) + [(2, 3, 1), (0, 0, 1), ('a', 'c', 'b')] + + To sort by a function of the elements of the iterable, pass a *key* + function. Its arguments are the elements of the iterables corresponding to + the key list:: + + >>> names = ('a', 'b', 'c') + >>> lengths = (1, 2, 3) + >>> widths = (5, 2, 1) + >>> def area(length, width): + ... return length * width + >>> sort_together([names, lengths, widths], key_list=(1, 2), key=area) + [('c', 'b', 'a'), (3, 2, 1), (1, 2, 5)] + + Set *reverse* to ``True`` to sort in descending order. + + >>> sort_together([(1, 2, 3), ('c', 'b', 'a')], reverse=True) + [(3, 2, 1), ('a', 'b', 'c')] + + """ + if key is None: + # if there is no key function, the key argument to sorted is an + # itemgetter + key_argument = itemgetter(*key_list) + else: + # if there is a key function, call it with the items at the offsets + # specified by the key function as arguments + key_list = list(key_list) + if len(key_list) == 1: + # if key_list contains a single item, pass the item at that offset + # as the only argument to the key function + key_offset = key_list[0] + key_argument = lambda zipped_items: key(zipped_items[key_offset]) + else: + # if key_list contains multiple items, use itemgetter to return a + # tuple of items, which we pass as *args to the key function + get_key_items = itemgetter(*key_list) + key_argument = lambda zipped_items: key( + *get_key_items(zipped_items) + ) + + return list( + zip(*sorted(zip(*iterables), key=key_argument, reverse=reverse)) + ) + + +def unzip(iterable): + """The inverse of :func:`zip`, this function disaggregates the elements + of the zipped *iterable*. + + The ``i``-th iterable contains the ``i``-th element from each element + of the zipped iterable. The first element is used to to determine the + length of the remaining elements. + + >>> iterable = [('a', 1), ('b', 2), ('c', 3), ('d', 4)] + >>> letters, numbers = unzip(iterable) + >>> list(letters) + ['a', 'b', 'c', 'd'] + >>> list(numbers) + [1, 2, 3, 4] + + This is similar to using ``zip(*iterable)``, but it avoids reading + *iterable* into memory. Note, however, that this function uses + :func:`itertools.tee` and thus may require significant storage. + + """ + head, iterable = spy(iter(iterable)) + if not head: + # empty iterable, e.g. zip([], [], []) + return () + # spy returns a one-length iterable as head + head = head[0] + iterables = tee(iterable, len(head)) + + def itemgetter(i): + def getter(obj): + try: + return obj[i] + except IndexError: + # basically if we have an iterable like + # iter([(1, 2, 3), (4, 5), (6,)]) + # the second unzipped iterable would fail at the third tuple + # since it would try to access tup[1] + # same with the third unzipped iterable and the second tuple + # to support these "improperly zipped" iterables, + # we create a custom itemgetter + # which just stops the unzipped iterables + # at first length mismatch + raise StopIteration + + return getter + + return tuple(map(itemgetter(i), it) for i, it in enumerate(iterables)) + + +def divide(n, iterable): + """Divide the elements from *iterable* into *n* parts, maintaining + order. + + >>> group_1, group_2 = divide(2, [1, 2, 3, 4, 5, 6]) + >>> list(group_1) + [1, 2, 3] + >>> list(group_2) + [4, 5, 6] + + If the length of *iterable* is not evenly divisible by *n*, then the + length of the returned iterables will not be identical: + + >>> children = divide(3, [1, 2, 3, 4, 5, 6, 7]) + >>> [list(c) for c in children] + [[1, 2, 3], [4, 5], [6, 7]] + + If the length of the iterable is smaller than n, then the last returned + iterables will be empty: + + >>> children = divide(5, [1, 2, 3]) + >>> [list(c) for c in children] + [[1], [2], [3], [], []] + + This function will exhaust the iterable before returning and may require + significant storage. If order is not important, see :func:`distribute`, + which does not first pull the iterable into memory. + + """ + if n < 1: + raise ValueError('n must be at least 1') + + try: + iterable[:0] + except TypeError: + seq = tuple(iterable) + else: + seq = iterable + + q, r = divmod(len(seq), n) + + ret = [] + stop = 0 + for i in range(1, n + 1): + start = stop + stop += q + 1 if i <= r else q + ret.append(iter(seq[start:stop])) + + return ret + + +def always_iterable(obj, base_type=(str, bytes)): + """If *obj* is iterable, return an iterator over its items:: + + >>> obj = (1, 2, 3) + >>> list(always_iterable(obj)) + [1, 2, 3] + + If *obj* is not iterable, return a one-item iterable containing *obj*:: + + >>> obj = 1 + >>> list(always_iterable(obj)) + [1] + + If *obj* is ``None``, return an empty iterable: + + >>> obj = None + >>> list(always_iterable(None)) + [] + + By default, binary and text strings are not considered iterable:: + + >>> obj = 'foo' + >>> list(always_iterable(obj)) + ['foo'] + + If *base_type* is set, objects for which ``isinstance(obj, base_type)`` + returns ``True`` won't be considered iterable. + + >>> obj = {'a': 1} + >>> list(always_iterable(obj)) # Iterate over the dict's keys + ['a'] + >>> list(always_iterable(obj, base_type=dict)) # Treat dicts as a unit + [{'a': 1}] + + Set *base_type* to ``None`` to avoid any special handling and treat objects + Python considers iterable as iterable: + + >>> obj = 'foo' + >>> list(always_iterable(obj, base_type=None)) + ['f', 'o', 'o'] + """ + if obj is None: + return iter(()) + + if (base_type is not None) and isinstance(obj, base_type): + return iter((obj,)) + + try: + return iter(obj) + except TypeError: + return iter((obj,)) + + +def adjacent(predicate, iterable, distance=1): + """Return an iterable over `(bool, item)` tuples where the `item` is + drawn from *iterable* and the `bool` indicates whether + that item satisfies the *predicate* or is adjacent to an item that does. + + For example, to find whether items are adjacent to a ``3``:: + + >>> list(adjacent(lambda x: x == 3, range(6))) + [(False, 0), (False, 1), (True, 2), (True, 3), (True, 4), (False, 5)] + + Set *distance* to change what counts as adjacent. For example, to find + whether items are two places away from a ``3``: + + >>> list(adjacent(lambda x: x == 3, range(6), distance=2)) + [(False, 0), (True, 1), (True, 2), (True, 3), (True, 4), (True, 5)] + + This is useful for contextualizing the results of a search function. + For example, a code comparison tool might want to identify lines that + have changed, but also surrounding lines to give the viewer of the diff + context. + + The predicate function will only be called once for each item in the + iterable. + + See also :func:`groupby_transform`, which can be used with this function + to group ranges of items with the same `bool` value. + + """ + # Allow distance=0 mainly for testing that it reproduces results with map() + if distance < 0: + raise ValueError('distance must be at least 0') + + i1, i2 = tee(iterable) + padding = [False] * distance + selected = chain(padding, map(predicate, i1), padding) + adjacent_to_selected = map(any, windowed(selected, 2 * distance + 1)) + return zip(adjacent_to_selected, i2) + + +def groupby_transform(iterable, keyfunc=None, valuefunc=None, reducefunc=None): + """An extension of :func:`itertools.groupby` that can apply transformations + to the grouped data. + + * *keyfunc* is a function computing a key value for each item in *iterable* + * *valuefunc* is a function that transforms the individual items from + *iterable* after grouping + * *reducefunc* is a function that transforms each group of items + + >>> iterable = 'aAAbBBcCC' + >>> keyfunc = lambda k: k.upper() + >>> valuefunc = lambda v: v.lower() + >>> reducefunc = lambda g: ''.join(g) + >>> list(groupby_transform(iterable, keyfunc, valuefunc, reducefunc)) + [('A', 'aaa'), ('B', 'bbb'), ('C', 'ccc')] + + Each optional argument defaults to an identity function if not specified. + + :func:`groupby_transform` is useful when grouping elements of an iterable + using a separate iterable as the key. To do this, :func:`zip` the iterables + and pass a *keyfunc* that extracts the first element and a *valuefunc* + that extracts the second element:: + + >>> from operator import itemgetter + >>> keys = [0, 0, 1, 1, 1, 2, 2, 2, 3] + >>> values = 'abcdefghi' + >>> iterable = zip(keys, values) + >>> grouper = groupby_transform(iterable, itemgetter(0), itemgetter(1)) + >>> [(k, ''.join(g)) for k, g in grouper] + [(0, 'ab'), (1, 'cde'), (2, 'fgh'), (3, 'i')] + + Note that the order of items in the iterable is significant. + Only adjacent items are grouped together, so if you don't want any + duplicate groups, you should sort the iterable by the key function. + + """ + ret = groupby(iterable, keyfunc) + if valuefunc: + ret = ((k, map(valuefunc, g)) for k, g in ret) + if reducefunc: + ret = ((k, reducefunc(g)) for k, g in ret) + + return ret + + +class numeric_range(abc.Sequence, abc.Hashable): + """An extension of the built-in ``range()`` function whose arguments can + be any orderable numeric type. + + With only *stop* specified, *start* defaults to ``0`` and *step* + defaults to ``1``. The output items will match the type of *stop*: + + >>> list(numeric_range(3.5)) + [0.0, 1.0, 2.0, 3.0] + + With only *start* and *stop* specified, *step* defaults to ``1``. The + output items will match the type of *start*: + + >>> from decimal import Decimal + >>> start = Decimal('2.1') + >>> stop = Decimal('5.1') + >>> list(numeric_range(start, stop)) + [Decimal('2.1'), Decimal('3.1'), Decimal('4.1')] + + With *start*, *stop*, and *step* specified the output items will match + the type of ``start + step``: + + >>> from fractions import Fraction + >>> start = Fraction(1, 2) # Start at 1/2 + >>> stop = Fraction(5, 2) # End at 5/2 + >>> step = Fraction(1, 2) # Count by 1/2 + >>> list(numeric_range(start, stop, step)) + [Fraction(1, 2), Fraction(1, 1), Fraction(3, 2), Fraction(2, 1)] + + If *step* is zero, ``ValueError`` is raised. Negative steps are supported: + + >>> list(numeric_range(3, -1, -1.0)) + [3.0, 2.0, 1.0, 0.0] + + Be aware of the limitations of floating point numbers; the representation + of the yielded numbers may be surprising. + + ``datetime.datetime`` objects can be used for *start* and *stop*, if *step* + is a ``datetime.timedelta`` object: + + >>> import datetime + >>> start = datetime.datetime(2019, 1, 1) + >>> stop = datetime.datetime(2019, 1, 3) + >>> step = datetime.timedelta(days=1) + >>> items = iter(numeric_range(start, stop, step)) + >>> next(items) + datetime.datetime(2019, 1, 1, 0, 0) + >>> next(items) + datetime.datetime(2019, 1, 2, 0, 0) + + """ + + _EMPTY_HASH = hash(range(0, 0)) + + def __init__(self, *args): + argc = len(args) + if argc == 1: + (self._stop,) = args + self._start = type(self._stop)(0) + self._step = type(self._stop - self._start)(1) + elif argc == 2: + self._start, self._stop = args + self._step = type(self._stop - self._start)(1) + elif argc == 3: + self._start, self._stop, self._step = args + elif argc == 0: + raise TypeError( + 'numeric_range expected at least ' + '1 argument, got {}'.format(argc) + ) + else: + raise TypeError( + 'numeric_range expected at most ' + '3 arguments, got {}'.format(argc) + ) + + self._zero = type(self._step)(0) + if self._step == self._zero: + raise ValueError('numeric_range() arg 3 must not be zero') + self._growing = self._step > self._zero + self._init_len() + + def __bool__(self): + if self._growing: + return self._start < self._stop + else: + return self._start > self._stop + + def __contains__(self, elem): + if self._growing: + if self._start <= elem < self._stop: + return (elem - self._start) % self._step == self._zero + else: + if self._start >= elem > self._stop: + return (self._start - elem) % (-self._step) == self._zero + + return False + + def __eq__(self, other): + if isinstance(other, numeric_range): + empty_self = not bool(self) + empty_other = not bool(other) + if empty_self or empty_other: + return empty_self and empty_other # True if both empty + else: + return ( + self._start == other._start + and self._step == other._step + and self._get_by_index(-1) == other._get_by_index(-1) + ) + else: + return False + + def __getitem__(self, key): + if isinstance(key, int): + return self._get_by_index(key) + elif isinstance(key, slice): + step = self._step if key.step is None else key.step * self._step + + if key.start is None or key.start <= -self._len: + start = self._start + elif key.start >= self._len: + start = self._stop + else: # -self._len < key.start < self._len + start = self._get_by_index(key.start) + + if key.stop is None or key.stop >= self._len: + stop = self._stop + elif key.stop <= -self._len: + stop = self._start + else: # -self._len < key.stop < self._len + stop = self._get_by_index(key.stop) + + return numeric_range(start, stop, step) + else: + raise TypeError( + 'numeric range indices must be ' + 'integers or slices, not {}'.format(type(key).__name__) + ) + + def __hash__(self): + if self: + return hash((self._start, self._get_by_index(-1), self._step)) + else: + return self._EMPTY_HASH + + def __iter__(self): + values = (self._start + (n * self._step) for n in count()) + if self._growing: + return takewhile(partial(gt, self._stop), values) + else: + return takewhile(partial(lt, self._stop), values) + + def __len__(self): + return self._len + + def _init_len(self): + if self._growing: + start = self._start + stop = self._stop + step = self._step + else: + start = self._stop + stop = self._start + step = -self._step + distance = stop - start + if distance <= self._zero: + self._len = 0 + else: # distance > 0 and step > 0: regular euclidean division + q, r = divmod(distance, step) + self._len = int(q) + int(r != self._zero) + + def __reduce__(self): + return numeric_range, (self._start, self._stop, self._step) + + def __repr__(self): + if self._step == 1: + return "numeric_range({}, {})".format( + repr(self._start), repr(self._stop) + ) + else: + return "numeric_range({}, {}, {})".format( + repr(self._start), repr(self._stop), repr(self._step) + ) + + def __reversed__(self): + return iter( + numeric_range( + self._get_by_index(-1), self._start - self._step, -self._step + ) + ) + + def count(self, value): + return int(value in self) + + def index(self, value): + if self._growing: + if self._start <= value < self._stop: + q, r = divmod(value - self._start, self._step) + if r == self._zero: + return int(q) + else: + if self._start >= value > self._stop: + q, r = divmod(self._start - value, -self._step) + if r == self._zero: + return int(q) + + raise ValueError("{} is not in numeric range".format(value)) + + def _get_by_index(self, i): + if i < 0: + i += self._len + if i < 0 or i >= self._len: + raise IndexError("numeric range object index out of range") + return self._start + i * self._step + + +def count_cycle(iterable, n=None): + """Cycle through the items from *iterable* up to *n* times, yielding + the number of completed cycles along with each item. If *n* is omitted the + process repeats indefinitely. + + >>> list(count_cycle('AB', 3)) + [(0, 'A'), (0, 'B'), (1, 'A'), (1, 'B'), (2, 'A'), (2, 'B')] + + """ + iterable = tuple(iterable) + if not iterable: + return iter(()) + counter = count() if n is None else range(n) + return ((i, item) for i in counter for item in iterable) + + +def mark_ends(iterable): + """Yield 3-tuples of the form ``(is_first, is_last, item)``. + + >>> list(mark_ends('ABC')) + [(True, False, 'A'), (False, False, 'B'), (False, True, 'C')] + + Use this when looping over an iterable to take special action on its first + and/or last items: + + >>> iterable = ['Header', 100, 200, 'Footer'] + >>> total = 0 + >>> for is_first, is_last, item in mark_ends(iterable): + ... if is_first: + ... continue # Skip the header + ... if is_last: + ... continue # Skip the footer + ... total += item + >>> print(total) + 300 + """ + it = iter(iterable) + + try: + b = next(it) + except StopIteration: + return + + try: + for i in count(): + a = b + b = next(it) + yield i == 0, False, a + + except StopIteration: + yield i == 0, True, a + + +def locate(iterable, pred=bool, window_size=None): + """Yield the index of each item in *iterable* for which *pred* returns + ``True``. + + *pred* defaults to :func:`bool`, which will select truthy items: + + >>> list(locate([0, 1, 1, 0, 1, 0, 0])) + [1, 2, 4] + + Set *pred* to a custom function to, e.g., find the indexes for a particular + item. + + >>> list(locate(['a', 'b', 'c', 'b'], lambda x: x == 'b')) + [1, 3] + + If *window_size* is given, then the *pred* function will be called with + that many items. This enables searching for sub-sequences: + + >>> iterable = [0, 1, 2, 3, 0, 1, 2, 3, 0, 1, 2, 3] + >>> pred = lambda *args: args == (1, 2, 3) + >>> list(locate(iterable, pred=pred, window_size=3)) + [1, 5, 9] + + Use with :func:`seekable` to find indexes and then retrieve the associated + items: + + >>> from itertools import count + >>> from more_itertools import seekable + >>> source = (3 * n + 1 if (n % 2) else n // 2 for n in count()) + >>> it = seekable(source) + >>> pred = lambda x: x > 100 + >>> indexes = locate(it, pred=pred) + >>> i = next(indexes) + >>> it.seek(i) + >>> next(it) + 106 + + """ + if window_size is None: + return compress(count(), map(pred, iterable)) + + if window_size < 1: + raise ValueError('window size must be at least 1') + + it = windowed(iterable, window_size, fillvalue=_marker) + return compress(count(), starmap(pred, it)) + + +def lstrip(iterable, pred): + """Yield the items from *iterable*, but strip any from the beginning + for which *pred* returns ``True``. + + For example, to remove a set of items from the start of an iterable: + + >>> iterable = (None, False, None, 1, 2, None, 3, False, None) + >>> pred = lambda x: x in {None, False, ''} + >>> list(lstrip(iterable, pred)) + [1, 2, None, 3, False, None] + + This function is analogous to to :func:`str.lstrip`, and is essentially + an wrapper for :func:`itertools.dropwhile`. + + """ + return dropwhile(pred, iterable) + + +def rstrip(iterable, pred): + """Yield the items from *iterable*, but strip any from the end + for which *pred* returns ``True``. + + For example, to remove a set of items from the end of an iterable: + + >>> iterable = (None, False, None, 1, 2, None, 3, False, None) + >>> pred = lambda x: x in {None, False, ''} + >>> list(rstrip(iterable, pred)) + [None, False, None, 1, 2, None, 3] + + This function is analogous to :func:`str.rstrip`. + + """ + cache = [] + cache_append = cache.append + cache_clear = cache.clear + for x in iterable: + if pred(x): + cache_append(x) + else: + yield from cache + cache_clear() + yield x + + +def strip(iterable, pred): + """Yield the items from *iterable*, but strip any from the + beginning and end for which *pred* returns ``True``. + + For example, to remove a set of items from both ends of an iterable: + + >>> iterable = (None, False, None, 1, 2, None, 3, False, None) + >>> pred = lambda x: x in {None, False, ''} + >>> list(strip(iterable, pred)) + [1, 2, None, 3] + + This function is analogous to :func:`str.strip`. + + """ + return rstrip(lstrip(iterable, pred), pred) + + +class islice_extended: + """An extension of :func:`itertools.islice` that supports negative values + for *stop*, *start*, and *step*. + + >>> iterable = iter('abcdefgh') + >>> list(islice_extended(iterable, -4, -1)) + ['e', 'f', 'g'] + + Slices with negative values require some caching of *iterable*, but this + function takes care to minimize the amount of memory required. + + For example, you can use a negative step with an infinite iterator: + + >>> from itertools import count + >>> list(islice_extended(count(), 110, 99, -2)) + [110, 108, 106, 104, 102, 100] + + You can also use slice notation directly: + + >>> iterable = map(str, count()) + >>> it = islice_extended(iterable)[10:20:2] + >>> list(it) + ['10', '12', '14', '16', '18'] + + """ + + def __init__(self, iterable, *args): + it = iter(iterable) + if args: + self._iterable = _islice_helper(it, slice(*args)) + else: + self._iterable = it + + def __iter__(self): + return self + + def __next__(self): + return next(self._iterable) + + def __getitem__(self, key): + if isinstance(key, slice): + return islice_extended(_islice_helper(self._iterable, key)) + + raise TypeError('islice_extended.__getitem__ argument must be a slice') + + +def _islice_helper(it, s): + start = s.start + stop = s.stop + if s.step == 0: + raise ValueError('step argument must be a non-zero integer or None.') + step = s.step or 1 + + if step > 0: + start = 0 if (start is None) else start + + if start < 0: + # Consume all but the last -start items + cache = deque(enumerate(it, 1), maxlen=-start) + len_iter = cache[-1][0] if cache else 0 + + # Adjust start to be positive + i = max(len_iter + start, 0) + + # Adjust stop to be positive + if stop is None: + j = len_iter + elif stop >= 0: + j = min(stop, len_iter) + else: + j = max(len_iter + stop, 0) + + # Slice the cache + n = j - i + if n <= 0: + return + + for index, item in islice(cache, 0, n, step): + yield item + elif (stop is not None) and (stop < 0): + # Advance to the start position + next(islice(it, start, start), None) + + # When stop is negative, we have to carry -stop items while + # iterating + cache = deque(islice(it, -stop), maxlen=-stop) + + for index, item in enumerate(it): + cached_item = cache.popleft() + if index % step == 0: + yield cached_item + cache.append(item) + else: + # When both start and stop are positive we have the normal case + yield from islice(it, start, stop, step) + else: + start = -1 if (start is None) else start + + if (stop is not None) and (stop < 0): + # Consume all but the last items + n = -stop - 1 + cache = deque(enumerate(it, 1), maxlen=n) + len_iter = cache[-1][0] if cache else 0 + + # If start and stop are both negative they are comparable and + # we can just slice. Otherwise we can adjust start to be negative + # and then slice. + if start < 0: + i, j = start, stop + else: + i, j = min(start - len_iter, -1), None + + for index, item in list(cache)[i:j:step]: + yield item + else: + # Advance to the stop position + if stop is not None: + m = stop + 1 + next(islice(it, m, m), None) + + # stop is positive, so if start is negative they are not comparable + # and we need the rest of the items. + if start < 0: + i = start + n = None + # stop is None and start is positive, so we just need items up to + # the start index. + elif stop is None: + i = None + n = start + 1 + # Both stop and start are positive, so they are comparable. + else: + i = None + n = start - stop + if n <= 0: + return + + cache = list(islice(it, n)) + + yield from cache[i::step] + + +def always_reversible(iterable): + """An extension of :func:`reversed` that supports all iterables, not + just those which implement the ``Reversible`` or ``Sequence`` protocols. + + >>> print(*always_reversible(x for x in range(3))) + 2 1 0 + + If the iterable is already reversible, this function returns the + result of :func:`reversed()`. If the iterable is not reversible, + this function will cache the remaining items in the iterable and + yield them in reverse order, which may require significant storage. + """ + try: + return reversed(iterable) + except TypeError: + return reversed(list(iterable)) + + +def consecutive_groups(iterable, ordering=lambda x: x): + """Yield groups of consecutive items using :func:`itertools.groupby`. + The *ordering* function determines whether two items are adjacent by + returning their position. + + By default, the ordering function is the identity function. This is + suitable for finding runs of numbers: + + >>> iterable = [1, 10, 11, 12, 20, 30, 31, 32, 33, 40] + >>> for group in consecutive_groups(iterable): + ... print(list(group)) + [1] + [10, 11, 12] + [20] + [30, 31, 32, 33] + [40] + + For finding runs of adjacent letters, try using the :meth:`index` method + of a string of letters: + + >>> from string import ascii_lowercase + >>> iterable = 'abcdfgilmnop' + >>> ordering = ascii_lowercase.index + >>> for group in consecutive_groups(iterable, ordering): + ... print(list(group)) + ['a', 'b', 'c', 'd'] + ['f', 'g'] + ['i'] + ['l', 'm', 'n', 'o', 'p'] + + Each group of consecutive items is an iterator that shares it source with + *iterable*. When an an output group is advanced, the previous group is + no longer available unless its elements are copied (e.g., into a ``list``). + + >>> iterable = [1, 2, 11, 12, 21, 22] + >>> saved_groups = [] + >>> for group in consecutive_groups(iterable): + ... saved_groups.append(list(group)) # Copy group elements + >>> saved_groups + [[1, 2], [11, 12], [21, 22]] + + """ + for k, g in groupby( + enumerate(iterable), key=lambda x: x[0] - ordering(x[1]) + ): + yield map(itemgetter(1), g) + + +def difference(iterable, func=sub, *, initial=None): + """This function is the inverse of :func:`itertools.accumulate`. By default + it will compute the first difference of *iterable* using + :func:`operator.sub`: + + >>> from itertools import accumulate + >>> iterable = accumulate([0, 1, 2, 3, 4]) # produces 0, 1, 3, 6, 10 + >>> list(difference(iterable)) + [0, 1, 2, 3, 4] + + *func* defaults to :func:`operator.sub`, but other functions can be + specified. They will be applied as follows:: + + A, B, C, D, ... --> A, func(B, A), func(C, B), func(D, C), ... + + For example, to do progressive division: + + >>> iterable = [1, 2, 6, 24, 120] + >>> func = lambda x, y: x // y + >>> list(difference(iterable, func)) + [1, 2, 3, 4, 5] + + If the *initial* keyword is set, the first element will be skipped when + computing successive differences. + + >>> it = [10, 11, 13, 16] # from accumulate([1, 2, 3], initial=10) + >>> list(difference(it, initial=10)) + [1, 2, 3] + + """ + a, b = tee(iterable) + try: + first = [next(b)] + except StopIteration: + return iter([]) + + if initial is not None: + first = [] + + return chain(first, starmap(func, zip(b, a))) + + +class SequenceView(Sequence): + """Return a read-only view of the sequence object *target*. + + :class:`SequenceView` objects are analogous to Python's built-in + "dictionary view" types. They provide a dynamic view of a sequence's items, + meaning that when the sequence updates, so does the view. + + >>> seq = ['0', '1', '2'] + >>> view = SequenceView(seq) + >>> view + SequenceView(['0', '1', '2']) + >>> seq.append('3') + >>> view + SequenceView(['0', '1', '2', '3']) + + Sequence views support indexing, slicing, and length queries. They act + like the underlying sequence, except they don't allow assignment: + + >>> view[1] + '1' + >>> view[1:-1] + ['1', '2'] + >>> len(view) + 4 + + Sequence views are useful as an alternative to copying, as they don't + require (much) extra storage. + + """ + + def __init__(self, target): + if not isinstance(target, Sequence): + raise TypeError + self._target = target + + def __getitem__(self, index): + return self._target[index] + + def __len__(self): + return len(self._target) + + def __repr__(self): + return '{}({})'.format(self.__class__.__name__, repr(self._target)) + + +class seekable: + """Wrap an iterator to allow for seeking backward and forward. This + progressively caches the items in the source iterable so they can be + re-visited. + + Call :meth:`seek` with an index to seek to that position in the source + iterable. + + To "reset" an iterator, seek to ``0``: + + >>> from itertools import count + >>> it = seekable((str(n) for n in count())) + >>> next(it), next(it), next(it) + ('0', '1', '2') + >>> it.seek(0) + >>> next(it), next(it), next(it) + ('0', '1', '2') + >>> next(it) + '3' + + You can also seek forward: + + >>> it = seekable((str(n) for n in range(20))) + >>> it.seek(10) + >>> next(it) + '10' + >>> it.seek(20) # Seeking past the end of the source isn't a problem + >>> list(it) + [] + >>> it.seek(0) # Resetting works even after hitting the end + >>> next(it), next(it), next(it) + ('0', '1', '2') + + Call :meth:`peek` to look ahead one item without advancing the iterator: + + >>> it = seekable('1234') + >>> it.peek() + '1' + >>> list(it) + ['1', '2', '3', '4'] + >>> it.peek(default='empty') + 'empty' + + Before the iterator is at its end, calling :func:`bool` on it will return + ``True``. After it will return ``False``: + + >>> it = seekable('5678') + >>> bool(it) + True + >>> list(it) + ['5', '6', '7', '8'] + >>> bool(it) + False + + You may view the contents of the cache with the :meth:`elements` method. + That returns a :class:`SequenceView`, a view that updates automatically: + + >>> it = seekable((str(n) for n in range(10))) + >>> next(it), next(it), next(it) + ('0', '1', '2') + >>> elements = it.elements() + >>> elements + SequenceView(['0', '1', '2']) + >>> next(it) + '3' + >>> elements + SequenceView(['0', '1', '2', '3']) + + By default, the cache grows as the source iterable progresses, so beware of + wrapping very large or infinite iterables. Supply *maxlen* to limit the + size of the cache (this of course limits how far back you can seek). + + >>> from itertools import count + >>> it = seekable((str(n) for n in count()), maxlen=2) + >>> next(it), next(it), next(it), next(it) + ('0', '1', '2', '3') + >>> list(it.elements()) + ['2', '3'] + >>> it.seek(0) + >>> next(it), next(it), next(it), next(it) + ('2', '3', '4', '5') + >>> next(it) + '6' + + """ + + def __init__(self, iterable, maxlen=None): + self._source = iter(iterable) + if maxlen is None: + self._cache = [] + else: + self._cache = deque([], maxlen) + self._index = None + + def __iter__(self): + return self + + def __next__(self): + if self._index is not None: + try: + item = self._cache[self._index] + except IndexError: + self._index = None + else: + self._index += 1 + return item + + item = next(self._source) + self._cache.append(item) + return item + + def __bool__(self): + try: + self.peek() + except StopIteration: + return False + return True + + def peek(self, default=_marker): + try: + peeked = next(self) + except StopIteration: + if default is _marker: + raise + return default + if self._index is None: + self._index = len(self._cache) + self._index -= 1 + return peeked + + def elements(self): + return SequenceView(self._cache) + + def seek(self, index): + self._index = index + remainder = index - len(self._cache) + if remainder > 0: + consume(self, remainder) + + +class run_length: + """ + :func:`run_length.encode` compresses an iterable with run-length encoding. + It yields groups of repeated items with the count of how many times they + were repeated: + + >>> uncompressed = 'abbcccdddd' + >>> list(run_length.encode(uncompressed)) + [('a', 1), ('b', 2), ('c', 3), ('d', 4)] + + :func:`run_length.decode` decompresses an iterable that was previously + compressed with run-length encoding. It yields the items of the + decompressed iterable: + + >>> compressed = [('a', 1), ('b', 2), ('c', 3), ('d', 4)] + >>> list(run_length.decode(compressed)) + ['a', 'b', 'b', 'c', 'c', 'c', 'd', 'd', 'd', 'd'] + + """ + + @staticmethod + def encode(iterable): + return ((k, ilen(g)) for k, g in groupby(iterable)) + + @staticmethod + def decode(iterable): + return chain.from_iterable(repeat(k, n) for k, n in iterable) + + +def exactly_n(iterable, n, predicate=bool): + """Return ``True`` if exactly ``n`` items in the iterable are ``True`` + according to the *predicate* function. + + >>> exactly_n([True, True, False], 2) + True + >>> exactly_n([True, True, False], 1) + False + >>> exactly_n([0, 1, 2, 3, 4, 5], 3, lambda x: x < 3) + True + + The iterable will be advanced until ``n + 1`` truthy items are encountered, + so avoid calling it on infinite iterables. + + """ + return len(take(n + 1, filter(predicate, iterable))) == n + + +def circular_shifts(iterable): + """Return a list of circular shifts of *iterable*. + + >>> circular_shifts(range(4)) + [(0, 1, 2, 3), (1, 2, 3, 0), (2, 3, 0, 1), (3, 0, 1, 2)] + """ + lst = list(iterable) + return take(len(lst), windowed(cycle(lst), len(lst))) + + +def make_decorator(wrapping_func, result_index=0): + """Return a decorator version of *wrapping_func*, which is a function that + modifies an iterable. *result_index* is the position in that function's + signature where the iterable goes. + + This lets you use itertools on the "production end," i.e. at function + definition. This can augment what the function returns without changing the + function's code. + + For example, to produce a decorator version of :func:`chunked`: + + >>> from more_itertools import chunked + >>> chunker = make_decorator(chunked, result_index=0) + >>> @chunker(3) + ... def iter_range(n): + ... return iter(range(n)) + ... + >>> list(iter_range(9)) + [[0, 1, 2], [3, 4, 5], [6, 7, 8]] + + To only allow truthy items to be returned: + + >>> truth_serum = make_decorator(filter, result_index=1) + >>> @truth_serum(bool) + ... def boolean_test(): + ... return [0, 1, '', ' ', False, True] + ... + >>> list(boolean_test()) + [1, ' ', True] + + The :func:`peekable` and :func:`seekable` wrappers make for practical + decorators: + + >>> from more_itertools import peekable + >>> peekable_function = make_decorator(peekable) + >>> @peekable_function() + ... def str_range(*args): + ... return (str(x) for x in range(*args)) + ... + >>> it = str_range(1, 20, 2) + >>> next(it), next(it), next(it) + ('1', '3', '5') + >>> it.peek() + '7' + >>> next(it) + '7' + + """ + # See https://sites.google.com/site/bbayles/index/decorator_factory for + # notes on how this works. + def decorator(*wrapping_args, **wrapping_kwargs): + def outer_wrapper(f): + def inner_wrapper(*args, **kwargs): + result = f(*args, **kwargs) + wrapping_args_ = list(wrapping_args) + wrapping_args_.insert(result_index, result) + return wrapping_func(*wrapping_args_, **wrapping_kwargs) + + return inner_wrapper + + return outer_wrapper + + return decorator + + +def map_reduce(iterable, keyfunc, valuefunc=None, reducefunc=None): + """Return a dictionary that maps the items in *iterable* to categories + defined by *keyfunc*, transforms them with *valuefunc*, and + then summarizes them by category with *reducefunc*. + + *valuefunc* defaults to the identity function if it is unspecified. + If *reducefunc* is unspecified, no summarization takes place: + + >>> keyfunc = lambda x: x.upper() + >>> result = map_reduce('abbccc', keyfunc) + >>> sorted(result.items()) + [('A', ['a']), ('B', ['b', 'b']), ('C', ['c', 'c', 'c'])] + + Specifying *valuefunc* transforms the categorized items: + + >>> keyfunc = lambda x: x.upper() + >>> valuefunc = lambda x: 1 + >>> result = map_reduce('abbccc', keyfunc, valuefunc) + >>> sorted(result.items()) + [('A', [1]), ('B', [1, 1]), ('C', [1, 1, 1])] + + Specifying *reducefunc* summarizes the categorized items: + + >>> keyfunc = lambda x: x.upper() + >>> valuefunc = lambda x: 1 + >>> reducefunc = sum + >>> result = map_reduce('abbccc', keyfunc, valuefunc, reducefunc) + >>> sorted(result.items()) + [('A', 1), ('B', 2), ('C', 3)] + + You may want to filter the input iterable before applying the map/reduce + procedure: + + >>> all_items = range(30) + >>> items = [x for x in all_items if 10 <= x <= 20] # Filter + >>> keyfunc = lambda x: x % 2 # Evens map to 0; odds to 1 + >>> categories = map_reduce(items, keyfunc=keyfunc) + >>> sorted(categories.items()) + [(0, [10, 12, 14, 16, 18, 20]), (1, [11, 13, 15, 17, 19])] + >>> summaries = map_reduce(items, keyfunc=keyfunc, reducefunc=sum) + >>> sorted(summaries.items()) + [(0, 90), (1, 75)] + + Note that all items in the iterable are gathered into a list before the + summarization step, which may require significant storage. + + The returned object is a :obj:`collections.defaultdict` with the + ``default_factory`` set to ``None``, such that it behaves like a normal + dictionary. + + """ + valuefunc = (lambda x: x) if (valuefunc is None) else valuefunc + + ret = defaultdict(list) + for item in iterable: + key = keyfunc(item) + value = valuefunc(item) + ret[key].append(value) + + if reducefunc is not None: + for key, value_list in ret.items(): + ret[key] = reducefunc(value_list) + + ret.default_factory = None + return ret + + +def rlocate(iterable, pred=bool, window_size=None): + """Yield the index of each item in *iterable* for which *pred* returns + ``True``, starting from the right and moving left. + + *pred* defaults to :func:`bool`, which will select truthy items: + + >>> list(rlocate([0, 1, 1, 0, 1, 0, 0])) # Truthy at 1, 2, and 4 + [4, 2, 1] + + Set *pred* to a custom function to, e.g., find the indexes for a particular + item: + + >>> iterable = iter('abcb') + >>> pred = lambda x: x == 'b' + >>> list(rlocate(iterable, pred)) + [3, 1] + + If *window_size* is given, then the *pred* function will be called with + that many items. This enables searching for sub-sequences: + + >>> iterable = [0, 1, 2, 3, 0, 1, 2, 3, 0, 1, 2, 3] + >>> pred = lambda *args: args == (1, 2, 3) + >>> list(rlocate(iterable, pred=pred, window_size=3)) + [9, 5, 1] + + Beware, this function won't return anything for infinite iterables. + If *iterable* is reversible, ``rlocate`` will reverse it and search from + the right. Otherwise, it will search from the left and return the results + in reverse order. + + See :func:`locate` to for other example applications. + + """ + if window_size is None: + try: + len_iter = len(iterable) + return (len_iter - i - 1 for i in locate(reversed(iterable), pred)) + except TypeError: + pass + + return reversed(list(locate(iterable, pred, window_size))) + + +def replace(iterable, pred, substitutes, count=None, window_size=1): + """Yield the items from *iterable*, replacing the items for which *pred* + returns ``True`` with the items from the iterable *substitutes*. + + >>> iterable = [1, 1, 0, 1, 1, 0, 1, 1] + >>> pred = lambda x: x == 0 + >>> substitutes = (2, 3) + >>> list(replace(iterable, pred, substitutes)) + [1, 1, 2, 3, 1, 1, 2, 3, 1, 1] + + If *count* is given, the number of replacements will be limited: + + >>> iterable = [1, 1, 0, 1, 1, 0, 1, 1, 0] + >>> pred = lambda x: x == 0 + >>> substitutes = [None] + >>> list(replace(iterable, pred, substitutes, count=2)) + [1, 1, None, 1, 1, None, 1, 1, 0] + + Use *window_size* to control the number of items passed as arguments to + *pred*. This allows for locating and replacing subsequences. + + >>> iterable = [0, 1, 2, 5, 0, 1, 2, 5] + >>> window_size = 3 + >>> pred = lambda *args: args == (0, 1, 2) # 3 items passed to pred + >>> substitutes = [3, 4] # Splice in these items + >>> list(replace(iterable, pred, substitutes, window_size=window_size)) + [3, 4, 5, 3, 4, 5] + + """ + if window_size < 1: + raise ValueError('window_size must be at least 1') + + # Save the substitutes iterable, since it's used more than once + substitutes = tuple(substitutes) + + # Add padding such that the number of windows matches the length of the + # iterable + it = chain(iterable, [_marker] * (window_size - 1)) + windows = windowed(it, window_size) + + n = 0 + for w in windows: + # If the current window matches our predicate (and we haven't hit + # our maximum number of replacements), splice in the substitutes + # and then consume the following windows that overlap with this one. + # For example, if the iterable is (0, 1, 2, 3, 4...) + # and the window size is 2, we have (0, 1), (1, 2), (2, 3)... + # If the predicate matches on (0, 1), we need to zap (0, 1) and (1, 2) + if pred(*w): + if (count is None) or (n < count): + n += 1 + yield from substitutes + consume(windows, window_size - 1) + continue + + # If there was no match (or we've reached the replacement limit), + # yield the first item from the window. + if w and (w[0] is not _marker): + yield w[0] + + +def partitions(iterable): + """Yield all possible order-preserving partitions of *iterable*. + + >>> iterable = 'abc' + >>> for part in partitions(iterable): + ... print([''.join(p) for p in part]) + ['abc'] + ['a', 'bc'] + ['ab', 'c'] + ['a', 'b', 'c'] + + This is unrelated to :func:`partition`. + + """ + sequence = list(iterable) + n = len(sequence) + for i in powerset(range(1, n)): + yield [sequence[i:j] for i, j in zip((0,) + i, i + (n,))] + + +def set_partitions(iterable, k=None): + """ + Yield the set partitions of *iterable* into *k* parts. Set partitions are + not order-preserving. + + >>> iterable = 'abc' + >>> for part in set_partitions(iterable, 2): + ... print([''.join(p) for p in part]) + ['a', 'bc'] + ['ab', 'c'] + ['b', 'ac'] + + + If *k* is not given, every set partition is generated. + + >>> iterable = 'abc' + >>> for part in set_partitions(iterable): + ... print([''.join(p) for p in part]) + ['abc'] + ['a', 'bc'] + ['ab', 'c'] + ['b', 'ac'] + ['a', 'b', 'c'] + + """ + L = list(iterable) + n = len(L) + if k is not None: + if k < 1: + raise ValueError( + "Can't partition in a negative or zero number of groups" + ) + elif k > n: + return + + def set_partitions_helper(L, k): + n = len(L) + if k == 1: + yield [L] + elif n == k: + yield [[s] for s in L] + else: + e, *M = L + for p in set_partitions_helper(M, k - 1): + yield [[e], *p] + for p in set_partitions_helper(M, k): + for i in range(len(p)): + yield p[:i] + [[e] + p[i]] + p[i + 1 :] + + if k is None: + for k in range(1, n + 1): + yield from set_partitions_helper(L, k) + else: + yield from set_partitions_helper(L, k) + + +class time_limited: + """ + Yield items from *iterable* until *limit_seconds* have passed. + If the time limit expires before all items have been yielded, the + ``timed_out`` parameter will be set to ``True``. + + >>> from time import sleep + >>> def generator(): + ... yield 1 + ... yield 2 + ... sleep(0.2) + ... yield 3 + >>> iterable = time_limited(0.1, generator()) + >>> list(iterable) + [1, 2] + >>> iterable.timed_out + True + + Note that the time is checked before each item is yielded, and iteration + stops if the time elapsed is greater than *limit_seconds*. If your time + limit is 1 second, but it takes 2 seconds to generate the first item from + the iterable, the function will run for 2 seconds and not yield anything. + + """ + + def __init__(self, limit_seconds, iterable): + if limit_seconds < 0: + raise ValueError('limit_seconds must be positive') + self.limit_seconds = limit_seconds + self._iterable = iter(iterable) + self._start_time = monotonic() + self.timed_out = False + + def __iter__(self): + return self + + def __next__(self): + item = next(self._iterable) + if monotonic() - self._start_time > self.limit_seconds: + self.timed_out = True + raise StopIteration + + return item + + +def only(iterable, default=None, too_long=None): + """If *iterable* has only one item, return it. + If it has zero items, return *default*. + If it has more than one item, raise the exception given by *too_long*, + which is ``ValueError`` by default. + + >>> only([], default='missing') + 'missing' + >>> only([1]) + 1 + >>> only([1, 2]) # doctest: +IGNORE_EXCEPTION_DETAIL + Traceback (most recent call last): + ... + ValueError: Expected exactly one item in iterable, but got 1, 2, + and perhaps more.' + >>> only([1, 2], too_long=TypeError) # doctest: +IGNORE_EXCEPTION_DETAIL + Traceback (most recent call last): + ... + TypeError + + Note that :func:`only` attempts to advance *iterable* twice to ensure there + is only one item. See :func:`spy` or :func:`peekable` to check + iterable contents less destructively. + """ + it = iter(iterable) + first_value = next(it, default) + + try: + second_value = next(it) + except StopIteration: + pass + else: + msg = ( + 'Expected exactly one item in iterable, but got {!r}, {!r}, ' + 'and perhaps more.'.format(first_value, second_value) + ) + raise too_long or ValueError(msg) + + return first_value + + +def ichunked(iterable, n): + """Break *iterable* into sub-iterables with *n* elements each. + :func:`ichunked` is like :func:`chunked`, but it yields iterables + instead of lists. + + If the sub-iterables are read in order, the elements of *iterable* + won't be stored in memory. + If they are read out of order, :func:`itertools.tee` is used to cache + elements as necessary. + + >>> from itertools import count + >>> all_chunks = ichunked(count(), 4) + >>> c_1, c_2, c_3 = next(all_chunks), next(all_chunks), next(all_chunks) + >>> list(c_2) # c_1's elements have been cached; c_3's haven't been + [4, 5, 6, 7] + >>> list(c_1) + [0, 1, 2, 3] + >>> list(c_3) + [8, 9, 10, 11] + + """ + source = iter(iterable) + + while True: + # Check to see whether we're at the end of the source iterable + item = next(source, _marker) + if item is _marker: + return + + # Clone the source and yield an n-length slice + source, it = tee(chain([item], source)) + yield islice(it, n) + + # Advance the source iterable + consume(source, n) + + +def distinct_combinations(iterable, r): + """Yield the distinct combinations of *r* items taken from *iterable*. + + >>> list(distinct_combinations([0, 0, 1], 2)) + [(0, 0), (0, 1)] + + Equivalent to ``set(combinations(iterable))``, except duplicates are not + generated and thrown away. For larger input sequences this is much more + efficient. + + """ + if r < 0: + raise ValueError('r must be non-negative') + elif r == 0: + yield () + return + pool = tuple(iterable) + generators = [unique_everseen(enumerate(pool), key=itemgetter(1))] + current_combo = [None] * r + level = 0 + while generators: + try: + cur_idx, p = next(generators[-1]) + except StopIteration: + generators.pop() + level -= 1 + continue + current_combo[level] = p + if level + 1 == r: + yield tuple(current_combo) + else: + generators.append( + unique_everseen( + enumerate(pool[cur_idx + 1 :], cur_idx + 1), + key=itemgetter(1), + ) + ) + level += 1 + + +def filter_except(validator, iterable, *exceptions): + """Yield the items from *iterable* for which the *validator* function does + not raise one of the specified *exceptions*. + + *validator* is called for each item in *iterable*. + It should be a function that accepts one argument and raises an exception + if that item is not valid. + + >>> iterable = ['1', '2', 'three', '4', None] + >>> list(filter_except(int, iterable, ValueError, TypeError)) + ['1', '2', '4'] + + If an exception other than one given by *exceptions* is raised by + *validator*, it is raised like normal. + """ + for item in iterable: + try: + validator(item) + except exceptions: + pass + else: + yield item + + +def map_except(function, iterable, *exceptions): + """Transform each item from *iterable* with *function* and yield the + result, unless *function* raises one of the specified *exceptions*. + + *function* is called to transform each item in *iterable*. + It should be a accept one argument. + + >>> iterable = ['1', '2', 'three', '4', None] + >>> list(map_except(int, iterable, ValueError, TypeError)) + [1, 2, 4] + + If an exception other than one given by *exceptions* is raised by + *function*, it is raised like normal. + """ + for item in iterable: + try: + yield function(item) + except exceptions: + pass + + +def _sample_unweighted(iterable, k): + # Implementation of "Algorithm L" from the 1994 paper by Kim-Hung Li: + # "Reservoir-Sampling Algorithms of Time Complexity O(n(1+log(N/n)))". + + # Fill up the reservoir (collection of samples) with the first `k` samples + reservoir = take(k, iterable) + + # Generate random number that's the largest in a sample of k U(0,1) numbers + # Largest order statistic: https://en.wikipedia.org/wiki/Order_statistic + W = exp(log(random()) / k) + + # The number of elements to skip before changing the reservoir is a random + # number with a geometric distribution. Sample it using random() and logs. + next_index = k + floor(log(random()) / log(1 - W)) + + for index, element in enumerate(iterable, k): + + if index == next_index: + reservoir[randrange(k)] = element + # The new W is the largest in a sample of k U(0, `old_W`) numbers + W *= exp(log(random()) / k) + next_index += floor(log(random()) / log(1 - W)) + 1 + + return reservoir + + +def _sample_weighted(iterable, k, weights): + # Implementation of "A-ExpJ" from the 2006 paper by Efraimidis et al. : + # "Weighted random sampling with a reservoir". + + # Log-transform for numerical stability for weights that are small/large + weight_keys = (log(random()) / weight for weight in weights) + + # Fill up the reservoir (collection of samples) with the first `k` + # weight-keys and elements, then heapify the list. + reservoir = take(k, zip(weight_keys, iterable)) + heapify(reservoir) + + # The number of jumps before changing the reservoir is a random variable + # with an exponential distribution. Sample it using random() and logs. + smallest_weight_key, _ = reservoir[0] + weights_to_skip = log(random()) / smallest_weight_key + + for weight, element in zip(weights, iterable): + if weight >= weights_to_skip: + # The notation here is consistent with the paper, but we store + # the weight-keys in log-space for better numerical stability. + smallest_weight_key, _ = reservoir[0] + t_w = exp(weight * smallest_weight_key) + r_2 = uniform(t_w, 1) # generate U(t_w, 1) + weight_key = log(r_2) / weight + heapreplace(reservoir, (weight_key, element)) + smallest_weight_key, _ = reservoir[0] + weights_to_skip = log(random()) / smallest_weight_key + else: + weights_to_skip -= weight + + # Equivalent to [element for weight_key, element in sorted(reservoir)] + return [heappop(reservoir)[1] for _ in range(k)] + + +def sample(iterable, k, weights=None): + """Return a *k*-length list of elements chosen (without replacement) + from the *iterable*. Like :func:`random.sample`, but works on iterables + of unknown length. + + >>> iterable = range(100) + >>> sample(iterable, 5) # doctest: +SKIP + [81, 60, 96, 16, 4] + + An iterable with *weights* may also be given: + + >>> iterable = range(100) + >>> weights = (i * i + 1 for i in range(100)) + >>> sampled = sample(iterable, 5, weights=weights) # doctest: +SKIP + [79, 67, 74, 66, 78] + + The algorithm can also be used to generate weighted random permutations. + The relative weight of each item determines the probability that it + appears late in the permutation. + + >>> data = "abcdefgh" + >>> weights = range(1, len(data) + 1) + >>> sample(data, k=len(data), weights=weights) # doctest: +SKIP + ['c', 'a', 'b', 'e', 'g', 'd', 'h', 'f'] + """ + if k == 0: + return [] + + iterable = iter(iterable) + if weights is None: + return _sample_unweighted(iterable, k) + else: + weights = iter(weights) + return _sample_weighted(iterable, k, weights) + + +def is_sorted(iterable, key=None, reverse=False): + """Returns ``True`` if the items of iterable are in sorted order, and + ``False`` otherwise. *key* and *reverse* have the same meaning that they do + in the built-in :func:`sorted` function. + + >>> is_sorted(['1', '2', '3', '4', '5'], key=int) + True + >>> is_sorted([5, 4, 3, 1, 2], reverse=True) + False + + The function returns ``False`` after encountering the first out-of-order + item. If there are no out-of-order items, the iterable is exhausted. + """ + + compare = lt if reverse else gt + it = iterable if (key is None) else map(key, iterable) + return not any(starmap(compare, pairwise(it))) + + +class AbortThread(BaseException): + pass + + +class callback_iter: + """Convert a function that uses callbacks to an iterator. + + Let *func* be a function that takes a `callback` keyword argument. + For example: + + >>> def func(callback=None): + ... for i, c in [(1, 'a'), (2, 'b'), (3, 'c')]: + ... if callback: + ... callback(i, c) + ... return 4 + + + Use ``with callback_iter(func)`` to get an iterator over the parameters + that are delivered to the callback. + + >>> with callback_iter(func) as it: + ... for args, kwargs in it: + ... print(args) + (1, 'a') + (2, 'b') + (3, 'c') + + The function will be called in a background thread. The ``done`` property + indicates whether it has completed execution. + + >>> it.done + True + + If it completes successfully, its return value will be available + in the ``result`` property. + + >>> it.result + 4 + + Notes: + + * If the function uses some keyword argument besides ``callback``, supply + *callback_kwd*. + * If it finished executing, but raised an exception, accessing the + ``result`` property will raise the same exception. + * If it hasn't finished executing, accessing the ``result`` + property from within the ``with`` block will raise ``RuntimeError``. + * If it hasn't finished executing, accessing the ``result`` property from + outside the ``with`` block will raise a + ``more_itertools.AbortThread`` exception. + * Provide *wait_seconds* to adjust how frequently the it is polled for + output. + + """ + + def __init__(self, func, callback_kwd='callback', wait_seconds=0.1): + self._func = func + self._callback_kwd = callback_kwd + self._aborted = False + self._future = None + self._wait_seconds = wait_seconds + self._executor = ThreadPoolExecutor(max_workers=1) + self._iterator = self._reader() + + def __enter__(self): + return self + + def __exit__(self, exc_type, exc_value, traceback): + self._aborted = True + self._executor.shutdown() + + def __iter__(self): + return self + + def __next__(self): + return next(self._iterator) + + @property + def done(self): + if self._future is None: + return False + return self._future.done() + + @property + def result(self): + if not self.done: + raise RuntimeError('Function has not yet completed') + + return self._future.result() + + def _reader(self): + q = Queue() + + def callback(*args, **kwargs): + if self._aborted: + raise AbortThread('canceled by user') + + q.put((args, kwargs)) + + self._future = self._executor.submit( + self._func, **{self._callback_kwd: callback} + ) + + while True: + try: + item = q.get(timeout=self._wait_seconds) + except Empty: + pass + else: + q.task_done() + yield item + + if self._future.done(): + break + + remaining = [] + while True: + try: + item = q.get_nowait() + except Empty: + break + else: + q.task_done() + remaining.append(item) + q.join() + yield from remaining + + +def windowed_complete(iterable, n): + """ + Yield ``(beginning, middle, end)`` tuples, where: + + * Each ``middle`` has *n* items from *iterable* + * Each ``beginning`` has the items before the ones in ``middle`` + * Each ``end`` has the items after the ones in ``middle`` + + >>> iterable = range(7) + >>> n = 3 + >>> for beginning, middle, end in windowed_complete(iterable, n): + ... print(beginning, middle, end) + () (0, 1, 2) (3, 4, 5, 6) + (0,) (1, 2, 3) (4, 5, 6) + (0, 1) (2, 3, 4) (5, 6) + (0, 1, 2) (3, 4, 5) (6,) + (0, 1, 2, 3) (4, 5, 6) () + + Note that *n* must be at least 0 and most equal to the length of + *iterable*. + + This function will exhaust the iterable and may require significant + storage. + """ + if n < 0: + raise ValueError('n must be >= 0') + + seq = tuple(iterable) + size = len(seq) + + if n > size: + raise ValueError('n must be <= len(seq)') + + for i in range(size - n + 1): + beginning = seq[:i] + middle = seq[i : i + n] + end = seq[i + n :] + yield beginning, middle, end + + +def all_unique(iterable, key=None): + """ + Returns ``True`` if all the elements of *iterable* are unique (no two + elements are equal). + + >>> all_unique('ABCB') + False + + If a *key* function is specified, it will be used to make comparisons. + + >>> all_unique('ABCb') + True + >>> all_unique('ABCb', str.lower) + False + + The function returns as soon as the first non-unique element is + encountered. Iterables with a mix of hashable and unhashable items can + be used, but the function will be slower for unhashable items. + """ + seenset = set() + seenset_add = seenset.add + seenlist = [] + seenlist_add = seenlist.append + for element in map(key, iterable) if key else iterable: + try: + if element in seenset: + return False + seenset_add(element) + except TypeError: + if element in seenlist: + return False + seenlist_add(element) + return True + + +def nth_product(index, *args): + """Equivalent to ``list(product(*args))[index]``. + + The products of *args* can be ordered lexicographically. + :func:`nth_product` computes the product at sort position *index* without + computing the previous products. + + >>> nth_product(8, range(2), range(2), range(2), range(2)) + (1, 0, 0, 0) + + ``IndexError`` will be raised if the given *index* is invalid. + """ + pools = list(map(tuple, reversed(args))) + ns = list(map(len, pools)) + + c = reduce(mul, ns) + + if index < 0: + index += c + + if not 0 <= index < c: + raise IndexError + + result = [] + for pool, n in zip(pools, ns): + result.append(pool[index % n]) + index //= n + + return tuple(reversed(result)) + + +def nth_permutation(iterable, r, index): + """Equivalent to ``list(permutations(iterable, r))[index]``` + + The subsequences of *iterable* that are of length *r* where order is + important can be ordered lexicographically. :func:`nth_permutation` + computes the subsequence at sort position *index* directly, without + computing the previous subsequences. + + >>> nth_permutation('ghijk', 2, 5) + ('h', 'i') + + ``ValueError`` will be raised If *r* is negative or greater than the length + of *iterable*. + ``IndexError`` will be raised if the given *index* is invalid. + """ + pool = list(iterable) + n = len(pool) + + if r is None or r == n: + r, c = n, factorial(n) + elif not 0 <= r < n: + raise ValueError + else: + c = factorial(n) // factorial(n - r) + + if index < 0: + index += c + + if not 0 <= index < c: + raise IndexError + + if c == 0: + return tuple() + + result = [0] * r + q = index * factorial(n) // c if r < n else index + for d in range(1, n + 1): + q, i = divmod(q, d) + if 0 <= n - d < r: + result[n - d] = i + if q == 0: + break + + return tuple(map(pool.pop, result)) + + +def value_chain(*args): + """Yield all arguments passed to the function in the same order in which + they were passed. If an argument itself is iterable then iterate over its + values. + + >>> list(value_chain(1, 2, 3, [4, 5, 6])) + [1, 2, 3, 4, 5, 6] + + Binary and text strings are not considered iterable and are emitted + as-is: + + >>> list(value_chain('12', '34', ['56', '78'])) + ['12', '34', '56', '78'] + + + Multiple levels of nesting are not flattened. + + """ + for value in args: + if isinstance(value, (str, bytes)): + yield value + continue + try: + yield from value + except TypeError: + yield value + + +def product_index(element, *args): + """Equivalent to ``list(product(*args)).index(element)`` + + The products of *args* can be ordered lexicographically. + :func:`product_index` computes the first index of *element* without + computing the previous products. + + >>> product_index([8, 2], range(10), range(5)) + 42 + + ``ValueError`` will be raised if the given *element* isn't in the product + of *args*. + """ + index = 0 + + for x, pool in zip_longest(element, args, fillvalue=_marker): + if x is _marker or pool is _marker: + raise ValueError('element is not a product of args') + + pool = tuple(pool) + index = index * len(pool) + pool.index(x) + + return index + + +def combination_index(element, iterable): + """Equivalent to ``list(combinations(iterable, r)).index(element)`` + + The subsequences of *iterable* that are of length *r* can be ordered + lexicographically. :func:`combination_index` computes the index of the + first *element*, without computing the previous combinations. + + >>> combination_index('adf', 'abcdefg') + 10 + + ``ValueError`` will be raised if the given *element* isn't one of the + combinations of *iterable*. + """ + element = enumerate(element) + k, y = next(element, (None, None)) + if k is None: + return 0 + + indexes = [] + pool = enumerate(iterable) + for n, x in pool: + if x == y: + indexes.append(n) + tmp, y = next(element, (None, None)) + if tmp is None: + break + else: + k = tmp + else: + raise ValueError('element is not a combination of iterable') + + n, _ = last(pool, default=(n, None)) + + # Python versiosn below 3.8 don't have math.comb + index = 1 + for i, j in enumerate(reversed(indexes), start=1): + j = n - j + if i <= j: + index += factorial(j) // (factorial(i) * factorial(j - i)) + + return factorial(n + 1) // (factorial(k + 1) * factorial(n - k)) - index + + +def permutation_index(element, iterable): + """Equivalent to ``list(permutations(iterable, r)).index(element)``` + + The subsequences of *iterable* that are of length *r* where order is + important can be ordered lexicographically. :func:`permutation_index` + computes the index of the first *element* directly, without computing + the previous permutations. + + >>> permutation_index([1, 3, 2], range(5)) + 19 + + ``ValueError`` will be raised if the given *element* isn't one of the + permutations of *iterable*. + """ + index = 0 + pool = list(iterable) + for i, x in zip(range(len(pool), -1, -1), element): + r = pool.index(x) + index = index * i + r + del pool[r] + + return index + + +class countable: + """Wrap *iterable* and keep a count of how many items have been consumed. + + The ``items_seen`` attribute starts at ``0`` and increments as the iterable + is consumed: + + >>> iterable = map(str, range(10)) + >>> it = countable(iterable) + >>> it.items_seen + 0 + >>> next(it), next(it) + ('0', '1') + >>> list(it) + ['2', '3', '4', '5', '6', '7', '8', '9'] + >>> it.items_seen + 10 + """ + + def __init__(self, iterable): + self._it = iter(iterable) + self.items_seen = 0 + + def __iter__(self): + return self + + def __next__(self): + item = next(self._it) + self.items_seen += 1 + + return item diff --git a/venv/Lib/site-packages/setuptools/_vendor/more_itertools/recipes.py b/venv/Lib/site-packages/setuptools/_vendor/more_itertools/recipes.py new file mode 100644 index 0000000..521abd7 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_vendor/more_itertools/recipes.py @@ -0,0 +1,620 @@ +"""Imported from the recipes section of the itertools documentation. + +All functions taken from the recipes section of the itertools library docs +[1]_. +Some backward-compatible usability improvements have been made. + +.. [1] http://docs.python.org/library/itertools.html#recipes + +""" +import warnings +from collections import deque +from itertools import ( + chain, + combinations, + count, + cycle, + groupby, + islice, + repeat, + starmap, + tee, + zip_longest, +) +import operator +from random import randrange, sample, choice + +__all__ = [ + 'all_equal', + 'consume', + 'convolve', + 'dotproduct', + 'first_true', + 'flatten', + 'grouper', + 'iter_except', + 'ncycles', + 'nth', + 'nth_combination', + 'padnone', + 'pad_none', + 'pairwise', + 'partition', + 'powerset', + 'prepend', + 'quantify', + 'random_combination_with_replacement', + 'random_combination', + 'random_permutation', + 'random_product', + 'repeatfunc', + 'roundrobin', + 'tabulate', + 'tail', + 'take', + 'unique_everseen', + 'unique_justseen', +] + + +def take(n, iterable): + """Return first *n* items of the iterable as a list. + + >>> take(3, range(10)) + [0, 1, 2] + + If there are fewer than *n* items in the iterable, all of them are + returned. + + >>> take(10, range(3)) + [0, 1, 2] + + """ + return list(islice(iterable, n)) + + +def tabulate(function, start=0): + """Return an iterator over the results of ``func(start)``, + ``func(start + 1)``, ``func(start + 2)``... + + *func* should be a function that accepts one integer argument. + + If *start* is not specified it defaults to 0. It will be incremented each + time the iterator is advanced. + + >>> square = lambda x: x ** 2 + >>> iterator = tabulate(square, -3) + >>> take(4, iterator) + [9, 4, 1, 0] + + """ + return map(function, count(start)) + + +def tail(n, iterable): + """Return an iterator over the last *n* items of *iterable*. + + >>> t = tail(3, 'ABCDEFG') + >>> list(t) + ['E', 'F', 'G'] + + """ + return iter(deque(iterable, maxlen=n)) + + +def consume(iterator, n=None): + """Advance *iterable* by *n* steps. If *n* is ``None``, consume it + entirely. + + Efficiently exhausts an iterator without returning values. Defaults to + consuming the whole iterator, but an optional second argument may be + provided to limit consumption. + + >>> i = (x for x in range(10)) + >>> next(i) + 0 + >>> consume(i, 3) + >>> next(i) + 4 + >>> consume(i) + >>> next(i) + Traceback (most recent call last): + File "<stdin>", line 1, in <module> + StopIteration + + If the iterator has fewer items remaining than the provided limit, the + whole iterator will be consumed. + + >>> i = (x for x in range(3)) + >>> consume(i, 5) + >>> next(i) + Traceback (most recent call last): + File "<stdin>", line 1, in <module> + StopIteration + + """ + # Use functions that consume iterators at C speed. + if n is None: + # feed the entire iterator into a zero-length deque + deque(iterator, maxlen=0) + else: + # advance to the empty slice starting at position n + next(islice(iterator, n, n), None) + + +def nth(iterable, n, default=None): + """Returns the nth item or a default value. + + >>> l = range(10) + >>> nth(l, 3) + 3 + >>> nth(l, 20, "zebra") + 'zebra' + + """ + return next(islice(iterable, n, None), default) + + +def all_equal(iterable): + """ + Returns ``True`` if all the elements are equal to each other. + + >>> all_equal('aaaa') + True + >>> all_equal('aaab') + False + + """ + g = groupby(iterable) + return next(g, True) and not next(g, False) + + +def quantify(iterable, pred=bool): + """Return the how many times the predicate is true. + + >>> quantify([True, False, True]) + 2 + + """ + return sum(map(pred, iterable)) + + +def pad_none(iterable): + """Returns the sequence of elements and then returns ``None`` indefinitely. + + >>> take(5, pad_none(range(3))) + [0, 1, 2, None, None] + + Useful for emulating the behavior of the built-in :func:`map` function. + + See also :func:`padded`. + + """ + return chain(iterable, repeat(None)) + + +padnone = pad_none + + +def ncycles(iterable, n): + """Returns the sequence elements *n* times + + >>> list(ncycles(["a", "b"], 3)) + ['a', 'b', 'a', 'b', 'a', 'b'] + + """ + return chain.from_iterable(repeat(tuple(iterable), n)) + + +def dotproduct(vec1, vec2): + """Returns the dot product of the two iterables. + + >>> dotproduct([10, 10], [20, 20]) + 400 + + """ + return sum(map(operator.mul, vec1, vec2)) + + +def flatten(listOfLists): + """Return an iterator flattening one level of nesting in a list of lists. + + >>> list(flatten([[0, 1], [2, 3]])) + [0, 1, 2, 3] + + See also :func:`collapse`, which can flatten multiple levels of nesting. + + """ + return chain.from_iterable(listOfLists) + + +def repeatfunc(func, times=None, *args): + """Call *func* with *args* repeatedly, returning an iterable over the + results. + + If *times* is specified, the iterable will terminate after that many + repetitions: + + >>> from operator import add + >>> times = 4 + >>> args = 3, 5 + >>> list(repeatfunc(add, times, *args)) + [8, 8, 8, 8] + + If *times* is ``None`` the iterable will not terminate: + + >>> from random import randrange + >>> times = None + >>> args = 1, 11 + >>> take(6, repeatfunc(randrange, times, *args)) # doctest:+SKIP + [2, 4, 8, 1, 8, 4] + + """ + if times is None: + return starmap(func, repeat(args)) + return starmap(func, repeat(args, times)) + + +def _pairwise(iterable): + """Returns an iterator of paired items, overlapping, from the original + + >>> take(4, pairwise(count())) + [(0, 1), (1, 2), (2, 3), (3, 4)] + + On Python 3.10 and above, this is an alias for :func:`itertools.pairwise`. + + """ + a, b = tee(iterable) + next(b, None) + yield from zip(a, b) + + +try: + from itertools import pairwise as itertools_pairwise +except ImportError: + pairwise = _pairwise +else: + + def pairwise(iterable): + yield from itertools_pairwise(iterable) + + pairwise.__doc__ = _pairwise.__doc__ + + +def grouper(iterable, n, fillvalue=None): + """Collect data into fixed-length chunks or blocks. + + >>> list(grouper('ABCDEFG', 3, 'x')) + [('A', 'B', 'C'), ('D', 'E', 'F'), ('G', 'x', 'x')] + + """ + if isinstance(iterable, int): + warnings.warn( + "grouper expects iterable as first parameter", DeprecationWarning + ) + n, iterable = iterable, n + args = [iter(iterable)] * n + return zip_longest(fillvalue=fillvalue, *args) + + +def roundrobin(*iterables): + """Yields an item from each iterable, alternating between them. + + >>> list(roundrobin('ABC', 'D', 'EF')) + ['A', 'D', 'E', 'B', 'F', 'C'] + + This function produces the same output as :func:`interleave_longest`, but + may perform better for some inputs (in particular when the number of + iterables is small). + + """ + # Recipe credited to George Sakkis + pending = len(iterables) + nexts = cycle(iter(it).__next__ for it in iterables) + while pending: + try: + for next in nexts: + yield next() + except StopIteration: + pending -= 1 + nexts = cycle(islice(nexts, pending)) + + +def partition(pred, iterable): + """ + Returns a 2-tuple of iterables derived from the input iterable. + The first yields the items that have ``pred(item) == False``. + The second yields the items that have ``pred(item) == True``. + + >>> is_odd = lambda x: x % 2 != 0 + >>> iterable = range(10) + >>> even_items, odd_items = partition(is_odd, iterable) + >>> list(even_items), list(odd_items) + ([0, 2, 4, 6, 8], [1, 3, 5, 7, 9]) + + If *pred* is None, :func:`bool` is used. + + >>> iterable = [0, 1, False, True, '', ' '] + >>> false_items, true_items = partition(None, iterable) + >>> list(false_items), list(true_items) + ([0, False, ''], [1, True, ' ']) + + """ + if pred is None: + pred = bool + + evaluations = ((pred(x), x) for x in iterable) + t1, t2 = tee(evaluations) + return ( + (x for (cond, x) in t1 if not cond), + (x for (cond, x) in t2 if cond), + ) + + +def powerset(iterable): + """Yields all possible subsets of the iterable. + + >>> list(powerset([1, 2, 3])) + [(), (1,), (2,), (3,), (1, 2), (1, 3), (2, 3), (1, 2, 3)] + + :func:`powerset` will operate on iterables that aren't :class:`set` + instances, so repeated elements in the input will produce repeated elements + in the output. Use :func:`unique_everseen` on the input to avoid generating + duplicates: + + >>> seq = [1, 1, 0] + >>> list(powerset(seq)) + [(), (1,), (1,), (0,), (1, 1), (1, 0), (1, 0), (1, 1, 0)] + >>> from more_itertools import unique_everseen + >>> list(powerset(unique_everseen(seq))) + [(), (1,), (0,), (1, 0)] + + """ + s = list(iterable) + return chain.from_iterable(combinations(s, r) for r in range(len(s) + 1)) + + +def unique_everseen(iterable, key=None): + """ + Yield unique elements, preserving order. + + >>> list(unique_everseen('AAAABBBCCDAABBB')) + ['A', 'B', 'C', 'D'] + >>> list(unique_everseen('ABBCcAD', str.lower)) + ['A', 'B', 'C', 'D'] + + Sequences with a mix of hashable and unhashable items can be used. + The function will be slower (i.e., `O(n^2)`) for unhashable items. + + Remember that ``list`` objects are unhashable - you can use the *key* + parameter to transform the list to a tuple (which is hashable) to + avoid a slowdown. + + >>> iterable = ([1, 2], [2, 3], [1, 2]) + >>> list(unique_everseen(iterable)) # Slow + [[1, 2], [2, 3]] + >>> list(unique_everseen(iterable, key=tuple)) # Faster + [[1, 2], [2, 3]] + + Similary, you may want to convert unhashable ``set`` objects with + ``key=frozenset``. For ``dict`` objects, + ``key=lambda x: frozenset(x.items())`` can be used. + + """ + seenset = set() + seenset_add = seenset.add + seenlist = [] + seenlist_add = seenlist.append + use_key = key is not None + + for element in iterable: + k = key(element) if use_key else element + try: + if k not in seenset: + seenset_add(k) + yield element + except TypeError: + if k not in seenlist: + seenlist_add(k) + yield element + + +def unique_justseen(iterable, key=None): + """Yields elements in order, ignoring serial duplicates + + >>> list(unique_justseen('AAAABBBCCDAABBB')) + ['A', 'B', 'C', 'D', 'A', 'B'] + >>> list(unique_justseen('ABBCcAD', str.lower)) + ['A', 'B', 'C', 'A', 'D'] + + """ + return map(next, map(operator.itemgetter(1), groupby(iterable, key))) + + +def iter_except(func, exception, first=None): + """Yields results from a function repeatedly until an exception is raised. + + Converts a call-until-exception interface to an iterator interface. + Like ``iter(func, sentinel)``, but uses an exception instead of a sentinel + to end the loop. + + >>> l = [0, 1, 2] + >>> list(iter_except(l.pop, IndexError)) + [2, 1, 0] + + """ + try: + if first is not None: + yield first() + while 1: + yield func() + except exception: + pass + + +def first_true(iterable, default=None, pred=None): + """ + Returns the first true value in the iterable. + + If no true value is found, returns *default* + + If *pred* is not None, returns the first item for which + ``pred(item) == True`` . + + >>> first_true(range(10)) + 1 + >>> first_true(range(10), pred=lambda x: x > 5) + 6 + >>> first_true(range(10), default='missing', pred=lambda x: x > 9) + 'missing' + + """ + return next(filter(pred, iterable), default) + + +def random_product(*args, repeat=1): + """Draw an item at random from each of the input iterables. + + >>> random_product('abc', range(4), 'XYZ') # doctest:+SKIP + ('c', 3, 'Z') + + If *repeat* is provided as a keyword argument, that many items will be + drawn from each iterable. + + >>> random_product('abcd', range(4), repeat=2) # doctest:+SKIP + ('a', 2, 'd', 3) + + This equivalent to taking a random selection from + ``itertools.product(*args, **kwarg)``. + + """ + pools = [tuple(pool) for pool in args] * repeat + return tuple(choice(pool) for pool in pools) + + +def random_permutation(iterable, r=None): + """Return a random *r* length permutation of the elements in *iterable*. + + If *r* is not specified or is ``None``, then *r* defaults to the length of + *iterable*. + + >>> random_permutation(range(5)) # doctest:+SKIP + (3, 4, 0, 1, 2) + + This equivalent to taking a random selection from + ``itertools.permutations(iterable, r)``. + + """ + pool = tuple(iterable) + r = len(pool) if r is None else r + return tuple(sample(pool, r)) + + +def random_combination(iterable, r): + """Return a random *r* length subsequence of the elements in *iterable*. + + >>> random_combination(range(5), 3) # doctest:+SKIP + (2, 3, 4) + + This equivalent to taking a random selection from + ``itertools.combinations(iterable, r)``. + + """ + pool = tuple(iterable) + n = len(pool) + indices = sorted(sample(range(n), r)) + return tuple(pool[i] for i in indices) + + +def random_combination_with_replacement(iterable, r): + """Return a random *r* length subsequence of elements in *iterable*, + allowing individual elements to be repeated. + + >>> random_combination_with_replacement(range(3), 5) # doctest:+SKIP + (0, 0, 1, 2, 2) + + This equivalent to taking a random selection from + ``itertools.combinations_with_replacement(iterable, r)``. + + """ + pool = tuple(iterable) + n = len(pool) + indices = sorted(randrange(n) for i in range(r)) + return tuple(pool[i] for i in indices) + + +def nth_combination(iterable, r, index): + """Equivalent to ``list(combinations(iterable, r))[index]``. + + The subsequences of *iterable* that are of length *r* can be ordered + lexicographically. :func:`nth_combination` computes the subsequence at + sort position *index* directly, without computing the previous + subsequences. + + >>> nth_combination(range(5), 3, 5) + (0, 3, 4) + + ``ValueError`` will be raised If *r* is negative or greater than the length + of *iterable*. + ``IndexError`` will be raised if the given *index* is invalid. + """ + pool = tuple(iterable) + n = len(pool) + if (r < 0) or (r > n): + raise ValueError + + c = 1 + k = min(r, n - r) + for i in range(1, k + 1): + c = c * (n - k + i) // i + + if index < 0: + index += c + + if (index < 0) or (index >= c): + raise IndexError + + result = [] + while r: + c, n, r = c * r // n, n - 1, r - 1 + while index >= c: + index -= c + c, n = c * (n - r) // n, n - 1 + result.append(pool[-1 - n]) + + return tuple(result) + + +def prepend(value, iterator): + """Yield *value*, followed by the elements in *iterator*. + + >>> value = '0' + >>> iterator = ['1', '2', '3'] + >>> list(prepend(value, iterator)) + ['0', '1', '2', '3'] + + To prepend multiple values, see :func:`itertools.chain` + or :func:`value_chain`. + + """ + return chain([value], iterator) + + +def convolve(signal, kernel): + """Convolve the iterable *signal* with the iterable *kernel*. + + >>> signal = (1, 2, 3, 4, 5) + >>> kernel = [3, 2, 1] + >>> list(convolve(signal, kernel)) + [3, 8, 14, 20, 26, 14, 5] + + Note: the input arguments are not interchangeable, as the *kernel* + is immediately consumed and stored. + + """ + kernel = tuple(kernel)[::-1] + n = len(kernel) + window = deque([0], maxlen=n) * n + for x in chain(signal, repeat(0, n - 1)): + window.append(x) + yield sum(map(operator.mul, kernel, window)) diff --git a/venv/Lib/site-packages/setuptools/_vendor/ordered_set.py b/venv/Lib/site-packages/setuptools/_vendor/ordered_set.py new file mode 100644 index 0000000..1487600 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_vendor/ordered_set.py @@ -0,0 +1,488 @@ +""" +An OrderedSet is a custom MutableSet that remembers its order, so that every +entry has an index that can be looked up. + +Based on a recipe originally posted to ActiveState Recipes by Raymond Hettiger, +and released under the MIT license. +""" +import itertools as it +from collections import deque + +try: + # Python 3 + from collections.abc import MutableSet, Sequence +except ImportError: + # Python 2.7 + from collections import MutableSet, Sequence + +SLICE_ALL = slice(None) +__version__ = "3.1" + + +def is_iterable(obj): + """ + Are we being asked to look up a list of things, instead of a single thing? + We check for the `__iter__` attribute so that this can cover types that + don't have to be known by this module, such as NumPy arrays. + + Strings, however, should be considered as atomic values to look up, not + iterables. The same goes for tuples, since they are immutable and therefore + valid entries. + + We don't need to check for the Python 2 `unicode` type, because it doesn't + have an `__iter__` attribute anyway. + """ + return ( + hasattr(obj, "__iter__") + and not isinstance(obj, str) + and not isinstance(obj, tuple) + ) + + +class OrderedSet(MutableSet, Sequence): + """ + An OrderedSet is a custom MutableSet that remembers its order, so that + every entry has an index that can be looked up. + + Example: + >>> OrderedSet([1, 1, 2, 3, 2]) + OrderedSet([1, 2, 3]) + """ + + def __init__(self, iterable=None): + self.items = [] + self.map = {} + if iterable is not None: + self |= iterable + + def __len__(self): + """ + Returns the number of unique elements in the ordered set + + Example: + >>> len(OrderedSet([])) + 0 + >>> len(OrderedSet([1, 2])) + 2 + """ + return len(self.items) + + def __getitem__(self, index): + """ + Get the item at a given index. + + If `index` is a slice, you will get back that slice of items, as a + new OrderedSet. + + If `index` is a list or a similar iterable, you'll get a list of + items corresponding to those indices. This is similar to NumPy's + "fancy indexing". The result is not an OrderedSet because you may ask + for duplicate indices, and the number of elements returned should be + the number of elements asked for. + + Example: + >>> oset = OrderedSet([1, 2, 3]) + >>> oset[1] + 2 + """ + if isinstance(index, slice) and index == SLICE_ALL: + return self.copy() + elif is_iterable(index): + return [self.items[i] for i in index] + elif hasattr(index, "__index__") or isinstance(index, slice): + result = self.items[index] + if isinstance(result, list): + return self.__class__(result) + else: + return result + else: + raise TypeError("Don't know how to index an OrderedSet by %r" % index) + + def copy(self): + """ + Return a shallow copy of this object. + + Example: + >>> this = OrderedSet([1, 2, 3]) + >>> other = this.copy() + >>> this == other + True + >>> this is other + False + """ + return self.__class__(self) + + def __getstate__(self): + if len(self) == 0: + # The state can't be an empty list. + # We need to return a truthy value, or else __setstate__ won't be run. + # + # This could have been done more gracefully by always putting the state + # in a tuple, but this way is backwards- and forwards- compatible with + # previous versions of OrderedSet. + return (None,) + else: + return list(self) + + def __setstate__(self, state): + if state == (None,): + self.__init__([]) + else: + self.__init__(state) + + def __contains__(self, key): + """ + Test if the item is in this ordered set + + Example: + >>> 1 in OrderedSet([1, 3, 2]) + True + >>> 5 in OrderedSet([1, 3, 2]) + False + """ + return key in self.map + + def add(self, key): + """ + Add `key` as an item to this OrderedSet, then return its index. + + If `key` is already in the OrderedSet, return the index it already + had. + + Example: + >>> oset = OrderedSet() + >>> oset.append(3) + 0 + >>> print(oset) + OrderedSet([3]) + """ + if key not in self.map: + self.map[key] = len(self.items) + self.items.append(key) + return self.map[key] + + append = add + + def update(self, sequence): + """ + Update the set with the given iterable sequence, then return the index + of the last element inserted. + + Example: + >>> oset = OrderedSet([1, 2, 3]) + >>> oset.update([3, 1, 5, 1, 4]) + 4 + >>> print(oset) + OrderedSet([1, 2, 3, 5, 4]) + """ + item_index = None + try: + for item in sequence: + item_index = self.add(item) + except TypeError: + raise ValueError( + "Argument needs to be an iterable, got %s" % type(sequence) + ) + return item_index + + def index(self, key): + """ + Get the index of a given entry, raising an IndexError if it's not + present. + + `key` can be an iterable of entries that is not a string, in which case + this returns a list of indices. + + Example: + >>> oset = OrderedSet([1, 2, 3]) + >>> oset.index(2) + 1 + """ + if is_iterable(key): + return [self.index(subkey) for subkey in key] + return self.map[key] + + # Provide some compatibility with pd.Index + get_loc = index + get_indexer = index + + def pop(self): + """ + Remove and return the last element from the set. + + Raises KeyError if the set is empty. + + Example: + >>> oset = OrderedSet([1, 2, 3]) + >>> oset.pop() + 3 + """ + if not self.items: + raise KeyError("Set is empty") + + elem = self.items[-1] + del self.items[-1] + del self.map[elem] + return elem + + def discard(self, key): + """ + Remove an element. Do not raise an exception if absent. + + The MutableSet mixin uses this to implement the .remove() method, which + *does* raise an error when asked to remove a non-existent item. + + Example: + >>> oset = OrderedSet([1, 2, 3]) + >>> oset.discard(2) + >>> print(oset) + OrderedSet([1, 3]) + >>> oset.discard(2) + >>> print(oset) + OrderedSet([1, 3]) + """ + if key in self: + i = self.map[key] + del self.items[i] + del self.map[key] + for k, v in self.map.items(): + if v >= i: + self.map[k] = v - 1 + + def clear(self): + """ + Remove all items from this OrderedSet. + """ + del self.items[:] + self.map.clear() + + def __iter__(self): + """ + Example: + >>> list(iter(OrderedSet([1, 2, 3]))) + [1, 2, 3] + """ + return iter(self.items) + + def __reversed__(self): + """ + Example: + >>> list(reversed(OrderedSet([1, 2, 3]))) + [3, 2, 1] + """ + return reversed(self.items) + + def __repr__(self): + if not self: + return "%s()" % (self.__class__.__name__,) + return "%s(%r)" % (self.__class__.__name__, list(self)) + + def __eq__(self, other): + """ + Returns true if the containers have the same items. If `other` is a + Sequence, then order is checked, otherwise it is ignored. + + Example: + >>> oset = OrderedSet([1, 3, 2]) + >>> oset == [1, 3, 2] + True + >>> oset == [1, 2, 3] + False + >>> oset == [2, 3] + False + >>> oset == OrderedSet([3, 2, 1]) + False + """ + # In Python 2 deque is not a Sequence, so treat it as one for + # consistent behavior with Python 3. + if isinstance(other, (Sequence, deque)): + # Check that this OrderedSet contains the same elements, in the + # same order, as the other object. + return list(self) == list(other) + try: + other_as_set = set(other) + except TypeError: + # If `other` can't be converted into a set, it's not equal. + return False + else: + return set(self) == other_as_set + + def union(self, *sets): + """ + Combines all unique items. + Each items order is defined by its first appearance. + + Example: + >>> oset = OrderedSet.union(OrderedSet([3, 1, 4, 1, 5]), [1, 3], [2, 0]) + >>> print(oset) + OrderedSet([3, 1, 4, 5, 2, 0]) + >>> oset.union([8, 9]) + OrderedSet([3, 1, 4, 5, 2, 0, 8, 9]) + >>> oset | {10} + OrderedSet([3, 1, 4, 5, 2, 0, 10]) + """ + cls = self.__class__ if isinstance(self, OrderedSet) else OrderedSet + containers = map(list, it.chain([self], sets)) + items = it.chain.from_iterable(containers) + return cls(items) + + def __and__(self, other): + # the parent implementation of this is backwards + return self.intersection(other) + + def intersection(self, *sets): + """ + Returns elements in common between all sets. Order is defined only + by the first set. + + Example: + >>> oset = OrderedSet.intersection(OrderedSet([0, 1, 2, 3]), [1, 2, 3]) + >>> print(oset) + OrderedSet([1, 2, 3]) + >>> oset.intersection([2, 4, 5], [1, 2, 3, 4]) + OrderedSet([2]) + >>> oset.intersection() + OrderedSet([1, 2, 3]) + """ + cls = self.__class__ if isinstance(self, OrderedSet) else OrderedSet + if sets: + common = set.intersection(*map(set, sets)) + items = (item for item in self if item in common) + else: + items = self + return cls(items) + + def difference(self, *sets): + """ + Returns all elements that are in this set but not the others. + + Example: + >>> OrderedSet([1, 2, 3]).difference(OrderedSet([2])) + OrderedSet([1, 3]) + >>> OrderedSet([1, 2, 3]).difference(OrderedSet([2]), OrderedSet([3])) + OrderedSet([1]) + >>> OrderedSet([1, 2, 3]) - OrderedSet([2]) + OrderedSet([1, 3]) + >>> OrderedSet([1, 2, 3]).difference() + OrderedSet([1, 2, 3]) + """ + cls = self.__class__ + if sets: + other = set.union(*map(set, sets)) + items = (item for item in self if item not in other) + else: + items = self + return cls(items) + + def issubset(self, other): + """ + Report whether another set contains this set. + + Example: + >>> OrderedSet([1, 2, 3]).issubset({1, 2}) + False + >>> OrderedSet([1, 2, 3]).issubset({1, 2, 3, 4}) + True + >>> OrderedSet([1, 2, 3]).issubset({1, 4, 3, 5}) + False + """ + if len(self) > len(other): # Fast check for obvious cases + return False + return all(item in other for item in self) + + def issuperset(self, other): + """ + Report whether this set contains another set. + + Example: + >>> OrderedSet([1, 2]).issuperset([1, 2, 3]) + False + >>> OrderedSet([1, 2, 3, 4]).issuperset({1, 2, 3}) + True + >>> OrderedSet([1, 4, 3, 5]).issuperset({1, 2, 3}) + False + """ + if len(self) < len(other): # Fast check for obvious cases + return False + return all(item in self for item in other) + + def symmetric_difference(self, other): + """ + Return the symmetric difference of two OrderedSets as a new set. + That is, the new set will contain all elements that are in exactly + one of the sets. + + Their order will be preserved, with elements from `self` preceding + elements from `other`. + + Example: + >>> this = OrderedSet([1, 4, 3, 5, 7]) + >>> other = OrderedSet([9, 7, 1, 3, 2]) + >>> this.symmetric_difference(other) + OrderedSet([4, 5, 9, 2]) + """ + cls = self.__class__ if isinstance(self, OrderedSet) else OrderedSet + diff1 = cls(self).difference(other) + diff2 = cls(other).difference(self) + return diff1.union(diff2) + + def _update_items(self, items): + """ + Replace the 'items' list of this OrderedSet with a new one, updating + self.map accordingly. + """ + self.items = items + self.map = {item: idx for (idx, item) in enumerate(items)} + + def difference_update(self, *sets): + """ + Update this OrderedSet to remove items from one or more other sets. + + Example: + >>> this = OrderedSet([1, 2, 3]) + >>> this.difference_update(OrderedSet([2, 4])) + >>> print(this) + OrderedSet([1, 3]) + + >>> this = OrderedSet([1, 2, 3, 4, 5]) + >>> this.difference_update(OrderedSet([2, 4]), OrderedSet([1, 4, 6])) + >>> print(this) + OrderedSet([3, 5]) + """ + items_to_remove = set() + for other in sets: + items_to_remove |= set(other) + self._update_items([item for item in self.items if item not in items_to_remove]) + + def intersection_update(self, other): + """ + Update this OrderedSet to keep only items in another set, preserving + their order in this set. + + Example: + >>> this = OrderedSet([1, 4, 3, 5, 7]) + >>> other = OrderedSet([9, 7, 1, 3, 2]) + >>> this.intersection_update(other) + >>> print(this) + OrderedSet([1, 3, 7]) + """ + other = set(other) + self._update_items([item for item in self.items if item in other]) + + def symmetric_difference_update(self, other): + """ + Update this OrderedSet to remove items from another set, then + add items from the other set that were not present in this set. + + Example: + >>> this = OrderedSet([1, 4, 3, 5, 7]) + >>> other = OrderedSet([9, 7, 1, 3, 2]) + >>> this.symmetric_difference_update(other) + >>> print(this) + OrderedSet([4, 5, 9, 2]) + """ + items_to_add = [item for item in other if item not in self] + items_to_remove = set(other) + self._update_items( + [item for item in self.items if item not in items_to_remove] + items_to_add + ) diff --git a/venv/Lib/site-packages/setuptools/_vendor/packaging/__about__.py b/venv/Lib/site-packages/setuptools/_vendor/packaging/__about__.py new file mode 100644 index 0000000..4d99857 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_vendor/packaging/__about__.py @@ -0,0 +1,27 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +__all__ = [ + "__title__", + "__summary__", + "__uri__", + "__version__", + "__author__", + "__email__", + "__license__", + "__copyright__", +] + +__title__ = "packaging" +__summary__ = "Core utilities for Python packages" +__uri__ = "https://github.com/pypa/packaging" + +__version__ = "20.4" + +__author__ = "Donald Stufft and individual contributors" +__email__ = "donald@stufft.io" + +__license__ = "BSD-2-Clause or Apache-2.0" +__copyright__ = "Copyright 2014-2019 %s" % __author__ diff --git a/venv/Lib/site-packages/setuptools/_vendor/packaging/__init__.py b/venv/Lib/site-packages/setuptools/_vendor/packaging/__init__.py new file mode 100644 index 0000000..a0cf67d --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_vendor/packaging/__init__.py @@ -0,0 +1,26 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +from .__about__ import ( + __author__, + __copyright__, + __email__, + __license__, + __summary__, + __title__, + __uri__, + __version__, +) + +__all__ = [ + "__title__", + "__summary__", + "__uri__", + "__version__", + "__author__", + "__email__", + "__license__", + "__copyright__", +] diff --git a/venv/Lib/site-packages/setuptools/_vendor/packaging/_compat.py b/venv/Lib/site-packages/setuptools/_vendor/packaging/_compat.py new file mode 100644 index 0000000..e54bd4e --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_vendor/packaging/_compat.py @@ -0,0 +1,38 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +import sys + +from ._typing import TYPE_CHECKING + +if TYPE_CHECKING: # pragma: no cover + from typing import Any, Dict, Tuple, Type + + +PY2 = sys.version_info[0] == 2 +PY3 = sys.version_info[0] == 3 + +# flake8: noqa + +if PY3: + string_types = (str,) +else: + string_types = (basestring,) + + +def with_metaclass(meta, *bases): + # type: (Type[Any], Tuple[Type[Any], ...]) -> Any + """ + Create a base class with a metaclass. + """ + # This requires a bit of explanation: the basic idea is to make a dummy + # metaclass for one level of class instantiation that replaces itself with + # the actual metaclass. + class metaclass(meta): # type: ignore + def __new__(cls, name, this_bases, d): + # type: (Type[Any], str, Tuple[Any], Dict[Any, Any]) -> Any + return meta(name, bases, d) + + return type.__new__(metaclass, "temporary_class", (), {}) diff --git a/venv/Lib/site-packages/setuptools/_vendor/packaging/_structures.py b/venv/Lib/site-packages/setuptools/_vendor/packaging/_structures.py new file mode 100644 index 0000000..800d5c5 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_vendor/packaging/_structures.py @@ -0,0 +1,86 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + + +class InfinityType(object): + def __repr__(self): + # type: () -> str + return "Infinity" + + def __hash__(self): + # type: () -> int + return hash(repr(self)) + + def __lt__(self, other): + # type: (object) -> bool + return False + + def __le__(self, other): + # type: (object) -> bool + return False + + def __eq__(self, other): + # type: (object) -> bool + return isinstance(other, self.__class__) + + def __ne__(self, other): + # type: (object) -> bool + return not isinstance(other, self.__class__) + + def __gt__(self, other): + # type: (object) -> bool + return True + + def __ge__(self, other): + # type: (object) -> bool + return True + + def __neg__(self): + # type: (object) -> NegativeInfinityType + return NegativeInfinity + + +Infinity = InfinityType() + + +class NegativeInfinityType(object): + def __repr__(self): + # type: () -> str + return "-Infinity" + + def __hash__(self): + # type: () -> int + return hash(repr(self)) + + def __lt__(self, other): + # type: (object) -> bool + return True + + def __le__(self, other): + # type: (object) -> bool + return True + + def __eq__(self, other): + # type: (object) -> bool + return isinstance(other, self.__class__) + + def __ne__(self, other): + # type: (object) -> bool + return not isinstance(other, self.__class__) + + def __gt__(self, other): + # type: (object) -> bool + return False + + def __ge__(self, other): + # type: (object) -> bool + return False + + def __neg__(self): + # type: (object) -> InfinityType + return Infinity + + +NegativeInfinity = NegativeInfinityType() diff --git a/venv/Lib/site-packages/setuptools/_vendor/packaging/_typing.py b/venv/Lib/site-packages/setuptools/_vendor/packaging/_typing.py new file mode 100644 index 0000000..77a8b91 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_vendor/packaging/_typing.py @@ -0,0 +1,48 @@ +"""For neatly implementing static typing in packaging. + +`mypy` - the static type analysis tool we use - uses the `typing` module, which +provides core functionality fundamental to mypy's functioning. + +Generally, `typing` would be imported at runtime and used in that fashion - +it acts as a no-op at runtime and does not have any run-time overhead by +design. + +As it turns out, `typing` is not vendorable - it uses separate sources for +Python 2/Python 3. Thus, this codebase can not expect it to be present. +To work around this, mypy allows the typing import to be behind a False-y +optional to prevent it from running at runtime and type-comments can be used +to remove the need for the types to be accessible directly during runtime. + +This module provides the False-y guard in a nicely named fashion so that a +curious maintainer can reach here to read this. + +In packaging, all static-typing related imports should be guarded as follows: + + from packaging._typing import TYPE_CHECKING + + if TYPE_CHECKING: + from typing import ... + +Ref: https://github.com/python/mypy/issues/3216 +""" + +__all__ = ["TYPE_CHECKING", "cast"] + +# The TYPE_CHECKING constant defined by the typing module is False at runtime +# but True while type checking. +if False: # pragma: no cover + from typing import TYPE_CHECKING +else: + TYPE_CHECKING = False + +# typing's cast syntax requires calling typing.cast at runtime, but we don't +# want to import typing at runtime. Here, we inform the type checkers that +# we're importing `typing.cast` as `cast` and re-implement typing.cast's +# runtime behavior in a block that is ignored by type checkers. +if TYPE_CHECKING: # pragma: no cover + # not executed at runtime + from typing import cast +else: + # executed at runtime + def cast(type_, value): # noqa + return value diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/markers.py b/venv/Lib/site-packages/setuptools/_vendor/packaging/markers.py similarity index 79% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/markers.py rename to venv/Lib/site-packages/setuptools/_vendor/packaging/markers.py index 5482476..03fbdfc 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/markers.py +++ b/venv/Lib/site-packages/setuptools/_vendor/packaging/markers.py @@ -8,13 +8,19 @@ import platform import sys -from pip._vendor.pyparsing import ParseException, ParseResults, stringStart, stringEnd -from pip._vendor.pyparsing import ZeroOrMore, Group, Forward, QuotedString -from pip._vendor.pyparsing import Literal as L # noqa +from setuptools.extern.pyparsing import ParseException, ParseResults, stringStart, stringEnd +from setuptools.extern.pyparsing import ZeroOrMore, Group, Forward, QuotedString +from setuptools.extern.pyparsing import Literal as L # noqa from ._compat import string_types +from ._typing import TYPE_CHECKING from .specifiers import Specifier, InvalidSpecifier +if TYPE_CHECKING: # pragma: no cover + from typing import Any, Callable, Dict, List, Optional, Tuple, Union + + Operator = Callable[[str, str], bool] + __all__ = [ "InvalidMarker", @@ -46,30 +52,37 @@ class UndefinedEnvironmentName(ValueError): class Node(object): def __init__(self, value): + # type: (Any) -> None self.value = value def __str__(self): + # type: () -> str return str(self.value) def __repr__(self): + # type: () -> str return "<{0}({1!r})>".format(self.__class__.__name__, str(self)) def serialize(self): + # type: () -> str raise NotImplementedError class Variable(Node): def serialize(self): + # type: () -> str return str(self) class Value(Node): def serialize(self): + # type: () -> str return '"{0}"'.format(self) class Op(Node): def serialize(self): + # type: () -> str return str(self) @@ -85,13 +98,13 @@ def serialize(self): | L("python_version") | L("sys_platform") | L("os_name") - | L("os.name") + | L("os.name") # PEP-345 | L("sys.platform") # PEP-345 | L("platform.version") # PEP-345 | L("platform.machine") # PEP-345 | L("platform.python_implementation") # PEP-345 - | L("python_implementation") # PEP-345 - | L("extra") # undocumented setuptools legacy + | L("python_implementation") # undocumented setuptools legacy + | L("extra") # PEP-508 ) ALIASES = { "os.name": "os_name", @@ -131,6 +144,7 @@ def serialize(self): def _coerce_parse_result(results): + # type: (Union[ParseResults, List[Any]]) -> List[Any] if isinstance(results, ParseResults): return [_coerce_parse_result(i) for i in results] else: @@ -138,6 +152,8 @@ def _coerce_parse_result(results): def _format_marker(marker, first=True): + # type: (Union[List[str], Tuple[Node, ...], str], Optional[bool]) -> str + assert isinstance(marker, (list, tuple, string_types)) # Sometimes we have a structure like [[...]] which is a single item list @@ -172,10 +188,11 @@ def _format_marker(marker, first=True): "!=": operator.ne, ">=": operator.ge, ">": operator.gt, -} +} # type: Dict[str, Operator] def _eval_op(lhs, op, rhs): + # type: (str, Op, str) -> bool try: spec = Specifier("".join([op.serialize(), rhs])) except InvalidSpecifier: @@ -183,7 +200,7 @@ def _eval_op(lhs, op, rhs): else: return spec.contains(lhs) - oper = _operators.get(op.serialize()) + oper = _operators.get(op.serialize()) # type: Optional[Operator] if oper is None: raise UndefinedComparison( "Undefined {0!r} on {1!r} and {2!r}.".format(op, lhs, rhs) @@ -192,13 +209,18 @@ def _eval_op(lhs, op, rhs): return oper(lhs, rhs) -_undefined = object() +class Undefined(object): + pass + + +_undefined = Undefined() def _get_env(environment, name): - value = environment.get(name, _undefined) + # type: (Dict[str, str], str) -> str + value = environment.get(name, _undefined) # type: Union[str, Undefined] - if value is _undefined: + if isinstance(value, Undefined): raise UndefinedEnvironmentName( "{0!r} does not exist in evaluation environment.".format(name) ) @@ -207,7 +229,8 @@ def _get_env(environment, name): def _evaluate_markers(markers, environment): - groups = [[]] + # type: (List[Any], Dict[str, str]) -> bool + groups = [[]] # type: List[List[bool]] for marker in markers: assert isinstance(marker, (list, tuple, string_types)) @@ -234,6 +257,7 @@ def _evaluate_markers(markers, environment): def format_full_version(info): + # type: (sys._version_info) -> str version = "{0.major}.{0.minor}.{0.micro}".format(info) kind = info.releaselevel if kind != "final": @@ -242,9 +266,13 @@ def format_full_version(info): def default_environment(): + # type: () -> Dict[str, str] if hasattr(sys, "implementation"): - iver = format_full_version(sys.implementation.version) - implementation_name = sys.implementation.name + # Ignoring the `sys.implementation` reference for type checking due to + # mypy not liking that the attribute doesn't exist in Python 2.7 when + # run with the `--py27` flag. + iver = format_full_version(sys.implementation.version) # type: ignore + implementation_name = sys.implementation.name # type: ignore else: iver = "0" implementation_name = "" @@ -259,13 +287,14 @@ def default_environment(): "platform_version": platform.version(), "python_full_version": platform.python_version(), "platform_python_implementation": platform.python_implementation(), - "python_version": platform.python_version()[:3], + "python_version": ".".join(platform.python_version_tuple()[:2]), "sys_platform": sys.platform, } class Marker(object): def __init__(self, marker): + # type: (str) -> None try: self._markers = _coerce_parse_result(MARKER.parseString(marker)) except ParseException as e: @@ -275,12 +304,15 @@ def __init__(self, marker): raise InvalidMarker(err_str) def __str__(self): + # type: () -> str return _format_marker(self._markers) def __repr__(self): + # type: () -> str return "<Marker({0!r})>".format(str(self)) def evaluate(self, environment=None): + # type: (Optional[Dict[str, str]]) -> bool """Evaluate a marker. Return the boolean from evaluating the given marker against the diff --git a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/requirements.py b/venv/Lib/site-packages/setuptools/_vendor/packaging/requirements.py similarity index 87% rename from venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/requirements.py rename to venv/Lib/site-packages/setuptools/_vendor/packaging/requirements.py index dbc5f11..5d50c7d 100644 --- a/venv/Lib/site-packages/pip-19.0.3-py3.7.egg/pip/_vendor/packaging/requirements.py +++ b/venv/Lib/site-packages/setuptools/_vendor/packaging/requirements.py @@ -6,14 +6,18 @@ import string import re -from pip._vendor.pyparsing import stringStart, stringEnd, originalTextFor, ParseException -from pip._vendor.pyparsing import ZeroOrMore, Word, Optional, Regex, Combine -from pip._vendor.pyparsing import Literal as L # noqa -from pip._vendor.six.moves.urllib import parse as urlparse +from setuptools.extern.pyparsing import stringStart, stringEnd, originalTextFor, ParseException +from setuptools.extern.pyparsing import ZeroOrMore, Word, Optional, Regex, Combine +from setuptools.extern.pyparsing import Literal as L # noqa +from urllib import parse as urlparse +from ._typing import TYPE_CHECKING from .markers import MARKER_EXPR, Marker from .specifiers import LegacySpecifier, Specifier, SpecifierSet +if TYPE_CHECKING: # pragma: no cover + from typing import List + class InvalidRequirement(ValueError): """ @@ -70,7 +74,7 @@ class InvalidRequirement(ValueError): NAMED_REQUIREMENT = NAME + Optional(EXTRAS) + (URL_AND_MARKER | VERSION_AND_MARKER) REQUIREMENT = stringStart + NAMED_REQUIREMENT + stringEnd -# pyparsing isn't thread safe during initialization, so we do it eagerly, see +# setuptools.extern.pyparsing isn't thread safe during initialization, so we do it eagerly, see # issue #104 REQUIREMENT.parseString("x[]") @@ -89,6 +93,7 @@ class Requirement(object): # TODO: Can we normalize the name and extra name? def __init__(self, requirement_string): + # type: (str) -> None try: req = REQUIREMENT.parseString(requirement_string) except ParseException as e: @@ -116,7 +121,8 @@ def __init__(self, requirement_string): self.marker = req.marker if req.marker else None def __str__(self): - parts = [self.name] + # type: () -> str + parts = [self.name] # type: List[str] if self.extras: parts.append("[{0}]".format(",".join(sorted(self.extras)))) @@ -135,4 +141,5 @@ def __str__(self): return "".join(parts) def __repr__(self): + # type: () -> str return "<Requirement({0!r})>".format(str(self)) diff --git a/venv/Lib/site-packages/setuptools/_vendor/packaging/specifiers.py b/venv/Lib/site-packages/setuptools/_vendor/packaging/specifiers.py new file mode 100644 index 0000000..fe09bb1 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_vendor/packaging/specifiers.py @@ -0,0 +1,863 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +import abc +import functools +import itertools +import re + +from ._compat import string_types, with_metaclass +from ._typing import TYPE_CHECKING +from .utils import canonicalize_version +from .version import Version, LegacyVersion, parse + +if TYPE_CHECKING: # pragma: no cover + from typing import ( + List, + Dict, + Union, + Iterable, + Iterator, + Optional, + Callable, + Tuple, + FrozenSet, + ) + + ParsedVersion = Union[Version, LegacyVersion] + UnparsedVersion = Union[Version, LegacyVersion, str] + CallableOperator = Callable[[ParsedVersion, str], bool] + + +class InvalidSpecifier(ValueError): + """ + An invalid specifier was found, users should refer to PEP 440. + """ + + +class BaseSpecifier(with_metaclass(abc.ABCMeta, object)): # type: ignore + @abc.abstractmethod + def __str__(self): + # type: () -> str + """ + Returns the str representation of this Specifier like object. This + should be representative of the Specifier itself. + """ + + @abc.abstractmethod + def __hash__(self): + # type: () -> int + """ + Returns a hash value for this Specifier like object. + """ + + @abc.abstractmethod + def __eq__(self, other): + # type: (object) -> bool + """ + Returns a boolean representing whether or not the two Specifier like + objects are equal. + """ + + @abc.abstractmethod + def __ne__(self, other): + # type: (object) -> bool + """ + Returns a boolean representing whether or not the two Specifier like + objects are not equal. + """ + + @abc.abstractproperty + def prereleases(self): + # type: () -> Optional[bool] + """ + Returns whether or not pre-releases as a whole are allowed by this + specifier. + """ + + @prereleases.setter + def prereleases(self, value): + # type: (bool) -> None + """ + Sets whether or not pre-releases as a whole are allowed by this + specifier. + """ + + @abc.abstractmethod + def contains(self, item, prereleases=None): + # type: (str, Optional[bool]) -> bool + """ + Determines if the given item is contained within this specifier. + """ + + @abc.abstractmethod + def filter(self, iterable, prereleases=None): + # type: (Iterable[UnparsedVersion], Optional[bool]) -> Iterable[UnparsedVersion] + """ + Takes an iterable of items and filters them so that only items which + are contained within this specifier are allowed in it. + """ + + +class _IndividualSpecifier(BaseSpecifier): + + _operators = {} # type: Dict[str, str] + + def __init__(self, spec="", prereleases=None): + # type: (str, Optional[bool]) -> None + match = self._regex.search(spec) + if not match: + raise InvalidSpecifier("Invalid specifier: '{0}'".format(spec)) + + self._spec = ( + match.group("operator").strip(), + match.group("version").strip(), + ) # type: Tuple[str, str] + + # Store whether or not this Specifier should accept prereleases + self._prereleases = prereleases + + def __repr__(self): + # type: () -> str + pre = ( + ", prereleases={0!r}".format(self.prereleases) + if self._prereleases is not None + else "" + ) + + return "<{0}({1!r}{2})>".format(self.__class__.__name__, str(self), pre) + + def __str__(self): + # type: () -> str + return "{0}{1}".format(*self._spec) + + @property + def _canonical_spec(self): + # type: () -> Tuple[str, Union[Version, str]] + return self._spec[0], canonicalize_version(self._spec[1]) + + def __hash__(self): + # type: () -> int + return hash(self._canonical_spec) + + def __eq__(self, other): + # type: (object) -> bool + if isinstance(other, string_types): + try: + other = self.__class__(str(other)) + except InvalidSpecifier: + return NotImplemented + elif not isinstance(other, self.__class__): + return NotImplemented + + return self._canonical_spec == other._canonical_spec + + def __ne__(self, other): + # type: (object) -> bool + if isinstance(other, string_types): + try: + other = self.__class__(str(other)) + except InvalidSpecifier: + return NotImplemented + elif not isinstance(other, self.__class__): + return NotImplemented + + return self._spec != other._spec + + def _get_operator(self, op): + # type: (str) -> CallableOperator + operator_callable = getattr( + self, "_compare_{0}".format(self._operators[op]) + ) # type: CallableOperator + return operator_callable + + def _coerce_version(self, version): + # type: (UnparsedVersion) -> ParsedVersion + if not isinstance(version, (LegacyVersion, Version)): + version = parse(version) + return version + + @property + def operator(self): + # type: () -> str + return self._spec[0] + + @property + def version(self): + # type: () -> str + return self._spec[1] + + @property + def prereleases(self): + # type: () -> Optional[bool] + return self._prereleases + + @prereleases.setter + def prereleases(self, value): + # type: (bool) -> None + self._prereleases = value + + def __contains__(self, item): + # type: (str) -> bool + return self.contains(item) + + def contains(self, item, prereleases=None): + # type: (UnparsedVersion, Optional[bool]) -> bool + + # Determine if prereleases are to be allowed or not. + if prereleases is None: + prereleases = self.prereleases + + # Normalize item to a Version or LegacyVersion, this allows us to have + # a shortcut for ``"2.0" in Specifier(">=2") + normalized_item = self._coerce_version(item) + + # Determine if we should be supporting prereleases in this specifier + # or not, if we do not support prereleases than we can short circuit + # logic if this version is a prereleases. + if normalized_item.is_prerelease and not prereleases: + return False + + # Actually do the comparison to determine if this item is contained + # within this Specifier or not. + operator_callable = self._get_operator(self.operator) # type: CallableOperator + return operator_callable(normalized_item, self.version) + + def filter(self, iterable, prereleases=None): + # type: (Iterable[UnparsedVersion], Optional[bool]) -> Iterable[UnparsedVersion] + + yielded = False + found_prereleases = [] + + kw = {"prereleases": prereleases if prereleases is not None else True} + + # Attempt to iterate over all the values in the iterable and if any of + # them match, yield them. + for version in iterable: + parsed_version = self._coerce_version(version) + + if self.contains(parsed_version, **kw): + # If our version is a prerelease, and we were not set to allow + # prereleases, then we'll store it for later incase nothing + # else matches this specifier. + if parsed_version.is_prerelease and not ( + prereleases or self.prereleases + ): + found_prereleases.append(version) + # Either this is not a prerelease, or we should have been + # accepting prereleases from the beginning. + else: + yielded = True + yield version + + # Now that we've iterated over everything, determine if we've yielded + # any values, and if we have not and we have any prereleases stored up + # then we will go ahead and yield the prereleases. + if not yielded and found_prereleases: + for version in found_prereleases: + yield version + + +class LegacySpecifier(_IndividualSpecifier): + + _regex_str = r""" + (?P<operator>(==|!=|<=|>=|<|>)) + \s* + (?P<version> + [^,;\s)]* # Since this is a "legacy" specifier, and the version + # string can be just about anything, we match everything + # except for whitespace, a semi-colon for marker support, + # a closing paren since versions can be enclosed in + # them, and a comma since it's a version separator. + ) + """ + + _regex = re.compile(r"^\s*" + _regex_str + r"\s*$", re.VERBOSE | re.IGNORECASE) + + _operators = { + "==": "equal", + "!=": "not_equal", + "<=": "less_than_equal", + ">=": "greater_than_equal", + "<": "less_than", + ">": "greater_than", + } + + def _coerce_version(self, version): + # type: (Union[ParsedVersion, str]) -> LegacyVersion + if not isinstance(version, LegacyVersion): + version = LegacyVersion(str(version)) + return version + + def _compare_equal(self, prospective, spec): + # type: (LegacyVersion, str) -> bool + return prospective == self._coerce_version(spec) + + def _compare_not_equal(self, prospective, spec): + # type: (LegacyVersion, str) -> bool + return prospective != self._coerce_version(spec) + + def _compare_less_than_equal(self, prospective, spec): + # type: (LegacyVersion, str) -> bool + return prospective <= self._coerce_version(spec) + + def _compare_greater_than_equal(self, prospective, spec): + # type: (LegacyVersion, str) -> bool + return prospective >= self._coerce_version(spec) + + def _compare_less_than(self, prospective, spec): + # type: (LegacyVersion, str) -> bool + return prospective < self._coerce_version(spec) + + def _compare_greater_than(self, prospective, spec): + # type: (LegacyVersion, str) -> bool + return prospective > self._coerce_version(spec) + + +def _require_version_compare( + fn # type: (Callable[[Specifier, ParsedVersion, str], bool]) +): + # type: (...) -> Callable[[Specifier, ParsedVersion, str], bool] + @functools.wraps(fn) + def wrapped(self, prospective, spec): + # type: (Specifier, ParsedVersion, str) -> bool + if not isinstance(prospective, Version): + return False + return fn(self, prospective, spec) + + return wrapped + + +class Specifier(_IndividualSpecifier): + + _regex_str = r""" + (?P<operator>(~=|==|!=|<=|>=|<|>|===)) + (?P<version> + (?: + # The identity operators allow for an escape hatch that will + # do an exact string match of the version you wish to install. + # This will not be parsed by PEP 440 and we cannot determine + # any semantic meaning from it. This operator is discouraged + # but included entirely as an escape hatch. + (?<====) # Only match for the identity operator + \s* + [^\s]* # We just match everything, except for whitespace + # since we are only testing for strict identity. + ) + | + (?: + # The (non)equality operators allow for wild card and local + # versions to be specified so we have to define these two + # operators separately to enable that. + (?<===|!=) # Only match for equals and not equals + + \s* + v? + (?:[0-9]+!)? # epoch + [0-9]+(?:\.[0-9]+)* # release + (?: # pre release + [-_\.]? + (a|b|c|rc|alpha|beta|pre|preview) + [-_\.]? + [0-9]* + )? + (?: # post release + (?:-[0-9]+)|(?:[-_\.]?(post|rev|r)[-_\.]?[0-9]*) + )? + + # You cannot use a wild card and a dev or local version + # together so group them with a | and make them optional. + (?: + (?:[-_\.]?dev[-_\.]?[0-9]*)? # dev release + (?:\+[a-z0-9]+(?:[-_\.][a-z0-9]+)*)? # local + | + \.\* # Wild card syntax of .* + )? + ) + | + (?: + # The compatible operator requires at least two digits in the + # release segment. + (?<=~=) # Only match for the compatible operator + + \s* + v? + (?:[0-9]+!)? # epoch + [0-9]+(?:\.[0-9]+)+ # release (We have a + instead of a *) + (?: # pre release + [-_\.]? + (a|b|c|rc|alpha|beta|pre|preview) + [-_\.]? + [0-9]* + )? + (?: # post release + (?:-[0-9]+)|(?:[-_\.]?(post|rev|r)[-_\.]?[0-9]*) + )? + (?:[-_\.]?dev[-_\.]?[0-9]*)? # dev release + ) + | + (?: + # All other operators only allow a sub set of what the + # (non)equality operators do. Specifically they do not allow + # local versions to be specified nor do they allow the prefix + # matching wild cards. + (?<!==|!=|~=) # We have special cases for these + # operators so we want to make sure they + # don't match here. + + \s* + v? + (?:[0-9]+!)? # epoch + [0-9]+(?:\.[0-9]+)* # release + (?: # pre release + [-_\.]? + (a|b|c|rc|alpha|beta|pre|preview) + [-_\.]? + [0-9]* + )? + (?: # post release + (?:-[0-9]+)|(?:[-_\.]?(post|rev|r)[-_\.]?[0-9]*) + )? + (?:[-_\.]?dev[-_\.]?[0-9]*)? # dev release + ) + ) + """ + + _regex = re.compile(r"^\s*" + _regex_str + r"\s*$", re.VERBOSE | re.IGNORECASE) + + _operators = { + "~=": "compatible", + "==": "equal", + "!=": "not_equal", + "<=": "less_than_equal", + ">=": "greater_than_equal", + "<": "less_than", + ">": "greater_than", + "===": "arbitrary", + } + + @_require_version_compare + def _compare_compatible(self, prospective, spec): + # type: (ParsedVersion, str) -> bool + + # Compatible releases have an equivalent combination of >= and ==. That + # is that ~=2.2 is equivalent to >=2.2,==2.*. This allows us to + # implement this in terms of the other specifiers instead of + # implementing it ourselves. The only thing we need to do is construct + # the other specifiers. + + # We want everything but the last item in the version, but we want to + # ignore post and dev releases and we want to treat the pre-release as + # it's own separate segment. + prefix = ".".join( + list( + itertools.takewhile( + lambda x: (not x.startswith("post") and not x.startswith("dev")), + _version_split(spec), + ) + )[:-1] + ) + + # Add the prefix notation to the end of our string + prefix += ".*" + + return self._get_operator(">=")(prospective, spec) and self._get_operator("==")( + prospective, prefix + ) + + @_require_version_compare + def _compare_equal(self, prospective, spec): + # type: (ParsedVersion, str) -> bool + + # We need special logic to handle prefix matching + if spec.endswith(".*"): + # In the case of prefix matching we want to ignore local segment. + prospective = Version(prospective.public) + # Split the spec out by dots, and pretend that there is an implicit + # dot in between a release segment and a pre-release segment. + split_spec = _version_split(spec[:-2]) # Remove the trailing .* + + # Split the prospective version out by dots, and pretend that there + # is an implicit dot in between a release segment and a pre-release + # segment. + split_prospective = _version_split(str(prospective)) + + # Shorten the prospective version to be the same length as the spec + # so that we can determine if the specifier is a prefix of the + # prospective version or not. + shortened_prospective = split_prospective[: len(split_spec)] + + # Pad out our two sides with zeros so that they both equal the same + # length. + padded_spec, padded_prospective = _pad_version( + split_spec, shortened_prospective + ) + + return padded_prospective == padded_spec + else: + # Convert our spec string into a Version + spec_version = Version(spec) + + # If the specifier does not have a local segment, then we want to + # act as if the prospective version also does not have a local + # segment. + if not spec_version.local: + prospective = Version(prospective.public) + + return prospective == spec_version + + @_require_version_compare + def _compare_not_equal(self, prospective, spec): + # type: (ParsedVersion, str) -> bool + return not self._compare_equal(prospective, spec) + + @_require_version_compare + def _compare_less_than_equal(self, prospective, spec): + # type: (ParsedVersion, str) -> bool + + # NB: Local version identifiers are NOT permitted in the version + # specifier, so local version labels can be universally removed from + # the prospective version. + return Version(prospective.public) <= Version(spec) + + @_require_version_compare + def _compare_greater_than_equal(self, prospective, spec): + # type: (ParsedVersion, str) -> bool + + # NB: Local version identifiers are NOT permitted in the version + # specifier, so local version labels can be universally removed from + # the prospective version. + return Version(prospective.public) >= Version(spec) + + @_require_version_compare + def _compare_less_than(self, prospective, spec_str): + # type: (ParsedVersion, str) -> bool + + # Convert our spec to a Version instance, since we'll want to work with + # it as a version. + spec = Version(spec_str) + + # Check to see if the prospective version is less than the spec + # version. If it's not we can short circuit and just return False now + # instead of doing extra unneeded work. + if not prospective < spec: + return False + + # This special case is here so that, unless the specifier itself + # includes is a pre-release version, that we do not accept pre-release + # versions for the version mentioned in the specifier (e.g. <3.1 should + # not match 3.1.dev0, but should match 3.0.dev0). + if not spec.is_prerelease and prospective.is_prerelease: + if Version(prospective.base_version) == Version(spec.base_version): + return False + + # If we've gotten to here, it means that prospective version is both + # less than the spec version *and* it's not a pre-release of the same + # version in the spec. + return True + + @_require_version_compare + def _compare_greater_than(self, prospective, spec_str): + # type: (ParsedVersion, str) -> bool + + # Convert our spec to a Version instance, since we'll want to work with + # it as a version. + spec = Version(spec_str) + + # Check to see if the prospective version is greater than the spec + # version. If it's not we can short circuit and just return False now + # instead of doing extra unneeded work. + if not prospective > spec: + return False + + # This special case is here so that, unless the specifier itself + # includes is a post-release version, that we do not accept + # post-release versions for the version mentioned in the specifier + # (e.g. >3.1 should not match 3.0.post0, but should match 3.2.post0). + if not spec.is_postrelease and prospective.is_postrelease: + if Version(prospective.base_version) == Version(spec.base_version): + return False + + # Ensure that we do not allow a local version of the version mentioned + # in the specifier, which is technically greater than, to match. + if prospective.local is not None: + if Version(prospective.base_version) == Version(spec.base_version): + return False + + # If we've gotten to here, it means that prospective version is both + # greater than the spec version *and* it's not a pre-release of the + # same version in the spec. + return True + + def _compare_arbitrary(self, prospective, spec): + # type: (Version, str) -> bool + return str(prospective).lower() == str(spec).lower() + + @property + def prereleases(self): + # type: () -> bool + + # If there is an explicit prereleases set for this, then we'll just + # blindly use that. + if self._prereleases is not None: + return self._prereleases + + # Look at all of our specifiers and determine if they are inclusive + # operators, and if they are if they are including an explicit + # prerelease. + operator, version = self._spec + if operator in ["==", ">=", "<=", "~=", "==="]: + # The == specifier can include a trailing .*, if it does we + # want to remove before parsing. + if operator == "==" and version.endswith(".*"): + version = version[:-2] + + # Parse the version, and if it is a pre-release than this + # specifier allows pre-releases. + if parse(version).is_prerelease: + return True + + return False + + @prereleases.setter + def prereleases(self, value): + # type: (bool) -> None + self._prereleases = value + + +_prefix_regex = re.compile(r"^([0-9]+)((?:a|b|c|rc)[0-9]+)$") + + +def _version_split(version): + # type: (str) -> List[str] + result = [] # type: List[str] + for item in version.split("."): + match = _prefix_regex.search(item) + if match: + result.extend(match.groups()) + else: + result.append(item) + return result + + +def _pad_version(left, right): + # type: (List[str], List[str]) -> Tuple[List[str], List[str]] + left_split, right_split = [], [] + + # Get the release segment of our versions + left_split.append(list(itertools.takewhile(lambda x: x.isdigit(), left))) + right_split.append(list(itertools.takewhile(lambda x: x.isdigit(), right))) + + # Get the rest of our versions + left_split.append(left[len(left_split[0]) :]) + right_split.append(right[len(right_split[0]) :]) + + # Insert our padding + left_split.insert(1, ["0"] * max(0, len(right_split[0]) - len(left_split[0]))) + right_split.insert(1, ["0"] * max(0, len(left_split[0]) - len(right_split[0]))) + + return (list(itertools.chain(*left_split)), list(itertools.chain(*right_split))) + + +class SpecifierSet(BaseSpecifier): + def __init__(self, specifiers="", prereleases=None): + # type: (str, Optional[bool]) -> None + + # Split on , to break each individual specifier into it's own item, and + # strip each item to remove leading/trailing whitespace. + split_specifiers = [s.strip() for s in specifiers.split(",") if s.strip()] + + # Parsed each individual specifier, attempting first to make it a + # Specifier and falling back to a LegacySpecifier. + parsed = set() + for specifier in split_specifiers: + try: + parsed.add(Specifier(specifier)) + except InvalidSpecifier: + parsed.add(LegacySpecifier(specifier)) + + # Turn our parsed specifiers into a frozen set and save them for later. + self._specs = frozenset(parsed) + + # Store our prereleases value so we can use it later to determine if + # we accept prereleases or not. + self._prereleases = prereleases + + def __repr__(self): + # type: () -> str + pre = ( + ", prereleases={0!r}".format(self.prereleases) + if self._prereleases is not None + else "" + ) + + return "<SpecifierSet({0!r}{1})>".format(str(self), pre) + + def __str__(self): + # type: () -> str + return ",".join(sorted(str(s) for s in self._specs)) + + def __hash__(self): + # type: () -> int + return hash(self._specs) + + def __and__(self, other): + # type: (Union[SpecifierSet, str]) -> SpecifierSet + if isinstance(other, string_types): + other = SpecifierSet(other) + elif not isinstance(other, SpecifierSet): + return NotImplemented + + specifier = SpecifierSet() + specifier._specs = frozenset(self._specs | other._specs) + + if self._prereleases is None and other._prereleases is not None: + specifier._prereleases = other._prereleases + elif self._prereleases is not None and other._prereleases is None: + specifier._prereleases = self._prereleases + elif self._prereleases == other._prereleases: + specifier._prereleases = self._prereleases + else: + raise ValueError( + "Cannot combine SpecifierSets with True and False prerelease " + "overrides." + ) + + return specifier + + def __eq__(self, other): + # type: (object) -> bool + if isinstance(other, (string_types, _IndividualSpecifier)): + other = SpecifierSet(str(other)) + elif not isinstance(other, SpecifierSet): + return NotImplemented + + return self._specs == other._specs + + def __ne__(self, other): + # type: (object) -> bool + if isinstance(other, (string_types, _IndividualSpecifier)): + other = SpecifierSet(str(other)) + elif not isinstance(other, SpecifierSet): + return NotImplemented + + return self._specs != other._specs + + def __len__(self): + # type: () -> int + return len(self._specs) + + def __iter__(self): + # type: () -> Iterator[FrozenSet[_IndividualSpecifier]] + return iter(self._specs) + + @property + def prereleases(self): + # type: () -> Optional[bool] + + # If we have been given an explicit prerelease modifier, then we'll + # pass that through here. + if self._prereleases is not None: + return self._prereleases + + # If we don't have any specifiers, and we don't have a forced value, + # then we'll just return None since we don't know if this should have + # pre-releases or not. + if not self._specs: + return None + + # Otherwise we'll see if any of the given specifiers accept + # prereleases, if any of them do we'll return True, otherwise False. + return any(s.prereleases for s in self._specs) + + @prereleases.setter + def prereleases(self, value): + # type: (bool) -> None + self._prereleases = value + + def __contains__(self, item): + # type: (Union[ParsedVersion, str]) -> bool + return self.contains(item) + + def contains(self, item, prereleases=None): + # type: (Union[ParsedVersion, str], Optional[bool]) -> bool + + # Ensure that our item is a Version or LegacyVersion instance. + if not isinstance(item, (LegacyVersion, Version)): + item = parse(item) + + # Determine if we're forcing a prerelease or not, if we're not forcing + # one for this particular filter call, then we'll use whatever the + # SpecifierSet thinks for whether or not we should support prereleases. + if prereleases is None: + prereleases = self.prereleases + + # We can determine if we're going to allow pre-releases by looking to + # see if any of the underlying items supports them. If none of them do + # and this item is a pre-release then we do not allow it and we can + # short circuit that here. + # Note: This means that 1.0.dev1 would not be contained in something + # like >=1.0.devabc however it would be in >=1.0.debabc,>0.0.dev0 + if not prereleases and item.is_prerelease: + return False + + # We simply dispatch to the underlying specs here to make sure that the + # given version is contained within all of them. + # Note: This use of all() here means that an empty set of specifiers + # will always return True, this is an explicit design decision. + return all(s.contains(item, prereleases=prereleases) for s in self._specs) + + def filter( + self, + iterable, # type: Iterable[Union[ParsedVersion, str]] + prereleases=None, # type: Optional[bool] + ): + # type: (...) -> Iterable[Union[ParsedVersion, str]] + + # Determine if we're forcing a prerelease or not, if we're not forcing + # one for this particular filter call, then we'll use whatever the + # SpecifierSet thinks for whether or not we should support prereleases. + if prereleases is None: + prereleases = self.prereleases + + # If we have any specifiers, then we want to wrap our iterable in the + # filter method for each one, this will act as a logical AND amongst + # each specifier. + if self._specs: + for spec in self._specs: + iterable = spec.filter(iterable, prereleases=bool(prereleases)) + return iterable + # If we do not have any specifiers, then we need to have a rough filter + # which will filter out any pre-releases, unless there are no final + # releases, and which will filter out LegacyVersion in general. + else: + filtered = [] # type: List[Union[ParsedVersion, str]] + found_prereleases = [] # type: List[Union[ParsedVersion, str]] + + for item in iterable: + # Ensure that we some kind of Version class for this item. + if not isinstance(item, (LegacyVersion, Version)): + parsed_version = parse(item) + else: + parsed_version = item + + # Filter out any item which is parsed as a LegacyVersion + if isinstance(parsed_version, LegacyVersion): + continue + + # Store any item which is a pre-release for later unless we've + # already found a final version or we are accepting prereleases + if parsed_version.is_prerelease and not prereleases: + if not filtered: + found_prereleases.append(item) + else: + filtered.append(item) + + # If we've found no items except for pre-releases, then we'll go + # ahead and use the pre-releases + if not filtered and found_prereleases and prereleases is None: + return found_prereleases + + return filtered diff --git a/venv/Lib/site-packages/setuptools/_vendor/packaging/tags.py b/venv/Lib/site-packages/setuptools/_vendor/packaging/tags.py new file mode 100644 index 0000000..9064910 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_vendor/packaging/tags.py @@ -0,0 +1,751 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. + +from __future__ import absolute_import + +import distutils.util + +try: + from importlib.machinery import EXTENSION_SUFFIXES +except ImportError: # pragma: no cover + import imp + + EXTENSION_SUFFIXES = [x[0] for x in imp.get_suffixes()] + del imp +import logging +import os +import platform +import re +import struct +import sys +import sysconfig +import warnings + +from ._typing import TYPE_CHECKING, cast + +if TYPE_CHECKING: # pragma: no cover + from typing import ( + Dict, + FrozenSet, + IO, + Iterable, + Iterator, + List, + Optional, + Sequence, + Tuple, + Union, + ) + + PythonVersion = Sequence[int] + MacVersion = Tuple[int, int] + GlibcVersion = Tuple[int, int] + + +logger = logging.getLogger(__name__) + +INTERPRETER_SHORT_NAMES = { + "python": "py", # Generic. + "cpython": "cp", + "pypy": "pp", + "ironpython": "ip", + "jython": "jy", +} # type: Dict[str, str] + + +_32_BIT_INTERPRETER = sys.maxsize <= 2 ** 32 + + +class Tag(object): + """ + A representation of the tag triple for a wheel. + + Instances are considered immutable and thus are hashable. Equality checking + is also supported. + """ + + __slots__ = ["_interpreter", "_abi", "_platform"] + + def __init__(self, interpreter, abi, platform): + # type: (str, str, str) -> None + self._interpreter = interpreter.lower() + self._abi = abi.lower() + self._platform = platform.lower() + + @property + def interpreter(self): + # type: () -> str + return self._interpreter + + @property + def abi(self): + # type: () -> str + return self._abi + + @property + def platform(self): + # type: () -> str + return self._platform + + def __eq__(self, other): + # type: (object) -> bool + if not isinstance(other, Tag): + return NotImplemented + + return ( + (self.platform == other.platform) + and (self.abi == other.abi) + and (self.interpreter == other.interpreter) + ) + + def __hash__(self): + # type: () -> int + return hash((self._interpreter, self._abi, self._platform)) + + def __str__(self): + # type: () -> str + return "{}-{}-{}".format(self._interpreter, self._abi, self._platform) + + def __repr__(self): + # type: () -> str + return "<{self} @ {self_id}>".format(self=self, self_id=id(self)) + + +def parse_tag(tag): + # type: (str) -> FrozenSet[Tag] + """ + Parses the provided tag (e.g. `py3-none-any`) into a frozenset of Tag instances. + + Returning a set is required due to the possibility that the tag is a + compressed tag set. + """ + tags = set() + interpreters, abis, platforms = tag.split("-") + for interpreter in interpreters.split("."): + for abi in abis.split("."): + for platform_ in platforms.split("."): + tags.add(Tag(interpreter, abi, platform_)) + return frozenset(tags) + + +def _warn_keyword_parameter(func_name, kwargs): + # type: (str, Dict[str, bool]) -> bool + """ + Backwards-compatibility with Python 2.7 to allow treating 'warn' as keyword-only. + """ + if not kwargs: + return False + elif len(kwargs) > 1 or "warn" not in kwargs: + kwargs.pop("warn", None) + arg = next(iter(kwargs.keys())) + raise TypeError( + "{}() got an unexpected keyword argument {!r}".format(func_name, arg) + ) + return kwargs["warn"] + + +def _get_config_var(name, warn=False): + # type: (str, bool) -> Union[int, str, None] + value = sysconfig.get_config_var(name) + if value is None and warn: + logger.debug( + "Config variable '%s' is unset, Python ABI tag may be incorrect", name + ) + return value + + +def _normalize_string(string): + # type: (str) -> str + return string.replace(".", "_").replace("-", "_") + + +def _abi3_applies(python_version): + # type: (PythonVersion) -> bool + """ + Determine if the Python version supports abi3. + + PEP 384 was first implemented in Python 3.2. + """ + return len(python_version) > 1 and tuple(python_version) >= (3, 2) + + +def _cpython_abis(py_version, warn=False): + # type: (PythonVersion, bool) -> List[str] + py_version = tuple(py_version) # To allow for version comparison. + abis = [] + version = _version_nodot(py_version[:2]) + debug = pymalloc = ucs4 = "" + with_debug = _get_config_var("Py_DEBUG", warn) + has_refcount = hasattr(sys, "gettotalrefcount") + # Windows doesn't set Py_DEBUG, so checking for support of debug-compiled + # extension modules is the best option. + # https://github.com/pypa/pip/issues/3383#issuecomment-173267692 + has_ext = "_d.pyd" in EXTENSION_SUFFIXES + if with_debug or (with_debug is None and (has_refcount or has_ext)): + debug = "d" + if py_version < (3, 8): + with_pymalloc = _get_config_var("WITH_PYMALLOC", warn) + if with_pymalloc or with_pymalloc is None: + pymalloc = "m" + if py_version < (3, 3): + unicode_size = _get_config_var("Py_UNICODE_SIZE", warn) + if unicode_size == 4 or ( + unicode_size is None and sys.maxunicode == 0x10FFFF + ): + ucs4 = "u" + elif debug: + # Debug builds can also load "normal" extension modules. + # We can also assume no UCS-4 or pymalloc requirement. + abis.append("cp{version}".format(version=version)) + abis.insert( + 0, + "cp{version}{debug}{pymalloc}{ucs4}".format( + version=version, debug=debug, pymalloc=pymalloc, ucs4=ucs4 + ), + ) + return abis + + +def cpython_tags( + python_version=None, # type: Optional[PythonVersion] + abis=None, # type: Optional[Iterable[str]] + platforms=None, # type: Optional[Iterable[str]] + **kwargs # type: bool +): + # type: (...) -> Iterator[Tag] + """ + Yields the tags for a CPython interpreter. + + The tags consist of: + - cp<python_version>-<abi>-<platform> + - cp<python_version>-abi3-<platform> + - cp<python_version>-none-<platform> + - cp<less than python_version>-abi3-<platform> # Older Python versions down to 3.2. + + If python_version only specifies a major version then user-provided ABIs and + the 'none' ABItag will be used. + + If 'abi3' or 'none' are specified in 'abis' then they will be yielded at + their normal position and not at the beginning. + """ + warn = _warn_keyword_parameter("cpython_tags", kwargs) + if not python_version: + python_version = sys.version_info[:2] + + interpreter = "cp{}".format(_version_nodot(python_version[:2])) + + if abis is None: + if len(python_version) > 1: + abis = _cpython_abis(python_version, warn) + else: + abis = [] + abis = list(abis) + # 'abi3' and 'none' are explicitly handled later. + for explicit_abi in ("abi3", "none"): + try: + abis.remove(explicit_abi) + except ValueError: + pass + + platforms = list(platforms or _platform_tags()) + for abi in abis: + for platform_ in platforms: + yield Tag(interpreter, abi, platform_) + if _abi3_applies(python_version): + for tag in (Tag(interpreter, "abi3", platform_) for platform_ in platforms): + yield tag + for tag in (Tag(interpreter, "none", platform_) for platform_ in platforms): + yield tag + + if _abi3_applies(python_version): + for minor_version in range(python_version[1] - 1, 1, -1): + for platform_ in platforms: + interpreter = "cp{version}".format( + version=_version_nodot((python_version[0], minor_version)) + ) + yield Tag(interpreter, "abi3", platform_) + + +def _generic_abi(): + # type: () -> Iterator[str] + abi = sysconfig.get_config_var("SOABI") + if abi: + yield _normalize_string(abi) + + +def generic_tags( + interpreter=None, # type: Optional[str] + abis=None, # type: Optional[Iterable[str]] + platforms=None, # type: Optional[Iterable[str]] + **kwargs # type: bool +): + # type: (...) -> Iterator[Tag] + """ + Yields the tags for a generic interpreter. + + The tags consist of: + - <interpreter>-<abi>-<platform> + + The "none" ABI will be added if it was not explicitly provided. + """ + warn = _warn_keyword_parameter("generic_tags", kwargs) + if not interpreter: + interp_name = interpreter_name() + interp_version = interpreter_version(warn=warn) + interpreter = "".join([interp_name, interp_version]) + if abis is None: + abis = _generic_abi() + platforms = list(platforms or _platform_tags()) + abis = list(abis) + if "none" not in abis: + abis.append("none") + for abi in abis: + for platform_ in platforms: + yield Tag(interpreter, abi, platform_) + + +def _py_interpreter_range(py_version): + # type: (PythonVersion) -> Iterator[str] + """ + Yields Python versions in descending order. + + After the latest version, the major-only version will be yielded, and then + all previous versions of that major version. + """ + if len(py_version) > 1: + yield "py{version}".format(version=_version_nodot(py_version[:2])) + yield "py{major}".format(major=py_version[0]) + if len(py_version) > 1: + for minor in range(py_version[1] - 1, -1, -1): + yield "py{version}".format(version=_version_nodot((py_version[0], minor))) + + +def compatible_tags( + python_version=None, # type: Optional[PythonVersion] + interpreter=None, # type: Optional[str] + platforms=None, # type: Optional[Iterable[str]] +): + # type: (...) -> Iterator[Tag] + """ + Yields the sequence of tags that are compatible with a specific version of Python. + + The tags consist of: + - py*-none-<platform> + - <interpreter>-none-any # ... if `interpreter` is provided. + - py*-none-any + """ + if not python_version: + python_version = sys.version_info[:2] + platforms = list(platforms or _platform_tags()) + for version in _py_interpreter_range(python_version): + for platform_ in platforms: + yield Tag(version, "none", platform_) + if interpreter: + yield Tag(interpreter, "none", "any") + for version in _py_interpreter_range(python_version): + yield Tag(version, "none", "any") + + +def _mac_arch(arch, is_32bit=_32_BIT_INTERPRETER): + # type: (str, bool) -> str + if not is_32bit: + return arch + + if arch.startswith("ppc"): + return "ppc" + + return "i386" + + +def _mac_binary_formats(version, cpu_arch): + # type: (MacVersion, str) -> List[str] + formats = [cpu_arch] + if cpu_arch == "x86_64": + if version < (10, 4): + return [] + formats.extend(["intel", "fat64", "fat32"]) + + elif cpu_arch == "i386": + if version < (10, 4): + return [] + formats.extend(["intel", "fat32", "fat"]) + + elif cpu_arch == "ppc64": + # TODO: Need to care about 32-bit PPC for ppc64 through 10.2? + if version > (10, 5) or version < (10, 4): + return [] + formats.append("fat64") + + elif cpu_arch == "ppc": + if version > (10, 6): + return [] + formats.extend(["fat32", "fat"]) + + formats.append("universal") + return formats + + +def mac_platforms(version=None, arch=None): + # type: (Optional[MacVersion], Optional[str]) -> Iterator[str] + """ + Yields the platform tags for a macOS system. + + The `version` parameter is a two-item tuple specifying the macOS version to + generate platform tags for. The `arch` parameter is the CPU architecture to + generate platform tags for. Both parameters default to the appropriate value + for the current system. + """ + version_str, _, cpu_arch = platform.mac_ver() # type: ignore + if version is None: + version = cast("MacVersion", tuple(map(int, version_str.split(".")[:2]))) + else: + version = version + if arch is None: + arch = _mac_arch(cpu_arch) + else: + arch = arch + for minor_version in range(version[1], -1, -1): + compat_version = version[0], minor_version + binary_formats = _mac_binary_formats(compat_version, arch) + for binary_format in binary_formats: + yield "macosx_{major}_{minor}_{binary_format}".format( + major=compat_version[0], + minor=compat_version[1], + binary_format=binary_format, + ) + + +# From PEP 513. +def _is_manylinux_compatible(name, glibc_version): + # type: (str, GlibcVersion) -> bool + # Check for presence of _manylinux module. + try: + import _manylinux # noqa + + return bool(getattr(_manylinux, name + "_compatible")) + except (ImportError, AttributeError): + # Fall through to heuristic check below. + pass + + return _have_compatible_glibc(*glibc_version) + + +def _glibc_version_string(): + # type: () -> Optional[str] + # Returns glibc version string, or None if not using glibc. + return _glibc_version_string_confstr() or _glibc_version_string_ctypes() + + +def _glibc_version_string_confstr(): + # type: () -> Optional[str] + """ + Primary implementation of glibc_version_string using os.confstr. + """ + # os.confstr is quite a bit faster than ctypes.DLL. It's also less likely + # to be broken or missing. This strategy is used in the standard library + # platform module. + # https://github.com/python/cpython/blob/fcf1d003bf4f0100c9d0921ff3d70e1127ca1b71/Lib/platform.py#L175-L183 + try: + # os.confstr("CS_GNU_LIBC_VERSION") returns a string like "glibc 2.17". + version_string = os.confstr( # type: ignore[attr-defined] # noqa: F821 + "CS_GNU_LIBC_VERSION" + ) + assert version_string is not None + _, version = version_string.split() # type: Tuple[str, str] + except (AssertionError, AttributeError, OSError, ValueError): + # os.confstr() or CS_GNU_LIBC_VERSION not available (or a bad value)... + return None + return version + + +def _glibc_version_string_ctypes(): + # type: () -> Optional[str] + """ + Fallback implementation of glibc_version_string using ctypes. + """ + try: + import ctypes + except ImportError: + return None + + # ctypes.CDLL(None) internally calls dlopen(NULL), and as the dlopen + # manpage says, "If filename is NULL, then the returned handle is for the + # main program". This way we can let the linker do the work to figure out + # which libc our process is actually using. + # + # Note: typeshed is wrong here so we are ignoring this line. + process_namespace = ctypes.CDLL(None) # type: ignore + try: + gnu_get_libc_version = process_namespace.gnu_get_libc_version + except AttributeError: + # Symbol doesn't exist -> therefore, we are not linked to + # glibc. + return None + + # Call gnu_get_libc_version, which returns a string like "2.5" + gnu_get_libc_version.restype = ctypes.c_char_p + version_str = gnu_get_libc_version() # type: str + # py2 / py3 compatibility: + if not isinstance(version_str, str): + version_str = version_str.decode("ascii") + + return version_str + + +# Separated out from have_compatible_glibc for easier unit testing. +def _check_glibc_version(version_str, required_major, minimum_minor): + # type: (str, int, int) -> bool + # Parse string and check against requested version. + # + # We use a regexp instead of str.split because we want to discard any + # random junk that might come after the minor version -- this might happen + # in patched/forked versions of glibc (e.g. Linaro's version of glibc + # uses version strings like "2.20-2014.11"). See gh-3588. + m = re.match(r"(?P<major>[0-9]+)\.(?P<minor>[0-9]+)", version_str) + if not m: + warnings.warn( + "Expected glibc version with 2 components major.minor," + " got: %s" % version_str, + RuntimeWarning, + ) + return False + return ( + int(m.group("major")) == required_major + and int(m.group("minor")) >= minimum_minor + ) + + +def _have_compatible_glibc(required_major, minimum_minor): + # type: (int, int) -> bool + version_str = _glibc_version_string() + if version_str is None: + return False + return _check_glibc_version(version_str, required_major, minimum_minor) + + +# Python does not provide platform information at sufficient granularity to +# identify the architecture of the running executable in some cases, so we +# determine it dynamically by reading the information from the running +# process. This only applies on Linux, which uses the ELF format. +class _ELFFileHeader(object): + # https://en.wikipedia.org/wiki/Executable_and_Linkable_Format#File_header + class _InvalidELFFileHeader(ValueError): + """ + An invalid ELF file header was found. + """ + + ELF_MAGIC_NUMBER = 0x7F454C46 + ELFCLASS32 = 1 + ELFCLASS64 = 2 + ELFDATA2LSB = 1 + ELFDATA2MSB = 2 + EM_386 = 3 + EM_S390 = 22 + EM_ARM = 40 + EM_X86_64 = 62 + EF_ARM_ABIMASK = 0xFF000000 + EF_ARM_ABI_VER5 = 0x05000000 + EF_ARM_ABI_FLOAT_HARD = 0x00000400 + + def __init__(self, file): + # type: (IO[bytes]) -> None + def unpack(fmt): + # type: (str) -> int + try: + (result,) = struct.unpack( + fmt, file.read(struct.calcsize(fmt)) + ) # type: (int, ) + except struct.error: + raise _ELFFileHeader._InvalidELFFileHeader() + return result + + self.e_ident_magic = unpack(">I") + if self.e_ident_magic != self.ELF_MAGIC_NUMBER: + raise _ELFFileHeader._InvalidELFFileHeader() + self.e_ident_class = unpack("B") + if self.e_ident_class not in {self.ELFCLASS32, self.ELFCLASS64}: + raise _ELFFileHeader._InvalidELFFileHeader() + self.e_ident_data = unpack("B") + if self.e_ident_data not in {self.ELFDATA2LSB, self.ELFDATA2MSB}: + raise _ELFFileHeader._InvalidELFFileHeader() + self.e_ident_version = unpack("B") + self.e_ident_osabi = unpack("B") + self.e_ident_abiversion = unpack("B") + self.e_ident_pad = file.read(7) + format_h = "<H" if self.e_ident_data == self.ELFDATA2LSB else ">H" + format_i = "<I" if self.e_ident_data == self.ELFDATA2LSB else ">I" + format_q = "<Q" if self.e_ident_data == self.ELFDATA2LSB else ">Q" + format_p = format_i if self.e_ident_class == self.ELFCLASS32 else format_q + self.e_type = unpack(format_h) + self.e_machine = unpack(format_h) + self.e_version = unpack(format_i) + self.e_entry = unpack(format_p) + self.e_phoff = unpack(format_p) + self.e_shoff = unpack(format_p) + self.e_flags = unpack(format_i) + self.e_ehsize = unpack(format_h) + self.e_phentsize = unpack(format_h) + self.e_phnum = unpack(format_h) + self.e_shentsize = unpack(format_h) + self.e_shnum = unpack(format_h) + self.e_shstrndx = unpack(format_h) + + +def _get_elf_header(): + # type: () -> Optional[_ELFFileHeader] + try: + with open(sys.executable, "rb") as f: + elf_header = _ELFFileHeader(f) + except (IOError, OSError, TypeError, _ELFFileHeader._InvalidELFFileHeader): + return None + return elf_header + + +def _is_linux_armhf(): + # type: () -> bool + # hard-float ABI can be detected from the ELF header of the running + # process + # https://static.docs.arm.com/ihi0044/g/aaelf32.pdf + elf_header = _get_elf_header() + if elf_header is None: + return False + result = elf_header.e_ident_class == elf_header.ELFCLASS32 + result &= elf_header.e_ident_data == elf_header.ELFDATA2LSB + result &= elf_header.e_machine == elf_header.EM_ARM + result &= ( + elf_header.e_flags & elf_header.EF_ARM_ABIMASK + ) == elf_header.EF_ARM_ABI_VER5 + result &= ( + elf_header.e_flags & elf_header.EF_ARM_ABI_FLOAT_HARD + ) == elf_header.EF_ARM_ABI_FLOAT_HARD + return result + + +def _is_linux_i686(): + # type: () -> bool + elf_header = _get_elf_header() + if elf_header is None: + return False + result = elf_header.e_ident_class == elf_header.ELFCLASS32 + result &= elf_header.e_ident_data == elf_header.ELFDATA2LSB + result &= elf_header.e_machine == elf_header.EM_386 + return result + + +def _have_compatible_manylinux_abi(arch): + # type: (str) -> bool + if arch == "armv7l": + return _is_linux_armhf() + if arch == "i686": + return _is_linux_i686() + return True + + +def _linux_platforms(is_32bit=_32_BIT_INTERPRETER): + # type: (bool) -> Iterator[str] + linux = _normalize_string(distutils.util.get_platform()) + if is_32bit: + if linux == "linux_x86_64": + linux = "linux_i686" + elif linux == "linux_aarch64": + linux = "linux_armv7l" + manylinux_support = [] + _, arch = linux.split("_", 1) + if _have_compatible_manylinux_abi(arch): + if arch in {"x86_64", "i686", "aarch64", "armv7l", "ppc64", "ppc64le", "s390x"}: + manylinux_support.append( + ("manylinux2014", (2, 17)) + ) # CentOS 7 w/ glibc 2.17 (PEP 599) + if arch in {"x86_64", "i686"}: + manylinux_support.append( + ("manylinux2010", (2, 12)) + ) # CentOS 6 w/ glibc 2.12 (PEP 571) + manylinux_support.append( + ("manylinux1", (2, 5)) + ) # CentOS 5 w/ glibc 2.5 (PEP 513) + manylinux_support_iter = iter(manylinux_support) + for name, glibc_version in manylinux_support_iter: + if _is_manylinux_compatible(name, glibc_version): + yield linux.replace("linux", name) + break + # Support for a later manylinux implies support for an earlier version. + for name, _ in manylinux_support_iter: + yield linux.replace("linux", name) + yield linux + + +def _generic_platforms(): + # type: () -> Iterator[str] + yield _normalize_string(distutils.util.get_platform()) + + +def _platform_tags(): + # type: () -> Iterator[str] + """ + Provides the platform tags for this installation. + """ + if platform.system() == "Darwin": + return mac_platforms() + elif platform.system() == "Linux": + return _linux_platforms() + else: + return _generic_platforms() + + +def interpreter_name(): + # type: () -> str + """ + Returns the name of the running interpreter. + """ + try: + name = sys.implementation.name # type: ignore + except AttributeError: # pragma: no cover + # Python 2.7 compatibility. + name = platform.python_implementation().lower() + return INTERPRETER_SHORT_NAMES.get(name) or name + + +def interpreter_version(**kwargs): + # type: (bool) -> str + """ + Returns the version of the running interpreter. + """ + warn = _warn_keyword_parameter("interpreter_version", kwargs) + version = _get_config_var("py_version_nodot", warn=warn) + if version: + version = str(version) + else: + version = _version_nodot(sys.version_info[:2]) + return version + + +def _version_nodot(version): + # type: (PythonVersion) -> str + if any(v >= 10 for v in version): + sep = "_" + else: + sep = "" + return sep.join(map(str, version)) + + +def sys_tags(**kwargs): + # type: (bool) -> Iterator[Tag] + """ + Returns the sequence of tag triples for the running interpreter. + + The order of the sequence corresponds to priority order for the + interpreter, from most to least important. + """ + warn = _warn_keyword_parameter("sys_tags", kwargs) + + interp_name = interpreter_name() + if interp_name == "cp": + for tag in cpython_tags(warn=warn): + yield tag + else: + for tag in generic_tags(): + yield tag + + for tag in compatible_tags(): + yield tag diff --git a/venv/Lib/site-packages/setuptools/_vendor/packaging/utils.py b/venv/Lib/site-packages/setuptools/_vendor/packaging/utils.py new file mode 100644 index 0000000..19579c1 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_vendor/packaging/utils.py @@ -0,0 +1,65 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +import re + +from ._typing import TYPE_CHECKING, cast +from .version import InvalidVersion, Version + +if TYPE_CHECKING: # pragma: no cover + from typing import NewType, Union + + NormalizedName = NewType("NormalizedName", str) + +_canonicalize_regex = re.compile(r"[-_.]+") + + +def canonicalize_name(name): + # type: (str) -> NormalizedName + # This is taken from PEP 503. + value = _canonicalize_regex.sub("-", name).lower() + return cast("NormalizedName", value) + + +def canonicalize_version(_version): + # type: (str) -> Union[Version, str] + """ + This is very similar to Version.__str__, but has one subtle difference + with the way it handles the release segment. + """ + + try: + version = Version(_version) + except InvalidVersion: + # Legacy versions cannot be normalized + return _version + + parts = [] + + # Epoch + if version.epoch != 0: + parts.append("{0}!".format(version.epoch)) + + # Release segment + # NB: This strips trailing '.0's to normalize + parts.append(re.sub(r"(\.0)+$", "", ".".join(str(x) for x in version.release))) + + # Pre-release + if version.pre is not None: + parts.append("".join(str(x) for x in version.pre)) + + # Post-release + if version.post is not None: + parts.append(".post{0}".format(version.post)) + + # Development release + if version.dev is not None: + parts.append(".dev{0}".format(version.dev)) + + # Local version segment + if version.local is not None: + parts.append("+{0}".format(version.local)) + + return "".join(parts) diff --git a/venv/Lib/site-packages/setuptools/_vendor/packaging/version.py b/venv/Lib/site-packages/setuptools/_vendor/packaging/version.py new file mode 100644 index 0000000..00371e8 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_vendor/packaging/version.py @@ -0,0 +1,535 @@ +# This file is dual licensed under the terms of the Apache License, Version +# 2.0, and the BSD License. See the LICENSE file in the root of this repository +# for complete details. +from __future__ import absolute_import, division, print_function + +import collections +import itertools +import re + +from ._structures import Infinity, NegativeInfinity +from ._typing import TYPE_CHECKING + +if TYPE_CHECKING: # pragma: no cover + from typing import Callable, Iterator, List, Optional, SupportsInt, Tuple, Union + + from ._structures import InfinityType, NegativeInfinityType + + InfiniteTypes = Union[InfinityType, NegativeInfinityType] + PrePostDevType = Union[InfiniteTypes, Tuple[str, int]] + SubLocalType = Union[InfiniteTypes, int, str] + LocalType = Union[ + NegativeInfinityType, + Tuple[ + Union[ + SubLocalType, + Tuple[SubLocalType, str], + Tuple[NegativeInfinityType, SubLocalType], + ], + ..., + ], + ] + CmpKey = Tuple[ + int, Tuple[int, ...], PrePostDevType, PrePostDevType, PrePostDevType, LocalType + ] + LegacyCmpKey = Tuple[int, Tuple[str, ...]] + VersionComparisonMethod = Callable[ + [Union[CmpKey, LegacyCmpKey], Union[CmpKey, LegacyCmpKey]], bool + ] + +__all__ = ["parse", "Version", "LegacyVersion", "InvalidVersion", "VERSION_PATTERN"] + + +_Version = collections.namedtuple( + "_Version", ["epoch", "release", "dev", "pre", "post", "local"] +) + + +def parse(version): + # type: (str) -> Union[LegacyVersion, Version] + """ + Parse the given version string and return either a :class:`Version` object + or a :class:`LegacyVersion` object depending on if the given version is + a valid PEP 440 version or a legacy version. + """ + try: + return Version(version) + except InvalidVersion: + return LegacyVersion(version) + + +class InvalidVersion(ValueError): + """ + An invalid version was found, users should refer to PEP 440. + """ + + +class _BaseVersion(object): + _key = None # type: Union[CmpKey, LegacyCmpKey] + + def __hash__(self): + # type: () -> int + return hash(self._key) + + def __lt__(self, other): + # type: (_BaseVersion) -> bool + return self._compare(other, lambda s, o: s < o) + + def __le__(self, other): + # type: (_BaseVersion) -> bool + return self._compare(other, lambda s, o: s <= o) + + def __eq__(self, other): + # type: (object) -> bool + return self._compare(other, lambda s, o: s == o) + + def __ge__(self, other): + # type: (_BaseVersion) -> bool + return self._compare(other, lambda s, o: s >= o) + + def __gt__(self, other): + # type: (_BaseVersion) -> bool + return self._compare(other, lambda s, o: s > o) + + def __ne__(self, other): + # type: (object) -> bool + return self._compare(other, lambda s, o: s != o) + + def _compare(self, other, method): + # type: (object, VersionComparisonMethod) -> Union[bool, NotImplemented] + if not isinstance(other, _BaseVersion): + return NotImplemented + + return method(self._key, other._key) + + +class LegacyVersion(_BaseVersion): + def __init__(self, version): + # type: (str) -> None + self._version = str(version) + self._key = _legacy_cmpkey(self._version) + + def __str__(self): + # type: () -> str + return self._version + + def __repr__(self): + # type: () -> str + return "<LegacyVersion({0})>".format(repr(str(self))) + + @property + def public(self): + # type: () -> str + return self._version + + @property + def base_version(self): + # type: () -> str + return self._version + + @property + def epoch(self): + # type: () -> int + return -1 + + @property + def release(self): + # type: () -> None + return None + + @property + def pre(self): + # type: () -> None + return None + + @property + def post(self): + # type: () -> None + return None + + @property + def dev(self): + # type: () -> None + return None + + @property + def local(self): + # type: () -> None + return None + + @property + def is_prerelease(self): + # type: () -> bool + return False + + @property + def is_postrelease(self): + # type: () -> bool + return False + + @property + def is_devrelease(self): + # type: () -> bool + return False + + +_legacy_version_component_re = re.compile(r"(\d+ | [a-z]+ | \.| -)", re.VERBOSE) + +_legacy_version_replacement_map = { + "pre": "c", + "preview": "c", + "-": "final-", + "rc": "c", + "dev": "@", +} + + +def _parse_version_parts(s): + # type: (str) -> Iterator[str] + for part in _legacy_version_component_re.split(s): + part = _legacy_version_replacement_map.get(part, part) + + if not part or part == ".": + continue + + if part[:1] in "0123456789": + # pad for numeric comparison + yield part.zfill(8) + else: + yield "*" + part + + # ensure that alpha/beta/candidate are before final + yield "*final" + + +def _legacy_cmpkey(version): + # type: (str) -> LegacyCmpKey + + # We hardcode an epoch of -1 here. A PEP 440 version can only have a epoch + # greater than or equal to 0. This will effectively put the LegacyVersion, + # which uses the defacto standard originally implemented by setuptools, + # as before all PEP 440 versions. + epoch = -1 + + # This scheme is taken from pkg_resources.parse_version setuptools prior to + # it's adoption of the packaging library. + parts = [] # type: List[str] + for part in _parse_version_parts(version.lower()): + if part.startswith("*"): + # remove "-" before a prerelease tag + if part < "*final": + while parts and parts[-1] == "*final-": + parts.pop() + + # remove trailing zeros from each series of numeric parts + while parts and parts[-1] == "00000000": + parts.pop() + + parts.append(part) + + return epoch, tuple(parts) + + +# Deliberately not anchored to the start and end of the string, to make it +# easier for 3rd party code to reuse +VERSION_PATTERN = r""" + v? + (?: + (?:(?P<epoch>[0-9]+)!)? # epoch + (?P<release>[0-9]+(?:\.[0-9]+)*) # release segment + (?P<pre> # pre-release + [-_\.]? + (?P<pre_l>(a|b|c|rc|alpha|beta|pre|preview)) + [-_\.]? + (?P<pre_n>[0-9]+)? + )? + (?P<post> # post release + (?:-(?P<post_n1>[0-9]+)) + | + (?: + [-_\.]? + (?P<post_l>post|rev|r) + [-_\.]? + (?P<post_n2>[0-9]+)? + ) + )? + (?P<dev> # dev release + [-_\.]? + (?P<dev_l>dev) + [-_\.]? + (?P<dev_n>[0-9]+)? + )? + ) + (?:\+(?P<local>[a-z0-9]+(?:[-_\.][a-z0-9]+)*))? # local version +""" + + +class Version(_BaseVersion): + + _regex = re.compile(r"^\s*" + VERSION_PATTERN + r"\s*$", re.VERBOSE | re.IGNORECASE) + + def __init__(self, version): + # type: (str) -> None + + # Validate the version and parse it into pieces + match = self._regex.search(version) + if not match: + raise InvalidVersion("Invalid version: '{0}'".format(version)) + + # Store the parsed out pieces of the version + self._version = _Version( + epoch=int(match.group("epoch")) if match.group("epoch") else 0, + release=tuple(int(i) for i in match.group("release").split(".")), + pre=_parse_letter_version(match.group("pre_l"), match.group("pre_n")), + post=_parse_letter_version( + match.group("post_l"), match.group("post_n1") or match.group("post_n2") + ), + dev=_parse_letter_version(match.group("dev_l"), match.group("dev_n")), + local=_parse_local_version(match.group("local")), + ) + + # Generate a key which will be used for sorting + self._key = _cmpkey( + self._version.epoch, + self._version.release, + self._version.pre, + self._version.post, + self._version.dev, + self._version.local, + ) + + def __repr__(self): + # type: () -> str + return "<Version({0})>".format(repr(str(self))) + + def __str__(self): + # type: () -> str + parts = [] + + # Epoch + if self.epoch != 0: + parts.append("{0}!".format(self.epoch)) + + # Release segment + parts.append(".".join(str(x) for x in self.release)) + + # Pre-release + if self.pre is not None: + parts.append("".join(str(x) for x in self.pre)) + + # Post-release + if self.post is not None: + parts.append(".post{0}".format(self.post)) + + # Development release + if self.dev is not None: + parts.append(".dev{0}".format(self.dev)) + + # Local version segment + if self.local is not None: + parts.append("+{0}".format(self.local)) + + return "".join(parts) + + @property + def epoch(self): + # type: () -> int + _epoch = self._version.epoch # type: int + return _epoch + + @property + def release(self): + # type: () -> Tuple[int, ...] + _release = self._version.release # type: Tuple[int, ...] + return _release + + @property + def pre(self): + # type: () -> Optional[Tuple[str, int]] + _pre = self._version.pre # type: Optional[Tuple[str, int]] + return _pre + + @property + def post(self): + # type: () -> Optional[Tuple[str, int]] + return self._version.post[1] if self._version.post else None + + @property + def dev(self): + # type: () -> Optional[Tuple[str, int]] + return self._version.dev[1] if self._version.dev else None + + @property + def local(self): + # type: () -> Optional[str] + if self._version.local: + return ".".join(str(x) for x in self._version.local) + else: + return None + + @property + def public(self): + # type: () -> str + return str(self).split("+", 1)[0] + + @property + def base_version(self): + # type: () -> str + parts = [] + + # Epoch + if self.epoch != 0: + parts.append("{0}!".format(self.epoch)) + + # Release segment + parts.append(".".join(str(x) for x in self.release)) + + return "".join(parts) + + @property + def is_prerelease(self): + # type: () -> bool + return self.dev is not None or self.pre is not None + + @property + def is_postrelease(self): + # type: () -> bool + return self.post is not None + + @property + def is_devrelease(self): + # type: () -> bool + return self.dev is not None + + @property + def major(self): + # type: () -> int + return self.release[0] if len(self.release) >= 1 else 0 + + @property + def minor(self): + # type: () -> int + return self.release[1] if len(self.release) >= 2 else 0 + + @property + def micro(self): + # type: () -> int + return self.release[2] if len(self.release) >= 3 else 0 + + +def _parse_letter_version( + letter, # type: str + number, # type: Union[str, bytes, SupportsInt] +): + # type: (...) -> Optional[Tuple[str, int]] + + if letter: + # We consider there to be an implicit 0 in a pre-release if there is + # not a numeral associated with it. + if number is None: + number = 0 + + # We normalize any letters to their lower case form + letter = letter.lower() + + # We consider some words to be alternate spellings of other words and + # in those cases we want to normalize the spellings to our preferred + # spelling. + if letter == "alpha": + letter = "a" + elif letter == "beta": + letter = "b" + elif letter in ["c", "pre", "preview"]: + letter = "rc" + elif letter in ["rev", "r"]: + letter = "post" + + return letter, int(number) + if not letter and number: + # We assume if we are given a number, but we are not given a letter + # then this is using the implicit post release syntax (e.g. 1.0-1) + letter = "post" + + return letter, int(number) + + return None + + +_local_version_separators = re.compile(r"[\._-]") + + +def _parse_local_version(local): + # type: (str) -> Optional[LocalType] + """ + Takes a string like abc.1.twelve and turns it into ("abc", 1, "twelve"). + """ + if local is not None: + return tuple( + part.lower() if not part.isdigit() else int(part) + for part in _local_version_separators.split(local) + ) + return None + + +def _cmpkey( + epoch, # type: int + release, # type: Tuple[int, ...] + pre, # type: Optional[Tuple[str, int]] + post, # type: Optional[Tuple[str, int]] + dev, # type: Optional[Tuple[str, int]] + local, # type: Optional[Tuple[SubLocalType]] +): + # type: (...) -> CmpKey + + # When we compare a release version, we want to compare it with all of the + # trailing zeros removed. So we'll use a reverse the list, drop all the now + # leading zeros until we come to something non zero, then take the rest + # re-reverse it back into the correct order and make it a tuple and use + # that for our sorting key. + _release = tuple( + reversed(list(itertools.dropwhile(lambda x: x == 0, reversed(release)))) + ) + + # We need to "trick" the sorting algorithm to put 1.0.dev0 before 1.0a0. + # We'll do this by abusing the pre segment, but we _only_ want to do this + # if there is not a pre or a post segment. If we have one of those then + # the normal sorting rules will handle this case correctly. + if pre is None and post is None and dev is not None: + _pre = NegativeInfinity # type: PrePostDevType + # Versions without a pre-release (except as noted above) should sort after + # those with one. + elif pre is None: + _pre = Infinity + else: + _pre = pre + + # Versions without a post segment should sort before those with one. + if post is None: + _post = NegativeInfinity # type: PrePostDevType + + else: + _post = post + + # Versions without a development segment should sort after those with one. + if dev is None: + _dev = Infinity # type: PrePostDevType + + else: + _dev = dev + + if local is None: + # Versions without a local segment should sort before those with one. + _local = NegativeInfinity # type: LocalType + else: + # Versions with a local segment need that segment parsed to implement + # the sorting rules in PEP440. + # - Alpha numeric segments sort before numeric segments + # - Alpha numeric segments sort lexicographically + # - Numeric segments sort numerically + # - Shorter versions sort before longer versions when the prefixes + # match exactly + _local = tuple( + (i, "") if isinstance(i, int) else (NegativeInfinity, i) for i in local + ) + + return epoch, _release, _pre, _post, _dev, _local diff --git a/venv/Lib/site-packages/setuptools/_vendor/pyparsing.py b/venv/Lib/site-packages/setuptools/_vendor/pyparsing.py new file mode 100644 index 0000000..1333c00 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/_vendor/pyparsing.py @@ -0,0 +1,5742 @@ +# module pyparsing.py +# +# Copyright (c) 2003-2018 Paul T. McGuire +# +# Permission is hereby granted, free of charge, to any person obtaining +# a copy of this software and associated documentation files (the +# "Software"), to deal in the Software without restriction, including +# without limitation the rights to use, copy, modify, merge, publish, +# distribute, sublicense, and/or sell copies of the Software, and to +# permit persons to whom the Software is furnished to do so, subject to +# the following conditions: +# +# The above copyright notice and this permission notice shall be +# included in all copies or substantial portions of the Software. +# +# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +# EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +# MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. +# IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY +# CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, +# TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE +# SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. +# + +__doc__ = \ +""" +pyparsing module - Classes and methods to define and execute parsing grammars +============================================================================= + +The pyparsing module is an alternative approach to creating and executing simple grammars, +vs. the traditional lex/yacc approach, or the use of regular expressions. With pyparsing, you +don't need to learn a new syntax for defining grammars or matching expressions - the parsing module +provides a library of classes that you use to construct the grammar directly in Python. + +Here is a program to parse "Hello, World!" (or any greeting of the form +C{"<salutation>, <addressee>!"}), built up using L{Word}, L{Literal}, and L{And} elements +(L{'+'<ParserElement.__add__>} operator gives L{And} expressions, strings are auto-converted to +L{Literal} expressions):: + + from pyparsing import Word, alphas + + # define grammar of a greeting + greet = Word(alphas) + "," + Word(alphas) + "!" + + hello = "Hello, World!" + print (hello, "->", greet.parseString(hello)) + +The program outputs the following:: + + Hello, World! -> ['Hello', ',', 'World', '!'] + +The Python representation of the grammar is quite readable, owing to the self-explanatory +class names, and the use of '+', '|' and '^' operators. + +The L{ParseResults} object returned from L{ParserElement.parseString<ParserElement.parseString>} can be accessed as a nested list, a dictionary, or an +object with named attributes. + +The pyparsing module handles some of the problems that are typically vexing when writing text parsers: + - extra or missing whitespace (the above program will also handle "Hello,World!", "Hello , World !", etc.) + - quoted strings + - embedded comments + + +Getting Started - +----------------- +Visit the classes L{ParserElement} and L{ParseResults} to see the base classes that most other pyparsing +classes inherit from. Use the docstrings for examples of how to: + - construct literal match expressions from L{Literal} and L{CaselessLiteral} classes + - construct character word-group expressions using the L{Word} class + - see how to create repetitive expressions using L{ZeroOrMore} and L{OneOrMore} classes + - use L{'+'<And>}, L{'|'<MatchFirst>}, L{'^'<Or>}, and L{'&'<Each>} operators to combine simple expressions into more complex ones + - associate names with your parsed results using L{ParserElement.setResultsName} + - find some helpful expression short-cuts like L{delimitedList} and L{oneOf} + - find more useful common expressions in the L{pyparsing_common} namespace class +""" + +__version__ = "2.2.1" +__versionTime__ = "18 Sep 2018 00:49 UTC" +__author__ = "Paul McGuire <ptmcg@users.sourceforge.net>" + +import string +from weakref import ref as wkref +import copy +import sys +import warnings +import re +import sre_constants +import collections +import pprint +import traceback +import types +from datetime import datetime + +try: + from _thread import RLock +except ImportError: + from threading import RLock + +try: + # Python 3 + from collections.abc import Iterable + from collections.abc import MutableMapping +except ImportError: + # Python 2.7 + from collections import Iterable + from collections import MutableMapping + +try: + from collections import OrderedDict as _OrderedDict +except ImportError: + try: + from ordereddict import OrderedDict as _OrderedDict + except ImportError: + _OrderedDict = None + +#~ sys.stderr.write( "testing pyparsing module, version %s, %s\n" % (__version__,__versionTime__ ) ) + +__all__ = [ +'And', 'CaselessKeyword', 'CaselessLiteral', 'CharsNotIn', 'Combine', 'Dict', 'Each', 'Empty', +'FollowedBy', 'Forward', 'GoToColumn', 'Group', 'Keyword', 'LineEnd', 'LineStart', 'Literal', +'MatchFirst', 'NoMatch', 'NotAny', 'OneOrMore', 'OnlyOnce', 'Optional', 'Or', +'ParseBaseException', 'ParseElementEnhance', 'ParseException', 'ParseExpression', 'ParseFatalException', +'ParseResults', 'ParseSyntaxException', 'ParserElement', 'QuotedString', 'RecursiveGrammarException', +'Regex', 'SkipTo', 'StringEnd', 'StringStart', 'Suppress', 'Token', 'TokenConverter', +'White', 'Word', 'WordEnd', 'WordStart', 'ZeroOrMore', +'alphanums', 'alphas', 'alphas8bit', 'anyCloseTag', 'anyOpenTag', 'cStyleComment', 'col', +'commaSeparatedList', 'commonHTMLEntity', 'countedArray', 'cppStyleComment', 'dblQuotedString', +'dblSlashComment', 'delimitedList', 'dictOf', 'downcaseTokens', 'empty', 'hexnums', +'htmlComment', 'javaStyleComment', 'line', 'lineEnd', 'lineStart', 'lineno', +'makeHTMLTags', 'makeXMLTags', 'matchOnlyAtCol', 'matchPreviousExpr', 'matchPreviousLiteral', +'nestedExpr', 'nullDebugAction', 'nums', 'oneOf', 'opAssoc', 'operatorPrecedence', 'printables', +'punc8bit', 'pythonStyleComment', 'quotedString', 'removeQuotes', 'replaceHTMLEntity', +'replaceWith', 'restOfLine', 'sglQuotedString', 'srange', 'stringEnd', +'stringStart', 'traceParseAction', 'unicodeString', 'upcaseTokens', 'withAttribute', +'indentedBlock', 'originalTextFor', 'ungroup', 'infixNotation','locatedExpr', 'withClass', +'CloseMatch', 'tokenMap', 'pyparsing_common', +] + +system_version = tuple(sys.version_info)[:3] +PY_3 = system_version[0] == 3 +if PY_3: + _MAX_INT = sys.maxsize + basestring = str + unichr = chr + _ustr = str + + # build list of single arg builtins, that can be used as parse actions + singleArgBuiltins = [sum, len, sorted, reversed, list, tuple, set, any, all, min, max] + +else: + _MAX_INT = sys.maxint + range = xrange + + def _ustr(obj): + """Drop-in replacement for str(obj) that tries to be Unicode friendly. It first tries + str(obj). If that fails with a UnicodeEncodeError, then it tries unicode(obj). It + then < returns the unicode object | encodes it with the default encoding | ... >. + """ + if isinstance(obj,unicode): + return obj + + try: + # If this works, then _ustr(obj) has the same behaviour as str(obj), so + # it won't break any existing code. + return str(obj) + + except UnicodeEncodeError: + # Else encode it + ret = unicode(obj).encode(sys.getdefaultencoding(), 'xmlcharrefreplace') + xmlcharref = Regex(r'&#\d+;') + xmlcharref.setParseAction(lambda t: '\\u' + hex(int(t[0][2:-1]))[2:]) + return xmlcharref.transformString(ret) + + # build list of single arg builtins, tolerant of Python version, that can be used as parse actions + singleArgBuiltins = [] + import __builtin__ + for fname in "sum len sorted reversed list tuple set any all min max".split(): + try: + singleArgBuiltins.append(getattr(__builtin__,fname)) + except AttributeError: + continue + +_generatorType = type((y for y in range(1))) + +def _xml_escape(data): + """Escape &, <, >, ", ', etc. in a string of data.""" + + # ampersand must be replaced first + from_symbols = '&><"\'' + to_symbols = ('&'+s+';' for s in "amp gt lt quot apos".split()) + for from_,to_ in zip(from_symbols, to_symbols): + data = data.replace(from_, to_) + return data + +class _Constants(object): + pass + +alphas = string.ascii_uppercase + string.ascii_lowercase +nums = "0123456789" +hexnums = nums + "ABCDEFabcdef" +alphanums = alphas + nums +_bslash = chr(92) +printables = "".join(c for c in string.printable if c not in string.whitespace) + +class ParseBaseException(Exception): + """base exception class for all parsing runtime exceptions""" + # Performance tuning: we construct a *lot* of these, so keep this + # constructor as small and fast as possible + def __init__( self, pstr, loc=0, msg=None, elem=None ): + self.loc = loc + if msg is None: + self.msg = pstr + self.pstr = "" + else: + self.msg = msg + self.pstr = pstr + self.parserElement = elem + self.args = (pstr, loc, msg) + + @classmethod + def _from_exception(cls, pe): + """ + internal factory method to simplify creating one type of ParseException + from another - avoids having __init__ signature conflicts among subclasses + """ + return cls(pe.pstr, pe.loc, pe.msg, pe.parserElement) + + def __getattr__( self, aname ): + """supported attributes by name are: + - lineno - returns the line number of the exception text + - col - returns the column number of the exception text + - line - returns the line containing the exception text + """ + if( aname == "lineno" ): + return lineno( self.loc, self.pstr ) + elif( aname in ("col", "column") ): + return col( self.loc, self.pstr ) + elif( aname == "line" ): + return line( self.loc, self.pstr ) + else: + raise AttributeError(aname) + + def __str__( self ): + return "%s (at char %d), (line:%d, col:%d)" % \ + ( self.msg, self.loc, self.lineno, self.column ) + def __repr__( self ): + return _ustr(self) + def markInputline( self, markerString = ">!<" ): + """Extracts the exception line from the input string, and marks + the location of the exception with a special symbol. + """ + line_str = self.line + line_column = self.column - 1 + if markerString: + line_str = "".join((line_str[:line_column], + markerString, line_str[line_column:])) + return line_str.strip() + def __dir__(self): + return "lineno col line".split() + dir(type(self)) + +class ParseException(ParseBaseException): + """ + Exception thrown when parse expressions don't match class; + supported attributes by name are: + - lineno - returns the line number of the exception text + - col - returns the column number of the exception text + - line - returns the line containing the exception text + + Example:: + try: + Word(nums).setName("integer").parseString("ABC") + except ParseException as pe: + print(pe) + print("column: {}".format(pe.col)) + + prints:: + Expected integer (at char 0), (line:1, col:1) + column: 1 + """ + pass + +class ParseFatalException(ParseBaseException): + """user-throwable exception thrown when inconsistent parse content + is found; stops all parsing immediately""" + pass + +class ParseSyntaxException(ParseFatalException): + """just like L{ParseFatalException}, but thrown internally when an + L{ErrorStop<And._ErrorStop>} ('-' operator) indicates that parsing is to stop + immediately because an unbacktrackable syntax error has been found""" + pass + +#~ class ReparseException(ParseBaseException): + #~ """Experimental class - parse actions can raise this exception to cause + #~ pyparsing to reparse the input string: + #~ - with a modified input string, and/or + #~ - with a modified start location + #~ Set the values of the ReparseException in the constructor, and raise the + #~ exception in a parse action to cause pyparsing to use the new string/location. + #~ Setting the values as None causes no change to be made. + #~ """ + #~ def __init_( self, newstring, restartLoc ): + #~ self.newParseText = newstring + #~ self.reparseLoc = restartLoc + +class RecursiveGrammarException(Exception): + """exception thrown by L{ParserElement.validate} if the grammar could be improperly recursive""" + def __init__( self, parseElementList ): + self.parseElementTrace = parseElementList + + def __str__( self ): + return "RecursiveGrammarException: %s" % self.parseElementTrace + +class _ParseResultsWithOffset(object): + def __init__(self,p1,p2): + self.tup = (p1,p2) + def __getitem__(self,i): + return self.tup[i] + def __repr__(self): + return repr(self.tup[0]) + def setOffset(self,i): + self.tup = (self.tup[0],i) + +class ParseResults(object): + """ + Structured parse results, to provide multiple means of access to the parsed data: + - as a list (C{len(results)}) + - by list index (C{results[0], results[1]}, etc.) + - by attribute (C{results.<resultsName>} - see L{ParserElement.setResultsName}) + + Example:: + integer = Word(nums) + date_str = (integer.setResultsName("year") + '/' + + integer.setResultsName("month") + '/' + + integer.setResultsName("day")) + # equivalent form: + # date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + # parseString returns a ParseResults object + result = date_str.parseString("1999/12/31") + + def test(s, fn=repr): + print("%s -> %s" % (s, fn(eval(s)))) + test("list(result)") + test("result[0]") + test("result['month']") + test("result.day") + test("'month' in result") + test("'minutes' in result") + test("result.dump()", str) + prints:: + list(result) -> ['1999', '/', '12', '/', '31'] + result[0] -> '1999' + result['month'] -> '12' + result.day -> '31' + 'month' in result -> True + 'minutes' in result -> False + result.dump() -> ['1999', '/', '12', '/', '31'] + - day: 31 + - month: 12 + - year: 1999 + """ + def __new__(cls, toklist=None, name=None, asList=True, modal=True ): + if isinstance(toklist, cls): + return toklist + retobj = object.__new__(cls) + retobj.__doinit = True + return retobj + + # Performance tuning: we construct a *lot* of these, so keep this + # constructor as small and fast as possible + def __init__( self, toklist=None, name=None, asList=True, modal=True, isinstance=isinstance ): + if self.__doinit: + self.__doinit = False + self.__name = None + self.__parent = None + self.__accumNames = {} + self.__asList = asList + self.__modal = modal + if toklist is None: + toklist = [] + if isinstance(toklist, list): + self.__toklist = toklist[:] + elif isinstance(toklist, _generatorType): + self.__toklist = list(toklist) + else: + self.__toklist = [toklist] + self.__tokdict = dict() + + if name is not None and name: + if not modal: + self.__accumNames[name] = 0 + if isinstance(name,int): + name = _ustr(name) # will always return a str, but use _ustr for consistency + self.__name = name + if not (isinstance(toklist, (type(None), basestring, list)) and toklist in (None,'',[])): + if isinstance(toklist,basestring): + toklist = [ toklist ] + if asList: + if isinstance(toklist,ParseResults): + self[name] = _ParseResultsWithOffset(toklist.copy(),0) + else: + self[name] = _ParseResultsWithOffset(ParseResults(toklist[0]),0) + self[name].__name = name + else: + try: + self[name] = toklist[0] + except (KeyError,TypeError,IndexError): + self[name] = toklist + + def __getitem__( self, i ): + if isinstance( i, (int,slice) ): + return self.__toklist[i] + else: + if i not in self.__accumNames: + return self.__tokdict[i][-1][0] + else: + return ParseResults([ v[0] for v in self.__tokdict[i] ]) + + def __setitem__( self, k, v, isinstance=isinstance ): + if isinstance(v,_ParseResultsWithOffset): + self.__tokdict[k] = self.__tokdict.get(k,list()) + [v] + sub = v[0] + elif isinstance(k,(int,slice)): + self.__toklist[k] = v + sub = v + else: + self.__tokdict[k] = self.__tokdict.get(k,list()) + [_ParseResultsWithOffset(v,0)] + sub = v + if isinstance(sub,ParseResults): + sub.__parent = wkref(self) + + def __delitem__( self, i ): + if isinstance(i,(int,slice)): + mylen = len( self.__toklist ) + del self.__toklist[i] + + # convert int to slice + if isinstance(i, int): + if i < 0: + i += mylen + i = slice(i, i+1) + # get removed indices + removed = list(range(*i.indices(mylen))) + removed.reverse() + # fixup indices in token dictionary + for name,occurrences in self.__tokdict.items(): + for j in removed: + for k, (value, position) in enumerate(occurrences): + occurrences[k] = _ParseResultsWithOffset(value, position - (position > j)) + else: + del self.__tokdict[i] + + def __contains__( self, k ): + return k in self.__tokdict + + def __len__( self ): return len( self.__toklist ) + def __bool__(self): return ( not not self.__toklist ) + __nonzero__ = __bool__ + def __iter__( self ): return iter( self.__toklist ) + def __reversed__( self ): return iter( self.__toklist[::-1] ) + def _iterkeys( self ): + if hasattr(self.__tokdict, "iterkeys"): + return self.__tokdict.iterkeys() + else: + return iter(self.__tokdict) + + def _itervalues( self ): + return (self[k] for k in self._iterkeys()) + + def _iteritems( self ): + return ((k, self[k]) for k in self._iterkeys()) + + if PY_3: + keys = _iterkeys + """Returns an iterator of all named result keys (Python 3.x only).""" + + values = _itervalues + """Returns an iterator of all named result values (Python 3.x only).""" + + items = _iteritems + """Returns an iterator of all named result key-value tuples (Python 3.x only).""" + + else: + iterkeys = _iterkeys + """Returns an iterator of all named result keys (Python 2.x only).""" + + itervalues = _itervalues + """Returns an iterator of all named result values (Python 2.x only).""" + + iteritems = _iteritems + """Returns an iterator of all named result key-value tuples (Python 2.x only).""" + + def keys( self ): + """Returns all named result keys (as a list in Python 2.x, as an iterator in Python 3.x).""" + return list(self.iterkeys()) + + def values( self ): + """Returns all named result values (as a list in Python 2.x, as an iterator in Python 3.x).""" + return list(self.itervalues()) + + def items( self ): + """Returns all named result key-values (as a list of tuples in Python 2.x, as an iterator in Python 3.x).""" + return list(self.iteritems()) + + def haskeys( self ): + """Since keys() returns an iterator, this method is helpful in bypassing + code that looks for the existence of any defined results names.""" + return bool(self.__tokdict) + + def pop( self, *args, **kwargs): + """ + Removes and returns item at specified index (default=C{last}). + Supports both C{list} and C{dict} semantics for C{pop()}. If passed no + argument or an integer argument, it will use C{list} semantics + and pop tokens from the list of parsed tokens. If passed a + non-integer argument (most likely a string), it will use C{dict} + semantics and pop the corresponding value from any defined + results names. A second default return value argument is + supported, just as in C{dict.pop()}. + + Example:: + def remove_first(tokens): + tokens.pop(0) + print(OneOrMore(Word(nums)).parseString("0 123 321")) # -> ['0', '123', '321'] + print(OneOrMore(Word(nums)).addParseAction(remove_first).parseString("0 123 321")) # -> ['123', '321'] + + label = Word(alphas) + patt = label("LABEL") + OneOrMore(Word(nums)) + print(patt.parseString("AAB 123 321").dump()) + + # Use pop() in a parse action to remove named result (note that corresponding value is not + # removed from list form of results) + def remove_LABEL(tokens): + tokens.pop("LABEL") + return tokens + patt.addParseAction(remove_LABEL) + print(patt.parseString("AAB 123 321").dump()) + prints:: + ['AAB', '123', '321'] + - LABEL: AAB + + ['AAB', '123', '321'] + """ + if not args: + args = [-1] + for k,v in kwargs.items(): + if k == 'default': + args = (args[0], v) + else: + raise TypeError("pop() got an unexpected keyword argument '%s'" % k) + if (isinstance(args[0], int) or + len(args) == 1 or + args[0] in self): + index = args[0] + ret = self[index] + del self[index] + return ret + else: + defaultvalue = args[1] + return defaultvalue + + def get(self, key, defaultValue=None): + """ + Returns named result matching the given key, or if there is no + such name, then returns the given C{defaultValue} or C{None} if no + C{defaultValue} is specified. + + Similar to C{dict.get()}. + + Example:: + integer = Word(nums) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + result = date_str.parseString("1999/12/31") + print(result.get("year")) # -> '1999' + print(result.get("hour", "not specified")) # -> 'not specified' + print(result.get("hour")) # -> None + """ + if key in self: + return self[key] + else: + return defaultValue + + def insert( self, index, insStr ): + """ + Inserts new element at location index in the list of parsed tokens. + + Similar to C{list.insert()}. + + Example:: + print(OneOrMore(Word(nums)).parseString("0 123 321")) # -> ['0', '123', '321'] + + # use a parse action to insert the parse location in the front of the parsed results + def insert_locn(locn, tokens): + tokens.insert(0, locn) + print(OneOrMore(Word(nums)).addParseAction(insert_locn).parseString("0 123 321")) # -> [0, '0', '123', '321'] + """ + self.__toklist.insert(index, insStr) + # fixup indices in token dictionary + for name,occurrences in self.__tokdict.items(): + for k, (value, position) in enumerate(occurrences): + occurrences[k] = _ParseResultsWithOffset(value, position + (position > index)) + + def append( self, item ): + """ + Add single element to end of ParseResults list of elements. + + Example:: + print(OneOrMore(Word(nums)).parseString("0 123 321")) # -> ['0', '123', '321'] + + # use a parse action to compute the sum of the parsed integers, and add it to the end + def append_sum(tokens): + tokens.append(sum(map(int, tokens))) + print(OneOrMore(Word(nums)).addParseAction(append_sum).parseString("0 123 321")) # -> ['0', '123', '321', 444] + """ + self.__toklist.append(item) + + def extend( self, itemseq ): + """ + Add sequence of elements to end of ParseResults list of elements. + + Example:: + patt = OneOrMore(Word(alphas)) + + # use a parse action to append the reverse of the matched strings, to make a palindrome + def make_palindrome(tokens): + tokens.extend(reversed([t[::-1] for t in tokens])) + return ''.join(tokens) + print(patt.addParseAction(make_palindrome).parseString("lskdj sdlkjf lksd")) # -> 'lskdjsdlkjflksddsklfjkldsjdksl' + """ + if isinstance(itemseq, ParseResults): + self += itemseq + else: + self.__toklist.extend(itemseq) + + def clear( self ): + """ + Clear all elements and results names. + """ + del self.__toklist[:] + self.__tokdict.clear() + + def __getattr__( self, name ): + try: + return self[name] + except KeyError: + return "" + + if name in self.__tokdict: + if name not in self.__accumNames: + return self.__tokdict[name][-1][0] + else: + return ParseResults([ v[0] for v in self.__tokdict[name] ]) + else: + return "" + + def __add__( self, other ): + ret = self.copy() + ret += other + return ret + + def __iadd__( self, other ): + if other.__tokdict: + offset = len(self.__toklist) + addoffset = lambda a: offset if a<0 else a+offset + otheritems = other.__tokdict.items() + otherdictitems = [(k, _ParseResultsWithOffset(v[0],addoffset(v[1])) ) + for (k,vlist) in otheritems for v in vlist] + for k,v in otherdictitems: + self[k] = v + if isinstance(v[0],ParseResults): + v[0].__parent = wkref(self) + + self.__toklist += other.__toklist + self.__accumNames.update( other.__accumNames ) + return self + + def __radd__(self, other): + if isinstance(other,int) and other == 0: + # useful for merging many ParseResults using sum() builtin + return self.copy() + else: + # this may raise a TypeError - so be it + return other + self + + def __repr__( self ): + return "(%s, %s)" % ( repr( self.__toklist ), repr( self.__tokdict ) ) + + def __str__( self ): + return '[' + ', '.join(_ustr(i) if isinstance(i, ParseResults) else repr(i) for i in self.__toklist) + ']' + + def _asStringList( self, sep='' ): + out = [] + for item in self.__toklist: + if out and sep: + out.append(sep) + if isinstance( item, ParseResults ): + out += item._asStringList() + else: + out.append( _ustr(item) ) + return out + + def asList( self ): + """ + Returns the parse results as a nested list of matching tokens, all converted to strings. + + Example:: + patt = OneOrMore(Word(alphas)) + result = patt.parseString("sldkj lsdkj sldkj") + # even though the result prints in string-like form, it is actually a pyparsing ParseResults + print(type(result), result) # -> <class 'pyparsing.ParseResults'> ['sldkj', 'lsdkj', 'sldkj'] + + # Use asList() to create an actual list + result_list = result.asList() + print(type(result_list), result_list) # -> <class 'list'> ['sldkj', 'lsdkj', 'sldkj'] + """ + return [res.asList() if isinstance(res,ParseResults) else res for res in self.__toklist] + + def asDict( self ): + """ + Returns the named parse results as a nested dictionary. + + Example:: + integer = Word(nums) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + result = date_str.parseString('12/31/1999') + print(type(result), repr(result)) # -> <class 'pyparsing.ParseResults'> (['12', '/', '31', '/', '1999'], {'day': [('1999', 4)], 'year': [('12', 0)], 'month': [('31', 2)]}) + + result_dict = result.asDict() + print(type(result_dict), repr(result_dict)) # -> <class 'dict'> {'day': '1999', 'year': '12', 'month': '31'} + + # even though a ParseResults supports dict-like access, sometime you just need to have a dict + import json + print(json.dumps(result)) # -> Exception: TypeError: ... is not JSON serializable + print(json.dumps(result.asDict())) # -> {"month": "31", "day": "1999", "year": "12"} + """ + if PY_3: + item_fn = self.items + else: + item_fn = self.iteritems + + def toItem(obj): + if isinstance(obj, ParseResults): + if obj.haskeys(): + return obj.asDict() + else: + return [toItem(v) for v in obj] + else: + return obj + + return dict((k,toItem(v)) for k,v in item_fn()) + + def copy( self ): + """ + Returns a new copy of a C{ParseResults} object. + """ + ret = ParseResults( self.__toklist ) + ret.__tokdict = self.__tokdict.copy() + ret.__parent = self.__parent + ret.__accumNames.update( self.__accumNames ) + ret.__name = self.__name + return ret + + def asXML( self, doctag=None, namedItemsOnly=False, indent="", formatted=True ): + """ + (Deprecated) Returns the parse results as XML. Tags are created for tokens and lists that have defined results names. + """ + nl = "\n" + out = [] + namedItems = dict((v[1],k) for (k,vlist) in self.__tokdict.items() + for v in vlist) + nextLevelIndent = indent + " " + + # collapse out indents if formatting is not desired + if not formatted: + indent = "" + nextLevelIndent = "" + nl = "" + + selfTag = None + if doctag is not None: + selfTag = doctag + else: + if self.__name: + selfTag = self.__name + + if not selfTag: + if namedItemsOnly: + return "" + else: + selfTag = "ITEM" + + out += [ nl, indent, "<", selfTag, ">" ] + + for i,res in enumerate(self.__toklist): + if isinstance(res,ParseResults): + if i in namedItems: + out += [ res.asXML(namedItems[i], + namedItemsOnly and doctag is None, + nextLevelIndent, + formatted)] + else: + out += [ res.asXML(None, + namedItemsOnly and doctag is None, + nextLevelIndent, + formatted)] + else: + # individual token, see if there is a name for it + resTag = None + if i in namedItems: + resTag = namedItems[i] + if not resTag: + if namedItemsOnly: + continue + else: + resTag = "ITEM" + xmlBodyText = _xml_escape(_ustr(res)) + out += [ nl, nextLevelIndent, "<", resTag, ">", + xmlBodyText, + "</", resTag, ">" ] + + out += [ nl, indent, "</", selfTag, ">" ] + return "".join(out) + + def __lookup(self,sub): + for k,vlist in self.__tokdict.items(): + for v,loc in vlist: + if sub is v: + return k + return None + + def getName(self): + r""" + Returns the results name for this token expression. Useful when several + different expressions might match at a particular location. + + Example:: + integer = Word(nums) + ssn_expr = Regex(r"\d\d\d-\d\d-\d\d\d\d") + house_number_expr = Suppress('#') + Word(nums, alphanums) + user_data = (Group(house_number_expr)("house_number") + | Group(ssn_expr)("ssn") + | Group(integer)("age")) + user_info = OneOrMore(user_data) + + result = user_info.parseString("22 111-22-3333 #221B") + for item in result: + print(item.getName(), ':', item[0]) + prints:: + age : 22 + ssn : 111-22-3333 + house_number : 221B + """ + if self.__name: + return self.__name + elif self.__parent: + par = self.__parent() + if par: + return par.__lookup(self) + else: + return None + elif (len(self) == 1 and + len(self.__tokdict) == 1 and + next(iter(self.__tokdict.values()))[0][1] in (0,-1)): + return next(iter(self.__tokdict.keys())) + else: + return None + + def dump(self, indent='', depth=0, full=True): + """ + Diagnostic method for listing out the contents of a C{ParseResults}. + Accepts an optional C{indent} argument so that this string can be embedded + in a nested display of other data. + + Example:: + integer = Word(nums) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + result = date_str.parseString('12/31/1999') + print(result.dump()) + prints:: + ['12', '/', '31', '/', '1999'] + - day: 1999 + - month: 31 + - year: 12 + """ + out = [] + NL = '\n' + out.append( indent+_ustr(self.asList()) ) + if full: + if self.haskeys(): + items = sorted((str(k), v) for k,v in self.items()) + for k,v in items: + if out: + out.append(NL) + out.append( "%s%s- %s: " % (indent,(' '*depth), k) ) + if isinstance(v,ParseResults): + if v: + out.append( v.dump(indent,depth+1) ) + else: + out.append(_ustr(v)) + else: + out.append(repr(v)) + elif any(isinstance(vv,ParseResults) for vv in self): + v = self + for i,vv in enumerate(v): + if isinstance(vv,ParseResults): + out.append("\n%s%s[%d]:\n%s%s%s" % (indent,(' '*(depth)),i,indent,(' '*(depth+1)),vv.dump(indent,depth+1) )) + else: + out.append("\n%s%s[%d]:\n%s%s%s" % (indent,(' '*(depth)),i,indent,(' '*(depth+1)),_ustr(vv))) + + return "".join(out) + + def pprint(self, *args, **kwargs): + """ + Pretty-printer for parsed results as a list, using the C{pprint} module. + Accepts additional positional or keyword args as defined for the + C{pprint.pprint} method. (U{http://docs.python.org/3/library/pprint.html#pprint.pprint}) + + Example:: + ident = Word(alphas, alphanums) + num = Word(nums) + func = Forward() + term = ident | num | Group('(' + func + ')') + func <<= ident + Group(Optional(delimitedList(term))) + result = func.parseString("fna a,b,(fnb c,d,200),100") + result.pprint(width=40) + prints:: + ['fna', + ['a', + 'b', + ['(', 'fnb', ['c', 'd', '200'], ')'], + '100']] + """ + pprint.pprint(self.asList(), *args, **kwargs) + + # add support for pickle protocol + def __getstate__(self): + return ( self.__toklist, + ( self.__tokdict.copy(), + self.__parent is not None and self.__parent() or None, + self.__accumNames, + self.__name ) ) + + def __setstate__(self,state): + self.__toklist = state[0] + (self.__tokdict, + par, + inAccumNames, + self.__name) = state[1] + self.__accumNames = {} + self.__accumNames.update(inAccumNames) + if par is not None: + self.__parent = wkref(par) + else: + self.__parent = None + + def __getnewargs__(self): + return self.__toklist, self.__name, self.__asList, self.__modal + + def __dir__(self): + return (dir(type(self)) + list(self.keys())) + +MutableMapping.register(ParseResults) + +def col (loc,strg): + """Returns current column within a string, counting newlines as line separators. + The first column is number 1. + + Note: the default parsing behavior is to expand tabs in the input string + before starting the parsing process. See L{I{ParserElement.parseString}<ParserElement.parseString>} for more information + on parsing strings containing C{<TAB>}s, and suggested methods to maintain a + consistent view of the parsed string, the parse location, and line and column + positions within the parsed string. + """ + s = strg + return 1 if 0<loc<len(s) and s[loc-1] == '\n' else loc - s.rfind("\n", 0, loc) + +def lineno(loc,strg): + """Returns current line number within a string, counting newlines as line separators. + The first line is number 1. + + Note: the default parsing behavior is to expand tabs in the input string + before starting the parsing process. See L{I{ParserElement.parseString}<ParserElement.parseString>} for more information + on parsing strings containing C{<TAB>}s, and suggested methods to maintain a + consistent view of the parsed string, the parse location, and line and column + positions within the parsed string. + """ + return strg.count("\n",0,loc) + 1 + +def line( loc, strg ): + """Returns the line of text containing loc within a string, counting newlines as line separators. + """ + lastCR = strg.rfind("\n", 0, loc) + nextCR = strg.find("\n", loc) + if nextCR >= 0: + return strg[lastCR+1:nextCR] + else: + return strg[lastCR+1:] + +def _defaultStartDebugAction( instring, loc, expr ): + print (("Match " + _ustr(expr) + " at loc " + _ustr(loc) + "(%d,%d)" % ( lineno(loc,instring), col(loc,instring) ))) + +def _defaultSuccessDebugAction( instring, startloc, endloc, expr, toks ): + print ("Matched " + _ustr(expr) + " -> " + str(toks.asList())) + +def _defaultExceptionDebugAction( instring, loc, expr, exc ): + print ("Exception raised:" + _ustr(exc)) + +def nullDebugAction(*args): + """'Do-nothing' debug action, to suppress debugging output during parsing.""" + pass + +# Only works on Python 3.x - nonlocal is toxic to Python 2 installs +#~ 'decorator to trim function calls to match the arity of the target' +#~ def _trim_arity(func, maxargs=3): + #~ if func in singleArgBuiltins: + #~ return lambda s,l,t: func(t) + #~ limit = 0 + #~ foundArity = False + #~ def wrapper(*args): + #~ nonlocal limit,foundArity + #~ while 1: + #~ try: + #~ ret = func(*args[limit:]) + #~ foundArity = True + #~ return ret + #~ except TypeError: + #~ if limit == maxargs or foundArity: + #~ raise + #~ limit += 1 + #~ continue + #~ return wrapper + +# this version is Python 2.x-3.x cross-compatible +'decorator to trim function calls to match the arity of the target' +def _trim_arity(func, maxargs=2): + if func in singleArgBuiltins: + return lambda s,l,t: func(t) + limit = [0] + foundArity = [False] + + # traceback return data structure changed in Py3.5 - normalize back to plain tuples + if system_version[:2] >= (3,5): + def extract_stack(limit=0): + # special handling for Python 3.5.0 - extra deep call stack by 1 + offset = -3 if system_version == (3,5,0) else -2 + frame_summary = traceback.extract_stack(limit=-offset+limit-1)[offset] + return [frame_summary[:2]] + def extract_tb(tb, limit=0): + frames = traceback.extract_tb(tb, limit=limit) + frame_summary = frames[-1] + return [frame_summary[:2]] + else: + extract_stack = traceback.extract_stack + extract_tb = traceback.extract_tb + + # synthesize what would be returned by traceback.extract_stack at the call to + # user's parse action 'func', so that we don't incur call penalty at parse time + + LINE_DIFF = 6 + # IF ANY CODE CHANGES, EVEN JUST COMMENTS OR BLANK LINES, BETWEEN THE NEXT LINE AND + # THE CALL TO FUNC INSIDE WRAPPER, LINE_DIFF MUST BE MODIFIED!!!! + this_line = extract_stack(limit=2)[-1] + pa_call_line_synth = (this_line[0], this_line[1]+LINE_DIFF) + + def wrapper(*args): + while 1: + try: + ret = func(*args[limit[0]:]) + foundArity[0] = True + return ret + except TypeError: + # re-raise TypeErrors if they did not come from our arity testing + if foundArity[0]: + raise + else: + try: + tb = sys.exc_info()[-1] + if not extract_tb(tb, limit=2)[-1][:2] == pa_call_line_synth: + raise + finally: + del tb + + if limit[0] <= maxargs: + limit[0] += 1 + continue + raise + + # copy func name to wrapper for sensible debug output + func_name = "<parse action>" + try: + func_name = getattr(func, '__name__', + getattr(func, '__class__').__name__) + except Exception: + func_name = str(func) + wrapper.__name__ = func_name + + return wrapper + +class ParserElement(object): + """Abstract base level parser element class.""" + DEFAULT_WHITE_CHARS = " \n\t\r" + verbose_stacktrace = False + + @staticmethod + def setDefaultWhitespaceChars( chars ): + r""" + Overrides the default whitespace chars + + Example:: + # default whitespace chars are space, <TAB> and newline + OneOrMore(Word(alphas)).parseString("abc def\nghi jkl") # -> ['abc', 'def', 'ghi', 'jkl'] + + # change to just treat newline as significant + ParserElement.setDefaultWhitespaceChars(" \t") + OneOrMore(Word(alphas)).parseString("abc def\nghi jkl") # -> ['abc', 'def'] + """ + ParserElement.DEFAULT_WHITE_CHARS = chars + + @staticmethod + def inlineLiteralsUsing(cls): + """ + Set class to be used for inclusion of string literals into a parser. + + Example:: + # default literal class used is Literal + integer = Word(nums) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + date_str.parseString("1999/12/31") # -> ['1999', '/', '12', '/', '31'] + + + # change to Suppress + ParserElement.inlineLiteralsUsing(Suppress) + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + + date_str.parseString("1999/12/31") # -> ['1999', '12', '31'] + """ + ParserElement._literalStringClass = cls + + def __init__( self, savelist=False ): + self.parseAction = list() + self.failAction = None + #~ self.name = "<unknown>" # don't define self.name, let subclasses try/except upcall + self.strRepr = None + self.resultsName = None + self.saveAsList = savelist + self.skipWhitespace = True + self.whiteChars = ParserElement.DEFAULT_WHITE_CHARS + self.copyDefaultWhiteChars = True + self.mayReturnEmpty = False # used when checking for left-recursion + self.keepTabs = False + self.ignoreExprs = list() + self.debug = False + self.streamlined = False + self.mayIndexError = True # used to optimize exception handling for subclasses that don't advance parse index + self.errmsg = "" + self.modalResults = True # used to mark results names as modal (report only last) or cumulative (list all) + self.debugActions = ( None, None, None ) #custom debug actions + self.re = None + self.callPreparse = True # used to avoid redundant calls to preParse + self.callDuringTry = False + + def copy( self ): + """ + Make a copy of this C{ParserElement}. Useful for defining different parse actions + for the same parsing pattern, using copies of the original parse element. + + Example:: + integer = Word(nums).setParseAction(lambda toks: int(toks[0])) + integerK = integer.copy().addParseAction(lambda toks: toks[0]*1024) + Suppress("K") + integerM = integer.copy().addParseAction(lambda toks: toks[0]*1024*1024) + Suppress("M") + + print(OneOrMore(integerK | integerM | integer).parseString("5K 100 640K 256M")) + prints:: + [5120, 100, 655360, 268435456] + Equivalent form of C{expr.copy()} is just C{expr()}:: + integerM = integer().addParseAction(lambda toks: toks[0]*1024*1024) + Suppress("M") + """ + cpy = copy.copy( self ) + cpy.parseAction = self.parseAction[:] + cpy.ignoreExprs = self.ignoreExprs[:] + if self.copyDefaultWhiteChars: + cpy.whiteChars = ParserElement.DEFAULT_WHITE_CHARS + return cpy + + def setName( self, name ): + """ + Define name for this expression, makes debugging and exception messages clearer. + + Example:: + Word(nums).parseString("ABC") # -> Exception: Expected W:(0123...) (at char 0), (line:1, col:1) + Word(nums).setName("integer").parseString("ABC") # -> Exception: Expected integer (at char 0), (line:1, col:1) + """ + self.name = name + self.errmsg = "Expected " + self.name + if hasattr(self,"exception"): + self.exception.msg = self.errmsg + return self + + def setResultsName( self, name, listAllMatches=False ): + """ + Define name for referencing matching tokens as a nested attribute + of the returned parse results. + NOTE: this returns a *copy* of the original C{ParserElement} object; + this is so that the client can define a basic element, such as an + integer, and reference it in multiple places with different names. + + You can also set results names using the abbreviated syntax, + C{expr("name")} in place of C{expr.setResultsName("name")} - + see L{I{__call__}<__call__>}. + + Example:: + date_str = (integer.setResultsName("year") + '/' + + integer.setResultsName("month") + '/' + + integer.setResultsName("day")) + + # equivalent form: + date_str = integer("year") + '/' + integer("month") + '/' + integer("day") + """ + newself = self.copy() + if name.endswith("*"): + name = name[:-1] + listAllMatches=True + newself.resultsName = name + newself.modalResults = not listAllMatches + return newself + + def setBreak(self,breakFlag = True): + """Method to invoke the Python pdb debugger when this element is + about to be parsed. Set C{breakFlag} to True to enable, False to + disable. + """ + if breakFlag: + _parseMethod = self._parse + def breaker(instring, loc, doActions=True, callPreParse=True): + import pdb + pdb.set_trace() + return _parseMethod( instring, loc, doActions, callPreParse ) + breaker._originalParseMethod = _parseMethod + self._parse = breaker + else: + if hasattr(self._parse,"_originalParseMethod"): + self._parse = self._parse._originalParseMethod + return self + + def setParseAction( self, *fns, **kwargs ): + """ + Define one or more actions to perform when successfully matching parse element definition. + Parse action fn is a callable method with 0-3 arguments, called as C{fn(s,loc,toks)}, + C{fn(loc,toks)}, C{fn(toks)}, or just C{fn()}, where: + - s = the original string being parsed (see note below) + - loc = the location of the matching substring + - toks = a list of the matched tokens, packaged as a C{L{ParseResults}} object + If the functions in fns modify the tokens, they can return them as the return + value from fn, and the modified list of tokens will replace the original. + Otherwise, fn does not need to return any value. + + Optional keyword arguments: + - callDuringTry = (default=C{False}) indicate if parse action should be run during lookaheads and alternate testing + + Note: the default parsing behavior is to expand tabs in the input string + before starting the parsing process. See L{I{parseString}<parseString>} for more information + on parsing strings containing C{<TAB>}s, and suggested methods to maintain a + consistent view of the parsed string, the parse location, and line and column + positions within the parsed string. + + Example:: + integer = Word(nums) + date_str = integer + '/' + integer + '/' + integer + + date_str.parseString("1999/12/31") # -> ['1999', '/', '12', '/', '31'] + + # use parse action to convert to ints at parse time + integer = Word(nums).setParseAction(lambda toks: int(toks[0])) + date_str = integer + '/' + integer + '/' + integer + + # note that integer fields are now ints, not strings + date_str.parseString("1999/12/31") # -> [1999, '/', 12, '/', 31] + """ + self.parseAction = list(map(_trim_arity, list(fns))) + self.callDuringTry = kwargs.get("callDuringTry", False) + return self + + def addParseAction( self, *fns, **kwargs ): + """ + Add one or more parse actions to expression's list of parse actions. See L{I{setParseAction}<setParseAction>}. + + See examples in L{I{copy}<copy>}. + """ + self.parseAction += list(map(_trim_arity, list(fns))) + self.callDuringTry = self.callDuringTry or kwargs.get("callDuringTry", False) + return self + + def addCondition(self, *fns, **kwargs): + """Add a boolean predicate function to expression's list of parse actions. See + L{I{setParseAction}<setParseAction>} for function call signatures. Unlike C{setParseAction}, + functions passed to C{addCondition} need to return boolean success/fail of the condition. + + Optional keyword arguments: + - message = define a custom message to be used in the raised exception + - fatal = if True, will raise ParseFatalException to stop parsing immediately; otherwise will raise ParseException + + Example:: + integer = Word(nums).setParseAction(lambda toks: int(toks[0])) + year_int = integer.copy() + year_int.addCondition(lambda toks: toks[0] >= 2000, message="Only support years 2000 and later") + date_str = year_int + '/' + integer + '/' + integer + + result = date_str.parseString("1999/12/31") # -> Exception: Only support years 2000 and later (at char 0), (line:1, col:1) + """ + msg = kwargs.get("message", "failed user-defined condition") + exc_type = ParseFatalException if kwargs.get("fatal", False) else ParseException + for fn in fns: + def pa(s,l,t): + if not bool(_trim_arity(fn)(s,l,t)): + raise exc_type(s,l,msg) + self.parseAction.append(pa) + self.callDuringTry = self.callDuringTry or kwargs.get("callDuringTry", False) + return self + + def setFailAction( self, fn ): + """Define action to perform if parsing fails at this expression. + Fail acton fn is a callable function that takes the arguments + C{fn(s,loc,expr,err)} where: + - s = string being parsed + - loc = location where expression match was attempted and failed + - expr = the parse expression that failed + - err = the exception thrown + The function returns no value. It may throw C{L{ParseFatalException}} + if it is desired to stop parsing immediately.""" + self.failAction = fn + return self + + def _skipIgnorables( self, instring, loc ): + exprsFound = True + while exprsFound: + exprsFound = False + for e in self.ignoreExprs: + try: + while 1: + loc,dummy = e._parse( instring, loc ) + exprsFound = True + except ParseException: + pass + return loc + + def preParse( self, instring, loc ): + if self.ignoreExprs: + loc = self._skipIgnorables( instring, loc ) + + if self.skipWhitespace: + wt = self.whiteChars + instrlen = len(instring) + while loc < instrlen and instring[loc] in wt: + loc += 1 + + return loc + + def parseImpl( self, instring, loc, doActions=True ): + return loc, [] + + def postParse( self, instring, loc, tokenlist ): + return tokenlist + + #~ @profile + def _parseNoCache( self, instring, loc, doActions=True, callPreParse=True ): + debugging = ( self.debug ) #and doActions ) + + if debugging or self.failAction: + #~ print ("Match",self,"at loc",loc,"(%d,%d)" % ( lineno(loc,instring), col(loc,instring) )) + if (self.debugActions[0] ): + self.debugActions[0]( instring, loc, self ) + if callPreParse and self.callPreparse: + preloc = self.preParse( instring, loc ) + else: + preloc = loc + tokensStart = preloc + try: + try: + loc,tokens = self.parseImpl( instring, preloc, doActions ) + except IndexError: + raise ParseException( instring, len(instring), self.errmsg, self ) + except ParseBaseException as err: + #~ print ("Exception raised:", err) + if self.debugActions[2]: + self.debugActions[2]( instring, tokensStart, self, err ) + if self.failAction: + self.failAction( instring, tokensStart, self, err ) + raise + else: + if callPreParse and self.callPreparse: + preloc = self.preParse( instring, loc ) + else: + preloc = loc + tokensStart = preloc + if self.mayIndexError or preloc >= len(instring): + try: + loc,tokens = self.parseImpl( instring, preloc, doActions ) + except IndexError: + raise ParseException( instring, len(instring), self.errmsg, self ) + else: + loc,tokens = self.parseImpl( instring, preloc, doActions ) + + tokens = self.postParse( instring, loc, tokens ) + + retTokens = ParseResults( tokens, self.resultsName, asList=self.saveAsList, modal=self.modalResults ) + if self.parseAction and (doActions or self.callDuringTry): + if debugging: + try: + for fn in self.parseAction: + tokens = fn( instring, tokensStart, retTokens ) + if tokens is not None: + retTokens = ParseResults( tokens, + self.resultsName, + asList=self.saveAsList and isinstance(tokens,(ParseResults,list)), + modal=self.modalResults ) + except ParseBaseException as err: + #~ print "Exception raised in user parse action:", err + if (self.debugActions[2] ): + self.debugActions[2]( instring, tokensStart, self, err ) + raise + else: + for fn in self.parseAction: + tokens = fn( instring, tokensStart, retTokens ) + if tokens is not None: + retTokens = ParseResults( tokens, + self.resultsName, + asList=self.saveAsList and isinstance(tokens,(ParseResults,list)), + modal=self.modalResults ) + if debugging: + #~ print ("Matched",self,"->",retTokens.asList()) + if (self.debugActions[1] ): + self.debugActions[1]( instring, tokensStart, loc, self, retTokens ) + + return loc, retTokens + + def tryParse( self, instring, loc ): + try: + return self._parse( instring, loc, doActions=False )[0] + except ParseFatalException: + raise ParseException( instring, loc, self.errmsg, self) + + def canParseNext(self, instring, loc): + try: + self.tryParse(instring, loc) + except (ParseException, IndexError): + return False + else: + return True + + class _UnboundedCache(object): + def __init__(self): + cache = {} + self.not_in_cache = not_in_cache = object() + + def get(self, key): + return cache.get(key, not_in_cache) + + def set(self, key, value): + cache[key] = value + + def clear(self): + cache.clear() + + def cache_len(self): + return len(cache) + + self.get = types.MethodType(get, self) + self.set = types.MethodType(set, self) + self.clear = types.MethodType(clear, self) + self.__len__ = types.MethodType(cache_len, self) + + if _OrderedDict is not None: + class _FifoCache(object): + def __init__(self, size): + self.not_in_cache = not_in_cache = object() + + cache = _OrderedDict() + + def get(self, key): + return cache.get(key, not_in_cache) + + def set(self, key, value): + cache[key] = value + while len(cache) > size: + try: + cache.popitem(False) + except KeyError: + pass + + def clear(self): + cache.clear() + + def cache_len(self): + return len(cache) + + self.get = types.MethodType(get, self) + self.set = types.MethodType(set, self) + self.clear = types.MethodType(clear, self) + self.__len__ = types.MethodType(cache_len, self) + + else: + class _FifoCache(object): + def __init__(self, size): + self.not_in_cache = not_in_cache = object() + + cache = {} + key_fifo = collections.deque([], size) + + def get(self, key): + return cache.get(key, not_in_cache) + + def set(self, key, value): + cache[key] = value + while len(key_fifo) > size: + cache.pop(key_fifo.popleft(), None) + key_fifo.append(key) + + def clear(self): + cache.clear() + key_fifo.clear() + + def cache_len(self): + return len(cache) + + self.get = types.MethodType(get, self) + self.set = types.MethodType(set, self) + self.clear = types.MethodType(clear, self) + self.__len__ = types.MethodType(cache_len, self) + + # argument cache for optimizing repeated calls when backtracking through recursive expressions + packrat_cache = {} # this is set later by enabledPackrat(); this is here so that resetCache() doesn't fail + packrat_cache_lock = RLock() + packrat_cache_stats = [0, 0] + + # this method gets repeatedly called during backtracking with the same arguments - + # we can cache these arguments and save ourselves the trouble of re-parsing the contained expression + def _parseCache( self, instring, loc, doActions=True, callPreParse=True ): + HIT, MISS = 0, 1 + lookup = (self, instring, loc, callPreParse, doActions) + with ParserElement.packrat_cache_lock: + cache = ParserElement.packrat_cache + value = cache.get(lookup) + if value is cache.not_in_cache: + ParserElement.packrat_cache_stats[MISS] += 1 + try: + value = self._parseNoCache(instring, loc, doActions, callPreParse) + except ParseBaseException as pe: + # cache a copy of the exception, without the traceback + cache.set(lookup, pe.__class__(*pe.args)) + raise + else: + cache.set(lookup, (value[0], value[1].copy())) + return value + else: + ParserElement.packrat_cache_stats[HIT] += 1 + if isinstance(value, Exception): + raise value + return (value[0], value[1].copy()) + + _parse = _parseNoCache + + @staticmethod + def resetCache(): + ParserElement.packrat_cache.clear() + ParserElement.packrat_cache_stats[:] = [0] * len(ParserElement.packrat_cache_stats) + + _packratEnabled = False + @staticmethod + def enablePackrat(cache_size_limit=128): + """Enables "packrat" parsing, which adds memoizing to the parsing logic. + Repeated parse attempts at the same string location (which happens + often in many complex grammars) can immediately return a cached value, + instead of re-executing parsing/validating code. Memoizing is done of + both valid results and parsing exceptions. + + Parameters: + - cache_size_limit - (default=C{128}) - if an integer value is provided + will limit the size of the packrat cache; if None is passed, then + the cache size will be unbounded; if 0 is passed, the cache will + be effectively disabled. + + This speedup may break existing programs that use parse actions that + have side-effects. For this reason, packrat parsing is disabled when + you first import pyparsing. To activate the packrat feature, your + program must call the class method C{ParserElement.enablePackrat()}. If + your program uses C{psyco} to "compile as you go", you must call + C{enablePackrat} before calling C{psyco.full()}. If you do not do this, + Python will crash. For best results, call C{enablePackrat()} immediately + after importing pyparsing. + + Example:: + import pyparsing + pyparsing.ParserElement.enablePackrat() + """ + if not ParserElement._packratEnabled: + ParserElement._packratEnabled = True + if cache_size_limit is None: + ParserElement.packrat_cache = ParserElement._UnboundedCache() + else: + ParserElement.packrat_cache = ParserElement._FifoCache(cache_size_limit) + ParserElement._parse = ParserElement._parseCache + + def parseString( self, instring, parseAll=False ): + """ + Execute the parse expression with the given string. + This is the main interface to the client code, once the complete + expression has been built. + + If you want the grammar to require that the entire input string be + successfully parsed, then set C{parseAll} to True (equivalent to ending + the grammar with C{L{StringEnd()}}). + + Note: C{parseString} implicitly calls C{expandtabs()} on the input string, + in order to report proper column numbers in parse actions. + If the input string contains tabs and + the grammar uses parse actions that use the C{loc} argument to index into the + string being parsed, you can ensure you have a consistent view of the input + string by: + - calling C{parseWithTabs} on your grammar before calling C{parseString} + (see L{I{parseWithTabs}<parseWithTabs>}) + - define your parse action using the full C{(s,loc,toks)} signature, and + reference the input string using the parse action's C{s} argument + - explicitly expand the tabs in your input string before calling + C{parseString} + + Example:: + Word('a').parseString('aaaaabaaa') # -> ['aaaaa'] + Word('a').parseString('aaaaabaaa', parseAll=True) # -> Exception: Expected end of text + """ + ParserElement.resetCache() + if not self.streamlined: + self.streamline() + #~ self.saveAsList = True + for e in self.ignoreExprs: + e.streamline() + if not self.keepTabs: + instring = instring.expandtabs() + try: + loc, tokens = self._parse( instring, 0 ) + if parseAll: + loc = self.preParse( instring, loc ) + se = Empty() + StringEnd() + se._parse( instring, loc ) + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clears out pyparsing internal stack trace + raise exc + else: + return tokens + + def scanString( self, instring, maxMatches=_MAX_INT, overlap=False ): + """ + Scan the input string for expression matches. Each match will return the + matching tokens, start location, and end location. May be called with optional + C{maxMatches} argument, to clip scanning after 'n' matches are found. If + C{overlap} is specified, then overlapping matches will be reported. + + Note that the start and end locations are reported relative to the string + being parsed. See L{I{parseString}<parseString>} for more information on parsing + strings with embedded tabs. + + Example:: + source = "sldjf123lsdjjkf345sldkjf879lkjsfd987" + print(source) + for tokens,start,end in Word(alphas).scanString(source): + print(' '*start + '^'*(end-start)) + print(' '*start + tokens[0]) + + prints:: + + sldjf123lsdjjkf345sldkjf879lkjsfd987 + ^^^^^ + sldjf + ^^^^^^^ + lsdjjkf + ^^^^^^ + sldkjf + ^^^^^^ + lkjsfd + """ + if not self.streamlined: + self.streamline() + for e in self.ignoreExprs: + e.streamline() + + if not self.keepTabs: + instring = _ustr(instring).expandtabs() + instrlen = len(instring) + loc = 0 + preparseFn = self.preParse + parseFn = self._parse + ParserElement.resetCache() + matches = 0 + try: + while loc <= instrlen and matches < maxMatches: + try: + preloc = preparseFn( instring, loc ) + nextLoc,tokens = parseFn( instring, preloc, callPreParse=False ) + except ParseException: + loc = preloc+1 + else: + if nextLoc > loc: + matches += 1 + yield tokens, preloc, nextLoc + if overlap: + nextloc = preparseFn( instring, loc ) + if nextloc > loc: + loc = nextLoc + else: + loc += 1 + else: + loc = nextLoc + else: + loc = preloc+1 + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clears out pyparsing internal stack trace + raise exc + + def transformString( self, instring ): + """ + Extension to C{L{scanString}}, to modify matching text with modified tokens that may + be returned from a parse action. To use C{transformString}, define a grammar and + attach a parse action to it that modifies the returned token list. + Invoking C{transformString()} on a target string will then scan for matches, + and replace the matched text patterns according to the logic in the parse + action. C{transformString()} returns the resulting transformed string. + + Example:: + wd = Word(alphas) + wd.setParseAction(lambda toks: toks[0].title()) + + print(wd.transformString("now is the winter of our discontent made glorious summer by this sun of york.")) + Prints:: + Now Is The Winter Of Our Discontent Made Glorious Summer By This Sun Of York. + """ + out = [] + lastE = 0 + # force preservation of <TAB>s, to minimize unwanted transformation of string, and to + # keep string locs straight between transformString and scanString + self.keepTabs = True + try: + for t,s,e in self.scanString( instring ): + out.append( instring[lastE:s] ) + if t: + if isinstance(t,ParseResults): + out += t.asList() + elif isinstance(t,list): + out += t + else: + out.append(t) + lastE = e + out.append(instring[lastE:]) + out = [o for o in out if o] + return "".join(map(_ustr,_flatten(out))) + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clears out pyparsing internal stack trace + raise exc + + def searchString( self, instring, maxMatches=_MAX_INT ): + """ + Another extension to C{L{scanString}}, simplifying the access to the tokens found + to match the given parse expression. May be called with optional + C{maxMatches} argument, to clip searching after 'n' matches are found. + + Example:: + # a capitalized word starts with an uppercase letter, followed by zero or more lowercase letters + cap_word = Word(alphas.upper(), alphas.lower()) + + print(cap_word.searchString("More than Iron, more than Lead, more than Gold I need Electricity")) + + # the sum() builtin can be used to merge results into a single ParseResults object + print(sum(cap_word.searchString("More than Iron, more than Lead, more than Gold I need Electricity"))) + prints:: + [['More'], ['Iron'], ['Lead'], ['Gold'], ['I'], ['Electricity']] + ['More', 'Iron', 'Lead', 'Gold', 'I', 'Electricity'] + """ + try: + return ParseResults([ t for t,s,e in self.scanString( instring, maxMatches ) ]) + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clears out pyparsing internal stack trace + raise exc + + def split(self, instring, maxsplit=_MAX_INT, includeSeparators=False): + """ + Generator method to split a string using the given expression as a separator. + May be called with optional C{maxsplit} argument, to limit the number of splits; + and the optional C{includeSeparators} argument (default=C{False}), if the separating + matching text should be included in the split results. + + Example:: + punc = oneOf(list(".,;:/-!?")) + print(list(punc.split("This, this?, this sentence, is badly punctuated!"))) + prints:: + ['This', ' this', '', ' this sentence', ' is badly punctuated', ''] + """ + splits = 0 + last = 0 + for t,s,e in self.scanString(instring, maxMatches=maxsplit): + yield instring[last:s] + if includeSeparators: + yield t[0] + last = e + yield instring[last:] + + def __add__(self, other ): + """ + Implementation of + operator - returns C{L{And}}. Adding strings to a ParserElement + converts them to L{Literal}s by default. + + Example:: + greet = Word(alphas) + "," + Word(alphas) + "!" + hello = "Hello, World!" + print (hello, "->", greet.parseString(hello)) + Prints:: + Hello, World! -> ['Hello', ',', 'World', '!'] + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return And( [ self, other ] ) + + def __radd__(self, other ): + """ + Implementation of + operator when left operand is not a C{L{ParserElement}} + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other + self + + def __sub__(self, other): + """ + Implementation of - operator, returns C{L{And}} with error stop + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return self + And._ErrorStop() + other + + def __rsub__(self, other ): + """ + Implementation of - operator when left operand is not a C{L{ParserElement}} + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other - self + + def __mul__(self,other): + """ + Implementation of * operator, allows use of C{expr * 3} in place of + C{expr + expr + expr}. Expressions may also me multiplied by a 2-integer + tuple, similar to C{{min,max}} multipliers in regular expressions. Tuples + may also include C{None} as in: + - C{expr*(n,None)} or C{expr*(n,)} is equivalent + to C{expr*n + L{ZeroOrMore}(expr)} + (read as "at least n instances of C{expr}") + - C{expr*(None,n)} is equivalent to C{expr*(0,n)} + (read as "0 to n instances of C{expr}") + - C{expr*(None,None)} is equivalent to C{L{ZeroOrMore}(expr)} + - C{expr*(1,None)} is equivalent to C{L{OneOrMore}(expr)} + + Note that C{expr*(None,n)} does not raise an exception if + more than n exprs exist in the input stream; that is, + C{expr*(None,n)} does not enforce a maximum number of expr + occurrences. If this behavior is desired, then write + C{expr*(None,n) + ~expr} + """ + if isinstance(other,int): + minElements, optElements = other,0 + elif isinstance(other,tuple): + other = (other + (None, None))[:2] + if other[0] is None: + other = (0, other[1]) + if isinstance(other[0],int) and other[1] is None: + if other[0] == 0: + return ZeroOrMore(self) + if other[0] == 1: + return OneOrMore(self) + else: + return self*other[0] + ZeroOrMore(self) + elif isinstance(other[0],int) and isinstance(other[1],int): + minElements, optElements = other + optElements -= minElements + else: + raise TypeError("cannot multiply 'ParserElement' and ('%s','%s') objects", type(other[0]),type(other[1])) + else: + raise TypeError("cannot multiply 'ParserElement' and '%s' objects", type(other)) + + if minElements < 0: + raise ValueError("cannot multiply ParserElement by negative value") + if optElements < 0: + raise ValueError("second tuple value must be greater or equal to first tuple value") + if minElements == optElements == 0: + raise ValueError("cannot multiply ParserElement by 0 or (0,0)") + + if (optElements): + def makeOptionalList(n): + if n>1: + return Optional(self + makeOptionalList(n-1)) + else: + return Optional(self) + if minElements: + if minElements == 1: + ret = self + makeOptionalList(optElements) + else: + ret = And([self]*minElements) + makeOptionalList(optElements) + else: + ret = makeOptionalList(optElements) + else: + if minElements == 1: + ret = self + else: + ret = And([self]*minElements) + return ret + + def __rmul__(self, other): + return self.__mul__(other) + + def __or__(self, other ): + """ + Implementation of | operator - returns C{L{MatchFirst}} + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return MatchFirst( [ self, other ] ) + + def __ror__(self, other ): + """ + Implementation of | operator when left operand is not a C{L{ParserElement}} + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other | self + + def __xor__(self, other ): + """ + Implementation of ^ operator - returns C{L{Or}} + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return Or( [ self, other ] ) + + def __rxor__(self, other ): + """ + Implementation of ^ operator when left operand is not a C{L{ParserElement}} + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other ^ self + + def __and__(self, other ): + """ + Implementation of & operator - returns C{L{Each}} + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return Each( [ self, other ] ) + + def __rand__(self, other ): + """ + Implementation of & operator when left operand is not a C{L{ParserElement}} + """ + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + if not isinstance( other, ParserElement ): + warnings.warn("Cannot combine element of type %s with ParserElement" % type(other), + SyntaxWarning, stacklevel=2) + return None + return other & self + + def __invert__( self ): + """ + Implementation of ~ operator - returns C{L{NotAny}} + """ + return NotAny( self ) + + def __call__(self, name=None): + """ + Shortcut for C{L{setResultsName}}, with C{listAllMatches=False}. + + If C{name} is given with a trailing C{'*'} character, then C{listAllMatches} will be + passed as C{True}. + + If C{name} is omitted, same as calling C{L{copy}}. + + Example:: + # these are equivalent + userdata = Word(alphas).setResultsName("name") + Word(nums+"-").setResultsName("socsecno") + userdata = Word(alphas)("name") + Word(nums+"-")("socsecno") + """ + if name is not None: + return self.setResultsName(name) + else: + return self.copy() + + def suppress( self ): + """ + Suppresses the output of this C{ParserElement}; useful to keep punctuation from + cluttering up returned output. + """ + return Suppress( self ) + + def leaveWhitespace( self ): + """ + Disables the skipping of whitespace before matching the characters in the + C{ParserElement}'s defined pattern. This is normally only used internally by + the pyparsing module, but may be needed in some whitespace-sensitive grammars. + """ + self.skipWhitespace = False + return self + + def setWhitespaceChars( self, chars ): + """ + Overrides the default whitespace chars + """ + self.skipWhitespace = True + self.whiteChars = chars + self.copyDefaultWhiteChars = False + return self + + def parseWithTabs( self ): + """ + Overrides default behavior to expand C{<TAB>}s to spaces before parsing the input string. + Must be called before C{parseString} when the input grammar contains elements that + match C{<TAB>} characters. + """ + self.keepTabs = True + return self + + def ignore( self, other ): + """ + Define expression to be ignored (e.g., comments) while doing pattern + matching; may be called repeatedly, to define multiple comment or other + ignorable patterns. + + Example:: + patt = OneOrMore(Word(alphas)) + patt.parseString('ablaj /* comment */ lskjd') # -> ['ablaj'] + + patt.ignore(cStyleComment) + patt.parseString('ablaj /* comment */ lskjd') # -> ['ablaj', 'lskjd'] + """ + if isinstance(other, basestring): + other = Suppress(other) + + if isinstance( other, Suppress ): + if other not in self.ignoreExprs: + self.ignoreExprs.append(other) + else: + self.ignoreExprs.append( Suppress( other.copy() ) ) + return self + + def setDebugActions( self, startAction, successAction, exceptionAction ): + """ + Enable display of debugging messages while doing pattern matching. + """ + self.debugActions = (startAction or _defaultStartDebugAction, + successAction or _defaultSuccessDebugAction, + exceptionAction or _defaultExceptionDebugAction) + self.debug = True + return self + + def setDebug( self, flag=True ): + """ + Enable display of debugging messages while doing pattern matching. + Set C{flag} to True to enable, False to disable. + + Example:: + wd = Word(alphas).setName("alphaword") + integer = Word(nums).setName("numword") + term = wd | integer + + # turn on debugging for wd + wd.setDebug() + + OneOrMore(term).parseString("abc 123 xyz 890") + + prints:: + Match alphaword at loc 0(1,1) + Matched alphaword -> ['abc'] + Match alphaword at loc 3(1,4) + Exception raised:Expected alphaword (at char 4), (line:1, col:5) + Match alphaword at loc 7(1,8) + Matched alphaword -> ['xyz'] + Match alphaword at loc 11(1,12) + Exception raised:Expected alphaword (at char 12), (line:1, col:13) + Match alphaword at loc 15(1,16) + Exception raised:Expected alphaword (at char 15), (line:1, col:16) + + The output shown is that produced by the default debug actions - custom debug actions can be + specified using L{setDebugActions}. Prior to attempting + to match the C{wd} expression, the debugging message C{"Match <exprname> at loc <n>(<line>,<col>)"} + is shown. Then if the parse succeeds, a C{"Matched"} message is shown, or an C{"Exception raised"} + message is shown. Also note the use of L{setName} to assign a human-readable name to the expression, + which makes debugging and exception messages easier to understand - for instance, the default + name created for the C{Word} expression without calling C{setName} is C{"W:(ABCD...)"}. + """ + if flag: + self.setDebugActions( _defaultStartDebugAction, _defaultSuccessDebugAction, _defaultExceptionDebugAction ) + else: + self.debug = False + return self + + def __str__( self ): + return self.name + + def __repr__( self ): + return _ustr(self) + + def streamline( self ): + self.streamlined = True + self.strRepr = None + return self + + def checkRecursion( self, parseElementList ): + pass + + def validate( self, validateTrace=[] ): + """ + Check defined expressions for valid structure, check for infinite recursive definitions. + """ + self.checkRecursion( [] ) + + def parseFile( self, file_or_filename, parseAll=False ): + """ + Execute the parse expression on the given file or filename. + If a filename is specified (instead of a file object), + the entire file is opened, read, and closed before parsing. + """ + try: + file_contents = file_or_filename.read() + except AttributeError: + with open(file_or_filename, "r") as f: + file_contents = f.read() + try: + return self.parseString(file_contents, parseAll) + except ParseBaseException as exc: + if ParserElement.verbose_stacktrace: + raise + else: + # catch and re-raise exception from here, clears out pyparsing internal stack trace + raise exc + + def __eq__(self,other): + if isinstance(other, ParserElement): + return self is other or vars(self) == vars(other) + elif isinstance(other, basestring): + return self.matches(other) + else: + return super(ParserElement,self)==other + + def __ne__(self,other): + return not (self == other) + + def __hash__(self): + return hash(id(self)) + + def __req__(self,other): + return self == other + + def __rne__(self,other): + return not (self == other) + + def matches(self, testString, parseAll=True): + """ + Method for quick testing of a parser against a test string. Good for simple + inline microtests of sub expressions while building up larger parser. + + Parameters: + - testString - to test against this expression for a match + - parseAll - (default=C{True}) - flag to pass to C{L{parseString}} when running tests + + Example:: + expr = Word(nums) + assert expr.matches("100") + """ + try: + self.parseString(_ustr(testString), parseAll=parseAll) + return True + except ParseBaseException: + return False + + def runTests(self, tests, parseAll=True, comment='#', fullDump=True, printResults=True, failureTests=False): + """ + Execute the parse expression on a series of test strings, showing each + test, the parsed results or where the parse failed. Quick and easy way to + run a parse expression against a list of sample strings. + + Parameters: + - tests - a list of separate test strings, or a multiline string of test strings + - parseAll - (default=C{True}) - flag to pass to C{L{parseString}} when running tests + - comment - (default=C{'#'}) - expression for indicating embedded comments in the test + string; pass None to disable comment filtering + - fullDump - (default=C{True}) - dump results as list followed by results names in nested outline; + if False, only dump nested list + - printResults - (default=C{True}) prints test output to stdout + - failureTests - (default=C{False}) indicates if these tests are expected to fail parsing + + Returns: a (success, results) tuple, where success indicates that all tests succeeded + (or failed if C{failureTests} is True), and the results contain a list of lines of each + test's output + + Example:: + number_expr = pyparsing_common.number.copy() + + result = number_expr.runTests(''' + # unsigned integer + 100 + # negative integer + -100 + # float with scientific notation + 6.02e23 + # integer with scientific notation + 1e-12 + ''') + print("Success" if result[0] else "Failed!") + + result = number_expr.runTests(''' + # stray character + 100Z + # missing leading digit before '.' + -.100 + # too many '.' + 3.14.159 + ''', failureTests=True) + print("Success" if result[0] else "Failed!") + prints:: + # unsigned integer + 100 + [100] + + # negative integer + -100 + [-100] + + # float with scientific notation + 6.02e23 + [6.02e+23] + + # integer with scientific notation + 1e-12 + [1e-12] + + Success + + # stray character + 100Z + ^ + FAIL: Expected end of text (at char 3), (line:1, col:4) + + # missing leading digit before '.' + -.100 + ^ + FAIL: Expected {real number with scientific notation | real number | signed integer} (at char 0), (line:1, col:1) + + # too many '.' + 3.14.159 + ^ + FAIL: Expected end of text (at char 4), (line:1, col:5) + + Success + + Each test string must be on a single line. If you want to test a string that spans multiple + lines, create a test like this:: + + expr.runTest(r"this is a test\\n of strings that spans \\n 3 lines") + + (Note that this is a raw string literal, you must include the leading 'r'.) + """ + if isinstance(tests, basestring): + tests = list(map(str.strip, tests.rstrip().splitlines())) + if isinstance(comment, basestring): + comment = Literal(comment) + allResults = [] + comments = [] + success = True + for t in tests: + if comment is not None and comment.matches(t, False) or comments and not t: + comments.append(t) + continue + if not t: + continue + out = ['\n'.join(comments), t] + comments = [] + try: + t = t.replace(r'\n','\n') + result = self.parseString(t, parseAll=parseAll) + out.append(result.dump(full=fullDump)) + success = success and not failureTests + except ParseBaseException as pe: + fatal = "(FATAL)" if isinstance(pe, ParseFatalException) else "" + if '\n' in t: + out.append(line(pe.loc, t)) + out.append(' '*(col(pe.loc,t)-1) + '^' + fatal) + else: + out.append(' '*pe.loc + '^' + fatal) + out.append("FAIL: " + str(pe)) + success = success and failureTests + result = pe + except Exception as exc: + out.append("FAIL-EXCEPTION: " + str(exc)) + success = success and failureTests + result = exc + + if printResults: + if fullDump: + out.append('') + print('\n'.join(out)) + + allResults.append((t, result)) + + return success, allResults + + +class Token(ParserElement): + """ + Abstract C{ParserElement} subclass, for defining atomic matching patterns. + """ + def __init__( self ): + super(Token,self).__init__( savelist=False ) + + +class Empty(Token): + """ + An empty token, will always match. + """ + def __init__( self ): + super(Empty,self).__init__() + self.name = "Empty" + self.mayReturnEmpty = True + self.mayIndexError = False + + +class NoMatch(Token): + """ + A token that will never match. + """ + def __init__( self ): + super(NoMatch,self).__init__() + self.name = "NoMatch" + self.mayReturnEmpty = True + self.mayIndexError = False + self.errmsg = "Unmatchable token" + + def parseImpl( self, instring, loc, doActions=True ): + raise ParseException(instring, loc, self.errmsg, self) + + +class Literal(Token): + """ + Token to exactly match a specified string. + + Example:: + Literal('blah').parseString('blah') # -> ['blah'] + Literal('blah').parseString('blahfooblah') # -> ['blah'] + Literal('blah').parseString('bla') # -> Exception: Expected "blah" + + For case-insensitive matching, use L{CaselessLiteral}. + + For keyword matching (force word break before and after the matched string), + use L{Keyword} or L{CaselessKeyword}. + """ + def __init__( self, matchString ): + super(Literal,self).__init__() + self.match = matchString + self.matchLen = len(matchString) + try: + self.firstMatchChar = matchString[0] + except IndexError: + warnings.warn("null string passed to Literal; use Empty() instead", + SyntaxWarning, stacklevel=2) + self.__class__ = Empty + self.name = '"%s"' % _ustr(self.match) + self.errmsg = "Expected " + self.name + self.mayReturnEmpty = False + self.mayIndexError = False + + # Performance tuning: this routine gets called a *lot* + # if this is a single character match string and the first character matches, + # short-circuit as quickly as possible, and avoid calling startswith + #~ @profile + def parseImpl( self, instring, loc, doActions=True ): + if (instring[loc] == self.firstMatchChar and + (self.matchLen==1 or instring.startswith(self.match,loc)) ): + return loc+self.matchLen, self.match + raise ParseException(instring, loc, self.errmsg, self) +_L = Literal +ParserElement._literalStringClass = Literal + +class Keyword(Token): + """ + Token to exactly match a specified string as a keyword, that is, it must be + immediately followed by a non-keyword character. Compare with C{L{Literal}}: + - C{Literal("if")} will match the leading C{'if'} in C{'ifAndOnlyIf'}. + - C{Keyword("if")} will not; it will only match the leading C{'if'} in C{'if x=1'}, or C{'if(y==2)'} + Accepts two optional constructor arguments in addition to the keyword string: + - C{identChars} is a string of characters that would be valid identifier characters, + defaulting to all alphanumerics + "_" and "$" + - C{caseless} allows case-insensitive matching, default is C{False}. + + Example:: + Keyword("start").parseString("start") # -> ['start'] + Keyword("start").parseString("starting") # -> Exception + + For case-insensitive matching, use L{CaselessKeyword}. + """ + DEFAULT_KEYWORD_CHARS = alphanums+"_$" + + def __init__( self, matchString, identChars=None, caseless=False ): + super(Keyword,self).__init__() + if identChars is None: + identChars = Keyword.DEFAULT_KEYWORD_CHARS + self.match = matchString + self.matchLen = len(matchString) + try: + self.firstMatchChar = matchString[0] + except IndexError: + warnings.warn("null string passed to Keyword; use Empty() instead", + SyntaxWarning, stacklevel=2) + self.name = '"%s"' % self.match + self.errmsg = "Expected " + self.name + self.mayReturnEmpty = False + self.mayIndexError = False + self.caseless = caseless + if caseless: + self.caselessmatch = matchString.upper() + identChars = identChars.upper() + self.identChars = set(identChars) + + def parseImpl( self, instring, loc, doActions=True ): + if self.caseless: + if ( (instring[ loc:loc+self.matchLen ].upper() == self.caselessmatch) and + (loc >= len(instring)-self.matchLen or instring[loc+self.matchLen].upper() not in self.identChars) and + (loc == 0 or instring[loc-1].upper() not in self.identChars) ): + return loc+self.matchLen, self.match + else: + if (instring[loc] == self.firstMatchChar and + (self.matchLen==1 or instring.startswith(self.match,loc)) and + (loc >= len(instring)-self.matchLen or instring[loc+self.matchLen] not in self.identChars) and + (loc == 0 or instring[loc-1] not in self.identChars) ): + return loc+self.matchLen, self.match + raise ParseException(instring, loc, self.errmsg, self) + + def copy(self): + c = super(Keyword,self).copy() + c.identChars = Keyword.DEFAULT_KEYWORD_CHARS + return c + + @staticmethod + def setDefaultKeywordChars( chars ): + """Overrides the default Keyword chars + """ + Keyword.DEFAULT_KEYWORD_CHARS = chars + +class CaselessLiteral(Literal): + """ + Token to match a specified string, ignoring case of letters. + Note: the matched results will always be in the case of the given + match string, NOT the case of the input text. + + Example:: + OneOrMore(CaselessLiteral("CMD")).parseString("cmd CMD Cmd10") # -> ['CMD', 'CMD', 'CMD'] + + (Contrast with example for L{CaselessKeyword}.) + """ + def __init__( self, matchString ): + super(CaselessLiteral,self).__init__( matchString.upper() ) + # Preserve the defining literal. + self.returnString = matchString + self.name = "'%s'" % self.returnString + self.errmsg = "Expected " + self.name + + def parseImpl( self, instring, loc, doActions=True ): + if instring[ loc:loc+self.matchLen ].upper() == self.match: + return loc+self.matchLen, self.returnString + raise ParseException(instring, loc, self.errmsg, self) + +class CaselessKeyword(Keyword): + """ + Caseless version of L{Keyword}. + + Example:: + OneOrMore(CaselessKeyword("CMD")).parseString("cmd CMD Cmd10") # -> ['CMD', 'CMD'] + + (Contrast with example for L{CaselessLiteral}.) + """ + def __init__( self, matchString, identChars=None ): + super(CaselessKeyword,self).__init__( matchString, identChars, caseless=True ) + + def parseImpl( self, instring, loc, doActions=True ): + if ( (instring[ loc:loc+self.matchLen ].upper() == self.caselessmatch) and + (loc >= len(instring)-self.matchLen or instring[loc+self.matchLen].upper() not in self.identChars) ): + return loc+self.matchLen, self.match + raise ParseException(instring, loc, self.errmsg, self) + +class CloseMatch(Token): + """ + A variation on L{Literal} which matches "close" matches, that is, + strings with at most 'n' mismatching characters. C{CloseMatch} takes parameters: + - C{match_string} - string to be matched + - C{maxMismatches} - (C{default=1}) maximum number of mismatches allowed to count as a match + + The results from a successful parse will contain the matched text from the input string and the following named results: + - C{mismatches} - a list of the positions within the match_string where mismatches were found + - C{original} - the original match_string used to compare against the input string + + If C{mismatches} is an empty list, then the match was an exact match. + + Example:: + patt = CloseMatch("ATCATCGAATGGA") + patt.parseString("ATCATCGAAXGGA") # -> (['ATCATCGAAXGGA'], {'mismatches': [[9]], 'original': ['ATCATCGAATGGA']}) + patt.parseString("ATCAXCGAAXGGA") # -> Exception: Expected 'ATCATCGAATGGA' (with up to 1 mismatches) (at char 0), (line:1, col:1) + + # exact match + patt.parseString("ATCATCGAATGGA") # -> (['ATCATCGAATGGA'], {'mismatches': [[]], 'original': ['ATCATCGAATGGA']}) + + # close match allowing up to 2 mismatches + patt = CloseMatch("ATCATCGAATGGA", maxMismatches=2) + patt.parseString("ATCAXCGAAXGGA") # -> (['ATCAXCGAAXGGA'], {'mismatches': [[4, 9]], 'original': ['ATCATCGAATGGA']}) + """ + def __init__(self, match_string, maxMismatches=1): + super(CloseMatch,self).__init__() + self.name = match_string + self.match_string = match_string + self.maxMismatches = maxMismatches + self.errmsg = "Expected %r (with up to %d mismatches)" % (self.match_string, self.maxMismatches) + self.mayIndexError = False + self.mayReturnEmpty = False + + def parseImpl( self, instring, loc, doActions=True ): + start = loc + instrlen = len(instring) + maxloc = start + len(self.match_string) + + if maxloc <= instrlen: + match_string = self.match_string + match_stringloc = 0 + mismatches = [] + maxMismatches = self.maxMismatches + + for match_stringloc,s_m in enumerate(zip(instring[loc:maxloc], self.match_string)): + src,mat = s_m + if src != mat: + mismatches.append(match_stringloc) + if len(mismatches) > maxMismatches: + break + else: + loc = match_stringloc + 1 + results = ParseResults([instring[start:loc]]) + results['original'] = self.match_string + results['mismatches'] = mismatches + return loc, results + + raise ParseException(instring, loc, self.errmsg, self) + + +class Word(Token): + """ + Token for matching words composed of allowed character sets. + Defined with string containing all allowed initial characters, + an optional string containing allowed body characters (if omitted, + defaults to the initial character set), and an optional minimum, + maximum, and/or exact length. The default value for C{min} is 1 (a + minimum value < 1 is not valid); the default values for C{max} and C{exact} + are 0, meaning no maximum or exact length restriction. An optional + C{excludeChars} parameter can list characters that might be found in + the input C{bodyChars} string; useful to define a word of all printables + except for one or two characters, for instance. + + L{srange} is useful for defining custom character set strings for defining + C{Word} expressions, using range notation from regular expression character sets. + + A common mistake is to use C{Word} to match a specific literal string, as in + C{Word("Address")}. Remember that C{Word} uses the string argument to define + I{sets} of matchable characters. This expression would match "Add", "AAA", + "dAred", or any other word made up of the characters 'A', 'd', 'r', 'e', and 's'. + To match an exact literal string, use L{Literal} or L{Keyword}. + + pyparsing includes helper strings for building Words: + - L{alphas} + - L{nums} + - L{alphanums} + - L{hexnums} + - L{alphas8bit} (alphabetic characters in ASCII range 128-255 - accented, tilded, umlauted, etc.) + - L{punc8bit} (non-alphabetic characters in ASCII range 128-255 - currency, symbols, superscripts, diacriticals, etc.) + - L{printables} (any non-whitespace character) + + Example:: + # a word composed of digits + integer = Word(nums) # equivalent to Word("0123456789") or Word(srange("0-9")) + + # a word with a leading capital, and zero or more lowercase + capital_word = Word(alphas.upper(), alphas.lower()) + + # hostnames are alphanumeric, with leading alpha, and '-' + hostname = Word(alphas, alphanums+'-') + + # roman numeral (not a strict parser, accepts invalid mix of characters) + roman = Word("IVXLCDM") + + # any string of non-whitespace characters, except for ',' + csv_value = Word(printables, excludeChars=",") + """ + def __init__( self, initChars, bodyChars=None, min=1, max=0, exact=0, asKeyword=False, excludeChars=None ): + super(Word,self).__init__() + if excludeChars: + initChars = ''.join(c for c in initChars if c not in excludeChars) + if bodyChars: + bodyChars = ''.join(c for c in bodyChars if c not in excludeChars) + self.initCharsOrig = initChars + self.initChars = set(initChars) + if bodyChars : + self.bodyCharsOrig = bodyChars + self.bodyChars = set(bodyChars) + else: + self.bodyCharsOrig = initChars + self.bodyChars = set(initChars) + + self.maxSpecified = max > 0 + + if min < 1: + raise ValueError("cannot specify a minimum length < 1; use Optional(Word()) if zero-length word is permitted") + + self.minLen = min + + if max > 0: + self.maxLen = max + else: + self.maxLen = _MAX_INT + + if exact > 0: + self.maxLen = exact + self.minLen = exact + + self.name = _ustr(self) + self.errmsg = "Expected " + self.name + self.mayIndexError = False + self.asKeyword = asKeyword + + if ' ' not in self.initCharsOrig+self.bodyCharsOrig and (min==1 and max==0 and exact==0): + if self.bodyCharsOrig == self.initCharsOrig: + self.reString = "[%s]+" % _escapeRegexRangeChars(self.initCharsOrig) + elif len(self.initCharsOrig) == 1: + self.reString = "%s[%s]*" % \ + (re.escape(self.initCharsOrig), + _escapeRegexRangeChars(self.bodyCharsOrig),) + else: + self.reString = "[%s][%s]*" % \ + (_escapeRegexRangeChars(self.initCharsOrig), + _escapeRegexRangeChars(self.bodyCharsOrig),) + if self.asKeyword: + self.reString = r"\b"+self.reString+r"\b" + try: + self.re = re.compile( self.reString ) + except Exception: + self.re = None + + def parseImpl( self, instring, loc, doActions=True ): + if self.re: + result = self.re.match(instring,loc) + if not result: + raise ParseException(instring, loc, self.errmsg, self) + + loc = result.end() + return loc, result.group() + + if not(instring[ loc ] in self.initChars): + raise ParseException(instring, loc, self.errmsg, self) + + start = loc + loc += 1 + instrlen = len(instring) + bodychars = self.bodyChars + maxloc = start + self.maxLen + maxloc = min( maxloc, instrlen ) + while loc < maxloc and instring[loc] in bodychars: + loc += 1 + + throwException = False + if loc - start < self.minLen: + throwException = True + if self.maxSpecified and loc < instrlen and instring[loc] in bodychars: + throwException = True + if self.asKeyword: + if (start>0 and instring[start-1] in bodychars) or (loc<instrlen and instring[loc] in bodychars): + throwException = True + + if throwException: + raise ParseException(instring, loc, self.errmsg, self) + + return loc, instring[start:loc] + + def __str__( self ): + try: + return super(Word,self).__str__() + except Exception: + pass + + + if self.strRepr is None: + + def charsAsStr(s): + if len(s)>4: + return s[:4]+"..." + else: + return s + + if ( self.initCharsOrig != self.bodyCharsOrig ): + self.strRepr = "W:(%s,%s)" % ( charsAsStr(self.initCharsOrig), charsAsStr(self.bodyCharsOrig) ) + else: + self.strRepr = "W:(%s)" % charsAsStr(self.initCharsOrig) + + return self.strRepr + + +class Regex(Token): + r""" + Token for matching strings that match a given regular expression. + Defined with string specifying the regular expression in a form recognized by the inbuilt Python re module. + If the given regex contains named groups (defined using C{(?P<name>...)}), these will be preserved as + named parse results. + + Example:: + realnum = Regex(r"[+-]?\d+\.\d*") + date = Regex(r'(?P<year>\d{4})-(?P<month>\d\d?)-(?P<day>\d\d?)') + # ref: http://stackoverflow.com/questions/267399/how-do-you-match-only-valid-roman-numerals-with-a-regular-expression + roman = Regex(r"M{0,4}(CM|CD|D?C{0,3})(XC|XL|L?X{0,3})(IX|IV|V?I{0,3})") + """ + compiledREtype = type(re.compile("[A-Z]")) + def __init__( self, pattern, flags=0): + """The parameters C{pattern} and C{flags} are passed to the C{re.compile()} function as-is. See the Python C{re} module for an explanation of the acceptable patterns and flags.""" + super(Regex,self).__init__() + + if isinstance(pattern, basestring): + if not pattern: + warnings.warn("null string passed to Regex; use Empty() instead", + SyntaxWarning, stacklevel=2) + + self.pattern = pattern + self.flags = flags + + try: + self.re = re.compile(self.pattern, self.flags) + self.reString = self.pattern + except sre_constants.error: + warnings.warn("invalid pattern (%s) passed to Regex" % pattern, + SyntaxWarning, stacklevel=2) + raise + + elif isinstance(pattern, Regex.compiledREtype): + self.re = pattern + self.pattern = \ + self.reString = str(pattern) + self.flags = flags + + else: + raise ValueError("Regex may only be constructed with a string or a compiled RE object") + + self.name = _ustr(self) + self.errmsg = "Expected " + self.name + self.mayIndexError = False + self.mayReturnEmpty = True + + def parseImpl( self, instring, loc, doActions=True ): + result = self.re.match(instring,loc) + if not result: + raise ParseException(instring, loc, self.errmsg, self) + + loc = result.end() + d = result.groupdict() + ret = ParseResults(result.group()) + if d: + for k in d: + ret[k] = d[k] + return loc,ret + + def __str__( self ): + try: + return super(Regex,self).__str__() + except Exception: + pass + + if self.strRepr is None: + self.strRepr = "Re:(%s)" % repr(self.pattern) + + return self.strRepr + + +class QuotedString(Token): + r""" + Token for matching strings that are delimited by quoting characters. + + Defined with the following parameters: + - quoteChar - string of one or more characters defining the quote delimiting string + - escChar - character to escape quotes, typically backslash (default=C{None}) + - escQuote - special quote sequence to escape an embedded quote string (such as SQL's "" to escape an embedded ") (default=C{None}) + - multiline - boolean indicating whether quotes can span multiple lines (default=C{False}) + - unquoteResults - boolean indicating whether the matched text should be unquoted (default=C{True}) + - endQuoteChar - string of one or more characters defining the end of the quote delimited string (default=C{None} => same as quoteChar) + - convertWhitespaceEscapes - convert escaped whitespace (C{'\t'}, C{'\n'}, etc.) to actual whitespace (default=C{True}) + + Example:: + qs = QuotedString('"') + print(qs.searchString('lsjdf "This is the quote" sldjf')) + complex_qs = QuotedString('{{', endQuoteChar='}}') + print(complex_qs.searchString('lsjdf {{This is the "quote"}} sldjf')) + sql_qs = QuotedString('"', escQuote='""') + print(sql_qs.searchString('lsjdf "This is the quote with ""embedded"" quotes" sldjf')) + prints:: + [['This is the quote']] + [['This is the "quote"']] + [['This is the quote with "embedded" quotes']] + """ + def __init__( self, quoteChar, escChar=None, escQuote=None, multiline=False, unquoteResults=True, endQuoteChar=None, convertWhitespaceEscapes=True): + super(QuotedString,self).__init__() + + # remove white space from quote chars - wont work anyway + quoteChar = quoteChar.strip() + if not quoteChar: + warnings.warn("quoteChar cannot be the empty string",SyntaxWarning,stacklevel=2) + raise SyntaxError() + + if endQuoteChar is None: + endQuoteChar = quoteChar + else: + endQuoteChar = endQuoteChar.strip() + if not endQuoteChar: + warnings.warn("endQuoteChar cannot be the empty string",SyntaxWarning,stacklevel=2) + raise SyntaxError() + + self.quoteChar = quoteChar + self.quoteCharLen = len(quoteChar) + self.firstQuoteChar = quoteChar[0] + self.endQuoteChar = endQuoteChar + self.endQuoteCharLen = len(endQuoteChar) + self.escChar = escChar + self.escQuote = escQuote + self.unquoteResults = unquoteResults + self.convertWhitespaceEscapes = convertWhitespaceEscapes + + if multiline: + self.flags = re.MULTILINE | re.DOTALL + self.pattern = r'%s(?:[^%s%s]' % \ + ( re.escape(self.quoteChar), + _escapeRegexRangeChars(self.endQuoteChar[0]), + (escChar is not None and _escapeRegexRangeChars(escChar) or '') ) + else: + self.flags = 0 + self.pattern = r'%s(?:[^%s\n\r%s]' % \ + ( re.escape(self.quoteChar), + _escapeRegexRangeChars(self.endQuoteChar[0]), + (escChar is not None and _escapeRegexRangeChars(escChar) or '') ) + if len(self.endQuoteChar) > 1: + self.pattern += ( + '|(?:' + ')|(?:'.join("%s[^%s]" % (re.escape(self.endQuoteChar[:i]), + _escapeRegexRangeChars(self.endQuoteChar[i])) + for i in range(len(self.endQuoteChar)-1,0,-1)) + ')' + ) + if escQuote: + self.pattern += (r'|(?:%s)' % re.escape(escQuote)) + if escChar: + self.pattern += (r'|(?:%s.)' % re.escape(escChar)) + self.escCharReplacePattern = re.escape(self.escChar)+"(.)" + self.pattern += (r')*%s' % re.escape(self.endQuoteChar)) + + try: + self.re = re.compile(self.pattern, self.flags) + self.reString = self.pattern + except sre_constants.error: + warnings.warn("invalid pattern (%s) passed to Regex" % self.pattern, + SyntaxWarning, stacklevel=2) + raise + + self.name = _ustr(self) + self.errmsg = "Expected " + self.name + self.mayIndexError = False + self.mayReturnEmpty = True + + def parseImpl( self, instring, loc, doActions=True ): + result = instring[loc] == self.firstQuoteChar and self.re.match(instring,loc) or None + if not result: + raise ParseException(instring, loc, self.errmsg, self) + + loc = result.end() + ret = result.group() + + if self.unquoteResults: + + # strip off quotes + ret = ret[self.quoteCharLen:-self.endQuoteCharLen] + + if isinstance(ret,basestring): + # replace escaped whitespace + if '\\' in ret and self.convertWhitespaceEscapes: + ws_map = { + r'\t' : '\t', + r'\n' : '\n', + r'\f' : '\f', + r'\r' : '\r', + } + for wslit,wschar in ws_map.items(): + ret = ret.replace(wslit, wschar) + + # replace escaped characters + if self.escChar: + ret = re.sub(self.escCharReplacePattern, r"\g<1>", ret) + + # replace escaped quotes + if self.escQuote: + ret = ret.replace(self.escQuote, self.endQuoteChar) + + return loc, ret + + def __str__( self ): + try: + return super(QuotedString,self).__str__() + except Exception: + pass + + if self.strRepr is None: + self.strRepr = "quoted string, starting with %s ending with %s" % (self.quoteChar, self.endQuoteChar) + + return self.strRepr + + +class CharsNotIn(Token): + """ + Token for matching words composed of characters I{not} in a given set (will + include whitespace in matched characters if not listed in the provided exclusion set - see example). + Defined with string containing all disallowed characters, and an optional + minimum, maximum, and/or exact length. The default value for C{min} is 1 (a + minimum value < 1 is not valid); the default values for C{max} and C{exact} + are 0, meaning no maximum or exact length restriction. + + Example:: + # define a comma-separated-value as anything that is not a ',' + csv_value = CharsNotIn(',') + print(delimitedList(csv_value).parseString("dkls,lsdkjf,s12 34,@!#,213")) + prints:: + ['dkls', 'lsdkjf', 's12 34', '@!#', '213'] + """ + def __init__( self, notChars, min=1, max=0, exact=0 ): + super(CharsNotIn,self).__init__() + self.skipWhitespace = False + self.notChars = notChars + + if min < 1: + raise ValueError("cannot specify a minimum length < 1; use Optional(CharsNotIn()) if zero-length char group is permitted") + + self.minLen = min + + if max > 0: + self.maxLen = max + else: + self.maxLen = _MAX_INT + + if exact > 0: + self.maxLen = exact + self.minLen = exact + + self.name = _ustr(self) + self.errmsg = "Expected " + self.name + self.mayReturnEmpty = ( self.minLen == 0 ) + self.mayIndexError = False + + def parseImpl( self, instring, loc, doActions=True ): + if instring[loc] in self.notChars: + raise ParseException(instring, loc, self.errmsg, self) + + start = loc + loc += 1 + notchars = self.notChars + maxlen = min( start+self.maxLen, len(instring) ) + while loc < maxlen and \ + (instring[loc] not in notchars): + loc += 1 + + if loc - start < self.minLen: + raise ParseException(instring, loc, self.errmsg, self) + + return loc, instring[start:loc] + + def __str__( self ): + try: + return super(CharsNotIn, self).__str__() + except Exception: + pass + + if self.strRepr is None: + if len(self.notChars) > 4: + self.strRepr = "!W:(%s...)" % self.notChars[:4] + else: + self.strRepr = "!W:(%s)" % self.notChars + + return self.strRepr + +class White(Token): + """ + Special matching class for matching whitespace. Normally, whitespace is ignored + by pyparsing grammars. This class is included when some whitespace structures + are significant. Define with a string containing the whitespace characters to be + matched; default is C{" \\t\\r\\n"}. Also takes optional C{min}, C{max}, and C{exact} arguments, + as defined for the C{L{Word}} class. + """ + whiteStrs = { + " " : "<SPC>", + "\t": "<TAB>", + "\n": "<LF>", + "\r": "<CR>", + "\f": "<FF>", + } + def __init__(self, ws=" \t\r\n", min=1, max=0, exact=0): + super(White,self).__init__() + self.matchWhite = ws + self.setWhitespaceChars( "".join(c for c in self.whiteChars if c not in self.matchWhite) ) + #~ self.leaveWhitespace() + self.name = ("".join(White.whiteStrs[c] for c in self.matchWhite)) + self.mayReturnEmpty = True + self.errmsg = "Expected " + self.name + + self.minLen = min + + if max > 0: + self.maxLen = max + else: + self.maxLen = _MAX_INT + + if exact > 0: + self.maxLen = exact + self.minLen = exact + + def parseImpl( self, instring, loc, doActions=True ): + if not(instring[ loc ] in self.matchWhite): + raise ParseException(instring, loc, self.errmsg, self) + start = loc + loc += 1 + maxloc = start + self.maxLen + maxloc = min( maxloc, len(instring) ) + while loc < maxloc and instring[loc] in self.matchWhite: + loc += 1 + + if loc - start < self.minLen: + raise ParseException(instring, loc, self.errmsg, self) + + return loc, instring[start:loc] + + +class _PositionToken(Token): + def __init__( self ): + super(_PositionToken,self).__init__() + self.name=self.__class__.__name__ + self.mayReturnEmpty = True + self.mayIndexError = False + +class GoToColumn(_PositionToken): + """ + Token to advance to a specific column of input text; useful for tabular report scraping. + """ + def __init__( self, colno ): + super(GoToColumn,self).__init__() + self.col = colno + + def preParse( self, instring, loc ): + if col(loc,instring) != self.col: + instrlen = len(instring) + if self.ignoreExprs: + loc = self._skipIgnorables( instring, loc ) + while loc < instrlen and instring[loc].isspace() and col( loc, instring ) != self.col : + loc += 1 + return loc + + def parseImpl( self, instring, loc, doActions=True ): + thiscol = col( loc, instring ) + if thiscol > self.col: + raise ParseException( instring, loc, "Text not in expected column", self ) + newloc = loc + self.col - thiscol + ret = instring[ loc: newloc ] + return newloc, ret + + +class LineStart(_PositionToken): + """ + Matches if current position is at the beginning of a line within the parse string + + Example:: + + test = '''\ + AAA this line + AAA and this line + AAA but not this one + B AAA and definitely not this one + ''' + + for t in (LineStart() + 'AAA' + restOfLine).searchString(test): + print(t) + + Prints:: + ['AAA', ' this line'] + ['AAA', ' and this line'] + + """ + def __init__( self ): + super(LineStart,self).__init__() + self.errmsg = "Expected start of line" + + def parseImpl( self, instring, loc, doActions=True ): + if col(loc, instring) == 1: + return loc, [] + raise ParseException(instring, loc, self.errmsg, self) + +class LineEnd(_PositionToken): + """ + Matches if current position is at the end of a line within the parse string + """ + def __init__( self ): + super(LineEnd,self).__init__() + self.setWhitespaceChars( ParserElement.DEFAULT_WHITE_CHARS.replace("\n","") ) + self.errmsg = "Expected end of line" + + def parseImpl( self, instring, loc, doActions=True ): + if loc<len(instring): + if instring[loc] == "\n": + return loc+1, "\n" + else: + raise ParseException(instring, loc, self.errmsg, self) + elif loc == len(instring): + return loc+1, [] + else: + raise ParseException(instring, loc, self.errmsg, self) + +class StringStart(_PositionToken): + """ + Matches if current position is at the beginning of the parse string + """ + def __init__( self ): + super(StringStart,self).__init__() + self.errmsg = "Expected start of text" + + def parseImpl( self, instring, loc, doActions=True ): + if loc != 0: + # see if entire string up to here is just whitespace and ignoreables + if loc != self.preParse( instring, 0 ): + raise ParseException(instring, loc, self.errmsg, self) + return loc, [] + +class StringEnd(_PositionToken): + """ + Matches if current position is at the end of the parse string + """ + def __init__( self ): + super(StringEnd,self).__init__() + self.errmsg = "Expected end of text" + + def parseImpl( self, instring, loc, doActions=True ): + if loc < len(instring): + raise ParseException(instring, loc, self.errmsg, self) + elif loc == len(instring): + return loc+1, [] + elif loc > len(instring): + return loc, [] + else: + raise ParseException(instring, loc, self.errmsg, self) + +class WordStart(_PositionToken): + """ + Matches if the current position is at the beginning of a Word, and + is not preceded by any character in a given set of C{wordChars} + (default=C{printables}). To emulate the C{\b} behavior of regular expressions, + use C{WordStart(alphanums)}. C{WordStart} will also match at the beginning of + the string being parsed, or at the beginning of a line. + """ + def __init__(self, wordChars = printables): + super(WordStart,self).__init__() + self.wordChars = set(wordChars) + self.errmsg = "Not at the start of a word" + + def parseImpl(self, instring, loc, doActions=True ): + if loc != 0: + if (instring[loc-1] in self.wordChars or + instring[loc] not in self.wordChars): + raise ParseException(instring, loc, self.errmsg, self) + return loc, [] + +class WordEnd(_PositionToken): + """ + Matches if the current position is at the end of a Word, and + is not followed by any character in a given set of C{wordChars} + (default=C{printables}). To emulate the C{\b} behavior of regular expressions, + use C{WordEnd(alphanums)}. C{WordEnd} will also match at the end of + the string being parsed, or at the end of a line. + """ + def __init__(self, wordChars = printables): + super(WordEnd,self).__init__() + self.wordChars = set(wordChars) + self.skipWhitespace = False + self.errmsg = "Not at the end of a word" + + def parseImpl(self, instring, loc, doActions=True ): + instrlen = len(instring) + if instrlen>0 and loc<instrlen: + if (instring[loc] in self.wordChars or + instring[loc-1] not in self.wordChars): + raise ParseException(instring, loc, self.errmsg, self) + return loc, [] + + +class ParseExpression(ParserElement): + """ + Abstract subclass of ParserElement, for combining and post-processing parsed tokens. + """ + def __init__( self, exprs, savelist = False ): + super(ParseExpression,self).__init__(savelist) + if isinstance( exprs, _generatorType ): + exprs = list(exprs) + + if isinstance( exprs, basestring ): + self.exprs = [ ParserElement._literalStringClass( exprs ) ] + elif isinstance( exprs, Iterable ): + exprs = list(exprs) + # if sequence of strings provided, wrap with Literal + if all(isinstance(expr, basestring) for expr in exprs): + exprs = map(ParserElement._literalStringClass, exprs) + self.exprs = list(exprs) + else: + try: + self.exprs = list( exprs ) + except TypeError: + self.exprs = [ exprs ] + self.callPreparse = False + + def __getitem__( self, i ): + return self.exprs[i] + + def append( self, other ): + self.exprs.append( other ) + self.strRepr = None + return self + + def leaveWhitespace( self ): + """Extends C{leaveWhitespace} defined in base class, and also invokes C{leaveWhitespace} on + all contained expressions.""" + self.skipWhitespace = False + self.exprs = [ e.copy() for e in self.exprs ] + for e in self.exprs: + e.leaveWhitespace() + return self + + def ignore( self, other ): + if isinstance( other, Suppress ): + if other not in self.ignoreExprs: + super( ParseExpression, self).ignore( other ) + for e in self.exprs: + e.ignore( self.ignoreExprs[-1] ) + else: + super( ParseExpression, self).ignore( other ) + for e in self.exprs: + e.ignore( self.ignoreExprs[-1] ) + return self + + def __str__( self ): + try: + return super(ParseExpression,self).__str__() + except Exception: + pass + + if self.strRepr is None: + self.strRepr = "%s:(%s)" % ( self.__class__.__name__, _ustr(self.exprs) ) + return self.strRepr + + def streamline( self ): + super(ParseExpression,self).streamline() + + for e in self.exprs: + e.streamline() + + # collapse nested And's of the form And( And( And( a,b), c), d) to And( a,b,c,d ) + # but only if there are no parse actions or resultsNames on the nested And's + # (likewise for Or's and MatchFirst's) + if ( len(self.exprs) == 2 ): + other = self.exprs[0] + if ( isinstance( other, self.__class__ ) and + not(other.parseAction) and + other.resultsName is None and + not other.debug ): + self.exprs = other.exprs[:] + [ self.exprs[1] ] + self.strRepr = None + self.mayReturnEmpty |= other.mayReturnEmpty + self.mayIndexError |= other.mayIndexError + + other = self.exprs[-1] + if ( isinstance( other, self.__class__ ) and + not(other.parseAction) and + other.resultsName is None and + not other.debug ): + self.exprs = self.exprs[:-1] + other.exprs[:] + self.strRepr = None + self.mayReturnEmpty |= other.mayReturnEmpty + self.mayIndexError |= other.mayIndexError + + self.errmsg = "Expected " + _ustr(self) + + return self + + def setResultsName( self, name, listAllMatches=False ): + ret = super(ParseExpression,self).setResultsName(name,listAllMatches) + return ret + + def validate( self, validateTrace=[] ): + tmp = validateTrace[:]+[self] + for e in self.exprs: + e.validate(tmp) + self.checkRecursion( [] ) + + def copy(self): + ret = super(ParseExpression,self).copy() + ret.exprs = [e.copy() for e in self.exprs] + return ret + +class And(ParseExpression): + """ + Requires all given C{ParseExpression}s to be found in the given order. + Expressions may be separated by whitespace. + May be constructed using the C{'+'} operator. + May also be constructed using the C{'-'} operator, which will suppress backtracking. + + Example:: + integer = Word(nums) + name_expr = OneOrMore(Word(alphas)) + + expr = And([integer("id"),name_expr("name"),integer("age")]) + # more easily written as: + expr = integer("id") + name_expr("name") + integer("age") + """ + + class _ErrorStop(Empty): + def __init__(self, *args, **kwargs): + super(And._ErrorStop,self).__init__(*args, **kwargs) + self.name = '-' + self.leaveWhitespace() + + def __init__( self, exprs, savelist = True ): + super(And,self).__init__(exprs, savelist) + self.mayReturnEmpty = all(e.mayReturnEmpty for e in self.exprs) + self.setWhitespaceChars( self.exprs[0].whiteChars ) + self.skipWhitespace = self.exprs[0].skipWhitespace + self.callPreparse = True + + def parseImpl( self, instring, loc, doActions=True ): + # pass False as last arg to _parse for first element, since we already + # pre-parsed the string as part of our And pre-parsing + loc, resultlist = self.exprs[0]._parse( instring, loc, doActions, callPreParse=False ) + errorStop = False + for e in self.exprs[1:]: + if isinstance(e, And._ErrorStop): + errorStop = True + continue + if errorStop: + try: + loc, exprtokens = e._parse( instring, loc, doActions ) + except ParseSyntaxException: + raise + except ParseBaseException as pe: + pe.__traceback__ = None + raise ParseSyntaxException._from_exception(pe) + except IndexError: + raise ParseSyntaxException(instring, len(instring), self.errmsg, self) + else: + loc, exprtokens = e._parse( instring, loc, doActions ) + if exprtokens or exprtokens.haskeys(): + resultlist += exprtokens + return loc, resultlist + + def __iadd__(self, other ): + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + return self.append( other ) #And( [ self, other ] ) + + def checkRecursion( self, parseElementList ): + subRecCheckList = parseElementList[:] + [ self ] + for e in self.exprs: + e.checkRecursion( subRecCheckList ) + if not e.mayReturnEmpty: + break + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + " ".join(_ustr(e) for e in self.exprs) + "}" + + return self.strRepr + + +class Or(ParseExpression): + """ + Requires that at least one C{ParseExpression} is found. + If two expressions match, the expression that matches the longest string will be used. + May be constructed using the C{'^'} operator. + + Example:: + # construct Or using '^' operator + + number = Word(nums) ^ Combine(Word(nums) + '.' + Word(nums)) + print(number.searchString("123 3.1416 789")) + prints:: + [['123'], ['3.1416'], ['789']] + """ + def __init__( self, exprs, savelist = False ): + super(Or,self).__init__(exprs, savelist) + if self.exprs: + self.mayReturnEmpty = any(e.mayReturnEmpty for e in self.exprs) + else: + self.mayReturnEmpty = True + + def parseImpl( self, instring, loc, doActions=True ): + maxExcLoc = -1 + maxException = None + matches = [] + for e in self.exprs: + try: + loc2 = e.tryParse( instring, loc ) + except ParseException as err: + err.__traceback__ = None + if err.loc > maxExcLoc: + maxException = err + maxExcLoc = err.loc + except IndexError: + if len(instring) > maxExcLoc: + maxException = ParseException(instring,len(instring),e.errmsg,self) + maxExcLoc = len(instring) + else: + # save match among all matches, to retry longest to shortest + matches.append((loc2, e)) + + if matches: + matches.sort(key=lambda x: -x[0]) + for _,e in matches: + try: + return e._parse( instring, loc, doActions ) + except ParseException as err: + err.__traceback__ = None + if err.loc > maxExcLoc: + maxException = err + maxExcLoc = err.loc + + if maxException is not None: + maxException.msg = self.errmsg + raise maxException + else: + raise ParseException(instring, loc, "no defined alternatives to match", self) + + + def __ixor__(self, other ): + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + return self.append( other ) #Or( [ self, other ] ) + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + " ^ ".join(_ustr(e) for e in self.exprs) + "}" + + return self.strRepr + + def checkRecursion( self, parseElementList ): + subRecCheckList = parseElementList[:] + [ self ] + for e in self.exprs: + e.checkRecursion( subRecCheckList ) + + +class MatchFirst(ParseExpression): + """ + Requires that at least one C{ParseExpression} is found. + If two expressions match, the first one listed is the one that will match. + May be constructed using the C{'|'} operator. + + Example:: + # construct MatchFirst using '|' operator + + # watch the order of expressions to match + number = Word(nums) | Combine(Word(nums) + '.' + Word(nums)) + print(number.searchString("123 3.1416 789")) # Fail! -> [['123'], ['3'], ['1416'], ['789']] + + # put more selective expression first + number = Combine(Word(nums) + '.' + Word(nums)) | Word(nums) + print(number.searchString("123 3.1416 789")) # Better -> [['123'], ['3.1416'], ['789']] + """ + def __init__( self, exprs, savelist = False ): + super(MatchFirst,self).__init__(exprs, savelist) + if self.exprs: + self.mayReturnEmpty = any(e.mayReturnEmpty for e in self.exprs) + else: + self.mayReturnEmpty = True + + def parseImpl( self, instring, loc, doActions=True ): + maxExcLoc = -1 + maxException = None + for e in self.exprs: + try: + ret = e._parse( instring, loc, doActions ) + return ret + except ParseException as err: + if err.loc > maxExcLoc: + maxException = err + maxExcLoc = err.loc + except IndexError: + if len(instring) > maxExcLoc: + maxException = ParseException(instring,len(instring),e.errmsg,self) + maxExcLoc = len(instring) + + # only got here if no expression matched, raise exception for match that made it the furthest + else: + if maxException is not None: + maxException.msg = self.errmsg + raise maxException + else: + raise ParseException(instring, loc, "no defined alternatives to match", self) + + def __ior__(self, other ): + if isinstance( other, basestring ): + other = ParserElement._literalStringClass( other ) + return self.append( other ) #MatchFirst( [ self, other ] ) + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + " | ".join(_ustr(e) for e in self.exprs) + "}" + + return self.strRepr + + def checkRecursion( self, parseElementList ): + subRecCheckList = parseElementList[:] + [ self ] + for e in self.exprs: + e.checkRecursion( subRecCheckList ) + + +class Each(ParseExpression): + """ + Requires all given C{ParseExpression}s to be found, but in any order. + Expressions may be separated by whitespace. + May be constructed using the C{'&'} operator. + + Example:: + color = oneOf("RED ORANGE YELLOW GREEN BLUE PURPLE BLACK WHITE BROWN") + shape_type = oneOf("SQUARE CIRCLE TRIANGLE STAR HEXAGON OCTAGON") + integer = Word(nums) + shape_attr = "shape:" + shape_type("shape") + posn_attr = "posn:" + Group(integer("x") + ',' + integer("y"))("posn") + color_attr = "color:" + color("color") + size_attr = "size:" + integer("size") + + # use Each (using operator '&') to accept attributes in any order + # (shape and posn are required, color and size are optional) + shape_spec = shape_attr & posn_attr & Optional(color_attr) & Optional(size_attr) + + shape_spec.runTests(''' + shape: SQUARE color: BLACK posn: 100, 120 + shape: CIRCLE size: 50 color: BLUE posn: 50,80 + color:GREEN size:20 shape:TRIANGLE posn:20,40 + ''' + ) + prints:: + shape: SQUARE color: BLACK posn: 100, 120 + ['shape:', 'SQUARE', 'color:', 'BLACK', 'posn:', ['100', ',', '120']] + - color: BLACK + - posn: ['100', ',', '120'] + - x: 100 + - y: 120 + - shape: SQUARE + + + shape: CIRCLE size: 50 color: BLUE posn: 50,80 + ['shape:', 'CIRCLE', 'size:', '50', 'color:', 'BLUE', 'posn:', ['50', ',', '80']] + - color: BLUE + - posn: ['50', ',', '80'] + - x: 50 + - y: 80 + - shape: CIRCLE + - size: 50 + + + color: GREEN size: 20 shape: TRIANGLE posn: 20,40 + ['color:', 'GREEN', 'size:', '20', 'shape:', 'TRIANGLE', 'posn:', ['20', ',', '40']] + - color: GREEN + - posn: ['20', ',', '40'] + - x: 20 + - y: 40 + - shape: TRIANGLE + - size: 20 + """ + def __init__( self, exprs, savelist = True ): + super(Each,self).__init__(exprs, savelist) + self.mayReturnEmpty = all(e.mayReturnEmpty for e in self.exprs) + self.skipWhitespace = True + self.initExprGroups = True + + def parseImpl( self, instring, loc, doActions=True ): + if self.initExprGroups: + self.opt1map = dict((id(e.expr),e) for e in self.exprs if isinstance(e,Optional)) + opt1 = [ e.expr for e in self.exprs if isinstance(e,Optional) ] + opt2 = [ e for e in self.exprs if e.mayReturnEmpty and not isinstance(e,Optional)] + self.optionals = opt1 + opt2 + self.multioptionals = [ e.expr for e in self.exprs if isinstance(e,ZeroOrMore) ] + self.multirequired = [ e.expr for e in self.exprs if isinstance(e,OneOrMore) ] + self.required = [ e for e in self.exprs if not isinstance(e,(Optional,ZeroOrMore,OneOrMore)) ] + self.required += self.multirequired + self.initExprGroups = False + tmpLoc = loc + tmpReqd = self.required[:] + tmpOpt = self.optionals[:] + matchOrder = [] + + keepMatching = True + while keepMatching: + tmpExprs = tmpReqd + tmpOpt + self.multioptionals + self.multirequired + failed = [] + for e in tmpExprs: + try: + tmpLoc = e.tryParse( instring, tmpLoc ) + except ParseException: + failed.append(e) + else: + matchOrder.append(self.opt1map.get(id(e),e)) + if e in tmpReqd: + tmpReqd.remove(e) + elif e in tmpOpt: + tmpOpt.remove(e) + if len(failed) == len(tmpExprs): + keepMatching = False + + if tmpReqd: + missing = ", ".join(_ustr(e) for e in tmpReqd) + raise ParseException(instring,loc,"Missing one or more required elements (%s)" % missing ) + + # add any unmatched Optionals, in case they have default values defined + matchOrder += [e for e in self.exprs if isinstance(e,Optional) and e.expr in tmpOpt] + + resultlist = [] + for e in matchOrder: + loc,results = e._parse(instring,loc,doActions) + resultlist.append(results) + + finalResults = sum(resultlist, ParseResults([])) + return loc, finalResults + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + " & ".join(_ustr(e) for e in self.exprs) + "}" + + return self.strRepr + + def checkRecursion( self, parseElementList ): + subRecCheckList = parseElementList[:] + [ self ] + for e in self.exprs: + e.checkRecursion( subRecCheckList ) + + +class ParseElementEnhance(ParserElement): + """ + Abstract subclass of C{ParserElement}, for combining and post-processing parsed tokens. + """ + def __init__( self, expr, savelist=False ): + super(ParseElementEnhance,self).__init__(savelist) + if isinstance( expr, basestring ): + if issubclass(ParserElement._literalStringClass, Token): + expr = ParserElement._literalStringClass(expr) + else: + expr = ParserElement._literalStringClass(Literal(expr)) + self.expr = expr + self.strRepr = None + if expr is not None: + self.mayIndexError = expr.mayIndexError + self.mayReturnEmpty = expr.mayReturnEmpty + self.setWhitespaceChars( expr.whiteChars ) + self.skipWhitespace = expr.skipWhitespace + self.saveAsList = expr.saveAsList + self.callPreparse = expr.callPreparse + self.ignoreExprs.extend(expr.ignoreExprs) + + def parseImpl( self, instring, loc, doActions=True ): + if self.expr is not None: + return self.expr._parse( instring, loc, doActions, callPreParse=False ) + else: + raise ParseException("",loc,self.errmsg,self) + + def leaveWhitespace( self ): + self.skipWhitespace = False + self.expr = self.expr.copy() + if self.expr is not None: + self.expr.leaveWhitespace() + return self + + def ignore( self, other ): + if isinstance( other, Suppress ): + if other not in self.ignoreExprs: + super( ParseElementEnhance, self).ignore( other ) + if self.expr is not None: + self.expr.ignore( self.ignoreExprs[-1] ) + else: + super( ParseElementEnhance, self).ignore( other ) + if self.expr is not None: + self.expr.ignore( self.ignoreExprs[-1] ) + return self + + def streamline( self ): + super(ParseElementEnhance,self).streamline() + if self.expr is not None: + self.expr.streamline() + return self + + def checkRecursion( self, parseElementList ): + if self in parseElementList: + raise RecursiveGrammarException( parseElementList+[self] ) + subRecCheckList = parseElementList[:] + [ self ] + if self.expr is not None: + self.expr.checkRecursion( subRecCheckList ) + + def validate( self, validateTrace=[] ): + tmp = validateTrace[:]+[self] + if self.expr is not None: + self.expr.validate(tmp) + self.checkRecursion( [] ) + + def __str__( self ): + try: + return super(ParseElementEnhance,self).__str__() + except Exception: + pass + + if self.strRepr is None and self.expr is not None: + self.strRepr = "%s:(%s)" % ( self.__class__.__name__, _ustr(self.expr) ) + return self.strRepr + + +class FollowedBy(ParseElementEnhance): + """ + Lookahead matching of the given parse expression. C{FollowedBy} + does I{not} advance the parsing position within the input string, it only + verifies that the specified parse expression matches at the current + position. C{FollowedBy} always returns a null token list. + + Example:: + # use FollowedBy to match a label only if it is followed by a ':' + data_word = Word(alphas) + label = data_word + FollowedBy(':') + attr_expr = Group(label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) + + OneOrMore(attr_expr).parseString("shape: SQUARE color: BLACK posn: upper left").pprint() + prints:: + [['shape', 'SQUARE'], ['color', 'BLACK'], ['posn', 'upper left']] + """ + def __init__( self, expr ): + super(FollowedBy,self).__init__(expr) + self.mayReturnEmpty = True + + def parseImpl( self, instring, loc, doActions=True ): + self.expr.tryParse( instring, loc ) + return loc, [] + + +class NotAny(ParseElementEnhance): + """ + Lookahead to disallow matching with the given parse expression. C{NotAny} + does I{not} advance the parsing position within the input string, it only + verifies that the specified parse expression does I{not} match at the current + position. Also, C{NotAny} does I{not} skip over leading whitespace. C{NotAny} + always returns a null token list. May be constructed using the '~' operator. + + Example:: + + """ + def __init__( self, expr ): + super(NotAny,self).__init__(expr) + #~ self.leaveWhitespace() + self.skipWhitespace = False # do NOT use self.leaveWhitespace(), don't want to propagate to exprs + self.mayReturnEmpty = True + self.errmsg = "Found unwanted token, "+_ustr(self.expr) + + def parseImpl( self, instring, loc, doActions=True ): + if self.expr.canParseNext(instring, loc): + raise ParseException(instring, loc, self.errmsg, self) + return loc, [] + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "~{" + _ustr(self.expr) + "}" + + return self.strRepr + +class _MultipleMatch(ParseElementEnhance): + def __init__( self, expr, stopOn=None): + super(_MultipleMatch, self).__init__(expr) + self.saveAsList = True + ender = stopOn + if isinstance(ender, basestring): + ender = ParserElement._literalStringClass(ender) + self.not_ender = ~ender if ender is not None else None + + def parseImpl( self, instring, loc, doActions=True ): + self_expr_parse = self.expr._parse + self_skip_ignorables = self._skipIgnorables + check_ender = self.not_ender is not None + if check_ender: + try_not_ender = self.not_ender.tryParse + + # must be at least one (but first see if we are the stopOn sentinel; + # if so, fail) + if check_ender: + try_not_ender(instring, loc) + loc, tokens = self_expr_parse( instring, loc, doActions, callPreParse=False ) + try: + hasIgnoreExprs = (not not self.ignoreExprs) + while 1: + if check_ender: + try_not_ender(instring, loc) + if hasIgnoreExprs: + preloc = self_skip_ignorables( instring, loc ) + else: + preloc = loc + loc, tmptokens = self_expr_parse( instring, preloc, doActions ) + if tmptokens or tmptokens.haskeys(): + tokens += tmptokens + except (ParseException,IndexError): + pass + + return loc, tokens + +class OneOrMore(_MultipleMatch): + """ + Repetition of one or more of the given expression. + + Parameters: + - expr - expression that must match one or more times + - stopOn - (default=C{None}) - expression for a terminating sentinel + (only required if the sentinel would ordinarily match the repetition + expression) + + Example:: + data_word = Word(alphas) + label = data_word + FollowedBy(':') + attr_expr = Group(label + Suppress(':') + OneOrMore(data_word).setParseAction(' '.join)) + + text = "shape: SQUARE posn: upper left color: BLACK" + OneOrMore(attr_expr).parseString(text).pprint() # Fail! read 'color' as data instead of next label -> [['shape', 'SQUARE color']] + + # use stopOn attribute for OneOrMore to avoid reading label string as part of the data + attr_expr = Group(label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) + OneOrMore(attr_expr).parseString(text).pprint() # Better -> [['shape', 'SQUARE'], ['posn', 'upper left'], ['color', 'BLACK']] + + # could also be written as + (attr_expr * (1,)).parseString(text).pprint() + """ + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "{" + _ustr(self.expr) + "}..." + + return self.strRepr + +class ZeroOrMore(_MultipleMatch): + """ + Optional repetition of zero or more of the given expression. + + Parameters: + - expr - expression that must match zero or more times + - stopOn - (default=C{None}) - expression for a terminating sentinel + (only required if the sentinel would ordinarily match the repetition + expression) + + Example: similar to L{OneOrMore} + """ + def __init__( self, expr, stopOn=None): + super(ZeroOrMore,self).__init__(expr, stopOn=stopOn) + self.mayReturnEmpty = True + + def parseImpl( self, instring, loc, doActions=True ): + try: + return super(ZeroOrMore, self).parseImpl(instring, loc, doActions) + except (ParseException,IndexError): + return loc, [] + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "[" + _ustr(self.expr) + "]..." + + return self.strRepr + +class _NullToken(object): + def __bool__(self): + return False + __nonzero__ = __bool__ + def __str__(self): + return "" + +_optionalNotMatched = _NullToken() +class Optional(ParseElementEnhance): + """ + Optional matching of the given expression. + + Parameters: + - expr - expression that must match zero or more times + - default (optional) - value to be returned if the optional expression is not found. + + Example:: + # US postal code can be a 5-digit zip, plus optional 4-digit qualifier + zip = Combine(Word(nums, exact=5) + Optional('-' + Word(nums, exact=4))) + zip.runTests(''' + # traditional ZIP code + 12345 + + # ZIP+4 form + 12101-0001 + + # invalid ZIP + 98765- + ''') + prints:: + # traditional ZIP code + 12345 + ['12345'] + + # ZIP+4 form + 12101-0001 + ['12101-0001'] + + # invalid ZIP + 98765- + ^ + FAIL: Expected end of text (at char 5), (line:1, col:6) + """ + def __init__( self, expr, default=_optionalNotMatched ): + super(Optional,self).__init__( expr, savelist=False ) + self.saveAsList = self.expr.saveAsList + self.defaultValue = default + self.mayReturnEmpty = True + + def parseImpl( self, instring, loc, doActions=True ): + try: + loc, tokens = self.expr._parse( instring, loc, doActions, callPreParse=False ) + except (ParseException,IndexError): + if self.defaultValue is not _optionalNotMatched: + if self.expr.resultsName: + tokens = ParseResults([ self.defaultValue ]) + tokens[self.expr.resultsName] = self.defaultValue + else: + tokens = [ self.defaultValue ] + else: + tokens = [] + return loc, tokens + + def __str__( self ): + if hasattr(self,"name"): + return self.name + + if self.strRepr is None: + self.strRepr = "[" + _ustr(self.expr) + "]" + + return self.strRepr + +class SkipTo(ParseElementEnhance): + """ + Token for skipping over all undefined text until the matched expression is found. + + Parameters: + - expr - target expression marking the end of the data to be skipped + - include - (default=C{False}) if True, the target expression is also parsed + (the skipped text and target expression are returned as a 2-element list). + - ignore - (default=C{None}) used to define grammars (typically quoted strings and + comments) that might contain false matches to the target expression + - failOn - (default=C{None}) define expressions that are not allowed to be + included in the skipped test; if found before the target expression is found, + the SkipTo is not a match + + Example:: + report = ''' + Outstanding Issues Report - 1 Jan 2000 + + # | Severity | Description | Days Open + -----+----------+-------------------------------------------+----------- + 101 | Critical | Intermittent system crash | 6 + 94 | Cosmetic | Spelling error on Login ('log|n') | 14 + 79 | Minor | System slow when running too many reports | 47 + ''' + integer = Word(nums) + SEP = Suppress('|') + # use SkipTo to simply match everything up until the next SEP + # - ignore quoted strings, so that a '|' character inside a quoted string does not match + # - parse action will call token.strip() for each matched token, i.e., the description body + string_data = SkipTo(SEP, ignore=quotedString) + string_data.setParseAction(tokenMap(str.strip)) + ticket_expr = (integer("issue_num") + SEP + + string_data("sev") + SEP + + string_data("desc") + SEP + + integer("days_open")) + + for tkt in ticket_expr.searchString(report): + print tkt.dump() + prints:: + ['101', 'Critical', 'Intermittent system crash', '6'] + - days_open: 6 + - desc: Intermittent system crash + - issue_num: 101 + - sev: Critical + ['94', 'Cosmetic', "Spelling error on Login ('log|n')", '14'] + - days_open: 14 + - desc: Spelling error on Login ('log|n') + - issue_num: 94 + - sev: Cosmetic + ['79', 'Minor', 'System slow when running too many reports', '47'] + - days_open: 47 + - desc: System slow when running too many reports + - issue_num: 79 + - sev: Minor + """ + def __init__( self, other, include=False, ignore=None, failOn=None ): + super( SkipTo, self ).__init__( other ) + self.ignoreExpr = ignore + self.mayReturnEmpty = True + self.mayIndexError = False + self.includeMatch = include + self.asList = False + if isinstance(failOn, basestring): + self.failOn = ParserElement._literalStringClass(failOn) + else: + self.failOn = failOn + self.errmsg = "No match found for "+_ustr(self.expr) + + def parseImpl( self, instring, loc, doActions=True ): + startloc = loc + instrlen = len(instring) + expr = self.expr + expr_parse = self.expr._parse + self_failOn_canParseNext = self.failOn.canParseNext if self.failOn is not None else None + self_ignoreExpr_tryParse = self.ignoreExpr.tryParse if self.ignoreExpr is not None else None + + tmploc = loc + while tmploc <= instrlen: + if self_failOn_canParseNext is not None: + # break if failOn expression matches + if self_failOn_canParseNext(instring, tmploc): + break + + if self_ignoreExpr_tryParse is not None: + # advance past ignore expressions + while 1: + try: + tmploc = self_ignoreExpr_tryParse(instring, tmploc) + except ParseBaseException: + break + + try: + expr_parse(instring, tmploc, doActions=False, callPreParse=False) + except (ParseException, IndexError): + # no match, advance loc in string + tmploc += 1 + else: + # matched skipto expr, done + break + + else: + # ran off the end of the input string without matching skipto expr, fail + raise ParseException(instring, loc, self.errmsg, self) + + # build up return values + loc = tmploc + skiptext = instring[startloc:loc] + skipresult = ParseResults(skiptext) + + if self.includeMatch: + loc, mat = expr_parse(instring,loc,doActions,callPreParse=False) + skipresult += mat + + return loc, skipresult + +class Forward(ParseElementEnhance): + """ + Forward declaration of an expression to be defined later - + used for recursive grammars, such as algebraic infix notation. + When the expression is known, it is assigned to the C{Forward} variable using the '<<' operator. + + Note: take care when assigning to C{Forward} not to overlook precedence of operators. + Specifically, '|' has a lower precedence than '<<', so that:: + fwdExpr << a | b | c + will actually be evaluated as:: + (fwdExpr << a) | b | c + thereby leaving b and c out as parseable alternatives. It is recommended that you + explicitly group the values inserted into the C{Forward}:: + fwdExpr << (a | b | c) + Converting to use the '<<=' operator instead will avoid this problem. + + See L{ParseResults.pprint} for an example of a recursive parser created using + C{Forward}. + """ + def __init__( self, other=None ): + super(Forward,self).__init__( other, savelist=False ) + + def __lshift__( self, other ): + if isinstance( other, basestring ): + other = ParserElement._literalStringClass(other) + self.expr = other + self.strRepr = None + self.mayIndexError = self.expr.mayIndexError + self.mayReturnEmpty = self.expr.mayReturnEmpty + self.setWhitespaceChars( self.expr.whiteChars ) + self.skipWhitespace = self.expr.skipWhitespace + self.saveAsList = self.expr.saveAsList + self.ignoreExprs.extend(self.expr.ignoreExprs) + return self + + def __ilshift__(self, other): + return self << other + + def leaveWhitespace( self ): + self.skipWhitespace = False + return self + + def streamline( self ): + if not self.streamlined: + self.streamlined = True + if self.expr is not None: + self.expr.streamline() + return self + + def validate( self, validateTrace=[] ): + if self not in validateTrace: + tmp = validateTrace[:]+[self] + if self.expr is not None: + self.expr.validate(tmp) + self.checkRecursion([]) + + def __str__( self ): + if hasattr(self,"name"): + return self.name + return self.__class__.__name__ + ": ..." + + # stubbed out for now - creates awful memory and perf issues + self._revertClass = self.__class__ + self.__class__ = _ForwardNoRecurse + try: + if self.expr is not None: + retString = _ustr(self.expr) + else: + retString = "None" + finally: + self.__class__ = self._revertClass + return self.__class__.__name__ + ": " + retString + + def copy(self): + if self.expr is not None: + return super(Forward,self).copy() + else: + ret = Forward() + ret <<= self + return ret + +class _ForwardNoRecurse(Forward): + def __str__( self ): + return "..." + +class TokenConverter(ParseElementEnhance): + """ + Abstract subclass of C{ParseExpression}, for converting parsed results. + """ + def __init__( self, expr, savelist=False ): + super(TokenConverter,self).__init__( expr )#, savelist ) + self.saveAsList = False + +class Combine(TokenConverter): + """ + Converter to concatenate all matching tokens to a single string. + By default, the matching patterns must also be contiguous in the input string; + this can be disabled by specifying C{'adjacent=False'} in the constructor. + + Example:: + real = Word(nums) + '.' + Word(nums) + print(real.parseString('3.1416')) # -> ['3', '.', '1416'] + # will also erroneously match the following + print(real.parseString('3. 1416')) # -> ['3', '.', '1416'] + + real = Combine(Word(nums) + '.' + Word(nums)) + print(real.parseString('3.1416')) # -> ['3.1416'] + # no match when there are internal spaces + print(real.parseString('3. 1416')) # -> Exception: Expected W:(0123...) + """ + def __init__( self, expr, joinString="", adjacent=True ): + super(Combine,self).__init__( expr ) + # suppress whitespace-stripping in contained parse expressions, but re-enable it on the Combine itself + if adjacent: + self.leaveWhitespace() + self.adjacent = adjacent + self.skipWhitespace = True + self.joinString = joinString + self.callPreparse = True + + def ignore( self, other ): + if self.adjacent: + ParserElement.ignore(self, other) + else: + super( Combine, self).ignore( other ) + return self + + def postParse( self, instring, loc, tokenlist ): + retToks = tokenlist.copy() + del retToks[:] + retToks += ParseResults([ "".join(tokenlist._asStringList(self.joinString)) ], modal=self.modalResults) + + if self.resultsName and retToks.haskeys(): + return [ retToks ] + else: + return retToks + +class Group(TokenConverter): + """ + Converter to return the matched tokens as a list - useful for returning tokens of C{L{ZeroOrMore}} and C{L{OneOrMore}} expressions. + + Example:: + ident = Word(alphas) + num = Word(nums) + term = ident | num + func = ident + Optional(delimitedList(term)) + print(func.parseString("fn a,b,100")) # -> ['fn', 'a', 'b', '100'] + + func = ident + Group(Optional(delimitedList(term))) + print(func.parseString("fn a,b,100")) # -> ['fn', ['a', 'b', '100']] + """ + def __init__( self, expr ): + super(Group,self).__init__( expr ) + self.saveAsList = True + + def postParse( self, instring, loc, tokenlist ): + return [ tokenlist ] + +class Dict(TokenConverter): + """ + Converter to return a repetitive expression as a list, but also as a dictionary. + Each element can also be referenced using the first token in the expression as its key. + Useful for tabular report scraping when the first column can be used as a item key. + + Example:: + data_word = Word(alphas) + label = data_word + FollowedBy(':') + attr_expr = Group(label + Suppress(':') + OneOrMore(data_word).setParseAction(' '.join)) + + text = "shape: SQUARE posn: upper left color: light blue texture: burlap" + attr_expr = (label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) + + # print attributes as plain groups + print(OneOrMore(attr_expr).parseString(text).dump()) + + # instead of OneOrMore(expr), parse using Dict(OneOrMore(Group(expr))) - Dict will auto-assign names + result = Dict(OneOrMore(Group(attr_expr))).parseString(text) + print(result.dump()) + + # access named fields as dict entries, or output as dict + print(result['shape']) + print(result.asDict()) + prints:: + ['shape', 'SQUARE', 'posn', 'upper left', 'color', 'light blue', 'texture', 'burlap'] + + [['shape', 'SQUARE'], ['posn', 'upper left'], ['color', 'light blue'], ['texture', 'burlap']] + - color: light blue + - posn: upper left + - shape: SQUARE + - texture: burlap + SQUARE + {'color': 'light blue', 'posn': 'upper left', 'texture': 'burlap', 'shape': 'SQUARE'} + See more examples at L{ParseResults} of accessing fields by results name. + """ + def __init__( self, expr ): + super(Dict,self).__init__( expr ) + self.saveAsList = True + + def postParse( self, instring, loc, tokenlist ): + for i,tok in enumerate(tokenlist): + if len(tok) == 0: + continue + ikey = tok[0] + if isinstance(ikey,int): + ikey = _ustr(tok[0]).strip() + if len(tok)==1: + tokenlist[ikey] = _ParseResultsWithOffset("",i) + elif len(tok)==2 and not isinstance(tok[1],ParseResults): + tokenlist[ikey] = _ParseResultsWithOffset(tok[1],i) + else: + dictvalue = tok.copy() #ParseResults(i) + del dictvalue[0] + if len(dictvalue)!= 1 or (isinstance(dictvalue,ParseResults) and dictvalue.haskeys()): + tokenlist[ikey] = _ParseResultsWithOffset(dictvalue,i) + else: + tokenlist[ikey] = _ParseResultsWithOffset(dictvalue[0],i) + + if self.resultsName: + return [ tokenlist ] + else: + return tokenlist + + +class Suppress(TokenConverter): + """ + Converter for ignoring the results of a parsed expression. + + Example:: + source = "a, b, c,d" + wd = Word(alphas) + wd_list1 = wd + ZeroOrMore(',' + wd) + print(wd_list1.parseString(source)) + + # often, delimiters that are useful during parsing are just in the + # way afterward - use Suppress to keep them out of the parsed output + wd_list2 = wd + ZeroOrMore(Suppress(',') + wd) + print(wd_list2.parseString(source)) + prints:: + ['a', ',', 'b', ',', 'c', ',', 'd'] + ['a', 'b', 'c', 'd'] + (See also L{delimitedList}.) + """ + def postParse( self, instring, loc, tokenlist ): + return [] + + def suppress( self ): + return self + + +class OnlyOnce(object): + """ + Wrapper for parse actions, to ensure they are only called once. + """ + def __init__(self, methodCall): + self.callable = _trim_arity(methodCall) + self.called = False + def __call__(self,s,l,t): + if not self.called: + results = self.callable(s,l,t) + self.called = True + return results + raise ParseException(s,l,"") + def reset(self): + self.called = False + +def traceParseAction(f): + """ + Decorator for debugging parse actions. + + When the parse action is called, this decorator will print C{">> entering I{method-name}(line:I{current_source_line}, I{parse_location}, I{matched_tokens})".} + When the parse action completes, the decorator will print C{"<<"} followed by the returned value, or any exception that the parse action raised. + + Example:: + wd = Word(alphas) + + @traceParseAction + def remove_duplicate_chars(tokens): + return ''.join(sorted(set(''.join(tokens)))) + + wds = OneOrMore(wd).setParseAction(remove_duplicate_chars) + print(wds.parseString("slkdjs sld sldd sdlf sdljf")) + prints:: + >>entering remove_duplicate_chars(line: 'slkdjs sld sldd sdlf sdljf', 0, (['slkdjs', 'sld', 'sldd', 'sdlf', 'sdljf'], {})) + <<leaving remove_duplicate_chars (ret: 'dfjkls') + ['dfjkls'] + """ + f = _trim_arity(f) + def z(*paArgs): + thisFunc = f.__name__ + s,l,t = paArgs[-3:] + if len(paArgs)>3: + thisFunc = paArgs[0].__class__.__name__ + '.' + thisFunc + sys.stderr.write( ">>entering %s(line: '%s', %d, %r)\n" % (thisFunc,line(l,s),l,t) ) + try: + ret = f(*paArgs) + except Exception as exc: + sys.stderr.write( "<<leaving %s (exception: %s)\n" % (thisFunc,exc) ) + raise + sys.stderr.write( "<<leaving %s (ret: %r)\n" % (thisFunc,ret) ) + return ret + try: + z.__name__ = f.__name__ + except AttributeError: + pass + return z + +# +# global helpers +# +def delimitedList( expr, delim=",", combine=False ): + """ + Helper to define a delimited list of expressions - the delimiter defaults to ','. + By default, the list elements and delimiters can have intervening whitespace, and + comments, but this can be overridden by passing C{combine=True} in the constructor. + If C{combine} is set to C{True}, the matching tokens are returned as a single token + string, with the delimiters included; otherwise, the matching tokens are returned + as a list of tokens, with the delimiters suppressed. + + Example:: + delimitedList(Word(alphas)).parseString("aa,bb,cc") # -> ['aa', 'bb', 'cc'] + delimitedList(Word(hexnums), delim=':', combine=True).parseString("AA:BB:CC:DD:EE") # -> ['AA:BB:CC:DD:EE'] + """ + dlName = _ustr(expr)+" ["+_ustr(delim)+" "+_ustr(expr)+"]..." + if combine: + return Combine( expr + ZeroOrMore( delim + expr ) ).setName(dlName) + else: + return ( expr + ZeroOrMore( Suppress( delim ) + expr ) ).setName(dlName) + +def countedArray( expr, intExpr=None ): + """ + Helper to define a counted list of expressions. + This helper defines a pattern of the form:: + integer expr expr expr... + where the leading integer tells how many expr expressions follow. + The matched tokens returns the array of expr tokens as a list - the leading count token is suppressed. + + If C{intExpr} is specified, it should be a pyparsing expression that produces an integer value. + + Example:: + countedArray(Word(alphas)).parseString('2 ab cd ef') # -> ['ab', 'cd'] + + # in this parser, the leading integer value is given in binary, + # '10' indicating that 2 values are in the array + binaryConstant = Word('01').setParseAction(lambda t: int(t[0], 2)) + countedArray(Word(alphas), intExpr=binaryConstant).parseString('10 ab cd ef') # -> ['ab', 'cd'] + """ + arrayExpr = Forward() + def countFieldParseAction(s,l,t): + n = t[0] + arrayExpr << (n and Group(And([expr]*n)) or Group(empty)) + return [] + if intExpr is None: + intExpr = Word(nums).setParseAction(lambda t:int(t[0])) + else: + intExpr = intExpr.copy() + intExpr.setName("arrayLen") + intExpr.addParseAction(countFieldParseAction, callDuringTry=True) + return ( intExpr + arrayExpr ).setName('(len) ' + _ustr(expr) + '...') + +def _flatten(L): + ret = [] + for i in L: + if isinstance(i,list): + ret.extend(_flatten(i)) + else: + ret.append(i) + return ret + +def matchPreviousLiteral(expr): + """ + Helper to define an expression that is indirectly defined from + the tokens matched in a previous expression, that is, it looks + for a 'repeat' of a previous expression. For example:: + first = Word(nums) + second = matchPreviousLiteral(first) + matchExpr = first + ":" + second + will match C{"1:1"}, but not C{"1:2"}. Because this matches a + previous literal, will also match the leading C{"1:1"} in C{"1:10"}. + If this is not desired, use C{matchPreviousExpr}. + Do I{not} use with packrat parsing enabled. + """ + rep = Forward() + def copyTokenToRepeater(s,l,t): + if t: + if len(t) == 1: + rep << t[0] + else: + # flatten t tokens + tflat = _flatten(t.asList()) + rep << And(Literal(tt) for tt in tflat) + else: + rep << Empty() + expr.addParseAction(copyTokenToRepeater, callDuringTry=True) + rep.setName('(prev) ' + _ustr(expr)) + return rep + +def matchPreviousExpr(expr): + """ + Helper to define an expression that is indirectly defined from + the tokens matched in a previous expression, that is, it looks + for a 'repeat' of a previous expression. For example:: + first = Word(nums) + second = matchPreviousExpr(first) + matchExpr = first + ":" + second + will match C{"1:1"}, but not C{"1:2"}. Because this matches by + expressions, will I{not} match the leading C{"1:1"} in C{"1:10"}; + the expressions are evaluated first, and then compared, so + C{"1"} is compared with C{"10"}. + Do I{not} use with packrat parsing enabled. + """ + rep = Forward() + e2 = expr.copy() + rep <<= e2 + def copyTokenToRepeater(s,l,t): + matchTokens = _flatten(t.asList()) + def mustMatchTheseTokens(s,l,t): + theseTokens = _flatten(t.asList()) + if theseTokens != matchTokens: + raise ParseException("",0,"") + rep.setParseAction( mustMatchTheseTokens, callDuringTry=True ) + expr.addParseAction(copyTokenToRepeater, callDuringTry=True) + rep.setName('(prev) ' + _ustr(expr)) + return rep + +def _escapeRegexRangeChars(s): + #~ escape these chars: ^-] + for c in r"\^-]": + s = s.replace(c,_bslash+c) + s = s.replace("\n",r"\n") + s = s.replace("\t",r"\t") + return _ustr(s) + +def oneOf( strs, caseless=False, useRegex=True ): + """ + Helper to quickly define a set of alternative Literals, and makes sure to do + longest-first testing when there is a conflict, regardless of the input order, + but returns a C{L{MatchFirst}} for best performance. + + Parameters: + - strs - a string of space-delimited literals, or a collection of string literals + - caseless - (default=C{False}) - treat all literals as caseless + - useRegex - (default=C{True}) - as an optimization, will generate a Regex + object; otherwise, will generate a C{MatchFirst} object (if C{caseless=True}, or + if creating a C{Regex} raises an exception) + + Example:: + comp_oper = oneOf("< = > <= >= !=") + var = Word(alphas) + number = Word(nums) + term = var | number + comparison_expr = term + comp_oper + term + print(comparison_expr.searchString("B = 12 AA=23 B<=AA AA>12")) + prints:: + [['B', '=', '12'], ['AA', '=', '23'], ['B', '<=', 'AA'], ['AA', '>', '12']] + """ + if caseless: + isequal = ( lambda a,b: a.upper() == b.upper() ) + masks = ( lambda a,b: b.upper().startswith(a.upper()) ) + parseElementClass = CaselessLiteral + else: + isequal = ( lambda a,b: a == b ) + masks = ( lambda a,b: b.startswith(a) ) + parseElementClass = Literal + + symbols = [] + if isinstance(strs,basestring): + symbols = strs.split() + elif isinstance(strs, Iterable): + symbols = list(strs) + else: + warnings.warn("Invalid argument to oneOf, expected string or iterable", + SyntaxWarning, stacklevel=2) + if not symbols: + return NoMatch() + + i = 0 + while i < len(symbols)-1: + cur = symbols[i] + for j,other in enumerate(symbols[i+1:]): + if ( isequal(other, cur) ): + del symbols[i+j+1] + break + elif ( masks(cur, other) ): + del symbols[i+j+1] + symbols.insert(i,other) + cur = other + break + else: + i += 1 + + if not caseless and useRegex: + #~ print (strs,"->", "|".join( [ _escapeRegexChars(sym) for sym in symbols] )) + try: + if len(symbols)==len("".join(symbols)): + return Regex( "[%s]" % "".join(_escapeRegexRangeChars(sym) for sym in symbols) ).setName(' | '.join(symbols)) + else: + return Regex( "|".join(re.escape(sym) for sym in symbols) ).setName(' | '.join(symbols)) + except Exception: + warnings.warn("Exception creating Regex for oneOf, building MatchFirst", + SyntaxWarning, stacklevel=2) + + + # last resort, just use MatchFirst + return MatchFirst(parseElementClass(sym) for sym in symbols).setName(' | '.join(symbols)) + +def dictOf( key, value ): + """ + Helper to easily and clearly define a dictionary by specifying the respective patterns + for the key and value. Takes care of defining the C{L{Dict}}, C{L{ZeroOrMore}}, and C{L{Group}} tokens + in the proper order. The key pattern can include delimiting markers or punctuation, + as long as they are suppressed, thereby leaving the significant key text. The value + pattern can include named results, so that the C{Dict} results can include named token + fields. + + Example:: + text = "shape: SQUARE posn: upper left color: light blue texture: burlap" + attr_expr = (label + Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join)) + print(OneOrMore(attr_expr).parseString(text).dump()) + + attr_label = label + attr_value = Suppress(':') + OneOrMore(data_word, stopOn=label).setParseAction(' '.join) + + # similar to Dict, but simpler call format + result = dictOf(attr_label, attr_value).parseString(text) + print(result.dump()) + print(result['shape']) + print(result.shape) # object attribute access works too + print(result.asDict()) + prints:: + [['shape', 'SQUARE'], ['posn', 'upper left'], ['color', 'light blue'], ['texture', 'burlap']] + - color: light blue + - posn: upper left + - shape: SQUARE + - texture: burlap + SQUARE + SQUARE + {'color': 'light blue', 'shape': 'SQUARE', 'posn': 'upper left', 'texture': 'burlap'} + """ + return Dict( ZeroOrMore( Group ( key + value ) ) ) + +def originalTextFor(expr, asString=True): + """ + Helper to return the original, untokenized text for a given expression. Useful to + restore the parsed fields of an HTML start tag into the raw tag text itself, or to + revert separate tokens with intervening whitespace back to the original matching + input text. By default, returns astring containing the original parsed text. + + If the optional C{asString} argument is passed as C{False}, then the return value is a + C{L{ParseResults}} containing any results names that were originally matched, and a + single token containing the original matched text from the input string. So if + the expression passed to C{L{originalTextFor}} contains expressions with defined + results names, you must set C{asString} to C{False} if you want to preserve those + results name values. + + Example:: + src = "this is test <b> bold <i>text</i> </b> normal text " + for tag in ("b","i"): + opener,closer = makeHTMLTags(tag) + patt = originalTextFor(opener + SkipTo(closer) + closer) + print(patt.searchString(src)[0]) + prints:: + ['<b> bold <i>text</i> </b>'] + ['<i>text</i>'] + """ + locMarker = Empty().setParseAction(lambda s,loc,t: loc) + endlocMarker = locMarker.copy() + endlocMarker.callPreparse = False + matchExpr = locMarker("_original_start") + expr + endlocMarker("_original_end") + if asString: + extractText = lambda s,l,t: s[t._original_start:t._original_end] + else: + def extractText(s,l,t): + t[:] = [s[t.pop('_original_start'):t.pop('_original_end')]] + matchExpr.setParseAction(extractText) + matchExpr.ignoreExprs = expr.ignoreExprs + return matchExpr + +def ungroup(expr): + """ + Helper to undo pyparsing's default grouping of And expressions, even + if all but one are non-empty. + """ + return TokenConverter(expr).setParseAction(lambda t:t[0]) + +def locatedExpr(expr): + """ + Helper to decorate a returned token with its starting and ending locations in the input string. + This helper adds the following results names: + - locn_start = location where matched expression begins + - locn_end = location where matched expression ends + - value = the actual parsed results + + Be careful if the input text contains C{<TAB>} characters, you may want to call + C{L{ParserElement.parseWithTabs}} + + Example:: + wd = Word(alphas) + for match in locatedExpr(wd).searchString("ljsdf123lksdjjf123lkkjj1222"): + print(match) + prints:: + [[0, 'ljsdf', 5]] + [[8, 'lksdjjf', 15]] + [[18, 'lkkjj', 23]] + """ + locator = Empty().setParseAction(lambda s,l,t: l) + return Group(locator("locn_start") + expr("value") + locator.copy().leaveWhitespace()("locn_end")) + + +# convenience constants for positional expressions +empty = Empty().setName("empty") +lineStart = LineStart().setName("lineStart") +lineEnd = LineEnd().setName("lineEnd") +stringStart = StringStart().setName("stringStart") +stringEnd = StringEnd().setName("stringEnd") + +_escapedPunc = Word( _bslash, r"\[]-*.$+^?()~ ", exact=2 ).setParseAction(lambda s,l,t:t[0][1]) +_escapedHexChar = Regex(r"\\0?[xX][0-9a-fA-F]+").setParseAction(lambda s,l,t:unichr(int(t[0].lstrip(r'\0x'),16))) +_escapedOctChar = Regex(r"\\0[0-7]+").setParseAction(lambda s,l,t:unichr(int(t[0][1:],8))) +_singleChar = _escapedPunc | _escapedHexChar | _escapedOctChar | CharsNotIn(r'\]', exact=1) +_charRange = Group(_singleChar + Suppress("-") + _singleChar) +_reBracketExpr = Literal("[") + Optional("^").setResultsName("negate") + Group( OneOrMore( _charRange | _singleChar ) ).setResultsName("body") + "]" + +def srange(s): + r""" + Helper to easily define string ranges for use in Word construction. Borrows + syntax from regexp '[]' string range definitions:: + srange("[0-9]") -> "0123456789" + srange("[a-z]") -> "abcdefghijklmnopqrstuvwxyz" + srange("[a-z$_]") -> "abcdefghijklmnopqrstuvwxyz$_" + The input string must be enclosed in []'s, and the returned string is the expanded + character set joined into a single string. + The values enclosed in the []'s may be: + - a single character + - an escaped character with a leading backslash (such as C{\-} or C{\]}) + - an escaped hex character with a leading C{'\x'} (C{\x21}, which is a C{'!'} character) + (C{\0x##} is also supported for backwards compatibility) + - an escaped octal character with a leading C{'\0'} (C{\041}, which is a C{'!'} character) + - a range of any of the above, separated by a dash (C{'a-z'}, etc.) + - any combination of the above (C{'aeiouy'}, C{'a-zA-Z0-9_$'}, etc.) + """ + _expanded = lambda p: p if not isinstance(p,ParseResults) else ''.join(unichr(c) for c in range(ord(p[0]),ord(p[1])+1)) + try: + return "".join(_expanded(part) for part in _reBracketExpr.parseString(s).body) + except Exception: + return "" + +def matchOnlyAtCol(n): + """ + Helper method for defining parse actions that require matching at a specific + column in the input text. + """ + def verifyCol(strg,locn,toks): + if col(locn,strg) != n: + raise ParseException(strg,locn,"matched token not at column %d" % n) + return verifyCol + +def replaceWith(replStr): + """ + Helper method for common parse actions that simply return a literal value. Especially + useful when used with C{L{transformString<ParserElement.transformString>}()}. + + Example:: + num = Word(nums).setParseAction(lambda toks: int(toks[0])) + na = oneOf("N/A NA").setParseAction(replaceWith(math.nan)) + term = na | num + + OneOrMore(term).parseString("324 234 N/A 234") # -> [324, 234, nan, 234] + """ + return lambda s,l,t: [replStr] + +def removeQuotes(s,l,t): + """ + Helper parse action for removing quotation marks from parsed quoted strings. + + Example:: + # by default, quotation marks are included in parsed results + quotedString.parseString("'Now is the Winter of our Discontent'") # -> ["'Now is the Winter of our Discontent'"] + + # use removeQuotes to strip quotation marks from parsed results + quotedString.setParseAction(removeQuotes) + quotedString.parseString("'Now is the Winter of our Discontent'") # -> ["Now is the Winter of our Discontent"] + """ + return t[0][1:-1] + +def tokenMap(func, *args): + """ + Helper to define a parse action by mapping a function to all elements of a ParseResults list.If any additional + args are passed, they are forwarded to the given function as additional arguments after + the token, as in C{hex_integer = Word(hexnums).setParseAction(tokenMap(int, 16))}, which will convert the + parsed data to an integer using base 16. + + Example (compare the last to example in L{ParserElement.transformString}:: + hex_ints = OneOrMore(Word(hexnums)).setParseAction(tokenMap(int, 16)) + hex_ints.runTests(''' + 00 11 22 aa FF 0a 0d 1a + ''') + + upperword = Word(alphas).setParseAction(tokenMap(str.upper)) + OneOrMore(upperword).runTests(''' + my kingdom for a horse + ''') + + wd = Word(alphas).setParseAction(tokenMap(str.title)) + OneOrMore(wd).setParseAction(' '.join).runTests(''' + now is the winter of our discontent made glorious summer by this sun of york + ''') + prints:: + 00 11 22 aa FF 0a 0d 1a + [0, 17, 34, 170, 255, 10, 13, 26] + + my kingdom for a horse + ['MY', 'KINGDOM', 'FOR', 'A', 'HORSE'] + + now is the winter of our discontent made glorious summer by this sun of york + ['Now Is The Winter Of Our Discontent Made Glorious Summer By This Sun Of York'] + """ + def pa(s,l,t): + return [func(tokn, *args) for tokn in t] + + try: + func_name = getattr(func, '__name__', + getattr(func, '__class__').__name__) + except Exception: + func_name = str(func) + pa.__name__ = func_name + + return pa + +upcaseTokens = tokenMap(lambda t: _ustr(t).upper()) +"""(Deprecated) Helper parse action to convert tokens to upper case. Deprecated in favor of L{pyparsing_common.upcaseTokens}""" + +downcaseTokens = tokenMap(lambda t: _ustr(t).lower()) +"""(Deprecated) Helper parse action to convert tokens to lower case. Deprecated in favor of L{pyparsing_common.downcaseTokens}""" + +def _makeTags(tagStr, xml): + """Internal helper to construct opening and closing tag expressions, given a tag name""" + if isinstance(tagStr,basestring): + resname = tagStr + tagStr = Keyword(tagStr, caseless=not xml) + else: + resname = tagStr.name + + tagAttrName = Word(alphas,alphanums+"_-:") + if (xml): + tagAttrValue = dblQuotedString.copy().setParseAction( removeQuotes ) + openTag = Suppress("<") + tagStr("tag") + \ + Dict(ZeroOrMore(Group( tagAttrName + Suppress("=") + tagAttrValue ))) + \ + Optional("/",default=[False]).setResultsName("empty").setParseAction(lambda s,l,t:t[0]=='/') + Suppress(">") + else: + printablesLessRAbrack = "".join(c for c in printables if c not in ">") + tagAttrValue = quotedString.copy().setParseAction( removeQuotes ) | Word(printablesLessRAbrack) + openTag = Suppress("<") + tagStr("tag") + \ + Dict(ZeroOrMore(Group( tagAttrName.setParseAction(downcaseTokens) + \ + Optional( Suppress("=") + tagAttrValue ) ))) + \ + Optional("/",default=[False]).setResultsName("empty").setParseAction(lambda s,l,t:t[0]=='/') + Suppress(">") + closeTag = Combine(_L("</") + tagStr + ">") + + openTag = openTag.setResultsName("start"+"".join(resname.replace(":"," ").title().split())).setName("<%s>" % resname) + closeTag = closeTag.setResultsName("end"+"".join(resname.replace(":"," ").title().split())).setName("</%s>" % resname) + openTag.tag = resname + closeTag.tag = resname + return openTag, closeTag + +def makeHTMLTags(tagStr): + """ + Helper to construct opening and closing tag expressions for HTML, given a tag name. Matches + tags in either upper or lower case, attributes with namespaces and with quoted or unquoted values. + + Example:: + text = '<td>More info at the <a href="http://pyparsing.wikispaces.com">pyparsing</a> wiki page</td>' + # makeHTMLTags returns pyparsing expressions for the opening and closing tags as a 2-tuple + a,a_end = makeHTMLTags("A") + link_expr = a + SkipTo(a_end)("link_text") + a_end + + for link in link_expr.searchString(text): + # attributes in the <A> tag (like "href" shown here) are also accessible as named results + print(link.link_text, '->', link.href) + prints:: + pyparsing -> http://pyparsing.wikispaces.com + """ + return _makeTags( tagStr, False ) + +def makeXMLTags(tagStr): + """ + Helper to construct opening and closing tag expressions for XML, given a tag name. Matches + tags only in the given upper/lower case. + + Example: similar to L{makeHTMLTags} + """ + return _makeTags( tagStr, True ) + +def withAttribute(*args,**attrDict): + """ + Helper to create a validating parse action to be used with start tags created + with C{L{makeXMLTags}} or C{L{makeHTMLTags}}. Use C{withAttribute} to qualify a starting tag + with a required attribute value, to avoid false matches on common tags such as + C{<TD>} or C{<DIV>}. + + Call C{withAttribute} with a series of attribute names and values. Specify the list + of filter attributes names and values as: + - keyword arguments, as in C{(align="right")}, or + - as an explicit dict with C{**} operator, when an attribute name is also a Python + reserved word, as in C{**{"class":"Customer", "align":"right"}} + - a list of name-value tuples, as in ( ("ns1:class", "Customer"), ("ns2:align","right") ) + For attribute names with a namespace prefix, you must use the second form. Attribute + names are matched insensitive to upper/lower case. + + If just testing for C{class} (with or without a namespace), use C{L{withClass}}. + + To verify that the attribute exists, but without specifying a value, pass + C{withAttribute.ANY_VALUE} as the value. + + Example:: + html = ''' + <div> + Some text + <div type="grid">1 4 0 1 0</div> + <div type="graph">1,3 2,3 1,1</div> + <div>this has no type</div> + </div> + + ''' + div,div_end = makeHTMLTags("div") + + # only match div tag having a type attribute with value "grid" + div_grid = div().setParseAction(withAttribute(type="grid")) + grid_expr = div_grid + SkipTo(div | div_end)("body") + for grid_header in grid_expr.searchString(html): + print(grid_header.body) + + # construct a match with any div tag having a type attribute, regardless of the value + div_any_type = div().setParseAction(withAttribute(type=withAttribute.ANY_VALUE)) + div_expr = div_any_type + SkipTo(div | div_end)("body") + for div_header in div_expr.searchString(html): + print(div_header.body) + prints:: + 1 4 0 1 0 + + 1 4 0 1 0 + 1,3 2,3 1,1 + """ + if args: + attrs = args[:] + else: + attrs = attrDict.items() + attrs = [(k,v) for k,v in attrs] + def pa(s,l,tokens): + for attrName,attrValue in attrs: + if attrName not in tokens: + raise ParseException(s,l,"no matching attribute " + attrName) + if attrValue != withAttribute.ANY_VALUE and tokens[attrName] != attrValue: + raise ParseException(s,l,"attribute '%s' has value '%s', must be '%s'" % + (attrName, tokens[attrName], attrValue)) + return pa +withAttribute.ANY_VALUE = object() + +def withClass(classname, namespace=''): + """ + Simplified version of C{L{withAttribute}} when matching on a div class - made + difficult because C{class} is a reserved word in Python. + + Example:: + html = ''' + <div> + Some text + <div class="grid">1 4 0 1 0</div> + <div class="graph">1,3 2,3 1,1</div> + <div>this <div> has no class</div> + </div> + + ''' + div,div_end = makeHTMLTags("div") + div_grid = div().setParseAction(withClass("grid")) + + grid_expr = div_grid + SkipTo(div | div_end)("body") + for grid_header in grid_expr.searchString(html): + print(grid_header.body) + + div_any_type = div().setParseAction(withClass(withAttribute.ANY_VALUE)) + div_expr = div_any_type + SkipTo(div | div_end)("body") + for div_header in div_expr.searchString(html): + print(div_header.body) + prints:: + 1 4 0 1 0 + + 1 4 0 1 0 + 1,3 2,3 1,1 + """ + classattr = "%s:class" % namespace if namespace else "class" + return withAttribute(**{classattr : classname}) + +opAssoc = _Constants() +opAssoc.LEFT = object() +opAssoc.RIGHT = object() + +def infixNotation( baseExpr, opList, lpar=Suppress('('), rpar=Suppress(')') ): + """ + Helper method for constructing grammars of expressions made up of + operators working in a precedence hierarchy. Operators may be unary or + binary, left- or right-associative. Parse actions can also be attached + to operator expressions. The generated parser will also recognize the use + of parentheses to override operator precedences (see example below). + + Note: if you define a deep operator list, you may see performance issues + when using infixNotation. See L{ParserElement.enablePackrat} for a + mechanism to potentially improve your parser performance. + + Parameters: + - baseExpr - expression representing the most basic element for the nested + - opList - list of tuples, one for each operator precedence level in the + expression grammar; each tuple is of the form + (opExpr, numTerms, rightLeftAssoc, parseAction), where: + - opExpr is the pyparsing expression for the operator; + may also be a string, which will be converted to a Literal; + if numTerms is 3, opExpr is a tuple of two expressions, for the + two operators separating the 3 terms + - numTerms is the number of terms for this operator (must + be 1, 2, or 3) + - rightLeftAssoc is the indicator whether the operator is + right or left associative, using the pyparsing-defined + constants C{opAssoc.RIGHT} and C{opAssoc.LEFT}. + - parseAction is the parse action to be associated with + expressions matching this operator expression (the + parse action tuple member may be omitted); if the parse action + is passed a tuple or list of functions, this is equivalent to + calling C{setParseAction(*fn)} (L{ParserElement.setParseAction}) + - lpar - expression for matching left-parentheses (default=C{Suppress('(')}) + - rpar - expression for matching right-parentheses (default=C{Suppress(')')}) + + Example:: + # simple example of four-function arithmetic with ints and variable names + integer = pyparsing_common.signed_integer + varname = pyparsing_common.identifier + + arith_expr = infixNotation(integer | varname, + [ + ('-', 1, opAssoc.RIGHT), + (oneOf('* /'), 2, opAssoc.LEFT), + (oneOf('+ -'), 2, opAssoc.LEFT), + ]) + + arith_expr.runTests(''' + 5+3*6 + (5+3)*6 + -2--11 + ''', fullDump=False) + prints:: + 5+3*6 + [[5, '+', [3, '*', 6]]] + + (5+3)*6 + [[[5, '+', 3], '*', 6]] + + -2--11 + [[['-', 2], '-', ['-', 11]]] + """ + ret = Forward() + lastExpr = baseExpr | ( lpar + ret + rpar ) + for i,operDef in enumerate(opList): + opExpr,arity,rightLeftAssoc,pa = (operDef + (None,))[:4] + termName = "%s term" % opExpr if arity < 3 else "%s%s term" % opExpr + if arity == 3: + if opExpr is None or len(opExpr) != 2: + raise ValueError("if numterms=3, opExpr must be a tuple or list of two expressions") + opExpr1, opExpr2 = opExpr + thisExpr = Forward().setName(termName) + if rightLeftAssoc == opAssoc.LEFT: + if arity == 1: + matchExpr = FollowedBy(lastExpr + opExpr) + Group( lastExpr + OneOrMore( opExpr ) ) + elif arity == 2: + if opExpr is not None: + matchExpr = FollowedBy(lastExpr + opExpr + lastExpr) + Group( lastExpr + OneOrMore( opExpr + lastExpr ) ) + else: + matchExpr = FollowedBy(lastExpr+lastExpr) + Group( lastExpr + OneOrMore(lastExpr) ) + elif arity == 3: + matchExpr = FollowedBy(lastExpr + opExpr1 + lastExpr + opExpr2 + lastExpr) + \ + Group( lastExpr + opExpr1 + lastExpr + opExpr2 + lastExpr ) + else: + raise ValueError("operator must be unary (1), binary (2), or ternary (3)") + elif rightLeftAssoc == opAssoc.RIGHT: + if arity == 1: + # try to avoid LR with this extra test + if not isinstance(opExpr, Optional): + opExpr = Optional(opExpr) + matchExpr = FollowedBy(opExpr.expr + thisExpr) + Group( opExpr + thisExpr ) + elif arity == 2: + if opExpr is not None: + matchExpr = FollowedBy(lastExpr + opExpr + thisExpr) + Group( lastExpr + OneOrMore( opExpr + thisExpr ) ) + else: + matchExpr = FollowedBy(lastExpr + thisExpr) + Group( lastExpr + OneOrMore( thisExpr ) ) + elif arity == 3: + matchExpr = FollowedBy(lastExpr + opExpr1 + thisExpr + opExpr2 + thisExpr) + \ + Group( lastExpr + opExpr1 + thisExpr + opExpr2 + thisExpr ) + else: + raise ValueError("operator must be unary (1), binary (2), or ternary (3)") + else: + raise ValueError("operator must indicate right or left associativity") + if pa: + if isinstance(pa, (tuple, list)): + matchExpr.setParseAction(*pa) + else: + matchExpr.setParseAction(pa) + thisExpr <<= ( matchExpr.setName(termName) | lastExpr ) + lastExpr = thisExpr + ret <<= lastExpr + return ret + +operatorPrecedence = infixNotation +"""(Deprecated) Former name of C{L{infixNotation}}, will be dropped in a future release.""" + +dblQuotedString = Combine(Regex(r'"(?:[^"\n\r\\]|(?:"")|(?:\\(?:[^x]|x[0-9a-fA-F]+)))*')+'"').setName("string enclosed in double quotes") +sglQuotedString = Combine(Regex(r"'(?:[^'\n\r\\]|(?:'')|(?:\\(?:[^x]|x[0-9a-fA-F]+)))*")+"'").setName("string enclosed in single quotes") +quotedString = Combine(Regex(r'"(?:[^"\n\r\\]|(?:"")|(?:\\(?:[^x]|x[0-9a-fA-F]+)))*')+'"'| + Regex(r"'(?:[^'\n\r\\]|(?:'')|(?:\\(?:[^x]|x[0-9a-fA-F]+)))*")+"'").setName("quotedString using single or double quotes") +unicodeString = Combine(_L('u') + quotedString.copy()).setName("unicode string literal") + +def nestedExpr(opener="(", closer=")", content=None, ignoreExpr=quotedString.copy()): + """ + Helper method for defining nested lists enclosed in opening and closing + delimiters ("(" and ")" are the default). + + Parameters: + - opener - opening character for a nested list (default=C{"("}); can also be a pyparsing expression + - closer - closing character for a nested list (default=C{")"}); can also be a pyparsing expression + - content - expression for items within the nested lists (default=C{None}) + - ignoreExpr - expression for ignoring opening and closing delimiters (default=C{quotedString}) + + If an expression is not provided for the content argument, the nested + expression will capture all whitespace-delimited content between delimiters + as a list of separate values. + + Use the C{ignoreExpr} argument to define expressions that may contain + opening or closing characters that should not be treated as opening + or closing characters for nesting, such as quotedString or a comment + expression. Specify multiple expressions using an C{L{Or}} or C{L{MatchFirst}}. + The default is L{quotedString}, but if no expressions are to be ignored, + then pass C{None} for this argument. + + Example:: + data_type = oneOf("void int short long char float double") + decl_data_type = Combine(data_type + Optional(Word('*'))) + ident = Word(alphas+'_', alphanums+'_') + number = pyparsing_common.number + arg = Group(decl_data_type + ident) + LPAR,RPAR = map(Suppress, "()") + + code_body = nestedExpr('{', '}', ignoreExpr=(quotedString | cStyleComment)) + + c_function = (decl_data_type("type") + + ident("name") + + LPAR + Optional(delimitedList(arg), [])("args") + RPAR + + code_body("body")) + c_function.ignore(cStyleComment) + + source_code = ''' + int is_odd(int x) { + return (x%2); + } + + int dec_to_hex(char hchar) { + if (hchar >= '0' && hchar <= '9') { + return (ord(hchar)-ord('0')); + } else { + return (10+ord(hchar)-ord('A')); + } + } + ''' + for func in c_function.searchString(source_code): + print("%(name)s (%(type)s) args: %(args)s" % func) + + prints:: + is_odd (int) args: [['int', 'x']] + dec_to_hex (int) args: [['char', 'hchar']] + """ + if opener == closer: + raise ValueError("opening and closing strings cannot be the same") + if content is None: + if isinstance(opener,basestring) and isinstance(closer,basestring): + if len(opener) == 1 and len(closer)==1: + if ignoreExpr is not None: + content = (Combine(OneOrMore(~ignoreExpr + + CharsNotIn(opener+closer+ParserElement.DEFAULT_WHITE_CHARS,exact=1)) + ).setParseAction(lambda t:t[0].strip())) + else: + content = (empty.copy()+CharsNotIn(opener+closer+ParserElement.DEFAULT_WHITE_CHARS + ).setParseAction(lambda t:t[0].strip())) + else: + if ignoreExpr is not None: + content = (Combine(OneOrMore(~ignoreExpr + + ~Literal(opener) + ~Literal(closer) + + CharsNotIn(ParserElement.DEFAULT_WHITE_CHARS,exact=1)) + ).setParseAction(lambda t:t[0].strip())) + else: + content = (Combine(OneOrMore(~Literal(opener) + ~Literal(closer) + + CharsNotIn(ParserElement.DEFAULT_WHITE_CHARS,exact=1)) + ).setParseAction(lambda t:t[0].strip())) + else: + raise ValueError("opening and closing arguments must be strings if no content expression is given") + ret = Forward() + if ignoreExpr is not None: + ret <<= Group( Suppress(opener) + ZeroOrMore( ignoreExpr | ret | content ) + Suppress(closer) ) + else: + ret <<= Group( Suppress(opener) + ZeroOrMore( ret | content ) + Suppress(closer) ) + ret.setName('nested %s%s expression' % (opener,closer)) + return ret + +def indentedBlock(blockStatementExpr, indentStack, indent=True): + """ + Helper method for defining space-delimited indentation blocks, such as + those used to define block statements in Python source code. + + Parameters: + - blockStatementExpr - expression defining syntax of statement that + is repeated within the indented block + - indentStack - list created by caller to manage indentation stack + (multiple statementWithIndentedBlock expressions within a single grammar + should share a common indentStack) + - indent - boolean indicating whether block must be indented beyond the + the current level; set to False for block of left-most statements + (default=C{True}) + + A valid block must contain at least one C{blockStatement}. + + Example:: + data = ''' + def A(z): + A1 + B = 100 + G = A2 + A2 + A3 + B + def BB(a,b,c): + BB1 + def BBA(): + bba1 + bba2 + bba3 + C + D + def spam(x,y): + def eggs(z): + pass + ''' + + + indentStack = [1] + stmt = Forward() + + identifier = Word(alphas, alphanums) + funcDecl = ("def" + identifier + Group( "(" + Optional( delimitedList(identifier) ) + ")" ) + ":") + func_body = indentedBlock(stmt, indentStack) + funcDef = Group( funcDecl + func_body ) + + rvalue = Forward() + funcCall = Group(identifier + "(" + Optional(delimitedList(rvalue)) + ")") + rvalue << (funcCall | identifier | Word(nums)) + assignment = Group(identifier + "=" + rvalue) + stmt << ( funcDef | assignment | identifier ) + + module_body = OneOrMore(stmt) + + parseTree = module_body.parseString(data) + parseTree.pprint() + prints:: + [['def', + 'A', + ['(', 'z', ')'], + ':', + [['A1'], [['B', '=', '100']], [['G', '=', 'A2']], ['A2'], ['A3']]], + 'B', + ['def', + 'BB', + ['(', 'a', 'b', 'c', ')'], + ':', + [['BB1'], [['def', 'BBA', ['(', ')'], ':', [['bba1'], ['bba2'], ['bba3']]]]]], + 'C', + 'D', + ['def', + 'spam', + ['(', 'x', 'y', ')'], + ':', + [[['def', 'eggs', ['(', 'z', ')'], ':', [['pass']]]]]]] + """ + def checkPeerIndent(s,l,t): + if l >= len(s): return + curCol = col(l,s) + if curCol != indentStack[-1]: + if curCol > indentStack[-1]: + raise ParseFatalException(s,l,"illegal nesting") + raise ParseException(s,l,"not a peer entry") + + def checkSubIndent(s,l,t): + curCol = col(l,s) + if curCol > indentStack[-1]: + indentStack.append( curCol ) + else: + raise ParseException(s,l,"not a subentry") + + def checkUnindent(s,l,t): + if l >= len(s): return + curCol = col(l,s) + if not(indentStack and curCol < indentStack[-1] and curCol <= indentStack[-2]): + raise ParseException(s,l,"not an unindent") + indentStack.pop() + + NL = OneOrMore(LineEnd().setWhitespaceChars("\t ").suppress()) + INDENT = (Empty() + Empty().setParseAction(checkSubIndent)).setName('INDENT') + PEER = Empty().setParseAction(checkPeerIndent).setName('') + UNDENT = Empty().setParseAction(checkUnindent).setName('UNINDENT') + if indent: + smExpr = Group( Optional(NL) + + #~ FollowedBy(blockStatementExpr) + + INDENT + (OneOrMore( PEER + Group(blockStatementExpr) + Optional(NL) )) + UNDENT) + else: + smExpr = Group( Optional(NL) + + (OneOrMore( PEER + Group(blockStatementExpr) + Optional(NL) )) ) + blockStatementExpr.ignore(_bslash + LineEnd()) + return smExpr.setName('indented block') + +alphas8bit = srange(r"[\0xc0-\0xd6\0xd8-\0xf6\0xf8-\0xff]") +punc8bit = srange(r"[\0xa1-\0xbf\0xd7\0xf7]") + +anyOpenTag,anyCloseTag = makeHTMLTags(Word(alphas,alphanums+"_:").setName('any tag')) +_htmlEntityMap = dict(zip("gt lt amp nbsp quot apos".split(),'><& "\'')) +commonHTMLEntity = Regex('&(?P<entity>' + '|'.join(_htmlEntityMap.keys()) +");").setName("common HTML entity") +def replaceHTMLEntity(t): + """Helper parser action to replace common HTML entities with their special characters""" + return _htmlEntityMap.get(t.entity) + +# it's easy to get these comment structures wrong - they're very common, so may as well make them available +cStyleComment = Combine(Regex(r"/\*(?:[^*]|\*(?!/))*") + '*/').setName("C style comment") +"Comment of the form C{/* ... */}" + +htmlComment = Regex(r"<!--[\s\S]*?-->").setName("HTML comment") +"Comment of the form C{<!-- ... -->}" + +restOfLine = Regex(r".*").leaveWhitespace().setName("rest of line") +dblSlashComment = Regex(r"//(?:\\\n|[^\n])*").setName("// comment") +"Comment of the form C{// ... (to end of line)}" + +cppStyleComment = Combine(Regex(r"/\*(?:[^*]|\*(?!/))*") + '*/'| dblSlashComment).setName("C++ style comment") +"Comment of either form C{L{cStyleComment}} or C{L{dblSlashComment}}" + +javaStyleComment = cppStyleComment +"Same as C{L{cppStyleComment}}" + +pythonStyleComment = Regex(r"#.*").setName("Python style comment") +"Comment of the form C{# ... (to end of line)}" + +_commasepitem = Combine(OneOrMore(Word(printables, excludeChars=',') + + Optional( Word(" \t") + + ~Literal(",") + ~LineEnd() ) ) ).streamline().setName("commaItem") +commaSeparatedList = delimitedList( Optional( quotedString.copy() | _commasepitem, default="") ).setName("commaSeparatedList") +"""(Deprecated) Predefined expression of 1 or more printable words or quoted strings, separated by commas. + This expression is deprecated in favor of L{pyparsing_common.comma_separated_list}.""" + +# some other useful expressions - using lower-case class name since we are really using this as a namespace +class pyparsing_common: + """ + Here are some common low-level expressions that may be useful in jump-starting parser development: + - numeric forms (L{integers<integer>}, L{reals<real>}, L{scientific notation<sci_real>}) + - common L{programming identifiers<identifier>} + - network addresses (L{MAC<mac_address>}, L{IPv4<ipv4_address>}, L{IPv6<ipv6_address>}) + - ISO8601 L{dates<iso8601_date>} and L{datetime<iso8601_datetime>} + - L{UUID<uuid>} + - L{comma-separated list<comma_separated_list>} + Parse actions: + - C{L{convertToInteger}} + - C{L{convertToFloat}} + - C{L{convertToDate}} + - C{L{convertToDatetime}} + - C{L{stripHTMLTags}} + - C{L{upcaseTokens}} + - C{L{downcaseTokens}} + + Example:: + pyparsing_common.number.runTests(''' + # any int or real number, returned as the appropriate type + 100 + -100 + +100 + 3.14159 + 6.02e23 + 1e-12 + ''') + + pyparsing_common.fnumber.runTests(''' + # any int or real number, returned as float + 100 + -100 + +100 + 3.14159 + 6.02e23 + 1e-12 + ''') + + pyparsing_common.hex_integer.runTests(''' + # hex numbers + 100 + FF + ''') + + pyparsing_common.fraction.runTests(''' + # fractions + 1/2 + -3/4 + ''') + + pyparsing_common.mixed_integer.runTests(''' + # mixed fractions + 1 + 1/2 + -3/4 + 1-3/4 + ''') + + import uuid + pyparsing_common.uuid.setParseAction(tokenMap(uuid.UUID)) + pyparsing_common.uuid.runTests(''' + # uuid + 12345678-1234-5678-1234-567812345678 + ''') + prints:: + # any int or real number, returned as the appropriate type + 100 + [100] + + -100 + [-100] + + +100 + [100] + + 3.14159 + [3.14159] + + 6.02e23 + [6.02e+23] + + 1e-12 + [1e-12] + + # any int or real number, returned as float + 100 + [100.0] + + -100 + [-100.0] + + +100 + [100.0] + + 3.14159 + [3.14159] + + 6.02e23 + [6.02e+23] + + 1e-12 + [1e-12] + + # hex numbers + 100 + [256] + + FF + [255] + + # fractions + 1/2 + [0.5] + + -3/4 + [-0.75] + + # mixed fractions + 1 + [1] + + 1/2 + [0.5] + + -3/4 + [-0.75] + + 1-3/4 + [1.75] + + # uuid + 12345678-1234-5678-1234-567812345678 + [UUID('12345678-1234-5678-1234-567812345678')] + """ + + convertToInteger = tokenMap(int) + """ + Parse action for converting parsed integers to Python int + """ + + convertToFloat = tokenMap(float) + """ + Parse action for converting parsed numbers to Python float + """ + + integer = Word(nums).setName("integer").setParseAction(convertToInteger) + """expression that parses an unsigned integer, returns an int""" + + hex_integer = Word(hexnums).setName("hex integer").setParseAction(tokenMap(int,16)) + """expression that parses a hexadecimal integer, returns an int""" + + signed_integer = Regex(r'[+-]?\d+').setName("signed integer").setParseAction(convertToInteger) + """expression that parses an integer with optional leading sign, returns an int""" + + fraction = (signed_integer().setParseAction(convertToFloat) + '/' + signed_integer().setParseAction(convertToFloat)).setName("fraction") + """fractional expression of an integer divided by an integer, returns a float""" + fraction.addParseAction(lambda t: t[0]/t[-1]) + + mixed_integer = (fraction | signed_integer + Optional(Optional('-').suppress() + fraction)).setName("fraction or mixed integer-fraction") + """mixed integer of the form 'integer - fraction', with optional leading integer, returns float""" + mixed_integer.addParseAction(sum) + + real = Regex(r'[+-]?\d+\.\d*').setName("real number").setParseAction(convertToFloat) + """expression that parses a floating point number and returns a float""" + + sci_real = Regex(r'[+-]?\d+([eE][+-]?\d+|\.\d*([eE][+-]?\d+)?)').setName("real number with scientific notation").setParseAction(convertToFloat) + """expression that parses a floating point number with optional scientific notation and returns a float""" + + # streamlining this expression makes the docs nicer-looking + number = (sci_real | real | signed_integer).streamline() + """any numeric expression, returns the corresponding Python type""" + + fnumber = Regex(r'[+-]?\d+\.?\d*([eE][+-]?\d+)?').setName("fnumber").setParseAction(convertToFloat) + """any int or real number, returned as float""" + + identifier = Word(alphas+'_', alphanums+'_').setName("identifier") + """typical code identifier (leading alpha or '_', followed by 0 or more alphas, nums, or '_')""" + + ipv4_address = Regex(r'(25[0-5]|2[0-4][0-9]|1?[0-9]{1,2})(\.(25[0-5]|2[0-4][0-9]|1?[0-9]{1,2})){3}').setName("IPv4 address") + "IPv4 address (C{0.0.0.0 - 255.255.255.255})" + + _ipv6_part = Regex(r'[0-9a-fA-F]{1,4}').setName("hex_integer") + _full_ipv6_address = (_ipv6_part + (':' + _ipv6_part)*7).setName("full IPv6 address") + _short_ipv6_address = (Optional(_ipv6_part + (':' + _ipv6_part)*(0,6)) + "::" + Optional(_ipv6_part + (':' + _ipv6_part)*(0,6))).setName("short IPv6 address") + _short_ipv6_address.addCondition(lambda t: sum(1 for tt in t if pyparsing_common._ipv6_part.matches(tt)) < 8) + _mixed_ipv6_address = ("::ffff:" + ipv4_address).setName("mixed IPv6 address") + ipv6_address = Combine((_full_ipv6_address | _mixed_ipv6_address | _short_ipv6_address).setName("IPv6 address")).setName("IPv6 address") + "IPv6 address (long, short, or mixed form)" + + mac_address = Regex(r'[0-9a-fA-F]{2}([:.-])[0-9a-fA-F]{2}(?:\1[0-9a-fA-F]{2}){4}').setName("MAC address") + "MAC address xx:xx:xx:xx:xx (may also have '-' or '.' delimiters)" + + @staticmethod + def convertToDate(fmt="%Y-%m-%d"): + """ + Helper to create a parse action for converting parsed date string to Python datetime.date + + Params - + - fmt - format to be passed to datetime.strptime (default=C{"%Y-%m-%d"}) + + Example:: + date_expr = pyparsing_common.iso8601_date.copy() + date_expr.setParseAction(pyparsing_common.convertToDate()) + print(date_expr.parseString("1999-12-31")) + prints:: + [datetime.date(1999, 12, 31)] + """ + def cvt_fn(s,l,t): + try: + return datetime.strptime(t[0], fmt).date() + except ValueError as ve: + raise ParseException(s, l, str(ve)) + return cvt_fn + + @staticmethod + def convertToDatetime(fmt="%Y-%m-%dT%H:%M:%S.%f"): + """ + Helper to create a parse action for converting parsed datetime string to Python datetime.datetime + + Params - + - fmt - format to be passed to datetime.strptime (default=C{"%Y-%m-%dT%H:%M:%S.%f"}) + + Example:: + dt_expr = pyparsing_common.iso8601_datetime.copy() + dt_expr.setParseAction(pyparsing_common.convertToDatetime()) + print(dt_expr.parseString("1999-12-31T23:59:59.999")) + prints:: + [datetime.datetime(1999, 12, 31, 23, 59, 59, 999000)] + """ + def cvt_fn(s,l,t): + try: + return datetime.strptime(t[0], fmt) + except ValueError as ve: + raise ParseException(s, l, str(ve)) + return cvt_fn + + iso8601_date = Regex(r'(?P<year>\d{4})(?:-(?P<month>\d\d)(?:-(?P<day>\d\d))?)?').setName("ISO8601 date") + "ISO8601 date (C{yyyy-mm-dd})" + + iso8601_datetime = Regex(r'(?P<year>\d{4})-(?P<month>\d\d)-(?P<day>\d\d)[T ](?P<hour>\d\d):(?P<minute>\d\d)(:(?P<second>\d\d(\.\d*)?)?)?(?P<tz>Z|[+-]\d\d:?\d\d)?').setName("ISO8601 datetime") + "ISO8601 datetime (C{yyyy-mm-ddThh:mm:ss.s(Z|+-00:00)}) - trailing seconds, milliseconds, and timezone optional; accepts separating C{'T'} or C{' '}" + + uuid = Regex(r'[0-9a-fA-F]{8}(-[0-9a-fA-F]{4}){3}-[0-9a-fA-F]{12}').setName("UUID") + "UUID (C{xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx})" + + _html_stripper = anyOpenTag.suppress() | anyCloseTag.suppress() + @staticmethod + def stripHTMLTags(s, l, tokens): + """ + Parse action to remove HTML tags from web page HTML source + + Example:: + # strip HTML links from normal text + text = '<td>More info at the <a href="http://pyparsing.wikispaces.com">pyparsing</a> wiki page</td>' + td,td_end = makeHTMLTags("TD") + table_text = td + SkipTo(td_end).setParseAction(pyparsing_common.stripHTMLTags)("body") + td_end + + print(table_text.parseString(text).body) # -> 'More info at the pyparsing wiki page' + """ + return pyparsing_common._html_stripper.transformString(tokens[0]) + + _commasepitem = Combine(OneOrMore(~Literal(",") + ~LineEnd() + Word(printables, excludeChars=',') + + Optional( White(" \t") ) ) ).streamline().setName("commaItem") + comma_separated_list = delimitedList( Optional( quotedString.copy() | _commasepitem, default="") ).setName("comma separated list") + """Predefined expression of 1 or more printable words or quoted strings, separated by commas.""" + + upcaseTokens = staticmethod(tokenMap(lambda t: _ustr(t).upper())) + """Parse action to convert tokens to upper case.""" + + downcaseTokens = staticmethod(tokenMap(lambda t: _ustr(t).lower())) + """Parse action to convert tokens to lower case.""" + + +if __name__ == "__main__": + + selectToken = CaselessLiteral("select") + fromToken = CaselessLiteral("from") + + ident = Word(alphas, alphanums + "_$") + + columnName = delimitedList(ident, ".", combine=True).setParseAction(upcaseTokens) + columnNameList = Group(delimitedList(columnName)).setName("columns") + columnSpec = ('*' | columnNameList) + + tableName = delimitedList(ident, ".", combine=True).setParseAction(upcaseTokens) + tableNameList = Group(delimitedList(tableName)).setName("tables") + + simpleSQL = selectToken("command") + columnSpec("columns") + fromToken + tableNameList("tables") + + # demo runTests method, including embedded comments in test string + simpleSQL.runTests(""" + # '*' as column list and dotted table name + select * from SYS.XYZZY + + # caseless match on "SELECT", and casts back to "select" + SELECT * from XYZZY, ABC + + # list of column names, and mixed case SELECT keyword + Select AA,BB,CC from Sys.dual + + # multiple tables + Select A, B, C from Sys.dual, Table2 + + # invalid SELECT keyword - should fail + Xelect A, B, C from Sys.dual + + # incomplete command - should fail + Select + + # invalid column name - should fail + Select ^^^ frox Sys.dual + + """) + + pyparsing_common.number.runTests(""" + 100 + -100 + +100 + 3.14159 + 6.02e23 + 1e-12 + """) + + # any int or real number, returned as float + pyparsing_common.fnumber.runTests(""" + 100 + -100 + +100 + 3.14159 + 6.02e23 + 1e-12 + """) + + pyparsing_common.hex_integer.runTests(""" + 100 + FF + """) + + import uuid + pyparsing_common.uuid.setParseAction(tokenMap(uuid.UUID)) + pyparsing_common.uuid.runTests(""" + 12345678-1234-5678-1234-567812345678 + """) diff --git a/venv/Lib/site-packages/setuptools/archive_util.py b/venv/Lib/site-packages/setuptools/archive_util.py new file mode 100644 index 0000000..0f70284 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/archive_util.py @@ -0,0 +1,205 @@ +"""Utilities for extracting common archive formats""" + +import zipfile +import tarfile +import os +import shutil +import posixpath +import contextlib +from distutils.errors import DistutilsError + +from pkg_resources import ensure_directory + +__all__ = [ + "unpack_archive", "unpack_zipfile", "unpack_tarfile", "default_filter", + "UnrecognizedFormat", "extraction_drivers", "unpack_directory", +] + + +class UnrecognizedFormat(DistutilsError): + """Couldn't recognize the archive type""" + + +def default_filter(src, dst): + """The default progress/filter callback; returns True for all files""" + return dst + + +def unpack_archive( + filename, extract_dir, progress_filter=default_filter, + drivers=None): + """Unpack `filename` to `extract_dir`, or raise ``UnrecognizedFormat`` + + `progress_filter` is a function taking two arguments: a source path + internal to the archive ('/'-separated), and a filesystem path where it + will be extracted. The callback must return the desired extract path + (which may be the same as the one passed in), or else ``None`` to skip + that file or directory. The callback can thus be used to report on the + progress of the extraction, as well as to filter the items extracted or + alter their extraction paths. + + `drivers`, if supplied, must be a non-empty sequence of functions with the + same signature as this function (minus the `drivers` argument), that raise + ``UnrecognizedFormat`` if they do not support extracting the designated + archive type. The `drivers` are tried in sequence until one is found that + does not raise an error, or until all are exhausted (in which case + ``UnrecognizedFormat`` is raised). If you do not supply a sequence of + drivers, the module's ``extraction_drivers`` constant will be used, which + means that ``unpack_zipfile`` and ``unpack_tarfile`` will be tried, in that + order. + """ + for driver in drivers or extraction_drivers: + try: + driver(filename, extract_dir, progress_filter) + except UnrecognizedFormat: + continue + else: + return + else: + raise UnrecognizedFormat( + "Not a recognized archive type: %s" % filename + ) + + +def unpack_directory(filename, extract_dir, progress_filter=default_filter): + """"Unpack" a directory, using the same interface as for archives + + Raises ``UnrecognizedFormat`` if `filename` is not a directory + """ + if not os.path.isdir(filename): + raise UnrecognizedFormat("%s is not a directory" % filename) + + paths = { + filename: ('', extract_dir), + } + for base, dirs, files in os.walk(filename): + src, dst = paths[base] + for d in dirs: + paths[os.path.join(base, d)] = src + d + '/', os.path.join(dst, d) + for f in files: + target = os.path.join(dst, f) + target = progress_filter(src + f, target) + if not target: + # skip non-files + continue + ensure_directory(target) + f = os.path.join(base, f) + shutil.copyfile(f, target) + shutil.copystat(f, target) + + +def unpack_zipfile(filename, extract_dir, progress_filter=default_filter): + """Unpack zip `filename` to `extract_dir` + + Raises ``UnrecognizedFormat`` if `filename` is not a zipfile (as determined + by ``zipfile.is_zipfile()``). See ``unpack_archive()`` for an explanation + of the `progress_filter` argument. + """ + + if not zipfile.is_zipfile(filename): + raise UnrecognizedFormat("%s is not a zip file" % (filename,)) + + with zipfile.ZipFile(filename) as z: + for info in z.infolist(): + name = info.filename + + # don't extract absolute paths or ones with .. in them + if name.startswith('/') or '..' in name.split('/'): + continue + + target = os.path.join(extract_dir, *name.split('/')) + target = progress_filter(name, target) + if not target: + continue + if name.endswith('/'): + # directory + ensure_directory(target) + else: + # file + ensure_directory(target) + data = z.read(info.filename) + with open(target, 'wb') as f: + f.write(data) + unix_attributes = info.external_attr >> 16 + if unix_attributes: + os.chmod(target, unix_attributes) + + +def _resolve_tar_file_or_dir(tar_obj, tar_member_obj): + """Resolve any links and extract link targets as normal files.""" + while tar_member_obj is not None and ( + tar_member_obj.islnk() or tar_member_obj.issym()): + linkpath = tar_member_obj.linkname + if tar_member_obj.issym(): + base = posixpath.dirname(tar_member_obj.name) + linkpath = posixpath.join(base, linkpath) + linkpath = posixpath.normpath(linkpath) + tar_member_obj = tar_obj._getmember(linkpath) + + is_file_or_dir = ( + tar_member_obj is not None and + (tar_member_obj.isfile() or tar_member_obj.isdir()) + ) + if is_file_or_dir: + return tar_member_obj + + raise LookupError('Got unknown file type') + + +def _iter_open_tar(tar_obj, extract_dir, progress_filter): + """Emit member-destination pairs from a tar archive.""" + # don't do any chowning! + tar_obj.chown = lambda *args: None + + with contextlib.closing(tar_obj): + for member in tar_obj: + name = member.name + # don't extract absolute paths or ones with .. in them + if name.startswith('/') or '..' in name.split('/'): + continue + + prelim_dst = os.path.join(extract_dir, *name.split('/')) + + try: + member = _resolve_tar_file_or_dir(tar_obj, member) + except LookupError: + continue + + final_dst = progress_filter(name, prelim_dst) + if not final_dst: + continue + + if final_dst.endswith(os.sep): + final_dst = final_dst[:-1] + + yield member, final_dst + + +def unpack_tarfile(filename, extract_dir, progress_filter=default_filter): + """Unpack tar/tar.gz/tar.bz2 `filename` to `extract_dir` + + Raises ``UnrecognizedFormat`` if `filename` is not a tarfile (as determined + by ``tarfile.open()``). See ``unpack_archive()`` for an explanation + of the `progress_filter` argument. + """ + try: + tarobj = tarfile.open(filename) + except tarfile.TarError as e: + raise UnrecognizedFormat( + "%s is not a compressed or uncompressed tar file" % (filename,) + ) from e + + for member, final_dst in _iter_open_tar( + tarobj, extract_dir, progress_filter, + ): + try: + # XXX Ugh + tarobj._extract_member(member, final_dst) + except tarfile.ExtractError: + # chown/chmod/mkfifo/mknode/makedev failed + pass + + return True + + +extraction_drivers = unpack_directory, unpack_zipfile, unpack_tarfile diff --git a/venv/Lib/site-packages/setuptools/build_meta.py b/venv/Lib/site-packages/setuptools/build_meta.py new file mode 100644 index 0000000..9dfb2f2 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/build_meta.py @@ -0,0 +1,281 @@ +"""A PEP 517 interface to setuptools + +Previously, when a user or a command line tool (let's call it a "frontend") +needed to make a request of setuptools to take a certain action, for +example, generating a list of installation requirements, the frontend would +would call "setup.py egg_info" or "setup.py bdist_wheel" on the command line. + +PEP 517 defines a different method of interfacing with setuptools. Rather +than calling "setup.py" directly, the frontend should: + + 1. Set the current directory to the directory with a setup.py file + 2. Import this module into a safe python interpreter (one in which + setuptools can potentially set global variables or crash hard). + 3. Call one of the functions defined in PEP 517. + +What each function does is defined in PEP 517. However, here is a "casual" +definition of the functions (this definition should not be relied on for +bug reports or API stability): + + - `build_wheel`: build a wheel in the folder and return the basename + - `get_requires_for_build_wheel`: get the `setup_requires` to build + - `prepare_metadata_for_build_wheel`: get the `install_requires` + - `build_sdist`: build an sdist in the folder and return the basename + - `get_requires_for_build_sdist`: get the `setup_requires` to build + +Again, this is not a formal definition! Just a "taste" of the module. +""" + +import io +import os +import sys +import tokenize +import shutil +import contextlib +import tempfile + +import setuptools +import distutils + +from pkg_resources import parse_requirements + +__all__ = ['get_requires_for_build_sdist', + 'get_requires_for_build_wheel', + 'prepare_metadata_for_build_wheel', + 'build_wheel', + 'build_sdist', + '__legacy__', + 'SetupRequirementsError'] + + +class SetupRequirementsError(BaseException): + def __init__(self, specifiers): + self.specifiers = specifiers + + +class Distribution(setuptools.dist.Distribution): + def fetch_build_eggs(self, specifiers): + specifier_list = list(map(str, parse_requirements(specifiers))) + + raise SetupRequirementsError(specifier_list) + + @classmethod + @contextlib.contextmanager + def patch(cls): + """ + Replace + distutils.dist.Distribution with this class + for the duration of this context. + """ + orig = distutils.core.Distribution + distutils.core.Distribution = cls + try: + yield + finally: + distutils.core.Distribution = orig + + +@contextlib.contextmanager +def no_install_setup_requires(): + """Temporarily disable installing setup_requires + + Under PEP 517, the backend reports build dependencies to the frontend, + and the frontend is responsible for ensuring they're installed. + So setuptools (acting as a backend) should not try to install them. + """ + orig = setuptools._install_setup_requires + setuptools._install_setup_requires = lambda attrs: None + try: + yield + finally: + setuptools._install_setup_requires = orig + + +def _get_immediate_subdirectories(a_dir): + return [name for name in os.listdir(a_dir) + if os.path.isdir(os.path.join(a_dir, name))] + + +def _file_with_extension(directory, extension): + matching = ( + f for f in os.listdir(directory) + if f.endswith(extension) + ) + try: + file, = matching + except ValueError: + raise ValueError( + 'No distribution was found. Ensure that `setup.py` ' + 'is not empty and that it calls `setup()`.') + return file + + +def _open_setup_script(setup_script): + if not os.path.exists(setup_script): + # Supply a default setup.py + return io.StringIO(u"from setuptools import setup; setup()") + + return getattr(tokenize, 'open', open)(setup_script) + + +class _BuildMetaBackend(object): + + def _fix_config(self, config_settings): + config_settings = config_settings or {} + config_settings.setdefault('--global-option', []) + return config_settings + + def _get_build_requires(self, config_settings, requirements): + config_settings = self._fix_config(config_settings) + + sys.argv = sys.argv[:1] + ['egg_info'] + \ + config_settings["--global-option"] + try: + with Distribution.patch(): + self.run_setup() + except SetupRequirementsError as e: + requirements += e.specifiers + + return requirements + + def run_setup(self, setup_script='setup.py'): + # Note that we can reuse our build directory between calls + # Correctness comes first, then optimization later + __file__ = setup_script + __name__ = '__main__' + + with _open_setup_script(__file__) as f: + code = f.read().replace(r'\r\n', r'\n') + + exec(compile(code, __file__, 'exec'), locals()) + + def get_requires_for_build_wheel(self, config_settings=None): + config_settings = self._fix_config(config_settings) + return self._get_build_requires( + config_settings, requirements=['wheel']) + + def get_requires_for_build_sdist(self, config_settings=None): + config_settings = self._fix_config(config_settings) + return self._get_build_requires(config_settings, requirements=[]) + + def prepare_metadata_for_build_wheel(self, metadata_directory, + config_settings=None): + sys.argv = sys.argv[:1] + [ + 'dist_info', '--egg-base', metadata_directory] + with no_install_setup_requires(): + self.run_setup() + + dist_info_directory = metadata_directory + while True: + dist_infos = [f for f in os.listdir(dist_info_directory) + if f.endswith('.dist-info')] + + if ( + len(dist_infos) == 0 and + len(_get_immediate_subdirectories(dist_info_directory)) == 1 + ): + + dist_info_directory = os.path.join( + dist_info_directory, os.listdir(dist_info_directory)[0]) + continue + + assert len(dist_infos) == 1 + break + + # PEP 517 requires that the .dist-info directory be placed in the + # metadata_directory. To comply, we MUST copy the directory to the root + if dist_info_directory != metadata_directory: + shutil.move( + os.path.join(dist_info_directory, dist_infos[0]), + metadata_directory) + shutil.rmtree(dist_info_directory, ignore_errors=True) + + return dist_infos[0] + + def _build_with_temp_dir(self, setup_command, result_extension, + result_directory, config_settings): + config_settings = self._fix_config(config_settings) + result_directory = os.path.abspath(result_directory) + + # Build in a temporary directory, then copy to the target. + os.makedirs(result_directory, exist_ok=True) + with tempfile.TemporaryDirectory(dir=result_directory) as tmp_dist_dir: + sys.argv = (sys.argv[:1] + setup_command + + ['--dist-dir', tmp_dist_dir] + + config_settings["--global-option"]) + with no_install_setup_requires(): + self.run_setup() + + result_basename = _file_with_extension( + tmp_dist_dir, result_extension) + result_path = os.path.join(result_directory, result_basename) + if os.path.exists(result_path): + # os.rename will fail overwriting on non-Unix. + os.remove(result_path) + os.rename(os.path.join(tmp_dist_dir, result_basename), result_path) + + return result_basename + + def build_wheel(self, wheel_directory, config_settings=None, + metadata_directory=None): + return self._build_with_temp_dir(['bdist_wheel'], '.whl', + wheel_directory, config_settings) + + def build_sdist(self, sdist_directory, config_settings=None): + return self._build_with_temp_dir(['sdist', '--formats', 'gztar'], + '.tar.gz', sdist_directory, + config_settings) + + +class _BuildMetaLegacyBackend(_BuildMetaBackend): + """Compatibility backend for setuptools + + This is a version of setuptools.build_meta that endeavors + to maintain backwards + compatibility with pre-PEP 517 modes of invocation. It + exists as a temporary + bridge between the old packaging mechanism and the new + packaging mechanism, + and will eventually be removed. + """ + def run_setup(self, setup_script='setup.py'): + # In order to maintain compatibility with scripts assuming that + # the setup.py script is in a directory on the PYTHONPATH, inject + # '' into sys.path. (pypa/setuptools#1642) + sys_path = list(sys.path) # Save the original path + + script_dir = os.path.dirname(os.path.abspath(setup_script)) + if script_dir not in sys.path: + sys.path.insert(0, script_dir) + + # Some setup.py scripts (e.g. in pygame and numpy) use sys.argv[0] to + # get the directory of the source code. They expect it to refer to the + # setup.py script. + sys_argv_0 = sys.argv[0] + sys.argv[0] = setup_script + + try: + super(_BuildMetaLegacyBackend, + self).run_setup(setup_script=setup_script) + finally: + # While PEP 517 frontends should be calling each hook in a fresh + # subprocess according to the standard (and thus it should not be + # strictly necessary to restore the old sys.path), we'll restore + # the original path so that the path manipulation does not persist + # within the hook after run_setup is called. + sys.path[:] = sys_path + sys.argv[0] = sys_argv_0 + + +# The primary backend +_BACKEND = _BuildMetaBackend() + +get_requires_for_build_wheel = _BACKEND.get_requires_for_build_wheel +get_requires_for_build_sdist = _BACKEND.get_requires_for_build_sdist +prepare_metadata_for_build_wheel = _BACKEND.prepare_metadata_for_build_wheel +build_wheel = _BACKEND.build_wheel +build_sdist = _BACKEND.build_sdist + + +# The legacy backend +__legacy__ = _BuildMetaLegacyBackend() diff --git a/venv/Lib/site-packages/setuptools/cli-32.exe b/venv/Lib/site-packages/setuptools/cli-32.exe new file mode 100644 index 0000000000000000000000000000000000000000..b1487b7819e7286577a043c7726fbe0ca1543083 GIT binary patch literal 65536 zcmeFae|%KMxj%k3yGc&ShO@v10t8qfC>m5WpovRhA=wa=z=p_%6%z1@blsvwI0vv2 zNIY4alVK~j)mwY3trY!Sy|tffZ$+^cObBMdpZutbN^PuECoa`kXb2K>zVBzw<_Fq) zU-$d^{_*|%@qt&)nVIv<%rnnC&oeX6JTqHy>n_PINs<G9rYTAL@TPx0@%--}9r!$a z((i^#&t<$Zd7o|Z8<TGd-?_=NVdM9{v+=gOJh$I=_ub!9J^yrvXQOtv=gzx5rAw<k zcYSZ|9am>%4a-Xw9jfY!Ot@}WQUBkK=MqH|Mf{(O%J6=?F0E)R-u5-_q9XB5EmFjL zRMB1HZ7a&fd)b}0hpCKjVjS>G(qfxk>Uow`_J8Y;?6yo>h9td;lqFW`r_=Cu;je?@ zJ}aCeNvRaYzy7!6vsuJK8t7Ip04X137Vm)<B}y|cNYZo>`v3N5I`@q}=|CK){8#_3 zR`1xV;$zJbJP0ppD|Paae;!F%bM?lxx2d-wfQV@O6ujTW-;jSkRCTolCLPMh2Nx=) zGP{NVA?TB&mP=FqZ|whc3RJSvJUJGyHOs!nBie<k<-z=e)r`kVud+vM0lsONB<Y9b z0<+))qcqReE=`GTutop6y*iN=`x&*3EzZknc4W?3rP&uIJaeXK<D%wvS9N4nkT;0D zPW$-+vpsE9St6ytWVaCXsHU`%GVdR^wE=Xv01fto0vp%r_OvPOWj3j{W@V_Y;fxbp zySskme5v4&(U>PA7G%%m<=|b-UJ~!-boN$bi#jT{Hcy&A=Niq?KHpr`Y-?=MzKk{I zIl-)f*v>o`q`5M7OP+gKtTfLZsOCS(qPDr~x8=!_5`6-VLD0EMY5XaI$Uqq@V-Jap zR-V}6Ja=V~*CHdz@F4Rb<?;{KZ*yd>ij_JtwPEG;g{#zT!Uq*Py$3gDv`Z2tYF|X8 zYEi!^3#I2mi!9?8K!AuX>_C;=ltI=m5eE7*@I4UZ&p}=3ho&bc^h3P|C;`K|s)PJt z@!8GLOb})@Yp*SMou>fLhC@WZw%7ar>1Sm0aW&hPm&@Wqv5z<cJW4gM&zmkfJJ+a@ zj6&r=dVrlbR^{dLe--p{MqAX8%7LY}g_XQXq&T82+UL#6!luP}xs6BE?<fb3E#r6f ze^S%+ZFw$9UEExnmrHC?k~jf28Qa}v(?%Aw6cJb9i=;f%LL7GNV)O&mRYm+WAK2)J zoc6N?AE0A$CG}^`sG(_iS>i_&0GwOEjRhPMrYB*+WA64e$@ELiFO?ay?gvgcC<n$Y z<L^1CK%h$vSZG@q;PL(x?eqG1V1nyS(*z5;SA+M!_HB5xgCaCQzioLANgKIa^30b| zP)0-wnAuW?PuhpB1D*9VD+*d7r2(|XN$tU(8-F?I^V~ojiGY&$x^&Sr^ySP^J_*UW zrARijT__0kuL5&8h*xu#MI`axM$bS5AWndQ;JM+aKJrO?BE}`X#TVcgz$PT9E&8Dq zZ6JXIg6WKy%Zx0-)XbKtWRx0n<OM3tY=>1!dbl2?B=#{!9_2$Llg!~3%n@58CG`RW z1LPlkk=p2eFSa3N`&F?g@~A1mHitQyVq0yNK4^CN8joui^5gTpuf^0f+qMtEYVL?F z$fu`~#PaZA)VQ4Amx;XbZ%EJqQT~UlXZwx7HHW!>vn=MgCVU7v0(=qWSe%!~9KS(N zgLM=3LHzO$mU+*{wx!#)wXd#auhgvU=lF&*IVnT+hZ`~0nCHPOETKA3I;S!sQ8$^{ zZcv4UbEsTEpxvZ3yazYCQD1%G)vA+(ndH~oy5$RmDNA{h9?j)8QlvdBd-|V!63d!_ zr{P-1vS(7D+|itM9Rk61MnI<ijY!Ly%7^jv=YUlg`cLmOwOJ@HClJm79G^?wO8q+) z2vf7m?6nYbY6S#*GNiuY5H+x^+G@?tJP#TL9re>+K~KhBa?C)KKh+E*p-K?e54p;H z-uNb0vkbWyR)1lbnp%G$OG`vjpo}PU*o}&pp;`PEODluTuiNcFBFmELneD_AsyG+G zkGm*r)oMJHmxrXL#=Plxfj%;6&nXBm<I#%{teK#)2aU^vKFj+G2|d8ZfX<DYT4pfZ zfo|^HD@jrnxXrnoJ(D*BEsHtwkuBFp`spvA2GpIQLK~G_Fij)vWt2{I(c2x~KW)!t zCOE{y+%GQUQ^og%kazlaaoZ=NV(uK8O?>)d`#6i)km>UtDzrb-*V{hPU&@;WB&3=+ zxL1-^s(vuM%+x$5wc!b>TMmX_2j=|8Kt*)b-4;r#_ff_ny|oEKpX@DE=!THWD9l;8 zEWjV=HO&BTAtLP*tp;IMlM0_Vn8(sUqI$?Nv_U1G^tEZC@of=jxa%BH_{Ai!MYo}y zE@)vjviC#f;TCVZ=HXtX$EDFgCrJNz+eAX#tsgc!-#{X?u;vu7>K}|6xr+Y+O$ixV zZ+D5)r){a?S581&?=jW!dQYD^njLNZDwQ49Kbq9~QJUTP@Z(p`mlCNjK7uj2dw$*y z?Fs@NOQ3Fcxb;G+-Z81QBhBuJS%CWlpf9gp&E>m+$xzI$NMcrT+APveYg4QEVhkj# zC+2qrf~MxI;{Q2Zk_`Xps%rkG7-Dkc{@y;QZ4Oz0#y`#fgd*BZP3DWK6>a+@*L<mM zcZ+wv6pXlQp*qv|N$8nGnzy|!owe_wFT`9w_5eJz=cRm7?ApYLBWTQ~Z~Xh0d`OLq zTT$CqaQsCoH<7xV;0<Sr-s;g0IvOs}L}lA&k-l0$xByYj4z~8BGDno!&c4z=oz(hi z8grx*iDYlPN`q&LaV@ehXt=Ne8MeK-x}c@DjsM$J%twl6LU~JSD&H^}!^3Q<i@!_g zv@vrzI}>D@EZXPo+Bl`5Zw>0+GLF5OFNogis^p(SM>i~SO7+N+7^b&-f@XG3hYwRL zs{rPg^&WTKXuZW1;J*Vf^E(^LEqH+VoqCH0;~Qle%pqFtZQVGjSX7wPu*PZbFwOi{ zG*lGy6QCZdX|wX?4#`^~>lfT8wQf{0k4{L2{|oR+{f=JfFn@0V9WOeR5QLU=M!U6~ zB7d(sir<zi(J(xWuRwrR^cpgzK1ceMKSTyn=7h94qQ})c3tBJ-kufbC-S8FZ{*A-+ z;wE$p2;6zcG#Z^Q=wCTDUVHvM{Uf{T%s<wYuE%Y9r%meyA9u+1R(iScdR70ky|pt% zO*{K56g<p=`;6dF!Rj_V9Z4Kex3fBWL}~ny1nH|{??HFC&$rtV!@%g$GEs~YjUt-3 zyg5y8xAoVl=3`2GjRmRwg}nzj?Kb^myE<wR3=lWy37hs;ROnh+ySnXsoC;P)_ZOlx zK7zQFs(oe^qFNu3t$Ssyg|9J2k2}y#^%uW0`}(%CH2YD#%Pcs^MniW#E!k`h>Z!)# z>Ws#2b>jJh;6zDv(pxgML&lgyPQ#zcbb!!sgpiDoqu{tG6%!Ja>nvz7KufAa>qaA# z=oV|HC9oE}Y-%~C<~B7KIy+)gcYDw!`k|a8<5gBx6?_n^Hfnl`YGk#JRXDw`Y3W5Z zF72K~Dqd=&sK!kRIocXZ$WcQ@HMx}F(UwwzM=dX^$<yW*)lApsLU0ONe1#L$wDK}< z+m`P7xi@OFy|1a`^g5Sax&QBIL?i`BM9fM)?J~l{Rc2^%VhrUz829&peWXrWCnHlz z(^x9cG-`TL;&SCcT7aJf@*!}hy(}@hIc?50YSx@pYQ~(aH5qypGnehQvcielAG{aU zX~0_@&*J%hxyYZhxenZpYC#MBj39u^sFM>J%<uNLp{5+>??vDyuV3EiM+4QdBA;io zzdv6tSFL<#t<s2TfRwNG7HQKrPlW>QrIPdbG7F+JhObn}j(kln(mY$%K{!!5k#)1E ziz+3WTCrR!=CNXVR%|-O_{kh9N!CV3M%Px+KVv3eg)|H^tUYmMQB9Bbm&lY5<g+!A z3q(W{bNLa7G-%8GR2a%BXjxsm@<>uSRpgw1Z~T#cB&t&nSAs!Ug_}|kVHMz$WCS?l zqwD<1@hy6X9b^#7A}+?pyqY#|7U^Uy<!oE$R#G6OIHC7~?928tC#m||`Rwb!vt=?X zUvCU&<zZuqgAMm)Z5TgaQb)3^o#QYflyA_|`O&KZm&VE*-qc-V@o_Xmrh)G=FTI?~ zaUiwZw;@Gy>*X6#P>C%ujL9h3=b(@6wKWGF78?2)w89yy=;G^09Q<ASzGu)Qw(X;0 z{;ohoCMo#dETWJz;bQfN@r_l;$_tKiy+f|A>y^}WR?(y1w&Cj}$@F5L2YsfEL<3pY z8Z-dF^8sAbhP4Aqi=v(obhDs>e#QftDyng66L`)T%)98HH5&8BF<Y>v2#E?5hTb_9 zH2mD~chFE=MQHmw0&)Lo6u2YqKeGV1@zG*g<1#Bwv#zb_%-_+JlMrxKd<~ir3Ze1+ zy(_eP6{~SYKhV+(S~~v~1yt)79UHaSeZ5h0^WBheRNU;+TO4|;1L|kljg`GxMRVY5 zgy-B?`L%XKbD$65%Wkaf(<V0uOoUxGf)z4#f3Kscu6N_X#60DBpQ${*$V`+W)Q3=C zVh%!IBlLCRI)r)=>P<|yYD*~1E|lWFafIgb%{TqMMK!$}&wwd`weq~AJfD%@n)sU_ zUiHfyy0+TP&cgr)(wf;G1RCO$+F-8vOp><HO7p|jNn-Q6t|xsd^WT9I=Ikc$B){h> zOt(p4nn%&aNx*RFpHZMF4f(Ufvk=7?JRPMYo=R06O@dN!hp9(J{WAdZdPL@b!%!G% zLqHJ$fo+g=B{EqW3P?d+m=J67#;*QZ08JwbS`rFm!NrD0j{xSFfN^d-(+{H;KZnVO zq>c^Kn`akV>TQ^)nUX?$=?!SjnvZ-^xEv3@Td*3+ToB$GLi`Q1f1eLu;*Pvh0=OLj zdhtFgHl&UZQ-JSB8KgFySnsCLa+gvITEM<JVb|Z0=_NNbv&@H6(`bHB@Igt@ghI@c zl*U&;NMph*gq!`YU((D;uXAEi{}>T?_A^wxGy~aKk5P9rYN}h!*-ueoBA*hw4DFOr zciPZ8^v@j#d(UsI=5c%~N>l%e$W7+;ycJQ_!+(R9k!HS|Ec90*HCfot5kX%T)t%N- zi~Jqxa4NIzB;-ca!0JvWei7b)=I>ieG+2$PYbd;x;wr_LQoMggi&;CG;F7fIhG-(% zJ!c$nrEc$qdPCdkvnu1mRQk}y|2ztlU(w@aFd)D-lsL#-NVQSwulrLY!m_|0v*K-t zB7y%f8D%CG3s<7iT|s_@7ZVu%+>P|Sc?3OwD#DH8xgHD=<f-VsApaaa9sX=8nv;#Z z`k}l%#O<|7rBhsro=L%+c2xoT1-LwYZBh#O<!BUXr-(Z|lREpYkzkpMTP0~-Q7W02 zwZh$V@M_pc5wh%Sm%o^4qt8t_^m(klPsMxqW>>+Hq9%@@@^GtBaXR79?>LQ?^WZ#C z2`ni`a{1lFpInCsiUb$05edblZ^2mnBP=hXEp>8aJojRG7BaJEcKD<{j}yzhTP#U? z=Aa#XBtim8=Gg?r4Uj`5WN-&1pw{2h8%&)Z;9p{i7uubJoO^Qd2$-{7c$u@ERF>y& zqN~6wdfjPB!z|)D^aBs!k+_=q&oG%~7!{|m@ca2}v;&KPJ2>;78Umj~@P&9JSqLha zzlFYP<2&bKzVZaVB-Mc?2YHnu!LA|`O$fbh{3s#N;_-HA4$=p_MZ|rGufc4|OmzUu z^JPvljA~1&s$+Aa<w()zNx!G<0L@dyGr)f#BOMeS6)ST`QZT9-X)BDf9E^O4EH=;B zE*o==+8m?Sfptj=P=j*yt%Pm3WkA!^$&z|GbdnQQQMu~aAXl=XRo6Mq&w=2&97(@S z($~pS2zk2aJAG=JelIfRnTs4-Gueoy6w{_W-;!`D2U;p&H9!}KX!)wyGt%13G>Z>O zBaXr}qS-H-6;8gFl+j!hB|&HG__QCH?uAZY6+qd0>UH`KS<+@;OtPgV@|*2uh0NaK zb;wtOjM^yvHpr<LUa2YUt!L-)wNxOQvg7UAl}UBoaAs>tzb)z&!{3Y1&uQu2YF0;6 z-&pJkNPw~TIeP9tMbGFy@$3@M*Ts{I=TY%&5zoVT@~P)d6APo+yaISwqj*6}fd26l zSTkcVuiyVH03~%8i#~&ZzGlPMWCA!0Gf#IJR{FI;?gP_@en$)RA<KPQ>9elZzErW? z-z!$}DeP6T*8k_BYkgYiUq~IY)=yyvyM1}}O7uIRM!^y9drD&sLd~O$*hyeu#5%<D zB|MuR{sPa&<4WTs;8UXSCjiNK>=0hc&P=2=ADrQtvtr8#<-kGZK>Z2~i+YDr(2b== zcR`DCps{r;k|OD?J&uqOeF)jSt;!F64YPom7yZ+9fQ}L6K;B(=8G8lk_6m~j6~x@z zCDMtQotu#j_2}HA-lTK8dcDqNby|73nvIwet;T0PM(}dy%>!Xa=e&Wit+N2(1_4tK zJ>Ho&@F}G;2jTj!uGD5=No4gi+tKUoGxifUO6&p|zC}*Q`Nt@!^HZd-C<VXUGE6z} zYOGW~YKVB}>-c2srIvNJB1pwv_RV7Hs}lRAC|1y*^It@P6dqcjDCIs;$|7}n{a0bN zwEnC0YEJ!ETa@VSNVnP}A=G&bfqB<!qf3&BkW{O;I*ahh!r#?-)j-(OIT_(*`<&~w z3HA5cW@%$e`m=&S$*g^tLCz@<0M`kCCyB^pUPuD`kpR{zjc?QYPNne;dVddtKfN`j zaX-DcDvf*Ty+UdHHQvTv;)Yn1ge#yte=uO|J&YiKVh)%++R_{)&I_qiSd0WOwwE}M zKLJhMY%j5@ZER5*pMVy>1mb=`bXK5zVw9e>%7YwwQE9vvGOqVjDG&Y)-L5pEZIaIC zt1d9l3jE3C<x2EN7|!Ysdg9Sts0z6xi~B92`HDn$#vVI|kHS`EJa!sEBl<X=N~|0e z#G}+#WRvWC64CQfBGXLJSBXA?#3B7;AUgP28#eff33<>jm|E(KL}PG`1?WOK18iyR zr@EEK-#D<=?b9-MKLq7qL@AMpXFN*8q(*e^0F2H-_4k1j+Inw(tI~Km%BD8|oIZZL z3U#LP!ouD_m~3*fC^b0{i;`Lh@J}(6VsVI}X;M5&;!2eyMl~<&Z4!WS0Y`~eMhmOX z*{Fz-wZUowjBH+3?(n{;&a#?E?5n&i88K>u>i%i|!DBr`8qsAZj-fVnlD&ENu7UOj zcr8tPJKsdI-m^h@@FMC~8b8KU@3}+S`I1Qgj`G7<7-#jKJJoyip1alQde8Ti=;Qd- zEqbZmLK{d(>TSv1K-&|`*$o3Y^LH_kih}8`ftlRO=24yNSd>_EospK1t)P)MNSMz5 zMFbXV!)H|iohdPqaK2TlCsdyXsw|yVJM_5R`8Fcji2AR-qupV#6XH@LR3unydzvBM z4f~1F_TbC*c}(zSLwgMXgM4Bpq**9!s9VzD=qH!e1;$?DRCY2k%qp0&7j#pf$VRk@ zJ}vAuqB{{t3Z*G@GUUh<RahMtFhwyjk)sMzr4_lDBo%wm1?Ew<pEzDWl-uxWJxW(S zme6Q9$r7u~*=q@WxCI^x)$b=M|BjXmCLRK`hJZRJi82A?y-FLA>=QH+(oZ~6)oG_G zm7oW8n-SZG)I^@nHz|$JLoI;48x87n8XKNR#<&=^F9+-;eGV0gPPh}0%>uwt*&h7^ zikjIJeH*WM^eCR-1*y{y7<3vkDAAj#<hY}|)uZNEl<988lt+1aVQ<1g!t+y1WES>P zqW!0sNgW>q8t;8)$CzynZ~LYZ=TGX#rStC(HZCa)yTB3evmPy_-~(OswN&RE!Vcqf zp@Gi}J#;B+uy|&hmNr=+9n;P-K_62nm1xV3H2SPw#e|IhbXfof`+6|7-a1piP-HwN z7^H{2zdg+^sM$1pNn(G@e>T6pEQuKCV2I4dULmNrfxpt(oApIA)u1V4mx*V)ZKf|V zchNeer}=!|H??#5LN6WbNlX_CYfykKg_THOR9^_2FTwuZg0(8r_mh$V#aE#VnGn{e zeCl;DfP%p?tggB$k@J+TKa!uwd@4m9VSVvf-3M5SiBUWMu?`fM{}^?u#Rg7oj438} zF(JrR5f9(+cj98FDW)K7zZihT$5@OwgKx%nE3=G6vK4Y@Bde<-Gp$1S)m91meo|RL zn<`b;MO(K26BC3>4jV6|nK2@IAd(jIpM#El1d*~p8E?Q^LTFiSdXY#}J?38eXq6wU zILE&{2PF4XZYiYgP2}og_GW_ZL=T`a(o6hRfQ6D1w{88ns)Va232{Fagx$LRq%S0O zl)0Az+ySZ5pA=~!CT4ui_9ihZH^Qxh#U26>6Z7Hbqn#h2z5ie)Ybiu*0bt+kjg>s@ zjA<Te+x6L%J}EKXCyl?tC*6y`SMYZff1{CJnvdz?E#UyIH1B}!gaNm%H|Bp7#ui@( z%oNtXQp6YWU}CIctPO>{aix*=UiZ)(*qFTw&sY<UCyANuK8K{sX1gzSn6XuE_vK0L zzG=hSeU~9x*zTJ}dxI>C@-?(l4s4*jzOJb5O{H-dahv}rm2DF96vkFyo8F5}t^)$F zZ(9oMi~Bo>vl1%_AO0!k4`R(0WECATr`T9CY<emo<caMP7+pC8BYll5)vw8`??*{r zQwa1doJQE+frH9%)8A24O!>DxmPlhFq~FmY!A0jT?5Z*B+?Z-mztE>vHrpWqH$Nq7 znQ$bS14=<K=P<2<wbKUBCzDz~Nwd$g_PdY~mJ)PknIrr-mL;(=XMopVX(6vP9zl!D zG8t8u=>F3%*>!CDalr@dER`@@Y?!6d@*<PA64UCJIO-D{+shmcuo$LBx>vxe+Ey;C zzAb-8pA`ZV>?nizOJLlY2g_U%w^_#AX+&7PCq<)De2EOb$F4aLln1f;?205wZvaM# zVFVXXgXYER?xJ1UNedWLbhw#43pHVVJOXQCT7oAT1xqP@drH6g1<S->K{s|^C-D8~ zII-`VG_Cp(PnuTk%;)M~Y9hy;0G87Oi^b`fGFXmJv{=-iJc*G;s){U*MNc7w4PZX$ zFG5NYGosTWBeCdAJRx94bOr)R^%*-w;fF~?jmJo-7}k16tTxu|e7FZm>vqP@h}UDJ zMb_<%9ulu7Tg2<vB$|&tC^RDTJ7N`%xTwhn&1g*%jMzDVutmMrtSTNQWXCw9mbgHc zSQk?Rq?y?(K)r~>PMX=bAQTgbqx%Agz--_|=gN^3-U*{nC`=`o*^BWB5aoD5zDc^L zbCPah$}ndW(fDOKfCnSmYs?O0|98q>)A^t1Kmi5fV)^NK<0K|?>Ztkpg{wAx87u#* zeqqFx;gPHrpt<9XQ}|ZXmRbrVBf~@9!{b|~w(2b~o%2V>(ripi+vjs*FBxfV+~`j# zwUV4ks{+SXm<c0&r6KeC5rkopzl66j6a9?+$nen{e9~GIIv0{&3jd(>d9E1#@;j=6 z)uOkr_4gLM5-{%ICcH@ey-Dse{MZBUT1zu282Bo>*21v||3a&=U&8)UQ`x`eDO#(a z$+2t;o8*GowEI!b(%StdRN6V}iP(KElBg`U#9@D{z*)%O`vf>Iabn-XiXWl4ADbAC zbxL$JvcOIfTh5KDUbfOny8snu^oxD!YWTy%94p!42i&pJ2V91~3)1fIfdSdg-sO4d z0#s^?wrun5SjhZ6>?CT{-mI^K=Fel0?4c+GlPClQ3ODjHfx<bfb!|YLTAMfm$~F|; zzUi(GI2jc0gto%WFHCQ)PbR4%le@x}%Msf$Gn>-kp8?Z8kIzIS{LZ2kPIYA1qR0t$ zn7?WzV-v+FcYYJ4Hb@syr5~l=QXFk8m(jW!<oq3}hoUN{(zpzPWU;St4WBx5kz$$J zstdZw%J~Xa)f0lN%jHF>w}53gPr_z=9*MvMv}fS8675hU*yDz=>Qxqp`&p8$PzafG z#m<%=%AZ_k$Zh6-SXSFN%1V}W(ZY$4no;C;s{g~%TEA5qZDWZ>Vk4~|HI(T3pO(1a zDly^=Z=limT__6dNkqF<O)qXlFWR+|h=Y&CAT5mkLH;f(3SopqcV`3xyoaI#cJoZI zim;&G0GtxTkTVqo4z&eA!rAH-<PNvS(l(>HhpOr_vsaOh;YYEgH_}4<XGm>}xWc;# zn?;DgBeLc+Ou7F;1!12zVqb04b$E-(L8Pvlop1dlMR<bP+lzA4QYLl#oVuz6cm(EQ z;W=YB{ik))y=}SxV~#Y-JE9cTiWGBJ8vh#n6tWyja?=(jex4Nl0ne6Hft8KlkV35y z+y&dDCbKdpJ6!*f9e$D*QZ(PwG9*?lf;3mNx%oX9!Dm#%Tj>sXK7|7O2c;w@PH!A` z$}(qT%e{);@wHLrOr+~eoF4r(b2T#R>l_%jYgt>r>5{5}aWNyvNppn~*97@Ca5!n) zRB&u!64`2fsMa0iy>Oxm@QbJ?bpB*$d`r@}3#0zCM9#0Uq@}4Awna{XqNUUrOuWc% zslzKgZj_jgN(3Qdj%SMs)!HOMgJ?$SA5m?n;P?V#d2f=I&$4o7cdM>mQ?y*xMg;gx zgc(g7CW7dRu|;*V=I(Ayq5ilg`3a_A7|!c@Ic8!~S)viH$y!IUBc2WN3Q-Bvj^$c3 z5<sx!+AtAP?XbA>`_KmLmGEEV1Gd_1d=iz5E(t<VUtR&}*5~|vF-8WPHZkV-dpSZz zp_pr!Gxc~5uY<A@^EYRi-j}!SIA#*7YuofZ0ZDU<FPT}zCJ=W74^VFOBqlYZ^z9Ct znpJI{sOCq(3^0R-^me(SFPx2e+bIFLTI}*=5Tu69@DqdIKdD`5F%49^IqMZF*38aD z71(fbhEG!8)PhF}%!TM2><dpIQPFbva~SF(6L|_oSg~2j>p!M007t}T351I#sty)U z+#Si`84w_Buz4?P3V#KB5SPf|6%DG44C5i97KEp0qBcViqnfK8ixAqFYTieA`GW(w zAaRLIV{Rh7ntx26`g<b-#gL;{Hz3<k?DQn<ll%HHt7-aNNgEa5Q|P1E;2FVHjLjkQ z`T-Xxw7Q2{9Y#SISPD$<Tbr+rbgU>ie*R0Z-#Na;r%mD}%<5Jvs_7s90pggwVaNJy z;Gz5ncB#LFXNdQ_W-sV26M91L>)3K<zv8-CZ&&nBu)9dR+1}I*&}Lh1fJ$0Sh=Bu1 zZIV!tHtTQUYHDH4Y44xZ5%^qP#jpQBOzXUV(rydFEg-4H)}rs&NhB^VDy~OgsRcp) zBQj;caunT&@|oX7tBL@ERuek?2okS5fdLs%LT$*NCE(OF3x;97gEqE-ocb9DFl2Q! zgtm63uT#EgNyte@*InzB9Z1=+&_xdqJ!aCwM~?tK*3e@^?B#m2W|4N3p`^dmSjEDp zr5EJ*DeEctDj!a93cWB2&A~*29n=53!&rXK`>HxJ|5fbYYy!?SjKig2`8l{-`R#sJ z{y|JM;N@7?!z#|5{daszTz&pedK?9JQ8F;@qU0|0D_iceAI?7tSL#Z>U6e&#kwgbP zkkbtwSlf+Cu<f@_ncfPo253+zF_re*BqkMOz=e-l@dSF=3tHNe6Mx!NOm-RZ<2n>! z2^i*I1ua#Wv>X0&z_aSn73?s&*dqlVd-T@)W9p>J$FO7ZOZr;Fjpb*IiZ0<kj-=(t z)3frtzZVEN)Zu&;5GEyyDoKyR4}t#_Nqfj|4VZ{Qpi+zi1s_y<&#G{Aa&GbPMOY+9 zMu&t)2l!LwN5#q;zBt0;6CDn2Z&SxMOE<QuqarD*i|U-p1COE7rnIv5v>VIdYQtLL z+vF=8tIkQ-iCW8@Pz=4^uQuJ=>}nca<}1w6IQAlU`d|lyHiM6o3qDTHh2A>nrl2_S zA+q^%P|?VQl|Hvwh66uk?P7j%C%U{@zVS76a{Yy?)f|yCw>|CZvLrN|l>4FS+vXAI zH~1Q@M_VFOIwyh-O%sQD3<-Z4nfz%+pMuT$dA}3f(Y)N<c#Ca<Hc{-Aj|5{d<1iXZ zo-tGXE}|+3jBfS)BafO0JZ&L^nBNGx!%&i(k|jT2v%Ep@)Id7GlWuGz+R=G5+`2DW z)a`k83dV!1XXu&z6g?+ALC@Kb)3f+dJlE~aJ}h2YFNxQLN5m`jA@Q2FOT4byiPxhK zrncaPvkrTn6K}_!eR#*Pnmk1DXa@$0c&dc34gYu3$34$Yo-f5ypTaYP)@Z5EAVe%L z79fULyzOojc5hm0T5GmFJpjT`w=@qL21F6dx9}hS>_d<iZ+bBSNLanucs{{|sq9Nu zZ%5j$dIA$Db&Ad%>KL78sm^jCQ2QJXENk|S6i>1Swe1^0VH!|z6vhVJ3d~qpZgqg? zzXJ`{qP%dJwHn(Uw4c1)+4_+yvo*He^{Zd~>O~p~F~0$D{+lmT#%8yz$>m$BosT^* z0nr20&}O%cv?bbkjJiUE8qVZG$Ol*3*xZhC4DtbUv%|~|qj@h=J~GK)1f2?6ni^AS zZU9&Mjpv%9p98c#N(mlVtgend_5~7@=MO8-+r5XkjLvWM1!50n(f5dF84tfLw0Q}( zm*9+g613dxj758q1+@iGGXVyKBgR-iD*K=c=}3jXt{(VYjZ9Vis|CbfrAYwv)gXY_ zQ4v6I3!prr+D<=J)7@%Qhu1Goo8W5RnM%bbM$r5yo02?~go2uOrV+Uka(kl)NYvB= ziJ(Qrc=R;N`2{d8IC6yuvxg}q);OGU*^kC<_2?JJZgJKx9*$a$VY4ft=wFT9f@+7O zj$`$od74}ad%Gmf_rA69AldC`VZZbwE$pF`3rQ)z)dl0=BiP1ZJ-dY$-og#)1bxSP zNgczsgfSnLVGH~D`xwSpJO32GZILW~7K4{qB>)7j@ZQ<NRquK%CdOgGwE<m;>40L* znbh<k|G`<n?<OE)VVDVMWCQ4WfcB5bU=AtqL#CZZ1^b}qlhbb~9C*-Gk;ZxAT`V0Y zybkv}y{}K37*C}jNCD~Cih>GjdU1BZa@I@C(fhvEMh*p00h0JY@9QPky)JkP4t`7= zqP*~?>!A&M*52<x2k*Th{F-zns1|+)7*@OCH45wZaE#_Jpf@pHc?`&iqX9+x9zkQ3 z#(yT{uqtVpS=@!-#!nke{xxk-Yyf0~*(t(n5msJ^!~C*MP!4Ndq{RF@00SGz1&Krf zl7x`PN^-FpYdVe!k1rrQ)O`+Ple1_!S03m=74>zWqxiQFifLao4{wB9^g%?F=gS~0 zM>_u(!b6Igk78KGX%zF_BQvo$i2dd%>Ll%S;>zYS8{}-d^88%#^8m>@n(H6JN4eBH z0j1d%dV4m1hFL&aSv{tK$Ix%EF=8gH*LA?R>-5G>76)qa5?U!q{5zOkM$(KDXRO2( zGaf}bx2|K?&R=KDobU79gq@AE{9S-_z5ubTUu>V?@OfJ|ccbj>v{^6<LJ%vN_+lT5 zs+VQoBJBbzaqyAIfg+76Ibk<ohp|+arK#>CO_g}6Xg2YP5?z6EY1!XzyS@qf0Ycyo zuOK0K^{@C^(P8ojvDHkzYo|CVWwttu893J<y#^+hB@U&rn!3T0f)?HX1<Az8=m$z; z84_P?0&WlocJb_!`cw(tn=;==vp-BaJ7}^<vkj)5GB<|@BxD3D3m20zCAX#9AzLA% zHeAJuNh-{DyURAfZT&N3>rN%fv?<X)A_D19F*sY|SK`=n3hiSh@}3UycJ4WiH(bHN zbUmqcI2E<H#I??F`i~;nm*C<{G3o5OtmefzxlK(?W9UPt^?{_R4jL<mG)z;|t{nRI z35>GnumQA32}vG6{NITX#smVXGT-f&W{?OLdm#JQzu|LRVj9_7JPjAE=2mf)a`9Ab zAy_6`@*nHK5Zl4;M_QX+{4AWn;AI>6ng`K$p?E4K0IPv1nYAu|;3Z1JysS<AUUB&Z z&@#*(cou0$s4dFTZe<VbvtnZq!)oOs{F}_@DHn%f0h22Bz;l-Xygvx=wvPbJ=czn? za4`J^1Sw++(os(-O7^h_4k30Gv1ow*3jo*yuOlp`=K1je*G1A%BvDKgg|#5YBM4&7 z6Fcw+#8`T96Shm$F-4CMRvOmRzlU3yc>^y2SSS?R4u@cwoDv##^y~sxs3TZ9P{;%d zV4{fxRJ6JmKGh2ygURWXjF~(9skC^I_ki6)F#9EEOd#ZJVmWw7$<^jN><83bny&>Y zLev|G5KaS;mcdAD^#EG;S!iW2dlFE;4^Gs>Ag}%LHh~9<rUs`{k*H`89YP}tZwN9_ z5Nb4>{Qrg)EWdHM7sD`c1JExBvYFoV>hx-(khc<7V#FIC<h0_$S~x^Q-Xqi}81h0S z`z(%QOf59lZteEL8@Cf<Egd#yUDjAzwgL0B?HFrwc{U|)Sf3nluR1}w+xceXKz4pV zDF<3R#md&RV)B~jccRiE>scXhtpKePdPzHNO}c{S>_$Md+4Z2J`3~AJd3QY$$aFIX z`~CFMe8)VB4>GIofqW${KcIdLn~0fokH)b<em8~*vP0#B*Wwcfs_7_=ve2~sD0Cwh z4X~qPqW%M5l^nSL-&NiFUsQeeSbx>K{=2Hp>_(s@oc@#bn%UH3)&+`=hYRR5kn9dZ z4t}=DW@k4MKznW507XWFA~^)<B}jO2XA!N;-9#m#*l;v`Co<_-f^MC^gCL=EAEC~D z;8WB52Ias8vj}~36ULEv*{WTgK1{L~8r$6<UY<ovHi3v~o-iID>W8V7CdN|4i6qAM z4ebxmQmUl=ftwL8iI;^*g+j63Erc38A%+wZ;C|f;g&~0xDhNPW0h~tJdNR=LCeA_F z+`OLKFu)Did$N&(XP^abKo7X0_}Qc+i1%iQ04)<N6RtU%hyow&e})9WON1!ABurbj zSe5(+yGE=FcDHWzM$lQ1Z?>CA%1Iyuqv1qukiSCW1Bc&-h@49tFbOAM`K$%MhYGq; z(=Mdb8GBlv@Exc~)FVe+e8f?}(3glDZXwD$X&-}Zr%EHufLK``s0(E{f(m10Gpv~1 zip{cOe+QoUHphy6YQ=n3>^&=1YQ<i&V&ztBzZF|mOkGKpJVOZ}R|iHdYfRoAhPD`o zCJfAjO>5Ar<~s<uzn7}5Uivr6h%|Jr#I~<T-l^66Eav$kuMl+A-Czo(;)D~h21A_* zQ`$fw6Ok*(FQ;<(B5a<J1c>h2oIp|=g`GTNh0%lGX3!tM2{;A|w$fM&6xeLy#&FBW zLg$8`qxT*s`p<kP{FI20Bq8#+h)~a(@94z@fxIM8dq{xP(RwifN@|u~OhA%2g_*aT zWO5IE*-dg3Po<1&m-?_UCn%BE66HNfnNu2R6tx5x!vsx*e~$$I3b+71-N?j8VH#)w z2u!(M#6@{R?1`9`T<@Vo{xRYha7AVO8L$Pq_Kxt1N(i1+U@-~+tM2Jnl;!>0eF79t za`&uDxqFzE1tpCq?*5dbmvA>3m(ux<kWSVVOF6@ag?XYYR>Ap^S5b0}94oOE(<En$ z!u;GijRYIYiiCzU!>x6)Op5~OTCvw2;0wtUob>WYcvweLn*2RYH5c0bU(rF-f+I~e zJ?;Jr(tMPJ0|^`4<^~5H^sJ2edjcqjt{$0)Qv~`U4^)Gz(0`5=KwY!|f-Tvtyx{Mh z>UY-HodcW0prhZm;p_foQ6+hf2l<u`8iBB-=?pz}zcz*!!uA`N$aE~WIpFqu4VnV? zo-95=e42t!iI1_GgLA`ZxTinmQW}4NG`2+6JNk^_*djq;ddC;~VR*GW0Rc<))4~;g z2LDMLdW{_CRVQa6OiuGzWHovkZVzODhQ2)jTTloaCA8|ORvPQ6bQ~a?8!NZrbl8%d z{GLVLi#U9?eL^*zV&kXaC_#%Te{Z5fKkPxRwAFGijIrd5F`k?;MzdBpU9)32kS*M< zlV`D$N30zl6+ZY?Rh9fosNJat!B{j>Ohc{B6>^iD7!8eD4O5Y*?yiCAaCS<~NYV+e zhRHr%y%HyDErVkvwwGnv>kvLO-rTR7pmo&@vJdL!n2n#~q3B!C%!r+T--lM~JvOCr zmX&ZPC4eH3zMZf!;lp@*Xt+p=5T$WG!r={2V83@`)=~Ac2U1bZXBG-lfSt0eBkU(X zBsp=58&D1u0S23U?Wx6=&4)aSdmK=~W#JVlCwwu5)X?WQ^p~LYyTw0bl>rj~{NsJV zan9z#Apbr&%YW{*w@2(R&YC`73g3c4@(;rh-7PqhhQ|>F-4+^^RuM2Fc83FigO{62 zKsg6dy~={YUOskRc7jj<O28b9t{nuDlkIVNY*KhSN~-23iv>*Ly2!btcgsodhiaaF z(Nrfzump#s%=((j!^xyq;0+K8nAcaC*^fYXVZw?9q@DMn+llsSHX>hA1Z0_%q`Njc zOeE)5^kMVbq|hXU=vWCIk%UpXI(fk9RTw<1<4v^u?B%~hoHUL1ymCKHgxQDre~Ohj z^d85?E!F&ORD%QiC617{XH)q;;lk9jDTT%DaafQPuv#zQ^bu7ATt>$hVvAy<Po&l) zQ`Ku*FQ%YzkMOr)#t!YFqg%9OjU#5@jI<-jUlJea_!hV`L^fQ}WQ@nK%X)Ym(obiW z9tIf5EK1lz(3lRSMsjd~A6sX1%pMaYPQ&yaAU|(83}~9OpspSw#gHj%|E5y|0NeO4 z0BMnlU|#@v$PWp-o#nJ_3GVAS=aUZ5qZ)f*?VA*a6EWiCUEJaA+xVr>vB7<upy=`6 zK~=->`GOD2F7$Fc8S&#d-jJr7(>HPy^SbCOY;q)zN!e7K+yM^r=h#~t3dIqrFK`n< zCWLBTQF)H?&_Q-k_@P+0N#J~Z@;EFjpJP9)yfEKg6;xihC#~Q(ZYh#;qTQRvvpOgC zSG^ZDX0R2q{XOr+jl&k`Ez`a4Y{Y_Htc?20qPHk7(ifJ`L-K^L%WiOp6rg*D1{_>^ z;NUXg%>qvs%rFQj3@McOm7u2O$gv!KdljX@JDk1*#1|Q)^fF&wE1z`!sNP{qPFaTf z#0ZxdTwg#Zrfdbr#r}<G`Ve<5>=F&}qOo#d(l#A<^XgOJ1`lz$Z!2mWEtukH0>@N` zI(+e;%#kF%0kCc1td+=iIaw0-kj`l9*ONiM1}sR^L(3Awf~$6`=uBEivRA8$iqzrk z<aa-C>a9-u``*_!e*WDSr~RP!@FuyaNORz<w6!}i45Y_!lRPR*7HIuqs^%oOKH$_z zb{PF46zPWuuqA7Z3T%rxjU{W~_pV=%l_;%~SymVo!+=B2WA+Q)ckA-Ld&J4MuhQ4z z#0D!CpC{1g1@=DyA@7N8e`Ynk*a6$Vw)ltG`_eMvWot>`6Sc*=`r{20Us4QXqV>Iz z;&Y3C+#iop{OaOZfBb%mPb_}0KmGv4hZp~d;^`>A8F6#-TI_P32pQYg!Yu)ftTa!+ z{uwgL)?fr&xw?NG0)Ol&1iAOjp@)wirFbMw2l&deh}glRfCFAZUw*gSY1d@E#p!L| zcm_?kSID*A)=jDO8Fa2`GiOs7{QWP{k8Kf8xSW{bCfJvg{t72C>gg9VcPv)3Sz9C} zl;5gO!Jmx3wfU`DDc=MRNFFc6>2FLjZiC<*AQX4gBeBNZvWlG$Ck^4`(=M~L#I3AN z=ZZQ<=V@wwITqVLe6Qc^)IUzSk%F-<@xKocdb{b77=3`+yqg}0VF#$yyXleKx(x8q zXoKPJ2;u&Px(;y0NszV3-=U>rAo$xWa9e^a16By_P?Ufn|H6y1It-12KgUIfHl8g7 z7yZFlxCZI4A1z&LR2+>jT)Pv+P|DR7H{moQ%MuKgP26LDwW#7$-B?y}iWsYUl~FnZ z&Yh<cAMow45#X>w(w`zbS;{1H%i1b)c}FNQ7L>)=Sn}GzaaLSC^e5^9@$FK?um#wU zRT`XTjfHCqTKF048dwrX9I+U57-WGxD=v+$5>fc}gsF4yLQYHNlmC*L{dfna`*0e$ zCb{(s5*8dO9s}l79%^N+q(2(!Iw+3C3*c!b_>FDg)t4Z%X0Ud1HbwY0vVlOWC{*E5 z3eo0n4Qw%kNHeLSP<Xjrsc&`JwLIo?7kg5FJXXyvo=mUd#Z%~&UM%^3YSU7AiI}?6 zy#nDMuEtV9?9IWr({HIv<>gpr!CpmYRxzSr7|bE|d>kDyr&zTu400V?93i@~t2qsu zQlCW}3*oR2#)HpV$S9^0t62TLW|dHtSP<mPkb#{nsh?XMQm>8Js`xTM1D1xmCBdoy z-*z>4Ma*#qW?WO=7MzSR%zl<E^DmkLBW{O`>C*@~NxvK`uO|k~sUb)^<dW*=e<V4W zMnQ=t!l$iy3S0)N3R;3jI{O>8sN-Zl2B*tv1_`TQb{M0;-Su;)XfE7y<nR6M6x=jd zMsw;pW;(nH<mR-d6gU$(n<pyIx4|ENB6*3R4WrC-ItvQxV1=_e&Gb8)Y-Okb)ir*A z!=Si*L3_IXq6gP!UChvafs!2U3rulz7%fv8JAno+{_v=dIT>17S>o)H#K+<TSy|~| zC=kT$JA|OiwBaas!I4Bt+5GystJDjG?Pb`c!&HqfdBA3-t-f#y#)GazRzV9~bNsz@ zU7o-9SSOq<M=lbTr>t6l1|8A9q_&_B)#U<587SO5CqrF``|^r$AT|Ktsl14$T4-ce za~hgwHO|CRs=uX)EIv93VlOk(@oBlUtTTuK7}?X?QzW7oWpH&4M<QBMyAs9Ob&q7) z`Y)q6<HT|*SY0%MtmEL)L$Cx`6ZS9!Az0NkVLiN7tm*o0I#+GXo{r9iX*eBigO7k6 zccrl9@X7B9R8__5&hcTGmC;7nA!jjaoww;G?C)bOv}pnBY5g=M=1|~Oe?83E?*ObT z1b2ullG*Kj)j=xY2n;<|0p)w>%(WrTUt>*4ewWE9BqqPRHvlmm_(No#gNRobd_evZ z+SM>R!?{Uy##0G`SS>NtvOMWMTeV@4lofmE1MY<qC1BMPZ2%DYLs?nHT^Fw+iN)6y zO;U&ZeCuExzhJ%o#%4c@+TgX3AFn#r;|o;d9u@yN^BwqvfGXDn_|p&|OiOzan_PwU zc@HMe=Kw{<2Xeve<@?Zfa<an64KvR(D2}xyR>AjOh0R^N-^_lBlDfQSmBx*rAug;L zM(!9F>Cv6v?hBwUz5vxg@PW1yw$>+*LwF9MzF;+fI$y|j@&kEp_OHE3z@WXsn_)V- z1cT&0WZgr4WI!*4bewMw`Ew>U9kx%!7N&kjj}V-y>X(;%;`=>pC^)<uSF@sRYR37a zd&m<Zu?9Cmp|#ns6Z%?jf!1SYA4a&K%d*qa`;drZW(l|!g7cp%@OKq-!8t4az*3Z) z$c&!VaOoFramws6glqKqcZ}IoLG9}PR*+c2QCZ;*Se7lD0qJJp&c6*VTy#icV=n&$ z)>E+vv_SaXhzrNC#5mlI)<GwsnRPM)D|6*Qsm-Bx_+W^(T71}sD+*G#f-=^?(m#i$ zyQ<E&V&w}T>1LbWO8cBktOV@~+J%;q{#VHtvxzI4k{34Nq7>`8CeG&fBIk9Dr`5ct zK~6Zm<0YADO5%;!e7Ysik>A=Do8LDO`g$PLn+yr{iY|f>Xin^6u{xLctmgJ!-0T90 zz=0_S+?+ba3Q)xDIRDZBo-%iA9?#>jfepC}D1a!agS&um`A-gQm~YxgqS#fm!mUIf z1#Y-|$o(QML)T$<^?Jyzf|@d`tAf1nIm+wgD$0mUuu@=y0YN4<)%$P25nPB|*Lg2) znZXxP?NbJBB0Bz-s2v;WIG+mylbh+CcOl$_c?7iv?r$W|0%qC}n6U`QDx8&7)xn4@ zR^hI!GHRT#SDD!)tH|hv%aszXr7RUPT&DILw#1A5O5yuTlnxY-xX}?3??vT-)p%30 zZu_lhR_9X0t!2}tu0z|P>_D<XS%FQ62zMjaoA7NS7q>xArfE_=?XQ3PN+99B#9u@m zbhF0mK^!`8XSQh5(aA1^o#gDuP9h}Z-No9@uSNP{)=qExvBW}zS0RP2Q3K4e&SM`O z`|Q}s%p=;l^JiHXpm4_@zPQeRVn4QVxEF9+<c*3Ku$wcM<m1D5T%K9*0YWlD&hzi% zAmaNHdzGEQU1+GM_Ml7Br`1EI#4WX0B%&_D%nb~4mM;rbR)#%y4xE{=TpkYLN=SLF zF%A7irzmD(c?9Sg1!LI;C)_WvKD;Gwmi|>Abl%@KUmcsZIkxJzE|v)=fBimO-}<`n zGQh?(Pr)ID7pdDR;zlI#?Aix~nBnFzuv8n#!uk0Q+SJ@faB2bS!%b0g!D0T(y(U)A z;T&@V_`wA$CZ7v3gHvk+44Pr2>?2Wz(<5%fWLKE?<eK;7nD<QQ*-1dm*l-(f75j{a z^@8JMP&1EV%7ae-jD5*kv1_q<Cial&>k)i6%}+2qfk<?{OE?a?RPvux;>KUvFkOzj zd*x-7CT^JH&k5#n)*O_v+Y)Y~xo*Q7K<<vy(4Mk)w(vup0x!@*e*kCD6c`Mdi7DVe zuzAFgu??Uvp8%*e&nACxxVb7n*p22@RkPx?kOjS%G(EWtH(*-^F2iqO(rH<iD!{X$ z&~DQGFh^;_u?2&huoC2T7r=Q!9LK^=UKKGZ8HF%CwUt?Zvx7eS?~*@*c6G#ATa+ri zU9-vd@=J0zz|2DdLY?=a0KVjPEH!5Gh2pguF6;^Tq~AwiyZ~vIldHIH1dD*Dh%jL! zW3q_Shm+ZLJfYF~I(i#=52(P+>UQXlQ0EIsO1kwbQM&F^EDHr0nh^tqwh)D2B7?_n zilAi&`QQE=G)hu@5lxJ9;K%_k0oJMH<2)NCd6<`o@)-0kXC=MmSfHk`cDiQkG`}$q z6y~3x0xU+5+li9FoOHubIR>^gcpbyJc)-h;taj85W;S(+Ri@{gWqvXhWtv(Cf0>$e z$lbp%!;Bqs(+)|yc1RbX^k5a#NV3>Jpjg%eryF=Q*T`t}QyBQb7ImkwPZNC^B_zF( zX9T(9EIyHg$#JkFe-8TyIOC_SA3Sie8c8r`C00{j8cFzr7LXdYIx2CGz~tKqz*{(& zWQ18k{xfpq06{0AH#WZ!<c#9H1ZDO2H;*II#%JQ$xeYyx{G<64#0HT$euNgO*ceY7 z7y1~}VN77XuWg<l=_ok9f}Fx#n{xSI0VW)4t)jVxIB1AT<b1e;yP&|nq$>(Di9HWr zfsSP->B2i6qq!$mQ&>m2y&rCJ<(~y}+y7L>SNvLN4Kb7IUjt@^Au7Aq<MG`iZu{ZH z2pnq44>)mgC1zF|GxQc*KD;q8ux7+CO`gv4T{Ko#v%dU$!4bW!U*Im9JC8WPF|nPt zQeq*D8N(MD6*w)9sp$!PsEXxY%SOT9ngx4}<vnn*#_-mC(59)aUpa2lznZt%9+`J5 zyV>ErS=JWN_Ex?Am1omf_Ueg5Y;lU?{E5k{_LcT!Xj6f}<gtm|*i9V+Umo2@ekb^d zRfaq{<banNtCHDD2Yj9E73Yjw9kimtbD0cBDWF9=8AEEV>Cr#788zpWDC|YJ$FPUh z^t4`dMCO4fZ?5%zxH*M=Xos;&<U)4uJ4kuQ`#w&Lz%TzEhxZ;?^Bxd5U-WDm!(Kb_ z`T2JytH5`$-Jwk;q^?bji{0EI(x0=irB4Fidw?cNk=Y^#T?r^kWQ$~Di3}pcCmQQZ z>_9=AzOOXaqY@0rG3PNB0<=u~L&(1bPZ>||5?Nc*401J9D1EI>2oMpc)z>K!eDq!w zWId4pJ{e<0SWvfgUui~8;tB!e0$GPZg&c_gjv992vsk0RI|H+_UL(yYoe9_aE)!P2 zv-rMyo0xoC1|XKT4GhI*zXTBuOFl_z{YbHwJAY4ehpI{}P{enUC0TYxKo(J)Q?)+o zPc%`NTIC|Oue`(pD0kK0TOw&0`Wi={NYS^#1LF=-92g$o5lI*&2ldDrAOR~9u{q%g zHfPzy@A-#gi$|QPjFr2w<?`2jkQMWBoRAlw-c*9!?9lI$-9kF{sMI1@eJI^1ruGT@ z;O?ymVf9Ak!{CA4xLLTH_PZ@^cu`O-16q>Q84g3yg;!hkRLbSDa_teq*X_0o`0%0m z(D0WWy)eqKb)m*1j<Dnr#%mW{2Y3?YVW$p7jx;yB2CAXfCVr+bkxkrxwcTN+5@M{( zg()+`mF4~RVsHSP4@)__$AvX#!ftOV!DV6>SlgW~LW&z_k`#mg{XMrDKH2a&a2oX{ z?OepcE{Zi*>!*tSUT2tkG>HrbRGDl&kD=FMKan;-2`q;f|CSQ=YW`cTolfk)%-73% zOugw0wkplou3o$h7v3;b#eKb96b(4y^&A0;q|(}Mk@gyv)|f}9l4nS4sS|gb8}sGZ zO$f-we22dF=cU4(<fWezzciPXG#~D3ZEQhTH7zN@@vE&4!D0}}&(0s89FQ3<+wWh2 zVdX6dA(kF4EIgd--TX>uv@xxpDeTp6XtZ-|X)jLLEb@LC+g8-eCK(kjtbdgsE(c=x zl>sG62d=SkaaMWIix5;#>jejNV2^%b-sZH(ybzhoS3A6`Wv#^0Zx=k9#*sAk#1`9x zg4;z3?lMvrV-u6~Rw%f^kB{!61`g42OJ$U1K-n#IupP2-FDB}){5NeCy=0G3e)uGy z={N<B)R>N?vBlS7%Ty@Y)vV@REcc>O<AQ>u{538kBpWw7NTb{=<LM2_T6Oc{bZC)L zq(#yly6M@JTVFSdw8&dS^uyR#>8?`tR>C8`xnfJdp*$J|(n#)?bC)n}^~OrC!yU@T zVjJ$LMG6d0#)4j>^tztTIUpTYdxdx@G1@zaF24f)0ZVMg&AqWz1-(pjwe~rdVDvzO z-Y1$=+YR3lC0b8S)_Uo4{|6AqyL4bc>7xPVO$-}qT0gyq4-P0x#DF5ce2dr^P(bf3 zLfLMSQ7Y+M4K~wW!@_5v!isY-=a=kWA|<&cgT6Q8DJMrZkTtDeIj1>vAOx}s<@_d1 zY3fgWLCU#Eko8R>E54!e9Ya3e>xd=Ex?~7h{Vv09l;-qeraP3u-MfVXsF0zO?5U(` z^wu%@M_m}8!JSo$^b4L~bzP?Zrg`FXy`slVWP$DUSIvU%6Q9vAoh9_%dzcqgIhc3q z@}8-EneS@D^fouVF}x=?a_>oP2b(|z{}(Xt0p>kzWdchg+-o<OvkN(|P3FwF<lB22 zyO1NBKMo%ib`td@_oFgWXoh+tY|tTgv&*ot5|>_Rs(&#i2qa5f%mtOBe}#Du+bI~2 zZQE5kwSsVd3kSKe_+S=4mY1@k{<aLq^{eck8$o<nH4>kaw)wW?FWyyJU`~A#Uh`JL zC^X_(4ZV3}Ve|;}X2m&n%LNA;mXCSQmr4GExNpatrWV`RjbtrmH#xjF$=WK&l8~Uf z%h+2a;JvYJh2Tb`=FHSpO{E6@`V_5zRh+@VKRGio1JYxG?G!_z1wDCepMo4(CV&7s z`DRCQqR@kSWcGcBajydvvhR~(P#Uo<28GnmnK#J>04fQ<sFag<)mogH+1CoLYyy|o zO|7rXl(bC2dXSngGQ4b%NqaN4HI>q&0U%j}44QEt&ADPPS*R}Q5R;-4pJ&_vMFtyk zrZLP|Jc5KCx=`z~A0xR&(sdB)b8L9*UYju&w&ii&2{g`v+?Z>L$%2-yPopGKtA-p~ z;230bvKz@5dvT^1>y%u+_W<l3^e=f2Mls@;H)pmb7U23pUA+On5dz<tAUnwqO(&O) z-@Zf#i4(X+NvB)D>QYe>n7J$$!|t#Ef3ua=4%>5a07wiT;uz~;TG0K3O2$tJV2_vX z<wi&2hY;episL$buxb~G@ZaqhD9~<#ldeEiom3dk^8G6S+k*UG9;YhmdV^wDdg$7i zYy^q7QGAe}CLn77-*<W(mN11dQ4Jo=z_kM~9U9SD@Xs>#7K-OgJc~4!Fa~$Rwt#y= zF6U1H87y3Xh*#3CI2x7k(E~Vk9snp7+t@me<EoX|EbEe$H0wtN?D6Imc_|+py=d&6 zj^djhyByE@i@0gE{-RBri9zW6G1^nOjL$=fz-T6)`i-i71%jhTI!jOwE`RW-Bj^%d z%Yt+}P64AEXd&~?XJ{}vyFCWMXKCG~>5h7(aTg*yL6&#lde}D0-LYscFo1b8z|zcF z=|;?hsF~e?nGj`O19-rRR8?-oQH20f%<NP6&K?ug5(Qv)GCBu2ah-tjzyi?Sh?XMS z9HsW*V!r5iAj8d>OtiY71;1!Qdm~Y*3>VqQ^{u$;DZ4o^t7-YUri#DQ%{Ta|6WoB5 zxLG;S8sP7q5sguAWHG8U|22CBHi~@S!^#6sqF}&AeMrZ`dk&Zq6H$0jS-0Vpm;#Z+ zcx--IKv>!jfr&Y2#0&%?sklR_61Kw_6;z39&4@0^+?Ey5au8UB3~=lbtqs83eJ;SF z)RjyE`7FmCBHR@KW1?ynBSx~f7VRYh8Bt;`WoI_N>-(ww67EL?3k{SB9EKFy?mw4x zNx?^9tJ3#VQ8s1gTZouZD&G|43Onx{_?OH{(IzV|6cij;r}u%>ttBP8Kqkf5OYO6| zISIJT6lr|gG%SPHc?BhvXqf5|g{CC&RIk7#ECEA&=RJ8tfxQ9`YMF%%j;<Do`jq=G ze2umI<@nBqH;=NgY`R66#fBTDN@3@4d?+|VEC5ypf4&UvVwMz&jsV9+X(J}dT@~Oi z53=C$Bf&{5MugCxBwmy91#iTn<%oDIT$_s6!}Qe@UDZ5te*IU&@WTayTJ2Jn&teRm zFth><`>7BU4v{$McG4;(AIJV;(HTe&fO)7~OG*a2d4a%}AZ&tG-Zo|DjUtVz&KE6# zK|;BIG0N`r;EN>~5P2nf3=J!yCRHGPut|i6{v_r9R+Gxu!{V#em&ywx=g(iKqgkVM z(X5n6*2;B8j?bryHm4+C>kOCA*C2SNkJ`8Qf8M@-qM=t%V6c6+iZsGwNc-kd`+WE! z8nlf-V&7^A$!Ylo)2yZLnPasDjj-({Nc)?jDY)r}+F)<D33;)eXo0=mYQa-bdmCRa z=ne+M%d@bkiFLt#Ss9B_x%sW)p2z@e4Ftn<G%hK)C-EygjXy~WndnZ|mfs$THO{8Y z|44vUr+qI0dOzIpTEc1V6Ih&&lvS2sTdlVQTJ-TS&>%4nEEA)w^m7O1UQ$=)%zlP} zONt<-{v=5uc!5Ob((?8FlqPBG_5A`yy(*GgTO=eDzcw)%Cfejy)<gu2nTdHx>77Ex z+r+g=xe)r^2ZO8N!1}^*V(pyA-+7+$=YkacLj-k?*razdfk?h!qSY%gODK4wmWO{X zPPn<koQ7)-a9ZSJ(``KerInZeKokeNC>0|XuNcVV1N(22`Mm(ZQJ2*NaMqCiDU9+M z!*Ep){R&PjSKN&TXB%-Z8Ou}-EWXyEe`Hf%4)7vUG#K5Py}NWKF4h=LWVJ4`xw?l+ zf$Qz*#Ax1&B9oMHh)QX0(Qh&(3~9y?#uxFkLpqg8m&eFGXqyws$+nH+za1!u+Vt<p z3G-sxK%2(#9}NHq10x@oY|K%sF>@|$jDp4t7maBT@by!vG1&J_?=DS4W3Hu<x?>6w zu^D>0gT`DfGs$gel^vGnqMFm{Sbi<)U=^ovM}T{v_J7pCAK<HK;4i5rYraFfgY*j$ zGNyO$V3#gw78UcBTEs20XoQTC*g71?|MMF#H(D_Gc^3R00hwTMkv3e;yLj+XLh4+s z%q$AYYHm69mA4F2o_BSZ4x8Y>-2wQGBXnZ^mrGc?bvo8MSvz1spgD`Uk!U$&1RXiB ziRLDk1WeoL$6{zZ(?vgjfdRksQ|J|JABy`ECh`m*He~nmN52(q!R-kxq=%5#(KIn} zL~My()Fw7f<R<|!B!jiL=kA;iaIxQchU-5gPQZSrtYPQET@3_-e9tiO_aRp&{Z^HZ zJHTlb-mWRlN|Wqch>H;>;rMA{+(1;m2|oZ);nqGU6zokoKJN)7dKi3EIEij9ciXht zv8{BCA-qf{#{6gCkKc>mtqAa$FGGaMK#t4K@nbN(oBm8cIMe$S7UyjwVs!oZt(d7| zb7u36v2AI6Mx7gFOt#8!i!#n&PTXIHyGV1R3^>@om0y9&buceznv`%ftx7WsYkJ68 z{~S5%M*=IvZ_I!|FZ|~vJF-4R!5u?^u^+US9nODKzmT%6BDOV&Lb4ea3U_`R1vJAA zm;KzPN&FU+$qq-ZTw&O#+%e=Ff|CJ>;X`W~@D#>A8Uzz08Hu~S8w&sUN9<g|BW^3$ zeDDWS+=KJ@svzxwe_1r4kyb#3RaN9WA71+znNrbv@VxF4Ql`pAF@Yqq`}ct17!psV zq!f@EJ-2-d-LBzxEh@}WWgmXVs9Qe*)^O*ymV5o~I-Ae%yLS^jyf&1^XHYoC{>CSW zMaZFqcBaJ7AbD{0QyR{S8-5R)eFl}o|Dq<3+(O(~@Q@@qUI8rpFf@<leWElzh=lDW z)_%r$l)v$YSm`{uSi+of%P9Ush&DTfJ?-4M^g7PABt~Gr2|w`?LQ+OtA{xQo2$vMn zALoi-m~Whm0>R7YtXnVW*CkLFO;bNc&1^Q&q^imS5H5D_u)|n@dtbATexLU{scQ8K z{0foM_$;z`D{_?w{|y0C%Z20&&Dpt&zQ4BJpWKci^kI?7NTNTQzcmF_o`V!e;%S6F zJS-FAa39pi-)sRKso=2>!1=<ZMWAmv04DozN>vs8dX%H8Dv@R(LV%#G#~Sxxe+^nk zsF9cd2PUF0g@!sqqHC~&(nUH^^o|=R5a~Cl2D*y$vd2Tp+J6RX39$y8jC@|dM``>3 zErhERybREN)Ngz)K(XBinxhZ?z-DtnP*59RErJ3Uc=n_hba%dh+}n%wo{lYr=q9UE zNAnjagDSo7TKZ!=T~H-1s4|QE+%D-??CRk+dI9(x8jC{;Ek6>v6A|<R6a@NsXpOjc zKQRr&fnN?f3iknkINBK=n}q6c-%%H^KL6qP?y1PmW4)*>F|MDKC@eYBn%UGK26~-S zGl-TwzX2rlBrtR0_pr!G^)Di+J$6S2j0<80!7u-pfeRop27#nBXiP?;sZB=^zi}n7 zAr7(_6R7j)KmsR<{*jkNW#yot?{0$VS<-$1guRjcj<CrZ6tWJlryd|on$(z0fQeZ{ z#GL%UL}IEaM9A-3=oFIQINm~jIRZj{bHEhoLVj}w<<~><>k{(o9F*Uje);_sb@7}A zvkP7}TkuPvgR*;^=>84a4Ul{9rG1P|boI`dV;+7?wu*naOZ0FxRS61_^r9v-4);#E zY5N&2uGCzxSQS4)W<PLwLM!Md;Sk7!y>sa|*9KaGF6Q$mfW3*gX-Hq_MK4Yyrgnj; zodHzA?*st-l3xx)@D%p)2KtC<gxqJJBc|xVR~(!A<Ufcb;;}o<40QkWhyFqLPeCF& zUUWY=@zTB@-A65jP50X#GBh0^|NI6BAud|sn^B*+S>|_(x0A0EZx^o>Z#NH$cMe}d z@9X(O5%utS;+@BD5bx>y8u6aNFBk8be3E$2;$y@+mn-63$kWAp4mbZdVdyhA`}jEo z&CR9!jChyx)8f6DpAzo?|ATnn!e1Bf75tERui`I>_Zt43c(3Kph<BJjA>QlxqvE}R zKP28N-znZ(d82r5<J<5i6rQgKm+`wP_4!5$-Y$Yo6kH*K<Oj|xM39s+Um$`HQSb&4 ze1w8CM39`j_+$}$oPwi8@CgcLir`Zeln~Sp%^0}xQgn(so27YE#mx!O1AoLmInKr6 z*Vh))T?$BfO{8pwKTANQ1o?}U@{K~a<KP~y*G%U5iB*cro4O*I617s?-qcmelucGj zjyH8pGUYZaCD)s}Hkq>2O7VD8!^xClk+M0@JA1uI3G#eO>Bk1M4dD+9c}&Na7W~x4 z^W9I2X`?aIn(tqUC}u^N3E@Iznw~oF3u^DPqlM#C$AYCAxt@OBJiKYxf-=kv?Mt<@ z@X&POMyy+@81d_RUncfmaw-S2oM7@C!T;0Vxd290UW<AsGbBR@%pgI-dk|0*#3&CF z0ydEZf)W@AB&3QG$zT#g5|h1oSON(XY?3jR+SaPa(~79Ix3<SVL~XStKodZUAXZU1 z6_itV&TupyBg7h+`>lV^B$Ei%bK85*z2}~RmA&`>e*f!VYyE3s2}W2t*mRDL+r|C9 z-BHe;*vF%45dPr)Anr&THpVEgmMG^A`}nF4xLvr{9lmX$=(*rPy-;UNcrz=pvd2^n zSL)zXy(+bgPpeXY3}em*(8-p1R3Xtv6xu5|ZyY%94b*Ei^$HB@{&Xygz<DtdNR|Bx zU*#HVe2GU;&gE_E8LA+eOC;w|J8TKbaD*ED<(~3Q?p?lTe-tiXQn=BF(db8%VEA10 zqjfj*F!LkAhBIjH)zBdUP6W@y^tR*dZX2T-g?7<1ql_su>SZ$vqKpY~r}R<HrfX(; zv@s0F!7~eNh70}%wqxT?8Hk-Aw7+e{t|KRWyQ21--OY-m>4}Ze^cBgxPX`g{_}Sgj z;{Nz*KOU0)AzWJ|{oj-ROTOmlKz&%Al>X0?;}_&#p&K`I^QR^C95bfVxkWI_+D`>} zt>jK%J**<`M(5?Cj?edJXX?3IZ!;XX-nOD`GBoXw3DKcgA;t75cZw>n{P>CB`0p+K zcAB=$-}-B*tgp>p$pu-PZ65}AingU;cc-aP{CS#uZd=cv$ANvoIBDKk^!U`zi)x%3 zO}h2-qJ1qkU#m*}V0Y?_%kHo$RFtnJ+SeK_Wq7hX)HW*&_EV*V7;VM3zT1~HZlWN` zKoT$!a07{e3vdAbjBlN4$hhwmPm`y~^EA)XJllD;^X%Z+!LyTRCr|jI_jNVdg@vQp z+HIYo=I{rl(xt$9;9f}^>G<1FMlUsve79;Ja*=r%*&;MYIBb)C4ZNt7u23h8@9Bhr zpMU&B7x}i|PcFf;Z_?6_@=99aKKaz@lS$Gi9h8L-5_p@PKNA5D&^XsN?nwPSo9_eF zdLOFR`$a_3QnpZ-p1%4Z+V`RAh5Cq)+akhI18NxRvkz>(52a_FTXLDI5iv;namw&C z@GIa&U@veGcnx?Tpsh#J)+2c)@=WBJz%zlTizmXO--_pnfa<p#Jh7_%Ejv$?=tuUA z)kfNP=x-nqm<)v5m~zts5q+V)scl3*SYa%;UVRsyY&^f(dg~9Wg%*hhYoYxJLPx|( zyLhoMjaZk#yErH2VR^I5Oc=}*dj)i^)fj9R?+BBm{H^{s0yly{HDz~!Ux|pkc2Z$% z1RP@FrXY0vJ?72C$q&4u)bxi8Qd?B9Ca7OE?$5#PV6w{Px{`#Vi9)<uL<~64Vi^(j z{uYI9q^XIkTQmRVvF<Xo_+M{3%rxjjqI;bXkmz3Q4rr0+GWcdg2<-cE5*?hX?^y|a zqfY`hD*@Qy{@sC_J!XYVj#E8^JW#)$6NdR?h5ES~Q24v-L}0jiRd;IUbd|m@`?%7u z6(;G$QxmlO`j?$B?<asFdi_+gu!vrk9Xus%V-9;<P?BsUUWAe`&^JHc(VCtp0y2TY zeAt`P6Y#=GR%|4Dd<7_0j*6g0ai8LLgtLVQ?wh@h^8|OQoLjkV2~~lc!NH-AC`?#X zU|h*U9a4eO@iBK&tYdZpu4wu|m>#>Dr^J1SBolnyV}9RqJggkQ8*<!YIsQsHJ{WRb zgJb@VNBN=_2}O@s$$QLY%KZ`Cx62<emqjU~B$z(WWBwA);B@&y$NiHMQgn5k(I+F| zI8mJ<hBak(E-pc6{WR<^Pw)*Ak2!-5dZT}BHcjN#0x8?2T%?<Xk}*kwAQMDuPZuvE zw@dl(9O5zOhCDeQbSZ!Ie&K0O3AuB8krRwMKM+9f&4QPNZX(e^a(m;@#?jE0HlaPi zW+ZISaC3N@s2&Xi)yD|)B3QYRyw`_+s75N(T97zMx>+(SQV0ZRd4+J6-wAV;j}bDG zv%Io9W*{f53OE^I*<~OQmV|J^>++U~gs?uqU)AONpuecLv!SalJPu)+X(BJ{f_@Sb zzO^&8k<xE5KP7$i;fRz0N(t@exF<=CJE`V<4f3LJpW4$C*_V3`wrBcn122ur<%VUP zIaNq$X58;#VsVx&x!8>7HQx#X)yd+Fi7lCizq9=a15F?HhL8a-u~!iV24Y#T^QU!{ zzy%a@KNyVRv@S+2W^M_82|+%>&P54kmL$+nE{9_yh&RjZ#d!=%aOw5)#$eD|pOKzl zro`tR4>7@@#^heAX)EMxiF)EM$opT5EPsMOt83~$^A}r{yuZuunYhI78Nb9#po4sS z9bXXlmrD%Xd|2k;BD{-CLiQf4p4jVY!aTfX$$?N4<?e#qS_tYheH+J5#sp=mK7R7r ztGKn`kN;%@_T%N+!p2{6Z{ZT_-a^JN9p-#lPvqq`UINcau?sDe5S*&13s<cQ{V=h> z@HW_`44C#^9PeKepR(9t^ix+E_T()7&373PfdQcx5<zy$(J;r}aA*9o#h&H)EAnsV zhC=XgnA)F!bh*%4PMgox2{FJ0W+`hvSAozyW=uAZJkndnBcE@U`kLxa(bQrQg(0>d zW6?^fPSE2)<fAw4=kNH<ShYBv(>R)C9OLM|7oMi*QJXFi0yOtBOB^24%Q{IIMghjK zzr7ECJkUUM1NN;M!~Gh^%nP*Ee0G%)<I7Hr4j}e0$*|!FWfgkly*H7k&|m6qP%q=1 z_oeUxSLDi?&yt{SW+p(3hn&+GJ8M1G+LtRQhd7PJkL8Ms*1k@cF@)g8AQj3!Yq?>c zCt3Vlio;UG%JAx0$gewJc0L!s@JzE^cQ}9hvac;EFoH{5<fmWL_;O8KLCvSba9?Nh zwYh!G`%|+Ms)kW$2NydlFE{L|2iA_|)2@vFqJ=tf5!QCxN`EmbmE&cz2;9sCKj%NK zNU*&L(?_cAXF>-zKgHecr=pD6z7x@U|5~UW$gZvHPc0`w^<R6LnFJT&OlD$KtHz+$ zU>an11p`i85cF8iVrFY$?WJRB(CCI_ao25US9JC2K$r@F#Bi9TUS4RZ?!KMRv9o(o zPU$Cx$&J{e^&=Q?X!rREbDV+EOBaQpQGbW?%0`C$h0ZJXAAtLYapTDIO5#5%+&Dq} z!I2;2bK6AzECtpB-Di+5JFiIU;IrLf&wpM~Ww_vZC6vZz<Y@vYfMdX6U>~pxcpd=9 z{X3jjBr|_dDm@aI2+R_f|Ly0MM}H{!s`HA6*9)9i9;YmFq9Me#U-5nn(D(?SG0uBl zk<ef5yrR+#r`3(sf7y8@l=f1xxCJN#N&y|%2-E@J2k4u>!+AwA^9P^d@AJSu;JCPi z`{r*suPE$5&KG&P=1Z_&gjTD2wu{9r-#M_eGc`i>i!uiI&P5v|&!lC*8wa(xpP(gC zDA#L{I2=Uuk-28IymRPqfSIt[c}i<OXTz6k>I#RErv3nvcIClH@!{vM)zJ_weD zu_-L8NU*G<xQC7$Bg`f~d>lC{d0L!!VW10^+~>qmNB~Y8H+F}!P8_d(PpvjzMJQmr z)F<LB!IdzF`7%cck^aLb_J<@DD#CfB0B$E^bzV@-Vr`q!&`=<s^68_Wa_GZ_v^?aY zU=VZGXAzm5x{LcyVkUd8JxnNsqtS!3fw-nje@5tui@0AmI$b-*P5O7)s<z9AVj!{a zusK!aLirXkGmKBs9|=}}+<^)RB1ao<^{^>kX;2B~<|3JfJeWv@IXo~nTtp$}Gjie> zs8UDG*kid(%i5QCBp~MA;#I186PI-nZ&k7!k8BiLJSuR>h7ArSYHD~<iO|JiNP|OD zR=9Lm@@Ua+Eq87EAwAZBPGrH*)zP)xEF>B0I<PUu3WRluor4HwG59U@*GT3C4#)*> z=T6L{zqglekt0JjG5z&|GWb4?+B5+{p^fgTufl_KesA{@I&g7rNq==^SGc5GcM%$N zDBG2)qExz*Z;jGN_-iD-y8i2BCq)p}2lKcspLg>w-;qwg(()HXrZa3jd!}spuwBVX zwmX!iwU<Qo&ds@10tJ4pnneT?LI)M|HS1v7YY$x9Bv-SsJ$Cl+xPAV;6Eqk-srxG9 z{LT5_#k!V#{GO}ibh%Xvw5jxHs@yzGY~@?`(yJD$GqsX;X$pypI5DT^o5eVu9#Z@z zw!tumU}_j8#vZXTB&Vb!;K(WYBw))aIfHo=I@urFFfxYS9PyXWVFQN5U;5Dw%tIz$ zw`nTQR_c;mZr;Y5QwPf3_^KR#GvcZKkFXD~jQGWdi~_bGh!>?#7uoQnunw|OlU~+c z^L5Ak3zWhaA4B^FhMMboO0k*O2GL)lD9_<$5b>czbCvKcSt+u*gA*=%dH>Q-Bc11h zzO7jbXN)&5mBf=w2anK6P$YcJZQoWa2#E!v{hFKxxm7Fc)Fc9iC35{|Lp7bIDjrhC zgMiGf4r2yquH{U7WdMio;XS4Y%Ry{q7#kv#gZ07i`7eo#MMh_o68E*Fd_#nrri^4b zX+slbsv>+8pmck%oLDU<yTk`c&RTk8mVQAOK~qMQ#2raos*zaqlvJZo>L()8NRJ#Z z8DReF_eq2zsjEXGs)yS{k}ykS1B!ZrY0f6O65^lslJv3g&wfpDg-&EwF8wrc=hSwm zPlV&n%%yE_@onOwK?)`GNJ6MQ0drMuBYWCH5dkD)uErh@*k}#GcFl<-;;TN+5vb|b zctkCv;*zL7f)A;QuO%(81r0)&aUz4EQu;kA!k@7i8RZ)koMaWW`5cC6n@{w!!J$5d zx}l)4VP4xL=BKi&c^{n_Qi`q@G{vimblcVR53b#<Dz&@nl0LRIeY=p^I1%{g=J)$y zJ4tny{}tcKG0i7qLLJtU;jl;LnJu8bQak(kB&;UDjom{#=dp=&3s}YXYz3C()*?Ie zpOr>*X$FUOQFm!A8JKahNSiBdY+x3bJZfD8n{--FLUM4+Mx@{vM<W!B9QJEa7>_ep zkk)U=K8R(rhU(X_faI*ZO}cn`5t*O}lx^j8|0rt-)o=Axn^DGcQTi!#7hxLTq?|HQ zB;T6(nrsCeYK0_o%)IO+CP{n#+|;w1ZmvD2c-J{i88bp63RjyKOE!B!D3U{RCs*Zh z&^%65VM(J34230U4bHS}M@SYS9TEK}c%)2<$h1|T;##zRtjRt@#1T%J=kAhOiw+Z% z7DpyWVK@6%9K^uVD9LDKj)dR^aZK6$@Lt)l;sj@`QSzBm{TlLG{JKM_^60Zr2w~nr zr>P-BaV8OjjWm?hQ3$ZCx+lyD%q`~4iNF9xWKi$t&pzBhwN9Dq-o^v9@=abLR#|<P zZAhQVQAqt{KX8b!o72`jV*h~V{I<6~6`|CSYi!tcFRq-OP_ri!l#8;keBk$FyRh37 zh-vx<nho1V<uSlQEH;(ry7_afSZop_PK$8boQKoq+i)shoyMOs4}aFK<j<xGJnq14 zb2)CC*WtE#b4An68qy4#ciQ16Pbjcq3r`~(syir#2qbbvYtKWddcXwdfk_9bi9C9n ze)1pT^3siP-~5MsCpR}_o2eh^LneJBm*p>KZqkLal4YCRR9VNhIM|rBqmzzcImvcx z66fD`zj4}M-A;gyA17cSC-oI$`q?*q&8~)Qv|C#(aSFd|hYbf}FFVB?n3Q?Svt+Td z#AW4x=9X}?aizE|`r{}3l-H&b6-{_j#STR!lD001vu;K>KT;*^ChCevBwCMFpg{JI zv``4YsjK1&142Pl%%A#u3rbGso1<_fngd1`+}!pMu@z5Me_5UFxiPYKqFL4_`WXmY zeWJrZUKzrrMuBcHupOq4Wr12sE*T-*CXh;FA=)Q+BMN(?DJ!kq?%Ww`xlG3e;lz2t zY?tl;i?gHO_79VwJ_cThq^>FqRUPlqS?IuI+CfSbNkv_1l~7eGaCwRmuOF|ic1ac2 z9ldo$TN~LhX~J01P75nyi&d8=Y@QNZ5e<=6v_R3rM}nN}5ae`^LV&sAD<=;*z=!~` zvJ0@i!orMuT*5kyXNzJnxfU!+#FTW(syy@yj7XX8#zD_9TWBSg(;KZ25VO;is;-&R zf(29n3U}agkC`j4sjX{=`D1EkCC@enOA~v{GOLYQKAdPN6+?W+QE4fLMhrW4RG<SI z@?qI-KY>bH5^K(rm4T}`=ra<6GP2}cRBE9K8^r(O+ZvKpJDL~qNguPmwQZp-8m7V@ zN^KFU8@Q*E7UJswZD=OYtct4KqA&NDKSOfc-#M>@o#)4;YLqtENdFS^3K9&dFBr|M z*loqE3X2sMmi8hv#7H5<kgna*Z>rqGc_y=ShEbHT^m7S`?4d%B+(-6dYGI-*t5E+< z^P3gqvBIHjFQNKiDKj-p;Y*MmMAXOK^8{gVhrBn?Un}%9(JqaGPiann?Ll$aX-{n1 z!AnT<v!xN*zo+dH+)yR$d)}fNUUOcJ)Xz$%vH5mur0%L;@p((;IW$raH52Q@7``Z{ z?rO>WyjwZ7y=hrziEYVZVX)-}D^!8a+Bc<5#*3h1xvWqS7I$WL>iwNNvp;P<;TX`| zOF6ZibFB4T(YJC~mj~?Ev*ln|9sgYVFTcLiEi{YE;!ZWj>X*aK9|va;HulW-D`RH9 zw=O#R&of(j+rwMS%oCi;+oFskQ}@q2q4x)O3<fKs&%WtzzFD};-G{Hxx)V?F$WHWF z7(*i07&g=2&}`P4G>k5e6yDx`kLvQs@M`+D)vGA+`X6%Dl9YOA?Qrurfg>XqT9E@^ zgWxOT&hX+yo>7=HCb!3BO$p54I3{j@qbN!+nu>Ti*O~vw`5RU!f_JXS+*x#-zFp@m zr}GGVhgT1=p-TFp#dtAVjM3QdpDoi{l*z?1s=d~(E;Fkn=*i8+oB<M)E&5W?I^M)M zknOw+hdKDcP%Q}tuai)WoEa!7&-Iumsf3KA>cJ3Ib?Vh+rZWNZ$pO`dl8LcBv_cAA zc18lYB|rc<0u%wEdTGEup|%_S`L>@ui4LTkvnNApm<q=y*er!iCv8V>#>+b4WIF<} z^J}=w7L&$J%unXCb|Wy{z3WVlMDNhz3o7S-3)6oqjx)7WX0HTEH<C-Do)>{-=9>q+ zXXtoVPHKfVJMk8bt&h;MII}u~0l79^#`5CdW6Ef!eb|E&Q{UJ$n$yP;^Jd)qhw~ej zB?c~nN*%0zm%$}MD%|<q*x?^2$-sGY)_qDIsjoQeKH{k^*%_~Mm`JG>VZuS8W+Qtf zS+Uu?;oSPL<h#s;p3UgxZ3c;@9(LZhh9?&RH`z;Ufi?^GL|RbrQ|i$u#k>L}G`jMH zn3`(J{6K%B(Gykos(!d}z)Wr!%sjC6=V@s)qG1MJN~uoVlq{jeI#XKPMI;@L^`RBZ z<X%K$e<C_&9&p~HQ%fuI$-p5?U{jDsR}QoVqzzw}E77mP5v&U`27f1F&0F8zlxE2) ze=M@fh-;2;q_!ewec2frY%fKQkh6Y#Ck=~JBu;z6vOFXzd7O1mkt`yaC)8Gn>0Fhm zEI{|uQr0z1gk4W{mj*%4Z*00DBL5ko{4X}2{Dl0wAi#aSmq_r~FBHL|;}P&0k>OU! zhx64h5vSKwffV0W4JQs2dFBrfQx(B{AK=BGc`U!}S&BFnE6QSvw?`~m^}8j(4$IzQ z_WzjR?fD!VI8Aa=N;O96$f<JeDN}@@k24)dnpa7nV{o~|y480HWd%qi09M-w5HA7H z5t)dJA9OeU2(Ddz+nofIxgaM#sfN{v)}n+p872aEFyGb(<(TUTpJ(1Bv9RRP<lWbe zn*X9W;yA^EqlAv1#u2Gg|1wrNw~{@z1W#o_GFNuVYLs|BsZ*hkg_h`Il0YDiCHm+W zmS~Y0wwCC%sMd>IWzW@IV2KtfOm4MwFVU~FM5pwL+-yY-+$4mvEEjvjP+5JUm8n(w zTE>U0(q9W!VAi2soP~_07HUw%Pt_tTYxD^79a6Fw-(PjP4xwLxv3Ycv!%RV}m`xvC zX`nx*(H@IF+EJ)392Ul)-t@Oj>L>VGb7%C~V}eWde6yYkCcYR2>L5_BFiz*D#3I_* zY)|v0XvW#xv=Y0=d;t!!=&NUW2H8t2>2H>>rUwQga=@Hd8s$Z+x+rNk0%K7J*cGvn za#2GFTwHgcx}(hY&AoeJJ>OtvvdouZfGLkWz?5@JX6KrhfDJ0`xz(qU+f2hY)2ykx zl5dMrs#`m^OO;aljpVNpXHI7j?NBazjFr-P<5NZ{lysyym6ILI!i}auR#r=s8-sHH zo|F}x&aDr!mLdRfA3dBON<#lrL!uSm7=o9syd*hDuX`F0HkX``(5Ixonj|KOyUg3^ zQc-Q1zi|oXoEJ7t`z@l)r8HbVnV=3@R147(4T%Z?MF>|u+vhb+dmd}f?PMV8SW8Om zNGeF;<~ukE61hiT7Fejt`7XmU^|R{ev+p#`i$*Qly)%e2TjDu=LV)p<*h6u5gyTBv zF2X}pxW+%<Fj!P}AZas9RZ`k$Jvv1owwn8%W?{}x!+bkqQCghlz9l!;d?w_cXMXg@ z&=}JPT7tF@L2ahnMB72@q!wG|Y3@>;eRIVAvq#45Tg=WlQSFR|)0f>5G`p(9xM7}| zFKtPEbWZkN=1qLjD*3c&W=C5QZ78nOyIt7^bEIKqkTQs5B8y0Tx?-c7F3RU`pPOs` z_?hl<U&@p~CMd0Mfz5AN1#S&Vwsi0NvWloHbK|_KEOMjJm}q8E=E&9JuvOv6IZ8ov zcoQ8$o#cQM?=kPAi}LePW480inT%^k+4bRRjjowT_3NF_?RV~cwfUrD02;pIjR9GK zQO@U%q%4cq2SOIu>A-(AYe*|k@#n%-mt4P66m+?M)nmWXqWP-^>As_PEzQPQQFQR8 z8-h3Q39C3Q91oVz2*#A-KL%2bY;8!cmJ9uHA`|<v{z~0`eQ`+GHZb5=o_|mCd#>C8 z$NX`>3!Xc-34zzMQ(s0p^HbkPL0@}t>MK)QkhQHnsYONA8Y3sjLq95yD8o_vXX;;L z>_rtUVz~Yrx{&>y!BX_$%=h%m(WLsmNbc^@hvIY`rx=`G3p{Y^ZC06YKwy@l-|)Hh zU=6u>PjJFvP!kJ(Tc+sbM_EIjrY|G=W}4NvvWB>k^nM4`K&TNt=8t0byviN1Lph6= zm_yLKL?eam;`vUGWXllNQpvgH+$3sPb_yL=Bg|EjmK*vv&mK-$JqW8%=|ASK>2#&P z_Hr|Y5Dkgu7#^X*C_?v-?p6bh!n7?WmSW!JeSwnSm}M7T5((zV1Sgd@d05#6N@`iq zIof-m%Wyrh&Os_zmvwFpf)UBIy{<8BeDtovo%NaL&_|tBV$bJ-C;E$apFPY)zG1$1 z&owMVml>CDJKAdL5zE6EYkt$pYmLfF?wDG0`I8N*#DQu4-A7E6KcN`U27=18Fz;s6 zgRIKZJ=&bE;>8osoUL9Ryh=TbC>SSDx$a_ae4Sb3Y{(ciQKVJ&x*C=an(TMl4xLH2 zXX$$5{C?<{&`X7#bw|C!?@WU>(wf=M60Egk4C)t`yyBd`(C=(qFld4VoFf6R4+pHN zK8Ll6cJ>?zJRuIOK|)?8A%{uGgm6egv3W?S%i_2=V{%GzdHk`#X)(c}lhxAXtow#+ zFHp)}cHUdTEBD@=-@HTIVx!PQ#~t7^T8*<#^hS~|xc9~6%di^At;m{`IHO;U1JyJ& z?$6LV#Y%45gWjnIu3a5-`VNydN5;meS;L)mKjUK-hMMbbbJA&Cbq9~|S=gw!q$wS} z<Z(t^y7;u%;xGk;LG3lcOw_zt$NHvB?!ZTuJIo+vtIY)W*7UDg7nZYhgoJ`|`U@?# zf&SRW>>!$M`UNJWuIMmgl*gmkLk_ZS(?`c%lMZ(&XFK8NP#)0^vSl6vFEG>}Yt=qY z>WCarV-#iQR(@uObO3d9Zj~Ae<}6f(n;Hky?Oz`=r|lj-I0#^gmZN5;ee)19uN-uf zbLW7xnioz$Qqpv@afoy00q1WU<dahvrqv*^Tb#kb-RY_O47=@EAgz1AjGqJEU%$BD z#{P{%{LcENgC^i$Gs0h&&6#v8aM9Ug50ykMQMk~#qpD^cswS=IIHD-)jLMD@Eu?Zl zXzx^j#tYp#^O##HK)x^gH2Y8oBzw6P^DLtqvNE>|&pEgH8343To6masFPXZZ+i2fw zw(TOJh6NWV1zH#tgBTU7eP2E-U^0`E%lVvRweM3##v6R|Hc)r2ZWu6UP8uu_SKF^7 z5Ei+b&tX|(bW>KeN_C)b7q?VhC2@*pFT<#gaK20zQb%f_ppm8Xf&=AdHBgp?2g=0N zzUt06{THYVS>0fh!O|&%MP5GTWr9DpB_rmtxWJV%cw()<Th-`+9pNw^epR)x<&H5y zNn}p<5E>yvDADh1(g)ek#K;gD6diD^_G>B>y~3*2ri=>?y@k#|fr6r^y=jEkKl3E7 z4M}aqf+KgXac<4$1&vT`xA250AV##H0=5ek@I!)vK3Iwme$0oDmHS)WNy*wIdYTYj zZRu7LFxIS58JMfP!&x-K4>+HK()5vW=nSz9Me#w3T`4{giqU44ixK<NS-`KgQcF~+ z$)Xx~#$%3oPu5N7C1^%ShRb#_>rd!tunBaOeaO;`@Gg0VSi}FyYeUlc*jfuoTFFEd zOR8Z4RTBHrnM_v=qLS_KTIyGvYt1|?i!+C4y??`sV=b9MS0Ju6Q)C6T`W3;Z%o85d ziENh~l0#_RtCgzGELP8JHB9M!#^AHfT3W1T^h?P+q1$V+gEe9y%{FPzuSsRs@Ay-r z&&$%MWa*cg*GZ8R;SHL@d5gHczoSYe+a|;+l&uAZooROH4pP=g`GeNXPLfFzb`#S1 z2_-JE19Kg4B`^wb`OGw9drEbu!t~n%qeIJiU}$Ld55)5#)skz}?aZlPlQ8z#UJ#-| zYO^vmzd2P;V*j5ETWQQ}A;NIjCB|%xCEmF;jXrG6JdLv!xSAK@X@Sdl!B-26nk^;Q zowGGGn&>N2cRRN_tq77S`L(hZ^0u`V19Af$;OpSM*@-NJvG_<B4C7r?o87^iy*8Wb zMrpq6c67@_sMBrzt2>@@hy5J^v<IIiJ1y|!Q!YK$isdqQoTPDML_TG>d5CVZ8v5tF zwQ7lkRx1I6-#=R@`m)Md`q#Na+?08k)vz7fn~b?P7;2Kt8t}>IiMVUrKGxYujGZWb zLanz`MzcgG7IDuLahiX|7e$b)I}hh9p%{<(HOiH54&kp~Ytv~>ArTCn#S8~^$oQ)X zh^?`%yGTMs6NUtL_ntBL;MAmDP#8v#36b}%i_U$y`ln#i)B;*>S*Pvjco$ClL? z%=q~elnuXpj0WVh4c6?B5^b?x@W;C;BYJ#|yQV(-^BV8xS@qdyP_7}XGtF%KKWAjn zLectNCDB|O$s?N`pgU^fn(!runKLO{ZL*IDdN#goZ=z)9FDy|a4b+7tIf&rq{hz40 z&UP~#62@?Yv#|LPJJk&HQ3e)?F*x^tH_b5TT8Z=h%QKll3XntrekU{W1ucz%R_!vl zu6JTwtI@B2wku%k4*@aLHLf+aS<jd)!%M#cTQ)o{<ty6y;vrvlB!}@s{CO0_`ltZs z3fJ>dHs*_rgZ{Wh2W%`KXEPa`u}qU^8Nd`Gtzm`f-1-zBi0iySJ$H?3COIw5Sts}8 z<+Vm%m)h*yTBpLCW?Q^x1F!Vd+Cd-yYm=~2?%cW>C+BZ7&rJ<xIqNRtBg?sU36IuH zGk8uOY8JK)$4P80(iq7HrP*8qcI&NRs5o4XL)iMFv+i5c$~Hy3oMB$wp_-Th?yNKL zAangr28eU(Pbpw+wfW(1ey17vQuDUsxUj8DIfV^QQ0G0jGyEy5^P3)CLis=cawvai z-5gx4GVHJ%DF#_>{WkI2`jH<!Izhz8W}oAaF^s~#^M*_X2XtOm#D*kvo)l8G*-}>+ z<t5PsS#I^dD)cT0YpM^@RaIwOUV(>b9w~ZgNut<T7H`U!4Nfz|w82YY^r-kX#J6>( zRG;4bHiKMr_Jpiv$aIiF9yPwvac%awnv<K8gmQS^5Q443>2~cp8C&!2=C}j(2#tMi zjAaHm5bPpSUwa%RYp-#*{ngfz;(tXArj2S*S=&8{L(57D#>Sy>ye}&aBu|6{WXYoR zJy=+9jhe&f&&Pd^I=}K3&D!?hXM~&KKNL|-rI@I}J}9IBm%CT4Pr(h2lA`RU!W}#z zTt1O71J@X3uEEEm16dpYC#BMwiUd{3p3PQWl4fnzvSl_Q9@M}hNeE;-!hE}nWGGc1 zPd%s4GDneKLvjGcS1HB`9XaviNE~IJ5)rQKQ@w;(FbQa{p*Dyv{NvkHXAi;5a-v(C z`r^gH3Wfzd%G^(xROzgOnu~kNc%v|Y{{$u`D4$wu6mDT|WDAsPz{x$PmVRmi?cZF+ z-U3yHJ4XL3ya%Jx{3B1Os@RU`W_KkhwTO`EP<`_mS~KR8U+7dTIE{Ja&Tt#Gon$nl zE(dWJp-%nLFGR6dIAy<_TXIXDnE(n>ay2-K8OIy5nAx_qmLyOgtQ6Fj%*-=qe@HKi z0nCq$syuW4!}7)5RiQ;?m+>J6id0FQbux>KbU4=#b?)3Fg%G{}A@pSk=NYO@J@Gx( z+{gD5$inzGt&2vIBM=9%&Ys$We)D#=;$X>?T(d~*H3&8|nSsg$L4-o()4BCDnT9d8 zE_0<UD}u4Lw;fd;UFHK1Sw-$AMSfUDn)r(v5hd^Sk`)Y2*Ymsk6l$eaD9LZJB+_ZC z?#wseq9VdWMx##Wq_ehmu!z%RL@#$oFo~*F_DyBDl?uh~G*>`&P_=OS)^ylwt2<5* zvwCk}v{^^0RD(Mo4Ce-R%T811{Z?J%>mVhkZSqsZUab`AH#ms$5NI#mLjx`}s<cDr zd(bT?x#j~c4Ean`t;tA{$e7DliznxUyYchy8+U-d7c;x*N+iTJseQy>ob@d<%w|L( zocFxQ+iwIN$`Lbg(^wA>sk1CDaCHq1dn;88aoAtv)vqavty0V_rw}n1A$&%RTW^fp zY)}2T(vF=bG5SC~B*4=@Q8ksK&3H(1Umvsi=+-mqUO_!8b(bJ>RT_kck`^w4=oz2- zwmQq2dD6<s{fq(TOjQ^`MAUW8j=)Q)pKZQtBiUBnNhi3h<-*+j`^bGNgVvX9{sEGR zNO&hvNz2S>)<X=Yal0`ZAdBD?=G#SKJjZ;G*RVweNW@0_IHN=HbIvdd$%?KtCDDXl zS-puTv{HE}Vwupja?ML6W68l~ZcsT0fl8=k*}`^H<U@)jw_TZWQdA3@6ACGl0(xdK zv6O82hzlWrpNr9j5G_^2VwJ3Rizru3uw+-GLsw+ulN!^ZTID%+Zm>hOs(rtPvK;BG z{Y=ms-NO?H{RW<b%v>f<@R!l@1ap~PGv8k0k3-q__{PCC@7C5Fh^ikPxV*RPmYM_6 z0kfvSzBw?k$ERj&%~qlI8?ow$vto~Q!31rW=wT=8P}xDGS$oy?u<(xFOYiHeWgsP# zT)aFG=O0)ID^^KfcN36{h|5_lk9ol<i^Xs#!VJ1=)5TyRo4{4=Mm$HcD9|-JJ&<fh zkv<f^_enN#g)O(Tku&Sh7?;YX7>2Erhw1%VG`GJQ^J0PAl8jr?Yx*E!U4=K2it(Ud zQ6rhrtZtLI1dW*3;fTHQ-7(GY#w6b|7=sK8vsi6UF!k;QP1I`7T{{)D%r}j9f6JY_ z`axh=-H>^}`P?qy;<rl2GrJD5de^xKlln23Oy<F+EPK<&BrJD#Zc35s&LNx|Ji}&J zXm_K>er7j3=la1cXR(2P^}~G5U@)^Y9R^W~(Yf&ei6pNG>XS)n>Z@{y@SU?&+x_PP zwi4TIm{g4?h9h`GI^_u<CDQ?3teJ-(%{L@AWgch0dr;Ksu;h1GD-v@Vd?KD%8=f^m z;~-ZoK9U+x<NkT(4r1pAmLrJ72_nawwuDKdgr0<*Fp4!2$;P1$QjoiH>ccL{tvDS( zC7i=<#ERSNqK5joFl%3Dof%|KBvEU5qQ@ea%d`kN0xVuIHgfZRyPgfKsk;4%Cssd! zRZy@kcG~O{Xfb=dB)TDUpTCpV$~J|+y5e-hioLf6Tpsh<?=bFK?P5~WABz$q<20L1 zgK^Njk^zL6F8vdO>o_n_hSP(E;qsV|s#j?^8BAB(5Hf@{N#z(eFM>tMXu;~1uk&K# zE;Rzpm%)M=;(^<h1j!5clYZyCd5BydPFZnUI5nru$8oe_LALrZ21JRzsDzD_MOjK( zk00E|rj4;t{uou#?P7|O!p$-N?LHWDp|9zbIyggai<?WN4itPete-Y-G=orT;ji9@ zLZ=ymGJHhw=e8|l=poY$b}_LL$-0_PXX|5f%|!A;LiZHb1)@|=P1CS_a;kCA%$JSh zxHn`U3rtF09;IJZvp#yJae2*p+iYVjBMKEb-&RqNfxq_i50rAjaJMzrB+u3l!Dye9 ziMZoyHmr2-3XD;W@iY-=yLLglF9DNcS7U9=rn>O${@GT2SY*Q<WH6{6fu7s|*TK2< zT3P#Nn0GR%^BYE+f1!axn_2WK8jB`q6;Wudt(Y3NX71&$7WkD1)-24lgPvS-^RHD$ z_24>}7pOi8US|%YNHQuI9Dx}gPKACg9BY2xSRbtn$9iuY9oSBsmKgV3c(wEn=%-nK zD|%o2NhvE{vveJc2sn-K3I^M)_Ob0-oNJyT-AUD_7&*4H{_58PGyIvmsB7>#GLE9O zM_%Yt+6~?L-bud7E~=~mV~m!R6?=_4{MCo0O}Rex{k}23X2mR8`5ssCbIoY$sMFI9 zV=R9en4=k(1bGJ`JxbOSr0X_SY1>&{IxnuM;$(R1rZhlZsNjrRzXB)?&li~var z?B}%klDLWDf^4)nO#Q>nX4L#{frSueKHj{6e&Bw?L>`d{`ZHFsWS3ZmQoc`R>p!Zt z)MWNo*@Q0+(@KUAHQ#)n2!1ZmKjktmg>5tXOlEwvo@l;@bE{CFH1qfBRZ%~VD0^FK zYxkW_5R7B$+uR~XI@m1DA|0`t2h;L9#E9HeM)1wN?ybHta2K0&yD%+>v34#tOPGE6 z`4T2CtnhJRUgKcr&fU(Poo6zxgN->hy>T#X%%RSme-YWd)|AY6<Q>vM0lNYNQ&yn% zUR-P#5K5nU)Yx-dWQHOQ5Jo1y$g%9Mk}!8IeeMr47nESfX>;2=StXRpPm!JqVOg!O zss1JtXWbeChf1w%MT>HGxYweE6iHzp10k|K23P|lvUm(HB!wrCOfHOAC+sN2t35LB zOh)u5<f*#!IgOW4DXvp=1(w6XCDf~{2e47@U+w>B9syRTR=6tT`Fqj2nANt5guo2m zFRo1DZ{oTuaTy*M?|e>p@X=?|N4fNYq|h*m3`rtjb3S)K(tr~W*Ak!p*pjtM&|QE` z1g;w|3YQ_Trwmq5RfH^6ge+BrELDUoRfH^6gsiVr1gXj)W9({XO@BJWxitVf8QE40 zLOB<V*u~}OEb%~M+|m&GzUoKm-f$<4BQ9%Yue(_y!71{a^buyY_Xq#|XDDPs%>2Ws z#?1K7`D%?yj@5<1AMJ1LLKc%*@PGU7yMNKNXMh&qIPd`w1JXJYm<B8WRsu!9-9SC? zFz__+B5(jW4s-yHF5&^nKrT=M+zs3V+z<Q!*a;j0jsd5DGl2bbjG6(Xfr&seun_n< zPy*Z!JPqsx{seRYgCIwZ1g-=!fTchQPzP)SegOOo_$_c4I0bY7age!&1CxR40S|CH zPzG!S?gbtLegW(T4g>E39l%IX`-wm@a3j$7_kLoU_KWm1ZQ4y~+M(s#*}g5UJIHUI zPSYM7*7F_qSY1$D>MeBZ<?cJYy4$<HSa+`~FZ8-sSC+4FS5%g-@>W$%;b7krZdIkX zK=(%axhGU<{MY7`8>NNrvT{ksyGmSfD<~6()x~9nZqEk2sJu*h8hXL)rCx%Nv^H*R zh4Ps~G%44(vEA{?E4*bY)KyihDvK-hDHR(epUO-M>aj|vX=}79ZIxE8Rcc=TP0<Rq zQvT7GTA603_bVh>ZDN^GT57!tV<JYH(52a8w3uj@Ju@@2pZumLX&x2Wo$Og2>(H)C zO3L#<8gjb@-_RT@i&pZ}wDlG1`8fyy(bwVN;ozTqYEO+#*R)Fkeo@gjd%u`iNB_71 z@dF1rU4t(gk}&k*OA?0-A2D*&=rQiGmyR1h;j+soUUB85$yZIeI_a8gr%szb<GSRO znW?j8U;nkV^c&`6WX_$JHUGw&7Gy76<XOBVXDJptm*;=|=37?WdfUo^+gBBOSKm=o zTykgWnzHhWyDF=6W9_>28}9zb#_CO*6`47+OuE!lUR<VoD=E`WTBf!{Tgcx9+EndY zS}cRN1**Im-riy7mR8NJ^m;X(IbJ=tpwv+B^CI5UOH0dFN#shSOfO#Jb$cr-%PZZQ zHjvI;x?oXGj^!esTF(51^CCXAj78b$^B4BGESZrsb=ttV^fGrrMMY`xssg>3AyZUP z<z7?3uq?n`*S%{hbQ!Xx<pm7gBCmUnJDhiE@$Hobl^fi})VZ?KyGk$JFeT1Y>Mf}9 zGO)|^f>p#MMnvkDSGlW<ii+||e7pr~+^Z@4n(|67Y4Ey6m0*f0Jmr`2O&u6_l{>ws z7zSx)=geOaF>~~y;wpDRRh4(m?WG&sg+^s@*&XgOl3FXppd!U(#d>i;Y4P1E`M9ML zo;e~F_7c;5yKx8K?hWNeWn@{WxaaF`g03mA(%q%ScX~-(s#EE$GD>xK`D*v7g3?mS zjFyrzUA3xwO@*4`6R%!XT6u+gwNbW8wW*rn1wDl-tI{itRXUaDzw*o|EzK?{E>m@v zdS5H`R@1wz+_<C2T~$%Aij{)k41fZrb3}thw%0X%+N-<nUaRw#EVbHOFQU-pWvjeX zzIuB|K2o+M$zu*FN%?v*C=B^un=JlDnOb!iIXxlVMc#r6tF)wZ?R8&L$92UK5mmqS z#G7%!cvX7gm&BVc@hS{P+uGtv-6$yS=^*Jzm4TFtIdOruzpcDXmhGz<II?=Hg|)j} z*Q7|io_eeGlzC89PInc0*A}nx_Jj?!k#~Is^M*}9TBc`as&>9cwU0rLp)hM0cEx%T zdqSa%f;;<$zi_*RA{7?s1r%YR)#VY>Qce0w?_GwsN(v*Rd`W15p#xdT))X_L7<AI# zGTe<aqe>cZUBTaR%G35qstwOO?!9I7T6x(TZ<$UVB&=$~^M);`yu*-yRjR=yteQ`& zS;TaiuobdCcdtZ}ge-4fHG(xQyLeS)c~$vp-JM&kYB^`pr0(`uU@dwqPg)%FVak*# z+AQ|&J1SYt$_iMKjj}t-%GZ@$PalSwFjLm(v2k&1q7rPTTO#x0<g^R2zWR;gT^RfF zdm!SyiFdUb;*JiC?svpDyWh7(yu<A4cIU1@_xpDu-eYQN?y0G*VMDgvQ*+OjnuLD+ z*patx-AaLyl4?9P^_oMQczLoXuZI1WP1)nACwuqAn)(`IX>7|yMMVxr?D~p|brlu8 z_G7&NzyG<lzW*kIA6ftU`ke1O3ry+D{?%z;{MS2tt=97|O8aX6B2(C+_56#5xcycB zh2y*bzwdwT3;pj#!{h(q5fD||{SSfXuk;J|pggxk_56#D`fC5e@y|D=|6^`{Z3akA z3H%G^C|^DAE)ntm5B&Ou|7x}E3FXpy-mSN&D47H`wOf33TkrX1eM6)F-llKex9!{a zf9Jd3d*J&IKJ@TEJo1k}_~E15AKUTx6Hor=sUQE3pFI83pZ(J_KmWxqfA#Fn=bnGz z*S~r3rQiN;SM%;Ydw<{3x^Mr1mk<8o&?|?Jyn6JtKfeCPu{Ym(`}jZq>75fN-+k}Y zzx?@qv+Z94r~mDP58FTb_m4Y1Idiu2)4zPy#pTGq`9O5x1J74F5dCM@|35qbzq$SY z+JW@K{^~&bpI!f~teI=p%&Zd9gjUFJvOAlfTV6Ks)3UR#E-bv77k-{>O-lzj6LXGJ zM`vwe`P%OHMVywzImcVUk<<#1Zrov1>6&(<QL56o5nNf)O0TFa7MetMLFK9<o^!po zR~j5t#qY*~GWAM6lD<Z|lBPylk`7QtybY3u#Fw}dN6RVDjmkniB)!UF^|rLgsH_UP z<#`LsyrGY!pwZ%-U0$YqbBxflK$o~0@if9~gp)8D{u+n;5RD~|qiOlN99<oH#C=(n zw{p?#C7cuH_Z*Ui;(_0Sf+{_oGv-=I4i!d)a<jgzWVCE(N(Fa#Zzx}%t}V;STr&0A zDH#hOKaeL`QvwP?c_<b&wAzO%Q*#=CcAz<E6&i;&qN!*xX*hm!7A;(~Z0UGy3TIyV z4%3sS+^&+reNCZqzlFRuaH?3dq`X`*;Fo1R{+IsNT$HXIhC^v1_TlT;X^TN)A3A?h zkaeNtX&N+m^$dT%0qstH;qQHY{9hc`+y7vM|Bol6X)git3&+1V!hhEEG%XE?^zWPh zdoz3cAC8DG@qV7#+dndY@lTy?`OAAO@8NRv&1cv3R=5lKfBdxz`;SUb(^3HWT`2xl z^LqRDE$3%9_V({vzB?Cwx&Kc+J#~9A;{8~k_9|b}6Yd)k?|t)|p5Hsa$aLQRdYbkj zAir>ZBmJ+sIZe9;i1gppryTXS_V$nL*F@;USBGfC;q?2K?~0NO$CrF(miG4V8~^$Z zz5OHem-q{7zuf=oExrBw_UHKT_4e<Z{!8Ega{r~<d;9k-|I1JG_U}6{zx^Z2U*q?O zCwuz5Z#fqHtamzn{fl<@_U~KI0SD5wrJs^X=r>3MojVc!>izt0p32|GQ&|!<&s*lL zgt#=vqLj_iD@!xiLc4)ag`Y0mhdDx04|5>O?0E&n`rPu$94I-ZUTbI6zNgJmypm8b zw#R?6K}3&8G^?PjuoMj96G=6@ywE81&V^XJ5Sk64-_kOLVn3%6QZdB99CllX;qZc@ z7kCTSdcWZQm!4Ftg!43Ql0B!?3odbKG&x8?(hCbA7K8uvi;85TR7l)8<!jbZq6Nie zWZy1jwbFsHBXz%C(#X*ZEk}505=Y9rbVG$#n`QYHK*g*Oq##}U9hg(8msadkf$Qu` z!_>R(7W^M7e*=<zSs3Zivh2&sic|{~X0Bfal11&wPBAgY*eTrwy<d->UzOp7hJJ^) z(nEEn>)w|f1UFHnFHL(gIt%)yVs2=UsdtN!af>R6N2;LxK6<|NfDkslh4af`eF+6m z)0!jQ!9K$7ITAO0jz`lHq%{_0X3P5tN(1MlxKNE5FdyxD`_j@X0$BW%S@IR)qI^x> zyE!eh<x3T@LwX~k^goMeuceCoIv?ET`}REAT8$y?O!NZihau7+qv_X_ImC15+au{^ zg*g?)WmY%e6eSsE_E0u+bm3l9rE9w+&o6pt3oZ~NPph-%6&HHv6cto1EzcH8@eLbv zueSUA=`dO!SN&kk8ci#(=UOyz)dKmp#fG<XgU4H`xH7N_RC$>_CDPVQi&xzl8mB*r zXq(Ugqj7T7_*7`$Qn*y<Rchq&raf$1qL(f!TL+S>{aBS?iP!3mTf-#?^-i5iIkYIy zvkydkGkwAIZ-|;(YE%_T+BX=hS9>d&X@8DhFekg9!fHo)VvMc3EtZyt8%Q%FL(vv# z)_jt-m-$7!IlWy7(<b>ZP|O!=%4zS*IFa1D*?m7zHOeWzo6==yb4tsryrBtvuQggi z>ruM)a71ku8G41G%jkWeSExKKMrK~bDzG86%1Nf!ErdI}rlO$I+g;n--Y%5-n3OSM z9OV{N77Jr0UArlB$->M9oCgX^IV_dgmcUk!bT#ddR-D2`tF7<Lq%A_7EAtph04cpH zgwBAy-GGlqoBj9i|LzvpB?|HQ$<v}xh05y+JtH0nS_#&3!JqgG{P*v_Ti~m<z`{SL z{pRPxewXpD<I>dFDt#B-`T)nMV2ubY{4f4woL&rs$D}RvZs(Z@^aBP0$f0Qcfmk3O zaD<-XCf`y7@e`h0*iX`xxbj3Rhsr~yi?|I2E((F<Jr)r6>41EvhrZ{8zFFW^oFyUm zoY0eHTBV=QQ}SjxR_Uza=>}MEkw-%21CX*xJ)}G}fRwp5^xVQz{C$A<*8x%<xd3<t z@Pp9zcAiqc#{tRjM}UNT4v;z>0>u9fK>QPF6ltGuoAKJcHblus#4r3Eeullm-+iBb z{ri6ZweT1652y2A@9DbW&#J5Yg1`S7ZE<0ygjK%_6UF~))L&|G!66XZ$uBqr-2Zjj zfSUY2J`{?Ef`>)h9gnkNt=zI<%h*uoJo%3Gvi%9`S^L8iUGkQ;sYX4YB7F0Xw|2NK z?=SqVMfO#GX`$z{Uom`oDEv;szw+3r$A)YF@|gM9%~oO&f4kG)v|Ysz-BF9*y7eu$ zcH3JeZ(SP^(t52udhAappr>84$%<L}Zx-!tPAFt}4gW&KztLga@bq3O{H@<o&c0<8 zd)47zQ6Nog|1eFf_$W=QADON_Nd6LDp3>KX=g3d?)=o1`;TQ*b%AWlwPua^IJY^Ce ze?Lv_#ZU7T9HXA+5T3X26r5%}&tW{f{+y-_=ed{X2%h)y6kMT@=V+c8Jjd`n@h@qb zo99zJ$MSsURGP91=Hj`YZ;j^$9_{a?X?OEH!BYm?ah^e*2YDWXzWY^x;iK><NmuF= zT9h<tpA!21!H?6l?*iL^dx3hO4yXav0~J6Ka0}o8vVd7YGB6ED0wx0!f$@MF7zrc- z34jZT2kb!Sztbmx2}t-8JdXi~fxW<sz%#((z@xw;z&2nbPyzI}_w>2+=@jadL7(4y z#b1Zbp`VPADB?+6d4_+|PVRo+k#0QiPsT~)ucpF^-~N%s&+_Cfjr9Hxzk4$Nw)lss zmkZ@sGN!|sN4^W6LqL8q7E^(*12QhY4?GLJ27C+*reTtRg@9a?3CEd<Up}x7cmVhn sa1{7=KrVY;4P*nQ!2j#Nzb3L0-REZu{lfJw?Z8eMa0{>$=sSM?C)~1m4*&oF literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/setuptools/cli-64.exe b/venv/Lib/site-packages/setuptools/cli-64.exe new file mode 100644 index 0000000000000000000000000000000000000000..675e6bf3743f3d3011c238657e7128ee9960ef7f GIT binary patch literal 74752 zcmeFad3;nw);Hdr?j}u==7yyqfJg%kqCtqpC80t4LPu^(N8=-ER75n&prFR&UceDB z@phavWskhi=#1m|%%F}lj?UsZGsvQt5J<wlxB%iv+^cPuAew~rzTZ>Todne9_xygp zKi+>{KBRBmT2Gxib?VePr|Op8w9@9V*=$byS(eSV22c7I6u<xdPaBf^ja=8y_RqdM zMy;_&c8r=e|E_9ZWz~H@sk-eRU&U?r-g}?!yZugIm2t1{u6uo<tFQIlbKf0zPV{)P z{Hdx3p3OZsJoLz%^k3!LlXGT?_n*zl!t?Wj+&S0c89qN_PPKRroO6qKy5>w4&mnWJ z$MZk#s+do8oC$GRiOqJ$BTifH-`O?kw07GVTXsfYo9!LM+%035<l~tu!a+MdD4b!l zx#$P~(ob6@QVCi32fWp!3#G~;R#uXJP`*?Q1#MsC+HK=SDD^YfZaV=`{(t{#x7k)o zP=BzhiTa&Obfld17JdjI>U*jm2#J3_n{DpIsylAeZ?oA}or@^cX*&;p@8Yl5zaYqC zqReLd_+ljZfRn*^ItAvsb0S~E#7db_^bvivWg&Uk_wpg@|NZxW0s~rXw%@JA7W#9w znC{QhVoUu#b(VUadc9_T;ft^jG;@np*brtX*3qDS^H;5NPdwDuuEig)w2D?9%(2-D zI|{#yRD9iR8?D95?Ge^qXDz=|8CgU9QI*v>6KammHk?*-@|>EZqYYnO$MQiT*8IwB zjcsG6_)Vxma~#U=Xm-rjtfpi}VFwC1Cur7YyoLi`)=#&Vu0f#zy$X$$g*3L%uW3y8 zmuYONzr5Kox_P?Yrm@-nV3;*)<|dyyN4-Uz-LyUZkNTT;gI4>+ToAv;T(1p4{=!XK zEb1>4F$Xl(sI2a*v18FK`oNW%)lhSElHqI)TC-QUqg#xxw0P7X1TG@+NBu#}xJW$Y z4{GsQ{sQzzi-r6?etCazhNb=jn^N~z-~hqkY$f^}g8yCNU9xZn3QMGGaTEl`MFX9C zG^<s!wrGyln&R1p8$mpEuS^ZJR%JJ%CnC~F_JWC^1fz-owidt!7;Jo($7U15xt3-u zUy3=Y#UB^>k^_1rR8RtYQ(Z&ZG}fxIF8)$B1zR-ss6<%dcHRYkqOqs_HH5(0O@!H7 z(-{Bn=}Th=WLG2XbB!I3m$?Ojp&R@&FvUVkV@K53GMlm?8)Q{d_^}qt<JSQ}bq%^# z85y!6Wu_fu!h<5xXjfL}<24xlQolK<Y}moa%gnBlx{vj6u;wHYVoUM>LZgkr!HyQY z(XX%piOS;*!3)0(v9>){ouv<muoj}vo%}U`p*cDWEvoX_VEsf5bo|t5S$>_)(%i?U zS|zq{MF|F?IUKvFnF@^q@cbE|2r&0wnTB_zh%nk~0w9tZmW7^zXwRVMAE05(%JFqu zi~-E^@F=^jZj0_N+-rF+c@HZ$%}<d0_%!MT$rJu_iQe0gTG&7sJ)p%S{>o5%#{9y) zvDf^><cadi=%<{1=JIB@%@)4_lic$tKm*-W&POiG`_)0B_u0q`nyieVZjA~AiER|o zPeDoHmXg8-5KZA0ypAW5Be*Q@ODI~`V2tOVyU<?T`_lXL(B|^nK`vC{X@3_%QoE@Q zk6W7<;LupaUuJH#Vy-7pi{-r)b%;2kR)X8|hSJskLRLE=U2XP{R2!8YKC`*r{Gk^= zyn%S3<b(-Hsq3jbVRkZH!9lBme{1X;utZF+Nc<Z6vSC-UDO+X6Z~hv#8j%!o?1=<+ zEd4ZGu@z|HN~Y-k_J7-KrED`MRfM(i3<Z%XMtf3Li#p?XS<4C{%=vz}Vh1qx1d4<m z+xgr52n$o*mjyuWV$Osd2|%-S_Zf5)W}5^X1QQf<GI;F`>h&rSL^*gD7~pzOHv=pn zZpOX|VMKkAilc(3scUTLaN!oqd+b0OM&e5aa-zmVIg^N-3ba7uqC91!t)^(Ao-0Z= zBRe=&VB_K>f*4`+Pn0a&i?Yl$8QqaZV>2w}Ro8`hpBI~vsjPOLi(vhXzC8J=&Bped zU6wJL|AUwqsICB*_!{IcXlEQCj!$<ajsQlYi2^( &sjKl@1{;unAiW2w^OujNoW z+s1GGSx<J&+NxO_wZOh=MOmE@ZP49QvUKMZkCAB3K%I|@I?-k|+Emw|J{xyq05F-y zq7$V8l2oRcow-7Yh^cOL;xdHl)f~cwpX#{~ZSyaWVW!KqqDW)=HMWc2eUv6Y*DyJJ zd<PmpV>@Y{fyvVRn1*ukl8i(qo?7gm{xW32isz5Se(%>1j-a2k4wb|wT)GbP)~3cw z?6fpLj~Sq`9YkM)yDZB*We>-k{xAm5y?nH0Ho2{x^Hypsn|E~r0<*<Uahmy+U5m}= zGCmb!!{0-iAbH9V4jiJiWkbU(=Y8Ht#jK`Y2}?gSAwHl{38mHoTDRHs^TO;c0K(t; zJur}@Zp6KBL8hecMc8IO7nuZRlY>jx=2YhD6NHvl9yo4U5tiyIlU>#Dq@mTY2oce0 zScIx+t*YHbRIT2s&bjqw$p*oU67G{!71sDN2sxTN5)0-<Vw&&T>oL1Aw=ob$3lFj* ztVs)OQ=VuDG#Tgc$T*v=MF_RTL4A^~749wE!fzjIvze_{!i$bjkvG#thW==gNvR?q zqN9=c9sWvw6oprI%*YEWbx$CY=-}BgsJF|~&ojGDfwn3zlecP(M_rM)Yu~wcoB82L zZNc91uwxJ?*>iE0-InZ+zyt&|243NM1(`ag6+L8(rCNqjEnXsf)~Gdhxy%nxd<%-_ zG<2v%HTr0NH-P%#9@h8)$xbV9#5j)t>pPHUVJX`#82c>$e2P5Fi^z73?Zb3>4H-a4 zyZAo{B_wtgf!oXxBcR1yzjoPeO~Gr4i!#^3fZeu!5V{O<&s;;BtE4N?q(qtks-WJO zD~v3>0nlkN*NA*{4_W;X4Io~{Mogf@=VYQSm6*9^7%EIIDcl0W%13KjY>-_uHx_7S zBM3Ta*CEci_MQineL{VRdq*QvNnCS;!G7c3CFAYj=nW|}g_(0Bp(?@#*~8{BOV7sd zDcx0Cx7X;?l5q+PV%P#V+gK1b6L#Y@;%u9I)LB}a`E+cYYNlR9TO8fRcYr1|=D8ki zBiH!EGQ4k>xDX4mXDLK0EpVV}G7x2RQ+WU4iC8DJH7~s={+*}g@6kFx*BXyG1VJP& zk4O6F@~-nB`>b1#rzEqq_{;*!TY-&T3J_Vpd32D*-d(1cjk$bl@7z}+_r*QACEP&D zVFxw8wdzuUVu0Idf!4+O%DVgW6fJ*iFL*i=X9BYTeFhw6BWnKWO#uf<A%qV=u}o3c zRpkjdrpb(P0%2Wu#uU7F_=8fI=C=Y|;*J>j;l&UybT5BxG@`(Cv-v9sK`sc!KoDR) z67}ijJN2A5PZ=2nO;9zBVYAC!b*-{`Z+NXe^)IaaZ4aV@RcC9R2h0yL^*)jOMlF^L z;kuNyhRwFi!;OhPMzMU!#EV1kKX2Z=l`FMaf1;|ewZ-_h6!2u#_t&h(u+?gGG$|v4 zHp+zm;o76Nvuw8N0?Hq|1`@?JxhMxg>6-ocYeRWFIR4u4*JbQaJ`RvWfLCeik3W>a zk1T?~etHvy@Z|K;PCs47?)I7-zb!EfMA;h!J^hcc1Etvwx*tQ>u`yF0zXD5Ky|cd( z{fLlbZ3N_cCQ^(~lR075)TG6n=-@`+HY03uch$J?TI-bfw>;v2tg<_7eq)su?g_88 zNnF;J*6q=^gv|!G5@o0}RXt%pRsE9a$MydHx{-RlOKar0BA0%9D(ZTf<J#2gjGi39 zRMbT>#|5d^vE5aSOvMb88FJ;TQa6RBDfP#(RV&<!vCge3>1fQ<voKoq{n6{>Vf4>e zHMI8t#jeT2Ao(bv`ZIKiLhh=*sWGP#4Q@o)t1`u?Cy!7I+f(zogymtrMc5YA{HROq zusI`ak3LXkL3e3InX_|$#IXlFE;43MxT5JwHYitP({q{T)*Lh49jZgobClJp!)$BU zo+LyUZVj_7g1QsGhU6pWQYllhRv}>zkD+^~3H)*$Bbgb}+xSQ<;`f1gBW$Av`I&Dx z2crSD+_YWn2O`LmcO5N%w9$t&Xnp}X^Y{K2FlZ61txwY6v7?X$3-^|?qikzzmcLR9 z9MiKRfo}{Y64<CKYr)`biP!K;uZJUntwxSk{J4K5qKyy14N_tKok-wwnY4<MT4WN1 z_4Sd!hcfA9O8T=*qOiV7_KqDY8mMQBoiCQ!jf)T01ST630EIpZW9m>I#&Td&*J2qF z@)G(Q#-?r8cnF+(wfKYfq?__O)cV01?J&R5P~i~$PTG?FQe*<`E(kHnAuAkHCh49j zv-Q4HCK^~TjwGF0d;#q(iv}9Iw7}>3qzEuDHUfz%e^;dVQPET7kr#V6y^GJ1O|z5K z@-b?8hz1C*(E^=S5nw_e6=6G56|6$hMfa1OC*a<}hls*Jie9GWzpoWP?I&C;x{7ue z4C^ZOZaY7W!At@e)TQMgqFkb)@gi4uUE7eWa4*&6RO<)%AqM>~)Wx<YonW4o5f=5= z;GM7oKsPQT6cNCl^te&X5Nf0!#jHZ!MX2aHl=x6a3D88{pbTRyA2xz$><+)rww`o> zJrWbP>=VHYSyOTVh-4o>jF+`w;<lI@vI(}mOF)_hB(#yL=GHm4U`h!(1=rMR^J;!k z7A9Hwm=x_bc9;ae8q`3-P3QhFYb+gpuyo9Rgs~=+4&O^VQ}Eh|zo>M~ZV}s}Q7n`+ zG&RPDMJy0jI=n$ctPg^WYPMm8-O1k-g6C}7ed>^P%uQw8%8YIn+rwYAfad}1kc|FX zV`J{T&PK~JGLAH9jazaPx16@tH>-JA!1gM24+Cy~_#yxwn+_(hvVr;$8>q2*(!Fc3 znc%%1Z#J#Jd-TDqrWLVuu1EW#5jWp_A!Pxau4)n%il@8v;ewIWi)@}dDO+Fu2duNG z9yLwR?GQC&7+zE4$!MOQhiP#{xi900@{qmv8Y<S|pgHwtLouneiUS6~b1i^?sl4he zH{0CF>uFEmE8NS+f&FOMq5I4=Iml~YKA5&<J|VzCAUp!4aER?sqI^vd=^^FSv&z91 z-Oz*;+4LMLT41gskWZ>&5f2La2_um!c$45?Br(nf%0OEiAmB;b>LDvByYe@O3UNGn zod#vdJ2d7&`Y9mwTn!o!+ZafF&_omg>WA>urXil+l!bx|{Y7@Re@PZ;6$+q0ON#wk zLE#o2xP(X+!#_8*ljt6N1bW7wWB>yqS_FJ~eR@fxg=XXm`?M8<`eM16ywSLUmf5SY zxx7;AY@|(*@xhhxL4D`derPH4YL9g(i}z^Ej#Z&An4Ga$NEldp!t2s&?;<S9?N-FG zH(a<eT-T&G0?@*SCJp3k?zftvd-Zdo9r_rp@$+1Sha)^B6;=?=meI~=hfz<(&;u!R zu>(B282#MF-$QpncdwrWX1*xE1cfb#mJHv`n$^}TKeimt>>$O9V=L0p`Js>;A3_ZF zYL@rZ78&Ve+pOK9^l5FqiUB~1_Ykt7&b4l|k(lVC7a1NslEM%|tIrpTLz?@To5x62 zW)5mDgX+aLHE^ivOX3{`)CwkOPj=EJi2|r)2qZ|%tZbr<3~NuiWTJP;6t9s@nNy!S z8wAS^=y~YrV+iwglf`b|O@J?_h{M1bI=x~WJv=w#!Iz_BXzC`s{|2f23Xx^RB#~um z0UpVIKhyzpY9TeJk3_-qsP0nPm;!<=+@i+IGA!=^#8aQn=&Rt3q^im5y^IG-SQ~pc z#EuGl^1WwcXJ$_QD|9?|C3*trZgD+DF9?O|$3BK&-9e>p7hW;=D@Oo=uP0I%QYoog z>Kc^j?_}ZvO57_FyC~5YVI2emmK}((m|U9qH5fMb|61TwRSy3RWi8G$GLoNC1eB=? z|Ai>NpFc#;Sf=$R8XZpc{!}L5)k&`l@EXDP(-jGD9St3!(H)O9nVyhTQVlW*NU{#2 zaTbwd+;b9?#b2ZSe%w1$MrGl_|AeTOqyx^9h*^s@2(QMt7T3?g!3ZBJc$=HALV}8| zYz_+GX?Y7<NcsZyD``ETr7GCHRDrl@p!O#2#;#C=F=Y0{Y`l@GAQYcwPh2gMwhOH~ zqS(g7REm-Fj~nL`wp+2;;ZIGa;5PmrspnSgs_A`l>ixXb^I?z(#s8s5J|CuM-187f zke^M}#ax|7@u0bzlJ|swx2E(aDA<Z!S?^$tx?ZbrO+^3&kG+kDqp`M#Or=mKAEdQ2 z8CaVQp=w^Sme(CM-dsaceZR%&JVOc(7C+gADCLPJQK*kB{05<ua5!CT^GBOgOR$_} zU_1O<EPI4{8()ZpOz;@~J`_BB>ZEkmVX3Uulr@*Ks@+-tL0L1vsaEnRG^TY84`i(! zPFW@*!Sb%$EPDTU?7jJWK@ol(s~6vYc`7gQ8=gUxY@U*e>Pt~yLn{Y(zeNgIOeVBW z|3*xNxh_NTNX&IP9vbud@L-<7RORzuqC^)>gSvwT75EnP!ZR_l$sw!@TCgBiYeXjy zy`5V`ePlBseK}+u;#Z_AxD*Q!-p41d7epd-ROOgN^YgS=rH}Mgr_JqB_JF&TjS92- zi%Ro9>rkEZN=X#@Ji-!6-FxT=wEHow75c5+#g{3MKsy4$n3Kb%cSQni%ENy|4mSM+ zh0Wg}Y(D6;DN&LN&467W3jT^2P@u85!;ThfH>Q3)4fpbDwRV}UqWYdTW4vZgok_BR zem3Z48bbWPu+jr%{RDZ3*$&H_k7zd2six$2RJM!HKtIFmiXgkzSz1vF3dI%$@8iRc zeL@GmLogJ}yRQj@aV0Wa5M!Hi1D93bowy7mTiB4C7iJIm3cn2JTg4L>%|f?w+01Vv zfe)%KlijPnL<=0P%FzN{)tPEXiPL9HG6OcfFM1W|(#Ir+Xl#~$33~Q-XhHjgfQM2? zi)!tLk&#-OSoN|1n2Z}R9o}3JW()AF*23(g-qSrTmoD|^3f-X(D--9SMU3?mD&azj z{t8&*P7sJ@Hb5`F-*5u{f&7~<M9f@@Su7f}TpOWg>71TNGL%sfiH{veLS02y*qn00 zX5_CWLp{H80FW1Ro&Ym8uqaIjT|jP(IfTYEHr)>~FG&j76D`yIRG?+Ln;sA(kt@4) zW*!+7MSC!<Hpq1Z#!~QWSVx6r6pLelP|qprZqI{o_HOlA*k<y^K{i`$MV|E)bjKBb z5b7BGRph2QOIn8Ln3e}j?T1un{xsKSxKzuQ9A{2*TT47pBGkiBnW3z1OuCf~Tll9F zKx|OwJNr748I~i(qw4l9kBIfV#||x4<1jlKX6@|V;EDuolGr=J6+5hLybcs$UT*2m zx`PjWmg*1WIAYI1s!@pRKUAOE5hPG$r5a1<Ibm~&0NLI@c`2YMTu~~vk?b8bb2gfR z4H_*OL-<r+)GRvB=q~~J`{mrilm!4gegpt&|FkW3?H9YjP$5uX`7IvO;@pZD8j=Gf zvCb#41v79-nC&iQ3CxkXFh}AsE5zFIpgB^GzcT*95z8upQX}xLq4MWIe1!+k6pN{O zAAhx<%~tfZ*r@7?hAm$`O?D}FlM4GJL{Zh;Wpzx?3r6Ce_Fa~x)U87vT3-fu@Qi!6 z9YLNzi$0zd%3~rG4anGnj8L6o$25{O)TIj=%1a&5Ej6&cC$pe)K$hPl3-Aqf^tn{} zY$`oeD780|CL0=Qsm*@8kxD^tU8AdfAK?A5z9a$8kM%`mEr|=z7lD*x`m4belT@-} z&GHB7C!{j${T>%;4R!M8O7!zS)WxTTzC&G4N@&e$Q3Ky-Fo(X3?kkVBB1gQWZA$s# z0h+R5^E73{qwaQK!u&u<I#jk*tJtVjK;1m36-ke0<zh@5k2%rSY_?Sm>{X%<034`? zm1sQ{9TAw64kXh_@1_H*(t%&0S@WnJ>MI0bzus(i-Jv|T9PB}f)&NYiOI4z@qcXdu zE79FFnq4JIbfSovp+v`uz_t24W>>iq{aC!+qz^H>Zd0OUuQ0nRl;|H(ETK7xCBs;4 zZiZQBqdrMv<p{j1k5iR(A7?9X*s2Ho8hfQOl(OY-+|!j9fD(kwvV<EUjg5HbFzPuB z<&@gFsQ{hB)K}JhksW5Y*h&JODr;Vg8T616f&zB48+me(M~RYR9POm5)|AkQxu^&f zm-q%vol#d$Nqs_z@@i=pS@{}}k7i1!lr{0}pcr=*eHejC%L(4(Ky^h)7v4hjRv%53 zcv?IYr2rXem6R5&+3Zuz?ZFZZeq5%j?1&OSAIMfWU=VDH1qhm5cPfv1QO@l8$?{!h z*Ih~!FyrlBCHgNBxKD{bB?6WDon}|H68#SR!R#`W=ynmkM5%il6|Ff3Z^>(|)_I}g z{xD0JjTwO4_*%=~rtLYJ90kk}My_ZV7)fSXt)Zg+I(TR!Wjma|4U8g`U;;X@B)HeC z`$Aa*^09$4%vFWJR1*F8fw|6WnnV6bff~Q&oBEKyG<mHm1Yb%EQK7!csbRKE3_o85 zVF*(PEhy0?(0-^Ln|!)!UhL9jM(olwP7@1hq=71RZ5EotYN`>XC{>yC$f?dMO;J;F zq8M+gV-RWz>Y1g=8zo)IAs9bAaz$L9(h7u~C9DLhQsnWJ1~x8phdcKZY;IX`mZ-SO zQNkK9Jj>kb1~InTs`+teN#IC{a`llA7P7fyy204J0i;0HGknXKtw55dvYo26Qw?l= z$c4IfXf2R0j5*tRIKmp@(+bS4;^hw2(NgcwtZm8N<e5WNsBeI3t^6h^{;2)Fz-ve` zN$MdI>su2jP@)h~!7;X3NNRQzBu)SyMnAZe{KQaGKo+L}RBKN?ht%cgs__lCP^pSt z`~l!kgTK*}NT4lkCZvDXne3x(psX}0u@CzA7=oaFFoBa=1$J6d!L4}NC={YqBE;Y? z1bIzr^O_MHPgdp^s8aT32s<;MwOeH;3L9!at3jkbA{1zc0Kq)Zpla?G^*|)T#Itr6 zHVEj41-c9<N<E7y$EQAODV?JxaK1s~@&#zIiI#^ZY;i#}gq~3GEPuIDHxvC6gLwfV z&Rv~J6nK6z8*z3$mtOM4&LFnbuO<5<HbWO#d`XUBq~&`S`M=E1*ZraVPNe5xxkXol zuo1I&{_f*%!Qd<+2muj_-Ny&PvW={6eF%P?rxhsR&!GUS4iz@Qid3c>fv)BEYb*(M z6ogP>Bt$Ym+A82jT|=|o+NGJBGx+L2dPW!*GO7IpSJ%fyptzc!0^w0noc{uCh{<!z z_@e+nIYvCNCIL6W<k0Re>?5?@A+w{NAn0l7FoIei)SZXA`DKTwk=AP>5#r9!VYG4; zbc2@CE1AaRVnt#PX5(xux|3Rg46&Zk3W$}i&JX8;P?6NilL+vr6ak)TMa3tfQbq&` zA!I<mFbR1Fi=q$n9ENm~R=Oo$=wv}4VSO@w=j-|SU8sBTyV&?8(L{Fgv6{;l8nCUj z&}&Yz28<#%u^1Bx0bk-?1Xd8A_(GX-i7}|=A^Sx}Kllw~h^WNXNS;zC;xFuu|5iy{ zO7V9n(Mj|K%RPslV6-FY3C=o%o=cRdLQkxBnRwC)HCvEvP+7f0tXF&?c8rA`foAB- zfhde0kPlIkPx;QWfG9v6ocxs%%>ezLo?$pL0ON^YgO{VX=NUswm?5Sm7?KkI6{1U6 zXW}tDr^j<v(}Ep}>)P(bGLiC4!ble!p{BSa1|4KEONrlvBp?Tdp`-$8m=({dq4M#N zwwp2}Cd;BeT}8`d^b7EtuaCy>`T9Wo7ASRjvIciTNmZ5TBLnutNzz^b-I<9a6f(DG zBtA!g&{0W0<@7U)ezX$yA^JeUvP3iT@c(cTnUNP4=`cve<4dVp=VRRu7X4GmlZnNk zQt0ry_pFuJZ7hLb#av&?rd0dIN)Q=MRiEV@u^OB9b>)Z%#cyvVE5;!-6Jh&H3axOU z#c-22`XEta%$2|<NM+k&o>tloxop{_4BB5ky`=s@Sl_ZOwRw8qtdiJ+Ify92OK}!{ zCR0oqVj^L)sT^YVbG-{!H8Iam5rI{AssDB*8Wuy1xs0}zDA|xA@%c`zq9E+}ZoLh1 zN^zbN$rIcPE+O$a;Eu#EE<+8X4+Q^62|p^(@51)%6mtzlvg+6rbLAosjx!1Pfok=8 zfU7kXMKwPRIlK=}b@#byGjlbOCEjWYG%bySP)7U{ugOdRL-8uJ)WD(T%Qf>dOJ9KB zQ~I6Q{MzjL9D2AhnOHx|`{X}q@oLe-k&4gA9}L1b*3glq3qFR}?gta-LykcZnQSU# z1$P)jmb-2h_7!~Rd9q}tinT5$DMsmSAj4`2)5f{k9XP)9;Sz>g!8#6U3l5fRjuGb) z#Ad*v9bw><-lt}!yC(Ti^K^HuikWB85^Xkqw+8fMl>|OhLeLw3^$(hQ?HYNmTuCS` z5$fbah$g@<)nbLp>ISnb!=T!N$-c1t8BPS<aDGU^Iywcb%bK2(%mqCqCsJOm#erF2 zsn#Z7Q8O)v^5`{qXP&$JkW1l0G=c581NkEmB8X(M{r6$(4-LhG1*NQ_s9Oa<x@_oe zil9w~P2xPFR$=eznJuY_aybZ!0B|t%EbK^Oc7@)+b0bt`<Oc&^OwbNWR*Ko7L-Jbl zINIf9hiH8xO=CRj&m|JY+C<N8N6RwHJ6xdZX}_DA$MPJ+s)D)7?|%sIkR}2IQ;}d~ zL7IGXg_J-cc(k<Ai;xpUwXkpC-3M#O`6!+A(UQXf8%Z0o{+{<22%c0rNzX%^HnOSc zh!**4@U*;lz5;Y^Vf!ubwFptGn&k~52<1f%RAuhCmcbWZL|I28b{*9shB}9`!}k-d z3wz5C?BAi9g5usYpc6#F4uqloW#8~%9?GHH!y;hq*f7ITN}2)<R$8z$h(O7)!aB@5 z3xP){;LgZH+vNEm5ZcBEY2nsL5Gli`k(O@zcC4!BenKPyt9vLObO*BZe5)bs*ll*5 zU-eB~{nG5}zqrpDY))-WwT&TA)|$Zxn@9Vp$`vrsJgKr!qcf%NTP%Tvc{%P1d<u*^ zp(4sfTjOD9f<EwuUg;y#>4QXix4ovYSDxd5Ow=(5Hr8QCfHTuah$DnJBk{6a2pj<- z{#XVoA$4$Cf0g$47kU<Q3O;P^!0%4J|3Va(t~cY0U4Q)!W?vtv!Owb`SoiNZgo99E z#4i!Avg68(lYx^4wAbD07f=)snKH_BuMP9DHdI2VxdcZG$f83H!W5st!i4n|1VH1( z?}7l9YWlolS0Ob$nwoy*Z@rryE}K@B87I`h2?K?D8iy1~_RKT{q}}>)7&?TRNWcK= zF9Gm)Pv0kLaPbBdf5FBcQ0&CK6Hxp%g@7jzkBuUr_*M;kYi#&`fa3djPx}=Yb_hcL zTm}Ad+Cot8+qAwM{5~+gZeV`?S3*e|7<V@?->HG`jP<?9SYkt{#e{Lai7a843T0n} zjPITZY#-!7{uXM)938^1g$#gEfPWTZAax$ch7bnl6#1m-2X=Welm&$y@vH3oZb$|z z<8vIObqb8AA85BNyDL)h5tiZEa4NgfoYH2~%dTWOZ5?W!sps->n2f~h`&iA8FZ|~5 zK}#<{=1G(pxv(vUgV^D}5IuN?$;c153QCT!5m|VjY5G61S!8tZB_CT$EQo&wen<kX zn8xsT0>lL%fD|7|`4RY-npcQ{Kj3#v$uKVORP(S@+w@CVasC6jIJI&<KZ_i6*|oVL z)`HGoKiOu3bfU27dC`Uk6tnGQY<gZY)0~;-gM*~TX6Bj|Zqcj`1!OF{oAd<lkaL#Q zdsr|s`NaS;If37eZeV`8Xn{CeSyz$Qui8sHgJ&VCqsbxIdSHoc5XxGKb&|ng6@bn; z61&5n*W<GjVux`iLJk4-e`TSCTu^B2vI0{xaI!^-KY~VaHV4SvYZoKIZTj6XG;^qJ zO?@t`9y|BJIDzz6D4peSF+>-ua2GZP@nYg0Sb@i4{S2XTe{y(9U57CknKCer!(_6m zggOD^c-Tl5idqJJj*3sBVylG!5*q+HOr*S`x>4j?8ZP3s*rH)=x&uoUjhXNRX%e{; z8K|Lq?qCcF33-x-KwED6faH1zknBD4LATw2(`>VlTdZac;xw4-sdkW1JO|5OHqRI> zOcm!NI`bn$L+uZNAh3UFlTeP!p#wZc1dp6CAfJjB&Cw7x{hLTiIM@x#Y5Y@*k1*P( zq4WRxA(8BHja{nMb?C#*hun5J;S&4szeFiJ`BL&OG0#EsExB6Y<We|B3+r@_=s_RL zd;CQS8#(i10ueLq;c!yBEi{j=3~JJ`MPulmHFhBt!+ZdpbmK`JT!0^k(3`+^bE{BP z4B>f0q1?P`1m{?(qz&$-Hlq6DngjC3`F}b@s)wZ~F)^I1Ir-q)@t`5z1oBLAXN6D1 zON$L>um~$R355`!hqslooH0oZ15x#(KFL=oTtk+(BiOK~igqM(!?D>XZArLWZR58i z6?Ev?ismiv(|<}&XY~KHLAgcFX|Zylb6R|A7oGWV9MsGyhv10AN%IC)22rCw_Z}js za}M=POyH^rbqick9kBH5r<DMF@j~($o7M&mkrrsF_HzxOeqX|)Uh`Wzg;nYnP5IkV zNj`O!ri8k%n3-1F;ym=@8z@oWwG569zX56yFr9Bs{T$IYsKPNpULGlMvrVfzsK3(U zpo)_((n}xtLO>HC3VWd(+un2s#LyxN$d%}ElqK(?=r;(^@_K+AQ%0#P;E$;fBfS>f ziS{XvyhefejrMwbvtu$eIgn~f(Q{R;DYij$qzQ3KF@K3%D>C3pNxHG7n#nff6L=%? zND*9{izev<Yl>#W2TWwHzDFM0BL|wfgv6oA0jZR0SJ*{)C@)dF0ojd=9LRFP3Ok_6 zpE6M&oyt1C*@1&qa1cwq=bc$JKEtjBniu6ZmjL-MW9zUUvl$-n%?_f#G5o(MiUhAS z#|whd-?58NuY;IMrwe#JbB2f^$lirBz1Xv=?5N7x`IL8wfI|N9A!YSJHM-O>!WfCE zjY%CMud#aKXVc&xb>o<3;@HI41wC|oIzdHeN_7hjXBiQ5ImR?dHej}q?NQfa?F4IR zg&-vO<o509NZNvLN!%oPAniNEZiDZ*gu01c1qttNY$xieg1F~{uV~^N{{zXnBes8y z2WY08<ST3w<`VYH`OIo$g?<47?oxl5O;<I@@EBIA0463%!T}rTM<|4ig6mOKN?~6F z<;zI_RZcpRx!5xtt-=V5ragfGAm%DZo3wQiuVw>Sk?RvG4m&!f#9V*-lHQ_Xmxb4t zk=WvT1d)AdGvTU12<W5&V-HXPY|s%Nl?qo{-ahDD%+-#3ay1zZ)<kEMK7Ah9<DTDP znpxgGcrmALMJAh(CG#DF+THTLjD&U6l-O}RMP+I?5wJfZ7h|Hp5SrM4B@Hl<3npCO zUfM%Cp@Uj{S*{wN*+*4gZ3@M1apKR7znpnTUIIt@!+R)^e{zL$q?`dbRAa!v5QlS% zZ5{P-g|oOGzNL+t`8lQhAe$Gm7M465%cb*LH7<g}mAxMiX+EqJF^5?go~lsaSl*H7 z5}eS8t0>W_c*?P_tk1xK1#4rVsp`8GA^-JI#lpJ)=YXzHo~x|B!4A@H2*J5_u$sRc zO7bh?5hsoZPP4z_<FD@~7TA)pA~V`xyveS}5t~cWpj8s7uq&L{a!FE&`YW+HNcp)4 zlHtnbVxJqdAs@Rw2l<MKKFIO{(ku`(Myk)s5NpDDK}d6aKg1uj@x3D8V5b*>FDT+t zrJhA8+P)J68kRO}sXH8YJ*TE`?uzIjYLDy=jtqT3O<y0yplE$9VJex~ES}J@G?MSQ z*@Uf9(r&zwyqs2pt4073zf<EupV>8Zu^aWpr}>gOD!uhXU05#8s0U}stj55bRoI0- z>K7vf-Re8=u_5?q4541ggL(lfhL4B`pjX1h)yMyxMFZT$Qm&j&VI73x*Id&83WX<w z#-3b*K=R(T9z1v_7AGv1zoR&+1fB*XZpA{VhiC;ktKD>1(B;Qn!{4P^$+08Q3J;tU zupNVnE~X_j_A^nKxy})97|(Xo29HowCfgw0HfqCCI@8CuLYzzOu7vNvt@2DyP@X4+ zeTC<um*&`WG1qP8@l(dw7S}L@fn?0R$DhU8A-q4Y70{%3VzR_Me$p7w;%WykkU4Kh z&g5I>@e>BluYmEixZX;ov7j@#zMHWE+>|LB%pDB%W+4}(ZSKU((a(Rsg?`d(A<~1o zAPi=TvtC^|;|1@8o!kX+ERhFlfZTJzzaesLgMA>(Hml^=ZYwT=(is8Ou|4egg4{XG zqpqq%t;Hc6DN#BVT?;EZg}ablc@?|We>{UNLz5Ey3=uRf#qRl$RAjS=yy`4c`4Cs( zx9q^~YPmBuCnr>Vhu^0>5*Il_{&7XK{p0lWi^}c#cx82wvRbnTjxP4*??RoIjsQS4 zS<bNIt#JN!<2wMBQIu!Asl~52d+jMyP~&!o9h*cNyUJOc_&uhDKHf|?^|Q=`N6%FQ z+acODC5NqXV)021Ttl|qWX>9=8xPl-{&<UBkrRr|b0;0KInc2!&jp)X+Xq#Hza`r6 zEFLip3|6Uo6~Y#FGKqH(hw0MOGi>eQUAFKZV0Of=gGh9Isjj1?t~4I{GMBsuit_Xe zif**)6O`5carVI;*u9vHB^QoRSHLd!mg=@sY^h^=VD};*zcHg|sIe=Ib*0qtUTOYY z#(E&G_G{`JL8|-Bubq0H`L##SA;rM3^|Ej4W#87zzO5I1n*%T3>vM4u@=K@al=5mO zF}Zo9CfS%lc!O^#WOeKXNjnh%?O+o3-%Aq!lbE^+g6sBH@76K&)`62~2@wL@dhUdM z7TQgoOR_)vEloN|e;e=y2amvXrxJY(w6N9(GUT)2Z38hIA{=R^mm*$czm(IoRb3;p z+=xwSEC3@Pl;oVwHij5S<~qN~{Bz3OZrUwln8w5lc1nXWJYfuaKYrqCxTryYJl26I zEhc~gudsJK(u#5!N*x@?Z5^(&Fk)~+pbdj$1@+&O3)^&O%rz$o@Ta?Dt{X)lC+3<( zfqkTI!!g8{{sMwH=2`}4kFCn9p_#e!)L2xj$7*D4q%6q~W!BnbGy#?kLADj4p=V92 zkJ^3bb!Ym3wvDwGv4myAU^HD39ZG8_<tl(*o7`3=-^UDJ0O<g1%Yp|!^UT2u_0z=% zp`Ti8M5#!1*kvc0zCq{n$pL8`FkpY1GQS7wI(8o)1MmC>xM)cgZqii<w0^D93GHr; z0``TFfbJ0TTY-vw2y}Ml)Z0kpHU_Q5Kv?`Rep_5K5d~;z`4zf7uxGh1lbaS+J07V* zFVLVr0J)`w_-~+5zei&xDP~E3cbi#cGvGDLd?I3tKG=j1-Jb^pfiS9pzdDtwVR@(L z7}_gGsmwu@a(l1%@5nuknFXR`gFb^An}({2D55q&OoZ<dd6<T%H);@}<?rIJ%eXSi zhS$H!SE`0TE5qfK6nE()0b#`%X0Dx!7=rw5&@Gyv4BVj1@dwL=iv_a(Yd_M8XSC}B z;3rIbge>Z<i<eS9^Pw(U3E9=|UMYnlrNu`FmW|gjgef74_KGH)z!C$HVf%K>1gvPa zgaDxxl`CAWL@KnTsdtIOp7%6jWO`gJm*!#kLkan-xU8K{G2~*)MO9?rwCNJSh$RKb zRD0sY0W!ORJ$fzmy4|cHT-ZskjGidbCxI9h$Ku;Vb}a9`fDG9|l)ZqI?>#`u_Z}eW zy*H5a_7OTy12SaC0nIaj6me$)8M4<ClsH;LaHe%w?^3r^!vB;A>mPwJd=edtV_W%C zSOIW0Rv#J0%UDbT)x?GoXOms+U@?)vZp_AGg7eYcE;J)Z5iRTG3DMI2w9NAdlz``b zTIT7;w}|v78-S=}{#vp1K82aRQj0T+gTg6^uJY^AEV!o3@Nc5?wA3<a7p0JZAk^R6 zvHc(V6g;|N*|f$g6v9|oV?7k2`OG})P@#F$(mj@!(oN3`hyW47P1h16C3T>wsVq(! z#9hxn2Vi2gs{m7rdKQ4TwbT+rrBHJ%8A+x$*LKnac&XnlG83bgd?{aaiJ6jh+fv-h zi+;!+WsCIK`UaGMVw%i)t|Nkfn<9z{Wbj-tpOv!20h%2o$ced--roqAEpHp>j(PT? z0@h`Dhy9xHC=T0dam~Jt`~kSi1wv`c6f(~rsV%nK@^+vkrW#@gL*DxqBaeF_D9)Ve zhL$*)$)8RL0SkiAyCQFoHa;aU`uP2Fut*;Q9ZfF3e@Cw&67xcME_VyY#3)&qtZtyB zDX1TMS53Z6lyBwo%_rZ4j={wT$hS(F=9F(s<Xea69;*@fq-sBr5vwQy=k1@tLx{^e z5HH8*XTT`rZMKH8VB?L$5nJ>TVxb*^BLCcp=(L#Khd+UGD`ml}u&BsE3CSwb!>H$z z66grjURq$PAB&Mb3>B?^liKdm`<a*HBp2m)9m=-Uux5}CF;=Tf1h}(PtgdIC^5;SB zeEa7@!#o!&%U{G0-TEs?46Y9#3zO1a6GJRF#y5US71H4A7ckEoBrVf8_d@|hosBIJ zTBEZNIER9`)Htspvc_O<!?f<6(WD#gt)7~zRUE~cOKk6g@Mz^nS|O;!Z?&tn$7xn9 z78;abN`nFg$^(htp;FdKGIOx;6da#c@8quxO6@2Km|*=s{j^&T*1zVD;n^JZufPL_ zkSp!UffP%rh^0iFKf`q^bWD7fzbKMYN-%Yh*tM$IFjJCHabPPecdNG*2zA`xBIr2e z8MU(11_LUlVUT6~m18zz`%x}Vu+hylQm;cM+qv);@3pG~E*Lf)<=DMTU;dcpPB9EX z^)6ri0aQ{m^R$Zgj>d;!bb0?H5<L0>Y++h}Jbe*x)X@mXIKEM&jYeAX!$Pa05w7~N z2i+Zwxk{8eN=N+64^F`$JT@~Ab_%4KZC{(M8L(9RNjR2I;)^$6l%+E|M8Lb`+gx%) z&xV-$?*YQdA;h2(Y^33kPF4{mN_!CoBE2>@e?cxZqqrEv!KVAI*1*?rI$u6C1P`p8 z{K8ShN0K*~TYP{ZaXDzkJZ0%)%u}auPJr#ypyrQz2Vp-%cTfn&-z{(x$k~|81c5GW zK|fWuPajgam+i!6JA=oHiO{+%CHgg}7n3~~N{fPedvfsW01NXIr#O+7ZRW4~sOi8- zrEW8FDyxx=m>za|3!%Y+rj4vXr}=}!d=LSZ`c%5!3}*x{es2$|!1W)vYAN8>v*|jM zhFtUbkgCJ@QOvi{;#%x5Y`l63%^o=Pl1wh6<{}DA%wtZCV`GP;+mKXik<bipP=uig zTG)mq{`Enq0<!U~|3%}qE6m>JU9bj$sJ&<EEBV1g=yTj#O6A18TZLPiUDG~5otAg; ze~Jb#KvgH6rs_T8kZs*@;@E%uu?km+3Oy&FPT>78)VR?M*qyTI3Kaj0B9Hc`s=V)f zC}8}Zs5nyezA8G2qm5j@=tp3kgsK6{d=x>S1h0Z&?+3f(q^uRtH&eD!N5j=D)a>Rz z|FP_Ezb~-x>2C-Nxjs0QfDxW3!W<}Bi=7DA(fa>Ixa=a%b)oPZnV?l1gcTsnBJaET zSoA5(X1(v0_$4Ki2DeYtVtH=_7E@Ba5a<`C1o}BbE`tmpN0-i7VZikvsqx1v2781# zb=4*eHUxeeXa0NeMrlKN3L%mb(z1;>3>&{PkAEkOE3II&d^sspVy<&O1q3ly9z7ta zxZ*G>_M!6?J<PO6FP*Y^k<|}03q9;%-qbACBF~{u0KsLb6L<Vz_tQ$Rlc)){KOESk zJd72Xa1_oz5sBXi->H*s<>4se$i94pW*KV_2R2vFT4&3}OJJj>OxvwFc58v%RsAW? z8-N_DPAE%;L3D%8^Ln2ac&F+LN_&oa6=>3nwMHD|h@aI3r7Hg|)bQxo3;;ss@E;Se zNS*2CrcCmSr1z;h?nXCK8l|9|t+d0UDcf^vAIW4~@BuQ4cJ9ZGQUb>UKa!=!NBrt} zfFGZ_5|1A~XW1hOomTEXS#JLS+j2v8VM_#U9T1q!Uxax9j1l%k5Zl*wBYC>q#TwVj zgLiJ-K__-Av?;h{1YWttbl%R$StrlgU6Y3!=#DgPk5s5r;7=66i3LX^l*_?EaGNgg z1D&ibuLO#{v)MH{kiM(3nCf<Hgmhh{sH8@29A6UHR`nsZAO&~Gwe*kh2TMQPSO)x- z4sC2n+n-05<~L$prkHxnCz?kJ3;G-R$j;qnn>{6}i_7H17+g-{$4GPq&2G`1)}AEJ z(qTrX#slqup+Grq@h34uK?O0|)zV;XB-vW-fqM%GJ}BhaQGPq{M+$YKS?JAH5Z`3= ztI$rQ!qr!ZReOpj>jTNn+uWF|HMTi%T#;xrK~deW)lTHXjXrONaV1l9I;x4VY3@?0 z^Afz^x(JuyiNtPlLz{adK_?{;WjBOR+Yr&{OD|C8V*j8AyV7YMbt`pTz~MD^Aj(sX zU)8a-lx+<K_AEOu-1vbLo9I=@qLS*kF}E}}+up@IGbp#K1iy|}<Xrl0?c|^1E>yPu zWn?vST1<MH_)9LToxBn$>9|^oyS;WYcw2WIP1xjBwUd9*E3S^>Cf81m_lkR%;>OiZ zeymsABNR8Fb}~3#gOMfMC7Fr+f*=ql0&oT{Cg6frh>(Nx)iHsH#79_D!H~q<InxA< z@$~%tJ;Ijf75VsweEbs+!AId|j$mRHR4z33kc7yNL2fUp8%Llx7VZj_g&k~<`FVyC zCDoG%JPY7Npe7vvk`UuiqCXP>r(SA)-bbHc9<%GW@>Q_WNwtkON<ZzcuGI&mc5)AD zhQ=q8U}PQ}9%)bX%EXJP5oyPv@j}|Sc=V)U)F^GAOxxW%Eotx<sBiFEq>T*eKo<xq zTDb~^urUVp&fEq?>5Wd(;x|I&nIcwPHrHCkPkXI)QML@s`}l1*;yJ;e9EoPjWV7Mk z&GM@c6T9bN=5`|!Cc_T2R$BL^k)_5<9sGeNC_Ui1<c59jZE)z7=5aSPN5`}E{^oI~ zo)ZCwEeb(0s!U!GVH=3jBT%(LW%36KLvQak28P&bB9E3w==V|lC0(KjB^EQ!U0Xpw zduR*9T(=?YXr;*jJ)ZDJcw`j{VAXAPONCzn^AsUd@=YFV2Lp;Z{Qxf$;9YXavfgkb zbKsESVZWrd*e=z2JLzKE@CY1&4hV3&0Jkw95)-f@Yi1}Wpet-hpVfqeW_7UJNfS4S z2>Oe8ir)n(f<V>Np0J}@-gzr%gRmbP0AF(0)FCuGvc+t$ykn3Ab`%25`sCdd<i1Jt z-k0i0>qD?5^>jhG$lt);oS0`Wc1m<=R?n2XqaIa<;K8`wp|(hzqRls#<T;J8Ea;o+ zbNynd?wvY{9{r|{rbp&fTkzL*qYwWXl+W9RJkZU9!C(Il{%UzU>(A6J_U5Yv=F}bk z1~v^Bze)J?k9ZZF2pVOG8pDZBw;*xKR9uJv8`U;`jI`5n_-U<hz{d9(EbT&a!Cgf> zu%8GVr|ex9qXz0F*ujXq5XQBo`khqzHI%LiOpRCC_32v0SHk?K!I#cPMPr#%rYb_# zcgTIMJR|={#KTYCLUyyo4G$j8u^+V?&!Q!3J6c5}Gcb)cbL`i61!<iFqwyY0VazrX zn82Tcy*%Dba+kp1n8?ig$%2chV8Ra6{jfh^k8HKjKNn}J;gYACcVcR=521WeTS!xl z?(fyXA~V9~CU@bNHG$Daf7tuK46YuHl^f0rj3<lf`d9KC%v|B9&x9|7vbvB`cJgyE z7lDd_XJ$ZZ5Epa|#{~XMu;!Fc?}OjI#xqn&-{u)ON=v7c3OneUSaD@nO#nx;Y65)? zacdE-Lqa^b3|PR&x;q@3;wSJ_t53=fo1|>;zX;6MQO9WGlIT`r1pF8J;UKZSrf4*( z!96Y6<m+G8fqt;|J&9z0Tuz4e`!r|bLS`J2F2OysMv}-wzZ%Y8?kPTf#+1JLbRgtX zWkV~EU?x+6;pkz%734A^I!^^tct~a=2?%MTIDrGJDRCplBh?NzC8C|gAjDBuTyVMa zBWIs8hZp>-ytjl%YYRL}!S+cQ1nKX^EG5#vl~g40sk5QFO7ElK=GpAJY9G=q?*uHN zps+gR)?!l^fkR<>5N2(LgIw8R;nu{d9CE@SEr`?+yiP)X1y0;(YXK?!8>s~jSI^ce zu))xvHmtq|heF{$w5LiV<!GGfTJBPyg>bg_)GK^WQ?>pCwT1*8$EL2w>{K!24WZbG zmk<`N>4b%{wCjj)OzyTho#9&>WS;xcWw-^xD^88;ew;7dZd_=2e<M0f`vN_u#T7;# zBI@KQ_)9>-V4eVC%&sL$XlKkbiNbUYbse(6L}GX?@6Fxi#j*nzPvGx34pfYR&fakf zfpd(`bl@v;R4k&O0xkczwg)R#Q{moF{AxR{z(6c6D7%A>g`7guS_M}FUqH7Et}*9L zLKikAoAe8Ms-SYB0$BSO!YhT?w&mT3vT9(Hkxiz$u`oS{*|!)c_zP2|a9pbn?9}_B z_ex!a2FhD2;>FG=IvEk6A|JT6)qtnbm3p@4H(`5R(N1;l5%#_=07D8_R9u7#5;l~i z%eZhwBN*C_v#Bkloh2#<Llpx>TS_dlbIFx(KFBpF4%!QM9mvTbDY4@s&y_(`F6P=y znm5dmG2~iNAbo;}>{{WTLpPj)Vn2kyD3%r>QwzG6`yb}&{1-~YYofrWy>a2QhtB^s z*evXaP-1mLnsc=wIk|{bUImu73Dppk2)>LUR>5%LLCbqlukcFBg4_@kWa45(knem^ z1akTsLMDAGA~I&bwx%%ETqJNPqJ;KGVk7QGYvIl}5t>h6p;(Y6tXP%BmIOaN_b0)z zWxo^btFWOIDtV#`x&UfC|K(LETf2$UX!)fwint$9AQ4Kvyb$u`hFcnG5ly;Nc~<sh z24e9~tle1i&7-Fb4_^d#7O7`T{zu)GB@+XlJAnA=al)h0TS<e!8hfj$a2KeuA>@Wi zEtnk5FBRS}fU(yBDOnwlK=CS8Ye)-1Mo9Zb@MHfVng+>|2U$wrDLlr;+G^515wIm; zaMFHa!kGabI;|e)+h6|wT$993&u=gM(+z3|v_D}Px9Q5fl`CjQ;0mc*U&u6$gx93+ zpX#~W3RW*%EC?-`JA$hfJ8>b^p75AAbq>>47s_3O)eQGHifgEf5uTI^k3x8ejLyO} zRBOQq?NGMi_mucODSl6g-{a!<nD{*^e!FNz@Ba@e^=z?g#h$14K*{zvcDuB%oEHLB z_;8^imVmjqBt#qyA+tf?ZDU|0uz68GEwDq+h@A_0`S<83y*bRjR=5^UG}c3l{QQ=k zDgVKqvpg{@E6^13DwrqWD{-I3<UvrOI_CaYhz)?Y)#3$%lsbq+aQ~18HibH99`3`A zXo2s*90Mm8dEf;~(|IRf_!2hAU!%$v@nsGEG1ZP!b>JAJbMDb9_wqEDOLyW?UDHw5 z;wk)Plo9@q-v@T{cAQkC%9N;vuJx`^9H*@B1HWSOFD2%m%J>=fc|@RTZFk}wib$!< zV}BM}b(PI@N+%lN1bS21Q&kuda0nPTy^A#%>*_-g=r`+wi)A^bP9ZSR=6}LG^mEI5 z$8uU`eyY@UQX}8TPvk}5XBT?$BOUyBTXzS4awgn#iw-CNn;Dv-`~#_wD{3;wKCm0z zm9#=|N{1^V5c6o;;-zB02c?FllpF<}6+^p&H{8bkHN@w&;P5v7I?P8>%{NI*LeC&% z5`&8MW*M;!u??J1?8-(0#4AXxdyWX1&y#$Kp90j<>6stt4$>MmfWL%X{Qd4oDbPZV zowj3xfe9M#4L6)rj}nBqwr;Dqi!XUMq*EL*I2&Y~oUNJ1+7?eoPws>EL@pV12Q}i( zM1{EZ(DH8Xf%(2-*A2*rD<=W-2nln(W*%=_L{@d4P4Hdz-@wO5ArVrf<*i=|L86s! z*-9ryl5cZ&I^jN<@UlptZm&P1PX*+%j9wikA^QT%l=uv|VIK(x8mh<eMikRVE$zLr zPvLUk7Gk=%$w2uVOj!690v|D!#sa!Xtj;@mlb{e98GW!8I9}bK?#qnlWD*jZ_y>O^ zxX(B;Ld%rEw-hILA%{4=F@{eTV9Y)pjKM@4WdI|)C3%H7IWd{XFg<}ed@DmakD%Gc zTUs#5TR9(3yPpSKIG&M&JHyQJ1alU@3)GH_b;jGwiaZ;gUXv@P5c32q(49p5!hQt0 zIDpb161WdM(E!DRpFfM%Q`!$f_dQI3zY3chYe|j+U_rf)d0U<>na7tuFO<jIxEC{% zP_>O8N0e+BGORrKMmQjjnpW7XDHx8PzJE75l-~yPbM!9=NjFp<QVPE;#8GHY8>Wf_ zU=hI*z((qc&-x%AXmcVT1~^9*2|M8TMpK}%FQBFE=|52<!j99mZ*kXq*t&%qPvOAo zXCrYsr9Fb_TUNTjDpyzNN>MPQBe?q%woDmf<77Ab!egg%_X~D?rP>ivU{><Lth7y- zm7c;xMqj^%ew^H64@0U#{Yz2*mCV_W?3wNwCHgL+`L!_5k-8fPrLkZ)V2qLTKajKd z#z6!GZd+26$D1tg&wolIsziT}QrJH9#a<5gKjFplE<h59HUcpmf=YQw-Iq#qF;YmA zQvSLJbyDU!Q^?Wq-d&Mhf^FVW+~$2g$A%70)^Fo>kH?!;bLkK`YWvg`p&^m_i2oM( z5rX=Vf3|Agfg}QRb}~%YD{T{f(=UPpqn6(kcHq+wuvq<k7qtO-E+mU$a`1~mnZm@j zh|=JBf0im41tt#V<b%=~uA>YfEF38n5+;_Ya@xh<z5!hQkX`{GrjB<Jp0K7%@qEk! zKsP7k$gP6#IVZjhEk>s3U=Fm>xW_@jPZ)(o&+@*uL}HY_dccmW`6nDp{lVge{)qA@ zZF2?UZ~{q*{*79rRZDXFVEsZm_wV`hRuB(W8;X};JCM`ZUA^U<o2vU$6ovbH#J==F z9BU5ZdoXu`gzSQZGK?Y0s}2msJhLln9=d|tQXa?EyG<FrvRtCPN;sN74*rk<WKrs% zoVCG&5Rl;_wH@;?142BUPBxZUEz}TeQu8;dfz8Upb}%MPbKGG8Y9?c49WGv4;~*kZ zqCdscJnmBJ?nHn$ZBC1<d_RJ*yu^N3-B&n7QLE)j7Ws~jZ7Y#0SqPz)P-YoWXQSGa z&s*Ma7a_bq`AhNs49J*aPf0W^<_8FVD`=9;pI-=aq;*n|>Ip>0uk{eM2DSJ<{XPhY zIM};c_Mm#)3Me|P%~P_B?E1kf&RfxcI8Zl2z(BC}s5Q`LtJ<xN0v91sf{NqwO`-e- zfZzrQbU{f_^g-C>wD{v9PkMI2j~0M~Z(oe@*U~j;`R!T-9a9K2E02=Nmu+50GbxSM ztH99`(&gcVLH$mwLMCDlN*!c-*|X8;nJD#ReY*hn)PUGGXAlV(%DmWM)og}mDE&2x zzj-lO>+o88^b~b-^AC4(RO|nso7({=O_D1C`j2+?T}U!#boFxT>PEzi(Ygvlu8Kp* zG<z$-^U?z~@wCq5KvIUU8uenM_?wq{tv&VvxNa5X`kt9iv%E4NA4tH1=J$0#HLO|W z@BHihjfH#nbcL`HNDXdk)}N2=;JPyEQ4N5jvzFacRIAvDVa_2^D8aHD_u%srn8K0` zXrcUOVgfjKs*8cocEEfe3Uoa5deUuq&qpNNk5}cfR**kCDSHe4pu+tBa38|P-;h96 zh}A_<mHe8B<^4&jO6<n9!h?y&kP-e#)q+AErs}rwr#GU8<wvm+!=ByTYfT91*=o%c z|1jLLg;ahK^0m;_{x%*)(DdOdEyU-ar1kSrKdpu2EBpyoRFdH9>AiLnEuOtEQ;{-; zw26qdJ-y754hvVf(&w-$4v-W5S^UFB;L(Z|@wEt~oJ6on5<M4MfkVop&ma^S@te)q zftXJqjC)eCcG995iBEkR(dMW4_D4tgOy=xVHbe^C<_C5opRYi5sI{WIR&jZ2FX`cd z2C*I|?*V$g8;iqzR6$3m0B0Kem#|GR<s*Ua<bn5xmk;l*hZl&NA*Uey4lqH8Am@s7 zH1{nkm7O@Vxh&Zni9hp6{H-KWq#J2sA5XeILRad;Ed}r}GObg_K>pkAT1kL_S{@op zrT(vkn5hqMBE&o^5OYX_gONbYSQF9aM?lQMa@@J`EfA9@5Hprv(_NWdT6&>m-Ww7n zKZQ5KhkiQmh@u@K_{-?|h?<Eg=xlJ_uZn2c$g;fp{X}JC?uLBe<zCc{BWYiup43oo zqnk%B1A4K?9K+x4PWWEipKlOt6Mp6j)ZnUgd45EQh7jM=+X6rTIjT9cg4Ep<&!HN~ z%!^3U-bXhr<6IJS59Fd%_MF_)7O6OlYBPqy*Ga>2JsmD%!j&q0W@EAzzZO>`ZpFRt zi?i|3q-nsw2q*c>Z^LIMKwVn?0Z~@&XoG3J25L$}Uq*5^^k9i879gcPd@tuQnhcl- zWhJzgr`sCE-Tenj13Qd<Vfpj6;X@}b!<#-N9C&-t07`U)>d#H`(!gfpa)fvcJ^kKQ z^uqgx|MqoIZ4()g%H(Yy3vk;<HIVR8>Xbb8`YVZI2sOOu*%V%c6=PdT@dCHui?Cf# z1M+e>nuM_7*7U!hhNI_j4ipzhuAt>mob*yBZ`LP@<6g<+xYMI^C|bvo0`GxO!njeP z55UJ-ijFCDF0l3xKB|Re%Wm8V10g9oBY}^qhAFF|#)mT${|ELLkSpk(xSd+yNcE>G z+mzo7DfqmS`U!qsgWj%#JZFpLN>GKOAw4X(k@yH!NdYgmjwkJluGZpu{wa-}LS58~ zB3mi#X=NAfraooO`7LO~7pkAwT`$C(l+)arGPIa@5><!l7v@{Z_d@mg{JYnFU}rDK zBnwHR8u(EWJP<U~ASTL0L?eV+NVFMCZ`9)Ve;>ZTz?~$8h11~62Yh@fYVVB$oZcbI z!|IfVS70Fpz$&a=r=>lHi0#4ada>!bINSo!D0WMk7BkAV*s{6U72UfEG*h@)i<RVs znAiD+&9(v32KaO-I}nML=7wS=SRTKLUFXI|E)>7l3I+BVSHp$sHi)JrY=<}-D8HO1 z*rVl*+zTECO>PN$I}|(rl?~A34!68#-$To+_c^>mXCG2R?}TFBC-4?wx8Ul6(#lX^ z*Yb;1wgn$3QS)~Mi;DEDuw!#zmvI>G<|=E<Z&dR)tAWO4St0oRhGM0aNnDEC8Y@A` zca-RCKn>88=(Pxx5E<4`40|4iNBC%l0-qU~xX(Pq<~lq7izW(gV#H~b;VDhfQhXTT zL$~U9+ww*MX{4en6o5P56x5-uhZUIqDe8uQ!%C^XZgb*(yqjsyKdmj?*+~Oj6`2{2 zT%L>Bjc*~vRRw1w7Q-ro!EbBlH_b*Z*n{HyVi4vdCHe_wNK58+Y|oOpJnt(SIpG!t zOEKJ^am=1FHPAEyVj`?0SJ=h?Zb<5_0IlVHZz0LIfkq`d6FJ#+HmozyX+f>XO5G(i z*Kv&d4P>J8v=!}Ypk0ZM5_MijmoR>qRUKe;HNb=#fb4@CkZj2D7_{Uzl*cw=yv9nF z$a-)aX-ZnU5A`JuibCzn=Smc4ogD%Nup>n-5hytCdnmZ!<`fE`DF_Gl>myqnqWc5+ z&@aiEra?H<z~Uw_&;*LO4t69Qbf?Vsc6SJXKnh1MA*92;us~u!zg%_%;Gp}k0qi9E zErJDsMkBi$ElE$hSE4gOr{$f5D!{GdGuuPO7Z@)7*m?{`{OZ(OE#6pjVh3=8WjMk< z3k5pKdIK`592AP-zU<eDyx`vstDl1{apDR`KHo><#_7xssS{SBaD**eLc>T0q^97# z@L(ifTFG{^UFeAH4X;Bn(#gR=4R@|16(25P4XCg?i{<^`ZX(TA5Wh1N*oIrYk0)|b z9m0|{m){QOs4!^=ZzTT>Nc%*pi!Z{lU{K_N#aTVHteGESk!s=_Zlr<v2<CL6&4c>b z)WGEOnk3PsaJ23jl~O0!<eh~FlV)i}BM=UOY337PgA50XCDa%!az%g-S95Bd&I8!7 z5+}q9XCdyml7j^d;Cn+&G$i<v30-~!s^$-k#CR-2LL0m#aP4;p*Qd&{8PAWvfSDX6 zOQ+hR(m;_Y3;Wt#DBJ}#NZ<$^k=n@{Q3C4@-PL&lwr2PM{tYoC_m<{qg**7+r>KkI zhYb9Xfgi^2^rhvuANZzACEZ>i&e~%QKA=Kfwi^|&sDBNJAOzXD0Z&?h%LoDFtX+h} zml26zfrju42t%7m^fw-_tME$Kw!DLPAHN#@6A(h?r<}Ft_Hx#)46~bavEIXBn~vau z50Les7jF*|Z!Z9E2Y)v-@OJdc^`B1x9KqY&A?BH|HsvQ&c(9bUhuAS(!X962CqkNv z!2saiID|lg2QH_-oDY7`q`PBNzeVqomssA}KcPg=CwP?{d}k=;*@w4KV5brtC+Sd$ z(xEr-a;1*^*_bgOA4SNd8$wy7v-6fE7`O6L);t`Z(?lcSxq?O<`z&t`T8vb*g#sT* zZlu0W+;;hVZB2^*J_LeTd?WZQT(eS?eQ}!6WOe6K1k3&GdLrvKV!1d*d|cjn+s$&H zCrdk6E;@)aqvMI?!fOGyiBL|4K`CXMh_=b?moNNJB5wh<V8d|aCVOydwYwfzK{eh8 zE1esHzZB6j(02o(F?R$fITw88(pO1*OAxmRu{$f#7W!#`Bx!Y>JLq&g(J9H%*su`` zp_|yR!$pvO3=v@tOrwV*@G|5|bz~ntHw=yqAVfZu0D&$Rgk^af=K&h9mg6)ncJUWi z6I;V1aML9C;#Xo41ThITOoB2@g52JdASLUjY!Gw1=Ri<iX~wssd^au28>(pz1ZfTw z5#b~8N%Wg&p5_28zVg;HT%siie<DN`5dN8`6iD(0rsO9q=ALGa?QM_6_u}C4tvvi& z&>Q?C-Bq{I$80X4V+YwQoLTsejgV$L8Z%%mWQZ_1&dmy)LPw)h_sA%xh;f$UTY8NN zmvM~@ICPxoc4lcJQG7zL9iQ6E#7!kMc1=z6{XDcG8bCv^KOzzz)T4jt@A)B^{=S|M zmRp=zbmGSGSy^tdXrC5S+amN?Jr>Gpr`Rs>ojny=V|**`Ei^VVL8p&;*SAuuJx1=& zRsULp3T;ZBGfT+}Wd*g`#u~f>j4yB?l5(sG;yuE0WP1^%sW1MnapPi)tXyg=53k`| zip!%oAH`udGzKZYjpCsnkE8&zS}C@jV!MnN!?m1RfIX5Pib+7qFZ->9<oo^p0|zU^ zj@B~=2;a?4kC7N4%}iwU8YD45h;w!iQhI>OdIrc$fU0SrVU4#N-2()!Ljwe*Uw0G# z!|@4abrB}o(J&1V&R^iWh8Q3qZjfw7#V1+&8*hu@sg}djGu~o+z_S+1@xfTouyhZT z9G}Ks;}c1>NBHd`{DKl9SwQ`)EE<F`r?@tXgFS3k)^5NhMu>**8VqDaLM8{ujmZB0 z-T17doe7=gY{P^R_o|V>h=tw!KVc!J!z(-{19`kg27G+642<XZ%0L0XQv|a4Eixj= zXUTxZXUaespC$w4yjTY2@&Xx{&(D#8B7U|ERC2EjEa5pKzzApDCd0%w`M2;S)EHYy zVJ^eOR``1|yo$oRW%vaOZ<67cDZEC8u~^yopJlj#!mDJsmBNq9@NNp%%kX{*FO}go z3RlW7r|=yz+)m+g8SbKRM25*(i3eqv4kz)8WS9gtK3<0ND14R-`zV|%!{Vs4Q-%vD zzUyVt_aX{^A;Uomx5+Rac;;`(a2bVLDQu?hPlU;CTF*G+dtIKs&%k=>;?If__<CEw zW33V~D`iYBV!o3x%e!k5G((GHPhH_WWPD3zyiOLyaSP8@88cnRj7Lm^jJZI@U`6(< zmN6q`Oc7%KEMq(}CWx44Wz6xv39^I^-Sec3Nl;9xd(!8m0AH~r+oXq-L~i2G6GHWN zUi6ogLgh@=5;R(oKhu&-da0Y6=q{<gWDby*+rawgQtSIC-@t8D_;Rjb?{FoALIZc- zB*{3aAeq058sx1`tFTJ{3(hLS{{>gD?#C5XaKVy4dxhrbasqD%fj58>q50_x%}*N8 z$EYf@DgFSU&%M+GD8A5%uT?<Aw~RboIuV9{Vtq!~+6d?-U}3WxpC@rG?rHJ(WC(|@ zMtu7BV`|z_QlEu}mAZN0T%xM%P<^Psg;NG)$tRofjU0QrV~Kl^rMq80fZ%<A?Z@Cw zzStY?EfSY%y&WH!??&e5gv@@x<<F_2(Lg}*U%=&7w0Zi!p7m6Ix{lWP;qrrZ_*&id z7(3K?L;72FpRVk2|2gBcb=%<Aoc?Ux8$F+^!-wkVdv#d++^G-NwIr4F$LerKg;w$Z z`8VqrooY#a=}z|JH2B3TIGVaJ2>wg<$<8ce0%^~zR>T=!rIt2hBt}VBWO|NFHx6s4 zdUykULT@D`l??q-^hXPzhMP4Uu+aiori=)Jn8Ts0Tw^MNn5ChtJOjGCMjw3!cn7Up z>GktB>GH!x-;w+ki8x7<Uc3KT4!-f*swrEb*pRLF_#F74_{V05zDiky?O+#-F3<<y zdJDexPidvG1}%5;1}09nhWu0LQvjrO4ni{m5wM7|545~TZxV)-zVJNQfTBrULxACe zKb7}qe?g_GkAkPZc3pFa+kKK$UPUA*LT}RR+~ohnPBDT{MjOIT(f>3!g*ILqDxL>H z21b1IXOeJ!O|!GNq2dUlf5=cVfq(FVFjTC=<A*H=yUCG*P;x)*pMkJmmWl!0mI}J3 z0MdPOFt6;ciPwp`HEF9L1DXb7#d-W*+2oAwjAt4vZb>ys$eRB{)(XM9e3q;2zo^aw z@>5O^p+52TCQzaWCw<+iPc|h7;ss}tr~42AC7DfRqJzD-T~zD7eKoarfUkerF9TX~ zY#bol;2U6v`S>?50&p?x(uzks{vxnkN6Rk^ZHMk5kA%BOIf0D}8Rs6wx&}g6jRZkD zCFKZELNz6TV&2*SP~+Y@kzwcmZtq;+qb{z+Kbr?EAz>3pAd%N1QPC)dhc*z<UD)VG z5{wW8TOSE|m}p4W<hKZl5Zqu1OImByTD3|kZShg{Rz<XG1IWV{;G6nPebirEt*MoV zFY^DM`TaHt0b1|v?d|8@e;0l^^PAs1&YU?jb7tnu8I(w;lOT57B^;k0wm#47`h2qf zd~mMy`DW|0tLt-`{``*pS<WM4`<+yi@E7%*QRMYBt6{7&bf#^zgB3|CoLj$3R`!^I z?-2*8Rq?xUVB>B#K-65zP(C#-7PQ7ojBwH;@&SW8qjf%QVvCajqt%$)`Kka+fLiw; zc=fq_t#YfE`nWA+FUfd2UnW%FeKZD6Vz?grBrS3VspjkKb{XT%XIW5}gvM}K%39MI z!S`|YcXYb!??}>e4<<pvNwIu2Z?HeGBKJHupXH0;V?yY|cGmo?#=c_Ez6+NT_2V2g zRo$U4VwNU_zK9JD4#yw34LXbq$9DjmlRlES(dKQk<Je09$lmgKV4byd6cU?(q$eZk z@#bYmkFbmgx<L)Jj0B&62q;E^Ka`4*RJgBG*tC5^SOzq7c-O~^)u7s2&?@JO#RR^Y ztJoej_dab=D&bKXj?K?_-4}m0!D5U{q!xrhJJZgV^#x|R*<u%qkIKxumUv8WC0)@A zW|`jK!t7Vnq0>;E5g)goy=Tqgyo_NzZ;q7;Q}mrUtz)}YKhQ(&b4S#dx6gePanZG2 zit_Ks3;(e&Y?^1Slw$~=7;%NoL5^1J3!Y@=YMPX1x)0I))uobsGrix{-cIY0TP86O z_jSyYXZf4CY^!(GSh1Ukj$3}q#SU-u%G_f#-^nc%`n-+#q-IvaMF!?u*XGJMEF-W4 z<Am9qo>f_*sq<vmx`9Eif(XWkcE&_FGxAMVu#fef>|HBog9n*&Bt749Wx9SSM(O3s z%Q13$gyHl)F0~ZNY0O<@BsJ#F6CbDe9PfQRS)i05IhZb?g99ZLha=_%!Qyge`&(iP z!`F+@JmEz;Uhn?T**p+*IjkCYj(1;c9J)}hC!Y_sXGf0l?r#-!Q{&{8ygS8nO2(D3 z%mqW6o<=#pVQ^@t)63O;#|GnapIJC8v@=dlvmL{!7tg+J&R_;_`L4XTS?avN>$?Bz z*e`4{{D`L1xr{Jz!QuRM1Sf~Lh1y~aCsw0StG*JF1y4ZrcC@*i?Yr$tq#+5%fil$Z zl02)nWyb8=GqiL6JF(yBs?Kk|NCLzdG5g;+!tN#G!iX-G@Z_*HD!ZHA+eg-UG?p^u z@_^`e;?<l@d#~#-v$VYlt$E=c2%VaL!!JyVAG(I)Dj0-M8vi4R&JjTKyl<rSY5Sh+ zi&{GVn9|r~eoSK!S-`k}K5)w~VR31MvMq?>*~X2yg9*7`1c&eQlyGd_e1hOwL6;85 zd_dx|v^Iit)`?pLhLOe5ZR+P|$qJinQ}bPv?h7~rgIK}sZrs~ElHPeX`T4_%&lIv@ zK5d&X!zl`Hi43^&e{SuG%YnCU(Lu&46sS3u!{Vw_s}WLscI<7fhD2g%Y2m#!(P14% z(nr%QVc}+qlRJFtIuRCD;nu>!d-<EbMyuhJZFqMH3%(Cj54DB|Ne?}P)m_Q<9=g}w zY2jN6?jxWC!U8E+dJX;YyY3)@_JPO%GrubdOFZ}~fwd|_k(I@XUEh0Wai*1pkfTI| zgDRO9Sv$*?Tp*gFNCn2RIGhGXM)Q-+`LHS1E$+u243uQh=bA^%Y=|T#_qc{WM$U*& zYJw7$J;S2V)R-Sbm`VujF)A5icJPWu^TA-E`9go8SkeZ|hy5>>tNA9~muSZLWJlLy zsr+@OWmEYwgJ~vAXzFin(01Tf^3s|1a1mYy76q>f9d{G{_<VJql~9*HASyumtQ1Y* zFl|8L^3Jq$i4sma(MHBVx;z9CKTExxX}1!JZf;PeG^$9-_V`g`NWY;XpK#<vQeZ1U zbZeSrYzRG771ihNdG@hLR0cYt7eK#a3`F~%n~J!(k#kxo{a4Bv0J~neYAPzZp^l)( zAIu?}=a9T;_GgP`KQ_fhU*5H$Z)J0==*#zN^;&5%a$naTxdR1k6#SZQ2X8?*+ZS#Y zBP?EyQ!UN*=Kf_#7Uo(}&&+)b{arQ{AL~a*8Nc+(eP>!R1lJMKVi@QzTP~6PxgGUm zJUMj^<JhqF(1^I2Cei~+*sg8z(Ri3Q{7f3uNhEs&e5H+jBMiRPsw)c*<Q`VzwrezG zq|&&A{c-4tpGzy;>RRC-<;XfFUns-0H<3VeKG`jkN@K@Rt-i4Pbwrlx+@!ugXNk5H zEgh6v2jOPh4>ev<!11HOOYgZCo}ALRGdMLg^_=C@cJKtI_32!fXe2_gV1~B!5lMU$ z69Ju(_(w58fZ|p&I9YL<hp{J!K!4}$(LTg{2xrJGx35^85z3X!XheyTcEqZ8H@+HG z@NCFUx?~M_UQXWxo|ofhLqR&dO`YJ$l{R7DH}nsp<a0LYrgs{i(A3)+1>F-5L3ij8 z&=s+1&rFT*HxxE8R+MiBo1fg)g>lT0FxJS*cp=R>&3v2Sl*-)D6)kcRsE^A{T6ZU? zpXe`RBQ5Cx+}M=vala-jxtsR+xQ~d{mT+7$w-4NCr&I$xTwD}pG?&Xho)A!vL1D3D z#J*B5+m<p-EeJ>Z<I~C6R;HQ}Ha@UU(1(^xNL0ZIE$8+#&!KO--g?iVp-r%_?5W$_ zDc1qLIQq*@--JX<Y#hnJz**Ad8R3EtL@3Ni?o9js4C#683YCKqDDrv45~E*g6-$iB zpqc{r-EkxekV-PgnvV06j9veS-KF5km%B*9AEWsz7l9|5_tU$}#ssP~?N8GPAEify zHehGnvXF_Q;F)9>>h!o;ZX-ZJS?4)n%%F%0uk>4zQ#PvQ2mJa9E37TKLeG=NzUde? zU2!+A(ACf<*DCfHNmzRz)<&;1I(L)Cp}&vg)uJ#vCKAi#MplIVcZ%-kzMu}yxtepV zlo3jZ&i*3r5x*`JfzIUiB}YLsrwil5Oh{*Bf#=3wgvUN+t__d%?~gEn%-{4)oal{j zGS4iCHN)FCwZ;2lO&^-f?nnj#A1W@CM-rsqXOT#|o5q-z`>|^UFP244p-Gl}k|Ra> zrmU88c9?sA3O~`eWXqJv@Rz*?7V(6_7QpUM{JV6ONKA>l*>I5?vse;oIA)v2iCqHs zHc!8VP)Q=~rj_hPG=6o{hw-wtjY&{W>P6QuE`M5d_*%DdP|tz<;zxj5(aH@IUt_{k zLR)pW^$zrdD4{hfvo$On6o7*~)&`w5Hwwq!wFE4zF?Ni|=x(nz68l&jVlk$(k7p3v z33Xu(eTN4c`)nVZw;_v3XFNuRs6SmTO-Lq6o;kCllXb6H@s?rL(i{rMdvr#kEyRNB z!w>K!FFZ=Fv)DsN*?bKYKw~KUk&nYZSQpQI232~=q-9Pz=QZ=`m{EYB;i=Fy>2Q=* z{p1_F|D9=R_UA_XbMUI|TnokvLVc%E!o83v#r)tdJcN>6d%{?zaD88d3d+>4YhSqL zX#2vuatJB=!nV4@6kFY4rYJJ3MP00Akt1?*Uidjw6KtiMT|IPesz5S)KqQYkSPAWp z?|`9szMQkMX4M0>E7`S%`;tX86^)8N6qM<cbkE9W@<>C5>OAywo;x)83q|bcNAg@R z$Mq$yrl%=WVeWndB^{BIwap9plPzN&>t`Uy+*9->kXW$~;TJ_7;vth`$!K4DGtf8b z8WlXbJ8F+;T9e4un>dNM*biV`VlKRHnc4g7W+@ZrnztL%j+lT&6?m;P?W41G-j;pp z!dpbAdB2{FaU!2x=45tHQQ}xWNhlMHH?s(#Pcao{%l>oCVqRM+{Lww<OD_JN*1eF^ z*V7W(7jv46+ThZMR%1$@YXci_o4qaG--|u-IB#f^8!ybD+di>)==JV|JO;XWU+&Y! zv%ajS(I4Bwx@qq@wG61te-2pJQplQklPD?sTl{-OuKH{dm@&1RYIfX+>&QzL@qFr< zd?5!$bqV2*WqQ9~)^eWoFXz2;*_98=1S~tWC{+bVBfr@9NDb$kmBx2_N=K0b*9Otc z5QWJYPF6&<Ct<bDt!9U`EKV+<gK0S7vp6)Rc4h79!lhfvLQmJ8>XeAtiJmefLXjS` zr{;;Q929e@!4pi!(Th9y$J`etMTrcTy^NRH0M-S2)|^KV8gU|RnK$FI`V!J+z$@pN zH-E;U@J}fyP*M>Ky@Y&>H}nKF6D>H4FU|2Az7GgJ<=69vG05P*)E-zjMd$Pj?&jlO zD+w7+62m%Tzo7d=jC=@*Ju`dEjGmheO+DXQy&XQ1X2GF7>=vWOG=f#f5qMybCyNOr z-Q)QfSooR_PulG{QgL~rMzm@R<q<B?_uh;*uafuN?F-ZKX`C`?YS3j>rTG@cgH72d z+Tx6`iWbX6BgZmKrRSMQbsY8Vu}+PY(slQZ+%uM~rvjoC{b*lkV?M<|bUorfU7tQX zcf477gT3LxVc%X1X<qdsP6TWa3d?mp!V<QHHclVu=%dXO{zmj%qDQWh0zV-YsMlS! zsuwf09p(xoAKhgYv}DGJD%F8n0%?0G+`6=jxb_jpr*MYT#aIu=BVLxMPktby+Yu}W z{``j|0iLl8^b_8&iu{78lWdV8&m&T>UnHj@h$dHKQLjv$q}2wrh|cuNEDSOU)n>OF z=F2@FMWM%J2I5$nE+b))rLwcj9LScI{w&L}*Ln!Sy3ZoahJjczKC*@C+7Or1ZbCoW zkfnvi4b^sg=Dzkn3T0`&MbY)J)5D)i<1E_rjoAKt-rUft%Q@1s^4`ow0*isq<v<L4 zUJFo<(PCA^ZLYoECZ#>;Ay^|{2qvM)gL1KKC`dB*U7gto4143aKLQ_Gi@uWLdOT%q zQMV`=6WD%nhtEruvAxKg{s%$D)ij>QDJSYSSb8@`l54~2Oc^3JwK@B5>MAEU;Y3y5 z!`3lqC>{{2G`1{l+3XO?m&ln{ZXdGx$ow!S&Gwi(P=b&amBAeVhgl+Rzn}bQOu@<K zda3YUY-=z1KEbjl_*hCnLgY0&i1v-u*964s$|nEvuXJCtQ7GgOEk@&iPyr*LunX7W zq3_oR`i_HCn4A+jc!XFY1Qu|$_C^QNkgR)*!N+a(BP?~lI@EfwD_bbnL+P%>Qo8GD zB~|8<rZf(cV2`QBnm&4@NE~ZqeP0$kX!b&SEiZFLA>X1a4>-rrILlenU^yN2PPwnP zGwp5<vC2fO(4#l2Sek3iTA>z2C=xOBs-6iIhzjcS61&GRTt+ekJX>=B#uuK|C0v}Q z`APO}`<oBIc{Z|Q{LjL4#RX8+T4R_e<3kB`?~%F}Mp{aY@Ycw?>}?++7s}#}RyhpE zXVrtgRx_l(equef=0i<)jtZy!22S(-PPkrl4!`g<=b_p87qk<dc`ap~xi4u&@^mCq z#33n+ZD_?B4=4?*e+l03%Xvs^jz~sl+8@rKA*9XiN|kjUWagJdS-3gPgSRi-vPSaH zeRk;uT9<sgH|sg>z2oABe)+Laq3ZZ)cqfMdHu*4f*KCCiuMj!bm%ByO&v&q!MwIUG zpGCuC-9`tDq>>&gkJoHN{QD)X&zHMx30Ep&!S8-bD)84pZ|=*%w|(K?i0tOejff89 z0AILT^mdJYWae6N4`1?fcgTEgOZ$Z+l$ZO|QayP)SHC>BG(iuS?H*ncp_8?k{O75f zETJAH9Ur<TIi~)loQt?TC2z3tjNHJ%625D)vp#;Z-?5MdIk{~k^1()_iFP?gJn3gr z=A~IW=IUt75HUH-2{&{{e%6lsZlS&M0~RoUbn#~{HBwO4;miH2tLbAJMt)Q<cP%YP zgHkKVTiW4sP~1GdOF-{dk{7FTq9lLXDU?zqb3-&XN$zJPx4n<8CH~hZVO&NeIKmYb zvA1cZ&A;lv0Rr130a17cH1+&bFX(or-LJ{!YWiHNBitgTk1k~$TA=F)7}Y}EE;PC{ zT8z(G$d0L>cZmM!xTDQ8E<M>U4FbF9T`seAPY0PN>XK;P)2@<qtDhR@cVU<3v}Xtu zgnmP>*m7^w6kY!#!gJ!ng|r(~-M97pemeLgAEJ2LC2#+3HMDD)+3j&R9`Kw=@mM!1 z2uFN0#s2wW&Qlbj);<Rc{nFyw_k?fpE<v;X8S@8!5h8bRl(k7QVfAA3sG^`nw<3rh z-i^X(7i*Xg6Ig^Mv1a+=*Ve3uz(RR%_|-##t|BM~0tqTph+Sp^__g1m<KW*Kq0`87 z+RfBz;8y8n)Dzn~ZgOXS31x&szLN2Lm${XVzWng><`cm1Hl`s=bFqzHBebZ<={4Cn zR9@_%<7(@9n?w@@@AY6Gw)D33_|m20Dm#C-2t5TS+}Gnq(Ysr@`$<c=`&;O^_QEAP z+%lRmCy~MSds2p@4z`;G3kKV%W-eQT)?mZ1#SshXVeP@T==(<>Y}*@k3Y{`(vBq0H zY4L=MlF`*klf`&evZ6!o-Jc;eo)PvqH9Z(-A%GrodyltrBRvv!vbm1DEi~Gh`E?$7 z{1y2xAoAZL1|v)NSLl+CkdxfQ#)F8=oVnA=1m5sla?~!<oK6PaCDuo^>|$SV9gOvn zu9{JWxgWTiUc&ttEruEMbLNB00fb{IK>#Demd>~wLTEzKgA;94T+4CV+pK`(ahTV2 zBNq>zwuiSMc>bAHntU#@r4j9oa1wBvv$M5e(%9hM&ekr|glj-c&mx#qZw-!ov>%C@ zC!k;@mNl@;MYk;CbZ9&M^;X8_JnWcl4ZdH{e5#1R0S4wp{^rvzCP#9zwm!VMpBR%0 zCY^Eto<_D=x!*cYcA4p+pjMgnvhwYjjbx^UXnj{H7ALXKlb8FAA?oGtXgiYTjl^LB z_RZCj!B%5iLGu`rKFBMp+D<{X-U<=1L#!hN6nTzUC;(E%4P4$XliGtEZ!ah_Mdmn@ zZECGIfNf?L!{LBq{NcXd#wGD;s;g-&$$E1xj91v8&=^v9eVdA0(R^CHq|C8C%r)<S zhiaCC)2mk#u3*vvVq7aR%Jw6t>{aHgQt1?^vS3opUS$l29ru!!1B;QO$J8tf_nq7H z$Dqk7N7N{oSi{@x3h5Oj?5vWbccU)sHxyRruq4s|Dj#0eg-UxpT#Ko<y{fQzY~&&` zb*&J=9PF-PBev!27?xpH%Z@`qS!;JT1)Q=9)#7V01k&nlRt~NvnK`qlRnVNd18&{n zBwZ@PAWI*1Bo<*|n34*IIv%zs4oKfI=D900LkW^K^7XxkPys+-XA`ugD8}^fvA7|% zS6eW%*e=on^RE1?m;JHDTxPfOB$iMp3H#QZfcx@vDb3d4fY7t(LxhBtP7+$vtJZ<D zkQqjQ&YaH+xH6Rdl;J>piY%Y@U-5ouKb9>@#_+>g<`mGBp`25E=CDU}5k$U4#pQgl znI~<b<uyH#I^5KJfMpcXce0l=Jk|`6$zk_Ci9P2pB0rg>u%RUfg-^H?5qF<I_wAt1 z98HP3X`%%LyMLGjWjr}dI(u)F+bgivzNl=yG11JKRPPLql!*uT#6lh`;wvIHN4K{k znA7ZEiBZ1^t_`xQF+2{&#C~SZ1mhOhhFI4lPjC98v;Piuz?0<Aa^!K>Bb&HLLmSH6 zs@<*?boNKW3AMQPN<LX<k`=B<-^rWNf9>3~in~gKe?==2Q_p(YtMj<*39NS?cdh>0 z#9#VNTc>8QFoT|vbd$uUMwSqp{v$F{)MH<f<(}RCaEw&ej>a5iY++0>uN^3<$-1%V z|0T=T`RqeG=y~49;cpmxlNWmkh%yuD$a4@Lf*IyUve0|#Kg40F%C(PV<%11%+R&#= zU~=P)70k>-@8O1PIOKw1@Grcu8+&qWsLu$m{!1fAjl^8QD&IKgdL-CK2x|>p3x}9< zNSWRBu{r}$erdm(&*4w8L(sGe*Lo~%Tq}v^zGl4WTeW0d4#qbLmKW3M-QDSRJ-JIZ z_tN;o)e~E^rJj32?;T|SAyRI?-}XYpo4d#Bnzjd4C?q2-%xn)1H8(a&u@Xtnd|o@H zYiXY<2&~RrgIh0hI?M-NB~nY$D9VMF*^F?LE)%z*W_zM97%%W{OdyKv`}?i^+EoSF z{k)TRa2p%`QXrPZFs)LkqLI9zXF9#HujjYSad=y*_WM@)vitcacN+7f0Z3sIDH!LW zk5;%cA?i&WIs~E|kSLS9jc9C)jeaD~WQjAJI2qk>tO#EaRpLyJR*c9C>?zY^635vx z?Aq~Q%To0&8F0&3-Q?Wv>dm|miq81^kKkm-WsnC0BOj4#hg7f>yV2FOm~Wti?QNOO zP-g?Yjn}AzVBbc}M8rkn8_TnuU-`>WRC}v1`~fG3WjOZ~<eIL~WIAbWjmNtxE^`Xz zF%t0baL7GLUwN9}`BZxZ`pFWH$KSbwk-uSRK5Ix=olOY#!%A&TyCv4OwLd{P3aAm& z1;k8<KIkW<w3HM`&MxkQ<D|G^S|KA_yRM$ZtiT9T#OyOWJ9`$;ZyekBxK1d+IKi_r zE1JhD>loom-?)B}v-5M`3c8}fg7Mp86Cx9AcCxbeQ|snMFC*gFX_3>mGdepBm)xTl z|2v$dO-EFaTb}80T`Lo}2ra3b&>oAPF_C^kD@~qo#GCbrFoJ7^tUTv_>S{89UTuml zKkJ=+v5lOGihZa3x59(r*CNTGFXNV_gKYgEK6_(dqsN<;^SDZ$=upOcbd1wnPc}K^ z4dSGlE!RZH8816_?LQ*z&eq(`K@2Q!#=vsq;-2{Vja;${eHpWo7O*5`Rcw?{_(G&f zp)X^DhxtyHl(P0jQf*@Ge?1RjrR+s>{7Xy`5L*kvk826voAuTUCP&neTST0n@S?UL zV{evJoC=?Edtq>JXIlPP+&j#HpstaAABOU=MK>`Q<&5~*Q#;vTwTS9*-LyUSljbGa z{&pc)?rV=pQ#J-vdMC|MM`7NXEmOu6Lg&!cU5v|`WoBjQ0KA)rUnL`dGFl!iH;awu z80(6Fma`9bv2IM|q-4#yaqXMQk7Kp%Uml5dWwvLrE@bBv-BU3(@9w9BlyyL7+C|LI zX|yZuBY^O)t7#oB*r{epZyr8N7p`*Bjrw4$F{83M3kH@vqSYjfjF+hR^zfP#t>Tr% z*^?u4h0jwDNh%m$**u8ZhShiaw{Mn#g<Yapv+e~XBOxgWy^+fSv}opOk;JI~7V&S! zP#~&+xgWZ&y-(Qw*l3>8zjU#EBKKH8X^XU)^L4dG8H8Gq<HXOKCA#LnK8QVo57>5( zRClJGb~4+WT--3!{2ePP)|h7Q*3NkFYaj8AtjI3l07&@5$bE3n%Y18>OED3}Pc(nU z8^hJIuDIR9vaS;ICMHdms>8hQN$f?UZ^f{B6uoz@1=sd@wC$N;<}?zY@CHX<GP-gh z#r8B<YQh^FfnEJBh~`fH>KYk%UlpQ;KP(9Ex9#(Mjkh=S{>Z}1-`56uXvPI@ZHQ*9 zX@VT-ZURIV-&t$zE`s^mB8`3fU8ITu25a-kb#p6I|19%vD|Sf7mZ4gT)HC)^t=N%T zB+<0D*%}f1KG<?`qb`zyu`V(2v&(E?8iZzGnmM@(4f9-`H1aIpL&RiD>_q(?YzK7( z>z&_;R(>M=Rf(u6TknS$__5Z<lM9+X>3%NE>M8he{WT?EGxwoJudJBAzTLAv9iNsu zNAsfFWouxMF5#jF@|vFGob{rO-VMo-zN{$+e5<%qtRS=4yla58IirUJZ}C9&Lab3d z_9s_;+Wu|I(-$Sm<x4V)6&V__c?qA(VmE7sN?Kg2ck~X~W^2sdWfW&UZ%js~Y@F$# zV9hz9{+;GvT)j-r=sciH)|Eo1_OFmue5e;@pla$goaCs;@e}XwN!1f!9r{b!V;e8t z$EEWKwI_4S1%F1%pA7lq3Vq=ThJCqThIhGc+{C@s;T@6wtN=y&grASZgm;CvJw}pZ zzrsIyvvJl`nN1lvQx(Y>Crwop#TYSFG4RV9jmS8DssbrvK<;K^X#1)30p9S(k(4K- zeMJ(UARx9QIAj2coZcrIc@?FQqJ|Nx;`=T@fZBa*Q>KaU`bKX{-g4TmRvIayd>&&k zrZGM_hCiPsho0t+bm9qKB$e2ZAm1=<fFEJqMqha!8tKnVG7Htb4AURY{5K(QtQ=|? zWxhgPS){%P*LEd5V6MR#=Bg1emX)JcL6H&2?}wDTd66o>W-Z$?jHHt0nC(Iog^T_6 zX(vhuOf-sWt!stMh@~fO^@g{P-h|1E=~~Cn)6`*1Iy_a-+|N}VB(2jWeJjyV#`H)u znCma=kJf6kOnVQpFP$IuZB=sg=3r;qIVb4hZxDqscd`u^&S`%R;xmKmOndcsJ#Z9S z>Fikix6+Bx>9Df(G>ORkX<ldA>7c{i8NW7z_-$87lrM6tOd9%l8+Upl{Xz#~gK;>S z<74xZOO1}(BXbNv`g>iO=>=3#x$z}@rV;m}cjH@WI1wr^<I&S@cC=hMjb8Mu{VRRg zZ(MO5x#nT>vUxMC=xzGkSQPHh=^PQSe#P<)Rp66K&M-R+HX(CD1UHJnW$%l0>Fo?J z>=<{et$J3X17^O$f*B)fI-5?OW4Lq_`PWC3CusnpD7}dsWU0=~BLnexKo>$|A=YRf zmG-{kFTrHkrFirvIqdQ00g;&g9pP=GH*pgO7@RYe?N5}~c>^5BTZ}TYcmrhe7N_)` z9dRl+X622#7mAF0)IlqgBw(L`zLo1NZ)dcdvKqasNpOKReO{W1YsJ01!E?t^>{ilM z9#@mx=q%1gV~GG1WxkIOLd<o`ByjG>3kQV0iCdTx`UY!}HF&w6T&?r6B-ik#-Yljw zZXI@qYlR$UWs}p_d61D)PRnZgL!D)EN`tPkHA=2p@sQ@ww4{sfSP!LC%AC*ovi>Ai znq<}5E!=ZCeWvfz-~FDOUwti}gT9qb8j<!liQ?kwMBmhdoveKwBfN!lVSdcIkM1d( z)3Lkq9>`1;w1T5G3T!!;H&}J(YWjlFJW9lNVWKFO0V_l#H}}(pS3nKdbzg%L6mfn3 zBaJrPMd^ONLzm9g^tR=x8Dh0~QjB1ZUTzVx2=?B`rHn9I*;XRMZgD<e)>d;S$7pq# z7k~>|ak(EXd&8a`l=b(lx>uLgY670d50*u5IqYr*9%qd+$6v<UWKZ=>?yB1gpEQ=I z<Sg4{Cbzcrb^20r<ZwYjaFiY(h90G96*!&lp3DMkh$fh~3A02u<FMQP8JQG@EziR{ zE)m7MJ1>gwmV(oNb*7CYk|qsiN*+Fz1a_E9uaNb(q1XV>rvc~#<QRZ1-n7Q@bmu{; zbuCk*_Gzqf>ta5mwNSr6f%Zkh6+BND8<!xfnYU-|5d4-u)hPM(SU^R0Cj3-$kskgF zn*DBV&3#^og||@2o9MToxAC+W%?q(CJjT2?ARU<&YkIA>n49V>sYtIvwlrl*M(n#e zePPc5!e%pmQFtk`hcDa{Du<k;V-YdIXD$?hr-LB=5G<{XNvzO}@t4uT$XXypp!CSa z(+zqQF0{0D4|OLVi4(<CgreG45Qg;&S}%!aCm1zn%i>QA@k39|6U%+w=bKpv+H5W8 zaV+a4!X9M_$rK$CNo9_#8olCYD0R!&Gf#9g*w4Vm$_{gv)9UG7#gYMEsD1E$NuLxk zKhz^6D{68g<TL72vxzA;^2)(b#4#ja>Oo{**$PVUDT3+EfqjLRamsKzJ1P0OJE@6d zLAYBc)e3a>l2?w6Z~G9sT3^mMgR9wIHFmP<m5&XUZN8jrW7A_7QU~TjM6<`33c|O~ zv#M`a@@~(C*&kbRJ74m154u*Y!QpM0JBeWCtd9k2uIC`YO8mud?47c5`kKFGUaTx6 zUM;i~wLA9M(5aBSDhp1NkS__Pg6QCQL8OO3sIfQau}WAVilPMDX@1mtlwjjz=cr|A zOe6{1SY||riCho(k&EG!mf5G8cQVkDgp~GpI-+EjuE-GE_n^z#G6J?_u$MlC3eg%d zX3ZVC1O+W6@v;Q`sF2VqWYbP!b*lkAvgs&j-Fmr1*=Zh2N(C(w`<lzy6)DX6lP{c; z-x4>4d&RQLK#S@P6o%t6x$jr5YOEqTnCkFF;u$2Tt@oJcp`A+*x$XGX`7*El*vZsb z7I*^JJRBKeW{^(-@>e5x>Z0xPG4~o`l}?ts8>Kqf*g(qIX*TG(VIk{6y(`r{5nwMx zc#z&#>z((!--h#gT5BJBkP|@4$6Zw%d)-7m${HaZv{8g#jNBw^-h;39;>`A2EL8Ye z(fh$BQ0q)<94Xu-CPP~0g3AuQ;rYgJsVlZkw+F|WGpSm8rExmWFkdc|R#PKFB_^9? z4+(h@-SbQ2SkIQn6on>Jv8L?{x3NH%pZktK{7Rmya68`juhqi`>)^Lom@FL{dBf~S z%AuV2V1M%+XlzMkauS)rk2qN*)tUCn2&r>eafcivI29ZtbFR5aIzuLBJI!s>niSI2 zR1ACL@$@dKd?dyjiMW4{e`u$F|2zK9UD~?iapuCVjLfiR6Rh^XI1DL-RSzaXO#?`U z#AW8U)2!}FT<&T>KSN*HK;K~L*;zHA536&J<Fn>W$y!F#WYeXyLFAHi7?D{h%95y@ zbp^58C`0&wgmZSLoloAf{Qz6_qeTuOUWBT*kEyrSQYA+?rY^(Cg=hj$6FE`|V$4YT zEN4L(9r^IPh{kz*FURupIloqTdFwpPN<TYomCuoLmTSX>4rffOclmqNnDV)v-0gkg zODq6+5cTE(@ioLEkjQ*v1S00S1tQ@2r!^KhoQ>%8Kg+16a+dS1&`8Yg<$taAkBOuc z%HdoVNsfL834C%IxyUovccbJLae4Q@KD6~X)vB0_frOOIDdn;E6izTVR|{RsGu@)& z2_1WEJik_j`lyV7kp%3MF&S%iz!`e~pg;x(y@@b;PL~mX^v~M}J)tw)-g0)FujNwa zoBMsMK4msLi1RkafTbxM$z0l3>(M;yC}f`MG3S#%?Kl_E8v$$nd>&Y|BMysk4{uIR z@PIdGk%Q^nHuU-}pFjPsifm<g#WXd$QfB2@q{*Iic=-D@dX;G}fCcbV#jq?F3HF*y z#I+(5Ih}CKvz^Z{k9kwf9&e$6EdS~XILH-x1h?xEOUJx&Q(J6HL3&(e^Xg1lJ!N0W ztQQ(KTdQWYa97iHM96&ytxx(Znb;R_cW{e8F2AKXHg4%$lv%{4R?F~<L90+Y$X2g? zs-_TmrZ6^ji+9yD=lbLz#;Wq!#A%L+^!2Qq<PRluQe<|Gu&?dRmtBrcJ#z3({?r)n z&3&^gC#<%=hb_&eLs;#yqf0~`AL}C@d!J-5$1V-qZ8Db?LpD@FGa8G?bkYfklp-$y z8T5Fei)!M~I<#h9kt06YT5m^$9en9fGMO>UT^(-%B~2+jJ(l@C6oRrSh&^XsPkxd5 z&^IwbxkmE%^Vk>5{WO>*!a@<Vwa&EHhDc=IWT9RX#%{lOl|8QCBK`E9Pp&BnD1_=v z+mHc|##_p#_%I_~hmY(%y3BXkc(eLieduWUQ*EHsB^b(Doac}|F#8NeINmXXB&>59 zi#Qs2)hR-qePSyZVXi8#rIIts?Np8Hk@!l!NsE|Q**wj;D*ggqVeXaFxIl$V&Go{- zJ|R@L2mm?anutKgDG5uP;I*5j32t$=Ea{8ZLM-EX&_sbtD2hlZm0%`Av;5}1^66MP zG;a3qDwgTiPN_;+7;Hz-7J&_oKg??)7I;}O7dd2P=)hptid6*bZfBN2vb~H7F(iDI zIYV%PhB@ArDRENGMTlX@m=o}iMcqPs{Mps?UEu=M9vJ;1m|bIC-7Z94OL<(h6d(G- zX}5k)gsWFsF<k#6NqRTC<=1JyZNVY=VHXN|<~B-K*!&$SSi7ts<%R$J;8b7Ecw@|} z81A5%yu}!4{`Mw`oi>B0c`Y^Zj{LH%+_jRt%Hf^7E%;VmcyE5$^N~|MIafH0?8e10 zlY=MaTo4;P&f9WU9CuCnW1letRto)e3Pzv!d<@3NK9iGSJmVFeqqi_w>x*skvFYjY zPYNpI1dAe*bTqv-z>%I-b1zaZ1IjF^G5@3q!9Vz7KZLDyb(vKa7WwA+IY+@vVg@BN zKcs?S9ZF~xmq)qLtj0;<w=1c+_I`A5G$S@xVC4s70XtjB;X@{1Lk`xFOHu_hM1zw2 z@W_I&Hf*PNpL1kc1<B!A)3H&DS*g7*s{No;&~ljzZe#>*MNEj@qjgup`UXuD>Dfll z4-cVuGCF3x<d1#TeE5;0h-|mmiMdHkry}J2!?svAx*~Ex2gQC+FqX?;=WUzbskX%; zu${@_3|EtAd*@|QSBR#&{IO|EE`U4A-j+`LkN0aT`D4E-5bDqHhTlY$3<g6?-sR7F zEkAaMISQPPC{xF2oC=j0{;?pn6_p+-<pD`5xY0L>7Ux=V1GM#*VU*iyAEX+7$=tc& zC`tZDi3qsylXXufIGATXe3YQq5mYxCX)7maqZT^CfTKm2BN1Z1ipWhMBHd$m{7f;+ z{T(i<l)vGmvU$>Mc4GMJF8D+zUeJ76VVCcZ@fEHuK)mHd*vokYTK?2ZO4!x6T}<a@ z*|@@VJ4Z!MG50~GkXxBMg<5*d@3orDLh`$y#)5m%{>@*&D?u)E+L)@Re6oiYKZq`A zhmLPHlSo)aPGFcCwccS2-?t^kNH>3s?{-=DRc4iTCJ95osO1Kxe_D>x=O{$JL(u&L zwlU~<MDJrlr+JDL1L@^-GfPnHeJhj5BBmDvk7ytvvP`C<Io?T&MAZXv@LBUbT9p;H zOi0zG>M@5MO>~{ujc}mmaU5K`s(;hd#=uSQI#K@UzdQG{Ao{sicVZU?d%*<#D$*zS zFMgNrD}pvX9c;~EnOXEsy3>@YJHl0ow52M9Bot4WXE2JkJE5ap?xUS0=NP%RKOB-? z)gs3WrrReI4^h7mi|{DVQ{7sDW&g8CM6##I@#^3dQ$djKE?pGe-S!N5@FhYjW)+93 z$k0h}+(}<bj&{)Rg%%ig@7w}8G9ZW7las~f9n1YQ*afac>xFNX{dZJ)b7v&ivkRI# zW8js2E4{HZQX?nI+u-_R1*Bg&R6LJ~q@oR@jrJ!S{ibn-AzjSOx;6}fx$!>6%HmYX z;uXoFZzW{sTV?;<Bs1H}Vz!mVY%7b|Ru;3ZEN1I0HuuQlMx8}v?hC<_D%mr^Y#vH? znH1AL%Kmd^7+O`pKB&-sJsz0GYK!UI(M6!1b*U?|rh6kvY7-i_Pb41J>!{XM4&*5B z<ksLmY*yxTbS*9?CHQ$xN`cGA#rGUv>+$PhPb~B?OCPD3Xp3Yz3&pfFS4|dV?Jjgp zd#R!zJnT4TjhrNWsbO%Xclo=jqp;;R)j_XA7m9C?ok8M?3=fATlZQucGGMCm5jwLa z<_(i6Cd(`rZPEU8$RCBCXe332)f_GBxur8<PSYcV$SC0#!cMLK((9XbyfA`%(CdT0 ztdP`^KGR;8*?u_n8FPV^IZ1byybBF0p|wXyi2J*JBH<;lCetgEN2TvD7aSf*+f_1) zkMKdq$nE-IW73TVOC-u1+V#EbgZakvXc@b)$JG@8DouELc@7<0E8AjW{`EjsDj;-C zfTel_+9&28RtZGr&hO<p2(g?Sz7bpYvKkhx1iSh?=1Vz;#1#K<VUgLm=?LB>_Wb#f z%C?SfPq7e)CNErIeHh*K;V`<e_M*(#uJ5|olK-Qufh+SP>5RMi%A<?R+U0jb*Z4(F zDw~5B)2hw(;^lRhFk<vxyo?Rc@r0i-f7`0l@?5lql>hzvKTd)5ayuKpr)>DT4LfWY zlWKiG#)jE8^xLq+hK3E7*zgB7yxoTP+3;~2?zG|CHvHIz2W>c5^e6b8WWzIT_+1+= zvf*kQuCd``Hr#2$w{7^54fokFX0Vlhq7Bn+c#;h#+wdG4&a+{q4Ffi8wBgM*Tx-Mo zZ1|)N|71fYqdLEI8;-Z3--h#TxX6ar*>H^wAF$yz8@Ac-&o(@0!(`dt<Ckf}i8egP zhTpYejSZLD@Om4rwc&j>eB6f5+3;N(erCg%3@g868y;)Ji8j2@hE+CPWW!Z9)X4sg zKUK%b{;N_`W?QiM5(}=s)PlXEn)g`#1w)VgJsQ5Uw7RCE+-=mkFRd`#6^p73cUfI| zg}bu8Zh<>cUsqPq&@dKNsP1rO^%bQ?MbB^U;~EtI^>2Dzu%_HyTPJB%l*t#{zqD37 zE30eE-9?Lys=8VoAZV1%uc;uIXj{o|^r(RTI+p0xyY^Pot@w3;idr4|l!mhU>VPpe zu-N`ySDy#+MHa?NEl>@rOx3A+Rl&cps$A9ZPpL7gRt2>iwFh~x4c63HPW|3TsXnZI zvN#^wNA-zGj?2r-i<jSN*{VoKaOV`w>+4kC$<Cfz#Ngw0i`=4|B~>N-lv)&6#Lr0x zv{0N*fRlgns(;Bj4qcBA*w7IZ8yDZFud`o5|HPyLuH=+~gHqE54@u8BX6UftBSyMM z9XmSnxZ_V4bK*%^C!aF*)a-HNCrmu;^zY<Mnw&dj>KSKxywj%p^3FQjpMTDbg2I{S z7M(Y1b}_qF^Dg-A_b$BX;!8?O=a-dNR9;$Dec9zT3u@~ESJXEc!G%{YT71>jORibE zOmD9XV)emVqk2JwyQ03nuHLOwl3gLi1?SG5ZTV`i+4(ci?(wR8=N5YNXLkF{Iz4;B z#H0jot-CZ3sHrY1HL9uVs?rAcf>PM36o130SP(FT<!b6mVZEvf_jGqO|C;Lg^`-TT z-PN^ab@lZXWk${7u?a;r6{QUoFlMb$T1HG_^ho`L26sa+5U8u?OGW7dcO?Z_P*-0; z8aNkd48}&wBlt~7N;t*s?M5R=+J&?83wm(AQB~dGE^TP2STMh4vAaB2UtN2tyOyLD z3K|roy0+S=F0HA)N++LCEaBm8DR2cb-SdN&^6p+-7p(7z>sWWb;U?&Ux(35tQ+;^_ zsY`L{D;k0|hP$rPT~=CCBbh-d!ReH;x&;B<M8}+3R#ShXyE0f?rfI5MXlXZ6wGBpn zu*{(F{MR3SH8q8$)wR0pQtt6mZrwC%>w=e7xf=qdWwdmH*VK{iAq4A5uW`NT)m8Qi ztMX<QTl6-nK)SBBtYYl9r$^6xvL&DCq$W6aXHqU<z<+#>d=J*@9s};_4&kn<C=FOC zNx1L)jdEUD-6Nu|yY6_WA2nWsQT{jLohI=DK{#$<b-fWRt?8~LsZE`M;6=MQ3jHss ztCg<zRG3G4VBINp;WciO#Op4%?gMEH4RusmdBwu&vI;A#v}5uaXVa--QGoVC=PuOg zZlMy&3a9B5BxgI^0$8xxsG@%_7mm2RXB<iQ==8B8m6sZ&-Kgk%k}Ou}(Oh+BP+xIH zu%bbb6Yig7cRp0AQBl93nuZ253J*v#2-XH0gs4}R{x^07lqXx$^@#1EqL!Mht6fl0 zYuM$H@S3hi3}0G*X;1<;bd_Gh>-JVjCuc~54%AiG8eKh=BqQBlh30Oi)YWD6bq#fu zhWq?#UE1kcSzUA~usTH{Xaa3v?AWnt3S;x7_4IbNrS#gt+RJO}uB<(SdbLTJC;j-S zgaige2{zfSYeP2KRIALTqCa*cTjQcHK$K?=d2iu8I(A90AM|?XtjHnXukZEFG5SNk zv&4DG`;U9Q_i1dru5o!I190qhjn`e<m>M6?2)ts&3J}lEZY*kCshn!e2{}b`8yR02 zgo}z+f|h$s<H|;2DTd*ysw$_m@1j89%0S?-@s}X~U;o^y_rEd7MApCFUyk(dM>6_b z|C-d{{|*hmTy_6*sBibLXA0M<?td|CPk)<#(fIEFuj}3_{Nc4)^*_x4j^$nd9N+R6 ztwDj;I=cVGIKJJ#X#B%V|DW~wdo4h6O66ZPM|taZC#!E+U^`gv@ZYYq-Jz0Ix7%_# ztcj}K5*n9Z8){l{-S<~EuL`ej`N0pb|IrOUzVW7;e{#!DZ@umIpWSiinxC)z#kybq z>euV<y8E7ce{<jc5B$e(AAIQH4UcSm^s(PP{=}2NZ{4(c%TrsoZQt?qGtWNv{LWpw zUwHAQmtT4HwLO1${f#%@di$NWKfe3k`yc%2L$m#($j6`j`O}WSeD>GR_wL(&;EON6 z`uZDmV*k+z(9tJ2-)aK%uP*<;I{$x|{(o-*di3vl0{X8mzu!N3!Gg&R(Pau%&hKP* zAwRb`7W30BrLgeS^72!ym!d*8F?r<Yt0-fRSW$1iDK)ch;UVwmG9#1Evnv8jd#!-p z;HAL^)Mw8L*675~K?axj-avh|tWgw})|XY;37%Ckzdp!>*nU;#l-BB3@|C<4=}X#* zG$lQrTH-I3v?Luxe2JrGmm0zPaz5}otG?QHDOFq*tZ(RgQ)+HSd2K}xk7C4h`CM36 zt3%BW+OX7+bR@pSQG}B)itifLvn!%&F>{#~*IhZ=(335N|D1-3`g7-B#@r;odxGw@ z3&{6^(gwrJ9Cu+wQC%Pyus+~#`B}-SLe`~9FRhqXx5$b)XLjDK3FF853JR?7-~l>d z1#;jBs!)JW&;pV`83+WOAQx1Fc+e11LQx?szv<`BJa<lUrW(uqTi&DVQDf)pWbj{5 zuKh2Rzg%OrnAyyNS#@=i$+!49MkJ~cMt?P;JVA{p?x#jfbgB{Kk7-NaJ-9VvWV}k6 zc)dz;tX6#}|9bQ_ixAQsN#Z{e|6$tSk)EK^iJwmVbmFIvPu)GRH90Vf{5#T=dY$d) zDO|-X@8Z6X?VU0Doy1=Dv*?|FsQ<7&Y8d{h_&YJEdq^B-jB*ywIwai;cONwXEu_93 z@olkzm~6o_n+@%hVex9%{PfnrfwYp;Y^7Fbi8`TDOEORyI0hO0j~0O(83`(5qDy7W zO6wTZma^N`niNPZ>0jjN6Qlan$7DNFV^r#Ile6{vc-~!c$~Cc%a*gjFNEw!(hLyY2 zu!#fIu=@0l!EILAqj|k|f>IxkVL8sut6xH#N|@MBCCus*h=zIOB<c;^ZY7LBN1Q{& zO#`|UmAgDexr>vPoAllF!#b>*NewuX`>152FXxVd;}csQ=*9FKAD`_=hyLX}#eJ!Z zK2jHfj1&8-Ars44^8T($?ikRPxI3ZM8R%Qmr^u?)9nh+uJ4v~p%1~}2ojiw--(cl- z3{)8%L)y}Ichjz9vQjlXLPzIRV82+^&+)j5fxeoKMn9E7{u$(-LH-%z(^?$~F)Cqv zpX?ODxx61ZJ5}<m#MWr}XHeEHJR58prAU1|m8de{%MAD`S}zhFR8?OeeG|_vJN(Y+ zN?pc#r~U3obE-6hr@XI91BbNnDXorFr%DB{RPaj0FLiu!Am#9IyQ4UrdzMl^<Vk<m z<`G?QPF-(SS_!1pkF-d0R&v1Mf*;EJ!xst4Ro_40NQ_a5jue%V*;frLe@G3S_@El- zctG_JSTqkXk4({N_7&Q6@xqhz=R;;HHPOyDV<fbih}>4+U2DSMIiO|H2^tyD2)br~ z3$*Gg!zr_r`j97@R*LX5{2MLfBj+piJWrvWmxWKCE_{U6tL7?o6Hlcb=5E|C@LU&- zGbm0Cn%Gwj8t>9&kT_#6Q0hXSXq+o>ujh%zv1pa7T*WTs`Yp5?;#5Pxe@HQqw1$iy z6wr0}a)0VEfjXovXQj01^7bt2__Ve`yHmRO=rMLvuP#yQP8&D7y%zPe+f%gMAC@Y0 z%zP&NgcI2N`y~9P@;E4qz?2~g;Fk<;E;XcnP)ACeYj;v>|E@Y~W7KS@RO*lK5`mvi zk9g7iKIdEPrI>x>yFkbAL^T}V9u990hlhq!zTx9D+J@|=t@PxhS<pt>f{{f1(jJPb zYxpapo^Vcwa!w<yC||-ulDDI8jOy#S&FVwI!7;E8yqBy7{&qkhsU)$;O1~d`>QpY$ zPtkoD@3^D*?hg`gp;9B?lN6Q8I2BwcUJ*OoQ5k!r{=+>K8VyZQL(2!Kp%atT&{;z| zteUZSLg;w%Ql&29nQ5n)lF~<|OiWZMvxJffCDFXkT*i(#&v)!_R{0WD!VP@_);N=_ z(&3wQ`or`atiCqml%%|oMk@IaqK*ctLDL8PHlf4W)@OHIYfO>V-p~hAR@qZ1JG}Q| z|3JpLq|-(l$!aA1_fXOsGGSo-fR4nrgx${8Xx}L9%!&uE5=QgufEYDke1bI|%!<kW zdu4z1W_aQ!-DP(SPEdm>!(h@ITtBcadG~<U#6bTNtL`4Q`6C7XNQOUL(0+g#euK>) zy1uP8nxflH5@k+QLuN@!=%#n<os6+OQ95R@j~utzq6H+e_+y}5Hu}V_@l5x<^d$y; z3H_(thwqNo&*ke-Y~!hj)}szTfbj4rc)*)_43+RP<kRv?r5@y2YKNbQ`-5L8b%*_~ z@q$mKPh*%=87K75%b1=@&zaQGzpdZyzOC_rxRTiHXgvy(>+$hgp!8?6Vv4MOoPL5n z#O^D)`h>sStJEKUqtqik`KdTXCA<hfrOKGVycim%LSx2ws~;~;gdX(e_3%h$!fAsi zq-^eujo_<!N@O4SDScLIM|Vvo6ge`W;o3vxiG=LG-%b*@DRl-<w4FFcC8$voGt{Wh zj_F8m8@xNUbzmT+BsnUZ6s4rbs?@c~0ar<PfAi^1rH1WNYIn5ENA7Pry8D~%`gg>~ zsQ8Jjh7Iedh9TeeC_zzw@Xr{{xYxUOiY%FHk<^XuzmlLIG`xZSOVb$I7AHaDM3s6& zav(iLdIak?Q}&%ZqHl-8f9pk9wEDMRghhvcwO+(*$JrIN74>WkO}BQwrW^G&c?;Qd zK`otchV1@NXJ@uc1E4-`ZfUh~R$cvUc3)~LtQjZ!8`HJ^f*s7O)I+heD~PGL(<D)U zX>EB8GxoibYGGY@u%_ZHHehG6&qC-oR9-E6RMYF({$+D-HnUhZxRv^IOhHBI!ivNE zzwA!MN*EdL)VSF-70lU>jUfj?#9Lm@1~6+7eH=ZN7_N}G)9V&20HcEHTC%?*c9u~y zr}j#w)Om~4=YqMFDry%(i8Ca{*+#kLNe?V32=>K`0~KnD^|h2e%79G0y{eV<i<$~( z+N(IZamCSnxGs9$qp=CHDPJ3%+N*-NIki=qUf@&45(l&(I|zg(M;zE4_4DqS{03hI zyX2Qv)E7~BsmME}bmv=Js8%7Bx<&j7>gp~J2F|i~zNr9N5BZUNnO+)TT|;<+ol`@7 zC^*Xcf!_X7>Q^y-_CC+5uRu~<tKHrjb~e>Tx-3OP1XV0<@AM+2QiVR}<`s(jb?`f% z{rz&yQ>-+o*Qj~f`Y)1wJPP=zto`(O_c+d~X&?b&u@>T$Hwa+8ohfe`jRR6=Jutk# z2UUyp)@yz_^(f&jRMl;9bEzH8gQ_E@fIUNdI}mPsEG9pyhtRtYy|v}D1J$(_V-z?f z^Stg|&Dn-%G&FeCCdvQs532AeG3Kh3adWH7E2dYK))&_m%8v20#YTnNa^!U2_PaIR zDRqz49;Mc4U#l%L`;I*?SW&;YsG?qLY@kA*@rKHmNu3l|mtAgi_`N;oWwRy(o2@xp zFToU}#o}$yJdaD=rSq9pVG(nMj%~MfYWXKU-f8M^$#f_mY^aj>(}I<i74@{rwwQwH zg{1+DW>7sNwyWI5bx~rdcYB7S+#aj737w_&5pVjTK7?tP{0p@5h1DR{$HE_ydz8)8 zJr@0{uL3)tnqE`aP+>Rk>n+Z(`!27#tw(9j4H|)<A)I{cA))4~1ZkH&`iQIS9#Jy& zs@aMTCs0~n(N)^>5A^}-w*<!?Jac|&eYGfMc-4%&Su^trScfaGVIi|Bb{47xk}mDZ zic@}WrS*Qi(88`jX`@O#E7)r!4489%5Iq`b_Rs#c<yrbz(R`xshwPFhN538&ip=de z`sc&GNO*bv{rfis{!M}ZIt9kBedm;)GUt8%BKM1xSYRnQ(b9MAYKxy+?;U@&AV+TW zuhG_T{IBPH<d~B0V4i6Ej<wx!z;vE?o+O?=JYpaK4N`5<)oDZVOXLys<XeB9=r>7M z;tF)}NFLHPiC+p2%L@7t|4}^RkGT&W&TGF<x8E5UbR3o`b-39!q<h!tvuvpIrW@Da z7XaNnbkvF?=jhd1_)9qipGF?RdASX*1xi^$Jo3GXNAN)(NQt`b9rpXrfr9Tk9x3au zc_iE;JW?j6)cX5tK>3~yQG`D72wkE-N7P}%-tWCWAJ$j@qv8Lv@&B{<{Abhe9lrN_ z@BIJ${?DL5@=<?QZtkQ0{u$W(&!>5G<qQj#qbmpe&*S>f%JHZyU`v%pWdZj;3!{H& zy8qi*VvIFkaKyyv;b$EKe95(ouN`F*^;hp$j-UV1g3Ir0`&wL{rHvY{C;X;gy#5Qf z_4%;B%MV&!9veRVEyH{5@EZufYwi1Mk5M12HP>QEqSvo0{iQ$GG0sCEIq&t0Uw5lZ zUcc=1@x4Mbp1-u`?Y1wJ8n@Jn`T0Rhj^dbcrv#qfE5`rSIO93x(0N-gG}OQPyU^ip z(V}Slk@4^N+M;ix!~Py?!QI&wEV9cTO*{IoY`zrXwkIt_wvyjGOgu@PsLV9Reis={ zeh0p=zDLF468qimq|_MuU1T!(9XMcx7nxIjyY2Tu)~i}$zl+Q(zbgAZ!+KR7`yF)< z{d3yyY-#G>?)_H!B5TTTz5PDIdQ~g!ceaD{&uzcE?RRsZ6@Qfd-m%wuKh}OPvfpLz zM1CIoorOjH%eLRIvfthIyKcnzrQ7dOVms~koLjAY{<|Q}S<eI30HtoC^?_6WqWtoi z-7bsbEj}r*q2Go+8+vRw#fCXH%(mee8@g?nY(r(k&*QB0O&h*%!!{efX~R7>eA$M( zZTOrGci8YL8@Af;aT{*5;R7~YW5XM5xY~x%^qcJWB{no{SY^W!8y4BnW5XO9PPE|| z8z$RO*{~lIxM-Ub!bjWVSgRVk{(9_oT{F$1(?1HA*}rIiAvj2$QCx&SqHSD|Xk>yW z-#Y$c^#et-i^coD{44VPWAWQ;dblT8^yu9`^?sLeMSf8zZfWzmJm2M!_WBc^hk0J+ z`74iXYi9Gz<XIqv=NFBK%9N71?3Fw>^E|}!63=Hm$%H+Xr;tai2mfFA{XOmSm|nkF z`xh;HP9LkDvTZoVhHe}7<h5v=|J9HV^+TRTeH^L-cmV_2jkrsI_b`}={{z66c@ok6 zX#+aZt-KfiWZ)+}k4s!&RNu0v-lXVURxk)A_H}6ZFz(L@FYpPT_i+n+gXd-3Ch#H# z#bUy9=3AY^fVd7f=eSh^kKkYcU$XsQ2BI#Y!^8o<%Ohbf1cq#P6L2e!q~l}2{56lb zMVDeLkA&X={FJ8%16Uovn;0mu_NHzD9zR;C9W<5_V82W&ZX$3M&y9px4Lt5RrEbT4 z0C?Q-R+ursQrle)yvlap2;9zdFX49p9VeiJG5|dp;DfgNA>bJ-6m2BTBH%kbf^!@2 zO4j>K@dvKr5&T8(<&;y{!^52obkIp=<BkJP;_={~0u1p;I!(Y=c>MV90iKWb-I9I| zH4iwIPUAxSJ-}1YwQR(l4Xor5`UHSCodIt6-vS(dCS@UR6>uew;3IIo?H2fF9?7=@ zc%jG2OW->^PZ7QiSmCwYRlp7&%~!xvrYZHN-~epnd0)Z<FPIL0QZE+*f59W^uLIuV z0|)R~2OOKHQ~~a6;DbC;#^-<!orTRE+yW2q2>k{A`fR1v;J+St&~KGX<)h!n(<=VJ z$9aSf0{hHhEX3alyp>1Nza6-&P^mq*8-Y`1!t=NVKF1?GBXIh8$WdII<O5>YKuyFg zu$)I|DDZ8DA1R~zeCnM?%D4#l2~RoU6X!BF;gRqYfq&wWtC&n+%{;4I0<Y(hxB|B_ zAZ#Se4q*OwE&l@GobRDCjQ>2~2Nx>!wWI?~x`eT!KkXejn@94({(`!hN7B3n__GqF zG6}N=_y~`L*$C|55!z~4YPrV%FSgxnz)|zz3F2k~&*oWz+Yc<~k#wqnr<Yr_EeF0* zNn0aK2k^K{p(*Zc;CvpzryTf89*K*62-Rx41%6s()oBOt_m@##;<f@eTu#46oo)nP zwt#xUT?5?6lP&(h%WKhp#oY*8$K%KSK5%xO#Sg{6pYllk-VS`vcDEvv?5<}HLU@7i z^9cWZ3|!k_)$cmsm4@YJBVP>+GG`!6D)47K!jo%&gBKD8|8(HOYoG(}MZmk3Qcm3W z0)M{@y5nvIUe!ohl4$S1tPpjC`($ACN_Y-;4KSt|TH}rb)`n>pxC6j1cy7n-`yuV< zN6-y-HgFM-v`2wSH(373z@PFwM3~!wSNzy=8^8~2_sW~-D{i)Uzzv-H6WS8t=K=5G zk-EDVxaOzS3;qH-c!X90Pruc2`+y(t#KBi4@Uov#*SKqdxARDNf%ERL@)8)hllDaz zfxqUFyw(FBUjtv^FYuJLv{~Ak2ly$EwB-)q?Z2SRgc0aoXQeN28_!DoJAjG5hF5S4 zyoBcf?h@b!cfnUK+V$PYS@&4!7Xk0#5j^h&e#mn&VNBrYdo8}r1a9S#w!Z`T)o-XT z!h8*^xgXxZE%53Gs4v`2z=i(-KDZYFXKkP##9a)0i%06Q4Y>Ca%Y6X2{&(O^7=c3` zxA-j`IN%9uyz>En!XtRz0vxgxJ|=uRaMd=(Al$2gt9HU;;JF&Oco%I1_Yz>rZi@#} zfj7NqkEg)wmuc^W5x9*<ml1gLE8vg+Ex^}!B;P&2U+kg(!hapG@h$MiEin0QD}90A z@W>eLe21O%HjB>5f25z`2}oT4<t)TRa26<M9*SxE0yo%hfxB$Cz`eFx^!r60U&0F% zy>@X66diVP3lzO`aSL2#yRQS@X}bkJXuDg1qPH#K1&WTg;3iP?pT%FG=+TP5K+(+< nw?NT@6}Ldqah31_e`34u06t>71&U6lgcmsMed+*O$?yLG6?YM| literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/setuptools/cli-arm64.exe b/venv/Lib/site-packages/setuptools/cli-arm64.exe new file mode 100644 index 0000000000000000000000000000000000000000..7a87ce48093d2c984b2ceb7b1f8e1ba6f5fc94f1 GIT binary patch literal 137216 zcmeFaeSBQib??2;j3l4Yi(mBOH(oTdAsLN<U|Y7OkVGRJf{aO0%c3PO_gb<^GO{6w zFeDg~NQNdI<D_A16NtI3ZAem$5^f>bDN37K!o9gNE-AJHP5LxNvZ0kMlGqr71~9tc z-#&Asu`CmM+xt9!JXfF3=$y09-fOSD_S$Q$z4qGseB=}NnV>Nyhu_GEF;8;UU(Ei0 z=YOta%;fT)Og4K$&s03=T>nf(W4vWU_zSmw{<F6>-x6Ni{JGD4{<iR%Pls>4{d3`# z&xNo4*sAa?pTFtTR}>ZHUy=dseE-`|U-LhQzvKT_{_xEQujP5=56?V!$X?%iaJjvv zAN;V*m;TO7u5&wbzf;F`#*fZC_!)bB>%m5Qee=QVxt{pZTMu4suW#6EL(AH@>NsDE z{@@y8ZtBc6AO7n<YWDM-Fmp^nVDd%gb2KzVn0O^`r`jAbQoZ|tF?oi6{P|b&2Rw_Y z`~^+ZCcjXoEU6w4|Dt@E6y2Kp-gZpH-evw>88FoaSqZU#sn0X!#BUvQVOH|^+o`{E zOtnQc^QPS~cX+6d&uX8qxb4$-+{WE^Z=sM7Qrk1_@C$^EX}aRpo0@NHHs+tdPAV`> zg6pkZv;JbR(G^}c6PwM8sZ^ZL^^J4#bzkuXFQaWEZ8e4D%Q+iS3-8uX-~9Qt#<tx+ z1LJ1ka`FFS#w_*k|L^skDKN6k9Gd2s`{oB?>62^cA3Qn9q`QNwpZ81Y-HA!DwBDas zd*#9Mz_g)F#xzncseI+(;B$S!sh#vhsmh$W%SoN#9jv+i%w2V<Y*>0f6?m{gaw_o3 z&D5bfU@6a;yZ$zHCP;eby~Sycm(SLHt&<v@WVRdgp<f7&|93oSI>Uv|N1Y3IeKf!? z$ZvJKIr+mp)99Gb{5fnnHPo`E+6{%a7^nRC==9<XXO&GWx}@Ub3ucy1Ev$UcxIZ6o z<{E3=Ss1I>R}`x-MZ$CR*$JQZT<4gYvG>{UvdU$Z8Ov`9Rjxi}4!KVL7Sn33kMUF5 zI8=<=-QKX;xI@Ps)42StYqnM9nv=2JJFoxyk&(uwQ)6529v;~{QMqh5^+mB)c0qHu z&Kw#Dx(AmU_h76wasBeQKD<qRIsRwssL0e&8r!<`&5=E#@4V9^jjDSo_dTzU*gjM} zBlnm?!SA*oUc2CtSB?cus=vTVk!E>CxSd+{lho-?I;q#!22$zu!PJ`@a#CmR%7tf~ z<c2?prEb5mF7>6RrKyeaWvRQqaCNFV5=+NSE&Oo}d9S9-GRiImMqTREs-JcIpMvSr zENGmAZ6+|ZKi@R&cg&s&)1F=(HYaIY=bV6PTw|s#4u?mIn!@{v));qj*l=%jZx+un zu^O(HFMN38ucBWt*EH(7Hpetpgxk|gjdOB;&@|Q-#$IWruiCga(dXgt3)f%5uOil- zu4rmcH-&dze-po@CU9~NJg_Ek<zhs3X*ehL=$yj3M=vQ|`sjNuT=r;%2_#3$<d{d- z6grRIR2q2nGZzLQUCTR_U-LHQ&6Tv}h3f@(jfpG{@8W)!?!$}2U*P@=x}T~0LhcLy zqiq*0z->##iJiluX^{K7q3OfWv|_3`w3c5u+yrgIMGr&U3YRo~VMCe;do+G)b@iIJ z%B#=E_oC~u41GoCiW3hFi@rf<olW0v=v!eN>Wf{k>m|CLcwo5V#J1tJJU4~S^}61~ zRrGoodQE}W;D1Oo7OkP>A<<p*_sfdLqP1w=1nqrVKMbu^k6@}!!G9Q<SG3bce&JoD z?NVBJaYc+Ye&H{W_64QQTwD<*jUQ?Bg(>{srP;`S=a6LfsZ{~SRFJWi!x+nDtmUOD zOf20WH0e|D`l~^w^K>xK`C2g8d6Zw?$jAeI!IIAYU@6aKoyUUHJ6AD&Z(#iX5##sc zjNeZ(e*X*O*D!ts0|V15GbIL(w;w+Jw)gzzh7VKcHPn4II4lE~rO1T36u4QrF@DTs zKL>JRcdRKiRWAWQmSdLe&Wx3ZFN<wm-CcX~@8PFix5ch^I$A$B$Gqp_IgY9NUd$xF z_wtvwO4jYV?S;{I508v2;@zR1fcbCc!KROz3oAZqI==9^0OgjtreT*c2V*(yTf}SX zlm1DY4nBNI?2f05sjA39=P(9e9vPXTw4;Irud0lBt8SahOu{<MH96RW0prjJ;S5hK zsSTTxbK%EFz+HUk<NgiO)bGcF!Gqat2)sE$efJ#vo(XPI*=4kG?pw>YWw+(2^hniO zaB2pp3fF^M0l)MIorB-Yaez10?lr?BReA98Ze#Wc_oZ(LzB$=J*=+nRE|c!DZJq;s z<uU1zM%8mOd4EmY4gH!u7U`ery9>PjQQyS8_PwIMDMZHYf~TF1`L=HYS$(q$dE=-1 z{nBjvC7kJ(E4_XxG!5TFZU|4+`@I~G=A(T?dmk>1RWBX!@KqlTg6EXUMTG_VA$L+< zZcdPj)fcs~bNa#Jd2@C@WZ`?a`oRRfexR(^4_9x?#$B`=?T1YNTHaAVpj)!@9?k9t zaDF&LW4|BNCZ8YFriaO|K4>2v>w|w8*9R-}vD-GhZ|KCr`*z57Tb8l6rvCi4t@HC@ zhib9IY6DY;c0-r!euF*j-)h=*^GwsY>|!%D9$!<v)^!gynetKFBpB)Gh+NXsQSJnX zoC{6kbw%C(RLL*qgogSi?VN2cY5#=a2LCuV9O0*Yec-URu=}4}@-<=4oR#nD*pm@{ zqxoF&g(k>H`y>3$DgU2c591-iuT6Lg?;P;S{r?`H^Wou-zke^i*Pf5g8G4?#zuqmq z|D*kt>4)>R`(3y9KiHqv_C?-eR~*Xbea2zqYIwc^nU<a2%(K#wUDn21huuKgq{h`P zFL94d&c?kT`AC|Tr(x`B?vrZ+XOF$}jj{9fkvEdP|B0X9x97{h-0`=!-TbNRzJBz( zy)S28;>&r=Y>JHP+qb8b52K_Ok$#_XuIt)`j_bhP;FiVGj%jZ&PVMtyu5VAO8`k(f zwd$`^r?DfBP6?!5oDod@Yk5xURb=WZ*$vqL1L%I-0qG$6;b_KgcoDnd%4uf%X>|Rm zRsX}<@&RCOLl>P|^*3Ylgu8+%*$?qRcg-MWhk+RfpU6es)xcd8c1jL9PW$2cd1iZg z&~&{<9xCcwi0#runNncR;5R~D?UZY}xV!o-?z<^_`}FSW`-7&cFIX0RowOM5XYjo5 zR;RU@@xDFJOnV)fy6;}o>d-fdfVoxaBLUO;`iz~k%N^6Yw|M95?O%0DUZw2OU}<zy zL3=|V_Rz=Q8hPOPrBz#0|8sARR6RG{RKEzU@%cWMmG1@ego3fINUoVy`IXo<m-a++ zO>*&F(cwktN44jftadz|X@_Xjksevp7o63ZzAJl<^mmy#(%JMp4ShN+J<HCb<zlDo zVDFvft3uQrE;7jq`s@G6HQPU))86npWzqptb1Kgy)utDq!EfO22WhWhmA8)3Y%+aV zzS*=kL$jUA2hGN4Q_@*Xn>S==a|dk>kY6x6=#S^~%*r@vUpzCiNM)ZHS2ma_yAfRa zf-^eX@=VP{Z5C@=zRaF)-j$Qu|K`X8BlpZc1V2CP7RA!EEBXdJ^=2>-4TRep`qu`M zlB44BfwfQ74Dy`KZv#BnI_^*<Z9C3=#G&n7rgay1*5U_X&U~oW$sejmr>c(pO-1B4 zH50+=$Zc<k@NS-yf3O~Yu5X!F-3wo8jP(J#_(HRtaTMK|XXaN>UySr}{2+qs^b{qJ zlBa^PrSvk#l!E`^{<ZnZKKSs>i_P`{?n`>YTlBmw>^+CT4;;a%WC+`}(c%vu=ghk9 z&YW2vxf6I6Z^xNz@s_RL2b^C`WqiPcwoMh2ll4w4Jw*EQP^>HNm~{R8?wXd6>59)c zHT|nhvTuEUax%Dy*Pg)6Xn{ut7@Hwr+zZdR!r`Z;wGJHePnK7QpkoVde{t>P<gvBI zv@I{$k1t8{j5Unyfo1S`j#)IY_GgyYV#wTc@<NY4QeN^Lr@Z=2bd{V~PP=Ve;nUsJ zS>OLc_41H8B)&z~(U*C&H-G4nOg~1>yijd<8hYeFgJa+^iqqQZ$r+4`Q(QGh+M)Y2 zp6}+`Prlb^^E1%v4;`~teWUh24qmq3nkOeE1D|02qj!HHc{d~0B^fpxC@FB;V%wM~ zB+ulS?UG}XB~zhe)m)PdBh%pb)*|rTi+^kbV`bOZW5X`*b>IGVGrWzqig$vfjgVJq z%6|jp8M`+BThyJMpK+Fch<@oueyG0dXGs>eH~g`Wvoi&pr+0omgY%u>+-v2>^t0qg z#F>7uC}gI=qpi<S=VjDcFv+aE_iM4?dir-Tm_IIm{=tw_RB$=+Zhfv<dGPI#MWW{} z<j+rOzeg|loVq1{Zo;oPQN0VPS9RWko)w+SsPo5+k-MQy-%|^>^xRsMyn(X!-o5%A z@F*!*2p)T((GB1+c*G<}N=#SnS4?VPExh^_Ck1W|wO<LOYQGXpm6Klkm7G+0$fVsO zrRSz<n@tz<ixc7I>g2#e(<S`fY0QDGEI|+AU$tqWSbA{3Nlv1zdHe?H*IZy<!cRI9 zJqRDo=rmkaR=QaI5%&9|t}r>5zTiE&&6Ezzi**g6pCeAbS0`h$k9oFZ+KW}*)|u<2 zX-s9qEbw9W6ecHUU`ihMmBhM`lgYL>Mjm+cuJOJ%PhbB&y?^}7$OA5V|0U}qD8WzM zzEwU0<HUZXG4;_YX1fcH<p$5^<L$GvZ2`&eGk5K?e&P6qv2@6Zb<Ml|;^Ii}`r&o( z$8yI#7<HU2u?ll&9XN)e#hJT$Jbj1#;+IwW-!c~e(lOgVQEIlQxMEL4i^|OQ5@Wjb z{xH1ZUT9Wzp!+Wf2q)~G-L=V2kas7)t<tjrvuGFhUHsaSD>hH_;^ZM<E8XVf`q$L4 zm8;;@lP_3ewtqwE{Lm4L)Mvu;RK|Ad<M~It%WkjA`}t&F`EB`o(l_#ZnmYWps@$nn zf15g8VA8%HU2XbWrcDv%-(@`STV`rBeoDX#8{|YH|GKX7T+`ZwZ!=EYBIHTr=Xa&x z*@}vSq<F?O=O<4Vo9#`sqp!TZVJUo}bf+#qseEB4Klu#r>oaA8ykErqUg|<_M}J9u z8^G7I-(u+we5gA!c-13sHXs*&hb$CK_k(qIoQU`9fI<5YHw9{+|7=$IUVIea%9M|T zQxoO)L*K37AbYbA8C(Lt<#EN{?84^2M^)0f4n9<$e+pRY7woDk<iVmJQkF5&AbR~Z zaD{V-HYo4POx^+Myk)VPdh-7_@+;4oyPoPeT@Xv3TJ@CWw?4|(kzZGIz0LE3Ox_2$ z`u+EF>bM`d?Dw6Y{&$pV3Ye;aU~wll`H6e$BFO^AYyFwky>WENiZh|!6ms1Kw>E5# zCS<Gf*!O1a{l2S$&!G$ULc7tipthZ{eu1&^beuZs=f`U_?kag-=_F<^pC73?3Vtia z|Ii5fT3%J1Pcc@MmdK>tNS-t>E$qyg^Z1bQni;c}$L6%uh?eo7StPy1_-fotTiez5 z$g~0QFwK!<1o*pvZJ&E0$xC=v9<`&0`jzgIPcp8O_xZ??{7RFG^2<m5(rIbSzjG>U ze4I|L@?^m-VEhy95`O;p=v=;~0h{1iY!U3Y*v4`vf4zf$__7bix}rUoZ7JwXG}I$+ z%AJDsb=Vp8^T~6$+loK5vA~25R+1-D8QbVOp)L8%CRtg;eQx{V%PQT6IvIznox-6Q zeYCtN*40*5X>E#n?4*zrD$w&i*cjLCHp$b_khUCNM<1%K`LwnEQtT-+yjaij%c(sq z!ItV-a#>gLpPhGQ$vKVd1<<yeaq&ckmTp}nS$<|`ulOQc=A6nZXK4#BsC*^Addf4l znM;&JKT1F7`p>`>9@#KN&ulpAn@G_$)?bWVd0g|PKSxdpca6a?{r5LKi|3jGJ9lKm z@_7dT=>xn!*;lgj6aE;n^{f(K{nYA$SE(n#xW|6Eu^bz=j(+Qq{HSn}BU4N|bmoQL zKJ;~1Iu{*CTb`|Soa6xgf=$;e-8aD44ShLwq|$Mpwq^TGa*+2bYs+Qc_uWI^`gwZJ z&NDbS)`deYIZzTy=Whx<JxG~)C-k)I6g(aJX>6<P>x5%&be+vRm^Y>egOSbwaL4{e zPVevV`BQ%A1rNV)`FG|SvoLd2AFF>wb6r_rw^x-nb(L23M(UiThj01wULIrY`%RUj z^LU@GE_0^MIqip~i{aT$*O)ZCXLWPPY5P%#=WKcl4s(6@-?a8I&-LNE@(1*f`3dYZ z<I#WL#QLo6pB*P}I@CYAJ$z}~VbOS3!0Z8^jVZ=rxf5Dnf$ipgAl9X^m){-PvYhc( z%lOkA(jR}0?!N|JHKvt*ZLCjgte7g%X>4qG<6eA2JHhuVk6z7V^g3nv$+In_H@3k~ zl|eHz9#ES@>o-wPd^Y#fOlt-AEpuXB^#L<8;<ziY_gaw~jRTIE$vklVF7Qx)S$@vQ zoa-1bCD3$RUM&5Q%>6gv{k0oz=?mv>n`L6(aXh|8Z!<sj`)R<K$6TjSa_+H36@|%? z3X^pCl{;laOR4k6(D62G+CAvO-VfEGJ7r7NKHrX>YzveP&1J44JiPT$Pez=#o;q94 zeT$kWtmm=+oq7~c(1$G>gC61qKTg1JpK)a0j@d4m{9S$cJhJmchZAlk_KElpKeEqX z=gjBlif=u+@H*>K1D}bdhU9a)IF=r!Uxyge`Od6^9rUYYYG`9@>mp~?mca#eHTBcX zp;xaHkD1m_IEfwZq*&L1Lgv>_XkCwM8i%(yDV5t9aMv%LYGur07xX(xWb0!;Zm8PQ zn-}X^y(}_x53vTl`QH5;-51BY269bR?_~G~`zlPo9gD`&bCyN6^al$%C7V7pJn}$O z?(h=H!duWUF72<JY-Wo0ddMGttuCFwR%&{9N^<`nAbX`RN$U`QU?<6DQomO~=f2>~ zPT5JScMi{|kV9cxS4roE)T8vH<Oxy-vb^)9IkEJM(_`rh^2A3xc{q!FYS$2D)n@s< z)b6{X!~d{j*|Yryieu>?^1cL`?hF*Jzk3q%=3rs;ze5k^cG2Ekj}CK12lSoj^Az$~ zw9RuaxV6dZ&-Ml;0#$!WnZMxoXv4fM9h7TZ3N2}S2jz6nT3zGdv{+XMKhZ^V_Q67) z(W!cF=b1U<v^I42u`{gefJd8CxV|4bqIUGEEV4nc{?3ivDfvPORcV5@sXqp;GhGLO zr9P4Tn6s>M%WqyEc|h$GEYU!4b_PQ0j|W51W300%pJex&b7SeVV-dXhkjA&ho6qmE zJF;!5N!0(nth52{-<ZIT^2_^W8TZ?N&CjcUOul(?%;W#v*xc<oX3t=bnTcGrG;+jS zGr32O?S}Sl7#l?IosgAduF_^gD`atqK0xkNxy-ekp2{tzG?t!Dom%IXKhH%TC!Fx& z5b0ISFRS3s1ah+^G-|_J-V|TrZ?Zf&UeEdRFKo)uX=8LMrXGV|+}A;V`wNx6Yb?DR zxd+Xjb$i~QEN4w71`k|wp(*v{gI^B2NpqGxKD;&f(WuUwCuPao*MQY4IiG9h%U&_) zrfS;Sp>gH}GWyldpC5CZ14(p6w440Cogm-VzC81|#`yg?X0I)`DUkH@Ft^wmh92Ou zh&kBd3xMrRMgMWH`I(<z^CQ2^6VTP#OO)%TKd@_y<9C{_(~R8`%DFy%XV+tOs_M`f zCn(T^UE#Gs{y*V?pSyEH{g7o30{=eKQ!JhNSfp-@1_RK_%raf&Ic9!0?bUM${m>y= zfs1J3<Gm{jZ}F_=g}LfWJATIIzS;KUDd07!FM!`iUs$-i$Le=QhuPkIU2X8^&xSw0 z-z|<kAMkK@f)*#{lMT+Rn;LBU!Hc=iv-KbUn4R}yi%nbp@hM&7@$>oV)T*C)>kuW< zGoHO5o;mV~k98eECab<u>JzSI6+wK0?T6)8OTGO<Z&SmJhg4@Td8udRflo~7TF4wu z^br29V>fzwdcU>h)sDyDWnEti=5)S@K08Lt#ZmN`_y~i6b&+%Nu{;<sCoh>9d*gM= zy%x-so!NNRMe>!kH@Jp15%{5-dl<a5Bj9YQ%`uOcPTRTT6#TH1vA^7O*MyMCx7jgW zb`TrqWIlbo4<CCaaO&~@3(kwciE%GKK>eilh7|8R@V`HiZ<4{F*%Jp2vIIY3uoIu+ z$)@7QH;y8kBc#ixUwL77^>X<qd4CabUDC_(0c-ro*V+f(ez`esjWj0k6UV6onkK&l zZUgunBhdYLpalJsf&a!xV|~l1YQbO5Rq%gIn|jGh*(&+w4e<T^YlvCs#qTb-$|Kl< z`E(Y{rO5j6Fh|S3KGN7mS)Z3D>c`Q3BF@d{8}*aoXil-taKkjSr;6W}1+i3{V@?iY zWAEfTz*RP79ri}zJ#{JUpOeRJn)hxs@0zFR-O>r)ZJMli%O-rcyT~*$*FXFkeXe#V z7z>s7#941iZpLSzwDLjLY@{cl-_9a)QaYG19hE#^&-nd5{qOUF_@D_sSO!eR0EtKY z(526j=Q&_%-ba}|*Yl%|H66fL-80G0dfZ|4O<&NBz85}d2bW&f<$CD{>1c}!d?9`i zU+mJAe%!?Mb$r3H^?yknDl@=3(Sz_tJFyP*^Pa?H))|BFFtG-e@P?1uUxL?Z>>$ml zH<NcWcqwl^*IMu!fuGv3Z~BUFc!M?9Mhgo&=~%#nb%1{NVf{B?wa<>F@d@rpU~BFV z%&_&PUQ?bKmKNK{BfaUv*`I;4nb=7m&b{Q>3>=FKaC}_ETOrE&w3i;dmb|^0@f_e@ z<JroQ(Rj!)ITB)?Czx)|7|f8HNh{1so0>^Or~7q>um@~e>;ON_mxpKW`iY%`*D^=% zXRh6kEqio^Nyq8WW99h4ktr{}*Q5uKm#fKhwA`%1#;<Y1?T1IM<;wek3s}S89r;%& z-KJs3?<8&Xd7eqX&-%%JW@V#4hB~BcnmxHL**bvyHR(y7UA$>r`k6^-U)K8g+x*S7 zqw`h!ylL$DtaWGNQ~i3;O(){mg>m$_8}s}z<wd5og?@@Wo|vt*8~C});Fqqwz-%AZ zJRM&@{do9x`U?A3zR$hTslm_N#Jei;`uWyp@=?cL%E>1#zt^)RoA5gTZ%JKIQu=*5 zzuSN_JJf!-hJ3z$YkG>lkW8hn)Y~84);T@4^~k!&@W7od!^<mXKQxcE`*?`CB(lAp zakLR#%34SAd95R@agx}(EB7##sN3?@+4ilsjx2m!@R9E%zW_U?BL5-L*7~2b?5fX| zo9!*EKXzpFqU;vojP5+q%bd7rU3~bn<k5W#_nqj=aF0pG=+h10BV2yL8ca9uFNH2I z<az#y@$*{2cY8b=!E_sZKAv4^)BDd&_v~da)*LyEJPvm5VU8GPy!-}!lkLP>nOz@f z$F}{gmuCIFzQ4xsH|B5mYy#Ju*jny5L-Hj&1#Le?zb2ULy68;Na~6G>$Xl9TINWw5 zPXD$Ark-Ss5l^r*-4<|%NNWs}PqwyjI00>>FK#C<w6lJ|cFG?G?)`az^tM1Cy^wTZ zAO1CIlmSQP{mfT<pS18??V8qZWccbr(|YyH>+cNfzRJ_L5qy22Z#pZFUnHM({yNRG zC9{Qx?@RH=P3X#{k_mf5O->U2KP-F6y=-aPJyUl?K2ZGbhvFBSlEO<&8u~Rbf9iCr zvE`UshkqHn6JJlGiw)#fn=WjJMeX<oqV7|(mwzpAK|k}xNROFTaFHo#d&#tZ6I#T} ziV8v(nQ8M#b1#Xd3y{wtuF_W_>KJ6sw3#_f=nqU+KI!$Wm%60CTYQT$_!d!Svc<Qk z^JDOI7S3-V+edN!7;P8M^W1;f(ekw^4{6RA0k?eczMkvO4Bm;d$rkU+GI$q`!yBLT zjMO{eJ(1n;8ur2q#6gH3mOx|ita#!h%-ztX#U1cz2w$Ciypj2Z^3hk>G}aFepaXXE zo;Zo<qnF})#kSsM`HndZw(n+SmiqERt|4I6G7oC!JvPy_w!rlD^RV3}(lMiWX4%EB zf+sdotJc1S=jjZdx4?7KcdTb(M@;X$K=BL6Qq8%>>MC77L~PXg?BcWL3BYe#V`{Jk z_7IzwihtjvG_M+vZ2B*CUA^!Z_m8=|rzAs_u~bW^NtN)vyuxg6Mz%EJi*@Ufg~*i9 z)ySWGll~XpH9@E5r6&11?pwHzq?X}7aF@7F`GP3)j--NJ>!?@bQ+S>||M)2}Oit>w z=n*u@=qc9TmlYq<ye<x`Qs&FDp}t5T#Pee5GR7W$vZO=$0c6a&@7JZ|YgXRNNNd49 zS;3V#cRI>%a4tGvB#;_eVY){4=M0Z5%N;&WT_gL=#*q!A9dT+#Y6Iz!Wr6g-wSn}| z6T#HTww$g6c7xVm`j#zCADOMVh**vCbZ8zFWZclk(8i04m(w<_%PJ0P3ph%ifPd1^ zj?>IjPOYj#7mnE%5#%K?LTMNKUHDzk+P;hJHi$hpfUl$$KaBd;#okw19Gko#2VXfh zUp$ldHy0ouFG2>DIV)?OqIFFg_rz)_ZwuoyO1{-Sp3N5}7DM;MY&AxB$NI|p%cdoE z#LK#?6Bij9Go!J8Id~O<(|_L_OOw9pz=3#m?fp(`H?V&Io`v9}^p;=6??{czSTdTY z-)XHQPoYaYT-N$|E|{9w(Loz;LAJ2=Oh0tjtYbWPP^bJuKO|=5W!i@AyvUb3V|vij zG13Ry=*!oz`?n!Oo+qwCJh2U)yPYw>JfdqUdO~(+|1#nY&_%?49C{GliTvr3O$%N2 z_EN5$GOl6V5Lbmw*{CvFb6~z;*ON9+mL40E-SCpNS8kxMZwHoLv$XqWvi-tZSMhY1 z@M>DTG);`bo*ZHV<a?^mqra#pk;~lf)~l_|Xt_0~s}>*lF6J8W(PO1OdC9g0)75r` z>AHz=hFnRmi^jTIz~^}3@RFPJdTJ7zg42-at7==E)&c08z)lKnGKc2P`pS`ei%s&D zmUT}`=M;f|{0d}KQBgsZcPm<MdvZN++bUQyqRnj=v4+SsRA8n?mj9qS5_0XnE{(}I z;dS90cg><NL$BV9t-OSL^klIevl;)q%X8aT^D5(ComANtaBA8boSH?{FF3@TZNHNH zohdJ-tNE}OgG4_+5G8#bbA*8)aVxp8tx+d`%L@GS>x)hL=1r@gym_(d`g{D$@ddFi z{Guz?@f>n4UeL0@bVX>J<W$@HP1o!UeDQqqQN{&&;e2r8z?E!{Q%?Fc{(gML*qkjq z4^d7yFTiGz9M}C6fBlyDaP^&ytIBg~bYFRDWRdzueKWp4`%jKEHqmcC2Idc+{M(*? z{MFEJv)4(iEQ3Gd$X&srANS75qVun3dUU=6JjTP0O~5P7<jdxjd;b%8CH5wBba*Af zbuj;IUSXb!&%C5_e}-QMh_i2oN7p=zZg_ZFas#mg?+3Suc%&*r<EttAKJLf!h=E5c zNk3m-z8fA9Z-_@^GYbB{hetgAFr)mT{U~bd>@5EHbcR1VUOAUPHopUZ)V<>INA@^+ z^sj!}{roQnUv_hPYRWe;Ua*<UzlnU(^-*ukmhVMw!{_Ba#L&v7x{~qjT(p2WZK-#E z@q*Cky;-37xtD&y0&8d5{N)QmS9-ob$=YmtK>aD+yvQH_=zqq0Lm6=5@M{x&JKjE0 zI^$Ps!+V;!|IFMm+bGT$fG?-DL_OO`d=TeevUR-P&&I>bPwJ8^k)1U}o8#zuPj{ft zf7NtH+?mFF&GJ@5FEJ<<k8!r!c-(5=1#WhnqnBFjILAJQ23Ij2eHr-L4A1wfy5CJZ zG#=Cr{Dc#<qxr0M450V@vGZMG_9nt*W)?0--T@b17lq)b+F6c`xkl%u6NNLE3_}0V zWv1&N>1X`gs~8uhwKc>XqYsoPUNCb>2wkc?Z&8Qe_P@&1*C@KPz8pbc*QT7-msz7~ z=U00v_5plZJKt%I>ADhs6EJIcJFQv=4B;<{p!>^t-c6rke<a;Pldc4x4+3*J*Q>a8 zXukIW(^bR0@K~%XWvw0ajA`w$Wr1@59~<}Akw@!6tAFLKF-LNFcgV}Pj&~8}>iNJ^ zU6+urzS&u6btvP^WnHHw$J`jXw0B2G&@8SbzvM;-xV*rauYEkzhC`0^t=9gUXX>mS zbXv6z)=R$U$d{np5w4=GVoyffO8M-zZsxssr-f?>oO~YASS$|*pL3?(&D3(t5C2a6 zcMY=W_x0a5vik4Z|J#3!|8Mo*m|w&9kuZNj7UbtTD_8#-zAGVqs|0=e@y;hh>`U?O zFJGs^B-_QS(m8)dKUZY#V?ne1;><nk+uLOa$wmq}7h2n>4nCA0OXa=<49(YCcpoXt zRUBGX#F@1qjtzzHtl>5IRqNai_T8)8tDNH7LOjQL-!f-X<uK2J^=d}f)fXXa19dgM zg=W#sz#YKWMpteuz<+{2tR^unXBBp3Rbp12t*?Xi0gcU@*~cB{K8O26u4CucE`D#y z*UY2rEzssT^Oz3JV;G<EqiEbDGI(DBZW=d}x!OF?QTeeO^FNA=#!<Xz5M10maBr!s z-q-B3wo`szuG8vHA*PUfmo<>VYndDJemydwWpRwPz=CMJf!KuHi*F@9X+@P&wxWl; zYq4Rp&%%*!9$V&R_BxE$F)r=Q(lL9jzH`b7r0>+`o0tQ8aLS^ZlL*dR^q=jIqTni( zkAwoNdcl9RKJZt*XQ|KUg*wUzcElN8V*8ph2k6VuG8r7TA4Bp)bTaD8aj}*3?Feh7 zOhvt`p8cQF-|dfeb_*vvKmImbo;^P2yz}#A*H3oi*X^e(&Cly!XOiafqd}wZ{Q9wJ zM$=gLwtv5G+$E-=hl<ZX?pU`Q9e4ZCj}=rc{$B(C`{V8y>F+e|h)DWR8+X$)<F1$3 zV~xA|g8zSwyJ~oPqH#0~UEa+&ie!zWF3P-{adg4E7)Kl7HjN`)v-w!h@AfA?9-mj^ zNNE~J<KOwus!#W-pUXM*E6vaAU$e)NpXS%Eapb3+JC4SD8l!Wu(Ao3#+c&KqKFxaJ z9&GeIT-SUk)+M{Q2_M`7_7mLp9+OT5i0j4H?2ybuHpQ`tE5G8blC9K9oJ74dBN->( za;}lgJ|m?elMl*%ZfO{^m9l;F+3OIBfwOaK^imadtYd!f>&5FFd<l7VR>y?U9nvoc z$Rk@bIxR7K9rHxt5=D<lPnZ9hr$2}(ZYaM9+Zdg28+qivtiL^XnuFh^iM5_*)5Lz# zu87JluygvozF$9nh3D4~-JZKrK86<ZM{<{@(U&J9#L20>=cDNtHm!cE8F(j3%o*z5 zo0C~95X>Cb3U-qgAgvjgYuAL5x!|sM_y{}a=G1SQL!QshiCJIhs|BX()3oU`&|@HI z(rZ~0v3dmEDm@}UNCF+yO#d~#hnOY!f0R}id9>=M{eGFvS$UtOf7elF1$KQK^HV?H zb@E-&zK}E9+9i4)zcgca-;X~5c!L4Y?v5L?q>cH9Uv~ZE_J;M$zd{=?ESA4VWwqal zHSp2Bs_f4>7|-wo{Z72oQ)k5iJMeS`zwz_RY~I{L---T~FY%{ZUzBq;Z?E07`VRHO zrYw4EE-hLIpz%$j*-|HY9RE!i7?!v3gK51wyT31^zbAqp-}FLt0$->%CdPO~dOVv? z&Y3U!@he$z5#s%IjJ?-`PV`22a`ok=HA0NT@~P;%<(;EGzT2KM$pk*l#n@dT?6o*F z5Fdo_zqR0hs|2S-@b?nh;HNFxw7PmB&nhdLsr(;i%6sji{5aatwmZszbE)8rdxy-p zL+i5H@TRl&D|{@x31p0H+3fs&-a+9$&WCvWrkzj9|8Z{m>L<Sq-kZTcB3qTR_nYA# zSHh=S!#Pd7gXG4&_#SPaFm44W0x#ClmIQe;?hg~^c|SZMI)paPE>>B|sTbzxOrx1m zVi#DWDd~i7i2Eq(yaHYm-*6utp{y-;(WF&_vLPG1_{uorNIu3|{5wnn8}*!zJ%|tG zPzz%T*;J#vJWuoGp>Qi99@?Ly|C~KCp6y3m)VO$t$L~%){yqL)``+W<8}E-)pH4*g z+mP*N@S*p?+u|+p6f|gT37*YU>!R&l_XZg6;3FL?ItjOUL-$7RH`+1tFtIYk`}ku- zJgz*)z}d(D&$ICN*NI<#<##U+@;5yA^5B?#=jkP_3*0*a?pxsFME<pvA@f-A2HLO* z`PYs<(puRf_ULSbo?GY#jeW+S_Id10p@$+p(~}9_E#xXZcYl>Wr(e~VpZV>`18U!B zUi6dA%T@W5r<**;*l6NB`pWmqxTW4YqsuyD2YYevg~q?tTARzB&s@9D`@VuN<J*T1 z)}8tAwq9Zu+>PsoTgqZv3yD{_tfKHC+4(<oLdnES#EPMR{IcgOGcQx-2b77Qj@1k> zC;Q_p+Sg`iFSzO($sB(@CLh1h^4&4wp+ZBOz^T4DR->^~Z#;fnZpM6k_1wGUH{_WL ztn563Qy+rQ(GSZ*#FXoqH6aJyF5q7E#(CEJ7WP8>^(!_#dtLC7m$fdK(f18?H4);( zH8$k8eFmS-?TnpLU_J64ohwAlOprAdWOe^stwEUNSMj5T*-LelSni`*OOqcn%YW!< zT#orRGjqFuo!g0LeVbJ9G++BVa{|@x$9vZib2puQZpP;+*(G>u$kVKG{x0j1Uia%# zJ<OxGi$>CULqq4TDUPSpKanS!P95@<X6U4K@83tKD(Hj{&(diPH1Toq+f5tKYIhIo z+_Izmc55E2HmjW4z4l>`UT#)9SbRBWZFHh_ajl1IZTuAL;oEae)d9wH)beEhP!Do8 z0>8OxpJcLAS|C4OJ@#W5etLlMS?<gjDx3en4y~bo3jTST^5VUaQ^p<{leW*|O+CY# z_8FK7VtMujW(>7chiw<KO@0j3lM1*6Ej(+iOdP+MbzVeP98{Y4(uJ%Wt4-)@&f*9} z6_2nDIkb~Kn9}77gC;%vRP~nIsYmOZBY~Mi?d$=V4Nvugdmm>!Wb;vi@u+n9<12|F z?cx4z;+W(^-;K-;Q(qJC{{;B(zPAR-x=4@wm@1dWli9Ei;M*6hKH^kAmw~qnS|mj0 zOzeYX#*Pe*6|5Ec&vEj^u@`RuH*f8<r(>dcs55sxY2)FJmIPD%-*QrY#KQH1>!-lg z*9|kcH?&<cW$DPso`JO{**_^KH82l9{XMMxJ;K`lBe|)8V_f&^J}-4F=p>JFCSw0w zC)u~mBoDu)J)^y&a_!7rf8)uOPX;(QjX1TSNfv3$>@Pl~zBx_bz;nc!2I-^R&QsvD zBnzik*w0K1N%5z^sS!FY0<V7hwhuVpV-LhX2HIX3*%o~AyZNy<MvesUP+Tgrwi<A( z8Jr8w_po=7GvoTebKsANJ0PZSa3m)+vY!6lpGSPcq~VdEvvFh_&#MA8BOfErszCa+ zxtu3=EH^dsL{8TrdJKMv-oSeEw*zMJcH-kUFjo6kElqcTtBqBlOfP3>9ft?9V-*hJ z-y669z37w<RUkJP<_s^{`P9OpqsWF6yi=?&3!-~AU=Qs>ch91oetz*(N1${|IqUb5 zZ`<FZPcpFZO*Y#4Gw;8ig+~XxFdh$Lu!<G0THdm#TIKHiJ^9hKQTiy^d3@x7*Vis1 zwtOl5sMrcGzAl8!XTQvz)l)eSk#>EQGZ24HJ1#3Uhl=<;I?W_IPrguXrgAn5zi;ro z4jqypO|iia<Ln36V(XDJ39fBQ15Rgdcg?-Xm;_hltAI{F2zA%|03DLxs(f|Or4o3x z&g7x}=z&@%Fof)6&x~_$T}yv;r=2Hw<!xSco$^3`oiza)wc9<4l_yqLOU_jGt*(|H zsC;&HbsYbwY^lob)z$Uf8z;0vdtW0aR<oSvFh0zaJddCEJWM}Ua<*HfrLWp8HPwvC zs->Lqb~o|LPr<kK+$XpmB@V-({x3sU*)!+PI~3<I>eG%6U^6LJ=r-b<>d_NB137k0 zrI+|bcX?ep^s5bbgq@3s85o<NO+lx~AF9})0pc_c@vMEMDhs?uS2B5maxVLsWE&Mh zOMKOb<--;q93ZYS8@}jw_A~Q9f4+29oRx_xp5zAVm%QD;3Eb<Db1R%+a<x-1q&a7| z^h$2slZ=n`?bORY%Arm45qjY8K%v=FhOFJob>DQ(ZzV7ISsSLAK8n<tL-x$0JkAf~ zon+T1N&gad$QScWx|DrFJLeFW6Jm}=%;vm0&Klu;EifwU#1jSfJUQsmwLIU<{9>`} zo6!1RcrM28K*-zY)(*dI&fIr{Bf87(e>2>NGWV|rr$;N`>B!XfhAMuVll5}_1;07m z$GP6dPjj+*u8sUS54$wMbvr+e`vZAd^=0mDeVKb(U*=x*?WX>YY3&Vr_=PCn%k>xh zWIuHPa}PhYx1O{{e(_=>KZHHM;CJX~LkugiR8j49+{M1UFY?|czi2!@pZ4V_&zGR< z_u+q!2hP>WNn^T+i|qbWe&6DEAHS{q(7WAx0;YQ}Kf@n<c%MNZ`u3;yY(}4Z;cw=& zY1XFii*xo-w9FK1e{=Nmr+2KzzoQsXm9^!H#_ZVadDlcRG@lWig}~W>u2DN=LnTJ( z;_X*d3|tfKwc|4rizB=RGatMP-1dg$;M9VAa4$QsgENtz_HgxZIV(OJo#W3-hS6OF z{daQyS2_ZZN4N?njT6QBei0dQBw*5tb=Fy632YF>QSFAmM~GR}Szb4=9${@?bdBuz z5HO(cp2RCJRL9XF+9z^9_uB)q#mk~;&ix3ZuiWwZ+2`Qr$F5E;BF_VFVT;}E#d7R> z4{;F4SHW(3rMy};2l);W+ue|$Y=r!ZrD)Q)ywt-n0i0Lyk-5lpox3pLnyTzJMZn<! z)`^5SHWYr2ZmmzTrt9%)f_)PBwx-#=6vzR!UGt&q9JAy(WNIRhwP(^a-i5Q|H+r-6 zG;}Ed#&!5S5wKOjSV{lxVU5nxBfITU*45jo7aI-VgjrPH&Y4m(m)qFi73dDNw~2Df zBU+}i=%+f*qB(hd8fMp_e8fx65DwUu=iu-d@BWZ?FVNSbiBAvlTN)id=3B^|i+0w& zx3{)xPa$h2l9OAP!pDmFbwf|>s3jd;)L8lDz(WI5!kwB=R`SdlX<I7bx22q8BUudJ zAKpm2q=VG2dd}8GWATCBo=swUqqnn0(m}ktbi^R^e+F2-?U>;H2<w`wfE5aJ#tGwg z)7>V?Ia3XS{RVbzf@f^q6OqA5@`s&Rn7%eG`oy7OJ^iqa_b+0vjf^;{V{1*)>LAJr z$IFOUdhJi@QgiI{^v=KGS>vV@TkHqat@r@f*ckT1%V^g&p05O#yC+ZIBA9~b#f_G9 z&Y~=PA?<#7ox5-lTy8r#DJ?u*_~vPz>wh(+OY2d7tfS<?S7?Lmz*F#HANsV?(yz2r zv5@cK9wL?=CtbEty@TvRza`YZZ^niz;rCu_0oBz4Y?bNdK0j0MbjmAD^^|b0xM}HL z#j<AaCCHX<qH*He#FJ15xZ60QPJGWj(BJA?_<}ilvEr9R!)eS38LKu;_RfH0@NScC z|2Ddk@@oI9&{BC{vDZ=?tMB`X5P#>>^PL*U$H84~cO@52b6!jC<{jWRdajwyH>+pt zVOJauLyw)4Jv@)F7g%Q@ZU)9?>_Ne4$u8%V9^?$OWGyhI55>niPw!ilw|ft;y}a{t zW^~?KL>uutJjb|Fdn8Bq(Uw=SlNGxd$NqSgx;mg4d%8NG6z}|LY`BBIQM>o>ta3l% zN*^57{a<pgcN!n#=b$<pigU0Ud|p-lmfta77(M66^P~0B*CpR!53=G@!J(cu`)6wD zJgp3zV(i0C*@wVssGuLq@KN24UG25Gth0eOi|>)`d)5Gl^QxjgoEM=RxD@;4r%^se zU+7tU^|cDGZFkY0IBn*v4XghoL-qc4ukF~9=kCwQ<~y~;-A!BYCuvVe6MeFZK2W=| zY0Lh<vuOKYc(yVoOP`(t_s@Pm+!f>CUON%oEO}{ZzdMI`dd}$A-X`qBxTpIM%T}6) zJZOU7w&@CgDqprNH2jUnvjlkJiJzzpJoa<0UOln&M6|eg9L}?Ow)tuAMEQ%y<)1vR zjoJA8g8pcK82<rn`+aRa!MSN_>y24$ZGYI?vy?r~|MhLzcoUCzjk$;^J4lRIGJ0m& zk$nMY=(T(9-J$XFMfl(W{H%L2XMYTgJNrZWl>Hh*4!V7!@ieA)#@0o(7qu-=YWeKj zz`h;W*aDezMLauJwrM*$MEL|;<Hz#xgmL74%)94zcmlZ_HnFZ>GhQ?fum`orqHBcb zbLTn!`DJ7Nad0`&vF4hZfjqOQl6ut#ZbdG8x_2hD*ChczVawvnGK+Zktn9}X*p5~g zrsNyQw{2T)?b3rgbY@0EzUr)V#xi5to--!+W_PY#lVmQ_x(Quu)118I7g&Q&Wa<O{ zBEfNb3X+?-hU*HF-=N=Z8fUlIwElwRpD2wnAskgELK`~P<klpJ=~sL3ch^{2qTBpE zTRFtch(CZe6I*1xfA)@lu7o!~{u}G>k<L8&CxOZ}$Ys_2fAV}C#$<FM{U_fQe%YD< z{9J>a@j0*zf7RSzs-E^N=QsFBu=3ajVvrueF1QCfnYg8m&|!e{Ey1x$ehz=%j9_9T z+4hc`_ea~|5&VCxjJ-ykiRR9Sjz8sWt_pV*HmlcOC&%vZ*FI3&{yOhjduEj;_{gE{ z_FaYdPHB4QjdPD*dH<}ld$!$sp}vc3^75h&qDN_;cwS|Ud?m{3T#%HVV&U!{!$GzI zHq0KIo^?hGydTw^M`d>T@0-WUWsikk@nC9f-i2L8449|4n7?~*Z<*(>@Qi-6@9*SZ zd_#FV4*niE3C4gwpIXm+O5;KEozP_mcMyN}^u3vSJ{#cNSm0<Z#4~XGc~u|syb|5- z+oLZQ8uq1lb7A4?KDXTNJ99l7(aHwRAN}&~)Y!`M+o#@IK|hvX8EXZe9aHYg_a;qd z9E-lv7gMt8c{)>%#)sg!=<C|4u~x>>iOX42Dr9YGGHXg58*d(-#JbXfib)Se`(rip zUh1y-m@})m8ymhh9BU18jl{rV<CI&`QH`~xu5}Y>^~4iK`n@&16fmB?bkalhFPR#h zHRrz*PiwAKKg$#=uW<C=`DIp9=JSkgOuhzap#ARLCmLi2wjo0{n_UeNeqq+`)Q&MZ z?A!mrPBwU2Ik^oRb01?%bS>?_D0vE*`8@sk1pBNL=tAEnIIuK78Aldr4zde+_V5f} zcmCB}$ybx!Kwe^OX6!=NeixYIZC%5k>Tp|glU5F8`oZfrZ%iCxY>W4`zgzz21hm-9 zZ{RNimH)ta7SG!DWZ46fM;~S_&h1#%bsc#HyWA<ib-A;7HfR6MS6^&k3~}%6<;nN< z_b2IVpTDl>9)2j!hkh>m(lm$C{yVoLXxA=W-Z77Ow!S~q)yF<F@rN%@{C1h<I?Iz@ zdpvz2SuzN%zL-_l{7hZyH_;=1Q?AZaOvKKF63j6dNyq4X0-py*;U{xP_m5}Gk#YNp zyUL-x`h}P~JHKhCKVn`QFvt9gg8NQziZXCEX2H4Qyl^t-gJi{5=-k`^_@xN_csV}5 zUqZh^=Ef<WqfX(|DSUxj(3^jFx#R-Rp;-E(nfs4$eZeUj+KmscgEMwZ&MeyoAD#@w z@Ud*#wj<<}{2-rm<!<1NyM2L@p}CB)0P_&V4rs6EmGGqOYWno>6VSU6Tk3Z9d+ELM zDbIVe@^q4?bduTgr;|&z2*=kL1K*rnwgn%=;ok)(cXl|FN9`lwHGq9Y-|gWXsN~CE zGsF0?t?yA~2hhEnX;(fzrR$J?k~8Syw0vDFXy-x4q?J$am2WwDjzg#3D-P@^;C(M~ zCCkaL_wzD&l~1rjz);?K<kOr~c?$6F30{IctlwE!smptJ_<0IKhU3$%Pr%Lv#(WWD z`zj|s-^}A-t?TqsX94vgXZC8G)B^9H=+En^w?%COpBDP_Pr>1a%YW|mC%&cHBJ+47 z&-LtgNCyj9yDMW|sI>DT^xgJ3=Fm>gj(Y^(Yy$Y@&a5Hq^~MmezJol8*Vd&MQr16n zOuFm<`BdjT>Qr5E(SZDM>i!6M_pxTF=M~&HIXAx1hrjFfU=iz5Mbuls+EhX3QDhYU zg2&q#mpYed9(^yEYNPt;GAFZ^$vyka)2cJd{q@jMeW`JIzH_+xMJvX%>^b>{{WIbu z*ZPpR);`I|HmzmJo{{|`nJ*c4p_OrC{nC`7cRsK}uJ*lp@>lwldY*N`%MF_pu?!YB z$sUbst<!03&el6AkUF}5Os1;d!AGe3y<_&1>SiA_^40TCS=gMldw{k?ej2ns`fR!8 zxAB+YYwxjD+1K$vI76Q?JUkxyF6TgIzst6}DF0Xq?U2m+Nxmn$y61S;IgC-I-$~q@ zuFrFxt`8?${`z`f{qqm3RcoI|w*1VVUmbyN>z-bwGj0>|57i@gQyIA%!NzOi-7ml? z5twSv`VyZ!Tp&AqYBK(`M++<ev**28`bhAbe!MJwKV{l}98BBipDar!_52h2{8-Z~ z*QURz=T|1_{bNn9U7Oyl=hw#04w<NZ3G$k{3zCk>Nxlynjc=z<2gT_OVE01XXI;id zJ+kUA@HL2bvL~|Pd}IPR+5Pi*t=Y1l=oBzAbD8`6xs1l713dN&dG@qD-_l?2I_sQ^ zu8sKH)Q6u}yf^r@qnCDgX%pxrzUz_w{e-z=KKD1|vtthVI{x)H@x4ERZ2xok#@FQ^ z=N>-T`cC6CE<f+vBUOL&HfykqZ<nil+`VT;s=V)LlypA&0oL8vgQ5Ac@J{h8e@Hv$ ztv$!Dj`e+|KSH|lEFw*C^{tRNwD;q37xA4C_ADnW&?V19C+qLY_$vzObGsjkeht)> zCwG%ibJjgBaU}VQBPr?h(?--!q|vs+_jB&m8QPigm!Hg^dczxK?f37{e7OglCD%>` zx9|8exV1BfmyIpBAJ88AT(js{@B+^Fnqj}A))$-|jiKX(SCx3fwxRT_Hbn5*O)nE} z(>v9U@6ryn`F7fYuW{=ol=FOc)1g&a=N}7y;<TO&Oy9BuJjHLN&E-iBAnp2ggWW6A zxf?iUhB>s6yfNmI9*$+5CE#fAb8VlFPZ8h3Zq8>A%pTyVt^(?s!@b%t3;SQ~P#dJ% zi6gb`Q2xE-QU7p87}wIyFC+IS^6#~>cI(N9zqB%wd8Xo`i7#=08-PZ^&R1z?E^vGv z>$d#fzV*l85+jD8tyng<X?%rr<bIddn2#Z2N8nq|QA;vQN+*$JiY@7v-kA|ge^YqP zjivSOUhcJLb^tl8m<GWcSYpxxtcxM9YX*-I@9>C|9K4FOWz2#1^K9j~n;M{R2lbnq zUwLd9@f*QFvVRrv8^=si`b4szgZV)p>kwa{9>MRUuKx+H1N#HgQ(da>U%^S=76{>M z?+34PzB}+z$>!PRe0N|_`S|vLe3RvTd*Bl4E9bid_$LpS&nGs9?+^?;VY&uR#Wu=! zDtZqF!S&yqjf!y?Xybluz<!6|aoJsuEKj}qUeXrguLd`0cVEN_KqBTZ*yrtq_AC(1 zx9`LMZ0FnXN3q~$=H2(X*hzgKBSvklf4(l?2ExwoTZpXsWV_DudwdtPwlI3e=DmII zrEPkLZ8`p3g!;WYy)%4N*QcSAVE$fs6V!zdZEK0z1bv&ab69J6yifg)U)Z)e3$Itf zYbSO|_c%Cyo8^yFAC3qg`bz!ymhLk=#6pGTch&{8=4;_hRF7c%HVej37K{N4gEf$4 ziV;6F8Y7O(Y0&p?d_VZ>%nf~ABe{`4hW;bEM)p%J_EW<1KiT`INnf?{Pr8uPd)8wU zzPz+3S;X8qe&)kR5*y<-MzgY_$j+nhMQ-9#JcM0+s01H=<WKK8toi4DXmTmICE!gL zeic4f(a!jX*#B1K7Dy&Vr<rLtd@y!IWB<#@6zI5jW>y*K*D#MV1;nq=CtWu?C0l-j zP0Cv3;Z^wG{|&tIz^fj-2JVOtFK3>AMMd62|G@nITPD2Z^DWWp-ZFhlivHx@rEe9t z-+}$VTIYcyr{rUU1~tpEBibgLlW}0j7bNUlAw>SRGE<GsacDDTv_>JiEd(#oEezf6 zg>JIz%ea@E|6|)9-Wf};v$l1*V9aM{_|qAUvN>bwAM!64_4A&6zO(vBI#Xx*uz;{P z{xETR(7FkH+1t0h?O{{X_EjeZpQb-b`x58?7nvOAyam=n&&t0#lb<>d--Pc(eS!=* z$@d&M2aj)4aken$3hvNV@mq0V>)eO%B;ZjWF{c~<75Q`aI!S3~1#r+W(Y@>q&^ieU zVJ|o`{>R25=K^nkgr7l=C?=x?{PqPxL&Ov|X18f^2FG1*v>mzXJUFH}3w}I~2A}Rt z;P?`Ae677mr}=n&3%ukH0;j#cy!t2Fq5dQm!`k1nInG_*^Xwt|ckgZB?(2~E*>>oB zkg+*AJXPFLV!HOt;CF#y!rL2OqR(=e=MkGnoV@AW&Dh+<eB!ULqv+S@9`beI=X`?i zrVL1L@@pY}Gpaaf*?;)0D&ge<cv~^i(TakHmc!GLS>?s`_?OU;(dieO?GUx<dT=Ub zY^YsI{}os9*;(-qHZId^6Lb9NAa(imC?-?&?qrQzb*etqn~8^rR#JDgpS8u};l;O? znwgv(zOI6~yL>(R=8a)5O<ytRDA5+;O4ljgYeS%TK}(=4zjj)z_5IM}Mt<$2N9yEX zn|5mx<s+NC`*z(sbvAty_rzG%XzsMoDT)4$wnUonH3r=L^4vn}XXpH>8qJM`Z(IJ< zTf>|e(hKho6kWOGInLS6Hyy;{v^Pk0%$j0mcH{+$@n^2@LmuUu$M7@dukWUweDkEe zuRw40=F<<Xt(S+qv*L9Ia!9hjj5X>4Vg`YQBCT4(Rc+Rqw9d)8i!%(wk4;b4-FYgw zZMJNMU9?lQDCa!2KJLpoPt8GZF;`yS%(L1T1^=bMLO-H+XGAOCi|k`PGUHpdX_t^D z{j~|ak8lo_Vf-wiT<WXkt9~sW{vhiYBRgq>ci#2W<nj4bdz}Yg@ZPDf1h+0z*W?V` zCgPYyOU2$~*PG|RXCA&vae&ZPv{bv%QLUn*=p>tHfI0?9U&VXbwJb<>ZQy<z{H*ot z)6i-6Q&n5m1WH$^og7YJ?WuOoRV_uVWBaZz99=7VYQnhLiR{0V|HgbVHp%?%ulJ2x z5BKLWE`9?ORoq7+&)iCkD{*jv=s)6*4y#XShk-6?N0{qf(2haVwS=q2bBMO=F*6tM zguj|-rwgyBeJ;FZ{fzL@=KPt(@jTO2>r8EB3^&$pEVF!F>*QD()jF;{<An3AT6gna zJ_E*S>1M9QTwAy*&bQVn_0EuRW?EcooeS;t4>LFwbB)8-@N}_oNKsBWRB~;}N9HW0 zE%2&hhT3V{zNfr1Rag^j)!5n>2()(7hNT&JZ|l4!U@0bny(5-?B=cRK<G{4OYp$v* zlBtXQ4IyIL;@@{F+oqeY?WTHhT>6GR`HH>S<J_^Nev+BFGvKbXwle+x2K#}!nYY-n zP!Vfw2M1fGnf>{cDRp9tkwK5S)2`zT^++`8OwV6us+Xuv#mO}~S1yiEk9Dn6+nu}x zE!2zd=&E<7E)d<LoRze0vT$iy%>FL&%v`|UE}rAIT*#SZ%WUUc*@6>tau=vg+xbqm z_nc$jOP0Tzn1V)lt~?xkPJE}ov;D9pD*0{OgY1?(^<}qYs${4e!j?gX<9A%wOq}hC zoa)6H8L+kTJ>DEhwxmO!J!AU_8B!FmeS3swjsNN3KL`3SN7?Afppxh(g3Jl#^356K zkO_U_&K~HTiL;5mk9nD7lEKay8{;L>BI=WDi6H~9S@4gI>9eC#e#&<_9lpysb{_F@ z`qS>6Vh`FJ&fi*M{Z2g{oGF*(-yXjYz&rm{bIy^rU`qOAq%9{UnKv?z`3x{e);fIi zCxBld7$q(*nhxgjeZ{=!6#PMo3#$C-&IUJghQH+4z$4zC9L4x#$9T^npKR!3@VN3Y zwik7v8_&r{TP5!%dMEny(;m$~{|ukitJvsGz(DrdHHLp>zWP#dR`f;oz8yoBWzU^i z3$lLufwgrtamvX44}gpG@tM1RHlbXb*njKo5g-;HdF7n}orXSwa}?STcOTV!b3gPy z&h>OH<Ka@iW3kpGufrFQk92<gQj=PT-&1^amE|LQKCIoZR+r(Ux1d2WXZ#^AH0PQx z+Fm&>?_xa%J=^^i>0#(|{94xJ>APOa>0SS}4_6Lw&fq}#hG@t!#RJRuF2E<P4RrX} zT+M6CqSrW_>8CX$N9*x?Z-?&&YL52i`fDm*EV#N-YYrpueGg+|a7nDI5Lp|^mCi0) z?;y`kIcBk6e(^?AEEv}WFJQeE8>QTIsh)mpP#>-jPr7z<pj~G?J|=rg<5A;M_Kn75 zwoQeP{6q^jt8A+X@D2F=g0sE$(C*jD?f#AvUOa*DpJDNDlC5pqHD>F|2k|q?O;oRM zTd90@-Kw)iKHIE$<&jrL7CjG~4(#h);2>K<cEG^e?wT_8af*j!SB#}yv_LxHH1FF3 z`cB1+&PHrs;lcXuV~I@rpA47<qQUT5Q{&S?vPti?=dK!D?xoBMOQ-dAK2^z{x?0vQ z7dq}@!F~$fV@yZ)!smM4gZyFs7X2*sABPW>#$2?<^5s2_<;!Es<UcBj_VeuX=Z%c9 z1bGDupA=)pjdHH;43|Bq&w+D_xm^Kx<kMG?jq8Vn-{7+Dnib&F!Mhf48jq{?3~pxM zU!-o;by1zOg3K*|FXK-Bb&1oaraTy0w+UX~;LKbs+6c~gzL*C+T4ZZG7c7WFk6!G@ zkhK-Dv#{f~<!1OX(_cP6_&h59?77nvi?@9~6_5J-DY+}&9M3y!fUy1bjyPfe3n$U| z4*D0{X~y~5p?(dQ`E#7!^R9nPEQdThN`BjVzA<`${-}mWX3!tAG)K7WOLmSRe_Q3; zf`_hRj(t?|3fKhYl^$P4prMP7wsr*f>-Z)hG1~dx4g|JDXoLKOr;(FdyI#Y01yhu* zZ6UspbF?~$QL0^pJp<1(PpmnO@8tvHd1t!aXX4`b_3K&A7^z1Vi2spMhs)U8rZS2> zRXI!NI#2e<mel%+bf~94FR)`dM$Dt)PF${j+te=UY{d$!MrX(1o8$1`YTDPty~d{O z80A;q=%B$)CZ>}-!mTOL_(n7M*OO1Smg+?JZI$2ia_nH`6YnW+H~ECWo_)BA)7l4( zmT{K6{HLS!fX}_=$|d!zb&HOoZ#}YDxTs7Mwzl;7`PRGscl%r8&+G5Ptp3LC0DsA$ z^Y(Y1*WZ3$tKaWtPL<-k4E1*(dqX<#jc4`uM)lh@v}>%t$LdjkCo=u5e$Vvx#v1aU zufLa$>+dG^L8-qZTt!#4t#WSRS^X`Ws)=!`_Q|eJQSZQe%|>`@qsmAYMJcnKez(sb zBaWWumf!e1QTUMhK6293$lgC6PgG=hq5~hR>J%>7JfY_dPi))(ox~G!`F6k<PZVbS za1-)`EfWuv9t@qS+ZNtf&KleKdBgBGF@Jb#g7O{co9fy>@kTJG^CY^U$;Pp?H>{<N z1K7Zl6^oD+rO1lu$cm0TZyUaVHatD&f`^vB)Lm1_JlowL-a;Jip%%t`iy2;WivCvr z9mIDON3K>PyDy{9LI(z`E3xHTNZZMrylLx=Z#)98#ou0C{SEdgL=Frnp1JB4;HX@R zas`wD&Z0c#=Jl+rxW@V(i>>cb`x>w-G%hzRy==>c)LGAXlAd55y-xl85&9FKXL4uA zw91Dm{9BMW_&1Zb4fHSHyJ+p1=pB8%q3*JSnnMk6rmN0S(YV*#SMd!S0y9_eZD{Ps z+1Qb@SkIYhV~xYuuP<`OK_7UJ*9$*Fzv>%#!lT@jtT%U*uQ~`VJCLU>=(?!m<}(f& z_%_09;uoVW=(%@VM?1?egg^Sta`}b*d9#T=!5m(;`f29N`1S4DM+zL6UvxdrH3CnI zrd71@3BF6#OMkm7uVw$PyM7M(F%Az%Pxv}R`a=Eh$*&76uO8<dLYH$3_ECm>jmZrB z?{Mv9j!qm*schaEoacuhq4=z_oTc)uEIjVcloicoZ(<8td%4tGSHdnViLL++HhC1h zOTU=O|J5uQHQX}~vVOfc%lTdx{`Rq$i_HFyRTHgmdTaLB>d}7a_yY90fwSTJY15}N z_1u(I4}syOU#u9T*$cG)XxKFNX2#9?88@?_-Arh<{H~3|^10`~x9Fi2@aPZ9&!*Yc z8Ti+870qyFmfmo&shW4OyQG5kt$K7abC<&-j|5VmWZbp!&FgOTR$GC$@1hL5dSM2} zRT&uS*Vh8<BLUW{&{F<q?ZJ5N?MX{IzUr)!Uu-kHRy98{TXUR4%yF=JJE7g-p8-SH zQ!`9@Kli8bxn9aOk>Qt_+`HWWHSjXJ5I@)S=sMO&>oaW)%`JK;Jd5}Wp4D!ROT3w! z_fpcSajG$@HK6)IPsjf8?AV=Q@f^A@0$#*sbP3i9>X9yF570`%oX41c6JM6z={fov zPmkO3_)au_)&avW@0S(LY<b3fKeQVye=@5)>GAWFw`GwDYUcvlxeNQk!k}M6b3@jz znxDhDP4f9R=O(qzBl}VDu$m)<!P&NJ8NN>Xtq1wkLf*)xvAou%!S24B{_(%5rTMRg zndOJyMZfax`1Gfs|KKA_E30zd0?nCat6P}ZNPhhm<_5dw%Xs2@tl%=hJV-u<{AoAb z*~_>52GO6TPN+cb5uaMR;wQd0G`x5-{49LK(B>H9>AP>&9XT2dvF=gA*qk2yEP6x! zxjO1+&RC<foI0S*%h(Eo!5N)H{6+$WLyYalDBs*&jh!GJyc(OZ4w%F)a3*8n5H@F{ zt8en6qc?GX9sQnw2W3mua}DvmiFK@9#K}K|j=>i<bPqlc>*ErS!3)-}jxAM>EfsfW zSUp*Vp48b2nnwxWCzz}J0vSA>rsbs`KI@^aFBku7hRz-EgvOJVU%)Eg<Fqz|qx_;l zo<Bf7y;GkcqdGP2B%|c}W*n((DSP3p+-0q66#iuHd5^66yYt$3o*qYMkIMD4<2riy zR&ShjEJM6G-)HgH9qt>y?%?_UWpA3r@6Y%+6tDWeEPUi2X%ED@Udep_H`|vaJp6bn z&O4A#-0G9EOuH`1f&*`rnxK`9_eq~9ru}aET=?~BO$phkxvM{qmaXjLcO9~9K=E3^ zV5R&@_@vXv7!yYsNB!{ePqn5F{MT83kscf2>i5@AxcBJk#c=uSrCDpG(T`839P>8j zrT3{1X>$W-NSAhY)@l9M_G^8`GMyK*WG8Fk;?a6%slIctI85H<l$V^0asOfN@k<Z& z!H4Sar98(q{xkDQjWxr095yX${K~hW{BJ<#1mkO>`SEhi)#2kO?0mW;`beg28V|G) zKi|3giWECBGO{x<F!Dk|YsgGQ$g6(yY(D5^zZW+^yB`Ohbd3uQZ{}X{-DECZgRCcC zjm}aXq@CBX55K-;usXupDeb7LVDCLK>3bd4)0A%~W$W2PD>$FvKE{1Ej@fZ*cQemz zVs5Fr2u9i7A)m|qrCs&LU99iGHi^Ek;%hcjmmqHzcax57(ZD{;^(k-`{RL0<#+%?L zI=sboydC88sdQePu_62COT=OH(zXrY_)F@a3BFfwe?M*JSH-+#rS`(QtYK(PSG?Ev zuOkm^q&(kVYWOWa%*!X4WL2=c<`&{3UnZupm$l-}7n@c2ziPSTX)|;253wuvU|(uo z`)2ZphC6@EI&7eP!Ry6|*}B&^a-c!u&j0SoxyvY1MH%JC&g>L!w}X$?0-A~2<XaP+ ziKRjBI|`Tb9RSKEo-!*Hv!3{Bz)SyhCjGxUE9Fm0yginl_!qNsIb~eNHf5{ok*l)F zzDb>1s9WdKBJ<K6^08#jvh9QC_XVH@d2hzH-wW=-?>DRkB`8<!6xs6y=%ekT<3A%$ zZiY^(oBYY!GVO6`i{Pld>c0V-SbJ;pL(k1#vAgVo|EzYg1~fm0eBpb^>jPY02;{Gq zy{~J&v*J#4V&i7oB3b?XoU#i-+>0-kI5VP!;9Hu(_n+yngw~U3>#NYp`X+Ri0_9(# zjcV&|uK(!FTq55z!8Yj*@{RXRw-84_opujj#ET_pm`~lFZ*xYJd5(<>8o(y_2jJCb z#?P0KIq+Js`bY2|z)$z?;6G;1Jb0IRi;2@J{UgTKYr*L&RL{F9C*7$%1ryuTXYb?M zMcW60?OWYY_YQp@>mGE!`(@{$O7!@1$lYD9T&*~SlM8jOq~zsp&!?k!JBPlJ++_Z? zSMN%B=OPoD;63Tqi#Y$na4#6jpWqu}Dq|?qO&p<g+MUoeL7Gc{AtMftmzBNXV4fM< zZ!>z{MppbhHjO<`hqXq3O{4RR*vRnNo|1pAOP6r9xM%J8VLgFwcWOOhI`)xb;m6KB z7@LE5x~T)%7eap6dGa&FI1^9ppQW(s%*ft}V12)jwNm~jT1RDnhHRP>1wG|SVrm+$ z|4Qsg;^bG3gj&`=S#Cn>HKvJ|nYMbbY1Q|_-RqHe*LZSc7qpVC;+_bs)Hl}ic|O3{ zjU_kRZ-Z?HPMkAh!Y%P9C4aNyQ>DwUgf5Jcy=s%&@3Pk%SocYXmqbe(8_!_R{CQ7y zzC)ROeE(N@)JJ~It*@_UXXQ5;xb)mP-wU3aoi78|WPMjS01r6e<gN30dvMgh(hrRD zz53ppuM3GqhQ{rOHCI~2+-oQM8#s3coxs`+I^mNqjXdx&-$qJsz6<nT)I_|LWU*qa z@GB5gUoZq68sm<9riEKVpC%rOZw|!+1qbQxt?L4zgE8`*Z`^5&`FlrwIy?f7jH$iY zB73FtR9_!stcTxP(xr#rp#SG&bn;KK+H*Vi(zl|o`fiAJ57O@A_<gQNx3^&n^@DGs zWvDuij_+V>Rf6AUbi8<CG#xpobjdaN=+Je%$2Qp8<}l}Yb7ZgJAREy$jy+?^<P$Rk zPQvZm;835DaVxoxaW7drW}kU|LVqwv@pP|rHt{Uckr!D%gx>4Wvu;n+(vx-eb<OZI zvZP9Di_9B1gJ<0xQKu|lyeIx&N8gB6dJc1aCwiYA7uN+2QSrb%wtRcT^WbXu%jWx| z;5i2w&?{MT^6E6afZgZGF?_>ThM^zNvHfPyevKK?p#=Gq&G!@g>pa@1o*A3+lKt4j zZ`>V7&cZh#*`)dPFny_gOM4i9ThMFkkR_a@@^qN}DzbH(_y#P$y)SSko54pbTtk~K zO>%uKADDyloYZ>m?`qCT{^G;2Cr{y@61;8nb(>-$u|uk$<D!kX4F}AohI;0;w2?W# zw_jNH@Do9^7v6YGainf$-L3pnd`km;tooeYS0#^T%Ea-H8Dd3kdjDAZ8q#C%pM?Wn zg2UKt7+;tARQ`}7@ZZ4X(k&tUuIvx)70v~`J5Cz=3wl?b3H2Vx>@7&p7Jc_#Iz+l+ zA@~l?t4oO{&3yM4+C3}US-75Tf6U#T1HHX@yvj*0brVN<FZujEmeARrS+jh~tS$NM zuZ(8!m;xR?OvM%pb_@NYJww_{r2N=KTV497z$tioUZ$M*PBP$pK7Y%HHqPI(=|#i9 z<F)F`XPur}eXG2aGdq&)tRvj)@ml9XaOS<;1MTnUQCz_;>en6u(Q_Ajk1a1|_EnUJ zgU?->IbSH7?`?e*AMom{`#@54fpdfSS$uFxbRJiiUq_gHzn|Z|c4;ny4A7d-vw=+? zU|*zNL)ZE<y!3(OYsiLWVRRBO_5EwkyHmUYdlDvfUI8uyigprQmW9hK+wTKc#nS&q z>^d<3oiDNe{~~^YW7sy>V%QU9=<QPGX7qKi_Ib%!jb%L#VN=+4?as4n-`QpTa^ero zyVS;iSO4{A=;?gW>p$AnM7?j}TT#2wk6G<F`%ER-I~Fg;!%H}1_v3{8Qujfx|C&E2 zx>`E6tDT-NN9Vv~)yI+Nz=Q_Tc6dep7F%DlSD(_y*O|TFNBtGpl&Np`Sbe*w@9+LS z^;Nu6eP`RBw$6U9F0FIv*>OIU6u)#+@As)!u`G+uYUk(~Uf69V_IxhQXKY*Ryt@5Z z9KXHe^~TsfUyp|sr)F`f`_S3^+w9>ILoeTx!R3YtaKVm5AA0<_3)+w3)9>jS|J^7) z=bX<lk)L~l@zp;LKc{wde6@q)`0@3J;QXIGzR-o+Ev<VzTK~t!*981fS8Mw~@q?Bh znrl6NpnY>Pd{}i>A9#F^9dG4<cwh5J$%4bg>uQXR@Bb9~H_Ca%9q^m>Yu4B0B(G<m zENjk$`L`c_`JQj=z=le$ApTtb%iY+OVfayYnKw?)#@p^A^WvXQlx)gNN-r)#N8g72 zZ{pmJZe*?1@7P@(%!4#e+wLwO_RsAQ?1}Ik<5O>~NPf(HtQ8sT{@-yn$_AeI(v~0d zdjelyZ$M|dy6X*bJssLx@T(2O%hA2^tESkC5Gl)?551_!ekVqG40-+;I)UH(CfS#q zxv1D`zr4QtjE(kKeZ|=KyZv(C$49IC@?R|+-b4H?KKyC_A{z|+egl5;oyj+u9qT<N z=lu1rv;3s#4gH*-56n1vSo5w*Vs!C8df(3l?+*Frb4{`0NSnd8Hh1=|bzDP%8y72X zo-#FqTGOMvwKx5;d>;s7s7mShV0Ct!Z8Lq-sQT*Vmu23yoH>rx_Z8C*FBFG(Zl}yD z@EY%D9qS)I?k>|7)}_M44t^aPbkH{?>@5_}MV$7oFHUy1Ji!`Z8*9qD=qKURLEm(8 z1;0HZA79#955D8usyV;`bK{b1d^d2WfW9@^N&8c@r2|+$SZk6$n2X<o{X;3@$2#A~ zJvKOfo9<w}=#hI&^5LM9-2I42?m`zngf3=&HG{Txebt`3^RsjM&EGF;{l2VWuy&Ik zr0l?2@0<~rejoW??7e$@Rn?jQzxO#o_DKkkI|k(>AT>F7sd7ukPICgb9*DgV;;mH) zGSw4e`)vRfw3q~@?Sb^-5h^uI8!o*hvCe1(CGB(oo!TJUO5&wc=Q}2#^@Mms1QIRg z_x|jCc5)Je?acgs|NZiMo!8#kd+oKJ^{i(->silj4R{KDTt~|_f^XLr*&bxaK(A0k z%u`z)=VZ9?w2AAH*3&9{NF^(}ILHTI8t*Rj6r4lal4+)tNhj8X?uwX<wu^cGIrf-K z!2!O4fnTA!<XtuLeZ_L(=@t;nT8RJbg40%{IWBJ+jIn%0<e#dxEY3lSv0oW1uk&|@ zmv>~Nv&6LuZfJ{XNiItIEBR8q2>DjJk=cXoT%58P+OTyc#C&YNiaA)Buon_swtO(Q zw9n-`dDPj&7$wSiYHzSk&1=c)ZeKVrD*_Ewf{$Mlm!v+W6x7il;UOhCv0t_K8j5Qf zvCm2HFNJ2^e9B?TjrC4EnfBUR*J3{pu4$H!$ED0&@_l7$J{kX5o`pW5DLGiP>6aU@ zUuFar#pi_V4ZHAD7r)BhzbO}{Jxg;$K2NGYCw~m_M|B<NVsog2hl+pZNq1-w8^(CH zc!I?(=$<zi==kD1m2sXG{s@1=dx)3HmcQY-TQ{s*f=?YZPkGs!WM|yX4*_Y>wdnkn zw|O*OnZe)a`#fh|X6)Y0iNkvCcCXFzi-1`?n)r+RlY#pR{I?&#ZqN=)vAe^42Y_j2 ze)3je>knWbTQbHtMxQIfhoytSNBgi7r*IF~_n{5hIiQJ(O4IQ}4|3HWAdhPSdnBzR zl8>6{54zQ38z^hVpR1f`a2q&beM-M0+vpe1tRHMI_wv`EB|m-@+rg&;!}*uL$}`>H zO?eByN5Q1N`ru(ztYZah?(EAw7oTr<J-O^^)X#4AWun!y$<m4R+67FUH@lg!Ef;*x zabE}Be}(z+6Mi#!rZPA2T=bGS2NL;%V9EslqLIqwtNOsxF5-tb*DjycCw^G#nRsk| zeBHL|NSv=D^3?h3j7P)p4s;;L3aBr`tdqWzedU;_)>r8;Wh1urp1>x0uXOaDk4W$N z4Cga2x9z$7DmkVN?uY3;`9@>4FRu6e6!AL|c%*d}y{BtK>>6vfu(s{WGmQRe)FJ;l zaMtn9`1xxsa{0oU`WeTMS^Kj0ea5aA`9<*8iGb(FxUa>Zsto#2%&z9|edsHDSQ`TP z#1z=R-^ta|+koTey-UxRPqFq}lDAuLnrv*=x(Kdn@*b^2^@k7OkI=KB(^?6v5$0K# z`tyKSx||SaRFBlVU(7dkl<Q{QxQzO`;8|*a8oIh#a>0C;w)c9x)n#1sfCqSwy-tkp zYqaminw=mfT;J@YPX&Cp_sN3ZBb1Mvv#+=r{O9pZ@w?JHC4MhF8r135bA)=feK0Wl zWpXEk5`32q@vZvrf7pwghvYMIQjX9+5&PDGY?z=Qb9_^@mpMYb0Bg@Nje+vCi%)B= zF9t`zBYk)IT<{>AS>O|#wZ-lU{u2M3-X6+520X5=^K0BoH#ox{GxET%H=@%RGyLgn ze|_~wx?|1bZv5E}gVzCM3hA}K3Vzil^xEd1Xw-Za9nn8gpMiXmMtv4zXAzSh<2(Op zZ_NRCtl<7hZtw%atFd?X)|su}=^WVd-2^-Z!B^}^+%AFsB{4ogYkDHSRsq8u$Z`>U zKCrFtVxD2!G1{~~Dxaf#PTs(tEFW{_bksN<hBnpqKQTsK(jm%Ulw7@Te}qGgaTuLj zV*H~&hCb_qfwT7GOZ4N*>PKAHnazEW`{$_3;LqVRj(qCo>38$xr72Dl`AV{B;4_?G zqP0|VV}guOi41iy<<68BSv$_+AMhdhRl?MpLA{j=p=)Hp-;)zn_s!6u^_%(q*ynrU zEt;2)SmYhi|8<O!HIbME=E0{ZU%QZ4aoSJ)EA5Z$*DJIiK~7M=q&Lgw8szsQ<Ye`y zpZ6cvpON+bPW8p{ln0*b=#TXmCzpuzm!VuD?Z9pK$8_?D1nJLxjECC%&k=2&zUS9= z?g7c0UC?(7IlCDeh)rYe@Qf>Y--sLJ*RwOJkb0lD$ko;J6z`B<X6QNc@CL3a1;jC| zM{d2;kbU40UujNMyyEZ?{1-M+|9s-<u?ZgKnG0W8i?>ZYr{FWr^D1<N3)T?3&okdQ zz4q0A$n5_*>zMKy97ewGe$1&0J^|1E?Pz(qBrooQk7~VZT}0m#*F1y2LAjecyYMZu z`^<b%KVv-WA+}YxP`}jw*w4L%J_9+-rjs0UzB_b6POerA5L*-%ZxjXl=Ws6`Vq8po zwR?YAu>X_p{cLRM?)`M=-Mudi_Fw4U|9!Ck0{6ZYx^eHjOZ%sAe}p-G_^F}1IxB^n zl{`Dbv-J*c{?5jY<MXHfCa&|+lh!c@WCPNi@ImADxH2E~{IAW4yO1|GF(+1nW8rtU zy|=-J^)d1QcpJt~;N6P7cx2ngd3Nkh9&_+A)^Ndw?syk++N1lCACUb}IiRDZ9DM8k zD=AZnudKO-+`qir#+e%WM(<x>k3gA@D<}gW>*!=n*V!0aXXo&2AM+w!Psio_FJ7*^ z|GIt}eCeB~`NoDd--(Bjyd>F#y6J0XtLP|^2S+$NWF&rp|B<?Qzr<TUWX!Zyi6&)J z2(sr=pHxPDngA@@kk#EjRXgW|wCa6lyie!E`}AYrOXpkppy~WS^(kIY$7$NpcsPB^ zX!XVW6y=-8;$xL4x7`5jLvoHIga0k#^gG)5Yvc4M$|R1{oKeQ<5M_k(s)TWRmS>6M z#91iA#_0w0Rr=<}vy9VdW2EtM?TMCbR!eiDH&bsj<78~`*z~s)9!b4+T-~q1TU~s= ziOzSk?2CE46Yd7(!-Tv`;P#Qq_;~YO#WL!)B!6u5w7K88_T5CeUGonZ>~*LLzAm03 zdJ$Y!_kuPbc?Eg4T(DI#$B;MJFAmv?)vr<OJ21chuhsW^;_XMRZ&d$a#||gEgkbJ2 zlV6cRE?uK|FEXoSC*?$vEl%epy@bEf2i~!PUE7*+fB%1x%P%p~29PCV^rIX)2*qWD zRPKY^KMFldR}<=A)#*R&Kem*4AKMyidjtP+&I9XrauH<OzUG|S*Gh~#vZitf$qzHD z^<T7}BFhM#A5+)%amX;d`*Oh8oR?wjYM)|cu<n!xswOWkD>c(n45OI1v*P>JE@uih zBXc1)6$=LKW!pVQdG7f}#sdH3#dFR#()w!2anJK5g;&2fnREWS>Bl{kZ>IbK-ua&k zzE_mi)F>Tk0q<28=UYS-=dg<T2`$+9F|{rb7iP-?1^C?*c%3?Y&*3M{nLr-ZZFY4a zE7ss=RiXNQrnzwj@59rdZ1nxTv3SOQBW*cX@^IEv0Y}KpPD$qf&_rXAe1AQEZ)B(s z`G2{xQ+~rcP7lnv1%JdN;8VDoh_9k_tMqY}?DlWr19dyFMC1c?uFeomwdw7i6aFI6 zeJy$IM3YUl*M8JU3({r;*~|xis!S(tC(Kzq7SF<*FC^HXql|P#CjHSkbUr_@W#znC z4Kemh4})vzsY2D07gwi0*yv+CRF80fJNtLh05Q-9Ew6R31V5R;_DG|yVZLjAG?I%R zq<G2p3CFhbO)oxU#Kl$k*4A}|QV%rBrz^R|x77kRA9&h8nObzsnm<dT<}sDsFwQBP zSWfNZzYtZ~D}4(;P`L%<YE+%0l?%n|*LStRBffDqnccC8o!zE6=zoI_(UoK0_l^lf zl8v-p=2$XtRhq%mOUxwV%#>%^WWVNZoqyRsHfrx$ht5Fr?G*FPODwG7)L;K{u<bS0 z*CV`N$9q41FTLbN(byb)xv8<)lZ-z`%E6GC(y*8H$RHohcF%^!o%k2I^C%fweq%<^ znS0cOt&n)(?10AA@$bp7^IJ=P9T|6S@Hfma(azi9`Z*Af0UY5cn{s{AnOpS7|5RbG z))V<D!ao8hykl%05@8%Z%NphK3zPdG{KEFds-Dj|VDre;R?2x&j-1nt{ZlgLqyIUu zWe)Vs{Ap9)l@lglW}+8kUQuTVde@mjVR(j{D^2Irdcbuz&x2h54Vu;Wy{!4a63tSN z=ty}l8kk?IE0wy!W2g&RH4H5j#OHQ^`j?+?6t#PT9lrfD8~kI9M`wcTjh+l}KB<9u z`^eNsy;0K}Y1I6<?gY67$x%Zdo9JD@)Qk))9@1>@9f&8~k6ysBKeVNiH}I>R@%5HB zwe0S5;J;C`rW!ab&hu$rTd>u4y0SBzObplBF&Ve7ElYvkiB}w#^4;CO$>C(m<72M! z%}EL6$E&=@F0ZoT@#LHEjZ1lWj8zs+--jM8H6@&G6qn!&FWzSv_(1|wJ@>b;7Mq-h zwE}#_cE<Ou?CBHtt(qU3;3cE^Zhi7)Cm(_To4t!}yY<#v2j_$BkLJ>h;}_EnUC6F@ z0{Y(qt;}VdTgj_12|jZd`iT&@A=a+iRR0pk9^aV|G`^&2X3->gl>1KbH^+IucqaI^ zb?6td{<Lck6~})8@M{c$cHisD5kO{z`K{s`Th9$&8<~5rfZTg}FPf4}qP40J9IY0Q zW^S!|vY_ErXh>&ZM(pp;%zNk1V`eLJJen)~LT8(}ch?Zn*+z#>h>P!=6Z2YS1Js#p zUVHZoJ0iKOz)AQluvMZbcIwY)^-}jbbgC}DzU>bmKbD$*LvzpdHy^3jcJ}%)=CuL; zlD`h~+Rkk!{?)@gJ%X%ILf$v=F~wg0(VqWf1NJ#%;$zE(_!v5qfaaj|6`Id8na{7n zyGZ7=s2#tu{T^p7tsq9KlCfz5FOsoU9vjr6k~HJ83$|Z#_cPGOfX7$8k+BSOCQ=NW zMeSjK(d%>Bb1}~1nQF_4zshXA5n0gYg}na+?_cLVF>mlfogF+>PWF89!n5hUUHP++ zJ{F+ACw44Qi>^U={&oNhy1(K&^p~!T*&{vxZCX4>fA^^WJa(6qTc-2hsKaL(<rfp* z@p=08f8ZxQ_1LC-;~Op_#ykRD9A#}3jfMu#Xdib_?Zv(g-(^0}plpn9q_6bw%^dle zLi3ud(pQf*S3mQTvtKy5#6;)f>=(qhBdpzuwY%<9lC!cm29Q_EroY^{61ikOb=FQr zMx5J}8(=)%#3oZm&VdHL2~$?GPk^#lQ?@DJk!kXP0eoccWF9j2I;{Mc8yUkx0W)Re z5@anC9rVDHPP}n@df7(u<lA+WA;U-pt3^)hMYmZ=%)I<q*w5B%2Y2`a%@V9Jqwk3~ z=%e3AvU%7_@TBLVzYIK~{%Z_QF44L&LLW?CP<M@%Ec_OI*Lo~HO)q#n;XOxZ`s{uX ze(vfSE4Y`Q5x$;Tflno8gzQS<w>QbG*#=C_ndTzd5G3P<_+K=3m3PwIU!W(7#N}c6 zkwxhDQr-(U$gi2tBDeaG6^SM5)$=-@%O56kdS&NP^3asg_e$b{BByIRP4My>upNO9 zN#A}GG`*Ozv58l9j-yNrd11h~=e=xVFZceVS%bej>jQAD$z35B_htesu~K^{nKjZa z#*ho%@Qw?dL=Kmp@rZI8$9Wv{9UW<E>)Y7Ih_%VwyV<PSM{L{PADVU^pTTdvqkKEo z`Sva5lJv6M;2W{^4xdnd$iuW_>o;h#op~Oc29H1{v1J{~+5F)`hd)SvkO$BAm{}<i z_(MJXp_&*KXx!c>WKjR>^aDCCm(I$W%Z@&N3GEBVgRp)~Kkvg{@5p$=ZSwB?=z<=y z66oQ1<{31WE;=<PIrdR^&Kvv{pm!9%;!LQv1+4Rp=P4fm`XuCwLS32r0oD}el6~fK zv#nRLZQ+j;K02SA)WKhtn905FIU2+FhfeHH*?$adL4N6Fe%SPMRs4U=5y>Oy>9-W& zj|i@8eqh_jz*FMhGf|%;-3EE}Y`^|6wh7Vb<?%Y}sS_Bn>6{;xT_ec58S!_@CuYCf ze}1%;GNH7%zd)MNw%oP1{;;kbACl$U;RUj_mVFWZpkr$dB<hDF_PmyjcwNU${p{b_ zD}(2ba&WJAg2}?35?*0Mfzi%=jf~Z=TuW6`<7c4r+-I!gOgds`;SYT8^f^(lm9X#E zK1%c7O0*A8_u2Mg;W3~6tzb_1;#us&v@08NB3{K`bbj_}uMxfGIh}7im=l&Y2|w&< zMzkON(FbC{lWN+*Zwz_Mf?qgiab_mVf4i4w%kQ-^7BKh2_Pd_d2cRd`o#OfQ>-bos zcp$~uzcGHrvJDLIOuA3@XKms`@TE0h!4C2o&kh4mKF=gyA0Wq}OB<r&*y7+C!^}*M zt&hupV~5Ls^dTCcFV4BI4o~$PX74S)4vy`)p#QtJIA<|x9=Lj`k@-G_Z*&c3<dXa& z^C~fyB!<vT#&L~xmRyq0#>+z&9fugF2x~8E&R@+X2_JNGNftx%IqsQRBXdfk*JJOS z6PQOn6gQ`22)k#ZP35iQ16#)1{2<tNA@GtHY}A~R+vBim|NgVHz&ct^$zVcGNf%Bp z_!h5r;mZX+H@D;h;FAwCxz*3eEjcm==;(I*!8mesL7bHh?|X?px@#eabl7WQ4Sm(Q zm9jIpGuH-cJuO+>E3a&bGs+et_naWdwdBI%^A&e&wVt>NdMz`G{}uT`-*i#8__h<@ zAb)JDm3`G_t%2R}BmJ+q$#$M0qXbrw6S|$V%EH8#9KUW}OAC9k0?u~GgqId@{!}mX z)yElBwPsfDTkAJ8o(nwV_&tn%eEBzneP`P<;$zV89qKrjUz5&_AV=9$zUwA0g5>_6 z9O1k{;K85FJ})m1_|(3xf5KN=dA)TO!6|%lyI6N$0j_oQFT@_Jhxs06y&Br1dJbB& zv%s5kFovz>2z|__edX@i1#W}%QG0~Ds%Q0W#$K;_bIhEEdSW!Q!MFS<m~S1a(38%| zYxZOhoh?Dx6Pzu<S)qzk+O-e=5HICUvELZrT|F|Fc-lv_L%;ALID6dgXtLwuovxmI z<UYZXBZZ@Od#{p>4sqx#@8SK=w$Ja2d1nz<jb9<_mn$=mCU?g;t8Wtc>OyA-@9Ox$ zdyenx`}EI|h0bMPHp$i@{)76(xm%_;^B{3d$TQik+xY%wp6BtrYDcg|`dO`6m5fgv zYYDMe9d*>p$>G@6ob~2$%2)B;CwnaNb=3}|MKNuxJqI(PH=ptD{Y~VJ<^PHY$Puf3 zhKG8TS3F3a8lRsE7Uud+uAAUXdbZ7emJ#@^=H|G}hRUhr%O02Apm*d??Ej(KWxqNb z`&wB0)_mG#J(Ev}Y#^hJ$)Zl}S$=J=Hz(rfs^b*VueIm#gIar14oSY}%yaF#TOT{u zxL$IR1#MctF&3c%TwKDQj4`UH`b2x<0b=-^xrdwyPW&uGnh!q8m-IOC#1ZI8_9f<T z1^T4cq4}HHs&lh`LHz{@bvIKkOx?6Gr;xr#7V&YlNV76fJC-pqY6fbpmM&n1KlH=b zItG?`iu=b#8ZZ4L`&ibZGxF~(i?37O;p^1Yc>X=neT*{5T(YBbj^v1Pv@cm^w0HD} z{CmoimD&269_pDN?AO}B+EU|=L03kkF(kdeIo9^4KfK;!+vH_u>I2`>7fFXP5<i!L zAJ*!?&9vSAiC_yca|h=_Q+A)pNhm%1KrLs@&ouf6cACZSpj(m7`HcP_iT8hme}UWo zr=TV2GY9)WvRq>SN4&H9kBzo#rZ+kPIr;=Lw))<c@q<RujlV6fLrNmo4f`?uul<W< z?JJIfYxVgsyi+#26MV1!&SVXb?R0YzX0`rbXv@Z5zJtGR@TWO0{B1imF#DOQL2}6_ zADjVh28c-$t+CI4*PDMyG?<#xu$24=nsd|8muh}!%}A{Ow{HF2jz6|rcWl|b;xI6F zF{b}Y8Tes<ITAho3_ju0lxrpNe0#?(ZCZw5<nd8Ler)zl=z53t&ys1R*McwE`L5~P ztVCI+2>2qBWmwPULkr%9l{<ZGNJkn(KWcwV-s>5B7tecLEI(9N1{hsd$qwX@+eCQ^ z3aK9$pwFS4fKSrK5q<_fE?KG<IK&UzKOCrV@>W{`xBlTWMs~nd&XjomYGjP(C1V^N zMaDRZ%<AsB6XoDd;CEoX?~n~sx8pM{oK+A9wj)n+f@%9pie5*;z1fDjj<dP!c$SXi zi#;~4IKJ51qB9Z(rkTalHBbHre4-y3_+Rk}=4%(Q-^0A_f_~^@w35Ci%E?3i&_lj6 z#Q(HD4h`io7W2pt1#Jxa&Xg`ikI9}e%bXJ3#`8Sn7xs0#rh+FQJiQZLgat16ze6(M z?X>q*aHQw#iQ5XePpt3iuOvkuVm)b~o;RsyqnQ+qOyA!eo?hSF#6A-r4D`X!1J7&M z);HHe6Z?5~J@u%*Ox0)WQSo&!;iK%`kYUa^`^GJkN12E%ClC3qbjM*z;oS!6Qaxe( zUqUAS8T3*Am+^m9+;6BV!Eb1v^uXXqy17K3dH;RmYYgNq|F-dV9z6dG<7@V5t<ipZ z|CFfzkK^H4kw%~TCYy2n6#S^-_oY)v^%TDc&$0<S`|Lq|bwK+h@#XKKGi%}dk_X4O zDG$|t+9&|;1^mB2bD@5$y)Pzbzn#By*t?|;e-mF5AJm$IKk;RZ=U^R@_cGX{olW;H z9wmM4p#3=^eokxqrduQ*WweSuL=Uk8j2HM%!FMPOEj7(E`kK<s{zBe2J!$kMqt|XC zhjFNCWl<sH7|u3|TF{|xxHTynhE`Hc-@#<chO4S{{`#T<;%ZxYZ|`vv_R;qI79V8Y z-b$MT>(9fsY_wLQgD+qmMn<UKM?S@n_|Wz^p9iPH1!vLBvVgT`C$hV9u7SN5-U;2M z!2i%^75DBmipk*`jj+bNNx8t7V6phT_RKrLU&Dd|+h(ae>Q#JKaB;9G_R+xXuh719 zaj)$h7xmJQ!+e|1|B|y($R&H5-t&BEdTIabJCmZ=r`wYFU%p8mt}0j0x-z_+HN0HV zDR&p;{ttLlj<~mJkJ#OgRO)zxdjGuBiXNCAT-}4*Q$>!qvZ~vP3YN;J`Mk>umKw#P z%O3I=IPY$azng5olZ=!?on=**+WF-ehv>tM#dq<|&f}f-HNunH3V#zl-&d6H0@`1T z4S8Nc!`G1O7SL7!ZG~t{I@ItO;^Qe-kWkJkGx_o=)0?Jpm++n19#7k0&$x#1UrCZ( zHBI{?wf``FhKzIcLdN?zyk2v1(4Rv7!?u3a*+Yun4^Qy4%t6Ou`_v+TqO;sAdY%ry zR9v+7br$m;Kk7DQ>guJ8EBIG_lT70?bseuD$H`COII{E!_?N!%d<Ht_o2P+6cFesV z1G{);;QshN5xwDM_4Kje-JyLe`=)fwk-a=~_dbcd<XZG(VfJ~dKUsWf6dnhDl|#JW z;Qa=BpFPCiTBuj^z8P3lM*HF{{NZ}I*Ibk@NT6kYoAhA&S#PBi747RBwPwC+;iq%d zM*4--AU|FE!GL@`9UnyMTF`Iy%O}&-uO!ML#D}$RXr15Yw#oXwd>c58EQH^}`!{_y z*spv++i346_z~#;X814h2EE(hrH_GQavIwFJ^ay-KVl60*mc5FRJM{jh0kjG{TSbG z`Yd`lzJs5nRedxRN1}Efp`A|JR(bJ|MBl4Ie8dy=kh|cskrg+~S6XuWeHrj(7uVQ6 zZM+wn=SOW=_D_n2KVh`oe{x_8x~<kAW4vshGuNdb*LXx$OexOen#j9ce1-T<ZJ4YD z4^v)cM9cCkl>W}%Pbt2`Yebi|!{4wMNM^Z{F%jKnrekwpJhDskHSfz)&f!c+@>Vq8 zo3hncb>|-9{HufTKjv=QlB{^%3ix6Zu^mC;*hAurr4C=L<18BS#X1XJLA=aT&C_$x zFT%TPbGiPVv4-`htri}x-1ov~6R>=p@wDr5c`WdX#%)=e*poZ#^&x9;eW;`_F>kO9 z+ooN&Y!@arOyZ7;@tKSkpbIU4*T&$xGt8j!#8-!a#Uid~Iekgt*Sv6f5qx2h^6EA( z3}~H5t7eT54=#WQ7lIGbLi56^q7wY4E%SWJ6&5XnPglZ!(|}uLD(RcMAJiEF!~^AM zOsog5YO~PO8H_2;8JTz4eaIQ?!=>~A+&@3o%*TGq8ckhKbNvJ3-+cKwTYFP2@~x5U zS9)FgqCPSAs+;M@=YVVPn53F{+{YGv)rNh8cr!UGV+$`XQh9h?n#vzw@4K8n9fj|T z2mYQukLO;rwQ7e^C_Mic_5<;K_2u@<jp#w%jrZ1dJeLkEf$>{~C-Lu=HR078rW>n; zrzri@_@#me`dAKaMLT|nu7<pOC%!xn`YT1J?D#}9f9r?#S{eb~$Txq8>}QqvryDi& zzoMrCIb?c!ZkT<$znOg)b67G!8aT5$8}0A5@m;}-TkZQQ?!zxR_v)J!U#Ba%ch~Gv z>diOKPY<EbxAwd8i~l8+wc8$J)Ci^??2uaHMH?gGItpAN;EH%0xMXv3;ps|%XF&oy z>{$lkksRm3BVLogdXgREqrORB5X<<se2QxRobj#3D)w4e!CwZDRo_6LX2ab*1oxmn zg6*H<?Ah!xre*KlHBYq0T!a5sGkdgN))a6(s|Q<^g)df^`U@`Jw_0}Q0+T!_<gX1d zp4DTL8_>(IX@}m!X4XL;zE5*`ryM%&KFZyvVVkn`wHoVxhSy}Xmm+ZiJTbd<DtmRw zamqiv3;rv6nESna{+*mWL*M_H@4?9|tudNA@~;&wS?>&NasQY8&+cQs(?{u|)KBQu z=E0-;`<y-ATDm=SdV!bN-<HF(+nqg#;x*E-`($pn&oj)X5816B<r$l89f;RBmXvYr z2bCE{#a8&_sx86(+_C$LA^3M=J2<b5bwqNoVEVbUcDJtDV)Sn&?&1fO`47gRxsmk~ zoP7UPba-jTF4f_FTZ%nN-~KS+TkUIqH32_dbOU+dWy4$GiaLR_V;^wq`-%ySGxb8Z zw*F7$YALs^F|PlkoZegGo%UWxReVOUKgXMWP`RTm#?A3vw9u<%w-(@Y1-;IOcKUr) zr;18W7&RB18@yX|+l;>YeepC;=D{p<8QOE`{=|gH!8^QtPpIAk^yPJT-_iF&+P#}~ zFT%Y=pEq!ZFnqXQad`#WC+UCfo5)=w-G}4DmD!qv{$KQ?K7N}zGN~_{c0?Z!+&#N5 zlY0V^W}Wb69o(+`)<#zEG;G0^@t6Bc(BnNx?2GCXE|0O#a_d?}UGEdK7@=L&m5u#Y z<3k|utoFE`H>|l4_fME*W*@Aheq`;A8Q@cM>JCR|u6=2y^s)847cHi6u0|!gZd-qi zKb7Xw60cFS1mB)+??!y8vRc!fTv@Xpr>>CWM`7o%)Vt3Co8)KRFI1nISK1pqL|K<M zU72ql@97(RsI$l7xq3ZxU)oc52$vr`=jyv%xz^zw+T$S4>{c0Do=M1C5Ec#a{3!D= zqB;28U?1yXwB61*2u*VT8hsazD~S84qCBxhyB?4&!<5g5Z<x==HSEQ<G5*5oOMJI) z`OH4Gn@XSdEnnG}$G5jo$9Bp*-b+8B!zyU51sjRVd7ZwuDhJSLecVqU+xgDWA7ykI z(pNbBr62ER)=yDPVfhcZ&mL3PL2l(vV^Q{2=?cyF>&t84J?JTBHFqqq<K2-}YJ9Ar zEginLovbZ+lvDgTFzKwJ&AN`no!YTzNBXN|+Q=g&bRlcdg8iOoft{1b5Bm{(@$<qH z`1u2T+ezD<z~I6g;@hlzZ#0Lx@C{qkLOg6`dCpex!FI|5-=YJ+Hxs@t_yo^reDSPs zbq|Nj^(%>a(_3{$mG3h28foY?h`H+}x485PrHlvr1M$srVpD5^@Cc{v#C_D6=b@X# zlNuKCB{U%VTM7MXPUeAAE4Z#>mB+$2GP4)IoQgZ1G@{pGbC^V2!sAaGhs2}YaT?1w z?IFj4<kh|3O6qGazp-eq=e*TVOg*pYiOc!TJFmz}J3qa-{Jf&}Cj$)&7(-|>;P1zG z5E)kTTQha~&CK3>=ggjt<;*!(wjb$J=8V^w^CttkO@#Xd^9A~mO#DbTW7f`CX>J>g z)$XY#x#lx_m(sS{`8@57q#dW7M7%k=Hh55AFLBn(sQV}2t^mAP$O%ih&*R?qeI4{c zb^PGOOS<^UZ%jDei;jae=3T8@J>^%m?PZ@jgZi@Pr$*cFUfBoCyT&mN_fvk~-81|4 zF*cj2TXod%OuR>S<{01N3!c_fK2~!is@OT5Ga`DoX>63dvU!}HQ3g(`66U}l{U_x6 z(_UNgmB*9%=Gt||^Pt~?T(3On+C$Bu{w(s==8)67oi%0>G}SY8($+v$u%DRgN73<C z{OA>IKE#@u$dNOdOSQyWZ-YkJchqP<QaMV@HT{3YTI$Fd()ru-i~2?5s()6NVdvJo zG6DZ{xyPnp%MbRv8!-kN&%X&T33G5bUYzmQ7#u~$#x|YKglQ8G+e?g?#<Q05$nd?a z$YdNJ_|wY1IpoyJXT0kE#2B*vZlp{IJZj7qEE?N($E~@Gp~=8z$~1%1WN_)@+ZmkW zqy0d*8#_1G_i0b%Mx!m!{L9SM_nDKsu>UrBa_oE;k;B9UqbE{sORd8;P8oB>R|}td zj|?zp@E!ej-|dE<Y-WxqPglf)J(zK|@O#fXHzP%GjswnQ;7noMl^;8_=JviS&P)}| z1;Fh7p9;UYn6XkWM(8t5xl^9teh{w-{8sd~n4J5GwDx2It&Kc)A%}LKnVMtgxZXg{ z{SY(<|9dnKnlt{FG^h1iIMTTU@HNyx<bR|sa#GrK_cPWvciun9{V=*iKjY|uoVhQ$ zbM*smj_B{izuBBn&m_hv&ok72?SpnOKR%9T-Sd3dugs~W{}y%J5wCk~Lfu8&(}(*t zFQkvK>F`C?D<e{_zTw-04lj}$dePTr>#Y;?!CD(OS;%bcjWf;Z(MoJQ5q`ke8)P02 zP<LfI&-l5|KF~9AFGTpc&raxBF3<S6&)(IuDLmunKI_%9sXXK7KKrwteS&BF+-Kc- zHiu{Y+-Lu(XMe{te(tlE_3YC;<L5r>(6f0w<L5qmPS4O?MfkbTB*!Q&Sh_Cv*;70d z9*4&@BG<%icQ(F|m%-N~HoiQ3&(Hn-G1Ykv&-l5|{#nnGdB)Fu)}m*Z@Qk1P>?eA5 zInVgH&zg94COpIQCP_BjFy3q^csF>z)*tyAoLC=ee35mg4xf(iQHRzK&Ofz%I#gex zPHm*W;3j1FZt7tT+M;XaVf-<<uSe#ud=fjadq2+`<vh<Vr7H7eQuI&USMCV*uTVdJ z#`)j6wg&sZ#?`K8-I%ES4DI_{&WZkhu%5BegYNy4mSkV2&UwjEd>^({mY4S5q`Iyx z?f<f_Un=dtLD!p0`>*3_<0m1%iz`>%hz&{pL{^ABAZzCo+3wIm8|;Y^_0YFCvU$05 z4h!(LM#r!#*$A#lW<4w5D!q>OorZ;6%@6tfkPrEs*x)sKpJ!TSjvnw=Lwdkv-j@FA zq?Qk7IQqaPPs!e49O7K6sP@I(j2Y)C$*)Z@bb$}ON%$0x2^{yH6Zi;U{8h;1A?%Zx z*m>~VtSLl35dY05&yTAkaQxAg=RY&Bp14r<+<`m!PV&eV^yNi(c{BbdzEbvZ*y!@= zn;OyC?(!QGk44};)~9U0zuv3qTkO?u{BpwSD?1<lEpV>9^dNK|T?rl{4?bw`lg1zi ziuT#Z>}vk?*77iV>y_xvq(2bN9jD$Mv}Mw^WUj^Z*YVTMKp!E$`JC2#`(0+>dSI;t zw;}26>K!=%eJno3lkovieBZgYE)u#9sDAb5IPHc#OZK$THvZ4mOM$s^o^j~qqwMvT zIlc`Gz3kD^nfsJ$h!}I>g*{>vyhq0Z&xiOW^jBX=3{j%Z{^>z`L~<~m+Xxvp(a$vb z>%snKXn(XE1<9*F=H04~c~^J#cj7In-4mk8U5;)rWG?9=2YIi-m|YF+J_{@x;&#ss z33ks={mr%>;OhD%eP=7PuwHs7V^K9aN#nj?|25$EEbDbE=YsZE#d)2@+8`S0LjDP_ zkPQHNoZLjv!R*Sr?ffCTENs)jK6?dYQpvZsBG**jIs9F9{M|!(M?JU2|Njct@H!`V zm+FN+XNSMVT<!NBx>@fwYTkMdeOdS4bMCL#w|sN0uJ;G~FK3@9+~t6~J9m&b4!-pw zv=i|Ne@;we9lUxU_;X>sif{Mv>@!>=>u&CA=UpASj_TrNLiFd;ynAUXXR@rba~>`F z0k{*57x7%YXXGAm8}o+m@TEwy{hsm|x8$#niN<Y2X`$0Yb`qT(C>jUsbny^_zmfb{ z^U$qNwv;YtKYVkkoo6coeD~S%V@7Lc93I#1`&Zx?W{)2Yj;^ur!J#>^=ws%@@OQ)K z#PD~+=fv=L!{@}Xcl7gbofC`xhB+~;%*Z+MOJvxQa?%0#pS{jHwlX_boB6Q3lCjvd zki2&22J4`;SKw{H`n;*U3iCYC6lhX>Q|~_D-DA*|yZ3cvj8!@lTH`)UE;Cy@nPcMD znTB+q8NK3p`c}I73`21f#Mv_TtB5U;oUeTba$1{g+QOG|n@DF`i9SW|&*8oN0+9(j z5@m{!`Wy9Ac0u|7T?6gK?A-P*lG{GJ_eo&*uNdvb_r<CU;#KZn8-^z`oc_A&!tQ&s zx2kRF9{-(ps+%~iV_!?Z=7Sy7wF5nt){Ht&M#Izl?Y*yK^Gnc?xw2PC>&5mV9lY?2 z#u!=2IMzk%kNTu>({n%1^QhMu$20XmZXe|@8)P3MUHWy@e<!@)Bz=i}y0rft_FU2@ z>?0SZ{QjwTmexGUQTxHEu9fgZ=~23v<K)Xa6oz+L;Oq|Sk^JS<<LD*8Rk`w-Qpce% z{6spDdg{@0;Y;w2#!p5YAK4W}6LqwEEpXpKyK1l9hWpI+1Y>txuckH<ZP_*+PbAr~ zB_rujc#{52Gz^W458Y=aoB^P*t)x%PgIR)K{ZM~~(N{wJgx+zOiRQ>7KGw1s<cMa! z@_gvTmH6~n&n&+9V57=hN}0iV5|{0q`Qhx-kK+&J<`Vjd+zV&aXMV=6uY&q2@dui0 z*C$)X(0S49*J}1Le*Q_s+Uoi#=X^|mg`>mpU+?@6JRRC+3s2Vm3!_FpG3SZ@FIB!J z=e=PT*nUDPYfx77=gOnDt$zMc4wo?ftl}p-K6Xsj5=W;u*p6wm7^c~xI-GGC?nmvM zf9LogF-~k>>pCV=-%Ngw&F8EdV(>14K18EU=wnz9Dw@*q%hWZOK6AYQxSK9Puc&9A zcFrx0Tx%?nuCdv%mjoUMwo{CMK4p)gkCdK%HvA5}q|49fZ0F9kFb6{7Lks4k*R&d> zZ^u4CylrOnHs*d|spQgRTTdq)_yOeb-@yxAef&D^6|*-NeA{{$`h<?MV<og!NgwMN z_mi{%z8*Q(L_a3m0y1C<H1&+fdgfZjo_Nt?mCWy#*yF07G5TputuMExzmOY2KeC5? z+8*>2d-0nVzV?Hw&(p`r#AN*%eMTAgku-FG#Aey=`CfhUeQv((2a%lSYq0fgi{|%- zxNk*A!+xQ6AN@l|*1wQG>g*oD6~kZLh5asI7i{9`;88Zd9MvzK*(J28`6m8DTlRbt zA6g1;H{iSCNAe3B`JTBL&^z^$n1{iBTBpa-Pp5y||3X}V-9Pea(54H|V&D-@r~gTG z=;-mqS1*_p{2&I5OB2TBJnj|WsC>A$FlLk+JU>Y`3C2TbCq(nzvy)h#78<^fJy&S~ zb%yXyve5A*aUbM9k(W60Xmr1IYae@-r;J02AwXv7FYy}vmGM2@eqao9Hp9R}#5t`e zo^AqqxAEv1zs>&*MsZ7OU3oL{@;zJlf0I$XQSW$m^!w<!_^zkPC{|2KY^zbsI@N&> zPH`7|ilaX#HidQ`B2OV>Jxjb|UzSmk1MC^d!P{sz#+VntGkvz5#*S5)wE){!5B3Aj zyF57eGH3sE7yIg7_Ief6Uj<LZ=Duq*+fE4EP8Ieci#TY-u=IR1u=^TfgSyz;s=u9# zNgeH4_*`qQg@MaD&xv=|)sLOg)`>%-DsvPX)3fc+d}s{5+4ww!eE4hQw=aEeD3yD? zhbGI2Uk=j`*|=4&Yr~U$o3oJ{lC#)5@m{vfZP4Cv`g1Mu4`JqKjQ*Sehke51dexCN ztd2^`OeOz^;ynKk_^gu;1~#c?`Ug)d-{8q6kBF}Uzpa|0G{t;7u^m%5uS)9^4h*~Z zF)tqA|0nplvWem-iowHd>UalQ*BXD4HL@H3N!b>)c9lXqo2Y*hw%U`x+%BGl%yk&Q z04Gi)qxDVB<WQW*GkRy^;LJP{KH2Pmc_#6vlf1rz7O>yJ-bl3LoW+;X`X}nyh7B_W z|M29`9ejQP{1uv-eHeP#A^6xUYwerDbM&3Fk0Tpt{T8o47hvaJ)m1!k7BmR|=*WWZ zy3lQ8a3#hM*)Z5YQP1$5Q!L(9d(ZB#KAN5HcTdaDDq+2`^LfN|<kYXZhW?}9%>jh( zA+&pTy7hfWbeqzU5~tf*@~ooI=(w|9<C)FcQrFSSSu=4tW4HL+RK{|C!g#8mukb(m zfb;<4Djk+$skF|tFlM>%jIby3plN0|=*&iq?^<x4H^!LV`f+2&e9EnwRWu9OS{TC~ zY@to>`HR%vUfPom$-(Klt*;_)Gq-06*L&iySimB^5;_ojEG)+4QRf|YY{%E)Vg46? z)*9bGN*<HZ#^Bbc-F?Ameir{?$BW9xOuiGZXCxJBO#XanJRYWY0<j?`u^|&%K0uBi zXfXOeL}nUTmc*IlV{y;*v<S9=0es>wbmGJY=9|Tw$JH@VJFbP8u=0W0)RuvjiYxIJ z-*6D!+1%0MN=lX2cGl6E!*wrH@%_<0<zi?scBFJDu4H66+R<7zS{<@Mc0c9C{y(Yp z4f1{j#}TV#<I@wJEqJaP1s>ux?7HTU4v$apP{wfMd`6Z_glEJ%8=jr=M>x0jDd4HY z-%NftFJhOs;acyBP7qwzjRMz^I9!WIhwBLR5u?l?TqDaR!ZqTZ4VPDV%4+?Q;DYbG zQ622>nRZ=^tyAM1)5D52Tp#TJ^QC%jv=m^gvbvLOo6zeSR~E`1^8WnN;^UN+4fNE` z`Nb!xLvpQquXidVo_v?)0Q2?~b9R+|pV9h0_pxPH7KimeZN1C?vTMm#?esl|&YIUa z(Jwsf-yA(D`x|tC#_nS3K)z@z<?70Xe_>8b{@{6L?VabZ(7wj*&;CJO;$UnQb<DQk znM3xkanyA&KZA8zay{#GTiDDa7rZeie2%%;LN_^?_s#UvqV1`=hac(wJ=PKULb-H` z@BIdT#k_ar_96dTCy%{&na*F><j5i&Ps7h=)1GK$pw`<W`~CniTmv(hW6R9qx@W*2 zYttFATRY>iTeOv^-*o3#g=mK|gS0cUTq5m^c<0P9CmvutwDbNn@}@F=@P>5B5bWCn z;-g!Do&E%3%iNf(%+}T5MeEDyd&qH5y+d(4XV-)O2%HT(<vAo>b-QC{e#AXHT6Sjl zjNuRAWvk~;ZTN5|KG9QsTl;bhox9K<gTIA&9>dSJ5E?G%9?}Qcb8s4du1C!1#lj`? zm-u!&23GzRqTA!>n3JVb_fG0PdZE$g@f-FT)*D!p3$b@w*gj)FKc{5|{OcZkmXPuA z!A`0E9&&gQ-<v5$#f&xKK5U=m6R=T+_g~!5Gj+n&KtFkTz?=L)_huP2W%wT8AKSkd z+uJzeC!WJ+N_|t=_WeoGKtE@<A2?cc3FTihQ_Gt6&*^Q*L=V5rgPdg@RJo(v_j*$U z7xfd<P<7PypA8ZF@DTE&{4rid9=aIWOmWO_>btCcMGMT-6nsbVMa`~`94IWpceFxl zv)YzFJ~_Y|j(%c-d`zQD@X`1jb*W8wd`n1ma!z(3SLCc*Pi?UC$PvjeifuHaPvYx^ zt^d(V<Xq)_&wxIvJi%i1C!4eD+pz&R?Jwx9p2%LBdItWG)Dobs1^lj0+u+nUja;tt zo%;ScUSC%_x|1j8G-yq?&(8+0y`M<ldOK&tN6abds%t&{jPYzaV=|BaDE`j}&cmD~ zAK@JNqu=%vhdDpKXT7Hw1w>{o`5;u5ylsnpe~hheG0Byb6YReeJJ_q}#5|l4X4eDm z)VC!)wjaY~b>pQA%5K$~G*#`y-(Tmx=ew?H!8X_5@~8CewVfXF8p+1t<XM)jt&|)T zqVeo;$jaii`@PXVc&}{mTI-J}cPoCI-F)lD8g}`}&CL3E0{i@Ok5v}q-0BK5E9LzO z27Bi0>Yez2*UlgZ7qYqdQEaAx{mH32v0mUV?_Q=k?Zijs;mfDGBD%`<&p4^hEa>C} z^Fnx$UU>&J8vFTYTaJ=XB?zBWOh=Px9Q!V~hu&-&Iw1P0I$nfdbDD2|VM8ypv>ZBm zW^HiO5_4Q{FT6NnW~LCU-X?v4=85X~Ds<@9p*bS@p25CBb?N)o`1dK4la5mKs&kTi zrlv5rjN*m-zX7;=sJAzevNa5C$d_DWuCcQ5kig^F6SWDCvH9_Jw`4f)>_XNTZ-W;_ z>;CoQZ9}8^_gC}Hr3KK3)+_8~vg2z%7=e%Iyl3RawvlH(OJ@g<Dql5kYC|D@I+E$< z!qavTUw)GDit&4haXq$fUB}U7m)SD^E#STiIu=cp6gv6WQcR;bKgme5n8QB!0r5<| z@|nvrv&*_^_Y9htAJ27T(?pK#ZxdvVi+wv-NW4j##aZaFu|``7=gH2eJ;Ak;n3K`) z+MS}Dl8Pk=_N)K&z2TGKVl+Q=olES-MV$5;(J679ZT?^2Y!3LE&Um}HI&=oEf@_q6 zGXYm?u-T?r_*(n$rFU`F11^Ls`i`G%=_YW7ZqJD`wdW@|+i|ylu``ddN5xsmn5=5y z&BfWWA)I0R8Im_f!`YEvqemO`+jo3PPTzC(b@LCD{{r~_OaktpwfjapTilL0iPKmN zyyO4D{LbzrZlkRj{7uD|SN)wte?I^ZzlP>cv5xn0f7ClU8bel8dBr=x-v{xj{pV!U zSd)m$r=UCbbqBrRaF8dq)|bCFZF2N5^@-l|SW8divo5)EH+y^8b6*twQN}Et)nIYf z#tu(rnTvPH*V1>{GzxuY!cWlCSFfk7Do;*X4>%Wmhk>UPUSW@20=`}P6yAk1(df6q z-(R!;4%_b{UpV?zSKn*|9)nlL?IHpE+b-*-{pevwK7EjDL0m?>2>N`?@vF1XgNL_P zPmTLJ<se@mYuu;vS<Xe?nGBD!?zyY4aN6Xpf$m`OQICAKG6G|XHPSwJ*gIl2Y7^R7 z5pP>Ey1kYl|La@UKiOH3+cE-IP>=SV7G-XYm;YKq9fjN@&!WeD@~nE?kE6>%@H*f% zZFx>~N50a)i`mAknaJ)7<L#Amb!GR|czgd0JaPH&zAL~*E_jjr7ry6i+t2V+4!Pm+ z1*~`-ed0&nG&}DEI_VHNzvlGVxgl`XY!u944Oa{+zUbM3Z*e}id)-D{l<Knm6}$Hp z2dut1f5dJjUl8Aq?A%$q2j9~M0Tgz5>7ewDO;bz9MDv(0uHT$No~sJtqnePr>YkZ* z_b-qI*36sTAl-myTIZ&d&j#8&m)tHHt?SUApZG*@we8!-IRbm9=2hpjcK0zJ1Z$?f zkA8V?z^KV*o^6A6-lq&c8H@e1oqP$I6OawHR=?sY9H36oyL|S}pm*p}zL}?3$9v`* zQS9K*gYpzgw#g2hN4$~z&(vSxbOHD{K<>!*nS)LEYqD>!?F0Gng~ab<S56*L*ULQ9 zz96w&5zm-&{kc4kJ!M3L;7mM6^I1H{hBwYzk94|u*W|y8Z4LYN8U2}QwCSvY0yEf; zjxt*4<6H*nTR>f!)3LGa*U*cx2DR1E2Y)8|O8T&ev&Gyw_z?H*{_P*Y+4uSX7OsP1 z4*hI2J~=1M+Ul=zY$45*iExgn#XfH<_u6+}!#CJq%3NJEv>sjctB>a;gZ>l={<iY9 z6`e{p6CZqqIVziqXv3vpj69nM$YHn1V;tOvtS4E!PBI_%($68A<@3FAopo_$iS(YE z*;n2pn4z61;NCRu!}lgD@U<7ni*-)$nDUxQ2A#TnQ?C4M^)8it9Q9rX-YO>Xe&v&S z2lZTSDF3v+Q(4c>O}U<US?#Z{qaBO=vY)+8J#=^z|2N0^-IutR&RhG$<J?Q`)7kG= z1BafyZNIN8S56%G_2V9J;KK7DeO5n%v@JLuMs9ZK!8hoynuk5RG@-ph)-L6faOb7= zrI*@m7;SUyYp~5}LweM#Kpky3`&4{2M)4c|pYZ(*+7W$B=IYYi{~LUN1M$o7lKV&U zeKVn*_Zfe+eHOk?pECl#p&sELTF#8c%fHLjh4mrs;rsW09N!<(XAG@@qGR#+`HYjs zZ9lZ|r-XV{r)be0!+d89k1z&@;Y+Tsch@L${^!(jjJYPgs_NZ`4FUh7O_8(6IP#5c zX79J0c^qQ@CtqsyB~cHtQFE6+{0!~upk2#y@+tfx0q!hdHXQ$4d(FoGvU(kJB<`O( zs+=VmUTb#H%uUx={4k-u#oS9z<oYBCj?wr6yrA_O^oJp6I%j{LZRcEd9(!6(Mv8B3 zC}l^o*0!wHIcv>~KY|bIoo{rSRd@9*;4Gg!cwZ&?{a#=%F8<WXT7m3deX(RR)^x?s z_$VL4*Pwv2>@Blzu0QInd6F^nt^LNPh2S<+I@dnu-sNw$|G|hkGTbl4KJ$3@P4v%Q z(<eE7CH#sth8&KPTkJCc<LBr>kFBo|D<79hTBpjM!n0ZUZeI9bvOD(8(KlLG<X2oN z8whn0vy2@hqxI9AUn3bN(Wk({r~GmUY18%xklZmR0k&hW4#_vJzs=yeewU5IKR?5^ zMNOxTlhDae|J{M@DR`d?@6YUKnE~05&TMzsxtnbdBIky&H5ev&E!h)l59rb`=WpJx zJ*|cRze_vG$a`OBt`=zjQ98u)z=3pd<>SDK{cZ%mJ5ImQzqEbG)t%GQ+0}W1ZT|)g z^vkw2xP2Df+K*`;)`i?5U-j+KL2ttMit{%(H^7FMI0kzTz?c7)Ij|7jsePWM*IU@d zT#sQ>KeCLqem(OZUB_eKQ*-1G3GHp<-jO|>{m*FmRId0f_=K(p^IoDKwU7&(yq9U| zF5R9j7s{|aD7GKU5WNV_N0~>Q=XDI7Z-sOtJp<$+!N0VHYhisPcQLeB<uTTXx43?F zqvt_%>OBR2JkI#D?ut*^=VQ#l_dxL*Kfteg4QqHKzYnQjvPT$Rh)mF7ft&C-&i}{* z9h$q!>5d##Gu7MJh<?fOjRod^6wL5QWUh)z{4)i&-<(|CLLcyBIJST>OD+vAvW%_e z#DX5O3Ks^BA|poVM~uAb$=77h+<1vWT5{!>GS)=cFK_0TVPrI@{52mA?0z5nr(#2F zn-+UJA7y1PLiSywGa~f-M#e7`kFy+HOQy-kHZf1XlM{>i-EjxM2l)N1{odhuV6flR z-|^Xazk~QNbTKX(w^C>reU=TouGrRdwC>@Tp5yZSI^?7!hH@v>bzDL}mV$HE&tmyy zlvJL(g8wVbxDP|g7qeE>^M8P{DU+PI_>xaeTp{^V_$*K?{b_$q4>(?^GVp4RT}eU8 zic+4%PVY_kn`ZS9$}iXZDRt#<a=t)8rjhPjdhX>Ls`85Rzj4lDaswRVy!zc?)70Lq zI4FHAFlvtII_3=ACY(bv;@m~q8CaJCT9<dyH(REC5kH?NnsPruedEYsgM2mk{1?F1 z3+<3AFnSGZNC7r&(SmIH{{8qdpo5F3p7)j%8RV4K+6eCKm|S>*Eo<9tP<9)2H9d~} z%=@L>i%yhdyBi$3Wx)SnnIQL!rM)gDuGI#ABmLZ*etBDuGk*J7CpxkDWWe*j!M*H1 zSJD=3?gC#m$gjnredIYuw^*{Tuow6%c2RCIHet=B_o?HNggUCZ7mu9DyKLq}9ezM} zQpX+OMB{1U9}$KJ8=P|>+*p)pChyU_Bx8}<8wZZ|Qr?5iP!G>N;vIwjH!1MofRhuM z{mQHs=8|x$816af?1)J%^1lww_|^i>0-o78`Yk>dz#AdYh2Tfe*(Scf99Tkpf3|Zg zmhxWf*Tg+TvPPm`pNmh~h%Myv&=h0Vg<QvS9fvKTm%gN6!we(^+wfJg$JOHA4~~^f zRd&0?`rgErruWDVv+Imczu@ydlUuMod9rwvm4qIdT)yCrZ+&NciypW`c8I1i#${d5 z$=l3{2)R$>H<7%$YEM~xO6%ttBh?%B{l1a;u_)!?@mo3fpfj~TwL#y>S2E057b)9} zLbX`{9hLD5!>65gQ_pCZ^IfVV*+#{8$wfl0)@pL(2YP8gjJ{cIhqzus`?{aN^;L61 z^?t?z8_J?3l*dl8sFij_1M_$;-F0dvx+`#(%r}>;UcM)0Irp=<7fi~t^i0~mFIia& z%WS;`uvVls<XSw>HZ#jMi#9&-Qf_<x3%Qq&LuB{V7jg&iMLa<Lv2jjaGpH*({iWP2 zGb<pz`%~bUp4vC}De&<#V{FQ+#<=Qc%D0mbPp~HeyI^F`UH&AnEr4!?*LGlI58W?V zQ>pVcbZ0NnevdcU-#Y!J#)pC7)p6i5|Aodcm{zM7+_cAGNQuLcYNpyg>hJK){P-BX z?R%>6Xl?M9?Z5GEeHHz)54c(c|N6>bwwqRiZ@PEu+q{qQQ`|r^^*%%l_`gtY`P%VY z-_pB!U#ooO)bA?8*HA)?19pW&3(+SQGDpU<UW#TW(5DO08^-uneGSmB(8bh&?|cgM z5HrW5K+p8|_C4<~J{q@>nOasoy`j-sebJr)b8PiA#;~^Zf?lnSvPrxF4yd=InQyT@ zbn5#MKOc3>SRLMD+wu6Wpmat<vN@q4nR>oJThc)a#y8=$?R=L}pV9DB@clHuuN)s> zsSma_0K-vlN`Ssqd+0YbX2b1YUARZ@9s8VBJ)b_}A5N^dF-vq-W%r?K&vNFMo@2YS z;|xa5L-=RMna?EOon3!i^0@5k7b&-E03SKd=FmRQ+j{b4?9j{bQAAcD$J%C{B|aDY zSZSOMzZQQn#s*t=v3RJ;ollul{4f8m7S{e(@GBHud-z7WUg;4EIJ2p1C;m_#qwOGh z!>c}6)meyKUi<stdzGS*8Ns$@W8a(*wkuCfAc`Mko6hYh;T*92*h0dTQ@i$D;(6zY za}Of4qrF1-qoH#T!klUFGWGc3W7`;G<tQ?A<y_`U#y~d2ZvMC1><+LOm9BJh>m9Ga zJJ%VrXHqA;KGS}`KM?IhHn8uv2cjq3`}(2pZsWUPoiUraS^l0ESUw2eFZ)ysd$VEQ z_T%K!t2%p-xnxUSQW$)%$7>Xi^K^9x_ZH`0^mxC+c_vna`gk?J2=SQ<3yt&&(@ObI za5iz@KTNTR3Az2F%Fce)ss6`&g<k^CKF{hY1tv1c8vlwD-VM1;@Rk$IX|)sLH-mb5 z%kWk0m{_w6J8f(xc@0gY?Rwr>o^9oQ4P)D4o5r?Xlw!=n9#{S*@86nfMq6%Jz9+&@ zvTv!Ig9;p$LZgvqCNA2*FLmvh#TP;s7I2(njxD3jj)MHB8^=JqJ=78AT5v;n53&<7 z4|Y-S^nedO7|L2uw!!q3C1Z<S0=zNrhA*|4DJdn-nKk3;vCW{{8i1c^{m?ljb9nda z@68(KW5vHv=d<i@o8ZfJ$Se`&H9TOEADjF-XyhpEex5eP`(&>yi9e6=+`7TxiI)0q zCM6#*$0R3De>%4y|980y;k&(*S$@Msd$iW5e$i%c8E4Qj-u+*|F2;9nF*nt>k{b&4 zXwCM+TegD}y*~+_wYJ-OU+#ZM`BRfUZGC=E+kfyp@_X>c@Bhc!nRvseJjcZwd&8Wj zKQV8iyV%O<!|C<QzP8vhU)!_T#zn7h@&0Yb;{deU9H-ZAE1okgPOlrFIn65zx)U9a zq&*)rS3=pN7dGWy8>h7mjJ*qw^pppnxf01L@QecJ!=)?H+rl_q2_BaYMN8p09g1#3 zYa$uWv%)=v`kuO6`jQUcrJwe1A=4rgth#s1;&u1l+bJH}_1J`{cQ^aqbR%8!x-g%- zSn!skJU_*nx8R0ZdqiiRwfA<$dcAEsh|}s?X+@WOa_q4%bE%th4SYX`euzIr(jLs! zJk-3@Ts$jI;GO@U;$-dLhLdJ+!g-uI>x!LxwflArY}pUL#lFzCmg}j>^O$4v+CtYD zlYWrjH@ErT=B>G`%{SC~7q^{j%v!*@(hiR**@|3R|6s1pj%4mGDy+XSI@4!0xHw*w z94x+Le6V=k$$L8^o~#t%@~5;_h0RmE-zxP+h4US}H+{Z_pf9swHhAsno!`cI)<m%B z#on=VC(gG0B^i^Sfpe`vb@=k!g`DUE=g2VdL#y>I#;Ey*>OI!laa)s13maN*n6Za- zKaKMis}}%&K73^ZIRaz!&kt`rEdItf3*bF^mP1*M`*&zV{de0`8_;hiwu72xU^+$q z6_v}te`hK*;=wmov>_UaP^aia^kwmli{snqcNpA;z#GrorX}EcX8(Yl*P{!2*UPCx zeH!Xd###IGEaO;0{|0_NrY**N(|s@Pt6$45+t_IT&%N+`OZ@)}F58mJnpN|9`Ud2B za^vy)3HG^Lum9SfbJ&BtYFgF%q4S>O+0k}zQgXv3dt%go8U2y0_?CCP@}ZS~1zX)- z@My4Z?A15)J;pcw8!p}xGsdT|j->VQ-PPCMwx^rtGp_&Yo;UET7%;|EN7nvqtFQFZ zhRENaGdX|^h~HGo(aHFnU4QYOcjgA$Bp=3p{h2lsJ@uu?rfR2aoYT(sgm#+ka%0+# zQh(@%ukKNu3uymR$*p{^dM?GjVSf+*lV8oNW>WR`z5&M3vd2;L{ERWAzWW)o#4$Yi z7;}U84R;KG$-O&Q#7D53&%#gH&OuzvxpDn}9+-UsTUv;D<GW+Z;y~(`QXV=dx$Ge4 z5{IOZ>@JKVlP*ez-z8)FTmoH-AHGa~hv+)_Z=!4Dzd^d*!FVLnHFGm92E7tvJ5(?H z^mD{TMC|#JYSY)o!TFLsIA03$sh2g|o-g?Fi9g%(g=coXtjp*yG6$$X1}%Qz%_<Ak zHgBB-{&VQ}T@Jr^z8$(BXcWKL^55bY4}$YJzd(O`Cch|Tj7H-Z?ppIxXjc595`J;* zNPa<IM&}np{pT#Bq5g|sB=kQUyh=uCpbf1zZkw7@5uPD;+dS+f{6ghs#`(oz=~Too zsEcwozc@udExvL2#h3a2#spf+;r`@p3knw}@QRlbdBtE~M)HcGzC361itGelk?rsb zzIAv7|8qaYE3&IExa<L&SNs-Uq5g?i{QEFokzL&luh6`I34HkB6(^bVvXLk9if<0% z71{qSUeW%IU%)G7G_+qd4qkC7ykf!`yy9e>S9~GPE0pJTFFt*v@rqtxt%6r*zpHg( zIs8I<Pt_rQ!5IrSzsN)Gars3({6b^+Br?PxuW-kY`o2A4{Ca;mu;oq8lnTZ9{m;2S z$(#|L6oA7J_;7i}DSQ!$Ynp8h@`>wH%El&_H5?u|gHLRPcZg4H>mI0hpnG6wKBMo^ zKI5;^^8)dS_<WwqzHKymKFPTXf|a~UIh_B2oNi=#wI^o%KFm6zXZ6SqqF?l(o4c1; z(JuT>KlLFt9r&HU0DT+lWFb1eH(6K7aZoIu$dzM_=(FT1ba|WBx6i|a9GJ(CSmVYG z@gVwqwl&-3ZN$(HhY@~c!$=!<1Ecy-$G#sp7Rg6h`)zBVk%pf`vEaggv;U}kp~e_( zyT}cvy`l6A_ub!=o9szWiJ^CAJv&rV8t9e2q42Uu<1BNs?L#=5EB-JQZ-X<=5Sa9N zd}G``z6p+=OE#__ozIRR>LYaPj*Bgq@ZCs0`*Gt?nlKJJCtk3m;y-{MI`Dl@M%k;Z z_iyAh<-S3G!)qVkI>0__95lait#@&VwaJ%ybxQRZU)l2gMp}rom>YPm{h##JZx~Iv z+W&>g#moFyv=>>sn{~O_lW|b>k^A;oA>&xEKhl^%e3twhyHDYt?Il++I$X&b$B7@0 ztq<BdU+FmxkRwz2VRR<ZzDGaa-$Q;b(4TZ59mtmWXw-Gw)rMZ-nMTsE7{+tYKKrb$ zL-uqhzA|o0CkLw6&d<kpb}UQ~UC9{cqpR=U$C)<Lcgy~ns53|Ze5@{g@dwa2emfa< zjQw|+*Kfl|-SfVV0s9Zo*&U+})hE446LI6~z|WgJlYU$}^`CRE{%Y^*+D$638!Y1I z+OUV<cWr3ITh3QJWJc?L?7OaA)juY8MIJmid`VDee3fUSdkv%83S%>>nyS3*MooZm zTFyCqpJR?MMfa{Vrt|PslW$BF|L?_)9h<+exBwmbRLuo^IJHi~A8dPM*tVCZMo0SC z$}d2Ba^63}xdhR0H$LR2FCFv~`;habWjpJ}hNN@)oO1=wyF4+sMIJEA4l|XjV!u8( zVSiK81$~b6F|fxq!LDd!I_EoDsourFFiUmW@W-DEH+77cbwRKNT}y8eS;##T@@;b5 z$>vdu4^W-<o$`H%`%s9krcu{n;E~@{9emP$ztpiAcSExp2ff=SoyD|L`|K*gthpiD zO0;3xaF570Ve1B|<MYGD(!Zi!V+4H^#QlBFhBw+sze>1w&vC@Q9s<sCz756KnbE$L z--r86J9cFC<00%QoO{ux^2)sc{mcqO7os71%+~nR6US_*UjMMM9DKg!ykX^4x7((V z^ClUK<=u>n+WsW{x7&mt>;E~-0r}F^O))Y`;`W^g`;fu9IWxh9<=^PbNSbQn8Q-Rl z^k4WmeQoC>ij$e3d{K5Dj(&K=2k?dc$YvjLc1=5T*<#+daZkDEA1MEE{;lMo-*p4O z63aLy9d-e++45Ka5W1OEmA&=EG%I@I9iv71_PL@vZ!UQOUutBYMwjFp$3m=^es6AX z&$&iLrzaO4I*Ie!bCvhH!pU*r`0P4<UC^Po<R$D#HLIT7+}LTyuTJV!{_tMx;774# zH}O4kdBt};lMc$p#Xk7Z24Y+yRe_=f__U+@-mREiwHaZq_F{W@1lkInF73=%o4wU- za}}`2SJ-Jccd*^>Qumv*rL)|Zcr)#`mYW#|ofw&Y#pwJFL7T-@<PW}@w%q!hx^zC= z@VZ>Mmk>83xUcq}9qu#hBFAMMAA-xR>u<rqao{*%<13@Lg>M~PX4<~l!`pGrv31*d z4qVHI=;FSBZ~t0(7OVSCp%>qc-5>tjTgW%z66HZj99!~&$NTaN+Stol;)Pc^eagab zJj=$<?VhZ&jw`<0y_?fFHHyxjVQzeg&zJIA?x4L>v^_xE;`26tvvZ9kwom*5?eF_& zU{)&qvthQs$+gc0JQH50d>7@_j?bHMu=l!POU#pdQ2h5G?JV);*uJ%QF(07A=snYn z=&!zI^l3gIpWr(`sTaqecaf_rK7bDt1GAnThF`2s_~x;MZ&c?kyzleov|dDceJ>i{ zO^%q}>x>rKIP@WY!!r&KJn<|1MOH)K(<mpt?5@8Z|00`>Y`5ei@M4?7R#{SS9Gk~n zlw4WDT=CaCv1Wxvu(%3d`zGZsrab4Mbr$%H^s1`ci(1hik~<(!cwVq5Ty;?qwzb*5 zc=;KW)i)|z$T!O=TfjHSmdopb-^Vv94{z@PmgsI^a^-=4e?oTWkGDH*S0AuHe=whO zJ+Y5}#>S^n!&=j-7{7k(Xto{7drsh#cWeNCd&N@x+~o6SAcOghjOq+@G8x-8<=zE9 zj)1G2RCE?AgKYuUqe9?!^WjO3D<#hC2y%?_=j$xi-w^Lhd~{$n-)aq956xJ$wVQl) z?hz*^-Uf2qZ9_-)ae49HK#o$J&-?Ua6+CzYwk^pBCFsf2mlyCyQC_?V&o`4JNNcWq zUS3F1e*Q_ESFODK4qW-bA=n-Owtbvyq__$3V$LAyaQouKlPPb~xdGX!4zPwwHo68q zc(Lb;bLMc}>&dQu7P<aPXeY4_<=q?keOvtdJFxc`16%XG!*TG}`v3EI|BuuEmGs}u z3pl{OUouN)y#K7v!}0=l;-54ewk&Yr<^&w-9|zEG*#`Zptngs_j8YD{$Ho=@RI^>& zEC+AG#crOBmJ_h!B|Cp_IX)k|$o)1fXJ8$<m!9Fh{DPN2m$IW8(CEjlox-nhs(dMl z?Me4nNqvt~-|M^^=|}AP+ll@an{VfQTu&YhX#SLJugr%N-ZA*@aE3gzU-xTbR@Y;H zf=>R7Jj^-kt*_B;jCd>Oe9}n)=%H1%Rd|JcUSl(|9{a*!alz`7{N6@8A2pG`TteKi z<Q&Z#N49l*jKYdxyQ#D-#GFA{Ztq)7Xl6+MAIv$#+N6GYwGUu^ds@FhA6By8&|I6w zH@g^vAMlIa6a1xO3=c5BfB)i;{IY@jY|1I_*?f?gJia}$Ofdq^en!4r$hw=ge;%8~ zxzsjpl5E`QJlCnlx^nH;x``#-2fR-t)J-=W|3G{oVmn8Vp%$JJ_f*1<>o;@yp53;; zr084cjml;|Q0rqEX1*@QH<dmQ?DQ1t{7udEf!cHI{m#G@#B(1pi^pj^{|E8hUC@)@ zMb4OQk1y+1C?T(<_9cqV8|@u?P<-nZQ<~A*_$;|EbiOUHbv=a+;aAj)9^s7m@@erL z4wFZ;6VKuBuY!j%gYb+jmk7^@cQ!nByl-~voxoEmA0pefVnw@&b?qt}imy3wq_p^b zo`LUx^dIj3va#O*or@M;VSHmd<7aa6?aTa6U-5N4I4q}`#_=u2jWyV&MbS?yXRFP) zAh<d-#yS6N0d~MJ_gB|%$gSdDXPt$)ufx7x2QA%Bo2<2m=8?<A$v@=m+q<aq`~*7t z;|p2`>+bi_#$nnFLwLrqD>>JJ`1E>be<nVry_vgq3cevabM*l_)5WyoIy8RG=m0LD z&P}wZzW)<#B2#D9t}`ADv2V2TxZM}MllJz#M|;E;v&OW#dw;dZK61CpWl?SgXCN_` zz+*=1x7lmvaj)<6O*8rP-R~p=Z)2|@UBMCh7K!isBm)TkM4zzH`T=jY`|&>fpptL3 z&YhqS&r_GXZ)xCO`iOkmK#$SC7#@KxrXQW&F7>q#eUa8xn9r^r{x4vU0AB69Qm5gy z1!m?!^xO717s^9XjV!_%*1wN-9#4Q-Ie_Rt<D#{ObEZ2S8dQ7u`}K>q1mh-Pbm(Y! z|3=g87`q+0XNVsTjo&f+mBlZRS@8MQ`Xm3n%whSCW&?W_a!e00hx#@03=idb@^dD+ z<nKz#S>Y3Q?xyYVPRTXe>umW*e)GmGo!udQPndE(GpivFoJjT<94mN-o0q{|Kcz?5 z#5ZTmkE~$PjLcxs|8{;bPWJlI&Rp+eJjxTsJ(YX$Wz7|QOYC)FiDC7Uv$EnpS<|Gu zkuI0(D0(Mn-4T6Bcc%45boF-$^`Gc;>X$!JMZA8kJF4GZm$G>0u30<L(}_nXZy={_ zcCg4-wY(_8)#9qW&UNsCD)77#U(O8e6aO3Qh#Q;GHO*MFg!6FWpR*1xwrRFpYsbAj z(-?M53$D?ab>R~(9gUms54k_x{|%$XnuLz~i^TDggU-Lt>?7W--+#I(q8N)rzV!4j z99i4O|I&hJE&1D)PmDA||L<D9OF75KICcsD>skPguZrJKnAp^K8+govhkY41LaD(u z$Q-i|n!#f13!G0@H1`Y4mtOpcY9%X-ZE9RZxv+0CzRq6TM@&9UiWLl}o|o>gcb?tO zGuuy#^FjRky*1s$7k-ClF@BQUEpuF10s9T~){ADCDami)n~C3B=GAGz;#7Qv%7~$e z^v7dA@z>b)VCmgY;S;pi99O;0zK-qf$@^~O?@aR`eaw8C{1<QF_t>743tXO>rR<a1 z@w-krHzhD&_<FtA*X3h)n0eG}7M7LKpR0Yw8u@50NHx~r_nadi?=a&oAMYymd$pxk z)=cGUO$2V_FrQJ65BRon^1u~Fe8wUCx}pVZ!h34b#UG*GL_94q6~FS`M(q=He;>3N zO7NGLoVJuPbJv8Cd4D;BJy5!OT)JhL$?%Fv(ow;`D;{Gkw4N}>%duT-u0-ZuL)|WK zoyEQM#gY*=QMNK(Ml^Pl=#cN!rW?=D^_O@5V(>Sz{TG;nsv951&6W7pjr`6j@9Kg% z$JN6*eRf%F%!<XOe*^4sk20@=@B-x;2vdfBRPP5@Jvrnv1eP#<&w3W*S)L8sP^`re zTtn@sPSyPa^@5Mt*s1LQo%+cWlV)5_{0Ung-ZOu5<9$~DN2`ClaqEwLAHCDjUU>EW z(g~Q1_p8r2zKUJm@vZ-kf8X1weUDE^hnd7$A^u5hWJd`7g|YOCsQH?4=_h!$6knri z%D&nkd{6!R4CVik=krzmqk)e1p|7`34?NMHVq7mD*#lhFUOQ{~#ED;<k~Xn&%BmFO z#`B84KIQ9Nf5h+K_}xFFW=g~hjB6|J-!yr}lq>Krj9ziilr@2sQ|?aw#+1%v<Hn+t zHB+*_P~qRj{p01=`?L7}<$2fp`;Ok>&*l5_l(kdVl-=aN;kKLomHg0~WLo$mzG_;% zva?xtcXdqk88-q~YZ~=`pYz!+`@64Cxx{npkA*kcO530NTIc1Kabt>^dwJT#+o!be z{%YsibBr5r$7k_guA9tTrW~lP>xhA~f{U+yY$Ej>=wH=2!<<l7b$Y_02zIF=%A}g+ zA>qz4XGHHvUNI$o%~$_o|6e*Yn)!EkO!?v%>biE3{~E3}{2t6*Ib{{s$z>J(x%BJg zylebfeAD^a>-;B^j2l-a-!)~+tvC2j1@4%VyX0E`_3G=goBZYKYuU|y@koE3_eIgt zweP0w({){+$9Q+(ruJENpDOut#WnoxE}8v<nu574&7ao$)dycGX<Bq_?6d{9l)Uit zuO58x!40rY{XNgpq`$h7|GN2G_Vd!K{^N>yl)FyVP!BJ==3VmVl25If{Z8=*U;DI? zG$~y$SXW;0Vsh7}@(E`0!r0pJi^rPT>9H}%E4G1uzxhQwAFJQ2tl0+b_|31^_$oOg zIAcSu_{aD>Cyrr!P<AHA*Kxp{w8F<cKWgTr_uvZ(kEyYs&tBE*jpT|~e~WP=uWsN? zGmB^6vi(KNct-xoz*}Y}&l+;~Qch)hWCL594BzzyeCFiz<y_0mv4Ki+d_eFQ0RP+g zq`YeSSNLe>8FKTu?MA5cpn3jayI+X6`<!_m&%STBA)iaN(Z1F*tc_=hF$t!Pv)d46 zlajLWF`X30OHv#!Rva(mYJ8Knb-bRj!RD)DtZjCz)R>9eI)oQwoQ_n(pFZB0l0Jbm zDaRV;5t}(VUAUKzdO?zL{S4FEXc?J{mqY7K=%}r{Z5`mN5uCIN7b!+P|2H(gs{6XS z4sg?|{|EGcu&zVp?Em>TC2#0`ig91Zt2}ex7g8=@j%iKl+SCy;Q=YM|oNTYx1C=E< zza0yl6M%C(aHayM-<Z5YI8N~z*OOCYW3qAHV&BBNjxxKw4UK|LFoQ!Iwh(<4+>BSN zVB5(5Rd(5pjRS%Wo2LuAU@DBaUpX+q>*4$!pY!`dX~8zhuKCo%nw+Ls^95-}+m(lq zHSzO?<~!~|euiK7+jbfBK#r{=chLS}$9=LVmwe~E%O3VFyaGEQbpd;Mcq%p+>auMy z$l{4>lHg-)wdH=b+m4*%H_YBT=7zx<Z-sk`BIqR@`RD9@@Aa+7L{AOrA4`YnA3cGS z=q~!v!JI$`BmLuZ)bHpY$q&l<p}nYNQfzXUHRK?BV7pYA?Y55c+}4*VBVClr?4?XK zu_kx1=0xIp%EiF_1NPwP#jAt(V^gN)S!5ULtGUS8!#(ewbzVA6HoTmG_HB9i0<j;e z`5bFeD24SA`DZ75B6LNtc;OX_3o>SvjR_W~a6RBr40N!#1Q{fdUv{^Td|DySptZnH zC3yb6VEY^ED)bJot7XDaU3t{?4eE0D5sp4HyEPwPAh>TKw}*7C*N-Rf?EgT=`aQ|7 zqv%-w%)VE9LFAE9b*vS>kvdjj0#?EF_rMgy-(d)5V$so|xiHV>J-Wrf9DIh_|C>6| zTjKDJ)QSEIcr}kY<M58ui9W`@Z|H24I6QH9(}0KdU{-Jxo$heG>Eyue%tg_j_@3<S zGntQx`bq5<rJwvB^Vco&J}`}@6a6M-q!X3iB}iQ=Z*W~A9qCg>^of>_*O6+zo=yKb zsQW}_JDcva^l@^1kI;J#(|Il<$2xQE<Mv-?(|0DywamwND^Fh8PyF+v*itJbcNq0o zMB!J@7no!0oD$MMi(dYLpZ21+a5ar)TYpn|lJf=>d&@dDl3!8Ry9Rme{o{;Bo58&$ zABFu+j?FyN|B`r>gQqjkBXG)^QPKHz)YAow(&s3Dq|RZG9^wf43n%Xi_C$Duc+)2G z3EST$#D^=N{eF0h>KGlCl9xjN&3?P^363ss;OLspgvZsPj64%X{kFc5v^W`gAjH|; zej{f^8L=v1a=7`8>=nzo4-v!TH?rc-4em4J&r`Wiv!7c@$t#fgN0pZ(b61a<bh&7_ z+MIN`Xt>(U;ah73d%DXjX+vXxy(<vQs3R|(#j?jf3Ld-BJa4h!YBK$Ua5b4z2H|Ql z&mV-V$vkg`>blw}nqwHLm%HQo|Frie@KF_MyLg>W0-XrbENX)&4YD*#AS_}Ohz$X3 zFhJPjN_Q6MK$a#81O{h<YZS$(sB!PCGzlb8aSV=P6x86L23&}W5+rJHo2aNk1^>@` z>aFfh3pn>b^WE>e_fF+^@|>sMTHkuBPMxaL=g_rVV2**b@5Oho@37)}OZx(9KhM}% zm`4aB?sLU3nvbZtU~@>fVR%O1!J{D~h7Hq1gjeelF&lFw%s*COJ!e4!bQY0L<vVZ8 zAzwMp#knfqIXGA4?uB!~<?fF2u6nr}!py9<-_NI{-Xd6U5v;fHF{HCYVaBYZ&=s{$ zs}>$%L%EEY&!B$#d}ag6t?pm@g&6g@aqzkrjZshIw+ysq^R6(D-!5$9aV^<jhI_>9 zwS9Z^L_57JOz^jl$Jn#~aowNhMC32vA3r`H{zbZfKg{XK-w6MN@wvh>USOVs7mXpU z3wt~RzDYR73q$_?J9WSFd(d@M?QaCG^`H3D@82iiIz*f}5rRD~FU=ba`_>pm0^TKf z!fJC|h-(|Z*G1p%!hSS#K<iJ(@a-<SkJD*bBJy(^mOb8#IflO1gT0$J{NC$%=%^X@ zsW0Li45Vw?<4J|xwN5~~-No3}o5YS!FT!_zWAU9eT(ji6yl5_<-7^&T;Cpw<eHtsC z!Rv+N+g-MFDnnbTA-x&biDP)@R6E|c@NGYFVlv7=`yp>2jsx=$tfdYcOn&`rCrEF^ zalf~T;!zsd9N5&{*>-~7gBXK4w+^wLIDQe{>)qiSS@Jjh;)!~_eT`z)Q}i1*W%n2_ zF+K)-M@oP1k-T50chl3FHpa{ybe~S&I{PUk6!Wbx?0<C{M(>9@3jbpl3iIV%@%$>< z?+frv;Px>59$FJ)X5g8}m(kwjf9wL~kLP@Jf1&#?@cCcJ{wCdjdtVj)0`@oS{=Izu zcy<TrxG-P)8tI3hu)pmM$M<)84jqQM^vo}CzcT{;uK@RKUX+!>eWQn)@pc1+>lPU9 z0zF&<hm+~el<A!n81BMTq<5uEuXA9yey2z;PNo+!beKyMW2sC{un`aX3F!xGchDK? z1YLSqXVMS#*Zrhkq#typ`$?ThKj>BWlkFh=&<60Mx<}xC6>CBZmf(KXfpK_==2+Pb zn_hzZReHCXUIwh&g@=hT^!&*%*anTmGlA63R><sOVyqQwZ?rb(3!i&o53CvO_zGbP zDE>KSUH8Ky&+p-a?h7E(!}e#J=#SscBCHF15&A@U`uROl;YVTG47L~IyNefexl@Ku zb#i>-2s?xMlL$L^u6TjQAX<~OcI`LTg><N_NasXUxHzHb%jr-&N|(aA;HQU&AB9I+ zCq@qyC$2_&;Cfk0zX#B-ljzq25T4fTsQ=NmTTc`A<AuGGUc-;Cz8C9_$L+eGnf+D; z_?g%*H^9%xemOqB0@#5}FI)O)sBf6avY>4)$McgOv>E;OtsZTL{<f0lKzjJF<xkQ2 zE$X$OxHW9~)0nsF@1vLjKYCY&9_|O1p6&y<uZf>)d!g1KUZ8uQxkGIyo-|<W#QJsc zJGL;6*W(_f{yrS{;Mj<x5Qn-hVr<ZD2+w%x-<@ei*`~cIpBbdIr{LVm&kw3=jet|v z+X$3z7~k8Hzq+=b4ZArS(tlW_cJ>`Z*V*1S(xHXlQH6WqaE#xnTKMbXh(~LDG?r0% z5qQQ1>%x`81JYCZsPWD?(YAwr(-l!~-7sUQZA~23%dJ|(2I0i><CwcgSnyma#;(h4 zL%%FVU2t!PJ{f)%@gv}P4yZf5mq2*LJu{2NJ*C*2z&vEXN<a90OW4P#%{Pd9Fd^UM zz?hD(^XS@G06(X}_;-?hh-(aF&ybAPi|~Buj-!8Z!PZ0%HJ8`ttMmQu5ittenk_Rn z%%ineC+tA4S7m{$7s^b(c`T;#kH$AHk#4_8<4PMi<w0e|Z!PxYoq?Et;vJ3MQSUBT zYyWE9y~_>eOWa!hBx9Eg=6AuKLcyShhr2&)nLQ@LGJ8ghaW>W@zCc+Q%;;YK0nOFy zG3MFfI3G&iO*TYdV#OTF(bc|THDq1dZn(Elvz@SqUoaoP+rQT<(>i-}gyrm^oR){m zi1@U=lizj5hE&8$!}C3bVJ}Uje4{R_%`hS?)(f^H-fSzK<37lUI1zY`oW>z5mti={ zupE8`lZR~(lf}M8kd5o2&F+kPwTb#k;ix0*?OsZ^=f-gvlwKB&5r{vB($LJ8P`#;a zGf`GMFj9-S<18FT%BMfx!M*Z=`7;OY!TT1v-4UmCxr3g$r1xXoif_|=jW%3?BM!$~ zxKAvgGNMe>hLt#nY<nt@`b8^{zBRoB?U#gkVjA*VfilcAM2`;)M`=*F1`&ScH(l%- z+Pb_nk;>i!by$hA&%-esaYrHUEMOe)WAt|#3%cT-(%S#^hcSli8-}u8iL`FV+VD_3 z(|s1oVAr&{*u!D@S-y6q@~M3HAYW?JX5>xvQ2mYUMuYvdn*RN^lZAZ#|JY74;{Cg9 zXD-rm$^N<@?>6a0wnP1c?B{5R`I51)E7ecPR;WFwExK<Un?ZI%wncU{67A7di}+#$ zY>4^|*+F2x8HTpSvkKd9hd=4Pf!mwxVmO|ijl{hm^nahDYr%#QkatC&dJ=ugias?1 z`9?i#IopK(M13Txi*|MwjFF=^MvX-NXH#E^0H=3*?>he5f-T(FXq@zPy<>wJ=}|pa zpuf4fznM_}9v412doKDN#kZs1QN5^6(8qS_>w)E`eoyw1iatLaeQr7S#Fwn^zrvwC z@i2`u@;V`(pRx-1ZnbPYTSII5>U!W5;vE$Z;~MtDZ985Um{V#IE7aVd(xPza@AdvQ z0j<)5cg;R|leoun@`(m-EZ%32XU&OQ@k|8LIsPQ((?cO690tFmVVF}QeSO@-9wYhd zVS8iD#Cs;_-dp)?2^D5ze;Jmpy~;m4z`q$fRsN|V{_yJ&{+8<B9#k@XgG?{yP?TY8 znC<wVA?t~~;M$j@E}q2R^5rL=C?K?)JXD~M_x$ZVsyFE?DLcK{5_Vtj{x}BUP&)Hs z{vuG<FYz4t>GaBBcGwS{J`Cv|>Fl^2_aCQC2hXcfnDJ*w$BVr|E9P}xypP0#eM8Lu z#;Nz|*=au;?+hLq@IJj^_}#}0{MN(TyI&9cVZ00S3~5t(Kb%3X>iN|f!r-2BUZ*q2 zy?D-w>UiSg)9axb*U=x&AooE2^%>;(kbimxIbEkeI)j{Sy#Vt#2g1F5hHxI(M#>rN z!U0|EIzxQbA1jehgs96pRi709g)Ryky5y!aUdx!lcr)XpjCG9r8Cw}oGMWuCy^)M@ zjMp>n?Ih*-%r`PV&REU(9Ag9HdyLJD?TjWoU{7u&<8;OZ#^sFb81G~(VytF-nX!?v zh4DK^W2nrh52KawGDbV&BF03<9LAd&3mG3}+|Ag?_%Y*Gj6X6O!#ID&VT|J$XEI*R zn8vt@@kYjtjAe|^F}}n24Wp6U$;>#6aU$aa#^sD_88<SPFh0e&lTmLh{A-95Hcb(r z7cXB6<Vw^uSo#;T+%!pY(?U%T-*)oU@l0!_ziYV+XOB5`IF*mWrOwo}lw?azrX?vW z#hH_0ac5;FrDSK1#0?-hzkFFrjwK~8HOG>anVe!-nw6Oz7<N#$5ElH4%udQmb?1z9 zuaWU%of#RKIhIU!N(RIc;-dc2|DyixH94-#jFBmMDdfZ9mZoMTTjF&IGD}Iy&2c8C zrRXs^z0BOSWD6xpV#-lEcOQeUAJh2~>&MFax7{K2VdQXPgXCEM(jDFaqQ_HmGxKnk zTbZ*uM060hGspUd?h=CHCo{)=nC{#`^86rP$Xu1Lh`Gw&%N+A<-PHxff0;Rp#ct-9 zW9hDuxk|r@xw6HB%w_Mx!wW&YB`ADrko>D4-WJ5$nJayV-YNC3@-s45<>?Y6HwE!t zLE+6oyl)V<Fvr|jcLRgu)*wD2h(|G3<sBC!j}DSg43gV|<Wqy>_8=Y?#N&hFF9_lZ zLHybv?g-+^LEII@)0iuLxr2C4Q24wczAlL8GgtkqFo=7YEBo{^SN2lJ9P1ytYYdV% zGw;FjcIJJVo9~kLhW8umE}FTLCj`m!g5*WaFXH(1%=<8JW^Q3_+$i(w$K1+%F!Olk zD!!X}H<sr!SNgx1Iqq9@R~QuD!(5ebH*+=qG%{EEZ)Scrr`N_@mB)0qEWgrE6!SqG zK7si_=J`Q#FZ1CnZ(^>}Z)a{{xdjV6)b|H4w==gg&tpD}xtIC*%o~`i@wkb3cb2y? zSL0{!c!{sn==rPgX67pWXy(ek;+ZS`xS99n{DRXrvOTKtEqHti?%%=Vfi)<8u>BWu z{^xN1OO_-$vs03l`oxkYNy#ZmX+XC#JIRTq0_m14$<9dzR~}22<hW8P0DCN1vecQK z6UbMkB;{mgDIcVprpS^dDbB=HU%IPPm*y-P?axQ&V|?75lQn)E%9E9nos*TCl%wM1 zW;oMQmt~|R>mEu<6|rQbU^!4aOL9tDN=}NH1R8^<^(IafqCd_j!J|KpYp#>wFagPO zqP)Z+5svI<IE*qf5(k~*pgtKHGfa#El6@m7F%fCdLx3^B5kTuuA^r@!9>+QygAr*R zPKH4~97iOMQ8)(Sh(V-@NMJC|*WtJxhhx=JeM&O~amhJWB?fWQ=n&z^S>sO0T&jWz zM_MKXmh2p7PHK{6S*|lHS(iCTX&KA>;Z{+5Lo4vlr3PY&LpGOG7a|0Qa3rTJb>^ng z>@Gt^wIrowX6I(5P!bNZ1!vaj<8%6f(NlAz&h_}d{C%khilGPHoGh~Vr%Q$Om70~4 z3r!@aX1mjzNh#?m89A18r(4xC#bx<}qDZ~_!})b(@fXSAm!Gjnj-*WYn$szb^p=~P zW64U%$<4~po5?ZFE*$d~ESRB}0&>}|KC9@+Pn|H?zp`uDASsFpM`n6Ps)cMQJC&@$ z;a8IEDS?ej<qMWyb6tlJj&x^+a~bXs{y?e0;ZCVk%FnOY-)YXT{SM)j{)6-!7#iV| z*JL=;(KS*tQgc!<a;#0svMkNavM9Sya@^z4O-w-f0zx4jUp>#5oiE%!RXD2m@AUWw z>38VwIWF9sB?okSp~f@IfB_aH@8?OGOPs5nsXUDO{3lMLQ4C|}0*ot`sVVX{%{M#< z%M=<mV$+=2*#T0EGshw?9f9)6Sy|3CtXGa=PeoVHN^-3Uh^&XO#Ac?uX@s`SNnDOD zZi&M<<{y@X!<mtpu_iq;H`{{tOUZVlOLNkCdFh{;yZAi#B-meFQv<`D%1_Oug5xVr zbNj$}bniq5&AEaRUb_DuA>~Q&Ro)by9Qpk-j>=@jq3$~<9pWlJA#rk@CHOc|3Qztj ze}xo}{8c(Q^~I-i<y5{3$v-$h6*d?toYE~}FsJZ=a^k^`%1H54-2%Dt4@8PjoScdi z%%#*XS6qb)MkQCM<iY7H`5*bKaR0&6YrrZpM6O7~A0}RK){NY=G<m9X*loR<%ag|i z;M7Nz!?Ot;_+8+t-6#w_e-Oy&*@Qq&&n5)&dxH4AL7bjz2n@g7(2?VtmmTC?xS*;( zhBHqW*&<0~iY$?WzmXzY*8$eaGP9=P`V}u%>4fn7C1{;5zavk0R`Mc753fTibo|8O z+a=axlZ(c_HbyRvi05?M_sDSe*CjUWlxTWUqIaT1m44&blB;wSD!Jl~LFINcSK(T@ zo^_1Mf8@0?g^@{_=|W#j9GU3M5hIh*lXU^r<y;&zZqY${CL|ldex*L{bp_J+L%OFv zOKn1JNJxH!wEjjivNa{6bSW+&-LF%+CLH8P_m6asNC)}%$3gyhU_<AVna47Z2U47Q z>_4AzF_6-~3J2w#hJ(^c$6>+Y#?co?77i+FJ`O7Ddd3@p<bM+mO6O)A6d!i1_o&C2 z7XzuBWjH9G%{VCBvpA?+Z{i^N0URX13JRoqC^M8o`tiAkrTy3#^BL<IO^-;qo3Wlz zJj(GH^BL<I#bZ()&sfVS9%p|>7h^tSA!8Gx6B<huk<cI3s>N!YX8=`Ci$p(jiX8N~ z97xiEk<j>P{FjG-^vv;>B3>fmW$Ed6j7vKDXX2*?<U0m=kMSw@kK?Cd%t%5mX(-29 zy)LQnp*qU4P<o^PE$L;Vp4mv7N=q6G%puB`!ynbx4NXyrQ;=3R(sAh{o)hgr?c>*< z(!n34M`>i~t-7p3d{v@9j=u)lN<ukQ?xZml`;YaXE!LpqWK~O1ufQ~<*8eDfX^~l| zg^Ej-_s{2_r)yE#Fr^^d+n>Uz^QZj$eINrY7wM1{t3Hy9+N?fBnNFP^#Z5vQ)Dk(+ zNF-7ty^x)xLo>O$j;W84ZFX#Fe_hFlQbZnN1^3sEB}_&-Wbv6|8Ei5WF;1<!e>OeY z2C~LfX3}QIUgU2RveZ=wL8HRhfS$TS*Iowxr*-hBlB;VumFLv@BVRW(m5H#FLL@Xv zIy=><BzuNxFI9$)=?3djUZ*Jk$yq7Wu>&~Sotiy)_WT+8b<hNVx@~i2rOek?m!{?E z_e11AJuQ238tzRgE;$Vc`%lkGNeSdvq~t7ersbvthnpYhPuEn6Kf`z19-D<5cr0Md z$K7ITW(M*mN7ro%7Z*Fr>GqW>z@L`KQfA{8azSQX?2M@trw5M7Zg+fUT58f7l!hlw z3sSPuQ!}uRmYFdt1$&Um6jnKpM_x}9mN8f8Wv*~5bA`1*^7<foW01T#NIqlsbdj2| zRLq_{TVyyh2(9z+ZzvZKe%5UKQ=H^8W=~a=;#jeVs`HfLQBhH<VvO~rvVOZ68yNR8 zHZs1$*u;2{v4ydXv7OOaCe!W3Xki?|7{xe_F`98Aqm6MYqn$C1F`jV&V*;at(Z!g< zxQ<b!e>3wt88<O{7;72p7#kShVQgY-W^7|LmdkomKOkpjZeg@CMlnV++8FJO@r({e zH)B3y5o0Z5J!2DNGh-`b8)G}8sF39}GMX68j21>KV-#aFqn**g=w?*u=QA&4^f1;k zHZV3ZwlRiomgVZgXl9IJOki{~&d<#dvobTp0*ot*u{W^5l`E!arHc8O^h1{H#B&Fb z>qzZ^aM?r<Hbb6~FZ^A(S-Jq{i0=!JbaJzp%|!p3o{}hLIkPa1WC7QRnaF=;Zkm{! zyG+baaf><Fu$Y~>N=!|WLn7i}ZGH{K%hFGfKH?|2fJh^i=I=;D9~6;}{*(mL%FX5l zJEWPDlAf57g>dAMekL*G5$H|%`S|2nLd4@BH*40Y<m6Fn^mK_Q!;P@ag0s-c8aVP6 zcKc=N>6c}z$0x*m{rZCV`V|@a0jEMP#(x?h7hpz|3!JWB(*?rQRgsXcOEhbi>B{(i zF4M{Og^=mdb<yvKWH^1AHT&a|zs%3?C-bG5h2M|D%|r<@^zbQ|15iDj2m_ttI!Z{K zN;s42Nl0xm8Mq8MA0=`F=ZGY|UbCTxRp3+MPc19c&(%|<bf&{U5h?q9;0Y)5rTL?D zGXGRPFY=N3%WI<IX{<ZqvOIJ(mj)rrCFf1@zJfxja?%`}W@$pm^3v=|`RKv8{2l!# zqm<<08R>i${zgHk$@sq}pgiP5e<OrN4@2QBJ|7AxL)(R2T!!4!@t<b$%B7%HBE>@J zSGwiUU?j8<&wQ;u(~d>?rCR~LM~W-;`(W~s@&&NN|2Wcs<#&Hpq5gg^`@N4Hv#2xu z-Ha82;J=RH*JEu#{b}N#`wL9rM&bW6U`^ql`BU*N|IZsi{`wnly7`t{Z!5U{jtzI- zwejx4d+xn&)BO)TSoF}tk39O=<4<^sOG?YiD>i$#R90=>R$Wv3<Wo;?f99{x*6n!i zZ_mH5^Tqm?Uf#9)l~-SD*z@||_rCGwTaEknzx~d;?;U7*|AP+?e)RF7=EI*HY5DZC z&s&dv@#R-vfAf#FZ@>Hg*bhJc)PDTuUw%Dt@;9LwLPEnjbvA}aoYkf4+1*Utd-Uve z&bjBAd-plN?*$k3v-BTu(ZE52hggRW8$Kd(<fy38W5$lVc>E>NmtHmjdr+6#oQZe< zVd*kg>hcw7=^2^sm08(2xvN&^tyz1`wbxz0#BqB0pVr;*=fC`S*Z;pe|9@Hklc&T^ zoi_an`;3`a#?6{NCw}g{`3n{<TAXmz)l&bbm;aB@f38@ej{$g;LU$UY>3KPiq%}%% zX6AI?NY26>%a*#cG7n=O&0Ot6*_hM)DLFfHTKgpz&pcdGk-(hRUdcI_(^@Gx7jv~% z>Sj)BtmN{TpDn4#XRe+DD_~Cdz~l;<)7mV#BIZ3L6&~h2nR}V{VqVK!JttJhoYsiR z)ib9xa&isKdrK-BnXBixnwYESq?(!2+BCUV=GdRnT^sWYnYS}n&&i1wWP4gzZe-q{ zxrzAz=JnfT_=}jESw4`th4~=nR_245M=>A5Jes+>v9>X%HE(iu=EEfw@ytgsPhcL& z+`*ilEh6V)K3-DcW_}6tJm%5N^O;}Dynwmf)rUPWzntYo%x%m)%qKJVGLL0m%X}*H zI_A@v*E7F@c?0tq%o~}{WZuO5O6JYX)jY42`5czFF<0}#cIJy%E_TZHRr5e2^Q&2I zVy<S^X6AokxrMpL1Avvefq69Z5axE~q0DRf{xghu0?RuwcQNnGJde4Nc>#0$)=PKl ze)cTpMJ(^a+{?Tx^E&2dGjCwtjd>Gu6Z2N)-I?ce`Fk+;Fvq)Tb=S_}@zHSI8DEt8 zK8LxP`MJ!k%+1WBnfGRHXWoZ-0`v2kyO{T7p2z$G<^{|zWM0G^zYo`)m$`*`9rOOo z8<-DZ-o*SO=B>;JGH+)-h`F&|)_*W_GxH(Lt;~lqk7hoMxt;lN<_XM4Fn2MJWS-A_ z6!Svn^dc5=9_Hhi*D}ADc|G&-%o~|s!n~PzH1js*^f7PUy(H^<8FLf!3Cu0bW0*%V zznr;^xs7=|^U2H|%ww6mnNMY2z<e6>BIeVXdzoLsypH({<_*keGH+sjCG%G1am?G9 z&t`6XS=N6Jb2IaJ=2qtOm`5{T#N5t&G4llGS2K4pPhp<Nd<F9Y=4s4}n6GE<Wv=lA zq>gzg^Fr>=otZbVJe+wG^9bgx%)2meXKrF{+$HtVlew9BFXmR}=Q59Gj*qnJ&d&S- z<__i~n7f%zU|zsHhItY5Sms{lE11_a*LXtJ$UKyJGxN^O+nD2b*V65l^}~A#bZ27T zg}H@!ALdcaCos1&U%@<qxyBPT7xPf&dCWUAFJK<dyoh-Ob1(BQ%<Gu<Vcx)e0`n&3 z8c*<AnTIlOXWp5)@fBJBaOP&_5zMX3yD*Pt-iNuJ`2^+;<{D2J-OR(8=QEFBUdX%) za}V=A%xjrXVBWx7;|XOG^Kj;^%p;h$Gw;LP_^Pb$1m+gznnkvM6!UQAHs%q`<5hg- z4i$f(jPF+Qndhtc%nMa~<{lN_D&yCx_{{57eCCZR{0JGoS%qibrouB9ugUsqQ8K)V zc{p<m^9bfqD*QMZ-loDck5}QDJ5=~+8Q!hr%=49eqLddZIdhMa+oZf!$(h$HK2^#a z6}L;?tazN{ZHmWBE*fP0L)S@eV%~?jg}GcM7Fac<RbV0L*$HxLUDD1gmr1;)NvqD} zXkV5b?aoT1)o0>z?USAZA-7atoyB~g!^>540jUf}`{U$jU6dTHf0E1KbTgQ{nY%eW zJvBj&R-nnza}(sU`TjUttYl8B*aER!j4~Xppp#2QO~}!zF}ZACePp@P^i^<r?nv^b zT+UToKNqhRJE1XhDO{d(E{78uAh&|!(NhuRTpXXC!y&hV!>{1<vhlP5xm->+hx2!H zI?Fg8+MOpyE9B%>=(_;)e3a6Ml&7=*GOi!#c?H7La|slZo*|H$qEu*Ko}PV}kM(%z z$UY*)6rt{a$W9`~G~c>5*+-;^73zM3>?9Ja@9O@C?1lI=PEYRYU*TKlCVPp*u7bLs zBD*0zkHeGwL_*5u4*lhV+p)4P9oZAf=leK4H8BJGD$<cXMPij*#m_*C6Ib_NWM7e3 zl~;1IGpeu3pX@CXOob=ABd+o%`=j!x@MMRiKUIIS$4F>XrJoILlU(V8>@yOj<?fB# zDZK^0^vGVRd@4P%TdE%q4=4@gw=kf+NMBR*=jKQQWY?6R(l0%;MD3^YCp(Ws>D2uu z**kHiKeBtuPt}j?KN6wU{VeqZsvmE|A@o|EUyc89U^#4m)IS34hWbe)VySvjxJX!$ zvb#K8FMhsOkMHNyzXHQkKZ}Hws(Q(%kf!_EjrtwcLzO#SujedZJ?Y7vK)aC7$<6ZV zk@_j^&nP>m{z_c+3+lJTRsPg}sa=BgK>az;eiHS1`^!cBJg}V9-vc@I`;J`p4^=N3 z2Lk2kdi(p+r|}_Bo*k4PjTh7|D!nAVo>#!4q@!^pupQ-i;!jbID`at3=@I1kLMciM zTZ#IRW~Ok<$fuzE?V7H)(`=uf<#;qh%;o&$coOUDFLIyFUp~4HQEmwwUXCYIeC<Nl z9U8Axf0N^bU!I}YKX81Y@bLk5Li(EzpN{q|`?Y@@3+xB6`dFK$mq^-~zyC`+o8r@V zpxp$<Q+k_*vXhf~ndY-UdEK`A`jgbtWM8?Zo+kUoEvYB}I4<=R>+65nx}C^+29`sX z-(OEvu6Wk4ELWVb-^g;!_mxwYD=wfMWN-d_Wx1~Km0OidwU-=krv#KU9dihO&z1R4 z_1TZif0l0?Q2G1EL(1Q8Z!-T_-*_kU_m`KR{Uqz1jQ@e-TQ;t|R1Vd$vK+H~<&^rL z;j=@TPrOeq^O?o1OXD`#*{SoP5kOg}%x8hmeq=uW{v`96>Z^ZXx*gj!T^|WLmVXX< zl5{fNnE{;iu*g>*sz3QC%aG-|$|slcV}0X@(zCj*QhaKOj`7tfLh~z<PVu#?(w`b{ zWqvb#^_1Zk`0PlApX_T_89pwcJe2;`zWsI?UiCKB->wXhQ}}q_IHKyKuJbbe$pQ5z z?JV^53n`xx6hA&lKG$a-GJQ2_%K0`~o4RgGxjn!RD8JbO*L~vgzWV#;`SMCnb`j{* zy0IGf-MlV6f&;nVllK{NwvA^Lc^^Zik<aob_9$fj0do)YCz;nW_b{(#emC<*=5H}? zX8tboHs<@8ivzNJTbP@e?_h3WzMFXz^MlN7%+)?YJoCLQcQAjExtn<d^90t{Q0Dn8 ze}s7v^A*g^9KJvET9zj%IqO$rUe9th4{T(91IwG4Kg-<0@zp+IJIhu7iDr2yhc`A! z{i*qlnfYxjw{iF|=2n)gaoWyuwXYb>@)8bjXMPX!1m<d7b}@gN<$27jn45XsUd<N^ zSiXVf@tl8W=0z-5`!oqGH?rKz@>1q?%->+%z<ew7CgyvXw=%z%c{}sxm>b`h`h11C znfZ3+R_5<9k7nM;+|FFhmlK%Rv)sk}ZRQTHUpVtTmhWR;!2BcTMa&N{_cDK-c^&g- zm^UzgiFp(AcbK;_FJs=$d>eD)2T~u0n46j3$K1-inRztxzcIHnf0KCv^TW(t%s*tF z$NXdF1<c=PUc~%W=2q^H7cuv;JcYS~<!WEFj^$}Ax3PRM^9Gi?n7g=rBA7R^JdSxj z#~;bOmF3yY-5mcc=It!s#N7Cy)NeU+GxKWZR_5yZ9?kr(EVna%p1InGRQs+8EH7ZW z+84cqxr^m$A2N^2+lA$MELZm#1zg`zEH7Yr4)Z3CZ)RS^@*3t|=IZ_|pTl=$c^%8= zFpuZ_tjrr&zMQ#<<^7m9vE0eLfYU#lc`M7+GF&0cyRp2T<@Yl;9+d4fmw6F~H!(M} zT-|r)ad{$HZe_W;Y8SD5G|Qt|p2uA6Ltn<+&hi_Xd!Co&>CW89<Ll+j6FB_s%w5dq ztN5J%80L8_U&B0_<%5_PuzVTwD3%XoUc_>_iiY>bG2h5?7l$9typHAR%o~{B#Jruu ztLJB$Sbi(ZTUkCqahBiAypZKlDm|7z#@zUk)Sq0v!*e*yb6IX>zL2^1c^SS3^Jtbo zz}(J!0rLdr4>GUi_&u4sSbi7t`WIyS<C*8N{LjqmIDRkY1uS2r;<Nl5=0z-D%-qYo zh<P3JJDE2ye}Z`vbFY$f`sXrlWqAVgMwXw)yq)E8RRO=#eL>c5BFl{*OMVM;GxN>N zt;|<3k7oWT^JdPkH*-77uVHTC{01;jV0kig7xSIW^O)~qUckJTc@gtE=3eH1XI{tr zHRi2czCO$wSbi;YwXT1Jc@xWDX5Pm91?I*>QePD+KJ$lEc+T&9=Fu#Fn7N(#b<Dl2 zpRvpnSiY9IdQQd0+{N-cm^X6#Xy$n=&u8Am@=KW)uzWr9b}nyU=0z;Op1GHK26Msb zUBJAK<x3Q2`Nhl|SiX+AdhW`?you$B%#9rXLguY3cQCJI`8ek7EPtH2sadwqpP1V@ z{1E0=mZvh0W}d0SGY?^&!2A>DF6M>I^OzSiFJS%@^CISz%)QK~Gp}RrW-ixf>6f_D z$@^U=?&AY_B35|=c{1;MsQc{{-knlBm3Ma(U(UNKim%|^6UEc8+8>y{{}%_cJhbK! zD9^+yL?B-oB&XHVKsl{;26DC9t@2+JP+wa0l&gYC0qcR%NB&QPT%|z!QjsXVN?-27 zsNFi+x1#k2`n|1ma$PDBDbQ~~{pra48d@EYPVUzv`SeU>iG-Gwp5*>bGFH2#lj~*j zH!tKPx&L<_lGFdd@boL}j$B;_)p~F`?>fo-pk=<*2f1$J#453Lk|+AgE4kXORO>=X zzVb`Czdn+u`pPHya$h@3o)MJ3+h><ju6E&6e)Kz)!1DR+T!vrkvqQNqL)NCk(>e_O zS~rj<q0Kt-V0p**^c&s4@bb4h<RkO*x3}cWU{`_RT|T>!@^t)mI8dJ9Yd<MhyN@b; zcYr>rKJvFll!6Mc>{fDG9S=-D*JsyKzA7L+T5qR!f2i=Z|3RUollxJrK7GplL$&Kn z`_8mqr*>QAJ~ZiDr6<=}{r01{8iypO|0+LPhfVX@qm-v(zg#-GAL1{c+^_NXOSymP z{~eUvhYFNa`qXcwlk3}RSDW^Wss3vBoH+GYr_X-nexTaTmiy~8E+~D;{SJSBm0az< z%l-FAtX!*cTkfMR^XW_Od#&*G54peOFTdLVQ9i^YF?uNd$$hdFzHwacFRER2+Fz&r zN448d``5Hj=kJelpHS_plbrUSRBps+9Hjr!$^ETBx$JL#Iq`I#{mFem`Y)Z_A68Ev z$mbCP?MLnxsizc3PWcChr}X{ff!xpYmq+e5tEU?1Jtk!D^ou&_Bv(&6-~+b2U#3P3 z#Z`}2T=ht~U#*^!kk3iTU(w6-<$j;PJaRwB-+v_c*GF>tuj11_sCwE$?Jv`tACz3~ zBd8Q;U7xN=Dh0Jq5-6vAlR!CXRFz2WEBHC>r_);xRDP=e(A!MtnFcA5`y9W&9!mdg z=>1gTrGMb{Q|{}j+^N1~ud1}fY2TOLdZ5ZfWuOpp1eE)=etpX~h6Hlj|5s0`(DNKr zd%yk2=K<)ybaMY#J^ez@iBNmcuQ8>Q&kMMH*KfI>DE|lQC(u8zzH)zm6-ptU+=us< zNA4TYcp^s_KbJj7aTQ;3m#;jM(;FV7lRVouK1iP9yMD@je}DcQO^BAW78rD5N{YPx zHGED=ceXFS&Y9l$=!hq}5Ow~rqw2-7Yj=G+G)d0$lb<;;E^PPy+m_yY{G17CQ)L{} z`-Lf+ModXOpiLX_@OguW%%OW$o8kV>FWtUqVBgI@zp^a7A^TwZwlA|Zity5#$wNw# zUN@KhW6+=Wz2W}Hp%wjNzIbejoM^XXoZR)s@-ELW9n<epe5zpD)q~piuUs_q<y{|i z#vaMtBfZAhrz+R=>A%tT<{jUk_2%xIhn)50x?P(FZJW`9GVSxx2MeCq`=axzgH=`6 zzSd=G*bmFjeSY7(nrD9*de_~KO~WXE(Z9<be><;iW6h#1Ph8Py{8Lw6*SzFlenjQT zHrx9fy^Z;OR$PROQ*w0Nm<L{4eAByAX0|v7Y<Yi@Y2pi6-+y{f&N)}rcdfYKtF-rr zncn^kshMuM@EYfwjMQO&GWY!?K6LoFk4AknBtGe(m3u1AJvwuvb)@mU%#0a*GJ2D? zZDR)8wuQ!LU3mQ6eVc~<?Tu@eJ}`1Z$%i-moU(QP$EzPHvDD5#{^F}ugEn0`>qw|r zAGzz7V~qpm#ap{Q`~7!47x(Nn<=_q1UHaZby{~HT8-1^Muh-MJ?pR&E)_L;T9?P9r z$!zI<!ClLCEwc36blHaS;g1+o-7oA+S!MZh_uxk!Yh89uM)*084gYS;%ARxWJKrq% zblSYX(A}`<Z+V-3GSugsf2X*vtv2`754ZH%@%|@=vbv?jU1?o?Zu5`nFW(b8_pLqm z4_R3C$$LXS^FCVf<RruswwaAz9cwGN=r6CNM<is1z8Jgfy2y6BvHLfDuk!qCZ9DeH z<>e!Ldse>p{B2WHZ_qN1n;u)#XH9O|-9j9GYRAOff*bEU_wqMZT(<r8k8gY2IDOhI zSC@(pPuz3gz(YO1azzc9y8WSVCa?eNuGb9--_CWtUovRb4R@`a4GT*C<+Gcv{;u1$ z#hbc6lP{J&Gt~0d{#Op%kbZf2-&xPT@v-}{4<=1M_u1L6H?Az|*>a%pGTWR_F0VSC zxq8;%&uSvb%1omdR)z0R=u+|b!Olgu-PCvaOUG`@UDY~u#9LQ*CO;l#+!NF3IZtcD zTc0ni|M~D!Q?-B8{@F4xdr;QC^~dX4s>9CdY)hQ5cFuKWZ;qY($(;1`ZvDR-yXezJ zJzpC1;DIl#H-GuS+p8zcxUf31-xZeVZ4c~w^XEH0eB<NUx7NEB7GIb8)a?^{3|u+w z1`~d<-FL{$^D-7!Cw^6V`+$FZ^h?QKTmEtQyzgFEIyS#x`z0|W>R!C(<E_1o$;aNA zz5KU}&tAT0S+5-*+FqY9EYJ1Gm=*88QuD*}smX&;pO#}w@_(t>xA1GPW#%L8iyy3t zI9aXzsba*;)caq&aA@D%uT}1Uw`tXD<M(x0_`!XJkG=M=_wQE@GOudu8eZW2DaX|B zvR}K~Ki#%5=_=Fbe}Aww^}yhmtd{M!Ru*0};L@>==5}6t<vmBQh+KU<<KfS3XPvvd z{oXF7wk6+nPun$U%7){69=qqP?3#7Ih20VvTbr6YJaWX%iz`h3=+`K0YhU{`v95J_ zL6hmzqBj~|S$Ml?;a{(6d}rq`38QbU3+X*AF67cZvwCk8uk`z*K5k8M{+<c@BA-0k zJ|O-2hi{MmQ&aCXZ)UA}HSdWXpRSo5vZ+NMI)o@b`p&g!nK!gN^7;D{ju&SpuAVz? z!>g@V4gWad<B4x2{5E~SIqMdCugd*=@cd<~&r5ptvoDuKoH&wtY3taFJz?J4c8vZp zwp+jcAI4tY^uQ12SC#a>+!YE1CZD`v=cv#<SJr<0!{HBR7vG)zVR*}<-^^Lo^@($~ zy!XsAKc4+SboM<j&-ilhgTt5He|dDbAD_O*((97EeTSy(d+Fl=G3P8kRCC9YPk&gw z;q}i;ubDS0WYV0^r$iuKVfyIUyzpt)9iFnidgQpLOEXK~xIAO6b^A}NU%IlfVgIt` zc5n5v3469Zy{IAWtj8X^U%X_$X3`xyXC52>{=8YOAFh0*f8XQb>!;0J-c)&DUEE>g zqvem}ih_wPa!t>6?>nY%Lw9B+o4dR;{<dGL@_G%enfvRd4}Ll5oT%Y(XPq5VJYnKV z>vO*rtWJo1ysoTeQufQ=O<z}(m~(fx{=Gk}{%h&Tr+UR#-c@z!7gNSP@Zgq1hqRM# zf4@K9u*P!<impBKX#BU^4!$;G+ob4AX1$u-xGepPPToi6wtpA0yX5dZ&t(^x4s6N3 zW$JV9_joJBe4G1`%MQ+Ko%htIvwu0S^QekhI}abIikS0t;+=o`YR8-XZA;$~H=R@b zS?-a&-whpg^Lo-v%XzDlfBE6<m6KL^j*jYe!_v58V@G~l_x;AM-Fl{Oip%zP8|<+4 z)Fwt0tlZl_viy>N?D^o1?W6xTWpdo{_tL^PG}LKfpRD`(!Fju#yAms#KDh1UFUHn6 zU2U6QczAEm<?p_9SEOz*rk<_i*S`Ar&~uMPTt4Ibw<^k4mtM59?8a+K_KwOjUHq4+ zkL|4M`LcKRn7BRL#y<Z1b0@d18q+^+<d`>l#%#amq<j4P*Z%F62YXF9(P!`U_K%`J z+kac<)bsWk`kegsnV9OT9lJ8WG4|alFQT@}mu>6cU)?@p(t*P(i$;C^Zg|q%tdDwo zYo=d4?7cS+8it+xX!@IX4eU8&+y0B5?ftjV-NW~GdiM1%pS<GWmEn)QZaDbL#<`!3 z&R?`^qc>sHxG5KgZs_&tizj>j`de7HHA%}(jDL6Os`$e@5<5X}&e~;tBDDSWhr=2t zWcT>+@{v!Je)8B;&QA^|4SPOx@TN!JbvqvzbmZk7xo7q2KjMOZj^#b;N+#^TJ^O}l z9fuCQ{_5~Ushuvlt#07go$g!uWyXx&nIGPDU+#@L*N=ZV<CW3R7LI>qinU?mn(Bcc zpG}RFJo%-E3*LQbMC|*0KF=>1IqAn0lh(|*F?P%6Yi53SV!*@h_nQCl*6U#h%I<n0 zO(Y+A`rz#H45PRB@o9JGG%VQo>*7~)_P(>LZc0Yd`-}Hp^UTFZPxef6&fVST!{_dQ z=CRq|7RP^n{NT#JBy}GC#Hf!S8$kI9)9o)@KXK6|tB*vN{(aJ%$M>%v@%T?=Ij<ex z_2B1ymq)iO+4|^)?>qneRl&PkU%EQx&Am0ZxG(Sb*xTumtzFDFoR_&N_4>mjHYVFI zExx~dbGLB`6VKbe=|}sJ7Zwj*H}ZoGxt_xO2|fS%VPv8Gt@J;KwhVkIUe8ngGoUF$ zFb@h17g}gnp@sDjS|_tGbh=O&Iu8;CW26W%UMxbwV?;=VU4%x=6QO5aCqlcVim)!Z zBCP9;BJAu!5!USq(WzUt=w#X{I(2_bbnf0PI`{ZabnY3Z8GD*F<2jL<@!VJ~{M@Uw z@blbSxEbFCHhZ*)-aE92K5uIg=YOM}b$+<vtiFQ`XI((!2(6K~;>u;h;-%+SP1vS% z6ZsDm;X3+5n0Wo+2~m)bzKGrcML3sU0R^PDKS_U{r$H*6xBhN@TdL^BCv;56*{ow! zM2(IICO@s?{<gpBn11hbI(8niQ^!9as3**ycmK;eA3kfhj#0n8qT}sVuj%ru=k3w? zp6_4R`A>K6)p_S3Z|Z2?@fKnIz|uxte(kb-I-fjrzs^5t)zKDL@wV>2!TFBvzpc-^ zI=-+^N6~QWd%FC<r3VN_`xiRqkA1jF=bNs0UzcC>y^i@`J^BH0+fP$JB+Q@nrH=JK z-F;B^KRM<jLb3cE9c@!`KGyy3?r}&DpHQQtXWpP@-9IKv$L6e^I_7^Lewh60cP-G- z^V#D%+Lp9R|ESTQkX&59M#tu(^*UM(bUvb|Z=J1Uee-=fIt=gY*nIZ|Eqb~eoI2Xt z%XAb?pX+Fe9QLU$KfXdon{Atp9>X^}HcuJ(nVv7@t=xy-uUVJhZ+uL{GDFcz*{+z! zUoCjznpdxnd1%z$1tSazF;Vk-T()*sV$6N(vQxKR>x?;i%TrG-A2chbWbN7=&);!P z%)#=j9=K>+X3T2sZTpGN88JT|d+3ToV^+kp_x<iz%h0r#tIj`UZ@ASI6E%6&_C?3y zVv5H8_196Jq?lFVD+($;b8<Q>V&*L@z2ol1D`I}#QM0n)QfEx^n_B0$-%W{`(tqDm z&wrjClYH*%qK)qKnDL`tJ31|OVax~DwD$b*6HCmG1BYyHes*HaYtyZthHlM_**Rr* zb+1RRj~Tpjc1Y`WD`MWh>Z!wvUrLWjeDuBL;b9YEK8kzp=X3jC8*{}q#|Q0QvNR^% ze%B1+!&k?wUNZg3D?Uq)x!~5H{&fE4>tY-a*52w`9ut%NkJ>MCMP|$+MZetGqx0C9 z{X4(i75k+l=H_dk{;E^Wk{H*Lrzd^(?d+KHm3@AReQ<ir1B++d4)sloxjylOh{{d2 zn6HkUcpxq^BWB#)TaLbaEHP&1wR<!6EK82L`m0HeHg`tM_>XU#^5V{AF_-6k+2_gI z6Jw%($U5(W+pmtf=b3&xO>>fB?)&oGw+}y>9y4Y4mfph_CB?)U?LTb$WI@c@Jq_1> zdS^WAAu8s@A%?%j)TYN2)jnE#&9ly!0f%-}otrr$Cb942hrWM0C1&CLAFqm8kr2~k z>)|g(*yqJeTyyb1F8w(pCM|Q>Xc|9a@#G&p6S)vi{0(H|nEtoLPCD(1V;u&^{5DPG ze<EjM(Goc1zY$FGJ6ypj=G`dwbAtVS{J*L^z6}1g6IY*8*Xw^NRTJJJjO+49e2Rcp z3yjzttGh;%d|-M8rB%O16D_z_=wSw8RXSf2d1$+lcvV@BbD+K*2VLs#A|4qPm9%sj zf+!w4Z^6KX*vXVmL69GL7IyTzn!*)z@SCB>^#u8mr#Hwi7JjwxGXqEJ`OY9O(a<rR zo=0N`zj!^5Cip=e95+6J;<k1Smp}pAI{NA9wRiAapr<Ep3QTW-9?k?mH#W3J;>B(` zPPTv2rOpSgUAs0p5$Y4-d)8-GPSU^`llAnB9sI7A=>_^Nkm1Z7{A4%_{M@*mADJif zEj+1-UdV>qa13Qx*3oY)`PIQMpsmM|AAPrSD<(A@cRcwC6Dom;#YmaF5Pb~724#*+ z<oCKo8ALSY?^XfySZDm#Ls*ROO&NxJ6Nw30l%;;TcEGsj);*yOHx6q#a^#2ycdOpt ze*3MHuo=TdzR+4)@J?u(30$;jUxCqkwQVMtul9*yO3M^@;I-o>E98gQzoStaE)j3K zmiSGLHx7hHZIpb!bQ|VI=AqL53FC1%0(b=S?2Po+BaX};c_MvO(|Gu%7BNn^3H9_e zgliv$j|>loO`$&#qMW|?=i~f5y-Y1f@VQ0f0R4PGOMjf7!{<pzm+CW8#2fYU-!h<u z%1UYXLd#fj^jfRwI0f-8rLv)lopDaOF|-)yo>xx;X-1tbY$2aS%zT~oIie-t^pE6} zW+;~z%Vc_*$WO<fjCRJM!WNBsguLEm&mDV=4YxLgPU+mzfe5VNMwt)q>C|v@gW)#S zu61bF0^~D+>pxROnGQE1#4Rm)yEi~S;S_#jPT|*GZwtS^OqjLwrQ=VeJ$f&>%}BRG z)RvK;&<);YZo_w&Y<Rag*~WmDnXsG7>3sb@nBU+QJl9}SHgqv$Q6#%f+EgrT3ZK11 zSienCPS5Ay+fCR=O-8<jz-~e1azXCKVdHZ37jDzxTN-?JNof>f8T%lP0uB>gHwPY2 zNW-Dh2$p*x+a4hADonn5D0`|~FGM2_%8xKfI1pxE2-W6MVKaBv>$cz56@&9=N1V_b z{bj%_`i;Ah*5Tp-EnS7D_u=(Nj)b(V523am4SR<EbsekxtsBtaaBSr|qHh>`AwIRw zW6*V>9$vP?b12VNoy&p2iZHW<+kE(@{hjyeLxt7XPuAgKjyfF1byPDT(xr83N*B6D zfA!l)V=3&T4E>73hG87i5Dx3u#>0p(9OW=mzUyf?8r%|%w0i2i<;ca<ZZ~yoH%lGz z#u3NqjSkAM9kPNQew&;?X>912#%{=So<sX`8a*fsk7G)A%{wvH;3(uU*(m2UD%Wk& z7DsWv#F~uWUokA{hzq%n=x?U+dOc+Lk*Js62i6a0IVY&hMY~WZ9Lm;u2FcxM^a318 z-Zw~I581B)@_s?`Hl!ULARmLWM6ixGqTTf|^A>-*PtxtQ;bj`fFQajw!GIB1UMHF` zUbq76_%6iH*Y)DJ<7D{B@m5*Rks}|7c=JBk$l-kja)i2Fjz4tWnR1FeX6kt~>SZXS zac$r4$F(sSA8;M|-S`mqHEbS7Ew>%6OD5PE+D_WRP5Ri@u}+IlVQcSvhIz{8e!ahf zde!Oq`RjTq(#ANBGRU+Sp-cmb-z4ps?8$(7PyAJgM{y{7dLHNQ6Ml~Ck*Vt`;-&qJ zYcmcNuMX#p0X$PgSq|@y*uz@gpxUVjdOaUwg1jF3`=i^aiJNgWp27Avou!Fd9Bmxt zVYJ;KD%&j`#{#O?!LFLP^K8t~ZjfU^-)@?S!l8JtAX{ufx}po#N_b3iLZ=I5y?K;5 za^xWLd+Ri|BCksw+iv=4#;NBAXrdj58mIQ2L0982FFKtbXP?IY;&i+1cr9IWhCEJJ z&h1v{8iy+91!y<SYdVbOQ6n@l5l1xZ8PBG47-!v(eT74fv&*5^>3SM|TgCWeGLau& zPnU(pTj+f^r>plb!qy$rPtgwt?JRwV<0l-NH1#84TD%4Gl+(r^j(TAFhx}w;Z-q_1 zEaEM-XNWTi{Q#eO_Vp*#e{Q}?6PBwrk-+tzi1P&jJWE9B*Atq{Qa*>z&<?XvhN)DB zgW&<Ak$)cCn{<nDT3rk3b2Jf}i#a^<CZsv15%KAIN7u0yoF8MPxxR8)v~r32yi>XV ze77FDf&0&Q>!lw4cYU}1K-gk@OmKQ;)_i=vGA%`Z#7|5z;ByM}9jaJ-3*PrFsv{y+ z|Ast!OvY0o6mC{#a&DUbm5JH-JOg}>hT;<tvG~qtW?D*YPF9-TnUS1^cbq@1U6GPO zpA1b25Kdc#4}9W1+@W)GQ?k~?r)1%Cjrf*g62jzW-~*$$=|vu~xmj5V$2reP78eHi zF3`W82v2d8eCMyp#w*qrq@pa@^z92e6Nw@IFHp>nOU=%)<AaMLBMc>7nBme3m^>{n z32$e|XCn}ca&FX9%W>j^r0y9ROEVYauH9E(S*gWBTsdvt>}hdh$Bay-Z|Uw2otKlg zFk>~o(SR>oI4OJ_KCC+}D~rBOJDTzf;E!tl?`=Fz=Ljypsqq9c-<LEVBc^|UW2`of zv=a0Y4SdHbBre6dD&=?nO9JX0Bt-doXjApi>jp{i^{08x)a(?WLWF2S+o4U<(KN|% zsTpYI_k(;Ei~Ukx$x=1=K1Zj;_|}JR86wB8IcgKK6zHxu`F3nu;m`s<fOcot0{)zb z-wwBFq>8xIM0}ERjacnZS!O&f4=GoZFPY2a<YatX7!UE>E@JVy+Y~NbYe!o~j5pbb zinmzIq4>J>;Cq^4dFVWt3sE6X%6jY84bz9uGF{3xjg+Q_z_{G<Gb(odTyHvY{ps6c zaz^recWQ=i^WyQa1-`Gac<3BOkycSm%x4u(5Yv->AtWx-iFVO7qSycNj$e2|sj5Qa z{NGjqU#(4tk?J}TH|XcnQ}M25s-&L6M%`~VmN2D8ZV8!@jZ&m0>th1G87sDvCML(m z3-KUnYtFP;biPa1Pds%P?1s(4H-}TFtjWP=TNbA#r^LFPS>j}vI$e<IlZ$9dV_F8j z|C^aXAN`ddfyqWmx9aVEDp4=$PXU5O&a6~tBDLR@B$=P%v&93Hx=fP3kcw2dlMfFl z)LvLyCm*Wp<Q#k!CowlCC0o~of&967=j7(Nb91PkCYg8goTbt(E+S5+@tLXAMd`yf z#pt)W*)H;(lDl+iN*3&Jmda&5zF~_%vvdm~g0VzDpO+$Sr@QPwe#1J|#Nj`F9W*ee z<WS^8SO<LLI?Mj0?_lBwM>8(M4gmv*W(gqw#!~~*J@stwU(1Bjm9vC@EuH@xVrzfk z3_&i0ovJ(O5p#BZpGEooGf4JCPKC`E5fStZfO1M!@0I&u$_^A#xWIE2?{wJS(_lMO z`2TKsaJg;0PhDPHmDET5R^BHpW(-c?4|rh@PQRDL*gpvWuZvBmbuw+sY2Ck`_y2?x zPXFNsS-R7ISm1v`>Hq7>a9Xo4$vjVM7MB0IGW|EE{C~KaXa@DhWvRom5bRIhxaP+G ztkQ}@@}#(2;`%3=v2u$w;Xmi==tcOKN<S#INb&FfuRkfhY>dzRli??G_`f3jTO}<e zeZ;3FttHo-KK(xz>oMkr2{HGB>p!rFB_AyRV9f8szuok4^Ksmn{#ll+iO21xp>kaP zSMe|G4syB&Io<zN9Ep<CagwjOgyeFIf~tgG7l(a$3oro~4|LH!J#a6u0N4bq2Sy!( zya(jKG+++U4O|D@4SW<x3z`kUd|)FXHq4rU&A?_LeRR1MSP#r=*TlN>u*3&+n6XC# zH1@_?J+K*=kF`KcANT{!7eeR4BkVwWj-UuQR~uqz#p3D@Vu+#Hg7U%NhV@G;kk&CT z70sdvm<L{nh1A~QUf>1524DgFUD!(}|9oH<l&cMR9e6x8q|C&D%?MYIIr62#skH;A z0c|7jjZR<zkka!4KN5+CW^CME4DNvPZveIf2O^z(Y<Q*MX@FM7_$bOZU$}Hc{>*93 zwAhdunlP5ujGILfa1gK_7)|MnljSX9Yy>_}<piFiwP;2>39$y{$_G+88-NQD-*O54 zCN9NL3oO@C3<;N_e1@flsEHKb5rXfOBYd+kVWGOe)@rcF&~J!Zv^HSc4_G(99Pz{v zt#GmsTf|aB^c0z%7x)<RvB%;*9^vAr39(Hi8}Pz5F%aB>4fy_sM6GV75Vs(l?MfkD z0UG0Ig~6#60-w>K@7WSf@j~2hNHP@6hrWP~izvS%8m&>BWB5cXx=M(55zl=!^o;V? zUQ78UYOd=rjv$=%dZdGTIF`U3kbi*#c1`7SQobn$b0WU;jr!S=sD6&nI$#&b3zw3f zoLVce2;8#_8}Nn{gLOICL!wp-oNM^p043tLcgP?3kk(=_W>PyRY6ZYr#H)4VUJB*N zUrFgDYE6t$S^Br|w0z(_@Hb`4bn}2KQLa{<w`lep>{<Vaasv-idf1=e3oKZLXF!1M zz=y;qni+S?lTptE;9Q`44fKt8rnS^h9GVSy7s}ZToCUcJd+l~g7w7^u0$<RU8VYZK z9c!r}t$)_-O>_K((sdZ{U3omC(k$?udA)zYRFRHTiwBauyMd&aMjf46)Ou;B2|%(V z53m6FGy(SlEjMD17Fc+*5MKf7Zo@hS&~ZEL0CwAY2kt3;LVY)&oWP=uuy>&89wFXG zeOrO;l+L}VpXLgSzYp<3k9KN$P>64}qah6sp<ITeA+3*KUjp@Mcua_E5nnt3`v^T6 zT3d>71w6V;h$ls})(ZR@?bL+pQZ4-3fa|GV6(}coBXE7l=OOWx6#j^2s)GLEZ`(@0 z;dg2t;828bU~C6IiT>~1hH($!3aVkp;)o%-Musl}4nn`Kf0D+5L@nwm`i4Em58w|X zH6;IO>Q9MU8*nAiv0Y*#@D}8s@C>yl^aP~v&3`5PJ)#voOX(efLSZk+w+SdPetLFb zoCFp=NBKJpZNO)cuJ>;g-l>_Nr{4r)oB*B>%R1%1Anl-GC;BnsnO>xJOw<y9#Yn#$ z7zw+w)+1l-h{5|3><HoVc41`**a+-(9Q|y!5buC{fX67ESA^Ijnhi}r{614NzDjy` z7}|kUU)O8sZwQyrfPGpDzek8qDL)|Dt^IX5?&br@{u&uAe}{fTQbP;hr19WWgX=BK zDUiQspAb8=r6CD#!ydF{A$jizF%JH=ckxY4VDx*iA49Ui)g;I1HXyZw{e9AFqGtPm z+ZX6Sc<+a}&H?Qo;d%tjKP1E^py@EmOS}cwH=y@ZA$9|6KZE`LjQX_FxaBm6qtt#F zAAsZFU-TvVDbV;eo;g7HMj*Af?Hi1fsILRq0{^J*U@tUIe~<AO;oUzXf1u+h8n5vP zRl6L2i-6P6F3rF<FfP{~r}k~p%s&g!fbilM(&tix`B&IKrE`MxpJH&Fq;Ux2{cmU& z4fzWV_J#fooD2P1G!5xFwKgENyURdnq5p+Jj&jv@()8<JH1@*#!ru#AgZP$k4ffKa z)dNQ(eG#EyTuw361D)`X!v6JKgv$ro5U&B~0p@q1@D8m3m<&#P;13~w1MnU2=$^O+ z1M7Qf;;<q0EYEr9v*0eXCc?F(P<L;%(XUAJLc|B=^~2l(=(V5^0Ik@^4kh_Tniv6e z57xvsjDHsF8*c@V9!lj*G8l(x`gOYixC45#4cE|*F^&V@LAZGA5w`=4_#sX)#t|<N z<AK3AlJs#{iwBxdAj~KYcG)Z%qX>^^-qEDD7Oj1ZCa#6Nbv*W?fdzJy2N*R&)5lpm z@Ek44;FzhQzaG}iSE4*<pQ1R_2jObtHSs9WF&F1R*8&aK<<CP*3pL$->_GG%L)0Qo zyrQ*qvL|SIKPm#g0{uI#g3Tdb!qu8SuDPz!VE>q30G~m;ylXYgJ77;hBj#P+>#1Fx znso`ak5fwkrl4H)!0V`dDVl!$Zw8tX-jz!F`aDD|r*KZK5cmVyKR-=FSHSq1uIblv zbA~3yQTR;MJM=R{Q8wk<ENXMGFAaZs-nSm}E_zN;9K&;>YoRwFJu7!7u7mXa17R{F zJ%>h|p4A$Gagd$`xEV<M`Q%T}I}xX6mWb2yAjE4K8yVXe>G=!FKN?8k5*YJ<IVj)% zH7+0h0@cYYDJb!jcuQ(a>PqTMno62+x71YHT-sXNRw~L&WtOt2GFw@EnWM~ImS0v_ z<|(T!t1oLTYc6Xm6Xm9IOL<hetvtTmQSL6!FE1?jl-HKmmp7I-m*dJ>VXClHL{-=- z;wu~#?uz`1!U|7CZAE=WV?}dCTZPzc+HBbzwb`~gezRk<dvpHg!p)w|wVUfVH*Rj; z+_qVGO<s#P%4_q+dmUc4H{V<6^>}N&_1;Erv$xGFwwSh9wnS~QZHeFF*y7%jzol@C zXG`st`YnxHnzyuV5tXJ&OJ!80tunsSQR%MCuPm(eRMuA3S2k8Q<N7WNVMhR2ns$`O zh!UAmChO*Cl**2BC7@(3l&xTM(Pl5oR)^9xY<6sMA-_E2Sb#i>kgFH@)*<Hx<lTha zTakbJ79{S0?LyBMkJS_9iT2n$c2B$~!Q=3_JZ?{(C*M=xDfAS1M6t2hRBSG`6kCg< zild8d#rER(;)G&Hv8&i!oL8J*Tu@wCTvY5S_7>L`*A>?nHxxG(Hx)M*w-&b*w-<{N zV~MH6Tw*D)mPD0Am)J_|CGjPW5?6`4B(EeNtz1}A6wuNQC5_zLZ6)m`qSRPwDm9l{ zO0A_)rO~CfQhRB9X+o)^)K%&(%`43>EhsH4Eh_btdP{3d>q?upwQg(QW~??>TdSk1 z?bQj@uIjw%g6g7bZ*^UDLv>SiYju0IvBq3ut%<I&*Cf=qYVv9dYKm&SHFY%&HBB|G zHSIN`7JU-BF?!6<PBb)=0IlRfBSjvsr_R&hY4Wss+C4_-#R{F+p$`{yQ2;%7p@Rn0 zzZG>iqTW{2*<O->`jSN#!J_L*8c@Sl)Xs>SSy3xHYUDy~3Q!X-YSB>I1UqjpHI|vn ztYy(<_OgUBS6N<JL0M6mx2&$Lp{%K_wXD6&SZ*%2mPeP{%M;37<$2`=<wfP*^1AYd z@}~0E^7e9Lg}K675nW-gNT_gC<W&?@6jgXD>M9y4nkrf=+AEB(DJv|>4r_94&SP7u zgB>+(Zr$9z+2}QUt=?#_-J9TbdGovl-XgEpTjy=?HhEjU?Ox*+^A_ut=q>gw39!37 z*jy3ptq!)<1UqZrVyrY*S}UU~?Uf0YuFAa1g36*wZ)II&LuFHCYh`<-vC3R!t%|O) zS0z-rs`9D|s*0+-RdrPjRZUf`Rqa(q%wa{n91s4hdRtqis4`Vqs-miFRq<7hDtA?W zRbiE<s<x`Ws<EoMs;x?FHEp$QjoND48o$-C)x9-;YvESU*4nN0TN}4FZ*AKuwwbnB zwnc5TZHwRL*yi4rzpZeaXIt&I`fZKdnzyxW6V;|_OLbJWtvbHiQSGkIuP&_iRM%G5 zS2tESSGQG*8dHs>CaT6(6JO(~ao6P66xMiZYHR9i8f%(s+AvQSjhIIRgvaEuptsu4 zQyu7~`RJh@Ppzlk)97jTw4tw>&`+b#N8`~y-RPTz=$EzVla1()ZRm?8^us9hLF$2S z^u9v$yjqN}jTm3s(A!MtX;J89@#tZ0^sYkmtlHB0(ngHDZU5$R7xih@^t~Gw>MYvi wxy=KAlR^J(NFn-3dx;r6BmsRx_VHGf!v>3shs_0!cEMvEQu&YjKTrezA7+&aSpWb4 literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/setuptools/cli.exe b/venv/Lib/site-packages/setuptools/cli.exe new file mode 100644 index 0000000000000000000000000000000000000000..b1487b7819e7286577a043c7726fbe0ca1543083 GIT binary patch literal 65536 zcmeFae|%KMxj%k3yGc&ShO@v10t8qfC>m5WpovRhA=wa=z=p_%6%z1@blsvwI0vv2 zNIY4alVK~j)mwY3trY!Sy|tffZ$+^cObBMdpZutbN^PuECoa`kXb2K>zVBzw<_Fq) zU-$d^{_*|%@qt&)nVIv<%rnnC&oeX6JTqHy>n_PINs<G9rYTAL@TPx0@%--}9r!$a z((i^#&t<$Zd7o|Z8<TGd-?_=NVdM9{v+=gOJh$I=_ub!9J^yrvXQOtv=gzx5rAw<k zcYSZ|9am>%4a-Xw9jfY!Ot@}WQUBkK=MqH|Mf{(O%J6=?F0E)R-u5-_q9XB5EmFjL zRMB1HZ7a&fd)b}0hpCKjVjS>G(qfxk>Uow`_J8Y;?6yo>h9td;lqFW`r_=Cu;je?@ zJ}aCeNvRaYzy7!6vsuJK8t7Ip04X137Vm)<B}y|cNYZo>`v3N5I`@q}=|CK){8#_3 zR`1xV;$zJbJP0ppD|Paae;!F%bM?lxx2d-wfQV@O6ujTW-;jSkRCTolCLPMh2Nx=) zGP{NVA?TB&mP=FqZ|whc3RJSvJUJGyHOs!nBie<k<-z=e)r`kVud+vM0lsONB<Y9b z0<+))qcqReE=`GTutop6y*iN=`x&*3EzZknc4W?3rP&uIJaeXK<D%wvS9N4nkT;0D zPW$-+vpsE9St6ytWVaCXsHU`%GVdR^wE=Xv01fto0vp%r_OvPOWj3j{W@V_Y;fxbp zySskme5v4&(U>PA7G%%m<=|b-UJ~!-boN$bi#jT{Hcy&A=Niq?KHpr`Y-?=MzKk{I zIl-)f*v>o`q`5M7OP+gKtTfLZsOCS(qPDr~x8=!_5`6-VLD0EMY5XaI$Uqq@V-Jap zR-V}6Ja=V~*CHdz@F4Rb<?;{KZ*yd>ij_JtwPEG;g{#zT!Uq*Py$3gDv`Z2tYF|X8 zYEi!^3#I2mi!9?8K!AuX>_C;=ltI=m5eE7*@I4UZ&p}=3ho&bc^h3P|C;`K|s)PJt z@!8GLOb})@Yp*SMou>fLhC@WZw%7ar>1Sm0aW&hPm&@Wqv5z<cJW4gM&zmkfJJ+a@ zj6&r=dVrlbR^{dLe--p{MqAX8%7LY}g_XQXq&T82+UL#6!luP}xs6BE?<fb3E#r6f ze^S%+ZFw$9UEExnmrHC?k~jf28Qa}v(?%Aw6cJb9i=;f%LL7GNV)O&mRYm+WAK2)J zoc6N?AE0A$CG}^`sG(_iS>i_&0GwOEjRhPMrYB*+WA64e$@ELiFO?ay?gvgcC<n$Y z<L^1CK%h$vSZG@q;PL(x?eqG1V1nyS(*z5;SA+M!_HB5xgCaCQzioLANgKIa^30b| zP)0-wnAuW?PuhpB1D*9VD+*d7r2(|XN$tU(8-F?I^V~ojiGY&$x^&Sr^ySP^J_*UW zrARijT__0kuL5&8h*xu#MI`axM$bS5AWndQ;JM+aKJrO?BE}`X#TVcgz$PT9E&8Dq zZ6JXIg6WKy%Zx0-)XbKtWRx0n<OM3tY=>1!dbl2?B=#{!9_2$Llg!~3%n@58CG`RW z1LPlkk=p2eFSa3N`&F?g@~A1mHitQyVq0yNK4^CN8joui^5gTpuf^0f+qMtEYVL?F z$fu`~#PaZA)VQ4Amx;XbZ%EJqQT~UlXZwx7HHW!>vn=MgCVU7v0(=qWSe%!~9KS(N zgLM=3LHzO$mU+*{wx!#)wXd#auhgvU=lF&*IVnT+hZ`~0nCHPOETKA3I;S!sQ8$^{ zZcv4UbEsTEpxvZ3yazYCQD1%G)vA+(ndH~oy5$RmDNA{h9?j)8QlvdBd-|V!63d!_ zr{P-1vS(7D+|itM9Rk61MnI<ijY!Ly%7^jv=YUlg`cLmOwOJ@HClJm79G^?wO8q+) z2vf7m?6nYbY6S#*GNiuY5H+x^+G@?tJP#TL9re>+K~KhBa?C)KKh+E*p-K?e54p;H z-uNb0vkbWyR)1lbnp%G$OG`vjpo}PU*o}&pp;`PEODluTuiNcFBFmELneD_AsyG+G zkGm*r)oMJHmxrXL#=Plxfj%;6&nXBm<I#%{teK#)2aU^vKFj+G2|d8ZfX<DYT4pfZ zfo|^HD@jrnxXrnoJ(D*BEsHtwkuBFp`spvA2GpIQLK~G_Fij)vWt2{I(c2x~KW)!t zCOE{y+%GQUQ^og%kazlaaoZ=NV(uK8O?>)d`#6i)km>UtDzrb-*V{hPU&@;WB&3=+ zxL1-^s(vuM%+x$5wc!b>TMmX_2j=|8Kt*)b-4;r#_ff_ny|oEKpX@DE=!THWD9l;8 zEWjV=HO&BTAtLP*tp;IMlM0_Vn8(sUqI$?Nv_U1G^tEZC@of=jxa%BH_{Ai!MYo}y zE@)vjviC#f;TCVZ=HXtX$EDFgCrJNz+eAX#tsgc!-#{X?u;vu7>K}|6xr+Y+O$ixV zZ+D5)r){a?S581&?=jW!dQYD^njLNZDwQ49Kbq9~QJUTP@Z(p`mlCNjK7uj2dw$*y z?Fs@NOQ3Fcxb;G+-Z81QBhBuJS%CWlpf9gp&E>m+$xzI$NMcrT+APveYg4QEVhkj# zC+2qrf~MxI;{Q2Zk_`Xps%rkG7-Dkc{@y;QZ4Oz0#y`#fgd*BZP3DWK6>a+@*L<mM zcZ+wv6pXlQp*qv|N$8nGnzy|!owe_wFT`9w_5eJz=cRm7?ApYLBWTQ~Z~Xh0d`OLq zTT$CqaQsCoH<7xV;0<Sr-s;g0IvOs}L}lA&k-l0$xByYj4z~8BGDno!&c4z=oz(hi z8grx*iDYlPN`q&LaV@ehXt=Ne8MeK-x}c@DjsM$J%twl6LU~JSD&H^}!^3Q<i@!_g zv@vrzI}>D@EZXPo+Bl`5Zw>0+GLF5OFNogis^p(SM>i~SO7+N+7^b&-f@XG3hYwRL zs{rPg^&WTKXuZW1;J*Vf^E(^LEqH+VoqCH0;~Qle%pqFtZQVGjSX7wPu*PZbFwOi{ zG*lGy6QCZdX|wX?4#`^~>lfT8wQf{0k4{L2{|oR+{f=JfFn@0V9WOeR5QLU=M!U6~ zB7d(sir<zi(J(xWuRwrR^cpgzK1ceMKSTyn=7h94qQ})c3tBJ-kufbC-S8FZ{*A-+ z;wE$p2;6zcG#Z^Q=wCTDUVHvM{Uf{T%s<wYuE%Y9r%meyA9u+1R(iScdR70ky|pt% zO*{K56g<p=`;6dF!Rj_V9Z4Kex3fBWL}~ny1nH|{??HFC&$rtV!@%g$GEs~YjUt-3 zyg5y8xAoVl=3`2GjRmRwg}nzj?Kb^myE<wR3=lWy37hs;ROnh+ySnXsoC;P)_ZOlx zK7zQFs(oe^qFNu3t$Ssyg|9J2k2}y#^%uW0`}(%CH2YD#%Pcs^MniW#E!k`h>Z!)# z>Ws#2b>jJh;6zDv(pxgML&lgyPQ#zcbb!!sgpiDoqu{tG6%!Ja>nvz7KufAa>qaA# z=oV|HC9oE}Y-%~C<~B7KIy+)gcYDw!`k|a8<5gBx6?_n^Hfnl`YGk#JRXDw`Y3W5Z zF72K~Dqd=&sK!kRIocXZ$WcQ@HMx}F(UwwzM=dX^$<yW*)lApsLU0ONe1#L$wDK}< z+m`P7xi@OFy|1a`^g5Sax&QBIL?i`BM9fM)?J~l{Rc2^%VhrUz829&peWXrWCnHlz z(^x9cG-`TL;&SCcT7aJf@*!}hy(}@hIc?50YSx@pYQ~(aH5qypGnehQvcielAG{aU zX~0_@&*J%hxyYZhxenZpYC#MBj39u^sFM>J%<uNLp{5+>??vDyuV3EiM+4QdBA;io zzdv6tSFL<#t<s2TfRwNG7HQKrPlW>QrIPdbG7F+JhObn}j(kln(mY$%K{!!5k#)1E ziz+3WTCrR!=CNXVR%|-O_{kh9N!CV3M%Px+KVv3eg)|H^tUYmMQB9Bbm&lY5<g+!A z3q(W{bNLa7G-%8GR2a%BXjxsm@<>uSRpgw1Z~T#cB&t&nSAs!Ug_}|kVHMz$WCS?l zqwD<1@hy6X9b^#7A}+?pyqY#|7U^Uy<!oE$R#G6OIHC7~?928tC#m||`Rwb!vt=?X zUvCU&<zZuqgAMm)Z5TgaQb)3^o#QYflyA_|`O&KZm&VE*-qc-V@o_Xmrh)G=FTI?~ zaUiwZw;@Gy>*X6#P>C%ujL9h3=b(@6wKWGF78?2)w89yy=;G^09Q<ASzGu)Qw(X;0 z{;ohoCMo#dETWJz;bQfN@r_l;$_tKiy+f|A>y^}WR?(y1w&Cj}$@F5L2YsfEL<3pY z8Z-dF^8sAbhP4Aqi=v(obhDs>e#QftDyng66L`)T%)98HH5&8BF<Y>v2#E?5hTb_9 zH2mD~chFE=MQHmw0&)Lo6u2YqKeGV1@zG*g<1#Bwv#zb_%-_+JlMrxKd<~ir3Ze1+ zy(_eP6{~SYKhV+(S~~v~1yt)79UHaSeZ5h0^WBheRNU;+TO4|;1L|kljg`GxMRVY5 zgy-B?`L%XKbD$65%Wkaf(<V0uOoUxGf)z4#f3Kscu6N_X#60DBpQ${*$V`+W)Q3=C zVh%!IBlLCRI)r)=>P<|yYD*~1E|lWFafIgb%{TqMMK!$}&wwd`weq~AJfD%@n)sU_ zUiHfyy0+TP&cgr)(wf;G1RCO$+F-8vOp><HO7p|jNn-Q6t|xsd^WT9I=Ikc$B){h> zOt(p4nn%&aNx*RFpHZMF4f(Ufvk=7?JRPMYo=R06O@dN!hp9(J{WAdZdPL@b!%!G% zLqHJ$fo+g=B{EqW3P?d+m=J67#;*QZ08JwbS`rFm!NrD0j{xSFfN^d-(+{H;KZnVO zq>c^Kn`akV>TQ^)nUX?$=?!SjnvZ-^xEv3@Td*3+ToB$GLi`Q1f1eLu;*Pvh0=OLj zdhtFgHl&UZQ-JSB8KgFySnsCLa+gvITEM<JVb|Z0=_NNbv&@H6(`bHB@Igt@ghI@c zl*U&;NMph*gq!`YU((D;uXAEi{}>T?_A^wxGy~aKk5P9rYN}h!*-ueoBA*hw4DFOr zciPZ8^v@j#d(UsI=5c%~N>l%e$W7+;ycJQ_!+(R9k!HS|Ec90*HCfot5kX%T)t%N- zi~Jqxa4NIzB;-ca!0JvWei7b)=I>ieG+2$PYbd;x;wr_LQoMggi&;CG;F7fIhG-(% zJ!c$nrEc$qdPCdkvnu1mRQk}y|2ztlU(w@aFd)D-lsL#-NVQSwulrLY!m_|0v*K-t zB7y%f8D%CG3s<7iT|s_@7ZVu%+>P|Sc?3OwD#DH8xgHD=<f-VsApaaa9sX=8nv;#Z z`k}l%#O<|7rBhsro=L%+c2xoT1-LwYZBh#O<!BUXr-(Z|lREpYkzkpMTP0~-Q7W02 zwZh$V@M_pc5wh%Sm%o^4qt8t_^m(klPsMxqW>>+Hq9%@@@^GtBaXR79?>LQ?^WZ#C z2`ni`a{1lFpInCsiUb$05edblZ^2mnBP=hXEp>8aJojRG7BaJEcKD<{j}yzhTP#U? z=Aa#XBtim8=Gg?r4Uj`5WN-&1pw{2h8%&)Z;9p{i7uubJoO^Qd2$-{7c$u@ERF>y& zqN~6wdfjPB!z|)D^aBs!k+_=q&oG%~7!{|m@ca2}v;&KPJ2>;78Umj~@P&9JSqLha zzlFYP<2&bKzVZaVB-Mc?2YHnu!LA|`O$fbh{3s#N;_-HA4$=p_MZ|rGufc4|OmzUu z^JPvljA~1&s$+Aa<w()zNx!G<0L@dyGr)f#BOMeS6)ST`QZT9-X)BDf9E^O4EH=;B zE*o==+8m?Sfptj=P=j*yt%Pm3WkA!^$&z|GbdnQQQMu~aAXl=XRo6Mq&w=2&97(@S z($~pS2zk2aJAG=JelIfRnTs4-Gueoy6w{_W-;!`D2U;p&H9!}KX!)wyGt%13G>Z>O zBaXr}qS-H-6;8gFl+j!hB|&HG__QCH?uAZY6+qd0>UH`KS<+@;OtPgV@|*2uh0NaK zb;wtOjM^yvHpr<LUa2YUt!L-)wNxOQvg7UAl}UBoaAs>tzb)z&!{3Y1&uQu2YF0;6 z-&pJkNPw~TIeP9tMbGFy@$3@M*Ts{I=TY%&5zoVT@~P)d6APo+yaISwqj*6}fd26l zSTkcVuiyVH03~%8i#~&ZzGlPMWCA!0Gf#IJR{FI;?gP_@en$)RA<KPQ>9elZzErW? z-z!$}DeP6T*8k_BYkgYiUq~IY)=yyvyM1}}O7uIRM!^y9drD&sLd~O$*hyeu#5%<D zB|MuR{sPa&<4WTs;8UXSCjiNK>=0hc&P=2=ADrQtvtr8#<-kGZK>Z2~i+YDr(2b== zcR`DCps{r;k|OD?J&uqOeF)jSt;!F64YPom7yZ+9fQ}L6K;B(=8G8lk_6m~j6~x@z zCDMtQotu#j_2}HA-lTK8dcDqNby|73nvIwet;T0PM(}dy%>!Xa=e&Wit+N2(1_4tK zJ>Ho&@F}G;2jTj!uGD5=No4gi+tKUoGxifUO6&p|zC}*Q`Nt@!^HZd-C<VXUGE6z} zYOGW~YKVB}>-c2srIvNJB1pwv_RV7Hs}lRAC|1y*^It@P6dqcjDCIs;$|7}n{a0bN zwEnC0YEJ!ETa@VSNVnP}A=G&bfqB<!qf3&BkW{O;I*ahh!r#?-)j-(OIT_(*`<&~w z3HA5cW@%$e`m=&S$*g^tLCz@<0M`kCCyB^pUPuD`kpR{zjc?QYPNne;dVddtKfN`j zaX-DcDvf*Ty+UdHHQvTv;)Yn1ge#yte=uO|J&YiKVh)%++R_{)&I_qiSd0WOwwE}M zKLJhMY%j5@ZER5*pMVy>1mb=`bXK5zVw9e>%7YwwQE9vvGOqVjDG&Y)-L5pEZIaIC zt1d9l3jE3C<x2EN7|!Ysdg9Sts0z6xi~B92`HDn$#vVI|kHS`EJa!sEBl<X=N~|0e z#G}+#WRvWC64CQfBGXLJSBXA?#3B7;AUgP28#eff33<>jm|E(KL}PG`1?WOK18iyR zr@EEK-#D<=?b9-MKLq7qL@AMpXFN*8q(*e^0F2H-_4k1j+Inw(tI~Km%BD8|oIZZL z3U#LP!ouD_m~3*fC^b0{i;`Lh@J}(6VsVI}X;M5&;!2eyMl~<&Z4!WS0Y`~eMhmOX z*{Fz-wZUowjBH+3?(n{;&a#?E?5n&i88K>u>i%i|!DBr`8qsAZj-fVnlD&ENu7UOj zcr8tPJKsdI-m^h@@FMC~8b8KU@3}+S`I1Qgj`G7<7-#jKJJoyip1alQde8Ti=;Qd- zEqbZmLK{d(>TSv1K-&|`*$o3Y^LH_kih}8`ftlRO=24yNSd>_EospK1t)P)MNSMz5 zMFbXV!)H|iohdPqaK2TlCsdyXsw|yVJM_5R`8Fcji2AR-qupV#6XH@LR3unydzvBM z4f~1F_TbC*c}(zSLwgMXgM4Bpq**9!s9VzD=qH!e1;$?DRCY2k%qp0&7j#pf$VRk@ zJ}vAuqB{{t3Z*G@GUUh<RahMtFhwyjk)sMzr4_lDBo%wm1?Ew<pEzDWl-uxWJxW(S zme6Q9$r7u~*=q@WxCI^x)$b=M|BjXmCLRK`hJZRJi82A?y-FLA>=QH+(oZ~6)oG_G zm7oW8n-SZG)I^@nHz|$JLoI;48x87n8XKNR#<&=^F9+-;eGV0gPPh}0%>uwt*&h7^ zikjIJeH*WM^eCR-1*y{y7<3vkDAAj#<hY}|)uZNEl<988lt+1aVQ<1g!t+y1WES>P zqW!0sNgW>q8t;8)$CzynZ~LYZ=TGX#rStC(HZCa)yTB3evmPy_-~(OswN&RE!Vcqf zp@Gi}J#;B+uy|&hmNr=+9n;P-K_62nm1xV3H2SPw#e|IhbXfof`+6|7-a1piP-HwN z7^H{2zdg+^sM$1pNn(G@e>T6pEQuKCV2I4dULmNrfxpt(oApIA)u1V4mx*V)ZKf|V zchNeer}=!|H??#5LN6WbNlX_CYfykKg_THOR9^_2FTwuZg0(8r_mh$V#aE#VnGn{e zeCl;DfP%p?tggB$k@J+TKa!uwd@4m9VSVvf-3M5SiBUWMu?`fM{}^?u#Rg7oj438} zF(JrR5f9(+cj98FDW)K7zZihT$5@OwgKx%nE3=G6vK4Y@Bde<-Gp$1S)m91meo|RL zn<`b;MO(K26BC3>4jV6|nK2@IAd(jIpM#El1d*~p8E?Q^LTFiSdXY#}J?38eXq6wU zILE&{2PF4XZYiYgP2}og_GW_ZL=T`a(o6hRfQ6D1w{88ns)Va232{Fagx$LRq%S0O zl)0Az+ySZ5pA=~!CT4ui_9ihZH^Qxh#U26>6Z7Hbqn#h2z5ie)Ybiu*0bt+kjg>s@ zjA<Te+x6L%J}EKXCyl?tC*6y`SMYZff1{CJnvdz?E#UyIH1B}!gaNm%H|Bp7#ui@( z%oNtXQp6YWU}CIctPO>{aix*=UiZ)(*qFTw&sY<UCyANuK8K{sX1gzSn6XuE_vK0L zzG=hSeU~9x*zTJ}dxI>C@-?(l4s4*jzOJb5O{H-dahv}rm2DF96vkFyo8F5}t^)$F zZ(9oMi~Bo>vl1%_AO0!k4`R(0WECATr`T9CY<emo<caMP7+pC8BYll5)vw8`??*{r zQwa1doJQE+frH9%)8A24O!>DxmPlhFq~FmY!A0jT?5Z*B+?Z-mztE>vHrpWqH$Nq7 znQ$bS14=<K=P<2<wbKUBCzDz~Nwd$g_PdY~mJ)PknIrr-mL;(=XMopVX(6vP9zl!D zG8t8u=>F3%*>!CDalr@dER`@@Y?!6d@*<PA64UCJIO-D{+shmcuo$LBx>vxe+Ey;C zzAb-8pA`ZV>?nizOJLlY2g_U%w^_#AX+&7PCq<)De2EOb$F4aLln1f;?205wZvaM# zVFVXXgXYER?xJ1UNedWLbhw#43pHVVJOXQCT7oAT1xqP@drH6g1<S->K{s|^C-D8~ zII-`VG_Cp(PnuTk%;)M~Y9hy;0G87Oi^b`fGFXmJv{=-iJc*G;s){U*MNc7w4PZX$ zFG5NYGosTWBeCdAJRx94bOr)R^%*-w;fF~?jmJo-7}k16tTxu|e7FZm>vqP@h}UDJ zMb_<%9ulu7Tg2<vB$|&tC^RDTJ7N`%xTwhn&1g*%jMzDVutmMrtSTNQWXCw9mbgHc zSQk?Rq?y?(K)r~>PMX=bAQTgbqx%Agz--_|=gN^3-U*{nC`=`o*^BWB5aoD5zDc^L zbCPah$}ndW(fDOKfCnSmYs?O0|98q>)A^t1Kmi5fV)^NK<0K|?>Ztkpg{wAx87u#* zeqqFx;gPHrpt<9XQ}|ZXmRbrVBf~@9!{b|~w(2b~o%2V>(ripi+vjs*FBxfV+~`j# zwUV4ks{+SXm<c0&r6KeC5rkopzl66j6a9?+$nen{e9~GIIv0{&3jd(>d9E1#@;j=6 z)uOkr_4gLM5-{%ICcH@ey-Dse{MZBUT1zu282Bo>*21v||3a&=U&8)UQ`x`eDO#(a z$+2t;o8*GowEI!b(%StdRN6V}iP(KElBg`U#9@D{z*)%O`vf>Iabn-XiXWl4ADbAC zbxL$JvcOIfTh5KDUbfOny8snu^oxD!YWTy%94p!42i&pJ2V91~3)1fIfdSdg-sO4d z0#s^?wrun5SjhZ6>?CT{-mI^K=Fel0?4c+GlPClQ3ODjHfx<bfb!|YLTAMfm$~F|; zzUi(GI2jc0gto%WFHCQ)PbR4%le@x}%Msf$Gn>-kp8?Z8kIzIS{LZ2kPIYA1qR0t$ zn7?WzV-v+FcYYJ4Hb@syr5~l=QXFk8m(jW!<oq3}hoUN{(zpzPWU;St4WBx5kz$$J zstdZw%J~Xa)f0lN%jHF>w}53gPr_z=9*MvMv}fS8675hU*yDz=>Qxqp`&p8$PzafG z#m<%=%AZ_k$Zh6-SXSFN%1V}W(ZY$4no;C;s{g~%TEA5qZDWZ>Vk4~|HI(T3pO(1a zDly^=Z=limT__6dNkqF<O)qXlFWR+|h=Y&CAT5mkLH;f(3SopqcV`3xyoaI#cJoZI zim;&G0GtxTkTVqo4z&eA!rAH-<PNvS(l(>HhpOr_vsaOh;YYEgH_}4<XGm>}xWc;# zn?;DgBeLc+Ou7F;1!12zVqb04b$E-(L8Pvlop1dlMR<bP+lzA4QYLl#oVuz6cm(EQ z;W=YB{ik))y=}SxV~#Y-JE9cTiWGBJ8vh#n6tWyja?=(jex4Nl0ne6Hft8KlkV35y z+y&dDCbKdpJ6!*f9e$D*QZ(PwG9*?lf;3mNx%oX9!Dm#%Tj>sXK7|7O2c;w@PH!A` z$}(qT%e{);@wHLrOr+~eoF4r(b2T#R>l_%jYgt>r>5{5}aWNyvNppn~*97@Ca5!n) zRB&u!64`2fsMa0iy>Oxm@QbJ?bpB*$d`r@}3#0zCM9#0Uq@}4Awna{XqNUUrOuWc% zslzKgZj_jgN(3Qdj%SMs)!HOMgJ?$SA5m?n;P?V#d2f=I&$4o7cdM>mQ?y*xMg;gx zgc(g7CW7dRu|;*V=I(Ayq5ilg`3a_A7|!c@Ic8!~S)viH$y!IUBc2WN3Q-Bvj^$c3 z5<sx!+AtAP?XbA>`_KmLmGEEV1Gd_1d=iz5E(t<VUtR&}*5~|vF-8WPHZkV-dpSZz zp_pr!Gxc~5uY<A@^EYRi-j}!SIA#*7YuofZ0ZDU<FPT}zCJ=W74^VFOBqlYZ^z9Ct znpJI{sOCq(3^0R-^me(SFPx2e+bIFLTI}*=5Tu69@DqdIKdD`5F%49^IqMZF*38aD z71(fbhEG!8)PhF}%!TM2><dpIQPFbva~SF(6L|_oSg~2j>p!M007t}T351I#sty)U z+#Si`84w_Buz4?P3V#KB5SPf|6%DG44C5i97KEp0qBcViqnfK8ixAqFYTieA`GW(w zAaRLIV{Rh7ntx26`g<b-#gL;{Hz3<k?DQn<ll%HHt7-aNNgEa5Q|P1E;2FVHjLjkQ z`T-Xxw7Q2{9Y#SISPD$<Tbr+rbgU>ie*R0Z-#Na;r%mD}%<5Jvs_7s90pggwVaNJy z;Gz5ncB#LFXNdQ_W-sV26M91L>)3K<zv8-CZ&&nBu)9dR+1}I*&}Lh1fJ$0Sh=Bu1 zZIV!tHtTQUYHDH4Y44xZ5%^qP#jpQBOzXUV(rydFEg-4H)}rs&NhB^VDy~OgsRcp) zBQj;caunT&@|oX7tBL@ERuek?2okS5fdLs%LT$*NCE(OF3x;97gEqE-ocb9DFl2Q! zgtm63uT#EgNyte@*InzB9Z1=+&_xdqJ!aCwM~?tK*3e@^?B#m2W|4N3p`^dmSjEDp zr5EJ*DeEctDj!a93cWB2&A~*29n=53!&rXK`>HxJ|5fbYYy!?SjKig2`8l{-`R#sJ z{y|JM;N@7?!z#|5{daszTz&pedK?9JQ8F;@qU0|0D_iceAI?7tSL#Z>U6e&#kwgbP zkkbtwSlf+Cu<f@_ncfPo253+zF_re*BqkMOz=e-l@dSF=3tHNe6Mx!NOm-RZ<2n>! z2^i*I1ua#Wv>X0&z_aSn73?s&*dqlVd-T@)W9p>J$FO7ZOZr;Fjpb*IiZ0<kj-=(t z)3frtzZVEN)Zu&;5GEyyDoKyR4}t#_Nqfj|4VZ{Qpi+zi1s_y<&#G{Aa&GbPMOY+9 zMu&t)2l!LwN5#q;zBt0;6CDn2Z&SxMOE<QuqarD*i|U-p1COE7rnIv5v>VIdYQtLL z+vF=8tIkQ-iCW8@Pz=4^uQuJ=>}nca<}1w6IQAlU`d|lyHiM6o3qDTHh2A>nrl2_S zA+q^%P|?VQl|Hvwh66uk?P7j%C%U{@zVS76a{Yy?)f|yCw>|CZvLrN|l>4FS+vXAI zH~1Q@M_VFOIwyh-O%sQD3<-Z4nfz%+pMuT$dA}3f(Y)N<c#Ca<Hc{-Aj|5{d<1iXZ zo-tGXE}|+3jBfS)BafO0JZ&L^nBNGx!%&i(k|jT2v%Ep@)Id7GlWuGz+R=G5+`2DW z)a`k83dV!1XXu&z6g?+ALC@Kb)3f+dJlE~aJ}h2YFNxQLN5m`jA@Q2FOT4byiPxhK zrncaPvkrTn6K}_!eR#*Pnmk1DXa@$0c&dc34gYu3$34$Yo-f5ypTaYP)@Z5EAVe%L z79fULyzOojc5hm0T5GmFJpjT`w=@qL21F6dx9}hS>_d<iZ+bBSNLanucs{{|sq9Nu zZ%5j$dIA$Db&Ad%>KL78sm^jCQ2QJXENk|S6i>1Swe1^0VH!|z6vhVJ3d~qpZgqg? zzXJ`{qP%dJwHn(Uw4c1)+4_+yvo*He^{Zd~>O~p~F~0$D{+lmT#%8yz$>m$BosT^* z0nr20&}O%cv?bbkjJiUE8qVZG$Ol*3*xZhC4DtbUv%|~|qj@h=J~GK)1f2?6ni^AS zZU9&Mjpv%9p98c#N(mlVtgend_5~7@=MO8-+r5XkjLvWM1!50n(f5dF84tfLw0Q}( zm*9+g613dxj758q1+@iGGXVyKBgR-iD*K=c=}3jXt{(VYjZ9Vis|CbfrAYwv)gXY_ zQ4v6I3!prr+D<=J)7@%Qhu1Goo8W5RnM%bbM$r5yo02?~go2uOrV+Uka(kl)NYvB= ziJ(Qrc=R;N`2{d8IC6yuvxg}q);OGU*^kC<_2?JJZgJKx9*$a$VY4ft=wFT9f@+7O zj$`$od74}ad%Gmf_rA69AldC`VZZbwE$pF`3rQ)z)dl0=BiP1ZJ-dY$-og#)1bxSP zNgczsgfSnLVGH~D`xwSpJO32GZILW~7K4{qB>)7j@ZQ<NRquK%CdOgGwE<m;>40L* znbh<k|G`<n?<OE)VVDVMWCQ4WfcB5bU=AtqL#CZZ1^b}qlhbb~9C*-Gk;ZxAT`V0Y zybkv}y{}K37*C}jNCD~Cih>GjdU1BZa@I@C(fhvEMh*p00h0JY@9QPky)JkP4t`7= zqP*~?>!A&M*52<x2k*Th{F-zns1|+)7*@OCH45wZaE#_Jpf@pHc?`&iqX9+x9zkQ3 z#(yT{uqtVpS=@!-#!nke{xxk-Yyf0~*(t(n5msJ^!~C*MP!4Ndq{RF@00SGz1&Krf zl7x`PN^-FpYdVe!k1rrQ)O`+Ple1_!S03m=74>zWqxiQFifLao4{wB9^g%?F=gS~0 zM>_u(!b6Igk78KGX%zF_BQvo$i2dd%>Ll%S;>zYS8{}-d^88%#^8m>@n(H6JN4eBH z0j1d%dV4m1hFL&aSv{tK$Ix%EF=8gH*LA?R>-5G>76)qa5?U!q{5zOkM$(KDXRO2( zGaf}bx2|K?&R=KDobU79gq@AE{9S-_z5ubTUu>V?@OfJ|ccbj>v{^6<LJ%vN_+lT5 zs+VQoBJBbzaqyAIfg+76Ibk<ohp|+arK#>CO_g}6Xg2YP5?z6EY1!XzyS@qf0Ycyo zuOK0K^{@C^(P8ojvDHkzYo|CVWwttu893J<y#^+hB@U&rn!3T0f)?HX1<Az8=m$z; z84_P?0&WlocJb_!`cw(tn=;==vp-BaJ7}^<vkj)5GB<|@BxD3D3m20zCAX#9AzLA% zHeAJuNh-{DyURAfZT&N3>rN%fv?<X)A_D19F*sY|SK`=n3hiSh@}3UycJ4WiH(bHN zbUmqcI2E<H#I??F`i~;nm*C<{G3o5OtmefzxlK(?W9UPt^?{_R4jL<mG)z;|t{nRI z35>GnumQA32}vG6{NITX#smVXGT-f&W{?OLdm#JQzu|LRVj9_7JPjAE=2mf)a`9Ab zAy_6`@*nHK5Zl4;M_QX+{4AWn;AI>6ng`K$p?E4K0IPv1nYAu|;3Z1JysS<AUUB&Z z&@#*(cou0$s4dFTZe<VbvtnZq!)oOs{F}_@DHn%f0h22Bz;l-Xygvx=wvPbJ=czn? za4`J^1Sw++(os(-O7^h_4k30Gv1ow*3jo*yuOlp`=K1je*G1A%BvDKgg|#5YBM4&7 z6Fcw+#8`T96Shm$F-4CMRvOmRzlU3yc>^y2SSS?R4u@cwoDv##^y~sxs3TZ9P{;%d zV4{fxRJ6JmKGh2ygURWXjF~(9skC^I_ki6)F#9EEOd#ZJVmWw7$<^jN><83bny&>Y zLev|G5KaS;mcdAD^#EG;S!iW2dlFE;4^Gs>Ag}%LHh~9<rUs`{k*H`89YP}tZwN9_ z5Nb4>{Qrg)EWdHM7sD`c1JExBvYFoV>hx-(khc<7V#FIC<h0_$S~x^Q-Xqi}81h0S z`z(%QOf59lZteEL8@Cf<Egd#yUDjAzwgL0B?HFrwc{U|)Sf3nluR1}w+xceXKz4pV zDF<3R#md&RV)B~jccRiE>scXhtpKePdPzHNO}c{S>_$Md+4Z2J`3~AJd3QY$$aFIX z`~CFMe8)VB4>GIofqW${KcIdLn~0fokH)b<em8~*vP0#B*Wwcfs_7_=ve2~sD0Cwh z4X~qPqW%M5l^nSL-&NiFUsQeeSbx>K{=2Hp>_(s@oc@#bn%UH3)&+`=hYRR5kn9dZ z4t}=DW@k4MKznW507XWFA~^)<B}jO2XA!N;-9#m#*l;v`Co<_-f^MC^gCL=EAEC~D z;8WB52Ias8vj}~36ULEv*{WTgK1{L~8r$6<UY<ovHi3v~o-iID>W8V7CdN|4i6qAM z4ebxmQmUl=ftwL8iI;^*g+j63Erc38A%+wZ;C|f;g&~0xDhNPW0h~tJdNR=LCeA_F z+`OLKFu)Did$N&(XP^abKo7X0_}Qc+i1%iQ04)<N6RtU%hyow&e})9WON1!ABurbj zSe5(+yGE=FcDHWzM$lQ1Z?>CA%1Iyuqv1qukiSCW1Bc&-h@49tFbOAM`K$%MhYGq; z(=Mdb8GBlv@Exc~)FVe+e8f?}(3glDZXwD$X&-}Zr%EHufLK``s0(E{f(m10Gpv~1 zip{cOe+QoUHphy6YQ=n3>^&=1YQ<i&V&ztBzZF|mOkGKpJVOZ}R|iHdYfRoAhPD`o zCJfAjO>5Ar<~s<uzn7}5Uivr6h%|Jr#I~<T-l^66Eav$kuMl+A-Czo(;)D~h21A_* zQ`$fw6Ok*(FQ;<(B5a<J1c>h2oIp|=g`GTNh0%lGX3!tM2{;A|w$fM&6xeLy#&FBW zLg$8`qxT*s`p<kP{FI20Bq8#+h)~a(@94z@fxIM8dq{xP(RwifN@|u~OhA%2g_*aT zWO5IE*-dg3Po<1&m-?_UCn%BE66HNfnNu2R6tx5x!vsx*e~$$I3b+71-N?j8VH#)w z2u!(M#6@{R?1`9`T<@Vo{xRYha7AVO8L$Pq_Kxt1N(i1+U@-~+tM2Jnl;!>0eF79t za`&uDxqFzE1tpCq?*5dbmvA>3m(ux<kWSVVOF6@ag?XYYR>Ap^S5b0}94oOE(<En$ z!u;GijRYIYiiCzU!>x6)Op5~OTCvw2;0wtUob>WYcvweLn*2RYH5c0bU(rF-f+I~e zJ?;Jr(tMPJ0|^`4<^~5H^sJ2edjcqjt{$0)Qv~`U4^)Gz(0`5=KwY!|f-Tvtyx{Mh z>UY-HodcW0prhZm;p_foQ6+hf2l<u`8iBB-=?pz}zcz*!!uA`N$aE~WIpFqu4VnV? zo-95=e42t!iI1_GgLA`ZxTinmQW}4NG`2+6JNk^_*djq;ddC;~VR*GW0Rc<))4~;g z2LDMLdW{_CRVQa6OiuGzWHovkZVzODhQ2)jTTloaCA8|ORvPQ6bQ~a?8!NZrbl8%d z{GLVLi#U9?eL^*zV&kXaC_#%Te{Z5fKkPxRwAFGijIrd5F`k?;MzdBpU9)32kS*M< zlV`D$N30zl6+ZY?Rh9fosNJat!B{j>Ohc{B6>^iD7!8eD4O5Y*?yiCAaCS<~NYV+e zhRHr%y%HyDErVkvwwGnv>kvLO-rTR7pmo&@vJdL!n2n#~q3B!C%!r+T--lM~JvOCr zmX&ZPC4eH3zMZf!;lp@*Xt+p=5T$WG!r={2V83@`)=~Ac2U1bZXBG-lfSt0eBkU(X zBsp=58&D1u0S23U?Wx6=&4)aSdmK=~W#JVlCwwu5)X?WQ^p~LYyTw0bl>rj~{NsJV zan9z#Apbr&%YW{*w@2(R&YC`73g3c4@(;rh-7PqhhQ|>F-4+^^RuM2Fc83FigO{62 zKsg6dy~={YUOskRc7jj<O28b9t{nuDlkIVNY*KhSN~-23iv>*Ly2!btcgsodhiaaF z(Nrfzump#s%=((j!^xyq;0+K8nAcaC*^fYXVZw?9q@DMn+llsSHX>hA1Z0_%q`Njc zOeE)5^kMVbq|hXU=vWCIk%UpXI(fk9RTw<1<4v^u?B%~hoHUL1ymCKHgxQDre~Ohj z^d85?E!F&ORD%QiC617{XH)q;;lk9jDTT%DaafQPuv#zQ^bu7ATt>$hVvAy<Po&l) zQ`Ku*FQ%YzkMOr)#t!YFqg%9OjU#5@jI<-jUlJea_!hV`L^fQ}WQ@nK%X)Ym(obiW z9tIf5EK1lz(3lRSMsjd~A6sX1%pMaYPQ&yaAU|(83}~9OpspSw#gHj%|E5y|0NeO4 z0BMnlU|#@v$PWp-o#nJ_3GVAS=aUZ5qZ)f*?VA*a6EWiCUEJaA+xVr>vB7<upy=`6 zK~=->`GOD2F7$Fc8S&#d-jJr7(>HPy^SbCOY;q)zN!e7K+yM^r=h#~t3dIqrFK`n< zCWLBTQF)H?&_Q-k_@P+0N#J~Z@;EFjpJP9)yfEKg6;xihC#~Q(ZYh#;qTQRvvpOgC zSG^ZDX0R2q{XOr+jl&k`Ez`a4Y{Y_Htc?20qPHk7(ifJ`L-K^L%WiOp6rg*D1{_>^ z;NUXg%>qvs%rFQj3@McOm7u2O$gv!KdljX@JDk1*#1|Q)^fF&wE1z`!sNP{qPFaTf z#0ZxdTwg#Zrfdbr#r}<G`Ve<5>=F&}qOo#d(l#A<^XgOJ1`lz$Z!2mWEtukH0>@N` zI(+e;%#kF%0kCc1td+=iIaw0-kj`l9*ONiM1}sR^L(3Awf~$6`=uBEivRA8$iqzrk z<aa-C>a9-u``*_!e*WDSr~RP!@FuyaNORz<w6!}i45Y_!lRPR*7HIuqs^%oOKH$_z zb{PF46zPWuuqA7Z3T%rxjU{W~_pV=%l_;%~SymVo!+=B2WA+Q)ckA-Ld&J4MuhQ4z z#0D!CpC{1g1@=DyA@7N8e`Ynk*a6$Vw)ltG`_eMvWot>`6Sc*=`r{20Us4QXqV>Iz z;&Y3C+#iop{OaOZfBb%mPb_}0KmGv4hZp~d;^`>A8F6#-TI_P32pQYg!Yu)ftTa!+ z{uwgL)?fr&xw?NG0)Ol&1iAOjp@)wirFbMw2l&deh}glRfCFAZUw*gSY1d@E#p!L| zcm_?kSID*A)=jDO8Fa2`GiOs7{QWP{k8Kf8xSW{bCfJvg{t72C>gg9VcPv)3Sz9C} zl;5gO!Jmx3wfU`DDc=MRNFFc6>2FLjZiC<*AQX4gBeBNZvWlG$Ck^4`(=M~L#I3AN z=ZZQ<=V@wwITqVLe6Qc^)IUzSk%F-<@xKocdb{b77=3`+yqg}0VF#$yyXleKx(x8q zXoKPJ2;u&Px(;y0NszV3-=U>rAo$xWa9e^a16By_P?Ufn|H6y1It-12KgUIfHl8g7 z7yZFlxCZI4A1z&LR2+>jT)Pv+P|DR7H{moQ%MuKgP26LDwW#7$-B?y}iWsYUl~FnZ z&Yh<cAMow45#X>w(w`zbS;{1H%i1b)c}FNQ7L>)=Sn}GzaaLSC^e5^9@$FK?um#wU zRT`XTjfHCqTKF048dwrX9I+U57-WGxD=v+$5>fc}gsF4yLQYHNlmC*L{dfna`*0e$ zCb{(s5*8dO9s}l79%^N+q(2(!Iw+3C3*c!b_>FDg)t4Z%X0Ud1HbwY0vVlOWC{*E5 z3eo0n4Qw%kNHeLSP<Xjrsc&`JwLIo?7kg5FJXXyvo=mUd#Z%~&UM%^3YSU7AiI}?6 zy#nDMuEtV9?9IWr({HIv<>gpr!CpmYRxzSr7|bE|d>kDyr&zTu400V?93i@~t2qsu zQlCW}3*oR2#)HpV$S9^0t62TLW|dHtSP<mPkb#{nsh?XMQm>8Js`xTM1D1xmCBdoy z-*z>4Ma*#qW?WO=7MzSR%zl<E^DmkLBW{O`>C*@~NxvK`uO|k~sUb)^<dW*=e<V4W zMnQ=t!l$iy3S0)N3R;3jI{O>8sN-Zl2B*tv1_`TQb{M0;-Su;)XfE7y<nR6M6x=jd zMsw;pW;(nH<mR-d6gU$(n<pyIx4|ENB6*3R4WrC-ItvQxV1=_e&Gb8)Y-Okb)ir*A z!=Si*L3_IXq6gP!UChvafs!2U3rulz7%fv8JAno+{_v=dIT>17S>o)H#K+<TSy|~| zC=kT$JA|OiwBaas!I4Bt+5GystJDjG?Pb`c!&HqfdBA3-t-f#y#)GazRzV9~bNsz@ zU7o-9SSOq<M=lbTr>t6l1|8A9q_&_B)#U<587SO5CqrF``|^r$AT|Ktsl14$T4-ce za~hgwHO|CRs=uX)EIv93VlOk(@oBlUtTTuK7}?X?QzW7oWpH&4M<QBMyAs9Ob&q7) z`Y)q6<HT|*SY0%MtmEL)L$Cx`6ZS9!Az0NkVLiN7tm*o0I#+GXo{r9iX*eBigO7k6 zccrl9@X7B9R8__5&hcTGmC;7nA!jjaoww;G?C)bOv}pnBY5g=M=1|~Oe?83E?*ObT z1b2ullG*Kj)j=xY2n;<|0p)w>%(WrTUt>*4ewWE9BqqPRHvlmm_(No#gNRobd_evZ z+SM>R!?{Uy##0G`SS>NtvOMWMTeV@4lofmE1MY<qC1BMPZ2%DYLs?nHT^Fw+iN)6y zO;U&ZeCuExzhJ%o#%4c@+TgX3AFn#r;|o;d9u@yN^BwqvfGXDn_|p&|OiOzan_PwU zc@HMe=Kw{<2Xeve<@?Zfa<an64KvR(D2}xyR>AjOh0R^N-^_lBlDfQSmBx*rAug;L zM(!9F>Cv6v?hBwUz5vxg@PW1yw$>+*LwF9MzF;+fI$y|j@&kEp_OHE3z@WXsn_)V- z1cT&0WZgr4WI!*4bewMw`Ew>U9kx%!7N&kjj}V-y>X(;%;`=>pC^)<uSF@sRYR37a zd&m<Zu?9Cmp|#ns6Z%?jf!1SYA4a&K%d*qa`;drZW(l|!g7cp%@OKq-!8t4az*3Z) z$c&!VaOoFramws6glqKqcZ}IoLG9}PR*+c2QCZ;*Se7lD0qJJp&c6*VTy#icV=n&$ z)>E+vv_SaXhzrNC#5mlI)<GwsnRPM)D|6*Qsm-Bx_+W^(T71}sD+*G#f-=^?(m#i$ zyQ<E&V&w}T>1LbWO8cBktOV@~+J%;q{#VHtvxzI4k{34Nq7>`8CeG&fBIk9Dr`5ct zK~6Zm<0YADO5%;!e7Ysik>A=Do8LDO`g$PLn+yr{iY|f>Xin^6u{xLctmgJ!-0T90 zz=0_S+?+ba3Q)xDIRDZBo-%iA9?#>jfepC}D1a!agS&um`A-gQm~YxgqS#fm!mUIf z1#Y-|$o(QML)T$<^?Jyzf|@d`tAf1nIm+wgD$0mUuu@=y0YN4<)%$P25nPB|*Lg2) znZXxP?NbJBB0Bz-s2v;WIG+mylbh+CcOl$_c?7iv?r$W|0%qC}n6U`QDx8&7)xn4@ zR^hI!GHRT#SDD!)tH|hv%aszXr7RUPT&DILw#1A5O5yuTlnxY-xX}?3??vT-)p%30 zZu_lhR_9X0t!2}tu0z|P>_D<XS%FQ62zMjaoA7NS7q>xArfE_=?XQ3PN+99B#9u@m zbhF0mK^!`8XSQh5(aA1^o#gDuP9h}Z-No9@uSNP{)=qExvBW}zS0RP2Q3K4e&SM`O z`|Q}s%p=;l^JiHXpm4_@zPQeRVn4QVxEF9+<c*3Ku$wcM<m1D5T%K9*0YWlD&hzi% zAmaNHdzGEQU1+GM_Ml7Br`1EI#4WX0B%&_D%nb~4mM;rbR)#%y4xE{=TpkYLN=SLF zF%A7irzmD(c?9Sg1!LI;C)_WvKD;Gwmi|>Abl%@KUmcsZIkxJzE|v)=fBimO-}<`n zGQh?(Pr)ID7pdDR;zlI#?Aix~nBnFzuv8n#!uk0Q+SJ@faB2bS!%b0g!D0T(y(U)A z;T&@V_`wA$CZ7v3gHvk+44Pr2>?2Wz(<5%fWLKE?<eK;7nD<QQ*-1dm*l-(f75j{a z^@8JMP&1EV%7ae-jD5*kv1_q<Cial&>k)i6%}+2qfk<?{OE?a?RPvux;>KUvFkOzj zd*x-7CT^JH&k5#n)*O_v+Y)Y~xo*Q7K<<vy(4Mk)w(vup0x!@*e*kCD6c`Mdi7DVe zuzAFgu??Uvp8%*e&nACxxVb7n*p22@RkPx?kOjS%G(EWtH(*-^F2iqO(rH<iD!{X$ z&~DQGFh^;_u?2&huoC2T7r=Q!9LK^=UKKGZ8HF%CwUt?Zvx7eS?~*@*c6G#ATa+ri zU9-vd@=J0zz|2DdLY?=a0KVjPEH!5Gh2pguF6;^Tq~AwiyZ~vIldHIH1dD*Dh%jL! zW3q_Shm+ZLJfYF~I(i#=52(P+>UQXlQ0EIsO1kwbQM&F^EDHr0nh^tqwh)D2B7?_n zilAi&`QQE=G)hu@5lxJ9;K%_k0oJMH<2)NCd6<`o@)-0kXC=MmSfHk`cDiQkG`}$q z6y~3x0xU+5+li9FoOHubIR>^gcpbyJc)-h;taj85W;S(+Ri@{gWqvXhWtv(Cf0>$e z$lbp%!;Bqs(+)|yc1RbX^k5a#NV3>Jpjg%eryF=Q*T`t}QyBQb7ImkwPZNC^B_zF( zX9T(9EIyHg$#JkFe-8TyIOC_SA3Sie8c8r`C00{j8cFzr7LXdYIx2CGz~tKqz*{(& zWQ18k{xfpq06{0AH#WZ!<c#9H1ZDO2H;*II#%JQ$xeYyx{G<64#0HT$euNgO*ceY7 z7y1~}VN77XuWg<l=_ok9f}Fx#n{xSI0VW)4t)jVxIB1AT<b1e;yP&|nq$>(Di9HWr zfsSP->B2i6qq!$mQ&>m2y&rCJ<(~y}+y7L>SNvLN4Kb7IUjt@^Au7Aq<MG`iZu{ZH z2pnq44>)mgC1zF|GxQc*KD;q8ux7+CO`gv4T{Ko#v%dU$!4bW!U*Im9JC8WPF|nPt zQeq*D8N(MD6*w)9sp$!PsEXxY%SOT9ngx4}<vnn*#_-mC(59)aUpa2lznZt%9+`J5 zyV>ErS=JWN_Ex?Am1omf_Ueg5Y;lU?{E5k{_LcT!Xj6f}<gtm|*i9V+Umo2@ekb^d zRfaq{<banNtCHDD2Yj9E73Yjw9kimtbD0cBDWF9=8AEEV>Cr#788zpWDC|YJ$FPUh z^t4`dMCO4fZ?5%zxH*M=Xos;&<U)4uJ4kuQ`#w&Lz%TzEhxZ;?^Bxd5U-WDm!(Kb_ z`T2JytH5`$-Jwk;q^?bji{0EI(x0=irB4Fidw?cNk=Y^#T?r^kWQ$~Di3}pcCmQQZ z>_9=AzOOXaqY@0rG3PNB0<=u~L&(1bPZ>||5?Nc*401J9D1EI>2oMpc)z>K!eDq!w zWId4pJ{e<0SWvfgUui~8;tB!e0$GPZg&c_gjv992vsk0RI|H+_UL(yYoe9_aE)!P2 zv-rMyo0xoC1|XKT4GhI*zXTBuOFl_z{YbHwJAY4ehpI{}P{enUC0TYxKo(J)Q?)+o zPc%`NTIC|Oue`(pD0kK0TOw&0`Wi={NYS^#1LF=-92g$o5lI*&2ldDrAOR~9u{q%g zHfPzy@A-#gi$|QPjFr2w<?`2jkQMWBoRAlw-c*9!?9lI$-9kF{sMI1@eJI^1ruGT@ z;O?ymVf9Ak!{CA4xLLTH_PZ@^cu`O-16q>Q84g3yg;!hkRLbSDa_teq*X_0o`0%0m z(D0WWy)eqKb)m*1j<Dnr#%mW{2Y3?YVW$p7jx;yB2CAXfCVr+bkxkrxwcTN+5@M{( zg()+`mF4~RVsHSP4@)__$AvX#!ftOV!DV6>SlgW~LW&z_k`#mg{XMrDKH2a&a2oX{ z?OepcE{Zi*>!*tSUT2tkG>HrbRGDl&kD=FMKan;-2`q;f|CSQ=YW`cTolfk)%-73% zOugw0wkplou3o$h7v3;b#eKb96b(4y^&A0;q|(}Mk@gyv)|f}9l4nS4sS|gb8}sGZ zO$f-we22dF=cU4(<fWezzciPXG#~D3ZEQhTH7zN@@vE&4!D0}}&(0s89FQ3<+wWh2 zVdX6dA(kF4EIgd--TX>uv@xxpDeTp6XtZ-|X)jLLEb@LC+g8-eCK(kjtbdgsE(c=x zl>sG62d=SkaaMWIix5;#>jejNV2^%b-sZH(ybzhoS3A6`Wv#^0Zx=k9#*sAk#1`9x zg4;z3?lMvrV-u6~Rw%f^kB{!61`g42OJ$U1K-n#IupP2-FDB}){5NeCy=0G3e)uGy z={N<B)R>N?vBlS7%Ty@Y)vV@REcc>O<AQ>u{538kBpWw7NTb{=<LM2_T6Oc{bZC)L zq(#yly6M@JTVFSdw8&dS^uyR#>8?`tR>C8`xnfJdp*$J|(n#)?bC)n}^~OrC!yU@T zVjJ$LMG6d0#)4j>^tztTIUpTYdxdx@G1@zaF24f)0ZVMg&AqWz1-(pjwe~rdVDvzO z-Y1$=+YR3lC0b8S)_Uo4{|6AqyL4bc>7xPVO$-}qT0gyq4-P0x#DF5ce2dr^P(bf3 zLfLMSQ7Y+M4K~wW!@_5v!isY-=a=kWA|<&cgT6Q8DJMrZkTtDeIj1>vAOx}s<@_d1 zY3fgWLCU#Eko8R>E54!e9Ya3e>xd=Ex?~7h{Vv09l;-qeraP3u-MfVXsF0zO?5U(` z^wu%@M_m}8!JSo$^b4L~bzP?Zrg`FXy`slVWP$DUSIvU%6Q9vAoh9_%dzcqgIhc3q z@}8-EneS@D^fouVF}x=?a_>oP2b(|z{}(Xt0p>kzWdchg+-o<OvkN(|P3FwF<lB22 zyO1NBKMo%ib`td@_oFgWXoh+tY|tTgv&*ot5|>_Rs(&#i2qa5f%mtOBe}#Du+bI~2 zZQE5kwSsVd3kSKe_+S=4mY1@k{<aLq^{eck8$o<nH4>kaw)wW?FWyyJU`~A#Uh`JL zC^X_(4ZV3}Ve|;}X2m&n%LNA;mXCSQmr4GExNpatrWV`RjbtrmH#xjF$=WK&l8~Uf z%h+2a;JvYJh2Tb`=FHSpO{E6@`V_5zRh+@VKRGio1JYxG?G!_z1wDCepMo4(CV&7s z`DRCQqR@kSWcGcBajydvvhR~(P#Uo<28GnmnK#J>04fQ<sFag<)mogH+1CoLYyy|o zO|7rXl(bC2dXSngGQ4b%NqaN4HI>q&0U%j}44QEt&ADPPS*R}Q5R;-4pJ&_vMFtyk zrZLP|Jc5KCx=`z~A0xR&(sdB)b8L9*UYju&w&ii&2{g`v+?Z>L$%2-yPopGKtA-p~ z;230bvKz@5dvT^1>y%u+_W<l3^e=f2Mls@;H)pmb7U23pUA+On5dz<tAUnwqO(&O) z-@Zf#i4(X+NvB)D>QYe>n7J$$!|t#Ef3ua=4%>5a07wiT;uz~;TG0K3O2$tJV2_vX z<wi&2hY;episL$buxb~G@ZaqhD9~<#ldeEiom3dk^8G6S+k*UG9;YhmdV^wDdg$7i zYy^q7QGAe}CLn77-*<W(mN11dQ4Jo=z_kM~9U9SD@Xs>#7K-OgJc~4!Fa~$Rwt#y= zF6U1H87y3Xh*#3CI2x7k(E~Vk9snp7+t@me<EoX|EbEe$H0wtN?D6Imc_|+py=d&6 zj^djhyByE@i@0gE{-RBri9zW6G1^nOjL$=fz-T6)`i-i71%jhTI!jOwE`RW-Bj^%d z%Yt+}P64AEXd&~?XJ{}vyFCWMXKCG~>5h7(aTg*yL6&#lde}D0-LYscFo1b8z|zcF z=|;?hsF~e?nGj`O19-rRR8?-oQH20f%<NP6&K?ug5(Qv)GCBu2ah-tjzyi?Sh?XMS z9HsW*V!r5iAj8d>OtiY71;1!Qdm~Y*3>VqQ^{u$;DZ4o^t7-YUri#DQ%{Ta|6WoB5 zxLG;S8sP7q5sguAWHG8U|22CBHi~@S!^#6sqF}&AeMrZ`dk&Zq6H$0jS-0Vpm;#Z+ zcx--IKv>!jfr&Y2#0&%?sklR_61Kw_6;z39&4@0^+?Ey5au8UB3~=lbtqs83eJ;SF z)RjyE`7FmCBHR@KW1?ynBSx~f7VRYh8Bt;`WoI_N>-(ww67EL?3k{SB9EKFy?mw4x zNx?^9tJ3#VQ8s1gTZouZD&G|43Onx{_?OH{(IzV|6cij;r}u%>ttBP8Kqkf5OYO6| zISIJT6lr|gG%SPHc?BhvXqf5|g{CC&RIk7#ECEA&=RJ8tfxQ9`YMF%%j;<Do`jq=G ze2umI<@nBqH;=NgY`R66#fBTDN@3@4d?+|VEC5ypf4&UvVwMz&jsV9+X(J}dT@~Oi z53=C$Bf&{5MugCxBwmy91#iTn<%oDIT$_s6!}Qe@UDZ5te*IU&@WTayTJ2Jn&teRm zFth><`>7BU4v{$McG4;(AIJV;(HTe&fO)7~OG*a2d4a%}AZ&tG-Zo|DjUtVz&KE6# zK|;BIG0N`r;EN>~5P2nf3=J!yCRHGPut|i6{v_r9R+Gxu!{V#em&ywx=g(iKqgkVM z(X5n6*2;B8j?bryHm4+C>kOCA*C2SNkJ`8Qf8M@-qM=t%V6c6+iZsGwNc-kd`+WE! z8nlf-V&7^A$!Ylo)2yZLnPasDjj-({Nc)?jDY)r}+F)<D33;)eXo0=mYQa-bdmCRa z=ne+M%d@bkiFLt#Ss9B_x%sW)p2z@e4Ftn<G%hK)C-EygjXy~WndnZ|mfs$THO{8Y z|44vUr+qI0dOzIpTEc1V6Ih&&lvS2sTdlVQTJ-TS&>%4nEEA)w^m7O1UQ$=)%zlP} zONt<-{v=5uc!5Ob((?8FlqPBG_5A`yy(*GgTO=eDzcw)%Cfejy)<gu2nTdHx>77Ex z+r+g=xe)r^2ZO8N!1}^*V(pyA-+7+$=YkacLj-k?*razdfk?h!qSY%gODK4wmWO{X zPPn<koQ7)-a9ZSJ(``KerInZeKokeNC>0|XuNcVV1N(22`Mm(ZQJ2*NaMqCiDU9+M z!*Ep){R&PjSKN&TXB%-Z8Ou}-EWXyEe`Hf%4)7vUG#K5Py}NWKF4h=LWVJ4`xw?l+ zf$Qz*#Ax1&B9oMHh)QX0(Qh&(3~9y?#uxFkLpqg8m&eFGXqyws$+nH+za1!u+Vt<p z3G-sxK%2(#9}NHq10x@oY|K%sF>@|$jDp4t7maBT@by!vG1&J_?=DS4W3Hu<x?>6w zu^D>0gT`DfGs$gel^vGnqMFm{Sbi<)U=^ovM}T{v_J7pCAK<HK;4i5rYraFfgY*j$ zGNyO$V3#gw78UcBTEs20XoQTC*g71?|MMF#H(D_Gc^3R00hwTMkv3e;yLj+XLh4+s z%q$AYYHm69mA4F2o_BSZ4x8Y>-2wQGBXnZ^mrGc?bvo8MSvz1spgD`Uk!U$&1RXiB ziRLDk1WeoL$6{zZ(?vgjfdRksQ|J|JABy`ECh`m*He~nmN52(q!R-kxq=%5#(KIn} zL~My()Fw7f<R<|!B!jiL=kA;iaIxQchU-5gPQZSrtYPQET@3_-e9tiO_aRp&{Z^HZ zJHTlb-mWRlN|Wqch>H;>;rMA{+(1;m2|oZ);nqGU6zokoKJN)7dKi3EIEij9ciXht zv8{BCA-qf{#{6gCkKc>mtqAa$FGGaMK#t4K@nbN(oBm8cIMe$S7UyjwVs!oZt(d7| zb7u36v2AI6Mx7gFOt#8!i!#n&PTXIHyGV1R3^>@om0y9&buceznv`%ftx7WsYkJ68 z{~S5%M*=IvZ_I!|FZ|~vJF-4R!5u?^u^+US9nODKzmT%6BDOV&Lb4ea3U_`R1vJAA zm;KzPN&FU+$qq-ZTw&O#+%e=Ff|CJ>;X`W~@D#>A8Uzz08Hu~S8w&sUN9<g|BW^3$ zeDDWS+=KJ@svzxwe_1r4kyb#3RaN9WA71+znNrbv@VxF4Ql`pAF@Yqq`}ct17!psV zq!f@EJ-2-d-LBzxEh@}WWgmXVs9Qe*)^O*ymV5o~I-Ae%yLS^jyf&1^XHYoC{>CSW zMaZFqcBaJ7AbD{0QyR{S8-5R)eFl}o|Dq<3+(O(~@Q@@qUI8rpFf@<leWElzh=lDW z)_%r$l)v$YSm`{uSi+of%P9Ush&DTfJ?-4M^g7PABt~Gr2|w`?LQ+OtA{xQo2$vMn zALoi-m~Whm0>R7YtXnVW*CkLFO;bNc&1^Q&q^imS5H5D_u)|n@dtbATexLU{scQ8K z{0foM_$;z`D{_?w{|y0C%Z20&&Dpt&zQ4BJpWKci^kI?7NTNTQzcmF_o`V!e;%S6F zJS-FAa39pi-)sRKso=2>!1=<ZMWAmv04DozN>vs8dX%H8Dv@R(LV%#G#~Sxxe+^nk zsF9cd2PUF0g@!sqqHC~&(nUH^^o|=R5a~Cl2D*y$vd2Tp+J6RX39$y8jC@|dM``>3 zErhERybREN)Ngz)K(XBinxhZ?z-DtnP*59RErJ3Uc=n_hba%dh+}n%wo{lYr=q9UE zNAnjagDSo7TKZ!=T~H-1s4|QE+%D-??CRk+dI9(x8jC{;Ek6>v6A|<R6a@NsXpOjc zKQRr&fnN?f3iknkINBK=n}q6c-%%H^KL6qP?y1PmW4)*>F|MDKC@eYBn%UGK26~-S zGl-TwzX2rlBrtR0_pr!G^)Di+J$6S2j0<80!7u-pfeRop27#nBXiP?;sZB=^zi}n7 zAr7(_6R7j)KmsR<{*jkNW#yot?{0$VS<-$1guRjcj<CrZ6tWJlryd|on$(z0fQeZ{ z#GL%UL}IEaM9A-3=oFIQINm~jIRZj{bHEhoLVj}w<<~><>k{(o9F*Uje);_sb@7}A zvkP7}TkuPvgR*;^=>84a4Ul{9rG1P|boI`dV;+7?wu*naOZ0FxRS61_^r9v-4);#E zY5N&2uGCzxSQS4)W<PLwLM!Md;Sk7!y>sa|*9KaGF6Q$mfW3*gX-Hq_MK4Yyrgnj; zodHzA?*st-l3xx)@D%p)2KtC<gxqJJBc|xVR~(!A<Ufcb;;}o<40QkWhyFqLPeCF& zUUWY=@zTB@-A65jP50X#GBh0^|NI6BAud|sn^B*+S>|_(x0A0EZx^o>Z#NH$cMe}d z@9X(O5%utS;+@BD5bx>y8u6aNFBk8be3E$2;$y@+mn-63$kWAp4mbZdVdyhA`}jEo z&CR9!jChyx)8f6DpAzo?|ATnn!e1Bf75tERui`I>_Zt43c(3Kph<BJjA>QlxqvE}R zKP28N-znZ(d82r5<J<5i6rQgKm+`wP_4!5$-Y$Yo6kH*K<Oj|xM39s+Um$`HQSb&4 ze1w8CM39`j_+$}$oPwi8@CgcLir`Zeln~Sp%^0}xQgn(so27YE#mx!O1AoLmInKr6 z*Vh))T?$BfO{8pwKTANQ1o?}U@{K~a<KP~y*G%U5iB*cro4O*I617s?-qcmelucGj zjyH8pGUYZaCD)s}Hkq>2O7VD8!^xClk+M0@JA1uI3G#eO>Bk1M4dD+9c}&Na7W~x4 z^W9I2X`?aIn(tqUC}u^N3E@Iznw~oF3u^DPqlM#C$AYCAxt@OBJiKYxf-=kv?Mt<@ z@X&POMyy+@81d_RUncfmaw-S2oM7@C!T;0Vxd290UW<AsGbBR@%pgI-dk|0*#3&CF z0ydEZf)W@AB&3QG$zT#g5|h1oSON(XY?3jR+SaPa(~79Ix3<SVL~XStKodZUAXZU1 z6_itV&TupyBg7h+`>lV^B$Ei%bK85*z2}~RmA&`>e*f!VYyE3s2}W2t*mRDL+r|C9 z-BHe;*vF%45dPr)Anr&THpVEgmMG^A`}nF4xLvr{9lmX$=(*rPy-;UNcrz=pvd2^n zSL)zXy(+bgPpeXY3}em*(8-p1R3Xtv6xu5|ZyY%94b*Ei^$HB@{&Xygz<DtdNR|Bx zU*#HVe2GU;&gE_E8LA+eOC;w|J8TKbaD*ED<(~3Q?p?lTe-tiXQn=BF(db8%VEA10 zqjfj*F!LkAhBIjH)zBdUP6W@y^tR*dZX2T-g?7<1ql_su>SZ$vqKpY~r}R<HrfX(; zv@s0F!7~eNh70}%wqxT?8Hk-Aw7+e{t|KRWyQ21--OY-m>4}Ze^cBgxPX`g{_}Sgj z;{Nz*KOU0)AzWJ|{oj-ROTOmlKz&%Al>X0?;}_&#p&K`I^QR^C95bfVxkWI_+D`>} zt>jK%J**<`M(5?Cj?edJXX?3IZ!;XX-nOD`GBoXw3DKcgA;t75cZw>n{P>CB`0p+K zcAB=$-}-B*tgp>p$pu-PZ65}AingU;cc-aP{CS#uZd=cv$ANvoIBDKk^!U`zi)x%3 zO}h2-qJ1qkU#m*}V0Y?_%kHo$RFtnJ+SeK_Wq7hX)HW*&_EV*V7;VM3zT1~HZlWN` zKoT$!a07{e3vdAbjBlN4$hhwmPm`y~^EA)XJllD;^X%Z+!LyTRCr|jI_jNVdg@vQp z+HIYo=I{rl(xt$9;9f}^>G<1FMlUsve79;Ja*=r%*&;MYIBb)C4ZNt7u23h8@9Bhr zpMU&B7x}i|PcFf;Z_?6_@=99aKKaz@lS$Gi9h8L-5_p@PKNA5D&^XsN?nwPSo9_eF zdLOFR`$a_3QnpZ-p1%4Z+V`RAh5Cq)+akhI18NxRvkz>(52a_FTXLDI5iv;namw&C z@GIa&U@veGcnx?Tpsh#J)+2c)@=WBJz%zlTizmXO--_pnfa<p#Jh7_%Ejv$?=tuUA z)kfNP=x-nqm<)v5m~zts5q+V)scl3*SYa%;UVRsyY&^f(dg~9Wg%*hhYoYxJLPx|( zyLhoMjaZk#yErH2VR^I5Oc=}*dj)i^)fj9R?+BBm{H^{s0yly{HDz~!Ux|pkc2Z$% z1RP@FrXY0vJ?72C$q&4u)bxi8Qd?B9Ca7OE?$5#PV6w{Px{`#Vi9)<uL<~64Vi^(j z{uYI9q^XIkTQmRVvF<Xo_+M{3%rxjjqI;bXkmz3Q4rr0+GWcdg2<-cE5*?hX?^y|a zqfY`hD*@Qy{@sC_J!XYVj#E8^JW#)$6NdR?h5ES~Q24v-L}0jiRd;IUbd|m@`?%7u z6(;G$QxmlO`j?$B?<asFdi_+gu!vrk9Xus%V-9;<P?BsUUWAe`&^JHc(VCtp0y2TY zeAt`P6Y#=GR%|4Dd<7_0j*6g0ai8LLgtLVQ?wh@h^8|OQoLjkV2~~lc!NH-AC`?#X zU|h*U9a4eO@iBK&tYdZpu4wu|m>#>Dr^J1SBolnyV}9RqJggkQ8*<!YIsQsHJ{WRb zgJb@VNBN=_2}O@s$$QLY%KZ`Cx62<emqjU~B$z(WWBwA);B@&y$NiHMQgn5k(I+F| zI8mJ<hBak(E-pc6{WR<^Pw)*Ak2!-5dZT}BHcjN#0x8?2T%?<Xk}*kwAQMDuPZuvE zw@dl(9O5zOhCDeQbSZ!Ie&K0O3AuB8krRwMKM+9f&4QPNZX(e^a(m;@#?jE0HlaPi zW+ZISaC3N@s2&Xi)yD|)B3QYRyw`_+s75N(T97zMx>+(SQV0ZRd4+J6-wAV;j}bDG zv%Io9W*{f53OE^I*<~OQmV|J^>++U~gs?uqU)AONpuecLv!SalJPu)+X(BJ{f_@Sb zzO^&8k<xE5KP7$i;fRz0N(t@exF<=CJE`V<4f3LJpW4$C*_V3`wrBcn122ur<%VUP zIaNq$X58;#VsVx&x!8>7HQx#X)yd+Fi7lCizq9=a15F?HhL8a-u~!iV24Y#T^QU!{ zzy%a@KNyVRv@S+2W^M_82|+%>&P54kmL$+nE{9_yh&RjZ#d!=%aOw5)#$eD|pOKzl zro`tR4>7@@#^heAX)EMxiF)EM$opT5EPsMOt83~$^A}r{yuZuunYhI78Nb9#po4sS z9bXXlmrD%Xd|2k;BD{-CLiQf4p4jVY!aTfX$$?N4<?e#qS_tYheH+J5#sp=mK7R7r ztGKn`kN;%@_T%N+!p2{6Z{ZT_-a^JN9p-#lPvqq`UINcau?sDe5S*&13s<cQ{V=h> z@HW_`44C#^9PeKepR(9t^ix+E_T()7&373PfdQcx5<zy$(J;r}aA*9o#h&H)EAnsV zhC=XgnA)F!bh*%4PMgox2{FJ0W+`hvSAozyW=uAZJkndnBcE@U`kLxa(bQrQg(0>d zW6?^fPSE2)<fAw4=kNH<ShYBv(>R)C9OLM|7oMi*QJXFi0yOtBOB^24%Q{IIMghjK zzr7ECJkUUM1NN;M!~Gh^%nP*Ee0G%)<I7Hr4j}e0$*|!FWfgkly*H7k&|m6qP%q=1 z_oeUxSLDi?&yt{SW+p(3hn&+GJ8M1G+LtRQhd7PJkL8Ms*1k@cF@)g8AQj3!Yq?>c zCt3Vlio;UG%JAx0$gewJc0L!s@JzE^cQ}9hvac;EFoH{5<fmWL_;O8KLCvSba9?Nh zwYh!G`%|+Ms)kW$2NydlFE{L|2iA_|)2@vFqJ=tf5!QCxN`EmbmE&cz2;9sCKj%NK zNU*&L(?_cAXF>-zKgHecr=pD6z7x@U|5~UW$gZvHPc0`w^<R6LnFJT&OlD$KtHz+$ zU>an11p`i85cF8iVrFY$?WJRB(CCI_ao25US9JC2K$r@F#Bi9TUS4RZ?!KMRv9o(o zPU$Cx$&J{e^&=Q?X!rREbDV+EOBaQpQGbW?%0`C$h0ZJXAAtLYapTDIO5#5%+&Dq} z!I2;2bK6AzECtpB-Di+5JFiIU;IrLf&wpM~Ww_vZC6vZz<Y@vYfMdX6U>~pxcpd=9 z{X3jjBr|_dDm@aI2+R_f|Ly0MM}H{!s`HA6*9)9i9;YmFq9Me#U-5nn(D(?SG0uBl zk<ef5yrR+#r`3(sf7y8@l=f1xxCJN#N&y|%2-E@J2k4u>!+AwA^9P^d@AJSu;JCPi z`{r*suPE$5&KG&P=1Z_&gjTD2wu{9r-#M_eGc`i>i!uiI&P5v|&!lC*8wa(xpP(gC zDA#L{I2=Uuk-28IymRPqfSIt[c}i<OXTz6k>I#RErv3nvcIClH@!{vM)zJ_weD zu_-L8NU*G<xQC7$Bg`f~d>lC{d0L!!VW10^+~>qmNB~Y8H+F}!P8_d(PpvjzMJQmr z)F<LB!IdzF`7%cck^aLb_J<@DD#CfB0B$E^bzV@-Vr`q!&`=<s^68_Wa_GZ_v^?aY zU=VZGXAzm5x{LcyVkUd8JxnNsqtS!3fw-nje@5tui@0AmI$b-*P5O7)s<z9AVj!{a zusK!aLirXkGmKBs9|=}}+<^)RB1ao<^{^>kX;2B~<|3JfJeWv@IXo~nTtp$}Gjie> zs8UDG*kid(%i5QCBp~MA;#I186PI-nZ&k7!k8BiLJSuR>h7ArSYHD~<iO|JiNP|OD zR=9Lm@@Ua+Eq87EAwAZBPGrH*)zP)xEF>B0I<PUu3WRluor4HwG59U@*GT3C4#)*> z=T6L{zqglekt0JjG5z&|GWb4?+B5+{p^fgTufl_KesA{@I&g7rNq==^SGc5GcM%$N zDBG2)qExz*Z;jGN_-iD-y8i2BCq)p}2lKcspLg>w-;qwg(()HXrZa3jd!}spuwBVX zwmX!iwU<Qo&ds@10tJ4pnneT?LI)M|HS1v7YY$x9Bv-SsJ$Cl+xPAV;6Eqk-srxG9 z{LT5_#k!V#{GO}ibh%Xvw5jxHs@yzGY~@?`(yJD$GqsX;X$pypI5DT^o5eVu9#Z@z zw!tumU}_j8#vZXTB&Vb!;K(WYBw))aIfHo=I@urFFfxYS9PyXWVFQN5U;5Dw%tIz$ zw`nTQR_c;mZr;Y5QwPf3_^KR#GvcZKkFXD~jQGWdi~_bGh!>?#7uoQnunw|OlU~+c z^L5Ak3zWhaA4B^FhMMboO0k*O2GL)lD9_<$5b>czbCvKcSt+u*gA*=%dH>Q-Bc11h zzO7jbXN)&5mBf=w2anK6P$YcJZQoWa2#E!v{hFKxxm7Fc)Fc9iC35{|Lp7bIDjrhC zgMiGf4r2yquH{U7WdMio;XS4Y%Ry{q7#kv#gZ07i`7eo#MMh_o68E*Fd_#nrri^4b zX+slbsv>+8pmck%oLDU<yTk`c&RTk8mVQAOK~qMQ#2raos*zaqlvJZo>L()8NRJ#Z z8DReF_eq2zsjEXGs)yS{k}ykS1B!ZrY0f6O65^lslJv3g&wfpDg-&EwF8wrc=hSwm zPlV&n%%yE_@onOwK?)`GNJ6MQ0drMuBYWCH5dkD)uErh@*k}#GcFl<-;;TN+5vb|b zctkCv;*zL7f)A;QuO%(81r0)&aUz4EQu;kA!k@7i8RZ)koMaWW`5cC6n@{w!!J$5d zx}l)4VP4xL=BKi&c^{n_Qi`q@G{vimblcVR53b#<Dz&@nl0LRIeY=p^I1%{g=J)$y zJ4tny{}tcKG0i7qLLJtU;jl;LnJu8bQak(kB&;UDjom{#=dp=&3s}YXYz3C()*?Ie zpOr>*X$FUOQFm!A8JKahNSiBdY+x3bJZfD8n{--FLUM4+Mx@{vM<W!B9QJEa7>_ep zkk)U=K8R(rhU(X_faI*ZO}cn`5t*O}lx^j8|0rt-)o=Axn^DGcQTi!#7hxLTq?|HQ zB;T6(nrsCeYK0_o%)IO+CP{n#+|;w1ZmvD2c-J{i88bp63RjyKOE!B!D3U{RCs*Zh z&^%65VM(J34230U4bHS}M@SYS9TEK}c%)2<$h1|T;##zRtjRt@#1T%J=kAhOiw+Z% z7DpyWVK@6%9K^uVD9LDKj)dR^aZK6$@Lt)l;sj@`QSzBm{TlLG{JKM_^60Zr2w~nr zr>P-BaV8OjjWm?hQ3$ZCx+lyD%q`~4iNF9xWKi$t&pzBhwN9Dq-o^v9@=abLR#|<P zZAhQVQAqt{KX8b!o72`jV*h~V{I<6~6`|CSYi!tcFRq-OP_ri!l#8;keBk$FyRh37 zh-vx<nho1V<uSlQEH;(ry7_afSZop_PK$8boQKoq+i)shoyMOs4}aFK<j<xGJnq14 zb2)CC*WtE#b4An68qy4#ciQ16Pbjcq3r`~(syir#2qbbvYtKWddcXwdfk_9bi9C9n ze)1pT^3siP-~5MsCpR}_o2eh^LneJBm*p>KZqkLal4YCRR9VNhIM|rBqmzzcImvcx z66fD`zj4}M-A;gyA17cSC-oI$`q?*q&8~)Qv|C#(aSFd|hYbf}FFVB?n3Q?Svt+Td z#AW4x=9X}?aizE|`r{}3l-H&b6-{_j#STR!lD001vu;K>KT;*^ChCevBwCMFpg{JI zv``4YsjK1&142Pl%%A#u3rbGso1<_fngd1`+}!pMu@z5Me_5UFxiPYKqFL4_`WXmY zeWJrZUKzrrMuBcHupOq4Wr12sE*T-*CXh;FA=)Q+BMN(?DJ!kq?%Ww`xlG3e;lz2t zY?tl;i?gHO_79VwJ_cThq^>FqRUPlqS?IuI+CfSbNkv_1l~7eGaCwRmuOF|ic1ac2 z9ldo$TN~LhX~J01P75nyi&d8=Y@QNZ5e<=6v_R3rM}nN}5ae`^LV&sAD<=;*z=!~` zvJ0@i!orMuT*5kyXNzJnxfU!+#FTW(syy@yj7XX8#zD_9TWBSg(;KZ25VO;is;-&R zf(29n3U}agkC`j4sjX{=`D1EkCC@enOA~v{GOLYQKAdPN6+?W+QE4fLMhrW4RG<SI z@?qI-KY>bH5^K(rm4T}`=ra<6GP2}cRBE9K8^r(O+ZvKpJDL~qNguPmwQZp-8m7V@ zN^KFU8@Q*E7UJswZD=OYtct4KqA&NDKSOfc-#M>@o#)4;YLqtENdFS^3K9&dFBr|M z*loqE3X2sMmi8hv#7H5<kgna*Z>rqGc_y=ShEbHT^m7S`?4d%B+(-6dYGI-*t5E+< z^P3gqvBIHjFQNKiDKj-p;Y*MmMAXOK^8{gVhrBn?Un}%9(JqaGPiann?Ll$aX-{n1 z!AnT<v!xN*zo+dH+)yR$d)}fNUUOcJ)Xz$%vH5mur0%L;@p((;IW$raH52Q@7``Z{ z?rO>WyjwZ7y=hrziEYVZVX)-}D^!8a+Bc<5#*3h1xvWqS7I$WL>iwNNvp;P<;TX`| zOF6ZibFB4T(YJC~mj~?Ev*ln|9sgYVFTcLiEi{YE;!ZWj>X*aK9|va;HulW-D`RH9 zw=O#R&of(j+rwMS%oCi;+oFskQ}@q2q4x)O3<fKs&%WtzzFD};-G{Hxx)V?F$WHWF z7(*i07&g=2&}`P4G>k5e6yDx`kLvQs@M`+D)vGA+`X6%Dl9YOA?Qrurfg>XqT9E@^ zgWxOT&hX+yo>7=HCb!3BO$p54I3{j@qbN!+nu>Ti*O~vw`5RU!f_JXS+*x#-zFp@m zr}GGVhgT1=p-TFp#dtAVjM3QdpDoi{l*z?1s=d~(E;Fkn=*i8+oB<M)E&5W?I^M)M zknOw+hdKDcP%Q}tuai)WoEa!7&-Iumsf3KA>cJ3Ib?Vh+rZWNZ$pO`dl8LcBv_cAA zc18lYB|rc<0u%wEdTGEup|%_S`L>@ui4LTkvnNApm<q=y*er!iCv8V>#>+b4WIF<} z^J}=w7L&$J%unXCb|Wy{z3WVlMDNhz3o7S-3)6oqjx)7WX0HTEH<C-Do)>{-=9>q+ zXXtoVPHKfVJMk8bt&h;MII}u~0l79^#`5CdW6Ef!eb|E&Q{UJ$n$yP;^Jd)qhw~ej zB?c~nN*%0zm%$}MD%|<q*x?^2$-sGY)_qDIsjoQeKH{k^*%_~Mm`JG>VZuS8W+Qtf zS+Uu?;oSPL<h#s;p3UgxZ3c;@9(LZhh9?&RH`z;Ufi?^GL|RbrQ|i$u#k>L}G`jMH zn3`(J{6K%B(Gykos(!d}z)Wr!%sjC6=V@s)qG1MJN~uoVlq{jeI#XKPMI;@L^`RBZ z<X%K$e<C_&9&p~HQ%fuI$-p5?U{jDsR}QoVqzzw}E77mP5v&U`27f1F&0F8zlxE2) ze=M@fh-;2;q_!ewec2frY%fKQkh6Y#Ck=~JBu;z6vOFXzd7O1mkt`yaC)8Gn>0Fhm zEI{|uQr0z1gk4W{mj*%4Z*00DBL5ko{4X}2{Dl0wAi#aSmq_r~FBHL|;}P&0k>OU! zhx64h5vSKwffV0W4JQs2dFBrfQx(B{AK=BGc`U!}S&BFnE6QSvw?`~m^}8j(4$IzQ z_WzjR?fD!VI8Aa=N;O96$f<JeDN}@@k24)dnpa7nV{o~|y480HWd%qi09M-w5HA7H z5t)dJA9OeU2(Ddz+nofIxgaM#sfN{v)}n+p872aEFyGb(<(TUTpJ(1Bv9RRP<lWbe zn*X9W;yA^EqlAv1#u2Gg|1wrNw~{@z1W#o_GFNuVYLs|BsZ*hkg_h`Il0YDiCHm+W zmS~Y0wwCC%sMd>IWzW@IV2KtfOm4MwFVU~FM5pwL+-yY-+$4mvEEjvjP+5JUm8n(w zTE>U0(q9W!VAi2soP~_07HUw%Pt_tTYxD^79a6Fw-(PjP4xwLxv3Ycv!%RV}m`xvC zX`nx*(H@IF+EJ)392Ul)-t@Oj>L>VGb7%C~V}eWde6yYkCcYR2>L5_BFiz*D#3I_* zY)|v0XvW#xv=Y0=d;t!!=&NUW2H8t2>2H>>rUwQga=@Hd8s$Z+x+rNk0%K7J*cGvn za#2GFTwHgcx}(hY&AoeJJ>OtvvdouZfGLkWz?5@JX6KrhfDJ0`xz(qU+f2hY)2ykx zl5dMrs#`m^OO;aljpVNpXHI7j?NBazjFr-P<5NZ{lysyym6ILI!i}auR#r=s8-sHH zo|F}x&aDr!mLdRfA3dBON<#lrL!uSm7=o9syd*hDuX`F0HkX``(5Ixonj|KOyUg3^ zQc-Q1zi|oXoEJ7t`z@l)r8HbVnV=3@R147(4T%Z?MF>|u+vhb+dmd}f?PMV8SW8Om zNGeF;<~ukE61hiT7Fejt`7XmU^|R{ev+p#`i$*Qly)%e2TjDu=LV)p<*h6u5gyTBv zF2X}pxW+%<Fj!P}AZas9RZ`k$Jvv1owwn8%W?{}x!+bkqQCghlz9l!;d?w_cXMXg@ z&=}JPT7tF@L2ahnMB72@q!wG|Y3@>;eRIVAvq#45Tg=WlQSFR|)0f>5G`p(9xM7}| zFKtPEbWZkN=1qLjD*3c&W=C5QZ78nOyIt7^bEIKqkTQs5B8y0Tx?-c7F3RU`pPOs` z_?hl<U&@p~CMd0Mfz5AN1#S&Vwsi0NvWloHbK|_KEOMjJm}q8E=E&9JuvOv6IZ8ov zcoQ8$o#cQM?=kPAi}LePW480inT%^k+4bRRjjowT_3NF_?RV~cwfUrD02;pIjR9GK zQO@U%q%4cq2SOIu>A-(AYe*|k@#n%-mt4P66m+?M)nmWXqWP-^>As_PEzQPQQFQR8 z8-h3Q39C3Q91oVz2*#A-KL%2bY;8!cmJ9uHA`|<v{z~0`eQ`+GHZb5=o_|mCd#>C8 z$NX`>3!Xc-34zzMQ(s0p^HbkPL0@}t>MK)QkhQHnsYONA8Y3sjLq95yD8o_vXX;;L z>_rtUVz~Yrx{&>y!BX_$%=h%m(WLsmNbc^@hvIY`rx=`G3p{Y^ZC06YKwy@l-|)Hh zU=6u>PjJFvP!kJ(Tc+sbM_EIjrY|G=W}4NvvWB>k^nM4`K&TNt=8t0byviN1Lph6= zm_yLKL?eam;`vUGWXllNQpvgH+$3sPb_yL=Bg|EjmK*vv&mK-$JqW8%=|ASK>2#&P z_Hr|Y5Dkgu7#^X*C_?v-?p6bh!n7?WmSW!JeSwnSm}M7T5((zV1Sgd@d05#6N@`iq zIof-m%Wyrh&Os_zmvwFpf)UBIy{<8BeDtovo%NaL&_|tBV$bJ-C;E$apFPY)zG1$1 z&owMVml>CDJKAdL5zE6EYkt$pYmLfF?wDG0`I8N*#DQu4-A7E6KcN`U27=18Fz;s6 zgRIKZJ=&bE;>8osoUL9Ryh=TbC>SSDx$a_ae4Sb3Y{(ciQKVJ&x*C=an(TMl4xLH2 zXX$$5{C?<{&`X7#bw|C!?@WU>(wf=M60Egk4C)t`yyBd`(C=(qFld4VoFf6R4+pHN zK8Ll6cJ>?zJRuIOK|)?8A%{uGgm6egv3W?S%i_2=V{%GzdHk`#X)(c}lhxAXtow#+ zFHp)}cHUdTEBD@=-@HTIVx!PQ#~t7^T8*<#^hS~|xc9~6%di^At;m{`IHO;U1JyJ& z?$6LV#Y%45gWjnIu3a5-`VNydN5;meS;L)mKjUK-hMMbbbJA&Cbq9~|S=gw!q$wS} z<Z(t^y7;u%;xGk;LG3lcOw_zt$NHvB?!ZTuJIo+vtIY)W*7UDg7nZYhgoJ`|`U@?# zf&SRW>>!$M`UNJWuIMmgl*gmkLk_ZS(?`c%lMZ(&XFK8NP#)0^vSl6vFEG>}Yt=qY z>WCarV-#iQR(@uObO3d9Zj~Ae<}6f(n;Hky?Oz`=r|lj-I0#^gmZN5;ee)19uN-uf zbLW7xnioz$Qqpv@afoy00q1WU<dahvrqv*^Tb#kb-RY_O47=@EAgz1AjGqJEU%$BD z#{P{%{LcENgC^i$Gs0h&&6#v8aM9Ug50ykMQMk~#qpD^cswS=IIHD-)jLMD@Eu?Zl zXzx^j#tYp#^O##HK)x^gH2Y8oBzw6P^DLtqvNE>|&pEgH8343To6masFPXZZ+i2fw zw(TOJh6NWV1zH#tgBTU7eP2E-U^0`E%lVvRweM3##v6R|Hc)r2ZWu6UP8uu_SKF^7 z5Ei+b&tX|(bW>KeN_C)b7q?VhC2@*pFT<#gaK20zQb%f_ppm8Xf&=AdHBgp?2g=0N zzUt06{THYVS>0fh!O|&%MP5GTWr9DpB_rmtxWJV%cw()<Th-`+9pNw^epR)x<&H5y zNn}p<5E>yvDADh1(g)ek#K;gD6diD^_G>B>y~3*2ri=>?y@k#|fr6r^y=jEkKl3E7 z4M}aqf+KgXac<4$1&vT`xA250AV##H0=5ek@I!)vK3Iwme$0oDmHS)WNy*wIdYTYj zZRu7LFxIS58JMfP!&x-K4>+HK()5vW=nSz9Me#w3T`4{giqU44ixK<NS-`KgQcF~+ z$)Xx~#$%3oPu5N7C1^%ShRb#_>rd!tunBaOeaO;`@Gg0VSi}FyYeUlc*jfuoTFFEd zOR8Z4RTBHrnM_v=qLS_KTIyGvYt1|?i!+C4y??`sV=b9MS0Ju6Q)C6T`W3;Z%o85d ziENh~l0#_RtCgzGELP8JHB9M!#^AHfT3W1T^h?P+q1$V+gEe9y%{FPzuSsRs@Ay-r z&&$%MWa*cg*GZ8R;SHL@d5gHczoSYe+a|;+l&uAZooROH4pP=g`GeNXPLfFzb`#S1 z2_-JE19Kg4B`^wb`OGw9drEbu!t~n%qeIJiU}$Ld55)5#)skz}?aZlPlQ8z#UJ#-| zYO^vmzd2P;V*j5ETWQQ}A;NIjCB|%xCEmF;jXrG6JdLv!xSAK@X@Sdl!B-26nk^;Q zowGGGn&>N2cRRN_tq77S`L(hZ^0u`V19Af$;OpSM*@-NJvG_<B4C7r?o87^iy*8Wb zMrpq6c67@_sMBrzt2>@@hy5J^v<IIiJ1y|!Q!YK$isdqQoTPDML_TG>d5CVZ8v5tF zwQ7lkRx1I6-#=R@`m)Md`q#Na+?08k)vz7fn~b?P7;2Kt8t}>IiMVUrKGxYujGZWb zLanz`MzcgG7IDuLahiX|7e$b)I}hh9p%{<(HOiH54&kp~Ytv~>ArTCn#S8~^$oQ)X zh^?`%yGTMs6NUtL_ntBL;MAmDP#8v#36b}%i_U$y`ln#i)B;*>S*Pvjco$ClL? z%=q~elnuXpj0WVh4c6?B5^b?x@W;C;BYJ#|yQV(-^BV8xS@qdyP_7}XGtF%KKWAjn zLectNCDB|O$s?N`pgU^fn(!runKLO{ZL*IDdN#goZ=z)9FDy|a4b+7tIf&rq{hz40 z&UP~#62@?Yv#|LPJJk&HQ3e)?F*x^tH_b5TT8Z=h%QKll3XntrekU{W1ucz%R_!vl zu6JTwtI@B2wku%k4*@aLHLf+aS<jd)!%M#cTQ)o{<ty6y;vrvlB!}@s{CO0_`ltZs z3fJ>dHs*_rgZ{Wh2W%`KXEPa`u}qU^8Nd`Gtzm`f-1-zBi0iySJ$H?3COIw5Sts}8 z<+Vm%m)h*yTBpLCW?Q^x1F!Vd+Cd-yYm=~2?%cW>C+BZ7&rJ<xIqNRtBg?sU36IuH zGk8uOY8JK)$4P80(iq7HrP*8qcI&NRs5o4XL)iMFv+i5c$~Hy3oMB$wp_-Th?yNKL zAangr28eU(Pbpw+wfW(1ey17vQuDUsxUj8DIfV^QQ0G0jGyEy5^P3)CLis=cawvai z-5gx4GVHJ%DF#_>{WkI2`jH<!Izhz8W}oAaF^s~#^M*_X2XtOm#D*kvo)l8G*-}>+ z<t5PsS#I^dD)cT0YpM^@RaIwOUV(>b9w~ZgNut<T7H`U!4Nfz|w82YY^r-kX#J6>( zRG;4bHiKMr_Jpiv$aIiF9yPwvac%awnv<K8gmQS^5Q443>2~cp8C&!2=C}j(2#tMi zjAaHm5bPpSUwa%RYp-#*{ngfz;(tXArj2S*S=&8{L(57D#>Sy>ye}&aBu|6{WXYoR zJy=+9jhe&f&&Pd^I=}K3&D!?hXM~&KKNL|-rI@I}J}9IBm%CT4Pr(h2lA`RU!W}#z zTt1O71J@X3uEEEm16dpYC#BMwiUd{3p3PQWl4fnzvSl_Q9@M}hNeE;-!hE}nWGGc1 zPd%s4GDneKLvjGcS1HB`9XaviNE~IJ5)rQKQ@w;(FbQa{p*Dyv{NvkHXAi;5a-v(C z`r^gH3Wfzd%G^(xROzgOnu~kNc%v|Y{{$u`D4$wu6mDT|WDAsPz{x$PmVRmi?cZF+ z-U3yHJ4XL3ya%Jx{3B1Os@RU`W_KkhwTO`EP<`_mS~KR8U+7dTIE{Ja&Tt#Gon$nl zE(dWJp-%nLFGR6dIAy<_TXIXDnE(n>ay2-K8OIy5nAx_qmLyOgtQ6Fj%*-=qe@HKi z0nCq$syuW4!}7)5RiQ;?m+>J6id0FQbux>KbU4=#b?)3Fg%G{}A@pSk=NYO@J@Gx( z+{gD5$inzGt&2vIBM=9%&Ys$We)D#=;$X>?T(d~*H3&8|nSsg$L4-o()4BCDnT9d8 zE_0<UD}u4Lw;fd;UFHK1Sw-$AMSfUDn)r(v5hd^Sk`)Y2*Ymsk6l$eaD9LZJB+_ZC z?#wseq9VdWMx##Wq_ehmu!z%RL@#$oFo~*F_DyBDl?uh~G*>`&P_=OS)^ylwt2<5* zvwCk}v{^^0RD(Mo4Ce-R%T811{Z?J%>mVhkZSqsZUab`AH#ms$5NI#mLjx`}s<cDr zd(bT?x#j~c4Ean`t;tA{$e7DliznxUyYchy8+U-d7c;x*N+iTJseQy>ob@d<%w|L( zocFxQ+iwIN$`Lbg(^wA>sk1CDaCHq1dn;88aoAtv)vqavty0V_rw}n1A$&%RTW^fp zY)}2T(vF=bG5SC~B*4=@Q8ksK&3H(1Umvsi=+-mqUO_!8b(bJ>RT_kck`^w4=oz2- zwmQq2dD6<s{fq(TOjQ^`MAUW8j=)Q)pKZQtBiUBnNhi3h<-*+j`^bGNgVvX9{sEGR zNO&hvNz2S>)<X=Yal0`ZAdBD?=G#SKJjZ;G*RVweNW@0_IHN=HbIvdd$%?KtCDDXl zS-puTv{HE}Vwupja?ML6W68l~ZcsT0fl8=k*}`^H<U@)jw_TZWQdA3@6ACGl0(xdK zv6O82hzlWrpNr9j5G_^2VwJ3Rizru3uw+-GLsw+ulN!^ZTID%+Zm>hOs(rtPvK;BG z{Y=ms-NO?H{RW<b%v>f<@R!l@1ap~PGv8k0k3-q__{PCC@7C5Fh^ikPxV*RPmYM_6 z0kfvSzBw?k$ERj&%~qlI8?ow$vto~Q!31rW=wT=8P}xDGS$oy?u<(xFOYiHeWgsP# zT)aFG=O0)ID^^KfcN36{h|5_lk9ol<i^Xs#!VJ1=)5TyRo4{4=Mm$HcD9|-JJ&<fh zkv<f^_enN#g)O(Tku&Sh7?;YX7>2Erhw1%VG`GJQ^J0PAl8jr?Yx*E!U4=K2it(Ud zQ6rhrtZtLI1dW*3;fTHQ-7(GY#w6b|7=sK8vsi6UF!k;QP1I`7T{{)D%r}j9f6JY_ z`axh=-H>^}`P?qy;<rl2GrJD5de^xKlln23Oy<F+EPK<&BrJD#Zc35s&LNx|Ji}&J zXm_K>er7j3=la1cXR(2P^}~G5U@)^Y9R^W~(Yf&ei6pNG>XS)n>Z@{y@SU?&+x_PP zwi4TIm{g4?h9h`GI^_u<CDQ?3teJ-(%{L@AWgch0dr;Ksu;h1GD-v@Vd?KD%8=f^m z;~-ZoK9U+x<NkT(4r1pAmLrJ72_nawwuDKdgr0<*Fp4!2$;P1$QjoiH>ccL{tvDS( zC7i=<#ERSNqK5joFl%3Dof%|KBvEU5qQ@ea%d`kN0xVuIHgfZRyPgfKsk;4%Cssd! zRZy@kcG~O{Xfb=dB)TDUpTCpV$~J|+y5e-hioLf6Tpsh<?=bFK?P5~WABz$q<20L1 zgK^Njk^zL6F8vdO>o_n_hSP(E;qsV|s#j?^8BAB(5Hf@{N#z(eFM>tMXu;~1uk&K# zE;Rzpm%)M=;(^<h1j!5clYZyCd5BydPFZnUI5nru$8oe_LALrZ21JRzsDzD_MOjK( zk00E|rj4;t{uou#?P7|O!p$-N?LHWDp|9zbIyggai<?WN4itPete-Y-G=orT;ji9@ zLZ=ymGJHhw=e8|l=poY$b}_LL$-0_PXX|5f%|!A;LiZHb1)@|=P1CS_a;kCA%$JSh zxHn`U3rtF09;IJZvp#yJae2*p+iYVjBMKEb-&RqNfxq_i50rAjaJMzrB+u3l!Dye9 ziMZoyHmr2-3XD;W@iY-=yLLglF9DNcS7U9=rn>O${@GT2SY*Q<WH6{6fu7s|*TK2< zT3P#Nn0GR%^BYE+f1!axn_2WK8jB`q6;Wudt(Y3NX71&$7WkD1)-24lgPvS-^RHD$ z_24>}7pOi8US|%YNHQuI9Dx}gPKACg9BY2xSRbtn$9iuY9oSBsmKgV3c(wEn=%-nK zD|%o2NhvE{vveJc2sn-K3I^M)_Ob0-oNJyT-AUD_7&*4H{_58PGyIvmsB7>#GLE9O zM_%Yt+6~?L-bud7E~=~mV~m!R6?=_4{MCo0O}Rex{k}23X2mR8`5ssCbIoY$sMFI9 zV=R9en4=k(1bGJ`JxbOSr0X_SY1>&{IxnuM;$(R1rZhlZsNjrRzXB)?&li~var z?B}%klDLWDf^4)nO#Q>nX4L#{frSueKHj{6e&Bw?L>`d{`ZHFsWS3ZmQoc`R>p!Zt z)MWNo*@Q0+(@KUAHQ#)n2!1ZmKjktmg>5tXOlEwvo@l;@bE{CFH1qfBRZ%~VD0^FK zYxkW_5R7B$+uR~XI@m1DA|0`t2h;L9#E9HeM)1wN?ybHta2K0&yD%+>v34#tOPGE6 z`4T2CtnhJRUgKcr&fU(Poo6zxgN->hy>T#X%%RSme-YWd)|AY6<Q>vM0lNYNQ&yn% zUR-P#5K5nU)Yx-dWQHOQ5Jo1y$g%9Mk}!8IeeMr47nESfX>;2=StXRpPm!JqVOg!O zss1JtXWbeChf1w%MT>HGxYweE6iHzp10k|K23P|lvUm(HB!wrCOfHOAC+sN2t35LB zOh)u5<f*#!IgOW4DXvp=1(w6XCDf~{2e47@U+w>B9syRTR=6tT`Fqj2nANt5guo2m zFRo1DZ{oTuaTy*M?|e>p@X=?|N4fNYq|h*m3`rtjb3S)K(tr~W*Ak!p*pjtM&|QE` z1g;w|3YQ_Trwmq5RfH^6ge+BrELDUoRfH^6gsiVr1gXj)W9({XO@BJWxitVf8QE40 zLOB<V*u~}OEb%~M+|m&GzUoKm-f$<4BQ9%Yue(_y!71{a^buyY_Xq#|XDDPs%>2Ws z#?1K7`D%?yj@5<1AMJ1LLKc%*@PGU7yMNKNXMh&qIPd`w1JXJYm<B8WRsu!9-9SC? zFz__+B5(jW4s-yHF5&^nKrT=M+zs3V+z<Q!*a;j0jsd5DGl2bbjG6(Xfr&seun_n< zPy*Z!JPqsx{seRYgCIwZ1g-=!fTchQPzP)SegOOo_$_c4I0bY7age!&1CxR40S|CH zPzG!S?gbtLegW(T4g>E39l%IX`-wm@a3j$7_kLoU_KWm1ZQ4y~+M(s#*}g5UJIHUI zPSYM7*7F_qSY1$D>MeBZ<?cJYy4$<HSa+`~FZ8-sSC+4FS5%g-@>W$%;b7krZdIkX zK=(%axhGU<{MY7`8>NNrvT{ksyGmSfD<~6()x~9nZqEk2sJu*h8hXL)rCx%Nv^H*R zh4Ps~G%44(vEA{?E4*bY)KyihDvK-hDHR(epUO-M>aj|vX=}79ZIxE8Rcc=TP0<Rq zQvT7GTA603_bVh>ZDN^GT57!tV<JYH(52a8w3uj@Ju@@2pZumLX&x2Wo$Og2>(H)C zO3L#<8gjb@-_RT@i&pZ}wDlG1`8fyy(bwVN;ozTqYEO+#*R)Fkeo@gjd%u`iNB_71 z@dF1rU4t(gk}&k*OA?0-A2D*&=rQiGmyR1h;j+soUUB85$yZIeI_a8gr%szb<GSRO znW?j8U;nkV^c&`6WX_$JHUGw&7Gy76<XOBVXDJptm*;=|=37?WdfUo^+gBBOSKm=o zTykgWnzHhWyDF=6W9_>28}9zb#_CO*6`47+OuE!lUR<VoD=E`WTBf!{Tgcx9+EndY zS}cRN1**Im-riy7mR8NJ^m;X(IbJ=tpwv+B^CI5UOH0dFN#shSOfO#Jb$cr-%PZZQ zHjvI;x?oXGj^!esTF(51^CCXAj78b$^B4BGESZrsb=ttV^fGrrMMY`xssg>3AyZUP z<z7?3uq?n`*S%{hbQ!Xx<pm7gBCmUnJDhiE@$Hobl^fi})VZ?KyGk$JFeT1Y>Mf}9 zGO)|^f>p#MMnvkDSGlW<ii+||e7pr~+^Z@4n(|67Y4Ey6m0*f0Jmr`2O&u6_l{>ws z7zSx)=geOaF>~~y;wpDRRh4(m?WG&sg+^s@*&XgOl3FXppd!U(#d>i;Y4P1E`M9ML zo;e~F_7c;5yKx8K?hWNeWn@{WxaaF`g03mA(%q%ScX~-(s#EE$GD>xK`D*v7g3?mS zjFyrzUA3xwO@*4`6R%!XT6u+gwNbW8wW*rn1wDl-tI{itRXUaDzw*o|EzK?{E>m@v zdS5H`R@1wz+_<C2T~$%Aij{)k41fZrb3}thw%0X%+N-<nUaRw#EVbHOFQU-pWvjeX zzIuB|K2o+M$zu*FN%?v*C=B^un=JlDnOb!iIXxlVMc#r6tF)wZ?R8&L$92UK5mmqS z#G7%!cvX7gm&BVc@hS{P+uGtv-6$yS=^*Jzm4TFtIdOruzpcDXmhGz<II?=Hg|)j} z*Q7|io_eeGlzC89PInc0*A}nx_Jj?!k#~Is^M*}9TBc`as&>9cwU0rLp)hM0cEx%T zdqSa%f;;<$zi_*RA{7?s1r%YR)#VY>Qce0w?_GwsN(v*Rd`W15p#xdT))X_L7<AI# zGTe<aqe>cZUBTaR%G35qstwOO?!9I7T6x(TZ<$UVB&=$~^M);`yu*-yRjR=yteQ`& zS;TaiuobdCcdtZ}ge-4fHG(xQyLeS)c~$vp-JM&kYB^`pr0(`uU@dwqPg)%FVak*# z+AQ|&J1SYt$_iMKjj}t-%GZ@$PalSwFjLm(v2k&1q7rPTTO#x0<g^R2zWR;gT^RfF zdm!SyiFdUb;*JiC?svpDyWh7(yu<A4cIU1@_xpDu-eYQN?y0G*VMDgvQ*+OjnuLD+ z*patx-AaLyl4?9P^_oMQczLoXuZI1WP1)nACwuqAn)(`IX>7|yMMVxr?D~p|brlu8 z_G7&NzyG<lzW*kIA6ftU`ke1O3ry+D{?%z;{MS2tt=97|O8aX6B2(C+_56#5xcycB zh2y*bzwdwT3;pj#!{h(q5fD||{SSfXuk;J|pggxk_56#D`fC5e@y|D=|6^`{Z3akA z3H%G^C|^DAE)ntm5B&Ou|7x}E3FXpy-mSN&D47H`wOf33TkrX1eM6)F-llKex9!{a zf9Jd3d*J&IKJ@TEJo1k}_~E15AKUTx6Hor=sUQE3pFI83pZ(J_KmWxqfA#Fn=bnGz z*S~r3rQiN;SM%;Ydw<{3x^Mr1mk<8o&?|?Jyn6JtKfeCPu{Ym(`}jZq>75fN-+k}Y zzx?@qv+Z94r~mDP58FTb_m4Y1Idiu2)4zPy#pTGq`9O5x1J74F5dCM@|35qbzq$SY z+JW@K{^~&bpI!f~teI=p%&Zd9gjUFJvOAlfTV6Ks)3UR#E-bv77k-{>O-lzj6LXGJ zM`vwe`P%OHMVywzImcVUk<<#1Zrov1>6&(<QL56o5nNf)O0TFa7MetMLFK9<o^!po zR~j5t#qY*~GWAM6lD<Z|lBPylk`7QtybY3u#Fw}dN6RVDjmkniB)!UF^|rLgsH_UP z<#`LsyrGY!pwZ%-U0$YqbBxflK$o~0@if9~gp)8D{u+n;5RD~|qiOlN99<oH#C=(n zw{p?#C7cuH_Z*Ui;(_0Sf+{_oGv-=I4i!d)a<jgzWVCE(N(Fa#Zzx}%t}V;STr&0A zDH#hOKaeL`QvwP?c_<b&wAzO%Q*#=CcAz<E6&i;&qN!*xX*hm!7A;(~Z0UGy3TIyV z4%3sS+^&+reNCZqzlFRuaH?3dq`X`*;Fo1R{+IsNT$HXIhC^v1_TlT;X^TN)A3A?h zkaeNtX&N+m^$dT%0qstH;qQHY{9hc`+y7vM|Bol6X)git3&+1V!hhEEG%XE?^zWPh zdoz3cAC8DG@qV7#+dndY@lTy?`OAAO@8NRv&1cv3R=5lKfBdxz`;SUb(^3HWT`2xl z^LqRDE$3%9_V({vzB?Cwx&Kc+J#~9A;{8~k_9|b}6Yd)k?|t)|p5Hsa$aLQRdYbkj zAir>ZBmJ+sIZe9;i1gppryTXS_V$nL*F@;USBGfC;q?2K?~0NO$CrF(miG4V8~^$Z zz5OHem-q{7zuf=oExrBw_UHKT_4e<Z{!8Ega{r~<d;9k-|I1JG_U}6{zx^Z2U*q?O zCwuz5Z#fqHtamzn{fl<@_U~KI0SD5wrJs^X=r>3MojVc!>izt0p32|GQ&|!<&s*lL zgt#=vqLj_iD@!xiLc4)ag`Y0mhdDx04|5>O?0E&n`rPu$94I-ZUTbI6zNgJmypm8b zw#R?6K}3&8G^?PjuoMj96G=6@ywE81&V^XJ5Sk64-_kOLVn3%6QZdB99CllX;qZc@ z7kCTSdcWZQm!4Ftg!43Ql0B!?3odbKG&x8?(hCbA7K8uvi;85TR7l)8<!jbZq6Nie zWZy1jwbFsHBXz%C(#X*ZEk}505=Y9rbVG$#n`QYHK*g*Oq##}U9hg(8msadkf$Qu` z!_>R(7W^M7e*=<zSs3Zivh2&sic|{~X0Bfal11&wPBAgY*eTrwy<d->UzOp7hJJ^) z(nEEn>)w|f1UFHnFHL(gIt%)yVs2=UsdtN!af>R6N2;LxK6<|NfDkslh4af`eF+6m z)0!jQ!9K$7ITAO0jz`lHq%{_0X3P5tN(1MlxKNE5FdyxD`_j@X0$BW%S@IR)qI^x> zyE!eh<x3T@LwX~k^goMeuceCoIv?ET`}REAT8$y?O!NZihau7+qv_X_ImC15+au{^ zg*g?)WmY%e6eSsE_E0u+bm3l9rE9w+&o6pt3oZ~NPph-%6&HHv6cto1EzcH8@eLbv zueSUA=`dO!SN&kk8ci#(=UOyz)dKmp#fG<XgU4H`xH7N_RC$>_CDPVQi&xzl8mB*r zXq(Ugqj7T7_*7`$Qn*y<Rchq&raf$1qL(f!TL+S>{aBS?iP!3mTf-#?^-i5iIkYIy zvkydkGkwAIZ-|;(YE%_T+BX=hS9>d&X@8DhFekg9!fHo)VvMc3EtZyt8%Q%FL(vv# z)_jt-m-$7!IlWy7(<b>ZP|O!=%4zS*IFa1D*?m7zHOeWzo6==yb4tsryrBtvuQggi z>ruM)a71ku8G41G%jkWeSExKKMrK~bDzG86%1Nf!ErdI}rlO$I+g;n--Y%5-n3OSM z9OV{N77Jr0UArlB$->M9oCgX^IV_dgmcUk!bT#ddR-D2`tF7<Lq%A_7EAtph04cpH zgwBAy-GGlqoBj9i|LzvpB?|HQ$<v}xh05y+JtH0nS_#&3!JqgG{P*v_Ti~m<z`{SL z{pRPxewXpD<I>dFDt#B-`T)nMV2ubY{4f4woL&rs$D}RvZs(Z@^aBP0$f0Qcfmk3O zaD<-XCf`y7@e`h0*iX`xxbj3Rhsr~yi?|I2E((F<Jr)r6>41EvhrZ{8zFFW^oFyUm zoY0eHTBV=QQ}SjxR_Uza=>}MEkw-%21CX*xJ)}G}fRwp5^xVQz{C$A<*8x%<xd3<t z@Pp9zcAiqc#{tRjM}UNT4v;z>0>u9fK>QPF6ltGuoAKJcHblus#4r3Eeullm-+iBb z{ri6ZweT1652y2A@9DbW&#J5Yg1`S7ZE<0ygjK%_6UF~))L&|G!66XZ$uBqr-2Zjj zfSUY2J`{?Ef`>)h9gnkNt=zI<%h*uoJo%3Gvi%9`S^L8iUGkQ;sYX4YB7F0Xw|2NK z?=SqVMfO#GX`$z{Uom`oDEv;szw+3r$A)YF@|gM9%~oO&f4kG)v|Ysz-BF9*y7eu$ zcH3JeZ(SP^(t52udhAappr>84$%<L}Zx-!tPAFt}4gW&KztLga@bq3O{H@<o&c0<8 zd)47zQ6Nog|1eFf_$W=QADON_Nd6LDp3>KX=g3d?)=o1`;TQ*b%AWlwPua^IJY^Ce ze?Lv_#ZU7T9HXA+5T3X26r5%}&tW{f{+y-_=ed{X2%h)y6kMT@=V+c8Jjd`n@h@qb zo99zJ$MSsURGP91=Hj`YZ;j^$9_{a?X?OEH!BYm?ah^e*2YDWXzWY^x;iK><NmuF= zT9h<tpA!21!H?6l?*iL^dx3hO4yXav0~J6Ka0}o8vVd7YGB6ED0wx0!f$@MF7zrc- z34jZT2kb!Sztbmx2}t-8JdXi~fxW<sz%#((z@xw;z&2nbPyzI}_w>2+=@jadL7(4y z#b1Zbp`VPADB?+6d4_+|PVRo+k#0QiPsT~)ucpF^-~N%s&+_Cfjr9Hxzk4$Nw)lss zmkZ@sGN!|sN4^W6LqL8q7E^(*12QhY4?GLJ27C+*reTtRg@9a?3CEd<Up}x7cmVhn sa1{7=KrVY;4P*nQ!2j#Nzb3L0-REZu{lfJw?Z8eMa0{>$=sSM?C)~1m4*&oF literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/setuptools/command/__init__.py b/venv/Lib/site-packages/setuptools/command/__init__.py new file mode 100644 index 0000000..b966dce --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/__init__.py @@ -0,0 +1,8 @@ +from distutils.command.bdist import bdist +import sys + +if 'egg' not in bdist.format_commands: + bdist.format_command['egg'] = ('bdist_egg', "Python .egg file") + bdist.format_commands.append('egg') + +del bdist, sys diff --git a/venv/Lib/site-packages/setuptools/command/alias.py b/venv/Lib/site-packages/setuptools/command/alias.py new file mode 100644 index 0000000..452a924 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/alias.py @@ -0,0 +1,78 @@ +from distutils.errors import DistutilsOptionError + +from setuptools.command.setopt import edit_config, option_base, config_file + + +def shquote(arg): + """Quote an argument for later parsing by shlex.split()""" + for c in '"', "'", "\\", "#": + if c in arg: + return repr(arg) + if arg.split() != [arg]: + return repr(arg) + return arg + + +class alias(option_base): + """Define a shortcut that invokes one or more commands""" + + description = "define a shortcut to invoke one or more commands" + command_consumes_arguments = True + + user_options = [ + ('remove', 'r', 'remove (unset) the alias'), + ] + option_base.user_options + + boolean_options = option_base.boolean_options + ['remove'] + + def initialize_options(self): + option_base.initialize_options(self) + self.args = None + self.remove = None + + def finalize_options(self): + option_base.finalize_options(self) + if self.remove and len(self.args) != 1: + raise DistutilsOptionError( + "Must specify exactly one argument (the alias name) when " + "using --remove" + ) + + def run(self): + aliases = self.distribution.get_option_dict('aliases') + + if not self.args: + print("Command Aliases") + print("---------------") + for alias in aliases: + print("setup.py alias", format_alias(alias, aliases)) + return + + elif len(self.args) == 1: + alias, = self.args + if self.remove: + command = None + elif alias in aliases: + print("setup.py alias", format_alias(alias, aliases)) + return + else: + print("No alias definition found for %r" % alias) + return + else: + alias = self.args[0] + command = ' '.join(map(shquote, self.args[1:])) + + edit_config(self.filename, {'aliases': {alias: command}}, self.dry_run) + + +def format_alias(name, aliases): + source, command = aliases[name] + if source == config_file('global'): + source = '--global-config ' + elif source == config_file('user'): + source = '--user-config ' + elif source == config_file('local'): + source = '' + else: + source = '--filename=%r' % source + return source + name + ' ' + command diff --git a/venv/Lib/site-packages/setuptools/command/bdist_egg.py b/venv/Lib/site-packages/setuptools/command/bdist_egg.py new file mode 100644 index 0000000..e6b1609 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/bdist_egg.py @@ -0,0 +1,456 @@ +"""setuptools.command.bdist_egg + +Build .egg distributions""" + +from distutils.dir_util import remove_tree, mkpath +from distutils import log +from types import CodeType +import sys +import os +import re +import textwrap +import marshal + +from pkg_resources import get_build_platform, Distribution, ensure_directory +from setuptools.extension import Library +from setuptools import Command + +from sysconfig import get_path, get_python_version + + +def _get_purelib(): + return get_path("purelib") + + +def strip_module(filename): + if '.' in filename: + filename = os.path.splitext(filename)[0] + if filename.endswith('module'): + filename = filename[:-6] + return filename + + +def sorted_walk(dir): + """Do os.walk in a reproducible way, + independent of indeterministic filesystem readdir order + """ + for base, dirs, files in os.walk(dir): + dirs.sort() + files.sort() + yield base, dirs, files + + +def write_stub(resource, pyfile): + _stub_template = textwrap.dedent(""" + def __bootstrap__(): + global __bootstrap__, __loader__, __file__ + import sys, pkg_resources, importlib.util + __file__ = pkg_resources.resource_filename(__name__, %r) + __loader__ = None; del __bootstrap__, __loader__ + spec = importlib.util.spec_from_file_location(__name__,__file__) + mod = importlib.util.module_from_spec(spec) + spec.loader.exec_module(mod) + __bootstrap__() + """).lstrip() + with open(pyfile, 'w') as f: + f.write(_stub_template % resource) + + +class bdist_egg(Command): + description = "create an \"egg\" distribution" + + user_options = [ + ('bdist-dir=', 'b', + "temporary directory for creating the distribution"), + ('plat-name=', 'p', "platform name to embed in generated filenames " + "(default: %s)" % get_build_platform()), + ('exclude-source-files', None, + "remove all .py files from the generated egg"), + ('keep-temp', 'k', + "keep the pseudo-installation tree around after " + + "creating the distribution archive"), + ('dist-dir=', 'd', + "directory to put final built distributions in"), + ('skip-build', None, + "skip rebuilding everything (for testing/debugging)"), + ] + + boolean_options = [ + 'keep-temp', 'skip-build', 'exclude-source-files' + ] + + def initialize_options(self): + self.bdist_dir = None + self.plat_name = None + self.keep_temp = 0 + self.dist_dir = None + self.skip_build = 0 + self.egg_output = None + self.exclude_source_files = None + + def finalize_options(self): + ei_cmd = self.ei_cmd = self.get_finalized_command("egg_info") + self.egg_info = ei_cmd.egg_info + + if self.bdist_dir is None: + bdist_base = self.get_finalized_command('bdist').bdist_base + self.bdist_dir = os.path.join(bdist_base, 'egg') + + if self.plat_name is None: + self.plat_name = get_build_platform() + + self.set_undefined_options('bdist', ('dist_dir', 'dist_dir')) + + if self.egg_output is None: + + # Compute filename of the output egg + basename = Distribution( + None, None, ei_cmd.egg_name, ei_cmd.egg_version, + get_python_version(), + self.distribution.has_ext_modules() and self.plat_name + ).egg_name() + + self.egg_output = os.path.join(self.dist_dir, basename + '.egg') + + def do_install_data(self): + # Hack for packages that install data to install's --install-lib + self.get_finalized_command('install').install_lib = self.bdist_dir + + site_packages = os.path.normcase(os.path.realpath(_get_purelib())) + old, self.distribution.data_files = self.distribution.data_files, [] + + for item in old: + if isinstance(item, tuple) and len(item) == 2: + if os.path.isabs(item[0]): + realpath = os.path.realpath(item[0]) + normalized = os.path.normcase(realpath) + if normalized == site_packages or normalized.startswith( + site_packages + os.sep + ): + item = realpath[len(site_packages) + 1:], item[1] + # XXX else: raise ??? + self.distribution.data_files.append(item) + + try: + log.info("installing package data to %s", self.bdist_dir) + self.call_command('install_data', force=0, root=None) + finally: + self.distribution.data_files = old + + def get_outputs(self): + return [self.egg_output] + + def call_command(self, cmdname, **kw): + """Invoke reinitialized command `cmdname` with keyword args""" + for dirname in INSTALL_DIRECTORY_ATTRS: + kw.setdefault(dirname, self.bdist_dir) + kw.setdefault('skip_build', self.skip_build) + kw.setdefault('dry_run', self.dry_run) + cmd = self.reinitialize_command(cmdname, **kw) + self.run_command(cmdname) + return cmd + + def run(self): # noqa: C901 # is too complex (14) # FIXME + # Generate metadata first + self.run_command("egg_info") + # We run install_lib before install_data, because some data hacks + # pull their data path from the install_lib command. + log.info("installing library code to %s", self.bdist_dir) + instcmd = self.get_finalized_command('install') + old_root = instcmd.root + instcmd.root = None + if self.distribution.has_c_libraries() and not self.skip_build: + self.run_command('build_clib') + cmd = self.call_command('install_lib', warn_dir=0) + instcmd.root = old_root + + all_outputs, ext_outputs = self.get_ext_outputs() + self.stubs = [] + to_compile = [] + for (p, ext_name) in enumerate(ext_outputs): + filename, ext = os.path.splitext(ext_name) + pyfile = os.path.join(self.bdist_dir, strip_module(filename) + + '.py') + self.stubs.append(pyfile) + log.info("creating stub loader for %s", ext_name) + if not self.dry_run: + write_stub(os.path.basename(ext_name), pyfile) + to_compile.append(pyfile) + ext_outputs[p] = ext_name.replace(os.sep, '/') + + if to_compile: + cmd.byte_compile(to_compile) + if self.distribution.data_files: + self.do_install_data() + + # Make the EGG-INFO directory + archive_root = self.bdist_dir + egg_info = os.path.join(archive_root, 'EGG-INFO') + self.mkpath(egg_info) + if self.distribution.scripts: + script_dir = os.path.join(egg_info, 'scripts') + log.info("installing scripts to %s", script_dir) + self.call_command('install_scripts', install_dir=script_dir, + no_ep=1) + + self.copy_metadata_to(egg_info) + native_libs = os.path.join(egg_info, "native_libs.txt") + if all_outputs: + log.info("writing %s", native_libs) + if not self.dry_run: + ensure_directory(native_libs) + libs_file = open(native_libs, 'wt') + libs_file.write('\n'.join(all_outputs)) + libs_file.write('\n') + libs_file.close() + elif os.path.isfile(native_libs): + log.info("removing %s", native_libs) + if not self.dry_run: + os.unlink(native_libs) + + write_safety_flag( + os.path.join(archive_root, 'EGG-INFO'), self.zip_safe() + ) + + if os.path.exists(os.path.join(self.egg_info, 'depends.txt')): + log.warn( + "WARNING: 'depends.txt' will not be used by setuptools 0.6!\n" + "Use the install_requires/extras_require setup() args instead." + ) + + if self.exclude_source_files: + self.zap_pyfiles() + + # Make the archive + make_zipfile(self.egg_output, archive_root, verbose=self.verbose, + dry_run=self.dry_run, mode=self.gen_header()) + if not self.keep_temp: + remove_tree(self.bdist_dir, dry_run=self.dry_run) + + # Add to 'Distribution.dist_files' so that the "upload" command works + getattr(self.distribution, 'dist_files', []).append( + ('bdist_egg', get_python_version(), self.egg_output)) + + def zap_pyfiles(self): + log.info("Removing .py files from temporary directory") + for base, dirs, files in walk_egg(self.bdist_dir): + for name in files: + path = os.path.join(base, name) + + if name.endswith('.py'): + log.debug("Deleting %s", path) + os.unlink(path) + + if base.endswith('__pycache__'): + path_old = path + + pattern = r'(?P<name>.+)\.(?P<magic>[^.]+)\.pyc' + m = re.match(pattern, name) + path_new = os.path.join( + base, os.pardir, m.group('name') + '.pyc') + log.info( + "Renaming file from [%s] to [%s]" + % (path_old, path_new)) + try: + os.remove(path_new) + except OSError: + pass + os.rename(path_old, path_new) + + def zip_safe(self): + safe = getattr(self.distribution, 'zip_safe', None) + if safe is not None: + return safe + log.warn("zip_safe flag not set; analyzing archive contents...") + return analyze_egg(self.bdist_dir, self.stubs) + + def gen_header(self): + return 'w' + + def copy_metadata_to(self, target_dir): + "Copy metadata (egg info) to the target_dir" + # normalize the path (so that a forward-slash in egg_info will + # match using startswith below) + norm_egg_info = os.path.normpath(self.egg_info) + prefix = os.path.join(norm_egg_info, '') + for path in self.ei_cmd.filelist.files: + if path.startswith(prefix): + target = os.path.join(target_dir, path[len(prefix):]) + ensure_directory(target) + self.copy_file(path, target) + + def get_ext_outputs(self): + """Get a list of relative paths to C extensions in the output distro""" + + all_outputs = [] + ext_outputs = [] + + paths = {self.bdist_dir: ''} + for base, dirs, files in sorted_walk(self.bdist_dir): + for filename in files: + if os.path.splitext(filename)[1].lower() in NATIVE_EXTENSIONS: + all_outputs.append(paths[base] + filename) + for filename in dirs: + paths[os.path.join(base, filename)] = (paths[base] + + filename + '/') + + if self.distribution.has_ext_modules(): + build_cmd = self.get_finalized_command('build_ext') + for ext in build_cmd.extensions: + if isinstance(ext, Library): + continue + fullname = build_cmd.get_ext_fullname(ext.name) + filename = build_cmd.get_ext_filename(fullname) + if not os.path.basename(filename).startswith('dl-'): + if os.path.exists(os.path.join(self.bdist_dir, filename)): + ext_outputs.append(filename) + + return all_outputs, ext_outputs + + +NATIVE_EXTENSIONS = dict.fromkeys('.dll .so .dylib .pyd'.split()) + + +def walk_egg(egg_dir): + """Walk an unpacked egg's contents, skipping the metadata directory""" + walker = sorted_walk(egg_dir) + base, dirs, files = next(walker) + if 'EGG-INFO' in dirs: + dirs.remove('EGG-INFO') + yield base, dirs, files + for bdf in walker: + yield bdf + + +def analyze_egg(egg_dir, stubs): + # check for existing flag in EGG-INFO + for flag, fn in safety_flags.items(): + if os.path.exists(os.path.join(egg_dir, 'EGG-INFO', fn)): + return flag + if not can_scan(): + return False + safe = True + for base, dirs, files in walk_egg(egg_dir): + for name in files: + if name.endswith('.py') or name.endswith('.pyw'): + continue + elif name.endswith('.pyc') or name.endswith('.pyo'): + # always scan, even if we already know we're not safe + safe = scan_module(egg_dir, base, name, stubs) and safe + return safe + + +def write_safety_flag(egg_dir, safe): + # Write or remove zip safety flag file(s) + for flag, fn in safety_flags.items(): + fn = os.path.join(egg_dir, fn) + if os.path.exists(fn): + if safe is None or bool(safe) != flag: + os.unlink(fn) + elif safe is not None and bool(safe) == flag: + f = open(fn, 'wt') + f.write('\n') + f.close() + + +safety_flags = { + True: 'zip-safe', + False: 'not-zip-safe', +} + + +def scan_module(egg_dir, base, name, stubs): + """Check whether module possibly uses unsafe-for-zipfile stuff""" + + filename = os.path.join(base, name) + if filename[:-1] in stubs: + return True # Extension module + pkg = base[len(egg_dir) + 1:].replace(os.sep, '.') + module = pkg + (pkg and '.' or '') + os.path.splitext(name)[0] + if sys.version_info < (3, 7): + skip = 12 # skip magic & date & file size + else: + skip = 16 # skip magic & reserved? & date & file size + f = open(filename, 'rb') + f.read(skip) + code = marshal.load(f) + f.close() + safe = True + symbols = dict.fromkeys(iter_symbols(code)) + for bad in ['__file__', '__path__']: + if bad in symbols: + log.warn("%s: module references %s", module, bad) + safe = False + if 'inspect' in symbols: + for bad in [ + 'getsource', 'getabsfile', 'getsourcefile', 'getfile' + 'getsourcelines', 'findsource', 'getcomments', 'getframeinfo', + 'getinnerframes', 'getouterframes', 'stack', 'trace' + ]: + if bad in symbols: + log.warn("%s: module MAY be using inspect.%s", module, bad) + safe = False + return safe + + +def iter_symbols(code): + """Yield names and strings used by `code` and its nested code objects""" + for name in code.co_names: + yield name + for const in code.co_consts: + if isinstance(const, str): + yield const + elif isinstance(const, CodeType): + for name in iter_symbols(const): + yield name + + +def can_scan(): + if not sys.platform.startswith('java') and sys.platform != 'cli': + # CPython, PyPy, etc. + return True + log.warn("Unable to analyze compiled code on this platform.") + log.warn("Please ask the author to include a 'zip_safe'" + " setting (either True or False) in the package's setup.py") + + +# Attribute names of options for commands that might need to be convinced to +# install to the egg build directory + +INSTALL_DIRECTORY_ATTRS = [ + 'install_lib', 'install_dir', 'install_data', 'install_base' +] + + +def make_zipfile(zip_filename, base_dir, verbose=0, dry_run=0, compress=True, + mode='w'): + """Create a zip file from all the files under 'base_dir'. The output + zip file will be named 'base_dir' + ".zip". Uses either the "zipfile" + Python module (if available) or the InfoZIP "zip" utility (if installed + and found on the default search path). If neither tool is available, + raises DistutilsExecError. Returns the name of the output zip file. + """ + import zipfile + + mkpath(os.path.dirname(zip_filename), dry_run=dry_run) + log.info("creating '%s' and adding '%s' to it", zip_filename, base_dir) + + def visit(z, dirname, names): + for name in names: + path = os.path.normpath(os.path.join(dirname, name)) + if os.path.isfile(path): + p = path[len(base_dir) + 1:] + if not dry_run: + z.write(path, p) + log.debug("adding '%s'", p) + + compression = zipfile.ZIP_DEFLATED if compress else zipfile.ZIP_STORED + if not dry_run: + z = zipfile.ZipFile(zip_filename, mode, compression=compression) + for dirname, dirs, files in sorted_walk(base_dir): + visit(z, dirname, files) + z.close() + else: + for dirname, dirs, files in sorted_walk(base_dir): + visit(None, dirname, files) + return zip_filename diff --git a/venv/Lib/site-packages/setuptools/command/bdist_rpm.py b/venv/Lib/site-packages/setuptools/command/bdist_rpm.py new file mode 100644 index 0000000..98bf5de --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/bdist_rpm.py @@ -0,0 +1,40 @@ +import distutils.command.bdist_rpm as orig +import warnings + +from setuptools import SetuptoolsDeprecationWarning + + +class bdist_rpm(orig.bdist_rpm): + """ + Override the default bdist_rpm behavior to do the following: + + 1. Run egg_info to ensure the name and version are properly calculated. + 2. Always run 'install' using --single-version-externally-managed to + disable eggs in RPM distributions. + """ + + def run(self): + warnings.warn( + "bdist_rpm is deprecated and will be removed in a future " + "version. Use bdist_wheel (wheel packages) instead.", + SetuptoolsDeprecationWarning, + ) + + # ensure distro name is up-to-date + self.run_command('egg_info') + + orig.bdist_rpm.run(self) + + def _make_spec_file(self): + spec = orig.bdist_rpm._make_spec_file(self) + spec = [ + line.replace( + "setup.py install ", + "setup.py install --single-version-externally-managed " + ).replace( + "%setup", + "%setup -n %{name}-%{unmangled_version}" + ) + for line in spec + ] + return spec diff --git a/venv/Lib/site-packages/setuptools/command/build_clib.py b/venv/Lib/site-packages/setuptools/command/build_clib.py new file mode 100644 index 0000000..67ce244 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/build_clib.py @@ -0,0 +1,101 @@ +import distutils.command.build_clib as orig +from distutils.errors import DistutilsSetupError +from distutils import log +from setuptools.dep_util import newer_pairwise_group + + +class build_clib(orig.build_clib): + """ + Override the default build_clib behaviour to do the following: + + 1. Implement a rudimentary timestamp-based dependency system + so 'compile()' doesn't run every time. + 2. Add more keys to the 'build_info' dictionary: + * obj_deps - specify dependencies for each object compiled. + this should be a dictionary mapping a key + with the source filename to a list of + dependencies. Use an empty string for global + dependencies. + * cflags - specify a list of additional flags to pass to + the compiler. + """ + + def build_libraries(self, libraries): + for (lib_name, build_info) in libraries: + sources = build_info.get('sources') + if sources is None or not isinstance(sources, (list, tuple)): + raise DistutilsSetupError( + "in 'libraries' option (library '%s'), " + "'sources' must be present and must be " + "a list of source filenames" % lib_name) + sources = list(sources) + + log.info("building '%s' library", lib_name) + + # Make sure everything is the correct type. + # obj_deps should be a dictionary of keys as sources + # and a list/tuple of files that are its dependencies. + obj_deps = build_info.get('obj_deps', dict()) + if not isinstance(obj_deps, dict): + raise DistutilsSetupError( + "in 'libraries' option (library '%s'), " + "'obj_deps' must be a dictionary of " + "type 'source: list'" % lib_name) + dependencies = [] + + # Get the global dependencies that are specified by the '' key. + # These will go into every source's dependency list. + global_deps = obj_deps.get('', list()) + if not isinstance(global_deps, (list, tuple)): + raise DistutilsSetupError( + "in 'libraries' option (library '%s'), " + "'obj_deps' must be a dictionary of " + "type 'source: list'" % lib_name) + + # Build the list to be used by newer_pairwise_group + # each source will be auto-added to its dependencies. + for source in sources: + src_deps = [source] + src_deps.extend(global_deps) + extra_deps = obj_deps.get(source, list()) + if not isinstance(extra_deps, (list, tuple)): + raise DistutilsSetupError( + "in 'libraries' option (library '%s'), " + "'obj_deps' must be a dictionary of " + "type 'source: list'" % lib_name) + src_deps.extend(extra_deps) + dependencies.append(src_deps) + + expected_objects = self.compiler.object_filenames( + sources, + output_dir=self.build_temp, + ) + + if ( + newer_pairwise_group(dependencies, expected_objects) + != ([], []) + ): + # First, compile the source code to object files in the library + # directory. (This should probably change to putting object + # files in a temporary build directory.) + macros = build_info.get('macros') + include_dirs = build_info.get('include_dirs') + cflags = build_info.get('cflags') + self.compiler.compile( + sources, + output_dir=self.build_temp, + macros=macros, + include_dirs=include_dirs, + extra_postargs=cflags, + debug=self.debug + ) + + # Now "link" the object files together into a static library. + # (On Unix at least, this isn't really linking -- it just + # builds an archive. Whatever.) + self.compiler.create_static_lib( + expected_objects, + lib_name, + output_dir=self.build_clib, + debug=self.debug + ) diff --git a/venv/Lib/site-packages/setuptools/command/build_ext.py b/venv/Lib/site-packages/setuptools/command/build_ext.py new file mode 100644 index 0000000..c59eff8 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/build_ext.py @@ -0,0 +1,328 @@ +import os +import sys +import itertools +from importlib.machinery import EXTENSION_SUFFIXES +from distutils.command.build_ext import build_ext as _du_build_ext +from distutils.file_util import copy_file +from distutils.ccompiler import new_compiler +from distutils.sysconfig import customize_compiler, get_config_var +from distutils.errors import DistutilsError +from distutils import log + +from setuptools.extension import Library + +try: + # Attempt to use Cython for building extensions, if available + from Cython.Distutils.build_ext import build_ext as _build_ext + # Additionally, assert that the compiler module will load + # also. Ref #1229. + __import__('Cython.Compiler.Main') +except ImportError: + _build_ext = _du_build_ext + +# make sure _config_vars is initialized +get_config_var("LDSHARED") +from distutils.sysconfig import _config_vars as _CONFIG_VARS # noqa + + +def _customize_compiler_for_shlib(compiler): + if sys.platform == "darwin": + # building .dylib requires additional compiler flags on OSX; here we + # temporarily substitute the pyconfig.h variables so that distutils' + # 'customize_compiler' uses them before we build the shared libraries. + tmp = _CONFIG_VARS.copy() + try: + # XXX Help! I don't have any idea whether these are right... + _CONFIG_VARS['LDSHARED'] = ( + "gcc -Wl,-x -dynamiclib -undefined dynamic_lookup") + _CONFIG_VARS['CCSHARED'] = " -dynamiclib" + _CONFIG_VARS['SO'] = ".dylib" + customize_compiler(compiler) + finally: + _CONFIG_VARS.clear() + _CONFIG_VARS.update(tmp) + else: + customize_compiler(compiler) + + +have_rtld = False +use_stubs = False +libtype = 'shared' + +if sys.platform == "darwin": + use_stubs = True +elif os.name != 'nt': + try: + import dl + use_stubs = have_rtld = hasattr(dl, 'RTLD_NOW') + except ImportError: + pass + + +def if_dl(s): + return s if have_rtld else '' + + +def get_abi3_suffix(): + """Return the file extension for an abi3-compliant Extension()""" + for suffix in EXTENSION_SUFFIXES: + if '.abi3' in suffix: # Unix + return suffix + elif suffix == '.pyd': # Windows + return suffix + + +class build_ext(_build_ext): + def run(self): + """Build extensions in build directory, then copy if --inplace""" + old_inplace, self.inplace = self.inplace, 0 + _build_ext.run(self) + self.inplace = old_inplace + if old_inplace: + self.copy_extensions_to_source() + + def copy_extensions_to_source(self): + build_py = self.get_finalized_command('build_py') + for ext in self.extensions: + fullname = self.get_ext_fullname(ext.name) + filename = self.get_ext_filename(fullname) + modpath = fullname.split('.') + package = '.'.join(modpath[:-1]) + package_dir = build_py.get_package_dir(package) + dest_filename = os.path.join(package_dir, + os.path.basename(filename)) + src_filename = os.path.join(self.build_lib, filename) + + # Always copy, even if source is older than destination, to ensure + # that the right extensions for the current Python/platform are + # used. + copy_file( + src_filename, dest_filename, verbose=self.verbose, + dry_run=self.dry_run + ) + if ext._needs_stub: + self.write_stub(package_dir or os.curdir, ext, True) + + def get_ext_filename(self, fullname): + so_ext = os.getenv('SETUPTOOLS_EXT_SUFFIX') + if so_ext: + filename = os.path.join(*fullname.split('.')) + so_ext + else: + filename = _build_ext.get_ext_filename(self, fullname) + so_ext = get_config_var('EXT_SUFFIX') + + if fullname in self.ext_map: + ext = self.ext_map[fullname] + use_abi3 = getattr(ext, 'py_limited_api') and get_abi3_suffix() + if use_abi3: + filename = filename[:-len(so_ext)] + so_ext = get_abi3_suffix() + filename = filename + so_ext + if isinstance(ext, Library): + fn, ext = os.path.splitext(filename) + return self.shlib_compiler.library_filename(fn, libtype) + elif use_stubs and ext._links_to_dynamic: + d, fn = os.path.split(filename) + return os.path.join(d, 'dl-' + fn) + return filename + + def initialize_options(self): + _build_ext.initialize_options(self) + self.shlib_compiler = None + self.shlibs = [] + self.ext_map = {} + + def finalize_options(self): + _build_ext.finalize_options(self) + self.extensions = self.extensions or [] + self.check_extensions_list(self.extensions) + self.shlibs = [ext for ext in self.extensions + if isinstance(ext, Library)] + if self.shlibs: + self.setup_shlib_compiler() + for ext in self.extensions: + ext._full_name = self.get_ext_fullname(ext.name) + for ext in self.extensions: + fullname = ext._full_name + self.ext_map[fullname] = ext + + # distutils 3.1 will also ask for module names + # XXX what to do with conflicts? + self.ext_map[fullname.split('.')[-1]] = ext + + ltd = self.shlibs and self.links_to_dynamic(ext) or False + ns = ltd and use_stubs and not isinstance(ext, Library) + ext._links_to_dynamic = ltd + ext._needs_stub = ns + filename = ext._file_name = self.get_ext_filename(fullname) + libdir = os.path.dirname(os.path.join(self.build_lib, filename)) + if ltd and libdir not in ext.library_dirs: + ext.library_dirs.append(libdir) + if ltd and use_stubs and os.curdir not in ext.runtime_library_dirs: + ext.runtime_library_dirs.append(os.curdir) + + def setup_shlib_compiler(self): + compiler = self.shlib_compiler = new_compiler( + compiler=self.compiler, dry_run=self.dry_run, force=self.force + ) + _customize_compiler_for_shlib(compiler) + + if self.include_dirs is not None: + compiler.set_include_dirs(self.include_dirs) + if self.define is not None: + # 'define' option is a list of (name,value) tuples + for (name, value) in self.define: + compiler.define_macro(name, value) + if self.undef is not None: + for macro in self.undef: + compiler.undefine_macro(macro) + if self.libraries is not None: + compiler.set_libraries(self.libraries) + if self.library_dirs is not None: + compiler.set_library_dirs(self.library_dirs) + if self.rpath is not None: + compiler.set_runtime_library_dirs(self.rpath) + if self.link_objects is not None: + compiler.set_link_objects(self.link_objects) + + # hack so distutils' build_extension() builds a library instead + compiler.link_shared_object = link_shared_object.__get__(compiler) + + def get_export_symbols(self, ext): + if isinstance(ext, Library): + return ext.export_symbols + return _build_ext.get_export_symbols(self, ext) + + def build_extension(self, ext): + ext._convert_pyx_sources_to_lang() + _compiler = self.compiler + try: + if isinstance(ext, Library): + self.compiler = self.shlib_compiler + _build_ext.build_extension(self, ext) + if ext._needs_stub: + cmd = self.get_finalized_command('build_py').build_lib + self.write_stub(cmd, ext) + finally: + self.compiler = _compiler + + def links_to_dynamic(self, ext): + """Return true if 'ext' links to a dynamic lib in the same package""" + # XXX this should check to ensure the lib is actually being built + # XXX as dynamic, and not just using a locally-found version or a + # XXX static-compiled version + libnames = dict.fromkeys([lib._full_name for lib in self.shlibs]) + pkg = '.'.join(ext._full_name.split('.')[:-1] + ['']) + return any(pkg + libname in libnames for libname in ext.libraries) + + def get_outputs(self): + return _build_ext.get_outputs(self) + self.__get_stubs_outputs() + + def __get_stubs_outputs(self): + # assemble the base name for each extension that needs a stub + ns_ext_bases = ( + os.path.join(self.build_lib, *ext._full_name.split('.')) + for ext in self.extensions + if ext._needs_stub + ) + # pair each base with the extension + pairs = itertools.product(ns_ext_bases, self.__get_output_extensions()) + return list(base + fnext for base, fnext in pairs) + + def __get_output_extensions(self): + yield '.py' + yield '.pyc' + if self.get_finalized_command('build_py').optimize: + yield '.pyo' + + def write_stub(self, output_dir, ext, compile=False): + log.info("writing stub loader for %s to %s", ext._full_name, + output_dir) + stub_file = (os.path.join(output_dir, *ext._full_name.split('.')) + + '.py') + if compile and os.path.exists(stub_file): + raise DistutilsError(stub_file + " already exists! Please delete.") + if not self.dry_run: + f = open(stub_file, 'w') + f.write( + '\n'.join([ + "def __bootstrap__():", + " global __bootstrap__, __file__, __loader__", + " import sys, os, pkg_resources, importlib.util" + + if_dl(", dl"), + " __file__ = pkg_resources.resource_filename" + "(__name__,%r)" + % os.path.basename(ext._file_name), + " del __bootstrap__", + " if '__loader__' in globals():", + " del __loader__", + if_dl(" old_flags = sys.getdlopenflags()"), + " old_dir = os.getcwd()", + " try:", + " os.chdir(os.path.dirname(__file__))", + if_dl(" sys.setdlopenflags(dl.RTLD_NOW)"), + " spec = importlib.util.spec_from_file_location(", + " __name__, __file__)", + " mod = importlib.util.module_from_spec(spec)", + " spec.loader.exec_module(mod)", + " finally:", + if_dl(" sys.setdlopenflags(old_flags)"), + " os.chdir(old_dir)", + "__bootstrap__()", + "" # terminal \n + ]) + ) + f.close() + if compile: + from distutils.util import byte_compile + + byte_compile([stub_file], optimize=0, + force=True, dry_run=self.dry_run) + optimize = self.get_finalized_command('install_lib').optimize + if optimize > 0: + byte_compile([stub_file], optimize=optimize, + force=True, dry_run=self.dry_run) + if os.path.exists(stub_file) and not self.dry_run: + os.unlink(stub_file) + + +if use_stubs or os.name == 'nt': + # Build shared libraries + # + def link_shared_object( + self, objects, output_libname, output_dir=None, libraries=None, + library_dirs=None, runtime_library_dirs=None, export_symbols=None, + debug=0, extra_preargs=None, extra_postargs=None, build_temp=None, + target_lang=None): + self.link( + self.SHARED_LIBRARY, objects, output_libname, + output_dir, libraries, library_dirs, runtime_library_dirs, + export_symbols, debug, extra_preargs, extra_postargs, + build_temp, target_lang + ) +else: + # Build static libraries everywhere else + libtype = 'static' + + def link_shared_object( + self, objects, output_libname, output_dir=None, libraries=None, + library_dirs=None, runtime_library_dirs=None, export_symbols=None, + debug=0, extra_preargs=None, extra_postargs=None, build_temp=None, + target_lang=None): + # XXX we need to either disallow these attrs on Library instances, + # or warn/abort here if set, or something... + # libraries=None, library_dirs=None, runtime_library_dirs=None, + # export_symbols=None, extra_preargs=None, extra_postargs=None, + # build_temp=None + + assert output_dir is None # distutils build_ext doesn't pass this + output_dir, filename = os.path.split(output_libname) + basename, ext = os.path.splitext(filename) + if self.library_filename("x").startswith('lib'): + # strip 'lib' prefix; this is kludgy if some platform uses + # a different prefix + basename = basename[3:] + + self.create_static_lib( + objects, basename, output_dir, debug, target_lang + ) diff --git a/venv/Lib/site-packages/setuptools/command/build_py.py b/venv/Lib/site-packages/setuptools/command/build_py.py new file mode 100644 index 0000000..6a61543 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/build_py.py @@ -0,0 +1,232 @@ +from glob import glob +from distutils.util import convert_path +import distutils.command.build_py as orig +import os +import fnmatch +import textwrap +import io +import distutils.errors +import itertools +import stat +from setuptools.extern.more_itertools import unique_everseen + + +def make_writable(target): + os.chmod(target, os.stat(target).st_mode | stat.S_IWRITE) + + +class build_py(orig.build_py): + """Enhanced 'build_py' command that includes data files with packages + + The data files are specified via a 'package_data' argument to 'setup()'. + See 'setuptools.dist.Distribution' for more details. + + Also, this version of the 'build_py' command allows you to specify both + 'py_modules' and 'packages' in the same setup operation. + """ + + def finalize_options(self): + orig.build_py.finalize_options(self) + self.package_data = self.distribution.package_data + self.exclude_package_data = self.distribution.exclude_package_data or {} + if 'data_files' in self.__dict__: + del self.__dict__['data_files'] + self.__updated_files = [] + + def run(self): + """Build modules, packages, and copy data files to build directory""" + if not self.py_modules and not self.packages: + return + + if self.py_modules: + self.build_modules() + + if self.packages: + self.build_packages() + self.build_package_data() + + # Only compile actual .py files, using our base class' idea of what our + # output files are. + self.byte_compile(orig.build_py.get_outputs(self, include_bytecode=0)) + + def __getattr__(self, attr): + "lazily compute data files" + if attr == 'data_files': + self.data_files = self._get_data_files() + return self.data_files + return orig.build_py.__getattr__(self, attr) + + def build_module(self, module, module_file, package): + outfile, copied = orig.build_py.build_module(self, module, module_file, package) + if copied: + self.__updated_files.append(outfile) + return outfile, copied + + def _get_data_files(self): + """Generate list of '(package,src_dir,build_dir,filenames)' tuples""" + self.analyze_manifest() + return list(map(self._get_pkg_data_files, self.packages or ())) + + def _get_pkg_data_files(self, package): + # Locate package source directory + src_dir = self.get_package_dir(package) + + # Compute package build directory + build_dir = os.path.join(*([self.build_lib] + package.split('.'))) + + # Strip directory from globbed filenames + filenames = [ + os.path.relpath(file, src_dir) + for file in self.find_data_files(package, src_dir) + ] + return package, src_dir, build_dir, filenames + + def find_data_files(self, package, src_dir): + """Return filenames for package's data files in 'src_dir'""" + patterns = self._get_platform_patterns( + self.package_data, + package, + src_dir, + ) + globs_expanded = map(glob, patterns) + # flatten the expanded globs into an iterable of matches + globs_matches = itertools.chain.from_iterable(globs_expanded) + glob_files = filter(os.path.isfile, globs_matches) + files = itertools.chain( + self.manifest_files.get(package, []), + glob_files, + ) + return self.exclude_data_files(package, src_dir, files) + + def build_package_data(self): + """Copy data files into build directory""" + for package, src_dir, build_dir, filenames in self.data_files: + for filename in filenames: + target = os.path.join(build_dir, filename) + self.mkpath(os.path.dirname(target)) + srcfile = os.path.join(src_dir, filename) + outf, copied = self.copy_file(srcfile, target) + make_writable(target) + srcfile = os.path.abspath(srcfile) + + def analyze_manifest(self): + self.manifest_files = mf = {} + if not self.distribution.include_package_data: + return + src_dirs = {} + for package in self.packages or (): + # Locate package source directory + src_dirs[assert_relative(self.get_package_dir(package))] = package + + self.run_command('egg_info') + ei_cmd = self.get_finalized_command('egg_info') + for path in ei_cmd.filelist.files: + d, f = os.path.split(assert_relative(path)) + prev = None + oldf = f + while d and d != prev and d not in src_dirs: + prev = d + d, df = os.path.split(d) + f = os.path.join(df, f) + if d in src_dirs: + if path.endswith('.py') and f == oldf: + continue # it's a module, not data + mf.setdefault(src_dirs[d], []).append(path) + + def get_data_files(self): + pass # Lazily compute data files in _get_data_files() function. + + def check_package(self, package, package_dir): + """Check namespace packages' __init__ for declare_namespace""" + try: + return self.packages_checked[package] + except KeyError: + pass + + init_py = orig.build_py.check_package(self, package, package_dir) + self.packages_checked[package] = init_py + + if not init_py or not self.distribution.namespace_packages: + return init_py + + for pkg in self.distribution.namespace_packages: + if pkg == package or pkg.startswith(package + '.'): + break + else: + return init_py + + with io.open(init_py, 'rb') as f: + contents = f.read() + if b'declare_namespace' not in contents: + raise distutils.errors.DistutilsError( + "Namespace package problem: %s is a namespace package, but " + "its\n__init__.py does not call declare_namespace()! Please " + 'fix it.\n(See the setuptools manual under ' + '"Namespace Packages" for details.)\n"' % (package,) + ) + return init_py + + def initialize_options(self): + self.packages_checked = {} + orig.build_py.initialize_options(self) + + def get_package_dir(self, package): + res = orig.build_py.get_package_dir(self, package) + if self.distribution.src_root is not None: + return os.path.join(self.distribution.src_root, res) + return res + + def exclude_data_files(self, package, src_dir, files): + """Filter filenames for package's data files in 'src_dir'""" + files = list(files) + patterns = self._get_platform_patterns( + self.exclude_package_data, + package, + src_dir, + ) + match_groups = (fnmatch.filter(files, pattern) for pattern in patterns) + # flatten the groups of matches into an iterable of matches + matches = itertools.chain.from_iterable(match_groups) + bad = set(matches) + keepers = (fn for fn in files if fn not in bad) + # ditch dupes + return list(unique_everseen(keepers)) + + @staticmethod + def _get_platform_patterns(spec, package, src_dir): + """ + yield platform-specific path patterns (suitable for glob + or fn_match) from a glob-based spec (such as + self.package_data or self.exclude_package_data) + matching package in src_dir. + """ + raw_patterns = itertools.chain( + spec.get('', []), + spec.get(package, []), + ) + return ( + # Each pattern has to be converted to a platform-specific path + os.path.join(src_dir, convert_path(pattern)) + for pattern in raw_patterns + ) + + +def assert_relative(path): + if not os.path.isabs(path): + return path + from distutils.errors import DistutilsSetupError + + msg = ( + textwrap.dedent( + """ + Error: setup script specifies an absolute path: + + %s + + setup() arguments must *always* be /-separated paths relative to the + setup.py directory, *never* absolute paths. + """ + ).lstrip() + % path + ) + raise DistutilsSetupError(msg) diff --git a/venv/Lib/site-packages/setuptools/command/develop.py b/venv/Lib/site-packages/setuptools/command/develop.py new file mode 100644 index 0000000..24fb0a7 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/develop.py @@ -0,0 +1,193 @@ +from distutils.util import convert_path +from distutils import log +from distutils.errors import DistutilsError, DistutilsOptionError +import os +import glob +import io + +import pkg_resources +from setuptools.command.easy_install import easy_install +from setuptools import namespaces +import setuptools + + +class develop(namespaces.DevelopInstaller, easy_install): + """Set up package for development""" + + description = "install package in 'development mode'" + + user_options = easy_install.user_options + [ + ("uninstall", "u", "Uninstall this source package"), + ("egg-path=", None, "Set the path to be used in the .egg-link file"), + ] + + boolean_options = easy_install.boolean_options + ['uninstall'] + + command_consumes_arguments = False # override base + + def run(self): + if self.uninstall: + self.multi_version = True + self.uninstall_link() + self.uninstall_namespaces() + else: + self.install_for_development() + self.warn_deprecated_options() + + def initialize_options(self): + self.uninstall = None + self.egg_path = None + easy_install.initialize_options(self) + self.setup_path = None + self.always_copy_from = '.' # always copy eggs installed in curdir + + def finalize_options(self): + ei = self.get_finalized_command("egg_info") + if ei.broken_egg_info: + template = "Please rename %r to %r before using 'develop'" + args = ei.egg_info, ei.broken_egg_info + raise DistutilsError(template % args) + self.args = [ei.egg_name] + + easy_install.finalize_options(self) + self.expand_basedirs() + self.expand_dirs() + # pick up setup-dir .egg files only: no .egg-info + self.package_index.scan(glob.glob('*.egg')) + + egg_link_fn = ei.egg_name + '.egg-link' + self.egg_link = os.path.join(self.install_dir, egg_link_fn) + self.egg_base = ei.egg_base + if self.egg_path is None: + self.egg_path = os.path.abspath(ei.egg_base) + + target = pkg_resources.normalize_path(self.egg_base) + egg_path = pkg_resources.normalize_path( + os.path.join(self.install_dir, self.egg_path) + ) + if egg_path != target: + raise DistutilsOptionError( + "--egg-path must be a relative path from the install" + " directory to " + target + ) + + # Make a distribution for the package's source + self.dist = pkg_resources.Distribution( + target, + pkg_resources.PathMetadata(target, os.path.abspath(ei.egg_info)), + project_name=ei.egg_name, + ) + + self.setup_path = self._resolve_setup_path( + self.egg_base, + self.install_dir, + self.egg_path, + ) + + @staticmethod + def _resolve_setup_path(egg_base, install_dir, egg_path): + """ + Generate a path from egg_base back to '.' where the + setup script resides and ensure that path points to the + setup path from $install_dir/$egg_path. + """ + path_to_setup = egg_base.replace(os.sep, '/').rstrip('/') + if path_to_setup != os.curdir: + path_to_setup = '../' * (path_to_setup.count('/') + 1) + resolved = pkg_resources.normalize_path( + os.path.join(install_dir, egg_path, path_to_setup) + ) + if resolved != pkg_resources.normalize_path(os.curdir): + raise DistutilsOptionError( + "Can't get a consistent path to setup script from" + " installation directory", + resolved, + pkg_resources.normalize_path(os.curdir), + ) + return path_to_setup + + def install_for_development(self): + self.run_command('egg_info') + + # Build extensions in-place + self.reinitialize_command('build_ext', inplace=1) + self.run_command('build_ext') + + if setuptools.bootstrap_install_from: + self.easy_install(setuptools.bootstrap_install_from) + setuptools.bootstrap_install_from = None + + self.install_namespaces() + + # create an .egg-link in the installation dir, pointing to our egg + log.info("Creating %s (link to %s)", self.egg_link, self.egg_base) + if not self.dry_run: + with open(self.egg_link, "w") as f: + f.write(self.egg_path + "\n" + self.setup_path) + # postprocess the installed distro, fixing up .pth, installing scripts, + # and handling requirements + self.process_distribution(None, self.dist, not self.no_deps) + + def uninstall_link(self): + if os.path.exists(self.egg_link): + log.info("Removing %s (link to %s)", self.egg_link, self.egg_base) + egg_link_file = open(self.egg_link) + contents = [line.rstrip() for line in egg_link_file] + egg_link_file.close() + if contents not in ([self.egg_path], [self.egg_path, self.setup_path]): + log.warn("Link points to %s: uninstall aborted", contents) + return + if not self.dry_run: + os.unlink(self.egg_link) + if not self.dry_run: + self.update_pth(self.dist) # remove any .pth link to us + if self.distribution.scripts: + # XXX should also check for entry point scripts! + log.warn("Note: you must uninstall or replace scripts manually!") + + def install_egg_scripts(self, dist): + if dist is not self.dist: + # Installing a dependency, so fall back to normal behavior + return easy_install.install_egg_scripts(self, dist) + + # create wrapper scripts in the script dir, pointing to dist.scripts + + # new-style... + self.install_wrapper_scripts(dist) + + # ...and old-style + for script_name in self.distribution.scripts or []: + script_path = os.path.abspath(convert_path(script_name)) + script_name = os.path.basename(script_path) + with io.open(script_path) as strm: + script_text = strm.read() + self.install_script(dist, script_name, script_text, script_path) + + def install_wrapper_scripts(self, dist): + dist = VersionlessRequirement(dist) + return easy_install.install_wrapper_scripts(self, dist) + + +class VersionlessRequirement: + """ + Adapt a pkg_resources.Distribution to simply return the project + name as the 'requirement' so that scripts will work across + multiple versions. + + >>> from pkg_resources import Distribution + >>> dist = Distribution(project_name='foo', version='1.0') + >>> str(dist.as_requirement()) + 'foo==1.0' + >>> adapted_dist = VersionlessRequirement(dist) + >>> str(adapted_dist.as_requirement()) + 'foo' + """ + + def __init__(self, dist): + self.__dist = dist + + def __getattr__(self, name): + return getattr(self.__dist, name) + + def as_requirement(self): + return self.project_name diff --git a/venv/Lib/site-packages/setuptools/command/dist_info.py b/venv/Lib/site-packages/setuptools/command/dist_info.py new file mode 100644 index 0000000..c45258f --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/dist_info.py @@ -0,0 +1,36 @@ +""" +Create a dist_info directory +As defined in the wheel specification +""" + +import os + +from distutils.core import Command +from distutils import log + + +class dist_info(Command): + + description = 'create a .dist-info directory' + + user_options = [ + ('egg-base=', 'e', "directory containing .egg-info directories" + " (default: top of the source tree)"), + ] + + def initialize_options(self): + self.egg_base = None + + def finalize_options(self): + pass + + def run(self): + egg_info = self.get_finalized_command('egg_info') + egg_info.egg_base = self.egg_base + egg_info.finalize_options() + egg_info.run() + dist_info_dir = egg_info.egg_info[:-len('.egg-info')] + '.dist-info' + log.info("creating '{}'".format(os.path.abspath(dist_info_dir))) + + bdist_wheel = self.get_finalized_command('bdist_wheel') + bdist_wheel.egg2dist(egg_info.egg_info, dist_info_dir) diff --git a/venv/Lib/site-packages/setuptools/command/easy_install.py b/venv/Lib/site-packages/setuptools/command/easy_install.py new file mode 100644 index 0000000..b88c3e9 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/easy_install.py @@ -0,0 +1,2293 @@ +""" +Easy Install +------------ + +A tool for doing automatic download/extract/build of distutils-based Python +packages. For detailed documentation, see the accompanying EasyInstall.txt +file, or visit the `EasyInstall home page`__. + +__ https://setuptools.readthedocs.io/en/latest/deprecated/easy_install.html + +""" + +from glob import glob +from distutils.util import get_platform +from distutils.util import convert_path, subst_vars +from distutils.errors import ( + DistutilsArgError, DistutilsOptionError, + DistutilsError, DistutilsPlatformError, +) +from distutils.command.install import INSTALL_SCHEMES, SCHEME_KEYS +from distutils import log, dir_util +from distutils.command.build_scripts import first_line_re +from distutils.spawn import find_executable +import sys +import os +import zipimport +import shutil +import tempfile +import zipfile +import re +import stat +import random +import textwrap +import warnings +import site +import struct +import contextlib +import subprocess +import shlex +import io +import configparser + + +from sysconfig import get_config_vars, get_path + +from setuptools import SetuptoolsDeprecationWarning + +from setuptools import Command +from setuptools.sandbox import run_setup +from setuptools.command import setopt +from setuptools.archive_util import unpack_archive +from setuptools.package_index import ( + PackageIndex, parse_requirement_arg, URL_SCHEME, +) +from setuptools.command import bdist_egg, egg_info +from setuptools.wheel import Wheel +from pkg_resources import ( + yield_lines, normalize_path, resource_string, ensure_directory, + get_distribution, find_distributions, Environment, Requirement, + Distribution, PathMetadata, EggMetadata, WorkingSet, DistributionNotFound, + VersionConflict, DEVELOP_DIST, +) +import pkg_resources + +# Turn on PEP440Warnings +warnings.filterwarnings("default", category=pkg_resources.PEP440Warning) + +__all__ = [ + 'samefile', 'easy_install', 'PthDistributions', 'extract_wininst_cfg', + 'get_exe_prefixes', +] + + +def is_64bit(): + return struct.calcsize("P") == 8 + + +def samefile(p1, p2): + """ + Determine if two paths reference the same file. + + Augments os.path.samefile to work on Windows and + suppresses errors if the path doesn't exist. + """ + both_exist = os.path.exists(p1) and os.path.exists(p2) + use_samefile = hasattr(os.path, 'samefile') and both_exist + if use_samefile: + return os.path.samefile(p1, p2) + norm_p1 = os.path.normpath(os.path.normcase(p1)) + norm_p2 = os.path.normpath(os.path.normcase(p2)) + return norm_p1 == norm_p2 + + +def _to_bytes(s): + return s.encode('utf8') + + +def isascii(s): + try: + s.encode('ascii') + return True + except UnicodeError: + return False + + +def _one_liner(text): + return textwrap.dedent(text).strip().replace('\n', '; ') + + +class easy_install(Command): + """Manage a download/build/install process""" + description = "Find/get/install Python packages" + command_consumes_arguments = True + + user_options = [ + ('prefix=', None, "installation prefix"), + ("zip-ok", "z", "install package as a zipfile"), + ("multi-version", "m", "make apps have to require() a version"), + ("upgrade", "U", "force upgrade (searches PyPI for latest versions)"), + ("install-dir=", "d", "install package to DIR"), + ("script-dir=", "s", "install scripts to DIR"), + ("exclude-scripts", "x", "Don't install scripts"), + ("always-copy", "a", "Copy all needed packages to install dir"), + ("index-url=", "i", "base URL of Python Package Index"), + ("find-links=", "f", "additional URL(s) to search for packages"), + ("build-directory=", "b", + "download/extract/build in DIR; keep the results"), + ('optimize=', 'O', + "also compile with optimization: -O1 for \"python -O\", " + "-O2 for \"python -OO\", and -O0 to disable [default: -O0]"), + ('record=', None, + "filename in which to record list of installed files"), + ('always-unzip', 'Z', "don't install as a zipfile, no matter what"), + ('site-dirs=', 'S', "list of directories where .pth files work"), + ('editable', 'e', "Install specified packages in editable form"), + ('no-deps', 'N', "don't install dependencies"), + ('allow-hosts=', 'H', "pattern(s) that hostnames must match"), + ('local-snapshots-ok', 'l', + "allow building eggs from local checkouts"), + ('version', None, "print version information and exit"), + ('no-find-links', None, + "Don't load find-links defined in packages being installed"), + ('user', None, "install in user site-package '%s'" % site.USER_SITE) + ] + boolean_options = [ + 'zip-ok', 'multi-version', 'exclude-scripts', 'upgrade', 'always-copy', + 'editable', + 'no-deps', 'local-snapshots-ok', 'version', + 'user' + ] + + negative_opt = {'always-unzip': 'zip-ok'} + create_index = PackageIndex + + def initialize_options(self): + # the --user option seems to be an opt-in one, + # so the default should be False. + self.user = 0 + self.zip_ok = self.local_snapshots_ok = None + self.install_dir = self.script_dir = self.exclude_scripts = None + self.index_url = None + self.find_links = None + self.build_directory = None + self.args = None + self.optimize = self.record = None + self.upgrade = self.always_copy = self.multi_version = None + self.editable = self.no_deps = self.allow_hosts = None + self.root = self.prefix = self.no_report = None + self.version = None + self.install_purelib = None # for pure module distributions + self.install_platlib = None # non-pure (dists w/ extensions) + self.install_headers = None # for C/C++ headers + self.install_lib = None # set to either purelib or platlib + self.install_scripts = None + self.install_data = None + self.install_base = None + self.install_platbase = None + if site.ENABLE_USER_SITE: + self.install_userbase = site.USER_BASE + self.install_usersite = site.USER_SITE + else: + self.install_userbase = None + self.install_usersite = None + self.no_find_links = None + + # Options not specifiable via command line + self.package_index = None + self.pth_file = self.always_copy_from = None + self.site_dirs = None + self.installed_projects = {} + # Always read easy_install options, even if we are subclassed, or have + # an independent instance created. This ensures that defaults will + # always come from the standard configuration file(s)' "easy_install" + # section, even if this is a "develop" or "install" command, or some + # other embedding. + self._dry_run = None + self.verbose = self.distribution.verbose + self.distribution._set_command_options( + self, self.distribution.get_option_dict('easy_install') + ) + + def delete_blockers(self, blockers): + extant_blockers = ( + filename for filename in blockers + if os.path.exists(filename) or os.path.islink(filename) + ) + list(map(self._delete_path, extant_blockers)) + + def _delete_path(self, path): + log.info("Deleting %s", path) + if self.dry_run: + return + + is_tree = os.path.isdir(path) and not os.path.islink(path) + remover = rmtree if is_tree else os.unlink + remover(path) + + @staticmethod + def _render_version(): + """ + Render the Setuptools version and installation details, then exit. + """ + ver = '{}.{}'.format(*sys.version_info) + dist = get_distribution('setuptools') + tmpl = 'setuptools {dist.version} from {dist.location} (Python {ver})' + print(tmpl.format(**locals())) + raise SystemExit() + + def finalize_options(self): # noqa: C901 # is too complex (25) # FIXME + self.version and self._render_version() + + py_version = sys.version.split()[0] + prefix, exec_prefix = get_config_vars('prefix', 'exec_prefix') + + self.config_vars = { + 'dist_name': self.distribution.get_name(), + 'dist_version': self.distribution.get_version(), + 'dist_fullname': self.distribution.get_fullname(), + 'py_version': py_version, + 'py_version_short': py_version[0:3], + 'py_version_nodot': py_version[0] + py_version[2], + 'sys_prefix': prefix, + 'prefix': prefix, + 'sys_exec_prefix': exec_prefix, + 'exec_prefix': exec_prefix, + # Only python 3.2+ has abiflags + 'abiflags': getattr(sys, 'abiflags', ''), + } + + if site.ENABLE_USER_SITE: + self.config_vars['userbase'] = self.install_userbase + self.config_vars['usersite'] = self.install_usersite + + elif self.user: + log.warn("WARNING: The user site-packages directory is disabled.") + + self._fix_install_dir_for_user_site() + + self.expand_basedirs() + self.expand_dirs() + + self._expand( + 'install_dir', 'script_dir', 'build_directory', + 'site_dirs', + ) + # If a non-default installation directory was specified, default the + # script directory to match it. + if self.script_dir is None: + self.script_dir = self.install_dir + + if self.no_find_links is None: + self.no_find_links = False + + # Let install_dir get set by install_lib command, which in turn + # gets its info from the install command, and takes into account + # --prefix and --home and all that other crud. + self.set_undefined_options( + 'install_lib', ('install_dir', 'install_dir') + ) + # Likewise, set default script_dir from 'install_scripts.install_dir' + self.set_undefined_options( + 'install_scripts', ('install_dir', 'script_dir') + ) + + if self.user and self.install_purelib: + self.install_dir = self.install_purelib + self.script_dir = self.install_scripts + # default --record from the install command + self.set_undefined_options('install', ('record', 'record')) + # Should this be moved to the if statement below? It's not used + # elsewhere + normpath = map(normalize_path, sys.path) + self.all_site_dirs = get_site_dirs() + if self.site_dirs is not None: + site_dirs = [ + os.path.expanduser(s.strip()) for s in + self.site_dirs.split(',') + ] + for d in site_dirs: + if not os.path.isdir(d): + log.warn("%s (in --site-dirs) does not exist", d) + elif normalize_path(d) not in normpath: + raise DistutilsOptionError( + d + " (in --site-dirs) is not on sys.path" + ) + else: + self.all_site_dirs.append(normalize_path(d)) + if not self.editable: + self.check_site_dir() + self.index_url = self.index_url or "https://pypi.org/simple/" + self.shadow_path = self.all_site_dirs[:] + for path_item in self.install_dir, normalize_path(self.script_dir): + if path_item not in self.shadow_path: + self.shadow_path.insert(0, path_item) + + if self.allow_hosts is not None: + hosts = [s.strip() for s in self.allow_hosts.split(',')] + else: + hosts = ['*'] + if self.package_index is None: + self.package_index = self.create_index( + self.index_url, search_path=self.shadow_path, hosts=hosts, + ) + self.local_index = Environment(self.shadow_path + sys.path) + + if self.find_links is not None: + if isinstance(self.find_links, str): + self.find_links = self.find_links.split() + else: + self.find_links = [] + if self.local_snapshots_ok: + self.package_index.scan_egg_links(self.shadow_path + sys.path) + if not self.no_find_links: + self.package_index.add_find_links(self.find_links) + self.set_undefined_options('install_lib', ('optimize', 'optimize')) + if not isinstance(self.optimize, int): + try: + self.optimize = int(self.optimize) + if not (0 <= self.optimize <= 2): + raise ValueError + except ValueError as e: + raise DistutilsOptionError( + "--optimize must be 0, 1, or 2" + ) from e + + if self.editable and not self.build_directory: + raise DistutilsArgError( + "Must specify a build directory (-b) when using --editable" + ) + if not self.args: + raise DistutilsArgError( + "No urls, filenames, or requirements specified (see --help)") + + self.outputs = [] + + def _fix_install_dir_for_user_site(self): + """ + Fix the install_dir if "--user" was used. + """ + if not self.user or not site.ENABLE_USER_SITE: + return + + self.create_home_path() + if self.install_userbase is None: + msg = "User base directory is not specified" + raise DistutilsPlatformError(msg) + self.install_base = self.install_platbase = self.install_userbase + scheme_name = os.name.replace('posix', 'unix') + '_user' + self.select_scheme(scheme_name) + + def _expand_attrs(self, attrs): + for attr in attrs: + val = getattr(self, attr) + if val is not None: + if os.name == 'posix' or os.name == 'nt': + val = os.path.expanduser(val) + val = subst_vars(val, self.config_vars) + setattr(self, attr, val) + + def expand_basedirs(self): + """Calls `os.path.expanduser` on install_base, install_platbase and + root.""" + self._expand_attrs(['install_base', 'install_platbase', 'root']) + + def expand_dirs(self): + """Calls `os.path.expanduser` on install dirs.""" + dirs = [ + 'install_purelib', + 'install_platlib', + 'install_lib', + 'install_headers', + 'install_scripts', + 'install_data', + ] + self._expand_attrs(dirs) + + def run(self, show_deprecation=True): + if show_deprecation: + self.announce( + "WARNING: The easy_install command is deprecated " + "and will be removed in a future version.", + log.WARN, + ) + if self.verbose != self.distribution.verbose: + log.set_verbosity(self.verbose) + try: + for spec in self.args: + self.easy_install(spec, not self.no_deps) + if self.record: + outputs = self.outputs + if self.root: # strip any package prefix + root_len = len(self.root) + for counter in range(len(outputs)): + outputs[counter] = outputs[counter][root_len:] + from distutils import file_util + + self.execute( + file_util.write_file, (self.record, outputs), + "writing list of installed files to '%s'" % + self.record + ) + self.warn_deprecated_options() + finally: + log.set_verbosity(self.distribution.verbose) + + def pseudo_tempname(self): + """Return a pseudo-tempname base in the install directory. + This code is intentionally naive; if a malicious party can write to + the target directory you're already in deep doodoo. + """ + try: + pid = os.getpid() + except Exception: + pid = random.randint(0, sys.maxsize) + return os.path.join(self.install_dir, "test-easy-install-%s" % pid) + + def warn_deprecated_options(self): + pass + + def check_site_dir(self): # noqa: C901 # is too complex (12) # FIXME + """Verify that self.install_dir is .pth-capable dir, if needed""" + + instdir = normalize_path(self.install_dir) + pth_file = os.path.join(instdir, 'easy-install.pth') + + if not os.path.exists(instdir): + try: + os.makedirs(instdir) + except (OSError, IOError): + self.cant_write_to_target() + + # Is it a configured, PYTHONPATH, implicit, or explicit site dir? + is_site_dir = instdir in self.all_site_dirs + + if not is_site_dir and not self.multi_version: + # No? Then directly test whether it does .pth file processing + is_site_dir = self.check_pth_processing() + else: + # make sure we can write to target dir + testfile = self.pseudo_tempname() + '.write-test' + test_exists = os.path.exists(testfile) + try: + if test_exists: + os.unlink(testfile) + open(testfile, 'w').close() + os.unlink(testfile) + except (OSError, IOError): + self.cant_write_to_target() + + if not is_site_dir and not self.multi_version: + # Can't install non-multi to non-site dir with easy_install + pythonpath = os.environ.get('PYTHONPATH', '') + log.warn(self.__no_default_msg, self.install_dir, pythonpath) + + if is_site_dir: + if self.pth_file is None: + self.pth_file = PthDistributions(pth_file, self.all_site_dirs) + else: + self.pth_file = None + + if self.multi_version and not os.path.exists(pth_file): + self.pth_file = None # don't create a .pth file + self.install_dir = instdir + + __cant_write_msg = textwrap.dedent(""" + can't create or remove files in install directory + + The following error occurred while trying to add or remove files in the + installation directory: + + %s + + The installation directory you specified (via --install-dir, --prefix, or + the distutils default setting) was: + + %s + """).lstrip() # noqa + + __not_exists_id = textwrap.dedent(""" + This directory does not currently exist. Please create it and try again, or + choose a different installation directory (using the -d or --install-dir + option). + """).lstrip() # noqa + + __access_msg = textwrap.dedent(""" + Perhaps your account does not have write access to this directory? If the + installation directory is a system-owned directory, you may need to sign in + as the administrator or "root" account. If you do not have administrative + access to this machine, you may wish to choose a different installation + directory, preferably one that is listed in your PYTHONPATH environment + variable. + + For information on other options, you may wish to consult the + documentation at: + + https://setuptools.readthedocs.io/en/latest/deprecated/easy_install.html + + Please make the appropriate changes for your system and try again. + """).lstrip() # noqa + + def cant_write_to_target(self): + msg = self.__cant_write_msg % (sys.exc_info()[1], self.install_dir,) + + if not os.path.exists(self.install_dir): + msg += '\n' + self.__not_exists_id + else: + msg += '\n' + self.__access_msg + raise DistutilsError(msg) + + def check_pth_processing(self): + """Empirically verify whether .pth files are supported in inst. dir""" + instdir = self.install_dir + log.info("Checking .pth file support in %s", instdir) + pth_file = self.pseudo_tempname() + ".pth" + ok_file = pth_file + '.ok' + ok_exists = os.path.exists(ok_file) + tmpl = _one_liner(""" + import os + f = open({ok_file!r}, 'w') + f.write('OK') + f.close() + """) + '\n' + try: + if ok_exists: + os.unlink(ok_file) + dirname = os.path.dirname(ok_file) + os.makedirs(dirname, exist_ok=True) + f = open(pth_file, 'w') + except (OSError, IOError): + self.cant_write_to_target() + else: + try: + f.write(tmpl.format(**locals())) + f.close() + f = None + executable = sys.executable + if os.name == 'nt': + dirname, basename = os.path.split(executable) + alt = os.path.join(dirname, 'pythonw.exe') + use_alt = ( + basename.lower() == 'python.exe' and + os.path.exists(alt) + ) + if use_alt: + # use pythonw.exe to avoid opening a console window + executable = alt + + from distutils.spawn import spawn + + spawn([executable, '-E', '-c', 'pass'], 0) + + if os.path.exists(ok_file): + log.info( + "TEST PASSED: %s appears to support .pth files", + instdir + ) + return True + finally: + if f: + f.close() + if os.path.exists(ok_file): + os.unlink(ok_file) + if os.path.exists(pth_file): + os.unlink(pth_file) + if not self.multi_version: + log.warn("TEST FAILED: %s does NOT support .pth files", instdir) + return False + + def install_egg_scripts(self, dist): + """Write all the scripts for `dist`, unless scripts are excluded""" + if not self.exclude_scripts and dist.metadata_isdir('scripts'): + for script_name in dist.metadata_listdir('scripts'): + if dist.metadata_isdir('scripts/' + script_name): + # The "script" is a directory, likely a Python 3 + # __pycache__ directory, so skip it. + continue + self.install_script( + dist, script_name, + dist.get_metadata('scripts/' + script_name) + ) + self.install_wrapper_scripts(dist) + + def add_output(self, path): + if os.path.isdir(path): + for base, dirs, files in os.walk(path): + for filename in files: + self.outputs.append(os.path.join(base, filename)) + else: + self.outputs.append(path) + + def not_editable(self, spec): + if self.editable: + raise DistutilsArgError( + "Invalid argument %r: you can't use filenames or URLs " + "with --editable (except via the --find-links option)." + % (spec,) + ) + + def check_editable(self, spec): + if not self.editable: + return + + if os.path.exists(os.path.join(self.build_directory, spec.key)): + raise DistutilsArgError( + "%r already exists in %s; can't do a checkout there" % + (spec.key, self.build_directory) + ) + + @contextlib.contextmanager + def _tmpdir(self): + tmpdir = tempfile.mkdtemp(prefix=u"easy_install-") + try: + # cast to str as workaround for #709 and #710 and #712 + yield str(tmpdir) + finally: + os.path.exists(tmpdir) and rmtree(tmpdir) + + def easy_install(self, spec, deps=False): + with self._tmpdir() as tmpdir: + if not isinstance(spec, Requirement): + if URL_SCHEME(spec): + # It's a url, download it to tmpdir and process + self.not_editable(spec) + dl = self.package_index.download(spec, tmpdir) + return self.install_item(None, dl, tmpdir, deps, True) + + elif os.path.exists(spec): + # Existing file or directory, just process it directly + self.not_editable(spec) + return self.install_item(None, spec, tmpdir, deps, True) + else: + spec = parse_requirement_arg(spec) + + self.check_editable(spec) + dist = self.package_index.fetch_distribution( + spec, tmpdir, self.upgrade, self.editable, + not self.always_copy, self.local_index + ) + if dist is None: + msg = "Could not find suitable distribution for %r" % spec + if self.always_copy: + msg += " (--always-copy skips system and development eggs)" + raise DistutilsError(msg) + elif dist.precedence == DEVELOP_DIST: + # .egg-info dists don't need installing, just process deps + self.process_distribution(spec, dist, deps, "Using") + return dist + else: + return self.install_item(spec, dist.location, tmpdir, deps) + + def install_item(self, spec, download, tmpdir, deps, install_needed=False): + + # Installation is also needed if file in tmpdir or is not an egg + install_needed = install_needed or self.always_copy + install_needed = install_needed or os.path.dirname(download) == tmpdir + install_needed = install_needed or not download.endswith('.egg') + install_needed = install_needed or ( + self.always_copy_from is not None and + os.path.dirname(normalize_path(download)) == + normalize_path(self.always_copy_from) + ) + + if spec and not install_needed: + # at this point, we know it's a local .egg, we just don't know if + # it's already installed. + for dist in self.local_index[spec.project_name]: + if dist.location == download: + break + else: + install_needed = True # it's not in the local index + + log.info("Processing %s", os.path.basename(download)) + + if install_needed: + dists = self.install_eggs(spec, download, tmpdir) + for dist in dists: + self.process_distribution(spec, dist, deps) + else: + dists = [self.egg_distribution(download)] + self.process_distribution(spec, dists[0], deps, "Using") + + if spec is not None: + for dist in dists: + if dist in spec: + return dist + + def select_scheme(self, name): + """Sets the install directories by applying the install schemes.""" + # it's the caller's problem if they supply a bad name! + scheme = INSTALL_SCHEMES[name] + for key in SCHEME_KEYS: + attrname = 'install_' + key + if getattr(self, attrname) is None: + setattr(self, attrname, scheme[key]) + + # FIXME: 'easy_install.process_distribution' is too complex (12) + def process_distribution( # noqa: C901 + self, requirement, dist, deps=True, *info, + ): + self.update_pth(dist) + self.package_index.add(dist) + if dist in self.local_index[dist.key]: + self.local_index.remove(dist) + self.local_index.add(dist) + self.install_egg_scripts(dist) + self.installed_projects[dist.key] = dist + log.info(self.installation_report(requirement, dist, *info)) + if (dist.has_metadata('dependency_links.txt') and + not self.no_find_links): + self.package_index.add_find_links( + dist.get_metadata_lines('dependency_links.txt') + ) + if not deps and not self.always_copy: + return + elif requirement is not None and dist.key != requirement.key: + log.warn("Skipping dependencies for %s", dist) + return # XXX this is not the distribution we were looking for + elif requirement is None or dist not in requirement: + # if we wound up with a different version, resolve what we've got + distreq = dist.as_requirement() + requirement = Requirement(str(distreq)) + log.info("Processing dependencies for %s", requirement) + try: + distros = WorkingSet([]).resolve( + [requirement], self.local_index, self.easy_install + ) + except DistributionNotFound as e: + raise DistutilsError(str(e)) from e + except VersionConflict as e: + raise DistutilsError(e.report()) from e + if self.always_copy or self.always_copy_from: + # Force all the relevant distros to be copied or activated + for dist in distros: + if dist.key not in self.installed_projects: + self.easy_install(dist.as_requirement()) + log.info("Finished processing dependencies for %s", requirement) + + def should_unzip(self, dist): + if self.zip_ok is not None: + return not self.zip_ok + if dist.has_metadata('not-zip-safe'): + return True + if not dist.has_metadata('zip-safe'): + return True + return False + + def maybe_move(self, spec, dist_filename, setup_base): + dst = os.path.join(self.build_directory, spec.key) + if os.path.exists(dst): + msg = ( + "%r already exists in %s; build directory %s will not be kept" + ) + log.warn(msg, spec.key, self.build_directory, setup_base) + return setup_base + if os.path.isdir(dist_filename): + setup_base = dist_filename + else: + if os.path.dirname(dist_filename) == setup_base: + os.unlink(dist_filename) # get it out of the tmp dir + contents = os.listdir(setup_base) + if len(contents) == 1: + dist_filename = os.path.join(setup_base, contents[0]) + if os.path.isdir(dist_filename): + # if the only thing there is a directory, move it instead + setup_base = dist_filename + ensure_directory(dst) + shutil.move(setup_base, dst) + return dst + + def install_wrapper_scripts(self, dist): + if self.exclude_scripts: + return + for args in ScriptWriter.best().get_args(dist): + self.write_script(*args) + + def install_script(self, dist, script_name, script_text, dev_path=None): + """Generate a legacy script wrapper and install it""" + spec = str(dist.as_requirement()) + is_script = is_python_script(script_text, script_name) + + if is_script: + body = self._load_template(dev_path) % locals() + script_text = ScriptWriter.get_header(script_text) + body + self.write_script(script_name, _to_bytes(script_text), 'b') + + @staticmethod + def _load_template(dev_path): + """ + There are a couple of template scripts in the package. This + function loads one of them and prepares it for use. + """ + # See https://github.com/pypa/setuptools/issues/134 for info + # on script file naming and downstream issues with SVR4 + name = 'script.tmpl' + if dev_path: + name = name.replace('.tmpl', ' (dev).tmpl') + + raw_bytes = resource_string('setuptools', name) + return raw_bytes.decode('utf-8') + + def write_script(self, script_name, contents, mode="t", blockers=()): + """Write an executable file to the scripts directory""" + self.delete_blockers( # clean up old .py/.pyw w/o a script + [os.path.join(self.script_dir, x) for x in blockers] + ) + log.info("Installing %s script to %s", script_name, self.script_dir) + target = os.path.join(self.script_dir, script_name) + self.add_output(target) + + if self.dry_run: + return + + mask = current_umask() + ensure_directory(target) + if os.path.exists(target): + os.unlink(target) + with open(target, "w" + mode) as f: + f.write(contents) + chmod(target, 0o777 - mask) + + def install_eggs(self, spec, dist_filename, tmpdir): + # .egg dirs or files are already built, so just return them + installer_map = { + '.egg': self.install_egg, + '.exe': self.install_exe, + '.whl': self.install_wheel, + } + try: + install_dist = installer_map[ + dist_filename.lower()[-4:] + ] + except KeyError: + pass + else: + return [install_dist(dist_filename, tmpdir)] + + # Anything else, try to extract and build + setup_base = tmpdir + if os.path.isfile(dist_filename) and not dist_filename.endswith('.py'): + unpack_archive(dist_filename, tmpdir, self.unpack_progress) + elif os.path.isdir(dist_filename): + setup_base = os.path.abspath(dist_filename) + + if (setup_base.startswith(tmpdir) # something we downloaded + and self.build_directory and spec is not None): + setup_base = self.maybe_move(spec, dist_filename, setup_base) + + # Find the setup.py file + setup_script = os.path.join(setup_base, 'setup.py') + + if not os.path.exists(setup_script): + setups = glob(os.path.join(setup_base, '*', 'setup.py')) + if not setups: + raise DistutilsError( + "Couldn't find a setup script in %s" % + os.path.abspath(dist_filename) + ) + if len(setups) > 1: + raise DistutilsError( + "Multiple setup scripts in %s" % + os.path.abspath(dist_filename) + ) + setup_script = setups[0] + + # Now run it, and return the result + if self.editable: + log.info(self.report_editable(spec, setup_script)) + return [] + else: + return self.build_and_install(setup_script, setup_base) + + def egg_distribution(self, egg_path): + if os.path.isdir(egg_path): + metadata = PathMetadata(egg_path, os.path.join(egg_path, + 'EGG-INFO')) + else: + metadata = EggMetadata(zipimport.zipimporter(egg_path)) + return Distribution.from_filename(egg_path, metadata=metadata) + + # FIXME: 'easy_install.install_egg' is too complex (11) + def install_egg(self, egg_path, tmpdir): # noqa: C901 + destination = os.path.join( + self.install_dir, + os.path.basename(egg_path), + ) + destination = os.path.abspath(destination) + if not self.dry_run: + ensure_directory(destination) + + dist = self.egg_distribution(egg_path) + if not samefile(egg_path, destination): + if os.path.isdir(destination) and not os.path.islink(destination): + dir_util.remove_tree(destination, dry_run=self.dry_run) + elif os.path.exists(destination): + self.execute( + os.unlink, + (destination,), + "Removing " + destination, + ) + try: + new_dist_is_zipped = False + if os.path.isdir(egg_path): + if egg_path.startswith(tmpdir): + f, m = shutil.move, "Moving" + else: + f, m = shutil.copytree, "Copying" + elif self.should_unzip(dist): + self.mkpath(destination) + f, m = self.unpack_and_compile, "Extracting" + else: + new_dist_is_zipped = True + if egg_path.startswith(tmpdir): + f, m = shutil.move, "Moving" + else: + f, m = shutil.copy2, "Copying" + self.execute( + f, + (egg_path, destination), + (m + " %s to %s") % ( + os.path.basename(egg_path), + os.path.dirname(destination) + ), + ) + update_dist_caches( + destination, + fix_zipimporter_caches=new_dist_is_zipped, + ) + except Exception: + update_dist_caches(destination, fix_zipimporter_caches=False) + raise + + self.add_output(destination) + return self.egg_distribution(destination) + + def install_exe(self, dist_filename, tmpdir): + # See if it's valid, get data + cfg = extract_wininst_cfg(dist_filename) + if cfg is None: + raise DistutilsError( + "%s is not a valid distutils Windows .exe" % dist_filename + ) + # Create a dummy distribution object until we build the real distro + dist = Distribution( + None, + project_name=cfg.get('metadata', 'name'), + version=cfg.get('metadata', 'version'), platform=get_platform(), + ) + + # Convert the .exe to an unpacked egg + egg_path = os.path.join(tmpdir, dist.egg_name() + '.egg') + dist.location = egg_path + egg_tmp = egg_path + '.tmp' + _egg_info = os.path.join(egg_tmp, 'EGG-INFO') + pkg_inf = os.path.join(_egg_info, 'PKG-INFO') + ensure_directory(pkg_inf) # make sure EGG-INFO dir exists + dist._provider = PathMetadata(egg_tmp, _egg_info) # XXX + self.exe_to_egg(dist_filename, egg_tmp) + + # Write EGG-INFO/PKG-INFO + if not os.path.exists(pkg_inf): + f = open(pkg_inf, 'w') + f.write('Metadata-Version: 1.0\n') + for k, v in cfg.items('metadata'): + if k != 'target_version': + f.write('%s: %s\n' % (k.replace('_', '-').title(), v)) + f.close() + script_dir = os.path.join(_egg_info, 'scripts') + # delete entry-point scripts to avoid duping + self.delete_blockers([ + os.path.join(script_dir, args[0]) + for args in ScriptWriter.get_args(dist) + ]) + # Build .egg file from tmpdir + bdist_egg.make_zipfile( + egg_path, egg_tmp, verbose=self.verbose, dry_run=self.dry_run, + ) + # install the .egg + return self.install_egg(egg_path, tmpdir) + + # FIXME: 'easy_install.exe_to_egg' is too complex (12) + def exe_to_egg(self, dist_filename, egg_tmp): # noqa: C901 + """Extract a bdist_wininst to the directories an egg would use""" + # Check for .pth file and set up prefix translations + prefixes = get_exe_prefixes(dist_filename) + to_compile = [] + native_libs = [] + top_level = {} + + def process(src, dst): + s = src.lower() + for old, new in prefixes: + if s.startswith(old): + src = new + src[len(old):] + parts = src.split('/') + dst = os.path.join(egg_tmp, *parts) + dl = dst.lower() + if dl.endswith('.pyd') or dl.endswith('.dll'): + parts[-1] = bdist_egg.strip_module(parts[-1]) + top_level[os.path.splitext(parts[0])[0]] = 1 + native_libs.append(src) + elif dl.endswith('.py') and old != 'SCRIPTS/': + top_level[os.path.splitext(parts[0])[0]] = 1 + to_compile.append(dst) + return dst + if not src.endswith('.pth'): + log.warn("WARNING: can't process %s", src) + return None + + # extract, tracking .pyd/.dll->native_libs and .py -> to_compile + unpack_archive(dist_filename, egg_tmp, process) + stubs = [] + for res in native_libs: + if res.lower().endswith('.pyd'): # create stubs for .pyd's + parts = res.split('/') + resource = parts[-1] + parts[-1] = bdist_egg.strip_module(parts[-1]) + '.py' + pyfile = os.path.join(egg_tmp, *parts) + to_compile.append(pyfile) + stubs.append(pyfile) + bdist_egg.write_stub(resource, pyfile) + self.byte_compile(to_compile) # compile .py's + bdist_egg.write_safety_flag( + os.path.join(egg_tmp, 'EGG-INFO'), + bdist_egg.analyze_egg(egg_tmp, stubs)) # write zip-safety flag + + for name in 'top_level', 'native_libs': + if locals()[name]: + txt = os.path.join(egg_tmp, 'EGG-INFO', name + '.txt') + if not os.path.exists(txt): + f = open(txt, 'w') + f.write('\n'.join(locals()[name]) + '\n') + f.close() + + def install_wheel(self, wheel_path, tmpdir): + wheel = Wheel(wheel_path) + assert wheel.is_compatible() + destination = os.path.join(self.install_dir, wheel.egg_name()) + destination = os.path.abspath(destination) + if not self.dry_run: + ensure_directory(destination) + if os.path.isdir(destination) and not os.path.islink(destination): + dir_util.remove_tree(destination, dry_run=self.dry_run) + elif os.path.exists(destination): + self.execute( + os.unlink, + (destination,), + "Removing " + destination, + ) + try: + self.execute( + wheel.install_as_egg, + (destination,), + ("Installing %s to %s") % ( + os.path.basename(wheel_path), + os.path.dirname(destination) + ), + ) + finally: + update_dist_caches(destination, fix_zipimporter_caches=False) + self.add_output(destination) + return self.egg_distribution(destination) + + __mv_warning = textwrap.dedent(""" + Because this distribution was installed --multi-version, before you can + import modules from this package in an application, you will need to + 'import pkg_resources' and then use a 'require()' call similar to one of + these examples, in order to select the desired version: + + pkg_resources.require("%(name)s") # latest installed version + pkg_resources.require("%(name)s==%(version)s") # this exact version + pkg_resources.require("%(name)s>=%(version)s") # this version or higher + """).lstrip() # noqa + + __id_warning = textwrap.dedent(""" + Note also that the installation directory must be on sys.path at runtime for + this to work. (e.g. by being the application's script directory, by being on + PYTHONPATH, or by being added to sys.path by your code.) + """) # noqa + + def installation_report(self, req, dist, what="Installed"): + """Helpful installation message for display to package users""" + msg = "\n%(what)s %(eggloc)s%(extras)s" + if self.multi_version and not self.no_report: + msg += '\n' + self.__mv_warning + if self.install_dir not in map(normalize_path, sys.path): + msg += '\n' + self.__id_warning + + eggloc = dist.location + name = dist.project_name + version = dist.version + extras = '' # TODO: self.report_extras(req, dist) + return msg % locals() + + __editable_msg = textwrap.dedent(""" + Extracted editable version of %(spec)s to %(dirname)s + + If it uses setuptools in its setup script, you can activate it in + "development" mode by going to that directory and running:: + + %(python)s setup.py develop + + See the setuptools documentation for the "develop" command for more info. + """).lstrip() # noqa + + def report_editable(self, spec, setup_script): + dirname = os.path.dirname(setup_script) + python = sys.executable + return '\n' + self.__editable_msg % locals() + + def run_setup(self, setup_script, setup_base, args): + sys.modules.setdefault('distutils.command.bdist_egg', bdist_egg) + sys.modules.setdefault('distutils.command.egg_info', egg_info) + + args = list(args) + if self.verbose > 2: + v = 'v' * (self.verbose - 1) + args.insert(0, '-' + v) + elif self.verbose < 2: + args.insert(0, '-q') + if self.dry_run: + args.insert(0, '-n') + log.info( + "Running %s %s", setup_script[len(setup_base) + 1:], ' '.join(args) + ) + try: + run_setup(setup_script, args) + except SystemExit as v: + raise DistutilsError( + "Setup script exited with %s" % (v.args[0],) + ) from v + + def build_and_install(self, setup_script, setup_base): + args = ['bdist_egg', '--dist-dir'] + + dist_dir = tempfile.mkdtemp( + prefix='egg-dist-tmp-', dir=os.path.dirname(setup_script) + ) + try: + self._set_fetcher_options(os.path.dirname(setup_script)) + args.append(dist_dir) + + self.run_setup(setup_script, setup_base, args) + all_eggs = Environment([dist_dir]) + eggs = [] + for key in all_eggs: + for dist in all_eggs[key]: + eggs.append(self.install_egg(dist.location, setup_base)) + if not eggs and not self.dry_run: + log.warn("No eggs found in %s (setup script problem?)", + dist_dir) + return eggs + finally: + rmtree(dist_dir) + log.set_verbosity(self.verbose) # restore our log verbosity + + def _set_fetcher_options(self, base): + """ + When easy_install is about to run bdist_egg on a source dist, that + source dist might have 'setup_requires' directives, requiring + additional fetching. Ensure the fetcher options given to easy_install + are available to that command as well. + """ + # find the fetch options from easy_install and write them out + # to the setup.cfg file. + ei_opts = self.distribution.get_option_dict('easy_install').copy() + fetch_directives = ( + 'find_links', 'site_dirs', 'index_url', 'optimize', 'allow_hosts', + ) + fetch_options = {} + for key, val in ei_opts.items(): + if key not in fetch_directives: + continue + fetch_options[key] = val[1] + # create a settings dictionary suitable for `edit_config` + settings = dict(easy_install=fetch_options) + cfg_filename = os.path.join(base, 'setup.cfg') + setopt.edit_config(cfg_filename, settings) + + def update_pth(self, dist): # noqa: C901 # is too complex (11) # FIXME + if self.pth_file is None: + return + + for d in self.pth_file[dist.key]: # drop old entries + if not self.multi_version and d.location == dist.location: + continue + + log.info("Removing %s from easy-install.pth file", d) + self.pth_file.remove(d) + if d.location in self.shadow_path: + self.shadow_path.remove(d.location) + + if not self.multi_version: + if dist.location in self.pth_file.paths: + log.info( + "%s is already the active version in easy-install.pth", + dist, + ) + else: + log.info("Adding %s to easy-install.pth file", dist) + self.pth_file.add(dist) # add new entry + if dist.location not in self.shadow_path: + self.shadow_path.append(dist.location) + + if self.dry_run: + return + + self.pth_file.save() + + if dist.key != 'setuptools': + return + + # Ensure that setuptools itself never becomes unavailable! + # XXX should this check for latest version? + filename = os.path.join(self.install_dir, 'setuptools.pth') + if os.path.islink(filename): + os.unlink(filename) + with open(filename, 'wt') as f: + f.write(self.pth_file.make_relative(dist.location) + '\n') + + def unpack_progress(self, src, dst): + # Progress filter for unpacking + log.debug("Unpacking %s to %s", src, dst) + return dst # only unpack-and-compile skips files for dry run + + def unpack_and_compile(self, egg_path, destination): + to_compile = [] + to_chmod = [] + + def pf(src, dst): + if dst.endswith('.py') and not src.startswith('EGG-INFO/'): + to_compile.append(dst) + elif dst.endswith('.dll') or dst.endswith('.so'): + to_chmod.append(dst) + self.unpack_progress(src, dst) + return not self.dry_run and dst or None + + unpack_archive(egg_path, destination, pf) + self.byte_compile(to_compile) + if not self.dry_run: + for f in to_chmod: + mode = ((os.stat(f)[stat.ST_MODE]) | 0o555) & 0o7755 + chmod(f, mode) + + def byte_compile(self, to_compile): + if sys.dont_write_bytecode: + return + + from distutils.util import byte_compile + + try: + # try to make the byte compile messages quieter + log.set_verbosity(self.verbose - 1) + + byte_compile(to_compile, optimize=0, force=1, dry_run=self.dry_run) + if self.optimize: + byte_compile( + to_compile, optimize=self.optimize, force=1, + dry_run=self.dry_run, + ) + finally: + log.set_verbosity(self.verbose) # restore original verbosity + + __no_default_msg = textwrap.dedent(""" + bad install directory or PYTHONPATH + + You are attempting to install a package to a directory that is not + on PYTHONPATH and which Python does not read ".pth" files from. The + installation directory you specified (via --install-dir, --prefix, or + the distutils default setting) was: + + %s + + and your PYTHONPATH environment variable currently contains: + + %r + + Here are some of your options for correcting the problem: + + * You can choose a different installation directory, i.e., one that is + on PYTHONPATH or supports .pth files + + * You can add the installation directory to the PYTHONPATH environment + variable. (It must then also be on PYTHONPATH whenever you run + Python and want to use the package(s) you are installing.) + + * You can set up the installation directory to support ".pth" files by + using one of the approaches described here: + + https://setuptools.readthedocs.io/en/latest/deprecated/easy_install.html#custom-installation-locations + + + Please make the appropriate changes for your system and try again. + """).strip() + + def create_home_path(self): + """Create directories under ~.""" + if not self.user: + return + home = convert_path(os.path.expanduser("~")) + for name, path in self.config_vars.items(): + if path.startswith(home) and not os.path.isdir(path): + self.debug_print("os.makedirs('%s', 0o700)" % path) + os.makedirs(path, 0o700) + + INSTALL_SCHEMES = dict( + posix=dict( + install_dir='$base/lib/python$py_version_short/site-packages', + script_dir='$base/bin', + ), + ) + + DEFAULT_SCHEME = dict( + install_dir='$base/Lib/site-packages', + script_dir='$base/Scripts', + ) + + def _expand(self, *attrs): + config_vars = self.get_finalized_command('install').config_vars + + if self.prefix: + # Set default install_dir/scripts from --prefix + config_vars = config_vars.copy() + config_vars['base'] = self.prefix + scheme = self.INSTALL_SCHEMES.get(os.name, self.DEFAULT_SCHEME) + for attr, val in scheme.items(): + if getattr(self, attr, None) is None: + setattr(self, attr, val) + + from distutils.util import subst_vars + + for attr in attrs: + val = getattr(self, attr) + if val is not None: + val = subst_vars(val, config_vars) + if os.name == 'posix': + val = os.path.expanduser(val) + setattr(self, attr, val) + + +def _pythonpath(): + items = os.environ.get('PYTHONPATH', '').split(os.pathsep) + return filter(None, items) + + +def get_site_dirs(): + """ + Return a list of 'site' dirs + """ + + sitedirs = [] + + # start with PYTHONPATH + sitedirs.extend(_pythonpath()) + + prefixes = [sys.prefix] + if sys.exec_prefix != sys.prefix: + prefixes.append(sys.exec_prefix) + for prefix in prefixes: + if not prefix: + continue + + if sys.platform in ('os2emx', 'riscos'): + sitedirs.append(os.path.join(prefix, "Lib", "site-packages")) + elif os.sep == '/': + sitedirs.extend([ + os.path.join( + prefix, + "lib", + "python{}.{}".format(*sys.version_info), + "site-packages", + ), + os.path.join(prefix, "lib", "site-python"), + ]) + else: + sitedirs.extend([ + prefix, + os.path.join(prefix, "lib", "site-packages"), + ]) + if sys.platform != 'darwin': + continue + + # for framework builds *only* we add the standard Apple + # locations. Currently only per-user, but /Library and + # /Network/Library could be added too + if 'Python.framework' not in prefix: + continue + + home = os.environ.get('HOME') + if not home: + continue + + home_sp = os.path.join( + home, + 'Library', + 'Python', + '{}.{}'.format(*sys.version_info), + 'site-packages', + ) + sitedirs.append(home_sp) + lib_paths = get_path('purelib'), get_path('platlib') + + sitedirs.extend(s for s in lib_paths if s not in sitedirs) + + if site.ENABLE_USER_SITE: + sitedirs.append(site.USER_SITE) + + with contextlib.suppress(AttributeError): + sitedirs.extend(site.getsitepackages()) + + sitedirs = list(map(normalize_path, sitedirs)) + + return sitedirs + + +def expand_paths(inputs): # noqa: C901 # is too complex (11) # FIXME + """Yield sys.path directories that might contain "old-style" packages""" + + seen = {} + + for dirname in inputs: + dirname = normalize_path(dirname) + if dirname in seen: + continue + + seen[dirname] = 1 + if not os.path.isdir(dirname): + continue + + files = os.listdir(dirname) + yield dirname, files + + for name in files: + if not name.endswith('.pth'): + # We only care about the .pth files + continue + if name in ('easy-install.pth', 'setuptools.pth'): + # Ignore .pth files that we control + continue + + # Read the .pth file + f = open(os.path.join(dirname, name)) + lines = list(yield_lines(f)) + f.close() + + # Yield existing non-dupe, non-import directory lines from it + for line in lines: + if line.startswith("import"): + continue + + line = normalize_path(line.rstrip()) + if line in seen: + continue + + seen[line] = 1 + if not os.path.isdir(line): + continue + + yield line, os.listdir(line) + + +def extract_wininst_cfg(dist_filename): + """Extract configuration data from a bdist_wininst .exe + + Returns a configparser.RawConfigParser, or None + """ + f = open(dist_filename, 'rb') + try: + endrec = zipfile._EndRecData(f) + if endrec is None: + return None + + prepended = (endrec[9] - endrec[5]) - endrec[6] + if prepended < 12: # no wininst data here + return None + f.seek(prepended - 12) + + tag, cfglen, bmlen = struct.unpack("<iii", f.read(12)) + if tag not in (0x1234567A, 0x1234567B): + return None # not a valid tag + + f.seek(prepended - (12 + cfglen)) + init = {'version': '', 'target_version': ''} + cfg = configparser.RawConfigParser(init) + try: + part = f.read(cfglen) + # Read up to the first null byte. + config = part.split(b'\0', 1)[0] + # Now the config is in bytes, but for RawConfigParser, it should + # be text, so decode it. + config = config.decode(sys.getfilesystemencoding()) + cfg.read_file(io.StringIO(config)) + except configparser.Error: + return None + if not cfg.has_section('metadata') or not cfg.has_section('Setup'): + return None + return cfg + + finally: + f.close() + + +def get_exe_prefixes(exe_filename): + """Get exe->egg path translations for a given .exe file""" + + prefixes = [ + ('PURELIB/', ''), + ('PLATLIB/pywin32_system32', ''), + ('PLATLIB/', ''), + ('SCRIPTS/', 'EGG-INFO/scripts/'), + ('DATA/lib/site-packages', ''), + ] + z = zipfile.ZipFile(exe_filename) + try: + for info in z.infolist(): + name = info.filename + parts = name.split('/') + if len(parts) == 3 and parts[2] == 'PKG-INFO': + if parts[1].endswith('.egg-info'): + prefixes.insert(0, ('/'.join(parts[:2]), 'EGG-INFO/')) + break + if len(parts) != 2 or not name.endswith('.pth'): + continue + if name.endswith('-nspkg.pth'): + continue + if parts[0].upper() in ('PURELIB', 'PLATLIB'): + contents = z.read(name).decode() + for pth in yield_lines(contents): + pth = pth.strip().replace('\\', '/') + if not pth.startswith('import'): + prefixes.append((('%s/%s/' % (parts[0], pth)), '')) + finally: + z.close() + prefixes = [(x.lower(), y) for x, y in prefixes] + prefixes.sort() + prefixes.reverse() + return prefixes + + +class PthDistributions(Environment): + """A .pth file with Distribution paths in it""" + + dirty = False + + def __init__(self, filename, sitedirs=()): + self.filename = filename + self.sitedirs = list(map(normalize_path, sitedirs)) + self.basedir = normalize_path(os.path.dirname(self.filename)) + self._load() + Environment.__init__(self, [], None, None) + for path in yield_lines(self.paths): + list(map(self.add, find_distributions(path, True))) + + def _load(self): + self.paths = [] + saw_import = False + seen = dict.fromkeys(self.sitedirs) + if os.path.isfile(self.filename): + f = open(self.filename, 'rt') + for line in f: + if line.startswith('import'): + saw_import = True + continue + path = line.rstrip() + self.paths.append(path) + if not path.strip() or path.strip().startswith('#'): + continue + # skip non-existent paths, in case somebody deleted a package + # manually, and duplicate paths as well + path = self.paths[-1] = normalize_path( + os.path.join(self.basedir, path) + ) + if not os.path.exists(path) or path in seen: + self.paths.pop() # skip it + self.dirty = True # we cleaned up, so we're dirty now :) + continue + seen[path] = 1 + f.close() + + if self.paths and not saw_import: + self.dirty = True # ensure anything we touch has import wrappers + while self.paths and not self.paths[-1].strip(): + self.paths.pop() + + def save(self): + """Write changed .pth file back to disk""" + if not self.dirty: + return + + rel_paths = list(map(self.make_relative, self.paths)) + if rel_paths: + log.debug("Saving %s", self.filename) + lines = self._wrap_lines(rel_paths) + data = '\n'.join(lines) + '\n' + + if os.path.islink(self.filename): + os.unlink(self.filename) + with open(self.filename, 'wt') as f: + f.write(data) + + elif os.path.exists(self.filename): + log.debug("Deleting empty %s", self.filename) + os.unlink(self.filename) + + self.dirty = False + + @staticmethod + def _wrap_lines(lines): + return lines + + def add(self, dist): + """Add `dist` to the distribution map""" + new_path = ( + dist.location not in self.paths and ( + dist.location not in self.sitedirs or + # account for '.' being in PYTHONPATH + dist.location == os.getcwd() + ) + ) + if new_path: + self.paths.append(dist.location) + self.dirty = True + Environment.add(self, dist) + + def remove(self, dist): + """Remove `dist` from the distribution map""" + while dist.location in self.paths: + self.paths.remove(dist.location) + self.dirty = True + Environment.remove(self, dist) + + def make_relative(self, path): + npath, last = os.path.split(normalize_path(path)) + baselen = len(self.basedir) + parts = [last] + sep = os.altsep == '/' and '/' or os.sep + while len(npath) >= baselen: + if npath == self.basedir: + parts.append(os.curdir) + parts.reverse() + return sep.join(parts) + npath, last = os.path.split(npath) + parts.append(last) + else: + return path + + +class RewritePthDistributions(PthDistributions): + @classmethod + def _wrap_lines(cls, lines): + yield cls.prelude + for line in lines: + yield line + yield cls.postlude + + prelude = _one_liner(""" + import sys + sys.__plen = len(sys.path) + """) + postlude = _one_liner(""" + import sys + new = sys.path[sys.__plen:] + del sys.path[sys.__plen:] + p = getattr(sys, '__egginsert', 0) + sys.path[p:p] = new + sys.__egginsert = p + len(new) + """) + + +if os.environ.get('SETUPTOOLS_SYS_PATH_TECHNIQUE', 'raw') == 'rewrite': + PthDistributions = RewritePthDistributions + + +def _first_line_re(): + """ + Return a regular expression based on first_line_re suitable for matching + strings. + """ + if isinstance(first_line_re.pattern, str): + return first_line_re + + # first_line_re in Python >=3.1.4 and >=3.2.1 is a bytes pattern. + return re.compile(first_line_re.pattern.decode()) + + +def auto_chmod(func, arg, exc): + if func in [os.unlink, os.remove] and os.name == 'nt': + chmod(arg, stat.S_IWRITE) + return func(arg) + et, ev, _ = sys.exc_info() + # TODO: This code doesn't make sense. What is it trying to do? + raise (ev[0], ev[1] + (" %s %s" % (func, arg))) + + +def update_dist_caches(dist_path, fix_zipimporter_caches): + """ + Fix any globally cached `dist_path` related data + + `dist_path` should be a path of a newly installed egg distribution (zipped + or unzipped). + + sys.path_importer_cache contains finder objects that have been cached when + importing data from the original distribution. Any such finders need to be + cleared since the replacement distribution might be packaged differently, + e.g. a zipped egg distribution might get replaced with an unzipped egg + folder or vice versa. Having the old finders cached may then cause Python + to attempt loading modules from the replacement distribution using an + incorrect loader. + + zipimport.zipimporter objects are Python loaders charged with importing + data packaged inside zip archives. If stale loaders referencing the + original distribution, are left behind, they can fail to load modules from + the replacement distribution. E.g. if an old zipimport.zipimporter instance + is used to load data from a new zipped egg archive, it may cause the + operation to attempt to locate the requested data in the wrong location - + one indicated by the original distribution's zip archive directory + information. Such an operation may then fail outright, e.g. report having + read a 'bad local file header', or even worse, it may fail silently & + return invalid data. + + zipimport._zip_directory_cache contains cached zip archive directory + information for all existing zipimport.zipimporter instances and all such + instances connected to the same archive share the same cached directory + information. + + If asked, and the underlying Python implementation allows it, we can fix + all existing zipimport.zipimporter instances instead of having to track + them down and remove them one by one, by updating their shared cached zip + archive directory information. This, of course, assumes that the + replacement distribution is packaged as a zipped egg. + + If not asked to fix existing zipimport.zipimporter instances, we still do + our best to clear any remaining zipimport.zipimporter related cached data + that might somehow later get used when attempting to load data from the new + distribution and thus cause such load operations to fail. Note that when + tracking down such remaining stale data, we can not catch every conceivable + usage from here, and we clear only those that we know of and have found to + cause problems if left alive. Any remaining caches should be updated by + whomever is in charge of maintaining them, i.e. they should be ready to + handle us replacing their zip archives with new distributions at runtime. + + """ + # There are several other known sources of stale zipimport.zipimporter + # instances that we do not clear here, but might if ever given a reason to + # do so: + # * Global setuptools pkg_resources.working_set (a.k.a. 'master working + # set') may contain distributions which may in turn contain their + # zipimport.zipimporter loaders. + # * Several zipimport.zipimporter loaders held by local variables further + # up the function call stack when running the setuptools installation. + # * Already loaded modules may have their __loader__ attribute set to the + # exact loader instance used when importing them. Python 3.4 docs state + # that this information is intended mostly for introspection and so is + # not expected to cause us problems. + normalized_path = normalize_path(dist_path) + _uncache(normalized_path, sys.path_importer_cache) + if fix_zipimporter_caches: + _replace_zip_directory_cache_data(normalized_path) + else: + # Here, even though we do not want to fix existing and now stale + # zipimporter cache information, we still want to remove it. Related to + # Python's zip archive directory information cache, we clear each of + # its stale entries in two phases: + # 1. Clear the entry so attempting to access zip archive information + # via any existing stale zipimport.zipimporter instances fails. + # 2. Remove the entry from the cache so any newly constructed + # zipimport.zipimporter instances do not end up using old stale + # zip archive directory information. + # This whole stale data removal step does not seem strictly necessary, + # but has been left in because it was done before we started replacing + # the zip archive directory information cache content if possible, and + # there are no relevant unit tests that we can depend on to tell us if + # this is really needed. + _remove_and_clear_zip_directory_cache_data(normalized_path) + + +def _collect_zipimporter_cache_entries(normalized_path, cache): + """ + Return zipimporter cache entry keys related to a given normalized path. + + Alternative path spellings (e.g. those using different character case or + those using alternative path separators) related to the same path are + included. Any sub-path entries are included as well, i.e. those + corresponding to zip archives embedded in other zip archives. + + """ + result = [] + prefix_len = len(normalized_path) + for p in cache: + np = normalize_path(p) + if (np.startswith(normalized_path) and + np[prefix_len:prefix_len + 1] in (os.sep, '')): + result.append(p) + return result + + +def _update_zipimporter_cache(normalized_path, cache, updater=None): + """ + Update zipimporter cache data for a given normalized path. + + Any sub-path entries are processed as well, i.e. those corresponding to zip + archives embedded in other zip archives. + + Given updater is a callable taking a cache entry key and the original entry + (after already removing the entry from the cache), and expected to update + the entry and possibly return a new one to be inserted in its place. + Returning None indicates that the entry should not be replaced with a new + one. If no updater is given, the cache entries are simply removed without + any additional processing, the same as if the updater simply returned None. + + """ + for p in _collect_zipimporter_cache_entries(normalized_path, cache): + # N.B. pypy's custom zipimport._zip_directory_cache implementation does + # not support the complete dict interface: + # * Does not support item assignment, thus not allowing this function + # to be used only for removing existing cache entries. + # * Does not support the dict.pop() method, forcing us to use the + # get/del patterns instead. For more detailed information see the + # following links: + # https://github.com/pypa/setuptools/issues/202#issuecomment-202913420 + # http://bit.ly/2h9itJX + old_entry = cache[p] + del cache[p] + new_entry = updater and updater(p, old_entry) + if new_entry is not None: + cache[p] = new_entry + + +def _uncache(normalized_path, cache): + _update_zipimporter_cache(normalized_path, cache) + + +def _remove_and_clear_zip_directory_cache_data(normalized_path): + def clear_and_remove_cached_zip_archive_directory_data(path, old_entry): + old_entry.clear() + + _update_zipimporter_cache( + normalized_path, zipimport._zip_directory_cache, + updater=clear_and_remove_cached_zip_archive_directory_data) + + +# PyPy Python implementation does not allow directly writing to the +# zipimport._zip_directory_cache and so prevents us from attempting to correct +# its content. The best we can do there is clear the problematic cache content +# and have PyPy repopulate it as needed. The downside is that if there are any +# stale zipimport.zipimporter instances laying around, attempting to use them +# will fail due to not having its zip archive directory information available +# instead of being automatically corrected to use the new correct zip archive +# directory information. +if '__pypy__' in sys.builtin_module_names: + _replace_zip_directory_cache_data = \ + _remove_and_clear_zip_directory_cache_data +else: + + def _replace_zip_directory_cache_data(normalized_path): + def replace_cached_zip_archive_directory_data(path, old_entry): + # N.B. In theory, we could load the zip directory information just + # once for all updated path spellings, and then copy it locally and + # update its contained path strings to contain the correct + # spelling, but that seems like a way too invasive move (this cache + # structure is not officially documented anywhere and could in + # theory change with new Python releases) for no significant + # benefit. + old_entry.clear() + zipimport.zipimporter(path) + old_entry.update(zipimport._zip_directory_cache[path]) + return old_entry + + _update_zipimporter_cache( + normalized_path, zipimport._zip_directory_cache, + updater=replace_cached_zip_archive_directory_data) + + +def is_python(text, filename='<string>'): + "Is this string a valid Python script?" + try: + compile(text, filename, 'exec') + except (SyntaxError, TypeError): + return False + else: + return True + + +def is_sh(executable): + """Determine if the specified executable is a .sh (contains a #! line)""" + try: + with io.open(executable, encoding='latin-1') as fp: + magic = fp.read(2) + except (OSError, IOError): + return executable + return magic == '#!' + + +def nt_quote_arg(arg): + """Quote a command line argument according to Windows parsing rules""" + return subprocess.list2cmdline([arg]) + + +def is_python_script(script_text, filename): + """Is this text, as a whole, a Python script? (as opposed to shell/bat/etc. + """ + if filename.endswith('.py') or filename.endswith('.pyw'): + return True # extension says it's Python + if is_python(script_text, filename): + return True # it's syntactically valid Python + if script_text.startswith('#!'): + # It begins with a '#!' line, so check if 'python' is in it somewhere + return 'python' in script_text.splitlines()[0].lower() + + return False # Not any Python I can recognize + + +try: + from os import chmod as _chmod +except ImportError: + # Jython compatibility + def _chmod(*args): + pass + + +def chmod(path, mode): + log.debug("changing mode of %s to %o", path, mode) + try: + _chmod(path, mode) + except os.error as e: + log.debug("chmod failed: %s", e) + + +class CommandSpec(list): + """ + A command spec for a #! header, specified as a list of arguments akin to + those passed to Popen. + """ + + options = [] + split_args = dict() + + @classmethod + def best(cls): + """ + Choose the best CommandSpec class based on environmental conditions. + """ + return cls + + @classmethod + def _sys_executable(cls): + _default = os.path.normpath(sys.executable) + return os.environ.get('__PYVENV_LAUNCHER__', _default) + + @classmethod + def from_param(cls, param): + """ + Construct a CommandSpec from a parameter to build_scripts, which may + be None. + """ + if isinstance(param, cls): + return param + if isinstance(param, list): + return cls(param) + if param is None: + return cls.from_environment() + # otherwise, assume it's a string. + return cls.from_string(param) + + @classmethod + def from_environment(cls): + return cls([cls._sys_executable()]) + + @classmethod + def from_string(cls, string): + """ + Construct a command spec from a simple string representing a command + line parseable by shlex.split. + """ + items = shlex.split(string, **cls.split_args) + return cls(items) + + def install_options(self, script_text): + self.options = shlex.split(self._extract_options(script_text)) + cmdline = subprocess.list2cmdline(self) + if not isascii(cmdline): + self.options[:0] = ['-x'] + + @staticmethod + def _extract_options(orig_script): + """ + Extract any options from the first line of the script. + """ + first = (orig_script + '\n').splitlines()[0] + match = _first_line_re().match(first) + options = match.group(1) or '' if match else '' + return options.strip() + + def as_header(self): + return self._render(self + list(self.options)) + + @staticmethod + def _strip_quotes(item): + _QUOTES = '"\'' + for q in _QUOTES: + if item.startswith(q) and item.endswith(q): + return item[1:-1] + return item + + @staticmethod + def _render(items): + cmdline = subprocess.list2cmdline( + CommandSpec._strip_quotes(item.strip()) for item in items) + return '#!' + cmdline + '\n' + + +# For pbr compat; will be removed in a future version. +sys_executable = CommandSpec._sys_executable() + + +class WindowsCommandSpec(CommandSpec): + split_args = dict(posix=False) + + +class ScriptWriter: + """ + Encapsulates behavior around writing entry point scripts for console and + gui apps. + """ + + template = textwrap.dedent(r""" + # EASY-INSTALL-ENTRY-SCRIPT: %(spec)r,%(group)r,%(name)r + import re + import sys + + # for compatibility with easy_install; see #2198 + __requires__ = %(spec)r + + try: + from importlib.metadata import distribution + except ImportError: + try: + from importlib_metadata import distribution + except ImportError: + from pkg_resources import load_entry_point + + + def importlib_load_entry_point(spec, group, name): + dist_name, _, _ = spec.partition('==') + matches = ( + entry_point + for entry_point in distribution(dist_name).entry_points + if entry_point.group == group and entry_point.name == name + ) + return next(matches).load() + + + globals().setdefault('load_entry_point', importlib_load_entry_point) + + + if __name__ == '__main__': + sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) + sys.exit(load_entry_point(%(spec)r, %(group)r, %(name)r)()) + """).lstrip() + + command_spec_class = CommandSpec + + @classmethod + def get_script_args(cls, dist, executable=None, wininst=False): + # for backward compatibility + warnings.warn("Use get_args", EasyInstallDeprecationWarning) + writer = (WindowsScriptWriter if wininst else ScriptWriter).best() + header = cls.get_script_header("", executable, wininst) + return writer.get_args(dist, header) + + @classmethod + def get_script_header(cls, script_text, executable=None, wininst=False): + # for backward compatibility + warnings.warn( + "Use get_header", EasyInstallDeprecationWarning, stacklevel=2) + if wininst: + executable = "python.exe" + return cls.get_header(script_text, executable) + + @classmethod + def get_args(cls, dist, header=None): + """ + Yield write_script() argument tuples for a distribution's + console_scripts and gui_scripts entry points. + """ + if header is None: + header = cls.get_header() + spec = str(dist.as_requirement()) + for type_ in 'console', 'gui': + group = type_ + '_scripts' + for name, ep in dist.get_entry_map(group).items(): + cls._ensure_safe_name(name) + script_text = cls.template % locals() + args = cls._get_script_args(type_, name, header, script_text) + for res in args: + yield res + + @staticmethod + def _ensure_safe_name(name): + """ + Prevent paths in *_scripts entry point names. + """ + has_path_sep = re.search(r'[\\/]', name) + if has_path_sep: + raise ValueError("Path separators not allowed in script names") + + @classmethod + def get_writer(cls, force_windows): + # for backward compatibility + warnings.warn("Use best", EasyInstallDeprecationWarning) + return WindowsScriptWriter.best() if force_windows else cls.best() + + @classmethod + def best(cls): + """ + Select the best ScriptWriter for this environment. + """ + if sys.platform == 'win32' or (os.name == 'java' and os._name == 'nt'): + return WindowsScriptWriter.best() + else: + return cls + + @classmethod + def _get_script_args(cls, type_, name, header, script_text): + # Simply write the stub with no extension. + yield (name, header + script_text) + + @classmethod + def get_header(cls, script_text="", executable=None): + """Create a #! line, getting options (if any) from script_text""" + cmd = cls.command_spec_class.best().from_param(executable) + cmd.install_options(script_text) + return cmd.as_header() + + +class WindowsScriptWriter(ScriptWriter): + command_spec_class = WindowsCommandSpec + + @classmethod + def get_writer(cls): + # for backward compatibility + warnings.warn("Use best", EasyInstallDeprecationWarning) + return cls.best() + + @classmethod + def best(cls): + """ + Select the best ScriptWriter suitable for Windows + """ + writer_lookup = dict( + executable=WindowsExecutableLauncherWriter, + natural=cls, + ) + # for compatibility, use the executable launcher by default + launcher = os.environ.get('SETUPTOOLS_LAUNCHER', 'executable') + return writer_lookup[launcher] + + @classmethod + def _get_script_args(cls, type_, name, header, script_text): + "For Windows, add a .py extension" + ext = dict(console='.pya', gui='.pyw')[type_] + if ext not in os.environ['PATHEXT'].lower().split(';'): + msg = ( + "{ext} not listed in PATHEXT; scripts will not be " + "recognized as executables." + ).format(**locals()) + warnings.warn(msg, UserWarning) + old = ['.pya', '.py', '-script.py', '.pyc', '.pyo', '.pyw', '.exe'] + old.remove(ext) + header = cls._adjust_header(type_, header) + blockers = [name + x for x in old] + yield name + ext, header + script_text, 't', blockers + + @classmethod + def _adjust_header(cls, type_, orig_header): + """ + Make sure 'pythonw' is used for gui and 'python' is used for + console (regardless of what sys.executable is). + """ + pattern = 'pythonw.exe' + repl = 'python.exe' + if type_ == 'gui': + pattern, repl = repl, pattern + pattern_ob = re.compile(re.escape(pattern), re.IGNORECASE) + new_header = pattern_ob.sub(string=orig_header, repl=repl) + return new_header if cls._use_header(new_header) else orig_header + + @staticmethod + def _use_header(new_header): + """ + Should _adjust_header use the replaced header? + + On non-windows systems, always use. On + Windows systems, only use the replaced header if it resolves + to an executable on the system. + """ + clean_header = new_header[2:-1].strip('"') + return sys.platform != 'win32' or find_executable(clean_header) + + +class WindowsExecutableLauncherWriter(WindowsScriptWriter): + @classmethod + def _get_script_args(cls, type_, name, header, script_text): + """ + For Windows, add a .py extension and an .exe launcher + """ + if type_ == 'gui': + launcher_type = 'gui' + ext = '-script.pyw' + old = ['.pyw'] + else: + launcher_type = 'cli' + ext = '-script.py' + old = ['.py', '.pyc', '.pyo'] + hdr = cls._adjust_header(type_, header) + blockers = [name + x for x in old] + yield (name + ext, hdr + script_text, 't', blockers) + yield ( + name + '.exe', get_win_launcher(launcher_type), + 'b' # write in binary mode + ) + if not is_64bit(): + # install a manifest for the launcher to prevent Windows + # from detecting it as an installer (which it will for + # launchers like easy_install.exe). Consider only + # adding a manifest for launchers detected as installers. + # See Distribute #143 for details. + m_name = name + '.exe.manifest' + yield (m_name, load_launcher_manifest(name), 't') + + +# for backward-compatibility +get_script_args = ScriptWriter.get_script_args +get_script_header = ScriptWriter.get_script_header + + +def get_win_launcher(type): + """ + Load the Windows launcher (executable) suitable for launching a script. + + `type` should be either 'cli' or 'gui' + + Returns the executable as a byte string. + """ + launcher_fn = '%s.exe' % type + if is_64bit(): + if get_platform() == "win-arm64": + launcher_fn = launcher_fn.replace(".", "-arm64.") + else: + launcher_fn = launcher_fn.replace(".", "-64.") + else: + launcher_fn = launcher_fn.replace(".", "-32.") + return resource_string('setuptools', launcher_fn) + + +def load_launcher_manifest(name): + manifest = pkg_resources.resource_string(__name__, 'launcher manifest.xml') + return manifest.decode('utf-8') % vars() + + +def rmtree(path, ignore_errors=False, onerror=auto_chmod): + return shutil.rmtree(path, ignore_errors, onerror) + + +def current_umask(): + tmp = os.umask(0o022) + os.umask(tmp) + return tmp + + +class EasyInstallDeprecationWarning(SetuptoolsDeprecationWarning): + """ + Warning for EasyInstall deprecations, bypassing suppression. + """ diff --git a/venv/Lib/site-packages/setuptools/command/egg_info.py b/venv/Lib/site-packages/setuptools/command/egg_info.py new file mode 100644 index 0000000..18b8134 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/egg_info.py @@ -0,0 +1,734 @@ +"""setuptools.command.egg_info + +Create a distribution's .egg-info directory and contents""" + +from distutils.filelist import FileList as _FileList +from distutils.errors import DistutilsInternalError +from distutils.util import convert_path +from distutils import log +import distutils.errors +import distutils.filelist +import functools +import os +import re +import sys +import io +import warnings +import time +import collections + +from setuptools import Command +from setuptools.command.sdist import sdist +from setuptools.command.sdist import walk_revctrl +from setuptools.command.setopt import edit_config +from setuptools.command import bdist_egg +from pkg_resources import ( + parse_requirements, safe_name, parse_version, + safe_version, yield_lines, EntryPoint, iter_entry_points, to_filename) +import setuptools.unicode_utils as unicode_utils +from setuptools.glob import glob + +from setuptools.extern import packaging +from setuptools import SetuptoolsDeprecationWarning + + +def translate_pattern(glob): # noqa: C901 # is too complex (14) # FIXME + """ + Translate a file path glob like '*.txt' in to a regular expression. + This differs from fnmatch.translate which allows wildcards to match + directory separators. It also knows about '**/' which matches any number of + directories. + """ + pat = '' + + # This will split on '/' within [character classes]. This is deliberate. + chunks = glob.split(os.path.sep) + + sep = re.escape(os.sep) + valid_char = '[^%s]' % (sep,) + + for c, chunk in enumerate(chunks): + last_chunk = c == len(chunks) - 1 + + # Chunks that are a literal ** are globstars. They match anything. + if chunk == '**': + if last_chunk: + # Match anything if this is the last component + pat += '.*' + else: + # Match '(name/)*' + pat += '(?:%s+%s)*' % (valid_char, sep) + continue # Break here as the whole path component has been handled + + # Find any special characters in the remainder + i = 0 + chunk_len = len(chunk) + while i < chunk_len: + char = chunk[i] + if char == '*': + # Match any number of name characters + pat += valid_char + '*' + elif char == '?': + # Match a name character + pat += valid_char + elif char == '[': + # Character class + inner_i = i + 1 + # Skip initial !/] chars + if inner_i < chunk_len and chunk[inner_i] == '!': + inner_i = inner_i + 1 + if inner_i < chunk_len and chunk[inner_i] == ']': + inner_i = inner_i + 1 + + # Loop till the closing ] is found + while inner_i < chunk_len and chunk[inner_i] != ']': + inner_i = inner_i + 1 + + if inner_i >= chunk_len: + # Got to the end of the string without finding a closing ] + # Do not treat this as a matching group, but as a literal [ + pat += re.escape(char) + else: + # Grab the insides of the [brackets] + inner = chunk[i + 1:inner_i] + char_class = '' + + # Class negation + if inner[0] == '!': + char_class = '^' + inner = inner[1:] + + char_class += re.escape(inner) + pat += '[%s]' % (char_class,) + + # Skip to the end ] + i = inner_i + else: + pat += re.escape(char) + i += 1 + + # Join each chunk with the dir separator + if not last_chunk: + pat += sep + + pat += r'\Z' + return re.compile(pat, flags=re.MULTILINE | re.DOTALL) + + +class InfoCommon: + tag_build = None + tag_date = None + + @property + def name(self): + return safe_name(self.distribution.get_name()) + + def tagged_version(self): + return safe_version(self._maybe_tag(self.distribution.get_version())) + + def _maybe_tag(self, version): + """ + egg_info may be called more than once for a distribution, + in which case the version string already contains all tags. + """ + return ( + version if self.vtags and version.endswith(self.vtags) + else version + self.vtags + ) + + def tags(self): + version = '' + if self.tag_build: + version += self.tag_build + if self.tag_date: + version += time.strftime("-%Y%m%d") + return version + vtags = property(tags) + + +class egg_info(InfoCommon, Command): + description = "create a distribution's .egg-info directory" + + user_options = [ + ('egg-base=', 'e', "directory containing .egg-info directories" + " (default: top of the source tree)"), + ('tag-date', 'd', "Add date stamp (e.g. 20050528) to version number"), + ('tag-build=', 'b', "Specify explicit tag to add to version number"), + ('no-date', 'D', "Don't include date stamp [default]"), + ] + + boolean_options = ['tag-date'] + negative_opt = { + 'no-date': 'tag-date', + } + + def initialize_options(self): + self.egg_base = None + self.egg_name = None + self.egg_info = None + self.egg_version = None + self.broken_egg_info = False + + #################################### + # allow the 'tag_svn_revision' to be detected and + # set, supporting sdists built on older Setuptools. + @property + def tag_svn_revision(self): + pass + + @tag_svn_revision.setter + def tag_svn_revision(self, value): + pass + #################################### + + def save_version_info(self, filename): + """ + Materialize the value of date into the + build tag. Install build keys in a deterministic order + to avoid arbitrary reordering on subsequent builds. + """ + egg_info = collections.OrderedDict() + # follow the order these keys would have been added + # when PYTHONHASHSEED=0 + egg_info['tag_build'] = self.tags() + egg_info['tag_date'] = 0 + edit_config(filename, dict(egg_info=egg_info)) + + def finalize_options(self): + # Note: we need to capture the current value returned + # by `self.tagged_version()`, so we can later update + # `self.distribution.metadata.version` without + # repercussions. + self.egg_name = self.name + self.egg_version = self.tagged_version() + parsed_version = parse_version(self.egg_version) + + try: + is_version = isinstance(parsed_version, packaging.version.Version) + spec = ( + "%s==%s" if is_version else "%s===%s" + ) + list( + parse_requirements(spec % (self.egg_name, self.egg_version)) + ) + except ValueError as e: + raise distutils.errors.DistutilsOptionError( + "Invalid distribution name or version syntax: %s-%s" % + (self.egg_name, self.egg_version) + ) from e + + if self.egg_base is None: + dirs = self.distribution.package_dir + self.egg_base = (dirs or {}).get('', os.curdir) + + self.ensure_dirname('egg_base') + self.egg_info = to_filename(self.egg_name) + '.egg-info' + if self.egg_base != os.curdir: + self.egg_info = os.path.join(self.egg_base, self.egg_info) + if '-' in self.egg_name: + self.check_broken_egg_info() + + # Set package version for the benefit of dumber commands + # (e.g. sdist, bdist_wininst, etc.) + # + self.distribution.metadata.version = self.egg_version + + # If we bootstrapped around the lack of a PKG-INFO, as might be the + # case in a fresh checkout, make sure that any special tags get added + # to the version info + # + pd = self.distribution._patched_dist + if pd is not None and pd.key == self.egg_name.lower(): + pd._version = self.egg_version + pd._parsed_version = parse_version(self.egg_version) + self.distribution._patched_dist = None + + def write_or_delete_file(self, what, filename, data, force=False): + """Write `data` to `filename` or delete if empty + + If `data` is non-empty, this routine is the same as ``write_file()``. + If `data` is empty but not ``None``, this is the same as calling + ``delete_file(filename)`. If `data` is ``None``, then this is a no-op + unless `filename` exists, in which case a warning is issued about the + orphaned file (if `force` is false), or deleted (if `force` is true). + """ + if data: + self.write_file(what, filename, data) + elif os.path.exists(filename): + if data is None and not force: + log.warn( + "%s not set in setup(), but %s exists", what, filename + ) + return + else: + self.delete_file(filename) + + def write_file(self, what, filename, data): + """Write `data` to `filename` (if not a dry run) after announcing it + + `what` is used in a log message to identify what is being written + to the file. + """ + log.info("writing %s to %s", what, filename) + data = data.encode("utf-8") + if not self.dry_run: + f = open(filename, 'wb') + f.write(data) + f.close() + + def delete_file(self, filename): + """Delete `filename` (if not a dry run) after announcing it""" + log.info("deleting %s", filename) + if not self.dry_run: + os.unlink(filename) + + def run(self): + self.mkpath(self.egg_info) + os.utime(self.egg_info, None) + installer = self.distribution.fetch_build_egg + for ep in iter_entry_points('egg_info.writers'): + ep.require(installer=installer) + writer = ep.resolve() + writer(self, ep.name, os.path.join(self.egg_info, ep.name)) + + # Get rid of native_libs.txt if it was put there by older bdist_egg + nl = os.path.join(self.egg_info, "native_libs.txt") + if os.path.exists(nl): + self.delete_file(nl) + + self.find_sources() + + def find_sources(self): + """Generate SOURCES.txt manifest file""" + manifest_filename = os.path.join(self.egg_info, "SOURCES.txt") + mm = manifest_maker(self.distribution) + mm.manifest = manifest_filename + mm.run() + self.filelist = mm.filelist + + def check_broken_egg_info(self): + bei = self.egg_name + '.egg-info' + if self.egg_base != os.curdir: + bei = os.path.join(self.egg_base, bei) + if os.path.exists(bei): + log.warn( + "-" * 78 + '\n' + "Note: Your current .egg-info directory has a '-' in its name;" + '\nthis will not work correctly with "setup.py develop".\n\n' + 'Please rename %s to %s to correct this problem.\n' + '-' * 78, + bei, self.egg_info + ) + self.broken_egg_info = self.egg_info + self.egg_info = bei # make it work for now + + +class FileList(_FileList): + # Implementations of the various MANIFEST.in commands + + def process_template_line(self, line): + # Parse the line: split it up, make sure the right number of words + # is there, and return the relevant words. 'action' is always + # defined: it's the first word of the line. Which of the other + # three are defined depends on the action; it'll be either + # patterns, (dir and patterns), or (dir_pattern). + (action, patterns, dir, dir_pattern) = self._parse_template_line(line) + + action_map = { + 'include': self.include, + 'exclude': self.exclude, + 'global-include': self.global_include, + 'global-exclude': self.global_exclude, + 'recursive-include': functools.partial( + self.recursive_include, dir, + ), + 'recursive-exclude': functools.partial( + self.recursive_exclude, dir, + ), + 'graft': self.graft, + 'prune': self.prune, + } + log_map = { + 'include': "warning: no files found matching '%s'", + 'exclude': ( + "warning: no previously-included files found " + "matching '%s'" + ), + 'global-include': ( + "warning: no files found matching '%s' " + "anywhere in distribution" + ), + 'global-exclude': ( + "warning: no previously-included files matching " + "'%s' found anywhere in distribution" + ), + 'recursive-include': ( + "warning: no files found matching '%s' " + "under directory '%s'" + ), + 'recursive-exclude': ( + "warning: no previously-included files matching " + "'%s' found under directory '%s'" + ), + 'graft': "warning: no directories found matching '%s'", + 'prune': "no previously-included directories found matching '%s'", + } + + try: + process_action = action_map[action] + except KeyError: + raise DistutilsInternalError( + "this cannot happen: invalid action '{action!s}'". + format(action=action), + ) + + # OK, now we know that the action is valid and we have the + # right number of words on the line for that action -- so we + # can proceed with minimal error-checking. + + action_is_recursive = action.startswith('recursive-') + if action in {'graft', 'prune'}: + patterns = [dir_pattern] + extra_log_args = (dir, ) if action_is_recursive else () + log_tmpl = log_map[action] + + self.debug_print( + ' '.join( + [action] + + ([dir] if action_is_recursive else []) + + patterns, + ) + ) + for pattern in patterns: + if not process_action(pattern): + log.warn(log_tmpl, pattern, *extra_log_args) + + def _remove_files(self, predicate): + """ + Remove all files from the file list that match the predicate. + Return True if any matching files were removed + """ + found = False + for i in range(len(self.files) - 1, -1, -1): + if predicate(self.files[i]): + self.debug_print(" removing " + self.files[i]) + del self.files[i] + found = True + return found + + def include(self, pattern): + """Include files that match 'pattern'.""" + found = [f for f in glob(pattern) if not os.path.isdir(f)] + self.extend(found) + return bool(found) + + def exclude(self, pattern): + """Exclude files that match 'pattern'.""" + match = translate_pattern(pattern) + return self._remove_files(match.match) + + def recursive_include(self, dir, pattern): + """ + Include all files anywhere in 'dir/' that match the pattern. + """ + full_pattern = os.path.join(dir, '**', pattern) + found = [f for f in glob(full_pattern, recursive=True) + if not os.path.isdir(f)] + self.extend(found) + return bool(found) + + def recursive_exclude(self, dir, pattern): + """ + Exclude any file anywhere in 'dir/' that match the pattern. + """ + match = translate_pattern(os.path.join(dir, '**', pattern)) + return self._remove_files(match.match) + + def graft(self, dir): + """Include all files from 'dir/'.""" + found = [ + item + for match_dir in glob(dir) + for item in distutils.filelist.findall(match_dir) + ] + self.extend(found) + return bool(found) + + def prune(self, dir): + """Filter out files from 'dir/'.""" + match = translate_pattern(os.path.join(dir, '**')) + return self._remove_files(match.match) + + def global_include(self, pattern): + """ + Include all files anywhere in the current directory that match the + pattern. This is very inefficient on large file trees. + """ + if self.allfiles is None: + self.findall() + match = translate_pattern(os.path.join('**', pattern)) + found = [f for f in self.allfiles if match.match(f)] + self.extend(found) + return bool(found) + + def global_exclude(self, pattern): + """ + Exclude all files anywhere that match the pattern. + """ + match = translate_pattern(os.path.join('**', pattern)) + return self._remove_files(match.match) + + def append(self, item): + if item.endswith('\r'): # Fix older sdists built on Windows + item = item[:-1] + path = convert_path(item) + + if self._safe_path(path): + self.files.append(path) + + def extend(self, paths): + self.files.extend(filter(self._safe_path, paths)) + + def _repair(self): + """ + Replace self.files with only safe paths + + Because some owners of FileList manipulate the underlying + ``files`` attribute directly, this method must be called to + repair those paths. + """ + self.files = list(filter(self._safe_path, self.files)) + + def _safe_path(self, path): + enc_warn = "'%s' not %s encodable -- skipping" + + # To avoid accidental trans-codings errors, first to unicode + u_path = unicode_utils.filesys_decode(path) + if u_path is None: + log.warn("'%s' in unexpected encoding -- skipping" % path) + return False + + # Must ensure utf-8 encodability + utf8_path = unicode_utils.try_encode(u_path, "utf-8") + if utf8_path is None: + log.warn(enc_warn, path, 'utf-8') + return False + + try: + # accept is either way checks out + if os.path.exists(u_path) or os.path.exists(utf8_path): + return True + # this will catch any encode errors decoding u_path + except UnicodeEncodeError: + log.warn(enc_warn, path, sys.getfilesystemencoding()) + + +class manifest_maker(sdist): + template = "MANIFEST.in" + + def initialize_options(self): + self.use_defaults = 1 + self.prune = 1 + self.manifest_only = 1 + self.force_manifest = 1 + + def finalize_options(self): + pass + + def run(self): + self.filelist = FileList() + if not os.path.exists(self.manifest): + self.write_manifest() # it must exist so it'll get in the list + self.add_defaults() + if os.path.exists(self.template): + self.read_template() + self.add_license_files() + self.prune_file_list() + self.filelist.sort() + self.filelist.remove_duplicates() + self.write_manifest() + + def _manifest_normalize(self, path): + path = unicode_utils.filesys_decode(path) + return path.replace(os.sep, '/') + + def write_manifest(self): + """ + Write the file list in 'self.filelist' to the manifest file + named by 'self.manifest'. + """ + self.filelist._repair() + + # Now _repairs should encodability, but not unicode + files = [self._manifest_normalize(f) for f in self.filelist.files] + msg = "writing manifest file '%s'" % self.manifest + self.execute(write_file, (self.manifest, files), msg) + + def warn(self, msg): + if not self._should_suppress_warning(msg): + sdist.warn(self, msg) + + @staticmethod + def _should_suppress_warning(msg): + """ + suppress missing-file warnings from sdist + """ + return re.match(r"standard file .*not found", msg) + + def add_defaults(self): + sdist.add_defaults(self) + self.filelist.append(self.template) + self.filelist.append(self.manifest) + rcfiles = list(walk_revctrl()) + if rcfiles: + self.filelist.extend(rcfiles) + elif os.path.exists(self.manifest): + self.read_manifest() + + if os.path.exists("setup.py"): + # setup.py should be included by default, even if it's not + # the script called to create the sdist + self.filelist.append("setup.py") + + ei_cmd = self.get_finalized_command('egg_info') + self.filelist.graft(ei_cmd.egg_info) + + def add_license_files(self): + license_files = self.distribution.metadata.license_files or [] + for lf in license_files: + log.info("adding license file '%s'", lf) + pass + self.filelist.extend(license_files) + + def prune_file_list(self): + build = self.get_finalized_command('build') + base_dir = self.distribution.get_fullname() + self.filelist.prune(build.build_base) + self.filelist.prune(base_dir) + sep = re.escape(os.sep) + self.filelist.exclude_pattern(r'(^|' + sep + r')(RCS|CVS|\.svn)' + sep, + is_regex=1) + + +def write_file(filename, contents): + """Create a file with the specified name and write 'contents' (a + sequence of strings without line terminators) to it. + """ + contents = "\n".join(contents) + + # assuming the contents has been vetted for utf-8 encoding + contents = contents.encode("utf-8") + + with open(filename, "wb") as f: # always write POSIX-style manifest + f.write(contents) + + +def write_pkg_info(cmd, basename, filename): + log.info("writing %s", filename) + if not cmd.dry_run: + metadata = cmd.distribution.metadata + metadata.version, oldver = cmd.egg_version, metadata.version + metadata.name, oldname = cmd.egg_name, metadata.name + + try: + # write unescaped data to PKG-INFO, so older pkg_resources + # can still parse it + metadata.write_pkg_info(cmd.egg_info) + finally: + metadata.name, metadata.version = oldname, oldver + + safe = getattr(cmd.distribution, 'zip_safe', None) + + bdist_egg.write_safety_flag(cmd.egg_info, safe) + + +def warn_depends_obsolete(cmd, basename, filename): + if os.path.exists(filename): + log.warn( + "WARNING: 'depends.txt' is not used by setuptools 0.6!\n" + "Use the install_requires/extras_require setup() args instead." + ) + + +def _write_requirements(stream, reqs): + lines = yield_lines(reqs or ()) + + def append_cr(line): + return line + '\n' + lines = map(append_cr, lines) + stream.writelines(lines) + + +def write_requirements(cmd, basename, filename): + dist = cmd.distribution + data = io.StringIO() + _write_requirements(data, dist.install_requires) + extras_require = dist.extras_require or {} + for extra in sorted(extras_require): + data.write('\n[{extra}]\n'.format(**vars())) + _write_requirements(data, extras_require[extra]) + cmd.write_or_delete_file("requirements", filename, data.getvalue()) + + +def write_setup_requirements(cmd, basename, filename): + data = io.StringIO() + _write_requirements(data, cmd.distribution.setup_requires) + cmd.write_or_delete_file("setup-requirements", filename, data.getvalue()) + + +def write_toplevel_names(cmd, basename, filename): + pkgs = dict.fromkeys( + [ + k.split('.', 1)[0] + for k in cmd.distribution.iter_distribution_names() + ] + ) + cmd.write_file("top-level names", filename, '\n'.join(sorted(pkgs)) + '\n') + + +def overwrite_arg(cmd, basename, filename): + write_arg(cmd, basename, filename, True) + + +def write_arg(cmd, basename, filename, force=False): + argname = os.path.splitext(basename)[0] + value = getattr(cmd.distribution, argname, None) + if value is not None: + value = '\n'.join(value) + '\n' + cmd.write_or_delete_file(argname, filename, value, force) + + +def write_entries(cmd, basename, filename): + ep = cmd.distribution.entry_points + + if isinstance(ep, str) or ep is None: + data = ep + elif ep is not None: + data = [] + for section, contents in sorted(ep.items()): + if not isinstance(contents, str): + contents = EntryPoint.parse_group(section, contents) + contents = '\n'.join(sorted(map(str, contents.values()))) + data.append('[%s]\n%s\n\n' % (section, contents)) + data = ''.join(data) + + cmd.write_or_delete_file('entry points', filename, data, True) + + +def get_pkg_info_revision(): + """ + Get a -r### off of PKG-INFO Version in case this is an sdist of + a subversion revision. + """ + warnings.warn( + "get_pkg_info_revision is deprecated.", EggInfoDeprecationWarning) + if os.path.exists('PKG-INFO'): + with io.open('PKG-INFO') as f: + for line in f: + match = re.match(r"Version:.*-r(\d+)\s*$", line) + if match: + return int(match.group(1)) + return 0 + + +class EggInfoDeprecationWarning(SetuptoolsDeprecationWarning): + """Deprecated behavior warning for EggInfo, bypassing suppression.""" diff --git a/venv/Lib/site-packages/setuptools/command/install.py b/venv/Lib/site-packages/setuptools/command/install.py new file mode 100644 index 0000000..72b9a3e --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/install.py @@ -0,0 +1,125 @@ +from distutils.errors import DistutilsArgError +import inspect +import glob +import warnings +import platform +import distutils.command.install as orig + +import setuptools + +# Prior to numpy 1.9, NumPy relies on the '_install' name, so provide it for +# now. See https://github.com/pypa/setuptools/issues/199/ +_install = orig.install + + +class install(orig.install): + """Use easy_install to install the package, w/dependencies""" + + user_options = orig.install.user_options + [ + ('old-and-unmanageable', None, "Try not to use this!"), + ('single-version-externally-managed', None, + "used by system package builders to create 'flat' eggs"), + ] + boolean_options = orig.install.boolean_options + [ + 'old-and-unmanageable', 'single-version-externally-managed', + ] + new_commands = [ + ('install_egg_info', lambda self: True), + ('install_scripts', lambda self: True), + ] + _nc = dict(new_commands) + + def initialize_options(self): + orig.install.initialize_options(self) + self.old_and_unmanageable = None + self.single_version_externally_managed = None + + def finalize_options(self): + orig.install.finalize_options(self) + if self.root: + self.single_version_externally_managed = True + elif self.single_version_externally_managed: + if not self.root and not self.record: + raise DistutilsArgError( + "You must specify --record or --root when building system" + " packages" + ) + + def handle_extra_path(self): + if self.root or self.single_version_externally_managed: + # explicit backward-compatibility mode, allow extra_path to work + return orig.install.handle_extra_path(self) + + # Ignore extra_path when installing an egg (or being run by another + # command without --root or --single-version-externally-managed + self.path_file = None + self.extra_dirs = '' + + def run(self): + # Explicit request for old-style install? Just do it + if self.old_and_unmanageable or self.single_version_externally_managed: + return orig.install.run(self) + + if not self._called_from_setup(inspect.currentframe()): + # Run in backward-compatibility mode to support bdist_* commands. + orig.install.run(self) + else: + self.do_egg_install() + + @staticmethod + def _called_from_setup(run_frame): + """ + Attempt to detect whether run() was called from setup() or by another + command. If called by setup(), the parent caller will be the + 'run_command' method in 'distutils.dist', and *its* caller will be + the 'run_commands' method. If called any other way, the + immediate caller *might* be 'run_command', but it won't have been + called by 'run_commands'. Return True in that case or if a call stack + is unavailable. Return False otherwise. + """ + if run_frame is None: + msg = "Call stack not available. bdist_* commands may fail." + warnings.warn(msg) + if platform.python_implementation() == 'IronPython': + msg = "For best results, pass -X:Frames to enable call stack." + warnings.warn(msg) + return True + res = inspect.getouterframes(run_frame)[2] + caller, = res[:1] + info = inspect.getframeinfo(caller) + caller_module = caller.f_globals.get('__name__', '') + return ( + caller_module == 'distutils.dist' + and info.function == 'run_commands' + ) + + def do_egg_install(self): + + easy_install = self.distribution.get_command_class('easy_install') + + cmd = easy_install( + self.distribution, args="x", root=self.root, record=self.record, + ) + cmd.ensure_finalized() # finalize before bdist_egg munges install cmd + cmd.always_copy_from = '.' # make sure local-dir eggs get installed + + # pick up setup-dir .egg files only: no .egg-info + cmd.package_index.scan(glob.glob('*.egg')) + + self.run_command('bdist_egg') + args = [self.distribution.get_command_obj('bdist_egg').egg_output] + + if setuptools.bootstrap_install_from: + # Bootstrap self-installation of setuptools + args.insert(0, setuptools.bootstrap_install_from) + + cmd.args = args + cmd.run(show_deprecation=False) + setuptools.bootstrap_install_from = None + + +# XXX Python 3.1 doesn't see _nc if this is inside the class +install.sub_commands = ( + [cmd for cmd in orig.install.sub_commands if cmd[0] not in install._nc] + + install.new_commands +) diff --git a/venv/Lib/site-packages/setuptools/command/install_egg_info.py b/venv/Lib/site-packages/setuptools/command/install_egg_info.py new file mode 100644 index 0000000..edc4718 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/install_egg_info.py @@ -0,0 +1,62 @@ +from distutils import log, dir_util +import os + +from setuptools import Command +from setuptools import namespaces +from setuptools.archive_util import unpack_archive +import pkg_resources + + +class install_egg_info(namespaces.Installer, Command): + """Install an .egg-info directory for the package""" + + description = "Install an .egg-info directory for the package" + + user_options = [ + ('install-dir=', 'd', "directory to install to"), + ] + + def initialize_options(self): + self.install_dir = None + + def finalize_options(self): + self.set_undefined_options('install_lib', + ('install_dir', 'install_dir')) + ei_cmd = self.get_finalized_command("egg_info") + basename = pkg_resources.Distribution( + None, None, ei_cmd.egg_name, ei_cmd.egg_version + ).egg_name() + '.egg-info' + self.source = ei_cmd.egg_info + self.target = os.path.join(self.install_dir, basename) + self.outputs = [] + + def run(self): + self.run_command('egg_info') + if os.path.isdir(self.target) and not os.path.islink(self.target): + dir_util.remove_tree(self.target, dry_run=self.dry_run) + elif os.path.exists(self.target): + self.execute(os.unlink, (self.target,), "Removing " + self.target) + if not self.dry_run: + pkg_resources.ensure_directory(self.target) + self.execute( + self.copytree, (), "Copying %s to %s" % (self.source, self.target) + ) + self.install_namespaces() + + def get_outputs(self): + return self.outputs + + def copytree(self): + # Copy the .egg-info tree to site-packages + def skimmer(src, dst): + # filter out source-control directories; note that 'src' is always + # a '/'-separated path, regardless of platform. 'dst' is a + # platform-specific path. + for skip in '.svn/', 'CVS/': + if src.startswith(skip) or '/' + skip in src: + return None + self.outputs.append(dst) + log.debug("Copying %s to %s", src, dst) + return dst + + unpack_archive(self.source, self.target, skimmer) diff --git a/venv/Lib/site-packages/setuptools/command/install_lib.py b/venv/Lib/site-packages/setuptools/command/install_lib.py new file mode 100644 index 0000000..2e9d875 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/install_lib.py @@ -0,0 +1,122 @@ +import os +import sys +from itertools import product, starmap +import distutils.command.install_lib as orig + + +class install_lib(orig.install_lib): + """Don't add compiled flags to filenames of non-Python files""" + + def run(self): + self.build() + outfiles = self.install() + if outfiles is not None: + # always compile, in case we have any extension stubs to deal with + self.byte_compile(outfiles) + + def get_exclusions(self): + """ + Return a collections.Sized collections.Container of paths to be + excluded for single_version_externally_managed installations. + """ + all_packages = ( + pkg + for ns_pkg in self._get_SVEM_NSPs() + for pkg in self._all_packages(ns_pkg) + ) + + excl_specs = product(all_packages, self._gen_exclusion_paths()) + return set(starmap(self._exclude_pkg_path, excl_specs)) + + def _exclude_pkg_path(self, pkg, exclusion_path): + """ + Given a package name and exclusion path within that package, + compute the full exclusion path. + """ + parts = pkg.split('.') + [exclusion_path] + return os.path.join(self.install_dir, *parts) + + @staticmethod + def _all_packages(pkg_name): + """ + >>> list(install_lib._all_packages('foo.bar.baz')) + ['foo.bar.baz', 'foo.bar', 'foo'] + """ + while pkg_name: + yield pkg_name + pkg_name, sep, child = pkg_name.rpartition('.') + + def _get_SVEM_NSPs(self): + """ + Get namespace packages (list) but only for + single_version_externally_managed installations and empty otherwise. + """ + # TODO: is it necessary to short-circuit here? i.e. what's the cost + # if get_finalized_command is called even when namespace_packages is + # False? + if not self.distribution.namespace_packages: + return [] + + install_cmd = self.get_finalized_command('install') + svem = install_cmd.single_version_externally_managed + + return self.distribution.namespace_packages if svem else [] + + @staticmethod + def _gen_exclusion_paths(): + """ + Generate file paths to be excluded for namespace packages (bytecode + cache files). + """ + # always exclude the package module itself + yield '__init__.py' + + yield '__init__.pyc' + yield '__init__.pyo' + + if not hasattr(sys, 'implementation'): + return + + base = os.path.join( + '__pycache__', '__init__.' + sys.implementation.cache_tag) + yield base + '.pyc' + yield base + '.pyo' + yield base + '.opt-1.pyc' + yield base + '.opt-2.pyc' + + def copy_tree( + self, infile, outfile, + preserve_mode=1, preserve_times=1, preserve_symlinks=0, level=1 + ): + assert preserve_mode and preserve_times and not preserve_symlinks + exclude = self.get_exclusions() + + if not exclude: + return orig.install_lib.copy_tree(self, infile, outfile) + + # Exclude namespace package __init__.py* files from the output + + from setuptools.archive_util import unpack_directory + from distutils import log + + outfiles = [] + + def pf(src, dst): + if dst in exclude: + log.warn("Skipping installation of %s (namespace package)", + dst) + return False + + log.info("copying %s -> %s", src, os.path.dirname(dst)) + outfiles.append(dst) + return dst + + unpack_directory(infile, outfile, pf) + return outfiles + + def get_outputs(self): + outputs = orig.install_lib.get_outputs(self) + exclude = self.get_exclusions() + if exclude: + return [f for f in outputs if f not in exclude] + return outputs diff --git a/venv/Lib/site-packages/setuptools/command/install_scripts.py b/venv/Lib/site-packages/setuptools/command/install_scripts.py new file mode 100644 index 0000000..9cd8eb0 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/install_scripts.py @@ -0,0 +1,69 @@ +from distutils import log +import distutils.command.install_scripts as orig +from distutils.errors import DistutilsModuleError +import os +import sys + +from pkg_resources import Distribution, PathMetadata, ensure_directory + + +class install_scripts(orig.install_scripts): + """Do normal script install, plus any egg_info wrapper scripts""" + + def initialize_options(self): + orig.install_scripts.initialize_options(self) + self.no_ep = False + + def run(self): + import setuptools.command.easy_install as ei + + self.run_command("egg_info") + if self.distribution.scripts: + orig.install_scripts.run(self) # run first to set up self.outfiles + else: + self.outfiles = [] + if self.no_ep: + # don't install entry point scripts into .egg file! + return + + ei_cmd = self.get_finalized_command("egg_info") + dist = Distribution( + ei_cmd.egg_base, PathMetadata(ei_cmd.egg_base, ei_cmd.egg_info), + ei_cmd.egg_name, ei_cmd.egg_version, + ) + bs_cmd = self.get_finalized_command('build_scripts') + exec_param = getattr(bs_cmd, 'executable', None) + try: + bw_cmd = self.get_finalized_command("bdist_wininst") + is_wininst = getattr(bw_cmd, '_is_running', False) + except (ImportError, DistutilsModuleError): + is_wininst = False + writer = ei.ScriptWriter + if is_wininst: + exec_param = "python.exe" + writer = ei.WindowsScriptWriter + if exec_param == sys.executable: + # In case the path to the Python executable contains a space, wrap + # it so it's not split up. + exec_param = [exec_param] + # resolve the writer to the environment + writer = writer.best() + cmd = writer.command_spec_class.best().from_param(exec_param) + for args in writer.get_args(dist, cmd.as_header()): + self.write_script(*args) + + def write_script(self, script_name, contents, mode="t", *ignored): + """Write an executable file to the scripts directory""" + from setuptools.command.easy_install import chmod, current_umask + + log.info("Installing %s script to %s", script_name, self.install_dir) + target = os.path.join(self.install_dir, script_name) + self.outfiles.append(target) + + mask = current_umask() + if not self.dry_run: + ensure_directory(target) + f = open(target, "w" + mode) + f.write(contents) + f.close() + chmod(target, 0o777 - mask) diff --git a/venv/Scripts/pip3.exe.manifest b/venv/Lib/site-packages/setuptools/command/launcher manifest.xml similarity index 93% rename from venv/Scripts/pip3.exe.manifest rename to venv/Lib/site-packages/setuptools/command/launcher manifest.xml index cdf9df4..5972a96 100644 --- a/venv/Scripts/pip3.exe.manifest +++ b/venv/Lib/site-packages/setuptools/command/launcher manifest.xml @@ -2,7 +2,7 @@ <assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0"> <assemblyIdentity version="1.0.0.0" processorArchitecture="X86" - name="pip3" + name="%(name)s" type="win32"/> <!-- Identify the application security requirements. --> <trustInfo xmlns="urn:schemas-microsoft-com:asm.v3"> diff --git a/venv/Lib/site-packages/setuptools/command/py36compat.py b/venv/Lib/site-packages/setuptools/command/py36compat.py new file mode 100644 index 0000000..343547a --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/py36compat.py @@ -0,0 +1,134 @@ +import os +from glob import glob +from distutils.util import convert_path +from distutils.command import sdist + + +class sdist_add_defaults: + """ + Mix-in providing forward-compatibility for functionality as found in + distutils on Python 3.7. + + Do not edit the code in this class except to update functionality + as implemented in distutils. Instead, override in the subclass. + """ + + def add_defaults(self): + """Add all the default files to self.filelist: + - README or README.txt + - setup.py + - test/test*.py + - all pure Python modules mentioned in setup script + - all files pointed by package_data (build_py) + - all files defined in data_files. + - all files defined as scripts. + - all C sources listed as part of extensions or C libraries + in the setup script (doesn't catch C headers!) + Warns if (README or README.txt) or setup.py are missing; everything + else is optional. + """ + self._add_defaults_standards() + self._add_defaults_optional() + self._add_defaults_python() + self._add_defaults_data_files() + self._add_defaults_ext() + self._add_defaults_c_libs() + self._add_defaults_scripts() + + @staticmethod + def _cs_path_exists(fspath): + """ + Case-sensitive path existence check + + >>> sdist_add_defaults._cs_path_exists(__file__) + True + >>> sdist_add_defaults._cs_path_exists(__file__.upper()) + False + """ + if not os.path.exists(fspath): + return False + # make absolute so we always have a directory + abspath = os.path.abspath(fspath) + directory, filename = os.path.split(abspath) + return filename in os.listdir(directory) + + def _add_defaults_standards(self): + standards = [self.READMES, self.distribution.script_name] + for fn in standards: + if isinstance(fn, tuple): + alts = fn + got_it = False + for fn in alts: + if self._cs_path_exists(fn): + got_it = True + self.filelist.append(fn) + break + + if not got_it: + self.warn("standard file not found: should have one of " + + ', '.join(alts)) + else: + if self._cs_path_exists(fn): + self.filelist.append(fn) + else: + self.warn("standard file '%s' not found" % fn) + + def _add_defaults_optional(self): + optional = ['test/test*.py', 'setup.cfg'] + for pattern in optional: + files = filter(os.path.isfile, glob(pattern)) + self.filelist.extend(files) + + def _add_defaults_python(self): + # build_py is used to get: + # - python modules + # - files defined in package_data + build_py = self.get_finalized_command('build_py') + + # getting python files + if self.distribution.has_pure_modules(): + self.filelist.extend(build_py.get_source_files()) + + # getting package_data files + # (computed in build_py.data_files by build_py.finalize_options) + for pkg, src_dir, build_dir, filenames in build_py.data_files: + for filename in filenames: + self.filelist.append(os.path.join(src_dir, filename)) + + def _add_defaults_data_files(self): + # getting distribution.data_files + if self.distribution.has_data_files(): + for item in self.distribution.data_files: + if isinstance(item, str): + # plain file + item = convert_path(item) + if os.path.isfile(item): + self.filelist.append(item) + else: + # a (dirname, filenames) tuple + dirname, filenames = item + for f in filenames: + f = convert_path(f) + if os.path.isfile(f): + self.filelist.append(f) + + def _add_defaults_ext(self): + if self.distribution.has_ext_modules(): + build_ext = self.get_finalized_command('build_ext') + self.filelist.extend(build_ext.get_source_files()) + + def _add_defaults_c_libs(self): + if self.distribution.has_c_libraries(): + build_clib = self.get_finalized_command('build_clib') + self.filelist.extend(build_clib.get_source_files()) + + def _add_defaults_scripts(self): + if self.distribution.has_scripts(): + build_scripts = self.get_finalized_command('build_scripts') + self.filelist.extend(build_scripts.get_source_files()) + + +if hasattr(sdist.sdist, '_add_defaults_standards'): + # disable the functionality already available upstream + class sdist_add_defaults: # noqa + pass diff --git a/venv/Lib/site-packages/setuptools/command/register.py b/venv/Lib/site-packages/setuptools/command/register.py new file mode 100644 index 0000000..b8266b9 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/register.py @@ -0,0 +1,18 @@ +from distutils import log +import distutils.command.register as orig + +from setuptools.errors import RemovedCommandError + + +class register(orig.register): + """Formerly used to register packages on PyPI.""" + + def run(self): + msg = ( + "The register command has been removed, use twine to upload " + + "instead (https://pypi.org/p/twine)" + ) + + self.announce("ERROR: " + msg, log.ERROR) + + raise RemovedCommandError(msg) diff --git a/venv/Lib/site-packages/setuptools/command/rotate.py b/venv/Lib/site-packages/setuptools/command/rotate.py new file mode 100644 index 0000000..74795ba --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/rotate.py @@ -0,0 +1,64 @@ +from distutils.util import convert_path +from distutils import log +from distutils.errors import DistutilsOptionError +import os +import shutil + +from setuptools import Command + + +class rotate(Command): + """Delete older distributions""" + + description = "delete older distributions, keeping N newest files" + user_options = [ + ('match=', 'm', "patterns to match (required)"), + ('dist-dir=', 'd', "directory where the distributions are"), + ('keep=', 'k', "number of matching distributions to keep"), + ] + + boolean_options = [] + + def initialize_options(self): + self.match = None + self.dist_dir = None + self.keep = None + + def finalize_options(self): + if self.match is None: + raise DistutilsOptionError( + "Must specify one or more (comma-separated) match patterns " + "(e.g. '.zip' or '.egg')" + ) + if self.keep is None: + raise DistutilsOptionError("Must specify number of files to keep") + try: + self.keep = int(self.keep) + except ValueError as e: + raise DistutilsOptionError("--keep must be an integer") from e + if isinstance(self.match, str): + self.match = [ + convert_path(p.strip()) for p in self.match.split(',') + ] + self.set_undefined_options('bdist', ('dist_dir', 'dist_dir')) + + def run(self): + self.run_command("egg_info") + from glob import glob + + for pattern in self.match: + pattern = self.distribution.get_name() + '*' + pattern + files = glob(os.path.join(self.dist_dir, pattern)) + files = [(os.path.getmtime(f), f) for f in files] + files.sort() + files.reverse() + + log.info("%d file(s) matching %s", len(files), pattern) + files = files[self.keep:] + for (t, f) in files: + log.info("Deleting %s", f) + if not self.dry_run: + if os.path.isdir(f): + shutil.rmtree(f) + else: + os.unlink(f) diff --git a/venv/Lib/site-packages/setuptools/command/saveopts.py b/venv/Lib/site-packages/setuptools/command/saveopts.py new file mode 100644 index 0000000..611cec5 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/saveopts.py @@ -0,0 +1,22 @@ +from setuptools.command.setopt import edit_config, option_base + + +class saveopts(option_base): + """Save command-line options to a file""" + + description = "save supplied options to setup.cfg or other config file" + + def run(self): + dist = self.distribution + settings = {} + + for cmd in dist.command_options: + + if cmd == 'saveopts': + continue # don't save our own options! + + for opt, (src, val) in dist.get_option_dict(cmd).items(): + if src == "command line": + settings.setdefault(cmd, {})[opt] = val + + edit_config(self.filename, settings, self.dry_run) diff --git a/venv/Lib/site-packages/setuptools/command/sdist.py b/venv/Lib/site-packages/setuptools/command/sdist.py new file mode 100644 index 0000000..e8062f2 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/sdist.py @@ -0,0 +1,193 @@ +from distutils import log +import distutils.command.sdist as orig +import os +import sys +import io +import contextlib + +from .py36compat import sdist_add_defaults + +import pkg_resources + +_default_revctrl = list + + +def walk_revctrl(dirname=''): + """Find all files under revision control""" + for ep in pkg_resources.iter_entry_points('setuptools.file_finders'): + for item in ep.load()(dirname): + yield item + + +class sdist(sdist_add_defaults, orig.sdist): + """Smart sdist that finds anything supported by revision control""" + + user_options = [ + ('formats=', None, + "formats for source distribution (comma-separated list)"), + ('keep-temp', 'k', + "keep the distribution tree around after creating " + + "archive file(s)"), + ('dist-dir=', 'd', + "directory to put the source distribution archive(s) in " + "[default: dist]"), + ('owner=', 'u', + "Owner name used when creating a tar file [default: current user]"), + ('group=', 'g', + "Group name used when creating a tar file [default: current group]"), + ] + + negative_opt = {} + + README_EXTENSIONS = ['', '.rst', '.txt', '.md'] + READMES = tuple('README{0}'.format(ext) for ext in README_EXTENSIONS) + + def run(self): + self.run_command('egg_info') + ei_cmd = self.get_finalized_command('egg_info') + self.filelist = ei_cmd.filelist + self.filelist.append(os.path.join(ei_cmd.egg_info, 'SOURCES.txt')) + self.check_readme() + + # Run sub commands + for cmd_name in self.get_sub_commands(): + self.run_command(cmd_name) + + self.make_distribution() + + dist_files = getattr(self.distribution, 'dist_files', []) + for file in self.archive_files: + data = ('sdist', '', file) + if data not in dist_files: + dist_files.append(data) + + def initialize_options(self): + orig.sdist.initialize_options(self) + + self._default_to_gztar() + + def _default_to_gztar(self): + # only needed on Python prior to 3.6. + if sys.version_info >= (3, 6, 0, 'beta', 1): + return + self.formats = ['gztar'] + + def make_distribution(self): + """ + Workaround for #516 + """ + with self._remove_os_link(): + orig.sdist.make_distribution(self) + + @staticmethod + @contextlib.contextmanager + def _remove_os_link(): + """ + In a context, remove and restore os.link if it exists + """ + + class NoValue: + pass + + orig_val = getattr(os, 'link', NoValue) + try: + del os.link + except Exception: + pass + try: + yield + finally: + if orig_val is not NoValue: + setattr(os, 'link', orig_val) + + def _add_defaults_optional(self): + super()._add_defaults_optional() + if os.path.isfile('pyproject.toml'): + self.filelist.append('pyproject.toml') + + def _add_defaults_python(self): + """getting python files""" + if self.distribution.has_pure_modules(): + build_py = self.get_finalized_command('build_py') + self.filelist.extend(build_py.get_source_files()) + self._add_data_files(self._safe_data_files(build_py)) + + def _safe_data_files(self, build_py): + """ + Extracting data_files from build_py is known to cause + infinite recursion errors when `include_package_data` + is enabled, so suppress it in that case. + """ + if self.distribution.include_package_data: + return () + return build_py.data_files + + def _add_data_files(self, data_files): + """ + Add data files as found in build_py.data_files. + """ + self.filelist.extend( + os.path.join(src_dir, name) + for _, src_dir, _, filenames in data_files + for name in filenames + ) + + def _add_defaults_data_files(self): + try: + super()._add_defaults_data_files() + except TypeError: + log.warn("data_files contains unexpected objects") + + def check_readme(self): + for f in self.READMES: + if os.path.exists(f): + return + else: + self.warn( + "standard file not found: should have one of " + + ', '.join(self.READMES) + ) + + def make_release_tree(self, base_dir, files): + orig.sdist.make_release_tree(self, base_dir, files) + + # Save any egg_info command line options used to create this sdist + dest = os.path.join(base_dir, 'setup.cfg') + if hasattr(os, 'link') and os.path.exists(dest): + # unlink and re-copy, since it might be hard-linked, and + # we don't want to change the source version + os.unlink(dest) + self.copy_file('setup.cfg', dest) + + self.get_finalized_command('egg_info').save_version_info(dest) + + def _manifest_is_not_generated(self): + # check for special comment used in 2.7.1 and higher + if not os.path.isfile(self.manifest): + return False + + with io.open(self.manifest, 'rb') as fp: + first_line = fp.readline() + return (first_line != + '# file GENERATED by distutils, do NOT edit\n'.encode()) + + def read_manifest(self): + """Read the manifest file (named by 'self.manifest') and use it to + fill in 'self.filelist', the list of files to include in the source + distribution. + """ + log.info("reading manifest file '%s'", self.manifest) + manifest = open(self.manifest, 'rb') + for line in manifest: + # The manifest must contain UTF-8. See #303. + try: + line = line.decode('UTF-8') + except UnicodeDecodeError: + log.warn("%r not UTF-8 decodable -- skipping" % line) + continue + # ignore comments and blank lines + line = line.strip() + if line.startswith('#') or not line: + continue + self.filelist.append(line) + manifest.close() diff --git a/venv/Lib/site-packages/setuptools/command/setopt.py b/venv/Lib/site-packages/setuptools/command/setopt.py new file mode 100644 index 0000000..6358c04 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/setopt.py @@ -0,0 +1,149 @@ +from distutils.util import convert_path +from distutils import log +from distutils.errors import DistutilsOptionError +import distutils +import os +import configparser + +from setuptools import Command + +__all__ = ['config_file', 'edit_config', 'option_base', 'setopt'] + + +def config_file(kind="local"): + """Get the filename of the distutils, local, global, or per-user config + + `kind` must be one of "local", "global", or "user" + """ + if kind == 'local': + return 'setup.cfg' + if kind == 'global': + return os.path.join( + os.path.dirname(distutils.__file__), 'distutils.cfg' + ) + if kind == 'user': + dot = os.name == 'posix' and '.' or '' + return os.path.expanduser(convert_path("~/%spydistutils.cfg" % dot)) + raise ValueError( + "config_file() type must be 'local', 'global', or 'user'", kind + ) + + +def edit_config(filename, settings, dry_run=False): + """Edit a configuration file to include `settings` + + `settings` is a dictionary of dictionaries or ``None`` values, keyed by + command/section name. A ``None`` value means to delete the entire section, + while a dictionary lists settings to be changed or deleted in that section. + A setting of ``None`` means to delete that setting. + """ + log.debug("Reading configuration from %s", filename) + opts = configparser.RawConfigParser() + opts.optionxform = lambda x: x + opts.read([filename]) + for section, options in settings.items(): + if options is None: + log.info("Deleting section [%s] from %s", section, filename) + opts.remove_section(section) + else: + if not opts.has_section(section): + log.debug("Adding new section [%s] to %s", section, filename) + opts.add_section(section) + for option, value in options.items(): + if value is None: + log.debug( + "Deleting %s.%s from %s", + section, option, filename + ) + opts.remove_option(section, option) + if not opts.options(section): + log.info("Deleting empty [%s] section from %s", + section, filename) + opts.remove_section(section) + else: + log.debug( + "Setting %s.%s to %r in %s", + section, option, value, filename + ) + opts.set(section, option, value) + + log.info("Writing %s", filename) + if not dry_run: + with open(filename, 'w') as f: + opts.write(f) + + +class option_base(Command): + """Abstract base class for commands that mess with config files""" + + user_options = [ + ('global-config', 'g', + "save options to the site-wide distutils.cfg file"), + ('user-config', 'u', + "save options to the current user's pydistutils.cfg file"), + ('filename=', 'f', + "configuration file to use (default=setup.cfg)"), + ] + + boolean_options = [ + 'global-config', 'user-config', + ] + + def initialize_options(self): + self.global_config = None + self.user_config = None + self.filename = None + + def finalize_options(self): + filenames = [] + if self.global_config: + filenames.append(config_file('global')) + if self.user_config: + filenames.append(config_file('user')) + if self.filename is not None: + filenames.append(self.filename) + if not filenames: + filenames.append(config_file('local')) + if len(filenames) > 1: + raise DistutilsOptionError( + "Must specify only one configuration file option", + filenames + ) + self.filename, = filenames + + +class setopt(option_base): + """Save command-line options to a file""" + + description = "set an option in setup.cfg or another config file" + + user_options = [ + ('command=', 'c', 'command to set an option for'), + ('option=', 'o', 'option to set'), + ('set-value=', 's', 'value of the option'), + ('remove', 'r', 'remove (unset) the value'), + ] + option_base.user_options + + boolean_options = option_base.boolean_options + ['remove'] + + def initialize_options(self): + option_base.initialize_options(self) + self.command = None + self.option = None + self.set_value = None + self.remove = None + + def finalize_options(self): + option_base.finalize_options(self) + if self.command is None or self.option is None: + raise DistutilsOptionError("Must specify --command *and* --option") + if self.set_value is None and not self.remove: + raise DistutilsOptionError("Must specify --set-value or --remove") + + def run(self): + edit_config( + self.filename, { + self.command: {self.option.replace('-', '_'): self.set_value} + }, + self.dry_run + ) diff --git a/venv/Lib/site-packages/setuptools/command/test.py b/venv/Lib/site-packages/setuptools/command/test.py new file mode 100644 index 0000000..4a389e4 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/test.py @@ -0,0 +1,252 @@ +import os +import operator +import sys +import contextlib +import itertools +import unittest +from distutils.errors import DistutilsError, DistutilsOptionError +from distutils import log +from unittest import TestLoader + +from pkg_resources import ( + resource_listdir, + resource_exists, + normalize_path, + working_set, + evaluate_marker, + add_activation_listener, + require, + EntryPoint, +) +from setuptools import Command +from setuptools.extern.more_itertools import unique_everseen + + +class ScanningLoader(TestLoader): + def __init__(self): + TestLoader.__init__(self) + self._visited = set() + + def loadTestsFromModule(self, module, pattern=None): + """Return a suite of all tests cases contained in the given module + + If the module is a package, load tests from all the modules in it. + If the module has an ``additional_tests`` function, call it and add + the return value to the tests. + """ + if module in self._visited: + return None + self._visited.add(module) + + tests = [] + tests.append(TestLoader.loadTestsFromModule(self, module)) + + if hasattr(module, "additional_tests"): + tests.append(module.additional_tests()) + + if hasattr(module, '__path__'): + for file in resource_listdir(module.__name__, ''): + if file.endswith('.py') and file != '__init__.py': + submodule = module.__name__ + '.' + file[:-3] + else: + if resource_exists(module.__name__, file + '/__init__.py'): + submodule = module.__name__ + '.' + file + else: + continue + tests.append(self.loadTestsFromName(submodule)) + + if len(tests) != 1: + return self.suiteClass(tests) + else: + return tests[0] # don't create a nested suite for only one return + + +# adapted from jaraco.classes.properties:NonDataProperty +class NonDataProperty: + def __init__(self, fget): + self.fget = fget + + def __get__(self, obj, objtype=None): + if obj is None: + return self + return self.fget(obj) + + +class test(Command): + """Command to run unit tests after in-place build""" + + description = "run unit tests after in-place build (deprecated)" + + user_options = [ + ('test-module=', 'm', "Run 'test_suite' in specified module"), + ( + 'test-suite=', + 's', + "Run single test, case or suite (e.g. 'module.test_suite')", + ), + ('test-runner=', 'r', "Test runner to use"), + ] + + def initialize_options(self): + self.test_suite = None + self.test_module = None + self.test_loader = None + self.test_runner = None + + def finalize_options(self): + + if self.test_suite and self.test_module: + msg = "You may specify a module or a suite, but not both" + raise DistutilsOptionError(msg) + + if self.test_suite is None: + if self.test_module is None: + self.test_suite = self.distribution.test_suite + else: + self.test_suite = self.test_module + ".test_suite" + + if self.test_loader is None: + self.test_loader = getattr(self.distribution, 'test_loader', None) + if self.test_loader is None: + self.test_loader = "setuptools.command.test:ScanningLoader" + if self.test_runner is None: + self.test_runner = getattr(self.distribution, 'test_runner', None) + + @NonDataProperty + def test_args(self): + return list(self._test_args()) + + def _test_args(self): + if not self.test_suite and sys.version_info >= (2, 7): + yield 'discover' + if self.verbose: + yield '--verbose' + if self.test_suite: + yield self.test_suite + + def with_project_on_sys_path(self, func): + """ + Backward compatibility for project_on_sys_path context. + """ + with self.project_on_sys_path(): + func() + + @contextlib.contextmanager + def project_on_sys_path(self, include_dists=[]): + self.run_command('egg_info') + + # Build extensions in-place + self.reinitialize_command('build_ext', inplace=1) + self.run_command('build_ext') + + ei_cmd = self.get_finalized_command("egg_info") + + old_path = sys.path[:] + old_modules = sys.modules.copy() + + try: + project_path = normalize_path(ei_cmd.egg_base) + sys.path.insert(0, project_path) + working_set.__init__() + add_activation_listener(lambda dist: dist.activate()) + require('%s==%s' % (ei_cmd.egg_name, ei_cmd.egg_version)) + with self.paths_on_pythonpath([project_path]): + yield + finally: + sys.path[:] = old_path + sys.modules.clear() + sys.modules.update(old_modules) + working_set.__init__() + + @staticmethod + @contextlib.contextmanager + def paths_on_pythonpath(paths): + """ + Add the indicated paths to the head of the PYTHONPATH environment + variable so that subprocesses will also see the packages at + these paths. + + Do this in a context that restores the value on exit. + """ + nothing = object() + orig_pythonpath = os.environ.get('PYTHONPATH', nothing) + current_pythonpath = os.environ.get('PYTHONPATH', '') + try: + prefix = os.pathsep.join(unique_everseen(paths)) + to_join = filter(None, [prefix, current_pythonpath]) + new_path = os.pathsep.join(to_join) + if new_path: + os.environ['PYTHONPATH'] = new_path + yield + finally: + if orig_pythonpath is nothing: + os.environ.pop('PYTHONPATH', None) + else: + os.environ['PYTHONPATH'] = orig_pythonpath + + @staticmethod + def install_dists(dist): + """ + Install the requirements indicated by self.distribution and + return an iterable of the dists that were built. + """ + ir_d = dist.fetch_build_eggs(dist.install_requires) + tr_d = dist.fetch_build_eggs(dist.tests_require or []) + er_d = dist.fetch_build_eggs( + v + for k, v in dist.extras_require.items() + if k.startswith(':') and evaluate_marker(k[1:]) + ) + return itertools.chain(ir_d, tr_d, er_d) + + def run(self): + self.announce( + "WARNING: Testing via this command is deprecated and will be " + "removed in a future version. Users looking for a generic test " + "entry point independent of test runner are encouraged to use " + "tox.", + log.WARN, + ) + + installed_dists = self.install_dists(self.distribution) + + cmd = ' '.join(self._argv) + if self.dry_run: + self.announce('skipping "%s" (dry run)' % cmd) + return + + self.announce('running "%s"' % cmd) + + paths = map(operator.attrgetter('location'), installed_dists) + with self.paths_on_pythonpath(paths): + with self.project_on_sys_path(): + self.run_tests() + + def run_tests(self): + test = unittest.main( + None, + None, + self._argv, + testLoader=self._resolve_as_ep(self.test_loader), + testRunner=self._resolve_as_ep(self.test_runner), + exit=False, + ) + if not test.result.wasSuccessful(): + msg = 'Test failed: %s' % test.result + self.announce(msg, log.ERROR) + raise DistutilsError(msg) + + @property + def _argv(self): + return ['unittest'] + self.test_args + + @staticmethod + def _resolve_as_ep(val): + """ + Load the indicated attribute value, called, as a as if it were + specified as an entry point. + """ + if val is None: + return + parsed = EntryPoint.parse("x=" + val) + return parsed.resolve()() diff --git a/venv/Lib/site-packages/setuptools/command/upload.py b/venv/Lib/site-packages/setuptools/command/upload.py new file mode 100644 index 0000000..ec7f81e --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/upload.py @@ -0,0 +1,17 @@ +from distutils import log +from distutils.command import upload as orig + +from setuptools.errors import RemovedCommandError + + +class upload(orig.upload): + """Formerly used to upload packages to PyPI.""" + + def run(self): + msg = ( + "The upload command has been removed, use twine to upload " + + "instead (https://pypi.org/p/twine)" + ) + + self.announce("ERROR: " + msg, log.ERROR) + raise RemovedCommandError(msg) diff --git a/venv/Lib/site-packages/setuptools/command/upload_docs.py b/venv/Lib/site-packages/setuptools/command/upload_docs.py new file mode 100644 index 0000000..845bff4 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/command/upload_docs.py @@ -0,0 +1,202 @@ +# -*- coding: utf-8 -*- +"""upload_docs + +Implements a Distutils 'upload_docs' subcommand (upload documentation to +sites other than PyPi such as devpi). +""" + +from base64 import standard_b64encode +from distutils import log +from distutils.errors import DistutilsOptionError +import os +import socket +import zipfile +import tempfile +import shutil +import itertools +import functools +import http.client +import urllib.parse + +from pkg_resources import iter_entry_points +from .upload import upload + + +def _encode(s): + return s.encode('utf-8', 'surrogateescape') + + +class upload_docs(upload): + # override the default repository as upload_docs isn't + # supported by Warehouse (and won't be). + DEFAULT_REPOSITORY = 'https://pypi.python.org/pypi/' + + description = 'Upload documentation to sites other than PyPi such as devpi' + + user_options = [ + ('repository=', 'r', + "url of repository [default: %s]" % upload.DEFAULT_REPOSITORY), + ('show-response', None, + 'display full response text from server'), + ('upload-dir=', None, 'directory to upload'), + ] + boolean_options = upload.boolean_options + + def has_sphinx(self): + if self.upload_dir is None: + for ep in iter_entry_points('distutils.commands', 'build_sphinx'): + return True + + sub_commands = [('build_sphinx', has_sphinx)] + + def initialize_options(self): + upload.initialize_options(self) + self.upload_dir = None + self.target_dir = None + + def finalize_options(self): + upload.finalize_options(self) + if self.upload_dir is None: + if self.has_sphinx(): + build_sphinx = self.get_finalized_command('build_sphinx') + self.target_dir = dict(build_sphinx.builder_target_dirs)['html'] + else: + build = self.get_finalized_command('build') + self.target_dir = os.path.join(build.build_base, 'docs') + else: + self.ensure_dirname('upload_dir') + self.target_dir = self.upload_dir + if 'pypi.python.org' in self.repository: + log.warn("Upload_docs command is deprecated for PyPi. Use RTD instead.") + self.announce('Using upload directory %s' % self.target_dir) + + def create_zipfile(self, filename): + zip_file = zipfile.ZipFile(filename, "w") + try: + self.mkpath(self.target_dir) # just in case + for root, dirs, files in os.walk(self.target_dir): + if root == self.target_dir and not files: + tmpl = "no files found in upload directory '%s'" + raise DistutilsOptionError(tmpl % self.target_dir) + for name in files: + full = os.path.join(root, name) + relative = root[len(self.target_dir):].lstrip(os.path.sep) + dest = os.path.join(relative, name) + zip_file.write(full, dest) + finally: + zip_file.close() + + def run(self): + # Run sub commands + for cmd_name in self.get_sub_commands(): + self.run_command(cmd_name) + + tmp_dir = tempfile.mkdtemp() + name = self.distribution.metadata.get_name() + zip_file = os.path.join(tmp_dir, "%s.zip" % name) + try: + self.create_zipfile(zip_file) + self.upload_file(zip_file) + finally: + shutil.rmtree(tmp_dir) + + @staticmethod + def _build_part(item, sep_boundary): + key, values = item + title = '\nContent-Disposition: form-data; name="%s"' % key + # handle multiple entries for the same name + if not isinstance(values, list): + values = [values] + for value in values: + if isinstance(value, tuple): + title += '; filename="%s"' % value[0] + value = value[1] + else: + value = _encode(value) + yield sep_boundary + yield _encode(title) + yield b"\n\n" + yield value + if value and value[-1:] == b'\r': + yield b'\n' # write an extra newline (lurve Macs) + + @classmethod + def _build_multipart(cls, data): + """ + Build up the MIME payload for the POST data + """ + boundary = '--------------GHSKFJDLGDS7543FJKLFHRE75642756743254' + sep_boundary = b'\n--' + boundary.encode('ascii') + end_boundary = sep_boundary + b'--' + end_items = end_boundary, b"\n", + builder = functools.partial( + cls._build_part, + sep_boundary=sep_boundary, + ) + part_groups = map(builder, data.items()) + parts = itertools.chain.from_iterable(part_groups) + body_items = itertools.chain(parts, end_items) + content_type = 'multipart/form-data; boundary=%s' % boundary + return b''.join(body_items), content_type + + def upload_file(self, filename): + with open(filename, 'rb') as f: + content = f.read() + meta = self.distribution.metadata + data = { + ':action': 'doc_upload', + 'name': meta.get_name(), + 'content': (os.path.basename(filename), content), + } + # set up the authentication + credentials = _encode(self.username + ':' + self.password) + credentials = standard_b64encode(credentials).decode('ascii') + auth = "Basic " + credentials + + body, ct = self._build_multipart(data) + + msg = "Submitting documentation to %s" % (self.repository) + self.announce(msg, log.INFO) + + # build the Request + # We can't use urllib2 since we need to send the Basic + # auth right with the first request + schema, netloc, url, params, query, fragments = \ + urllib.parse.urlparse(self.repository) + assert not params and not query and not fragments + if schema == 'http': + conn = http.client.HTTPConnection(netloc) + elif schema == 'https': + conn = http.client.HTTPSConnection(netloc) + else: + raise AssertionError("unsupported schema " + schema) + + data = '' + try: + conn.connect() + conn.putrequest("POST", url) + content_type = ct + conn.putheader('Content-type', content_type) + conn.putheader('Content-length', str(len(body))) + conn.putheader('Authorization', auth) + conn.endheaders() + conn.send(body) + except socket.error as e: + self.announce(str(e), log.ERROR) + return + + r = conn.getresponse() + if r.status == 200: + msg = 'Server response (%s): %s' % (r.status, r.reason) + self.announce(msg, log.INFO) + elif r.status == 301: + location = r.getheader('Location') + if location is None: + location = 'https://pythonhosted.org/%s/' % meta.get_name() + msg = 'Upload successful. Visit %s' % location + self.announce(msg, log.INFO) + else: + msg = 'Upload failed (%s): %s' % (r.status, r.reason) + self.announce(msg, log.ERROR) + if self.show_response: + print('-' * 75, r.read(), '-' * 75) diff --git a/venv/Lib/site-packages/setuptools/config.py b/venv/Lib/site-packages/setuptools/config.py new file mode 100644 index 0000000..e3e44c2 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/config.py @@ -0,0 +1,749 @@ +import ast +import io +import os +import sys + +import warnings +import functools +import importlib +from collections import defaultdict +from functools import partial +from functools import wraps +from glob import iglob +import contextlib + +from distutils.errors import DistutilsOptionError, DistutilsFileError +from setuptools.extern.packaging.version import LegacyVersion, parse +from setuptools.extern.packaging.specifiers import SpecifierSet + + +class StaticModule: + """ + Attempt to load the module by the name + """ + + def __init__(self, name): + spec = importlib.util.find_spec(name) + with open(spec.origin) as strm: + src = strm.read() + module = ast.parse(src) + vars(self).update(locals()) + del self.self + + def __getattr__(self, attr): + try: + return next( + ast.literal_eval(statement.value) + for statement in self.module.body + if isinstance(statement, ast.Assign) + for target in statement.targets + if isinstance(target, ast.Name) and target.id == attr + ) + except Exception as e: + raise AttributeError( + "{self.name} has no attribute {attr}".format(**locals()) + ) from e + + +@contextlib.contextmanager +def patch_path(path): + """ + Add path to front of sys.path for the duration of the context. + """ + try: + sys.path.insert(0, path) + yield + finally: + sys.path.remove(path) + + +def read_configuration(filepath, find_others=False, ignore_option_errors=False): + """Read given configuration file and returns options from it as a dict. + + :param str|unicode filepath: Path to configuration file + to get options from. + + :param bool find_others: Whether to search for other configuration files + which could be on in various places. + + :param bool ignore_option_errors: Whether to silently ignore + options, values of which could not be resolved (e.g. due to exceptions + in directives such as file:, attr:, etc.). + If False exceptions are propagated as expected. + + :rtype: dict + """ + from setuptools.dist import Distribution, _Distribution + + filepath = os.path.abspath(filepath) + + if not os.path.isfile(filepath): + raise DistutilsFileError('Configuration file %s does not exist.' % filepath) + + current_directory = os.getcwd() + os.chdir(os.path.dirname(filepath)) + + try: + dist = Distribution() + + filenames = dist.find_config_files() if find_others else [] + if filepath not in filenames: + filenames.append(filepath) + + _Distribution.parse_config_files(dist, filenames=filenames) + + handlers = parse_configuration( + dist, dist.command_options, ignore_option_errors=ignore_option_errors + ) + + finally: + os.chdir(current_directory) + + return configuration_to_dict(handlers) + + +def _get_option(target_obj, key): + """ + Given a target object and option key, get that option from + the target object, either through a get_{key} method or + from an attribute directly. + """ + getter_name = 'get_{key}'.format(**locals()) + by_attribute = functools.partial(getattr, target_obj, key) + getter = getattr(target_obj, getter_name, by_attribute) + return getter() + + +def configuration_to_dict(handlers): + """Returns configuration data gathered by given handlers as a dict. + + :param list[ConfigHandler] handlers: Handlers list, + usually from parse_configuration() + + :rtype: dict + """ + config_dict = defaultdict(dict) + + for handler in handlers: + for option in handler.set_options: + value = _get_option(handler.target_obj, option) + config_dict[handler.section_prefix][option] = value + + return config_dict + + +def parse_configuration(distribution, command_options, ignore_option_errors=False): + """Performs additional parsing of configuration options + for a distribution. + + Returns a list of used option handlers. + + :param Distribution distribution: + :param dict command_options: + :param bool ignore_option_errors: Whether to silently ignore + options, values of which could not be resolved (e.g. due to exceptions + in directives such as file:, attr:, etc.). + If False exceptions are propagated as expected. + :rtype: list + """ + options = ConfigOptionsHandler(distribution, command_options, ignore_option_errors) + options.parse() + + meta = ConfigMetadataHandler( + distribution.metadata, + command_options, + ignore_option_errors, + distribution.package_dir, + ) + meta.parse() + + return meta, options + + +class ConfigHandler: + """Handles metadata supplied in configuration files.""" + + section_prefix = None + """Prefix for config sections handled by this handler. + Must be provided by class heirs. + + """ + + aliases = {} + """Options aliases. + For compatibility with various packages. E.g.: d2to1 and pbr. + Note: `-` in keys is replaced with `_` by config parser. + + """ + + def __init__(self, target_obj, options, ignore_option_errors=False): + sections = {} + + section_prefix = self.section_prefix + for section_name, section_options in options.items(): + if not section_name.startswith(section_prefix): + continue + + section_name = section_name.replace(section_prefix, '').strip('.') + sections[section_name] = section_options + + self.ignore_option_errors = ignore_option_errors + self.target_obj = target_obj + self.sections = sections + self.set_options = [] + + @property + def parsers(self): + """Metadata item name to parser function mapping.""" + raise NotImplementedError( + '%s must provide .parsers property' % self.__class__.__name__ + ) + + def __setitem__(self, option_name, value): + unknown = tuple() + target_obj = self.target_obj + + # Translate alias into real name. + option_name = self.aliases.get(option_name, option_name) + + current_value = getattr(target_obj, option_name, unknown) + + if current_value is unknown: + raise KeyError(option_name) + + if current_value: + # Already inhabited. Skipping. + return + + skip_option = False + parser = self.parsers.get(option_name) + if parser: + try: + value = parser(value) + + except Exception: + skip_option = True + if not self.ignore_option_errors: + raise + + if skip_option: + return + + setter = getattr(target_obj, 'set_%s' % option_name, None) + if setter is None: + setattr(target_obj, option_name, value) + else: + setter(value) + + self.set_options.append(option_name) + + @classmethod + def _parse_list(cls, value, separator=','): + """Represents value as a list. + + Value is split either by separator (defaults to comma) or by lines. + + :param value: + :param separator: List items separator character. + :rtype: list + """ + if isinstance(value, list): # _get_parser_compound case + return value + + if '\n' in value: + value = value.splitlines() + else: + value = value.split(separator) + + return [chunk.strip() for chunk in value if chunk.strip()] + + @classmethod + def _parse_list_glob(cls, value, separator=','): + """Equivalent to _parse_list() but expands any glob patterns using glob(). + + However, unlike with glob() calls, the results remain relative paths. + + :param value: + :param separator: List items separator character. + :rtype: list + """ + glob_characters = ('*', '?', '[', ']', '{', '}') + values = cls._parse_list(value, separator=separator) + expanded_values = [] + for value in values: + + # Has globby characters? + if any(char in value for char in glob_characters): + # then expand the glob pattern while keeping paths *relative*: + expanded_values.extend(sorted( + os.path.relpath(path, os.getcwd()) + for path in iglob(os.path.abspath(value)))) + + else: + # take the value as-is: + expanded_values.append(value) + + return expanded_values + + @classmethod + def _parse_dict(cls, value): + """Represents value as a dict. + + :param value: + :rtype: dict + """ + separator = '=' + result = {} + for line in cls._parse_list(value): + key, sep, val = line.partition(separator) + if sep != separator: + raise DistutilsOptionError( + 'Unable to parse option value to dict: %s' % value + ) + result[key.strip()] = val.strip() + + return result + + @classmethod + def _parse_bool(cls, value): + """Represents value as boolean. + + :param value: + :rtype: bool + """ + value = value.lower() + return value in ('1', 'true', 'yes') + + @classmethod + def _exclude_files_parser(cls, key): + """Returns a parser function to make sure field inputs + are not files. + + Parses a value after getting the key so error messages are + more informative. + + :param key: + :rtype: callable + """ + + def parser(value): + exclude_directive = 'file:' + if value.startswith(exclude_directive): + raise ValueError( + 'Only strings are accepted for the {0} field, ' + 'files are not accepted'.format(key) + ) + return value + + return parser + + @classmethod + def _parse_file(cls, value): + """Represents value as a string, allowing including text + from nearest files using `file:` directive. + + Directive is sandboxed and won't reach anything outside + directory with setup.py. + + Examples: + file: README.rst, CHANGELOG.md, src/file.txt + + :param str value: + :rtype: str + """ + include_directive = 'file:' + + if not isinstance(value, str): + return value + + if not value.startswith(include_directive): + return value + + spec = value[len(include_directive) :] + filepaths = (os.path.abspath(path.strip()) for path in spec.split(',')) + return '\n'.join( + cls._read_file(path) + for path in filepaths + if (cls._assert_local(path) or True) and os.path.isfile(path) + ) + + @staticmethod + def _assert_local(filepath): + if not filepath.startswith(os.getcwd()): + raise DistutilsOptionError('`file:` directive can not access %s' % filepath) + + @staticmethod + def _read_file(filepath): + with io.open(filepath, encoding='utf-8') as f: + return f.read() + + @classmethod + def _parse_attr(cls, value, package_dir=None): + """Represents value as a module attribute. + + Examples: + attr: package.attr + attr: package.module.attr + + :param str value: + :rtype: str + """ + attr_directive = 'attr:' + if not value.startswith(attr_directive): + return value + + attrs_path = value.replace(attr_directive, '').strip().split('.') + attr_name = attrs_path.pop() + + module_name = '.'.join(attrs_path) + module_name = module_name or '__init__' + + parent_path = os.getcwd() + if package_dir: + if attrs_path[0] in package_dir: + # A custom path was specified for the module we want to import + custom_path = package_dir[attrs_path[0]] + parts = custom_path.rsplit('/', 1) + if len(parts) > 1: + parent_path = os.path.join(os.getcwd(), parts[0]) + module_name = parts[1] + else: + module_name = custom_path + elif '' in package_dir: + # A custom parent directory was specified for all root modules + parent_path = os.path.join(os.getcwd(), package_dir['']) + + with patch_path(parent_path): + try: + # attempt to load value statically + return getattr(StaticModule(module_name), attr_name) + except Exception: + # fallback to simple import + module = importlib.import_module(module_name) + + return getattr(module, attr_name) + + @classmethod + def _get_parser_compound(cls, *parse_methods): + """Returns parser function to represents value as a list. + + Parses a value applying given methods one after another. + + :param parse_methods: + :rtype: callable + """ + + def parse(value): + parsed = value + + for method in parse_methods: + parsed = method(parsed) + + return parsed + + return parse + + @classmethod + def _parse_section_to_dict(cls, section_options, values_parser=None): + """Parses section options into a dictionary. + + Optionally applies a given parser to values. + + :param dict section_options: + :param callable values_parser: + :rtype: dict + """ + value = {} + values_parser = values_parser or (lambda val: val) + for key, (_, val) in section_options.items(): + value[key] = values_parser(val) + return value + + def parse_section(self, section_options): + """Parses configuration file section. + + :param dict section_options: + """ + for (name, (_, value)) in section_options.items(): + try: + self[name] = value + + except KeyError: + pass # Keep silent for a new option may appear anytime. + + def parse(self): + """Parses configuration file items from one + or more related sections. + + """ + for section_name, section_options in self.sections.items(): + + method_postfix = '' + if section_name: # [section.option] variant + method_postfix = '_%s' % section_name + + section_parser_method = getattr( + self, + # Dots in section names are translated into dunderscores. + ('parse_section%s' % method_postfix).replace('.', '__'), + None, + ) + + if section_parser_method is None: + raise DistutilsOptionError( + 'Unsupported distribution option section: [%s.%s]' + % (self.section_prefix, section_name) + ) + + section_parser_method(section_options) + + def _deprecated_config_handler(self, func, msg, warning_class): + """this function will wrap around parameters that are deprecated + + :param msg: deprecation message + :param warning_class: class of warning exception to be raised + :param func: function to be wrapped around + """ + + @wraps(func) + def config_handler(*args, **kwargs): + warnings.warn(msg, warning_class) + return func(*args, **kwargs) + + return config_handler + + +class ConfigMetadataHandler(ConfigHandler): + + section_prefix = 'metadata' + + aliases = { + 'home_page': 'url', + 'summary': 'description', + 'classifier': 'classifiers', + 'platform': 'platforms', + } + + strict_mode = False + """We need to keep it loose, to be partially compatible with + `pbr` and `d2to1` packages which also uses `metadata` section. + + """ + + def __init__( + self, target_obj, options, ignore_option_errors=False, package_dir=None + ): + super(ConfigMetadataHandler, self).__init__( + target_obj, options, ignore_option_errors + ) + self.package_dir = package_dir + + @property + def parsers(self): + """Metadata item name to parser function mapping.""" + parse_list = self._parse_list + parse_file = self._parse_file + parse_dict = self._parse_dict + exclude_files_parser = self._exclude_files_parser + + return { + 'platforms': parse_list, + 'keywords': parse_list, + 'provides': parse_list, + 'requires': self._deprecated_config_handler( + parse_list, + "The requires parameter is deprecated, please use " + "install_requires for runtime dependencies.", + DeprecationWarning, + ), + 'obsoletes': parse_list, + 'classifiers': self._get_parser_compound(parse_file, parse_list), + 'license': exclude_files_parser('license'), + 'license_file': self._deprecated_config_handler( + exclude_files_parser('license_file'), + "The license_file parameter is deprecated, " + "use license_files instead.", + DeprecationWarning, + ), + 'license_files': parse_list, + 'description': parse_file, + 'long_description': parse_file, + 'version': self._parse_version, + 'project_urls': parse_dict, + } + + def _parse_version(self, value): + """Parses `version` option value. + + :param value: + :rtype: str + + """ + version = self._parse_file(value) + + if version != value: + version = version.strip() + # Be strict about versions loaded from file because it's easy to + # accidentally include newlines and other unintended content + if isinstance(parse(version), LegacyVersion): + tmpl = ( + 'Version loaded from {value} does not ' + 'comply with PEP 440: {version}' + ) + raise DistutilsOptionError(tmpl.format(**locals())) + + return version + + version = self._parse_attr(value, self.package_dir) + + if callable(version): + version = version() + + if not isinstance(version, str): + if hasattr(version, '__iter__'): + version = '.'.join(map(str, version)) + else: + version = '%s' % version + + return version + + +class ConfigOptionsHandler(ConfigHandler): + + section_prefix = 'options' + + @property + def parsers(self): + """Metadata item name to parser function mapping.""" + parse_list = self._parse_list + parse_list_semicolon = partial(self._parse_list, separator=';') + parse_bool = self._parse_bool + parse_dict = self._parse_dict + parse_cmdclass = self._parse_cmdclass + + return { + 'zip_safe': parse_bool, + 'include_package_data': parse_bool, + 'package_dir': parse_dict, + 'scripts': parse_list, + 'eager_resources': parse_list, + 'dependency_links': parse_list, + 'namespace_packages': parse_list, + 'install_requires': parse_list_semicolon, + 'setup_requires': parse_list_semicolon, + 'tests_require': parse_list_semicolon, + 'packages': self._parse_packages, + 'entry_points': self._parse_file, + 'py_modules': parse_list, + 'python_requires': SpecifierSet, + 'cmdclass': parse_cmdclass, + } + + def _parse_cmdclass(self, value): + def resolve_class(qualified_class_name): + idx = qualified_class_name.rfind('.') + class_name = qualified_class_name[idx + 1 :] + pkg_name = qualified_class_name[:idx] + + module = __import__(pkg_name) + + return getattr(module, class_name) + + return {k: resolve_class(v) for k, v in self._parse_dict(value).items()} + + def _parse_packages(self, value): + """Parses `packages` option value. + + :param value: + :rtype: list + """ + find_directives = ['find:', 'find_namespace:'] + trimmed_value = value.strip() + + if trimmed_value not in find_directives: + return self._parse_list(value) + + findns = trimmed_value == find_directives[1] + + # Read function arguments from a dedicated section. + find_kwargs = self.parse_section_packages__find( + self.sections.get('packages.find', {}) + ) + + if findns: + from setuptools import find_namespace_packages as find_packages + else: + from setuptools import find_packages + + return find_packages(**find_kwargs) + + def parse_section_packages__find(self, section_options): + """Parses `packages.find` configuration file section. + + To be used in conjunction with _parse_packages(). + + :param dict section_options: + """ + section_data = self._parse_section_to_dict(section_options, self._parse_list) + + valid_keys = ['where', 'include', 'exclude'] + + find_kwargs = dict( + [(k, v) for k, v in section_data.items() if k in valid_keys and v] + ) + + where = find_kwargs.get('where') + if where is not None: + find_kwargs['where'] = where[0] # cast list to single val + + return find_kwargs + + def parse_section_entry_points(self, section_options): + """Parses `entry_points` configuration file section. + + :param dict section_options: + """ + parsed = self._parse_section_to_dict(section_options, self._parse_list) + self['entry_points'] = parsed + + def _parse_package_data(self, section_options): + parsed = self._parse_section_to_dict(section_options, self._parse_list) + + root = parsed.get('*') + if root: + parsed[''] = root + del parsed['*'] + + return parsed + + def parse_section_package_data(self, section_options): + """Parses `package_data` configuration file section. + + :param dict section_options: + """ + self['package_data'] = self._parse_package_data(section_options) + + def parse_section_exclude_package_data(self, section_options): + """Parses `exclude_package_data` configuration file section. + + :param dict section_options: + """ + self['exclude_package_data'] = self._parse_package_data(section_options) + + def parse_section_extras_require(self, section_options): + """Parses `extras_require` configuration file section. + + :param dict section_options: + """ + parse_list = partial(self._parse_list, separator=';') + self['extras_require'] = self._parse_section_to_dict( + section_options, parse_list + ) + + def parse_section_data_files(self, section_options): + """Parses `data_files` configuration file section. + + :param dict section_options: + """ + parsed = self._parse_section_to_dict(section_options, self._parse_list_glob) + self['data_files'] = [(k, v) for k, v in parsed.items()] diff --git a/venv/Lib/site-packages/setuptools/dep_util.py b/venv/Lib/site-packages/setuptools/dep_util.py new file mode 100644 index 0000000..521eb71 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/dep_util.py @@ -0,0 +1,25 @@ +from distutils.dep_util import newer_group + + +# yes, this is was almost entirely copy-pasted from +# 'newer_pairwise()', this is just another convenience +# function. +def newer_pairwise_group(sources_groups, targets): + """Walk both arguments in parallel, testing if each source group is newer + than its corresponding target. Returns a pair of lists (sources_groups, + targets) where sources is newer than target, according to the semantics + of 'newer_group()'. + """ + if len(sources_groups) != len(targets): + raise ValueError( + "'sources_group' and 'targets' must be the same length") + + # build a pair of lists (sources_groups, targets) where source is newer + n_sources = [] + n_targets = [] + for i in range(len(sources_groups)): + if newer_group(sources_groups[i], targets[i]): + n_sources.append(sources_groups[i]) + n_targets.append(targets[i]) + + return n_sources, n_targets diff --git a/venv/Lib/site-packages/setuptools/depends.py b/venv/Lib/site-packages/setuptools/depends.py new file mode 100644 index 0000000..8be6928 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/depends.py @@ -0,0 +1,175 @@ +import sys +import marshal +import contextlib +import dis +from distutils.version import StrictVersion + +from ._imp import find_module, PY_COMPILED, PY_FROZEN, PY_SOURCE +from . import _imp + + +__all__ = [ + 'Require', 'find_module', 'get_module_constant', 'extract_constant' +] + + +class Require: + """A prerequisite to building or installing a distribution""" + + def __init__( + self, name, requested_version, module, homepage='', + attribute=None, format=None): + + if format is None and requested_version is not None: + format = StrictVersion + + if format is not None: + requested_version = format(requested_version) + if attribute is None: + attribute = '__version__' + + self.__dict__.update(locals()) + del self.self + + def full_name(self): + """Return full package/distribution name, w/version""" + if self.requested_version is not None: + return '%s-%s' % (self.name, self.requested_version) + return self.name + + def version_ok(self, version): + """Is 'version' sufficiently up-to-date?""" + return self.attribute is None or self.format is None or \ + str(version) != "unknown" and version >= self.requested_version + + def get_version(self, paths=None, default="unknown"): + """Get version number of installed module, 'None', or 'default' + + Search 'paths' for module. If not found, return 'None'. If found, + return the extracted version attribute, or 'default' if no version + attribute was specified, or the value cannot be determined without + importing the module. The version is formatted according to the + requirement's version format (if any), unless it is 'None' or the + supplied 'default'. + """ + + if self.attribute is None: + try: + f, p, i = find_module(self.module, paths) + if f: + f.close() + return default + except ImportError: + return None + + v = get_module_constant(self.module, self.attribute, default, paths) + + if v is not None and v is not default and self.format is not None: + return self.format(v) + + return v + + def is_present(self, paths=None): + """Return true if dependency is present on 'paths'""" + return self.get_version(paths) is not None + + def is_current(self, paths=None): + """Return true if dependency is present and up-to-date on 'paths'""" + version = self.get_version(paths) + if version is None: + return False + return self.version_ok(version) + + +def maybe_close(f): + @contextlib.contextmanager + def empty(): + yield + return + if not f: + return empty() + + return contextlib.closing(f) + + +def get_module_constant(module, symbol, default=-1, paths=None): + """Find 'module' by searching 'paths', and extract 'symbol' + + Return 'None' if 'module' does not exist on 'paths', or it does not define + 'symbol'. If the module defines 'symbol' as a constant, return the + constant. Otherwise, return 'default'.""" + + try: + f, path, (suffix, mode, kind) = info = find_module(module, paths) + except ImportError: + # Module doesn't exist + return None + + with maybe_close(f): + if kind == PY_COMPILED: + f.read(8) # skip magic & date + code = marshal.load(f) + elif kind == PY_FROZEN: + code = _imp.get_frozen_object(module, paths) + elif kind == PY_SOURCE: + code = compile(f.read(), path, 'exec') + else: + # Not something we can parse; we'll have to import it. :( + imported = _imp.get_module(module, paths, info) + return getattr(imported, symbol, None) + + return extract_constant(code, symbol, default) + + +def extract_constant(code, symbol, default=-1): + """Extract the constant value of 'symbol' from 'code' + + If the name 'symbol' is bound to a constant value by the Python code + object 'code', return that value. If 'symbol' is bound to an expression, + return 'default'. Otherwise, return 'None'. + + Return value is based on the first assignment to 'symbol'. 'symbol' must + be a global, or at least a non-"fast" local in the code block. That is, + only 'STORE_NAME' and 'STORE_GLOBAL' opcodes are checked, and 'symbol' + must be present in 'code.co_names'. + """ + if symbol not in code.co_names: + # name's not there, can't possibly be an assignment + return None + + name_idx = list(code.co_names).index(symbol) + + STORE_NAME = 90 + STORE_GLOBAL = 97 + LOAD_CONST = 100 + + const = default + + for byte_code in dis.Bytecode(code): + op = byte_code.opcode + arg = byte_code.arg + + if op == LOAD_CONST: + const = code.co_consts[arg] + elif arg == name_idx and (op == STORE_NAME or op == STORE_GLOBAL): + return const + else: + const = default + + +def _update_globals(): + """ + Patch the globals to remove the objects not available on some platforms. + + XXX it'd be better to test assertions about bytecode instead. + """ + + if not sys.platform.startswith('java') and sys.platform != 'cli': + return + incompatible = 'extract_constant', 'get_module_constant' + for name in incompatible: + del globals()[name] + __all__.remove(name) + + +_update_globals() diff --git a/venv/Lib/site-packages/setuptools/dist.py b/venv/Lib/site-packages/setuptools/dist.py new file mode 100644 index 0000000..8e2111a --- /dev/null +++ b/venv/Lib/site-packages/setuptools/dist.py @@ -0,0 +1,1150 @@ +# -*- coding: utf-8 -*- +__all__ = ['Distribution'] + +import io +import sys +import re +import os +import warnings +import numbers +import distutils.log +import distutils.core +import distutils.cmd +import distutils.dist +import distutils.command +from distutils.util import strtobool +from distutils.debug import DEBUG +from distutils.fancy_getopt import translate_longopt +from glob import iglob +import itertools +import textwrap +from typing import List, Optional, TYPE_CHECKING + +from collections import defaultdict +from email import message_from_file + +from distutils.errors import DistutilsOptionError, DistutilsSetupError +from distutils.util import rfc822_escape +from distutils.version import StrictVersion + +from setuptools.extern import packaging +from setuptools.extern import ordered_set +from setuptools.extern.more_itertools import unique_everseen + +from . import SetuptoolsDeprecationWarning + +import setuptools +import setuptools.command +from setuptools import windows_support +from setuptools.monkey import get_unpatched +from setuptools.config import parse_configuration +import pkg_resources + +if TYPE_CHECKING: + from email.message import Message + +__import__('setuptools.extern.packaging.specifiers') +__import__('setuptools.extern.packaging.version') + + +def _get_unpatched(cls): + warnings.warn("Do not call this function", DistDeprecationWarning) + return get_unpatched(cls) + + +def get_metadata_version(self): + mv = getattr(self, 'metadata_version', None) + if mv is None: + mv = StrictVersion('2.1') + self.metadata_version = mv + return mv + + +def rfc822_unescape(content: str) -> str: + """Reverse RFC-822 escaping by removing leading whitespaces from content.""" + lines = content.splitlines() + if len(lines) == 1: + return lines[0].lstrip() + return '\n'.join((lines[0].lstrip(), textwrap.dedent('\n'.join(lines[1:])))) + + +def _read_field_from_msg(msg: "Message", field: str) -> Optional[str]: + """Read Message header field.""" + value = msg[field] + if value == 'UNKNOWN': + return None + return value + + +def _read_field_unescaped_from_msg(msg: "Message", field: str) -> Optional[str]: + """Read Message header field and apply rfc822_unescape.""" + value = _read_field_from_msg(msg, field) + if value is None: + return value + return rfc822_unescape(value) + + +def _read_list_from_msg(msg: "Message", field: str) -> Optional[List[str]]: + """Read Message header field and return all results as list.""" + values = msg.get_all(field, None) + if values == []: + return None + return values + + +def _read_payload_from_msg(msg: "Message") -> Optional[str]: + value = msg.get_payload().strip() + if value == 'UNKNOWN': + return None + return value + + +def read_pkg_file(self, file): + """Reads the metadata values from a file object.""" + msg = message_from_file(file) + + self.metadata_version = StrictVersion(msg['metadata-version']) + self.name = _read_field_from_msg(msg, 'name') + self.version = _read_field_from_msg(msg, 'version') + self.description = _read_field_from_msg(msg, 'summary') + # we are filling author only. + self.author = _read_field_from_msg(msg, 'author') + self.maintainer = None + self.author_email = _read_field_from_msg(msg, 'author-email') + self.maintainer_email = None + self.url = _read_field_from_msg(msg, 'home-page') + self.license = _read_field_unescaped_from_msg(msg, 'license') + + if 'download-url' in msg: + self.download_url = _read_field_from_msg(msg, 'download-url') + else: + self.download_url = None + + self.long_description = _read_field_unescaped_from_msg(msg, 'description') + if self.long_description is None and self.metadata_version >= StrictVersion('2.1'): + self.long_description = _read_payload_from_msg(msg) + self.description = _read_field_from_msg(msg, 'summary') + + if 'keywords' in msg: + self.keywords = _read_field_from_msg(msg, 'keywords').split(',') + + self.platforms = _read_list_from_msg(msg, 'platform') + self.classifiers = _read_list_from_msg(msg, 'classifier') + + # PEP 314 - these fields only exist in 1.1 + if self.metadata_version == StrictVersion('1.1'): + self.requires = _read_list_from_msg(msg, 'requires') + self.provides = _read_list_from_msg(msg, 'provides') + self.obsoletes = _read_list_from_msg(msg, 'obsoletes') + else: + self.requires = None + self.provides = None + self.obsoletes = None + + self.license_files = _read_list_from_msg(msg, 'license-file') + + +def single_line(val): + # quick and dirty validation for description pypa/setuptools#1390 + if '\n' in val: + # TODO after 2021-07-31: Replace with `raise ValueError("newlines not allowed")` + warnings.warn("newlines not allowed and will break in the future") + val = val.replace('\n', ' ') + return val + + +# Based on Python 3.5 version +def write_pkg_file(self, file): # noqa: C901 # is too complex (14) # FIXME + """Write the PKG-INFO format data to a file object.""" + version = self.get_metadata_version() + + def write_field(key, value): + file.write("%s: %s\n" % (key, value)) + + write_field('Metadata-Version', str(version)) + write_field('Name', self.get_name()) + write_field('Version', self.get_version()) + write_field('Summary', single_line(self.get_description())) + write_field('Home-page', self.get_url()) + + optional_fields = ( + ('Author', 'author'), + ('Author-email', 'author_email'), + ('Maintainer', 'maintainer'), + ('Maintainer-email', 'maintainer_email'), + ) + + for field, attr in optional_fields: + attr_val = getattr(self, attr, None) + if attr_val is not None: + write_field(field, attr_val) + + license = rfc822_escape(self.get_license()) + write_field('License', license) + if self.download_url: + write_field('Download-URL', self.download_url) + for project_url in self.project_urls.items(): + write_field('Project-URL', '%s, %s' % project_url) + + keywords = ','.join(self.get_keywords()) + if keywords: + write_field('Keywords', keywords) + + for platform in self.get_platforms(): + write_field('Platform', platform) + + self._write_list(file, 'Classifier', self.get_classifiers()) + + # PEP 314 + self._write_list(file, 'Requires', self.get_requires()) + self._write_list(file, 'Provides', self.get_provides()) + self._write_list(file, 'Obsoletes', self.get_obsoletes()) + + # Setuptools specific for PEP 345 + if hasattr(self, 'python_requires'): + write_field('Requires-Python', self.python_requires) + + # PEP 566 + if self.long_description_content_type: + write_field('Description-Content-Type', self.long_description_content_type) + if self.provides_extras: + for extra in self.provides_extras: + write_field('Provides-Extra', extra) + + self._write_list(file, 'License-File', self.license_files or []) + + file.write("\n%s\n\n" % self.get_long_description()) + + +sequence = tuple, list + + +def check_importable(dist, attr, value): + try: + ep = pkg_resources.EntryPoint.parse('x=' + value) + assert not ep.extras + except (TypeError, ValueError, AttributeError, AssertionError) as e: + raise DistutilsSetupError( + "%r must be importable 'module:attrs' string (got %r)" % (attr, value) + ) from e + + +def assert_string_list(dist, attr, value): + """Verify that value is a string list""" + try: + # verify that value is a list or tuple to exclude unordered + # or single-use iterables + assert isinstance(value, (list, tuple)) + # verify that elements of value are strings + assert ''.join(value) != value + except (TypeError, ValueError, AttributeError, AssertionError) as e: + raise DistutilsSetupError( + "%r must be a list of strings (got %r)" % (attr, value) + ) from e + + +def check_nsp(dist, attr, value): + """Verify that namespace packages are valid""" + ns_packages = value + assert_string_list(dist, attr, ns_packages) + for nsp in ns_packages: + if not dist.has_contents_for(nsp): + raise DistutilsSetupError( + "Distribution contains no modules or packages for " + + "namespace package %r" % nsp + ) + parent, sep, child = nsp.rpartition('.') + if parent and parent not in ns_packages: + distutils.log.warn( + "WARNING: %r is declared as a package namespace, but %r" + " is not: please correct this in setup.py", + nsp, + parent, + ) + + +def check_extras(dist, attr, value): + """Verify that extras_require mapping is valid""" + try: + list(itertools.starmap(_check_extra, value.items())) + except (TypeError, ValueError, AttributeError) as e: + raise DistutilsSetupError( + "'extras_require' must be a dictionary whose values are " + "strings or lists of strings containing valid project/version " + "requirement specifiers." + ) from e + + +def _check_extra(extra, reqs): + name, sep, marker = extra.partition(':') + if marker and pkg_resources.invalid_marker(marker): + raise DistutilsSetupError("Invalid environment marker: " + marker) + list(pkg_resources.parse_requirements(reqs)) + + +def assert_bool(dist, attr, value): + """Verify that value is True, False, 0, or 1""" + if bool(value) != value: + tmpl = "{attr!r} must be a boolean value (got {value!r})" + raise DistutilsSetupError(tmpl.format(attr=attr, value=value)) + + +def invalid_unless_false(dist, attr, value): + if not value: + warnings.warn(f"{attr} is ignored.", DistDeprecationWarning) + return + raise DistutilsSetupError(f"{attr} is invalid.") + + +def check_requirements(dist, attr, value): + """Verify that install_requires is a valid requirements list""" + try: + list(pkg_resources.parse_requirements(value)) + if isinstance(value, (dict, set)): + raise TypeError("Unordered types are not allowed") + except (TypeError, ValueError) as error: + tmpl = ( + "{attr!r} must be a string or list of strings " + "containing valid project/version requirement specifiers; {error}" + ) + raise DistutilsSetupError(tmpl.format(attr=attr, error=error)) from error + + +def check_specifier(dist, attr, value): + """Verify that value is a valid version specifier""" + try: + packaging.specifiers.SpecifierSet(value) + except (packaging.specifiers.InvalidSpecifier, AttributeError) as error: + tmpl = ( + "{attr!r} must be a string " "containing valid version specifiers; {error}" + ) + raise DistutilsSetupError(tmpl.format(attr=attr, error=error)) from error + + +def check_entry_points(dist, attr, value): + """Verify that entry_points map is parseable""" + try: + pkg_resources.EntryPoint.parse_map(value) + except ValueError as e: + raise DistutilsSetupError(e) from e + + +def check_test_suite(dist, attr, value): + if not isinstance(value, str): + raise DistutilsSetupError("test_suite must be a string") + + +def check_package_data(dist, attr, value): + """Verify that value is a dictionary of package names to glob lists""" + if not isinstance(value, dict): + raise DistutilsSetupError( + "{!r} must be a dictionary mapping package names to lists of " + "string wildcard patterns".format(attr) + ) + for k, v in value.items(): + if not isinstance(k, str): + raise DistutilsSetupError( + "keys of {!r} dict must be strings (got {!r})".format(attr, k) + ) + assert_string_list(dist, 'values of {!r} dict'.format(attr), v) + + +def check_packages(dist, attr, value): + for pkgname in value: + if not re.match(r'\w+(\.\w+)*', pkgname): + distutils.log.warn( + "WARNING: %r not a valid package name; please use only " + ".-separated package names in setup.py", + pkgname, + ) + + +_Distribution = get_unpatched(distutils.core.Distribution) + + +class Distribution(_Distribution): + """Distribution with support for tests and package data + + This is an enhanced version of 'distutils.dist.Distribution' that + effectively adds the following new optional keyword arguments to 'setup()': + + 'install_requires' -- a string or sequence of strings specifying project + versions that the distribution requires when installed, in the format + used by 'pkg_resources.require()'. They will be installed + automatically when the package is installed. If you wish to use + packages that are not available in PyPI, or want to give your users an + alternate download location, you can add a 'find_links' option to the + '[easy_install]' section of your project's 'setup.cfg' file, and then + setuptools will scan the listed web pages for links that satisfy the + requirements. + + 'extras_require' -- a dictionary mapping names of optional "extras" to the + additional requirement(s) that using those extras incurs. For example, + this:: + + extras_require = dict(reST = ["docutils>=0.3", "reSTedit"]) + + indicates that the distribution can optionally provide an extra + capability called "reST", but it can only be used if docutils and + reSTedit are installed. If the user installs your package using + EasyInstall and requests one of your extras, the corresponding + additional requirements will be installed if needed. + + 'test_suite' -- the name of a test suite to run for the 'test' command. + If the user runs 'python setup.py test', the package will be installed, + and the named test suite will be run. The format is the same as + would be used on a 'unittest.py' command line. That is, it is the + dotted name of an object to import and call to generate a test suite. + + 'package_data' -- a dictionary mapping package names to lists of filenames + or globs to use to find data files contained in the named packages. + If the dictionary has filenames or globs listed under '""' (the empty + string), those names will be searched for in every package, in addition + to any names for the specific package. Data files found using these + names/globs will be installed along with the package, in the same + location as the package. Note that globs are allowed to reference + the contents of non-package subdirectories, as long as you use '/' as + a path separator. (Globs are automatically converted to + platform-specific paths at runtime.) + + In addition to these new keywords, this class also has several new methods + for manipulating the distribution's contents. For example, the 'include()' + and 'exclude()' methods can be thought of as in-place add and subtract + commands that add or remove packages, modules, extensions, and so on from + the distribution. + """ + + _DISTUTILS_UNSUPPORTED_METADATA = { + 'long_description_content_type': lambda: None, + 'project_urls': dict, + 'provides_extras': ordered_set.OrderedSet, + 'license_file': lambda: None, + 'license_files': lambda: None, + } + + _patched_dist = None + + def patch_missing_pkg_info(self, attrs): + # Fake up a replacement for the data that would normally come from + # PKG-INFO, but which might not yet be built if this is a fresh + # checkout. + # + if not attrs or 'name' not in attrs or 'version' not in attrs: + return + key = pkg_resources.safe_name(str(attrs['name'])).lower() + dist = pkg_resources.working_set.by_key.get(key) + if dist is not None and not dist.has_metadata('PKG-INFO'): + dist._version = pkg_resources.safe_version(str(attrs['version'])) + self._patched_dist = dist + + def __init__(self, attrs=None): + have_package_data = hasattr(self, "package_data") + if not have_package_data: + self.package_data = {} + attrs = attrs or {} + self.dist_files = [] + # Filter-out setuptools' specific options. + self.src_root = attrs.pop("src_root", None) + self.patch_missing_pkg_info(attrs) + self.dependency_links = attrs.pop('dependency_links', []) + self.setup_requires = attrs.pop('setup_requires', []) + for ep in pkg_resources.iter_entry_points('distutils.setup_keywords'): + vars(self).setdefault(ep.name, None) + _Distribution.__init__( + self, + { + k: v + for k, v in attrs.items() + if k not in self._DISTUTILS_UNSUPPORTED_METADATA + }, + ) + + self._set_metadata_defaults(attrs) + + self.metadata.version = self._normalize_version( + self._validate_version(self.metadata.version) + ) + self._finalize_requires() + + def _set_metadata_defaults(self, attrs): + """ + Fill-in missing metadata fields not supported by distutils. + Some fields may have been set by other tools (e.g. pbr). + Those fields (vars(self.metadata)) take precedence to + supplied attrs. + """ + for option, default in self._DISTUTILS_UNSUPPORTED_METADATA.items(): + vars(self.metadata).setdefault(option, attrs.get(option, default())) + + @staticmethod + def _normalize_version(version): + if isinstance(version, setuptools.sic) or version is None: + return version + + normalized = str(packaging.version.Version(version)) + if version != normalized: + tmpl = "Normalizing '{version}' to '{normalized}'" + warnings.warn(tmpl.format(**locals())) + return normalized + return version + + @staticmethod + def _validate_version(version): + if isinstance(version, numbers.Number): + # Some people apparently take "version number" too literally :) + version = str(version) + + if version is not None: + try: + packaging.version.Version(version) + except (packaging.version.InvalidVersion, TypeError): + warnings.warn( + "The version specified (%r) is an invalid version, this " + "may not work as expected with newer versions of " + "setuptools, pip, and PyPI. Please see PEP 440 for more " + "details." % version + ) + return setuptools.sic(version) + return version + + def _finalize_requires(self): + """ + Set `metadata.python_requires` and fix environment markers + in `install_requires` and `extras_require`. + """ + if getattr(self, 'python_requires', None): + self.metadata.python_requires = self.python_requires + + if getattr(self, 'extras_require', None): + for extra in self.extras_require.keys(): + # Since this gets called multiple times at points where the + # keys have become 'converted' extras, ensure that we are only + # truly adding extras we haven't seen before here. + extra = extra.split(':')[0] + if extra: + self.metadata.provides_extras.add(extra) + + self._convert_extras_requirements() + self._move_install_requirements_markers() + + def _convert_extras_requirements(self): + """ + Convert requirements in `extras_require` of the form + `"extra": ["barbazquux; {marker}"]` to + `"extra:{marker}": ["barbazquux"]`. + """ + spec_ext_reqs = getattr(self, 'extras_require', None) or {} + self._tmp_extras_require = defaultdict(list) + for section, v in spec_ext_reqs.items(): + # Do not strip empty sections. + self._tmp_extras_require[section] + for r in pkg_resources.parse_requirements(v): + suffix = self._suffix_for(r) + self._tmp_extras_require[section + suffix].append(r) + + @staticmethod + def _suffix_for(req): + """ + For a requirement, return the 'extras_require' suffix for + that requirement. + """ + return ':' + str(req.marker) if req.marker else '' + + def _move_install_requirements_markers(self): + """ + Move requirements in `install_requires` that are using environment + markers `extras_require`. + """ + + # divide the install_requires into two sets, simple ones still + # handled by install_requires and more complex ones handled + # by extras_require. + + def is_simple_req(req): + return not req.marker + + spec_inst_reqs = getattr(self, 'install_requires', None) or () + inst_reqs = list(pkg_resources.parse_requirements(spec_inst_reqs)) + simple_reqs = filter(is_simple_req, inst_reqs) + complex_reqs = itertools.filterfalse(is_simple_req, inst_reqs) + self.install_requires = list(map(str, simple_reqs)) + + for r in complex_reqs: + self._tmp_extras_require[':' + str(r.marker)].append(r) + self.extras_require = dict( + (k, [str(r) for r in map(self._clean_req, v)]) + for k, v in self._tmp_extras_require.items() + ) + + def _clean_req(self, req): + """ + Given a Requirement, remove environment markers and return it. + """ + req.marker = None + return req + + def _finalize_license_files(self): + """Compute names of all license files which should be included.""" + license_files: Optional[List[str]] = self.metadata.license_files + patterns: List[str] = license_files if license_files else [] + + license_file: Optional[str] = self.metadata.license_file + if license_file and license_file not in patterns: + patterns.append(license_file) + + if license_files is None and license_file is None: + # Default patterns match the ones wheel uses + # See https://wheel.readthedocs.io/en/stable/user_guide.html + # -> 'Including license files in the generated wheel file' + patterns = ('LICEN[CS]E*', 'COPYING*', 'NOTICE*', 'AUTHORS*') + + self.metadata.license_files = list( + unique_everseen(self._expand_patterns(patterns)) + ) + + @staticmethod + def _expand_patterns(patterns): + """ + >>> list(Distribution._expand_patterns(['LICENSE'])) + ['LICENSE'] + >>> list(Distribution._expand_patterns(['setup.cfg', 'LIC*'])) + ['setup.cfg', 'LICENSE'] + """ + return ( + path + for pattern in patterns + for path in sorted(iglob(pattern)) + if not path.endswith('~') and os.path.isfile(path) + ) + + # FIXME: 'Distribution._parse_config_files' is too complex (14) + def _parse_config_files(self, filenames=None): # noqa: C901 + """ + Adapted from distutils.dist.Distribution.parse_config_files, + this method provides the same functionality in subtly-improved + ways. + """ + from configparser import ConfigParser + + # Ignore install directory options if we have a venv + ignore_options = ( + [] + if sys.prefix == sys.base_prefix + else [ + 'install-base', + 'install-platbase', + 'install-lib', + 'install-platlib', + 'install-purelib', + 'install-headers', + 'install-scripts', + 'install-data', + 'prefix', + 'exec-prefix', + 'home', + 'user', + 'root', + ] + ) + + ignore_options = frozenset(ignore_options) + + if filenames is None: + filenames = self.find_config_files() + + if DEBUG: + self.announce("Distribution.parse_config_files():") + + parser = ConfigParser() + parser.optionxform = str + for filename in filenames: + with io.open(filename, encoding='utf-8') as reader: + if DEBUG: + self.announce(" reading {filename}".format(**locals())) + parser.read_file(reader) + for section in parser.sections(): + options = parser.options(section) + opt_dict = self.get_option_dict(section) + + for opt in options: + if opt == '__name__' or opt in ignore_options: + continue + + val = parser.get(section, opt) + opt = self.warn_dash_deprecation(opt, section) + opt = self.make_option_lowercase(opt, section) + opt_dict[opt] = (filename, val) + + # Make the ConfigParser forget everything (so we retain + # the original filenames that options come from) + parser.__init__() + + if 'global' not in self.command_options: + return + + # If there was a "global" section in the config file, use it + # to set Distribution options. + + for (opt, (src, val)) in self.command_options['global'].items(): + alias = self.negative_opt.get(opt) + if alias: + val = not strtobool(val) + elif opt in ('verbose', 'dry_run'): # ugh! + val = strtobool(val) + + try: + setattr(self, alias or opt, val) + except ValueError as e: + raise DistutilsOptionError(e) from e + + def warn_dash_deprecation(self, opt, section): + if section in ( + 'options.extras_require', + 'options.data_files', + ): + return opt + + underscore_opt = opt.replace('-', '_') + commands = distutils.command.__all__ + self._setuptools_commands() + if ( + not section.startswith('options') + and section != 'metadata' + and section not in commands + ): + return underscore_opt + + if '-' in opt: + warnings.warn( + "Usage of dash-separated '%s' will not be supported in future " + "versions. Please use the underscore name '%s' instead" + % (opt, underscore_opt) + ) + return underscore_opt + + def _setuptools_commands(self): + try: + dist = pkg_resources.get_distribution('setuptools') + return list(dist.get_entry_map('distutils.commands')) + except pkg_resources.DistributionNotFound: + # during bootstrapping, distribution doesn't exist + return [] + + def make_option_lowercase(self, opt, section): + if section != 'metadata' or opt.islower(): + return opt + + lowercase_opt = opt.lower() + warnings.warn( + "Usage of uppercase key '%s' in '%s' will be deprecated in future " + "versions. Please use lowercase '%s' instead" + % (opt, section, lowercase_opt) + ) + return lowercase_opt + + # FIXME: 'Distribution._set_command_options' is too complex (14) + def _set_command_options(self, command_obj, option_dict=None): # noqa: C901 + """ + Set the options for 'command_obj' from 'option_dict'. Basically + this means copying elements of a dictionary ('option_dict') to + attributes of an instance ('command'). + + 'command_obj' must be a Command instance. If 'option_dict' is not + supplied, uses the standard option dictionary for this command + (from 'self.command_options'). + + (Adopted from distutils.dist.Distribution._set_command_options) + """ + command_name = command_obj.get_command_name() + if option_dict is None: + option_dict = self.get_option_dict(command_name) + + if DEBUG: + self.announce(" setting options for '%s' command:" % command_name) + for (option, (source, value)) in option_dict.items(): + if DEBUG: + self.announce(" %s = %s (from %s)" % (option, value, source)) + try: + bool_opts = [translate_longopt(o) for o in command_obj.boolean_options] + except AttributeError: + bool_opts = [] + try: + neg_opt = command_obj.negative_opt + except AttributeError: + neg_opt = {} + + try: + is_string = isinstance(value, str) + if option in neg_opt and is_string: + setattr(command_obj, neg_opt[option], not strtobool(value)) + elif option in bool_opts and is_string: + setattr(command_obj, option, strtobool(value)) + elif hasattr(command_obj, option): + setattr(command_obj, option, value) + else: + raise DistutilsOptionError( + "error in %s: command '%s' has no such option '%s'" + % (source, command_name, option) + ) + except ValueError as e: + raise DistutilsOptionError(e) from e + + def parse_config_files(self, filenames=None, ignore_option_errors=False): + """Parses configuration files from various levels + and loads configuration. + + """ + self._parse_config_files(filenames=filenames) + + parse_configuration( + self, self.command_options, ignore_option_errors=ignore_option_errors + ) + self._finalize_requires() + self._finalize_license_files() + + def fetch_build_eggs(self, requires): + """Resolve pre-setup requirements""" + resolved_dists = pkg_resources.working_set.resolve( + pkg_resources.parse_requirements(requires), + installer=self.fetch_build_egg, + replace_conflicting=True, + ) + for dist in resolved_dists: + pkg_resources.working_set.add(dist, replace=True) + return resolved_dists + + def finalize_options(self): + """ + Allow plugins to apply arbitrary operations to the + distribution. Each hook may optionally define a 'order' + to influence the order of execution. Smaller numbers + go first and the default is 0. + """ + group = 'setuptools.finalize_distribution_options' + + def by_order(hook): + return getattr(hook, 'order', 0) + + defined = pkg_resources.iter_entry_points(group) + filtered = itertools.filterfalse(self._removed, defined) + loaded = map(lambda e: e.load(), filtered) + for ep in sorted(loaded, key=by_order): + ep(self) + + @staticmethod + def _removed(ep): + """ + When removing an entry point, if metadata is loaded + from an older version of Setuptools, that removed + entry point will attempt to be loaded and will fail. + See #2765 for more details. + """ + removed = { + # removed 2021-09-05 + '2to3_doctests', + } + return ep.name in removed + + def _finalize_setup_keywords(self): + for ep in pkg_resources.iter_entry_points('distutils.setup_keywords'): + value = getattr(self, ep.name, None) + if value is not None: + ep.require(installer=self.fetch_build_egg) + ep.load()(self, ep.name, value) + + def get_egg_cache_dir(self): + egg_cache_dir = os.path.join(os.curdir, '.eggs') + if not os.path.exists(egg_cache_dir): + os.mkdir(egg_cache_dir) + windows_support.hide_file(egg_cache_dir) + readme_txt_filename = os.path.join(egg_cache_dir, 'README.txt') + with open(readme_txt_filename, 'w') as f: + f.write( + 'This directory contains eggs that were downloaded ' + 'by setuptools to build, test, and run plug-ins.\n\n' + ) + f.write( + 'This directory caches those eggs to prevent ' + 'repeated downloads.\n\n' + ) + f.write('However, it is safe to delete this directory.\n\n') + + return egg_cache_dir + + def fetch_build_egg(self, req): + """Fetch an egg needed for building""" + from setuptools.installer import fetch_build_egg + + return fetch_build_egg(self, req) + + def get_command_class(self, command): + """Pluggable version of get_command_class()""" + if command in self.cmdclass: + return self.cmdclass[command] + + eps = pkg_resources.iter_entry_points('distutils.commands', command) + for ep in eps: + ep.require(installer=self.fetch_build_egg) + self.cmdclass[command] = cmdclass = ep.load() + return cmdclass + else: + return _Distribution.get_command_class(self, command) + + def print_commands(self): + for ep in pkg_resources.iter_entry_points('distutils.commands'): + if ep.name not in self.cmdclass: + # don't require extras as the commands won't be invoked + cmdclass = ep.resolve() + self.cmdclass[ep.name] = cmdclass + return _Distribution.print_commands(self) + + def get_command_list(self): + for ep in pkg_resources.iter_entry_points('distutils.commands'): + if ep.name not in self.cmdclass: + # don't require extras as the commands won't be invoked + cmdclass = ep.resolve() + self.cmdclass[ep.name] = cmdclass + return _Distribution.get_command_list(self) + + def include(self, **attrs): + """Add items to distribution that are named in keyword arguments + + For example, 'dist.include(py_modules=["x"])' would add 'x' to + the distribution's 'py_modules' attribute, if it was not already + there. + + Currently, this method only supports inclusion for attributes that are + lists or tuples. If you need to add support for adding to other + attributes in this or a subclass, you can add an '_include_X' method, + where 'X' is the name of the attribute. The method will be called with + the value passed to 'include()'. So, 'dist.include(foo={"bar":"baz"})' + will try to call 'dist._include_foo({"bar":"baz"})', which can then + handle whatever special inclusion logic is needed. + """ + for k, v in attrs.items(): + include = getattr(self, '_include_' + k, None) + if include: + include(v) + else: + self._include_misc(k, v) + + def exclude_package(self, package): + """Remove packages, modules, and extensions in named package""" + + pfx = package + '.' + if self.packages: + self.packages = [ + p for p in self.packages if p != package and not p.startswith(pfx) + ] + + if self.py_modules: + self.py_modules = [ + p for p in self.py_modules if p != package and not p.startswith(pfx) + ] + + if self.ext_modules: + self.ext_modules = [ + p + for p in self.ext_modules + if p.name != package and not p.name.startswith(pfx) + ] + + def has_contents_for(self, package): + """Return true if 'exclude_package(package)' would do something""" + + pfx = package + '.' + + for p in self.iter_distribution_names(): + if p == package or p.startswith(pfx): + return True + + def _exclude_misc(self, name, value): + """Handle 'exclude()' for list/tuple attrs without a special handler""" + if not isinstance(value, sequence): + raise DistutilsSetupError( + "%s: setting must be a list or tuple (%r)" % (name, value) + ) + try: + old = getattr(self, name) + except AttributeError as e: + raise DistutilsSetupError("%s: No such distribution setting" % name) from e + if old is not None and not isinstance(old, sequence): + raise DistutilsSetupError( + name + ": this setting cannot be changed via include/exclude" + ) + elif old: + setattr(self, name, [item for item in old if item not in value]) + + def _include_misc(self, name, value): + """Handle 'include()' for list/tuple attrs without a special handler""" + + if not isinstance(value, sequence): + raise DistutilsSetupError("%s: setting must be a list (%r)" % (name, value)) + try: + old = getattr(self, name) + except AttributeError as e: + raise DistutilsSetupError("%s: No such distribution setting" % name) from e + if old is None: + setattr(self, name, value) + elif not isinstance(old, sequence): + raise DistutilsSetupError( + name + ": this setting cannot be changed via include/exclude" + ) + else: + new = [item for item in value if item not in old] + setattr(self, name, old + new) + + def exclude(self, **attrs): + """Remove items from distribution that are named in keyword arguments + + For example, 'dist.exclude(py_modules=["x"])' would remove 'x' from + the distribution's 'py_modules' attribute. Excluding packages uses + the 'exclude_package()' method, so all of the package's contained + packages, modules, and extensions are also excluded. + + Currently, this method only supports exclusion from attributes that are + lists or tuples. If you need to add support for excluding from other + attributes in this or a subclass, you can add an '_exclude_X' method, + where 'X' is the name of the attribute. The method will be called with + the value passed to 'exclude()'. So, 'dist.exclude(foo={"bar":"baz"})' + will try to call 'dist._exclude_foo({"bar":"baz"})', which can then + handle whatever special exclusion logic is needed. + """ + for k, v in attrs.items(): + exclude = getattr(self, '_exclude_' + k, None) + if exclude: + exclude(v) + else: + self._exclude_misc(k, v) + + def _exclude_packages(self, packages): + if not isinstance(packages, sequence): + raise DistutilsSetupError( + "packages: setting must be a list or tuple (%r)" % (packages,) + ) + list(map(self.exclude_package, packages)) + + def _parse_command_opts(self, parser, args): + # Remove --with-X/--without-X options when processing command args + self.global_options = self.__class__.global_options + self.negative_opt = self.__class__.negative_opt + + # First, expand any aliases + command = args[0] + aliases = self.get_option_dict('aliases') + while command in aliases: + src, alias = aliases[command] + del aliases[command] # ensure each alias can expand only once! + import shlex + + args[:1] = shlex.split(alias, True) + command = args[0] + + nargs = _Distribution._parse_command_opts(self, parser, args) + + # Handle commands that want to consume all remaining arguments + cmd_class = self.get_command_class(command) + if getattr(cmd_class, 'command_consumes_arguments', None): + self.get_option_dict(command)['args'] = ("command line", nargs) + if nargs is not None: + return [] + + return nargs + + def get_cmdline_options(self): + """Return a '{cmd: {opt:val}}' map of all command-line options + + Option names are all long, but do not include the leading '--', and + contain dashes rather than underscores. If the option doesn't take + an argument (e.g. '--quiet'), the 'val' is 'None'. + + Note that options provided by config files are intentionally excluded. + """ + + d = {} + + for cmd, opts in self.command_options.items(): + + for opt, (src, val) in opts.items(): + + if src != "command line": + continue + + opt = opt.replace('_', '-') + + if val == 0: + cmdobj = self.get_command_obj(cmd) + neg_opt = self.negative_opt.copy() + neg_opt.update(getattr(cmdobj, 'negative_opt', {})) + for neg, pos in neg_opt.items(): + if pos == opt: + opt = neg + val = None + break + else: + raise AssertionError("Shouldn't be able to get here") + + elif val == 1: + val = None + + d.setdefault(cmd, {})[opt] = val + + return d + + def iter_distribution_names(self): + """Yield all packages, modules, and extension names in distribution""" + + for pkg in self.packages or (): + yield pkg + + for module in self.py_modules or (): + yield module + + for ext in self.ext_modules or (): + if isinstance(ext, tuple): + name, buildinfo = ext + else: + name = ext.name + if name.endswith('module'): + name = name[:-6] + yield name + + def handle_display_options(self, option_order): + """If there were any non-global "display-only" options + (--help-commands or the metadata display options) on the command + line, display the requested info and return true; else return + false. + """ + import sys + + if self.help_commands: + return _Distribution.handle_display_options(self, option_order) + + # Stdout may be StringIO (e.g. in tests) + if not isinstance(sys.stdout, io.TextIOWrapper): + return _Distribution.handle_display_options(self, option_order) + + # Don't wrap stdout if utf-8 is already the encoding. Provides + # workaround for #334. + if sys.stdout.encoding.lower() in ('utf-8', 'utf8'): + return _Distribution.handle_display_options(self, option_order) + + # Print metadata in UTF-8 no matter the platform + encoding = sys.stdout.encoding + errors = sys.stdout.errors + newline = sys.platform != 'win32' and '\n' or None + line_buffering = sys.stdout.line_buffering + + sys.stdout = io.TextIOWrapper( + sys.stdout.detach(), 'utf-8', errors, newline, line_buffering + ) + try: + return _Distribution.handle_display_options(self, option_order) + finally: + sys.stdout = io.TextIOWrapper( + sys.stdout.detach(), encoding, errors, newline, line_buffering + ) + + +class DistDeprecationWarning(SetuptoolsDeprecationWarning): + """Class for warning about deprecations in dist in + setuptools. Not ignored by default, unlike DeprecationWarning.""" diff --git a/venv/Lib/site-packages/setuptools/errors.py b/venv/Lib/site-packages/setuptools/errors.py new file mode 100644 index 0000000..2701747 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/errors.py @@ -0,0 +1,16 @@ +"""setuptools.errors + +Provides exceptions used by setuptools modules. +""" + +from distutils.errors import DistutilsError + + +class RemovedCommandError(DistutilsError, RuntimeError): + """Error used for commands that have been removed in setuptools. + + Since ``setuptools`` is built on ``distutils``, simply removing a command + from ``setuptools`` will make the behavior fall back to ``distutils``; this + error is raised if a command exists in ``distutils`` but has been actively + removed in ``setuptools``. + """ diff --git a/venv/Lib/site-packages/setuptools/extension.py b/venv/Lib/site-packages/setuptools/extension.py new file mode 100644 index 0000000..1820722 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/extension.py @@ -0,0 +1,55 @@ +import re +import functools +import distutils.core +import distutils.errors +import distutils.extension + +from .monkey import get_unpatched + + +def _have_cython(): + """ + Return True if Cython can be imported. + """ + cython_impl = 'Cython.Distutils.build_ext' + try: + # from (cython_impl) import build_ext + __import__(cython_impl, fromlist=['build_ext']).build_ext + return True + except Exception: + pass + return False + + +# for compatibility +have_pyrex = _have_cython + +_Extension = get_unpatched(distutils.core.Extension) + + +class Extension(_Extension): + """Extension that uses '.c' files in place of '.pyx' files""" + + def __init__(self, name, sources, *args, **kw): + # The *args is needed for compatibility as calls may use positional + # arguments. py_limited_api may be set only via keyword. + self.py_limited_api = kw.pop("py_limited_api", False) + _Extension.__init__(self, name, sources, *args, **kw) + + def _convert_pyx_sources_to_lang(self): + """ + Replace sources with .pyx extensions to sources with the target + language extension. This mechanism allows language authors to supply + pre-converted sources but to prefer the .pyx sources. + """ + if _have_cython(): + # the build has Cython, so allow it to compile the .pyx files + return + lang = self.language or '' + target_ext = '.cpp' if lang.lower() == 'c++' else '.c' + sub = functools.partial(re.sub, '.pyx$', target_ext) + self.sources = list(map(sub, self.sources)) + + +class Library(Extension): + """Just like a regular Extension, but built as a library instead""" diff --git a/venv/Lib/site-packages/setuptools/extern/__init__.py b/venv/Lib/site-packages/setuptools/extern/__init__.py new file mode 100644 index 0000000..baca1af --- /dev/null +++ b/venv/Lib/site-packages/setuptools/extern/__init__.py @@ -0,0 +1,73 @@ +import importlib.util +import sys + + +class VendorImporter: + """ + A PEP 302 meta path importer for finding optionally-vendored + or otherwise naturally-installed packages from root_name. + """ + + def __init__(self, root_name, vendored_names=(), vendor_pkg=None): + self.root_name = root_name + self.vendored_names = set(vendored_names) + self.vendor_pkg = vendor_pkg or root_name.replace('extern', '_vendor') + + @property + def search_path(self): + """ + Search first the vendor package then as a natural package. + """ + yield self.vendor_pkg + '.' + yield '' + + def _module_matches_namespace(self, fullname): + """Figure out if the target module is vendored.""" + root, base, target = fullname.partition(self.root_name + '.') + return not root and any(map(target.startswith, self.vendored_names)) + + def load_module(self, fullname): + """ + Iterate over the search path to locate and load fullname. + """ + root, base, target = fullname.partition(self.root_name + '.') + for prefix in self.search_path: + try: + extant = prefix + target + __import__(extant) + mod = sys.modules[extant] + sys.modules[fullname] = mod + return mod + except ImportError: + pass + else: + raise ImportError( + "The '{target}' package is required; " + "normally this is bundled with this package so if you get " + "this warning, consult the packager of your " + "distribution.".format(**locals()) + ) + + def create_module(self, spec): + return self.load_module(spec.name) + + def exec_module(self, module): + pass + + def find_spec(self, fullname, path=None, target=None): + """Return a module spec for vendored names.""" + return ( + importlib.util.spec_from_loader(fullname, self) + if self._module_matches_namespace(fullname) else None + ) + + def install(self): + """ + Install this importer into sys.meta_path if not already present. + """ + if self not in sys.meta_path: + sys.meta_path.append(self) + + +names = 'packaging', 'pyparsing', 'ordered_set', 'more_itertools', +VendorImporter(__name__, names, 'setuptools._vendor').install() diff --git a/venv/Lib/site-packages/setuptools/glob.py b/venv/Lib/site-packages/setuptools/glob.py new file mode 100644 index 0000000..87062b8 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/glob.py @@ -0,0 +1,167 @@ +""" +Filename globbing utility. Mostly a copy of `glob` from Python 3.5. + +Changes include: + * `yield from` and PEP3102 `*` removed. + * Hidden files are not ignored. +""" + +import os +import re +import fnmatch + +__all__ = ["glob", "iglob", "escape"] + + +def glob(pathname, recursive=False): + """Return a list of paths matching a pathname pattern. + + The pattern may contain simple shell-style wildcards a la + fnmatch. However, unlike fnmatch, filenames starting with a + dot are special cases that are not matched by '*' and '?' + patterns. + + If recursive is true, the pattern '**' will match any files and + zero or more directories and subdirectories. + """ + return list(iglob(pathname, recursive=recursive)) + + +def iglob(pathname, recursive=False): + """Return an iterator which yields the paths matching a pathname pattern. + + The pattern may contain simple shell-style wildcards a la + fnmatch. However, unlike fnmatch, filenames starting with a + dot are special cases that are not matched by '*' and '?' + patterns. + + If recursive is true, the pattern '**' will match any files and + zero or more directories and subdirectories. + """ + it = _iglob(pathname, recursive) + if recursive and _isrecursive(pathname): + s = next(it) # skip empty string + assert not s + return it + + +def _iglob(pathname, recursive): + dirname, basename = os.path.split(pathname) + glob_in_dir = glob2 if recursive and _isrecursive(basename) else glob1 + + if not has_magic(pathname): + if basename: + if os.path.lexists(pathname): + yield pathname + else: + # Patterns ending with a slash should match only directories + if os.path.isdir(dirname): + yield pathname + return + + if not dirname: + yield from glob_in_dir(dirname, basename) + return + # `os.path.split()` returns the argument itself as a dirname if it is a + # drive or UNC path. Prevent an infinite recursion if a drive or UNC path + # contains magic characters (i.e. r'\\?\C:'). + if dirname != pathname and has_magic(dirname): + dirs = _iglob(dirname, recursive) + else: + dirs = [dirname] + if not has_magic(basename): + glob_in_dir = glob0 + for dirname in dirs: + for name in glob_in_dir(dirname, basename): + yield os.path.join(dirname, name) + + +# These 2 helper functions non-recursively glob inside a literal directory. +# They return a list of basenames. `glob1` accepts a pattern while `glob0` +# takes a literal basename (so it only has to check for its existence). + + +def glob1(dirname, pattern): + if not dirname: + if isinstance(pattern, bytes): + dirname = os.curdir.encode('ASCII') + else: + dirname = os.curdir + try: + names = os.listdir(dirname) + except OSError: + return [] + return fnmatch.filter(names, pattern) + + +def glob0(dirname, basename): + if not basename: + # `os.path.split()` returns an empty basename for paths ending with a + # directory separator. 'q*x/' should match only directories. + if os.path.isdir(dirname): + return [basename] + else: + if os.path.lexists(os.path.join(dirname, basename)): + return [basename] + return [] + + +# This helper function recursively yields relative pathnames inside a literal +# directory. + + +def glob2(dirname, pattern): + assert _isrecursive(pattern) + yield pattern[:0] + for x in _rlistdir(dirname): + yield x + + +# Recursively yields relative pathnames inside a literal directory. +def _rlistdir(dirname): + if not dirname: + if isinstance(dirname, bytes): + dirname = os.curdir.encode('ASCII') + else: + dirname = os.curdir + try: + names = os.listdir(dirname) + except os.error: + return + for x in names: + yield x + path = os.path.join(dirname, x) if dirname else x + for y in _rlistdir(path): + yield os.path.join(x, y) + + +magic_check = re.compile('([*?[])') +magic_check_bytes = re.compile(b'([*?[])') + + +def has_magic(s): + if isinstance(s, bytes): + match = magic_check_bytes.search(s) + else: + match = magic_check.search(s) + return match is not None + + +def _isrecursive(pattern): + if isinstance(pattern, bytes): + return pattern == b'**' + else: + return pattern == '**' + + +def escape(pathname): + """Escape all special characters. + """ + # Escaping is done by wrapping any of "*?[" between square brackets. + # Metacharacters do not work in the drive part and shouldn't be escaped. + drive, pathname = os.path.splitdrive(pathname) + if isinstance(pathname, bytes): + pathname = magic_check_bytes.sub(br'[\1]', pathname) + else: + pathname = magic_check.sub(r'[\1]', pathname) + return drive + pathname diff --git a/venv/Lib/site-packages/setuptools/gui-32.exe b/venv/Lib/site-packages/setuptools/gui-32.exe new file mode 100644 index 0000000000000000000000000000000000000000..f8d3509653ba8f80ca7f3aa7f95616142ba83a94 GIT binary patch literal 65536 zcmeFae|%KMxj%k3yGc&SCTD>S1PQP}R5YmQ5=~qJi^+zl1UE)DtPsG8blp-*!#RLg z0>QIub24npZS_`f<yJ2Gx%RfbwfBl*uV6xG0{-MjRTOJur8;p@W1&fqnDc!<b2dM) z?S0+v>-)#|`^OhvIcH|hGc(UT^E}VYJoC(K^_@E<yCg{t{F$aC?Zcb?`Ni{pesFxw zo%Wkt>DjE;rth;Yer@_4k$X3I);E0Tn+<n;+jI9__ucm$)$@&eJPq1?o_p`}RNPkU z`Sy3#+;eqK&X~ef(Wh%$Pd;(of3Tsy@11*-?Gf=`u?u)lX)Iw+;(cKCl`JOSKK7sD zeHA+<-V4}nyl=nv?g*9f_b?6yBx$kDF4=y~YKCCCB)cu!mL*9qBV~z|I{q@eUHI#w zxZet=Nm4pR@o(rY`E3@_kcQ7q0+8}iX7L_=QKB^Wyd=#Mq5o%(=5t@`n=ZtG%HR8U zwR+EH6(2u6f(PM6ZKcj0_0J<otFLZYbC-ITBt;MrZJ&Yn>-Zb>&yT9Ew!oxAMfl)C z#Z+d`C?Ev=lGJ)}%Ksnx|0)G)SVf_n2-;d?f9!~MzIJJ-=wKb=iHfW2QCpC29wSNm zA=ztsPZ<@3t`2ENV!bW?>DIbrM&c*bCbqaRzr~R~Z-r)Gl=RG-p<NO;x4P=0D?)s` z$m_KCdCiWD6_v>}ugUHp=<&@N<(0nQZ)pc;t^f@UfdU)Xs*a2q9hEj|W&QGS`}Q+V zaO>`-aSJ8yAtP2OBNk%M7Utt!$6gfgmQ40WtW_PKSW_r1oOg}p=vZj3XtBjwwJ#E} zLMNCsnAlP1f|%AM?kIHMo~S5v2kZEcbEs|ZrY(iCq{N>@V-R$%P-2fEhzyjmCh@Sy zXyr*PE_By~_)26%86IRFp<L0yrY(-_6^RN*wl=1!sbqzkNBE#Zr|)1xR)-`}qV{=I zsuT5#vQT;fwD0ZwJO~iAMI5M-JD`zRj|c<(+4vp|@n?~!ADWe%G6eO$3}GdB)>9Ya zkBHB1hGv2=t60ZM@2flwcy2#L^lN{0=%0Q@MjzL)ErkWFb2Ro*N07ImOt!9YmgwvP zqh2yflmnST)@Q6JEa3kv=;e&Js^gRcx7ile@Me+Xh_`B=wJ3|47Z(=9j;P;M4jj9k ze|zYYnyGIobV=&smWsjxVw3XZ39!ke-gcWd&f8i_T!k-^@^CA0*s%-oQ>v?$_-7%o z(GNN8XT7J;F$I$PlNQv_oLiavAq4>E7I2dQhlE)vSn!y;BSSI+5(`L`#@q*i(+$dj ziMR82oKzstr3NgrEei6^p%m@2rUhVv>rK-H3%XZ<_rUh;c(a2dG)%uOg$_v@w_EZo zlu%GsR0^7TQkP%ahpqsf^)t)7t<j1g+Tx`4;LnY}eDrxiuoH=ZlK9$8(KPhsobi4M z$psZiHuGF42=%W3b2x}s^KXwz;=hfa!6-nS00F@ZB2Rzdm-tMKM|!J2$OpkDB&e<W zp=IqLfdhi+jGDI_IfSX1CsWBNHQ^`>)|hz?tCY-06G}<$V~#?~heoED!!4L2akG@t z3k(cUbnpdgqwk%>`n0WAC7vv#rU2V~=4eiAwpse1#pRD3*UlGpF7&;UP%~^>-Uq9> zqqY#gDuX1JM-HRLrTl?x<n8>L1RW6Nzt8%&-UwXtnfuqbCmh#A4k1U7-%L3c7Zx(d zuhG+B-K2d4zoLVczO#ufnYJw*t5&k#)-NC8`0Z!%(?;tLH)1SS=)o%@p*m1Hza}bC zH<@{EP=$nZv|K=--J~^q2RFJ=UsK7|s*{A7<k#1>>2riBOI3;<EmbyBr2Q;!)*t;6 z%bAU*;bM7n=w0Oq89^D~`RGjkug?ON9(0;MXlio>B9VN6@g>xk)TvhhOKNMSeI?sb zNT@@qXG7GtAEH*Z*I7+?xX^=^+#cd{e*xu~c+oK%QC`k~8T1Fj`XSd4etuu)23Ly= znHbY_evF#lbUsH*M$@PjpbB6kZlDn4%Pfry7Wc9o2a;HxjOT7A9>$Ks0zkIpxF}-P z4%J+UwB{X!v+x4J<l9l;41|Nc`2wVB4jNck69S=U@yowNLO-xFpm5`+mK}<8p^v+1 z@>vU3b1r4SD4dNJCLBe`P~a!!^eLzUU1z9JMV04G)5v%Ur4xPh4u|g#Tc-(r0PB00 z<2OM*Q-Cajywm3kTRsx?bLZ%s;?w6_FF__SF*1GDPvs6}`fAHZ`iq5gfrnJz3GS7o z<!S&dC^NOtiE-fBC#iZl6nPcM^GAV==(P<NR;%_=#!(%&0YabZIMPv&92tc<Zx7b+ zhXzbD$Xkg{J4C}ln^mO37mVbwG|+Ar#F^zd@x=IC!wbGLO_1QAONu%pJ?DT&$271> zuc4jxwz7KJ_rCH-tFJ@z@NXc!Q<?yrLiCS+GL^7*>xa$m*N_NRtT_d&`a7duuH`>P zd%}h`&|B{GYny6$%@oA-ep8*S_YbNQ*wMBx)7fGDgK2FaWZ0dLJaOehDVhGlqZp`r z7Zz^Qt{~7!1nOpo+s>!!UDMjSGVG3o1-MTD`U{)X0)7~njK(aO!mRqVS*o4ZX4diz z7)@AzBH#*!OwC!#-^rCEBXGL5j{ilBGX<T2fkEhQ4%vX(Kg~1H*mhHs`C@8C`##CF zP-@@Z>RTv<qVAQ@pPBn4bWbwF*U^~CI`+^PVzL7sfQR?ISVY=gn;M0{7SlKW)I}fC zqn9jO+3r350+pLg-%ap_Gfi*v=m#C!&(myW%O}ynm4I*oqK+MG>rZEnIJKR9see4J z?c)sQ$RrZUz7CZ}&@|&(WWQ<q`Sr-K<@HtG)|Ku2_)JVn%I2W6B{iM@WID!(VycU$ zAsB9F=2CVh#57s7&)3s1WBcH0)V=8v_Ii;ZdYh|;kGm9nx5OzmAxm<M-r)(EdHG#_ z%&)8hSU}eM-Hj9UR#%Y!30j>6oZG7`cz^_)daDP69Az2FAzJQhYnWChD$L)$+G%bx z&7w9mR1|a&sE6y@t-J-J@>a|Gc{fUJ9G}Xg6OuprJK#0?Jp<5bfq@`8o;q|BAqcJM zjQ48!rGWu;JZ~<LXe=JXw;{l)2MihWpCi@?07-K~${g|I>b>4p%t2&K3ny&<l5~GV zu3pxR9szB;9|4i-*m?a+N5i#!@8}=cRcFz$=1jfQrgz)4Ua)YNY;U8N3$K^;Kib>6 z)6|T!KS#l1EVxey4i&6w$J3D-fJnmY;zyL&4<!g*Eqe#L!`;_mM+^g_OUp(vN<5Be z^757py~8$Cr&@$5?KKvp_9ylZ;IzB+5AEvs5img9peJqGr>M}ieC4Y4zD_DwoiJ30 z5_=SJD^>f%DnzwDB3tkBl@`9nM7`62cB()9jX5~Dm1WqE>OH3SAe#W)`7_C8+pfMB zJFd=-^{P|*4uT0K)k$y3)D9UFllj~KNTvgXauGr@LJse7Q7R@RDA(z2H9$+ML+eE& zl=voVrX{czY;0=zrsg&^7y3DBQcnlbCHkTK6wlSv)Ot^a>WupS(t25KWYtdJD_Ul0 zy-WLUG9529T3YX>gnVr^CFHB&()t2Q@MyPDf=8_?tuNH(m)6hH=0j$@t^Sg!YDQJ1 zuYFT*)BGE?V&5z3C3>UFt~~e`G$NV?B%)>wUwRqg;i@z=IXRJXAM6bDgMFlKS|1}* zTJt0-&ot@>P~uYMKt_<u$P@-s+AEV2S~BKcqvp(8p=QmyT9cttF;Z={RhCTEe&@TO zUJAU`$*i*|AeRR6H#UONQ7ve}-xCCI8I5u>iv`@icGQ&50s{!#;tR+P0W?sZB=UJS z28Qw#@F%T&Xsr_aIZ!Op21>PA8)rgy4p7O3{6Pz%JAtoM$hIO)F4a7n)<P~(I+1mw zsEaBknp&{}E9S9cg;s19#kgY<l_YBuq7zou(m!JkZ_XDZ4C_c<Sz6z({V6&l4AE>$ z761{^!~%XE(hS<N02PLEysfKNE<cjeOV#;(?@T_jk3@Cm;TkXqt9DZgBCHyGl8OLl ze024loZPB+*+B-OCpyKzSXkfg%OQ2FrJZf>ewuU#=}f4+5c{H|(n(tWZhp^o;Mq!< zRjo5}SyjYX;$XSHob{6zO6oY4v*QvB236~|OfFpmxC~b5@TKpZgpU&#G7W#1xq3O3 z<3MV!e|?(f)~nX1p%Pni43kl^-$5TcR@NVMSZL^H&<bawx`(eNaR~J2`!Iu(Y+J`C z0zJW~Oj7XExkMpn(#4t%;~T4%mFFE*dY9bPI3TH+th!&nYyDR#lIdl<5c*6ThX%5o z)o1{K7XrAx9cu@a7Dqi{sAWL~{fq}PRa)=Vrtpf1n0nDaYar&YVxnNp4wBU<488MS z$Ov#F&_$zgEukIg3U&rgqrh#QfipJ&H-3{?*0{{-)2wH6CJS^m=O+bRE#HY|gu`h3 zQ11%GUd!rT@l#r+x3&A9Q9zx3!O@^49vFz58}EaJqv95q-s;fX98f>E-&ixCRksAc zLU`VdHD75rv;+qczU;=DL2Y_V&_vjEBUm9@4-7a;8wVN=CKo8r`Ay}yo6Te;LW2km zCg&ma6+&MnuR~}6p@HNqtG1-l;zB9z8^>xc|3Wh`P+C9Ga0W~Xtd-{^<+-e)w&b4$ z@#<dU(6x1DULnRdkk-ueAh5lYQn#C{Kar$Ow9<TkRf^br*Y%_?W&Q~$VHP)oC;9HH zFyAJHX&yxvrvM`re?)<zG~~~V%taK#?<|y#csf;eGzCh<9i|=?_0I;xt5KQHpov;L z0t+x44o?z#lG!W+1*D-aOo%nPp=W3UKr;w$Yf^zMxL9ud2w;v07-z$oAsD^vS<E{m zby9@hJWyh(w=tq-N(%FBH=s4EKk!SDDm?gZ!D=Y;rpVJ_#J@uO_xbUq(@|JK0CxjG zFWX1OhSkXt3h+-+2B}Ra*1Ku6+@(}+E7&(b;`$3RaW^!x%;!_nXlmd+RbD!!1QR4B z_FE9rm@*gPmVoPDY0{)OI<ctVMFcMX1r<MMHnOpPqw!?iR5zQ&PgCM#k=SEs?-`A! z4XsQ6%z?14uc40j6+x?IsGlNoi+Mf&0#Vk_Kfue#FyBrUdP=0G3VR(9^kr$|X)V1p z(52>5nT;nQH;igvjVF^ojjTuW_pKostir4{9NA29mEyNid}uN|4TxhrlC)WdXd>FZ z?h-VBx_toZ4Q;2-s*De{^r4;Sf;^URlfi%h+fm{Ob0O76slOabjS9;G-(|(y5k&(3 zek#h$5I=h*8r>7(VIL+i{Pd0V+%%S+M@0Bp@q8Q%5#q(@z7U^EjPS`!G$(+(`k}%- z#O*6nN~f#>J!8|-`3^7o1-QI(ZAuFG<!BUXr|7cC9O~=~<E*93KqBxcL|`r$JUY0_ zXdKvAeWxU?Elnp|vsSWu9$wq`QH0F=+T|}~+vqdKAAFvq?^E&4-RSZjDSd_`s65hU zRG&`TX^nKMyq3SQ0JH<6%FzP8jJTHXf?$dS7hfb2>L9cj-g!Tk8}ZggIXanNhBaH* z%$w8Ym-akCd{i@ElJ?9)<M@uU6qL**g5q}2PGrmCpJS01uI2wm>6rRw2KnzPg>MHL zWA%sB4CVRi!%2H|Ot>Z(icp)l{Aa9616{Nh!pveS`i2Ma03DLWEO3U&EX$~V4~xO) zi_s8B{5_ln-a`((@w7x)Y?Ng>9x2X(W=@XB{D&Y@N&83*@i)+~?fi2zq<b^Kg`y+v z5aP88t>nK&lp^`u!hZ&&FuC{jXb#dH{4o*tBfc6Xo9PY^qOa0PMpSJ{ZCzqsyow}p zf%M<BWuSR#dCqtgW@LiS;}ezcXc|UfBV(CSnU7I2nZp(sTV-Ruu`=IS>A><O4X8m8 z`<KIx+&Zk48f8hn92h!L6_u+_3i0uI(7<b*=4U`~ZN8*mCh2QsDU3Y53!Q#7L%$!H z3eB4xo3q*2<}}l$JlC3ZDhFC?g1j3YAEs5VX3xrKH#01r4Y8i&cuYB30<u}{<a<eR z%{NgJ^vkx7hmh%A<n-49l)a-~r*D%bZ8pX)TSl^|#co#1><!+CeC5cfjpuKIoO;QX zn!?_AW&vMA1)?e2-dwpnrP{Zj*_<|HxB9IS7{EyBwDfcxYouv%BJm`o#n}5SJ@>yy z&-gy^>=Dmb#gmKYQSodQ&%=1~zFyPB`l*;#0}pG&_qGP<A3uSmH3t5s{m%eUQpd3P zFA&gIum6fH1&3i4>aB!9U}cE=Aq(N(&^msURe%fvtfy@-U04P7ip72!ds&zS{&BQP zfb0S1(?^*E(%8XXe_@jn|0by6J>q*uiPa<2GTum>1O`T;OFUo1v-y$F@r)f;V$*<6 zxxSwOBxBbhyp$c;NNYJb+cR(3rm@O_gUW%XWq<TbdY9tu#j>Q=+o~LhwQWXHG_$SW z5jNrvBb%>H`Q9&KJunO7*<L^=h;ktBPP~l0f^>TYN%sn3?(GrjM9l7u$cB1!?on^i zxm~?p=dyZfRh62Dm=dqUXFWmia`&ynVMq6Z;jpdSi|}><(*!Z>E*$=p)}4=V)0bCj zv$1@#`k8GT@C_RK2^%GGo{Z!or=xEdC3Sy{6c(r8w_3+22VPE8$VUwk?|v1ZjJ?#d z?luIe*vr0NEPYiH|0;?VH0b^(Q6Pm!7br@3K$LQ`y0q!bh+5I~<vKOL>B~(@{BERM z?U4}bzJtJg>$C~wsYFPs)mz=A_+;Vl>b`0??CGA4aEpE3_1cuC2W)e-iRD9CL7-ID zLCiMic?H0A0^lhkGFc%~0KX@IHA?JFdf%(WUZeMSFj1hlro{Hsd$SVTOYdb$?3Z{O zdx;woaT2be^4!6ovG*{7T!u=A;%kW$=Y`c7EJ1>o*h`$ppM(Z)v6oxb##)uwlhE!L zK|BbE?rM}zjMBeG`2mMsRATo-#`XSM<p+O8w<|HUP15;7)dl8RhCjKgN{Rmvqg>NL zPiK55szNTw;(m*0{!-DMiCyRLQJA!hU8fN=;!ohIB&twBXPo+q?3dk7A=(!wGR*;f zmH4Ab9Mw+-q9dQRF(aRtkO%#|sinU_GzQmLfG(6X%$CM}s#}Tu+JSZPpq9P+VJHV9 zPKiuBJL5!5YDD)oz~~%Qe-}8Rt@jtTDY45@HnsU*=;L2kq0UjBUo;Smkm)WFrzQsz zaZ(FGek(>;EF>{BP3w%4xKbs_@hyu6ngw8|fTKh!qlHy>F)CtYnXuY`0oli@9KP4p zxmNRteU+CaBSCFY-H#O=Jk~#|5j}R|7;01ZpAg)=bGW@hevqcf-LE5A?_aO{-~#Ga zVjtqE_ur%Jcu}N(Q~CZ}jI(<Gz3O-M{`=HfdjEHn_!IcnD|)HPLK{d(>RqYcK--f` z*$u-u^BYl7987l&tm;-akLp~@;>4P3jf|vh1&xdm!gT*1BCt>!eya-TOo@qvzBZ|e zQ2iNDWtptbp?AvNZz7_NZTj+?+C3IKAuc7urGmA#W*FkVeLpeU9(>ulfC;|b-cb+0 z5TB6^X%<Qw>XtM(`pIQ=fw7l3m7PqEu?nW_-d^ex*@!pOr$qxsd<Oz4p)`d~h8&rq z3ajISrYI&Ma?}RR;$;Pxhb{D=3(TWzKXJT%s9^iYO(<RUSVE)ar%J3fi`NkNI14-+ zZrV>${!Og_Ogsu`H35A(O_T{B-&NY!RG*-ckbdHk+HO0|vjjb;+l<6Mq$Ue>zCnpS z2ekn9jv3VFG&VekjGbcGz8tU@^*K}|I^kYGwg>=6O-KB9C~8h~{7t+%<45rXFG$@q z7euEagA%`$O73*@wt3Wii!!}!nDQtuEgDEVNO&H@L}t+dCE6duOzQXu&}83R+a_*t z_&PR>?K`O-m-^lvX<SMec7h|`W&K*3_mnRBT55ETVuwp~p@I8^9=ez{SZ8*-mN8u* zozTuQK_62nm3Zs64En5I#e|GLc6$(Z{nJ=O=xuZK^QFcv!65zY-K`mRLCxmeCCUAX zz}cdX$`oRtgCQ~-dxfCh1^&upuQ!#>QA4JXT_&C#wmJUf{F~PzJ;U$!y{?@r5_;)a ze{z;kSR(>#DXe7X%}ph+4-@QPELf`|eLpD~P<#ctkO^UZ+OJ**V<{Lc%j&ADlKD^D zh9X7D?5ESzvDO!l)qQ}Km>9K-c6Fh+qFvOf78^LViKdv`C4?Z?Mm>D}Ux<sHrkH}T z{bB$T9}@}U489THt;{kO)K<u$jjOAT&an#NS6e0M`$=U1ZK_mV8*knE4JHVe8aAHK zFcU=dU^F8UI0qg3C?b`?O8zG-Foc%XW|fLW)no3Zk5>7K>T~>yb3k%G<(9(Q-eiF; zW^X3gPV@i@BfZ3523R;XaoaM4t4g?fQV<VPLD<~ePx?Yq$D4a8z-364{**`yGcn_9 zu{VoRIR+OHmUtLIOw5N{j&^^5_Wq5TtfdgKQ-D3T*Ov2llcss3edmNCzcld*zqAN{ zPvP$i{0-pmrYrr@dVGuC5m`p7(tDsgVeD<hs`T;Hsx-BTiu$7-OpNcxSQ`%eI+Yl0 z+3uk^uu;4d&qOngC&@V-eut#XW`{q0jImkn@E1xQ{!7Pn_%B1Wq{Ba#_7PbQ<=fsy zIk3<2>e|xA*Ok~9;<mt1D%&LHDM>8Dmc9>rVFv`@;FdHt*cs>|&PpyPe0UP`2eD=g zvFfgbQ|!MPHa(pX@+5W&jIJDok-l1%npPJ!4WXp3E&+NLPGjwF!I|Z_iN$Cc<=?U^ znZZOzzo$!rJI}YV`NpupW2zzj{GeLXVuu9W`n0TN!|A}^<;Os!&SP2^>!5w2kEXSK zlwqH1ZHplztSactN=M`gEK3rV&LEFnX(6w~j-W+mrHrb}^}uPE_qw+H$a{*Nr4ow8 zzFGz?FS2RJF{5dTqbb?YQR&zY>tcGecNr|O?N!1;-1-;v**su^4QMcbISfGyV8u(} zHrJScDG^rhPt&Lre=<w&w`&dr<q@ntyCOx>8-P)A48e6~K=WdCcfqdgpaqO6I^4`F zK}}d6kG*)cjinU7J8j5RgJojK+lx)wDSSUVPHfMn%&-B(Q)XB@^Sg$Yn#i#yh~@O~ zVsRFx43?7=Ef)2sPGY2yYNLx2@%IoSZ-cY2)IzclGvc!#BZ>GNJRx94d^Q3p^_h5& z!jF)M8oNlT7}k16tTxu}c%&amYj-5hh}SOCB5QZV4~f@Pt>X1d63xedAT%NiI1<&4 zPEnH$n$emj7>RQLVK)z0v#L&k)I^8W+9{AF*2UBSh?;rJK)tBMPMUdlAe0b@qx*u0 zz--_|=gQGEUJdhoI6@_ud5iH05LI|VzDc?VJ|^iFrVO)~h{mtX2Rs<jUT=0GdoE?K z@BUA8pnw8#vHWzrb`q00b^Jp8{8bHKB&t5u&yU@d8_ih;nmb;558vwB(<^{vG&k%! zJh^pdo8AgDJAVQjA;2wTpWlrwXQZ|B#86U&mE=rW6*#udOc?ZQ44FTOV3_sr7x6ac zpr5hbACXG@(i#&w7m{89U!rw|t_1#yx@tppqPMRN40wMVH16RhJWc`wDK%sSuvOl( zhGtSQ23Gg1ffEq^g;!y3h5f0%X2>^&JPJgM^)vaFePM&_EvDU)I+oE9Fs07GIqHqX z11^%P9Ja(^f5Yo6;XnHbcrS5cpTmkjM)3ePJsfM5_ylButt7FO8?^&$xs!Gcs?X>b z2Gv#YpGi2Dv&9d&6BQ4+j6e@0KF|+?vzxumV=x1vQd_)ri+|f97U*XuQLFZPQzNv0 zA%k>}M&Ys)3L$~QjeLSY;hfdNb|6kIP96bux0l|%;oDvCM=09?jfL4?gx*}APLf3? zdW9{Oqqf`4JW7W@2etzE<v<4eN~O!3>bQtSkrV7NztT#^ri)SK{5ncM`jbVKA(V8A zqm5NETDO0WB>jd|L}{&4iQSGss@PZfoA}gSfE3HzR_E;{tLUXvReu=XF_)L7-vPGW zI1T&ug(L<K(H?`(O0+|jU^^TJtCv|P+|^R7g+j>uD|W&H7y!uIhCFTlmu0not*lf@ z%PpJ;soA9gr~1Dvt?jQ$qirwINSJ_!P(z8X|80r;trDZo$YvUmPe56~N*V7}HN7l` zUbJiFQ3s!dfm&=5g!m1pD2!1O-JKPJcN0a2?d;iL6=5p90XQYcAZI!V9BvPRgvII= z<UY6B(l`@%0aevw=B*$-!(YX+-pB~^A0xFr>WVx{*aQ%P2W9=~sEz*<6$Ha^)DE+C zm#>U`NgC@|U)x7%!fC|bQJSw-Fsaw?)Kw+OUnVmHjbnB*a9TIrTV@F`=E$%dDJoE{ zNHOPT@UOs6VaxZVAY)PTUsB>f>;z*ISlRduY1A6QU9eATGOKj5!%ZL9;a7P+P4oXu zhQz9+kmfozzo;Lh`0P4(oZbabsc?{gTtRZ;^mW2kS?P?m-mmCgUm2CoWTw8v>Cs;? zS0SUm)`78mC2JotUs5$NFlJ#(0K^R^uL<!j;BeBq>EPJpG_u$FQLQ_~`{8sI<jY~X z5BHr6Pi{>ac%$yfJ|br?mbEn9!Zyl#plAg(29qyxaq993=Nu)WqY^=ggyWgg5_M&Y zpdmD4((h4i*n9jYW9dMOmd~&%XK$OXUQ@bM*2V_;Erb~neJY5aoK)H<Ywq5*H0qCQ zQlDTBhDE(`fMYf$RVHI_W!Ab<9q|m-x1tiL9m@*|+ZJFb*@nrGYKJMFZ$cZex59sk z57?Ts@o7{px+DZaeQ6n_Tc7ur#TXrI+SG*OFI5N`C1So|&e1#bc_WmSn8P_M^})g| z$1$5&wX$6=6p%E(_=1_WYzlEl=m6zLPhw&-Uf=4lsX2A#i8_81%m7n(SnrUx4@UAZ zcY9Ajt`fU~Sp=zJ^Zdlf_m5UCx0nX1-JJVdD%Q-iJb55^UDP*sf=9gOB6JS+k*AQT zX!-nE40q9~JPo6)*xcm752*{l5sA41;nJz9gLNkFi{|qz2oN^pd>1r@w}B5jB_~LP z2GvBz@Gwye!c#g`n=Ob@$5oF-2yJ2=AEdmT4d;TyC9{qB$;>+bA$=O^jVu&HK4E_b zWIKwTm7;yh4<KPRO`k7m<AZz#eH2?iV|fL}=dgMGu(uRi4MCOo8We<q#cTTB*m!lc zYnk_W-xt1sb8@R+o5nBn4Yi_<{&5{~%;2!Y{U-2GeuZ7_FW^by>(lJs-b$e-^uex8 z_YNtpTlEe_{|I}9wEOK#Uk`1z=?18z#e^6*kkn=swo*x(4YhC;wXpuQ?+@x&e6FkI z8K=b5&i4oHt`OV^Qc7$M*n^!!;^NY>CiIo+4e=k6IRn<Ccmv930T-<-f(Tk2(H%gL zc-;vM$cPedNA?^6r)F3%teroKHnxMD`WXi>WQ{b0wsmK&RX%S`$|=X#ookhCNZGc? zMGp@>=Fr1Wk03o((_?+&r6#oIX6-0LNq?%hiiHo%0Lbwe>-T<H1phgOUKoYuVWPo~ z>3`g2EIsFYSshpOGWKvb0B0J;;R3Pr9Ne=4_JFJCASN1ch-~a<)#uLsJH92a?)!t@ ziGq7585s9aau52IEp^!s7afJ`bq(Jt%A&4Fp#vW95D%=z4hro*uT^HX!3zQ!R7%dI z%{YlkWf*Ybj#f5>UUqM5dusBp-*XyMDxo5XAHRVjECJKc!11LP6L%wU4tUl+zKk7) z-t<VpU60>cbWELAvkSWx|4Lu$xv}(&QQafl&5^VedHR?41qOhCL(SzYfG{apR7rXi zehd6DB<&$TH((+Lff_Licu&>&&Z=;Xa&GeQ02a#831Q&@0{)cwt77%-W*x#g6dew3 zZ&xR^NH?~t<D+S-N*kTZL%UFEb4F!H#*LM5&0%fuh4Pn7Qs*V@M6IPxD24&wmmBVH zaWzk<^q1so9GjG9{ICT=o53f_1)nJAB449(Lr9zu5!nLysAyc$N}t~%!{MK@_OJlC zA6?!e-}s6;z3KebYQD%>(2;R<WeOUO%|p=iZR1$<8+?-@XiIcP_f*iKdFp5nBjJA| zlmE>}5E$jTfD_!&veX^B!!|{mD)!dLfiakI7!4&)nwbF?Q56J6xBCB<2Ts%>w%swm z5p;*KBsC>VeZc1WcEMA_>6oUa+}=pE|FnRHTlYl^yFJg$z<7}J3wq`~P0uM$(zEyp zdX_zo=h_{4hs7)BMe&;QsCcD6EMAxH6tAmx;Pv<q(p&Mu*@!*Qinn9WKD-lHQ68dr zybA+GXS#&24gYu3$34$ZUnq5^KaFP=t<%zffe^90ScDj20k=CQY~QrpwAO8V`T>NY z?pKA-Fd&Lp!bN`fM?ZqJfYZweK*9>n#u>pxsO*bYa7Ws&dJ+>Tb%xFz>O`IAsLm=O zQ2QL1+O_W+C!P+B$?f~bQkVu*9G$TNH?NtfET{|e3vWV$wJOgaW^Kk+2kj|ub+&!r z%5F<+b^ZM3KYxLSLd<UfT=e=&l(EHaYj*i>)A|w*O+oYkHMGSoBW;P+hf!CE(DpM0 z5b}`~H#WHA9D{t&+~_d#B52-Al#k5v7eFU(YjZ4}1Rw7A4d+_op8>QZP6-}Zt*%b& z`Wy+$bBC4Z?7qXBCKR>#gNcW8=zG+2J1;>KfMPkenBcs6613dtOvDF}1+@iHGXVyL z<Hr4%MR`xvA|0vF*LB06>yW9I-&s!VRgnTfUyT5WT@?XTEPx7$YC8f{O>dh`&23to zF~!xgBb|y(j-~lg9wm7w2?aIp$RKhh<&KyLNYvB=$&f|G&iHAR^HX5#J#vKzvqvZ; z5zD1q_M?eAJ^F=7o19IHb5YANY<MLV{mV(4P;D;iIM(!ur`eUXcSzDg-y01F$#zGJ z`)Ma>aSx^JC#C#K4-ABlVk?97?-pKri`J`C^lj@Tbt2mo!F*JPJ?y@BF^sVe{vm+d zqdEL61~0Kn00=xne8s}G?|LjIF2RCpJ-QOp0mYg#shJ`Ey|aMdO+dz?2ouoA2GDf? z9U76r98&W8OgoJV_Ce35rr%IF@VKibjibJerNfk0;jX6-4r)_7(<um2Ksq*~ppyCl zoHekV`;znY!LPJ&qd`=FBv0vs1LW%01JA;dkI6%n7v6XMv}w;eh8*tT?Kg^FQ|<(H z!uJ5fYA?J@VFAy@X#PBU6VsJlKt`M*DBbrc8mq+qk&wfxq;*bN4}uLJZ#Vf@v`MiZ zklW2}5nh9^@_Z*uFk1xWu+~LNBEW+%vXNYnNO+MXgfvlJK&!FisPOnrU~%IChq1v~ zx|Ayq^`nZW#?Mgv8we$|&s%b1aHBqmi1J(|gyl&0|3P?EF=J5-t3HilzI9{{76*x6 zKTVyaolaiaQfY&n%~GD5Pre=?SyxNb!}usy_@<yV+ah28#!oN{sH|+lH1HVu4R%J% zg!RTQ_=25o=w_Wjt+Sj~N)rDjW|z?nquiM&cO{I+QO=!f*|iJT8gmx<{kLFu<1Bw0 zAl=VHESnbFr#Sq+wvD|gdn;`i%!Lpn%BQ|Ch@zTg*?+Tko|QZJIOIT)My(9TB-mjr zm1SwF2S`&TpDryX9#P`UP%bU|hwRsvKtDhT+>zBJ1RbB^Yju~&e}L^~@^yQUlTv1@ zBA9`54bp31Vp;A`Vs+FFo;0-R!Oux1PR36uu}UPq&<xxl4(!6&r}UW;ygg;Uk7j?E zbav5Xk!BlAd(Ye$8J3W-tTIwY%9LE1?uKlIjg^sFRz^}`zTI279&YZRAX{%bNv2JS z{~i%Yhl;`362EfCp7+o`Rxa=95^v|8(|E&m98A}r-soD(7MHu$8qUB`B>R(Gd?_QH z-I&v|IKQB|xp^Xe=(awPG&MqF<&%bKZr+(s-#&t279BQ>_IM%5!-)So5yF^4AhqV( zL(&Wq!D<g=Km9X4w<j+pdy8lL1*^HWT%}yxc7~?S6A0Ep=5TNs--@($z3dtIhrug1 z`V|kM@4}twlmM)Tr)1W;{Gk^q3G=dc^*d!%Q$WiId*~UYAz@`{zIG>jXrC3Eh!|EY z7vSS$K1aFuPf!CESr0vX5x~160L22pe2&WF2S?JMN02hMS{W-)vY$P42(hb(MT7jG z0Kgu46=5+oFX{|(T_hbv62&x8SSw;YiXi4Zi37hwjAfQJW6M;XSo$borC~ii8Pgl{ z23`)Za5%9Q4#YA!CT!o<zY|=cj%Ar>YBo>+6HO(c(p3ZS!CvGTNzSBX%-rEqrFFu3 z0Co?<?3bD`fsn<-a`2Lp>&&;<_o%rvUkg%%s5cxToQ5N<Bay_aVYD8w(8^-=6rlb9 zoUX?}UWelC0uK~T4Nj*bQPBuGghm`55oDks)Mz;Qe+?~Ie>>rh48y<;K;Ii;b9{a3 ztU9BFw-Hxj#G4%AwBo~BI7~y{qtquD^1>whtP>}mT4}6p>h;5OwHsqC9ZqIF)>vD) z9`m%V7;6i79wo0|ml|-tf?lQpw*fhjoj*v*f!0om%5|)ayzKeCsC3kNR>)f$KpTZ# z(oS2Gu8>(A12ijc0u{}-(1z)|n~*@Jn~B)-r;p}a=23i*SyMmcD|z_=^+VW1hTN%f z(vZ(5bO4ecS%Xg)sAi!w$^tEC9))hiq5*bPOw_*ztWpE_|GlaQ{!Z2H$A+rj`9D={ z=EZ=LI3$p&*UY0PvmQ`%vRUl96ePQckb_@ts@ZwX1kkaveV8H>K#_cc^bsVyzH^9H z=5C@AQ7jit-+@eej-XrjZy-qM+$X4WAH<%?*C+=za1i?FCX6GUl`D33`!UI0WNdYV zc!d@**%TtCdBS*zs2`zLnixwFCz2Rj*LOTbOR4gXhi*l@yt6VwDin(KJ|WcL2{ELQ z01xS2_@d%yBd;a^VFhp+mFvhrvzs^vVRPd;PL|GLdruy6@N~4G9q0j96kkkAf_QJX z2+%UYGU1xVL=^aR|05&-o+3oyB@x=T#j51j9Ez_8cDG*jM$lQ1uh>l_<s=Y-(QuMC z#D7cT17F~WiJVIuFbOAN`CJKp4|{u2(@vz*nS5HG@NK9_)FVe-{DU_DLtmnD<S<cQ zrhN>uohmV!0kO(LP#4N@EEUEoXInA56`O0t{sKJlZJrhT*oyhB*gICN!iv3O#j32> zek-=3jJlF4`2{6_TwNHotTB0O1lr;fG+}riY+8d}9p6U4L%mdI_0qplMx>#0CAM`P z^3JT|XEDzY`-GsY?(L>fDo!{8YcSNAFr^I_G8MT({BkOn2e5fU5+J&7BR1$EhzL7* z)C!{q|C&MXejRWO7HlQ95-6}@;>JkpheGE@o~8F5C;HEPEAq66kR&1Ugosejns4c4 z1cAIHP<u##)CqbS0ZM9)UPeHYIIvl`n`Ckiec4TN)R|5hAHL0xg*icqyp|~MNy(fN zqfyinU<?y975;A|@JEh<CyFUMACGCE1t2ixb`cll39%<)T5`RI68VRSW55-a@n3)~ z(6#qOnrk3<R)J+G0Ia%aNKsY|arX&OIK|y_FXrwsRu+^rnYjC7ieALsWL(PRKSVlN zQ!M2S8y4n?u0%EGkG+hN>*Ykbt&Ao)n-mt{*6AhKP?jY%94~Hblx12JK-Y@>_8|Ya z@ic!yo#WtT9ZhQv^f%X^?+AQJXI8yOn(O;J0_UZLC<zA`*1OI14muNBlL+(&Q4U>I zvK2;A{g4N$!BrACM+=}HS^&Y8>{gx+49pBTn;Or7&0)~d?^^%W(6Xq8yvIX)Ll=!e z*wS={pMFrA$mhcL+bNOhSZs5^_4yh!1ui~0e3JMy1D}!~Vl@W`hY4^|f7+$QzK1ln zMAo|oja+PzpfJ7bbNw(p+ns=bCHrT>9ey@n*N$Ez=Xur1SBo$?&gYQTNOpk^Xaw}_ zR6l~)D4|tHof2!J(sAHyexk~T(_~BXi~4W&UBF?rtyAjg)El2yL=?b=>p-$vKkPxR zwAFGyjIrd9F_|1PCa^X*UbAC3yDeO=Q^&Sbr?DL#6@K`&wKcp2YIo*AFcyszm!j5| zYPnfXPJl+OgQ-YV_ZoaNtm<&qO3g~q3GRleK3%mOhj1-}V-2>KW!mcyelxy;ubQEC z)hx0P>gL3T&+t(6O=xD+&fle0>-{z*HrGlxLJ6P<q;CgoO!zPvAGTkhMTinxh;U>* z6xe^eG3%&($pfjV<2y?PZeXVz>$Lmt-X}S6iyKo8lmZ5udmZUzmo0=mihCbW!DW$U zC?|3ujnvSR;S!V~*Z7@Q8ITD0$oqlgyp1Ix{w_Jpf9A7yMC~ukowZPk+<`)h4#N-~ zx`B|O;c=|D*FvM(Dgs8t-bfH|@N`=*_|`ds>J=6Y_VcmpvIB$y(5+twa-`bh^4O%v zER<BoOVDTNkK}dHb14s(lfL)WLj8iNPK#m*4oR8&6_tmROqT-baL~NI*35epx(gFl zEFkTCC8p;@do>S{8j64{(^7QTCPawj{E9(rUYit}h7g@Mp(B+rD%YhBM7<1yhjko^ zmY)OsH;9v_@%1SW(nOfOU-XAWxkK-FG;FHl#i#~n`^z0+U;l=xeZq~Ye?uDUw0FXS zq=3~1_=XRtBH%J1u?Slf4StbYpGsA)ZM%?$#y!g4gc&=$hmLyDlC={t181roA^xKH zK*znnonf-!iY8+`hF#XfJ0bma#_17&frO%jJp_&EKzcMEXZ^8tMkn$yLF%Dl`Yw>4 z?>r1>nzNv;ej>%FDeTauQzHP|`F8+mk%?fR2YJXB3A>$Dv}_6O>pJI`4$z|xdtn_L z6oykV;-p@u!#CLQh0w8~eVm}^@jpS;!SMOKAImQEat9glJ8{GzLpNtNa1>+tdtj3z zb%M&K;`9!1SUAt#w!K80p86b@7Gy)H)|OV~D-R!J2Zb++b^AohUj#H{RrBnJmFE|_ zYeUNO-_7tI$E`+ke!O?%WY*}!{;KbMLl#>m+u!kBXc%*o-a5<oRs$C7Vr4W`*0BFc zbTH!TgX9T+m)+nHDM<Ge4LiB?!^vgXqXphBm|+l51X2iZ9#GSA<X8&4uA($}h|`y# z_#%UpKISiM<J0<%>Rq<flx4JEjBty=O$T(8%H};T_HRVfM;(yDF3~7Y8Y>4TZF7J( zuYC{P;2|#eZ$@ns1XCPM;#jMHR0+Iqo+R;gfNhVIEl0M?$&$E-bVmD-o(%ETU_qK5 zT9z0VTCrP2XVN;7y<A&bs^+qj-#X>g+nn}yeXlfp_N`W@{h;sg2D!9UbKq>XwL38e zq{ncRI$BE>X#GOE<|NlX;M7fa82thi>H7$<C992UY>PRKC9C24uAi5c_&!R{iJ)Q_ zaOio=e%|+XW8t@sIN8<}`Wl?tU}fU-6#9IV{SQFMcVf#QS^WTZz_zX_`#$!*w5-m` zH6-xKm1R4J;@c^{qzuMH>wApi^UHoT6pvH<>axU8{6UIOE&IVx{2_|xmi>_8nJB*n zadYDu>~fw68(Y`FEdh<JF;Bq$88#|cV+35jYG@n+f9xp%x%bSYho2r5c%)1R#ML=O z>`-aY0k5DhzSZlrYqH+z^mR0xLDTKk@=9OZhIIN2I@h<G#Z(4=_Y3r6d(;yN5;Ii7 zzMS$`IEhhDzmUCcv6{!)qiNxyHgyL6Wc;luYSSwC25>;?I4VwyW0G+f1n&T$xSJly z)#j!Z>;$g|Bg4t3LuMJtJ6XHV6?LA@Gt{CgEVf(T88SN!jZ-e9VBAUm#{oibH$9RQ z4p5tS(<3?N0JVBIJyKhjK|TR(Falj++}F_91<p7LvX%zAv`h>H2Y(B<CAczRh0p;- z2^jJ*ydbM%&^Y*WTySWU*=^vW-x-TmBOUgm+twJ>M>`j-*@0px<!XzYa7>Zq2!_fd z?y<jITK!(*Bv$<%F;?9Qqhc%^Jl{*6;#*-Oz<~v8vy{_{j!KzkZdy}oF6{~@CxNm! zOG{omIQ}Z}JN`gjAiiCU7`6b1u*!hrtg&c~x0Q438dwrX9I+U57-4}u%Px+t5K;K{ ztf$Vs7db7JPyS10-V<Gz?!#&1n$*@WNa#IMHWAFJJlw|GNcy)oc2OLQ7r@g>@N3(^ z%P&G^^+@ezF-7<mvVlOWC{*E53eo0nJ!~-}NHb}BiSTl}Qs3;dYlY13F7u@SXp)*& zHl1F%Wi#lNStj`(qocRwV(L!!5JV2F!csx(&57+{Ow!C!VXq`GthHD%9d4y@@W3}d z^h>zQ!m|l?sHj(CaaV|o+_Jn!u--yr&%?AH<Sz2{0FJiGO5F42*_2t?l7UUDzli1U zkRddkcYk7<Fo)4;SyYJ9^NIVPKtInbQ*DbvJcb>VFkK)fvVRhFEUM$v!Pjt!3mawm z$cOr0u}Y{--h>0H$iPmPH_a~#tJg+twfrpT3RoIRmxOAAyzy!<5uD&a$ss{`>32d< zFhttVlHvaaQ((lOBmugVkdySwv9Nm*6o6ntcZQ)%Aof&0-zuOeDA7Fov^5QaM?$T) zHDqM6KVt{HldRJaBw5WOT@a8R#&`%%)BG8l3pXwW2L5XXF21XzDf>J#6V3{9OGa}V ze3hInQ<dl1;d1{HO>%(rcr%lZo5J{5?QF>~1I}h!B`QF5u~Rs2ipwChpEX_Z;6|?t zS=vuglB44$6TCJcp=C;}8)#79sg8MBT1I8^?2_b%;sY6R>Fg;G#63WSpv$!3ShV*@ zGOco9)BF|cdBXNG>;YmXNOw+PuhiC5G6Ta+Pcp~b3eTUw0Nvgf7&z7qU(Rtii^|hh z+=K=l(Y~OzfCbd00!JAr+&V8yU4-lV%5dg32;iCgT~aG(WKK&4nrAi6#7b?brO6!r zd<w)~X=dWnQfFm%2x<}8Gdt2Gq8Mdxb?1_<gavOoinHq;$+QjKjd8|_)mo^obP5^Y z!QJqhHLdkP1acOtZJx3YPBGSMU^g+nQ9KKs3(IpR+6ET{92kdJ1Kj@mgSEAZ#&diO zCVjNecF0+VS{H1%1?~e_YHhfQ^|yVTmT)L=+`m4^3*Q1*PZ-`7SERDr2kSyqz!BJy ztOBa`(3M_Bu?tTuS;?(4HABVRdiQ!DrUQS7%(KuSb>36tj-g!*n>Ku>RA*;8K@h7Y zXIh3Wy??VdCYrWv4}HK5RiXqes^Z%LMDA8rR&n*l%Sd9KYfGo8xqkmz7~juZuRpWm zXHXlQLW(+TkM;Y5b-30gaL#-SE+?SMHSnB!6a5C_AU3@g%m04N%g+IdY#Zd^Il#kc zJNa;7VgM`BFHjt7Pp*J_y$X}Q_Mn;fG$r-;&ML76&=B|Mj3IB23-stM>hK3q7yl4) z3c&~3PMC6^L=NGYg!)2t{NIa&T&F&eW9ZP*o&*eo19&q+r=wu++=r}t$W0CCrI8Bt z?;&^5lp@9Mtk@yd@97tUQ(O1al8^lV4HFH{2Y0GD@pd(<@8}+KbV#noom6OT-m8SZ zHsICz&Ah`1dwVQ1AiWQXI3})uYbChAId7oH+XLUP%mcTf<YadItcL5yaH&*wk0Cs- z``$8&se+ZOhFU>l2|s9s?}qu+GD(o?7bga`z(b7AVKfwQ9bd&7(*ohyh+`4}Ub+Og zv~|&8Yi1q(z`|cSP+@cEU4GcPtrj1);c|rZ&7h1mZVgY->F%t)Hmt1SgWY1&+h`wk ziIt#zPP^Pv%D*f1Vm5JwRO$jLT-;(^AH~_i0pz?cc3Lg`8R!Yedb}i4O-sI(SZGo$ zMQ!bgg@ePPuZBYdsgTgG=p#sh=EN=;YjpX}YHr_!jV{m#ESP4%jjCI$Fh$&sGdARG zV{Y3xncoc?+o-#V&cN^r^5AYFTt<{n8}c7wSq7U?=`yzxe;l~sE+qF0w9H+L-P`LS zyb5Z{uB#34r~ixcI=Kr)c1o~<NIV@uCN}MdZsZYch+NnCE^M03|AgwIGlp+Qy3eW| z8}&E?3<Oh~_1)h_xEb>lY7N}$NT3DGrK4abA)Kgo*3{O8qP9e}yQbEtcfuZK=8>=> zqZ=+=N_-_{sg~iAwcoHMUl`H~|DeR_&;rTZH|c#rd1w{h)U0FwDVo)N8{&f2<jFM3 zHE9d99Y{7JEU-Bd;r{(O;X6exbR(Wpmr6~vfB)B46j7lve*tySO&_m@aInFh-Kxz( zC%X`Kk~1YciI9wU4{PsRgY?6!gWmRI$wdgSKnh*!2AE^r$4(vl<k-pVBigyXv#bYD zxNZ<%Tzwzek2U1_0JlkQP<(*hn6;z`A134OMeiwuWQ3f3@8YoIyApeuoxt5}sAnav zQq(VPf>4QDbFm0TU4)q%80Ig<ZH+aNXYL(7mtnb79KtP?@*3k(^cS7fn1kgPpl5q0 zvGq>4cVPW_N8w!k%Rwl;KX1G`F?VBP#ecb2HVzT!58yi4SA`b?HokcpJnUbfZl{PF zk>oRLejvmQH=%*0+DR7r7CLCtbRWUtdQMc0GX~zneB53WmY7JsxgPxBf|Zod2bsaC z^#TUXFw*vsD8s3eZn3<={BD8y-F)-Avv^(#5HmvD4qVGVp>f@NoD6p6G0b_;>7TGK zSQ~alR?VS_5WXJ4chmd`;}eKP*Ud!gqJH>H{<sD=5YvY2Qrsmh-(G`xqMJV}n8#Uv zP^OD2chX#X%4<OGp3_jDvaeY9xz2!>=^E&IvG)+-cV%M^_&01SS0H0MKv$grs5Or# ze{;CeD&O0U=GE4*vNezey^K^nxg<}=whvsAzk~U#Wx3i9o(+e0lk$hTOUuO;4{qj4 zl2>04XBKhf3p<6i#H3_&!u-@$Y5C=joC$cF{3W!jqt2D3>B5^fj~M$Vm|SQkqX41q z2T%b2<P|Js=I{^2YZYANlkj<;Okn&Cqz!pI)0U$v@(dBi@hSwcUPkG;WY(QbXmr1d z-iF=-DsbbnLw|(3pGQ*4ZCHu_2obUD6l7>Y3>2D36oLt^mS3MHXxT;nz5fClr6_(g z&5ZNmC;~14*6HL!T?_*!%vVHtjCz-|@_{NWfYVq9UHf&K-&hC=^N&yg7CXr8M9E-I zy78zABU=W%n&G@W?8Qu0LFxuGkGjMv)ARK*Kbna$O|6T+L`^#69$NTe%8totm!w@g zstZths1|A@RqXFjEbE6;4?L#pWi+}9BOlnJ@if*Y@t06S%G-H%h(Gyfd?E*y<6uV~ z#6AVi5o+s34s={NLIlf5uA;m&lJFu6NR3z>mHe*2<gXEcH*zS&2y;W+XH}$5LvL(+ zEyRl`&i{bYhx(h}je^_xt4QkJf*wZx3H$(JBgou`7*3bKRsOip$CwXe2J3re<E&_x z_xLh$I(Ka-;0C~i<E~XSAB#9>h>?FG+|6B3U|-OciP^-Shp#}#vXgWHA5YNa6U!+q zq};yuH@J$<g1PN~sO5)$A+&~=N)4?sb0QFx-Rto9))BY;aB?gTO%(;5xJVOItA;GS z6_+75B!}0e7^caSdZCNP>N+-9bU!#^pzU+qcXRI%2RJ6N!&X5ogfS!cW}_M>(lIwZ zfe*Ebf@|4$_;a(+fU&e6F5DR2dJoz(we3sCE&7)WHrk^L?qs(*e7DNlO|*U1q<`tz zFp0f<BAHm6=IA>yeZ{_t!7Obi5STtGS&+D;Yxv9K`^c{aAF<4kr-vQzf@8HZTke1_ zmA(3$ai@cpRCwMl!x0N;(N4*zTI>7u4{b*MIVBEz6z)~*XZ8JU7aY+A;K^H8`rhA| z#@@HXm?m-|yYDTeyybfrCsN?||6PagyRzmxAaK6m*)Wm4a^kbTx2CJWcd^}}O(&$T zO<t0?wM(QwYhg>D1is$|nkYqPH#_KxLQx{SSvHo)AToTevB1O*7qscSN~{T$U_eed zkFhYIW!is2{v~+Ic>0#e+UgdNtGQYkY->h<h<IsJqawiv@MS^P6G`BcHA#d8bu0E& zWaTHX5I`=Fbre+Cf%tEzVJALG#01`1n3W9}8Ain%xbF9uuqvL#_uX5>?AtOhv79Yn zC|3L;L^vY(C8_NL#a`w7Z<;&Q)?kGqzKblWva^D+h~g})^-+JanYz>}7pa3)<rYAd ztLgr7Nz2k#I|fCHz8M}K_mJYi@c5QU!YDbSM^*y~SgDB32}iIw%Oid-I-FQM_DoHp z%8f0ZPqEmb2{}&T3s7G=!ESWu-<I7%I`*j4B3P9u-6*5>3H#&j%?M%nM&-lef!)5j zxF+{ot!{W}P%Xn+lGGUvThXOjoAq?c<+5_^5yIE&whQ>kp@q=!7ai>|DzP=9c19f$ z$s>&8F1nuZB+A21Ac`DkZgdS-L#<8zL|-DCxMORp!%Qc{SfvY7W`--&hwRbd0Jad8 zc=lZv7M)4Ey|o<on4M?s_qGZtj?Ez{2LA{8?=<|f;dkJ~>n+;3sDoV)i>|hh75n`- zH-jEcA%g)`CS%Vo^jhM_(t0R?r8p(9shquB^hR5^6FWQ$^{ReTZ$6`7g^<`efS2LI z`*Ubd|3D8#gO1K7jsQi{X>oV6_6pY4m`A6R=Sku=CoWqz7RrfR5Ri?94t>qPR0wyK z7ypI$rKPgG<?vuztQB3=yrdk*yEZ!ni$Nqm={r6>C^KCCKePnH(pwNhEInLUcsSYH zMK#c96Wcyf*vntjXy@2%131BRv+s+<meK(>&8T)^0jzv~DG<Z29w_ku0@xTitNg%+ z5L8dwc?Wc0zkYtf#*FBKFqz|5Iee>Rt=!UY=RF%PA!+PSEVc;+x04jyWuz`9C8z0a zP;et3AKyt09HrxKlTn%hWp|r{ZIg}rF;RCFy>6=>AcKtZ{igs;$2D+d$8_A5SbQzE zWQCGl#p=%`3N9G+E+|OKU+*%)vT>_}G|H_qp1!cG)wL|ngccc3S|rn<o1P5?O^xG8 zi@Y&PKTJwg?5tpKBt7DrD{<S`lt)Y;jpQLYcM03pK%(M0T<2^ow&BiPq`>lI+%#ZR zT-V<{52V9tuLLh8L3{Ji<yXM}V2RDRbs(|AJHRwo+n{3!Mh_(DgQ7_*d*Pd+#G9ze z+5mkX`T*kiZW|s@25CTf9m9s2F+}g&kpX3i7*NEQzalmU6wrH<P_~<7luG(mgH3k8 zu<#kKu=-rW`31Y5NJ(zbpzp1C%BhhJWX%{-&KV9J2!X6ZIloR*nx+$<lX5N<WPP2; zif?Fq*Qk&8I}$0fE*VAEfXlEO75M|0>5gV__imv8s%5AodpfBay=|iYK@SFKaA)n! z`gu>Nt}$DG-8}J`UfpjdbHH}`%ci&Y#3wXN=Lo&`4(0{54(6M=w14Jc_S@PRz1<CO z58ufK?mMY%V^gT$zXS6QVBXP|C$S{L-FYK9dyw<mRL-o6zP;1XgB*GM3HZRUlc*=P z-<6d{Gt?Vl;|{Z1U51U7yYv!M{gW|8AX)BWE~p&+OU!%N4#9YA%g&0K)r9jKI4BOA zDYN*os)CgcwIvtV!Lomhf%vd$BtIr?^VgEUcxQ#zocTJu@~whVXw<U`dh^Jl_z~#M z>T~Rl^A0wq2=ksVQv3&T--<cSN^FnE$Xv{BarkbLwH1&hAwi9ou{TJ-2NGLKz>P-z znVBn^D-8S%Dw>y7pTWRCJv%uY(qn<`5JRE`J$=%kf*e{lfB-uER!3^0(2sg#_74u@ zeg`UK|3HdCiDBCf3TcQlZ;=fE)DVDCBd73MX>n%uU>mry8C=>pv#Bv#(y|5XL25qF z^05&n9mv|!TtSltfaHuYXx0NX=SsY2p}M3?Oo~o?mUROZ8H~u;#u#JqSQ2{ZLaoPs zjN}?g*Fmh$vE0P{He)`F%a{13&^QZnW3DA83tFarDJ79wHRQxiju9p&yOE5s7iX5S zPAT9u2VnQ0f2q4R-q|na&DrhAn{dUUuHF#hhY!*=#Yui>7P*An_97irPU5O2oo*Uy zOh-vz=E?#LyJLd<zBXDrY%Rb6BQbbjLFbGdr3IZAHR<>@1MDHwJ>lqR{3b&uuKRc$ zRa&(RM0m(TfwmKzbj_mbq{47k@OqTc9^%<gP!){>A+hT{dTmTLg5;Yh9^SeHWDVf^ zPG5p0ObJX>BS$}QtpRL@Mtm;(zl^;l;yDM;Qq3i-!QHSe;4YHOc?FQc!u3kLQijC| zsD%F~sDR}K4dDj>ip4gzraN(+OJc5dkxPd4`v&&TmSu%$r;c7Q_Rd1_&ATqgv*|(_ z?NHdXIT(ccj?t#VW&9LM1V(fCO9+gvYLQh{cRA|8<q{rsEL{q0S&;6=DPwd4Eo9!r zW)iLHV!I&tETgv~)6t~Fb|S(Vncn^DVBD;7C*lRb0QSuw%P{9=8VL`gW?mO&LX>$m z-~lI6RXK*E5J9AvdGFyn+a;(a3c&7Xd>(S*x&q~)n?QFXUV&&!oZ5%W|Ki_-47X%6 z(Q0oier1I=N8(f&F4phVH{(93yq4hH=B4MFtN%i`>qOJ&mZjva%7L~Zf16w=u@t|N zC8*A#SM1f;Df0UcD-S(|f&m-%BOMFxd0<LRMB$-j-MCk73Ph5VvHN8KVQD`KCgGqF zGZ>7f<DRA(*bWm^Pz|n5Bf6w=TUJEN0bvC)z;Q^lHVAw7xgd*ES279YvmA$ra903~ ziK<zG7|GsNx|axK#EH3-9eMb!@2B=lxPuWaG+ZWd7*%LT;9Sl{1s{d2O5aaK*_0h` zAY#U;d{dMw?7Z{fzcMdPo31?X^&VNP4}#Qf<>k6SCe7GO?X$W$1$etD()gv9Vi~;F zCn%}JBUFzlG%bavdIc_e2^!)%?=Kt;>=SrU%PeegG`3XKr#yK6E3D-&$9I<7GTy?n z`3_|+%QY&LlI~o5@E#!+04sw(UjlbAOA19tfaBt{6O-buYH*haS#ZIU;3SqHLg-Hs zuSrFMHxltGM10k*4W;Z6`f7@<Y8kh%>B}+rAq7FL4k^cPF$PXBT7m8RsSpzmmpDjw z(ki70#|jhi*+>t9d8k}VN=CZ*CV?+O*aWS7?aGcDMH*FIBw7N4g!15Gl-=#Y7fUc8 z@=E*|8dge8sz&-qlL!y}Da!v>O{!#%h_6;(D$kEwxNxnGW=+sVv(lnD%hwwDe!ni- zoR)g6HC%rGcEK}))V{s{`}Tc<hF(E|k@npw(g=@H?OQ<Y^W%$X&=vwo{8d9pPOHwF z=1S_Gc~)D{2-{wQw7)Kzg4=|s4fYP3kQeKT7T7zi7Ca5L*YJ|JHx!C2&B3B3(F6Ns zO(H?%7PX1HD1)pGw?xy?yOiLb#1H<&ew-3A(VeWls3Vw&6;tNFCBUlFzLx-f?{9l0 z>9qC<EY3&D3QMr9)>{HC`gjazkX!(kNl;e$`2}+?sVj5N5W~RbMG#Yeilh*{Kq7N- z`TBlJleBgEegUIi6-{4RDkK!Ye(|3$(WdsYeuJPfC%GUcy$8s6o4ht97ee3rVQ>{3 z*i>?fSUVT;29du2q~QO6pzaa7^iC!aDH2SyYB^>J-q%+0le@$TI#;BJhU*x>X_1dz zx5<3Im6y*H#lbF0#fZf#2J+6~4Y=t%4*)nya{)$p3vFvi*Ad5XiK~d{2YC_&;{G)_ z^N738ShjLt@wE>91DpC%ke8C8!RXHHy%lqCamNHAt94P%)%{coTzgL^C-6sytKd%{ zXq3?0V#s7l7}AWv0d&MKAn8;p*_K`XXxr1skZRj_e%o+C)TVz&PM8<lhud@szj_!z z7#R6;&svQ+YBgrw#f?$Wm|W4Ajv!w*lNy7K-^|{M3^e9i8mYTxAQ8Kvr@Ls()v{CE zhE~~Oc`mI#txn>vp$=Ak8g~#pgOEkaztzB*z)dvpU#TW*zC*i%^otfUrgsg<oidAx zdCQmoC2)sbB}zs~Y#m<0mwXN8Eei%e7lYqNAQKEO>xN5v5AXO1A$2ZMX_kg%wV(<c z%bUh1&$)Ul#!PYGZUX$=5<0QyizTeXI(=)M+#R+c(40lwc(fEUf{q;CM01l*0;X;B z<2AIM>7t+Gz<}TVG4u+y55@fqQ~6UsY}D@M)fS$(ouQTV5b`>jrzVexEzt|w)aI#N zy*R^HVsFpgJqzGszw-<~`_IG)*zc4z>|D6(fMAI483X=4<m#rM&C+qtIIY4vG^Isp zmi>!x@xnA5Z%tk@9F=du4^mXSwa*9zdvm_ucS4CD1|OA7qubHlHmx|ZnXXEN7wgnS z;0*lz@p~IMQ+O2fS>f%E3)S)CGy@y{NI!rx@H7_Z?IdD!#rd6>sbX_x<Bf?e8G}Zn z8)Zzl%5aM^c8n^+U8=cJ1|0a`D5}QgJ(w3XPfI$QS7ewa_5E}h;2a$Whz6I5-@E~V zYC(}vJF@TnT5!i`VC)C2VTX%e*UzVIsZMN8p^$2Zg+kU}qkv|(aU`Iic^dCQne1@% z%4LR)%AH8wAvk%E%pG0JuqQJ1(IA+Z`HjQ<;oD1okMpr~3NjyTKJtSt?vZ(XZHV^3 zzbKs&qZLp|Z7uocN7j5ord0GEJiB{@l&P{&Mj*+&p*>)DhIFP=QW{8&p4&QuZtn=V zZZ64JWj}sasaHP&)^HcKRrvz$Mw{OVxOWpg+%}ZhFHktf{@9bmBIHp*J5%CknLM~! zDg$THjev(0pF!ntz^E@IzYsSTJS0hu-vSnn7@Eg&KT%>oK*H8?Yd@n8<u}}rs91o@ zwlQbiG@gGSqRkFrPrIN~dKG79l4G&ogo_NrNXqJzh(@qC!Y76F$GK7%=410wAb9zl zwRKIuc7eKRn))GXX2nF4+FA=hxbVHj4r2lCd&N3h-WPCE)#?@aRU{?$46^vD3zQ%H z8v>?Q0LdAhvwJ6fe`RYRwH-s~!y=QFLVp5(V+N``2PuwrW)S-D;7ncuuNm@@yQl^5 zq{4{+04@|hEdqVZ!7$Z_Giqz;*Q^}1waE+%5ds8dJ=VAn`)kNLqK&-#SD1*x6dLXh zi>|>AN)PEo(K~LOaHQYF8ty96%N`FY>%bYTCBzzVI`a7f9wl}PErhQVybREN)Ngz~ zK(XBinxh53W5rw$6x7C7i=e;-u05IF-tOm-duy5A-?ga(-DGv@1pdNwP-OsaOTX{T z6jbRHRG||$U!zJtr~(%S^;t9)hal$sQ0PuX&<juy=;P5f;%@)sr63L*bI?(^Zve#6 z&hW%EREPVNdVqD``;&WTB0EnEpt9s8L!?Ausgc&qqXse1>ztZJw0smo9EP4mYn}Lg zE^>m6i=>XkJzX#^h#3U`@gu{ROkxZINommdM<klsEClhJTLK&6Ad4}9I-dn3aAN6i zc}djNj0pPfW{938?dL(*8_Dqqo2(%r>u`JO2f|PrvQbQc$+@G%oE*SJV!9|q$nP8I z6q4UgyoLO71cdzNgDEnF{N|6yuZQH<CFIvRBER`V^80h@;(6Om`0H-lG<US@9w)kg zO?HFi#CI|0V-sDyH{n=-AGfXLOLmGLuA?eJA(CFygvQ}sD>rRF!-bZb3l^*8N6734 zE>CLSUJ?$0JlMN{egkf}CFo+la0=L)c$<dwMLzW6RAOounA#ac75rWR(2ok{Lj>Q$ zUfysYQH_xMymQ19{rHMwSr7e+IHEIg&za%wfAmLxqx*k|M0C99esJQ&eLrE4S_+%) zUwg>Vbb$Q-w?hbVkqe)I`pk_o&lPVc&k%1HAN&tWck^EH&gY-e`+EMdh<f-R#JiBc zE#9;E8{$2icZxTRE#f_wKQG<|{8!>#!v9UY=kcH7tsnB68~yxYkyOEVh<6o_iT7f@ zMZAMt74JLvI`Lk{*NFEDzCyfL^E<?Q4PPwY5ndtQ>-aqJUeD)>x5{UW_hw!w-dlJ9 z-h{$)P2e(~OR3MrC}<bKW(xNIl2XafoPR2Uq?Gv|Metz?zAb`}Qt(v~B<C*PCW22; z@Hr8Dl7c@M!KW$s1cLgZ+2r{$^edZi5-DaGzI1Uj1N1;6KydCBzXrFM?rK2Fw?xWD z__G8>3XE}-^0h*?;$R@I?@Z;n!79b&OJ9~sxztK=`_fmWQpQ^;`M&hksT7-)Qs7Hp zlS=s<yY|4w<NLqbI~TyH$}92TWF}+?ff*Du$iqP%Vo{9pkPv7SlR!`c1A&CB28d)Z zi6M!TdwH}35(aFNF%?^D)!J5kl|I(mt;I)cOMoVTu0rvFO50#rz3H$TD?+G|`Tx#$ zXOc+->u&r1?|-{HaPr;z-S7Q8-#O<yC$1#y^E>6UW^C%za^;g}z92r4(tvF!fmr5a zJS;8b)P|e0exUHohGYxhZ`mP@AX0KDZ5H&@jzzaO0|%#HqT8=uV2JGLdyRwY6Rw{P zZfILze29pq3yoW+h-X>*`ylx9UblY0a`M9B*I1homJT+iV-t39e{gq<^GEivs4|2< zxIctH(uR%w)Tfph=Ogy9)$eh8aj!dan?uoa!GU_A&X^QuR$}#!sT!$NiInD|WsypK z@cl@oUX5VR2hjPJdRQURhZNc?IBx<t@AcGc6!i)Y>wa}Ch{Aa>SxA)w3SZ@#Yhsy4 zP|l_8>ll<EneUNRq#ZVgWjMl({z6ar_DQIo@-6HxUvi|;htcSVlw|m9^sjX{^f0q2 zDud=;4IP%?MDR>Zfjds`wlS(vm=`-E#+XE-j-OE!V~k5Uu8(XsT{F^SjbV5Wo>62o zT<|wAW1Dc?K<tD|0o#V}I@IRh6|?8`ZdN2sPil;%uSn)yI*3R|Pw$Qu|3_B^_#o-O zgl~(a{~OYO-rpP>td9tk(*OB#{DS-|bmL}j7PX|FWyW+mHw#8tcSev`A9oJxVHI)r zIzJC}fBtuzsb`lhHyq2B7q(vsO*?GTbSPF)F~!QACEpi5d@MBfo5$}?)3ya#pOeb^ z+wDFs;M#2aFzVB}Ee+c~O(*3$?mBTD{FwqQ1;$A8#-k^weojo|>{!yRpA+kEvH4q7 z>MwSu&baIjt3t*2TVnmKu~LS|yF+cW!eGx;N{A6zzSehtC5^Ypb04q^cm{Y9*a18Q z+y?|QzjnMK^RDB#Ca#Hl0`~-N2W|)MN!*jTow%L2@I~+HYO)IpN3(U<I>XHo2uY>8 z0LRzUv=IOkf7x;r-b;<6pRL-5ePmunw+PJ<3EQM!11~D2E8GcVdpcp@Cm%l6MZUG) zAeYeTH)!c(9!V?GCugianJ9g-g|ZMr0&lyA=VyR6pmDZs%%S=@HvfC7_1;&l_b*XN zOWDF<div_USpWN~7wV%zZi@;>4X9zb&)&27-<O_sZq8$>M#UiQDHLcXkO|BK76Uf} z#lTvCwjM!SkHAgBO~M_5i$(9Rxo{B{{aPX}0;*qg;5u;axG3t6?i;I(wvpa_zz*P- zl6ItTX4`0isJ>9|)HbRgs2gD{zg~S8nQXY9Z@mqK)Iy6ygSF6p0HGslrCqpCm`1G2 z;9Z;(^RWclWeyq46nhzTuGJW9#yt`t)dX4tuLo}cfojU>0>2U&dF`0O*a&!`g`0xV z_4k;kA7(QOzN}0Egl%J6RIw(gU$yQ}!0lkN%H_SXAtlK|yb2Nn4zyTm#DsuFp&Ma7 zD86p=D&kt?qCiXFwf2KdgFYlWA0Z&oE$t3yk?7jCs|_Kz@3TpCaH_7c61cce0^hR| zfE^y#9lXh7R=MOj)kDYw_3Jrdm_JacpQ{0d!b{qMmzevB9VT=h;!((XN0kPz2uUxI znxI8Eu%ykLM9zxn_0N)pg_>Bl_LQ`Z`7HfVfMfuoFEsK%|J+1JYkHCh$OH%TVsA<x z!Y90B#YVEnUxec3m?&x#7b;>A&K4fHf7Uk66I`ltZsj&7R0VDxhlW0=Fkw-#@dXy@ zu!@b7A95+hI%W^S*JI9mhC12D9vA;dB$?1_9`icO^Puv)C+vBd<@uEIyf5rI5YK`~ z9^#E!3@LfgO5S6Bgp7W{BM;)gUH*W%EJztC!Sp#EGnYuAsq%&%{n?U&=mI&VUx|R@ z1a*oS)|At^uneK~6R^KLq1Q>g-zjw58~y8YXd<^3OxZ5wBHd(<X_F)fGETGtb@4D_ zyOfWQ7kbQhq$K!pJm^y2(JRJB^QEvq#}_%lsPh8><X$d#N%$%f9VFK`UfM7U+R{d} zGuVtF+cVu9-X<ugVW4^$Za(q7-VD)cyj#3iOI+9^v*J}e;Vc&lXZa5i&a#eYG-tW% zyOEf|+=!~-=?Key^f>iksOFkOUX!ORB!u+=f$A>*d;LXqo()}ik#PvqOcQxo7xa^` z@U5Mxjg)?i`Azae-;PKbp!Cpg?s<&Vxbtd;>g7S<K6NK1urK!<Y){2)122uq;|6Df zc^Ecxf%(I|FtKRWvWv_g^H^X7f$C&&#>8Gt!{6CPg@Gm!dqdbrnApUK0RyqD<OR~Y z%HRTuNg>O0h8WWLVO``+2=Y<3G|DjLB=$9ia`_xPL_ArhHO^tYf=jil8$%&$eMWkI zi4vc`?|vp2)R?@>G_6q1mZ(4el)V47>MBBZ*W`WXWm}cJzboLGuqfaeyGU%~LYr}X zO59&AF>v!?iHD2!50OdOri9fKdp%8<tGBF05Nd+lU65M~A$^8_!`Le^bD64-y>iV} z+*$}E{;UCe_Hu1u!_T<4aItl7A@gSrbFQo>^01tT;L}p<V$19Vr)uiLU8~{%Oe`?G z^>!%(riK?L1{NizEOZ!g>MFyY+=aimhXD~B5Pl#LWVaj*8TN+T5|=FWEG;N3xQQDI zp@R`>{}80hh1PPy9JfV?0WL60S@XFHgl;qAN^|vty=6Q;f{xDws;%i1O)wTw7-IVo z7Oj+;A$lT+eC&q({2jXq%NZwf8%HrWFxKvW_Qw=GX5+;|faYRmnZsj>B|O3~3NX%n z_ddS!0S!0TV{e-=9M^d1oM3D1$5$Es{5eUnLBt*=8a6zktU`~x^G5O%`pcH<)x%il zT`4@k75PH#$H`DPvxY#6hn&+GKXV<{<CiKghj@+V8_N|Jx&56k<3fTPgH$N{%%z5X zj%4vuDUPg%DAqg;`E}<D&ZiUSpK7-24(G34@V6%ihjWRG{Pb%YU#M*_sy#Cd|Ft%M zyW8KqKQ(7a^)L$U;AW@qa>Jf_V9jV=?aCN2TCS58VA02|^dqCPIZ-x?;7#1{bN-}o zi0uuSK2r4nwDHiU9o!Ay5o65qx5euH>!5ZZySBDJwVVjmf6aLFMYs^BvXWw2H3q!~ z(;%lS6m;T)pvO`cGg}L5FC9yR#x_hBf8BPvu&Y-G!c+(*MZzTa`h*7T?%V$yJG&R< zlsGYzZp4?Y8_s}3d(e-V;|z>mx-JBb`a7IgHZbhZcV4;YyWqYN+&KEYvg11nH-1#U zgCkE6_Zj?-0}fug&mf<5UXj$nXS>6m`@EvcaNhGuIE?^Ftplon5?}?e6z~Aq066a7 z;k+W51wvBk9|O+-FN#kDC;q>7UP*pP@>S=Rw(p(yyfTGPa-t#dwoIN&fNenJjB(EM ziiG}r=M|N1B&}|&{<F?2;k1uah7-U^pbM~*Wg;*HxE!Ew{to9A$t(~`<8L;w6et&; zNZ<S|=ap^>TYjGTJnR>t)#{$@V%5uk7VPX)tx)}9i~;_$vBro~X_@fGK`p*c(6Shm z_ccfy4kG%9JhMigIdnL{Oju?TtP=+pgkUA)nQwrAeEPsq(87sB6bdBfn??76cEAp| zFgA55t4gq}O8mn|j^XANy!bhC48jd_s9~TBmfYvWp%H)+$2)KWtZ>$eqk?x<o6jQ@ zFjndlb(Y{tn8SR5BZNr*1)XM~JLz*V$<OjtoflNI^pG;4K<@DCqjos-ON6xiv-?6J zOlF@(WELF<T-v}C_iTHFPzXn(2WbOwO_}<n&=VJMziw2zc9yI3Z?jcxmlwrAV&7qN zs>*}%En;RExS~IXSp9J;Iv|J~YrNURrg*tQC773oWE%2dA{FNFz}RpRg_uvaG0X<4 z)KO#ha9-1rjzt~`h)KCbm8#yvWnIKul`Kc%2BF2HVwY^#;84=0h8L9xUmS)sI5efu zrMsq&67AV?*ESC6u?BQ53x=+at{vtpUy=Tn>%hjPRv@fb>>NZei@|TH*Pe_fyaRH> z+qn}v>wgrKRZayp#0=C6%HTf}vvC}PLL1zZe+v)J`OV#n=)i?}W&PEaUEz{$-9>27 zp&VDLisExmUlyYe57bJ0b^X`NPKqF`ALem;0ng^WuokSF$I*omA&wcc<->L*C)w^$ z#@105(>pikRtXe*PBn`NCWH?v<}230wAUWEut~0FW8dub!7=*+d&g-odQ$iK5(3Qy z_h7xtK6cMla=P5A1>046G*w<cCcFx)i|N%1)tOq!yEKKxMVy%I^Uq`)PYo*;6We2$ zTQD^YA7k^_xG=ZuWYCdY_EFH5TXqWbD|B)ozF|Z^c5}pE?uQK+J}++<j-Xp4a=J}l zakf&I<nr=2+>|;{F2`5r2AUC14SawNdSxguK5Tff1wp(ReX7WYCr5Ogjhy&`?wYGR z=ANe%{=|N?Z*Zu2VNWTB^VlE?Ocdog(hMR#lw^kPwpNPcxZNv7<o5n$;YK>g4Sid) z6wVlH{)&i*#y*M@7L64NAM;8{S4rUpV*{F;2Dw!$>r^WrA`-cQ)8U#<Q56p>`$0fv znZuaInX8j&uMF()eo2pcLnnx>(zYf-IaoN1od1%^SY&iYDsf*+$~R27Y08`qCv9kw zOjU%BzDgnXV4bl>PIk|Hi{z}OM`r1#lo2###z@=|#HAWZB~MB<G^wA6Od~yVv}}Oc zD2cG1tE)pIs)t{SDt=8@1B!q`Y0f6O5)zp5y!5f~&z_^WLMO5-pE#vhuEXgU;kZ+? zY1^Cq8@XtZLJ2!0ade)5xhlUAJ#C?g0Fp6RV~+-Hw1!~2<^&S)*Bs>t)U+%SQ46WK zB&rYRMQY-2Nega9LlI`8$l&K}0|k3jgm<t?8RH)mnrIcY`7Fk7o7>`SaHx-?&M0K8 zpVK~(`KfGoUd_k~D_z%%ni5q-x@~s`2G{LYmD*i>aUc7g{$0pyv;}|H{B9h!nN)WL zUiKfmwE0-SaEG;II_xp|W(#Pq)Xsjc&7=7)dXaWM%_h<<V3pXj6<F3`OYF>lRvOXO z85-I}-KDi;2ThPg+FW5{1GBi~x37s}lTPVLNDgi}h!h;*XoQB5g8>Z+<530+()tZK zFJd{Zq2?7VEIGF<moA=KLMA90Wm|bIFw$B=^=1AVGsajdN=1e4B242Ol~)#u>RYp3 zk*$D3t&n7nnB$*kl5`ZzPCdQxrn<9=cb(gmIV~)raJ6}nWV089VtQEa<f?oQnn#H$ zENN7Yp|Rw&!I`%G5XpMXb<MO8!J}nTM5e9gIM<@}BTe>cB93s}thilfElNyKiX5FB zh20b=d=UdqBPF8|xe|g0#4%;}<MWD!!ZyxWBjq)v<`v|%_;rU;<<V!N5W?)D)6|fm zI1>rNMjB4)Fa%gu-8S<#aM?jA+JXZZks&=UkaMtsY8^M%zQqUB);D>DSY`Fu^Sbnz z9EH?R_5+6qyE$#m!}kwpE@*%Aj0mNMed8m(d-3J$gc?6^mj*7%!t#ONljFiJRIp#u zw`n$PCsp<X=3^16GSAJQWnvLZj6^NKYg0a6o0j8Mxhjo66(0VqS;3!;ReZP=zfG0+ zZCZ=prcG5%ic1_ZAN5FpJfXlwEJ%%Ls5wb7L?DqXT6^wC)dOZe4@^8jO~mPKS}Jge z%S$)FeG9zgKenkM$4vb|zi{FQa#{Xz<|bVzD_M@oO_jA=i-V16J3R3amYHlvCUXAm z2pA^<H5~-_@KFK=b5mb7rk;Mo-|TA0L3_5<636+L<FMgD>?OyU0~523dloHJmcFbU zP~8$~Hm(%6$A0)&fb!Z@qM~U}s(4aSiKMN|60DmM&JR=xyNS9Y5{cTQLKM`#N~?$Q zo0C4SFd!5($($SLEhu>i$`o5mG-d%t7uwW*Kd}{0RewR9?YS|sW`dc}C;Hbv9UcDh ziZCuU5_E%s?J)f;3)E6_$qeH*!BiRx(LTW&J?5NP%1SGDICsWdK2z~QIB`xW$E7>K z;_T?p{nv?5AA`?EQ&$y+s*d;QL_}$vSwe}zd#92F?PyRHRFw)|o?;~GN9$@_QpL50 zmld|RlMRz5f)(wwup+itb$P<(DYKQ(5NRdz6g_+d$jKvuobFKwFjsu#<RJ$b5g=A} z2ewyPm~oF!L}&6W(JUs{f<=p%l1^EfkA8vSDO25e=(%PKt;BMAgB1c|cAC=FHA7mk zhzdaA4qlF?S$RxtT{A4uuXg72S;k;#Vs0c^ZOroFL<_1I`ZEqoOEEP1v17*sPa+n4 zM7G<zX_B&d^IcgPxQc^9BOxdwOU^~57MgIJe7|UU!*tb-<`WQg86vE2?VD+fhRN`U zQd@-T2JWe(g?Kwa8=6CCRz+2A(U*G6C!S{A?VMA_&NHf9jnW1i>0fOAh6Kav3!dXq z?80KUg~bXBPJ0m=Vx*8_SeLKkt19<Mp3~VmBPdEl`nezF-9v?D%4!&)7ADEE3iaPK zPgjyhp+nhrLiNF7W@?1OH$-+2(H}P+3byz|-WwRG6MC9xuSS8WG-sghMe*2aPilXJ zhp=X8OXGB4Py2)Tp{m;dj72rP=A0U@e=eOSr-g{d>#q93Pg=6hqVamD`4n}uFnm#d z-PMxyNw@NAd()E6GTWks!eGk_RjC4-b#F+Uj1@sg>J}2h;?As2y}xs3&Y9*m$AIQu z%CF^|W3A_kzLm?mJYc_`1BZ|K{dD@z{%NOMXcprWjyJ~Zm&45;17{F6_KbIZ{bu}e zZEWm2Gg^7t!&A$QHqPbkF~*_E`)9Q2{lOhWAz$q2Hv-K!375J1@D*NnHdIKnx<rqK zabfft!)E#mn$231ett*qHE9;_=UkKORg^^iU-Q(Gl={+|OU!kBB5PLU;Floyinuep zIFV-*=8VbhaamJ>(>RWaAK)m75saoPQO<SdcQ}8;3PteF6<t~u9jAZSS<CAj!rqb9 zLu|B?et0onh?Zn50t9Bs^cHP$@r-J(wX4g_Dhqk?@-UZx1Z9i9ShSj7CF~O>P!}E< ze1oA{77AS_p%^*SP=cQ4F^^FR8A&yRA*$-stIIql@yG$)hLVY~J-k8+UUo_X?2-UM z<Oom%gzBXM`-IwV^yl4v`WQNpa!(%%t6?f0JH%!wWIAR$d=sCn6HbmJ7(cg`%WVD9 zxQY4ET-I&`hP!v2E2Ggnv;>371>VH8VBt}wcFL?3AnC^RvY2N?V43;m0q+?)mX(uQ zq0UY|3&z$*Xj!~joxy-y8^^P}1W>JPEimlCNvW@I9L4Elk$Dq-frAANOOk>YK&1}V zyv^VeAr<cYZa5hjD9ONib8b099;q)ow|s!hQ9gB_@fwGTlo}Bx93*Nsaz>C9o6YOa ztq(}POI+yjj9uDpkXY(L=UuCDxd^z?US<onTev6Ef`Xq?k47ox6(FIpzBVys)s*#~ z{(7S)X3KB&gN*}baKm86fi*u(OQR7DGx&T;P145c5?ZW3rL|u`(vev2Td_>;MKty& zqGQGZ=N%wsAuIB+;7gXkrXY{5TxbhO8@?u2qF;d{xFy6G{I!TRZ+&ZHnkB3Jp~xyD zt~uP1+KQa@_)|34UWyzgXZ`3-1_)l!IBlC{*+^9KIJfK|Swu41)K-aUUX`gVK<MV> zj-MbS2)iEdE)9a7U)gwlRQ}V#`Cnu{{t@|iL4f<GULwJxKUD;ajz_?2M21@>AIVq0 zSiD|Q1yX!hHJmt9<eT3+NL2*$y_bhT){%ntpHsxiSZNkpzdd5ns^2XMc3Acfv;T(# z?<nBdz-f|`QmQdRM^2S%Pgx=ieU#}q!n{fX9f8Xw*0b&*locR}09b`1K%xXdNn{c# ze$d@C2d-T~`)vf2xgaM#sfN{v)}n;98YTjFFyGP#<(d~0KHnTHv9J`<<lWbenqO8L zb(~_sQ9{Qf@I>k~u!L34tz=Iv!Bbg~%oQ*tDag5`PK7=eUZUS9p}<RIi9Y<PC0eA0 zttI*b_@L4EYaXaQ&k`+CnA~dVUZP)PiGG#9(UA+S$iW+haF*?2Zx|}8FSIhXN?*(P zkX8Cip(@NqbcnZ*(bPf>s(3~%va&`GH@`wk7UTQ#F4tl7D>yozE_0YEh!wNxgDVXT z^lP-oqmXtastbojFsL^IEfeDeUu*7+J$*!Qsh)S%Q^CX+qM#iF>Sf01?38#!8=LKE z{uIqPotIW-_m~Bn)v%J~8DuZ1tiSmtofaH~-8AOB(pWEA+eHby5gd&=z^<r`l#3cd z;NrRi)g5Wxxv6(U4&j}RQkMA&3_RtN2bgkh*{nSCVz5D_KDXusa+_(`ewsOX*YxEv zN_T7LcBxWo+z9>}3FcG=(Id)dkFi2JZ*0m)g_4diCv&o6S-8O*OjcG)lN*C_|DKe> zPUqJ9SW6KAxSHWn5Kcn>eM6EJ-?)%Z7=huFBnRnrPXof{k`og8l=P{IV&b^VyoD|m z-KGT_7GW-We$$j+A=;cs!xfMT>ZV1t5G~P=q!3VqaOJgQPSccUuom4x2BMF(tjvz2 zf+TKk!b_0IJ^GU1d{xf38J4LZ*TkOwL(`mC)S}%vjX1L;p3^S`7*Cl!95*8p*SX~a zK8Oz2#Ag}?i^>ipZHB2zN*k?1rwGJWr9UgJAPqSn#-g-1&3$uTp7|uwx8k2~e(-8| zjOha{LEEVit?4$=cF;Pp#g=t~yHuy&7{34Xp)vawvNKLlJEP(B=bXgCWlaP(%s0=F zg*1uI$-c`BN`@FXpiQ$*wwKU`;wzKQ@?{&$m4=l;${>=7EF$sgij8i%C|{sscAoiz zCwZ{SeHl{%nV_`31>ORATngM8mTc+X_hl7PSLVJ^ta6nbg~kN)I2DYZ@a0y8qvt3E z(GfB`Dbz_0IEfzfF1o0o05xVi51q=qcBEauB(2dk<FNik=hOS0JAd1J%rO8B;)%w9 z?BGb}(}z-)B<cep3+#08eHCj+E3SO!!c~`Czfu%*xqj7SAJd}ws|M-5qjxRM##m8w z@TTiSH|>e2I4vFvme2^slp8n#QjKhFSgw`}{Rtuy`-1-Rmi_v|u&`}#z>)mGp5{Ng z@&+6UB>Xyb_UuLkUQbVc0qM*${trU_j?m<nC$}JLTX#&0iK#P2j1xycEKZE!sC$R{ z*BX1#1uMF_ukS+kcN$C4`!oKiUydf#cSUk{k3JNyqj>eh>y_ZW%a&VZz8-;Dihlhk zmctry)1J_{gP<lB{<cKX$q%!JWYd??eRJ^3s&8ctaU<#d2UG*0M)XJ^hS~F5?ufmV zyKs?tA)1$Hq=?-;|A`T786qQCc6KQ@i5iw1N5|E0GbCxbHS;)bH~qW49)wk>^dEB9 zbgEKdd%5{4AsUj*U*LobqX^v@l7L#!+7}W_G4Jv}Magf>wu>%_A?96HDh7^~U9ha~ zFZAc8wI1j)Tu<EMAQi0FI=6<vh-BJc*O)docGtnq`mD1kq|Pq07jVH7{YAS^ALJt6 zF#p?U8<wEUjLWwt+w15N>w_`c9Ao9xU*#o~1#2$fy<U|#I3=+Akcsjq6yw<%ve<uJ z<|T}Jka=0UN12BR7e4d8p&lJ1L8G^qP%uuQa^1z;@EWto*^oJCf=H|Ebu}y=bY;M4 zd+AiVJzLis=f<I5LN6C~)~)r9fHMu+NNZLHOR(0GIVdh+df{1pe!$r{Z_qdim>~hb z7ztQga~5kD9qc(0cw7QlgM=I}A%{uGA(4=TV)Kwt;}f_zV{%Gzc>?jFDg8o2uT)Eu zbIVs`dx28+g7eNQ9=Z4K{OYaZ7axNjI_?0U(rTSsL~kVdf_q;?z6`5@+={GCNigDS z9jK<Mb$^W3DOPgZ9`sH%aP8`d(|?exIWjiJ%)G?8<q2M9VhFn4mXS{5syldu&&CGE z#ZBobCQmRD(&bBwEdf(g80=mh%0kVXb*yj7;tqUtxg!i>w%ROkZ%zM_bzwPMM@T4? zpg-GU8yJXh%n70CCN4NGweY0TPknd@d&?n?V)W6GSER#T%G*x(49X+gK{n4};01>U z;;q`JNga^`YK)=m+{({7DIGu^om-`bf;kJ7;l{=RTlTN(m(hL)FB}B0bjwk*)4u6K zGWQL-(YbR#TJ5uKkd!ptY`oC9^MLbL4f4t<Y@oSeZDel<emR}<jNNu5nASaD#%6%` z*Ds9Q(7*A*fU|z_pmBKEjL6&gjEP5r7o0wFe_6~Tg$tcMtZK%gYGUEZLyEG_s61Jw zg;fp+?VSqHc;Q=T9&<DWDDdZ;V8=NL$zE>7EMbB`R_1o$S?AUO1Az8v_gik@;>r8D zjrPrE+b$Ann0HZfu!T`Eh*7c1|JlO=CNn9yoKHJe`Oh#iUgw>sfx2^5!+?y8G*}?6 z_NOEe7QdR$V!2~fQ+BLMb)bJ2w^Uta35sVg!)OcP{8=ufj?_RwBTMIb2g*%qpe%_D zlnJZ+HJu6izo0T?RfA0iOQ#GLc{szvxIlbMX20<X!7s?*iMIl8Rig)Xgu{H`x2laT ze~cAMA{pI7Xt)faq=2(YA7nq(PlnK-*q~!oKvSXU6;`!&WxR0c&2$C|6cjzpFe2-p zS;J#Pa(k)Z$epX5TMKwVBUJm%xDW-zNEcMVPN4z@2nwQLDL%;J#m~z9h3=$eZ4y0A zh_1GDD+w5Fj!+qxvEAV;8et>nQx@(%G7g<#wxK9KNU<x$2hYm#%yKb&e>w~JOGJa; z`4o<YTn3-?n3u|pS)rGp8DTnHwu@MQ!bgLRXC#}jW`vC@mfAPuc-)YDF1FU6_@ZPY zN+s0@fhw8(=v0=g7E#F#crEpXXIrxlCQ@4t(R%-e!XqtNAy+V=HA`d#wfe$PQ&yYD zbRyd&hvYCCR{>F7p>eKfv|6V0K4b9dW-TpVGvZRR+H`wuPN-Hau-PW=d5%<e{hB|u z`kZWiQno(cJX}qYli&@SJ9&z_?*AoTNw!^xRVZ5v4m;KC&>f_#k@9=3S)C-4ChR7p z^M{nV#Lmohz!!j#fXi>D8QW88Iu)kh5gZj>&Vxh4tA8+&2dS1^qwZi%Jx9XWe|uJl z2C2=;l>MeuJ(>OgO4v%5&JrRFhh1XK(pci1Thr*n)~pkFYr(5|Af6T+&jVkz;K*50 za@{#gL!*hlB6YWOtJ8`gnUY^CYavftTQN{K&;h;<-kX!eG8oSn34`Ii3+i%C@?@{e zp}H}eKc@rT@(}8DTmPDqJKT})jv(5DPmrA!e0+yXkGEpE%twyVxcx*v<r1@uZn7FW zho@F8iO^~#VDJZK2}NI4IZOXKSBRUk4ze0{Kzoxh_d4_|NoF<p<TFIvHD({{>_o;+ zj6SZ;+bN@2q7#d_=ZH8ZFzwSKNY<T)vzAbd$9xM$VS)J*{sy#moz@f*!O%2jIH*JB zUrj)4ncXKzsA$5F;O^d&=5oARHIc#%KEg)8PL>l&3-*^SK!zr=?8iA}P5C{!_6uMu z>r%`F28JjbfdyC%C}10`-5(>`Vn6kr&rO-JV{6^D^*Nu^dOyjo&q0H7Em@svX50TM zBZC%-)o(A0<<dw#**pTeqb9BiUvilFS`{Kl)BQxybNJf+21<7R!V)FYKwVg>g9vVZ z{UbHk*={a@gmH<%S=hXvoobr-5Ce<E7@T{+o2Hqwt;Bi%*{Q4$1xTg<zm}Q!td_<= zt8p1z*J~ToYQ*)=aRqJt;Xr4(#<Zq3>zT7;c<EPQD+lK?-eRpc9C@=NIm|c2pGQKh zj|p<Fa6J=aW4_2Z=#O7)(8ls{I*Y*>&ouct1DHajH58i8tvh((V#~ACbJv(=lGD<h zTjZX+Jl5)KQ=6Szx2P~D*cR_t&m%pxW)KL#nq;h?JGZXF%lWIUvy(&F&Mo74$#!mC zgwvX3hR%wkW?}m!c!@1X8e{s4(rm5)yY*HuR6H)nBVygrx#erp$~Hy3oMv8qQZ+FH z+_}Zz1DWf$F+iMK|Cs{T)tK-9;@6r{AT@74iVxemlvCK?1a;nV3&WqXI=|}SA)Nm+ zFNE`VZppycD#Ig|C&eJEt#=c@J&ye7(QzU^HtQ^ZjA0b^53kEqcoepQx+96slVYki zOX>=vyeyU=ORe5lh28~WP4z*#s_HE3Q}BM8M~WU^k|;Ko%bPN1fzwP=H$50VDt;~T zZJjAKCpNvsAQzoIVY3-B9b}NljBRvWn{&4I*rsHm9G)|TV5@MtUAvCO*S@_e;Xpk? zW1kqKnE?(2yNJ}+AP33XYaQ-DjkTl%URHx?gIZM9bWh^&vQmaIb7&mz%1Q&t6CnXv zvM7BI7WVDcY7U<}ANN`6{PLSLYx{j46K-1IrKoBu#Y7GEL16{B+`URV18z`Bin5yu zcd$*kd?H~6t})W=&lhW}wl@B|%cZ*&3ChQw%~oBOW^LB8Wi}xm)W9N12xL4We7g%| zDAgQIJ*&?&pCx|7^dO3_Qj9hoIq{=N9AzCB5w4u$y@XgWIcTq?Hi#~K=PjzUhhXLa zieqi+3l|D27#8qI(@UDFbXGylf4{A}j5i1a`1fF9g7T@gM&TCb2DU({2Atd@YU!sY z(EiOO>@84LxMNf!ya%JxG;pD+VmqRn-8Dq1MTAU;>YI<zn(=Ss7e3W07WC@w{M(N) zno*a7xQkGyUJVFQ>}5{bFXWZooNo>R1u454oWxAviCN5S+ge9!p*~nCs4tt5Z_aw3 zUK9hH9~#y9=G+J5jk~Kti~4sN2x6f~mBhJ4W^suQ=Nh8UZF{8LqW3?HzWf9-Bvq!K zd_B_K=j+|p*QT|xNOA-dAlBJaThMRb!B!k9o0Mmkh`k2EhOT6wazPNGP<eH3Jwc`s zjIGODA<K$jY#r@~)rT(g-uta0$4QZA$Vij#qDDl?dp&OjgVXiQ?mmU;f>y1H++{A5 zL^^FXodxC^4ranbMx##W#M8D8u!s|vieB!Mp=7G&>zm3>D;0{}X%>P$s#-Yxt54eN zYEHHhvu1B_l<6i_s==KPhI0eEWv40heyc9>RxXWQ<0wcGd$`gBH{l`5L!iBM4-L4` zsL~Ff??Jbq<eK-kFyymLwI(A)B4e&VEuNeYzRb74zA*>rdokmiu0%py6FY|g#aZ7% z!)!tn!g<FpdHRK*L%CvRZVKxGB6XI<1+K2aVP8q_g{cioc?@WZVyhH$%PB+*MhKq~ z<JlV$HrZ1@^w}}gBt{>ohXnZXk5o;iXw&YO+}HKnba?BjwJ)QdmAXri*(wdfLrIGi zVFf75<hRsW*8EUfd3u~Nz<iA-3lUM*IZp<kPyKk)?HkCp`ZhYjWi1!xrr$*GQ<=2B zWb<uEA|m0POeHNds@eB5n8xhJXn-t&SD0(NlQ%c<7_q1TiP-2EW1Lj{oKuWKvZ5<Z zNpwiBtlr=wv{G>tu}tV%dFEx3vE<+~hpHUppdnPU9AUdD@*%~N+pf$wDXN9d35AqN z0X;L0SW32h`1ugPPsHd#n3gJHv68V0+cd<IU5yQ2kxfi)OowWf@7%fG4%Mpe-CD|W zsI%^4L2q;qE*|>zxPr`#7Z?0xl(=9nvufwsYXb==`ySgkxc2S3+5<85gM*j%_T5~2 zAU0^$7TGri2ljla9bLOssQpH~I^q=WkuDgg?GiogWF0O$h%{@j+8+M2s`t|C<DD5> zcG1#cLSSGqtXL&^-AzC)AueaJeC7qGEEdC|2s7xejTeE1Yy?-e8;KmnVnEmE^x$;! zJERBQ(2o<n!Va*qku&QPj7w!y48z&ehv{)Gnmf>peX(F(S>`hIn%;+4*DG^L#ken^ zsFBQQR=0^<f<{d2VAS6D_NC2l_nUt6U<@+M&t|o4W9r=rnyA&Cy>>EanSTn;ftK5L z#X(?L)sS_-`SdQ~;@>JA&+K}U)q9JJFsUClBnPryY|6GbZAiv4c<06xx$Ydsxxq7R zc7=8~dhDlm!*i}5%yJeVjH@5!=j4>tnGS;}#pv8{fJCMjhV&~*Y4UI75aB;-tFZ^p z25n`w<(O<uB!(k&eLCd{A|-PYyjU~KywYS%Sx4FL?h~~-Ecqv`6^XeFK9R_*jm(;m z@gi3&?v@%*<No>Pmxx^uT#6tPCx~40(S=MBCG;fhgpooLJIeJ7QjoiH>cuX}6`ly9 z63$^a;>GVZQA2%Hn6<C5&I~g5!Y#0tCweS;xlD_aBf#PXV<RvBSL@ionrb>8du-KX zSRGa3Bn>%jXfb=VEVdzQU!arL$}xq%T6m(NaPP99%VS>q4aQxoU2IAQ;!#3moM5wQ zFkUndFj5fHrGNV2I|dAt;WVYYJmyUGC=Dlr>1vxs#X4xY6AYVQf<?(_!RnU3^CIJR zH3H3B!Gam$!CRCB$+KT4{mwaa5V<^<Qg}i*H7CqR@w8!~w&oxPN{POpjE$5<SxQ>Z zH@J;W8{%UE{ZvV}i!DkDmtmf`3&vddZ7QV>O_ST==AWew6nqq{pLTC7gHUP_sM&`? zr)h#Rd_eJMw=ZGnA=3?ZF`*I3y4o|d^h@*1B=SQ-_c+!CVpL8|Q?Pw<ym8Qs7mTC$ zH{=`%PMp3pM!%|dUF;0w^4fK_S;lBal*jzt-74x4@YlG&Kq(gtcUyDq^jZ2#Fxn?( zA@2B!4J+Wgf|shs_%RV^yADCSF9wrhS7U9=p}O$xerKyWD6(PG8DXkNpeHxLb#QLI zR@VM$rcCOBhEe9dG;nw``>wP#P0%W$&{}&bHEhk=%U><{ln2%<%(NFhdFH0)R7dsT zI(t^AJ_=oD4x>miDi|EWX&z360WA`1Zr@l<-Ld|-jSlP}PD?-cY<RWw4(O*@zYM)E zf#j6JS1et}A_7h$yo^D3t9@+y7Ur3!NOxk*aYl~qbfD&y;Iu&2F6tV(j*Md{?V)G; zly+!$zPFLDGK?xKz@<h@O5tAP)<DfcX;ZFGeXDQGx0b7VmaO<ASMl@AScJ~Vwx=C_ zVSSf@If{WvkUt=#*DJ_<RuJ217DZ;DnVO8Q$5FHEM}>!_4vqJACP_iVNErc=6xh!R zvrzm*aX}7R947zkP3G;{-2w|?%zUi*duj%~Z!b<Xf<Dixu<Q~`P|A0P?l%srEp<Bk zt8Bs-MQ9~IA!vc==Wl=u^gCR}Ww32Voytm#)sxIkc()4m37hTeQBgk*!S?IkaE1uR zG5IZS5hERJ9))NRTNm!(1oLWQMDHn2TMf}$ePi%;Ht7ywS`K6FTxgat`w9vqOnyY+ z<NW-_!Ooq#ojW^EWnKpxb98#+VAz;Lojd;`vU#m3S&7Iyq=N!>1qY@SqV`^VY#0zq zpK;jOvphOOkp_q$lb_~TDs07nLbQs)z)`yV9$+pg!HyHACUvt^ev0%|7|UvXMfEqC zIJc}OaJbaU7PTmMhkGqrNRbr2l=?@v$M=`1u@zlBh8L2;<47hCMywNdl;YJMnsX{M zb|mstU3y02#Z-#x6kWlkaBvCr+f@VDDEF@ld@zRqt5U06zC`|Bu(sbSTh)-@G@dW= zCG$6F?HBO5BskXjwD90#Po<A^=>tijVI&!nM9}7Z`hcVXCmyaPU;1NA)+#}F0kROd zZoD8;hWwr~SV2`0vQ-hXRS~jP5wcYgvQ-hXKUWc?DlZwMS21h)(;3dKLD0$Qwqg*< zxnTG%E=Om}2PDQV4WaLLGo&M(G={jWmA&p}i3F#}Z_-DY?cN{y^Ajj!Ld^XAn8vKc zPk3vMnI5kTgFiOV+J!78v!L(q!M|`%9C!&h4x9o8fh3LvW&(?W5}*p$3~U1)2A%?1 zfY*TIKo{WZA|8+iECYPNX5eeU1Hj|JuYlKpHsAzs7D)U=(~^MkKr)a9<N>z;KHvf1 zDd0um9iR)i2=dQZ;96iFa5LZo?gZ`w9tU;;Ex-}r1keRs09olWU<xoBSPGN@Yk)1l zJ-`ov=YRvi5#Uci7cdr7IvGd<76E;KCz8^%x6@ItaATTwc4?ZXtpLKm8~-^?`_8bQ z_lW<hqSA72v0JZn-|E%f-gTwAdu3&@*S*SDx!PUjt6b@=uAam}x+mO9pSMW&Mt^gU ztJe6hWmFpF#qNqqNyocVeDN!)5RX-*6~%7PdcCBwLVYy!qFc(n1Q8trV@6l0FO!HS z<r*`(J6>g#w?c)ws(Pibv`U{;wSF!6__8Rd$10tst=6iwm0G3d)4cqfq!nxB{L{1v zT7_n)=PM*xZ9;`nUT!@KBcPu&p-Z#%)B44_>{(e^aq^p*ta(&m_jJ$Fc!zdfa&o>0 zQjFUz`@7~?QL=)crmd@5$In3sh^!6=j)Q;ls_ht^PA3EWVq$IfxPI}D{s{vT2M%(& z248UDkf9e{oHXo`;Uh+ly3{@TvN2=FjlX=t6<?Tm<yDiePQK>a$y26IyKZ{QjMSO4 zzWAlI^y@P+vu4l9o_oWM^K#}d@GM-EyBG_ZOAG$#rke|wEniV|%gSQ!s#{A+%Wf-Q zT~S$eyRTX|)~sE({>xw4P_uE9BI{;VNSAslODlA*k22k;Wifu{^LL&$S-X}N%j9XE zDsQH@ci7qG)w6wGuZElJ)$@wV4fQ-H>N&l<ymF;P_8Ap=>1war>+@Cm+?qC!&Rslj zL2j<)Bd=QS-1&2&UbV~xIq7rf_xLQDmOOdNz=ZS)cTrVUdFjd`y_6wSQdI3;UBs{~ z!e7_DtE+SwvgMUU4BZm1JHs8xyS(%kUy*OUyOcWneBPCM`T9u-o^o$dwU>cip%<+r zCNZK?zr5OAZB$iN`uO54TJ2s%;a6AsyrjY7YE^<ss_>Lw$~Spn!d33{o?;lJos&Cv zUewIdOG>NVMb*{b)wh(dcNZJJ(u!N%6(qGria|w6D@yg!qVm!&tK<_FOL*ppRM<;Q z_btY)yt~&|8oubVPIAxH-2`1-S*^RvOK<a%x>U#Ktv1SacjYSg%A)de$&8kgGF`Q@ za&?uO;uEf3S?;^Sy~?OqsoGS{@S>hVRaEOfW2H{z`L8}^mY3%gl~$;_OTDj^daLPO zQEA*-;;ybLTFFX5a0WmT(>bcaqTB15KJC?AcdylXixyk$t(Q>f%8HfVNuR$xBp)eT zvgDCLN>aX_42r|wubnR6jS98uFmifAxJ$f6RaR+9=i2K&qmFA!qavz)>xnn*yz#2_ z;?IaTRpM0{jJ7qUKHVrP@97}vNtJ<=i#c(gwqIUZA<OpF3>;a#)xz3cu4_^xUQfN% zddfVguB5w)y=zKWdV9i#+sM1Fih0APAT84~GgUiZquR$H$8ea{47*ajggv2HM!{`; z!=Jxh!jX!L^dgEd(CYH2X{jc?&wIP!t(L;bC|?v_VCX<rvel(bC<dMMw+wfq!l;%8 zTwC;aobt4NvTDO~j(cwfy;fPV+FPMh2MMd%@SI_be771Buv#^^gjMrt6^ocI6Shj$ z=kAqAl91)it46S<<&>`URaRH7(%pHbs+JiOCw8~TJZsTodD0S?50fTM(q^)E-|AyE zt0-bcHY#qbs9am|Mfxz@gjupik4{Kn6O~{y+!C1|CzV~0(baDx&%#KT-@Q@KO+2g3 z5Px(|bU!05+5NmN>KW!*w?DG^-Ot~MdhS<Sdq-_uEgQ1!j@mmm*A9t`V@KY)bt?r* zPOkOT)@u%J!sXLF`L*n~Y|0)_J=wb_)YjJ$OJiFuDJgL{;@4GGt*xr+wIB2OfBes_ z_5C*i{K)#(_shB7v%!=;>)#gb)Bk#huhV+|#b}@JUvvtawVr>m5R*U8zes%d|M>pb zKGpwjG%Ef-9sx0R-Tx3U{#?IE4~n}vrsrR5%;)<TiGQv!{U7uDYcoJ{8p6Lwj`G&? z>=Kdc|G=+r_|I3{o=`5W=h=FSiIGWATesQ2W$PVZt#4=y+}ZTCySCl^^>5ts&3nIf z-~A7K`@!#g_j?a*fB2C{AA9`!JAUxPAN}~BpZLj>KmC`VJ@xaQPe1eQbHDiI^S}D_ zuIAl)_Wq`&b>IF2FTD7#FTH&5&~FdF^6G1^A9>@=w~qeq_kU<R_Vyo-|Jyt7n(coI zp7{6o-tYL}&mW%r=+x=XGk^KGi_3_A^MUC62cFM$Ao{Pa|9^G<e{=i)wFBw-zpDf3 ze|7z{vuCVcJ)>Gk6IwC9E8RK#-14xVpO%wzb#d|4Jn-}6Xj(eJnV55&Iy!6fE7x>C zFW|H!-nrf?j-*zAbmLZ|TGzB2jB=I64dBX>R(h4MRA>@8MZT3KxU;>t_zVuJ^6iGA z3iU`nlD<Z|lBPylk`7Qoy!DcX#Fw}dN6RhJ4PP-IBt2iLdRkm!_^QKx`QG9RZ}?>~ zXta3eR92|3xklJ6(j~4&JdN-g;UtX4ca1}Sn8uRN(X?`HuC5L};=iQY>sxS38Rvw# zJ%?nWc<^mrQMI1V8FLLJhbp5=`C0E)GFlEarJ`HC*H^Af*OugFEt-7oq|AAcAIOue zDFFqcJQRx>TJ1xXsW}ZmJJ1}o3XMY>(NwgUG#tN-1@jjySv*#o#F<y#BlM(6x2R<B zUtO&HZziwxoGMl?s;ra@_+?wpf9h}T1?k#BID$5bJzdkDEY-A!?mu@@kWr!JX&N+d z<wo9*Lc5b+<b7YC@4p<=`+I%V_rHvT-Y0<HF5Fkb&ywDqQQ=CaqB9SWUnHNt<+w1l z_xFQQ@g?4|KHp#L^ZmA2R(uJ29na^>r{jxOxbuA<lXm{^Iq7LyDImY|#V?%G`+MJV zPJ~7(zw^ca_WaNO{yR@k-A+V3AL-K`-&@oZ?nhD2ecRnz&^y2AbOzj%rd<liFH+v< z?}dCT>hpb9pK?62tatqAe$8H<rY#5L7fHWw`JOH7{XIIq#5+*l`+MK`FRkzWy>I;A z*M0W)UvKXHy>EX$_08Vj`=+0B-)Db6zP<PNzU9B^@!sG2&d<?1tnV7X!teL=dEasz zeWG_deZP0^?)|-QJ->Y*O}qIFnS_5Aagx&7B5%Fj|K+XxZM>C5F>|~XULQoJ42xox zq5I0S)<DC7ufsQ8xDXjaT90rdD(v}1rTXkjUoI4#a<8>RYTwi{6wf3ajBWBKHi+p_ ziDnm76qkcZd?cynR2CcM-q{ds=R><8^qX3iQ0_B)kc=S;=CbQT6xXzqvGcq|YrLQG z|4UCQR>Jw3HqoA2?ggi~ES4OkAnC=$5RJiu;$otiDOD0TqjL3XN;I#ug6wBX47Pr# zlU1_Wr)wQjdMjmEKGGUrw89iyo^Y)s6{*4E^;KTv-ZQ=BURtqF1+KF%j!^NsTkwY} ze*@BeMFjcKvh7PMN>mFKXRTWavPJDlTro2)wNsY!ets=>Zgr*?TKcVCpNHy7*S#w_ z2#%siU~uYUv!Qb;CWrR0dbSuEH>;9(q{`ZFV&_T^2!YdEJhuWCm{9UGtvT8sEF|Ke zD{<2^JeoE{T4q63jy$(f8aODW#cIre0cl^fFD|bpfW=ptDQ{tJ%9rH1o8vM|-c%7! zO4~=3{)wpeTCB*hbHQ=GWzVOr)fm!F#m<9{7$y-inx3P~VctXE9!ak#&aEn~usZd| z7|AfJhr*ew3m2n0UE3vje)@wp?>sT`wJrAi(qeB$Ns(`HWsXpcuV1fwwcY1Vhtc|| z>IZAqXj+jy&!Ua17AUYSG`zm`9<NVvXJ8ko@-lnMq^%d1uDmTgDt{E!HsJwA<K(Kb zs?fj1aI4a*)i~uzd%(6xFJDrz7GziZfhxfwuhkvPA|(j-&K8w&cu}Bd?~QtA`hxLa zA2Yk$s4kJTuQyh$^7@!*@5Ii_$SJC_+L4~P)Yjb=iz_1yq?ys7Xp1y!Zb{qAY$9Gp zZy&<6OaAi|6ULgN+PgANB=>H%-;Y#{a!bEV=`yv9^2%y&c)H$cjh66wl&(DxRhtEd zUS;SqdhhKODqrg-GcQ-~p7ZO&tDIzty+F9MtE-B9-tOAw_4c9EN2H8V<0!AlS1Jse zbnV8hMf0=faV{t>=g?GPTLgPS($%zAtvJOCR$1@kr7gmpEAtpkL`ts;p)+7_G2o}s zX8-&9|FZ>li2^!);#w4{a5-IJH_Ab<NwA&s{^YyB|Nj2B1wL;J%zr2C7e5{L>&!om zNmFB|{B7`Sfa6oBRs<IQlRp`!7XgtmX$wEwapk&a954_-4n^w^!~=<dBkYQwyh{<} zoABf!-y~g$D=u0vR30*2#BVTgK^P?O(SZ0*1>`+F{GJhhXJJ=y7KQzD!!FCSO1}VC z@@5%U>8!?e11z-K2*3wOS*0FQo?1Z4To-mX<H~nGAm6tDQXaW*cLng>@cVXLDc_@j z<oA6*!aWU0on8Xu`|E&wPohzzeIjkfWB1w+BQH_E$a}<%e2TpHb^Ctr`~KI$pYMAl zoqs&nb>5#<SNC~;{}^p?ex`&~zw;Bt|1s(>wK(q(2=C<Q9RluuoHn2)|ILR&$x!gH zSi9p<Hmnt!*KZyj?wrT}U_ESq%yR3#Cla)pmbS50xjP8o{K%V+xUJ8h`df$WtNhZ! z?$1AG`1El2orHh+;o}cqqW#;$=EFBxiADYGPJiQe6+?72Eqrs?n{I9Sn`Lia8x_)e ztUG+<_ifP8uGwhCEdO_lW|t8T8Ck<W74dKM*mg;JuN3~)cPVGzvWk7^$gd=rrgglJ z-J}oFwE7Y0+I{3N;l-7{7Cc9OvbT1cX$r@95m)x?hj3*tci_q-KKgE&+KYdTD>z0y z?uEEF;|fkQ7IzqK*E?z2CAfQWhvVLfE4V^2?kL<$+)HuW{w+;&<L<y6jr-*BH0?56 z7w$S-4R<|G#~;(QFXOi1%3wQ+8^V1NcNuiu&jSn}g-1!cQm62uq)Gdf(f9X#n5NwW zYy<8D>VYjlEwB!#0!o0J0S}N3%mk(bQ-EaPN?-yo7H|V2fFxiD-~ti>JJ9)O`UEfm z3Ezf$1ULxn1%3%U2|Nls1Uv|A12zCvK!1BrpG%)kqCT1Q`JGq%b=VaC$ry<tp2QV5 z@{@LQ$9+S(@ti*yC(*y!Dl2}+2Nplele;+j^MCl+lliyBKS;e?D5H`w9mzcUS@;_Q z@{_Tc3j7lw<KkO@C}w>H_z)OO!z2Uq0lAnGi8F(51;AS1Uf?O<Fz{zUE>~U+<N)Qs ffA`;C6IqGv^RtD2k$RV(<URs$Gq4!wJAVETV*lf- literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/setuptools/gui-64.exe b/venv/Lib/site-packages/setuptools/gui-64.exe new file mode 100644 index 0000000000000000000000000000000000000000..330c51a5dde15a0bb610a48cd0ca11770c914dae GIT binary patch literal 75264 zcmeFadwf*Y)jvFwnIS`x;e^XT0FeO(MS~a}F9`!WhfMU0Of(kMsHo8(V!frwIe?W* z;+fb?HdA?8+uGK)RPE!XtyXK1i(*0`7w+JN0IkF;dl=CmnuP25eb+uSNkDzx=l%Wj z{`2x7bN1QSwbx#I?X}lhd!ORlR#<Eni^YyV!?0LZ<4OMl;`e|4X-D#)v1<oe-Wa%T z+-hrh+ql{D@2~PyR6cTF<=qc?%I|*o;YU=@J@<MlwTC_TKkNzKFw67MBXjSa;&Nqp zlT}Z+^ZDQ3clGAh)L-D(Yprv|`<B+Jc<!s1(^`(_qYqu*S}2}(wLT=Cq1J)od3)<T zJb!e5`FyG)1#wA{#WME^yJh5S?8a1Fr)7dAGi{*7@&RHVG-J2s;+ZYN0V_QyoMy2& z=m-B&PfG<-2}$^el<HKWWLd<Tm82e&FBwBYi+!-wGD(DzKV?>nGoydR|7Ez-Vp(B= z`n?rQQSV)(BIV?J_#uF(@5z23B>s6Uma-|8bMIE~#`s@=DAZ}W5P$pd*Y95dWHH6e zX8H7TBzS<6;dt5w=6Z7?U&E9NGo$Du`fABS@~H3RL)QQQ-~X2wP@;3ZP9^%FH(QCS z-W(;m*z1vJ%Qwk4EBY6nF#AZ++YDbrh@D(ZgZK3-O82f<aG+I*J!&ZBt-J)|>g)0y z4wrw`Y#Fb_O08kmS!*o4R~lPQ{gS0sS(B@e&C%>ebK?B!W8*bXZP(IaLDu~G9EELR zr}>XjgJL_7+tqBFqZmzzG+!4A*(WQ;CcK9HhwBQB#j8<hNWVgtn}rnipjT0t>Mc>& zVsB})ZG3Z~)uOOD-av>oEBZ!{e5ZVeJf~@E>L2wt=N6^ri!w|Cg*o0Dg8aUXN;Kjv z5ixre)+ntSsIcRaHg)I<#b~HLcClt}4j6Olosl-}OC=WZ27rrjY`HgpnHP=)y#XaQ z+na~}DAAzT!*3W24zbvqXOU`O0S*uh%#k9`A^1NP-eDFVg2E=!l^6;F<D!A?U5e4F z7;TEJwYp%A=0p%r)orHwTPri0(GwA=CHlccP=djS0b2`T0}K{^z-6(B;ao#AmoEn& zQesbue2F3b5~?VHy(_P#Yzk{tSPx&9Nx>F{EjJP7+sd5;F?+^aO$e;nNSM7Vh4KHH zz7)3C>}r@DQrL-DiBk|5y1~1_r+tRPj>^#`7HNGZ$g0TqsS?fM_oBJl2GuQ%4O);g z(+V=-B_dMmlvd^9H4r(h-X4(FZ{zu9W=B!&r)nrreToRNC9xNw@!Ie}SBq5}<ZD2p z^i)IO(!)X4vCF76)FENkLiD+vZv_~Nt=nf%mCpw1rYNA}-<^@=rBs&Y0T$UPvV_Wu zFc8h5=w;1R=sW<=Ujyp}%!5~?;9V&qw9aZjh~!$sKu<xmXVLTb&@g7@q}n!Z2y;C? z&T6S`Q=PuuhWm<tgLBjT1j$cIp<a+Y;Xj+`y#uMf2EyoGB^LHp1Y_6E_wA0p<t1iM zlvhGOrSwzAKX6(sv0E_7UCRL)=%!*mavAO~_Y=L(L0-^gMHqD}R3JcXBcFcqihONF zz6KDDuMMx0h~x+^!~Itjt!>aI@#7A(7jyshLwYD>yb|O>C7$v25F|AlJMg%xi2)9U zg}o*EW+UqO6>2fuccBguN7PDi8}4AL+ULw_C#R|%{R7oT%nqO3Tz~%1k00JbywK!? zag$QlQFlV@RH&STR{j4`*w<i*m|o%7jn*Zju4B_Sn;E};C1f-rDQMdj_HSGKd8m9d z(89;2i|%jzkHu2VHephQSqC2?Au`EmPnp%C&e;9NlDsgpe;6v?28{g*MMAc%{IfxX zg=rs}1wid$&IE07K(lz~S#%U)8wDE#6BKhYFzXiiW|;`06ub)zaGk4{0p<}mV_yd` zqMmU1F~QU1)fRNv*Jikn?@hr-d@0YIsIg$y#Y9ediobC|jx^R%oj*m*7A2dJ9URNQ zVPOJ6j4=8qO8R!AEOSgncg&*EYYpb`;Wc_~I^P2cl(p+UhBlt>AjSns%R}!^fW!s8 z%m9?JLR<V8;37K6!_$Nk3@Z9JFG)ju%&SN&Z&hM%Wl=iY!e`d?Wmk;Nim^fQ@2Qfc zRcVn1)j2IgwNG<t@#Zwtxm?tVHkYAIc{S>@a4(RK2|N*i-zp$UW{O&wqXZFA*(t4Z zT!&DdoJIZjQazWVZGP-HX1BRM<SVRQVLSMOV>IEpf(hZ_aWsI&_R-t|W2HH9C(6Z& z(&88!%*{8vCCGwR&Kr(C?^O^Eqo1_)6vZZAxfXNPBFBoXv>Z2r>J_$)Xli_qVd$r= zp{U&(!hkuKdKA6MX>3<mCLe$_MQ?FZjG}*ORifASXrGJG;D@>mLl8M-2>B0C+LCe7 z*a(^-%Fp_cw;&7Xu3v`52XzPzXxfBTX#tg6Eb4_J_8!3DYySc~Sd;yPR7sr-vrT*f zG70=9h8M9-$;^+QB;>Sm`GjGFS+c{-?686-4X}dchsagI@)M<1s%9h6vwW9)=Uun= zXMhTG-+zwP!d!RZR~9@n-Xj{onqLB;M{$Ouft+wu@yxmzvmJ9CgLKTdpB-gQihqmr zs|J6Qc0ONmp2gB4gk9pO9+S=acKh1+e^0bn^j0J8COSircT+{~_`xDo$s!-4`{CGJ zZv`h}UeR@JPC%;t6(Wg7KA(VkdkpnLz2`LOt{gLav(k9X5so=pF0fkkkH;zx>@E%2 zhJngm6Em!q#9#!@K|o>P9gb&_scT05GHoK&GKy+()0AM1N@I^h{|Lp~P&})lOU|!W z$MaVJ)c5yrqZg2DH~dGn3kk5|p)^B_*;c{mXM5*UWSJY0oeJB7sb(35&QRn(2_+<k z<%9d&DaJ*KIie1$r719rxGHnZ@mnqHke}9u^wqSrN;v#YQn(4A3d)W;3Xp}{flMXp zaOI+V$m)ft0C6ii<{U~q2+)z(d7+t@zIqfYOf2%XVOotwYf5yORna%(DS9KwJz-TL z-Z?fPcj7bZL(Dw{nTleHEd+KPbI+e-1)Vn}(G+6#4TP#N8)gmZ#|<?Tzo%74aqVtx zKug+bERZ1s+-*Z%NRL~!w}{hi^iXGMt>!<&hN^nHm$p8tgAYER2G?~BL5ih1-iU5( zHE|&pX4iudwG{u}%Bet9XF7%37f!*tp{)Mv%i`aKO71SD`;gLj+$IPjeswH7IGazy zK2}=$K#r8iP+~Ll4EHQ-_>zE__3OumDQw>oNpH;NgZk&b4!I}x<u>64Qa-X#^P4NL z1St0kP+Aw}N^5_TBPqF?`@z#4KO2}=(PzM+H=^cu-xY9>R6_Uw6iXy&ZDo#t;|Vik zj6is~H)9gsx!!;&T=VC!870n%fgfD}aYJ=;Y~_g%)J)zr9z+)Q2BIJcup|@pspUNR zoHsAUzd-&Wy~kNOOIo!%w8onJ7m{Axh3G)#xk~q5{iAesKsdKiiDpCCE@rJEz2oXo zV|;*CV7{c|#ikCPH*emG6-sn4QB}xj)4nMNJQ;O^6{9g^v}#>V(%687GU0!y=9uLi zi=`@$@<(rkgmGgw$_4Oj$6p7^<H7OQiN7ALJ@FJk4x*1z(_s9e1b)mS2(;6iD1;}c zmrnZW(ROxLXL&90*&xdPDCp~dnC&gjY*4)z!mbVJ>ZE!se|7f3Qsfh2JH`e;uBIbJ z`#g~qVogm-)Q%2r0B+MlI(Jr{7g}SS7XOxpZIE4dhV-wEV&AUN8jFd`n&R4BYFkKe za7qz|I+NAY>XEE|QRLG)?_gC+zTU4i@@$byy(bxUvzcR7^7Y!j9D!uiWoC{`lCKkc zs~DS%8ER(8HeaRMX*5l#Keo+^Z#Tv|yRxXOF<s5TXw?lyuM<bmKTqYz{sR=fF$aU> zp@gb~=n{pTl>?JwP9++gh_Y6ui&0M;r53g(=W`Lu!F&s|Hd+6qNA9xN!)%v2RAvEZ zae0ZoyFF~%1s)fkuq#yFbR8R(t+2vurZ^SbOlOyDlhiC}m2A^HI+dph(Z0<g)+VSs z{#!^zVlEXk8EX|1cJU~>cg6<5T*pX;hBP-R91VLtAl@+Bpg^AHX_GJ-V9QNg#r`0S zJUKVf@<$tgNQe3tkUO9EzKB5!W5s=%29F(sZ0Orv%#N|m(b?V##eZDQ2>ZX*q_BU3 zDy;#7v&7%RFTEZK`!{P@O2Jd!6^Pb81~*8C)epk{LuS%SN@_8aD6Fmv`#(05{y|B9 zGm|K+t~7hc4&)D2GsR9AOYMe*N2>i(waI`&9fvWsNsnVWu*hq$j0jl@eGOp~Hxz8f zw_AxlW=%LLuT8ESuF#J2YXudKQ17KJ+CJdKw;QlKAlf8G)Z3<Ath%PnQ3p<&qG7!_ zny@Re2WYREKUCYH_z$TUhk=2KVMtrKJHiFaMNg$CUhd!Y4*s;LRbi*7<>S=y2n7(_ zsQ9}p!@z_(F3h$kD_Du53w}Z}pn!WDzg-jtQq&S9_d})N886{t!S%G;U|3hFcU$@8 z$dv#vs7uK`K)FOklSHoGx}@H^>~h^OudgBgU#N?1PT0XbE5a<|t;RcH2Y_x^Kqw-B zU8!-Sm=V;-Ac|RuybDm#O(^lP86`jyb%QdriTutnL}PQk9?Lq?5%x(;*uqzW7qX_r z5D>{8emOF(0TZ`Gosdni4PFG&%p*~bR5y3sc?YJHpi^*7l{T~b7bPK*qmP?nzrv1? zI9QDuNVw^453$DL(ff-hv?Gi)p?LIe+NpxqhQ0a46LyN&7KLJ=w4tdnDI{Wnu;S4T z3SvDFWMsVqE9`c@Pe_Y%Xg8`t*3mbX^eQ)cS!^GFRs62|v18H(D~*lW^ST=iLrXi_ zq%^i=$NzlBTHh?^U;*1L)jkfm`Q=cjD$znPffWtZkLXZ^)nO-u&`j`Nmm`zb;$7-+ zR^5u&TF2snXvE0}`X~$Fbd)=hqoB~KjuwohPGoc4MA-)NLzn=l9yJwacZnL(G`BAD zq%{}jU|JlN9!WbYEwlDtL&Z8A(5EjPiAklD@6`aF<8}y`(wp{Dy~CNfnRW~w-)?>$ z*pGr8yGLK0g}m0K!)e>*5ds_p!Yi+^Sc0rQf%4S>qz9!p&nX34bV4(hZ&9<TXr8{3 zKt3glMLZznCyYe4;7x*mk;GUAl!3O=Mgt&0TYY3@%C39_WIu@GiJKHCM?Ro25718@ zsq3oIfY{_f>Vsw?A5bsDQ<;Hy{zq&h^as89R@S~KgR~5JP^cxuUM|nq#+RWF0<^L- z_7^4z^o>8s02)NJF!=Ji)RIUG&DeVDjQU{%vD{4Epxr{t?Dg1qUZ-?7(pE|P=(^aj zf%9rUHl%qq$9trOyA)={sxS~tPTM3T3@kmNwW+mt0T$&>BW&9p@@)v!HmQvO)Ys6Y zfPD3KqbagmJwMW=PEZ;TWg|Qq;StHOgm9)AZI5(mbyN(UFl8>bm)}r;es1BOD}gHJ z`uizhChrnVP}qiO$?)8+7#;ocW6SYh+ei^}v<>O#{76WSk01s+IOvO#k#@Gl*eOb% z(bk(70HnBgARFpj<3t<rN)Nr5;dx^z3?a1YBB4m6xsSPdoMdHYqvq16UTk9h2PzK} z@5rN8FhTpWlWs{AKrJI6L1JcQ5^bazyHX|N{Yxf!joFkwz5ZMfEZeK*pr^|a<{5sW z32+kN4^zbDQ_<U)`=?vz;hKpDUy6>QsoU^=0Qltf_)%hG#)>S{J$NJreP0Lk=@Y0q zbu0>wqPqWpy3tDs1nX;)V<l;ZI}P#Fr?dJhcq6H9a{4dhfg;wy_66B7flodh_*|h+ z|0DDYRw;54=x%Y;(+fhux{1pWtlclw?!YSszj_QH@Lfz{NTsBPscn!Ve=-wqr^MkR zv4;{pVb(=3VA+8fi^-+vUx8smE1>vKS7z}8Q&3Mqx|WvsoFbrHmG~ZtW9__&p3!vU zT{N0W^{zJ)@cIq5?fg}|hOzy0g#BDaLq}<JCt*#dCnS|*gUkdZQH#;Y+Keh=uEU@# z{?;jQr<i-78FieZUP9Cg(g|mnh&hD?39s6DEsmw&V1y4Dyv@l!MS_g2Y!(XOX}Bk} zkn{!YSI~MuOI4tEsRD7+K<$qI7`s9d#*kU#bMQv0f?#ZhHGYFg+A6f{h+-S!(<#QB ze|*hFgppQ4%Ax5L+`^wtJ_li!Oz-u{_n#)8yNUb|-<5AZcheKJ3KHb^P<2tq!DD#P z+)c`R!qh`Lz?C$X=qI*cw>N_{Ru|u9vCJ!QeEvSxt$UPm$H)%|b(epDcg5CRlTT(< zHPg30YKkI>>(^vL)|ywK<n)it*H@FgKWJgUoL=Alf~R{BEB&e|RXV%3BD7J7Hr^q` z1KY0@3WdP9g6UaU_%sJ!a~W6=hQh*sc4?9s@qa--#7jYem}$uQF%~A|e3EizQ_eej zb27?#E*SU<zEYz6k7lgF3S!{{kYKn=Hwi2~iak27mPNQ0mGQ-aWM1M+d>_<!{C*%^ z6dy=YEr<fNTTu%pX*zUP|DsH-(_ko#EcQMqy$Ly4UW0`NOJ33DFavFnNO9j`l<T2M zQ@dZIV$Gl~z861<QLIOQONe<`-jT8zkz4t8{H|av3CC(;!{L}I;)U4lIU!c%39(Ov zNCM_KiNAxz3}ZbhK12|j0{w5a6ccfNjuNf#kk0E2{!q*wbr!R6A@-B};@pE>vVC4L ziBpHdEH2gl8;!wY5LH^CBimVUmGlJEFCdsZvshtI*xw;N{sMBa!jlx%e~+;KnB5{p zNV3%ZR&^wJG*Oqr-VfPYjGbT~bwn6TtK^y`mh!5HI<!fOKD|2!wW{ZWXum{=zXVwb z=o}=bNQiAS+<OqsX4*~lov3UFe;54>v1<Zsmc6*V7*vjJ4&En)Y<q-WeVbrPhMP5E zpgurm1EO$Kw*RWCAIGo4sQVfc^Fr)VkMD3O*C?2>U^cpy&1QZR_J34)mD#<jD-{2+ z$}Gj-Q<W}v71=%7#k$|34n(i~J?ezS2!+k|E<(><gO+tb5O^rIwaCU!7%r)$DV6^a zn-(&d1Ta>4A@%^CRSL$dKg&qTwu`;lLjUN&>c%<f6vICbfD_aG4Y0-=zQ8Qh8=z}% z*X)3QD1XI_DWjN$qA|nqFjO_&g*haLY31SA#NDL2DenpC(@t8n+%@C`z^@wu<VEc# z!O%4<Y=xi;$evM~(8Wdzy$}@>BcbX&*;44G0xgA3dO#ROuFRU5IcbBF1}B(n8_cx` z23YWXSX_m*6$@;hQ1MA?@5zCHx3B6PY*l$9m{?7Dj`1aQ)8$?e>ID3iXQ#MRN)G9o zkpoP%Lo(EVnvGd48<xa*`V6PB$OT129gLr8(yGRUQ(E7~Kc5U@gSo&y(3VIuY)L*> zyL)L^$N+t|ZLy+<*s&1nWcvd3aoT9H4+8buj4iwt6ro>jsP@|Z%MK>{16hz*e1K{+ z=NDER%%qg9T+}Cb1qf8LQia9UtdPD)fNUL{xDrtK>Wjrzlzo6^&P6k@YojG?1fLF! z>iHLHgH1qQyP6xAvH)P)4*)>@Ib)k%^Tp0Ij0$sf9mT`6Vz(lOhGZ{Ez4J-*!3<m! zVmpgj9CM@$CQdwN2U#Z`G)GGDSHkBWHH;!CM*RCUnLh{O^X)%dw5H}g{LMiYOa3!r zv#Ux9wvBZ(*-hD<)ZnKe&dT}@qpL6{5RSQ?*<lz`?ONoaHEM_p&zO55z?J<i>LgN1 zPY9PcAY&CWLj8(e*I3eW7eCNYT5OB7Rl}a2$bjAgSxS%v_=ZaR0xEqjl^!V+;~PjD z4z0GS5r3+YN<sHst;&24;QgV#BmmA2^+jea@k`Jbft2Iwn}Pa^WwMRU_6F!DC^PII zpAxDOdFml4a%cc`@fo2rk=KzTTQOQ>|JMpktp7mwrRA;25i9DLR=RMABCX#vLt4Mw z*$GVOA4v(D%r-0K8<cXWtcSHC>8XtDZ!DI^<94()hi#VqyQRpZ00$~&DN=_8NdzuV z1rn*GeW}38RNyygRzGHi3Jd|*#5d_ZbEPMjf;~u)YJjQt$WnxMWqMDc6xm6m*;6D% zrihqprN~4Pn590X_moPJPsQ79>Il8(ZYe@G551>cioAegam7w783u5D6AVWi)Qc5X zioibgJXu=%X{Pj!rE17;vEM2|DNF8#T|Mz3C_&gPi8~Qe*qGuYsOJb2TypouJai6I zUt0S`W{BNkDe`yAta%M)&@w3qCGI9C@?;~A6d~n0+DTQdNWn2#s0b7n{~Ar5Raak0 zb#jsPW^oT$5gU+?W=gP_HSymB#JJ1o!x&UrO7JFz%JoG(cni{7T_joJ8S#u417xI; zlb9t?y~!i%TLVQHe5}+Bh?3b+DRxmB0_!mdmiPk*>OJ>L%iSoa_uRL1hu(9)6amb5 zdsvG6O9UQ~BEJ)X3iV#Sr%H-^3;v+@Xi{XWh+ZVszK@DlpO3f1ETeT^uwXDu8+v0J zAlJT9a<?eEjwQwcGlY?^zY-WpWEic%{J|=CXd`7ilDh?rA{b`^I<O?T?5zDlS`G5C zfHRcILYOLweEMja{l?~?H=HNOZv46~=q*mnl7;Y0X+bJ9Ffl#EmWbi!lOZT!>YxQF zvIrU!xoe|Gb<B%inMjLXnZjxOK^keG%9N3?nkqyoQe`?lvZ^wQlhl-$BF3BQ7>1ex zYI?EsPEk){1jY}KY!Nr0xEx`75i5ea6?t66{tZi<q3(8q&1qJgAu6u46|n{k&l0D+ zUW{#~tbf{F<Ud*@-EcIBg{+LsKN!1rfE1{UMz>Aa3?wNs+b$d1W&h@74%Dqe^MQOJ z%-QZEknLhK^7Nj9r8e2tQfE_)Es34v?L$?_?|^EJ+$Jawsr`Y#Yf#cjt3o6;u-cy| zMIh&bV{9>y)NIR(p9K1~L2y&KPm_~C79;_bYfe9h)TI~5vGsRQsq!8CQOKC&!}K%~ zu&Ar)*g>%F!~l6cWu-}pz0`{12!i^-1WqaC*sVnbx8fz^P>5EEAcGGQ<TX<x*o@#L zvSPnTm9lq(*xh-IoiaP=Yp6L`jYxG&(BBCGg1L%OHFt`7AQEBX89RLq0{T(@9u3M? z*96M(xrbUx<*4>wq|vy10a|RL<>7{@f@lam!GhV|QmJ+(`X>hS5<;A_DxE0sqC_U* ztZFvB<cd8*bg@@S3`T64DzbPI9K%S<_iXa1nV+kAgSp*E&%$zxt_EOzW*@xf;qSqe zEg}d3VT#?uhrv3ItWI?Ve(h%z$m7qU0ICl98eoYkQ8j<h(w`_S0hJbnP+}xRGC<l& z;749fv)$OC=$q2`4D1Tb8KGUuObsfyx_Vw1%CGrJ5SEML{Fi7$WIe9EAiz&d5D%<L zz)c`AvbPI+2yJuC?5HOIdRjb+pjL<V=AmvL?h-Z9dQBuk+!=Zh*w{fgXeqUlDa>4~ zNbJFEoP$Moe+!Ty)-zfGvC`Fg;k*#cH#Pet0xUO0fIqjQ;!{vdBZ7nwGR=Q^2=WdV zMGxjVO!OqJ^h&<a>w-W+>QwyBS99_Epz6Z!LhaW?6Pbx8tFL}ggMFrjUb7O_U=-Q$ zg_uYPc;XKuP)~f~3u)RF+OX<n*2}a(@JL7#QSlp)Jk2NKFYS&0Mv7la@pGlf#q<Qr zJ)fRnv}5TB&N_mgi=>D|Ppo(8c+v_rN04nmTD48ASG)(iNne-089H|$3gZXlLzLvx zzBLRW3Qz~8ekn!LK)+{Z7>x|Tc>K5E<>>8&+Q=fNiD?OjB*lJ%=pxn~e-h8aSk@|9 zu!AvG*%@CVQofFBse)tVBzMH1gDhrCvD=UY<iNO;kU$NyV_DTyJ{DAVQik|cv#3Xv z(eecK68z?><MDfuIuyToQf-b|gEKBAtBMaW1J?K{>_G{)>G7i!(zm9?4<SJ4sGy%x z`k75XN)h`QeV|}TTx@NB<RCI5&oI)1kov)sRM*bOx*y1YL&%fyg`iUC0eknX71(Vo zf^SBdCux_e`C<i#jHar`aKD6Aa>d$GL<D2^w2~#{0GbK2_9CAV^0#PC5=S2+N`(Iy zwBs_{8g;3pCU;meNuktURajK_7%X_1hTL2@Frz5?SQaAk@lue1pQ#j6f|zhfZz_eD zeMA4kl}*fb9wM;nF81CdMM7ezF_+P{6d^lQI5yv|l;?$P->$PjPASNd!a0Il!L1|~ z1Ki=*<tMQ_6MZ1~$C~h?0`-1u&rUPPCM3(YjZw#22!vwH1blCm{2jpM>hk>R?}r>7 z45xehT)Bxk9-%Fv(c*7f908$>DZ^_b9l%h$%naFoVChmtzsgV_!0&1GUTl6XR`pJL zI5C;nAj2JggBGtAH54vCNIqr|zOjamEq>rri0xi5fdS-r1d+)iLsoExFl5<lN%_L} zU1*j}m$BAmCB!Jb4`diEA=)@MJN+jXKVHO8D_F+?<$?XBifzpM0|2q^H)u!bKdla^ zp6RSkENd=w*2tK71})Kg<F~6pKSq)NpcI7e`PqNc)az8p`{g=9X^~J#{}Ryz_?1f3 zC#`DGd(t$jEsz)p`=Mq>&<O{MB&<`CusV#wtVA}M6{b*LrNxF>VaUctU{TQxo3#8! zyffEufN8irXad`F8}gH?hDa9Me-F0)&`>;<SIo-udsP6W4~O0+9~x=cH7+D-{eHW~ z)gUMWz{ccrup@=(7J37h0~$5*rGbAZXa^-L#OzQZd98j5?eeSxw7!wHG8XY>6NzGN zqGzx3W{Kf$d7V)8jMqucV|fl>Rl!{4r<UOz(uAL2$`_0*K$EXbNC^~zS4=Ct2suGi z3mXaEJ+PRpLFt5tmK+Y)NZK&#?|Xld;7O*F^gP0DA-jx<Xpz4fPs2SJ(D~X}yWuuo zLp)kl4EGlZLV1w|1)4Lar1751DC>5_uBBSUP_L%!@Fzv<!e;Y5`T(e=p!|2O?*dV< zy&-6j+1EUfgL3Hhs4!SNHq0=#lBPg`r57v>B2Z$YurPBSjfNRagJ<TUZSs5&2yNp7 zv~VjVh?HQ|@`N4%tLpoo5{bZaAB+W@{tPwOXb9PM>OB`#ejSq!>pg=P4p@!Nsimo= zF$l_9Jse^E*dSTD21cHzWfp9-LzheXzJ(^RFj2=G2R{SG?NAYAqpeABhC%u*{nEFj z(uaxkUYn1vU!E6w^T19!3JGwCdJ=Jj5PLXQk_~~wPsAThLnWkAPU)}C(2J0x@ezF+ zez)_vJ`^|IcP14$Zu=IdV-Km)TVEyC{U;9LAm|@61MxCDAzgdQe@cS}yjT4KiUJ~& zhMnHEVLsM|3g|Q!;kW`i>Y)Z<&W~eZ!ukpVpz-4OLjX%QePMy)z&B`mJT+Z>M$;{b zN7J%&?Mc~xQbXas#vw(LO*91oX}5kDhAv@h5-`AmOaOTL`hKwjw{bvms|m$+%)3_z z0e?&)Ko(FO1r*=N{%^GP{|``n7w;)wWnY&d<U=y>j}sh%df%t@<-YF%v-PMz34ob; z1~6|R9=lcm^R4XvR$JGPj7@9^wU{u_H<2~%N}=ovlL6n=10^+irB|ay%+V2i7UTqs zg5jQr7)YHbupxxeI!Qh$`hjg<3}v3LD|Wq={}__NirAet(mMIaTsG8dS#p24{1Yt0 zPB^Arr%&s!s3q62td1@@M_04?>*yTu`T<5W<O{EUV%XwKka<5uFv^8(F{~Va_&d>q ztJ#eFh|8elFdMT9?=yApCl;fLnoB$>yjl1`@Iw-4#WaS`6d=w60VMfI(ig$Q<QyLc zey`UyEls<+Th4({U{SAN1-XxA<0Q;Q{2X!sX0x(`tOcF_7@HhOClV{ni8MSa=^dw{ zg*l0IeP)gaPL>LrnXQ*QMYAdtkkQOu(i6PHoU^3f!-A2{F9%;pOy)mEH!wdPv_PCI ztu4<PROP0f!Ltz6(d2V5Sz?K75XxE;>m-9gmkFJ7I6Bvx)93dSWJhq$!W;tX{|cXh zTu^B2F#OYB!6`N=_5>Qmc^@Emsa1>wx2Qjcv6@3|tE*+Oh}7?ay#ncXQaa1xVu&u6 z;f|~g;|0V$umVrS`WZyy-o)sl+AeK4GNoZ0N14g86zm3!li<LcBWf9T2o<kE#YPJO zBsKu%Fp=_#>PC@oXt;>iVvB~gX)cy38Z+Tb(j;=n(@;b2+`$+U5^_u)0&V%<IzYQ! z5FpvV^~ao64UV_XLT)jd6^PSdvM+angko7(_A>dP@xoMb5u*S3F`}XNhd|(OU)&^= z@#fG0o_vDGoG~Du@)pI`5YoLHNlMt?3(Fb&6V~E!07Z#ibQ@L7PAKe3rM62QtuJ$0 z;mFG{V|TtxDckvC@=(#wNAoS&ivQGNxLgYhcb4eE0K@$PWdv+=KmZenm}wt}Gqu}7 z^XPcx05aOz6o&2@6LY8-<^$-Y7f<3a1bjh+-UPOrOrfY4!E;7Jxq1B<&aqMnUjaV6 zgQ)(5VuSo~(M_m0q%S^&iD75WiO1GV0uAvdkY|!ROMD7mTEsCyVC6PpG~@G-YlT@( zyI2eZQT5Xvldn*?noN5~v0+aZ?Mh^aqH|7J5^&kt!tX&U=+LzQ%^PmzrPOpr|IZkd zJIpyPH2UbA5}W=!og=aBSM+HI;LO8G^9EK1QDZRQ^&vr>b)auz0#~0xNg{AXb->co zPAdWU;-%zwHlqU?BE{cQ<>iX-yr1j!^xF@apz}Mrg;nYfMSAs^Nj|lPA_aS}nCV8x z!W{JDk5Hn(^BEl7a9@btU{TgC(x?9#(H5w}F+tuMD{!+#sok%>-eSWsIZNVYdKqB8 z5YR-3B#C^#JVc8qAeSO1P?kKDBBVp5<#jJPw~UkP;nS&(BE1$|lJ-bXyhVZ7t=2kg zvu!FgIgo0K(Q{d@F0ep!qzQ3a(tnLy^=WX&B;8n3^;C=Y89W+!dp_Kw^DkD1R_D)w zADPHp^^kcKkeqPJ2#F&TLy{@8>aC(Yl$WSogX~5|4rIBc-U_I4r%h4EC$mm!w&AcA zoXnE%IcFD*U29eR%?q-di$IG1z}8_MW;49#n{6~NC-6T|6bW8uOXLuYUc)XvwGLt` zohjh;%^4zw0NV$Le6eSh*)f@Q@}9j!Ktb=MptNeg99e7|qm9MX#-t9C=UE-`vl;NQ zx^+S`acpAjf*yLkrJ$nIO?3+mCzzdzgIjP!pfP0|*e-bu)=sd7RtQ3ZPj20sili-g zTl_YY2hzSn>^AtV<nBYe3KHI(*iO_@1u<9bOPV+@{5Q$DV-`V!OxuQ1lCQ8$C?o8b z@;z0^3jG2E+{NA!iz+LS;W4aK0ZdGkgabU#k5C931xG$ArLZTA@+GAIDkU9B8TJgd zs4Fp^_5=cesKbsnY3m|h^#-sa$A3|A<~Ss3aom2G-Xda`g~U0CZE;+R$bqz(a7;!> zY$upwSG(Eld=%c63|AQL*Z%@Vx8oV)Ggp&WCV|><-su;J2L@(hni=jTc+saXKqiZp zVdi@R`3(0QB&?;T#E#<{DpRwOfc*iv7!w7C(D-^RX#kttIN?5b-!9S#?N?$;vgO#! z0kZUFQ!sjm9e+;zWz9SKS8${s{Tn56Pu1JUnlk{$b~G3mV(^!-tffBI+Y9R8pW3MC zhbZNH*}RzZSn_bxm;67f9R!8r%{_RS=EDjRbA*N9?F#jc;okDR#R5k*;wn;PI-cg( zSJb89(1WqT-&FZ+eb9R|RI%_bz&WFv6BkIUZn1*28-j4q9WLkYgp&NaSlEsuhcm3N zd-$U}LH<zG)u%@qw0GGxSz>cZ8ng-`6?Tms+bNS&BHjvY4wAkyf@JvbuNM2<fCc&3 z%~{BoPxL{S7m#M2pfOT?Rs>lS&LBdX<8z^TMH}BK0uFX&5%`lLE?H^{O40V6AW*Qh zVN2a*v#MFu1GDQR!>B#7JJ{0HA=Lvt6oaC5HH4`|db4;!$I?jt=Xw*iN(rm>PU31> z4Xz&pMEpsP1w4As$c0YS7n|WpWXbe42z6n(IIA9<RWlm>?^a?Ly4)*92)fl@z+Z;o zqcJ?w6NLDWaFg}$|76er_pqcp=rvdeq4?ETH-JLn$)K>OS0j*kc#R7W-i^fx%jKUa zjw*qt!I(@egldphkaIe9n*m)u&L8ciTFJ4)--<&mCt*7V6@By{D)lo_m^t1RZy3)` z-2$&tRA#n8x^2{krF5o;KLK$rxw{g+19zF{f&%6lRoGYf*7soYn)p6uwM9R1TASG7 zXhs-F#@q`$i?u^|kj@g&Bza<@NI!8(8`9!<rZ?vx<V?J$pE#-E3=9}gi=#T3#sc=l zx?aW#aFeENFn2K2+l5?^vbhs8M?a(Qp`SEci1eT?2!Wa6yjTy;iNQNzJ9j`Fi|2qE zAou(Sla_6PeIUd($>bbwDaeP?83Eb0HDvpO+&T1Pj>>qA!66(;5jtsI11ma(dyrjv z6T8*B{){a{lN33K2%45+_k3wGvROo4e-5d9h^z3C+pxP@YLDKT6)b?DAw3ZjIfCBv z^5=NZQ!mOdwW^b(Rr%5?#p*w{(4D&jbzV6J099w$L$>!qxm&ew0a#joj`pq+yXM?A zr%^$*(;2dD6lv^wdrka#Obd0A9=EIK=y8{tE&I1Zv};O?T5ZSTlNh?1Y`cl9)pjQy zj@5(l7QH4b7@g-#*rInr$F?*ZY;Mf}R1N+X@4&NQ%$HxF$F*-l*uqXG{sH1JUHW=< z^;VEe?7@eC*)fmpN22YpycQK(ietgU+2lQtpQB!qf2&oUEUg-h^AlG8&V^(wxpa(N z54+rZveQbj#kQ^foeO~c#<cvA+Kv#`m15h!i*w)8)&X%fUs2x(Qq`+}Wmj|buUu*t zDF#NZGyAsA?AtoCZ|g+g?u4iC&Dl6<dDt#GCB2zWOl}^jNj9Vr-r%1KSsi;p(oTdy zJD9}V!1+n@R!v<6!S#B)_v#q>>%d90gb0CcJ-5R?3+*P)CfT3;ktQ9azx8;7gNMJ+ zE=8UMEv)f?4EY>*+d#~Q2uGUf#fVqfugz)NDz6q<KEtLo>W7gJN^<TbwLas>T<aB? ze@>Y@b*rI`QkZzbPHDsYWJlVn4&o=jg5w(W#}i*gloA!dfLB<%o@hn6G^rL&=$0-= z>po0esrDq|Ojc0$4SBT{+M|w)1i&wJMjZ|j$cj2F6xc)RHXLQV<?kSf<Blb8_Sh`F z8Jw9tPmV^EI;=*<2FjB7*vwjUoF>4M5y(~_9C^-+x`@?tVQ;37Xxmt05c60v3P#iV z$Vgf{DOVo++RSZb;zP{v5#VoNTL!%NnJWV?)K3Q=hJGs1F~`~|)n+w2(eyPspGyu% z=K%wM2X6@Z{|)Opb|0St@B9|HXqmQ-gu@54ekIeX?_P}p_Jxpu<_h^OPsTn3Iy-&3 zi$rd1*cuFk!H?j##nFAlWP7w5Al)9=v$-!bH!ZAY68a+a0uAb;kXx!~1LJR0A5xf3 zidoX%-L2<aG<e=JkBDefhwBic2Xnt55Jold!mFqnmUCu~k^OS)oi1`vrQF&t{#$r8 zqOm+tvO&F;8k>Qt@+qPwPE3UF5_y<{sCTLnq2%u1Z<}!?lnt-1n6Fd~f7T3_Qc}#} z0W+l)XOzCC3^4@x-Oy~H3Ch4V${c&FRJd3m``s8PrQq65bqIWoX^)UWy>;+n%BL^u zp_P!`;Ov*;6DchoIufnDjUh}5QM6ao;RF^Rf(%=?VkTfkt04pkt*E)e)tE?ymNfZp zqOk8hg%~qECYPG#VfaG{`KzF$lTJcpW6MQVq~XNsBEX0x1xH=`;=~~|tA;fVQH zuO?hrg&l!*ZBGL+GLG7J2CZ1$`vDoWf++g|X}<RXX}<RXN$>rE9700knLq}uIOKU2 zkRtAEAcNLAf)dAb2+ouaYaew>Cj3tev%z5)!!M?zb!;>L9aaFGuT{r}@G=pTK-RHg z#QA2&GguVD{+*bO#|7u3`(kKDkRsZwm&Zj*?J1e(M<@aB{glizh_{LKryGE%MD7~e zA@kFi*(;P7qc|v>euJ*^o6#(|rkUYCMCU1~W#@KEApt?Czqexhzv;K|3WsIWn7EEY z(CHWx*HDP&Gjq*Dh59i=bs26-*Ily_0V0H(t|3Uu+>0ltvN){}bKLkGfQi<u1WYY5 z+~D!3A%;q!<{C1R6gJm%(*t<9Y^TUfjN0T&xuQ!<rx+qgGuDlMm_5oA>Ctr!NQYvY z%zBPL0aZ#=7g0<ggJ*;JtT0RLrP)D(oR|x#{f&Uxa4!elG1pR5z<LaKGv1Pl9VMn% z*OET~m$^VFO&K3^&7!v0PT1*0-Ytk74tehzjJ)CgZ;I1rI-w;_r1NLuLcoF`^n}RU zr;Sg_iyr<HbFfGs0v$~@zi3;(Ap(U-5#hPqD;N`_WFfM;fs&@7e&}5l^KFXxR%*U^ z%r~K9aPT4KTZNfsH{TYSZ(X8$tXklcs{PE2SV<8vhyG_ggt)v7@#bj!3>byH%~n$u zY`k&6qD>tm7TOUgQnnq@DKUEh{}sxuFbiIfMa3MHpjky~7}Z=-0v(0gOYu+NiN#1A zg^KQbm)h=82kBSiG#KT08_Kriu%?j@F;=T91h{jOtgdgK^1F9n5!wn*4h&HlR+hhu zA<Fy>BnC$eO_0)E5kqWljBov%Dr~25zJ$3RAZeM#dF`)-uJl}NfzTSAr!d^>5tkh2 z)kM}9>@Aqqy)&A0qy5#QWlH%moZH0qE&z{K{%R`(mDpWYx#k4TiiJXh5=d%Lpg?&v z{wGw*x=CgZG@gdz)2i+KDtB^63HZ(p)V<-Q-Fl$zEpHUh=7_f*4_IZcvnGa8ETtlr z5^;tNSGb^U$Q=3Mq*8*(!^Eyt#)g@ago*=OS#!5~I8UhKhUY`aVV-j<Np3KpVj2Zm z##=FA6Sg0v;uIX+c4O*w$YfgvfAKT@`x*K2WA|?Q@<$bCl3@U<eSFnNP)W_qQOY~J z8Xt$z<-<=%@E8cNg=qou^ku+NS0fzb_y&<S9%+e>eMVO!T=k=mIlCIOr3iJDjtS}? zorXhrbY>3h6iCxMzS3LMV5xXXIF?_`ed{sGrZYN3z=`Ht89Ab7Ld?B?s4#K}F=!Xo zXgH*kRYZ!=UW9>2XJzL;kPXc!t{$<mLa)*4{|Zj$OGgIbfwi5lA4hy7af{yO0R-`@ zK`Z)cL!F?XK8<q%Y`X$Af6U$RIr@fsEQI548{7o4HYCzPpgAq*r|k5oBYeBrc5JrO zxEt~<c>+k0uRy(+?AcIS<keXd!`}v2n4dTaimYrCFBDDtPf4|#kW*TPY{c}i(|Zsa zENI%u3Ur1)ILrrOP^m{;nTB(Qm)GqA^teI<*Eji{Y9?Kj(vYp67*TlyKa&0)T3mx2 zhJ_nYG3Y&T=p~uljQRpmU}7$PdI2_eNV*$IH3kXI@CHQ~nxLExEb(s-LluyXGyg#2 zwIjsd=aDPK40E5YujKm=pwBV)G3@@$yS#jD&5kco3pUXcejysX1XaEG3{~&ijcjXA z5XbiYP=)oPLf4DP$$vKlrRV~To@ooNLGfQwWGzL;+>d`OV4Nu`4(ER;i%#NrB)7nF zg$ejwST9D^fMpnppijiBLYMtORy$=ahrXGz726taV8Lc5AN51o-~Uix;TOLrEM$A& zP=d<q3NQzX)?g<BcJ#=95iWa(b6qO@MkXue`(XtLvG9jZ{@P#yY4(Rs6ThTnQsDN9 zS`4=XSWHUwLZE*zDbU|3<TA(r=I9Q>RKS3%Ba-6}s>EQA(Wi$uVz43b(>U|z!5d8* z%I^>&DIq1>hy%5;>vH(F!no23Hp`ciLM7^W_cK5cb!?;u1QkaNM#TYizM_wr_U##x zHZQXJK|p~X_6T3rEY>0yLk0XQ)QLNUu=`Qz^<rv*wTJv0rN^-X6OKZ;C&RHv;5&87 zDLo!R9NCwb(JW(~A^)bT*=sG?c=2ygq!~LE+fK#5vvM%yc?Xa~)d^+ED2Q&*dEV?% z{2x?aLut=Zul!AFfzpVB9I<nHpj735gc=?lJNhZLv7J9DUXeP}$#pYnr%3vcs^c3s z5vW2!2$-{#c33oJ`)&dxnT!iQKt|E-cHB}Wa4hg+veej^!oL9g*z{?5eE(U^K1t|| za-+?1!~WlvYr<mx4zzVZU?zVV<^?cD*z7=TUs<)p8FClI%iezwsn?i?_MEDXP5_rH z({O7EJah}_te%#&);yqhV-9Y(JKD50TrN+8Ctet*7i^7CGzW&kg}QVA^s|<nA}IOJ zWjAI)60gi)veUK!l6IvelS;X9Qjvd4<;T>5Da0osAY8)g50{qL|3C*g+ETXY@x{4~ zSfeSX4s(m<l*9twMn1NCr`};ritXaEIx!wT8cS9OF&6aOrrM2N2@8KbA8+Q^pdBz5 zs7nmK9J3V^aRKdcDRBeI+2($@zp&tea*iG2Hw%Z${epg>L#rnq%Ia34op8D1rET=K zt6-`+lw7{`4cSU#hh4EX61~PLs`s_Zj$F7Q=-m*mc#7bF2}~k0oW-P<y8<t`e!`)- z!qMBD(CnU!)2RtWSvBF`HbOM|*B7aC(SOo|U1!&iIi*@I;BdPE2XhU@uWZ{~%r*!8 zyOvxSYW&EK4fRT7kx7l*m|Yy5W9?zCgYf@nj?eIGYemk*`)a2C9Cxm=b^kzCEvrSR zr;fkGf|{u-kdlh4p}2c$rh?D)#?j<WTwgQwm;K^uDQ;@b)L6f`$0_c-nyF9ri+h6N zhSW?2_iNBH%yvnBV!tE^#OVN>hl>ihpdljU;JkKJAR_(=)>kkmF^|qRM`Ju)H~yQj z<q~#}sB4z_HX9GYQ<+OfF#Z(OFEsX$ipZuxE-=X(OrS&-t_u~uF1AZQlqN+;4J884 z0yq(<P6dD@#Mq?B&qTnk7VC!wsFU^MR`o9a)V`DoM;WJ{arf8Du;h`Zau;fb_UDED zL`|-hc%;12E8;JsMx_1TOnd5#G>jUhEi}_A`llr{{tWdE9*nf9p;jIcRJ39x3SpBB z>P>8h()3n4Y4jVR{!9`pF1Bl}<Y&BAIVf8i=6&pL9QT~;O^ijeolwXD+&CV+;PS#F z#QHfHyH!hv`LGME71titGUQmXjbG3N1qj@joUqlkfm^T8PdK4PI+3Xk)=${gtT4E3 zeh^YpMdFe$TThf8hT0A4lmDhLbofqfXppTU@@RR2ewX7f;SfbAv4FV-qE~DeZHJh{ zim<JfCIfVO!ZYECl_-D}xYcPY|MHlty$w~o%a?S50Y&XzfR_&NE<Awq#7<=PAJAOv z*VGo<Asg=}9Bd07{sYhl0d5E2)`o<m0#;;A4@L!azJ}DfO*m^-1$rGeaU+SKzo={P zUXUUP^rJJLu&EmE0rj+5Xvb#2lNdF91kH|2F&hkb69jD7`huWYk9pSxxpES{zeM$< zbR*cFx}HV^|0nk8#5}XHYoZghYPz{o>Qj3N9Rse5sL2;6YIF5PId*L#3wWk`9KRf? zx~Gq$$Drxs>5)F&68NoE8^C`CMf6r78}#yE@YmPCUk&$f>V%n(cx&I<<}(VWFZd7m zi-X^iAi^A@;0?RWbr?d39B@@=ul9Qu;y8;%^<fY$sP>Q72Eu-AVCi8!(yC0p0DBa4 zfjj`nG{18ivLjG$gC+22a@p=xFMJ<Q&(o(L!L%nJc8jwGWA=j!LbDB#XEe<bkb-5} zbX@KLTiF(VnzZDxIX0_k;UFyjLW07*OZ=b0^n@D&9Jitd!Z29Tm>9wY|GiYY0i~<` z(_<A@wNNSlQkWqX`1CEJqS16JQyC^%1M+7pACUV4V(J|*VZjvOgeQ?=1Bxu#vuJ4o zwTedGX{XeQL-7i-J|D*GZ@~sI(@AgxZw&PFywk~T1BCIy77)f0X2IVfY>8VjY~Syf z*eByX=q<z9Zny@@`n{Nz>|-cF<QCGHqx-v6u;;XpzR~GBOyf2f<90Z(YCMJx1H^cu zfUdSB561L*TU|PQDx_6DO4-i;jEM$R3_UvoQUkbbWHgw^-viaBJ?a4b4%Gfkl?-gY z7DswP2U~nyz=(PM7^p{eRQm^N;sz#M?Sy#hT`}%yaE7AOyab+X3`p986O;{pApSWj z>KLzG5!tMbfgi;n9B8&y=Z{A<xN|0x&K%Ts5eatgiYEr+qBXQXpgA3vP2;e35$@2{ z5=0*A4RAtpPV=bOP8+Be0wGsQ>s$Fo+BBfRX!LMUJrS<xJQYmhA(4qBAf$=n1P+X* z_^lX^WINa#iFV?{5Jz2c!1c?EoCD4tUhvM+{*o%qJ$Sfc$swT>q~8UGK%~FtAZm|I zuZFoLwV#8#X|tp91Ed@75-jPUFybdlbo%cwB``e*vlh)pF7>dqE8=tzIfIZk#?)23 zO`DB!ocvMN08;ulR`DOHnxm9sqoY85S#={0r^1hESEWKqS_jd!xm$uZ#NOFgukd|M z)_Nam4GKDrPCw8}lFSxgLohmK2g1Tdp0H4oa$yk;(!I8?vwVC5%=IgD8SaVj&XZ%R z7v~(eYL^=BcSMJ2f1+l!I37YCBI?9A!~HF!Am+LYF?!D;DYzYS1cm81>{?`jsYY`f z?q$8@#gYeCQ{e9e4t7j{?Z9>#f%CQQRNzZ;n9Qf2JSF#pvJ0zalW%u0c7qkyc_0>- zt<9z5DdVZqaxVM7fQ}nn<AdFVE^LlAs+aUtLFGgR@H%)9-Z8Xf81Byjw(Q@iWs=G8 z55RMXeS>i_+?$X9<wv5*zg-=O-b=M%8YuT)M7-FcMW!MmnD4=gVKm^W^(3F2xlP!n zmv>T~ApuMefFZ>%DxQN1;ue&oi^Xu=BpBMRbEz$)1w`dwsA8aKYl{WGj9eP$gIojR zz`t-Cf{YH55<5Tgpvk9lQAeD#kC-D9$i*Yi^i3kNYlWK--Qfy~9e|u-SrhWSpnG#4 z#vG&nh0^fe$g?Q#T>9*Ri+&3>3p*y1Y2A<{9d;xq7Le*K&u|}vj7m@<_#T2-fkVFi zxZk5+_zlW}+z?XC#NQ)=eE9Rj*o>|wWYT9a!V}t+)xKnNVgG?J7PoM8%+KEd&2+zu z&~k*#`HQWkkO+FWWC--#2L&gab~{*@ub~*`0iq1L&}tI@_4O!Uvyswh`KL0HxbIOQ z5(>tgAo690S{i8)PdJl#R`g{CdEuXs9Uyb)$4+Z5eh8{sQ|FiXQEl6zDSlT3$get2 zcz3#2&_J-p{wg!vZ7Qt~I-%YRB*yc<qWIa$BeOc*0GkIEB%KbP2pJ{iqroryC($*? zmb}@Lx>w=7Hqla@^3Q->3j>t$Srd*G=+GJUK=<GA`u}ZBCU*LM`{AE%gxjmUgr(e~ zO7m9K)2zUiSa-dct{n}nPTi-~cUKoIaJVQD8arngS4DQ?f~{Sl3Gb>LX1E@dyAdlI z?xPgfY84=SaWXs(;SpwZ2Cmgw17>K2kb~dT;`fyJJt=-qh~MMl_n7$Yp;i5o*G;Lb z&8if*-r5O;-&5Fa)4q0I5LDs81&vq+%5Y(cIHp1-4FCJu(6E2gf<cOZo0=BA0P_0t z=qSC}^npgG1`a*OvISng3-*xjT*F7Ybr1i1E4eZz9#NQiC{?Jj`D{pnG%W&h!2`pj zT5L?=ieerf6{@LuxbHix_`d~%^q*Sbf=4P%>FxZPm$5-FM{6zO3nIJ}L5354;2Na= z?$dDh^Li+wJN~GyLe#Zz8ut>g<I!T@k-;d|K?1e_z>3PGh=Q*5uTUKAtQ!CyXYzHW z1t6L6AoiI=pefCJ`~!-JMTBZU`Zw{A*-X3X(1T{6!!>&<3xfu3$;VChVjaf0x24!n zY*L38nB}BeiNHXczksRg=Y~77gqE70O10h8$anFx_$A<{5WV<;4wi1|?cjZ9!+kSF z^!aRlWGV;qoAiml-GT0Y*CzlUS2)(OaIx6jL8+ohMaMvAw?fl|H{3j44mo}exV(j5 z0#lZ$a=c4SLf2);BnH)RH!dc&A-18D3mmyffQSXj^+vdTfvvj|f8~{cI_brHUvH4s zsUbWUx%iKIBTb<eD)p329Sls+IN{fHT7xkImyHsHxQ1`DxLYvsV@Rkt?(hpxMq-Yl zAMaRLh@LzNvNV?sbNe9x#x0J9`?EfnA1QDwL_S=h37G%zwSYNS(NA<NAPYZdh~ckq zPQm|O`1r4o2uad#zxWu0iB>)x?-=a&`QlW<lV*ZfBv7~4oz<s2a-T-8j*y^z31&*{ zTDXKC4fz|YCh*ItnsJN!D;AQtoY_W97q==%ufm*$Z$0oa6KO1<7sU#_oi_;zp^;IC zEB+HzgX#XySXMd?bh9Qt_yvOdtm7-RR0({WBIOR`5JyQS@K?~7GH%Y9U<@bX*a$OQ zW=rB4af)LqKLzRq=I|{L=|X}A=fPSq$y+&}L_45I9XKkIfNRCfNd$8S{|^Qqm;6k! z=;b*UI!V{(fo{SA-A&jlY+0a-y(o=AfXVh(4N!b|`EbCMyq8?~D)%u3o(sTmE7o}c zET9h1@6NF#a`-FH3q|%8?#9d{RBhq8f1!NTFyvVC5FX)xIBH5^v^sAzdivpy(V^T9 zn8Kg`8$zZ_tOqH+!#*6#=Co-l-wPHIC<1Jx9yvGw`9Paf_|E~%xO{#e9^V;FfyO1k z5^Yi6K#?#zLD$&D94E2C2{oR^;n{;@aZ;u;jA>9({D4s^*Q-)~AgwE~^E9?iX=3wa z)ds?QsC(y&R&|Bk6_jA&a>2y4MVPpLhlz~7eg$1Ux#}KC17Pr%K>gP-dndA|JFBJ0 zK1A~tXl_XLjzim6up2PO$XSV;1-A|(AaL`OBt6w+xL<jcMpTMCk5bq|48(p8cTwR5 z_i7;tL>q=E4nd`~sP?cFS%?(U<dnYcLY<VkRu{4~Jc;Wwi?G!@hTF+6a-t<Te7}#I zMxJVx^~EFLH13h>gCoLqVecL02N&vs-Z`>97fA%>oJ5GOdfFoTrd|eTN+q``WW%Q| zU_JZ!4r&83UC=Cw$-yrNWeRiO0!o9b;T+jy6qq=alMhQ}xQQ|d4`fry#1d6XI~m-4 zfNLmHD*!~*Ne;pj)^t-uFI)t4b3%@}T@e275bpqq>-^2g$+Dmo$DI-ae!?iMi-!B( z3r&p9K(jb;n0wN;*c&K#&>NPP11lDRIGl!(BCk?wv}&0GS)lGgx`V*A6}vf6Z7^1Z zEkRaeZ}m8Dm#q796oo5(*t+;J9I+1IdpGxjgsg&u(zFrMn>Gx^JiRAl9=d{?Tb{yI z!cA%YvRom(NjRE+9(*(X$RgE3Ic$M9BOt@2ZrkQz1_XI1m8>l?TBsq`B<F6F{hOr6 ztzb-;ZMaVZ)J%p`=zwZh+lYvy$WQUqPdKF7dlBGQ!eEn>F~bN(bK>pr0I0W#qDISg zEc`7UA(z6}u^>V%!SoWK&O)^({$jX?EkL+E@oVw^XOQt<v9BZ=7V`rHzZo=1rr0k8 zIYO$!J&z#OlZcMZauKx#l-L_y4+KOUGTvnNpz6GOC_9Wz(=xQoy5Ta;e$jt8b2mc3 zK(OYRG1OwI+$s1ai4s&CpQj4uHUNZ40D&$`35Y%jJE0PLO5{n+F5HW+5h19TWBip= z4N7jOQcg!E{LRvGGC#9TYiTB>(0V;MTHJKMI0wa9dweA_5qpqo-%IsuJbETd{ZQX7 z!JRoE`Aum=0-7{0I$YM9;iXD{jpA=!6qZB0)*L%c-Q4v3-IQDY7v20qHR=62fc}GB z-3LkLtgc>7UEP3qF<RGS$YpULnr3eWcwTCtrkv54EJ(`mo1<QA5P$QMuQkVC1lO&E zT#vnbYCnkyUXhCrKHx#~`zD|o)->|H{%!6C-|k&KL2Lw)gPWZ7#pn*MPNQjG4dCe9 zXYUkM%C}>fvxpRmu<XWMp5{I_pagT9i3u3)eN|%MGi`7s2>QF0y`6C4JTf9#J6@$H zTS5Npl-XPG2N|vij}IVhyov;>LaZ)=s?2Yu81A1XtHh36@$HX4iH!JOPo<!c$Emt4 zJbMFbSPHKn&}ZGIerrNN&6KOBc}L;KFQoDp8)-V817hNDBdB|Dtry~RPtp3h+)HaA z`7OJ#qLKt(NAEQoY4PlTu}kl|4x5Zv+f&Od>9KGnEq(5*d@nilpTloPGceTT^NU2& z1JN|Cl0?rw!+$_p{%3^zW7ciN4n+SI!npSpYbPz5;n?)I5UqcXZ<%zJ&Sds(X?-}) zsefeEa{1{7aFcw#2M?3Kh|6gENe_qL5$kc{A)x15$W<$-g05g5&Q}gDVjJOBfCRc9 z2%acz{$y`G{CQC`<P@aO1rvk_a)C%kbMt$%o!#70vpJGN=9BnaL83@6(!@TV^nHY` z<cDbT;O(Rvr?sJcNN=r#8qxwnKB{|#5HtPRCPK`!0x<^^I6Dc%OneT}`X@ll{!-lk z@eL4@BM>u@Zvr4mjGQe{?OSi6<frhA_}EKlFHy8B2;Utw7f~}21-*^o{^L)GhP4dC z{Zs`}8JXT8AGmoGb>n#4J-tonTj++=tAJkYF(>d)Z-Tk3^&5^m&9(_YWdb$0`aO9@ zkz`ef@2PEpm#3kcvnxp5|BY%OGcO=Xdk@_ljWbfvJ&?Ot^|R)lHebfUSc^6iepd>X z>q5A%3Ae7)`H`tgY!<F*+>Cqd7iQuEQ8R#nF?RCb--6F(fV!02y`rqSqYb3=8mK7+ zeF@3g(1pdP8Gw}b@ckUwXfjZbifAiOH%E$Z5$rAYZ_@^a%%Ar)4?1xb-qaBx|N9Gu zP@*GPcR_*|`!{J<Bg9X={XKhn;fchDAc-}R0jtEkdE^1yJW>TDe3Cq|kG=j1q8LIA zpa171UW6rMOHsiCPR$c$JD>{WrEq!)V)w47ubqLT=Wr$!msr-*awtxn$x}C}Q^e7; zMB=<Nqq8Vl#gYO~hR;H{-C+R0$6AVxNwp5J_8>kQhGfI4-3kLGDLcddPbx=AtDwq< zV-`Ojk~8EAy0dP(;y+sTxy&}^HbV-&u&8dbmw)q?VXTEbXNhK;pbAApYFKc?@=>gk z0$yw#Pgxh-pv2VN(+WF{x~LV&Y^4z%Fv(VS&~EB;)|}gdMm)i~DZTYV%t<=%tu8@} z@uyLBu<pTJBk}KGT`s>LpnPX%Z;r{*b)=RBCgIaX@IcT^ffz3l5seUPA<?ESzEz3+ z<h$^V`vLfJ0Uz%~?fr3plSD*$Se;Vv3M?c6Sc$dkjI<{au{Cg0KQ>*4gEkP2qIZ-i zQLR*oE-AyV=;wa|&G<Gc(W0Cnb9>iYEbAd{fKL~*z2Rtab}(9m<?-w2O-^j&g0Y8< zpns2c1Khc4Aet7jZQ`7w`DH-C9t}4R^WZiFHLHldAB<kK`)z1*M;q>|9;9W~-Go=@ z?SoSAgJ9JCFT91>9k@oJxFYD^vGj78wc&#+a_+W3e!iL!vTgG3(2l_MU1p8BjdJcL z+26P%BMATFV6?a*feU(DqeUqBffShor~#T3nT0?RkzqB(u)oxyH@LaVe^5)u{p>+j zX7Bz3O%&V;iIXv-lbRsx)%A~^vh97t{X8HIm-htya4npMI+S&=LeoD<UjLu}U{!qE zV#i&5x6__~Mn|Z-n+CWtJTn%)IvcYa-*$@063%HXgk=VU-_gl$n}b@g2gO;+08B_y z<TK2Wmh`PK5GJyD4jj0XMi*GBVJpRvf6CNA(+G$Ov!ZNa9|O2SQ*Q-m4fn|hNWS$q zN|Bk!$!@Y>oq<jZYDHG;ETXxNBjpE>2}}z%0@>dwMaGFbZ=wq!KhCJ~v)XE4LiR)U z!97tH<aiRAatq318!<^?MT^XOa5HLBT6z-o#rKOsolDD16e!(Y0tK)og|84OxbQnD zxaIaF3ZN+n`P<d8EjH2pp?u_FIw{*AoOxh%6BuX$Mcf2i5)R!{=7)Pb1VA8#qnFs~ z<KFxv2Gpy~jsP5VA9jH4WWz-;&)=wJ_M#=>O7%)~2Iw^0H~bjgg`I0=XRzQB&B1M$ zbV}@o<lDDv!E~GB+khJ^!(nzX=<g;A4#=otSTKs~yx%7Bg0DR+e>S$rj_V}(d=HHq zr}IOkPFR7$VYXxu4I>@anud4Z{&1|gg6(8G&=IpYycWesCkJOa+#!!te29fLpu*lP zhT95g!{x0YetXcr1^0}fh-afZgiX?1dJmklLZl(QmHbB_?GvdkybMQ_L6LhGX7tgr zqJM%#s)?_^l?LV$nAC|j_p1|=1C!0G6GWH7>AP=KitS{VxBK=d^y2bHARGeIV^4t% zG8}F;p~hg5D+GMVnv>&n-Th$XMRtf6b|3EBG6xG7!1t4yXh`s77P^QDRLz%-#ds`1 zLI=Dxa0Ph~SGk&FGl|~^BW7ZpSvuJkl?IALS;PJDd=%~>SHz=qTx&bO93`;s(7mB2 zVQ+>%;snHy+*_QZ__pzJzoRaKA2RSm27Va3*OQXpzULb?6?7euIQNe=c&`j~nFSTF zh?l(mgOHsY@T3K}gb+ZE<M~MZ2O<&7QxJX;VQ4dn{wCpdC0^+YnGf)eZwwzd3<x3f zlaAwM{T#<Du;yoDy@&I-xES8F9`xhw0pjg>;O*e=ngZUAJ~>|hEx-}H-5F%AFrXBA zW8eN_)){2SaUpzcp_K?}ItBxPyZ;U$kl=y)>#F;}51LeGbowxqOI%^N7tf<amjkaR z2j3oyy1L&)q<^~<InSg+DMAPEz{{mt@~30ke0<~~oo*{-7545s7Gc~<i&^t%cySYr zfaeMtvF$P3lhI<hyd&uU#N<Zu+r({`&R13^`R_6i#KK#_XW<%_r0mO6j3%Qumn2y3 z!JCP!JBa1tNb?Ev{@q@d`xkDqTyzlUS0@q6h35ipHldshgHp^k5^a+UGJod3h`a^Z zf(^r|oNU6$)ouZ>f@<7hR$LZ@zZTIl(6<oLm^*@#TmZiE*Ht9G#fe)4*}WBL3;onU zlC-*(4LcK0bYgQnHf+Q~=vMffa4Dr1LqwPZ)9B*}yac&u?EnOO@Hu60Yycth$pi@W z!XPZe{n5RE2CU@-O^Y4;TmlAK<YFgHf^&W&CP4s`K*1y^!6eA;KM9huZc>+D);k9R z=Jjg)<gdjXFlpJmEt}>*faX9x5k3h0Y4n?Dp5_28zUJ*}xX?=w{uGERApEmWOpxRa zOqrkLC_Bp{+h-5N_wV3-E<OH7&>Q?Sot1af$9b-xBM_PO_6&TNM@X|>jcKqJGDPSc zXLyB9p{voZy38oMh_M&r+klO6hjybGu&Fp*ZqHCeqWC0WXGrfz$E_(ec1=z6JwUV} z8bCv^KOzzz2&8|h?-L@J`d*+1mRp>kwBz>k*%?l-Xpa(=JHqstKo-pCq}U$u-9Q;y zV|@GXJv25p{u9U^{p(wy)Ep;Q?8<+wMuiqB$DSeO1Tz9kO=C6Q0mc_NoJl!W2k;(d zS!R1-sc9hoZgk?3j*M(-EC;WlY>LaFI1j~PHZ%q(zJubS9}g!1Gg>LOlVW?cmqRt2 zT7W&09+FN#nqMkh1IhQh{Ra+Kglw&64-mc!o*E-DK#Cqu>o-VZfDmWz9i-F%mGlje z9tTy^K*Jhu)p`dAT!#h-O26JF{+Htu%;+IZbfRGzAe;rkcN#H3K-@6185y6L9jv`C zhNsFLp1$!G;{%?x&>SC(1r1B@Fqz}i*l&Eo$@U1pJ%nFSLO27cpPfO25aJZqL2>OA zw-a!Q5u)L{5d#@EAu|WaiO9kK)A+2Voe7<v>%fE&cf66oh=rVdfG`x!%;u+HDu%Tu zhks)RJUn3rCh?EWKpx*K0-1c584=*EW<cTZn1K?$$_$k9zng(F{=6BO&wp<Q^7${! zKn0JQfknJp1Q_9rt7e$kCZBJHS5SD4878*EOU&>}3J1+FEwen|4F7||lg%)eE(`aV z;RXs1GsCSEcADXx6h8S6LI7*0aHkpWpzx<=m{Yjj40lp^s~PU0aDy2phb8`o8K#3$ z{6#ZN0vmtE4ChdIg&FoxIAVsyvF$}>IFI5VG{gB6E;GXc3ePsfboiPpX1IjH(<rPb z?{b96ZbsiY<NIT-3s%B<>fpmg34D#t?;2~y*v*)1#JJ6vuU}2oBxr^f$G*BkImq}8 zc95v7jWV*CIQro_WX8N{#!Ny?hZ*x1GX^WN>jN|9mu5^pVz!zwHD*izF&oU7N6Z-L z&|Ry|m^&yY**(+eBoANZB-^BmltfPA&y$07R{poYB^4@XtCpbAYWOQH$)uOMy@~F% zg4-%iMTm=bVEuE*b%PV{;ASj*30SaqxD!I5f#d`k2PGu)>#6qfz(`^xR_TAiSw;B2 z;5yiLT$cqmEc0i#(EMCY;Ef>ghEO6jKLerpNdap69{?TE4^Vt@6kpDOh;L{)xBw#r zAH}+~kg);KO~%4z)ea?aMeiB$_<RY6u10*y_)}`yR#caPhNaqh;9R1r%wSz`uz^z! zC5fk-@x2}mEsBoCA3~Pieti#uXHrhGg?<l$?|Qip!SvBoflIm08ZsJtk$H%aIS9B+ zOEsDJ7jU^5ZJznBZ#^|X#Yb!WX!8Sn`1;<>7(3K?OX}NupRee1|2gY3d|TjGo%#&l zJAI$u!-x0i`+HdYoXHRHwIrm}$M<kXhF0<a{Wtg+ovKNGxzFs!8Ssl$a6ENk82p#4 zQ|%erWYV4)t%%dUOfGHOSd5Y?ndw<(x^_fC)uS8elYlEAsidh_qCbisHQcV?fREzG zGNpwP#2gN0WNXtA#4HVF<Y>_4HG1f?#@lG!O0A#2Pn91n`i|r;NyJI$^xFH!vhdB~ zRz+%qV#92`&*#7c#XmMf^p(wgYzKQ_bb&qqS8ec%Uh30J;~vXfm^ft{^iHGC5|Gxp z3~B+0fccbtsNo)Yn=qsdgy+GfD4M{P2pBH-Q@LOG8!AnH<UINH?&`Tt=P6Qo<&&TY zy-B|_oY~^+2zLI?UUz`+*eS;FS6)ooDQXc&>Ccnec+*hv7f`l;%n&p#>DWv`*6wGh z7>elcGgM6GH=#aQ4yN=~OPkw%n(^QZ#K3@(p8#Pqfv|p-iXpw03c54l|Fm}|@KqJp z<DZv>JhJc-NFZT-NK_Psu-FCy^*wme7fCci5VS4{Sxht}F}aV$A_NkY@JN5w@>5&2 zTC3JpTm4%Xv}zM}+=v^Zb)l{|eW-B*+<5=*nR{On0<`{?{`&d<e|>Os=FXkv%$YMY zXJ*cvLAnnOHs2+@y`}mk&K6Ez=)DTrK=ZR%akBZg_BQ|69kB0a#q)PrSqiZ#kG5N( z`!07lR^1|LzG_`7^%?2uo1{c7h*QT-`}(NRAYM2hJ<E*;i)2a%l0(K=I`wy3g0<%k zoZ*V-Wl#-F9FT3ekL(lk<|nBER16RLr;d2=H&A(v48Lr&g{ws)p=E)fBHA#n=Jkwg zFv4y=Xx1s8k3&8*$OkyaPg(@HQwMksMbc6d45!VIaC|<=`drifIbVMsX@8ElK2PZW ze473omU$$xLoB~zhn`eV#b4BOMw3@33s9^xgwyue!L|^LFb=|m5E)|+B8kXZ!`P2; zU~jJrAgZpVD4-e_OTu?aj9}6$@&V&NH|Tu!id|3!j5cFhc((w|ky>{$c(siHt#+%I z`nb8}3zG4MUm{f8ei{QOL0pf0m=^j0saEOib{Uh*(<K{%jODPFwWc$Y@8{az2b!bo z??}>euO~sc--EAaKl=kKa?f%LTb>wUCWJohXU)&5?JE=QyL}l^_hqB0>TdcnYDH4h zm(hX2!PxYhpu@yqY%;JVDPG>jm@e6I?6Y5GZ~0`R@k8^VO=G{1^kgJG!F&_nV?_Au zSMrGlHPA9xeCDrNWy4@`oK&x*!u_Mdrk(GvlK~AK-n(PPg3*s}K(m}HBjfpI9%8%F z42aScl!|{;hBdRE*Zr}V5-iHNL~218G@N$nJkn*Bn<X~7Zj^w5Rm77e9?})PV3z6q zt;~K!B{~h&8S!!Z*?ZO;&dXTV^XycZqJLBrIWK-=s~&QnIjYXQefFb}i@Wtwlz&HV z@Gk{H(_DOw97Xuhh$(0ZaJ*uF;AHbYO_Q=rcQ36=o4#AvH`DuFot?BExiu4Gb>BoS zf11CUE4O;rjTak^=(y#zUhMEjt^gjY`A%-k&}VMUNwgUqE;KMNsILK*Z&+zy3C0Nt zot|~$L{sO<pmiIBTuTv%ZF(*$#JQ1g#|8RX-^t#!b}o33ImhGkELW!M-%hu13yhVU zEDWdjajB(Hc4N*`BdIZGf%rJZ=LGNL$pWPe$$@kU9T+H~I3Teg02Y@s+us~j5WH4| z=E*O>C*A{}vw0xsa#%LzEbsod7<8drPd?k!nH3u9J<ulVrp76)xwnev^o%9Z%mtg; zccP%*Fu3VCr<ZF4j|;@)Jhgau({nL$nr<j3Up)J_IRhEI<+*a-WU2Ffuj{^VqQA7s z@DrL+cqL(C0wehA2uurZYuX!SII&=bTJ;i07B~^r+cD-BY~O8HB3Vi}4z!_um*iQu zEi-EWo?+nwZ$*Ert2(dcA_)*>L>+kRD7%-83nRN(!jsL`sO)a`Y#&+Y;aJL)iwq*$ zi9h0O+&kR|tEKHtZp#hsK<L!`%fZ^%9E5Oej<hDtxfY^x1kpVATWNjT)+qa;vbT#& z@Fgov`)CXz3mE6q2flL$EG~^uwgpi<+qe;TAU@~Iz=-{xVvf+8PY_%y=+Xh1_e)$B zwnmc99pV;&;q<wYZR!utl@&JGrslgS-RE--2C;&h=D3G?6uol;`T2v1PZh9XK69Hd z!zl`Hi43^AZ?pEq<-lE!=pbViI?0^P>6RNP2s`$+RzoAPv{u7>9M)hABkAL5mauR= z#mO1*-mgShSch8+3-9E$e}h)Tsqf?6EiCxnQ@zw0P9!~~1=XEw-=TZ(tror|;64&c zAS{rArPq*v-_?f@v=4>`m`@PU#!QO`KO?YKW!S<8vbd%Dd*3Yn@C&QMg&f5q98^-B z7%!8fk(OK_nxaSr#&I~D1_n>_lFi+)DOW!pz%~t(WYFizNlbnaRjepMJmienQ=6cK zWm~bZX~uD!D^?W{*ke>M#F)II(R?V7Xg;4H6ieD|`LO@>sE|+(526|4lO0`;rSivl zC@NoOFfD{>n(^#Uv`xCTyoA$UJ_oOZO9NLm9sdyi_zWYkBoxsS5)~kQUW%r0gf^gX zIp<soH8OcNG6vG6^rPK~_*v@3{tcn%<_1+rqY9;LkM)uv{e}vC$gvYifvo`1t$9?& zhNdl*5q<97XW9!zWuPl^q4mqgK(zn4HHlj!Ije=ze}$X@5H_V=xb`X{xuK4r#~(~H zn^%&&X!d7`W<U1LMPJ_aa9l-8wCKzCY4uuZGW7fIJ#q)fKv3{&z8Sm);VfUUMGV4t zIa0ME%bWAb@^P4sMLjd;4fJ=}RD7&IA!Yp1EBE0v1A^;_XfX`*m#&h?{+zD*v7YQ& zhjCm`duT*l%~QfMNcP$$AA^V4?-pU(lS%d{_(~i5Rv3J%RaX`s$UUsaZP#eXNTqQJ z`eV=&Kbuy#)wRY!%Aq@$d?9vsHj_YPKG`Fa>PdptTLoW3WU0zYI`KA^XiMn4P->lw zn{7YTctrunj|MNj=NGWj^tf<fM$?ST8maBTiA?L$xw_FvgkXUTZFeM;_$Vd{!lBql zF@b>M)^EVcirX@rJwXKeK{rQQsyP;ClUp>Ttj>s9W=11QjI<+Gy?gN0sDfuhPSQ&H z;D*cTo4_-On+*l&^xDJV$@Mxx-?#J+qU3WX=%$AaPt%M)t`u}nIt<-mM?qJ_rh^3< z;cqEyVzemV3^q${>c)66&Lc3^$jW#j%{k4SV}&tK?v56^2-GL$ByITxsGsC7Wg{)A z12^`qd)@WPN^bjpUox1pr5cmWO$bgqrM<FQcZ9eo%xHe`Gx-#e7lUF`iG8I$b~a_2 znjehx$LEo=txPpLh)EQ^GuE_xa-s@MZat^J`6PYYwbpwE4Q;Z0ebC44VY!;<g)v`+ zeUlR{vGJ#L+?*#(o*m48PlUpZWbA97B|WcQp>i++MLv&Mh4f3UVigh@R8!zNJ=^L_ z0a8ikSkv*9BxBeA5%)TH^5kBW;65~e<zn+hbBy4@#ssP~ojYlSkJ6(;8+@%BA2LxC zyoBtU!X8)aO$5j<4WAXnB#Wr<O1~vJWuaPr(66u4!t#@==~>d)KMNzPYkrHX=||8f z$13*ClCbtbtc_f+w5v_ykl^EpwJ6Mv4MlU&k`>|dTSfPCe?SN4Tuq*pGC~Q_*<a*6 z<ky8F(COR+<;ZX0gkkJGbWO9zf#=3w1;;;T-X0w9KM-O9nb-bpjOdNGo2TbTo5Ahv zdt-gkrVmYKcPIma4;2^6BMDOQ3KHpb(-?De_PN$T1<N|9&_rw*b;^+<eQQ_iSv$-s z;V1f*ESU%x{?b>#;&?(~i=d+^HVPLKQ(^}jE^>PpOCk+Jw|Sh{MR0HP^p9^UPNdzm zkv%DdcDH{JE3<#hlX6lovW9W_PSN3O+r~jX2l9&_0cuSfw_SXLIZ+91)!kG^W!t!D zu|AwB98?Dfd8`dOYi<;b-T5Q1u*TT2BBQ&#+F<QtF^I*O@jih;@FS=TbLjg-(AY;y z#JmYvOgiJSGDHpjku)KF7I5C&$Yk9s7R6;)wKRu<vBf$g(H3IC^`ZOuk{cW?S8ME{ zqinef3ZO9*{Hu?{K3F=>c?wl}$)t5&dN{4fPsfY`1ih7Nx+)!x(yE_)WA{ItcAEXU z(f%B`aywU)@q$nvHj25U5~Y|Q{{|1CWcQvhmN8t{{8W5f^ZR%23s)a&UwBtGA!T3K zR(F_gt2>-6iVU}J4~JWqIzrdy2A@GS!B)E2MSVned)I<w@SsQ@wXhP}9p48-^E^53 zW6i1uY*(^t4fiFBXet^NujZHPlXOqZX7V}g7NH4(e$F$8Cx4-c9Vd}ISKV=yimQ1i zWh%%yV4$QUa<aC$A%C)D%wzow1etq^-UJdWb`;MPMIPdb%##<~-`N86O}$D5PU(r- zE1K3Mvh^m;A}%%rSeKX&uWJF^tYBA{1qr!jZRSxEu&4sBh124#ye(VV?QAFKaZ#yE z#yFMFE^{)wrzml(nktkD#G1G24d-oq$&&r&o0pPPYq>wN=X}Y<Kh(Mxasqp1eCIMw zn^7BFK+$GQ&viY_2HYlZtM^Z0TRq0x)b7R$lkB!nG#+}rJ3g0zF4mW`(|Fo9ZYTO< zn^`yQJExWbmHE#>>z*lD6K@tJWq+%GkH}TW31&>~W|(EDxEwk5=mmmhKeeaQhfl5$ z0K+Twe!r~cJn2V7!(+)qG6BnKTAHc?V~}6$JFQ0W&6>bn&|5kR<+~mhy$n&9jEZJj zVQWvqYT>PBm$WQSE}(;HIN`GxG^KWp+jF#upk-3^Xfh;1ksh;WlndVk#B^)mL^D8{ zj#1oo*Kv256eTo5_A*|w52P-6+FU>n8ge3Snb+g8`V!J+z$@dZH-E;W@J}fyP*UCb z!st8Yz&?5cnu%I-`O*@*`)WYb7Qdc9jAcTwReNA*6`j*BxhF83mLnm9Np~Fa;W+uw zB(~M;F*9=hkb53vjRp$}r>_<82{x2bV;ae-;}7t_Aka7_kaUmd5oEXofu3hc#c{*n zbLP6ult;Kk-@!A<yi(qCwl7Y{r*Zn!83C77mF6214>o0=XtOiKDq1uXjcm&>mWbyf z)v<EhYn>V?rTZQpx$`VbPX$CP`q4NLHnSOsu0{N(>(giFPB35liM`>%`Pn|gkonQI zoCtVW3My9z2}{`4;y8VzqmMCf`Ww;jBYNmcDex0gfqLClt9n()LggBc8|W@8zcn*T zRH??+5J=lh;RdK#q-!5>%*Gi^7h^#jk9bL<KKY)EZbz{UnD%cZ0iMwe^ppQ=6*-sQ zfhB+F<q>-MW!x)-XmU*#^~%&qT5X*c(V1SER~bw~wF&Tsg>vUeVbfzW197ZKmyxj0 zQrX#MUd{fJ{w&L}t38BZ-DfFg%Rnp{AK5~6JsgwWX+l5RkfnviZP}6A1GabmMY9lT zM%Kf=7yMWnXJPxdVu$ou^I<Lg7^6IE@6Bu^uoxR%1;p6sYJhr-7R&vK=3oe|@v<j9 z1Z(6A!6Y>NNx4`y6eO8)uFq@)2E8%dWq}W^MPH9`EuONrs9Thb31T)qcy6kU?S<y7 zSB2!R=1DYFIZ^kprFUZ_xgK7hDNVh7uQQ>&yPVw06H$2&TF0QFc%4|Lv1Mt?Zii65 zSkAn16Oz?O<^?gSw#PhJuPZW;!F>crSVir;kNjv%fobM&sqj8*YcEMo{BbWOAR+Q? zJBaqJ)z{RC<&}2-s;_k?x=|?PZ(4@N|Db$EKw%fI=6lX;?+1M+LMlw&2^~B_ED-|p zx#oML18GRsJ;vhWHv1Enx?kVab_g=`)jhJUwTjYRZ;P!mmo%kukOX^7)pF;GTp>Y` zIM&Geev?#RG-9KxS<A~@m&mus$^*`^G|sY2HyTjjjja~3s`1q6#3~iBLXY08VrlL$ z--aY2L>7t|dS&l~@<j#pS&7|i7{(N^l;}*&0T^F+T9<HHn&v0jyG<}N;XE5zF+^x# zy5@YSYOOIWkTr&4>fR%DFO2jlH5S|&dYirN!{kC)+|eqB!PwbXfWB5Uq`!XRZfebk zn(jOmOnVk4_5M+~UUUw>^tI%o+4%|DiO$^C(s0g;T9G^($rN!&3S%2vvBm>R!|GqW zH~3O6(wZZb5l;JZ1`Q!?Nq4HO^B^<7D9XYuX~lT^f~~hn{y9&tIA80MZ}*OShCBGU zM52FQ^cGYdKMp>}A%J!tX7*aFu)#I=>nNK={d@<zX+-G>|7j#V7H)LFP%7!6@_5xY z#J@XfeZHJ+%emeW3xfAiQh~n)dUIY1yy*-6PGmP<PDpeh2l#?jqPJ`G_hDji%{_d{ z&DkOIwauLul2C5WmKA#Pc8-2|W<|UnE;~KEB0?u?F?j$afGkbDN;;|Os^qBp7qc(o zBA493##3?|2ut{`Y0moCX@19I7UbmSkI;J?r6xM%81d9wq|7VE>6q&yF`J0VVNSTA zC-T#F<hKj#l^?Kx`6G)zOF$>Tw9A+CnX7pp4I?iin7dY#p+Tt?<Sp&+c_?mvuUkOx zQIgk28c~uz?NmxBlDWY^DaqYJa@+gaTH>EQ3F9&%QFK>C#NMWrHb2vW>j-R<1VrH( z(A4u!y`URT+cjOt=4$?2sw3DcrH?FS9bTZj2pG{q-7Yk`G*XPuS;&s6UvQZI>BM8r zGcG;FE)4>^=v}U~bx#Lb`;Z6|y-U)gerlZ8ja{x&_X4^g^c#A`7P~sSAS{Z{iwPFc zZcugK)>|L-Jia3zqIlXZZ%<ec?OM<7@fe8*JZDlo){XLmAs<aKAuq^zibB-d=Ru)6 zExvt6_!jSCG~1stfBcCMxr?K$&58-D7rRI0`K`JYLG)k;3a8zyVLn7)5t@YRFMMOo zdI&6(_Xc+#7IYm!F;GZQnL_L`R|Jt`exc*w-xi|N$aUJy)N0^X>1EUt+dFP@XMUMO z$>ET%Wjx<yP9>4N;IrmLU{EF-Omm+#CsYe9%Cq}SHV&5;d+E5^dfw?o69w<P!9Hl| zZR_!+TgO#){<MfGIN`pQfGB$RD0e?;DR=iBXGG4a6FFxoovx+h+6R}&aLZ`MoJ0oO z;N_G7@%89~?Ix*J2HP3teQXI@gAKzLM=Yd=jqLwjeeA)uvr(rImPv~>-s(w<Cs>$_ zu1=b)fwPho8FGL7DMI59f*z-)2jeUR&_izD@%Cr5P$X>5yMUI3M&~k-PL4YM9)m9F z2sz2UY&<adW^v|DD-(EwZ^%)*O!E;6*HdDBRLd^*vuj|izv`+PU6AvhOH3)L$LPYC zF+XGefjNM1EG4MJ;IXAME{71B?<IsUyOJwHPCLX3NG^wYT^qOr@w9`y1*pG|Sf$D1 zQe7I+7a>jpZgYm)@~4gud=YNzHcyx;)giM8Ce>R5qaN)~qUL-UODt>bFrTGc7IC_1 zJN@-m#^zjXnQaZco8K})MBq9G=B56Y(^ilpIaymD-kcAOsrge+U52NTWmX)pj=NoE zK1e~WGV5jKn=>29ObgNa-c+`Au+Nj5^Q|H3<!?Re6jYp$jS1KYoxxUPTYk$}k{&4~ z%&<bdPpX7SutVHI2q?1eN+H`vAZ1*~Me;JKJ;d?${8Ce7j?>wu)_McjiDoez4jAeW z#(5i;$Eq2w=G)2Gn|)!d!Ul!LkizSmUF5px)2@@0Io5~i=mT$2&2n&h{d&UXPhCWe z)e@uh0CLI~$~+6|N`Wf!r&fQVj1jQo7o_FDYNY5fwaCJKc$@whFj?h@7zPuIcpa`L zy@C`>a+9NXqbA1{kb?>^mWLWZC9VgRPGsFM=H9+g1uf%47m=xJjR@vocNH74t!GBD z46|N#9P&%sda}vqlvPs=z7|6ut-7onT+K3bW>G7@C36Sdy2DAjka@#0m<~G<OR;cF zNrgil57`q3r0*zmbF*eBL9$xDzVjd|00``Cg0>b$nf^T%H>CDy3+An?MQDL}SKhdn z{Lw{Rthe@LmQW}O`_`O*8~Qyd&DOvGj{2HaO~Ohi3$5u@-+={$%rN>h=5AiVm7(Nk z3<u(~#q#OAi}%C(u`E$Ch9Ax_r-P;p<(%R(hd-i=Ao49LF6W8eJZTH9uN-5-_-><w z-_FunTdx@+lf#~U5_`^HNPaR)VM9v}3eT@V#NF@Dc{AWMZ&=;Cf6xMg-9P*e%6PJw zbRNEzV`Ww>-E<|5NVeXXXl75XcLqku#DhC)A&(XDWf7Yrr$9rP)J&+ru-|0Y!?LR} zA_m3`Z}wzQHg0r19PN5!XZv5A2|L&UPm)8+p~qd1v~#J4HkP?nyIpJOAdZF;YH^*E ziCrx@ldN!s;-+mv|25pc&LOr}(Tc>>v|jcKAHQG{>)prSuK(V_U;0g3r)HfngPxJ} zu!&8LTZP#4AE8mA9{aK^_jLG!QBqku8nczLnVikl10^+CHx~WBWZ62Odw2)E!23A- z4THCPv4_CXnJEYf*$5AT4D%Fn*L&*GIINxP&QYv<u%S*H`j`n!PV9zeX68-r;D&2B z<bq-H3@_})o*WzMvxDnDY2>Jpm<w3vo9Mh73HA}fT0__3A?8j>!PfWf0IOV`zvXlA zW9$$#ufugWmNr&P;yJGvFZk9ipO}pSPO39ED(vkDdtFcNlFhv|{%{S(W^JkGo~CyW zvHuV%v)^xeKIF~W<8{s411q$XkrrmQ2Zoua=v)&?&h%=hbS<4T1cCLLx8c@{oDTE; z-9&0l@_Hohp4q`>T_$d3&GJNEFkax@7*7=0_vgg%%{bTPXZ80^+riCnyhwqr0eaUK zs7NGl(^Fw@^lN#o^BmsR$^)qRX7%??3mXd~0Z3sgDH!LXk5;fYKH^OrIs~E|lqgfd z-4Pfc`AD2;5@!T)GJ4`z5xyj<#F-YU7?Bs)Q>MuzPPAp%O%uVErRrTW;Fhww$+_M2 zn|L7<o$)n~;AF>T^63~D`7610Nd-%>8(q!I_y#)I{+8JcbvD4;c$JC|#5H0jA|@2u zSeE7d+Fy#I+8YJI_c%c;!?`Cv$8<GKqm$Owc)aUkGN)r6BOVVAhuo9&^{aW|EuA6g zCo8lbe|QHYf5Wgm){w9~8z1P8rP`=YORU@5`2^u8phip=5HlhApr4e|Qc@r}ySOiA zNpZ!r!qf@c^`oiG3XA|nEc`(@+`E8&<G9AhbwcsRiJrCNB6+N{juEc)P3#{!GcV_j zfGZL#5W6ipJ~Y{8Co5||wQh=y;z%HJdVfYZY`El3zt}(HByBpP{G75(k88C|+(NXZ z9zuI8dPar%3#~MHf+6p?4}}q2Yh>j)=VMp13H0iX)4XwS?T>EcOjPt+oeu~P244v! zH+>beG96^=2l3e({R%za%<RWi@)U<M-l1ch>3Xu+A#V^T)pT4H8E3rg*meGdw8L#V zn*tbF-h`3m(8ay+^BXy2)$~==T3W#Jly%V&Lg5RMrZ#;Q9XP^wnxr&tPbk$U)`8b@ z5mriHFekmp6ald{Klr$o@V(>Sc;4iQ8gh$>^OIlD7G&(rk~QPuQ|zM!28YwCn6olm zUA>%<R*-%dhVrpRHzfz<jM#?hVfI%oqIz8azCHTGmgQOgP9a#%E00N2HU?C9r_NKy zVBWJ^r;jaw&P_k+W?a@RGb@@7!n?WnRWR}=qvgSJv)Fl#vaTp-J@ZgE>qb>fP1dX% z)47TKI9A*F)zMg2W_uRvLUvBkZHcmZcL=4WtOK|&`4n-v*8H9T!oRNOJ8;2H>vQ_@ z@EN*r6;n6pgR#c!ik5LOu;dY`CShc}M8&6<*VITAuPw@&7Md@7o_bhPf!K<cLCiL+ zzSF;blMF2E5=EP}&m$QLNkQoAX&gX{WS$mEjQGDJ{w){^L=`aS1J~-`3)>$T$y555 zZnjV49t|jMkydlQuGR>HP%Cnr_*wHMUGv`@!k)o<Y`cf5!fEryvAxN~5yQ+0tfbgV z+dl1#1;5Ubh(=8Z7jXb2_(ACRaF3sFopM1ZqWDSXP~I4>K4WTR#qAlEb(NU?`C_R$ zEa;iUUL^Wf)|%we?DKF%xwg-vZO;rhA0~;(f942GYj-ZB*qH`PP5v`SVAsD5qB%2$ zT_pqWZXs&$gZ$tD+dj{5yuD5Djw-nPU2UL;W}NTVhG@o{7m^_9p4OeNAk|y(efCm~ zedljT6$1>GHB;C1ZA|^gnIo;(2MA*g)qP_pS+PSkNTO+PvNa<1eX!-?MqMNYV_jn4 zXP4Q)GziVWH1qd5AwAF9jI$-(GF{U|Oib6Dq`!mhHQmAb=6A~yi`GoiD@FQ~t@pzW z{8;Pb$@wjwbU&AO^%i_q?Q5irZ00`L=#>@o*S34^PRFOU*3q)`X4x9p!<)Zl>HWFQ z&v4Fq=|=Cv$)Pybl<R!!xZf;4v&j6-0BLhZFA3h_fj0tJqj>CnSAE)nZORje66LDp znMH~Wjp*F?&t<WjHA5vWuFX4U$78_8oLxrIxMz)N=#)(~AEaO{*-Z&ya~-ZeW@L39 z(B;;}LZ{BJkyd=D7iOSp>NK3>sL1g{@1IE36Jj0uE862;Uc8S>=h4)e%q<)I86$r( z<d3WAOHUx^%lRs}%eA4MJGO&6LJ6z@h57}b4Mhca1-Cs$l48HYKW3A0#tfNF8QC)w z$r&flP!z=&IYTTN$QzBwIAMkYDPus+CSzFV1o{APa9=3p329%U_$LU6?FbGTKq9C2 ziAG*UDWtGr<hs}ss}Z0&j%&^|@x8mz+nT$IwyTv!3Mrq*7>sF*4~O#S<K(8D+}BP# z!Hc948{*{~#trZztlNl__hF#~UXod;=4H74Xy&~Rd86e}%V;wXDq5r-g=@PK9xzjd zw5szqFqW00HbIdQ$nS@g9lS^tV6&EO8Aeh`bL@5@io(Ty`@*pj0uzm_NMeO=Js+ee zZSw}Vk7>u`#VoDk=V|UTrXHCpXdd9I5R%sElD?H_Qtw0qIsVcFv{tj2gC1^QIxpzk zs^sX+p>Wz|C+Okt8o1G%$)8|$=Q9wW8C*E+(D8cUD6rBom;SAEj??L|vNeN5Wd5`u zoOa%c#D6RBYqOL6z3nQA@`ZjblZJlY#^*et{!Is?12H(6<74xZ3zm-GBXbNv`bXWF z=>=3#x$(t+suB02cjH@YI1wr^<I&r0cBEX{jb8Mu{cC;LZ(MUVx#nW?vSkyj=xzSo zSQ<>=bdHEuchRj-1wN_d46_U*SBY_SjM9S37cbDIcQU-NW89;*>RF2pnE5gbW{jxm zY&v;{asevxua78C(f~-yXeS3*sxx!RKs@f(h0s`tHJV4Iy|4KskPN#NjcJ#|9v=+| zMJ03vw~cA%CJ-<<YX;k&D6jJdIG(pCWsKtukjYz&(szc$sKD5@8+0!e8uh4yRwhZn zJ_CJg@36d`k#5Rr^sZ*X1=jR=X)3NY_wokMQPZl8bd|@|EVoOGv(Z>C07aQ=@Ii>V zdZh%;*|&H=)3-5;vzxxfT4Xg|t|!;)ye!Ez__22!(;2r8yTi3c4zse!=?foX<doC0 zn*LB{rJT~BYix^<t42JeIW#ZtraRU{DU~u8vc9Z8iIpZ<wRQ{lTuz_q`}mK4;ucz8 ztLKn!ZL>zC^L3)QxW>^p<4~Bjuc5+QNEc=?>pr@tY)QxN$~z!4L(mG0(I~LxU|wg{ zp{w~zM)L>}JB5iNSk_q~LOD4fFTMh5xUT*Nl%R;~n!jqa;Vw$|%N@FOuI4u_Pt6eP z#gk$Lvh{L{kVUZfJ}za1(Mq=x8Fq{D`NnNE&%WO-^CECTD=z1~m4CKp2c-#~b@%GB zT1~*y_}<FMjf*|az~iiTX8TK7o9wNe$h~=6;giO)l<bx5W^&u!IHxZqTMifG2S)1w zV%Ra7R=(5e?#(Q)#;qXkZN@Co^*HQyfAJU!!<Off9hZpWJ)IZDcT2(Pzrtzf5=oN= zGbJyNCV?I1r**RaHVhj8`ZNH2fE)wR#hck!mhL=6wcgGYsdFZ4+`5=gX)V+*QJ{T+ zaQV;D#m2<TYUa(EI|RQ~TN)+5UJIz`&IGr#6zbtWzs2v?*4!5~vGCSZ{5twA=xyxu zqIn^fg~yt1FtWv(KI<*!X|-C;=(P0MnlmLM_T8MmpywcAvlzc9ycF5P7w#;TLr&7M zh?w9r7mL8tMG$`zEUk>Gtk8`0m(sz=S|CNB^vK1f4fH5nu4(HY>P|cqBZ{dAO*Jng z4C@!PUJ}g)Flxz?#h)nRH*HxUmiv0nH?t13$y(6kSk{?@J;oB!g`y)OsmzmAqnG^* zrEVE}7Km;J`x)3+*<tQ-T0PxvEE({H+6V6!^+^%)13f~rq9!LoDy|?k31eQUU8q0G z;cd}j64_U_g3^17V0v?4e}QG3GT6yZN?y)$)Wr2*)gxAG1v-1l>t4<~3%;F0=xTl0 z6AiA0+ig6@s#hL1Sho4HvyAq~E~F03#fWB)F`b8RpJi3wtl-_A3$s7AMpkF?at^uH z+=j#3I)5s`%sKl6f3D~tz*_vpZ~U#Ya{7wDbwRW&Bz`OelN|!~*cuRQsJ7}U67of% zQ~(_uFNpLK2sQTRGi(XvqY7&o5&vu3F@oJGJ4dZ6qC!dF#xf&1Oyqjdk6a9=w9cJi z-pW9WCWVyt1UjN*mafPU+xMVbpe<;Mp2ZjRDO8Boh%u{wp-Yh8S{y4&z^CdG=t4F> zN30$-phwz|fz|*)i)4=@rTo?@apo5+dKQd(-xtizYmJ%Cy=H|AL5u3GD+tD9a`&)Y z8(B$mFx8RwjsEE}rZ-}}$2>PdYedM+%lk`YUc1l9)L0gH>aKbyG}3G(pM2!6M(||r zKolQyuOU|HB!SPRFl=lfWjtqopi9O=)`fbvu4f{^UW)J_y|30g?|sJ&=k-KG#Em`3 z$spz9zABErwo{L?MkwQZA%0PEtF3ttzS@g3+i$Q?;b%qf$L*jNPP=WSaF>`2X`K%) zJM@O<*Tbc**f!lBm}qW-hPDFMBRGS6xlme7wFs4%Y?eJF<VAGPFOg$Cn;(<e0-1_6 zZC`LN3v_uoZ~22S=ei2E<9*-ldiY=+{6-6t6~jV*Hm@S(rtH{2f;m@bCsLW5L}u_K z&N!0dex4Ch=dj`qIY@90IELn3b&+(2OwOJ&w^3_SNLO<a?2X6HT~hf-j1Lm=z#jjw zu>ZhY{_rks-SK$yuT-Wb{+VH%a9ud<(_u&<ta>mBY92r;BrY>Q?kMg~T<&UMU0h$; zK;K~L*;zHA536&J<kRNalC_Me$!3$zMy86=Tg^dHmPF;OD~SD(G6WAwIA=I*F?q}O z1Dw~N78xX7h^n`bsjC_Ya+G80GK^f<M*&d!EN6Zx9r=izi==h!@Nz6akMnB<m$xmz ztn||}*ZCaTXSg1|(BX_~^R9Y_8dE;klO5jYzrq5L2T^YU5MM(q0*TBwRv==YTOb0S ze`aI8!`X;V|I>_mDti_03XR09KK`q<e^e-)P!8wHP;%ruNZ^y*$VH-oxQ&um$mKoo z+OW3cRhwci1`<*-Ck-I7r*NYAy(*z=S*BZbJfUN+jpx~wsE-a-BomK)GA3g!4md;a zALPs6pf?fb&g(g~ziQuJLQf6{J6q3;@wHyceDi>B-N(#k2XWrU7_cIRBbh7Wv>wev zjsoVX9&<OD(2nl|^hLm$KX1L1fgf>LjC**qvjYdc*-ITv=eD8OZ~46c$4au5;T6-= z>`Ix}=aMFS^}!J_U`@B224Devf*6+NBEvqDiI_HIBBv9Mc{=<Q^O)Dg?D1wA$f~ce zfSp`TkKlGaV(FMywC{~>%}<Z1Xjz{rtEcP>neT(Vzr|WLqlLSguO>pyTWEdKU&+Ki zpL>j3{V{p1MbR-U=A+CaHnmzuthiiQi4L;OYoDqqK%OaxPTlNXH`94{asXphd2Hge zM1|r!Yp42~;=>e~T_fykJM(0hqrF!SzG)vDle{^vcjtuF_II$Qxnc;bU3PSdsN-XO zWS{p*26ODvKwz26iXj`S0DA?D_gKemlTO?(FLg5L@j@5X%%OE?&AcL8e6qCOjtD#W z(xLc<(EMoi-vA{|DLg%vxd1MMvM7i>W5$qQsJ`jjsDNB!d0rv=VmTiN#)+^{$ZRc~ zb^xB!Z?aG?31hckyh<O}Z=wEr&nL$e1r*|h({`uBqg*#9%BLc7gwwX*BYTf7^E@`* ztiDzsI$E`5FDP{jhO!ptIcyKiK0^_V9eox_Sm!jBay0VirwDcSi>+XUxyszu3eG5Z zQZ=qeVz1_#w1@>2Ei;|#Vwdp>bFZDr1u9&yt``RO3!$<^0LT{C6a+F(Nm$whuUs!p zaI>>@c^p~`(TwK-69q1zC?cU$g4s+d@>=5L({XZW++0~6DVDiGJEbZ`80tjO7J&_o zKg??)7I;}O7dd29)4{>6HR}l0)6Oh`B&U=LF(iDYIa_dnhS}cM=`m8xg@|Fun3M63 zM%_YteB^4rK)3+42S&dTX4iI@1MNcOwwA?2O7Vd|nD*EOB3$ie#qf@wNYWkbmfxlQ zwgrad1zjlUnbY8if|l<~!8&CHDL44hA7=QnCmCbcMR5nsw9UpS^MQYt*lCv&HMg}o z){$4bmAh7w*Ezh?wgukE4StbV`fO-|C;JMAk=3{?YFgmr?DL}o$9r4Ph~d6TfAmvk zot45#It8O&Y#s*Vqo2yoFrM;?&e0o~to23j^|9&c@lOpX<3x)hQ*|`GHc*LzllcWw zE(6LOsWJc5$$?jW(I3Fpy1LBQ%PjIO@N<rWnZ#^LX#SAOgLNpOxdT$$BmWyXDg1UN zHP_jn4vuET1`Diwzbs&92|0Yo1Z>E`I&w*?U<Q*H=LJXQ2en~4z5ARk%PL3?Pn(X7 zTFgrAdr|KBC4!dAT(p4^xD7EOdXLs!3F=!kQKV-ZJuf(f;>qYZ?nQs}Zu6l>jv=xo z+KIVIOs68`eRW&38(k5(po3!nK`@rfXcugo6;|7#5!g=WaE7Z{w7ql3QCA|r`J>Zr zUI2HLzA2sdU+&XX@<)H2FVvsy4Ze;l84QLry~{uDmAvR7=4fy_s!YAKSPEF6%%DCE zu@#jbDdj;)DzMQvl@{k(a~-txmtL4zXtfVg4ZdhT_wX^2Jf0*OIxf&Xnc!fa{?IXk zeszge>)Fy)PSi#%bc6xNim+26M1LKUn?OXm$L{#)VwU^+TvjQ6gGo*ErP(}(t*#L^ zOL6DnX^Xmj<M0)(%}2cDL|6<X9+Td+l(4&RyO_?+vT=p!c8-diYF<XoHMx~JQ)*C; z`F&QCSx7#QVzc00cwp0)@JfKooc0XTQ$E>4J01lB+PcIyzm<S0bRxsl=(`=pi2a+R zjC3=OPupePSDCL9z+Mb|LCXzH|Fj&X&ryhcM{oTqwlU~<MDJrV`=CA$Lwfn1c`K2R zevi*X(C(-P5<)9wI-2dBx>Qs>5C^#<i&kZYEfrFAt9s01M-yEqb|W09c^nVdu1jd% zX$)+C+llf=LPyT00rYc!6vi$L_JRreb*Nv?Cw`ajYl1fK476pl%q)5*J!#6+9pS3D zm*NTY3`WsTCv>#SeXO(O93$8Ehnu8VwaD?jSvX539-@9B7U5Bzr@FNQ%Ymnnh-6QZ z<JE!brU5~Ex^z)=ciS`Mbr%b%m{lCEB10#^aVLE#I@&>h5?Wx`J-iumWIztDCwm;5 zcP#hMW*4{utrxykB<!g0=FCp6XBRYQ_P`}^72fFCsiBkPZE*c@0@9ZZ6VIWcRJ38V z(f(wk|4hy>q>GtZ*TX|#ZoG$DSxk^DUY0E4Dj+-GDiS(KX0DaRTq}#YRu*%uEaqBS z%+*<J>XpR?okc~?^MR8q*fYUw9!hta6w^M+{!3;UT2;V4sL**W9+<}38x`KsO`zU& zd6X0U`fU0X;$a?*YF+0*j`B`x3+%^cWgbV@VzN^LpJ%7!yL{~kbTY~8{`Ima*0hhM zkJL=GMKYZQVp^K3CiBO26u4%-Se_poemt{AP7=P@Fu20I>TT6k(0Y^VqSv7d#W%pt zAaO;8M+{FU50Bhrkfkp$C@3~JO{JJDvs|=U`_m!+wMlQOC@kb?S#JY_j!Z0jg%BAf z_<Yc5W;Y)3%{pFq$x$Me7LYp9XWCZ_MG#1R%DlzOoTR(UZJ{S<SP2b2N<zV;1+zrL zJ6RSp4#(_KnX;OHS$HH`iSl8`Q9kGx_jP};G3lm;HppcDTle?w4`u?5&C0$9dtBWC zpwi@>tFr0X+SnEg@~;=NQUOg@)v;8MKs(V&y>}%LnLEc<Wiym;Zg>N>>}549QVDkT zdCcf+jYA}+_y-FL&Bpelco*CA=ff)7I=X$o?%lhS*W{PocJqer4@c02wHIYB>He;Z zE%`sn8n`kqwmw7<^XTHTcKQ9LtNbD-mCnP9Y1Jls@$#;V88P}UUPcG!d4f-w547ph zcrMyZ%Kz(sZE|}Vzt?T}sSTZ}mj6&2PO_ojhQ&5qYQyz5++f4IZ1|uJx7l!y4d1un zK^r<npMc+B8;-Z(OdFnO!+INDYr{KixY33$*zkQD?zdsoU@QFrHXLfhOdDp|aHb9C z*l?i@>uk8fhHGtjqYZy=!^dp6&4#;ec*ut7GV1Zmvf)`aEVkj5HoVq`zp&v(8}6{- zn>IXX!+x^g#c!|;$J%hZ4fAcd(1!IkY_{R`HoV)0kJ)gW4PUb1yEgpFhVdCzzC&#| z)`rt;m~TVFhK)A7)`qv+P$U00{wy6T`;%BRnrp$kFR`Gr(t>@X?zq?Tzi`;mzemDX zlvGuhm${8v_od~AyL@St;V!K$D|c7a*Di9`)z_AmH#Cf=^Xds#T3=pbl=uGTKE6Tm zU;k#+2CB>4HMNpfd8vG{{Yz@Zv!be|%w4$5sI0Bg0Rl$J!s>E@N&hInF{A7B*YQNR z-nF-yWyP<pE3eU^Pi-izuc|Y~*DYJ31I((e&jtBH3uC1gsRmW5YE``|=ihi$rmFd; z)L0fB1KNF(jyJX@P+e^~^?N_1`mr|1;&F68)h{YJCO0=XR(_{tsX_@c)}39rAkL}2 zpOrPgkj~ldmT_G<iz|!yDYdk2DL*G6(9&=^0Z#tOtNtZtJ9ItXZ$n2^bWCi&IA{O( zgv6u)uH=+~gHqE54@u7$I&Aoek)zzBj~kPD{0S$HJ?Z3er<^)|Le|7dlc${az3*pF zot86w#t%;ScxTS?<(_e-KkuyB`2}a6Q+V#2xkc>iEI9vyA6|IT#g`P9EG#W6ueh|b z>axqL7uD3(T~Xg)1Qst@y6nmyEx&5TO1=Foh}8#bjH*TD?(+Kj+IqKANp^)4<)1Tm zuH~z}=H{J!X0KP}JEy>#cXp4@obP2#o{|*rt#Oys)m2xOmKar3b!AC|dr=8&Rf4}^ zlrO3?gypJhOJKdqa`!BEB>(EFh4m%%%iL8prM30-<)udTvhneS)#W7(<uGQAQBq1w zV)RP=#0GampsudAo-gGki`*3yU{P&-IceZrq%jyDDUaYcIVt{Bx3>q40BIM@&CBn_ z`9@_`gS(`mp?uN8>SgY-Kz&usrS2M%S}bT#kgA$0qpGC3>Pnq_e368Qx23@4#B?tV zT*|w9S#6-cH?HH|d4`*yi)tGTcXid}<)kjfsV{E`R2%Nv3U_Hqb+u#$r39x_OKTU^ z=_WdMLTPpVN$!e3O{u1-ZlNVTNYykL^?_1@!t-B$^i@|ElvLH|vP-!qNx5~?tf>uL zTIp`6D=DR=6TG^XY!4$?Z+cDaL$B_#ms^!Lr^uqWQ3=wuHKpa_zdJp8=aVJ*%px_x zu_u!<2?PF<vgLcAM)w$SPfrMUWqC=Rm6C+}{@*C)lB!-2b=~#E``$6*H5g@oBi?Be zuPy+`Ev~9J0wvWwl_a&PGZ4IJ7ssIgCABru^-h3!qzBfWVmDqBr%Jq@a_c^jw$M;Z zm6eq*t|~3J!b&?PpNTe|%9qyBe(2nVIz25^LRsN7odV=+hg$>-RvDG_?`6Ufm-mh% z=^mRtcBHZrqofBFolla*3cZ@E?hNY7uLzVk2y(*xbL`HCN;S&s7gf>FU`F8qX$FCs zK!Xr<Ny&d>S3r5PG+mF{9?EN|$=aGl<u!&~9tp4MderbG^_K=Da6@<LCA@BL6?Afj zH0Zk8sv4uar;=o(`zzPn&6KmMw7#~Xw!(0qSEWlkYuvbQy5w7(q7XEmwlIGDcr~4| z`O<oNyP6Vu?Lf`tHML7>en7q2q|B9md~|#~1EK_*=GL_#n^3Av<{FV7+lXywp>_XI zE;;PImG{WlC4qk2=bf_@hkd`c&pXx=4*Sj$;9>7S?epHRvGMB0RgDb5(N{NKy}B_q zHkJ{1&6+hJo|V;D*tk|X)z}lW3+Fd7zA^|G7On*?_t?g@jl@z6!<ChlPG{WGy1FHG zbw`Z91o>b6bF04p#v&70|N4G8+Pfdg=x_aNR!9CjJp3xv^UtBa+rQo^tX4h$qS(Iu zF8?C&-T$lW-YWc&wOaW<%>j;8-Txfl@fWE<fvX)o|Dqh<?O!DRk){8S`ux2XAUUP- zFOs9Y^|+JOcPy|StZ(@5R@$CW$*RX~xg6Gn)ouxmt5!EPueth~wJqy{>sx>PZ`c0h zx}R?N_v>%C@n=83>E>I0aqDfry!}^q+<Dip@BYni@45GPzrXMP|MS2f9(?HGM>anC z*dHH%;>ka?wQt(IW$U)>J9a+x^fS*sx2xm%7hZhn<=wCBdG)nFzy8LXZ|(id+wZ*l z-uoYzoqrAO`|zWWyFU5!v(LZSf8gMkUw!=zmP*xsbpmwk3C?$#0R6Me|Ig0<zfAwX zHvv8NcRd09XP4japSEbxw1&tsg(~BBio1ZHTO7;y>6TJZFrln$g7s2Zz$PD${Cwr5 z%n{4$tv994u3dcC`#H?W<n!F}I;Oo=KyTpEK!d>@<bi6P_*ux{65m@_UnOf41ts;R zm3D$>lrO9gFd?>I)mbGq`jvboFGc#2wjxbQkEe$C%OovHM-gA*sJSIZpuUU`{LZMa zvRz6QRR-!Cy5E$VUtU&I-piv1F<m|v)Yj-wa|1RkF(e&{FL4y%B#h#_M)l0{$Xd*N zrp2{O<{EmkrSPBEP+ot|!poSO<n>I@y><clo?p^nc$woaE-$RD3)ER3@VES|<WvFc zQYDv`&#YZ)#hf=cch2NV<9+%0R(S9L9k2p9a0FE-z$a({NuUe_f=-YNszE$x2q~ec z5SHJpbIv|zUQwnR&-`27BkNJ)7wTm2UsR_3FO<Jr^R$fF%%VB9wUWtq_&G)<s*y&5 z8d(;vMi%u~Bd0jk$Vo%@rgsc(%NP}_lBQg%k{s(*Kgz#xlv0HV>5e4vABF#L?LV4) zy0|UjIdpR}xsq1i#eF;59Lf5fNH6)7+LCv;|L}flIR2^lJIl^G{F^gMIg92TmTrc- zpBmtpt>U_3_eR%6WeGl6Z0x2Ck5$7Lrne2QODj&zQfluwQL9sGeTGu!4`t)`ZHo|& zjChqX#icUlq;(D2o6_NGOR7sOPAGKri&FjSqp}>SQ7ZL;<Sd6PM!BZ+Q?5w~b&mKL z6^}c9Qop*C;qhvCnM)0yGC&QlPwyJMH??D6TXJ0_zt2uo>YK4jEr{eN=}w9&>_0G0 z4J=Dn1E&m810AU<0a{8NP*+hWD>Z;e@VyVek8%G5cqM5Fbhs0hyDUYyi;|U_eBJfK zyR6ztt#c&zQ^`ggXLEs*65AZ;j`W`to8?G%s`N6RqBxb#xAaMbO?9eN{8I5t#V>VI za$Uwr32MlcGBw0;flBTgus5+IzRg(|SKP1As_Pvf*x#L`+*>k~+einGA>c4rxg7&l zM%R$NX&pVZesCHSC>|-tg&ZPr^p95k9gnLh>O<4r=&v%!KZE=;$UkFJTAL$19z1#A zyL9*tJT*NX@litWtQ09<S%1psRLOG^+ah$nb*557W+`<&G?HJ6)a#Z+l>r}TkY1#I zBQ*Y@PpMz>+-HYB4)>EhZ`tpTG^a{4c*^2b8n~rRN@+_u(yt?u|F6za>K&egk@%Xn z@zAzEw1viVlIt8U_@^uZK8jbadiW?YN+mi{R7R%o!h`U_AK-=iH7^Js*D<e5(YzL? zc`cIHz_XRQoG0}itE?HLpv4sAxcZ*jlK9!(bbtm1G=Ody-~uhW@m@6tWyHBXX{A{F znH9+^0i}}BJg3@uS@>AIAED)&eDCBr!wz!@_wnfNR7Bzoicy26#Hm4(T)JIEf!FHu zmAaoN5@##!Z+IecELtTiSCLD(9)MOuoN5U84=DnY){seq>U15wlt4YjQ%BU*oRqz~ z-g}pIQrg}@9Vy*>GN4$gT|6so+#E3u6*Ci_wqc~)XD+0@@!Uo@fqlRK48L1=gtrBz z42cK7WN>q-A@zg0Quew!lG+k<c_oaeLa7&d+U<OGdc=$5S9GaTr95x&U7%w`q8b73 zj(~SZz(XS_--t;Wdxvz;Mtbwn9B3oFZX{8^@Ou$;4S!|S6VB;S&Y7g8dB~}G2vn3K zE=t8YZc>hc{ouJ|HSmD}bxFmEg;u)#;ZLV>NxG4EbNbck{%}rIVT$et3B&gY?yoFX z>MuNDyKET~z<bIS(IXrc(MRh;+-P2>42xI8$_A)mQ<BuMIYYXvTC(^<=#{vVQ&~LY z-xZ7rpVCjIOi5HJbA+n##gV*6H9{|*A$B+m=R_5M9XRX0Bw3}yL+SLB>DO6(Nye#3 zxuc9!@*hNf4OD|>4R|2F%el8-M@(Ck-Os_k%A!XK^nedvNT|!0m~`40BUz22zaK_= zLnaTbAJCP!H@?H!7U>_Q%~|o_Tf%7G9T24kOp4F?du4w32HFu%q|A=N@oF%*4<?<# z^#k`NcMNDttV<}i>hB?&M^fOCWO&2{%?GFv*I7K0qT5Rn<x5mU=12?Zq3t`jvhj0U zFPhnHK7;+`m`(PWF6EFmfl`+)4}ElG{ImL2`Vxb_g#OX)yE`IvGW$;YC!X9$-RZt~ z0O8?L@PRk=SS#V9$Y;@AO8u1QVmo{)?ybMZVxRr4@uICrpT<zCGEPj$&6t%+&zaPf zu(y9lTw82iOmTEpr0(h>xD!X0VKw}t`)>LP`VhOX=<XAq{~f0>f3MUHy?Ll8Ma91W z52eZ&$vheQrb1t20jnP`N`xNt<@NAIX8dV`C#P)ci;du``AGN>9!j5++SOBw@pgMl zA|2AYPTDavz5Q@GB%ZPI@A1vPZAy*Y-ivQW$E(p(GSui#hjyj!9o&)HHn1+GI5{HI z6sDv`tJK?*>s-Y>{m-sl^uIj!M`$2CF$ekQ=>1SvPe0Vd7mnB{6+4Ahv*G>KaOA*V zB`Hjx92sL65Bt_yp(V2|l{(Y3hQ>un&^l42UYA^#l_I@?^{bHm=&s1yk?>#o5*Dqp zY<-4*=}TDj_-E-$%ypbuUQ=GrhS4l*M{Jf+U!A*{y%^NF`DTb#z$|ubyEOyqW9FAs z8E4ei&t+Gpy4;$Hs_WG(t=C`&^D6aV^xSe{>TNbj)L&9lR?STQ3rV%0wk%Lxeg+$} zXS4r8=s&C68uqSc)w3<krr%s<w`_bX^-)xQdCB7PBmBSWNySPSd2T|?-0E`X^2bGy zgCOE9D`R7rwTXU?-pUPENZeVqixz=VepL<GPnQ@>vDtmBlS#E#{UUmfQ9Z9_36t;K zrRsAji<J)w8bX^NSTV{hPo-X!G^IR6%j(Ki8|xa?<<PWGadKjcBKvdQ^t?x76JWEx zCNkw$`7!fqDmA^xy_BU7XhGr-2n~-Ia5?7Zj;Oo_Upc$ymzLKTQh2GzTcs@LSzD`C zk(9bo{PJsSFAvn6Veg1j0kTf=6ZtZ$q>l9t;R$wB4fTQGDC-J(TTH3DqWtWMo>5=U zy36g_?X70VQ(dIXQYa);MdJ3(DnxD<TAh<yAnw<|?>zSX%QR210-;`^=0zo-Q1<sI z;G?o8)a%{jIHS6O1c=2NiC5krfc18|ylFHJN)7eG@V;JDEz(=Ed1cg^gtt&tH^t1S zb~F#FuBd$W676k5xbd;5yoi26-#YZxl+CTHs<GH0-yxaj_Uv}fHAK^)!K>OO|06%B zf@8#(uhz!QuPQ5_RasJBR9hfB$upN3<!bZM(}CN6tLaXud#wT~b%*w~+9Ine(dP!r z>z5Ul*K17<R0}lTQ28>clcK89%WZzXw->!^)`VblHJ9t9nIg1XybYSeajD<veCCu} z#9X6e+ijg%zM<DUO&u<o1?2+`l@fnuprWF@o>sXxDt}f%Nu5PAsGbqsUGAdV2r<;# zy+cuMkJa*o&eGP1H|ua8!gNah`C2K%YR+n(@Q36cVKa4)MZc;m!Oo{<Ro6C@+l~2J zi!<!L%d2kcRhn}GMqR)VPX75}q2{Z2X_s@2?jGSvyGN8vy=tza!>KE&FYhkxd58Oe z^&5g?FP=HCq`pd&HN0we?wqr8^I4xOt7d_-GI|aw29hrA$%<2UPKEV;g3!XQKxv~& zJuTR4Bn+5yVF3LaX!hUr+na0YV@1-7ydSnpk{tPZY$!6e<Jg~%_#)xu`Pc7X6!;ef z{__-=bo*PU{){>9vlqEvsK7$Wg(q41uH9|xbL+k9GYfJgMgJPnqxnbtqz_;TUbk(* zA=-Aw0MmJ5d6Ibg@yG%CIG#ivrwzqV-UU7RmcSGFCh1CCfi50NU%DpoOW|P|K|kU@ znn(Ok<B@miGUa`i{muZO<FGWT{aK#WkZxS3&oZITo9<fsF9N!G=#UjhveB!x@RxE3 zK8-wr^C}yz21;3)c;tICkK~U&kP>y<U)b-z1PXq4@JLx%lF;EE0ZN&k<B{*L@W}Uc zh$8ff&<v;kIU<f@y!ZKhL|@%E{(m(5e>DC-I{m)*^nLG}|G(b<5fn&1=FiH_eazoK z0-OK&G>@&EVc~LY<$(WrT>nuy9+L%Zsq&aC;QmKp^iNIq|8<raYt0uNQ86+st2-Fr zi&rmOJ=!MfU2j>AU*2iKRk!Z_MqHj1jT+uf`1W7D_A9sb`G~)(4q09v8$R?M!+Y)U z4-<aZ?eE?`RK0h*dHWBKo&Jhn>KNxDkevJ4#jm;5C9hrf+N2}Hzqseky<aLdafOB1 z=Z7pgietE82|TM$jQ^=|#&hc7^R_-{sDJi%p~K&zMd75Q<KOj-Mc+n;{XN=(9a$DE zw96eyJMyk<z7*lMH!VbVlHUSMAW0m}w7{|UyU1wrJNTvbJt7tt+wXQKrN-LtB9qDQ z;6W?A$ei-)u-^w+uj)4YU1VPQRod?v)~oW^@2H9BpVNM4+fx5J4p`}ntSP^{?e~$^ zt6FQnv;CugZu{MBznlB5_@nLjt}m?j<LviB`(5@#<ma*9SwPgkEc^XR``vB7>qd-U zy8Rv@w$px3zsbtyzYEfw^*rD<pwvyIK5*(^gkL_j+ht*_#V7eT^xM#9Lyrxo+c4XP zSvDMNL$?i+ZK!Pcd5o35X~TDIxYvfS+i;H!U$S9`4WF^$4jXQ<VVeyfx8X(`-fzR( zY`DRO>unfGzuA6YZbQR{l{PH4VWAB@Hq5r+6dR7UVX_UC4f`{Ji?lf*e55^&x2mE0 zug7lJ)iW(R{a4{i`xogi1P948f{XA+q>T#_jZDzwTh}L6KTtTgNWA~kze3-CE&g7c z9`4B&J^J=fecxqVkzWLgTiSdM&jmcvUT@%ei037q&v<0}GK=SIo<&l4evx>nMk$%g zF5$VJ=Ruwqc|PSyChP>B0v@rh`~So5?`fAu_4!5Hzew4$`&sprWy7&Hblb2uuSMeg zKMm<nKj2x~&!M`2=QE&fz+DWyhrvwz?+3obQ<mURdx1`LF7L%Z8TcX3=jZ_S*2C<r zgDJY0moNx^PI!U$@w|>(;3GWG;1>8Y&*Qic0v9nTPLFda&U~v27!WH5I27l&RTGck z&<uRX_J0?c!XPPOQh}H8NSJEiPi^-G;LAJ`ricOa5gu`i?!?PH5`GUb%ro6ZLvSl~ zCj(^}INS~V-Wc{e@UH`AWLj~D1Aoqg#WZy@@U-Ju<H7Ab0XL7NpAEdib{oKTw)+m? zD?IB7zXzCdBKvu`Q-Pap_ZHyUEEL^=|61V3Jd$P?a3|}1ujBs=@J$|FFTho&GA>gW z&A@qdl2dRm0Jie@a9<02g-6oa13YPhQu+9w0{kscG46YTKcUkwaBl#vLZ|XZ+|59_ z`%dVy1=#rm#sK{H0k1fny6f*yj{{%l5qt!GW4i^;^jP`&fcNuAUIHh3iGzCz@KM|S zIM6rK;wyoxcoIp!88~GY`;oW>{*LE1I<fnK2Y94h2Z8&1;7OQ+z}30bk;DbYonhtc z20G8gmH_?&^Ld2+0>9>I#7NjTz&UwVxr%_hcsdCG4KVpEiw*)Wm<?~>e<AQA9w}EB z@Wlemmf-&q@Y=I6ugUd60^R3WJR|UibCE;wzY&OC1Lc!2z>PdYLxGd#S!FcNV<(75 z%J>Y>JD)ltd@*nhkAz<foVI}Wi~n?B8;_Jr;JZ8$S762kO6?%baNsRG;(r_PH$SA# z@V^&0^&)6an$v+Lmw-3!GT^UyBrohQsK4?^+<m}Lim4m?KL;k1SYZ-@J|4kA;Bwn7 z@B!QHSxEizR1>!u_-mf^l0I+?kL0xjczu~g+bzJ;E~Wp$zYw^F=XKoI0ypspK3jmX zl~!ErLnycH7WgwB!RKb+(^XdeJ_Eeza>`CRHv_L@(Kj6)*Z@4EhC0IS2X5f;h(GYm zTC4@(E(SL9EWo`5I2rjv+Q<~(G9Kw4mIF82?%S?_{~IU^;RSBtk?_v|R~uGcHv{Jf zEcXK7r#y9p{~UPLVv9c;f%|zj;C~Q!-U|2z_X1$cN@#+6J@D2>>M@D>1zxa<I>KEB zOlYPoxD$bSE#QwkANV#;Bkp&BXRn7ZaTfw#<=Kck^IG)AuY-SZCj%GoNZS<nq3z!V zT=rASPTO1#Ja>cTE&^_~-IdpKT{n-^g$Oj?zmfJun%Tf0kJRIOVB^mf89FrVz%8^A zIQS;ZoeA8^lTMf&z_WfqedEptF6WW(0<&+m@)B5h8~%h5cny!_wHA2uFQGGTfl0qY zh6H~%a2JoX>ki=ZJCs^W7=h|eD}8}?@!W`i2XNo7p$~3>r{7Iq0}dYG*586B?&0^K z>wK@3eiksuBY3U{Zs+mg#(s&4{+-3cF~B={q_4Xh_~+l#XA$Ogf%h{;;}-bC{{t`L zE(4zT0Qlfu0G#v)^GDoMfKTv9J+=W~-e|e^0M|Ya&V&(ofJgZ4An>Cntg$ciNn}VK z!E-6_z*g|beGqurcFG8D)xgVkL2GdX&+mXga9;@ggh%+{b70^_%0;~|1tz}?&iD(w zi$|9cxOg}11plSLM|dRPjliZ?!5RN%VDX#q3~qs4Jd(b^H{P;vHi7s2#iDZ;@CR?h zPt=Q?%aF4Y>!rN_<;=rN;3H6U`^7C#^!CLq@MYWm7Etu>#b2Q4$BSE_=&y@g;2E}C z;3c-Z0w_A+5=P)pZMW!ux7%)kqMt3e2^4*22`^CekHuf0=<kYKpy<GgTcGH-N_c@w eZ1)PF=$(qcK+(UH@B+W#DTHqS`u*>u!2bmiE2a|w literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/setuptools/gui-arm64.exe b/venv/Lib/site-packages/setuptools/gui-arm64.exe new file mode 100644 index 0000000000000000000000000000000000000000..5730f11d5c09df7758cfa1b1dfb5ced4bf2ce55c GIT binary patch literal 137728 zcmeFadwiVLb??2O8A*Od7h~(<8yAgiNJe8I*p@F!NHnq`$TkT@5@{|y$C6E&kqrsL zCc%(IGBoKJH!WkEkeJhB8<JL|lyjii6y;J&xTi<PO^WS6E}y2BY-lBmBsRvN0gT@7 zZ$I-$V_7Eja^Clk_vrH(J<qeBeOY_0wbxpE?X~ywu}?o}g2tE}ej_8sJi}FgG5i1B z{|)nca{2csn?0c)S3Kj~_~VMkc+2|m9d~}=b9Xl19$wS@`Okl0LwNOP!*|~G`EbkU z!`I!^5Wf8jw|@5OqN4oEGgbfm=}*k~Z$DeI(*GrX_@Nd5o#(_4KfEGjuh*`4&|a%o z?6mo+SN3py^O^s(@>^Vg^5}<G?6cQvSA4@>KeXZ@u9c5oyW-F7^@H|W-?ApIHvAs_ z-u1@Z+L>!U`h(wZ_R~(9*`^>c`BHO-Gm3}@D|tJ`=7^E%-3N@xGyLPvznb6USxDqB zV461hg)(JH^(yf%%9lyet$FYr$3*O1=HE2|Q&*6c5aT(|n3KP8%q3aL<8P<@)-g*g zpqV%Aj=9?db$nL)eD#LU-o1gl#?Mno0IBbpe)t8##xz}h=dH~fnvMCVuaiohCc$+B z*Q~!7Y;(1j&BSK$VhRoCbA9`~eBD>y;bpXaq_3use0k>rYU{i6v$uU=jj??<;J~=# zD?TsZQd0l#-@gL`Bg@R8sg8MYULck}wPxPIQ<F@(JGkmazbd^uIVqOb`;%*~IanT; zI<yIPp<Gh=%EQ4I`hrtBp-8F9oW0jco#h>@y8Z0EwW;j7^nMEU!4}CW)K_k%4AoMX z@|?Z*Z&PQ3q-Wk+m}YzVY}+?DsgP^78}pH$sviIEM9_4G3!RTUm+bm@fM1Z`s&;eg zukuWzWB%~J!=_V0EvuKfq0koNl)o6AR(#3KvZ+OvS6p`SjM6EEmG2w(=U1G$##(n4 z#wzv|#VSmZ;2eE+!sk5KI;MK;efGPoa#>}@@|!}HtBaXKu9LsTw3-`Z{FF8h6ytWc z*RL|}&<V#hE`R&_ZI!v^RBZRo8~<Tsq;ct#*w*`oNA^xsF1wz(qS&juz`0v%4h;m| zgG-HjFxHy5arxUH-6mR&|JgPwGHsN`wk~~ZWRLJW_smG6+Fr_i&ub%=hH7Wzesd`J zo%X|P=0Eo8@t{fd7dR=>EUyT*(+%HGo%xKDdSgu>m0lN2y|q3kb@tv|c*aSt|Gil1 zu20sczSOidwK2Xdb?+V5rJ5tLbj;MiAJ>!jI?61g>{9BeO`UG|`;Pxpb^1698s}h} z2@LJeH;wxpv!}wer&oo|Df-qqJ75}Dn<<OJ;gO=I@V=te#$6OP+#B7SMYBz;nycjt zzrOKT;V+nL8g*ThV;U>M?dhe)Iki7%8fyw;uQo%gHm*(3JRClH<K_G+V(saQruKAG zc;}6`@>^;Gr)I+gs{_|8LWGxwb7GIrF06h0^3tV`zweS|k5`yLa<oj2d3<%D^Z2c$ zfye*wlHlWOc&GBK-=Vy@hQ1uVQT47ikwxKM-0#wTcv1Kc?(fk34BZ!UU-%#GyKn() zTPjZO92QQ4+}{UI9|flsQ_P_?{KDZTa2qaq6x>$0r11+I(oERH@!PAGtbV(E$%Xh{ zcs-uMukc)P@{wWTHwdn?@!Ji4D~v;Xu^V;0T-TEi4_BPrHoS)Crm(qD*IT&?Uyp*X zi@-JT9}<p*YjAl;co+Wtvcj=&Eu1%jdmq=2f@`&-I@PA?e-xZow9`j^;a#NdQd)RX zMT|6l;X6pXLuoS>RfI|7M;f#+h5ufhjqG<0NoJpJ2r#CCjIA8TST18NFI8b;>HeTe zpN7|83p$-=f`QK0gTc;Y{PIRd9_|a4boK{Jc`oZb9-P+M!1%p|@%#IX-%l}qKg0O_ zFN|Nq_*ESkm|mHSV(@tT;WO`e&u^{&C~aO(+t&fZGGJMXOsGu(o0S{m$4vHfASZVB z>OxcXGWExD%;MddvGVAZv8}7RYfk+G{IqLB>_(@f_4BjM`!1X9n5yr_O!B+0e0i&6 z-L4HsN8dd<GP00&hk63$znO0}ecW79@p02}$L9l-Tk4wnUB(=Y<+N`RuZbr8lQtcE z^zzu<&l*!zk%P`*48AflGF@rMR2RIeGUn~tZ7MSfYcbd4U~dPELnj0?Jh8YYY);LA zA0GpD@u3g<pO7ZH9}fl(X7?fR)(Gw0fAG5|xJ6}`(Z@M&FWZ*gmuJ%>RcnB$8JH?u zuigsyr9bE#{BDjzePjJzJv>sC2QTk7W{+TB`ljkPr#dK`4ZnqD(*3s2v#DQsOnRhI z?c7G*U(t61U9-m`^jUIWfkz+FCg%0;Rnevp8Mh0bb~@%++61y_vkQ6Sr~7niwsZ++ z=yHummqJtjUF3$~RJ-5J@o+v$Bl`PjX>7^T5f5I`Xb?Crnp{*^kRNg<<>lrCX;`$V ziJeCW3+HXwbjX7DKGDGhJvva<qr-LEvSAl4N9mBEujL)l0o{_F_gFR^fceo3j(s|) zPd-1WPmhvcG-w|lqrpFqqruJj*lp`SFm!UkgF9rqEz8(jQ+~2x>%6?!p&IP4n!uEy z-QXpgZm_5QTSdQan_(K4U1p}l<ExjfaovMWrhL>k2}XK4BA54clsmy8=MvMnqNw|q zmHc8(XsB<}&ROR2_D`$c;2*_?Bm9)F4;a=IcK^~PUlaDsIr*-OJrm(Kn$IO)Xo7t7 zKf>?4^8eZGFdicO+61TI&H<j>|L@_s5FGya`?unI&4uus!RH0(^<MG)AEj4@4j1b8 zd+zUlke=4|Mc!gp9LnZ>#$n?sc)kLemYv?rv(k}W*2Y_l-9Xu-#?|dFbB|2UhP@y8 zNSc+WVeD$|lWPL!j=c+wu?x}28_C}P#7`dF^W~rK_}dM){lSW_ANx-4E18#?2cEvy zr2c7=*<OO)M_Fy3ZQARZ(s%Wv=kW_|KYed3<<I+E$2?&+MMm}WI~SD?qtq6X{-AMI zbnQYXcHpjX%VKFq^*A*zhPl2osdiZM;B><eQfII`j$IT;y)-?T`j_&Y)N9D#)3P&| zFAQKS&~`eAJ~@`LGhV{ZxNfT1eg@m%bi@D3*#18pn@`*uOv%oO2fC{VDKku6ao~tt z+P#GO7KWXYgO1aF_=Y^Qy*y~TUMCL?bS}WgX`)Oi@J;7eR&2JnQ?BW<?j^<CcT@JR zY28a63Yx0EU|F<?v>5NF^Stj)r?nZmuszRAeFNFM?*Y^5K*L19+^O`DfN6bW`p#M9 zj%nRnymQv}uR0~KQTAA{G`gvvy}l2->87_w9)59Y)fTn?!rLQNFHAE_UZSq?`L55( zca%J#V5}>WYo=CyCAQ6_Kha#1Ty$@Acp-XJ{W%V<{C@OtuYL$O9qEyUeZiTX>3g&1 zQhzrgKF@%k4vWvSb8xxHDLdGEPkBR#w!=jxSpl6+<(loE%4x5EgEHxWsXm=&lIqh@ zaPVu!!MEtI>MCy?!`Wo)j`Gc>wHci4R6cMvhMSU3mp-r0;O1`n93a2y?0_CG=9!!0 zq<!)1$U>F<@wl?-x4g0&fu%1vy|XRPR8Q1r!=L5H?0M<EIjJtnkK8}&5PbZ+TNF#v zujrfb)LX$oG!SmD?_U#0O5TdM2i81WJ;-x5zYXwQ<G4eW^z8)q5r@8anbuvvS%bfT zx%HtMCx568-K#e8Hx-fJR8Le_M{aw4gm-hD{DXDyb6v~aCB4v7W2=w4t1dCy89&jT zd1hV(?Zrr6$QV|=PES$t7<uL}rj%ahm{Q<B+`lG2*#{q9T5h%va9`3B-lFHdVedHv ze831yB}3S_jTV0RIA`XHdva!e?4F7Y+>SHZ!Y!M=k9vMPh4BFo+CEiGPS!cG^bqOG zL$R*7W72i=x~p44rYk<rRQETSWZ$~{<YZtIuRVo5(gKeRFg8Qf@c=yI3Wgt<)>>f5 zKUKaY1Rh)H`%7ykCy%cwrf+%4etb@vkKE1J9#{sC=a_{9YyRHyS`68IUS9BVyYiCf z1m#6H;Z<^CIsLYMg->_WW?lc$CCfwRkoXoE2QBmHZ~o9@89GMJ9$jL28hqq{gX6$4 z3e%ct$*UL_r@3m3w1fBe^L!sy$<^2C^KtO?3CHXeZPfq&4P2IP&6AUoeS4WF>D^z# z`=_VJx+KGf10@A+TWlK>iew4(NsdXDOaYHob4)UfOoQKBi-318ezf(Bm0e$t4ZFP8 zef!tV@HYA?-U*U6LSCgQ|1Fef?ArWq({^@####Ci=+ck;P<x-BDOuQFzr%;wxd@o2 zbtW<}-vi9OR(?!7M}9<{X$Ol!W@`B)#w~4LNt*?e%*_vcEjC;SeFua2<MQVp3^_#w z;BxA^TyyimcSaTppSzGhM{<08!RNFs`Ex7!YNB=*(5~9N9epf3mC@$YjFJ1mP2aN% zw)EUtl)Qzq58SuvUEnAwSO6S*!O<<iF?hrzM@mdr%~wonU=6(b6(<F3^)+7!q-wqr zOqG*f^Oc-bdB~*QBBkf1YMM<K^N^F_it6OR0@EdWyHlAfTUmns!w+lILb3GVev_O; zU-S44Lf2gCzMP+QV}M^jvdwT+S?OTWW06mf+QQ@&(1Q2qHd8t<H`X<XUXD2VUYm@~ zKIY?&X)jiJ+h(qprZJUWXN6y9PhoOOrcTM@zLHoMax!_>n<Edub?<l|ov)|gUEjZQ zcI06fegCrcC6wS#Zr>{3f^lMhtub}$MP|DTjO7Lo>67iVvTXp#@3Z&rv;O1wC9!nK ziFM7r>$2iV@4Df&@W*n;Js5SIEwKu7s0kRu;NtAPJ)XY9Zt=?sZ$D)${!hnj|8l9> zp5lr<5&b}!Y$DU8a);p!_Y%|4f$pCd5KP!XyPf2x$-9$ZhxBZ~EZoI?7r%Do3VE=J z7AOCex|ObcTlxKpHgr{eb>wqO%=SOw`4B&J#6r<baGuWCOnp56HSe<ftMYz6*;RgD zj*-5R-z&7?_f_RiH~ektOo2)J{&w~0YneVpn5Rp(?ptQ6HGWEf>kPcok-ws=JlC`~ z;RB7+w+MMU^7Fe=@N7jzK~g+pn$aJ?-$Xz9%G>Lg!WT++YV(uI7k1DK*iChrvO(Tg zalePQklWFp)82aE_3XD;x&vS9&J0|2$eZ=Z#or<eRj2#mT02g}`?b_T{|`3>YF_+Y zR{36h8Gn{39|xu;%D)VJx00viTIdHX$m!@YWCgr`7`gvEV<-6$_)s*zlYF8Jc2!j) zwD<{S$yYCY{eXG}bBI1Dui91K0qMMDvFbYV|1J5I=j^@DcAP1QrB63JYx%8@^0nmG z6<u%h{5X@hi>pt+pU}ob$Yq~)e)=yd(-bgO1Hs}>Z1<B7)JBp8jMuuet9s+;kd<dc zy(#3n3v6xJ9!<zr<+1P0*!z7S3ci3Y*bDAP$AbEH*7^^|#?uMfsGAqB*0`(WeWjC_ zwR~Qr`WWziPW(^5!LQ|2wfPcbMQMpl8cv$+Y3j6fXU3ezhm6<En0<{l60=*Xh0A!* zER^12d^KvEw2Su0v;p#%=16h{_3xr?``i;rew1hBQ9p`kU+FISB;zW1pN|~LuQaJB zzkK8`L`#c*6SFI;eV9%+c(Py@>A$33g3lixoy)h>i#M=Eu-{@E%bomn4u0e-KOF0d z_FTE8pfgclhrB6w3f9$PXVlFj&sA<Ke$&PR6FOK)o=9bEqw9pW<TsmSWfAwe?T4?d zbRX$t9IkQ-hhorZc~PvZt+vwI6m{51AtzLz=liiSR_r#(GvJWE99|0z)z^IbT6YEZ zlo?*6XZi2cAC_)Q^(?uptN72(x3c7%#x-MVdpG0asSGaN+DNke?9N{CMYha2omI}_ z7G6;KO4UJm#x`?_lIR`KLDyHQS8!z4A$(@nBiclYuD5<=<jRwpCv_vI1iNgaF!cLp zp2c%bft@?D>+*R9KkLK1Kh;;V^V9wqvF$X7uYP28!E3aWVBBNBe6k!Hwidc|NPbi} z$&rgpI&}7EZy)+PES-xEq%Y4`I!<x`x?t1wO7{&gc0*r|9jSEO=WN-2lN{u|%Gz?7 z_kH(6TR%_Fxp@ZX#JX_2B?n4k>HJNh=LRWL=Y*bfor32=KZ<RYeVuU3CtYXr4(5&N z!C<6w0NAm=k<<G-eEyWbdj6wFuln{}V-{qtqOs^Joa@TMyuGTtsjalKH&W{)J$TDs z^zs;E-*2iMoxl5d&1b%~Ij8-wbTK^J=^B%U_pELXIc<L(;yD}Ns)so~{BK(OnCJTS zyYd6{kNF4eGvm>J-^4nu?$6%)jHT58_>rB|XRi)6Q-GgrC+sHdrSf?hduWs27ie=6 zw#;K1ljhDk2iZI|G3)HTy_Vm<KTeKyi0-?+vf%8nXtyh1_R!CbDaLrY6Ixe+P3T@5 z>(ZFc?~ZI)&bY2&Tx)LXk84NwU!%X(rWJl^tV?SQnkwOcY|MG`MEnT;z{7_<IyC#R zm*fA)l7Hx+ZSZMj(9DPjgv-#nO|%oA#r;&%TETtG>{wS_z|4p^?n>;)R^(CRfMaGb zzg)KqIK&5boMdF#3dUgxwAz*zOMfhL|82(9n)SE$g>$#fG_h|x-gv<tVBYJ~e*k!0 zr%>|q!G#rt$&w0_borG#WkXA8^J(mz4cN+i(67B8sYNHtMyq+T9sS!DC>vsq*(f-? z^;u8$T(BK%Q`=7Se_lKCWA$Mp$H0ep%=cIM{WI_hw#TSVl*!-Khc6{NKX^FlR$}*v zukmC1e0!dsV2;LvCvV<hU2NbFW2qteur7<GhoS2bvLfG^d9VYzN>+z9#<nhWW^Ngr zUt3)_)f{?lg?P-ge%eXwa3{sO4ivVF7uWW<rg3<SlTx{z0e9WfDOPqpadE$sL}own zbbZy9-n>}Xs%4R(`-yev&G+tS>%KVFHIQqndMCp_*ll6xc03wO&t4YU(jP47l+3$q zc;w-x+~LKNvA3hQT>4)**~}2{^^iaQdTly^4c7GNMah5sJ!HD{FlimME&EHhnCM;s zp8J9`I%R*U-Pt^!M!tn@TP2-uzcKQ#(vOiRNE_&g&X;G$(l1Smr7Or2AMxaDntbZl z5M|Y8`P0<z`@qBhvSZn^DF=#U>A&KA2{_#uC|q~nB<AD6!s!11AIuq}y}2G9<_Hhy zQQ_xV<i2p5=UjYelhw=Z^-M6T{wHPrlHcR?bGLL*u5Br}r0*S+)BSAj2dBomI`|1M z@&ybQ@{F$5b34z>MW?o56C6Lwx)N}-Ifd)`kt6CyugW4DRM+3Rv3n$62<a+K&^OUz zV1?;AKwYAV<j3q~m0Nxc9@Ib8B^;=poq^E06TwjQIO{yhC!O%toLKtYSO{;PrSYxt z=JUJknQR+v677FCD{X-LHz%;q{PKQT#{KqR@$=drlW(3J^Z0)^wtRbz*)y19W*}EB zjvVpU4DOL*yTQF1#<tOWCuHTAtF#&53RxV22FQadmpPo%Q@O>I#?sShQ|s*V6S~Ob zgcDvABE5=vYZd&NKyH?VM&|~WH^rCuu`ExH*Pp)p3!8Fu<rtodX~*D~_jQ}!|3anj z8cXj+?t!!C-JTC7%UKhO!2>s6VoH7a;FrT5(_CneU*G5P&(WMW|H_iLuTxjA<b1A~ zCp*ZXo0ibm4vjM>kkQ+AUjBsJ97xK?*G+!k{*cdXU!HkVWBj2Uv)7i}6iE7cn6qpR zgAZU?SVr9!Q@1k({l~rLeSUt;yZkawfmdsXQLY<$U@sTP?=f9x7`r8ubA9;EZO7_V zwV^RyNPlhJ6<#0YR}>uh&pRj74_S65^*?BON~JTOh}4eZU;td1nWn2e$IR=dzj`i# z4z?X&5l(!#cV)pXp4EIaSG2U_XKYTLZI_;=z9!Lv`um`Tt#|iW`>yaX%ku-M5B|K| z@aNOr!q{`I2fGurFfmW9cV636Z~G5i%&DHQ`_xU=pMZ@wb@`_*>KYH9&rhcte&nrh zlt|BbJ`VBBkx$>$bp)BL_DX3_u$EN>lhc`7$X}Ow=V)(J{q#rFW-obZ=jH>SzNl*f zb3@@n@V|jQ>gnnI)@D*aeh4q?`f@O*^Ck4zabiA>q0hue7!0Ko!DD$aU`|~=BlhMS zlzTmxEBm$ahD+sxYp-{W=?ZY)%{>fW+7WQJ)Z~~aOQ-JKaT<PD%Gh6Sx~oIT<PCOA zmmS2$Ih7BM_u;!=NZC5p6;#hj_$tP|{0nuH+Urxi@4&DBRK7_DgJw^hdXOdfCxe~% zDo-^PH@<lc*&HEVYXy~;bT3&hzbEf2sn;dF9N)6Wk9@d&!0nft{q{&>0{?TIHo$4} zOTadOFEaw(PXtQPKbiX99BHg;IlV;nFXyWIpQcZ}<fUwteEx>|{rszmndrrzuX>e7 zb*s+jvg%xltRG+JX!$or8rvxA^YTP=9HkR+c0S*TPKx6>&HBYHQ_Y?#ep}|pQf-bo zHHhuLlj{Ii*_5@|8;SSTrm%lbov>-%yH&hvzDVzuPWW!qWW8H9;k(^MrV$^);n$(L z`ki1bRN`xA9VfXNUxd=i2U!b}o&<k8i_9tMV8(P*@_ZfR_phP9&kN#%Ciq|(bt(o) zJlcmY?I+I*)T#L-W%k_2k3Lp+P`}!qL4MZx4vRK@K{vVpK4=G)Ue^11p@Vd^g$2G4 zKZq}O=?Wb;aeV_HvuypJ(}v0nu>SNdc%z+I3+TKjF`0GCAUsU0LnXZ7!}bH<I)fdg zx%y`EZU!#pt>an)d?WBvJN8Xq@hxw%=G$oN!cICK@aj4M-Tk^csH=TeERC;mPXb$W ze_*<8FZH_eOt-k$NgnA<zn=Y>dNvcg>DTj3@@%Fa3k&u5u!y%pl=X2hJ=j3r-pqKO z%)Q35l_R6^m}7Dz#Qafpx;bNYhTKeAVOH9dOd2}fZ##rNV9R0$_-Vd8JbUl=?R>F@ zxqm-%_<n5JW7ADK4n2>T<6lRny!3vP9zb5MBG0jM(}0a%?S|VAkKDkO_X8KRHo`md zHz?hvVaM+zZS;ArNq@ll-~QgpMt=--NG~^ga$T}@0QqaulRUe4)424rlhVGd_2IYq zn`=hr!S;F6*z@Uzto3Z-WBqo~O()~ng>m$_8}s};<wd5o1v*8ZOw7`n5d7R_@OQ7g z*lZux{GT-h=y-S&w8H+CPjxSNs`v9Y@h(PQKi`)!`DkM=<>YIZKkfOFP53jYZ*gr= zQu=)wzYWwgE7X3tntZ-~YkJlse<PVnTd8+Gx~+3sZ0nJ=k>P=RT85Wb%z9)lu>kQ9 zb4g@-9ph*tx|B7P<cnILTJ0pUcW>UqSfXvqSLfQd-ukrQae+rZnfwCmn2P*Igj?&^ z&a$iSVNLU{%RC!IdQo<ZU`BVI>}5{ev^GAxo;<p5;l2}n8SXL37&KiEJc8w?tnGC3 zeja!^n&<gF#?Naz#1B25jbOSBz9i4CwCVllr+fCY7we83Mji({_b^8cGhTiTzsYuD z4bHARv}4=;#!It)WZw^D_#5-%dp3b<PHruCoFVMP&S$}G9J(f$>$>Pn;d3UmOyn(1 zFBon+5{JHRfhngLW5g*eO}7QyA<`Pd<ddx}7~Tdq(ieA;7u;F@Vmsx3L%k2>1=8CB zf%F2>sr&FCX_Ns*=Kai9d|$WVT;-b9Ze;kXLeqNPj2rI>>%Pj<w-J1Zp>H@hpSV=M z@cgx!XG>-a4&RsJkDJgnOC=NbhMJrt{C`;Xl6&RSw0pMph<vMs=#ls(rljz4lLmkF z%%3{lCD?Mzt;0W$-Gi^E(ZvRGmzXYWhlTC<2BPk>vzC7?aB)BL#z>EuT5zc;X?xkU zena>xD=G+GYNpO5&AmL9E<iqqxJqAzXk(B$(`M!{q2DuI`J~se4(pQsUg0guz*|I_ z$rj$C&YR%rESTR!wvWPm6MYxVbKQU3(eky69?_gJ0&MxfeIwVM8MqT=lP%m=X5cOy z2RFX#>8W>tdm_8xb?k+s#8-$P7K3B)ta##M%-ztX#U1cz2p^z)$B}u3^8HuYG}a{! zpaXXEp7@Js*A@75v8{JmzGDu9?YkM7C0c%qYlymPm<P4<9-C-tTVUF{x!7(K>6lSC zv+Uy6fD;?3Rcq>k^GpWL+u=FsJJw0DBc^p;thfkdspec`ZI!MYA~x$ncJVp$1nO^F zZK|;a_7EGGivNX4X<juT+4Ns(yL#a-?w@dXUz7}0#!@YvCRM`wxfN!6GqR-#AFo@7 zEJUV+u0#IhoAe3ZHG!w*r6&0n_buE<Qp@lkxQkt<e0~&sM^eGAwY018DLBuafBcA; zC?|DB_z0S0{%O|qmlYq<ye>{%rOcOQL)`}r;(4)j8DkGWS<)f>05WFnU(}}L!&cra zNo&DAS;>_-cRI>%a1J_PB#;_eX}U)C=M0Z5%N;&JTO<3;#*y`;9dW8hY69tzWr6g- z4T1E~Q^C~8ww$g6c7xV+`j#zCADyLmi&(YtbZ8zFWZcll(8kM(m(w?`_bR^XVPKRz z0sds)tHgycPdVLCi!L0qFCxfGVvo`;_PgM_k(dD&+iehgZUA3N4SpEW*2UgeS{$3a zAO{~jHeWoG_tzIAA1_4)l{q)pI7MrlH13H3QQj8DXOw)adOVviN{ol@iJ@wY@Q!tx zbyrSJ?1-0jFG*Z#Y%Gq({#C$L2u%NDb1Y4I!+`_wB{dH@t=-i9J>V<^9;LVZB7S#j zWcuRKJpE2<EqMxE`r#5oz;nTr#EuU7cssI%HErn7UA>m^+(Dc25B(LfFt5-zZ0Ci( z+!@n@o{o_|*aj_M$L`;T3^_);hInEdJa-pkfO$mMQuKuE(Eeq_F`$cxDLM2VbSLts zOExWd+51z<wNu75j2q&$uqhi=Mr#?&7wkIK=E>4yW3n4wvi8a?(E2XwvTLDs-%hq) zc+3wjxSAF%O^5T$o*ZHgT&*$XK`+`#<TAIr^ExXtTJFs0s=)`oi@64T^h9Y-Ub3y; zbhTY=x^88hAy<-Xqp_|Q;5kt^y!f`fp6bM=;8f&!Lrsg*Isl#%*h!&H=Fr@kUpewX zu}R+Evi2G2oFd?lUyW=kDk_NbZe`1cXVy_~TLo)T^ttU))+V`z3e1$q^6xE)gj~C? zOk?sbcwI2ZU9&I&zIrpZ@-ptxlf`z-X8iLm&uw4LtBikjQe|7fscx%xsu$9}>LHG8 z`!(F}OnI?l&4<0%Cg}Wdl=QXC5e9<9!{o-cMxFdEEAh{-D>mudHm!Q*wne7vAMi8B z=f}G6i>_SDbI7@De#?B*6`^mEQ*9qKU9&Rvi|3n<F)q*x7pgZ-y^_sw%1NKbKZvgw zo3n-IA<7Bn`PeLy<GR1dUl%4mU9_|DT6s>j?ki7^EEIi2oALDQKQ+?W1l^vd&cAx* zZ+m|Bi=p3Suaj6=27knnyQ&L1?!7t-&x12OJl_o*<Li!1z$?w<%jT5_{u6m6_7-z= zcqPGgF#lX$VV;W5yrgq~hF=DV^KXVnS3inwcywxVJ@H&01h$EIq$-2s>nQsH?#J_p zfk!GyzYs0o3y+95#3Qm9RsX+*M?C&8qx_-$FzV~9EdKaxhCe!9J)b`|zYBlVzUuKu z_BeX{Z+_JM;?D<PadUdA%QrDzu$jugfqc^Sac|6)??rCI=jA=b=E|nJhVkuOI-fah zsds<b{LtvVnXmb|mwxelYiHX0<?}<=c)mZ$+H8A3^b~Ji>W_c)KjXc=jC$hmYZJ5` zZyzb0@vAlGJ<Z(TIcLl^iZce_%c(6<&o&Yt#JQJj9k2JZ;jr?Pwj@hrXARNkIJ(}` z9q994G~FF{rZQi%yj9;zY>S0sob5Iqww3PzHapJIOD%SsV;_Tq8yJti3=DW<)7tg# zr5_p(>IZ(p3Hs4|PCo|F`~KMZ4zYj}!E$*PEJvq%eqiBYJS_fvI|M(~%yeulH##q! zD4el)5d4R(G+jS~&TPVOU|f{eR1?dLK2V-`!HmTrbgA;VS?%r5wAU!Sv%VZbU)Q9Z z)>l}gYUfvT1@-}aSu@XRjp=$b{wC_I+3mDy9WaEyB!ccQ=Xp0Y#r{aTg(h7IJRhdc z<y=3+wL|m0YfV=*_kv@Qu9UTQ%#TfLk1b0*2k^0Rzk)nk4_fsLZ;d&U%ezBfzO}rI zFjvo~KDBi@`RbaTo2?FIoVl#)wB(piMy}}H(GfI@D#<Uo(E%(+8S^zyX8Lf*vA)%s zU-3+vHG@v8*1>wo_X7D6lsm#zxK&KcXkRIx-Pg^$7rk1zhJeYZo5o^!IQW7y<vymC zV}AH|qu=$&qTfZoZ$UGkcN_jM{Tlz@qTiTb!}pOee?b=H=Q=m9`W1XvVj4G>pie*5 z`Amp?F~0rf>r|LzyLeSP=g*;YMdm&hG}|xB+_S#DU3QRcq>yuowT)`wL;0~(?n~66 z`C1F_BW1aYZ>x$pGv~*#q41s6zYf1@o!h~_dyRXQQ`}sL=Q!_MW>2ad=2>;UmeF-} zMabGfZFO&<S$G@u+ISboY%IWkf<LS}F*T<FyRs@VGtaiy!TNy4=56dFk8_{HeInPf zb88pBH|4A6QucOmbAowHhvqSiPx(<aZW0-|uLd@ao5@^l9`LCA*p2xgM@DxNTQ`W^ z@8$t}OXZS%%}#4O<@e<}t?os{Dsu0#1~Pa9b3@**LngE=im?`05RKOpn~;0ioy0w@ zta8d$_K<fCHjMUfIP%S7%e=xKit#$erJq?kX0O$EPFaEUo%(z$b6~HYvZ&@Hs^@L! zXX#NCY*6_~DA3Rg{G;swzw$j#dp<AJQbu)0oZ-cm)|5E_El0~_VBAj`$rItph?e7G zHlghZYo+FN=Bj7^r}X#wW1ZdBlbs)bn=Q}Yq4VDP`Lf$5yYbuh)0O7u^{+EXbNSJs z(RY6P*fgVQtb5zP-!<+MQ_(}k7an)4+l`L9edxyunil`BhX4I>cbxQh8+Sw`{ilt) zX_;}?OH8xIU0uQdzsB7XczU97Gz?ze%Q%W;jiWBgyq9rw@p~9Y8{syMBVDukSkLeE zCq5pZSK~-&8b{;b`Oj)k_iCTZdF?CB&+A{a$C01rx36*Jr=35JJiokb^3l0i=-m1G zU7J=7pJBal4>tN9uB$&1>yq8ugb!{$`xG|3&!kfU;)Ss_J0$avO>u1E%C9&LvXwfC zlc;m1C*$N>&NY(Rzoax|@<G|pE%jrzQnqhCdmTbCaDr1ZvWhm=GQaor;tB^}LSC)a zF(Gt^^vePA$kvP!Z@HFvqF{-lN2I6A|J>6b#46X9Uy5yvPS`*m`7i74%AM-qcWGj+ z=lL`-rSvPJa`Ww+ey{J>k6-Qi^+R{%-Yg$O3;83tOVi9PPeq86Q-3dn(>pe;db^qW zPL`Onw7oYcvsR!wb66|bO<I7oX6jtCI+V->cD=(#*f}SsZp&=)d~SBk`a)kTFkPRe zPk#tL27)I21=d8Y9znNCkH`;_KnFELzoz#QvjqQ-;_6ZlSN-(gFS9u-@AJ@iEoD|> z*S9f0_4BQe?~49~oLSZ`(fjxn8N2%-{0Y=I81U@wxG{^{n1A?X*G+D(U&s6_wDFQ+ z`Fm7W`>0q0AKe4XzMq5f3{OCJ;+>v7C%)K$rz`l4pI2t{<`!rt{9C@npK5(k&bhq3 zX49&>MTbpU_|{xnxDJ5hTZOZwPV#m9H(~0qyp11B>($xxz7l#*RDXQa(Ip9dq28Dn z;}PlcY(6<}zU;@-WW`0;G0NC`Bj`jw2~V!N%Cts^aacYDeYd=G)W^5sS(8lQ(_Dnz z6~bPNg9GtF2>)9P{<lhCS_pqHrVoDF!cD7|EZ|vXg)^1^M5esgFUpU@9eumIjC!t6 zJ>%XXGw#;9Y<7LqSo;+`w!R5ujBMHL{C?g+!9LE1c-N+#&&dCAe)_6sz6so$fj=T! zm9h_+;ioI%Q?22gA>Ki9;{kk+mL`l_)f0giYw1gZJR0|hi93A=o)8{F8)p@(tmM?u z**a5c2K#ZeMpM!W-w^jv)_FC&Ccfc5Izm}n?$SvOgR&v(z4*#F<48Wn8vHv<0vq+5 zk3EPF<xmS_3E5PwygX0!<)L6JCm!0L<NcDoH=gZBT-3ODh9~b!KKWh#UjOcs-yQFd z6ip|>`vzot2zk*5Z?A>7#8cp)u_bsePpyr%cRdhbyaSJPtneh*;`QAdx!-8V%%jB0 z5bxuU5%IY4{1%vf_*sw}h2LK%e&yBQzB0()@Zc+hWA>e=m$WYMzyz>wfsYgUH&lkq z6UFQ4!zSckJNig#WeeH+vkiQ1fesq`j6dxk*_%QSMS7+s6TDl%RdDY9Dl~_#qUA?_ zGxD(dH<}myWb<-WKIPd(9%O7ZaRGhh`(@lxZ=KO)ow0*GzTae>;x}4rbJ<IpYxj>o zSny?h`|!cqvmf2oOU#11aqVzRS!`<|@d{T~6h0z5|F4`-GVwC8V(1^g?1jqA&6N2b zW#VUI)dS4Q9?Zi1$_(yRuV^Eg<FCi$;}=@KJ4QTIXlN5K)iuYeHFoNZ$B)a+n2)cH zdzbu%JX5GEJCEwA3&H2;hvgw+%Js~ekOOZQaIbdbJnMZ6d#wHT6`P*DE|~L*)&(>A zzP`3PLY%n9hWxfa#;0=^W2cn59($k8H6msv$eIeWx_^$=AWZTB{90l5XdNS#`<T|! z<j2hNAG#WsW4_JI+%90}cH&vzCRKf!uYH|4f!g=uy=#fNn?^o2<MWj4Qhlq*)2wm+ z9@~;$_uEoC%%ispN78u*ht6M99FM2(lP4Qb9rBfC@T7I`--V|bc*2Kg@w6J8_^|l> zrjO_JyN7jd*-?JKH4j#wRZjh0^Qea}H>)4to}eESt&3|tTx;W}Sr6ZyW2z1?o}-p0 z^M`tnvk~~sRsSTDozepN@#?T2!|>C?jL&js`cT=thj(ZV{aX0vIm(OoLQWZbWK7yV zi#PQQZ`x<-Oc2YnFED+moi=R0kZtl~sGU^6Eok9cV`bv_#fjsf(!`f8VBJ`KLSJ*n zM<A+rgl)*7@3E&-x_m*<q=%nfvgIz?(fZ~{V8&28djMv^Q@z06$Jr6te3W23Dqa5g zN@7TRxc^h)nB+s>jm!?yUK90iqkeebTLWcXq(^>CmCNGE?79x%+gDwE#Hrqssc#p! zNC?lF*ayjs9T^xaSS#|M<K&5BFWv%d-r8wT$3*c^{{E?BCBanxpE;>MV&VFMH4d!4 zZkWTpq3@C@OGifb46HH9{z*Bhfw}nU?`Q4rG1m4U%S{a&=el3_d8y+;CwYuB8T;or zN$trx{JQp{dV8x3e`oLgp(j^96X4u7;?#mB`Rfymnf=9wM4L0v2A(6<Gzg7yJ5K}C zvMiY1VV^WHB*lLKOpV}aA#n9W+dk^~E_)z;7HE5QWLxl=@8rkc961uaTXCt(+Ny!E zdT<Uf-_M>%&aCSL&Vk=2?tqxS!I7NQ$U5k~Kaco?Ny8&SXXD5=o*M$yBR7$!A&`E3 z4(Hh&&rOXymD4qd9)n+^x3J#)&45|7o%p!*jMct|rRhDuYGV~B)5{rNC*XnXScOCQ z_XaLTFFK_|70As6Im3&0KD%Iu{ltwYd8b%m7DV@~#~#{;?w(0M{ruvojzH;_a@Ox9 z-?qOEO)_=in`~73{`;+2aCE>6<KZ9%t61@><t+=BsNC0oM}Bl|6dENTfL3p;Sw?L6 zQs}7I3NOAcgv@8Z%$`+KIFFHjeVj8Ge?mX5EHsCT_&q+=Bs)(XU1Fwi<_o_+;dw1O zBte>DgB`}%_prs*A!ia?+muE<ow?oB4<KU_T$Qf^Jbf?JUHv_DNP?^K)q<Bw>Z@@k z5A8<})Hs15WG8!OoP%py`j>Rtd4gBo=0(>j5BS#^7O+vf-TPR1a@7*anaaLZOQZ)X zpI@~kj(=3PRAu+7C3V~zC$v&~Y9l6Ay`1MTKFm`*kDvEE3LPssTQ1Vlx5O<qOBj<? zOF3iiKH`<1g>UP)PjEd(9EL;te*j)(&zwK+P@Kc4Pdhq*&7@eN4a7Osp(l0*a_pK) zFY$@)^4fIh7whj1JC_nOFg8EC7@Z=2sA7i(h|~BL&)T1=veeh;N+wTG&SgK7Y@;G@ ziLd&weAwcH7l>=ju3z{&_nCR1KVLd0&dNj;Ptr{LlDF$Q0emfTZlx1Uu5t>7H0SJ= zUdgR}hVikkop#wrIkX8Hp$85R6q-F{$lASJ_f6ycSn>j&wPBi}QKZ%!vS%sfaeg81 zB)dLC`j@anzL;myrR)>hIh(kg5OXwQHs{uIh6(R$sH3u0JW*iJvjZPp%k#~QFBZ$b z39aje=VJU0guH!j?eN>?%zZa7qPy(=H^Y4>bN^a!TC@V5j!bE<ui~dUSufY0@|(?l zoa+XDnv>OWZRE%K+@%Sw+xcnSAIQsUFLQ6(%iP=cGWTk4H|=*!<!l6gA<Fl1{V6}$ zPaV{`hoAaeM_MC4WWD?l_FRPDqN5Elti)19wbyYM`|`fXdzbve@%Vh&m!mvi0<V7o z|9d=ezD`aW(@k7t_n-3nGky>9+sY5U+r1}Xy7%&vUVslDH0VR${`8*B=yNap&73yP z+Vq2Q&Qyw)nPTmmj$ZZLj#c<~6a%WVwp`Je9h*Jxny3!VXH?Gu>RFGjQ9oouB}Vb$ z?N?L`Toe7Z<1-VBBe+#(K5!Md?e)unsRjAqUU^^#XEHzM!Ro<sPJA{x$DfxBqq_+D z@8n#ubOauca1~4%CyMj^A~NDgz@!!HtTV<E*dU6d+6{k?5VNQ=!fs(b!rH#*8rkt7 z>Hxoc60aUz5=Vz<pU6YpZx6^8FN@})L&NARcYJ>KIr#aptCI`K^YGi)V)uEm9Q)o! z90c-Jb+^4*zC<<$`3@1=U7w(Ag#3!7Xwta6!h<nEJ+I*-bCKyf&tbqdRoQ)t0K>zq z6A5l?DEu7VTAyM~*W=X$`y}vfO|^R|kOS(w=0htSv-kyMY9f!dXVNs@1+(Ngdb9Nm zcqyQc75F?6uvOG?GxXiV8lA;QcHg6{tGClGHX6POv#`9Kv#Mq+x3Rw~(H-h<6Xldg zxZKNmEI$6!<~cYgkB`IbHk6Ne$?1Xt+wwdZp5Walcy|<93nxB4#BXVI{FrYcbKcrH z``+H(sy&6QnMh7<T?!v7=GP59yQ7A5bWvmFmjjOsTomrqe6o^f&R*M60l$5m^Km4L z;rqj1qhHcNqN|>>b&>T0*f@D_&n7Xw(Ysh9=^)-+I${v~|AM-F+mX$e+mEoW*+5-o zVa^z1+-|zhBsssTUUla&|4#6Xt$Q*uI7$AnlMB)}q=lb2IIM#X+j##H_S(pZlRCb} zB&`mjtYEy7c%|3>xHdK0K2PiXA<r5&rPyMBL)(fEaE*;&KYSDY+Q#!Wz;fT@X<JmM z>ht18OFCy#mc5X6zr4<KI0!5oPEAS+P8Ys;j_0~xT-2rYC_mOw@?bNzx$MBx@L?bN zbfLvxX{TZ#=W`DdOHYt4+o;Y#cA?)A>fbkF!<F!RFSdZ%YN2kG>E%8@)9!4_D^2Z` zbFa8*>0ZUMX744)mT$sw;+w>i&<3#EIHITVCH)xuTYU>(Fh?&g1TNulDsw`{s!fx< zGawnf+oapSiLRu)`j5S4dEy;#Dw#iC{#`)NcWNA;0Cx4=m0UQ(IWW1KcL3Yyd1-Yz zkB+g2U2!-JKE5~EgYyV`fpx~>X6o3CJ*awGvdcN82d9(2hB~DW#m73Q?-9z|y$9G{ ztR*XMyYs6>^bx<q3ydrEM{@KaeR&N#TCt09?2p%Is{@>|r>pbt#5;c)8}5KM!cjNR zD)+Zsp}}F@|A2eF6E4QjL3QR7=WEsbysG>Szh%BKdVZ4UN9%>wCEsQbvf@*Lp^iTL zXLaeEu1r0}*oU3652>gAD(F~-kLoV$YOl{_o&S|Si|>)`dsb5q=U_$sdR_ttz*6j& zzm)PZXrX8E6$i`NzWp)%iPLA!Otkt>GF0z3d40#0Jb!;iHs7f)?r!>mKS_H+nxIJo zG*G{?aeF)UW#hJm=kxhV_U;&t+&}-__5S|2dK)IHH%nex-0#jIo}O<6Xm1ntVcgUG zhh;0xMIJCNs<!D0e=47aGjpDn;ctBZOQ=sg@qLwn$9}@qYbTbT2p7?DFu#vyo1gwp zl>f4E`Dcym<2&!j20It7zd^=Q=kp=ts+D0Cx!Abol*V=mXU4PyV%0V1Yx>?;iJsd4 zZ`5RT=}vU$Yv|BEV&c>ASPXnf_v!a4<3{BYl#5>$vvKkX@Z^sP-;eCUbN)VLjnRlH zJ4j4eGJ1B|k$nMY==J*_*rD<DMfm1n{IYv8XN3%mJ1a!(v%h1=!4{Zk{Eg`;kB21p zw0E^FP-^+|o78<5bz?hZ&LQ#aUfHtk=p5x!-5PI}?<b5q_haNeKgCnX>9C1){fhCW zafAJ+JsDjiJfA-=^3PH8;M3RzmXjT;udg1+GYczeSA5{k%ViJv&V=^HB;Y@6UwmI? zA@81-y}1%w)9TKYd<prsZ_BM6dvJ%&*nl>pXBuQ=k(KANVO77`oom-HnftVEf{r%L z$xGhBntdYE9`!F&Jx)(Sax>R(Z9(!+;A@-4SuZxNzaaU?N@ENOMwN-shmO^`)d}_h zs6Y6}t1T|kh5jC|9Aa$5AJjDi+hv`929SRag*Tu6q4f_*#~%CRK;>%WxZ3_dc^(fu z99;nY<m<wZTRnhZY>=}?2bSUAniEXb(Vyk~1|JJn9$!z)(qq^W_hVNR=d=+#3~<gS zFjmPg;_tIjo!C^izvKJ_(RO$Qe_?AMGE-->x%0r|k2oW&!fn9D_4@1NjGpIU`(Nul zYmcq=lB#~>)^_`@!h5GQz4PRh$FID9-q}6N?$r?OBAdLt@L=>9{S(itjFE3ed7X=s zvTJO;yT@SAn8N1SW7D(Fbdh}^{!*D;{`=;!a@k{{S3H;+o2OyN5i{oLIp+IboLuJl zD?G!)_WeEFi*G1z$H6~PPl7Sv&%f3&|I&ES{3vwg!5ze_J@-JS9nPIARXx&w@k~9w zuIWSmS7Iyp_UlW9hJ7sF+*z=?FD$qF)LhS|w6a0-O~1T5C3bW9T~qF?fR5$Y#9FD( zjw$!%_a{we91FkFFBfIC^IWDKjSto5qTg$##9A3gC$C}+s*ts)$*e(jY`krF66;V0 zDkeP=?T=N@eYv~(CTC`GH#UDwIMy2G8i@hJ#*6Mmr#04?+SW~^)e(Of>G#$EQ`GU? z6_XyRd)ZX$%sc;`cv^F_x|ya}c?F~Y&M&iyGGAb9V<Ogr1MQFJK2a~bu?-or+3c#1 z@C&onr+$pdVSm05>|{fzm6O}BN%t|fgxAvkOOvOOnJ+@mr`VUBKzI5!#DS&x$vCn| zbCzA;vxjH+y7O=5NWPl%dh!yJGkq7b_B+%$-ZnP;sSUR^H)-Wih7KOxyfJZ{u`S-$ zesKA#6X0Sqzk$CDRQ@C5Sv+g|lVv|h9(|OxJGWz5*9!8g?sBL6&gIVLS)4&QPqbLi z7~<aB`;+gT2atr;K7ZZFJ^WCd5B^;Cv1!hw{d#Uk(5`j3yhCR{U)LY%k`5Ms`0~W> zmuarGJn8kv(<hQ8gW&3mS#8bBv?aO;ANiYdb*^I~b~cn?PP$M!M&}v$JUCi^GIw;p zdA1xGxBs}ST<g`)g%~|MA8LmlF)xie$NZ40_uc9#%G9$ltDdVbSWm{T$co3%`Mm@1 zOA-3<Dtv@L2Y-dkrBggdox<l*_zt(AH$QQe<O0v3So-6c`;T!w>J$y_#%I^TS-&M` zmu-U&PlaOmWHxQv5pqhtm(Tfjw_rEz3zQ7aVT=Wsw<y*?dqb~*C#B1w>EWlqcO!P? zUF;9jd*xG}_h;qlBv0uiv*%AImuwM?uQLX|F}Z9DK8wS@4NmUta3+u1M}lhr`v}_Y z;oPX?D_=9i_`R*KQe_9wy_@M*K0c@w$Un&$ba7g~v6b}mpkva?r}xUYoIEGMQ}5LW zb`<cwmpGK=<k$PTnY_xUx<b^UymQH?Ijr&&;15)N3G%SsXX{E`)w{#bQxGy7<8FNj zcJ46dyBOPtIq`XD9uI3BsFyYiXb(BFSL39H`hE#LZ=~H8^$mDhpy!_g!!1|+#G@y^ zsG1`4WFyaY?2kwX3t8(cV;!lq^AYsj_SxppPR^Qp3}0@7`pcb}L)iC?A?o@z@+4kU zn_fU!|BN!}vIFE(n{#PXZN-HH^2cfWW8~e(8mFFDa^K{9^36W{V{ZhDSjQ@&-2!aS zg3e>eDEtdgwlgkuj?r9buR7I7(dkMjv-Zh7`_a>CGs^vq;8C>HxV+H0UH!rpV_No{ ze98Wqa*}I($XjclWMrGxzGTnHev!<VjJw3jxG}mkW$>L(T_IQdWIg#SeM&peyTIj! zO^VnD3!7w*#<kY<w3cVvofJqN+dn2#)$ZV9wEg}u`$=uHZyNdP`Ln3|370c}570*B zM?ve;&z5UyTYdaF@Y;K9RrY~A9M0fp3=WTnzQuWz+3&LLF11xcKP0ohpYO@8?%CdT zHe*!jpC`^v*B3e0*RLmA{`z`f^x4naw)TZ&%g^lj;Spe8``j{}wVRMXsSdfD%E;Xa zHeM6&ehN&9z!ZBnnE2$;0@>kHlJVy}Tv+*^<#*2RkLquFdRh7*%CtQlOxx%0FH0x& z{C)fUMANG`q`#r(S10NH6HTw*klw84*T>EpnW%pW@|xO<la9$regGVe@28Ik#q|te z_lh<yW1|jP^_R>Wg*(|3+4X#Ef_k$1^98N(vj6Bbb!6r;54xGNn>8jK>SK?QXHVPn zF#YwhbI!%++K7KnH2i|%!-20Iy|lwin?Nsd&N%+f(eDe+8S~M<DIXtm$T#rEzlE>< zDP;S9hi`mc{weO^gRSp2PUG?mzcW(x`|q%3%lLM=$|v4?cBIPto<~XN<JYoI$DR$% zj|F#%XZcUsIiKwXezn8{DE%?gm1iMos#o7EiGzDTj&~v7D`Af_?j8JH;K}-jGX9N1 zXm0mULDxWSd2%=TG-utzH!^qSEAFJE(@z@_ok*i^hacjcth4kp<6l3OKjoG;%i15> zq4{zTFiWnT4sPG^WngP(4)6PzuGOCWT(j_a@M6vbn{L1R))$-=jiKWOSCx3f_M!Bg zK1A^GO)C>@(>m3U@6ZqR`7Zi_|6=Rql=FOi)4)|(=N}1v;<}y*Oxv;;IK^+J&E-iB zEbaPcz1>^Vxtn^-baQAUd1K5aJs8V6OMubf``A9sBzNLl*v)wks<VfB)K&p)&E{Tx zn2G(bey9)9?ZlnheklK5@`yg1DaN(5^UKKniTr^#vDWL!hyQ71Ci6_iQ4^2iP;USn z1v_7(pSjfI^H{g#_x7z%151pUhqhwb+@|qW(vkaJT9ZDGj2(e*Id?6|EGeBtmMIpc zUwUVHEd33^H7AzVy9c<}9@_!rv|=Ds-@sy%9$*~}d0jntocM^xoaEq#NL$7nct6ip zj=QM=#`K_mbMh;XFC*R~7)bUv5btr^B&AOz3p$t|^s#Pn2kof-KHB=<z&fx$AU)Nk z_WlK!barnD-+VuCmGk|BmrFL!(iy&k%Evjr@@48Q-^*!F=lSB#JghT)UA~7f@RaEq zI33$4|Az2A7zEaTbv7y{VxW!tH39oQgePTpJ+?gc+WSdcfPWj<z}<rphi{vJ&o=Dy z_CkAhi00c5;;**zZTO>D^=eLR)3KBKZX%{_jej05-zLJ&?^}SZ`b@jd|9f&5xVCwF z#^$|!@278ihiy6jU4-^+8nF0hGkz94sm|Y7-vn*pL)%)SK7rq6>>So+p6nC-@gv(l zXTkLvaP7n{=^j^)-)H&bM8grm1Fb~Iw{@T4Ar>|)zq5{@HDX)OMD3`K-(=M>lvT%o zt%Eg_Wr`_3G#XQm%&8Be!+pQ`8_W%TT_d@XK!*MdT_gJmpJqDY`Je3lbEG%i{Ks9$ z={@VP313-Slq_QI96$TfBZ-Z18`D`?QDo=Q4|smfL)g`aO7Qtd{`CICnt$#GCszPl z0^W4tSHbfk`WgQS`{jz<0?DN4R5SIK566yZ?0*@V0v`9y$SMQ=>gQ6XfOr>Z(si3t zvgOy<q^xZoZopsvufUZDTy?-TaCdxoIrIFhEAk%sN9Ol`X2OfV&=OtJTc&SWK~L^o zXsbB?4($I`I+q+dB_A6&s3x9nVcTSLDo)+;`3XB$2$8?7%q+p?IJB8ETGJ5T766y< z76xw*fH&FoW!y{7|B<DKcP7&ttc9H^81vZ~{&c3JY|fbIL;m@re&=(~gBFdXGj#?K z3l4kZj}q4huA6|Dy@1=>9yQf%Uv*OOY5L>zFM$qlk;!q+XJGyGocyaY`Dyd;t@utv z6J*FKzAM4Gd3+;_vxqr|aEGpn_li@u&WQ+5qCVOqMs?%AAb-wXS1IkRpdR!~bT4}e zw620e*b9t||FN;iIl|i?<7dz#is5JhzI}nv5HX02*?n4+fpOQHZAU(I0T@%9Nk1M& zgHQKXV0@W5zSe4_(|ox847lVE0;avby!s{m5Iu?Au=clXj`P<8J$nfH?%e?Fz7F|- z?T5}28Jm;CQ^g%6rfc7Heiti-yuJQqXqLk~k61q9>P_cv#^x^O6Musp1zn?i$k&0N z^C`aHG9bOluZ4KesN$w&|KYc)gqI88ZN*SWD+(T24o^pBmKWFIUqVMlr(I&UgVd@U zfvJ?Sp?)d-7hJ_>=fq3c^X$AnF~^S%(w5(jVmQ?<>lM{%Q|+nUO#DQ&lD4D$tVI?N zFS@JL%;2o?wH3_W<?GS6cMN-P`iePsiM|krx>oUF>jTB}TLNYIHB)1)9|Rwt<kwDm zq*ng5sdqL}KC;QXZ`Zw3YtuJzPfTXD=1vQolIU;gOQZ>3W5CTX&n>imcFwD+*4$X| zw&hQ`GtBuSz3~1((KU--;9Tx}(?RSG>ofdjUSwu;<OPcHXRhl*9_5=S@H6GF>!zK2 z^NhW(KyUTtLkHI4%R}DT@;Wm)B-vlansxy(hSY^3ty;}hebySb&egh?GY`a%P0!Wd zb2_+fmTZMx^i#Mf=lr!k?#nrU%|UN5S6<i5v-%eW{-xA~enjt1k5;}P*~j{2#<yzI zE+<X;YZGuE;oL04_*qQ3)K|+JekC6MFzXj1JL!XWKK66u@%dDHqX&<A??fxrTbpTX za;DxU;+};|#p-0Yo9Dl09^Rn1L2xTvs^93SR^d^2l1(%~8v~>_@LqN;3z%K&x!(pq zYmMv-c-sAJ)t1$P(v|8bhZ$IVs-1IKOA+hXzUvA{*NUE<FwS-&`|ltBmHA?9lKJfq z_QB`b>tp^r#>H=7qHXjqk!S8CCYHFlK=fz$qr;*J{V?D~{Rnft7u+#ux)yWQcn;B* zJ!ZzDo$yx^{dD0K_0NU3te+7++MGY5IG$&^YMd#pjN!(bjb)avYn&X5qZ-GxXQFT( zR_kuw%V)qiE#1tum}?7H#Rb<mrQVqn&I}7njdO{;ej)=?G1oYJ4Nn&fh7{!lLnYUi zd}Pj2`U0;i#;BdX?R(ZcgM~H0R*kKFfk10FeOQ{Q?;V}*L|uwuV6TbgAIW@|=Qwp* z-!)gY70I+k{`wHHZ}GoyD%+-+uI*;YqPX-8d-xTrv&Xr6aor>{V`so!Yi(ud{wDi} zx|z4wu}~3fZ3hNhrkVZxlqq#$i;zK2xKmef=6WO=b*AO7HA@z&O~utUI@c_UPm6V} zRo|Vw`7N}I?&zv>rpy=Kqnxd@cCuh;TEu=Z^30geUND~Hwp_@WWXo*l+uo`t<mAp* zpSJT|Z|^zBzLzY2FEI%7;koi~@CEUm{?7HonyBQr?GLhB^3<2zlBtrRZU|cj8IIp^ zZ8LGXD|41C%E*ANmGATBK(ZwrX!c`EBV<TXz|!^z&l>;JfPXglVUDuVlR+iXPY0P3 z%;8%c$RQK@^gTV`ITM!?{Q&ba$s~iFGd9LcqD8bP*%CtrV6)&K8`EdUF8UGQ1$Fo? z=-BziC!nX@YsH?m*__w4*!rD%Iyi$a%fCH--+*^stmd2}ZNZfE$w*sHN-}R`F7p}c z99iS=?V$jEfnbz4zGym_%Xc30qCxyYiX*E0(aw4|bLPL~*uZ1n9v;O6WygfiCZBBR z<M6ohFt!(Vpc~K2M_(oHCVD6Q^wS^BKmQz`)oa-3P1J$xvuh0h!hH4R;LPYt?3Fu? zEX$rdvle9i_5*8btK*cB{T~1p>EpBa{{4h<ZDRke_e~aJ_mNlLx_cV@sGeishB*DG z=9~M${|T;VY8Ve!@ZF0wCb<G%JU-HS@hePfEq+h&(T6M_+4E%W{<hi-AH59@ia8Sy zd7(MiJmL15ae4I}J2&Xr?uu8?xIA$KYx2;pmvVa7zwM)y1Ds1ZP`*AIa!m2SGQK15 z8EXR_K0ZhD+Op{N4rc&r4aw1ZJm3A{`-PehzP0Z9%9jeRtJIpq2z=kem>66f>ncRn zMslUI3)eZwv(t`Q<d<Kx(G;tW>w_1wUW<)VZo1S?KQ^deuV0^Z?dCwc&V<A-T9njy z)VP#=qcNFnQ{f{&*@Dd~+sgm`&`&uFY!Cf@z1;2xIq6pT@K3k!H_6tv{Tj1%<%9Tp z%1zX+Z(AwOD!Xm9*+M;$ta;^;S4S4UNIf0c*Smm0wuJ0}fi>OLW$gPD56i9?OS^Qw zbix_lw+HlHi|L(>*uH{;_1z~Dnf^Z$F!P0j;Weh($Ae^(-fNHE5@30NGAk{f*4g<~ zC42B{Si4-{xQkTxv+y2cI=UA=*Yh6a5A(O^=V<=~e5f?$qScl!?{_R;9$zN^QAxC) zXP-Ym$rwwJS9Rf&V$8Tv&f%TzvS;-LU`{c&D*%psXcgJGZdmXQF6*vd2|OLVYXPS5 zuxgLtX7&k2Y8zHWbuJ4sw*bD3JNYXTXH0c@Ftm0PyuRL<u}HX4J>&UeF8FAXt?gVq zKMp>6u^&U$R>aQ2j@y=-;l~WUL{IUv&!ghco_kEOc-!Yw@u<(AlDp!~@w~%^2}`ec zg$es#FbT(ZLtkvC=@;sU=o&8b=QzC=T>qF@4taKz{I+#`>+}HhSOSkshaNLEN4WP( zc8(x_TjiXBM?S<H`<UVtunEd5J-&>9Ll+%w?FjDI@@+z5y7Rvo2yBVa2l)xlASbnU zy_)YErYKv}LOdepZgmi&RI?C!2A*f0SbYZH%eCTpXPVuY;^O!9+gZ*SsY4cs|B+FL z%h(I2GKy7IIg967Z|usJ)cT5asHZ<KwzP{8BdNF(m#g15^-DTiu>z~m*)jO$1pK#( z{xxy0u_-%7`IR?1Xt0xs0VR)MYYH^J*$n)3<ddzXHqm`s<@dY_J6QR|d&=8QKEbbN zzh1>@?E^>4ID20H)6sT-=K*ug;yTv4g-7AH4p}T%RHg}ATl)M$>s|j|dTac7^e)Vz zH+Bc`OAcL--gzFqeOim|_c5nRalVG=-N#;%4t(QT^xi1CT~EKp=snhs=$**WTXfIR zdt){EFGTO9<LKSQzA4c=!c}-x-zw)6o<nchR85Ri^-p$nigpLyZ#KeP8&yWKC`y^- z(A_@YMBF{kEx-18qVN&XK61)b%ig~bPgG=hq5~hR+7v9=JfY_dPi$Ndp2QP#_}0J} zPZVbSa1-)`EfWuv9t@qW-4@<h&Klc=dBgBGF@Jb#g7O{c+wR(L@n$fm^Ax(E$;Pp? z*RP?E1K7Zl6$_CSrO1kD$cm18HVj`(AD)|i@gvJ$?yjz6p6%`rZy|2?Pzz(e#SAY# z4ZTIbgZPf($kj?@_m$8rbYO5vCAM4(X*-#dH*Njon~%Y3@po1&`4jduL=Frn{<-RQ z>QT8A<q9Z6Jqz=go7b_f;u`CFEVjN!?SsIs(70T`^vW%l&}JRuNqT~L^jgvTW6%?y zXL4uAw91Dm_*;-S_&1Zb573wIW3={6^bT6Duf6i1=1>Ei0jo1tH10L`ReZzxz>Jmp z_UX&WfS0g?^ldI=LVXzf^(D?k=mYNYdf~6pug@dr1xL9lS!eDpZ#W1pJCLU>=(?!m z<}(iJ`If>g;uoVW=(%@WM?1$agg^SNa`}b*d9#T=#T;I?`WfcS`1S4DM+z92Uvxdm zH3Clyr&aXvDZXRY3%%W&Z(zT#yKXl6F%Az%Pxv}R`a<;g<k!WPS5I(mq02c3`zS-c z#$=}cZ*%Qsj!qm*schcqod1U(q4=D#oW1gAS#aE!DJz`I-ozHP_HwDWu7q7!5?x6> z*yK^*F8yLA|5vl>sOFw|koD`mRnGUl@VAe}Tx9l(G)%O<>8;sgt4I66<5BQ+3unpq z)2Bbkv~z1#I|P!Kez9T<XGiJ(v9M|E^~TMEA7tFj1a~vQ+46fg4$J4B|Nf#!R>Gs- zD?b-!*JbLzk*jcqGqd!T%S_eW%iP5ktZ&t!lbO359(gQ~`V8Z)jc;#vqqo`$ynPyF z*wqU%b$lpOhv@oxfPE*_^%}U8|5<xBUU+BH;*PI64f2a^hS#d*C5US-?L5RB2b;GO z+#UXV>d^J{bd%oC{b_uzS8z>a_+<w7F84p6zKkx!&owQ&mNnA4OkYEDiXI8iB))=Y z^;_c-Zzku%lyqvGYK&?PsBX~Hv41oxc28J5hwh627qJ;#s%s_fNEfna=w{V9mofbo zzAU}dbM)7q9=GN3ooM{5r4GNmUsgD?<r(w+;BK`1sjTv($1hOcmPID0pY!SGF6;|i z2Xqb130c2teh%k6$>-ago76gw>_^4J%BBnhv+dV1e4Ws(2l>=O-pHo0yw;|{?!FKD z_}}2t{MXi*<%iz|UHOK6`VYYW;A2ZGt8(1}&6#DZ+d8q4{Pt~~>+PB^<B9LW0?PpN zAo&>br`~c;FW>$fM1Ph#p#t?sd}{HEpZI~$@S@G|v)~Pbo8ye9@4Qoc<XAAox<?6P zb6WIs=neVjYH6Q2W3|qH>Hs&dU@Ht_PY>}M2^0=7wi}~-`*#&~f^_gIY{FXVBzA%C zVipczb2hsAHZVGR6Zb2idjcMmEmg-g#P=!IvUU+C{}4I`U)<3B_<SOFRZISid^9 zR2{Zd+?j6mWEFZ+XEA6VC3v4=uJTi4@OYeZj*W$99k})7;(yKHxdWcic(U?~y2|%B zt<AtFzi5!>Yssf~q6sppQ{zrDO1^K#k;;~`ch1UP*1AUPpUge)kyU?pK^xE0<LK;B zxqfb3M-Sf&j<b$sh&ShZF8;d1gX7m7Jm0_UO|$5O86St@RX>mgkNhL;fmqk8nePy1 z`;r8QA5X>k2=a+reNvX`*QHtYz+0szXl3Jr(kF^(zYm%VzFw^<AsaP!_2<#Dm3{bD zAj<|6uN4ed%CCe^I(?imag1@)4<G+XYwFbh2J0`<V<TLBdVQaJ51(EPm%m<`wN@Ja z)HKR5Z)0BiplC>+>p63}w6n8T>%W$+brs8WzRcpCtc8n5>zt+fF2bTPd6!dOax%vK zN4du@J=6yuir!0kj%)m9=93z0hVwgYTGsfLZ$bIr1kVY^*F^K<<(jL*$4}Y$bV>BF zOy4vf=p%l<^Y<Ysc4A~?XJTOFXhLhqOhm{lx_LGq__E)Z8=&7$QlE5<3l4ANUh&;z zE?teRCttPBULB;LE7-SR*D|;y!rCeQsH$MEJ~8Qg9oEy7ZzpBz*mJ9TKFxiM`)nAq z<JRtDp4-ISQf(28vb{q-mw8LO>WsTc-;He&eqY1aY^E$m-Yn`S9owRweVgl2z%2Z$ zKG_>@0iW>jHrMfXkk6;md2z;u>>s|%)X+=c)&t|uX@3UrUd{bO^qF53^Ol>nch+SM zLu<O?y`TQe$io{c&$pWDe}fP6s!1kU73{9Qo%qOCh-vI)t$6cgrXl|qEq6a>W-R(E z?8-gZms;1pjXc8P&Zk+24V2G+qc|~3_xh#|IB4AYKRh{iC1t88qx{&Jor3Ky;L%z@ zGjW@Io1!zZH0XVI;R<hmQsP;2vtrg0Uk!NapUtHISLbH=lM?TYr6>N`+`OFjT*h{s zdh3v@vdO+dn_FmG=h!0i(jD@#G<)am^}+M|0^owYw_)4w1$M#rYu17ilq+|N?0E#x zXuI(EPso$oz?0f0e{w^nKQ4VyJu0vEZ^0(kUflf93$s@4F1z?Yt6!`E&5I#l_`dSG z0N0~|{B^STb<KBH-h)nT+)Q62t6!X5c5#S%@x@|idbALDOEd8P6ZA@GJ(<3~2Cl4c zLT4{f{$={8zV7DwGiSzP`KAfBNq3NMyl=XNI0D+Vd;TI`EJ6J|+V*^#)1%CDY+TR) zHo-qqUtMPWd<mHYuN8|vs{dj9bnmVHC+rys?=f#NaayIn&)9lBIBlicc`xOpJGG}^ zVte}BeO$Zf`#`XLs~hUxq3>zkkM4KB>^xG59)AJ3yX)2K6o+tXfzF|nyxi^ibQEvr zKpV+T=5KrTu9SB!GNB3HlWx6~^D+$gszdn`d~-}?3}w2BBa}|N2b?BIbD<Y9;_!G` z*$WKj$7B0#M%Nv);^(nx?D;#aHTr8BonOR8hR^nt{8MeZgsX);YtIks34H5Q>j~4a zj}!|(c22_B9K_R29mu{A^25%Pe@u)s@znm=3k_#S_D)pSAN8?T%HM?RsPHcEoGj=m zPZCp8f8$qTM-r#LawOEU?wN8ETBk8hyv)>9drhmpFYexmyu03$8@s@jY!&xp;AVZ3 zJ)h?TjNMprv;CIXX6lJ^rcAgc{*2^rc6_RI*)`yWF|t>Ea{FEOrc>90cKsz<;@Efw zdq&Xvvhy9v<l}q6$|D;2F}J?Hnw6E`Wa@=-=Y3yzN_M_Xy(a5B!~uA~0VZ#q&)b6| z`bs}A&iCs3aK0`i78xA3AJ$x{fw|XC_BU`&4LX6f8+5`=FONL@3g1#na2^c!Uf4uT zm1MDEtMDrjQ(rIy9vb70e5Qq4LZ2lbiEk9e0|f`6_tv$6(7_n_E;Q~m#{4~_J{}$e zM#j`$Y>~avd1|kZG1kLx4e8RuZ$kgs8J+z7tp41^z4Wc{E7}dw??L)~0>96V==L^j zp?=^^v<xkYqvJamTb01K867X47)?jcDP3|6K0365_t*w|+Z^T`Z;k9#J;+A%jAPGa zGWo>J0Fz+*CNR`xWZcc%$GDfQ9kb6onm`ZcD4y<>&L*BEdio{S55f0Z^sL(xwfJP6 zeQh)Rj4Y|r+9LA?&g@xxcho7%7w?Jx*FqcNO3z`g?}qO)<Knu2Au1lY-<EH$e-T&> zf7yJ03^->a19~M(PF<IV7x;#uC&#QG2zi8ll<oIKb_~^Y`mZq~Jd_}xviW{uf1QV$ z4#w8>O?k<F?BO@>3nXXan~-eM{CXH#YTwcx<mDFh+FE1@XRkaLX1|JT-6p;n%Wv;d z&TupMXo2bZ(55Srf-Rpq2j@Deb==?EoRj?NM`O>N#y_R{wn6JQ#YAF<RDs8Z8#fFG z%%=J}=C$;ZIls4GSoZK!L9-X$cp`$G>+)Xmxcm?J_6GV`?K!(YlsuLx6URShh!wTz z{bT8?NsqyQwjSV8J&fJ@@okBw@`oIO{{|+PZVBOcWq)w5U@qX@3DVeK(A#h})O#Sa zw;(}Z;v-tK^v<wZ0K9{9Yg58WGv5jJacArGWcw5D?i}##&Er*0da0W@$_K!)zsC|h z+cR#KUo>+|KKm=988|Ki4!=&t7K<(|&_#QOw3kTvv5B_2(5S#Ecy4Z{ocK;M;6grs z%ZE13-?Qn3!@!d@qUG~WPmR89-nonz%XZcgZu5Apa{(~(-tK|+_wy*OU>EIc4}tKx zi@nE|7c=`R%EQ4IuE?B6l+E|Hy^3qS_G+(9sx4ry7e9*+P7BZD+Va~7lka!)yVozx zWsm_{^Lak7>00(h+BI~oKf_DcCSON3EDNKPs8ip|=6pQG8?Yx~Qs>pcLZE0T!DU&n z%(Q1Z4SXn;{#Rnxi2>+*nf3pd@CzKrw!s#|o+v|amohhl*1?(=C1*93^*n@4Vf(c^ z&#rxEm-WkuKQ!-BAOB7C>(AiR`LIVn`qf0cZ{u50ztN9b{W$jwCfPd{F2{pQFl5tl zLVl_Jut&e<4-2mrkL~KG=gZN#F<I?#L^^eXgJ?UvB7ci*ui0x)>EqkX-tQxN1vX{c z+dbCaF53IMe@lB6@7CVA_NQ&L-)l?jTzYn#k0iw}-L(4`w5wQ_h3E8h^vo~pwi0`u zm*z9JueDy=ek_jP-|>25Y@e^k!-`Y0u+)C!T>fqLV2PoZ@6W(;%LK4sN1_ise%uA_ zN8#!B^o;**6rS_WXPC&(J;C_u9|xaPGdjN7fpPr!`UEilXOAy*;dYDb9uL?5vGFwl zKh)M(8Yq6y@<Vft#}D*xc7_kD&Y^+F_t^1P9*Flff0QgZOuVkf*m(M<(9u!OH|~Jn zv|qEXHYa%_`(#;jCd|M6@GJNK$qsC&<Vxbt<-gpGT^WWSWtVy5^jx^@J~A)<>14^K zyrlHvLUi;7^nVlQc61|at$xSu>R=wEaoToY`LKU(hw7dP&M`jq){5lE+{apx!S4Sp zXQ`~`c`to=n%`6S`g#L81J+$<i0kRl-hyAOA6|~`m0vZ*UW7<l<~-?zMfSTg%45j$ zPv8mo<~7N_<cvneR{Q1kooH;dC+aH3zW42y`wM)ux-b95g5f>H-{Qlc`p>e#fbZA9 zC*PTTli9J}V{*=4|2oG{n*Llr=j~Hx96hXgS0ypJ_#eIR?E-g){PVe{SaGDyz+00$ z>&{xPp};2>DQ=!J)q`5oqr9~@{jz*d2xF*9>G)uE)|~A#v}sg(b@IzH?^@0rN9+5F z>4z7JLp--r<_6#z?`IvOj~{oJ=?m*pVPXfr4h}k?O$mDo#d8s-z3YpU-7QbC2H3`$ z@-FBkcsig>Cs*Lx6Y}AuuXX<qd+#0}Re9&}pEDC=CLuuX5R^$kG#R|Ca!YErnSgBv zVlRYvYgK}5?S$BF!$m=hNnqO!q}@6~rH0*xOE1aTcC~_%x?L`AZ4m8B;-y==O9EOa zM6Jjz(PDn@&pC6FNeH&P`}_U(%j-3-b8^mep6B~~pYQX1zR&me0Ppa=Y7cPGxMfZv zyer5lptC8X^uL9^G*j23OUX?&6}<=XLoN7^MX%-_8Jw~0YsOx*bG;GS;Wi`NcN&px ztc6=yi`if0(AU-ntUNu>o;PkzysV}7#fE|HrmvfCV@vHkBOb=Rzu#5p<vLQX5q!J0 z$o3#R26}}WVxC&_I9J1or%hasw4PSsLn>L(!9hOw(s*~Gr{LVumP|9HOggb9bXUY= zv|h>c&#=c_0uJyM^#2mwCGV<{?<<xOPdA@f)<XPe=b!V0o8$7P!5GU|ME<F2%fq=z zG4?A1<#k@~(DJrybb+{5!3}LOEy-O;e<fdv7a`wDH!^FWohwroK^vB?gqV-bpJonL zChUa-mn9!0<ZsHO&L+kvQO;9)19fU%OI~;S!ueWZXs8l=JWX7Z`jk>oM}LHel;p&I z)jnV-u4ULhC&9lInsxFoha@-F+wo-DYinJL{UoraSw0?DGk3`kmZ|w<{6l#b`iQ3F zK+UFKY`}h*;a?b^6S6n#!cSfNDtrH?T$uJu%@O%Lss5b&QN$nBwNJ$6PzMhc|ICx_ z&_iq(<Jsa06t|#z-e92Pi}O^*d1mNC{0;9XUMgGuh7-4LShpCTI%uBqvNy@jxSJmW z(!!h2`76)!NV+nEzmfNO_PWg2y_*w<b>eon#q*1RSv;Efi-(ed`#Su$AI5Ib228R0 zLcIrpX-0nXR$%M%V;@^Q$~ZxvD?&%5gTP1os2!(pKi5;xhU^^BL`9`(`=JN8Y7dad zwSYa6))C1^&GZM|>WK}M^~9g6oM><xIAMKCUzKh2iD%Xiw3mDB>(G)9zl!bP(}v-a zYme|u_xDlWgWscIQeVCBuqxKEf;IQ_=1#=t8(!Zu79AA*>|$RgTD_1gok*{pz{L5q zn;F}3!S@39b<q8nm>)mnH-l#?b34yPFNt#?kv|BgOz<xnsa&?Q7d-7Eet2{3vYEZ& zhqbQpC+5Z1ZL5yN`8q7Gov+S#JOuAR2Xdl-`ZCNq={p~kzLSakqI8(D5nFmsU=zJp z+Ir6irT2V}^BkDl)?7Y9PHKbuA$m`~(OB(^>peeC{7x7i>A8U3)3G6Tjy79Z+jiv{ zM&DHGkpCPwYyUZZ{#uL9mq#4^jP1v)ec36mvFl}iVf=N%;Q0yeYw@QlgFY0qtNAN^ zWjAYsAD@^4%lA9ET6!CB{GxlwCGsiOeoOLp^!7={X040hswVI8I#hr70RA(2HgsAm zfHllK3sHX_@Jg2x<V@?~diN{&rjBx5tQ*%*Une|E?N3ElS4%FK@6h&Mm%F-*YaZ|b z?};~v@qL~4omjKe#Dwdcee|h-@Ae)j=s8CD@J0KIo56n`&lJBay;I`%!lOZ*PCdt{ zXWRSzvtA{4LNLL1=`i1_|GuBOar2OTMh?qi`X^%F+K~+t^kcSfiuN+ch!<e(IiWF7 zUU%_n&Gkj#2zaFLE}sJ)gfkEL1ZS<W`vbqgKc}aga!&w{qw7>&2k8c<TVqDv`1Rz~ zWz6uWv;6hdAL))YkGt?^I|^R=ktw9t{tEb2o6u`3IXP>-f{y5)sLwz?NuxgHD)bPO zALBdUId{!Lc&y<5VQ%1k!K<;i_txmhJNmbLCjn0Z@D)22w@aXZNsJHBnx2TSmB6qH zSuTvv2e$QH%rk5|Myu9G<$sjV$(z`d<zucKkQ%3>(5Bk{C&s8#Iz;)4lH1qmk8r3l z4r#6?*lm3=^jYusU$7rn(T^{xA8}o0HunMUU!X37Kbz0k@~M;8-^rJkrZ`FDE6Jw* zPjcRg)>6rh2{J+@GSronJ6~R8?YMw{zz5`42~lqb^;Rx`u8{?QOCD3*H$#V>U(M^o zKHmdx(Y$<2c}Mhr9b@DfPfP;y;Nz69T|lfj?Wg{Q_J{ZDHQEm&C#YZ2o8@y2@cU=v zWc8<y_aD`t;r0DS^~Ld&2cGKakLS;JE)mb42Xl$E0k_p3)6OFjpg#{X9%}Os!`eJ| z|I=3P0m+-4(02?uyBQjYO=a%zj4OHHh#TbBy)&thdSCRAtE>AN-XXtC*K_3I4O~+S zh+|lf+<LVk`@mz~(wvBR#nEH<FKnXzdBoFW6Fkl{2fnfvcdK|#!6)tKRp<!kuOW7y zXWnnPt*h^_+4nWpG37NlihSMmgk2YW0-pWrk@9j$UfcyA)p{3QNZ%9JJcGXhxtlsW z@h!9Z%zRNlV?667wpF-LztsQOPuzuG13Ap1lN|DA+H^urt|$hGEsBdbiUNJJxfc&H zt|Y$NxxXgR_czY{ENtn{{WR#^xi1X#UGCifZJ_T`=e`uWaqhcH`zCXLj5&SunZdj| zD}<XBJUhm-^)_xkX5q&6`BQ%r*Lmql>zD(w0clQnp>b<mnGbsYm*&L1$eWv(6Dz>6 z@H@-e+hD``2zda!4dEy7ZpB_awr%5FD|RQ3Id~0gxL`wfybC$)@%_jT$bP6C(9u#3 zzV*=cl&Qp5)?7obVBT%x3=Vyx_b;(WpiKL9l!1@6cd(}GEDf!*vw60Uc@eLt{aXGP zFV{H%x_$zD>6>Ty#)389j)#%FB-w<z>1$?Gbd<=0!<;oT9KXQ-SY5nd;w>LAW?HL6 zld>rU*mJ2*Dx*G)1D0*b>Q0}k?Q=z<dfyT6(?#(<{Q&sV`Bpw?IxkRtir3SAj&?L2 zcAqk$-guuPeDg$ntP<t6TY-Jh4rR;Wf6X}khIanaIQ^b7iQ_bTgmF4d8R5JtVVs`l zS>iZxcFK@(dI^1%zParJ<22G3X?z@eqDMBX{M^VL)Z5HB85>*{{Vjn<Qm++P_cVB` zi|;ql`EHhdF^_k`-GF?UkOvUlK2{kYZ@#NoO5GmG9~)h*&UcP|H&Jfa`~wDS9jbz_ zi>HWQ1ed34eyf+ff;?L$*eaQ0$Q$ez2W`db*NF8UoY(i4>iaG6_9NCeqJOY01IsQU zn7hj4S7eY&*C^hL%qrPQIgw<G)A>rT;BWN4d$fPowx-+z|AkzBm66tuEE%I8<<LPe zE+eFJAK?CR=vlg&VBg9P-#OojCCvNS)<El<_?L5jSf8DXAk*?S=ZwE7G49Bk${{2_ z%&h3YXgx)i5j;PjuI*!xVR-jNzp*(l!`Rg}*~nnsDfd@RT2xkQrllB0F>z<b52;<w zAZ$kFLT)M+4BE@Kxs3AMON@;9zDbK_Ut*;7*4DMJ;rZgi8{V75xqw~t<9^CFQ~n_D zd@lsvD@to>l#aB3_o|EYFd~X`Sjqf^7Oec3S{H~5v*dvS{B8=|b{*aq@RQ~YA(!el zJKK>JYw)wGQ2k!h+&G>0p=k#iy?<*gn!eviTgH_<oHbRz5j3+?lKDS4-dHH#U)SFn z8R|p+pRezb-|&ue{j=}HAMqIY6t2eOt0>(neVi$~{oD9J-3=^Z`9MvS4^*l}Z}*?} z6^ZU^$!jN?Y@)rk<3?J5Hp9qfUhq?8+HpG}&hGK>EW~+4g8c=`NLOUiAC1FLUhLnp zV(!d_82hE4fotihg4L52Ri{7F=w&=qk8poC`*+a*G0=xRZqK0-{AB#w!;QLz_^$c! za4vd~;>Fv?o!H7ZJ@||f7gyn3Th|^;J=iFpuH+W)Ru8aw!P5rH)S_$F{8=0^PpIsM zF?QL+a%vy{g^0>t?_Kb|%FQQNqv{-~Trgh0zN-Zu@r?_~?6ytp!ZytT{~L6OjvRZ+ zJ<1<WHqv^SW68i(X$H<MHj{`mQ=Vy){hB*E@0x#T)ZVoYoq^`tS>~IYSXjlWzwyOD z>+7tq$9TVv_dfhyddQ2Su{r)~Q)9C$8GnqFLqRj8VK3{EK|Y%8t__Vl@h@`bQ8Kjr z=JbF)_oxS3A@Rc5evPZ`-;-hGx0d`mJnr1!Z-`%_mAAv$M-z_$9H9eEx!!5aE&Aho zrm#oriTo7dAO6$sQ5FvgGY+3(jdJ*f$$bERVfkWJ&m%|MTynLQa{iPp=X7EJl#KbK zKlE>z4Sh3zTGe;ugz=l1=*5^<)ER`{b;eK#p5f$5)48@TaNWi80N010S$*Hbn*U4D zEcJ+vl=q^6`K7v2sVg*!x{y^v&_Y3cZu_Z!*(F9%n=8=n-9MwjH`;i72Dskn$^hpR z8ko0_O?liMG2P)t&5xT;lUtA+HRQ30+zU+2$iU(u&DP$5c*6bY1#J66YbtpIzrvYd zZ@W{=?z;&78!>CDfy2Z3Kh0|kwtCN1c7&3N;aWQ?<L<R(DbPFdiepl~v)el<luUVi z%vHWQDWUvWm3LX?RW>x1d=uU=DL)(KDGR0VLywl45=u9UOYnsk@ADY=K>|}f_jj@u zo1CBZDex8B8Q-_Er%&9sYJO~jmyG1QHTG3IAA#>1Jqy2l*IjoF%m>RK&7m3FFQyB+ zkX`XK^uGmKna(&z$*V8{K65Yni6FQk)~?!A{}RU@-<cpZzPM^e(FAyu^G@(L$9cba zCiu2==vT1*v}q3&$A1CvYYYNb-|NZ|KxT&ct>ha^&kbK2o_nu=+<SU2nvzVSwd&k| z^lw=$9?jfZd7z--2sETKGsD*R=jXk%=`l0P9FM%ix7rhJ;@(+9L}wdqIw3B;cXrI} zDeI@sWb>x`UfL1PT?tM?7l5r2J+WPXM)XzcUWZQA;n&xxt&bQ>&A-99=lGis*K6B* z{TTDwfPcwfhk0$~wiEyAW}Y5HRwyCwoA{VwuYYIF|Iz-#I+sj*Z0R5$LucaG9F)F7 z^LYmI`3Ss=WKIj)@GINzvggurVx%e=n<nrg8C&JCK`ksvGp@OG`;GTK2W|Abyww{S z%MfQM#jsh_9`zNyF^4@D<1C)3w(R(;%;;^%f)+32{bjs=gZIR|!3%ZP@L)OF^Ti7< zr1y5@&qDfGfc~D?F@G((2IcwN0W9eLitEr{Ix=Rr_yDx&;W_%d$9)&GyQJJwofk(P zUehSQlK76#(zm~dpLEw_oAQorxPln-Fm!R8wNW%095~Z`%ptWG`xbnc`8=JnF}{($ z(#1Ek<!1`bYpzOPJ<?pA`ii|@IJ4LsIGaO!JIvaxSi74)E;%cEqaS&tY}%`hE09ap zQ)lfIWW+g5xqimuEo?G%<Q!<=n-FCs`}iq)17(}?ZJ8zy7{Ev7PUazVuicaXY9nKK z*l(t6T#T$`qJ!=~V8<J`rI&3aPrg-088VDyuv+A_9(0?P#LUZ&h5c;Jc5sI;&`iM^ zGkTwTlRo;4B#Vcw08e@z{B!?P>c7U|%wnx8!}P({xkol#OBQ~czH2>}o~8#po_1fP zGk|tK0zY^3j1}BV&j?@7tiY#|GeveK@!OkZ)@%c&=1g;;YzUHZgZwWV`?Pz)oS&j6 z3diMP`H_X`_Y&R<H^{G<&m*^bkrjz0>(TQ%p35I5d~QX@aq`fV(f3N?fx_o%J52EM zI<Oss4@uvCJ2btBva#{kcZ{J-40)m7xc|LuVlVgpgIR;WJL>~*t;t<3824rZE3s00 zCzv(TEyj=w-gJ-gpFs|np7EG+8^?JZ^Bo;&YV;j!W5n8I?%izG>?5{q@ApkBkI%rj z?h(EnZGZbVb4hyHZSalQdYexuKjcx`vGg0X*~UDNO@&7wlUTA2<t+Yixy>J>KgfgU zyUeVVF#Mq&{!mSf3N&u*6Edj(4f+9{mrG}5&t+R5znJ!g;{jMdqMr|9ueW8qp*DGE zzIQ?oSqb#;BJ&IyOBbCQ6KwmaGv^Kd3eY=>UloowTIaLQH(soK0O*sDFA8;K?)zC& zm`m0f&CQlx#j=GzR`~cla#9C=QDP?dIOk{#-5=VqJ0<_wzXkcFhxuXA({=IxHAf_m zpr_wbgg+v<viN~z9|KQ`d(T9Dl5`v7)wBHiL)a!nqnE|&tfx+3d@OVOB@x**0=)CZ z-zlG%^=|(qktk(?X>osnG^2HyV{iR_T{%7^%eKP{WNR(^Jo-V~*6L5x4~MOJEgSK= z_S^f|zq3~c&+X;lUhf2x2YX6rxe)<IEB7@rR-bY$RZWSXna*>sv5qtBh@FK$@V(vV zM7>tRzF+$&&3{j#eR!JJvJVT7`Rs26bIRv0U>~Mk*@zSIsy%?t+dk(uB84yLJluht zu&hb=VNd0pT<}L9hyhQkX#>A8<Sh^U!aln*Gg<!IJv>|XfG1-<b3bIg>t1~jdScxv zo=3k<jy8(>Q|$d4<5w)(KtIo<`(%ICDn0~XTJt6BAg}Z6DDdR-O!D<XavVCeAv%sN z3al~A%;ebmxcoPIsQgDCA|F1lwL|B`+C0@~m_2s_J2<xHg8uK^VxQfpdEn@!hUfbf zzR@+DmrL?@%&Wv)k{CiW8OJrA3*?e~K3*QWXg|z2g;{%9bN*s3N%)|XOR^Z6&vDM! z8lF=Uy&ikt9RFPMp*T4ugV<LSZ7Oe{?B6oh;s=4&%Ym1?U?b*~+#ZKj`}ZGT0M?Om zN(K^gN;+`5!MAv|179xiIk_e01D|}D$*q1~Zpq;}Ku5OY55$q93*u~Tc;74Z(OC;Q zq{CVZYv`-axs;u`jk(re>uSm3UU_AMoN2ZQx#u)Ft|b?qoTs>BPxSPsq1Q5__+OD9 z^i3yqi*MWU4f4nKMA=tu)*9FaKhpn-n{4A5GKzmCIicG)+bl$U$;q4NwzRMpE8uL0 zOn7Ml=TG%8U%i|`RcmJTyuE%y<3!*Y!|!M4$CrI0(0idhBR&QV-=>a<{F-!b1Ubs4 z@Ld;q5hVA2{}|^J0uTOV*7<sQz^C?g{XM?g%ImGO2+rb@+sV578gQ+ne?j(G-OTq8 z>($^M)pf{2JM-N+hho@jj?u?_+E?zLUEnrAAGJrgw|ZvpX6*H<H^<Crs3%4<8+^-; zg89~-3O(suy=GVT;Mo$CJ<Zt?oGq$2rCs~*4{=lOEc=aq-qj;>iKl%?JM;@5f(ys( zjwCy7?r`+v!}kfc-dQ+mv-T?4=nx0b{vO)@Z0o$gn0qF1)%X>%emOGpNOE_Kv;8K3 zuTFG^@UHgny=VKro}z!YEHsgQ*#t|6_;>0T=Wdzq%tOR6A<tw-xAFZQJkR5K)s8@m z^s`#CDjA<T))Hc`+Uuy7lg6>F+3U@dl&|8wSN2%s>#7|_i(=YXdk$qnZ(ifwhnmP6 z%l{P*lOtC93>Wn%uXunuH9kKQEX?(tTsOg&^lY2;EW`h6&CM~H4V6>KmpvxCLGQ?) z*!O+4%YJnh_O+1qt@*UgdM2L`*+51bldC(lXL;IMZ%)V0VaF+=PixP{Lt1-M4okl0 zjCAe0qfbmUZjoH%fi^wAG8Uo(TvWoIj4`UHx~#47ATfOQ+(XU;Cq9-T%?B^#OS<iN z;xP0i`x5iF0)0|+aQ<dSb#B&AslOnh?q<q`sGBxs7t$BWB3`Z@(ya8?j%G}Zn*Lf( zOD8bHANt^H?fpw##eJj0jZ=TeK9;rUy!?Ah<Li`r=sGneo_|ktAEOL1m+YvVJ2|Wz z?Ms#!=^gzc|DN(>Wk!G1O+E7heOen>TWXv!=*$Q=2Br5mM_c~%N7uV7o4o8yz2IB= zBIz)O<L4Ui!&>dXgSOi)3$ze3cW4eYW%Zeygwn(J*K#)f45P1qr&)Xq-HLS1=k@<s zy#K@e3!MHx11(9PIne*%<r4cp?48wrY_y#-+>vp}(WjBI)%VVf?=^~Ue64XEQWCjt z*pKOd?O!~eeZ?_wtv(-xcgkjWn(x)$8LZ*4olZ`|tmuD1TNeKEZTxkCKh1IBZ`;}a zS<g)gkV`)K&~$LqPfVI<jeY*R?ykRy1X6PvmXIGob8ag7Qq2#o8Hx4(+Nr<G_Q!VW zjxC*A90JBp#`Iq)13&aLM<Ty@4xjL;%C#~NedJu`ljI!RE^T@Y!^q>Kg#6g-o6z;z zd{6UBGL7_F@FgqXHGP|zD9aQ9Us$pX>$!Yr!P}5>=S~djNCW6ct#8SDJ)Q63d9RD* zhw8`xBg-n;{v2|fC{IBl^#cR+IhYgh0Bs!OXW-+KrFwxw{IKnV{t7#9wa4$&KUBuZ z_M6I?63<_ajPasmjN>E77-x`KojrG=9Q<YQ+rQp>*n+9c_L&yWDu@HyktaF9wEQJS zufyTqY{6W|*<4mUOZ&-1E{j*3T;y)i843MU&EkogC;tmR(FYCupZEmxwG-IyXI^(g zKlCv&lfEX($%FpTw%$Ry2I7CBPeMa^jKy5?LqQt@zB8pu&||VE%rYlOw(&d<`GtMm zt|{Q@zo@$dU4#c*@PE5xzyQy_0*>^YJ#lLR_lfo0@TH{4qpT+l)bkegY&4T1;c5Gu zL(}S;o7iXKgMmI6df<8O+WO{NXktIlZlNC4m#O+JJu1EqCVZ5=8#2s!XWuww@+cFw z<m5r$m998UDZJZ2U8*O9|4Y!sKZ8E%|1$osiu(;!CHM{PlO7lxY2T6PGw*wFY>k1u z<=Zya%7f>7X>83ttu@+D@1Gp;{cbEgE8OT+-()kcpNt<>{JwNDsh;BZ;8`|dd!Id^ zul8%7B)+^3ommUtmpn4MRe7lP(?$V!FW~?AnhW)#t$i^$`>p(?L*6a1`J4Ef_@LGt z{E4q&JO}EKyqCcq?Lzum@hItQ2kg%Y@pIxmo9>i+lo1tuh#vm+Amau8Q}7)MK}$_@ zjozkov#*f%O$UtLWc1oi<S-6attcvF97EYgQ42cM4R<9)LeNTz={=N8*-%xL&TC&- zKwNE<_tqXaVIOVHZ}CCa?Z2nZ{`D7QTQ;JV=->-jhmjGg_mNLAC_c13&ga3YaKTwL zGd;lCy%X8pKG(q73-5&PQs95+vx<9m8pY&rjf7ca-lCj;RG?UVUVG*p;ICnRfn~E) z9`!1|E4VUH6#KA$)|Y5sy13VOj)}PG$5Fn`=YPprDddv<vflH2NqTAD8#|LC*r!{Q z_+P$BF0Lw9&$=?SoM&jcfL-oh%KbffQ;xWIXph+4_EhS4lY0NS(-S#3EwH*9xu=R8 zZ)H_qE-F|epXQ6NEm&d{i!Qs#V_?6#EB<bh^-eNU3U!uMU2Wx;V;mwsV=TUdZ+0H< zw677K)K=&l==r{+d>7FET5QO33mU$PTsNP#3TP`xThgJ1MiC!Rxq^gpc9}`nR+;WJ zmAi`X)b?1~4!OoOjQvuQ?5b(nAF2JH;b+J=M?PqS$HD6zU4X&gAfL1MkfQga<6JGX z(Xm)QweUT3mYYS-)8Lnii`Kr*!@S3jx)qtadI{qS{*~V()A(dv`)kN?@>4j8EPWdO zrEgrHgwFY<5t@@7bFa(5E}rRsD85fbZ+J~TeJpr)aNo+lDP419FVCF4Pa-e52|Zbe zeV*!17GD~H$AMqv5bra1zrosP5AwGb>eak&1{RgkzBmhixNhz>7v&4$Z<*IBJ=lKM zTj@ka`#MLhneSTo=^VA;eqlApPdB~aFCS0a2a&qw_nCe2$#nE9iE;?>VbKlId96;H ztnbUVfz$8;_$|DD)29M`$``ba_I`*Tf&OoX{}OM|vkhMQ1UM$Ap~c@r9}fB>#=wtN zCp<-EE2&fXtft>j@cpJwp@-u;_(@vThl6n>YUeT9>7Z?u7Y|AFy(+{<JW&t13qBiO zeusReCAUAA0dID2jqTIId!czr#DZo2gh=QzqvfG9{aes&MFWiS(z*6rmwsI15nevI zIFD;0?{e@J<U6%tvKIV|@+zZsKz@bN-&y-9#do-k$Q<asAA5mhmU|cz(QRfrHV4Kd zyEI?(zC7h3&Xgo?Me_qGTfJ5H>><v-IspG;?xroyis!9>FE$a|5g?8|D85)~^Tj&O zq7h%L^Pnq;msz5DdJ+0Xcz10s*N+)%Sbth;;o-`CFMKuu%hwoBt1gGf0<UP?lBJ0~ zS!JycSp)0CO!^XY2U@XhT6N2IVPeB1?x+}_$w&dZ&;odE48A+v3@A^0br4uQ#1$>0 zFDd+*7c47+FDz7E-R1>;trKb0tP$eD1@PcP@F7}gUQkt3g8#I~yo7RvMN8q+mGIv* z;8vMR`sVBhb%p@(Ksmyx=aEmhdeGAuj493;nfF?K$QkH^n?6wP#nEOy_S?Glf26Kw zx&8;^-+b*wTYFMH<Xa=xuk^a~MSWuKRX5X*&j8onQAss(xsNUQiUs=y@n&*X#ui*z zr1J2(G?hQd-gg;&Iu73z5Bx2C9?QLGYvm53P<Z}t><8le>dW2N8j(Z18|$uXe<2-M z{A0HYPvYM#YeK6xOfyysPZ9d5@k<2{^syY;iv0LD=xWHjH@N?>eIlB_`F(3G4FhlZ z8{bFv^OX6f*=M$QS0IN>Ys(F>Z}&B`4`U8X21o;Eo{mQAyKQ_|@bXsczKZ+MEB3wm z=83P<mE1dPb}4f^-?$_lnj$BJBft1wQCX|)QAUkm>c$SKHD0ta9IoTQ6$GxZ%Z5uf zCkLL+1bF5rz{8$p0G@ro;J_nZlfQa`72~76Nna4l_?CQ%YW|q<&BiMBTAzl$^dqaj zi9XGOyK4~c0e=L`KgZs)S!GPmz&Tx7V{XKMtC>Ao4{Hjzp4pA9%7ZUfi24hz+_zeG z<^q#EDCDp8GoIC>k{i&=uW5tcLuS??FTPK6c&8jX&OXZ7r(v72^tBr6pTldi*-MeQ z0G^l~ox)z--a~SBAN*JLFz0*u{M$Ks2EYFS--DBxT4OYK<X<aV^8BfPi}Szqe^wv! z?LJBuC4K<CT0D4Uf1eA-TT8cxPS5`e``dDOcALEiQM^VvcAw1c)_I26tkc=i5A%%8 zmJY;ioJh*J>HW$Kqhc#_dgYctU+(CA#Sr|vu^pUO#yTQ7STOy>Ub~|!w-|k!iM#k7 zW&V>fXl`Wv1Sji{pu<ZucBu~M+fwXF`u6(?-)dj`%W?SOq8rEqFB{$lSJVld?fZaR z-&c%doT(SOwe)`~S4+8VjdA@S<@DY&)^6{mRK;fm`f}Xahm<?o!?@YLiyri9+0g=g z9iZ1)&`zJX>TFTTX`|-SiGlk>x6SCQPche<U73fn&}C@Pq5IS0!iQG5d!JIh1?bD` z?pxLSecHW`buY}lhdyuM3}N_ipW^Zgv`^Ci+BcEAM!FB%hbuFhg#KUjqdtC%Ix?v* zn|4GW58pSdH<Nn;l4hQEXC2zE{MJTR&s1!|9^=msm7vEvK<ta^6E07%&vNQoNnNLi zSq#&z>dMA`tMMTacxGE%&l}R*i2EnZG_w!YQ9rVF`*iTBIkn2xnQLE~DSd1`??sC# zoU2iZuG`XI<4>jewAgLbEXKE|%e@hws;p=_cr}o@o}{jz?MGqdu++QH0Gs4z-7ip| znOE8yJW5%IHXWI7F7N3Zd#DS?;yHRfbYI$2w+olQd%@9n6W4C}4cNRxdmQAM-6~_r zGYNSMLZShlA7?&>H3z>F=w%&@v{^X^p-Jvvr|-gX1#v%Blqa@m*Tb@9nDY7X4)OW8 zk-gY9#$Pynh41z)o6)OwQ|Z&bWh;8~`1Vff*iM-zd*~;0SOv|sU?WjEx83)sasZ9g z$0qvN#&?GPD5J}u9B=oRe!QDmKUpz_<=^8zdsJOJxs^MNh1pxBD>P5lm)F31@-$!D z=Uega$SO5n*3g!AZ|hFhmORQSejJ!|*3f2MhvQD|cxXrZt7O{9BPMhKYta1tu1JBE zlg9`95qyc~EZHzV%(or1-2n^^yg|Or%6CU{s0-h)g)PLxR+i^%6(4M)EbuKn2z)c( z>w-`4jKmi&2v^roxE$Zlm^(eHGpfAAjQG>gYY=nSLvC^D6G|Bm_6Opd<;14e1mF>N z+lhWE=bwje5>IM)kT0PD(ccQ_PjfO4oO%N5+E=<f_(o>-;FnXe>VOfs8Joid;u4-b zU>p{Ya>i*i<Ftny3zAp&elw}Jx%{@Gy{?N_KQ-mzqNlFqH}~QqPueBv&E*#twH@#` z%x4UtNx!cT-$7(p$#2cn=`%BX^6fKw+Ltls9NB)jPnkVl=g*%E=r$4V)65s>M>6qa z*^F5mW2L!mFjl*#nB<zz>{&wFYUi`GH=K6tb`tSs>)PN!{=LLmFQx7ug1Z9n;z3SW z%zYmB+P@BmS-hl^pZvyz<GtuOSYzJRy479&>DImMQ>Rm3_Po?c+kGo~fqB;$#^E8# z@4IhC?>@$6Gj*$u8lH*w$j%(&TYSOOy30pvjzknYr*lR`?-q@XkXJU3vop%TNmare z7@+@ze1F<&E57n%QtuqAu6Q2wJCW;^2VHxp+0>s!-r5{;dbhF0On|1kr%c%D&kFPr zbNx6v-ipX;*nEgJHIXA{FqdkHwcZAevhS$Tex!1Qm}~m~m}iMCXGrI7%`fT~jjR5d zS%#Hc^ZEq*&*2`Mf+as#^KQToc<}u4zX~r2b8skL?D5wa97o2+Hl5CdX%!FKON^Mt zvzGJ7@V%_aWE>y<{fge%<kZS%yy||>7_$Cuq)ZSzYRu*@9NoI=uG~e?q<=GIn!#x@ zxb*Vvbk6b7ejwC^otx_^+EclaXiGHzDs%M|b8;8<-zHa%mG2^al$c=jM9OWcb=blw zW3KpW;ZyIC0cH=pqu<WE-SCsm%n{}33cIieGp-)|-m@lVqzKM2z?lr3DU7@FV+YsV z-CM<(se-uxn4SMq;TKmjR{udg&}W)*r#!{|0A3U1XVKdta_%S6+JOXG8-DIW4(&cS zCCAEfy@8zjL1+&C_jn#Ock1{5H=5IWEgb1w0{9wgAo4%b7C9*`y8AKfn=|hp;eH6+ zp`Wq!K!bGW=m(q}(cg}LvpJ!j35-*oYq0;?2kl^fd=$+(=lQT-nO#Z$J=C!(UiaFB zx{J7{4-aWxNFQO*;mfR7Mz~yk!?y<=UN|@SvbWXJTPNs)wKi<>AhWSI&NQb*DzWi| z`2k-~fO*_c-IeJ)<L5kkU(d+B5a#DRJFREAJmcp)dsojU^NgSKtVhqL@Qk1H?2meO z8PE7R&${$%HqZDu&;FoiALAK6=h>@z_6eTxbDp*9*<7CSbDq7RXXviN{G4Z!V-y!G zU6=Fh8J-D`L*p8e8RE7(3tz~~;Oj99UoO7q=Y0Q!>b!_&{G4Y$*Ry1v@pGQF=-E{~ z<L5m4p`KmKGk(sqCZ3%S&(OR{k_|VEH5&@v4LqdvN4^H9*M}QlW}T_Sr{f=~L+c0U zpISa0sxMKeHr!uu6Eb`k^{@tQ(Y5j@{+Qg?BlA}tz|QO3&vi#Q&vQ$u${a|F{GR*D z9f7{(>c@{c|6A8+pzo_(t$NmtipbB<y1(<H$ZrSg867#~+#m2r_O<Jrn;gOSVM}Fs zY2WRt>!#AaFY5Y*(!N`Dy`!}6X08@~67st^a@B3vkmOI~39<)d?VK#z9Xe=(JyD__ z`c7LmFPF|?KEBrI7<MHafi=mjX9ZlP*U`Sy@E}+7Lq0$3MLs7sc#YoYnVvFR5BSSL zJ>XJzOJ8+T%LmhKec+5|WbZHzb1qdx`{FLfjPsP_*QOXc{|D|Qe2Pc;Pr5JizlSgW zO62k&_Q_1_Jos(a6e1sp|K^kD$I%hk{^-i{pXpyuTqt{P|2=#sdE`3!@-n=<8GjRR zDSJ3<bb0knjp%H5`Hb-=!tfr?$1T6Vo*U>}?8w)DG49;;9reEk&J|Z5g3co=z(e?v zN34C)DC9uVKKqzm%};MF523eSf$mKD1JT?`>fJ$GCT&aRx}5&ne!3axBjh)q6V12Y zW%_Rc)=F?2M3?HRx8(rzvG^2E!UsU{eG@HRBy{ap{p!z2+6}oD?`ffJ{GY3r0CVMB z<M6A;+3PK}eH#|I*`uQ~_bS&AG3LSxd&CHMkGyuEf6E8>CG=HaPYh9_&Hh=7XG$JS z4#aaCA;Tv6nI?ZN(DxkekCdYzdG$xUTlo?1>Ms0Fyd|}3TqL>E)(r;D#l7Sp?=cv& z8=&3ifn`J7?zths?isAV!_ouXP`|kMLS+`zOAlo%tVSnkJQ(P^5&T|Yy^eA&XkS&F z*LheQL_?j(KcVHa0U(c)n+Q6XRe7J4KV+8&+cdDxTF#hM^6g#7HI?@aeODcS_o&`c z&zIx>e~D{oot?W&^+KPsLf>Sr_PGz=p?4cKZ(WDKsQZ7k?{Cq!d~=ho4+Z+JWuGYA z<$$|;c91s?zV$M+6LtxIc1&X(ym}w_b71{6-|pktC%J~#-O<~|yE<|m)y2yM>CY#4 z_sSH`WLanBJX-iYa3>ls;<<Rw@IBx*<_+KBOOa&xJ>@ZO$zK~4iQ9<Mg69V9Bsx1# zG!EG5;voiq!}+o1p;Mo1DV@-M=#Ek=&sG@t9<=1gjA&*Y9>?zc7vLCTj~@w+&e8C} z!8x(;Bj&`=cSGmI(04=U#L#y`=fseA^z*Ns6AS-}IWeTn@Hz1dWZ2<y(n0v2wa(hM zGAmY_`LL{#vDmaA(6<QPU>&sf8oUiyUo@3hVXiBZ0!@l<>fQUidjh(0_P&mcu~KJ3 zYuty(WoER4IVOIcX-M~((IcLxZ>6ixFcdeD5$#~?R}xzyIbZt><g`}Vw1qF_Hj&P> z5`Bu^U&MR)1tJr+C(0DV^*8FL?1J+DyAj%pS-I_BCbxZd&jDcg?-=dG_r<CU;#KZn z3x=mM?EX6I!tMvMx2kRF9{-(ps+%~i6JJfg@%<gtwF5nt){Ht=MnmI%Ywv5@{1S9z zj_eiGda->_2QNIMF-BH0PIMCcqdsZe^xVhuJnFT_@qGP{(?|Ks2H1z_EXSLv{~mb3 z8Tu0YL}}lj*mFsru#a4r^82UWnOgHCN9_lvx>mvurAO&xj*~Cza0uSv0cWeINAj0l zkFA#gSLMoUN*#wo@Du4o>ZwQ1g)hN75<eMfd}LP?P1MouO~Ad1cGX^+1^4;w3C6Ct zUQKNz+OjP?o=&o2ONP^-@Fe}4Xc!t7A9~P}a0Y<Jwvs+E4`vE}^+Wv`LSG5-6MDyC zCYmFUd0ES*lOvk_%8S9%*W=UUd2Z2_hZ<GpYRU}ElelbW&kuW_eiDBuCzsHN<X$+h zKJ$}SeHGMKi9gUJt3KH>2G5ITzgDx4@$*d})>hY#+vj8YDr_Bw?-u)i;Az)BTX^#9 zzdT~(6LX&U{}Sa}vfmqKf#oNpvIb>Ee~vtA+3M#F=5Pto&nkYh<73BUEwOca1MQeb zi(#5As>2?ap?=i%`FFPe5#z-6wXS^<_08b-#5~TbAqMXX=tDHxgg%D#prR=qzf4_o z=`+_$fxGD{^on}+3H#jA@J+@-=^C4Ddx`%^U^~nB=Tr6s`bg>NXTk5lOS=4wE_Ci( z3v(bSJ~V$GdQDG*^zGOuh_}tG-p1T7ER|fEZ0YHw13!oy{u_9qqmN(5y<+y}fNx6= zL!Z!5wy%KJD(Pb#<9>!Vz}I6FP4r{3Eg%D?KvU1TJkQ<4*b^^$qLTUj3VU4jGe$o> zQ|ik-(_YFAqaWGBK5Y+rioN(v3t#)e)o1DBBx16jMxRl}eK-vrAhB82d%jnnyq}q8 z`9UP7c^fQ!+roK$LGGjIXxK0G?4y6^$odx0N1fdxxMKK=JFwpi?1D`^9X!g$m!tZn zGrNj5HQ&U4Xv>;!;zLW|?FM{T{78Ob!{0L({d%W<67w+7PtUp0^waL&_CFIBVD*oD z8no%avj}*E(`mmK9ojl_@zqNw1m2GU<C27NxtM#!H!2_Qos1df2F_2CO@i^z*$I(+ z=j<fbrv--hBhOWuPn|*hlRW77lDH3WpU6w>c{H-$`XBbPXL-grtQZ1hmcA0V(N`JY z)9nYw5N9*=KT4d_dgAHEp?4dLp7C4!-(VECq}G);6EEMrh5t7h#T)gGXUD&bo{R6g zn~Y+`l*G0g#jI29_}~<GvZpxy6Jk?n=TY($GS)N2EB0j>6*<73fgHSzc4Lfr0X)-d z*=ej;m6`LgeRX3$;JnL2bFQ)XPxrE~?qRQ2LH$+mL~QQ6MzZY$vF%i0AMy|ftr(W> z5BqoDNNi9idt3FlgE6V2T@OCjnrk88@?31kJL~Gh&S>exp;47N4vp#Ac4$603g2ve z9)e!{wej1RJ~x=kz1~BUWyCLs=!b0Fs@JjM$-d3m$PLL^?45WoTjn-s?<D=XiTH;Q z^D{<&PJ_c<;c>m{$Qn{dC1s|N|3h(}e-A$E<b#1ts+s=5)5<rvvdJUjZNP7<rYKD@ z-*#-rWX`M7`h)|+?tRRQhxz|0evWLSIErHMFpE0=1g&e0Kf@Z?h5w{%i(0#~_7QJE z{S&a&o&n}I@hoJnqxc2baUvPfw>XnSaU##@orQz*^GJAQvjgTC#Gg)Zdk=YleHD8n z(T;r<Uq<xz)Uyp6W)S}2%AYgv{8IQUG&Soe^s+<nu~*jGH<{<?J7=9lHq!bnUV$#a z%Dt+qc;ZZG5dP7g1>JR`+sNQbj32ULpl`gM;X9{Tyh+TF3;C;$Was<Qv+}b_SZ}O+ z9&sHx^=q!7|LAja0O5NG?OvE}z26qyrZl9)>9&?UtLQV@@2S^#X0x``wMRK?CN5{} z7N48KSk6lrPxbRP{zo5>?q^)3!%{4j)|nQ@EEk>;a%CPe&Flu9*{Jbd3(oUK8MC4v zHFnIW+^U&HGl8vzG3>?`+Vq~UNbT*VJ?W5aoKB1$LEdI=&lIlr#9{FOi}Xt9K&-Lw zFeZ=N@33Rrz7{{@fAMFn@qHuYF&SwLu7B3q7mVa*@h?`qsC>-iJMl(FQlZA=k5|Xz zVQR+_8)6b0GQQ<~<oNyuqwfP`rv9Z#oJl?!_gq(tVC(P4C;oCfPON{PS<HD{?ftc5 zT8IfN@2^d5>0hC^5_j=u4xu}nGg4ehsq)&+JU(Nn?qv$TKia2U2@S@Ml@7+03@=AJ zTFXYNLpI2+XWZETCq&;Q??+$^v04^BU6De;^XU=bAzs6(Yu?E4cm)q-4D<^lmP>?Z zSREETJLQisG5QSf)ZuR?znhn_%Uf`*cSYQS>*f*QIu?g((a3NegFa%E8GvhexkR{z zy|dtQ3r|_me->Quoj0okece-UZn1P~oMU=av4-mdeSf@K&yAJ>Y*n7FB+DlBM#lAp zvWJ|SS6Y0Mva*4m-8rxL40TAZb?)^}WyF*3)f`~no@LIiwC*#ar?`(Ty}mf4|7q)8 z{+C@#zG~<0KYYQw#)*F6-M_N+r0j3d0UEoDsRQ|<wUnzP7yg+!E%}4znYH&^vRwNb zt3Ue(bcqA8Rn#%ddS?#Wzs6A4mHZ6WY034h)2$&hk6iG^?9fH#A`iOBNxW~SpB~zt zqI>v}?%!h_fiILxr}!+eCi*lF`q$cd?8VD;{=z0(7HNMLem;x#L@WKZ?iShi`-$P| zpUxaxY8J124*an;ofo^cGakDIk4e;TI&-W-v_qKz+8JIhk#>f?v*(x{4=@(mIW?8M zsf-`IAzd;A`*y$h=oVn7KmOQKCnhU1x*EJ_eK~hOIqs=<FplTKdhi;J?=!B$(p9(F zcIL;Nv!i8acFq|70A99w-js$9X5bS&#k;jP$I!V8eKGi3i03i<Yzv{`g04Y*fHeoF z;^%tIjN}WK%wOW$tr%GOSBP#;qGL{$PTf7B=lJDDtIKCtXIO7wO)kXV?ZNgL`^iNu z)8SwD<FkZ}hYxm2^*<tq7xBHBVpL3D6Y9nGSw0RMWoZAE4c$}5ZT0t&mj}Gb4|H#q zQB#KR0sgUld$GNZA%5Zoe5TYlm2KOf6!G_QcKgBOMORV&6*IN0Y5(k=hD`MEOI^rW zo<k~kockVks{e{UVj8NBTmG{_Vjmtwew07P5#*sOk<Apx{Fc7U+E+B+OijUe6kpWr z>hQtBB78?Hv^J}4`QwuVtl{`&<K$x+S&WayXQ)eU!sA<ls*`iF3%Md^<+^GE9mkGI zeo<_r5jlXb7q<S#E0J@R_dNspsB#60)t_w6u5ZHz+_b--r+PelY3k|!kE9kqb<O8@ zOWFpzzNzGLooCng^LTxo>F7=l%x=({Zk?YEUVAP}-g-A@#D~qv>8fiz{fzN!8Dlb+ z{wV&>3(iBFB_HM-`QzVm6^A%KzI(l^7zIRTE%_i+mb`6?yuXXBZZXM~loRN?2Rqmi zbYd>f2(#(|ck0_>;x_5qHFaa93(AgaO`4*1;_q*E-t%4O)Ih7_Z}}to_WDj2d5vV_ zu=6a-)>cXm3ekA>7-VJf+WqcGFT7Vac&+uvl)Dwb%`U!mVhuaJ<Ys1lJdJ&Rnafia z<J{^BGb`oPID<WNcJ)qtz-y<IgA3VQ{3tfV!2V>{omek$mv=4IoVMd5^YG<UU142i z`)8a~XBKpFnt36-NUyvD8jbzrQ!U5IrxJkADW;>zG){a6+(T~`4ILDHRh=xtuQ|=T zzp$YPT3QAjJ-0TnX|Xw`rw3jfHZxO*Rd1EPK=VX(d<8mm>d+h!eNSiKpt|&ZH2!@G z<)ot&z3QCg?kOqEEu(k=|8D^9ZtCsvr)&*D8}cRBm}{&oJS6aV_C&41V{Bf0-7Oi) zJ3Eo}#oORTk&1u)Xxq?8{{1C<b9F&o`|f{(pJ6YP9bfywFnmPkJtHr+4nOl*Iy-n& z`O3Ld8Vd2#kxV}ap0<Pd@-vKAjNhY->xp&i+K(^2#*+E(1ou_Yv1qEK(9XY>Vj9Ky zNk*E7IqZcW5YN;jpSdhEyR3_L&!dTX@mx0+P2^bqHUZYS*tY_O#GABwI14>C+Gs7| zJlT1)C%ASJb21WMyHb=>Qn3VqKJ}lzHza|Jk^IngF0m6Aan5Z--h0}{S?GM6J^0t+ zY&Q6s#&|opI(#0k0&A3mGXYm?u-T@0@U`~hOYh*S8(aui^c_Fj(oNtD-JTt1YRyk@ zw&OnEB6}WXkBGC9QCZc(n}f5ZgE+(XGbnG2gtMo>#h~B5?Mrg*{tK_0J1PG;@I5gB zchH)Jw~^@Vo;Z!gz&rjQ%<t?T;x<}~!QT{odDY(u^!I)6@H8}cmUX;``{V9Okr=X~ z$}8Rh{yu<D?LQ}(#+pQ2J_FscuRG)hhXXt@T3`P9)Jc(})F*n+V=X<0&${Hw-R$jU z&wW|+M;WtpW`l>bHg>o&%N)E*zLvhrqEYBG6Mll8zIr`vRk?D?y1}{NI|@7<@Cs|} z67cQNr|>SEiAKK&{{E8vcgTJh`NGz(I{IeA{{*};ZWr<6-*!zG?MIH<^64X73*s{3 z70~AswqKof9z49YdP>~aDF^uiS>r*S&oU8tXA(TlbN{`)g;OVO^>+n|kGtfvmEj*v ztdaJ)L*5ayQJc`t@_5^l(XF)v`Cs3%{>jdQ+?L_Lj(W83^ibxmc=@j;)KSPi@+^AX z0~gfeeiU7v`z8F(ZCdi2_#633{V!)5GiM;XFNn8S&ef6KQ{(OZ9C+gL--FkIi(K#` z`7d<;eU_i$*&K4i;|o~v2KvMg-Dy_d33SpyaDL;t(Q|^}s@W)*%^I#4R(#R3{omw# zZs)p<xG2?S`73tqEB1SOXa5enm3%?G|7_*X+CA`|HVB}w%1Z~OZ!DTxGAfeCd~y8d z4Dwu65Fgcq+*SA7-1~ltEU;$otOn@@MAJGqoqRUX=0tM4WJK4YKR<n0V72Aj$2kIf zr{q=Vvv&6~9t3NqokG97*KgG1Gtag`JEtgvPsSqOEIVI9<~U?St<|r&3j3*3^e&&h z^XMJAlyBx)*75FnMg%)J^q@S2l5Mj67ZYzJ|1<ShIGqnZ4w5_a6mzf%e@*rcmVF=} zzL5Bx?8?c*>Ux!D+7~32E8-b*t}mD8v1g1(0Gx^EXg-VQSn$Sq>#+_e@0$E~v8`dh zKCeGBj8>gBP+$i7&{0MTy`0NHee<bHb2>Jf{Tg~P)}Yop`ryk%Ur8VKaJHB;2Os6$ z*}wfAIQuUD-^q1g%%Pu+#^1~iv9|iEY+Fb(Wx|{z>S3R^m3!?wZ{!<nFlCM|8d{G8 zq4|&EB?JBx3I4Y7wH2L8HWMFwjX5ftifF^3VT?SR`^jOq$z>echpZ=AyG}A6_R`NF zo8|Mpa-DT@W{LEko7q?1FPNd7$>82J9>n)1%m3Av$cuGR;Dqv;Nd}#=eN(RdZ1pac zeVirdg0Bg@UvVJske;gz<)7AfD(l+0Dc2P*tNr!OwBupF>|<|J4;|jl|IKlJ_XX~y z^VUA`B=?g0boToVz@caFSnun~l@kYk{iF*VIPg3|pViL*Z3~W{AvfFf;2rQ+&BLBu zn$TV$YnSp#IP+5b(yOgDjMh2UHPC9eAw6oAzm7KSeJZ{hBlr#fZ}@%&?T9`madl|! z{|&ysf%s*3$wR~WzM0U@DaK!IUx4q^=M4X^s7JVmmNR4V^6zqWV11N(`2Is5#rFsG z8G~z}=vX{{9^<5O+Yc@LKA~RKDO$9~Fy9`-V~oL3_>$x6-8sUX{|R-RV6I88s(SZf zL%{!NQ}_Zhj(lUA+50VH9tYX~$(LGvNz_AZ)ZFC{KSS#}VAt~4`4oPd0CyHJ8@7M0 zwPxdgS-p-q68Fy?QO=SKuQfYh=B8^bzMoLvBJQOpa(og5$4GnuUJ$(z{b3NA&e@-5 z**RBU%%0Yjk>Xt&OxcmFwJj?;d##!AJMiK8)7Lx9s(X9qbCypYyswh{elM{X7k}zt ztw46KzEUz7Yr5iRyp)gOYf!*h_8zl$jxXY_Il!2C*M5D|0&p8FonxJI@9;Ov|6tf0 z8S0l}oq4?bcKYY6=@aa}5`M)RLk>sDE!G);@pJT`$LMRs%Ex7r=oHygcs3K?&CCB= zcE{e?`bO)D{E91O1EEf0ma$`GL_fj#HIiWxeF|)R$}e|-HZ6Yu$sMy3U^{VSP`+{e zZ3fQuyJigj`5BfiY8q{vfleOzcN?~6;C&9fjn=bFzide7w>#wA&DKYdb3@n~43oT; z><J~CJ2cGsn-6JE>%srup`B#py{|D>3$*_z9pri7KsvbcG2p~{H;mt%q+jS?T0h|G z%xUTD>Rf@=e**^kW!V~>J_~N`$FvXYMDCEU`gZ7`C*ga=`5T-YV8KfqgEa@>%YV%r zSb*--I?vMWF6?Bk$FQj%TgqC$o_UY1;|cJoIr1L~?QP`VmObtL&q(=HuKqRngsunj zUZNlMAQ#wqFVoT;y1h^?lp%RgEI*V%dJ&wDGmkjW>jXOA3h73=`^iIse`yQX!uoLT zB51M7Wvmfzas28=&Vy*zdlvq9lJRHV6`!=u$C!=pf#Ns5hhOy?*6>DtA5gz!j}W{N znV{VRZbBE?|055yYwjwiJ91Rb6nA4I`X$>p7MTA*FvBB}xhg90&lKD~b5eB+eZY_5 z#C*mqxiqlQV{9!a7WA;EaDo3gGGds1#K@bTd}H>EjaM0@C0C9qV@;U-@@9S+Mn;3m z-}piQ?o-%56&qsNwAkBuDJy#svhNz55uxX|F@C{#oaMk;GF3jdiFx|%oLJ27_Er2I z=J(h3dxz`cfqqke`={dl4&cMk$+&3TN}*x&Sr+WNVq4GAx`$tSj>GTkkdqc0%AHi# zeii*#0?t`Ki{+P5QaN!s|5uoCABK|8XDzSie?MhYCfITDB_AKZT=J#xS)f?@bH18x zaJ)ce;ME$tl7f`wr96wB+neq)&FW*6U#9ny>&oBae1U>YBi*}X;<X#9@{01me$gUw z103eO`rRSZ)ZVN(Abl(_YL4hS>O9;goI^A0+(p?LSeN};mv_=POQwApKcA<XaxbI4 zG32m8z8ZM`Q()_XcE}YNxsf%b0GqaGK{kEge*75F!G%@Ndy9+M8>DM(1b0?UE<C}K zwXHTNyN$Y<o<x4;{Sxj)C(5zi1rD7u;D4Y@fP2Q$S{D=7YJ<Pwer|TZ+|iSa-+tDK z4s1Rd@Vu{cFZ<8+v_+e{z*i0OYjJQNdCt)-mh3C+0se|zlv{*NSaazVbv%|(M>Y52 zku!Lg&77#i59l81SOrcro*w)oLhxXNa}I<X4`rIkdo(x6Sg7{KfTO*XcOf&>!*h?h zN1^{s@;}mV=R{_|GP8xbB-|>7dp0^dVp5BIZ-6tt^#Er9&nz7M8XpVb4U^|W@T2E! z72jV5EJ41%(76>$c(3*A^`{19jYPjb2cNPLdyvnAlZ}~|a~;if47PwC`jUbT)1MS* z#aGE1R}c3-aI9RavfCxr_ZGG^y+>}CRcCzSC9n6n+=A`Nlf<JuN$8Qu<qPik)_dN! z=z-g1hiDpQT+<1iyu+Lbllw$|6UnQq_LSA9L_f<Isos$Hw~fq?g(*K9yOnbfI#TOX z8}yxgB}1Hbk+RJwRGS6RQ5nAweA;d|^}KdD-=#X7ZB%@RTqNXbttLmlzlZii=$qAc zkn2^nulsRakC@}C_cIpQP!=wxJa&?WQQ8#^%;mXs*QuH4uE1R~-(0nN*`AokzMsXt zU{ao?=hF6l!IQP1%+gx`YeiZ^u7~H@W@g!D(Z*%3<hJF%lzSC9M0QVkDYqYA#Dmly z8)Mfsow`EPUdhcev;5+_KLU<vsl9Wa0Utj$MyDJx##A>`zKwi%f;|b?1tWXz@&mv& zAG#G@+klNdbe~{NrOwyUoxMc+-R?kNblNM8KLds%W58wpOO2m1JyAEfX^X><5{Dtx zOtpN}|HL=*;$!rV_nF4ywSix>{mQ-d2>NF)aJ2~j^_9P9Gd&I7Y3{A>@IJ;*aRbfN z`zSHs|3bNCYsYSVTkq<<QTfWL-&KaUp@bL*><Wh$pieAhj*Ml!6wQpIPnV-NjPb4d z>Zf19E2#tD`4s3OW{ygMp6T!1d;Y}uXxxHkYFYKPhDOioEB5r8qpPPfhP9=a_GoRC zP2x>(K)vnFe2eX&L*EDad8uRi>d+p`j>mTerPCXd&2bIM)blyok`7WZz6Gys<GYOd zjD{b9?`Qda>101keW0}g7>>JB{PeBbMZcjj3vS=)!aaI#+vhyh^XMb~;lz3yGeu`r zRv)VNEMtD@Ikr11&S3aFgnzc5|4j1Th4sf7Ps*--g>t+4@sZ<f4(;RI(KD}NhhB=0 zBC-lO);8-b@j2kflg8QbYw;IjY_N3~i-)S*C6qbK|MKr@VeNknze3Tqi*Kasl^&sh zGn+bh;t%CAS`U#oyz2dx9fio{wZ9F#S1B5q9%yYg_RS7ryK>d|BltnK>fDYJ&H>wx zEhI!awQJ2Ko_7p8_aIC=+AD-U96a|R#F+-KQjZTlwv91Xjv_->&SkD-3}i#>;(x2n zE<bxw=}IR>SG@-BTxZOhL7njWOzZuAf20@Lz`Eb=kDPYy>j%I4GT#O2j9JXh^7q`p z@_yhU*{5RIn+@~JKS(~evZEWBOSaU-g@O0F-A3^kS7*C$@8SH5Zuhr2&&1Q9KHk7D zOnl~oLL<Gx^rZX&oQ>c2cauHDgxvjMWk(<DRNoWc!Y_bluWR+>0uvczjc@sB_lDdi zc*|+#wAu;sn@&AFW%#PLkFQyZoi;XuyoRRHdJFG7u5IPL4WnCQn?|=@kz&lm9#{Sr z@86zbMp|xNwkOO_vTv!Ag9;p$LZjj5#xLB!FLmvxMVCVt9^kmh99>46?FISIHjaXJ zyQw3@wcys!9%LtE9_*s-X?`z!Fqk#JY=h}7OU4$v7<gmu4PR(6Q&LJ^Fl)xtW1B&@ z)ek?@`k`}5X7ldIZ_OI!W5vHv=kx4uo8ZfJ$Sh&zH9TOU51aftXyiEUewH@H`(&>y zi9e6=+;gkV6Fus?nUs9c9F?3r?b+Od{NLm*fbaHDX4$P*?9p1I`bC>PWt>6Bc=vq{ zyBOcS&D>PqN^ULKqcz(HZ`lq`^!^NZ*4l3AeYyWW<<CxXwf6d4t^djM@NdBzzyBX^ z=i?2Z@*D?m><x38e$Tvx?qVyZ4W-vFdRt>ly{*q<8yCI4&HHy4kAu)^bDUngJn@`q zaeCbV&1qhFpgYmwaN6@ib0w5LetA>wO>tV=z}P$RNKbhXnk$j40?#ObJ{-Cdy)B5- zmEdvcP_z_^)1l}lxF(!oKP%i*sPC!Ep)cw19r|heCNeED!O90lEn4@$10CX_ollI5 zyt<2hZ@Q7Ld0m)KUMzUaah{)L&6|Jg%srwr*V+d<Vm<EG9mHvMuJA+_|IO$VA?8vS z<reSeJT&?t{t!-kBv<oL^HOv1f;fS9{(p*-wSOH>n!yR@aptTmw)53)1{eF`x7Zh2 z*K$2OX)beYZfo#HW5W0Hd*?Ji(7ZL5wfWXs_oCK`#?1MwD{b(olC8+4^^fH0>`3PB z!ovE?BQw071_#G0lLN)8#s-Sloq3=m?8-_JF4xdj6*f=teov`8BAoBwz3KHf1iYCI zUhvx8Gq08LtO;Y&i~Y&UojA+#mt;(S49>L%)#1x?FLI(6oFl`)4?WSh8KdS~tM_=; zj@g=ATG$Z1b^0FG{WQ*7tey}2`S6tu<Oqz>KOemDsQ4S-%!l{rSq^12?%$>j_1|ez zZ9u=7*bZu%f$1#yS5z(o|D7q&hzs9X(S~RwOr4?+(U*sB92{RKdIPsX@W%7jsR?+V z(bsR~_2|Uj^=j&1p9cGral!sP&p4LQzy7C3wZ@oly6>TV^=s)h8yl_vxfh=AjQ@Y> zHCu97vufT*-+)|CZajWJ#6EY|EnnSp5qpp$rl)#8bl!b3JJJSDN^ZSsPmKDnp+Axp z-*%5xKD6>LVXNB<9u3xwz50f}$N0u~>y>+A#@H0rk+g2UyWy5E@9E<C^jp5N=S}=7 z`i)W5;k7^B>MgyxA^f)&P4XiH;y0CYd=frqw_LgBPjdpTk`H4~f3np?PklAAsoLor zW4E(Cp`B){+^E*$)E~U{D|=MueA>TSax34fo~yBMSl`3{<X3aVOsd}A+s`<9tZ~#l zKW_}F@2+8E_}mlB4dOSPG5iJh&Rh{6!EQbiKV>TiaWUt{_5HDb)@f{MLFSEj)#OF~ z)GwqwdQo!OA<iWZN*~!(7(pgom<+#5#`d`wx)witmHrOWb@E?D*T{bZbiIS|NTh4# zW?Bq-CB}BJUij%}h>HkY^Ci`yuZ;uqC3|4L6y{SeYqm9C@Z}SKw&n}Zta@3O(P3ov zQ-2IveBYf_7OZXFIsyFW(C>R~e(_=(bl=}7ezE0$#4o-A&g1+7{q6bu;vDZs;up?Z z^CM_h{Gt+mano>qL0?AZ7lZxhETh5xi(e%4KO4MCMroi8tv61anp0t(A$MCm><s)u z<z~eB#Zl>0#4o6eau&ZhL_a)y<M4~C`Tw>ATFc@7%$MgEE=u4PuO#w{fxZmq6@z_w z!QvI!3A`fP<`sNv^9ugwevnsWS6_O~!xpdjHM~Oo6R-I9A-p2Hx(i;RdH)Ld@WCt2 zFz00>PvjNf7{V*E|3|!{?dv~<S4?kcyJ8Hy;%a!sxbt|$nK-ZbT%1=Z&+A@%`bOdv zJ-}K8uh4#1>%=nnh4!ARL;Qj>7A$^|huq`vi+cEl#_#|#!~m~w#*g~GIBfj({-S@& zTbwBsjPv`SaDRq5BRVMnhe7b+@QSneA`;g$%QL_yZb>N{om|#%wEsLlu@T-OKC!K< zzvAJp{=xZ-zDN6vzeLaT#V6wPc?$csk?8ph=PC$R@+ReQ{s(fpk?Gc+nDzT8>xiD! zBRhzG(T8sCTIz{(;&=M-53uRL?|cR5+gK+H(doU#x=N0NV);a_7;QwJCs(1v+qAxY z79M27Ja*U`H)fCr(dP@T*$!_bhIS~7@FNRG+PDuG)rUIv{lKwMKFZo}d-fS=_&F2{ zF8nw9j>{Knl+n72+;G|(O26>nLruBKuH=*$dUw{d!zHEu9_bqjuL(EKG$&a;gtNHf z4^#0DIO7a~37^F`#_8i*;OK>9<Cc;6?AXCRLbuMiSaJ#94d=5TH4dc-<Dhfm1xqUa z1L&ds-*sh_9bvtHGp8x{P5K*J`{dSs_E}?~`HgGci-N38-qagXsz-UtmhCsvf}F+N zz;o^Yq_2L{Xv)?8FGMb0=EuUl$l6`3%gwHgL#mJ5w<ii2$AbOg#th=K<loqJ7XNHF zxr))@O4c|@{CI4Az|#3j&vB3(nbHrVGl@L^_(%JD$j=4(lMbXE*%BWO^6s^wS9q?G zG%SYk!t>8Ruj`;a-Hxw}+tSH_>bCOp@tqY56F^roiuvg1yZ3RXjr85Je<te8(LbN4 zOJDRpG>+d+h81JKgn9iAeAGGb>({{kJ#=;_s6+KhZ_-5E_&V_O7SE&~mrngB+^fIZ z`#N@$3hV|8`8hW1LHHdT8u6C%6c3pZ-H(0Ov8(z<<u1>I=Z3Bd=!~!OOmwdybXy^8 zMpaXkx811mGfvAmhwn4Y@g?Zqb;fiazH0J~sp9{=*s){t_7xYPBcGzVfDfnEN%(_h zj|^G%($vUs-$(fcXiv`j$2gZD66(T-{M^+8eqtY-wfz>lup#N3KKoq3i?2=0ZIK7e zvcpW_s@SjhZC{6)PUv&EkAXF=33f$KrhUGnC)K?O7-p(23;y_X;iiu9@?08dLD$j~ zKo)Y&gnWk_cd~iZ;saEteW!dM;yx6jtEtp=6nNw}RR^E6-Y>Cj#$C{?#zF74NoO&& z)H=ILFl%mzwi0ca7Tm+~O<1}?>iF!CvGgsk*BC(`1#y3$3*n76(myTSJLfoJUk?Ij zIo}53>&!^s%J0MZrVTr?`tc}s6wbY9Re9xJfPQ9%pbOEEHD+sk>4{@DSg&u$SPnd2 zbMcV!s@rMP%XyQG#j-BOMQ#5L{kPhLAM5|w%mMk*)lD`sO5*mNF#C{!x;Zn!f#u)m z%W#@%<r&|m5BFdAD1Gfu9#fpmIOU77@^JLQBi@HE>_;~Hkh5#rn9CmKZ7cVbi|nNQ zNBN|YgMQbo{7O8=3F)v4h|QM2`UlX>gsSYVr>A-%r~hQMNZ&q3bmz_`FW@VU%+tu? zeB(rr_0s3g?dhIqRCKs<;h_^azdcuZuPf{v7q-u??bihzx=UWcj#RVqz~;sdD}HrC zkMf82U<W^rExU>Dk;^N-?V4~%HZJzThc^)860Y(W&Bv!5-S=+A<f_dubF~NC!(-4^ z@LXv}#@g(yPMa%%MZUszySW4Heuui>qAi`}zSx~<wYAL5IAq7j>?=m+cNp3%t|EW% z4YcLdXV<0k;fB`bz`dBbA;Eov`@(RaUl%zp<M<F<PF;Tu4o(8cX$xN&JuQ4|<1*9o z%^up0eU7cu&I{mLHbe*a1$_IL%ClHKcox0*ZtVW>-=0Fg36&@hO5)g(7d+mVpVG!& z))F_o%I;GZe&bmde(rW<U2t6S<?h*>zKL@Ojd!18ZhU~xm-1TfpuMxS-A~)%^U(LZ zcCL}c_K9Dh{e2(y&rGF%=<43Jzsa@E20R~LyL>0*)sEMlaj56!KugS(dr18E5bZ2> z=UBeA_c9-#!^r(pjmR&*Y4mD7AfMnnKcPpkB3D<u4<9H7W<5I!zgV5{%@YaVsLnfi z-|NnaUO{<%FB;!Xj+maCjTYKC`~iN$(~tH)^-KIkRzu%YDJQ<{tiM107ujrNyColi z8`~7N%948H#9Zd0<jNA}im%>|H7hg%#Z~ayw<vcd<v9nfqrhvVS5@6z6h(hX?f`$` z#et$w)fGk9)@FI*<)>3t->7UM-z=kS0pB27E~^KAFW;y<yuBS*A{&6okq7ozcIS__ zJFQY5us^>)k8?e-kAKp_r%}UN6IF~~A9gg$4&}bcf7U(PkG{QP34U(!c{7l~d`3of z20EFHZJToMg&&8(RZc28ixq)ZKkHE;@H_eNB*&E!XLbxZM)~t~7VEEw_a#2sznX8g z2Cj!@Jhio(yjJcJJ15=-a@=i0NA^*9@t#JGQk>5z`mquoyaC&mWP}p*Wa`UH_@gK< zUYO^b$q}SAS3WN<r6@oD1kS5gUVa;{eBcml4+Gmi&NWipgm^J$5VbpfvE#{<H)*0@ zcB+G{p^}YmL=Rr<`uyzKT=%-NtDi@%zaH92tV4PChJW80|9%zr{$gNjeqbmL{!;(% zkN5v1{a-=<oxFhk?E59Nbj175`aC2rU<dw5Lt)DT7fw#V!Txao?UrrOugVG!md_~V zkb5j#;ZHTo!Ob%8CS2_1*+@A7+h4Kr_m<=Hv5VYqLvjYzk$dSm-pem|F?1<A>PtWW z=(SV$6;72eC9yr}{wk^ON$Pupcf<XN9e+E~zhd*PoR90tg8|K-mF<=JaN0cz-yP17 zhxS)KP0Z?g>`&0iACZSSXFd8l?Z$|=vd<@-;D;WfvaP}^tn(V1k@eUY4v7m^pXB#8 z()p-~{N*a*h9&1{-q^CO?PC;D4BPFctwH7t%5rPpYC<!E^8Y~2A=W1K%dLF?^V=1j zM;}(O-_Tr}$~U_hgYWT+-5>acVhj&5zkmDkp!~9d`)tZ7?%8~Vm^{8cwp1|!_I^gb zT*$hcwSOL+#ktfLZjvnA=sedc#=3It*Sd%$-3Po+CDctfZ2v%fAYwa5j-eKw68BWX zkK;FU?*84Dzoh6}=Z(r{-e2ow8D_pN!Z(#Z_wRHS>-<g4_5Rw6to=^^b;NTYGm8z4 z=l>#}yAyg6yvP}|tnp>t3MS;W)V@Tqc_Y1J4~lQSVoEcjjn9+&Lg(88Tjw)I<PX23 zUi1j(#g|Ww=Wv)btetochkq43lo^0$c)3J)hP|`kvEqHRqxS$$rF@9Au9tcuUBtR} zmJP<&oIX}se2Qn_+b{ix^S^BDtDtky!fT9gY-jvTPQHDW|LH5fu7`%?G}Ab~&A71! zTeK+piE_5u^h*P)gQM*8&*ozX3~_%${f68s?se8#i2FM1>vho5-L%PCdw4FnT<rWq z_P)K7Ixk6}v){dB`CmQcrH!Ms8G`VP6W4RD1M%tg_Wn$KOnWnD?G${2bmr&->~ldk zQ@_Tq86Ci-)Vay}KQsDIw24feS-Z}7JjlM$!sB*t<R04F_a5yLTg)00b@u*hkA38B zmCK^sa?U_vE`i64=(pHw=5ep@^i4DQ^PTS`18-xmAYH*R`WBAw`y>Mh{zRX!k@^8| zMyFw)=UmCRTIWvFhZm{K*|#)sFMUKlZJ@{KTLh0l7t@DMZ<ofo5Pgx>RhZANZvHP| zj{sh+yi(`jwFPG8A@tkUITy-9u^3r|HLPzR?L3(PvvL5@f5t^?4d+a^+cc>5@b~Kz zZ3)Irz-ZIa(Eg32+xhQZ8t;+xIpkr%Us?PDnFXI;tv~YL%N&yLXcn+nA;)whbEsd# z&+t&5Cm&~$Oa88;oF{bJ%H6ab-YL08dz~#G%5UD7sk1wz?+H=PYi2d%ffLCd17ij6 zaPl%Z>!<VxoA~Cu`H>YUnw}Xb`oGQ(#>rYg+L-H|j7NFGxTkV2zO1=|Z;7=oEH*qn z<gBdt18bUeH`3*D9YOD8uREeI>CUv?h^{`CQ2*%;yMFl-RmAJpx}*A?bt#K?&YHCa zJ)L-T@&<C+W(SJARm+OPTs>Ts*SQWpPz9b>;LDkzed7OM9dTk4I;R?I7IPjh{B!2f zMHbDLYwdV|XBxxKsev^bvrc@%rK553{UP_K`@U|pcqX9Z{ycHK<e>BIGkb}5>+_v! z3M<AUkuNp=)Rwg^{4Xhp)RMn#+4yiH^#88Mdo}0y7$>gce_ac}@u%bW<Hk2Nei=OG z5xet6;0UG$)*y4tI%Eclu`h5wS<#%&F<*M{BdV3GFuJL6A>~5eN%%UuEgv!YFez3r zlzMTxuik!kH_t3TEzSq=?RVF75nuRip2he{ZugjD$_m(TptoK)-AqY-8{bU)-ZF1U z3lyi~D^x}dMYt~>`-#8Cwns|udj_ANz2=zeb=GxsPj}vT8h>M&hv;MGv*f>c6Tio{ zq+H-~)huD3)P~=6%ET0Zzv1n1V_%n#;Zf#MvsqYHMt^Sb8f)aEIX~4{gWq$Ge7r-9 zyL`N>*zeVrUSBhXt7klLBZqm7dVIjQm6HdqFzhuB<JT1_SQFY)i!S~c^(NwJv8ni# z?=)(kp!)}*&0vDRyyUc5jG4104A1+^8SMVj)nn2<hM5enm>?Y${JY`_#zO0fWGrkK zn=6sI*HE{^TW4}FeX(SOO_Z&Sml2KKE;{5pwduq&bpH9>KO6iFZ~rCcpz6kladRcU zb;G~2%R9PY&T(~dPM=j48?$0@>0dv4+~dsa0K7oC211mfAJzN8Rd){g41pzt-?N?t zc$R0uHW+I$2-jdcs#A5pM7`i+7IrG@f4hG2#H1P55`V&$hxg3i+<2eW|B>n+Yuxn% z?}vYCZ!5gvA?XB6#{0+%wy$ERdu;UI@$Y*lwfD(s=rEI5E5tvEjcgC1FEN%}7cpNq zuD*<COYk+SrtFcvz<cW7Cn^6AJfElXANIGOg1+84*Z)*oigAm4WDjyxdu^=c<Hvt> za@zRH$tzQg+b%Bp+T^cs{bzpv#_yr&HIu_`U|d`I(56YtCtrtuVdT2|C$I6Zn0#OI z*C%%*8@CmuteKqkxeDJd?w>5b#h1nZug<;2*L!@GFPHDjQ`SyiQ+B)W)-T`TtK^5S zC)0yJ;t|u+BRiYtzRvdXUgI|4il$NjcR8Q!nvZ>L@>Q<8ejvQbR@(N$S39ot7`LUE zx!0zRzk71q?yq#Ly~w!jZhRIW;JV4YbMnF3y7m}2E4cE8C&p9H!M>Fp)6H>ZRp-Vn z3}crnqD-o39v1FA=Jd#_<mHpo*L>yA*8in5BAFjsHTm<SsOzSMz8ksL@Ovb8#pIP- zCzVzB=FqP*b8qxz@lD64ZuXr?GHzR$eDCBfcirkc>t8iFckxZWTh!O3xBJS~*Rnf& z;*q{Q_sgQCo8C>^r|Y_2m+@}@?QJvbK3?+2iW~XcT{7!?H3f58nm?iUs}H?a(zNiz z=&AGXEP3hKUq154BO73w`g@V3Nq==E|9!_dt>>km{?F^?QtoC|Lp{9goO{(DOFq74 z)}M;s|LP}<qzUPQ!E^m}FDG|yDj#PiFNm!jyJ)nTogN#NynGw@_nDu!^0E5N%9?G^ zj?esBjkl6Bf-^ScihqpFv*Q@X24rWleI5JF3Cq3A^W$btdN;nH@R%A8^x30&-QisE z>Tfb`<kj`RWoGg0o0h+58PCW+>3`eI<XJ=RUdpLVw`^c*li|Bwzt^0UzKm;`Ioe-o zj`a)v0^olKpOhn}Z@HIto+CGp({7kL51E$?wEMYuyDyj*^X$7;8}hkS8*OV{L)v(r z7?VKS7^@9oHYq6^AJYkOyd=f(;)&yBOpSNKw)QtNHduUhlxLe2D>Z8TwszqK8K*tf z@THG6CZ~_%Ov=&5#l&V#N*C_sqh63?+%nztZ1fnJi<Uv_P3WjSdE45-S0gxy3KuCx zJ^wc}9?^YWT|2mm>i>TIAE;|rIqQGEP01U4pJF`NeuQVv`$Ee3%~8>m&Q0w>GvztY z^^>giy1%l-;<uxLa~yDv1<q99^cj<u3&$yL;}&viY)m#TUgRBL*Is6|x1mw631)C; z!4{;if}8P*3bu{>UuBiu*w`=Fuz5PL3#P(&`<4CuydKK$@i~7mm=<W2?3zzKtjTGL zHJ_hmv|fK0Srb2RXukb^<Y)MGpJkUp4`kaqatG`mR@^6ha>;l0yX+zFLd&rOQWvn7 zho)eIp)Si7gDjr7CJ8>)R!i<zyKTrxKEv#(V{RC%@t#n3Q5e0XE&p8D@BPLoGSM@G z`p42C`bU@l47!UxbTFsm`o|Zj-_}2pAC&b&dr`@x*yOHh$U*kNcBwMkEgj{==&O{G zE=pzgQl^?%lY3cn!f`$2BH;cWdvNsP)dBpmDO2-2vJ3UqTw(9wUUbenFP$nIUXEY; zwmf`+*bmiwhP5b|!up8(vlBiMye?3@;5x+x88gd91&UL+9&{-NI#67K4C2o(yU$BL ztsrO6dcaR5c>b<n`zz}zbPuhoW!zw0dDQiF>T>oGwmvgEnh!4!+;@`OL%P;m#*%mT zf1zW&Q}XKwI@Uk3@6}!qd1OQ#YlU~Xjun`IRWSW6Fa_{;7=)QvbaZGA%(HlpZqYv* zpP{z@p-yym9NytN(O&|u=21r+-r+jYC)oE5o{bWRCk}5K@UR}t42+=D9jZ5-<iDG_ zDB2U>lbwAA^D$9Bsr{n#lmE#4b;_Iqrjc}_-=K_iqSCtrs7vJyu8XB3ea471w0yLV zRP*&h`p*H~Co<cGbf2@HB-i&az2^{}=TdU4GuJ+9|8*gKXQEuoe0;a^%=LZ5KR=Ew zwL)@-QGZ<oe)VF3Im*f@A^o%H<?r}uFM20e(`dHzH<f2NZ$PoPtYgFZ6?MI9kjLIP z#(2CL+<WAsu;0$HnP>W55wEiGbpCk+c3CqbI=`8EI)PF89OaMHISkT697BI$=Uu^` z2#*kN+C)BK>)V9*aOJb#4{uQ&Bg0biO7MT!ZwEfX(FqQ0UDNsSI69Q!XQHUzp06h@ zN=6<Ca<;e6$XQ-StV)O+ZayP>`7-W<#PIlxtoU<-`^@<BRPNKP=bohG<^NB6Zvr1x zv8|8R?j+EOAkCx=qBIE741q9+Q6M%1u)zRfjw9&|(18q11_&HHr*Vv;7!@^+bViy4 zlBjqL4j2SAcu)gQQBi_K4USP!<5BQ^YuBpoP78S6JNLf(zwe#OZ|B=ztr}OYs$IKk z_uiQEpK`uLbM6&k<}qZ$D>U;Mvf&llxrl4b#y#DbMC3tjfc>svtv%_zbVgkEa36&+ z_71Jzd@9#wt-r5ao3#sk<=U*B?<?14tzR~!6(^#{3(<9qYFD~;3(PT)_PzM-^&M7R zZ)smZ?dKUg3-btJ#C@(9M)MIh7i<pcHVn@QJa{Z*#IRwSi12D%B4%T*g!#t`tmiCf zfX*T^sC?&+IqWOPIXGA4>y2|&?p`<-T<-2T@2Z!(A<WEr`{R5{>Merx7QuQ8A457j z9A?Zu23=A6v})lIHk8YV`3&l(&u2EE-0J?de~3|^8~gVO<hmw}QBUEw476tRjxdkk zA#CGuEjd_*d&Hcz{d)97JG~=J@VAf0*mLl4-Jj+}<S*bKKi&=hBHh0~=5*w5gnz>L zJYg9xFwen@#*o$pJ)Q>NBofC9gZto}y5D&{=sK$QHv-rCPyFSN?~`vGB2JtL5%*l- zrFnzlz#5}Sz`F!bSZ#?H;M#`ob<wxGupbQ_(E8JHe7j5T<8&I9g#28FWsf&wj-l`M zVDF|4zxR3`I%>v!>WlaW1L>Ofc+y~ZtrL)LcQLm0Cb9F=3-O)bSbS#<*DU!iFPaNz z_YB27c>ON9Ph-V1c)f6Zx5t)2WoRokWHjSCaUAcQYRCH)zUwbeOhy@KKV&!JBw`+d zwbWr3kzaq?3DO&J-0y9oc$5Y<2R1c#ww<8&Aof6=TZh<AobEm0VspLTzD6<YN&1bO zvU`k|7#{<^Bc;FhNZzm0yXk2y7-Qy6x=*KXo&6jViuqO;_P;s}qxVA{ga7dhg!%HW zczzY__XYSSaC;bj53PwYGw{sgOK5NMKYqUQ$8$cqztH^``1~(mf0ORNqn`?YKKq+> z|6V?SJiCK*oS3hDjr7A$*x&Mo<NLckhYrJBdgd3n-x-1aSAcsqFUm^czR|<Yc&mZJ zbqfr4z8<cD!^!k!%Jj|(40pjP(z{Zo*Euj;|5KzFC({cVI?Snwu~eoe*oX)Hg!F^8 zJLn8`f-XI*GwFx=>wZ!%(hs`Q{iIH$AM~pG$##%_Xao3B-6L?niZ!7HOK`uMh;ev{ zmbkJRHoXM*tMqO&y$o2l3l9@x==qajuniiAX9B66t&rKn#8@lV-e_&m7e4QT9#}Kl z`4z$xQ2gFzUH8Ky&+FlY?h7E(!wz7Z7=Yi+BCHd95&A@U#(6!`;74KF47L~IyNefe zxkH9eb8vj(2s?xM69_wZu6TjQAX<~OcI`jbiFBx}NasXUxHzHb%jr-&N|(Yq;ird( zAB9I+Cq@qyC$2_&;Cfk0zX#B-ljzq25uVoUsQ=NmTTc`A<AuGGUc-M`eJ|D<f3fR+ zX7*bZ;AdjLyZ}EV`{nxl3Sb8^y&UPMp}t`v+k&>a9M4aB&}Q`8w|cZ0`rAsH1L@(z zmOn}Bx2V@a;?}U`PhsAwzmH-D{ODa7dbl5*db$tbz9xRI?S)!{c!BPH<_@);c*20O z6YJN(@7TgPUXOc_`ulL)gJUC(LLBP4h_OMpAw1)$e|M%8Wt;Yfd}ff+o`Q2LKR>9h zH3CjuZzE8?VSH~({_5I#HtgnD$beyy+SzvuU1xjCNQV}FM-}dc!!drRY2mMhBOa~s z(O5?5Mc^45tP58T4@ghtqsBYqMB7gKO;<#{b;FFIwl#5BFSlwD8-xSTk7Mp0VZn2y z7`raF4gIndb-}$E`egW7#E*jGIiT+JUIO6}_slF7_mpC90`riAD*fR1Eny#{)@=~? zU_!nr5o0>S&ZBE%0sI^W<3C9DA+9lyJxwxNFT(SsJCFU%30o6A)LdSlug>?sN5m*> zYqrkVFpt(=9k2tvUX=y1UMMsD=CPQ{KN{b-M7sSWjVo>7ln0d+zqL4scLrkqiFY)1 zN4>jXt^KQY_bxY>FL7!0lZ;)?pWg+03I&539`63IW%if|%j_93#@Set_yT2JFr$0@ z2Q*i+$Czh_<9sN6H`x$<i4}9G#IE)Yt0C*scEi1en(c%={QUX&-Tu8^nbz5(BP?eR z<+MChM#QJ}9e39m8`2Oj9nbd^hV7n6`9@t<n`uN?tQYJ+yxCSd$9<3yaU$>>IgLYB zF2it?VLAK?CJ);nCW`}$ARE_3o81}pY7_O7!cj-q+r5--&yC|UDZOkQBM^TMrJ<QG zp?Xu<W}>WiV5Amt$5}Xxl+OUXgL~!q^Jfm;hxaXXyCY8PatA$gN$<zF72l@$8f~}& zM;wkfai3T~Wki{%4J&aD*^V?I^@~;@eQSCN+AkUN#B}7f0%e$Kh#nspj?$oT4I=!? zZ@Snwv~}4%k;>i!by$hA&%-esaYrHUEMOe)WAt|#3%cT-(mLR^hcSj67>2T5iL`FV z+VD_3(|s1oVAr&{*u!D@S-y6q@~M3HAzy0KX5>xvQ2mYUMuYvdn*Qr;CmZ?vKe3$@ z#QU$Zow-QMDf{a|yxXJ~*$(v&vY%ri=1a!Hu2erETcP%#w&=cbY$n+a*%sN+NVG>+ zE#iw2up#O<WCwx$W*FKQ&noP=9sZ>E25xV%i{W^7HWK%O(EojjT?;mhfV?aE)D!4a zR`jVE$T#X?%h@LMC+Z_nU9_{iV2m8SF={08Kb!hW1US9hd(SVwFWAa`jmAk&*E=?t zksj4!1^Szd`<n^n?{UEsv*)7UQG7f49o38K1bytFz8+Y9>i1+HY3TFA(dU+9PkhPx z0V@)<%@5N!Bd-(k`6;WA?^aueXKQFpUtJFzLcFcQVO+yrxNYZa0&_|&VuhOfQ(6=b z{k`75CZJV%@UGb>ZW8xcPHt}S#^QbUc-EY_70*N<onM~7e0nHkgu~!>EDUo>q_2;g z*kdGrJ!~J0nRw3x-Fqv)t)aqf93aEewO9Fv2lzKbr^-Jq#2<b=!mq)zX-bA~km=<d ziZYB1!*`Y;>xsSK+TBtYPhfBP@{^kj2rVZM7wF?Xe>;!rP5MgC$!NBO-PdOTj)6Fo z&b*kv2-Nj3o+Ce<UOCK8`{C1vA>AXLowwuu<Fx7Ec{K_%{tW4Ou{UVNyv~dFk$A9g zi22_*^*%j2?Puei!9xSyr#B40`<Q{>dRY7P?_ocJcR`*ZZA$OQGssmvzdA!0+;h(B zbOyN>&sk9&PkelOJv8Gw`r{eo9>~8wgWL`Ir)QAUb^4<-$jR0VFpo<_xVO#_&I8-H z>I`;~2wm(sLwwaAE0IrxsLMW8pA`Rb|7$c5g$;6Y(;2U2%w)Wo@lnP)#)FKlj3*h* z2ASSS#yH078TWURayRphjE^%`Gd|1M!1yj>Gh;iW2|rjMH<EEWV*=xH#&wK$G8Qpb zGrq*w$k@X8J)<#H=F^wa%6J*0opBLk5@Rmo&5VVNk23CMY-IeH@hirk7>!|^KjSdQ z@r*MWuVzeVT*Y`J<3`3Z#%CGdX8eZH$n9ii9L6}2aRK9U#<h$a8A}+SWZcE5Hx~Z2 zMGBjy2(S?^vkT-t5&PFM7EY4k>KAHyc+c;rj#s}{`kPnCa1Al14(H2<PnJ5;(o<6` zxmlLv>{Lf?s>PL^m7JQBGZHt{<oxnwskxTa{Ipz4a#l*JWodR+Mqt>%IYL<QFES@N zJI$3l(zOP6Kya~+%*?D@OO`7&6XFPQ;Q-wm=vtHO%*q^@nx7gFZfRO(iX~o`AhXou zyj(|8da52%#*59$OHZ*-k|d@arE~Q)==w38C($-e*1zozsShKE6B{JQdZO;|Mio7t zlAD=_v)sy@)ghvTxScuHi*%O|6hDPI?rU}D3X;2ncp-CDz9Qx-e=l>~zv!+mDE>># zSuFN4$DCDnjm%a0P0W=o9%3$gA07q?;w?epTZ80Z1@X2Z-p*X<JM>Pef0dt+xhhYW zAh{`s_X-Mc4&wcSxP>|HHFP&9NNx?{BZ7Dob5-7PLGtJz`NSZ(El55!NNx|}aX~yj zDE@*Vo)E;Z4dRJGJSB)bgLpb~r7u?y&kYKnAH>%MaW`|-zY2r6hq<y(FLPxtb<DAz zq`Sr-c{B4KEN^GtkGc6SX>WL6wC<vrD|teYJU>WY#QZ{zU(dWR^JeB2=EjXOzy8dv z%r9ad&s@cKG4IB5H*=-`o0;Q2P<Mqv;XTY%`Svnb<4+@VrT=E;XLEXO%vE_zcgylC z{X{Vz%;6K54`S{Pl6#pCXL%EIm3}*O3(GB7Fr&Udkhz_?m3cn%Va&bE@mosWH85A> zaTD|IEN^43#?RpK5?}q%^H<@`%vJi)%$0q`Ggta?G4I3q1*dOhdsO3F@c0zmzk|mE zYf$`P`!D4DdvpFvmLxfHQd5-r#F8b+DXGcnK$jyY*@2}O>6R?X$xQ)Q9!r+wI@2fs zdn{S9)RB`L$XBH%=VoOqAEcYE$dV<gj-)hSx~tQc<}MlS&qwEDeB70rJ$@X@lbxEA zo1K=NtK#KlI?~gYWu~U+9!g3Tv1F#o$pxLKq^76lriw{8kHOQA6DJBW0Oyn7F#yLk z*MY!c0+Q`OdFeb7;mCf5!zd#oanLyq>XVT%!^9{c**B6B6OjfzR2c&t0kjSk;;+E# zaje5}5hAU_$uP)=<A}sD3ddj^F^Dt~30#EpbvUlak+^E9KBXCgxa1O7B?WQP=n#>Z zyT+B8wNwQYiRoDoSaNb5xoOFkWqFS56kV1`O3Pg454Vci8(M*X9yJh45@mBqbs<7< zh{TlCrH;IGn%!lpsFvjPtem{;R7xU|Y{8Lz`uLoFVDz+HsdGKPFMnU^fnw-EHz$iM z{^?R7eWhjR=0OuFX*sTRM{;ULYG$q_!{Ji(Om$lRq$pDF{&0R>S^Pyx^vlm!q{QSb z*P7EQjr5k6l55FM&CScs)SD@Bnq4H$Td-h;UJA%%yZWr6BR_S*WdF*pWrL(DDiX6Y zGSe(%Lpf<=6^VW&$(|C}s8qgS`8C&d2$7iK$aE~j9m1a|H8|WUl}h>f_4)_R`L*96 zoYH@go&!T8e9D?kM+Uk^T4q{q8b*$_so9pLS=kn47fOzM9J+}KC|^J*q~ojS8ME_+ z`<Dtw_5On%|0Mkm{XN%-o3oUFZtok<ECUBxki4HKXDxB8cBJtz>hqsCiAFJumkThi zSf-}R+ce+sAS_d8*oaMc<m3cMEsk7^ymSQ0Cue6n*05eViaiZoJv-UCCLppN!V;U6 z;i3`RGAC&{y0|3{<CuR~5{Zt?tjskTS$R1Yv|nnD3tgI%*2_!()ZE4A!6(7~>Y5rD z?o@tiE)^VKahlr)#-n>DI%v)njPTO^{|qTlim&pf@Z`wvUvX3>BMx=nLFo`z@d=5O z>ny>?iBfp-SNSWXc;v6r!Kp7kohzsERY?B9`KhqMNa2)j34=L>50n!Rc2q`+r|K5S zm46^oeB$I(oM0}ce!1c*TreuRLM0DQU&;T>UxoV*o?Zi1kty;-I{q;6g0p7krKihN zox^VH)m)xD&IhMHsvMs6=)ms+SM5e&=y{GnPS1J-a(dPyklz!;?+xPgoJe5!9fpn^ z-w^E}@4^LD{V|+*hR6}gB1>e8RQ!z;DY_1@o|ct84cD)Dxk@KQyu0H%Uu_UK)=9aY zv4Phi6`I<myq3`wA@6@Yj9eTc*2{3-*Ce(x=D#R;J)@P^D^>dLZ=~Fp4xcEw@^^Fk zid&ega7A1%C!_Kod992wGC3<l=!=OXlN`BXWO7D|E}(Jz92_)m(Ls79Bpbp0uRiW| z1=9FKx~D!%Z9;8GNPdL0{zfvgH6^2TDJ~)1uT#1v9OOs$k93bn2l)@cLH>9EM(2~6 z$1;xxQk;40Kc8_ikkY>j2j!iPgVM>sVZq_T(GN#94l1h~2bFa_<BdS_zX=DWb2AQ# z4?EU-)Z@&HfmF^i9F)%%92D*u98|71aFF~x93;OA3Z#1|Gn7L5@wtbk{n!}YjP;DB zN2J`vSkEXP<#>#4#(GBan3Tse)-sC6*`LwL=w>WrY+`gkV`;eKqy7~sR^vPqsCrr? z`k6!IqQ~Vzk^zi_#z*77JOrd?j=vP~k`OOjPrqYa($T*XKRqDdG01z2Pq}{{KOJL6 zGIB{rIo9fRNrMm7QI>_$8~tCBUKZ+^gS4r%q_MypqI^00S$$p56qPs?Y2_dtr#|92 z&<@l-e*GyO{8@UGMz-Fn%R0nYCHnLDYoM)UltblC8dI_VT>m*@4N6W{wG{OVOhan@ z&+?ZRnT=YgxMX?%dj9#k7NreS3bMWZDV#cg%Fo{iGQskY4q374BPpoO>Qj{I)ag;& zWTZhYkqeDPA~n(r*+~X8lc(#L`WV?}$Cmcjm5eA=<Reyaf9+Vp6r@8IpCy*TCbJOZ z)Vlju)01r=YfNP(ZFcNM{x%^?U4;-dDvS;2sVj8tW#WH&2Y)KLx|UOUPOU%kbwN{E z2umqMLX)JkQ;kZpXQ=j4W$2i0upZ@git?YFojM&mfRkNmIg@A4pP^p|P4K7NHb-{q ze0_CkTE2ciME=v$b0(+b-jw2!({Ql=^z78sKz>DP?jlEeUTSc-`GNj)O{MrVe7Ehf z*|>qn0>*sYEv98<B5!hZ-KKDHv9la5U#SB8X?ZMlHf|voWW~kKm`ZVa;F#=k#b>3b zC9gqgc+#{WH9I3M6YFSMnX^){2bn@)mGgMy^+aJAbA?{!3b!#=SQ{j-50W<q$(w`Z zGiFa0X_-sK?8&o5rX!QkIv@XraslCI&A~s#Nj_utR7EL{6?>>UPaPf=6{RZ1SYImZ zx0kVjaX(`t<J*i)jE5Lo7~2@z8I5H!-Cm3q#u1EBjN=%i87DH@7^gDY8RHn^85b}n zFeWlO8FLxeF{<=$W_~B*CPoiqEn^*H1LNC_O^nTqZH&fpS#RnG<jl-1j8?`d#%M+x zqn$CHF_F>5=w>WptYxfcY+`I?Y-Ma?Y-bb|vYbXn6Qh~Y!f0iTVvJ_AGbS>+7*+ai z=7o$N##+V(#wNx##?URYTwNH=j8TjUj4sCcd6{BXR;E~hab+>~1{OH;#PsYmF&~qD z$Wk0@1j%)z_CUBCA_$u)&&U`4&b(}0fOEw6g-1Gh+0165|4mO#60;oH7)P>!Ys5_C zKQk{~OwL;-=BK*E9Bf$3&RQj=rph4^aj-VOhT>)GCrBUhlbt}Mkw)`(q@fRrNC%~b zf8MgZ9A2<Pnz^YNNvYW+fJ6FO#E?gzH|6K!lV{;R5C^$gvqq()j9R0oOFRW`gk=_- zg-+JMk+-nhFU!cdEJr;)A?EAX7sS`E$j}cs6>>5D(*U^uGon1;bp4tx5T34zgmhh^ zS+h)6#`klXPL3~xOpmUMem^9`>C>#)AD8@PettihFU>6ceiUvdN|33CPsJR7>ft~b z=oZ&eLgG}ynOsjoYKzIhWx)9;kqbCSB<uB>4Lz&^p9+6!S($#Go+_m?9sWs3+3y2S zIGHcaAElG|r|Ef-kIY|Q6BSQq-4U1Np{uzx2w5&UZ<6;F6iSto=HN6-6GE1kW>?Bb z560#1=sy{yBp1&}=d<uP3OY@}|1|;SAs_l1AuM_r3TN^8P)HftF6`nm<eq{5G?P~@ z6|E8}7DB($Er$jpp@n$nYxS9SEXpt43g|sjT&dp&laG`yfF1tFkp?V(__GT2_ea?u zee9S;o$2pptPlkMbqv2AYYXa66aU&@U<x-1|DOSC3jfNVif{S<y%D(A-+0r_x7>PL z!R>c!xbv=!cNgAs?|qx@f8fEQhaP_9(Z?R&>?tlOEi13s;@w(VwQYNKP3;p;KDFcN zzduvA^V#Q~e__{)^}Ao%v-jm!UTxU-+CTQc{>Gb)2M)gV_B-#s*Yy4eA0GPX<HOBI zJ~`U*>1Us}9{b|UufG1~+qUn%|Ka$LKmFYP%Rhhp?ZnC7g=Po|4eQj|7#?v}m#$}b zGj;FLvsdqP&NcVxdtSfuFX(R>Fz~`bgD)Cl9Xf3Ih{%znqDGGyJMQA~mqcHB*#zuC zU2bzE;Q@rD%baP;SEOfTX1P{o=j7(CTAjaU?KRh4cm0yY)64&|?uNhq?SH!d|I_*Z z+xnk8C3fnx=~vii%)Byg*6ca)bLY)puyE1hgsZNW`aiw={|No(i52=7fJZ5Gr!ktI zm-9$kqa<f$PWO%EEX=WNsXHt4Fy_(B)jpJsIo+R<vooi)Uvlxx!zC37%xUeFTq1K? zD<$V-uGUIj%xR64Tt4%&B^7Sw>N&6i=5!BCu8=vc&5|o(-a}I1VcwIumw7MdwanFX zLUqh(jhI|Lb6O)O*TB4wq@t0zdXB4!xq42jnK`XZlWS#;{Tbc0F~5L$J9G7%oOnUD zr-kK4<^!0Um=9!Lzg>pEkhz)VgP2>G4`yy<ei8F1=0liAGgmj(Hs-YEP0r4IxTGSU z`3U9-%p;j6GN)&Y$T^vhmsGfzU&1_}c{Fo3^Glf*Fqgafum|Rsv%HA8jk$;UWaeJx zvCM0kPi0=md^+=b=2tLpU_OI+BlDTeo0wn8yqUS0=e07Q!}2!fYF^mRd=bmVF4?|n z9%y8KHOo!R)y&$={BJC`FxPkhurfC=k7gdi+|E3dc`e_6hA~fIc_-#h=AD`6GdD6X zV2<C;=}z6xp2fU~<z1M2nRjJg$NX&O4a~bSZ(?p@-paf?b2pd22XhZ|yz5tY?HnE- zVb`7UMXB%J%+1WtVQyt^W**JF4|6;7zRVMtpU2$EydU#?=I1jnV15DfBIfwLz3#ls zEzIkf4`ANFd?52C<`*(=Wj=^`JM+QJjrFqr7cn<8AHv+qd?@p1=EIoVnGa{4z<dOA zC-X?=Zswzy7c!?8+mQ1xAIH3w`NhoZnU81Q$ovxK&CH{jw=t)Wqw8+BtnX#aP0S}S zw=j=k9>x4}<~HUw=JCuYGf!k5%iP6$D)R#7)0h`ApU&LN{0ioE%x5rfU_O(16Z0#X zw=$1o-p+hBbK^_0{&Sd{na4A?GM~phn)xE;cIJzjCosR7xs!P+^L*wjm=`clXI{j7 zJ##N}jVB;=%tM(Ma)0j3yn*H6%$t};FmGkvg?T%36LaGpsgIt_&CGi-w=zG6c{Fo; z^j3Fv=I1j{WIlqqi}?iR1<YfZ7cq}z?q$A$c|CKDCsd8hLzy=-@65c7Iey13-CkKg zy!SzOCgxq3TbTD{9>shDb35}D%oCVvJVA3Z4`rUuyfgCx=HbkXm`5=8GVj8?j(K0^ z4a_GnZ(^?T1h18ODD!saotYb7mh}&3Ze||A+{(NQ^JwOMncJC9V4lca;|ZgSc{p=7 z^9bgJ%)2o6Fz?H}miYwc4a_y3P&P3SXWq&@f_XdhzRZoU$ofuTZegxjWcx=k4`*&; z9>F|b#b=(V;t!JXT`E3vw~EiaP{n8NQSq%Zeyxhnyk5m;-l)Qlkl~wEc;;;?Jah4? ztgjX&!<(3gGq*60U>>EykCWkTDm?Re6`pyb3Lh=QyOf-{TgfL%d7+Xs_b9nd%4?OJ zdA;IOrMyvbyX4J^$4TC%c)aAILDoNXo#ZCweVJRB%T;25Ra0687J{CgAg9(P?YwfC z%xjvo>P(LIWy#U*tVCLUCN9@L={XQ`OZC-R%=bCGTtyd<%5bzlPL9?^$<g{JxlB$s zlevqzi^J1X6Xa+GnjAehK`w{yk8{LI=Cq0}5X;FZ!_f*lxir*-9IYCY%kkAmmMdLf z1*hkZBwxzqT*dWs@>;P28Y7p=<;mc3IG_P?D>xoK6+zC)@##4naw|Ce3QjKvPaBZS z<8*U5e;22-jPs%0d2+NuPHu(13qa3DDSb$J2Kz7L`jMVjAUr*nKq2WF0;wrVh4$s? z*@yX9kC%?@BT`He>i&o9BvMTCt!tBgM2c9U?nlT@BC-0e?tjQ$h)?76<gWe|zIAT0 zmq_d?sQW3h8{+dgJlRhqq-^fcUmmy}E9=scJ&}CAkJD2VGqA5B9obVPR@qhjOtd(0 zb^k^76^T`OB_}(h`l|fN-Xg(Nc(Oa<Du1#+Dvt_Jc1ZeD^(T9bgf><BInXxAl|INm zBT-uJ-pHNOTi{EN?3K!=(j&X2`tk69(olX21KNx9HAR1Jjx<1aP5CMP(lblceky;m z^GK9V-EWe;6Ic2pyQlnA{mA|!5nA2PQa_;j@irVnuhse0_#X$B%l1e8BhYTBpF|>- zsuzWegcT{f%h&bd=WF%&eop->Fg*3MNLZ<=mwXCoy06`+-%&kOxij>7&hpihp4<tv z3;CSfET0~!pVIz}vUBRM#8tnbeoI{CPyLtLC0GyCp9AeDNw2rRT-474%Srt`kW;_! z$YuXf^`dbgP@bW;zdwB%9|Gk$LFv(WLG7Z_OV;ao1uRNB8b<=#QI0466y>-=7I&2% zL5?q!qO`D;s1Ipo3b%}W3d-NE8G1X-_UT!UM>E7+&R>ovvA+Hy_u2gAqw5gmmcZfV zcrwM;E_B_Y@k;eKIX?L1nR@*L#|H`@A7Ce>zxnX#Xy3A5`^T}seh{mVwds0^q@DTu zzqGR{K79w;O<+8ww`nLlIjNUvKKql`ZM&~ONj**Wm0Rj*vTxjydh(CsQctnI{+FZM ziL7T}Ib`|$^;G4GXAR48#rgV;EZ2NrIc2%x0?I-5=FeA_>k41FRk>7q$?<kdKshro zhw%4Yng3Lu{mA@h`Njd2zkfWW{QdSO^N;n7cQSu}dFk0tvfjz~A2`0{;L1zoP%SIV zG0Rs@ss9;1JCymv`{Xj8S=_obZj+szIv*MVl!eNC7WnK(=Hu^AGM}lw`Uj@lv0XFt zk)UJw=b$G^C)1r7z)25_eD$IFlaI0tS+1*mav49?H;yPhtLrMor<Uj#UyUL(zar@r zU%M*(sqt3kH`7;78GeD!j%4`BzIK)2;{wV<>0j;JZ<pa!Z&Us4$^bcqkN1rusy^yE zFVmkKP=C_SLSMg-@+m>_<AdaLefA;KSEHt!Z<DpD>$a5J1MGnEn;mf7Cm!#szki-D zuk>UWfljR(t8w4O>(V1Qkn3G}pCM=4ct(-;F;p6EmN&6SA@dKIdze4Lyq39#c|G&H znKv?jlX)}qcbK;^Kge9XC(E~$xrzBs<`(9AnMW}{#N5VQ?GwZ^-_P<y<}WgLF>hd= z!1@}>+|BYwm=`f$!Q9N@2QaT?d9sqTel_OxELZcuM&>uLyqWnk%q<*W?Gv`MT=k!5 zmWOh9W0TaMn%|h2-^OwqhYw?JWw{!s?JQUOiqR}D;qZ3m_b^XjuEu32^QTyz&%BDc znb+;re6fJ#8(1FC`FCbs#B#MylfZH#%e^cwWnRbpb><Dsw=r*GzK?k;^Lv@MGk=!3 z@qMY!mzkTH?_h3a{x0)q=8eql%+-83fq6a4oy^~2p2+nJXP(dU1I!DUf5g0q`FqU0 z%wJ<($NXvL4a|2lZ({y7^H%0%%-fl7XKwsJ>f<nTGxPhHTbVaAk7oWHb35}lm?tnl z!raOHL+1I+KW1LQ{C(y{%wJ({<^Fgfb1%zNnJ2Pb?Tgm2Je}n>mS4oYf#pu-PHvwF z=1nY*WA5hoBbm3dJcqf9<DbR6o#mUD8$Xo#EoW|KUd`OfTwULzng5;TcIMABSNo7^ z-!*~d1uR$lqL(mtvRv&$=5u+wusomT>OP}@>pP0&1uV~H-o)|E%!^oF!`#bU-JiKR zd{>s&v3w5mc+Sttyn*G*nVVSNpLr9@9n1?j{j-_3vRp006|%e=%iCFgKXc<D**<fb z7jbwKb2H1;eRn>WCz9n>maD6F5z9xjJeuYC%+)^hWz6j?zmd7;d0C$B%#A$0Ud}v$ z!{5%_$$Y+w&-ssGp3m|%%%fR8n0W!qmoblG`5@*+ESIZjLU@^PWVw^W4`*J-@(kt; z%x_}e&f(SbGfgbNmF2B0pP)F)Z)RS|@+g%a%O7KI{7C9guHNA}9Oii}w=!SI-21!? z--CHH%O7BFXTE@W0`mu%*K+)x%$+R1i+TMEGX3$)^I85^=5-vu7xMy^FH-SY-kW(5 z%NH~EGB09Y$NWy_4a_$)Z({CMa!&so=B+GGVBW~`bD6iZT&^nMy@D^u`b}iH@ngwv zVQyx=g}IgaD(2D5A7$Rm`SoFLXZbbEEu7y#<_RoMVeVwUi+MitJ<JQ3*D^0+UdP<a z{2$Egn7_)rmCM(cc>~L@Wv<rsk1}s!`Af{(n7_c>cv$MILd9qPkP6TFoyR<y<qtEr zGrx|xm-RE2c>>GVGFQ*3*qA$6eh2eLjvviDpXF}mO)S5Zc>&AUGjHee_G4be^6Qy< znP)N=oZk7&>sY=-ah6}qyn*HGn5*ZmEX<o&p2Xb9@h@QB%JM|!wJaaUyq)EbGdDHM z_W28QJBJ^_+{*Ga=F!ZvRCwkg%oCV@!raNcka<4yV&(<RpJZOdypp+>`E=%W%w5do z`YintS2}sW>%e_{AWy<7Zy-<MT@Q7?oyxmYil_1Jj^fLCS4Hs^ynCW}I#&Aw)A#@4 zK$eHrJObreScM4WD}&^;S{f*))y_b!R=ZXHYXa&^tDbUIFgaj7Q2NOK>5!`wXkRK4 zrB~_8eHgV{NBdT^{y@LCl}@fpB_Rd+4X8gIxnD!81JcR;nq;4zsVtGuveJ{>ze&Mr zw{&v7O#bGDd?fe(&O>tg9~ho~h24>>>!4Z>&fr}qxgWI5xB4L0Z5&u7mQL~{UwI{0 zyOnBPDA`wjDfib$@-$!hBwy}pXUQ{z(s%jnQp(jXoXU@WrxI8`zn#nQYkhVo*Ja4s zRCrp4p<n9;@?^AGM;<Ki7@vNl8yH^xR)>6Ke*X5Bd>QO2Fuc=eH&UK~-wp@LGkxtR z<!bj)rSA&RC)G#()`(J2;g#J=POIaA>F4?ETFO@iq(|%R^zIK8p7uW|lyq`GD$S=) zxqqm3ooU~h_UqJctK5eseXI23I;-D)6j$Sr<n&+VN9(ZZK6{k%4D6RnC-+1A<&*n0 z{(dR<Fa5uRlKW7Ba!Q~2t#opITkUGoelgWw?Vb~-{_61AuiOt*yV-JooyG;FFS+00 z@2`@p-FLbF9*LD}HEzp&v}Hbh$$hUCzWyQim;B{d`#;KucqB#-r9Zh(w!$}#%l$>Q zt4{mtwEw7f+iCxr_UZinQSK9}U3HSv{*%g$IE{n!Upl$J6)2be%`YdO;j=%v4@m!| zll#N!=>z#ZLZJP~{UY_00?8@=!0?p5e>{-;dH(Xq{bu!41HH$D?45p5C!OT#X$O1| znD@)nh@rUZ@rtV+Dfg?@Qxfty3Hd8}nZDfb^Or~N=lJ`N<o^0dPXASW+6PrnTd4hI zdh>&l%Y6iu0<G)QHA$tQ_DKTev~Ln9CylBSseJ`Mr~Pz#>w(Ho^&fhh2|d#wC32tR zkJm%#p98(0D!lX$ynf1kJ(WAvm+V!QmN@PE(pwKyd8iB&LXLoPzt*pB`NohyPW%7r zDHVF2gKF=$ANf20{g+PeAFHQd=s6K;5BfExbn<xtm+$&5_Y>v+K>Y;z2i8~a@2^5B zq?7yb{_@Cu0~$}{2;=9n2Pv-NOYZcQM{;_@gLIPT_{ImxbA8uOx$p1KpQ8!Ua@GQa zPE5&>*T0I-bLr0Z#n-vh8y_99xeHOpk2|YgEW38kcSDoqJU`{>6XU}69=vVoy}$IH zkUmw$F}+`yx@p9er1!LG10O#3q9JqWp4Dc!zw_?f7Y*vS<)1Gv%V@|sl(GHGY>gu9 zej{Z_N%CvvvTq0f<-qH%Zx65NAM?dyOXNhmCG+H-*OzyBe(9M0m*P_e)2<%eesJZY znJ?}6pfmPJ?jGqi#y(lOuJ3@2wm0th;jB0I-aO>2FW2qaG<f@r9+YX{k3LwidH;)! zs}5CFUHfX6sbN1ZJLmZW^J<>?b?9ApCvF->`HKNv?s)FpvW+#1wr;+n)A%Q^ysml4 zA$LUO$u`^j8@-M0zAG-o#VI8^Zp;I(F23oVDKlFf1Gm0E$u#kW>>ob8C%5-i^<68@ z|0@0cVWzh}Lu#g5F1W@qCo^r>U(EeJi4Pq<?xRuP42e&EXyv|&bB@j2XdP)hH!E{S z-^@OwZQGcOY}-TQvoHANodcVOKKJ@HOCK0Hq2$9G{+YUM{>Q5yDY4Yf|K-J3ss?Ym za@NsMu|9Ioug4n)&WpEpd*+AldoJ$TYs#S;uDkTzhx%OA-Y@!I@oulDZr!=Me68c; zGd-3&u#(x*{rtO@?O9~$zv;3K<HH{@rnz3&mAcCE<=%@Pd8~C=@67Ptj}8BR%*vi~ z?YrJ6`E=U6ztP>W>ACz(KO5?E&%0Ax*H)YN%7<Hf?R@`}!`a<Z<F2%>KBxJojF;|- zo%`m#`-d#7`sCdqpLrjxcw!Rb3ERxZua37BT==(_Ga?eQLSKyCb6sS+-Prw`eph+^ zX>B|H`sL*#`*>Eq`}}QF({9i*e=$9_sPCG*vb%*i^5o8mc?CD#ch2RnuefZ-?H}Lv zxN-WlS<WsMAD+19zCnk3e&viBGIhs8-%MWr_dTx}626=3e7|JysvGWFIU5#~^6O_e zUHyHx?Ta^cf7&gUK0Va(=E0ZWyCLK9@_w_PdHrM8V;@YKe9kkoUu#@h)U)Ni!pm%P zKDoT=m#o#ZF8Zt{f~?FmdSO-g!Gtaq|G3Dp=(d~sE#H0ow!BrXQ%Agcg=g~PVa9zi zou2iyHoW=y!uo$6d2*`uZS7wzgK`FEA6WlOT}yRX@6NWQ32WzESN6u($)C*0$mllU z`>~5YUDR{;;0NFP(t7ik54^Q{!i)>5Bl}-riQfLefj9nn$A_<fJp0yq=fdLa(w@A1 zVvj*9r`=$}FSh#)nR#yJ;_9TYDsLb7?MJ_s{JrJdBj<kq!qTzsf*qH{jHr9@o{zWn zF{T`Ud-n3*FFt$uqGi2yerS7b!mxbjBV$&)|8mWb&!?qag!;4`U*i6?=D@<Qy_T7e zv@d?JD&l0d_LqtgGt=&W@q(fK_P$zq@SUbruZ};^W#I?+6+ZUr!`^>fIoQ0at!sFJ z_vc(w|I2>sZvS-q#^kF^pa0{**0lF7ipg%-acgDaH3Kgl`)FS0wO8JA?25?MzhplA zx$UfT_O{>K#niUs`|jy`22a`W%f83%IV-1T-S1(yM8?*p<qeM<ar5E|)3^N_g>CJt zpC;9{E-z>@eOmN-!^;bAH!b}8RgG`&`ZZznjddY?rp1L^x^GsWZQ|wrpVY^#DR%Fh za3J!DW9<Vou7CLU=)W}eS@TBrs#o$i@BDPl?2t_@`p_Xn@v*nBP0zZa<&n?dpYTg@ zR?_OZ<2Jm~de!ic6F#2!X2S2&2ligK*n3sp=NHXiw)))UXFmIKNyLexX_vN+z1S1x zy=~{{pJKc9AMj!9)lColcwSXWpUa)0P+-c*8+MHf-FIc}*FPTlV0Q7{IUk0%Jo?R? zWnDM--umv-PyclG1JOD6yfov>{SOXba{uMg-F|xN9!sxF@(&!Ia$xtz17mtGK3sFh zl23nJz2UXbORt$XDrC}}&!<EnU19p@_`L9G*BzO%qk81Hr%JO*U%xzat#!xGt9M`7 z*l=)JbGx^C*@S)DpIX$Ae%51;-7j|AubFhmu9?TjzdvtQ>xU~}9?<WX@b%MXE^n%Q zZ(ZCG<D=z|<cWfbEpkoIcJJG!??QKFr<l9!9)H`fRr$S!*3A9w(g(jB+&gM`+*xOb z6i=9V()#Rg1*;QcAFnHGnUwR=_tV!ECFS1TZ9tz7tN&g)^2uKDm3LKL`o)xS4?MW_ z@L}!bTR$9h8`gL(LD98G9*zHQ`=M7yY@ZZ;$*fm$8kc2!(aHPB-1hH7_Ldx(=eg`c z(|cQUZkhV*`#s(aG2iBT<g!EaTIW6a>Fi(6?L4Yt)~+M(RYlDCI_b{8e6{n90k)-Y zi<^2Ef0lQ2|Mx>j-MpT3({k?WlwW^*YvrU>o@1kW-LN$7_}G!()%~!sYqy?ho8of3 z-7ZSB_0%Rt6s+7oAhP_DZ})w0$Bxm@O_?0`%e(1e8yf1guus-~{ouU4jy*}0O&{F$ z@fTz39L}~)FFd@z=kj-U-xaAFjHzeq__eP*KJ=X95tq;S;mwNj)uk8iD!cKTlKrEy zO&9-d>SMd=dcNeHJtl77_OXvY|Ln<atHun78#(6no-sS_Iq4ez{<Y8D@?ftiC;IN6 z-u_YaX9sWVoObR3L*J9%JsneBwR2C_H^zRu<VDn0`I2q@`>WeWOnUFg%A!%9zZ0H3 zH~XVL-kRxG4}15GLxy1|Kbro=U4wcK*?#cCXZk!Bx_9{gPS3pd<r7yNx-$H+*9?bV z-Z=NO(e6ciHhL3Ajhk{o=!RaOzId|dZ@-6iTa&!(#Q1lXu8KdhGpQ5w=BQoPH$ppD ze<ZANLQanlFCV$N^pnS)bbN9sdD!!z7j1gv9hc*Q!AD=(nRiyN0VB@upSZkdUCD%l zx98mOUE<;QUVCNu;j~Vd+*UW}>rVGA{W5b#pR5n>x-aj>-0R0bocZ$TX9~x^JjL3u zaZUB0kI$w?N}0U-;evM_8WH<`-_PA8BPac|V$zx!H^y%Le9g?yP7Hk5^=|XGZ@w1x zUfEqQq>GfJPaT?Fo@w+JKR)g5+=c}ke_Q-Y?*6y;)J@4uet+@)Yo5ON*vX#hj=6jL ze)#PDPd_&MyW;rIe>t@BZ^@m9ZyxpWV*@EaVY>Z=>nAR{WcAVL(tk{v^Z3E_BOd>` zEcex4_B{A`zva;_OSV0_;fK!u{HoxcZM(0Id1HUgEw0P^KlWBeWNR1m4d-TUO1u8Z zh>a=sON;OC-rQ|m!o+iTZ2HMQ<b}l-tsD8lhCEN9dqU5@e;8S4e>3B+p)G?Rir4d0 z{|so#5X^%@!-W>wRcK*7gx1L{44p0zhR%b9!5Aq*j2DZL@E8#iVHcqh^F-)b*NM<B zX(Fsko(SuDqX;{@P=s~cEIM_o7M)DHM5pd=iq74eMdu#hi_Sg6G-FS*X6zlQ8PAE; z!q2%%3qRMTg`4r6WwS?%=(AIc==+uyao#uDS?7ft&gwVVaMt-Wj?fx;E3RB7EM9tU z)r4(IH{pJu2-ndc!^CS3Pl$qi^o8^WD8jk)3Me4G{Ym=sJPlImy!ChM+fqe0Zq_j& zcZ-fu5j8r#H~A?Y54QbX$BcWQ)v@!CT{`~ty?R3Ty!&6$`S4kLb&UG`WgTy?dR3QS zJ#U}R_x<pi&VRmpzs@@kc|%9@&Nm6`2bDJJ@@tnJ(D~${2X+2QtB$s~innzC4UV^U z|LuL>(eZ@?I*Nu{-__;sUHTrOX#YY-_t=M<biV0|_jUP&Kj`TG>d_B~+kT$<A)$NL zmpaz}eD@*U|KymD2*vWZb+k>%{aE+EyT@TYd_s+mo_T|tb^n-b9h<Xv>FE9;{0RBi z?^&Ru=d;Ikv@L0s{!ybpA-TAIjgHO7>UFfd*ZHWPzIC>a_09L`m}q!k$L71wZ_(4; z;Ly?5UZ$gH`dmj#<gib5`7bMUwAr@n=rMewWAl`epXvEh-pYOW!<u#O{^MgBmKln6 z=Qv{?f2CmaHLqMB^U$dM3q}|cVxs2vxNPm7q?r5G<)m%D))8~;mM5QBK6qA4$=bC$ zpTFapm_y}PJ#gW;teDl>TlN#3Gh==_{?HYN$E=8H@Av)jmZ9k}SDkm*-f*iaCTjAk z9gB{~#T1SG`){K>$uX<KR}@ry=HPTz#LQb*ddJ<1SH%3bvu0((rH+`CH?+=gy^|U< zWx#<apZ`1~Cgq&jMH^iiG2=(QdTd(S!k7=PY3=#bCzhC>1`XNK{LI9dSEpM)4c(R% zvun!U>RyjrA9K;l*&(ght%!N+swa;u-klMX^ys_G!^0-Td=&TWKhGI(ZOj$d{4#j| zlBF^6_Pb^nAHF(f^^)mNT=7{(%=x$e{Fn2#To;r0VC}8W<uNfS-`0MSC$eH5Df;!s z9-YU=9NhKYp4cxFV{X3osjoWKEQxV0d1}&U-_4FGU)lH9*axS_Jg|7S?Qp;JnCp{1 zh^X9Ti}~v4i3j2$Gh@cxz4h2T$CF}qUAsSX-?EgLtG}AmXme%8jQ{w?DKG9?7IS(2 zmwlhOJt-#o$Lw>@zy0c%d!FvU%QPoB=Dsh_dF#ld88K7#ZtXK{QF2V2(f;H1PZq?i z-PdsKr+3D)9-?Ai9AbDbrZyv{sP@s?Yo2k$3_QHE>YS_@F-iR<KlH;>sWA)Z|8!N% ziiDUR+m3uO!agr%;+l)Uz4V`%G3i;$M$`Baizol+naG8B;%^We$MokGJLt44j&&Fu z-EEq1^Gqz7CuAJ-zYa|DJ6ypD=HDpybAtVS{J*O_z6}1o6KCI3*X#dQswTWc7}w>I z_!I%H78tQP=Db#ud{9OvrR7?yi56Td^e}_4D(%)pKH6?1UR9Rs7^H8<L6`cwh(|_6 zB`;luAd1J%TQDdgb~2??5adUmg&qB_rf@|a{ATEJJwblt=?(IWg<mcF%)pU)zB9;6 zG;|E7=h4`~FJ8~134Txq$Bj>*xUC(-B~ZY&j(&Q2?H&9U=;?`@0@GWdhcm&?g$=Ed zc(GfqgYBPmsq;Z=*RD-Tg8GE`f%Tc4n>=X7WIa7&2fwRjdVzimWH@sNKN-#fKNoK2 zN9N0X3r}jI7qa0t979=_b@Urces%B*XzOw0N8hd7hDi;_9Z!D3gi2syF;XTkL|=oj zL75|y_`PmX24ScCT`GVc>x}<;2#fLEDZ_AYA~8XWveYlv-ZSpIbzf-1jl)`w9zEKC zyH)S+zyIDz*o<MqEwq*vyc61H0v9dXS77vBZJP<^t9@da(lP}ec<s2!3i*-sZ)=o> zQ^cFDC4N)mjf3D3g$H&}8)3$SNVcKU{t5GO6a?@H<cTFDu^w?`{>T&QqngGeH?@dy z!bPa3ry-nWxDbbM6rn#6qMW|?=i&TZy-Y1f@wr9gK>d7R%K)7B=JRBvOZ6Ek;*EOw zZyDG^Wu>$?p=G={_9AV<DTsF|l?_$wjC0bBp~XNWt)2$bj5=G`LOzL@`5NnUL`%Tw zpUElBP%bZ)$@DalpN>5l?TkZ(EgJO*d9BO7JN6kHZfyvi(z&Gr5m>>EG9TI3so~}Z z!)>Zv>(H(R$Y%oAf2N2s9ce^}TUzvXZ-9KlDg4Hq!mqpD7JhvdV%G8~j{Scj?a_P5 zZAQ8kqPC0#g>LXJa~r<HWW&3~$u<VI%!J)sPUq_n!2B+1!E+5JWkVN37Dck#q)o-b zrtsNIg!S7L<&=(1)I&IWt;3uf8*tr%%4LSkf}@SgH9)vbM{a5G*(If6TPwt!IHHjT zx!}5)@IXXA94d`qc>-i90rIZG<g16WC+CechD+NbOcsd<b0CCj^Qf?yyX$p3=<ABX zd3X_L2M$#RyrSQ@7iB$CJg}v!@bo#d{^-$=mh~aj)}vw1(7&!@m4DL)1in*<Yq^f- z8^&JnqV{<Vx-Qhi%XWAc<=LilIWSleX0~vdkKA;y^8tORu=@JRh|RdZ;i%(u@l9p) z4Vf-<jsEJl5qBBv14k2w4Z}D@0|wTyjYm+B;V6fh@?B5E(M2uMNUNvLTaI2#?RHbg zc5AFd-aCc(jnf+)l%E%}=x6;lIf2sH&@qi%$Ok=#_Ps&2eGdx5<CxN2;fojxaM(CZ z4$3)=%5|Hx#ZlZZu_mMU*I|qoGortl#_RQv;YXrgdLLLnu%&lUneAv)Cl1xlJ%i+y zmr*AiO5QI>?t*MvfV_W@+=H}R1JWOZvP7_sH=^D3G4mFGyHC>XwBaQh$1kICpuvC< zSY9WZFkUzV?D#Ikck6ob+i?o~<anzr=jhQ7M7;R`+3tY?IYQko#~-@xOgTj!Gxa<g z^)i&vxOU)=<JuUE54aBfVSM=QYuNlZLL_qA;ksmkouTcd9o(dkZ5`{h=oGeg^XIs) zZ}sc_Wz?%q&(B}iOOZClag;%(y$EF*MEoXc&ty*q)cdR7@UH6<etSyCx#gsv<9cN3 zdWv}ceib4Chq6N_&fNh#OGH_Y9E{k<THT=9sR(*K4`YJ79{T&EC7eE9kNbr)*#6Wm znn=Xq;V=)Q?FLiXZs|A{P`&OvTN4wzX`-IP?#Fp^0PhuKi<^*cEe>VN4(N2DtT&G` zM~@ytes7+}R^)Z5W7|zX%{Y~QA+F;%)Ht>O47wVJdC}?gIQumA7pL28$7|`5Gvsl) za;6N0u5qYxo{x6Jyr#og-aJARU*TwFJ>%Jw4&$r^3#*UfP~+@!=ykfDhTm2({+LYU z$Jf(kq45@a-_7aj{j0Ebr@4H89JI6aJ&vDoXwuY=hH3E@%u`Mqe>mzfgyb0KX^z<n zn|w*cTWZe`XA=6sSiOw?G24Lf<F3|3BM#$V<(T~y&O@*9^K22NUr$s%N6yd=vr&er zRE9(00i%(B9^8j?i*Z_A3tV}c*nz`}ya{Q}X+(Uwj?#6k1?R^ZX|AtawgDw~`?>Nb z{Lgpmsa1ve&v)yk9{%6@ZvA^<i}5kR=~>zH@%hU1RQVA<G0A|>DbRPQV(~3_-?yla zidg*{^6W7gPlZspSy?H0>H1eDX5;e=@I4laPe8=tJEK|Ysj<1)>2^nEN;=+g{*-n_ zY9@U$G&MjtZ52N7iT7}a&dp2BUK5|1jn6gWTZ+jDlb4APjN+yjdBo;rXCoZvJR?P1 z5a7E&|9T=k#WC`oza|H-SYMEavgFXWFX&7ph4{ZfF+VOXC)bV-E{e=BlyqUHQ!il3 zwESeeogJTzKrG6+QBN(`fe(_pW@IkST8z7PUwvhz77KCZw0X0q#f=>^GKIdSdoXlf zZu-K^)%ZpOzHH&3@NxLC?zHS|`Zn!o$}fOFs`<aS@i?6$xcsKZW@5fCX*@<u|Nh2U zZ5nAM=p!2Vj#Efns$*5^AN-dD)H_Is^7YWB>YvvQlHlu4^Bie8sXm2ZzK*s-n`WSC zQsUAw(ai4$`79O(rM^<6YVduIPK)ua58X0Eu3vN1CS)nlT_5u8*tQ~33;Y1uonZ_3 za~^&>+^&%-;?k1vNy;^1wLfK<@w9xTTur`YE|XJI@NHo{#B;ld#piBQxp1u=Z5c7% zU>_>pVlju}>(+zsX^Q2c^I$GSg*Ykety?!tA3n=;Dcdwsni>M*a>>uA*!6S0>BRM? zZ;Q#9Df3-vnYzu3$HNx*zQW?6a}-5dMKLj-Rct1vC;dW5T$TgvqH9F2|KlCM@PblR zg~a*4tpdJUn+_w@bs}!i&!?y1UCmTUJ%x?B-)t;lN{!qSG9w42NK4Vj1bj1A>>y1{ zj*S=MLDJToX|w2jkFKA1>M+<1n}u%<r%hRti_f+!PD@FRbvm-e$uM=gAj>Bg(Uiut zOnm=0E0aF@D?b90gOYC3+xt|aUeuog1dANmX^tdnzbi>HKi6lA?@{V9N%}%6Qr$s5 zJfKi}VQrm!sIrrD@mZXtyxi0rT@wcK=jNT0m+Q*QrFxoV-YIjIO1rp_IGx64rBN59 z58D)@-{$2w$#+WL(xs`{u)|p@m-+aHEdtHbErbZh68(H$s<fT%vj6xEOTR+?=iiw$ zFs9^i<U?2oeEmAh!KH6wf(b`6F2d8r(=4Zx{CoZeq<iYw-oKx&oF)8w>HL2ow)Q8^ z5adGGsk)OMF=yBJS(M+uf@DwRR9Lr&h|r%UVh<&&_sab+Wd{l=Sm3!z=XBWK(_lMO z`2T5naJg-LPF-GGmDET5Hr^*JW(-c?Pk3PuPQRB#eN*aB;{1DJ(`lVd*K%6-@8$b{ zO6=2rxIvci^dA=ZKcxo$J>@v9S(s#gr!@=9e@}V-hg1DuZYG*Ry>VIUu?(A>i8rpf zaR95e;;=j^E|<7|b2C<Qu^#(Zw~k(f-(C7asYQza@P9qlc*)rqpZ*uaPv-D{NBB2O zT1xtgPfJ=$u91la{P(5**J3@!+%O^LesKK<7O~`m<sXa*2q{n3zt!|{^DnqF{i}@G z#N&3;P&uytyZASDhdA9sobLZ!9Esx6agwjOgyiyyf~tgG7l(a$3oro~4|LK#J#as; z0N4bq2Sy!-ya(jKbYL#f1zZQ*3w#tv3z`i;H?WZq8)i+wW?(arKDyirtOw?|YhvBG zSmFaFnz649H1@&s7{F$r8*71<zVHXqGa;izv9Rmt5&1xRo}eB$R~uq5S%mme3^5pC zcv0|oV!hM~r1i{8MY9lCNX-YY1NH%L1fCCU0~Wx)5PRz6?*(>2`OMgmx(+-aXeN$1 zax=oU0xuN~%`!sZ9bOL237i3}1yXvAz>h?d!3gDF4DJSAB@#oMfj3Zk*!UVmdWfRm zM7C&7#ztTt;TEkrqP*DmAWmzj#fG%drm?h!+$_xFgcuC80i!7$Y?x8G&5ZHD=i%=H z_SRao0z4V92IUi%$nx5O3lW|khQ{}t4N=iTlxwMmrb|&i!%{=-L<*l6g7222e$Ao~ zI6!MPG{n$vidr<+<=8*|5qboci=&!piV$1HQbQe((zC`2@fh-J08T}?#%V%q7byn! zbkrN%gAMrsh9oWeN+E7RxO(8rz=Akhad2p+SwcLmL65T~7RC#4zaiORTmXFm;}=tY zN40ifZ^I{=`D!8FLA*BL#VCK&b(CL{)(YH>aNg^Y4(ido1S&`VMhEPi$_0EGDHbK+ zyWgl^eKOTAF*F*hVqG9NEh9aleSt;b7AH334XFn2a<YpgEoueq&hWXxjpu0aYjCX% z_>k6OD9ECAPST7nJO_k$Q7dt8g>ujjwHCrZfw2}i3-RdZQun~W2zVFJnoH@ST)^v~ z?{;A5Pnw9%!=63TOT>Qteqi)!JctSO0v{5eXbre~o{V}L*PvWL%Ub9g@#=x2MWWUQ zybJji{)O^|-2?5E?mF~mpd0vtw$xzzE9_ZI3n}`WZf}~&P3a~YoWMxLD*}?e)dKbM zua|aj0g_(aIy$swAla$$MrlX!zyjn`0Nf931l9p<w_tA%=q$jx1<-T{>;QIKv;p@R zKcl{PqMShc-LQ9H{XIgwkNOtfi|1h}9pGrq874L%Ug)t-1sLDH(~gDYKa6r2j)fFG zihT;yC;xHmX(E2@X4psQvCzaaj5FY^z$ZkrR)p)**J!7L3bY&iJ;3!Szhw)`3GN22 z5BWSqR8jb&T0O8H{%zanH~kJRemi|X9{roq3w#3OKti<;jR+TA13MN+4Xr>5Z?A=Z z(63!j(m0T$H3P4LfAmu{j-`b}?V$dYq<MfVfu^S=x`DSKf8*b&J)tKcg)e-D?Dwc< zucP#iYPG;a$hTmpfTA#NKa24aXnT(GPc(RdPb1xg=P5k;D=-Zh^@0#5#IjCNyQCfD zzleT}c=f<(2yd*%c!c!5z)09t6EIIZYDjnqc7$-&y;vy%x`DlZ(WsM&x549q$0;4) zKGAF_c!lCSv^wC|D3AA5SzmJl`WwO-_u=^g3J?60@_S9%Z99<0->82``*Slk0#}Bl zh1%Yv@!(T~xe;>)<R5=fh@INf5aZjh2W?r1^&RYm!M_c-0NDC2?8lH|FuyOyYY&jx zp&j@m>f81Kx9^9T*C2etAzb%>?H}R#1dM9Nb5FqfBPcKNPjS5iCVYnHpn!>=!+!sX z`W&Ni%VDSm-hy<azd$+QZ~qGY6j=8)p2<LX_cyYg+kgXLPo{72lM?the-C@XIBh(R z@fYDOKO=vjsh!5_7OfUY<FEY}YNtf45coRA<-~td`?hEezy^e`{gw2&)X?x7?4Qy( zN%~JUn0}{ms9DqlBQ?}pX!>~M)-;SKN3}-a>(GnGpy};y4nf=givAY{Im(sTS<|nB ztwv4sgMR|{$k(8rjlg2$?~2ec4q@B??nZvDvozRYi`ERBi*Qlc)3zaAKF|Y<>Pq1g zwR~U-IPHl)g!uU;O}q`>+7mhlx_WEkh#~E)cr)4*+}uYK;aYO2r7v{*8~iRne4y2W zxdt#{0Iv1Grh(Z1B>9D!7y+~l(ZqI)e~ng6Yy)q_e)4XSY^WQi>DTS(;hNY9y|n@F zM|lgdm;5%uL0O_5SO+Y|IFc}u>g6!h0cT+35u;G16BwtXG}tBP1EUF#Y6)XVZ!Ma4 ztR}97yyy}<2LOzof${*Gfi%vx1AA-92Gf-q`s)#`0eA!2$36@7LAb=Z*tZ6n=AmtY z=7k!r%b$nT0|!uiAo`D?d66bw)>=BXCusWkZ@&s0`ZryTHbgw*HJU!InXlDg|INY$ zd>Zkr*J+q{z@C6c%)=6vP`f&`Cg5nGF;Rnk9noCC>!^IGntuH+T#B+Fym>k4>+_IW zAdNG&6&m^#<{cTDIEH*InVNn*Zvc*?@GjIl^fQA!m-1~EiFuk>0DpS^w;uB^dTvo* zenZa~UJImW=kELw?Z`;av=NVHq-VEAU>u}p18xS={yxd+`6uG^3=?r1ka!}ao6*Bq z52XC*`2h+?`{;zUr=5%P{jYUy^aB(>zoekVQ{pYDEvYN1FKH@i#@$j=X>)07X<Ml% zGnHA&qRMP#@nwl+t}=I7VVS3_wyeIav8=hQtxS}g$}Qzl<+k$p^2Bmixx2iu+*4j# zUSHl=-dx^RE-FkFmWrqfTSa_DVuh>1T~S!!si>`}uV}1ju4t<eTTELlTcWnuw#08q z+~V5e-cq>5v!!-R{g%cp&0E^G2(QU&@kV)V-gs}K*X4D43%wq1t+(FW=xz44dBs-K zR?F6?t+uW4TNAgswz{_#ZuM-f-CDo3aclF|wymPlRB5S<s<c(cS0+}vD&3WZm7dDl z%KFO2%H~S6Tp`8?fGkZr%40-{%qWv}OEgMlN4XMEGAGJbu%&2=7iFtM=^C~qZgnER zeB@YwJd2R47x~s9=LY26gxp(^fBRM>?t!gA&lZo>6Xl8a*gSSmyeGkv=y7^no_vqn zQ{XA|6nR9kvDj2>F18d~i=&F8i*3dB;`ri(;>2QSv8y=0*j-#uTv%LG>?!sZ*A~|m z*B3VwHx@S)Hy5`Sw-vV+ixOjrsl;4jDY2GBl|+}=O6(=^C5a`@5?4uni5sn4SW*<w z(hVhz+}dp=?IohrSZXRYms(1#rBS8PrM6OgX?$ryX=16f)K!{a>MkuPEi5f6^^|%` zYfI}&o3^)ZZ{KdLHdkA#qpR)J3DwT({OW@0qH1q-U3EisQ*~=~d$qB~Tw|??uCdo7 z)HrMMYYJ+LYP>adH4QaQHLW%6HKG=M5V|pX%+O9WG?M_W<U=Dx9<Qg))8J|Hw0hb- zM(D)~o!FrdCv;H&J$Rvm2GqY5bvL5kR@B*El7RY>MHj)M>q;6>!&cPJh?-eZD?4iB zL~ROC6EAAfP}&4LZ!a~LnaiwY(Pj3sgfeGYepx|TQJJ@_uB@S~sjRiEz06o{F1MCP zm)pw|%AMu;<pt$M<=*nT@`m!J^49Y9a$|+L!deksVXsK2a8~436jT&dcq{5E8Y-G9 zS}WQsjIb#yEXodRa&F0ITdIQ{HEn6#(!Ry$HG8ezXs_Ly;B|WQy#?MPuh(1WZSXdE zTfOaG<5u%l>(=P4_N@u9yL{MO5$vrFw$=nYYu{?DG*?<Hqbu!|36;*u{K|sLqDpUN zU1dXMQ)O#qd!@0;TxG3_uCiApR5`2is|u=$s=QToRSi{5RjpO+RYuHZMZFvk{=0fx zTcxNnRavT{s%%y9Rf$!uDtA?3m8Yt<s=lhRs=2DIN^CQ2vuumnX4@9OEpeM`n|oW~ zHqW-&ZS~t4w>58T+a|V~wp+GGZMSWY-=4VLwcWkFaJy%F?e_ZZjoX{Iw`~{IrfN%d zRJE--zB;kmRqd`WtoBsbR@YZIRyS9-Rf`%^jin~4##R$wlUU=ban}^qcxq~E>T4Qn znrqrHKNpR-P5^|*<guW)+R#%I(M#Rvp&n1Ir{2@(Y4)_CubR+LqtHj=(LY`2n}z6? zwdj+L=#Opaizf8LDD*+<fiCpELiD^^jIWItU)#{zOz3G*=w<QfVJ`HpLiDWK()!Xy zjJ$3C#p5pO)2!)xH%`=9w8?Xu2mU65{@sv5^po}yGkQn@`iAV|ttf{L78ehj3mol& O$2z3)ANRjd1OFF#6D#xp literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/setuptools/gui.exe b/venv/Lib/site-packages/setuptools/gui.exe new file mode 100644 index 0000000000000000000000000000000000000000..f8d3509653ba8f80ca7f3aa7f95616142ba83a94 GIT binary patch literal 65536 zcmeFae|%KMxj%k3yGc&SCTD>S1PQP}R5YmQ5=~qJi^+zl1UE)DtPsG8blp-*!#RLg z0>QIub24npZS_`f<yJ2Gx%RfbwfBl*uV6xG0{-MjRTOJur8;p@W1&fqnDc!<b2dM) z?S0+v>-)#|`^OhvIcH|hGc(UT^E}VYJoC(K^_@E<yCg{t{F$aC?Zcb?`Ni{pesFxw zo%Wkt>DjE;rth;Yer@_4k$X3I);E0Tn+<n;+jI9__ucm$)$@&eJPq1?o_p`}RNPkU z`Sy3#+;eqK&X~ef(Wh%$Pd;(of3Tsy@11*-?Gf=`u?u)lX)Iw+;(cKCl`JOSKK7sD zeHA+<-V4}nyl=nv?g*9f_b?6yBx$kDF4=y~YKCCCB)cu!mL*9qBV~z|I{q@eUHI#w zxZet=Nm4pR@o(rY`E3@_kcQ7q0+8}iX7L_=QKB^Wyd=#Mq5o%(=5t@`n=ZtG%HR8U zwR+EH6(2u6f(PM6ZKcj0_0J<otFLZYbC-ITBt;MrZJ&Yn>-Zb>&yT9Ew!oxAMfl)C z#Z+d`C?Ev=lGJ)}%Ksnx|0)G)SVf_n2-;d?f9!~MzIJJ-=wKb=iHfW2QCpC29wSNm zA=ztsPZ<@3t`2ENV!bW?>DIbrM&c*bCbqaRzr~R~Z-r)Gl=RG-p<NO;x4P=0D?)s` z$m_KCdCiWD6_v>}ugUHp=<&@N<(0nQZ)pc;t^f@UfdU)Xs*a2q9hEj|W&QGS`}Q+V zaO>`-aSJ8yAtP2OBNk%M7Utt!$6gfgmQ40WtW_PKSW_r1oOg}p=vZj3XtBjwwJ#E} zLMNCsnAlP1f|%AM?kIHMo~S5v2kZEcbEs|ZrY(iCq{N>@V-R$%P-2fEhzyjmCh@Sy zXyr*PE_By~_)26%86IRFp<L0yrY(-_6^RN*wl=1!sbqzkNBE#Zr|)1xR)-`}qV{=I zsuT5#vQT;fwD0ZwJO~iAMI5M-JD`zRj|c<(+4vp|@n?~!ADWe%G6eO$3}GdB)>9Ya zkBHB1hGv2=t60ZM@2flwcy2#L^lN{0=%0Q@MjzL)ErkWFb2Ro*N07ImOt!9YmgwvP zqh2yflmnST)@Q6JEa3kv=;e&Js^gRcx7ile@Me+Xh_`B=wJ3|47Z(=9j;P;M4jj9k ze|zYYnyGIobV=&smWsjxVw3XZ39!ke-gcWd&f8i_T!k-^@^CA0*s%-oQ>v?$_-7%o z(GNN8XT7J;F$I$PlNQv_oLiavAq4>E7I2dQhlE)vSn!y;BSSI+5(`L`#@q*i(+$dj ziMR82oKzstr3NgrEei6^p%m@2rUhVv>rK-H3%XZ<_rUh;c(a2dG)%uOg$_v@w_EZo zlu%GsR0^7TQkP%ahpqsf^)t)7t<j1g+Tx`4;LnY}eDrxiuoH=ZlK9$8(KPhsobi4M z$psZiHuGF42=%W3b2x}s^KXwz;=hfa!6-nS00F@ZB2Rzdm-tMKM|!J2$OpkDB&e<W zp=IqLfdhi+jGDI_IfSX1CsWBNHQ^`>)|hz?tCY-06G}<$V~#?~heoED!!4L2akG@t z3k(cUbnpdgqwk%>`n0WAC7vv#rU2V~=4eiAwpse1#pRD3*UlGpF7&;UP%~^>-Uq9> zqqY#gDuX1JM-HRLrTl?x<n8>L1RW6Nzt8%&-UwXtnfuqbCmh#A4k1U7-%L3c7Zx(d zuhG+B-K2d4zoLVczO#ufnYJw*t5&k#)-NC8`0Z!%(?;tLH)1SS=)o%@p*m1Hza}bC zH<@{EP=$nZv|K=--J~^q2RFJ=UsK7|s*{A7<k#1>>2riBOI3;<EmbyBr2Q;!)*t;6 z%bAU*;bM7n=w0Oq89^D~`RGjkug?ON9(0;MXlio>B9VN6@g>xk)TvhhOKNMSeI?sb zNT@@qXG7GtAEH*Z*I7+?xX^=^+#cd{e*xu~c+oK%QC`k~8T1Fj`XSd4etuu)23Ly= znHbY_evF#lbUsH*M$@PjpbB6kZlDn4%Pfry7Wc9o2a;HxjOT7A9>$Ks0zkIpxF}-P z4%J+UwB{X!v+x4J<l9l;41|Nc`2wVB4jNck69S=U@yowNLO-xFpm5`+mK}<8p^v+1 z@>vU3b1r4SD4dNJCLBe`P~a!!^eLzUU1z9JMV04G)5v%Ur4xPh4u|g#Tc-(r0PB00 z<2OM*Q-Cajywm3kTRsx?bLZ%s;?w6_FF__SF*1GDPvs6}`fAHZ`iq5gfrnJz3GS7o z<!S&dC^NOtiE-fBC#iZl6nPcM^GAV==(P<NR;%_=#!(%&0YabZIMPv&92tc<Zx7b+ zhXzbD$Xkg{J4C}ln^mO37mVbwG|+Ar#F^zd@x=IC!wbGLO_1QAONu%pJ?DT&$271> zuc4jxwz7KJ_rCH-tFJ@z@NXc!Q<?yrLiCS+GL^7*>xa$m*N_NRtT_d&`a7duuH`>P zd%}h`&|B{GYny6$%@oA-ep8*S_YbNQ*wMBx)7fGDgK2FaWZ0dLJaOehDVhGlqZp`r z7Zz^Qt{~7!1nOpo+s>!!UDMjSGVG3o1-MTD`U{)X0)7~njK(aO!mRqVS*o4ZX4diz z7)@AzBH#*!OwC!#-^rCEBXGL5j{ilBGX<T2fkEhQ4%vX(Kg~1H*mhHs`C@8C`##CF zP-@@Z>RTv<qVAQ@pPBn4bWbwF*U^~CI`+^PVzL7sfQR?ISVY=gn;M0{7SlKW)I}fC zqn9jO+3r350+pLg-%ap_Gfi*v=m#C!&(myW%O}ynm4I*oqK+MG>rZEnIJKR9see4J z?c)sQ$RrZUz7CZ}&@|&(WWQ<q`Sr-K<@HtG)|Ku2_)JVn%I2W6B{iM@WID!(VycU$ zAsB9F=2CVh#57s7&)3s1WBcH0)V=8v_Ii;ZdYh|;kGm9nx5OzmAxm<M-r)(EdHG#_ z%&)8hSU}eM-Hj9UR#%Y!30j>6oZG7`cz^_)daDP69Az2FAzJQhYnWChD$L)$+G%bx z&7w9mR1|a&sE6y@t-J-J@>a|Gc{fUJ9G}Xg6OuprJK#0?Jp<5bfq@`8o;q|BAqcJM zjQ48!rGWu;JZ~<LXe=JXw;{l)2MihWpCi@?07-K~${g|I>b>4p%t2&K3ny&<l5~GV zu3pxR9szB;9|4i-*m?a+N5i#!@8}=cRcFz$=1jfQrgz)4Ua)YNY;U8N3$K^;Kib>6 z)6|T!KS#l1EVxey4i&6w$J3D-fJnmY;zyL&4<!g*Eqe#L!`;_mM+^g_OUp(vN<5Be z^757py~8$Cr&@$5?KKvp_9ylZ;IzB+5AEvs5img9peJqGr>M}ieC4Y4zD_DwoiJ30 z5_=SJD^>f%DnzwDB3tkBl@`9nM7`62cB()9jX5~Dm1WqE>OH3SAe#W)`7_C8+pfMB zJFd=-^{P|*4uT0K)k$y3)D9UFllj~KNTvgXauGr@LJse7Q7R@RDA(z2H9$+ML+eE& zl=voVrX{czY;0=zrsg&^7y3DBQcnlbCHkTK6wlSv)Ot^a>WupS(t25KWYtdJD_Ul0 zy-WLUG9529T3YX>gnVr^CFHB&()t2Q@MyPDf=8_?tuNH(m)6hH=0j$@t^Sg!YDQJ1 zuYFT*)BGE?V&5z3C3>UFt~~e`G$NV?B%)>wUwRqg;i@z=IXRJXAM6bDgMFlKS|1}* zTJt0-&ot@>P~uYMKt_<u$P@-s+AEV2S~BKcqvp(8p=QmyT9cttF;Z={RhCTEe&@TO zUJAU`$*i*|AeRR6H#UONQ7ve}-xCCI8I5u>iv`@icGQ&50s{!#;tR+P0W?sZB=UJS z28Qw#@F%T&Xsr_aIZ!Op21>PA8)rgy4p7O3{6Pz%JAtoM$hIO)F4a7n)<P~(I+1mw zsEaBknp&{}E9S9cg;s19#kgY<l_YBuq7zou(m!JkZ_XDZ4C_c<Sz6z({V6&l4AE>$ z761{^!~%XE(hS<N02PLEysfKNE<cjeOV#;(?@T_jk3@Cm;TkXqt9DZgBCHyGl8OLl ze024loZPB+*+B-OCpyKzSXkfg%OQ2FrJZf>ewuU#=}f4+5c{H|(n(tWZhp^o;Mq!< zRjo5}SyjYX;$XSHob{6zO6oY4v*QvB236~|OfFpmxC~b5@TKpZgpU&#G7W#1xq3O3 z<3MV!e|?(f)~nX1p%Pni43kl^-$5TcR@NVMSZL^H&<bawx`(eNaR~J2`!Iu(Y+J`C z0zJW~Oj7XExkMpn(#4t%;~T4%mFFE*dY9bPI3TH+th!&nYyDR#lIdl<5c*6ThX%5o z)o1{K7XrAx9cu@a7Dqi{sAWL~{fq}PRa)=Vrtpf1n0nDaYar&YVxnNp4wBU<488MS z$Ov#F&_$zgEukIg3U&rgqrh#QfipJ&H-3{?*0{{-)2wH6CJS^m=O+bRE#HY|gu`h3 zQ11%GUd!rT@l#r+x3&A9Q9zx3!O@^49vFz58}EaJqv95q-s;fX98f>E-&ixCRksAc zLU`VdHD75rv;+qczU;=DL2Y_V&_vjEBUm9@4-7a;8wVN=CKo8r`Ay}yo6Te;LW2km zCg&ma6+&MnuR~}6p@HNqtG1-l;zB9z8^>xc|3Wh`P+C9Ga0W~Xtd-{^<+-e)w&b4$ z@#<dU(6x1DULnRdkk-ueAh5lYQn#C{Kar$Ow9<TkRf^br*Y%_?W&Q~$VHP)oC;9HH zFyAJHX&yxvrvM`re?)<zG~~~V%taK#?<|y#csf;eGzCh<9i|=?_0I;xt5KQHpov;L z0t+x44o?z#lG!W+1*D-aOo%nPp=W3UKr;w$Yf^zMxL9ud2w;v07-z$oAsD^vS<E{m zby9@hJWyh(w=tq-N(%FBH=s4EKk!SDDm?gZ!D=Y;rpVJ_#J@uO_xbUq(@|JK0CxjG zFWX1OhSkXt3h+-+2B}Ra*1Ku6+@(}+E7&(b;`$3RaW^!x%;!_nXlmd+RbD!!1QR4B z_FE9rm@*gPmVoPDY0{)OI<ctVMFcMX1r<MMHnOpPqw!?iR5zQ&PgCM#k=SEs?-`A! z4XsQ6%z?14uc40j6+x?IsGlNoi+Mf&0#Vk_Kfue#FyBrUdP=0G3VR(9^kr$|X)V1p z(52>5nT;nQH;igvjVF^ojjTuW_pKostir4{9NA29mEyNid}uN|4TxhrlC)WdXd>FZ z?h-VBx_toZ4Q;2-s*De{^r4;Sf;^URlfi%h+fm{Ob0O76slOabjS9;G-(|(y5k&(3 zek#h$5I=h*8r>7(VIL+i{Pd0V+%%S+M@0Bp@q8Q%5#q(@z7U^EjPS`!G$(+(`k}%- z#O*6nN~f#>J!8|-`3^7o1-QI(ZAuFG<!BUXr|7cC9O~=~<E*93KqBxcL|`r$JUY0_ zXdKvAeWxU?Elnp|vsSWu9$wq`QH0F=+T|}~+vqdKAAFvq?^E&4-RSZjDSd_`s65hU zRG&`TX^nKMyq3SQ0JH<6%FzP8jJTHXf?$dS7hfb2>L9cj-g!Tk8}ZggIXanNhBaH* z%$w8Ym-akCd{i@ElJ?9)<M@uU6qL**g5q}2PGrmCpJS01uI2wm>6rRw2KnzPg>MHL zWA%sB4CVRi!%2H|Ot>Z(icp)l{Aa9616{Nh!pveS`i2Ma03DLWEO3U&EX$~V4~xO) zi_s8B{5_ln-a`((@w7x)Y?Ng>9x2X(W=@XB{D&Y@N&83*@i)+~?fi2zq<b^Kg`y+v z5aP88t>nK&lp^`u!hZ&&FuC{jXb#dH{4o*tBfc6Xo9PY^qOa0PMpSJ{ZCzqsyow}p zf%M<BWuSR#dCqtgW@LiS;}ezcXc|UfBV(CSnU7I2nZp(sTV-Ruu`=IS>A><O4X8m8 z`<KIx+&Zk48f8hn92h!L6_u+_3i0uI(7<b*=4U`~ZN8*mCh2QsDU3Y53!Q#7L%$!H z3eB4xo3q*2<}}l$JlC3ZDhFC?g1j3YAEs5VX3xrKH#01r4Y8i&cuYB30<u}{<a<eR z%{NgJ^vkx7hmh%A<n-49l)a-~r*D%bZ8pX)TSl^|#co#1><!+CeC5cfjpuKIoO;QX zn!?_AW&vMA1)?e2-dwpnrP{Zj*_<|HxB9IS7{EyBwDfcxYouv%BJm`o#n}5SJ@>yy z&-gy^>=Dmb#gmKYQSodQ&%=1~zFyPB`l*;#0}pG&_qGP<A3uSmH3t5s{m%eUQpd3P zFA&gIum6fH1&3i4>aB!9U}cE=Aq(N(&^msURe%fvtfy@-U04P7ip72!ds&zS{&BQP zfb0S1(?^*E(%8XXe_@jn|0by6J>q*uiPa<2GTum>1O`T;OFUo1v-y$F@r)f;V$*<6 zxxSwOBxBbhyp$c;NNYJb+cR(3rm@O_gUW%XWq<TbdY9tu#j>Q=+o~LhwQWXHG_$SW z5jNrvBb%>H`Q9&KJunO7*<L^=h;ktBPP~l0f^>TYN%sn3?(GrjM9l7u$cB1!?on^i zxm~?p=dyZfRh62Dm=dqUXFWmia`&ynVMq6Z;jpdSi|}><(*!Z>E*$=p)}4=V)0bCj zv$1@#`k8GT@C_RK2^%GGo{Z!or=xEdC3Sy{6c(r8w_3+22VPE8$VUwk?|v1ZjJ?#d z?luIe*vr0NEPYiH|0;?VH0b^(Q6Pm!7br@3K$LQ`y0q!bh+5I~<vKOL>B~(@{BERM z?U4}bzJtJg>$C~wsYFPs)mz=A_+;Vl>b`0??CGA4aEpE3_1cuC2W)e-iRD9CL7-ID zLCiMic?H0A0^lhkGFc%~0KX@IHA?JFdf%(WUZeMSFj1hlro{Hsd$SVTOYdb$?3Z{O zdx;woaT2be^4!6ovG*{7T!u=A;%kW$=Y`c7EJ1>o*h`$ppM(Z)v6oxb##)uwlhE!L zK|BbE?rM}zjMBeG`2mMsRATo-#`XSM<p+O8w<|HUP15;7)dl8RhCjKgN{Rmvqg>NL zPiK55szNTw;(m*0{!-DMiCyRLQJA!hU8fN=;!ohIB&twBXPo+q?3dk7A=(!wGR*;f zmH4Ab9Mw+-q9dQRF(aRtkO%#|sinU_GzQmLfG(6X%$CM}s#}Tu+JSZPpq9P+VJHV9 zPKiuBJL5!5YDD)oz~~%Qe-}8Rt@jtTDY45@HnsU*=;L2kq0UjBUo;Smkm)WFrzQsz zaZ(FGek(>;EF>{BP3w%4xKbs_@hyu6ngw8|fTKh!qlHy>F)CtYnXuY`0oli@9KP4p zxmNRteU+CaBSCFY-H#O=Jk~#|5j}R|7;01ZpAg)=bGW@hevqcf-LE5A?_aO{-~#Ga zVjtqE_ur%Jcu}N(Q~CZ}jI(<Gz3O-M{`=HfdjEHn_!IcnD|)HPLK{d(>RqYcK--f` z*$u-u^BYl7987l&tm;-akLp~@;>4P3jf|vh1&xdm!gT*1BCt>!eya-TOo@qvzBZ|e zQ2iNDWtptbp?AvNZz7_NZTj+?+C3IKAuc7urGmA#W*FkVeLpeU9(>ulfC;|b-cb+0 z5TB6^X%<Qw>XtM(`pIQ=fw7l3m7PqEu?nW_-d^ex*@!pOr$qxsd<Oz4p)`d~h8&rq z3ajISrYI&Ma?}RR;$;Pxhb{D=3(TWzKXJT%s9^iYO(<RUSVE)ar%J3fi`NkNI14-+ zZrV>${!Og_Ogsu`H35A(O_T{B-&NY!RG*-ckbdHk+HO0|vjjb;+l<6Mq$Ue>zCnpS z2ekn9jv3VFG&VekjGbcGz8tU@^*K}|I^kYGwg>=6O-KB9C~8h~{7t+%<45rXFG$@q z7euEagA%`$O73*@wt3Wii!!}!nDQtuEgDEVNO&H@L}t+dCE6duOzQXu&}83R+a_*t z_&PR>?K`O-m-^lvX<SMec7h|`W&K*3_mnRBT55ETVuwp~p@I8^9=ez{SZ8*-mN8u* zozTuQK_62nm3Zs64En5I#e|GLc6$(Z{nJ=O=xuZK^QFcv!65zY-K`mRLCxmeCCUAX zz}cdX$`oRtgCQ~-dxfCh1^&upuQ!#>QA4JXT_&C#wmJUf{F~PzJ;U$!y{?@r5_;)a ze{z;kSR(>#DXe7X%}ph+4-@QPELf`|eLpD~P<#ctkO^UZ+OJ**V<{Lc%j&ADlKD^D zh9X7D?5ESzvDO!l)qQ}Km>9K-c6Fh+qFvOf78^LViKdv`C4?Z?Mm>D}Ux<sHrkH}T z{bB$T9}@}U489THt;{kO)K<u$jjOAT&an#NS6e0M`$=U1ZK_mV8*knE4JHVe8aAHK zFcU=dU^F8UI0qg3C?b`?O8zG-Foc%XW|fLW)no3Zk5>7K>T~>yb3k%G<(9(Q-eiF; zW^X3gPV@i@BfZ3523R;XaoaM4t4g?fQV<VPLD<~ePx?Yq$D4a8z-364{**`yGcn_9 zu{VoRIR+OHmUtLIOw5N{j&^^5_Wq5TtfdgKQ-D3T*Ov2llcss3edmNCzcld*zqAN{ zPvP$i{0-pmrYrr@dVGuC5m`p7(tDsgVeD<hs`T;Hsx-BTiu$7-OpNcxSQ`%eI+Yl0 z+3uk^uu;4d&qOngC&@V-eut#XW`{q0jImkn@E1xQ{!7Pn_%B1Wq{Ba#_7PbQ<=fsy zIk3<2>e|xA*Ok~9;<mt1D%&LHDM>8Dmc9>rVFv`@;FdHt*cs>|&PpyPe0UP`2eD=g zvFfgbQ|!MPHa(pX@+5W&jIJDok-l1%npPJ!4WXp3E&+NLPGjwF!I|Z_iN$Cc<=?U^ znZZOzzo$!rJI}YV`NpupW2zzj{GeLXVuu9W`n0TN!|A}^<;Os!&SP2^>!5w2kEXSK zlwqH1ZHplztSactN=M`gEK3rV&LEFnX(6w~j-W+mrHrb}^}uPE_qw+H$a{*Nr4ow8 zzFGz?FS2RJF{5dTqbb?YQR&zY>tcGecNr|O?N!1;-1-;v**su^4QMcbISfGyV8u(} zHrJScDG^rhPt&Lre=<w&w`&dr<q@ntyCOx>8-P)A48e6~K=WdCcfqdgpaqO6I^4`F zK}}d6kG*)cjinU7J8j5RgJojK+lx)wDSSUVPHfMn%&-B(Q)XB@^Sg$Yn#i#yh~@O~ zVsRFx43?7=Ef)2sPGY2yYNLx2@%IoSZ-cY2)IzclGvc!#BZ>GNJRx94d^Q3p^_h5& z!jF)M8oNlT7}k16tTxu}c%&amYj-5hh}SOCB5QZV4~f@Pt>X1d63xedAT%NiI1<&4 zPEnH$n$emj7>RQLVK)z0v#L&k)I^8W+9{AF*2UBSh?;rJK)tBMPMUdlAe0b@qx*u0 zz--_|=gQGEUJdhoI6@_ud5iH05LI|VzDc?VJ|^iFrVO)~h{mtX2Rs<jUT=0GdoE?K z@BUA8pnw8#vHWzrb`q00b^Jp8{8bHKB&t5u&yU@d8_ih;nmb;558vwB(<^{vG&k%! zJh^pdo8AgDJAVQjA;2wTpWlrwXQZ|B#86U&mE=rW6*#udOc?ZQ44FTOV3_sr7x6ac zpr5hbACXG@(i#&w7m{89U!rw|t_1#yx@tppqPMRN40wMVH16RhJWc`wDK%sSuvOl( zhGtSQ23Gg1ffEq^g;!y3h5f0%X2>^&JPJgM^)vaFePM&_EvDU)I+oE9Fs07GIqHqX z11^%P9Ja(^f5Yo6;XnHbcrS5cpTmkjM)3ePJsfM5_ylButt7FO8?^&$xs!Gcs?X>b z2Gv#YpGi2Dv&9d&6BQ4+j6e@0KF|+?vzxumV=x1vQd_)ri+|f97U*XuQLFZPQzNv0 zA%k>}M&Ys)3L$~QjeLSY;hfdNb|6kIP96bux0l|%;oDvCM=09?jfL4?gx*}APLf3? zdW9{Oqqf`4JW7W@2etzE<v<4eN~O!3>bQtSkrV7NztT#^ri)SK{5ncM`jbVKA(V8A zqm5NETDO0WB>jd|L}{&4iQSGss@PZfoA}gSfE3HzR_E;{tLUXvReu=XF_)L7-vPGW zI1T&ug(L<K(H?`(O0+|jU^^TJtCv|P+|^R7g+j>uD|W&H7y!uIhCFTlmu0not*lf@ z%PpJ;soA9gr~1Dvt?jQ$qirwINSJ_!P(z8X|80r;trDZo$YvUmPe56~N*V7}HN7l` zUbJiFQ3s!dfm&=5g!m1pD2!1O-JKPJcN0a2?d;iL6=5p90XQYcAZI!V9BvPRgvII= z<UY6B(l`@%0aevw=B*$-!(YX+-pB~^A0xFr>WVx{*aQ%P2W9=~sEz*<6$Ha^)DE+C zm#>U`NgC@|U)x7%!fC|bQJSw-Fsaw?)Kw+OUnVmHjbnB*a9TIrTV@F`=E$%dDJoE{ zNHOPT@UOs6VaxZVAY)PTUsB>f>;z*ISlRduY1A6QU9eATGOKj5!%ZL9;a7P+P4oXu zhQz9+kmfozzo;Lh`0P4(oZbabsc?{gTtRZ;^mW2kS?P?m-mmCgUm2CoWTw8v>Cs;? zS0SUm)`78mC2JotUs5$NFlJ#(0K^R^uL<!j;BeBq>EPJpG_u$FQLQ_~`{8sI<jY~X z5BHr6Pi{>ac%$yfJ|br?mbEn9!Zyl#plAg(29qyxaq993=Nu)WqY^=ggyWgg5_M&Y zpdmD4((h4i*n9jYW9dMOmd~&%XK$OXUQ@bM*2V_;Erb~neJY5aoK)H<Ywq5*H0qCQ zQlDTBhDE(`fMYf$RVHI_W!Ab<9q|m-x1tiL9m@*|+ZJFb*@nrGYKJMFZ$cZex59sk z57?Ts@o7{px+DZaeQ6n_Tc7ur#TXrI+SG*OFI5N`C1So|&e1#bc_WmSn8P_M^})g| z$1$5&wX$6=6p%E(_=1_WYzlEl=m6zLPhw&-Uf=4lsX2A#i8_81%m7n(SnrUx4@UAZ zcY9Ajt`fU~Sp=zJ^Zdlf_m5UCx0nX1-JJVdD%Q-iJb55^UDP*sf=9gOB6JS+k*AQT zX!-nE40q9~JPo6)*xcm752*{l5sA41;nJz9gLNkFi{|qz2oN^pd>1r@w}B5jB_~LP z2GvBz@Gwye!c#g`n=Ob@$5oF-2yJ2=AEdmT4d;TyC9{qB$;>+bA$=O^jVu&HK4E_b zWIKwTm7;yh4<KPRO`k7m<AZz#eH2?iV|fL}=dgMGu(uRi4MCOo8We<q#cTTB*m!lc zYnk_W-xt1sb8@R+o5nBn4Yi_<{&5{~%;2!Y{U-2GeuZ7_FW^by>(lJs-b$e-^uex8 z_YNtpTlEe_{|I}9wEOK#Uk`1z=?18z#e^6*kkn=swo*x(4YhC;wXpuQ?+@x&e6FkI z8K=b5&i4oHt`OV^Qc7$M*n^!!;^NY>CiIo+4e=k6IRn<Ccmv930T-<-f(Tk2(H%gL zc-;vM$cPedNA?^6r)F3%teroKHnxMD`WXi>WQ{b0wsmK&RX%S`$|=X#ookhCNZGc? zMGp@>=Fr1Wk03o((_?+&r6#oIX6-0LNq?%hiiHo%0Lbwe>-T<H1phgOUKoYuVWPo~ z>3`g2EIsFYSshpOGWKvb0B0J;;R3Pr9Ne=4_JFJCASN1ch-~a<)#uLsJH92a?)!t@ ziGq7585s9aau52IEp^!s7afJ`bq(Jt%A&4Fp#vW95D%=z4hro*uT^HX!3zQ!R7%dI z%{YlkWf*Ybj#f5>UUqM5dusBp-*XyMDxo5XAHRVjECJKc!11LP6L%wU4tUl+zKk7) z-t<VpU60>cbWELAvkSWx|4Lu$xv}(&QQafl&5^VedHR?41qOhCL(SzYfG{apR7rXi zehd6DB<&$TH((+Lff_Licu&>&&Z=;Xa&GeQ02a#831Q&@0{)cwt77%-W*x#g6dew3 zZ&xR^NH?~t<D+S-N*kTZL%UFEb4F!H#*LM5&0%fuh4Pn7Qs*V@M6IPxD24&wmmBVH zaWzk<^q1so9GjG9{ICT=o53f_1)nJAB449(Lr9zu5!nLysAyc$N}t~%!{MK@_OJlC zA6?!e-}s6;z3KebYQD%>(2;R<WeOUO%|p=iZR1$<8+?-@XiIcP_f*iKdFp5nBjJA| zlmE>}5E$jTfD_!&veX^B!!|{mD)!dLfiakI7!4&)nwbF?Q56J6xBCB<2Ts%>w%swm z5p;*KBsC>VeZc1WcEMA_>6oUa+}=pE|FnRHTlYl^yFJg$z<7}J3wq`~P0uM$(zEyp zdX_zo=h_{4hs7)BMe&;QsCcD6EMAxH6tAmx;Pv<q(p&Mu*@!*Qinn9WKD-lHQ68dr zybA+GXS#&24gYu3$34$ZUnq5^KaFP=t<%zffe^90ScDj20k=CQY~QrpwAO8V`T>NY z?pKA-Fd&Lp!bN`fM?ZqJfYZweK*9>n#u>pxsO*bYa7Ws&dJ+>Tb%xFz>O`IAsLm=O zQ2QL1+O_W+C!P+B$?f~bQkVu*9G$TNH?NtfET{|e3vWV$wJOgaW^Kk+2kj|ub+&!r z%5F<+b^ZM3KYxLSLd<UfT=e=&l(EHaYj*i>)A|w*O+oYkHMGSoBW;P+hf!CE(DpM0 z5b}`~H#WHA9D{t&+~_d#B52-Al#k5v7eFU(YjZ4}1Rw7A4d+_op8>QZP6-}Zt*%b& z`Wy+$bBC4Z?7qXBCKR>#gNcW8=zG+2J1;>KfMPkenBcs6613dtOvDF}1+@iHGXVyL z<Hr4%MR`xvA|0vF*LB06>yW9I-&s!VRgnTfUyT5WT@?XTEPx7$YC8f{O>dh`&23to zF~!xgBb|y(j-~lg9wm7w2?aIp$RKhh<&KyLNYvB=$&f|G&iHAR^HX5#J#vKzvqvZ; z5zD1q_M?eAJ^F=7o19IHb5YANY<MLV{mV(4P;D;iIM(!ur`eUXcSzDg-y01F$#zGJ z`)Ma>aSx^JC#C#K4-ABlVk?97?-pKri`J`C^lj@Tbt2mo!F*JPJ?y@BF^sVe{vm+d zqdEL61~0Kn00=xne8s}G?|LjIF2RCpJ-QOp0mYg#shJ`Ey|aMdO+dz?2ouoA2GDf? z9U76r98&W8OgoJV_Ce35rr%IF@VKibjibJerNfk0;jX6-4r)_7(<um2Ksq*~ppyCl zoHekV`;znY!LPJ&qd`=FBv0vs1LW%01JA;dkI6%n7v6XMv}w;eh8*tT?Kg^FQ|<(H z!uJ5fYA?J@VFAy@X#PBU6VsJlKt`M*DBbrc8mq+qk&wfxq;*bN4}uLJZ#Vf@v`MiZ zklW2}5nh9^@_Z*uFk1xWu+~LNBEW+%vXNYnNO+MXgfvlJK&!FisPOnrU~%IChq1v~ zx|Ayq^`nZW#?Mgv8we$|&s%b1aHBqmi1J(|gyl&0|3P?EF=J5-t3HilzI9{{76*x6 zKTVyaolaiaQfY&n%~GD5Pre=?SyxNb!}usy_@<yV+ah28#!oN{sH|+lH1HVu4R%J% zg!RTQ_=25o=w_Wjt+Sj~N)rDjW|z?nquiM&cO{I+QO=!f*|iJT8gmx<{kLFu<1Bw0 zAl=VHESnbFr#Sq+wvD|gdn;`i%!Lpn%BQ|Ch@zTg*?+Tko|QZJIOIT)My(9TB-mjr zm1SwF2S`&TpDryX9#P`UP%bU|hwRsvKtDhT+>zBJ1RbB^Yju~&e}L^~@^yQUlTv1@ zBA9`54bp31Vp;A`Vs+FFo;0-R!Oux1PR36uu}UPq&<xxl4(!6&r}UW;ygg;Uk7j?E zbav5Xk!BlAd(Ye$8J3W-tTIwY%9LE1?uKlIjg^sFRz^}`zTI279&YZRAX{%bNv2JS z{~i%Yhl;`362EfCp7+o`Rxa=95^v|8(|E&m98A}r-soD(7MHu$8qUB`B>R(Gd?_QH z-I&v|IKQB|xp^Xe=(awPG&MqF<&%bKZr+(s-#&t279BQ>_IM%5!-)So5yF^4AhqV( zL(&Wq!D<g=Km9X4w<j+pdy8lL1*^HWT%}yxc7~?S6A0Ep=5TNs--@($z3dtIhrug1 z`V|kM@4}twlmM)Tr)1W;{Gk^q3G=dc^*d!%Q$WiId*~UYAz@`{zIG>jXrC3Eh!|EY z7vSS$K1aFuPf!CESr0vX5x~160L22pe2&WF2S?JMN02hMS{W-)vY$P42(hb(MT7jG z0Kgu46=5+oFX{|(T_hbv62&x8SSw;YiXi4Zi37hwjAfQJW6M;XSo$borC~ii8Pgl{ z23`)Za5%9Q4#YA!CT!o<zY|=cj%Ar>YBo>+6HO(c(p3ZS!CvGTNzSBX%-rEqrFFu3 z0Co?<?3bD`fsn<-a`2Lp>&&;<_o%rvUkg%%s5cxToQ5N<Bay_aVYD8w(8^-=6rlb9 zoUX?}UWelC0uK~T4Nj*bQPBuGghm`55oDks)Mz;Qe+?~Ie>>rh48y<;K;Ii;b9{a3 ztU9BFw-Hxj#G4%AwBo~BI7~y{qtquD^1>whtP>}mT4}6p>h;5OwHsqC9ZqIF)>vD) z9`m%V7;6i79wo0|ml|-tf?lQpw*fhjoj*v*f!0om%5|)ayzKeCsC3kNR>)f$KpTZ# z(oS2Gu8>(A12ijc0u{}-(1z)|n~*@Jn~B)-r;p}a=23i*SyMmcD|z_=^+VW1hTN%f z(vZ(5bO4ecS%Xg)sAi!w$^tEC9))hiq5*bPOw_*ztWpE_|GlaQ{!Z2H$A+rj`9D={ z=EZ=LI3$p&*UY0PvmQ`%vRUl96ePQckb_@ts@ZwX1kkaveV8H>K#_cc^bsVyzH^9H z=5C@AQ7jit-+@eej-XrjZy-qM+$X4WAH<%?*C+=za1i?FCX6GUl`D33`!UI0WNdYV zc!d@**%TtCdBS*zs2`zLnixwFCz2Rj*LOTbOR4gXhi*l@yt6VwDin(KJ|WcL2{ELQ z01xS2_@d%yBd;a^VFhp+mFvhrvzs^vVRPd;PL|GLdruy6@N~4G9q0j96kkkAf_QJX z2+%UYGU1xVL=^aR|05&-o+3oyB@x=T#j51j9Ez_8cDG*jM$lQ1uh>l_<s=Y-(QuMC z#D7cT17F~WiJVIuFbOAN`CJKp4|{u2(@vz*nS5HG@NK9_)FVe-{DU_DLtmnD<S<cQ zrhN>uohmV!0kO(LP#4N@EEUEoXInA56`O0t{sKJlZJrhT*oyhB*gICN!iv3O#j32> zek-=3jJlF4`2{6_TwNHotTB0O1lr;fG+}riY+8d}9p6U4L%mdI_0qplMx>#0CAM`P z^3JT|XEDzY`-GsY?(L>fDo!{8YcSNAFr^I_G8MT({BkOn2e5fU5+J&7BR1$EhzL7* z)C!{q|C&MXejRWO7HlQ95-6}@;>JkpheGE@o~8F5C;HEPEAq66kR&1Ugosejns4c4 z1cAIHP<u##)CqbS0ZM9)UPeHYIIvl`n`Ckiec4TN)R|5hAHL0xg*icqyp|~MNy(fN zqfyinU<?y975;A|@JEh<CyFUMACGCE1t2ixb`cll39%<)T5`RI68VRSW55-a@n3)~ z(6#qOnrk3<R)J+G0Ia%aNKsY|arX&OIK|y_FXrwsRu+^rnYjC7ieALsWL(PRKSVlN zQ!M2S8y4n?u0%EGkG+hN>*Ykbt&Ao)n-mt{*6AhKP?jY%94~Hblx12JK-Y@>_8|Ya z@ic!yo#WtT9ZhQv^f%X^?+AQJXI8yOn(O;J0_UZLC<zA`*1OI14muNBlL+(&Q4U>I zvK2;A{g4N$!BrACM+=}HS^&Y8>{gx+49pBTn;Or7&0)~d?^^%W(6Xq8yvIX)Ll=!e z*wS={pMFrA$mhcL+bNOhSZs5^_4yh!1ui~0e3JMy1D}!~Vl@W`hY4^|f7+$QzK1ln zMAo|oja+PzpfJ7bbNw(p+ns=bCHrT>9ey@n*N$Ez=Xur1SBo$?&gYQTNOpk^Xaw}_ zR6l~)D4|tHof2!J(sAHyexk~T(_~BXi~4W&UBF?rtyAjg)El2yL=?b=>p-$vKkPxR zwAFGyjIrd9F_|1PCa^X*UbAC3yDeO=Q^&Sbr?DL#6@K`&wKcp2YIo*AFcyszm!j5| zYPnfXPJl+OgQ-YV_ZoaNtm<&qO3g~q3GRleK3%mOhj1-}V-2>KW!mcyelxy;ubQEC z)hx0P>gL3T&+t(6O=xD+&fle0>-{z*HrGlxLJ6P<q;CgoO!zPvAGTkhMTinxh;U>* z6xe^eG3%&($pfjV<2y?PZeXVz>$Lmt-X}S6iyKo8lmZ5udmZUzmo0=mihCbW!DW$U zC?|3ujnvSR;S!V~*Z7@Q8ITD0$oqlgyp1Ix{w_Jpf9A7yMC~ukowZPk+<`)h4#N-~ zx`B|O;c=|D*FvM(Dgs8t-bfH|@N`=*_|`ds>J=6Y_VcmpvIB$y(5+twa-`bh^4O%v zER<BoOVDTNkK}dHb14s(lfL)WLj8iNPK#m*4oR8&6_tmROqT-baL~NI*35epx(gFl zEFkTCC8p;@do>S{8j64{(^7QTCPawj{E9(rUYit}h7g@Mp(B+rD%YhBM7<1yhjko^ zmY)OsH;9v_@%1SW(nOfOU-XAWxkK-FG;FHl#i#~n`^z0+U;l=xeZq~Ye?uDUw0FXS zq=3~1_=XRtBH%J1u?Slf4StbYpGsA)ZM%?$#y!g4gc&=$hmLyDlC={t181roA^xKH zK*znnonf-!iY8+`hF#XfJ0bma#_17&frO%jJp_&EKzcMEXZ^8tMkn$yLF%Dl`Yw>4 z?>r1>nzNv;ej>%FDeTauQzHP|`F8+mk%?fR2YJXB3A>$Dv}_6O>pJI`4$z|xdtn_L z6oykV;-p@u!#CLQh0w8~eVm}^@jpS;!SMOKAImQEat9glJ8{GzLpNtNa1>+tdtj3z zb%M&K;`9!1SUAt#w!K80p86b@7Gy)H)|OV~D-R!J2Zb++b^AohUj#H{RrBnJmFE|_ zYeUNO-_7tI$E`+ke!O?%WY*}!{;KbMLl#>m+u!kBXc%*o-a5<oRs$C7Vr4W`*0BFc zbTH!TgX9T+m)+nHDM<Ge4LiB?!^vgXqXphBm|+l51X2iZ9#GSA<X8&4uA($}h|`y# z_#%UpKISiM<J0<%>Rq<flx4JEjBty=O$T(8%H};T_HRVfM;(yDF3~7Y8Y>4TZF7J( zuYC{P;2|#eZ$@ns1XCPM;#jMHR0+Iqo+R;gfNhVIEl0M?$&$E-bVmD-o(%ETU_qK5 zT9z0VTCrP2XVN;7y<A&bs^+qj-#X>g+nn}yeXlfp_N`W@{h;sg2D!9UbKq>XwL38e zq{ncRI$BE>X#GOE<|NlX;M7fa82thi>H7$<C992UY>PRKC9C24uAi5c_&!R{iJ)Q_ zaOio=e%|+XW8t@sIN8<}`Wl?tU}fU-6#9IV{SQFMcVf#QS^WTZz_zX_`#$!*w5-m` zH6-xKm1R4J;@c^{qzuMH>wApi^UHoT6pvH<>axU8{6UIOE&IVx{2_|xmi>_8nJB*n zadYDu>~fw68(Y`FEdh<JF;Bq$88#|cV+35jYG@n+f9xp%x%bSYho2r5c%)1R#ML=O z>`-aY0k5DhzSZlrYqH+z^mR0xLDTKk@=9OZhIIN2I@h<G#Z(4=_Y3r6d(;yN5;Ii7 zzMS$`IEhhDzmUCcv6{!)qiNxyHgyL6Wc;luYSSwC25>;?I4VwyW0G+f1n&T$xSJly z)#j!Z>;$g|Bg4t3LuMJtJ6XHV6?LA@Gt{CgEVf(T88SN!jZ-e9VBAUm#{oibH$9RQ z4p5tS(<3?N0JVBIJyKhjK|TR(Falj++}F_91<p7LvX%zAv`h>H2Y(B<CAczRh0p;- z2^jJ*ydbM%&^Y*WTySWU*=^vW-x-TmBOUgm+twJ>M>`j-*@0px<!XzYa7>Zq2!_fd z?y<jITK!(*Bv$<%F;?9Qqhc%^Jl{*6;#*-Oz<~v8vy{_{j!KzkZdy}oF6{~@CxNm! zOG{omIQ}Z}JN`gjAiiCU7`6b1u*!hrtg&c~x0Q438dwrX9I+U57-4}u%Px+t5K;K{ ztf$Vs7db7JPyS10-V<Gz?!#&1n$*@WNa#IMHWAFJJlw|GNcy)oc2OLQ7r@g>@N3(^ z%P&G^^+@ezF-7<mvVlOWC{*E53eo0nJ!~-}NHb}BiSTl}Qs3;dYlY13F7u@SXp)*& zHl1F%Wi#lNStj`(qocRwV(L!!5JV2F!csx(&57+{Ow!C!VXq`GthHD%9d4y@@W3}d z^h>zQ!m|l?sHj(CaaV|o+_Jn!u--yr&%?AH<Sz2{0FJiGO5F42*_2t?l7UUDzli1U zkRddkcYk7<Fo)4;SyYJ9^NIVPKtInbQ*DbvJcb>VFkK)fvVRhFEUM$v!Pjt!3mawm z$cOr0u}Y{--h>0H$iPmPH_a~#tJg+twfrpT3RoIRmxOAAyzy!<5uD&a$ss{`>32d< zFhttVlHvaaQ((lOBmugVkdySwv9Nm*6o6ntcZQ)%Aof&0-zuOeDA7Fov^5QaM?$T) zHDqM6KVt{HldRJaBw5WOT@a8R#&`%%)BG8l3pXwW2L5XXF21XzDf>J#6V3{9OGa}V ze3hInQ<dl1;d1{HO>%(rcr%lZo5J{5?QF>~1I}h!B`QF5u~Rs2ipwChpEX_Z;6|?t zS=vuglB44$6TCJcp=C;}8)#79sg8MBT1I8^?2_b%;sY6R>Fg;G#63WSpv$!3ShV*@ zGOco9)BF|cdBXNG>;YmXNOw+PuhiC5G6Ta+Pcp~b3eTUw0Nvgf7&z7qU(Rtii^|hh z+=K=l(Y~OzfCbd00!JAr+&V8yU4-lV%5dg32;iCgT~aG(WKK&4nrAi6#7b?brO6!r zd<w)~X=dWnQfFm%2x<}8Gdt2Gq8Mdxb?1_<gavOoinHq;$+QjKjd8|_)mo^obP5^Y z!QJqhHLdkP1acOtZJx3YPBGSMU^g+nQ9KKs3(IpR+6ET{92kdJ1Kj@mgSEAZ#&diO zCVjNecF0+VS{H1%1?~e_YHhfQ^|yVTmT)L=+`m4^3*Q1*PZ-`7SERDr2kSyqz!BJy ztOBa`(3M_Bu?tTuS;?(4HABVRdiQ!DrUQS7%(KuSb>36tj-g!*n>Ku>RA*;8K@h7Y zXIh3Wy??VdCYrWv4}HK5RiXqes^Z%LMDA8rR&n*l%Sd9KYfGo8xqkmz7~juZuRpWm zXHXlQLW(+TkM;Y5b-30gaL#-SE+?SMHSnB!6a5C_AU3@g%m04N%g+IdY#Zd^Il#kc zJNa;7VgM`BFHjt7Pp*J_y$X}Q_Mn;fG$r-;&ML76&=B|Mj3IB23-stM>hK3q7yl4) z3c&~3PMC6^L=NGYg!)2t{NIa&T&F&eW9ZP*o&*eo19&q+r=wu++=r}t$W0CCrI8Bt z?;&^5lp@9Mtk@yd@97tUQ(O1al8^lV4HFH{2Y0GD@pd(<@8}+KbV#noom6OT-m8SZ zHsICz&Ah`1dwVQ1AiWQXI3})uYbChAId7oH+XLUP%mcTf<YadItcL5yaH&*wk0Cs- z``$8&se+ZOhFU>l2|s9s?}qu+GD(o?7bga`z(b7AVKfwQ9bd&7(*ohyh+`4}Ub+Og zv~|&8Yi1q(z`|cSP+@cEU4GcPtrj1);c|rZ&7h1mZVgY->F%t)Hmt1SgWY1&+h`wk ziIt#zPP^Pv%D*f1Vm5JwRO$jLT-;(^AH~_i0pz?cc3Lg`8R!Yedb}i4O-sI(SZGo$ zMQ!bgg@ePPuZBYdsgTgG=p#sh=EN=;YjpX}YHr_!jV{m#ESP4%jjCI$Fh$&sGdARG zV{Y3xncoc?+o-#V&cN^r^5AYFTt<{n8}c7wSq7U?=`yzxe;l~sE+qF0w9H+L-P`LS zyb5Z{uB#34r~ixcI=Kr)c1o~<NIV@uCN}MdZsZYch+NnCE^M03|AgwIGlp+Qy3eW| z8}&E?3<Oh~_1)h_xEb>lY7N}$NT3DGrK4abA)Kgo*3{O8qP9e}yQbEtcfuZK=8>=> zqZ=+=N_-_{sg~iAwcoHMUl`H~|DeR_&;rTZH|c#rd1w{h)U0FwDVo)N8{&f2<jFM3 zHE9d99Y{7JEU-Bd;r{(O;X6exbR(Wpmr6~vfB)B46j7lve*tySO&_m@aInFh-Kxz( zC%X`Kk~1YciI9wU4{PsRgY?6!gWmRI$wdgSKnh*!2AE^r$4(vl<k-pVBigyXv#bYD zxNZ<%Tzwzek2U1_0JlkQP<(*hn6;z`A134OMeiwuWQ3f3@8YoIyApeuoxt5}sAnav zQq(VPf>4QDbFm0TU4)q%80Ig<ZH+aNXYL(7mtnb79KtP?@*3k(^cS7fn1kgPpl5q0 zvGq>4cVPW_N8w!k%Rwl;KX1G`F?VBP#ecb2HVzT!58yi4SA`b?HokcpJnUbfZl{PF zk>oRLejvmQH=%*0+DR7r7CLCtbRWUtdQMc0GX~zneB53WmY7JsxgPxBf|Zod2bsaC z^#TUXFw*vsD8s3eZn3<={BD8y-F)-Avv^(#5HmvD4qVGVp>f@NoD6p6G0b_;>7TGK zSQ~alR?VS_5WXJ4chmd`;}eKP*Ud!gqJH>H{<sD=5YvY2Qrsmh-(G`xqMJV}n8#Uv zP^OD2chX#X%4<OGp3_jDvaeY9xz2!>=^E&IvG)+-cV%M^_&01SS0H0MKv$grs5Or# ze{;CeD&O0U=GE4*vNezey^K^nxg<}=whvsAzk~U#Wx3i9o(+e0lk$hTOUuO;4{qj4 zl2>04XBKhf3p<6i#H3_&!u-@$Y5C=joC$cF{3W!jqt2D3>B5^fj~M$Vm|SQkqX41q z2T%b2<P|Js=I{^2YZYANlkj<;Okn&Cqz!pI)0U$v@(dBi@hSwcUPkG;WY(QbXmr1d z-iF=-DsbbnLw|(3pGQ*4ZCHu_2obUD6l7>Y3>2D36oLt^mS3MHXxT;nz5fClr6_(g z&5ZNmC;~14*6HL!T?_*!%vVHtjCz-|@_{NWfYVq9UHf&K-&hC=^N&yg7CXr8M9E-I zy78zABU=W%n&G@W?8Qu0LFxuGkGjMv)ARK*Kbna$O|6T+L`^#69$NTe%8totm!w@g zstZths1|A@RqXFjEbE6;4?L#pWi+}9BOlnJ@if*Y@t06S%G-H%h(Gyfd?E*y<6uV~ z#6AVi5o+s34s={NLIlf5uA;m&lJFu6NR3z>mHe*2<gXEcH*zS&2y;W+XH}$5LvL(+ zEyRl`&i{bYhx(h}je^_xt4QkJf*wZx3H$(JBgou`7*3bKRsOip$CwXe2J3re<E&_x z_xLh$I(Ka-;0C~i<E~XSAB#9>h>?FG+|6B3U|-OciP^-Shp#}#vXgWHA5YNa6U!+q zq};yuH@J$<g1PN~sO5)$A+&~=N)4?sb0QFx-Rto9))BY;aB?gTO%(;5xJVOItA;GS z6_+75B!}0e7^caSdZCNP>N+-9bU!#^pzU+qcXRI%2RJ6N!&X5ogfS!cW}_M>(lIwZ zfe*Ebf@|4$_;a(+fU&e6F5DR2dJoz(we3sCE&7)WHrk^L?qs(*e7DNlO|*U1q<`tz zFp0f<BAHm6=IA>yeZ{_t!7Obi5STtGS&+D;Yxv9K`^c{aAF<4kr-vQzf@8HZTke1_ zmA(3$ai@cpRCwMl!x0N;(N4*zTI>7u4{b*MIVBEz6z)~*XZ8JU7aY+A;K^H8`rhA| z#@@HXm?m-|yYDTeyybfrCsN?||6PagyRzmxAaK6m*)Wm4a^kbTx2CJWcd^}}O(&$T zO<t0?wM(QwYhg>D1is$|nkYqPH#_KxLQx{SSvHo)AToTevB1O*7qscSN~{T$U_eed zkFhYIW!is2{v~+Ic>0#e+UgdNtGQYkY->h<h<IsJqawiv@MS^P6G`BcHA#d8bu0E& zWaTHX5I`=Fbre+Cf%tEzVJALG#01`1n3W9}8Ain%xbF9uuqvL#_uX5>?AtOhv79Yn zC|3L;L^vY(C8_NL#a`w7Z<;&Q)?kGqzKblWva^D+h~g})^-+JanYz>}7pa3)<rYAd ztLgr7Nz2k#I|fCHz8M}K_mJYi@c5QU!YDbSM^*y~SgDB32}iIw%Oid-I-FQM_DoHp z%8f0ZPqEmb2{}&T3s7G=!ESWu-<I7%I`*j4B3P9u-6*5>3H#&j%?M%nM&-lef!)5j zxF+{ot!{W}P%Xn+lGGUvThXOjoAq?c<+5_^5yIE&whQ>kp@q=!7ai>|DzP=9c19f$ z$s>&8F1nuZB+A21Ac`DkZgdS-L#<8zL|-DCxMORp!%Qc{SfvY7W`--&hwRbd0Jad8 zc=lZv7M)4Ey|o<on4M?s_qGZtj?Ez{2LA{8?=<|f;dkJ~>n+;3sDoV)i>|hh75n`- zH-jEcA%g)`CS%Vo^jhM_(t0R?r8p(9shquB^hR5^6FWQ$^{ReTZ$6`7g^<`efS2LI z`*Ubd|3D8#gO1K7jsQi{X>oV6_6pY4m`A6R=Sku=CoWqz7RrfR5Ri?94t>qPR0wyK z7ypI$rKPgG<?vuztQB3=yrdk*yEZ!ni$Nqm={r6>C^KCCKePnH(pwNhEInLUcsSYH zMK#c96Wcyf*vntjXy@2%131BRv+s+<meK(>&8T)^0jzv~DG<Z29w_ku0@xTitNg%+ z5L8dwc?Wc0zkYtf#*FBKFqz|5Iee>Rt=!UY=RF%PA!+PSEVc;+x04jyWuz`9C8z0a zP;et3AKyt09HrxKlTn%hWp|r{ZIg}rF;RCFy>6=>AcKtZ{igs;$2D+d$8_A5SbQzE zWQCGl#p=%`3N9G+E+|OKU+*%)vT>_}G|H_qp1!cG)wL|ngccc3S|rn<o1P5?O^xG8 zi@Y&PKTJwg?5tpKBt7DrD{<S`lt)Y;jpQLYcM03pK%(M0T<2^ow&BiPq`>lI+%#ZR zT-V<{52V9tuLLh8L3{Ji<yXM}V2RDRbs(|AJHRwo+n{3!Mh_(DgQ7_*d*Pd+#G9ze z+5mkX`T*kiZW|s@25CTf9m9s2F+}g&kpX3i7*NEQzalmU6wrH<P_~<7luG(mgH3k8 zu<#kKu=-rW`31Y5NJ(zbpzp1C%BhhJWX%{-&KV9J2!X6ZIloR*nx+$<lX5N<WPP2; zif?Fq*Qk&8I}$0fE*VAEfXlEO75M|0>5gV__imv8s%5AodpfBay=|iYK@SFKaA)n! z`gu>Nt}$DG-8}J`UfpjdbHH}`%ci&Y#3wXN=Lo&`4(0{54(6M=w14Jc_S@PRz1<CO z58ufK?mMY%V^gT$zXS6QVBXP|C$S{L-FYK9dyw<mRL-o6zP;1XgB*GM3HZRUlc*=P z-<6d{Gt?Vl;|{Z1U51U7yYv!M{gW|8AX)BWE~p&+OU!%N4#9YA%g&0K)r9jKI4BOA zDYN*os)CgcwIvtV!Lomhf%vd$BtIr?^VgEUcxQ#zocTJu@~whVXw<U`dh^Jl_z~#M z>T~Rl^A0wq2=ksVQv3&T--<cSN^FnE$Xv{BarkbLwH1&hAwi9ou{TJ-2NGLKz>P-z znVBn^D-8S%Dw>y7pTWRCJv%uY(qn<`5JRE`J$=%kf*e{lfB-uER!3^0(2sg#_74u@ zeg`UK|3HdCiDBCf3TcQlZ;=fE)DVDCBd73MX>n%uU>mry8C=>pv#Bv#(y|5XL25qF z^05&n9mv|!TtSltfaHuYXx0NX=SsY2p}M3?Oo~o?mUROZ8H~u;#u#JqSQ2{ZLaoPs zjN}?g*Fmh$vE0P{He)`F%a{13&^QZnW3DA83tFarDJ79wHRQxiju9p&yOE5s7iX5S zPAT9u2VnQ0f2q4R-q|na&DrhAn{dUUuHF#hhY!*=#Yui>7P*An_97irPU5O2oo*Uy zOh-vz=E?#LyJLd<zBXDrY%Rb6BQbbjLFbGdr3IZAHR<>@1MDHwJ>lqR{3b&uuKRc$ zRa&(RM0m(TfwmKzbj_mbq{47k@OqTc9^%<gP!){>A+hT{dTmTLg5;Yh9^SeHWDVf^ zPG5p0ObJX>BS$}QtpRL@Mtm;(zl^;l;yDM;Qq3i-!QHSe;4YHOc?FQc!u3kLQijC| zsD%F~sDR}K4dDj>ip4gzraN(+OJc5dkxPd4`v&&TmSu%$r;c7Q_Rd1_&ATqgv*|(_ z?NHdXIT(ccj?t#VW&9LM1V(fCO9+gvYLQh{cRA|8<q{rsEL{q0S&;6=DPwd4Eo9!r zW)iLHV!I&tETgv~)6t~Fb|S(Vncn^DVBD;7C*lRb0QSuw%P{9=8VL`gW?mO&LX>$m z-~lI6RXK*E5J9AvdGFyn+a;(a3c&7Xd>(S*x&q~)n?QFXUV&&!oZ5%W|Ki_-47X%6 z(Q0oier1I=N8(f&F4phVH{(93yq4hH=B4MFtN%i`>qOJ&mZjva%7L~Zf16w=u@t|N zC8*A#SM1f;Df0UcD-S(|f&m-%BOMFxd0<LRMB$-j-MCk73Ph5VvHN8KVQD`KCgGqF zGZ>7f<DRA(*bWm^Pz|n5Bf6w=TUJEN0bvC)z;Q^lHVAw7xgd*ES279YvmA$ra903~ ziK<zG7|GsNx|axK#EH3-9eMb!@2B=lxPuWaG+ZWd7*%LT;9Sl{1s{d2O5aaK*_0h` zAY#U;d{dMw?7Z{fzcMdPo31?X^&VNP4}#Qf<>k6SCe7GO?X$W$1$etD()gv9Vi~;F zCn%}JBUFzlG%bavdIc_e2^!)%?=Kt;>=SrU%PeegG`3XKr#yK6E3D-&$9I<7GTy?n z`3_|+%QY&LlI~o5@E#!+04sw(UjlbAOA19tfaBt{6O-buYH*haS#ZIU;3SqHLg-Hs zuSrFMHxltGM10k*4W;Z6`f7@<Y8kh%>B}+rAq7FL4k^cPF$PXBT7m8RsSpzmmpDjw z(ki70#|jhi*+>t9d8k}VN=CZ*CV?+O*aWS7?aGcDMH*FIBw7N4g!15Gl-=#Y7fUc8 z@=E*|8dge8sz&-qlL!y}Da!v>O{!#%h_6;(D$kEwxNxnGW=+sVv(lnD%hwwDe!ni- zoR)g6HC%rGcEK}))V{s{`}Tc<hF(E|k@npw(g=@H?OQ<Y^W%$X&=vwo{8d9pPOHwF z=1S_Gc~)D{2-{wQw7)Kzg4=|s4fYP3kQeKT7T7zi7Ca5L*YJ|JHx!C2&B3B3(F6Ns zO(H?%7PX1HD1)pGw?xy?yOiLb#1H<&ew-3A(VeWls3Vw&6;tNFCBUlFzLx-f?{9l0 z>9qC<EY3&D3QMr9)>{HC`gjazkX!(kNl;e$`2}+?sVj5N5W~RbMG#Yeilh*{Kq7N- z`TBlJleBgEegUIi6-{4RDkK!Ye(|3$(WdsYeuJPfC%GUcy$8s6o4ht97ee3rVQ>{3 z*i>?fSUVT;29du2q~QO6pzaa7^iC!aDH2SyYB^>J-q%+0le@$TI#;BJhU*x>X_1dz zx5<3Im6y*H#lbF0#fZf#2J+6~4Y=t%4*)nya{)$p3vFvi*Ad5XiK~d{2YC_&;{G)_ z^N738ShjLt@wE>91DpC%ke8C8!RXHHy%lqCamNHAt94P%)%{coTzgL^C-6sytKd%{ zXq3?0V#s7l7}AWv0d&MKAn8;p*_K`XXxr1skZRj_e%o+C)TVz&PM8<lhud@szj_!z z7#R6;&svQ+YBgrw#f?$Wm|W4Ajv!w*lNy7K-^|{M3^e9i8mYTxAQ8Kvr@Ls()v{CE zhE~~Oc`mI#txn>vp$=Ak8g~#pgOEkaztzB*z)dvpU#TW*zC*i%^otfUrgsg<oidAx zdCQmoC2)sbB}zs~Y#m<0mwXN8Eei%e7lYqNAQKEO>xN5v5AXO1A$2ZMX_kg%wV(<c z%bUh1&$)Ul#!PYGZUX$=5<0QyizTeXI(=)M+#R+c(40lwc(fEUf{q;CM01l*0;X;B z<2AIM>7t+Gz<}TVG4u+y55@fqQ~6UsY}D@M)fS$(ouQTV5b`>jrzVexEzt|w)aI#N zy*R^HVsFpgJqzGszw-<~`_IG)*zc4z>|D6(fMAI483X=4<m#rM&C+qtIIY4vG^Isp zmi>!x@xnA5Z%tk@9F=du4^mXSwa*9zdvm_ucS4CD1|OA7qubHlHmx|ZnXXEN7wgnS z;0*lz@p~IMQ+O2fS>f%E3)S)CGy@y{NI!rx@H7_Z?IdD!#rd6>sbX_x<Bf?e8G}Zn z8)Zzl%5aM^c8n^+U8=cJ1|0a`D5}QgJ(w3XPfI$QS7ewa_5E}h;2a$Whz6I5-@E~V zYC(}vJF@TnT5!i`VC)C2VTX%e*UzVIsZMN8p^$2Zg+kU}qkv|(aU`Iic^dCQne1@% z%4LR)%AH8wAvk%E%pG0JuqQJ1(IA+Z`HjQ<;oD1okMpr~3NjyTKJtSt?vZ(XZHV^3 zzbKs&qZLp|Z7uocN7j5ord0GEJiB{@l&P{&Mj*+&p*>)DhIFP=QW{8&p4&QuZtn=V zZZ64JWj}sasaHP&)^HcKRrvz$Mw{OVxOWpg+%}ZhFHktf{@9bmBIHp*J5%CknLM~! zDg$THjev(0pF!ntz^E@IzYsSTJS0hu-vSnn7@Eg&KT%>oK*H8?Yd@n8<u}}rs91o@ zwlQbiG@gGSqRkFrPrIN~dKG79l4G&ogo_NrNXqJzh(@qC!Y76F$GK7%=410wAb9zl zwRKIuc7eKRn))GXX2nF4+FA=hxbVHj4r2lCd&N3h-WPCE)#?@aRU{?$46^vD3zQ%H z8v>?Q0LdAhvwJ6fe`RYRwH-s~!y=QFLVp5(V+N``2PuwrW)S-D;7ncuuNm@@yQl^5 zq{4{+04@|hEdqVZ!7$Z_Giqz;*Q^}1waE+%5ds8dJ=VAn`)kNLqK&-#SD1*x6dLXh zi>|>AN)PEo(K~LOaHQYF8ty96%N`FY>%bYTCBzzVI`a7f9wl}PErhQVybREN)Ngz~ zK(XBinxh53W5rw$6x7C7i=e;-u05IF-tOm-duy5A-?ga(-DGv@1pdNwP-OsaOTX{T z6jbRHRG||$U!zJtr~(%S^;t9)hal$sQ0PuX&<juy=;P5f;%@)sr63L*bI?(^Zve#6 z&hW%EREPVNdVqD``;&WTB0EnEpt9s8L!?Ausgc&qqXse1>ztZJw0smo9EP4mYn}Lg zE^>m6i=>XkJzX#^h#3U`@gu{ROkxZINommdM<klsEClhJTLK&6Ad4}9I-dn3aAN6i zc}djNj0pPfW{938?dL(*8_Dqqo2(%r>u`JO2f|PrvQbQc$+@G%oE*SJV!9|q$nP8I z6q4UgyoLO71cdzNgDEnF{N|6yuZQH<CFIvRBER`V^80h@;(6Om`0H-lG<US@9w)kg zO?HFi#CI|0V-sDyH{n=-AGfXLOLmGLuA?eJA(CFygvQ}sD>rRF!-bZb3l^*8N6734 zE>CLSUJ?$0JlMN{egkf}CFo+la0=L)c$<dwMLzW6RAOounA#ac75rWR(2ok{Lj>Q$ zUfysYQH_xMymQ19{rHMwSr7e+IHEIg&za%wfAmLxqx*k|M0C99esJQ&eLrE4S_+%) zUwg>Vbb$Q-w?hbVkqe)I`pk_o&lPVc&k%1HAN&tWck^EH&gY-e`+EMdh<f-R#JiBc zE#9;E8{$2icZxTRE#f_wKQG<|{8!>#!v9UY=kcH7tsnB68~yxYkyOEVh<6o_iT7f@ zMZAMt74JLvI`Lk{*NFEDzCyfL^E<?Q4PPwY5ndtQ>-aqJUeD)>x5{UW_hw!w-dlJ9 z-h{$)P2e(~OR3MrC}<bKW(xNIl2XafoPR2Uq?Gv|Metz?zAb`}Qt(v~B<C*PCW22; z@Hr8Dl7c@M!KW$s1cLgZ+2r{$^edZi5-DaGzI1Uj1N1;6KydCBzXrFM?rK2Fw?xWD z__G8>3XE}-^0h*?;$R@I?@Z;n!79b&OJ9~sxztK=`_fmWQpQ^;`M&hksT7-)Qs7Hp zlS=s<yY|4w<NLqbI~TyH$}92TWF}+?ff*Du$iqP%Vo{9pkPv7SlR!`c1A&CB28d)Z zi6M!TdwH}35(aFNF%?^D)!J5kl|I(mt;I)cOMoVTu0rvFO50#rz3H$TD?+G|`Tx#$ zXOc+->u&r1?|-{HaPr;z-S7Q8-#O<yC$1#y^E>6UW^C%za^;g}z92r4(tvF!fmr5a zJS;8b)P|e0exUHohGYxhZ`mP@AX0KDZ5H&@jzzaO0|%#HqT8=uV2JGLdyRwY6Rw{P zZfILze29pq3yoW+h-X>*`ylx9UblY0a`M9B*I1homJT+iV-t39e{gq<^GEivs4|2< zxIctH(uR%w)Tfph=Ogy9)$eh8aj!dan?uoa!GU_A&X^QuR$}#!sT!$NiInD|WsypK z@cl@oUX5VR2hjPJdRQURhZNc?IBx<t@AcGc6!i)Y>wa}Ch{Aa>SxA)w3SZ@#Yhsy4 zP|l_8>ll<EneUNRq#ZVgWjMl({z6ar_DQIo@-6HxUvi|;htcSVlw|m9^sjX{^f0q2 zDud=;4IP%?MDR>Zfjds`wlS(vm=`-E#+XE-j-OE!V~k5Uu8(XsT{F^SjbV5Wo>62o zT<|wAW1Dc?K<tD|0o#V}I@IRh6|?8`ZdN2sPil;%uSn)yI*3R|Pw$Qu|3_B^_#o-O zgl~(a{~OYO-rpP>td9tk(*OB#{DS-|bmL}j7PX|FWyW+mHw#8tcSev`A9oJxVHI)r zIzJC}fBtuzsb`lhHyq2B7q(vsO*?GTbSPF)F~!QACEpi5d@MBfo5$}?)3ya#pOeb^ z+wDFs;M#2aFzVB}Ee+c~O(*3$?mBTD{FwqQ1;$A8#-k^weojo|>{!yRpA+kEvH4q7 z>MwSu&baIjt3t*2TVnmKu~LS|yF+cW!eGx;N{A6zzSehtC5^Ypb04q^cm{Y9*a18Q z+y?|QzjnMK^RDB#Ca#Hl0`~-N2W|)MN!*jTow%L2@I~+HYO)IpN3(U<I>XHo2uY>8 z0LRzUv=IOkf7x;r-b;<6pRL-5ePmunw+PJ<3EQM!11~D2E8GcVdpcp@Cm%l6MZUG) zAeYeTH)!c(9!V?GCugianJ9g-g|ZMr0&lyA=VyR6pmDZs%%S=@HvfC7_1;&l_b*XN zOWDF<div_USpWN~7wV%zZi@;>4X9zb&)&27-<O_sZq8$>M#UiQDHLcXkO|BK76Uf} z#lTvCwjM!SkHAgBO~M_5i$(9Rxo{B{{aPX}0;*qg;5u;axG3t6?i;I(wvpa_zz*P- zl6ItTX4`0isJ>9|)HbRgs2gD{zg~S8nQXY9Z@mqK)Iy6ygSF6p0HGslrCqpCm`1G2 z;9Z;(^RWclWeyq46nhzTuGJW9#yt`t)dX4tuLo}cfojU>0>2U&dF`0O*a&!`g`0xV z_4k;kA7(QOzN}0Egl%J6RIw(gU$yQ}!0lkN%H_SXAtlK|yb2Nn4zyTm#DsuFp&Ma7 zD86p=D&kt?qCiXFwf2KdgFYlWA0Z&oE$t3yk?7jCs|_Kz@3TpCaH_7c61cce0^hR| zfE^y#9lXh7R=MOj)kDYw_3Jrdm_JacpQ{0d!b{qMmzevB9VT=h;!((XN0kPz2uUxI znxI8Eu%ykLM9zxn_0N)pg_>Bl_LQ`Z`7HfVfMfuoFEsK%|J+1JYkHCh$OH%TVsA<x z!Y90B#YVEnUxec3m?&x#7b;>A&K4fHf7Uk66I`ltZsj&7R0VDxhlW0=Fkw-#@dXy@ zu!@b7A95+hI%W^S*JI9mhC12D9vA;dB$?1_9`icO^Puv)C+vBd<@uEIyf5rI5YK`~ z9^#E!3@LfgO5S6Bgp7W{BM;)gUH*W%EJztC!Sp#EGnYuAsq%&%{n?U&=mI&VUx|R@ z1a*oS)|At^uneK~6R^KLq1Q>g-zjw58~y8YXd<^3OxZ5wBHd(<X_F)fGETGtb@4D_ zyOfWQ7kbQhq$K!pJm^y2(JRJB^QEvq#}_%lsPh8><X$d#N%$%f9VFK`UfM7U+R{d} zGuVtF+cVu9-X<ugVW4^$Za(q7-VD)cyj#3iOI+9^v*J}e;Vc&lXZa5i&a#eYG-tW% zyOEf|+=!~-=?Key^f>iksOFkOUX!ORB!u+=f$A>*d;LXqo()}ik#PvqOcQxo7xa^` z@U5Mxjg)?i`Azae-;PKbp!Cpg?s<&Vxbtd;>g7S<K6NK1urK!<Y){2)122uq;|6Df zc^Ecxf%(I|FtKRWvWv_g^H^X7f$C&&#>8Gt!{6CPg@Gm!dqdbrnApUK0RyqD<OR~Y z%HRTuNg>O0h8WWLVO``+2=Y<3G|DjLB=$9ia`_xPL_ArhHO^tYf=jil8$%&$eMWkI zi4vc`?|vp2)R?@>G_6q1mZ(4el)V47>MBBZ*W`WXWm}cJzboLGuqfaeyGU%~LYr}X zO59&AF>v!?iHD2!50OdOri9fKdp%8<tGBF05Nd+lU65M~A$^8_!`Le^bD64-y>iV} z+*$}E{;UCe_Hu1u!_T<4aItl7A@gSrbFQo>^01tT;L}p<V$19Vr)uiLU8~{%Oe`?G z^>!%(riK?L1{NizEOZ!g>MFyY+=aimhXD~B5Pl#LWVaj*8TN+T5|=FWEG;N3xQQDI zp@R`>{}80hh1PPy9JfV?0WL60S@XFHgl;qAN^|vty=6Q;f{xDws;%i1O)wTw7-IVo z7Oj+;A$lT+eC&q({2jXq%NZwf8%HrWFxKvW_Qw=GX5+;|faYRmnZsj>B|O3~3NX%n z_ddS!0S!0TV{e-=9M^d1oM3D1$5$Es{5eUnLBt*=8a6zktU`~x^G5O%`pcH<)x%il zT`4@k75PH#$H`DPvxY#6hn&+GKXV<{<CiKghj@+V8_N|Jx&56k<3fTPgH$N{%%z5X zj%4vuDUPg%DAqg;`E}<D&ZiUSpK7-24(G34@V6%ihjWRG{Pb%YU#M*_sy#Cd|Ft%M zyW8KqKQ(7a^)L$U;AW@qa>Jf_V9jV=?aCN2TCS58VA02|^dqCPIZ-x?;7#1{bN-}o zi0uuSK2r4nwDHiU9o!Ay5o65qx5euH>!5ZZySBDJwVVjmf6aLFMYs^BvXWw2H3q!~ z(;%lS6m;T)pvO`cGg}L5FC9yR#x_hBf8BPvu&Y-G!c+(*MZzTa`h*7T?%V$yJG&R< zlsGYzZp4?Y8_s}3d(e-V;|z>mx-JBb`a7IgHZbhZcV4;YyWqYN+&KEYvg11nH-1#U zgCkE6_Zj?-0}fug&mf<5UXj$nXS>6m`@EvcaNhGuIE?^Ftplon5?}?e6z~Aq066a7 z;k+W51wvBk9|O+-FN#kDC;q>7UP*pP@>S=Rw(p(yyfTGPa-t#dwoIN&fNenJjB(EM ziiG}r=M|N1B&}|&{<F?2;k1uah7-U^pbM~*Wg;*HxE!Ew{to9A$t(~`<8L;w6et&; zNZ<S|=ap^>TYjGTJnR>t)#{$@V%5uk7VPX)tx)}9i~;_$vBro~X_@fGK`p*c(6Shm z_ccfy4kG%9JhMigIdnL{Oju?TtP=+pgkUA)nQwrAeEPsq(87sB6bdBfn??76cEAp| zFgA55t4gq}O8mn|j^XANy!bhC48jd_s9~TBmfYvWp%H)+$2)KWtZ>$eqk?x<o6jQ@ zFjndlb(Y{tn8SR5BZNr*1)XM~JLz*V$<OjtoflNI^pG;4K<@DCqjos-ON6xiv-?6J zOlF@(WELF<T-v}C_iTHFPzXn(2WbOwO_}<n&=VJMziw2zc9yI3Z?jcxmlwrAV&7qN zs>*}%En;RExS~IXSp9J;Iv|J~YrNURrg*tQC773oWE%2dA{FNFz}RpRg_uvaG0X<4 z)KO#ha9-1rjzt~`h)KCbm8#yvWnIKul`Kc%2BF2HVwY^#;84=0h8L9xUmS)sI5efu zrMsq&67AV?*ESC6u?BQ53x=+at{vtpUy=Tn>%hjPRv@fb>>NZei@|TH*Pe_fyaRH> z+qn}v>wgrKRZayp#0=C6%HTf}vvC}PLL1zZe+v)J`OV#n=)i?}W&PEaUEz{$-9>27 zp&VDLisExmUlyYe57bJ0b^X`NPKqF`ALem;0ng^WuokSF$I*omA&wcc<->L*C)w^$ z#@105(>pikRtXe*PBn`NCWH?v<}230wAUWEut~0FW8dub!7=*+d&g-odQ$iK5(3Qy z_h7xtK6cMla=P5A1>046G*w<cCcFx)i|N%1)tOq!yEKKxMVy%I^Uq`)PYo*;6We2$ zTQD^YA7k^_xG=ZuWYCdY_EFH5TXqWbD|B)ozF|Z^c5}pE?uQK+J}++<j-Xp4a=J}l zakf&I<nr=2+>|;{F2`5r2AUC14SawNdSxguK5Tff1wp(ReX7WYCr5Ogjhy&`?wYGR z=ANe%{=|N?Z*Zu2VNWTB^VlE?Ocdog(hMR#lw^kPwpNPcxZNv7<o5n$;YK>g4Sid) z6wVlH{)&i*#y*M@7L64NAM;8{S4rUpV*{F;2Dw!$>r^WrA`-cQ)8U#<Q56p>`$0fv znZuaInX8j&uMF()eo2pcLnnx>(zYf-IaoN1od1%^SY&iYDsf*+$~R27Y08`qCv9kw zOjU%BzDgnXV4bl>PIk|Hi{z}OM`r1#lo2###z@=|#HAWZB~MB<G^wA6Od~yVv}}Oc zD2cG1tE)pIs)t{SDt=8@1B!q`Y0f6O5)zp5y!5f~&z_^WLMO5-pE#vhuEXgU;kZ+? zY1^Cq8@XtZLJ2!0ade)5xhlUAJ#C?g0Fp6RV~+-Hw1!~2<^&S)*Bs>t)U+%SQ46WK zB&rYRMQY-2Nega9LlI`8$l&K}0|k3jgm<t?8RH)mnrIcY`7Fk7o7>`SaHx-?&M0K8 zpVK~(`KfGoUd_k~D_z%%ni5q-x@~s`2G{LYmD*i>aUc7g{$0pyv;}|H{B9h!nN)WL zUiKfmwE0-SaEG;II_xp|W(#Pq)Xsjc&7=7)dXaWM%_h<<V3pXj6<F3`OYF>lRvOXO z85-I}-KDi;2ThPg+FW5{1GBi~x37s}lTPVLNDgi}h!h;*XoQB5g8>Z+<530+()tZK zFJd{Zq2?7VEIGF<moA=KLMA90Wm|bIFw$B=^=1AVGsajdN=1e4B242Ol~)#u>RYp3 zk*$D3t&n7nnB$*kl5`ZzPCdQxrn<9=cb(gmIV~)raJ6}nWV089VtQEa<f?oQnn#H$ zENN7Yp|Rw&!I`%G5XpMXb<MO8!J}nTM5e9gIM<@}BTe>cB93s}thilfElNyKiX5FB zh20b=d=UdqBPF8|xe|g0#4%;}<MWD!!ZyxWBjq)v<`v|%_;rU;<<V!N5W?)D)6|fm zI1>rNMjB4)Fa%gu-8S<#aM?jA+JXZZks&=UkaMtsY8^M%zQqUB);D>DSY`Fu^Sbnz z9EH?R_5+6qyE$#m!}kwpE@*%Aj0mNMed8m(d-3J$gc?6^mj*7%!t#ONljFiJRIp#u zw`n$PCsp<X=3^16GSAJQWnvLZj6^NKYg0a6o0j8Mxhjo66(0VqS;3!;ReZP=zfG0+ zZCZ=prcG5%ic1_ZAN5FpJfXlwEJ%%Ls5wb7L?DqXT6^wC)dOZe4@^8jO~mPKS}Jge z%S$)FeG9zgKenkM$4vb|zi{FQa#{Xz<|bVzD_M@oO_jA=i-V16J3R3amYHlvCUXAm z2pA^<H5~-_@KFK=b5mb7rk;Mo-|TA0L3_5<636+L<FMgD>?OyU0~523dloHJmcFbU zP~8$~Hm(%6$A0)&fb!Z@qM~U}s(4aSiKMN|60DmM&JR=xyNS9Y5{cTQLKM`#N~?$Q zo0C4SFd!5($($SLEhu>i$`o5mG-d%t7uwW*Kd}{0RewR9?YS|sW`dc}C;Hbv9UcDh ziZCuU5_E%s?J)f;3)E6_$qeH*!BiRx(LTW&J?5NP%1SGDICsWdK2z~QIB`xW$E7>K z;_T?p{nv?5AA`?EQ&$y+s*d;QL_}$vSwe}zd#92F?PyRHRFw)|o?;~GN9$@_QpL50 zmld|RlMRz5f)(wwup+itb$P<(DYKQ(5NRdz6g_+d$jKvuobFKwFjsu#<RJ$b5g=A} z2ewyPm~oF!L}&6W(JUs{f<=p%l1^EfkA8vSDO25e=(%PKt;BMAgB1c|cAC=FHA7mk zhzdaA4qlF?S$RxtT{A4uuXg72S;k;#Vs0c^ZOroFL<_1I`ZEqoOEEP1v17*sPa+n4 zM7G<zX_B&d^IcgPxQc^9BOxdwOU^~57MgIJe7|UU!*tb-<`WQg86vE2?VD+fhRN`U zQd@-T2JWe(g?Kwa8=6CCRz+2A(U*G6C!S{A?VMA_&NHf9jnW1i>0fOAh6Kav3!dXq z?80KUg~bXBPJ0m=Vx*8_SeLKkt19<Mp3~VmBPdEl`nezF-9v?D%4!&)7ADEE3iaPK zPgjyhp+nhrLiNF7W@?1OH$-+2(H}P+3byz|-WwRG6MC9xuSS8WG-sghMe*2aPilXJ zhp=X8OXGB4Py2)Tp{m;dj72rP=A0U@e=eOSr-g{d>#q93Pg=6hqVamD`4n}uFnm#d z-PMxyNw@NAd()E6GTWks!eGk_RjC4-b#F+Uj1@sg>J}2h;?As2y}xs3&Y9*m$AIQu z%CF^|W3A_kzLm?mJYc_`1BZ|K{dD@z{%NOMXcprWjyJ~Zm&45;17{F6_KbIZ{bu}e zZEWm2Gg^7t!&A$QHqPbkF~*_E`)9Q2{lOhWAz$q2Hv-K!375J1@D*NnHdIKnx<rqK zabfft!)E#mn$231ett*qHE9;_=UkKORg^^iU-Q(Gl={+|OU!kBB5PLU;Floyinuep zIFV-*=8VbhaamJ>(>RWaAK)m75saoPQO<SdcQ}8;3PteF6<t~u9jAZSS<CAj!rqb9 zLu|B?et0onh?Zn50t9Bs^cHP$@r-J(wX4g_Dhqk?@-UZx1Z9i9ShSj7CF~O>P!}E< ze1oA{77AS_p%^*SP=cQ4F^^FR8A&yRA*$-stIIql@yG$)hLVY~J-k8+UUo_X?2-UM z<Oom%gzBXM`-IwV^yl4v`WQNpa!(%%t6?f0JH%!wWIAR$d=sCn6HbmJ7(cg`%WVD9 zxQY4ET-I&`hP!v2E2Ggnv;>371>VH8VBt}wcFL?3AnC^RvY2N?V43;m0q+?)mX(uQ zq0UY|3&z$*Xj!~joxy-y8^^P}1W>JPEimlCNvW@I9L4Elk$Dq-frAANOOk>YK&1}V zyv^VeAr<cYZa5hjD9ONib8b099;q)ow|s!hQ9gB_@fwGTlo}Bx93*Nsaz>C9o6YOa ztq(}POI+yjj9uDpkXY(L=UuCDxd^z?US<onTev6Ef`Xq?k47ox6(FIpzBVys)s*#~ z{(7S)X3KB&gN*}baKm86fi*u(OQR7DGx&T;P145c5?ZW3rL|u`(vev2Td_>;MKty& zqGQGZ=N%wsAuIB+;7gXkrXY{5TxbhO8@?u2qF;d{xFy6G{I!TRZ+&ZHnkB3Jp~xyD zt~uP1+KQa@_)|34UWyzgXZ`3-1_)l!IBlC{*+^9KIJfK|Swu41)K-aUUX`gVK<MV> zj-MbS2)iEdE)9a7U)gwlRQ}V#`Cnu{{t@|iL4f<GULwJxKUD;ajz_?2M21@>AIVq0 zSiD|Q1yX!hHJmt9<eT3+NL2*$y_bhT){%ntpHsxiSZNkpzdd5ns^2XMc3Acfv;T(# z?<nBdz-f|`QmQdRM^2S%Pgx=ieU#}q!n{fX9f8Xw*0b&*locR}09b`1K%xXdNn{c# ze$d@C2d-T~`)vf2xgaM#sfN{v)}n;98YTjFFyGP#<(d~0KHnTHv9J`<<lWbenqO8L zb(~_sQ9{Qf@I>k~u!L34tz=Iv!Bbg~%oQ*tDag5`PK7=eUZUS9p}<RIi9Y<PC0eA0 zttI*b_@L4EYaXaQ&k`+CnA~dVUZP)PiGG#9(UA+S$iW+haF*?2Zx|}8FSIhXN?*(P zkX8Cip(@NqbcnZ*(bPf>s(3~%va&`GH@`wk7UTQ#F4tl7D>yozE_0YEh!wNxgDVXT z^lP-oqmXtastbojFsL^IEfeDeUu*7+J$*!Qsh)S%Q^CX+qM#iF>Sf01?38#!8=LKE z{uIqPotIW-_m~Bn)v%J~8DuZ1tiSmtofaH~-8AOB(pWEA+eHby5gd&=z^<r`l#3cd z;NrRi)g5Wxxv6(U4&j}RQkMA&3_RtN2bgkh*{nSCVz5D_KDXusa+_(`ewsOX*YxEv zN_T7LcBxWo+z9>}3FcG=(Id)dkFi2JZ*0m)g_4diCv&o6S-8O*OjcG)lN*C_|DKe> zPUqJ9SW6KAxSHWn5Kcn>eM6EJ-?)%Z7=huFBnRnrPXof{k`og8l=P{IV&b^VyoD|m z-KGT_7GW-We$$j+A=;cs!xfMT>ZV1t5G~P=q!3VqaOJgQPSccUuom4x2BMF(tjvz2 zf+TKk!b_0IJ^GU1d{xf38J4LZ*TkOwL(`mC)S}%vjX1L;p3^S`7*Cl!95*8p*SX~a zK8Oz2#Ag}?i^>ipZHB2zN*k?1rwGJWr9UgJAPqSn#-g-1&3$uTp7|uwx8k2~e(-8| zjOha{LEEVit?4$=cF;Pp#g=t~yHuy&7{34Xp)vawvNKLlJEP(B=bXgCWlaP(%s0=F zg*1uI$-c`BN`@FXpiQ$*wwKU`;wzKQ@?{&$m4=l;${>=7EF$sgij8i%C|{sscAoiz zCwZ{SeHl{%nV_`31>ORATngM8mTc+X_hl7PSLVJ^ta6nbg~kN)I2DYZ@a0y8qvt3E z(GfB`Dbz_0IEfzfF1o0o05xVi51q=qcBEauB(2dk<FNik=hOS0JAd1J%rO8B;)%w9 z?BGb}(}z-)B<cep3+#08eHCj+E3SO!!c~`Czfu%*xqj7SAJd}ws|M-5qjxRM##m8w z@TTiSH|>e2I4vFvme2^slp8n#QjKhFSgw`}{Rtuy`-1-Rmi_v|u&`}#z>)mGp5{Ng z@&+6UB>Xyb_UuLkUQbVc0qM*${trU_j?m<nC$}JLTX#&0iK#P2j1xycEKZE!sC$R{ z*BX1#1uMF_ukS+kcN$C4`!oKiUydf#cSUk{k3JNyqj>eh>y_ZW%a&VZz8-;Dihlhk zmctry)1J_{gP<lB{<cKX$q%!JWYd??eRJ^3s&8ctaU<#d2UG*0M)XJ^hS~F5?ufmV zyKs?tA)1$Hq=?-;|A`T786qQCc6KQ@i5iw1N5|E0GbCxbHS;)bH~qW49)wk>^dEB9 zbgEKdd%5{4AsUj*U*LobqX^v@l7L#!+7}W_G4Jv}Magf>wu>%_A?96HDh7^~U9ha~ zFZAc8wI1j)Tu<EMAQi0FI=6<vh-BJc*O)docGtnq`mD1kq|Pq07jVH7{YAS^ALJt6 zF#p?U8<wEUjLWwt+w15N>w_`c9Ao9xU*#o~1#2$fy<U|#I3=+Akcsjq6yw<%ve<uJ z<|T}Jka=0UN12BR7e4d8p&lJ1L8G^qP%uuQa^1z;@EWto*^oJCf=H|Ebu}y=bY;M4 zd+AiVJzLis=f<I5LN6C~)~)r9fHMu+NNZLHOR(0GIVdh+df{1pe!$r{Z_qdim>~hb z7ztQga~5kD9qc(0cw7QlgM=I}A%{uGA(4=TV)Kwt;}f_zV{%Gzc>?jFDg8o2uT)Eu zbIVs`dx28+g7eNQ9=Z4K{OYaZ7axNjI_?0U(rTSsL~kVdf_q;?z6`5@+={GCNigDS z9jK<Mb$^W3DOPgZ9`sH%aP8`d(|?exIWjiJ%)G?8<q2M9VhFn4mXS{5syldu&&CGE z#ZBobCQmRD(&bBwEdf(g80=mh%0kVXb*yj7;tqUtxg!i>w%ROkZ%zM_bzwPMM@T4? zpg-GU8yJXh%n70CCN4NGweY0TPknd@d&?n?V)W6GSER#T%G*x(49X+gK{n4};01>U z;;q`JNga^`YK)=m+{({7DIGu^om-`bf;kJ7;l{=RTlTN(m(hL)FB}B0bjwk*)4u6K zGWQL-(YbR#TJ5uKkd!ptY`oC9^MLbL4f4t<Y@oSeZDel<emR}<jNNu5nASaD#%6%` z*Ds9Q(7*A*fU|z_pmBKEjL6&gjEP5r7o0wFe_6~Tg$tcMtZK%gYGUEZLyEG_s61Jw zg;fp+?VSqHc;Q=T9&<DWDDdZ;V8=NL$zE>7EMbB`R_1o$S?AUO1Az8v_gik@;>r8D zjrPrE+b$Ann0HZfu!T`Eh*7c1|JlO=CNn9yoKHJe`Oh#iUgw>sfx2^5!+?y8G*}?6 z_NOEe7QdR$V!2~fQ+BLMb)bJ2w^Uta35sVg!)OcP{8=ufj?_RwBTMIb2g*%qpe%_D zlnJZ+HJu6izo0T?RfA0iOQ#GLc{szvxIlbMX20<X!7s?*iMIl8Rig)Xgu{H`x2laT ze~cAMA{pI7Xt)faq=2(YA7nq(PlnK-*q~!oKvSXU6;`!&WxR0c&2$C|6cjzpFe2-p zS;J#Pa(k)Z$epX5TMKwVBUJm%xDW-zNEcMVPN4z@2nwQLDL%;J#m~z9h3=$eZ4y0A zh_1GDD+w5Fj!+qxvEAV;8et>nQx@(%G7g<#wxK9KNU<x$2hYm#%yKb&e>w~JOGJa; z`4o<YTn3-?n3u|pS)rGp8DTnHwu@MQ!bgLRXC#}jW`vC@mfAPuc-)YDF1FU6_@ZPY zN+s0@fhw8(=v0=g7E#F#crEpXXIrxlCQ@4t(R%-e!XqtNAy+V=HA`d#wfe$PQ&yYD zbRyd&hvYCCR{>F7p>eKfv|6V0K4b9dW-TpVGvZRR+H`wuPN-Hau-PW=d5%<e{hB|u z`kZWiQno(cJX}qYli&@SJ9&z_?*AoTNw!^xRVZ5v4m;KC&>f_#k@9=3S)C-4ChR7p z^M{nV#Lmohz!!j#fXi>D8QW88Iu)kh5gZj>&Vxh4tA8+&2dS1^qwZi%Jx9XWe|uJl z2C2=;l>MeuJ(>OgO4v%5&JrRFhh1XK(pci1Thr*n)~pkFYr(5|Af6T+&jVkz;K*50 za@{#gL!*hlB6YWOtJ8`gnUY^CYavftTQN{K&;h;<-kX!eG8oSn34`Ii3+i%C@?@{e zp}H}eKc@rT@(}8DTmPDqJKT})jv(5DPmrA!e0+yXkGEpE%twyVxcx*v<r1@uZn7FW zho@F8iO^~#VDJZK2}NI4IZOXKSBRUk4ze0{Kzoxh_d4_|NoF<p<TFIvHD({{>_o;+ zj6SZ;+bN@2q7#d_=ZH8ZFzwSKNY<T)vzAbd$9xM$VS)J*{sy#moz@f*!O%2jIH*JB zUrj)4ncXKzsA$5F;O^d&=5oARHIc#%KEg)8PL>l&3-*^SK!zr=?8iA}P5C{!_6uMu z>r%`F28JjbfdyC%C}10`-5(>`Vn6kr&rO-JV{6^D^*Nu^dOyjo&q0H7Em@svX50TM zBZC%-)o(A0<<dw#**pTeqb9BiUvilFS`{Kl)BQxybNJf+21<7R!V)FYKwVg>g9vVZ z{UbHk*={a@gmH<%S=hXvoobr-5Ce<E7@T{+o2Hqwt;Bi%*{Q4$1xTg<zm}Q!td_<= zt8p1z*J~ToYQ*)=aRqJt;Xr4(#<Zq3>zT7;c<EPQD+lK?-eRpc9C@=NIm|c2pGQKh zj|p<Fa6J=aW4_2Z=#O7)(8ls{I*Y*>&ouct1DHajH58i8tvh((V#~ACbJv(=lGD<h zTjZX+Jl5)KQ=6Szx2P~D*cR_t&m%pxW)KL#nq;h?JGZXF%lWIUvy(&F&Mo74$#!mC zgwvX3hR%wkW?}m!c!@1X8e{s4(rm5)yY*HuR6H)nBVygrx#erp$~Hy3oMv8qQZ+FH z+_}Zz1DWf$F+iMK|Cs{T)tK-9;@6r{AT@74iVxemlvCK?1a;nV3&WqXI=|}SA)Nm+ zFNE`VZppycD#Ig|C&eJEt#=c@J&ye7(QzU^HtQ^ZjA0b^53kEqcoepQx+96slVYki zOX>=vyeyU=ORe5lh28~WP4z*#s_HE3Q}BM8M~WU^k|;Ko%bPN1fzwP=H$50VDt;~T zZJjAKCpNvsAQzoIVY3-B9b}NljBRvWn{&4I*rsHm9G)|TV5@MtUAvCO*S@_e;Xpk? zW1kqKnE?(2yNJ}+AP33XYaQ-DjkTl%URHx?gIZM9bWh^&vQmaIb7&mz%1Q&t6CnXv zvM7BI7WVDcY7U<}ANN`6{PLSLYx{j46K-1IrKoBu#Y7GEL16{B+`URV18z`Bin5yu zcd$*kd?H~6t})W=&lhW}wl@B|%cZ*&3ChQw%~oBOW^LB8Wi}xm)W9N12xL4We7g%| zDAgQIJ*&?&pCx|7^dO3_Qj9hoIq{=N9AzCB5w4u$y@XgWIcTq?Hi#~K=PjzUhhXLa zieqi+3l|D27#8qI(@UDFbXGylf4{A}j5i1a`1fF9g7T@gM&TCb2DU({2Atd@YU!sY z(EiOO>@84LxMNf!ya%JxG;pD+VmqRn-8Dq1MTAU;>YI<zn(=Ss7e3W07WC@w{M(N) zno*a7xQkGyUJVFQ>}5{bFXWZooNo>R1u454oWxAviCN5S+ge9!p*~nCs4tt5Z_aw3 zUK9hH9~#y9=G+J5jk~Kti~4sN2x6f~mBhJ4W^suQ=Nh8UZF{8LqW3?HzWf9-Bvq!K zd_B_K=j+|p*QT|xNOA-dAlBJaThMRb!B!k9o0Mmkh`k2EhOT6wazPNGP<eH3Jwc`s zjIGODA<K$jY#r@~)rT(g-uta0$4QZA$Vij#qDDl?dp&OjgVXiQ?mmU;f>y1H++{A5 zL^^FXodxC^4ranbMx##W#M8D8u!s|vieB!Mp=7G&>zm3>D;0{}X%>P$s#-Yxt54eN zYEHHhvu1B_l<6i_s==KPhI0eEWv40heyc9>RxXWQ<0wcGd$`gBH{l`5L!iBM4-L4` zsL~Ff??Jbq<eK-kFyymLwI(A)B4e&VEuNeYzRb74zA*>rdokmiu0%py6FY|g#aZ7% z!)!tn!g<FpdHRK*L%CvRZVKxGB6XI<1+K2aVP8q_g{cioc?@WZVyhH$%PB+*MhKq~ z<JlV$HrZ1@^w}}gBt{>ohXnZXk5o;iXw&YO+}HKnba?BjwJ)QdmAXri*(wdfLrIGi zVFf75<hRsW*8EUfd3u~Nz<iA-3lUM*IZp<kPyKk)?HkCp`ZhYjWi1!xrr$*GQ<=2B zWb<uEA|m0POeHNds@eB5n8xhJXn-t&SD0(NlQ%c<7_q1TiP-2EW1Lj{oKuWKvZ5<Z zNpwiBtlr=wv{G>tu}tV%dFEx3vE<+~hpHUppdnPU9AUdD@*%~N+pf$wDXN9d35AqN z0X;L0SW32h`1ugPPsHd#n3gJHv68V0+cd<IU5yQ2kxfi)OowWf@7%fG4%Mpe-CD|W zsI%^4L2q;qE*|>zxPr`#7Z?0xl(=9nvufwsYXb==`ySgkxc2S3+5<85gM*j%_T5~2 zAU0^$7TGri2ljla9bLOssQpH~I^q=WkuDgg?GiogWF0O$h%{@j+8+M2s`t|C<DD5> zcG1#cLSSGqtXL&^-AzC)AueaJeC7qGEEdC|2s7xejTeE1Yy?-e8;KmnVnEmE^x$;! zJERBQ(2o<n!Va*qku&QPj7w!y48z&ehv{)Gnmf>peX(F(S>`hIn%;+4*DG^L#ken^ zsFBQQR=0^<f<{d2VAS6D_NC2l_nUt6U<@+M&t|o4W9r=rnyA&Cy>>EanSTn;ftK5L z#X(?L)sS_-`SdQ~;@>JA&+K}U)q9JJFsUClBnPryY|6GbZAiv4c<06xx$Ydsxxq7R zc7=8~dhDlm!*i}5%yJeVjH@5!=j4>tnGS;}#pv8{fJCMjhV&~*Y4UI75aB;-tFZ^p z25n`w<(O<uB!(k&eLCd{A|-PYyjU~KywYS%Sx4FL?h~~-Ecqv`6^XeFK9R_*jm(;m z@gi3&?v@%*<No>Pmxx^uT#6tPCx~40(S=MBCG;fhgpooLJIeJ7QjoiH>cuX}6`ly9 z63$^a;>GVZQA2%Hn6<C5&I~g5!Y#0tCweS;xlD_aBf#PXV<RvBSL@ionrb>8du-KX zSRGa3Bn>%jXfb=VEVdzQU!arL$}xq%T6m(NaPP99%VS>q4aQxoU2IAQ;!#3moM5wQ zFkUndFj5fHrGNV2I|dAt;WVYYJmyUGC=Dlr>1vxs#X4xY6AYVQf<?(_!RnU3^CIJR zH3H3B!Gam$!CRCB$+KT4{mwaa5V<^<Qg}i*H7CqR@w8!~w&oxPN{POpjE$5<SxQ>Z zH@J;W8{%UE{ZvV}i!DkDmtmf`3&vddZ7QV>O_ST==AWew6nqq{pLTC7gHUP_sM&`? zr)h#Rd_eJMw=ZGnA=3?ZF`*I3y4o|d^h@*1B=SQ-_c+!CVpL8|Q?Pw<ym8Qs7mTC$ zH{=`%PMp3pM!%|dUF;0w^4fK_S;lBal*jzt-74x4@YlG&Kq(gtcUyDq^jZ2#Fxn?( zA@2B!4J+Wgf|shs_%RV^yADCSF9wrhS7U9=p}O$xerKyWD6(PG8DXkNpeHxLb#QLI zR@VM$rcCOBhEe9dG;nw``>wP#P0%W$&{}&bHEhk=%U><{ln2%<%(NFhdFH0)R7dsT zI(t^AJ_=oD4x>miDi|EWX&z360WA`1Zr@l<-Ld|-jSlP}PD?-cY<RWw4(O*@zYM)E zf#j6JS1et}A_7h$yo^D3t9@+y7Ur3!NOxk*aYl~qbfD&y;Iu&2F6tV(j*Md{?V)G; zly+!$zPFLDGK?xKz@<h@O5tAP)<DfcX;ZFGeXDQGx0b7VmaO<ASMl@AScJ~Vwx=C_ zVSSf@If{WvkUt=#*DJ_<RuJ217DZ;DnVO8Q$5FHEM}>!_4vqJACP_iVNErc=6xh!R zvrzm*aX}7R947zkP3G;{-2w|?%zUi*duj%~Z!b<Xf<Dixu<Q~`P|A0P?l%srEp<Bk zt8Bs-MQ9~IA!vc==Wl=u^gCR}Ww32Voytm#)sxIkc()4m37hTeQBgk*!S?IkaE1uR zG5IZS5hERJ9))NRTNm!(1oLWQMDHn2TMf}$ePi%;Ht7ywS`K6FTxgat`w9vqOnyY+ z<NW-_!Ooq#ojW^EWnKpxb98#+VAz;Lojd;`vU#m3S&7Iyq=N!>1qY@SqV`^VY#0zq zpK;jOvphOOkp_q$lb_~TDs07nLbQs)z)`yV9$+pg!HyHACUvt^ev0%|7|UvXMfEqC zIJc}OaJbaU7PTmMhkGqrNRbr2l=?@v$M=`1u@zlBh8L2;<47hCMywNdl;YJMnsX{M zb|mstU3y02#Z-#x6kWlkaBvCr+f@VDDEF@ld@zRqt5U06zC`|Bu(sbSTh)-@G@dW= zCG$6F?HBO5BskXjwD90#Po<A^=>tijVI&!nM9}7Z`hcVXCmyaPU;1NA)+#}F0kROd zZoD8;hWwr~SV2`0vQ-hXRS~jP5wcYgvQ-hXKUWc?DlZwMS21h)(;3dKLD0$Qwqg*< zxnTG%E=Om}2PDQV4WaLLGo&M(G={jWmA&p}i3F#}Z_-DY?cN{y^Ajj!Ld^XAn8vKc zPk3vMnI5kTgFiOV+J!78v!L(q!M|`%9C!&h4x9o8fh3LvW&(?W5}*p$3~U1)2A%?1 zfY*TIKo{WZA|8+iECYPNX5eeU1Hj|JuYlKpHsAzs7D)U=(~^MkKr)a9<N>z;KHvf1 zDd0um9iR)i2=dQZ;96iFa5LZo?gZ`w9tU;;Ex-}r1keRs09olWU<xoBSPGN@Yk)1l zJ-`ov=YRvi5#Uci7cdr7IvGd<76E;KCz8^%x6@ItaATTwc4?ZXtpLKm8~-^?`_8bQ z_lW<hqSA72v0JZn-|E%f-gTwAdu3&@*S*SDx!PUjt6b@=uAam}x+mO9pSMW&Mt^gU ztJe6hWmFpF#qNqqNyocVeDN!)5RX-*6~%7PdcCBwLVYy!qFc(n1Q8trV@6l0FO!HS z<r*`(J6>g#w?c)ws(Pibv`U{;wSF!6__8Rd$10tst=6iwm0G3d)4cqfq!nxB{L{1v zT7_n)=PM*xZ9;`nUT!@KBcPu&p-Z#%)B44_>{(e^aq^p*ta(&m_jJ$Fc!zdfa&o>0 zQjFUz`@7~?QL=)crmd@5$In3sh^!6=j)Q;ls_ht^PA3EWVq$IfxPI}D{s{vT2M%(& z248UDkf9e{oHXo`;Uh+ly3{@TvN2=FjlX=t6<?Tm<yDiePQK>a$y26IyKZ{QjMSO4 zzWAlI^y@P+vu4l9o_oWM^K#}d@GM-EyBG_ZOAG$#rke|wEniV|%gSQ!s#{A+%Wf-Q zT~S$eyRTX|)~sE({>xw4P_uE9BI{;VNSAslODlA*k22k;Wifu{^LL&$S-X}N%j9XE zDsQH@ci7qG)w6wGuZElJ)$@wV4fQ-H>N&l<ymF;P_8Ap=>1war>+@Cm+?qC!&Rslj zL2j<)Bd=QS-1&2&UbV~xIq7rf_xLQDmOOdNz=ZS)cTrVUdFjd`y_6wSQdI3;UBs{~ z!e7_DtE+SwvgMUU4BZm1JHs8xyS(%kUy*OUyOcWneBPCM`T9u-o^o$dwU>cip%<+r zCNZK?zr5OAZB$iN`uO54TJ2s%;a6AsyrjY7YE^<ss_>Lw$~Spn!d33{o?;lJos&Cv zUewIdOG>NVMb*{b)wh(dcNZJJ(u!N%6(qGria|w6D@yg!qVm!&tK<_FOL*ppRM<;Q z_btY)yt~&|8oubVPIAxH-2`1-S*^RvOK<a%x>U#Ktv1SacjYSg%A)de$&8kgGF`Q@ za&?uO;uEf3S?;^Sy~?OqsoGS{@S>hVRaEOfW2H{z`L8}^mY3%gl~$;_OTDj^daLPO zQEA*-;;ybLTFFX5a0WmT(>bcaqTB15KJC?AcdylXixyk$t(Q>f%8HfVNuR$xBp)eT zvgDCLN>aX_42r|wubnR6jS98uFmifAxJ$f6RaR+9=i2K&qmFA!qavz)>xnn*yz#2_ z;?IaTRpM0{jJ7qUKHVrP@97}vNtJ<=i#c(gwqIUZA<OpF3>;a#)xz3cu4_^xUQfN% zddfVguB5w)y=zKWdV9i#+sM1Fih0APAT84~GgUiZquR$H$8ea{47*ajggv2HM!{`; z!=Jxh!jX!L^dgEd(CYH2X{jc?&wIP!t(L;bC|?v_VCX<rvel(bC<dMMw+wfq!l;%8 zTwC;aobt4NvTDO~j(cwfy;fPV+FPMh2MMd%@SI_be771Buv#^^gjMrt6^ocI6Shj$ z=kAqAl91)it46S<<&>`URaRH7(%pHbs+JiOCw8~TJZsTodD0S?50fTM(q^)E-|AyE zt0-bcHY#qbs9am|Mfxz@gjupik4{Kn6O~{y+!C1|CzV~0(baDx&%#KT-@Q@KO+2g3 z5Px(|bU!05+5NmN>KW!*w?DG^-Ot~MdhS<Sdq-_uEgQ1!j@mmm*A9t`V@KY)bt?r* zPOkOT)@u%J!sXLF`L*n~Y|0)_J=wb_)YjJ$OJiFuDJgL{;@4GGt*xr+wIB2OfBes_ z_5C*i{K)#(_shB7v%!=;>)#gb)Bk#huhV+|#b}@JUvvtawVr>m5R*U8zes%d|M>pb zKGpwjG%Ef-9sx0R-Tx3U{#?IE4~n}vrsrR5%;)<TiGQv!{U7uDYcoJ{8p6Lwj`G&? z>=Kdc|G=+r_|I3{o=`5W=h=FSiIGWATesQ2W$PVZt#4=y+}ZTCySCl^^>5ts&3nIf z-~A7K`@!#g_j?a*fB2C{AA9`!JAUxPAN}~BpZLj>KmC`VJ@xaQPe1eQbHDiI^S}D_ zuIAl)_Wq`&b>IF2FTD7#FTH&5&~FdF^6G1^A9>@=w~qeq_kU<R_Vyo-|Jyt7n(coI zp7{6o-tYL}&mW%r=+x=XGk^KGi_3_A^MUC62cFM$Ao{Pa|9^G<e{=i)wFBw-zpDf3 ze|7z{vuCVcJ)>Gk6IwC9E8RK#-14xVpO%wzb#d|4Jn-}6Xj(eJnV55&Iy!6fE7x>C zFW|H!-nrf?j-*zAbmLZ|TGzB2jB=I64dBX>R(h4MRA>@8MZT3KxU;>t_zVuJ^6iGA z3iU`nlD<Z|lBPylk`7Qoy!DcX#Fw}dN6RhJ4PP-IBt2iLdRkm!_^QKx`QG9RZ}?>~ zXta3eR92|3xklJ6(j~4&JdN-g;UtX4ca1}Sn8uRN(X?`HuC5L};=iQY>sxS38Rvw# zJ%?nWc<^mrQMI1V8FLLJhbp5=`C0E)GFlEarJ`HC*H^Af*OugFEt-7oq|AAcAIOue zDFFqcJQRx>TJ1xXsW}ZmJJ1}o3XMY>(NwgUG#tN-1@jjySv*#o#F<y#BlM(6x2R<B zUtO&HZziwxoGMl?s;ra@_+?wpf9h}T1?k#BID$5bJzdkDEY-A!?mu@@kWr!JX&N+d z<wo9*Lc5b+<b7YC@4p<=`+I%V_rHvT-Y0<HF5Fkb&ywDqQQ=CaqB9SWUnHNt<+w1l z_xFQQ@g?4|KHp#L^ZmA2R(uJ29na^>r{jxOxbuA<lXm{^Iq7LyDImY|#V?%G`+MJV zPJ~7(zw^ca_WaNO{yR@k-A+V3AL-K`-&@oZ?nhD2ecRnz&^y2AbOzj%rd<liFH+v< z?}dCT>hpb9pK?62tatqAe$8H<rY#5L7fHWw`JOH7{XIIq#5+*l`+MK`FRkzWy>I;A z*M0W)UvKXHy>EX$_08Vj`=+0B-)Db6zP<PNzU9B^@!sG2&d<?1tnV7X!teL=dEasz zeWG_deZP0^?)|-QJ->Y*O}qIFnS_5Aagx&7B5%Fj|K+XxZM>C5F>|~XULQoJ42xox zq5I0S)<DC7ufsQ8xDXjaT90rdD(v}1rTXkjUoI4#a<8>RYTwi{6wf3ajBWBKHi+p_ ziDnm76qkcZd?cynR2CcM-q{ds=R><8^qX3iQ0_B)kc=S;=CbQT6xXzqvGcq|YrLQG z|4UCQR>Jw3HqoA2?ggi~ES4OkAnC=$5RJiu;$otiDOD0TqjL3XN;I#ug6wBX47Pr# zlU1_Wr)wQjdMjmEKGGUrw89iyo^Y)s6{*4E^;KTv-ZQ=BURtqF1+KF%j!^NsTkwY} ze*@BeMFjcKvh7PMN>mFKXRTWavPJDlTro2)wNsY!ets=>Zgr*?TKcVCpNHy7*S#w_ z2#%siU~uYUv!Qb;CWrR0dbSuEH>;9(q{`ZFV&_T^2!YdEJhuWCm{9UGtvT8sEF|Ke zD{<2^JeoE{T4q63jy$(f8aODW#cIre0cl^fFD|bpfW=ptDQ{tJ%9rH1o8vM|-c%7! zO4~=3{)wpeTCB*hbHQ=GWzVOr)fm!F#m<9{7$y-inx3P~VctXE9!ak#&aEn~usZd| z7|AfJhr*ew3m2n0UE3vje)@wp?>sT`wJrAi(qeB$Ns(`HWsXpcuV1fwwcY1Vhtc|| z>IZAqXj+jy&!Ua17AUYSG`zm`9<NVvXJ8ko@-lnMq^%d1uDmTgDt{E!HsJwA<K(Kb zs?fj1aI4a*)i~uzd%(6xFJDrz7GziZfhxfwuhkvPA|(j-&K8w&cu}Bd?~QtA`hxLa zA2Yk$s4kJTuQyh$^7@!*@5Ii_$SJC_+L4~P)Yjb=iz_1yq?ys7Xp1y!Zb{qAY$9Gp zZy&<6OaAi|6ULgN+PgANB=>H%-;Y#{a!bEV=`yv9^2%y&c)H$cjh66wl&(DxRhtEd zUS;SqdhhKODqrg-GcQ-~p7ZO&tDIzty+F9MtE-B9-tOAw_4c9EN2H8V<0!AlS1Jse zbnV8hMf0=faV{t>=g?GPTLgPS($%zAtvJOCR$1@kr7gmpEAtpkL`ts;p)+7_G2o}s zX8-&9|FZ>li2^!);#w4{a5-IJH_Ab<NwA&s{^YyB|Nj2B1wL;J%zr2C7e5{L>&!om zNmFB|{B7`Sfa6oBRs<IQlRp`!7XgtmX$wEwapk&a954_-4n^w^!~=<dBkYQwyh{<} zoABf!-y~g$D=u0vR30*2#BVTgK^P?O(SZ0*1>`+F{GJhhXJJ=y7KQzD!!FCSO1}VC z@@5%U>8!?e11z-K2*3wOS*0FQo?1Z4To-mX<H~nGAm6tDQXaW*cLng>@cVXLDc_@j z<oA6*!aWU0on8Xu`|E&wPohzzeIjkfWB1w+BQH_E$a}<%e2TpHb^Ctr`~KI$pYMAl zoqs&nb>5#<SNC~;{}^p?ex`&~zw;Bt|1s(>wK(q(2=C<Q9RluuoHn2)|ILR&$x!gH zSi9p<Hmnt!*KZyj?wrT}U_ESq%yR3#Cla)pmbS50xjP8o{K%V+xUJ8h`df$WtNhZ! z?$1AG`1El2orHh+;o}cqqW#;$=EFBxiADYGPJiQe6+?72Eqrs?n{I9Sn`Lia8x_)e ztUG+<_ifP8uGwhCEdO_lW|t8T8Ck<W74dKM*mg;JuN3~)cPVGzvWk7^$gd=rrgglJ z-J}oFwE7Y0+I{3N;l-7{7Cc9OvbT1cX$r@95m)x?hj3*tci_q-KKgE&+KYdTD>z0y z?uEEF;|fkQ7IzqK*E?z2CAfQWhvVLfE4V^2?kL<$+)HuW{w+;&<L<y6jr-*BH0?56 z7w$S-4R<|G#~;(QFXOi1%3wQ+8^V1NcNuiu&jSn}g-1!cQm62uq)Gdf(f9X#n5NwW zYy<8D>VYjlEwB!#0!o0J0S}N3%mk(bQ-EaPN?-yo7H|V2fFxiD-~ti>JJ9)O`UEfm z3Ezf$1ULxn1%3%U2|Nls1Uv|A12zCvK!1BrpG%)kqCT1Q`JGq%b=VaC$ry<tp2QV5 z@{@LQ$9+S(@ti*yC(*y!Dl2}+2Nplele;+j^MCl+lliyBKS;e?D5H`w9mzcUS@;_Q z@{_Tc3j7lw<KkO@C}w>H_z)OO!z2Uq0lAnGi8F(51;AS1Uf?O<Fz{zUE>~U+<N)Qs ffA`;C6IqGv^RtD2k$RV(<URs$Gq4!wJAVETV*lf- literal 0 HcmV?d00001 diff --git a/venv/Lib/site-packages/setuptools/installer.py b/venv/Lib/site-packages/setuptools/installer.py new file mode 100644 index 0000000..57e2b58 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/installer.py @@ -0,0 +1,97 @@ +import glob +import os +import subprocess +import sys +import tempfile +from distutils import log +from distutils.errors import DistutilsError + +import pkg_resources +from setuptools.wheel import Wheel + + +def _fixup_find_links(find_links): + """Ensure find-links option end-up being a list of strings.""" + if isinstance(find_links, str): + return find_links.split() + assert isinstance(find_links, (tuple, list)) + return find_links + + +def fetch_build_egg(dist, req): # noqa: C901 # is too complex (16) # FIXME + """Fetch an egg needed for building. + + Use pip/wheel to fetch/build a wheel.""" + # Warn if wheel is not available + try: + pkg_resources.get_distribution('wheel') + except pkg_resources.DistributionNotFound: + dist.announce('WARNING: The wheel package is not available.', log.WARN) + # Ignore environment markers; if supplied, it is required. + req = strip_marker(req) + # Take easy_install options into account, but do not override relevant + # pip environment variables (like PIP_INDEX_URL or PIP_QUIET); they'll + # take precedence. + opts = dist.get_option_dict('easy_install') + if 'allow_hosts' in opts: + raise DistutilsError('the `allow-hosts` option is not supported ' + 'when using pip to install requirements.') + quiet = 'PIP_QUIET' not in os.environ and 'PIP_VERBOSE' not in os.environ + if 'PIP_INDEX_URL' in os.environ: + index_url = None + elif 'index_url' in opts: + index_url = opts['index_url'][1] + else: + index_url = None + find_links = ( + _fixup_find_links(opts['find_links'][1])[:] if 'find_links' in opts + else [] + ) + if dist.dependency_links: + find_links.extend(dist.dependency_links) + eggs_dir = os.path.realpath(dist.get_egg_cache_dir()) + environment = pkg_resources.Environment() + for egg_dist in pkg_resources.find_distributions(eggs_dir): + if egg_dist in req and environment.can_add(egg_dist): + return egg_dist + with tempfile.TemporaryDirectory() as tmpdir: + cmd = [ + sys.executable, '-m', 'pip', + '--disable-pip-version-check', + 'wheel', '--no-deps', + '-w', tmpdir, + ] + if quiet: + cmd.append('--quiet') + if index_url is not None: + cmd.extend(('--index-url', index_url)) + for link in find_links or []: + cmd.extend(('--find-links', link)) + # If requirement is a PEP 508 direct URL, directly pass + # the URL to pip, as `req @ url` does not work on the + # command line. + cmd.append(req.url or str(req)) + try: + subprocess.check_call(cmd) + except subprocess.CalledProcessError as e: + raise DistutilsError(str(e)) from e + wheel = Wheel(glob.glob(os.path.join(tmpdir, '*.whl'))[0]) + dist_location = os.path.join(eggs_dir, wheel.egg_name()) + wheel.install_as_egg(dist_location) + dist_metadata = pkg_resources.PathMetadata( + dist_location, os.path.join(dist_location, 'EGG-INFO')) + dist = pkg_resources.Distribution.from_filename( + dist_location, metadata=dist_metadata) + return dist + + +def strip_marker(req): + """ + Return a new requirement without the environment marker to avoid + calling pip with something like `babel; extra == "i18n"`, which + would always be ignored. + """ + # create a copy to avoid mutating the input + req = pkg_resources.Requirement.parse(str(req)) + req.marker = None + return req diff --git a/venv/Lib/site-packages/setuptools/launch.py b/venv/Lib/site-packages/setuptools/launch.py new file mode 100644 index 0000000..0208fdf --- /dev/null +++ b/venv/Lib/site-packages/setuptools/launch.py @@ -0,0 +1,36 @@ +""" +Launch the Python script on the command line after +setuptools is bootstrapped via import. +""" + +# Note that setuptools gets imported implicitly by the +# invocation of this script using python -m setuptools.launch + +import tokenize +import sys + + +def run(): + """ + Run the script in sys.argv[1] as if it had + been invoked naturally. + """ + __builtins__ + script_name = sys.argv[1] + namespace = dict( + __file__=script_name, + __name__='__main__', + __doc__=None, + ) + sys.argv[:] = sys.argv[1:] + + open_ = getattr(tokenize, 'open', open) + with open_(script_name) as fid: + script = fid.read() + norm_script = script.replace('\\r\\n', '\\n') + code = compile(norm_script, script_name, 'exec') + exec(code, namespace) + + +if __name__ == '__main__': + run() diff --git a/venv/Lib/site-packages/setuptools/monkey.py b/venv/Lib/site-packages/setuptools/monkey.py new file mode 100644 index 0000000..fb36dc1 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/monkey.py @@ -0,0 +1,177 @@ +""" +Monkey patching of distutils. +""" + +import sys +import distutils.filelist +import platform +import types +import functools +from importlib import import_module +import inspect + +import setuptools + +__all__ = [] +""" +Everything is private. Contact the project team +if you think you need this functionality. +""" + + +def _get_mro(cls): + """ + Returns the bases classes for cls sorted by the MRO. + + Works around an issue on Jython where inspect.getmro will not return all + base classes if multiple classes share the same name. Instead, this + function will return a tuple containing the class itself, and the contents + of cls.__bases__. See https://github.com/pypa/setuptools/issues/1024. + """ + if platform.python_implementation() == "Jython": + return (cls,) + cls.__bases__ + return inspect.getmro(cls) + + +def get_unpatched(item): + lookup = ( + get_unpatched_class if isinstance(item, type) else + get_unpatched_function if isinstance(item, types.FunctionType) else + lambda item: None + ) + return lookup(item) + + +def get_unpatched_class(cls): + """Protect against re-patching the distutils if reloaded + + Also ensures that no other distutils extension monkeypatched the distutils + first. + """ + external_bases = ( + cls + for cls in _get_mro(cls) + if not cls.__module__.startswith('setuptools') + ) + base = next(external_bases) + if not base.__module__.startswith('distutils'): + msg = "distutils has already been patched by %r" % cls + raise AssertionError(msg) + return base + + +def patch_all(): + # we can't patch distutils.cmd, alas + distutils.core.Command = setuptools.Command + + has_issue_12885 = sys.version_info <= (3, 5, 3) + + if has_issue_12885: + # fix findall bug in distutils (http://bugs.python.org/issue12885) + distutils.filelist.findall = setuptools.findall + + needs_warehouse = ( + sys.version_info < (2, 7, 13) + or + (3, 4) < sys.version_info < (3, 4, 6) + or + (3, 5) < sys.version_info <= (3, 5, 3) + ) + + if needs_warehouse: + warehouse = 'https://upload.pypi.org/legacy/' + distutils.config.PyPIRCCommand.DEFAULT_REPOSITORY = warehouse + + _patch_distribution_metadata() + + # Install Distribution throughout the distutils + for module in distutils.dist, distutils.core, distutils.cmd: + module.Distribution = setuptools.dist.Distribution + + # Install the patched Extension + distutils.core.Extension = setuptools.extension.Extension + distutils.extension.Extension = setuptools.extension.Extension + if 'distutils.command.build_ext' in sys.modules: + sys.modules['distutils.command.build_ext'].Extension = ( + setuptools.extension.Extension + ) + + patch_for_msvc_specialized_compiler() + + +def _patch_distribution_metadata(): + """Patch write_pkg_file and read_pkg_file for higher metadata standards""" + for attr in ('write_pkg_file', 'read_pkg_file', 'get_metadata_version'): + new_val = getattr(setuptools.dist, attr) + setattr(distutils.dist.DistributionMetadata, attr, new_val) + + +def patch_func(replacement, target_mod, func_name): + """ + Patch func_name in target_mod with replacement + + Important - original must be resolved by name to avoid + patching an already patched function. + """ + original = getattr(target_mod, func_name) + + # set the 'unpatched' attribute on the replacement to + # point to the original. + vars(replacement).setdefault('unpatched', original) + + # replace the function in the original module + setattr(target_mod, func_name, replacement) + + +def get_unpatched_function(candidate): + return getattr(candidate, 'unpatched') + + +def patch_for_msvc_specialized_compiler(): + """ + Patch functions in distutils to use standalone Microsoft Visual C++ + compilers. + """ + # import late to avoid circular imports on Python < 3.5 + msvc = import_module('setuptools.msvc') + + if platform.system() != 'Windows': + # Compilers only available on Microsoft Windows + return + + def patch_params(mod_name, func_name): + """ + Prepare the parameters for patch_func to patch indicated function. + """ + repl_prefix = 'msvc9_' if 'msvc9' in mod_name else 'msvc14_' + repl_name = repl_prefix + func_name.lstrip('_') + repl = getattr(msvc, repl_name) + mod = import_module(mod_name) + if not hasattr(mod, func_name): + raise ImportError(func_name) + return repl, mod, func_name + + # Python 2.7 to 3.4 + msvc9 = functools.partial(patch_params, 'distutils.msvc9compiler') + + # Python 3.5+ + msvc14 = functools.partial(patch_params, 'distutils._msvccompiler') + + try: + # Patch distutils.msvc9compiler + patch_func(*msvc9('find_vcvarsall')) + patch_func(*msvc9('query_vcvarsall')) + except ImportError: + pass + + try: + # Patch distutils._msvccompiler._get_vc_env + patch_func(*msvc14('_get_vc_env')) + except ImportError: + pass + + try: + # Patch distutils._msvccompiler.gen_lib_options for Numpy + patch_func(*msvc14('gen_lib_options')) + except ImportError: + pass diff --git a/venv/Lib/site-packages/setuptools/msvc.py b/venv/Lib/site-packages/setuptools/msvc.py new file mode 100644 index 0000000..281ea1c --- /dev/null +++ b/venv/Lib/site-packages/setuptools/msvc.py @@ -0,0 +1,1805 @@ +""" +Improved support for Microsoft Visual C++ compilers. + +Known supported compilers: +-------------------------- +Microsoft Visual C++ 9.0: + Microsoft Visual C++ Compiler for Python 2.7 (x86, amd64) + Microsoft Windows SDK 6.1 (x86, x64, ia64) + Microsoft Windows SDK 7.0 (x86, x64, ia64) + +Microsoft Visual C++ 10.0: + Microsoft Windows SDK 7.1 (x86, x64, ia64) + +Microsoft Visual C++ 14.X: + Microsoft Visual C++ Build Tools 2015 (x86, x64, arm) + Microsoft Visual Studio Build Tools 2017 (x86, x64, arm, arm64) + Microsoft Visual Studio Build Tools 2019 (x86, x64, arm, arm64) + +This may also support compilers shipped with compatible Visual Studio versions. +""" + +import json +from io import open +from os import listdir, pathsep +from os.path import join, isfile, isdir, dirname +import sys +import contextlib +import platform +import itertools +import subprocess +import distutils.errors +from setuptools.extern.packaging.version import LegacyVersion +from setuptools.extern.more_itertools import unique_everseen + +from .monkey import get_unpatched + +if platform.system() == 'Windows': + import winreg + from os import environ +else: + # Mock winreg and environ so the module can be imported on this platform. + + class winreg: + HKEY_USERS = None + HKEY_CURRENT_USER = None + HKEY_LOCAL_MACHINE = None + HKEY_CLASSES_ROOT = None + + environ = dict() + +_msvc9_suppress_errors = ( + # msvc9compiler isn't available on some platforms + ImportError, + + # msvc9compiler raises DistutilsPlatformError in some + # environments. See #1118. + distutils.errors.DistutilsPlatformError, +) + +try: + from distutils.msvc9compiler import Reg +except _msvc9_suppress_errors: + pass + + +def msvc9_find_vcvarsall(version): + """ + Patched "distutils.msvc9compiler.find_vcvarsall" to use the standalone + compiler build for Python + (VCForPython / Microsoft Visual C++ Compiler for Python 2.7). + + Fall back to original behavior when the standalone compiler is not + available. + + Redirect the path of "vcvarsall.bat". + + Parameters + ---------- + version: float + Required Microsoft Visual C++ version. + + Return + ------ + str + vcvarsall.bat path + """ + vc_base = r'Software\%sMicrosoft\DevDiv\VCForPython\%0.1f' + key = vc_base % ('', version) + try: + # Per-user installs register the compiler path here + productdir = Reg.get_value(key, "installdir") + except KeyError: + try: + # All-user installs on a 64-bit system register here + key = vc_base % ('Wow6432Node\\', version) + productdir = Reg.get_value(key, "installdir") + except KeyError: + productdir = None + + if productdir: + vcvarsall = join(productdir, "vcvarsall.bat") + if isfile(vcvarsall): + return vcvarsall + + return get_unpatched(msvc9_find_vcvarsall)(version) + + +def msvc9_query_vcvarsall(ver, arch='x86', *args, **kwargs): + """ + Patched "distutils.msvc9compiler.query_vcvarsall" for support extra + Microsoft Visual C++ 9.0 and 10.0 compilers. + + Set environment without use of "vcvarsall.bat". + + Parameters + ---------- + ver: float + Required Microsoft Visual C++ version. + arch: str + Target architecture. + + Return + ------ + dict + environment + """ + # Try to get environment from vcvarsall.bat (Classical way) + try: + orig = get_unpatched(msvc9_query_vcvarsall) + return orig(ver, arch, *args, **kwargs) + except distutils.errors.DistutilsPlatformError: + # Pass error if Vcvarsall.bat is missing + pass + except ValueError: + # Pass error if environment not set after executing vcvarsall.bat + pass + + # If error, try to set environment directly + try: + return EnvironmentInfo(arch, ver).return_env() + except distutils.errors.DistutilsPlatformError as exc: + _augment_exception(exc, ver, arch) + raise + + +def _msvc14_find_vc2015(): + """Python 3.8 "distutils/_msvccompiler.py" backport""" + try: + key = winreg.OpenKey( + winreg.HKEY_LOCAL_MACHINE, + r"Software\Microsoft\VisualStudio\SxS\VC7", + 0, + winreg.KEY_READ | winreg.KEY_WOW64_32KEY + ) + except OSError: + return None, None + + best_version = 0 + best_dir = None + with key: + for i in itertools.count(): + try: + v, vc_dir, vt = winreg.EnumValue(key, i) + except OSError: + break + if v and vt == winreg.REG_SZ and isdir(vc_dir): + try: + version = int(float(v)) + except (ValueError, TypeError): + continue + if version >= 14 and version > best_version: + best_version, best_dir = version, vc_dir + return best_version, best_dir + + +def _msvc14_find_vc2017(): + """Python 3.8 "distutils/_msvccompiler.py" backport + + Returns "15, path" based on the result of invoking vswhere.exe + If no install is found, returns "None, None" + + The version is returned to avoid unnecessarily changing the function + result. It may be ignored when the path is not None. + + If vswhere.exe is not available, by definition, VS 2017 is not + installed. + """ + root = environ.get("ProgramFiles(x86)") or environ.get("ProgramFiles") + if not root: + return None, None + + try: + path = subprocess.check_output([ + join(root, "Microsoft Visual Studio", "Installer", "vswhere.exe"), + "-latest", + "-prerelease", + "-requiresAny", + "-requires", "Microsoft.VisualStudio.Component.VC.Tools.x86.x64", + "-requires", "Microsoft.VisualStudio.Workload.WDExpress", + "-property", "installationPath", + "-products", "*", + ]).decode(encoding="mbcs", errors="strict").strip() + except (subprocess.CalledProcessError, OSError, UnicodeDecodeError): + return None, None + + path = join(path, "VC", "Auxiliary", "Build") + if isdir(path): + return 15, path + + return None, None + + +PLAT_SPEC_TO_RUNTIME = { + 'x86': 'x86', + 'x86_amd64': 'x64', + 'x86_arm': 'arm', + 'x86_arm64': 'arm64' +} + + +def _msvc14_find_vcvarsall(plat_spec): + """Python 3.8 "distutils/_msvccompiler.py" backport""" + _, best_dir = _msvc14_find_vc2017() + vcruntime = None + + if plat_spec in PLAT_SPEC_TO_RUNTIME: + vcruntime_plat = PLAT_SPEC_TO_RUNTIME[plat_spec] + else: + vcruntime_plat = 'x64' if 'amd64' in plat_spec else 'x86' + + if best_dir: + vcredist = join(best_dir, "..", "..", "redist", "MSVC", "**", + vcruntime_plat, "Microsoft.VC14*.CRT", + "vcruntime140.dll") + try: + import glob + vcruntime = glob.glob(vcredist, recursive=True)[-1] + except (ImportError, OSError, LookupError): + vcruntime = None + + if not best_dir: + best_version, best_dir = _msvc14_find_vc2015() + if best_version: + vcruntime = join(best_dir, 'redist', vcruntime_plat, + "Microsoft.VC140.CRT", "vcruntime140.dll") + + if not best_dir: + return None, None + + vcvarsall = join(best_dir, "vcvarsall.bat") + if not isfile(vcvarsall): + return None, None + + if not vcruntime or not isfile(vcruntime): + vcruntime = None + + return vcvarsall, vcruntime + + +def _msvc14_get_vc_env(plat_spec): + """Python 3.8 "distutils/_msvccompiler.py" backport""" + if "DISTUTILS_USE_SDK" in environ: + return { + key.lower(): value + for key, value in environ.items() + } + + vcvarsall, vcruntime = _msvc14_find_vcvarsall(plat_spec) + if not vcvarsall: + raise distutils.errors.DistutilsPlatformError( + "Unable to find vcvarsall.bat" + ) + + try: + out = subprocess.check_output( + 'cmd /u /c "{}" {} && set'.format(vcvarsall, plat_spec), + stderr=subprocess.STDOUT, + ).decode('utf-16le', errors='replace') + except subprocess.CalledProcessError as exc: + raise distutils.errors.DistutilsPlatformError( + "Error executing {}".format(exc.cmd) + ) from exc + + env = { + key.lower(): value + for key, _, value in + (line.partition('=') for line in out.splitlines()) + if key and value + } + + if vcruntime: + env['py_vcruntime_redist'] = vcruntime + return env + + +def msvc14_get_vc_env(plat_spec): + """ + Patched "distutils._msvccompiler._get_vc_env" for support extra + Microsoft Visual C++ 14.X compilers. + + Set environment without use of "vcvarsall.bat". + + Parameters + ---------- + plat_spec: str + Target architecture. + + Return + ------ + dict + environment + """ + + # Always use backport from CPython 3.8 + try: + return _msvc14_get_vc_env(plat_spec) + except distutils.errors.DistutilsPlatformError as exc: + _augment_exception(exc, 14.0) + raise + + +def msvc14_gen_lib_options(*args, **kwargs): + """ + Patched "distutils._msvccompiler.gen_lib_options" for fix + compatibility between "numpy.distutils" and "distutils._msvccompiler" + (for Numpy < 1.11.2) + """ + if "numpy.distutils" in sys.modules: + import numpy as np + if LegacyVersion(np.__version__) < LegacyVersion('1.11.2'): + return np.distutils.ccompiler.gen_lib_options(*args, **kwargs) + return get_unpatched(msvc14_gen_lib_options)(*args, **kwargs) + + +def _augment_exception(exc, version, arch=''): + """ + Add details to the exception message to help guide the user + as to what action will resolve it. + """ + # Error if MSVC++ directory not found or environment not set + message = exc.args[0] + + if "vcvarsall" in message.lower() or "visual c" in message.lower(): + # Special error message if MSVC++ not installed + tmpl = 'Microsoft Visual C++ {version:0.1f} or greater is required.' + message = tmpl.format(**locals()) + msdownload = 'www.microsoft.com/download/details.aspx?id=%d' + if version == 9.0: + if arch.lower().find('ia64') > -1: + # For VC++ 9.0, if IA64 support is needed, redirect user + # to Windows SDK 7.0. + # Note: No download link available from Microsoft. + message += ' Get it with "Microsoft Windows SDK 7.0"' + else: + # For VC++ 9.0 redirect user to Vc++ for Python 2.7 : + # This redirection link is maintained by Microsoft. + # Contact vspython@microsoft.com if it needs updating. + message += ' Get it from http://aka.ms/vcpython27' + elif version == 10.0: + # For VC++ 10.0 Redirect user to Windows SDK 7.1 + message += ' Get it with "Microsoft Windows SDK 7.1": ' + message += msdownload % 8279 + elif version >= 14.0: + # For VC++ 14.X Redirect user to latest Visual C++ Build Tools + message += (' Get it with "Microsoft C++ Build Tools": ' + r'https://visualstudio.microsoft.com' + r'/visual-cpp-build-tools/') + + exc.args = (message, ) + + +class PlatformInfo: + """ + Current and Target Architectures information. + + Parameters + ---------- + arch: str + Target architecture. + """ + current_cpu = environ.get('processor_architecture', '').lower() + + def __init__(self, arch): + self.arch = arch.lower().replace('x64', 'amd64') + + @property + def target_cpu(self): + """ + Return Target CPU architecture. + + Return + ------ + str + Target CPU + """ + return self.arch[self.arch.find('_') + 1:] + + def target_is_x86(self): + """ + Return True if target CPU is x86 32 bits.. + + Return + ------ + bool + CPU is x86 32 bits + """ + return self.target_cpu == 'x86' + + def current_is_x86(self): + """ + Return True if current CPU is x86 32 bits.. + + Return + ------ + bool + CPU is x86 32 bits + """ + return self.current_cpu == 'x86' + + def current_dir(self, hidex86=False, x64=False): + """ + Current platform specific subfolder. + + Parameters + ---------- + hidex86: bool + return '' and not '\x86' if architecture is x86. + x64: bool + return '\x64' and not '\amd64' if architecture is amd64. + + Return + ------ + str + subfolder: '\target', or '' (see hidex86 parameter) + """ + return ( + '' if (self.current_cpu == 'x86' and hidex86) else + r'\x64' if (self.current_cpu == 'amd64' and x64) else + r'\%s' % self.current_cpu + ) + + def target_dir(self, hidex86=False, x64=False): + r""" + Target platform specific subfolder. + + Parameters + ---------- + hidex86: bool + return '' and not '\x86' if architecture is x86. + x64: bool + return '\x64' and not '\amd64' if architecture is amd64. + + Return + ------ + str + subfolder: '\current', or '' (see hidex86 parameter) + """ + return ( + '' if (self.target_cpu == 'x86' and hidex86) else + r'\x64' if (self.target_cpu == 'amd64' and x64) else + r'\%s' % self.target_cpu + ) + + def cross_dir(self, forcex86=False): + r""" + Cross platform specific subfolder. + + Parameters + ---------- + forcex86: bool + Use 'x86' as current architecture even if current architecture is + not x86. + + Return + ------ + str + subfolder: '' if target architecture is current architecture, + '\current_target' if not. + """ + current = 'x86' if forcex86 else self.current_cpu + return ( + '' if self.target_cpu == current else + self.target_dir().replace('\\', '\\%s_' % current) + ) + + +class RegistryInfo: + """ + Microsoft Visual Studio related registry information. + + Parameters + ---------- + platform_info: PlatformInfo + "PlatformInfo" instance. + """ + HKEYS = (winreg.HKEY_USERS, + winreg.HKEY_CURRENT_USER, + winreg.HKEY_LOCAL_MACHINE, + winreg.HKEY_CLASSES_ROOT) + + def __init__(self, platform_info): + self.pi = platform_info + + @property + def visualstudio(self): + """ + Microsoft Visual Studio root registry key. + + Return + ------ + str + Registry key + """ + return 'VisualStudio' + + @property + def sxs(self): + """ + Microsoft Visual Studio SxS registry key. + + Return + ------ + str + Registry key + """ + return join(self.visualstudio, 'SxS') + + @property + def vc(self): + """ + Microsoft Visual C++ VC7 registry key. + + Return + ------ + str + Registry key + """ + return join(self.sxs, 'VC7') + + @property + def vs(self): + """ + Microsoft Visual Studio VS7 registry key. + + Return + ------ + str + Registry key + """ + return join(self.sxs, 'VS7') + + @property + def vc_for_python(self): + """ + Microsoft Visual C++ for Python registry key. + + Return + ------ + str + Registry key + """ + return r'DevDiv\VCForPython' + + @property + def microsoft_sdk(self): + """ + Microsoft SDK registry key. + + Return + ------ + str + Registry key + """ + return 'Microsoft SDKs' + + @property + def windows_sdk(self): + """ + Microsoft Windows/Platform SDK registry key. + + Return + ------ + str + Registry key + """ + return join(self.microsoft_sdk, 'Windows') + + @property + def netfx_sdk(self): + """ + Microsoft .NET Framework SDK registry key. + + Return + ------ + str + Registry key + """ + return join(self.microsoft_sdk, 'NETFXSDK') + + @property + def windows_kits_roots(self): + """ + Microsoft Windows Kits Roots registry key. + + Return + ------ + str + Registry key + """ + return r'Windows Kits\Installed Roots' + + def microsoft(self, key, x86=False): + """ + Return key in Microsoft software registry. + + Parameters + ---------- + key: str + Registry key path where look. + x86: str + Force x86 software registry. + + Return + ------ + str + Registry key + """ + node64 = '' if self.pi.current_is_x86() or x86 else 'Wow6432Node' + return join('Software', node64, 'Microsoft', key) + + def lookup(self, key, name): + """ + Look for values in registry in Microsoft software registry. + + Parameters + ---------- + key: str + Registry key path where look. + name: str + Value name to find. + + Return + ------ + str + value + """ + key_read = winreg.KEY_READ + openkey = winreg.OpenKey + closekey = winreg.CloseKey + ms = self.microsoft + for hkey in self.HKEYS: + bkey = None + try: + bkey = openkey(hkey, ms(key), 0, key_read) + except (OSError, IOError): + if not self.pi.current_is_x86(): + try: + bkey = openkey(hkey, ms(key, True), 0, key_read) + except (OSError, IOError): + continue + else: + continue + try: + return winreg.QueryValueEx(bkey, name)[0] + except (OSError, IOError): + pass + finally: + if bkey: + closekey(bkey) + + +class SystemInfo: + """ + Microsoft Windows and Visual Studio related system information. + + Parameters + ---------- + registry_info: RegistryInfo + "RegistryInfo" instance. + vc_ver: float + Required Microsoft Visual C++ version. + """ + + # Variables and properties in this class use originals CamelCase variables + # names from Microsoft source files for more easy comparison. + WinDir = environ.get('WinDir', '') + ProgramFiles = environ.get('ProgramFiles', '') + ProgramFilesx86 = environ.get('ProgramFiles(x86)', ProgramFiles) + + def __init__(self, registry_info, vc_ver=None): + self.ri = registry_info + self.pi = self.ri.pi + + self.known_vs_paths = self.find_programdata_vs_vers() + + # Except for VS15+, VC version is aligned with VS version + self.vs_ver = self.vc_ver = ( + vc_ver or self._find_latest_available_vs_ver()) + + def _find_latest_available_vs_ver(self): + """ + Find the latest VC version + + Return + ------ + float + version + """ + reg_vc_vers = self.find_reg_vs_vers() + + if not (reg_vc_vers or self.known_vs_paths): + raise distutils.errors.DistutilsPlatformError( + 'No Microsoft Visual C++ version found') + + vc_vers = set(reg_vc_vers) + vc_vers.update(self.known_vs_paths) + return sorted(vc_vers)[-1] + + def find_reg_vs_vers(self): + """ + Find Microsoft Visual Studio versions available in registry. + + Return + ------ + list of float + Versions + """ + ms = self.ri.microsoft + vckeys = (self.ri.vc, self.ri.vc_for_python, self.ri.vs) + vs_vers = [] + for hkey, key in itertools.product(self.ri.HKEYS, vckeys): + try: + bkey = winreg.OpenKey(hkey, ms(key), 0, winreg.KEY_READ) + except (OSError, IOError): + continue + with bkey: + subkeys, values, _ = winreg.QueryInfoKey(bkey) + for i in range(values): + with contextlib.suppress(ValueError): + ver = float(winreg.EnumValue(bkey, i)[0]) + if ver not in vs_vers: + vs_vers.append(ver) + for i in range(subkeys): + with contextlib.suppress(ValueError): + ver = float(winreg.EnumKey(bkey, i)) + if ver not in vs_vers: + vs_vers.append(ver) + return sorted(vs_vers) + + def find_programdata_vs_vers(self): + r""" + Find Visual studio 2017+ versions from information in + "C:\ProgramData\Microsoft\VisualStudio\Packages\_Instances". + + Return + ------ + dict + float version as key, path as value. + """ + vs_versions = {} + instances_dir = \ + r'C:\ProgramData\Microsoft\VisualStudio\Packages\_Instances' + + try: + hashed_names = listdir(instances_dir) + + except (OSError, IOError): + # Directory not exists with all Visual Studio versions + return vs_versions + + for name in hashed_names: + try: + # Get VS installation path from "state.json" file + state_path = join(instances_dir, name, 'state.json') + with open(state_path, 'rt', encoding='utf-8') as state_file: + state = json.load(state_file) + vs_path = state['installationPath'] + + # Raises OSError if this VS installation does not contain VC + listdir(join(vs_path, r'VC\Tools\MSVC')) + + # Store version and path + vs_versions[self._as_float_version( + state['installationVersion'])] = vs_path + + except (OSError, IOError, KeyError): + # Skip if "state.json" file is missing or bad format + continue + + return vs_versions + + @staticmethod + def _as_float_version(version): + """ + Return a string version as a simplified float version (major.minor) + + Parameters + ---------- + version: str + Version. + + Return + ------ + float + version + """ + return float('.'.join(version.split('.')[:2])) + + @property + def VSInstallDir(self): + """ + Microsoft Visual Studio directory. + + Return + ------ + str + path + """ + # Default path + default = join(self.ProgramFilesx86, + 'Microsoft Visual Studio %0.1f' % self.vs_ver) + + # Try to get path from registry, if fail use default path + return self.ri.lookup(self.ri.vs, '%0.1f' % self.vs_ver) or default + + @property + def VCInstallDir(self): + """ + Microsoft Visual C++ directory. + + Return + ------ + str + path + """ + path = self._guess_vc() or self._guess_vc_legacy() + + if not isdir(path): + msg = 'Microsoft Visual C++ directory not found' + raise distutils.errors.DistutilsPlatformError(msg) + + return path + + def _guess_vc(self): + """ + Locate Visual C++ for VS2017+. + + Return + ------ + str + path + """ + if self.vs_ver <= 14.0: + return '' + + try: + # First search in known VS paths + vs_dir = self.known_vs_paths[self.vs_ver] + except KeyError: + # Else, search with path from registry + vs_dir = self.VSInstallDir + + guess_vc = join(vs_dir, r'VC\Tools\MSVC') + + # Subdir with VC exact version as name + try: + # Update the VC version with real one instead of VS version + vc_ver = listdir(guess_vc)[-1] + self.vc_ver = self._as_float_version(vc_ver) + return join(guess_vc, vc_ver) + except (OSError, IOError, IndexError): + return '' + + def _guess_vc_legacy(self): + """ + Locate Visual C++ for versions prior to 2017. + + Return + ------ + str + path + """ + default = join(self.ProgramFilesx86, + r'Microsoft Visual Studio %0.1f\VC' % self.vs_ver) + + # Try to get "VC++ for Python" path from registry as default path + reg_path = join(self.ri.vc_for_python, '%0.1f' % self.vs_ver) + python_vc = self.ri.lookup(reg_path, 'installdir') + default_vc = join(python_vc, 'VC') if python_vc else default + + # Try to get path from registry, if fail use default path + return self.ri.lookup(self.ri.vc, '%0.1f' % self.vs_ver) or default_vc + + @property + def WindowsSdkVersion(self): + """ + Microsoft Windows SDK versions for specified MSVC++ version. + + Return + ------ + tuple of str + versions + """ + if self.vs_ver <= 9.0: + return '7.0', '6.1', '6.0a' + elif self.vs_ver == 10.0: + return '7.1', '7.0a' + elif self.vs_ver == 11.0: + return '8.0', '8.0a' + elif self.vs_ver == 12.0: + return '8.1', '8.1a' + elif self.vs_ver >= 14.0: + return '10.0', '8.1' + + @property + def WindowsSdkLastVersion(self): + """ + Microsoft Windows SDK last version. + + Return + ------ + str + version + """ + return self._use_last_dir_name(join(self.WindowsSdkDir, 'lib')) + + @property # noqa: C901 + def WindowsSdkDir(self): # noqa: C901 # is too complex (12) # FIXME + """ + Microsoft Windows SDK directory. + + Return + ------ + str + path + """ + sdkdir = '' + for ver in self.WindowsSdkVersion: + # Try to get it from registry + loc = join(self.ri.windows_sdk, 'v%s' % ver) + sdkdir = self.ri.lookup(loc, 'installationfolder') + if sdkdir: + break + if not sdkdir or not isdir(sdkdir): + # Try to get "VC++ for Python" version from registry + path = join(self.ri.vc_for_python, '%0.1f' % self.vc_ver) + install_base = self.ri.lookup(path, 'installdir') + if install_base: + sdkdir = join(install_base, 'WinSDK') + if not sdkdir or not isdir(sdkdir): + # If fail, use default new path + for ver in self.WindowsSdkVersion: + intver = ver[:ver.rfind('.')] + path = r'Microsoft SDKs\Windows Kits\%s' % intver + d = join(self.ProgramFiles, path) + if isdir(d): + sdkdir = d + if not sdkdir or not isdir(sdkdir): + # If fail, use default old path + for ver in self.WindowsSdkVersion: + path = r'Microsoft SDKs\Windows\v%s' % ver + d = join(self.ProgramFiles, path) + if isdir(d): + sdkdir = d + if not sdkdir: + # If fail, use Platform SDK + sdkdir = join(self.VCInstallDir, 'PlatformSDK') + return sdkdir + + @property + def WindowsSDKExecutablePath(self): + """ + Microsoft Windows SDK executable directory. + + Return + ------ + str + path + """ + # Find WinSDK NetFx Tools registry dir name + if self.vs_ver <= 11.0: + netfxver = 35 + arch = '' + else: + netfxver = 40 + hidex86 = True if self.vs_ver <= 12.0 else False + arch = self.pi.current_dir(x64=True, hidex86=hidex86) + fx = 'WinSDK-NetFx%dTools%s' % (netfxver, arch.replace('\\', '-')) + + # list all possibles registry paths + regpaths = [] + if self.vs_ver >= 14.0: + for ver in self.NetFxSdkVersion: + regpaths += [join(self.ri.netfx_sdk, ver, fx)] + + for ver in self.WindowsSdkVersion: + regpaths += [join(self.ri.windows_sdk, 'v%sA' % ver, fx)] + + # Return installation folder from the more recent path + for path in regpaths: + execpath = self.ri.lookup(path, 'installationfolder') + if execpath: + return execpath + + @property + def FSharpInstallDir(self): + """ + Microsoft Visual F# directory. + + Return + ------ + str + path + """ + path = join(self.ri.visualstudio, r'%0.1f\Setup\F#' % self.vs_ver) + return self.ri.lookup(path, 'productdir') or '' + + @property + def UniversalCRTSdkDir(self): + """ + Microsoft Universal CRT SDK directory. + + Return + ------ + str + path + """ + # Set Kit Roots versions for specified MSVC++ version + vers = ('10', '81') if self.vs_ver >= 14.0 else () + + # Find path of the more recent Kit + for ver in vers: + sdkdir = self.ri.lookup(self.ri.windows_kits_roots, + 'kitsroot%s' % ver) + if sdkdir: + return sdkdir or '' + + @property + def UniversalCRTSdkLastVersion(self): + """ + Microsoft Universal C Runtime SDK last version. + + Return + ------ + str + version + """ + return self._use_last_dir_name(join(self.UniversalCRTSdkDir, 'lib')) + + @property + def NetFxSdkVersion(self): + """ + Microsoft .NET Framework SDK versions. + + Return + ------ + tuple of str + versions + """ + # Set FxSdk versions for specified VS version + return (('4.7.2', '4.7.1', '4.7', + '4.6.2', '4.6.1', '4.6', + '4.5.2', '4.5.1', '4.5') + if self.vs_ver >= 14.0 else ()) + + @property + def NetFxSdkDir(self): + """ + Microsoft .NET Framework SDK directory. + + Return + ------ + str + path + """ + sdkdir = '' + for ver in self.NetFxSdkVersion: + loc = join(self.ri.netfx_sdk, ver) + sdkdir = self.ri.lookup(loc, 'kitsinstallationfolder') + if sdkdir: + break + return sdkdir + + @property + def FrameworkDir32(self): + """ + Microsoft .NET Framework 32bit directory. + + Return + ------ + str + path + """ + # Default path + guess_fw = join(self.WinDir, r'Microsoft.NET\Framework') + + # Try to get path from registry, if fail use default path + return self.ri.lookup(self.ri.vc, 'frameworkdir32') or guess_fw + + @property + def FrameworkDir64(self): + """ + Microsoft .NET Framework 64bit directory. + + Return + ------ + str + path + """ + # Default path + guess_fw = join(self.WinDir, r'Microsoft.NET\Framework64') + + # Try to get path from registry, if fail use default path + return self.ri.lookup(self.ri.vc, 'frameworkdir64') or guess_fw + + @property + def FrameworkVersion32(self): + """ + Microsoft .NET Framework 32bit versions. + + Return + ------ + tuple of str + versions + """ + return self._find_dot_net_versions(32) + + @property + def FrameworkVersion64(self): + """ + Microsoft .NET Framework 64bit versions. + + Return + ------ + tuple of str + versions + """ + return self._find_dot_net_versions(64) + + def _find_dot_net_versions(self, bits): + """ + Find Microsoft .NET Framework versions. + + Parameters + ---------- + bits: int + Platform number of bits: 32 or 64. + + Return + ------ + tuple of str + versions + """ + # Find actual .NET version in registry + reg_ver = self.ri.lookup(self.ri.vc, 'frameworkver%d' % bits) + dot_net_dir = getattr(self, 'FrameworkDir%d' % bits) + ver = reg_ver or self._use_last_dir_name(dot_net_dir, 'v') or '' + + # Set .NET versions for specified MSVC++ version + if self.vs_ver >= 12.0: + return ver, 'v4.0' + elif self.vs_ver >= 10.0: + return 'v4.0.30319' if ver.lower()[:2] != 'v4' else ver, 'v3.5' + elif self.vs_ver == 9.0: + return 'v3.5', 'v2.0.50727' + elif self.vs_ver == 8.0: + return 'v3.0', 'v2.0.50727' + + @staticmethod + def _use_last_dir_name(path, prefix=''): + """ + Return name of the last dir in path or '' if no dir found. + + Parameters + ---------- + path: str + Use dirs in this path + prefix: str + Use only dirs starting by this prefix + + Return + ------ + str + name + """ + matching_dirs = ( + dir_name + for dir_name in reversed(listdir(path)) + if isdir(join(path, dir_name)) and + dir_name.startswith(prefix) + ) + return next(matching_dirs, None) or '' + + +class EnvironmentInfo: + """ + Return environment variables for specified Microsoft Visual C++ version + and platform : Lib, Include, Path and libpath. + + This function is compatible with Microsoft Visual C++ 9.0 to 14.X. + + Script created by analysing Microsoft environment configuration files like + "vcvars[...].bat", "SetEnv.Cmd", "vcbuildtools.bat", ... + + Parameters + ---------- + arch: str + Target architecture. + vc_ver: float + Required Microsoft Visual C++ version. If not set, autodetect the last + version. + vc_min_ver: float + Minimum Microsoft Visual C++ version. + """ + + # Variables and properties in this class use originals CamelCase variables + # names from Microsoft source files for more easy comparison. + + def __init__(self, arch, vc_ver=None, vc_min_ver=0): + self.pi = PlatformInfo(arch) + self.ri = RegistryInfo(self.pi) + self.si = SystemInfo(self.ri, vc_ver) + + if self.vc_ver < vc_min_ver: + err = 'No suitable Microsoft Visual C++ version found' + raise distutils.errors.DistutilsPlatformError(err) + + @property + def vs_ver(self): + """ + Microsoft Visual Studio. + + Return + ------ + float + version + """ + return self.si.vs_ver + + @property + def vc_ver(self): + """ + Microsoft Visual C++ version. + + Return + ------ + float + version + """ + return self.si.vc_ver + + @property + def VSTools(self): + """ + Microsoft Visual Studio Tools. + + Return + ------ + list of str + paths + """ + paths = [r'Common7\IDE', r'Common7\Tools'] + + if self.vs_ver >= 14.0: + arch_subdir = self.pi.current_dir(hidex86=True, x64=True) + paths += [r'Common7\IDE\CommonExtensions\Microsoft\TestWindow'] + paths += [r'Team Tools\Performance Tools'] + paths += [r'Team Tools\Performance Tools%s' % arch_subdir] + + return [join(self.si.VSInstallDir, path) for path in paths] + + @property + def VCIncludes(self): + """ + Microsoft Visual C++ & Microsoft Foundation Class Includes. + + Return + ------ + list of str + paths + """ + return [join(self.si.VCInstallDir, 'Include'), + join(self.si.VCInstallDir, r'ATLMFC\Include')] + + @property + def VCLibraries(self): + """ + Microsoft Visual C++ & Microsoft Foundation Class Libraries. + + Return + ------ + list of str + paths + """ + if self.vs_ver >= 15.0: + arch_subdir = self.pi.target_dir(x64=True) + else: + arch_subdir = self.pi.target_dir(hidex86=True) + paths = ['Lib%s' % arch_subdir, r'ATLMFC\Lib%s' % arch_subdir] + + if self.vs_ver >= 14.0: + paths += [r'Lib\store%s' % arch_subdir] + + return [join(self.si.VCInstallDir, path) for path in paths] + + @property + def VCStoreRefs(self): + """ + Microsoft Visual C++ store references Libraries. + + Return + ------ + list of str + paths + """ + if self.vs_ver < 14.0: + return [] + return [join(self.si.VCInstallDir, r'Lib\store\references')] + + @property + def VCTools(self): + """ + Microsoft Visual C++ Tools. + + Return + ------ + list of str + paths + """ + si = self.si + tools = [join(si.VCInstallDir, 'VCPackages')] + + forcex86 = True if self.vs_ver <= 10.0 else False + arch_subdir = self.pi.cross_dir(forcex86) + if arch_subdir: + tools += [join(si.VCInstallDir, 'Bin%s' % arch_subdir)] + + if self.vs_ver == 14.0: + path = 'Bin%s' % self.pi.current_dir(hidex86=True) + tools += [join(si.VCInstallDir, path)] + + elif self.vs_ver >= 15.0: + host_dir = (r'bin\HostX86%s' if self.pi.current_is_x86() else + r'bin\HostX64%s') + tools += [join( + si.VCInstallDir, host_dir % self.pi.target_dir(x64=True))] + + if self.pi.current_cpu != self.pi.target_cpu: + tools += [join( + si.VCInstallDir, host_dir % self.pi.current_dir(x64=True))] + + else: + tools += [join(si.VCInstallDir, 'Bin')] + + return tools + + @property + def OSLibraries(self): + """ + Microsoft Windows SDK Libraries. + + Return + ------ + list of str + paths + """ + if self.vs_ver <= 10.0: + arch_subdir = self.pi.target_dir(hidex86=True, x64=True) + return [join(self.si.WindowsSdkDir, 'Lib%s' % arch_subdir)] + + else: + arch_subdir = self.pi.target_dir(x64=True) + lib = join(self.si.WindowsSdkDir, 'lib') + libver = self._sdk_subdir + return [join(lib, '%sum%s' % (libver, arch_subdir))] + + @property + def OSIncludes(self): + """ + Microsoft Windows SDK Include. + + Return + ------ + list of str + paths + """ + include = join(self.si.WindowsSdkDir, 'include') + + if self.vs_ver <= 10.0: + return [include, join(include, 'gl')] + + else: + if self.vs_ver >= 14.0: + sdkver = self._sdk_subdir + else: + sdkver = '' + return [join(include, '%sshared' % sdkver), + join(include, '%sum' % sdkver), + join(include, '%swinrt' % sdkver)] + + @property + def OSLibpath(self): + """ + Microsoft Windows SDK Libraries Paths. + + Return + ------ + list of str + paths + """ + ref = join(self.si.WindowsSdkDir, 'References') + libpath = [] + + if self.vs_ver <= 9.0: + libpath += self.OSLibraries + + if self.vs_ver >= 11.0: + libpath += [join(ref, r'CommonConfiguration\Neutral')] + + if self.vs_ver >= 14.0: + libpath += [ + ref, + join(self.si.WindowsSdkDir, 'UnionMetadata'), + join( + ref, 'Windows.Foundation.UniversalApiContract', '1.0.0.0'), + join(ref, 'Windows.Foundation.FoundationContract', '1.0.0.0'), + join( + ref, 'Windows.Networking.Connectivity.WwanContract', + '1.0.0.0'), + join( + self.si.WindowsSdkDir, 'ExtensionSDKs', 'Microsoft.VCLibs', + '%0.1f' % self.vs_ver, 'References', 'CommonConfiguration', + 'neutral'), + ] + return libpath + + @property + def SdkTools(self): + """ + Microsoft Windows SDK Tools. + + Return + ------ + list of str + paths + """ + return list(self._sdk_tools()) + + def _sdk_tools(self): + """ + Microsoft Windows SDK Tools paths generator. + + Return + ------ + generator of str + paths + """ + if self.vs_ver < 15.0: + bin_dir = 'Bin' if self.vs_ver <= 11.0 else r'Bin\x86' + yield join(self.si.WindowsSdkDir, bin_dir) + + if not self.pi.current_is_x86(): + arch_subdir = self.pi.current_dir(x64=True) + path = 'Bin%s' % arch_subdir + yield join(self.si.WindowsSdkDir, path) + + if self.vs_ver in (10.0, 11.0): + if self.pi.target_is_x86(): + arch_subdir = '' + else: + arch_subdir = self.pi.current_dir(hidex86=True, x64=True) + path = r'Bin\NETFX 4.0 Tools%s' % arch_subdir + yield join(self.si.WindowsSdkDir, path) + + elif self.vs_ver >= 15.0: + path = join(self.si.WindowsSdkDir, 'Bin') + arch_subdir = self.pi.current_dir(x64=True) + sdkver = self.si.WindowsSdkLastVersion + yield join(path, '%s%s' % (sdkver, arch_subdir)) + + if self.si.WindowsSDKExecutablePath: + yield self.si.WindowsSDKExecutablePath + + @property + def _sdk_subdir(self): + """ + Microsoft Windows SDK version subdir. + + Return + ------ + str + subdir + """ + ucrtver = self.si.WindowsSdkLastVersion + return ('%s\\' % ucrtver) if ucrtver else '' + + @property + def SdkSetup(self): + """ + Microsoft Windows SDK Setup. + + Return + ------ + list of str + paths + """ + if self.vs_ver > 9.0: + return [] + + return [join(self.si.WindowsSdkDir, 'Setup')] + + @property + def FxTools(self): + """ + Microsoft .NET Framework Tools. + + Return + ------ + list of str + paths + """ + pi = self.pi + si = self.si + + if self.vs_ver <= 10.0: + include32 = True + include64 = not pi.target_is_x86() and not pi.current_is_x86() + else: + include32 = pi.target_is_x86() or pi.current_is_x86() + include64 = pi.current_cpu == 'amd64' or pi.target_cpu == 'amd64' + + tools = [] + if include32: + tools += [join(si.FrameworkDir32, ver) + for ver in si.FrameworkVersion32] + if include64: + tools += [join(si.FrameworkDir64, ver) + for ver in si.FrameworkVersion64] + return tools + + @property + def NetFxSDKLibraries(self): + """ + Microsoft .Net Framework SDK Libraries. + + Return + ------ + list of str + paths + """ + if self.vs_ver < 14.0 or not self.si.NetFxSdkDir: + return [] + + arch_subdir = self.pi.target_dir(x64=True) + return [join(self.si.NetFxSdkDir, r'lib\um%s' % arch_subdir)] + + @property + def NetFxSDKIncludes(self): + """ + Microsoft .Net Framework SDK Includes. + + Return + ------ + list of str + paths + """ + if self.vs_ver < 14.0 or not self.si.NetFxSdkDir: + return [] + + return [join(self.si.NetFxSdkDir, r'include\um')] + + @property + def VsTDb(self): + """ + Microsoft Visual Studio Team System Database. + + Return + ------ + list of str + paths + """ + return [join(self.si.VSInstallDir, r'VSTSDB\Deploy')] + + @property + def MSBuild(self): + """ + Microsoft Build Engine. + + Return + ------ + list of str + paths + """ + if self.vs_ver < 12.0: + return [] + elif self.vs_ver < 15.0: + base_path = self.si.ProgramFilesx86 + arch_subdir = self.pi.current_dir(hidex86=True) + else: + base_path = self.si.VSInstallDir + arch_subdir = '' + + path = r'MSBuild\%0.1f\bin%s' % (self.vs_ver, arch_subdir) + build = [join(base_path, path)] + + if self.vs_ver >= 15.0: + # Add Roslyn C# & Visual Basic Compiler + build += [join(base_path, path, 'Roslyn')] + + return build + + @property + def HTMLHelpWorkshop(self): + """ + Microsoft HTML Help Workshop. + + Return + ------ + list of str + paths + """ + if self.vs_ver < 11.0: + return [] + + return [join(self.si.ProgramFilesx86, 'HTML Help Workshop')] + + @property + def UCRTLibraries(self): + """ + Microsoft Universal C Runtime SDK Libraries. + + Return + ------ + list of str + paths + """ + if self.vs_ver < 14.0: + return [] + + arch_subdir = self.pi.target_dir(x64=True) + lib = join(self.si.UniversalCRTSdkDir, 'lib') + ucrtver = self._ucrt_subdir + return [join(lib, '%sucrt%s' % (ucrtver, arch_subdir))] + + @property + def UCRTIncludes(self): + """ + Microsoft Universal C Runtime SDK Include. + + Return + ------ + list of str + paths + """ + if self.vs_ver < 14.0: + return [] + + include = join(self.si.UniversalCRTSdkDir, 'include') + return [join(include, '%sucrt' % self._ucrt_subdir)] + + @property + def _ucrt_subdir(self): + """ + Microsoft Universal C Runtime SDK version subdir. + + Return + ------ + str + subdir + """ + ucrtver = self.si.UniversalCRTSdkLastVersion + return ('%s\\' % ucrtver) if ucrtver else '' + + @property + def FSharp(self): + """ + Microsoft Visual F#. + + Return + ------ + list of str + paths + """ + if 11.0 > self.vs_ver > 12.0: + return [] + + return [self.si.FSharpInstallDir] + + @property + def VCRuntimeRedist(self): + """ + Microsoft Visual C++ runtime redistributable dll. + + Return + ------ + str + path + """ + vcruntime = 'vcruntime%d0.dll' % self.vc_ver + arch_subdir = self.pi.target_dir(x64=True).strip('\\') + + # Installation prefixes candidates + prefixes = [] + tools_path = self.si.VCInstallDir + redist_path = dirname(tools_path.replace(r'\Tools', r'\Redist')) + if isdir(redist_path): + # Redist version may not be exactly the same as tools + redist_path = join(redist_path, listdir(redist_path)[-1]) + prefixes += [redist_path, join(redist_path, 'onecore')] + + prefixes += [join(tools_path, 'redist')] # VS14 legacy path + + # CRT directory + crt_dirs = ('Microsoft.VC%d.CRT' % (self.vc_ver * 10), + # Sometime store in directory with VS version instead of VC + 'Microsoft.VC%d.CRT' % (int(self.vs_ver) * 10)) + + # vcruntime path + for prefix, crt_dir in itertools.product(prefixes, crt_dirs): + path = join(prefix, arch_subdir, crt_dir, vcruntime) + if isfile(path): + return path + + def return_env(self, exists=True): + """ + Return environment dict. + + Parameters + ---------- + exists: bool + It True, only return existing paths. + + Return + ------ + dict + environment + """ + env = dict( + include=self._build_paths('include', + [self.VCIncludes, + self.OSIncludes, + self.UCRTIncludes, + self.NetFxSDKIncludes], + exists), + lib=self._build_paths('lib', + [self.VCLibraries, + self.OSLibraries, + self.FxTools, + self.UCRTLibraries, + self.NetFxSDKLibraries], + exists), + libpath=self._build_paths('libpath', + [self.VCLibraries, + self.FxTools, + self.VCStoreRefs, + self.OSLibpath], + exists), + path=self._build_paths('path', + [self.VCTools, + self.VSTools, + self.VsTDb, + self.SdkTools, + self.SdkSetup, + self.FxTools, + self.MSBuild, + self.HTMLHelpWorkshop, + self.FSharp], + exists), + ) + if self.vs_ver >= 14 and isfile(self.VCRuntimeRedist): + env['py_vcruntime_redist'] = self.VCRuntimeRedist + return env + + def _build_paths(self, name, spec_path_lists, exists): + """ + Given an environment variable name and specified paths, + return a pathsep-separated string of paths containing + unique, extant, directories from those paths and from + the environment variable. Raise an error if no paths + are resolved. + + Parameters + ---------- + name: str + Environment variable name + spec_path_lists: list of str + Paths + exists: bool + It True, only return existing paths. + + Return + ------ + str + Pathsep-separated paths + """ + # flatten spec_path_lists + spec_paths = itertools.chain.from_iterable(spec_path_lists) + env_paths = environ.get(name, '').split(pathsep) + paths = itertools.chain(spec_paths, env_paths) + extant_paths = list(filter(isdir, paths)) if exists else paths + if not extant_paths: + msg = "%s environment variable is empty" % name.upper() + raise distutils.errors.DistutilsPlatformError(msg) + unique_paths = unique_everseen(extant_paths) + return pathsep.join(unique_paths) diff --git a/venv/Lib/site-packages/setuptools/namespaces.py b/venv/Lib/site-packages/setuptools/namespaces.py new file mode 100644 index 0000000..44939e1 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/namespaces.py @@ -0,0 +1,107 @@ +import os +from distutils import log +import itertools + + +flatten = itertools.chain.from_iterable + + +class Installer: + + nspkg_ext = '-nspkg.pth' + + def install_namespaces(self): + nsp = self._get_all_ns_packages() + if not nsp: + return + filename, ext = os.path.splitext(self._get_target()) + filename += self.nspkg_ext + self.outputs.append(filename) + log.info("Installing %s", filename) + lines = map(self._gen_nspkg_line, nsp) + + if self.dry_run: + # always generate the lines, even in dry run + list(lines) + return + + with open(filename, 'wt') as f: + f.writelines(lines) + + def uninstall_namespaces(self): + filename, ext = os.path.splitext(self._get_target()) + filename += self.nspkg_ext + if not os.path.exists(filename): + return + log.info("Removing %s", filename) + os.remove(filename) + + def _get_target(self): + return self.target + + _nspkg_tmpl = ( + "import sys, types, os", + "has_mfs = sys.version_info > (3, 5)", + "p = os.path.join(%(root)s, *%(pth)r)", + "importlib = has_mfs and __import__('importlib.util')", + "has_mfs and __import__('importlib.machinery')", + ( + "m = has_mfs and " + "sys.modules.setdefault(%(pkg)r, " + "importlib.util.module_from_spec(" + "importlib.machinery.PathFinder.find_spec(%(pkg)r, " + "[os.path.dirname(p)])))" + ), + ( + "m = m or " + "sys.modules.setdefault(%(pkg)r, types.ModuleType(%(pkg)r))" + ), + "mp = (m or []) and m.__dict__.setdefault('__path__',[])", + "(p not in mp) and mp.append(p)", + ) + "lines for the namespace installer" + + _nspkg_tmpl_multi = ( + 'm and setattr(sys.modules[%(parent)r], %(child)r, m)', + ) + "additional line(s) when a parent package is indicated" + + def _get_root(self): + return "sys._getframe(1).f_locals['sitedir']" + + def _gen_nspkg_line(self, pkg): + pth = tuple(pkg.split('.')) + root = self._get_root() + tmpl_lines = self._nspkg_tmpl + parent, sep, child = pkg.rpartition('.') + if parent: + tmpl_lines += self._nspkg_tmpl_multi + return ';'.join(tmpl_lines) % locals() + '\n' + + def _get_all_ns_packages(self): + """Return sorted list of all package namespaces""" + pkgs = self.distribution.namespace_packages or [] + return sorted(flatten(map(self._pkg_names, pkgs))) + + @staticmethod + def _pkg_names(pkg): + """ + Given a namespace package, yield the components of that + package. + + >>> names = Installer._pkg_names('a.b.c') + >>> set(names) == set(['a', 'a.b', 'a.b.c']) + True + """ + parts = pkg.split('.') + while parts: + yield '.'.join(parts) + parts.pop() + + +class DevelopInstaller(Installer): + def _get_root(self): + return repr(str(self.egg_path)) + + def _get_target(self): + return self.egg_link diff --git a/venv/Lib/site-packages/setuptools/package_index.py b/venv/Lib/site-packages/setuptools/package_index.py new file mode 100644 index 0000000..d818f44 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/package_index.py @@ -0,0 +1,1119 @@ +"""PyPI and direct package downloading""" +import sys +import os +import re +import io +import shutil +import socket +import base64 +import hashlib +import itertools +import warnings +import configparser +import html +import http.client +import urllib.parse +import urllib.request +import urllib.error +from functools import wraps + +import setuptools +from pkg_resources import ( + CHECKOUT_DIST, Distribution, BINARY_DIST, normalize_path, SOURCE_DIST, + Environment, find_distributions, safe_name, safe_version, + to_filename, Requirement, DEVELOP_DIST, EGG_DIST, +) +from distutils import log +from distutils.errors import DistutilsError +from fnmatch import translate +from setuptools.wheel import Wheel +from setuptools.extern.more_itertools import unique_everseen + + +EGG_FRAGMENT = re.compile(r'^egg=([-A-Za-z0-9_.+!]+)$') +HREF = re.compile(r"""href\s*=\s*['"]?([^'"> ]+)""", re.I) +PYPI_MD5 = re.compile( + r'<a href="([^"#]+)">([^<]+)</a>\n\s+\(<a (?:title="MD5 hash"\n\s+)' + r'href="[^?]+\?:action=show_md5&digest=([0-9a-f]{32})">md5</a>\)' +) +URL_SCHEME = re.compile('([-+.a-z0-9]{2,}):', re.I).match +EXTENSIONS = ".tar.gz .tar.bz2 .tar .zip .tgz".split() + +__all__ = [ + 'PackageIndex', 'distros_for_url', 'parse_bdist_wininst', + 'interpret_distro_name', +] + +_SOCKET_TIMEOUT = 15 + +_tmpl = "setuptools/{setuptools.__version__} Python-urllib/{py_major}" +user_agent = _tmpl.format( + py_major='{}.{}'.format(*sys.version_info), setuptools=setuptools) + + +def parse_requirement_arg(spec): + try: + return Requirement.parse(spec) + except ValueError as e: + raise DistutilsError( + "Not a URL, existing file, or requirement spec: %r" % (spec,) + ) from e + + +def parse_bdist_wininst(name): + """Return (base,pyversion) or (None,None) for possible .exe name""" + + lower = name.lower() + base, py_ver, plat = None, None, None + + if lower.endswith('.exe'): + if lower.endswith('.win32.exe'): + base = name[:-10] + plat = 'win32' + elif lower.startswith('.win32-py', -16): + py_ver = name[-7:-4] + base = name[:-16] + plat = 'win32' + elif lower.endswith('.win-amd64.exe'): + base = name[:-14] + plat = 'win-amd64' + elif lower.startswith('.win-amd64-py', -20): + py_ver = name[-7:-4] + base = name[:-20] + plat = 'win-amd64' + return base, py_ver, plat + + +def egg_info_for_url(url): + parts = urllib.parse.urlparse(url) + scheme, server, path, parameters, query, fragment = parts + base = urllib.parse.unquote(path.split('/')[-1]) + if server == 'sourceforge.net' and base == 'download': # XXX Yuck + base = urllib.parse.unquote(path.split('/')[-2]) + if '#' in base: + base, fragment = base.split('#', 1) + return base, fragment + + +def distros_for_url(url, metadata=None): + """Yield egg or source distribution objects that might be found at a URL""" + base, fragment = egg_info_for_url(url) + for dist in distros_for_location(url, base, metadata): + yield dist + if fragment: + match = EGG_FRAGMENT.match(fragment) + if match: + for dist in interpret_distro_name( + url, match.group(1), metadata, precedence=CHECKOUT_DIST + ): + yield dist + + +def distros_for_location(location, basename, metadata=None): + """Yield egg or source distribution objects based on basename""" + if basename.endswith('.egg.zip'): + basename = basename[:-4] # strip the .zip + if basename.endswith('.egg') and '-' in basename: + # only one, unambiguous interpretation + return [Distribution.from_location(location, basename, metadata)] + if basename.endswith('.whl') and '-' in basename: + wheel = Wheel(basename) + if not wheel.is_compatible(): + return [] + return [Distribution( + location=location, + project_name=wheel.project_name, + version=wheel.version, + # Increase priority over eggs. + precedence=EGG_DIST + 1, + )] + if basename.endswith('.exe'): + win_base, py_ver, platform = parse_bdist_wininst(basename) + if win_base is not None: + return interpret_distro_name( + location, win_base, metadata, py_ver, BINARY_DIST, platform + ) + # Try source distro extensions (.zip, .tgz, etc.) + # + for ext in EXTENSIONS: + if basename.endswith(ext): + basename = basename[:-len(ext)] + return interpret_distro_name(location, basename, metadata) + return [] # no extension matched + + +def distros_for_filename(filename, metadata=None): + """Yield possible egg or source distribution objects based on a filename""" + return distros_for_location( + normalize_path(filename), os.path.basename(filename), metadata + ) + + +def interpret_distro_name( + location, basename, metadata, py_version=None, precedence=SOURCE_DIST, + platform=None +): + """Generate alternative interpretations of a source distro name + + Note: if `location` is a filesystem filename, you should call + ``pkg_resources.normalize_path()`` on it before passing it to this + routine! + """ + # Generate alternative interpretations of a source distro name + # Because some packages are ambiguous as to name/versions split + # e.g. "adns-python-1.1.0", "egenix-mx-commercial", etc. + # So, we generate each possible interpretation (e.g. "adns, python-1.1.0" + # "adns-python, 1.1.0", and "adns-python-1.1.0, no version"). In practice, + # the spurious interpretations should be ignored, because in the event + # there's also an "adns" package, the spurious "python-1.1.0" version will + # compare lower than any numeric version number, and is therefore unlikely + # to match a request for it. It's still a potential problem, though, and + # in the long run PyPI and the distutils should go for "safe" names and + # versions in distribution archive names (sdist and bdist). + + parts = basename.split('-') + if not py_version and any(re.match(r'py\d\.\d$', p) for p in parts[2:]): + # it is a bdist_dumb, not an sdist -- bail out + return + + for p in range(1, len(parts) + 1): + yield Distribution( + location, metadata, '-'.join(parts[:p]), '-'.join(parts[p:]), + py_version=py_version, precedence=precedence, + platform=platform + ) + + +def unique_values(func): + """ + Wrap a function returning an iterable such that the resulting iterable + only ever yields unique items. + """ + + @wraps(func) + def wrapper(*args, **kwargs): + return unique_everseen(func(*args, **kwargs)) + + return wrapper + + +REL = re.compile(r"""<([^>]*\srel\s*=\s*['"]?([^'">]+)[^>]*)>""", re.I) +# this line is here to fix emacs' cruddy broken syntax highlighting + + +@unique_values +def find_external_links(url, page): + """Find rel="homepage" and rel="download" links in `page`, yielding URLs""" + + for match in REL.finditer(page): + tag, rel = match.groups() + rels = set(map(str.strip, rel.lower().split(','))) + if 'homepage' in rels or 'download' in rels: + for match in HREF.finditer(tag): + yield urllib.parse.urljoin(url, htmldecode(match.group(1))) + + for tag in ("<th>Home Page", "<th>Download URL"): + pos = page.find(tag) + if pos != -1: + match = HREF.search(page, pos) + if match: + yield urllib.parse.urljoin(url, htmldecode(match.group(1))) + + +class ContentChecker: + """ + A null content checker that defines the interface for checking content + """ + + def feed(self, block): + """ + Feed a block of data to the hash. + """ + return + + def is_valid(self): + """ + Check the hash. Return False if validation fails. + """ + return True + + def report(self, reporter, template): + """ + Call reporter with information about the checker (hash name) + substituted into the template. + """ + return + + +class HashChecker(ContentChecker): + pattern = re.compile( + r'(?P<hash_name>sha1|sha224|sha384|sha256|sha512|md5)=' + r'(?P<expected>[a-f0-9]+)' + ) + + def __init__(self, hash_name, expected): + self.hash_name = hash_name + self.hash = hashlib.new(hash_name) + self.expected = expected + + @classmethod + def from_url(cls, url): + "Construct a (possibly null) ContentChecker from a URL" + fragment = urllib.parse.urlparse(url)[-1] + if not fragment: + return ContentChecker() + match = cls.pattern.search(fragment) + if not match: + return ContentChecker() + return cls(**match.groupdict()) + + def feed(self, block): + self.hash.update(block) + + def is_valid(self): + return self.hash.hexdigest() == self.expected + + def report(self, reporter, template): + msg = template % self.hash_name + return reporter(msg) + + +class PackageIndex(Environment): + """A distribution index that scans web pages for download URLs""" + + def __init__( + self, index_url="https://pypi.org/simple/", hosts=('*',), + ca_bundle=None, verify_ssl=True, *args, **kw + ): + Environment.__init__(self, *args, **kw) + self.index_url = index_url + "/" [:not index_url.endswith('/')] + self.scanned_urls = {} + self.fetched_urls = {} + self.package_pages = {} + self.allows = re.compile('|'.join(map(translate, hosts))).match + self.to_scan = [] + self.opener = urllib.request.urlopen + + # FIXME: 'PackageIndex.process_url' is too complex (14) + def process_url(self, url, retrieve=False): # noqa: C901 + """Evaluate a URL as a possible download, and maybe retrieve it""" + if url in self.scanned_urls and not retrieve: + return + self.scanned_urls[url] = True + if not URL_SCHEME(url): + self.process_filename(url) + return + else: + dists = list(distros_for_url(url)) + if dists: + if not self.url_ok(url): + return + self.debug("Found link: %s", url) + + if dists or not retrieve or url in self.fetched_urls: + list(map(self.add, dists)) + return # don't need the actual page + + if not self.url_ok(url): + self.fetched_urls[url] = True + return + + self.info("Reading %s", url) + self.fetched_urls[url] = True # prevent multiple fetch attempts + tmpl = "Download error on %s: %%s -- Some packages may not be found!" + f = self.open_url(url, tmpl % url) + if f is None: + return + if isinstance(f, urllib.error.HTTPError) and f.code == 401: + self.info("Authentication error: %s" % f.msg) + self.fetched_urls[f.url] = True + if 'html' not in f.headers.get('content-type', '').lower(): + f.close() # not html, we can't process it + return + + base = f.url # handle redirects + page = f.read() + if not isinstance(page, str): + # In Python 3 and got bytes but want str. + if isinstance(f, urllib.error.HTTPError): + # Errors have no charset, assume latin1: + charset = 'latin-1' + else: + charset = f.headers.get_param('charset') or 'latin-1' + page = page.decode(charset, "ignore") + f.close() + for match in HREF.finditer(page): + link = urllib.parse.urljoin(base, htmldecode(match.group(1))) + self.process_url(link) + if url.startswith(self.index_url) and getattr(f, 'code', None) != 404: + page = self.process_index(url, page) + + def process_filename(self, fn, nested=False): + # process filenames or directories + if not os.path.exists(fn): + self.warn("Not found: %s", fn) + return + + if os.path.isdir(fn) and not nested: + path = os.path.realpath(fn) + for item in os.listdir(path): + self.process_filename(os.path.join(path, item), True) + + dists = distros_for_filename(fn) + if dists: + self.debug("Found: %s", fn) + list(map(self.add, dists)) + + def url_ok(self, url, fatal=False): + s = URL_SCHEME(url) + is_file = s and s.group(1).lower() == 'file' + if is_file or self.allows(urllib.parse.urlparse(url)[1]): + return True + msg = ( + "\nNote: Bypassing %s (disallowed host; see " + "http://bit.ly/2hrImnY for details).\n") + if fatal: + raise DistutilsError(msg % url) + else: + self.warn(msg, url) + + def scan_egg_links(self, search_path): + dirs = filter(os.path.isdir, search_path) + egg_links = ( + (path, entry) + for path in dirs + for entry in os.listdir(path) + if entry.endswith('.egg-link') + ) + list(itertools.starmap(self.scan_egg_link, egg_links)) + + def scan_egg_link(self, path, entry): + with open(os.path.join(path, entry)) as raw_lines: + # filter non-empty lines + lines = list(filter(None, map(str.strip, raw_lines))) + + if len(lines) != 2: + # format is not recognized; punt + return + + egg_path, setup_path = lines + + for dist in find_distributions(os.path.join(path, egg_path)): + dist.location = os.path.join(path, *lines) + dist.precedence = SOURCE_DIST + self.add(dist) + + def _scan(self, link): + # Process a URL to see if it's for a package page + NO_MATCH_SENTINEL = None, None + if not link.startswith(self.index_url): + return NO_MATCH_SENTINEL + + parts = list(map( + urllib.parse.unquote, link[len(self.index_url):].split('/') + )) + if len(parts) != 2 or '#' in parts[1]: + return NO_MATCH_SENTINEL + + # it's a package page, sanitize and index it + pkg = safe_name(parts[0]) + ver = safe_version(parts[1]) + self.package_pages.setdefault(pkg.lower(), {})[link] = True + return to_filename(pkg), to_filename(ver) + + def process_index(self, url, page): + """Process the contents of a PyPI page""" + + # process an index page into the package-page index + for match in HREF.finditer(page): + try: + self._scan(urllib.parse.urljoin(url, htmldecode(match.group(1)))) + except ValueError: + pass + + pkg, ver = self._scan(url) # ensure this page is in the page index + if not pkg: + return "" # no sense double-scanning non-package pages + + # process individual package page + for new_url in find_external_links(url, page): + # Process the found URL + base, frag = egg_info_for_url(new_url) + if base.endswith('.py') and not frag: + if ver: + new_url += '#egg=%s-%s' % (pkg, ver) + else: + self.need_version_info(url) + self.scan_url(new_url) + + return PYPI_MD5.sub( + lambda m: '<a href="%s#md5=%s">%s</a>' % m.group(1, 3, 2), page + ) + + def need_version_info(self, url): + self.scan_all( + "Page at %s links to .py file(s) without version info; an index " + "scan is required.", url + ) + + def scan_all(self, msg=None, *args): + if self.index_url not in self.fetched_urls: + if msg: + self.warn(msg, *args) + self.info( + "Scanning index of all packages (this may take a while)" + ) + self.scan_url(self.index_url) + + def find_packages(self, requirement): + self.scan_url(self.index_url + requirement.unsafe_name + '/') + + if not self.package_pages.get(requirement.key): + # Fall back to safe version of the name + self.scan_url(self.index_url + requirement.project_name + '/') + + if not self.package_pages.get(requirement.key): + # We couldn't find the target package, so search the index page too + self.not_found_in_index(requirement) + + for url in list(self.package_pages.get(requirement.key, ())): + # scan each page that might be related to the desired package + self.scan_url(url) + + def obtain(self, requirement, installer=None): + self.prescan() + self.find_packages(requirement) + for dist in self[requirement.key]: + if dist in requirement: + return dist + self.debug("%s does not match %s", requirement, dist) + return super(PackageIndex, self).obtain(requirement, installer) + + def check_hash(self, checker, filename, tfp): + """ + checker is a ContentChecker + """ + checker.report( + self.debug, + "Validating %%s checksum for %s" % filename) + if not checker.is_valid(): + tfp.close() + os.unlink(filename) + raise DistutilsError( + "%s validation failed for %s; " + "possible download problem?" + % (checker.hash.name, os.path.basename(filename)) + ) + + def add_find_links(self, urls): + """Add `urls` to the list that will be prescanned for searches""" + for url in urls: + if ( + self.to_scan is None # if we have already "gone online" + or not URL_SCHEME(url) # or it's a local file/directory + or url.startswith('file:') + or list(distros_for_url(url)) # or a direct package link + ): + # then go ahead and process it now + self.scan_url(url) + else: + # otherwise, defer retrieval till later + self.to_scan.append(url) + + def prescan(self): + """Scan urls scheduled for prescanning (e.g. --find-links)""" + if self.to_scan: + list(map(self.scan_url, self.to_scan)) + self.to_scan = None # from now on, go ahead and process immediately + + def not_found_in_index(self, requirement): + if self[requirement.key]: # we've seen at least one distro + meth, msg = self.info, "Couldn't retrieve index page for %r" + else: # no distros seen for this name, might be misspelled + meth, msg = ( + self.warn, + "Couldn't find index page for %r (maybe misspelled?)") + meth(msg, requirement.unsafe_name) + self.scan_all() + + def download(self, spec, tmpdir): + """Locate and/or download `spec` to `tmpdir`, returning a local path + + `spec` may be a ``Requirement`` object, or a string containing a URL, + an existing local filename, or a project/version requirement spec + (i.e. the string form of a ``Requirement`` object). If it is the URL + of a .py file with an unambiguous ``#egg=name-version`` tag (i.e., one + that escapes ``-`` as ``_`` throughout), a trivial ``setup.py`` is + automatically created alongside the downloaded file. + + If `spec` is a ``Requirement`` object or a string containing a + project/version requirement spec, this method returns the location of + a matching distribution (possibly after downloading it to `tmpdir`). + If `spec` is a locally existing file or directory name, it is simply + returned unchanged. If `spec` is a URL, it is downloaded to a subpath + of `tmpdir`, and the local filename is returned. Various errors may be + raised if a problem occurs during downloading. + """ + if not isinstance(spec, Requirement): + scheme = URL_SCHEME(spec) + if scheme: + # It's a url, download it to tmpdir + found = self._download_url(scheme.group(1), spec, tmpdir) + base, fragment = egg_info_for_url(spec) + if base.endswith('.py'): + found = self.gen_setup(found, fragment, tmpdir) + return found + elif os.path.exists(spec): + # Existing file or directory, just return it + return spec + else: + spec = parse_requirement_arg(spec) + return getattr(self.fetch_distribution(spec, tmpdir), 'location', None) + + def fetch_distribution( # noqa: C901 # is too complex (14) # FIXME + self, requirement, tmpdir, force_scan=False, source=False, + develop_ok=False, local_index=None): + """Obtain a distribution suitable for fulfilling `requirement` + + `requirement` must be a ``pkg_resources.Requirement`` instance. + If necessary, or if the `force_scan` flag is set, the requirement is + searched for in the (online) package index as well as the locally + installed packages. If a distribution matching `requirement` is found, + the returned distribution's ``location`` is the value you would have + gotten from calling the ``download()`` method with the matching + distribution's URL or filename. If no matching distribution is found, + ``None`` is returned. + + If the `source` flag is set, only source distributions and source + checkout links will be considered. Unless the `develop_ok` flag is + set, development and system eggs (i.e., those using the ``.egg-info`` + format) will be ignored. + """ + # process a Requirement + self.info("Searching for %s", requirement) + skipped = {} + dist = None + + def find(req, env=None): + if env is None: + env = self + # Find a matching distribution; may be called more than once + + for dist in env[req.key]: + + if dist.precedence == DEVELOP_DIST and not develop_ok: + if dist not in skipped: + self.warn( + "Skipping development or system egg: %s", dist, + ) + skipped[dist] = 1 + continue + + test = ( + dist in req + and (dist.precedence <= SOURCE_DIST or not source) + ) + if test: + loc = self.download(dist.location, tmpdir) + dist.download_location = loc + if os.path.exists(dist.download_location): + return dist + + if force_scan: + self.prescan() + self.find_packages(requirement) + dist = find(requirement) + + if not dist and local_index is not None: + dist = find(requirement, local_index) + + if dist is None: + if self.to_scan is not None: + self.prescan() + dist = find(requirement) + + if dist is None and not force_scan: + self.find_packages(requirement) + dist = find(requirement) + + if dist is None: + self.warn( + "No local packages or working download links found for %s%s", + (source and "a source distribution of " or ""), + requirement, + ) + else: + self.info("Best match: %s", dist) + return dist.clone(location=dist.download_location) + + def fetch(self, requirement, tmpdir, force_scan=False, source=False): + """Obtain a file suitable for fulfilling `requirement` + + DEPRECATED; use the ``fetch_distribution()`` method now instead. For + backward compatibility, this routine is identical but returns the + ``location`` of the downloaded distribution instead of a distribution + object. + """ + dist = self.fetch_distribution(requirement, tmpdir, force_scan, source) + if dist is not None: + return dist.location + return None + + def gen_setup(self, filename, fragment, tmpdir): + match = EGG_FRAGMENT.match(fragment) + dists = match and [ + d for d in + interpret_distro_name(filename, match.group(1), None) if d.version + ] or [] + + if len(dists) == 1: # unambiguous ``#egg`` fragment + basename = os.path.basename(filename) + + # Make sure the file has been downloaded to the temp dir. + if os.path.dirname(filename) != tmpdir: + dst = os.path.join(tmpdir, basename) + from setuptools.command.easy_install import samefile + if not samefile(filename, dst): + shutil.copy2(filename, dst) + filename = dst + + with open(os.path.join(tmpdir, 'setup.py'), 'w') as file: + file.write( + "from setuptools import setup\n" + "setup(name=%r, version=%r, py_modules=[%r])\n" + % ( + dists[0].project_name, dists[0].version, + os.path.splitext(basename)[0] + ) + ) + return filename + + elif match: + raise DistutilsError( + "Can't unambiguously interpret project/version identifier %r; " + "any dashes in the name or version should be escaped using " + "underscores. %r" % (fragment, dists) + ) + else: + raise DistutilsError( + "Can't process plain .py files without an '#egg=name-version'" + " suffix to enable automatic setup script generation." + ) + + dl_blocksize = 8192 + + def _download_to(self, url, filename): + self.info("Downloading %s", url) + # Download the file + fp = None + try: + checker = HashChecker.from_url(url) + fp = self.open_url(url) + if isinstance(fp, urllib.error.HTTPError): + raise DistutilsError( + "Can't download %s: %s %s" % (url, fp.code, fp.msg) + ) + headers = fp.info() + blocknum = 0 + bs = self.dl_blocksize + size = -1 + if "content-length" in headers: + # Some servers return multiple Content-Length headers :( + sizes = headers.get_all('Content-Length') + size = max(map(int, sizes)) + self.reporthook(url, filename, blocknum, bs, size) + with open(filename, 'wb') as tfp: + while True: + block = fp.read(bs) + if block: + checker.feed(block) + tfp.write(block) + blocknum += 1 + self.reporthook(url, filename, blocknum, bs, size) + else: + break + self.check_hash(checker, filename, tfp) + return headers + finally: + if fp: + fp.close() + + def reporthook(self, url, filename, blocknum, blksize, size): + pass # no-op + + # FIXME: + def open_url(self, url, warning=None): # noqa: C901 # is too complex (12) + if url.startswith('file:'): + return local_open(url) + try: + return open_with_auth(url, self.opener) + except (ValueError, http.client.InvalidURL) as v: + msg = ' '.join([str(arg) for arg in v.args]) + if warning: + self.warn(warning, msg) + else: + raise DistutilsError('%s %s' % (url, msg)) from v + except urllib.error.HTTPError as v: + return v + except urllib.error.URLError as v: + if warning: + self.warn(warning, v.reason) + else: + raise DistutilsError("Download error for %s: %s" + % (url, v.reason)) from v + except http.client.BadStatusLine as v: + if warning: + self.warn(warning, v.line) + else: + raise DistutilsError( + '%s returned a bad status line. The server might be ' + 'down, %s' % + (url, v.line) + ) from v + except (http.client.HTTPException, socket.error) as v: + if warning: + self.warn(warning, v) + else: + raise DistutilsError("Download error for %s: %s" + % (url, v)) from v + + def _download_url(self, scheme, url, tmpdir): + # Determine download filename + # + name, fragment = egg_info_for_url(url) + if name: + while '..' in name: + name = name.replace('..', '.').replace('\\', '_') + else: + name = "__downloaded__" # default if URL has no path contents + + if name.endswith('.egg.zip'): + name = name[:-4] # strip the extra .zip before download + + filename = os.path.join(tmpdir, name) + + # Download the file + # + if scheme == 'svn' or scheme.startswith('svn+'): + return self._download_svn(url, filename) + elif scheme == 'git' or scheme.startswith('git+'): + return self._download_git(url, filename) + elif scheme.startswith('hg+'): + return self._download_hg(url, filename) + elif scheme == 'file': + return urllib.request.url2pathname(urllib.parse.urlparse(url)[2]) + else: + self.url_ok(url, True) # raises error if not allowed + return self._attempt_download(url, filename) + + def scan_url(self, url): + self.process_url(url, True) + + def _attempt_download(self, url, filename): + headers = self._download_to(url, filename) + if 'html' in headers.get('content-type', '').lower(): + return self._download_html(url, headers, filename) + else: + return filename + + def _download_html(self, url, headers, filename): + file = open(filename) + for line in file: + if line.strip(): + # Check for a subversion index page + if re.search(r'<title>([^- ]+ - )?Revision \d+:', line): + # it's a subversion index page: + file.close() + os.unlink(filename) + return self._download_svn(url, filename) + break # not an index page + file.close() + os.unlink(filename) + raise DistutilsError("Unexpected HTML page found at " + url) + + def _download_svn(self, url, filename): + warnings.warn("SVN download support is deprecated", UserWarning) + url = url.split('#', 1)[0] # remove any fragment for svn's sake + creds = '' + if url.lower().startswith('svn:') and '@' in url: + scheme, netloc, path, p, q, f = urllib.parse.urlparse(url) + if not netloc and path.startswith('//') and '/' in path[2:]: + netloc, path = path[2:].split('/', 1) + auth, host = _splituser(netloc) + if auth: + if ':' in auth: + user, pw = auth.split(':', 1) + creds = " --username=%s --password=%s" % (user, pw) + else: + creds = " --username=" + auth + netloc = host + parts = scheme, netloc, url, p, q, f + url = urllib.parse.urlunparse(parts) + self.info("Doing subversion checkout from %s to %s", url, filename) + os.system("svn checkout%s -q %s %s" % (creds, url, filename)) + return filename + + @staticmethod + def _vcs_split_rev_from_url(url, pop_prefix=False): + scheme, netloc, path, query, frag = urllib.parse.urlsplit(url) + + scheme = scheme.split('+', 1)[-1] + + # Some fragment identification fails + path = path.split('#', 1)[0] + + rev = None + if '@' in path: + path, rev = path.rsplit('@', 1) + + # Also, discard fragment + url = urllib.parse.urlunsplit((scheme, netloc, path, query, '')) + + return url, rev + + def _download_git(self, url, filename): + filename = filename.split('#', 1)[0] + url, rev = self._vcs_split_rev_from_url(url, pop_prefix=True) + + self.info("Doing git clone from %s to %s", url, filename) + os.system("git clone --quiet %s %s" % (url, filename)) + + if rev is not None: + self.info("Checking out %s", rev) + os.system("git -C %s checkout --quiet %s" % ( + filename, + rev, + )) + + return filename + + def _download_hg(self, url, filename): + filename = filename.split('#', 1)[0] + url, rev = self._vcs_split_rev_from_url(url, pop_prefix=True) + + self.info("Doing hg clone from %s to %s", url, filename) + os.system("hg clone --quiet %s %s" % (url, filename)) + + if rev is not None: + self.info("Updating to %s", rev) + os.system("hg --cwd %s up -C -r %s -q" % ( + filename, + rev, + )) + + return filename + + def debug(self, msg, *args): + log.debug(msg, *args) + + def info(self, msg, *args): + log.info(msg, *args) + + def warn(self, msg, *args): + log.warn(msg, *args) + + +# This pattern matches a character entity reference (a decimal numeric +# references, a hexadecimal numeric reference, or a named reference). +entity_sub = re.compile(r'&(#(\d+|x[\da-fA-F]+)|[\w.:-]+);?').sub + + +def decode_entity(match): + what = match.group(0) + return html.unescape(what) + + +def htmldecode(text): + """ + Decode HTML entities in the given text. + + >>> htmldecode( + ... 'https://../package_name-0.1.2.tar.gz' + ... '?tokena=A&tokenb=B">package_name-0.1.2.tar.gz') + 'https://../package_name-0.1.2.tar.gz?tokena=A&tokenb=B">package_name-0.1.2.tar.gz' + """ + return entity_sub(decode_entity, text) + + +def socket_timeout(timeout=15): + def _socket_timeout(func): + def _socket_timeout(*args, **kwargs): + old_timeout = socket.getdefaulttimeout() + socket.setdefaulttimeout(timeout) + try: + return func(*args, **kwargs) + finally: + socket.setdefaulttimeout(old_timeout) + + return _socket_timeout + + return _socket_timeout + + +def _encode_auth(auth): + """ + Encode auth from a URL suitable for an HTTP header. + >>> str(_encode_auth('username%3Apassword')) + 'dXNlcm5hbWU6cGFzc3dvcmQ=' + + Long auth strings should not cause a newline to be inserted. + >>> long_auth = 'username:' + 'password'*10 + >>> chr(10) in str(_encode_auth(long_auth)) + False + """ + auth_s = urllib.parse.unquote(auth) + # convert to bytes + auth_bytes = auth_s.encode() + encoded_bytes = base64.b64encode(auth_bytes) + # convert back to a string + encoded = encoded_bytes.decode() + # strip the trailing carriage return + return encoded.replace('\n', '') + + +class Credential: + """ + A username/password pair. Use like a namedtuple. + """ + + def __init__(self, username, password): + self.username = username + self.password = password + + def __iter__(self): + yield self.username + yield self.password + + def __str__(self): + return '%(username)s:%(password)s' % vars(self) + + +class PyPIConfig(configparser.RawConfigParser): + def __init__(self): + """ + Load from ~/.pypirc + """ + defaults = dict.fromkeys(['username', 'password', 'repository'], '') + configparser.RawConfigParser.__init__(self, defaults) + + rc = os.path.join(os.path.expanduser('~'), '.pypirc') + if os.path.exists(rc): + self.read(rc) + + @property + def creds_by_repository(self): + sections_with_repositories = [ + section for section in self.sections() + if self.get(section, 'repository').strip() + ] + + return dict(map(self._get_repo_cred, sections_with_repositories)) + + def _get_repo_cred(self, section): + repo = self.get(section, 'repository').strip() + return repo, Credential( + self.get(section, 'username').strip(), + self.get(section, 'password').strip(), + ) + + def find_credential(self, url): + """ + If the URL indicated appears to be a repository defined in this + config, return the credential for that repository. + """ + for repository, cred in self.creds_by_repository.items(): + if url.startswith(repository): + return cred + + +def open_with_auth(url, opener=urllib.request.urlopen): + """Open a urllib2 request, handling HTTP authentication""" + + parsed = urllib.parse.urlparse(url) + scheme, netloc, path, params, query, frag = parsed + + # Double scheme does not raise on macOS as revealed by a + # failing test. We would expect "nonnumeric port". Refs #20. + if netloc.endswith(':'): + raise http.client.InvalidURL("nonnumeric port: ''") + + if scheme in ('http', 'https'): + auth, address = _splituser(netloc) + else: + auth = None + + if not auth: + cred = PyPIConfig().find_credential(url) + if cred: + auth = str(cred) + info = cred.username, url + log.info('Authenticating as %s for %s (from .pypirc)', *info) + + if auth: + auth = "Basic " + _encode_auth(auth) + parts = scheme, address, path, params, query, frag + new_url = urllib.parse.urlunparse(parts) + request = urllib.request.Request(new_url) + request.add_header("Authorization", auth) + else: + request = urllib.request.Request(url) + + request.add_header('User-Agent', user_agent) + fp = opener(request) + + if auth: + # Put authentication info back into request URL if same host, + # so that links found on the page will work + s2, h2, path2, param2, query2, frag2 = urllib.parse.urlparse(fp.url) + if s2 == scheme and h2 == address: + parts = s2, netloc, path2, param2, query2, frag2 + fp.url = urllib.parse.urlunparse(parts) + + return fp + + +# copy of urllib.parse._splituser from Python 3.8 +def _splituser(host): + """splituser('user[:passwd]@host[:port]') + --> 'user[:passwd]', 'host[:port]'.""" + user, delim, host = host.rpartition('@') + return (user if delim else None), host + + +# adding a timeout to avoid freezing package_index +open_with_auth = socket_timeout(_SOCKET_TIMEOUT)(open_with_auth) + + +def fix_sf_url(url): + return url # backward compatibility + + +def local_open(url): + """Read a local path, with special support for directories""" + scheme, server, path, param, query, frag = urllib.parse.urlparse(url) + filename = urllib.request.url2pathname(path) + if os.path.isfile(filename): + return urllib.request.urlopen(url) + elif path.endswith('/') and os.path.isdir(filename): + files = [] + for f in os.listdir(filename): + filepath = os.path.join(filename, f) + if f == 'index.html': + with open(filepath, 'r') as fp: + body = fp.read() + break + elif os.path.isdir(filepath): + f += '/' + files.append('<a href="{name}">{name}</a>'.format(name=f)) + else: + tmpl = ( + "<html><head><title>{url}" + "{files}") + body = tmpl.format(url=url, files='\n'.join(files)) + status, message = 200, "OK" + else: + status, message, body = 404, "Path not found", "Not found" + + headers = {'content-type': 'text/html'} + body_stream = io.StringIO(body) + return urllib.error.HTTPError(url, status, message, headers, body_stream) diff --git a/venv/Lib/site-packages/setuptools/py34compat.py b/venv/Lib/site-packages/setuptools/py34compat.py new file mode 100644 index 0000000..3ad9172 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/py34compat.py @@ -0,0 +1,13 @@ +import importlib + +try: + import importlib.util +except ImportError: + pass + + +try: + module_from_spec = importlib.util.module_from_spec +except AttributeError: + def module_from_spec(spec): + return spec.loader.load_module(spec.name) diff --git a/venv/Lib/site-packages/setuptools/sandbox.py b/venv/Lib/site-packages/setuptools/sandbox.py new file mode 100644 index 0000000..034fc80 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/sandbox.py @@ -0,0 +1,530 @@ +import os +import sys +import tempfile +import operator +import functools +import itertools +import re +import contextlib +import pickle +import textwrap +import builtins + +import pkg_resources +from distutils.errors import DistutilsError +from pkg_resources import working_set + +if sys.platform.startswith('java'): + import org.python.modules.posix.PosixModule as _os +else: + _os = sys.modules[os.name] +try: + _file = file +except NameError: + _file = None +_open = open + + +__all__ = [ + "AbstractSandbox", + "DirectorySandbox", + "SandboxViolation", + "run_setup", +] + + +def _execfile(filename, globals, locals=None): + """ + Python 3 implementation of execfile. + """ + mode = 'rb' + with open(filename, mode) as stream: + script = stream.read() + if locals is None: + locals = globals + code = compile(script, filename, 'exec') + exec(code, globals, locals) + + +@contextlib.contextmanager +def save_argv(repl=None): + saved = sys.argv[:] + if repl is not None: + sys.argv[:] = repl + try: + yield saved + finally: + sys.argv[:] = saved + + +@contextlib.contextmanager +def save_path(): + saved = sys.path[:] + try: + yield saved + finally: + sys.path[:] = saved + + +@contextlib.contextmanager +def override_temp(replacement): + """ + Monkey-patch tempfile.tempdir with replacement, ensuring it exists + """ + os.makedirs(replacement, exist_ok=True) + + saved = tempfile.tempdir + + tempfile.tempdir = replacement + + try: + yield + finally: + tempfile.tempdir = saved + + +@contextlib.contextmanager +def pushd(target): + saved = os.getcwd() + os.chdir(target) + try: + yield saved + finally: + os.chdir(saved) + + +class UnpickleableException(Exception): + """ + An exception representing another Exception that could not be pickled. + """ + + @staticmethod + def dump(type, exc): + """ + Always return a dumped (pickled) type and exc. If exc can't be pickled, + wrap it in UnpickleableException first. + """ + try: + return pickle.dumps(type), pickle.dumps(exc) + except Exception: + # get UnpickleableException inside the sandbox + from setuptools.sandbox import UnpickleableException as cls + + return cls.dump(cls, cls(repr(exc))) + + +class ExceptionSaver: + """ + A Context Manager that will save an exception, serialized, and restore it + later. + """ + + def __enter__(self): + return self + + def __exit__(self, type, exc, tb): + if not exc: + return + + # dump the exception + self._saved = UnpickleableException.dump(type, exc) + self._tb = tb + + # suppress the exception + return True + + def resume(self): + "restore and re-raise any exception" + + if '_saved' not in vars(self): + return + + type, exc = map(pickle.loads, self._saved) + raise exc.with_traceback(self._tb) + + +@contextlib.contextmanager +def save_modules(): + """ + Context in which imported modules are saved. + + Translates exceptions internal to the context into the equivalent exception + outside the context. + """ + saved = sys.modules.copy() + with ExceptionSaver() as saved_exc: + yield saved + + sys.modules.update(saved) + # remove any modules imported since + del_modules = ( + mod_name + for mod_name in sys.modules + if mod_name not in saved + # exclude any encodings modules. See #285 + and not mod_name.startswith('encodings.') + ) + _clear_modules(del_modules) + + saved_exc.resume() + + +def _clear_modules(module_names): + for mod_name in list(module_names): + del sys.modules[mod_name] + + +@contextlib.contextmanager +def save_pkg_resources_state(): + saved = pkg_resources.__getstate__() + try: + yield saved + finally: + pkg_resources.__setstate__(saved) + + +@contextlib.contextmanager +def setup_context(setup_dir): + temp_dir = os.path.join(setup_dir, 'temp') + with save_pkg_resources_state(): + with save_modules(): + with save_path(): + hide_setuptools() + with save_argv(): + with override_temp(temp_dir): + with pushd(setup_dir): + # ensure setuptools commands are available + __import__('setuptools') + yield + + +_MODULES_TO_HIDE = { + 'setuptools', + 'distutils', + 'pkg_resources', + 'Cython', + '_distutils_hack', +} + + +def _needs_hiding(mod_name): + """ + >>> _needs_hiding('setuptools') + True + >>> _needs_hiding('pkg_resources') + True + >>> _needs_hiding('setuptools_plugin') + False + >>> _needs_hiding('setuptools.__init__') + True + >>> _needs_hiding('distutils') + True + >>> _needs_hiding('os') + False + >>> _needs_hiding('Cython') + True + """ + base_module = mod_name.split('.', 1)[0] + return base_module in _MODULES_TO_HIDE + + +def hide_setuptools(): + """ + Remove references to setuptools' modules from sys.modules to allow the + invocation to import the most appropriate setuptools. This technique is + necessary to avoid issues such as #315 where setuptools upgrading itself + would fail to find a function declared in the metadata. + """ + _distutils_hack = sys.modules.get('_distutils_hack', None) + if _distutils_hack is not None: + _distutils_hack.remove_shim() + + modules = filter(_needs_hiding, sys.modules) + _clear_modules(modules) + + +def run_setup(setup_script, args): + """Run a distutils setup script, sandboxed in its directory""" + setup_dir = os.path.abspath(os.path.dirname(setup_script)) + with setup_context(setup_dir): + try: + sys.argv[:] = [setup_script] + list(args) + sys.path.insert(0, setup_dir) + # reset to include setup dir, w/clean callback list + working_set.__init__() + working_set.callbacks.append(lambda dist: dist.activate()) + + with DirectorySandbox(setup_dir): + ns = dict(__file__=setup_script, __name__='__main__') + _execfile(setup_script, ns) + except SystemExit as v: + if v.args and v.args[0]: + raise + # Normal exit, just return + + +class AbstractSandbox: + """Wrap 'os' module and 'open()' builtin for virtualizing setup scripts""" + + _active = False + + def __init__(self): + self._attrs = [ + name + for name in dir(_os) + if not name.startswith('_') and hasattr(self, name) + ] + + def _copy(self, source): + for name in self._attrs: + setattr(os, name, getattr(source, name)) + + def __enter__(self): + self._copy(self) + if _file: + builtins.file = self._file + builtins.open = self._open + self._active = True + + def __exit__(self, exc_type, exc_value, traceback): + self._active = False + if _file: + builtins.file = _file + builtins.open = _open + self._copy(_os) + + def run(self, func): + """Run 'func' under os sandboxing""" + with self: + return func() + + def _mk_dual_path_wrapper(name): + original = getattr(_os, name) + + def wrap(self, src, dst, *args, **kw): + if self._active: + src, dst = self._remap_pair(name, src, dst, *args, **kw) + return original(src, dst, *args, **kw) + + return wrap + + for name in ["rename", "link", "symlink"]: + if hasattr(_os, name): + locals()[name] = _mk_dual_path_wrapper(name) + + def _mk_single_path_wrapper(name, original=None): + original = original or getattr(_os, name) + + def wrap(self, path, *args, **kw): + if self._active: + path = self._remap_input(name, path, *args, **kw) + return original(path, *args, **kw) + + return wrap + + if _file: + _file = _mk_single_path_wrapper('file', _file) + _open = _mk_single_path_wrapper('open', _open) + for name in [ + "stat", + "listdir", + "chdir", + "open", + "chmod", + "chown", + "mkdir", + "remove", + "unlink", + "rmdir", + "utime", + "lchown", + "chroot", + "lstat", + "startfile", + "mkfifo", + "mknod", + "pathconf", + "access", + ]: + if hasattr(_os, name): + locals()[name] = _mk_single_path_wrapper(name) + + def _mk_single_with_return(name): + original = getattr(_os, name) + + def wrap(self, path, *args, **kw): + if self._active: + path = self._remap_input(name, path, *args, **kw) + return self._remap_output(name, original(path, *args, **kw)) + return original(path, *args, **kw) + + return wrap + + for name in ['readlink', 'tempnam']: + if hasattr(_os, name): + locals()[name] = _mk_single_with_return(name) + + def _mk_query(name): + original = getattr(_os, name) + + def wrap(self, *args, **kw): + retval = original(*args, **kw) + if self._active: + return self._remap_output(name, retval) + return retval + + return wrap + + for name in ['getcwd', 'tmpnam']: + if hasattr(_os, name): + locals()[name] = _mk_query(name) + + def _validate_path(self, path): + """Called to remap or validate any path, whether input or output""" + return path + + def _remap_input(self, operation, path, *args, **kw): + """Called for path inputs""" + return self._validate_path(path) + + def _remap_output(self, operation, path): + """Called for path outputs""" + return self._validate_path(path) + + def _remap_pair(self, operation, src, dst, *args, **kw): + """Called for path pairs like rename, link, and symlink operations""" + return ( + self._remap_input(operation + '-from', src, *args, **kw), + self._remap_input(operation + '-to', dst, *args, **kw), + ) + + +if hasattr(os, 'devnull'): + _EXCEPTIONS = [os.devnull] +else: + _EXCEPTIONS = [] + + +class DirectorySandbox(AbstractSandbox): + """Restrict operations to a single subdirectory - pseudo-chroot""" + + write_ops = dict.fromkeys( + [ + "open", + "chmod", + "chown", + "mkdir", + "remove", + "unlink", + "rmdir", + "utime", + "lchown", + "chroot", + "mkfifo", + "mknod", + "tempnam", + ] + ) + + _exception_patterns = [] + "exempt writing to paths that match the pattern" + + def __init__(self, sandbox, exceptions=_EXCEPTIONS): + self._sandbox = os.path.normcase(os.path.realpath(sandbox)) + self._prefix = os.path.join(self._sandbox, '') + self._exceptions = [ + os.path.normcase(os.path.realpath(path)) for path in exceptions + ] + AbstractSandbox.__init__(self) + + def _violation(self, operation, *args, **kw): + from setuptools.sandbox import SandboxViolation + + raise SandboxViolation(operation, args, kw) + + if _file: + + def _file(self, path, mode='r', *args, **kw): + if mode not in ('r', 'rt', 'rb', 'rU', 'U') and not self._ok(path): + self._violation("file", path, mode, *args, **kw) + return _file(path, mode, *args, **kw) + + def _open(self, path, mode='r', *args, **kw): + if mode not in ('r', 'rt', 'rb', 'rU', 'U') and not self._ok(path): + self._violation("open", path, mode, *args, **kw) + return _open(path, mode, *args, **kw) + + def tmpnam(self): + self._violation("tmpnam") + + def _ok(self, path): + active = self._active + try: + self._active = False + realpath = os.path.normcase(os.path.realpath(path)) + return ( + self._exempted(realpath) + or realpath == self._sandbox + or realpath.startswith(self._prefix) + ) + finally: + self._active = active + + def _exempted(self, filepath): + start_matches = ( + filepath.startswith(exception) for exception in self._exceptions + ) + pattern_matches = ( + re.match(pattern, filepath) for pattern in self._exception_patterns + ) + candidates = itertools.chain(start_matches, pattern_matches) + return any(candidates) + + def _remap_input(self, operation, path, *args, **kw): + """Called for path inputs""" + if operation in self.write_ops and not self._ok(path): + self._violation(operation, os.path.realpath(path), *args, **kw) + return path + + def _remap_pair(self, operation, src, dst, *args, **kw): + """Called for path pairs like rename, link, and symlink operations""" + if not self._ok(src) or not self._ok(dst): + self._violation(operation, src, dst, *args, **kw) + return (src, dst) + + def open(self, file, flags, mode=0o777, *args, **kw): + """Called for low-level os.open()""" + if flags & WRITE_FLAGS and not self._ok(file): + self._violation("os.open", file, flags, mode, *args, **kw) + return _os.open(file, flags, mode, *args, **kw) + + +WRITE_FLAGS = functools.reduce( + operator.or_, + [ + getattr(_os, a, 0) + for a in "O_WRONLY O_RDWR O_APPEND O_CREAT O_TRUNC O_TEMPORARY".split() + ], +) + + +class SandboxViolation(DistutilsError): + """A setup script attempted to modify the filesystem outside the sandbox""" + + tmpl = textwrap.dedent( + """ + SandboxViolation: {cmd}{args!r} {kwargs} + + The package setup script has attempted to modify files on your system + that are not within the EasyInstall build area, and has been aborted. + + This package cannot be safely installed by EasyInstall, and may not + support alternate installation locations even if you run its setup + script by hand. Please inform the package's author and the EasyInstall + maintainers to find out if a fix or workaround is available. + """ + ).lstrip() + + def __str__(self): + cmd, args, kwargs = self.args + return self.tmpl.format(**locals()) diff --git a/venv/Lib/site-packages/setuptools/script (dev).tmpl b/venv/Lib/site-packages/setuptools/script (dev).tmpl new file mode 100644 index 0000000..39a24b0 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/script (dev).tmpl @@ -0,0 +1,6 @@ +# EASY-INSTALL-DEV-SCRIPT: %(spec)r,%(script_name)r +__requires__ = %(spec)r +__import__('pkg_resources').require(%(spec)r) +__file__ = %(dev_path)r +with open(__file__) as f: + exec(compile(f.read(), __file__, 'exec')) diff --git a/venv/Lib/site-packages/setuptools/script.tmpl b/venv/Lib/site-packages/setuptools/script.tmpl new file mode 100644 index 0000000..ff5efbc --- /dev/null +++ b/venv/Lib/site-packages/setuptools/script.tmpl @@ -0,0 +1,3 @@ +# EASY-INSTALL-SCRIPT: %(spec)r,%(script_name)r +__requires__ = %(spec)r +__import__('pkg_resources').run_script(%(spec)r, %(script_name)r) diff --git a/venv/Lib/site-packages/setuptools/unicode_utils.py b/venv/Lib/site-packages/setuptools/unicode_utils.py new file mode 100644 index 0000000..e84e65e --- /dev/null +++ b/venv/Lib/site-packages/setuptools/unicode_utils.py @@ -0,0 +1,42 @@ +import unicodedata +import sys + + +# HFS Plus uses decomposed UTF-8 +def decompose(path): + if isinstance(path, str): + return unicodedata.normalize('NFD', path) + try: + path = path.decode('utf-8') + path = unicodedata.normalize('NFD', path) + path = path.encode('utf-8') + except UnicodeError: + pass # Not UTF-8 + return path + + +def filesys_decode(path): + """ + Ensure that the given path is decoded, + NONE when no expected encoding works + """ + + if isinstance(path, str): + return path + + fs_enc = sys.getfilesystemencoding() or 'utf-8' + candidates = fs_enc, 'utf-8' + + for enc in candidates: + try: + return path.decode(enc) + except UnicodeDecodeError: + continue + + +def try_encode(string, enc): + "turn unicode encoding into a functional routine" + try: + return string.encode(enc) + except UnicodeEncodeError: + return None diff --git a/venv/Lib/site-packages/setuptools/version.py b/venv/Lib/site-packages/setuptools/version.py new file mode 100644 index 0000000..95e1869 --- /dev/null +++ b/venv/Lib/site-packages/setuptools/version.py @@ -0,0 +1,6 @@ +import pkg_resources + +try: + __version__ = pkg_resources.get_distribution('setuptools').version +except Exception: + __version__ = 'unknown' diff --git a/venv/Lib/site-packages/setuptools/wheel.py b/venv/Lib/site-packages/setuptools/wheel.py new file mode 100644 index 0000000..0be811a --- /dev/null +++ b/venv/Lib/site-packages/setuptools/wheel.py @@ -0,0 +1,213 @@ +"""Wheels support.""" + +from distutils.util import get_platform +from distutils import log +import email +import itertools +import os +import posixpath +import re +import zipfile + +import pkg_resources +import setuptools +from pkg_resources import parse_version +from setuptools.extern.packaging.tags import sys_tags +from setuptools.extern.packaging.utils import canonicalize_name +from setuptools.command.egg_info import write_requirements + + +WHEEL_NAME = re.compile( + r"""^(?P.+?)-(?P\d.*?) + ((-(?P\d.*?))?-(?P.+?)-(?P.+?)-(?P.+?) + )\.whl$""", + re.VERBOSE).match + +NAMESPACE_PACKAGE_INIT = \ + "__import__('pkg_resources').declare_namespace(__name__)\n" + + +def unpack(src_dir, dst_dir): + '''Move everything under `src_dir` to `dst_dir`, and delete the former.''' + for dirpath, dirnames, filenames in os.walk(src_dir): + subdir = os.path.relpath(dirpath, src_dir) + for f in filenames: + src = os.path.join(dirpath, f) + dst = os.path.join(dst_dir, subdir, f) + os.renames(src, dst) + for n, d in reversed(list(enumerate(dirnames))): + src = os.path.join(dirpath, d) + dst = os.path.join(dst_dir, subdir, d) + if not os.path.exists(dst): + # Directory does not exist in destination, + # rename it and prune it from os.walk list. + os.renames(src, dst) + del dirnames[n] + # Cleanup. + for dirpath, dirnames, filenames in os.walk(src_dir, topdown=True): + assert not filenames + os.rmdir(dirpath) + + +class Wheel: + + def __init__(self, filename): + match = WHEEL_NAME(os.path.basename(filename)) + if match is None: + raise ValueError('invalid wheel name: %r' % filename) + self.filename = filename + for k, v in match.groupdict().items(): + setattr(self, k, v) + + def tags(self): + '''List tags (py_version, abi, platform) supported by this wheel.''' + return itertools.product( + self.py_version.split('.'), + self.abi.split('.'), + self.platform.split('.'), + ) + + def is_compatible(self): + '''Is the wheel is compatible with the current platform?''' + supported_tags = set( + (t.interpreter, t.abi, t.platform) for t in sys_tags()) + return next((True for t in self.tags() if t in supported_tags), False) + + def egg_name(self): + return pkg_resources.Distribution( + project_name=self.project_name, version=self.version, + platform=(None if self.platform == 'any' else get_platform()), + ).egg_name() + '.egg' + + def get_dist_info(self, zf): + # find the correct name of the .dist-info dir in the wheel file + for member in zf.namelist(): + dirname = posixpath.dirname(member) + if (dirname.endswith('.dist-info') and + canonicalize_name(dirname).startswith( + canonicalize_name(self.project_name))): + return dirname + raise ValueError("unsupported wheel format. .dist-info not found") + + def install_as_egg(self, destination_eggdir): + '''Install wheel as an egg directory.''' + with zipfile.ZipFile(self.filename) as zf: + self._install_as_egg(destination_eggdir, zf) + + def _install_as_egg(self, destination_eggdir, zf): + dist_basename = '%s-%s' % (self.project_name, self.version) + dist_info = self.get_dist_info(zf) + dist_data = '%s.data' % dist_basename + egg_info = os.path.join(destination_eggdir, 'EGG-INFO') + + self._convert_metadata(zf, destination_eggdir, dist_info, egg_info) + self._move_data_entries(destination_eggdir, dist_data) + self._fix_namespace_packages(egg_info, destination_eggdir) + + @staticmethod + def _convert_metadata(zf, destination_eggdir, dist_info, egg_info): + def get_metadata(name): + with zf.open(posixpath.join(dist_info, name)) as fp: + value = fp.read().decode('utf-8') + return email.parser.Parser().parsestr(value) + + wheel_metadata = get_metadata('WHEEL') + # Check wheel format version is supported. + wheel_version = parse_version(wheel_metadata.get('Wheel-Version')) + wheel_v1 = ( + parse_version('1.0') <= wheel_version < parse_version('2.0dev0') + ) + if not wheel_v1: + raise ValueError( + 'unsupported wheel format version: %s' % wheel_version) + # Extract to target directory. + os.mkdir(destination_eggdir) + zf.extractall(destination_eggdir) + # Convert metadata. + dist_info = os.path.join(destination_eggdir, dist_info) + dist = pkg_resources.Distribution.from_location( + destination_eggdir, dist_info, + metadata=pkg_resources.PathMetadata(destination_eggdir, dist_info), + ) + + # Note: Evaluate and strip markers now, + # as it's difficult to convert back from the syntax: + # foobar; "linux" in sys_platform and extra == 'test' + def raw_req(req): + req.marker = None + return str(req) + install_requires = list(sorted(map(raw_req, dist.requires()))) + extras_require = { + extra: sorted( + req + for req in map(raw_req, dist.requires((extra,))) + if req not in install_requires + ) + for extra in dist.extras + } + os.rename(dist_info, egg_info) + os.rename( + os.path.join(egg_info, 'METADATA'), + os.path.join(egg_info, 'PKG-INFO'), + ) + setup_dist = setuptools.Distribution( + attrs=dict( + install_requires=install_requires, + extras_require=extras_require, + ), + ) + # Temporarily disable info traces. + log_threshold = log._global_log.threshold + log.set_threshold(log.WARN) + try: + write_requirements( + setup_dist.get_command_obj('egg_info'), + None, + os.path.join(egg_info, 'requires.txt'), + ) + finally: + log.set_threshold(log_threshold) + + @staticmethod + def _move_data_entries(destination_eggdir, dist_data): + """Move data entries to their correct location.""" + dist_data = os.path.join(destination_eggdir, dist_data) + dist_data_scripts = os.path.join(dist_data, 'scripts') + if os.path.exists(dist_data_scripts): + egg_info_scripts = os.path.join( + destination_eggdir, 'EGG-INFO', 'scripts') + os.mkdir(egg_info_scripts) + for entry in os.listdir(dist_data_scripts): + # Remove bytecode, as it's not properly handled + # during easy_install scripts install phase. + if entry.endswith('.pyc'): + os.unlink(os.path.join(dist_data_scripts, entry)) + else: + os.rename( + os.path.join(dist_data_scripts, entry), + os.path.join(egg_info_scripts, entry), + ) + os.rmdir(dist_data_scripts) + for subdir in filter(os.path.exists, ( + os.path.join(dist_data, d) + for d in ('data', 'headers', 'purelib', 'platlib') + )): + unpack(subdir, destination_eggdir) + if os.path.exists(dist_data): + os.rmdir(dist_data) + + @staticmethod + def _fix_namespace_packages(egg_info, destination_eggdir): + namespace_packages = os.path.join( + egg_info, 'namespace_packages.txt') + if os.path.exists(namespace_packages): + with open(namespace_packages) as fp: + namespace_packages = fp.read().split() + for mod in namespace_packages: + mod_dir = os.path.join(destination_eggdir, *mod.split('.')) + mod_init = os.path.join(mod_dir, '__init__.py') + if not os.path.exists(mod_dir): + os.mkdir(mod_dir) + if not os.path.exists(mod_init): + with open(mod_init, 'w') as fp: + fp.write(NAMESPACE_PACKAGE_INIT) diff --git a/venv/Lib/site-packages/setuptools/windows_support.py b/venv/Lib/site-packages/setuptools/windows_support.py new file mode 100644 index 0000000..cb977cf --- /dev/null +++ b/venv/Lib/site-packages/setuptools/windows_support.py @@ -0,0 +1,29 @@ +import platform +import ctypes + + +def windows_only(func): + if platform.system() != 'Windows': + return lambda *args, **kwargs: None + return func + + +@windows_only +def hide_file(path): + """ + Set the hidden attribute on a file or directory. + + From http://stackoverflow.com/questions/19622133/ + + `path` must be text. + """ + __import__('ctypes.wintypes') + SetFileAttributes = ctypes.windll.kernel32.SetFileAttributesW + SetFileAttributes.argtypes = ctypes.wintypes.LPWSTR, ctypes.wintypes.DWORD + SetFileAttributes.restype = ctypes.wintypes.BOOL + + FILE_ATTRIBUTE_HIDDEN = 0x02 + + ret = SetFileAttributes(path, FILE_ATTRIBUTE_HIDDEN) + if not ret: + raise ctypes.WinError() diff --git a/venv/Lib/tcl8.6/init.tcl b/venv/Lib/tcl8.6/init.tcl deleted file mode 100644 index b3990df..0000000 --- a/venv/Lib/tcl8.6/init.tcl +++ /dev/null @@ -1,819 +0,0 @@ -# init.tcl -- -# -# Default system startup file for Tcl-based applications. Defines -# "unknown" procedure and auto-load facilities. -# -# Copyright (c) 1991-1993 The Regents of the University of California. -# Copyright (c) 1994-1996 Sun Microsystems, Inc. -# Copyright (c) 1998-1999 Scriptics Corporation. -# Copyright (c) 2004 by Kevin B. Kenny. All rights reserved. -# -# See the file "license.terms" for information on usage and redistribution -# of this file, and for a DISCLAIMER OF ALL WARRANTIES. -# - -# This test intentionally written in pre-7.5 Tcl -if {[info commands package] == ""} { - error "version mismatch: library\nscripts expect Tcl version 7.5b1 or later but the loaded version is\nonly [info patchlevel]" -} -package require -exact Tcl 8.6.8 - -# Compute the auto path to use in this interpreter. -# The values on the path come from several locations: -# -# The environment variable TCLLIBPATH -# -# tcl_library, which is the directory containing this init.tcl script. -# [tclInit] (Tcl_Init()) searches around for the directory containing this -# init.tcl and defines tcl_library to that location before sourcing it. -# -# The parent directory of tcl_library. Adding the parent -# means that packages in peer directories will be found automatically. -# -# Also add the directory ../lib relative to the directory where the -# executable is located. This is meant to find binary packages for the -# same architecture as the current executable. -# -# tcl_pkgPath, which is set by the platform-specific initialization routines -# On UNIX it is compiled in -# On Windows, it is not used - -if {![info exists auto_path]} { - if {[info exists env(TCLLIBPATH)]} { - set auto_path $env(TCLLIBPATH) - } else { - set auto_path "" - } -} -namespace eval tcl { - variable Dir - foreach Dir [list $::tcl_library [file dirname $::tcl_library]] { - if {$Dir ni $::auto_path} { - lappend ::auto_path $Dir - } - } - set Dir [file join [file dirname [file dirname \ - [info nameofexecutable]]] lib] - if {$Dir ni $::auto_path} { - lappend ::auto_path $Dir - } - catch { - foreach Dir $::tcl_pkgPath { - if {$Dir ni $::auto_path} { - lappend ::auto_path $Dir - } - } - } - - if {![interp issafe]} { - variable Path [encoding dirs] - set Dir [file join $::tcl_library encoding] - if {$Dir ni $Path} { - lappend Path $Dir - encoding dirs $Path - } - } - - # TIP #255 min and max functions - namespace eval mathfunc { - proc min {args} { - if {![llength $args]} { - return -code error \ - "too few arguments to math function \"min\"" - } - set val Inf - foreach arg $args { - # This will handle forcing the numeric value without - # ruining the internal type of a numeric object - if {[catch {expr {double($arg)}} err]} { - return -code error $err - } - if {$arg < $val} {set val $arg} - } - return $val - } - proc max {args} { - if {![llength $args]} { - return -code error \ - "too few arguments to math function \"max\"" - } - set val -Inf - foreach arg $args { - # This will handle forcing the numeric value without - # ruining the internal type of a numeric object - if {[catch {expr {double($arg)}} err]} { - return -code error $err - } - if {$arg > $val} {set val $arg} - } - return $val - } - namespace export min max - } -} - -# Windows specific end of initialization - -if {(![interp issafe]) && ($tcl_platform(platform) eq "windows")} { - namespace eval tcl { - proc EnvTraceProc {lo n1 n2 op} { - global env - set x $env($n2) - set env($lo) $x - set env([string toupper $lo]) $x - } - proc InitWinEnv {} { - global env tcl_platform - foreach p [array names env] { - set u [string toupper $p] - if {$u ne $p} { - switch -- $u { - COMSPEC - - PATH { - set temp $env($p) - unset env($p) - set env($u) $temp - trace add variable env($p) write \ - [namespace code [list EnvTraceProc $p]] - trace add variable env($u) write \ - [namespace code [list EnvTraceProc $p]] - } - } - } - } - if {![info exists env(COMSPEC)]} { - set env(COMSPEC) cmd.exe - } - } - InitWinEnv - } -} - -# Setup the unknown package handler - - -if {[interp issafe]} { - package unknown {::tcl::tm::UnknownHandler ::tclPkgUnknown} -} else { - # Set up search for Tcl Modules (TIP #189). - # and setup platform specific unknown package handlers - if {$tcl_platform(os) eq "Darwin" - && $tcl_platform(platform) eq "unix"} { - package unknown {::tcl::tm::UnknownHandler \ - {::tcl::MacOSXPkgUnknown ::tclPkgUnknown}} - } else { - package unknown {::tcl::tm::UnknownHandler ::tclPkgUnknown} - } - - # Set up the 'clock' ensemble - - namespace eval ::tcl::clock [list variable TclLibDir $::tcl_library] - - proc ::tcl::initClock {} { - # Auto-loading stubs for 'clock.tcl' - - foreach cmd {add format scan} { - proc ::tcl::clock::$cmd args { - variable TclLibDir - source -encoding utf-8 [file join $TclLibDir clock.tcl] - return [uplevel 1 [info level 0]] - } - } - - rename ::tcl::initClock {} - } - ::tcl::initClock -} - -# Conditionalize for presence of exec. - -if {[namespace which -command exec] eq ""} { - - # Some machines do not have exec. Also, on all - # platforms, safe interpreters do not have exec. - - set auto_noexec 1 -} - -# Define a log command (which can be overwitten to log errors -# differently, specially when stderr is not available) - -if {[namespace which -command tclLog] eq ""} { - proc tclLog {string} { - catch {puts stderr $string} - } -} - -# unknown -- -# This procedure is called when a Tcl command is invoked that doesn't -# exist in the interpreter. It takes the following steps to make the -# command available: -# -# 1. See if the autoload facility can locate the command in a -# Tcl script file. If so, load it and execute it. -# 2. If the command was invoked interactively at top-level: -# (a) see if the command exists as an executable UNIX program. -# If so, "exec" the command. -# (b) see if the command requests csh-like history substitution -# in one of the common forms !!, !, or ^old^new. If -# so, emulate csh's history substitution. -# (c) see if the command is a unique abbreviation for another -# command. If so, invoke the command. -# -# Arguments: -# args - A list whose elements are the words of the original -# command, including the command name. - -proc unknown args { - variable ::tcl::UnknownPending - global auto_noexec auto_noload env tcl_interactive errorInfo errorCode - - if {[info exists errorInfo]} { - set savedErrorInfo $errorInfo - } - if {[info exists errorCode]} { - set savedErrorCode $errorCode - } - - set name [lindex $args 0] - if {![info exists auto_noload]} { - # - # Make sure we're not trying to load the same proc twice. - # - if {[info exists UnknownPending($name)]} { - return -code error "self-referential recursion\ - in \"unknown\" for command \"$name\"" - } - set UnknownPending($name) pending - set ret [catch { - auto_load $name [uplevel 1 {::namespace current}] - } msg opts] - unset UnknownPending($name) - if {$ret != 0} { - dict append opts -errorinfo "\n (autoloading \"$name\")" - return -options $opts $msg - } - if {![array size UnknownPending]} { - unset UnknownPending - } - if {$msg} { - if {[info exists savedErrorCode]} { - set ::errorCode $savedErrorCode - } else { - unset -nocomplain ::errorCode - } - if {[info exists savedErrorInfo]} { - set errorInfo $savedErrorInfo - } else { - unset -nocomplain errorInfo - } - set code [catch {uplevel 1 $args} msg opts] - if {$code == 1} { - # - # Compute stack trace contribution from the [uplevel]. - # Note the dependence on how Tcl_AddErrorInfo, etc. - # construct the stack trace. - # - set errInfo [dict get $opts -errorinfo] - set errCode [dict get $opts -errorcode] - set cinfo $args - if {[string bytelength $cinfo] > 150} { - set cinfo [string range $cinfo 0 150] - while {[string bytelength $cinfo] > 150} { - set cinfo [string range $cinfo 0 end-1] - } - append cinfo ... - } - set tail "\n (\"uplevel\" body line 1)\n invoked\ - from within\n\"uplevel 1 \$args\"" - set expect "$msg\n while executing\n\"$cinfo\"$tail" - if {$errInfo eq $expect} { - # - # The stack has only the eval from the expanded command - # Do not generate any stack trace here. - # - dict unset opts -errorinfo - dict incr opts -level - return -options $opts $msg - } - # - # Stack trace is nested, trim off just the contribution - # from the extra "eval" of $args due to the "catch" above. - # - set last [string last $tail $errInfo] - if {$last + [string length $tail] != [string length $errInfo]} { - # Very likely cannot happen - return -options $opts $msg - } - set errInfo [string range $errInfo 0 $last-1] - set tail "\"$cinfo\"" - set last [string last $tail $errInfo] - if {$last + [string length $tail] != [string length $errInfo]} { - return -code error -errorcode $errCode \ - -errorinfo $errInfo $msg - } - set errInfo [string range $errInfo 0 $last-1] - set tail "\n invoked from within\n" - set last [string last $tail $errInfo] - if {$last + [string length $tail] == [string length $errInfo]} { - return -code error -errorcode $errCode \ - -errorinfo [string range $errInfo 0 $last-1] $msg - } - set tail "\n while executing\n" - set last [string last $tail $errInfo] - if {$last + [string length $tail] == [string length $errInfo]} { - return -code error -errorcode $errCode \ - -errorinfo [string range $errInfo 0 $last-1] $msg - } - return -options $opts $msg - } else { - dict incr opts -level - return -options $opts $msg - } - } - } - - if {([info level] == 1) && ([info script] eq "") - && [info exists tcl_interactive] && $tcl_interactive} { - if {![info exists auto_noexec]} { - set new [auto_execok $name] - if {$new ne ""} { - set redir "" - if {[namespace which -command console] eq ""} { - set redir ">&@stdout <@stdin" - } - uplevel 1 [list ::catch \ - [concat exec $redir $new [lrange $args 1 end]] \ - ::tcl::UnknownResult ::tcl::UnknownOptions] - dict incr ::tcl::UnknownOptions -level - return -options $::tcl::UnknownOptions $::tcl::UnknownResult - } - } - if {$name eq "!!"} { - set newcmd [history event] - } elseif {[regexp {^!(.+)$} $name -> event]} { - set newcmd [history event $event] - } elseif {[regexp {^\^([^^]*)\^([^^]*)\^?$} $name -> old new]} { - set newcmd [history event -1] - catch {regsub -all -- $old $newcmd $new newcmd} - } - if {[info exists newcmd]} { - tclLog $newcmd - history change $newcmd 0 - uplevel 1 [list ::catch $newcmd \ - ::tcl::UnknownResult ::tcl::UnknownOptions] - dict incr ::tcl::UnknownOptions -level - return -options $::tcl::UnknownOptions $::tcl::UnknownResult - } - - set ret [catch {set candidates [info commands $name*]} msg] - if {$name eq "::"} { - set name "" - } - if {$ret != 0} { - dict append opts -errorinfo \ - "\n (expanding command prefix \"$name\" in unknown)" - return -options $opts $msg - } - # Filter out bogus matches when $name contained - # a glob-special char [Bug 946952] - if {$name eq ""} { - # Handle empty $name separately due to strangeness - # in [string first] (See RFE 1243354) - set cmds $candidates - } else { - set cmds [list] - foreach x $candidates { - if {[string first $name $x] == 0} { - lappend cmds $x - } - } - } - if {[llength $cmds] == 1} { - uplevel 1 [list ::catch [lreplace $args 0 0 [lindex $cmds 0]] \ - ::tcl::UnknownResult ::tcl::UnknownOptions] - dict incr ::tcl::UnknownOptions -level - return -options $::tcl::UnknownOptions $::tcl::UnknownResult - } - if {[llength $cmds]} { - return -code error "ambiguous command name \"$name\": [lsort $cmds]" - } - } - return -code error -errorcode [list TCL LOOKUP COMMAND $name] \ - "invalid command name \"$name\"" -} - -# auto_load -- -# Checks a collection of library directories to see if a procedure -# is defined in one of them. If so, it sources the appropriate -# library file to create the procedure. Returns 1 if it successfully -# loaded the procedure, 0 otherwise. -# -# Arguments: -# cmd - Name of the command to find and load. -# namespace (optional) The namespace where the command is being used - must be -# a canonical namespace as returned [namespace current] -# for instance. If not given, namespace current is used. - -proc auto_load {cmd {namespace {}}} { - global auto_index auto_path - - if {$namespace eq ""} { - set namespace [uplevel 1 [list ::namespace current]] - } - set nameList [auto_qualify $cmd $namespace] - # workaround non canonical auto_index entries that might be around - # from older auto_mkindex versions - lappend nameList $cmd - foreach name $nameList { - if {[info exists auto_index($name)]} { - namespace eval :: $auto_index($name) - # There's a couple of ways to look for a command of a given - # name. One is to use - # info commands $name - # Unfortunately, if the name has glob-magic chars in it like * - # or [], it may not match. For our purposes here, a better - # route is to use - # namespace which -command $name - if {[namespace which -command $name] ne ""} { - return 1 - } - } - } - if {![info exists auto_path]} { - return 0 - } - - if {![auto_load_index]} { - return 0 - } - foreach name $nameList { - if {[info exists auto_index($name)]} { - namespace eval :: $auto_index($name) - if {[namespace which -command $name] ne ""} { - return 1 - } - } - } - return 0 -} - -# auto_load_index -- -# Loads the contents of tclIndex files on the auto_path directory -# list. This is usually invoked within auto_load to load the index -# of available commands. Returns 1 if the index is loaded, and 0 if -# the index is already loaded and up to date. -# -# Arguments: -# None. - -proc auto_load_index {} { - variable ::tcl::auto_oldpath - global auto_index auto_path - - if {[info exists auto_oldpath] && ($auto_oldpath eq $auto_path)} { - return 0 - } - set auto_oldpath $auto_path - - # Check if we are a safe interpreter. In that case, we support only - # newer format tclIndex files. - - set issafe [interp issafe] - for {set i [expr {[llength $auto_path] - 1}]} {$i >= 0} {incr i -1} { - set dir [lindex $auto_path $i] - set f "" - if {$issafe} { - catch {source [file join $dir tclIndex]} - } elseif {[catch {set f [open [file join $dir tclIndex]]}]} { - continue - } else { - set error [catch { - set id [gets $f] - if {$id eq "# Tcl autoload index file, version 2.0"} { - eval [read $f] - } elseif {$id eq "# Tcl autoload index file: each line identifies a Tcl"} { - while {[gets $f line] >= 0} { - if {([string index $line 0] eq "#") \ - || ([llength $line] != 2)} { - continue - } - set name [lindex $line 0] - set auto_index($name) \ - "source [file join $dir [lindex $line 1]]" - } - } else { - error "[file join $dir tclIndex] isn't a proper Tcl index file" - } - } msg opts] - if {$f ne ""} { - close $f - } - if {$error} { - return -options $opts $msg - } - } - } - return 1 -} - -# auto_qualify -- -# -# Compute a fully qualified names list for use in the auto_index array. -# For historical reasons, commands in the global namespace do not have leading -# :: in the index key. The list has two elements when the command name is -# relative (no leading ::) and the namespace is not the global one. Otherwise -# only one name is returned (and searched in the auto_index). -# -# Arguments - -# cmd The command name. Can be any name accepted for command -# invocations (Like "foo::::bar"). -# namespace The namespace where the command is being used - must be -# a canonical namespace as returned by [namespace current] -# for instance. - -proc auto_qualify {cmd namespace} { - - # count separators and clean them up - # (making sure that foo:::::bar will be treated as foo::bar) - set n [regsub -all {::+} $cmd :: cmd] - - # Ignore namespace if the name starts with :: - # Handle special case of only leading :: - - # Before each return case we give an example of which category it is - # with the following form : - # (inputCmd, inputNameSpace) -> output - - if {[string match ::* $cmd]} { - if {$n > 1} { - # (::foo::bar , *) -> ::foo::bar - return [list $cmd] - } else { - # (::global , *) -> global - return [list [string range $cmd 2 end]] - } - } - - # Potentially returning 2 elements to try : - # (if the current namespace is not the global one) - - if {$n == 0} { - if {$namespace eq "::"} { - # (nocolons , ::) -> nocolons - return [list $cmd] - } else { - # (nocolons , ::sub) -> ::sub::nocolons nocolons - return [list ${namespace}::$cmd $cmd] - } - } elseif {$namespace eq "::"} { - # (foo::bar , ::) -> ::foo::bar - return [list ::$cmd] - } else { - # (foo::bar , ::sub) -> ::sub::foo::bar ::foo::bar - return [list ${namespace}::$cmd ::$cmd] - } -} - -# auto_import -- -# -# Invoked during "namespace import" to make see if the imported commands -# reside in an autoloaded library. If so, the commands are loaded so -# that they will be available for the import links. If not, then this -# procedure does nothing. -# -# Arguments - -# pattern The pattern of commands being imported (like "foo::*") -# a canonical namespace as returned by [namespace current] - -proc auto_import {pattern} { - global auto_index - - # If no namespace is specified, this will be an error case - - if {![string match *::* $pattern]} { - return - } - - set ns [uplevel 1 [list ::namespace current]] - set patternList [auto_qualify $pattern $ns] - - auto_load_index - - foreach pattern $patternList { - foreach name [array names auto_index $pattern] { - if {([namespace which -command $name] eq "") - && ([namespace qualifiers $pattern] eq [namespace qualifiers $name])} { - namespace eval :: $auto_index($name) - } - } - } -} - -# auto_execok -- -# -# Returns string that indicates name of program to execute if -# name corresponds to a shell builtin or an executable in the -# Windows search path, or "" otherwise. Builds an associative -# array auto_execs that caches information about previous checks, -# for speed. -# -# Arguments: -# name - Name of a command. - -if {$tcl_platform(platform) eq "windows"} { -# Windows version. -# -# Note that file executable doesn't work under Windows, so we have to -# look for files with .exe, .com, or .bat extensions. Also, the path -# may be in the Path or PATH environment variables, and path -# components are separated with semicolons, not colons as under Unix. -# -proc auto_execok name { - global auto_execs env tcl_platform - - if {[info exists auto_execs($name)]} { - return $auto_execs($name) - } - set auto_execs($name) "" - - set shellBuiltins [list assoc cls copy date del dir echo erase ftype \ - md mkdir mklink move rd ren rename rmdir start time type ver vol] - if {[info exists env(PATHEXT)]} { - # Add an initial ; to have the {} extension check first. - set execExtensions [split ";$env(PATHEXT)" ";"] - } else { - set execExtensions [list {} .com .exe .bat .cmd] - } - - if {[string tolower $name] in $shellBuiltins} { - # When this is command.com for some reason on Win2K, Tcl won't - # exec it unless the case is right, which this corrects. COMSPEC - # may not point to a real file, so do the check. - set cmd $env(COMSPEC) - if {[file exists $cmd]} { - set cmd [file attributes $cmd -shortname] - } - return [set auto_execs($name) [list $cmd /c $name]] - } - - if {[llength [file split $name]] != 1} { - foreach ext $execExtensions { - set file ${name}${ext} - if {[file exists $file] && ![file isdirectory $file]} { - return [set auto_execs($name) [list $file]] - } - } - return "" - } - - set path "[file dirname [info nameof]];.;" - if {[info exists env(WINDIR)]} { - set windir $env(WINDIR) - } - if {[info exists windir]} { - if {$tcl_platform(os) eq "Windows NT"} { - append path "$windir/system32;" - } - append path "$windir/system;$windir;" - } - - foreach var {PATH Path path} { - if {[info exists env($var)]} { - append path ";$env($var)" - } - } - - foreach ext $execExtensions { - unset -nocomplain checked - foreach dir [split $path {;}] { - # Skip already checked directories - if {[info exists checked($dir)] || ($dir eq "")} { - continue - } - set checked($dir) {} - set file [file join $dir ${name}${ext}] - if {[file exists $file] && ![file isdirectory $file]} { - return [set auto_execs($name) [list $file]] - } - } - } - return "" -} - -} else { -# Unix version. -# -proc auto_execok name { - global auto_execs env - - if {[info exists auto_execs($name)]} { - return $auto_execs($name) - } - set auto_execs($name) "" - if {[llength [file split $name]] != 1} { - if {[file executable $name] && ![file isdirectory $name]} { - set auto_execs($name) [list $name] - } - return $auto_execs($name) - } - foreach dir [split $env(PATH) :] { - if {$dir eq ""} { - set dir . - } - set file [file join $dir $name] - if {[file executable $file] && ![file isdirectory $file]} { - set auto_execs($name) [list $file] - return $auto_execs($name) - } - } - return "" -} - -} - -# ::tcl::CopyDirectory -- -# -# This procedure is called by Tcl's core when attempts to call the -# filesystem's copydirectory function fail. The semantics of the call -# are that 'dest' does not yet exist, i.e. dest should become the exact -# image of src. If dest does exist, we throw an error. -# -# Note that making changes to this procedure can change the results -# of running Tcl's tests. -# -# Arguments: -# action - "renaming" or "copying" -# src - source directory -# dest - destination directory -proc tcl::CopyDirectory {action src dest} { - set nsrc [file normalize $src] - set ndest [file normalize $dest] - - if {$action eq "renaming"} { - # Can't rename volumes. We could give a more precise - # error message here, but that would break the test suite. - if {$nsrc in [file volumes]} { - return -code error "error $action \"$src\" to\ - \"$dest\": trying to rename a volume or move a directory\ - into itself" - } - } - if {[file exists $dest]} { - if {$nsrc eq $ndest} { - return -code error "error $action \"$src\" to\ - \"$dest\": trying to rename a volume or move a directory\ - into itself" - } - if {$action eq "copying"} { - # We used to throw an error here, but, looking more closely - # at the core copy code in tclFCmd.c, if the destination - # exists, then we should only call this function if -force - # is true, which means we just want to over-write. So, - # the following code is now commented out. - # - # return -code error "error $action \"$src\" to\ - # \"$dest\": file already exists" - } else { - # Depending on the platform, and on the current - # working directory, the directories '.', '..' - # can be returned in various combinations. Anyway, - # if any other file is returned, we must signal an error. - set existing [glob -nocomplain -directory $dest * .*] - lappend existing {*}[glob -nocomplain -directory $dest \ - -type hidden * .*] - foreach s $existing { - if {[file tail $s] ni {. ..}} { - return -code error "error $action \"$src\" to\ - \"$dest\": file already exists" - } - } - } - } else { - if {[string first $nsrc $ndest] != -1} { - set srclen [expr {[llength [file split $nsrc]] - 1}] - set ndest [lindex [file split $ndest] $srclen] - if {$ndest eq [file tail $nsrc]} { - return -code error "error $action \"$src\" to\ - \"$dest\": trying to rename a volume or move a directory\ - into itself" - } - } - file mkdir $dest - } - # Have to be careful to capture both visible and hidden files. - # We will also be more generous to the file system and not - # assume the hidden and non-hidden lists are non-overlapping. - # - # On Unix 'hidden' files begin with '.'. On other platforms - # or filesystems hidden files may have other interpretations. - set filelist [concat [glob -nocomplain -directory $src *] \ - [glob -nocomplain -directory $src -types hidden *]] - - foreach s [lsort -unique $filelist] { - if {[file tail $s] ni {. ..}} { - file copy -force -- $s [file join $dest [file tail $s]] - } - } - return -} diff --git a/venv/Scripts/Activate.ps1 b/venv/Scripts/Activate.ps1 index 640fac6..f09f7b8 100644 --- a/venv/Scripts/Activate.ps1 +++ b/venv/Scripts/Activate.ps1 @@ -1,51 +1,398 @@ +<# +.Synopsis +Activate a Python virtual environment for the current PowerShell session. + +.Description +Pushes the python executable for a virtual environment to the front of the +$Env:PATH environment variable and sets the prompt to signify that you are +in a Python virtual environment. Makes use of the command line switches as +well as the `pyvenv.cfg` file values present in the virtual environment. + +.Parameter VenvDir +Path to the directory that contains the virtual environment to activate. The +default value for this is the parent of the directory that the Activate.ps1 +script is located within. + +.Parameter Prompt +The prompt prefix to display when this virtual environment is activated. By +default, this prompt is the name of the virtual environment folder (VenvDir) +surrounded by parentheses and followed by a single space (ie. '(.venv) '). + +.Example +Activate.ps1 +Activates the Python virtual environment that contains the Activate.ps1 script. + +.Example +Activate.ps1 -Verbose +Activates the Python virtual environment that contains the Activate.ps1 script, +and shows extra information about the activation as it executes. + +.Example +Activate.ps1 -VenvDir C:\Users\MyUser\Common\.venv +Activates the Python virtual environment located in the specified location. + +.Example +Activate.ps1 -Prompt "MyPython" +Activates the Python virtual environment that contains the Activate.ps1 script, +and prefixes the current prompt with the specified string (surrounded in +parentheses) while the virtual environment is active. + +.Notes +On Windows, it may be required to enable this Activate.ps1 script by setting the +execution policy for the user. You can do this by issuing the following PowerShell +command: + +PS C:\> Set-ExecutionPolicy -ExecutionPolicy RemoteSigned -Scope CurrentUser + +For more information on Execution Policies: +https://go.microsoft.com/fwlink/?LinkID=135170 + +#> +Param( + [Parameter(Mandatory = $false)] + [String] + $VenvDir, + [Parameter(Mandatory = $false)] + [String] + $Prompt +) + +<# Function declarations --------------------------------------------------- #> + +<# +.Synopsis +Remove all shell session elements added by the Activate script, including the +addition of the virtual environment's Python executable from the beginning of +the PATH variable. + +.Parameter NonDestructive +If present, do not remove this function from the global namespace for the +session. + +#> function global:deactivate ([switch]$NonDestructive) { # Revert to original values - if (Test-Path function:_OLD_VIRTUAL_PROMPT) { - copy-item function:_OLD_VIRTUAL_PROMPT function:prompt - remove-item function:_OLD_VIRTUAL_PROMPT + + # The prior prompt: + if (Test-Path -Path Function:_OLD_VIRTUAL_PROMPT) { + Copy-Item -Path Function:_OLD_VIRTUAL_PROMPT -Destination Function:prompt + Remove-Item -Path Function:_OLD_VIRTUAL_PROMPT } - if (Test-Path env:_OLD_VIRTUAL_PYTHONHOME) { - copy-item env:_OLD_VIRTUAL_PYTHONHOME env:PYTHONHOME - remove-item env:_OLD_VIRTUAL_PYTHONHOME + # The prior PYTHONHOME: + if (Test-Path -Path Env:_OLD_VIRTUAL_PYTHONHOME) { + Copy-Item -Path Env:_OLD_VIRTUAL_PYTHONHOME -Destination Env:PYTHONHOME + Remove-Item -Path Env:_OLD_VIRTUAL_PYTHONHOME } - if (Test-Path env:_OLD_VIRTUAL_PATH) { - copy-item env:_OLD_VIRTUAL_PATH env:PATH - remove-item env:_OLD_VIRTUAL_PATH + # The prior PATH: + if (Test-Path -Path Env:_OLD_VIRTUAL_PATH) { + Copy-Item -Path Env:_OLD_VIRTUAL_PATH -Destination Env:PATH + Remove-Item -Path Env:_OLD_VIRTUAL_PATH } - if (Test-Path env:VIRTUAL_ENV) { - remove-item env:VIRTUAL_ENV + # Just remove the VIRTUAL_ENV altogether: + if (Test-Path -Path Env:VIRTUAL_ENV) { + Remove-Item -Path env:VIRTUAL_ENV } - if (!$NonDestructive) { - # Self destruct! - remove-item function:deactivate + # Just remove the _PYTHON_VENV_PROMPT_PREFIX altogether: + if (Get-Variable -Name "_PYTHON_VENV_PROMPT_PREFIX" -ErrorAction SilentlyContinue) { + Remove-Variable -Name _PYTHON_VENV_PROMPT_PREFIX -Scope Global -Force + } + + # Leave deactivate function in the global namespace if requested: + if (-not $NonDestructive) { + Remove-Item -Path function:deactivate } } +<# +.Description +Get-PyVenvConfig parses the values from the pyvenv.cfg file located in the +given folder, and returns them in a map. + +For each line in the pyvenv.cfg file, if that line can be parsed into exactly +two strings separated by `=` (with any amount of whitespace surrounding the =) +then it is considered a `key = value` line. The left hand string is the key, +the right hand is the value. + +If the value starts with a `'` or a `"` then the first and last character is +stripped from the value before being captured. + +.Parameter ConfigDir +Path to the directory that contains the `pyvenv.cfg` file. +#> +function Get-PyVenvConfig( + [String] + $ConfigDir +) { + Write-Verbose "Given ConfigDir=$ConfigDir, obtain values in pyvenv.cfg" + + # Ensure the file exists, and issue a warning if it doesn't (but still allow the function to continue). + $pyvenvConfigPath = Join-Path -Resolve -Path $ConfigDir -ChildPath 'pyvenv.cfg' -ErrorAction Continue + + # An empty map will be returned if no config file is found. + $pyvenvConfig = @{ } + + if ($pyvenvConfigPath) { + + Write-Verbose "File exists, parse `key = value` lines" + $pyvenvConfigContent = Get-Content -Path $pyvenvConfigPath + + $pyvenvConfigContent | ForEach-Object { + $keyval = $PSItem -split "\s*=\s*", 2 + if ($keyval[0] -and $keyval[1]) { + $val = $keyval[1] + + # Remove extraneous quotations around a string value. + if ("'""".Contains($val.Substring(0, 1))) { + $val = $val.Substring(1, $val.Length - 2) + } + + $pyvenvConfig[$keyval[0]] = $val + Write-Verbose "Adding Key: '$($keyval[0])'='$val'" + } + } + } + return $pyvenvConfig +} + + +<# Begin Activate script --------------------------------------------------- #> + +# Determine the containing directory of this script +$VenvExecPath = Split-Path -Parent $MyInvocation.MyCommand.Definition +$VenvExecDir = Get-Item -Path $VenvExecPath + +Write-Verbose "Activation script is located in path: '$VenvExecPath'" +Write-Verbose "VenvExecDir Fullname: '$($VenvExecDir.FullName)" +Write-Verbose "VenvExecDir Name: '$($VenvExecDir.Name)" + +# Set values required in priority: CmdLine, ConfigFile, Default +# First, get the location of the virtual environment, it might not be +# VenvExecDir if specified on the command line. +if ($VenvDir) { + Write-Verbose "VenvDir given as parameter, using '$VenvDir' to determine values" +} +else { + Write-Verbose "VenvDir not given as a parameter, using parent directory name as VenvDir." + $VenvDir = $VenvExecDir.Parent.FullName.TrimEnd("\\/") + Write-Verbose "VenvDir=$VenvDir" +} + +# Next, read the `pyvenv.cfg` file to determine any required value such +# as `prompt`. +$pyvenvCfg = Get-PyVenvConfig -ConfigDir $VenvDir + +# Next, set the prompt from the command line, or the config file, or +# just use the name of the virtual environment folder. +if ($Prompt) { + Write-Verbose "Prompt specified as argument, using '$Prompt'" +} +else { + Write-Verbose "Prompt not specified as argument to script, checking pyvenv.cfg value" + if ($pyvenvCfg -and $pyvenvCfg['prompt']) { + Write-Verbose " Setting based on value in pyvenv.cfg='$($pyvenvCfg['prompt'])'" + $Prompt = $pyvenvCfg['prompt']; + } + else { + Write-Verbose " Setting prompt based on parent's directory's name. (Is the directory name passed to venv module when creating the virutal environment)" + Write-Verbose " Got leaf-name of $VenvDir='$(Split-Path -Path $venvDir -Leaf)'" + $Prompt = Split-Path -Path $venvDir -Leaf + } +} + +Write-Verbose "Prompt = '$Prompt'" +Write-Verbose "VenvDir='$VenvDir'" + +# Deactivate any currently active virtual environment, but leave the +# deactivate function in place. deactivate -nondestructive -$env:VIRTUAL_ENV="C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv" +# Now set the environment variable VIRTUAL_ENV, used by many tools to determine +# that there is an activated venv. +$env:VIRTUAL_ENV = $VenvDir + +if (-not $Env:VIRTUAL_ENV_DISABLE_PROMPT) { + + Write-Verbose "Setting prompt to '$Prompt'" -if (! $env:VIRTUAL_ENV_DISABLE_PROMPT) { # Set the prompt to include the env name # Make sure _OLD_VIRTUAL_PROMPT is global - function global:_OLD_VIRTUAL_PROMPT {""} - copy-item function:prompt function:_OLD_VIRTUAL_PROMPT + function global:_OLD_VIRTUAL_PROMPT { "" } + Copy-Item -Path function:prompt -Destination function:_OLD_VIRTUAL_PROMPT + New-Variable -Name _PYTHON_VENV_PROMPT_PREFIX -Description "Python virtual environment prompt prefix" -Scope Global -Option ReadOnly -Visibility Public -Value $Prompt + function global:prompt { - Write-Host -NoNewline -ForegroundColor Green '(venv) ' + Write-Host -NoNewline -ForegroundColor Green "($_PYTHON_VENV_PROMPT_PREFIX) " _OLD_VIRTUAL_PROMPT } } # Clear PYTHONHOME -if (Test-Path env:PYTHONHOME) { - copy-item env:PYTHONHOME env:_OLD_VIRTUAL_PYTHONHOME - remove-item env:PYTHONHOME +if (Test-Path -Path Env:PYTHONHOME) { + Copy-Item -Path Env:PYTHONHOME -Destination Env:_OLD_VIRTUAL_PYTHONHOME + Remove-Item -Path Env:PYTHONHOME } # Add the venv to the PATH -copy-item env:PATH env:_OLD_VIRTUAL_PATH -$env:PATH = "$env:VIRTUAL_ENV\Scripts;$env:PATH" +Copy-Item -Path Env:PATH -Destination Env:_OLD_VIRTUAL_PATH +$Env:PATH = "$VenvExecDir$([System.IO.Path]::PathSeparator)$Env:PATH" + +# SIG # Begin signature block +# MIIcwAYJKoZIhvcNAQcCoIIcsTCCHK0CAQExDzANBglghkgBZQMEAgEFADB5Bgor +# BgEEAYI3AgEEoGswaTA0BgorBgEEAYI3AgEeMCYCAwEAAAQQH8w7YFlLCE63JNLG +# KX7zUQIBAAIBAAIBAAIBAAIBADAxMA0GCWCGSAFlAwQCAQUABCAwnDYwEHaCQq0n +# 8NAvsN7H7BO7/48rXCNwrg891FS5vaCCC38wggUwMIIEGKADAgECAhAECRgbX9W7 +# ZnVTQ7VvlVAIMA0GCSqGSIb3DQEBCwUAMGUxCzAJBgNVBAYTAlVTMRUwEwYDVQQK +# EwxEaWdpQ2VydCBJbmMxGTAXBgNVBAsTEHd3dy5kaWdpY2VydC5jb20xJDAiBgNV +# BAMTG0RpZ2lDZXJ0IEFzc3VyZWQgSUQgUm9vdCBDQTAeFw0xMzEwMjIxMjAwMDBa +# Fw0yODEwMjIxMjAwMDBaMHIxCzAJBgNVBAYTAlVTMRUwEwYDVQQKEwxEaWdpQ2Vy +# dCBJbmMxGTAXBgNVBAsTEHd3dy5kaWdpY2VydC5jb20xMTAvBgNVBAMTKERpZ2lD +# ZXJ0IFNIQTIgQXNzdXJlZCBJRCBDb2RlIFNpZ25pbmcgQ0EwggEiMA0GCSqGSIb3 +# DQEBAQUAA4IBDwAwggEKAoIBAQD407Mcfw4Rr2d3B9MLMUkZz9D7RZmxOttE9X/l +# qJ3bMtdx6nadBS63j/qSQ8Cl+YnUNxnXtqrwnIal2CWsDnkoOn7p0WfTxvspJ8fT +# eyOU5JEjlpB3gvmhhCNmElQzUHSxKCa7JGnCwlLyFGeKiUXULaGj6YgsIJWuHEqH +# CN8M9eJNYBi+qsSyrnAxZjNxPqxwoqvOf+l8y5Kh5TsxHM/q8grkV7tKtel05iv+ +# bMt+dDk2DZDv5LVOpKnqagqrhPOsZ061xPeM0SAlI+sIZD5SlsHyDxL0xY4PwaLo +# LFH3c7y9hbFig3NBggfkOItqcyDQD2RzPJ6fpjOp/RnfJZPRAgMBAAGjggHNMIIB +# yTASBgNVHRMBAf8ECDAGAQH/AgEAMA4GA1UdDwEB/wQEAwIBhjATBgNVHSUEDDAK +# BggrBgEFBQcDAzB5BggrBgEFBQcBAQRtMGswJAYIKwYBBQUHMAGGGGh0dHA6Ly9v +# Y3NwLmRpZ2ljZXJ0LmNvbTBDBggrBgEFBQcwAoY3aHR0cDovL2NhY2VydHMuZGln +# aWNlcnQuY29tL0RpZ2lDZXJ0QXNzdXJlZElEUm9vdENBLmNydDCBgQYDVR0fBHow +# eDA6oDigNoY0aHR0cDovL2NybDQuZGlnaWNlcnQuY29tL0RpZ2lDZXJ0QXNzdXJl +# ZElEUm9vdENBLmNybDA6oDigNoY0aHR0cDovL2NybDMuZGlnaWNlcnQuY29tL0Rp +# Z2lDZXJ0QXNzdXJlZElEUm9vdENBLmNybDBPBgNVHSAESDBGMDgGCmCGSAGG/WwA +# AgQwKjAoBggrBgEFBQcCARYcaHR0cHM6Ly93d3cuZGlnaWNlcnQuY29tL0NQUzAK +# BghghkgBhv1sAzAdBgNVHQ4EFgQUWsS5eyoKo6XqcQPAYPkt9mV1DlgwHwYDVR0j +# BBgwFoAUReuir/SSy4IxLVGLp6chnfNtyA8wDQYJKoZIhvcNAQELBQADggEBAD7s +# DVoks/Mi0RXILHwlKXaoHV0cLToaxO8wYdd+C2D9wz0PxK+L/e8q3yBVN7Dh9tGS +# dQ9RtG6ljlriXiSBThCk7j9xjmMOE0ut119EefM2FAaK95xGTlz/kLEbBw6RFfu6 +# r7VRwo0kriTGxycqoSkoGjpxKAI8LpGjwCUR4pwUR6F6aGivm6dcIFzZcbEMj7uo +# +MUSaJ/PQMtARKUT8OZkDCUIQjKyNookAv4vcn4c10lFluhZHen6dGRrsutmQ9qz +# sIzV6Q3d9gEgzpkxYz0IGhizgZtPxpMQBvwHgfqL2vmCSfdibqFT+hKUGIUukpHq +# aGxEMrJmoecYpJpkUe8wggZHMIIFL6ADAgECAhADPtXtoGXRuMkd/PkqbJvYMA0G +# CSqGSIb3DQEBCwUAMHIxCzAJBgNVBAYTAlVTMRUwEwYDVQQKEwxEaWdpQ2VydCBJ +# bmMxGTAXBgNVBAsTEHd3dy5kaWdpY2VydC5jb20xMTAvBgNVBAMTKERpZ2lDZXJ0 +# IFNIQTIgQXNzdXJlZCBJRCBDb2RlIFNpZ25pbmcgQ0EwHhcNMTgxMjE4MDAwMDAw +# WhcNMjExMjIyMTIwMDAwWjCBgzELMAkGA1UEBhMCVVMxFjAUBgNVBAgTDU5ldyBI +# YW1wc2hpcmUxEjAQBgNVBAcTCVdvbGZlYm9ybzEjMCEGA1UEChMaUHl0aG9uIFNv +# ZnR3YXJlIEZvdW5kYXRpb24xIzAhBgNVBAMTGlB5dGhvbiBTb2Z0d2FyZSBGb3Vu +# ZGF0aW9uMIICIjANBgkqhkiG9w0BAQEFAAOCAg8AMIICCgKCAgEAqr2kS7J1uW7o +# JRxlsdrETAjKarfoH5TI8PWST6Yb2xPooP7vHT4iaVXyL5Lze1f53Jw67Sp+u524 +# fJXf30qHViEWxumy2RWG0nciU2d+mMqzjlaAWSZNF0u4RcvyDJokEV0RUOqI5CG5 +# zPI3W9uQ6LiUk3HCYW6kpH177A5T3pw/Po8O8KErJGn1anaqtIICq99ySxrMad/2 +# hPMBRf6Ndah7f7HPn1gkSSTAoejyuqF5h+B0qI4+JK5+VLvz659VTbAWJsYakkxZ +# xVWYpFv4KeQSSwoo0DzMvmERsTzNvVBMWhu9OriJNg+QfFmf96zVTu93cZ+r7xMp +# bXyfIOGKhHMaRuZ8ihuWIx3gI9WHDFX6fBKR8+HlhdkaiBEWIsXRoy+EQUyK7zUs +# +FqOo2sRYttbs8MTF9YDKFZwyPjn9Wn+gLGd5NUEVyNvD9QVGBEtN7vx87bduJUB +# 8F4DylEsMtZTfjw/au6AmOnmneK5UcqSJuwRyZaGNk7y3qj06utx+HTTqHgi975U +# pxfyrwAqkovoZEWBVSpvku8PVhkBXcLmNe6MEHlFiaMoiADAeKmX5RFRkN+VrmYG +# Tg4zajxfdHeIY8TvLf48tTfmnQJd98geJQv/01NUy/FxuwqAuTkaez5Nl1LxP0Cp +# THhghzO4FRD4itT2wqTh4jpojw9QZnsCAwEAAaOCAcUwggHBMB8GA1UdIwQYMBaA +# FFrEuXsqCqOl6nEDwGD5LfZldQ5YMB0GA1UdDgQWBBT8Kr9+1L6s84KcpM97IgE7 +# uI8H8jAOBgNVHQ8BAf8EBAMCB4AwEwYDVR0lBAwwCgYIKwYBBQUHAwMwdwYDVR0f +# BHAwbjA1oDOgMYYvaHR0cDovL2NybDMuZGlnaWNlcnQuY29tL3NoYTItYXNzdXJl +# ZC1jcy1nMS5jcmwwNaAzoDGGL2h0dHA6Ly9jcmw0LmRpZ2ljZXJ0LmNvbS9zaGEy +# LWFzc3VyZWQtY3MtZzEuY3JsMEwGA1UdIARFMEMwNwYJYIZIAYb9bAMBMCowKAYI +# KwYBBQUHAgEWHGh0dHBzOi8vd3d3LmRpZ2ljZXJ0LmNvbS9DUFMwCAYGZ4EMAQQB +# MIGEBggrBgEFBQcBAQR4MHYwJAYIKwYBBQUHMAGGGGh0dHA6Ly9vY3NwLmRpZ2lj +# ZXJ0LmNvbTBOBggrBgEFBQcwAoZCaHR0cDovL2NhY2VydHMuZGlnaWNlcnQuY29t +# L0RpZ2lDZXJ0U0hBMkFzc3VyZWRJRENvZGVTaWduaW5nQ0EuY3J0MAwGA1UdEwEB +# /wQCMAAwDQYJKoZIhvcNAQELBQADggEBAEt1oS21X0axiafPjyY+vlYqjWKuUu/Y +# FuYWIEq6iRRaFabNDhj9RBFQF/aJiE5msrQEOfAD6/6gVSH91lZWBqg6NEeG9T9S +# XbiAPvJ9CEWFsdkXUrjbWhvCnuZ7kqUuU5BAumI1QRbpYgZL3UA+iZXkmjbGh1ln +# 8rUhWIxbBYL4Sg2nqpB44p7CUFYkPj/MbwU2gvBV2pXjj5WaskoZtsACMv5g42BN +# oVLoRAi+ev6s07POt+JtHRIm87lTyuc8wh0swTPUwksKbLU1Zdj9CpqtzXnuVE0w +# 50exJvRSK3Vt4g+0vigpI3qPmDdpkf9+4Mvy0XMNcqrthw20R+PkIlMxghCXMIIQ +# kwIBATCBhjByMQswCQYDVQQGEwJVUzEVMBMGA1UEChMMRGlnaUNlcnQgSW5jMRkw +# FwYDVQQLExB3d3cuZGlnaWNlcnQuY29tMTEwLwYDVQQDEyhEaWdpQ2VydCBTSEEy +# IEFzc3VyZWQgSUQgQ29kZSBTaWduaW5nIENBAhADPtXtoGXRuMkd/PkqbJvYMA0G +# CWCGSAFlAwQCAQUAoIGaMBkGCSqGSIb3DQEJAzEMBgorBgEEAYI3AgEEMBwGCisG +# AQQBgjcCAQsxDjAMBgorBgEEAYI3AgEVMC4GCisGAQQBgjcCAQwxIDAeoByAGgBQ +# AHkAdABoAG8AbgAgADMALgA4AC4AMQAwMC8GCSqGSIb3DQEJBDEiBCAGueLiZxG/ +# uwwkezGlE6NGik7PbC5BWsmef6UPtfvL6DANBgkqhkiG9w0BAQEFAASCAgBFCSGD +# sxcFCakg+TKDhbuPBHuY6y9GIgOIPoDAKzSNTmGd38nlGq9GNiOCDzYDS2tEdwwc +# 3Kt4G9Yc6OF8aPhYSjOg2N2DGoRDk5FYg1VAZYtdZGWIWkbxHKv1//04J38a18Wd +# QpSk+54Nu4ith/3HXeiUxb1IjHECHyq/cBj34op7Kl3SiSfLt4qW6n1FyQnrAq9M +# 8EyAJwx1q7sX5ugzvHTUE/stbLkxXO/k06MQ96GPt+knJgWy77EOgdwMQmnQoLQV +# XFyMQsa4SxpytVOtOgpdzAavrrmC6qbifbqLeUcioA4a2pm9Pa2xVetUFDilvSyM +# rIHRGx5LUCK1FGYccjXidJ4NFvINNT6pOylwkraxZdWJsptTrdR9oRUo8Lh6QAh1 +# JPAw4mod88kbI5/5H0rOcTsa7P8jAtxkp0uwvxvGUxT+M+A5hwu81wTYsQZbEaVn +# H+JI2ADE4CnquMwhoUqQsqgVctZGX1r4AA7LhveEZEHOQ7m6KPYepdTKAGBf0KhO +# eEOSjJpnjQzaVmTaP2pfxgaoHHTSQ4AwIdIyO9m5wDoIznWT9T8618T6mzL0m8W5 +# cX1fHREbifIJLSv3PXiYde0OWVqYIQO9PS7uTJ345Th+TCZUc+SYrC6Vq0PUsRZH +# IHLP6UH7SZfsjmlQbD/IiHR9g3kDInlij+IgQ6GCDUQwgg1ABgorBgEEAYI3AwMB +# MYINMDCCDSwGCSqGSIb3DQEHAqCCDR0wgg0ZAgEDMQ8wDQYJYIZIAWUDBAIBBQAw +# dwYLKoZIhvcNAQkQAQSgaARmMGQCAQEGCWCGSAGG/WwHATAxMA0GCWCGSAFlAwQC +# AQUABCBuuoKKI5VzqiwEcymFiOxOYAKyJj+lwucjo+Pb4yWr0QIQTCCWuLxarqMV +# tBcxlyFhXBgPMjAyMTA1MDMxMTUyNDhaoIIKNzCCBP4wggPmoAMCAQICEA1CSuC+ +# Ooj/YEAhzhQA8N0wDQYJKoZIhvcNAQELBQAwcjELMAkGA1UEBhMCVVMxFTATBgNV +# BAoTDERpZ2lDZXJ0IEluYzEZMBcGA1UECxMQd3d3LmRpZ2ljZXJ0LmNvbTExMC8G +# A1UEAxMoRGlnaUNlcnQgU0hBMiBBc3N1cmVkIElEIFRpbWVzdGFtcGluZyBDQTAe +# Fw0yMTAxMDEwMDAwMDBaFw0zMTAxMDYwMDAwMDBaMEgxCzAJBgNVBAYTAlVTMRcw +# FQYDVQQKEw5EaWdpQ2VydCwgSW5jLjEgMB4GA1UEAxMXRGlnaUNlcnQgVGltZXN0 +# YW1wIDIwMjEwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQDC5mGEZ8WK +# 9Q0IpEXKY2tR1zoRQr0KdXVNlLQMULUmEP4dyG+RawyW5xpcSO9E5b+bYc0VkWJa +# uP9nC5xj/TZqgfop+N0rcIXeAhjzeG28ffnHbQk9vmp2h+mKvfiEXR52yeTGdnY6 +# U9HR01o2j8aj4S8bOrdh1nPsTm0zinxdRS1LsVDmQTo3VobckyON91Al6GTm3dOP +# L1e1hyDrDo4s1SPa9E14RuMDgzEpSlwMMYpKjIjF9zBa+RSvFV9sQ0kJ/SYjU/aN +# Y+gaq1uxHTDCm2mCtNv8VlS8H6GHq756WwogL0sJyZWnjbL61mOLTqVyHO6fegFz +# +BnW/g1JhL0BAgMBAAGjggG4MIIBtDAOBgNVHQ8BAf8EBAMCB4AwDAYDVR0TAQH/ +# BAIwADAWBgNVHSUBAf8EDDAKBggrBgEFBQcDCDBBBgNVHSAEOjA4MDYGCWCGSAGG +# /WwHATApMCcGCCsGAQUFBwIBFhtodHRwOi8vd3d3LmRpZ2ljZXJ0LmNvbS9DUFMw +# HwYDVR0jBBgwFoAU9LbhIB3+Ka7S5GGlsqIlssgXNW4wHQYDVR0OBBYEFDZEho6k +# urBmvrwoLR1ENt3janq8MHEGA1UdHwRqMGgwMqAwoC6GLGh0dHA6Ly9jcmwzLmRp +# Z2ljZXJ0LmNvbS9zaGEyLWFzc3VyZWQtdHMuY3JsMDKgMKAuhixodHRwOi8vY3Js +# NC5kaWdpY2VydC5jb20vc2hhMi1hc3N1cmVkLXRzLmNybDCBhQYIKwYBBQUHAQEE +# eTB3MCQGCCsGAQUFBzABhhhodHRwOi8vb2NzcC5kaWdpY2VydC5jb20wTwYIKwYB +# BQUHMAKGQ2h0dHA6Ly9jYWNlcnRzLmRpZ2ljZXJ0LmNvbS9EaWdpQ2VydFNIQTJB +# c3N1cmVkSURUaW1lc3RhbXBpbmdDQS5jcnQwDQYJKoZIhvcNAQELBQADggEBAEgc +# 3LXpmiO85xrnIA6OZ0b9QnJRdAojR6OrktIlxHBZvhSg5SeBpU0UFRkHefDRBMOG +# 2Tu9/kQCZk3taaQP9rhwz2Lo9VFKeHk2eie38+dSn5On7UOee+e03UEiifuHokYD +# Tvz0/rdkd2NfI1Jpg4L6GlPtkMyNoRdzDfTzZTlwS/Oc1np72gy8PTLQG8v1Yfx1 +# CAB2vIEO+MDhXM/EEXLnG2RJ2CKadRVC9S0yOIHa9GCiurRS+1zgYSQlT7LfySmo +# c0NR2r1j1h9bm/cuG08THfdKDXF+l7f0P4TrweOjSaH6zqe/Vs+6WXZhiV9+p7SO +# Z3j5NpjhyyjaW4emii8wggUxMIIEGaADAgECAhAKoSXW1jIbfkHkBdo2l8IVMA0G +# CSqGSIb3DQEBCwUAMGUxCzAJBgNVBAYTAlVTMRUwEwYDVQQKEwxEaWdpQ2VydCBJ +# bmMxGTAXBgNVBAsTEHd3dy5kaWdpY2VydC5jb20xJDAiBgNVBAMTG0RpZ2lDZXJ0 +# IEFzc3VyZWQgSUQgUm9vdCBDQTAeFw0xNjAxMDcxMjAwMDBaFw0zMTAxMDcxMjAw +# MDBaMHIxCzAJBgNVBAYTAlVTMRUwEwYDVQQKEwxEaWdpQ2VydCBJbmMxGTAXBgNV +# BAsTEHd3dy5kaWdpY2VydC5jb20xMTAvBgNVBAMTKERpZ2lDZXJ0IFNIQTIgQXNz +# dXJlZCBJRCBUaW1lc3RhbXBpbmcgQ0EwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAw +# ggEKAoIBAQC90DLuS82Pf92puoKZxTlUKFe2I0rEDgdFM1EQfdD5fU1ofue2oPSN +# s4jkl79jIZCYvxO8V9PD4X4I1moUADj3Lh477sym9jJZ/l9lP+Cb6+NGRwYaVX4L +# J37AovWg4N4iPw7/fpX786O6Ij4YrBHk8JkDbTuFfAnT7l3ImgtU46gJcWvgzyIQ +# D3XPcXJOCq3fQDpct1HhoXkUxk0kIzBdvOw8YGqsLwfM/fDqR9mIUF79Zm5WYScp +# iYRR5oLnRlD9lCosp+R1PrqYD4R/nzEU1q3V8mTLex4F0IQZchfxFwbvPc3WTe8G +# Qv2iUypPhR3EHTyvz9qsEPXdrKzpVv+TAgMBAAGjggHOMIIByjAdBgNVHQ4EFgQU +# 9LbhIB3+Ka7S5GGlsqIlssgXNW4wHwYDVR0jBBgwFoAUReuir/SSy4IxLVGLp6ch +# nfNtyA8wEgYDVR0TAQH/BAgwBgEB/wIBADAOBgNVHQ8BAf8EBAMCAYYwEwYDVR0l +# BAwwCgYIKwYBBQUHAwgweQYIKwYBBQUHAQEEbTBrMCQGCCsGAQUFBzABhhhodHRw +# Oi8vb2NzcC5kaWdpY2VydC5jb20wQwYIKwYBBQUHMAKGN2h0dHA6Ly9jYWNlcnRz +# LmRpZ2ljZXJ0LmNvbS9EaWdpQ2VydEFzc3VyZWRJRFJvb3RDQS5jcnQwgYEGA1Ud +# HwR6MHgwOqA4oDaGNGh0dHA6Ly9jcmw0LmRpZ2ljZXJ0LmNvbS9EaWdpQ2VydEFz +# c3VyZWRJRFJvb3RDQS5jcmwwOqA4oDaGNGh0dHA6Ly9jcmwzLmRpZ2ljZXJ0LmNv +# bS9EaWdpQ2VydEFzc3VyZWRJRFJvb3RDQS5jcmwwUAYDVR0gBEkwRzA4BgpghkgB +# hv1sAAIEMCowKAYIKwYBBQUHAgEWHGh0dHBzOi8vd3d3LmRpZ2ljZXJ0LmNvbS9D +# UFMwCwYJYIZIAYb9bAcBMA0GCSqGSIb3DQEBCwUAA4IBAQBxlRLpUYdWac3v3dp8 +# qmN6s3jPBjdAhO9LhL/KzwMC/cWnww4gQiyvd/MrHwwhWiq3BTQdaq6Z+CeiZr8J +# qmDfdqQ6kw/4stHYfBli6F6CJR7Euhx7LCHi1lssFDVDBGiy23UC4HLHmNY8ZOUf +# SBAYX4k4YU1iRiSHY4yRUiyvKYnleB/WCxSlgNcSR3CzddWThZN+tpJn+1Nhiaj1 +# a5bA9FhpDXzIAbG5KHW3mWOFIoxhynmUfln8jA/jb7UBJrZspe6HUSHkWGCbugwt +# K22ixH67xCUrRwIIfEmuE7bhfEJCKMYYVs9BNLZmXbZ0e/VWMyIvIjayS6JKldj1 +# po5SMYICTTCCAkkCAQEwgYYwcjELMAkGA1UEBhMCVVMxFTATBgNVBAoTDERpZ2lD +# ZXJ0IEluYzEZMBcGA1UECxMQd3d3LmRpZ2ljZXJ0LmNvbTExMC8GA1UEAxMoRGln +# aUNlcnQgU0hBMiBBc3N1cmVkIElEIFRpbWVzdGFtcGluZyBDQQIQDUJK4L46iP9g +# QCHOFADw3TANBglghkgBZQMEAgEFAKCBmDAaBgkqhkiG9w0BCQMxDQYLKoZIhvcN +# AQkQAQQwHAYJKoZIhvcNAQkFMQ8XDTIxMDUwMzExNTI0OFowKwYLKoZIhvcNAQkQ +# AgwxHDAaMBgwFgQU4deCqOGRvu9ryhaRtaq0lKYkm/MwLwYJKoZIhvcNAQkEMSIE +# IF4QsNmEZSxyIoRHXsGFuji0l/UWCqW9PHVzCEWUlsAfMA0GCSqGSIb3DQEBAQUA +# BIIBAGLTB2GJcXOg7O2cTQmsIoasfSqq+sCpeV4z2od18Lx4IIdnj3R0gKY8UH2T +# 2j0JMcPogZDZxqxKY//0KP5AL1SzHwD5tN/61Fg/oVk6Yp7dw8HN1V5Kayg9IrXf +# xyfway7Zc6YAWWzRtf5vv7xpgRKGTUahGrYZwxJPnAyhW643vymwhkQ/cRodTJIz +# d3qdy4sTHORPKwPUzhxjhsGah6GBAe+Rho03JiRIvQsvUaF5igjA4fJ1QSFKZvqz +# rA0oiJNZckQHYEPxh1AQShen9Jhr7fd2j5bVVBpaWAALmRdr8Q12CiFlQyk4KKy7 +# AEIHi2Rbf06++s+R2qJ5Tzfggs4= +# SIG # End signature block diff --git a/venv/Scripts/_asyncio.pyd b/venv/Scripts/_asyncio.pyd deleted file mode 100644 index 17fd0e623999fc420a43e57e141411761ee1de4c..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 54424 zcmeFa34B!5**|`hOkfCsjFUH}Q zX1{t}ji=eC?euo6^t#%#4X*a~4pCe0)_VQz+U9m`*}Q6PTSucichsnqObK+jqy4+j zj24c_$4^$@d*o?6@9`wO%CAYUq6IuBzxpJ*s@S!sIpNj)cs|_9%RMtX;mE6a?rB!D z@;%LhbPXS&`aR8w?0G?RgNNFZdsbC02(uHCg>Q~BE|Jqt3W?W^Oc*^{ScH^%o|=9u zt{NPj>{-L^69r)y&yHM$lSlwDA3H4wi9#_bgi2H|a^;UFHwr=(QgwFja@j&Ku&Iy?)S`bqYcVtzYbyE4sTxWIj}f6X8dFB_>e( zw1TiA*W2h4U4k%hEiwR8K%%e|hvHX^rgM2QVRkk$w&Az|$66eUUom=_>-BjXkjDDj zhnrL!593h$iV2?A-P(bI)OVr*EB7NsA>0-V!i?CI|2+M(6j&HMJAYT#ZGxt^{KD4q z3ss&+ek^Fhe*8}jXRJVa;GkwxpO_Y0cp*4P9eQXv2T{CouCY-UMlj^FCearf{E>wpa!DE5*VR71~K7VqsT)nKnHt1K^hF7b?8An+& z>cB8G8mv&&28+jsj|L8^mQ&>;u|I0BTpj58vi5?rG6SC`_^%9`CoohtGx#ck7Wgz# z9PimD4vA-Q*7!}Yh@%e`6AugF1mLl(pAjc4unVw3`+>7+Q0h?m1u9jwwfuaQN3)lR zmM+t6fc1Sm=yq$c{6bxD-FfudUK`Gs08D}dn?CjrTka(Kfpo#QYeU~l191+jg6HE& z5IhtuSQT2&3$i3*A3;#i|EgWv0iF+nE@l7%-I>Cn64onm^sf7W9XdppW&MXrGD%B> zPC?FSe2(tQ2M}b_h4)vYx0oL2%1rQ&jx7)ijq?K^A68yKdociqDi0!*sKWwItUoP6 z*sl(oFZ>L6WE^CqOpWjXr@xY8*#PuBMFXJZ+H_F=CeF1q0HG^K3IdYU;M^!hLpfQ3 zz#e6W2K-og&@y=#G_(Mo)>7^u|r7O&>>N>DSNsHhq18!B}jAD!lq!EJ{7O$%dXXx0Fsz7o^ z;d!8N<@oTgAhVl}cMo?iG4?HA*6$yFsG^L7iE+Gh3AG?eQIw!@^gMeJ{t~aDeqCUq zkj?mpkGqDXJ~~W*2Yn>T!+A-GGm%IgYM@9bT`K`T&tRu3V5i5zCaekHt#dAf&cR7U z-C?|CXfV=F;r@zvT_Ayku0%Co7P`Syi4K-bA8PL?dKzakNNGv!Jwf^ZEA4T6 z#SPWky+gE0OfiY6%JZSrNi@z~nu~RU^BZ{zjLBwS3f|I7z^ksU3%=7LREN#eB8*6E zkqYHF8=N3Zo}{uAoUkc;$1viCCH=e9s2b=>ZCrOn*r$T{b~5%+gGEO;m+vQ$T+;7c z4i&$ozdHC%uvBGB-VP<~A1>vADG3BvBvR2+TUQl}6julS5rNlWKwd_(3cWB8r+GJh zy#Bf`!RzPG5mp?I%*yOa{9GISE8HMQ-}eQL*ycF)BrZ+NH=6|>1WkH?d&IynX<+gw z=Cla(4+LPsweSKs6tqkv{=8YWARPX?ZDqZrr@p}bWI74vLkiVEB?8`iW;!f5>F>M1DFU@6QZI<-q>)) z6L>_n9b<6_1`i}y-XFY+VD&NxyIC6y=x%BUK7lQnETlLhEcB8+T@K~fI~*5IwnNF( zFhQ!WJCsbd=|1@Bp=7E~_u-85=wa~KrsMu=xQDdIhq2a06ask!OZsa)dq~1FvI$`@ zpb89_8y;TEI#S)cUJbfa)@V?^vUfDB`#5wd)?alp7K=|d_AQb9ST??Oq){LKA{+*X z-VEmfR^L`vS2u)e6sOi*zD{()3@OKsD8%GdvkOx)jqxRzhrqg2p_(jW@ZCE9xE7(d z+M`3i=Z7;$sRa(E2M5m7%1O*q0pF`(2Ag}A!EqIndj03ZW*rU9oK$1qrjOI^?<=nA zoxN#bYxzJGL}C#GLnIvRjF7t%=dw8AZ%`Qs!^yaxLCdExTrUVHyvMpW3VC} zxCDz+gR1@EPED{XwKh}&yomOF{+njnK3{v{62O8@aDyC5>$>|;w zYQKP?C#M^Bg2`@pIGhkW1fq^fJozEAANX5^z8}gD>^dM`AI_MC8W^#wn5Q!yV#1X% zG;wc*7MkyyjNzk9$!E?NnYs1T#7!LM5r&$t_J6fdSS;t(Vu55Wj*>g`hB%c<Xb*ELuegT`m@0tc;cr=83RNE4h?i!B_n|kQ-y7=8_7^v=};XOiPM zyS56}oC?84shN!u$wu9yjH!V9gd39cBgu?%uy|5ytUyabIO9#`8K`;*dRot{Fl41T zwO7ZAqfi7nNwup5Gh}-#w-R#8>A|L13!W31vZT)(XI`? z9sFge24Vz}9%2T)9Fry#s|x9P5qgLU9PkgE)quqixve#R43Dv{*MGjCRPDd^B1Q^> zO=A!&O+~kYj&o2NAlIUn#Ht11x8W>9*3)`^2~ACUxiEMOc@pWpzSKAeDtHU|SIE-D zWwF^3@SqlMAqVGLObmL<$v4XCElrOr52`eRDjW5@ts@ z;PHn_hxXmJRwO{Z#zI8`=}1W_r}g}SWbc-AW4L$SKtZ=U?e5=F0&CU2KRi6VCKXe$ za0ZbGgy}6m2mB{v;%!@~UWb`PYOj6UjNXM8&SX=Vk2E=C8l~bq>A<>k!rB&^v9B9I zdo$6Tty{hJe%SAJf~D@QRU`e(uwbnk@PgfH+uP!pS_D|&=kH{2F-Be4ao+gUbr+J> zorj|n+t0Xi+-t|EGu?F&ipA9mmY+{5SI1E?%6z!Hv_B*VvWK=V6V7q(;Ej0G!rCGD z;+3#c3I0(rMPh7K6s1UcLAE`cy8#8>=T#K}UuLIn?L9C7fjh?|5&GHvM8%v9hyGqtw_ z!FH^b;M7|JQ=HnX=APJO;~NE4>h;%btrTcVm%0sWNyweOO*I1rY*p&DAqxGF-o32x z3C_X{DUMuNpPHal-HdRT2@g}Mq2OV?E0+8U{KV10Sv1ueP77n&xP>vP9v@#eOaBsv z3sz=MJuHq7oK6r^aq>_0)L_naCe^d!NnDaW#d~Suw2$dY6^1J@EJ&D<3X5GDip3c1 zlkuvp3w#9(Ghs-Z#k3cEYQb{^%~kWzhdj-DA6hb;v4=ISmZKQTfd9wh^B%1q`1!DO zc?#vICPhfHYU@1HC?n$ttDVZ13p7DR?K6qS<8gWs5$%522m}AX*;LjAH&Qev$!9fIcdVY$+wVpQ-9)u<6VdetrWJFG12b(7zkkt0?^H9}PpC$|wLf?3#|J zZTu;)-Xw@Acs|S^sA@wC{)YJxtzK`~Npw1j4ne{(o}|yEiU_kX)k5Knp(8E3w1^ov zun|XCH?DX$J?u)wskcJiYo;531grzRQ4Sx&SR3r5)x_0os-GKJKTYtD4i5{yjCcnr zJe1>t;8_itM@D{FpOHMql3eEAg2>lSFF=3O%BQb{~A8e z6G{Ka_&}bpRuNsV$I|_I5QUcR&sBLg6G_M`Tgv*&rn*Z&G(;h%j-rqPyp~Vix#pGY z=3L;BX#aevez5!;bpM=iE}QXB)C19B?cFsL&POmTm$2LvmA0Mp*0h}c0w|| zkF}V3W+`g@Bv_19i87>!-{WzUZG*>(yzK7-?_$wSYS?oC1&^@Q zG~(`zHyLOopT}sx)-gYgk8+$8h5e8PEHp;Nfv;G32G9V*MZq$`Ip^X4a2i}OL^{P& z8L>JM=4qDt78Ia`XNxf2^ zuf;k}CetrY*mfxity@US_pi* zMF^F=Pa!;M7Llr)MQl2rwke0g@vntWAa1H;4Dc(H*HC{5`E!e@HMV+IOvuKY=(&V3 zyixl_vcHrBgLJ8+Ph#WK#n4&G_%!x4BR*{(l==uu%^#F{H%lecu826_&eggi#S<6Z zu8oUsm&HZ54RO(JZCrGFG>>i%mm=vgk!>!7Tz>|-W?g0g1?8DSr_c?}a4;U}n$k7n`X^@hAI7q-W*xzq~y3cXTf!X>m4tquC@hpS+uK zaVX=zx##X58?WxbHT^?xWmN3$iIYi8kzo&p+#IN=MjL`+ToB+J-ETMuUq4x$e-a{# zKg4V`jA`x&ECsFm9h%Aa8uHz?PArw(2kno@QGRtTC~Y0I)e!U}%VC8YmtuPI?oLJD zHXZM}3VRG^M)w#lUqX=c!Akwhu?Nu!R9b`u2#~~V7>q#>{6zcN)Kn^F>!0Mg@p)pg zw0$$Oi8}&==eJ%oAMmC4Mc^x$LfR$@N(8<#OGxXv26wgc#<8J-7}#Et*7H6@zRt6Q z;Ahm3jL7=(VU}@_?+;W2CBBCAYR{f0`OYZRAX4^qt&W5q`UYn$@oZOy9>BV6B|$8O zy@o|n#vVq}7Rif6A0TIO`ZSK)hqNzFHs6YgKrF8gCH$E!*)S8ug%fAclk_>_5ws7? zKL#8UiASVu{yI7@x$;mY@iB?#U_$=gM&QdmzKFm4?jV;>EDjIHj0iEG#BfqAtz}ou^XZnqGjn-v>QBQE%-qW&)p13XR4P5nCz;w zLrD>xBNay4^Q}-hS=Z56L#LJMv4}#&1Uz`ed2lN8tenxHvy4yR>;&dP9x5Nea0$V8 zNkPCFJMJGAoJbLd>N=0}r z`#J6}LFmvn%7nJW$+l6nr&7EcyC$hq9@Abn&*t08Fuy%h#4{jbAvOYtuAZ5St)HHK zPsWxEtQ!#El?@K=K|O5B#by`MA>oW2XoJjWU)rW#^r&EFnV642M4UwKqIW=~Ub85P z6upr~-2EOSv;VH z|NdRXS)<)@JQ}2k<^~s@#}eLE6gZl5&h~g_)EwCdqC67x3CdJL3qiwYZ7k#RdZ`A?-_%z}r5NA~V_y$JjJuK)G`yN1TwiB4xhvtlC6IeF#o(GoT zDT4n1N`V`g-$*-q>1Bk$J9{xH#l!*ynU$^$e4gMRS?B3Qw@?2Sg5%jQ5#Vjwf^$%F z`U52HB8c;Q%g=_7LJSz(-eu?FKtqjez7mi@ui!-T`FfX~=Ml9Pe24O4VouNC9m;8& ze@F7g_%l0pd-9wCpny(*gCTnXNv3m*B$ly%uZ5nAi zCSoxvZBq;3q*wufzn6{u{--Y>ohfKV9xa=v^&Ce|*i7!2JjC}gKBbKcq7mb=_%C28 zY!?=9@a$yn1_X>V0EERqHBK+ZX@!V}ls3xFEbc82Z7o05l2A3jciAbvN0!$0(f{&+ zxLI#p1CS6%>Gn8oBE!(TCO@sm4~CXJN^mUOvJqCb~wB!&<4dFH0OtqLQQ(ai;(6w-3z)Hlge}rg~F+Yk) z>Y-yqQ9_~oY+QF~WS=I19<1*p-FpBS0?Mv;a5+qRsr%D#*fxs%-n32UqKKak;T|Xs zfX$f%gmrbHGoKKzr_Ydc*^A~Az)gS3+9?GxB%t9%0q{w8}r>dn_^NH6RCsOT#Twb3^g@bbc-7Zzw+^3X3VaQAbF_Z9w# zJ^B2Fg*w_78vn`yd9p7IW;nJRG{(Oj(v#(Ww%p%Sug3TH-}!!*7}MV6zu$%V@WtZC z;wi5g+ ze{lsW7UG$RSo*NuPBleB0Pix^k6<;PfI&p{n8gtcc`aYr!p!KJx}f6#3WZ0}s&s8| zwVJl~;WZimpPYx1X~7FxMTm{Q961skMK8TVFI@v-A4;YNDhAP0yfGIXMIKM25Iqc4 zh_=&53em$*h3K{6NFjO{st~<`7%4;#Llv5)EJP1O6{1K>1QI1)237=85n{gamkjLTP@(nV(Sx1ocO(fC&o}--G zcQf3Peg~yv%e%^nRmCE5GOcPcB2 z9?u?LNsc2`@M#Pd11ZJ=AAUDU55=pmh`f5gizSgV7TG4k80*TW2mNvFBI5Nro0rkD zCj3$!a;>ckT?Ll|-P}yuvV!K5#8|Y4A^aB8_Iz6w-$@{+Y@xo=Dz#LmYdu?Zm7h92 z6ibw!>bWDq>vq+6{!Wu$4;9EbhPH@LD7J44CsV6I$9@?Bk7=F6GzhqMYXdoypWq*} z>maTSMR{8mIV}C*WNMW)?XeH4NjVArW4lhsCFGjqR`xS$R(Z-;C4p@!M}rfBqZpMj zfBde}nD8nj@Kv6w*edGaC`v!`OL7qV!&xV9Loc)5Wap#oOd*SK)?s!&$j-F*8qPYv z&ZKF=S>&{av-Yy{6YSi`&X2G&IsDS@0`(!wah70(!b00e& zWM|s97S5ubis3BMhM)sG)0l^|Xoe5^ursN$a2Cbv!dVo^LN3GY9J@cy&KKBOVCgD$ zR=U=W&lyP1QnV{t$~bUI^l3dXf>*Z{ii}9qAp=!may23f=4g}I|++-0W!D_ zU*_Ct3;Kzl&4oflIA;Y2YxxJ+}VJZRRyeB+j0km)Tyb!Gx~ZGa9D zDg+05{ii5Y@*)spd7)>ZaU;n;h$R11MU+M9Ksdo~0z6$cmKoHchmc;4tsd&oov65r z+UqSp3Ei(@slme%!55yyYEW_@oaDciw^JQ$N1VwK1=OU9GkI}1p25Pz*a5=Ux~WtJ*zEq!gAtq zh|RLoeb`Tc8@wi-;7<;9Lz<#Z-A)tdgQ-$ka-*h^*wYf34mX|=DxnYa5ZoeAnTZSA z{<`sOCZM#83%!TY1W}S(5*NQZW%uU)0+mMf&^coRohPoPv$>1T4iV?3Eg3u6Wz>D_ zGO?3gl3Up&%fl`?jkxUidh&K$g5|>QE$ph=y$#o`*}W5XBg+w(j}4e=L6HIS69d z_PVIr^qT*M&^^%j!Na!K{llN0hs-mhk(x5@27JJf$=a_`~qrK?<`g5 z1NkWtPt*ka%0%$65w8`zH|f`h8QZh8z{yE1+Qm~3V=wZr4;z!oT(eBtn>;6#N`_{j zwW?4jYZIW@9`afCq{C@HD@orve|*wW+zeYake&3A?Jca3%}KT0oa#*p&QK@KNVOgI zrUqWjw!P*5knKnczIf)-(^CP81A?&K@bsKp1)-@x?Vk`Ns2dCDyN~{~{Uc#EnhHwB z`&D}rmh~I3W4Lh_`2qd4p?$DMsH)`&&z%GXf>o+BD%(*JL<|06Ani$f1;jsKfN#4u zVR?Tjz$*+7{T3?u%=l0To~uIN!5J1^OfvNKhaSMg-UKZ2gpQ(-p1#HOC5zB-pxV>t zXC*#I3EU44{T(-F{)EDzGq?-=k=I0zLf7CH4PV7Zlxg!hwA>9X%*^^i*!l@!|M<{E zlv}(QwEYk^8W^N{`p}0^CMEZW9%4|^dTzv(5DHTA=}kDJjlep*JTv^|41H&AVcfITf36N3^gLnD*a-6@nT@cDf<5jKtw$ey z^m(e!6HtYxIbTjDY!Wa)BvLKOp*oECkruV5k9>){p~6Vo_jC3@Ke5MR*)D8`(`?*N z4~$J_Kh4=>GdM$oS6Iu{PgCC17pmrms$jy&V-s)0*YSk4*GcAgZ^D^LSnLQ2##c7x z18iT~eJ=!GAR{dmF!Y7$&^Xa7bTbM7LfQtR`Uqp+)5L3Ey{A0-C z{|?3J`WCK>7fXbfWiOei1o1@oJBhU!rW9!2k_Eg)m>*3ERjzlYA>*+A$2T1)3=yKrvWa{nXj zvUNMVd`D!LO`YuWXe+z?(1Xj4uW#CcOR!wkyXijMY^9r>xH-hyB@ZB2e4(YPchfeO zyN572hQUA$AakgE4_wsZL*-8ZW1+WvA3{jbiY>y{Md445Z!O;ghT}cB`Z$>E3+&n@ zH;5MVxgP{xPK76~MyHPe!eX|e2eb*CEo&*;T7H0QQyX9Dt%EOeBDn4pwAaQ@+C_J3usmdLZg*F*7kEyZXS&<{ z;5FE4UUloT6TSFe2;K=)jXX3G3h)+nZ*{7_6i~7Tio$7*KD=}yUhh~jEKv|AI6CQ) z;iwvxgk7Xa#AP@VlLUmU90MfvuP5}f8@w{k6V{!B0|b07tTnU@Uu1kGu3g?_aM{UE z`US|eI6Clpq68x;xNN|={QFRmg4o3SuR4@WeJ5`i>4I9EOBane)A&kS!ci<4_b$ZF z8@!4!5I8w3aDJFScNdW@a9GVNg878ql=5-ERvZ&JtmVm2P&}DFBE>|e7-Cb9oQ{$- zP~j|lC%8YWjGc?w*~89_?7V`Vm$I|S&Nb{@#m=+Yxs{z4v2!Oocd;`~dBRyFSK%z0 z^Mtc#$`j7gvNO4K;Vkmg|o;L3}>aXGr3veEK)1sERz0k7D+h-R{0Yu@=YOICkJTfa5J3f5!0{4t1{}Ou%8lF$2d^94$Dq0dF&|kKj0f;~0*Q zaj3A5^lBW1IBvz!iQ_ID58-$Y#~V1_$8iqFu%IBMP)1bh=l&+eK$0y z!8g%ety-Vh;dQNaYw@vt`og|zwX3<+RnHLQw9$6dx40Wbxj=J!v)JrvZNA;zn2SCT z{6=@Ze>#paH72^6x}uUhQrtOV*VmIpH6wn6l1>s^hl z-P$$HqDQ;Z-A?%(UZ2+0-l+UD0Ip`AyAgj0Kcvx#)ZLze0jBAx9Dxg9pis5qYcS}2(*Y! z{610%m#8AmXfyEYCialNxm@8jPhg z!Hn;m3_n*IX4e{5vq+t6zfsisi47R9$mD^H&YMSVGkMRRq7^;O-bSsoiHn*cQ=%Rv(ZLV%65*|nsc+BVSbb%G!S}?hv^*_=LUj$}DtIOwe`?QU2 zZ}V!9Ks&?bbC*YWtiubA+gN>8c3BqBnCb*Xbrhj-Od z(^B73{NW3KtJ}9!CJcYhZ9v^7e|rNHC(*SEc(iwDSGl`UG1`CM5M??$d=QY1cIX3{ zOf+6jpS!h*^DC*mYSG;}$1Qs5yspkp;6y~G^g1-VzV5H%`;8gr>_{0QA|9`jD&CL}PS^*+r&vV8WV35(-w} zvf3Y_Mb;jANKJB;M*Ve(a1T5f7iQ5Ko12>4+{Rav z<}depJJ1}-H@6K^LJT|+<4n4Qt_n!}Im%)DS;=KlydqKzI8Z6FObZxr5@@7F23Sz2 zbl6UMiaJ+o+^$t#caut`l4N8O>j87ZnhsAql=(EBxQ#xg`3=oa^ z_;X&P=cvz%d!v6Q;20uA375Dgnf{=a(4(5SJ^F|>(8mo4S(MB2an+a_p^u9p_U z5lV@HgFwmu<`3Z`VL^3S^-o6}sXX-2&RLs(ZtQ<#S_Qp)D3mJgaaC!(zqz$>>6+$t zqak9Ib2}UB89KB|O$YsmPBTkuW)tT0_mXmH){)sp(;418X_c%T_68`*RkCsyV$!NuIRQeg z0*qYNMinckib<_2e*CZIsK44VjfCtQ|xKB^Z=;D{E(wGOdP}LsT$Yu7;PxP77fJ;m8`!?82>Z z5@}VG=H|%I-_2srobCoHvjJ%|R?=7)DeXR_DaOY{X*4GmQzGRol!iE=BVPh6AN5f3!D)o{vgb`FZ#vE(h}Sn}hO$ zgYuR2A73nJUco_d<@$KTg0(}>OI(7c9S7yp4@oR<3}}&nXZcX$ITeQn$Ifa&n1m~7 zGj57Qv=9)NX!oCknsOrYt%Ndz}2{xX>qY+f5COU`y6&Mr_ zj1!*0JQnf5UuoefGn)~riU65I6Am~?Z%es#E-x|#!Aux*ce()vi}va*ewe<#1pVe>uV zXHtuEJG^Zy0u#YW5bj8<>gH&psn#YoXWTE9pVz<~iAF*AIUvvOK=7>su5q;wK^&)u zd1th)ggYoxB8pyNrHo^#$JHDq0kqho1PS3O>R2`WNVjl5l|_ALg&PEliS5+#8T0j= z`sA{T&26&#cxSYAz@lcW5woD^L47o5W~p;wI}O$B`VLQz(m7fnpZXo zucHp~ou!EKp(DWm5scQt_T~os2}wqb3Zki4E4-YHUN{L5u<*mV6sFO*`a4_QP8!i8 z5~PyGMgf~L7=IDY&6rKeJvvJmNP|HmN^|Cp#>z${m3UYBgzG3Dcg`x8*N1k{tCIG{ zTlhR3xV;hWkwl7Q!b*Y&Pk)ualiEbbgcDNPIxnVI3){U2i?QgPS)w%~z2ukgmCEwI z3c^#YuPlxwb@on_D20FRBt{k{N-(PU^sr2t4(7}={Tb!SmAZMg&#>ZBJ3=Sm~cB`s2nDA`5ds~0^!6UaH1fN9fb*A zDMMKJ$8v9p9fj&>J`G8Q6ef{}L|ClINBq=FbA$!%CXB{z1^y&9GWFg-4dN-{iid#{ zlLmSaK8|8oib<{LhBg0(f+r;DLSL*h{T9&N7qgov7E&Qu7QRXKNxG^jnEiy*w^Bk? z__o}73BoeST_1%)f1jE)ZImIP`sR!@?C5()t$LVpr!g=SnrZ8I$fq)3ZZ zHr63HD{<9Bz=dV9zSl(Cj z{n1*Lz8WtAgI<)Ofnp*gyv}5dGGu*np74-l84WS2ol&Gk$wu;>N#jLEY6i4~1hb#P ztn^7_WV&*3gnHopL6+uk3g{IspGYmRK^OK6;%%AR&J9r`s-H%J!V&ewR3q@D8nKBA zokp#~MeBwhY&YiRHjW*$TUYRVl>4+k7zNf*CVu7DAQ7 z<0e`UYQq{(ZRvuAb89N+lBbu?s>GG~z&035u8OT}g_SMbaj&_P6V_l8I<|`pin2RpBwjy6RDWpiZ zw00xq$YEI_llsDlCUwU(kDH1cq^dtK+!5hk%&|ks`-Amx4X*iMJTR~LPez=z!8C}vGLHs z@>eTTxuzmH_yeU@cO$~rR)g-9fcab9bSF$mDC0Jd7oOc*?{#^*iN}4y@+6va@Ik63 z1wD%*wYLM?GFr1*>GsN49%1lBmsj+6R${fLP7o=D8=6^cRR**5Tgn&AEuU>Pa9$f~ zzVUx^8tpB8@~Y>{+DjNio@J+NO2}@}_AB{4)dKpn4oSd;z>jymAiDW1jH^TqaWJ*d6tt`m3uqr_J@`@7{g`j+C1w&q2%27hL`dTUsVZaI7~D_9;Ui5>qlHNfEMG*;)oSOV!`?Mm z(w&yl09A$c=qSZ*^zjvC3XCftL{L!DiY*hTNWiJ%)VXNbc~IXZe&WUjZtb9KiGBn> zQUrLp*xDmo2F7{-78iXI>qy)ZEt`!#69*FY5x|dT5dC4=*fJAG79-2nmzxLk3S&bp zct}AJtq1k%-QXJqJ;?QU`%?ILff<;80@B9TY-Wq51XSDY7BLRIR$N%0=%$FqM<_E* z3+ZAT8<=cC=AefaVpc`l85pWq=ETA|C?LvnY_=A|=ta_vVU2|H8RbC7PA_JqNGStU|KkRyjWrPMVGy`_1#$gk(L0mr+^$asL$|^ z2yF^AOv|=x=_S52^)OPHgcN%LDyPo_Q^L7#O95_J#+23|CA?8+4JKrwyWK_@G`gEy zv@0Plmn!?ZeYx<1++MFNh*9r>=yVZnxge@5+udvUsutFoq<|Z)k=0YefR;BvWX{pD zI^B%*fvT~BMuoBV?7^Nfyqwx6J#Tna&>Y0GR(d|R9s79j+V+ULOr)6|9NANT-dQmn&aRyV%C5U(;Qd?H(5t9-tbP_f>+EU4^5WjMF zQP%JA77hq{fk^8bSGR0~r1n=g13gkvw4aJmjwDMq5KfUz_I$1;H`rh9bu2+?eRD7^ z2_h|dN|bT&Em*B?tcGV#ky>tJaShllZa?G653y=kgdXr9@4AJ(93Pz_g?f$lU>@I-rpu%MRiQv=*b}*GR zVCj-?G178n!nBkmMw~C5q!W~Df(nt8QD)YRT9e8thJ$n<^IyoB0RQ5@3*)pVrxioi z3fm#=*q{wi?TuUu!8c)R+7R97xWdLV0MQygj65xy=g>lEb5nBzqqHOhY)Lgcljc{< zEgB?L3hO3S!1g8?dr~|!uEf?6zEX5#MpUU$rzHSf3(2}zPE-Iu*JX2uLE@${n#9ME z1_?wUri?Nc&E{zYUD_IQ46!C)i0Tjea#68{>#+^r5i~V;-YY%tzXxlec&^IgdTaCJ zf@U9{H%QMrzbk0$(1W@wxL)!=ZyiLw<_2C~3%%Eg{66H9p6vUEpgDnj?HK;th362# zm!3E86g2l?opposyzL=DlaBmt()0FvqIh%e!kWh#q?zN><$U={UC$<)$&GNVjx32< zQ`jEbphLUkKrpUVi7^HU&uOvk(3j~}OaXp4{O$ahI0qTOMfKcS6CcHk01>SLq_46l$HQd`l2N*Pj! z3#t5wyjS^$1arJIM4Y&12=?Iml|N^q{p|n%}5srzG2z3l-&yNt@sY7)Pai zp78HGUncL*ad}s9XPRvVViREyACo>BNQIvRjvhR@xY*Q|y9z{EuHI!fNQq|y?0fe@ zPwBY+C2H)%^GQ6*<4}w-*kIuLcPMHR*9<-8LrjH%5|u|^%4ky5=5`_6;6`|xHYCzq z&n0v7bOoz1XH4EIJ&nzBs4QwpLcq4AMP_G=jgp%lsFn39s!iLPS9;h!=>`}2Mv~u{g57j*EBu`u?bCp0tE-z(lOXV2{PGN) zxDj1~bs_f=#ZqF5(R70*6X*t?k~5rW$2E4yVV>M!Jm24Ur**d`+oIrXjNZ?bu#T&NZk;J)wAw9JGtn zrf5P*N(?dEpgKVyl#Y~&P6p#RDFuk~AU?tc^tOX*FiS@IsLf`~fjANej5!$L#Aa^H zU!DRL^FN!Wpf?LB7z8X9C>H3Y$RRut2v9rMluVc|H4EW;gJfAg0i7*7bpu9)9h3_U zab02J<%Y7GeaPGSC2;b;eR*vR(QI7OrREoxnm=4>zOV;AxTcWXyTgc!(ELOvJwLKT z&~(B6X|5DB_W-la-@^O^ezG>5KOaRt%}-9^nLLUW55u28erE=s&t(4q^A$YzNzX^` z<@1p~xjg1egF8%qLaZ;zpJKgZ_@mHW(u+o4YR_g0#39&}>Y$;FuQp5kvF& zn*4A|NG4#IWMfaS&M-?XH%8NkwoVZNX^PWD7AK;3QsszQ#5*dm=ZYD}AZSX`MAigS zIC)5&khE}GDT1eX7Yf~ML=N5#p*JSTc|@?+y#{wutq%6OBHo7LD+MdD0gw}_&DGW1 z=5JHP6r~2l4r$dXCg4xA{Ky-XN?bTS5P$>;L|+QcI>?pc-VJ;82+lpFz}dvGprfRi zB1ND!hYTYdecy*zHSN9Fdw*=3E9Ua&3leRqj{M#b-BWypuJrRL z#+u^Rl%{Mi6LHqrl!)KXqG&yO{%8Gy74XrktneiYI2@&4a139ZWo@7geG8WE<)02W zd&ls!%k>MY;7?P1^3`QHny%>m3PrzVeqRBe5--711dG;DWtgcFOdaa(xQx1uin`}e zM}|Xd2=cvJ#tmuvF9Guu;BC7^8RdA2Ux~&uPtJ+9DYyM)*BChvqjaK%OOOAw0i)Hy^t@hLvPvO!T8w+Zx#AYtba z>G<|0zG6Q3mmpC3;las(L+Qtm9(o14{1y56FXMYENznv)H>*53`Yhksi@MrcwfM|} z53yOtWPPq~vew;>R|?>`IVLZxsmRHnOg>F}qYGhKw_|d*+c&wWa8!z&cAK=-!|MTn zcAsN1wnABHKU15_m($kV;O+2rG>JKIv8^s&TkdN8WW46y-rNKSwN}|0Kxwsh(Tmrv zY0u(iLNiWg^-$A?xH7h>bW6`jk%EryM(pERjeRc&mPRs_+2wLbdN!u0aFglmnC!yd z?A0Bs+}_Dre>1JD`_Q*0`cB5==@BsY=@)OrK0O8{`}9cPSarL+OQE?HSYNukF~y0D z5)yVSkK&yb7O{-tCB1O(Zk$)Gt!#8m{)*e6)9X#;+m!Zj! z?>6R`jr9dNCX-2@Q|~Hh$Z50`G@4u{m&I+&|8fZWCQF{BAKa{nmw=G()-~n1^oE@Jrg|fK;m*%NpUgR?{H8{;&ZRfI3KYGtPajNO z`}CNB;6te>bm@U)QV``^>~(JJSmT2~Pm$#)huUfNqsk?EO4iWCMG`KLD0W(>PnYB? zHzHrTz-oH+oXY7KX3O-tSeTOw!Fq1{^caXT`%E7Sfg$>hFG$cDO?!hZVRku1ERi%o zl>KC#P>Bj6u{Ukpa7;#1M#E$+eL2Q4d5)|bawT+gOW8*FoKilQ@=YdDa-1g~1_b-~xC;>`Edk^n*HQwt+oJr&Q?i1i%yVQggG=F02H!W}#JZ19H32B;d0= z0)1FHLC{71nS^@W6Gqn{y%c5IV4qwl-wkYBc%rYg&^yE3fa^hiyP!oI9e^haYf!?A z5?Zv>A^4Hkh!lLKfR&?q#X>6J%6OEatWRiQ_;tpVi-k{k5L~iV!xZ&vk>&-2D14)k zE9BvzK3Ig2C`)}6S-E!L(yHi1Y#U|5Z2Y62F5xcJn~gdvSq*Bv6a6JBu0)^l3IwA} zY?>BdQS#`2sGw%fFVU8W(cD|uXz%Eh|`G9@)*+-=Nc#Oe4t}HFr^X8 zWmIh>lH-0jU{nD{2YAMh5~52A>lh!zmLJRwN?s^Kodj?-@u!SgR0{A850ju8 z7WW$_@K$ng9rDHXxElXS_&<^YaP+$p1R+^>g>Is5j;>m_Sl6R_ zR@bk4MfW@1Dc#?7pX(Czll4>d75atxcKxgRH}vo7|EB*;KgMvC!Dz4=N({3M4TcuO zZH6wxgNB`kpBWArer?DwUT4%9i;cG!tBos-ZAPE*PUBO?KN+)Nkcv&SO?4)x$!F>| z-C^2p`i1GJ>F=h0n9|H+%{Q1Anw@69d82uo`BC!^%!kbHnopY(EW<5@mU4^F(rx*= zYA@6o)2dB4p2OWqfGSLJK-i}L5@ zH|KZee=UDo{?7cD@_&EG>$k0sSYNchW_{Os%K8`UIqL=MNZS>*$+l^>yKVQ`cH17eePBzn zr`X5ZC)zFc`SwHhBlb7#pA@DSU0ak}R8_RBsG;bqMO%vQD|)o(2Sra7y;1ZI89%Kc zG=lCb-4xw)omsa`SFdZ)t=4VT-J^RD)c>XKUEN9DUv;18{-G-Y?dR&Z>v!pYpg*cl zHl!IQ7)*vj!*YY$aEIY8!z$BlrZuL=OmCZhYx=$E6Hs!L`AYLu=6rLJd6~K1++yBp zzQ_Eax!*j^qPG-S=3CyeOwTLM6Z0O-`zUW*zCZt)`8)C-$v=?apZ{+Dd-?y!R~4ib zTmhfcRA4PADex8CUa+xXbHPIey9<6$@NB`K3O*|MtRU5TrS)p-b=G`qh4mI|wROF9 zll8~eebxikx2-3wVXMZr)pn2VLE8^)`)t3py>I)__79uNZnMv@FSj??SJ^k)zixlP zzQg`s_Gj!T?SHWU$^L~s*)h&xaTGb`ITkwhJ6>=cb-d&FljCoWs|&9yG!@zkXBSo% zt}JXXyuC0`_(0)fh2g@hi>@!y7nKyX6n&%Up`zVIPZa&M=ycJai#{eA!V09?E+p?-zL|^4_n3R(-c6wI;J*p}GpZC#9-&)8nH{lRwD zmSLY@H`)vACH5-&deHIr_S5#i+J`&L4x7W}Xm;H0*y#9%<7r2~<1NPt#|1}X;T45r z3$HEI7g`Dn3)dCi1sd)s{Bhw=3l9~(R``D5>B7Gkeo;84D6?o|(c?u=6}?pSn<5GV z)PRPKx^~?bXoSD%W5rzfCY3qOe6{&Hv%zdN-(s#d zcbe}vf7`s*{I>b`=0BMeEoO_uQf8TFskQhm_gj8#IdA!gMU{7Lo-@y%cO>uEdFlDr z=IisH$$vBdo&1>vD++#8@LvVb6}(jNUcm?8Qo%aRdW}_UooX$yy1}E%ZEl<2w!s#( z-EZ4zdldA1#`c2k*S7z*jkQm*SKAlcJM63N&)NI!zqFsSe`p`Dr#Z$tG95QLbl}Qb z$7;tq$77BkI$m`A!ZD)o`odiB<*dT`!j8hP7T#C*MB&qgzbgD);m3tZMb{K%7Zn%H zDRLKii@sL$&7vO{9VmLU=)Iy(i|E5O#qeK;>8{mH)s^b1bRL~wcen0ax`%Z?h3x-A z_onWB-3O5Uur5tMPM@j2NpI5^>lf*l={@?pz_*X;f1-a@{|o(ZpoxbY#uz3UZZhN< zW*Al&L}-NX7@jm7FuZH{GdTH5(PhzXCbx@);plDg4Sr>XBTVJpqwjQ+}gZ?^e{k!!u zt6)p9rQ0%XCR>?p4!Gtn+ZO1w?Y4)&IZxQ0vi%&qgFnMzdmH@of$byPC(v=j?N`_{ z?NcC=wf3do^(h4)6`ED$nQ|Kxb3#SylTJ$HmVf`!mU+F*8s|=}zOv6k=ma!bVtOru~KDa<6&jvmKm$2P}(jvbDjjy;aO(EfdngO0{RPhn@Fuz`Qq zsS7r6pMJmoO=ukYUeiIq*=ycsK49)MA2c5^A2q*eK4Cs-K4m^@9x$IXUoZ<6l_k}p zv7}ojShSW*%QQ=?wadEJ+GE{p-D17Zy4|`1)_o5~f1hA|>c$-6Iad)^LMragI2 zK$4CW94iPFoGln{odDfA&1$mRtu@xApqm!fVOCL1(bA$7MLk8^igpw|QnaV&NYSyP zQ$=Ts28x8e_|`Z2q|v48@^xkCS(Q%It<`PNJ)zsL3+XQCQuP{rIxO%8{br2kPV{#_ z>+LE1fL<`D3_8|FvL!W!MTS;rv>k>=411x`4jYad-ZY#ysEnzw&n9@6vyF?4D-hG` zF>W^QGxiw=j3P1De}0!uf$dkLXkwzEyYuQT!$#b6*Q~of8I>?Rap#>^uR~IIVnTvG zO*d-Th!uCuN^mEs5)+aI-O^zxQ->v}67I}POi=Bdi!mOjNJ-O;NJZ-K&-~acQHA}C0>DBc)FCBC5y!pOwJ(lQ5P9LtGGOX_dU3bIIJJWaS?o9eKj=G&m zi3y2`n)Uad`F!oma~FSj%Y$p)9CpD*FeOYAl7Y|0pnjxo#IU4=s$o|q-ddv1&|OIn z>MK+05Pio-ny^K))2&a}jiKb>SB@<6d+S~JG6Y^)V!cCZ%9X=vJgzmOTR%~E4HX-C zWjasLmb$$ny{E-O&-zKaiIkmm$p*f zRT_*s1DVZ&TXoA7$S$mwn@hPey}BC<28ifsOFO*ykQ8rDr_1Hd-5ANH2DR04i`8!L zYJAGcho-eT+L;F3oe7hb1j2wN-IPD}18e{_29 zYae{;gD^j#c+i$z# z!24CZZu!Hq&;Bs_d(*!AxLf<{V-JK5uYGjxtg`S`@0Sg~XXM+So(;=dx*E%0T~V>V z=7lTQzSRBKS6;X+5!{)ud*f%iji0cgoH$xFR+a92@bB$Qj~o#neDk;K{!(=O?CcG> zzttIrsln*U$-@&8R5$1{b(7_1MB2tmA?l6>UuQ11X@hkrIL&x$;*|*rVU=1p3>W+f zNnH_!aN;CYzRsdE?KJGv-IXgQ3hzrDUkml3bKw{5&yBm8wgTF-TJDMibOD zYDon-8K%po=POj#=_Wk_9@bw4sbq|*A%Kiuatu0Ceh!mKh5RIK+$bcC`1aSk|8mD- z-Q$1p{MTo{A2IQnd3O$5mgjtI!FR`Q{cyrPBg)$U-gaiuT3zVV=B?NJMvm#2`TZXi zTyg%UC%?V->i)aWEPg=v;cKaLesWa*n0o0=w_kYw_K9_~_qfNO?k=v+dZ7K#p}dyB zb?UoIKK$)Fbwv}`RDSiQvBQ=>mftdY%-70CGHfW2Ww`#Il3^?x@sXH%DH*PAUWxC}ksO;YDaQ{t zj4UYI|IGE@E315Fba>Z*E2aA0z1xrfa9Y~UFSUp7vR5xm%Xm#yH1!|ff8c?4o^y4N zT=L57yH@|vsKU^CO9G z-*oM(x4ie;hTn|qH7wb?{9Cu~`A&A#=y893;JC|HK7ZotV`@j4SmB`>uL6Yr}h?Hzq%N^yi7U?^<*35_kWf$B73@?z-uOdiIukwtOS! zp*3ZbJa6q0*Bl?c#1O0v8lQcq;c(@5tS`Ovp>gCJf8Bk}x!`l}JXII8{Z940+b91d z^GCUdI$wHjZr}#>=Odr}{=9Fg-_vA!AAgn0@tp~Epj5Rkm6)H2T_P3*#?n(3iN=?R z%NW z%9!FLBJ+@p8R|HFNRe6QA!Nv$c?hA*Lwse-Oj1%EO2pkqiEiJ$-+i9@+~@we_I}r1 z>)Fp*zu)hD*Sp^h@scZxI0DgH3A+SHd1ZkAj&o)zeZ@PLHW&@h3p~x6nxF`08Sk07 z*2!r@JW?TA=GcH2;g2F!4V;p33E=zWYOnP5u0Y*Z>8po@9Z?rcYVu(ovrGgGauETP+SA%i^+zk*_k&D-N=vLbFsB zD+UGqYY(UGRr-gW<}IZ*a!gX~%|e|YEanR3$Ui8CL7>jv^lAAW#dA3W2{jV4*R5?G z-|<{axa|w9yp<)f=BHX+zHK9e&+1I~=A*Em-MX4Zw)NW=X@B0(Jg~G3U~Z z=N%MD3=DXStr0~&8pZVfmgd3YS|TX(er|NpR~IjnY{4`QP+=%4cJwn1!U`q6y{ z829%FfS*>dK%O5~1W4R(Bm$zKo2$sqIBxr3%E~*XJIOWB&Ni*^Ye+3q80p(T5x>CH zY2S!T?Y>2ZZM*!T}sv4dZ^7dtG7aHNo;=q^qf{Xcc% zY@m&kYxW5 zTHWkYSd^l^sduvN`j)sbp81XgQW+9Fbyy@P;K0JW06u(G+d!fJy$mTK>ABH+`n-kV zjOi%rK8Dts_QawPm#O9K#ye&o8!)mA)21u~+ht$Qxx;E4X>W>cw~%A*S!|ckSoy0c zHgh+wvBWqZ?r?(y>evl*6Lb1Nhr%>slq^V%h#Rcmj#1{HKLSNPi(e3Qr!eP6gy=mN zuJh5=iM*eB-^(rLX3D3^*z+BQG(#zgRhr~aUdu@GTP;5D7-`u?PnTW@wdJ{Oa?bBg z(escxJv0?-xJYb{T7swK!*~(HZi;d*`0TA*x~{8^-fe51*Qzvo1K8L!zX+ccHkMox zKDa&V-sl%?qb26J^9URqmv0=g|Fb0C2@h+)L6h`nvVW1xh?y<~AacvKYqgBq)F=9^)WZmpShS)9N z7@9crSgk^ofh}2PW77KZi1FvCt!f4lAFj*CX(P!x8)3b#Mg;&Gz3<(Xsudj4GgaGMPm56 z?!|F^X(*|A@e*f6V%E9d6MYfYbl8ROwI6KZOd0DamNd5WjrC})6VaA%}@v@qxG|FovD-XdN=gEMBf5M7khQpaIypd@_ zk~n43wcMILK53=y3~hqh;)838T;=gm+|Rk#csTQj$k9=9jVY7t`hyy+?6mWv3z)%9 zQ7(;^h_DCvs=hV0G0TYZjP^Iz9Z6WUfydBYno9v`F5y?21C{yT(i|b)!%BxBsC_~} z=DQa^8lrinG5gHCIO&>rpt~H0geKKX##1719|@?8G}v(q1rW}p98>6=tqlS0hoXC?{Aa_=n#xJ z5E{TqfRvcn+MgVZ(*bhC$env8Ny< zzK1;a=rEo2C274XzVp46dDYkRF7jo3!GNiqw?%D3e#W zTfD&J-yspl7s(T>i}y5FDw||+R&7U7Il)IU&?{oG+KK*gBaIx8;^owsGS&Ie6Y@sK zn7ov+j_x_3r$q0#8{lnDlbGI(zOXbd^kIT7-pXS$1DQ7q(FjvWGne?oPy^v#tq^&I z-rJ6mxngV(n&O$_e*5OCR@X~2>J8;jsMzaDXdKZ+kRD86pxp8g{y)J#jQX!=Xh*I?r6!^h6{;nl=2 zV?8>>*VdXtA`ex|8tC#_*ro?#UVbiSefH}1R`D%}=^0NN3gmsv!O2ohWLPg+oHki0 zPmF11;fv8N<`|a)?eqIcj<)Qt%ryqs@u(;uuRJw^_Ee2LAWir}X?V8q~s}C6I`v z47qn_r|Zv-a0G75K(zRKwuW8qtzO=?uQ;)~KDK6v>Y*8MxLk2{jqUi^XKNDl>tdwH zc@IpELt8;Qly`)^#^q9|jdIBN!EF8t*ZjQB!JtP&vkvI7>>A~|2Ln&Bdi@^I^o{Q9 zHv2hK&e`OIx_l8cxsxUGx(ZhyD`~{j>UVfM{S!jSQkTpRa;tYude>N#KTR)?!b>wQ zN`)_1Mk|!frdiCTKJ(4{oYS|h&_V#_Hu9mzo zUQS~mr`{WdcgIYui>OW=vNureRlHkMZ}-k1Fo&KfOx>bj^?;E+Lg7eXIu3>ewE@ZA zN+L$%pkF|8z!SFF)&F(O4@Ui4(2zN&CI&|%e>O;<;6~a#jUXdJ zQ-LB3jPr_00pfs^gs3ry+CT3i&|si>Dw)l7^}+lx4%D2akzC19`unNczikI7B zZM}4u4-B$BWF+&5Wnq(vd9+Qws%;T6qte?_^fhE7^>xCkWhAuRx_Uc^r;4513@bKN zLmlVg{6eVr{CLJ}R8Gmm_$=QiQ?K6k>f*7`_ZEYRM?N;L*PrbY%IP|X3B2j1?)Ldn zT)d4ibpyjElc(#RBkr9?G`74>$txThbE9R@6U&;ROepGJP>Of7S8<3jwi_kmo_wSH z*_jV`Pe1C{u*&Gb&HBks^*_w?{fw@nsv+1$y;oy@O)lRifN4+Df@ AM*si- diff --git a/venv/Scripts/_bz2.pyd b/venv/Scripts/_bz2.pyd deleted file mode 100644 index 1521f6b4386f597438e22e8763ab80fa35b5379b..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 72856 zcmeFadwf*ooj-miGYJEXoI!&|jS}ssXtHi3sRkz6$z>)%5(t+Blxw$^jjY>(%y7{p z5YG(c;%f%>+RVmqirRsI*QDYE+5?M9%O1d7d*fxnLW& z?(h50H?LRDdCqhDT%XVLd9G7>|60i`NsfU-)<9 zSjrdN@yD^0uI(22FTVFj=YR0{17pwf_ujEOe>g$PRcu1nA%N zcf0q;OT9>Zi+~e;L@OynkH0iYntS`h5B$*kL%<$|1k@?rhX0rG-{a2((6@_hQt@S! z0Ki1cDGJB`T$0py`@@SK{t==$t#;(I;p5YI9tydrzK4JO&`*((XeS;>R=m&SzsH|T zlJa|e{=eY2;DDAlSczOFuX+Y$bVuL-6gsQ1dGo0@$zHkPkYv|0^$|IED|@XwzOA zDSK@K=9NHx3;rL$|04WPH~vfTz61a3@qfi7{txu{W2OqWz{*;JVYAYhWNrx@u1Rt> zElyxf&X(DWZDo`65h)y|wRv*}VR@i8mP)JM+@rb!=_yHZM%q%w9+ zbw~6OXWAq?>jGa@Uw7cF?4JPkvQnGov8!{eY?d`tL`_0ci&8>GsZ@}0$gIc~X!MN; zobV1;F6fIB0kAWHHLFFo^y7hjK5L*+_ETF{mZwU-0ye?Qg3K35Z}DZbpg~m78I)K4 z0eQ+acXye77&xF*-8RIq(rzGN4gxC6v!=JGMXCCTnV?gfXjR=^tSCiwp8=Rb+QN&h zwbRbZZQ*^RQEp-i>tgORy00s})l>@dA|OxMYhee&zxZ0$f%1JIPC1w0wK89KN2adp zf*$3f1rc(wRMWVBv&7iD|7+mjjRxinr}h^>k>(b6MV4E9y2G$n=Bg7+#_+F z?;Os`kFq!BOSheUN*CyvLg-|j_&X4) z>WR>m^AqMvS%*VKIn>_S8{sjR!iqJ|nK28R4)~KQn9mw=cMnGP+8Rry)nxbG$V%;y z$+eRztyK4jxiLOjp|G<_l%#u=DU|B7=_68O+n=j3mv^3Tf^526#fLxISfPHG+O9unx64N@{f+>eXMlh-A%uK%I4< ztkMcL>AqxjR-5h-7Lpz5p%;Ad0jcex7 z9*TyxdVsxAq5F=82PJ|RLeEflRL^EB)oonS4qQsnj5Y*%N!*ZggyeiZ8a3p6)uhTY zE@u~~fg2&}^qJcZa?+x?uPQUL#neIe??$$$l*=IHYrjd#vu8C=V>P)X<`$336!LJ7 zEaWL9*@ZmhM4=+Gs?ZA37#${I5SfG`%e1ITP-=3eIo@lyreqxsU;Ia|6kkQSg)##K zn~)27Qlcu+*QDr+!JC-clo3qQXKD#CeV7Dm&(5JivM*rT`bC)m^Xpq80Mllg@7zaY74;BM4RyPav?`a$QSSGRo&3&!KP#}kV?08Qb z#&dFnpg+uQWiE@pz_z&y!m51IXkSKGp4Avn}-%nUYB)v2O8S) zug*GKm)Pb1I*1;*P_$!+0WG&zaVpR4OS>?fy%SMCM0K8hZkQWyR1wMCe4`@Hnce(1 zY|XTrxLR#G%Wcio-(+i=$Stv^=|7 zU>BZ1K{6{UQ41`$7L^DS#P+jDxO)r`T4Yc6b+hpnXbj)v8e}yZ8G7)CH9^zJ$ys70 ze{3`8XA_HAFukaRO)FH(Bdjg`n7KTnmY-qeR%g?q!t~NJ=GP|azKB|SMjvsS$R!5C zKf0P*F>-9D3f+tWO!r0LCz(H2Cl;zj#hq7;DL=C)MPE_^!yF0c{X1YTDTEmS1a*lO z9G?uA%G^>GPNO8Z6-g%GQ)+8*>!!}j)FLY))uIx7N?B)X&k4Csy0ly)B-c~u)=92K zDcS=LDeC2sY>R9$*}~mpUEz^A!~)KfqLg%Z#5A!)3EL|mV?(&UE)wp+@b)iBxN=|t z>V`w-%_Hf$nD5M(qEr%ar1R&@ZG(XS5n&SWl_cOuc=Z`BVA+2c3L=U7o*h4gkXzt> zpgehm5OS*Kj`S9??6*)6Uj)u?7m4dKe6CoYBY_a_xRxT9M2_&AT!y)2`Vwe$m!adO zKpHF~JKx`DRF>yT-UTs#6LtWc!gv5Rnhcd$QLRe^z*og47NU}oV~UCwT?sQJLDT>b zmV}CUuheOQDilCD!-i^DAaz9D)>k`}B;8lRo3Y`##?*z&rI-kq6u$0vBo5LJb)q$f zBG`6GNJ*n!*!pPx+onT)bHR6_46+--9Z7LZ`B`E zu+O7Ln!JT;zR_Fw&YXp-qt3#iTfqL-@M~S%kR{CiANmS0S0UOTl0U^fg@#QhC4vS; z4SwpK0Q%Q`66OIX2HGD~uH0B13N$XAQAy5R^sBV;FPIUmJUR$bBkZKp za4W5Fr?T}#D#gC>rU6s%6q2(7C0y4`g8U+?uoGr_*X0y6ka;-D< z=ZlA`Q)|1FM#R>9!e+rnN5)eO*=nkxx=EX@8+COiY5zvek5PTyyuOH5U_yOYu~`wL zzQHKn?Luvz@!GnnHjd0JYjw*EF|6rHJi?%-_Vfdg&t}Z7*|YvgmAkD|*xPEL@*<6( zZCQsa)b-D!1-=Z6C{0s0K8vubJwwmHaXdSRYR@kwqmlLc zjBw&wh#IQ;Am{uaufs(8bHD%n@AGRv(3fKlhsS>P!J&^e%Vfqs(%XEAz^(Ig<-Ex^ zM6=v=2ufGmX=aw4oHLCeR^8T0&)s|R1XI_%1g5g&7ntSo^Z=#%Ze{_>fr6^#1&{bp zlWScnk9K}lbErc_8T5p!eRz|+HOo#lumy#*X*!eCKpQWw7!}^i0tAfhrW{o5AjY9H zo=>&xoG7qC$JV&i%Fa8#SbkII^Pq!mq>9v3U?KDkWSs9PLd*1Yb+|Up!jiPb z7BvsesG>V?VtFUyO3ye@ftDaIJ){Omds%?g1zz2HB3fNf$T_(#RoR4`MI7b;f1stl zASz04am7(+UCXY}W>}aB(A9$O3F;(F<;4JVP6#0Bf{mQUBF1&;Uh@}bxRfA+)1UsP zv&o>7YkJLXY61)J=Ej?-nki~hcde&}uKL$gTh8xTh}ju+EE9SBB5kXYR*tltr_rp# z+pdx%Zb`WP$b@GQvmX(q+HRSG2}f=u)%B;oLWNp8JvW}D=e97ORU<1i-Z zZS;x!sQAm@>?AuCvzLA?j5L#9qby9k@YN;0=!LH{;)`DRir}RLEw$$ebk%OQn-I=A z9MEeu?x-y4`XV>F_-CYS9dTDjH7RBt3PkgRwU*yk)j#4}4>ImFO00H{>TSBI*`n~SBh#|k2JXsHAQ26Uox(L+EU$lQP#c( z{$irpK#UjQ*!gZW?EN?5=lur!eD?&-_Cim(GEqUZfmTR^=a_~ztzR@cB%uiinX zO(SkX{=9|crH9O|s)*u^t72L>lgrSm>?6|F_^Axf8f)u@hf3vOPWm%hFXB*^P z&+W>=+H=%ss)u77Bl^;vb)qlb`3YIB3zr*~OE^NXU*zx9r<&?>6UM&hO_G1!h>7U> znI=ZZO0&7CuQG)Z#KY#~v@@8$mcC`@9~{7Y#v7PHFj=}j&rk{~yfV%>d8)(ItIs<}Mc ze-wgZ5i-86veU6(Cp#_&?!6+PFOwD7j-QVb)%*ruAdFEaW64dgO3=Vi$ zwY;QRG;mW&|2+M;^NX5vs?r>!qwe?Ubjj=EU+Nq?iSkk(kvD34|t$~3}`#vrTA!TMA?3s5of zWwUFRm()NSMM&lVWvoxOk39q?G}RxfZymdTv9*5x*dvP*>R*$$2idz!<1hm*D$$~9 z+4TNgjE9{q@)|N>Oe2iU9IUF1Lf9BDC$EyX+lHiTRM>Ydv;9i7t#YZ!zbc@Tzvd+= zcjqz8Wv*@@=GhG9asPy^=XKd$Qng%UV}n(#5O35uT&vKHYHwu%r)@loZH+pNZR1Gt zysGV`2`c}l`8y1AzHl}zPw)HegLPFb3A>&2K)pq=cxVK zHJ63S+H#9pjDgNHG0@?l7}qTUoNXkKT78}YzE ze}DQxI7>9%p&Fb)FlIf4pfCdeZ9;8$9A_5WFPNDA8VitE(>YXUtEj#D7A?=D3KZ9q zx~LmD@QsvJz!b$*&f6$pwmDQJ3Sm&t z>3{{rB!L5;Q?RyR!;~r}xyavV?o`aGDLGOVEl{jEL{Op=5PnQEkoDTxK~7W4;HcBY z?UM_eu{KBNi!k0xwvZ1cCdI1l>iX~(#ISaH29DBm_epwgJB=p>ew+HbfJ;sTGA{*3 z5IY7xmBdb;3UU>1wQ#TR|;WPIeDSJ9W>s~7+bzhcT5L8}7 z8)rA=oo0EbO?h1`ugjEohUJ|x~6=;^8{+1f(!iT!?0G^CvLiEYoUA+9f;K$Z^Lz_?yYoai-tsJM?Rx(j2 zm&w~D0&|Hhv^M&gMYS-IS5%E^^>4^8vY7*fTC5cEU+kH`7kG1k(2VwbU5}wHK&R%^Bk7j*9Z~@~=AC+riF}=C`r$DsUWh)?VPA z`F3j%oxz%0*-R5}X; z6C>6-&&&S3KoPSe?N)P$rLNR0D^)JwubL$(O_Bq@qT~gZ+7EU8J-znN^qk=QQeIt4 z@tD-3rlfN9sk+`(Hfh@A%DsIJ(AkfuJ;6Co5oTx-&g_obv^3i<>L7?+^K(k!Mb`#^Z)KyWB-HB}jT-}aDS%pLX zuMi64;y+Wvf0^!eWKP4Qkp9EzG}~0@a1m9P@u}#DxoSoT5P-9URZ5Fm<;X^kT;;Si zy^v#9c%slz_|{DP(X*Ekf-Y8(%qG~wPlk!Z%lsRRZ+P$j1}0=D=JqA(DCW_&!M;&<=0*$G5W5q zbe-xmKi|ePSm&Gd5e=BL=aq_`(((HFe40)EFD$5HuZo!2@44bC(v9`y>HX8$p{&Mf zJ6*t8dt`bjzYqZ_lrOgC<@5bQq#E<+#^x=i9@%OA6LO{DHQ!wa>)D(0>hw^SkCKpHG%5`rQ|6m0w_w|oz9d6$qx}oEzzNx3 zf=V82*@PxB-=sQ21$II-RFEuQDfGgMv6da65I|J$;@CE&t;9qo3Ssj`2IBQLl&4Kp zj!Fxxj{q_rQ?L%TAcZ#Oyg=orBx7yS|4RgE|H}WND0jE2ET9JGjwp?vsN+Ye1;y~+ zRfV@gw@n?N#`cF4;w=4z3ak_g6#o6@KqOeeTK0sw#f=2M@{1BL-AQbGL*w6XdFfR&k#j>SbIkmjlvd0a23fj z=Ip>^3*Q5by5`VSdGrHnIi>!->HgPKC>+kHZ0hLT4TbnbM1pIkW4VI7Mvul+h=YN0KFPVFmg7Y+;#m zVM+C9mY4COiA}cGTaxM$z?{4?y*QbeWT!_8aVkafCF=R96ik+UEwk&JXEf7)+}IlO zC$XoE)<+*E(KC+~0+j>Dh)u%)dl_Kg%__>A6$I8pV8;P$LY;{v=^hR?iNNBK!iFi! zIM}>Y3KH0QsyeS2qz~`LVetm{-i2txJX>=nwL0e3hobMI; z@B379M@vAx$3duGywW! zZn{yz$fKMGAILX~<$=%ICl5Btz718Dw>N%ue9pCvO1pWs(s+?;CaRYMPg4nx%~@cP z1H56q5&k{$6C;=07G-1-iFNt4Py=W{)fIC>9^Mu3u3xm~%r0S#LiUHC2Et&;{)9vj3zO|F zCOemBg`In0E~;h6}M`$ ziMG__d{g#sL{MI{3C{=bbC6S2pO;&gXGPZ*%CnJ1Va?9jEW^5>;4g?OwlEnxqS*0Z zCr+T9RPTdp;2X*EQdo8%^DW8lQWqwxc`0{Gpah;=9%q@BZ<;{yINnuDz?~u4&n*xR zeH~UVqBCuTMagP&PRjLK)k(P>5$Glmphn@uq9Nv-0JxTew>)XU4i5}AbGJ|6NCDXx z@F&R}xx<$R{-^*>t%n1D>=MA+2MYY803L&UJ%`+WX~-rda*%Q_kdYwPX2H8<1K~BB z1)dVoN^=7E3hol;e?e^LJfg!@6#Z%SoRm2$D|j85`&O`% zD;XgFUKBKl>;h1w#S*QR7R| z=Gzd+FPJlXi-~t((XNTVX=V4Vth2B387TONeCMV!^|2}o>%vil2zw*_Af`HeAMyS9 z&0@To%)6KsHFjvh1+cQm{Izh~WdBn*-%dR)j4!-Bj}_kD6I_R}r0TKi6Kuhbl&n^a zf>=^kvc~;xVCiOJFtGV%ANewYiEj^7xzy2IRk=NXcXT2wv)#TK9tPgs) z8Ag{w+=bRUBeF6GIkFCmy?U16ha%2hD+^H#h-?FqtvD0YM5B-o*=p*GSm;n#-kxe@ zZz%7Zg6}6B>13;^XHq_tgCE-Emn_TJgyf;eX&=Mv92|cb$vi2{W?1hD$*L!2y+wz| zIL_KKESA>5hM!USx6^%E_LF{P?UT1RDHsv03ud)CCy)i7klXPhsffq0;2@z8y&1!a zrxTot_|&g_U+W*pAapU2G+h#!9LxXGBlAPth?o+8}p+t3VIE1{Trb$zRWTwe{zgL*(W2E@j! zeG`>NGcXYtLK&b5Ksc)vv*_vs8)ugr=)~An1Z;33lCnBM$Lx$yb-oyfs0z(8}ZhbYN9W0S+JQQl}VxnpRnE4QhAd7Q^dLPH=HbE431lIme}Sbb(u zF-CG_R3*32r2O1SC&Nhh!rQPCOSzTccw1m74CS2&9An*JtYhreAL3-L?EewCg((dh zK}|<+%rH4nMo}KiG_(!bPxrd8yJ@n1E$E@?0J>#n1qM&-pm$LCIQBMlCWe2ALxg@D zB21*BE2;BxjS++eX!u2~MGoK;BocYgI3e?^HkAjJbLOg%W%~B%us4+tV7?sN)ZgT@ z`LFK>3npY@njBY8RE?-y+B0zr5^272HC5+aO{L|)Dh_}KWQQ8Ff*3jvLxj4LB6d=c z1(kC{s;F z6VJ-3o~Yc!QL!@)$GMU+c&&5j#0ym;M%m512Cjw_;^XDH7%$Ict7y#9Z^*ogG_`*$ zwVl4P106WW;p38vU1DJXiy1!47SrrzI;+{rzH3EE z0MG@!6ym_Gl73eYHp_t~svZ2JeGHI>V3hh2p{{}v&*EK&e+`pdtDZrC8vpB*H!qEb zB~*NjRSvvNQ7&Vuj9M&az)J4JB^(z&CJWg5)mzu@Q{Fc#!Ha0`{-059UiaNp`JxQ{ zu00e;?*g0(T0a@l$Th+4?DBoD7shCDuX4V6Zx*!TlcA zF!r%aB<~)LL8Rk~hV$6;higEnA-n_0%~7vFmB}#)UUNwa@+=klUF`eRP>j=?a$qzn z7~_T%eoO(bj$&iE;LtZnF%6jw6F!21S2_>LfuR(NPI{M0wAJs#LeW@)OK-^Tu(EJp=^`=QihV-RBEv?Ln*TM zFqJq0%T47JTnE(GQmTXEwo+J1*rLB`DSw8>4_4psS1hH#fN>+Na*N4L4VmknX0s=v zF~cb$E7%ucdQyngiL8F{phODslX#yTl9NI;eShp6S0TH{d3QtqNiHztPVI+_tOF!QF0qJ+hq zI6`!j39JfckyDVKpbj$92!fF|MZZ&B`7Cf%SCcXBp$T$e53kD8hlG8Z@qnXJ12)6U|87kKr>crzfc?WP79RN?` z>Sw^EHVl0T9QF-^qC6U+*;SniDle1rS-e>0C)Gr(9(s(TC`1{s71v6Q{SH=b18TR$ z^^8463>UeH1R(twF@KJlByi$2ax6q93i1?TQF#ADn|H8PE=Z?JU{%=p+KXh(|t{^|W^{6}rSp+Cy$OmQ6d3+!?sQ8a^gvh1(m&B|#ucKP=w|iqDOrt}kf-+X%3x5SmYxc^PZKSeio?|4Jepl_htYOq z|LqBw=178IXR*7F!iw?vdwCCLE0yrW-qExlT1emP?PG`guJIrCUS3~j8av5EM^zJ)U;Q6E03t%@r@ z#4S+7+%LfqEQwYR65FGPC>I9TByy2x1;Q|>$bp(;-iYtfo};raV)t3^Khvm7bR6-% zksWDS$@|{W%Gl`Zo|ctj^tCePQ>=`QzE;LYU!S~13hfRCs^z%b4lZGuJR2&&vi5jC4gK0_%_X*X*T zXJ~z;f}8`mRz-PD5B~-;3Fw2H56m}B#+JQ(;dMp?wYQzTck(6S>NTtrW2}NKTB$Xh zMq4dQ>Ebaf&2pIG2*($a4WotfIHV#6_fFR0c#|EZVv;5CxS zTj(t6t7{J${zA3WjZn`Tl$|`i=8g(uKl!8*wlJfDK^$~IR$Kvjf#m$Jt z(c}v9VKuw31H0DWD1E=BOVCRS$2=l-wm7gP^ z?N%Jo6;;E4pIo=@4vw5>D)UUOZ$m6$h**vuk44=55^M9?5laXnqf0e1&%kw_-pi4| zr+|=vqs>S9;2XscT{f~M&6 zoo!WTu)8YjFb;%Jp+jD%W`=NJeetmQOHFXJNKlJ@Y z6GgFq_14O>O9UH{P{-TwrE#Nil9^c3a`!kuk$gB6+uyvK|~|E?h`p=vi!wHufY zB~0-_i1tNuKjTE=^bM+>r`nckMJC<9n$v{yd+JIr3T3@Mdq#Lq5isawLZDyRe_wlg zD|jbVY_IBfkoz}zo?Tjo=F*N;F6rkfW{)nBB#^+ko1b36F7 zICkJ-ll%6q)RL0fqN$qVcpT1Dp<^aCJhvq5pb1&k>&Qk-2KgV@|8OlkxI@MtJH#%K zQ}di~YJQJh@)@dAIN-*)A#P*MI zA$2Xy8{*tiiDT4*jfBNJQyngRrC|Sm4*oNM5>$KQFS1U2Rpm%wQyrOz$py#C@IM_l zyQE{+IHDZdV)XF77LI;aSU&2dI*?i>RE-b@7*n!L9X z2W|r770VKfmDY>6mB2*#eD?GWFH@BhqrjAxxrnOn#o>eL*uReR2N}mp92qAbBcAXt zuOkDe5vEL|;|>{>n}oEcIv(QkN_tV(-zjv=RraP49Sk&QH9|C_5t?d#4RJZ3+`-;* z;^rjWZe-M2uz6tC+4Xe3OAuR9o`6o2s!XO^lWq) zni9D~4*ZfnN*t-gU|fK)5Eo=rEyTIasS9z7hIb(@#VEX?rBs^CW!X4}u!UGpT^46>G**Nvp0d0h&Rnd%^&nhUhk%zlvxL3}=d z=rki2J}cwFhvLE9c+e3KrT{IfH5KUQU#>kyw3-{uwq|Xm2(mBDwiZ;nfW4K-8ByZ! zvV-PE=v<09HAn=T4}+p5LwGXErUvQL+WRx9_ot=zXF|_U%M$*DnwRq00DL;zY9-w> zZ#^VlGQE&cguVf=)F$(;*Emqyv1I%~Z0P|%S`TiE4Zy#WNnFGu>dVu+|2bk~90p`mYV7{>f%$GaBeD@gn z{uZBI1FSE9fcXjsn9no7e8mIIckcl6l?*W7gaPI&GxGf{K2IKCeNzXRuVR4trVlXR z{R7N5bAb6~4=~@{zn(7@_TDAGWQ(eSU^9FU2l*VqPRtT+aQqs<-qw1ay4CRvW%v{s zb~&D<;AaSKb^I1VilSY&o#Ry;Pj!B^d^|jZ)XpKs;27f>>{(i*y-dCsQbuL%Gvfvh z99btHY@W$qvI&LrocrNIqMXMG*R7C7K%7}$-kA*U0q0zBWb}V#fER+)qjg5tJ zW1)LuAy+Jv9}5-6LY`QtI2O7$7AlE_Cd5KzvC!mLXlg7}5erR^h3=1qX2wFZW1+dR z&_9`jq;rr?=MB)|>qrauh!5^9nv7+U$BY1yapP^5aQC$(CTM&L&L=ipk2~g}aoNzU zsm3@=Zm1=7ta6mFX598Uh;I8d)5vJ5tE}>*7Eg<3UFN5`EJ#FmA0NKrBoiHGt9jb4p_|aI`F$6K-|%JB@M88#aM7($PwU~ znMi}G`NOA~+cZXP(|j=e;vK*kBQ?~NNJFaH7HS8|LylY;dpmsOO_x!PE_{|@kyEp5 z1ERR%Vmz(uVCZwV1k9@k-96cZYYv9(e1!()8-pSZ_g9GaTi0NF5~cERSL+!JkxS~= zIp|w^v)kmKYxw=z}HzP7uAV!H1In>SP}I* zMm>&wxLyqTI8o`%7_-tSz2|)7jx<2SK#g8lPD5%Y#*7nU`)9Fj_YNm)M-7d9(wuG8 z_+>7S^Q)?lFeFbKPT4`)E+Va|k&~8*L3#DCox3UOzl^A?!%je0{sSPEfvH)&W>k;* zEyIwQiCHTkW^TbHJIP9Zp7Rad4~uA*`7ptt;x&JSQfAZ!4KX-OL=BD!VzNjpn2xn0 z8dkR{=j^h=2Geabw&yubjVp2!u({9pHeu4hUUfQ8X~GUgd({zEP=YxPfHvfj)yOBB za{Reen(dd@W481b?4&5d#DJpPtKNm^3Z~QOpRadi=__^#K;GLpc}96$K_SX^Voy%A z><1tz15`Njltw#MK{yi{JEL<-kX+SB;FJ!G$|~(bwK1^dvl0t_O|wWgB)?44HWj$8 zs}MIdsDJ=*=OWL`GDmt^*oQcLgVi%Ng;WUxQ4S6G=17ZgBvd*6^Nq`A_lNUQMBbi6 zxMEEH(R_(B0y|}IrTQTRB)FjeU_7wKcptbLX!k%lqc_UCH%C#XhN!)0On$lK?f1Nl zc?4-1>feX!8&E&mEEWiB=Am{+{V-f?=ZsXRuAQIoGWsFfu={Ids~=W`1cBk7c$S*0 z=bNKBRv-r`n8?$Y_n_dPk$^}K$KLmAU_P^FbH=9}plR}`6vmejaS+hVs_&)4O_)@f z+ncOEZvx5%B@hO%ohfGEvJOL$reY=!b5%6cu@hY^)3u3rpdOkhOLMkXB^D!pn!MeA z1$DsAmWPM!+(Qjzy1#5`j%j2m(>|ZuH zo?6g9^~!kaP5o0-qNzFILH$#&iKlj86F?tsq{dVC_fNe(p86mCQ`6$9Yx<|&7*Ac; zKh+UWokFR-d3CdpUk)1E_xqO}6)$^L|J2*!spoJ9P9J(R;;AS4r`{e<-Q7PmGoJdZ z{;8wmskQx6v*W2h>YsXNJk{Ml6>Kp05x#{|d-G~+oL7VUm&MVSXxUD>w5E3(MAr~a zeZ7CGE1vpa{ZsSfsXyzVS{P4V)IZe|Pc84CS{zTktAFaf@zksPr-T zXU9`N!IpwP^v;c^z9CX^_mN?rEj@(r2P7h)vka>wY0D?0M@pmd<95*#fW@%q$xG1- z2;bb?q-QIle_;EgQRoFy!VeM@_{6+tzgV-IIvVQV;4`G!&*w|np_R0DPJg)e zVkNDI(O-CMyROf_pXWdw8T3^d{kk4s^(*OeARc4MG*-@&5DzdIwP4@r>Z7P;{vFXW zAHRnh@}gfS>Fd7e*FpNaIr`N|UsIxAf9RF-8GNy)h*cuJ89#FnPALmFP<-Fj{Utpk zqpSP>gvg$&`;+kx9I*PB#wEz~4XhsBkinKt)LKdyX$?&k_UR%rue_+uCyBs@eP-YZx=#bQ@P)n!-%@8Mc(Z=Ie@+Z~OqiX3%>@0E8Z~p`~LJ%P(nRb@qFQlZzLaDJ(S}f#< zg+|3f8L?1iER-D!<-|g{u@IdS6VM7{q2gGmBo-=*g{Ho5brG@gjSKU9zc-!|H$bV zujAr%K)f2nt4_Q&h}RbJdS1L}N>J)Jfd^wG9PDXijAVnol#G#R@au()kz~};y^N7y zaH^Rxl8aipi7^t3TKWuQBo(!E7h@z8wX~Hnl8IWngE10`TH44MNklDeXN&}beZGv5 zJk-*4jFC9h(yfe!8HqwIZD5Qfp_bM$MuJdFH!wzWP)oNk zMq*G)pJ$Aupq4%hZB!c1W}Q_cqvTcZU|%xh)>kcGi%a#fFL>+o_!(dm-MhlZrzz*G z)kQt-tGZ&$!xq`U@ERm0u<@z5IT%;rDg|k{30NJUswd#$e%yv-rrWU0V-{F(8J5c? zs;O$$a9?jQq86mFg4847+y5l7zgP+dXn6Jz^+gpp}W}1&=LJ@1&LiWW@t#TkA_?&`-h{V z+&jFN?V+=s9R+|1fF#Bwnk(rA^CY$%{QWTVqOjh)HV(_)7uJIB1lD~~SpU)k)^Gz> z0nHai`6+!T@NSO6yMXo-;$j6spS# zGF-}|nF(q^MiqWTyHR)y^Mv`HV!k7`ZpoZMzr#8OW%Ou!FctBSN7e*lN%x!*&3ag(m2G~ zDzEu7VsHj|VaSAzLAWcX>U(?cmyOa7tNLx}7xEn!^;dAz1+w)IeF$AUT@Zwc|7u(z zZs~kXdxgdbJ6%A5cJ_7D3tZp@T!+vl^)2(ez~|Jn*jS7Eny`z_+}z@~5*GNK@6*8U z6fLAQEJ2^?!WAx9GpQc7Vwagvm%N{VWA9*+(EcS%r9z_`%y;|$4TqHA|ItMp?!Bxa zEtEhf)|803y7UtKT!0?&+wij>4K-Ea*QidiMX6fx*GE288oyTlJcwKx{3`av1o^RR zfB;RPuNqF65CS7P0&;ape|y}8-v8Uem*en1XVv&&+Ru-Ciu?4J^Twv0KuR#48r=@9q!cc5S32TVvz#hx|!Zh-t)>8ZK~ z^RORd?<9ohY^lyL22343@-N+|5Pb@F^fk=Gr$G202;s9GHmyC(*7_T8bZS_Ap016J+u*5jh~#|01Zf6N~M ziJ8}Dq2OD6W>=>PSH^9{Vx`>hK2FrqZ#AtsjsQ+uRPWWMa2GM*MgyDivGvL*K3mWd z{zv#6?JX}ka0{ju=$F?^Pd~_)n9a>>*4DZW*16AtTWr>oK$mV4dqZxR2x)n6=acF? zNNfrBVd|!(txX`bf2RkTC3{brM*HmXvzj`s>Fy>bw7h&-GT7;Vxel^o;2jf zYTI?}IF1p>&Ze3K)&@nvkGs?MlTJ448RRURT%jqM(~e?z?V^{w`fJ!KdAmX?sIiA$p!(~8)*VP>>p0ig7Y{blQkq)6LG|Gm z*)a6g*n#)48K5cV(`xfUbQZ>t}P)SjUq z7nIHOf4_TukFI)2KDKF+ES@Md}wr`S}TA8iktFx>yP^v3L0ynUMW zBe?nvD%3DEqE;VJE}~WD(|!u~7H963n!z53rsEMZVwjHzrCVOOn|^~k5aP>I;YKb(Z0HUBsu3_t$t|R5~muwd8G_ z8oU~HX^#{2=C=BLU7M`e<(tsreP7hOJL~+{Q%VQTMYGS9_vPTH7VU{&;W`NXShtq^ zIQ?+sllAMarc8C^ovi#xXKM}LKU41?N(jLXqqK1>!P&aJ)1@Zhtn3YZzY%_yt(zrG zVE0-;3FBFLHDKk3*k(b(;UcOp?W}9y(otTaSX^c0!;{-FVdY*W!^N!^OENdt`>h-s zVY`eNfyx#1GGZR#5U-$@5wlFh&a0 zEZrb%=rCqHGoXU1Km3}3{m@eE8@vEc>4GoZPa|f6+WnikLNC7A3FFMOv7Tybqha<8H0HU z#*9HnfDQ?_>f-k+-EFFG9ih99x!dqd*HRjc$DPQJL-7`K3vO)1wWmp%Wr6B$GoM9X zh!ZzF^b+MDWdC0h<;_Br_e2HwD>7c+iecX@z>eo|n3$Cw<<@=-g$uGV#Hh=`@8H30 z)iUwc7QwAJ4J7azRt#sR<+^Jq^$mH=<#@xJf;U3WX6-p0d1_8-j~4^OkU}?l(jRv| z*m?XMI=LS#zZ<{DXv**A76wg9dyz8I+`UozF5D_awQt3{XYEwF<|Mn4wE!K2C01;~ zT~2EnkWa_RsnJqf%{?4;sOA(+Dnau?1u(tXqE>+W#1y&=4_Wn)1V>P+y0Y?Uuj!^o zt7y8(N=9Gy(+ZXLO0gB_Q@@A%4ytj}G=2ydcT}vNgW_vNLzlN_mua@LL+9r)|BIA; zo@z2bPSdn!-6u_~fydP+z)1TB2hZ6ZT|-(sW&DWwIa@Gd8}06N$fH~9hQJZfMRDAf zd=fv|{%bZR8$aU6=X(#~7lLs}%wme)*@{60?yBYe5Sirn>1s-TW$P&siCdP=9r{%H z$fP9~i%K-xZej$gNuqvVT=}|Iekp;Kt{sYB4m&*$zq`%BnOju%+Il;#%8-NAr|l~~ z=(6Ja=JL~>BWU~zq?_>Jkb~!Kqj3T1THMiGeu^#1rn{$0PvK7Jz%sDd@HjIli&QR51v{Uvt6=1f< z3}y#Apu6Dr_#XWB=J(-s>!NICtA_%Htw5_F2V46LHW?gJ3vzq#r5boRTOYm>H=_{h zGjI_Du9WzkTwZK9KustQxPaNK9LBc=M1e80b{mS)Y^_t6FmL;}GhZlL^~c`xX}J$a z=c`Y^Ns7WrH{kS|A721<{Pytr%-`j@qwxNv2fU0+!6Os%_ruGH!n;6*$l&8YTngS= zEGzx}@XDg_SPyu&UkYB@cLHxM=Kry`Eu_$ep!64?6a7bgk+#HEsQ!}%WZ$a8BaP`J zK|aGxz>FDv3dUh(8Zb-y`%9SvhAs!78~D+P=ql>&-a30J4Cps)W8$SDG7(-3yyD}h zEi?=r5cPjAeDXm1!_WM?;D>17KvV8mPR6AB9_k19A}QmN?_DzvhXE3j0BR`%igsS2&^Gxs`Gp_P4_4&n>?tn@h6Q+dn= zm9Olx(gUhO%lB}4u{cD5(gyr&8IO5h>uI3^5>HM3;c)vO|n1z3(1~>fAK_+{wfZi)K)mOo&@I+6Dy5Ig-yG-itEgu|bNzPqW^?!73b zZVO|#fx7KDGHA0+p+GAlVRm%41k?>>MyxbR;-7p;HSM#}Gj8+q_h1V2Sh zb+B~-dO3Hkr?l#8)pZ(=Zp9D6_e!ezle&Q?6*y;EYhJ9qNY{4C8f|66WV5__KR#LD zH0pYl6q+^g>L;jy9YA9Ta!IPzNT_R+N8LuwtFxq}Ye==Qs#_IM@lQM$WSu;Fxe|&M&IU*@ghe z;TUl6uje>4tmk$6MS`EBQfcBFIXE8}mtK*& zOCy09VAWk*e3&l5mN6k;XK+aZuI}MXs{N2U%-Rp=8S?L@g7oJyzm40*53&|@7pIaW zx|^toifx17n7dhC%ozWzBSBG z3a$ntR$S_GDB|Ke&v}M3H#P5f*r;EL{>b^SNU321b{@jaO8ET-n83pndJ`ezN+7YH zQ#3C2mRjEJthO!Bp!*BO`6gVOakvJ*huSS~w^^NU_$+F+;&I{HjMGKtv&dWXuDHZ5 zx&@B!f5UHx*y)EqFvN(k(iAKd99OHmo$lo2nYgeK_aLFxeKjdGUxR9MocmF&TcXA;Y(2yFo&9NQS+^8z74-UqUI;7`6+6Cs+yms<~!8>=381`e~5)j{~db^MUJT4Ym;?5xzT7A31iDQZ!wT9l?1In<(2 zYEgz-l&KbFt3^3#QLb9#Qi}@JqGGkEL@g>)i>9hY)1CX5-@`&$YJEB`tUbfr$*lTJ zdeFt%qV@)x1!q{&3%bo+xNQaV0)->H={L?l66^pXnBQNXrY+R9?3buNPtq3S=$e~s zMY^S4wbUcMro#}5e$xYoa6Rcw$^1E&KWFmiRQ@dC&tm>8~h7tLRE(DV`% z2-nb!uuu-4RUeU!K;>YI)TocJB8VIKM&UK98To2YJK*TdzbgD6Sd64==jJEe_xi0* zw+=Dc)ywwMb3`LOuiHh>@9&`J-COaT*D#`;zb-q!xS<>mQ!MYr~qv z<9IQ*^z;G#wmjX2x8}A!eUiQdC*jA05>pU1VR*Nh5}!Ug*klhSw&F>6hY}AUMCLt| zc-#ohw@m++Mk%!7B)&;<;+t_^s3nOJdl?pR5mB+m?uvjY?QWwlf)qtTQLqri^T{8z|h-irnG%$OfO zvza;a0nuD2YuC^Qg-knu*e@L@Kmu+43F+_x(FF6yIF2!!&~4^iYm3Y#4_Q(g-rXS2nSOyO*6PKE|fWopd z^~{Y>*tsz->BZFezCf;}EI3M)_gY6jGrdx4X3V|XX4{(jnsuPvycQ&y@4*^Z=)tkW zN+@02g3bcNZK*b}(b$}5Xks3YY}KZF=JP}}QPJ5##Y`kThb|~3Do&wD?nTC?#=$b8 z;r)8Jd(a3RCL&N0UdZWOSZ#}uJ<_!zrbxOJjfIz9D-4@mMZ2WI#D^L#;QP|_UR3_~ z1-Ll#0a_MV(Vu``9=#TIaA^EGkV%5_SiFE5?U)68(jf8`Amdu9Zx-G^Tx!I$PF0<< zFnnM+-oEUBU;i@=;|olxt;g7tClsaH#a0CViN*?dm|=@-`d72*+51S@`=C3EuM40+LdF1J+@@JeSFnoCALEX5dt2jkPm zvKAN}0u}|54Onj`*g9GU^DtEEHU-ZqW|)LNiDR4!?{vI; ziknk79L}!C2!?vYj_Y*!lo%px!_T|)uF?b-N@?zcdJ@g&x!O<^Vg?oU3bQ-act76P z)W4P8C3qaiR(jbz3B77;ja;Fy%4;t=vc+?4`-q% zz92}O=jRE-VEYbsGPUDMof4cFgCFQ&W#e6qppI}wW)yzVc2t>p4xgc(`94}$(aM~QaH9Do zo={sxJN%-$`8Ndcv+7Wjmr%*n(xK3%W#(*rdS)d&6+a`fc^G`=fp{Q* z7Mb0-dQ7dkzT`wUp*amU>rjG1YgcV*Wgbs84+U?3gN^_NF6j)~V4gzgGIK)|NVm17 zB1i;rbUv&?2zAg8oS5pJbZ{sAY;KA6m@gm(MA{RN%t!fvGx8mQcWA{!VjpFECwAY4OBhcH`;!kyITR**M*W$h*o1jj^KAiawn5 z%r#XFh6EiU>NzpOw%RI2So(4=qJF($!-gZ2pGP1I1{!cFCmo0y8*~s2rZEoY!RYaG zW1P~wN(luxF^T`27n7Ng3|CV)Wb<>1^FEr`-<$|N zMbnb8OJS}%GqICJ$LzGJ=m^755v=u7f>11e_4H`bQPM<~1fo*&XjIO1Xc7{jgvR;A zb^PGP=Ok-0c!uW7s1F#UV?LG%rlzFU62KvHV~A5jEsWGMmSW1MP-C}k!7aU+-VIgWg&Kw^}`_Y3{3A4wBBnJS-! z!Oxd-z1PUH5(%Cq^D4LQcnd=z~D(%$_Xbn;wou{#EXV=SgM`Z~b0 zIbh?gxijhc(Nub_%BSbviS#^_i>G?dN9#Ff?o!TKW#pV`S)8*WgLAg0!&&*kw3Tp* zV(e#4TLjNs@)X1KC08#kuZtpHk4c<0Z9W&fnJBq~&OiZS+y;tqi5Tv7Zpy!+hf*m!@;qYAq*&O=C8@y2G_z_=h5jFi-NP*0eCs*eKhj@N+Y2WsG)E7tlHB#!}3Q+%||hh*T~!B}ie&EH`-+=DOP9_Y)(U z%LEP!TN~TTI+4>{=0;9K856M#H1RK|Hm8E(bA=vW=xC-aY0%*;jGqJa2>s2_8n2DU z{Ow$H(V~N{k-gzJJ?$PTZ7!vy$G@emeZBCx^a)29S7o)7+Jf)6y3WdQcbyCHE{8#Y zlXlFY;uDFpROV{D^*!dbWnfY7#8fKRQNAZ-xFn~fc@W)@!f$2!KjB3fTGFykNKgC> z%Sf7(%y-b`STT$&t6>!<@Ep@$ zXR`uwPUo*1@m1K6qF{i)%VXP9p1G55B{lxI=(pjp2;|t$>gNR8#9*xWZxv0t z2Q@b3xz?!4z?;pb8m%f0&4Mjh+Eb-9LFh1D^I7MPyfw=Xjh|((Z}4RUypq3<)2t*H zQxr<^sO(J0F z6BwHoo)YkAC>tJa`O$MQ2;(Q%p*d1gM^$^oV;EI?M03wx+_RW_uIHX}xaT(Rd7OLh z;hyxq`f3mQ^_FUnQtml~d!FK+SGean?wQOzXL8S}+%unhPUN18xTleOW^vC9?wQU# zmvYZs?m3@(Zswl!69Ls8qq(Pqd)jkPC+_LRJz4JQ!#x@9>CQa`+>_RJ)gG<5XLIi9 z$~|51gnp>||A!aE_n#Z@Zts1Hn+W?CJ0RT0iH^BUiFE;{d zdjnFd7$yVI13(|IrzjIZpAbvhpAh~Uun({t&Wl(~E;CD$p;E%5*Q*r9j65a|+F7raX9!e! zy-qLi6=<~C@(hhqkR{j4GgXK*z-urdlTjzImWZ2%mSjq~Q7$kT^(uKLGf+ELtIN>} z;{5yZ#es$>RH;{S`PHaepwcQ)RH{m?)2jr=bd?}Om!?rr{aU53PVLJV#Zjz8?Fyqx z`DYrfl^ay!Oe(EHCD5s;6dA9 z&@WE~iD;)hBSWW<8&!f-lUl7Jw&+a8EEAOrCdl<^DoUT%Erd8q&0~5D6Iq+8(<5%8 zCghJOhImE!GUd4`87gg>5wmq(w~5*iCCIBSC%Pttl4=VTq@x#8RVuAOonbPhgD(SA zSt<~T?gYI=HW%U5mFiH)wbbJVm0pAH9Ip~|@i24|=u*dkrChwF!VFcmDnpQIG8j=d z{*5_QgHQlg3WAaFFL(mhjAd#FMjEbKxG5=VDx<*&l2YjI7L$@XUgY-&F2tZ*^p>TY z}1+|D_>ac=Q>C}u#Yl7^haIDj+R7yjNMvIQ9Df=B}S?Z*^tskGujH?7- z4Pza{V71QBV#*7U2cX4G43L*#eH-V=Fv$jnd4nHLcmadM!>%sO!Ab7S75t*kb$}UA z1z;XBt}Xxpzy}ZphzE@L8$dNRpZ)ER+G|4#>fi8;YIrN#zS-EZC*IqgFujdKV$TjG zKRbCgt~~8__3CVY`Pn|+$`vls%hS&bor~v%9Xix6DC=gE_%Bah>eZoqVa%2{10uI= zZ;{e==au2d7B3lODjGE4R6y%7?|Wa@Zfv+h(ZqFFTJwnZdFw{rnlygGnymBcQO5Fp zotF;&g&H<%s$@oQ_Jn^M>fbPo}VeY(k1J+OK%75ydBqP+>Q9Q0bjmyd|u`z*mL0{ndyvI ze#nzGt6n{eJy7!M*Nu7ARnNljL{(J(xcvM%IqdK3EF@Ac%(QX%4&1;&Q->>D`jV^6l9ys5zS;cId_0Re^OuFRcbmshNmwKNp z$=$hc&_vDr7URB~d&P9~_QJ6lr2}+(?>9-ceRWBFBzDaxr{SZ9eKo25VD;!*NeXsF z!WG|PaSa=^j{c(M^@t@WH*6E!RBrzLO_vRQ%kQu4vvci{*V{)Q@F?oMZ^7cbyZybl z&t4jkF)z~9zwlYZ$1{E#xn)^&MEa^#YVY~oCj7MMLHj-BiHzyqEYE<4;i1oe4jsGm zw>jD4o)1hEy}X<7+uM}NgD1^DPdX+%8-8*6)#|f_(@VaQtjPQ7=R+a4h84fM{0}4MhBkkrxY!A8b7V*^yCrSXB#SZ_Q@I4(7xXt*Asn$0;b1);N7#w>

W znfmCEdl3Z#lSW4MUme=sqpRnwPL<3WpPubUdG$zW9q=^qy2vMcMfVkBhlP4xZDIG} z*(>#W{k+7vx^hsXm&Hw76AoQ!zG%h5)}5yhXy0g%|F56-dHi&A=JprYvNB$OE%3gp zlKpi5VB0Mf4II;d*>|AJHJgq1FJI5!@SSdz^4l@zJ0HJ&>29h0v$f|xs~CNH^4#!4 zr{`CH?z->bo=u-j+WGOTkR2`VzuJ1Pv}DtS+j;9wjt*EcZqoBLn}_dN&@tAuxJ^sZ z%duA+T?d9&iCsYsntY|W7(6AOWvRb!dGq1Ok%GTHx z2u3*$cWmF_QQKRM`)^zrc>llvaraeC!e{1R3YmLpiF?TTL4qGDTKFbEyV5n!bIXYf zq3K88YwvxonEC0{hQ#exn_Y<=p-#mJD?GM>kM?d(qvhz=^e!ly-{h&RQS5v*xt94od}QFTz*h-bR?d!O#zJ$KlTegahIbHxKT&fa_Eb zU=N@rpc0@!p0APS1Nb*1O*vdK!dl?z$0xnvZb4WDcOBwsBS^osLHUGmN5TCR?kl8i z3%CoIg7jU0?*}~5r2{Mm?lB+~Fac?{0hft1W@+w*pe&cLJy4}T8)TjBl)_XDJ%>#wPZ>k8aDxTy#)hkpa&Hp4#jD4QfPV1112-D(GUPiA+%|;gz}*P< z41n&^gahONlHFp&Wg&eN_@}{7vfddm3h_n2j|32p6mTWL&jHAh&K~Y^;F=;X8ewW1 z)vt#?8*m>m7tjXrFX56rlC1Yfnl;Ev=~}>@gzyTasgLkhgni(b!tDz@*;zk@n-6#i zAUTDhfjI|ghPVfC-$y=@6G}fCE`2v+DDVdXYJ_Rb6MYkbzXO+K?+}3GZxw*rJ{_{B0N95xjYn$N5Tx;d{}$i}#8o5w0bDa(xmMgkuJzXm{k z^$g+3z;A*d+bX66Vd_sEaK{i1gFhcYdXwl30*>UC>Ma8-f&Vn}90jyTd>O*;!SzGj zF1S=~SHzL78Vm>m?lk2C(A9a;MT6juf=m6C0SJYk){i-GuOLi%st|q_xHtgGkDTyu ze*ykixFLXRC_5W2jm=`f9HgP~N&1b(_!Z#Fscg94Ax!y&0Fpmj!o$A@t_<-5fEx^# zPHNW!hb=BM4)HYBX#770j`VUUfb?-oxB}o;z@@P|9{y{jC%*Kz&2}{s?#)JC^|80~R2xf;$U9`sE?uDAF+qd%`~&Kzfg8 z=l~!(E+gCua1=m?-aC<|HT+ZIehZi6Y7FpNxKu9TjqnG;{Tl9W0O=8$-=@J&^(;ZU z83?<;bpT8Nj^aozl)#gG9R_{_{4aoC3ja>{j{-;rXgt>k{w%^Gz)Ik#|EZqu5J&k> zAp90-Q~(PNP9wq>W^v0 z5jBG0Y_3PHkAR*dL99}zRbhV&pD|ryfUmY*V6$`@G9VayC<$d(DS0pLKUFnp5t*aY zkL98`@_Yn(xlyANcu4(3YG?2b<#U^BJ@&Ll5SXnB6_^af8Z|bzsdBW)$}4$Bnoh4V zre{(21o;pxz{oV?F{QE5J@&#dU>%4)hIdC=gYx^B6Lc@EwhsbOME5XE6A}ZUNb(?!W*wWq=4& zm~Ki_33$n)u(PEiGIkjJb0EAbj2JSppmXI4mVlX%(t&z%v zQ0c7{8}bZBRVJ7iC$O}gqd={L-6{uzCPZLFyR0@E8bw4PXMmHZK@<2mXMuK2D*7~2 z2YrC?gfyIp!k9%v1I9PGCPR>eamMBK&CZ5-NuGu}yYW&FTOMaJq>&Cw6RbxNExk@@ zQjiWn#E1Z2Xao?4sbh!_81#@6 zwO*wXc=b$-S9bM72{ok&s0@RZtV|O|Go*-&nL54Blm?b!C~`VLFX$21FUi2Q7wW(l zB1w7qo~L%IH4p(c_-umgP&S?($_2fvGHAOP|B~MpX2bXgF(&I-E#J9uT}Q{Ea!$+f zmBv90lUB)AfrlLF85$@E2y?nhuD1?6BUr=h59H3kECu$EWtS_%N1#!vNE`SF416~! zbXgcfq=76VM&r&RbJTXd4r47-;Oomt6Af)%2Z9(4?3NH5Q;p#j)@N`?lSWENLyadL zA((*4hz;T=CAhR+r#%4*7m$#r;$%@Nh#C-O2*IF1Unm7Kn!mU#Bw!{ol3Gz%NBOaS z0X~8N-y}@5z9Lr0V*Q5l^ng@AzdpF_71MuUOy8)Ol$Zen`e6Z-7&#y^!4gP_vHGyC zk4%oVrm6L(Bt-U%i$YOMTt90p_H}(@h9t&BCC5ak#Po|rJp+?_42+FUi5(apPidq2 z^^J||S)0Cl_wEceQ9zR`O;t^84J`}; z>s)P_^95;;&@80#5e!F>etz(d^uds!d7aPaMTA_Y90hVM39MDkpzKqAkLu5fc06269pats$u`<4B=K3LpTap z%i!prm6z)4Pk2IT;OjGU>^alQcP_eXM0BGXv9TZCQxjj7Xtn z-U!JE!-&MFRFft{IRev>STuq=3dmB@=)&I10_1N2=oyt9PgLL7gT0thm1}g*)KVPI zfw{G_pN7o;?ovXbeT+R^KbBRf)3A58hNA}HXGNkSDGlz^@@aV7Fv8*TZ5>=3mkzgb z>*Ba{`S0KoxpZ^~n5&a3FOf?(^Br6=mu}9xI4&J7sxzb8fL=X+`h$Mr%i_ZBhFr^` z5Xn$3WP(rUK7RaoWh$D-WIVQ}H!9rYBDs39-oXvy>M_>ECG+WURfTav8Gd@?P3F_( z1D8)Yu44CGc(E~Mm|lca@x=5(xR}B`-)XzUn1LgCw%};X&%6eX_BIxrgm83L`N**b z7eF{z(wI~AfwQy~XO!H2(k~SUXY_&OR>JYq8}tfyR!FEy-~^P1$8j_e{*NEJ8BMrL z7S|fyvY#IZ*6@`-#QT=K8(%kn{O648SOAr4&40a4{=0`5*QWrArw^hy8bsg+*ii#s z2>Sq7KxIelzu{U=#j^60Ok!RfmR>0|G+=Wi23S6lD%fu>VLx35Hyt=!PGDBn!9_nq zKLMw#gHr;B+Zaq@9o%%_l7YKa2e%QpE5MDYgF6M>XyB+{tsl_~_<;MX&wro&|9^M( z?`5Bom=~!}OG%XL4XTtR%*DxMX-UjW&dXAz;6fEPLyEqt9HxUcWnWz%RUY)Q(ts0# z#Jm`s>!&1P$(Ec>`w*tH4RE=NlmR9!Er4TaF;86$tX`jzq%!u!ZWQMQd@3w|u~p&| zxmj!AXh||+a~`QxS}U{C=1jD4Ri$9L$Q`Gra7V|m>nG-+yp#d*oCGe4>1ZvnuP#w% zz$#paS(|aHQ-WfgNuyWs1$9z)Gv!9y*s!GOhsCcN z+a$g%&1>txwve{|d>vIpBQ`S`s+35jvY+MLyo;4iuI0(5EJX8N5l%5ZXxWo8Kt-z% zSj1{dhyufnDva_FYkv)(V{d473r$!KTKM0%mLA%GSU7f#$^yq?fg*b^-$#9Qe6P?6 z4Bt!rlK5i8NWl{mi;E6Clh8#(D&uQOOLD`f{?1Z5h@y^SZdk&W&VfyoFFlFdb@F*` zTJy+rIHKB7jof7kw4dW6Y@I|WNgX&s%W{k0FJ~z+hCS7)g#b zTD2|(D?p=OmzM$?75c3glc~xysNj<_DXLrr*6bR&j7saGA8iP`khC&M| z4x_C#Zhdgfg_RVo)EKdV&t!sY{V6IYl1VYB(o?WaM`Q{yr!@m&wQ5ZoHi#)&If%IhoEPY5zGtAjO^f`O?Ri!8*!_kiVnV;E{67T-n{S&=c6Kj0jd;(UF>mEa2TlNrA`T@2^j>dV!4ijz1IQS@^7PC*!ENzqfEGPr8Oq% zbqcyIG}R&5${i~TCo*vcOF*ZOg~C9eC&Dg3of&K2--IoDA~Y9iGhBI!(t!&qJ=5~f zrN=3mHg&N4r~?vb$Do8C#L3Y3kp?tCMLy`pXpMnHgHIfN@P#dj+oiI(Mw^DhIE8i&B8%c-QZHy zT>sg?<5>>LY?Y2eM7WEH~LGGG*wfrh-KQDCv=!}S&BHlwrk5@fep z;=HO*G`)*SCdb60mQz0=jl`QI5ug9X$_ zVu6u~Sqk!icGi;14>7AOa^s1bh#3(#cu5+p-KLl0gb;F|b+#@}$zZO{;|ow@`l%J^ znqp|+)E1>l({jdG;t$!1$%yGpN$OncgrH$EPQ_{ig8-iqR~XkuaOo_WbcvF&aUBhu zEBs_@BV2Jk8`lg=x(Exd71F``r_VdrPra-IgS+)A3$D=&`~n@P3f2U*!x$584VJjc ziGW6{(5q;f1qsOmw>dL3r!KgXIm2{R9Tmf2VLqp`N6UfaAFkS>5NuQgSd97NxNm*5d!Rjqi|GCp{h9 zSP85}{~d`|23xfpv9qQdu>9f1DaT`oEy;>CLk+#)lvPioztTyV-j4Rm||L*ewcb6-hGOlFDV;yZ=?UARn8J}k< zWS+{%YW4SJMAMA=52LjX-}r$GL83AC$IpD!LpbX^|Ht?U&{=Fr^T)Wl;ksqFL;46y zWO3_Sds^M}|C!&ODYpOX@lW|jLtp$;IT6kIy7%n<&uOUJj$E`O*-}A%$N#*HKhtE- z%y;;ET7A%t#D8cf+w#BO4%5;6yfP0sLHKQ>Hvc(eWj zPkf#E7kHS)nc}~|zr4aO)o4&^e4Q z5@gbGEeg;YWNuh#h8VC~&6FE_Gc|OX0M{sdF&;zYhD^U~p&OPiT8$dEkU@28Ls0@j z7%ux5jI_u44@(ofaruzbfUP~wx$`VxVD$7Y8cZU}M7<^(J3?HgsEMo_9m81#(Cm2b zJ0tuY>Lxef+c-L`!rcTWO{9WW(lR&P*)gcx{A-E{^Z)xw!u;PMDa^m7ZCv&+(ok5O zrfRsmCjZL3cajquEkuOjEHVS%G@^}rEnNmv7TxnvDRJT+rD^_5H2DqofjQmRxcu~MvNC)I7)pGpu*h2o&pV7aeU8H^ItsY>4r`;pzyCpfWd9B^J2}wDJ{m@hom4glgzCfVoa$RAF$#lV>Cmx1xO(> z0TQ7^qEM)XO0^rl_@+%W$|qWr*se5|AJS=+c5QDzkO=AxW=XVgFdu&qPd~&hwg>jpgbdPbZ8hY zlZMhXxUH!|$y(f8)**2@GTAU}&7TA}KUm-gF>Qg5LYhp>PjaNs12uAlc)L_0!baG4 zb%+t54jsxf!cHtlT`FK=fiWRY35*f7QabuXFfJ(9N=G!(8gQST=*xO1-Mi%z9aJvP z5izsY<{t!{9wpS4FJ}ChKmfHNfN6lV)K(*xP77Kx>a^nBI-;3){LzQCnT~w%$dkt9 zpxU$0UZOG$ZH9rD;yKSoyjg{SFr2YUF?4L2z!pb#9m>qv$xoC z_8x0yAF-8e75jpHjbSMkh6y8ual-M!?Lv3aP|+mOPSIY`AyHd#H*t4yf_Ru%F4l>S z;)&uF;!nkw#NUZ4#81SG#6i*!6V(7Lj?yIWOJ+*eO14XOOTLiYmfVxPk+he(NxMn& zq(#zA(mm3n(o@pw(%aG>rFH?W0zv}f0{R7{2V@0g2h0dq7_c;;IN(x%Bv2h_2+R+h z5x699W#Ib2V}XwXUk26-Y82Eis8dkaAZbua(4?S(pxHqug3Lj#!R>-O1$PaO3r-By z1Q!O+44xl+DA+k9Fl0o?>5x95Lqp}EcSD@5>y+n}rL)yMzaZ zhlNLnE5hf7F9=^AzBl}6_{s1K;cvo6cmJ^a`R>1U{~ebAdD~Y#whb#_{aGm+0v`8b z6W9UlICdF(f&D`GQtBNb4%igmc)&eJtB5+bugQyDWPkYZ&eu{w(}exKnpbSe(7>GxmaTktj-< z2JYnsObo~mm>M7r3<>NR7#wscC^&duaMzIeA;~CjpKL;SV)y4XF(+cr4QC1KDcmR= zEBRXTi)6esHegu5%77CALjvuBG(j7K_6Eg+U&+Bkf=>jCL*hdYhMWz#74mz?n9$tN ziJ|$SQ$x!_ABPr%dC1Po9?Ra!nuNCvPXeEc!l`iDZ+`|^G758r6NUN0DWWB!Yocyq zu{d8mQ@j|maZUVOY$I`%^p_|kmn1hN&m?}*2CFEMzy)b4zzDEN59=fSi z%(u0(WKUR0*uk*Uu;XE;!p?dmYBe>}5_e7n!T9 zxvZ6}olGEemwCy2WUNdg3zCJ&B4p9BUb1*uqAXdaCAxO^=?u#CYo`_zE-iqwS&SF<_OL04~o7hY2Czgmq#1Z0HalCkdI9)srqoq*1PP_#p zX0P~w_^9}l_@el#__p{SH+o)*Z6(f2s+~fH%fmYJeu-T)>L}hd|Fj@4)E5xWGYyO9P7oPX}HO zydC%pMq0lhdC;_=)j>~#>IeG;_Xr+{QT1`~&%v*Q9YUIhbPG|2WQI%*nH{n?WM#<5 zAv;2@gqTBKh3pJX4l{;r2)hZ{ZYJ}TiDW%wNivNrU-pq~B_w^1?69m|c-Qd6@FC&j zAV~|uKfzer*8N=ft0cFj_^u+H25eVW!|I@|O4$?8RFBwSS$kn8VYskJIA6F|cu06g zcwP9L@U3uxXoYB<=zGy`qL-ZPg^7EMlf-IqmN*++FMuS@6E6}k7Z-~+inob(i%Z0Z z#mB{GAe~pmx5RhFX7OWjmG~tzn4`o+(p1t)(t+y*RuUiylk|}ELSH0HhDk?*V3jqD8`D$$E)d@<>uCsgk^qyp}Lhd#RJuMd~VTE^UQ=5=gn* zljXPtgRE0SXNJxXT^e2zekJ^Rcvbj|a3HzW2!<}|Qc8@dX{N*{kPQq93=511937|( z%m~a1GzLzDR-77W4s;4~2?`796*MzwebDisb3yjOt{BZ3!CAp`f)@o-dH?V2;MB}zFxkcQT0xXNOC@a1HYIeuW(}fE z`cygY+TiS#YaOu8%^dOFryQe7*q&`m$r?0k&Lad-^!*{V#q=cX$hN0wyJjsd(R2X= z21C4=2d7I>k!*+e8VW^1kqF;cqR+7R8p2i~60;&PHsry>*im(e9hhXT&be9hq&yf5 zv7;A6>GUvaah5I=;>TClr6!sx6yVk#Ut^L=pRIw_4prkdH$6pcfsI>T2BE|33Tzsq zgKeB`3v6tdUE4m3OYXCzT~p`l9(fM?ubLmro)=}~5w&OS z-Iyx#{t0Eqb8gr6EMjb*C;WV5&;DrlvFB4_LcfZ>5Y^Q1UO|y&kN4SS9k%J)dM1qP zxJ!8ZRe!l{(#EY%<9r-)V>bBDy6|AxgST_;4(={Hx!_js7Zb$y@|<5)nr23>tUh7a zf7#Y+8EY15W~jOrPCGWb`SDYyLz{nFI;FB>L*sV~+&($;{FQNHm;29qw|#$8*=pY% zvwzxne`}YPljP5rj%#x8ZsOWLKaPC)W1~$zYqqKcm#;52pPIO#Z?EX;)_0@pEog8p zeQN&5F}cc^^P^)YCm(G#@kHLQr;m=ag>>4ioAQ#K@|^3+_KoaY+BZ*G{!}~S+&Sa& zE4L^8(*5S6_;16WD1sF1zWkwn`vd(797hJGY#gwr<=mgzEvO%@eVSP@WFl++T{E|{ zp+Qq!&n-KGo4n|@YsJnsW%DYAE@rl0a7oyGNx0EzM7Qy;?~ZRjIDWIL)x*4qRFB2l zFTV^NQ`pIAUgS@=Zw&6%z(V*aG`?81Y4x5#Q)yRnV!o zN2FT&>tmL-ZIf76plQVapB_W}7-oe*?~GwluyqWl{+Gru%*K3Ac>miNPQsBp?jB$q zOa65nf2?Q_99?pt^QP#y1C6TJR?3}|7VcbnbGuLD-Y2xx)5DSmHg0jjzPtCEEsGc5 zI4sX=F#L4<^z0wYqx!gg^!S)})X_E9)A!7a==XS9(C1A~bbg{7QrSYJ>pOVuj+yIi zuXXEizR#W8if`VVB^thS)UsilS9v8idhhY#oAS_@{_QU|9n@e!&)1*qc&3*1+?J(( zu;4+;dDqX67b+LEKID;q$NaV1hD%@Aj$fOzaJZ`M@q5ODk<+`~a*Cg`V9tlWt8=0| zreED`%(>ZUxTt7Qk@(OJ#i_VeAtz4!ByRBauj|@Y6&=3u+2Eqk@9Z~?ciZj0!|%(i z6Nmd2dOE#oaA-@vWlncoz4Tkp^W(U{W-vIF#JZ61bHmOShOCwp@}Qyd4@0J2K5MWJ zCk*g3R>gL+hB3f9SjMQ);LDBi9D^UenZ;>nZlDL&q_v&yU7J>}k^B82slSoFXDati z6Zt7rdNz!R>u4`!#jLQ{zu32KZc+&UkQ=JtKON3)XG@wa@XHT|aD;|5cOMw?|}a`;BT8 z6C0^*xbvr=<-0<@tv}B7b-TPh`4hHjs@|;J=hD*q*Y}6lm#r9nx8<2;Q(#F9YPh-U z2R?UpR}I@@^J$BfKK^lSZ@L{Qdz-tcf7$e11v5uh%J%eMnjM+$~*^wEU39xa~yyu=f{~mmO?(-QL6&INXDpI%iQ+xo%Nw zlfL(I?)dV~h)Z7a)9b3K22fLz>ZpmhcwtMnIe3nxMnh<0y%EO%f_S6SPw35dC47Ts zZb@{wrxHZd)nk0^t#;*s2_LEfD-2;*whJY;Yeq`|zL45vbX_5m`&Ky)Be<1_6l;+H zEW=n&6`?Q!@8oT5hg|{#Diumrp+8+`+M!5f4T0XC7Y+EP)1&>>+r<=9ZEadw6*+x{{2el~bT}}}`@^8ME5M4aLC2iR_51EG zaCqADSEFIW=r;S;F5U4({<2?77GHVU`QaIbLxB_X>7sL;f|I`Kzck&ZwES7p;UP_y z9=frk$%8e&T<)B3F3mf4)bNj1^j>!$UefbU*Sy%Cr%zn=+F@#YOmXPCF=rxf_}WYB*|mP{FZCm zrd?`r;)~NOKAkh}&f`s`MWde_84=Rr?x=Q`tM|MZVzT`rvuUBY`nb!8C5q}@P1IAO zBg#6LK5O@puFDxCGd*$4<@1i6CfHp6Anv0`h0|ciBWaIrHQF|`n@!s!t?jAW; z<34-%kV!?Kem&>l0Ab_y^ZgfZj$NJ;@X0d&f#)0U&9%EXb4#;x`pogCp5^3~^u9Q) zLx+xhYW-=~c=nd^(%u100#CmlKG5^>M&g>7ZeZk8{9 z>6cZ|BcNb<{)ruvY{yrPZgi$SyZC1FDs%j@u-$g^yc3@$YSvHGwtD>sBTP?Mt{-xmEpTiLU2kX6^O{Z0kuw{QJ(3+Q(z&aB^|%hcA!lw8EyWD3g z;^@P84%6?ad>B(dc>lFQ>XI*WQ*BE|BuqQj z#`a;~yp@{p{>G!j(j4!to)j><{qXM>>?{r*yy?P|X}*dlfrEdXq+QqdjnkmaJ)eCt ze(2dBB6hd_rQlA;#1RzCwgD^emiJDd1P^LQbom# z{cCR9=#M&_3UwIYw*Sx3BU{=j*lzP$-CUQws?EGd-)ax_ep4v^w)0n|xm`z`dmB^m z{NrIWMh`aLoLq0s(rLHbOl#^h$E!4G;(F!Pluix1L=4Pqy|?3lpMTu)I<}7_rZ{@O16YV-Psa+XBz-!7cCqNHqPAK8!T zovuF!{N~GR1Lx*v{E*h}@Z;FtL2Yxt-LTc(V`)x{0=wVx#UpOaZ#D9#;G+%dY1cP9 zKJ#Apa&<4A%~4xT)vN=b8p5g;cK+I}gL|i~4lcrlp{1+KJ0@L;JJGS}{hJR)TsbRp zi#z_|2OFzOE7uf08P{#(G!EValKpR{8|HbJM+kn&gjTa|w)%~Ipl6i{ zx(T@+GeYdH>_}>o)BHo1VQ-suy;OdDgeJd{aC^vc$FNnx4T(=W-`tzSwo7gjcYMgG z8%v@iE^J@D?1IZ;-y6-+QiBGRcn-a|f9vOyx2AZ$U9d1NYxJz}dM(+^V_R+y?7g*I z-Fe}H-eK8$!g`H)II`80Gt#A=3*2Y*ugZ}}?kR7li#gr4vDWV92%9YN;)E4bmVR3* zV0J!U^UEd=Hth-Y_spy6`R#Lt4*^DpT?iNHrn-7kKfuZo*XGGa7e-Q zFx(c)ttqqqFR6c9*T0&U>ey+Erz~Y#*H}vH+X-E2)`_s&vhC`G8VDO<2VHB`ZNd7~ z3AqS6ueeJ<-J&S)6ncIL;#J6miLSBOHV>Utkp7xHO;^$=%~ zhOJCt(!ct0!?W=5E3SkIV|QE}(Y^Wb4_b&`yN_>cACulJsS`Wv*T+pCZ#m?d`ty=| zm1(UO&HSotSf6e4Jh!-X?jy|nZ14^B+_y7a@9 zpT=};-1$tv-9cNYR;)d^n!P;h%ijVf=1!P*=i5r{o{}p6#Hn{$I(|23bKI4CpG=;2 z_mlDC5~n)XpEY9Qj?*f0@6P5XZCwX_IZZM1p7XkvS(2mMcjWB-b;69O%oj%lA8&oz zIW4Q9z`y9TT@Su$vD1Imn$E;;#klFJUz%-w;COG`w@2qGf6|8x@^AP1 z55Ahr?9cD-w|~>|gO6qpDp~dO(`E7{=G0RzzvO#g73HW-n3s$l`(CH!w`N}nvMXuO zP*O7P-rNUcnz!nj5tRKlKkR(sXCHp_aChU=QXl`AW#43X?j&r{#Kn7{Y<85o{mQ+O zC0usqzR?n z1ZxXy8(?ivuU3*Ag#|V*FgaAwFw_5^w)xq*{>kWA-_gOlk)3TD2c~!=+p3l@J7I&G zKs_4_BqHb}@0gVwHzwHLzB99KH8OL|Bz*RL9!`zE&P_Rba4 zg~$Fh9Bi23XTlpD_SZT3Onz@hN$B^YyZ){>H->$sU%az-@RqWf(>H%pU$9I2`0f|) z2ep5b@mZ65J?*=>&Ydtl@I~I4<_X0^w{7=LAJx-S^Q(XP)hXxa53OkD)pyCGka4H( z`hS;S(OPivQNvf~D$ZVd>exiww9}y_N1Mfc{(D^ct_`~`4qF=foHg@>;Xv+4eJ`RZkH^S<~0Vd~zBNliYx z+5f`T$kp#Nu~nz?c7(Y$yuD=ij+_sxkNFoK{QB^Tt$pgRo%?Hs=+L21&yuEhl|jGy e4a#wH$vyh}q^cJ^zhj-ui{)K=e9^IO!v6rNaCL0} diff --git a/venv/Scripts/_contextvars.pyd b/venv/Scripts/_contextvars.pyd deleted file mode 100644 index 658926034e7e237a9792c61dbb578e65c2b3968d..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 19608 zcmeHv30RXy*XU$nUuAIxi3sk%o0VNah>C)Optyh-l0brxU=}tvBw)pewzyQS3y4;< z)=w?9ST__Gv}kR$b#HNxVwGClS~T~}n*hQ3wcr2$_rL#r?)_dmGw+-^bLPyMbIzQZ zH#TG19~gg<8gt${0}-6ByZYk=WPH&f3dJI!vCvd9J->Q%6$de$rF`b&164oT0Qi zS4h_F&dni9Te6IjTAj;>x@DFDZ?3&n(^RNONfC)3CABn`FPm`xD5*7BpClDZ@L2zB zW^sIkVkl;4jU9VN2Tn7h4zQuv+ao7{FbvRPE>Jo`BFMTU`A$X1+|b-vq8tE#aK~s7 zqM~q+7<9t@I!hxNE<#fQx&%rQZjOVYtnrKSVIj1(FTBq}s5gw`$V4cyqwPJV1lq$* z;RHe(OzZEw`>MqGDu5m70U72G&lM|$$-{ureH9{sN`TOhR?q-65$3TcB$Fo`hW0g} zq28DV0ATW+vV%AB2}h{jSD{o0p+?RX=8SA1c|tOI!ZAICI7<$QcNX6FZC@Kcddf?2AT_4^;=yqBn)MBP9fx=;beT#=)?Wk8<>Ux6^r?oh0<~t&X z)%DO4r=x-uPfIy&i!vQ0H5}xq%dkTz6X~u(*J&m74kh0~AKe8Dux9?9FDOe=9%#hv zNE6x~36|whdJtMqo8b!3K{_+&RZ_2t)g1=a*DVDHqT2zPWEY-t4P-i*1JIpTTCX0e z`y7Y@GDETzw^riTab&B3AT|!xbr|q8zx}OVuh)eFpyawbQkMgE3M)4fsXV6WoWXd3 zQI!kGJd+Bu)bh0F^{yL$oc>3>StSS#%fw-6$^*Unj!uTr8`$-_lfYp^riE@O5Npb` zl{DhXX9BPacPXu3AQ)SX-*lH?0!#RJyQWQ5PtYv|-gW!UAk*6*r12)j(ZQ%IFq(<5 zz}@j^BzKsH9=crUrdQw9>9BM$7hy&&ssXVHmOzKOxC$pcKt(p zkT7NfC8;t^= z++3o8H30>o;#uyj{s5C+(1e*-#{o6vVST$^4=_s}~e0c=$z+y?{z)FI@|) zCJ4nWlRE9((CV59kdob2oV!-y+5UP2Z= zB~WZwVO9r)mXE4;ktMx)50vG6%j!e8UU~y&b=vF|C<_HqP!(>hu7%oZvl_@T->1!X zk*(NZ>x^%i^r^G!(dnW?P^V(8CF@$!-IT?cy@L9&W~8;FLp!cZPQaXXw?InTd*swJ zEp@n`Q4DSdF<|}0V$jA~{+|}ZT@b^6Z1TWl*%CZ|!`#fe=C_=JvsXe@m-ws7E-&W}gr8c%* zJK0fdyR;0pJm}VP!yuKXz=mlCkXz5)!P-Ws5 zWOym(KL#W>5~;O3ww=v?%;vYVk705KMVpdzbi)1cgGX@C9{jC}UV2_VNLK+KU)vb` zt=i(iL}+ZW2dK4Ok1+@xYj(70EF)F)<#(xNq;Af{W=LAJlO_~u z72#4I-^=cBs5F@B9bb3H-`2~=5&*4qi zYUl|w(s{!x4BUrYQPP{oy5N1NW0!%w-c7IWts4w@)24xJ+hC6d4s0dOu!=fg3~tcX zkW?H>m{4MdR%7tP6_CRin)#MUZE?zs4wI(ndf}a13N64S9m`0UY^Yd6zv;MN%R?+a z-0`t(QRpie2B|FeP#!LUSx(WaaS&;yc}r0*)JY7y41#^m)4)#!Kyb+8AbE`0(-^9% z(X9HG@uc>YtJ{)5gN|bENj1_m>O0h^4BOQ!Fs*IdwjIU&4FKq3fTf-?!`x6{fv`zs zn(2~Y#hWrMC6-(mY%RDjZ0&Uh^?-RIM|Db72o#I(`Ph+Elb8brHCY0h;iw)7x_JP% z4L=qauZx2%97k-b!J2$8G;e@$``trn@zC-gYZ3d*q5vRU@388a_88uzjR>rIod5>M zGSejj0#I-$!cw z$O0sYD9TEgff&omm*9ML3C=eb;rz>aI6s^ZdHS-|Tgjq)Em>?-kws|^S!~N9i_axc zY*Cm8c0Jgo-jz<0RB<|8 z*f3KU=HBJPoHPY0`&?Vi0UeBrR5b7%;BzFj{@AhONDVI#cDZO#fKZv;toGLAJJQr1 z+HjXphS|zKs(zsZaN!c_i3__>6uu64V%Mh}rz4#MaNMNvw#3@lkTB)QT8PCD;w<<# zWuGMNNC<7Mwci?j&}GdjdhlgqG z<>gooX?SzOlq6E!VIyUqj4KoC^y*izJsT|xFAu*}RE_&RYtY8FieNj0XId(719FXj zX3$}9lg1cYa@7$69K0*(Zo!&EG@a7WDXY$n3c@(89X>d*>leND1>Ugl28n9CZLv%= zkG&Gu*CVam9f3}!weAg2Duokb7N#g}g@cL44mVNRXQm{Tx#K?N^KT?LY|;KUqs*c# zk6t#>l6|Hu38Io4+WB|Ek1cvBQ;D;*d>vOR6Gy|ewESl77_m$ZS_iwfp=)`{jWQZc zzD!BCIc)>3aJ*$%f~`6dsCc)A=^aAr%_&GVFm#qV6{*}pb8z7r8fQ*JDtiDzVF5rI zQuok?Is#9cZz*NuON+S?Fux5#A>gNd9xKygD*Mcz#x)G7O=*7FfbV`(_L^_0MjAA2 zN^9!O9pEgHD%~)D`e`#fcR)k{N0zDyxNuaBVV`lJTqxr|E}PtnJ!fpIrrBKc%3SSR zg~g_6v@~=CHAK}I@}hyEa?&(13}A3o1~9vxv^NkC7*L>@3t-}f(tC%%(&@dU$UL0P zMPxpU%#+DnMdtZro<-(U$y`F_F=QS`=80sUL+04%_1@UR^xpXNqxbeAa|W5?;7;$2 z$Q*}%dT$&P>b-IBrT2Cub6YaUen9Vy?Hx?l^gr+fFunic(=!mET1Z;hKpTEs{1F-ni315gp3p`>8V%_Qz)B$HLdt|>4Y2Q_jDvCw zlzSlIr;Ufu4M>fU_CeYJX$d6!U~@9O{dJB{Yxoo=l;;$r3guuQc+V9ml$b)K zvB_9Y5h&meRX$rRdxw0--7nV0C`c|WNWBe69c^%GMfeJMDzr^~rwu!nA<#Js+Omvo zl>qxsKQK2(mf^YxyP9rv@OJdS@d5XWCM85A9Qbr&gH}0g+(GY06+LgX&BVh*1|_HF z$rZDcImyc8xX3iMG)t76CzY{T$)=+A%@L)M9N{}1obZEXH6}7K26K<^n92KQuWW

P2%n94kPjQ zbc4l_c(vVOBwk%NSR#pcs5^|rs|Q#d1?FYEABXia@K4sgl=;T{aI8y3pc@7}ufoDY zQ5sASt>SdxtAt+B5#%_qj~Z!U*mQE74W_U}10L+52o4KC6YvrZcyKR?aGdQ+4(yc= zuZRH2PQ@^>ff@X*Ar99KatF>3x&knlE*Klb9s>-2J22t_WrK}Q0IzF=87wv&)(P4= z?*1#Go{w?Tl%)OP!CG-UzVr7Y;0p!R0Y<<@o)Jd!fZ^{x_%;*6E*Q&>y1SFX9y;om z-f6FTr`@!Fy)$zB84{-3(f^7`|2h4TV+kbOZu$TU$x9l@1(v)sO@(?gq*;&{&`Sv= z>gI)fa|%Q#t{_?_Ri&Dm4EPD7&%-^;!8aBW;6qGcQvntNumBTSasYg*0vKMOj;9g( zW`Mo#`M=rM7l2s0{BmkyL5>)yx?rT6HbC1baRsq*kvdD98X*!*Ov@AtRS3Q4f<`LD z0+kpvX4g*XEy0pl23($zAd zN(vl%;kk%~YL&R7$2gK3KqeGN z%7I6*0`>ee^=J|5YXVJ_fR>2>i0)x%LIKD$I}xTAp@a#D@f&iZL`juc@CM`GPMM{W)6&VZUP$6&|B~DXkWQY|VTsD#PRRV=dof8epn1oaqVlaWR zq}nARG@d_c0zZb$GU(d-tpEKme2ciZ&(Ww3pVr~ejJC*tAW4d+fE{=fjy>QHj^`)_ zVv=_$n#Ny4yx>be*ysp`-%x8GA8YtxMEc2h``iGUy@3`Uf5dxezKj3w`hTYcXyoq} zhQRiN7dISA9KJ%#Py~g^LqTCs%XtqR>kq^oMJCAbO2J1!92*otVe(KAd}ZnU%}G~- z0p8dJFuob!SD@B94bCAZ?EzEZ9D`4R#s|k0e0=t|sVpPZb8_Nnp8!vWQUzuu$N~=;>RBLGdWMa(vknm`mE!EQtO5oQkSRkw)e2dV zQYaB;3zR56lpr_98*k315yk|h)SVWs<1Wxi`3Yj zWIyPs1Q)H4stSyCfGEUs)G&%z6sM5pg73)?D?1xaoB5=7hiS)%bH!PVES!gW3Y5{Z zTsQt%a zyP;z-8kq*7nP&dHH0VD9kKqG(a5=Ug$1U@|#ee;+27!}H;=g49v) zUsK=+Sm~?)G24gBP7Czma5zk#G(n)yN5l&haReLzPs|SZYYNPCo4`nU`=3rf#q%ZbpC|rt9X3(9B0?dQNL3K~LO>JhISg9VX<#4Y#RX)n9O}vAg39nX zOb$mVOlOMHJsDX7S%zAWVLwKNXoQ&0j*g`AHj!CN$% zh$cWi8uHQbj-SKyr*E4w*xKIQ|{#e0>x zN&hJTQvii7`fTKj{2>v5%R@GRi|48$@npbDmdPx-j}e7p;153pWij-Nfj${z4?KDf z%oj^B1Lh2YIw_g%Fb3SXG7yWDBoq0NZ%p8U@t=~FFZBEKxTa$efH4YqoCv&$VUE5a zN4#2p)sqP)ra(At8Mq_hhhTV=37~b+|3W`Js}2fy&10djFUVpX>H+eaXp|4uG%V*1 zUBfkl)})dg8df78q?ijWc=dcq>58!E;oSmg#Q|Inx}%03Dw7rKu6G!pAoZa;{<~UX zsuNMrhXR&{NABRT%Nh`z-moPlLMzsJCCsC{{=$tbM)=cXjtrytK>1HEU;fnV-+=#T zBmjZ_5(@ZW!ig9HJ4`4MNsK4rh*?AiAtzKs39*^jPV6EM5od^Ri64mTL^v~xS-@P+ z+{~v$wGKv(K>G**!UloD`0PBj>E( ztmb^esp4$se9o!m9ONA5oZ(#HT;}}5xzBmRdBLG_ZMcryo?HfZ7&nMJjys(zyL771-gSG^H8FVb@yP(@auYw$cy@H1a zGlL_8V}m~nt_%J-_(3oV=^Nr15)_gW5*#`sR2;fKv@Y~j=-bfIBPWhb9GNk4?#QB% zD@X1fd46QSFh&?ZEH-R>Q$SW0|NG!RY1HR2BO0$iRs z)0XMP?9J@Y^kNQULiocBVUA*sWlmrwGN&_VG1FmP6wG|)0%i$wDf2_-8s-M(7G@2; zWra-z$fFI!38InM3a~xQdQLN^orAb;AZvWkbAk2|1VqV15v=(#ybb;P`Tsxyu*G8+zqF%RP%Df3&IeEdl|o@U5O(HPvlfq~h-q{x{L=^`+1z@#IfYIs z_NP+ll@o{{3Y-)1E*|s-#gVRI1~Gl`VhFJ2he2qw(wWE}6FnW12=zDQ3XW zA}!N~urjAjrkgucr$;bd31?ifbhb^x=VFD75h=(KGhGNL47PB#iBc=l1aN1Xl_e%; z2T*Hg^F)atPbFr$6a6rnjkAjZz=#wpRMK?g(Ua*xxZ`G;b5CP4zUqSugX|nQ)-WO? zi2l9om@FoX#RO}DXL>I?IIFPO1d9y;dEj(nrU|o?6FP>oc6Lc9fC~eN=oyi61srP0 zlP(bPH4Hbnvl$P_Naz?bL9ED?!jS-mX8171u!v%cr>THo!Dz)42UuW=HMN*RL3?+7 z5uG^xV>c)3E8Ybkc_s~$->4gOB2qc~_)*`u>3_H!&s`o#@s6ymy3KFXeKog1)#Q1( zb`_$&jQ!}B5kBVIsF_;ly< z=n-c5{B3?^=O3(l@OIhlq_EIa6*tDcn#;ahVEsp{dP&3v{YhH6U~!6!4D)h%i_}cMp01 z!6P`8tV&|Bud%aGk!8}?&!ADJ3KbdQ3pk`cyL;1Z3F{6HXqJRMrs{x4qJy276GL#l z2YmqHu@!Wf*$1qWR8&Vykkl6+7QqSdA#KvcerSspA)3`ED+-=2oJQ-r=M{X5XQL^XREmP+ay4TY3fl3=E`IsHM1ADw0w)c}geH)gyOk0CK zKW`hm?*j8v%j98&?Y9fvlVWPby&o2Yr+KfDoj&cKsTp9oJmS&Kt4U$*dC?yX>uEmo z(|}A*r|S4Vng#obVtO@Lyw+&(_TRPzG`>B`mC>(cuI<-1&QzhX#s7EPkimutWF?RbmOCNQe*;K1!s(Fg7IRjmT+gq3^N zUjKZA!?=?&{o;^>$qugP>0!g)>{zqr>JdSK&5ScKi*xTaM~?Sg{p9%Y$YYzYNNSgd zPkd4uaG=M@fzL!!TU}Z52}xDEmu#h89@hWd_**xHKlCbN&Db+@-SnD`L*ndvJy~;I z5X_Hv|JG@WO~sh@&vw5^4;`~BNAaNILFzfj11B`1RecV77v0i*@44;5*VMwQyp=P= z4NrQh4n-^;cEd7eS;exCd^Y7pc}RY&QRQ8?pTW{j(XtO;6*fk13_5x85!>ebU#t7I zX^&j}B1s$k6McK3=RU99zNd3e9+{vSWci29;T;p#S>AFSqS$%PV8_LjB#=}BVT+ZY zG&?F>3G~D@Z)_TWVKNp)gtEh&z`!#IF)^&84hG)eXrn5n4{76hN?)bXLz9N?--%0I zJiH56AQkw&gX*VJDt&|kpA43-P^=(AFmoPsF2s4vO20}U)85!2{6%kY1^=p*vrL@Z z=u^^a`*AM)e~7s@N!TlFChw5leZm8?F_7My=vnlB@7H~og-wKl@`GzX8irz8SELdC z`PC(ZE#$rT{p5Y4^3p2W&czeFH?I$;x!pW}r{J3b67y^OS+&_m+eQo$vhPNVvhD6S zWZ1tn+se(FSJv~?!+k&Rdw7#^YL3IX)v6o&lYctw?-7}QKmW^fL+Fg^oxhGhv1I5+ z_C??IXup}9E1Njeo3%75d4H z+da=ZFM^wd0K1x@D@NSf*EW3z{o=gKK~YgE^EKjFD;1I0P^d=@y_cBGm9L z8-F1nBM~mdB0LDg2!acd2xweal~Dg{>={S2`TG%>1Bn3!=K6LqmjxGx3^v2?p&kcF ze;1%!$@1p8h>{D=3D#0Ko2`yN)EJ(AHYtg)pJFU;PkAnlVR(u5)E>R|d!W2ED~L7Xu7j{O@$>Iqe0F6`0V~+F=`rsR<6H^JVjym|p-p1~vV>Ing5S>`m#a>1% z>=I3p{J;yUlz!wmDib%AUbyMp2Ib;RY31(UmmTcA!t(JC^lolyg3Z&uTf=8;>m~hw zILnblUWnNJ%n)2L48fH-eX=_P5hJ=BIhE40!;$CZ<#lHxM-CU}1@9Owtr#LU8;`u! zt^4m+m^~l!t4g_TR^P9x*6#kgXx*=MYcBmh@ZnjZS+OPh$Ev0QfeAmvua!{hn_nax znc8FR;j6oQJlOp7;=tIZjN$n+XRQ8YT=l^i&X`+63r3GQbMoSl-RgeFg@<3iIT*iv zA9ZDT!py>r(${Y}zHNQASvI3k*{#8THKo=MekmQ)R@ZoO_o9!h{YM1cyZ&*4_wEmS zR`tuc;Ck}wGoSop*_>NXw%2QCJv*8lEQmM-+^V@t@E3F&hE>6+TA5PoSPKcg^e%r3hKsvTiU<> zxL3Yoe5dnTe0%AytLx{llEkppxsjgV6``aL7C0YkojmSY%Vzqm8lRxAc5g46x3|XO z&9gxpTVIB|w{1P+7(?6;UHEcR5C1dmGbRr@Qg&GQ^Cn9cd*kw(>gCDy zISW=fPh|DeZ(WhBe!gMr)H6h}c|Y*=G^3xFZnutD;xPNDWTb!kkK6CJy`wV!Q;rlz zsXT%OrwRhTc4Gg|3^b_{^Gy6ZoHX${9(E2(Tl0zVBOtkq=|nhUfQ7BqD6s%OHK_n* z^x)REedEaAL@^TJt2X&%ZZ!Nh27WgPpI743U}IaqSljrS z`KqX?&OM7FFK*K`*(}R^vhd2!eU6OY&vNa*_B6XJDs0KtxJwAJ>Hl4 za6-Wb>BxB1vFRD+cQ?)FEp?yqbH$#@z@+WxpOyLupZO=HD7>(#j%`!0WcO?G(P8x8x~!0+nwhbA|@o+xfBwUI<>EU$$`h(<4->^KRPkglE)3&+` zFZ$mQee`AZnMVtBb1J9ZWC;C>$`7r5Sjn&Hiz$f+@0w-+Q%0%hEx3YW#e+{ zw@Ls*)d zXDqUXdpaW6+=jfcTlA$rg-ZV~ZjW#bI8)@XCT^$v(Y}ByZp{HNT4UvN^SwU^qFvgZ z&?C>~Bire3orYd$K9MXfvS)rCbizDjBXe8avw_#Y%p=?qdqkg@I`itsQQ_x5-?Z+$ z?HZq}&KYR|lj;Ud`}V7y2Nvv19rU(hWpvK0vXK@&iR|M$ZcZMzvpId>%8GFzxwRo< zGash(UUZhbc2I>^S$tcbAfmR}P0l~l&p}4Jo=nMMuZjI+(b{YE47BIT=GC?Q`{j`# zNh5pbk1EPm*OZTEY1N5sk_i?wm#<1`xjEw3pPkpG=eAed?7WMjSA5C48 zR^+%8X7=p6|HdWCro2t+rJCn4O_ygm{xRyeerpy)FpJGnVSAWCg>Y+8+5eFHr#ilG zTQa$)tz5L0=+k*qYDHt(cE*WtZ%eqD)NGjcaDwi-)paFCnAB{U{Ry|qzVKVH?q8le zzfTf=UBl3so^;08n2&Vf7lg_Emk&-o3^1bgxG!_I|z5!gK?L3rc!1 z75Uh6Z@;=HEUgmk+3)vyOlA&KX;X7=>UJ}o_9 zxB2Ij%%cY%#g4vbJ>cnDr+#0EzZrV)+l+x@zNtJlHSMa|;$P9KJv}!bA77C&{`CsW ztuym}%cK)0_t!AYMBVTUb`m{=RUHnJn$&*{{iQ}8DYWWM?%9$%% zOFcPb*U&`=*Bzag`~8+*d%IlCcsqNG{jK``f5g1};Kgr&AMdeyI(GJB;oCM_^OFnr zUZ(XAy7F-UsMg}v18(!%x8yIs#r)-)e1{k5AH>WU9XVgQXU){T&-&guN(;|j?AKQ{ zWA>E+=QQO>@)ih<*)1BS{Ibns%xhrqnelYqN zTXbyHW4T|$zH`SXoT(hPck`zUqgIuzjIEvYcx}Q zvz5+-i{{NOX8c31+?;~!Uq@ssp3Z!#E#>^l94Lr4_EZbM?hsF%*Ir#7_t~%I?t?De zsVE6Z_-(Ay$XyxxtlJW|wjW5i`O0G4q{8{e0lnY1O z8|@-|YJT*1WAS0nIW5!+gTEP4tlxNYXl85r2WPLcd<&M@`mk@FIH1#gxhJB!s#?(! zyguD?{F6RqSvy(N*IbKfd5(%_7VmT3v2fWl%XNcSj{GRMzeSSno4q?rzCJxHHDdnA z`1pIn_DS->9ck{w-HM2t-z>9DTX?Lc@bmMoSLQ7YXWHF9KK}~<%UziO diff --git a/venv/Scripts/_ctypes.pyd b/venv/Scripts/_ctypes.pyd deleted file mode 100644 index c208339ac04dee4f38117e33e45e4210b297524b..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 107672 zcmeEv4SZDPneUlok_=?v3^I`@ps_?nK^qMym{1d7lAr`8ge0_(KwD&wl(rFP0F^}2 zNm>rC)3Uwo*6zByQr%s5m;0-|wSsPI6T*@p2;rlEqLy0PPE77LRThF~J@@}S?>T4A zd_-+;?|%I5qLZ0(&inbi&-;A8&#C^*P9;-O6gNJGp(uOtP5;XH?}z`%cPYyFYhN6% zJU8Z*>-M@9zjEDj?fwS~nm2y=Pd0w`iv^$m?3cdueaxEi{|HbHY!4^XCv+_R~+9H!uNyC$DjXOd@r7KcF)87eS)7ao;34$Dz|vjF}_}Q|K~O8bF>)- z1B$ZPm8Co}u6U(Y=A4poU9M~Vc;!9Z*(vXCejndH`T!X8i+*P)N;X~LpY^Rgi{}9H zhSeE(T!sr2q_Xz6ynJ?nOKHd5SqojtbM$zdOYx1RALhRuF6Hs7@q4FB*?JWo-|bSC zThG#bpTYAo=Y5PbL<>I3zgt81Z3*Go4=>{njgRI^$l>@`peSo@-MIF%q0geoJ$OKK zUySb$9EI?+4FBIMiz!>C;>H@3qp{zEZ^yqfMd`eCuq*fB*X!5ZJ4=xP0A*?SFM*Fmis_2>aG6M%c5gCU({^4B;`F z-I0T?8Y8dQ=ki7NPwD7QW=9Z-l)y%OWouv1d^=vfrCf1ka-ZAD#wl zP)<~PVmlH_;d#9Xd&Ck?$HCBqh>Hr9yK6*QzR?%i?-onE>F-y#>&3PwF<~y&WcO*c zSK;aC46T*b8_{>(&IvRTPXu#SjoIFbE}xNip6{U(>O8-v!b1QYWej*sD4P0s7q!)7 zDEw`Y!vZkIQ&U?nW|sl%;T-{|t`;SnQm1L}(5$bMgk5n5qnHee0()gB{T z-|RK=G(5zR#ZV-Nz_QfcAQt5t#{ia&i=mtAYYl2)1<%2YMzX2U62QeQBzjgit)vxO z-Grs%UxyC^xFuOnpiU^aBx@!*2xW?{Zc*-u%u!lBC0R6?a7J;bwam3UUR7V}j&ycK zhHu$ipgzCtTURJPqp)KuzJ7TB!1y078W{V-4FlOfTs)BR!@JjK8hN`VP&+!q87sTD zuW%huN)MD}C@Z^nu0ow4J}dB9jL&j>n($GwtbeYotPJaSy6?=aEVl(&`3=~5fN}`qUENgN zxw0EoCW@D59NCc_-Q?Q7@HPYW-W|w1kfDfocVsT$R^E(0Z0x9XRpMe;91{Dw`ZM1B z8*wP|i_CYQ2DrPi-jTu5T_AnF;(yiyBekN@E4m298^o|)*W2}*tVmC$9yqKwp5!4O z!NBc7XI^eF#|NBn>n&$GjPL|n#p;pbS7Hm!D+;aWfgA-@uMkIP9NC#LR#APpw)Ma#*U?!{y|K?S5CfH1o|-lvUi^r)%($G zN#O9-XGG&kf#IJG-6ak=XDCibH`+^b3Ja3C&svfpnsOLW36GVlQhafsRGh*zPw#L= z7hy%l@`{KP)?&OCZFMfjJI=)r;gd%A3^oy#7vMwN;z02$fMsmtEeS?OAgq_RcLNcF zwO62EFUl2nf*MqcI*(rN*PDiz0KG`*e;RI znJ6vhqmEC^_v__TM3<4F*W@P?1jY{!QG_ituvZ(j#eloNo zTR#Fy`A{M0bzI%8p`Un`epHv}VRBWAiHdv$m&l70LrT zB0T)U75LRtxt4B34ixlM&f;JDy^)>*?8ESgsF;JL$uJaAQDyyDZ2bsYKbD(6T80IU zI5d~2$6ruW_EvPz3W9;Ygv#9~8dmMdh%R$&CxpbVdMEPeS|xO|s9e)^F2h7*DqXP_ zJ=`gluIc(kMh)f=j1|3u5o4T>&Qe0NMdkFUyTgtCf&hU{GxdsDAe$bE{R1UNco^Ua z#{TtpT(xc83gfqi(YAC232LjGL^sp)AVa#=$SYuW;Uy0DRwR>{fddzq!lklr$-jNO zItk*ShTz28p1`n(t9prqH+GBO#{P5YR#>fGPMdaa^_i>$n?fovB1Cri5~|Cs1!7Z~X$Sx{o1`ts9=Cb>cQp(J{M$ z3Q(YqgAYyGbq?Z`7E7G_z;sbxDE5g*3ubhc47bjTy44^TT&B6Nlu#OEDaZfEL6Nh3`Z^5jGAxxaChs=dNHFyKzj+>C;DpyYUNFpg{TFteaAS&<= zxi(u9#|MhR4=s8b87!)A5G@wS(V~R-F905~hsX&5>jb{rT1|)_z=Z^OUr;NfNhJaN zMXJj%x-k_-(Lf)7{9|4oFVQcaao~)oCy4d6-Wqj}4T9LqnogKGYx=F4B!M-=9xNhA z5tbXFJY!RVsP4HGq#5(?k_nWh_n}jLqHZ6p(3j7cdlJp&Otp|1u2elO`lMOA> z*78m4`zp+d(8~jUemi8hOXYHt+#XS`;Z-BCTWtq< zXTE7s55k<$zQ|QV2M6yG|$2KoXu_H=E6U~ z(+NOAQRWRA4|+BCB<#zEy$ZhK*Ol5VTw^>8aV)zBwF(<*V~bfENhf2k76)jIqQY%7 zd#T}tXu;mu=8j~t>X<&Qzo_$e9DgXE;kQiNjaozsOaL+|YwZ8_Qj?CMJnKIdyop+F z7hg4JKi!)BwW4Yct0!f1FyT~I&9oR4VNH@IB$p(q{poi5*I4c6i85lD<3ZMgMxB>M zkg(rDGOb1^5?P zq!OYwaOm`USM2X!VG^|(wP+(bp~?FR&HI2(+)LhaNd>5+ubA+^*@Dk?Muu22N3W+vNL5hLShqGSA1IflO~IFqAl9Dk zHJakPgXfc0-X!tSDQt>>2l8gHr`$9B%RnFnQm82N2z>iQmjgstkH{e8Nvwr;eFk=j zH%?O2_GiH9pl(VzvYnosq4hlrUWO+xEXRO*78JOFRNlwC9geZkCKGx@t{R}sG3?p>kap}t^N&w_>9u7!-3#}ciiW@`Ius0iWxQ0&h? zfK`CD|5y~qYB8KAimx-A4?>E5$daNDiU(Ff`pM;yCXU@obZTLDXNEA!2^u-+Ep0Vd~17Jr3G2 z8+#cmsuXu(V=F!7`E(&Q%hmb=`HtN#Dm*KBpJNOuJb!iZ!Ih#5PtvZ?>Xk`r#Pnfi zG;ngg0uc#P?i@)#J36=AOawUadP%vz^#;l8cVmxOVk@e|g)Y>d znKg+i*s=xvkob;m7M?5tu-`FekOzzuRj~My^LWD7fP2f5ubU-JPAp3r*%DV_`+CIR zdTS~is7^~Np8}M$rTEZx3*0%WEQDfi+f(5EJqpB%dZ@EI;>p#|Ca{0kA;$Ba2 z=Q`c}Pzq$ajB7~&;iblWB7n2(JiSi1hf;bQp$FQ+-M<6StURJkGrgDTnMs z$D#69d-VC9?eo3*{Cs`BPoM8UFdzJSKJ#nXQ*lr1GhF&Ti6$VPUp|Xam?TLyQr~9X z8&e^TL~j`+oizt;8!?pxR&5P{-C&$BC#tspfQ&k}x}di2!ZiRNW5jR+S_EU&HUD1;q)GcDbCNK|P~L={LX6H*9*^mjOnmi9(v{eyfI zq+pf|VNIpqMbiA*220;)d0`a|?@K=f){=@TU; zZMo%EF^?n`Q+hcK+y~}dMUPqLQCa2*8uCG?)G5+@(o#=ukm}*Jv9J6XE%$*m`Q_4V z{9m+cZZW^K#1)!hsoFEdlKj|atLRi&w9-*D92bWYbY=**WThyCjI@O$dPw4_wg!`o z%Wb^|E8y7HDWZwR|5)<;(Dn3$T3*;d>-kqd_+zZ+!~Z4L^MAo6X09ji!tXsh>U#d2 zRdlM{u$vu4|8uRUC|myb*a5Ck1uLJiSH3^mf`UoF(9hcwTa$JuZC7)HVt?XJaNtYS zm?tz}V#l^o8Vhauh=v{>xSksFg_cXQaVHuQXJQ5G@kPeeJBSEi6zi4xph*^zD8dR! z5g=(esg@MRp&};eH=*AUA$X8ThpE7*?f21DDlt$y7MsP0AgJx1!c_uMP&;Or1=x@_ zc3Z1AsJ2hSy?MR&QH{4SFO7a$WJK*aid$gA8~5UiJak`xoM0+Cs;TIh6sJbqOIDA2 zZ1cS@^eJdTMN(kcp_G0m{7t`b&prL^vao7L%p(y1k=h{Vm>T9WwIS~C!#pgVD&%*xU;!G<3FrL^)zvNeO(gYCy; zJxH&=lk#q2Al$X{mIL<6OTo=h3aX*)F+=OgqPqn9*oJ?^?5aIIW!{2jm+wg`2R(Dr zjxnaZcvn}*yQ3mMav-0)dBqodz_c-ad*10Ps#iS5zXNh z7)`*wM8cq@b=iRFRDoH-1XLVWGbhiE?F-J6fn16g~wY=i|Dj%4hSU@g0#S4hgG2L_3F zeTN>PJ;-k|G=Xh}C`hy^Fc^V%)GMmoK`YiM(gK6Lx1R$3%x1Ca+AhzzpT;&BcS-Bs z;#1W2@wkX=@#B}9Zr72qA?%BV-h-w9N4pnV8HEs#k2dywh|$o=lMD;!}vXk;dY8mYVSbw!TQpSa?vFK`7OOQe&)+>E)|{<0*z*OA!x$()Q#_ zu{mV!I?J$#$vJ2@+%L2#=Pd{R z8mC3j7rn;?A!OHLT$lJ-a*fkQ8GN4kWvxZplSD!D&NCT?B_?zYI#4@^XM)Px?tYu8 zLJ50{RO@ln7Nh{oS&V7B+>7$9SSo!=OnJ#mp&I)M^Z+qJBf?W8>MBztAF!<9(ktE|T0ITeXi}h} zO&1s;JvRl0mK(jc_-u#KItLqfi+4sZ2*QBHt%ad!!~Qk@&aqi z=u6spDomeTh4jfGe#kh%Fj3oIKp{|QGonCkCk3Y=XynaAFXM>rYu}=-^okX*D-v0U zoHG&JeKPP0FkNco=&eXnJ!0LDkB$Y#gy z{a^S~A)zG-FF016nDF<4DzqJn6OKTm3Ifu+W6X81v>LrtizaZL{Od{X_kybr6`lVvL6q*@lQ}Ok# zC;vn66{wVeuTS85G<20hb7&I0%NyP&bXD8Gg5nUvn;a-B{n023hj(aE$y7$$0@PW7 zy#S2MgQy)x+Z>HBcHkBxlQFbbZyE(dO~GCx>`W$<=?#}o7Zyl_sGztuRmu-yh%dvJ zBCQ2VxG>V1uY^=+me?A4MFB=Rp{bho zSQhOVA%1gNn>iJ#ZtR9Wga-eJZh>$_SNk%DA|(ieguf~pcz?!$$gpQ)xv_bQwj8DF zW5Y*LwZu^}{Hknk#!x+g+$+fd@gWX#UbP39K%rI~ELVgkELOxua!>Iq%m-t$%yJHD z%=DlQakzww|2!XKfaSP5$Bm8HV3B}35k4TbMbgM*-)CTtZPfFjr$E=DR~Q-2UP zn^aI^*9`nfbPyO2-_u+WKWK19GEB!ogET!-Y$`A2H-02L)LQ|OH1RW33Z{bMS60T> znnjb>Q^rSOFC@h%O_CcaF>nd7*z8BN8Ua3YeOeGY;!%J#NR6t9w0f10AJ(F1#q^Ti z&{&8!nq+9g78+%JMBb*UAMe!cuRazb#}5%^`;>}@28QR*j35ichOn39JFwI-W@IV? z$>CI@5RxyGs++AZaT_jC?uRtmQ^6ezR#CI|Qh8%o zwRLbPDSkq+cm_MdeeH53X!+Ns3{zplzm{P zXnPzN_3M?IxHrBULGFa3JW6ojYhh3%r#S|Gz&uMu4BMwKnSwB6h%BdJlpcp&1J7Z2 zQgXNyM>>OUZANIS7x)u9hxJ2qG>;`yz!IqmiM(mTmn~@W`6mJ?2cgXuKj4X749&5E zr9MgWnLQynAIOw+KI|s_Ay|f|Qy^YN!D^fbK@?8<9tjPs{lfg&J&z0_p*)SguvT`M zQaGat;fQT7Z3Fbkj?<)m+dg?Emj&xV!4Q{m%1Opqw=A<_tV31SsPB%nmMNjRvX_Y| zy@b4NKec)YPXzqn$%Oz)9!(FpE})7qgcIT@nc+vI8J=&`2+)5GjGYLR1JtmiP@Oj! zB1BQ$yPEK}R!pTCkqZx-XCB2$sqI$*OWB(cv{aIgY+{E?-E+&Ax7;GW#-Q&EO|u-C zSBtVzvjbR!Wb;icxdVGkx5Ns*o&V5f!^ z%?bIa8e*!s+RsSV3i!nbV895JVDZ>z+TX;ml)^4W9))~-Q{+*|$JYERNj^?HKX@|e zq1t{C=v*J9(@ak@eFR$Y63fjc@f%x|qK!<<4SmwYTE{Lm%^Oviqa}*c)*Jcia@PMf9~Av61C64mM=b*3f#Bu7*GRAvATa zB?p}DshC3eXL56~bh^GIAN2DT3SR{MyfTG;VmAOiK_^EilSCykKHA4%gfoDnarMZI zwp)`30uut+pb(-es5b}G%6M_>*Cr5kv@o2-wt14y41f zDy(W*dRG~i#40r^lx_HiDou#o4K%uPkmyl3Tdpr1_7O|V;1f(cHMmrlF4Q+KT#cs- z28wu@s3fHAGII^U7##2yOBTw<3)4PMn6fors=@PJ_+j&PLM1&`p*`566O>!9)~;H4 z4$nOPvguMcR68TIfl*cB#~RUQa;$obV^v=)Tj2^oC_+ovn zHoX8+X6&6#CJW@~wa?j%iyUybeXtE+*m}CSGkV{ktpqnbgC>Z#k^u1<5hr2;YWx30 zS(6pS36$FLXShv;@;^s~wo@VcnILO~EmXhTJ_It`n#xQ>5n+j}@TsY$mmlt=pjL$8 zTP{Lq7vWp1cCz689LS_|H_Yg2wOLfM$d-?>kSn{J_L8`2+wEvQLHh>%wCO;0)o6^Q z0u#14Hh?SJ%>N2Ks;a83CqL$VT+r^mi*8n$Lv@GEKy1zII&OM4MTZ8DUU#9S#uK_m zD!Gr1Qn0v_%+klzufK-jMnCPHad}rESVpvZs3uxHh|h41)=70|T}zUWpSX)kL#ZAX zU7|R0E+;aarGD)V)P^7OiDinP-ROyE- z6eRBONTl0cflLD>;S1_xB>FV1Ke^^opY&iF3b`$ zo&?ae-cf)&nt;xtlkvZ66d!%QV1Abah;%JEfz1!(rnDo8t^x===v3W9#$PBIx`(IO z*iE{N2WP_q-bj~EhxQ5d`8E!k(tTg(Y7=yHJhcxexM93Lu20|sa+pQt6m66;`6G~* z&TkWTh_-#m zm;E7X`?V+*t-gR3hJb3AySBk7_5s*f1Uyvj@0q5~SX*x^c zm~2D-TUk4en<;*-FxBc~IWR-!sn(=(g#&ksx*_Cci0vTHF08Qbj9xtnr`3(;FwvE5DIYWI6C(D4H@zO4}9Z@+j6(@p- z)2jd&-t-`n0D}BP8;?`cgvS;iwRg2qwgVk>cYGv^_>hA*(3W;ft;G=`JWaIkCTpu`WYOMn05`+mg2iwLs2t`qn%+ z9>uiCsWyRESi9x$Vbeas$E;?iYF=ixfaGIVu&*S0{ebPakAA``<$#quUzK{i3WKvu zH@q)c{`9g1<{dGqBDX&etayNWlPEG(d{pWYCpK9eF+avohy$b^~<>sCWS^O$^zw6G? zuILPnGl1Jek-!DFp$v>A-|ivWCfW3B13K^jHZHMPSJDY*aO!N4gYHCiz78E^U<*#o z37ig@l?_!X7aNR%gk{D9Q8~vZitzZDoR!7$P`)YY)v-$wc|MTh1*Z`Qa%57ddZTWT zcoe3rw*Q7FN_{6!G%zIUV)`r}PL3cSN(C)Nc(^2dQjLCv>-68SIDZWMPL zP#|34#VnD1hnCV|nv4fWf!x%2LboG8VLI%^IPaD>g6&7to&q>vs`b&S*+pm;;#av| zB3g!_0-#s8wek%*`sU6&j*cTO7YZ;C^(&7+DUha6hl~U6XaY3#k#(F$LX_cING597 z2#|!~aaNMg!u0ouW%@fSmR6av5C```4p{(o`+}$}laWBUUW{L&5`Q6@(evdL(FChP zHOU~juF?aZ$fL`l_@QP@RMJU!NKFB++WsV9MTc9RC*Q-@XfuIjjH6E0W5qFnX|b8w zJlTuNag)5MP_8nu)Rz8DfIwIz=KB*`A&g;&E}o?e8flL9G^!1JO;j!y?QIG)emP1c zlZsZKhh%>apVyHI52vJpu>z8evE$)(Qrp*%?X-?G(DuJZa~Bt^a3Ls`7%*GkL!U0` zQor7TC$u70*jyLJAR?;OBQJKNXIlHL7x&{=%`&8q!ne(RC9`375$_c3F+A;m4YUG# zv*_bDsuW^^e^1fs)yM>NVVUvZ3V|$5D~#|^?Ai*z0n{xY?j8_=7%1({I5W{u3jj|y zWhFn*^tO@@!ndRtzKrmBN*G{-&l%y@W3?BH-cjm}MRgQLU zV3WMFWxq6qJIZ8`Q~-yKH9N~*3p^>6CN+)`OQEM?30cNqkoyq3DLr0{38pivk{uC` zgQGnDP;;JG@)5>BO00#(SB=uROny=^C+*|<*yM98kCLoJ|3Hsut^fapNAAx-M^fVs zER11!))Pczpa?EE9zdp=&?HC>LpYJD6=7=|d9zrArL#KA9oJS?PpVJ$d&(CX9vgXR zxk6FajoqfnMarxB#9tu^Hi$plhGnyotISH5Tm>F4={DI%1aKI90jvxTaJji#7_{L z4ArX0N^>?1U)nFS{fEdT7rGSj>HV% zVCaelD2KKx5dJi*9zocB2jTRCh>ZDxZ%6{>;PEN+5QjF5P&14a3nGCLx2T$4@@mT$ z1Yl7Y!{Gau0bWeq8?>FYP(_yA)tf>asp%VSIfjIoUSl-=9zXgHYr*QK%r52@7W&Bb z<@8Qi5>xpPPnDwMv*s{NmPyV763-&79!0uGT6{wB0#u=_Ftr=2I(q< zf5yjB)t>s|iydcMr$u_ar0*DalG=}Ce7uXebG3pZ zli%HXo?X(7-A$A|0+ku2l3sZmIxcQm0THTXbAC&ZUnOC)g!G*Z6=;v%F5 zrVWzff<>SROCv8*_e!XOs~SZ>=Wo%jf{aIdA@YHNI07p}-#A-Z@3{C-X6EL6*jcUz za-yJ#WF=YWv5nM@JD^O;Rk%QQo*qaQE2?Z}uLk*PRP?IRaxzGp!x8=&Nja99BOIa;QY&dkXid}1ngK#s zN{vF|g9=2X%3BP97kMFCXAWe`_|_m9!6wO|5=cN(#l2qL{X!+ET4rDbWlKKT`Z|<6 znaYx+yqj_U!_HvJ;ts(^l7`Ym6t?lsrcTWNBP~7!=jPZEu_CbsHXfO5JmfJ=x5G${ zfgZJ`SUfPjZA~TXRZY zZq0<&2^3k&I~-1q!IJKfS32RgVOa(~CmM%~VViBOpl}!mqYc$kZfj4hNDkIymd158a&Ec%f2+eI+e}TVJ#(xm@~Z5|=&>5C^u{{`4{{OAF|6+aN{Q#a+aad6c|c zA(;mGdS#d}k-t>{^;7hSRKO2V1+$n%#7a^Hwf$|}Yp8VupMZve6DMWzR@?V+T}}}$ z#Rk)O8$t-3m8~18xo4tnD2|VMkh`Y!cJmm<&ESeRz;uut%p`>#4#D;A0I9=jn+L15 z-YDVImk1xUpmxl`NJx0>CxeLKAZQt9+(5xPG1LggZvLKO)XG#aoR@|}f@G zVz#9wcrR##mFD~}={D%kDp|Ld?651aHY8`+Rgj0stRmz+i9pkN+DFj<%gk2RdA4yd z@Q%WlPQXhmQzab7fDTUNiXxf++^hslll&b)O{0WpR3pFrho-VZ>@@=8YA7tM4>Q8v z{!I`rt0S>1j?q?jTZ&HtR>v>UKeBnl>ofx3D#7(Ga69h};C2)v`W!W9 zyNwpH3N^}*Qw9{~q+3*54(uTu4xoY2op@p}b4VBu>ksL{VLad$Wo1Y)#<7V+H%<8A z44E67Vblmme>}nwmUni^0pUlR!6xoSLKLhti9UnC)xR_yFcMXM5%fg*-5V!}jFRlI z4@PAKY~aR&zl~fT3C-S-aaVTu#>nM=3*Ee9zU!_E7tDZ{KL}0TF+bz3ij45M$Ymqs z+c7`$u8Pc%XL4tx*M+{|VQ_Sa`I)A(w!Pc1LKFoW%4?vIx&-wL@?zTK@Bml6vDuG^ zW;^mW?4}?uKnrpEUagcC+f?e(y(NHh|0a$H?5>tfPq5;Ejq)LkRn$n4BU>}Y>*DNo zS{^DMn9~5zv%WUbj$lZT*tQgi9`*Z(2VPW`*$wsI3v&wIYapXhiN8|DLf6kEuSzg@ z0A5c1-kdlv=I^9y!0t@S7)*8MA$2Wj3Mff)K$3xUa{!xfh|82L41>W>oGblGUCwsLP6C4Smy4ijN0zu**2a zO>;_+IK4@se?v6Z^z;veZ-iV$9Mz+jRLSta5 zZ|uJoJ658@aN@os3z2LQ?a}*CD0wibb5#*G|NID_FF*jhDcM4fVr>&r9;=!T*LoB3 zN3dUgIU+n#70jC{y~Gk9PgHOtCB5OCpF)^X25vFE0X4>PmakxA3eUF$X0^kOs*ZXv zyrXIrMA|Y*0!wd9B7vrw2=%X5mM9pdMDf`Hnbe&0=;Nd>w$3qFT*5^&}{+nI}Nt zcVuLq-tNAN@`YX?hHbV*q<;tw!t}cJ>ie7nM$$7l`LQ(ft$wWz zYIa=5wuX)(V{WV#VpsVaT)a)FYh|!1Z&n2s-zl&POy%$*HYxBCNwi zUAa}aj)G?PekB-HAs%6_i-Y4V%HVkJLyKMaP(+4Cmnpx9_18B$@Rt-1cFTv{yJgj*bVlS|=)C`jiiZWP7+eVJ}eQf<60Z zk@B;NtVmO-nAXcx;Ol|lyrlwOE3MCYXBPBY?TquzCyZ3J~n7 zqHdmj0E1PYD%uDdk+)DT53)FtoweJ@qNl~3Jy~m^1JQ4rxS~GMSHveGnx=rv3@_J5 zAFy8sbfihIMhugu(YT)Wi5~EpzZ^?o#?Q#$V5BWe7aYub6_|Y08VU}EHmGRy6ZjnW zdTz#|F^OMbOKfv35?_RvQ_$&~?C2+7C?P=j0s!a?5GFRqZN&piC8~{3!6MsEO|drY zH*kd903Pw{E*7cowvuQRMzpkK>PBZX( zyhcKzpmxE$aMOkNCeEp)72sQ&&KG$X;8!zdw^M-8Y$71Wsh~DXKBA5z`>TxE+o%lg zFO1*Uc0PjqD7d%Waqr2k^4?mXAvy5B$m_It>S&BgG9T6gk zBAJzV2T>$*67M*pNX+?QA{Z^AFp9u~(nWyKWbk;_D33ohNW*FILVtMQC`{}Cyfm@z z*V_v{xT@FMKS}HQx}32XA`c+1QgmUVpI0gvn&nn}H|R4JIQV zE2IvaiVw#=*a!v?S8x%@K#^M^k8t69AX0uMU<=Ds`oDQmsH6X?o@d*gIqor>_ z7Nfv9>E9sdB;H*(2nVRDJ&9?={E+?op8#pb8d9hr%j-k1ov7MgdQLX${;haUsTwY- zU#FDjkxmG;Ba|Y|;S5pR{}zu-QAUma30=HIPEJl;r?yinH2X;YB5LJPoCObzYAN-` zPn(BvBtM@{)E6NXk1ejmAvu^0ukykX*Y_x~HggxxNVSof6HYc-_^Ei}p&`uk8x%B(YS z+cJIDY742*94(k9fxzz@e?e@U&+9fvU>*4zD$|~1<4UYJVh%J#!Hr92R#pZj&oS#)wo%60RVDLkJ)3g1_bZE`Tkws zK(K^mTo~AqoNWQr40%*{VD<}iJ|gx^ouZU9yF)kaI*CcGcWJw+wIU<0PtK7<&2iA8 z>=xmZPjj$VR1d986`>Jrn0Job!TD?lVKC)U&?^L-Q^01m*Vs7I*jQw2oMmh*70b$E z=hz12PY{9Wq(FldB=Z!aJfIASGO*qUz^Ngi3(9v1o2R*>OI^stfm|6#;{xGbuPD@! zXQE=JUQvXMZhFNWI)j0b!h^`|*ShfCe*{SxmLsOvfkc8u^mVWZ7PftewQZ26TFC<| zhUKWRdvN;H92l96k!&i2#%%4@9$d7^Z;nsTq!BJ~>kB;a$LS03E+~xlqlPD#g)w^! zZx-`b5t~NXhmrfNu6)+y?)U*3ordOPSF_ zuhs-3$SXi4aIyl}x2DL}g@Jqly^+o-k>9$)7bMd}$Qbtw+#M@iPcc7Tf-ED1lGa-p zNNAMN3KcWwwv4p4M4J}Mcm<#^4(2ia?W2`LIPM^A<9pl`>(){vc5r~n!O#und#l1z z*F_$>eO$DBCIT@$k<0E)-pFOoX765qGxlrNUJt(X%t!{dEG+!XtT#7SA}YJ2Wn}9& z0A@JEdKSL4kS2>4hAf$5?uIdYX`A5%7k6MskUp(O7t>JMcmyCHlnva}(bW!q-(|3r z27CkVNAN=0`cjyGfH;?qQv+|gs13Zk6q7KUz$9cC4NYPTCQ(I`a7Bh`62q9p3vv=K z&?KT23lXpb%gUixB@*)R$Iqwov4XdLjs?HXy7^eY9!vx@2T_`=@2cEB?m`mF07^>vq+1j{k=Xz z%fAhw&sE^ilEn961{R6Ony2svdvAayz<7b(0zMAPN@}Wc{Txg^z6W{#c_Q-`1KlZP z;57t6AYb?#^a!O@3Ib2jLv1I1?JPD1$I02=tTJVr9DRef3iUt% zs!$Pw1p`QS{S!%^4HTfYGR1Zz&K<$KbP*SO2K1RMgUB#W2ZW9Tu;hBD^`IzpB;2J4 z$69*L&~)^G2p#ZfaPHKMzp%X}ykRy4Y$;3^yo>sxm?oHLXYvG`uX>$2+WcRl`AZ{( zBRI%T$(lmc5ezUPr8tiBe2h1Zj5Y*b0@H5lG+AK1Q&1w0P=f3jBqtKBsibxjm)be%%K$Xw>eRU?$)Ql8Q92!=tW{kcZ0SawLStn!Uemi zwbAel97W1~m;jyVg4CBbZsnt!!8oi%22C|1lctW=`A>O~8JV3YQ4op|-(80fvweu* zY641}NeikpkeVzZRm=U@JfGuax<3}!Zu!uW1EWnbLN@uaU>Mr{$AD3C*Gc#p`J&f_ zw}4Pos@Dfp0clWdtONdPj}xZR3y1$j(>jn5hp z@;q=aCzE?I_oR_+RiQ~p=Z9&!WTKDR?WPVu&PY0(q4~b4z$nj^^qdAAS>EziP|YD? zY!|~5f&Dal6t~HLy)l~xjj@{HMI?A`$067^NCU7qyB)L0%Rum|M^1oPH^mqYq2(+y zxQ`OkH5jwD8+l~TA@-F@$_bScWm1Me37O(GYW0g&t2rhd&}h`V7p!-#?nO|x1u$47(1YW_ZBqY0xubvKd@fm5+10ZR#jwE16+vO}p=~Tb=73`|e(zeSGbhm|WYr70f!?w`Gw#yj6Hnn3HXn^(v z)@L9~TaK??Yp_I)&D+g4v@Lk#yc>DgkHZ}KL4F#Zpt;TG=0WCeZD!JqXxmvtAkRC4 z!Kh!GiB9oSg2C@VGArzO4qvjD=aPDnch97~>n=_lkt|!7_HJ3)yKB?l-In(5lWFh% zIPKjtY447ty_-KP-7HFz?jj0z<`pjAr@OxmP(}Yt@jZpl3-}zx=U4c=kIw`=n}<&= zKKJAEC_Xph^N;u_Pt1===_%=!*kTH(UD>7uD(C#-SrH<)R)SA!DZSCpjH1idiqoQdf-9h z0iS#{pz+TQC^gWC_)FMNOZm<=+zG}?H&L98e_-hw!Pr2U8l;OkP;ib{EDPdM2#br2R=l zPc|vv5ZxqNpcRrjz9XiRJZ+qStR|#j3+8T0+p>(>@nvYZR06LTBVE^x3Yu?r0_j13 z0z?5TRnoQSjbAsO=eK(^5DSM1*rj|S*kbH*i@6*nb)|0TcrpuCELLH8Nuq*01;F5O z$Il^RaOz)Eu(CQ&cz1?0XohaAr;MbrMpU6am>M|G+Mjta1S!_cX_=fzhG@`M#V#u` z%_l9l3(M{?-LiXJYui1pkamypWcSEs<4w2d>Spsz;*L+){ynJoYeM$EPPI4b>VQ-%W(3sMfs6PJ#|#sd@c;YzRTf#*V3V?;>4 zVVZ|UHM~>u0v6(TBfs|P;a)ww7fC`JeYSlW#zIgsvRDf|g~^ffF!@E@ej42i?EBc(Ah2S ziP(qHbV+u6s{Cn)Ml{ob$gq^!q?Z&DK^cgf2LU6Q~hFGF-ml9s%@k1k2Xl9%;#NwSr^tfWg4s^lekOf-_F1-_r zWnK&%b|LTbwnXyK|3hlzT++?I!p+vnpe1*paSD4U(bps>{cY6nMR=J_I|isL?m*B; z*^k2b=O-bT;ZuOmC-M0dKGpcF!siS4==eO2&)?zmJU$QOa}uBbPvkZ5Tcota-cpTX zTd*P~#8ywd)Hm09sV{ND3U`CFeRl(OrRS5j8{QQVcY6}CWw&Q(?6IdQcq&{Bw#MpozNK?oyOubQbPjMW)f7z z_jpj?;+A#MK#aXrYe7MPiS@{X60JM8jLRddIbROSOR7#!`{d;m^YV3hnQva6k(bEV zj>6mw&iWYP!!}zorHE+YBvxV&czT9--J#gF--1_!PYTG3DF3<Sl- z@(e}x7XZJngK3MRQ{|#zl~a%yG&Y}F1%sZwfoB%V1TG;H7SKcfI%EBcAB6kU8UQOn zW#aXj8DF1Bi$@Xr=;ZkdVEGV5STqiXTnogzUB7mV1F@N(LklCEz$`pPx+*DAZZ8Qx zd_eD3vkRP&X^36>S(Fa@*@TCXjtVq+ZXl;8aE?}2Zs!Sjk!Md1Nx67&Cw!y>S>h-X zOza|W2c2F%Gq+_>{rWdi{-*FywBF0+QY2r4Cxp&(M_OP4q1<0rhRWu)oNFzid=R%A zb!SY&q1ui&tk7{;NO-Fsb+6OW zXq+>H^Svz6MOoj_F@{MeTqB|-AGXUz=qE%HTbA2N^zX6c*>X#sMU`-=6lrfEk+w*> z@@|M$x`Nu1gaETCa4Pl~`>?(J^lmFqje%dXuMf4k?&hq$q!Gpbb`9Khv&d2l>2(;( z@@?D@2lV@fVuF4l8_;3o`ydYzh1DV71(BtB$SEjlbG@TNS9~EKD=)S zd7O~{s(e^?Pr|6P$A#U(HIRXqbYx)Sbky!&T;X$=GPRDZXGknpcOI`*4_~N(92bmz zg)=Mq0XMasUlmwK$xMo%7K1q4B#^iBp(|=cZ|rTJA*`$YBzR$W*cQTmQll>hd>Nrh zBAb-{D{Vmnr70aN==>GN9nLCaa98rFVI2EM)G4Lr?0*-4F;_*69;6F?^OhbyPat7l zB~z8C9n7m*5u&pY>dl*f$=qr#!f~nUt_{u4IaB5Hp(wlyIqlHQ#mtM^CptlJY>E)*XO6aezZ9n7w<{Y`cyh6g~~ zDP#a=x6ig-FTy8rCQ^(~OOYc7e31cH_!pwbxn&=z#edVv4sXhaz5xj2ug44(YK|II5dl10-8blcOCG$3$e(Zh(&(+*yS4V z;UQ*o@TB55(>T-Uu65dcl2lNBInDZf$&rr|t~=rf5SxaBxSi~gkjYUe*dc0Zre9X1gvaF*3cC`xg7bzc8&MLRN`v0MWpiAfNq zD`+R|bmy?KaAsVHW0mw)h5h*iS!=!j!1i$b8fQ5#;e1ZK zJvt4Cy~iZ|6M|otjmhO(h9}i{pg<-T02ab3DC6#KNr}6&QeOCIUPTT+9O}?JmpC_p zY$6dp2!ug8C=PGA&OT#2$>J#EjpjnTF642`gkqoP{kaUHn4a9N6lx{BAhcQuvQ4yF zpMf~8QfmpG!|tcFah;*hf}-JT3W?j_BANgRg%1IawKT8rr$}lnH{%cIq{88Pm~aW3 ztfQ$5&5@a^oO!g?eEt|3SgL$Uw$&>-$APO&+g;{Dl$=@b+ zsU2sDS(f4K({M>&%aouzN!gpcVl?i^Lte!?%>8;o0h~>v0`-yie4G7xjh~5|^Tk@? z0Z+7i`ZB1NvrIQIu*wa>GaDigcx3E1^%w=#wb^epd+KAy0KjoORx%6% z1JZA$gzBtbX{K;aQ3UKPE9O2*z$VMT;e|dyhjXM?pN7JRlYluObhQm7S*tJ{m2)ow zxJ9(jrDI-ge+UAWI2x^S$#}dSuJZQI@Z}jVN6X!qGW+o5;)Tc3Id9{75=9!cLO`rO z_Vq^Cb?6XDy*86TIGawKNYSMpYLMyCFCYWL1oQ)`hBh0)5ZIu0kkk)Qs2vvw){byt z`1H|Nw=_iTqlZhpG{i+py72+_loHl4K4jPB5!S{ASK)<3oIQodiFalsjk7jB&god1 zFB;j%j$;DT5q2;=&D&tZWlj;!8grV68k&p5%rfe|$YvJ2xDIOsuP2>ZGdAO;e90^7 zgUW?9AZ5ReTrrWUba4rgz!!n!Y(u6rUa!^?G$Ic(|d^^Am1hx zlAo*uW=={)e?GFnt!`SSg$PKdJcdA73wA3KVaHWyKWlw+QU2q{(?Bo9rWV^C$3*SC zC)T!N`cMG<7*PXsz(}t<2j$E*Vz5cWd?6ZUj!fOlt^5k5hsZ3%$mFKR0T6|ml;XiqkkK?OnYi$hyDHqF&g4!aGtJ-TZE7I}}I4tS)8s(`K`@#8S! zV`Zl7tDWye!Bm)l$W-ZXz3U0Ebl`qPps_SB*+h`;lW&b_&EmOd)zEPh4 zM(*J2T?09yyX%}UvrDh^ z>em2(q8f>Q3ITX`N$=JS(JR8_BKC{y?_RnL#Wq)TL2It_yE0talqdLXI8$%HYYhCr z`D~anGWX$46oDy-hlcth^U&ekHdJRt+#!y9H}Y0a*RL}(_jL_t&gjLl3>TP|-{s+< zp&T3|MPfo|nmNRMkZCH>c)n0(1V&s}q5XKXJnVg=KL5zs+Ra|$Y*x~v7;T+6Jxbk} zRtD$q?1BFmpU(ll1Ne6A7gL^=a`LUI^5JBSUgXC8IlJPQxzQQyYM+?z$%IFf@;UF% zhx_bA(AbFRf7mrQP7%xeFxvd{pOOS`y_D4I9N#AW0_6jMJrF{e<$aXQp7drpCMBqj z^lw1RV16b%%v-!-g-?|EfeK!v7ey+45A&p&hFWAz?v0&@(ugRtTQdDdLy&45GQ4BB zG+urVTQlV@19eQOZa$}elV87!C<_#o_2K^puIBfY`Dr(&#N)=(f0*z={DZ7ek-h@+ zv29PHE%vxOrbPYW{kbr`iavGE5Z-z#7J0hf17yhhleetCCa5jGi|F+%W=ph0bT8z% z=X112zKC&8LmH8<07NeA+iJkm;s@hD0nX*Igak@_8COK6=yy`EpUFx)sfRe~^4kHs z5C6YzANK9pG<=R}+tC5G^l!y{PWX-AQl$}x=sy%;Y3N65uL z%2b-*csAeQ_3zyutv9a^8S+W3LK^gTvcV^=Qpj2*lD#OqN_>^Rgbm$w8PPEBQh*T9 zv=}boMK2QLI`P&$cx#mUQjU1-#4o3vx^&{iThq?uzP9~Zmg4~r(?Wth{AQY)l4K>V zI}s?y7BcrowHHI!;Y080v!0u~cJ$s{?LGe1j^5+%sW0ura+xL%`F_Yh&U~LAb-vI4 z2hR6x_4)MkwU;;aXyVc~TT4q)dg2CLFY_}Yt@}}c7r?z`5u5ARojA8Hvs2x3RNd3J z?w)mG-?US7>r&sk6K}1Xmbor>AKp4Okg4uDuujjEYrWFa7cJ>7X<4Oo=cJtJf7|$K z&qr9iamn_`3v0)#up=VuJr|0)a|Bt!; zZ`1nk8Fl^Tdan}-4Fa2Vv}GT)8GG}k!ZY-6A}qf!IxO#FSP~p1XPCK&UXi4nI9G)o zBl@NtIPun{a(sG0Z(vdn|o_=@z(jzbP)#p3$Yaga}>QbL%d_apg zK_*DRZ~Fz;?8Svu^B11n-mdpiuRFI_SN{;=fmL(jk0A1K#ohu;21-%yjB4+Rw?yxW z_mFl!fgeIY@rYxhtL-hG!8u=UAE?K$r|T_qPM7m@`_$*5S9x>$0FaMv)kYs054)3g zLqa0{0_Vl89i0$~5v_30Sf_h_A56Vv=eDC(<^0s2lB02(Y||kP@bl#UZj${? zIH0%^J3C;y8sohubj6b}`+NRF`jhfgoId{7*&mc65EA(Vi5vQJ*2W-H4`uO-6US9# z#yA2LAi)4=P~edBj)-E$_S5PS#`mGzcYyDg)FXN^gB_{zZ9u2p$8>f(VJ+k9E$P`P z`205T`3VaZ67gSsIW4Xx)Zk^d|4{uTe)nHzJx%fbzvbq_snmRIV6&mls<1JKq6>gzvh$I0|E~zUo>-l<>+sP44 zyJmXgY#9b^N-2MUUXBW%_hA@Lf)Bln+=5T9zOZo0w3h*;0uwq{#-T&`dc;D2VtL^d zO4SJnsQ`^nEF}nGb}Wae?UVw=hSE1E0F|B&qbf``WWu^=LkqBy5{~+Gmk%OXE@EMF zAs1m7UMjCXeav?~EMiL6TO*&KPzll=4X^lMZZFr| z-3wi@tKWkQ{}@@pYe{<406I8A&$@CahxWZj*2*~kbpLmCWBcVd8e>r!k_@MgqCA?(Z0hoPs#{rmbb@x7i*?v}^)HAbfmT`cn%r57X;%VQK|)|}SKBk3)W}8C zBx>}U81BJxV=0KFO%d3T@4G;mK*M{C$O(h+%23qZy}mJo6+{*KfrF%3(xwBUIp*tn zThb&yU0{n^*Hduq>3Z9PvFC%_J&npfN#!s&qH>@}7z5L@DJc}rx?@qe9-?n!BnNuS zGlsa+iP+pbcr^=|ulOX7VTx416zOU_rcq)=^K*N1UjsQhgtRPlr%N0vzDV;D@8=F- zPHn%TiHh#r%RD=E_XikW*Kd8f!`L!(#lLxLU@G0_L};@fLhAqkO+a)@@&ua9`xa9R zc<2EdfXeF2J<;`Bx+e7%oBSPpi(4=HL&+2Ao8WIBn?8-34PYFN)zcT#r|oI!6SY@- zoG4zASb;EXKD}*1Ja9tkJrha?@D%gx_F?J0;*?x;f>j^p4}cvY zm@tGu^8j~?hk5BfU7U&oX&h96qk@Z zH6~L8uR$C}gTHGhrv66V@EcjpceC#QTK~__UEII$VV}k2LuR@HIGo5qjg09dI6mfF zs6bG|b&SQZD-^1@OZMsHX!dgF`* zrSOzDaF&-7HDb;@%jbBO#8pfPjt(=-pR3}1_p}@i7)ezd&vBZ>T&-6dM_xrLqW$hy z>qcJ9(y(kFzGfqOf<=X(j`o1tv^WS4@Vpw312&fhU5?TpcVvP@=dcLp0|tN%5pBz<49gs@;5u#v9w3wTn-{H_!;^$EkW}AhMv$= zyr0n(o`ha@Eb%pMPcnFkaeFZ?7-7@|&J?1OIjMqePpVR7s@gw0qT2NARp_}kbn4d2^)eZzLxJr6x zxlHL|~xn9jjyqqvILVs($ zb}3;-7$0U)+)0aqR}_rjF%}u<+7Hrv4s3mgQh_I~BbCQ7fO2yp9vu3y;&`_v3<<$E z7*Gv-WR8^i@a)bw(u6TiDX&?E5UkjXx0*Ioghtrbz1CmKIMW*K@q{KZ%cR}I>p?@8 z*=3>RffXF+A@oy>Y(NCzv7&tW-{aB~x)Sj4V?|L0B#P3ea}j#z3SEPT97bS1OhOI3 ziC1FS{)7=xs({2H5qv-ody$g6$)zv?ILJ~j-W~!hds3Rs2goHEq`%FSEB$68>;iAAW$xO&VG85-Q2!euv zN*tnTiYg7#RteSNFf9)!l8;tch?}z*R*C7 z8G@lR1i|%m>O`1i%FM_Z2?G4H>ElnKQPfH#q>)F!0xM`?A4=#odL(`z-UvxddLMxA zyDktLE(zf=0vRn5`{R&M4eJlwCqq37+N7_Kir29v$MHQNAR_)r{+!zzxzuW*I2n2E zZ?RQk-!H!T9y$G7IkqW>$FkjYxWXO5L~7A@a42zKc8anwL9vBWtnI)z(o)TkFgF#9 zZh3Juw)>u7*QC-753K+3F@fW>7Yd){eJ7HNtv|wXv0>Qm(sor+>mUkC!Zsl2S*<0w zNU8}8Ep_cmR2J#^dQV~~c}B}CiMf%4h_R(7DQHc7GJEjzNr-Lf__5{G@Fp|1>23H2 zhi!Cp`)$|ceTj(UB7@)N-X7a^vGn#H_ukm9)Hyx+im2xbM3-Ro0h9ReTXrWEqE?)N zLiLIN0G>9`CbCs23oY*iE{qJB{ElU=V%fQMtK~OUVtX}ok;_r33a%7x>{&P>joFcF zQc|CsJ-FrD5lzC-r}F8cXoTg!!m%CS9HNV*a}c>_ zU(QJSSPUh@BXtKozKgnlg!>Tg92CS60utF@0yn5PL4qD|J~@7V6OxbSu(&@3x-L4s zbrmkO3ZEaDE_Tv65iVMn0eqc|3@L04pM-R6%ET$YrjaNQ$%&=qdWGF zZu1-^BOg21S#=?D(Z2uA9(k}`3>Lv+@QjYbgO4NQj8AkngC>|1`4+on+mh%69v3}A zTQ_r4+RBn52V1MU1uBA;-c|5+dTN5t=NQLUm!N&)F2l7cCXk_EH;tF zzSk>ub}Tk2gv(P?fMT2|9Tb_BB(H%NQ^h(7_@M8UR^j_v)5I$^~pKnHLj(&#&vM3>fgV{_0=<7 z~&v1U;{iXsO5MX z&;~xVj`-03J@_J>u)ALj2*$oeKMJxm(N_Nutf#rUPa5FM{ z?Tx9}mD5a$_Mj9hp)wv!$OmqrlwTO7hGT7O7zkV zodD;WaaRr*CL*gh62;KQS6rFcJQ(~BRKKraK0?8+_Z2LnhkXTZ`sp_wXuoOcPkxOd zQd$TS!nYg>sepcabt9$4LUi#NqRWNo@-swN3eluv^)H;HO|R~!@d6TrCiPl02VK_F zG(VyvO%S&gH@V5v_PoguG)KH&lO4c_mqGb~H)vD`NS`d75A~+4oLYF^oVMnKcIkZ1 zYts^6ceY%o#by1A+EQ)^of9d@XiHfG#t5}Y-1$t%M0xl=Aq|RmaBorcVY;2DNgIc0 zJ_Bsubk-X^Z|p7g5JQYT6iW}~ z(nF>AFk^m%9dQEqW3|@>3VqD0!-`#UxL<_N2`V0v8z#I9Rf{^9b`Sf|3Oh~7~iv>G_`>~IVh0@ z@ZWNLH2A>__||sa{84n6yBp{7S{L9#l0rZxP9{>Lep>!MdZyytQx(7 z1O5v7UTpLNP!%%alpZ^sRf^kV#jjao?{ezecK{(t`voVb9m_{j;TSSI{{y9)PB~$l zGy7!ros<&%Y(@&c)|H5_#m&IhdPO44Ju~p}w2`=|Um~&5t+}Hk_`X2yxPG<`d@~R? zbOFDM*a-mo8Xc@ceed^{0NQ~e(eGRar3Mw@6Wih^v_UT7a&5or`elxPP*0e=6awqA zo%CJLQjT*XIirR9_j(Z>qnDJ~k==E3sjr}e_aYPA(ZKG<2IFDGTj%~cf~g>ixtGw& zI#=^BD%Q~bHniW&>}HJ1#$>gh@=qq;LbZb1N&yrGR3|E zC5VKJj-n%S=Yj-^T5;oCPv`<1Hlf|^v0H?3>M6JD#=fEbP%8|qH+_L&O0&~6uL z9gIyt>jrO`^}ig&+AQcP^wk7fKPZUQXF=j^xgdj3DvV zTG9am0q=M{QqqAs_T@5x5y=Hl4Gm@=yH1MSyc*?3U;b9Oq#|`KVHDK2ZYzExv(qBi zDO*=XTUQ-|AZo2T3OZc(w=gcVIZ70S(YTYY0gTv)UDvkesw1Tti7&UVIs!pq1JAg0 z8B8f%ingRSV(Yj%7&)l11cCU89?H;`!s2l$ae4HEF(~i43`m96Rfhq{&8^7Umh>!q z6tGMS&L8!TmC|%Ag))+Vh$3;73(dXrPco1gFm&FZ0otZzawVI=bQb}OJ9!vvgPD#a zK-6E(kohQD28aL-U5t2`ZVC#Ow5;08g{Ln`?5V;-nJBmwTO*GM{CvA2s`B5 zTCzVf;s^`b5@Fo7HNUg9WJBw!^{rLyU5SwQU?Uh&2MBcWkR(W`dtd%x3K8YZL{vl5 z9O2%t1LbvfXwYoBF&f-Hb?s1sqNF=|4SfanRO_lu#L+siwhZcPE1MFj+TWToC^CKS z{iKVAhOL<~m%f6AfDuH{vs=q2WE@?UAbExVa5ia-r)E(M1?=8_RK>QFmMZL*-G$Ug|L1$VCf{xFD)j zo<+I=2RX%2M+NN5KS_kqyPQs(GljsRf^c%Fp0;mG{pWJ}zhs+j>_MS3ZR3Mlo8nhSHr( zU38@jeZcEOJoJ%OAaQ@Rq&;?F^-U!0LN4e(rR1t3%dinQM4o(7x zkJh#Z`PN`s>$Mqer9FwAk=?)h=Eq3x+{rJu&Y03VLwP?F8|MpR!-@irRZ`a7U3()X zyVwwH&7B)f`=&=ypxUqNhK&#o3up9C{<#n~e}ZkTL^1h;$X;fmhP8C>(4MMsw2X32 z(;=U)H zt~=^Ur@NJU(&<*Bo^&Pi$x73ceu(*WU0zQ*+0lE_$;gh6PYB`ANfE;Q`OKfo{7UAR zGe3{{+03^x|2UXzPkNO3#Bh7k4>O-#nw(z8($K80C!J@02J@B7r?UrumiZ%@uV6l1 zFMu{OpJVEAP-))#;==BF@U z!TgcTAI&-@L{Z)g5S=5J#DR_1SG{zJ^) z!F-y+^rY`%&wH8Q$^8AyKfwG$%sYz{A^Ks^PGyf#>Pci>{=5wqUl9)e~ z`6=G|_icN$D6ZF2kj? zM7fZrC7KXYlJ^Vpuzr-?#Yb;|ZLBLfIv+pS{MB_SD{N?VG}!&TE?j`1;BXB;V#=em z1#KREerAcHj>omxQ8Uz7TpIEivd&uz>HRwLM7Is$xb^uT{W)R%f=^pK-*YXtajUSb zl)CO2#O_O`7nH+A-$ObqAeBUKg#|8JhYKj8Yv9$b1+CPrh8MM>3G?P*UNR}VPDre* zTS>9YDRwlA6$*sbz^UIwh2oXcQ5yo*z8lVs77l|#(cNO_LYK~tb_sxnfG}(v0KVvc z1z1T?9Bf0$9nEx?dv;gqO$$El34atVI0yCP2Dj)YK)7egkZ1x5+rK2GuACZgL*QMM zWnIU0uEKlhDf$o^us;82yxD`orO|4@9^IG>@2%nJlXQj-3D8jhlx;$Z{)>PE8bh#6 zW_SG}T8eD=C}XsP!U>A=L@2HWSo_fhjReJ$C=x4H(5X^QHiF@LT>5_OTws`hKuMNU zpX$0f4c%=rg1kNWl-rf*0H- z2DkJigtaJ-uYd+TG@6fay6bUh^afX}G}0*|yb3qTg_2u(62n&s^;E>` z!7X$QP?VZj&}HZcV^{hp#h$;$!q5eF10&)zj_bny=9k5zV;v@*w(-mLxH| zC6K87gy-|gc>Ag_dL&9g~kJtpbtl7 zkX)e4V~lvHJ12?jfPE5=Fhg1K!-nFT<7p^m$%WCU(3?O?@{&RG{yOQN&K1DYh`r>G z>LCB(UF7R_l5g7qzjni@BkX6yLH2X;cJ`C}5c^5r#(pxl;%D;9b&wi8c zIe_1`{Gs<8ruTJ+(W-sPqw!2S$z2qA&q0vRzT{5$1UEjSjVBtW`;rfdPfL>KF74p< ztv-x*8gIgTgmI+S;^b3!-+hFOj7S3aq4&BZpgH;hutbIkLebDD~WlGY4M!Ig!g2N=M?70qslQ1u+*x_$95?C4jEom^e|U=5UxPZV~M(9 z#nt2=*Wf10-Bg@FXtU=$U;0V*GtXfl_E=sEC9QikJR$mP*i0gwme;~Vo+?9R*SQEC zHsTl4aby;IRy*;{1(4)7uRB{AZ7$qX7hQ>gI;t4;2+z?SjK}Ugh44MmjS3WpTNQ^U z;SfvoQ!1R^2H}m!m@QaGIyKme_`#)bbTV>gVJ$~4U80;f8I!f4Z**#ssZth+cPR9f zGMa{Z%A<{}HWY=J*^xqPVrS};IV0OM|PV>3}#lI1`MvM};;cj{y3LIQWI zvHY_=Vd0*rN60WF`aD=|*XZa>yq8CBhYv{|N>q33VP$Slz^4eKWDHr`F%JsFo@fF< z#eANn_!pAnc}VmNJam1I#LhDFKAKp2Z&NsJcjXJ#-&R}l6;Y*2W0p-T;(3U z7+L1c18(=T455@d4sD30QShGVCj5|HVIqDBAkrh|9lIVr>YyoNc*u*%X{3@wzksnV zIu9`bEQxRwEf!veA>Wmhuj?40k1`%lS#2AQTwG|#_Jm{W(Mnp$!XAX=mLC(s*GIDj zSSCQqj2GZpj}TI2QtMI(yk_AwRG{wYn!%{2EqrngDCl{Do{};wJAdpBXKOXeLc8G_hrQ8n^N?QLJuH=)!l%k4Iqf zSz|=89jP04M|R6T?V;|7&PU~}L#H4CN=RKzSU*S8@f6Y8jRHbf+o%t?(BReJP&mm3 z<>3&L)9(TN&YLG9UK)GJge43=BzU8fEWkseCZy{cE+G3d%Ja>kc`#WYxExiv z!XF#ClyC5YV}pf?gns!HL_pMpPNvFRG5CdY4izrgvvU!$Qj{RXDbzM7) z-A0f+jm|(00JATD8&uD1tObyi$H!t|%m+Wj$L{9#eDiKw{x%St(1MHJ1(E%T?`V;F zLwE2B`VD9~1se8HGjMJgts>ZZ^*9{_(EF zCBxqGeH5LSpFam7(bJtKXP=)@lRS4;%!*US@p zVmOEiAgEoD5j4@!bgVf&c`%ka!IP=G(x*^cvF8Q1F6N$du>w+S$*|~H5HRu0dQeA; zryCQAmJt*+Nb}O{Ijt8{p0-toD^l-{e04SUs5B+DmJNm3mu|H?jPLn?Kdt%37xL7@ ztfuq&JVk&RSM2GgdwgL~6BKVDYukdut%+z^YcOf}zTseTGlsTSq~JU9`G?cH9X+YG zj=>3B=yKbl!GpNaI9ntAjIxyvPUJ%8A`m}A5SYl}UPBuXm|9*-Xk`z$+D`~rbrPxz z;Q4-~ddZNvnwR?3D^wX-aO9gkWJ?d7+w$5Vv5dsXf^O%+`@sacP_5AZq1#pRu-`C$CG(dvKg9e_=C?Ed0P{C8e+Tn-F@GoX zJD9(n`42IF8}qj^e+%2sN1$^3HWlWNtIUdVi& z`82*UROSC^Pl5bzW?OOE(8--GAEYMk9{bYp-Sdv!1hm9Lhe)9zgi^lMr?Z2jR-aY| z2dCbPyHNJf1@x<-l6?r&Y5ul{#a|%AKYZYgZ=o>l{`OKzaB2@8A}{o=y;pfi{~6M2 z{zl28VtE8f(&SDiR5~Mj)46Wwpq(cIxZZKzMr<}rN;|P9lPtvRxUNrOUqg!l>HodI z`GpCb5AHg+o8caS+Xc5D?hxE3a9_inoSVR%n3upEfjbZG5Z))?*9@;aGT+N z3D*cme~?nEJK><}tcH5Bn!=P&BnHEMKO1GjMd1ctC8V!M_ziG%D1RYbA)Fa*JltTo z&k%Pr+#_(C;X2{yZSV!^a;+!fD}V!PUX7h5Ies zLvS5%@4$7#4K7XKlyKQ_<#2Aem2kg?+XA-(ZZF*Xa3|pgl_hZF;IiPXaI@g5;Tqw7 z33mtFcDPQsci{dBmsFm>T?D6xD}-AJ7lPXWcL&@fa4*394ek@TJFW!$GZVNBI6d5z zaCLC&;Woi-hkFt35L_eL`y+l8vl6&8I3rvsTs7P>xD9Z>hkFQaFWe!x<8VVO&<;2) zTq)c_xaDx|aNFTJ;SRw?;ke2K?p(MjaMR$ff?EQ&5^e+BX1IsocEKHlI|_FSPEm!v zh10^#f~$pF0oM-qN4O5SBXHetNuZMp;M8z=aC716;8w!j40i|IPPmuh7NX5J14ql@ z>fkEjvf=U&u7y*=4TbyXj0EmYxK6ky;O>CC32r%DEnG329&Q}m_sD-3?nStN0-sax zn*w(dwDuufC){?p&2Trsx#7y;>~PzW?pyR5{gI?(4`<<}CXrZx7R-FE;M_j%=k5KcP?jpg!+c+_dELMUOR=-V%Hu zr2FgqiMmhkS@w@X=Us_iFXlHE4f|?vpY+);PgMExUj4-y9rpk?W9Q7oKJl4->gTSQ zSoO-ZczQ*j^f+-V^c!l`iE{PqVT%;BUaA8wtFApDWPJWgvgLdkWkn&grTSh61jdkdx!4 zA>3K(_0+qAc;h%P6qm)GfYP(P(Nh!hxG79ZuB@qd1%n({w$f*&8l2VP+FH~d_PITQ z`ev_hu~G<8dV@-zKcs95ctfu0dJoDtW13uLjo%mYE)M&{D4O%v)&@NxWsS>61yp;K zKF?xT$h(Znn8vD82E8jh%8=i$3^usx>y;VlE8I%2FBtN;+)96~(iKwHdtAYglESN- zfs{$e+k8cDpq(}T#%6?<1eoDa3afH>j&l#?r=CbsZW&YLDpcGuf`*9xmXNvgA~*rSJ2t$3b-0T83FX}&*i5~ ztY29s@!92e2Rzj4;=9=Avi_G)$w`RJ2?Sit=mg*5P+bf+cAJu)!kUDB0c;`-mpA8D zgaYB3P$ftjbpTcuQMa=qBI@A@Q0YP+H z@AoaHGC|Z6VQgX}HBMAQ`e1Ct$$M1R(a0ZgHF3*a^`0c zdKK0eJg3lIj0Z4SX{ZY*b$eko&Kl$m!%4J(K4T;(^wBSZ;7`8W@Ht_gdH2@+qXNXV~{r-5;P zuMZ%^^3=IVA~CrrutX&)uJgMg`|4ebA^Q5`S&Zr1RdE&%{wkFZ{DDal2!x>6b03y8 z1!JfNB8x=g6eajuDf)oY*VK7xmLgXO!x;t4y>^wHmJ7nZn(|OUKv*w)HE*@?i|)y#abipqUy4xlL^n5-@m}aPzt9#Z1V60+ku1`Lpw9DRT>R zN~h;5D+`M%lx5Sd%+Ia7jO2CLhc2rlObLUsS9^j?XAtRFlzIq@=?snDnx*xE?&5Tk z5+u-VSw>k#Y3U>?o-4a7csc#1XQ_EUm?b5X^;lea62%rvNqI#24?39;^oK)CUP@yl z;Bkj**vN1?AyI;mXVSP4WuBACH1zY_xg@KhIAGi?^STM*jP&3nCF+PVa2eO0qFfA} zh@>>>X*K?aMrcM7hJsVhq!!3Z;5gE%K!rpdOwf=HLFG{&dIAAPiE-{8Lx)7RoJi)e z2tn8mOxaR-RK6=ts%WxM4T*T9@dwZ%v0N?)wbNVM%xDT>;d&@efE7Gn82(h2JPpDH z9gNXC`X)V?oen&fuegevh_0EajA=m1bhixbn6iY@#SSLKveb+x$kK+wU|8`1+cyo< zEeL@@s9F*O2g8xW>|J?P8NuE+FKLa?C*yo91EWQG^%PMcTs?(J_yr3lDH#x~?_*^s zStPZKx>e4yxfo;c5loVTDwH}!P>W+@I1m@r(Cy2(vI%7tZ+$%!?|Rm2PC|H0+l3w| zF`byS5VX`-xIf_b(s&mElXO^baAnyFj5JeaTL0VIwpuswfB*u+~MCEoyJ^{uB|`j2RGp*(iv`N`lmbES zavVJ{AzL1wr@6rryft9$LMH-Cpj$SNR;JHF*+7>t2L^*A?%|-eV=mC(@->5Ip&`5K zF^?tI7nAiBl9WbR>{-bqG9zjP$I`O-58l~tpEO<{2+K>8Vz&pX0Eb^MIw-~k#Noy0 zSWt!CeniW7h?1#MY^DO`g6hr1+}7^{)q#k;i+#OV7GrxfD?f8xF}PWMNGGE?CX0lA zkmRwGC3B|N)6|y>W|U33HfZ)u37X4R;oa#Z1Pb!DCL9RR6kHril)T?xdN3n>7Now^ zw@yL96s538&wXfF>}uuDVMZGGlJFIc5KKsuvJKc6o@F{yukppIrD>2dBY?b_WHRvp z*7CBV(#rfzf8bpHDB(`N%iVCfuwxh*CP$SL$JdH9v2=qnsTq({4D+GpijO7u@ zvK&?=Pe_x}`5WcQ0E&gLMp4Qtjvrdm`~!J-f2A0Z=E32xsYc$sfn;# zVLnnHjFlnJ6D(g*b=BN5t_Ieej7c#Lq*TW!Ic7RxN`g#`OXYD+hG3XKh{~KbE@&Q{ zGwc&IMARP}XLy#zlvCCYiC+8COm2)jU~I_RSx{A)TTq-c-B~y*zoM$RlG+#xtEkM& z%_%PK6_%TqpNo)KnyQL?Xa1~Nr4W+6!isY$Ko7IZz+7VCOXn^@&9OS(U|k&f+pO zL42NGTs93aqFS3Hs$#J|?-zhFaHrSK$Wv zxn;{7upZ@#Rz#PwycuE~%vhM&0fA&ej7d~hTuiiQN%$7v_-~rT7*p>yUCd@3z z%8YO@3>66SN10b#JP8vH)QTB%I6(LmG7=Z{hO&lLLKPQ78eoWoiXA50BevepL^hZ< zvu(uCM)p*u_Y7Y?g#Lkvjr0{-w|vmXd)0b;ippxfeAx20Y8WSa3kg>OpHDj_PKmj3foD=3ezY-=$oyD^g|@NPtuEWE9=6(rDcqu6?^-$W`Sd34x zKo`s`fKEL_;u_Hq6!u~XCdLZ^iwlxbUN@^T*8Zu)JF8taOM_W8+(dez#8P04@FyZp zfVo$+0M$gon`jHeD%4WqEB#6!1}N$1G8+e*Li9_Fw6(QfCn&bj3CoC55EX1P2aL($ z>it17@b!t8`Zlk=9;nYHtA4D51-Z>}1I5YmK?SYy(J(3XH&NPN?_xS-V>4O}SVi0~ z#tb$DT@QSm8NehRf$=`kHaJiiu{8`;2|G2eM)WnCSD9B16R5}u41Ei}4s7o0$RKlQ)H8+eyHu08~MY4=WAsGi^Tnb>x>l5wnq*eC{ zcd;dlYFf;r349IAs=~ZpR(>sTOt57NaQGWN0TOa(d6ut3>2E!KC*YDm0`Y5M)* zv1~)Of<7>^dSWPM)es5?D4$lAk-Di*8$%c)N{XAxR&`klS>5PxF}{CZq3(D#d7DIO z(YIB-;F8kBAd}VG7yvq8wE{OMmPi(F)+~7)K0n4TkQ^2)60iZ(Fa`muPt8QKI81_N zpifvm1@;Lm(ra1LzTve4xC+u%yE7y`D!=$Yn$;}B5M*e8T7S|F}sZ*YeXyBB(muV3v85`u}$Kj=m^2M(5rmd!mH6c&HqV7aySPp zCuV|?^78PesoG>y>i(0G@1mr`8)VkOf4U90%B8b{0B!Q5CEVL}P zbS7pKbpGDmfi@8w5Z(+JvZ&BJUjE*fP~^lXr!hH!iR+FrOGS)u2!~AXl{*^{OUmRV>;)gJU0@#~naki?T{C}aW=a5KDNiwh}0WM4-RM=SL46@12{ zgryrnn*gCo;!rBNZ=UeLyFv(0y|<@;X;b4HT+7+$6gMFtjCh+=x`1-F&L}PEfTz%| zvzR3Msba*mGO)!-(}0Lck8>l!MW2@ZM}<`MX*0>aX%&^TsQftdktQU}U?2^1uArbu z$>uo3Fhr3jC_2GL8sk)!Bm;;C(ea_kK^&^W?+b9q@2s4aQ&L`5TvVFxtSGuFpJ7ed z!$z|N^L%HMKd^MZc7AZaV1)?I7pZH0y|< zUl~{cJ5$;lD2)TOZ=zH&*6^fVdA$}Z8eLeDa`dPjg%rEsCTy zU?zq?1@_e^BFszE&NOyT3T@<)5S7LAHMOt_<0c5`F7%Y`6-4=u$nS!tYwE=LT-x>Vu zJuSFg2xfG&5_BP?OIxvGg}WNf17fB0p_;U!999pGqlslu*j22aq4KawAzezZFd>}+ zVOt1BR&g3FjdI%&wwA&?0x;S$AT;}7Fg5rKSil;wB zF&MuFjuY^XW;1sP??>Uf;X2x(``p5DTdo6N0Zz|@OM}C=C%|VU?W(ca-OuvW-)dFf zT*TIeCA${&k@PnhXB%itb>zpxCLrt(!U|$5W+%d4s<_Qoc=-eRy1R_*ib~aoEiDEO7n{~ z>MS>{Ti=oZpcfbAkr^hpxS}YJ^VfUC$g<-6oT^GG4?{!++w2OMxi_gs z+LPkUaW8=)UL@=t;qFd$!VHj08=hxjahGjXDE2nMk~27=yg7e)jT26=@^f2Q+G(Ut z&8A}y*n_dcQ^|3kC7}!vc*1#sxFjjX>j)kw%ubxR_5{2&fS0?3^1y!TEcMUuG-IOW z4&t(n^5$Y}`*-F9D`+<53~}7MF}SG&j(bjyIW(*YUBPkp5-w<8aaAMax`*3|cPz|0 z%WBwuBp4$00fsqPQ^2Y$;R_wL9LJ5GmTF{(mFf&qJ0-;DUxV(i^ygIM78Qx8{~g6k zg;9fv@>q!ijCHbp%L!Ih78rAUZr00}i#VNy1r2Y52OyH|=!SlMFZJ=0a`*@}+~F8L zs(dsBgXK|HTdv=S1$B-ai}p`rr?Z?zK?F+Yxn5*FNZZ_nIS9v1p}vt;1i8BozH(IT(Yjdift2oi(24mz+i(|;yNUJ5h7+|R|T{4`(zl(3C73I z6B7J>VbpTmCJ6$ORHT;P)+ZdJRH`W_7^`P?9AfHCktmK+EwFb$IC(>Yz(LPy5IT*l zkc>?T^+-g%QK~J^Q!jAt6qH=bY$$TBABxw<#+R_&cC(!C%J^+2ASOvgeJhNbOzLSi zGRhf`oQ8TOMlA?Cj(c0gZwVSivRxsT0?FuEE^?9)$VWm-;I*to?km|SFTe@_mCMY1 z+&F5vz;$QgP$5q4;LBMO%@J_i%V<|@ONLM!cfYI;sdIZ{>?S}})Ii&#oWhU5l1ly4 z05rJ&Tc{JjI_J0ozI@D})5KPY5{81Yz6V=Y9HY~7(Vj}2LtDyyMesBSA(%sApZbu0 zdQq{UIK*0U0x+^(7IsN98Ps1?k%xA15EmsALV0rmR)w96 zkxNwQ>Q$ZqTfH2Td>?J5;7-eMk7i&r&BjQ4O2k1qc29=5*TpvsKCw-Yp`-zLC|8J- zxx$VHuyIHbubZ2MFoAlZgfROw$2}>QSjyJ@p_s^c!U>9_F;Ia6t-=`Kywq+O}Dajs* z;m(RWjpI?CFj5$Sa?W@<#&`+yh!0}>kjapA^sUsAiNzp-G5)5}tqbE6PG&F`;gOpi&l zb=2wt+Czc@YL;p-?~v$_DwRufmVSLay})jeBOf`0B65Ox{xH-`j@v0Og>tgog|U=W zxRmxed0Kgm+@GZwqR+TqL1i)Bq9j(Hfb-VA&_OEd9q&U+q!riBI$74vj~fEQDVW|RH7xu@0ps- z`Qo_>T|v2I_Yf3h1)hRXowzG$ zwXUWPl%(UF9yUD^FA@l7X%}7t)|Jy~MJVJJwz;#FQ|vYf1^ms5zb{n?4a?5YPri%i?HM!=DfisW=?|!%CTb?Sk!LdOz~%@hs(iE za!(yrRO%7Q?ot>7%bnj>i(4H69w+Xf2>6@muJejNOV4S98`>}Ik)ni5mjV_@GfdM^5Nz+_n-k~0 zAS75IcOgQBrzJR<5Wpq{n$@`)y_pTcOjzrr>-A^Wt1?xY0t)-Y2ZTx1PozMH z(Ecu25!}7WRXFKN*G{-&TpscYKw#aKtPp369!0i+T;cc&loNIWYi)9+1ici*tw}5j ziZA{^0gjQNPs*_kfskF0G&Af8G?!ze0?8Vj1X({hkRQ*_VjrgTA9E>%XOM#ppP^^7;pQ zmbYW`#Gj|nMd%YH_5+L~Ivn8d-=WXrXQ1)!kN`g~;(CB;`UQo6w??#kC}KJ%;j7_z zKY({?pK)@6q8;zq7YXl+u1HX9#rvYM!uvS9*WtZ;=!0_~#b<`{OfK$A9pU4Z8aevi(O{XnZ#srkID+ZQJ3y-{=acqTk88u$Mko+Oxl>X%<}_VE5x zIcF0``rUSnOG&>wn>>BfD6jdSgLlWJ;3L?{riAOjGr@8Mza1r1HyGo(! zz@^~1FU-=roNnh&O;8jfg5+0r%YV_P>?AIPvN}+PV(ouXjs)ac{L0&rq=Swk=2`u_ z{`GGkAZ*|&&VnlZXU6ToW&U*Na$|x*u`y1MYw^Aa?^64^Av+fRDXy2aBc9(8e=p8} zuJc$t{U*e35#zVwxf8B@yAXc>&zuSUB&$z>cg3yo{7Sql9}?a}S*Q!|+aD0#mrqGh zSn*!|pjaOCrb4`Ti0=xduf#hCd`s}V@veA8fOktKcrxDG9~RzEA-&arFvL@OCE}MO ze$k_1dc?2Ad$$M=VR9qhvyopae;eKpAieay6YmPNm-IsV+lzOl>|F?r`%$f+*NsLH zmC=p&cx?QMC?knGmjzHdsXpnKA~u;56lp94$E|+4KOJ@q5GE$?{e$te4Q262U;Yz$ z@*3l?E_#Yn9NF2s&i2Q9zxS@B_nXi@b|jc1+zn-1LD-W#h=oYcLs&*34ZgEPe}J_c z_0!`}JkxImeib6@yckB|eg6bpCbMASnY3)GpPVor1=z506Mw=p?Ua_%(C){0f6((d z8}xg6z+d|(XO9CRhs=jO{;9wAYvTAHC|&!<|9;&HzcXNv>spY|yO_s`I?v}^rTUDCX4G|Kukh{0v4*gQ` zGjnPQe?K*^?S}1!N}jv8KRguPjkziP{yX?f0?rnt!47#ja3kW6&2op)pQI;(Yc%Oq;vY87a9iHNydN$@rYq7hmF>F_{w$~1 zAd}nEC_Ta!JqH`5EF2qIaG(b`g_EauBe?zVz(3qBq*uNP+c+FM*MYD_aGPZ1(BY%) zh{pyK%zKa?zwK}&AKOu9b_eDb2w(I(>c?{-!Vlm#`vsgyK=|t22*)!W-a3Ha)qBzJ z6ut-L;kgLm-G70evX4`2MfjE%kp|D$41q5`qP;H(=^Hya#TGmlBOKcz6pLOF(r?Fe zJD#sW@B#etuW^czD5rZr%E9wYgfBXP@%jd*FjBp*1KxwE58>P2L;Cl7<9P+b`FDXg zI64059_u5(ZF4A`+tPyp~!?6U*DS(GXaD-31 zvOhY{wHjdu;N<;FhX%W;PvGR`2)WMehc}%$?!S*ojwxYjcv;S;rK8pcKP=GOW-KHvu`lC28AC&_>oq8e?t~;{AB|6gTw>q ztWUn6R>lMIWOXcWs8@=2x!K0!a<}p9W)fViy4W@zdwesE0Xu z!#-k|m2Merp!*Y0fG=npj~lYgL2R{ba0N3Pyfp!T&|e$M#I^ymE7*{=Of{Ze-c^g; z0<(pi(nz>Vx8Ix zB`>r&l_<)w@2gF)bgw3E$df;MyJvkt4*#lgWTW@k}U0RpkqcQ$;394GX zL0@CgXBv5rDpRZ0m@-Ye>gr6R#?9C2-Mrgn_?Z%n9=_J#QmHemYpXSAg~ynQHt908 z##*~z7?&674s1?I(ak(p0 zm(%3JEhysPstbi0%~Pj}<0~sRzOn$-)QXa#spw|?)H%J&9B&8dd8|`=l_-(V)PVpP zpxtf{ZRo>gMbZefN+F>fkpslZPvQwh$Pgm(4qJ#6K&&5B;JrEf}54g zwiad5e*S>JJ~*B@!oYtqKBdp%>EC$iO91{r4t6eK3q8Ai-ZuUU#9&*Qw+4qWD(L{Y zZMUIf1Y&-C|f(icCHwl@SP6#td@+t@G3Mfw9fXXl>Ti|7pnA5TDe zAuhmqIUlzerFpq}&V!PDTrKBEx}y*%2^=5$r{${gOc0GlcrMa3aE+V`>6-zK3vbwR zhre>XhdAtXM2r%3_)%VnYeEX_1V=~#Lc)l1BP4`cDINV~!yb|lgCh@VgIo=Rud!FU z-sKYQDl)(}hQ11$BjR`jkTk1NJM`r{LR ziG0P#vzXvSq!OslO8{XOa3S<*nTQ{v zG{Un)YxE{i4ZdOl+%+?JgUCtvb0dEis2N}QLViEq!z|UAXbs7MVWNTF>HAWGoDTAk z2Vd6%9Dx{A@ezPM;%xL(B9`bp2-thmEHq>qUcLSXb3zT7_{C9*|NZ;_I|iWWPe}ls z@jQQ;AEFwes!(06TCVz~>K4^Qs@GM?>Je(CI!9fou2!#9uU4;BuUBtSx2qF1=V=ye z?$La&IbVB`_P5$?+Ap;ubr5wHT=aXlb^rv)pXiW_j51xaE-Lq~!<8 zAnP#erPj$--fFZqTHCFUTA#OmXgy{fgb-azw=V$Zt`CIvW z`N#PW_-^2DhN?mJxoR+Qc9D9#dXhRztyj-ex2k`q{#u_G|5T+C-gFm#)jy z?bRLDeV{w08>}C$KVLsdpQkU<&(yp1yYw&UwFa}H+Hj-cF~bvv_Y8xK!;R+~FE?fw zd85rZ(>U9>(AZ!M8gDUfG;TJ20nA@*T57r|G<9Cu5{!% znjOD#-0ryBvD2}~@wVeLV4DOX;d%_O1a|Du0Ye^@`* zFxqgLA!4}QaJS(B!(qb_!%;)jaNN*sNCSqa0LNNTb%*gajk%_IrbVWpsl{}g z>2}j=ri;v%nJ1XDfZMs|1!j+Vm3g=MWpjol)1tG?vdp#ASiGR(>nwk;Y_Ys#dEN51 zCBZt}s1#J=Aqqf2J z6#M!1G4@IJEc*<5Ip}$fz16JFaw;Ip#R-b3E?Y<@m+{ zL5TB49GA?e@K^BJypR74{}BHe{}lfj{{uf$wM?~M^_c4Ks$uF2)#KD@YO{KhW|QVc z&1KpN+AQrHtrwKKOnZ~|H`?E8@6$e{{gd`h?Yr8e+H-ZIbVi*`m#)+RZr0>#SWGFXO85S6t4A&Xf8Gdg#0D3)Y=rVk7m}9Il`i!?4|6+X8_^xq+Da)iY zm7C_6yxkG4C_KWB$N=+I+Dk%`(|yuvjg5 zmfJ1K-~;Dbv#e&T!#dr1D=;|RHqpl0thO9mk!_`|#rBZxsO>x3Ap6DkgZ3`_3HuPo zC64KikmE+j(~iG5_B;Lodi>G>vCUb5qw|0v4R7M-@C!hd_wjG=hxjA>_k4ot9Mu$+ zO|@9%2fkLRHmH81`n~EI)f=kAst;9Z-~}r6G;q;!HBAnE>g&NtH>fwOx2U(Ox2Yde zZ&$ymK36kAGg+enSE$vj(zI!|X&%N$hhNfssyVJXso}N7pxCRl)!GR7?H{!FX#b$w zs(V7WOTS0|p1#B|-*5{!>;oA2K8*2ejkg)^Fy3o?%=m=yIpfPlto@ptrWK5{{@!%A zDbcJqSD5F65+5=@ZeC_tWrrrdedfeJ=J!vhny=?oNt=|4F#_&JwU)zT{e&HAm`kLfWITktIaU69V2i{JTqQ3~I zQSmd3p9;+7@Xh=G4OrJ$ ze`)=l^<(R2kP}zfbQoLZHm7Zw?GLuQY=5>r15TD~A7($#ZnYQMOYIeQC%D-X`*M4W z{TBNU`=|CB9k)3)JGN4r8)07sy(IA?cr*W7{(1gI{;&M|pp*>N7S)3oPo1hSRo|#o zkPvqDRq9phm({O0Z-groE;S=JU)Knd{9F^RLbKn|GP_FuW#M&bQ38%(g55Ckt6tT2@=0wCuLLW%Rjto>kMn9^(yOfP}4f=AFY3~K5Ko$`abyBB^Z&J4A*mQKHH79n{7L6ui3t^ zowB9a+wAw+AGJSj@3j9Flt%KR+kVPE*fHF3v16)3>o7THILaZd7dz@5*Em`n>m6;5 zJJAF8JDzcLVEn%2I1K6im4jQ&afca?8_uWlqxdoW6kf&ac{`*_Az#YR!f0N?`}rn* z6~6|uCc@vr-@|X?xARZ%PebnP<=^5DL&_iHzu>=ur2m0es79$SQjJ$-VBD)!dR39C zl<7_ls(`9V)vCH#b*pNd>S5KNR8Og%RsBWv8aU{OsxMSMsucAY^=0Y_>P)ppZDP9B zOlS#<)E;$%I;3t^uYr!$roL7E2la#Mo$9@yjK4u^NCRKEOLMBF0WB~&;=UAQKx(`@i zv;G~NBiWW}8)+M7n`SGv&9c=&Ls(^7XS>PPZo9*FpY0Lb3$~YR-L}cl4{o*JVZYD* zi2X9h72qdT4yVK8XmI=zI>G~v?a&jRbL@4z;W*;>l*U>+Z20Kg!RXlwU?nMmUbX;z zxq@%uH$ayCg@1+rJO3{K5g+CMiJm)0b)o7K@ah8S5cAPnzfs+xx=*!T^`z=8)sL!? z>WiVbU8%0ZsH|3B1FiQ4^-b#EgG)cEen#D)?o_|4{!slLbU1}(oMwu~p()U8)Noo} zyHp#3?E64FR+px8>o({%>xS#k(_g5+RG*>G)a&#G`VxJWexbfre}leNf3yBK`akHm z>hIS-rhi)hyndhl0JzS zK~Iety zFEvTpVcN?fuky85YRl2fpK2%Qw2)VS)qM<3J4}C(Ua7Z055Ez;IK(i<@D5~DGIa0p z#zd3Sq&MXQ@7J3CXi74lV@@?|%x3d+^CsZ;CFm>XTQ0Rsv8XLhNTlVKUqZva&9c?< z0Cd1t!9BYy{{r_M3Yo07TC7{G-(v&~vz?F8Qw6QB26LC4wmp!;uiM_UeQ5g(ddw8N z!Cqpow9m70B4Zdd(L^(gq-erPx!sZObu zs2kNcsyC{i2e&$;{z!dH{RJ@kqgtVHY66-SkY*9huQazoC;uZf@@F-}w5gD3R_!!M zv}?7`GELyLHU*e9LmQZ(tH2m)&|Rn7rF#?OXba@nBl>srr}U|Ybc5BK-ZV>m-CZB$GgFuqM+EpkRJ;`sb1AJs&%T(ss~h0tImVQeYrYA&4Ux| zRR3KaRe!A>tg&eFFms#>%(^x8nsu7ZnnyIxX|B{(YOjWFPzNpi2kmH`8W!MuU9qlS zw_bNAq{DXIlbAdH3)0~N{RI8h(6Rjb<&Y3-^&2ole+nGvE&T-srC}nZg%d4 zla1!h&@Epwzh(Z^Ji)??I{A&@BQ!@JY#ncX%(~OM*ZLCp#wqJa+XT$YPun?13N*CZLDURCh61n7$1a8{KojbF$p#c6SSfNHY;g^bo?9~^;^@q znCE4fdFY(Cnx8N~1MTP}=x(UxT+0O(6Gr(;ORMEqY?ikTbLh`3Ut)Amv6`T13$n7& zdL4A_o2utY*M!M712`%YE+o#Z!ezcuqA7@Vk z{pDfw6PFEQ_Sb5^*?u9$`Sp$sj&{dJ$0qRFEzpg&IUa%x-GOm`0QwR5?Ga&3btFHU zABXw&bpF@iq4Pm;zr_sYPwKZZr|wpd(_8_I#Z1jS&|I_TMoqhB7i<>qX^v`6X-4VB z=^CMfEZ42XJa4Q1abR~8@On39$(I{7&?ehKFVA9b{HBrSb7iI)(=O8sri;yYnzusc zyn_+?m6@{)0Wb7H!h8tKEXADnT43Tg&=sGsegy5I+nQ)gf%b5jE!S278$%7|AJ^Oe z0L}1wdy-?M!|JF3)igV9a6}w`r*?H?>Vb8FT>eVFj9<*R!&Y-UwD1YwRep67>;-Q^ zuj&Su`ax~i+@!fhvjcQA2UdX^%xV4FF!<6M?Ty+t%xr(By;FOy_Cf7q+9$!Q_Gn+y zzNY;wclTPq@}O=INZUFf7$w zqifQwg09x8yG3^^X!I`Keau?+la8PG@2DTo@hU1y!l` znI15`1hKQ%^aY@jv6&_4CU$1a%~k_*DKI+*76$85f|>as{J=6+fMVJJT2v2dko1|v z2P~3Gwt;+qIXQqF4$9vHGM*wtQ3t-b0C1a4@uVg~{(GMKfQs778t|T2;EWuDGJ^)N zf+2%>hPH;zfLVz!swf9UXu-hv(%}9#!QH1Lp5W8}L0Y`72q9LZnbB?x5Etj<-@k zX$D=HNL8b1Qq8FgLHDo&oi3T0L2aNmQk$u*po(^ZYS#xE(+lbwDwq0|Is&;czk!f} zCMZq}hPnM3lLoN(CX-fBQ#*lu zpgeCOg9Um^Gour976gz!88V|BCWl$dtcIMpiP_BTWOgz8Ku;ZDzJW}M%j7Y|n~IrA z0s0dG|8>B2si01nLmXg%0_bS!36>me8fF@48V~ArvT26t&T;LPV_FKzU>)e)&8D58 zeD#|SfQ^fpvCLc`lb(najb^Q&fAyL1gkgAKX;p~B3lTfS1vGCTqzhCp28=Pvpc_g2 zWGiwEWJ)=pXSKrUy2CgYfUQ(QWNrraN|vesifas5d@^;*_!tgPj+!h)4jqGqFk+72 z0Xd*wG#E62#@z}`Wx!wr_%&ikh3L(IF@hc;m$cLu%S}v%JJajyrA2MGlx-4CRP6XtdP;lvV2Hgsn4vTI# z&UHNLKJ);vfk=7`J)WLOPX_L@6ZG>uP|!>1<@8E=HNB4B2)b`Guu#-e-q439Ekps> zznT#h@-BuE3wV;Fk&jUTSWCQ7BIt17NB<8#d2-MRES3jh%ViJ*v{DzQei6p-VL5EM z1UM9n#b8LHh%iCGGj$=x7l+4UczFj0fX#~Fv%eUr@QhG~tkjJI3S1X0jUg5B%I0zdz1b@yP z92SGcifzn({XPEjk`=EO?TzjtjF_O;oa`xv7y6TwP7*`}2skG^K@#g~L6Sx!(E`7u zkTW_j3U)Gtm5+Q$Qiue4m`_sBDk^-n7p#o}8}5w%cW`uuB*8JjD>~Abq=?9))dVG_ zCJqoSeZwOI{m@N`Vd@b{8Bs)k#!1Rd{){fj0TaeT!eCkp(b57@nkfu=5SdJZoE1K< zGlgNU3YmhCDL}`KT#=R2I_u;x)!Yn8DTi2eb$-|p+%hyA77Cka4ng!Lnw#_UXS6}0 z!&Hk7zTxY~caOESAnFnqkP$XUW%><*0mHE|qAjs znvPZ0CO56FTS`RCWTyw#XXZv*nWgvFO_u;5576oH1IQ#sHd%;E7foZ;TH>X_mlxl8mGm+|PN*Y!c zj(nJ$aHtUHMUzXs#faFAvpco(P4$t`;9WO}6x5U10yRZ%m)`=-e`i3NZ z86QeT5xfjuYSrFPYu(%1BlmVaNO)(~`-YXM_W&Ui_`%S5dHFCHyau9%s7#e%riIMp z6s1t_h%mj#annI3Cym>fq9g`0hUZ5J@P&n0DrPW*ipqF8=#5kknS-S2O`hx>9z5+_ z{RxYjZcvsMdQfNFo)y*cLdcA%9^m*95%j8}XiIqT69S@%mc{Y25#>^_VbUz{%5g&# zLoYaPFS=xeO4l9t$!Y$BOG@Iw3GB;^eYa@^Qt>X}#J8scif5Lx2_Cdn2bUGeY=5PY zC1ADoQ^;$Vc;v+&f!kFh1SLWj9Ii4F|Eg89uUhWXj@K)4d5&HeT3p*nI>_&?6*uxE zPSKfF?koE;)_k>k?%FF?XhEB2^Y5^D_29mBFo4S3XPyLmD3m z?Z5M32XtZ3aMX{ff9uBwyakP{8qTO5va&fNGFCk7HNzphIF4ercTP8Xh(8pkQma;_cO|Ul z+>*^2{NDx79$uQy|5!{jyrN^mkJ%V!xKj>@5NiD6Zij_QVKQh*9d(U=;WB)QNW_#o zfrIq>n~M=#Kk%bc9~SBtnlnI_+m&Y^wIJx?X`^djC*WKQbah*V{|i zpRDKY8;&s0&MD&!;5j0RqtDTuel`jS|KeSPqYmQTRaQ$iQwb=oLo|ELdkn>y}4R6YTjZcX1;3a>NFTAA&!SP#VF2AgORQvJ) z@$x#+j@^-cC*2>Or72s+491-3(8Lo6uaV$k!Z^NlRqJZSO*Fm$~ZoDW%oOQO^n4P+@ zsqMU}N`SY+-m`&`l`V>lOIrPVV+4S_S$C!peEm zm&A`9X*=$zcI&Y@eQ5-G%qbsbTH^mhcMJ6PRN%Evvn!z&M4#Jk(RvDMt~ zsSZz7LN?SG3N8v6#X=`Ex?FdcC9#0LwL==X!zkZ&dtLQFZ;ER z)SUl%bfM<1zR=o|TUUh(q@}suqdn#t;^xISn=f@$??0Miy)_W$cz^SQ&V}X=&lEph ztZc6KzNvqQ#C&;v{j8x`zFudfKBXia)?1yWADGFb9vydY3fTPMPObh^lpl9nb<}OA z@CS$c$-bEw%wG}^H2whOfT1CCIO-hL)Y;PrNCav}5fQ=TbE_l#BD}rEIfviW^#L1Q zA?s6{Dg!pkPM$svjML9Yke{`%scMt8P)M9!Ngq%!G6J@MgmxmQ!IWQIVMjqkYEU4j z>RZMc*-ZX7cksW#)DppWa;4^OWitcQkgL=H%T9}`4-@2yI6)C^plkex5w(f zxt>4H(z9cQtPojP;Hx=OG5gwTN#bZNTP~6^>fST?~OJ*lCSU7A$%eRH?ZZf zWP5l>Tp4S)s&DEz@kL0w^X^A$m5*0QS!pDlkJDs zMfk_%y2kZYhqlJol#BlOps|1Wi@74Vv`vhK^!aq2SSC(u8*y{eIJfnz_oI3Eb#Y76 zKU}Z8^trcx?>D_L_B=y&YGO-O0yd88DRNa2$?cWmzF_4uYH>TX?Y`uDCnnc^l0SD! z$c%cm@7|A+9quAw8*?O=lI6!rGu@*;6_mQPA#8#?U_EXU=K~MTu-GEH=6rxD&F}7^ zLGC}8%zq0=QI=|mkRhu;;B6Na-$_Q(ib(u4e1}XE&Ep|*@Cy-^!eXD0%1R(&=m9<< zfqA~L>T!4^9GgV&8A5V)4@jinK^#eMa!|wb>QCLZobyrow(@hc25IWr@Mw=k8tC$SO9?yD|@Q8#+HL_4({NQPTEm zV+fzZV&oiVD$Er^nA`h%m;+}1w_y&|dlV({DBDK`nTagEH^Vlp>Cn{}w_1GQ@;T#Vm+)UdXC{Gt&JP|NkeEZak#I?k|+_fMi;wtL(+im8iSq}jHsgLN#GR_xu5a(PazGlLn{&SHt-OSpFr?W5(1qLF(C+!3wB8- zXc#R1{}>)24QNXg&9$oteN{{ER_LdH9$p-}Ax1sT7}r(hARaBXOUQLpVs2-DvwL8o z2qiUouM6es-k0=WO<&favEoL3#i@-I zt29QlvTedVx0>?FAR!kIKX9_G==W32&a!2!uVX9>dg&pXbk!hFBTH?oJvZ9RqOM;d z)VfVxbS|}#aI>pQilZp$HkvrMfg(-|KjM}#O6RZ86 zr`Y#-ALVm5T9DYhs~|kMVS#QXZT&C7KUVCo!qPOImXnl+%=)R63gAdWKY1ePwur*C zk|0S0GU#8bt~8=Ett3QJLKHZ1@GkK0Zyx=8R|V1k)eN4bf+vz^>$iGWjAem6sM`=u5{-l_qEGd!IO<`(!hG@RY?hV|#wy#TF@EmUI>e3_n z*@O*ycy^DfdRWAUe7fS``jM@em$f@_R=}n`5_}I?KZ0I=Z*$97!1q~kO_Fw{{YyTp zC53Z+j&Mq&c>11xPhFItT&PVOI~lyiG)(Ta*0`g*cx!;XYoHQ?Mdi!Qpkg z{>rffZh5N$S1Iou3@R4QA89;IiIBNBGFEwRuhY(KoA1|Zc}1@Co;fYh(CX8bxGO$& zO{`wp_L2b8vD5%8p^8>feDvLiK!sK1+U*pr1l~g1(YDX>#cZq~a09+ymP8=2F<&7# za8Wl4|4(avSg}8ejsgT;Z4n$+j+ckyfyn;q7>*?Pv%rS|N1A#XA;3!#1ri22FPR3< zMq$#PE1>qzU-2XmnxAQTSD0wN*%_s7GDQnD+UgSHl5fpvN61Zn*W{vC2`hMeW(n}GyPcsuDhkY+Q`EPTGLkKhm_3|2}_!%T0 zyA>ZAJo>d;+R|r+WRE8I?^4PWevsTU`H=(B{yM3OUsM@QUpL{Z}&NAs_ uPsVor*`C{C=9PXcyFJD&PXCJ8A!*k=K<9e4j2MM$*p3ONz%Krm;v>Rgp diff --git a/venv/Scripts/_ctypes_test.pyd b/venv/Scripts/_ctypes_test.pyd deleted file mode 100644 index 33664c174cf8a789f31f2c9789663b9433e4576b..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 29848 zcmeIb30PBCw?BMB0z_sN6%{oiC=TFB!aN2c3KkS)asWes1cFRvP_PbY#2O>jsd&a~iKD4U^nV5T1rtX`=USu@Bq*N zt4D+qe-jxsjqu0@*Z|@IR*wi>@mH#pxxg`fMV~1rz(j!6BO?5ivZ7KDlD-oiFtVj1 zwt7SqgoaUhgn!oC>L_Qw-l2@sx3lw6V`t5#^>m?4kc5 z%ZmEcDHDBqMj=aoPyd^-&klx+lU_(=BpWtAQC%|YF$SjkQ_}SsZXv6)dUcZ1ltL;! z*^u=FhsPM8zFzF%`aylNUhHm)+)R;^DdLjInC7WH>`o+S+N-}R_SN3;y>k3&rZ?}Z zn8zeMu8KXFgxgiI88GA=VR z1x_)Po8jX}MkCWhlxwfoYww64do}uzhDYOMl5GW{|K(5811J5_S>1ZfwBPYe z`-nuX?gsj#ePkJZcEKu53IspoQ?2vRLe{O#z7$0$j6QXpWh4)JJ<2<6p2@rElbqN| zTpjSpyB-j8*gFqfmEF^rpH@qyLD$ zOT2%^zdQYt{p0GnFh+gciicK|L>s40)e_ZpYJ<@a8BhJ0>M5-1Ja1|xD`r`}=C{!& zt7BNn#y;7g);DPnbE?j1*ce&;$JY=KyR0>7jcbE zot;Fv_Rg4EERk-)BRcUzRIX0CFy)x|0=5d&F>y2L%rWs5vg{obw~*EJnE1La6B)>6 zFSR@jkwyXb806&=I}TUyFurW)yOu@^4cO)>~7yC ze|qum#rmtM-n`3VPqILfX05YoQD*MIXp z%1&N9(R}&amaCWUACA#XxZ2!mbM>P34)MRnG>m5d8!F7^)38_M! z@hg2Bbn28|&_<98fYcu5b=qg0`icG*aM2rMp9m4AG8D$@rcp9}ci_$+!j*R<7kCm< zjgzs@aZqayyH(X|I7HCe!^j&cCL(!@xTm^OCX_WHDSNye?ZKX%wDkwI9lcy%n2sSf zdROrVFtX`cLb02+g~f-ASe2`tDA{bY={ZV)hD?%T(c8$ms}&e zO>3kBK~f94BV8F}<&bWaeHbLw;%ctGGRbX4JO_;?!Iio-v~Yzn93RTaqWCc;tXv<% zl|x)P5NsfNWHk!wfi$j!K3)NA1?&bK0DJ*x2K)fH z3s6EU7I=ufGxCE0V*w&SGC&G2%^Xw6=og06@ah&Cd&#==w6ru`p8zBu+|nOvFbrWI zvYLIS@%Y3`CE^xlfbc zv_DJYGGaftrgJ8JID7k;E$IL=)Bi{KlZ6FK6+3x~&Y6tD7NUQH)boke$Rt0uT3z&{ z2V02vhHKBD$F}lfy+Jhy7YBjK@VCrBo5t8`<7hSt=o70G=wqKo&+HFO<-?v??t0*F z#`_S*wDyxGiT(YhJy{d~LwmBWLiqo+Jy}zm_4}9h^d$XX+tZWue{HW%(*MW&t?i@B zo_gYXDC-cnOZR5|ldb#H?CGUv(3|XO*uZDolT{Zw?dcbAd&2&n5Qo@<$-Wx@F+J?f z=|A*e4E=xLzy34+pPJ-(3jb&LFQ=#YFQ>ooUrzs_|N8IdPtLbb`mfr4&+=c^^j-dI zD6R^-tu zF`8G+sl+)tLhr(MWhce6zhIvXKdyE`tH-E3?1^sui=2QaaoLl(`i05tFKgpTbxi>K z3_HmKbwNA`#QG$6$t<0lE}o-L@;oNulB&9RC)}av#opm!k=l0eCfvR0#lGRCV_ zPjeZ@2R!BaBnKRnbR^XvXP=O>8<258iA66a?O5gqyIzMyQS6qUQLS;R=7@A+95>t> zT5NP;cU&K%*E+F>UhIh?Lh7j(^QxVgqvGh}=q~o|ICQG9LOgE^fOx%sxNKsd^j>cf{4>Y;Z?hJ&vu5abm_$*V7~^=?~nAn9E|J#}JYA zwDUE}b>a@D#~pg{?+_E+{ar8az*)MR`4D^5-ihnFUrNs~35;$p-2clqy?B4MWyqZSCrs0CM165;7thHPSP5YwBP$dHd*_26=d%iN8TJ2K~ZYQLZo7qa@j2 zgBynFWF8l~6?BNPEuY~`QH7M@JgQD#R`0s(Eb16e;!bXb`1_AoE3$5CWe+KBq&s>* zxmN8%=`mZ9A(v4GBj}dZtCI|$;=Pw)B`)*~TM!hqpc4gG5E%5X;5!}nCL;~oO~kx{ zW>R{Al;$&~CWba(D7cIUkBJ}RvfXHi1Y+4`O{}31mx1~=Z4{**l5TLu1tA1gyOWnX zHt3~3NPouIrwQzgUm0!dvWccet*$GxZW=Y;8wvb8w$l3^KSH+*7?;5SFyzxpuhum}oQ2^A8B_am(_ z(h(VY8p=@3sJU+Vj%b%iAuvnv1_)1K2ttSyUxOuX3agA7*U(5J!(w}3{Vf-0muRtx9lK`^Gwun#X5 zI??ZRqCdffEQ8h>S(*Uwqf?SeKi&jB1s88z!%|eNCGBAzRn@EA7_9!dS>b6dRYtX~ z*2vb(FtwA?)sA|CNlqtRsYavL_)jJiKVeMRA4rBH8mfG zMqYE7XfcL;xFRA7*Vu=HL_rS@Rd4L$gd{HiJrFTFv?X`E!KJXDfs45VrPvnQOg}wx zOT83Ya^6qEK6NAvLUB8I8TC9B zuEvw$x+Ii*^rLaDbHrSihsJnlIJ>av5@1iAS4(yPjp>F@u@0ds&xAPOf%RLT%xUF> zH>sg6{mC}h-7Z+8+XVHq8h5c~H5!(iD%cxZ;EY>63`*panQZ~qay45}-)LwAY8R^! zdxs`8vaEhOwiu0u0Emhgp$vtuDQ$1?LZbCY5F0#@GW14(40>c3%(SEF&x|GG$CKR2 z3S?Pdu*!QHH6DhEpqoA&y8RKWGbC^-=)fo%rVw#|hDM4&o?zV#tOw4q(d zr8M?OZ9U1R#o$KP@Kq>*kQ|~T!(vm$0reJ=dabvJ`bfn)PL+{vWZ$E<-^IGM0=+cv z^=!3|SenHKsY#aMSmC@(@_Y;o+3dI$a8S?imMN&pI&=85)L{rnvinq)?TcRaQKMp}XJqhXQ51OYB ztbfonj2x9PW}Q`u{+O9d>e*%8!b~L%na0JP)Pyym0%=@_$#3G*9G}%#mx!vQ$h6F- zV4dfI9-T5RaD{9`1N453<9!NCVKuW77h-bE#-0g#30>7Hs8LtFf`l(GBjFpBB>Z>* z2|q7KC|~vRRwk<6$V6|bnW(CaiMACn(R&4mHm$DOgh(&u=&IHuQB4vxNE~C@C2PN4 z^sq2lSG9&I-9aR|hQUA$2y;xl1DjLPG4Z=(AD|QOG4`QFuso`In(@KqYVi&joT&!` zF2l$kHJUa+6Vw$IFuE}Rg3qN=9I+n4m%--N@KwOz8EJH zJJ(OecUswn4%3LS3hOa1jeXov3PlEVy0B5!E^JVj3+tt=P`k`^(tc(@tCX4zcLASM za66E=bh1Yy14LXdwIn20RotTS(U!ZhHAD0w_eh@Yy8h~ckwZ!39_d9Q=SWKQDrCYT z7UxTY01}_l`tXP~Hm0N>FyJ7xj|AbrsQPE9R6-jd9kNod;$ zEeZaPmN`Ecv<6XbdB#A}3w@loo36;)tr{@8B_%zBF;=Xd!XwE#nZc;RQS+gBN|A99 zx8-di_3q)7W?LRsKs?hW5CaOGa?fPE@Q>zgbHPz;q6?^Oc!HZ4Y;2&j8atK5m^z~_ zvIvv2lCXZsZ!W=<8*$oDrPjxrC_{V4J4JXow#Ohh@F{dKjDUq#;ZRsaILg{^7STGB zA{*g}^bFk~QU^!x6xV<0f0?PX*UjVTCUb=+bQ!n-xT0Tp9S&^CgA%o@2nX*#MTsl{ z-NMm4aDuEv19QVdZK_(Gbw$TU=XENM<1t70z~{KS6emqAxcIb18(kyo?O2q0SY)=H z4W;&sEF)2$$YeVzy@6S^@W&4k2N z7=4IK!0fjE56;4J-<6S`A~a&+xI5M_bf17vW85AzKe(iArgXsJvl=&)d0NUmy2?CJ z=HXbc@z5uFdyx9Va}R#jH4S(_U}8Sbq^3 z`*wl1+qZB}5RYh$`09vnZdIMD7<|#wTkqt(NcPS@CkrCsVNkd2_R24XvmX@w&cJm0hNGp z$gf2_7_lATHqvJR?*hgkPaXl%JOFw6n&U)sT#2?y0PD?d5*KZv{O4hPHswYx2GlZ@ zTCOR{l}MFJX$8+Guk$|#soWcm5PNy^L1C5jS-nwO8?UHFvYKO!QP zD=jKgl;n4&RlK~?64@ADnOe!4Csi?I6R1-B%cF9r3Q9%|CDkaE0{n?SkRUO^NpjT{ zWipk7$V>9wpO$D-o-4A(TYg&sd!gb0d9eVYiNaEb8xhJKumfc~9xEdYxi2d3N7;UJ zSq*Ui#}CFkJJxj7)Aab1BKyAoix0Ll)YO!?l-=sy7vKMPphb9dYfg1gcUm%z}q zbjLAt*Sq1889GCE97A`f8!nZhYXgoD#-w-5PWaC$Cc8G{80%dFTvHca0HMpCN>QUQKxR5v z4MCcIk7fC74Q{%r8a8NhR4P(TelygDi1|&8H%;6G)dn2hqZ7x-K=6-0hbma+JG4 zhBYX2Lmdjx)(hpxw;--T+y~3k?S28c2)G6K4bU@@ zqDBG|09k-?z)OJbfW3fofFA%I0M8`MWk47p2_OY%0jmM80crue00#jl0T%$@0oni* z`e6&`3Fr^-0*nF#0HOf#fT@5?fDAAPun=$ra-RpZ0Dc5K1oTLTJ^;M|9)LjrFTe=E z7=Qo}0*C^{0VV>H0qKBDKn|b)Py$c`<^vW3mH~8t7Xj-48v&aDwE!}MZ74Ryp=>ET z${v0+hzh1cs8A}53a28dNGghorbKY>h-51LcSx2s%?Plq=juPpTKDl{?nHzEnT_5V1csfEozH9R$N2Lh-1flozIiH|0YO zr$$h|)JSR+H5xx`^uv!h$Kpqed`dtGsQ@aFN}*DzG%B6Spr%pNsTtHvDwE2hW>FF< zo04J=l#88^jFMCNQ~{;HtIF9_5mii;V24yj&7qW(ic)vm3Hg^*Z!6^wX`I^ zNJcU#Y9)4E)N?Xf+2ou;lu*f~iV}4~38A8rD-y6%lUOhG)Kr;Tqcjz#&MTd)QO79r zRg|QxLc(mnED5q7V>V#S<}6NnWW4*kL_WOGC^Gw~%vqs63GWk;kkv~bQcoJnTmPAvArCcUqcH34hbXQoJLQ^u^s&vki zOf9H6R%E1;rrtlRnYom-1RHp@EFTKZDOIaWi>Z7VQgTdE%%nK+gb67mE3qOXS@6s) zP*O}iC8Vc{q$;&UEypni4R*_EEIFl0GnbT8MKZaXDpKSqrOFBkxKYJ0Hl<8P;yJ2P zC4*4SF~_EsP=q$~G-ZScDRt>=lA4#RGUJdcl9d2gh8duiQ%XoFC@>i@Nrx!RX+?ek z##V*#?<5cfSP*6^kx)P|=+8J)8B%c~7&wEA@5Ci^rV=|-Q#$E#I&nGUx{z@qzJ+;C zd>1;QE1B4poMJ_s(}m8nLd(0*1zkx+SF)%pIj5^$UME)GDP}=uO3|4r>P*cs*O)6I zr7EZ|N1>K0WJP&!O_pP9TwI)0CNHlm!yItCvN&_%rcN@B1gIjH#FHR_1c@Y=LV_G7 zU}$m}q8x@Qhat;h=yFViCQ3AiN^&MFU_z#moFXPYhlC6XL%|R*K<;Qr;v5V^pJgXgb3>vV#~7w>3ZNUSkZA(u*Lx=vZ9-oigg&c04v;l;I;x6 zZ-sjexH{nOSn=BrTqbZ>raGT1z?A_<_V<=2J{>6$_61hBLf{I3d)o8=wfmUKiQ<^F zRH48>uc(Nkj@n9+Dv(v*`FM$inlaN~pxK4SgBoF4VEUl0fDO76mCkTpV#h4!y zR(*-AJXcnxmJ~=!@`_~207-6XadBx0l^#1aZBlANl9(SroA|FM{E1t`BaujRm1>Ei zG{@w$*rpa0rRM6AxpK3c>ra_HrU%7%Q0z~Nv9yxEVgPSN?q#q}7Go#WnU=_~50a>4 zaE*#06iSGa`eSENS|V5EYm_oc31({PJmRV6GCd$%6w)Ha{LUg-$y|l9w4_*uRT6tG zhPRmlYA(kXLoFriD)wDunT1l&j=6-a(rN`X;7xQR%hh1%>sDz9WI^9CEMSCPmN_Sx zqfuZ^GDz&iB)O(kAv}t*SW!aOAZeMxuUO@W+YCQ&@Pj(B7xF9O`|QnL1XZR6_5`%FVT@jcSSn@y8v~7dH|`Pn9W?r z;53GNTtHJl%FO|>g*TF&4~=$6hREZAdYuL4gl6O8nE%cH-_rmaXLe?cDv9DnxbDGK z5zfd|B_gYbg)=Zg2DlF4VEQIDfFiP1R z4O)@qB`Xzk;rsJts?I{|VllJAquYtHxw0Z&5eXx`q^g9HxuvsZN-v&95tB<6vPdtv zv`8iM8r#VxV(haUi5S~Wq=>PdePgOeKqF;RwIYXEzW=_v-N=a=%|b*-%gTxrx!_b< z(j}KlQ&xsUsw@wGS}Y+i((8Gdfadc90)zedfdN5&0m9rsKWU&`=10>Zc`}(ym?xCe z3$1(h1P5UtUl@`TD)kG@3k3&xPM%+gOpxa%6$Av(0zsfWR4Dyx4gpeuTo57?`UMJe zLj3{)0{DJ8($HMLyr9s$0BL|UNG1&VYYu#QP;gLgaFAaJE#vzI2!x@2p@BI$ej&m< zS{{@~=ShSAhC_&qmIq7u0>2!2ju5?&h4`UQfqnrY^1MJ=$`6!=TJ<7g?Bm*v7~5?i zOhai!^!EeF%z`ev#ZEADR9?g*JpJkP zQ$hYT`R7IcxE`6JrOFsw`Y6=6NyLUS(rXk-aDAr8eNI-9irEa;78D4R2@2o`1mxz* z`FV0LUJFACm}9IZSo`|ug0xzDN1-~ zqZItq)I3lqLBT^yrFj2Tg8N@7@Ct^G)Dz(zn$;;s9B5UzB_{IWp2CW*JAWbv;Y-#k zJFEKXz>! z^)mFANJ(z8aX@4=(;dgd7g;>qj1x`raaT@Ke8|B2Khl*y>OI-6bsID&#zDr(kWB_n z`$LapwEn6lAE)L}oZwB;5&1|flVEiT|DYb}m4yQt^CZ;uhb|`KjRFgDnDj#|jp*58 zYb0l~8VMv+LytsWT*o6#Vl{XWP395RBW({}$>2r4qR=oko@IB0o@VT!JN@HUVQmv} zsKbJF6Fap?*fksQzKfYjsVF5jk6T~F)^>@TE;7}gc^aP59RE9pUeW?+V`& zUKhSUygvML_>FMKh`tfw5#u9fN6d}b7_lYd%ZRTdIwIJSVM{S7O7j-ns5cNyckmwQ7@zE*Ki=$tN-W~l( z^tI?4(Qqi#D(JzLcBco>(R3U=kuIgx^nCht`Yrkk`YZYm+KxY(AH<)=&xL+o;n(pS z`9JX=@P`V93#JIt1&g7nmC)55!Ct|af(wF60)ybLz){#&7%m(yoGqLyd|mjK@VM~2 z&?vMI@C^_`m-zuN1#Adt2sj$>Q$Tyb?*T&sy#q%DP7X{BoDoU zLf#5_H{_F${UL`!j)(Y#P7jrbz7V=9bX(}o&`(2u3uT3kf}W$G-GZ=PVTZzQgc-xq z!wbV#hi?i0B>Yx5J0d1xVnkX*X2gPsr4cJ4UW`~D@mfS}#Eys$B0h=uJmPS~7ZK+p zE=PPH@e_3VC$#Du*)MVgG&>P(=0O4BUX5mrc8R1PKE1*Zf(15rAufTDE ziGfQ3HwS(j_(PyyP*6~K(4?T8p!}fuK`#ZpAM^)aQ2PY?1&0O42j>Qt1lxo-hV+It z=Y|x9ycV(rdfyw;81hv}OUR9oJ0bT%Izk?Wa6%nI-9r0@dWL$1`iA<4284!%ibBVS zCWcN8ofbMPG%vI;v@CRP=z`Ftp({dP3|$}kT4+t^TcPiUei(W$%q4t#_WwLK9}Dv=)mh~w;(zwF(^5xD5xw5FQeht@$R1XqV?)tP2duK|F=~1I@(0c=dz+f20~P{RVZ&naU1?{#9@)#|Su!@qhGk39 znRX7N?N}Vv(qJ1Fr)Co5>Su*}JS(pL*kulr>)`=h?MYL>d!&`a5O0U0%H8X^@v#O|s6 zPTX$z^!Y~hDX*{htfy=qB>i}B&!=(TvrkLJ;b-H{#P(A4TdG&=8U4kpgWpvS9G*01 z$Zr1CKc+}+Qr_D6Yr+`Ya`CpYx-&Olz4>U>cNx)5$=Aeeo5O9XZ1I0z1}(b;1BhJ5jP%89JqLUdC)s?iw!91~}eM!D2XDB^nD{PqGAG4A%R5!wqu@^r99T4Kj%t@>H!(Ot4V)uA` zb;VDMr_(!sD){*K?|Tf|H+iXDRR~F!UZoS> zem}Hl$Ee+}?;6nfV(at`)O%-~l0IzWzs1cQHUHsv^9N-l?vQ!hsu1P)Y$!Q)EVxiR zl>1`L?W-3vq6f`OcwtmuyIF6A6ngdAGNr$E(I@m$&KAsgy?MsFeAymy{L#U{5>9jB z#(@Kptqq#Y`2X%XWSYY?Kcw3n7KB>naL#`;hjDFW8i~<=H-}Rc`6V(Xna2TtJCFaB z>lhkWw{O_?xP*N!#@aTiL&~~c8!x{%#&zP6665lSlr+~qXE@QL|9pGHhKmQJ6^=7c zBrc!(Lrd&)UN7H0G&;6nb92F-7e$lrR)u`l^T@D!dDGhZ2udeq)V{xBtIgM=2A_WJ z+SS~D_tObx?wa-Lj2&Iye;)!J1r`Mo(WZb-pbJJj2NzR8%jlY;O_La2CGMzBN^Jy79 z%96(fA8ekZYLy=|$LFd1Rb~&(O!VMRTASsgyJ)2fssCf7W7R5^U#`?IU*MlBQ_>Mc zxFMWCT1fM2#@6^**Cr0(FKWXT{L@)3uyStWk1DpfOmrXo@5D<}bNfZl3fk{{gC0V} z7{>9S`&K^P`*mMsv52s!^6)(`jiM6UR_D;c9-T3~nS6TzP1gY9F6=L)YUM_?oY@hKq z>w`X<#*9rEc-d=THRQyQ1=Ub-TyEppG4+6v)l|K~ru!t2p{PHSQRnO_>V(HUcO z3DKW@x%kAvD6fLtl-E92sNX#@C}Q#2md5>_%^VHA)b={u)G4!@D))-5P5IW>VaV^- zGMju8ms`6jN4TklR&F98k>8hght9FpaE3Qls&Ng-OH}9i^GDMo3Er`{R|>h@m+|5h z`3kkP$ZF?-1s|>fI}H9vdITY6_a<8a6O(Qm6kd!5UrLZS1k6q(5POjzY{O_e5IYfA zTvwLX{4?>)Ejs>vi~M2qP?K;2x`e~mXeyqNXZi$^Y>@tLgVJ2&6Xc$kS#esr(Pp#l z%Tx9r7s*d%WC+&DYSQ){n*Z$wkA6t=73AN@9ed~}S$)Hec|Rs?-S+u6iQMnfe^n&% zyz_SLIe6*!(9*V|Fu|DXuDNZg@14E>&Udrp&R#6Jkr({Oj+vWhXIGcLb?fahJ0jlN zWkaz_PrKK=dvezgJI=qhH}LwRd`0n(-W9K{TtK(o3A4}lb^Z13%7W1LZC}*RAMQN+ z`XlArvoj92eREWP>f!E#9q+~azI3JZ!!74dI&bRJr#<)4CDHJnqS~{E8!zm7ngb_SIX=;-`{>|y;rY1T5G+?V}=C*!{7wD4#1+h&r@82_Ru6U-+ zl^rK-5Rbx9sne0$u=-jY`Mi1ax{Fa(iVO3K$0jX%DRyj*L*}(@{p7}4+g~UAtX6Hy z9`I@H#`pJDzWQ_Bh6}$ByLB?xb}5(oVEw6~p(+2Kvax_w-*P|Yz_gwlKfm~X&zqZn zIzKGwRQ~AlSuizVB-W9?Jdvw?Fqy+5Vx;I#J53`EMwG zdlcZ`K0sgOIF8a?8!>iAmBY;+tA@AN9Y6p6l2^6_j|utV@+&Dm@2}}wJ21bg&yl?+ zUjJa#oNITt*Xy(I9n1{t^W7}Z^Ts_L(=;}Fi+gE>#=}mTujCqc_mnS*6EzO2zwh~S z>4=kRYI$dny_XX!A`s;TGv_dh=+ zdF{V8|Epa6vi8kiKHV_=B}D&vJky&KxnCf;k^%(=G1FYMFzx9b+{-r@S^z2R@P zJrE6Q-+IC=k-n1G^zqc5!6zQhOdEbc_j&HO<2ZBXPuAZ%^KRq)%Pp_{?q9ZaT+q_x zl}FxRXfwY(+vVgSdc$S+c0=N;5g)Q&9G(2&)!fQuAO1S z2d4qa%olgO6ui}D-pq~1w@LUo8n0h1MC`vJqL@s`svr{^15T?IW~2fNmYji*xZ^_ zu}Kj%McptX-|qUG3xie;n)&V8T{WQ@+t1vq^2@y!obkiLk}Z?|mR<|H`;C$dVfhN4@BAdCS~42E2IZQpx8N|I`XE4Le(3J~H#vBk|G)|C;ea zc82=$BKyr7tF8{H>NRGSZ+*yut$ANbhB}WBr4{%8c*xWre|Y=h_~!z`E{TkpMGxzr zUq7k3Y<*O+u=#|>_k3u}#enSRcR$+P=hvhGBimCQ8){p&9+57N>A5ZBU%mAIrc?Q@ z;ook5!#2>jRxxz-N5j9!EKZ}_5_`#yTu)6^4qux&{M0KOy*du=-uuZ>k6-nAUE`+bB7Z0t+I%zk z-^adAtFA2iKHu}e-SHDc29{siwv*$tabBOL>|ZK{nHSf1WZe#JaI`Pk+WYW|>(MRp z_)=DbjiOz*?*mmt`?_K0yasy@-D&H@Ul(5gX3LP23kgSt^ty5RX6A)21YQY;Ut0ZE zdtKB0!B_HL`gqHU+lz|rJ(K7IEXy+YCYHI^x-WCsng8uFNA7zD_2!V>KDm%Fo#HRA znpjr9ee#WX{jh0Dw-w~6OH8q4&B972r6vDxrF+``{~0SCv!vpGd?v)g zs-}a8xI;K&X+L^&&B&S&%YB}?7~{}@Pg9tBMf5OIuNTLY9?-e|KCz_H$%KfeSnG3rm9|yB+IRC}v5yyZNm986-cb4A%Fr?YDCFFivQt9*MJ}-o^ zFT9`9bDsN4PBR|$8rjrxI8#yS!hbL9uwBF({B6nihF$)69_^XhGvV;GSr=c46Pp;(6xkpIg?c;+>rG8l8u+@dDO1En_u1| zzEK?;krCxlKCZG@v!nVsfnJl^UNFgi){E=2TCa}z`P<&F%I7}Z;<)oVm9RRpMjE&* zErGM-v&gk&?(+-#4*2BC1=gGM-qftr{+f8|>uk3_#{DvI!=f1eQdedsY(IVb*L+OuW= zz6I<4=DG9zBt5pP84llz!;=jj+GD|{NZ-5JO$U1BG@U*o`LpCod(2k}N9T%GuKXaw zdI7}+C1+ z%9^8Fe=Lf1-RoC!>!|z8SNP)Z{9iXFW`2C}o#$UYcxdp*x2LD%&6gk9|I@sGKYx6~ z)%d%D+2XaHe)G;wdv0N2{~iyAB!^UF-|%U=|K`1bM>}h7R^EKD`Ah;`^={lw!B^`x zME0pZILhzab$fr?)Nyrc*~sDCV*vq`2j2G7c&E-kZRg@)U$<}UqMCiZoj$61&M+AA?bmHh&!Xv+nJll^1><;=!IdrlMf~&B(zv1(BaG z$ohK4#q8mivZ=2>8}RC>FQQ8HV_WZ59G>`SNNUTzq>jR`etKi0OV8ZQ<_`w+7~mLq zIIZ7o<-5}sC@%f(cIWxp;O&tSs?g%Mqtgm#el~7TTsro!vmNciwi#ec)nw5gU4pUsj-45M7ABJAZA1@SzAH9i zxaSoF(*bm_KsWv z!{uXIC)n1y?)!XFW${5txsCU_2j zwM>pvX)CS0St;1k+gDm|(R#^+X2V4Vv={_2wtRJB^3|v@Sukb(zxSM(y(cDIY`^-? z^JI7D%*?sG?|a_+Ij88Wn@ou&lgWaAO*5J5@J)Yt{Bz(BhuLHrec`jCO-~Ge>7qLG zyq7Lo=w7xeW5vol|7+zfU(fj3E#LUYot}(amu9S#zLBx)8yT|}lw^GU&LvAPA2n)3 zre5`*62G)qyET85@!vD=m@b@A_f+e!ZY!YJ`wz^|`g_BA)P)!)cmPLpY#ImxtbRL&yfnKo0xMI+6l zN1N&rOs0dP^y6pn+kxNv@J+wyH-0A575^h5vqcB1LwarnI{(KPvUCX=f>!L-o07w3CB?&pPK~1jh$8GS!(_Vo@|8<&@!W#$O~nlw`&aP&Tx7+0AfL;{W2Q~Z zao+(LxbfW+^IZMqD_5=j8gB8iV$3ERE*9fE>@Sb%Te(nI2a+4-muP;`QYWQ1W(XzEvbzg$RyEENae|Ms{MXNAg z!SjkU#YHbTG|7h7)L#ws(w58v2@cJ~zo?EaR&h;V{CXmO6jOsW`>8=I8Z+9WPHu_5 zpHm-xd+(O1c+LIjYiJ~H9b2Y;LjBSAqw0@n4E^!WcvMPsnCj@$V`rLgj#bL=);qjY zP11+FG56lTM05rfvOJqnPxSlK=GZ(J2j5?a&bp^YzF%jmHknX`l~++xzTCtPX{mcL zY!>kDwD>eBv2sz9cg6}2`nBb^C@=F&d|@4~lqH!a-{L;c811TZZ69Fkt6!VPpYS$2 zyz9G7(%aq{J7_qbyceFsw{k6i-WK+}Lx0qB0e`XME$=X(oz1qCv%EB_)UvoTr+!h> zV&+FL_U4-wZl-cEHM1A=S6ouY z8p>U=vrkKXfWXj-UgT&wJ-);1OUpC~#THTTGlV6h?Q=R3F}`W}HqSI~gTp(G@YOH8 ze`TsRo221|BLle~uKNw|68oQuCYEpQI7Va{{KI$&9VY5Wz^8c@7|nf&4|NkKd<MbD?A`19!t{mrKd#(Wy4&!=)uuy+UmgX-3~bV8^^6XeIu%Xf zGAFvj)P9x2B#q;O#yv4|YH-Pi9+j!HP5>!gz0I62TtUJwY#Lm|ima^I%0|$17(Vjl zoO*f0;)$%a)R!ap4DGgThvCqs6-xv+nR>O$unzYns%pN&7UZOOy6$66AV|CaIdVQG@IXf1UI+R&0&b0q);k%CXEaTlta=CD815Ui|)O(C5^N@i2IE}_2? zL7yd%PF9u{;>(hya#00@Bp2Rgo+~+XCi(aY{MitH((9bFp^9j^#Km8TssJx^TU%k( zQs?kFZ3*3@E*kf3pKu>|8Swqg0q?WC3})e6Kr_W}f3lW3x&QvLIgYG3*8JkwMnwPF z99#eQNi9sh0hO~B2xjkbO+sgNfsiVuS<34X5{OSTC10CyP2a+?YmNYb@*JyRE<}H! z3cIMnlbU2VD)fvQ*$hhY_1t^zhLiP)zxn&Rk@WTo2PYuW*z}mj#8l)IgZe|&_uJnk zF;!GFZ8)Asy*0v=J73CKJbrwjT#GQQ%%=VAl=l8(>L=!ytD)ijW|1bBG! zQA07{4>qDsIS!`K0$TB8dXHPzjNor&5Kx6qo!%NtFvk0__zRK8Xii$bU7icQ$ITv{ z$>+tXj5j#hz@jnwy?e{p`)s#*|3{i8RKkmAX!n{-Ylg{%DS))zJ9kWliwz;iW?E2% z&LfAhnc$5bqfz7Jo&jsz)L)IFKRw;CZ>NR&Q`g_yd-wL&pKWnQ7*^x4{%VX%AD;k! z$Dvqca`f|;7W`{bAB<)n?%gcJ-wg1*>o4Y1QRol zb3QAv0a3rh*CUPJ@(?O?&x+|B9)s*7o5xVH@^}|uzl6Flid2AukX`K~PHGzOL_hcM z!TmC5edxze_y}wy@eGPXe=rz-UJB%^nE8>j#<-t0;Qf-a8FhC-C_CKr1y;`+vUH4I zZgR2ehw(1A2U)A{u;+3%B?Gsi{7xZ3t{ntS<$_7j-p9!W+1^Aiobe}nu-bU4QQV0pwh3&mJ2hOvzyHzp{m#JqT0z2_I|8Mmus&BA(JZ?k8I-R zf}7YUXQYu%65Xiq9lm$khL5@Qyh2{=5WQy3F1_j;R818_#k_zjmi{cdOhU2aze6&% z+z{h4mvBPG(MZ=oJuS zX&=ig$YiC*a#K0<3c&Nk%uVo21nYg~J)L>leF4lx!O)Yy&^yMuiIcY_9fJId#JWw2Wzuc%7w%|1@ws>w^xZu*XfmRz$JHSge%*idC=#E z&OT63$V34Dvlc6g1>@3Ir>XbMGn+WuTf5jBxV!4cVr_MbQdF(p8Z0lQ@_fZv?NWU7 zmP=cm$qF;H)swZ=Hf^;-o9wH`l+;#R-TR1yxdq_enYkEN08D^yJSa>6A$fO%@k4GU zSaV*&$kaLdQ?c{a+nKo~#oz>G<$U@pRYyL2Y(tT1&NG>mwN}m~{LUl9D-`L7-`Q=! zuMZ!q^yhJQus8@6K3_Apq{pid73p>8^{J?Y*C%R0eW8j%{A9UF=ZeJk*gk^g0V#o- z8@!&fa^)VYvcme|WB!@xR3poqTq)0-%o@R`(Vr4lVTIRcZklTUUr+T*hdr(>ZIivX)BUE@^CBfk5br;my>!ARY}e;rO%?4QuUmD1V5kjU(Ok^6ve?b31za-JQ zhTyr3!`7vx_6aPL*cZ;A=|qj$LBBi~`(?QkNXC0oawpIX_tSsEpfXIV(2OdW%-+D1^3UWnR;g26h}OCUe&#~&(1{pi-YY91a)K=?dZhmsS9V zkk66qiNK~$VY}~6NQ`jmZ(mFWc{;s397``gK`%E)(~Foi@?sln))I{w1bmP@WAm-? z^|tx8xaCmyyE%bc!gOVQK2m*K(*XWNuDw(V`wXo!0)b=@V2j@o3P+5S|0 zgKFvBx83X+0U%L1O1b+ur2d8(7-GCIhNWctQ?`VT(ca?;`1!PLW=A5k-3O~34X+xt z8 z-=5()H#5)vRG{~*@tXIYZm&Nx@nf|7%}ln)DpzzW1!nM~h2njvXW3 z)I@|@meVs$>ay3gqqB(mcvxvbnX4%UnqqrUvCNi>pv`ylcn@pLOrLI%hS{H*ccIpC z4!^X5{+!+Rr>z|cY`8w+k--snjMB%8N@*U|dp^&Ky5@Sn-ksoWx1f)x9UAj5F#Qn2 zXeM1>r9Pn_olMi)Bj8@$F-C8W;Jb$4`}81MOD#mmsV=&9s9w1rR^I&=tat1bw4bPLC6z zIlQ4ar+$?hgOX;ic?7MOqcy*?l?)YFa;?xG`A_z$-`PeMkTT!qcXm-Whu?YZg}L;_ zwMxIUlR6JgReS}=YE?%EJKNhx6WMb`S=8fd!x?#LfbhYwBC0Z*kfxjs+MPxCg|YR#ElBbqjvL6rVH&P>(+a+yuSwr#Y=<5%frIze(|s#AGv zhbZLdG@>G_x53&|Xv-*!KS`#q82rnR#81xAJbb6WJN&1XQtsuWDC;nDk@2q4{-{4szHXIzD@qZG#YI6MP2?vK~v|>M_&+};;**cozQ!zLA|hcA4$?n>`%|O6}v$3 zmqP&|)34M@_%z*4mb%4w3pX$`imxwL%58M}idz$KJH@yinh)?W=*&yFEzIyuPQ{#b zKM}2B5&rq)As)(UTA7W>K8$!YltA*qT?l5%UQxHTkuw8~G@9j5sEw+jC~qt|33{3s z>QR}|rSyKf#4Cx6=OP+bo{8vKcjah@O6(Pd&TO4I!l8 zmBFjm5pPZvKKjL^g;KZD04Bc}9#FX8)n`j{{?7X1En7Mkv)l>kdxO83ZFs^H_ zF?8)=s4!gDhI3!nwPR+KP*sE7Q|4vfq)H!>F|a)8$^)2-H!L)plv$a1>=l=?Fw?EJ z-bQ@F){~ea-65E3fn)uxa47+kUp4`Dv*dZ1E)XMUQViF`Z3jokDJ*Zm-_osy<@LaksJLh zQFG6MH*g`E0jB~JzUc^`RVxP%pV~wY$yEj<6Qdvr$q<61-S;wDB;2fQJDchqSc^|{!0(b-l7Bj;_CdmZw`fh66!Y(a!{6aeD1O zk`V7*9}*xsZzg%hIX>t1<%W{$Bps{^!^YIQf`oxm&P7nwk|1wROrlL6;b*=StB&N6{#tgKP7|o7D^Z>j3m#UJGOp{|@Ph zXdli9mbdU%;KLSAvSwxt6-{)J;29woSu3>9-vIUr9&mk_t18MK$P78t!PXB!4&i-M zc?l#D{m@dk3ys$sNc2o}cY#y$fJB7%i>Q#h#}}*>?r}DkB2k7o9Oh0tjBtn_)9;v3 znI@$gJk0L97s+elnXQn+!zfc|udkl1N`WTZ?EJ{2Se#kt%SOa?3XSnP>@`0?8Jj_I zM)w>vP^R;7DO0KHUVwbY+Sz91UNdHO&z5<(FAu|*NONg_5Fc(=_$%krD`C$s_qDb8X60H@>rM2O`O%y4wK3n)k?UT9U+qW0L+uRZN4=0(F*mXyFBanoa8*JDMc`IYh?g7zWbwc? za0Fa=q+qS>WAG@2ChDJxO`>s4a-NI0}_d>ft0ZMG|i@U2WvW6oocY{REIKawoX z$=QXv8Rx5Cf3q?hd4DRihL9+rtz(cIS`jQF2+8lsB7yw6ngD(f zYyG*?00V$n&-NCHUZLq8><_75><~lNS^O>)MRjQ&y5#7$OPBL5fgQhzXkB!t;4$XC z3Na8pTtnRge7v3HqCm7bzT^1sAPQE|2lBi#(s3LWu9(Z50YqHjJ05J%#c*YMVtm6n zhv70_5mU@cZCosrs8f*6!Q}y*n=^=2doF=w_#D(W7dwgMevV9=p&^B7RXo{~7&>`B ze-!Qq?s%Y|cxAECESF0`k@QD|tmBEKcSBB*SJY9j4N)Wsd;l448WlSM6I~Zik-qO+ z$R${qiAXsFDVZbi{Nm5$ZL~EP!tE-oI)7mbut(OO_~LF?^#-saU1+_c-VWY^X*4cI z%?m;!Ox%tRAKMlDO{qBu(jYxeC+aR|$Ki7DO$0BKO9SfT?LvIoYfeB?kfnaQhWb~7 zhPo^0xHt_vJ)}7nrVFFF`Zilv&H)3I!h#m&Gwx4wS?rq|XUb)1YU|ZdD=BlLbSG&w z?S@s)b%K%Lg_Jch2BQXy?Y@rzkO&2^C!|jmS~xM=YdrMO1TwNX9q=3j*f4e<>ZZ5Z zoP|ga#!4hlf#IlnS#@y`b0tX{i6nYjXh5V+%;6yP^7;_@y=Y0I$mIInQ|T z9k4c3qrcAYCQCO54ZttK02Jxf65{R_1Q&z}I328y7g1yvAehqk`J zrY1z7J%ta{lO7|r!Wv_}!FGcZ!kGU^%X>qv2$a(l`ZWN;$pF4XoeMx`fS1%>Q-fRb zDu+^#DX&V&*(I+^V^Y9hz(QM-Iw==qOq&BzZpfGC zrYUo6>Im3~e9D(0kIANvzcI)xURJMug)@tDV>olpVIk7VCW`Ygc=S39Y2x0@MbVVo&Op9Fwktyb}0o`ee$~4>+xCP zWg}>G+yl2qz4>K*bkRPfoE|7{hLS-(GMZKTq?r#A(0fGN7O6fxNZ+y*zyn2k3SUiELIPiR01ui z57>%PI0!ub&oS_Rn`bU7ux1rxPAg1VpZ6^2gqTCyUh1;lmkmM2<-EH7Z-&rFN7-@< z*z1)C)Vf)bW+Nv1%W4zcpE_oOlgZF;93no>!{aa=LkM%X+==+}I^tUq@#i$+*yj_K z8Zl_Q?=R>iDdlma>m4+Lif&Sp^yCyHyxtWVUPo?97gVHE%1tSVGwl{5G!9+q8!@-g zbBd)E!CmSGXfU5R)sot?CqnIcp3SjrI8J$#o|k#>8`^8gyH_Vzdra_~S0>-a_O6mofBxbpqM(xD28Q{0_z!r%0>N&ChokVhqg>aH<4aJU#NmyZd9x# z^F>MWm-XvlcZI&3P5N0isOEZhJgA-3p$gImG2!hszW_aOX(~GTeMn|>GL9z@y{sbX z@eo{7tP43n$kfe?Nk5zEs*hg3kb(w z$O8t-3Q{gztbx4@?grDY^N8?CA=9LE9}3lv;lp7Pf;tv?y(6X{$T%6i1Ik;~XY%BT zT*(J?T|yVpTyrW04*(Sev(AED4|31Fd*M8CKY@3P*$FK*3?&q~yAgTLI@Khp0wJ-k zT~dl}jG#~MFP}_Vajbz%02})Ne#taB4c=N^UAvYfT|9Lyn{F71)n?CFO-f;}3-sOh zjv(CRb~`f&=rIi1$*q@2Bu6LIJn6{L!Jk)tYLC;JHtKd+^eE<{{yy8D4ms= zPB?{AL(f!#6EK5rBol`$qrO#GdkSo$?Y?XE8eRt{KL|^et;4%CF*!@8CrA5s*=sJr zFEAlF+3wp&OfxLmxgElo9LL$^(9OC;@0k_8;S8`Sd}YGDh@VywN5HzqH`~#{NpH2` z-o)s5!bEx){}T`W;|)FBPy$Pr#{?dwsY*g0Du&%pfk7ZbFH_YXAv)4-m zz?T?pbXc@u^3?!d8sjkj8i+nOiTIPfrko~#(>iUKl%Scy*La5b6F3w2=%MBJ0>_(Z zn1Uk_`7eTM=0JkV=O{s?zPGh}e7(1=+gqQR*j(aLZ&*XoI^;5m2Q$l2HY>bLw88aL z@Pt4~S$s+OM?xykGrKF&T@aOL20?hLd1lg$F?@zQ489UmOo2*r3Qa4Ryxa^&q;kE@ zTc6-kF9D_Tsd4v3g0&i^3W>)j!)dbPmk?WQpSlgMJS3ZuHDTl+1#=ie&>xIH<#7(6 zv*}N%h=BtK&y1L24xT_Pc!muJPp{G^$maxvg4P^?=noMf+FI_eCw9&Athq8MKqQDM zLfq5(d7@8cwvh*=yHIFNT^i_>H`7#JQl|PnoFJPmSBto`;K{Y{+IsBMu_-_^0wMY4 ze3_M#+`wahHcG)CFT~2eNUx zgsWU64EvotJ0UD@*uF8D%;$9un9G@SuaWtz=begV?_dse zbn>&|hl|a9&N+-8YaL?==Mn2tcyR)emA!^`Er}s5#rYZ(?HyQ2@+K+QM+}9KoY*x} z@dhi}0U{C_9atM}siHVrTu?rzlM|h?9Oa@TBr!(N)6N#ziFm^L8>+FfK}nw9xev0! z1e}ozoy3f@6^hWz08*kA91O7t;Dqxg3rc^_BLCrNbo^3&8AA^th4<} zQJZ?*NN!!AHhnqWR2o5c&|A=cImETMYM;rIe4F3dfqcuN*QlFsqd&nBWf)n;uBeya zN4MFGbadM7!L4HLb)7?d#_6P{PY8Pr2;8I;B3RJnuHis@4G)V+=@|$1PIMWJF4WM& zv+;1Z`yu_|RBDC5=-deh-*~`Er(|AWuYsL!qLtQg+hW)sV$K6M@&g!#`%zR89U^M) zrU4dp0ZKE?0Jm6gUz;!!Gw^s;X{+~ydCf3sT=lf-m8mLH^7XJFC5wqsu%d3`-G1J> zhTei-#a{Cy+7iQIMZZ;?^<-Kj7YZ)6HuZ<+f;$0&2%0(Kr7=_D-oD8=Sl&Loa!?IxtjMJ=8SYR_d&H3vNBA-+_7f>?>kRO>S5)f|wzSWyd- zS`o9IC7f8YvyK(*jGMCy|Ie5h_YS{Q;AG62%RDFqet{0$7A|)G4f}sl8-FE0AOe$w$sHvsLi*@QfK-0(Vo2RHtco6 zgDu^WH3wCoEdgpb`h%7qRPXY-Wmg-Nrt65~Oo$&p|eVsrs*Gbx#f#^&QjjM(wJZidy^y+|Vgz`=Gau&gaz;Y7`jHd(_KjVw7Y?cd9d=;|`UXm@k-R)TxqU z#1hrzR{>klvTU?)+n~X8Oy+HXiatN3YiRERLvt9sMHB?8V!=8ysT(mpm-^pdPk^c( ztj^)W8IZS)878f)#jJ&iCtdKyPdqbQ_XAb{i<)_YXH zOF7rU?1ggyWcyQ%!JO+*_CnBG98PXR-Z=={^&mN(09yizE2~9z9We}36wOVIq^h7+ zA!zQV$h)E81KM%?E^F(BrnxFo(*zR2mjfX%Wj(dP)an?qCL~@VSWC<;p~vrq-&e4( zi-`YVF3_?{82En^PAiC&oEWANF128ZleB#}Lc^-_oyQiy=FH$kE)DlPtps1> zz7X5DE>A>`?`-bhg@^hh_*sBS&}HHev`05(-l<9{~p| z6@trhH}eD(YExQ4&~jB*IcQ=br8*T6)#Jrz4VZ@L zVe|@I>fvuOvgPKeUQl?Na|HGl@^~@BmY_piz)@(VhB5+NWiqx0Nu6kPkLr)^9%iXr z(S<>TJ=GfX6g+1!Wnk`?!C`ZCN!juQfQ`3~AbVd2X+m+O!C^>)*zv^?5pdV(257|e z67y@SzP<-KBUbWqo(ZxF`rJ0H?B9v`D?+st$mPhh`)@=-CP+|3^o9 zJ0mC50<3;Lr3q#CLDI(RiaCc7=^#y#*hdVw(0fP{h!j1n3^hVuHau26`ZV_#Z)~C$ z1HnZ@F3=a&4L^#^$7eI?Pj87Gh%tOXpV<_Fmk8>0T6Ph+H2@`%z7fb?~5po z>sAeM!>O2k?v4F&Lv-+ac|!87_1Pq&dVjS*oX9QHS0<4*0_Ls z=yJvI2k_8w|3Mf%LzZ%YL!Rma!{wewi^BSG%5UZL+-K19R|lf!HD{lm>p?p)6if6B z``%vD6YnmQXmM&dJsZp5$Eu?_Fzp+krx%Hy=|_;BSL`JZdg7T0^qDfv3WTsS396R6ZFnQq6SWQx=bhLU&m zL&;%|Tb=EJJ}|H{=&R5ar*F3!dz!RH*MM~xSQ9qNZF&o8YU<74#U1Cmt)YwLV%0?p zmLa1kY4ByTzaw5m#&avuW*ua+j-ly; z4q;H~_({3AlR*W|7~>|CWunN0Z_42?>A@FVf`9PhZ2Fd_3IebZ=tE{oP<7+fbz?Mj z%|QW7eaevLnuiz8H7FhWE=rApe^>hjy?g$+K|@Q`(g^Ak-n_RXx%Vx3T_!d`u%i1Z zWF1mQ??e|Ie8ivb?*)HaNSdH@RXiIQucV%d6Qq=cvp$TfOwO@Ii zt@>?yww=v%$Z+q^Op#|>*~~O~wyk!iEz=Ae37T03;Df|JDAc6jAk751zuOZ$SMgj) zLG?O;+iNm#x5Pb(&j4Cu&rM|FLc?&QeLnz*8I``>Qb$RXQc@jdMWP9sITU!ZVl^Kv z6vbrX`d}AyN}|B|q9X&0=XZM}CxYV;KF_wBeQjK3 z;?nq-85=TNMT;-Jh!)|&l`fBc6kBjco8m!(humo-#0i*Xh|y6-olE^0oDt+$i_XV_ zZW~h-dFl43Ki$qrV;s3XejXmF4eBFNZY+bJd?x6@&K0UNKo5mS21yUkKYu3af!3Q3 zjUJR=oC-ZSNcpEl&;#%XEd0@(B~kn#D$Wi5(0ywBA-?#v*HEt6fc(K7%O6U^_(M*R zKWIC3{s8q4c}L+aB1-&zGKa=$HGVR%6!}cak5}q- zei6kihOAE{9~>k-RKdY}=Jbg>-yN#_D0(zR3IAW8Scn;B_Js7y7hgC-^w9I_AnD=j zaFCukdU$ZvQ0ZaDBd07?78z7t(Q)AT# z?)x&UPrk+DhryKb{Sg*J*f9;@e{dW1r-vskwAC?Bq7F;;hLeNy%faYZ z!v3OQ)Y;On&c6NiGpIUe#Qr*nsPdrfucAMm+WZjKo1Na?Czp0(!_aF6B`?X&dN!_v z)b%t&9xn*V<7>Y`vu-Hz*#9Fw>q5#|MR!TLJ3Hv=BsZ@fM>g`5p|r$=zGI^eIz6Uw zeNK(m_w|5Ogx_r^SNqjivW$w6LhV1b7-_$5f$Pw6?0h{Hw}6$DtTW*jxP~ui8c^p) zHnhIa@iisL-U`5(FkHO#r9lxGxSph4)Oa2E8j^B zQ6BYs>&PQW>5vrZeC+!il*?m4AMR3qFhYoJ2=4j$V4TS2THqsYWD`3paj9sy$qdK+ zDSpSrZ#uFE{^Rlcb9lK2!0*=DaQy!Hp??$n#>H0~ts?wSpN}8>YCwGDYzoI$>i7Pg z@nyx<3jgu=nh96<0Q2kIr^E5J^gI8~_}cba;D_IZt9k%@B}U-u$p`*O z$9MpIUHp3Z{7U-vzcaopD?S7K@XDz{x_(}=o|LVz-o%+^pF1Le{ zCB-5utg{Ll0elAoI%_1%2>1Yce!oV5m7e807~CFd1Vs6vVA!7GHcwyc&jhg7F!U_u zE_#kN4^|kB+_kUnf05(lRxHC*O1pU(PJvXP<;BuMB%^k$rijmPBGmk!hPF5OL+thj zKaQ*82aQ8vi3H#TrkO5XLHiv?$FLDGqOyoh6++SGDy$UgLZS|`(uC=VL^W8EN{LN< ze;hX}W5ylFTEw!XKD9yS;}@B>JfrRt*20rX!u8dG=%91oW^H?eu~Eqjea(K>uk`^6Q3FSDTX&U4*h(E7oSb~S^JZ-LO*YB92))P`_2aa z%pu+WGr@nx!0j4`eooX;@!6!Gsc@g44gT}3q0x^SN!}R$8J1stWXpdh=x6^^ap~t- zUVJv`CjdY7S)iW=-_Yo%q55pl&kdg${rNjj#HF8mc=6e!pSsOwg?_HUo(Gf-7`-B< zKmB>b`m;elU7s2LQ;g_v9QpMXUVJv`XDyt`XMz9R^4QSmCx6}9pr5?epB4EvMl8dM zw!cmwqI;J0A2_$q0{y)I=b_P$`JPjypY$02&oRF^uM2zZs4jOk*u_z^bz*~^|JsRJKyLz%~3v}GnUhQTMV}jE|&fFV0=I?At($Uv^2s8q^eKxVyPVd znf7O?9ynySN4SB06mkRocdQ%e;ep*iytOXf<8(}&BU&5Vk2k0zSGbKD;Pd5V=j`Xf zIIbkVTfw)&dmiRWLUKYUTy$_H!BNS*NsY*=(H%;(Ipfc6g%6XCYcaViix)S12be_{GhZ?oc3+^(Gqne zSHw>Y5&QsKGe}X1AyNF`boTOF8bg^ujzC*c#oVQB2P8VaZnU(9%}>Kl?0i2I&vI6n zl33`-o#|L#$q8>U9h*yJNjtRBRQpx|@~Q#JJ-3ywZG z*^BL*u!Oymdu*`%Uzi*)w*2C|AEKk7IRJQ_wf;T&aj1W*ZRS($9}by|%BSo5EX1p? zykDpz{p8a%jf#kW-pRFqe|^AJ~A&x{kGR6Cku)s7u;)eij>6`}maoe!;H`E1buK1M*p;o75U z_cpt)ivzfyMBq9OU^>MhO5Zz!iNKX{;48ozyGjN9hCIXm#QBqzq5$8)8T)@gl;OPR z9V82|@7vvrgfKFcGt%^a9|7_$xDuM)A7erOlYT(1C;1iyu=n$JWcp}QAnxAJ5%|FV zYIV_1l0#Pd4`Z!#Z$G$-SRgR>Ua-wpkZ^juwrP3q?Z75Z zEWqJ5l>3hrqByTueM0CKF;;O*LV56h0^0{@!^2yFfb;UBSSD2y@q=f(dL{8yb4 z{yitSZh30>A1J@3?=zDhafMi=746?0$BWNqeBg#}3Qg&B^RtY^thEr5kS#I1FNQd< zy(_uQCN2qcncYm>CCpR``tRbcJ~P%s#`t$3KU6YGh9W=uapDO1L0VIk{D@MTPJN?_ z(~%#2VhvO@|M(wX{OR%!$OIAy;xxBoPt$hj9=qHkN|IF|Uvskkg%`e_XwD|1CgC@eoeHP+DW-dYoACG>&GK_7Uv3$NzX)^ZrQ^JASlRh*2Cts|=il(10^5U~eKkgN0hkl00f3ASc zI`j1Nlh2O+qj2~|)6ctn>CxGwpNZc%EA(>Ns zdGXn#9~B<7v!FlICf`G$pFb=-Rr;A8vbS-bhVHV(cCejrwPFi7N~xMkVr*gjl&bq8 zQ>vzN?`=ORRpN-uIA>}^d2ey1#;Gl1r(pt9|27=tVk%fPUcYx@gbu%#9rUYa^1QR5gni+kG{73m({ZI(h?+Uc2uO za*TwZFaY&K3;KKQHRP6!@%h?)#VC&J_YJy{xA4O z`dxVUf)%hTk$1(H@F~un!S#C={czCw7SF6QUmr%VSJU7J;U?n#f(&CnQhuUR{9K(m zwA(yCyd`SCtSCY|_4S)2F=Qmp9>DH6aVV_Hfvtl}$`Ou2=myI;)jxtTkeLS4ega5I z_t{ej;7{RT@Aw^vrncCI6U=0%ij$~tEQ{AdYW=^R!HK&z_y7AHN{)qx|ax=rZb3xM{$)Kkg6Dj%mgqTO?AtTdMTit9f}>bEmph3tqOgP`?kEyPMv{lt+wt@A}!%VzT zXb07i^55H{>C6-pc6d;j<5-nvzO=_;^0t|m)i3`3a8p(bYtSDQ2U`LqX?cAM$KpF( z|IVmS{LSBSolPf&<2&<(x%_(~F6nxb{yka$CWX+X9@q}3A`oq_!G6>@-@We(i4OI7 zD#TU-_8KhSrXy-nKtB#TyC$8z>|)nDdT34aq&8)D>%7W^Xb^Rt_bRWGir7IE;72-r-0V`ve~)WH=&l2MZ@<)n zQ3XIEDfXx4*n0Q(G?=A?-nX#wQ%ZV~L@RDV1@K(@DJ)K|OKmb>0jvj)cLBFGPIJNO%{)uTkY)4@{#VA&TA%|$ zr4bm?8y{oG!9pv}n=)7lcKG z==cF6w^XkW!lftQ)&?zzxg1h5%THHQ?z=uLQ{3>t~Xu38D$|DlJ*qE_dIAm+4H6aYRjv;#v*-#2q>WOGGbk!!jR=V8RKl^MED^Y5t>9u?+Z>1&|C2t7(XK9#*U*yA3qGmA&!6b7l|qLJN{Xp`uM+g zI^+N9kjH=9v;oIo@Trgg*3%h3{LDkd|1Yi?aQrhr_3__wI^(}#$m2h_bincFf9m5$ zR?Ml-|MDS^|Ek*t9Dm-YKK{zn89)5wL!|$M1CRfjPksE0PiOq4LmvPAUmFnrSAXi` zN2vbP=^qZ+A>#iR+$!i-{>>QD_+kH-#8rQ8j#Yn(!qlG(s7>r(iBMu5A|}*4iUXiwLgF@- z(q?{ye&KlM**5i`zr|UZKIn*~P^n+SQ@GW!ChUx59Oa&-7vCIy#_|H3v0Qu3aud#3 z{;OFng+d7hq+r{jJEV zKAk&g1fCiF?I5WjI`)RFzdZvNeu#b-$48qJ$IOXiT=j(Pb04579OvveuEIX~l|e(m zu$;vAnSn<$sU)Wgk6*!k9D>K7^!e{^8;GB6pEh`4aQiWZ&KJcNlHFttA>M^-)4hL% z-Ada>t`M$4P~vh-KJww?gjK%uU3DRDjPmPI(iz;9F_#xgNpPljTq@>j%L0N9CVF-} z4|}|{d}Hwj*3)1e1ng@OY$>1<+j+c2edr&U@bK4zBBI^+F=?2>OaI-enpTPKj-^@j zNF>$uzlHnhz$aTQ!it2?cwQI*pY8L{Jbbp1<7G(jS^4Ep8$J$%0AuLqW5oRs6AGuF zjYVf3KAA&?&-GV*+VJUuvpxnshk0QHeBAR+6+V1s;TQ-=Nj|0d+@fGGKXcQi&PNIm zr=mC;NW>g;!OyUmG$jm54-a;hg?RGm%(r?3bz|W58(tUzuc>oS6<+=GqlH-PH?;Yd zFgXlTp9(*E)Ex&tj2A}0C+)g351*Q=h6e7y+NaoHGxflp({X z@rq9yJ~!VM2R?IoVFY|yXPZYvFQkC7o*&{g*H-R=(x}dw zNhiW~<3w1j^TheEVREf9ItwJup5BmcFRQN0Iey1d@KIp}mJ%c4Zkz$Mm^DQQkWNRQ zb-_y-Lr;f!VFbL~@L!*4{dyr1)rKa|uDtB5(^HiFu@7F<82J2&7e>Hm4*c6^8a|V8 zROHa$bIzns8$LVWWsQN)k9lDPd?v#GeWu})A`KNjAAIrChR-H=VPoL)OuH-i&0QDjq%^XlTI3hOHP69kVz)0YBO$KbP~BAFK<3pEZ-g3!Y8o%*?zbLiYk zaomVHU%Yx{yjSD-wL+)JV{x%S>2Id%D4jppN+??hN|Oe-*?s6h{Jddqs&;vstZ*lj z285t}04})Egk`mC5qG9`T*SA#pptFaD$+a1Ls(;yulTxmtD60J4%-WWVY{#KBsvzB zl^CRC%6JKBNdmv*f5aB1SZA;2+XKfgcUzJ#x(UAL_P#)UwVJJj#X8L;%X+We<0094~h znbSr`JM#?9NwK13tjM}NM#@I`dNJ%!O>#hA!(-&=o)*9V8CNHU!0*}Xa627`I~BSf z3&2kmBY^b&1o`1*u>%~}&j2}BhEz6&#<>>iD~_Ao@d>%D7la9hIt1el#7`7!N(K_l zwC2RfZT%^n+T6h5QQBKDtg?`kO;p9#p6Ge4k343iNm#1?%XSh_S_B}4y(BhdRKGut zYo=pkG^R?p?x=lIO8MHCXn1~tE)p(Z8W46jhCK*+7mz;_@SYRa@DSmB8Jy%pfcNFF za*2FtN8mL!bHDJuWb6>&eFpN03lZBlKtJSslrO*$KE(WsLimsS&nKRk#z+4t=2I6U zc7N*Qhg*Ay*Mx} z>$s>tF2k*OVlwP%rNj#3Oa1&4Nac{DGEy1iSkQ zJR)ST{0zZy15JanS90pX=%&raZl^YVx6=fddiNp@{5XqAeA?Z}*hvG>h_8XG71`M9 z>T#ss&`Q^?&`Ou);G&b$8qX^TVV~xBEH3p|Ume zL5~Pb>E3{EUCRmf3lypfIuBOzLfSSo)Ng)PKu%ZT2damnr2DJk1JZH(8(v60pn#E&HWi+9!(SaI)+f&Ijqky!2ypjJiLG{l zt@>>LT)pz zs|D%d6!Z5sAr7s>D-@6YCNGR|TU+5-H{caJ7vg!QB0OGk^Y@PZT6ZuHI)CqgBMd^H zO1{hr#Gzy0vxpZ)z(>90%)_S}j!xnxgU@gLqy5u{j|*|<82IG!!U*`Zz%P8J>F1$m zhYFwXj{daalP%U&Mdg3;!U*_m&ph++c>)XZhekguM}6Axalm~WLq8wGCmNmq35WKX zrk|Zq0EY&j>usMle7fMUjDgQ#UKl|??$4ch_*kAADtxXSdCKsCzSdm^buAEA&WF^s zfROX8aEt;jq|S6JrFt@Y6EDOeT5;4h!^oGqN+7-|yOq{hjKNk5s3z!bt9ZBQs zy)9-u`gvC9@HW$iID7aq_;UBUW5OpDwi39hr_gHgyaffJGWsYWt`k6?_jab_)ccb> zpHFmTk1;u9XP4~k-m(x@L0L}E*33&29a}tbY;Apxex;zeT$yi?rM?`^pJbbu=y0qw zJGRoAcy+-A*xACpoqCb#5vJHy&pnCgqP@mF3>!n3P|vfI;5lP+vRS@$>kYWc@;zH8 z^6wNj%0dk-S3dJMRjOM{S)21S-+V`jjTl-Y{qkF zpZm79ZbGnk>r`wDxYZ@$<6)eupuNt$684R^SxqLsX;iReA(fF7`J#yjXX^!P|ulzSg< zz(u3Mk$e`Ph7B3;pt}|2*wUp=Z`n%m-PLr1JeKY@+;tzr2R16O(IYJg)B1MVYf7k* z=(P{-u25xgP;8x~1M(7jI67lHri*L__0HXgIyh`VI)oxSb;kNXxRXI2+4M0LA286V zN8X(&TU~lP$FLgGAm&eyxsO^{ zh+@ElgAA~=5-g|VMmfi{dkOV$1-&}u4zvKfSMO$~-c1LdWkp>%^%!9c4B5+6-W^;1 zN{%L1#TpFmj}pQ4O8}@KBLFY8@`@HMA4Z3lHF@ zcYU8jO4Y|+j1i_16bT@<;^k)J%1Ukmd(9<$2<6)9upvNL*lR}75Td6kOBS?)QCy|1 z?#BLlK?-;i%N`*zyz9G7o{^$w?bu8h$C>nX=x;68`C)1X?~iq>TgNq)ka5bWi=d2e zqg0Q3Xj3Tu;ckhz{|(%asFLj?YEMm}S`XN3=HtHl&N=8q!u9Ufh*xv^c{N>smDX^o zefq0v#H#^-**l{iJl6CgeR}dbl9eB$(1bl!#Lg%|ro9WLWxzMU6pro^04FZR!$Gow5O{74)P{>Bj2Ab zUjHg4m|h;y=-Pa5v&DNdW8H2v$YwYQngNWDx6$d|DF6T#1XyF6oJ*;Y|^+;Z$BHYS$VMsZePv_uziS{lXK zz3~uT#CwPnn(+`_#CwR-jqwm&#CwQSi183z#Cyntatu^}h%RCuf>t&rhC>*>yquo) zhiIBdPrtY?<@Dre?Mv}^PCbNz6OsuHQ;ZJ3r7@B28x#Tm?O(>zVt>42*h$E?+;n}h zy7*%huCP$t@z_41y)+(#3VL^p=M|@ewp+t`Ol+L^g@In;`X6?u`2f4-^e(l@rG2t9 zfUG{*j3gsDIZRU(jf6dqrO(!03HoB6T-xs|cpmXo)L+hyLl)S-MH5BK^gVi>*?}hI zVU>Q!R+EW)pRIK-p_SgZ8{SQn&#zQ0-%YH~YLQ3l_b&8x6w|$=+Z&hQcG#U)i*9w$ zo#bVWDkM_m%^S~udOzJ9wXD%`Y4}ZV{l~mV+eD9^pdJ-j>mIy;E$DrlHDopJR}&i> zREIolS^c9}5Fg&6_vrWns`Q*?jd?TeQ7zuSyYhCrdEThC`sbyLp$dnw%5f#h`ILh*#nwR{9N7v!X9)lwhA52IoIo6`&7pY}e&Kq$CQWJ6>o zBM}szptSBFrSa#}K!%{f-lbMN!s!w71SE#v*k!j%)Du7+X|DuZrBg0dk!~qt|0}18 z+7O-%b;A3udF@E=^zWFYk@$J{M|BVyCY+0EJi^;^l(0s*s4wRL>Zf3K&f#*9^t4ik z{eH?3MC>NZ&xq2yKo)*kaHYr8;zgB_*x~%D7`sDUktkVnC2RTk!@xuDVRmA} zNdt_n0An+6{E8O{dDznJirn5+m$8&TfJPEu%{jc`1U+kis7a}%=Xwu~-*xeB*|wvQ zwTN4uR{#gG)CS|H_8R^~RbfJad*$??x-6EmE88Ee3}hzgmG5uC8d#A7qyq+D z3VQ7$qiYk9PpK6M$pVFee!&ePp*!hHWnD~Tw(~(#30X~YQ6~uKaPQ&V7G)!iXJrCw zk!|OB8!g_icblbyL^@UKG-v0ksg$MQS8Vr*YMr*+ldGI8#mXA9ny{tr0YJicKuW69 zcKs+@0jIE8LdPJvjFBx zqCeNa%AAjTKm+w7f_bPw2}3QMygSU&GtAk>ijFLnr*Eu`m_7pE6TMYX>>G$V74_Ng z-%3a>vVDPoq@-*F_RAsf4@0@Q%kOL>fUrQ2UlduH#mwoTn^_(vmg4N{T}nKRwka+; zmS_hT%eAjE=Owj82l-8u&Y;U!%o_ADKObuK+#(1h&&9u1&GZ(v~nwuD_@Bd zEGUhyfFKcz$sZYG`jmXAOkQ7Ly~R3pYrBv`t)_tr=sGsJhyqZYha-j=!qk={)WPS zg%+FV?PDji0{J-y>Ih%G@5{cOXv}*uZ)K5EX!iSBaRnpRB>P^&FUCK6AEQ!vb2okZ z+VJUpo_?F8d$lL&QcET88L9q08WLvCZHy1a8^~LEXWme29UD_C0R;9&CgUJ04hHP? z-Af_TUQ%Ct2ub3UGW8^lh;8Oj=FgX@kMyCFqWo3%Q>smSl0c2Da4&9Ag1-j)^C#Y_dTFr$iBT)34a3;>I*)?^lVun(8i%A2WsxeaTENtfi71y)}q2y%hwDl;Xvw-CRWN{kQEv&6EAP3 z-@Q*hfKS<1L!X;B(%oUKB}<`SxeeocdXMHdtRl?_a7=uXo+^;-;9mVu{eJisWUk*EmEg_N6bQf{?}`3|0pJ{clrjCG|a0)H|_WtS8zIh6jEP< z`UO-KuEX~(b+GrLtg$!X-(;nZ{T*_Js#p$Z?Sq(C=3ufu56y^G>)%vRTKr6!B|g!PvB4BOq%o~T&l#QOHXQ3r5`+iv1c z((MgP+V|+?+;S7;$;%qZcx&IG-{N+gxHW271DS5^n{i7i5LO#0=CC7ML_g3A-Ehm= zy}vyX9dImbAfv5g2{q5nHBr|&%NodH>zGI7+)@+e=Phd>W36K{m2)Fal#gB3Kz3S3 zIw?D`3p$22%u@b@6;p%;hyC|b=YqudwO2b!9GBY++^DS z4{`!vshg!IDk6LM9Tz2+~3<0>1aJG}W- z!uDi%5UDO|-+Q1kELYk|egcT9i!gsDD2146YwgOCOp|xI*Cb8j{&_u&Ck$8Oe=bD$l2JehPNd_0T@4^Xk7 zKwiu#kh)$c$d4BqY}YCBj6uJi?lo zq~@WIg=BI_P%Hxk%lqn~X<@w?4kW=uUj|RMY`d@H79eCgoA~=?*7$9z`@GrFfd5wf|1bWNE&*-hzXbno{8!=syZAR) zB&TOGP7DhYP#{AD1f1K8?vo+j>Pg7zm4nvf7jr*YbxFv2WV>@;hsBijO2}@^eVw&H z;q@F0xAa7dyuA!=k2IFSAR(d!AuyVmU(ISp1cdkj%oJT;V3zDyeHunkxINNkXwy*i zRTwj{0$}OE1d&IRxy|hn13}XI{Vd4|y~YwP2Y0 zRp^A;UweoThwO!7vKO)r!Bn96YYfg|cn$;HSm+Bg7J}v$<}Ys!pTbz^j4~Dg;^lB7 z?SvcYM%_WR6;9a5chqcOtAfG#*{rM>HEUS&=Pxvws_z~)$J^58 ztv5?cS+jq38ja_N-oIYxpKZf0Q(~jOcVrcwVSTo+T zE4GAZp_-T)j$63@(A$vs>R;i)DYwY8t+Y_NsS*|!&#z!+!?P&hi-=1^0kR&VuG6Bf zZBf^bsO$8o>x_tN(3_wbD=3Br6z1!s9&I>5_+B$yE*3+Hy1iGqkM7Sf9OEohhzinU9*Df35p$pA+lCiA zE^hRUESB?ehC?*PL-LJM@-<(Blq}v2xq^8&!C#A+MQMeK1BFFSI80j0-N{Fi^12bJ zcUqN{YoUm|nZ_)eZ=z?+_;EA+fcM$5c?thz4RdmGe$6>?5ggd$`$mn2oq?mf4o_^| zbtq}=I|+^>4M*GGOgOshX#3#`a<_!NF7!2P32|3c0FMt`e--FR;IPwrH~}^6I&4B+ zS)!&xjjg*|8(QB!GW=-Aq1}hm=;|n4wI3cQ{8+p{R9^tX5sE)KCo58*+a7k>4xe}CdK&JHL_}R|7zB@VG`DDZ3kFY~!EXBvM zT+w#e!hepaa6OxA7!7;4BKqGpV2o;hDVxy-LB}r;2l*>&=RNsu_kW z#kQTT(0H=2TEzE?lnH+Uc>C(nFYNeP0_8_Mx)sO3k9#5eYSLXhtMS!gdm&>czuGk0 zOna!7mr(G9GKOl-!wjYpO*#@ROF$WPZ1`fGdtoY+2v;RLo)u75Sda-0OXP=25tKfa zCBvm?^iZ4pW$c;YQa>iU)~PD1VfG#IHYLb~-4JaIn`0CPax3<(d;xwzG|8m4@-nTo zQ|}0Azh3`8Ju6v7>w<>&61>gU*+Snagrc8NL#tp=}@ z(oS?xy@>auObY-BfK=s&>v?#ZBd|~r954%6zv6^i_wQRD2Xnm=$LvroOA#iSyz^)Nnym(-sXhd z4_EqGMGJzzXrUCatVRlcbKlR)HbHUI*T7(*^mJs%SS1prEv(j$bx zn^A^F`$6E5SOf;(j?At$5Ew8JI6*HW1fCWCdv@d7x@ye)IS0rgZiYE#gXNrCNvpvy z9-=_lK?zwe=N`o8K?*JB?p~FUNK0u2zXW?{4fHyE>tK=;rJ>(Ylqp0SE)e+hHip<8 zwMAi4IO6-bBfgv7ZODSLR}@&4m|Ej|b~l;146yi+nGK*cz({7p}78?CKcDUXE`tBji2T ziY;cicL87(0c5Z&!zd}RuwgU|@E(fOb-_aBfocv|XLqHXh?l}*Q#!qF=%jdQ6X`5=WDEV-(lz8!_H&<$>SF0Y$5*dRC^Kl{(tP93w)H-neb;aLzsjiGit<$ zQKF8D9kh|q7M!RFkbuf12uZ90v0JoCZ9gkB1#J?7lc||`9i>}s?N?ptZEIWmRaa%v zTAL7>aIqnPD^a{)OYIv&YfwxAX36(|&Uxp?#ol+fyX(&|?|aU9&*eGKdCob{wHj8= za|Zv<<%%DjEBgduIA=MJM%!znCNlbxoe1)3ru_O_qN{x?o$NdBsjm+nNOWFxQc0Nh z8r9}tXhSq|vy8I(DGAoO)j#*CK=o6?PL{7_U=@!W)sO8_Alg&0|3uw<)TnrrZdxeK zrF&hp;z0|WdHZg(;vu8qAxFbHgXd~9(6DZWbGme6?t_lGdjoU#3TDRhMV1Qu`=b?Wqt*8q{40@k_bLRvN6m>Y&=Rd^j#f7r70nu{ z42=vGJw`=S)Ddn+i0rl-3O78F*V(;Z>tRFH8|cG#YLYDY?0K#&<37Q9`)i+vH+%ik7ggCe%2DQwW5g?3Odmqow+j?TYOCb+YQjhC5V;l~8}zvwpd!-o6Gs5>0Z zf3nQj?Rjo<`L4H(?f$JL2Lhe9zsA`n1#(5-ZicGM5jtMwhP!W|r*KG?5{i9O^qG~t zA+(npKx80sVoe=aLFDB5<)O6m%R0~-?r!gEOTHVO%igld)BHRM@xuFzt%zUza^!w) zt>L`OsD&nOFr3p2PqgAG!y#BU1FHErCk-@1HZpI}Yv!#ZI%^m?e#Jh}UA8l$`fu*mY6oSD3K5n*t4+ z7-<(o&e0xdPmL1&0hk5t{))|kC7Ts2mb@SW_QB{FV{Ugm|ITv^Q~fQ8OKYnx}!OhwE@BsvsW-1Z0{y=qG3TF%bt` zBnQ^&=QxoXOE##H_D8d1qLCNn*x6q=&d`<8UnpQfT(>(q9lPlrP=l5=yeQpWvLVm_ zycP%|Fk(Pfy~$|UCz>)9-Tb}4-)5&Jod8yj&Ed~IZU;D?$nO-Q9o%u_K9p++$_w6v zw?Yj?KU1&QBVY7z`ZC=AVmP0TI{zi=ezwxs<$12lXpdiM-}SbCW62Q5>z;IdihV;1 zxS5Byj$mNqHLoK4rKMaP8l{zTMR?(=F^iN)-HGC`B_C8*o6JLztbbkKvrImU$<#Qs z_(U~!aRNuZ;6rNsPoUr7{r}7F_z&ZEsQn^e)E9>q8mEhPjf9%SM9X=4CVg@lS2%_O zLoC-Lfg=!a1^bEskx0ZB&A85|uy*-Nv=h zD_3-h+dvqQtj0}EC$6TV-_aIDZ>?>`C=p$_*-rF>+JX0W;~w=Bp!PJx98J^tR8>Y*GpS=XfB7ec9HK|VVBMEm8m_CXwSv-1;k{`p~o|m{4SzM-zFQM z(WCjtFhNBkPm}lX!zYU^Y`j*>qlLMAWg=H2oYyK*M4<9zfW*rHi!2Z?J0S+#U<7?P z$ok_?z`dBSWNN+q6`k;_MX;ae_!fC0LAjI$eYf)Gee zm-*u%rk=R-uzTU}hBp=RQV^{i7S8I|WQu5~lr(pl%tqWT8a6ij9N#2HRTds{c<%bF zAdf}Jh&~^m5=Qm>LZiW};a_{rLUYx%$~!QeOTSbXcdA-g*stHdS53DN&wG4=RwXZ( zAH7xIHc9!eq`<|!p5y{6SuUYz|LOD4n*CB#vsi@QuH)@E^cHd$cN&V=dX4v>E55ay zpK5E&4(-2KSn7`>cV%$i_>|`<8|c6NH8ge-_bL#E$y>~%ElVTK&a&4Y@-@-qYnmb< zIgpiNxFfPg3}-}E2fdP|!q21pFe&T!sfymOhRxj6^QgwVvkGY?BvSHOIR&pRf<|?d z@E8g7#cGS%)mr+}0_eIX+>`<{SVthpR8~$Eue0@fax22m9C{twxOB`>s9eDPll8>x z$a*ri{#+ge2H)YA9*PPTpG=~6Q~50xd46I&sk}KpAL&I_exZ;SaHWVzE(AnA{wAJq zWt4$kWprdBf3g}T@l~;W!QYA3(@eFVW?Jh>_8+z*{w7gFJ~apxms%#Bu-!T6vwVTJ z3*t*hcJ$3KMguG#UtY^de8T->QCVY`B~vP^NodN%Dzp22wVGs>Bx{ajErV3uMioKx zAIPN_W%1Rn=qzg~6>{fuvr;f=eW=1W;U1+wYLZt7J_XcbEcJX8nz#KK&54Xa?0 zZz_8=oxLGm_-=Hu&xL(Rd#h+5srKTbXQ0ZPg$hx*>5sE`nvC0-$ z>yraXvaWrJQmkL216s3~#8q-r69h`^)&dvw&2o+W0+MGcE)AQOb=8NVm~nap{bYAd z(6|rZU2k?knc1IbrtQxT`XDtF1BFSPe-k)!!^TXKI6Qp>8;N#w*8$xgE@^9V`RviD4(X9ch`=wsAf z04pwfsVL}^2@t0Q7Wr=Q+!X;u(n#exCLfyU{7jNm3UNq~%HI*4H^E7_?u#O05VK*i z@}mT!PWt1jojx9VLi_nOKq{8*R^sCd4-e z55=cDB0E=Q85>i~D@xHH4$U>QjRUn3sC2y8PQB|t9CMGmG&eZvQuk>g@9gR1gnn12 z#)}9<`<}B};Ct+IYK_af8Hw@o$nNF2owUbVAP_2=wTsjM#W~&X@Kjsq)TV$9jmWvf zP1E=t+1+UyM_I9kwahkDePV4e7yBj*jM%s$dm7K5kCLJD8R5^p6tYi`yPG`EXHAbg zXH!$SwVNzi)xVyv6k**g$kh47sg&K+XMAI9MfH;}rbnGWCCw3EkVR$2D@RwS@)rI* z%AMvcOw5Ml>#y2(EFAkkddR9hymhn1buUMtM zvbh!EKY9`EbIV6FE-DP-A42iO^5u!QB8*~3hhGOc6<0zTPR2JozcmCZOYAK zVj*SVpB_&vyR&H3IEFBOMds9e0SuTR(_t9cKkzYV}+wHJzcdk^Q!W)@L?8mQ=`KcoUlCm z=1o%W1^$W8bC~Zb))dz8p5{Tmja9>|8(N-a1_H2aH{p#&EznqY$rc!ta}Sp60cBPg zBZ4mzSa78kp5`H%EWOdw+|Tb(c;jjQHkA_C8R1vd${@pj6Za414jr2OE8;FN=C%?Y!=P19hiQ_z%nrZ2zMD>NQ71tIKou z%~F20GcL=rDX7^K}P2yb=czX35sM9ncX zr>5h6f_}n1TUdj(q45fvChE)KA(!XwO8^|^4L#L%1nePaNA|^)N?2%Y8~k%|12?AEHT(=VCl=Z@|F)@!%SNR)l6LJryeey@?{LgND zC@u4sfNzjYMhGV8RqZP{LSF+4E{b?WcTjj@2C8I zl|PvfVSy3E5ylh2&_;BuW8(z3tajsj+hRBVq zea&GLx~h}0n?Em^EXF1)PFr(Wj8SxUc9of(%oaU+$rjraoed8CR%;hgsfdGhaxV81 zD_J3q^^feoq6}fIbQ`m{Aw529b+u5snoCzzNBgGh4$6zO?_+3zO1H-9Zb@QxUlFZI zXGoOJNTRE6jP8QGFy<FOeOhNStbKFDWg#{vrGnl+7)_c7RbO+3V@;+1;Epm)621s?y%cD(e)q& z2J&qgCv@xlimpF%yuxkF_}k8LZI!uPw7OQLP4R_Hv9w$Gcwjq}$bND8QL|f~nBHW5 z=FF0BQJBQ{nX^iMa$1vB9B)R;)21|8FmpDk%c3%gwlZgue2dB?@-t_#TvM4uX66i% zDOASFOwJyr7-|A{GlA$hwOLmWwL+P{@cu%C`Rva%wK2z|dHOtq^3oVc%cJg~C;TP1 ztue0C4sb{9oWAqaX21xS`+XiM-FAgzsW)RIFUW8QbOb@*3#_4tsD^ z$LNdtPGL8Bv`n6h`bIaSx!f@tRa83-yMxt_I)h_7?eji0&$dAhfqnVkTD*s2j(yz? z{IrxiH^?CXX{qkeF7pvVh0P3apuH%_%%4||RGFdrw@0TM9G}%dAI%CDe(Oa}eNp?j zdgQ0vx$aedTgqMGHdkMpwuvylV3v8^W(gW1)I^~pTUv2@vIJev3j0f9_X%rw=ZvDJiplN z*V0~N^E3dL8*bRgF{uumV}g)P$J$%>jvDCp6}c-~%H+VVlQqZylfWtTc?Uz?lE>}4mgwvjWB+TA853vE(`)V4yQj6KegEcA#j zl)lrwr7ZZtmEOB#!$J3M>GhfofSpCgjZNrdNo!=Ma(8d+U?SpkhpWtp94K*tfN^W4 z%Hc8P;gwLn`a{Z#ks8bu?sIC#{|H5?*V0*{zVv*y{@jfGg)!XuA8Otc8r?Dh{>}C6 zO&_dYnb$HwF+VzH;Z^AR_V|p;Yf8^tne+J1pJyrC`s$iK*c%%2#5&&9GF{O0!G4vi z-pZRk_+2RH@kexCNz(`Kr1H*d`ka5JU{G!fE?`sgB&dPlKQy@RFtmqOKeaLBX;D&26kSSfg(%a%t4DpT`c3baL zlD6^ov88XU%z5JH>QddexRhCVY8|f%?(<8Tgv3i(DRc0|BRZ#~lqpE$oL|ZeJhhfr zH3O%YG67Hgyf3%(peHhk>3!lpmGM+liz9v=botUvp1V#W{nE{zyK?x|vr*}u5jgb4 z@y1B(+}I{3)8V;W2wBUrOUBG74{WbD8G48FbX(JC(`taJ&@o)p@L?G6w+mUD)9$>Zo+vVp&I(&YP}FsKR|&C0i(=E}hg>6dFx#F5fp@ zS{yn}uAVp1myXJuJ7ZbXTO4Gx%yWCzXBlS-hoov`m*(Da%ZI^pIm@tVYO$wzvXI*h zcAj#%XEF4m*}~8}$J0DU6$?)t=V`X_s91ZGLZ_EAv3vEz?o&SnCO?d^Y1+l1tGV_K zd)C7`+NB!xG>iVwhcpJ#=++)q&8I0(nu&ss4W^8G~B6#H|= z>-4nP<5vPcJZCO-8uEPsRr8T>i${W28@uDv(IgT72Ug2|@rO_VlRR5CAE4^r>S&ji zD>>tci=@*SBtS(dfg61v3oTfvogU-P2#!<#@ zQjDc8|6yaE+y9DvoV|uBhoeh57X%BLuFEm;b8G{BCQJW2oOav{0KdL-$vemKa{MZo zL#s|_z8$-zzs}qi=a_J>G)=u&vyFtN(ut;3Id^&@al!d{n6vjAQ$=H_v!M|Qr2mlr z13=H}v&CGV=P_3>x_cK1Z>f5JWM^X_JYsJgMQ`l$Wi;?YuFW?pUG{PQjUz~_D_wLX zefT{w=a?3IV))*es~HAO7S+Y7>}AdP03G0*5!>3kUyd>jCIByB4o0%Cq&B0*4OB7u z8x@M7y6dSv+sJ0%wv3xna=!@gpSaL?8DoeV6z+w0XyZC#p%N_J6j{TGb$_KW za5ZZehZ;#vZg8B1&qwojQ4Q?!&pp_5IT~I)q0z>4Z>1<*1&kSP{}BgP5Qsm-&%qhS zbRi5L73bNQUZ9?pVnxO9HMmZyt*Kf7C&}2>IYTjlO@|zG9N|p`W$3gD=o4D>`=ZsT zd%qfP*lP>2LH6O(@zs=Lp&6L=gwA4zXKH%o3Kh- zDvrc!lKXqMaOe-QC=dh9aw5WJRgE@QyURR3dC3|n%cvUlc~cn;WDNIld*7K17jM_% zd^|Q+4qlAcN%|;bC{}SqoEY5chIK3;u*QEoF^wz*%OnVz4uS0=o_*pnx*~ogPKLrX z9l9(uF6Kcz5X`j%1x2Azv#t_F|1Qr@HeXXKda=%FRc6ytL~dy1iX~O>Tw^y*$nXuS z*4G&DQv4jSv=2I7Vl7g8=nbRdRR<%g?stf*zcZi`1Hn8g?{>7fN0%YGeBW^diV*q@ znrFt`9_GmIGF+)kg5rbDHnv8vy=pzbB$!AR4g%h^%Y!)2ak;?u~1{~IjS z>Y*JtArTK<)%$z%Nl%+gc@%nHA>4#JUB&^&olZZ*YIVLyr)9S_FY;L&$|dasS$Ux) z##L?*SzX40RnS>){O+G0JaVmU5RO`h5i=W>~)^D-(JEcsg7gDXQWsc9o=ibIM z*NhPuXq>snCv75wZMsqmTRrRBM56B-IrX40^VQkrEEEKaMo#S~A+}kG_eodvp;FbC z9i!%wov~TD9HB;qx0Z1T^oMfSY;B@dM8DpF?7ZMDO{;V644rKZJ~NtBl<$_k_dO)^ z1@d$gUH?BtHir1Q%bV(bp7Zb%w6#dSq+QYE$wx6^PL=VJ`8Dyff}?lQuqx%Rj6+)V zMh3u;APK#P`3FKCZrwwb1vF#}4^8*n-N3=tv%ab2^VpsGB0+w_TeJG6g}1u;rqGgT zPDpFUOAF0qQ`9VpIA;%ZIt*~LP(TpP3hxs)$(X}iMV{?7YH>B_Y55v$Xj}8fF&eJD zA*&PSjls)UCcz2(6Z(R9Dpa7GR^w{?Gzts_qIOYmO<#pP55A(_=*gsO80YhdNcuhj z+~Cr)?^J5c42@N%CXO_S*!w0V>tNFcIDA`dj)J;^cG6>kNaU{plD?%7!mRFH?!C9*HL{iFfjU1~`%@}C^gFKm z%!BMus1}5B>0Koi<#VcUMH6ARzYA>)L6XH#(gIkws_(5dZ_Lu$lw5`w>FnACHS}K4 zU=9@&U&D*c_Y}H&14V4+eDS$8)3+!ryVgu!6~hvRBBe|@xC{*#G$eVyHjE;VEtpG@ z+45cAsnm3BY7Zlsu1I2$#@8gI`b0mikPejAl6!;d4iC5S=QDSpki)~&MCn2VyTMN_ z>9GWbS>yIAilj5`vW# znh^XEwL$4KYBJDJl__VSFft%2eyc9c8_W5u-RtDA=;dO*?;ydhobyy z|1L^1PUKp_1;Wj4j>YzJyZKFAHfcDWwkA*LpRo0msr8p<>H*ha@4MI7ZhlIbROmGHUbAQnXnu zNA?=b_(QH|rG;pgsP4v$WH(Ns8=gcr8n6a&_iahF z8VC&s9SA=$Tjz++i;6Wl}>jsT@!WYi@oVXw;hPzk^TC#6m!pDW}NVo1Y?YN`&R;RZr7aG8{El$wF%IW(g))M9-< zSHuLuU}BLdF@cOBy^iHhyn#w|9%eSZ4)wje2Bd^>C*O+2IVV;%sFS!DFzs^I7KCWU zb3z46$Zm~A29fChiP~4{5b@b={7>f5gS1iTvFY!XXkOhY8ioTy4V>lS&@&=Any3|$ zF{aR*Bt#OxzLc9?a`^q)B3%vNx*-uL!)iKOna@B@PGYk&;lDrH=*2lBD_HA3@Z+L& ze$;&|akVs*pQv8Zyiju}{7#irYhEI!Zj=^6MKBB2%=5}g>pb}yHs*8N^hB3Jvs5c;l!2w*#&-l}*4(@G-}Ur?BK9 zIc<4w?q(}Z23eR*;t5?-Cpv2VChEWS`1Sw$H+B8P>Ghi={;~C|_4udZFZ^2BPOQx& z;Tr@t&z}>o!J?0HN)?TV17dzYEN(g2iU?4W=6pm_XpDdmL&^;Z@8Z*4c4%RL@UKuJ zTn$PU{mSo$uEW|cpe+tcR38jfI+K3Qg_VUMlD3q4a~TX{3pe09fu~9;kZL{6{|t>% zM)B@c->`axPGO3DP}SR?Rxj*FD{2Mxx>eK)%c%&YQ`PLWY7_S)x|@mW8V))dr8j{_ z7u|F;x&w`F>2Cu&_aCm8b6N&HgXQ$0@h~JmZ%ye}BzAxfnenb7qzON9o}XpHaD96rV?XWIWV|8${bnsL9qtx1uDMkIbyVZYSX;4GKX!}OVM*qgk)GVAH9+FuYvS#73)FfP{hBD@|)D&E% zIzQ&J)CB10AENn{0`ChN8B#=Pz@E23j!mBXbx0MYaN)gKsSnh9noC3Vp5`Nw_rdP) z-eii(Pji`gobutlX)Y91eqO3Q`V%_EP?H|6Ups6&+RYzX97M0opEmO=!_sHA-GR}0 zp>yDa)QDnR{o}*7rNL7m7shYgMy5Z3dDTp*y3+%-;fJ%Q^Od{D%AMX7T|z= z@3Hfd<|0y+Pg^g%pVySu1mlBWoo#F_X~n~|_}4rT%Z7Q9H}XYJw89yQWoK|sg1M=q zHMk7@R)_mQx6-;T_XfIyrw-VQg1Le2M)#85;e#V1OM0_m9I0U*PhP1n2kJx==%*HF zx0hS)M+Zh11y2q1H=d7QGkAg1VgJw*%}ADnCv*a*eU-?4Hpf_v&{d5@wU+d^#i&pO z4t-KJHLcRyIG;m6WBz1(>YeCf6Ldal?>mj-c;?ZQ#4K(voICf_T_19(3Zs?Y#Pvbo zu|OqS0;qJj%o4bGfXn4#++x1@9!fzu>hUe0q?t0vh-K3OZF9=K=XM9jE{HBjT`lyT zN{!9BxnJf1v0o>XebH2-Ub0p~}cqG;3UnW@Tn3wvY5w*4vTX zjV;MF7dts-Z~9d#k^J`%r>FAmzW3eEjQ2xsSL(efCs|Yx#ip~5q^;H$UT8Y|oy_-~ zw8hF7O=nNY$fx}Y?xIxv>b>l!_omc))7kw;f8U=mzO2|ule?RKs z?=+^nM3O(fAX;8vS)ydR+BK#ZM#~G0=|$1<6ai_vBy+s_y!JO=Pq6yAvk4!EJDmJ1 z)#_mBtPKT!!GFACvyN+w0?SUI7DItU2L81sINlYn_B}y+rCO85OKM?s3xVklo+Aq* zkL7r}M9o_WU$hUYs>}T30c(8(C(H3~rF$OMfwNqgk$FV%+5NDDTDVf;CPW5SNm8ft zaXCJrnQ_N~qmEyS9Rg_C@8{X-Zw>uT@9jA1tSs3no_@-Q z2dAj^q6>z@N9-sY&cda_jd`I7#(YsQSCYWc$;7{8(HPs2j{GQFq$93GU@wgi z49b69VRD@3GGl6x<9VpTV&}7T!V~#-hOBxxZI;(_?>oF1EB`neoWZ0L!ptraT?q~L zL>^648lC0sm5`qnQ2%(Cj!(gqco%;PJo^Qn=pcS_)e?_~63I`+@e7T5UWNHk6?byX28@eZ|%^{{tG@8?Tl~R&IX>hU}6p0{RNKV!)xI!ga>Q=kwio ze{cX8V`j^cb$AsMBlyvqqq%|2D})PG7Ihqr?l0iWxe*(Hk+^e>l2<8sUM2W>82miS zc$6XI1d^sABaI6k^P}FE&Mm$ zwen_3ru!c`L>&mey%ZjtKEOe#&?!-pLpdFe*5`tDvl(U{*S5iKY+uulp&N=NaB&XR&|-wn2d#dSpd{DKqb7UvAU zt|=pQ#BhE+?%wG?fKypbB9?N!sA~_69T;s7x-=)Xu3as@jQU11GyN2_syy!xRjCSx zJW^|}?x=K#c~=<Jb`2V(MyiOF|&}%lekN-cA1yp z=-s-IrcjRdW%I@%sH(bT%iwQ~75PSI)4Bb+iOw0S{WdcVn}?#8V*-=FW$alC}~md)})V9&)r>oz62ads$cgnFC1;)a9XJll>IApOo+9*A%Z}i|B;cnYt&%fBIsjAi#M<`M!-)%F$ zoT&8p_s2h{{!gdZfBuKnf9!ZKu)dY?_F)#7IbPx!h_?vYv9d8Aj4b97#Zfe#FWTEY zvALhb=AOe|s(JlrP`glRij+t}WEPG1Q-|Z?xev(WGr<#8w)I_RKl_U)^ohyE;2St6 zN2Y|Im3>bZVn&%1}sy~Cs1Li5*3}Z`Ph-FW1_jxAwkliZ|1pM3eDWVtq z#vO;Fb6>PV6Cqc@lZ9C2cPp#>AvrwP4-?!w_@Yv&d4Sn1WcWg%{+<5VQ1t8p5)FLJB?_hJeToIj9Z>MRShG*x#}aG5gRS% zbgUcS84+tM31xnb|qGRM?Bs`f;r^@)b}E$}s&$K$PK!bOZ0q!WlQu*h6`6pZJ z?A`q2`n_Xsw%L|_f4ObsX@QE_b}?UWMpH?F>sg_>gTHcYK7|CCi;|t<0)Dvel$T0= ziT2z?tDUsDl*bHwnIOYS!$xR^nfiN1#iMTZA%AVQOJWb9l_!c zGfhpx3r}H?Ox0?Q))o>a@%c%$MID3B8U4ABGXGKiaj+R4XMJV#=M7<~q`~Ld^;EZX zu;))*Pq8dWE#}fCHJ)drVV7(?@1lAoJ_2LbQx@iHDk)qRisL(?_c-|&sLw(yz`7Ky;-OZEjK&_OK2+#^fWH^ zZza|f%{$r_Vxb@$*Dmv9b>Ii^p5_+>cPoZ21W!&0Z?#8HNgJW3`Twch;lM1HC;n}o z>(*?w6><5Eo}zjqjNe)pu!%>cph5wGMfH$|P)^{LhR^rDDO<}D7y9;m%IPSuvEh@1 zlkGAC?5k)NW2l8)V3#Oyn^TbkFmg~L2k!-4=C!g7IL1n_t8l}xE$Uz|Ei2>P;7IEy zh6i2d>r8uijNO9Mz&GvQlOD2r|D9hKzw(~=lXQ93_;|ZeOJkPHs6*SMJF=isikfKKe5VLynRIs?Od)$dSy@0D?5uiWo3_MNn?aSkutrd zW`b%|cr$!*?4R`2L*uvZu^jJ%r#$NRG)o|6^9i+3rI_6C7Mch2G^lYsDC1%^cmi#n zdktRvZ6Ip5jO9-7h;xR~ZMP_QZGsm_}cP2TuAwh$q z#wJS`{|7CnH~o47GRLNEWocqZceEVSGQ5R&jp_LcUN^F;BBS(zo2)|llMeXCh+(Tg2f znU79`x$bg9JgxR8SQ(bBS%Je1m$LCG3*nRAMFkxQ)zpNp$&& z{W|b`#jyW%0?%(4HpekJ)W~&=&PlBKxkK#Bxznbs@kDN?irLCxAzs66arc@iQ7PwQ zzli>;cWolxeA#zIA6DYcPub8rN?Ii#nexu#dsc*{2!hrp;?0wzqkXHKQJ?Lw;?0w; z1AeRY>{~iSA4!0Zs`!=L*Eoh*YW06`O}F3#bH9no2Qkq#G6mHVnvAJ z8zcW&=(Pl!pS$0%Il2OEAwRG45v>_pF)bH}MxJNt@r^T=AoG+Ge}o4OXE@Ln^sl%o zWgh~+;0(!W7x1N`~EZTC*+?>hc&=P$-z0_V`zlk-k38&Ghnen?_MBQ9)+Kt-$!5-GFTXL_=H>-3O84KL#E!M0$n^aVO{D!YQzdxX480Zx4J+ib+)Vb7tA$N*Hfy2QYV&h|1#M*sX1D#pH3q9+%b2rDd*yCAG zeBZtHrGD+%sm`%Q6ASCTxz!W-j?m+)#8%b_B70T)R1~us@nRG@DKg-Rtf52_VzO;| z)(?hG3BP4`45-@b{Fcw!So`Eo4j%YCZ6{X*F^L>@L&)gWjye?6rn8|1_2+?}hM(2p z63Jp!Y&Rd31^<>^@hKbwb^flUo}cKhOPy4>^m;toaTUyTrK6@qcA~($!LhL{z>u94 z%mDz?Ma!oh#riX>Au_6rogM^wRYySPDIb0l-JFlss_N!YFt`3!7I|$~Cr}stOUys? zCT4#$FEk2s<6zFC?$DTlEO#h-Nw4r%^xn>5SDX)Z!=ZfIed?@%cI(q>x#aw5H>z`b?zWzGCmsIftOGuU; zox1qAot-;uj!NsTK6qFi7J9#LD7=4)K$T?>%agm}d>$ib0tOI|--B+y5 z=N@Qx2Un?654hj_buinreixv%5)Og++f zF5{i2ieWy7iVTiBoKQC6cX%G&7|*X3{HFVAaVc%eI)57rVPl3mw2~hfn9ZvL=Vnvl zL$SxmY@^)bd0-<}$4t2S3r>61Y^O~&FigO&7(#}rYa#l`{1hQ3<;Q1~d-<8jjg+5B zqIWgZrxdSd`p~?RBI*n@6SL{*QY4>CE^sLDo#ifT!PXe3I`Mp;dUN{BDp?XtbOP7p zH`TtX9Ca<-zN*|O2P|n{RX$0bMNlVHJw+{AN_urq^L0-PbWaPV-9w zWp*AH&9N#@!!RScH15f5%dbCNV{6 zBV>GF<|}%FFf4EWKIowxAu3&6PqSE>8&_-P7{}JZ-V8;b&Bs^u@{1Cb$U4pudCPY5 zrmb4mAq|FxjgP#q>a)m%%$M9}O9tf1eFztLY!lN$E>H81WE{aqhSwai)G&^S8pe^N z|IQ;x?QPUBjwl_6v1^X3mmJc|>-5okjiVwgl zZH;WHg9SriTeZkaT2{XPVNcqy6fCNCgN_M`$5zAKYY+HX-yIp=2!b;Js_S0MHO4$Cd2h# zVar$8t8Swo)SttMK2U=(Sx$+;JoXY(({5c4YvInCSJB-Iu>k2o7-J2Qt~12LZSPEQ z9F99jWQenlBhkA=I7DZGk@JJ{IHw z)EhXriK}H1Dj9WJIq*RlqxgIl4#d{_a~a}RmJI>)WYTPD&A%gY&xqEz z2H#Fj9Y4a?$HrAm-vVp?rmbZDD#T=2k9k+1Cnd$aL&kgxW4=vRc9(fihZqNw(zXF6 zn&CldeZ3xib-Qsmp}}_{2nq->wfeyBxqBRfNC|*>_gEex?XaTJ@I=>r$q;&gj{Y@= z#CE3s`=X90*P8wrbS*l?4uB8`&W6)-&y8&U!uquQKjlA2uV`I5Hs!&;nTKSspk#|4 z+OJY0Wp!X zTeLh+qhoRBT2zrUbv)Hdi`Kd=CXS_Q-KO_nRILTy-rAVLy|>#nDcWwfZf6p!-R9<< zawbYU+jTh@Mu-7A{edfyU1S=DUfd z3*HyDup0K1j40Bg_z@a^l^=Me3EV^IgICltl7phy0%_VIgk#7e9NUBw!u4!Mezdfu z++dJ%hw*dz4Ro?%V=R3vQLaCY5?ZiI_hJp2?Jp)Fcj8zS6Nw@J5iX11) z$Z*!C-}3d)NPqhU!D^TJF4%2h4gH~<#;9%P4|)_75*T&N{ww-R!ZSG#8x6mB7Bam{ zJnLZvxx>G5wfzb~C5kiVQ*U!l6-zCeQlh%9mTa@GTbh)k`SPsEJI%*AI8j2Ur1926 z*iT9H61^6WHr;0}rkU>R z^QTOZHlb?XgArAl1(g79ht~d@ssNJkIC30#c;#lp<`K(Po8>myvaHQgJhZCKay<`v zvwTdR)Moi@DX2F~HhCp9WwXSXU@IIYHMDf1bx~r&^l74X$@3|q^|7BPF}IaHOR%fb zy>NEP9@#OK5TY`l-I0B$JYVmN)o|h<#zPu`)3ysSAcoSabR1ith@T+N7m8*+_Q*rf zf3;;?pV%j_;bF|ifd$Bui%D9ZtB=SBaz9B+ z%Y|QA?K%c3!Z=Pr#Wk3=W8wK{YXTxTYtx&ksKkuf2)KfTU)OdG)%|^=69SlQtYr{^bPBYx1)O(koNr~^p{fR=q3 zNXmvgJC1)&;K{r@A0!4Q!N;$(9aFir->#)zYrmCKjVtO-)KmXl#%5df7jL$A{4|BP z4bLgOWglC}4L~;A>)9f#8^8%STg&wdo2>;x?RrITwnHa0&iNxY+v^j%t=?=EtxDT$ z??sA|q*#g&$bKdM0++FrwF;EPhrB@+HcI0&eNH@aE#|_)G2>+cs|3kw_ALWDAfdd? z;q7KtPl5|Y(y|U1IK{CGNb(8R^E=V{Rm>^gi_1u$*wkWPO07&ulfpBt-`SEtp(-h~ z$V$A{`dw`O-cZKFz^1&==-5f3Q*}e^q}ayXO%U~(flZTOudXA*d*#9+o6x! z@SlZlrsfdh^)0ED5rm^5JIFl>7PuVSzzP=1Kd>>&6WJ`w|V%tv=9^x~T$%U|3S%jS8e&j;S6{KY8`Z$&9zaeOk>`eaV>lhR{9nVRuQ zmG#N8rwk$$;{22lRx}dzqeX<`>xA`J5@2>mX&B^^I1cn zw^1;Kn?K`iz>yUkC)@BYn%(@SMHN&dv24Y4^5HhI^&6h=ZnUGI$J{$w{hK%NrR|K3 zRSV2hM_amjGo0VRf{l2vr@XtWaJ6gAAqj2u#ghSzSDyG)9vb^5gpZ7@9$!y^kcre@+1Y=NkzJ8?5d$N0Xl=DzkC@;HT*=lgEi*3z3DwnBWOSCO3z@Hn4egd@^fk& z;B;5U1YG1~Xc^zCq#L zs&FCeFVTN<8<=I-;1+#`;r7&j3NmKw zW-vxq&|`*afjP74i|ko7exbQqyxCQA{uP){-;`|4tkH!5(#0~#UFLaY4(<_A#vQ`IMzqvrSg=bT@^@MP*75PC{=Pi|iSS?5;-zzIIj|DIp(mh)@if6uSN zGdM@C)*`I2m_^S#p2FLoJ)!Uxy8G3iskLf;v-Q95`L#>4*%QiNn%<{f<|jiHQDQ#& zGXGn6Oh;el#k%o6#>zbz=?1JMw^)N_j1@ML7w7?(sRN9~qEk?c1o zb0!R)g9hZK)$ZV#T(kykS>n#p@(F&r?lhW1)o#=r@6@bti{k6^#G3s<@HKV*zD)>j zg~%SKqHfHOi+%pqg*+_6Gc3=ggg-9k^)?mq&}Fn^UXD*+PRq09v^+;PYNHGvJWk%K z43&S&thvkj2LJnuRjM$PmyR)8gBYrM37wnrEAoedsc2u`)ke z|KP9~qat3(t-#x5?^&c{W=8mIjDtBUE|o-yoP&@fQ0opYkhmLjVBKMSOZe)b1ZH2G zvRC8XaOMGrBEueV=HZ6hM=UKY(NPcjRbPI9j1_q!+*x2GzJX^S04#z@gjfsR#+L+_ zr%JE51LALf5s1tMWg3Z|FAHJ;qGIC>e;dYj+#1m&km5RCyR3#uYmL$|MyKD7ukw1| z#K6!QI|pA048=DH6XbSrBvhIQ>n40Fr_a!f(l^E_6D)DWOKE1}ikraMVpT0yBm%La zH4)Fho5WHQCsEWF=v?s`!+jEsxA~cFWOVlnqVWLFSFFXU%NNZe2DyAuCZ9yMNasM~ ziNQ8$sZV85X;EO~it(fu`)SqRjdq^loEEi9ABkP?p7ABO1Op*j3XIYXu>RL7PN^uN zk)H5Bl3`}(OJLj?7LvXF!}R(8k(&Pj;BQA1i4w7ebA66jg*%ql^k#qVW?E~>3)gQz zwMrt$&un`02=A*39HCK7TkI`)pmF41M@Fb*_TJD~npv#xS0I*WJ&BgjZ*_;8ow{9d zaS{*ioB+8vMSGb{t}M_uxgJ3bA++G3+$ySS%u&iZ#S5j)pswoto?f1KY}OaMln(AO zU+D8PQXs{h2o1-^$tA2r=|o*5XVZ|ITWj?&N))YC3%KPO)FbJ_V*a^ehve(aRqT>j zhq|y`dCY~aBi*z_UD&#WcTi>C%lY^i?V@SVirW_%e5}J~m%YI!dqa0{!azq>5EiZ_ z``BiVXr{JRxO;gPeY!q9&5~!jY7jG97XpGPyNv^)v1?}_##}Gt0)|OA=ua5`61ELOeV)*@oRp~MCTeBa>?MK-QdgGS8 zAZorZMgArAf>c+g$@k9MaYt9T>4Dhpsk&e1cY|@O#xp#F4Lh+JOzko;b<#Q@@!@4AQjV2 zN$iXWNCl7`YATu0#5_iy9wsXqkvTL2|3ZJ_4@hUs`67^2!;GtM3^lOYg;nOqpocM) z7FMyZHPi(Z38+i|6ah|zTnGYnNjw_ro_*<1SMdJtfv;bX8_F^G>Q|5x)cK3?_1}J# z4mpjr|Ksr0_(=+19}!XOaq;zO(f$4F;A`ER=}`Y~gs*L!1CGVls|WvT^!2>G>5%&$ zim!XP{v_z@J6leKum6S;>0b$7fAV@d)Q^j=wJ6*YvdtS++oImytX;wg7+n*8Ku#o9 zN`n#|JuT$d+R}E3(e+ISQ{W~to^^=$v$nIc*V4f)=egsZzw(pkFXWVByroYQx|bZ5 zC+|FFm;P{w>nZx%!QEWJnKu)bm%tcGr?&b$cE)>uHBi34Cj*pUJ}o_^&7@cW;1p8f3iQ}lKj0!#X;AJBKSbtY%_zcA{-R&WVOWI}c-dfWufoplr09 zMK=y#AFxA(|BI;?p0~t_Y&G!>3mHr3+}da1VcE>zYQ8xK2Y8CoR~U*@|4jpP@*CJ> zFVBkYGB44k!X71bP8Rf71$Ct~9tt1{nf!*o+{u@?G>VB2hAA-0;nYsVMT5EF=K^xE zIZ8FRt({@E@@QG}VWh$=++W>FdcEH>_N`XvOcB?`f9P~-WvgmNQ(VwHIp z8bnNou;PEmplD3OjY{Cig1(R3F_8)v$@^e;ZIxM*D%&PyDTC5YDRYpIKVK}}{6n*_ zD$NcY2xa%p4GcA2X>h=S@K25DEuQg<#WoltpZv>I?-^x&F9%-RWj3aA^)xXo9=RR= zFeCW9rPvZxOjz?o3G+mslFow#_$Uz!>oU&-%)LK`OCqUp6w7$5y=DP}D+aZSi;XTM zJ5%^dL{3w!-=soV83|N9)6B+tT=^~|B&;vDO}w~aR-~l`C?|#M?;5r#0@u>^%ErNg3MMvLnt#B1V-rx=Eh7TZ#DQVIK&Z)^RKy@`=aJ`i5jI1J`K+ zBK1}4D}5K2f1$td&b5#^=_~9rhowQU@Z}Tqc@Eu8(PueOiVeXl_=QET$Wob744nqv zRiO85qdFgd60x(J_SuE>v@G*o5W8UV*^nbrcsm8+QYexw2uK0M?|5s=T5B_{H8u(L zCMT6m;?s#juFEW6^%d7ZDJH=f{x)i_z*6X0P!_jH%Vs!Zi)gKDxeb`S$;l9aXkg0- z0LWe9Jq`f`V4R3JPRx7#mHdxK#XCNV+Z@sm*&<7Urj7Lv)tYnANurXz2hGW;_MEiW z_W&wlfo%Dp(G|{h^}a(3s!Cl;U?_O8f9M*l2JekAHbsS})|$f{Q7tMgs+x>N!V*sr z;0TbQuKrc-Sq!`w+L{x%!|l083}OTQysY9S%8RzZ5n-OdNH&5-?=)UnamB&ggz8?M zmeROXAm#&qtL}p;l=31WfTs?=QEPra)tll(Z76mHvcr}+{626>ud5v= zChT(cD!ITPGPcRY4_^X5R2M*r@86S#A3vl=bivq$g^tO5>?Fzb|dOu-=GxjTWUzh|KQ~S|GAwYQbHC}-xh_h~XqKU}oyka-RMiBGkoZ~l> z-(;gIC}t00!%=F#{1!1bIo$cI--%^Bw6I4F`~tk_;YHzvm@=oM!uC*&D2&Xot_bJW z=$pYWRp+e@U3$eHbJiBUa${^o;Kg`dB%GI7YG|`AC5r3?*DT}&I?-G`1Yp$h$ZL^~ zNlDUCcr58CNFyDKI6ZH#F&mytg8Lqy)t`H%7%i?Ka8Mys&*zRt4bX7r+Y+P9AF z)ljD%KlpQ=;6dy~__P;uAf@tB0I87_aBjB>9*r3qM_BL2O84FDQ2Z3lG!()BcKo?Q@TLw8_Y}SSA143iYLt-A%zqqodq9NwT3CSOTl2Cs z)T`cM4Ol|Ol-Le>x$)j{Chp?yrKc-R=Lg@zvnioxs;e;9h(P zzOLK_nfc$@X3x}6LO z8$=1%WlY8s?I}oO{r$%78uL@?-0iw>rE_V@={MiwObzxnEOIm+b2t_fJ)xsw-&&ke zcjKpmql%3P9Vql+dTijdtD;+cb`i+{mt7S-;<2mZRhXHCV2EYKtM~cxuvwOm+*MfC z%LB0w%nDfQ$i2_yBxF~dGT+w$l9=k_P`nH#v~onH%xCf4mnjcHpAcL5znK%1J-FuC z?|N;?&}$V#ua5N|%<}qSnh>@b?+++KW}bj6 zCw+HqXXGK?sN1H(OLa!pS+AXu?Yw{9)s#Qf#CMr^_ z!0n0^__kvAVrX1`o4$FflF>v-dpur7Bhkn`{5#kkjV$Ij9$Bl>ZslLW;mAz&;EG0O zs|R;9GDkh2LLy!|1)n2}cmSmzxRzhAT2&$I!;MaZC`0Bj%{DD4zuk} zMX&8UQ^(nMr()Lj<)#8{@6r8Y`8>RtF1!|zf2~C{%Z24hH1dL^=w+myb;(zsR^?ew zzk*LC>**AJjh^raj`|DNpkg?(I&{8eDZJgBr9h_cmkL-9;cr@K#7|}EX~4$gvH;9q z{^Q8V)l`RDrutiyKLfR<;&DOkXn}cVi#iMQQWaNym)IK*JSgwAnp6k&9bF=>R&M+O zY2fDWce1=y##Yk@xM`?}h8n(UD7@As!XM1ppE=`%cXVQP? z!}s77N;eJ*u13#1LPk;Od72V2)h=23HuM-@CX`d9mdyJy7eX}(U4p!rq6qraO=+LX zD31A564Nf*k$t?M_dL)YD@d9{B(q_>e*N-#^PFci;Ef6^;@}%Z3Gj-h7OJNrhAiZtxsGKZ(SDKH(T2lJzSPJjPQdr!FUK>l? z%B5be%nu=ZlKG#!6FV{?LpJk8#l5wd;a0JbRSYIY=qqZ}`fhJ!*I3!<9*pFwE*sP~ zGkly1eTgpypHUlSy|4bg@4<;J=xp}g&v;}BhF2HaJk3`FyLhv29SQJgrWC`pnQgo) zDUb`eGgHYBe(w#E#6sm!{5-7VGagqN$kZrRDy8@>vwmmF1NF@jo3kn_agp_Vt@XRO zj0Xx8N}(bv(P#Zmw0x~iHDmhl_t36<3t-Eh=zHa(iz1^??j z)~3)G^w$-fEZ&a=+2Qqie&AXyV>tQ76#(c#sg?i2oenDVf(!Kv;`jKPNTLt<{MZ&C zL)~UR1D6N@z?XG_c~`sqbA0s}ojJDtz*dIEg?PIGT20G*h5d*Xib}S0mVp-3A|fc^ zU>7GM(ZOn`sY3IDW@;4K>n=mwl}@2g_3>ukJru9vw@LlZ^!cjHGk+;~;M7_%6?eLOlQdsU5GwqM% z!%Ii4Pi{!^->Nc+g2)=@q(}mv6k4AYCqF4V_LIVlPnKDqtV(`zbH*naZ!<>0lGJAz zOZ3U7G$M(NrhrLlqPVbazoww#k~z2}eGYtL{0L$pyzmA(8_x6(!R@Q%gBz7#(skjN zoS2GjzgO4R*w?|Qk}1re=@ODF*aIOMI{5`$mfmFEO_(ggDaSQT=;sLzb6&X zcelNnh4V<|?*EAnHi8rT?Kh4{fPjjjIIQ*V1!6U{O-z+O&N>H;Ems0)58s z2926()KRfun*v&Jzy@Ie73^Rjfhx*&!KSS3QkfBKLBPpWCJ#@wyYjBxl~$|n>ejCG z4;HJ`1XvROlt0QVQP84g+lxVsN=d*h`F+p1&-~$EwY%;6zWd`tp1IHS+!PLLDD#KeOaO8LTBIKX*zr2{)Z!h}2}#cgRSQkTaPT6G*!0$y_sQ z=Eybejo9DkoVe|7o{Ff!jR%aq&i7i8L-Psnfvrqpg43%URa$q&A8Xe;b~&$kYAf! zKe4o}Vn=g&fP7v~&)gU!l1X!Vkayplt|Vm-A61c(Ii@*1l$1SuG>nu5X+$nHCYKsd zN`PC^EofOd(skuKnKg11ZoAc-#zKtlgB#gkDFYwESNCZ-*;F9C!h^Jfm}~(G3YhM= z;^uVFyJ=2`NLd(5NLk2ANmm=cUra4gK=xW$V{Srp52exyo0nU029}Egz8-GYY+{*SNXq1F~IJ zWN)hx2PJ3RT`sb;(_%hk%1o^AD0_q;%hlduWxy+EQ*~UWLUTH{*)n(N zOE$f><|;KCHo&W86tnk|?45eAD4eMVN=NCoLBGsEMCC2y?Ttl!%Et=EBSM}6nH!bW z?(%$p(wVmcAF(PZHRRWfDl_*POJiAXr1IL510!Hpx$)H{-dmit>XI%U;WV1KopP&4 zxbA$w$+#6Z4PG*C(5AU&+!2}%ajo8vmY>SzbO}G88WJtdrOI-ta#B^i-H<+rj8FDX zer)!xT*{Zr9>`@MK#J^xa<3|LsiC=)#Ql-l%~xzUiRr}O&{S7}o9(A_$CJf%$8a?_ zEupDtc_8bB&OUQ{xPis~Mp+%%6z;^_IS)IElgz3(88HRKx+CKnU}X)-ljJ>WBQShi z$vp|qZ*NF{k%thP;IUaN=ljI-llzV*r7131d|7)Y=xoC$s1B=f0s5=k4Eh#eFBec9 z1>3(PqexhC^Z~NXE4ki!0M};&o7#FU4i`C19j%TMKt{V0PDpVX^v&t1UdriBh;#TV zw|3ayLCUhG8Kf)&m`TcZZe1=lCznc)vJ7B7?Y7mo*sQr2>=D}-yFcsSdm?s9qHrUiJI zf;2royGTbk%#%Cw+!`U7k`B!xi==S62h25#WuejZOLzAgm2oBMtdgOG*T#W8omE1$ zH(JW^zh4z?UwCf!D(M?s_T#_5$n--{g&Oz&I}LG`OYZAzE$+45{-(Rn(as`tk}K3W za4nvoG}YGAK1m%e4u9v90IxyH>I?~v{DMHXMqs!|{VbVuLfSM>aW?XD}Myt>BB zV^PODce&gbt&%}s?NtM}q+lF|d+!A*v$)IkBZ}&3<65Vt)WrhKvAT!Dxbqc38OJNQpLIu(|L)?B?f%B^4Ou&I?Vn#0#{#KjeDvDD zJ%g+YHNA0marpadY0x(nx?@pwvj<)3n-xCXy)005hVuc+4En1;nGvpE3V#y~2aB&q z;1sN!$4e4ikvxg^0-eH8(J2fgv#jg?Ur=EH>3r5&s4>KMW1Sg~k`UrKMvbv=(TN0g zx=3%B#Eiv1x!k*`hGkkOMKR%iXPp^kyHExX~{xwUW zbFno`uhiAgL0Jc^Iv{C%f(T5y235=k^@xFJ-pT_&LGTxQ6PwzbOYI|7rEh;ODU~Hx zld>XS3n?o+zCg+fdyS-QE$efsExFWoQZ&M627L&DEVoeZ5ZLZn^Md@u${Vom8&Y+U-gc(#G7S5nV zU>A*f`=hq=yd~Jj%%8OwbfW4)Yc6crX_rx`fQ#Dv1YNT_RR0@BHG#Gp;Y~R``YtmQ zddSYK*1kHW|&9W!U%=x|{a zp~JZ-LeWtAY4%x?7rJ95V$hkuk5{PFa9=WfIifiPB`j+$xhaCVn`xGJV^d{RB5Z*EP{on@{4|ewd%gz0z z<5lH(()k}qkMGZ$J+Nf{w{yJC+e|lf$H!0d|Buh_b=ncf&hLSfU}4JlZRa36iPJmg zcTqPTH^1X1H$M&5nir1H?>fN`V1gIsOP4dl4}MAJ_;-`MMODrmKf;^ig*w3NgZ#)G zFD1mE^Psr-$|-1DAKG?1$6s#e_|g;S_#b>*NmnMd`uqOp&+#|> zkvV?jKUrF=fgBb~PraPokiNcCX+W?eh;Y&tCxx^7GOsXmOiurfe>SYek1$095pKqK zNB)fP?gYdfyuVQ8$f@W7XYbD1j_nwvMceO+J6G=Iz(id&8n!xv!mh5oy|`p{arZ0C zX>qgW@KJbZN!|7j3LZYmLz^QMpWUas{~jt}eQpix-OyR7!$;>m>5eTTiU+G(-wrdX z3NtOXw}@S$AvW4IKExpJ(|4Tw)7N^R?&8yJDI!iqo8}ceO@+p5c08glNgXJWaHY|$ z^MXSftvB6KOrjxb_U+g|3W-AwJO?{wM%0zONPV0_E%9-_(l-ATF#M|1HeX=K;p8bE zp0fF@qCX#12Km~!mnn4I0B411BUQ2M4gUCd#*ZEoN`*$Xu@ zKmz^d?DB8mRi_(z$haRN#p9)O%0YMNbg7LfZd>^Ro44Dl-M}vt=mA=eg+E&@{&jIP zl|rfY18%)po8cr6x+7Ll)W^O`ZB4a#SF}eH+uhR7;}5eraDlus5z5H9p1FbAoBSO$ zW}{>RysbR+?`j^iPWBC`p>$wtwdpt_nY-k3+XM|054hJBT^okVoylpl1MHB5 z2KY;yc7`;2*yG&V5~i33rF09S*wY&mBN^CUB|4(9T%~YV@{HMmNnT;L$b#wa`Q_{ClHrF@OC2=k7%d>mWxAGECN z7`F26hkt~1xq;JVJQs!6w5WH4dEw_}gueXS=(@y3{@rcokL0d+-k0-Fkv%~5tI>6L z75iVsGjeI_qweGk3CIQtP#9VGIiSWVeGd)k-HATcxsHau3T+_7QbF(}AM(%Z^}PJF zh2*a1ydTM3Px%Opy+X+kE)GYpkfl2ueZcTUq$GLo>;Tm(0SgVHBd?Iat9A4@QiL_rk$$=7!+4H0u=oqvmwTE%3}Ulj=Ybw3EN8QM z_>00d1lA6+p~@m2Z(MTMn7aUkxkW_V*}iJ?!;pMO{e!HPtP?|Sz$M}HvX2wECx)Dl zC^PUd9fO~0eeaf@1rEy+{hV#Ez$36g-n9kfnKt5;*+tc6Ot$t!-3c|n^Fswhc!*Yk zI-N>5%}j*$;%d{|7OlYq;|kk8J|N+HL>UhQByiF#f~)Sz8Z+_?ZNz?IOL^X<8ObB< z&SU5-@+iL*`J-I+X7JSp)FFs8SWEO}A>!GbZC%pcNP6D6HMJbt4VsM|Iwvc~@(A9Z zK#fRqAGXv9r6T%+MD8L?;}d46e;(M zH}pzpM~&0c9Oy-}eWowP#rU6(q&5UZFj(p3pBU8aBP0NQtBh~ly#V&Wb#c03gxUE4 z1t&xXxuc6zMu^ARm%uNMJ1*!3T9FYx)QPN8Ko)hY=sborg3t1t$RKVfva*hfI*G_2 z^MW`3QS7@?EQxpe^BCTtf$t+G=r0Tcprz&cR|yKib!lF;fxA7yQ0^I?m5H3 z7(sH%_JZUker1#F*~W1qxm|0J9Ry~34iAtZ;9xi{;e9#Dz%7n^#AOCHHnO|m5PXoN zDCZr$c03`Ey^3^G!qICskA6UldRrDav9=|xYqE}2tx`U%`Sj?lW7DHJNg;4$ia2+{ z@BXXVJxFy{h3~tHMWk3>q;D(E0lBC&vqo||<4ZHH)aVp>0Qbs5A~0v6m7NuD3r06$ zvT6HVuAb*og|=PlTP{yKR!J=xJ#uC}a5~yH>k(bPsd>k7;zhDMdhK{Z9%h!?qKZW= zysQ=mtCtr~T#aUy&!&(3e>Es%&UncXv z?HtUhJkS(f^re!RUOS$U`Z1W2Ye647t~~KK6F8!1ln0>u@c;@?w$--7J+H7Qg+svl zqkw2b{pzdPf)mv=0Qr@Oqk0wibj)Nv0ep%lTcb7>dsdlSybcxowTX;S=CrtLV2j!LcAr55Dkr7ghb1@vrN=|e8don8p+s>MF6L!T;ywrRChCUBjie{W^%oUBd z(&XGo;FUzBc-tXy&t=tWE&9$lpy*@M?~hmZAuRk!CL~+Q5V5zaKc6At?ME|Q>lNHg z;JI-&PxQ#0X8%VF78XZP!lGNT{@EF$shuJUUn#_)Oa#9;(wYkVy*S&tD={siE!}hA z6s6|DceO?Pm+F}FUfhI7HFC}=H9c&@_J37g+sb4}3W{-i;|)p0oh~K9_x0hc1V~Y2 zn|be$t;IU5m8mx4ZlPdCeb!sjKbACK;4QX%Tz$#Ak6&aazGB^UT8A1E50Y6$t755o zNB$!pSMgc7ibdd8KoNkh$gfIsmd0hbX~)QXsg}lHOM?WKEzI|;WDqz?ydY|oj5&;( zgh82`-jz}%`!50$c1cs=Dg(yD&~nK!2_gP<{EUiB-MK$ph_JB-{>umpr^nE#xwc6- z9#-bz`p*dMYY*v!Y<{Mn$RY0fPmH*5`c;6>eV`C|z4rf#SAQHW&m#tS({&!zL%dMi9*E+A-hrlw>m279u>?W|cX`HKb<#WGT4gT?49x3u3#OH~z#%ZQuw znQD=rLAk6iwwk_^?1r$?Ni1dQM6#4J9&MJl;{{nR^0H`5#0~5`Pd=oSO`y%zWJBTwi?=s1+eV2oUeQP5QgOK|rAZ;nZPuPq6 z*kfQQ42G&j1{x9XcZAwyU^%2#85}@Un+!BQFhfx=jQ4(XXV8GhXR2rbBD~nBl-E?V z05Sh2RzuiAvCYXr9P{Ge=q6qn7{Dy?bXFe&>`IYMOnF#f>MrMxP!VS}9!{a_uoa6f znRxwmoVrY#!mAZ;l!Ryd94G1Ri%ypnGsH=P0V}D_}Xj`TZ#sMV)S_eXKYf2Ki#d;CPh3Cz|Gqyq-jMH)*HPr1sy`m( zz)8M8en!qeQ-8P%kLiyS{YBM!YlFiq;_RR}HY~!Q=&S!P=cS)zC1>T!7X;FuAUeXM z)5HRT?TGAPK2{&3XLHue=57u&G=IR1PNb-u*x61s9%VZx5w|>JZ zO`jvneR}bwN1d0&6>fj4M!D@~BIbG7&d6o+b8M_uwbbug4T@&7Fn=O=n+0ns3{44U zB_ZIQ10(qa@MbJ*zZeMbIo!OewH-$?f1O5i!W^_0_n4M zDTBXx!RSHL+rhVW~-E&3L)CJ z?$`Vi5DwMVLhoKcIvIdz`}6a%W8p8~KVq5oBm;roNes#LPvoyp?4RvmIgik@Js8!A z%em%5nora7?>p|YZLmF5isC@~`$@X!1wI*hKUBmr=){hC(JS}g>L`}|J~P9DbbLn* z|EoW(qk3aNN5`JDqt5Vv&5bGBUz70Mi7?I}s)cn8Y-sB9?@K2{!VH4(Z0J}Al|gUG zq<&8AO|L`NK_y*Gs&zMMfY0qq#g(d7PgzoNTotT+5B$pYH_E< zu;HOJKW@Ha6&~q@!9+wJz7l5**Gb0D9GCGLn^Br@KFerYVIASdx{?7*p!@E456hq8 zx!-N`vqEFnsdtg$P~!L&wr>KP<6;?PNsH?8nc3pJE*6W%p)?#beVt;nppH`{JET%OawFhr# z9Qq|sFX)tTeG@srz|-(l2Ear?%P#h=*iEc9XB!Gm5u|!6(@SsVfq4B5IMcg&m+6VE zaC)&+QQ$kc$Dwsa$*()pI~DO-+2(4q>Gy?|5v29i>Drgt5yBi}tNGg#H>W?Py>`e? zm|Or3h3lbawQJc1GMBt1M=8xM%-Mk9VY}h%#cv($GbOY%OJ3f5wd8>KfX_}@ggM|& zXb#>wLxe8)b;PZY%mhu=V{VmL4zMg{x+;|gaT!fxOF|}r@%VV=XM!`Tg2~Q*gFKtb zcrPJaxn$$F!u!?P!SQh>or(rk`kQ!HDen&X#RubcYUr^&32n~5h+M++s; zz&~+qO_4!fk*eHsypp<(TaFJZkbw~m#2xRuvf^JBnFIQ5r!jYR!zF}4p@AqfuUj3B z=!jADbkm&4Shfz?Xm+x1PmvBD2p_CT4Aw(VmF7qJ5*G=1sFGt$jn1KZ!c)+27kg-J z{pB5#`y`Hi@(@XXk+QRrL%oW_^=zbe*A=l>F}sLR0^7{bR742w-_7$Jw^sRQ5}ayc zSG7Id*JAz=R^+t8t%kw-^dXio3rn2OaVYXeHowmmv3MdQC)n|Z_zTZ`BhV)n#8vn@ zIB1D==|%IsZ)Evl*71iPvyWL`f!cc{+&U9G2!7J9(wE{mV|uAmBOyVCkNIvFSlMd6 zH=50kv4OiU#YQdsEMEDLi28|LK;@10U}@X8M2nc67!LI;!bfo#tX6y(ndcc~z?$19 z*I|h{7``b=ILzMB8aEG#PFh+NTJomQRidx6u6IEREYG%?->RX7d^UJp^!{ z8osxhPHbzygQV;yj=k^!bbF2 zBuYj~qmt#hjg=Q;%CwF#?qG88^NDn0L$C1nn<7P5w}jIYZb4YaxIn&p=jQ$HZNzs% z*6$waz;S-}c+~Sazk56iX8rDwmMHTje6=*%5_TK;7=zu}>Tx@>5q`m;eK^M#YXsiV zG4M_=alREC7$xk@UmUiD0~D@WxX_irBoY(int5)@2~crVu2H4h-28r`zFUqdstuD! z)}rt(aSk(|h>p9ovPSxj+4O`78|26gJfMnS$_z3$C{79w2W>OI2Rb`{Im=YH&NMb` zwnxJ<)r}5PN2RA6A1Y#+(}yR+Jhk`;?lzfFHb({p}k9SE=M=hNE!Y$bJc+@@SBFJV4F+&6SK` zS`L%{6DNMCXao(Gm>h-9{@~Tp{;%5h7tEECwBv2bfmr zVd`~ABSE}hEmnPI5y;3o@h{6c@xT0PI~NkL2(W0%*XnFj8a71wG2p|=X$6upPT01Z zt48P)JHN64&;(El`VOrxN}SEhuYN&9XnB(e{k2ezWCC^48L z0TsSPPnuDjxZK+Y+h#sJ>cpbo$`&PSJ+jyL_=A5;#f=XhTTKRY4PPZB{=j} ze7P!Kx!tx;B6L*!5fr`7?4gykUvpw5-}Nf7AN^!4X?1)i&hG6OK`MvA2eaidtD~V+W69sH z6`V>&n~uOvKZrbj0YZCWSC=mBbxh@-_bNw=C5uKe6_mdklhFfdVsD(@4U(#d!>ba5 zUj~s7T$ky3 zEV`C0^R<>=PxkmV)|SrL3TGP-+(IYe3R2X0rsJ31Qbzgpc+0Qx+VEnlz$pBB0{nV} z@aru%D%d<4VLjBCP5-L=dQhHUf6^Fn^z4KJM(vm5-^nX={0dux0^UG`1Vf*4uF|JB z(r-29tL&2qmt?(yMBXM##PE~Fi8DQUfkWTh%<`y!8MGZ(ZO*b#Lus;vwiCi-e{DPO z*a<<`Ht60ydO?O2Zhd4Acpxd>LH5u+GCU;7 zcqTbVk}Tp#PKD|c(lw=co}3uMZr}ws?-3Y(R z5BaUA;yIZrB~xx-dYMOfzg1qQk9R0bO&{;SmM<-!J-!X~ktg|i0G}&Q%a`~^awR`B zT#`S}Cs%vPr86UaM8elVSiivZw4s*_4+&!V6nAQo`UnZTBP0=0!PNwot)=*N9z@5$ zMk=wl2`@b=xwe`4JQI%jp4`G>%vZbzZ^#2-kJl43)K2W-`i=7N+8}Pvc{M0n9KK&* z&r>vh?2LUDW;)CyeLGrb`_9AD zgUk+ZQ4d4b@@ydxB%Rc4d>fMDYhkQrub~pHPv=4(qvXdYDRiS($Xym$4+_oqUcr={ zRzXNRxfc)F6C!s=6vp=$Mb3kfy*!1It;R0VS9~8lF${~?J9;QO#5Hf-QTj$o%fE(V zT;g6$C8afJzzaM+_cUwJTEUORjY11KBYz;5Sb~HCbXlpnwUQO_H&fpX_!fj!#5c>V znyYPA0nVl7#$$d0Vbh%(RVSP1w}Ijyad;^OZ7lAw0EQX{9( znc^$W=}b0qTzxxv#C?kRt%mO&5u#JK22v#zF|2Ah8}ia?0<*YQE__a@IdQXrGLS)n z_kG|oM4c_QQD^(X$uO(?P7r3$<|p2tH?dfs2{NmIn90!E1AI$vHN-3T4|1=wO?~8X zk~-s9AJjVQSf@+85FYY~{PK^aFdO+tQuvK98FP-^T(tJAsK6870%*|=GaAI1gM~%f zUruYM3c8-%Zre&8$Uu4_C25AaO}mw8DPQHBY?Y7E1VP`a zJ{`wC7k%Q%K3p0%u|M|VGV?na8ZaIIVWiPb=F|4WJKDl&4(oQO?ub+t(S{jt!Z>VV zGW0W*;~Tfg0O9#eVW!eXe&hUV^k#m`xu42!1;4lO8{u~bzj8KB)a`@#jqp2xDM^B1 zmqCW*oK%wh1H$UF)p=Nbt!Vr@aa-tV9ygnLv<~u-Q5J#AKgT<^{Lci!Dry|BoHbnk zL)#5Q%|oA44m?zv+rmRjyyZf?SEvM+B~sKCo9&p0n~Py?;6GbNyW8UY@UBx6_B#RF zYdNAHDuaRV%DfdfNAFj_tEd>jbw7l5)X5m&uN3jFq`}X%k8b4kUFvV^r|SOA=JCPW zV=(&Cy-5i;?OD=+0$H4tW)*eE+0l`IsLk&=3-|I5EzDmKvXlIEHvfX0EuPe0SD3#p zuLcDAxTl4fncGX4tRKmSF%H-NLOOzs`C`XRV!xV7moSMn6fp<%)5*Ip_4WfJeN{a$ zThs%6oK4ojdfTPE?E7Rs=3gm5_X{T96jedM+0@n(4;a=C755nv;CNZTNQ2mewh;yn zU7l4LcoXT>9t=5&aXmCcGn{3S19YjCi2Hk)3MFFXH#s?b#CacEriQa+izyalz6ht~ zY?{g*caUJ~B04${zJHsfM+Y%h7#<6Tmo>_5!H(O-7z{C^Nx)z80TYMl>_vrk*R@J= zfWcPn7Xt%1bUQA{nPPwV{)JM-E;6P!&aaS&s&eo69e1txln-JYMwuvDZGzOzgXr~6|Ofj?sR$G99YU1eckvm-)a^{0A*}Y8X_a) zm$Jve$*3N`l${kerTsUGFGWS2aCnP4w4mSlw%oBfu{GWs6qzYGr3iF%PQ$uBYmq$0 zk-=IhXZPMU5O#L&eQlOZ*ipU&1RuZqF4*3`=m3h-q=tWS`6c|<&L`-~o%sr&F-F#$4Ttb$2)z9$x_HJq)HSea2oSzDSdd#1&B-!%K2B5=}<8P3g6bA3}0hq=c}x9 zBxmx{u8!BvduhpA?c_+UMSEd-d?woyj9`HVVYy~9W3V1w%4Ji zT#(Wqpf$_tH?0wf1S!4lk}R|G8sd7jA8IPj#U>5HEJU&P8Eg4Cg_;0RH*JTD)?`^^ zC|I!T2XJw{SH%fINVEMZA;|OnDI304-z&Qb6d>@^>d80RZi#-FyqG}(5mcFhw)@bc1PN+SzP7a>uGGCHGNKl0C?!)xwM44< z=@O~1gvq81lcxJt-C3ZC9qbI1faX z0M@W*Q8HZn%b);>eUFq3)yisxyE%5IVx*4nWDsw3@}%m-u{$C^cBK=onBxT`*4#Yw z#GG*bPx&CN$%Z5rk|2+;+qY2)lZ44T))E53`sj;*CnC(n-gvJ$q~ks81J4|jL4FA? zu{Yj$f6dxy{uten<@pSstZAsJy)ZlCJ;MDbuYMizkSVq9FJseEM*L?5rL(LKN{2i! zjs-@bTMRi{P=T@5tK--qFY{COz;VCC=}czk99x%Xc9vIlB+nJ;#dX1ELKuZuf8Haq!tq3u2-T*s--H^%UXUF zsP#`r+CZfr9UWZMlOCx!iT#G`XaTtU?M0nW4IbHe@aPTm!py!kM$Xb9xnm-%JzySD z3{o_AQno#^v4TN@+vjejsaa97!^B9I+J$c*WW~gdpn47}SzLa_^*z{Hp zefp?erG&wC{9*-5-$WaB;SCCQ_D~R6|>evlh z%-^YTfFgs3L1(*%4jTL~cJTlLp5iQ-vsFL57OZId(9nK>9Mo`@sFh9%|0{9x;ODcV zfM+s}B%swq1^!!e@V{balQRc@p3Ko|F$1(6Ugq z$O8u=4aL>YtLm3lh`ZKZxaY$suzW;W<3pak3VC+;@$&3uvjeqUgWsL9C-Mj2^HyF9 z$}MXX61+2zJ~SVhT3iM`t~$J|9bkd7&)J+T%d7fczbM-hCD4VTjyEvT>XmOw#GSaO zd9=31Mi)B|l_H<_IK^fYrEh4b6#v-v!9M>;``(A=oY209&&ySRO#9YbRgd@OQ?~Cv z;ry1;3fp&?D)N-nPH11$t~qk;yP5VDw6CE^EJcx@!SZ#1A&t@N1K|f7*U@7=4i$%z zz1bK#?ND)XqNncZa%A|p{&&_ws;SPNix{unw-MK=rpkHWi|2IzD0%Uov*Fg;a;21B zN@{9n_m=pwB9QxTa;LDxa!}m$x)VFiCNP9^Gg`Uii01?Ni1+|LlJfz4q|gWO5zhzk zkwPE9M?4?EM+$uaAIX_s;S=b&od`h#TXenZ3=cnZsTHWFyw?K+aGd@MOInSo-3X^9WZiae8+sG(xCl#XbEIHUtKK^)RSB;53TIA2D?jFRRFle7(5 z$_&gPBnrk*o)S{FODYP;!b(G#Ryx-+{}RMUYFT~<*N#^+=}Ngvi^!01%el_(9e3RX z34*Wo|I%KVihStIgx6C@Bt## z@?*2FCMEJGCU3b^qnBE`VlD+YD5!Ca|8j-eNl9;;hI44JHthc-37r#u=Cwi+8YjAs z^9dQ0=*KDR{xz&Qn|eY(oB`NontNID!S(cVX+bp%anq~9YaCrfVP=A zXVS72LK(O#rDV~~vBb?+7v%3R8jvZ(b@jV&gDfh^*Kxl~Cm zRZ7a12$2#wyE(m=T5PJ5)Z^;CeM>IYMd}tzqMFm&bE$*gTNpz4I}#md$VRI_uX0|M zXf!K?5G5LoMw?N-@gM2k;iWtIblYjJ-RqU}?XE^6&c`H7K z{R{aLVurW&P27ADUg+p^IDS^)Ug{~_ZRrD_vR(7=iunv+cexA+CoO};zq`i0p-09Q z%;NxK#K0!k6`GHmCr5U7ul`80%Y%XIoJ|=W2d;J#`duA)ar4Y-sl2qU+`h;@xAmCs z>RU9*%jFZ^!-uV+BHv)!E}Szeyk7J9kx>*k6Kx$QYy3^r^f8TpuUs2{DjZ{mrlXv= zS&He(oAWh>vgpiis&6xo+S(lL+f-YT?c{Jq{W~cctHHvVjw{?J(ti0D1AWpmx|jB9 zP=v8)BLtdwhRPntl+V(21xl9^54SmObc2Fui%uvgDm`;TQSHB6QL7sHG-@xke)eLf zec@WWcC#E?=dbxWW=$|cEV&=hQ8y)Mx7A}U2lL9?b1Uz>K$)A;*+(*7&&fV#%9iHXNvtylUK>m`20np}27%z092UkDzW*lb9ch!}NV>6o?5JR2 z5qGCNZiKtZ6KIMj)$WvK=DVwqmx$3+DspcOdpK4#pDEl+jqRgE+&C{ghvQM==m^W5*QU6|Z}UPk_O` zCzh|yL%q%X*p_d*M*4V$h@LDT0AQc&sR@#}0>{kR$mdSE-l~}1zua7 zSWC23YI&Jj#^h^RA+`9mmbuwl{KvA60+*n9&_t?MzbSpM0Yq8ASYOSdPvNS1@rSso z9`JsFTjn!VD3foUi8p{Qij!Po3BcBFWfo34f{|?r;*HjV@eIxYkeJ)?^Ew zOg|HSgF>IYX%p8Eera~Vj6X{;jB(0V?ylyJb_#83OvwvI+SXeB=&c9*`Sk#!(2#3)^i#MYL16a_RrVWfH#@jZ#vg zEcS3(8)Ds=+e!Jfr#Ctxn|NcG(AYu4{M$Qn*O;IY(fOv zplg829i1JmRyY^XnsqX@sbdBEDjse~%LI$eFVnKkbgIRIWG7rF`Peq6;8H$|%)g8u z`PZC&fRq(8AIzm5%B2KWa7w{Pct*j;`Qe^ApUh=?I+qezNGi+dG9mf~hRrvI%qa0h ztuDou@{T7OR+(7G^GeN^CNk#3aGt^a7QY#;40G5ugLVsKkK^ELC^HU+Ljh-A(7yqL z!@0T^9=L%VsiVE_>G3P9ReUwI?sAnl-8%r*1p3OD3GzPd%IDmGI@^A3i!M8z-r;9- zdDWJ5T%icvS->5*xdR!Wp{2Z}i&(o&!|mu&|IywjgM3oN@8drC-H`Xm;KFmVpWA-i z=kPNnKsvg<)B%TW@j%X{3|#w58F`4{>2fl-L(j~Pz!q-=wlD%~vLnz@Qa$9a2&e0T z#E!+$CHH*Oxq+akBE*4wq2`Pm;Yu`Rt~xaJX~z?CpV3uX#tP(X1Z{StUfR7%fW#Md zez5j&v?2|F+R~t3$lOpcYDbqaYH#pH?ZtM~Zf+hOQkoha&{12-0?f+tc4?AdKiO0( zWTWQ6zABEHaf77`6ejB^yHb*M507}3Ur`;%J!>arNm$k#w#v?2N>)W`fRz5Pue?&7 z{_uBXLrLS(C|AuWs&wVFfPuuy$xj^5L*b>ep@e;uQ@=`{yDDR|r4@)F9@00uEK(MP zP`@46u*fQTTKL6$P>+N!&ul4EhEfgMXR>m<#TM~ABNES3#=lph#yqN;G@^RS)1p|PU())`ZpD#5e0B|{B<)+Vvsd3Dy_a%!g)?Y`-Pw}J~%Kq3di(d zu@9V-s)U&ai@e>Wyc#=so;q_Q-w(6-0;wSWZbbm2LOh&jo#Ada;eLuXuaaa?B+@Be zs<%dGy_0xqqH9jYb{5yfn`3I0ZU%Ppd6stA3YAuYPSb9aIWd>(DKA&SN-lXN`@tn_J7by*J-j3%b27eF=((Ct<$5kx!&ma(DG2v^ z;3VG~>E(2nX=E<5^eF@h_I}yK#=Z3}$5%zW%S;jNgSKTMG6~!r8W#{B02QFdm$*>2 zq-!{Sw8^|}_eCY!r^$w)){f39A~uf;R_*8%@8nYLz|Q#>x`8j?3p{R~%NIBdqN!6% zHGFM&+wOSH|B|_mrAtTad5r?a(8~!EqgJ_MlUoKFzLhU6fe;|Phbb&3hoZHR9r=i! zmmkk(XP9?pNE=FYm03#m2M$3}*wzH4=wu8yH=71HBfx*Bh2oT!b9`#3ldaNPPfmru zn%|703)FZf)Z2d7E_BcKpvWzD@1n0j9iL@8XU0ijT!4yTa%8-j2z4houD`da9{%jJfRJlzhO& zuzuL=7gpHzb>I?nhGFI#a5t6}pK~^+yXUjXXjZbN?Jy!TqXTU>)pYy@S5oGH-9TkK zrZW5L^T;hjUV2duwcu1>Lq`XZ279EA^hov~CJ~Dd8CTSR6`7C=)I6Tm2iR(WKQJ|j zO;V*dF(|GJ)nj7rS)QL1q&KZygJ+FNHDbOQFErmQu)~xV+x!!9bCTpAR+xWSzJ57u z<-VY!1gPdHXLTP`N`tv>_6({;tTOA+Z#c^$tKpOY!PsW#@B9o6%&}ITWORNh$4;^) zdA9S75IVBdf|XsqWFM8mbvp%3ns`Hv9o!u|cz4e|J*o~Cm%Ki`{qU;pRX#vt)%!W(e-p@O4s1soWBx2 z?tGrpNymn>3jeGq^ZDBb@4mHRolchB$#(qD=OpgLUZ;KWhh%A3CyY1SD<`R6#ri*M z{rK;1qVJd-OVsm8Elc|$yRmn0x}&e%Il>v1nRt-RLv2{>V8<*v`amXTQVS3GlJmNg z2FJYlcHHhP?9AYEf~Y?S@#C|wQ?}eU)%g~)fHFT`4l55MTk!DqOkmn*1RZC?C_a@s zT6E9Z?)6=6=qC~!wDX>yPGsR@kt4-Vojruo7H_t6XlZ+;0uY|Um zvbQ6-ClhPUa3&7nXL@UpIVxcVU;Kn_5F; zQ;XfLdp<1(__vw2+m5P1ucY6_>pG(uF4*_BTS11>4VEBmY-P$|Wxoa{c94nha^)g{O3-?4{nLEG< z{eyq=5HElD!FBEu$t$zq#Z8&OKU`}oO6=rgH0n#Jjxso|qG@C7j_(eyQQD#_vMq|( z7L^sWs65*uW^3tXj?EDwOPhm%Bf{JCgEwTRA0&`aI6Z^4K|v^}e1CsJde(t-JU!oi zJU!Q)f}SA+HmYk(AM}bs(nPHaWdh&(uTk`@PfF3s55y4zyZIWas}@gZ*FfLdFkJ^z z3p;(u&k;N8m{D1g>4~L?7lI6rJ*G7(6G6z?;0>V6HTl6*FoyJd5!M5I@^fMV3YU|R zVfk^>spCcm&9w}g=aoww&P*@S^Fp$hA9i-s$+)R8Utb~g$`;H%Cge%cWY?WvaKdEO z0qLm{2{?u-G0R`VHvCZ16ly2J^>4~h?L~|_rxznH6IwZTG}S;Y${~V6qJ) z(MUF38^-xqrH9c7?2LEZzwXO6acnAq(sY$vyZJW}l3!?d9g z>U|3J-b`#yYT;gAa$I+EPa(vKA;J>bbpl`+nHX^iz>H3yj&+V_>oF1JCeD_-U#s=ZjWguGkbW_&@$MfnC@v9ar z>GCDcpjrFB3R&kF6FhoterB^oX6f0|*EjI!rX)t_K?Z%E#7gocCeiia%LKu;GzHK# z=Inn0)D|JEi3f4&e^d0s1>+PA#5=;-$MmjKaUV|0n}7VB<)@PVKB!TIgzMiD<_87A zdY~?)tPjiIcP<9Qs92&Kk{vOjrQ11 zy$JZB(Jc3b{-CoG*&#XuH*@=cA+(m8HI8Sb9uJWIk@fau@NQM?vfh>eV!D<_+!edz z5zed9aSc5sY*%)H!diBatd1)|g07;x-(lWw);n87?m237rkoI-2Ky*5-%iL8mNFbs zVIvw|IznEaNq~#AsCa*=6Zlqh-5;1II{9)be-X|PsG;=$yMc2W9*bldD-a{`zI8D* zAX@=eg)*u!kx0i(jS)A7c5qY;<9K^k2!Wb2S`oG{obBK3kzJCuesZ>WL%FOt z#K0_Ezl)EsCaEIk0fF+ep6SYIYXwL3%A&OU&WTP`j_m={1g}*R`ECL-ahz67rd4rT zRZmT{YVt7?!<{syBID-^>U)Xbax1IpdB*>A7+I%@yvC{vf$i>b*nyXc#O8fo*ukf) z*rxpcIDSCptnk)Xs@^{lj*yAA^^k751h^tTjGTw$7CX%>PqeuMQro)eL0ZGI>s0RX zTAKC;I(8gt!XF!iSm+<`*j_(yq3v~R@(o9YAjE+VT?0*Q_1XY@=Wx&a zuG__+$t)MoXf|%nhBOBG-IWa&G;6F5fgWWyk8DaJCfQUgsVb7z^?ly08d0LcY1z6j z(5yi9+ss9Ofa=FV^`DiOX9?A-K!$E?o0;-~0ARs@iOaTc@&ZSL+|Z~cy+uQGS|bw( zTN>|H*w$NT)++RPp_(K%O=h_SZ?Tc2QX0nwN|906y{eHHg(E;&I?r~6|zyl zRi!MoeRf)^%{Lxo?DmuSd%40R@qZL1XWgibCQ=_2-E*!E-tQeZZtZJbcC{w1w6*VN zzX8|d^0`dEwo4ox1(Uj0?Ue6t^@7=$&2VEhTAXKOgkPT0kUuiUugZ^c(MNzcB>nFE zDA#dhHSc?P;VD@3DcrZfq5!46&`p67Lj?8Z{4ahC6 zv*Vrk$Z}4Pc(?~}lWS*{&E~Q9XlATyB%mxxVv<^>$}?u8t2I1h)-pO5>J|aKAb52+ z{l4^DvfUd$vVAY%X?F8;$VMjkGo2|1#J(>4i@^1n!2P45o9{dbyv`1t?V~L!yv53* zH6@A5#V|HZ>YfYYeE)6yF|`FH)&53yroYRHA(M5*@q4^O&cyV5Upqmj`kNcrVQu$p z;rmPsE$t`AN<-%F--bH81Ejh0qt0|h$i%tw!4NCX)2qz_`C89vQ*XcJOd$wkwYjU8 z)E~$PCQT|G>Z(Dj|iCwNHZz3XI z=gE)GO5w!?71ie}TF2PW@`vi~yGo6V8cle^XL&LAJo)gHgOh5jfc^r>1J~_u}8QALV()ra1oaSB^$c*YryS+fq|TF8HoFMM27Wod?c&8X$_}2d)D3NXTakcI>!rO z5{bJIsJ2FOBr49HGxvnd2gu?l5U3jYLY->l3#QGU*JLzE>MdGCD-`_@sdT zPd_M%m8`OkDztnF?#F9%&B92ZB`zyI1F|x>#QsDzCXw1jN0rUp2?(e9e*2C#Vw)%b z2@@Y3fqZ|G6L4FxLx6i_iYc0I%xXHBM%~iuSj)U#<^-1CB6*5P%#Z}}6$8s>YARUJ zAZ<@Y&bX#iq<#i2=0i?km3(El{mFmC4c&!lK)}`NV+TlS{V2l%uGH^@v>Xbz*Qf8} zFnLFZM1>B!Qw|Jl;b_9Xo7_oIrc3Da?UUSz`zDe9af+EA$}}T(P(f=4b#~eDyj*%v z;T={0uV^+~omMOcYj(8NW~LjADs|$GnT}a|QHZgSPc7WTAbbn*#k$NLAL2m!y*s&M z#ufQr2c(e!`J!Z@{UeTPdUp=LQ(9^LA8Y%>oi(pd-$L8XW6~Vfti+-+Rvl59nIFiE z7p25>H+dj~S|hm=VBF-EOtLj|y6Em?|Fm^?Y~SwKo>LLTUUZId2<(58o2go;T#e++ zSr%PH=gkJ-`rqCoOZoPy_#0nKrFT6if_s*zq}MG~Nv|ta5y$@Z z=`Tpb|CMcXg8TX5ZNAJ6m_8m*l~E?P-4(+-c;6OxZnq4Yt9h51h<0@kZ$ycjM8~>E zF~BCnzEfdfr<2?%*qg|%!FCL66<_95x%bKd+MB!|>qJ4!kY8u!aE8)6*WaQmyrwC4 zmd2y6KmYhbC#@QfPsANg!f%4rUIpmC(9x($X?HBRyBLnOakr1A544=?)wQjgTANzm z+|&DwwpTapE|a@A)gQ-4W2c4xt+i5G2~1Ck?_rd z6?{zU^S4I{EPm%ca!w%U80uy(nyul_X1|w=@T@#Ht6FE{%OcV&7P#-6VQE>`_|DL@ z<=Xm_-vo05RqTJwXXk6aQ<@gu?S#_8xH-SBvx0T$gzo1NDs`HEA?Jc@?oJu?#Fw5P(%+@@kQ;lsC3%B37Ou6Ug>{PQ6(-rhC*d%;H%?C z>GpORGVHL8WnyRxP@p`D+o`!1s=O=q9-GZs{~+T*`&-6Ct7N!ypBKIxWzLiIEHAS9 zHfa8E*wVc4Gtpm4-{;4>s1Ff_Sbl&UW?*qv9@1goLTbW}{bIU-z30FtNO6ES>YbLC zf9q_!$xha2)Pw_=WgXektX+ubfre=Nox906o^k{J_#mCbAf0onL8{}>8dJE|v`Gf(Vp>Cw-$7CkksG0c2S#WG zWAj0hfL7^jm*EO8nB#<86}&DN{VGs;V-p1;I2sde4S)Md8JQCz3n2MAw^X}_TN#~m z1PT64G8Pz-RXQTKI<2`8`F#t}0%{uS4Yy(1-!dM@@R_B1PS3N0aRlES#@|qCsH28Cl$KhCp0WlR zjCbW~sZ%lqD;&e^uDBDl#!uQ@SgHfmwgP4zcdvlb|8QysdNH9BR2uU!0o(tLW z6a7tMfXp|!xkbsJSgi0ybN|5t;!muhl_l6EqVpAc-VWh2@a=>) zk^c%csB;ev^-s(~8?NW@o9JzYP7B8Q=^mU}8P>`#Vjd}5qAFNnGr&ryNDKyg<_$Nz z0tNYHvDcB*WfP0vQxvK34w>A+K(90Jamb{+z2H2_kMEF0Xh~hy2L%rw;-Nip5{l36 z)7^j1_TmzT)3J^}3gId9#4pc;q#d!DWu{(9V|Q@SnbO{YpZAy%r4{0KZUyRa7t=OvV!!i78vYteiYr@#+OUU#%Z3&4>OqMX>7K9soJ9kE>AumP~{ z0Vn7Zi@lG3m)I#&9Lyp4D}Wu|GiRwBwkC^8loyTWU^sl9okW)Ba+2 zbT={R*Yf}sD_7#RbM1ISvJkpnu7tFNPS;49W!?u=a%?o}eY}v>T`O;DmDv-ioM+LF z@V#O+%7LW~JKoMLmug(M>qT_DhcfO#xm(f2Rn+3MB%doaIn7O`hZ|awaUYkvZK*de z@F26V*_u{B(*aikY&lv{IDNiUkQPLQpJ_(JO=5>}1NRZbgJdQx&|_cjep`I1WYUjt z8(llM*J`Y)bb}K=L)^r_9^k& zz6n3GF5l24G&GF~Xt!;GvqHdj11qt(xcyvdhES*Uf~AgC(vM5DbA4634rtIdAXj3u zZH;~qzPE>P@bnfb+g$8XXJ`1^UzfFXT3Vi0hi921N;)=P-bdLk+(GUdZyoaMo6T>$ zCnse;R)2z>P`mJgmlCt9Yg7~(vJurum(X9}baw;_$;`w91pJA1dKdfRO^#tFc=OsgHO>MPFi$=;7DCuDT8*acQgU{cY`my9GO73gqe+W>D+)>PM;HD`ZJJN8FK z@BQoO z&{5!j*^)VQeeb!vlOS8@vTio-3z6rfgPeYv$+ni`BWQ6&#t35kDHccz5Bl&bYERLg zLcrPb*C!Ehe!;_23OG#g9D|MOfjTu(<5O&V9P}lZN2j+ZubfTfz*o#pT}QD2jF(dh zEpt$opRrEnj?jI){ts?*jE&}awE?&YM|$S8mzi-$b{LS3qV35PllC_AZ?+caWv$2j zfZN#!Nb>5hvmZ?UOD_6R_a$>)DlX~1o>2;=FXXtgRUgLV5px5zw9i!JOy^hf9 zP`y^_b&y`m^}2V5)W1isJN4S4*G9cQqSuG?`hZ@S>2;}I>-D-ouOswYp>>w&wM4I7 z`uw0?+x2=tuST!?^txTITlBhKuP^9zwO)U&*OhvGTCY#)^>MvEtk+xg>eFjLuR*@mA|+OIEv?2&o?l1$%+<=X!txqj+FxnB8zTt_bBdi%2etM#Yv z)B5wNrTWvOUVkoGtUp&Q;OF7{d#vQgiTNITTz>d3qJO9xz`hr%{|)h@)P2@ z$oHtceC%oNntMFLRp4&!@wmQ4Fz&I^OU({U{hLN#^WvX#&!|Vpm3v2Vk(tn=ll!K< z+y}so+}EuH@#amDEErLOqM*!>J`WA$77Z_=ND(w(L;Qal4RYx7Pis6tW|m6(ZQE38 zvTa*(pu)E2y?+1K+9StV|9E>+3q!uU`lJ??_>zIttPs8vL;dc;a5RMB9;U6Ks>h_W zy^hVcH8rct*Cqz{RbpNm>x#xgbNlnl6d?QSp@vK-y_#Zedn{Jo0}QXnsWN4Jgq=1; zi3+)#E|(rd8mrnW&HWr5Cr0sC`N906?E-d%89W9d$2YC5M1UkLAaCNP7;#|Q^tB=1 z?2@{@9T3%64%gr^`&Sg5Ch@O!P{yoc#kMr|+n*IJo&I})IW_X&-F_-bKhN9d9&#gk zBJ(!+>Is=^e#qkABijb?`-CZx~1~AUf%v#-`Wa= zo(J#dgIG&L=-p-{59)U(N1G`eB1fxrjW2OQjp?+2ibLrT6B#>vS7Fi8e=*f{ztY{~ z1wa#=gd3*+zB~C_Q;i5c4c~0$aUfhbyO-%lWm{&4>U^Di|2iH%Dn-(b_x#oP$0TKB zdu%Bijk#tQCvP-=3+(1mKs5V;C}l2DbYubT51{ZY5MC@_1C5DNf#Gy>GsU`-`^>Ke zXo2E<4~nH^+(H*r2o&q65}P%A)P#qR6c`ru8q&DG9~c%OsEMPheNx@UjBM&wOat=RfsL2#p1Rmlx}z)U1O(LR6<_b^4fT ze9SaRHbX?A)5Qiex1W>50GnXXlT3p&Q@hKmEp}i?tZPV^l|7&_LiL1lF^bKJ8sJ;`@dBhtiYd< z8Y!*jzztaH?qAM#X}!Q+*9g&c_b=ngI!zmKf-r5}>g_yVXZ%x;SI5iQ-^}=c`MrEz z?uxmS%5~}Hv<$&J>6;h4+@f=eK1=PrV0Oi{fjC7x|xp(vs+hVRzo8ct*{S%)d>ciIH9~SM*&^VruOhp`oWIc2RGijZe`J}>&$(& zKrizqgS4&8%;g@h_R=Kk@egiXXU^wlWzjm=G#Hz6*~4f>2#6Z7@&E z<8|gzDwGBCGu#S5XL3Jne_yVABgNN~y*BjdqCk;3o%WdDlMf&Rf+O>qz3D@_R;jLS zzo1VF9tbTS*-j~6qSwkIjkzPn1ZWt0U^SdvWWH=+xs)Myk%gy3Dgcq;x_ts(k-bff z9o*PqJ=fCw&X!OeI?21kB;DH$!fV#GMVt4C6lF4MoCf*-bl2Ql7UU} zNk%*{$h4HWEHyvkTX3PrWALGIf#_&4{97`NY8%53HaShgiM$Mh8_mspTs!neGEhT! zv0%OTkjCeP*6yOI$1uR zVes2}TF0|ATkuWz1Fx(kU5zOHE%MVSD?`rqnVO5za`*3F2B*G^T}?06>qfWCcFAd&EGlmHl9z%dWw3GQhi<~ZulyZe{I z4`=(_sofpB-Pn^5oNd9myCJfp>+BlCjdjAqWsw0bhY&Y{G7+ZP zHR+Ds9SDjFq7DiwIF2$ij^e(KgFEgxZa6xK%P20R=(ymH8@ThnrCTc{9ibXinRGYrzxwGKdCHFF=c*T|AUwpxI+nr$77>WWERJC-_zF zz!^&;;NRu=4yBNvURnI4CHPhLL#X&D?;Dhtets#hFd(!&@TjRGvE5DGfSIe}ymovn z0%61^_~dg$2lI43(Rf~RGyDo6^~yO#12c9@;u?DIOK3m0B)|gkcWg|k8jtx>U@r)y z6cO5fcPAuB;zyg`#%M!WIN`AZlnN{gtD~iRl3eIqyXd<&(Ke#mMC^uI2pTw>d8+gE z`rQwyKshIsZ(alxC(26SoLQXQ0=aAPp7h9sgL`M3cL=?M!<(lLxO(YV$74U+Jj;2L z`#GOJZw7?@H?V$$eBZ-35FDrxveXaKand!T~Ex z&a%f-dw>WY-S51q{k!T>%Fr#*?E}JV%QTihB0Rgy#PWl}opjkR+*oF2`Mr>c%Wgd? zSq3(_ZHb+D6UZdXw~GE-p0ZNkk&z*t^~+D9OGW-D=hFkU4LC*&iXEbv6SpkhRE9%L zyK1i@uq|HKPrL{OWYZsxxW`0pkBmn?SMhi>A(@ABWr`R~{KcMJc`^WP2pw~7C5@8Z9!`R}d#_eTDEE&pA`e=q01HvVhj zzy0{Hi~s8Ux0?S}@!ui*m+{|0{C6P#-IxDX@ZbLU1>rFM?|mNim?8bhw7kbU{Nns- z%u&m>xBptfrfz#1J~()~Edg7vxO?0D;_-MSO@sUbe^NL~?6DS3)3Ex|40pb;?F;^9 ze_UVuxNhk>@}JM-mJ#bX&s(?j@u6%Bgy?l&X7^b7=&_e9W#?IjeEC=n z+0@QqAAf)rE)Mf~o%hll|D+#$N&Y!#$d?1EEkmAuOg%ez@h6s7Lqle^F5Yxz>*897~@*KCX5-SX<%SDS_md<(~gyan=w?hK^Pf-8pJ{168g9Qx{@AxrxYSw!0g z7A|@e9QDk_8|Vuq`!0TgeOxV{iu8>l{WUt01R1vdm2!8jd3Dy1ffSwwnvdcG7~;Q6 z`0q0OqU`_t{hx)vXhxWXK!451HxuDW zvzfh*umyqsUb2|kkqGqnJ+2n3ne|85BGVp}*O|CF5C$Q%qnvI8`b$tcy#tDFLihyt zZz4R2a5KV%2<-?{5Jn-aLjEIh-5=p^xTn82sZ4}C!np_`1p2!J*BcSum+^pRX5$f# zL&zhXkFW~iHiWeZ8xcN3U?#K^K}VQ`a3aFDKbzP>TrWnr72!dI*APBK_!*%J?+pe_ z0tn*~+7V7gxDerLgiUz=Nrbx){(!IyVF5w{VLZZKc;A65!*vToeuNhg9z?hr;bMd# zczy=1{c-KYbtb~kKbhDk2pbXBB8*2`6~aCU-@^ytBZQX_)*{@2a5chmgoOyr2){-M zAY6}kZMasTt^IMm6!EhVIuVXT7=>^o!d?j9{%B(FBdkYw5aC9I

K9nh_ciA_z8w zPQa!=uJlJD2*26IA5tKbVwtixr02%lQ;Er)$!t8I%A_eRk!(qI#M^88dN!^-6VDrR ztGqqa$E4<_awu=~{Ns|@OtH+K>67Osv#sr!dB%E;Y17h)LIzcrF>PvBb2^hnYYpu- zrZuFK-SL*Zp-&<{CDVnH6NPjYuWyfcbQ;oCygrjgOQ}aw=cn`WZex4(9xO6 z^B>NS&nm+t)KWHmEwE?9LbS_DrXC@)5S-w=0>mwPv!mEOkDW zo@0w=lYw%Z?f5B^r%f6Ys~_7ip<&Wd)ix0wH(~PRDJn9pQQeK1JY!NdUXr=S*G(7~ zD?a5>p2hfl?DVn5cXao(#uNHzS1vUt9dFMSn$;5lt8JxdR&7(D5opGnrLd>kR=|^L zTLC4iZ4x8U9f1P;B{|F|uoU2#MI&sc&KQe{ynu&ejr7r!)M;M6x}Z=i}X!?E;oCHV!bL zo6|xq?eSdBRyj0R83_!{Ronh&B%F@6wPZTyQ(F~|PUS;427RBH>Q1F4&Sm52IZ2Lk zo!MlIEtRt!Z?CpZteY8YoHDi^D9|h4*bac4@=a`*6dQ}5YMb77zIZp!r;GB&qR_tb zb)|Fh)}+l?yn?5hp|5Bhy(@Np6^Dx8Ow001Ddpx%&{1VQ8F8gp?utTr}F%^Fh6CV zCdSk8IZ5=fcTt#jD1jdKdWHvtgy7S0khb2>LHm-YbS2X*Nn57X)}Bny$+y{@jObmF zJ{HQi%}e2NzAY(OQV}P{q3niqE2F`j6raQ<;hLixx&kdY!;)kdRDw##x23WP8(3_L z2y>yb%5jy|w#sxRwYqXrCEibVcV^Nh^t#X<;9jz|HPwG_$ku_UR-80v^AVZ!DLY zd$do8FEk5fZxubLNyj<;rHgUw3Zoq_&b6x4Fjhr`4}TfVV8TB>iE*7w$bvu2Rl*y7 z-@C0Cgjh#sB6i9tUGa22b!w8;3t6fyo@*EGhCaOt>!41AgDxPPa@fM5smRQzpid0YEq2 zgEG@6M$z7+=fDonnWxQf#35sxfmZ+Tu-4JTyyFQvd-mIq@7BO zJIbrpV3g0WBxCW!Nf3~EcEaUC#h5rJbJqOIedWZmvi7(+8%V!`=;dx1%Lr&I10LJrNydxRo0PO0Z z@>G2wD}{R^m@2&+ku1ulPUO(ABwCqkOSRG<5;2d-2?D0T={}W-dyW@qx0v8ai^X`) ziFM;XkxX_P&(pK^kHm1m8Ohi^BE%TEEezNZ*nNf z4p2JAKi85nj6Y^}7VyCO4RRpe3#l_EgnW{~xj1Qvlibfr;+S(SAO`tlk@}a$W5%H_ zz_VU1%;zNYKy|T3M}39+_6!iF5G#xWQ)?sY58czchTqHOP~pC*VbZaPl+wq5ttHdd zp5Q_Qrgg&BkpyE*K&qhkB&dLGqCw3N5{0lvxWz}CG0@UJ_cB&Cr`ve$Zv9RPMxgyVCoJ=F~M1a?zQq)djtRWF$;eE%?2 zU^f(tjvl}seQ3+}hxaIEfE}Ozk-hoL1)pzUXzO>@rYKaHhu0^6vt-E8qaf zIY;`CC!P9&d}knZBeZ*v7deBUZr?tS-Y3nY1p)pcWGP`bgi#0!5qJgvjTv4-f8Iqv zO)<1(tHu7s0Y}dZ4FA{5-wc1X^A&AT^ZQ5m#$I2u=L2W%5!V;gJhkHRBfLNM^B;Ha zhn9nmJM4)0cU`^L{ZI1iul!|qpoYp*?Pw?V^4U;8WViz7cC`p&su z9RBj{PmSnEOxwN2{9?bSZ+gF?`I*^OM}0A1(8CujbS1*?3_SkuW&L0NZcpERqrdk) zaoZ^O>N_k4{bt6fgAU%vDo0=NvwnEj{zI2n-|t%g_@1`LKfk+g<%)`5ojK|Iz#m)R zKX^pHZNo=@xp%qexKBnr{@U28Z}4&x*)TV8icbmU| z>*LmYY+H{wWp3IzX4a&d$DjE4;19QbdBDI6Hts!f-hF#6Cz#`p#zln+SXNi?)M6Sv z>+d1GZ#mnS9m*=1odwt!HjzzdG1kUTVW+aiY#Ft}b!{$2kSo5#V zlgv}h)6K`5W9Am~9CN$5)0{VVn-`cDn$I>bF)uSOH(z32X};XN%6zT)M)R%a)#kg* zYs?RtA2B~>e#-oe`8o3o=9kT{ncpl>v)N=Rv+Qo!(^6sC z*K&a6V9TMF!Iq(xVU}u(ZgE;XmVhN}sk4l+9A!D$GRbm`WtwHC<#@}9mS#)R(q=i? zlCfkhU6yXkX_hlBXIaj%EU_%LTxeNgxx}*4@<+=Rma8n+T5ho1Z27ZgwdGFBJ(l|{ z4_Y3v{MGV=Wu4_2%X-W6mKQBATVA!iVR_5)j^#beX3IyGPc2(4Us<+VzO(#b`Prgb zE!HyY?$-X+0oJ{(`&tjM9%LP4JcIO9d50*j+#kTt+TBy)}*z~dXlxnnz3fBdFwpueCq=18P-MC#nyAIORVQx zFR)%@z1Vt*^-}Bat$(!s$-2sVwe>pd4c42iw_0zruD0H3z1w=P^?vJv)`zWYt&drs zus&t|oAp`idg})3i`IWwU$MSweZ%^ub(8fS>wDG@tRGrGwti~eV*S$kwRNlYTkH4M zpRC)hTA8`bTDDu+?q&VU_A09=+ox>bvi-{jmK{_!sO+$^!^@5+8(LObHmqz!Sxwo< zGJBb`%w6U!^Opt7!e!C2y0ZGRv1Lb;BBWVZE822WNI_Dni8fK zQ`{6YonSiNbew6XX}YP&G{w|tnrxbAI@;7=Itq9{#x&YA$`mn$F%SGEugPO_nH-oG zBTY4?5vF0LD$|jeDT7Uin+`J_Vj5&R2y^Syg7Tm`o;S z+OGYi{iuDfeXDK7jQdLaQrn_^rhTe?j5)YjdtZB3`$PXKXE1BmX-{fTVE#U;t<@gJOnyMSUt5DYeYbX}b_ZtnU$j4Kw`w}6!*|bAJ)dpz?X$NWpLE-k(_SN>$_SPyu@AlOCYkO$BYyGs{G^=LO%o?2C zwe9R@_9Od&eb2rHW!%cXVPCN?*%z=fe#Sm!pRkYEhio(G=6md2_AmAh+XO25Ci^FQ zoxR3hWgFSc>>unU_9AlW$?jmcv(=!`e`dF`TiDI)Ms@=z_I2!9*fg(VtJsz73efP&*&o>N*-Ca9 zyA(A2x3G1tV9VJ>>_X7^rR;om9$UhG!_H-AgX*8f7J+x42|MTlb{hD=eAdn8vAHbI zax4qZ(8)5;%XP4JIHae*E9S6PmV^Y+f|WuX+~Y)c0-ME-XUDN)*-SPA9Hog(WmDKO ztdUKICT}8}z>a3WW(}~Uj$>oNb?Vt@RtK3O$|5YxLM#Yg z%W7CP8^MM%Xb!-$j$}jG5OxF`%npY{b0|B64PpnggV=#=AUlBV&-Mdv`xWf8dqXZ6 z!1jW~)1U1Dj<-8xmEBkwvqElxO&pw(_~xT<`5OgUWfblyEX3JveeqM`n=OG^v3Z&7 z$+KLua=lDoFx5`axM6={Q8P?RjwAK}#adVx_CyjE2X9cUA@i`ggWSk6g zs@$e2(HjatGBvdzH!sL3=^dwPy!j?~U zBuSiQDJ(_iKuyl|DctI0e1Wk^b(7ds`oSMpX5iW|X&ly2t++NciS-n;bd)X?c9gdk zp&9`ud|GQLxjv^1!O933Yo0F@BFI}vOBD^kg)}VOm63N`XIG3XqVP_Guo)KCXDXgC z80RN)5EWiwlQQ`js%TG=F%oJPK0_!64X)*kVBXpZAm@RFUHQ(gyueWc zB-ZY`jH6h`?{Z#8t*h37@<$keJ3_bzuo07l25CgWQp;G4AzzKmS0nS)81n5RF7j0w zcWeMQs@d989|-lJjjI=%p%je4NT_2&?wR<{`rz=Pkr%O%Wm{`->6e~XK zkNbTQF2S=)dOV|bUKO(6h-Wv-XRDC*U;cylWaBp`zB`LtUrWl-N@D-p5xD!ZDO1Nx zeQoak$KF!eGWmAzexJU5aM{gNO}&xsG}bqFrP>p-=B3h3M}ZR8b|#v68;0PQ0{zie zs-xUv8nG{D$ZCgSx| znug4*=VOKKX2vw^C}9kH(+p`1JRdf#8Pj;aOG?rjdA^mUX*}QMC237O-zuch0Mzof zH1T}c$H`U=Mp~Boz!=6#)XC#Ra@``C5gsj|zKZlyPdzo!ObYG|+f@F1%aDdTUJtyv zWf_!q9It1iF|A4DgC}<}Uz5m(Er47XP|GV8-?E#H&mw`%u-c?(%xc8fQCz^CNCWHs z&ctzAra38X8PW{n1MY)$EPS8xm;f@LR8PR~tQBdpukdq%KON%DIj;X=3&{rz@oX;J zGDPP#^({!N+P#p*+d$Sihp*mm=O{05kwNUO;`)C)#k?e(_nGSB$BZPNNL&hI9P|KN;B2-cw=lf8=IQUiD7(W>YPblJnTh)>tD9 zX|RQ)V)NQk@TKXDw?Om08l_NivAWz;vH->MjQt8}P>RQnPEsSty7e2RkY{2x9}^c* zF;<_Vos(Nyy0S1t;o~c+Jl-8u;`xT&LhFuBPiq?I!-~PwIA20Vw)LoFz7Fm_tj+L7 zU5;|sr4v)hj(UV_-IOj^dOMP`h4&ikc>C<86LBWizN2#&VBp(Q?_wSL1 z{L|=ZLq6Ft11mI9U?+cDSjVU=L})H9BJUH~wWhL5vy*iM2k3C6Fh1@%%qTGS|CQ%I+NjW3j3tPgyS%2tTdlmYNaS{*~~C(tp7aUy_m|0oHI zyA80T`mZP0z)}oqUYA7o{AeiFjX(q{#7C)gm7C(fc%q8gf`waM9FSZt*Xm$ z=v>od^c0k?rhGKUG~jG&v95Ysd0QzCbpg|LuKPiK>Ocu~t zsahfHRj`>}ERE`r!ys1ppGU`vhgm$>w*tX*g#7`q&Cj*WFWY2kg2!-E>4pm3w1Jwyal zYt|Jo=cxKIEN93iVMRo`Zfbo)gL)%K?WeiQLBB^YNW%M+k57RYaLj^@O3r^{?Va;s z98WvFwTX7PhYTgZh|m|hR%SyRKrv38d(N}bALDWPjRo^>?m;HA@onLddrubTm))>K9o5u2OiTA9{Z z4jND-cFyPCDKp?@LHXc4^G)TraUWV% zyg`Tutt%)Fza0pV7n)rM!b3?s)6gE23JA9Q@XcFjb^+B?9^y|2^t^@pSQ1)bsQ=mk zk#;*TqJ?hpW(u2DAi&5+$@JV*Hj^e57=!+pmo0OE zQIjt$cP3!aG{c2PI5NcK6M`M*WhoLQiGdw_05cJJ521lV(%gNl+ zmH{HM7XBF8aq1vBMkX1&xNACcHPBAfpoALuK(^Ji+iUDK5;uB0ry+n}lQBz=96--h zW+%_#?L%VHPI6#Sp;t9#=-Env4m-=ymW+3nJipF5EiGn3qQFDO@xg>IpB2P@hmZF& zf#lYcIGN5jW-~2GEY#1oHYo_IB(})hkdu*2b{xEMfESI~WR3=WoaLCVWOjZdH0dNo zzzMk?o>3SDwtw%^8xrgwLuykS@Hc@(_8z59oevk6jwXPxE{6^z=?;>>m{g8@QAFkm zspf1vJD(Urj-6)Iw?p7Kb+UHGvIKL^P8LTQgjwjaeWt!AlH}%K@V~06@Ch zmc;fbm60c@Zq(WuTG3|649Tpm@FvwD-^2sHZ=l#P-URq|Q>A=ei>(eY&X8Z2DwW>v z$|VyVz-PZ^s@O1`RaoTUE=Rm#1mk*fHQvT+Jxb%tIJm#7HH{6GVku94k+@TX(_L+w z-xE1b>B{8!wgeCe7{jDHFZrTVd+|QsV`=NQjkL`dl0iNBbst38HPBY^hg9_KAFAPEZ5L z{$hi_oeggZ(5Y^7b67f2%W+AuZ`3$1j(v3)DD0qUOO^}cDK~tQp_5>aO?rgdC>%&l z1B`)f$$`luq0@Fl`=Y2I*m1_(qX#IRzDr;2*5sMsN8< z{e@0*kU?NT*DI6VEpRIb#$$?MBa0aF{Je~bDv_1FcOOqZXGJ(Aq^3X!-Ij-t(}cG~yA z_xxnq;f!vR_EXVno-3PF?Jb!Eat)vm(8l+yP(#}VG7|nnr3T{E=j)QdcJp}xw@o4$ zm|;-cq_Ninadfx1GeN=-KJul7o!WEUyRof-`!1&nMUvCA?NnZZ0W=bJlIk1qM^V_G zl`CI))qqlbBfM2P3huQEFNDi3hG&d0EE6q;3$AU1nuRqsJ8z%D%_3@+fSfCv1OkGv z_n7?PW3(4QHP6taQdY({X2xw0kYTgOUJ-2Dr5&we1{hcs+S05F>ysQn;Q>B~O#?NY z>4{E)hZU*B4gn&k2IooTQj=Dgtbh|31p!oL10{%a&I9wFbTsw~)`D~Ewxl#8k{ z@QRWsO_|t$Oe`ZIwxXd#zUl&<>Qz@cA9=MSsH8q+^5)gao+_eL*k_@D_Ddrmc4g4K z!9Iz;N5SA1uS%6@2f3Y-aqcrubA=BgAyE%JC`Hp9%QFUiAn5gt6QVubXTL{#ra;^m zE#gm0TEzDifEK7%N^rVQIzaspdp6WNyGWv2Q&|W^3U3Nq8I`|#af%Xp2@e&Z+gNlS zZYdzN?enW87I6eDEv}TZ*!AJVIoA-ZPP)6Os^!LWflFLGqdvX#mZ@Ux-?@3X!1~`n z+J+u!g@=Y4(5~YC2?drSj@66xDa}ZZP@I0+#EKGpmxMyRPP_!0>1YcA-zLDR4))^} z_C8b%5#mpQu3{O)L9qkzOBBHOdXOf>(5|AmR1Y-?FN1Q3jg)+=o#4p)U9p!)y*!gZpM7q-P)>eoOf&)k)8Y7V)k%HrS000n22cRT~mRKLp zkz@l86i=q?(8tiiRZeog7pm`8+I0y_$ur@1L&qf)GVeshC}HvPb;!|tg9PA4n=>J> zfmG+DgwJbI_3-^us+y9i)ssUDECBdYAl%S)(M}!^G3>ITrMeLx05h@wOO;zXBD7MH zZNQ!|DMG8PMU<3NI}W-F1OU5Il%5Yf?WgPg&Q$F1!iZ!u*jS4<1b

D+6lFQRPPm za50;=XZHTAVmU&^0jxsq#Zy)6jDSqVCerqJmZl6L7v3z$RMj?YcNY_Y>xcO^UEoCm zOENjFI6gM#GVM@Km2>YlE>=^rqy}7=qEgiwb0^3!G2Wf(=<1-(6PP(GlVpZi6;-Qf z44Pr!;{~S2a}zrRAt0k8XPQbpGrp|Yr9fQ1H*Qy2D2J8$Cna@iEA6Z!B16f=wFSjW zi73Q8@Yi?;X@Sb+=3X&TDQ_ti<+HnIVjuffAv%=v=I{e8YG~V-SbF8#Fqh}F8L)&e zOMv`*w4^U0nqREDTtSx>rF^lXunyTe+hMBZd%$^r3&KNbvkCS}J0K+%UOs_{Xo^I$ z_GD{5SQNWN8%pz(XH#?9^0hcfg)i24r2rOWYJsW7z40_{ND#w1zKI}7w3cX|;(g_^ zo2A1+Z$aV~1dt;F7ztTw#rXN#)7yl9I_yzbhLwffr|w4o(nAe zUT8F^t!gq0vJI?m@5q3S6V)pacBG;+loKjzNN*&j1K+C4$p$!b8f~N{UtP$b(54e2 zqPv2G((X6@az|H78&;axB=D+^uMcI#+xynqhlfv$XBE>KSA>DVHX zh^@sIw$&Tq{w>Y+h5^(TDG0xwvtwp7VKh^$lkCiZ%fbw{eFwSBTXI0qw zAvm_4MF>b9FWpHeD>u|$$L`pamGp$Z%Mqh<{0YNUH_N%M3UVajP_m!`DdhouN|LnB z1j(k2!L&3k;9xIl5|%7F9s;bb8RSafEgvJ!!tb*&c`s=v|HKmwo&roHbq{m z=ddjzMobVTH2ntq+4*m7HR=PI9m;;a#&N^l~6>a22IC9 z&QVm4Nmobdv^5(CzqF>3*pn)WgPagVrAVF!nX%id$ZJ`kBG=OlL;1AXw`y29mvSLX z(&SO2P5@mvOsgpF!!PurFa3srn}7w+A$_J4V2hFo)cc@$ywN2ZMOzh?pyEOK4&+l( z-a@1^^oy4;421#tsGDRFgWdyip?nlINURa85!St&>O?Q`hCtbyp$OU5@wlmCCo-d2 z$J+H_f=Tndwkkq4ENIg<_y>VxQ4LCT;@jyVeI#?`L>@_nS5#esAElv|B5ewUR&=_T zj)#gWIZ;D&(1&&ode>Ajs#54Cha7CKs6rfDIx1)n>Dsut!iD%2#Lb8=^ojH7Xn8{V zbow*u3;G0-!as#;m^3iYptUMN!n`tPn>ck0Z&)?j1v(_oK-l33s2R^S8zOJt%V~Bb z$}{MYiZUTT?Ic#Ax3h{-X;y)Akt$ZrL;O@$ zv9^^}Y?^~LW(w&@6Qk4nclliLY;AnUd3wIJFwZJxclMoMoV8#Wq#_xV@G33@fFB~e zQ2R-_O5kEIzS9etO2%7}ojymLyij|d>7ZIDX{rQlZLe&@Y&8*E6^5>w^K{Tmny=LS6#}-p+kbusT4a_zXxvOr;9qwxX{WJtqDt;0%jS0Ter1 zkH9Tp2kVjl*5wET9{jSJzXTNu+55x=_Ah)!YQ3OmV~)gr3FuuKpA+$S-R6pSDZW9( zw@ zBc6|XL&QV-nJZ=@KKq{{-hHCEVj%J_d{e~FJ`nXGzWOcs9QmuMyiY{jw+}whg!eaW z5^>vTb45GiTizD&*?>nL@rr-RIQrL(xc;t)cTYt7QC{PFB7Q5%TZrci-xu*Uy18N* z;;TLoaoZ$w#VF)oyII87y37?T@qE*VBEAs&`zGKy`&h(%fX__I|Eb_dn-RZ}%KKbA ze-{0jjpw$51V8JnLw^t-CF5(*{!wq^`4{5(ghA$tTk$>|IXS;uGs0Z)AmX;KM0{j0f`T z-;4Mx;0yLARjiWnP167$ivJ*O5XW=d zb`js)j`2c#3*saXYy>=SM0^9o7G1>q0pA})e6=Rx3CI^45#MAI@oU|H2ja{k;?h)D0gshv|JuXk zcmw~hMSPWvKZx;KjriC;cgT%5ZL!qSN4ny_hPo7AY{dw1W!~gUHyBQwq$9 z6j@N|95`_XRZiK8rT$QrU6h5StZZ1LD@7t#NTGD4k1BA)gtVgbHI7^_$I1Dinb={R zxQ;CxE{ZpmNPrkaQcv6#LayRpNwyjic0{gl*qE&(mtM#eG3F_)k&8_PUjZy}E|uzh zFA)Q40UXc+YbJ-BS{(87UJ>EKeJeaA#TimnL&z(!+E(-)spmO`RaUGt08}!)6EL8r zi1R^;7rYNdn@Hyil`Pp$r>4kit=HNKezd?+B1Nx75gqe~g)%Rc)E@lEy=o<7)EZie z(#T52i{tA6S_a2+1(~xF87hbM7DjuP!3U%ukK!eHUTfjvcDwC%yW8$?+8u7M&*9Y_ zcDv8+_Bma;%k8r3cDKjjmV;)HdW{wF{!~@MpjkPrhXh>2ot?i6NvPMmMFU<>k-Lw| zYx*j|U~&|Cl2SX>j;3f2ty?REI2fb&G0%J~#Aazee`x;Fx(@3llGF;0B?e^elL{0v z3KNTzPPu)ZPR8b10jZOb2rbmN)ua$eOEWI$hR_<2x`nWVuajkdCBjOZJ-j^7K7&o& z&_XF)mzXvTIi>Zzo6rq&QrW#Bu^P%K_R?VZCZU$5AeU~X+Y1Az4DXd{OOm$X!^Mmh zw6%}Ac1HUojiW*0YHjKNfoANQ+edNy_&I-uW){0A>mVJ@eA{qanidpEC}u%~#9*kg zR32Z{8cq?48f@-mR9+=@J5n)^*L6}KpdcU=*D=k*K73NwaI7O8F#%H!1Cd8Y>o0Xi zprN&;KrNBG3)%aWyVd!6s;tt2;_@WdB3(05TtOEFj_mMUH&w8K{K9V(`bE-2&Qs(K z^j!J^5lNIpxD}IPTDm=TvVezL3mS;#uyUbs5wx7NG=OQrttr!-OJUBcBWc73_GO-35UKCh%DVM9Fc~H!_a$z+BR@14Lkbq#8;Kqo8(@FskxxXd!(-P^5>3q1jJ&V&| z*(N#D$r_nR!MsgQ**%Q6|X>QRt>;2;EvM)~iSvS8G}_gJ8re2y4e$1#E@3cFr4_Z=v-XJS^FU`#f&5X7a42oVRzPTd~(WJk`OxIOUR8MT(kUUYk~ z)sZ3z+@?i*UO_0T>y@7%tP60?Bvn*-PeYV~dufMZ*iqkBkTNm!s|C3i!hkv>*D&?L z-gm_}S~#BdvW^h>DINPb7r&GVj)MrsAxY#w@Z@3SQtByfKR{0l5`*YjRcWtv*F026C@mZX+qg7LV`zJioANUuQxwOuIdICre&!@Mh{vH3?Mh<{E|*QfLx3-Y zA^ejZ7*pY5C-6kI%V374+`=2!pdQ77NcN9gylX&`A?A@ulM9)3L{CsBG3wrMQk8(+ zV~r*0QO@{*5u`%|;$|uOdCCQf`o(QlJ8``)_)7&TxAeg; zFP30*!7rHBg;TadJFyK24W>OgFwrP61&u6a;QTz`!sIR4P0?#=k|%+|a7l768N5&? zAvGSB7%l}1EGN=f96B+a#7t+9oC~i2;Rql%H3+yCh7u)9yC!cY3288os@9e)-U?y` zTGEH@mJl>sbaj$TvxQ`k^R1-YC-$|M?lxtOE-V)1}k3mK=< zHc(Jn&S%85!v4&1Zagk=g{rkpq(y;1ktCd9dC3yZg>r(=AT*%{tJC448RfsUS{191 z9t&39k&&VVKI+^r0Rpiyt8qz^^9Y#IXyr?d5yBd$=i~}k=pOJulI_J zsUbx)Vtv`2b`6ya_9p`l^MT}E^)_3*prPbr99QBkdMlTu=!)cvg>tZ?i$I4b1+hTo z5o3}oCn_Quukhcnucd^Z8FVPf(p!g8y1rIq3#*UtV101G9atPq~6VcGcKlB98)tB}c2mF5oVF0Ad)VPa*JO zr)Y6$pBz3MIwmo-IC~{`N;v9EHCmy4J$5$PdQ!?hb~X_q>qTq}7$~*{V1DkjSK^>O zx{~&W-L4!sGI`kDvn9K8k=JQH@=J^F;V&2L%+>cE4Ah0kO{|;hY@dz$3mUEC8%rsyhl*EE@F0E+Ag^5%B6SF>?Nmrk5wGsV^peAK&{GUntSJ! z)?d`H73x$Al!70h;K2|u2@{o$wV+2YWzjv_QzADOq}yG=0wqUMvkJl7h=$95i(e%0 zS4n{iJiW|!3MSkmOy%xVJKbB~P{K6jOzX99>9$qzwOTR(&%L7Vpa>6OoitALm~T68 zYma%hgC=v*Atpnq9dl<45JmIjC9tNAop1N{tVoW!>H z_5-mz7T(dk6p}7^*~(XXxXrLNk4(|Rl*((AJXO|25}b13QqnyDM=BO7M6fx0F76kK zAbCVO9Se3Kk-J#ZRAtln<-!U@5yls$MzN^lu&n##QVdNZo?CdGpQ*bmud6KtoMjhZ z|2H~PD539;$Wwj)t+w$Zm2b=7=yD-pPlgT{_s^CRVt3WQ7!GtA| zhCWKTD+QHsG*B$La&I@f#qD&pEd@y7uWN(HE?D@kZ-y_2+C)gkyC5?1g-+j_;raeK zgM)G@L+4zfWR0h!1H~)2Kuc3wZ6Kh!O199Eq)1yrIM>I+o#>KzmL2MnIf(n9-=$4f z#JeX$Qzu98&q?x)_r*!CkcsLq??Z_Kidkad_(jen?aM_K$d32S0cX{T=!8;Akf&|u zy%|&^ZARz9e-4Wde92JCtN=Ldby#?}rn=z{i%eoXAR0rWY2;^N31bru@o0y4CpQqO zfsus>5neU`a2AtQHDYJXVMj0r5#uL+7nC%myS=6VYP!6)Kv1G}CIKI+sdnlumk*Q+ zwNcSiqK_n!iRG^%+C&$mo(N@O&KEU5ee56Y#bb-YTXzp(O-S2n&jm47ULFmk0d8Du z+KKM1SUw?bsj-2(_);>JskD#1g~M|Gcn89&VTII}3C~gM2?e2&vIs>?pGYEh6qoGF zL?ON0MvBOXr)rBJou*OZR?oylHs}?M4WbVh!lwq)Q>e;lEe=mYEZ;k7ZFTJ_Xbx#9 zFTQYCRpKuKP#K_HY~8=9KNq@wMLaQtx_S(fFKD$l$V|Sh-;;YBQe;WR^8)k|4l6{5$^{SYNFUNWM4)UweZI!f9nlPM0}uK_*+*j74c5^zmorS;{_tVtyn%&TR5`BdT0yh+A4z+asFmn*Ii?{9&BEcq*slJN?(hy0m4 zW!wkSYeadg;9pGs%^R*0_4y7E{>`>)Mf}EJ z3;*VYH;DK~_+Kxf@@^FI@h1y^=FXc%e6?TrGk4x9pLYm<=FZzhT%Rudkyo!4abHaM zH?O)w#49|)zj@PLBEA{$=l;$2%ICm8@^7AfpNRKs7XHku9uV<0@K+{(=1mWYc-3LR zU&Qq&s~8CQ&V+xq4e{9t(f@_;C$2`k^H>pQ!vR0UM?EFucxQr)lfOFs%|d+P6ycvt zaq?%L{cJIRp7J*rpD#qb^NHf~Wr#N#%3q22Cd2#J((@;a`Bx*p+VGs}q(9~VT+k&d z>QX8t5=Sj$fx8oqvZl4DWS|D&wy1UI%UzX|d`|xBT6n2`Cu&&~TT1s)D|wSRa`7C9 z5(2JBq!Ko16_5ET1AlLVR|XN_sL|4r;Rn~(+A8_ml{5oL(THDZHG>4eH8C)w z(5dIue{ft&_K)@)OSK=q2HnlOrBStp$c1Zu0yRh3-X--I*U6wGP!DPF{Kke{+5 zlt|o`z?IL0P_&#(!)n(V&(Zcth!q7#251=h(xsQz32kSm7vY0}z2geo@hzx6&Zdz~ zDOjbZ(%C~CP(Az$i^Z_g{fRrnWGSB!g^@-P&OIN9ai-YiXDLC9vJ$#u(II66EeUBm;14`*Rw`=shs5c;t z*iH^gSaeCG-RshFVRRT0JH)xawSk@+h4PXUNY$}zppQg1Ny*i>cDSg&>Qxp&ZRbiW z)hO^`ti3TMTa0J)6oq?3kCitn77)$J{5+g8Sn8Z_^!n#60E(X*n%Bpfd+@v^zDXlU z%`RH?rQV%@fHO&@%NE+pzeldh#`KOuT~bXxO!!K=!CQuSE)MFk#fJ}X=Ga{suOy^Z zN?-2skhWDeR~8PM;iMIoVxz-Mx$>izZBQO@vNZJy*N2t1U#c+(1wp;bLA`;A=pGSD z-W||QsC+65NL(p49*~PugTQ>D4l1}{qI`o_n{p!PsVyWG3I}D;ceAu%;?xx!E5MKH z?8`t6h9Tfd0F&&3#2kWW6#;aZZK%v4U{$mcpo8E`d?Q+}ybVW9NDdsmBWWiUE9>5Njp4Ur0D(F!``_w0i(yJ0@9%L-cTUc z5C8S^#z?tT7{VTIm=wK0XiX%VoQ7T7)A4z;AMu?Y%g8M>- zdU+HfXHyafZKfk0SV~*vk%|~I40aS8CkRBFvb~? zDx9DA(o^UztdF>q+voTcd8`@~h{?Uqhg9xbhM_79NI`-Y_=wL^(asj5{bXmDPTZD; zr^LPE-`tx+Oe>WYC+m?5BPe7^TdH7!r)@Ei7sPjI3D{iB!{8+2@Fy-(x$e?^F1#D_ z`L0-l(-07e@ z`MLG=Or;rNsG2ke=R^%cKk0i5RXA5drK_v44pol28lM@OLJzSKt3FZCvj$Iog>eDDAzU}~~ z#=aZxC!p`6er!5$ro1L_U2DGO{Z3pL?Kb`Is(pRI&{&RoZiMTD(80Q70ju$y1XY&0 zE^K5K8(~XO@lnv%(*5kotfB<(0oUcTi}^PEwY01?$BJjmaBheytFLRt_+5vq>dyxB z;U$EP2vnxA&&KPUCf%4Pb+kl`H+3#YW zeT$&Jh`R4friv;ArFS2L`*LQjewWktEo7dB`0hm?*>{*!GJdR- zZuNZWlf8F7Zawq=J8=cC`^iv*KcZ7V68vP7h^`GmP%R`HHXeaV01_Q*qxdNPIwRV) zgyJ?4za011BFM*#=--3%TtbWJ=Sv7ixQaK$uMvkRh4O#$1>XM>G#8-?A%sBnjK_5* zLOa3&gb>n<^p@W5T1mhE`TM^E0W&K@#Z`7T|ZeO+lHVj_Jb?lzxiX4Qu0zH`m&Ryju~nZAuZ)@sNgZ$r`U zj&`LR3JVpgBvG8DgzqQ6U7;7+yqw#iVO2UKZCv$_Nkv+>pq^$2~hWZHwq;uiH z_yAHM*V2X$+vI9GQY|=IIMbT1f$SZK=Q?WV+6QCvZ#vZq&CYcA_rvjA)P|yLwopFX zmCHBaTUxtVnsYFJ4{t)%+=Z|4%$ISbWFefRmSmzai;s%5%K%XnRF(ct@`Q4p7koh>9#w4&Hi|eJK;wOt<8xVU(%7Ni91{_-QjSz z`knEem*9#!S{=Tmv&QXg_Sd*vE_+RL+}~1@@c0w1xGU~SI(<7Y!QSfedRn}m8lRrD zfNic!qqG5}o^D>GU8p1T2(}=Ss>gLf>SmH-pKHnJ_ zIa1EA+QR&z1?tGD6B|Zim^~wBl$JR-0@O=}MwXPQ&}U>{4d|oai6ng|7Itto!$K-0 zUneO*5&aZR5C{3-Q$eJ{2@gh9PRC&WaiQ?wiHbJV%I4PA^AB#;KmE!Lq3=Iz z*cOz-Q>)Xz!SI3PUmDD0>#{BMMcEemoM3qHa6G|>pHnUP6l)V^Gl-4H4V3X<>%FU` zrPZEj9gGdxX>3)WBeJW>9U9qp|BC4x5`a{(_n@V>nn^OA&hU*;{ElT)aM!>l)7L?9 zoy5lBp8g)PeEu`h?cMN=&u`3^7OuoU=#S(UCHwIN{PYJM*HB)bWpPYvn$1CJDb~)C zC^^kq89wpJHsd9Y>4kqT){J{<(ZNWsN1hJwr#SM@M{DAU;RB!eYeYPc?}29U#D+RD zC@;_EAx9QDY^W*2y6`N4lssyseDpU8U%u4}?HGf+Io874*IAOUw0vp@m5VQJgR>Uj zpN_OFN+_1^WVOtTKz;DAJ&>3Bn&w%;9fP?Vac^ zL2(ZHj1P=*$dsnp*iGoSgG18JYWSTUZLs~9U{#Cvde>{LLr0F$XyatGjlM!%3pmnf z?d(lEzPjqi_ftjdbY|zZOaj(5?81B0D^&uG`9!p^7O)u2_5{2pOZX6`5u6pSQA}V> z4A_uFD^rM5j#>`Y1c4m)yP=Fml#xNMF67D^MyeFwD8J6}pfrC^Y%t=&7`&qas|i0< z%Zjsru_1g0HQ_1YdJe5C#aqT!(-iCVSH?swHMruV+yD9d|0@I_=-;IQ$Mj+PiTWve zx4uYUqOZ{Zpx>_FuRpK9tiP#$p?|OMZ9m99+CJWXqP@j_vi&Uk68jbQYwWk!*V$jQ zZ?bQ;n;d&P4s-+^DMz=PAz9oaZ=SbZ&HR za(?OD?zFi2yAE{?b$MK4TytEVt}fTDuPn?y|W@;;_V!dx|^mPPv!5 zFLS@|{@QK!4D=l08R|L3Gtcuo&mTQ^c<%K);`zYyndckNkDi0Phj}Z#M|*$cz1Vx5 zca8T^@1DM2`8>WR-yeKW`2Ozu+_&A=&%d|-VE<76$^NDOTl~-XKk@Go&;yNuwm^4a zQQ+Lbg@OA5PX|5=d=>a1FfdpZvJFV5x+8RN=#kLI(B{zgkR{wd+!&q~J|Wy4zB+tE_%Gp2;rGIy zhWkYv5pN_KnHgz|oEbSgvMlm=6YMkX8GD!geEV!-g&cgH`f5yey(Z=3x145&ULTr zF;|(pzk7xIa`)Bl&F;_L-@1?RI6W77F7d4P+yi)jAl%|zjqJc zKE4BeLw&=24qu(G!FP=BL|?-9d*7A5=X@J|+W_^w{73q${citkf2aR1{=58Z{TuwR z`8WB4fzg46z_h?|f#$&dfpBn4a7yslU@Z7l@U37~$Qw$At_$5CIw)KjUK0LY*c2HM z85)@v*$^dWxe4GHqIc>2>`wbh==&JQX^xeSHO_~ePdMLj9_?y$&2-Ijx4HA~`R+yT zOWaqu?{Gis{=&Vt$K#pcS>Rdb`Lm~=_du@`IFs~V<$c#{^-cAi>^t4}JKvYSa{nN| z%l|k3D75dzz&``q0{aJ#07mG+0Q-Ws%?+HE-d_DMCaF5WwAv^G3bZBZQ7U~S0 z5jr4SWzm7uaV4t9WW%^A0Z~7bhr}iTpQOBc>zdK%V40WF1oabENJlpx8 z^Ht}5t|MJFuJNv8T(7#`ah>bF7<1)yjN5UZvps+FyzBYU^Mz-Kx6V7?d%kyt_i66| zzL7qcZxm)ltFPU6j&G^&65k^jC!as+ALpOqpW%=B7y8fhKk8rSe-86wpTGfu!!Sp@ zfs+EK237<%2Hp?s6C57=Q}FKKW5IR74M7X$!C>@zL1+;lt=EA0dxQ@USA|E1pANr| zQ5zZ=k3OFoxij)gq<^$CIyZV@^pfbGqU)j?38xz&_W`G!dJCw}W%^(AyY+|l&HA_c zH2XaJ>GpH&f3`np-_voB<1k01BkY*!_>JQc$Fq(P9G^P2I`($z&K1r-I3II<;nZA{ zTvJ`gyOz3^yH>iccirN87&PT$ml^nchVQ_oBntG-}-;{?-sBJ z>H?<)?hUwt4Z&H#Il-HP&jmjXmW8TACx>1MeI5EPWDOq}9uc;O8^V*rGs9=F%Uh(`Bl=KIW z#XHg)#q8eZ{mHwZ?_l2$-(+9Rcd73H{~?&eLH`(k#($>&9=|UT2}}>n3M2y;1+EOd z1e{Yv`xY!0_1cr11ISnUNDCb0Z5P=S2Pz zc_gwuQWo7aS{0ocjRPkDgHD0_-TE2&rTXRib^3GqTl!)4Bk>LT@t|^N*zdP50iU_v zajWBQ$6Joi9V49{XV^It9Ogpj-<&I5SGewRJ?MJE^*K066yrV-RN!~$?`!TWJ=b|2 z_B@WU{}yw9jrU>i%icG`YYM<5qi5V$^Y zPhe}{r+_7RSa3pcTJU$6`>%xF3w?xs?HxWMJSG2ivFFAF)3P+Wt@bJNA$42Y|K@$80#p(E`r92y{7Uh#e5+v+p<_xD%%Ye7*a_@@C^F7h7`I5aR6^Tq?5nH)HP zbJo$p>A|*OI(Tky8Q}Q{=FklA(PZe9&|FZ_i$XKPr-bKX?pzwaF?<^+=(FK}gtvzW zL@tY55xFjMJLb^Ck>?_pMQ@MZ6a8!S<>=<jCp!-Sv^=iSuIa8eSK4*1 zYnkhJu18$Yxn{UebSK@XxaYdha9`w}0a;|O=Pb{qo*O;4d7kt<>-mRgyJrAka|L9O z+r9Sy!=CeA=DXc@kMFO(mwlUkpZUuC{r&ra+D`Vr0*dk;uxu-6%7DNtfo}re2g-s6 z1*?OO;ID&?;Dn2VzYQK58Vb7N3xz{t!C6j$G;u-rlJFlPQ#=%Y99-oE$P{0Pe*m35 zBr+s20@B6ANK@qaNORi8d(QOZG(hS9^F4WJQ|9Qjvg1C9Zi7_UrR7s zg?$YiW&@yWaO)v`ygpH%rYH5Z{u}*wkO{AcO!%z+g8q@dMgLA8Vt0WGU1@*V{)GKm zP@;d@-?M)MN_4ox<7jrYK?3~B(dInY`CDf{S0#?N4!9;l{grdgcdc+;=33=?#`U^u zKlhpLbKMsJ@2+;=?0&`lp8F&BPvFi+c!qiEJV$vNJ*Rn=dYe0c`L6Tb>bn!1>~Y_-z7KrgUpe(*B=tQWd?xrp@Xg@Af*%Ke z49*Lk4_y2ssMw>Sr$TRG&VL3kHbHP=S5aTE{$9boLm=KA9+9WN#vWz zVbPJ%d!r9WpNKvW?0hr&d6cbYY#`u#FSz=1`s@1Vx@OC(IX`fI=KKaTyUewh>oCxF4b*)f z%xa%I;-2oF1uVVDeWkn7Q|oa9p5r`|JTc7SI`23@venz|J;Qsc_j17UIqzHEIli>7 z%eM&g_(Di+bNq|^=lU=9U+-T7zW1{K4Pfa2K<iyjS=za6K(j7TG6qWWv;?(bD`|I|9*}t}bXV(Cy z&5&cuoc*2qIirBcT-QR^d9L5OZh#E?Jh;B*9_04A8{JLrnSjP@cLMl!4!FRz?mxRX zLP9#plfgP-sb_^}rRNGrwy%Kq_46L-jX@eb!+W;(0`P}*-qU@<{A2w`gNmKvU+(|f z|D9h8gadyFtcLva5agdXgIk0BLqkFfF*lz9pZg}XS9ss>A>r}h`Y(hxhT9?;@VXV? z_;*Gg0A{pBGmw8)K(fCx`T%5mbb140kK@v&XY{#{fNlfbe?VWaw?U?#3vPd#{Z9J> z_VxBQN5(PNvBGhi<4#ce^_X8o=~sZm-|2k7x!&34%DCoYe%Z@sI%cY7c5zUZy;kMw)|$N1C!oc}cc zh2ZYdz_>s>a7JKpU}@lrfG=1VJTo{m6bDD|4ljaCyE1ZB7wx^p_(l84+(eDNyhP0rVy?>IknmSOG;!TM*k z>(^-Kv5*}vcKsgm!*i~e_-gcf;L+~xAoyg1yA>F8wtE?;SGT+GbARmq(*2!#f6qvd z%M2J6=4{+0fl<;tlwaAx4_ zz_P$yfd>MA#hm;hz=Hk2LDqnqJ{f!)^U@sJBXnqJ4OXR3hTabS95O>TKQz2Ld~f*S z@T=i3!dt^Xhux7_q&3okHObYH8z7T?71;}v%M%SlCd)?WMbC^r2I@uHs3CyArkCq6 z{cUi9D0BeN+XsLyX_$cnU5C43E}y#&P?`xyT$4%&hvgU+BYSPyynnBa+6VWop}fo*38FADxXcmvkm_h7a0 zbZ~v}#o)%^KZEZCzlO9uFf=@*hw4KOpgYZ>w$RehiqJKon?nzRQa>5`duU5&8`j|? z!!AhSlfqLmBV*w?;e7bi@G{8bR{(=w4*xT}1*@{}!wghvuSg2B^&Ifb<&ocUDgDmK zlaSKij(il^68RRZwL_yvMqN>V^aQNda?#VG=SP=Eug4nwf#{Rx@6 zK0%+VAFC%YvrmO?Cg59!3Sy_!Eur!=U55}?{|)C9XC0ia=e5?btAy&7U)%$I9ECUj5Y5I&X1hi zoHx1N#9aH{y~=YfWRhF4X1~j`#`B^%-L)g8csXTu+czYI@? zJoQKf4Yz4*0WJ<`4W7pQUG2QfwFa{ET4-n1xt?`xz^vHl8sfgi?e;7Lja=eg=3Neq zUJ0CD<-OK>Hn_&+{%f#edI-|ZNB%ATAN}S)zrZ2jxT6AZ1~y;~bRc9D7kEJ@2`DAD|D?j|ALiLl#a$8eX73g|*HHklTI+W!c9u)-eIAz~dZo zaL3;`fA74-c^6hWTU-H9INjUfeZ~7Y)+)pJN@bG&e*domS7C-c99S24Am0!LJ*+Bz za+SLeaE}5HIn*=T^C!q41ALXfTA$mu4C{upf3<%MWLnZ-JQ8{>bY6H>xHWo?Slcve ztO<1u;+*XtkW2Tp?`sd)>#(AG)cz`ZH`p;9{d(4Uk!z#-jsMl&mq69Dzki>pNux@d zOOq(I_da9$Or=6eN~I)}<}~W0L8y=^A*m4R7LtT+2q6?9gj{JLB$<;UB=56NhVJj) z|L^|Z^{)T>U+Z13wXD`YXHRE;pXd1u&v)<5>|l1nQCH-ZMZ8%*B`s;iZ*41S&yuw-Lkb8Eqkt6|pyem1Zh*-h+bP+1+|u-I~DaAt9W zIjcY~6mbr5DnMs2Z+Kzac82OyG3I1S&9 zD{*_dt~?*UFF$}E!Vl+1Lq$p8C-b)u=UYH@rl5}lxvY;_)9vWf=uUJOx;v;-AG$B} zpqs2t@ya3RS_Do|IY>u_$1W3bL-)e?_oD8Y51{;JY%e%Zh;^^iH}9aJe1KZGe!`R@<$rVRV#nGkgZV5myvU5=<8O3gQG?1tp-lVIR<8B*xVN z@q^#vfu@5V{z%6eY0NtiGm+~%BRhi{(Z8~^*a+L1?GG52!>(jM0q>(1m*N_6Cjowia3i>BfKsox z?*OL^LBCDmxrn2C4R15AUx0!BiX`@{PZ8Gx3Zjlo1{Z!8L|++l9_qp~!~u{Y5LnI| z;5R&M2KElSMIWN8fU{)}l{XvmtC8)^naRrq1fu~;O#)`QTDS-5C`BBDO5hq^z&fx| zbbD}icQEcUKQc904(vtX1n%UV;W*+ixNU+AsDBg^5i(zqE>ss-lq;~P=@6?`^i_;g zjHk>6tW;pf&8&9LSeyyh#}W|Nj&CZsEPN^?xeOnRifAC)k#_VEJqjw$5JwI-#d)|F z9*(cYcj4#o6y7dDAY>ZJmjZn&63G=9z7aMKSc4lqmTt$G0KV!eZa6=d4_`(PU+ZS* zJ*WUi21DJ~!TRZ5a5i#GBj^c)F*BKYpc^ZgH(?Z&#QxPw);K`5_3Q#rD)FFC-s5|L zLw0~F)&(zS8F8&sD1@y_lE6NJx;JA?1*b3`yg_Xy9pdQ_^BnUQ(;A#XY4%Kx0c6K+ zJRG$5R^ASNfZ(;D18M|?uoghOO+%y6P0;;#j9sNiGR&FY%w(nk@W1mc5<7-{7`D#= z99RgEIT??J+H(NdSuLE?GqHc90Q}5|YXLr4AUBuW0qW@+SB9s?(+4(_3hp7nTF87Q zz9!#@zmk6xIIxUB3zWSDM0P27NDF~;oFRTs0fpoPe=;V_|jLijU_)RoejEX+ALq zM<}Ew;Cf9EiBG_Z9fRtkH_^MGz8(QKzDD1J0{ezafLa}mjRp775SxHm0te?}HrP~% zRX5PC3$Q@&BxA66Y#Fu^&|(uH=}xQ=^z0!}FejlV)q!7i3%dvXh$q-{@bUVwFTfhSxgN}wNM9gr|Q7O!=5Oe34b@f*N(cLL{qALlCP2?w`w2F1`QfaQ7M zkJa&8_>Vwuf8tXGeu79~u)DyGXcRO9cU2L-1C31)bJNj?7UBZDsvN0A1`!G1qB`(a zG8XE9`hmB44Q&J`=PNo2Q^)9-0DOm57#%%2osQGP;JPOR7Hp;O17>&}`VSZ2s^6eD zfydYZ4Cxj0_6DFv(HNr`N(?oIHe7#Gh6PN6!ohc(0_f>7kIc;ZG-{o6*A?d2BoOG`17; z!m8PF(CKR9bO4*_hR#6`r;jth8RV#2>4O96VkOO!gD#OecqB$VQ$Pa-_<1~@9rO;J zc;c_q9uUL|n0YF;g`p4Y%@g8pI~uM>KV zub|T~z#9bYl!jiTDqo$i4K>4*Zw`uw!{_nsz=d$)yF--teCH~|Ol1{x(=xzA%;V?t zi$MpJ@hkaN{AzHt>Ol`Qfosvm@8oy$U%_u50B?&XkQT@ZR0Zk+ZKy-00(0Q+905;Y z2YnqU@EX0q)d_%ZX83m=xeAnIh9Fyz2im; zAH2&FVHxm+Dq%JBQR;;a!Y1e`wZWKo3tvGWZ9q5(ct{oF8x4^LM_3h*RvR&b-ikTG z5&N7@&|~vKLXdFifF~oXfbC`=*+?FA9*Pl?_3&I%bzB?Q2la{oi?+t?@M*X^pqmf$ zjl-eBC*vug!bvVvf-;k;fRofh_pHIH2~ec%JBREOGe{a}Avs(XC-!Fq7-hP|!@b)Svr;rS4aC3qR=m@2#)(4-!3z?+~O*M@iE-S{iu_5=7J zbSI>_a$HreI#(Mo#uS`n2B>Nt^i`)p*TS9a1>LFuU?<^R5jO$4+N-#0!F$i<=5h16 z#oQ8cf4hoX4Gw5Mw}IOPTDy(g$?XOn(+4;;2)#b({|k{!#IY$vF$ZFJ8bq)c#BT^N z?F3-iYaw#;AZ{TieW~J{{xRwu-^UzA95@7((qt3f$~Iz_&qAI5boml|z+4kEw&!F+$DZeT*E?X4cSkaspKtjf&7@bTgU_8mkyB zgFbsL)XGkA&7fgQm^sD(UFwc`!7PYXpc^+sFD@S|z)GM`Rf$z$HCR2?2;KK?tOsUC z3}Pg@GVsQl3Vsy= zRh0u()efqvxYG?)HJTv;4|ElDKeM5p7Bh}8DxrpUGt{BqR{*}}5oRT`hFQyOWHyPF zWe=!I5{t%CVyUw9Sw<{tVD~O8ca|5+2Xt)!D})seNG4(>K(~Cj!orpP|Ns6UxdM5b z@IxrT-_tZRBxNS1PfPzOPnMz-q-idLj}j?lGOCEkOUn4BPa_9XX%w;q3GtB}WhP0c zk<-`|GOfTF{H?JgK2bzusAN(B?Kesa2|@p5Tbh1%l(WLs1?{eVubhLnYB9RcUygs@ zViUYSf97Vr>#X}_1!<}UNE-DG{P!%NQpgmF((wtmrps4AjNd@Q9RYZte8p1f&S4(`))wUtLT8z*it@SGUcR%KFa8@uSjISUu>FRB-oWZIIA zZ7T~O+xK;!Sb9;^U~sQ8n?(6IT$^TYI zb=_WiFMQ9|&^3V*R<6F_t6E!sg{#_9liH&vFM5z=aPaEKFQVk}T^}8_R_wpHds6xO z7yG(O$Ez*#`no=ei*^K)l!ic;kdPviX(j+520xZzrmfodDe6)FvC$UrXm5bEgBI0y@26kr8Ny2ba6{TGLi*w%75qDBUkt&Ih&BaUYsW11W?>c<&S zr4a>UuZqNxXpkq8h$*o=nl=v6D~1?GH6Sa+fvQC8P#iClFoeOGB+khZ`9n=jB~fK| zZc2Q+Vh&RJHssjnCo(#xXQoNcV=ve@YmeH-7us1ec9H!NFTIkH?oXi`4P#}Mqoy7x zw;DY#@#xMYnin%)&dDJix*<2Cq7mIE?K3fH@Ntrkr&CFw`twBVg~mCNmoKx!R*sX- zw0Y5f-&3d)@33Z~n&kX_oG=6BB3F%-%a0>zv?9p(4c{|f;btGFe&`%ClGYrSr={sK zGN6f!|L@MB;T#6!AAW1|_Z-Hoe&q1N|E(N`+eU^*!t9@Nn0TrWJcc_Qr)w!uWTQ+Oz;KA|_LHwy@(TksDJzH>H>16H7fNYI3 z#wm}wZyW4wJVi+=jNdvp@Zy`XqH3G;iEYwO8Ce-yChd;5(+l~dL=@kuFc;e}djtK< zegArgU3gvH3%cy>cSTx#8_wSU-E#x?0d0ShL4{Gd#pUR_v(76`q`%0XIWTj(^dlwH z#iiGW^Ei#{30KMukt2d%oOTqrDL{=_GA2^v-=vIG3KIJxogl%3VV=XpAIp&7y5DnD z6gx?r%XcAq#Az7P)Dg9m zzps9OMp*z6=*(~{w@f5C^=w**uoH?_jhBj2uXteGR?w79Elqbe-m}A+s@;C$N#eC} zA(Ab}vC4>ZedZ?q^iGF>2>Gsy!3rNGikacb>(nkiuXtGTyj}lNjNB%;I8I_oqVH$I9cJD#F^?PgjWk|xm!WvbzOnMyFQEp&TmI!f>JBcDc7r}U9!N*2o0vJqv%!3kAE zRNL;7_6nc`!7Qip4isF z0*})dk{%u&dg@_{1$X&dUU(Z=bG|G7^^D@ZXC637Kc3wm>ZETJaHR5F%V(>oo^Tv9 z?^N{faX)nH!@~7tU> zJC_HCM!Ysk+_63x>3M}q1)D1NzgZt*)wlOrVUmgbqRyek2NrqO_B^;0)G&DT+`yq} zrd!&gDvEAjmCqkDrq6$<#oA=Fb>Xeri%my%9a?R_E|ltie`R~)H0uYa3!lu;vo?BH z(~+q>MN8T;>y1XB-)YtU)yoc8EX=YD-9$2uPrCP`um!=DTKE@~7pJW;k+whT50(0p zee=oWza=09{y@orKtskC7#A3(j~hWiVu?74jSUyyTNfJ?>+dJ#96>+!54F)7+!3Q6 z%TOEDzi%!sj3c*4ke_Q&(v7~aMU=#mD_KGn6vbMKk0TmUrh<}oU(b(C4+||Q|D17J zeUtR7yR<)*DQDTYn#I<0_l^x+gIr~V*f!df_YRXQ{b6z?N%PRrCxNN+vyfBBYCj5j ze0=<$Pa`@CZkS8_m!zep0b`TZi|;8u-jyZMKlPm`cCWAIiNd_{Qz_fuRpm5&Hhg~7 zUm{JKbU3?VoR!;M*SrvNO~(hfvtFa~&fG5_{cO+MJBBkFg3S`<&)v4uvFNlDW9p*` ziBqOtsk>uZ9;bD||IDYar(O3~P_|mT%}?4D`e}$^(Wki~Ty`>P-J|iAC96k0d%fDE zud4n|d1`JE+nn>XHP_9!e6w1iR&e8(x>Hwn9?pn)^k#p}2H)OuKKPi&^R@4Ms~qr( zqnwIRUP=E}E9aBz|Ly4Lpj12Si-t8Hw6{f#zbYc7yM*1jE;()~xp|YrHXDCwPsww^ zui6yK=1e4OUEco8EKc6fkd`s)wng<)SC_2c_WYJ0+O~4{`x7~Hu9lB(-o3NRQSL&w z70Wc}`MxDBwcpUk74tTR8m*t}wQR%T+ZolfP(_{1mN_L;cEqy|ZnyNfE`Kb6+PU_C zO2guar1}r>iB*m_SL^CJ4p>aJ@MgWV82ha?u4Y+wh!Z_-iLJq{6q4tfk5)4sRgy3`n}GF?jL2dR&mj}5CJ>r zkNsVJ{}M9)Q-zdZsVtZ+%t8>j+nK2EsMUx?BzZ)A2c=2qct8$mImwxe1B0U?QDsDl z_&`cdW^$k(+-fR<&%RgiQF59t;fXN&dZT&!@{Gi=4ko z&yJ}4{b16ZYfr2zG~T8?!ry#ar}eVB#x7jP@y_YIq|!CMrS;w=$!5)FL$haf*c4c~ zy?nXm#GZEY;`0*qT!|zt*VlIQ)TsW*#7y;+oq$H$m-FQYu0S!udY+H%0mb>p4e)Q~?^WzNLs+MPIruHIR7F@HM$X~?+dXY9L| z?|E!Y34ao-efG^1M~+rP%idC&abEnGH0t{ly3hU1>hoS$otKr0ELN#q+bQe_nifSq zPYLZ?clvNFuWzg2Z3A7SaitP+=vHpc?hZY-CWksb<*wFeK26s!1BcozoA&ipHGa@- z3)ph3=*o-b5mMSSkhA0;Ft;0EZpWWt4w(5r!W`lE=%~;Lwoe!`!z#Wt!!f#M|I9Ad zV9e?=`xWc`DjHq?gdl$lF%ds73y{taX0`oiNcVUA|Gz*wF{DNX1kwRmMF@*HT|Js5 z%=9-am{2f2-T1!*V-OASx5#-9 zDNktZsPzd=Q9uvjwUWGD=w6pz!`5T*h_?G^hgz@s_jB#6Zyega{f1o5r28tt3pul@ zOy=A?QF?ND=>n6XtgQ~wzUu^1YDmO|1MMD;r5!O+pE=giodn%7dJPdf5u&$deYu8p=lPl0;E{^0-fJLdqL~${F8TJR|9Qh( zUJrZME;WmJFS1Ntf7@vN)1^bBW|QgKaV7bSXsppam!3ZLh~k^6Nv5 z2IOV3GhSZFE%6{o_g9%}K2$(=sL->5Qk@-py(b9B{Kbu-v9B`RVi;U?vyJ3ax?B6s^_aAfEGBn54M@Q|^8T#2lb`@~-VT@cXlih;hKzqh8DJY=4`_^lRM|x9Ul8ee9X4B-iVoY2$MX(2iSc0P zoaKtDcXPF#ovN{3bm0A)?mM|Ot7+Uf@3+|OcG`Qe>1Jq1?;Mud*SG1H;!PtY(hDvW zdFLIx7Goxyx0|vrK6F%WVZ6OYj$@l;`ep01c~uqfL}O$$GnUjI>EF4`rRJx3ML(K+9b8@ zqjsC-KYEVYnRrx@s=$;tQEDq$NjdBpWR6(s;bvF>lfbDP9Il)zPK_nm)65B F{$HYoO(6gP diff --git a/venv/Scripts/_distutils_findvs.pyd b/venv/Scripts/_distutils_findvs.pyd deleted file mode 100644 index 074931acb7add08cf57732071d28eb33d75af94d..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 21656 zcmeHu30zahxA4uvB7{X*L?pkeK zuxMSX)~$6{6!+p*H!5newHn1*w79gT<~wtfu&8bS?|pCizV~}q?<{9#&YU@OwwW7Z z$1lcc7>3c|H5f4L0OaTiBh$Z6tSJ~~-{+7$wy(>@z6U5V7yBm4n0ZQx)Ys0=#><4dAneR7PTwu1<~KMsq?849=7_Cj#{7#i zHd)_M7DVRT$(#{oY!8drTINrV-&*PcIU{NV*`E=$#gwO%qVbHVZDc)OE|#IW-d&kc zfMGEd3v96+XM(w{5u^6CrP$kJZUFH#LeqOf?g%eV)*Z<*6~ioz&22fB4*+25%Uu{o z#lnD7FbMv)=f>);01T4=)R~K63sAEV!v@%(g6RpyuvKWzNze}SEM{R?qPgt@xgOfX zI>K=byV9}#PT7}`77_q^)*TW=A6hHW-SJ_p9Fqqoc z*bS>kH~;{PhXujg;R(aA8ef%KB?cI|Rv{D+zCrMIc)}1ql{8lg9nsnm4@la8R~?@) z3>)6D{=emaodad(i(EGx!7;};8H0s68gPTlKB#F=F*r4~b#-+~x~FkEN@Y@OybQ5E z&LCu#)fBl4$uaK_(fyQOn{3du8eAd)i;yfGAn{r2n#o!i)O2SiqK<&R1Aaj5{vV1O zq3?{}?LP&-_Ng1mp@ifVPD6ZLMS5#RdUHkkQ-cuKy(u#|l>3ABR|=jQxeOXHr^U0>G}bztz|VtFYU~y7-1tc;?W5Z z%nE7XWe9PF$>k9c=h@YI-* zEHyFote_bIP2188ORmtgmc4Q)-3NB5QlJ;g5`o(}lpIXvkJQLz4N#}6FKZ}rne#^? zgvD)Chg36%%Rkk?DVEGsX1OI0koV3&MTcY#~`doZ>&gvVCY&QxPwNx zpnkEHiLD!7dLn9$?^b!O?Vp{qf)~$dr0>=Sms6x9SaWKOwjL>* zYzS&}sUchFwRJj5JZY%n42~oUR7Z-?v5q7d)eYWgGJ`kLErT~A+u)7Nsll7HFy6@J z7`&0qGI%3vYVbxj!r+Z;n!y{nHG?-Ys|If*iUw~)guxq$tHB$Q8e)fqVU8~})EBic z9_wfr2F_0>U}*Ii!O`j|1QR7)QDVWV32Vaj+pNJ5Tj)z6bNITZsgFT})~!b&RBDr> zcBUidu%ZT9gnBBdRciW42A1O}!vio!y~GX!mg~QRp{b>yCRbsM{)!cbl?#5{ODRu( zq?NW}+R!7B5R^HT9fsDk7N`PvFuetgDy<=6^+zFU($9z3Q@<4wStBe$b_WvuWCy^T zT2`YOsNVrdp)*rfk6N#z))8c@5g}M5jNJeeo)xr$ei-zj04QzHMCkJ&4AnJjhhjvZ zWW7@tl2F1KbT5YrtJHCImkcgf0G;8c!D15ZD&mR5{Paf#&5wEo>R!vK(ZiCl+8itW zKtNWP!;lHl;@XAR z0)&E~0>eGfY`{js8PU*HKNW@9ZBMH@= zGci1=vCKeNXbm*Yc;h???eh>LjD!MKT2vG7JsO+5z?dMXi_1K^!{#B8WuPga0GqX^ z+-h}FJ?9my#KdOZ8U0(>yIRl%uoZ|Tw0^{ACm0K>Cr6tlVIq=o=$ihx2J8bAv@;nL zjfK7lw5ffnX&`72VVe5F9=bRpIYK7G83}0@I#y$F!Jr6!-VL&JH2s{XUVtU1yIv2w z2|<8G4mI`Sz-rlW;F6sLr7n|D>XC-hfN>}dO@uUSflD!&*%4&sAtW=47&7x7NoGEg zkgZu{Q3#n%fK}&`IlVd`@=Aeq^$b)my928_YjFUCg@RGA4XCl2fZACL8Kj8rvlh8z zD^l1(Qz?f&ZgLHFws;2Ak-i!0I?~)!#8|w6`iVwNXGaI~gX%Imuvvc}xhn{iVCgy5 zdNj_&26rPHko+Px=whw^tJ&}X*zj*#JP=t?j@EBnn??KD<~(H@*VFaCZ#|9wxE_#W zY^n`1=^DCL%78eFVL#Ohyu-)}0RytIYP8v=jWw?o*^wsb)EZVHfUu)AM8HtHK(32z z)g?LV81pL_WyLV8>5h>rzW^Dg9oIf})=FC-v~1Bz-#`H6;ty(|6TIOFS^$^9WdKxJ zsNiKRkmm~*CfTXEGPac?c*+s9a!!zuHYsSyDaXe=3_E-b-SdQ8Cg^3CH2w8U!Q$)A zgImiaiO_HulM3rVc)*6Ifq6$FV@&$VRB^Vi~BXJ{o2d>I=v@0Tr|)>qhcv z=N$HjJ6FcJ(XK$ja&q$k+KZ5zL=PAhGK!(H(G9nz4QGU$Q!%tB2ZY?zJmJ(#gd@ty zrr#d30hJLEC|m!7vEwl;E67^oPGX%Cgf5OW4hL+(ZDa+7yJ_gVDCxCqhxyg-m zXF~l(fPzOSXzZF={aUE(qSQhJaRnwRtx1JIqgHPZq?Xob$R1Q<*-GCEU7LP}&iWTn z(*JB62`kcjLJ=nJLGCDN&10RBA2NFx@b&Hnjho&J`lY4cjKT=3U6jY=u*zhe2AvZvv~MYz*?Oswmj2+4JdN}$0tgCu9Aw)OdBw&m z5yh@)8cj-1rKTkXBEz=v$k0aPKyB<7$|Ov*tr95q8hHV>k< z!6$@qdLg)Q6tNK>X$!ru8GTLecNe9p51jFJaQvSW2xw~@mY>j_Ku+4!fnB4Y2$Lh8 z>EoaSU~ni#T<^lEIf!I!o{^!&p=b{vNbY$02=eUKDAfP>nr^P*6k_^YHNY`M`|t_XPN%k&Nz{AU!Fmb zgQN)vMw3^7@*DBgk4&#Ua2HU}HsPIZ9WQqI7LBO23+c(xZitW-VB;k<2Prk=a^;%*yh~Y*Q|o?T|sX zW>MK1$aDgFMcHyFRH8x^6wZ?Kq6k12)|w-%C|gXnZb6iM51RoafS9v_EfAuHofT{c zim?j8K7$JbtYQvUInMC9p;E8~1kSjEo(&*mZ)=TVP^I7vn0pilfh;p161Rp$*8zr9 z^5%fljmVtHO2H8{T|N@LQw*rVAZr-(N&x2*ONae}r%kjRn{h~3;U*8oSacF4;ooM$ z26Z%H9_=Qqo3@CspUTi4)WfV8K?Bzwv{=@I=oQ)*WzM0VD6F>jaLnxhI+s3FiF9k82&JLZLI5l&An+UWa!;SXTyACl#`_wCe z(-6_c!x8Z0*y#TROz0LR7h#k(!>L4ThnlFI^T{a{9%xME%sUAVpXq*`P+?V3K(82U z4Htze5R%-{&3phxY|d*1A8cC8 z0yJqaQ!2^PJI87q=lpx~8mH8yH@>b#-wX(Q?PaP72ThmWoH21L zSW1k@GOnL~)&i{^I${9Ftcfuwb0kJ^&O1=9R0y6{BsC+m8QZLFwA8+_)c9^dY}1~z zHVyp!BPJ^v8cuykJab%iLrUaQT zCsP@j=91}RGA$(28Dv^arln+BPNoaU6luJ{8>yGU8y$TN-st3G@OCFt6xkWPQLtz5 zMzNp4+n-EvGDXpr!5di@gEuk)25+S7ptl|WgBgJ3z4KVY_a$lwhBZTe2VQ*;XeYcq zq3jFqD0n6CPJ{OhyxZVi3@>_|Fbp}_VsPBW;L(cV6H>7wyr^wKAckeaTLLe79zgyU z-UINSf|n0-jDt5H-dXT2hj$&kOnASAcJ!3+Fl;5f`S7CW4dg?h?Kb2!@LEIJ4dH_K ziK!1#DP!+{Jw-=1bfgogR7w@o8xJgmSWd2xh;nnW42fJ#Xb5?(Is<{GssZgN#_aCb z+#khO51G<%czt!A>-@^wU+V9Xib zMrdn%rwtjZ0Wi1)+FDF)RRH^UKOp^!*~Yu4D&1 zj@|lp!}G#VLr}1VMFgj16ev}b)BMxaX~Kw1jXYP9Rv=e!*lF)=lW)Ex(@Yk+C_*oK z5YI+LB*vgspl_b!_fM}p1=)xjzm@vR(ML=#(r3VWF^DZNUmO=_Wnq88#ll?sS4hll>Yy!^nOQI>CfwKYeEy+3#s5SR&c48DNeumoG_6BH0g4W!Pd0 zz)at3Vc(4OlXWk3q3Qc9lBsf#5o15EY15`jGGTd`JFJ>quZj?RMTe8~fOGBu8&A%I zxYO1z(bx|hGX|#)zzJg$js0+d6(blqu@`6-99#ea!*0b~Y`VQka_Qf3c z!)vAmnn)Uc06xMp+unMp-+{Lg-h5ZEmyp9Zr*|!wZ+?*k6Bb1)IFawv199Ja3n zJkr=0L3mQ4se*k$6BYqJG5oA1BTA*rOOZ>Y5i*eqv<&tbJX%JSQk5qnFzhpmuqXzc zS;iP?0fv2Qu7&64OBE8V7t{rX;*7Bgq!+}Rp&qN0XmX{I(yR1PdjaUOQ zz$GULsVWZ(YAp1BOX05~RdmHoH(qNQnrIN(E~cs+3|W z7|K$MMDyHc5H^Pvtu|GZswj|I;HXd~RU=kK(c?5yRgqAt%0dzcavY%q8l@`C^?mHo z60BzjXrc@hKmtJQCj?C>0-ok2!t%n^umCA4VeXVjxf(Iv*f~a?sS>G*A|OapV-soZ z+LC~Td?cX5rUA8)(o9Wuwp3-NvW~=0h*X3oKN^HF1tSo|DC#3gu}i_Q(SrCff*7-o zeb6xd4*{Yp;oUusN1A<#*`GjYfC*jOeU2#}9xyNpqF^->xDLPQ19O#|E0r*(N>ys4 z`AlUNGg+?Ih;o?;ghnD)`jS5gG%E$OKu!)b+cjpy*jOfPbiNXHQl4An%S== z2~(bzFA@_>rGlv>WKtC~A2v)4*o%}J6;qU-pDP!Oka!PaYSdDuh^dekFbPtKn1qs< zCz>pUD*P5v3tKLAHOg3H=sb5CPV zK}UM5>H~22WY+eZ)AlhG48hN}1570&ydG+AQsFGvp*=7e!;YYhGd(Dt6IhsQ?Kyu~ zVP39TU_(7wzPKk-ssQ&XS7e8JCM8Ds1bQ-&8-~*#*z{1(BB|PQ*ibtgzDTW>=4Iv< zF#&->9qOr3DT38vnKVzN_Q{irRZ5Ug!Ur5yut=TfJC)@LVyKX3fv-z8s)unlK*eP8 z36(}oAp7$#V&iy{<6xv3oQg_L6q)J(QAww0U>2!FsFF_wYnd%ow>5Tb7Lfi3lqNt+G@d=c&B|ajyzdz1q z2V@0tM1POLU&PL02TD0U0i4VrAAf&;mQSWANbDow21)!y{vxiF6ZrQSSXo>iSIp!3 z1maSbk3X9eFWe2`&-w{sBXv6wl&`SZtrntV|B9LK^4;YYOo356qGT z;38IlD5%3K_KaB&h}Matm>bL|LGQD1-o2YnMt*(OB800N0O3UWg|VJZ&Wlc^BpK_%8~8+=XV`bLmJtxtqf z0by{i+7nrX4?iZy8tTdQ#nC@c^y7M@qDob`N-UETQZWj_LOlmTizXAi;%I46B51P$ zh6I4faQ#{S{$gte6t?`vwZ&BQO;v z#}rsLV3T9Hm=rK8uq;do{oa5>p}?Wh{LdfDB#)5ESTBG_K%YGDPa^1F1k{M21_3)f zLZ}m%4B8bK6Xs9?J_0L%9xCX;gqf6>2HGS5Az)V24?SV<19eIp9g)yijfqM6@;mkG zj33c~@FHJj*zAqVpV)SPc9_4^Ej2 z<6>Y;HaP;#o)7CqT+D_w!_k7|OlKGqZqS(+o8%-5^C3$tpn>`C;*~Fqdw<@JbKuZp zIM6s2Xp_PkeSwc?xBhM<3(j~!a6U9rhr=Zonq>?~UG%>&4z0?J0quD#j733VA_RLB zpu@-?Bx#7xW?4fuqts-8G{|AM2#^dU6S+{%0J%XUB-m7_`I3B=08U?!a0+lv1#6N( ze=&^sEBS-&z;z@So%_El9UWyO62?$K zlRtou^F#Py{3yPVKc1h*SMgW#*Yh{=zu@oY@8=)mpXS%`ukmm5@ALKiX8s#K7HS*n z80s3z3>_7k8agMmJalX5fzT77mqH(gGKUTv8ay;=X#CJ|LnjW+8Ja(I<NZ!H&@PD8GQVx)RTS%p1cuCI%mR$zT9Xa>49mR@TRnl`N zfQqOT3d;evv+Ocy?nsK1MyJA`NaAUhHiIoGbV>=2N}*Sc!DI059Uu;P7a9etqJKs$ z#&FgA z@6wi(ff(@gUP#j=`DK^v+3I*G}eQ$K)=#SmI+0=U%E%8hlq`Y&W|EUP| z(rfa?3_-}%$V(C3 z)ZI&T@_mE9S>1cPs#pKmDSdXc?*0)cq9%O4?Pc^3i$cLBzluwbRzG^X;D?l9p=Xxf z8TDp5=RuLpAI+Nb@HK|hw7AvVZso3DCZ8uAs4Y7=$@$c|^C8Z+Yvwffu_Nv+_59+( z>pzGYA3c0Ms@Lqzwd;I#&VTax!)+hA&J?{~HKps3AA}o5|CIjwPxhOKtluVOUaMcJ zKR093n30i&9zR4{Ew#NRD=kjXDU=87wW7PfVeLbW*D4{Ep9gO>U)! zJ>8Y=obky^MOs}Q@yYeOGk+P@@HD2__b$%1v<5-9u&|;~=>2go+|yi#NZZwPL{*B_ z`Mv}xI_Pjp%9w`}g<_yvC-SK)JgO@qa%+zw;?j1tvR zpd!M3p${p~9^P~YZeyl^W{uk;tPW@Fj|*S7Zv?7I~Cvdi|ni4f9&FMcx;JfIxpk%`1P)pPu!PwiB!DI zYZ^BL*Z(H3?5DQvrW~<#XHeHSgLZ$qt7q-Prqq?#j!TT#Jy%$tTc-`0*80OVkCd1# zQn$xNVVT}56=%=#aBvOf#=>H4^YtSb5`~0DeNfFNaO#rb;zj0I4iJ|4zq*II-L1$(qXtZGVa9Sf70Ou zdA0)Xqd|}T|51-W6Wazw9yr`@b7b^kd&7oikxjy~U8@>)3~?BBT49*WPe^ibxkMi} z_|L5?SAKU)RAf8he9YXbKQ%^-_FVDo+5Cv7KV*|Ru*`$>*;%aBfbmb6r+J=H<6Qs4zx)Vpj=MK7K9kXERf+ard z3L^W+Zf+q88tf;qb;&x;(eK3PqSpqWKK+Da`|b1UUM;#~-|bD&h1{cWp60p7Yp3to z{L{zAX!~3LVS9Az*wxne9S5kkT{P-(2_*$Mm4Gvl@RMpsg)0G9RP#ov@i!`CRgA06 z>I4d&jZ5)C<~k^NZtke;o7%_%j0V2?k*`$Zw}oTx1oqL*mwHDJIpRlQ<`#mOt`Gygr^Lt zh#q$E^6c}+hkDAy37;I56WdRF@MkY=tUcmhPuJij77xHo)tSsxp=ZQ~gzpE~^!fdM z+LZw@b32+TTQE~IJD7>+7?vyU3_OQW!w#&mihyfCW(*d=_)*{vxe8@vz|M*o~Wx-ixvRA^D{| zhUq2QweR@t--DFRxxwrq4;;kJi94>o`r?PlkypP{Je2VM*fL@Lu)#t z!CTeV$tkCr@14o2Yu$bP&5n@+mfTV9ss8qY-5M8{7V+ELVg0*?ZMb@>_WG{1JIVwV za$4ed+PhaqhTS{7;m6oMVP4N`8W(np>SgV>^jQz7=&jd`<9J&y>Rc~VFJuxscJc!&NT~hDd58{X zDr?%hi)++#bL3S!e_wFeZISiU8}v?QYK-kKJvW9;*wkG<55M3qi?|ZL^Mx_EVj6=h zOL~$A6T^qJ8*(be)ojQM3JN-tk*|ac^P+c@mR150n{A(h=8a!JTx#)h#B)NuX;RPq z8&>T+RJ{86ftA;P@AvqE*rLQ5`*L|*-=KsWajRsMn#NZN$HsMCb@aQPT_3Ig82=IX2Np$*IDh)ufSsCNC&fp9`}1(z<~`J9VF?qbt(E`w*59|K zr!LoaI9750Bfl+WHjjQT>)&$V+_jx^KCb2s3H+(y;{@-Wi(NPL%D&=q`q24Lzg#fo z{bQoksAMYz~H#qxOe(>wOtQwLFcon8HCu*Oc*kG>%OTi+wow8!=Cg?x!3#&<7Vo<{C2^Sc$S05 zV!xGJqCP3$ezDpw>7w0Ng|r9dTb=4udDG6lDkwTI>T+4{-lN|5j_@7NZSw7IXwcNm zTrP{@Xr@MZUM_^!P3trL>^AFDVj{(d-p%Cxb%7niozzG`Uv?I9T|4wYa!+&&yuN4l;)MU$}GY&+3I~_W84xJB?-cGHhIwrg^z$ z6mv6QSFL#)HTsD-Kb#wE>mUl$vzsr!KD3yz|;Z%Xc*G^>LSwS7D z_>2zr9Zs6)91otunqfH>ezpW>%Wk+M0$4G+43~=FQxgF&lLfb7^c0f6;$kMiS8ejk zTonA82YyhA4y9%@|974666*WsP%1iyQsEp5I<|4|s&ijhE{`1NV(C)5Q}NO;(m@yccqE( zK?~g)s;92)x$x<2#nDlJYB{(2U9Bk`m{#{zQ1be-@$)975Dl}e)~_nN+q10OkOc#3 z0%vTL+|1}}_fc3MB5V^8aJL6%?|InDe$vyx*K>R%OT|Z&1)?J25gY`U9`9VH)(lE zcymm*tkVw?6IK0}ruDD;c$MdygEb{q-}ckH+pB@VT|$ zo569F*S@96ZaQ~4TJUk?{vE8cPY=|t86EnQtZ)4z-i@=jk}8XHf6R72_AF{tV6Vd4 zo3_!tR~5LF(0(oEqkW zirLMr12^|cXEz6t`9Hcjbl>CQL`Ts+x{xuR;u{u>%CFfx_93@*O4)Y7?D?WSSK>N( zkPo_;JhRUNPbb1N{zXssq4@tVJRRv$;TM`5aI6H*MdbFO`{6$L;HrUDAI6E{O@}%4Hu$LOnNjv0=Krb%$~!5dpbPC(w4lioAVWqLZ$y- zx<@z$oG*4*Dcq)fvL~?Ky)p1rbF6ZDq4&IC+V!0YT??F-Fvh>_HtcCqfd>S_}#~mVV8ESTYZVK(&sy;?99OU1N~Dk@85QC*0zlP zZM9$?XnLaRgprAg8BIR`_R<~vWzaqao_o$Hi!1?x2PwJ&4p zZcTFhWB9MVR?Z4%l~`nedze6laBEJ*f0OyAI)2D4b-1UknzIV;(RNeXg~npE#ffll zi@SHI*|O~61l@kC>w*vIP-C!qCApNW=C&>c8+>lOcs(UxMegOm z1v*(1x7W9i+$+~}RzFwH%h_8IHD=|}K?}Tx#;3PDE8Tu~+rgl<0kPo)m{vP+6m8_1 zg}+t*G3&&P&!&v|V@GAlvC9v?x2ryuGcx=PYpK_c=}E4-lRfDhUs+9FLhRW4%c3vv`0 zXZpOnH)BuaTHds)>(`%aIxzg9_sQehIKOIt#^#Lk+HVfUy}o7f zED6Bzjl=9eF1P;UfbD`KzxKWG$H0%>c3=2%`iO2R*$=KyceR>c&K$X5jooLL7WFtB zpZ<2PFo50r)Re1x`^`STeELj({<^wZ8S&Q+O^G@A>+FSl7uu~~H`@Bf`I~kw8KVYg z<#yM3%oA$vy!w32y8WkU^{dZ__r96iH|p)+ed~9ni(47)8pd{uedm)dx&Ho(Q~&7S zoVAntx+#Y~WYt&HkBL6%GH#H~R|iK;KW&|PDq{>-*FlTN@3&vx(Bs?SZ=On8IKd6S zjx6z-pRtwVwD*&X`8PIC-5h!5=9diVY=?1EMopD?*89g?%_*LL>*sGLL~cz!AK#_N z{pn+ChmFx~D52UyY+%(cNtUb<${TPFElAB&|JiqbRLA!&9lKas47R6Hds<*s>9|`v zVKkO)Tg8e3ie&y8(Zz!006`es^RjukKhA@g46JrrE1d-w&9>WhleZ+VSyt9?==T^; zy<)DcRK?ZWk5lh8a9Y3UHetzg z(V-jSn-2%{+2yz0%ZggFd)f5sjmh`4UHV@Bd~dmX+E%CIlGUjX>cZBZus>b0dTZ}! zzeU&f_4wI&w%wX>OOD$aJhG&I!W$=oY~DV#3P|1gWXb-9H9Yp|+Y!Sa9^?7Wc2!SF zJN(g@L!sIi_tR4|^Z(4g_v1I=6TE7|&Q~P7sP8{&B-IZ4^Zf6Nmz`WZW2uK)Syt}$ z)+TU?Vf~$JyY_~Mj7}3QcdEJ8cipwQtA|WJbY|6<^Y@?L9JH@q@Z`kD#BOEWwPWI^ drxz~1x+k$VvHNnTrH^jhZf<))kI{|E7B)aw8M diff --git a/venv/Scripts/_elementtree.pyd b/venv/Scripts/_elementtree.pyd deleted file mode 100644 index f3cff306623575cee34fae80da310386749afb21..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 170136 zcmeFae|%Kcoi{#{8NvVqGr$C+28l9iG>BkO!HIT4GBZI4ObE$fA&Iuojww}y83{EB z!AW8+$3cA7THX4%(527%Y~3w(DF$n4LRbcrMSl1c1l?j~>(J0PS{8#%x!?EabMC#F zWP){nJm0?_US#f%^ZRo?=kxoVTlUp0CX2~rvf@uwO{NZ9>7SQ>zxc;yHkrmvd1IVu z=cs?VzQerWU#?#get2!}>NSskbIn8F&i(pBk38~dB=>78bJs*4$$j{d+>%8Vx!-|~%D-GRJAKWHhawM|Ot;QM0*(ECTt7$Nlz(2J&2*W~ zlucuN5c$U8iaw?O^O{VZ)7PwB^L4!Bu~G-^cvzg4&pUn1%2kgdBaNM4V9Ld{CN1Aw zy#0Uw{u2(0H|6$lQz6VRiQdl_{|A`?IktqkOpI0 z>&2+0wx&B&rDh#*W;iiG(I;ncA!cx1wtAERkU$nx?-_9x<)Zf3dYdVl*+KKzUC^n) z5%uSaPpR@HXauE{fD6E~t65$=*TxR0HQi_}Q`~98vzjRaE@cLO5?-D`zO&J-Smdg$ zi5EGQBD+yJ<|ic9yIR%A*Ahi8no{9No7Ad;i*wdlo2JIU&lv)CVc(IK$?sWbZTLtm zvd05Xapy^l*>fP0S+4#PJr412O)ZZI$Po610j|%*durBB9VuHcMj{D6cR{r%H8wGp zhEt`Q<&Cn?zKzFc;)~*UCj8md9W`qOsz4*2dnr9~rwHiq%#3ZYnIdj+LL5%+x~!_L zo$IekTSc`s1)a;fYsLPWWfI`PC*iZznS!GE1*-puI6~-oEaH_tF?w{r)<@MWyEJ!j z59d0?-o#uUP+~53RbnlTzY{&B(eLBYS5>H4%jvE!w$F~KSRxi#KPy^-#&e^0q;(kM zQ&-!!HKRcI0L}OeH7m&=u*15KwknI zxu_SqvCl_2{%2R$pDgn%r(z%eIo6eFc`rKhXGCCn zY#aZis_K+=&xjDM*|`0G(&UzVjzn%+tY$5h$O6Py9W4(dBN|ug!GAzQl%+OWGqU4^ zv{uSgLYWr2FehDSGJ@)3_E7Sp- zNE8;OR^hcPh3(w5>b0iQE~*FRFM-I386GBp(R>Zldo>a)L6|lzOeSgB56q1071n>b z=)x)$OYMrU|6;c}QXBi|vM2^w2?8q7a*f^(qV|!JigZ#xc$M9Ng#kFkEW~k(trZ5x z{Z(y^=w3!h!q6FnExi8p{y6_H^vC(1=uhmty(%;;L5TY<1ev;r`vy~noYqc9O9FEY zAb-FJS%4hCrY%IiAVHM% zi6hD9E&(5V(Ok?#057!$b+!vu;}wk;80Ew}$!~#PfLP=(>(tO~Ry**c7T5*^p%&7p zaILYdNxl))&MFbLheV@I1XyCJ2olf3ZFH>&*#9^1T8)g0ow+>lewhe3hkIX)mI0xA zgbBZ62J+|QJs9z7Yts}g2w~lUWIK{8Axcp@W03CmthP3MI9Nm?`3UqF1P`PRa-AXA z3=#Y6NWK;{Ea4|XKV7sF3yA{D9IPItFR8=HAAhE*Lu5d$eUgM+zzNK_nzafyqE9SZ z5xaDUBmQ@2u1LW{Q?@BG8u>0TGqL{v)8+n)MBE^hHE%^f!0rPp(8to)hOkKqtcYCI z+PPt3ZB4a$V;_2j&b2e2wBnVd9I5mx7nliDnmRn?N=4IdLLjaH>>yc>K4__;N{SH> z=!xe*nztL$Jo=^QTA0dnYSN}+P*akw>AxDi1ol{kvnNwzk=P^_*^*x;K!9pSRzr#d zB0$htXb19Mf%^e{fzQNAopehqGM)K}kPDJitypXYW6r>egbX%m*u~Th^sOj3J!h%4 z=_cGViobx`aT_GIBT9kuf2~+wr1jxhYHc`0%*Jb7rW9ERk#XP~T-0ZSA(S}%%S1?rr7Ym=Km zTiGw{yOYgS;X)!m&{6D)b$0-{JoVOw_a(3aYsji4yn2C*5FKZdYS*u3&Ei#I7bgLa z!O&Zmz0tuOLw$gKxWRz>#8|3lPN_9I7yN;)_h`ii z<&VCLXE>U~(dw*6{?NvDZFl6AYSC9{UiGNB#|pGKPMAF-h+;&n1*dyPuqcV;4;d1~0GQi)dRZ`>hY>Fh z&%keFD(gB`;n@U)b+&K`uHjO8$a)a9#P;R&OjTzNmuYEArfIZzBk6>L6=+~_ldb8- zo=i@o+e^eJt;eF*NF6Io{g?q^SD!u*el-KUNvRrM zc@UL$thOvr?Sg|+WOO{&1<;In3)GgiTG1sbXO*3({BSG1()nepaB>yHtobq*#1dPm z^6&$Oyd zHy4~1zM*uPXf(+sFBGdL&#xN(6^-MSQg7v7TkGk_b*hCj*_3P`Qo3HoJgatDjVe|A zq4WS|7V){Jf{OPNKEhg)w#*a0UioyME^3yQC{!;|sEg5&+G1^ z_yquf#FGm=UN;EEWY9EGd0xD&M*Gz01vT26{5Pz4P!Z9G6{M!25o^qHr856i+Ngr8?jY@ANb$yhRc63R~&jF}sOa3>Y4!Ru2MbttZu(6_&i$&1w z_BwX;e)g}|UX1!2XtaF10790dW-uwd;iG7q4`;#@A>DXnR*)uNoCmU{G zw=P6R>*iSB6H#lyv7Vb_eT~r(@nB2OWUP#AG@I!ErV@vLZbVlzJhe7Q{KvQh4%);zyO{NIk5xqe#tv5Cw=(mIOl18EH2e@t$)s%* zVlt%y{WpJL=I%%SN}HIgYtK+;=DMKGq~UFG&&Jd)UKrd($;(rup|tYLNQ{Mg1g1Yq z6lI6lFwF~jS?$n;tYMHQp8oTa!8&GdYF01PkZg_S(2)N_>2ElJv9=lOrLQlL9%3Faz*|!C2x; zkmg4+1Kw0*;pdgJ@^93D$ zzA_Yl2zxpsU#p z#2Q#nuqcxdD!l|Ls|Z5|j6>m7-$W&=jY@J2-BrU+QA7*rY5`H2MLWl0keB89*rFET zoNChf@wNqEu5e12!(JDvogqF^vw|$j0WkGt;P8+V#-aiOHcQUkEZe5QK5{eE2}qpf z)~0NRHw&8q7B-RMDYru2B;SakBx_@(3#)aPK(z+=4o&Yxzq2_y5%l*3*(?;z5nMdh zWHUQjX@-U03AOD&?AJN54|8LmTcdf9L#`$U)%n@UYdd3SF2p+Bmi>-hCUBOXM}^<5 z-L8mzZo5+E*E#cC$}Dg1My1(ll?u*wEwahG@sc%7px#C8%}vf*bq@~2oL@q>{I~I7 zjHGuA5$6wWi(r5Z|5qgZ**9d&fHrFJj`(G5&AE4AcuIjC-AaYO&YXS7#ISeC8N#*8#hghnXr&q6CGg^?G6-WC|%wxTa#dlunAiiE7A3b%~DM;qrG%933{l27fOtqm1fq=xl?)N%rnfldqqJG@1#b932OT?O=!E zkoiV^<*{1o<2$Z!1K1!+Aqzt(FP5=Iome!w+nXp1l!wT?UZ@;+;(UHaP2V zLq&d=49Mko0%F<|F32#RPa3Wpw&ofDpR1-ST|44Mssf=Ac7@f}#;b*jJD!Rie$1X? zmI)2#(u^291vRx`eS9Z{ZHyJ;BfD#eoPE*p;Zhn_mWg|7tA(nT)gXZlaNYo#4IOl; zktHO0VT|N-Cm1@iH(d*%rZomBGf?t zr9GGy_+xT`*U>Se%K762%pcouaqQX%V6XqU!RWU=$|OF!-R+G2++Y9t;b-uL#JYIv{2t1 zEl=W?>rrPwO|8eU$?y(+&lbC^Mkm69hF9QdV-057dU5?|fD7*|L@fC3`qqo}lL-m4 zNr1BMU}Iygyq7}E708<=qIgD>VjXFMX|*l(gv%72kU{~pYy+y9oxGmeOe)a3`n3>C z$%#t(8?c_4WEiO=p#tnpJ7H=|WtzqCFccg^LJrYqFKgTO9fVlSI4#kB&+&${hNvNx z`<;UUZ2)9|NC4ik^Em`*)>uX943dbB5WIJ5@a`UfH-w&{@OByS9#_j=OP2oz1AGx7 z+iC!OmFF>Q<2Qk6ao0~#s|gsUKvQvLXm|#?Y~a}qgl91JVv4T9br6-{*GwfGtp_Zq zM~`>`=`}2D1GskXb>z_}Y#Zf|!iTB&&d%|>qTW=7MB zbbWS8@m&BN*YE-(Rea|`))V}72)Lyk+9C!Tq2+CVdhZ~-L2cyaZbin?uq(FmcXiF^C*l!lK5EiT;XRxJ4?(&?9 zge3*?l2VG-fEIJ7#TDU`gQ&W5pdQburaQ!OaX7!yo~%5>lEW0#;%IFd;uRPu!t}GL z0v>Zs+yzd7${fUdfyweETaPu}DXP!H^kT_Tz!urt+xkzMS!`1%9DNM!eX4$E2N zc~RZ#In{U%%|=UMz30BB zLP}U_o$smcYq(7`_KLSt%D=T2F9OX0U^SZ| z%*lP=s_Nph2Ln zK)wL^RO5@}XG{-u6@~eSEqN!;ACyo-anVSgmj1&pNGDnd^9ynJ`Kh$wza*@tF!yN# z%stAEM8TxyiVQwO%_I+s& zN`O#(WU>BB^<`i=lb0`;9tbn2%Kt!p>@^Igdku%yN303-;Myw<7*ZLDG_fXd;CZPN zmKsq*)Damar~#e7NY$ki*QU%)n-@5&P}2ZDF}{RguS*2jjB9whA)MvH8oE%}dxyn# zAlMl;e$*4+Uz80ZHEcdOUxs}TW|Ne@@&T1z;s=K$NHn&i7n8Xc)?SdNaflf}@F8p@ z(diJh(1nkrJVdbuT0)ixWFu>8c!3dkX~ZwVE9><1HB5^anl>W5L3OOVFK+!aG4&u@ zELwn_+)m^srO7Fp?1;8PJZIeA7Y~@>+g2^asFkY|MHHQALJ*#edD7sjUoal>=Q51h zf42yc3egF?JRL1lz%G?VFedaoB0{#<-aawwt+?wghyxHS;Mf&4F7kdn0s`(SwmRY~ zaTB+b^$_MmJL1TM74%CptxiretvXsx5b1}6f}Cq%7@DchwZga>vct{|8dqRB&0$my z$5W@NX6px3bCBoM7{8xI< z-bFR3QAdu}y?8Sy@`(7PjGg%(s2-EYk)|@DPVw0YYaNiGWn?cX0wEVf8-f5u79b31 zwGoCSlY440@6rb3Xvs&uIs|eJF`PP{A-8p!9ScBKz6N81LBHqGc$7u<$Yfyd)i5H? zIt|m@Nt%q0FcQyXvNT1nK}C+%TTl=N9V4>&TsFnaSkfAS;PW(z2$1yQ*>OBWkwIzU zOGr>ovU^rjJGYgf4B01~EP4-!hd=-d6|%N#LI#sluSQM>R6eN-q;*CYy0lgd7q=12 zl~%%ljgH!U1%3m$!=11or-#IPL4sDXf2(xk{SOr8iWU`Ue9Iu{5h^Qz(Eab3uc z{JC@)kca%BB+>g2N|HuK5jm3fE^QcW6H54VsM3VrEicpLB~M;v$;%A77;MsjF&sNn z)Ql?eSgul@3sN{tApM|_LYfaqv&2w9Kb>h2=*!_12W?D=TZb4;+Gfg|+2AgN-ypV~ zC~8U`#J1-Seq)eWqwjQs{z!d&78VlXw|KN^a1#rmwox)eVVLA;GMOPaOfs25QJNt- zOtM=hGx&!|CWkIcbCmNi$;7;n%=j@(GDR{V*-7&^Ofm(gA(=VrFv+szcA{J zk!ujN4S2(zLg8vv$p)P`Y4KrDehgcMHa{{xb7MWboCLJA{%En7hyYxK-OaU%`(hto z9vlduj7vZ<#Ar#mV8>R9p~O&MMZq9?uQ?SXkCNv>-&D{mCF_*vBcOO0HhkF0>6NvV zNuC`=dG|<)sjyY8ze$V%?5@(fGIS$|L9GUqdWIB&7wTQ6co2G`GYS^oJ*U(jMIeej zyc|A=VDdcR1^Uqq8*O+8h*~gtN_!&#jd(Xi{ObOdo2B3K<74c%oH=~p92%)Jg~HoW z8>WRkArw*$w25kw!f9xc;yB>-^GOI~U;*r8i{TB-dX8#UqQ|4<8Jt`Sdg-V zxuiufU4+AV=06OHSb#iE=FPpPeOBE=4OFk=LfuHUCxddA^R zo@AAH^Aj~dfxe6E%DQxhL41p*-0NDE>B7Yi+ zV_OYO&TNUDQ-tUU^7x>?cMq}6cEcqh#!f>IF^BiXW}BmP<}9>EXR&8!x>#z97n{kd z)T_Ju>jT2E$&Vnh_L4C&3RJg=cYCses3)35Gir=^{d8W+-GupUPdq~6(=n_af@8P1 z-!4WfW{iEVU0H2auHyb_hGQ65bUjDMZ`!`FFb8YzYH42EF?hB>QoF$+=OHK&0iob} z%EBDBbhMMmZ%R`~)yEOPI1MPbM22Di0?ZVaSie(ud|^G2F{R8_eQp~FiOvs0r0qe1 zh|EUZxTgBtZJ0}aXnaK+9p-I>28HfJL!Z$f(2-;o zy30Bso@3{oq@R2a+Z-G%)xGg`=1n65EuGOz`Ikd54TUi&Y@VhCwGU`erLKh_M;=x( z_EKyVq`Pzyqi+i+=tR)f1W5Lz|1=lc8Y3gToaLq7m2b42IC2k7Cwrq3pwf!60vT;-Q$Tt+<({bNsG?-ku z+YBGOJ*KW`81ai0s3xTH=;K@w#?>ih0_~X*OlevgV(_x;(a?mHa_{ppfo)5^k zpeW7cbGTNOgZF3)8}<}ArW84n>z5*~<>#``vtv!UChQdjXFr_W z-G^~dg!kPnj2jZGL7`I!>97MBuzs@s22h1WJpd^Ez|pEX0e7T)PGAN^W!irl9nrxX zwqgA|7#*>j?yG|3;T+Hh8J12QhRmipA~b^pzYfGcr>$lUYJe9{&FX>nvgY{R@S5{} zL{T*hBV30H2JH7n$G$}tTI$?G1cpj0)!ybYw8MVL8Kk0yHT#xSN2-4BS0QZiXU1rAkIX{>?9 z3tNJtju184Pdm41y=fgAZX(ildsg?SP0nAY zB`IWM@ciw^cxm$H6z4fwI`Cj1l7>g2{KMi-A|yJs|D~vekRjdz>cor8m<%1^%KD8g zNCPKOBllqqECR-b)U^mm(ML-5n&DCI=2V>Mxq8^OifYHF(aOQ&!|a1S>-+C%3OXZY z*zk$UN&AOyleqWp?B<5A~EWH zX7;d=N3C!bA#lhI{262#)a55~fzZOZmSZ6i37JQf163GNc=ZM1-q|Rwo`4dB-n;3B z^ueie8>MTw&2rMvf~YzYXv0fUXSf{#6NT)1^GLuT4+`oi{en8+<;Uz?(b$HC4^+?_ z0`Vcqcno|f>d5eNG#FBvK*o6COs3(JGQkF1>1-SXCP&MBa7Xoccm)-dr8qyBk>*Ss zlK)znf7Ouuux1ROzX$pr>R&x1KXzygpZ{kvfBlgBc~{CWWd4RB`Da`y|1z1M$V=*Y zr(G$3KIiA@tb!j!co(Qgn%Z)WRn&Xj3yW)K3nV@+;T zBumzDWRaFMi<02|%rlali?yT@PLlb9LG5Kws~oXPtCtFIDYB&Q?f zZ7)eM7PXu@gruhOE*;6UL5^yF0a*+mjSq}ID$g3Fj(Du@yA|n~bhQ1>z;Z0Sd zdhSRB&$hgH&|Z&Bv}iBERMiy3R=(bAiZ2vz6;fv zO1z(3Mf255dDW}~oE3*c$SMZpfl&ArYLS#SW}dP~jutY*hfOfrhj&P(v7GwbOJX}@ zY_bS%0WQdW&Cxk9`9g80lQ6`YN@yDKVo)Kg}jz*}0 z$Rp@_yvj*1wI%5_-5+VC~TLnk_2+7!U@@w zk%zDdD!_F_l7T>xf)tC;&1pzMuK7Xe!&Dbg-#eK2Vg_^>>;O#wkjRk1){}E8l`%;j z7wZxBTG17v=#Y9{tBq)zVe_(OElU{Yh!N#2mf?1o;$SGDxg}idjQmC{aw`FHi>6D$ zVv(eWk}aiEl|_;!N#-?7@(iX)l8p_MJWD1svrA9**<=7m^oB6WS@Mi2B`^)li(yfl z5l61zTrgy0I~_O5AT%sxOElZFAyRu{rS$$ch*~{F<~&iZ&-DvWk;E<9MTsqvb6qc<~yY=eHg`Vg28{N`f18KOpl|56f3Tt%#g!X|0~di-CF^`FJHY)ESjOL zo6+Oh{VJF1v0%UbmmPYESTsvnN0UDc#`*ffTOkgHXOK*|+QwW#c)heF5#D=&;W3>E znXgxYoe;zzMR_02gvYV672%!Qa!4}bTH+8?@@X$0dT zQc^IHDXILC{1OH`zZP`rjC@_(JA*Y?RL_Sw&q?4&h z*>%>sjJk~Q8S1IFO$7Q70tm?xpEV855MNC3@S{KF6yVLVVc}jXM`S+2IZ4X$lla8$ zP*`*NVeGkPC%Z&%8s3?mN|A`y5D%tnL8r6`Yw`l>`Pz`G3@Dqtu zAPIB~$7(i)&@mkQ`52B&xC`U6+Grn&LzmPdBX}&Jj3taT))eg0U03_AeP9^^113FvL?rY`Da|8?t& zMAA5n%kzn&RnQafC;>7*B=;15wZ|6U&N|i>a^4Q?F20@i!@?YnwK9Xa#z_)oPH!km zvuR;B^;DufK3f2;If_l!wlQhPC2AHQ!;7f<)1iLCsus0fX-l=fObm*_@N#MJLd1Qa z+*5M_`)Y6w!Zbuzq=5|@m7`@ku?@H`(MdqAPlw!j0DTbf*yVuJJCl}QNa!60ytIR9 zTIGpmkhMvm|c?su-CD_0$Z;T7t6*~15_Xlq1S+#|J^&X z3GV#_`YY_omY}}^e%h{xpX99ia`?IJ=MutQDG;VzLJ(0nZ~;;^dt+Z9jD>4!9_e2z zC4E?K(1+pnZ(lGlmhkmU?%$?Ou>Y0)+ZrAd1`cd+*N+A;@R;FgOIz#u(T)4l-kf)4;lnBKQL?+N6qu@UG=}aL^~$ z4xGp{->$e`^COiG!8=E>6YSPP`{k+74KE)KQ)&I`bpNlrQt5tL`Q|H?zf*3_2CQHb zmYcIv$2wAD^n|&;Ox}q`(t#!UlXfN>G*EN$gX5&Br|bci^JhpTd<<*L)kNi_VDcbO z2y=!*SSMI{{Y>8^i{~BK!PGqxys3qF6*$TOiP87I{da7_9{nR)*7ZNY)LeP{H3%Iu zb|pvdyC;yFN1qcGO*JQ)HF$MOBPMT1j+k%uaLi!AqP+o%@22wWGekQ z=L5pymK1Q$;zr0uS40+@K8S$YskhMbtuWCb%!>NXoBB5G1s1Limi&Y#JCl})v?cM|+Qg&|gIvu>n+n|&BtTX=Gb-9S= zd^ z`;2iu2ycX5xf~~P!)&e`CvZe zX3QJYXDiK&iJHldc~e@}VeFWwylarGuj6p))fhhnR@w}HAy{Xrv#<|aAFhNY1^wph ztTfHqRWCz9({YFEAAY`ihg&z1tbzGDa-NybAliib%2PxSB66LPOekXjIvk^Sx`2an zI}4xsPVut;1PM_3l;|{gdb5q*&;d=l&l5RD5$$lxs!~|WXU~Bq-NY34ybbvRL%HlNCT>jlvA?(6^*oz-=5|&83 z0n~sl(_pxE)xp5dY3lK1qE~W2`J81#PU9W&-W<*zs1)U|3Y%;^Ayjorad{Gz6{Ud* zG;ajicN6X8&Pp@bu6d3Jn;?1IwyX=S*V*b=5n~) z(cRQo{!z<`P3HJKb9>2X74QFu-i@M>gw*3bBT*@JUG(B+HEw`Fu$Rdrq;(*6*j8sa z2g0ogo-imO48J`2AuN_8^I{5ia_MXkUZlr;&LBA>u&2Y8gqa{clU_Nl_zZ|S!y>w{ ztBnO4<@Wj-_ZH*X}oquC8<0?F%j9 zt*&#n_Jt#GO*-4FtX=1v?S4r3UB5+YW_#60gRY^z*!f(g5*xqIz<9j*G{8sE(B(F9 zHO_gkoD%D;qIY5+j1rFRN5*#jeqz_J$KuGhf{UXn`^WUotnM%POq6Gfq8x++c9GjT_0sZ5F2y6pt7%EzojvW9r#L7j)G>6E00;lA16k8!THMi9oyd? z-}PHZ*N5ZBbdNb&uwRs&DLBC&$QYAQ%5AZ4pEoP$PLa#enh&sRns^Gd4;`YDhUp0V zyWy$ccrm(i?dm&Me*4k2N`X>r#gJ0Du}=nAF6rogq~puC?vv}WZa zcdq>A`c=w&r-IEBI38z_?ar^QSQ$}@b2fgmc4cIJyf{~xpIxgI=ZWr`M6nELDQ45Z z9+=PY$9cyH;OerR!j4v@vM*kmhtpf|<(QD?_}XmGCu?(n#qF75rXPvQOwaK(Js^27 z{yfP6R0u48EZ4EC=;jv@7<39ZH#xTd$@XH`$F?!2#`NL&#v#w{Az>aIh+b!EY+gyR~~-u47NH*uN0Nu{<%O>*MU$<;-<8s{5yX>u^lvuHu_s>^cKv z!rhIyv+<}(Jxba8 zSfEPTSp`Q9m-WWW-c0!RQDVY(Kwd~&#M2RZc~@S@foV!+)4Y)1n9gGaQNvv;c@xU| z3jU=gX>AyYW@h>lJKMMMd4Y_yV^x zj^{*)+ZkQ)*xCx*WIq&sID%`=%5OZf64%^sZ+PfixVj%&`^|6Tn)lGxHqi65CssAB z!F9$X4}a?kR91-l60~K)wUn;O_W^6!;@Y z`#Zq-4{c*UA9H}-MTdD88Rp&EVcxA7=G|k%yjwlwo#&J2t#caO_Nco!_9w67Njkrc zPaGwbf7;!Q0Tmod{?&IR!13m3dPAQ?!s`a@bt-loIz&9N;8=1c1Sv3I<|m|2wpaGo znSw}IAQMvMf5`V5hsVJ)1**>GHJ<8)j3l`{w8byt@;8Gwj<2&-X-r=9o+B|Sg~j6y z>1YOn2V0gkf-7eYX7R}S9I~b{csi&j)=9?=rZV^k2Qm1?U&P?I{1^Fqfr=={o5MlK z1`sm|9O%5W&I*l0JyK|nj-b8&h}q3@A!!*2Tm)(Tim8(Hn`D2S9E3c?-9Q3$bqwdd zg;$_*dAMVk#R8JJgKyO1E%^^^_l$k3C-2pZpZ-1ucz-D!F?*N+lly?WK<4V?Y=5-bODJ zV5C`2)K;*6_fBMc_z1FX0J0>DaKpn*#YnO7eLw{DPLTG8xJ`c(y&yLBA}vKYGWvt_ zhGV~=L{oGj^{q$1nX8hZAk9wfjWd4CC%yX;7g)ZeO|PdCZP|cD@Mk7xqK%;Ppu>ziC+-MDi8ec3_|B!>Vd>u)Do~p} zrpU-ZbKw+I6bIMZ1M-+`W~Y&Hp^9MgjTjg@pR1-Ys@Epk!deyaHUjE?@4U?TW&(M_ zl>2)$>$Q6MGV9C-W~WlR00(FKDO4NhgcNkjPdjR#aMVtWNcd-S-~2qe3BOl9mB@>n zc>e*Z@GqB756a65c?rwQDtTE=7v*t$$4{bfTQj}DzeHP$yulqK62CKW zNk7&jPv%`}z;U^8S7_XMjXT|lI zH~;4G?=<}GZ<~c*v(h%3U#;Tb2>&+oZ!bEawDt4v1^#`X-=D$nH!zv}a9(D`uf(@O z90i;WhT5rBhX3-ZdSr~>Zw1F6ub7qB=@Ai^A8X%Fl>8Y8sZ?Gd(-YxZY!9_+as8%Fkdlms!3ADey9~>7 zjJk{9#w0Voc`HgJKX1VJH+RtOA8@PgN*YBgIl2o>hhEXYWHqT$n^z!nyvm;Z!z1_* zt(j$xJGAfa(OwPlIhgAGqK#%H)@P1=r-1P29*K&j$8BLWK)-}@pERD35zV7cOZR|FnZd`IvhD#dq51j35%fC#KoeEURT zwc_g(fqKRFrU*1Bz7FwJGdd)`N8_LRmL|$5zMbMJT5yVQhj^-;Z(bEo(Q;FKuZX9X zBD3P#j$Qx0tuRC=zLz#VMQGmcQ$--6_+AiCF~<6~h^GjeGLur- z9uL{eVbWK8&qW-Yo;u0JIrO3@qt2B4jJH~nu@4xUi$pq6&_7G~dKLd{;XAMR3xzMK z_`Sk+R`Hhz-xrw?koSBYdwy7(%aw?-iwu1}}Wul{Ol@@NHExJ-(MB zFlZ?VUi7_yo%9yPAKBzn+j+%r@?CCkqah35b4pt;m)WAU5mlhIC#7P0n=);o6em!-q8`UqPC{qCB8tneY zd+`Ld>33Do;6}5>^ZS{J5}~Y89Iy%hla1= z%`eU{msBHo(#k|X_E+0K@ zB&Abea-gNsUlf%pL#on-E?AU#1Lv8;ZI;<_3wqftHtO_r9MRKJ?a!V=V+gwLpwFS} zS{%w>JCM^!Imf_G{N2v>jkLh%`>u9jR>sdMvPLaR`9MP&LNjJYCV@vzk}!$kM4Zri zBFNE9gj67KQekO{rUJB?+B&#Q(!uTFgi zenhNFd8AvJ7a{yW|LTo&**-=8D&-Bz#y$XHP#2ItQ+c+TVM8b+pNSpHD&#XUhSX=` z55{xO0KSeVe6=gj66I$E1G*VqVGKomPThh5G$OY$d>x&5r$G}?yp5nZ2~Z3Sz)+81*Dy;%J~9*Gv{SApH(j`o)bnIs-2GaM~`032)9(Q+$pL{qLv;2f>|F3%Ci zW(U2g$rfGt-IgN|s_Iwd*Vsfi1gm?=2G?ZkU{jp0-*NdOmNws#V=^v38l9 zLo`mLfChterq01aK}V*`kjn@@vzi^ZdK4U1c@UpXzLei&+o*D(cR6vlT>wNY+@s!{*7E+cYkM5hI_hNlHzh{fH_duZ{bV{sZk8!zFfWQdJaLYbQ?l(Fnb zOjIx&i9b&i&(Z{fYh#m-JHIH;vX|no41Ri**y!fYN5%?;bAqSmcS%+%`T1>PBPVo5 zrpDG|rO{XZM&uXS&sLj~}`w^?1-`t$$;M3+yC>~c5MVCb{|fJ9UpBACA@ z!oEXNp9~6}USH(C*!rLe2jOj;CZS9pnGnyO#ayd1k}oZ0Wwcv;jpjf+OT0sUjR2M0 zs3i?79^ADaY#JN8bPJBTvc`kC2vr#(@N}3;hQ_Zz7E73DiNGu=FE)@GO)TqJ4Yx|l zASJyNU1TxYu?pQFJLtv88lry--No_3tLHRXvE{1@WF*gWJiiM@E6_WtLKl=tma=Zi9l4Y&sD3;z@mbzKrKH-^y>^- z#&7SF*@&P*+{*>0P13W_UKLJp?L7$0j|dD7~KJ}MuYcajNk(KsNMi#=Zg%) z1RHiyqbXFC#A+a5(&j%==7QG?r_-Bh9oBYCMG{`?6m&u@k8|KnbPNEd%qG`Eb$5px zsy95HGNr`r$}cW~oz8BdOYsc0^4Qx;+!J8xnj-v#B$6*j zi8?dtpHz+|NQh@Y_YmHpdRKl0?0$C9;GTvW76--g_@ZEP^Eb8W!`ICzUtqZ>ur%tV zq=}D`70uD|qI{1Hy0DX~FqoFOXH#1nsVyK2eXRK7uSq!C(9dbj9fT?-QTm`#x;#?W z-0>tmMoX|}7Ylzql$=Q+HR3Mh9-==OvHjf7MxrB4L6f896xKMBU8HNkMx2~qhPoQu zx#zx%EM)NgBd*OGZa~%#_%0WQ_yiTl3HXlI*Z9tAij*|(VU-<=jT_wtH}c(s+6*8o zcFEHKZu$zrfnsG_w~gZVvd`sFO--xO&euU^#NqvcTyyfzL3k+wxvT(fKn8VPHY|SX zIu}mvj|l&2f;l#~I9etnQMBy5pd(;7JJ)b8}>s*pLUVkblXdhDh5aCQ6&zze+=<=p*|* z7+TOxwOIBl*jEnhrxvNT+#n$YZl(=sa0Z~6*5I0Flt4Bl}3gZrtdEw*PnKxq=sZ^Z>) z3VNO%d#-_GG)asWZS0g2;UEaN-y(45ecNpwiJW*o77r=^h zLll2iNV)cxxUV&b+zcF)(TM+kFqw2T9_N7$k#V8a=W?<61lmRzBq zQFQ@3V1Q4{&0*wqwEUV97~ipyX45Jn+?R%P z1s`#MZ;6(fm|qgNmIi5n05#K08^GsiRjIy3)>zU?%_2Q_&2@Y}fG~S9qSSqRsJb5EPDqB>g#ZhYUJ*wEkFobvZI+Q&Gk}bCK&M?Ufp_Zz{6f zGuPs1Rq#sPOk;~R%{E0I)dUnwTcipwT#R$IH#sef>;Ttz%^%=xA78Y|iGvv~Ht!(= zE#{HJS~SM=&zv5n?JhB>zSP6UkN8x&xCk z2mDnYwW~!P{KN#ogr!wcRS2Fxn`jw*ZKwH(QgE5=xWgGb!aohj;YQ_dqF_1l+k#9n z%kUKdU=b)LeODDnZZB}>=D&sGUoq4r?h+zTfW_}{R%}d#k>V^J8oK~}1m>E*xaI}G zs2v4eA881Ij+P2cIT>JDN6}%HknkuE1UwC{9a*SSzbC<3zqhB{ zXQ$kc8MueVLk4wp01xznm|T+6F%4D8=kMg{)u&KWmg@-zF(vw20ylV^V(tJL)NAP& zH*nwFn2ovq2fPqv5XxA{icA^~A@#Mz42XP?-<5DhIW&<+;B}#^l6ujX_J9-yB&eC_ z{aU`wq_W6-k-Iv^4s-_TE@fl~=$_tHE;m6}0mz<2ZxBGp(sU}QK~nWX9TY{UL4Yeb z3Iqo^sUXCTLO{}xnz(Txn1nM0rx#9(fgJ;az$XC1SdKl@p#dT4VF;pK%k&2O(VV(0 zx1pF3igGhlV4$4Rf#s)nNE==6@VB1dZgQ^0pB;Zc$KQ|e_agot zdP)9;U&c8t`1}6fn4IH(U~;x?Gdcerf6xE5$r-@)BfL9<{HDK^ao+NK*U*qX6_Ot; z3X6XQHMEONP{VbghC~UUBDxn}XcaRN!tpmu1jit>5JV7~?jhJP4GkRn!;tg8Y3=ID zMCDGxtg`ly^tC}mouQPq;9CaDPa8<+Jb{z75%lNl0E`eUPGrZFTpwa6D!wgHyKts& zvnXqUmrhJb{@k11I9*? z3%;Ed&;|1#%=n;DO%FiWi*-Rkq@=D7t>v0{#d06?XNAic>ytv) zllS9@b3#*51}}d*%Aua|Fl37AofV=O4WV}Ie68Loo~P7;gG%MAO4-&qWzRV_e}WfE z+0$DD7Zimy7M*ly31j&>#zIz9`h;$~ur$}JSi5Z~CCWNP<*WO>_?D7|zrgskWiwT; zlc}#1jFhrhA3$ zlGkG}#J4c65x7OA7S*>MfX#>{GK6odD0>=kf+e8?kuI1kkMFt0BFyHwQmVdkr{{Ur zmBEm<%2~7=6xIU@TLwEIvNIK6M7e&xL==3+(}KAJdMbOGX(~%?Sc+~j3P3bP5PAm# zdhQ(ilaWz4zl!H)0-{lnv1c@5;BdtnQgL8K^(#%^pzqJ_!1p{ctMgoz1NgA!?B)%s z3Fl*$+my;sV&JY^EWY6zdxT#@~`Rte8p6-?^KJ_+ZfluxPH3#eysd z^g)|FBSqOxC_(oL-%GKBs#3NSN6ukSblmRk`Y@wstR|Ui``@`peBOnG)l9P!`>i?J zgYpH(@LklM%4UKTB%{r@fGr@_XbUh^6h0fbKdZnMr>dATh}I{FlW%^XvLcoM-^oR9 zPxfSrmwWN5;21XK(8e&aH{t7~&0!lqrCnYL-yzxprc|E9={%J!yg_W^C$v`#5noE# zzPRuGI@88K(mpV3%b|^8q4;8K?0Q!mM(|j|$F{_Tub1W*fH5UMDc4pVm^+DYUa}vw zjH25hzK6JjaOwNh)48sK)2*FN3&iGE(LXWQxyfp2_kG{9nY6;_BrOi_2O!>La5(_^ zSXAzi>#=xK+4tL_vde-lS%c?f!y95TY>scj`+AV~+u#Ezh4(}+6?D!X85!wqE}V_n zSI~cCN#2hfvK(v(TeLz+rzI!?-H9?wr`kigB~?9 znw5V^z}yCl20#Wys^}i8Bk~7&@q2~CXPCG@lyEg*wo6c^N#5gHC#B%h7r+O=IS~8ycC&b%$Ja{jDLmG=eHjR#;uMVaN>01H5!G9jilpGF^i z%>c)CH(|PlSUr=3uSL8-K2|zYkVvGUT;S1VEweZO4)5WYvIr;W=$K8`(WHO&Aqmon z@*V8Da4B=0NQQIErreM3hi{M{3F8~LRKE5&XNC_%1{L>I=;1Bo|n^Nxh9lo2h$?}@H-RIbJRAkQnwj=5Qb@bJA zoZnGZ``!n(tP=m=vB@2*0uCI!W11}({Zz2rsZNZ zJ#D7zGn|o(I}Wz|E;?{UOm&k6TzaZ}+UrZo;RiobiR(0CPOz`USamNEa(z|KpfOj)mPlc_u#+m{QxErmHIQY^}n6hf_AVq`7Y zW0+dcd8(&RnqYjrx`{=rC)yzzlRY=1lKcbsNFGcxYq?I;71)bUy)gZXHGQI~%@oS&MZnO?xRhpZej&IJzobhy(;fxTQq?&BPh5-*u`*bZJT@&lPj===+=>~jx%M9U^y}|pN zpF|JMu|4Nei#eL9@Xee(M9>{AA5!nj`a#bhmM-^l;6pC(0c>th2TDj@V1XSM`uu0? z7y-v~w1g>bz)a8xor5Iga`_sB5jFy`fj_xNG*q`hIfbPpKpuGxNbNpp)#h1*V zTY@&;PX3j2zEB&OO8PvzrsRIs9Fw$xyw=l;Cye)c@zYL(nE5w=9WPpHlBBa zDjG*Z^fR%*k+==SmCm5T5Tdi^y@sNWv=6<{&1%c{Rv^s~hi^Przl#K-8m0F$w z`i%G<9I?x*9-zSoBZrO4*+a&mIB&nCPzij|1C~}0>Xg`=E#Px_F<*>Chy%=6PDt71 z@Sk$D-)c~CWjRGu07^PDSmJg&p6hb#`UIp~Ou(VjF8BxXf}x7!S=bk1`|>n?IY3Y} ze)1oqQ7L^q&pYL#0W>A)0{JAO_WjK<3=h&Ta;J$M;G zKKXK>Z*+(LVI!Cwgo|M*-h({pTrAN&R1SqhVKT;0z`PKf;m{P=A0D9ngNWXVG*S%G zwVrpPIU1ZG03!ftKwyaVO^yW6gse+eF5X)l0?`6+2Uok{AAmbg=oPI&Md%(@Cu9$e zoyeM*!H_gkUQuuiYpWO*2bj`<;jJ490Ghl(i_nlaxU&8r#%0q)-y;N@JP8|Z?kKeC zUW!bbhK}T*ak?K43qcU_S-0A0Mi~Nvj^r zo&-6MlL0>b*tvt~AJYduQVGi%8U}@>#c0G>Iv@qEkX+I~#%K_(uGeo2W7!MiUZyR$w5SF?w8_gIEm(=J{zzi{mTupcmB?p#_yQ z2gP#8&x_y~7usI`Pw8@QS6BIIo6GXU>7{e zg57Lf$h+%veRi5UALmW&<&X=Rs=Fx4AYN*YUAout)LQsPRd@VB6e&1H13e6~m7R3* z(ILEKS|FbZjy(g-bDrBnBX3$_qO;aq=#opC_qf#G7x9E(g1}ChCM#B=trWlXFVR+_-JN?DUb#&R+z!f?^7=b?E&NNUvfU8$>&)sd zDy;6Jg6b}6ND~quanlq1)B4ijMOjprqWb(T;0M(QFm|*k1j{l44u#ACH7%q9$uK#L z6Ni|cs{>cyaKCfMa98IJFU2W8@$a>ujs0!3MUKKceT57JrL7PzsG}dCqx+xQh*UEJ z?g>;%u}w}iLrfw^6whYakEO8xkG*$+kE*&FzUP)?2m>=}gdkD5sc2A9tOAKjfF!6~ zfopG$9 zMG2RZ@4xmw=ggTQAbq~~d4KQk`+d>PIkV5ctiATyYp=cb+G~HG)WD-*#t;t+9di70@& zf=z({b#0M0@S~d@aRF*tT^>Z6l{K5tNz*5YNMg-bV1x4xF{!mkWro5`OX&RF<=Jw}>1jMpB!uF&h)xqKGBZC%Q$UUf(O6_@N-$ zLbno(fnSt~+Q9DXyybKpJ@$>UfuVFj7A{tSgXl_)$U`h*DRE_UB*Zf7tIHc3(`?H{K6Owa2C*|{4{rG#c&hJ7+AdLctbh~Fl(kKv`UEi#5&!6sp>={cyP?a$9TKmSqvP(X)^9y=ga1Ro3V zh;A@&q{sjhdiO-V_WH3Z;8%R=a9wC_&8VSmrnmN1_Ds;}mpanBtn_N9KyA3_ z_UZisWdbCI9@xosaNIr8P^aqUDg9%TacTOO2vjD5q$}}^5M=Dv zV(E+7Fk}jo5T;coOv^^npM}@TQYhGbnP7a{LbyTwbohapM5C9PZ=^;s7)~u3Vr6Rj zHg(u^(uVC!7PG(Q*NHHzF>2vA^)u)~R<)BTO`~2X=o!C#QY*~#rFME*r0PvFZRq%^ zm_1)G3)x}JCfGeWZcPH%J%({GgPoupH1Cwz4+K9aTzFS@UbviN*~a=x3dh!>b|st) zIbt}X;ul1*teCGcEnGfrWqcBDE5mV;Xcio7Mb2 z*z^acT6?BR??t0zbD!s#A?;bXQ~faK&c|d*)^=q~MON1_LFq2jGZaH8r|0Ok^dUTW z*yV?_l zSx*K#$_52{uz3n8P56V&k*3?|*p zSEfx!mNrxP6;pOx<&wT=0SQi~kUsAKK%Pvzoj{J*7FBDoX*E^K&{b9D3AJx)W+1f; zCXdOIFQ$4eW(SB=>wUBS_0lH2mP!AR`{2z=RJVLpT8<|61XZofR<#L;%&N9lSXKQ< zz?`Y9M@!Q7iw z4JAoSWHHtRk#G5^yE|Qlf>5>&R1?pTAty&@gk2Od6)`AyAC{Dv3WI3T&IamIXX{-= zu-beX2pq$jt9c29X-(8dHfhYs!&v(~ts1k|$G=NgLI5{QA(ZQ=E?VhsK#wm#P!yGquq)qAdOP#ulKGOn%n6^nazwD{ zC*;QJVdChP2dF4qnFHX&)}zV59|eN)?HayVWve&bALuC3uHaj3$F>h*-ROi3Xd2R@ zc~qd8t6IIxii}CL+)MV>mMH(4b8@hGnD8y=w@4GEKb=as`{`@fN#_6JGO0LasFS7`wIt1gOVAEbc3M12tjSD-gD479( zqOl4V=W>n1kG(t*6j+pWR9b+Ul0OP$!W_$Y>%rFkmIwL#icX(Lkf7t@lRZAQPk-xJ)dxZ? z4@x^i6f(k0Gt=!KwIks>O_@BozxI%`1;2)@(}Sf2&t}e0N~%mi`CiWyJSI)GyJ?N^ z${$3D>ee`NV#){GQt(=g0TZlmg6#OrR$uH1;b07lzq2k8)2w^>r9Gt4oDs&oLLJFK z)VNmwOZr-2zp@XFr8GNi!KN3aVh-MkPTq*B#J*_K7Xx)8l9+9QK~4gUkW+di>Sm<= z3^E0QVg#kushSpM97hW+4^SP%DYeR9dJ6CfSvyrGKV->iG80V0UFn0Fp7JaIkB5dvw1cnL|dhAmN9SUwAFYI64$dDFToeB#*6ZnzlMAIe7pN@qjQb*A|k~n z*}6Mx-2q!g?6Gxs;W;KB4G*{0k>}~<<2l*6DsuW})E5@0T4{%9W9|oH1O?g{;&LA7 z3A)-gmfDQQ+sYL?5@4(5NLi#fIpKY?(Tc}d?~tgK)|gW2JXJH)@um9RzWdz&j%|CB2< z{%Kd}Nxq-Qw}*DPLgB5h(7>JCQ9yWu`1kn!@}FFx&+o!f0MD6EVoyW(5#eD%8{uif zUcx(s{e-jssKa62FCu)O-x9WT=ZcMB#NC#T}2+j$%{1EJGd$F!p)CSA*Je1|kHF^VZ`fLQkKBAv`(vKz9w>OYM z#a)ONAro{&j20z?NUq^}+4oUKSjHi}`6&*VZWBYSC3+h)ImOQoLCAzoZ%y?8-r8Fr z_63`fN5qkV>ByA*GC6SUgyjxhwYB@%%l3UBfT)c&_E9N71EV+&<(a#!;eq*%5yBK8 zqAY2IMU56yzIof`gP9$KM+iS9e4DTrOs5H32$T8k^4ouIKXhvU@)!6E{Y6&yX?s9z z4~5rD(}|>Mq`)aqO z17`@v4SwU>?-1qP9=&HU$0ZJMDFQxA!s3UXo$oI8pgs6#(TRw=O-y#U2bwKF*yMp! z?{{RV56@gJ!cHj(u`={=qM-R!dPMn}RojENxy1HImomMMm(lPg2qv&avX>~way8hQ zjH&Jlv&i4aS8rrMIpAOm({4JwTKJmyMUzc!nv5cW_KP5EC@iQ(kK`vFt=jD^N!jmw zPo4joZ9FcCF+Ay&tnIHiEsdBoJt=ocVxL+c@YehAHszhlae|}KRiI;*pd&nD#&kS5 zut36n!BZT=R~UH8_=aS*@ZiO^Q}EF5HWwSf{^>UwvqQ#Hb*b|IQVm3uY2Hq9vx%j# z$8{5fUyqH92RqxQMPMP*LMY zVA+-Ovxs5Y)=N#P^FJ#FmC7ngp^2aN;NV5|Zy7h_7+dkU!wG-m79deqz#I_9fx9u7 z#yD9kxA}k~)>R&C`MSuIsJyVxV8eLwTZ*3z=YgS(q#mJVcG(JR{SVSc@s1WLiyaz- zP8Gk&TLB(FXM7laJ%@_roNIE{d#TGXr^MM^b&9@TACM}h1~ybo_2WHdSL%v#X;XL< zafyjnzgNql586C6P|=ubcs2bxFpG^U4yq)qz9)EVPPDpyPa z{3HYD1p*te2Pt5sDuA6;5h!W`i7DM2k)fF3Jrt8P1l-h5hbRo2g5+4q7<-Zr`g28< zKXOKDuvu)GFbb6o>+=o}!I6q8wU6YHe6#i&PsuLGM+jtwv0duijZGUx#|*N`uIx2%2D zD7$+QLVhpeVt0$5leb7^T(4GfkICzJzqh?({2;ex0@#pL`{9&NrEZsnJnKD3Db+D< z5UQA9b5t@k9#GecL@XN1p~$rnwf^s_P<9v?Gd@0unw=KLrk58i5y6Ssu3+;-esF-| z$7xYHLK}Jcne1#?s@)W@j!zYGq<$=5xD<<32hB*Aof1wsCv5UJQZ{#AB*~G7Fsu zE~oX7(Y^0YSLo6=T%lf!(lqbIypJW^MOgnjG8}O(nMu_|>SGcu%1)`rzggzYihqc` zoUo8iR#*V!syDXI)_f$nWRV!57)A-*(HWC}`QH`0MiejsJ`IZuWPr@RKryU9&PXKz z-l@cLP7KJV3tvGOU~!>A!Ip`zhz;y@% z^1&RhN#g;Mrnq&%zswN6BS02IUKK#hh)f^REfd9mrdwFYJ6XoCZ-z1Xz19C^8 zGBmwZtSE5&AiP1m)KsZTnm>|kveagAA}Hi2#_W{$91C&H-;xsPOVxdG)z=nLN+&9Q zE6B$)WlcbF^IOkTEOn=1sm1WZ%uKo`V9p(y>$Uc#IXK=JgyW5VkPTAw?x0m6%vLC_61+lG*SI=nSC<2q9yr<^ORswD!M*Z%}jIz{griwJ5hS(!^rE zXzp_SH(93T#vWI)LX!;p+;n+;B&mR^EH_clg$a+!O-E)7Ve`8ow}lE0;T|VSS1iLt za~V4=W^}4lB^rqhpFA1yvbOYbbG=(ZPAkw_5vI9tOW9&sVVh8!I{Ip{rf{SceqbSGy8IGOMDttACTd>Mxr@4riMPkCNh6q zF$AM(qPMMlzfmyc*ZHX=z20t^@T@}{= zL{7aaSn;5kx)@mJ+ZE2o8)}|GsMVjZU=FEVeylbRbDfq{2k}9)X$;9qO=Nx|m?Kz$ z%~t2LtaDZB@(G9_S?#w^R{7;b)KT+f6=&q?tix5940DsnAXVMuG#Ca_{Gd5nt1*;Y$&FN9|~Sb`{>IN-9PNo4yIEt2l>W zv9n=6--EGLNXWgSt9!XP3c3p4mZ34Q${VmA2a1x;nvf_LZd<6%> za%1XT&g6=?K36^;iTv4_YMxF7GUq1iD;X-c`9*?VzL4apaag&jxgb2!n7VL`pW_Tu z=fvX)%V60jwzLHi-+`I$H`r)-m27%eBB`9Up z-V#>tvYRoR1Y^eFgKX+TV>d0b2&`rDp6FqGV-P9YEIkU99_+6 z+d0wI-a8|+qN_P;J1sG-Kn})64~>mX;99={!ob!FLjpg>){gPLIN7FIc5NY$`0K!Q z>K*ii>d2`-Kh>yL>9#(VW5Z`ACRPY`BmWQvWm)BjtB9`VS66*Ty6ifa^!FKp#&58^ z5Hzl#Vp$u}?Y^<&N!!ZZQ*+00T}#Dt4SP)FDGIq+MhL-rXJ^fNwYy)hZ*fa%e0ce@vyC4J@!~f-_W1o8yZN=cy%gh$Yxf8-DayF1B<#L{+a6zCH8JlPwyZ#Am3?1F2uA zJYjewN2)|x?r;T6Tebm7<$zEwG^^C#HkdYZrx`m_OLWHX=tK$c1l?-OeFM34p2$-< z^#;j$rG~TVCRwIwySaH?C+ZNCa^vvsbs+5H{-gt%UfWh(pW`pVa$@mk<}jh!Zkd{( zTJq}tk)GjFWYe{Tj)a&iW*wk&s`vlat?am?_pr)sY9%x1VtY~0k!MwTk6FX_rG`9w z4HQgG)Ul@jg1p>Uo4FT|`y?3Kp+V{vX;#&-Kvju(T$I}|SEMYFmtvA5RH6J*VDrIwAZ~MsGY!ZQFXj42jES{h z4n0^BGu+90kPHLiTJ681ot~)7!{WhG4bU)^SvpBgNhabaxy_>bQ%qz_-tc|g%$u?q z0UM9AAU;=eZJ3gDJ1{MgMsc^*FSm$(FFo&$?E{YGaSEi>?U&pvXZlO8%1Z}Hq z9MPU$1+p^|_%1q{{wFlFV7}?`+V+91g>(Kz;%w3(&yx!6T=GC9#!aa@z(|#sn3;hN9i{Mt-AB4B>LOW+wi2>t`xwyZbw9 zG%eRGlzKa@yD}9K$5!2rPl!d4f_VMynG!4a?UMU;ottZEJ8Kr{oGbMstRIWz(Y;B! zqf-fdDtfI58uHh%_5pdY&BM)Kn;zt~bFJz+D-x#AxmM!kuXF9g`h~Y&*>4-oH#U$S zGG96P5#`lQ`S(hcJ+&wvVbL3F%+^`m@y0G=MTt>cCYrpmwIVP619~frbtrn12?D?J z9~g~Yqdpn4!oR%#2BXNB2EE}I2dHc4jEWWhrSHn3`YLt%+Ne*68}rCIDqcR6^7K`P z#@94`IkKrFOZOQq>dPaF3g!AXUBHU6{E{xGa0o z+%EhxzGqCE$>#wkyghwi{ui%&_3wNLeX=@$gP(~~!F zzJm#lCBm7=3&|Ns8Fi_`0&~iXe9c}87!&4JOpwJXIsO_Ffgt=gar~4CbHZGsf9hOa z(9^1*;p1+@;PekZY7s>)+a!$6-z2!nwE95n_5RpuA1pxj4HC7zTF1)`aX4tUT=JZj zjNJ!(vbL%|kiLLa=x;C60Hzj6nNw0yC?_lUUc`5cUp97C?8P(GsMt1NJR(=PHg{4` z#a_sO_3uk84C<$&OF6*Mp#Tw@&XU}k%|2Df0UFbqF|{X~7&$ zrRc=kHT>JEOc@huNVh68$An@Ztt}7m6&K?C8*foGp*TTYSxO<4sCfC8TN2f~{A(yi zqwQp!%W|V%>Tzrg1nOG=N$@ed1kazTSza=+^Ud9}!KUlvQw<_ixJ*SPMXuk^U=*wFsuh7kgl0(!eG12aJ(05r)@()13&T$n?m7 ze`Dddj`0+d@nmUul%t*gjK0)`)GavOA`npGa~Sofo`iVB=uS=uH>qxCJAR7XwNsbs zD$*H5j1})>(k0=+71c*01?*B~I8g6Lp;3J_^$ZD>WFP)woJ&S$my&&iRJlo&5S|vF zP?{Ooy~1zI_N6{=8N-H0$61D9oG^j-GO`3EOH5}ei%%#EZmJ#JI$Z z{`47)0(-36;_B1l0X-5d-^plahu}2#__3bwKQ3?EwvoFK<&Vuwceq#bI`_Ef7+2&V z7xT%+y>y>Ytfe=Ne{t)oLQ`td_yS z{@6z#jLQI1eJK+^kgBNUtc_gRo16kI{y|cu+E<7r>F7e`AhA$6NPLmcsS8)i3d1L_ z=iH?R(WpPoPksLrItybuJRg)f#DDgz*5KU@HdHSJ_Iwft`AsYq88hg&G{Hc#+ z0Nvv^wj17Q#zD*phJJ`EE!;2$HZl;u2(#pxbuJX{Hr#B7kM*++*yu0s!oMPlvA9|{S9owoH6Os5eosweeL0(A)ng#W8i{1pb9mRRV zeo&3rEVnQILmD;ZK+-3K@2b1aRiCOVU}LHcL@*6GGjil&F!Y z7Q%^-y8PKzM%Y27o}rQbGR$;w;cJX}g6sh};=G|-fii19um~U|QNAk$+qhIXAlN2O z5UwEEE|ACt5uw=%ZM~%;!0{Tsje_z=X!>lSouCie;VXssjlgg4S%!g+*Jb7(czpg^fRts-yXf1yuT&@^#^DY7>8Cre zF*mKtP2+OyDJwo*-&(~sYQ1rJ{4$YVs(f5Bwx{0k7)yN>9b9q1`pUo(&=>bWkN%2| z$cM@|RJ*lVMH_W#rX{;+v2InQjoRbWOB{n*lymjQWvmyL_*gG|!fKVeq$3bBd7RIJVK_9k&0Toc0EC?&x%`Al1HHtIussMsBuZLs^|EkDdv zVVEKv4YnR4jX3!IkY{qX+!53IS6;QJBvz+#>zLlo5;A{^PxQq~A3)dnz119%8Jlh* zl48qOg@UcW;9cL4*r=~u%!It%!PajOEwvatlhc&pRFv27Dr(StNE^V1?}*>yGy2AR zC$T$ZZ>>HQKL=sEVr%$}@~w3@PEW1J8i5beWSTV1U%nNkj`u0=Ho68m8WhC6@%qs8 z8G0`)K9%h-M~5_jRd`&Db&Bfv2{qf_as{YCp{x8AZv>maX!l=4_ut^2`cLj$3&d;u z=_@5UcSA}SPCRKB{ufgc3kKRFW@FNYY-C-p=wZB1u5K}wnh@Wm7Kw4Olqc#V#Aq4K9R@E; zJ=om%DeU%XCRU0U%icbzkpL=t^-74aOnPC~4sqgX?&mCGCTniH3vbVs{#TE8B*A)L za=xtLR%#wS^u#>cyAdzSYK_QMtiq+Mvs{|(_q=(w6gGRZUe1=*cQzgURlB3VXjITV z$8`G_vs3;ooua4PXL$`aJjYfIgnd|OGLO9*~% z_sR&jGAz*qa9enhO#q_O!hRiW%@mj5edR(O#kBh+m-^!oY{!KRN`-Y}(4RW@ z@3&=n$)*wiR_s}Nv+-?Nu><)%y5mBf`M$XG86+2nY4e67@+^ocSKyZs+Xz2#ezl`(p`LTiBx z=fTP36^0_ca3348_{U32qu9lndPRI%;~Hxl_I$lp|(U`>}vu8@+&KWYW}9} zJGzo(3Jz`NQOzCfbUwk%3_~u7{!rxk) zyxtuh?TYusO?05&} zmH4nw)r9X8*X>o}niLI6$aql>i+H!yr7n_Hn+T2{OG{Zym+u;n_!HY!5}#$k7;a^` z7^s*XSlZrMi~7d40=D;iM9lx8kP!x`d`^}`jo3r-;@bcn$cai>*dpy0S5D2|?9n8~LR^(weH6L93wOif&r$@j4l|1oEcnM+czeBg;4?N$g&58tILkrned5MI zbd;=r^-Y}tiT*N2ZBfU}B2F}~wR4RH3$YNZwzPpWQneg97Wn+EZ!Q^g4jSQU3**yl z0~vC>NMfA+q~^WKmW$|8EST~I9@*(Wgxh&GID5-_3{Udcph_`3HTVlOPnAYk^3B;+ zkC)9lRs_;Qd>_uyi!R#7ag0E+=3{losmSS=98U`2m2_D1a2^Otovwwvz?J0`lYhSc zsk93@5m%8nCt|dYn1y@3(4tnH;LCZ_>(vc_#`rRIngE-_Fd8l?wCyx^NS(d3${2Sc z5ojWHp|N9Sk-nmrkN7uN5D74yE=eN8c;2=Lg6`1Q2)`jD2x|yi2_F**f!^ij5LH2u z4v8 z-y{nu)a$(j#iUBw*LApx!2PhvXlH69C8YI=(*7C={ZC6vQjU6YZ-j09$N!4YX1 zOBXHDl&SbsnOeFFRi18TKZC@~8I9O)eAKBv`EQl?fRx9U6F6{mgslp$qYI0qMyIDZg8CI>lLsz-yIH(cEkG=|wyG*IASWudvL<05?J74=>mf zfTcq~51*+B=sq5X=qmALT(W2qoo&=ioRRcZVZm8ud0=JA6w*RCY3m1K*i;kZsKJ;x zv}i9`PMm)6*`y!rOuylz=|>JB{RPhSl|7}u!GdS;K+sSVkeUc}^iLA-Hny32+yB z3SC}1&R1w3uF>NeSm9Q02UBaiocA|GYH&CRq>jLJzY7$?H>Lk&_)v^3kmo;j&g3iM1oSzSS z4*Y`ZQ{|Tm5;mi=QnOekrG6{c@oFG+~%mDI{K&tU6asV5N($ zV7wzXF*$KQj0<`6`H2wj?h(VJ8+HFV(ZYCoR3<$&f(ss%VHNjpmV{BNY6kg)Mjr=M$1X+9J(Q1rlU11G12 ze@4^a|W{3J5#Q`y7DG78nDouGTq(|lxMHlgq#&YHl7 zoI;nAW#ob9p#Oh?U$|r%Kl9}6mGN|{{Kp(m0-L%+!+}P@pT#deC;VbeELF@1|5W+v z_%eIu3!;6oQ0X(ovsJuH;0kvYkr>`hn1wAK$t;r zc|2}boIU)xbMY6R5bHWqCdtxM6hfpqSqkWMIk2os*8kZ2L+&-`e~Lw81#T6c&HpdR zM;j#nAcd?frt{(Xf7@OMkUh0G*z}U7N0fZAt`gi+B7mK)E`>wHm9ci70uYJ}HvfRv z*lKKcn`NWUL6(SYtYaROMFR^IZ#7bcV;z%I+)!1VPPJ&U6x)^J^@UUEsd*z^-@`X%42`Ag*C{+2vk zH&o^@-MBUAx04=q*m(Cs<$@CZ<)r8zi(#T+p4bBfhc_vVXKF~Tl}+gVPQ{z8>L zSGvhIBA32s1NuH;$iWub`-5pr8m5@Wa2{&8DZ=NJ(nSk(-Ex>$D5t7S`3V*6$Q>{d zSk_|6P_AK>h;csA*LAvfpGUk#g--au`9zG$CUmKY&*Vp3ksooT74a$RzYR<1gLcAQ zgr5_hCA>{IKqvr8S5c9>$Wv70)fzxwL7}Az)O^fBkz>9(bHxl$ zK&rDYwt&oyz9btxNbsTiGW2ri{wbNg}>ZK#NB`uvymYl{UY z-6bYyIrJXBUidje%&=2rx~9OPFw%3=t@1@bspNsrgWm=y1N<%&0M?)Y#AE)pX~+DXC7qKgqTT}wE{gvL&k)Z+gpq`C1oRkgQCsLc5V-`gz*1slX~sb> z{evw(r^{*6{b(R)Qv;7|n_}$INBZQFh)p>?eYBC-)5l9K;_B(+Nb93H5--pDeVO(9 zbJSzxu2#hKI+(k03tUp1LHI}UY*8Kf$i+4t*iR{1I=4(z? z*jKZ{Iy4NTvk?Y(z)om0z#%%-1~b*CO8rul2~>8xz`+Nc5@~mjGnG?POg2CB)v4vz znyt-a71AA`D2O!uX#HvBe{(&Db(`W!>ghy2?`o6W5hwbufYN^zDn-q!cU<14r+6y(MlV=LB{vA4XjeMO9t zy34tUq~u9g`s4e)-tr%6FPTA2T`y!`TKCrYLwb1n^CV8p8oJy!7JXAwdX8tTm_@%l-`y;1SZZNC6$ZQL>eH=Y> zfZD_asi)dr%pF10hjHf1#z$h5-(KFq^35Gwmm+iYnv3NYI82B}vTsLAYK%kW$8dEK zT(^VI=6RIhro!N+iKUZ~u7fTAK|F*x`C`Ssuiz2u_5|07kYvPU@0S~`(ZI3e8~Kk| zhbQ)dC$lov?G3JrsuW^BmQB$V>+r@t@Mh{`-M)s;8?oD+UxUq`XB(VjK(P;enJcE% z09M15K+J7OQ~WjMyJCmj4d+L%xd!-y&Eg(yL2{~_OZ=2pNZK+@8j`$5zRYI_lqjTr z_OIpb+7a&1YQm2Q+X#Ol^rtc0s9nJJp|=Mewym%RpTeh&j&gil9RisROM{yjW)nwG zjnaMi{5y?hcB{MuEJXt2>r*S$zBy}U;X)WM;*SAH2a{~xw((qavr}4AuI;h1 zg&jn`Si#LV(c7h}q1z+H zkXN71Lb1S5qhh}7J6k-K{*lYe@#upA#7D+c80si$39hS$zBDyUR~=y?9&D*a90yyj z%N2%Gmm!ak%9Xhzb_lw@o3BR8O+uGyYK5+YO(jIC-Qdim*da)JmP#}?H_-?DRNF?G zp;(y&*Ns$(7Um|}DT!nQ7fbqWnC?09mPlEaRbpyi4Z-P&w&kv`o$| z{wq>E^|~^3Iw8P5q!QNUCLAvbWseK5vkDFXUab<&%uP5z66OM&oMw+OWh}D z3}8g<9_#XQ=QO85iWmTbyS+r#l)oN3;%;~;49L{Rj?ge+VMdGMHFlbb@R`kA z7uKB_S_5ps_2s<7T(~B6N&u&-{sr;Nv@u)_ti-zwvk{nRvMRUfHYar;LhjeW!6FI@ zZzL#~_$Sq{JbV_j9*v0Lx-B3_D%&EJEikrPby@sM71urcQg^6<@FPMUAr7rdz-}YE zy(Vv7{^QTbI_W6s&Kv0tO(m=+e24TO=jJW)ss*1PC=wc173(T&_(0hX#Ea)JF6CcSGSLs2kGQE)*4W0bihnHa zHD6&Kt_<0W!ItJ^V!9yqPw>5_E8L+PAxvYJu-h@wYv$p@gl{TRqGTcn7a1R>pOnt! z7Ko|h@dg&FwG|rCjqqPR5l~UIVf5tUh&Q=}{qhnfz|BSElsV9uTjGdOL&DQ=O&$eC zra*m}S^BfL;asC7m+&ru@G@8G&%Q?4C^l!GeCjKJ`Z9eq9M(i^v4gJzg3S)PidQUQ zbUX<@K+8rR7HoIs!!}P3{8|gTDf!S<>H&Yg310)31LTg0foh<0aRFoA!Jv|NLi8ri z#DGF@wqg4ycSyqXX80=u_h#OsgdY;*+fc$ZLKv|B$@3hZ*Af;ITrA$j{)qBqy{_yJ z{7Pnd#^l{{U`yixNyOyca&!cAv|Xvt@emIu?^X;frg*m{lLVXQ3jBhVRJhNE6!R44Zo) zEh)LLVL#(O3qP_%V8x}tKI|%m;Zhz-5JUbjN0LZ0)>zZ#FCt!8@?@6eDff)exI?1} z^9TXL*T95?lkudXsE8Q!u94``(hYrcu($NP0T%vO^@{+1}8F`N4FPGvqbI=LB4U3GJj5Z#t4qzSw6LM%? zjbHT*Qk|u~513k|NYxs$ig-#P9<}t-SE$e1W)0Wgms?JUCGgog>|5qiugMpESC z&$f|*eq-;+`NNM!y^2u9A+Zj7gp6H$Bu&316O|Qszn1hoBOs{`4VePMo!+`CVh| ze4GMY<-01L3a=B!`v@J2#C1*S(!!X4e^yEY_!#WkE=R`h!* zvCJn4z_08ZKC80VQh#Of@;_Ie8GacuGUo{qZ^>#pEhxviXtsd&RcC>KxgdaxPlm*f z^kHNFNUx<&#Euj%e?E5P%5azwmf^OaUAZ>CkP^OQi5D@g^LLslwZdI7I; z?Z7j2Hzw=dsnuM8tDK8)s&u`$J2n7*mS0_VSfeS@RMuFnh_%VI9Blc68mQ6Nr2k*1 z$u#I`dEa$#kBLCzb=3#IRP>TdL#uV>&^VS5^CatgWKAw}8}qs{OYDK5h$esaJ5jjI zGEZirPUda+iqVooKe+Q(NxYmWQA5htFv)1ip`2jTF-!=P%Y4*FYpr%Br?WQFY({8; zDG9p{+_Sjy$LmDH6$w4d0VQn!AkJQGSdw&Pp>W?*FnP zs#fC2wQIn6pN4ZWkD6)eOG&7dlQpXJJSqEXA{pB#DAQh*5N3F`N|+~Qi?&DWDbup# zL{%AFcYqvv&bO7B!KRE9qtumY(c#Fo1$&8ll;En76WWJ@>mTGjANb#q0N|h2z&|X& z$2yN?mI>_Z6MQ@l$7_fb*gOB3xn7j3>qRkQOKymUqgVgMa>l zw9gTa624B5dM6Qn!n>nRc=m~TpSj-Ax+io^p^Ae`v4a%NAF6pMTNKBd1&aQul)=H| zcvCH;&1E;b5C6cF4VLGKGCv!;i7RNWSWQWd#d8)Yy`wHU+EAKRIL)y&PL{%n;+Uee z!l_1xN$a}Gl&}0 zx?7L>TXZ6C!)^IcepZk62|9tV;kvx7qR419+PRKbHN?{}Ji5v~kF#)H-iEWIt31~v zr+UIe6%#_yuF{~qy^fZm$5LIP6j`b(R6nS_k+0OaLlSO_I2Xg z2$i(4H{n6zcM#qsfE9+3SGb2(e478tdfTx*p#)XudfOqX4G6Y~R}E%|#n&lZ&g7w) zsotNsL|A&hgyvYrswr5m;5kl4b1Y+(-1-h+9w((`m$BLX3BBHS0Ldmw8<_#}Ar0g@ z8^|x4>dD}`W>vhJgDs`I_MV{oew?MITxhi9ET_VYEKaZYB^s_ZT5?uV;aXEh&?V5X z3+PwJTGduhl>vft4^T63Wi_kyzSepKeda;>vTTw&R7Ds~bN2JQmZtsX6O{ssB~_0u(dth_Z4dfSX`iPPu zZ_ORPD~~o71w|X1-{YZF{nF)|#dJd`z?$8K4>)L{|MiS- z!p(#bVFut!fDTSLSN(x>ZxTGD8%y|oZa(NIOF%+DN}u5srAVPy%jcqyljG|FV-K<~ zH<`$;{3amP`i#kF_ka^q)!|cv0j5cBD=y5wsnPbqxu&tYNYM#+zm;l>6j?Y*6Dio||3w zsBB56#xjX=hTN7A%x`jBC3TMDTXqWlF`u${(2JS@x}J5qo(3LP`iAA%wA$d{@95r{ zY9BIz(SnNi^{hyuceS*TF__B4*29$QFU%Gu9T04JfWm0tUS08a9;QG)$Fe%WM#R(b zVQ^E8SRFu#y642|pi5`k&%>HqWg^TGmFDcrflC8*wgL(?R&;V>9@BDs^k%N4hm$)& zjcxUq`aEh)^$G{%SXl2^s&}Ms#>bt-{_ASAeS}qcFu(Fua)q)fy*ZI`zN+6DGeE^S zWVycr4$vTxMFy*d<$LrclEyU{oy(S^N4I2%Rg#h{&e8xl3+|s^FpB~yIHw=5wJC+O zg3@8L6rqK9I7=C3Rl@|QD;|1W%z0Lf0;QB+RO2i}pU`o}oTjo^#1UNQr;S;_G-a;V zYJrh`Ip-^A({hE#o0wW0OXM0dnoJ$Zq~V3*)~x4A0)i`ZE>cOu!+FcPV3SW0 zm@|$k$gRs-Ob96gA~ViwEbYME1`T4^2JtRaM8s+Xq#w8U_EWNH0PA!@v;rek!aS`& zgCtadUZ4}A74WKrY6h|dY#dEW!d!rr#RQ_Z%tE?9RQIT9$QI>;>mCO4d5h$5ADH)J zr-PsLfAY_9;QtkLlS1DvpwI*S%2iaZav)rcMnjd8LDi7iD=NMG z?NR*sF^h%FS*(OP=J4su9`x&cRnOr2xNb=B#3&M6Hiq2pptvXt`GG zpyrZ#HO7uobIr8O6Ut)k3RQa^a+(C~QoEWSzpb=Ey;Z`Teh)8DiDZgQtNrpRC1^0k zhy-{JpAp8TvDhf+aXW}Ib@YYKXnhn(Qfu~NranidCZQ0GT8XiqevFxN{xo;!nd#WE z-RKT|mhkjccjzs`_&Rs!UcUc;Fq8Mmr28J_gQIg+bYbNO>ZO^u5M)zRg|0nIp5Q0`)#J~U_9P+2n3Fud` zI50?qt!(HeLX(+ZwdEx8-6i08HX%xABV0g`JZ8R=%6Bh-_Zg&ZAUsHToiL4X%R)Ua@m&ky3rY zbhfGu$HoG-iRW!o%Tv6rTK0%;J^hA^Gp_hyHaBv z0u^7LvoO0WwE;IuNIS_%?;d=4&cGcDhPK0iNU~87q6;*U^i1S_3$0GI6=)r))K)hL zTAevI8~{&kgigXPLN#r52F@PMLRk3!}di2U;p>_^~*Yt#-|@08;!`l#B^ z{yj}q>Nsix) z$B|GD1*(MJ*!$khwXtKqh9!EjV<(CaNVNmqi!I9JTdr9=#Ig!FD zK(3uCKqsd{kXgmIPV_uCs`LrzIed;C_Jjw@H*b8tuL{rmvhaIMT024Q-NqV^ zVwV04zehc*lTBqSIaFH}kCaSE59p}`Sst1t975otgg(J$u~X3{;5XM_OA)$+mn6ku zccj;-X90MJ`sImyUaFcG#ieU_cC;}#C~{84R9|>N!dp2Ak311H+crwYSO2Iga0bAM zoWdH+!p@Y!LS~XLnUO`*Hivh0%2qAmyFW`e{F8p~KgS*V455bKUnWF&e}r&|P*1p% zI9D+|q1fj`s9-uPAozO~_mZitm!h{EV_xQ?+aJAll+R~L= zu{(C`$`u^uUi;8IMGN=wXn)h!dsjvtvGyIALiPN)_n9@QvQBd~UZ)F*v~ilI%YU`# zvsPDLE%wNblQAd1Vf31HV?3eEHPrLxWFQ{g(w4j~l?+TWvlpA$-^n~-u7a=bCU4}7 zHFOqkn*D1Ib@PmPv1C|a2%GH%NFhQgVGx1T<{vY${Ao*h{od2R+F(uL17}OzIJ!NS z_JkM4(r!+Yr`?fo!XG_!bNHO-p(T+;9AJq=J|A7_`D$ctbfq^OsW&|h@L_S}I`v@! zAC^U~HV@oIN8cQ|jIVb@%K5rDa^7aW1|}*TDNVR4zZC9Wd3&VqW^stbQJQPi!!&BM zdrP0MoTbcpVc-4)T7Y)O?P%8L1z6at^9!RFs7@NjBjKqTKX!X$exh#;-felCndm#V zI5IUc)s09GlIixb+cSkKU3=up{PLD>OnA5uVVEXmYEgD+D@tGsb9F5`Nx77hAu#!Yy zZs9x&;i`Oh`F=)c!@$x0NdLs-Lif1qxt8;ucfk&_eKvEwO?9x7g55IuBegbrtTCMJ)Z96i))SxT+BoJA=7;LJLp?HxaBZhkbD z7%P0beZ|2|lLt(WwI7KcDp*n8JuErmW~TS89uE6u&WUaH#!}u)zt~n^Eal7ejqU30 zto6Y_ySt0VPpXNpz|WPt@i8Slb{9<=FI!|d#4e6D3_x)4jGvUvklFJR?S6ysH^LD@ zZz}qLXCAzqA9+PQT8{bzKbA&CMc4A%6VtjA?Zdh%_shv}cdW~|Y}}|%G9!rFU%AhW z^DY}rTq$w;I3K3dd6tbN&c|7=3#ZjoG#*{C$@WPb>-0L_J@$L8{ieVIf7rJ%AsbUl z!Ck;`m2VfYszb(ZV_^An@hPSF5U-zIv1e6b($_m)jUZ)oRcu>6*PKshcPF-*kXI?l zM~~V8x^kt6-QP)lIab^nL@;>40jkFEdK|Z z9o*iY^Am(94zNBMaE}B^`KPO*x>PP-P{gWKx6CCA2DZ&VxL5shqFd2FRywmvWe6EA zrG>q+qB9tiyGv(qpXo=z*l1o8rRr?JQxMCT$*5{$>4IR>ZU!X0FxVs;i^3U8ZVhgE z>ehJQM`bQfPVY{Oj|gQB_U19Q(eJx_HeF7Zb>uoh}TyrB2cF+#0XvnY)s>~4_IjGZ+7IoyE&NSzf5~{T3lv1OxV%xH_jN*!CmX#P_3>>>-9*tnX&gY;S`H8zlHQ!gmNiBoM78m!776N1O-vr!&3~ z=tWu{4Z7dN7%G(Xje!ePbOmF>7#uSD)VdRFp6p(8_*F^{wmc#KZc5Dkl7N?-%p-av zx~vRjR+k2wU*;>Nvf2=oS*wjHrA9wFjOb~2JFq|fLzSk~=qt(rU&C&$HD}Cp5~~go zZ);BpGiZOy(|dR9j*w@(u{HXZm-EZfon3+bZEyKn-HC18h0(XYM&IaDU2Q4PuwdKU zp5on*L!m(1e;8ki_a?Ry+m1#Q^-A{W8ruj9u{zN%q+2;64Jitj(x4g z-GzaDM!&>UZTmbzb#Gr=+}`RT?^BYuv|At(ps*hVNB6!V!vmE^*TA-ed*frQ_9_H` zJ_`XC-O71>!hFK31Z(zp^vC}vUPZLDn6O1(vv7bjuhe*o`DM4T;@DfqW}8=vmG@0n z!V!-##hl4R7=5!VdT4K?7~?q-2>ReLmxEq?zfQl3=avmK5M(A1T(`Er>A$u2_FHkD zJ|z$<^ce0~n@iG-$MV4Ouw;>BMw*t zbf{}vx;zcHu=j{Rs~rHyx%gmn8!xP(j3Z*m=xL}n&)2fDV)22DEjAgU$(iCrztm_J ztFnoYHu4PC7YA-vQ`l=fBqpRGJKw?1j$W7rs(IYFveM}9aKK38I z%j=5#Ju%%QXaD=i+5g<{v36hdE+}hfqL(-U=r2wHwxG4?>vRGzXPZcUxrdFJL!bwB zK1j3^44^kqx|VZbqDvhte@jSWxjWIX=@S_uTfwh?a;7M;D|O~4f?iQ!1Y3T~90!UY zT%x*b9gpCq4(<&MZrUJzN-X~@$&%e_BmB92&AxAmdzN6+N^%NayrGA}a&RxzT|#vs z?r{ok`Xe=tW;x@}^h&%ywLkbcTWy7|cAu`c&8qfKR4eXVPExJhhZM`GQF+AEm~>E- zu!eLspM^rU?o0}GwX$sGvv(r7-(Nk@Bcz5op?sJVlh9H z^}8nZKJXWYiiN*^sTU5=kgnj0{vfVosY2XQT0r%t2&s(kg~x2kf~PiKe@-nXpV_B2 zSj8sE-fAL26CWUDJpf_vgh#&^?CexY$2KF z@vU|R*F8mpRnd=2(VMKI?UVU98_0MWn~mRN%|Tji?__ijpoL+=U4$Qf6`n?k}9SD26rAb06DR@!rFrM8vuHuQyXGkZA{4cqa{ zW$uuKMP}H-KwQ9kGvONq`4%8dA^e^2JmDxI01SWT={%QjisQmht@A?`H&v`O4NN_= z(w%btz+|Oj0t`o}T&~(WjK`_6($mQ)ePFWE#@M!FYQ1rCemd1r_iiAh?v=Xko2lwC(TjUm~Xz!-K5uia*tz7IC%zMJK_b-^~RXQrM{zPxC_=!0gcN#CNL$?i|(-<)6#(4K-#BrTFBFY|j?|oC7_{ zX{JOg2(nS4#=AbS@DZ|;DdGxm6K5(yb;pnTVkDX8v2T;Tb93OA=z;&mCc_3HQylINBBA6 zFDu=lM+p+oP%;k?$OCh6>+At?#BF?ELRd*yO_)Wvm~dRayt4=NZ|uE*xnh#Ldy$Vj zM|}dD<7f{WZS)k}2+epC+D15rQ*E^spyE&aiq)Ez^H2)V%$Z7z$n=d~du%E0fv^S= z9jN6&;%rR_QJrfpkKiUY`w_iAO{#rcO6l~Z7omOUHty!<^zY8<0~F~p{-K6gaGghh zUg1t$s)X#GXk^U0SsIZ;&NSj-4bJ@v9AtZ;k(0{yVHwovSJ0k{`=;*lgPB6T-;(r= z;!AQlwo+g)0<3yGA|V$!B;@|7-=$^H_vJWySFeU*1d>%xvM>xk0Yy1%K1Q`YD&=!K zdHFMHzGII^%D+yRf2NdQi`&D9Dt{IuB8{zehy<)x?J662BHFoUGa4Z)#;NYfba|vr%3Tip+c*;-1!!{NYm}(MH;v;4(l`x&}yI1dapb z3vQ}KL&{(~IcW!*?jmz?m51BrZEVRI9;SXJ%1o`5U4XTFCfE)DKY+7E!_GB3>XadkTWAl~P5PUR#-#)WSM`nwoD^ z37LRAyqN-d_=3p}Wu${2y zU&tr$SfQX1c*!f_uY>~x`SxYv7ZX+xqJ&e0=_jOpowolkf@*i3KZAep{V>7J_hQ1S zmis-@{+RG{!bV3OH}Siipz2cna`LmlvZhh-IOUMYHeGKE z%Q;}l8FF@xvF2~a8nSvnKV)_LPSc4+9HV-_LrEkvBJyo#^?TBObAc0FCkN}3H?Y^& zWdVW8=ztajwaTbZVpr>|?$m7xnl1|((O&}1WS{|zVLWU}OVmcVN^E?Oq4zVAv7Dh+ z0T|OFK%g!eoDH8+;i0#r`DTSHZlGK9{ZO=s zw$@nS^)-Akw>kU*X3=CYpIHK=x!MV?d!GqKYef#qn|L~rsB9*&IWVP8bMY5UK1~Xz zTDJFyO~>J56> z)WQ83x`93TTj3Je-AwT-di_8=ece2* zT^MQW>qhF~@M-!wbP#=Mg{h2VhR z3Fficj@Q&jqN@tHmMgl-hrFS*sIsL2M0f-_?uU9V6>y<(B@MSm(p>|WXmjIW=c)x{FDO3`CrosS&puA#c6buss5*R6NS=Y+S(#pEk_4c$Z1u-9GX=&vx zE4tUZqj-y(R%qt@KWp!EX3h-ws_yT8|KIN&SbLwdpKGtZ_Is^;#AHc?oM*tEc#UCv z=dzW{vEA1@?8iSAGv=q| z%X!9uYgopEV968NfINCiq9+|h?D!c1IS@o};MKJ#Lk(1|01f!X!R1XW|H0kGZ z84S0nR59jYvLaxA0|EWm4kJH~$oeI=Xo45d4n#7h&DT&FOARiK2A{L%z58-8hmTQ=gg37$1g zCr7gni4}uu6!;aQ)o=33*~BZyd0RuEl(ExgWH*=dU!x!*C%Z;Lbm7-1$T;@_89^aI z++g6Jy->aSuI;Z_A|Gsr+&)GcNcpyQ_<)yak=dkdtMg~;N=q;H@z{=Q5d@y><2_DK zRV`f{%07z<`cOK&5vW$1;ogkJUSlxy={UcTyb1WlAHpVk>>&qT4Hx6-PLv#}EAM9w z_b@1>dexxnFhkV<2~*=>M{HeCwP(2@D|Yfr3vlpU$NlVW2R7mwgSXs(#1H_vd*)4o zE_>{+d`MNqRD@ncrm;NJKv?pA_*Amu#nJY+kWbu(KVwT4O}_`O#kKstfj4m<)J?Bw)9*6oXF8kdmfw> zV^v#E&}dFuO!H_P%QYs_u){c?0+IT>lbQKSo18bh^`jW==^hfkhIhl7y3&5YTDFX5 zqZ*~e(NNVH5nGgSddsYz#`8As!%JvBH7dd@gweZko)WWLw&RYw)e?+?i zgahILuK*qeQ~}8SVtV+XH{A!Z0~3d_tq=~Ig$ZXboS*&eoc9NG(Slc10O@rm(W(J6 zYaAeva%Y#{k_jX=cH9dgmVYI-0r_FyS0MOv4>E$UgT)W~`tzgVUe!_O%3E|TnBg6Q zA0_dk^X|!-Gu~C-*R*=q9QW>cqUMaU>T8I9)*M%2d_iu=6DZxoMA&Mpqpnlc-AQ+_V95_upHpM+0-T%nLMblFhz9|#p9%8gJ#84Ijd#@@A!HQk? zqs4dXF$d-}s9kn>=Z%c>#W&iKu{oXwr@a7p1+WZ&5SO&RxCcZb=n&%t;kgaZ9{|1p zke{r7Vskz<$7}2d(D^@ubH%5S7nC-e8|Nr$KcmfFsyQuN@3pxd4Ig=kRnk6K9w)M> zB>DM0yDcCL)jH^57DEXONrzNN^|p>fxk(zD-xy%^QEgK|1Y(clnQBnX(jURTz=sU@ zB?5Fba9WMSDzVvaB zZViu71gp+ry$9-a%j+6+yORAC{MrG0_MF^&xf??YvX{qlK_-On<_Cn2O(LFjcv(iU zh*&{1BrCVm03u#XaEt_H`Go`{@T7B4IPV6tUs6q*8ihaRdw~RKNqFpQa5=w^;4?h& z1a>4L1v)QkQy+Vq{2dBwFP-BUopl2nRo!MhASYGR(|D-9-Ct1E(%D0dS!sy}ZKJE> zHP*1kiQec|XhEQ{jKLF@Q4_t`!j@*K{UGO#sbb?E>d2u~dRA387fFCx!m(TMAmwRb z&&V^DGN3$lQZTx^iqK(~(&HZaR<`h81;oe2 zWLF~$mTo*aBi?v`vjTSG!8^F|fNt8dIeq{w&H|J`(H}r`tfo2qUH-blMZ zRkwvbd0AC;FR&*cxNT%l%2HL`L+q&++?v^wuSHdN7oMbB6i7j#vbqxYB$%r!u}xoG zU8yX!F08KXC0LEsmA+={t;BwRhUI?9M!7bsRTVijBCSgZ)dDzk=2H!YBNAiOQs zYuI=;6nJ0s)&(|RGkGoaUg}xRo||D19C0bAl6=%ROH}Y{7 zBM??&p9zh=6LC*Npz~>XW1r~$&^Nt_?rOmL4t-Gc9#yRcy@;rHi$g#!>q+v05FKMzW^}zcV7L#9ynLB`yW=r|4RxZU(68iQigEzy#HYezyHCvw#5=a_dl>{(@0jQ zS4S$W!$1lqV}INWeca!5E$E|g4+N$NY^LtU?yP^1?t@_K2{!W*$8U6s-2{Wmo?x|= z4a=i`J;rYm3|floKC3tJ7;7m83EFt?>3EP|Qn;t1nIAjt=~yLRAK{Ns0|CPUBLR#6 zAjSC`G4t_CN7#74B)}YsCoVmm@hBnWEvF?>g7G(f`a{xRyIA?tH?Z<2!n$DjyLy+a zu##DVJ%_=#(7e^FVtAH1Ym1HRJwkZm@oR{s$x(EP%7 zGwFAr?osJ%T_x#5bd%1j-pGnj2Fs%eZu1D**rWSSe3p*H%y|<+i+VD{MfI2gHTaHB zGQS=w z9|JxId~+G}8U}QKL3kh7^c(`{2LSzg)Yq#rRmY<{eiy{V!7ub1S)cDZ3Y;kM2X0+q z%5gNmMf>QB8JvAq3#JS%1;;~AGWxy=3$&0cIJUY3Jg`G_2?~z!f^|3H{YHhgA68oD)o=7-`iGhDx$L%PMIeEaw5an~+oYWBJ<<6TO2ZX;sn~j#kHotRR6bQ=@$U zO;>iYJiE<2yJji7cP=jZ%>=ughcoxe_=mQ4k4;3vY=`$4Wx+OikA>oigv@%N zxfF%QQRt!3=UKP1uH@G$G!|h$ubV>SJ18+FO}f~ZuF%+g{2AQqh(g{3sN4iSF#x&s zv~NoN6peSkAWScWxdLz%pbKD!+ncVq=hbJVv{wKg0lWa%4yXrs^oQN_8PRsG#tv2V zT}m9A{9gKuB;icwtuB6$#&0&noO+!)JFd|9BJWW-@w3 zB%?HzssxK)@d|PHP_HIaXv~Han^edY8pRGi+1XQOc-sqri)@pYQek_vm^EWxMoib~ z!bJhyB&3$HQpSl_x?>cL<6=q|laQj_E=dlH8p)SiB%&~tM(y*gXBh#Dr`KJj@h+YO z-`Xa88FuGaX>48&A`?W5aL=DGm%#HZfC)f;pTq51*e!sk0s8@80yYCYbsD?(r(H}A zM78=Ks4b~u!~9$9)gb>%LbpG>=IYpP<{g{*&#bgvFI>9#3kgOMLx{)L6;NtKj#BsC z)m=aQ4q3K`fFHW=G@k7^SkCVIBKqO9+O=IspYa|9;5}-c_@q2`JDwzdta@M8ET#ZY zI^DtxLy%&3pI{ZsvLo3VWH;y~-VaIH zU37wFDR#BZ2V9dE)(v)Cj=tk4xu}+GZBfr8ili^oxwr2Zfo2V$9`GRG)4yQs2ar3O znNxhx*F)cNF8qyv0zfIi0Js{^EuM$mquAeL-iI4?JoFuBDbeF!iQQ?5+tI5 zms}6>?tG1r_hndou|9+!YN^n2+;{!ihD!{h-~$=73_5`*s#m9>8DT8Bh_++hXza{@ zQZiM*x*x6IqN(9SxnL`ozT*=J*cd@-nx1!<-0~NR6_>sOEK)cY<6yDNOLiT52*(7X z`l7qq;#5kL8ZsurljIX&wEUkpQ(Nv2{lKo?s?~J1hN;IL+evp35=C-^ow|!%P=0e$ zTcmG?HumBh{zzX^TLi6K+JZ#uGLCXKEUvaVgsUw|v_8MyB7KLE^cGi<-r}9^c!7uw z%l*Xt1E>1pTnQ(s@-YoU<+~%ai6gWY)&(nH(qCMIYR9cGTz`=?ZAgFdPNu*31$$E- zqXSE(zv##H7jKvAFHS}vy0`}Viy1^|nf~Il@M1K)5WdRS8Rwn47`~DMVY{VtR^4AZuj9RX#GRtf8g>J;gA1 zK>)SG3bE6UG6oq>R{c3s)t)3F$E1!m8=j37EIvfh5qTaqMfMd}JdA zT8E^a2#r&5i(00g2z|sPM3MJ~u5J}$WEFbo8bBjp4FJhq(w<`+I*=4VGa&J0$PEF! z@q8R<{26eB(z<{?;#CN%0gM6&fH1@tCu6;|ck7&W$`K0pYx_PSFi|ZqbNSsF> z@zZAs8&7@2Bgh|};mdL~E?FP(!WkCIGh`=N>TN8uE_r5r#^sbIl$ZJcsXn4>tIS;= zal0pw5p@cHx+SHj;0xF7HsARY1Z0I7K1 zf%q@E(m1a^qJ+aD#G!Z^fSB)j`*JDY807VLgqQLSzE$;L7DZi+^sJ=_yJpXE%k!o_5J5Ah%22C8Na` zwxamOWTCWCmrQ$j9vX>o9>DhRE>j~B-#@_QI>fc#79#C?UHAqu+GD%@Nr`AnNhR?J z5iGE74=izy?YF2T;+z61iQX=iM5O>_M5`}!6XUz9B!<(}m2CmK_U~jWiOs9FWBdmk zL??C}FbmI*19k&G0+62qU;qq40g?fI0V4rA02_ZjbP~aTziE9QyHV_Bp_kYP^I4G4 zvV)OuHmplspC15fm$W{AZ-bbfOCj+&o?Ww)-No1EGKIuTU!VU*g~XeH-blb0KonqE zEAC-g24NHk;|EXyzQ+4ovUtt~y~ny-cAoy5>UZ7~E`oQVmQcTmJ6ZjX zfpw|%yUo3R7oB(i<)4p>*|`)FD|mMEr0gzUzcPhH)bGDTA<^a-3Us^xy#RCD6zX6A zxuGu4J6;??n7;##1O5eg8}JA~jQ1P$5v^Pwkz``9gq?tG5z`* z2-incRWD=vEuIRAnq4fsAFLh}5}REMvENZ4u@B$4q%!aw(&-BO!N-U*oEnLd94##@ zRPlK<60tTsfjT(}I0I0k%&ZT*1bLM02s;804M+vd23!Y_pPi9T;!AMb$=qEh*{&xh zeX_a15f47f$0<=C@dWnPsIT3}YDYuXZ`4QZ0BPJd%O&ZL zIa1DCA+en2you+$7M3`;v-_9MD>X4tN`-4AjzcOKXLoYMB}KXT&r!)P?F*-}#dW~V zO(QX>M@;|xh)5%@lDG#O3!u>{j_Fat)OqT?y_-s6Pcjn=kf2OvV$gex+WxRGPBY~V zVknXVa!sb5{nD)r5WPacOHfG^53Le}NkH20^kG!Md8=t#p6-)wf4t5rg* zyB6XVGNn0$auWBlv=A{x3t}@ju7&t2Rsj$Hh{T#O7}?;Pl-KeZY5d-!I@rK=vNoO8`*6qfoyA|3iQPJfDVJG3>hmQGf$@&qmyG zz(4SO4)$8azZ4zBsR$nd(C-%GIEAdb>mW9YVb*!rl$RN9W01}lu>U3cJClNJrd$V+ z!c*9u<+W^%?|}cifY$+^OJ%u$4x*f9ZB%ab$knjzpv~U^c03;dFq&LM2a&?u4Y&_L zY0Lurj5K%wYm(i@D=qBD-}>coDHXm$I{%xO_st%(?cc6hiTnIkm43g zX($hY&DQ=DLZ*Ot4$~Pl&Yl$zn@4|ubsiuLa0c~(rg2H z{ABC(9`z5OMP5w*a2S;Tu)bq8r)BFqm;NE0@n#=nm6Q(4un7N8DtuWzN&3Wauq}s0)7q|K~V?sLsx}0%>_-JS|-i=P_~1BPXR{(mrAn; z!U^FA!5#ykF^b~i*W-7PW%T3sFN^w!wq4jILnP=VHsBCtmseA|veCC;#wk97xq@|$ zY??_*iD$d7mxq4L=;;T`gPwPI(37+hRjdBYXQl-_S|Y4EhpO&DxRRovsEG(XxQ65o zuVZv2a8JsJ6DJ@PRDPJIZBGHXw-{&)aWd2vuclnQ8!{xF#V&uM*iYV{aJ|IkUHFhP z-7w*x=j9kp<&IRC~2jr;7o z?x9KUDO6aDq05?p97v0i@Yi(9w?EIoLdCz!U~QriwcgUAB7CWB(GC#6O&Zl+mtTT zZv3Dzi4?~>4*f<2$L5dGI6en_4frR3Xv}}2k`O5lT}XB4H|jS+z3~I&M-+6^Z}h@w z!}S}zo%)SRxNSsWC>}cX8-3x{%-ni;>NjFV4E;uLrr)S!`i(wJztNZJH};b0H=+)w zp+=d0BVs|n(VOWvA{O);edPL$@P>XPzD9iw)%-BR`x5mVG38aWk3={c<$G(9Z2WNP zH`4fV_^*s>_Q3M!@A&?phl1k*L>crciz2{k^qp`?>Wx-(SNyZmk^QYdLTw6dQ2Jc8 zs&%7`+ATMzQAXwRsRL5-gJji}RW=)+#WO}~-42x)%MlgL%( zXRNYPV0qN9=lsB_;JBJcsiG(}2t&bft)$?1kEGyum#E-Kd#0wK~lkH~zm};o_0d-VopX%2sP0vrLA7~ziq^|?q0Eh#m z0YU)M902%YKHFq)V9MHH=xQGWv^ht;pia4OxF6nl%~0DNn94vNA|s24N==_*Fm zHUqQw?W<}1spj;RO9$a<$u1;|E%#1XObHz7(rwM(;Ozu}x-Zs2Qs3qJ2`qp5maQK? zJ2=aBI_9KxFl6_#7VIXj7q~V#Wl1Pnfgd#FSmTfklO;wdud9O;T%iJK`9|w_r%Vz(#jG$#}iu$LRYu*gbu?3o-rp?wdvsG z2CXQc+GO}eLi1dAG=JeKTdIH|rt=Pqxuz@5QYA}X_#4Bsi{sg`8O+q6Wf-4j82{2E z#%G-v?`6fu_cfAm|I3vOV+~JoD6E>(ah8EL!%$HRi0H~Ppps}U->`gsX8D}$F`u73 z^Z8lKCmEDUzn$rQ6-ZiI3W+am zUBQRTH-Ejf`Z{T+onBsityR~QBlIPF0S{i0_HcUBT+mEmAP;;^^P4V6(ekK}%>EzTj zh0r(QJ#5yq_?}PgRC=5=qM!hu z&U9G2W}+R|>{KIA-9M3Rl%Z2q8!QIdhb!jgK`d2h@TYA1Z3pdD5TCBusdQGAe@)AF zb_unS;uxsLN4^S*nkMvTblNo_5dFd>R zZH6&K3A%1%H|AgXD$gDG@_F4}i;vB4szG5hj6m?`4AQFEN?J_YAR zSvxKHl(ADokC?9D1khx-xZ^OH;b8IQeI)wM4BN*jvi1yU+42)3=auYJ!5fdV-eest z;_bueT_3@5HeoF)V$)vKQ1OD@N(8$Da3LPUXH0vzbY^7aO8KQTgI1mvFP%BfE}c=L zS8lVl(#Kxw_NwYh=zHbqYM9IY>ih7qV&!Q8*A_1yYHO|jDxtN@*T1EDZ*{#FoBh?_ zq-cXbh`l_J^7r>|ulJ${UxW=z@UNzz6BKOjSbvij3wwpITuVU)_;>QK{uB_Qy2bNi zQ_cFDylK1weiakMyn5p+=uYHtQP1)lRvsfHY^^K5a$ug?+SMmWfchs~0|gXE<8FcKJ1uJB0r@sW|E3R63`Y_e9f8Ac|sK|O^5$n~Ar1Mcp)E2G%;~1wLk0VC0{JpNF;!C=e zOkSQ_&>f?{@Si!W!En~rm$r6l#}erb>poqast#uMoPLLL=4w9q|YarU^r6B?~>EdT*x~+MkC-$Zm1_ zW8<*HOZTD8aCU63m;)=O*!nhEag8k0did#(t#3{1FIXb=kwT13YUpcIHQ}QDiH>@O zqgTywh4njIU(kj~RY#YAIq%R$q$rYeq(0v&A;V)=JBHtVL{lVrC3A zr>S1`Q@yrkS_R0SU-zN)`gF%@jC)s!+}jtFRlRn=dEsEoFW#*kio^zQn{R%Dy2jTF z__W%F0HN~dY5su+bH6BGYi|*s`D_x6dMA7!VtQhb?H!C@+Y`Yu+bEB*XZZKH8kMSg zMN-YT3hNKL7U0*&xC-1+eR_nYU+rE??{3Q6@*5QSyL}bHu|$Ng`>b+w&Ch35t3SpI?v%xaX#4QA z+55(}dS$e(WtT6SyyBP|ZYzJT22GcTG}aJ@$BwXIbzt#}`4ab3!55)-`6}ucDC#~_ z)sfijR?7R>Aw1a*wx01@d4_m(#h{gESX&7MdG(R^vF>!p$}YnS7r>)KQE_D}QQFno9J!^9Z+aczUFVlfSgE&eo&4 zhcV)!N+!|K$1Wu(zS2P>rE2xv;6?B;M!ANSjDIk@T}jo8@pA6&m1%eqzQICnWxDez z)A=+TPua|uzTm{4vYk(Pcxqw31a>us`}5ox|p^>ECJ}gF*N(zK7;b{HD}VOPeWQ8QvtW40p6g@38ixm7#4nW{)(2 zPpWbFF2}^+Y{#oENj6z_#P9q(K~2kc93jM+-WmDF(DWO==9vDzCc^RBlzD2m+OYIuo_HEH%hADdoKd?;v zUJpcHf;%KJ)GiY2AJJLDPWAk@9{m;eS7iQ}&ZFzZRe(NCvwb_Fbf4Muk1!tY8hfs} zQ5kVz{tYAkMVDxaU=0;3@%lNbyA_&m(JYgciLe@y(sn25+p%E+u`_TI-S(DT^E2af zbqB6{!F19&f&<@`CunSaT*&rP>)xgz9E+2Nx(clEn(C@xN}I)4&<$H%30le_VKu{fOrW_ znm6dCM=0XhFD}}iuVeJUtn3<_@-3E(6#SlDq>i6TYBxPrZwr65EdOJsL^+fQZmzznf}aF zGjk9#hcffP6%^7kfXpIh7BDl9nc2*o$IRKx%w%RdGmo&ihnabZnTgCyVZM>f)G~7% zGsiGf!^{!P9Lmf=%v3YepP5Q#3e4Q_D;}Gb5Q&CEPz7BI7jnPtq>v+xz{xr&*!%&ceTYGyVwa}6`sGIJd>H!<@$ zW^QKY%go%u%r}|Y!pxn_+{4U$Fk|{rkNv&X>-)CvkJ->ZzzP03A$b5N%XqiIj zXUGtnWSFZu>{!GJkVQ$hFT%YeSfs}bmTPC)`}JmsTF`y_FY=-dr*PZ*j=|MP&hfFs zr@jb79cZFzoc|Ap_3!oq3XV+y`^&(vZBZ}#NF=szk$=I^$;f{W93Q7BbuD)oCvTu9 z`}-(Bz2T^<*k0DD_FCX>e-$H{{d8ZcJw0llSAf=ctOCOTl@WITm z!(a>BjKbm(*If8C7>;((78&T^q=K!p!FrVT326?<{OnsXNpU*U)R8;CO2Z|ErVFC= zNKc!QPUUzM?ituA@w4BFh>uf#4Tg5~beP^yR(nK(&uFj1o(b-5v(DuSX1MaPOyY$R2j2^ieRm~$7ek(n?cyHhS|yuYhh#ieZxk2 zucHeccKfu0S#Y)^JWie)*5PfpPcuxyd$-RT=1UEBz4)|9IeT%7u)BIA-l@IucN^<& z8q$2a@ZQ=k*!n5a{m^^C%hXE0qNO8daG>HMKRd+}$uNSG!5d6XWWcQT|1}wof((~e zcv{lcQ~7z>d|YK)c|ya>qeFZA50$6=qU8Y}3rqS?mu^+om>?Oo+`s>lUKkxF<0^hw zi5sZ0#fp{6O8rO&0-a4{ivWmL`I~XpcNQ~e5-Ig>Z1At!glHW{I90v_8e)xOKd8oZ zO2Dy1jj2mOGoZoIs#h7N`?v0y@J99oF-$lpJR? z>@7|GCUNUF+O&+>Z&B90Z@u1rFM51zcX9!xOlr^tn=wi`25aHc#-8n@4L7H4OAFlF?Aw-} zbJ!*;Yy6ZAla+Sp$n!TZyiww8&1Bo7Gx*U*r}i+0XKpp^*Dlh`8M_BNoCo*ld}yF% zo_L4!2ZgjJA)j>nV=Ol$1)rI=$+6yhRIeosYPw~p_W?ZkF76!T{e8^GmSKn$bCZ90 zAFRH;C-}$gDaUu*$HaVWJtCNT7h8c*e%28z)s<1{25d~J zw)Dk-ksp;b)T-R9nBNwPt=zoFX$H_X)BY01Aw<=1hi!IHz?QDW$IcE|KrY)movOd| z#~9ri+OnW+vtmJ;{Z1aCm;DGj|Klic^#Y4wG5!l`zPxjt0@PZQAhqHXF!&qIietgOx8iAzo1*1Hz z*6eAN^BmCj7)EDc;9sx@Ww2+EbDO=DrGmTDVG}|xkn^!kFp)>iazDY^YnRUnL{QlM zX$+^*0ZAp%$Zq8?eGtz~@j8wX`6%KE|LVAQ#1bsMHY<+Rqm)=L`{5|er{@S|*0Jbll9ir^$M17C2}-Vb9nI$1@TeVW$cEg=kby zKKbN!iq9Pog}Y_#@*!*#s32-gi+t>}P~-a+`4!BjSws^$FKXvoID4R+g4#O&acml? zS8kyf#wKa6b2h05XQ-|5;LX>`Z)|J&E%tN_-ZWRUjIOB&6soQh2j0yJ`kdMco1ojf zG7`zQsMfUNLW(oI6i`<- z6`&B=rx9(=9Fg!++w&nRq4^=e!96 w9ZAY4aZPV97w^V8uuSGD|fV5Gs%)kM*3 zeTaUn~o6!~L~nK2lBQD^+B^RRJ@9_5B-} z)wGsbk64&hSH`R->0;Xa)z25eT6a&~I#@P?vY~Db9-8Q3Jsx(md}-{rC7xZB-cZ-f zd^Zs$pP(`j1IX+)Y{KL;akt?)V2rQKz3dn~4*lUGp=q|`r_Y)Un@H}2r8N9AFxj~_ zJ^^B4C~O7s2 z;Y5e`qCT^US#c^yv#UV(f{=P=7j~n(3%lCYg$<~wwDe!%U-P;hxe69_Yj!^g0>KwEEyLI zyRYC~FE4eTBaBL5O9@mr6a}iA0At&+N62^_!=>)+^ahh1C-fMN#pc9hfjaXxP`vNk za3YY0(GR~lS$xCumhY+X&J8T$>Sr;5E})^v{uL@3ljr$uP69bcC(PPx{b-$}Ygu{v zTi`|=Hr3^*Q$&cG6M-4J&yssztwuVF`q+cO-E`VcJNY%HPOL*}`jM9xz6La_;cAN0 zwEReh>IvJ)TN`>cELAp4^V98Zn1xBm5!>>k=)6|`RAMm|*$nou!V*&|ie)pjhfOk- zSix!-qf=USW&tqDH@8(ZC)$d_{-lr!eyYK4+^!7xkL0+uJQ)o~3Pm z`%i5G3JuYe{a#`k-nRLjSqq*)4=GskdHI#QeW>g-4TihmXPHWt+A>MESEV@6U^oH6 z59%(bbk?-{;&bKJ;Kzw zlw;I9u)Sl{Y-VOMvxS*EnOVln3TAF$riGa=GqZr1Yni!*na#}H$js-MS52g5=neHVN0G0uo0qX&801g0-1I_|Q+~Oq!1119s09AlBfM)@3 z0^R|90r(c+H67srp@2j{Iv^WR1-Kiq4j@cLJlG!s?0~a?H>M$8hL@lPOaROSlmS)) z)&W9+$4=Ov0*(XD0{k<97a$QZ6|ewM4!9HW0N`0b3*Zpo9AE&-9SDdAqyh2(6@ZPX zx6Uc3E5J^`bHF7K`3(ZB!*dnjTRgA z3&3{_?0pE|2hRiW{4(-d3#bPy0b~Ob0b>9|0Ox?$alprb7QhRj6aA>mWe=BO&|;nz z`4q)yv6L6)NVcZfYPM){Oq#sHT+293NvTCMDmX-|H4D?Krd=0pC^8kBN-Pv_+I7q& z!lP2e|mMp~LM+L_2`O`(~288tlxs2NY0ReEtfrD& z6Q=|ZZw?Tg{;pUaA+TmDWW{E-RAzEB78MDF7E`(8pIHFRi%ph-(mc)5!lEJ~ez~c* zbP2LAEYaj!E!J|AW{IiXTv%FS4%TR9m`$3|RLC(V)W!{?HKpYmO3-LQ01e`mYsdqU z%@&g}FBr6-->=KZQf@K@Q|e=QMm%GgE1X>!u`0!To~c4pYPD!e^EKthl7%M9pD+&Q z1shXwL$s!XRToMq)>o`ZevJ_f=Bl>rMuD7F?^3d_LVVtBI#Twy6K(-fJOn9u^t z@R(m-TCAbcRcg!@WA0+Y(~NE)7Y%2WIT}?`!b&$zlUrJ3EiR#wva*!svAP^nQgQ>m zmzA0eiRnGlBn1ngUC4k;YiQ(8{O}GR~fomToLJ z6MInu&O;@da*b$tkiMb#7GpWJ=9U(-E~u;!v@I$%6GE&u@=8&Y)M4cp zQl(RiMturaOMXx!!jz*eP#TCPn62gIr3;Zy8LE~X@sqa?IcDy7q5Y+>Vrs;40dcYM z5}8rPOfcyLE4ntcL!iIVWZ^9k)JMe^7)$a%-G!)>A`stNR#sY09ZfzOv4L|XB@o;_ z6~dFH;bK>#lO^F-ShB=eR0!%*K4zB>qhU}9D<=>mm)Hl*IakUg@v8j@|5mKTT*?4vFehCmkXJ8^`DK;)PiL6if@g4^_nGs)f z&&oIET1v|+DIFQ1al!=tB>d6km*%0C=ozRki+1uU#B7idr!n!L$%v*W5N^B|pnBkV zNEs8Bln&X_I3PzJ&(4t$VT!4uP-a$NSy?oivTjXqBQ(NfWf9kx=96z$7E(b)TTD_| zASruKLNhNXu0wZ;YR<2u=cNUx*Tv|psmG!g2KGf86lsJp2yM|!yd((D_y|d5!0Z6+ z)B+AR=A&4Q?-`$g;}?#j0cmP!2^!|5!~;)y#G-gK{XoZJEU!ctRD!uf3875wOT=$9 zhHR;eWVEU%E($hTsO=bJ?MQqEy?XX{t9~KhL_H7aSw@{w*3yE~BG%va9M{DZ@=1`? zH4`e77S$lxQZu3FZt11-hErCFnT633%*?Fhr1VtuvEAG>A;DUwyEHSPZmJM$Ta5UH zIY7Hx9#qs|*4rA;`!SxBze$vmQ^Zw5!kYj5hk2<70q8Adpu3$7_i>`%KG+9_dZ`bI z@A7!h_25SS;{a0HBawa}VCt02X*V0DW>9|g3+dng^GTnTmjANw$bD}|by?<4d*-jb ztBd*t-SP7$59BYbdu`QiqubYv-rw}pgYV_dSTgkezn`03GI8&_5g#aQKL}ob$_c#h zp~@eAxNq~(XZn75r|{^>*FRtL_SX5!o_>CDz{K${o%;Ff{&&53&o$QOxZ0M{Gmj7Y z_WNabH@`FTr>_m$QjPE2@c3sB@0hh>-;D`tCT$z{!?A}7*Bxwnp!22Ho8K~4K7IAx z;;n1HePa0c^FH3TdtprQ=6An8P#?eH@AogvxNpz<^WIzS?Z0WwpHqL_mHzye<6G() zzqt3SH%|`Udh3?3!&g4Pe{ru|WAOMV_g?+6ta^Sz zThie(_Z|*?zv}z)@wbe=?e7(HPEQA3dGgIZPaXRH>hF(UZ3sKPYL<1F@}7)m)K3=u@a20Ceb!;^J@37>MF(zq=G{l% z-7w&r2mbv0*>T_G?=C+#{f~2#^S+%s#PH&hkM4c^Ma#Q)Z(p^lPwB%iYvTU#(#qo} zUfj?(VAF~R12@LDhRh0ltEMUX&)b_`>pT3$P}4`lj}J_*+%R&)H`(`%9W(LhC%*Y# z{UK}KUruZ+Iyvfrd5;(8JT@!q`@6Fvull;&;Mp`XiV{pi#3OKJd!Oj zk4L!F6ftb7!O7$M;=R;I04D%Kf|ptY&;n8bnScU7EnpMiO~7Hm3BaI4gagb2tOl$H z90HsGj7aiQM*@lf&48VNQvl@zqz{-3C;+SmYzFKE908mF2+2qnPz`7SR8d)ZyX>KS zJ<}#>>Kwr^C7nnjOciM>(F;yadZo{pkd~S()(I$*E>=XwoQzDv6hWA7xMfD_bOWg7 z#DUQ*WmTH%OL-AI^NDy#cu8(goa9!^{ef|6OSE;Yy z?%W(OP#7eC7lgq>+~3{bT#A*y)6^G!`-=Go75koHE zKO%6%<@|=Y0uLE6d<2rFUk~|`)A`(`;7)&!;`aEOI0dvcfR>^7{@QFj&s3<(W`U*) z09kMYWM{*FF6cfFG@h?eugAL@@7Z~91IS6uG9h~R?w;NG>3!vY>3s?GZa1PnayY%+ zX#OAKZ}GzXUv0TxWZeDDdH1yV(2IUfwo)isZU7(N2;PL9O}6+fj0GP9HUs``{mEtV z_y3*#q!SX*TL7B@B$Yoj3iFJSUh3b{&uGxEOZ`kYzQ3$`_6harxzkB*6 ze&TRIR{<%l$o$2j63%@|FZ4V2B@F1@lId_fHVnr81Th(4=2+pyOlP8S5_=26`y9iZ zLa<+zW5swO8(|rm4#!A5l1{JC{uor2e|ei8H+$oA_wB3by_nt?2*L=V{m;Pemw!@t zHpSrK-=lYgNBrG!9}nHVogUe*{Ywz$m+#m+^LM=`y53pV$gTU2VZ5TBkRW zIguL(1J^I%BL0x~cK>CAKiv4c8tJY;f&>mREIo=p#=o4{k`v`gE-e?~-`hou&(FW- z9N@66Lnxe#f2rv?KyC2{{>3+L;vC*kc%t7)N5VCZ{Xq5G$B19wKKNKv_2&Ixh@+f; z53Y(57PNr2-*WyvxjhC#jn44zoxCTiWpf+ePjLQi+Z|UeRFgmF*S0U?vIXYvdQWt{ zJKFXmJiUAVIR83&fs~A3oPQlLSqV;V^>%o#-@*C!oa0N?_H&Meb8HIlnU?#z<5~)| z9&pYPFXNeO^Ig2;So&`p|1WDj@%xNBu0_Jdp8j*|iS%7qKWxMN>ra?_;SSSwT+W@2 zdu0zC#vBdzb!{fVy;d!_bF&$D^0nahz--*RRE@hh+p%^_Tr95NT3jnEn)*ldF~%v@3DU{`hVH}!T*eTC&CNg2thsl>U``Gs8W0q6N7 ztj5mqCI6CAoTX$;3yO>kiwX)6gyuk;o8U5)O%XUl(Q+6X!{7gH^YqK=-+rI*#8qz> zd-~7S>;H^-`v0AFwAfT$Vk**wQu|3OHRh!i=9EKR#ZZwX2=j2To0ONAQdE?}1Z7Cp zXdVT`{lx5aP&^wXr=*mbkn_-m2B$!v6~By1h;0^6w3aXd7_BZGZidTm5(2N;XWYy$UT1@5}aBzb&Q%eyP zB&MT5mlo4|J_N0DAon*$e}n5e@&-Ya*(`?mDKLi2R3$`jDl{fZUIcQ9qWBF2*0@-& zKoWOLO+`gP5Me8ZB-a5?hp{nt&fp(n*+#i(Hvi!-j zf=rf_wo|T8Cch^2=^8U+nhWy_L1W}XDd)*j6s3pCNvw-#CDs}1_#sQkcoA}O#0V6< zth^M$eP)u$BDptt5uD`%{?3X*@`ST|OtF?YrKnMDkeMT2)Oe5v!mCEeI79XsnqTl$@+xF}ZoSD)S70G^BRmWXUmR$kn2{tT|{;kp4p$iP%=~ z14%8zNphnU&7ST=31beEQf1-j9kQ8)X0%p{E7DGkN4YsUqFdcicoHfsC*gKZAnxwFSUIEy|DRIM|dQ7hb#g?ZiRtihcl{#UAva^bE3+~Jk zlOGa}B(Xy$+V0t#A@>Q1yR6XQ&|p22LoUr9LwuHu?(GIjpG#>nw=~I7WJGG;S;^C; zW*TN^W=)ur$pnDN%_Z$dDG0)!`{|f;3GI(UoJGhpK>uVs-%^$Q{NYYpL!02Y$-|En z{l*~poA7&6^jiK;WxuxTFpy%fEt6re)C``{t$=DF%_qN5mYwG=> zhG(-k)EX$8OH0ca&(qH{&r46vA+hUuOAAYMq4VTon89UvIV|sCFbU{Kw3?Kh znFbv^;e{U*LNN8RfyJzS3y?Ue2EBp{NiH^!=~|+kOs*_gtIf^F7=@c=_IDJ!)yTr7vT)7rZYaZmqi;3%AbAjftoU>)}R~5X^ANWZ`gs zfv_2~li+eLJ&*e0c(C_CbA>2WPrSs+%H5YOTb7rD;t5A5N#QNIfvHIhA1JemX^`7o zmd^>fTP6<&MOG$v7hH~TnLHe>1rq8BN0xCQdQCy7o(z3Cax-yc4&!}2y>q&=xm86f zbgx`)Iy?%i;U=peJ-Lw{-Zfx!F)mG;1n8~`^=KHuVp(wuj?j!#i{Knl>>r7AB3N*_ zxjZ*eOH(SL6K-0pF+?|p1G#(t=uCp#4v4n&{_PKR-!eb{BKwesfBBE@{_^;L_z8RI z0D1hwviPwMg?bu*{N+CcVYs{q`YGTc!6v*v2iOc~E`u&TY)ChY(O%V2;RanxAx#!;I`j@(;C5CP&H}eG zxFyQMt$`b~N`+Iha4*BH0B-)WaG%1h8g4!P{;P}mUtP@qq%P)dUXx6gDW!SVBGY72 z^f95={EXcAqRzP(OcLJomaQ2P>RAevj#)L9jhJefp$AMZ$xu|nn3^X%qnLWhEGfE1f)MCm?G8<@hV9Lv2 zDj~ucWmbA+Qu)HHbf)u=0i}{m0n!QSmC4c~G%J%7xNsbvUYS`ydQ=%q)dctnAA6-& zW{}!jR#M&~%;8c?pt%7F&<_wFY6e*uCd)LY*Cwp@K|WbbGis)>$ZE^DtS- zSeH6875)7wp6HL%lCV4i9V(Eo=r{$DN^^xz#2jZC%S#LxUAz^*pdvRbMbs&SHVJuQ z`bu>oVa-dn3Sm==X^oM^EnbJh3Rf-}rlR~*TCF~bd{UsDk~O0Yql!t`BIY|S7i-CK zniIc))Y3{z7G_O^nq3CX|FSH&)>l>sDJH4`?8HT4en{n$D#vh})mW5S$~NZ2`pI?S zfHk}cN_wC>Q9&q>rI=)<)RIc_h-$(}vFy{WShp6NM17AtT`7r#6tfUslVeP%3rCz3 zno$BpE@%kmxMELA&YDq@iPigJ;ee~2naWRq8#jSZau)-sn@yFNrsbKXI^V^3fg%6{ zE3G)k5pQADZ_1i#S}Hsw(HImbg(%z*#p;rZU6=!AB)X`aD$#yG_b-Et!ymD<(IBJGj9ll+44oama&vfulZIEhX+mi!`t`>Vmi0ww&(u@|;Zezjm1w7oK0LKgsEnp!bWLCl z;d-ew&=020jqNT8da2A}f0M-e*GWh@*;r=A*d}(8SZhkSv&3IT2v8(zYAJGH8;G~d za5wR8TKJ=cA!>%>JkpKhSf3$soY55@9LIYc9pZEPuBL~2oCdCh+zQWMO)Pa_gUEw_6>}8_K0z(wg|XLE z!4VVsNp5UZ6R}0!eB_=8txs`?6C9Kpo3dn~Mwq`aN}>{*6L|J=)O4htyo*Bet|JRo z#JFxFQslj?RKq7_p(r+W7R0xL@UT>R3=w8wlZ;|6Nd1Cs@8d7Ckv5yG%KVjX1`)6_PV>!E^M zTnrWWnaR^AFKI=*vBqeA_$QJFfPPp1m(p-l6|P%S)GLL7f|^pj?y+Hr{DEB6=bHLTqp| zb$TJ(Ed++<3M>gNMp7je;sxBVun+?$@)3QgBuw=`kSK9iM#n++x^Z?T%nE7LLh(>w#a)ydeErp$-SQs*;v zOqnrXNGUW^g>olx5kYOyj1>ZH0dV%npvF6yu1i>k+*3^0fybp7Qm*^hnu9K8u$HBw zDa{frlb#mr{|nsc($T*R+nyrr!AN^AnB0vCG-K5; zj;ptizoAc1P@g{h&I-v#as(aF-kq-FG`Im^9CrKJbqR4aQ5Ivn>-sw*IMc?I%F_{P z(_IRvW~a|M9BWt#aAl42o(7LR&=>MM4x}jj4UN}i#br3+o28VlUBRk}#U7_|mZlI) zNO?-J$6q8v*_{ni6n2q-kP2AHx2)2I1Qgp5D`QJ@&}q))^$IJGFv3J5*3h_dH1WNCg5<5GjqgtitKV*vY-R z&dXDj2eM+nvT^)59eGM_a+`GdH4%bZ9Vw_c4(Ir4;iiRKHr$SiZe!q<4!6y48$mR} zuLWlSWpKj)rOp)H^DSaUidhd8|7vIZJ{xx{tJd%g+M0g4&|6NW$WTs(F zszzrIWcKXdoOiiML8bOe_lHPso_&gP1j;c~P&1_oIfCLd+PZWPjFg0wEO<=1J;cRj z7*$JMoX+l-DK>YD36h~7!XV7(xrOMB_vR8#|9z<6BD||b|Dm8K^>bzLCwgn~?ujb+ z-Fdf+lpW}1k@v&soV%eSzf(nuhpDSP8l$V^hjxe>@aX7(4Dlo3MB}XVJBmI>FTS+Q z>A8QC!g|`B*|P8{jLU@ev(V?wmbr_O4ugK4@#XLBpxcipq1!&adt7-q`Lnzn^(e;( z(X(ZE_cS!)x!XFllSqI(om1b-&V{6M3=_~kd7PoLz#6n8dfnrZh7_cF5HCmB!0tFm zVLa_O(XRDZyW`{;MvpL)FA|30P#-77r7?(}<#dw#)M!)mOlRL?#J1m}MwtPcD{wb8 z^6M1CNO5|yHDZ1=2GUqYdD1u+DdwGrbo?)ZcM8Icxkwld!o*%A4BOpp8sqME*=e6A!ZxJs zhYO4I(f%lioL@GfU16)8{mPPlL;hmBDoa2biQUs#-^2JLX3H$K*gs^)caJL%Cx327 z{SLhd56Hv+_xV3b0dIlsCmI9M24ccQ*wpXNh7C*hQ!xGCvL4)tZ|i$-_k#QS9^CO! z7MwwO{uBba@9}g-t04EoaPMsJ62{5=Bk#ibyKHhoau5a|Spe}dHUR=#(ye200l14S z0P=_YzPz{qCS4vN6ZDG2Ll zXf4N8hvGY2oFaqi<%LTyC0S@PJ3Zyz2DZEkl!<7Z-55DO4L0q7RD*3JKGP2kCXWVL`^Qd{dBC8;MD%NtdU~*DjZr ztXm4Yun=8jPLweyEH4Tv{#+@QShs64$UlK>hiSt z;d$CTW5h*Lh%{;QBa9)TK{@$3I+Vf`8H6&01?eO6^TM>okT7GEtQ4{1J*gWz-mM~d zRmuWgydqgEaPcknL-R_Pnz5@$(y1;EjfIZJ!gTECBrPSuQ;|Q!YsbX)73^$Z!N6*K z#+20YsOIqTv)t1RhzIMLV#m9sD6!A@o)GAv+_=P*1WQYDr4|+|xmc3K9>B$ZQlF5@ zE~W%~(-wVP0J74B2C)69xPU2A-w-UK8=TCx9v;lWz^ z3xL=ulcgvvPb$ZH%YrjcY?j9b+z1~gC5wZIOp;VblrXSNxIRR$&&|yb$;%JW6hS`N zYFx;JON~2re9z@`xidVoiXN)fImx+{%%HD}9|1EJOgP z4Bl3fL_x?`VglPoh4qQH_kO#z>~O--l$H9FHQIh zX4K6i(&M=o(n^O_%B=R;aUz7FXV zIz05o&{skag?thjk@P_FX;~Hj_AJ8U8x_T55y!V zUZ1Kj(67-yqJK)iP5)QDCd?YPBJAO?C&T_0_I;QmY)SaT;bS9o5fdU-N8BIraKv*F zBO*sdj*X0sd@}OI$k!rUBL5osV`N~|*r<1-4@IAhZis1)c{k?6m}4;~V^p!jV#8zO zVvVu&areaC8~;@Nx%hqwBNN6Z%t%;~aCgGv2~Q`yknm!oLVV z9{#WJ{t;0TH%Htaac9Jn5idl%AMt6#R}tqT#zw|P+9Eeaei>>o8e>bj`-sI;ic zC|lIJsB=-hqOXtEMn^;^N2f)XL{~)rA^M@{jnS`1?}^sNoQSz1c6jXdvD0H8iG3pW z+1QU`zlr@mc17G>aSz9BjN2UdZrq``_PC7r+40%&tKy%Je=+`z_}&Qv6UHZmB_t(G zPnexxOjw#wl~9}TWWp;6I}-ktaGC~P3^4m(`Dky{hHDeG2ecn)Ki3Woxh_N>QWdf? zq#@+tkQYIfe}?=L5)~RBIx)09^besMLt}MGx-{KF-R-&;L6gDyQTn6$4!uuUpRfU8 zH-}9Rn;W(%tSkJNaG!{pi2EWQL-{|B_$K12NKNFJ$iXoRkqpn41^J9u*EHSUgc*Uw>2gi<$Esw2@JsjIVZbIBmaf{+gKx%HIz6uLsy{N zqT8X{t83RC(_N(>hg!_n*X#eFZ`JS7f3H8I4-HERYYF=>>`2%*VSeG)hK~*p4v!3< z5?&r&32t2hs3PTO;!${}g#HvR739sDP-jsFv{bvkQ|}elJ8Wo}CM*=Q#>rvnVL4%iVHIK3VfThT zh??CTwj=C7*hgWXhW#V#MA+%Db76zf0>+2y!&Aaj!)Kx$EDK)~{%H79;m?Qf48J3y zEb^VGQ&9t=uZ<4*|BAa7u$c0{KT}hpBubJZNrmKGXU=s_R8&F~LMVl@Nfcd#N)mEQ z2vN3>Bq4+lLI|Nc|NFe}`@Ejrr)Q=!GiScP@Aq>%ml%PW z4!s@Eq%miimrPF^_3f0ymF`L}r7!gRU8Pdk4waF3gFb`0SR(@w5(z^VA0m$IV_%mTlBcl#o#IVDlZnM}hb_1Kn=CkcNU9KCTBFouBtp1H}~VV*H{jD*!^tyvbTw3ba_ceDH162MV)t|Rb=8|TTzb6dIH+3)53a){_n7MDYrr zJW;VpB*n-BBoiyfmO>r8Nk7t`3?zfeP?*2p$Ow6~+(2QZFj1H(EEIlaZ9;0K12K-MJkAwj6o(KiO6|03g1TL5+{g@FzFA77sLl*FwFND zawxro?kKK(SyTRI54}o3f7($FloRDjc~gFrKNSeb9SYbTMMYC_R05Sqt)r5u6e^WU zr!s-na;Q8ipDLgV0o#iK-Ak!5s+_8zDyeF!1{m)Z^mjegKs7>_%V;fHht{JFXd~K$ zHlrorWTO2j;Ut`a?bo3eyMV$ z_&uwezNajf2pq~?_4r(O|sum|tkSEI50WPJ;Q{^I2h{stri+?~Jl(cx9 zYJspwh!-{ryM<$*8(s*X#d^TqgWX^jdLq_{4czIRKq!O*o^(LwArZ(HIAmqFJgqbX=Apztg76KVyQR1U#BFkdVNTZiq#%CJhT8mqx-u~(QC z=%_G!8GaqV3%t}1w39zEhgd}HAo7UoL^bh+&?9ZhspM)hg-j*W$xJ}t9Khh0WN-NZ zIWG5;hXdxce8X4rPx20mVT!SeWW{O4eZ>ofjOqe7Go9K)9f7)=(EVryJ%nCPZ=}mX zbM#>PGY-rcn4euRGw&H1aAhRBncc-!v7Z1{`f!fia&9AchkL@=@-#mRI4YIT=5O*9 zz{2l%nbHz?icnHYP8p{>th}Xssr;k1ld7U+!Y*h@@`_rMW+20j~KgzvzQ;+OCW zsM9Chl&}U4N1$F5!4YnW?ye>30izoU2`M98L5-x6+2mRB5lozhysNyg zoRp83dqd^?LA3<~Uxmw$$P4ASj=$^DMJ&#VJ@6!#moEgU~WKx))nGZ}Tw~!-vist}X9C#=;Td7Zpo-XL#6nfWm7qE1a@)-lQO-BOu! z&@;uLNlTeBQ0C%PDp)1^k^REb{1?81l2tk?30QqjuoE1h2V4a=!K1kkqCtNq2w9+E z@`QY$05p1$P%M-{f0PO3LItSxI-y=@5E{i^v4ci||0IYE(L!{PX-ELl0qu-lLa(FC zu{BsZ-gfPs2v@?52qr>_a3YF`Ccagn<$D){%Bv+_fx7wD8(N@jwt%wpRCp=80Z;uE zfr?;7C}_OzSO1CPm0~5ep7NkQX)j=BKiZ!Tq!a0NbTXX++C81lq%{~FCYw3Pc(Z=2 zKO4vfgNjWC-brQC*-SQz&0%GnHg}u5$2D+`plW2i7O%sb@fN_%i-DJ)^4ic1QPdYfB3}rU>8$H27uoi3tL?EEYJcVCG zl<}6TuFbV*#q8UN4T^xHp->LBL!-&%%?O%L_L5u5oA%XH(TldET^TpV19X->=fYKT z)m#l%%e~_2I8Xj0e~xdb)NMw(zfN$JGFmxHm@6z6HVco0TH(DQ36_d*C(%VRkZdHe z4I>nx#o$m%(K56glxHQ(wFHxaX41j*z_FabF5_kRzg}5S;t0(0W#Tb`k`(DkP9d*= z6Sa_A%WdQc=x|EzDfjvg;hK0a7dYS?b)PZ^7Le1U=rZ7d3c8Z6rfcY0T3ib~#(*(m zOc*mJ2G-*kbDFsdoI8{q!A@jDSW9jocYr&}J?5tH)A?jRjjsi-(o<=rB$XqTEo)gadG4Dgy;6`wOC^3#A91$z5CavfIw7uz8{&a@B3_6$;)nPn zfk-ftilif%NEWa~5mF55v;I5A)k6)?mB6*T&_YyHX*Sq0ED_s+hL*BHNQ9}7}K8la#QtCV)aFkz*zUc}IKkcvZ%tx#L^XS5pq z4Sf7)%oDqaUBfCsb*JL#kltiLev^migXS*8i|}H+1bj~!`1%S+bgJ(?eE8O%5_AxvZ|AIYGaI;m_Bz1a z6j4W}H(_pXzz%n0A|mqdE2K`n}6C}(OMHHSI~ z8v6qEfC{A-(q4==;|IPlkO}^dp|hBr){2O_xucjja2bGQ_22Q29&f-K@g^!BvgU0d zeOS-$;E#a|(o%L++CuuUOWB}oR7wPype5)uW9>I~Z<=yRo>am?pJkxg=rO>xF5vzw z!Sxk^k14@QLGPABzcpZum;{$Wg>-N|n9OkKy?yv`{1)CH4op=+zXXAs{*mkn3T-Ul z*Lu+ECE%m0`1pPg3@e{==r(YczQbPdbiH_!FNS zGu8|V%#_6(U<#S8tO?tXwS$R#$VxdQ@YR3rrDQ&zFW?LLBEFa};Y;~4NaQN`2ELJ( zC}mJh9q`;OO1XtUZm2w36Ans{cCAR413o(+DQHE!Qb^{?kqX2fbwS6Y!H~%vM=zoe z(YE?87@S2i*3ySrSRY7e6}TIogm1xjLw?y-C48G(u{$3DI(7yXkVPJ7^`}}YUN?{% z$xT#@asU#Ie$bC|6t^M!G6m$z1@}FfnF*5@2Y&kjjI-dZIU5e)2#(@7 z&W>~7oH$o-+#Y~pUYs}Q$N6)CkW#d8dofqSm2zcVIpln8SyzYGgN{VNor^l!i}&XJ zAj$ZCj zPdK*fNh$bU0un;e%eHXBH#R^Rf_Vha)`0E7IPi%Deo&EE9;c?%5ccU&w|F5R5$4&GsFrB zK_UU!9wP<7nW6$|01aYy9Idi037rStPcACxS|HAqKg~g#<&@7iQ7PuMBz%nVHcQyajr? z#^YfXlkgO9lbLunFyB$&y>q~N*Maly0pmRdzIz85=@-!29YARtg3dMvm2C@NlL4nW z6uib5!jqT++&2q6#{y8=vA}?9z;kT{$F&>$R%enYUC19GxmiK3f#V)kJjyfdP{w#wCNsjjD(wa+pYOptnLgmPH?+kJ6{tXCTb}D$9IQBH8v=yL8>L90WgtW<)8^Vp{IzYB~o&U;{$|=g((0z%@R5%84UU^UX ztMUV|hpu2GED)9o*}@^=s_;a3Eou`<)BSNYfNM1&lSLo{Sc;xUFGJd93_1>jqYcBc zDcD@_diNnM(SU@|7`Mjl@sapr{3WE=gCN0oAtH&T;CHtY8N^X=w->?N+#)I<-Kv3n zs}2&bMo6=@NL}zb#^7=+LG@vv`IO*xT)^v$BfY=_`jbK6c_P8_#Dm|-gtP#55AMst z!H;O@x&ln(%|=cJj!mzbFGaQ_RBFtLcjevqP$61K6jDIv!i&t{Z>a+x{#nU}BH>6B z__;shkf?6|3G*wFYNQ6KRq2pCG#?dbw#7l1;TBL48^}ip=y$GFd9>h_H@@y4bAT2f z_|3&Np}m>Bt&ia3cC8Lc)F6KU=#f(tsfu((rXmZD<>e`=|67S)i%)3E2NH#KLNZjc zt!sdqB5IOAsOh(A{M82-p(dyq`t95M!PE!h!7%sXcoa;2Tr+}~G&|smztyQS=$C)0 z#b0sWzcoXOYm*kWtwoD=DOQvyN)=^_a!73}71fFwMXjR#FL~%cC!uY#hhRDsjx|Nm z(R3r^+%1~dfHeZ0V#ZoP?rj6dRtT12IZ!PvoZ`WHvVV2fIb0r>&lPZmToEU7G1S^l zO_hm?Nr{Bi1Bc^ExvBDB_?@?!BoWp@<#?`; zIgX}$r%{#s>5zIb^(HX&7R_FdQ#n0XRmR~(dPBM%sLIx(R9QzNDf(y8k>sdSu|jzf z9KR}+m&wZ^9Sepua2+U6arIs)bl_No0aV2ksuBuFouE>j`H+2=s}gT5NVi3e=>cg` z6llwJtw~XF8%J2v?7D5>=#B>zOC~c>f9&5Y^o{CVDO3_Y8N6q%$@lMj|>M}K{ zh6M4_>@Yx6DwD=4)TFZXk>KFFwRxr!(q3IENtgYo7A*n7|NgZyvx&wrPWxr!ouiY_Uo;Q+`4_tDDDHA6`^@xMgLEWT{SEv-K3!c+s-~v5c*D!jQ5Q!}crkoy zSh;2+E52v*o=P=fe_~dl+DLm%^|3NdeYJ^$(XNQT_&`fvXFQyJ3%B<)v-b&}jv63c z#HZWoYdg%JH_ZpG9*6s`s=ggO+d*H`!`~+?bUJE^^bj}G);DN+!pt82@-^If6t0wq zQ%})eh^hE%b$!F;UyC;^f-8t-2g7NNX7+=Tp4~d47>Z#i96f-46T5YUa}_Zh!EiXV zN>4`m-(1z9c># zFYp(WDqR{D;x!Q+KG)4p7@Yd`g8Jw!*>?idHUuo6-f!u$bKVBUC6`%)dqpvIy*h?I zNHX7d<>TkjD66L*U3x6pbAHFb+?6kOKh3r>T;%gHWp3xf$8I}^KbidLiS8bowCw3- zw<|W)mPG9u>E!UW`(uZ8N!oY(zuAg|KW(5>ZFi+&aEzjBSXtwJzOEogKNjdoJ0%o4Fc%v&DAnRbTF zr>M^H4GFdlRkec9wWdKn)Z@WaK;6Zj-?~XxRgGEksv**G}Rm$zV=25o_^rXIXEgS0?l@+8w4+ z)u?*n8>;$cAchdsK-EmPnIH9-7>RoOZEGWbT`~d5{?-4;r(fEeo*WgcIax7v_n0)p z)h|qv+B*cjpZ(G^3aR})V0E7m?JjeM?aie-H}pTaEzkJ;nwJwcN%mjY8F8o#-L2)- zKeF+0r0ICqtm#J2BkZR2-4t}`l491<-dbx0zo@!9UN8-FUf$nObINXNmU)+q(cPCW zK8nQ3GGO9YHBY?mje4r&%Na6ARxvB3hp}7Rh88FO|9Xa+W*9-K?`9aITV{CLe`|)} zwDG2u81V0A*gaq-+#^ezW8&Y=@sGaRv_rwkK6@OTPwIZ%S?ANieM4T#{rxtbTrLEC zjpy9QcItXvCJgvv@1{+6Py0k@PrB?Hzu-x={c!V*Z_W*{KbuzJpTEX#)SG40@y-|e zyz}#{>x#`8IeuquLZ;fC{ynb^e^llBQ@0h^q`WCxCT4B7cGKs#Wyow;z~1+IPTZAOp!Rj2PB9>0ox zAlnmZe#j!%_EPYL(<7H!YJJu|wRhAOtw(y+^Rlls&2g-BJXFdZ(Gi&w@8*m$X zF(5o4>xl#IFJvGm1joc(5Ze0qMS z?njMGGB9d|;l<~N9v*sLWp;6Hr)wKSE020TIHl-iAO1A_$Te%3Sw{BT;l&C4*6T*! z?A%!8wIFEJ6kW%mgM&Key`Z)pWbU<}3zrN=e38?=g^{9^FfVWE~wdc1@dTe+_ zKL*YuraETzTWj;^Q2oTc(gR&nZ3a2_xNm;){Fm_L(dXk2#wJXz8qYITuX1B}vui3r#9y^O0DM8i1+N zW|#^$x8Ldh(7HpfPmjFHtX<>V!jv|^)S@;p;p~bUA_h=%kQyBUjpv2JWdLTbp?

53v$AR@WCLK+~Ii+YAJX+2Hwb z?;!CCA(av#L5s*ih9L+EN(4IY+e2jjf3|zgpQ!!sKN0PN^lsWY<8M0`2p0~R;bu*D zSrP@(zY{1Gfqmr$eqIsRd{WfXG&YVdEU}w$W&C(-!}RpAC(lJbJn-eoSZi$NQ{O@7 zew|))_G#Gb5t+MAJ#f`}JnnsftC@vgUjCVTpXfPtfedC-)5*8aWB<($`yT(`aPw}^ zQ$NM$tVwAEEVru%fC zlLqgXE!t~4Eoo4|T1nrq$U7~-HUla(?Jq2^8r#0&*tX!0x_Ybn=B3iV6(A!20OUZU zAy(;q)BD8tZX-ZK#6AiM2~=HM6EY*j*GHu}X0*INVBr+!N7T-WF^s|J3LC6<>{5Ey;o8(%!WD zPoq=(rA5^r+)sOUPC0cqxAU{KUvKvrQ95%#_>@T-x4C4TbR~v8>K8F|*yRhit#jx1 zIOlun_diaK-g8K8gPr@7$n62Ye<5t^jaLO~50R{RWHl&jS%+t@ms!>ql-$mZ*_@%U zp`P5|?A|wbo#D z?Qv<#vjOuv`t*?{j=5!9xNx*v(vN9BhKFuky5qNFn&WA z1^0@-qK^+vUL9bua+2qwRR?Y*7LGwXnXVhODQoD~F!{bMgT`L#cqClCCSk9B>AcyI zB_F~f3S4e1>)F$#!FHJKMEOhGZeQ=uFItrB?~2b~U~hgiS~7n5V*RsqV_n|8Op`sz z8ps^W-LoR9;c7% z2*j1jJAY)X@zM=moUA_z>+v;nt=IhbshOUakyy|2wd$b;yX&Wd5A={!FO<)qK^mW(9+Qy1-C;3E87Lp6Q5|O z(|(9}!@+r>@LV&3chE6*Q{98k%pI<3Rb81kRQ#I}O{TO3=Ks}3NUYjleW;q~L)E~C z!i;4ePAS=^ne5=HZy0TVd)LxZ?ZjDcmQ+0KetPIptZUEsr&HHEwx^HX88@TgQus8r z06V<7HuyL!hb4?UN~y*~`7NOD1MT4X7CKW!#wR!RfU7 z%a_ZKrBzAioz*B|H6nYAe(f;XP~8{lzsBf(#)9p}YhK+8I_2`mQv6<@n?>RMyh^_~ z#(w;9;&Sitq4yWJOG{Z+WxTA5O`>%X6_x4t^VHrQt?b6m?tY}#nAcDCHVz$5F!$`f zdIdHXEleJ{IyhPBhF4skZ+)AtzDsy7JoqK8>-!PL{pvlm&+e?wyx_BBaOYjrk6l*% zgm|Ex*oS+zYmnAE1A4DLY;@`XC znc}BQcgC)c4*X@N$>}#kU8o-6_jYB=`lf_+jaC0G8uz-p&S>%r`mA=lpiKSZgc_lG zhSMDBS+#)r6(-pES}xYWCU^={+5vF!(*j8fabP-PjjHm|1Hgld5@{SOjP?~Ak*aH z?HmLVIu)hDEt7E| z)=)$)?rtyHAUIonKzhG)tN6bENXB3q#9J+kuM0%_h_CA+GeL}7`S&lBhPa6vnaP~t z1a2)&&6zPekkcWornV}ui#ei@s>%L`^awWKa&)InZrO8Q9HJ^rs;LikBjzj&@4K8) zFVA)F9A>ayXX2MG{mQC~y#k_j(fv%ZCbu2k<@T=6{Uc$BiAQJWV$UgeH#^u}-@jwa zb)8KE@9NK-MvW=3oN(h<_VLBpQ!T$FZEz0uUZHGfh|E5>w`#0QcJ+)t84Mnd5l5N2eh5`(DyueA9?+F)8VKWp`HY}I^^djFB_rmRVx{IbgC?L+-7GZr*vXlK_*oY(T{K4jcjXIac~ zJ}KBBa+aa-(aLh^j<6l`S1x_;T6)J@@AHt~dTd%e7>(7K3iL2Z4dhnLivK70SJV4D zT56NirpKfp-CL8=_Ufokt4@U67BOk_NE_7!2mLM8?TXm6d8C8(L`>3+;a(8mUlH1R zeIhdG+sDXIbD7z1i}AIR(f;Sm6-E=zURq#t_U945`+eLKUKE<(yz@7W+_nS?0i`Tf zO|q%D!>P>&u3YN9Z|Hh*z1Q;mcgnTyF(XaR-?Ci3)Hd|Xo1n+l+hTrv97hoevo`k( zD$em(ekLdO=h#KHBW{*0x};XM?_ucYnor3(`+v~QyVvE9!^b}TVpy&pGbrG0+Sz*v z)elYGbmKC8>NcBQevY5E`_!}3#E)H;+}5*x_`$HlobEN6A4s#Ov0v+l2Rm9aqn!^&Pqu z8QnPEe(uZgt+!@ql!PBxYEjiLD0kEw>C)wKHS=Bv9t}A0VEKux%>kYFk1^WxQ{>Zm zI(nVX>TRp}8uh})ahKT^85eHc@$>6r1+KxY?X@oU`_pDT|I)ocVeL3s`(Vrm&Gy4z zX3R=;BfXX%u-m+BoFwj+*WGJ}J$5Op_}5?G+MYUXQB+j5@c84JxHX3pg1jdh?%V!c zv3KmbSvw~zuG_mLWa-uiPhBir5Bo@RzlOyx`hA392YLR){ar>qt=edmNp5jp^N016 zmxiyc`U-JJ9lQ5)T(th#2Tr)AoYW{duKq!A)4tHSRXA}x3eC7btJ+{CDcNVZI@08#8-N_@#W9=rf1UZM>HQ^i zY_F*?Kv!MOSVNLN88P~{W9q1O>w|Vu7^Ie?5$!e5P9VY{=fxD_l>;a_5m3AJw=xuh z<|%LIZjTtHjkCN=dXR&+K`cVqO;QnC`lUGOX2r*+T z)3i6Fry|xNYZpf7`UmeIt|ulYRFNr1bj-HpC)^lZ=_K4-yu(UAnfqy^BCc#*bmHxx zdvk8=yO^E6>VfXv0fA{(PaPSxY{~VTH--p@oF7e7Xg!|nJ$BPCa~{36o3(jpP)^bO zy$Qm{o$hs?S^J1EbsAd`Z&#yP^6r?;vO-tQ>3iF~Z0NM$TyEbJjsqg=;+KCu(MMjn z%{O+R?)&Z2r0weVzOv}LN?%{Rn>y1ss{`Jtyh8=dLl&mM1F zj`F%=ybrj$*9R+TnfaiG-reZ^z;W(NQtx@K%dkMxi~>-82E$a6*X0b;*Oxpvt~`d>&>zp$ z4AbbzFm>Y@Cd>Km9{0X!PSPAN6M+)F|JfB`)KnVr^5Id)2z_L%L?~P?KEuq3(5qEO z6~nCPjTebXeUVrsmn#u(BDiYIoUV8=2gwHsG`n7j7)FHNpw9=8jum5O{E!q#E>|MK zr`MF|P?3zC@PINp7k8H{kzvNV6#wt>AK*Z?^@{mQiKyNMP6%>@36>sS>$^y@_iQhevABoMgG>d zlq4p=BEMph150a-yiHLfzhzlehg+*<(J{rgFuYexR@7u%u`IfUyL=r|okF{?kO{Dx z0_`T`e)gbrR5KrwEUz>2?WQ)=vYT$zWY^hEt#(t3-E>7^8v@ZXAM0zqWnOfQF?J(J z>_Hb3Ni&{#(FO`y*8#GgR9e5CRe!qkh4C-BvI8UE1}O~?9k~)sx4VLW9mh4(f_6|$-E=%@aOZGm?`dqu+ZdpHv=4zU2XEA!`qkP~Q18&#(t&;n8}lMt%THeoJA0 zmC$K_l~8Ust+AU{PPGTE1EL&ji#_NP45`UGuo^tl%g}UZF1O(JEs8rpFB0kdet7Z z1GucWmfKBzw0*}i0U*pV3{jnOHffe=4?2K4IrgAqn7V{NT z?DHV^wcJ2}rn_?zW?laHw%yK&F8DRoYVxtB20$}>A>9le8_zx;Z8sB&Ci)PPP8oZc z-JnR;B;I6eVqbeBfEXR0t3A724;=je&4O7PM{tH0Gr*ci>wzxQAWnvg-Ru<@E%ye9 zI9c(tSNK6Y?Lo^(&)|g*hlCI|kn2imJwa#B!AJC$X`SWcWa9%qf5FFY4nEGt{LCVp zJPS@b7-^m8XG?^Pfx;dfpOmv_TD#1;{M;XQJLwZGNSEl(d?lqrxe4onvVqn z!QgfTegpvogF_*5prG1qr`km|kxpbr8wA>VLUcws+ve-2c=vd6tc$=yI-VA2?p@<) z40Md=6YG1n?stx7QCr7&o^jN~?7EHz#)FIp(0h$1mLO;!PksjqG6b~D0b9-!w$Rbg zvBWznQHh}Q!;)n}8w;JJrazEM4m8PsS$DWBXbLI5nV1Fr2{8I<$D`imZ&9!&DoCA= z@MxAW{>x6|p_r+WH!5I3eK;iMTXz3t4W!1ROKyupx6J`qyMy$^at4M}cP<-#qB>$| z2urCPoBCMg=i`X$vT&R|Xgr!)sE$N~8N{%5QVP52yfwQKLNfv^fwFKK(5@L*ioEUq%jaV{ zt>bt(PBTi@BRY&sE17N?5Mv1K7~7|&L%t=&qif_1aIqkVkWj@*`7QEf%N)W$TyJ4% zhWIP6tZ1hZ9y>fBmU21-LyLg#q|nZx?_g}z+!TP?0a`VH_ZAVW{1%!PS;zBkCUL6c zO;xA4(VC{f`XDz;8Dk>!C8J?7SkR#_#>3`C7u^<*xtFdqpe9-LVVO8Vq%wMW0a!GZ zxMtKVv6~u+&NkXj4aJP@Ggv%$Da2*CMSZdk9K6nJ17R4o2U@BFnZy^n;P4>9qYX&M zkid#scuLxJ_u`ewlTJ+sF_;>-qTp43>K;+KbWx|vhcFSK%x#gk_B;?ae*w~Cx)CSV z)E9##+CgTw#eCas(FiR+1yv5hyab>EUHr|r?WS++LDNu1Cwi{N#;L^&XU?tXA)pY; z=~xel$*8#>>&|45*8+dmZmPALHrP$4?WSY)p#A8|#SaTnLXU#2?}{$mwUD>V=-W3S znvrBe2y5&g6DHX|CMr?Si74ggrCa7JfzbNQsX4HdmaLG0ru(SOXy;%!F3f0`Y~nZ! z$_2Uhv(`8=wDzHf*gt_(4dzJT9Ud$c_$7Fs}5xz6Z)avXhW_OdI%m{i_W z=TyP1ruNH+h)Ek2AQ&HFh9hC-9rj5=5Q;cG(TOMpxg>TyMl*gtT$% z(1TuAy>|X0oC!dW&MrkBYShqwBRrDcNp{cf6H_77T2k9hCMvS1N zp>y%!RX)cRvSz&;J>J+0OiJx(9y=>`(YhTK_xzeYNGk&tF0#7Du8dJp~**q`v1wElPaoBi{DpTC4g%3pB@f1iTQ|4+#8<=zhd zw*47@6`lF(lX|y(Ah18-FKPYn@b~(U|9$=v8YzDz9sG^MI`W_3uLb*aD!&1QM-B(R zll`66nZE+(7|rWwzLMs|^|XhQ zK!QD#?(;&)F3%oHwy5?{1Y=tz^sFt7E#u!Cro12kOvK}P!6xAg*v$j15;Wc~O zmf`0AT3z#CYN35>a5|Xj%>m{`0gV6pI=oTX+~M|5pLNuaDGtyo(wP9;%x)xPWBU|M zr!Ry1OE!_VMsJ2$DgWjbx0SQLH*4A$b6g;qV*lj_@%E%ADUj`h%@eJb)fqEvhoAwr zRbI$;Bhyx6=-P$IY1fc3T_( z%PyFbZRNi3$Xm?ujB)T(TdyvZP$Le~{EFS}I4X#;zGn|A2Ri%5cFzNdoDiP)ubTBe z0vEP2QoUYOXL|z_))#x*MgZCAVn1y;8T@Pjw~;0|piqt9PM&P%Fo2cvOC7^@H%+vy z0`0cfa5ihRlT*1+$_^)?SR27YkYXD|dIKAcIEzVa?qQpcW_Hshn~iXnP$6V_S-b+em*nA%(#UpipargW=gth-`YA?H;BXTtAr|{TRn_gaWHaYIF2mG&YA= zGp<zH@X2{awP;5U#B72op2hCd&y3h!rv;a~y+!h%10)}`pX8DINFKKr zdBN(S^Yqs3G`$VlMQ@%v=qyQ(=PkJ816H(KXo{f&DV&1g5buP;u3z{0-iYapx5yC`^h?}M zCfhNw&ao0Z(u_)Nh;g;y79;mF1mRA?*x3PAzf~5$<>%3?`69=apFxIW#t~XIYg*x) zwwg7!$kAyC)BqtH5k7Yy2h$9S0`f4Bd#I6LL8ZR5QcDfOSMn<&#JP`9--Zg>)SSZ; zze_y$HWbkw^S+U{{5{h!+gezBYeUTYChs>U;bn7oKz+OQ7{@S2ngY5uSZK?eA1EzU zHfPf~6w&CO<~U*s7*iLjwPENNCV?olwy7AZ95fn`dird8n_A%mHo)r-w2<6}ZLb}{ z9>?zFLG`N^QeN+QtZD$)qp3EGFX+RlY zR*;&uMD(VxmC-(d3U8)b$H#g!_`jYMSTnh=M5z`!(u)*{eV~!B1uP^f4w{cs5nGWwqb8%%wU)TsgG$O#kxdFzU(sjALt5= zFOVknHSzYj&8ipH&8k;#BYr^rRNKo~jnI_O0p9M5RotrJHS=N`jbNJfofiL>x?`no z5#n5bpWEzu+Y+vUx9tKDas1llgP268$E<|^|o~=>~pJ!2hoU5meoy%qfzhh z3rw`euc)!C&g5yUGm!CF7iZt80r zfO^xXgSR%U(V)OjdkeE@3nt)t+h&Tze_1H*gdht6Up6C0ALd0qjLG|i=Ro4R*t(LH zd=}n-FdpHNO~Dm>(QYDX*L<01pnSB5YPhd7qseQwQzt@0~YMs#Y4 z1ZeC0*B!AQA&a!5g0Rk(jm`DHo}WIT?q=gqxlf0R zLTx<>|ET7Yc3!hC^SF+p3@w zoZNDL5MeKzzyrr9iGgu^&&T>12gD5_x4^hya_bhyByI#vqPkf}d5p~i6rVPS z@`*IoXHI=P1^RQ4WHG-O`sG;T;oACI-*?!cPs}HHF~8_92z zw*E5H;%%wmStj|2PFZr`iCnZUx&+&`? zy90=uH-H`tzLkm#15M`l-7NH>*~js7ITxA z`IeU{VjE$bxxt5P2+?D<6UdEvzOkpdfzN?qo;a}Myb=t8(nvi6QIkv*LKKOR{m>Me zC(=Bf<_el;(R>=sb7?+@=4zU2Xa|P)$q+>|6NUM2%X zDGN!46o}-G^b_c~h;$5TAJQhI{lG&mVp6!Le>^8URY`FjnW0Em#yF|aYAW05&)1b#5xUA$rIbEZ zNuf?(WYm`O2_(WXcBP?cfriP$FAL^!k4$W6Hh+9l=6Jq?z(js%c|7na3FRe4c@g9# z%BC_0=@=V%#Wz-!la35VJssbqg_C4unhM6?prM^1D!#J{L)s}F1Qr=JdX*8QK?4Js zkP;v$&zq|*5Gu*c01e}ue?ER>W7O&RCAzZ02+}8H;Z9gPKK^`FiAmGmeIX_kU4h%G zGCmu@+*!|onpPvYAuD`HQ=w7&rzl+O+}XUHHkavS@M9oD`~31%W$Jd+pb3mEDl7w6 zi^_4p;T2;;^bYZn$xrP zs+~D|&juJzS{de}NX;)-;U`j>QZg0!y3)L&GCKKuC<(u8G+#fOUp|`8(Go%Vd&iU$ z{k?O_VKZf=>PXlDWOz1cRRV@)=$9)Cg$kgG=@ zh-|xxr_;E&S`l426x2|nB=k(t7)|;z17F2QiPIQP!(#Zlaw7L&Z58Gm+y;LZVE!wh zt*GwM7AG#}cslSA$iILPV{yUBF$SSk&dMyNx8SqcZftYfk?awNV3lF$i^WIjr-zVU&p&zuFAib&%rp-xY#n; zN_0X(wwV9H3)?4VN@hyt&1YW|>*je)td>7^)#v#G__ZO!B+GJ@@E7LhigOLQisU>~ zQHeUYqNq$H%ymvpM7cVTQWJ!nBytfxjZ4nL?v49BApLD%NGWkCD1*uG2qTKf5Bx%4 zZLlsSaX%G|VA=cvtnE0uqCXvsNS=}vGA$V;{HC!pYzBeh0L-Oc8m(8|8Aj_Z>jYEK zdMi7_XuZ{)U|F=@8suaGI9jr3Jp@DCXDb{E)OH+7I@{4jcqFgZ4At6_&--!=AXKUKUpm=Zs7>p^Jf7f=N!NFB{0WW zajeGd@<2JyK-7{tlr6Z?-)Dxf0s?9&hn{q4hfx{`-1QOc#;vDH;1V+Gl~OET8LA z>F{-WyVftzYcz~Ig>XG*JN8_gXzOx~X0EbCWiUFZ-s&?+A)lC;nXV+hl#*`wbWDsl zp}bIIbZqeQs<>@OKi8g!OUJD4qPRafGZN#zKP6SDq=dG)j5`&cY6(+G`^I*tGvQ3E z6Cd4IJxyzIJIKxz&v;K7J3%=yDMPMQ>y&W)7~tY)4HqZ{5o$ofcuGZ8lD<%>Q0WaC zWhR_L=v5n3R9=~{pOrzeE4>|F1shdytwOrNH?ux2R%u144&3x#f7G*Reo5)B|M#ego z?BKYeGQ&F2mSrk0(cFW!eGXiyI(?}M{U3FXF^lX{2RiUhny=9pl;|or)Jo7YiSFK& zsYK=iJ7~sl?-2%Y46hZfGjwWGiH4BPwP2Xxchluy)N{_hlMIx*+kw{+EkH-QQYVeY z9sQ5f7`gdHtf-^6WV&_5sv{$mVIayWm_O|D{W~Zn+TxgnX=n-j3p8bf!xJIguQ|9f zQJ0}9)#=f4XeX-aOgpF+q3+l!qsBmKGm!K_V;dL=MEg_$m zAff@StWc`-h4X2T9h*AmD^1z_BE7B*@f*+-#o^|*eM%@zCG3__l~;mrN<5>~YYH(4 z^y7F#%q7_`G9hFvntT(~u2ZAIpha&~LLGsKxzAZrLhTUcp+Ke&pxje2Lk38;-x@|$ zUKCzx2#1Fp4h-S=t0hLnn8Hg0;ev3EDLXy0%Q()dG2!4N2uY=EU>J=jJWu95izMUXuiAS2jQPAmA5vu`56?%<_SSBfiRw{oL-ctSLv&g zVciVOY!9;Hag&spju{zGZ07<{o1)1x6&7mrPAX4R{6>}DXev*GFy=5u0^v-?cq(=| z40FGH%0zj(NXW@rXW!@lO8;{lAYYoi)bDVL(`R=2$}X{;u=Y45qEe0!^k_Z_I*#VI zhYt;-`84btN0z-2{P1`_B8R@d3P*i@9@Y;vf$`NEebIbJw9BE(d?7!KxE=hVk^K3> z2zCS){2|T#9mb-?8Q|h(M#BVm0FWuglHmy*o8$#0~+4~T`he&)5F8>QS0u2 zIqAIf?&w>^hZpBcINwCV<&-Ak@~Qdlf$#|5q_Xzdo0B{kZ4)ueh&@)3@O}Fz!F-Ip zqy#`;mC2}sTTzrxV|Ii~8g+!PZx*mLf}f$lwRD0f2QQsDL$VIlatSn#Mu^T)XA*ho&zs7{UMmpSfw$Gx1p z`|`Pqix$VRPDP9okMIo-_x0s^XxH5EztlvkRsWzIlc2R8`iwYG1mhC-?KBu@JObH< zLQqBbO&m>`kjWBFxIv4*5610Z z##gD;Snfzz+Myc0Tm=q+o<_4NiFdSzvu4uxwx2}(UG={;4ZcLqI$^=kT}02>y^9F? z`X(7+lk(shk%1GnCxdPm)OHI1T_(1HayPFE6=3r?jyncR&%{XEGE-?Dcl44+d}8v) z+}bT9iaL|A++-x`Ol4mIyG5SKT5{)=>(D8(-c;w^trxCs!hk2xfnZ;+yX*4%-VM96 zKU(JTn3b><_k0In9qddNY|Bd6pFgYf&%$}o`Ca$0AFg;VCZW&2sk0C~aK^@0;@KGw zcg6Fcd-kAzRxJ#smM|g_cYFZHOv4>Fm&=VwK&kv5a58@@?*VrQy!IY&e2LxuHwRJ0 zak()B-ry{@-#Peslx^6(jc$iy9l>5>FIhw!7l~EMJ)NbFdu&2wX$c=2UvhFB7c7Wi zgSj(mXhK|Yc2;V*Bp4cx-miN9tNl zsmc&uT9mKX8FU54aBQb!Dnn_+d_geQ(6XWe?8K(J_6AgZek|ew1|#u~|3Pe`VA>8X z4cPMFAiK&@280}~q8E)?0mllyJP!5SU%I}Q)7=t=ovxX$DZ!~O^0;7?0Y{R$xf*>i z-&B;8Pc|lT!3C-kgC=-PJDS)rf8I&#m`)_cj%gnoZ5|7bl*1h76_tSMzaMU=>V%CB zB4SnLK;bO5^fJIlDAFhs)s>Ld?DoP`g{51waK~!{9esom0gw+Vb#X^xZTpF2|7cLR0 z*@7rFt5!w-4F-vZEr?bLgyDGwc_NHLBMHZtBE!X!0(B&-5=5$`E~AJYb0>FW$8?$q zZYo_W{ryBzE$EP2?5fqe3Iq1Ym zKc`JdLjxlbZxVuu3r1HWVKDvDBrZ6^X&WLO zKi?*vfH&j8T=#gq{Z7^oa*=%+SsPq0KiF|M;4|XOrXqadR0wQEObMd_<}#*$(V;T= znT;F%@Tl{jn8~AmhIA@30PtkgDaHDvLj5XGqe6*%okPyls(@FE_hk$pedvJC$W)+) z9yR#rNynJ*P7R0=y^?z5O2i)~b!(?11$7NfKBcd`Q@zgk2^|D4S*yHU+D`>c4-6gn zMN9+}jl`mE6w?)T$yklFUKwa9aT!JDK2n%;{393ZwgT~pHa`1;p8sW23)<}ty8YOtA!fa{r zwg_?-LAk0XEXT7qa43L72bnQpEJl}^>MU=hK1=1GbNxG|!BrMg(8diKMS%((j zn@6faS$Ioi-2e(Z%Pqb@Br0~-<;8HlgyVkCgWS7X{2$=|OAf%%U*m?@6{}}gu^ZV& z_8Zn$uv+kh;7vh;;EdoSL6g8k=qKza93zYut`e>nZWg{Ed{y|iutE5R@LSq($#ltVNr9w7vPiO8vQctKa#7ME z@sjqEu97|?eNy_IbicGtdR%%&`jfPaY@lq2Y=lfCOOh#M6|yH}ugMO|PRc%)U6Eat z{VMZ|=@Y|`851Lk86Pt_CO4)e#u~FO=Jl9kF~7##j`4~e5IZzh5*rsQk6jYGBKG0f z1F?r2^SMCC;XCdD*=X$QIiFc^<#Uo{n_DcGCQ7Cuyfcl_EB~R zyPJK9J;=Vxo?}~C4*@HP6{HC=1=9p`1SJB!V1eKv!FIte!9GEq;61@r0Z-UP*h4r# zI7%oMW(o6!YcPAeg|7$?2FV>37#ns}6#V?7EiBE|?5MK~Ci(AEkkwYUDbXEMH!>aQTw9aiaHf_HtKv- zQ`D8HYf-;pu7^g4MYGX~(G#QR(b;}9`pM|$qW4Fii~c6MEjmatND?dwlSm~A5{0Bx zVv-z`9Fcq=`B-v6a!K-|b2AFDsJiWG2}IvL&*IWHqwKWE*8$Wjkfh$zGDZE*l8h$&Q&H z^8h4gW6U!#wwRWfevq5+*o4@e*sZZI#eNj~Q>;90dfei;wQ)P+&c|JgW8|GiGLz~OZ?9Gz45QazZrit{+;*__RwNq8b*OTx~Cy$P=*yqRz$;Z(v037;lhf`t8?@GEh=;AHfL&U>)E z*#YcW$k#+Ri=6=(D}v#P4<(lRrZ^V ziSdf@i|HBDH|D;WkeHD%Y)n*4Y|L29&cv9km>Ds1VhW(&`k2ZXIC%{5YRd&XphGKR zMb=2xNj69}OKK&%Bzq0ekoAnqt!Dsc;63ues^y0QK$Vm8Dfx7&U@H>;O`&Yp*~Kz)#lT2MPs_(1Tzw zJBYmY=+)ctnjD=XU{qR8VyVeV?0tQ@34{WnP{7h_MxSojs|rP|P=pPcbOt-yh1l#& zXLr860yC=+Fv5ge@Vu=7;mg3E8D? z!LAI#gn2A=^T!0c`MNK4b7NlG`$}5Y{Z9<+>3cr3>e1kwk-Ccqh8;^b%sqNILNVj_ zz@zgYPIe1T-oNc@d8_U92kMQdgFo57j&Z-4@#EqBucw5}J)@Mze30^9a!*5_rPiYT zqu$+k-(LNIVHxuVza;ql_sJ^v%xCsoPaEx7Dc?E9^4|9wzrVfu>zstR6KgL{xb=YO zQkC!TEvA)8o9)LvCU4yHNy*m7iXPI8FfTtkC-7LqshGge>Xx(&?q>XAZSZsN-2C0R zaQJsOCk%M-+4?QvFRc3EneX-t@4ZNMbHltIZ+)%UcK^4te*3ojv!l1}(eTfnf85rv zaOcGFDfWI}r+BaJ`iXW~^{nDbwfxMS)WumxdM!L&b@kMddG3%-x9v-QW0%~dQ#q(R zuQxAHx#@aY?&;IUP3Jye^mD?6E9un{pR+TBw^L$t@+}yECO~4cm8qAZhQLMODSj(=6a5T=>m$L!1t?0!b$w7D}BuocB-ZFv5o1OpN+F z9nK^_ebEy=7XPgtKb_xInsVUa&}UQ94tBS1Yf<@TKDKYeh37~6PdHv?UlE&`?H}|W zFJaUlyB~l2)3;SsU1y$3UorpNrsVsB*Z*{MRPvFn=e7GEPMq}9a>*M#jt{-2p4Jj1 z)J@FU_QJ{??w^dj@67#QeV+eOAB%A2zS$dR?0PCp(Y?=4k6%#5$R`hazvtAhYsa-c z_ri^WxN&>S_1~}kUU??qjbmo@x_*a3tG}{+7`(IbP4@-cDju7ussE{u@vWp4BQN@- zuU@w`ZT{G?J3#u<3EVHet32JfL806qpqq*6>&$^ zF-C(SJYN-FD2&M0=-F68++bcLD`Ew;V`{@)TN8uu7p-9m{!uL#x)`_A6Ghv*PYAs4 zqx8?F3!nz%U`~H`E&k>dH!eC8!x_=`^BN?!O4~1Rla&AjK|-;=j#2(R*rbId-VrB z+CI;nUp8rWcX?`3S+{*ZNH)DB`>e~nfVP2E`>P+=Th#i;=GXjskGlHc%r0?H&iuOf zJH3`5k|gQ2Ys4d?zk0cK#%{M4gEo&IlQ!T&@WJ}qmFp(guXt(c%2_RO`zLR!5{-&@ z;Ejv?F1_Y87x$a_zHKL)Guo1t@W%TOo;n;Ktj*8dbg0O<_xPaL2iG>$zcuhY&%`eE zyaY3K+F_a2@Q6Uih+>@eu#SC{==XBCe^i+$b_RW`RBJ}J^#Ut=f0ks^1-KN z->IX2-!*gV+&MM6XD;s^y({*aeeR5#?o43q-gowWyX)+xHzO}CE-WhjF{EnKs)cOJ z6`6NonE&;kR%xZJJKx>5U|6@gmu~BK&&@g3^2LdQ(`_#uzV-b0utzWIUf%xUJKZ)1 z1-0hi{w#4=kHl>s9IHRK@2TgP%PmD7S)ZCeZycZa#ldagWDHIWxmwrsaL?2MK4aGY z)K8;27dWiJG?fucIb*BE)Ix+$Ps?0N6%Ia1%`YT^*IWh_+cAou+!KOXBoD!ucJ9NjIQlj zw!N17iV#OFViH{|je!+38phCmj4o!XV8NC%n++?9i)vr^ZS}#vkN8~qh}X$XP3-z} z{~d`lclIfIhRtj;Tq>$@j2(piJ%zsHo^nM!60LCRKMR zt;bS$Y+VOewCs58yS1Lz$6YlVcFyVl`nC-(yji{R>Ve14{WkRSJNceVeV7;5ogO01 z{Alt9ty^8wjm)>F_1JLe(-(StzxC&{Lo-enj;fqJbN!POwjWFvkNavwRqD7?$Iphn zU>a~V|In|09Gv{@%kGaQX3k#lRMD@u#SyLjttDN@GM2A~kJ+`{_xm504{JTpaQ1~I zPi&7KE&2As6Pcketm(aNKw)Fh@i$LB`Qqw%U;XrKopsK&!@07cuV)WDYu|rsn#ujm z(w=6K{g_|w6Z!U+dK4^4Nvt1QcVpms-SBse%nC*E*)v{49&kJVNZR_Oe4iYz!-ZEa zcHcXFq}za#8^0fA>ZTgXTRr8&h_@b?tXTW>)~73t>&;t!dHwO}@4V3C{FWyVOz=Bu zlSYLVTz+Q$XUFV3Qxvjl=CnoD7e8G6))ayNpfzJ2-<7(lBI>z~W3tb5d$rQz z(#qYvPU}k-G~B4DIxyk=<@en;;a0@Bh#67M5q<0zOm&OaY12if`N_c_R5LjbE$(%s zC40iP=B>Q1c7@Acf8kln!k2dW|8Z^DQ!O_W2es}v6_CzeR5!jlrAPFswwc+(-nJad z|8gvE-hxTiYwzu?zj2{y({B;wOUFhnT~U4fg+=ZQTIY0sXAt}Ng}_!@`o`FoJsuvV zxVbUEdfCg@2fY1;UxN6Zi=X_l{o&m1<%`$#nj{=x-|H6j!(@wEVy#~P6dpPWT z(X+luEB)sl*2YH{eEjTpt#^pb|CS*oUTPF8#IAzHX*aR&0;x-pUFc%pvC|~`c&r>g zeqNLCQMIm2(31@y0B^r8V>S3agx(04!-D(z^;ghu%=wx4s)3%&rs7*;eCvfJ##zbZ zuPU)i-S6Iqx|4mVJNBW_u^q2$Xn4+RUCOjxy{nVY?lhn7y1MwM2hV@m@9osrghBVM z_)ht#yo>bpPo@?eI9ZwJejqnv`O*IFmnT+jE{dOQJTjxu>(Z7*QL6^c{BrHST4~O+ z?_FCSo_{Sm=i5bP+b90vGqrU8E6**M{_Z!4FZcU-=~uF!ezgo}eyc8}WYC1O2RAI( z^U$0<4KsEv9Cd!w?Wt3ml4_-y&CL(JzV&lA{SnWG7|#U*CjXc+tG7o!JM!Va7q-uT zs{g}RJ}Wyk;SaOuv!NfACnv-L^u-JR+hUK64U*2={>aaS=!X4_5 zl|#A>Ps}du_v+v&KYqKrE%kn}?6X9BZb@6+1M4Q%l&_0dh|Zrfg`Jf)eJY;wz)QEc z23^nSKcY3O>yd3uJC3U!OzN>y@^nw@M{JhBKjzD4pYn_h+g3E>kynPjn_HUAwxstg zIDRQBOFwLF?y%EOYzV$}_@y^L{$y!^_ndcseQ%v|z>(qehS?Ume?Mt|*fTz3ZjG8; zbM`|I?Z<plsn^7`|FW9Up-UBn( zx80n}+!iczn>sIZ@XY^qnIrL@LA`jy+b01TZWn)H^@Q@eXD59Z)i!VWUipKoR4+G9 z?zDp3bBQT+u31>=RIKtJT~RV-=(lpO?mtV|~253YYjHPRGW0b)^BjC9g)i zx%2+bDEB5Gqcv*6OV3XuVONQ=&%Fu^o9_L=j>`@W;sNam+Jx4S)9m_4M z?k;#6q$Ixg{FaUH`8^)~X|KXO$&>@broaFC zo;McnQ4YJk_OZ0`IhJ_u-fZd7-JfSq*wa)n^s%)QV(0IV9bbHTR^KJ>L~aKq zw=ET0OsmY-(@%dgC*b$7zYKVMagt!ErxMG& zq_m5Nz^~m;MBJ7g=u+w`=#Cw9M^rb69qm%`6WqrRtnH6)0Xu(r(0)$Mj_K%zCkW>8 zdj|_g@dvUQjCi6%w>b9n zr(NEj`&5m)$Z$&b#~%;(+rI7UjFX4IPkVa4Da&N}^~{T_rasl@&S#0v>R_c~{Os!tDZ>auF`@4?{kIlJiud z%lx5y-`D+8`KbrL-Zc7$6U)w6=hyNsJZb2AG;HLRA=(jvl{HO$1FpJPtsE7$VUMTc zhxJ3^elPr}%i^PnFPAEBJlLfvbLit2UZ@}S;hLb~Wx7{?&-NH^F}_%S{(%EGayNXi zHs|U{kLR13ZZ|)_G=Hyc&4rS;E?n7Md8*cX_@MIo;hqig`?s+k<9=T2J7V!GSCb_D z{O9<*aLCl>ji7gC*bDRj$Q8%-7`JFdt;t{axXK zJ*%!4KD6Qc7iG^)8sFt$p3i>&q!-PF-yEGYPkrf!kM!3+OyaHkxt90C7IyVKwPk1P zSED}h470p2C+q0BkHVh(!faK2X;^n~{$pO=zvSk3i@6}^|K`?B+xtIvD{u773F7@z z?iUAqS90a+-4A@-J8oI-FYnvqzk9!7(faJg5#I|=9!%-VJpcaLk5YE3RiWl5gD$p( z_1dxhWm&`u+5Wu;=4CW4KK@(P)9;-9Y1>lwuJ8@KJ0!_Vu+;4q7Kc`%X8Qkj%+EdG zuApNVFV9ikJ>2_yGPSeVz8!>l2)ecxyxpKk&eMo4o&tY3VTkhzqggR45r}5MYPY}T z2@q)h;=J8J$yYzw8g=B!RZ9-8KYo`wxG_Du{;v4LeREr5ukPP7$MyN{X`!pv zJ~w>9W7XEe{D!q(+>EX$Ikn09N15#F6JasS_k2}zaZuOPnqPa|ta|GDoS=sX`&}Ef zd&cKwhdj63*HB=8xAO37D=n*6?=e6B`Gix^3*Y?e$>u>?Q=R_i`raQ%q(h!x9kS6f zJMdPwRh5r~N~GGgk4@2JXJssDITQA6%oR(QnUBu&oWHx^rGP;P3d9rZLzj+Sqxfij z?VDeoe~PUcyKHOXEBwoU3?BDbZ&BXsK5Z3qK8wG^A6j3(X>HKNPkmzTM?YEh*B`y>u203QKKAjdwTZi`?!2q2>G~V0 zKKZHJKYrP)StZrF>$iS(-rifYjT!5+yn86~5!^5R{IzFpmhXl$H_G?oGi~y{NWO3T z!nJ2^!u`B|R_$)hUYjYw{cT@Za^~am-FW5}`FU z4$P|kh}CA;<+-@jJ$tsR#N%>(O_hFfCay!cuEIC3c#X>$yu&~1+ck_rAotq17uEH^ z7#gyz{jF{X{?X%FiqgP#kE@f_10GkXgcthXK9B3cx8VAS$F&jVkNmyIwaluU=G(s& zqdCi~Jg#<(ey)F)#XsH|M`f8G@De`Gl}zFISLJfucG=q7KN|n2%hlY43iRo^2j8>t z?f6&ka@Aj^nz;tvgo>T0zX0D`rnDQlZ0)+We~l`c>j3HlxcTCgcJ-I7{rKunp&{o^ z97wybO=;JN+W-IG{{jQav!%iN595Jcb^jQ+xOU*F_8k{{Lb=Ny`xgF|AFuL+k_Y^I z$vRKv%6H;cUAON&SF85t&RH{Y&YH@%pJUAS`RA-zdajyS`%R9j5C%;i2q>^an4|SM zUthl)-&f#s13sU`=YD)1!soy6X){J^j~Xq3y}4ZO-ajNlb%)mbY6ot9D){x5P%Kye zoS?^d^HYcQKeW#!0=e>UPp-(<8xeoq{(C&e{wO+_Q24bw!1K#jAMCNy z=jc=e`{$ldTxJ~nY~8`cd3DcE57wb`fn^WyC*k|E{g3`7{U=95%U2kK-=Ruwubkrv zMN^UST)C+*pNdQXu~iQ>1C7L>U!lEsAh_up6pQjvw971u+5}0pWsNbLA{W<1vWa5j z)&4c^%$ugAMeXm6mWiYrTwyf$Vn%&M?nv^0ulM)y6&<(b${$1T#+Ve4Z75&2-eUan z=BGMt>u@bMAM$uy;N2C=%^R+E;mW^hAb#ocT=@vo63Sb8hkg>^9{@&jw-aj2*Uj?(N@Ok?=x&rN} zevGaFP?{=Et?(shkbxKZmRk&LNkFjoH<*O6!e<0~j|T7mB5u~sOrE_sc>iZ`iHn3E z<(t%vH`qG>q@tjgj%I&TbtsJwv7i~DsTwS5bHWW%IbrTpPN;plb^y~&UGMLGI`{y% zU(nGpi7no&+2T;`K=0FNn{Rn;E&*&{lPM1vFBSf6-{@jdfLFXwW#Pp209 zF`owpjX{kvc^FD8Q<}|Wp;#VKJ^%jVp$Xob^<;H&F#T8J@V=1VY^4rLK$MID1 zm0Y|s`HJtJiv^YrU;FL?SOUpIISp)WuJ?s|K9WjIz?#-orXI0f%sWMN!%6h5QOi#irf&9na0SXxdeX!bZMMTb!Btq!y^2>zYlKu5Trb}!I%3$u3U!5a?-ir zrb|$6yp4UYXrBj_wmf$XgTM?Xi*t#falLPai~^-Z{AcmR?|@39D{IU6Gr*aa@$cZ0 zG9KwYnrJW<`&)DKAL3}aBY;|s_f0&#qJ0a@hZ+fV#XtdjAVuYo)o7MH>rE^|PmR*k z8sFruI;5+Oj}~?{IJv8f3Ga^~qEA^O`WBP`;#VM|K~^sI@7o1{Mt&vWyMw)FaiQb^ z`V7}-(cuD4a%%#Uf%qk=SF~@pfk;KNlQD;>E6hF4t|Aj1uH2f?Br<$nx^X!OaIS9R z>vb35f-d5>u4sSo&tNrPhe!AI0ak!8-}t`S^+#cTifWZ{@K1~R6p?Vsy)d(7FXz<` z+>nZ#sC^+78BRq`ry^!5GD=yFi~~DBV}IniX!{9DZX%Gn`MK21$8+T?6?gXz#P3>R zbop<{ZHVW}9|8L+;k*bo=qfbnaHE0_7pqWqKw1QDx#HF}@vyQ54_=bDx|uSg?K$HI zm~P^P`Ez78s7CzKw@(K2-J0w=?uySMNV)O>>CI<6WeF+eli<|8@EQPm%n8s19o`OC z?a}n&HQ+p#@dNX^>7X*6x>W>PV!zDv`~7s}FEEQ9Z}Tv{X$(wvhlk2NvEM2fD|A zuJ-7q4s?f%w!_8`mgf@BnHM8;SJ>7gSO~u**>yxPet0UzmHv9@2s*Y{g>%ZLBjbS5 zh0F11d%Mg{&8pI#RRz?!(Ken-WQ`WTd2F`$$8?0CL~Xwg{l|!=_IlEUXvy>4o6&*! z$~#=H;GO|MwoH2V^HJqklE($U>gD~B(R5^#6oH>o?h3W9RNdA7J{=ijv6wB@H3GGG z+@JuQFen4V2F2jCK}j(CBPTGYiKzJtBy+%-#v$|5=m6H}8bAXmb^{ZZ!J5~-hOoq?2*R=$w|ZMSG{rK7^911gE{EK;ACAm9 z4yLnIkq`dUp8uA)+>1aOlq|YpQDw%T%z6_=$yeO*rsO^ITo^jB9m?2f_8WtPS#NT1 zhIddn!Oj6tDPN6P5lsQ2H?2UdNslZCZt!Sbr$7Dy@XiWwiB22vkrGtdeh6j@UuJT! z$%s%ZILd=~3s7*zOYoK^sa-hD=hC{+Ay5S8(z_w!0#Uo`{boBnpDAh=3eJK-QBM7Z zvOW8M)3xtV%HOGLCuw@>)TbtE-|s04XdHLi1ZgP%0Y6|Aquxi$FX7e^^7{N-xgA{> zM2y0JD<49NGgSLsSi0rLOGaA&ld3DHPD_+QHTqYW-$Ys&$TP+=m-M&nHfQ_~%rIzI z3&pZKy23ozB-N-g#>{^m2l~Emehlgc%*1p+%S7$7=3S@UF6t&`6X5jLK6{J#5nbd! zsKB$@h9@iV`19~A>5puO7#6)-^a-*FbC*w-Ll8gIXvt#S-=9?D;z2-q)jW9+6ItHh zvdg?0uyP_lNOtXVCob;k+6_soPgEF@$L2)#q9!pbmw0%ES%k;%%$pR=#xzQqTzs+= zPk?aj?d!h-r|Vo-u(y+J|9$hu4Dk@`y_2^sS(*69G)!9lZ?fkL{J*F%f2kU4;X4%h zbRrWI)A+p5niuG?9s_e4CrOUw=2y?xAdwtzK^?$2c1FnY9U;ao=J2q>3h{k9+cU}( zs)FJ`YE$(g-jV)B3k;;V=Ux8)VgiaP5uX4RDz$1Q;@=872E3`@4W^mnO;ze9>e~ut z9d5@YVy(Gym2jzIa*B})RAks4zY;1oMCjiO{rm3rjc6-Vw-PbbV=7A8B7oH%Hs7wH zHi=PWJ+raH`XbxklldJe?bUu0>;6bwE>JbJ`^8Xa2K)OLaGTFgLxZDE?6Y zCMk&aFRqB1Un@iB;6>F4#D5!_f%rc%g$Fk+0?Z?;I30}Czo9}8b~(v)L)85GJLPdm zRoM*=sT!G&C)fn6H8EG3Ko-_ppqzz82l;}V&O@{0w*?$`;=MiJuHFPl@vlBnZEULE zimN%Bs<-0{trKOr$ExYbEjRxaUH%!_(v!X(Bjx4mOHk99b|Vhvc{P`q`6O3+V9`S| zx5d`ng3B?n-`5jrs;`9>)Yn>2--K?K1B(P!VKIA+w9aGkd6;@&aqF*@B)^OHVN3OM zct9)@7;@WB6$NR};jH@m7l9h}aC(eIanK!%T>`78xj@oT-8=EPq*8UJTPZ=&e<5Qq z)i##wtaPpD@2o%+k~psezJc-!K;K)bM|)n*UF33Y@U~`(wC`Zo8;9UG+_0RU!v&x? z9frjrx(kaDf{A%_tpIcE#G00IYpCYtiRBCeGa=;?D2EyI-T5mu-+h2I`Km8olzi2b zC|hAxa9%Crm{+P{O~%X1S0NCOvDv*oS8x;87?bygU5O7GZDVym32yov3Y^Zv0Gx;3 zqxa0v>j-ox3w(kP(v5%*@sxtQ2Hypc|El~?L;kB@YJMlH(}kMWskr4Mg2;mnapqI& zR{G<=0VFpRf--^_57&Oqer}zBHa>Ef_p?Pld6l@&a&XZ`FfQ`e!A<{zj*VM7qq+4J zHhZNOb@sjhjC$d98rS-6uu`hYdpbdU3bo{S$fU`8DqV?idQk-mS&E+BY9x-a>4jh~ z^?~tE-TeDZ@6q_hhRm^UQRTV|U@-JLLHcjmfd6Wr2EIOs$vbk=3OOi$*JM1ZOwD4X zg!Hn7odUr06gJt_`ihvjHv>G%FvR1c3VR9;=S0zelK=U?4oB&Qo+}(JgSSOTGzT|S z=p)g8VLV#kiGm;h_x@g?zd?uYa@t9nVC6vk>JqXOd>T3sKZfT3cKL@>l&M5eyB}XT zu5FgMbM)r=bx8rjC@+lHZnvC^rs~_oV$+F#iOF+_XwGQ!8)vafnSzx?S%77AN8&4! zuX+>jYF~|j{Tv>_((2oweb3h;gJJZlBV3eF3N|ipE%rhYDwhUhu;0?ULy7a+X<##7 zg!@q3{vd|QeCFKlL3*)pvGx+~C!bGp6mH^FZtbM5hNnOub}H)rmN9b;sLE{A zn4QDO_iG8Y#_#f0to^&hSTSSZg%2|YHijw%v8JXE^uh8K^kxn#r}#@;jHRs!7h!?> ze~?{l4`3-ZSDr<^P9+65{lN#qT^+@c9j^A9<}#Q1JlIzp&lgbF;cjm)Ed4G^J?-(r z(yz1B+rFu=^t00YAq*&v7J8PL;XV{c_iaU6aJw7W0pG}ocd{3ZNf@N%N@=-6wR|29 zqSf*m)zW9Tyi8i|RxSU-(Xw2%EU{bqq~&9(C45}F&kS&c(Svr&pP(SR?|^FgVMohB z)iPwad_-D4r&_+p(eg8>XosxTJ0_Ks#-~+dkE3yi>h@y0+Yd|2anQzgx z-SR!s()Uh5>DL@BFHkM>h$@nnVbyYzqva@8fH3_TcAqbxAiA$gwY<^Ma=&U>Y`1(= zTFz4~=Q~byO!`$;&Lg{C7v{|*x3&;ngXR}7SR0{D2VRcty+G}(UL2CP!ssuZFjpz8t+w&FLyL%aDr}K?T1j;K8!!P z@)K2z*F#_8CNgNrt{ij^)m^lG4E46^iQnG76N^*1@^NWTvd3e&B9=)-`$R$O_qQ)Z zHl(2SoLmvhq@q3WE@$6~Dl#5#i~ zix6KJ*yM9xGrFsb_!DnM+R50qly_}`#4J2BI9yc3+KeyrM1HM6_aB4Bh+;`1X8yfs zJm|OhOugMDgEeOvdNWeN1WD{oK3|9Y6|#@b)yYrKbtOvnGB-BzYy3gP(P|EWunZa_ z+f!{18jeU*J#;=zPv2~qiuH$D$lsF zj^E!@{;*M&3K=n9D(W+0{#4X&To*_+2Qp8h9a^N(0<*_TdHEy!?vFeSoCIR@R2!>^ z9wSz5c&v-YxeVn)+BZ%D5tU1HbZFp4|{MXL^Z4>px7#I_5I>&O}EAK)dhG9&ZnR}f;q)5yzw zs+OlC!{{6IJgvSav#T&FDC|$Qjgws?SOXg;(NVOj7xJ#r&xZD7f(?X(g(nNI)`VKig&Td39i8*6-_QsTYhUIF@S&!@R> z;@%DCuk~Xh$t!akAT;A-Z3@jeMF9(Gnae1$oyd&@32@tl(OAI^E}09!U0_5~7;G|O z#KO6wbpEv5JMa(rgor6bT_nwgBJ|?S2n1i4ElI#k&;?~JHF-87AJg=ImF^!3?OgqfjGV_YuxQpY5i{Ta6UlaD&I4Dq!igzgDI*g%j*&@E z&fsE>(CKr#H>0x_SUCj&J}@bzMzg$||fFtq?O<26{GgQmq|L1m4HxuBM8UCa17 zk{{{2%nVsK9Wz?Skc|VSL0UZJ_i{Kq6ZU$dX5$M2v|!E)W`M6AGFmE(GP$Y1%_O7& z{@C)p3@uk3f>tGxjin|2y5>-vnR;O#^HLBByz{s;8v@&b*O3-2gPOwz>BPXKiUnn< zHISV$=)!=b>*U4~tQu1DV>B0;DzCsC%^;e7DnAk((At*D))$CJCP9oXs6dHe42XgB zk3+QUn*9mT4t#Ase+2*<lVRSxn5fOi~GlY=47jp%blAo?{#osik3)%YW2Zw1x00KTNo*@kK5h5ua zIZk7dj+{_m!>Uj#K~vq0s;@EiMW+VOW%>1Z0Dt-uN3hf3cVAYv--1tMP#e_aXeIDg zyMn#lyrDI!YVD{uTa7t>SDK zf)|A_K3C!znOcY?q#Ly9yQQj{s)@v|W+CF`u7Ga?$R)-)5(w^D>RHGgw#qSi9|8>N z2)@cEq@#JR1WY)HKi`#Tld1)-#8OmYKag=_=BL_DC%aB#YnKaRYeY`xs(U-H zg};Dw7;WM>Tozc#WY@TN!y-enIDC5NQT} zp{~exDRvOUq8*oisdb@1joeS_U7;%*T%nus>Bi?v_#DLN6_l6Y`_1^w#ph6?D|7+o zw;UfYJ|Dx!<@R_yK9BEQ|Gate7ki7%EAeXpZn6{d{eFS1N>RExX4YZrFa0EfU!@qL zy45Vts!}SLYEIBH;LxWQaw_Qsw1sGv^>Yq?zEVtD=Iyl1?3&!t8c4<9R)+)v+UDyj zQ_YUEGX&ewf0gpTU_|hIwSyU}#5q+EiGBz5F~zH_Db`wK!gMcXWXb~!{ViF=_0FEE z*;5$tnR0I7aljub@Us5G{^1gZZozM}8ElWX-;06d(nyFJIpo@K-rAWxaKgG> zu64zG$yS+5X|ic;DawBWlqn7*=hx*AuJ^rffYGpjb9ZM=-g{N{gY`woMv4dp_jI>A zTHty3)AU^+f$liv&=H(rFa}fxcZj|eEW0MpiFhJn8a2MSz zpTIV$zuD5?rPAMG$R*{k9vl}2$Ax0%lV9PJI^&YaaIj?p4|)M95p83WPH6+()B~*pT3X zS=ZL57J%EEQp?=FjGE%*YKoJbJH_wG(Iz8OW%%n_s)NZ(Et@*u7spAjFpDdK$&e~G z8t1E6)fc?~McP2DgjV+-SORO;7B)Px2+2lpI8vc6<*F`yhd z#K%YoF?%usk^p!-RWkBr)^SXTb#RZbg!8#>;owQ{v0*$?+PG4%xRP^hTqt=H`0Qvr zo{BAmef0%<{|-Z7^x&T61sL*EXqmiwWiEb)P-bOv1lb0<@`GnQrEL=_I;#_drneLa zU}z5}21k6QaBOuOzoSjaZX+oRbb_FNqONhJH7_Ri08F}JAwbYG#B|hr>={1AR*o5d z)}Er-_v(8o5(?wq{-j_!v4X zwz1uJ&S`P(7>ZQEs^+Xm`5YJtS+{6?OQg0i`0FzF4nxhMD)eTeqbgY z`8NLIYe0P+7{1=kcnE{1B8SqE!>ag*`g%@%9p_hn%eO_@pmEgvx0h%tATTGAT_+^% zaw2mF;fXc18V&UjRKHQyYF>-9Bt=y~rWDZun~QF$!LBqsmAJ031#?p55T-e)&dgTP zO!3I~;HRtfO8<4PLyKLZvSwH4cle~QbA>iS9xM|GdDiwRW=6Toi>6M8dGomks4)FP z`$K&u@JDH)mcc~nII+1oRbtdHO*Q(!4W%s=@dZLJR5Ahbt++uXT?uFouTdzx)_J5@Tk@Nf}j?R4l+v}vROX@Fr{r_%Liwu zN}4T1DDyACDxYoNiwoIbs|(W;+$PtmO+Bx*9g(KM zi{Kb%{FVyOr5mFZopj?eHk}$835y8+iQ%X@B0oNNZ?A`-iVm8!)_2VENYzcCOp?t1T_!a4fKuV^_1oD!2D%%)+7!qR26;X7Qjy#NsL-#$V5)FIR*Cd6gnjBJJ)2Ks?r5XHTV>$*;*Dv6+ z7}h8w9hdvWLIap^7lU%S}^ljP!v{wFNs$z&SD zD>-;Y%uJ~iO!65dZl&z%R2dv~Bw+vmP&BN*PFMXsl|?AkX5uJ>DjQQ@&KwMnD`*9V zaKPLmqzR~GjOFhrdHbj^Wud&?PIhetIw6F zpFS%u@?Qy!pB%nOe2_r$(X-)4Z7n?6xh-^tF6wx@fp%567raQ zZD>C^w!`W#j^x3>yMI-*>YdAQcp3&pD%O3#{0pos{e?VwV z7A{LYu#)(Gf`5@Gyo=?%yg@Fo`y<#AMt`qokR8)x_UvCq$ec#dY{K4UZ9(_4U0@w{ z{){lELpHZzaz5=ZBBr9|b=5M#RByWg!N0EfmB}Y~QHz6R30%TSDM zPA)`_@uYA0PscA1gt7^(BE@y& z)9gjsT&LR1K^x;fwuzc&#OV4YXv725L?g|7pbeegw}cO1H}+mCrV%E);3pVmb!`=E ziI9s_&q=|NEAauTgyaPG1VTt0&lV7+%Q1A|jKul_y`t+7H!Zmez!}X~DOwQQv{pqV z3QS7{iWRq+U&l6O5`}8YZwL|U8m|({{1dyML>WX)=z=rvZ+SS?%sAF2wP=Lo;KG=B z_eBz@qiOBor0}J5aa+ZZty-m^&{|a!t z7`Yeyz{Pls;ESk?w6kZOXAu^@i3J6bsNMAsa2f!)q*QOcbj`m4A}>a&6^Lm!*%%sy z%=IUD_jlM1tavy1cwV7!HxgmHk45}vGk$-69HYd{f2kr2{#5Vn0t5fL;`5SE@S>R9 zbrmkO{&;|esRvkMNcqUU>>s?_M_eI)cD~>*)jL-j&SS#|cwP6vM*K|x{Vc1CbVK6V z>BwKFiypnvp-GHx3Kf0W6yqo`lF#!6vWWPD!4z$%TJD~1Im+I`qZPP3c3UEf>zjcrspNO7d7Zt_`< zJ}MI=I=ZQ9^0|(BqDK;T%ysnfnGJ7R3xzJ}4pCoL#^X(tRAfB1u_q=ydf1in#l-(u zX~lbMZYqfPzJ5~R2Eg#2S*PMXXTIZl5!Z_3@Gv-%N_6CEC3ndy5EFh&h#qKdUkQFP zyMLy-n;I5!d!URG9$03Dg*)L0Q1lwBhIvI8s>g7JJyqxxanK_mD3+$Jh*1^(r4b`h zaz!$2#f!U<4uQ(@q`N7I{Kp1mu#_oL=HR&0W@1gZBB@;6fTEj-=RZ&(dD1;~V;Ow! zNnRQskZv}&Wc$P`fO<=w^6*(MLaO~W>=QX$c~-(Yh96_{EcnO2xoxa(8@&b4Gdb+z zvp5~2o|RxQ*)=N9n(T)F$6j^$f6Ow4lxL62vkKH4Mo0X{S0=deSlB2P8Ax^wz>h9tNy`9MAlCdfWyhJxh0W{+A!w<41~=kLIdhwE z)oT9X1tNrQJ-L1>tLwJ0xwvk!Lcx?~k!2>XK% z2jKI4k7RJsxQ|?`aQ_y>xB&l8C+*aRIHS2zuirnC z?0UqVK!85ioxtQC8TknN(~!)Ekr3|LDf>Uck;|}_7R4aDK*ybyGime@b20P1)ohOA zl@BMo9+ufYJOUS!v)wNM*tUa5xf4+wymChTWu1fPg_D-E?6rQ(rvt)P&?k#n^uX zJ2NO}SgTla8`kvk;rC-7b%j3uF?Fre6DmFra0OC1xlmJ|{fVe4t+{Q^HMTJe}=h>Il0h%Z!?}h*Z{5vfneIWfGAslTg_@~ z<0W>lsX!S`Qw=L+A1)eaN4`tEw)qb>`rMf&>Cb!b<*`T8$!9JnzXl%hY3`#-f zM;2C;VNpT9tWMts{{+g!i5``&*a^_`D%N&}K3?DqeNmwsGp93zIyysK{)bj9MF%4r zsf8fAOom?zSV)%kJ~}@4|4?zvRL7^8&#=dE2nOnvR;7g@{U5pDh5m(#ts zp(kk~nGfk!qGffp#;#>3q}p}bR}5IBEYhvMHmR>ZevtvM>`7C0RL1_B9Lidg>Y?;l z%{+FhiAzxnrI`K$J=$2k=6$$oTI5!}SwxP^Vg9y4loAIkNlB-?^d$F6|DYRH#0XWH zR%nHbtaSQXUQZpy!HZ~YuqEU`%zWf30ae*=S*ab!TnQ0*9vp$CwnFQgS8mkaYIBLS zi%Cq{N+?%?B}7sxOdt?2&5%%7>A^J#uA zs9ho6f~5IxhcELbGEVHA3u=QW;ZgbFQDO4h$r?I2xn%I9XL8Zxg*dH{CBI0v&C4rU zpueAvSj_xQy`VI>=Lq7^Iai-+^ltBc_6hNkmP9WXC!WaeHF)~G>JZ-O6;$v;j<{wjPQz>$sA03i=XZoD_ zoBnvR6T8#UKUE?ZH2|%(c~Ul~aVZJ^tzAWybr*W8=dm~K9e-l#)pUe_>WR!;@EcT8 zH5tvrEY<&)Cm|8`GNVurICubIvoLxHJ<@^!vYH$iEq??ZLGJBttv1% z?>VXvASQ=(G&vB}()@mdGX#JkpdEi77m)lCe}9qJKp%Eedw-z%nref-DqYY9b>C^( zAQuJ`a#qdf6#=MTgR3`gBLY`4i5zSfSRmvho*Ea*CAbPOPP=75@CRu@Soe^yhppeh zlM|Ug7aw+sDzL>40Y5rgsTAe^H9ky^&RxDjc0j_f57_R(AE6a22F1>KZ7I;$eSq~dc9$%_y)+0uXD&N5k-A%I|vqpGO zXbnB!_otSY?;ZIluruQvyiC%d)_aNC{0ksLA+QD>Hq>Gix*l zw4-u@ini^|a&T6hy+dJirD5HTnH+a*tOqhHDxs3VbgRGf8ekI4SCRpo=)&vz9muf z7HW|Lew>XFEgy0x4gG$vJlMso#SNC4Tixr#1NOeJFjsV!UCGbXiKfAX!kE^v zGs#mpYK4prXNfJ^fqqO9UBt{@nJ5-T!93aiKvY5l=X(Q&?P01Rw^kO< z+}M-zXq9=*PB%7N1UGGGU*I0BhlUf}gZ6FJd2r8%ff5AyMk||#&>U~l@g66O!L1$MBD;5^qMl`@3>cCwy&;_jGp-Vs*7v_Q1kNVBipNCdtEP#0B zefF;hIOAVD6RoU^;jqJR$bmoz&Xc-a?sb!selasGrV^VU1IE=wJ-e+31LWEi>z+}^E^@F zd&HgL=0(6DzSAhXwDt?)xMy8+#o8xO-)g>Jvb{WGgcW$wg*?MKRgSpn8#CTh`ih!M z^p)BZxb=^nuFx%?c7=Y7&nP}&kj>J)T3<+y;KCxsg%JJZPw*N+rSOzKK@*rq--daB z5S!V28)U;%BN^4(fDnO)Twz=94*R&hasrf-rNjw*GYk^%Kg%1gBxPB>85Cr6Fa4vR zfVaik*$HOLYY0aIzOHS2-Q`n*pB|i9#6sG-iaT2-__J}|7XLmm;G|`^A@ifmK8M=C zcs)4mR)q&>=4i*>gT0P5EW{7ct>cl|!4aI)?O}OxpaSm^X!8%AsleVXRWe^&0)<6^ zA7S+i&+DI6$&K6VGgRO)ZXzgbmGjqbj^$+0Gh=yxunF3gU4wv<{ z$p&Qrv~@R5bdv0SyKr&r6q};ab>SK+@PGj=*yQIb>61iC&7*8(eE(S1d*sfeL@^%i z-x7KlrAmmB`?%0u-1TPo*|}&3RG^#{Y&B=gBtn@*lD?8R1`z8;Yq(~+pKIqhTZ{o~ zq7?+ey*Yqj<5fl@t?21hphWlcPfB6o(d1qZ<-HedCV^DuePqeUSvd3FGLXu+kJm}l z3pT>mEJ)NgDL69&hnN{t0P_^Hv6PfgcBzD(qH+3s&3b+UGByxH2cZaK1iyuy*`7bp z_dw7*ivEJ%!V#U2RRV2c2I&6)4;P-1?yrmiKs?)~T@ zv~E7V(KC2ag%|i2Z`9wv-R%SFTFrK=BQxL8<5N4DD_w+IL2oQU`H)A9n(wwAMTWtG zA?;*R;1~J3aMHvJE5g_j>tFW)=EwD_*5}pZXdu&rHG(e3yPo;-6}mxBN_|K+C&_C+ zln?U>{a8ylIf77G^?N1yZ41CLQEjfZ+r%*EwvYrh0kARWOfR_AyiN6ZG#-`2W81WS7Rj~;2t4paDLnuWD zcsWs0og#4JO6%w3Xr-(N3g;Jhk@Mk9iz=0q*-myQ?lLebK%}!v+34T2 zB(MfUwoDA2tQiD{M1?BvQUhc@gqBH@j4+O4jtc8{Nga?no*WKFJ7|M@2FK8es{ZXb zMO0jwK9lF?l-1nKYtcwU!}>rfWXaET+@=}SN~uj{{E|AXhwP&-I&=!SWs@zlrOB2M zzoZHaeO6OI?Chq*?#4Rv8cL}L+3>zygh>SnJ-nW*jKBcOzAP69x&s_drA>XN@YS^1 zBE#)+mLmX(nr2TE1eHRdp2Q2faU_BaZ{n`{X8t9G{RYE2Eq_it}tGX=%JsAd2FtjH0R zLRZb=b~Cm9g87ELi8+G(p_7^z+=%ETl*cC2;3XiMOu_I^7R<05tr%P@qu_dy$;rgE;Z@npVmG zE=Dad@^6?1_2OhMl0NXZY>SIt7$fK;jBnjlQ`lyn%{Jdq?WjzZ4ipxRnx)D^&Rh+E zF+~T<<)7V9@N81Ffqwk3U@ipk5tG+YSqBh*=CvyDgCbT(!*#Jryds6~VZtj?ir+Ud zvI%p{tS8XOG#!=WRX}ne-6+0whih*Y8i*G|9mttK&eb!>ws(INsEL|CmCgSFeKZls zh3kbQPl;z%5- zVQX~@PY2>zjl92C?phvOR(vU2EWopb562L2UPT`PR__nR6cNuPxW~9(bQA2^IytOJ z+ag&VhT%n`SSrA4*8V?CzfO40ibc@_H!CK)Ds%Bhn^16K>)I;U%>%O-^K0pt#>{Kg z;Wh8r`7fsuqp2>gak@6(y$+)}Y>Hl6H1ZixMhtGiSQ4&lu3Y<8+$HZOsWHkgSxeGa zxDuYsUFZ_&Y}!q%L%&761Y#V3>S=yu4i_Rq8N`Ycv3?{`__Ip3h*T_REm&;=W%O8S z)%2R^YROk3%P`^PTe&7i{#(UsK<4KaGOriP^9IM+D)Hk}svk_zC8io22;by@I_#%J z)7rxWhMN#FS^*{2K7w|4ELbgO3&I$QPST7LSlk4vv@2ulOe%#ZZa5B+Mr zbb|E||GEqFk02btwDeQs^3<`+CM)p4b7PV=80!J&qv5)8-E<7Iyd$+GO7ArDW2~?6 z=+HcPbU?hkqHtGX^XJjXa z08Lclc1ifyFnnFmCe=gRgFY$3&4JWri6HHEp?o`uL^<{ic*{F_2k7Z;Iyn57M-eX^|&_FQx?|3>- zy!`4LlX-RbaTXi!o&^w5J58eW9dv}S+UArFmF67K*taC}bclYGx8)!y25<$BmLO#F_N@}n~+@)VDZsss}@nful)#NKj2 z8dkteL93bUGV8&4ZKH#yih)@~MRf2r5T>M2j%6O#t1MhOJ1x)gye0KA9!` z@5~86f|Ln0Dix(1Dn^3g*eQB>MGQxx=2p>-FvgbdrP@?2o2{1giK6BmcFVLl%D}|E z7$AKgJ$bny+l=Cd|IlH&XH4HrI>M^t8!#mCKDW7mEY_ZV*6T92{|DKRx_0v09^B{@ zJ>nE3lkXwqxD_8_do8%p6Q7;=B((cMnW`JV2NRh%*v)BMY^5fI00;p@s4m1PORw=} zP9saqxMCu;btk~3(;cgnln6?~n0aBzO#lVEF-2>`Vug~Q_POFnyoI>Vx1Mn!=g-(} zjA)=ils!DWk%*4f7;SUQXrGvJft!{Gr6G_h95c6w{{%cxmhdxs6KbEStq_1eieA0% zkv`;q3wM*o%+HI8uwUM(;+OWZze7{!>EGfSF{f0zLJt^rn6ih&`_THuT1UGU6oIvU zE^59c)i`?iT+BQ;mmR>lph*Q1kz#W$zTuTE*&>n^6J%c9v5iQzdS;^4{8um_SO+Ty`R&bEg_w{X zO-Li)Xz+45!JvO{TlbXj51R?x@gV-nkrGLol3bETwcc}VJtX+Tehk%0C3lcYfri1m z34DCl(fw)xDvURH2KO|&FJa#GYBEHycZ8H~343|YJ?8B>#j2i{`8U}6EbH)6P-N`) zG~+l|@!(15S=EbYaJaPekagGSO%4|i4*MM?p3*~nS76IHbDrZ!;Dz8uod;=_x7LmK zFZ2750>z6f322}n?{$LFt3lo#Y5Xi#rjUxy4xTwbd8)YQ8N#X{>5IacWCus^QWyf# zR|2{YntlvFi$JTX^fe&hV>MFBeT_&p01?PxOpFYRr&X{TDEx*T4H7t>4j&Gtuh~j2 zRw)=^!Y!@jtO9?4Q4gg<%u1`dPsnZYIOstq+fo0|lk4$guwS)7+c_N8}B*AMIt=1d1>f!*?a-sYFr>oM}WdB>lT}5_AT{X4xZiIxL_Vl zZXdQ`wFTg02KRVi@^dwVkYU{Rc{2a#5CFwLe-56|>jDoGxxxd0$zSt~0 z_`=L!?>{NB;;>Q;^evE6g{_W!&+RxEgbM()%Shqk<+d$&aWm{4HlIK()AO#vn^(Nt zMabm4yyX^d#YUx(Sm+1egHv!ck8cZ;o2pa^54yz9mwHH#=u1nBjsh5{5N5zKE9D_s z#s6Qv>V-dD+E!(FY9c0ptn{{+%Gp{gkbyN$JIF(Q2w0K>4u-k{3I-9iQbAG={Tr_T zM{+K_;JMN5xXSP8kD13Y0qX&q-Z;MuUrm&zI>9hL2X+WMfr{1P%8O|F1eJKVGuD8_ zZ1J6JZGpZ3_TgwCRey#02YT44f9O)>b;Z>g+y;BMvCvXIp21Tv2$rtFl4I$Rb&E^p z>ACyKgA2$i-+vDm6@1Txa(@%vB8*oipai!}4a2z~uYvkeDg+Nvqy|kOhl;MR!6T{# ze8cfXqp*B4B%^HPYRD>eQrcAeLbfNkE^c}>T6hiomOAsIcmoe9HU>~bHKpsd-A*CxF-n#LpL6omf^&Mxp7|z z_43v~yc^mb5ayF}0(d7me%Wn4aAK4lY+QifQNY|(Dg(=um&eTSVHp|>PS0n5{wxbt zU~UnN<=>Vg_|o#x}YKheJ-2T4-Tm zb0@^es&EePHl(sgQh~ypfy1LsZC(;^MAe&ordjhnxEO{MdO{585|}hvQiqIaC@>Ck z;YxC}U4`+%8wO#ib?L|-9ENq0ybOP4lDu4nbk6H8FO28&`<)~op^Pp>% zd3$NzJP=JJ1J(YUX&g8_Ph$#Jt*@$Sz$1Qd zqcdls_y-OG(3gK-d$!I4ONJ%ImhlXH?F!^HWap%8hfukCh9cf2NM2Ob;QbD=b_C;Q zZtGI4j}Day3(=lc82%dS!wTHwb(z)|um5^C5DAy0xgC2L-la_epaq|FKvy%KgMvNS z&^avc2?m!QZ0sD!%+(&PdiG8{3jy}4+MV)hROsh}^_|^BCYH=&aU!;PwQNOF%AIK) z<)C(Y;ZE@3z9pTIV2N&FgTUf`>{3(Io?3hED(od$W35>!!QdSF8ak;b=%>NQ$Z8L4 zYK?`Aw~%8HJ}(V*(#G>OKBgggN@DC_eLGYFb`af3UOd>SG+Of-{FF8BQ%lxpeS@Yz zZU+!_o^6EjSd+Wcoe51UfpN?CL{tF*(nPIa^Z^p0GqxI&Q+}nSYKDeU+PBP&=^=X- zr+8>9Bm4?~Oq~ZoP$CH)Y>|SEhX%zKpgUNC_qy2Yn$l$2HK1Zn=pnpx#Mt`N9-X=vyep>_|ur2UfZhti-q9^0f_s5+)&P zeoDOn53+*DTOU*W8CCVui66>LkS1Y2@Q>EW75pQH@5J|Bm#fNE)3{pJ|G{}`d(Z7>=mACi9--XA98ZCH(Fsm9evoVewk92WsRbV4FU*VM&Uuf3Xg&1e?zE&){7 z5w;rr z!Z(zfKb3R?Q?$v>)h>Am41yVPz>x%IsyxrFuFttbU%_YB=Ut)S;BzT>PwO|(iWA{$ zxXjP(P!5pgQuV9*ybGoDJ$Mu^ye8IZD)jbzIdKJAV{113St=pWy{<8ksI=}X>Ka3M z36rj?tZNL%KTeDBY3z-fLsfA%_C~#h9%VB~KjB>xN}k1*C~BzAu+Q4vzCd@-7)Zfl zsLmQg*e7aT<4g^QJlN3ArJjS0cjkWzN7)meSHbR24fs114>6(5KW2Pv8-}8A8En zc)*XOG-Um5Y%wNP@rp#e`;5l8Fs(snjIowjW--yEIQb86tjP8?cfe60lkyddlz;Jv zdE<+jSB!FE_F-k58ye5N6TAEmi`Jrtv&7efIl5iz7-b-h=62QaCA0|rro6=z_-tRZ zlXG`OT%V|*k(Cf%@J*?RnlWodOOj44**PFQ;wQ^%l%x|ePd>1dPKsW5UgbJ^uHZt( zdYo^_ip}TL$JN>f!dX~wY|2sA2JdzDl*(o=FxcRTw>1A=XJ2Xl-OqkUn~-V)+~Vi0 z^M)dD(C40;sbb&z-L2*swM!{!R@keQ$Z`3~l%NT`q@0TB4EH|jmOq@rHYb&AR%>ir zk6Djq6Nc+?X>bxsSv*n6*@vv;CuqZ|=6w?Bf38qgf_f@;^quUgD3X^~d|a$cpr&Os zdA4Xh){O$mGezMarZZ;Xz18#=Q0917+U287ZF@GWQ5Pc7y;`Bcvp=la|>c>>}d5pPyw*i0WiF;d>>`K20{6l@ysz(;}s4G z4(kx7oEP2(^>!n2VsO~|coiET5=f4n0{_-BDRWv5v7m=R6Q>>BSQq-k5rwHfEZ?<_ z4W6NJVxoOf1RP`VTO>Bg_AT+K^35${c-aoPC%GRCkhN%YnN3O{FZnbVg$NY#jip5X z)r5^d)PlMY>PC*ihKOCmX(H+-q;vQq3Kma-A7d)ucXt$Z_}k}yiQ3PR5d53Jk^n}z zKduA5-+6<{S<=sQP*rl01k(LOWEb)K03z3?k<*9Dvr|8Z&?WjD=NFdr@C!eT zbLd&mkPW8Z$haI}3gedy+@FO&K`)p$-{p3BBL~iJJCuqXNVOfxq>ab{qwNr0m~RfD zE)_Y<_sK*K8*N7(y~KPHMcA2#BMhm?w^MBc$*yk~1$%D;!{QA{U^i@>0P{=ZndUZW zj2+Qv{8*}OuhI5cY1`glFON;?MzhS-Xao)k@(=}?LOon5eGk#9RBZA+u>9MQyY`v zYmYuU%e)@rltvDhwjHtNJ$4B#BPv7Y`zBRN-~~L%+V^MYL=Mcckf6u!Ee9UdsP zYOL@C`fOBITw$n2XYi!VD5#-OZ+@7wWh!XYizA>dVc7D_4@RDc-W&NlD!+o?M6>xn z)WIJzuG&4B|F3x6`JcufXSz&fCm0j?kDV&rZ|AdnM#B z(hb#n$9*M(!xggKj~gn{R~TB#-*XBle_W;eCsmwb1?<7pii%QDdV9X(?Wtw6cIev~ zdK+Pp5idGX8=rMTdc_+r=HOb_&8S6P#|&7E*;cKwY}ScZbCxJ?zg1Y#y>9^G?u~5M1;t*pv#wLP*6?{X48_LMStq zuRbwnX}KC3xdy9hS^0@M%dS4*ea1WJZMu9a_=CfWYWNY<3V}-(_>ledLv}#LBi3*X z$pbiyfsBq&acI&5W<}|dRNGd&dD~V86^krv8}V|XqJ=#N6^kZO5w9>&m{|<5LFlCC z?^OhQ-*koQeRY0KMc~NWqo}x5;s2Q#Ua)|5jU&J6dgzn}XNCccdBHkz4~KG@O~V;B z4U26W7TYu|R*-&9LVdrYq1sP@8`3bTYV;h6)%VkiP=mk5Pufo+;;N(hy6LGn!)8LJ zk05$B5!L+^8V;SDo`iODMZqls8ydH5u?aXh?6I(~2v}rcXbvP#svwb+P9=qcVQi%k z#_m&l7Ie2t2IHzsw^J0oO_gcl4V|=Tw?)&d$U(azn|9!KO}wH4;(?PL)GM;7H^Zjh z44Zm06rews?1!e_QR{}(`>wjtIGCZnpDq?LTZLnRQ>mA)o1S`@KwgEw6*HWwlt)RX zRi#$N6jf?hh$`)~q|0dQvuU{MkWy73i&F-HC!29pUkm~ibs?d8-lg(?FDU309HsvzHmyW z!kQ@y!Z_PvnZ#!_QjsSH#XVT^xkPm7p-B&%sVIFW)w0QM-LeVRWQR1;x{8E>=#gBS zD?vuhQA5L1G^tBr=8uwWur#TrqB&jRF;!@5QjbN&O#;QLXS@z+^g5`hRU36Ts0b$4 z;1%Z?e$3n95tI-9+S5_`Uqabmcr+D(Qf0ei3IavNChLY&{D1>sG*nH!HTq5%z16N?o-dJW6p~Am^Ku53}l-VkLPOO;=c=3T<&L zvIwcb8aidu2%Cj0gScwH(s8f?g|axqmc^l8*`nyRMbT@EqBh-IjE*n&EJ6K*<6Zb=8nIIvsK-$`Z*LO0l+0S6HtKZ5MThc2Ro?j>ezMmP#;K zUg8c}{ulHBywto@iW${zJnKwCsPxfVyCC3RWXH{c7;%rZ&|dY&FJTygPN8Cn=y%+ zMGk5fPobtZJv-EvZOzq1ikkONSGZOc+SDwzs7Y}2^Pr}!Kl9YgJ7b`xL&rLe(W;j$ zYQnj+bu40zLaY88IWwTebJ)5eL64~$!4g%Ra2qm9o z)(y$&Q#Tf0$v1>di1yk-$W@29Dp26QB0Vy_`)XB8abN8Uy07vR9m1#V`++qS&wM_> z(qx_jFBZJt7p3Z2@sxBa>(>}d~ zU{Xymi(pbU|1p9|MOVwlM->Q)n%7!4q~`n8jm1{#yD(s!|*+fN!%SekZli z0m6=!>D8@OF-6_l6{2oe+aj>P#OUXpt!`n}HKn};ZqU#v+na^Do1|^&m5|-vqxK&N z{)SE}ALy;BOi(g(O6lKXRc6z&#G)lZ(ZoVI;ZjV4q$>aH*+@;8If) z!KJ3=3}rj-lVwt^Y7^ECsoAb>G&QxpI$97wPNHVMZhC6wqvKWkalWCDnpk|Bo|;z0 z6l&TPLe2I(HA{_t-r3Y#rBxXSBtET9hQWT=)P$f;@@Y}4f|J|i41lFswN14+Rv~U7Q*cPf=*(oz!;?=5{qHgU9QMb1P zX&N~JL;c2%rEc|se6V`~LE-Y+K?(#9w05L@P^l2Kbwq+~jRsB6znQM^4pnH!C;=U# z$d3Z)=il&n^Q3GP()4`Jx*c(O$1<>mjZ{o*I3k7u6xdhazm?EHdg$O8L1+HM+ zKTH1vmz6w#1X*HGpl%UY+5`o$r%+T!olnZI#!ZSk|8=^;?W)kG=q!t(HgIon;Ca3R zKpD>&)(xq7_E*jv(CZv{aw*G^iCuMwTY;H2pOQSVDy9(At`K70lqcqF_1kL>ZEG2) z|5M=k;xCmGRGeMN=T z44#XcR>c%*+7&|0$~-mkGj+UkQ1dkfo^#ZZHf5}abl^FAy27*SH}7m}1}$n59R2(o z9(cwT5Q?Cmux?1u8`X^v6zWOxSGiPu*yIC~kSpajl&XD^vK*2Cd+GC-bo=J8=uX8EyVZ@6)lf*AL9?XR zDk$-8EVnoUIW@HcEIG9uF|)(!iu`c1x)Ho$on~qI4s1279Rxcp13Nsge)v^@V*bB> zWuXF5>ltu;Cpl{fjjd%&Xa;1O9Sc10$5k+O>gP^#phM$lrz_m63N3axz-4mz`B}{l zZ}1xH6>50J4D+lTGQ&j$(7tYKtildRcU#Pv%0alfx*oVCpVNT zZcwas9JzDd88hZ!fg7#P$PX>*#%?i{A(rK|^A3LM=Z$SpAm~~>{2xN==YE>!1}n54 zP-U7qRV4PXDzkXuknjS*(7f=5ui4fp02DV|Xx)$-%G8a<-Rrz&izTcwo!z$BfkBd( ziw93Q*uhXYhB6mwITb=(QhQcmXn(-FvB**mgIEPq>_8!w&OT^$Mt1lsbt6;KEhd?Z zC{S;6i~Po~!(4cUAHXQig+qYt$ebZKFIc8flR~cLsTcALfkI_1zNQLgCU$WCSygDU z#9?6x!lj$N;mf}j3IN3trPd8u;?4B#<0tkiH&!8qAL^{W$Pbql&Sx5Xu@rdM_QGSxkNnvB;WaHJ zKlWoMCUsio3)2;DR)rQj91(UPSZaoE{5tYX1%P6QiQ|@Rf*pRVZY*(90KHyuJ+gw9 z!N792Et8_-*V|Blh@fF11h1Fjy?e|U@48QEc0!Hkf_nc`43<=J6|@c{2^cEGZd5(z9w zh{dqBQw(8YJD*RT6klNLfJ*;u`=Q`jb@2@H3yd!|PFMH|RS0%yLwxbTabX97qABpk z<`zbtbMV6n>xTUB19hXBQnAI;`GsqwYA0VEI6^92b#6 zwG}oHxLKlZZ1o^*oa({lh%N?yVeQ4>qN*@giPahT;g84iG#NaF7E}14KF<%u#sj=_ z@I$fY2P};{_Ts{lI`{!g;|1~ND(riae0h&!>{ZVoLqUF6Jze1nRcP_U3E>BVqS5q* zXD5Di)WH%@TQ_8hZ>t-@!|Rrv(EbBlO69O;u{@}!%1t7mTf~L|Hw)E`%@NWj&k>ME{G7tqJ zCu$W(d`gY2k*SjnH#z`riJd~^1JBNooU1mCi5$PxdhZYwJ1TbYS>s4`1En8FPXpx*Gs{VyN3@C6ol(7GW%80yAi zOZEMFE$+WmYMYFiw#k^Og!()i3Xrf!-Pk5W+Bi*yr@&+cY?BdC%=O*xS@T0@d)19* z@xU}1Vm>%PaqOW|;{o0|G{kG!g?_afTCiv*9OgRUu~QT0t3rzfF;Bq^m*2m(-1IGo+1EMHCgN zh*`FZn58=VPpdQfm0wmjdP=jVQ4#Yj)UO%}7`?o+RfK+1Jm@)TOIJQI1>rB$5cZb0 z8a1+JMxBVb;QwRqec;==%DZvNQWDistD8nG?rOjg2V9&&r~@Qb+S;xKuHR^tOvExM z5Fm6R=~%I?xb5mSj%@JFjajletU$-Y2wS%0Hv*(>+6Az)5V`$$%xOI^%o}d-+N;QH zE;ZEcwE6vhpL4E!s@k<&aURBh#Hbj&xl=$OQGJXdq zrUfV16`6wnW<$i?s&QqQ`iS#Fe0Yy~(ZKuFx+whQiUK+W3+ND3Gx*QncA>**^-@3w z$>TFM33w1<;{#4jrzr_VcZP4!@)!BB0vV%Ul~GUN|X3 zEl&JrmFO^y89@hjMX${NUPHuY)w;rmcRMe{hj*$Mjg$(AzcNEasDKZb7x3Y7g%98P zTNgeIsFwmhNS---fFN2VLljQBigPk{(L0^Wh!1V*MdJe;#?CQBRLtQ+$lA|07e4$_ zhKQLH?y1*?h#xJK_#Kt#;6q;Ufn9O>?Q$A*JGeXA`!DUEA5$GrC{gRY5G86{{r#00 zBC`L4{YFib9orwyvIlTqwd-UvQ_P@a!z}E%GoN3?DrdDYpTAV<(~gAL?kLVB2~H;G zgd*HXnXRZ%rpz^}0L(40;_6h&Tzy)&f(dGVeN1uc!$}=Q2VlCKpHE`J>A}JduJiHQ zrQ-fE1@(RK1Mfp9kea`xWvu&sZ|U$5JXdm>1RrifNBOgg1>1V z!H5vUH?etn-4;BUiOnV+aD!+4=Jfb2R@0U=Oq-QzC2f;%zgnisgI0cz>kHJ0sFhoM@GAmkAAm&rHO=zJ?QxYqtD8f5;*8JL0g9*l8~*Sz10P(A?EXZ}M2 zO2zYn*OLynB)4E7d?li{1aOgPEuuH*mkoF+_$UrANEDjexUY6#&Ux6CGh4P)=P~{J zatG!vHIexZ;(j#aMFim>Vg^E=d>1v{NI zY7na$(Tord521Miatj9!*F+787^&W$Sd7?d1OFQ6e3o-&_3dJ_HGN;@kKEoMr#KA+ zE|x+yeVzOwWl3bB_)?}5*%;bIqeSAOMiCPvKi4RTT`GT`HfxfqS$YUCz?cJzc)uBop1 z9+ze_&O5vjYY(Af5b7?Bt8}l! z0AJS#fY51xCa&k?gpkl8dJOI$#Zn<-iRBf>Ndk80-7|80P#Jn9KTt&f*+OH0yofabha@bpRJCvqzo<#^c4si4rXy1HoH0!}&>c-e4q}Z@meq#6YIa_I1Lg zq(Vd@L$#M7Vh_F`5*`)?5_rFn69_Ohm|aSo7xqXH+>B2uG9ro~(qT17RMx9ts8SO4 zT`L{VidgQ5z=d?&hMYY?d?h4UNE$SHH+W}dEfbp6yd4#E7?Jhzty@8oRXd2^#g5~a z>=*)=A`I(tUA=T!F16KNu4XJfEHvKe2>RsiX2SknWl^Wd5zwjJYRsF;j#$>kCH|_o zgdT=77lBB^FL(H|Elf+ClYkhQ3^r*yQ_RRhh&5$Pu*nI&Fyi6_Kktqf1>RTarsXA8 z8TUsL!4$6sS+9U5FxZW7_+hj}C_)HOgK)Zp5`i7$4}~tdZVoBnv${X)f6sl&7%#)A z?)Vreu(d3b45t|Tb+bxdl)_ag>NfSzBSBn5)wblAT#Z;uaMt?~_D6k>;m+movZW^g zI>CS3)-J2TFbQM?Wz{!J)dg~&mQY#+d9-tK2-7(iKMKMC?=LJ|lD6nBURG*1%d#`f z?#+Do2LE~y7*bxd8{UnjfkgqHy4R`$7w_Y}V95uqIs_Jf2)CJ=$pZ)mYeo-Ru|Bi6 z0fo`4&J(Pffjpsz7X3&e0?)KM-GSLt}1Z za~qE?>4 z1cUxhE4=l^CLmNYm>Br!gorg02uA&NiEoKhjKlhFur9A>GrKkxdeq+-`U=8U*$Ai? ziP@p_6U$h!Ewwt?`&9OYiwmc&9vsLbObF@=*ZUBs(NH~mwi9^*eSV0odIAGD{zv7Pj?J238lZh#0{j_ z1aC{>t?!v#1QJ3Ida|2-oq(PKY$T2zA_h`A_9X!%=Y}8zEQIDXfv$a>Ic=O41=Ac4 zJsNBZePuu{$)1iRZLqnhEtROR{wCM35tTcN65%*UK8d(_yr4`40G?z_*2&zhV9(XO zXc$5KrmG2E%nx&-RNcVKfSh{q*Hweyu!%cyUt3LoDucJ)jh8{Jovi5(bq4{sImDPh zW(K~^Zi&63#_Z>q@80l=8Z(1$X7B$$uc$FE=9qh$UQuHPf%9bhZhJ+Inf9FQfyP(V zm??i|55Mbw;h3|xU~E=w2zM0kZMOTTG>`8mR~*blM<~l!vB4Fw5i@quN{;xFClNN* zOpeYmx%tu$Z->l2@J^JwXz2%0jKOgIb#8&D^)^S?QD4J#V%I?AXB*+lMztv58?=(6 zVDh~47V^{()auh`Bnte=7l&6wN6hF*Zo@)6-l zh6Y z@UpkzN*FUCPL8aIoit-3HBV_EMF(ZoUF33OwDYWS>!sy(q2+c3ft0JewA?PV+(HD> zsoG1+?Lyp*hxD^wyyenzyU=ojg#!A|&99i{HjJwm#<2~Kn+$Maz+}8Pwl`t_DC-zZ z)YZnC^Iu8WY`zJ9dVfq~+PP*2$24<6qmFPHT63DJhtF@#IdFb4Z8`ffy8ahIWZEV} zk9O7V{19#cDY8x7Udj5jZAxfhz_j5=6v(lUIotzv(tK)!d-0B4*ONCdliw*4JMN5Ta184jIWN)9b z70p0s0czA2iHIL{L_{a+9+freycZR94J3)Wf(cI5IXNM2*JDUucEs)6wuQt;r`QD> zR7N(mRL6^-og#%k>6Q-62~d>4zX}Qb{NTKr;QZ;jOW^#~fb&%Z=bx>;1kQ^AC-60W zb}_d>$7g`-46T3(ngrYk%gG3!v(V-cc^CNi~XT^BOFET4^`A)PP`pO_RNxi=y zWKGj>Igd$%U$Sn!EWO`l*Yo&DZ0uVHbbnb}gj zdf@ym9Vp&KC?;$3!TDL4W}X%N2d&iCZB!hXjVl)HT)xg91QmX_SkmLU?lBtdT*qB_+q$P1hW-CKuK zMY7C%c)XhMxbCf&;GwsVUqg6Yv-%P|G(28QcwF|DOYqR}s31IEy8aS8G(28Mcw|>y zf`^93>j{tVS6_mMhQ|uR}gT_hBA|NiN+nxVRM|jtA3riMr{5 z7O1=7*hBXntCvp$&+s%&Z&&H&kIo*u^~AZP)#R;KhF5|AXF6JW`U~ zQT2)%^BXwkU2l9vjTxi$WIv6OU;H*L1o8hjaT{3e$$kzP{t6m1s2A*iwD4c_cKrYF zd8Rg-t%c_TE=%^e!p8z0E<@S(!byV~pDl;G`kCn&uV}qP$ah63{RQ~>Ve`R?^*;?4 z5O@mU5f=Em%^y_-$E%0aXG_ea!yf2QgMY|x#tvJ_!*UwxaJu8LKlG^>>xv$pt?X`S z@*3x7B;e4V?CZd-|3^&1hV$sbbWr(u-DUwc@q-?sLElHmyeO8_7sE$tYC`W91Ap6>yr>bRpI6Ac=YWsLJ4j+cF z9o`F)u2*uK&^L4n2L|9A_fft^hX%&|_mnqYD@5 zO$i)h2jgtNXuG`0*)CT(_DBxb_7Ra#th+49T_ngjV%^mvp}Zj8mAOp|na7zMw&5n` zmYqM9utyT;HOOY^79rI=0b{Ytb8tvWA=Frl0W%-D-%P-~fDNOILhgaHIEmyQp4-Wz zwaIbtP&xYQ*h81QfB=H_cc#;8VBSdjks`ji0L;RR9)MBfb{2kNhV`lztdvC%wI|{lzOs1z{cdSa4FThC|_Z2FJ>v_e*ISj5C~K_P$iCF9ik?3^GU%Begns-nyh*N#y@%}jWmd{T(VSD#v{|H%re%wOEUY7ch zlp1Q5gJqVA6BBx5u=|Nrq3xTICHr-_94xeWlnYUpxDd(War+c;@yzon`Wu{Kqknsa z(^P+V|6Ef~qm{W~&c_sNxp=Zi*pZ7Sx=ybiglChR=!Vii1Q;A_aR$R&ZfxNgNST;U z!b`6!ZbtE)gm)NWS7pl(xNIRt^>dBnd`@@8LpYHAG!8c|w3OA9?vW`K+UA~P(zbbX{5R*H<24-7 zH5kz^Fvps49l;D2QTF#2rd4wE)iH;gvO5UPbhqms-|4z%C6Af=8RHhb+l(HwdiiX| zhO!-A>1effD=GNQJGjpZiWV{x+zVN^-~z~e836teo@@Y4eittTII}Q_MvG*C&5jJ< zOdNB#WdO$$lIfHII3Dis@*O+8kO7XEy$th8$Rv+AV3GK&3$u zq-@vLZG`WIe2tjH4PTV%VVdJ>#ODk98o?3Dll8KT7fr4mf1W+1ccB?bDRg^u)9uy; ze2pZl%X7k2)HRTWe2sL@i}f|SK!fM=H7aiD00dLliRBCX8m%QbzXqrGOW-VcqWu!! zgfFTm`w<+pxCG9hADlG2W*5`f=<{@;T)-0#WMUslL&4XGFOIK~rWqITHM)_r@^{KT z^CJBd+443t7WxW8I_SfA+A~}q$Rpun4wn=}%}>&Na0vvz=;U{XBRD_1hflaC`zAH~ ziwr3-2I~Tv>Fx5~wH@G7q^OARf7IdoPS!q^HR`+<6?F|nd6`odPy||dH&6kjI?7@@$M=-yOm!8gPpI)S|aB$v4 zaPBF+1kUrWg9We?_?qrVB%s0UNl0W1tqzch9+C#(>kiGJ8?lRKxX9XkB**zHPxfc5 z`=SqGJI0^8?wY3}oMZf94!4Tnn6a4dHvaHksR-KmbNfOHl4EOQ?jqw46WqohsjkTQ z!$n{0LOCBEIJD=QvoVa&UH zm;Qs}w&4qSE%n}iu%bslfUw61O8@e4RE>zg*6h(2JqG{(*BOs-<|U8u-IqPalmG59 zzM1zJU;7V_@n`?(F+MkoXOGwTp4V&SOT5PG{9faoi@e76#a?6Y60h-az-#>QGOzLR zQm^sBrCy^X=rt0TdyNBEc#XFkUgP`tzv@b_(Z1YkTz-|;c=gp@@_~~7OxR~tJk<~HR`>=YusGpHU4xB(%$AZ`rhs}e)JBnaql{>QGO%( z96v)9;si`Tfj)@$sn!#L{E&aGbKNQ2ktkD|;w(OwnuywPhky}@g&S?M)a zq7OP8Z6O|Q(3HrRj3~U9c;H0vmw4F-P>V37Gl<;#xGa_1!cU)pPXcjeFJp)@kb1(v zBA&4tbr9l_zmRoIgyYAcxtAe9kwewcXw22X(4jzxOedER{|PE^4ao~pfs069n2oDQ zUWhSVM)Fdq`JBF?NCB@{q<~kfxqw$sr2fGb{5dZ!WsKM#45j}H4P>HIY$k`$^Hbt~ zHYJO3Dzc9NXupwx%*PSQ2M&D_TvNi8LrY^!C`42qID^1SIG1X0??*z$qaKDr%6&yb zupC8@1Gk*u6t+~Am(i}w9&Jr)n_^17?AgfSYX@>5)ku*Et(Y0L0z1TL;^ zeGN$Rz&IoBqw91~*Il>S_1x3B#}LohDW~I0r8_2CTCdXi7>1Uc7<6OIA;jyr&Kw;V zIE|+}#*NmibZ5u)D7hP-8!JL6GkH?iNPTq+GH5vAbuW(w>MHQMn?^cUW@^2e=(N+z zX&D_Naw68%$x!;Ake-Q->94Udfyr39V=RENC#Q8J1Ql&SH#sI#^K>RU>XaIlQlsgP z(fOrt&{&rmbxMifCQv0dBBe&s9V7Ef(I~7-jX0%-owkOh)G#(-=9hv+PL~>1rLy#0 z%0!2pqHy)Vgu^m8#87OlSLxhCm|f>&V($By=%CJ@928Iuc6JP^{2Hj(6G#58ChE<( z?_JjIK%kHT2QWT+G$7e@e?G%El1`}J4A)9^Y z645L z&$#YwSk(F4n;-^!7Y(Z*=5hOpmzgK9ZFU>Bjv1!h{v$~V78-SkFMiSf*3Gwb2(DI^ zV5n$?G+5{_!steWH;to9zqjOwH`|2=rhN9X>+$sBO9WFrMjY7Q7`_Zw*YaESiJmB= zC}tx6)tL;Ypi|ou#$|M;LMUuVJ&1nIL|>hep7CE~1baPy>M|CN^&c0r@BT%c$MjR@ zTp5G>=xE&D_$3#(1L?up^pmqW_NCbd=ip2f;%_I?9pOc7rN>~Jg4qy%z>VVDHrsV) z1xfT=I0*9b$B3odPa_vb8|19yo9&0`*TQhbaOG$#$*sY3VWlMOfBF+?3welW`AjXS zEO9)asbh0W`ocE^9KT8-0V;b?H7p%k;JyLDMqLkZwNOtzuoLKTs-a{SoeP|*4THa`O7RAKcluHf&p)^cmRre+>Sd^ed25Yo z@SFs*#>coJR|?E9FJtx35Ludn2q6xnCUAm4aJj$7N|f=@YAl~Uoj!?B>Ll|-TyZCAKQ-zu3FW&a5^%&k`^zI}ryb)6NfM7Ju?@pAO44A0Jj z4J7OX(r|gUfj~`Guz|`@dW`~c=#j)`1n=(VV&bp~t1Xel*3=HX=}Uo`^tW?W`psA#2#j9AIQx~YI+XsB>^A{P zMZIMG2G#giC+t7Q0ZUpLH55@QG646WLlC8n|@A#=AjX$tueB zZWLBw1u_JotnHFaE$X3sAlz3UxzK!H3k_PN;UJc!Phdd9)CNaH8yppFa7P~rq7xjVna(Xnn0ujc)569l zt3j9<51&_f*dQ>1<|V{4yI)Zr)kxlKWZ)OJhex5GC8ugP3nZ7Fs{fEIabUw1^vjue zwXn$u3Um--7ywqc%UFYRw?NG?Y{kE7o?1lw1AlY$BqxV_FR*f}o;O7Rpp~;vflMN^ z`VIp^H9A=qDcx~7_!K}6a$1U8hzNhBLcuka%NIkPqiMl}eTRS@^s>wSV;4p5GK!E)ga@_Qdi$mRa`T!R;hg&9aW6zS%ry7}(oSv=R zKl(nd8O!XH+GmT3YviM5I{J5i?PUR(>4KJ(gvGZgB~csUAZysQ}+`k8?@r=6;=WM{#x zAt-qmjUTitQ3;DtP?5~fp~l=Ql?Cz$3m;(NYmhTNP^E~a=6VLFCO}3sQ-Wn7B=^0f z9%#UW(I_(F$3_ql2Q+deXymWSpjIL!2zfv;xSIa#>rpOywG^HMmt5rl>53%QtS=Wx zLioV6%G_nt-3H@ai9i5wb&*?;*{Uzc{WJI?H(V8%-UBm4e&`2hi|v7&clsc8D=7LzXeO>ef+)%V>& zqbCLjHZ%+U4=tJA&?CuNb}Zdr6}PK@swFY_?>Y#OQ?N~+s8anW&SUfjIVd@E#>+{} zenYaMV){-LF?&S_>-CHVIinC@AZcP2svXY?Xxx$diXED%-6sI6s3vtGOhAsjl;)LetS8J5CjB}$!G zlI=n^#YcNKd5uSZ(`)<~|JS}3_8a{F7x>@6TKj$cUqnwd2Ze0>>TyMN6=hD?m#gg54yy6yb*4vIpI;jUS$mTYeXx31{5Cgnn_n^@isTFWA{QzJN(hs2^MXOsbzL z{-7yRP0)sM6SzAem+RPO0xW1!w2LV-fwk;hrL{~!Qc5YRkWb&|_q1IJ8qZsPc<;*$ z>*WnEGr%jbD^M4tD)k;E!!QP?x|l190R`a(kjia(kB3^FFns0F&2=|x30#> z&?C&E*6RM~MafGj3VnvqRQUpv{EG-UH<`zG>LXr9AEALjD4$}?B#$fmk>-3Sub-!p zq+hD~J*~}r4qr(^pv|;G$OX2~(`N3US9f}*DupXe@)<7$i`*?@O_SRPWre5Dc+*c( zkui;;M*YTTt52N9orx?95;OSp8ObDy4%a?@TfbP z@Z`s`VLiEbi<;)QKR33}z}`mf!~OyW0Vtz!QNO6?<6a!j3e>E(Dv0EON$wswD?|MX zzDthA)wo3QToWF~8HpOL5H!dm*5GDPb#Wjn4L!2KcpJd)OXhKb485y@xXi4F1Q%p} zjofpn(vY(IvYrhk$Q{^Szh)KaTA-(HP42Vv(M#*=5X#9(p+S+NRRYs0Fs5=myKj!t z=!#U(S)tib7oea)Q>hk-rySiODQvc{5U&p6DubZ13tKz7%Z)V8tM!o*!{+4t1gZjaotffS82MxHg4Z1(nwet zvbZ&4)vtw8pRnT8Ri|s7NRXkWPc$~$w>w#B715&48upuOW#1sc(*0Db5{1wPa8XI$ ztW6kn`o!jDd-6xb8;F45o|v4;EUB{~^ja$cUA&HD7F}(?BRcon(jsUTxqsFC&S4pB zKtIv5sFM#pgJ>y2+2>d@>sl-I*P2a+Roh^~@->&(Xf~BuwHqjAIfA1!Qkx$4SxpUT zUh9jyDMoQiQ@T#Tcg4{47QDj3)4U(}S|Be?)P_S^5-b*Kc zN?h8bdX&B|P>_phghsbRkMsywpGaNf41Nxl6#`2VGbI!1aY3xHuR238V>NISh9n_< zVw0j9YtsWns5v`?y>66wp(0=;n{bnCtGX`FJ*V$h09m zf!ims2Sl@ZK`;smbIL6e=|zv%M06zrbS*@e<%qx->f8Mx&n4+{AZF>5sRW>2Y^Pv7VXb@$0k1>;+X@nDbrgBk#c3;6#L{U`{T>8PT3$JEdHwS8^AFE&AN_HImP0@?&{Sgy=2 zvRrULjcb_?MvPi%vbKRgM4M%q`bJ5r-ylhpzhF1S)Za42#bE4Ql7f@WivHlcGxs3;v;}OVa0J7txYV#+)kJvDYyir zZli8`lWtQJ3TgtIm}uEUjO)mO&tkBZHV zo1PRuX%YiS;v&h=2Ozf!`_O+Wi>T7!jHepBYbh5%+1Emw?^HwSTCc+yUGfU_Z_NPH z_Xa&cQryORU%=l|E9qR~NcXqDwFO^hNJZM;AZ_8sX&)|$#r@d`z$@3)*h{06A{+x5 zg@=ih%qw@9Di9UW^7C$3af|j|*du`tq+!`(ftVG95yz2T`w45{{C!4<3n`es#|S|~ zmKAf5-!NEmUjv3}hyLwR>1rL4sW$~yGzPiUT9H@X-iq;A@xY2ikoP>^fwto|3@)T^ ziZ6(5(0#!n}m%*ou`LY8a2W0kwOG6;5XiaxK-8B++en!KVqRzV3a;o z1Gzpuo}Z&d1$cnvp-%%CiqMz|xlVCnY0Spjm(eS^9jJnA_i3z<%WEmt@OF7KIfgi2 zK-5TVynPwOmSixJ9BbDaYa}`43=&Eg=511}Y*S`DTs&r(-?I1oM!EyK)x9#$-u6$R*7UvpK+9H4Zzt3* zr~vJp2wpn-j4#DyAeVpVJMW>~_CU+)fdIIb{$68t$E)O{kWtQ~u_6)1Jf>ca;%*wV zv_9NMqj&n=KxoHe++h7wj;+Z^r(~v_lFsfAMA3kCx4(wFX1-4t%kQN+Eg*i?KXPsR zYo72;Eq}>O*=EONXUC*;>;`AnY}en`J%>hm}vX`Ze>!fKZq8PkqS1* zxJ`}$nF=?He_EabE)>Ohz${aN^r@iL5lnv%LPhb;hYbfRmIkO^MkeMsWqt31AJBCW z9zccE>)6Y!Ye5(6m%bw`4mYOD7fM29NXIM`?BrTC%+v?5CMd@^W^?ReF+rFgpE7mj zl0XYWg(SdKhkq=xb1$FpFSC<8mj76=^Fj6O$#g!XpD^$6=yH;Gk=F2^RB}i?qmsk= zNh+xzg~Pv0Cyi13CzaqTcKMgtwaQ6mPgXlGY=4b@*@oR>$W>L%c19$q01~2sMMqFU z+&-$3kl>mOXa0l_CG4FFkVP2)Z60zPHM6;e2`w7g3DuNc*RD9>_X^r6YYX~)|4X}+E1wz-&D;L$nI+?Tiyht zV!*t+%xt8z468p)f_35aFy{qU8?z285Hx!Vy^*CI7FDbat7Dtd8=Z;+Kv>`d6$$%a zgtrePxRi+3i%2u#_VE<)PR|Gos@dnjTL=JPXbd|{SPh{5lh$5l zk0i=cU|%YsToTG1LE@iKPV45Vy=cku_5li?wzZqJEbU=Y$~zM%BT~==lvok~+9OM{ zA5>jPuPcF=K&MU;3+N3wL@)>}B8d=QJ#NPKKx4;X)EbhkdU$){_L;VMBfH$yL(-7~ zQK6bplKM?l4uuIp5z>zdO=`zx%UJqxHomB3g?t^wJ#d}!Rq&vUSw>Zsyt5ZE0y{q; zAbSzn8k8nD_mQ48Tb=B^VCO!zfdp31gw6qy+l2jB|E`w^y^v&Qa3tG_Dj~o=ifWM) z0TSRcBvCMiKu#h(q|Pm^?aQ2`K%|FtwQLrMf`t#7QCwU&h>HM0E+V@~wp(sRew}1Q zc9EvHtaj!d;?QwKXR~6*t$1Z*9|?E+t6MPhDybr}k5s)?tI$891p+X@Mr3? z_Hv5TKftU#D4p&z<*Su^(3DTOetT*3LE^wM2M3M`4iNK>nai^8b1G%y32QGK6mr~i zP$e8-f_>ABFwe(WN%bI=6VJ6LAQGj=iB9Hj&aq4emICJ?{g}-9j&~9?yZEfHkr!-` z^$AIjn=fXvN0zYc{1|3wx}&GC%$`TNEDg5KgdCN7ijLxhKICTw{nT$;NtK{yD0PQ3 z9f##^qr+D65M^QNGBE?tj(|6NS>e-Xm6_K} z?vw%!v6DO6i|8FLbdSgd^^QP&Co5EQ*^fY64+-ENGWW^sc0A+{?YbAM^%xrQ{GPkvvy1;5KcW8L(CRfF z!v9x-N^5;2!FoYG^STg|3;)0$5{?N|j2-MUxuL)H*U>n70^d`ptdKh@tc}aSGk@@H znMG8lPWnQX&iG3(qS;JCiJ!kkpBhR67^o-rCB@iRck=i>i*OaP_=>pz-_?01Bx!Dmmoz~PwkY2SG0o>G#Wuj~^T&1j!% z4noQrr+qs4O8a(p2>D^}_>Qi-Ow~Pe8Eov|WYeM{*FiH)we_I+3f*{UvnDNNlEc4S=pTVT57k z#fcS23{xYtObZH9q?H_W8}}Hf ze=99W%sc~U0AOSZ8tG?v?gS?28~TeRcv&BTZHu>t-%_2K130aSP(BxT@fOM8kK6B2WknNl6c?S_MDGf%;xJZT~mu^PD$;T1GnO>N&R? z3)g0TRcMC!V}I`nb7>To9$*(v*yDl~5Fuf*E93V$LDs4VO+fG~vQ#Qz^s^KJzIirj zU`&NE9{-kbhXPLP_SSk}Cvi0g90WG7wn9z?cZFZ54iJMsiW%o3fQ?*@F9;jCJdsiZ zooO#sF32>jzZN4yw@fMvC}q~G-NhiB350g>Gkv>|Knp6fDp#+1EVCDcJosgqs{QRi zO`HbDP}g2GDcymu&ZNpFN9ke13W_-!Ae)gGn=>gu7inc;zYN0i33IR<^y5!rUmTyNI^oB z<#iZ=w#PR5BQc}pRoI1v?GawG!5yeFFD>V3^v{d-j|8gzxdED59YZqu4|-b}-%23c ze|=oAN9*Gvp;6FgWjI&_DKkv>5WZnS%N)c1oX*yUbdNp=3RCEctuTd|%gjWDfUw+b ztimR!8DE9hbpLATo1#y%&P-h`E6LO~6zXb}1ZN8bRmOp{FfZmaojv@7f0@ob>H&oP zTx(x}pI}7f?IKU5PpodXC#2nA0S*q;QSb=Fx2?6m_&07~v~5AV2|K9!%c07k&lz#1 zwwyhZ5moRhQ&-6!OjoA9N)qZU`_(G z*0aqkfAM6$NoaEgn2~ti&e zSDz~p{yY!oLj&Db%h#F6B1 z`<2KOJsOD)wK^vFE3uX8L*C^0^5iH2iZ91-ot0joCnPa$duEW{2lht}ATt?n_lI?*PS7W_tSx@fHiP z9y2v#cH}!dfVnW^88qX~%w*2@aXTRkLwu!WEo z0_DKKHi-9yJT~C57OC|8pyNj#3_A{MM8d|VJQ#nKLJZCy=L0*kVLcz}e1_GyM*7Dc z916DF(~QryVQ+6n1aPZq^V8!?$y$o^+VkT>%g@-Xv7l*YpnxUL{0R}lbOd>FjC*#u zn-npEvu5B&tO>nRj8G1lARKo}m?yzHV|C1=Gx5i+KshTFeBsMA{mwi{{pC`7wPV44 zy;!hk+kXu$(9Z-L-1IY<7NRu0G&uuJQnn4b^oyo$7eNnFWbNiuh+Q*}Gp%^$zs#;V z-URyXRYJ2b8e9%$D%R)Djw!*sN@CvR><-xR!7eAveXIfoQd78_a$|+Kh;KpXo1wlH z?-uI)hxPA~0m57#7IVEJ=6Yoy7jwNK=K6AJTg>(Fu+U??OqnYMJ%PY8@IG?H0ifrE zj7uLxtz?fhdgg(i>k~lEwaxa{X+1weqCuz`UD^ijQf^71mN8Y!IDdfT#LZQreCDl< z-qqN9wHmx@#HKrD#z@VmVmr(C$q$GW&z%wFkY^uLDZVK)g+1gMYahW5Q!0T7?4Rbj z`59kh}tC zOK6H2KOc!#wT9gZ5Sg-l7>|-+uqampU?M@i{57|j;&`{zOYb05twJHn9)h>4%_hiS zuuCYh14|d@V8Ccb=?Ta;Y(wJ}+t5J)M6D=v4N&Ot)og^|#yJNynGqrC?`3dcLLYoZeX5Nt(dR#RB|gxxj6YzhkuDr8KRGNynt zCczOsjmQNt6#!qzLZRrB=mue>WLWjs4T7u%PeP25zya#~1D2Lj%ZL(&Z<$r=Ury0E zC_av&Mg%~OeE@fJa5=$EWr%P`91BXz0bd*-g{oBHWUlhzAWrkD<#CJync2evHk8Nh zdIb#%ee8&MnKj!RbVnR1K>B}&u-v%)J1?=9kSMtm#=7kHs}x^!ayhWTy~zb{7SO1P z+4k!QT}X9JhV&%NKnM1?zgq&egP5TgP?w3368`DeajIe@TkRz zh?7SxLSWjEVA?PQ!P$S)gywvUi-vhY1~3bd26$eqg$BgA3U!gi3a4B}gh=KiO;w20 zEs5Me(rXdCS5Uq0D|(eFsahYC+K2id3$RQo51vCOFK}U1;SARr87FHJjYmCW5mi{X zRho^JLS3t{j@cX!E;;LJ$RddYPQdpK+9Gg*q6AQydMoNnPOocP15az#K5f>mVMSn9 z@zu`9wXm=1k85c|MNN?Z)ewY6LD@Wry#?8LfXI88Yn}m%A(m8_v7^}LF_XvS70x=x z0YXZqnDhWlr3ahspE+s+m3a7&_@K+yhL>Z%8B0)aJS!wA^P$Vl<;!srh|8)>9SI^z z*H!rH35exQ00b6jg^34rfE8Bx5>;01s^xXSa8y`j;(^QR10sKM87<|gQ3}LG?e^Ix z{#s^ej@8e}TVcU>VMCMYdmB95rkm`%uT~TmZbN*Pc%pP2OxB#_SpmoaB>sd&7~%4vl8K(YkGe*|M85Cw7=68;eWPaFsL%H$qO@eUT1{jb>}O|XStSH0&q#B44`?|{`+I*xI` zFI`BF?0L*3<|Xm;GwiLCaYoX%pO)=4#4urLIu_ty&b5yR@HTLUVHz@B@`)QI*+0Y| z8MD2vi54m$Wb5kIww0Y*09j!WS40YgsqHP&*@1D`$5E$u9G{6yQt&hmu3(MNShpFb z>PfEp+#1=1xp8FFIFP0Yb_E4G5EBF5azsaxMl3YY87wr?8FrkuOOO{ZN|F~s6xMza z6~9>zq5@aA_$;@ZCs`{(eSj;Rh>LpzN>6GNCR8k7smE-pwbU}KhfIQ^aD};{U~hRc z%ZW6wYeSJjY#nBT#3@t1mX&Af*YhU_=RNQSQQ_F(4OqX8M32H!?o<^)u!ZAS8TDW= zWi1#(?eng0hFH8dZeJ$(M1N&-pIB|)i{=VhDZg25C9BO(thE|S)|hqcInkl6ZwXm) zgyD+i5aj^Go}K8MxtDef4a!cY`0A@HlZnflxVX*wt!C3*g4HkrLPCa;HEz*7JCQ>* z)3DHp{66FA=7-@MBU&1y_X(+c+|gYolX_DW~R%-tdo>j*Glg#oM0SY7>9`Ml9sbL~F)jzJ!I5G4>7Ny@1W zPB2VlFI`)Ggfol=)?X{?Gza^&1I)hrAU_~iv4?^6oLaYleCHwN6L$!9P4vEWe^4od z`tX6$5Jf!{#KiVC8}vb}6O>wB2hsu-ceh#BCga0iI0pcY!ukXDA9@Ansqr2&e!ru{ zYFh_?Kp)(s0fM1gET}YLBl0+Ctd7K?3OV^@uh3bY$mUv|nhY?}MK|WB4m?wW{<@Z? zQsISOt%m*?^zC4*lMiDlyF2KRq+zLg9_?}*pX-`0H(Z z4gQw2y(4$Ci`qC<e2sHa68@+2%i?VdP%?T6Ni(Dwx57q z2BdA;#N{&>7S;sf5r{<)C&uQy76tz*7s5EuAQ>{oTOY=e!uD_rc1dh(yx<&JJE!j@ zsn-C1Cf`Pkga@AGT8HDy6a*BcR-*&PwQ;`*y$l{Ah3&a1Q4tbO?#Y7R+a#0$asSRo zlGCkmOnY@Se;T*N(Rhf-5-JDf3ucaS4L|^$N9D?Kz(PS377=!kELdGzbBaRE$#~hsxWLwlN=aAj4g0nni_cWfe>zPj-vYV8sB@)7d zW?yK33xVa*^bqj37FMaAVF0{v6$7W=a~q#xBxhHSrLe(#f^U2^bJ(Wv!r@ z6@CztSS(N#Rzn2gQ@TGMx4T6&hi|6sO+k&W@}?k?*x5R11tVE4Mb?^4(4*Fy^&-~j z#9FfnN8)f!t{mgZ)Y1D0FoOWQR?ft&7hC0VGuCe z9LS!j<;g=4BG7Rjta#mDQ5^vt1E#yDQ=flpEC8qRi_BOiQ`#6wssnG=0pB^x>47*~ zgTX7^kApp5yA3#7MNF)VYv*w@pCe(9@ zvNHqrJddu+j7i_-cF8q=kXY2Hz?X1n_H{7^VYCi8{0hUrhpR62ZB#eO^A`LV0SRu9TA>{g#2Ll9C_?FVB1 zlIO>&^!ai}-jPKq!L5Fm1d%|)77sW#9KYW$q!fwyC4M|*2ay6VDAG8<*DD)5@EGFRU^xcPF6912x`08MQUfurgxdrMUq8mG5%i_88zZFQcCi_XWKqsbkWFK2;{jv{yR@0a{a;l?PVgZwu8W=3# zN~b8)2--$I!{AnL0PzHMswws@)bLRIt2m!1UHbXx(MqXs9zEKr2-+`8k2)vUW3*rN z94IkrzK!Lt4;x<1&DS=FEU-Yshf1AZadruZ0Cs-`d!QWfd+(<-T`({D#T1^3ve-Zih&*k95p7z^HM zT}6l6JIzFC@s2zCkN(WVk2Rt{tt|+7JFvdMNfl{_>1-N$EObF^p{-~P^9(CIO~A0> zpV9=^^Xx6;RX{L!V!`!1jBnhYqXvre(Z@I}o#X`ko3;+p5P5Bnu*`J)toMYLHkB)ag@WR@hjv z@d`hW4r|W=nys9;D`JwMg`=S5Vtm*y5lexD@6a}ZVCjkti~Rxv*j)UMv&Xw&^iby> zd^mR58yia4Pt|L%3?s0zgzg>A!4k}H@_@h)AduV56*=HbKLfmjwHI+Sigbel{jKHv zKp&9XV?luX5xd%o^)HQ`ggd?i?aq6Ye*}Y2z;)qX2|~e-m~beolUBTJMWUQX;Pv=L z@B%L240aYK0^h_BJyKkNg@|kpy`fyAX0LE|93hYL*lwHF)Q${X zM`W=-SxZC+uL|b{9Jl1R&*z1$Ne3 zZx!+qhh~YR5{SPk&Lt2LicwVPiI#`r3HuwOa%eAn68Qh)f?~#B`Z_|Wp_I}%u?VVB zVclYy876(_XG$D{7GA?s8{3mW~iDlhfHug zYy#LXl*oQbamDPj02e++VpBVy!`Sq5rLWgi_9MVD%v&Tj)bcj0I0A3aFnxE^1CZkl zM$JU6dDfaQ)cPe|>t5v3hI8nlC81qujth2eaLBGFSqm(Cpa$L@zfnk)q4s;%Mf0h8 z80`kKOH{LwJ;O7ALVHQB8hHg6s7H4wk1sNvt`5?w`Xx4-GCDh^ccSH%xwv9eB`xoR z3I!aDB=fCRV8}Ry5Q*kn;QKtyj?a2;N(*T=@d`} zYX_+F*UFC~`+3e4nx%`)SV{Xrh;R?GVEJ?o5KFo0I!_P@)s!s0S#TBK%}$~zKBph& z1K{@ugdg#j+1*eaMRsc+b74HN;6_Iy(dm}kF*BmT2G;H7H}3t84%kcZ4f=2Kw{}ng zy)aOO!>+<8d@Zksd^2!%NhCRnXd_W0qwa)>h4ne~|BpRNPRe2iGtEFQ!s%UG1tezlc)H`bCxsuA|Qd6v8zHcsTx>KRGq=J zKoQj8{}?)X_P3lF!iEDF0KW5Vjqvnp{R;E}KPq=#Y3~Jla$YN>7t%fus?dHpp4Y`I zv0b1~F1}Z!b1KZRnF zwvl8RcgeZH=E4&}bOr50FjXgP`FU$35T(t#(GZZ0-Ox6BS#>;#vs#SlIL8BMnajAc zQ?GHXi5Nq)+^pZs!fHHqt8x|kt!{OszI+GbP0F{r)z$Tcm~s_L-?zqtL){uomE3e& z%QreTPoXN8O|r4FT9U;5Xo~$zOF(IWXT4%;pz{Sr;>^D?v4_&4t#Ah;5-sBifhz2@ z@5U%u&AppFsap0M4L4Or8dtU4paM#kp_MsB7FiQ^rI284ebX0Hyh|N6b%&n>hv%HZ zKqwg2=-09Sm6?)98Z-5q(L7fCOm0bbBXHpyeI-2!+GTX!<7Y7O7VNhho%d3J*xZij z3S_QUlM!hQ%Jyv&y@8Pk>Sg%gzX zecF~?7(}%|5nr6ye2Kv6v-pIobUdB_2rzUZKpHH2oWn{4AU*+Jk{R3LY!Ox&m=igb z*x+qK#@Pdm$ZdX$Bx$XtZ31nDNq5_pD}NTc-FugDtqH{>-e7R1T)Ssz4tXj;qK zAAn$w0Dr3<@fx$0yYvewNj%MnrJTK_)tEPU6)Y~LS)q$6h z%I~X={5w)>R1F96g&O`7sjpTw#62adg;jU^N{k%0Ab&tAPw<9uKvkhC_(i0?QD)<~ z@BoY{oIYbP^rh{rOA!fpQdq)h5CJG)Oz`vW=tNI+mfPa|h8IW@bG(;J^%V z0CE!01&(61ND%o4_&QYru^~3oIl$;usEM z1-h&^6X zq{R+;v)!gYa@y7Q1&08?yE3z`0d>=jFm*j6VvQKwlAVGIym)8pxK2 z(8Dyf$J%?F=bK;m8YB4sEdKW#^%_^>|5f2_>Ls(di{+gWsR;xM;wDE zWnCdRX6m^@*37vx^`!n-m?^;E7`l>!^8qkqBYfM`xq9C0VIPsR0vv~S&%$a;-vfSk zKb8cehVMX}JK?WQ6`(e7)!?MVazXD9)(3YGVfJKQ6$EU31qd?MBp5MhTm>>!Gq@qX z001SM9k!pTBd|bBb&2_!6TaiKM{7G8x;Jy9)`>B-sqKB5BUUUF;(0#7JXB`M&{CZiY z2kuVTKXx!dwr8!zhJ^j(F1?I(5}aZmotI=J?1N4c&Q{}iBg9fsUmZRgP`8>u0adkt zx3oAV^iJ@H)%!e+82w8K^3EMps#DCJ^Dh`9;p}1H;l7&Y?5{z9tM4P5k~E}&bpPFP z`{QYj#eFJO=6{p;FM|ezy8nZ~hE%nc5VQYtryhGiuJ9n0(4OgZMMCSiKV|rA?9{jkkyYW1wpY98<1zoqRzQukO*H|SL@2t;L5W_o>iW$d@kVX5l{>4 zCm&Tm7m1`?E(oJ~x877fgqu{boma4NfKzTTC}KLZ=3JxVg7wE~r(!9GHemzVzIijyiWHIctHxvK|5!=k~wLUK4s02Rxssjs;1M$OjZ@5kfeNfCg!PMWND{Ke#V2MOxaWn&G%Md$Pr8p;}6@+ws5RFk34cUuz zm2fO|YTc=8y|PeirLOfgg<99o_3wY4{jH4lcP!c!dk@hjf#;rsc)+Cwv4FV6RCn^- zN*Ra*@vpw`e(XsP_D%q|-mcQa_<*U@GaPy(hKtJRHc;NYjVedn{+t++xK*0#Af5>! zEQgqh2U9LSJAKB)^*hnB6?DU!g0TUi(NV#`*?{j!ZlOfWVeb%(nS?0~)CEb?p+|#p z+&8BTHaGxGsWw^8s=)ZmYNF*Y4oiJFO$uLE6Fs9hH%NfS}ek^L#g4ANHy?tIk zpJ0t_*frzWO931R#z4)!x(1k$vEL?*`r#NJ4Hhmb-Gfh%IMA*7gng&V;XCDo33Zkm z+rxbqU`|o074BMZP-SQ#h#K>%4XbM3qN^pG^4Xn0XeAqk9^DgX*KmJHp%OIWMFbF$ zo%sC@`TloeK=G>un}bkC(Q5AVcif+W5b3ieSeQ;f+hp|Hlnq8zF>kdCJOM8%)CMgL zohLRuMv(0nbvj6pIm)(X;|Mbi5@I-@0({bw+~i(NuUrF`A0iHPrx|Fzm?Jt`BD4X= z-U`hVw~fLI#fxAMETS`A(DLu2Y`B)p#lFRX2G9vPDReU@{Bk(9Gw|q~vVxsR_3hbv z=yK>d*d!_#0s@PSPr&|c|3KmI`Nx}{Wc)56a5RY(6e^J9^tkHuz%y80TrF%HW?e11 zQG|toQk}Cw@1`QV4xk&YZ$fecJE7cj!+mn>bP(~U685hv?#B}aumbz{<-Ua##Z%R& zi69dQP?Wd%yAIl5IW1pXUb9gZQyK^V!j$L4nljd;h-~QIu z0o()6pl0bg;Y%N%Nh>vBg+F74dve3s%SD!$#-fp!R@#eN+iFAUKbPT8C+v@^#%WbZ zjLo^qI))JP7FX-yEIbdez*KlZzlJ01u@Z zqxFq|U;_Kz#PTWhve^!)z6oRlX4h`wRPITs+153?d84L3{9apzF2G2So4x!+9yDlQ zeP_28{*Lt`^cz=0^-Q9f?aA;elz}^b;0nR%xrCr3OzVWuBYTV)6zF~ew{4*M?a4d~ z0^6pM3V$eciT-u6E3iF^k1*%;d0DHghL@y}9cdcOexKNk}e_%3cCzx>ZgP09-@vU9H1ba!7Wy4y#=)#04J9G;~iA zZ*$+YVn-6#;7T3_I~j`GKU1+MP_Nn03z`B_fI~(5CnFoWCwGAE!MR~HXG&r>?lU~p zf<+BZHL7=QMy-bZlW?h}MZBGBEu7=I&S(v<@iww6_!mO3Pzju=0 zK4Y>;zlh%+L=^U}nca&+G&`6O*MsdRKxu{;L>03^b`0%$TIRpZHznw;HmJ>` zh965%I;>6xfrGK1aXYF61+LhA(hKK4cIibDy`V+m0o4nMh^#YWE+}rSx{K`WgX+64 zy4Q?8h@L)&jy@Y1PW_e@JBeih%xB%IgRM$G^hF;uqX%4_MBLTL9_eT6>f&SomECtG z7AV`FX_kAdbkX;J97^n0h#P&&d94l$9nybX%nEQk_VUNn$7v|(1 z#AcZbRyc}9TEc&sXg`0*K>CG&^rt)e{jF6lRM1_sc&xi$sNg4wXlBE{^4t?v>=@+W z?Ma(76bHXJEc~nGjx+b=xZ_;X`oqjQ_mDHdMJWBZ$crsc3yTY$Cb(Uvq_rgXkJ!t@ z^h4Aqi~;RIzQyhL2_hg^1K_+<&BHjqETSM6w})hv1bxw+X0&g6Yucs3yD>HDvmENKZBmhZ;P)duGtQpY{q*R-O0l$TE=HWK>OkC37*aT2E) z2w`Ktn!CG*-j*B|;c7VdBTk|%lW6le8acp|0c1inUIi^1(CSh+`xXsL>6jVq(KBep zdK{E}=UkFT*ST4Cu*ZsZ!Dg+~k&FChdknaMi#xkYh0nsLMj&cO`eZ*k1q=AFbQ0;q zk=XH6Np6uAbB<}($}83Z1TIZosVKs~7z#-ybF{Jw3vhB%H5kM57MH0&S9zeM^ zU>36CdQ+ra_5ilr-~-_^_Y>_9p%Aj3z1ZyLo7Ky|W-m)v`}r5rHfoNdX3_+&41fZ7 zIRu_{(a}(M7b>0`4=2u(dZW|hyHUesY#BY~v+{oB69@J#r-NIOP}D(+OFpyrE~GPr zBD%ZS+|M_wn}5x2mauyH7vs#*sN$I&pJe)u zg0k%;eAUcq0{S>OtcMpkLTF1JwKjaU+zgiB^bCL?O469DW5^q0k?7I(itRB>p6EBi zf4Q}Va)@_yq>P%;-_MtQDvDbZ$wdlCLwj?la~lv=Jbl(*pgTAL9EN@EknTY2kVsO8 z(jABVt>@Hsh@xWZ5V~Dv22qp8%i#2_zCJ9M|sApzVmk9HhyB z7q5X0ZIQ4NkVnkao>S2mKuyX4I4TM3)*gp`0@~$(!*C{dMz z6_J>_>nMl*gTL?lAr;9dC{e^*LGi(d=HMM*9;C_W8(@ zp>A#h6?IDWC=xBFWIi{v^l>5Y1*e5$fJk0Jq(vYS^hw=jcU(F#SJLWbiiS)3?L~0e z&rcT*nw@gxtAHlmQCZRoP=>SL#WF-3zDTly1{%2c;~dH?mq~@$%SUTJ|C-4z$Z{`$ z7j*v&*n)|7K+*Lq-V3XPs+CcV@Ziupx@Vw|p&rchx>zN5`YO%+@LU%%TtRNu%{Qx; zf6d-JbMNQh=51a}3WMunYw5Ex6)+t^mFdB?0PwkLL7M<14w|MrhJ@_bq7I@i$^H<@ zesm~p`^@eJ)n05Uon379^3B@Mzvh0Hu)6sd8WL6px(Uj$Vz;c1-u3(%9V(W_yP2v4 z@;2L938_8Ml*kVYV(=#Q4Y>aBGzZ0-4RBL6kLj~!=WOI{qAZBtRI7TYvZCXpYWQOcB{ z^Py?sWPslGD83ieeeZUa{ZyAQdWchfl(Xi<(%7I7zd zVJ$Jn`XK7U$%&6ERB_f+rA*>6e5cQ8!FV|;0Y0$u_}%PYExFh1=kEf zlpeX-_}GU52skETuJa`;)+M=|xL8-A5QK&pLhNC^^3B@Mzvli)R7BZU8vv0d(#y2g zGC&=NsBxn&rob1&1DsYNPmZY8kg<9Yt~;<8Vxh$`;j+-^2*0EQ{GtlAJItQXirMpt z?ya#hzzQ(b%P97s6+H+1zbO+A+p+IqH9-@_s|>267~P+rP*fVmUUYZ{9mYhW$9P&s z5&?IBD4rW+ zM4%BP{}qjhJ_vA3VC<6)fq)mJA`q<9>@Gvsx5q{lO7q1*>EA0#Ef5Iqw;*X_x``^y$L+kLH9U(?PM3FP`4~8 z6p<_`gebCaMY3G`7Wdjx$xR@y`K`n?!Eh1hUW5)IE|#xTf~gU&PMAlNPfr5t23m-FMDJ)7Ymlevt`L3^+g z6f*{B{OrWDn3$n5f{za^iTVsO>LZwNAJI7U+J<{@ug#6{9&7|*)%Rpu`Y-%O2tFcy zL&y9EJtgl)e&T+#sSxp-v9UB=8*em3t2#iwbi{8`P}*!}a8IzD23Yq4P(pHu<=|Nl z!Pt3BmV@RCFw5bCSj>R~y2k^D1aybB8iC~?B}XR9$%NH~-xx|J!B8^WF){#E($3>T z4Pu_cC>1=6u@$&yvK6$F4f5+Lj7XTR;Qf!A+A&)pK_L*9AhDwzvz2ztR@mV^VkO&)~!SM_ey?eDWR_ z9*jhxg%#~ov@Ae%hIf8D&@E<_P`jOYc%gvb0W(G$D#k;=Bq3Tnz$0OFBBEa`5f$+! zw0wYsfW)onT{jhpsb+kzw~a(YnyOoGparQIz?Tp{NCnQX#NcHI7{pyiD@sD}9?3Cw zj7|Mxi>t(zTnJ}L_r;cqM2Wp=qhRa@@`FAaq#HEBh|as~O@?#fVaXjCmWEA`U||vr zArPvpz^Uk%Q_-Q3wGBH3VjYC*_qVa0S(^iaq zK+D%h!6=pjOtqE6t{k+IQ9Skuh_#2e2!995%Lsql0o~xl2xI8T=x__2IGSwhghyEH z4Piuty&Nfo%@+&$d^~0%L*2Vo5gp-Z2sX&{IKZY9cdSA%m{WZ~AAu#9f0z&hd?576 zL`gJ*UyT|}P}HB|gmjI>Ax*)nmMWlU2a31yZ0Hy;;y82~7XZ9kUzw$6b+Vy6gXXGOkaWjgtqV!;!Xra(ZQ{v>WAk@VUZj(blM=kDuY#%ynz@KC zfxSDNfxa5jqz9aU^=|ZyxdCDcNXNf|fS?C#A&0RaI3KfrAZgfdVW4ek9BPfutAKGE zq%28fVvI70t1v)MamYHzmo-fIpz7%vfC6arV2hadl3?KoEk@}|N06;`uqic%3 z_ACG?pAg?fw-%%coQVPKdY4RL<0K4Bh+hX^|n zkZ_Nb^CuQ7F3OZ7xa~9oC`MLDNtb9!Qrqv>J;K zCIxW(l?K|zrm%MznupZ$3y}am14lv$S<;m;RstKwEsSV`&W}@MzOtZ?z*am^a2r=L z#qnV%K1N}%x6~1ZVVESs^rAMdANm#7AJHPn$|67t&*7{lND&I~yG@`_giHtlM3pg4$4~F{Y{V|(BfbB@@+f0%$RLYuYtQ)sU zoD{Zz;3IIA$;f*0PfK+*tgy@pP>YTiek%miHp8Z z1+9j__H!s5Ln{Q@l-G<8W{)Q@QH&4b4D}$a_@$VFR1o+ea1BDwajU<~O-qECZW;K9 zwzi-HyvUGRbSdR_yej%BWDV^%Ibs&TH7q+zQ`> zqA>Q4F%P^YRt2Gd0?{^!eG=?RA=cB8d?}g;)3LBgrG3jmA_uxCqzpy=?a*XChHW0c zL>8Fo93_s>qp6{|a10!5frHYsFpuH2O|c!)wB^J5*H9hMQVtS9pfZD?u!U;`G>ex+ zfbS8z-2`JDpe+Donua)LKmH6c`%w}|f$P^LEDUclw9=T$^mz9QyT1|H`(Un&IzQZz z0>c>YMk@QDmka|8kb!_n4-s3ibVEeL0X{>pX-2k2$fKz08@fr4p?b?QPu(g7#w1^N+Ag~a0Qvf-{ z<*evS{1Cf<*)HhRpshe--;6#PHLoaa*ZqguWBt3hUeLG2y8y7MGf6mA5bN@aqwRx| zP!BW((+$!isRtDe*``Bp(I}}Kvnyl}jVBb&k0!_fACLfKz=();DL^6pxRGWW&;mVi zK9dp?yYyw2k1KhTWv*m@F7!G1T`6srGZNXB07XZ zax_sqniQM}sc9>Ow=$vPBiz9nchH6Q81`&Sf`s7MZrEWXitR2z4tSs_j+iWLm%|T2 zi7eyE;7t<~QIJ3+j6dA4_zAr>2uH(AJP<~BFpThki!e)PJJyZxSYVD0c!RoZWXEi% zXE7iX9Df3OKkUd>IX#CeKYJN^l;{w8YI> zj{rMCWI>h=pdTf2e~Wut@n1xj;}8LMJ={YifsWgx>zgyG(GNSna5egSHbICsCZ?kb zBN7_M#oxzF6V3eL;JrPoA$S97bz4ydz_nq(ZQNMufG>d2Y}^D+doyz)9V_<%?rjNpRaClaLK zEI}X@aoqaim?i;GVDv!-nG%riE<>Shg%r>#*dVm4wjmiQJ;}hpA8|pVJGDi-+u6_n zN-~*m4=kquqOsX3;<D# z2z_{B%|=n%a3~ZS7&N&RVf!^210e|zR)63Lj08bp$10efZ(VOJ&ghr;?8(Jn9yy$gLI zZmM0(6mYxii^5AbJt%fBL)Z8Q+8Ybn1>-dyMl~L@NkfB2J^|I8dop2j4$;}evDs|U zKialqpf$8ZRgvZ$Xeg`V5v{a^E>eXiupUiv^eXVhGIkmx%4tnb+krNQ<0F>{N@<7D zBq%O3<3MDvD;$dgfk1_%M1i0N;8kwz23j;w1h4=mI~a!H zs};Q*E5$)=2gl7d1EqtG^dzLF-pzu|8xy(}iKeXVj5#6*0WC@ci49V9S;s6np@tWoqMEi9H#}OL8Ir~AZrF>F0}ZQCj7jC~ z+^TpMKw3{1&9*W4EnS5x@}6OjFy2@t{bqD;_B{t)gj2smPTp^wuG9nlM&eFD9VrQe-}W@r!q*D+K0 zM|#21*?&kc?J%3nq?gt|&8hfNKV0Q0YnuDrfo*2&G{80>zNpNkw6cOksuTYz{D9_C>r$lBDp} zBf${tdk}=L0oelesSz&?;3fKw3WKKC=&=7Br#r?5pg@5B`b1_xdB6tBm}~&!yCi|{ zWegqnA$BJH6H&TnBL0uk*hPf+2l^jm;@1C5^bh7k0gd6n7}SEl@rLV|)if~rm^%a- z^9dxUB_ZAddRD3x(AJoJ^kb+g182bO1JIM0Bt;kt>;vs?VPY#Cnrb5Zz>$#ke&}4- ziLrtPP7Q>mPT1Q6Enq?K!>!H^!`L=xb1XyxN6CkNbBv>4_$q>Yf_gT|6q~KEA0NaA z#-r#~5H=X*f*3}tF?AyGB?@=Cg!lq22;vLS%b57mh~^KG03ZVvQEdB}`=SSH0ASEq zAkb*x_z(igF`z1B+lu5EJQoJ}D;N&38MYFILZtw3fTRbqH2?x^A;g_%1Pdggl(PUDqSXT!@26qabwYGj1WQYyX#Y#1EkFX~ z7Hmq3Fi$6sPVzI82eX%nX7Uh3+m@TAFs}Xtl2~stA2;kOLDM=|?YCKK8ZGW%ou^`rKK&7gzK_8TJFubU4?hR^?`@%sPJ zc>Vt;jR)&3|JZmpP!+2Qf- zdALUbX0KR7L@-B!#S_Q_?0#6Vfa*8unF;&^M%aB8+72_fOZ|-Q9_VwTa09|EV=ARz z@EVkQf>0v5BN1)3CB#ky2H+@2tOp?d8^RkMs0OWsAmI&8J!`=7$po&A%DIzJzXX6` z;q3$yFY(}qDZc?)12a$J)XPMp-m$ULn0OA5oG9${qDGxCR{E!n*2!ozG!TYH>%*`m z8f^e03z8&DV3LJ7nz}Mk_8EgOV?4E<&~`@(6%2aq9cS3Rh++4_al`+FVZUbP*IkZA zS4bKqG1L1E!a%Q>VgHBp+73EE3_!R3fnMPo7D}7{^zAC|xWz{j;#vowAR5y&RqJeV(%3*6K3V4_W=Zl#T=M3W60O(v`(r^&Q zX3+f%!a@V>KX1 zLZko!ff?zsu^LbYoWC|c)uW6?1TZ^4VXXE~+X`vpA?**OC;}6&Qn;-Me3*st42|YW zCXD9Xm>g|XcKs|?p;1`}?Au`90{f=eH^9Cw_LpE^1N&;&SH!+N_GPe7#(pCirFkFw zwb;+celzw(aTp=&b7P+!`y}iS<1jX|u86B?y))5U=sIrbnUCM3cAW$*>;&H;yVbgtloqk_G4_pu7m zJwQ{=mqc%YsE+Y48g76%^m@=*-C_8;fMtjC+c?TFDNg6eHC9L@p%}i_aG(do>F68~ zE53|sM!(4iPf1{lhn@?bcLY?+n+hI%6KK^rI>H+KT>1q_6atgIgV9%i^wkl6B@#qD zaN%>v5Y}-36-Mbg@FM;>Z8<#{R)mxLR0d&s z7(^STb<*hwx~LRO7^OG~0q;W-#Gq1iK$6Lu_!35Gf|@$03|o*&8q$tLg@BZ_hp3a{ zMp%TZ--B~EBOgtB}n%Xa`~&|$1hrqJO?K3XRO z%*oaCpU`&5(3ag;${7DALtLmmj?Kh`bqL2HsB?E240(|7iOdjj&?AAG#+yx(24AF<@r6SXUu5O+MM(xOM|N{Kz$Mv` zbkY=G*-u))HN}woq!W5hXoXtUaAW|oz}5v)7W#P72A*m-jKN3cuHi7nUlGANFz$TW z9sJ5jH8D=`jOdMcPR8se(UfBdp3B=w$^7h@P-J-aPD51M0Z>B2VSu79Hyy=efI*S~ z!vNqf0t1Ky|6hZl6TtAFRUQhNxC7Ons2j(4-M03UiTX(Y@71UMU)BeywuFJIDV!b1 z9!KFL!LvXZXu$9pBV8^-KHZb3u^A1^tSjOpJrHPE7tbienk!$Z7(9XyiPrl0k`nn6 z)ZwF5Ti%AjDDaIx2g@Lz*0YFPe6!)vlv)T{nl1 zJp%A{62I^YWLHFpw>A-@=+_39M2ws35H4bh7KzhA+zIxaVX75}e1Tyig7)@?UTRcK z6y8+gdwLD#!bQRGzOpC+`E(ddj-qo}xY^+-F**ox#1p6;vZE}p`h9Y(D$L+?%zRvn z(H_5xYoF;$c2uYZ!Rc|WDhKMW@kb;`f!RU`NjHJqEa-_iPe=;B*d-e;VXGCqrYD*L zr(wXM3woS>{qk&|w4YL^K`iZ+d?AyP^|{&f`Lt_8_~I($wV%@7fhrCFuA=8#w*e$Y zBm~4Jcin6aiR7utO_Ri_Zq>9fggyO&MZC~$cxvj2)8J4L=Sp;zhesBY11jz4#n2l; zR5J0RG!r0@Y{A~c4hCb8lFQwG!Aknd@t2NAgFoxqZN#Bq0KLB9&g zK#xvkTUb^}zX%WcER`TZ)I%omWsV?dRMN>%)c7(Q4k1e1bI}Fhrsq8brnAEx9qo*P z2dEK!HZB-#8g5a{&CNtnKg8^1ps$x4rHRwkQO=G4+mFykLkal2W1tRn9rU`AehsH0 z7_SRgRG?Gnb@wswArH`>B++v+MqpP&@EJYj7DI!g^5Nm`U1THAg%1|>{}>4@dBa{?_8=mP-$48fe=ag za?tIe#qaxaduJk9Vn47jMD0ZcdO$r%LNw>BC2-kVgdQ-Om|iE)WCvh|5N#>oCfHOV z2`L~oZVTwbk;F!w6Bi*vik`*je&L9jnP`mwEc0&FfMm-A)5?>}Q76p^u&|824l>6L zY6$@#1;H2ubsp8S>j>Aj69A3TL2W>ya>f8Bqlus%|0@JX*FLy9Ix+yyq&*G&1hBPGoUhG}5@pEFA}B~hn~g<9@WYgg;&D26&m=M;+J%I3!x2#C zi9q~BI?cw;l|>~G6{SUV_SVqb^Fes16w%H3veC-{?ltT(Xct-v?vH(e-hDuFLYnpo zI{}P|DLatAKOXr_IUoLpV<;d=YBXCJJ zWKT>;gPRm|lLdZzLejSqTK`0ZPzF5IdqR)U5-;a|$gRrsE+OAX$=%*NY+5@4}?30&* zXgevnj=_VP;;PxT2SU1C)~!Whm!Po7`&VJn)ExeKuM%Yy@)%u&YLaXqBb4YbBa{M8 zq21cf9wRLDqN=wo5-Idi8qB^7Gsp_HjbXpXNfhr>CCsmQKwk(yM;9mx0M+sn0>UT_ zcqBuB_Lc;3+8cFA^bTln5T%_f#{f0fOMwiR%#TJ*s%2Zh1wz>nDVtiY1y3XotWD%f3};U? z2V233_8^k9CU1gyr@^gX1E~~$m>FB-6G$;Zx>1Jhi&jtqX@GLjWfM_ToLdvwpz?{K z?7TI+zz0`xCtCB-mP0DC{mVuLb;>wlWW7~Ye(sjJaNh`K`cjvz}t%)sJRXqboXk89_Q8{(wR z&q82}tK}vl0uGW+qBmbE$yAZJS~Bq(SPk)7wG0y*00^i@lS33jqJ|okH6{ZQ$Qoc@ z7yIk6?|^+L?C-#SJoaO-AC3J8?5ANr82kR%_s0Gn>{GG76Z?nXaFjLLF@50pId9~cAB1b4Ej49I%mgN8jkvw!WV z5F%NB?MQA$U%z_Dh_VrP9c+)+!Y3wep=-=H-B7WZZ{$!;!R(61?Ul*(s%0@Cw7mkj zsXnT_Z*2!@i1U`w#36lAxEE4=^z|c7nGddyd-RfPlbzs;jSMKi%J4OGH#~26*U-#+ zhc@_iAh{oM7l#lAGNNC**cw6vv>{wLcLaOkIe5aNKd0Ot#C8@M9}SV?E#Ivw0AaG$_&LfmceJ_4L4I2&+R!2Qf% zCG~@A16Kv^D!5bN(!j-l3k2r?P8XaUI3aK(aL*uaHMk;3TLZ2$zzwCtdvMj@E`vJ( zZWp*{aGv07!0CdM11AdZ=YCdF2E^}$EBc|X4d4759-2BqQ!2KBp|s%Opb#p>gX{yn zmRE=mHInS^O>y@lnNb3QLL$kuP**Ps+21F?hf1bIxKk(|6c3U~U@(nJ_6!OMaHWz1 zgQ(>3WZWXj9u)T=4+@+~3*o|C{e3*hK_O(?gsg&ssXjr0p(N7sppXz+FctDf>3O(P zT~VA+ny06ayALIhN_K-=N(ebL*wvka)1y*C0$u&dl#q}h$iOx*1oH9<^ofEB;CE!t zke~o4uA6^UfU6c+)`Mi{>QAGPsX;+xf7cMG3Y3~mgUYHdbfJ=|k-;e4KZQXFxPEjQ; z1kh64eLQ{O4gtn=jhP;q_=58C@Ck*|kx)8v=*rCRk8wRH{#4iT$e~o%5UNX%rzfuA zzlf{9d?hoc(eLF7poIb=P{^)i1SW(_=&I!J<3}L}x%pDusiZ&0@pcV^Sb^l(J|45l zfK4Hhf2f0r0f5TipGL9)3<+=zjAWD}l&r)=BPMo-LJW(n$jgWBq*2?LiM2lWufm-Iv0W#{}f_5qfh`(Z`V)& zFeQ-e=}!yw2Ku(51XElQQ*d|n_XpY`KFH5S>AJfHVv47P_yBE3QOI*-L+3CX0>1x- zBkta=K9DfvVq|V*rf1`#XKKFM5P&=0tf4-EUj7t}dn!yUAd$>avlG}k-X;^$vC^|A z5u6I}(}xMX@mis>n*7SspaDYwX9E2rnN12+1ct>ZnFCBT0Z(Go57R{?*)53b&7dj3 zB@agVfJZ{Lfd9CthhwdkShsjO+Yd`zv_%NAD{L=sYotyEw9c$wd4-?bpVSdl~ zb9^?&_uw>=Q09U0FsOc+@Q%dJ&d$xvEhHpFCX;n_by?s8`o{Fxxy6;4Pbe*>Bf^k$ z+s#>o>Mh_5K1*=$n}t01Sva!@1%ulI4m~sBsLOz3<~rg%6Mhy9_%Yuz;YK<~l$rUS z2`@4OUd;DQIFa`L8lDLs(wSf1GvPvB&w}A%0asK`X1&(q2bQt=FrS(AKvxu&S$^g- zv)s&QW_g*<%yKfHndM_XkCls&KFqq}A3TozP`*fdM~>MZ%qt5tAfpar;r~x=PMRhkn05XDmq4Pc>M)q3%anVfORF?zI(mnjeKfI-ZJMw)e?8$#WTJ zxtdwl#)*_BsK``q;> zVUfUKaHg-&l=4&4xcwK;Fby}JQ&^I(R=_8zx$7E{ci&I}uek=VHv7y?li^n%1&#O3OAaIG+XY=eWRsxngy*Un_Yl)jV z?Lqrm0&3$vvrSPuB3L54LU3o^JA#xkvN(zmHsC#p1&+C7=iuOk9~b<9hVhSw@tgG9 zkN3A9-@o|r|BIi%|K(5c|MCY6>wonp{J;DY`7i%X{xAQD{{8(|LqP2B@4p%XQ~v(` zLf|h1{%avH_3!U51pY$czZL@Ge}8`=@D~DqA@COhel5OiWZ1mQ6)OVC@@rBw7bRqECr520&PpUC;X#v85=wCR<`Z)$uty{Gd< zfMsFhU`@i~IJ*r0$z^B!Jfgn2jr883B$+$0h_?81y1VNLe*etRol;8<)Ltj#W7?^= z{z=FNuM-WOY)e)&vacFR;D6*-I4S%4nZiZ>8JG2+-YI^r`>o{sYyakjG^dw_b^K3T z9d#PcomXy=(;~H5##lDhPI0ZjRXBKMmULBt-NF4g>IAcI79A^MmFM2U;c~f!uUe*? z_tN(0pasIF-VW!aT+4NoJg@H2YYpSv@SLTD{3v6d(38Hzgi9M{7GCAd?!0wewXukP z;tp4Y+BcHmt}{I8;u!)R#r(colym~P5BPhevN*YS4O;s7xw-mFHY-ySR+HR5z2DF2 zzcHIdqI{4$*1k&cb9GBT#iIL~$h)G_cLcqhfQ@rQ%!WwVEt zg<4cn$;nsB#f^H|FIP70Z`KK@YB=>{@abdUZlC4DErDuAJG?H`7p;F5s>E*aMv6_< z#dOlyJJI|vmTcg#IIG7xM@WdbbQ_uPj%=Z~eL+GHnWxe7`teTJhXUW))@9sjnL9h9 zKL5&@rkbfb1&&+!uguqWx_Rw_|BW(oT+#ch1-B0Iy}HVF=+Pyr=87lpE`~okDkk@w zJ#I>Cs0gq7>v(OCw57fQ{AbqqM)B4ObRHe$**7PTH0jbYu1yB}1p6PIC?^o8nUV?nl-FGy)^&mRoviZUvl~dXW_C{>X(h5DeyO&N=&-=WhI;X`Y3k2 z%D(k4ZC`qw>Dv{k5?ShFw6nnV-t;)nlFUazvg)tAt@elW-Dg|DTYP;A>+A(`9JZy} zH*U-G-n_hb%@qZ9-vXzc(WVNOy86Q8V=anOd2MU+D?AR%eRA(Ta?+PJXI7O zs`2Ac!3*!exMwpTOex*ER_^+jj_~}T@DBP$-JbH|>+b7R$ z=<%qZt6`o0l!#Z8GCw@xZ?cJFUtLkars*o@mGgDV`g*e!J|@q@1DCG!ZOCg~^R&g2 z_oZ&XcJpHEypr78$BNsw)LmZDJzA(N`RV4(q>3ANmG>1`pFVj-hC{vn#y-xb2XpP) zY;JkANY9V*EGSy(TE!~i?VP3%G;eV!@0F}we3cR}Io71~u___@*He+07VDhv8uOrfoTE>}t~W%(;_VYE6nO8j|RJ-|w{yzUDJ8Ja4u+uW*-A+_5^zjO~^p z6)T0LTdW@k4@T_O>vOej%9}6RRk*mRFhepuK90jNLn2l@mvs2~ccuJ8_tbNpox{5% z{ryK@F4Jo~Ca~tg37Po)uf>k5b7__lt4E)&;QNx6Lc+1Wg2=bqz6 z2J-j)f_z4T!}9!8H2c=fBP;T7@dju}iVUb5y}ZojT)n|2_`Nd45B9LlE52Hxa)OpB znW&b@wdY64@u@db;sqkxa%DC8E-x9490)Bnru%M^xUIKjUYi4ld1SxAX1DI`O6C>S zk~Ys-lEl({&7DN|hqkBBw+|fZq zV9GRUF~MiS8Zw9Vq;+!qMkrltx}s%y?%8{2)UQ67m&)?$c#`<6`#GxXM@r^h?2x(e zp?=vFr8tq}{+D^Sos%)X^G?jVey-8xAKu}VS6?EREx2YZqfV9JkyPd0MT&ag5Y)UR^QgY6$%81jRl$$a8 z&i6u|9ryBt%$@sO1pEh$9xQ7K*eOs!T`sa_fK^)WU3sv7d5m6o^NJ?*1Dst-yKWbf zvg6|=N~S02ZCG2p#yf)^zPzQyf6WYYB{7%H>U>9(B<8%3BrO#oWn8ybiObyMmY3XM zUATA3?ZFrJgMC$LITd|R(p$cCmvH5sNs+wf*QRo0Uf;Zg_mO^g&l?9n4w7&lnm^B| zqeH#TGn4D~7Iz!E&1}km*_(mOtfwk+CA?DOmE|&z&n?Qk-TCc!+lbcvfu|cs=yfH2 zxiKSaE+1UVbNuoajreo0&O zW^>v1NZYOV+)QWQ*4VmkP&(sijzB?cy4YC>lFgenD(1rn-Q1d*ts@^!HSaL7+x*>P zzf#l2M#=kblao@EtcugsQt8Dr>svB8dj~eJyHG({5twT1zaZ0^MpqZn%H`sb_O+4W zR-h~s?u^Vy&o(aE?J1FZYRwcP9|5go42;a?V)B)9o; z>ay!H^}$18_k6UCy7Z&MN7felQCbJrY`(pi$NEEdz_b}Q`i%xm~#|aP8Qg$-5~fh;Q)U}pDmxqx9L3A z`qER+OFkGZjGUZvp4e&u(5j~BjR5mw#v#!n_^cdqPD zmA*N5)+))Fnz>1DoRc|w_Q5W)*nrF|`706gX13i>Fj_x6cf+Km@`I8alq$mt6c5#Y zo`2!Q;ss?Xhl0Ppb=Z*SI3x6+YHNt3?7naXbIY)hk5j3Jho8_QS`#;$UtP6j3OE0z zS#EXFr>HTJ`)24z+|6W<8o67&F@JuE|8|4T0d3zkg1Yy75A@$w=(n~v+?Ul##e0#) zfDiYUi*C!r0^B{%DY#mecdu`3I!$?f)5GHi+icGipLQ?uy(Z(SSz;!uXIig{q@}JL zc5gGk$0NCV@3l3i*)KB8G7eQ4UF_#v@nyBHVYy7Kfx*HDdZ7-2y7RhB^rdztFSqdi zXye7IYP+?p z{g~^t#xQ7Iz=8`dF%pY9u5I|*{-N&DtCsB0*G>gXy8K#xzFp{5^oD~!s#9a7T%RDh z^Ml>76TPm3>)&_2T0noi<9&CM`njH)PCoDYizbiMJZcy|=6~R4E~o9NqR{m35>d@R z^sA12qvbgb8F!Ngw!~F@lGBOr7q&P0n5M@wcv9is=kNPdzCIW=|FYgWqQ!pkjb?$w z;b)q!mp(7~yrC`mc)`m@vp&Cgvubf`GoN2mpJ(pVtId6lTQ4g;VL#-JX+nq-yiLXVoUU;x+f}>??jO*PLuE6cVy}5^m8^I2R^-`in~$YW);N+C`TeL&P+`Voj_`vki&YM9Y8W`AyeKh+%VpKhbshY>e3I*S z_a2Q&dj3^EIo5-D-1xU%dNi%LFa)soVKOo@~pk zf0cXS2KmfGcF(il0#BWbj_Ao-B{KJ-$oZfPveg&Pi*Nmyv!F-ybeJvel-{yy*;R9g zG6$AxWt|;~K6&&&>52N#s=~L^IIooE=w3~H5POa9`Gd>amjnyk1Whj4Qj+t%XEznQ z7>nKD{9;|CawPTom87~)Q%qkZyMZYP;@Z}Mor8N{-krK#xF)0HopeLty&zihV?a(6gxKh5I1ayDJ` zxX||vL+ABt%Qn8ekW=HeoI8Xj7xeH!@Rkev#l(e`eq1}X>{z|{_Br&r>H51vPn;)L z=igZo#l7_6!pya`yTl8O|@jT_(Ys~GBz4{VlvSlCl=bBA9x=+N* zh67gDA77+!O*-Yac>3|oE%W9~TQPDYnykmVclV&sSGw^T9S70F4$IC+U)>|6^7w03 zqHkT8sNk8q=R3Hzl*X^GI+-j_n>*08&pW)`)4&ImHtGx~UVvxVmeiN(+C%;sDdkk{q7THTj_>f{bS$?5se zw{B_j(oBtbq%b%$a39-OIc?89hvIfDTafzRVc%Sv^#)f|xQ6&%o-vzoqweGB-j{oS zCKk;%@|t?shBbIjZ?SRzhPDN!ca&qkJ-2;p=zb(~ncugXxW`ky)yqQ!lOpdecJ9ox z=y1{=PWIenb|!{FT(cV#isV;yZKJ4+E*RluWNW? zo4?s&#gl2hqyDqB-FS?)KYQD~ur_wruHeRF@8vIjv)toi*BPs&;-D4Bvpc6NP<1AE z`8NK5(^`e6I&^QAZyV-VFxO=2%GIAQ4us8Km@a%QDWX&%L#pKfdDWf4i1~TOWo0ZQ zkFq`Wd?nYVe~r|fXMQ04xbvrv(r-AX`I)WX-1K=@gWKDlt8Fe;yLc)VcNa#r7?He7 zW|h>xQ+c^#x1GDP>$j(~*^l`ix_SC0S93YbE%m@F7p!@>#SX0wks6)*Fk5)r#%t7$ z8o>uGLVM4Yo}XtVJWWG7EIWqgS=}te61DzkUR}uHJE3=He>`QsB3-;MSM$Qi{dK~I zoFB}>+!H@OOp!BarRxoOSVk`RrZ!`r-m^<`*0-J>>glfjR&eC|!YED(OqDXZeTX7y&4n4h^v-W(K@;Z@I6544orl{3Y2Tg8TF zOBLIK6iu!_PV3*w&a=O(=+Z_L{*yE2Uy?9h`e?b5W8javh&!mqpb_Wv(bY9rHPOcYAH-XWiXGt>nw)tAdp`xC!xRiRZ5r zR;dqXdEbBgQq`Uz*HYzM4F@b@V-K{iUsxLB{HlsP-RiyW9DSAb`#*`3&dhep?AyDl z?9uYpJr)C>`vatRTg=;cT6t<*lu)*+b#TV(x%DrtN%^nX7nGM@;mjKLh-N8nv~}H9 zm8hpi&78$^>e<%Sq5~bFw>>U>q?t9`&tAMCS!{;zRgMZ3_QD=ZO-ky=%}xz11bV41vPz%upgGnMmmGE;jFBz}Cl-L}DF zar7m}x17Q=>=$g1HgOnm__kpmWiGGk?1QtdXD0p(y`b4Nc~AF+f+olK$M1Gbj`P;g zdTmSBT`uC_BfY@5knQNu5%)~_uFAI=btj+QtDCH`u`870+>yun5`_g@czyOgDApb5 z_tUbz_I$Ex(xiBI?i&}_7Wp=v40-mm(){l1*CSE9ab;&WNN=C+u>6Ku_`-uD>#R;G z$$WZ!lz(qqO2cJ;ouNmT?_)!zIG+GfN;$*e!qH7);<(K^x(Irj$tunt$lDXo{5T|LY)<>_hRyI(}JUZ>C9a8Nz4Jm1bb z{rH?`1Y#dexG30*=pMe4p@quZ8qRoFM$>%JXXylL_F16tejzH%K1 zX)2tv_S%lGv!>Rq;12&J%3ULLYF3UCbuE`~Rfv~;W8R849^2&4s05A1zT7wh&br!^KAKiS8-w=hp)^?u27 zUY}=el(O}_r?zPA^plj9vq>DCQT^E`@3!1N_Kf3=qOW3t@C`dzyGdIN{T#P^PVBbZ ze??Pq(Lf@H?ZbmDwCK70VtU__3OP+qKGDulOSmpC^(KDE%dpaTwd_xay&R_WV#)@M z^4sb==-Iq4YZ~Q)K3oyIl_qK>c#|45)79q1MPs%0Eeq3f>Ldma&DeQLJTJRScJoUQ zw})TYUE1c!ybokEs4tD|JRo2Zf7aPT&G>z!4NZq_aAC^4G{K`^uH005*%&jDO|3E8 zDf<10gh7PjLK(wh<9Jq6*Un{5H>*;5(@y0t`M~~lXN|{QME}{3o$m2w)tcpnq-~p` zpL)0;^?`-dYsaTW${bPwvDUq{mV$FUr4MIS_Sg7sEUO4_n|!P!*maWDlgoA=53@dH zTiTFRyXWML)r*4l6H;_nWXSK6u-?|O`-$|z$1}dfB=lKZx5$jlGCSe$N!X{oLX>JK zY<#Q7y;XB{e#|Fzj`Ljmp7!6@Ipwi3BV1!Ed441(@9q45m+6SZw5RTIcn(?_Vx(MX_@?%GI4dec6PK_93>|u;=)U^lLWx zozjoQ7H^qWmN1u2v7<@flj+C~{CYF+X-!dRsAy-=3(w%C5rvAM{UiMIZ;anp<$EfK^9V=%ZFgUo}>0M9LGjok(;X_F;+Lt+QRY+A3yP!5? z;<>ZdbmLqJq5SPW@#?d0G>@zi9ONEtJyU6!x5RL8)B0VeW|V#1$21*Q^j>Itwd|wV z;*^}uz3YA~SfUt|dvH|MZC0K7mUv0uEAs+>F5G?d#J6((*}NWYo6GK=e`gf5x~EP(KBb1T)X5iuOfPj`n_2+ zf5xVo-Y1U>Bdo(bWilSx%}Ve~*tGig*Y4W&GKFk~>90Qt8Q#(?U950RqBER&vN6Pm zlWYEoGqf8r{HMG6mQV4N>bkA<)c9JS#e0uWhiz@XZtLHE&TQT1W%q#mN%PYdeN0~A zqb0j&q$H**D_rC0Dc_?ULs_cf{&Uh#DffO5mYlY#Lif>|{6-sH_Z`QFtW#p0V;W2b zJ{i{8&6>s@x6k~uobKeMI~Hy)QtEgfy1$_9omrr`MOIH*CJl zYX97I-4S=owOgxWxmJ4j@4Np%x{gac_28GA`nPo^D_a&{ea#;%@R&Q`9LeT1M@Sht zGwVptl^Jwl;Rjcq-MU3~n(iNc;Dl3T64!27z1)#YHGK2m^R*l)9*H)8tNutQG(Y^q zf{k@;^E`d|!!A^9d8OcbzO;RT?n_pbE2A)mRTz4_?NXmfz!cniP1B%*$ z`o{u(zBN->WU?%~pttv1giY%(<)dI`p35dR`R{q&uVW<)rp&1of01}&=UPRd`aNlm zPf}Ep5{-@zNtJ0S=<)U)ocev`%2g_z8ZWQu^~6Pgd%n%piTl~vPf@EC?Q=!mPMfw@ ztmN*)Hj$z=4%hrR_X)0L+jVw_iy`~>dzD#p4{%ctmw#(8KDuy=7SEMu-L_lYS}fdZ zCh_I^L}V1blRNu^+GS?d=u=E(UZq-X3+2X_&6xrtJe>R9b}XLLo1S_^^Jbm=!n;0&^0OUS zq-}rhminZvJtg7jX}*B-B3#oa{Rp=jHjkEF^T_jopJ%|02Xt#GZYKxdymI~6<1~}c znpWBFXS(u41vXw8URHN2`JmobMW@e6YrlK%DY(~qxGG>#&(6bJ+kfatexJ;D=A*}1 zxw^`ry;WE42(~#56+cl}7fItac(6J8m4!#zdw zJHyW^?`v2*Z)1DhEIuRtndjoJi?+(j2&jqf;aGn8TK5xawpS+-jt#B6GH*af9+3=xR2Fbk*l*33;41yZY^F_I9(Ik7iZI(K^F-u*oF*rwj=cq-g@SCFD*&piWnjYK!a%g{l zBxSd_aYKC22bUYQ3O$!@rG%ZcFR92RPyh68$_}Fr*ZI$XB+d-#|9QRRp<}e|?fK7Y zUsm@-H(oN^f9hNDtc$y(N(wy{xl4tUw#8gEUzl9peKB=zv&5lwo0o*u_U+ho%S6n} zJ|fGX+_u1KyToC~{+pc3#dlsd4w|=CV@_+Iszp@D+@e+0v+Ld)OM1%>Po25TmH+Fl zC!8_U0w14S@vOPEV?~8p{lJ~&VVk~o7Tg)$CuY;NQKtPpUo6j21M1Cm)kox=&tIo) zKW{kwI&VzgYHDKMAxbEFG9owVA1%6tMT|H5x+(vWOk$Mleg>VpU@joTN!M!Oy_CxajE;u(tLeS?227GCE@c( zMzNKKV!rILOJ^Tk_li3toRPgR452ZmwMQ zS|i=@TYb*^PdO~^_eoVvHQ{b6UmUmo`IP>-MQgK1fC^7Vze2}=0Xg0F?hKVZo5hUO zUkm1O*|WD~l~PmfCvEBacz_~MCLI{*dBLLXL(nm6eFT503^O-c>3 zz_^{lcbU?+)1*~=wo4z*wsQ;nR_oTfNP%KqTuAvAe%^n{riK3Lmm2)0Ei?Bk7X#Ao!(a*of}%Q z_|2Z%MScReMRKOzZ@Q3pf0L{4y-$6E_Z*}hS|Ywzw>(mpZF4RvZu?3-(X?>$lBSHy zFYBi+(W}4NUp*ja>oBnMVDTW^RN2AY=SxQX8%~T=OX+<#+4u7MYnM=Z<+k^9pOpfA zT~&MfOt}-g5?QBqNk1IyIIrv5!MU?Iv!`A*Q%|xw=iy$59FKK+d093u^LR6s?@P9(3>F$}_bvReD)F-G?WvdV@$5;pI4_X;ef|4%+K15e zm$QA3PnRD&p5Hk&W0`Ma#{Sc?NrhXAlV%n;r0mhDPSN`KGJf=jUcBw%6LHV3FNq7L zJxkEGHb_W4o)bGmSTpv@3v%*?rqbl+63#nq_E+xw=@@jZE#~7fs;S7q9~C|%OLNY=3n|T75JApLxKep~l9u!7%r86Nnw=GS`_}VgyEi?ky+S6en`=J3 z`@$>U53~LEf7p?!IeaEEXPC9n;75w~vmbN5R(^Ul;{3^2rSx;nE%N7p(441Vo@zdI zn*OZeahgFxq=R#FiB)Culw;(V2Zc&ssqchy&Xyn7^>Ug@|sta89? ze^qoPZ`D)5#Vbxn<*wknx>7ezqfvM6-~*H1pVlTu3-edsDVe|8Jvi2Bd9I{WH)V9K zXOHXJ`*R|!c$B)VPIhqEDh3_4-F8wkOo}r$?Al$|4H^cc8}{z#im;E3h!|OYcuPnb z$ChTk+<>7civz5tHTu3du+lett+o4Q%Lne_N9TJSn4IsS^U_teK5kSt%3N~x=knOu zF8qfT4smfPDBtT+yk!`nD3;i`bdkl%rN@utY6^)g*1XX+UwKPozVZ`s>&0u*A1v-) zvr^P=v{AHNb@AlYH*+Ubl*d@s;%( zomk|DwRZok_5N9B|M;`bZmukEn}F+4OFTi=>vc2UeEv9&Xw$cOaVUUtYj$XQMwe8zX596hrA+$O;gf2-96Hiu3f zo-)MK%BzzjyXNVQn^RWt>3Q&Pcx2KmI4Un)(RG#g)D)}4gv9RiIcH|%sP8ha8n~VF zVp7Lc_x_DN1J|F>CV3pp;AEIU-F zn1gN<5QB-wC$z#*G;S0&KBt9i)5GNzHgl|Ral~b`?}}1wit$)jJRECZ#Jss zc-#;(bJ_b@TO!l@bTd92SGAYj<@~|$2mj6w9jqoshI%KQpN!Fnq3ozw+W|T`SM70Rkq0upRLE8L|Ip|%U)FU z?s?Pk-i5=D>x%v>>&XhuB(Zr{m!7rk3|g5|7}K@Ier=)e44)%Ugw)VQoI-gf+HdcFN6CWR zs34&qHSJ=}mI_z8PFVl?=xC+tT^lU9<%QEqF3%9SsBp1)FU!1-#xX`GG>i=M`r?K@ zO!+KRa8Uk8{ez{edY3B9KJq$c%jA}rdtD}Xg-kcc(aw5BPJKV6Nqn-DVZ`N2ji+5y zznGfYZ84WUcu891WAsO#YplFJSGHaF^7V>``s9SkH(IzX?hO7v?7azGP2c-3z8j^1 zC`pr}(md=lcBUp3qDiHas8i=OPdcZOs3;+XB$-O7B!m#65Gt866pBolQ)CMHKl=>I zXZ+rK|M&i0_r8AT^EsWp*Iw&c&wAD~t+n^|HXCf<+F0j%nA+zo_&~K_BpZ_TuX%@V zPuY?@dP&fh#W$8plrZF*I@=mt*JelEu1qdnP!0p?>@Hg!%L0 z)7JzQcOBMwc=0Jy`hk2*fBcgj(W_Z^);Q*zYhLxRaL-_^rI|LRd+h10$FWn@l?jSrn;bmrC4_Jli{k_r#f z(Jt$d1G5f2*zzFVIPL4!J#D&OH4Uzx2IKXEzVv=SC$%wWb%y<^{l4V&q^sdFmERWJ zpO>gex==dU@tk3`vVXoNcZ_Xb!%oSQvDFGExj!eh-oHg;)#gr*=m=ltDpz_Uhr3+r znbYMS<5)|_%RgIZ*y+0U9Xem4`c%KSZddG<=Mp)iE|M+2)RwM4v08n_lWcpY|B`$A zbK0L+KSBqzY7HdwWM(a#*Pd9i<(PErtLt|zpTA!(d#8R?WCQ1eE@w@`nuwfL>$IO5 znuHQA6m7^P`JVUsw%GSo#E*s-$LGF$kf#wnS3*75f&nec@YYZm%?{}R{lVvmBw7Q3FjP~u;FHyL<;kwGz zye;ny>9k1p%`f}c(N^MS1^krniF&ma^~?3JjrP2)^{%w4?851TH5HdXh+UL;QmDSj zUVEpx)mtwu^~@a`;?6%adKySck_p@GaOwj2qWz3<)718}_WiIlHFb~;oN!2K=cJQw zo4;Q^aW~=Ftd?mjw}emp!er^4a4JqJ-xgT#F>t(-&ywav>zn54jJn@)?R-y&3RufvMY~8q%&6-XB#izDvJVcZ;DiC7>bX%G>20^Q=SI z+~WP+{NN9N6#B3GZA^aYsrI<|gzks7y%UudJv+9V@#D}v=gvUK)U$QQJJR~lyv_Tl zZ#dIW9t<7A=KinNFLM<0@9JO|lK#YepYpn_TraHt$?)k2_!Xjq4)5pLgr%>ijR+ z`K#{Q`?iGlFY8*iHu%FC0_{=Ul4A!=W?w(biMceZ@a*fEp*tt4$kd8!7=AxPB}@-S zbrqu7Mb_)tM6Jo`Do1O!TD`m0wW4*wl>)sFPu<3<_it|3sXdqQeoscD`vTtgW}o%s z46&X}oc#8KUJGkKXWML8m?dtsj-{OC{Q3EIN#B=i>hw>INj-AfG+sU9-kFc-xD}Tl z%)F#=+hWT}#*nkV0X;Z8B$9M>$zsX#j$SR5ZV4ZiCNv(glVtS-_QlbXzD7Us4ybb6NxZNAEZN^l>U_ zrdnr{%`&ZKhu89XZPK52Jkdt?OJ6ut+^zdWux{q&O=^JH-tdx1A{y9NSE81^H+hy0QT?PTObkvpnO3#uOpy8ihnGH6(ojqBZ z>N626UX9ijo)l;JRgF_h+w@JiPUZ z?#XRGA4w{8+&vy{emXxKzqYjR+v6tHt!MX&8K3cG#cn<`-go|+*Rw;9JXt+z>Bikm zVfaT>?*|7`4HP`bHcec)ZZ~DGIPKDXjr$LO*v*grs5kZ04VTI@du#mMGv}SS<|KY6 zEXi}`WX0TrX(sQ}bqwtzFDm|w{Sbd=g1P;Rpp4vrUCJk(ZFFya-}B>bc=`1!%0XR^ zLcEX-S!$%Cu?~xPXztjVsWrt0yI=Nb+)v#xF2Se>cPGc$`KgB^@9ZvSh5OyORjtu) z1{#XCb*+_mxHq`)XMfs{%~_%PDtor{J`H-X-_)mYGRfNMR--)gj*N7{#0(U#-{C78 z9l_Qk?X9nS>bBMRLh=){9Vf1QEb_e5vgljxmpLm|`^b!Md^hc5OmBuE?eUSR#3kPv zqU=*9$yQLa<~Xit_M+RyNG&X=J(6?T^NUAV=sT^$r>n-xojt4TbT@7C;J6*f$mlJZ zmjOvgy_}(xYPIghi;q)FZscfAmnyYAfb+AxwZwVC38HCf;HQKaHRpbO>07_6j`4Zf zR~6a%YKrv1JuA3gPp3?HU_%N|70#HnR(1{Nn!o0B`n~G?VzHy>#(w(Ya2MXd#WSbp>Sz8 zDy#7rfJ7*S5L)jW5(Uq-6fN8?771^i{7^+W@qiSi&lrq9LR6hm2TO!{nVU><#T78 zA9JoYFK;?UuXg70u&u{?QjGB7mexz}*$urn5hJXZogBI5!rZCb7Z2VO8>%pf+E+F+ zY2x>CAH(tkKP>tx_kR7xT=Agv^vP_k)nlH`tDfyMO*K(oK_!E|xV2^$UY%Q`zwk;4 zM?T=fxfe4E3dA-{*qLIrsMY2}UA0Zagl=c?$Tw{#zSsDU(;UqvUUKyAzB2dIEHll1 z!~RI^RiRV9cT7R6`_kiIUv|4KopLg}hn}`7Pr{?~%FnOiCwIOY*D%JAV(?tTp*bYiyje1}=2%Djmg|ddv0u$PuyjT6r3qud>pCPyP%d~xFQ_s#@{CON zENK$c-%~f`;=L(z(PLK{W8Ks$EN5sIJU0CBecL*?Kl|!vL;kYN0sNSG;*$op&)`g&#r-}_Wl4eZsgk1WF`HWt$L-oGS#`6o ze!1&~{M+=>id-uk&R=Za9#-#?!+I|io=VJc&+f>X^78$bF>1w}_@PHVud9p~W`9tm z9Jg{m-Z}TK?7CMQ`n!D$?zJVoP_1!g?6bHUsN*=TWpRX`dW+^9w}T|{u)sNf#mho- z71v13K0IcvUSai@>2?op)I6D2)xG-hivZl@+_#GfHSgzrY8(u;n`3|T3hndOO$v7^ zb)$}bqwBo!w6Q%U`)b)z)4da_CT%NhD&P2`_{Hptz7H1Hjhd49bDgGTn(X!R5)JmP zTbk$ZOt0*HXQ)V!R-dW$xG@|@umacyemv#GlW9}RS5D}NjcEzry{ z>uSDKH-CP$j>)8LX4;3JlB`3Q7F4X7M7vt6Eqf!tIjL%#JZdhQWFSGVoZ*NZUyY3#GT-3NSC#PX@?!e8wA7Kfb_lSs_h7Ku&# z^s$V1x+`{p?y@~A!&Njbj*{(j=FZ-?O8Qkuu5#MNCtHfLwi)+d8eq-ERpiqvclJ#_ zTe3Gq183Lpxc)`eqFHULC2HDFJ~}ybXx7-Pqxx9>DFRzcQYGPhN*@V?x=|BT!lW@yNU=aK2}vg@n9ul;d(%<{DU zSwt6Q(_Lrj`tu$xY|R^*t>bqm|hieVXe%hd&ynlZHs@@zid<)Rr~7r!pGlcACjII znmTkctuwMod;7;sll^*X6}xQRpEo$IdAxL1)X9YRRLcckCX3Vy_9oUXP(sw!`)8;{ zAGn}u0D&W8N6^HV2wBwt@pg@3bv7WZy8^K61)Z1dZ+Is2XmZ8+D~^?ZV7-QfqD zR8}v$@X6zLRmhr9qQu9ZaaBFyyB(F^n)SQYjmx*_kD*)MN$b2b=$7xa-QDZ9%gO~) zKAqPfIn*LsX2zbMIPdG_LG4GYKDl2!`Hehri5qM2qI~}>%As(36Wk;6%Z&+A&z;wl zmT*()k57GGav(luk>Q;kZ=dF^bm0Z)EMy$tHnv{D@!BGP zbIqS*9KCw4Z2#1YGI5s!L$=lAyi6Xrs&XS(`qdR3sl}&0JIP(t@VO#ozscaLJ2z*?eq+=5E_@QCz_`|{LUUu_Rs>Dw0|5#i<@nY@=r=gvDS5jnGN;zx~eC4<8 z%2SsTYrn?^<1e{C9>8ax@X?#sm5J_h-Jcd7;IiQ3gXb)kztZd3QPgRvS{+$azQ>g$ zOyPZwF#A$;?o)lCSp8w!=H|yH_3}}Hx3djxZ|~4w{@}Qe&AEuSsc&UBnN|!IH1?3M zZc}lb@qCac^=V0mf^`4v#>97D{a&j+8LO5Vsv@h@>0ZUS-)uN`$JVoRW-V`$-2I|q zdR;=a#bllRCZ^2wOx#lSjXR%I;aEo#zKq@LY`k#NsKZ@4F1uE>g?BiG9n3qnzBBme zv7GGB_J`!7zeg=^B3G*yjJ{kQKh(8ow4KqZStSwIPHrDvE*C1j$N0{RD$>&YxrcTa zPoy0EW{rDcqcQr0bNVKWAY`Tv?zMPohFqfilcgZ7iW!|MVHy+#{x-{f<7QOwnWRcA?Ev4o?p&CX! z&-dpFCuv${6npmTx5auZy*@gqy8hzJB2s?OJo|mi@k%*M=5p<5WTKm~w?kiJR6yB-{siZ-h^$4PVrrcGv6>aLi7evQ`wu3FwS~*C zpKZ22e%p;P_ImbO)+zV!lX3_5ch9>R+x8=uSy_9L z$BUNEmpMbTXvt}okB_)Bxcg+Syx3d4CedvkE|}lgUA}79cU!fwYppzwjQ@dNet@M~BW{@Uwt(SFcqy^Zm}ejc<$Nlxvsm+Fw1fwLHXc z`J2TlWfarX**9euA8P1OKNWpe<^G(FgVl4k7jYgt->p*gzA~0Oidt^|tu+*b zSzW(E&-P*EkxeBR-kKa`e2uFZv|aG?C3lgA>1uRy5-oS)`1UO0%RNWrJTzY0`c}Ck zkx{R_s^$$4ZtZSv{9z^|KOwMXI&ut$UbZTm;d!@#b(MB;2^ETVI z9N$_U>~L#!d6&%KN|)E)%36lTPD%AbFBio)G$e#YrD}B+J_$D{Q{*{c7iUeBWm)a= z6}#PVR^D@rV)uie+fTkaeeL|YGv4iKCYjpJ>3Vmz+>2c?$b5V1$80*MU!q#U?#r|3 zZ>KE|Fbq3b-jf>DclX2n-UZ9bb{q-ZFxJcFo3X+T7n50H==2a9$t$*2wliXn^+&`l zUu~qOe`XmqgH#NR)ZL|z=Qs!LhEj+$zPWKqj zxPEuuJLW-0;=zu>_dd?dxz5w~-dgcSF;S^?Msx0}_N}WHUoCJl_;#wjAD3y+vaX99 zqf{~wvHNGlvma+1BpTN?%c4$OcfUBeCGEkSA2vIhj}d@GACFf$m8@0%{>am+o?YGCCOE5&jhzsp3!vq(y_v6Yr)xfw+8QB zOw7E!T1nYv(a^2Y#?}HV~GLG9iKqi*dCa{V}Z_siyR znYXfmGn5mL?LBM2yfPTxHoL~e(TrPU|I|ivcdPWpvJ@_3 zX_V2^FMT`ou1PuN`%ZSdrBoVFBf0rZbK>*~Z9Q^p-|c%&>#I!K3zjkhROsriZBf2*XKe#`9gOXN(!V1;h&W8ynJ;r>hH*}lP zc_{b7){p%WL+{j#S3JtAQjFif`?e)HjbNw0 zJCV-&>%8~v_RDZu#2|vfY)0*iYAy(Kdw&LdKi;l>e~_!EsNPh%C3Ht!`NpkD z6#M$erb||6+``{Qj=1h_h}ZnKkXBqz(yEsvclwFFsNbX);dNLeXF-q6s-|?h+xM2h z_GvNt_FENloImy?6i}xeP+BGv@%^4>Q~x7|Gj4IxtAi1@-P9-KFWrHiN<8u@J}&TT3)r_bVU?!IDjR{xBu#bnrv+ZuR6-SUfF+Y0IV(eu^1 z9__w2I4#-Udu;vHU71@RbZ7OBx7vF&Ej;u?LTBgAz=8RsE#tH>&nr|V*V-1QhJTvvF+ z@8hCM#ekJFEWFp9{kVg+Eq`&Lb#80F(1|!O*`oTH^odS=m)GN( zb)S1Rd#wLZH%+Q(Fy6yGH(>rW<3CZHDj^#Xc z;;Xuir|k>VR|LIv(Fm=5IA(31(U9f?%iJ?}KKbLn2dTMT7AI|zkombk{=w$@DPHk* zp(hhtX4JfnbqT)H!+FKp=@EBi%9_|a6U7gVSJ-Rj_jPhhU(&VKb1gKLIi7Df&eYX4 zwLZC`lD85|k40%3 zHP5)inrLgyv)g-F>LY1heplh!yPm3xo4k2_q0FVD!)s57*X(dNCK0?RUtgy0e5Z;{ zlYbx=ldZQ}SM^kD`uGhJ@r`QTB~I#ZLyNv_zHlJ(fyMLn_!>Z;pbU3u%d z$%1|%K&KB~G|f+cNb$~_>(NV-c|(`K9NnAy^Hj_iz_$?wUIz-Vumg7@&_#!jb?A@`` zWhLKs*7#VzNfB?ad)0QMU#olfJsGFR?dNRQeet>|-@-L~v3kJpEcIY^V?||&`P9qd zhpx`F)R35XdB+=-aE0dRJn{7;$+T_-Z?XDlm6Om zQj3qayJi)inBPCY#h88T;fa{gH=i$j`SJW&R{xVCYo%28u|?KmN_d@)N2ljM3HCla zy=~jdX|v*YwKB8nOiDElP&T{?SetFtSGTNRGUkWRcx|Wlj;l9PoGNy=wC+>MyEEB% zo1!fJSoY=%S-cmn*TdyL6;(I}y(gusp7zr|tKiRmCXu%Mt+`mQoYqrTf#Z`{DwWz$ z6LEU*&Qy~<+)RCEe_o%Ye|hqyLt%M6MrXIp%W$1JL;A^uo00Bc%>y=sFpG<(u5&s< zJLY=YHj;MxzQK}hJFZOloVj~r)~brONs}k2x6d6t#IW7l^vJqoe@JlI%=Cy^_BFg zH=gx6xqBRzP_RE2Eq~Wfi)=}>d&JRB>- zcL1&p{Nb7clp8>GnGJyZw@lEk2+IDaKSh9~nG0ahKmdbs{f*B5A0Qbc2m*X9;_hMZ z5ut7}>GGQjm%U->v5tx=xmY)LbU**Zn79Z(k{{R4%`PxLERyY)7#2+=_z7T-V%dQr zQW!1}_QgJ!oMza0I$_8q<7C7UGae_2ryIq`a|0w%Bov67g<Gv{zy(Pbux$*0z{a(hex8k=l0d`R~ zlwsH>W_(^e`Sk#q9>K*xS)2d`4dzO~KmS~pn|LmgS>DX0hF#KZMG1@&y8EDht4-?45I93l-+=7g1T1kA|i z0Tv{7E|5Fl1Y)5Kn=4@%pe6xwI+Tr=9}-rEVJ`Xsc#5zdA0rAW0(?ejY$hD5O%3n> zARuOeTrSoIX#lK9_%Vy)#s%r3e4MC0D8m78jIivFX2@?g1gJ6C!FA!U=saMQzz#&` zxBhVb=^w6-Y%eidTu~do7+q2OjuGu^6vY)U!56!Zec%$GhxZ^uF*p}}U%>er`1ZlK z8bh*gOlYXPR_cF_F>kgw&6pMw6X`!4&^n!BqC=1mVs6RKG3@wAj=wFN4Y+-F01(P! zMe`7{gj=#Fz;yZpgf?If2Dxw&5hbYYkQC%Uo0BYr8ap$x=NTNHBaah>AhpmBRPc8V z3W|@517JhsJyrssr2ZZN4(S<+LFpmag|$35JeQbg4ibd%Y>z>5LJ3C5k&UPbdlaCe z3OcQaGK_itC;&<|EF_x4#tQf&(*AAa9z0f1gl#k%IEDZMz=!{PvC6vHoU82<6f^;))#~H+LtrI#OAO|pPNm=L}lnhHmVjao3o2f}_p1d$+6 z`rHK!8`;yd|yO~mB?pW1LK1a+zayM&lrOAW8=W=4rYZH6DKk~ zBsQ5B8WT;lFk?qXBFI!g!Q}GT{unGTKuZS400<?E26XordZ04bb+AixbqMF5B@ zy2Oc22#bq}jsoOa1fl#^1I#oD;vx@24+WHK#6OM`0s{mLSK*c5_~;j;$ngTvKUz*%wuXhGs`0C0?na=PT4curih8+Z@Qqd=sw zivb=1Z(8Ng)WLJBjVKj(S|~)GVWl3)AoD0s7@jQ`2Ef6Nz(3iCaj}UJRCWprjAO+m zW9XM$WT6C>&j_a3!wF_=CKf+ZfLnV`V0=gjCr-p=E1y0FfgB&}2#V~D@URkr!;6x+{^wa^hZNV%f&HxUS22%Cu#st!~)o8Gg(=84yaZ%2J9RZ8Xp~jq3MdM z0W>hbbyzSiHU^-zK_g5s@aaH(KsyF{afxAE4v_E;1>of5n0P=@2DoW}_zuG$lmRjr z;{XE2-|%1}#8wXF$np_@4GeKn9Pou~KHM^&%5Pi?puPDfV}{sc!wLqqXX9AGp!)op zLNwr!Lj^v-eF8YJ*&nf34fw{xvlJrZ`uGArSopFu#hVD>jxDil!bAvo%;ldM%E}62 zC?>FB{AhtV`5@1t(q97)iw=t8U_KBGC>g{h==T@wI9E8x-*J*L833X%pCUG%n0Oul z#GBzfL&LZrw`f^_1OLT2&VbDcX2nPH3{6CZe2i)SYz-s-Lf`xm{-NtXz}^dcHp4-> zBBF)~2jfE6jV$o+3pkiUf~q5dt--WK1%R@QW5?k5XxZ_xu`zKN&^?b65*Nlx7VyGl zh=wQ_EI>qag%j}$A3G)r3r}o;?s0@YWAMc=AWz^5!XXc&&BX-9N3$NO05Av;7lxiL z!g*)oIFNpT$^hm!OI83D|7$KWC5z-Fa3XOAd;n;Sl)j*jK452u#A6c)Vg|AR>doc= zxOJo~MhF)KXx%YUzoBD~q#;C?9zo;}5|$kyH{tAIoeM>d1Ca|=0xSI;s#vJ5vV6vW zBMTECm^m!&!;txquz+LYfC0XX=MO4~1=aYJhO1x>3LF83J&pql!=xb?)-X@Q zm4yZ*urofPkgx;@)_je?*cI9i|B~%rxiAqwBG-rcp*S!nSSYjk+98x4-_d{v<5R+9 z!wSNdu_6m*MJEeV2BD$=S$@_aauAr40?H%21fS5K4A%t5!3_7$R*5-Jk-1^U%ffL% zTO$S16O8hYhBqvx-%M|~_^*r)vps*<+<{3KEsS6cv79&_D7=Ag6n{A`N*R77V}c|L zmyFfrkAG^Ma%bQ=4DZfKyvR2#OOXpPq5?f>cM4Rba6lht24(Bm))*Aa`tP{u8NPu!b|jq+nzM-D7JW%<^E9L72pgWQ4JZ87asFVv^A?K_g6uqhq3@IUx{d5@1~* z(q0x17Zn3m@LOe}r3cFnb1Uq^>{qbkyJ3Mx<;#Pw^TF|PFn17v`5C`3d4;43JWCLk z1RG(NYZlGnz!oZBE=Ga~h-J7Oh&C~}fPm?&NG>NJ0D8hQEdCsEfniK1VBdu&i%l6; z(`cAE14AR2resmdCX^MHBV)@ws2dXqxo$L!G!DFlAn*tmC45O?6n_ite2q(l_QQRE z05Gc-$PG>mgo$_{hac(qtjc0dB4Jwu&LAE8vrL7{06~l2E@Lf4vtwu?`|pCn6c%$v zu)2tX#1qT$Vn(nlFdC80bHJlOj0qOzEF-5ajs**0SOY}MindQ7zS%;^NM;YqaXbAQzeBk~x z4$c*U2G)jJC7_|G^Y=9T^aS^_VY`QaKTQMry#+MJz&UK*@ylKSoep8y5@DH7wYcI_ ztS>mnZfs)vDW1iD-XDQt{-;i7_?qsBV^nyIwHJM;K$m~B6bf<;u)Ed&vmZ$$`yY7f zfHC|NWt*vjz6nzQTyG=|gQ+kFM*m)aqztGde_j54(;XW9>x!$OFHa4q$X}a4f2e)xnNO&PyN6ORlhjBKp5JFFs|% zeTn)M{g%SKs2=+J>uIoGht>TbnHOw4A{`t#CQ+ZBu+N7bWBY@uU`L|z|Ni}dQ34W( zGz`lCLDH~^wt-(&`1OHb_!;pLL#*K}_AkmY9m@WTa_r83(O;C028Ub=*M9$qAy|3S z?}czCDDQxy?q+esWW;sqMRBB5Vz>Z%cEdqx_*`_vv`&hO#KFx?E-b7pwee=Cwjdja z2y3Z5*K@ilRU4uxqynr+*aorGPUdj6t*sPfnJg}s6BP(c5+D%GwbX_zjn0KkF^a`C zjS35ji{Zuu^GqRSqqDeCW(jz0NLix8f?)~bHL^D#g~Ku7E-;se-Ff&AsS&mL?Vu$W zZZ~0Dl)`f;!Ir$x3y19%7nT6`NkTZ>Ul&JScHrNsf?+%H_YnCTa+caGu48mU3}nFC zxcD$zSQv9*Y{6KLrfvR<4AcDYJ7Jpt#uC%~*Vy>YnOG7FNoinMByj!j!~Lx~CPpC> zOt`@t$=~jZi5}+b*SgKs1Lw%L)LzUXpm;oqY+;HglPIPnVi4JsMGoeeq9~Qk;c$p- zVlbLIa%6v^KqTXd)Ib``l+309h2TK8DV0NDo3aQb5=tPDgK0$8KT{yF2*Cs@hiFPB z2GUGPBof{pE z`z9c|W!=ndhS}H+;zg~z3;tziv5O+9oL|oySN`Lru zfqSH`e3yG#^4$>Tw?`oo$VZ9%U%y!Vz&=<${>P`nB*Bl10X-fPhlC-~NC;31Ln09l zP>x1|5qOjl>4rvP2>Rwf-}KAS~oc7A)#G>K&wZd!V;b=2 z3cPV(jAkH5Y_|TXB_5vspuuw-0`4&WuwGn1>m2`scG##y6tFpWhPK!$m5IoLyj+Fy z!88q%vuKX7GlAClLum>ev!E3wPd2nQ15FkK3B>{LY|xk>knZ2<8B_ z#Ar2P3*iLe4B;Z7k1$9WO&mwmCK?lIL>Hn5aXvAPxSn{N*g(8UY$bLRUlQLFzY!%# z3M3Vh2FZ|QMzSDTk{n4cBrnneQU+-aDVMZ`w1c#lbbxe>bcu9_q)j#^qht%RCE1be zLiQqukQ2ze$p^?s$fwAyq6wpIS*hL_I<6re@H#)2`E=(Z0}zXdd)X z`cC>0`d7LRgUX0xEMpvGoMAj=NHOJ^%FGC63cQ%TgIUQu#H?pFGFzFinLn90OEXJ` z?nT8^@sXr*OkW<|7OSov8kvRY}i$Lf&PORM)*a@Is^sB&M%yY~Z<{PGh<#=G5Smt5IiAtg} zs4g0W=Aai*Z~PK`9ljBN2j7W*hyR3^CukF>1ZM)9u#QkmcubHdQiwsswV-8>h;k${ z$)B`}bcEDJ8b!v#m@~--$#-G2D8-2~hvE%mji4-|q*GS%HDwp&Amu3KJf(?pg`#0$ zWI?xBX;DUfPEDeDGKv}M%m5}N3Wz7LbO-&2o+dOBl88${r&kcOi8;hvVji)8xSd!; zEG1SDtBBRa@e~rJ(L$cyNN=LI(y!BR(bq958AA*i=6L2ht4f&p4^}|T4MDJM%NUKu zx8Y9`nh19Ydc+Q53rUQe##q6~X5=t(8F`GQ%t9t&DQl^0sbz@-U^xpsWe6H_5+6(C z5k;J&kk^pQ!3HEK3KS#S5JQcb%3R6Zz}&{%XVqZUZq;RlSTn34&|%_5mV$m&qSfd_ zv=<#h6Y+y21u}vBm0CnErB~3a=+*RdjC+hX3?vPF2-N>-rE87k^7jysdVDfzIq4z! zFl8+5FujG|N&n6awT`rowdPqTVF_Rn7RM0e40x0_v=L7rHIuHB>n#>g>*=!?PR#LE zSFMq1cqSR@Qw~Kc<1zSFC*l?AgIjGkzN}luWT;)3}UfmK&|%k#T-` zG5#pAk$lUdhxVBvg~_oS%fsLrYDBOiIa3x;Z_v+M(yeT*=3B*D9k4oTb<^sFm9h0n z>$BF_%OE(YYlF@}UC_B`I(WeyXel}hKL)>=yu|{G&e(W6Xz&LoIG%z{l8qQr0Y3&b z6Bg&4y-An@Mw`xzRjnJ~TgC0F6xxrA5+WX*^mIZ3!)nwt|*T%c14c@@NI% zSBhw*vOnBtc2EoH4VtQ@QYtm3SY1_3YO*xNtX1;_e)9T4MhlI|fLB%Q$Kt51xtDaj?t*?Gn6K^bwtdmnVgiG|1Xy1F{*JM5dE%$kRb;?qnbGLNc2iPL72b zvxJ;M&L*!T=aCD^Mc_B9$cM?bQjDDB? zkp7JRn%+eS1dEE^sJ{_CtB~fzGMB&`inK9D2~*@G)O}JF%@N??q~=<>&QZL z!Q*^Gwed!HJNyDX2cL>B!Y?K4BvcT(2;T?{qAhV1aU*dHv66U(c%FEN*iRfonokNK zWs=sC3P}~D^Q5b!Kyn0`3m*ME%)%geJb8*5MTbJ6*ifc}e|M+&P!>|ylyFKcC4sVp zl0nI)tfS;XMo>g4qf}82Lr!pp(nx8cT&LWjbiy3Hp!8A(D1#I+>L{uL6?>lvyYCZ< z&%+ns1y+aI9A;;1dMuqsPol4&=hC->udJrmftSAyKJY2MkN%x5$xviyFmyrcOolzk z+>^m(R4}R-)rk^LV;V52OdF;f(}x+#jAX_#p;LHQ5A%!m=uFfN z^#SjW#g-akE%sJik>HvtssT~a05w5LC>3R*_LyB(iz7MkQwmu_HClt#q8(_b&>jWZ zoGRV`Zvxqb4c-m!iDyG5mjk1#!q?)z;FSp^$SXn#k%U~rc9@B3LJi>-p@Yy#=q5ZR zydb=RoNj>dg&;|kCn^$Ei5f&4QJ07k?TKy>{jiAFO1woxNRlKR$po{$|Ni_JOQ1jv z7!Vgn&Cr}6GqXM`h>a32%1}#%qGWL~G5lCmL3(sR)=V*ugrvBb6oUFm%Nk3I zNs47yh>J-Uxu8zy#1SQ9(a{oONRi}j@iYX*|DmlUPGQ*v`9|*^r{pb!i`>~^>&?5% zrw)2;nfP>T*qB56|iC*}67fFbViHj>P-Sqm~l8Y|$Ud=8{ye0jefzcFl zDkcT|q_4rtp`)cG=1NK{iTm2(C!k8$iHwrGH?}Vx7mc%H#d7e<=y{P6Ai{doAIzbT(fSZ60T)vl)a zvBSWNrRdMQi&Wk1= z!gqa}!xHx>tNiF_B9-K@$9&b*=Ubl-USZMXltATeia zWqahVO<^lJhRZY01t>Q*H8Yg&HKg}VR^UC@sJ*Y{^EciS{hrUW)R&c?-)VYa^{cX; zN_~}7*5`sn^w0dM)EpzJBB|_O_%YhAwUt+Rt1I=L_5C+a zX=Yt0L0SeBT}o<{n3$v|sH}(s2^n+@ zMs+OKlO))QG-`mIkCU8&PA&x<#!mvPX#pPe&w1Z(E=I zZrMDv@?GfB!6&0NPq}7DFR<`0bKj-1_LauQ(e}|Fqh9+gL0^0gTdTvB8y_=c?*ZDl zFGh#9RjZv}_j+DFvj3{Q^Wp3GG8sRkl<$vIG`*cFII1s`Z33s}M_;;R5x#ti%sSgw zU3a~$H4`0I8mUMxETe{Nk1v@sY5CG)Xoh47So|8H#gDl*Ky4bTCr3+mgcqo*xs6n4 z%;Nud+mOJ9Q9SiG8z#_1HXQgrWW#XVNH7z||7OD;*h{K$m>rY;)sA-u$#?c2;QoG-v9m5j|IA`~%pE)7s-(5?kG=W%ch9hr<>og#WhFf8wwtZJ zx%Zs0-Pv6op*8DlTzfOAC&pdSdC&Ign?Q(h@h(1)T`Jygq;+NXqpqOa6IT)DS1;V^ zTd~8yZOp{p{QE41!yL_PVU5=s;_16VO^!S0 z7cRUa%C+^Es1K|;bN7h%8pZ?3@)YgEx(CcI#a=k$vRqH*o80NWu3KduDH_C8UJ=-F zhL|@<$^(_hl%H>Q;&4+y1v{IHnZ`eu%&0V!D>5fA@DP-P8i~%qz_o-n%Hx{yZ9I`{ z#ua*KzM)(Esw;t)@`SI?m-i+7gFjJdeF%j8#kTIX7O39H+R;gTkdHCVsmtDAvi^g8r%iker-kkGUhcdDk z^jX%-DNZIDn=L-ki5so7=ymv{`PW|TLA^~@Ia;5%wye3{N;@>jqwsVXuj+y(bJ@o3 z^K}{>lJRJU)KhR%twJ}Iq-|I1@z6ka^57%C>jq9)Bi)o7xT(|;Zo<(CuYxLr%puiK z0B;-z@6bo#oOop@gLX z0wTX9C^*}Acux&`LV%x%kRcbLKpKXkWXME7IsL#%=CRkuFejWYySk?S-XJZeFOp6$c{(0aYzdOekUWUAxPsGn4~%=h>)lNq=hhJ8q=oZ0Z<|$e%84}Nkzw-m8O;}N8XSmMKNocR z>yJ}&$`6Zgvhi4$vLo#45Xo#nZB3-yG-TByee;S;+2?OF^#*F2ZXQVAQet63eRh9~ z$J7J4D#hv{*C$*!*}Uyw&Z0-XK4y&+qiqz?j+vkpQ*8A7HBp+3n(vKe~U$x{= z#n>P3^>*}qw$U6YZB}$bJK5Kdx{tGH{yu-M-kDXWgC0(kT$JLv=Ka+wK+x_k95jo~ zm`2ISO1p3%RXk-NU`&f9ntxw;;Dysx=3$9-#%`at2Boby{89bP33+Q$OK1C!l68J# zVwdJAxf0ZWmag}U|G2%>ry0$VRtH}%A@uWM<+8TfVH9Lr*Yu1?l>Nl z2|c*1yqX*T-+sV(z*BAfCv&D_FEk4lr6M=~PnFON@jtIa#j$m$IIKg##!8PAH0_hl zv-eR_Nwd4TXL+k!PI&LKj)#-ZOg~1Lpq16*zrkTN?RdLaaP6g}K=E2X=gf0z;xAp2 zw})BH;hpsjk$$=}m9koM{=<#cMKtg7tM4;SgWg+sKTC}+arq(R6;*R&U&_48PiziP zdYAEt-urcx`s=y|`$)}MH%}F$RIUuDZ1SyGV%%XoX^Q_#6 z9nJ9uH)-8>Ndb!w4egrn(OJ!Kz*FvQad+tj)-v01d#Jm|ueptS;>R)`mhX@v8x)64 zS${E517$*Bd26EY+|q!In@=Bh4uMLR1uD!NpuG5e`?cks*@v9sb~1FKFQ9lEU=}xJXlE-giH0~YKS!sPKi_n-USx=he^Y}~NEY@qh~C#_EQhNC6Tua-uQ z(r`x4h>617P6%^_zlS-<%>OmaVf#IrN|IQ%k8Q{ZR`K_9X2mv?yY^7NFUqWPShkvV z`1+jRBFJBcm?%-qf=I_g{r|&A_gDG<-$XioNQJkwfjCpmK+M&@+{nY0ivp8w$O1i|Y10LfNl{d)y4vjaw-reXI zmNo{zpWZ0V+=1WY_Fm`y(L_|kbDU$N&%(P~>}{^@-?{awe7@;jrI0|Xd#&EQYsV{3 zEUom{8``+ZF*ab8)hHD->fGM0xw9&}gLO7-oW)G2Va^PHxj;3&grNVzI=0=WXc)_Zo0Wb?>gtH4Z&%?U>$Hs!7w*qT(yo&L*sh_Z$dy z8MSa--h$U%CjAeUwgxABFOjQ!ia4&fEMk#Y%ypDZKVi8sRyieHMeSJUEwP=6JL6X` z|LD}(9-#Pb+6VRgrMCDCDSrqL^Ti?EN?-L~8XYzP0RHH}@o(2E?iLhVKE1~AY-ALlKC2^;G4eWeo zeUz0MXW?P^JohCR1J;h$b6{fUU0=GQO>=YP*!Uaph$X!*46o9zTpsBx!7Tw@c-X z+MJg=+K!~ieQP;K7&I|mHDBC*?XlH%k9xd%Qm=CUzb!ep{Aj*Or~YlWtHKX@8RyJ; z+*)8M($#eGVw{sgZNen6@^6B+idM@nH=YZVI#PQ0UeLr-AHJQQc>2Kdn7InezN|5P zxN_T#pr9$fn+nWbdzadY$OLs2MV|4Q^g+`yDy&(-BHZ?cDre-2^%~q#599+=Zv6RE zo+h}1{T^R}ncYnD3+MlH{ki#IbI6{aIeA5v<-8X67EdW>|-&fmu;x?JDMxw+-h8CDyu#&26SmM?#jc>2?> zH}(}ZZxZji*!LuH$vEz`-1h3z&VZciiH?ttJq-&ipM5HM2S5Mu1;$y z@%_H1Zckg-#KaA38?Yl%5}RQY;}2lv@CB63ifBFN2i)3)KIq8F#;VQ7%p}Fiuprhz z0^u-bLvA>Soe`LkV6zdNtcLu+Mi_9M*T@_+=Vojc1uV7UvMh$cf#yG_!nfGTSzeyL zMk*$OGdEAl-MAbhI{v^t&Z=ovX7Cloy7b@ z_j`io;^%+L_&LRotlBRSs^IEdG>ME&5+CM zKOD($a}?TclRY;_>POOS38Se3_P6$>uI*oUVQ~XbTtwqc8_klQSlcJ d(GLrM& zR%V(@X4cP2O;ZcS1x?M;%2JEUbQCHw7b@dxuh|uA*EiisB>K?G&{SDS6_U_-`T}MR^Z;*PGhi`OM&byp%J8Gj)2SpxjVa zXi%33^3|oKWhOzMR$wrf3iPFd#Iy`SNts3)+O=z!Ko0elmv5&&SO5G#M_6^B^T4N3 zUcU8(K`$`rbA#3~=}Uvy`VCCFZ429ebJGihRx|xy82B^NZCh3|@Y}XL&!yUdr2n=p z>zH!7K3_-1a?DJnq^K008}+ZQ;%Sb$M#^QdC(qlP8ikr@wzh8wQeT8PrtHh)T`0<( zDYmE7DpY`(eSfDY7b*@MLMPI%EoFx+C9+A&Dg z1d7UZv^^rdi1s+=dK4}aynph9nzR)rwA~$nh|ovoN`%1a5m403P=iKoQd88T{%D9p zAe^HSoSrzegtB1NRSz`GL?Da-P0mjoMb(8GjD~zvGIPb8DKCVFCI+~;P=mI(41i?r zga?!ZFS3p&j-p08^8cIu$2c&_+H7g=y$MU^D?V1EykDzqR@wbEag?v(1F+s4w5cMV z^3{2brhM(R-G4g@mZKixI&12E@fq9FJ``pBZhC#K(xzg27Ne)7)f@eGlYXNf-7k&n zXPsoTp3177y~QkjifMu=`&oxLPbny(|yxW*@u%76!MU z)z^BwrrV6^^(-nTM*nPdwwt|}o;Cv6ik?yPeN7#Do~Y@Ti=Gd`H~s^75C@u?Ihy#@ zciRzr{edLlCzEl|bCv7$r!!&Ufq&IM!!NFLo;}0AEL{>-QI|rN(!YhEIR_D_{@9dY zJyko4x11NhxX%2`$g@$YUh{`q%^ucMBX2F|)h6?nC3@S@^fMNdEQ;kQe;=_(U~qel zxb6@9wkrLq>rAq?S?VT};rV%#FT|i6Qekbd9PM3w((GnwuureI@W2dfJb$7!uD2bO z@x^scD~S19mA+Zoz?fs5?_rx0fe+MJ$MEmP5tHO$4zrhg zZ88x-E+?~x0_Yg2^s=~!rpX)qh z&}V5*YS%vyn_->qm6Z)*izpqD*&^2>s)&dEfU2rd9tC%@Ym{|%e-*o+5A3F%waNw+ zMomEtG^ii4naJkOzGWqtgUSziEbm9he3)N zu7E_-Fl#jdu*Pwmc7eTM*u0Bl^FwxK5I3HcK`5@v$U0Gd8VK+_A-;Q}`W*6cqkSmr zM<=Q;BM)9tC#o;Du0r7d9^PPDwey9 zX0+q{!e3dy2mn^!T@aBqv9|h$2X?#4rVpa1+S(s}x7&{|4kuLK9F;~+_Nw+S}ME@$yr0CBJCfss}*WFsn~ z?0ZNr`ySFM+kW11R8U>#v$%?&WMpYfRJq5zP0l?aw_X^SD0iJ{DoT8NM*(=JQ| zWZNkw$5Ow)J4-z)imlu%i72*p_Hvr+at_=wzm;MbW1_*Lhq=?%6?UnOPib6Nog{%Z zE1bMP5;(v?7Q_70PGo^>MkN`{wqLukfw$H{Ez{gCoPK+TZDa!7@4kcJi zXJf?fmkXOOc5>F|3>c%IPE-fC+U@7iP+z6jI2-vaUWD0MY*bO;?_`~DKFivw)(UxIz>!%nVQ9bU5D{xD2b|4-S!;P`8+kFXBm8bWFx+(dYM=5b+@|Ag4}FZBV&ptH4M#`GJmu&A7FFeYIJ zXBwQ&5(E)*p75}jL!ELkbueik5-^E_L;J*9<$aazGFcRy8o6E13j>X?Dn0Dx`%GuD z5DKun%G_7i{HXOKV%v_Ll$dz{|H9^-;NV01ZDxzz&Kw$Q_v9cuQP(>W)SalFjKW5M zJJDf=;bRS61EiKYzB6Eu1=3Yz-$Rhu=U|G#gi1y###tGdTD}td7dg=o*&t_VoL9{~ z?fzAObfBHp5pC8(2*HV7)&|?^-|Tirk65mUeGj1*=NEGLCmW9kOH%aZj( zF1ZJE;`+5OvD5lQ0|&|y$gK>U`1f{{Xt0fkkQ+;-yz7eyRaI?-kReurw+Gf z2Ur>h#?lA&%>&Jxyc2drwRDj86OMkp9O!oeKG$KQSY`gLv(wNMbt-ObZWm(hFVUIv z9Gum@7xR!JEI`Oc_!t4sD9!>u%JlxdRqkkQ8GFgtL!v#zXnKHfC?!#yr|z+;LrkK> ziaM)~!`?Ca)0zbZg;~{*X|!JrwI=cJ#gluRuW1D2^B_hd<_Q2xQK9u5||r}>0udQfZGg~lf9x?q>Q~X1FN%1Y1@SWKapw3g0n_^m*L62u^o6q zwwmEq<^3o(A|0Z$K}QKR?R55H2(p%YV47LX8fCW6?)y7`Hal(xgdReK zV}0Y$SK$hMHTyc#PZ-24`}06aidk0keJA7cXw%}|ZdynmVqHku#y+wibM{qd`vV(T z+f58RA&=X6X?Au*0)5&^Y5l(^rGvb3`$=m@nuzER#?m;Jq#wH^{G^ALgv=33!BEX^ zIf?C5Pr3aUTaJ@Fsn{;;{)ax!>(RzS2mi45B_;nsjM5xSYi6mCwo`HbXO;@xMh&`! z?;`O-y94plc)(BN!)Q3WLy(z)0X6X+*25(4L~m~=ddpv# z#NG(nDIVNLaXv#ai65pom7F<1a@UEDEsYRaljK1XvcL?#yogBEDsQWFRpWrjW(Dj%i;uyGWLd*cqpparTQ{EE zGd?YH)$QVPF1n*!j?!J^ay(r#mlNoy6sCveXcGKrery4Lg*}~%C*1`u=b>w1bEJD`9Y2*NzKgCum-Ey~xg1ZI z$>m&h8ZPImD`#`0J6|`Ct9H{Z<8to0bzH8KZabIr(Cy=LoplXtj&%3bUF530bT%&6 zRoBYpymej^SlWDa{ka^x_H2%H@2-pHs(a{?xEyv--DKqL{>!j9mZO22$!&fH1l~`j z(=kB)YnT=eEaU2r|GO>V(`!g{yT=t+*OiWCvJt&2V$yR3%n#{yG zOiZ>1dr&b$n~sS!OiY}sppc1)cNM*un0QX@LBw5X4?4&6B@$~7YGC4{OkBsr2bp*u z6Ypf=?M$p=;&n_+*k%vf$i%Cdcm)$LW8%e3T*bumn7EvYixEe4CGT)aZR*s2mC-yZnnipeD>Bg4PyN59=6^vLQ|T2E%SXT zpJ(dOqO!R_6Q@i+;zbqt>U`5FUt1xrT}71bb99}u80V{xh~Xl>p=HW%-{viwe%+$I zPgxX4Ar+KQ^#Qb=a3clap=@sG1rKVf?GRr5*_OkRVtW;l&W1_ot|GGS!hLnh6d0i4 zw%36azye((X}wHZS1_$CLUI=sUBZATl=tENwA;v)dhsQ5f~}mKlv^w@lxa|wtp|?0 zAk^dsQ(feO*Dclv>sh=1MWC~PYIoCV$=xNc$!GcW>vr?Ewo(EPv9%ooh4n?9Y{P-< zbdi^iCX+8h$E?@%7lvmrQ?P8u_TMpW7d)*M(J>e$`V%Xsz6b@~$ z5Tw`!kkJ_G2o2qAv(e3NzG|}(?h-0uIVv^-@HCb{MX0z6l-BuP@XPwh6oiH+I*IFU zc!R@)2w)=a7mMA+!fZFeX1o-t zw`y(TyO;^bX6tbq4~!zG3~VKYBr<=(=N{;b*>kV;SV@>cWE`N=ZxB~AGM4#XJhPjv z657;0)LaM}9P}J4*3dtZC_j0JmxPS2GoPxn`^O=xvinCPVGcP9n*)KRsFy7Sx&x-T z6}e0~GkkM-0l3t)n8f}%5)aUjID96F6*-6tR`@StlCJZZWWZ!5am!?qAQh8@q##+p z(ya=KRY`3&F)4p@1=3oj$L7VP%)A*n;Z_G>;o)7xCepZh9!e+N$`KQ~Pq>+wR-&*~ zT&{>e`LR0cMAc%HiN3LAD`ReIQrucmKHNxIyYgp(WR!J$u-W!CxWt|BiaczjAIFCN zEE|SGs0kaasUH8`Y#=Xw{=LbA$eLwj{_Nb`+UK^gS-{RG3u5*^G#~Ox>#yenIi_ZJ zAtv3-w`jd6l)Yzn!h7+g8l@MKxXom-xrKGimDrIc0NsznO_N+Fm0m`Fr0^tIC;3{v zme+VyFGIJc%Pd!Z1R30lTblhW+S?RP$QErYaTW$c4RAvjD{ljr-G3B{LXx4`4EyPT zgaK;7!B?zo7UOoyTo716%gTO#!nL>q??DmmQ6HN4)o0B^ZL4ANtqoBhnmg@JLt~RS zYP)ppHkP6eH~M-u)G#7?@1xurMmA>z9(2Be5qqZ2 z(m1F{FlA%|E+^+3#BS6~&NQHGP4yy>wiJw}vK?f`1S+&-S(Bn&8+_i0_p6=Q+w~kW z?vJ$uyWWcW)YJ#PqQ-d{x>!ehxQ_OUYA|?Njs!=2YQD+5i?$wV`sKzPpkfh0IEU^} zok~#!G7ocq2J1o@`TEK1v(FRTMu9B8x0%0-H@#kj_ve~T0@JLgT72I0#!lTLg70q^Z$`bXmhI5Vb{!_Uskf~XWtHs)V(jQ9S5aNP z?Hd$!@#=AcIEO(N*G<7equ!PQQt_&kff&o?JK5rqY5E?(wn*e`B19-)Mz$bk9CIIL zMHy?J>PPk=$1a1tzQ5hv+omTYPXTXlV~+*}Ub^j=gRPuY*V}F~SbP>6krIMFBh@!P zLX0si^F1hYr{iv?(Sc{{MRxMn&;la)gh#dwY@rMKttb7OZV>j7j?G?GiaPY7Or3V| zZY;wr;qCCimmO}F2R!o=HXTdLQ0ztlEIs4|L5@5=y4{4lV{FkhMpV}{o{^qf^X+U% z(EEgXMvU-s-yuddM6X(*T3feneV_DaE6|0l%RTN!sNrFOh=vxq*|M?Xr;9vv<>V}} z4knCf`#x4YFi$wdrffr9fNfv*xh%FxjLz08yPyjlr1(%>)22_*40|=+4aEy28o*Us3)DHmX8!WAMb0=Fh&^LLq z%q~HG%DszI`qkY#H$>^tuA)#|H^M(gb4fq<={M2=3_R?*Ky4Xm!XlHwYoPoro{LG- z>-ROHE13(s*=Jz4j|Ds?#cp#&uC~MA`w4#FX>5qK%zj)1J?yPP3QoD{xUNkXDbvcu4EoPF}bx78)tX_}As^r&HuR*4k zWHuthej!0l0M@wsMXH+WRZQ!4LdiE+4D+6 z{obWo<#q@hJA=NLAY>2f*<%oKjIie*$g&qs;vSgvX<(Q#t!-~eEK00Z9wfsViQpZD zH{~EY^#=O8O59J}ecn+vH@OydnM}IigCugs@yZ^0=K98nEELOlf+LE zK$5NsD(*SZgpZ1j@G09wP<+}FbdE@4eMZ)M6!hl+iK2cs_Q|%!;Aq>$`XOh7KC>L> zNBwNLftT9^)`P&3=iL)#DxJ`EwCu$uv z69(aHtT|58)9c%K#i$6wHMsA(lH;4m9}twsWutYvML+H$7)N>kUH$zY}eZ9mup-x`5GhN^Mof%;dqal z3@>v6umrWl+IlVnOx~zO(g~HWl)0N#aS=3GKIGLf znI?CxV*YI$g+R~!d7`3Dlf@_hFfKc!b$a8ydJ2;^d0Reo;c&QGr?=$Jc$Fd+tbmTYQeu+^|OY_+(K(Kj#%3M6y$10-1}dr(yz^dM+46E9=pRZMJS;#MYZX5vOB zzRbj1nD{CauV>;GCSJ$H+nIPL6YpZ;b4+}JiFY&cJ|;fM#C1%3l!+Ud_%stIF>xXj z$1!m<6HA$x91rb5G!v5pq&+B@i36Efz{LHTxHl6Mivi_#{tvdq9yAa2VAKCT3R65xfv?;p_Oz2*(k2BCJA~hoD0khY*Uu&!VUR1R5a* zVKM@FZcf6t=m-r6KO!lQ&fd-;;SkV{1A2^ zq#`_yFdN}Hglz~k!XSiK5H=#f$X3lqSck9y;U$DM2u1|3rHYKV8qWP)nB!W6#Rxit z6a+bf0HF)QUBFyJs3WilFC%=4umGVLAsrzOVH84N1Q!Gwc=;*95rpjsYZ1spOf#GN z`!^3}q#PhkH!8+R+IycQJ@wS>y5yUpHQexIzg$rL@O|r zl?jT=N(&*EkTLWTXbpxkgCIyl;EbT}&+w25n#|?JTB9Jptkk5|mlAfE=9CGHCIhnQ z%HYGawFY%Dix+k3e8M_`Mq8@al0gd0rTHd(S*f5vtuIE6zI3*_Sg#RqKa*%H>(r&1 zV$96ZPWVSA>L{11@lzVDNozn|S-G|iUp~VT2X@@zN*^mNn^WqTX9d8iWcgUFDH+>m zA=918FEbZw1mrh4nA&Wufvf>mLnA2AYtdjT6X@H3nZ6m!lqtPgo}o2y1wxyntW}qg zarAo9-aZgU9YZiCl$lG(!gMGH4;O^Qkb$~n8`R}SL8?)o&QQ?-iu7qi*q#q&DE$iz z&VAYlMt?T%)ZNHT?GZF^y__f9mS_8qLSKf231y|)hcUFlV%}_?Wl~$7!%+aKAfozL zh#ZqaUq_bUFQa;nl{Bv@O)Xc42>L>KgFL_XR(nM;l4^71l+NeiI^6dA)At5ZH0HmO{% zVP*&gGCT1*!(39LHdH2;7L+-4cnFt61fB6eV%Cqw<>>58yi-1yA?Ojzcf!^-X_eMs zBxZ_BSsFSDkaIT@0M&@^SYEHq) z8jy8MC@VIXloF1SHAyYg=nKdivKc3X%9(|-ydqdwigJv^rNN9%GAao5kC=UyUOUIp zgIQOnQ6DO^Twq0}U6DEx3i`%qP5C-U`shAnPzM+{AIH3c$xjYPu~YgJayd>U6qgx^ zFf!?%kK+Ji^@5CyK1O*OtTS6+c>Sm~YlEOD2XwG;RxvBxzypT2vwE)>z$z+c0m3le5-*YC1nuKG9;{?#2XXnq_ai{$pI1BRi?DiOpqX#jvqlmRNwkc9Wv0hZ$cXQVPZgh;kVMQm89N~@C3(V_wA=~t zsmcs)3`bq&6jfVYYFc9Qm?^m#O67P4KUYpyj!9Q$B(d}0>XIj9DAO?mXShkKM9i&Y zU3^AH^4JL->(Z5~l=uV!2--M&smk=R46R%_QHh=CAzbX3xtYpTRa$y{I?DqNJ}W*Y znH{|yr=u=+f)Z!zN7Ro=R;DC&q^+$_8v&~1#N33mM5QVo1mYp(%;ZdPmd$5O8a<9I zCaI5~l$n&4&eo4tPRUM7Ph|Mb;z&(ZPRML4lWC-I{37is@fn%U{nM3M6DFmORstP^ zo3yLalP5rWm@+F#xrzATq^&(8K1<2guyusygtSQ$$U>1Z2tm%}grxX%=W@JCMP!75 z%}^#xN>9!NmpMHL1C`|5jj~ggGJ+_;43i+w$(>VXcq~VfW6V({XI2ae8J&d$G|mrs8ca;EgkC^xZ54-@L3L?R>ZiQQ=tqknG76W+%b*{ z$M4dyPVAV>@6-d06=Z7YLu9A|GQq+H&Ye3~lZWY1_a{2wP5FVz@ys~z-*Pxe-Be~A zzH?nB3kTmVOOF9?nJgT>hoPznjm*G-%)M(B>WJ+N)w0Bp-}twXGRt=nvQz`KnyeL9 zCnj~5QAd8W&(%pt-R?;gb=JMDE`rp-M@#A4P{+*`pMOyE;1LYXBR5+-xQa95k>A<} z(n3dtYgqug~Qs|Swqg@@XodZ^vG|E^J#?}rEkucQA( zr~YaQJf8@pojhn_XgC7CfgNpOAIb+2>JX}iQq%`XIZIPssi9Q33+PR`><&tJ>39ea ziR@p_bkqO`sl)2WIn}kIP6N0Wr@rOzr}&{x{PcH(zOb8`<&`_pzbp2E;!YlLR~BBs+{VYQMUzkCZ{@YIGEOsRW(cFab`&cxn=khmQIR7gc2%bNkFqRTq;#1oAUaRf%hw zxmcSUuhGB-l2BF(Um5&M!=d=2D@|HsZoHA5F!?Jss!E(Za?|qj&G0tD36bB95igIl z27Nx}9B(oiD7{;*s&Z1PJ|EXapx|;8^$tc%fe$fv3_O!0L-jm2rTwC!6D> zcP_c|U~F@~iK1R}ZAVACX6rRtGE4ZnIjZ18;0O)pFlG_g26t52#X*f>mI9t#2OXKj zRg&9253;V*ZM3%Yh2P9RiV~xST?sO8c8c+(nhgD1E!7tz65dTHGbNY6y-NHPS`9np5U!0( zkgaLrgR7hXBtQUCwI*GeCK>DKi8100g}ExV!Klq7j#_MYm1r#$N3t>%MCIlhO`2Td zS<2NzqH{G`qsdTKnalc#lPEZ_jl>@vPUUKundY)ySc4=tA6IO6SF#e)aRi22ODLgP ztg(~L7Q8u##wt#F1$dqnYj@xdN`fuwl!%>XX_1RrG)ns6~W@> zARxdM*gWBKARLV$b1a0v3gd7s4u>`sNVvwho*YeVr$L~_V9JG}0}=jA5Le2bW!C3E zhAzZ&K{&^eVH@B zAKHn#-WlNGaqw5EOfX5#AP?ctY1QS<&D2)6Nu{i;XxelHCJ$4gD6Jbb<4>FYiH%Jl z#;BBdLdnYlYO!0Ug9nZ(YN2bgkt>uL#^9|7R#pWM8CkM1{E23*p%N}c#!Q#yvz{6Z z-t&*xp)7r!YBP02Xo&`WM`|+|{t}BEZ)~&K{dtLcBM|@=I7OdlfPz=k3I@e8!i|dYdUKFbQwd2eWtLQOM6ks0(1r<;ZVAh(no=+3ZCA z0)lD?+kP2&FZ@{R9Ll8K5BY~Dy=)9{4rJliAb)|B1uVP``9S=TZX?QsJ{ox)LKWyC z_{x!g7~dBBoQeD+?Yod~K#22W`(Hr56@d<7%O3d6P$B{~lr3kH{6kMBeppTSWASN_ zUx%PVnb5NZ`HKj%;g+Ifr}%%RMSCPv+xz%F&Pb zUC7hes~wiD`Rh1;IOY2q0t-c``15DG+5z|HF#m3g^E?6}KmQ%`2>vgg$41Ecf5$wQ z!TN8)FgMbMa5cbnX{T8sDj04D zA^>qndn1KwqY8=B!=s3swfqtFWWAO>q8_d|YU3m7@vD=zzc~sJ?%`3SzQIv!OWFF1 zC^zEdFsiMdqNF(UZh;TX@eqHP(#=t7PorZiN{R*e_`!&`sEPn#C>bavTeT0?-q ztdD2DVo?MXsBu*Z2x~(V9rovgM2B@CDLSleZcO)Ra0DOb==1c&p!)Bp+X0-gks~5n zU0zvW;f6NGITahZit- z4)K3{Ks@-JC|Bx^>)N)Idre1?lOfp~oF6{yI1l(t6ufg(DOCt;da9Vx0&^)WBISz?5KrQUksc)TmK{TLX^@WfP@CdnqNr7-hg`qUHd? z00;p_Dx=J3)1bzLQ3)J*;_!!xd2Mtg0@g_7GxU{rfa{2#&_VE$y~^FGe-`Qtz|f9g zOodXB2sB_L;N{{mb2Tw=rJ$wQX%-#FNTgEmk32MQ3Hqg=Pa)HTj9!lU5-t{E&Tzmm zoatC6z!&HOO2lwdNQE#tA!rc%hje@x$@-GpJnSYfWPOjsjaCwyP{q40*VRTv~1A)-ZvqDs*g(W|0eqMt>rBD-ja zI9N=Jv&4nsrQ&zRr^TO%e-U?*^py;ijFV_3#ggTcm6B&Ay~E!OKNfyHygB@*@Vnu^ zg;No35nUpDB6>v(j0lU6L_|kuBNjziBc6-c5V1MpT*N04Uq&=Xv_`l@`bYMS42T>a znG~5GIW$fqKAM!p%jKe9RU*T}w7xwJr9A~i@Wqzk0aNnes~mDWj*OHWI$ zOTU-?EcKT8$@mM=g(96}2(y-Kfu_Zbl7^mPIE;mqkAt{d)AJ z=;r93qkR;;72%3xg-TJTs8BqkcvZ1W@uA|P;*O$ojBiXpOmGYxBacanDT=9yc|PWR z%(a+au_3XN*tpoqvD0I7B;^l!AQ&`a1~7$F=l%n;@X)k3|{DqJtzEZieJDm){+BD^O2UU*CRtI$t0TqG2! zL^+~-(G#L-kyZ4JXtU@8(FM^hQ5UhVxTjbk4i)E$b>d2KmAG15E8Z?XD6SV@5;u!~ z7JEwkB%zYgk|fCl$z(~9#41@Y*(^CAIVx$C+?M<*p~Aa__Y02=PYT~0{!aLz@cQsG z;a`P!j_4jSEFvZ%F=AXqW<*}Z(umrKO%dB8-ikOFaU3iAMa1=ppCW#XaEtVb>=QXO zl8%%|CPq$(oE)i*EQ_p+v_#fMJ{!3u@{P!Skw+p=M}8XlZRGcn_ab>xPpQ8&Ksrh) zmBvWNNGD1sOZCz+sag8CbfI*qv{w2wxB9P1-;};1JtVD{o|Jwl{X}|6`ZXsDzew#; zH<_obo2-{?fNY3txGYQ-E{l@I%f`x5Wf`(5vRs)~_LyvzY>sTc%p$9it&}|@dqK8I z_KNIv+1s-HviD`jWFN?Ad5&B!UoKxM-!6Y${w}129~BZ685JLu5%pNq+fm1&ZbZ36 zPl+yxULCzHdOsw@U6H6rRZLdoDxOeOE3AsA6wfMNRBTbarg%%SUs0zxp*XAfRPm+a zn&Ot?Hw6{r4yoxIGXgR*E+!*pNz96v)iLX0HpFa+c`fFxnEf$zF(+cq#(WZUCFZ-B z?_*kHevfgD?Hb!Fc0_DgY*uVeY+kG`wlvlh`*`f4*qYc?vCqbCh}|0ddhDLqL$M99 zXCP-+h>YRzLH=J9#1_QRO1gkH(+g-Ty_vp3U!(6q&U}Ra!hXVGcq@}3EELWahKbHY z?*qkC#TM~u@mBGh;=|&P#Wt~B>?i3b87vV?6p|Mt+a(`LK9jUax`cNR9}%7!J~Co_ z#H5JjkOEu84-pZOu~_l!$j2hfvD%v=-;4B=`bxv43h6kksS#S-UDgk)lPfdI=E`<} z?+2l)=VjMqEwa0^`!W}~humB4C+{m4$cM^D$whLhJVu@IGa-FWqZ;)@1?~w13@0A~vACWi6&&n^zzmVUOg9mZ!cR3e@e36I9FSd8AAQsy^ z<%gzVQIbd_(uo#}mWjwWIHyS+J&KmlQaYMWq?70rI+LDE=g=BjM;Fs3=;#W14ZV(D zPj8{O(>v+i^gj9^eU!dPU#73pHoBRL&Fj1H!Oc7=Z zCqtt(LY=T!XcATk=Lr`JmkC!0*9f-@cM5k4_X!U|#~XyFg%^Yug_ng_h4+OXqW+>_ z(PU`(V$oGmi%1|26sL%HiuYk%nz1hPBvq1SlAV%$5}Tx1;unrd{O|MsEeDwY$Bc^$ zMK9{R!oBl|B}q%}b>($(*|@0hd{kAs@OVNWx~qHVnM;y*T35ac{#QA4j(eAp?mRwk zQKSoxzi|SjzL!&t58c_7M{VT4>{3P1!iW0u1+^;%P55>9y_qVn678ig<9_KLmtpw+ z$Hkw#z2uoMwVmk7jf?y?(u-VwK*-+c>cVqz@m=tA({J;RPndFZ{PS}zxZjT=I5|pr zZlGtORp?1~c6Xh`ckkgcHD2gX_aFt29$wkRFNPnPC8*1_LO;4YsqWOnGtq3wQ{!ED zaj}+}9csJuaL?4K=a{s@0dzkC=GnuKtq>&Or!M*e&h;c5L=Pa%u048k&EzF29EK(3 zaBBz>;^~3Cx(cz)ii9-tOzqVbz6z0;7Kw2omrbQ-I1xK3!!cZ!9)1~>a2Vo7FGwge z;MXyXrwd3z+2Mw@HIo4a8IBP%w1(MwxCAh?AVe@$L@(k6I5P+f=DLXIg9YYwaaqLU zQE%>iJ2`Xwv;DhwxfoRWR6zEKvdjC19!)SlcI5p~)zshoj?8{Cfftmpd($_{+qQQe zuQ#0z_-ywY%H>|__wVn1Co%A`Gr7vBj}p%&bT{@|WYzB;`N4AocN+Q)O`SF9P2rW_ zCaPUBw(Yo+Jj$&?xizfj?DglaKUncicC6y~>dWI=9~WP(?DAWSd0G5=`!Uyv&+YiE z_@$@yOSQu-)kkLf9c?%n<@ZJ1!j?f@O<%4Kc)t;Z}7FSI# zs?aFU%p9{I^Kg%O$0~n1d3cr!q?5OK;ji?t41A_QobQcE&t{${E z!RkXs;zLi|>0nas#ve=%+5#CC_JLM1g6c~UGV&54q9xK0Mkk&0$93UC%C++gD=U9| zVhX+EN8O%ZzwJEWK-wbr>5;kH(qHOXd$a%Q&WWXWN}49mqiw(FYlj#;yO)i9^$l6K z))8;Mu&ZzVlTB0BQm>!&N`32`aGOWYh`IN_nL8jmWxKZbjmo&ZptYqZPDB=2275di zfAh-c*|7uWBrhG&(|yJ^X;DD;%@g}r7VM=L@i#-`t(?Yte|THk@ZkOMQvSuFb^ZFP zoCTU_{C~9$u{ul(r5$uwBy;F+-oK^8a2vBLG4k(pI745EZ_|h#Oa4}mU(WZGCGI;g zGe@QV%nwIKCLDh0qHgz-acMtPOZRs>HsqFOa*MyHY(n;?HGThG1gGI!IQr>AM_f9Pd87{6r1Wsj5-`JPZL?Q ztl~qT=Qkw3C_i@Wrr7i2pEmcqZGG?ax3jHLU-Dm>8}L@(8=)u4kG(g+GSuTY&qJ@K zJ?HVYZ?Iv<8CH)M@v_0G4BCqbKcjXoa0&J#r68gjf1xs+s%WD_ouJ@_w3Z&>C_}*q zayn`PdOpsz|CO`f zR(>#8=l;cB(e9G>Z;u+9FTR?rDd~ExzR>%g+m`U+c{M$c-+1e*w{Bb!9G~TL<{8uF zy*XbViX4Jya z3QO*HDd0f;gNij1>zBN_Xxa1@#qNolD#as1AK!mj(7DH~rlLO6KD2G6vq#k=$L{~| ziIeZg1nBZJoq{kFVvgV z#ZD&=Z1^w@IAI8f)58d`YY%b+V3Bk;W&##;21{J;W&vv;@XR} z`Ja);jp+IJBMOJmgIVJGwi8#37Y72dfc=`29FYF*fO4@oD8f&ZQ+YlQCoNT+MMrGw`@K1Ws1i)S$Fg)fTBhvhoi?X4ednme@XV^<#- zUVSY4Xv>$!3r^pE^ZnM>lY*bRT=v%Hk56@7@9%#*|G^h=L%YRo`sir=giMsR=B*CXucU(J%>B$^ z*b2a@yg%&njM@efwRPAZSJ$@Fw}QueOJijm6Bn zHDiG>U(K933LN-h8>iw{8|Wy*HumPaGltQ*KTWqmxhx6fpomFy1`2}}G#SH~aZFBT zs$lMhGwY2@iu4=b_;tmB-YY$tKjC*UQxiOY?7Jmy+SXqBrSvI@F5z7K8@JfQm4H25 zx$`Ft5Ky?1w;6I5UQdT1pEGApM>5LG@WQO}A*FR)gcFB5l}Gp0TB!nn-`QY2%)9$qraU0j*`Onkmaw)^{q&6mA*P8q@LcjCG0Bh6jaL-;GwKMp(yni_Bd@QncHx8PUXIFA65?>IIcBx zZ0OX8rqEvYOXj-yYji1M^X!CxkE*Ebr3-o-ZkaUhR?|!TueXQD-+AMent5+-_xb(S z&=*_o#SOT<<)m*4eOYsEPkOh=llP}h8v0(%q5Q8#^JmRXv)($pv;OX-#^-+xEnhS` zV$qVSV{goNnR|Pt_o)H&+Dm@7Z7I)1zvcSmNY%aP@~alVb*JBZ`@Lc%r!If?`{pNe zyvrA?>5(StXWz0i$9!k~mdPjSMehAz>s>iJuYaXW{4$@%-q*!M7JT~3wc8Jg%>R@j zC8yK~T7+8#jjtVueHY4{iu61u`;MC?xyNJY@bGd^!^hoarNZvCFRAF{)p@j5P5vGT z>NpGD#jCH1`Kn%!fv;MaH}hlg*F5lpGkibd0CN2+AbOF@AMc?qRlUU*{__vRUMLlD>D1L`K6mD{O*xevit4V z=1%$G+qk#-{J7|A`47L;^lLg;msmVt-1!6R=I&TJb4SC}?ej)n9QhzCy)k~HETgGu z={ql7;TaCQHAK11?KkoJ#OXa<^XU;!_P(@v_KSU=Z2qG3(74|%;xC4LR97)P=kx>R zqI)k-T{<({bZJ4Sm)2EZ>08}>)QaFb>AWqPPjd%%9TqpKq|cr~>ED0%>isd}CGs!g z>^a5v>mFY-p|*TYj7og*q&fJ!tnqWn%*Wq+@RI+X)V{-SXL=sq)VSrC`ib~%Tcs~| zw|+ur3Vou!dgVp8@Ze4Q!7JY$`aw>~B)TP~d%>}*nVE*6t8<2)es*0z>-%rM`{`$k z3OddF;Fq&&a{C<~HfyMDzRUHr-ND;D!dgd8tUdp+tL{_3&WGkaoA}P_!s-|H)vq6~ z_)a(Y;`PW+PJA}0wyOBs!v635FlL;zU&R+&ckqMO&GBF4`g4^y=kry)r{9zv_Uu%; zrN_}_S7RFslFE38UG%qW4*bg)ef#Ml9|sH!9K6HLOZaqD-G;_N85fd|4eEaF()FAR zABX~yk3O|>+wFbl?hd@Hd1}w*lQ$QXbn2fPMg!^!+_w>jeP8PJ1I zPW!|m!`|XAtr%Bc_e$Eei2JjucPgJ)u72y>#11>iBe$3m$DW0qPK|e8|7@pw)cOBU zb~f}f6#a`$8$b_@4J@?7};m)j$*0Vk_`)~a@t-F!=Wv45lV zZcA#};}tjeBPrlPny1O=#&rN*|C4Yj@+RSRzICwKC>pKQ%}0&$g5W- zjoZ;!Fy!ggS}^8_dfscT!G&Hq-aF(LeWFyC7b; z$SoJ!!!#Ehw-(m?51D@#-$!jrPJY^r3)j(o+B~J5@s_adoCv=y-QTI?DfGq-y4|bm zPmgjcc?k#7{Wtc-x1b%rJZbx0fevdQhA#}@3$EOoqK|!LxqXd$QIN~ZS!bUZ5#~E_ z&FTj^w`|{*m0a$yfxB6%cwk;c<`F3$Gb(ZN3$KMD_f^*v9vUhxd_qjP>7_HZN{OV$TPM zc7#j2q%Z$*@y^jr!_B)*G0lF1(q)>?E-Nn%-B~qVu3D^{qQ6idI(pTDd)tkPw+z}D z9~Qju!-55?zdD}g{(R5jpNKVIKS8B0&3rLv;Bot{_?X+ ziZnu>;mx(*q-Cp)EIk{$x9Z{o>FNkg(^u4M@2=mIJbwPCKE1zxGb8WZ8SB^nZ%bCE zPaQk*!rsL@f2s_Ujo9$<>bF}PyA7XrV$v(_el0;a*OqMxH>X@U+LETLwmx$| zzq9V7=*8zR7K8+p@nS!D)Bk#Ms>h9R@h6wJ75^0cxo~ZrG-;etHo7>(bFOk$!hD{M zSDTsk#?LL;tq11ZAAj9;;_1C3Pu$Er_=0Tps8^aE>mz^DXW+-xpYhg*eVrP-D0Qak zN?ulP^|I)-%^Q__&MuJlO6oi^dmX>HrvIhxE!&?QuwJu!a`V!~_a@o~o0mWHcJn6N z(8I>BpFTUR$KH^e-wFruDoNCY%`W;t?^idd{%l=LOS~{WlF;w(AuCIr+4m?{8Y< z;)%0Cr*=tl7cSzpVsp4n)XeZ-?elZ-{e#o7v%A|!Z&#PTZq&x3F@N0YC1I{ZC-wie$J)7hIj38* z+$Z;XdCgZ{_%*-C%g6Y1Q7s#|y4(6^n#P*Hyxw!u)a$>e=Y8_sq3CHVVp{1t$4B|z zI`ZYTXVlckGk=#TD(-%+*q`WoVD;Dr@1tM7Ge2u?{)pud5>C9eq;&6ZV_%Csd{F-S z4bPa{NhhrrroOu^B67U=vfHnM%9OO7*S~y6dp3RKwyzGYTyov>+UwR^pA4gx4L$hD b_Xj>4llA+sOVPK@uO&P&Gko|vt7iNksb8L{ diff --git a/venv/Scripts/_multiprocessing.pyd b/venv/Scripts/_multiprocessing.pyd deleted file mode 100644 index 69c88e74cdea248d24e9dda8f4551be75b5a6601..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 25240 zcmeHv30zahxBm@a6v+ZK!PEmSylqs)J_7p|2kxV9v+JlljaZLXAnKO%`-1~p(PVMS)YQP>=@~Hvoa)p*t ztWg(eq(z)usY<2Rai+^S8oi36P;nB+rE!YXd9q+Px32yc)aSSx0$)o#Im?<>2Tq># zI_e9;KA&kWPt07-)X&U(iz!dfT#IsRxVir}@AH|jp#ECw=d-?M+7B_~wuYZ%#%&D` zokhlP4L{D*Cn$2|WUePUOBGX8GRuK_)r~*Z+Sf$c4RB$(yHmbs8E$TU)EA{E63x^- znRh#iax`~$lvD*8Ak>u_in62PASnzY<2p)nwN6M;Iiy)cQDvmep{T&FBz zFQ%xoSg49nib}WkJ)^vY{y5uq(3y(a|LO_W$;x!-e7O%YLLcFkD1*(z0ad}8JgH7f zQO|cr2XIneNa(PA;xKiv8H@@f0!c+8xCBTxPaH+n2WzyNT(mK~=HSH@DFVsni6i(l zGNl@Tgm)qX24A8L5MJXz*5fVzuKlYLm}s~+e%&RS@+_oGw8{G(-l`5e^Xm<_rZqI; zA^o-D_Eh->F6C*`yPCWM@ltizwYpx*$c`$#~J=a=sTWYPiHC4WgnW=*c&+2-Q`HR7; zN#6zryw97-uMxLb*Xv5Hq#07$4K3)_w^beV9B1@?u_FoV#$tI*iE}5w&Z-3Ba5Vu2Y=H^b}fd__ux>kG^^h1jKo}%9(MT7p5 zMUaJ5hDm=GwCUST-o>`!Bv?$|H_bd&KPd0}x71~ryrVE1m@t!N7HEe2S6GrfaRP+y z%^{Sxfbi-EI*nYOO4@wQW2)=Ra!d}SNp3QkUhKdHxsFPeJM#b4vN&)YaD(BetKy}L4hNIaH{QB$$qF))Ag_Pkp!~H@EA_z1O@{YEH*V6Zw z9Ai8yKrIqaEo1@8hk?>}kyITwF+Es-xEe=(y)CbVV>qe!nkXR{ytaTibE;S%RgQ^cfIMs;ds67+U2Vba?&*0-_>Jx zqQ9#faetu9=d#k@=lX1a9|I8K-PNFXuA1vZ>AO|U^`z#yn7sFZtjH0ry55BpG`hsu zDlmOImJ@w7BV0`*Jl7q@D~yU1lI*EObk{Cjb11`{mo76zcq}T%x~>}qQmosH-xv^pPg-9RNSZ z`27z5(SjyMu^HCZwGxCBQ&m1u7f^cF^zq4M#i9_-x=c#_f6jWfW~kfLa9EXw+FmI>|7J?V-UO6 z#CsXUo;5F^>T5W7ES_xg)UkN7-%@~MuykgOzw)XTw`3BB#Wx`*uJ;}i+;7}$coyua zo^a7dxG?Fa7$&wG9xm!yJAt*(y|#ok|AZbc0xlacj5jyw?~%HIjA?-j8)6nLb|xP~ zinHNDCOkg8z46i`=n}JI`4RU7a46yT~A+kdtR(Z5%5J~VKFmix+QswE4 z7&^8hcnZCP*%hURJ53<6>Xb!UP z+>&OP)(S?P4RhLR#P`hWOvcyiog`B&WAD|Jc}Z#}`An@T_N^J^d@Rnq#&PB~ev%)e z-!N<}mJ=jS#9=CdRT6-p2HU6&9ARMk?pave$>E2<~hiA_tcWYnOS-HyZK$r`^_-^iDvI7XYFa8mCUxh zzLTAQnu<(k;n%Vvwy};yjF5*pzM2Hz{H*xOb_`ibQ$QJ6u>camm;#EKT*u_ZE=&PL zQlliy?Vn@moED)W+?0?1})3Lt*g6hL-KQvlgyOaW~SWDAoMoihax z1vCXTGWi}RCqB&-KzsuD!l+0$94S2S>+SA0+`nr;9K&dnD>e)rADe}aL$YopbKuv< zHPgne&QL-J<9rkzAJ;ecXWW*v(FeLYx!JR7jwj{uT0MGFjb!_oJnfJxRp=@A5mKJU zTsI0jYP^i0ljkD{IEOLDvrZJXQ2gD8tcBC=RLR<@s_6EKI5l}x??vx12T~z=Z*;(@ z`SrRK<9?W+aS=io;}&G{955lzLS`)X0N%;4;vvTOfE2(S`6SYtPI{A>UNb_nz4ESL z!eiogI5Lwl8V&QW=o5^^I42@}i=lM=GmJgDFof#7phSgs#9@RPPMf?_fzEWnUH;qOjT|z~q zg^Kk6Y{U{wB2+X1rD2Y1wMp+Gj3zX^=)|wT>kbJMB7iBfP1m)`WT$g5O!I6O8$v6< zEMDPT9csikn|;$5$JrqTLrabRX7vM)`G-Il(`VfKr^(dO{BB3{$2hez%~d9rUI2V_ zS}Nh=Ewra0Ja;x$V&FP5UyZm4p45|RH5|7Hd}0&!FNZ3Vy?%;$p0v(+bR*4#0;~Oq z=J2OzZ1y*#+%vGon`rrGy|H-aofcDm4>4CA_GvK4jQj`S#3E+HQRAOjI}%A}bYN!m zzX!%b2XJW9BTh7HLN?KHfKIzx-)=JDrD~2VOYdMThc$IhHPgIfT42d0>r9N0pkd=h z-i1xoBhJMuc8~}Z)5!Gm?)d{t;d90xu$mBxL!sT|Q$yBoPJ@)(Hjv!Aj^uq;lRR`K z$)lGe&tL3a&lGOEn4<41OyRJYDFPNUMbLZ{tCu+JL17S6>$fo_d;JcS@Yw73k$Ux2 zaCOX~4a&lzSkyYwxqcUF#~d~zCv+ck*v9k{gWY3!D`ZcaQBNJK*oQi?H*?*!=?zGUxMZ+i=xik8EMo9Ai{Uo(mxuw|$N#h#ZbA(IG3G&J z%|gPznKy?{-sauonEC1XzsFD0Kk@@Trb@aJm#$}5$y_Pa-AkMh|Bk8=yP}9&PZry< zuvT7)A87^<&W_@C6p>dBqhnW})(2kb=QPGFzBsGj~GUsW= zqPtf`6YoUnyD(OphO$$M(vrls;2&hoXNwEBWC>aINyPQF`cLzQd|k7 zaTI1tHO^+{1S<4o7)C|eANSZD?^QeA$Nnr{9A~ry+TV}7pzDQEk)vHTT@BAW+duCb zd0gXKbto|Mg8q9ZtTP;H{_So!P?-_I*am%)GKHe@h0c0k2J1W_x!Kiw>~X=ikuQw* z(X)53rZw>Dr#0lQBXK}OhVfJEMi|O5H+)8AfVWh3GduFE4ni}WZ1MQO9XoXk5BC*2 zSlJE68uI`r<9Be$%|1pw>Z!&p$g!jA?0NMK#?$2bIVlP5#A zE!d+$fvda;t7xQ2bAxdMgT-S$A0;7ZDQUiIK#n=8<~UP&r=t#RFwHXdAUnAXJs^@z zWMrIVu5`t?3^K0yE)gFYc+a&Wx((A%I;S11y9>c3ISAkw=1}#BrGL?wXQpKk_BlT@ zJv|8+I^tyfGD9IEmPFgR9E?so4W8+wTrmbAN;Qo`K?@m=^)G^&ZO) z8V-_8+5*6iM2)Q3) z`!`}ktY!A&LKue}KsbZfR4;}YYibvg{I&TcUsFNyk7kp6e;M-p#jkB(irSS-u|~%f z)x}J)QOOkV$x*CcQoS05LCmhHUXGVq@=}MFW6ZoH0x-n27pB%!zryrxCX{@G#lQ#< zb4-byQ)d1hgWLFo1t)K4tigKl09lLhe6~<#2g1fmt7Hw zJA>&)V3^EYA~Cj+SeRHV-bbcW6U94>8|-};z$lqN%u5pow2U?GT$Xb_2zYRRPXK8ynIx zK68cr>?K*`FWO$2h8TplT@7a}KImfAQFi1nn!C6`Bd}fsmSq0~%N&l8$*%-bo_Qwx zYK2uv^!Kb$`g_(Q4Qs+(Eu-q#JNZXaYh*^;=3r~KSQS|saZBEMGVXqZA*Ce`TOppw z67yZ&`1@x4g^NVoN+MwSdx)mxWJfaIzurYD(EPg-VtLwhZE?(2+8g9vX)o+dQ;( z+SM9+Fkho(yBu?Y8yw?Yljf>V0G5E3Sd&L|y(5d#4UEolw4-#s(Z!_jj!t#7r*!UU zMB#)+d)y-%qCG)V)frX|^U~~SX_(WBFbMRt&*l|6P2!(;YF_h{hG|U?8z?ZXbFVsM zXTf1_nARf6-U3HS>GI9|vyV9t-bqZ1cFI{dmK2`4k^B=Lth2bts+rhAyk<&ERg+^? zo1;E>9T8jAacA>Ds35hTv^;3w=(<-O=a`$}rp(R!ddAiuAQ+F(!3&UNp-cgJG;AOs zi^+4CdRzJbZ>n0z&puVnJ&O#TX!FJ|(EOg^8j}Ax%KaK~f=Q0oEC?_fcLz+K2QG(qg1yB=US3OHqfB-asM`ZY3*v zAYpMU)JUYQDGuY2>XCLLy@50rX*yCI(jX)+BuAv*fv3fa3*~U6D5PYhY^3%Wiuw_0 zHEu{2Bh5roB3(fG2JL%L?nGIKG!rQwDIF;eX%LbZk{#0bfGYvMER>^=!jOEC9FZP? z_ivCIkv>J*fb{s0zsVG;xX~BR+YeSdtPyiPU99$(WDIS4s=Cs87eQ@EA(z6h$(%UPsMV zjI+LT@Xd!#t>!4DngSU>m?u-J(2Y=Q(tutm8#ldBma7XK!U0>BjueIjYnK*%1=123 zN3R0m>H?KwrYw(BB30^TL;!fCI-RVjSci!?_#!|i)#9rXS*~8ARbUjMjYGaQf%GtL zdO1fY*T|$~Ao!LR%hehgnVW&L49{a|E|RJM44w#&GZbc7GV`KdBrUVPQYvW?!<$ux z3WY+e0L)_qTM*1pC}yIIlIFgkS7>C`5=6;39rT2l1!|!N>t$x@Suhfb410t|A^}e3 z?U|Uct`b?9LdSqnnZRNvT{0vI&G`DWDKGD?!x5x*U|GK&F#eq>5K&jCq|w&11})=a?ze zz*P`^*6B4WEyp@nha5R_sn((?R#=HfHeIh!GI}GC<`dC@ff>L-AedQHn3`c-tI#Rb zDh?wR4g<>}uz^D`r(CMaQ-Z@M?IqZ19Du>AS-(P3^!Sv9qbo0FWJ2`m>8A-^1y9_P zICwt9)z=wMY5nHN4qc;==7%8-!V4a2A8yo`Pi`8~*Z4#q348)ExCwntmcBZ){imN) z%CjQOe3eZ?p~vvB9;^MAD+vFn32BLG*)dzM|2%$3;v(;E+A(v&9+7DhL|KwjEJl_f zOPiINz^rLjsY1o)Wj(bd#d*^iTAo8r5_!n|^T>qsWWoXYzKQwP$-hX&bkaDoW0GJ6 z`C!SPi9f+B#YSf^P3PvrE8;5NTu+#g?msDkSu5Pp+qU7Z0sF*bZAlCqZu)KDk{GzW z$J$aEIQipk44m?@wsZ!r7;R)Bf*D%U88}?rEDLgrd8Bj3aoB7j3VpI#-BD!?6F*J~N+lTzpLh5HNrM3QZAG1AJ z>*t^7*ZV%+Z##Z@U&`}CB!bsE{*ujjaRB8x35oREJ^*28`2zA~p~ISvquz*g7OABh zMcqO93~yCjo=2sYC#lHR@YK$K6LPjbM7~PeEPHEPC1M-IsuYbr>$4bM3_s9O=WWJ* zgEmCnRGUrPy*P?O)cnln-*M;v-MBL|jVIyrg7cJ0#On@eGF`G%s}qwzlA_*YPcTOp z9h((JopyM3ASQ;@_O=@-(FMELSoCkqbgK z3s<|*nygk8NJePXh*c5B9(9nUmP^K}RkAdlMxTrM-UhZrMXpW)fg~Y-L^~7j?jW;h zG!jIpMN+`E0#}MUPp_0o;`8#%;VMN9W&>Zmra+P^)o5ku`eJmaAu>&;Vo1;PW)WURWS?4|j(7kt(!6qtddo`9SXn7WeQcp&tU5(jq}HInkA=^1X=WDr zfG|%&STxffugW7NPzNld!5BnC`ZE!|s!O#PNmRC<>zTFf~G!X)^vnaskJWZkxuM{7GP5$LiDxDu0*EESE@_R zlSu4R%gw6^?qo9RBA_5`bA`G?C>WQ9sR|S-i;8w9YsTn26RGOVuZldPzD|S|3p%od zmo3;*q)G(y6m^E7HC>~(l1e=!v_f;^wOW~m1ezA!Z&_we(xyliD(gxVm+Rze6+hf; z#Q})twYoeBi6|usRlZu1hlSIq%Oy&M7CJkMDv}k!v?wZ+Lg1e(E7nQO5vxXkD8Hyk zt)em#CQKZgo|Gcy3TQLdfq*qjECMk+_5?)7MU=4fT_U66DT!7lm*gvyBy=V&r56Q^ zs(eL(UL%vJq;M;x5}fu*n7IiSg;WWxw06lIVP0>(+sC^{*lDKQjc z^#ZVic`QBodQ~ow6y;C2!Vym=vv!#W^#?5)odjM4h^T(nngnO9+!@RXh(v&rT&5e} z9}or=Du7ecVntAqHV6@95HJMcuM&tm2~u){xIt#|Y;>5YGRrUz%La*pkP(a+aPlHv z^)I`FcPl?sWS2gYe-aRiHOarm8_Vqk!s2lpr=|Y+n$61 z=H*CBhU`a?lk!Z^m55_gL4izTrKgd>uajzY`r;%gU?!y_EoMh)_V1a`+}!`&`2UOq z$S=+x^g57ejWIi7OPu>Sp5`;)dAwgjs`r;&h(YDyy#mS8oAM;* zsD*gnVAHUv zj?&zI3H3Hyz7Fqb$9X;NBePuX+Mrkm8;If zxggqaV)}@n2tSTihr^3hiHIcHuUw|}i;Z#X8YM*xS2SH&&H)0IHrfx@ks@ub9QS|P zpdv-CMy*xn>w*w?iKN=1;1aGM2V1xzA2C~o?QB5B;Y8tlqScW-^Vg5z~dzpwK)aFyv3q3yP5O@`9v1fq>@mLi2@u>EB}zNO}3Z z2pK;pls{b{9M7$gjx zK0PRcpGW71<)X*rHSwX5)Cyy_c;#V4ramjVMVo^wl z#lC_&>?;^lg`}kEljw%I&1`r&~q^9)f%R`F}vl2M+#NjXWSRHgE0#-}qGV~Qc2KP9ALI=T1_9{o4 z@fm2-07EB!J{3%bBM~0LC>OvIUUdwd3bZI~xOjYyL@F8ok%wk2z_?_LDPTsB*^9w1 zkzxUO##I3$naA5W_(Fq2@fb;RsUYT!3mQ28DOm+$+|%>g&Orm>dC)ixw8_9@Fyu&9 z>+eQ#aYG@*J%^b(n&L9EjD^-E{R`s=S5^#U%~L>OFk~?ScV8^fVU`ckG$LoKu92Eq zYa}T3=pp)03}`hdChJeuk7#EwBjr4@1bBA>&Qt~}52JE1>aX;Vz|)LgJP!Y)cG&7h zBF3TTDQ`FLd!94jjo*te z2#pL)2pt_dE;KV#8Cnur8TwM_lF+rG?}dI8dLlG9j2{*omKl~6mKU}p?8C5z zurp!z!+r~U6y_W*3Qq`EhtCcFAe!LNH^`b4J_eEZjagiyJ zsz`0*;>e|uZ$&mm8Y8&595Y;golI+!&Tvn!yCiD2=5&+Fd{G_604UU zQGoS(E224~CBhr4H&hrQOcQ1c?_+iBMX{nZ(G<}l(W|1>qOGD2MMp(vMHfU@Mc;~y zq8~-AqTfYSq+_IOWcNs)$bOOjkwYWt$gs$$$mb(RMUIV3kDL;j6PX{WjMPMyk>5SB zDMK_=DtA72A=fL+CyWzD3sZ$kVX<(r@D(BX4SF&9eQ00WpAMvl(*inzj-nIkQIKFd zBv(P#(^p|dY%a|eaHF_!+(d3NHt&En>8^SDZGF;~Z(&8@%;i@C3GmvdKh>$n@Z z+qgTpySV$f_1weUMs5?gh1<$y^PG7;JYU{$-XvZguZ%aFSHYXlTgZEbxBNfhxS4-j z#?FqSD|;_?>@sx0s09z*SWb3zmA&Vnsoajm;(E|-j$LvVjAF^`*>?CRa_B6_uEQKz zY*uBs9gAHz7Cb&@)8avQv1d_r?6>VID4P4kST-l0)BdvC{69YYlGE?jv3_*8>sO&^ zn>K`N&e*-=O507Vt*i8^qbu!yM9QqQw`1AadCq;c`H$I0$4>r!%p0ZW9or)bP79?h z2hcOmz;&U!INDESJNB@f63_LfdytBA57$g`F4m|x3DRO2*Ng5>nw@&MB0R43#1rTY*tmmXf`22KL`=_cQD^yK!Z`;u<^9z8AH3+|-ad})Gk4rPpl;_-VR^jn!9v=a@a0;DmL+r#f>vUavc%_x&!T=FHCqb>j zp_V!60!grWy1^aYWI|4wb;dNArbK}w0jA~zaYpj!N|v9kfUscpl`Ib|FsrLwC5uIU zuXlEQc5S%*Y53fTdFDI}95_YZoR@`dbJ*z?2 z=y!3~a?0*u$`1#2;UBA*aY`bNJePPnp}Y3EN`qq8u+LZZ+otI=DCLFzA8@bzFAqR!_wLDuf9PfpzWs1?pBFbZycM*4(f9A%-a5GF z9O=WAFLc}YZR)x)x2FAm%YD=EwOeJJFE6by9-qB&?5IRjuWu8bmbqM%&##zPSe7R~ zl`~>)`oSKvkCgv>;@}H*&`#F+dB4;19x_YW*PY#y?In5RS5;PHqwbCK*XH~bd*xno zMesG6=jaSYcW`iGvDkxP+J4qLBJG}*BdR)ATO6!oREHc+86E4}gT*qjooPoD_`_m4 z7E9Q-KRbdBqXl)mI(k8{WpJ)WX)`v&tWmZKl@K2c7)GD_2C!Y}u2u@{ooRQ1)q~8$ zhMhRlfu!DzJ%H}N0Xod>1*>Ef)srA(^d*Q#3nGFTo3ybX`+4&y`z~)TDgWuk$@JEr z)I4c6ZTwA9J5cM=T|IKkc44=+p&z`t zqj$s0&68J9@11r{*?E@xj&s(~neE@s?3|)MJZ^fx3e~Y=;e}NLoL`Rr{@Uft z*uJGnFAeSKnEg&fpjKTcwHp1>`gQMcKUA*K306>v$0i!od0myzh&Gi=Nq1Z znyshIc3jEIgrw4FSEBrk+1cSrpeLyX5YzY@lX0q`wN`V2ffvv+dZ@Jy1Mg?CQJpr3 zvGG!Eu-4+C8AA{6fVEpNtP@tMkOn^i8lux`gL0)o1-#%~nTC!c#Pw%~(tMg*7g85w zJDNCzzZnfz@UL1q&&IipII39hKH96_SIJ*b$bBw0J8YlZZMr`pV<6jy?pg6{@AvpF zi%o<@l|}AaI+RLoSu&jtFIzu&`E?-@0IIz}h$B?0v7D{;vG<0dmK$ zKj!T!I?y_NP%i&wQeKhU?S=yPhYlM;m9uMl9=*Hs`p&!8I7eUbIQ5$D>c?5%><{ms zP!w&ibuCk2$<>$Wr%;bKTmnWtFJLWxI<<#H-wPd>`?~2coaLyx`gHTfVDe z);2}!pQ}H1?K$k{7pHcKesk)#Jx}(Shns{5x6MPA48O6nb;=gj``)XEha~m6;C)qc=E7c6&loq-nZs+6Vm~?a;)w$>e)8P3 zH})%Z+m7^&dU07(!#>|jY&~7+a1(B-(c-4c{1VosT@UQq|MweNX9JTL*t#hfxT!fd zZXzj}+mrT!%n@q1!5eFIxCZ1T>+*uR!{{NT-KB?L8oAt;aT4)CicYGui9E33!!;nn z;0~b&6JYxuBm^)cc`QKT;NO?R_wKliWFnDJ#3Eq`!)Q7bkq9)dvr6m#HS#Poy8QEu z+=27}GjY8;iBsa@ki+MgzndWe(mw?#my`ivUU^yNr=%b9NSaclFJ zZ+sehb8dm6=m-DuHx|vNTkeUR3IaWT{c(|8*t+rabu$OK&A9nUvt>r+;g)ZX<~O!~ zaG>qIQGrXZs&}sc;-uSZZ|~OJM_K3=|+~J1vJJ!5cEv`}6r(dqRc6L`;O>4n#Fo%07CX3xEv@NJ-9BQZs39eHUWs1=#f^dWbW3r`Py756LaKS@xwPx z!70$+T8D4+u?%M%qwRQ_?trpe;BSEiy-71B7W`jbABe)i*sz`)pFTmHRJm?{;VHPhSp9X)G94mOb^gH%G7E zn=BZ4V@UakktdFP8Ms~F=TPqc-~QY?e$!67SL4#MXRcBF_DB%i+S{OXd7i4dF*sy% zb=NyTR1a$1bNtKg^Il&cK0M;qmDke(w!hMIU7v!p-bX$?@#g!BU%2t(rg}rp{R3Gd z?{BkxzclS?o20k-AjI2i@}LCB`)jtbgG9ntJd_9kn2}@XJ$<17@)< zElGMUKG!+Z@j$`7tM1z-4`uZ^w(8C>y_<9(d+~%Xg7?iDpStYrwQrZ{UaNZRm)$ES zpWNQ<(pzut8SQ$=C=3hCzxz(f*N08qZ+A|sRroKOI%$sK{Vx{po51zx`%1`)%_H6@ z4SRQ0$i!1_AC=kPT)3r2qo!!)@du^ldq$tB?$>X0Tky!>DPhgQ&zY|1>*p+&C-e0s z34Z4)sLYq<_BhxwarFJ>wd@<4gG9TxZ>pL7!Df#??+;qj@-VJ%>xL7a$@JB{vmZ_9 z7Jj0A>cl~x)$Gr`{yh7Ind1!iPj72@aHZ*u--C-QpAV~CP;q4Y9J`sVIqoO>(krfb zwHlLGMeVeId06VhRk;=OcmCSvvrk-O1t+gw{B!-wS?toumBuoG6>J5`l z(3OsT;Op%zeqOPuYy3iw83*Js;rSOf-EMtCW&XDuDTz|UaAy}r)A+TM_;;?*rb^GY z@$Wckl5;$E4rf=#aro#?t>Sj4JxPO;YnSI`_}W&ZLz~5ecXjQZ%6yH;NyD$&%rA2z z@GTlXvd7P_Rv`Po1EMSKo<4`#k#ndW&Y`fe4Ii#N{;uQl#7RARRwR76v8vH!ap8|I zUb^1vvk@Qjy!$P;{WPsb?xQRu*KI%W=hg)0PM~o4OzK%0xDckF3EgxH3ygVkAf9Zri@JnIS zWkJrY4<4=c{xzldkk)jUgX@|$9Fe{l-)&>W+uaRc(dk@|$m^TdID`hSQw&)0;h@j6 ziYC%6$=&mh+)Pi`3|f{osPXlcer*Rn`1HcX%6zAs&wo3;T+-*@;1>oN=h)pDw=3`+ z=a9Bx<7>bC!d`yCtIPh<*AsWY$E|*IPs8dl(YNFSF5Le$7JwH3+&l;)4mrTba7H`=y7=A&Df^=QEJvfJ4I{F-uJapt*;LJ z!mpqIfUOR$+*c#(-)icgc0TDy|L(W1+{rrsInOWY@X{skwC*|kpx@QJr5~+7@%`K) zC*KtMGnRFmdkfp#8;@^uh|K?SnUf zNq3$d|JV-l%q^zKx@Tdhlj64XU)$-P761RmPRDGi_=m6g*jROR7$LVmJA@9Rht&2Q{!!kzn`=&)nd8t%r_`vb3hR7(4%cS|}vDf{y4iE*djdu!Ec*A+pRdlXEMn6PKi zB!1xi)e1)~5V{uPz%MRkAB;RN>ueKJ!k7t{k+? zzh-=EsWg69ldoEQqK}8l{z?|Bn7<Uq{%rElpMRsEXWcrnNGkLQ2svtn*Mx6(m^?P01N!mW8V|4Z)Q&huH@lFdDB-Mp1_ zua2A2F7{m4jyMtbwzRKJ&4ufZ6LjaTt~Wj0rsm4+NBh?G#$UFWGLOxS(WL+EIS}9GyL~ z$Asq$bm9w6D;-vJm-AWnXOhCiB$~_E#U>-Sm1>`rf#_($@>-F1-`p zkmi*4+PN_w6=Xm3oAlMO!i9xj@4q$j#`?p>1N94omt1sx6xL-^mUdR6SBQI~u)Cxz zN1^4Oc+rB&F8p1Wcywk%o<~-elPu4^{X#jE!rq3$ZFY9w((@)!iSBIUVrnO ztR?U9xu*s%ez`QX;e68mdqwv3)Y(N{tFN!T^X{30g~|=v62vXk#VOH2F5Zf>GwrsV z{P|{TpFi_59F-T2X7qf?>6cv}J_x!pX{>ZSwWl=gtIM(4liiEec6}C%eR$*Rg_{Pv zv3#K4%YyQ4@%z`fO{g_|Xi#?d`{IwT%TIjV>t@yaA&0M2Eb4Lk^G|Plx&_R5czv8occLvqD%iKK(#{33fm5d@IdUsmZP*-IiJ58syYKw$JfFIB?BeJ! z%-!Cuw*yr-jrQpz%%1DgQE_6ykgUH(baCK%APB=fFE1Rw0fh^~r@(7>^s>3QXnuXe zkR!j0TTh?8GOkYGy=nid)+G<0G6#J9VXB^WtasYB-;`9pVOQ>~xi$5J_Lh)jS#(|g z?bO#3*0!zuVak_R{C?{3{_3q0LZ{Mw%+Elfk?i#SoEud}p7nia(dzxgd4M~;nQ@0xi zM?9yja*GIjBp5#K^PHuTr#=;5+`Rt4Q0cbHF3VCaaIcNBx7f$t?oiq4K z%A(y1!`OY&Zyo$|@k0KP6aD(S?AjALbm|{1b8cmSwSJA$_|x@Qqu)zC{X_e=ZLi;Y s`Q0_H?eqIwc<`qzN|(^A9{K(-`I>86J|0xsdq#e-`@GVTZ>Hz}ALn|V761SM diff --git a/venv/Scripts/_overlapped.pyd b/venv/Scripts/_overlapped.pyd deleted file mode 100644 index 4a6728bee2bd938d06ef5f7319cf65178d888d0e..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 35480 zcmeIb2|$!p`!{?K42z0_3g&`2A{Z**Jqt5z!y=4|0*64aPRHkE?k&#l7^Zm}bXJBxt=lQ?i|9jr=egC(ebMCWW z=i1J7u5%Bi&R)Z~G7Q5>F|NABjOd^|Ekt1}A9 z4P`|Jb*Ugm>4MU-0!>)ozP$tOLy!D@)&b44vL79x7#AiUm_jGguPf!UYjPN7CQ7YHSCi^B3^TYld9gp`46|V< z-WwQZBPJCpcg{5wr+SPdvj+aLWGA>%W14+GA!#EnQEkgs>z$yA`RZ-@nR6tkY6t3PDIK+dS&7F zNF}RH?y*QC`iFh_5YiZSWmzK9_y*yxQlv>QT|1PGbaERveu{m3rG5MiGQQ342w8Vq z%`KbviZei(MZOOO^+|!A#Y{1yEaq#i)r?OuDG5|+!GXhqy`lr59idIBT|wY9d)fT_DeDZbZ8Y;KMAql!)Z>Z*(_~OP^cl&x%J3yxZxeJuG*=N%Vf-Ht6 zWRaF;>y%ELjl53haA(K0AGZu&Qggff{TJy2;&jm`}@E*;ChWZ-8ySuNM1TLQiAQny7RrxuuBW(> zuzpsThU_33lBh>;x}TCT`TqtA^55mJoc}PH{#|$r{`2tGTn*-orT6O;ofd^xed^ii z^{MBlYxjX)pcc3-6`H|&#e3L)EQ+%=9WLe};>M$jt2l`;b&B>nMMs^Y4ce~Qr!}&s z<3964q_&0F?sbZbsNIx=vFa4oO_OPQbyEsW+cqg_+Fq|{DfU;|%;#->jlhWb7_oYu zJcONTn8TW|9{LpN}(QG?Aqb@aZ7^FQF{Es)E*!nkq74un(${9R0hlqqS}?(+@;VA{0y=O;6GSUC3Fs7 zLhh$PznZ0;HuD040+`TPb0r1@pFq9;w{BH7a!iN-D2|Ph;L*OOT!0{Mq^J=eJ37%H zP%=j+3P@5vG5F}jK=O8!L`+?pXI+|CaY$X7&-A)9Uu9j|V5=PU7_8<9_9&BU-NeCm zG*cW>e(*{sT9F=7=6YH>mM!*l1y1XYo^?xsIBJD?*Dk~GHH!mzrp23xIgGLTXW5MY zwvz-(v?5e+7@r-)Fl$%RdOt0|?`e^l!@1eebDaD;xJOKZ@-^T!)9_7efP!?bC!r5C zH;Wv0=SoTuzGtS?+%6o zzKDHfnHX5p!Sh~mn9S1A%X`HhyexZ=;w`)WK~L}64Jg3i#2B~u5rkRJTGIS$KQp;! zPq%&6>M`Bs7lP^1olMm^u!jmP;e-yh&pCu-+CH~*8|e2k|5WqtZl0s`4#SAHCA*|* zp55+6E0XWdI@U^3PG6+MsIxPIQmdrG<7GGC9r}_m*9Z&PCovGR;;+p>E4mFkDI{?t z#Vs&r_RyB2LF)zQ?YN_UDz#Lm6Slew+uUZzH`gT!YOXM*Q8iaeO>Q+;mbUh>Obx90 z&BfHe<~LW97i{?l+iW&ECE*k+DySZja0Itk1lKeLL!CuW_B0Kg4vOW{TBtJb+7xIE zOCKB0;!4{(;UmlPh2?s7-CSrTO5u*0CQpJSB~dA6Pw;FosMwS1d!9l%>k98NIjBg)`hM_t&4YoA$)7W$R@;TK%Z#$y)}3;o=b?qYcasDv zvb8q|Tj92w0Hq|VQ{cd)=_BCXlG$N7Q8zKTrqM?Uoke%jEPv~(w`?}-91a_s<2NYm ztZWXzZ5+4V6~N(l1yE(zmGut>XKP=h-9e@p3Jl@WuWbui3XDw#I0&}u0LLf}4*M~+ z3ul~uv?x5&L2_*DuopPO!wTSNU(8tS)b|0zp2}h#r~3R}yMqI&pyP?Fpw$JoXzIVq z0dM?xZw`2}yY84fV=xsgGbc|6)FVhZjMEmrmSzk|MANEkwb?jD!s-1Ux`M86Fy^7_Bd0E`@viv( zUtS~DW=UjWBwO6OmaDkx5GroLIG_=~0+A^zbSoCU`_4r>i`BgrZTjIa7TqQ7-Tc-? z-@7Wve`)Q-GaX8h*mRyC&iBM@1{vH4WvBYr8G~;pZgB|yG4-(C$RV7pmv~5>_Yo%| z6IF7r^{%+`Z>-lh%W@stIWa87joFsp>fGTkshj9oHxZ5#pSp>@Fd7N#kqu6}55fmq zsq2(vnzEbd^1?cI!Yf&@n_Z{_VHcpQZLAv9b)Naz3jGByClzjT^7h+_CWUnqUBK|1 zfN}mK;zzPi*62JLG5rp}9|dvPO^#YlQ{Lw^Wo7+sgSTNd#1#a~*D+BS#VNnX+;$#3 zo(@AM%Mwo32x~1oga}~j$?4j5fTOg1UUP&f$6-{)gYPQi@Z`eQp+~f5Jh{W0W$AHo zW1XUf9uTc{fJf2B9VP1(XR+e*M-`_D1soX0EMzyHZpW^orCxCw&04Uv5)7ZW`Pnfn z=)&-0m&p#%HM77zv(0?gfosLLtp)XpBN(R{fljN`a!AH}K(P0U1Z?L$klbTtAi8Vj z%9TAvwkVphHjCm2*(S}WYj1e3`W5QjqBsebC)Z22DKmP;Vz3ppK(bHT{910~^loj| z&FG^!Z8oA?n>~Ap+Z8FU!#tc0%0NG{am61~H8;oF-(J~8d-6i*53AFz>F$(v&aX}w zf|C1QHW6n`60-%1#YEkUg%U6m%NFXJ3iQQ0mf3CBb}w`&x6pyz3w`r@yDiHt=N<+g zU5|gaFV+e&bFx&gxQKUXbABc{{C3?P5Oba09sJ8{B#K+nkyV%IV^Oq|^^*J4xYfj_ z7m$<`bh9j3Z#E^PS5Gp+vh`l^5e6pwhJ7Q4bnPJf4zAPQLU}q4CB%{--W*)~7P}Jp zBd^f-Z8pCotRl+-ML}+epx-AWLGPMBZ05W>eDpHnqaSh?AN?E^g?}SD_qY<8XRo;9 zIBKs*zs=*$HOG}(&(%|Tg)v^!=vk-moNEh8!bIK3;p7?h%PQ$f+}yXO5)KOwdL$u6 zH`l4bsT09xx;8f(BH_0I<(6i0FLBI!MG`}@*kkWTK}!h21Kt)MyGZ(3g?1ngr&Z(vc^S0sDm-o<(AHIQ z{5iM9_uKIrP}X)p9~E)3)fYmQ7VcIj#v&lOUCl&}3fYqy7O zK|~AKf{0aM3nHf{TM)TGwgr)m&K5*0KU>f?8tq;Up~i5%O4$cft)M7&G3AmXgH1!-wqLgR88n`m4~<0UjE z`oR`N7|Rw!*vJ+{MD4gOh>+A4w2H=rl(wKHG$t-B07_%x<-%k%j-j!Z#)MG-3XO?4 z+k$4&n6Q;Ci13{)D22vESUF*^1qtYT35_FY>_cN;8V{ziKaI-~NB1S)4O}<7TyMI5 z#R6V}K;Vp9V`WU@8Y|BvAW?r3xrrO&TUqONXs=c`>k1^^?=-fKpl(!8>tHa~EO^+K z`Y_&4HljvpCCoi*?qM&c*hlM`!}wTp`x5PB{Q_NQt$?=r6n(5Gv01KCeD@Y_)!fT9 znog!hegyjj<6XNKwMX4Z2IDYRH}qQ3XiBy2$CoVDM_^A_UqPhZhec?2BeIryW87KT z&Bjp$J_NwR{CWO%o3&m!YqhQ53bE35zTN$kNSjIFW%Q~hl zmo}IzJ|BgfNSE5i2i21|lQ-*WEMS%5V)wFL%xTs~0K4@a91*OxK2SkH1OvDW=K%Es zphUrYT8ER_fJT!qfuX;3A-Z9wwOR>w2^0}_C^n& z5lZWei9I7^FbY&^3B>gb~IZ)u>KC(H9;0|3Lqen^%Fb~L|@{%AWl99C*Vfhi-^tKD~-5gz)Q_i zFP_=WS_Nt9o@x>2*|4`ICqqx7GsrM}yl8vznMRwR7haXPYezDdOuy_ZaZnZCXZ-=x z1XA3JU1oheW^?(2z*65568mXMJiLI!;khK1=O8Xz?YD|1eV5Q=_)MC(WzZx@Nt4hN zBpV-dt43l`Fq=&@BXK_ z($9_te+~`bfqw}aEUBLVU!&n7(D3gq9zfQuBJ1bY=GMKoWmg5j57# z3wsllZsyl$yl^$<)o-B(c8AGz@PaD5;x`jw+X?GfE72pZXw(@`Z&y2`6<$Vimxa@q zCDX^^^+=sp?J9I@JiYO#Ipt=F!%*(D;_-=ugZZ zd#0hXwI51*_w7H4VGgzU^l7f6EPC@(RUPHcd4w0KL=UKu6IH;Ndr_%fgL$D6h(K%C zKu6<76D3Xb-P%O8@a_#LZ`$2JVk>;~Hp^swjVHfuGT(}mI+t@nj!Z#a5SC^!jN5NU zoNA_QPs?grMidKXjcbNkd#YLNMz(8OiM%D%i?p;VFq_g^Md!p&sL8TSj&W`FemB9l ze)?e7lX!8T-xln8J^FLg5cG(Qg*%*LsDZk9551 zRV{BsFUI7tlXqnmR!Qy};RkW6xy3U-WL0ypjK*#hz`^r4N{Gqht=&byTh3)o6Ge@! zQz`etuY)b2r5xS+<*GD4V40;n-vqIK#&r3*IDGr9R^hDW_YN z*usg$W_keUG-k<2`}Vt&*E$0JItwE{wk!g}HhQl+WI04OX?p`vqjfeWCpfdFq5($m zt|nOTC2rh9cH_y%*)_C*eC>%eX#nz4Bk4i4-=RWs}H#ZSSmo^wVgqr{`nY<3d z&y90-^4zA~ZRkp>xXnHtyL~6xV^Q2TSL|v%1iT;R2Oh_USWow3d_8N`pb@Sn>S|X5 zjdk^_Nc`jq5;?6~a z5XL)#OQC(}6o}z(C~!V;_kLG#wbiw__e{d9;zr1&&5uDX5GmKK`t~Xgy+Y0J%S_1)8+#!AXb&h$VA7Qi-^HEd&Vy@sx3$#wn@iU5oJk3EBm7^X$TFr5fP3mGO1VFJQDgi3@*5%_46 zr(zgA!Xku65Y{8?LihmTTZA?QelEiVAczo>5Hb*Q5%dU45Y{4WLD-FO1mQHoHH0mg zqYdFpgaZiV(H1a_0bw!%dB7mm0?g41=~$%k2vZQian-nMt1d$z?bcu&D-p^O@(`vV zgdq$-Xv0{aBOF0^2Vpw`d7ihY@8v@aBAiF~9ibn}%aJM(Cg(9s1VS)EKZNZl(<6;X zIu^knp&!C6l>LD48Nx1v7ZGM7EJ0X}`T&giyBat{IEkVZJ| zl2RM#(ESV&^vn}F(QsQk7dl{fKgQMt1udkxTh&et@Oql(!t~+0G6EMD#^&LD``o-& zZgK5NXA&H9bERD|uX|j&h+8cT^Ctq2tj#$%kK>Ly2VR`k!XxVtP-yXTkEaD_b>NmX zA#Mobo|vkbk)}uylV8{|iE4emrX;ycQOPj#@sKhSk+*3&9S$@MqgbfXn-WYWgD%f( z(ijD$W+VMMWm=hDL+a=27)DcBuE{rP3Irx|d5K0)RwyXZ=!;BRfk;qh5J(s^+L`t9 z^<@=$fyQ7!Sw4P&DF`Cv8Zti8C73g4hQMgjm6QmyYW#vzqc70uiv(rm8iU%TE7J?q zI4Wt>CHN^G&4&m~S`GQ3XTHV=xYSjGe1qDkC1U}m?r!AwpH&(Yx|=kml%ryefh|wV}vdN>)67+Q_J`E@Uk3VKVVvq%onFxrD%jAFzT( z3^N0;Oa!nf>UvMso1k(SCObW0h9-ZZBc;XJ2AxS`?|}MrV3SG6&)1X#Lej^1?j)Tt z-vK?T%P^?*#!{WhF`vC{nz~d|pwtnq2D%YCB2`d&78=S*1tn^*Mi>52H*KNDP@*m` z2Zkw`L05eNmSD#UlfYqzFicr@Q=`dX&NrD28t6~T0!+4615z6(y}QO2kYD-Q8(=O~ z_XuI#^8$t}#f+2$rBaau659tBR2T?U1bikDL^f%X%M!~~x|ea>56rGM44f*O;8>0lLkYF>Qt_d74V8 zNJ~min}nh4Woe3xw1iZJDoK%|$WSD8l}}SDW+Y@JPfJrJOqe!<)No^@D^gV%$*GEI znHgPemB~tlYC>lEEG9W^Vsct?hJuWroR*c4lANTPoRF53qEI1|Nz2nRQ&LEM`ZQIh zGASWLp-M)+s2# z0d9L7zp*AdG7-Tv3n7kcUQ5&M-2a9bUu!{Jv9az-eh#ognO zqd<>w{zljLX!|c@aQtCrq$j2OR_3IAA)PyA<&L#We)(~wADJdGDo0gOW|*HN$uZ_A z6Z6cvl7gHHon9=;abl^k@`5~WBK&NEA%Q#uSCbMmQV8_qx7_r1-GQZgTB+oI10JR$ zKh6%MXD_Ui?tNh_n_pN2$CV?WI3pu)W?};Ahs!Ch4Od3@B-~^D{ba8XGnn!NlN0DXIN&;!&8G8oI+tZ|?QpoIHWclf!L`GMA+w5%M<))X zdfo9`{xA&(j1_H2g&ps7-_M=P(aK&%{+a+|LK*Q#*vllOjM%!pVYu1Lq@;`~hg}Tj zcl^d4_hZaz7(HQmMxq+&-wtR)LVsHy$O=hO+ZxCUjAnZog@Kgc{*W^^DLZLT9r=qw zP97Zj)3?=YMLp}C`#&sZd|pBz<2w4Eb?P4x4Vwso)H^?DLSZ=!`~fXpVK?&o5E>C0 zLSbVg?YaAuR~0bIs${*+q;irN(#n4xiMb~WxZS4Y@a`ycQR59|)lTiA3h-wMz;|9w zWvfw!(t+$b4_+wcFb(@mJVZFUzAa1H=nYZ zR9Z?byeRUPT$XQwxsjbNQi(-j1toYd;dk4Q3%cxnoEqI=OQgVVqh=hW-M!mxd=Y)R z?G@NH>6o=dGmYC(cevedwS3@mZ=2~uyPZWW%4}uoyosMeOeFq*RHc zg&oHX^N-usORTbEuGF%dXwYbwz0MF~J)hjuvV7KIdpp_Fj#C*&EqG+BCX|(xs3yX! zPAStDF*cMaD)Uu#3lCOmLLSUiO@W?53TRaU7cklj8@U1HWS=g}%vQ>vPwu1KY4F6IL_6`GK99~cl8 zI{XS4JxP~uQUTS;I9zdz37tr0H5f>-z39BXgmM=cN3Aoe^KcRfx5Gl`v_o#j!Nz10CDDdw}+KW@lpgSo;KWf>VJ*bc-}h8RpK^>&QV?m0--) z6=)K*YJ&p7P~@U! zs-_AyVS$nHAQ-lzD@{|ud_pmvVK6%o&YZKu3%;QsAGEKANMmI_nJ*hBqOuAjK!wy3 zNX&(W8Ut33^@1QwpF1F6n4ifggpYxJQ<=fR%1n8cNn55D%Q(3SVpJ-lsX%2S*wpC@ z%TxtuZYZl#mEhb3{~1%NDTU}WOgN*`RFcE6iaU}TB&z(f($X?Lla)9lGmRW)gc6n; z)y(LO75QXLc;6U|tAiuKP|8GhzpFG%0!~>Pt*TI0f=U%px}lfaKa^z=Qe z{fHh;G#dPqFEyDqwqlj7NnryUZ$_x{6q6f~E2B>*>S|;*w&NfsjHHJcR zHitVUu?#R`@glCJLGFNojf&j_;)zSYCpWY-Qw)@#n#RLP*0kPSNEV z)P|}=C`}_X&z0DL92wJ7z=V^D23`bclQeneq9TpK0p)QzK5;^s%ag&n*^G&lIPa3! z<^IonJQ-hpFHbKYauV`krZFoo1pByqcn)@9+?fH$lh0G$7;-SlVUs)TaiUX*`!JZZ zBE|?pV+CY?>fIYPoXaT;pQzoj-v)EcNZWUB{c}jyx#&xX;Ovm9fV)Nj-Vvw;`6W8c zNBo5lZQ||=BNVagS>ksIR>P-72QEj>u3dWfwznW1snZg5+=#|1eZCfAUuHH6lE+UI z1b4f!#?Z0J_(cwXU@!qiPB%C@2RIzoO7Gq?&_JhIh(B^i3#dcQ;WiBu2$Bm0bPe#B zVdvHm5b(F~;Kqe3b-uAT5!jMDooj{AQAVw%pyvREWOo(7Y9k$b_wdGXzFUXimQJE} zID9cR+4M0Q*0Usw@rfV6`8skJF+S^%_Zi6LBaFD6LcYbGZ(fW~gppq}l&deVVtme% z{17g`(}cTK(%zTLGYi2&_#peFAD0g{V{GKB2XXmoj2DP}{C)QROBf#(d3G?DkANR0 z2Kg3yUWxXTkynOr^^K?}G;w|$wzZwFLIlJ@xShL7IhWww7>t@_7?AVz2GgD#A9Egh zXJ+ieINC!$+}%eROf10=0rt9lBONVRV=#mWs0%toFke#@;_yt5>D?QnfV1u32@0`8 zgSj2fPyrbU96(%_lw-~1go)|Mf>OA-K~soAfsxR)4ZpTfhI07nz&pXwV9=)AUM9dh zDZAHW_fvPFG0$8WA}B0T7jcVl5>>hqm5KPNVLKQ!1$RR$v_BL#9^xD)>bh%SLZ5q# z{Fh|P*XS0)3h46bb`4ml1}>_c2uGR#tDNK2?)N5$gFvVac{)IDs1lHyj1msRy}1zt zMs1n7q(G1`QI!loEV(|hze=IWdY-s~2~F)S1Ldtx_KY+o#|ZJV0+nFJ3k#;PCp_X=o(TVz~ytHuO=fOKZ?sw zu4H^NkUwe9Z$my8`JI7Wy(ijhNj`|ncc9*ce8U4=o`wFZCiyX3z6JVp4f5qT`q@5#c`+RJom$j=wYFd~Lj$OQKlOV>BqmcCE zOcm#Q!(dMJ0ryb6A+Sgaaqx1aDy^7g=}sVF)ec^ED@O6d#kK{mUU=9r6) zFCe~dx=RupjkC;f>BxZ)b`MWX7ZJJ5lJ1J=n@>+0`J6H*Rj}T$L7QOoICKV%FH~z2 z_3Su`p_Ws%f(qR1AxAe(jys+2SG#7t>%Mj`6V$#YY{VQz?Y!aGF7W4#&H6lGlbTo1 z^T72zEMr>dWE&F*yY~#DKXHTItwuuxbR4Iht-J9Z8_c~ucy@#2ZU#uV(N4MpaSkS< zMs`m-ghQvp-UgsOu+e4IbX~XKE<6A4px4>c7fjL9{e47;AXTk5t4k=FLj?BIAGtY( z5D#M`~Uu_ zD^7j5FTynl0XiNju_0z6MdI}Em^kFh?@~^1gnO}Sr^a|Ce*+tLHg_q<&vUx|=6H7> z9z)8Ty9?}ZT=`k#tWPsch*N#UdfZ{Ub{CL)FNIro-tiU_S6Nyjz!wijXcBpVFpLcl zX!OvdaIMG#GBYNIMg))#QuGDt5}Zlp0aY4fKwNC!-Z5&UQB#^%QYF9udZRo5syWJ- zuho>QjiIHwd_$SBtk4t+($rH<~L&ptFq@&V$duwV-|cLV$dyw#xK$syDFWl71TS0Wv77SOYof#VtIhtn5DD{JX9TCs0n4+ zhysm9BQ6jZvP+#;cEfkZ7)OEuz%zaBwYD3wX`Wzx_HRwE3Rh{Tbh zk>PoHp%LN&woqEY7N})^GeU%hEtIK+qR_m;JTX?Gi3r7-!b2qyg$3cPS{Sa5bXrBs z_}j4?Grk8QI8r(_`g=lBDd^@~crl6V8QviiM6H`cV<2WlO0`LwP@y(x9K&i&rt+xq zn_j`FA7wGL&9Pl zC8h+s2Iyu#hfYXF2NPj$;;NPhU@EaFK%mE-BM(S*=!P&mxM7LZ-5r`(riX*P#27#{ z!rh-PJtYle$-e-{H+N-*1Vg?ShAjPBOCB&5HRe3X2d)b;Ak9#1(r~bhR3el}^79LY z1%(0lNK9X3#-~xVxkI>P#@~H?-Q^S$z*P6@p-gwWN)Tr;>5K}of|-H0Wa2MGJ{j>u zypv}?|EF6-|9jx;%wJvCcco|$-5Y4e9{E6z^Dv%?F)%tt&lF)a9aF++FtVO0 zWXOki9LR??0<@wlDgb-|H@wniqO!dKp-UC;3e9AsRwSGha&&qA32 zBXo~1X2KX50$GC;_b@!VRugTf2P`E{tLQmL5|e^|;MX-;3wa9C#+Y(6jyR9O29lN$A4^XA>TE zK-Vn^3~ru?6lI{6@VgOf=*hc~R??uyI(bw_?Btx|E0ie+@f~4Z;o+ z!6vX%*<$t<>n$81oFtqtd`!4q_z&UR!uN!SgdYf7gqMWZg&v}QB0tdxQMM>oWE4Ft zS|fT+^pV;a`M* z8~$rJBkd&}EDe)JNRy;#(%I4iX}PpQ`j~Ws^i}B|>0#-o(#z7HrGH92WCLZxWn*Nl zEL)Zl`Ws77l%l6COmz|J(C$q}hWRi%Sh{A|EP-l0<=MmpU z^p6}DDT!1>Rz%iD{v&dC;J&6qtgM`JF; zT#mUB!^pisl`-=1a+Q3Y{3ZEo^7Ha<HL+`AH^jaeyFGSS?7`S$v7g3%6?-Z6m)JjIJ>z`hLgU17k#TWxinyt9)8n$^ z=Emj6>Eg=b%yEn3mc>0BS0DF8+|zL{#BGgxHSUeLcjNZQHN_o^`y}q4ap&T`iMt&4 zW85!D>md{ipAX*}{#y91@O|M&!aoT=9sVVF;~IFw zT^cGCOCzOmQiXJ?bcS@6G*?~U`%-oZQhr@_3vxa-A~s@rgnQ)n$PXj`h!jT6j?zUfiCPu4A?lT=gHfMH zwMJc!>WJzM9x+5e6#Y{44sgad(O05*F@Z5I@&I{=TrGb{eo+3tyl?EF*kQ3@u@gY; z*|7^^AB{a1+Y;***B3Gu42esFw6%gd#DN0e2{WEeWT&u;*cx^<`wY98eTQviKVXlu zpRs4zuh@(14{RHI0}|*W^c40J`U-~%1;Ww75TQsIA&eC!K`xcTEMbl?PpB2@$ydEf zhKMrrny^5u74suKp_>FT@i93uxiL#(s$*c7P~S~KEIuwiEj}-9 z5nIKL;U__%i{TBx{A<#k!2LdHqx6XMxb&p-wDi2RMS4+sRoW(Pmv%}S8DHil^O5<2 zG6GqkECjk(B8!p5%aTARr7T011I=6@E0L|1ZIGRnwaYqWoihK3czKFEm;A}2|9Sq~ zF+l&{a`?3xyL{+s_g-UHPF{JlFVDlJVfoOdD5`Sd@r2%NU-w?QD<|_bu6!5#FY?$N z_uk{&d3@e-nG28KkjAF4_c@h#v%Oq-OauQ#muiL;-qx2d$h;c#&E}H_)-uO#DNoM~ zZF&2AYUz|KZ_ZR3`=2;C{;{zQ%Y7Tz<*wHdvKw4ocrGqJ4?fZQ$C3}yX8kbrnTpfy zozY}WJES}}z_ZLE?8EkQcg^Ix4|JKGAoODgl8om-uWaHM!xc)Rx?CglWe1RAkAZ!X z%!WKQzWKs0#pvo#+IygThE`o+(g=sM!$`9}1AVyyL88V$?j$+alW+t(oK(9G9AvL1 z_n>eXmX^blSeP3VrDnw#dB!*cNIh&p51Z-xyW4hi0ebcMp zFvN)-x1t6(wdfD+Fi03T-2+|KWI_Sl+T4uk8pA>zympvc5Gt4?Vwdv*oDl?qxi05< zgTTDrF3Wj5=8f0hO3s-2l>dOGE+F3zF#&jYa7wm^wrvcS3kV@hiS3d@B6m+Px|^E^kH;U4Z8gA=$4PsT-9=TFZ!8ZpQPv^ODavER z2l99}z9;LB1b=0YjROgXkKjjOPnI-@8rYR#_Rjf+5~sf7IgWB>sKkUYw4wYwJc#eb z_I5zv>dE#aqk5B>_>dEKHkjo5^GC8Hwt$C)Lm-uuQGLjOlwU$ctRy0o%A}M0xGr19 zxb}MXv8taQn#FGaN&EKi-}M^4ciM9IxiZyDGhP@}|AYV9UP=02OIv3yVXeRE>PH#- z3@DrQ%8tnX9b?~kcIVKhM_XsDXI?+ymHOsM;Y*%5V;6OPyJ&cJ$~Mj5D^>A%LF@HL zkIIT`MtVM)@WX{Kvg3wVBtJZMko&xsB8meBY@R-(=D~N^<^0W%c#B=)`+d?L(R}M* zxSoHuc*C%vN@s>9693;VL!1n=!iXL+EQ)l07==Uxx-p7OrlwlXF?)7$R^KW^NgudHAH#Q}9y zpE<`;RxbR$C2?xNlh+Q9OFZ<#S?#Vz%F?no?O3(N<;>Xo zKc4!{h5UcsS0|dYbKcXlw>=lE?04U__2<;lis{2Y8IaXy?WE3EcibqHPkOD~aCz-z z)yF=2j?@&a8?ryB`Wx$K0b5VL=dx&1#S?QhP1o)-?MqlW_Pl4x>b0vM4}HEOX@vIk zZKjHI{pN@)Sr+mBFY=p{pNo3`{U5}AKKps|uy)IVFW$ zt!A|6AAR<}GVN*4Z+wCc+dt;ycsVZ{m`Z282=i01bAcmk5Xl7*(fA9I@u+5v4sn8j z7qJ?4tRoKrzuzvSCSxd-@d{&@(XOGXpv$`2x~v@6-Bztrhuzk6yvb+`%~yvOiNf+V z1~!HOH-aC|idkX9_=ZsD-b5k%MQ^Bre^tswPRecK2fEGurug3f&y+7`V-$ZdJE;2Z+OOv>i%o>bR7UT5d@PgF_E;V(tK7We0gtl5Z+;bYzTxyb*X=9Q zf?jwg-qruYiSMdD8mV>v@*UBx(u3_Gqw~cVlM71wUTP}pchhZ4c*&BwK_6Us^XoUS zTo8P)!29DTP3Paq`D(vxL}KNo%C|ob<_k7&|9R?>Rbw9SSN&=K&I>sU_0#6{Q%p?I z_uctJ#4~S1ec5Y)Pp5y?uIk0F>DvF?_>R}0aX&var!% z)~#%INL_N=o=+Y+b}%+To1gy7ex2#H_lL(kw6>*bpZ{6DnO*L75o+qVT}@R6ByLLo zI=J_U-@nN@8Jx1xSxxnUnp*0lCX!QxgIHhS9HvHJXk&v3*8qYPQ$d(;96N@T_Zb+F zPA>N}f+Ss$&VXl2TlasJ z;`wdXueuaLV8PB^2fzG1vaGEnN)&R@JHIXC^-piS`tAIrPruM#Dv|atuNz8_mAK7 z>5-<>JD+>KR#B&O&G@3`!pX_;U+vxWUFwMVz@Hmi9vv`onCJMl*M?}+dwqYcUHVE` z-rDiH$C#jsMQ0p}tq_>XyJMH9VjD!n)}en~UAwGrIgfW&1BC29P&r^U_JM|=hEXd= zIvF5F!be793B6l078>)_)aEF3j1S#7o1Mu9I`YtsgYDg^Vs!4$vR$oQRtDNz5tZoN zXgsu_$vB?QV{%ecg^Qm5c%yM;v94jq@2mF?e$4agKlwe>R9c^(hHia^nXs@pyf5T+(UUG_G>qoF|{1vUzWcWYRZdswPf4_Wr5h9p+(&^Y{Pu=iccr zzv=QseEPga&*^@_1j7_~zQnjh5W&2XmtQzMbcP%C@UxrrG7a(g8JM+Yzsvr}AxY z^euj``P(TV@_(m%9&xu6MQTdELvs6IOZ8Kd6nB z6@LEmrS{uc=0BxKiIpm4ML1Qk_}YQ!cVVPcmR;hc-*M6;=XmTKo?hPW`Uc0j)GW+Ed*K0%bugkK(U#j1n z_NQl7>8`h4T{P>X@8aJa^3(EfqOSc`H>`DEV^YcRDW~>sShW4&-0jV?w=EfWcHFJ3 z87&D7k?F0i55N1u1)kxMTXVGAqG8j2Oqx5$HJ=^(=-_jk7d|)i(W_tT_fPq=M*QWd zPa7-8J)_T|O)XpA zS3i`{e`~~x11$e!GlbsJU%&jETX^s$-N?t@8vRjDX(rp2GNADNiy0Y)(Q9)?AAf2? zK*zy1-uwK_@l+JbPL8&!cBD>#Iw?EAl^ZZQ_)OVU=HQ-Odl%P~o@S^_OaK&KGM2 z&;23tP#+KdmVrlBU5slfoLt5`jnB7?NI#wY z{)hpW&Rxzq{gEgj`N-psz0|(@@+x5^zWG$FrgAxP~ze53CHj=VpvU1Np?4^ebUUk$waC z{_N1M{r8S7ja8CH0)8?(iS=}MFIwgWKOGzG-iJEumc1?Gx$yrNw?`ZUj#YcFS8gx+ z;mwG%{w)zV+EU9FR|Y*C<$8KYdjAUF$Gv9X8ZhQ$%aI&ibwA(4)Z!fSo#7Xyp(B4+F!J?oQqx9@pyyK3~UwNE6M=hnq~ z3}Qku%;e%La|bW`Fnq)4wSjfh+bh%wyITCq6vu{n>s`;~ z@XE#OQ=eV7;mbw=v-8>uPwrA&s!xo`jvZV%p}N$(t$wP=V$NvSrg_YJblu$63n4#$ zJ@Dzmg`J!GY`@4PKPGQbhp)&?<}ceLUt8|GsCdxOcg~;YJzw#>`H`AmQ;wg>_4#AM zFT>V9m>^v4ro#3x#|7rrvbz6}`gifU+qUH7r)^lafgRH2DedJd^y;z`;kRY|opODI z{cwWr_UihvAx=3j;r*Z4=({qoFs=M5ANO8#;eCa$BewY_$qYxz&>Gk)9a(_C4Xy6mH* z7t@xWD!lYd%Hl`%Em(4R#Of(q_Ka9?FsiS9;L;WQ)HjE2TCEuK#hYz^^x4~g^s%wO zpBZ*)P3$+YFnj`>uHLT%YGxjL^Dt+o-#Qw(ssH}-mXDgXy*?V{eeJVn19z@=8|xZUxS+WsYrv9SE8eah zvE$EAzx{dL;-M4D=Uf@CIDBa76GIv;qQ_HJ!mq9#bw8!ubM5M$XZw#B(>Jf+3Uqyk`EMBM)B<+LVg#wY%k<*$!;>DkY}>C_dj zoAC1s!mP>BpA?U6i8**ybHMlE(VzdETsiFGdja=9y|3Z2r@|6=Mbns=^VvzO+i$zm zn7}CgvMQJDewDw^oi}vvqUK+htv)>LkGDsJyy`Lknfso5Li(*ab58L2x3?^)*y;W8 zFQ$E~u71Z4dv=&+($~DlH!XMR1KYr(o0Hsy%XuBx9NLMP8UDL{el9+DI30VryN&DT z>N3=gX_(6n?gq?N*rzMw!Gj<}KyQ`Kjgrhm5DPL=T zGHtYU)!K%=ehG8adGQT*hy#x?SI@iVrYrj6;iobdq^FG>J0^d?E6ctNdTaHB2MzBX z?LTz-@bspLxE(R$e*fZ+?baX1KmL90b4)+Wb{|>Z&HSf!Wi0a9urWREy@03`pRYvC zUl(8aN8bgdue>|4^!U?r4*!r8s9Za4T*H!=PV5*Icks_YW_Uc-F>Sl$>%FQUrVNO= zV*Pr=m#@grjLFFShkEski{uk$oXMT>>VO&`nu10ysKUH||9 diff --git a/venv/Scripts/_queue.pyd b/venv/Scripts/_queue.pyd deleted file mode 100644 index 8af44b4a25fff7a59ab6ab4b3b13b277c6540324..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 24216 zcmeHv30xD$_xL6Rh};S&Dr!WccmSJ&5RPyNK~Yc;1P>5HvXCGom~1#afrynxtW|4m zwF;tEZMAB()mjzB11(yswrbTDtw$8wqD5;fHUBre35WID_IH0i|KBfmW_D)Yym|BH zT{F8haoTds2E#BGB(oXA_Ctw&QB?ldnHvMcTn2sSg6-{bcJO{i!r8&8N|laNsMX|Z zWd$6$Os&?CoNR)l)vGxwH79mr3a3D$AOf779egdQBa77==Jv*#tVye0*;ER3Wg+7% zUD}+TL)C51&ZbHhRmRR{oGpPmo2239_GUCiK|OXhn}Uy>jaf=_6B-{on@QCtspLvD z*S}g>k`%)d7`E7MXTfwUOf$wD?8tC&!TLeV2)gx2e<umF&9V!A$9ph z!PEgX80O>%9ngTWA&r96SyduE)_W@u&@8r!SjIj*&eVVuxvjBBfkW}S*_ zMVO3n?8l5WKRRbtama-vyzQbUgq=A zZdl-jkq&8Q&s`R{I98gmtOl@B-7_*9n&=ax!`^w@hVe9qUBZt5|QE$9NdWc#LcfJGp?Dhb84<=3^}2zz zi=bB-^)mOfW=uEU$!y4DBm;sr8bMX6uZOXkC9>~eZ7pW9pGukD`wB7 z&}BI8VR+8e1N)ait+L*AiKp3YZedqmb6vC>5CA&wQ)8UKJz$mB=7lb_H_Y?(!isnn z;uCzmMm8FOBmIw60T+{!fqb0i4KO9umt#2YgqG04GIm?YA_>f5m6Ij^Ku*TIN=`<0 z$O(uEl9FpJgUms!@gU!xm#D>o2wOJIB0YwMlsF@{S@Z!`2aCffu|m6R(RXtYk{ZDU z)5<^0W>6bzyQRCynCvE~H^zH}jbpp6st5g#b~8q?M@D;C04?^b{Kb@5%uO#eCOU!r zaZgq*Lek)QoT3hyt@%bN5_$I|OOL6eM{Zn)@e}+|EWb8`6mnUuPjO?ZBlyw zX#i+{CbB6sOOU=jv}mxjy;|CyR4sjWO8N{*20XSUDf7p`%Jd#!8^M;DJwK-w;tgvX ziwwD0-}aJuv4;r|!;#$vOZ7Jv20;SDJ2nXDNk&vCeP1=LN9VNd|Ebejx1X{<581Ru z`x8HuV_!v-7ZBxX*0&ocKQkt>O`*>z!FqXNmKk7uvhC<<1hx86mk27OQ%9+pu*!NOh$jAzn zNDs`Oo9OwV#m8)mny7Y4_PfEekTXO6$IL~B*33ob$;?Go+ss9aG;@)rn7L>{W-eNW znTu?lnT!00nTzz_%tfBo%thK}<|1or<|45)bIYh4SpYK^5ozY`qVf-^94*((MWmX! z>!=*9(ac>%<;dKcxl17rbB0LI?XjNuxZ&}ABe09w6eoiTBLxN%gXEyBC(3}|Q7yP> zI|Q38wx&f;xPDR(#tP{Q+k`@dsV#1X`EHo&TlLVBWMYC|P0c*!gyp#@IU>x>lmT&V z9%i}RA3kO*$-HME+A)LV;W!AAT`Lbl?W!p&X@pEb$iD^? zo|3k|04r{iK*OSI`WRCo91B27A~14Ln#sKfMJNgOz$uRjt2By?=ggk%h)JbTk{K-QG!q>Ms~&w|EUG^DbAfoyCYdNN&t1uT)? z?p!ugKf&}m&~Ey~7BVx$_XaM-4lALaKq$l-!0-WRHee&^foSMyDuQ8V{cV#8aTie` zv`|q8fK9LkGZ7V60i|)iQza-;hy>BF5KP#87vL}=0x*R=BOMH8CTVNTbZe0sgE+uD zc&vP?x2=-iZt+e@M||ku0(eOM?aHUFi;e+dRG;Y}IGc{<4?3DZfkOq=Y%nwQLcoWo zB%yVzhxU{-^i%-@YtejF(q>RXH>%axXkqx|=1MbZYcSjBr_uAIbk0MLp$P@7HgPS% zf1Uw$VfKh%6(q2d9-6jowkv+<O1ln+>n@}MOs zmn?!jXQ}5ds&L*!6$8qs!gd~2a7(DdpM+xF8@5}aFiNqybyUf!tAVmw%C7qm)hn;V zs!rLOKv)!@C&uv;xpd8{e3>akO0A3`1J8(lY2=B6sa z_8HWVHe*I-7MLGYSNb9?y$M`G-UPUq$2OsH7B+a(Y(Vmh*Z_XvzncxWfert*#RHL5 zOVIl1wb^#At^6T}UQdtzx%D*v?Rr3tu_6a#()BC@;e+M}wZ?NEeCophd18WSOCa5Fl+UgcD|3x>5^r@8VokYU+z!$S`P(S|`J zW+0wnpax!`21e;KfwT>9nLRP6^3Vf^eyEl{1R!4usI@w=T_AlZkhTksB6PH%rKKO4 za5w7UVNgVK*q0=$@|=FCX$6Yg8^gZT+aH(+oh>fV>fqdS42B(Tc5`g3qD1u9ud=Er z*_?r7k<#d11_`oGn7#+4wH`1p7)+$l%KhM_%${!0(m*|%j!;&3e?7D}>~BQ5>1Q0IgWarFKbyy4-;jM_RMi7p&Yv5a4T@Yn8a#fg`FqSnd3~W>uwkD)UA97 zk9IL;G?*&r0rsZrV3J$BOlqhnnbtuL9-Xw|*Eg8ng32yN14Iz#VUk7lQz6i3FxdgA zi|X|h#P0wB&-SJ^cxd?%fK3nJ$#jPv2`e)7gGZRSFSVnTHBaj zJoyah0m4{_N2X-D;sE0&qH!(v5&O`{ zZ{B8haGRqV=K#0EKv<63~Bp*T0CH#a7xUq4Tqw9 zKdMk-l5l_)lO-S-Zu$t2%>$@!$S8ei#000y z#elZnb=6VhQRJj80Q`DW8cdFOW{L*@z~EYjxZXohe*nqaYcxa4BxnyX(yk0FnZ6fn zv*`waqw;Ggr%tsn-l}`Hh)bY;0C2I<@XQR7gywH?q?ye@V}89dwSWDu=Z8qyohk}y zYm4|tX)YRPmwDfoo`~L;yAb3cX##@LjG@dJCGaL4^;nab;XlI`S-u^Mb!=h+6 zmuF)-3Vc7s@@)c#SWWq3xJod|00`YpR4xTJR#h)S`CE%n{$3f%_sv83p%Tb*mcF%# zDyr8|#d{=GR2EXj=6tHyp@d@H8p&!zpTB6ag5c+VhgCDwk8e zTM;FfVKZO^5OYep6++agQ_>HCVysHK*X-#8RxuB&o?`y>TD5d52pqkFe%CV!5uMS@OLN3J-}7Dx4)))H^^E+^ZgAVI~$( z++^TBL(vV%08gHS=?}mJw|9&35k{gFP9p|q)WsB>PD`&EfW}nM zzn-sRLahf; z16NHCtw(#HT6Zfm63RZ?%qz{nwznRZN!^p+H&!c&rD zXM>S0&VLo<<1uvJ+YF6tdLYOiR)<=iHgL#ZhDHwE4EBj`hKp%hW1>K7LTo(%5^a>3 z8w*=!=0;I@IF*xBUP$HnRIa3Q1(laj`AjO$pzk&qOSE3>a&T0IH2O!!kIHeX+Fzdr|IF+n{RD(_@@I!S}c5Op-^s~Nu zN7f_)(kcO@!KkOR53U+8^e*ZW^j&(X4><-u7;J(*lclc)+Wy@?ur|vD^c^2^72WWF zBlyq!fqTRzrNpKfW>46;`pA{hTYukIS6}t>3N%ejXhv4CMmsA*n4!x^ipkci@)a4y zDz$*0VPSirBHKa?x`aas{ScqV#H1!5%F+9M>RrEYftu>X>F)vpROp4hFXfkEjnwP) z034U+N_PS8jXWXOB#l5n}*uphO&{FIEWqZT&U@_KKd9`c}bLS7P}V0m;$44mjUAbLJ?r(em8jn+u3j zVLU1KjgO}3>DD%lrl)ILDh&rgPv_WF8V)X!u`+~@n%K7l9qox{MDWg1JqEg!<7Bx+oehz)BfVx28s@H$gfNsjLr%-GH*g0u`1ju%yy> zwTjH5l>^{_m)76)P#A+_*wQX-0pOFup>184Ha_?=hzF>Bu#R01z7c%>D}Vo+{VC5j zE2%UU99CAeE>R`dYIKBLqgH_YJ-10J%}SKbB9aKTLZ!})0Vk@%!aLyOw3>nx8hB!M z9w8^eb|saL)@bsxP*;LRor?`*0rqHZZq@|Nc%l^SARyikP*SZnYoc7P*J=p`hJD6J zDn;PbxD@2*vcN|^MsVPIvr=S5M53E8YkL=Nob zMu4aIHi0O{u&14)V}PwB0ahdw%~V=QWK9A-LqM|DIwHET5cVJ2XITXx=m;~?RirW& zKJaqwq%ucKSV+WrbhgUmv-K)1-I0Z&BL()zy1SDI9jVb;HyA4{C6yYrAUHsgpO0Z& zEGtV#DzZpKnM$3b$x;BgR#Tdl4^n_(W3d9FKnI}{7KCLHRQQvnl&KZ@gjSd(*Ax_J z)L2@~q{$Of;}fMkAx>izV}MIVl7zMZ3+a5$BCu#IOGhZPa#Z=ynT1H`ivb>Wjw)9V z^s8kcPsLdf0Txj+A}lIdJ`z|<7ojdvX*KEsLJc&DXxtVE5V8_5Y@{qZ9|E}uEK5t| z!XjWEOHYnoEl2W(`J%NDay>~{yXZlKfEF#81sev4-~&EO4NRpI>sR7}GHlwa|(z<yj$#R(h*y+pw%4t?54)#`~+93*RS+>#(WJKVwF-@zeCPg0a2SPl@1 zsH6`z4nP>e(NM=2Sw3eNg=ZL$r{HuR+du*Jh)^I~3*_Xg!GI`6ab$2pLmx925MVs+K#!0`xVjRQua5SW#%%2$!4oMNzO6fxAXi6hUK>2v{I z&w73|{q*r`6i2Vl1~~;>qc~vr)TCCXCOL8OaT6`8p*K1gPG6n;`D@Nh0>1?(P_$kx z0V<-Vb_TI22b^j*M#blJ@(DPi>tGf-sRH9)Vj8rf4dD18W-EvsnLeK!KFWb2hoj2j zs0pOHpcb$yQkCB^FA|O-kOZVY0UVgLb01VXhgY7Qkq}rI&ykTJa&XG-9A$|x=ry8) zs?GtCM4dW0v=K+bi%8N?(!?o-o$a83+9dcgom2v9Bw7Iu6Jflz7%*}CtO5g6=g9JP z#Bj7T-S`N25gPzNRREqy1@?w9HE>s$%KK?|RQl^{9j3Vo`k z&h(b^d&lRRAci=xz+ ziqWm6sU6Px-qwm+XIyV>`p0D~3oDFpGnCx0BX<%S#6BN zKeaK4ZUSAvbdYQn6-s!KAw?R26ot0qh$I9*iW7(AoTKT~0c58kTvQ>A9Sp+Q1bfNp zgSnye@)arOb_wb=y)m~6sPBTkxq|L>Ed5(!Ft^)KU+ziwFNb>+6B=)U=fLV3dCY(-r4`|FaGCcPoByG)9Y!f)eT16eywS@?&6;P%C^z zJBlCRrEpmnV0dI;aP5NCyrLaG&FT1?qs}o547E3QHdvnM_A5|pp4$D-NyKSzr;Oer zSbpekLkf2!FaN?LOA7Ki;LLU47bHHs0NjT|sO1`TDwX(5PL1;y`*3t5_)J+on0ARz zDWUU;jBs`c2lq`BWP?5e0<})!1O7BrCsz^$GM#?`b=uYBkp2(@gvxXU0Yy9?4g{a7 z95`d7b)5}RaX8`NQ*|VY`~D#|fe$qfMuNxFYaza{)S*QSW&~y-6iHfD5k#rEgs!8r zYqyj-2f(ruAehPL&pIwK@h|fh_gdv{y~Zmz>t%z@D~$&g};n1 z6ykh-P)>+I_SYDMGJXzUObGmg1lb|}LZOi7pDhcK`zu5t3ZYCW6A=ROUt{3qh=N7( zV3EHVCwTrsz97UuBq%%EUo24IIU)tFkOlt@1~Gx>1j~4Q|LmM>0jz=$`@@=o{DtBi zMG!9I1<69XtRg({W$uOtcH0PgE4u*wo8=bHiwaG#4o-h0s9L9lhJ%{rCdo);bTJCR zE%Kox$->aUK#P6_bm&(AP!*Vx7#|4REDB8Tj?*Usg{t9!-7s3kC-7ASykgx70^L!7 zNw8{IxV43hwpf5p@w3{5co;yUpdVc>NPJ)_0pEwCmK8vSz6k@{5MUuUAcne3@Q=|z zkgv(t`5=q%>R*SQ5(VJspAQNKkcw)w(OS6@f(1D``bvC8K#x8f^aJjSQbC)+w26X1 zWJE%qP$-w@@Dw>d@VZHztC!`{;8x`h4}A6dI@>8u0H-=v4@PyXjS%uQECtJgT#8MC zr+924HUaAKkjKF@`W<5Z`~um3d&~xVVzauVME(Q)z|2#=fvQ+CHrR0n;3F|Droz-% zE?`q(`4|D1)mRRu0l3@XP#ACtYyBt0vZ*WCG^{_g#{f(L_$L{_mjX31sKG@E{F0zf zVoK;&V;q=61Nca+7$CF&!GW1Hm>&8R&_cqj2oC+C;13fS9dyJ3tPYb?^c8l4>y97M zf$$<~v3H}-W1^#XRNWoaaG=W?&TTm-FB=}MAhoGM@R2U`97FGyP3$F;j6FwF`6Z!-N z1WgJ`56TL9J7`bP(V#0q?LjP&lW4d|ESf0NiROw7qW49IMQ25}!NI}l!MVY&1y=`e z2;LODJ$O&>;ouX&Uj<(dz8!o&_^03}!46_Kac{A=*hlOq4iF2)q2efUoH#)|Njyb7 zL#zzC(5LO`X(Sj% ztO!TH9e6u==Xhpb5Pt^0fM3R6%3sId!EfMy%m11Gl;6&G5qJrT1O~x& z!5+aEf;+H>wn9IlUC_`VJctM~1T_Sm4(ciDCmJN;i{eD%MKeURMax9jM9r{Q&cXeH z{eokHCj{RLZVCP+I8YoT9w(k7Hi(x3*XzWei0j2C#ZBT1;w$3s#J9x{#I53|;&w4J zgdO4%;t|p>gcC9}WK;-0L>v+UyE85%DI_f+j3Y&y&LR=&ig^Qv@v7!V~k|6({I4 z@IGByT=5<@46KH=ky(b}yqCtZIQOOOHP<$cmW^>q-cr`x_F7{Y0xlmVYG_&*(zz9C$ZO&zM4Ji{Rz84yNY#bH?!T3WiTt2Em5eR4`m&gBcFY3I+q){o%*)spH@F z?&WZWTl%I?`UuVS{X>t(=w=-|5|A|QxyP}hWibqH%--5t(l*nla~sGepUZn!Va#6> ze>}4H(^%hGXS1YXU&Wq_>80yaVN~rM`NcZ}Kh*XgnmBvVZr+XO$uefjmhDgCN7?#)ZiUYWXMTN7&Kq|3*Kz$9zTdFkf9LBDw%px5toMA`uWM%a{QOo@ z?f5&Hzu$3rf7FKU1n1(F)uzUIn9D6Qq+-SN=O*{wuYW16)|WSsq#MK2c{hHIeULx-tLf$ZHQ1$^vfSd^x~;7} zgTWe#`{F*tN3hMC32?Vy0aFvTNb3kM8hiE$Aw ztl`(-ivui!<=Xr%V*_c4>MBq%(E$KM$@2g%%L#X|QeeZzT@Y4RG!qN-#18jE^`5N3 z_@GT7!@Rzrm6V{mA%v8?`15h0*q_qLF8X6rUXI!HSo=ol&kLvG+kaN>`~8O=0}f8C zu*(e2+A?WF@9GEMD|*DLpA@uAnTMNxQ&kVqIrh?w*|syJ=d%&J*Y4`qu&ib3YHY_j zr^G$yd0W^SBj&WDb7aqZ_U$_b!W? z_*13$K+h9H9xJA_dh#_B(rb4v*~Gj&V&K{FH*d(l?o-8|zH7!i)3(0nm*mptr`6YF zVbbIQU-n9KTrsBogPl)vBx61-)ZSZhFYBz^f#U|ns=kM~Wj9S1d^Vr|j5(*ac;$4W z;io?2=h2HtTxTaNU9t2{|MkVOgOuNFC5x}QOy?WZjDkZ~<&E+0g`PO^K;U@cQC3Fd&KxeVgl%fZBz%mz) z?1Yu6WC1UM29i3Rzg*^@%MXwfT09&PH;5I43vgadV2yv*(a0eD#b_`E|5VHQU5s1Y zNmZT8IFEr}Cwx0e-Y0T~=yT`0_#i~a5SAC-yX@80ue+B8C&Iu=!uGy70!wIpBO4Dc zsarJ6UgNdrJMQ(GORH?QFP^~N@NSfi_lPajnkA9>)*g{O~1_$cKm?;cW-AD$QxzHmiz!{^>tSbDs| z_BNQQCX1OW@rkKT`QFcA(C;@h&if@S?rNqS!A#BXVkY7fc)f8C;5mdE&R~tTBwPb> z5=cb=ZzMh(wL7}|z&CJkoyUn)<*G>dVxcqg0EZ8z0U`|EaC{g7wsA)x0F9&*487}) z*25PI=nVlCi3C9`B7!gs$Acge0g3CZ;`)C^o@GYIzn_se1RqQj*RPW}^xXqTz@a}T zLjls?1t?eYxgrlmM(J7E8s-Muw~{|^jLJEap3YxM)J#5jY|i%|y|^>kkDq&29(e3$ zqWE!hO}+|qIS+u=UKO3Xt&KuKi>M?$(*M4-AA7780+`ubPyHD zdOWF|zbznpMWE^pj9WbCvemHV0H?D5^dIDJD`}0 zeJxPPBz6S~1S?4D0;ze(E@moc&ib?Kbc^#;H9LP_deG|)_QS7P-OSVk$DjLcikiN; zkLor2j8GYKK6>Y4I=JG{!Id3r@&FEokLon!Oh#|3Auld2?oLLb1}@A?Us76|3W(So z2Nkz&`sD5k+b3flk-E(@`+ZuwX6I*R?>ySS`qJ-1?w^s{RiZv)ANuW& zgURpjVXllynK9=*)o(9^0d4(^`HrKps++?Cw^lmb`>}Fp+y2IjJImj$3mzrDbM5UE z?#|`CYy0P(_dN00>9rp%oqhAC_v?)_A0NpG^}IF1`=WX8vnhJ!X9c|s0`qaFjJM_H z-92;4W1|{|)IarpOEc^Yi7igbyLi@a@La}~H{#!lmb26Cj^sYP?(*T(5sdz)-nlnY z?<^a_S~}@Mz~^(5lU8ipu(5=E%dq~JPghSpv$N-w^=tQ!b2?@U5&7lZ-%|ALaWn7M zp3G{M@9Wd2%r|~?Vd>|Sc&-DM2d>^4_inN1gLeWapLO0>Vsm@RHuolN!JNjY#ijel zeOWnh;J9Z2V*;j$S_1l*uj%XOuTmxm^hGf~UzK6$uPtyt+B$jMqdv>GtW9haRpvB>#RiYxbOp#>eMAYB6E>5UBilXaV>oW?8c`h%^vvDkUl`wr1dTxT6oMg-@4^Zwno zmqg}&%8;TcRfO~5RDr|WPGsMCAziBYye{?~PMYW(51xbVWH%8$7uBeFy>K_wVDHpp zGy&g5YvDs=s|9y(>Sy`VF9qIQQE%qr(AR17q10;T{|X4NVE*|W%0%Z-CY(b-$2NVu zrtt&2Rk2gtdzZyr+-zuaT$=aO!YkkRJskH5-*e#NyIF5adxU&?IW1@Zsgi8w{*1)R zWBr)-CzP&JMI@6)r{&t+UO!*-`he-*uh>-+lK%d=$Cdu_$HD1$=Bw)_{J~Bu*!%GZ zbEbarL)4zWKUdrg{pq)={w<%^$L0?hck$qwIon^GxxI1P)_EhZjC_$csX4kPB&DV0 zwNE$PU}%rpHip^G>7V>#Y-Vp8IX+^U*R{H$_xde+_^tZTxIYYnZ-;zUUot$S>4mi7 z*NxL&o0(2tTVTIoP34V#mAytS^{W@p+obp=Yq0aMsL2I=_YIo#}C8K zPvyCWegFP@wn2Wis=;r3JoJlDy#p|VY7#t<}>e2-0Qc69r$cya`nXvHp*{2dK@Z#JNDBZyvnuv8`h1N+))m` zaxeJnQwWmAxN+kCCEsq|&f=~q_N=h^rA&}66V6My{8 zH@39xKmT;#b;XP|mcP+;$!h#zKH-Q0R`bMJO{a}b&Tt(!ylJp#{xPle>A4SGt%2tIq;YC&RP;p{ILQ{QoaJ9pzHte|#$d z$4cTNMD8F~AnuQktQlT2Y%%v=I%7CAz^5tHxO{vF8rO^EjrZ&DzkhORcoG8Qu;TGC zINQ!Hx7-Qt>F_W+N9w|^d|xnw$@&kvM>qzYE^}R-v|aOHkNAprv-oLiqGoOh_q9-) zOFL6~7JIzuH0?#N;pdx=XQ;|tcsoLm+l9Z!+nn@x$hCdNxOZyL_~TP%Tzxw>>fDa? z@0@d5?SIuhH(NYu|In#le!Bg@g6&yDU#wUeUpTWW!oD|NaBSO+$>X*+=L}i7VqAF9 z-te(`_cOi9&jhU*y27_Axvf|hy|>w0BR$>URc&)EgHb40ow&Aq&A0U&Y}Zd4-r6g@ zTOAXg9^q9ox~xFIwR$|?s84NEPOzV`Y*l8xL%@O_yi7Js1mj`X4g? zOt)9Lr7rihHRWsYz8yEEJ#2VR9dRPu+v46`YK}Y?I6-&b>U!d%y40L_199(~e()_= z_czZS?<(=Y&S_XY9~Q?y;m71{;qChaf4s_FmU?CHCoK^x$4!peqgC(5&ggT^T^%S~ zP_inRSgG&Z4Lwiszd!W+-dUGDr{?uN{l=BRnx%tYyBGaq*uJeR-dO*(E;n*j9Y0(D zS?-(PFS_|hkJek)$Mn%v?Fn1`WJHgQP_yfu`O|mg{pP=W-?@;V$2&}_{>FJpp3UdK zjO9iiPwRR7K#y6Iv8KZ8vhiutlB07^@5teZXFc#c`P*0gn{)e$PTouC7k%LJM2?JD z*TZ4u(}AHC_0J-nS6)v=x&)kTI0Z~uO8V0Pcaod!6;Ol8u8RMCA z{XflVcvzOOB-yXeoNtJG*<*+1eVljeQaJvVeeIZIpSf_8RwVj-(7aNTf*sxag8i*9 z^6C7GyPppHzILbmwrv^f_r!mkwWIuo;pm8RHtVacSARUAIxp&V-RG_Su4O;2R)1X; z{`==leE0gthu0r=e{|r|gh%pd@1uKnVzv?0-(RZ!WRqJ{_#{oKlP0n#@Yd~~rb#8w zy*GYgoEG#E<3>qd?db>mW^Vf}%QbJK-v3(e(28dx+PP1q-~DmtdEe8yS7!QzRfK%E zX`beX?{8mdpW*+`56@pawD+GH~g+J7IctV2{8}+^Tx@l6|^6?!U7lxEtLs_@rMzXi3>+SC@?K*D% zMfF;{bMNg?$^A0k+Q|@Jbbib)7=lM2CCzp z{gU>X?u`idZL-ljayF3I#qUOrciM7z;W+iIr9!iujlHE}~1qwj7^qGo6##puQr`H-rW~&`DMtppi zujIL3>B}E5dfWuEPqfzv*J4KDN7)aaZl8;9=@XF_6;NmN_;TIpudupBL;cE6wB;1_ zN_+oN?*0{*AILt)>@}qN>ZEsr}>=>GxnIOaqE diff --git a/venv/Scripts/_socket.pyd b/venv/Scripts/_socket.pyd deleted file mode 100644 index afa9c02fe74912a28cc96eb994cb3ab497e047e2..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 66712 zcmeFa4}4U|buWGeD_9F*t!>FxY+G6IYNIg+InQmj9VBqWG|MMx{|3L(k6 zcR@dz-M)VMKK*^NaOd9ncjnBQGv}N+Gxw_cbNiI(ilR7hB@&8q40rk!b9nv0 zm7*v&-u0aum7_PjdH1oDsyFX$P=jH2cc^P~sClcqrMa`SOLK1uxI>Xncd*l4R$K4h z+SM9ZFne~IM}n^Z*&l!7wx>S&$hhwOb^AwIh&wJ$Oo;ohCvN5Vm5Cg_|I5T2-1B}e z@>?%VOx%q4ZBI>n^i59xC6~|p`A70T<0Gn{_w(Oyye`#h)yK-{*uDatgZ7!g#Wdgfh3 zi=R;xA5!<>-b2~rNKc~&`TK>U9JrmHQ#*|!)OM{q5| zg}&K;#fmbtAQTR@Ad&luJ}c;(atfF2S4{9ifsQT|q`ngklpAq7PtVq`SWzCeV!wO( zBotV!kL@1I13eF6lw5^BhWwHyM21Q8&?XhX+9qk-%q?-=QFPMdk48K(FjeW zm(Z$giJnlSdMuGu2B>=Vl@HHuxMQgB%@5DUzqkgC{e1n2ll+JW%M6I0hMOg;J}(hB7w1re|57B=V4B!0>cCA zP=Ex>@W4hq;X$DRX~zI3-lgH8A;H~2cYP%Gv=60XgAE8@dG4oRk%V4;rEXPhpcN^y zxtYF1mJ{PLFcf*Pu|APC0^FjnIR}QcSrok@qB;YK4rl8OGx~aVG_f)CO$?@gL*bi` z$6sl*cU%nT$wMbmSv~)h;z|@?@Noy=!XY`@Cr_eb6hKQi`?x5Ta)?qV%!KDS!9kT8 z)d@sasm>@MW_9CP9|w~Te4yRkm{`2$=ajln)Q`?cMAG$gN26Yxoj3(b7Y=PW(Wtsm z^IG-$Kej&ja}@?qe_#J7k(EcypDi33_#k8d5N6(>_li$_vdz(#*zQbZO@N{wp1tD( zP|(d7Ie=xh=&(MU=;BK}X!h2xzrNvdYaU4QofPvMg5TtyiF*CL*wYvOC6NFcrOxO? zBBTFpaDiT(KJdnlJbkrumt){`=&tq@Oh}aSt*T389YJd-Joqh2iN59h^aJJY+xME!z@QAPxkjQr#>NsOG)&5goe`S8)N`ls;^xcoeu5= ze>>1(lRj?idv9iRB;iLVt0xNIjPHZ?qwYp-Jx0LI^d6Z`rG^A!1!NM@1oViG8s+f8dwgc(16hhh zW=ZsZfV6>gk$7*HpcXxNn<*uPfY(ve-(9a@y27`aoroIf&CeJBnI|9Jn5@15|8VD8{crn z9M}8I@%%FsF{qv~@HMJXeMMhAaVcz!>3*aQKIcIwClwEE{Z$5b57p*@mEa?p259Xy zi=fdjVEh(h{JwzkyC37X^Rj4D4&g`1L&(_t9BF!K((qkvT&zYg8Hc6}5XMLMf*(K9 zXCL^f;)<CY&^PZ1+FHYi=kL8MX1vvCypCfL96j47+62}-_uM?wTABxHi_MymlaVCxaqZs{+ z{#r;C^#}-iNue3-g_fD7-3YmurtYWIUqD3*!V%XGuXLb%;uvu^dg|YBjQGKt)SQQTL--teS;+qACdYZlRDxyxlCGSg+mZGQ0m{U!hk^!P@P1U!usVE?I_+(=+N*EWf7z7r;*I)oP&A|eiy#Ki zsrDNO%cuEPsb@e!VQ0c>Vk3q6`OagapY6c*pl`6;j;*$i(q!)^sPpFrV50pMAY)b~ zwmA}6eITPR<3%)($a)RW87~g`n$(lFrZPu6CFRSLD4#op^5?|7Wb&_&XxYebAfP>% z@nX$1*kz)nuz+THXJ;t+9k2nWDhC_Sua3(UOGc1W~U=@`SFbYZy~k{v|A$u>rlqP z*X(CpWqg(VEk9^$NuBc~0F2H++C4V|hwVCP#B#rJEtZ+fPppMTu`cR@f z{m=z8sa_%K79_G>=Jv6Q_M^L~UuAaeEOJ0^9ZM7E;1elQo~D%a4@Exu^jph+s4dkq zK)%}qeWs95&FhD_r?zY>D?ipa>reP$QchFwAoX7+mJGC5NM{}|z~B*&-^skBt{6yy zU>a^1*kSJ&C^pGtmUgumEJx&S^jJMM@W%R>&Sk)Gr0k*)jOGK`;#mXVpE+7&scj(@USa~+sc38BZ#egnFH=?bK8au@d@+3aE_b+Hd%%`Q%Bcg5F3^nbE0_N>&smy4)(+w)!` z=?#C%jiMja3C5b#mK|&LIU1LZlUO9ljMGbqDYSXS5ZQtu)=XxI6T{O?df?e?g(keP z|1jm#6H7?8bz|Xs0OTxuBUVmp(+wFm3+hZ3ec8@&+RD~3NE!OWjfEXlk#94T* zNiS!NmJ&w!*T9HIWiQt%JQ*)92T`GPjuDchsjR$xu`*BQV4255u9P}BCh(jCTZWPg zPb1>i-@SmmM`5QnR1Cdp8nd`6j@ruaBOmghhQMgz3DU$$>*U5wYNdH{kFB7DdJ75xpw zcp_^la6p&3^uPV^y~aDpJVnbx6TvIS99#1HICt_Rn0a-&8?pYNc?Z!hBzzButw*JJS3K655 zQGx9VCu#NNSwz)Hc6&l}gnBU})<|9;7EA5Z>o6+&Q3m8480zWKYaIHFfj4$}c3@Q* zzVpxuWT{&6WPmws)E-QaqmT;3njn)`& zhAceJ8g+q3WQKnObtDlP0faKKgeQpvB7WKdpo;Il3={` z83BWb5OQ}vK>Ihyk$fDD{G}`~34cPdN&kWq9t&-G<8Y~y7GweuZj{tWBRqXJuSf4K ziL4bg21`3MCou6pzCLk5u#O=!r2qtd^lGPG;v6nvxG}GDeIl21kBy(mZvl22bVA5-MYWJTV5bBFEvahDmwJ z52k_#S^KIOf_4Qw75^7F18khl&f~uWXoKe9GlS;aP#>PA(IEuUC*faQ3jgAh@Gll% zkaot|vnZMpWXS0M6?qxoF&xDL3vwRw?6(|ISEDTxvhah#1RT5MaRH5qz@uP5bS5rZ z7;N>xdL9G4y`XnG==~P_xWmFVFUdU}9=uxF9)KH!T??QBpx^A#Fr{dK9w z1a;9pCN5D~e=Dy4qe#wk|GI5)tuVH^*OMa3OuD?anGu;>e{x7BU)E9fC+ zxu0zO{*CnLk&RrF9{m;9qsMcfh#t4dMm~-nqYv5WaeQHbLljyNZXxBdQy-zJp zw$8|J8s>Rzq`YQ~Q!`njwH841f)W1;E;v z^uO0h#xogsSdcGaUOo#@vGVi}PaTin#eN|JXJJpFN_31?e~cRz#_)yETGr2aESgyciNstk`ddC?}(H*zRK#hRSm9741ftzlP0;3NUI+ zj2YiW$d((zC~32_Px{o2KgB9=FXN9!F%8eNc%enZeWDAwgWi)6J7nLh&!8ap$g*PL z`lHq&g}V0)&IstMPof8nSg-ivyCAIzpK%KUOiee07X&6%df0nr=UY~$It1{e{}t9v z0WT(m>1+%o-_ai$d^k}O1t8xxSG<8-02p70kZt(yO5%$%%omv!UkHBKJw{Fh%f3E{ z7{I!Q`FNc489hWEnonQVLqp4Chz_a-x$*p>sUlABm=ibNFf8+symKQ;E*S^z`q2-R}#BthX2Km~0z#YJWIszWeAqA8p5wTH> z$KTb&40{DdX;B4U80SYd&f}gAvt%b0NMeB{nHMXe-W~*UfRL=Guf+tRgcgH zeVFkPo#y^7#d;FUL34syOUn^s8mK$adHC}6%`GB46HeZ4UKq(4AN2Qvz*23-)-n}xBBSLspA&*+%O?$V~= zG7oqf9A4wm;i5yEF{o}Fjd1bNh&1GTXyq{Kq$etg_7~wfpPtE%Sc3?I@TvPn50L=% z2)BQk$47S?<43Sz$j&o#v_UVTrGi+uq2(N;t;5}o$q751EqZM&B6$isssME`FEaN2HHz$lhRoB=_ia0r$aRi12H=T=bXP&$(U@5eJn)WwJ{WkgqC zVL=FHN(4b%#&9X2cgqN%tuPS0$w2U_nRueZA;x-b#s6eB=aWC?dToMw{A2WN;1=o+ zngF0|(XUILq}7a*Kl^NEUzx8lK7Y#kEz)_FwcE>R0EYbNaRjt>%h)@B6uExeiRAgF~q4qk(C1KBx_C4Xm9srQomx zANtfIs03Xt{c@w9GV%+2>T~ui5+#4BH^ADGb=T={`{IuprdGs*^n6JyAV<3sR^t`2 zanLEBnT|MGe;ZMn3E8-lAxD$bg}WP|*5FPcvGFm!45H~P%%WJ$aWg%CY?noOLKdO9 z3+OA413G*L(t|oIpq~bWy4vNeHw?3_Gm%>6pzfyTavfeOu;hd9xpdO5sZE@`I zL;90z>+ubSYwK~tmu6pqvHo(4k)*@Uw8|LtUJ!$6c#FrdQ;3Omz^BHU&TtqLE(>+< zSP`XX^#2}uQ{=#-R#1e&KcMaM30>~mlQhs`>CBt!fB$JY%DkOPTbaVKtSYF&PU&p4 z@fID#9rVUwyW$@V;qlR`L?oWb^039me9YkXNpLu61e8z(rz~i5^s*h}z9eYyUE^2< zT({(-+z0xRRQWoF3#3QW_e?nxMU#dbyH_^G#v1W4o!dYbanqY96`v*x(EQpxwgWCS zi^Nz83=Z~VLW9W8Rcb!E3uY8tP3xJA4Wf}(@Ja!3g)!DRCAtT-e2H&SW%f7km^|pj zER|*t+*5iWLAOZIN%#YKnO!EcMT4pa^nu|S;z;VFv+&IgakngU6@5zUl`A;JDhD=^ zwS#KXzE^tmNoPV^+o(Pl!zK@H{2k3s(nAWdSN-_Y)EPnh`AMj*BT(MjwA>aP!% z^Km|E7xmeHlLHs7C1112q3d)eLsce z83(eyRY+V)C5%;5(qolY2dcIz-$r$x%o${R!7gUj>N4mpzAZ`_=P_(|7|yf!W&c zIf4XVdxHKYvO2)p`otkOkZ9ylp#zCa4A#yV_!01$%)XNw-60#*`#qNd8&X%H-t6}{ zaD&v&gw5f?k|_Jq1tefYtq;iao-#F-YY5$pfxkd)(buJ465T8VUYC9!$uNsD6Om853w9FC?6UFd;T2k#+8x+w*iP;7*D3EI#^a&W-=!k%;c~cxbl39wGPO zD>B&E&xrO}q>7c~>HGmX6aVvMLxq_%~R6 zwMxhkuBcn|3sli=w^33SD>Cr%o(0F=?gJcO5}X`aps5H0^_lI#>9j99X3Qb%gu@ST z*4HGkiQI$Ucc8x2kQ0U%BlOO_f&#!7g$P+TWvDdf4>{gNxxX;VWxYnNpze^Ll+ho` zbi+Q4jx92TCl*MgaH~9y##MagOjR+3eT5$wDwk%XYXg|105t!s1cWF#=hN{bkSp$d zN3Jz{R^SjJ@c@Es`vK0($&#q>gHadFXV638PB^d+2M4>L0H7}gx8MyGH2LFuMBl|Q zLkR5=6~u`R=!4y3FJOSIA*Z9)AH|+t2b#yeNBbtj1N1f$$|wVgNQ0PB{8|qLh@2--?Vbl3nmgl!?Fm%cqc_APoZOuvz|-8V3`!6G`Jj^z`5-vlY) zjLR6p|>wK(9IA1@}M)9)Kf%RD9zXaJIzX*q6YkYs5Iz3 z&|cyjWO#Ha_cZu#D*v3r@g?s8be;I*?DFmD83SJeR{Hm7*ayEwD7`cj3BP(?=dO%) zVLk5M6Z7tkdH2P<`{jXT?;fDz-3vpv{ZkdJGL45e63dK-g zdJ>|axrvY5lNCYgl?+XbrH>ax>K(CX$6^M{M-rW|cgO@K4uS+llO3{2n?^D0&HYLJq27u9;OLjpq5V@kBoBd5 zae$v~^@vc*#v$K6WF$+_h27L1=X?4y-~JJ@`6kt!QaM~uuO zmjf|Dka{vI^l@m4BX*LYpVVqSy&(33UxRTWG_cx${b5k!AV5fJkb+%5M~r}t9BhA& z$@3g2&F*WTdYIVCIuk@HgPn=SrW4j3AUuvtWu2OY5qN)&VC|O)Mlx#?KWDs%wG__>LjO)}+^{3m#u2^L!( zCI}lDWJQ|O3fzGMWsjJzh?PUnLFZjg{EFB zvuP0~TS;1hjRPC)D`b14RR^~kxfhR!V>YeNtG*!$BY%o#}hUw35r>WM;6> z7wC{l^JP+h3nU~{HD0B^J+jP{{t5{|;^p6^zZd>*`Wt2W>QgUH?eP;B9ey3|6TZ?G zxgGm!WPQNbMCVqGgOx-Y@&#ob2BJ7+NzR+|LJW^zjf_e1BRZBp=skmdrokyAk{jK5 z-l2(?hSUPeFA%m0Re<3w*i39e!Oe7rlJzA<2Ayd?DJUmJ>SXVfSig+rBngMX>Wixe ztK+NGHE0m62u~rVe@6dTNH)OBnTT9ur|4xs$3E&c-zVF0tC(|Mq)=%4~j(ZV+i zhvNS$(?$r%a>D+Kj&&HuWSK{;#{m|v3#+{9baL_FD!`SGD-V|kMos~__zK8@0|sE{ zA4RYlw<7swgv-{ci+&2Bsr(nP5bS{SJc@b5L+{Z#smhZh9DWfx_FjRti(cID=K$f- z@X80Tn^Ef-5`(88NP$N7z-h6N8~mJW^foH$#2Ep=LOFWbjO?tlfa?aV<*7cj7g>(1 zYiYS@sM)BN0X;06*R|h?aXP?IT(JKdMwglB+zKFj08J{EjQ$a<(ME4)1hmw_Uf1Z2 z(seoT73A;{Q*3#`(^i423YQO#AP?@e??@iF6}ac)UW|JI?u&$RaJAQyVTRJ$f2ps@ zd=pikE1vvrazaao8Tyl#afWa%&>)`&ErrF3cOCXfv3$A_8QA)B(ZcpmKtMW=8GX{F zSTC~7AxmO3O|Qw0|KaPfXwOnLaz^UqbW%R`m>&eI$J@p7bdtIeabx|H4HEHE>@h6G zjCT;J>4err_#b2*z&=%Eqj(o)CEit(pZ3tV<b$$?K+wyJnpqG2}iSpG_D|gG3N}CA=;UG5(7g+_D%uVg4z-5Leb72 z%XWmm&71;IGyG|tvY;jGh5luKdk2;m#uV)LsECR6j|=Al7L&wnS_K~xx!AKoeq~i* z0*^fVR25D7V%V3*<;Imy-VVYx7i7ycedmryzCf`j8AZ{Tz1$|qHiA_TsV{ahA;=_# z%cFp{IZ<^Lfv2sp*LRcSmfpxq7e@IRa%6%Xx7R;kLDVFS74L@FEtzQvei>4^9dQB5A9&!`Y{^Uc|kuNuVcUW5+=c412V{w{%~)O zcDw2TYNouEV}I$(RHTI8!>_^GFmeZ4aOqEETkjKs`1C>{z#uD!I*IMbI>5Uku_uKI0F=AM? zVIN4lu&9HUO!xT?T}Ic`BS@q9O*#>J14wh7pUswab|9Zi8bW~8B{mqLE?<#_EaYwT z^)<5#^uFT|VsKPoScxB!`;qbGhtue@EBOe~pET~zrTY=HbxEI7g?`iGi?=!w83WIu zgW|(qm=~BEo*aP1rVbtpkVU6?7Rmckd0#>I_#$`}xT|eIY!NEqwgfkdE+ZI8pZ!X_ zgYQbo3!nTF8%PCoEKq#z3$36Iy_~w&Q-&vqN+60|hoKM8K1&-dhcYoD>i;*LutoIQ zqwmo$?FYTt|AC_SZf3O;!GYNX}S0 zRF@U`jq0`{PIZwLaj9ii#H}`1kz%#gjHrEJN>#Js3V2iPv*IaGW9mLDPH#D@&sg#4 z6hCam9TY!m#ZxIhWW{Gt{G=7<*Q?H2ao#DtXvJZ;>{7?fID7#URs?kULmOSv%?M9; zHOCf*##HmncsodCMpXJPq*`o?LpP{CTO918uCwCgn^09V4i?m`$P9Id6}d_6w<3zV z*NUX52du~p^{^GWNj+*tRI~*0S#kPwrFzne@3{r>^JW~Vj9Za}dc};W7}s5@YrjD* z6@V|OZYz%b3+f^(j+QT|Rc5?Bp|)C)6t&xmOjCDQk?HClE8hv2du~q>R~IA zrXI5*v(%GTBwf8=MP{p)tw_4+eA?(s`)oDailnLeR^$e?*ow?j8?1;!RjtS!>JBS% zySm4U+^8O~B3bHTE0Urfvm&>sBUa=-^{f@iQ{z^|txi~xxvJxj%r2y;E-T_tbF9d8 zHP4FNq%O50F15mnWT*{hME&*sV2f5OPO4w+w&K5`{5~sA+kom`GmhzTz>KILQQ_w% z#gAC=omBZ{E53r_BW4^^_N*0|re3rn4)wAXajK3#Hpn67Z>B9ye4k^B)0E7&;$%Cj zOU-z@TP?F9DXPzkOjFlc5r^7gMVxAn6>+J1tcarSw<0O(Ggf4p`kWaV?)MzUEW-Z- zcqGdTNF69Vhseu_K*&%!nK(yK2aja?yeuAR@p}r7qce@~pB>F1V5XmsH0o1G@FkAs zP(3WvNc~4oIH1X*zex|_fSnpQaRJdUTM@{~0|sf^r>og!1YZDvQfz#dKHnuiy$RC^ ziwIWWFOckc1_7)Y{$9jAe+s+FO_{iRV1v;;54Y=mbd#0=bP^@=`}Dz0@;wxu z(^t|*H(?#2k-T=>2RG-F=Xr$nIhMBCEQ($cQCf~gPh`_s5PWqr`kRfRm#}`#5%2Zw zWeQ^fwi2e4WzRk=?AiI(vS(?_+pL;yRGnhh(l+&8&q)k`u^PPq&BAWVTqm$gO-2EKxo{D)VFQOg4y!n<;INFtVh%kV(&{FWOKZ7A?sJ^7hM(7Q*vg^G zVF!oZ9BLfWYy{36_Ho$H;T{h6a=4E}vgs4K2RM9&!-E_?$KhcPU*PZvhetU)#vyG7 zCvu1Q`85tlI6TGS84k~Kc%H+H9L6~u<8YkAD;z2e&B39QLl=kSCrRYyaOg(3d^UYV z`TfYW_fNckNyp^C>Jx62Xk5_>qwy5YO~FkR;8=6R!A%*W8k~U9ZsbP;3)A_)aoD7s^i~FN9;>je#QSBf%-B! zp&mmJ--fmR+O_bN&5QpffTFNlJxaMpD7TJt1wit#EIfw>@fHx))roi!68g_YO5@#- zcUY7?qG)$D#&5x*2#9JpJctzqdZ{nb-@@@gfJ?laNOk@LdAW*5GrqJQFX{a(-buyr zDaQD5V0fZ^W_%uioot7pL!EC!;vuRsF!W?|#k2GjKZ6eJ@m{pLJuOlb{}OPIe>)XH zViuOExl9fNQMj|oQ3-<2q1G5X!r`X)HdMnNLp)B@B`lUpES^QdlNbVg%G?#d0Fe0p z7`D7K9xfsrcHwI@m&nUWNC49E2`w#}n5L!b>s_N>eetQMu=-pN|7Ro>@9~f3;8;7o zEp1RiACE;Y(&F`1AjWy|@8aaMnM{sQk^F53Q5L16iIm79z$<`L6#e)b((7@a-Wh)i z6%SE+_!uSB0^EAk)QD_q^#wRZQ=^ILk_c?+xBMV zA=0*Yb`Ia>OmJfAWxnN(^KJeZZqIx<)r}&$S9vy*?~Z4)amR;ApY>3D;5>RYoVpQ3 zQoSMnGG-2KHsok+=%aAhM=Rut2n~3WyZemrb*b7{9`~v(P z4u~I$t7o19fBqCyB9)7-w>#rhPm+NSTZ0T^;9nvG4t)Pdli?!B@UQDUkc{o2{)@h) zT7BC+<`(_Q`G41+3m@Ab`Zmb6G!p3%M>LSGAb#Vvna~auG3>v4(~F;_!IlGS^p)hu zC<wf`xX?I0&r|3fEA(C|JWk*Qqct{tzvdr{zxxU% zVq*E*nq%Ot$bIoYpdFKu^@S-cm-PX z#h>Cf0gB)LtXMI9B;&=B%)wRJ(@)`H#+LEC>F+OpSNjxdE&ptK2%oWZPJc9g`A8@| z`fA?tcO$>x_m=QA@Q*GP0h9oQ$#&mM)t`fJ^kHWtM<=MeAEv)J63I9=3u>e7;gal# z<4DT-6AOpdpJ+WqcEE|o_;;X1*qcl zkz8V?c%B(g!NchPLgDy_s1$!+)I^WscjFNae~L$xrFnHG=^;bQK-cFaBH8f=P;Tv7 z&~_X;8W^Oj73f2J2_>J1e}kc9^goO{A@s+TeChWQqK)WIrxKa@dTIwMq{MF_O}+&= zK+-`pif<5+G}K#1^+qod`KaPpdSB5-)KavWM^Y~BK`-e=7`&K*Zvm%7cEwu-F84tj z-6Qb%6Qq#I0~Z0Ir;DgozHn&tG3K7Z$mJ$*(Dw;@W+NQIH`qvg{TWm1`RAYiKGhcq zs3Ow*ucs0=DHtG{QthenCXDz=xDc>Bbj9~Wgwbq2CfEc0#0K*ELo0CGeT*W^CRHy9 zHrWHta77*gZ@xr%pFZwe7571flf{OEhWH4~j=QD$J(4nd7v5XbmBKf6F9p~kd~8oY zPD)x9SU414kH(2+aUTi*LPj4^{f5G!mx$NCCx0FA5d-W zT1j|g?xhlyF#S;Aoe?^aGBf@d%8kwv#Kz=P)_!<)Egbu&?!`x@?9(=t=*Kgc>djbx zDI0|WM~uryFmi~SfG{;4!{irm&Q{>NQhQOAvV^j)hnh=8WpqlYx%TPt-|&i#<*6oyES|N8z`2Q24zbgl&7DevWU02l)0?jc)_p ze0#owZ-1%c_RNaayl$= zCpvu+5Z3am*E~1M+RFyLFH>_7Vm!RF<9!*GR-pO^UaU`MWW4Ad!=GYETSLr>zqdg) zRsnKB$VH|IyWcLt=2#-^=4h{W+=%a> zymAyPg6~qW{8!;mHR+GQv`y3BmNMwaIEB6ZSD{PrTTt1TsVoH_SJv2sQ@^lXakVBE zQ%A7r=!$jVOB1+0eF6J#%<530g+K7c0&$#&g=&_wiiXBJ-uf)nd;bK!NZSfkh~HX2 zc~E}7e%1See<31aw~_^{R>PWBNh8Jo3F8e*di@ELPNtHA38&AdMN{F>?vK6(+(>TI zkmhPckLZ}EzVKY>4Rc(8)1DT;0ZdLVu?~V57{{U{I-9ca#}4o(Fy>I5!JX&pGrq3> z>T!I8c)KH3>%^y5n_!Wg$2X%O!*+kzsRcT4ZfbF`Gf;_c>D~*AR|YyG;5cY(QFU5dNTrc5l%}yriJz6m`=rtH?KFI=&*0 zMBHW~ak>(@NiXUFPSLkhV*G%^>>^?3Wtc(0=gN+S?K9UDzA>d;(WJiq!iOgmbXvPH z`t~#lW4gY6+`r+^6_Q?UqW_NJRO&m~#7M_Cqig8q(pDC}k&$wWzURMsoTO&;c=W=I z=){c3f+}h325w}Q&q!G#TtE39C|o(bC|wGai%I{vWacZX=|ltH1mGr>8*sH}I#~4&ra#;o5}j z>zD_x;5v_M9G3(6Zd}W7`Eb38>-TUygX;*c9@IIC>ub37;G$p6VMSSh>s{op!QF$4 zeiQ$d|5RKb1YsWzQufU_$bZJI?jU6_2G@6R9me%1xc&>Seq0*z>30;8{&idzaIN_| z==PkVWaG-i^$4y8Tq>>}Tz`P;8@PsWy@l&1xW;igo>!C{T=(O81XlyDO}Ik1p2GD9 zxW10-6p8S_>wm+a;KTI@u0~vKxOU(=fa?WZKg4w&*BCD4&lJUl%Z+Ohu5w%( zaBai2AJ<`AFXI})^)9Yo;QB4DFQJ_>^yz+FnbbF2?;k=vq;J4gg=-#uPgz}1JV71w8REyac7z)Cu<@q>Va>wg0#{Yc%3 zr|XC0Ng)qQq_cTbN5HLhxx;~uK#S(?>U4*@TDAnhSZY^TbJL%vZ0m}2wql%u;dumg zb3kiuZ4CuG+q&Fs&B2ZU^0eUAK&!hef@(?uu1IG%(%sz^(vV7p1K}{rZVh(y;)A!r zj@FjuP^%lMT^-v{0?luYbZEhDpdw2H#=^ym7uYUk#imeKGirvlN0elk?ybS_)@H3m zB~;M%md>v2odzVc-P)j{)CManQA7#$-m3&#JDce_(Am<}8tmNc?rL*WpF5kk28@n{ zwNSo$Q?C{XySqaC&>RXi_qqc;-Jn*WHJ=HTiz#T(iz;u8NXoTzb!yG{v!0!ijt+N= z+8k;|r4Y)3hD2uSMssNMGIvS2zp}>LVB*XWHep~Qpowf`!Qz4fYN+_zB$P-qzd^2@qe=;DnkxHwOf-QA%r9Alx|@>>1SXr&Ga0rEX$F zRKfTLgUiB##$DZD%3!ee?#iSTO6$Gfo+S9*jq*Xv0{oTM4h&5o;L*J)(uS@~!WX4Gf?+MtiMpMLgaR$w@ThbKHaBa*Z2_v)76^rdpAXQV zfaPqFgfh%~kXaqgn`!K~-@l_%K=4zSuLnaEKpg=KlMIu5Ycm+J4XhjrJP`>1saCUF zCT?w^uB{(~9~ZH3q3FlrV-=#li#Y`%Zw>{TF((9-H8tP{0XJ(ZjW@+4Av$XmrT2ai zFB~9IWIdxlglq5pwVVZ#;5leUsJPaZH_xp#Z^0a1NVB-mjd6`^4RmT@cV2F*do#wM z6OwI9?XqB3i^lM_RN9{Nwrtrl&x!{-!D7KyHy3udbZy<*+}Y~RCA1V0F8=10mH_x- zQ;<!^kv*_H<5a>FQt|Lyg<(82CgwnaUW3I%S11 zkvFx2-1+Xd)}q`FNNUk|Q7#^-Eq-9&czOhF?tst$<4ElXI`EUbH4ttI1-mtH4zvO3 z3AH)w-X7}06V2ItcUbL;bYLO{+_|5Ri1|da7Ju9s(kT+ASuHq5LS&%^J`vFcMvDQB z#5!r9O}#wmfKgLht4vNO#<8c75V9y^{7n$_Ff4+bJ0Z4^5rA|?yAn=Pg)Skysj30_dQjYX4aB503DF$> z7IzCIvrq!9fo@D3h^SVG2*uF*)O@}>7eQ zE+`wt)M9z@iQAPGNPQasyD>J#EVC4dg^6J=ijG{%MifGvW+1>ZpVPgzmLvnKd;&wJ z4$T$g8Op`bC+-JLn@ds*eXi;13@8vlN+oy;@p>Ud3{E0@A{efvcDMAxVMMOp zMzb&v3CA#*X3LXmEOQ$KB>_X&nt1YDw_so2gi}bfnINubvj@UTrEl9J7WUkpVGu4f z5v{=#0hUQZE-B7h(N>1wpntLqi$y#OImI!~v*ea2njXj}a2}R9P*H5BNZq4w2HKITNHyZd zgG}Gt927a`gH^}uXg%x82G;DN9_ZX0_6NJSEup>``mVIZM`n^@+_CmqT~qJ#mLg5A zgZS=S!|@WIugcp{QuP?sk@*Y{&t=|HkWHl5*OZ9-y0Q|bzP9u+e|X(CvnjCYla0)z?;+tdae!u3t$FD|GjHy-a_4ws(Z$4Rxz)Xzb{@R7U8zsiYFa zR>kRPXw_=(YQ~@P9+e%Z=W6*}Ut8s;F%e@?<*)Qn->du$r9Qr|F7rXY`08pKYB|q* zF0DpM*xoXa${Wx2IyCG^udQpq_|<#s8ogyk9JH^q(rRdA{UtSP0aH9Djg?F@2TR5U z5BpbQjM2V?QB_q@Ti;MGQ%!gvvcIafw4}<&kmYM?F~pTVf32^fvbLt4`sA-DtE;Rj zt>Wi~T9MY!AmVl2(#Ep-2EmCaTfMrfp_0hyuPmp!R-9`v3@eR#z;yEifWO*X{iwID zzJkb3b<65%0l=16>1$l#|7>k#jnPMnS9wbsy+$vn9@4B9Dr$Z8lhc6NlyZy-*IivB z@aLMcT;r13nyR$|PHBa=^s)NYG)cKUF=KgM2~AXvqh3{IbtO$IBMxGMYBKJ7tf8`| zoYbwzCkoazfX23XLupk>y~Nv|C)2@S{+ik{Z&k@!g`P2(^P%c_{q&3H{i zBZkY&FRf|d=W>iwtuPRx|cvHN*q>?~zUU^A%CCI_g z7@yiY`3#&&8XyCyJQ%5@8d%UXv3g~xS3F~W@k9qKWckofmQZ*uEkPwwi}Pw$S9|L! zONoE&ae~Hin%V?|m=6-8ypqNM@y12f5ZRbpHI+mfQC~cZx_GXsEniheeWho6I}``v zb>3B6U*?(hq!fo-s923zTqf>Kbw(Ud$g5=G$N15+DTw`zB~_p(r5TeKgvDg>l{8e~ zHThEHSNUtp!Jx)7;V7SlXsYryLQE4o8tLdG3QhWbdv@XDlr#<3XK*e03a%KXD2kDn zj^|8V8uGMBd9#t8hst}9hxgw2cTn8^Z6S8o3cezaw$j#U5|EUn*#C6|+rdg*eOdjT zk1hSeKTaI?K7UK?SN`bJTmOujDP6YCPgc&lMeD-re5IQr@CC1f_por`I>S8ZZrvnM zxD_|L=!ZQBWo0R(9xz|lj(rC$(4%>_c5-GP{P>{Nf?#X2*6hL72jWk`2ao%Lf`XQ| z&De)A;-z&Bo;9VICD@NhPQ#fa{Atgmv`Q|A6Tbo$*RAAoLrG~qF85k;8kZYMN~76{ zjrrs>E{B6&%0_f{L5TVQA3DaJ@#nZF+#`~ik9JHm%6UHj`Omj*Lidy-`1@3%yw>8W zEa7&r-)~F%oamoDtwEH-UcXhYL6pP!X{8Tv7jVNKc&Zeo_!;bPQCdJCvk&oBiVM0g zq%xP0Mm#Ok3MtL`)ui!RL}|3Il#dN7S#AlXVP9Wy0?Go}R~#2s_Dn~7Q#j1|i28kk#zxu?kw$~(`>sv<8&Rww3GqbL@Yi+|_=+ z+XwyKKIngzeb7HiT9rSow1om#QcLHJ^54X|p4ak!l(d%rGuw*4iC5pesKt8mK8lrL zJ1$7hK(W?sQkGF_rEthM)i3lHE?m$`I}-P$)(5l->h$ zwqAs^bf>%$>^`Tg3}~fYTe~CJ38{et$lHS!*H1%g6}CIQw0g(e|5O)XOS?K-g9NU+ zIlM)=l}eRHLLs;=eW9)v?6g+4D&L#h4j?|}t*h}?8906qvIU_1b=ZcDgjxbk&7n^6 z`EQu+>s{R$ByWMgBurD+-d~PAp!xuu zt*zl&cDyS;lJJ4DOj&4_E(uq|I~5Fz3h=$#+AKq2YoNToOgK`MZ>IQqtKe-1GOMNc zm!itAkY3%@8tDLbqEL)}?d7-?kStncjs~!-?t&Mo3!`4jU@CxHc}G{X#^YMn z6~QS1MfsL(lxhOomAfSEN@!2qM!&zXl@o}!21>D8r6{MZ9!X-Kmnlu5pcYu&8EOuO z=}3aISW=uRA!ooVc8VqO!Vw9joTr+i{0&o~ytyN6kYSP8Ta2?{JK3#Q4XEt8`hkTZ zp^lbmUv4SU5S}f6Ww<`FiMEe$#zdCH{K4i>K*^C9*TOGHd*TA=jVv(+kRpP8rEiOt*32SU_~vH(vWc6Q|4JyP*clkSBUmw ze@wj#Y{iVg;3$g-N8$)M(@SU?D&LlnYPwLeE7XhAJ4m7NMLDff3v4xH%pHJ6GO4y+ z@X24unx$%>WlKHwxWK!3H5jR)r_4RPbx_jT%H6(C=84%SD3Ok|lF(+quQ?PBFbPrm zu|O}@T&-bczHF257Ol=VDec3q4bJZpB@N+UC%n+_$$nQ0VkzGtj*$WxQdgNRp;m6C zok0QjZGz)(2t|zPr#ubJm=0xu4m%wVPvR_tKHo=q!17~EKql(FP5dc2)OS8M0rkZ* zKvCvW8YH=(2lY`=-UM`i2_OVDWw|k8oHYxjlPRSri>LCD@=L;l7)nlaDZG_#-k&Ud zNa*{|Dq$_uqC&#uDzMeHR=-BPK^r-KY#?i)u3kUw)58i^wg$F_$!Wbe!dB&B>)9VrO5kA+sD2zJK&GF} zkWVRq*x44`9D&U5#L13os1uOTud!%W z9#Q`=BgG@n!AJZw}$7#OE4c0=3{r3wjAbnJUIWs`GP#pr>^c4G;B3x45lqWV8@m$ zv1?{$O|_ns{?rDeZD~;9&znrI49iGYs2nF&Kv7>PfFl!{Qtnt4350rmkou&3I$Hvz z*c7J5Z?{1gd;`-=`8lQ5_kwy`Nm!MHNy5+*G)S4yexh(ya1&04LGpD#6l|DI>p(Fa z^(1mD$cFel@G1*zifqPKxPi|}hA(!P$iQq;G)fWbM%bjV1)EOQzmp$Ykj`4bw1BM{}F7wfgjS+s)Ac^$N&nC%gUnj zaKuS-lW5%@c877Q5UT?^WJ0H0NOI5|fbKWoEl7jvbz^T`?68G#mIVcAX+uXWah|H# z-Q64vx$|g?m6G%MAjiA~*yA%=HnFrLSC3p&rd}B5TySE-I%~7Q?WUF~L7b4o2?6eF znz8$hgD?S{SVRFRkRCT?LZrC^)#?J6EuEav8QHoCXT5N?YZIB=X+TL^jvU~<6{jk3 zf~JGI!6)vZb(v1{+(B^^%-A4B;Z2cnFM1??o9+9-dGf>yX>9b9H-d3^h@$JcyI8i+ zxskLqi5BPut%Vbsj9DA>45%Q1xT%^O!r6qwDGSmX>{Kw?;JkdomQR$~&jroZTDs@b z=KtJCYxmszv@TF7v>oONfcIL!aWb|8gn*ewo#PWtc@kg7oviw_G+5|d(JiwiE8rX? zj?Y@Bl|cChA}s!Q5aV@)7YK;+aH16~2Vs>anP|B<_KUuDcQk7x#c`xqqK0&VOJ7T8w|iF3bdl3;Dc}JVJuAe2~OMGYk)% zDiRQ6g5X154hTUXL5p#)hG^{u* zY7}&D#gaLnIE>dkR4%Bci87sCo%55*p$+<$Uf+GfKe-Rjaw=W*=EDathrD9%pzm*S zZX9v1ECI96_XfBiYHMOr|al=2qY^GB0|8o!7dR3w*@*! zNCIkb5{xv|qe`IwSEFgqGRxf^33WsKgju>wsYYBWW@w<*ln3Bv7LnpqU>?cTYt9i% zmP&byh6z2YWJzH(o>zy%uN}SIs|E9zo^;+ePtI@<^HD^(uB0UlF&%>^4aRN*3Tr^)6u0q2}#S$MiadA!@mpDX>Ug^AUe{ zUa*b&C^eS*@%-*B8Z9C4q&CyT`t_oh#(Ceo$2S3RN7v@{=&M(}#vv4!Kt~)xrqhpf z=ol6R4Ot}=uc$>MC9I7gy~Ti&mGZDw8sr--s5Ey0Aw@YT3hN{QQ$j?rdZ7*%%v(+g z1{6};7$`%-r{UESJ_n6)vmt>(BtTIz%oZ?s8#<58AMhLajCigs!ff6d*q&yqx`5Cp zW;R*`-Y{5%mk_m@!(D<5Sgnz$4C9RpuxckUqSSm-rx+0h6YILOL~^oeXOO{=N5NGM z3`4g_`+~bFPT>l3LYf$MtKcC#Qu#?$h4<*7DONVTnS*6UaK7>^f8fY?%9-?eN?9_^7*8EDOVF z#7#!yZDJY9_9>VhFLVUK`4}9wPi#iSgYy;;-cw=24c0~Tgn5)rT?hqR#R6J3@L9=@ ze+zw?s35LEXW}h8eR*poPaeycC;Q~teB1dwDH4kcm_L&gqZFzJi1`o7+VsGhq==q` zT~R3^L_9%4gzygb;6G2?dy#c)~+Fws^->zWUnNxXjtH6xddfnLtWxoT|D1vS_P zU}ZE@Vh*jah)fxVHBM*1jYULv7sLXY;msziT51Ons_DRTD~g-Ox3J6b`p_2PTD6gb z6cnp7yfCmVEls`*M5}`Nl1w&rm@lm*n)T3j2BvMG7>t*ejv&ou$y_8Mg?+=YC?+N@ zPa|TpN#;$ORC?4hKiY~LdX?=Zh9`S$DFQ4HtD;}Q`3IB-yiL}C;&#)H_Eg?n_fjhDh{#^M<$*caSHrIrA_ zXhzVEEr5I>E|&J8WnQ}`hA2zRa zqs>cmi&3`lzbe2f_)&|Pg~?7i9u~@>2`Y#|v1=6~YUQ(Eij7XA9;5)4)>IKM7E&1# zTjBJxTA@raiG(^a=1`J~b?SKA?ych$;Td;-9 zJSQi;`Fb6{WX%YRx2z|>hL=Vpf;&|>66lR=$Z2{V8?pj^0&G}7?35BA&BY^m$w)in zbOOC*hvlKxm3ED8EJ&-s!V~-HR!w5#E^`;&sA_kpTmb?j!s5{NnJcM0a zgm!S;fK115Shb7y>|pQ~!2fjQ9^t$9MSMI@_-_tN|J0FrBLB6Q6jufE3l@m{ zeHZW z7(WYt8sZlaCx2Ks`s;+h@l>wJpMbwEQ~Dw)|Lorb7Ujb?N&dT$pTM6+`RFhC&knvZ z)qiFR721xVC7LBuFr#6C@>~uF@$wU7H?MVs$&^PG+(kuhd72!Kamw8e6P0E^)kwQu zjix%(Fa#C!0qns^5K)4^fk2a=_JZ@sz92PVI=1J-Sc?{iVc}dfD0qkbsM*#&` zz_UEXe5Dl+TsTv!;Js)}_D(GB#p-y0u<&gJhm#sdILOp*3x=@Z4)Tcs@;}*eMK(2P z_7hr<=po&Q^az>zh-r};8#x5R=ETqA2?(_8=uv~dWk0wm6YRY><4w{HMe1wkvq24*b_?fQ;{yRILPMRG8|!6romLgu#?UK z3|$gDqkTFan%A-wJru*m9q7OjMs5OULpqp}a@kDIez$R|l)R+ms9)fgM?7g+Ykpa0 zE`ZJz)0EfYY1XSR%ix6)t<5z&yTY!rOTY#4)t38d8No*iT8ZLqv(}w z;RWrD31!Wg^-NrrTtbuz!3mivr~%fjpSnxULQwb_N$Sd?Y4A5=Rod0beln{KbG1*b z%N!sCm^4R)*reX2Np@ff#C~=9vVW70^)z~{<4O&{lUC3$9FxM96^l?CJ@a#e|wLd~t@g^{)v z%^a49@B@<`;j@$2%f!c6gjBLGH1WwFA{CW{kxI@a66k5tRUo7T9WeM;N>ADbvA(%O z+oVa`3SjFHb~i{M*#VPWqRnheYLX>MsX__}knk4~gUK!uU0b_a_-ixr9LFZw$)j2< zvN7OE`i&ebri$Yw3MNHIusKZYf3d*C2?>fo%hy?(;jpIVt`tc=6l8}15u0lVa8QIe z+e)@L33)vJQV9xwCks*2O-Rga$ToDA20@e-TN>yjz=^G&1;+PpXo&{f##|uC)h}qq z+x<<=;C&(wGyfEC2Ii^kU9w*&`HTY`335Y%P$HsA{}jZ6=rE-jE%P))5q7J6%t0C; zNwfRfr)hZH?4BjlBHO z|NkfUAQ6=9X<}1hIkVHq<~2qteM`vhNrErw5p!C|O#?`7Y_6Jxv0sA?Q=UPFsm}9^ zKU6o#EC*-9B_=VU*@4scB)_ljdm^#G6Og5xl)nH#3@XN5@&P3X1@wu{IzHz^W&&;B zz@aq{;-{NFtJT`k3kNw&I@9AtOpP+wpQhbZ%st_$?V>jwz<5Co=V{0+4~K&|g`Y+U z2H>55zXoPR3;Z$U)1nU`Z3@79&ydh%{+V)&X!4(3h@nUPeXTrj5xrC654Q5G66e;i z#-wczYwU#L1oI#%M4U%;K;s4sCfv6mjgjaMwx${1MM1f3SY!%sKLLa9iN1pfStj;j z<@pcmyE{}!z)MSN#6X77YBgMSa`TZK@OUdG$i5aBRKzG~LT;WdAUCe)D)06Y|5{!~ z(oweMq%={%6^18KE_uOKq=Dwq+5j`ibTlHH-ob!5XouRsMNwzUo~0C8d9(nWw>+s5 zA8f*5!0Xg1SU@|Lv_3O_Yrdqo@?_+~XQr;tT*Xt5?VMBLXTg0v?pG^gPb&tlleSvGP|SgR4m=G<5J3t2=d*pXsCoKD zxZ{L93MFRDa^8>0BOYQP!swm{4P)-mkh_evyKSe&jg3k8^9&$DR6x+-ynjc44vP!J zMlSA2rAs!k?THJch+39;w$e%V5#Z9skhB`O!}2*T&3yY#*bMA=G~m&u5S9wYr`mYx z*$9NwjJ)3@2m>6A^ElTy`pAX z1tLxjf3g#ig0momi1^kT+TONdCa_F1GNi#I_P?N5{$0!!@hzsSkFdFxne1l>o*}^4yFm z7-&ZabM%uh#Ty_x#KPKKl#qH0z*z!?OGj+XH8dubu~red{-5@~11gHFTerJuk|3xc z20#!6QBvj5-PH{ODhLW9qJm13Q3(=66ctc0fI4Er2#6R^F`<|c;|S)A0TmT@M zTG7xn7@{H?=>9XWJ&(XzMG;8pW3L34ZB zfFy9%H>_#x2y1awdm?uI)t=SOh4T;Kmmf>z$4>dN(&-ru@e<&k0>6Lv%;(8})4Qpx z=6UdQCr#l3D)bm1cM}}2^5d+X#|7rH zU1CmCjQ`yK!vQsc1~379%2Zwu9pT;)?nB`Yw`P}6b?#5>FT#0!n)Qot5rpUcA{@SW z2RqXLd)jP*#A@lp2UQ44;PP-GbFavIVw5!+B2WMytHgZ@N( zf*U{h@$cn^Td2}ON&xCan8QnMe1?!8XC`{Z!RQqnZyFl^<7M;LuBx4jV4FNtYfe=o z!kmRN-Yt53%$U$P3-iQCCs@=R4|P-ZYb+doWFvF<`$A+6El83%{HU8MxePcG3r=)U z@PXsB#JXZtkRAQVIhaGpb$GI6brFaVg!L;7#YUm%72{$ zp~S*4CKR_L@gUZYAPCehNXZ7AEVkHg^jrwK( zL%-~SDhD4=HwS2D%As-7bW@%da=x1`b7+xcllVCNihy6#8x~qXX8<6fNyB7KAqh^6 z2=G(bR&B|TJGeEf3*cP9+lJ1$L_cP@uv5|A|-jknXSL zHZKE#7`=hUfk0a*)X^UJ$hX$NN{Pa004$s-&_Ep`Kvks-0I75PH`4L7YRZ9cb5Ed< z?{74;>A*(*@RG*!xk=Xerv|AR1uYc=RE`096CfqezYs`o57I0IF2%vy5RjT+c>8y< z2GN1TybQFA|7S^PE(b1_4EK{Ff*LVWOA8}%pv9`^N^`$J~1LToQ+|V z*qQ8nHiuo!u4T8eyV(QmY4#$kDbba*m2{FQBrcLLNrI$Uq9!$!x=JTYXGrHt^QA@7 zZPMM+*HTTHsmxCnElZM3m93PWklmI&lD(4Yax@png>hNja&8xQm^;N?;2v|YxsRN& z9FocEx_hX9WO{ieCam3*nI7h&z&jWFiZZ z5@auO2(d&N)D@k9E=5Nh zsJ@gZ=v7cHUv=}>w+y_znf57Q@U5u?M%nf^=|Gl$vB zR5E9otISu%iS=biveVf`>`C?#Tg^UYzp&~OD~X>ZTCzs6U9wMdN^)D$Njg<}Sb9Qw zMyeyTlrgeFvJ6>;?6EAC%jOEXa_&9H$OY#}&Y_bYdnkpLj@oBh<-}CtpNT|n=nE9tAW2NTLnW~MRAnYYXt_8$9z)srxi{*nku znq(!^e}kl4a!hhoa!b-$YA5xS21&!EG18UN0%@uAp!B&^F7uTI$!5!z$%V(cl ze?#-pVstn94b{VpF>}lsQ)0`p-Pl3wHr4^BaTk0za4`-~#b@CQ@qBzUUV`7ppW`2K zeZrQY2^WyRLC`T-50X~}a`%leBYTsh$Z+82Tyg_>lDtjc2c9}m4CP1-qLkD$khf!0 zC3TLvLOr0KQC(?UnxMVt8T4l0>KA$flgd0{UNaIlmYv8>1uZUQ%h}_soy1k*F7c7f zm#mPil~hQ+N{pn&((cl6((%$M(mZJ~@b#+HNMgO9^jT^*;a9fhgFT7f7$6ak9a!23c)kz$A9gyO8?s^XF2wF1mF zoL~rNj3QPl`R$K*Aw!X5Bpq3dEJxNLrN}|#cccori)f%ms1+RBBSjt2e&`r90iA}H zqvt@f@1jpo9n2830xZBW4jY06V&T|KY$a9zZN$s@6YM+I6c>lCGp5AVVxUh0G)i$=^v0N{=$4Y$yWI z!IAO@`JYd1rOK(}&`J`J{TMolUPJGv578C$SGqleGb5Q`W(>2MDP;~Yr|FPNsMHIWT)hS$%$9?AvZ;MhuazpkGdiH=;zMkx9rbXx%l)R^$M38mUH}BOe=EmjcA{K?Bh!bRs$vU8K^x z{b&Vx1-*y9LcgHem=Pd80&VP$`GM^mhfTpUu^g-r+kusX1-*_v#Qwn4a09#>j^mEF z7aoYmf?m$Wm*eZ9wU6PK@mjnd7ZQ4eF=0)RL~mjs5kN!|tB4IMyKtX)ONdB)unN|s zJxP$m$<^dOX!k3m4%L}5qk2$%sQ#1>6;CBoQ>htLCbfWCO0A*_sEr^8yQuxtVd?~R zhPp&ur|zh9_ciq%&{2)nruFIev@zY4?m^qpIL*=u+Li84d((dO2s)UK1ldWXC(&v2 zOnNT85G;5uT}W@Dx6`F`8GRJ+^c;PKzDeJuAJH%9Kj@G2cUm26PFtn}W6E@6dNK|S z$w(O|rZ3~k_%OqmQGmWPZYFwh~k#m!wK&feqU)IWDP^ zypqsTH))hKLwXB*10z{487GUC%>g@hK~^ohFH_^RIeo4@2j8CNtN~Xjj^kVa#|Lr4 zxgc&dH=diyO$UTo#I5FvK_<^~Ra`518^CoFxrN*s(4CTVau<1j`5^f)xl$e}A16-% z$($))0J2#u-wAkABY!A=E`KBcApb7cP_$MUDvT8tik=Eo!77{pgS-`f3Z)`bv0QOP zh5sKF(Af~wf*BAY`bZCu&e0&9Gr`|jhU6lfz+8e?fH$)hSn)y?l6CVf7Xk|SsClj`T#=2vg6qlHl3Zt&I3PU zIh)6>V>h!q*gfn)z>SmadG;!J7Wdf4>`S(u{lp3+8sNdTlXR4Hkx(#SAxIUdCO$TU zhk1?fl>7$Y0EOEzrh+-oT$6r~8p=A#2=F@~aGOAo1-Hw@HKK+PkYZAoY(pA?KA4l; zNm~*DosfaQ8A>(@^irOf^%()H2VRI`D|UFanlG<~D%MCagKzowWswCZG)*Sr^uW z^k`Pg*9bgJ^50`HD3RM8loX_J{%hpk<)z2eU8m!AWyCUo{jpMB4Geng%*9 ziE%+nI1duO1*fVVgtju!7#yKYN(em-Tp=O9F|60w! zsPXk+*boF0Mp3c+(jsRkq)Ug^D28Gfim0yP9a_U!HHIS?4g<36aAagNVtsv@ifd(H z=#vZ+Mlhml?i>Th5H%dQ0h!o06xZX&Yra7E&{|`OJ`KmO#6!{McIJICBwc9HoI%iF zYUx6KXkcM0QMynl*uHtE+u;67P1?1(W|_Re!mn3M^&YEZ&hcZ8l-qj^|7>_<{5)r& zrE^LCJ=gljrIU^(oVKVcStJm>_k2-aQtHxu%$ZTH(hDwUo!iBCNY9Kcu{pJ@%jP&^ zE6;Ie+tFK}y_F)LbwzL8Y}F^Y7COv6`)JvtZ&~;J6x{FG)$SiA;kC)FKG!AAa$5QQ zxSIE}qN=gE3nOQS_MA53NTA`dib|>BjYDa5W~~!$XIpGK`Tlc4N{@%{-HoTNKf2nk zc+S&x4~u#jO;*0o8Q1o}J+J)!4@P`?pts&Ow7I*bwoX;V z^wbffCxp133G6dv@L_|LgdaqQpPW$1n5ltK z_+6}pXuwSbqtps$LQ^v_13d^L56eR`>>CpY$Bk{4)}cY7nhTV(lRd;y$+M}YSQly4 zM1h(XqQ~c|&zB?yJ<&j{`RBIcu87%MkYThFXr)R}+wd8x-FVc%61J zeK!`fZ9nwdzG7SFqw}5(TO!zUR@ZaKd32ptK(C2k?oBlH^VksD@kz2{kmZu-6DR1= z)4FQSb9#E~x}U-{$!%sYBaM;kn9&yP3cNc_o3a~87Z-rWXEtiQ-nn|F;#)ZxExtB7 z$GEfCpD6w>*P#X-Mo^}O4r6SS4hQ{T=`c(iHnfDzKj|=kG%~FC0X-)EQIFRI>##0+ z_IF$F;boD0{+=Q8@zrmCR;;l3x^c;p>j#y|I{uX&8RH++ zIQO?${PKv6^WofU5he2+2fm!a>}`9z+nbP~b?vd30e<<#v(}2LdUZL||L(2eD;;KI z{@X?_8@^$cwU=IpmrHIcrLNwl=h_X?$?p4QQ}MenuJ7j9xJTKKMxAN1_t>!7Z}%P9=yKOFH?G3yndp^j_$?wCt{Bu95BsF>$6VT#(~SU?zXXx zD>~Dl$LT^p;FJ%d%L~6s?L;ssWW+yN@~ZJKR7NuuiEmOTQ1Eah6zSFU3<}<*QAZQv z?NmCR6mK8jh|nrUr+>s1W!U_TtBh3I|0$|NLVUbku+lCZvkwl9Lu5R0W?~Y-5j4*s z&#rlD9uWRTYJh@&SIe?}#&`aP^H$MoWClpNYp&8S0$8F2%yvvK!iZTXR<}P)uO-K(%r^S{$&Ncap4>A3eVqQ8#R=8B18$emX3i5H zPS|zET5MiW^t%7CSv?o%rCw=z$~kT>Cghx8C-YS-xFzLwj7CFDA()sgpKG z)_+~OTi3|u^;CatZiW9nqmu?{Fq6cz-q3Tt?cE*q!#4`IwqI%M;AVW&V*k-^6Bcz2+t^RqTWzjwFz(stPX6Z}7b1SPv)vSX&rPi?ms>;x`z$YuOxS$f zR5mrc=I8;FYvM#CUA-1y>U1MaO|Wpz_qk);%IwqKfb-TK8O>oz2ON{h&0xaK12sYn zf#=|Av<5VeFML`d*OC~(6Ngal6nB<|-UlKAhD*I1&?KbMGhL%KE) z*ZC)LV`1Xh95)}>a6l0_NdM%ZTpMdi8HNNTpHb$Ba@7}mAE`A(4S5^sVctDtTS@tiPi#!xSP5oZs~=o9 zc*})%o9>Nqxo|!DVF>+sgMaRrz_~H&o@}(;AX~RhBoM}&G0fY1a@&IqmzM7%Yo~-q zM!o2synIdyQukb<8E&or_T`)iw!ZLG{zR+RV`{&}Z5-owtnT*jVW+=rFaNNmpY?+3 zm>mTdPqtp!zI}c0w;PUDZ5{J396Ne>+o~-yTxUnB4Zc3@*7<&pxA*7Y_cU|t{`yeO zymozzwH&fvb_!MQH+(x|@<#ihY=_AC0?VX{RZYMa2Am4|ib*1WATvKJdy*TU_!ius+@#oFcmg&^_i9N8KWcfia%xT?>JxU z`4w>sm>Qt-s`FY$|H2NDGm(=-g!6f);x`S>m3f16r6Kk;H5VYZKY?5%G-?9!q@<*l zWW>h6f{ElmDXm&Mcx*amNp)*?Kg?Et+xK-sd|_bc()^s_eW}Y{?^$yBQ@1B4gVocu z1X~xK?#lXH@y>}59;$igb8u+eoU-f1Z6D>ny420{bhyogk^YNUxEJjAAo||zncSyu zd0!-g5H9=(`hRlld= zQgPbS0@{{&aC51TW$|xD`NrYr+aKRoxngV9xVtacAIc1TQyw5`e{ZD8rSBylh9-*k zMYWrTe?O)hur&Dl_O@YZE{;dL9eQW7IHt$R1VM(^=u2lbx=s>aoA0*RDOk%-qdfe1 zwch4oy@bXmmOZjbY_04j&Kh*l{=g(}uk1CsYbGQtp0@gr(j~)A7Pq~&dc_`h-6M}# z$~x@Hy74!TeMj%@7%?}p`yBtFlQXwo%sMa#)i?dkVabL*%af>0%N%^qwB9vAt#;N% zgVS+Q6D!^&CGT-RH=|1z_Yd}c?T1s(>^pqFnRsaOq6iN>alEs|g;asx%qa$k>wMkc zJj)f|-C!pvEnYu6W%~yGuWzhY)xCE#tzTQ&#sjGiIlpUATe|X#zpvH7*=50ZdW*+R z9GLm$?B=8IZq_XSWFMQ}n@Z0}JzhLnG_gKV@1!ZR#K{Qx+Kv#EieMoga|+cIDckl}NgVF<`w~BhE*zZ{;*ge@uCV zoDRFX{$c%}MCQK>NO>=nLNMr6Ah6nv$9I%%_K2i3!*}Ru^8I+Q99p^>1K|S)G0|u{ zqzxaSsjJ;P6i&B@gOh)n5WJOc=f+R7`@pJ3)yk|s{Kw!M`oK*v|F0q;>7u{(Lq&W) zR0RD{(6O~Ub1F7zEOHrYV3g{7sc_n9ovhI>r(V0$>0qDTSoJ?J;iN@Y9Tt*nF1tY!Yb-YJRxqqF8-{^MX(1e}= zr@y(Tzh5(aW}sif%_*9>IWul`p3%-W%lZ(LvNq)EsIIMhIQm9)+GRHA#eqOwB?cZ|SzxC|gvwpD7;ryDl$CXo^+7>cv z+GSor2BZ4YJL^}elh*l>UFYw#Iu#J*i`03v3p-vrcyOFmc7WCCr8yQK%D3;kT9qEA z8F=dB*+rv_5BC^n^?0)A(ZCYxby^M|Y`o`Qx~LX$)lj=EX{k%;7IemnJx5pe=N?3K zz4nN{a-zz2ZtB?k;U))P_Hk#7C)_A35?kgZwNF?3BNY$0{#(ZpPuasdn$c?wj?Jo7 z)P(hm5gryr*3aI*HC|S~u-iq8F5SBpsq3N(rH5A6nE70GJ8stQ;mt<@mrr39ZpRkP zUsu29{JSpIAq#dDR6d;&rD@`c927R0xz%9imbWx>;FHNd~{>7vrUVJ2Tu^ZAC z(bCWePt%2QIz+0WqZ+VF+eHgS;{Q+c2;G3nRQ)AhMKMozFxO0Kn0IxaF_R`(&XlNK zF7|1gWVk?g__uaF&(|Cah)mT(w@8j@$X20+UT?bH+?9lw3~uXoZ0N}AOI;k#ZdtwT ztnL!K>jvRL%%DA1!_Ji!?VVCI%IaJ8Lbuq!*>X)IB8ijspL_pdykv?Knyx+y%!9uO+^w|P|4r~OYV#|z z)NGtKFD(b@^kbw{TMgCy;U~hlEn?E_Ne9(~9`w&q-S&uWvnO4&3u2Pj8TJCSTzU9o zts3I+vluaIAvTxB_tz+$S(tUbI{)_yt9~zhZ)%-?ILkY5*{J7zUrcdsVL)MkQk*Ul zh_0-n9-hCQT{gtpWLk(nHv878yJ@f9YphMGh)Jj{sMYk#jSIRMz-+SCO?vWn$IzU1 zPcloZ%FhgY<02Y(!~m0<%f6a?+4sFT^R|9y;G|{2tESHsy%E01L!8lC|N4#}(&r}! z9%AMd9sD}TYO{Oo&R*M0pQTM%T4mF3%(9c8mM#kzvTdrQ_U zw2b=%Spk#x_Bb^y z>z;a^SNM=%o!7*9_H@saZ-)E!EVG@~dy}?HKiQQG%5LYkNbP4ar8gd%x7l#X*5zJS ze*A8`h4(k#>Ei2c5!}`4Ig%H}IB1;c-A+6D!OkUBeapk7Q=eB?Z@Rr#KJ{9uRg&cF zYwf)qO)Kwt+Cv(>_np=%4O9Ml3HtUGmj`n0Z2m!HSY?v!tmyuVlMdGqMt zo&}QxbvLYsW@LTUQhpj~RckXz{B>rE?P|3HogNLbJ{i%oRNUKqu<5y_-kky$yQ*ui zw_UbtP1?;hXZF7?>Q-Q!pDxk?-$3)HBx#`O!Vh2^>UlMb`>!7J6Seuvprf{ix{aQi zsI$5tZv@iuCt+%+&W{I8At+MQY=pKtst-;WjPqhNLLdx=4+qr#@m7q&Kr_~EnAFz2 z!eW5We3yHv9|r2p(kpN7PpZ^GD44T->Y`mK+}i`Gx;y%Ba=4@6usv$NQ`w`ZG04iK z@DXog=d4t>D%FZl(yyBHq_AAmcXZocSDh;oO_uH#-=_e)qAt zvnkB;;BQHXJjjqu_Emw{Z)fXlB^`mMS!ylcM!D^E|m7e9Lbc5LCKir~w4Go^Lj=N^r3ZyR{} k;|_Ul$KN8+h-Xjrjwna(4qkIsqA`9~UF?vd;;5Ye1G64%1poj5 diff --git a/venv/Scripts/_sqlite3.pyd b/venv/Scripts/_sqlite3.pyd deleted file mode 100644 index 437b45dbfd1bd8be4ee71157b85764464fc459a5..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 66712 zcmeEve_&MAmH!KwgaHB*HPMKmBTh6bU^Jj$f=x&!A(9_M5)zajLr4ZDF~7{b2Sfp5 zC+RXguxuAw+u9b2?b@!be0N=o%C^x^1D4fPT}8z$?XufRC)-Uei^1mW`+m;3@4fjM zwY%T%_WMT%?tSn6KKI;n&pr3tb6+a&-7h6el4OC?G)X#&C;bZ9|70&KNs?w=^ZYF7 znQ8xc?a`!)f4sKN+v2l#b$4#*Zfv(VHFk7#%Jxkjd$-bIZ|Sg?RM*hT{r8(>;ZaDhuhELbbg;ANvR^)d`fm83rJqNC`pj_xe$96&x4daCP`V-=|%tjMv@+zP47w4I+X8459*Ax1kck*FN}=eFG*`? zz$f`Fls(&Jr2Xp-c&MNIO2iTIvrE#(h271Ka-$@@y95cSQ@RuG^KcQrLNvWlWRs3w ziiBY}s`D6J#II121{QYvx|9Y4 zW5eJn{kK{jtydMRT4nVoX-b+}WLc#aW@*Fz;}*3lEk3T)Qm^(NL=~K6!+Nu#aDA(& z!hOyO*FL9p$T>m8@AB^bD=8iI50&z`Ynf;Mk^oKbACSvb=Y)SeWvBIM3UUUV6M<6e zP^o~nl%dr!N0B>Fnugq0s!ppW!3&h8=M4;%&H)KY8`OVYKj=T9@zdy;c%pv|>Q1Zw zp>#>!Sg&r&=)WM(R$o=OX2tcb|AO*w{)gsB8{`bNIz28~txkZBGD|}QI^63A(O#{( zKCPY_t<|=rX_-O5u8z^5T(I?h0nn=T=?{OTY1%_OEz1M->FS1z{`YKsZRkjTZMyA| zCcLOWQ;RatTigD8SNg7L>In`iAE>2Sh)oHs$p|F}+*xXUM*r(_Dq;i6vqXuMKvx#h zwq*pWC?-&fY7`FNpP`nfxq-XVv<++5528D2ku|@}s;p4AWdSQi+E(i-E%O`?3@FIf z4;F^p1jlrpZV(ETW%*MzeSknPL=ZZ`)Oz>RC~r&GGE2UMPM`K4PwRhA?$9YzP^XRx zd5!8!(30H z{hjK{+P6Im5y|S^Kw+1)-g|%$kvXmpeLB!v(3;emq-FN*C%U(|>a{n3ojBmtsTi)W zAEE}_8`f$PzpWqC`vfo#xsb#Y{_r!H>xZBEIW=^i@nPv7*gngf9vL&(s?}gn7XchJ zhslcm`A2imzkSa0@27ZwD5YbX28W#IFxC=Y&tk^vuj50`v-<1AkaL_S8Zw+4at52l z>**oqc|F6JOI!R5y7vD1(_ZiUfbh)&G~a2;gQU36i$GF+|1kxeLmAUDPZ4S`FTrL` ztJRB!%H~u3LuHKR{*!XnP}w4?JHa$uB9fO(l3XB?3lb(XJ~0QXSMXb)Yz1;(64%I~ zV*r`5Rq$J&tRi7HEwd1#p;n$($3A>#UzxR4y6R-WIqLsqq5s9yRjyhsGXsdPS5Ir1 zS=8UvU;`QcDMYZ#Ej0#NV~S*`&QaAGv~83m_XaSswZzcC7eNfydVfKv%uJ^WP~H+y zCcvp|;e3EonNX|k0P(7!GJC>)BS-#XqAFWI1Q@ARY6yN{#q2&oeCedEuNaYWSjZa) zlsU9iR2|qxwa4R0t(=G}r76J%?^(dCQzEefaQZ;mA}#X-IzgNz2q4wPPXNiTKv`j+ ztVDaORSJ|X(cS_)fwBVsLrWxE-%H3vMDsl5E?YEIIEVW-mGDQ5S7$r#J5Q_5bMH5# zpPAVOdJdGO1us`XtJ*fJmg!*1$IDqX7AVVAo#O-mBxOm|jn5nAOb(7>L z#-FHN;`j;T<76|UAd;7BNK!tn^HYdr^7ZxFHemG#s6?HGaVrnZ!rGsSITj_~xbp@! z48}zsrG?8BsCj*b_y_sdSV_HmX+g9;iisb!Ad-Ah15w$(D@T%VQI`>i(%#N5&6VeA zZ@aXuxn4WX+{H8@3=RXC*Da*oUGpVnj&}*ws^`$>H$lnr@Gh&QO!aO=j?fvgmROIv z{t1)HIRQ?D>F^l!cN_%NugNFDQI}DwT;`<*k}Vi_!E+WN(PVjPs4#-%`N59&MzUiA zLba-7Ur|z^wB+H7Cx9W_-u>`vTQM6-@B;2j?4M*r3l_kw+SUTd7$Sk@G*9DQEAmdR zLW)lC0q1!!hr={~iKd*#GD{;TKy9S#PRvBAM6E>cEcqvPJg-(21U3}JtyOE)(iQsb zvD0#IM>tS6$yzt0V;*AZ5Q(Ls=fr%1yl<`dKZrqGpf2V?d@H{=SGH?!xisG-gGdti zs^^Jv)Sm@&{-9}q)Bhmm-V$&R5-K#Gl~@kVy#|_u`s{OqT4$*%t-*5*AUYOwhl;U~ zOF~kN5E+Ts@$>h9POeBqCwT*d{vMFX6-**AM1(}9YueBFM_C?zM*xOZ$vF-=aKhCJ z9_0X>T4ow?y)cxto0v;LehxsYi)qo<-U1^6y|?8J@LEbT3^2r9t*4G2i|MHUV~=d5 zI{r{kw8AKXlw+{iaAP!oziu=FdFfFq^fC&CR9)EP2enH0Kz~++2ke%}0h{;91IBae z!O3PFjRp6tm^R<~w0jS;XcQe|Vz%`kz%c2;85&l-~b4|gVIsYL* z72go5P}eZ1mQZCa z0>?OD4HcsBUL9b_>v+S06uJqqSz=s~m-cYX3zW;X%%^~|NDc+u6}e~-PavU`mN?l_ zVB5PAbfjYGVdSH>(_FKKHkT*#S41-Ut)UlaHICXGvF3m#G4>Lb*GcJn;10t57EYhf z{&V9bQr9;?-po9Mny{YL1~9Pb20(|RXtr*8fe#KK#X1T3MV73`si2zic-|97)DXVg-gmsRB9RjAubb z=%}u~5Dn&vUh5b!*QY4pNdO?&TP?MacC^e2ytAaU^bVz=zP?^l5ShlKksg?8OeDD= zaL3Zc1WN)?tY3}-1wwmfG$h_aKpwO*IY6;VS|xo%#AIO}LF-jLRCM))`<6o(EqwSRA&fpk z9U@`05HDc$EQ|ttunbwQ)wV9ldr!!aJYRQ}hf?=_opMr=DUO1OXiFI-j!s};!{X>I z$X;w#lz)21Pt>X(b54tL`d>gk7dLJheEV>dE zdxvRTcA6(sq@HpP81Y~$RAk;lED4xsP}_oCfZVoX&YkD+wj<9~-ZNBoG3hbD7| z@4YnEwb3NqikYHotNr6xjW(NNfv((*5wHY5`;*|~Ny10kSE$c%`0y59k3=b(ru-+N z#6iXXNR%{v5=wv%mTZVSY04bvW0WjS$q*oV3mIAr3n>{%vqN&;T}xA#htC$vN$tK} z(7WrLfmhP?gJOZH{RwTrV$)2KC`rBzY;i*8<`%!EDc74z#hghNEv_f;!lst;jwB=1km$+IxbOs@M>W`g!erE=vYtb~%WS-vvyW*O(8#9F)=|BPAE95;nX z)AIr_;yrs4sF>JD3Co0hpy}P7aL#~8CuJgSu`?!o3@g^V|0!-Nwy<6+b^DpPZqotW zkXmU~ORf2QW~N*#NE|%zEG8^Vzo2lP6EeGAYvK>htfX1 zI#b7`%sM1tA;5srWBuTvG*pTZJxu)@+ebj)YsjBVswU+|XrqJ8qu3dU(?~g9n#>y* z`979vXkCpXIJ>EjjyZx8$8GB&!PUkewm~3H#{%`gPO-v1X7S&1QeTB=L{#A@u=9?HiR;Szg=tPO8gD~xgnkTkC8xqy3 zLRRw^8ftzrahYUe)e*O^az^c^z%`=xQ<<29k^3oI|941Yi`i4XFv*_Ed+-ePCTK`- z82ODuWvne%-x@08vpMy(p)xi}8Y;^`)v!R|LuO3$;O`dWOdK1+0eP!`{Bfnw>mcMT zrt?ix-j5>>Q{RFVTmJ)Cqi8ob(t;QN_}7)I_}G|^PxcFm47I=DtwY73@2IZ@KVC)% zwFXlQp}#&%Vw5wh6`+*iwLwwqtOc8emIBBW|1m5@W2Qsg6-R&ctaAV5NbUWsXt5Y!gzq zezF<5hL(z*6OwXy|G=(kh^75hXj;!yyn_6+I18?XnkgI%X;4_jYA#KM71;+Kx46Zs zD%L|j)tY?$EBdtcuK??xE`3@erH_d74WL->=F$h}D=QOmSXH4}60d4Y*d6pjXSPcp zv>FFQKlC010cn}T7%Nhqk@o3(!2bj@U}8OA_Z~qG7qXZ`g7qiedyLAlC^AC30WvL{ zkHwUBj8MGV`nD7PlX2XN*-Hv#&;-e3TuBCWq9e=)hL*{gjPlL{s9( zfMPz!1oy=7 zWx&kA9nVg+6gkDOr7Ah1(f2VD>XTQKxi6ty7w+ckH?6NLH~bGx zwxb_;jgu$a(T^NKvY{;W?qDJ|w+Ljx*7rqZAYILb_ice-hdfor4^Zu6{$!~>{)p|$XNif!Y z|G&)f|G}c9+Mcys5}M`zgB7novfPavmOcLQTpUb|FWqYMj~CI~y<6eA6<1Mym37An zwEVbe8OsF0{Zpb(Y$!5G^v-`pE{mEWxnhPKkDehTWVzuzNRiQ|CZPw+s?@SNbuQTs zqt02Y>Opk6)-yB}0oc0IN+RE_uC}T#-OTn%AD+HyAbac%&_-m;buYO{-#X65dn%rOxw5&mo(farR!lNtuLD3e2|sC=sn^EM)X2>c z(Yb&zEQ;})u^q3 zSU!)iWOWafl69^Gd73wOVtrJ;hfV*?sVq0qKdlNB0g5H>Lg>1N*n!Y(1tKUvZl?f9LA|Le>%djuAsI1P1i%q#eo?0flp6p) zdIj6rC`^+H?U#WIb1yE8Y!XQ7xaR{h$6W(f0mRLY@Juy{4*ER6HH*2*27PH6+>_cj zAZLe?VPmmpxL~b3eNRzR(Vk%(k&NZPx;3r$qqWM^-X6`aB$eO%>MC#z!XCN++9P^9 zH}LT2d7$tRF4(2#9S`(5#t>o}gnXGpQjC1F_b60W+G4V%juCnHa`wDa!8|A|Xkigd zL9KQ`e7he6C<_8qPs2K9K3W&zss%%3ZW#iQG(pHe%zJMs^4K1sdzIWDllI>tkQo0* zfq&X(@P#HKEW?`m@9>URYq`-KXjC1Cke^$tu5fTvAH#taO1acv@jSdEbStC*M0J{K z)(Lu91FM_>E}iXxni8HO+4^5VS(W8veGlCCG{san;+dTgN=rG9 zLr{)|c$sK5r&cX>__ZXZj3@GTh7?BA55Ejl^s282)1fTLWglzXEnUYfCeFBA}MSrV4^x|L#BZtdKVvDNoa4aeY zy7P$w_xfQiGjaoFF&{B{2M8DtHr0+kVB@V^o~ZWFwP5?=NZuhZ8z(2SW^OBlgvdpC z#Dj?ZnM+VcnQ0nSsbisfY}E8f>Ke!%kwxAUfCp=ipiO`j!eJwkJknjDiCV^{Ab2aV z!j!G!zONEpqYc6b=w1EDMfmDo#{^9tXu{TFBDdZuC=*#&NbQM$PUU`;Yi1AR<*DTy}Kemr2tJp zf0cw9NV_p-SZV+6v+1Rz`&2ZF7y2c0*hVAkP)XWMCyeIZ3a z0VywI72Ry2Mz|+KNP(3b!$RsdmKZCbeV|oMo{e?L)_<5vN8H98`4S@HRwxvX>A-zd zZY4?eDZ!_2z%I7LvB(8QLKaNA1btFBbCAp6!7FuXyg2@TYirU_F^{mPxD``n<+r{VVab4o zl?W5EN38U+(h*dy$Fta>E+g?8@-xvhWMzMkL$dXyA%sN#_ACVWCfWU<)KSJR^h~-E z$Y;eY$~Kw-mFKBfffyxdUdLQKSzQ&(7nU*@8Q5_tx`FJKUdxa*1= zf)}vj#gU)D5AX~X@qA1qRzFg=iM<_1iT#Acw@d^&f)&>ikVZ>;X&FV171&kS`W{8Q z!S{f9%#&RIxJRDmA8)qx??N>6OqMi@?fYe6-p`PU$lHYZK zNS6$C!7#LVPpbMVWJCKOB^Kf~1E!XXX4P9f4wzb+Bo@rpq(qTZ5=AB_inJt(Oi2`( zibzmlE*j^lj{TG`O&cc5WI_$Bld($w3oTw^D&P`pu@#q}wajLL;H2U?p{d{>;Ex(; zGzWZ8#y&BQh;(svC0#b7iL_B4pE}2UXjsMcQ0oW~i#nvf0?rj_lMPJ~ojd7*RcJ;H z0>|`)8jS{uvq0paCJ@pdl%%t=KhR|US@2;HRG@eXF)b2z(O0^-63>+Y`<%p^VP^Cw z5qorj1rQa6>Aa7mdmR&|W)uXjEC5ax5Wh*8$Ml3|t`GAiWp?BO5TczoE^Ro1r>{k3 zS}tP0*bq4pX+Zp*05B&TX~(&YcXzxrF!C`;TFsmgWzaY>f&^p2%2yaRSr{fO zkZhQ06I9CyDhy(|HCT2X7SSVAFj>Xjbwigyn<&T=bUIaO&3ip~5O+8LV$_!2Oy|o{ z!JV;LNFHH*U47ys>D@Fjaku5w;7b>TP_mU`D$ncsAz)NDA;21e6i5K3f)v-SMI??* zz@&r2KLg(860b7vNn21P4(*^gV$#N)o^c3(R&aXQiqLF`zZ_-j{|4wm*c0RSCy4H< z7&afN#nIlthUp>y$IbE^(2IiOEB9d0=jDSAHC98r*Ne*-Epb3N1rRXbm;?^_^Monr z2Qg#^u7yaFV^$nac#slo;xJA$iZr+O25xgHSL1T{%WSqK)mUk3-dBoFDQfKyMD&{hebuS?Hj}@g6khw!S@>DW+IV4YT^v*4Irl zXc?V8V5Pkqfd;VR%YQHC>QYL?9Xnh9cD$*+CB(i~&}*@MNbDi>!CP2gn_%#4ec#2v z(6WwQaoENc1NSjjDah8Vv46%jQs9m>Q`d?)LnilQ;tFCt-!UbD40NM~D5v6<1Zc0ypiRu*Id1Ep0eT3n3iy_U%87AK zgM=OW9KC5*p^ezZMCYl$$1sPkq+IVL%tez@m#gHuIKjrep2$0c*MpCu4%CI|^K!&` z^E|CLp{EkfywD-gMkFKGXEoD@l^A9w9Ru+F7F@-rFWT&faA%IRmn1#hlWhpi)Nis2 z{^x&iktA%MY<)LV0o#`nfJa2SEfXzMGW zhLIQbj1P#6w*Dg&5!w8=D1y!*uw>c#{t_YHlr7-1h#T~|l=vuub-B**Kv#yKx`qg< zTNx$gEQ_GN&<$+07Md+A5iessMktMy9ify&8W9}JxHlMh$H#&AVpW6%lyOUU&>&@f zpTiG22>?B_H6Bieuolct)CRF{aBn&{x<$9@;TpCe zUlmK3BY5!&p!t)}<#6T&iV>SM^jEwv;}_?Lbc6r!Xrl8&=##|fv<@Hq6@7~ZM+^9F z)}YJV_Z_wos9@1K%{&z$e0ay+g|f@LA30$7Kuaa~IceZhsqFeeGWLhojVd&ceX*Lx z-ZY@YmgvPv;9IwU)N2T=o}kY&1Q`x1_(^OvuwNpD1GLwVf#CoUUBJZ9dmjUcNN^GV z=6mNtqtej8x@7MntXIYX1&(P+_did!!TUa%O9aqq|q0CQS;5;4Qh9VM0EWR$qA9ld&7~C1Sb1v^=Bs&~u;PBO`GZEH7xdw=k zZ1HM6N~hs;jgzk>L0an)G|ILjfM*rkr}k2P!k9Zo77_hr?z$huOES;^+b1h2`jI@> zBo;KYzGGCMuy2p44+q4=sgE0V$+Nvd9;T>`)1(#%qMgs`GrsXPz47`6;0<=TLNgj| zjM5K816lbg>wp)}=QBik}^Q6WeiXe}i)N(!@ zoPOF|#$_m39O9VlhmdG|dnDXD6MhCiPlJi^ccTcBc@P`-(NXSRV4bncGe@u)c`m-;)^3yQCq~^g0 z(s9cNJ%Fee%PP4A(O;b1dH)l7DsKh#C$kwa)Aj;O3M5ogF)pSrwt0`f2jyZ)9juh? zTj*^J;rVaS+bG^nP+3wNL!932rc!fVfQ~=U5}3=}-AFA$Dw~4@=Caj@5l?zf{#aaK zE`2R7Fqc0UXQa-cRQ_C?5p$7XCadYd+yXLdGU9)U_(L**OpGNkcQ3#@d>*f6j-Mch zmO?XCUA&PpvJGJHd&CCc(o$$aV!*xUjVNlE+wx8rQPeU6^8Pz!yUTkjChwC`dFfb)^1jGUo!O-V6bQ{uMr9T<1;u8wSjO zJWJn*`j@32!Y)$YjPKN8Ln=Pds2#~bq|gWI`(0b#ubDrBha902kO1_lD|kkv-G+0b z5G&1#XOmH*|0vh5JSAwvYX<=4Hyn^oecMM%oHs{+#-AICKSaS*c}!bZbWs`ltK3g1 zHVVqr#WXohNN5-tP_Qn+=^P13#F307(pP~`T zo`w)LofcT0roI%jgb93;v_!ha-56pacuvtx8o9rf^feFcs#I6qhcBVABzfJT$B|Vd zd+5jT!lxCmNl-2`_ewL((eA&{GlRyo(3;$34W)`#vgkBh1AnD1Kqti#Gq;g$>!T}L zk@{3R59~XMNDL^xrHAjMFt{L@Yfjqzl;%uRPmp$V z_MXf8UY9fWB=x>xPqW|ok}|ERw0Ehb1VbtGNa?*xl4q6SyNLNaCw5+q_CikrZk#!W zkz|7FJx-(H$WPf0aFi>MkG|Q88#xS}RqvGd42`b9nmK(;<-JMaVmyE={HM(g;UCC1 z^&wdG$*BKcw8CACK*0r|AV;8punjC^Aq!Truz}O1rPL*5V#oXD)tyh7rD&g&Uuca< ztPoX7KkVC-xPm4S@(H zi8vCz>q-{F^+UxO6eUj6c@E=Cl>M(O(>Cl|{&k)X>MITVdXn_@$hay0T7KoYe63KE z&wnb4Cm;Pfv^qM~8OQCZ0Uy5TJye`UZS9$YBgBV?utug~8b`LiOsh-IzzMQ@t*j50(Sm?TIpn`MMe(TXN3}fjC}RkcsU-d6aZ zc#d)`A8AAm|HWh_`#H$P2(RL>#Y`{aa1w4?Ak){EkKBsz{%LJe`ekrnvPt+K`;!)+ zXFYJ|kmq(hU%~S~;oNwaQuSZbl+;xGkNqW?5y`2kmedqtI!vFr#NP4o*B5b0jg{iv zeBJ>mmkX<-C&V06#|*_tnMLdjp|%_dZC3Sfg2@eHf2d47N|+2)8Xp^@T!m5J3RC7o z52zoT$$IvyRsImzjHS7VAq0lfjuPH;&t1E%-HDxWsqMKEij)UW@r|*&E0Y zYN4BGWb*bD1CA9y2OO+$5u%WTz5*ulJQkCOE@>cNh3GTrd<9V@Y_OaYqQF5;fuV(7 zDZW|e9Ht@%F-gSK__R-!p)RTvpB@<&bv|y?NmUu2F0-)p7A@EQS2eexE&o=Blzs+I z0y1ueI{;@c9(eIDqdmE#T#x1YQ}*x4=0_PLD$w~A=;0%L6L;r%=-zcjtPd8GxVg!o z;v?IzB{t5|t1VcR@@LZ0fDglAlI72QhTjk2{llUFsqD-lkON#T+<3}^5PTb-8N&buoIHXy)fhn)5u{Fm(6{q^G5SnHxp!LpP%4?V-U&vV zu(ysLxrpg^3X%dD4as@*v3?qxVyE z@8BVPi264FL#P#2mwK(+xYi>)nQ+cbhfI*8)Ipqs<1ayEY*_0?b?(7aLq%+>W>yOR zKuZPJ7XGet7(}xweAhW$zZ0Ku=S6=RLniuKBqJ=z0G~SlIQH zANW6-qLhkH(jt@mpV&D4j^eD()7n!M+Ux%aEBEuX0u_zypp_b>XNW|;A&YjfawF68 zMI-Bw4raO(K;^-`C`;+Thx;42SK+Qi+<#?lCIpD{7gA&$W(``TY)R>0)Hr}4LNRUn zB8@$04Kc@#^Q*t3W96eLz#Po4W!nCNPUdXSekHh-aQo;9dI%0i*IAHz0J&Y-Vp13x zTbDGFeQ+~?E@$#Imm@m(TSySm%=TC z`ySkCxclMu!AVI|NVZCbv+!F|N^0s9BJh0BH+R1#?SCE7J|`u4MB~_vz}(>f7Qd1*(L0cBeRx$o_*3`YuTgh2iZTz{#o|Vuz#BUH`yO% z{}lTt*gwvG4*Se?`137VHpxp`b}sv5u&8C{urmv(J{o*+hC; z_AvW&5nanBt9UK@4Etx}Rk~oKef3!@iw; z2m2%;YT5JoJ(qoAWLkCs`-S42^HlJ=i~Tk1Z)CrjeJ}f6?C)T|m;K%B?`3~K`;W1I zko_mve~SGh>>p+S82bb4S76D|vgyt%Xoh{d4Gsv|rwiv8U-oHnL0{PCPqb#!pSjSo z>GQwnJNxw2SuLCX{s=~yecGg9l-Z{n;aWC*+gHn;;9ifjf1dp@_D9(dvVV^Kv+SQ? z|1|q=vOmoJDfUmW@8X*G^7|V0*Rj8m{bu&P?6R(n z-Lw9sG^rKm8heMQeDzhnrapMtGzL`02N%;?@rP@y z>h0>Q(5|C8I@TG-5f$OYwrBmXHRWG|9h4n{NRZT8gRN78H=?prt!ds|>ikAT9-<;p zd^N5(OmD$A(ShC0bK!1JQL2J_0DJIRND@J921LnhMu!1tCIE$c4K{6asWqTc##f^Y zLze`%qL`+f3kC_h1jS+{Gvz341nVegOnd$#B(l5SB>P5PrBPd}5(KxcM9~r>j2`~PgX-P^-um`g#+|&bX zNRX!IB^7BpF?6aX4KLnl7HI&xX}n^Q&ccH~clPk81GThX5&U=lmmDABMN1)-~K)-|r z*iipZqv0IT@W*u?Kn8YG|3%+Y!hL&q)GqpS`Jb*oXFs(+pkrz4bYkg>#qUXz5T3Pl zDprRT_;wy1g@9*y3OauI}rab3)vVh6VLGV_3afp|F&QWBNIMdj^%85MZXdX^i zUZm;-q18A1r0U-aUw|$J_Zwf6E&Z=5*9X4@j<24`e@&VCTs0Cyvk*Id<|Sp4^y1m{ z87Bfvq96X;9bnqrz<&jVX7r{0WyGB%Wg5@gT(k>@NfX*@XQ_S>Vg~s=IKW)^Xb$2B zkLHpegyFIVb&ua_39PULaq&=urXWO3@cn1?L>@jW^~-DCIKgDkasIQ{wA$~v`2@uL zH%{cG(EQ;T+xH^0fRD-D&=pa`N9&e#2ifQ(p>Q9Jv)$iHb1Uu79rbUP;=#)QT?< zQ>_m#rN1w$*pAM?vaxw-QI=vklC*yCwt@A7&4)-17_1LIgVhK{?IPmGYk&dOWeHjG zhh-p5ePzt{zwlRvl(E|eHVhs~+AtXOivm-F?}H_WvVxrmyMl+|V?~#fZyOj4K90bV zBz)U2IE+U62JV5NF&MlIphES}Ii`yDslgj2JqlihS2TPj^JwPg zl^L`S8LJG|`Z@T@a_~CjyXPL@_BU9g0YRE~3HlJciJ}LC-{)FveGBj;fWAV}BYz1W zZTNSRUE|9s>rfymIFnZL`;Y=4Erg@s1`(K!a_gvE2p`(}rk;Ju`36wXPY8M@ zBka)(GJ?4`6lIuN-}%mWenRC%1d50__sb~+O%eu(rc`T6umK}}3MVC9BuhL37DluE zs2~sY6Pmd7hYIj`_$URKOe&reWU?ESk*?eY+I)`EZhq0VD(J!zP7<4ZgMYh2+HtME z{2oc7kE@NUQr^jjm!R4K+kqF=7ip2!Gu$>1Y(V2QZGv|r18T7K64s~X4LnD*_7?)7 zy~}6}BssMgoJ_eC!^|r_J%5E__uQi+-k5tSge6QrWO(BQKG~y84So*!LNf%iZ=f`)kT2+c&JWGp#K0~_R-5hybN)> zBmt;}6Roa5|9(z=k{~&a!9WQBGvs^{B5L7~^C>_q1)R^|suZ{)&K=fhAHKKG`6LKV z^kDXTAhM64lp!&Q4i|+S1X@mmByL5gPoai;_)rnJ@sF0Ymh5vLqvl$O@Q&lVMaNLc zg5npP*q`9DP|nd%a_jUpM6A$ok&If7Ivw>N1nAc&Hr2wtx9q- zcn5fnw|zHcGzO6dh*+-l@RBB9`&np2wx=g6*WfRuF0-fn)s^y9%dVwI#9|8(9C6MGDfT(o_EIjYN%uwe>%?VE(*7UjFZWS2n13LA0H&zNYh_xAFDW{NHzv zkd_pA(;wYG1ozh4`e8rWtDR9o{-1{xrXoKbh41NVCP!w%WgraFU*TRJ@D z=$7g{ySU8Lp@7z~R*Rzh)}IL^qw@iuWya79Fu;}8Ky8{*j9RkCKBw814WuSX@^#BL zrcROMIm^1}k-5y3nhYxoMB*_Ok;#&BiMq@SnEbCL1^5N#A|hhvc?dv&XJW@~ty9$bK{XUiRDA?_ytOe>?lT*{AIf z)HLkV{zuEE?GIEr>`UxB*e3xHsvq`q*(Z?;Y9011?AzgE@<#qQ&9?l@nC|2|n4wtl z?MED~eqft#ah${l_eI)O{!z<21&%eF{bwKA>>qzfe#5x3Q_hR~sNH{V?45yk>Ks|W z!1oe=f$4?&xpdE#7)`-HkMzIZbM-rO9BP{5;okwny$`<#ZvT*fSVFc8|Lam{zMd-L zPmB0>rBDWC`0ypltsH%4og<6f$wAcd=iek4I3Y>jh5HiR=Z7Ten{dbAhT+b^9Yy?X zxLmkWxQ%c-;OKYyr;_w5xTA3Nv%f4!^WpAx8yxVz!*h3kf+KkWNuxToMwz`YAM3TJ`dYc|~N zaCgIPhUH32zNQ$BY?XEt`5!%cN^S1xLI%$sPngQufiRL`!?JGxLt6qaQDKsp?{@#e*7%( z4tD~$IgKa%R$$UK!#x1^WwZWi2y0gOG|D{#-keG_gsoD8=H?k>1_aH(*!0SEnPsTOaa z!N*>nbVJoUTBK@Z&#tu>EU?30a2NdP(iV>_m3d^Jy|KgY>5#j7?3=qg+wHQ~V{d9~ zg5TMVm$o(^M{RCwk~=An($OThbavR~PJ35(XS33Tj2)hZ7?&1bS6gF`REl!Vo=wV@ zEiD~ekk;0-Q1ad1)*^fIsydrJ#{0rzY6NgKDc!!#Zs5{cR$gT{o+ZvwXHAW>#0ZyH zRys?{i|U+uKIfX^iq*B{^-ig|QEuGS=%cD|-@M(^smM~ZNA@(yZn>w+W%UuRn* zf$eVdZ1uEBXu0V=x396?ChOqf@pwZf$I7Yuwbv@azEM4a~JGKH1*wk(KTad!t?S zdOjD)UU+M6F2lJT{je9CH7<0!TRK`~x0|!kV0fB=X-O(>?4Y(fyFA^15=f>R+d6%K z$3Tb3S6x|I4$GOE>WYfxMa3(rY*VMw)+{RQ?AYq*mhH2#LwpxMfSX zXA9uH!Dqk0=-CbSc8~1sY_=PPySqUQKG_2-e^PnMk+>{?YHVwHfbky%XH@$}uEce8 zfHJ84j>hgS^dzdMr>~`2auS60CQyw`1a3?SslzQYo6WeJ+8TX6Dsw02_PEU?sw<|R zsI(Rze#q19!IWz9NR0|`)QwJcyNL=mH8$NRRp06J$nJ1TxK6|~XyG)T$Xp7%tGg59 z;PbgLuFY*?yfIXuX|6CXS?&e|;b!%AV`DML%szQKK>viBw$4T(2ieo%V{(v~$dRvh zRR#Egy>nA5rjAb_6O_|JbSx$$Ansu1Vc+DjV;DIRq$t~I*6NuS+UtlsQyY7@P9@w)&vs9f!ZX=}=5)?uM{j`-@HCptz!^c`x!Jz0 z8#B{R%x$5)lDG<>6fjagy(;6`-q_J&y!)EETe{>3c$$@Vo@Z{1Mzdkc1Rjos4O|ZWG_%`z`gb7-ya{OrC4^h5uC4|jZEtTuzq`?jKD8vdQ*LZ? zqgHTEqV<*zHzrDl4{h)SsEKC(Of9_NhFQMEd>mzqiJyzbH;fbva51;b7{elh!I13{ zZ7h^(0FRvjnmmi7^COdY6%#i@V~zF>&o+~#EhKthK!ecS*v$)1B0d&f)?{OGg=4u@ zEz2GzV>3r5wjgs8kDGXjJCc_WeL0EKcGU<%w07(6&{cU%GF-%he4^`oJ&y8{>y zG6%xtR1*YK4+|mKujzfzgB&*At69hdvKrfrC@#OHyG8ENW4OME3@(x}8o?hswwPtA zI^|ldwHOpnvk}?dxy^0J-P9Q~KtMfn6`#AZwvqj<51>+pD*#S)0639^!h)~KdNh#@pgg7M#C@O_poNLuOWG(={U+U$|B z$-pGVo@${qikpy0fMEj9DR`#+wSXxLPl|WoN%4#H@CrS=4$ox7Z^zSu=K(xZ@H~QN zDxN3soQmgJJgs=1$8#EV7NrAi$&slhG$J2)Aemn_D zPvCh8o=5S#6wecQUWVssJTve-hbLLOoX7KWJgvAReFdIbcxK_5gXfiaF2Qp)o)vgr zh37gv=iu3f=UhDd@Vpw&$MC!c&nNM;<9Q6vYw;Y$lLc_R)2|wl1xm+#9i7{FomSd` zZmiCCA+6Zl&oq08+tD0dU01qb2`%W9@rG>Q4fbso%GTMRM7}*YjpI9bR9uw5S>vl^=mm(8RNZzaQ+^@8dR$x<) zy=3`kHiq*_NhNoJ z6U?_awxNa&h%+~m3XHSR>OuTs3#KJTM$a0zlo~J@5}1(HXyFEST}3suPIrm3xT5YJ zm$Oz67gtwQ6;&cg>rQ!{(_Kx<7yZ4&S#^)`US3vJUE>U=71ubS<#Lx-l{nWJdGxrt zqU9CN*f?jUOV1ovM;)b!LX)J`l$Vt`YfQL|cBou^xw9d*EhBqOJZClHN}Lr=Xz9#4 zOKPga02=+LI0LY#xQO1w#p?y)<4v$k7`T437tyfP>DeRe5j`;Tl~>g|YwE&%aMcu* zRThQA7@`uRty=WAI3jOdO;J^CQE^>)b(LA)YF7zqF3oUJU0qS}ig38Z867UFsB_jB z2-4xKaSDO8?k!c($!T0Ks{VrRPS_EL&pb@jB+*3 z;?*^*U=7EWR987Ax30{fyv63e74JIVsWsFWl&BU!Ji!oIGbZYE8$km%cVfM0!A`yYGb5qdCS%VW=epgCL=a0t0fuQft`%Wk$Wpe1G#*3KSm&8a!w z3<*shbwOG#U_mQT8j#e$Qto`nce1?)`a%Ol?Ax1LSf|toyyZX$gc^WK&~Xcw@!d#> zCLLolbd#iI(qg)!6=p<&#MM;Oc>1y8~1X z9abl{Pozqu^;loh=@l%BwtiqvPF|`QPr@7ioOosw^0V-Z;wd7fBQx{X(ktz&3gP;m zhC758{ERf(6J@|1N80h2G}=ozJE{st5?5I%@p6c&b_U(`@VIH*7?@Cih1j>Zd*%7-fim) z*1oW-c@x7xdo*(NqkUglaa{#L{;xZ5-b)*HM|%e+?#G!WHmVC-Xp8P(J16u}qCM-v z+}x(kI7Pu_4-qb|sdKC;E~0X{1rix|FU8@?NJLyY=krF#alW>wI2Y&ZijL!aa#UO$ z=i81r+Al9;Sn4<*Oo(w{kGO8?gCt?B1RNZ8__m8^rlTF83z5(9zyl97Z{kCuzcup9 zO^)&+ZU>fRdL0yZFSlcjjH?s*U_}~DdK|+*@sU5e%R}K|{b_{%VuzRqM)=K`^cg#&(<95@v`b1a zhogFp@~0!pzt=CN{}ztY>4zkS;U(ZK31Pz>Mfe!p0Nj3z`)hb&r(`ViT|Lc`tEZfg zVf8rJQ9MI=#Bcm3D7PQ@{Cgt?wgx{1zQ2Tefp_CKfjC%fNm4}FtA{W)h&vUL?=Hl_ zj!Uveq7fHjs; zYYi+>AYvZ^!zqDy=f?3*IYe;S1{pEbp!5|Z1oIt{e!z$+@wADU2f{G8AQz*R8OT%A zy~XWn?Dl!;XafNKE?REzG~S0}T{o((@odI=Z$W=3V^!x$PY)!8W}oyINnnBPB(A!} zqmob4q#IG^axw{V7x~b8I%1HHA`Y^oySj-*=w?_{MfAIbb+pjWE`dZym@^RKykBW- ztLrSPEiNzDtNMUyg0$+cZQSaq6LvbUqAvGxQg_zVdAsBUWTiO5lL0|Vr^0qO9f&I{ zuV6vbU4yLxTL;Z2EK|3sr_u_u9F2rg^5qD80J&lirBT92#DG?^#Y%ZIqJSr#^j*|d z0sWM_mQ;1>z>HS!Ybm#UaH$$v%8IS0>3>x@5rlQiuHlIO8l_rElanPv~{6u@@ zzFK7yo&LkVPp_rM<_3>fHECdz_!pk5Mi31gkgMmn(Y zNz&5>WTbzUYQuCCNy|ppr7eKU7{Vf-7}wTt8ML=tw<`KJpkOR94Yx$)DU#)GgMOaU z+b_nrbxU72N)^FOqoY}RJfgkQTIe6pQ>gW%ZyEW_IdME9r@&xcxJ~Md7)I$SDhY!M z5D-0zI+_jaL8c*`GtC%N@mU?Zs?JJJI}GA*hJhHKt$NEwKkB1f(`hLWxy6hjx)XWP zBvVcsATjCIi47t~^iqO=N#DJN4vEEUOEb;_r8LwPJ)=>RIcKL5Md?&aC|`iui3$l9 zf-aOWgyp`vZpPG~W3KB>bvEoz*%%g{lAN4K%^)rAF^SUiaU`jGx8 zva~*XpG0ov#9a2dh`CHu$y6vEr98wHjnU;1{-F^ocqPSQLWKEc7wdEK?pW9?&erq| zQ`qp4&YVbZAT2X=neKR-kHcn~FUG<#)l3mq6Yg#gnW3@VVOkc$W)>5Ztw1cX`AMIO zO_KqaI7)OQH(4OBGvf{GP)Yg+GcMY;>!)Ts*_gU{zkH1uw@LB!xD8`u>C0xk-W~wF zeUT)6F*d$g2rxf42Qa8>upl98KYwZV7GwI{bqcZ(7RJ+NR2VQ z?tqR}`fD>**y?@F4C}CRJYK?@sBaFqFaS#tUj`)mDy@D1qk=y7+czC#%vKI zjgvZIRp&5M*dC61&}zoT+H8HnOo4(m#=3Q%nWpz>Q(NaIX~>KfJ=(;E%`P)GvDI0M znXY4;j2`t9*dLo|Y_27}Y=-p~s99;M8LQX8rp_nLSdmvJ1j%d0x3z52PY2vWbuHay zrU^R-K_;8cSUM-hR3OE<8+vz~7hh|p85W8+g=5%O0@IUElNZIt%QWCO$Hv0oqK#9W zW(rLNqn2CDSRF#0?sH<}1@fib*m$itlSLe^i_qTpE(xoLZdRbDn4HQ%y<>YvcT}Nk01Nto zGbmI9&A1+NjHtWnDlN;N!WmYLJri7B``9B^qrK|9m4Lk*_5eD8L6#Ti zNDw&8rPD8*i#Fk^fYg^#XY|B~k{(Vj_vwMo?oybEVtjBe=_ACKT2|4Co(sEB(s4kR zfwdK_%F^ZWwU;+bvm;`K?2bt3Un#b>2ZY;R2Lu%P&;bvkq6 zL_(jmA-UWnidqtLR?z*P2LNpe-%9dy8&IC&`eDB=D_!Lv_6A9&7$LN-Xr$W_4U)9d zSySb#$h*y;GxTjH-1uG z`~M3#-w)W&-imwNw}tB-|C*FOhPcSKtX~H{BJxD0MZVLYtRXwrHE;%w=x^Ro+`5Q3 z`g1iDw=p7){wxi}fl-)c>Cd@PoHrtl{>%);k+GlA2K|W`itCDqqd#3kaacCYe9}P? zM~81l*$h1nN1$e0jvluHamH_v9#>&RO!Dk)f$gnV;BP+gyZk139An5xk#<8@^G5NAaHVINDku!VbJwz(MR{8)Pru zpMo3K!^iL*giBv2@=M=9+i>Z(i0}%$@A#^eUU<7Ge-Pn5gopL;3553}yzvf^K7sI( zZ-RabM7RR)+u_ER2>AQ(eiY8NRD@69eGbN?@J=0Gyw}0yeomxs#CsoHA;L5^6plr) zF=iB>4p@5i47s!8^Xf@akAb`d`7rNX7~80f5rHLdNa;DR1NT2qoF_LUaePD-aj%j6 zkny+C3iTXki~jh!%*xS^12O$5K;n@)&=A~{Z^5P;&deY4G6uZIM15*-31Fu=W`#5Q zRHDa`Ert>2LL9wkz!|@FdcG_~82P-2!%;jP+naI5T(l$Z(|$z1M`}b{=kXVVnSS+f z`V)eF$Mi7MFXHU=g8oYI?uFZkFpkJ28Se+-de?~br|?em*R@uJ-$XbFSBNmdKaTet zz#kcoh1ZVz0$m$K{ku;iKf;n*gmVxsK-i^+)8EBA!ee zlK}=}7Z$ev&B1mA6|$xZ_ii?$LLuEoT8A0M$T$eekgrMHk2l*z{d_q)hjyiOM||yk zzD^07>-o5&9=;f62?I!tyedB5j+^4^0Y8il*^W&I zfGqi8%S5Jbx;>Kt5lr)7iFcC`ylJ7`xEBh&()4+EV!wq`hCAm`ankz$A4Xonh<^2) zQX>-ho-9Oh91{SC9n))yD)E3Ejhk(-%>ppEtbZSDzVtnE69i{cM?}~)=a2z6I^q;J z>|o-DA~f23`;0Q1m$3LoEffqe17}4V!krkEW(3d#{}SxQb4)w(gsm92>)DvRovw9| z9U~!-fTgy?QOLsS&h5CMgiQf#2itCmxv*%`FI#)-)H@mF0=L3sKALcGTiu8k)phs8 zQJTSzsIzPE7n+E_(XV%N{G1XgpT+<0$+cbog|;L6VaHz@Fc|zW>cY3ej9^0GU6ZB9 z$f>=0zFhs;d*+ktP1x9{M2=$&_Cu~>45A;g*(3XzflsB|^$d17K5uN<$;0vEMeEZ4 z%U|08@N~FdIFii|!aW0b3~m^X+NLl)Pkklax2GNx?*m`P-UV&~j`GmYNTc^1dOYPj z0XH0xZxn0idAJEUO1FM3TnEXqRQ_?ac|>p5m7x7ISaT_#@uR<#Y`oK7F{by(u`<%m zd{3m&{&L0J;W9@0a6~;6XY}c_;Ok68S(43-I>)wz-;FrqsXS)9{rMS>fno9lvAXT(C`WE0ydv~X=bF;hv0?(a| zzV?M%Z=Gj{I;~|hw6gW$?to|wRoU$YID7ZWq{;e>wdKv@awrMwe@HHJj~+%0T@FAi zo@SiWZ-tD44;q+>k;&rP9|W8V`m&Clzpt}wUZbzPV{7Mqp6+>erKPBel!(jbZ6@oM zdAFF=6x=d-BL%lafmCpd**7j;Kq4T%?Xal@9~Sxy$cxHOXw-oyz@aHljQJ}OVYp1w z{OVeJdGoS)4|;CPz4g{bi|<%)>*7VXFIbe(=dtCP`39 zB0&%nD&bVl-5{W%s3Z zO0fT20v1LybTC6Zu_zRCB5{Iq;;5h?Czc37VRQ%z31t3732Z0|V*)YUDJU$6fV&7~ zo#37*Cz1^dp->=31#%7ULUj4Fbw!t78sd9XHc0ee#x1DM5O~fL#z!M4`TP6(dA!yV zV5y&X4`f=XNy6X$GGFNA_Lq6e`oJeISua^n*!P0Jo#C^3+oyQ>RjmwkU=IAP=As|} z)$v2U0iD-A_ffl3_s0NuTn^>M$ztGLMWbNeuQU9Ql7&Laqhw+5Rd~Sv5K!bWAXfiF z%7Wmtx<*!T+#S-4g!mK)=@X$gfv^V?NwE3AejJQCM#C99xJERT7blB{6fuy(4z3g} z8w=+`;7A-?Rh>?~xxyMQ`Hy;dK-ySYaBcnI9XSos{aU`d9_n({u}Zr^{{C<*21@u@ zJ|T0KG4QLt2O3s@%4_d6t~MP!RSb9k^Dch9hKI}>e$*S1XFxu0$P-?hLw)tpaKCCR zhQmFp$4mcu%nsg&Y6o-FYD;1=r`k^#)WPom$X3pf@1L)MAVnvrV=t&%C|K7S?5J+7 zf69r$+#?4wncr)tuBZAcJppxI|3*IbUDcPMZu1_HSKZ(3Br^ni^{TUv8fj`f*JDk+ z_Z>CEpryvZnMkl;s7&2bYO98*O%9)RpbQ@&{DtRO`RUq;^5cxe?~(? zEOv|8FhO z1oXXJCeuQVQ2{DO5726?H$DenjIYBt;qUMuVl1(kSV3$h{vd7>uZVZVXF^75lg6Y4 z*_Kq2Gs!G6o6IMRNks9K9~DSVqE=A_)II7kQnEs4un@T|`mrA@&sq zizCGtF-hDjUKSsUuf$KHw$xnmkmgCNr2=WQbXmG3J(3zJO_c4FPD(=Qq3ovgQI1rm zE9WTlln0b2loyl_m9LebmAWb$Rcn=-%2zc|HB2>DHC~mf%2ws7cBqc1%2a=-o~Yia zYE(c_G7E@N#>fV>MFi@Me33s&MOkPGT7`C^z33piiteDVs4-@NwZte)iFLt-U=i3D zY$7%vTZyg14q>OUFPIT-ha`n60}qep-noH2;?VA`jA7(RPq>kj=VzNB=3{2Nkht#YD)=JXQ~f1hzg=2 zsnOH~Y9^IMl~6aRO6nQ)hN_{Q>2CBuI*CrDr_<-@YxEuZ5&e>uGe%5TW(YHmNnxfl z3z@Zy1?$9iW_{R!Y$!Vp+N^?oz&>MNvpSq1XTmvf0_VzkbN<|DZUUFaP2;k;d~PSV zkGsn~hjy&tH27w`4d04q`R=?A@6Si@Bl*evTz(a%yU6uWmgO!2G zae##x%0t5IF(A(M>Rk-R5eBwuS!_ z0w06N+Y=~Awdx9ZEqC1g5BopbxMWT{;LR1ktq# z9c{;iGo!)BGr-5cGCHg!+llSZhO=YXTkIEBlhfm@IeWkb4ao51BDrX8EVqX%<&JTG z045%DAGoiaKHr*m=DYE}d>Y_jDZh%}!XM>N^A`XK@A%KWrqEol7n}t`5QJdBLV}Pk zWD9GA&B9*ch;R-NaZfN5n~QBkM{%GSB#scX#5{3>xK%tTo)+JTT9UrhRB8>FK$5%U zCH0a*q>)mZGz}0@AlWN9-~b9;H~Yz;wjWFs*HLm( z&Y+jjg>*4pN|(_$=zFw2zX7_qj%uu8TUJD3e(W7zrZ zDs~OKk=?=WWskG>*hlQky0$UnthipB9~S~_o4`%tW^pUHb=(uK3Vc#YM5RI9{w0--!Xz45?T;BHfjqO7EqnN*iT+ zC9U*U4g{Y{0gu|H)KD3NH3`*l)f82xYDq1N-T`lUr}h^g7-y=rqdqc6cBmtwkSpqj z`k^qi03Ah_&^@FJ-mwxh!8_n2&f~6l58M|Yh=&9ElkhaW2G=6oi6CMsv6|ROoCK_w z6YmKFKsf=t7)4GaXOj!ba;eg!?)hw`jj%uCimFkm97Vtf88G*H1K;&{pJlMN4@oR zy}>?W`gl{k72Y0q!QE-7HIv99a*0A>8?hVWUm05cSOdMCY?c47#o3**BC zF_FN56PQ$pk!yhk+p{>ZU=*9hZeq*WRvgKRTz75|H;fDCmT_CT%bXoA@IxT>Wdhr+ z1-3iJ|G`%PcB*+(p{3AH=qO+U1#G7hJcT4-i%=w#0A{pAGtpXf5|v^vz)FTVS3Dpd z6Ro5aX^NC10e*>$;-eU^fxUTj4;ZdMvmO@0@jPHV|bQC|0U%+qTI?$?vhyWrC z)J!(C=RM*Dcq)Qc>jZHq2iQ=gTqzH#E9Fi3P<^TS)FNsbl?$wRfI2}vgci}H^=LEN znzpAAEz<6^7d-$XQz#urj|UAi5A^5?;L08J9{L1*1{BR@`YLedZMu?f$B>{+gX`LB z1(V0D2kzX->;?Wj&Xj>hy~f;P?lVuBSIm3n3!};Ev5i?X){1S(wgdG;upFpYPqsVT zoAqOdu)%C38_kYo$Fr&IRCYGB`jR@n-Nx=__pyiBlk7S6ceb3p!#-r6vv1gs>^D}6 z)90FU%{Uvb71y3~;V6iYZd@0x2j|NT1f+y=Be*eKJaElqZaV1Tg@Bw~;O0%-4v3!z zxTD-@?gDp(tKjZI6n)9PRP88RP+dy}hiT6b(&|bmP1YoI$k^v|zLKy}zV1KQe zx~BXHT1rc$uWG7lRvTR%Atvykw7aT&Kve~(q5z*ssua}>)dIk1QLWyVrF@UGGNg?R zkTJ3V)@p+sL2>iQ4U|Z9BrF$J3k9HtiiF>UQsJ0zMz|bWZ!V^%+?}QqN)4HOO zXe#1jPf`7T0_Y0L1`tz-X#{-8`MzE+1=PzlGz&EW>)2rq7{XZ073&I&KL87W-pXh! z0hEkdi)Mq@7hqe#UZvpm=dr6`wMSSL*iDA(;!SW1=*KufPlkmEZK|?R*{Nh(zpoo| zz`NohcmzHLpN6a7YjFnReQSh3{Z^u9s0tKt4YG!7Pr>q`)EiLlGbmSvE1*0P_kp|# z_$=rb72zkKUsMHZ%8@_>3;NarB84~6ml#0!!^nRG5e0pv1Y$z%JXHVeDfD@*$=0L;^sCgpDv|UcyOQ2y zUvdD%ln^ok)I=P)0GR3od7G>uWt4)lru?Z0=nt1rrPL8%sY=R%b_8|NmyVz(&;`Io zMWEeE=p(g^^qr3?p_lcHuBJbL>QFGci~(cHSTNR1YsP_b1fJ^3c!RlJ#2PF&YI6xT% z-aAj3tz53mQRXWPl!eNz$|7Y6^p-Cx0Ym@0{XcJkY)h!3hK3BKSyXhk`!?WcIg4z9ICJNZ}Chw`cXx6;Jg&84=>H%ZM^aN?DjWdPm=fNq?zWR zG|dzAXcA=l7oGBNAv=LyGp4t&ymY5ZmF8bMuVT}|a$P@mM9m_E|e*6gRyHqjX5 zhM6G~^^UHIfuDL_6u!m7J#cg=W{Ql}hjmQ!J;ufa1;W!O@GTv+cLzrsnP~To2#k*l z#cYt3I+?zS>GuP6?(kezWLVwQBW8W`U7>?mM zd{c;e8`R7Y=BjW4;RH;`aD&j$29@pSTYtGmCZ@iLFkuWcI(F{SG4KM1+L=x$#QFQ> z+Wk1KzMvhvGU59beM4i$!GpB1aA|n?R~HkxgTxa|@5*b#>gIQtCxY$xYh0$EeYoV|*I9S{RMN4`8{IyPCn^&geXbfi&29O&qnf>!Y`7A&Dl2koX#2_O zhXPEGoH!|%UN23pvNepmnQ6cA)cenI6WTp^-_2^$y2C4-HqUsn_Q8gB=E;HYv&S?o zx$BeL{r-?o_l?#$uG$c4cj@Y)M<*t%>DkreTl2dfI+^-cBBrDa8J-a0Sr*WFV&8)% z6OJanI(cx62B1@(m--2%zOQXc8zY6e!gScux1;>eoQYd{xgzr6e5QEx{+9WVhs`WQL8Rjj^obeHv;xuzdFY+JU~^6;Fe z0~g6Qoi*sO{XDi-*S|wj&D|s$KktH2i^qwsL2VX|I)0oPKDnjt9JePG*ZfpA@m^Cq zm}?JR%MQ0U&gj*5^Em_qJN+;kDQ3TW(cg zBj2p8+2xxY8+SW8>RX2B+pn?NS%s?Om-UMlUE3d+s6Y6mcgDE;x81wjFMM&Rqx->C zS0jq%xb}LH&hBY?wAJg70aa#rbWgwB&C~KVu5@To*8NUJ@bAs0t}YU*|_;#nAD|kbj-udhr`O6>^U+yWI^+NZBp($x@f=V{BIgb zx$#+pLl3`b7FXhy(cy-!_pHoW^PN`4d)P+&Q4kkjZZsI5*?%Un?^^H)uNC~!qfZF^ zi?8yms%P%Mw!?3xa8t1^$$oq5&CbV1AKl+`a$DWc`uo=RTB3WWi9^hWvhRMJCieqN z`62@~_-oxx112)f)q8E!uJI2pqmzPS>)i<)JRF6h4)y!s;4SKWG%nVu*2m*xonz}5 zy4KN|A89o*I{r)>7#ZmNr=%`%v9V6UfllGLb8u)364jNnRZ!4J!E#)3oEqj<6T&~_ z1}gY>y&P{qZk>-s<{5P}ZSlMJ^*+JPR72?!!w1M#U5!=>3uK=1_w4s;l!YK7mn8^A z^E=4AtL6qFCLwQ1JDq5Y?Kj)p$ho{gb3;bYHmjDpYFbyEy_a~pWrX(iU3k&R1J#ag zgNaJ7kdcND4u>1P*UG1&CQLU!_IUfP?T;($j*V$twlMC-F8`bR7+d#*2MIgN929nW z8(wukGOhi5qm&CxYbyN5jp{Yj$g{KCD8sE!*rnU}>w06F)L17LrHn6(tp2immw|c5 zSCagA7B60wn^7`?-t8{(IG{yQ2QTz9QBNwftT=%b%4~e`|vs zVfXzVC~AT9uLR1~s5Z1|h<{>PV7A68t%bcyPPm4h^7F&9LUa1;*Qe;es-*E(ct(Shrqxag`V9(Sy499-3R(}i~%?~d@e zaBb9s5ax5i;8i06W=F4myxy@uT)S06CXX&N%_%&!^?t#nrN2>?6T>4%K5w14bjAc! z^^DgEcWC_f#f%89dd=zFq_&15D!<08AK`bT>gKVqGd0@|eAv|0Vg8Ni?RghZ87?<7 zs}BBp-L-8~*W3$74qx87VpF>3^hnLV*Ctn-@9KJUZ|=Pwwyv#TmEN9X+}TRkCG$n| z(7?T>Z_|_4I|pUDM9!79iBGyxPi$desi40^`C7MaqjuYR{?XL@p}r-#{BH$_I{pCV z0MJmooHjYFGFmneAhBv3#l}X}uC0mQEuM^jRroxg|mMxFX7#^9k`O~bu7ISr<{jT_hrh4kX zw9I!Myrx;?RCJ1ra6j+1`So{kW%pfNX)F5K*vVk{=LeB%$j$4CJU%}D*J_N8h6PiJ ze{x#QG*E2%w((W@yB=g}z3uWUE_O|TB_b&IMb5z z{k?Z~guL|jJKy~Snr832wz=uURWC2K>TxE#W5UqE3zv1v+v`nsxzj$ebC;7xFF9-; zYjr4i-^VX|d#~HBk>%<;G-*ZT$FHPwwdKqx{Z6v!ciOoWq&Ir_JiTpo@rg^DQy1qk zj_m#N#lCGe&oj@p3O{dl^tY4Cw#*uH=f%3xnE|g4`159Whgx6yR`g-OSdHIC8c!y^ z9Wn4<9Q-uRQ2!D3NsBmBh zxz+I{4?B)E3~Z&C)#svf$@tzrnX6Z=PKaALdF7kkiw2(B-1O?oWyReL4n5*%hp@+M z$6Y`24ZFL2$n410GX@Vxp1I}Xtdc%hW1D#{iwZg~ji)y*ap_lPxHCbsa@u;6GchBR zPP~gxEbewLy+w;|ADp{552BwsH~UsTwlsM`gf}sEoV)#n6q(=Di6#fD`gME#bd};x zffK)b^SbF1wiPt~^1AJcs`suo)%hozc%vI3=XdsL%ABkj+^_Ba>HC6jbyAE;>NWHA z*}}u`%5N|ImF492{QjvM5M32IZQ4{q6 z9Rs~iq43_mm^e6A$KZ_&EbHF*>!La$Bdfe_S{lkin zCj@B}`}ascWU2AEXX5fmW$(CygTl2dS0>XlYzE)T+?vDrtvmZV-6{Ar<99!KR9??7 zy8TBM?bw(!@bo>`?ag1N-Qiz+oNo2Bq|_tIrrV{x*-0Cw25dMns9-|Js~x}g?{nKN zhx2{LEe+eb_8ZxJr){6-_t)2S?oRU8 zUBCH9)s&83&~x_a1xg>{>dCPVm$=*4$bj+NzOFKR+rzSbbzl91xwrF=22OHox`thC zJo9(d7i%osTDL-ra>$KrId@0f)BYp-p(=0Vu%nfI`^L1*^ly7+akl-31KWQ4<4RhX zPQdApXBP~!I@oSZ+egV74|^3ktkre-(6RUIOBXdG{xH?s7r)qJ_a-cTS@GfJ-KF~x zEw4Ugem{Pt-|UpAd*RmmUv%!qS|waxvq8}&JKii!^Gyoje{G({kSE+heVtMHCP$`K zs&0pMjg}wOh^(HzcT22Toz?21eT&vDH)t7PSwiW`+qS-!y^h)%KPZ3bfB7_S?{#GU z+_lxk=ijxs5i);g-pMBuN9tJjK>OwOVQwXaxuw5`IZ)>RGR&#Rdu&V;YPGK(kon$= zFQ3(Ibm_WY59pdP>4lz?W(00O-}{#c^0y&oWPQwnNEZmR1^-^8`#b&rpG3OakP1)6 z5fE785UsARt-=L4p^iE2bJ}IJ`A>r}bQ;v}hEeB>Lao&Kj1|_%@<;srOGraL>O^)5 zFPNay)z%JAHGpwCBxvi`4%nscWaJu(|I6?Q-GGxRjTiZBh<>u2y=r}%eOJ{ZdVE5g zsl4Xp&Av_JP3Id7`fA+%{Ou$Dkts&lCjN-FxB^?_^SV{}&Uj?qx2e~W0Yk4X_HaGB zY2}i$28*1onS=+ieTv%-Jhywpo{1ZVwf&lzCm+jXbozqF=WSx5HXxWp)$C z6^UJkKOSO{dWyIB&m7ygI-;k}&^Zf+Jgsnib<1Q)*tnWJ{SB2euenlAAT_0* zmm+nKlsVcoX}G!Nt{a!-E8|y=oiX{X_n9jJO+I&eW3_0a8b299i{7M$TR|f0=NvWt7A8m8D0=Ij~wa=JyziVyFn7-!FIZ&tN4 zuk57Zt4X__d$t+BsPw#he9vQ*3!6R}YHqUW!|x`yOf%+O2^hV2bJ}p-lGW+W-?X-z z*Y26*<2}Yi&u?{TSWxB5!Y7N~9G*Dk_Vxn{h#iCMx0S4Q9Q6E}*1Yt6zi}gXmbVP( zT0YZw+gK*AIDT7d*c5|j&Ey%KRuygxds|vKYT~Q1aEsQvW*CmCk-P}qsXJdOKLyli z^_y^a&wH1oig&O2_Y8ZpU~Y@A+<5 zh1Ao1hCZHtB5qw=^Zs7c^K)IyNZremdi8Yq_U5AgP5Uj!sdnkv?-OGahu%sWL{nR* zt+N>yb9&*cDDHvf^G63-Pr#>89>!}zyPesr_pxrE=z7}{>j!}I5j7dOo!0@EI?PrVwV+p)66UF^_+0j^%&Gn|ZffAo$j(YcmC?)~+J z*JnQ6;^RNez(70aa_Rm}cAfN}Vf!Ak=e`YbR&9!jO~2gb3&ITK1Nu0~v5 zJFPI7N*WI02S#m|btT8AGyI&yHN`q>CQEvzw!Fc{~>8AKu$V+H|h|2V6_ zV4!(YT*6w@$!D9ZCilnN8??wMUfp=yU)(`1Yrb&mIYs8)5sOw-JnCDvKkZb?yItGb z4M~pC9=mK;(a9&3b8=tV?%wD*^-J>Az8}w)`q@sMp_ex|s9lGG{hzY;f0-H@x_I}5 z7cadI9>%S0m+G~c>e6#`$^M;j;+{p1<|exHof8h7)c9^(5F|HUf( zN24wl*?1TwNYho#VzxD(OF5zGWV}U{neK*dMe|DzIDFj|zOl2f4^cKQky3@ca+Xk;af4)dAPu z1yO8cXQjr=wGuxmv~K<+#W87}mgaR+lRCr!89PW20}k<@D6yM5iJPogwG~vg1?bOx zf4?*L-o3jkgVXkT-{*OsSN6=#ov%A{=FB-~&YYRse8(>+E^jKpWe7c zephT$){~c`4KsN|jux21fc5vsIoj^45Z;!fEiTlw zUEUn6-Ag+|wIDRM}s{WBb@wB8BU(SkvyldE>gzL_VWw z`S&AX5N-n;Vd46#0{YynvT2jIA)y@IUX0%&{JQ?CP{Yj|H*NeZ;-s(Wv*yD?dse=x zn>XIG{(fX+-w6Yau(&%b-*UwM|9`&+1Xh{_`G>VY?5O9+G5)n7!utXvyb|$Y>CC_M z_sIWY^?g`+hcRX}d)JIk6l)sWi|5#wcOW(E@t$n_9q(`pkm%AF&sK{y~4= zYXC^Nv&+~rRdLcR7(;(UW`T|$V;mjtKO4PVZ+Z*G7MVN2UMCOIgl|8Iy0=Y}_X^|3iSdu4S@GbcS#Xf~ z*G!@@vDs+6QSa$8stV2H(z?hT)VM%k?CD->9J$l@mo-N!2I))xSEBbr!6^=UNM9`7 zR}d(Yeh36!A_R;zQ-Fcjd=St%uIlR_jLzRPjC}f&Y-G99`HI1Ac~7V0ZUSU&SY5Vf z68YD5-)U+RVmtazMv9DA6JJ@RX`P1EAGF;VLN=yLC6jn1;J#a7%f6iGJhNaD6;E3N zwf*Gg^VDYd-5P%*=nb12(5GJ1OsIPRb-%RDZsVFGU15djXut?N16X_e&8VmQ&NW9m z!xd+pY0y8o^`=f_wkClwocQ^zn$|yv4z~KjanIk^Iaw>mH~;Uo#t^H>8n(6F6@!Q; zexiLwl@E}fD{ZpCw&n<$a?Bou$QfgJ&FKAj6FcSlL-|f4>NVHCt_Y;>A_#+1v7>BNz}+nw?dT->woU5tDm1mL zbLMM$eZBvk`pyU6PBfyN6{|@eDMts-$Q1UVyVqGy$h2M}y@<@iQ&=k1Hls^y+Ki;c=SX(I%3l!04$OR z3O3MjA`x1qX=vP*5iOF(5@ta}!QXgstqnH3FI;i5vunxxVbG=rykI{pLg0n+2N(wLrXXfmv_>fiC1Qw0K<^`mH8iGB8xPfP|uAaHy_~fp}d>Y#FQ8 z9+(5H->e#d%C68$FVeJ?#?LSlueeOpFkiaY0;53_3l)UqQNhD#_I(&gjB0OJg{goM zOXNf<>E-XK#S3+vkSbTSC%J;47zp}8`dx?yKX^jg1Tq$>c%BSDd4;65yHg3)0;9u+ zvH)(VD{-dZ`lK>B~bAr45ksxA9%diG)?r9bFoc7 z(3%5E77YybGy0%vh)19T?%?kmLU}{dzR$!*1Gim*Dfl|3U?}Idm7IcuGcXJLUUyAF zOr%~J(W8ncRJ^pLrO^M_;flip1DpBsI-kA`^{xy>fCPQO>*OpD5d5lHI4=!bjpnI} zR}v=&&<>E_&_F+{0D>(LSbEp0^dDI1<}>Vv;sZ_pp~hlRa$;B|>)OOuth~-lcId;( z?OVKsp`1YUDx*2j|5D_#mHJWi8ZQ%wa9)*>c<9F&OV+GLlw;;MI;H^s#N!RBrEb!0 z&o}b7kbc@OtoS+$my;Ytr_2oi$P)^|0mWjopaBp16aR^~rE_#udnUO`>k;r-h#acC zTVU&n2hoG*M*(v(=>m!f6)%PKY6z-5S}5@ze!=L~ODhJ~90_*;&WaUf^BiBl8M!Bu z--Ofo&6S@Jep5C*zcDfK3l^%TDc)neR$<0+C^l4kR@!32+U$HbJY!=QM!&`t#Ixzw z=WXKS0gjl_Q=n}Mt>VI^=9mROJR9T5Dkerxgc1jz!0-l7b?V3OL5T;v@j3u(13J;E zYxhcwS#S!2CPNcDT4HL(B1#$4OkUUAWruzbdhAWIwZ82B^h$s7&4TRyU^+)r{b{xP zllWiKpOE=Le!Q*_9Wo16$&eHREmQfg>C^}9?uC$UbpJ3X>&~Ar|O?b)o;IQ!hV&$ zzwLrvvu0JsYoz`n>A1rn(FJs40&W~`3@!obeIF*4J{X?nHD&0{9~;4h(L4?rmhupI zEQA*bv*5Q=m3c&!$VY@sZ2Nai{i=6_aX2f0=xp#Rb{#T{(QyXw5IMao6izf@txEx+ z5J?<6%w1vu7%I6$ny8(cKP4aDAH8g4PGBH-CL{rU7dS@ND3#-d52gAAVZsQWQN26$ zU+kS3J&oQ~ybeU|WcR+{hgt`CFm89N$av9$g+c?;JFchJLEB-?C!7AYDI&1s1qk#*Imc9#4s==A-OzF_v@qjb2xiyv7VNF@RjCY>;#sX%O%SBc6J`C+ba;+W)3Y zU-+&T2))=&!DX9l2ASC1x(I(wY~(JY$V zt!7GzVM9!J3L^kh!74Ug=m!FYC5^|CUyWl}Ri7qBB)RVQ{B|Rh@rtVSMbJ{cH^N(>*Dgd7_SZ> z!CGEd46B?6e{IP!R;SEO7wPl_dqxQw3}$@O$vj^R8z;kLkT+gD-NqekOY~k}DL`6tph` z>WaAfP?kKk@KQxm{ubKklst7d=|ktN1;>Z2l{iG`4`uWoKbZ1R9h9n|e+4HL8fbzB z!mWu27B?=m$dy|35*}v;V`EFXo~bPDF z%0U1H>9Iz!ko&d77w*-xE^@m=C`LU9xLq17oc{M^_y0b;cdGyFLq%#OG;F=aQU`)I zu%<4wsg@L2ExMz2n@*p%O+N=jKCn%03gfiz#B>4|(a47-QzEFJXN;Zl4bw>+PWk`c zbN=#1hu8RY2^Vr$P@JpcE<+$P+srYRmq3%Z5h&N7BqU4!7#qvS5*hp*JiTKAYy4(g zLXEE(=W_V(QG+pDYC;w{JX#o9sZRp-@#ZnbY$<*D`p^3N{u8v@ptS;^F(Fd0aWhq{{|jK8}>BVt4Jq`PI)2dGW*Xkm5kS7 zqqj$Hjg8KTlz;KRe79n5eX z+}@b%H~oDrtXnw4Qs`c<0{`ji42AX0$Z8faFC^Mzlge=wa(o;)m|?doLw@omq!chE ztnYUv1d^9BQa|d7gH+=08$pjl5T^7KlA=TjCK)_Y<)CWXkSS8VHJakwOE8NyerzxF*fECE@5Lnbf@`KrSACDlHg?I zV@7bIGMA$fz0Qn|>-m^7PLBCq`WdVyoaa14%w$m8e{Lw@_%U)9?X(~qMHDz`NvW8 z`4NEhIqn{geuf$6A7Z5E-w+9e)<&BoauAWvfkA4|FF?xZClUD^H|d^l=VKWkA(3m( z_wn&cJYv-PUqOuV3!{eO@LZtX89@)Ih?6ra&H{oQ*~gHlQkLBQK5D-pZrl%XG1{Z_ z8b-|m6utz7y#hY$L&(x-$-`xl>y)z5SWy=D?#V~pq|67@JFIL5*2uGfy|YX;Yuw@| ziMLvt%|F53agP#w==l+JA$g}U{}>~^R^)z0)=8e^vggo0bTFFx{5YafrWDU6bgEi@ z^g83P(3@p{g2!mSF`r11^gYKN)#nSbMl^<35;2=6jh}XPCT@MtG##O%do5J=B=tYI zQ49R}N43DyaEIak8Saa4$Kh<6O?umDyafsZv5X@Qpbk1(BD|tAlo)x}RlCJTT;;(Z z!^ST_H9L*}0GFgxIna_b@Kg!fsy#ZZ4x0LRZhFh#*Ma_StGwCYM_k~3#&L@^a)AMQ zC|a*xu79}*rcP;0YS_wSs3MJ;b8*kJF zV!g$hzwd9*G^yZ#qG(uan9*kA#{(;K9?hwi7Qeibiq{aLNjz%7spqH)K}XZB==%yUOHjOZLE2o`b5MR8^(kq}Y8qfMzS9 zLAzqZrou~mq%Q0i_`vZ5O2j*+y7X-=IRRrUP@@VHLiVQOYbN_o`upC(tRAY7MaEDK z(OZje3YfEAtjR}o5ub-@iq((c!B9<^dRo9Avp@sf)sR=5U9u=`Z(tmKv~`y?K1aI` z$Zb}$GK}TLCb02sXHgEE7py=|0=wdt`Lx(63N`}@BmV=IiqQ8e2) z{Z)6Ju~*G>Y=-EwV<$=rTaDDldP}s;w?8tAvvuRG7@nM-d!?fqhi4I&KaiI~<{N;T zD>Wc+wBoZ73k!K;g>NMQbUT*g82aSWinF7eK(KVq9+^k(DKwKLw#E~-RSgbh#Uxa8 zV;by458@94^P0eEz;yh8r};BX$ha`Dzg2q-w~E|QIUKpg*i_U5EK)g&rq@_JTm+JJ zADStpjA%Xu#lHl!D#!hOe~#bnTRoGI9U^|UAGI5MAfpw?Z`1^g7N1e&t*rJ&=I93) ze>vh~4`YEgM?cNyS$G!E9#>sLo9F0(38aj@j~ZIMi4n|MCAPhZm@dg&3rNeNph`ea z5%dxpn_dE!8vVQfW13jIsNMb)?IC?RGl}(S*!Vdt8nT%BB>0cHCxMARgmo*rrr}p8 z2-d1a6diwvxJnT?qaRD*tbPh8tUrZO?9mc8Ot{e3VbJF6*dxFyKd|Z%VAbq{m;f5t z9Y#p73va-Rc3KR>VmIHyz!Z)d^(8<*!WL4Z?tIq$07MsL%jdYgA?pkjsExg!v*j8z zuRLC}06z;mk!*P5E6VUtMcH>8o2@lMtt-x2)H}Y(*=(Ilh%l>xxT7A1D62h>_box6 zAkw4fMpH@gO~VET5X}qBdx0=YdJ!8yoG~te+zO_Iq?e6@J*2DOrme_9B7G7lmOQ2pliM!ZPpRxjGAmJ|rHEn04#ET9 zw~tYcliH7^CC@Jgo|)q8I$U9fL-GDehF{bvL`&#-n7Nl<&%T!r^dAV%$a5g$NKqF1U-FIQb_t-7oV z%x72#tSr^KEFIV<(K@n^zaDorFIfV%b{SS`%K8IJBAL9&ybvneCLA4$!hwFmqw+;D z7P59QAQD57ySCz$I}<;-Uv*6MKb>u|pQQBJ##`u!01WGchZbZ4ENnF?-`yljhQ(44 z`X<;1bm7$@{chrd=+E^ol+t%_h}GW1guDQI4~|`fJ-{L_6+&J*+=UH*aV%bu)mWr- z=TM|?NmwE=rXEatyp)}&qrzyYxkysJ8xa+Qu)Y9&`|_=V1W{DAO?3;Jnk`ePX>#*M zaN$BlrJ-etd=>y)B>?mwkLbnSN(Ru%PoXYK+Li(xgDvJ+tuW8BRT1F3TxbzHq|v|! z(L;C;X>8%P1mD<&RUkOM3XNgk9!b^H{~}0PtkuU91Ss z2i!>-TUo#*ZGROdsi3mj3#$}1*l*YkHV}d4;T=!$9l?nz0If2Z@b7#XLr72_KzwYg z7s&q?2z>~EBG-Kwa31;r^=bV0{PwQv8c3;V$ge#oIY=w34>|0ZksjzO}Aa$LP~ z1>_EAkRowsJI}^E^(*wH9RhfYzCd;#>Ys$X2mnBFC$kMR{8G*(Oexq^#MZ0XM9kno zs!a)!2xFwDqci^X(=XRUkN2O!BNt(Lm=+f6o#!Bo(j)r&wjt4wtf4*mC<)E; zGb1P%@88ebj;n$D@&WMaJrm?y{bPvVLnRUj5`!cL@%{vZTsg)2PcX=pQ@sB;gCPkX zWAK>d9cGZiV7&h*gC*pW{euiHmf#@<*OQC(A7qe-74JX5Aot|r{ZAvuv6mQ7b$+MBL#V!eNmn5 z>&Gg|7+@_hEif8AiC3^tAI(E-Rt43lAePLDETwmKEa{1^(0iTwR3)g@SnWyPu1BU% zDAm_bpWrhDA&jrHhaAZ7nU533s5cZgA190v9Q`cmL1qW{uq$6@-}KFV3G`T; zh<)EAov^zIDvk{1A9-{WdYq8?ILAs9Uj7|_ij2!NVCrVSzSFK@l&c|__plhUbL=T9 ztJaQ;CNUVX_q-3z^?xt63t%@(`gh=GPdVfyC<9STPYwk3$B73J#h~%=_f4`vg26=S zo*ZnIaT$9Omd8+BCHLHh77=S4!hHwQvH-J#1qRpwMq6-{+dBIIb2KsW}L)OqhO-?GGF%theCoGs`CvIz7{}PrX?wwDWUkZ8a)MPUs-;aVAn#%Dl^@d>g=zK`xqPqGe>Ts7IrDiRQ64_FG z1vFWsUu6+R4i@!do~f6COJee%aUdYp&Z8m={=Vl>06Zf_%Q6|xonpNvWN7Mhs2tKt z|4XCYz#3~%ls4laF{IqtB1x9o&FVt4QeuB7QJIjTxAc7dq+DFVfTpFjEK)G7Tz4nT zTrHw_pVbfA|Ki6y$Ct;8!>SVsy0Mp8_fQPIo!B;fVff+d0E&|8~9b8bL-6f*>;^w!Pf zXhPb86NF!t)a$DZPDWe7FO4csZ1JpUEq;+o!!r_HYkx|uCDZutL?-{8kVf|Y5eyXS z)81V|sK*k*Kafe2X^E(wg37dOWM^rf&K{Nh z0~Fg8W>;6w=b)`2QzO+5#G{koiWgfjCWxt5QbG_0#)DlO3TvYR=1yY~VI1EwL6rju z-

TZeTS`6$k-dVH%pT$`i(>5%XX%xb-tgw}u12m=5r0h!_3254wHGSGJhOO{4Uw z-hZ<9)5e-{)rxSvGy)Lc0}CQF05&43U6qsmojnBgnyJ{sUTy1KyxpFPlgT_w^3Fvv zOztuT8>m+?6y*x_jG;T#&SN$_w~v*j$s6G=;~ixQpQ2;Y01W44l3%e-O>)|C+^vut zHt9dY3Z3>H{=OvU^PVxF3ykY9=fg@C00#!~^9k{L=yGV{`j2ql+r)45yLieZhj>AQ z^MZBG3m!$*PJM)RE8d){x%aQ8slx*RRDpaHaxJdL$KMx}N={E#iGRl$Ks>XeG|9@C zPZ>qAqmYt&%%7sUci~mWGn6B^7TSP3Ztf%^OlQ2G;seDeY+*cfqfG{vVXMVW1{eOu zMFvMVLl(2SswGyPl3JV&-GLmPdV*B;8M2;C(D-+7shQa;)mYULY)qjGo6+ddo?YFp-z4B0~%)_$A>p=DI13- zuw5VCs&2MwAD4oTJR+?U*6g(H25FlIr%kfZ>7gr$sI!p4K~&I+(f@?xl-1VP63ZP7 zJ%J2r^D45uQxBZK>c6E7X3qgu{k3VTe)hX0Os^%rh&==~#UiQtKhdcdr|QQH0}skt zIG!}5%l;jeDERC@sOl=5>aIyucT=Zc_Tkm}cTn7{INRCT^SLf1RNIRSNZ@L55xrCh zu`#aFWxp_;9Dkj{At~~FRHoz*MGmoJ|3kq%n=*4JH#uv71RAo4$o3f|`s*X8%cjzw z&!EvQ4s%S$N~))^RA4i*NVR+2eX{o+LtcM>|0`jTM)9l^u-X&_% zgFsmVm2rfpqJ+5Lwic)+5?ngFQg1S3g_kakWi^%+!D@|4p0PEmHaE+G{Nz3#1_r(k zlUhWJhi=ML_WV6&F!fJ2{L)1Xm8BSL%*bIEfYIpRL$++~PX0979oZkpK46#ecIL@D zwd}>|xam&bZ3MKOlXoQa(quOB7@p3v<7V&RlIUO7X(!i`G$Nqd0Z;>S zwsvtHT=3WhWxft}mty=shU}J*AhKQrX99ph-D{6z4Fs1MjzU=UH6@^+DSZvlOUK!2 zt~#+&Gu|Qw`~Q%%MtVTLig?vRJe-jSpC~d;A*_n&Ca5B%h$oRSFu*|B$W zwqCvMP~Lk;niI`$-2M(<>W{5J!5w{hEHThO2A{RCdw5p@kC22=B_77*;UFHcxh2rz z{uY3Vy(SK~)N+Jkg z-HX$Q<}(DmzJZo@&k)plK4SGkCW)RHv@3S>u8LQ%L`i&nwIW`LJMM56e?U@M|9Lyj zKLU#NqC1M7%hKZ#q0RRBJXwHn?ZtHlFiUBWN$8-{I7fJr0yzsk|CbLU&M<95>zq@i>K7RTnhRz}?so8FizdA886%sV~uOB{j@F}gnUe3t> z(qUHAHyu1P51xJ;T{|OuiS+VX>j@BCFOjs%qB)>_@HGA0sYChHfM7o0yoOOtW8vz+ znj?6I)hg9m%XkJaaH}19@VNM(;D?vnc&^Pk1y5LigQoNr=HRp<=IK4I* zZ`5a0;RI7=essz*T{AVO82isIa5DLf2a8~zEbsTm>!&vcFzSoWjdaf&JU7z7t|<7a z^VOpDvX9oac&9Z7G+KDXG22YgXemBVe9^S=K!T@aAl!$o6+E|(@tzDff5RO7MHd+} zNj``FFpj!j{DQyl-|^i4`Xg1FJ^e3jx-GU9+w)grdwy%N_Q2%_!JRZJe?-zej`Lq6 zk+Ny;#6D}qV#mjfUVacOuT+U|SZO^u1N{lE>Uh<|6z57Ej`2_dB-@}v{o_bPgS91c zj`)F#ts}~l$Tu*+l2t1Q2AHWwgJ_exvPVnKgvkbmvlkl+)@Hjg{s3*WxH%8xIrqzX zXJfyeIZ!vlX{z69j>x-eQ*)|K^-0YPXMTu%L@n$iU@oxWLv18V&~n;HhLTn^pX?H#wiNX)Gk;q5$ATn&eMQkJ%pwV)n3M>VR zXTE5>jMNhB?FTL!hP6PM*hvh+Qb9^FFFP9Qe3nCnA5*C|IU|~<_mVcK-FR#Q z%#7Zm@0J)EwK^1IS_QDPu@Cct=xqHEiY15AtTCPf%Ai58ys)e>V0mF#V^lfT7`2Wy z#sW0C9QhlPUh)svW0a@tF~ruxvd1VyUl)=-l{bIvLAONnM(jevCAli1xAV3Wt5?z`C^w55W9?g!avO}qtv#`xE|ZM z3f}&{otO+_m+?3Pp#C(;SRf`Dd3cYQWOxvm7T_?+XzG7`>m@KoqlOKW#X>zjPtNQA zIPrPGOxr}mJvk5#Lku$B%DPTK7Y@X|3V;JKKM8L^5e_su#F4W@Jq3(h#SqymNGY(th z6+6snQIx#a2-0u}!Tz&bb1OG^xB86@sT;QWjX4^VaOgoVR8_<~+$g@-;ZK zpEJM7F+B8eBN>KLg>qI3=2tXFI_d)`7D5$JjK`&FmRBLeLYDzn6GkLuel=*DU)4C~ zS6ESC9%1tEhZFou=p-h1u}tt13{;s+aN31sO>mM1x9!!{_8k8dv}Q0@-icO~ zSQDVkVzLV^1HuC@%9Fv=4ubw87uERP%hOQ}R3-L=_!Y3QYV=0i!#QH)iS1&+6BMu( z4Pz1!%lF8n!9l}4GG}nwaF0xx+L8v?JHccTGqDJCu{Jq-;3=uh;*}`eg!+qF{{wT( zpMYx=A+C7a!}%~=g|G}1c^w1luuc!i<$O$rg=#`AcC$^)xeuOA7t8!q6AEJLS7?+F z{U~szuqw8>q$vk)F7yw~Lo9H+ifsW#*2303XS9jaVKV@M`wH4i%8?wX?AFTq90^$_k(giG$4FOF>jNy&)maW84JewrE~eu3C7rlF=7owEuzX*uZ$pXm z-5hh3TN$8M3*W3)k~Ma6To=cPy2eZUCo38Ap7WjOS73~c6I*liUYbPj!P|OZIa%N( zHjiVVxOgGw+Wx+VHOwPhvHWQ#S+TUhez)}`#Aw(jVqYFMHBtl14@OIsQgsIjX1N*# zEEtrjqZ|Ph0lX7Sdzku#xc9Lc01+E&l_}s{eW0_FOlx&#=v>rH`iDCw)X9j&ilm|~ zS+|QprTjK9h*sX#onkr-%CTk3UIGG`U(rj@-YQiGRra_{3HIgC7t&SfB@*IwLC1dAt1Rdu9D zOw}`CfeN|Mhw*wiaTWVDf|c9tVJTaS9)!V`t*+2=9mEz(CfDUSv|z`*qb?#8|ckb zc;eypKNg-S5J9*699Ou>i=HDzhbHta24oy>4RLdQgS=jZJeSS|?c@FhjPbCHHjQ6o zoVA&Zy*D#@1vV=Hln_+RYIKe9(QSA`>^%<;m9FO-TxrSA#oo(h!l8^p$(GoAGnlX- zGhtEey#N#TXC@TI-n)ber!(I%GxlTC;sx%7b?iOUI83v{=gP~GjTuMdsp^ZpiHL zDf)lD!Ee-Mn7=F?V7O9MIoq>8&0E~$;Ztes2yHm)xm zc44U6x%|-kxY{%C<6546A6NWeWRZTwwD)l(3(j}_7VW)No2jj*a)=#5e_-tXbE7#Q z7VpLupK%VR4Y}Wc9{52#zCKupsgwIWpF`(v0krMp9m^_jgNmh5aXiixJ2> zIg#0-vg4IbHeDn=Mcr6ZuJrZ49`z4ttP1z4#6j6`wF!epV;~Myt`uSZU=gTj$Y;E4 z^ddPQMh~w?bDxza{e0d_*T06jlKUJVSDqVblQv?D%ewKzY7?ip)CXat%XnAh5rrHW zeR6u>C^#Kz!WzOX^$Fg1%}<6BUk^dlsQ3OJSA$uyks{Kn{phm1xVO-#$~TS^q|)GX zY=1Mf2GQJussq31ocH?mKWoEoHqItsnPj!Ufxz#Mot~MY-acmc$HH+zf2Tj#kk0DQ zE3ML>>8}QJI)C1a!O}XX@J09|z_?o|mnW9cVC0MokZz16W<(10(-@eHBRCve*xA~v zG(6ty}1~wNU6G<57=;B?4e>UV%>{T$ed}MmB?*0dK33! z{c9t-%wC&biKQed9{AvH5IFoC6{PUlcxz?n{7~(=E2}-x*$^P)RY5PN1dT6+i1LgD zD`jiP&v8|A{Tt`rxE@z|ydIg~hQuNP97+CM+x+W>JO}{Sz^G#xSwE?-BBD3j89s&# zsnuO5k^e&%VG&7&EfMQiYi6q+u>Fuhr;N97W&>Tov`t;ma)VJ<#)ZfYu}S~d+}PwL zTdm7?d$T~QcK5Ij2X~E@#wOp7ySm`s0PNS`?Wi+FsDAc%ZaI%Uye%%dwi zjR&DgwB=NUEU9!Y;1jPe23O2PIlDb&t~ujINu=BNK}>aGfr8`HMyUPV3&71lfBZ;L_yVvX z`|>zv(a;qRCBE5!w#&wQyceCBHoNRsI?|KOKWkY-tjx!5<0qY6LkOVYT1%BJ82YQT z=>Sv!b=T>&XdcuquOcO1U?h}fJ^`Z(TwYLlcx!{uM_g5uK_IQWl7V&9*TrWK z)d#qk1f8G&#QILTEliWI+KVu2TQoi!uLu#3qTa+F>QU+;zx$kRbs7IMTFkv;-CAM1 zZ52K zLZ-ewwk4tY`}xfZQNLm_vsjBl$TQz`6bll(+or#w8 zd`?rS{Ar$)<(E1anr)KNJf)JSIEY!vcxO(egdK=(N;Tf!|0!^3 zyQN=4OOwm(m#el4lnwz(Y{9slmew$wcaLnf>-Z+>a7#yL|3OJdKjjrmgg8eDH!?|> zgM@oYtwmxpRDSvB!!#xo(zon*hh}_exdiXljG2Pk2Jn0Vt+Fu3RfyZa&i#{h<2G709I__y!6q{Oup6Qu$H!%`V| z4}_Q47T=8MT+w2z6PSCGACWAa&=>)Qw4CXDkbI{^D*$~dD02&zgIHV^AxgBH2PKVq zxH4lI^>DbXWqA9qILTq7sA(5RuPf!h%yFz5sZIZA z|H-Xw#>?A(C57I3I2zpkYpLvA_<2##TiFafn_P+M5-mgS65|Ey4eO(YuFMzl?qn-- z30mdcX`-PyG}CY<)d)CQo2su96oFG*7IQyG2P3XY0F}`aQC0Hl{}#2p*+@ z=ouMZE{N|&OivBiRRF|GRv}o~Z5hdVq{Qer3b6(Yx#+P(EzC8HaTbQWBV-fzKbXl4 zsTf6gkK%PHrtYganY>%wl!td7xA-A-(Q|YUE=eA}iU`m=HPFd}pbvNx|D>!GNS(mS z{LZC&m@vRah~dfx36N?Bq}KcZ6c7eUBw5+>7FXp>8{fUQ|Ky$Oq+{C71B7$XOAt!l zpJzsJ$IwLV2=CK6>1+sFY}XhEO%0R2P+WgXW{nSf3HFB!&{xZlC}!sP`#OdCaVw3K z+|od0QuB(Fa^s7la4Agfu`o6N|8ij}^76_I`wmq%fdT)<09RH&>j-m@Jc?Af z0ZSU8nrX3jg`y8!WC;{p&G8?^to`-`_sRs%x4Q?jjOlN65JS02RlB4-a;=(es%u!w z19Jm{D_&ay&+OjUtnMxPj;niiW(+!RqV1WPu_&^RlBQtvmsTa?f9I+MV^EBCTO`@z zkmQURO?W{e#x*Mpws3i}@vbExWZdVC`qV<2f{E)sZvqSJVtl9K$D$5}Sk-$#kUEA- zy~lxpb6~ed$rT8keF=d5erU)3Ywrii!W|et22CzRGeQ{j#3Z;O#)x|)>bt!I^H$g;74}|8g$rC2UU}XMXGw+IE~LVfAe(lVuR3pq&mdQqzVkvV zeAHFp`MbPMD!iaBFL6~k@4PL%Oe%cxLR!dWh~4G+=dJJshn|> z0UzK0;g$8a*cDxKzKRxf>4%((aON-bR6foZU*r&%tW~8W!5%x7Nr3H}^bhQF(awrN zM@=RC1mqD*HHrKe=(Wo8c;tN1H^ENTl6wCb4rnNXB8@?HlvhC=SCeZ$7jR#7)w)H z)t_M24;`IbV*oUL!$ zilgVOFuoPz!a6Aw-Re@Q7ZDdz`qbDM@2h}v`h!1qF_HeUi@Vf$TXjjXmus~D&i5`R z{#)O>!1fBR-okduTYv{=mPix0WLD9Nu=JhlSKyP#*AF`Ot_>cv^V30!W6!OaHKRp2>lMDaygdg;7fm-tug^qN)zC2-Z0Be2-#FnQXey5a)Vx8v82uyxm0wmC}Ex8LERODX^)CtV8kBLfoFE|;Z$LbFAzcOFIq^0r(HEG zj>da=s)Ve0P-M5F&Tb??eJiQmqT-aNLyR?0Yxw&vL2!GoTypB~{}0T}?GIZIzr{o4 zk?8D-!BLtOb`3OpR|@(R$;7AJA*&I2?0^;k_U@G(Q_=R=o1TrA?lNXq=0pRrAy4eE z2Qi!eJ@)QYWZ|Q;Z_A0^5PSFkL_Ydxea>ywInk?P@4g=?dbEDVZPhq%5_{K-_#dsG zd0X|&$ZYunW%44mX^AFu{kT=e?&KVHV*p>(Kx5QfThvn!mY*)U+vc4az^LPXN9XIO!mnYk$s8A65icA>lOXBdYvS^bS2q&3Dk^0JsOt*|roQM!+H4g7p=jZXg zN$bq~`pl1Rbl-V|+(@-oL_F%!{t9?9PzS*m7GAf&{7y)RhS%MQQ}1J? z)|Z`p&?+8*j3b?cS#S*bH zk|m@SKx(T?RnA4DQdRP5cRkSj;o}ggO2jgB zGkAv65T~@drqn5I$q?zKsn5n;(yOxHEgvIDy&Lf6x@2S8yQw(28|uqx2_`V(k}TmF zugm_L!?eCurLH{ z-?fB&YpPkoKJM1oHbYd>J4!4`BZy!uS7_sjc zqHM7V&{f=s-KON?$4b-SjSPY_c-y>banIj(F-4qZf`4W@{t@}(R*JvxH{cfv|FEig zIX0RTDcnA)P!M~277F5ny0eqeRI9t%zl$Qzdf?%t#sl1a8ODZFWgd|X_HdbYvCndC zjGRp>Cq^8H0l9|^^|`uSMPZye27yt-?nt~QzhW>Pe;8Nab;eittX(YUZlwOf-i9m! zMhuRQI{*dgKk4uPM=+03vP7KA&KwoomVPq%(X43WTrxj95*rJgA^9Aw^X%SSI0ePw zvXha^vU*T)mI`}x!GpKp!{bqW+s@zjJm5C^ZFpIY!e+}lkf`kVvtWTIM^_+CuEbR9 zHo<3~;PczlE?)7)*(`hp&HyMX173cpRp1l6=z04;cf^mMu6weG^(H*yz-sJz-zglz}!0VE`H{@~h zgV~d#@B2SU!gTct%b?PwuNN5%ubE3*mv|mOsf%xK;W*IV{RqmwpuQf}#`B(LlD4<% zR=#7QRN&dmi@jmT?LCfi`Zzw=rB9?M9AZK-4pZsA_tQ!YGNF$NC6W+3 zTD6y-kg}`P&)|b$`eG|Bu$NzwiY;UNG=E>K7plx1bbC!nY+s zI=VY8VV5MZUHa2$2@gsFyQ&{bOIV8p!B6=(d#bf{j3<`r!)f_%W;}6KzQvl#e>vlc zvHFR${O`{~JdfJwrx6b%Jp{-YixvWHdS>Yp68A>W3>_c8M(P_qGxcIC&LXXvM#3}aTvqfc2OpPsMfNIQ!4 z1u7&*ar7$nz#26DE-TL*eX|wH*PpUNm+Qk;=xTk;3YF>kIZ`W&->5HE4?Q>OcUhqY z`VK4fF@3)kx>+BwLLbL9W=`>Py+l3qd_u3aLbvGatWbsCXNBtYr>s!DKCD7~JHD}L zMc<+4&s1Gqr!Tfb_vv?8q5E|(CjrC;eZLB^_#f#ftmuup*P}9Q(idBy8T#E$XoD5P zSI1O{#V^qxv!Z9}`>c>hKWK$=^ARc8JI4z(2As@jdk)@ zFL6bp8BTopbTurUF0x^|$aYt?PMvqFNL=120?JbJjlJ@X&^L?%{_cGWUjOUz*gUV)$?X=-DqkX1yp4)Ym>q%svl>XGAHy$} z($@D#C*<8i-}8}xMdBj97lKtP;XO!sS*$Nhti(5FV=wy99HS1)LVv&9H!VF;gQ@!2 zrmt7swwTIaqHgs{eOp?>pD^K#z5L!O`}-i5rwg_YDk)S-?Y- z(5xZ9a}I#5|2`5!`o6RR-$I=6qH+9i!sGwmaO~Iq!wD=Cr|`nIm52Wg64{{fYRLb+ z!=b~Y-jxLFB8n>dASxkCF2qv%o{&E5sx#UFEVvsQ5(^n9Tn$F5Li%ZUrt%(tk2i!5 zr{$#8btNdPJKIIrVNxIIax_M^Y{}n)2|&W7(15&%z4;!kZDrzD5TDHryhpy^6vSUN z6>3qW4+H~HbkxP;CibXr0Qgmy`25~1>MFy9nH;}VyTYBY%}L?|Gk zB7}+&+FOpmP_A?oy*xOAQb)|v&3LI<$~(@?Qm&hD>`{EKb<9$(vCYze_#W{!@pqun zW+|;X%+g)r(=Nj--7P+MTg}oZ#piCSS-MaBr^VkdJ}s5a(u3mD_|`0?g3&AuiBC1J zSxSW~M%OI8OCC8H%u*U7o2678nx#v{Uo8GY@yo^M9;8{y?K88qM0{$}&C(+A3&qbD zKOnwOeC}tPr5^D$@u#GDlj2W^&#gqWbWHq&_-DjFE&eI-N5nrN{&De-i9amm;m;zh3+e;zz{q6@Rn%+r*z#P*M;Bivje+_loZmKOla-_=V!j?oKI9XfQhB zmx<2{1go_)m)el=%C^e_H(g;vW$Ip!kQx9~A$n_`~8)2;9cS z-!J}{`0K^rAbv#rUhy}JzfJr;@pp*7Q~X`xKPLWe@t+X?N%5Z&f1mhIi+@boa6rNb z#Xltep!i3{9~S?Z_{YURA^wQ?r^G)k{u%KT;x82vv5K6$l-97A)Z+8bOS6<)P#8z? zx$%QpEdFBgxe_x=7l_Z@PGE@mwD!UL6<=h8Qtm{9G>K3BIdD&W?i-nHrRAQT@r^Fu-|AhF*#XlxK_bJWNLGig(G)oVNzh8W+ILy+g#1|2_ z^a%;?7XLBvcZt7K{2k(-5y@?Ikb>|K{@^T3+OK@qra>K{=GX3Lh_SWD?js#)Bg{-+`caZxf&UPvNk^Q0@*ePk!-d4-@y+3M*X< zpY0yXT`H+K+mYK~g?c=z{%}wm+SY{U8R)cnHUt*&rrb$9A3hEBl?Sllv%U)hp7<5D ze^3zJrCJHdccasN+);S9j=`*j|TjPGFoRo`+`ecL`(tok!K_y4v2 zoc_@M-~beEC5vqdXi-n>9-oHixev^SnzbR0iz|Y@s=XX+YhdlZ#_pNYlE^fLZx&AB zr!wf{#d_K!B46KNq&e|TC{q(r z3|r#M@bn1KRo_6I{RJ+_S-lz?1|Lm)Rb?*L*E3aT>h~m7RY-ikHJSFG<{qVrKMA;uSWUt+>Hz#SUaVh9S6{ ztvH4%VfzUKSpSk`Y{Mh8WSYx0D`1bBDkmdzV&)9Y>@@*g*tcjmI*TAI2Xf=VGs&Vb zFIP!H0UuC_p5c1<1vE_35R&cB$I8||&Ggi^^&aUTMep~f}=kQLm^0kPk|JCS65?=*! z!~X2G=0P$p2b)SQ>w6Y#9eai(Z6*!B;}? zUi6-A*H-~)umyscBN9%$0+d>P?k%=ZVqQYASp3r~@_*y(F}idW+*!=U%4!}t^+vPmMIalo886WoFbC31k(t63FNI*o>< zGl%{ESe-wxvT){c1ZMr=c-hRiE8oB!o;a5NY2U^<#&Yk><-W?{jlS3mWtDG4-^4`+ z0ND%4cSaAPLRAs4?IYiBzC+XQUE+-vNv+$Lgo3!0(SMLz=JzhCE{uBi=d3w$3$BV; zw}-^;NN3_Oa0Eq*Rm5|<00AT9NqQ=eM|eK!<#GSt&jmRezh!Xkk^MPqk0iJafdaD= zZ(@=r3lp3197^0w03v$kErUlAH{fA^4(#9)$MKTB!PTIqM-sac+cy}M96MEbcH&PE zNd7A_CpIILcn}^Q(4$0|yeE34jHRG#GmlzfB!zZ$fS?uO09N8V$hUemV0#WU0xj_A z8_BWWf*IG1Ye@^lm9HBR~ikG%8Mzw?Z9Ds3{l*r0( z%V1(1UM>U5uTY`}|29G$rk~#@u6;=XblWnHffktsHIqhbGh8eL5c2nP_+7o)0=zx< zatS3&KV45CofjO{w~6+&yB3cmH)@D4?-n{F>{I%ell}eZq}O7KSyTN zqsFC|C4o&Sz?a7{`Bgn54Y)}E42m*INz!46(tXH}PAM6(XJ+Cs;6CIjIR=_MAi^$> zJV(LSKsMw3I|0V{zz+J4_tF3QHu}$OrvJlU`1kI7{3-bv*eyR_kH}B|2Ko8cdinV~ z9Y0TerT+>17(skT<}m~Y7oZ_`nHPwS}=k1czeQZe*gMkug%usM2_;A%w z@M*Ldmj)exVc{V6YX?@D=S~g;_W|Kl53V{1BzqtBlU!raTuLo6fXhCJ8(wt!7;0E8 z=eA{T)b`X41P}3bn~8WwVajy~g%+Ur*&u|lS^j?vj^TR%b5;>qVWZ6jOc_!E$b}9G zyU|U;=BG&5rLl)1b06@^moA%rHLFMl3Z>3;?HjS!fD*3)Ek%? zy#}|0Ei2Cb(<>wMmR-xA{AJhiCvTZn^%rOp>~ml6Xo){Vi;u-hcM}_rggc)LVE+7o zUgdvmy0Xi-9sGL^Zkbgy=x4DPJ(d5laTKP3%v;F3^gb-FQo}mFp8N+bu+Ch>{@{|@ zKzw~kU;yr>(=bdEv;`Nf_)#c+PXeYo5Pz-7#SsdQuiMLVZyzz5$Jc=u;%{}gvQ=F9 zwnAf2N=sJI4}A-wBpFlUcNlh2KRe)ZcomjOMjnZ5#o+dL<{r=jB;Op_(kBR(*jP!p z;$+Q5^8=`-XHH@}aGfM}J!`yY90FJ@k4gCI5I)R1pJfKNoC^EDY5d2X@!9bQJ@Hn2 zJS5%)ssEI*(g z(MzyNfi}fn%ZW<>H{Pg-EfZL3pgmKYZ|Rx6s^X=r_o`PKYfhg#g1tl38+&brRmV(x zX|#Low>8Kck$YADJwv(dJ2GmB*SwJy{sbcR6)*X7j^j#_c*i)2XY+XM^sLzAtmw^q z2)5X;R}};%YI_-T_DFH$(%5jZiUz?^(U#ph0E9WTBsU*9IZ$TldQ2s=R2P4p_;-u% z6)ocd2~)FfmQIR4A^y1dW8x>oKO_EW@lT0ABK`^SkBfg)d`)UTB;i5vJrXl4;bY?O z7yoJT_lf_M_)m)eg!sF~e@y&c;_noHhxmQs7mH6?1bvwJA@Q5UZxFv${3`KF#9u7_ zLh;MRUm$)Nd{7Yge;yhs-GF!i`u~%E$8m=DIk=^8ZE#P*eGzUw9RCJCmZSCEoTHtE zI|Fwd?pe5R!2RO79PK{*u7bNA?mD=+aPOkbDLDRp@unQD7j6|?3*4NKtN2T?^M5}a z^K3+39j*-+hHS+E%z-aNmU+hI<|Ew{U0SW?Y%0mB3ZO zt%AD`ZZq5ya0lRCfI9*ACY;SRtB(Eh)|?<}}N zxR1cy0vCc?57!6xXK?&`?i%0^+;8Eg;O63*-(tAi;2PlWhUDLAcl9-h`WT zE#L(AHI!S6-wh1IeGhIJ?w4@?2ImD%7Q-!v>w)_++&AIA3%3ttH^cn_+>2=U2;3Ol z6kGte(_aU7D_kAiy>Of1z6!Sw?jYO<+;8DLI9L^cyAEzCTnO$D;CkU6gZnPr8*t-r zm*Q)yMQ{t?mcq5bJplJ*xP5TX!X1M<4L1dM)zvv#8QiUKEpY4Lw!%FM_axjwxMOf< z;578(Qn;mX4RCenKmWdS1L}nvhC2n<2lp=AoU$D4YPehB8sIwNHo|=w?g_a4a4*2U z3HL6X@1qz`xTSDyaQDJ}5$+ps`{9nl{Tl9VIM0okZ*b*swQ%il_rmqU?Sy**?t5^r z!u=ZVEZiK-x$EG*hPJJTy94gia5usg!oB|y;3nJ%+)=piz5e5bi0sop2Apt%D1}-41sn zTmWwBdcYm-Ww--yPrz-1yASRzxCXcz;qu`ofp25z1OF&CN#Fv!#n52xfMeEBuvrU- zo3vGn%9rqYd39~~^6GH#)`i`*!J5|EpcRLQw$&kAevR~COKo>kV+)hyxv{gmrlGnG zAJ0r#)7`$B3t&8Vhuf>$+HGJWZFy6$ zIow?zY*$^dfQG!GREtrpEnLmG&K2FY)$P^Yu0}A<^{5ftHf*GwcIQyOqb1xC3Zd=6 z+HM8s^f;^S7^3uef~}^tIn>$$U}4m&Lm}0U#+L4e>XzDYL-h*wue!ZG*c@s{dob!9 zfL%BkmH|h;+Qz!NU>kuAxVHya5q`w2>L!dUvey7t5T)We+8dCwv8KA6=pxW#ULajd zeb8!pcNhb&^4By3YgU9in(gw0kvoj)+dJA?(Cg*sNOe=w^6Huu*1L%G&7n5cP&=-n zyS}?A*izr#AnmDb=*Dme_E@p%y^K%G*H|A6V{}zXD^Iw(JKR{`QjHc6MlzpjYPxIC zZM%)Zn%cBnDo?1ju|>^42ga$YrJjahQxieGvIDQR>b76bI-09%oJnmzr=_FU)c~l4 zo>FHBpb2L50eITpTGQIpoiTw~XDAH(ujOd9ukLO@i!<5?$O3PG3)OA)9nHvRwG$Z4 zwmCG0&ldhkJLEaDF63!$t?g*)2sl&MaAPX{#Do?nn zo00CZ0o_hbDUf70o`JBm+xTU@O6pPc6%(LswMKeNniLKKubNtGR@hT1ghqklcD1#( z)U(g%Y$NDr4Ti|>cXxARxVgH$rUB_Ho>Zqv3gDR}LdZ}vrWdj>PjjtAbp@+2*=lOS zoaMpBPE5mKbz2jtH|IcO9jAGasMT1vS{Q-QPNsF&EVs$8h zpl-!S$k9~4QsA=Fz*ico!wuaXE!CaiKh>bcPPukIVW4X42Gle)0(sSpYi|k*0kbIw zdZfle`fI@?MODzOFsl>#W|!f(+g#5b*H|k<)YaII$>cD*HWEI~oeu-lR^7JRZXVKF zS}b%z6&bKdr4gMR9H?n+UC|g!fm3+P@?d*cFxb+~0RwFZ61Fsk8>I1)p4C%Lv*xkg zC6!mr?NnShz%7$iNIhwj2Kt$WH;UGhSqm21fOW95R?%1?`8KxHVnDi^ZDIzrT;51D z)@nOKsEF9*hFqhJL(rnZ0*pGejV-CJZwm$$k;+OZL4o|idYv>d*p8-JU{Plu?;B1Mua;c4J{{;<6I8b)VH;EgcMeRenL({9-DI`U8JD&c}E7k z`a>v;Bcs^RO-*G>-l`9_1lz!UA#b%ehoo-5wGB?8uC&A#2%1v z;~nS>CQKX138fblw$e~xJ?K$2k*s@p5WNGRAm*v~78DXXi4k=tvWzQ@bEUNdqSq=2 zbCfsO&W85(P?&{Rt#&vhf&+xUN!hSa4AqQO zTq-}>%ms!kfBOpJL5LH|se^GXt2@)4!z+SannlVS&gLR*wurCUbar`1y%Pr40NJo6 zB5>8lbT0H9)Y#rA)PPuzB(B#8 zWvly~AZi(roz{(o8~6i|F1<{uNJczGu*|$%(BNIdJ|#^=7;xc~bfU^w@myj{<`gc< zqA0r#OR{wGf%{UDk zgV_ps!d^C8oRuQGgL-M{uEB8lg$OiGcCEFgX?3>VLA#h|DK}=g$x)PL<#g?d{a6K@+q>;F>;kjQ=Oz!9#fK|`g7N|kXUMepQZV4`w~ zYj120D(TGP%2vEAHo*==#89hTr3JEuQc!qn!D+<{Hc<>_yIpa}rq-OPNe;CgL`N6; zA-{_NkbAXK&F&Mybw{ub+Crru zlQd^drc#_Vg#?tV1@cvx6!~s}SU|1>Inc zDB{plV55{xPglSekvgkvD$UWcNgmf=I4@T1s&F@$X|^DWa-9_b8-Q>U%CbUwDdGxs-xXVZ$nC#X=^{y)9p2wqgzvOar%%+ zyxr~Vz@m`50bp>B+?Ss2(toFjIQu}hOl=TpW^J&p8q%V0XYg^gqGX=)w4KT_(Zyu0 z3s?q}1u_Sg!`AYTajxOF1q54_A#HJ|x3<(lhtWPwJeBCFS&>mMn?f|P-YPJ5zc)=m z1n%4U2@AKXYq)*~3|f>R>Q3YMLY-!DT20GH`@h+H8}O!z?0@_g3YPL>#fm7Xp@I}_ z%gxQr`&&y}pjz5Wi$z64nxt(YO=^-ttEh;GsH}@FtEi||QBheJU35`VQPE`;UDm}F z6%}1n7Fk6_MP>E>IWu#Uo3@JIm*4aJf6s5jQ}VfU=k?5)GiT16nUF0vZSO(9_3=KH zSpN>aM(Y#O%4eXhOhePZ|EcwNW}Nz&Q(#LZD;*kIJ`;;)GFW8BfvvU%D!yoe{vG-~ zV;VrxjI^owH^mW|@5Pv_#p@~1u`<$XqN*Ib68bV}Ee`QmQw}>mNnrl2$LQuZO3kGE z6LHA;t6#xudFe;|%$nNC4P~GuvvcyYX4X)>Vc5b9z^w{eczUFy%_?}8v0%VF=p*9` z?1WfFrFCYChb^@k4U;R&V8CG-Ty14NI)=Cln~I#a8F6Zu1%}nzr^x`$7oZVrvz4$a zQ@(wQWwE}Y_q?=}zDS!76}*yqT5w|(#n-K6L4v+*j^IkX!>$%h=NXzHo1(F=#;nDN zAVvrlv{V}DZN1*57Vq`CccAf%vU1QWrCAY;(rIBItDt3aN-DB-MvwO_XMKzw@6(z8 zd_E*fQft9<9@Vw9bwN|-^a`^NhDn$Q`Ff{!9Mdm~!_1+&jQWz_x-dS(7+o?I7j1m; z*^%p#TA04q`5U4uR~>{}ms%|K2xrk#VQI5lD!sOD)Z$>diFsA*Qi{T~cVwT?lz>#2 zSiJJS=5?A;IUV{8mry<9Q^#oHN6SOo_W@g$O`%z4YFRm1JoOr_e*YnZefwHJGWw=R zzp%FpTBO4vvZ^5NVcnYvV`Juiu_h~dyV7Yg>#qyv(uO<}Z)%KM8>%X>HJV!GrS04mu*#G-)MCdn9R|A?EF;`<4b$pO z%nGTb+R#dez}Ac5#-ur{6Iu}@!8Cg+YzoX*MGF&3ACs%XBtsmSVp5`KO=TlZ*k~DN zPCPN280qAoKHHtaER1=8x16Pcv4Ik3&M`V6oS{zX!r9_fQ?sD|(-srBmXV|9oRAjx z)F}`>Rm^uon~#{Ooo1qpnMIQw8r`U#T38LX$22VV6|ldbe$VXwEF^Qxr&hnni;sb7 z>@L#g759DNVf>-?G>0!4N+f;3P#_iz`2wMMlIpOq-O&KTqwc)-t71^n&)WGg)f{YgLQR;$IIABu;YyL^#Yz@H4qqNqdyq@lEl zP#iCPiEuEa;nr9p8TGe?q}YOJD9+*}5=bT0jtMWU9g94D3*!EEA7v4u4hlyDu{K62 zNs4tOTVev&j_Hx2DGWDUNdjU0@h)F;EZ!#i))(-zHYKF#p|)7O3-TNB7K+YIObj}( z(_P{72N@m0{Hdu6%tHBz=k`RXBN+4X;3WEoH3IJwU?4mzv8K6*8x02;LU=M35BYek zgadB>ZLAXE<}k>FthKN>dW~2LU0)fG$A}~ncq##sNRe<;9F36#h1)`jguewnD4vOr zrEnOB;iB`Rpr;`uGMFZaY-kH7+Wg5tYmtGvUzBYKCk)Y8(lFm22?q@zlwth1`tcr2) zg)~+v;*sJp0f2}{ibwOBArgzt>uCQ)<%>43xTv!s76^32<7h!RYM396MR>hq%?52i zqptO_wveG}QZ4V?R1&Go(CiOKI^rQpoJ7NkNP=O~vCyYc-p`CTKnt)8`-rirjYmTO zatXw03K{%hq_*~Cmm!giW3U;(Ac>?uo-`~7CtD4ELj+W$@L((nrlCjy3{-z2K&&VQ z9J76pDf4ElvlFx1V!@6`C^4J!gETW5486yT)RQ!ANiMNq^Z?HkW3wd$dFPK9NFo?$Mlg(H z@4M(bmMor-V+M9Ks+b+5wj} zqaJ{gNM9C7vMNip<@I$G9`IMO9I22%JW_#*$HPq>G_dL*TWQLY%Kg#tNkf}I0-0`T zV?vYWH8$00a|n-v(H1qZASS#FY;vXk#a2Xd2%q#yTQgx?#XZLoJXT^Fvabzcbv{(S{L9)S)4b zZfp)GNksS!<%aR--|=WS)tPl>T3G6fy9p5kYy6wQ ztU>e-E5X7EOg4prG^d=+_*zUkej;l!w9_qk+B1xF&Q|yYYBuybCn$a_u zo+)p7#j!8tj%#b+=T<*tLt1&`Vg(_3T zx)PW5oR?{4*E9z%_Ot?<*H*0 zd~eGfW9lm_D-gY+9`CU0;uwSNKlngZO`VpRi6qs;44f3ik~GC=4MoS+btPNTtkk$o z^gYZ{ZHtGJ9dS&TjIEmEu{P>z8RX7!ov2F{{@UqJ=RZ0poUb^rVbi&8F@t_P5!_<1Cxh>L!>ll>LivJi7rfrZOEP^ zyI5=dlBnsn2>HhH<%Ny^+d1I@-<1hPRXSZeNTa`VqRm@8ns_*w#3&s zP?FgihxG|x=IDruR0b?Wk|gzb{9n{0#3efX(zvYF`qmR`g0zDB4 zL0m!-YhzecT9-a*D6228suDd%MD+7{t2h!Sjf(3S@g_;4)eaUZOshblq-&FWq;FqK zEXL%X_6+eHYKbMoAfn_C1VZgJkF#$cRbYKIsa4F~Sdu{8V%>|1LxCf812n?m^EG!w zFvwDCnMj0Y^nd{>@_fv3q&AJ40T~$$V?ig_6XJv>1tw9F28=ASu52b7L=9wT|CzPZfOJDKK7q{J(u(BIoRrJ_s9Kh zpgemP70@l;F%Pl1#s{^Zbr5A83^n^ZA}I+=OwIa^-h~3ll=Tyr4M<3fUoE-B=0

{tYV9H(cNr1hLXYObN1v5#hMG*x(a~L*A#@ZSpK?& zKeR6&*oqk!__r?-ZVnMU`dXnMAqnG6?VA=EERT9I0pkV6373puy!Kck%#<&L*TAq) zI4{BKQG*ZVq3Qo(sF6O;!ZkkU;aGx~7@_%(mtYI)l{d*QEk3;;hlLj7U4J4bZ^t>!+XU_udu_$Pi}bAd3cQC~P8{MTBTb zbrqJKlJc@Tn!==7&`j7rNPM47!-GsDm?u;A5b^%pP&_t+P52^^8y9 zjbzKyUWoYhT?vu}JXC~XInJMV8jPORXsx#-BbX*q3wlXsFVBySE&#kEX{OixD zC$E8wypdzZGfOW#T=Z$tw2XME-BfYPvZ9jekGWz$r9mJGZNMG@2-(BqDGtZg6;)wUDUH-n}^z8-HyI#G$NqWcW;R^sd z_KuUWqX#`&^VaSwF7=*xkG66TpCiRfxzqPiwmv_xYtUyMwH^J`c10g~X}b>OCDB)% zGCfmz(;;I!rH}mao;*~<9#`-5+OB14i?xqDs&Im~x0gxpyl@UO!_%a%_Vo1r=qpZd zuaw?p>H9zJtI<1NW?$)jL3+pS?HAHJP7mIsqs={hP>!62?INapTYAUWctY>xigl{k zHz)Z#UooYhp>h)Mq~51h(9AIImzNPX-8nhHfQ0I9*;zap_D64l%$L1neW~f;yy*$mrrQcMukf zmyvluiHBwQ2}sl6z(1wBY${sUScWq{T!7cloO}khV^LV@eN83AcCXjE_c+&IRb5eD zHlu<%B%Kb9`DKtmaKY;HJv*eqy?yi%Qt3tOnL7}+W+zwFPRE94y3euITT?ZC=5*b* zE#n1vUC-(>ocd1ikB|2kkDu-@{WJBK{+arV9PR3Bs@OMDky9;v;CVRp0HUyWHFY)Y zyQ~^OOGoUh!&-j4COn;16Do&eMJo#|YLY_nxQ|S`(4=E*iz@-$4`H-OV`1zi+rR1+ zueJ{7<+!b{e-v-kKK{KN&wah0h44A}YZdWxM4psZ`#dq!bROY;_`|(~ z(#k=&SLG`T!7nn3cSC^l@wXlCw)c2P7oQa(@gBU}Bi?l*?7#iNZCWb^;YvkhKv$t< zsC!mN!&Wtqbpyq!L=(k8NY?A89k%GXP;>vY(7KQ+%{f%EotzEC-rl zv%*!w{JDHa!`NATzK>*volEI(VX-b=71IlnnPDtmXGT~Zi?=W{jKy1&5ytO`Sb{L> z_Yzi@1{QAx!lVj>#knmD{lx3Rp2sFSc`)OlPVfYeH};~7E($iGdD4&}TKr^SY*iVn z53cwVc~IE7tekv(SObrT>;0r0s!ts88hAVd!WK~&D|jrK9HnlAks+ug#4D3M6!*u_ zGp9S7r#2#t_*sOJc#*atOxHgug~_-lYR{-tJPU>44nN6eMVM$S?vRl-_s4Tn0ulzF zcHBjTuabBo9vCaLx$*$Q41-c(tPU)0kN@a4X$smdzP0D$9^m6Zd*0FG{mnhz>(g(1 zP|AA)f0VD5ey1*d&3Y-%k3V`(AG~69*abS$I3T$|e_Qdq9e+FVH|KUqD*cTleF*#& z{v^a?_J{VaU`jZawYNvY(RnbQS4G1~pSHHH7)J5=hv?h6nbTei+f8?&A#9f}-Uhle z>RCy$F{!{~zJxn}BF{VZeN-XP4B~{-WH|H zNWV>$HJrUICx0$pxO5H+sl`@14`6l_QQ-wcn3;|pe}$(2-2DQv4w&vgKB{)|8NNhR zfzer#Zk3qdFP#O2ha{QyH)dDz``DtP1#so#TNc7cFF2ItDNKXRX5^!N3cgV@j=!yk zgK#AU%RX+mPe_ftlv~P-FXjj;J<9W<%%Q^if(oqp zSMXd!dhWj=Ngw3UiC*$Lz~WnM+FX)F{^!&HIOh1UCn&Ar`LRM{1IXVw02i&e4=Xab z6TZ)A0)i+J=*mNK(|ZBy()G}c`~h^0k9+t$@Dp!?;kfj4`dx-Q(hE7Pzp%Q)rV`r~ z`*awZ=VO#*+gKl@Y6JR759er$xWqhPd#s%kZWe1H$OD}(tm|nUvcla%L^f?NWki26 z?c$^X4zbY1W%YvcRV)YI3+owXn?zFND1OHbT%+maG-nEFD5r_o6PeB1mca*{o}3dR zy=sIVFexjm4EM*;Ykh+Gm=O@^0LGZ93wvKH0-~yjrNUt`Y?|N zNqR0#dyUA_0@mw98QQoBNtb4D6IZ4m)Oep&sT7ohU9y%F%*bdINX8>R&9z0kfrTXm zH~dCCf#;-e`;k>A&CnmRK1H7>N^Kgc=8tjRph7#@Sm6!_h8m-Nm3 zVP|7iJeKoi#{OI))ziGb%UM0RU()Z=b?-HveWB=l>|6F-C!;UiF6H*_H(%MzS<>^V zT-$uuM;HEuds2N)qV~a5oYXckV`j(-R`AC3d+yFCWbR1bLb2Pp<>;`IN)KlwjzsKNb$tUUg;#3lQ8sBV)R^L zD&+!}Q!S5!bIBAzV1nEC zehPGxy^c;|4)L+{R43sLAzhhDPobJWM^367IzyuO@rUnIMhfPz!9CxIl+q;`Z#7zr z$w2s5%*}|CcKJw1|735_5*f+>)ClG$1}OY;Kv{*=jQF}Tl?$hhC-qD+Uy{bB+MrD- zSEOQ4Thj%g$AgHI48u>78sSXE<8!1&l@D1stDUadp>nj4>{Og) zc-bUcDcxvZ5wT${y2~ z5;Qiqr*hCdoqVjLM(N9^thiStqro*|Tq#;6QdcS$qOHbXsgdOat%R-dO%{{$!eb2U z$FlI$lKzn>b^?U-k7TW&8a-8_MB$eok)eE zB$+!hNz&IWG)<6%^y@6rJ9VR4I-zH|p*RPXdPD6L9U6gGzEqx~oA9UO%AIt6Dn;M^TWeD9X*AG8 zEDrwgLtR3nJB7ze_X88pgIJkFNhZxw!*3spt*3cisuYU-bKK=f#pLP})NUG|K6r*o zlT&S^zM}cgB|^9dn&y!mne-4`0D&|utGhK4m9AW$aE>H(DrzA3f!ng5@{>mHirE3pg8+#LJMY){`^-Mno+o~ zK9sEG9;3%0WO6JP@ln!ha)e%}%e8_Xv7Az0!F>j$?g6NWZ!&H3oK1e)T1|#fIM0#t zE=wlkRYB>?th%o0?BI~EEEq%$VM73AuznwlHda|GLKr8)`a(I17(gdnI9q$9Zv{r8vEvywMvhdqO6oNIEuiigD)X>TX z_#aU|H8$Pqrhcgg;EKPQ(S|s@rlnC-0`u1ORVBy*!aaDU5u*Ow9g%nEOQK}7pJ>^L zbD^;X3A~dEv{td+t4|{5vM3p0SOYa0DpVG0jlLJ7C~0a{H4ZBe6VSb0Wc^Ts zvo~mW2ONB*BJ^5A2hMX)UrVQGCDz31m|J5EM3e492^BcwMO{<{$8L>gZpy8J{3gMl z(_>g1#K4EJ;eY}!>bMAR1=nl?wU7yQt8_2X5@L?ELwYSu1(E$O5yBkjW=7-waDw@M zpQGcmvIO&P7AfA=Qh+U{;P|H>?K2CCGq&Rdm!77QwO)j)eYhnW3NjvEFLKaQe}$N7 zPUOX;m{IxzqvjNUgltxfoG+wXL7jo}qBxUkBO2qt7kHt*qlw#qMvHpYVk&5c|39zV zcj@v#G@?2DCDR->h0IC^({VsXL0Dw~|eqm392uZ-Whw_^OXK0$7 zwZ0yOyh#ee1CdP#Hz6Hs187d;Q<6^2;07i+gt$06-9yy(BFhIw$>nqerXJ$~JPnWj zbX;%_mu&D`=_PF-l!(>vlfd8;Urj8DCTa)7#K4dgtp}NqY7YgZ2wIVnP?b3F0*muq z`d*>|#Ah>6%cCfNjv1>I3p&u);*_{DU1JoC6_CccW%0Pb%g0W&YPN#OXbF*kgo=+f zT$0`ty*3@;=tNj~1ZSf2Nk~f4UsxL(;vL$Mmkv=GqE;Xi*O$Z!C^f63B>H&KAH0D?2}$}KVQl8YXeC3wn7pL> z`z%ZAy>@mE%Vgy{0%y>f$3QD+I8MU$ax%y+F@R3h9D}ZhcQG9JCnXgcIc$OnI>~94 zuz;g+zz)wvLUENA=WRILb$0oTnfS4W>6J!R=J_Y3W_EZRyoyv@PF^kHd>$s~`4SEz zv6JwZNQ{QqBKGUVNIr z5a-uO%_2^v z(SjdK_K7z{Id(>NEcH|<&;i{bBhe|S3#bgCi;Sd`wI?4gx4_Xj7Rac@(Oiidi0c;U z6i|D(xGhl(AD&|5Pz;6%$BHAyVq-Dy@E-5uT!GWaxM#pj+GYyk;73ZDLh_N2mO=v{ z6MypcaikxY(?R-ZvMwGA;GBlEWI%&fH!VoIynj_fJjCKtFtvc_BoLAzjeFD%H*PG!afC9=Zs%tq3)BwBX3GR?BTHe>#ib(O!k2*eE3_gsUji81Wh< zX$p=oj@y(?9f>ETZ8{9vkBvCn6y zn^7|rFF`pJFA^FG{RZf?{^SHYf9Yq(TjPc%j3->#!0)QiVnXsIanDSMZotUp<(C)? z^`Veq#*}h{D%&in`U;zSy1J8!3qgjailfUf=L?jfE0fZ%rL?Um7k^rQ8xhvs zf@fWr_D=sz^C#pZOle9Yz2L3~3qbU+rL-Csb1ksV6b<}n;2$Jx&=R*?Rjg7*29{dzFNQ_uIfqTN`;4|yu4+c zzMa!}|Ky`Dc3;KA*4lZPig=qvSU3E1iPqH!TO`6Zx_MXw!n#G+8Yd6a_lt)6v<+%< z24jbxVRn--Ks)%HdZ3+E_P|F}`d$M4eFdq!L?jg4>+E5Aw9^)_gu-T#yS+8K)!}U%E_(vc<<)3lCLPD!B+bK!tD&Zsa z7LsA3rM$&Rv;B;$yd8L!PvXxxc-~F&Y^0P&{>|H`X65b2^X3!z^8pXW&-YT^ffM+1 zo+T?UAJ5&Rc>1+?KNin*3q*QrR-TGyEX7!PdFHIVYI;6d%F9Ond#bYXX5%?eJTF4} zPCR#C!qZnkJ}<-b9Pz%jIxBBAo(-q){7TQv%3DY2Q6I{0wvZQqsSl&8-X|d4+kL7t zeQ7P4rhv)0-5-t{3Ym&fgl>iYPy5kA`-) zqJ9-4+JJ34_G!T|)pifWz6jg3IM*bdXr+v%Cq!$i#Ii1)#hv0d^k|__%)C7&l2$4Xguegig^LAWn)%e zA)eRcnfTj)c|*nX0r9-omX$XR&+=H#PZIdI0nc^fc_ZeYc08{b$N6t-MONMtJZ~4z z%ckJG2%hI4K8>&4C~p;>58#=~JB0CsuZ)jwKVBQOq65=?Px>#;)f)S{2A@TynM`jJP<*PdrUT=R0t{sxCzif-YC^Ibk>Yff}8Ix%hwxDgILf)%6DKJA7oB0poxa6lUxvEJg&)u0IJWFFt#{?I=~nLZN*yL5NeMF zTKSl0#B4?B`Hndlhiw$1b!@Z;J7^7)R>Zs#_<`EMTSb*dlJu2Pd~T+Sq~qxsiV-SF zJV$Z#UN}8Dy%`YNRh{cI69bN*s`()?@9NOx0gs6W$hT8F$mb{d};!G2Kj?=V)B<*7yzhz2?-Vb^$Dr zX$6VIxkMIywna2rsPSBB(!Vn3DTTJMl@G}v(H2%sJ*`6XF<`>Y2HfI?q;#cJicW0& zXdYi$rwUydJX_ze|U$ z#h6UcWGJoBNP%P`Sd25i6vn{QI$T?^p<})Z z;t%J~t(eDmA3%QM{gUa>Gx6S#&)?6+e6|J8?c%u;_1T5z&Ek0()|q?p4C61W&!N)Z za~yF23mN$%Bo-TFOAX{~i%n`~G4Qz4wD_CL%?Y1rvr35cshQ4D z7%FKg5$hMm8>l+Jo^(P} z(#CP|CNyx`Wuvt-jo*wYuqgUlFp$~xfiOdc;=7ND02Jw_6#f0cD)ErU`SS4ZL!$9U!UK6}rpbMq+!_2!JQ!Jh`f~4+1`epq_ z2X6ka>#zS#N3j_v_ZN2*n~S(Ep3-ahBXLqnVS!IOzi~TFZ3LuV{|{`zG)=*V%;s1o z+xUHDy*fNK(Q29~WEI)8F-h|4#k>&U_>g>;$8h=G4f#y+Un=18zZ>#+2-XtY@l5i5 zYaez!Ve9HqJ{M+urcYbP{1I9UkR_X~#32#6j-M7|BwQ&@5mY*Mm#Jo%*GXDdZAnEv z*Vke$z+bzG%YC{Jp|p;#g+_{X58a% zVjbl|8H?ud{PqevCoetoe?emGN8?_)9+c2x@;mh4X_|Tuy9R^}-60RXOxz$3Nt(W! zz9`p_`iNj{K`vDAiAYKJ)r&__j|_#JBo@ERv^WBR9N`JLIsg$P^oBYZ!pTUIFci=R zQ2}53(t3pL7--52xK4i;psp#jV9Bh!){gwvW`SCm{X8lKJx3maR{3c2 zq9er7(_qchm#68KWom;@TZ)jmn|@q`-F44h zf5b0!a4QJp5-zLO%1k9Mk=oIp?MJBpYScaN2yyiNIa}ACi?00Tv?MxZd`fwL%GhVF z!{7Fw$ZM7Q^Zl8T=Mf$@gC4Vv&{oP~*Dvi)W)A-!b*IEN7IAt8v#Rbl7uZ%6%nR!D^c!v$HY5I71vOW=jT5rOG~?S%rvNnTnea69lSfiDDJCotRq zr7Z$q3cMSb<{hHvA%STUF5Jq)iMB3*iM9;_6Kx{`6FnCSycB7d2~2HVD=@Wjlfcx* zZ30sp_XtdFJSZ@=CFjq)4%C*>0?Ww1NMIvyslWf%0Phw!0enzkA8^jgyl!)VM+@u+E)|&gr$J!ipLT(X9~KI{ z2=SK*Ok-h{77n~d;LCwG3rzc(TLr!Xc(=eyfDZ`#E99BIjo0lu;Cz9vM4Uo_mjYJ^ z+=Vy|0$+vjh``H$mk4|{aJRtM0B;ibTHqZ5e*nB!;N`&CukboFBLC3>{|e!;~Q|Tq|H8{E2QCzNKJYYwEx@e;{~CCqz)is20^f)_ zY!VpPn@PI_z6s%n1zrW5znzzLGjNf>w*XfN96;JR0tbPY2z)EztP*%N@LGXKA8npui6R=k4HiXhuF`1%43WHi4}O zuM>D3!h-_;4tSx!4*{aKL1l|a|O5n$V*9v?l>a$tkClJ0<;3t6(3Va6QjQl&V!zP3m34A5O zO9g%k;dKH(4csd5Gr)@k-VD4#;CiH8BX9-qMuDG2oNWSkB7DEVxF%AP-r#k34lrNf z=Yhuxyam`L@C(4R1)hbp%LTpyc!R(f1Md`g0`MV$rvm5ic%{HE0k0SMW#Fv>Zv#Fc@Kwk&`%PZ%GT@N{zk)cjz^?)~2>ch| zh`{dwFA;b*@G61d2VN)ecHpf7{}p(*z^?%x6!>qzIdAbg*iZ+9z&j9b6Zm!DI)VQV z929sW;&%#M3%pX`I^gvJp9Q>C;5U$Vx4>s3Jm+m*?oNb{75GiyQi0zBo-Ob>h`&f+ zy7F?Rz{de^6!>k#-y(1;!gmY23*kAtcv)eD=LQc$>f@fcFbL z5IFB$oz~2II6L>Mw?iRQm_<+FQA&+5q>#vyTA$HB?2dbR|(t#yiVX&;LQRr1l}p|65#y; zhk=Lulb1#7zR?0-0;~#rDR8yGbAe|IJP&x0z!BhXfjfXV2;2s|S>P_<9Rha(?-e)( zEbZfUXa~#}_#z6|eb6=RGeQ^kzYRN9{cq>^|CjvwO9N4rLUdUkzDw~v65q4%jW69N zOY-6g{jf+E2*~f}Ue-r=KfLYkBYaRcWLah=EFTKr`V-+h5xyJ7f+F2}8y353Fc)bb zy5GEVfcBLBc6mG7BHC|8x(kdYazV;t#$AAm@``N**!hEZk{>71LhgdDP@=%=8Jg>& zE$Fr;cq$=-Xu@3pk55Me=hNE!iQ=|!ARbG^nv=yaY&-mkwvzeA0(c5VacnU`Kh8z_ zd%QGcWiYsyFAbeV{e`)i3RpU%goiJjb(3A<86hb%JKf*~|5tbwrC#b^SF*Fqs7N*2 zXlL8)?gD=TKShgEdhr57N4N~XMwmd`n(20qf=Q`tT$6sf5Z9!PD!C@5+QyQ*$kdO0 z!=`WqwLWrlGolk2MI~H*y1YHWb|BOBO1Xg5)*GsV?t+U$iflBhW^1w0tXhgyQ@~v8 zH#dihW!V-Cg+ivFsad{6-?Cmgn9N3#t;y~$HV5s_F`34jm1rVd!RUIu?JPZ>bHbUwx7?z*le*{0#-}0O%550RmEg4 zwws%pifyK#+-wQTLBI6~IoLvSv(;}@ikq67OlU>OR*W{8i&a~5&@B6nX1`t63fH8b z)OAhD=m_4Gx=2UvNHz-6e2X*gbVCpPU};+?&7m$j_*n;6gR%v5PDBi@)?~8XF=>(* zUnQyWRf1Ygs-Ipp3Ega&Bz*O>JPSNvy^w2CMvfZ$OzNuweY86mBG(=`(P<;hrG+HR zgak;lpC%KkkN|EAIMju!B-{lk%A^$VW3C0$HQ7)is#{Xdu6HOdhr2->{^tcG5&HfJ z&j5FUr9`HG>;MK0(OA3;$9Zt)LV%9ry9*}bO-B>P2ktp)z-WfBv6#U!7S*V#fk3k{ z2&b6{4w!bp>5xU&2DfWc-|b6>GfIF`>DEJ>uIaDh|Fflf$%p?dr5Qj~Qms^j=PLX^ z1(-fhWq$^BGD|v2>MwoO|Hjle%^&oEn3rg7(0{Ta$Fq=M61P-@p<%Tkw=fRnhLCeq zYR27fkpD=OCCRCOs?-EbH5!HRa>QxF{NzXcF4V@4C(^v2WA!G_dI`A%t5d4Zfi%027@yjDwsd`i(ZbAyM`n6}o%gmqZLHRTG6 z$RVA-Nh*=7_@g#hq``FsDQQLzPW zCLOSMm;pBp86<^K(kK-(WJDbd|1DaTAl=WGAtT0Q)Ug(I3!#npJ#o~t4c|YV(un&& z?6}#3*G`ss=ltir+%jXTg^5PH=kr4XFkt7*LlxNL)*GyUv_4~f+4?u@XVxLMV{9kbrrOT7 z&9+5s9k%;zkJz@_Ubnqv+im;EcF^{{ZIu0VyU~7zz0p3$-eSMVezpA``(yTZ?V}tM z9d5@I$JvgU<6_6g;k}?R?g`-C5|e zx>{Vxle@(|-+j0HA@?8LPq_EFM|lc8C7!9CI!~kL zGS5=a4W4^FzxQnO{LS-;=aAo_D_Y3hzqqE$F3Zy$8Hsduc+ay^>+_ zDe`#PAy1R1%QMkqm&@16x5$snpUH!adB)>#<&)cZrm@l3X}sKc9eV5U7*UckOgUMZ zq0GWq`m^$?vO{@S*{ghk{u*J5o4gn`XQ~&fo$96NqhDj(>`>oVKURNKOUy3wndZ3p zGV_(@+s(f-KWcu){5nR=aLY)G(Q>BcEX#S8X3O=Kn=HF5pIapBY1V3Mz}jYAV7(f> z^N@9;^?B>xtz&HEwo7bR*jC$Kw&mJSwU^qb+GpDn_Dk$HVr)EX-)4Wq{(=2p_Cxmm zj$w`y9Ah1m91cgq@hitWj<3-VN#|qEea_FFUpo&w8{G5U3*48xuW{ex{+oNJd$;=& z_c!ib&nVAWPpc>5Y4;>Oot}lBMV=*|WuE1pjh?NZzkA;G{0n2?IIjUC;B4<=?+Wit z-bcMJdiRs^Sc*L%(A6kUmd}#s%1a@wo{(RW56A_^Nyf8`7a6ZM{?7QKahq|NQV1HJ ztF(dR?^Nzno>E>`c7cjND94yiHF?1GOCgQkHk|}|E>K@mUsETV6?2#Qa`WTnm(9D) zKbj|4rdc{Iw}V=rSw@4SZPtkOe(M+3AFTsyC)+03?6wM9n=NTuY+D8nz6Bioh;5_o zY1?+&d$td4pV<1@$Joz=Y?*Bj+UJ9tue0B6f7HIo{%8AZ_D}3Nj?s=n(9Y(la?Eth zc7z{ZRINpVnIpjD7{2O#$=v?5u&G|g|_pr0SYmn<`*NLuiuG3vE*HqVZ*DP1S z6$LMMxz@R!g3Ni%^``4HSGN0T_c*uFZF85o8{Bgsd)nPsx|h4}b02d5=swDGy2s>k zdd~FB^!&>62hVe!KYQNr^!E<;p5Ptto#w6e&hoZ`n=kQR>;0|wHt);c*Sv2+?(Fk^ z;f2~G89@8-@(ejDcgVNP_s9>)ugS+4FNUm{q)b<4Dwil%D8Gi(|4tcg8f#KalTGtY z3r#ng2C75Uk?P6nShZGdRA;MAY6LQ7k$R1KubOM#Wd7EiWf@`_Wf^NRF+RP_@|fj4 z%O1;qOFwI_b)>b>>b2fueapJr`knPGNc1_jxuE=|p!_Pxi$(UO_T~0B?Wa1dj&{eT zj&8@>j`tnkJ4&53&I_DNoYy#4IB#^`;aux{*!h~%>l*4l)@^W)cNe=&?p5x)AeCQs zfA0R)J-{;rvboN4f#)L6)t+w8I?uzN$32@pyF4FyzV>_%Iu&_s81v_P=Xl#8mmlyx z?0wApwD(=_Cp6~gz`hFl^plU0kCqkLiBVr8H)F)##Avln-XXs!zb|JQbB&78VVnv% z9e|`>XuQJsTjOfuL&isqe=@#meAl?w_?7WHV?Sjio?Xxw&AuCo5|+1&9lXAUACKTcY*u=WZQ!t8DJl7KN)lD zY<&6^>^e+a0e%a^yS5IqlBL&VaMk+3vj4 zx!(Dx^C{;i&M%yUAh%1v?H9N%c6Gb%cWnWmf8rVhX>D>>x@+ARV^-bm-Vg5X?-}DM z_NbmI;O=_Qqn;PgZ~HtaLXH%Ajb4X0;Ej0KV;0@({nQJU9`{vJUmXJpJytFPPdCaw zIVoQvUnj4XAC{k%|0KUEe<*(<{~%`@Plg7hVrIS2cnKuT+s6IqpTWuqr9hDtm(r*N zl!&rH+05kiPUR@m5cJUmlhZWK)M%P(y3F(|(=Dd^Oi!4ehwk%*DI0y&q(;@N)Zako z`AGejdV=|6^J$n{Ys`Lgr}pi!59`XFi^FE~f0PhIzY2NARnYrFo-oJQ1_I^t;ei7GA2SPVJ zMV`uJ&2`XAZ-t!SCGVGiM1Kr29%C#p%Fsz8#)R=Q*E6(>lxmAD9lC^3_vSuX>IeQ?FHT zQ{PbEQU8JQl5Ng~&QlD1Ctz;H%zBOa59X)LpPIjCBj*mwTFZLNP^8X{+;MNWIn0yPQuu-*A42arC8guxpH~*ky7#U6rmHSA)yvintcL z9)kw74Z7-X=s^A4Biv)qgBEwG`%L%w?n}{+o6w8HJd-@rJq_r)Wsr&YLs$JH#@4Hz z9iI0*`_YF+ZwR{2Mz6F2t54Wxj*~BjCiXYhb^#%1W=)qmkiat?4SAS3k zn@3_T;V_q)E6wMaFF-#ozzADmUSqx=z4@H^@8-ABr(c=}S_WHAww!9QSe%v`OTFb> z%N$FKmh4D+YqcsPPG-=thO@SnYLNBCag^6L)-e5?KW`1 zA8lJ~uiD`nHVeIaz>8=*(6hfe$~G>KQC7r$%& z2c+wl(8wf5j$^3fILArQlP5Y9%!Xc!WYU&>j-VsrNIJT(nz`C>o#RHw?ckYpj>jBN zJDzv!#3=s~qkMp~02;K@S>{}Zk-pM-i}NApADmmAe|PSJPIu6GjO%z;qw9R=9SdAn zVBGJ3#u}=QMhnJW)>qn%*Uz#h$C6 z=Uwl)(Q_+!=^oDm;HC|jW1sds58dw-&uh>|c0o3L1kO5uIrlq{E4^oW8?Z|9dt1D1-h{Wydztr2XfD@7W4z6KxA%VU@1Z$937z~; z-dDVTgC_GHbeT`QpL@R{In#}OVeqRY50r<{Buf1NAcY^Ep$ors+ek~uC`x*J#`9!RqPs8k? zh!yl1#yYH`XB(T0t;VP^35|6TR@2KdI#wBPH?A>0U|f%N+a}|4SPi^t++lpnxZC&< z=9@3DGWY?j?OY`f^Ui3@JcUXLR^1MzRGFewv-QFSkacsFc4a=~-D0f5uTxe+`|Vcl zRn{qwC>xchl`YCk%68@N(1bt0n&MOCAT%|}G!XOEaMMWB$9x4G;K4zX4+|b*R;p9&vd}_H6&_3 zHAfw$=Bp>F2K6+x2&+mP#&3mshFYhd%{0JP%z#OZ;zh6kELU$(SE;wFYp|YKk8!+7 zeNNp9i@*-`Ep<0$$o=XU>LH9}lE`^ji;gxIm#jqzhEt4%(mO4wL zv-ooubL)?x0wz#76Ds>6DT zb(!^7*56ofv)*TY0yc<`toyN6IAs07nr#~lP3Z)iLCAi$tvmhkiOzu_=?41Oz-Wk2&^^Reby%$0LN^}9jyC(O@7y6!fA1RdrJ^C9yO=4?x@ zCC@U#GTKsLDYTS;_6}&EQ!Le%8J1a~e$X=4(hmABL=P;pTxVHnxdnZ2uVtO(5z9u) z(~!O|S+--g-DUZ}ve)t{X58NNbHW6QIRgvG&N zE3_5aRGSU6Zz2kZkI>leAC(k!-5-wlf%wSI$W|29T}UCM6I zV83zzazsyq(Toa3kR&STPztUgN;H^eLzV;~OS)0#b++}W^CsJ7)Onk27FG&#Fajd> zc6+CN5mw8~?JMo8?5pkF_O3o(zZ@*MOW_Dq8frrq1= zT?9+PO78|}BD=6w#V!$KJ1%pBJWoP)FPB$BTJMI0&W2=Gjip#|tubyf9xxsRr&G(Q zN3+p~4dC(FrX=Lr7HA>e=(~;Rx9!j<_M*om^APA0W6d(GEz`^m<~gv1b()ue=T^fa zwgHyPZP42Hm=Bl_n{zDr7K5e8VzX4BpJ!WIElJoem%~=J2D-#1%T~({rZ*n4WJ8k} z4cVevOJS9ng;iHOEN9ECE3Mtub+F8AfkwZ}y4QNpDuGW%+Q!;saPc&7#vJfOC-`9n zIAJX)x*62mi8a^(+hJRdJs&!Lk=+Ijq7D>pwI@N_<)G^tP;?Whxx>EOz8{)Hwj+<( zBUDGJquMbG+CsZyAy#NBv6f!v*yz}Tb=odwX_LT5BfxMvzTXAXF#6WZnq=$mVu z8=RY++pt2|<2(SHMUE@qWpEX_Y_1AdoohCvRT4b49Aj#YYrSieYb!K}-LCzvL$F%p zxktMTp+l6qtKGBQL0Byox|g|Ey1U)$V3XV8-tOMz-s?W-mas-23Hy=kae1aeE1d&g z=!E@f1#EL`p-XIrC3UA~544BFo*ZZm2DWCe@YZ=}!?KYCmn_FxV+~sgZuRc)?uIlx zgtdDXe%%lIl5(CrS}ue|yi~51XTc`kE-!>^Tq$?U>*S4)kK3^Z*()E!X4DYlNNBjS z(Pf-wY%tEjN~9B7?h5eLTH^-eX4s&18ux&|4jXfne8r#?L7rA9b;@j|RY@v~l;z4Q zj4F~STfuv~nIs|p8*M7YxGBY$nT65P4*SV6(@Ik})+!spk=sqXz?BCfd�QR+Uv3 z$l#3@lB)mt{NGQ3RVShi{rXAr z;uDt-95iw1w58t+%{r=I_u>;TK~Pt}tSsZv^3Z{U<}96-73!beFKd7#&mNe2`oOI0 zti{%TS=rq+7$3*$LXMUP_0N*Jv+wG+2sdr^NSke_`J(OIeX+7LvcG*{@3#}|XYYUW z%h%o?Kkwu(-3UtwU(;u>%`g{R@&I<4N);iZ=Mzd>){?8w0*m##7{z=ym^NM~K(- zLj`acYip;|%H?J9$;S_cj;|<2%s2R)d;C!NswgH|F~K3jey)6huCg=hwc>J*&9Co* z!x%g|4CS#ne(Z*MIw6x1UflT9YbwxCua#Jj3t7T&388B*iVag0d2v>Oo$BUm&ZYy|W!%C^&H`D+1%!WT!jGgz2uhRL~idV~rCyrlyZFs}!FW-Ff zy7;KmreAoW$IcjuWOp8ws4!|p4(@j98kRjGJKuN9SJBzqwk2=b@y;cmdEee&y{P0JSs9oEMjtTXsI08))1W{UXwUGp z7$IDgVu3_^39j=4>yUF2QJ4YUfFE~ESUUcC}r)1l(o>aS)Zh2{mNF0bq zbZIAXj?yz!d07eKFn&I1T=oz-SF1sPsOyyL(Nt14#>qgrke-jp9wVQ!20Uy$0i%*J zY93|C_@!8pRa-F|le+QK|MJVF{)2A)b=PN?og+W+S?i@NpxTYq@Q9L?T2ch#s9>+}pwBmV#N7~*4CHrg`A zuwvK7aMOQj48v`Z_r&Q(8pHG>Qn(Wn<5)f7IKC?|*j};m$y4vEsCshPk9QvM=hpvb z{i?TrS9J6lFGPP_>Z+f4^l`6ddr$xO{WsqD=F|SJ!RP(Cdg=TRcbA`8@Y_$HJH7nb zJ9f5ixURJJ(<^O{AM?VgUj%0zI8KSxG~W5pvNiqQn0WFlXTJYV;PvCLR?b_0!OiEc zy{)ir*zup<__p6!dDcmP8GiQQ8>Sw9@S(4p-BZ`K$3MQ|W8W)zk8immxblRj#w~h( z?`sA3Y=5HPMRzXv&3U2cKRrIVsch-QT{+duZ&-eP@$CyLPHFx7+T?<_hn=Tfd-k=a zr``-~t-8(e!VCLMgJ1jn?okJ?efrHmG+yg`H~YSe3LY8zP|2U#UwFFaiqmqwANVtzL4`oSq|1U-$Tq46_A=BPz-LK{vP;4N}Uo~S)z zfS)YJXfjdE#`uCnNkT|yHqfo9xc!!%o{sAe`%8L6os>)@iUa=Q7NrCi3&}33+$q^+ z*(4jgCv_L=QN zd4Jh^kK9;vb(Qz=zg+g`XFLV1f%;pX3MbdSaFXk?8+JdxY4pzQ4teo_JrGmdgqZ3q zD8IA*y~5m6zI%W6_QL9=dNDN^V(Jo|n5e2Yj*#;~bEq0aA&uksea<#Rbuw6DJYAkZ z;e(GYs3+&{kf9>n5>Db$-SYIUTm}*i&@hY>_3R=Hk zd)^)M=KLyl??3M^TI;$O8x>ixSMs~py|n(rwST+i3G<#yTf%Ms8ryZtH4Ehf`yEHM z6dwK6r`NRF58m_gofn-pbl#pH;`h&M+;ZUE7n`>oe)yR~znfNg{jS&}cfa=1(ACEs zcQEk7TcxKRQ+nrLw>-aN{cXRyvhwP1|AsfOcxU^x(s!S{^B>bsDINRy=H1r~pE4?E z(hZ-U5b{5n|J9ZMUvXC+4rSMeXES7`Y!PE`GKhEvjU@?LBC@}>u|;EfiEM+SF=eYP z*&=($_9jF`geW6PQML*dC8d(R@I9lK^w#@*-*tW0cfEg}nRDhj*Ieg!-}mo6=l7i8 zBB{gi(yp-(5pq!P8nBVTf9mj0EWaAIBJ{9b!yh<&U48F`LVqbh===jh4!F<&(QJ`y zY`E|S0pdenN8n8ot7ofyNIs4ZtD1wf_WK|bPT>-aSVA08@uhA24~U*7@69 zBY<`}m;GI8rBmO;mC!eFg+!R~3qin5+;t#_LAlm|oJ=PFI1MjP@W6E7UxF4+1r-}g zko+<4`dB=}jP@sApL}~vbxulYEhY6+O>)m7cD&t@fyxBAn%E(%X!6)7#Rb|pJZsWm z!Io0rU&{76>q9qIzr$G~z}7k`O*gkrPfmM8JWxxU*4iyr>c`vcSii7TXH-xDOHehj z4a#s`SeBET#+-FWsY9YhM5PPEm|wpS!%f$;b(e--$d#8=7#+M|B2pU1mBZ`Y#o1a* zOS^jR*vMo-<5~NuTSO(!7q)!eE0yyWey~~(_EWMeEokBe$CYw6QmBUNZEWK#Uy`S2 zyDuc%(5?GEQusKuFIFc>&5_9*dCU3T(=C5k?u7E*O?@rlx7h)UIA{Dw>gI7H!}v>C zmjZl~PGx?sPPS|>W$VjKtIZ5Zvjqxn} zani|!S{KQLl2mE4`E2oeNSk<&znW06$iR@ca zx(4(At`k6o{hWuw=y@m%%tOH#%e$7+R)S2_u;AdL?C;J$)qy(aHhHpdh^Im8x(ug4 z_?X>!%}t8cy}yxa?gku&)e!Z=nlZ5PLxJh8Dn`CdR?f&*nZblJ{MJM9W!Z}61)Wo2 zyBw$F%}0Ze<{nyN`pu*AT1k-Qy_c#LJRhhdN|Oswyc0JYHQf1iyX#VdiX-fc+pG#t zNc2f8|7JX_maS+qF%eOn^$hCW#L%{fA&A%Ly@m}J+!5Fr!#$YmpMi;aH*mCGcj=Vu z0QO;HfH<*ZS(7?<$tuF$+;=d9F)JnP877Qf@|;+s!ihYmCw9V{MODo_c&Y@A-;Wl3 z)jBArG@!adbpP6TJn>MpSE7ocY#+@}tXpxoU(Wt``EnNLj6Ozu+7#84Go07za8ive zU*Qt_*~fq>o@LKaK?cKau^d<7*lW0ZL=Q9IqaHh{^_8iqH!hxt>$s4zeg0N??UP)xKfU z0Z(WX%yl}d?y8USbOQF#c7Ywj#SCbC!k)&=VL_7~omN5ivBB5Go_jLebz08HUY@S$ zniY8JbiOK=_BO3*gE|Ay&SDHXhFUKS))Uw}ZL zt{_4h*ab*ri)V|5i~KDagGmGZhI;xqcK}Nt$By6wFzfvL6Qu!$^iDzu9q_me6B6kh ziUxf;U=I?tYS@KV$wOg?|B)WSG=N57Nj5C@d|RQ=$2Y7n`%&NXcz{TR61=C>gpIuQ zJlblRUA$|!h3HDzg1@5Ff>h4H=NnF82dl^cpDCM8i-m3f1r62CE19XC=;U4f9L|Ro zjB9X~52}lAgcRH1mg5t2yzHY?7`XtC=Avh2y2ZmJY(l)QvVW!W0k?4*?$Gw#DY*C@ zQAX2b2ery!K2J>=FUwK*AQ9>%o2;J}nljKR1Sy-$N~+Wxi{7tnuEHIlPVw+7j6NuH z*3Wd>T|w<(i~e!W{4%9>D0;G`R=TD^^4*g2^2Ia5mXq&$(d%_IfNXoYVPur*Nj=z zSUR+u51~vOq^ywG3>OY0EROnH^q)?)z0;JtY(`8a*zS>>z-4&2C}}u#?ejy4%(LE* zI#?D~2N_in|ET`*$fDYQ%cI@~z7{RoA;um);dcqwxCFvTbxBitX28uIPcFSki*u#y zOT^+lWsW=~=q3W2MBOBDw=NGPTl41+859+%+~8stOFoll+i!pJ;o-T8&q97>B3A=N zX`Y*tHuFS^xrJi3>=nj&=FVZ-L?WIaIiq!`P$Fm6&44+^bN-$GsUpit>=$)o$*jCC zos$G+#!o}ty%BAn z4`LX3XX4bc&M_J5ZR2*nr=QD~!?0Rkj&YDn3d|=ZPfHunD1!2o9>wi5l;G4|@vPf| z-u7E6%~bWbzijV6*(|K;{Hd;25Z(2eJ>ULvLj-2%#17>3C~23zki{G&1qc3EMy$^W zxOLYj{%)kY4HaH4G;#4}YB3PVws(!z$EJZ_wGc19y!#dzI~dqA#;x!^0`@`)qcBEwyrH zh$>?RiCkE!H-I{|iwCl!Vy$sz(9($;KMlzo%Avwgpf+IqzLJo5Ds&zshiQ74 zdH=sXKN#yzrsF0ggTxj%48s7)wgI@mPYjMntv48lhvw$KD^m%3E!JR_| z8G;pv+UwsU@SxFrMDp|b8bCWE<&Ad@?lStgPR!1{pTYqOku|(D-`V&@=tY==|E&l6 zI*-rbI7;;F5v>Ik>GQ8l4KBomjSL@2ViGk>AJ?){j%2vL6d0`;6BLq>GmJb4Bn*m;D}m^z@y0X0oMF+!dbT_d9C} z)4A^=9*jQ_U1U?iLSmeX?xt`#vo5!PKqSZ}ytpW)4>)|{eV^{gosi_LI)5;zzfDS; zsQSEJ+>$L<^D32O4VP;!SGE(9tSI?H7U*M8(|j&hJbs`&V?3=&TE`pvg&}gmI{G%E p$+}j~MF^kMGudoB80j8jTzk}*b+$CNVaQWp{F;W#MJKgA{{kjvdanQg diff --git a/venv/Scripts/_testbuffer.pyd b/venv/Scripts/_testbuffer.pyd deleted file mode 100644 index f8fa27802598f6e25f49e335dc3c1ede5e17a4aa..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 43160 zcmeFa3tW_C+CTmb3^?lOObSJcIT4tp;4=q~Gs8g`lmtXU&^#c*;6R+3gNg~M1LgQc zxo!1Y>u$PM>$V-JwO!jzD6Z(HWp>cgdaZS947R9D*&y080wu;A8hTqwtJa$G(i$L+(Dewpn4FK#l98$b0=ZCX5?5CRPHS(a`Yd z9V+gq|FW4wdZa4M^wM6s&%Z zjgy|fqtrgf7Q)gCYbtHjmw#kM7LLo8g>f6k>6iNR&T=8wkClxd&n-mGY%%u$y{mCG zv9y}Khj3iDSR8nAUC012-yJ36Lbyy&2#u&+;3+0M-5j?Vxr#Q9tD@qa92Yf)UZmf> z9JhTE-a9!iWfaG4yOZNe{AE{odQqMkoDV#k(EE@55}ej`P88l+gd5>U;{)EoKMlvN zOt4o~I4d}=VG2qBle-RADXySjCb~`#t8w1(DA02515SbKE?hys%)smfW&Y3We~AK%guY^7xkBhJ6~2D>(hp_A zKUB~D(0;->#@2Z|r#^oKz}io%w!DmIhx|HYkLteX@LD_97unUssfB*`L3#T{*EnC~ z9wf_G=)0CK?=I_MQqhyk_{r0%@T^dZ^-(R=%rOKfQi2nv;6&z7qKvgH zU(p>5U&t!)gy4p1p`IeSXF*BNY(^%j7N((0D3uH0m;<>dq&L))RU(XUKjI7*a^;>Z zIfx;c2}7};lZ0EYgqxU}Zel{hjS{6kx&t?1LCN_oKA+EzqpkDjpiyKMqmUdk zCF}0VB-!J7GMWAvHkzYHCH^TD93|}+Rc)`MVn?>J%-HW*cqummDv;}FjdsQhbD~AU z4v|NgqX|yL4kgNbk!M7%C@=O!4v4ReJJ`sDLL$!*kVgjcWRE1z|1x1P6wn4-{m_W+ ziAJTuR~@|ezV!a&BkqrXaPJTC%#A>L zMNcMUbbVKVs(|lq@kMR{bm5fyptAk6bES~0 z5FAQdKUksIW9jp_F8CsMh~0ZE1L!HfBR8bTV>#!GoQ^ue0I23^Ios}Y%@PU*+%lg_ zDP+kP2$@m7<0x{6QbxAC*q>3p!hP7cRQTKSZv6@UMUSgLby1({-gpejvuLn4yyF*) za2Bs;j#99ka}UT`$GLmd9dmv9u5W%PpraGctK1<3bhdnnkpaKE&nY2VV*Y5?wZb?Kt&RJgss%;9$iV=)$GTfC z$XsEbwGqAff%@U9wvT}&)R>JZu;>EDX*{56C-*{sr2Rze^?|C?Wv)_?Z$Xzi_bNR( z_eEqG|FYpf%Y3c@U*uCn_`}di?MGB?yV3eG@(HefD92oxWl&gj3dAzH`c(IP^n=f* zzbII|!lH9N&i!3T>(w3eBisjm5M-F25M=F_yFZt?`rV_5PIKgCemed549&v~G0kZk#2ACrr~3_GZyV#MXu+Z=MH2JoDd_jO`pTd))8k@)* z=h}U$wy!ZC#kE|S$ag_Z=UMKBt!e9``2ypS@&MKzm%``j_eCCMQ=#-&`e{<{MkTOt zWIxN5dn^|ycR6xJh8@nTs1Yjss4!jykISjAA3$os(%<1wdcp5NpMiAvETw;Vna`%_S2qUHNN{k>Z z_X;iNgn|o~bt@F~UzT?{NLL^DZ7CRTJ{T^Dmq^x02?hNa|3no-?SZGu+~3Jm?SG>= zDTol3YlIfagEP#X%C+dAk;2?YuH`1dqE1b5#R!&YJSGd_s%LwOe6A>Piq|~{f^$#_ zPl9?97R3tTJ(dBYlV{NdFlT#LYo_3e0w|?0w*APua3MT&e{YCzs07@!aMDTUF)U@a{2UdSa#>TISF04*Z) zBrssGj8Pk2mk@NPb3K-RLQi$?;{?#6fez@B3oS~r6gM0uWV+;@f(t~B_b;7>+MRs5 zBTIh6DFCOE<%7cVDCp*n**=fO+ffzEF?=BW7@I2eFvj*Kpn?UIg1Y?#GDAZTAhX-& ziWL@leNgGH0UEo{)wcllprcUkt%Xh@@CP-7cM5O_jRFlaA$Z2{4UbB=`=_u}ut&jJ zg0&2LmE>KR69w5H&19eO*{Vnz@0!$h#5rN>Tv=M7%r)NK72-Y=(ssmkPT$oVHo41v z80fl^ggHv%Y^5tfSQ}xqN4TazVlK8$Ccj~Q^o#*PZHyS@x(X^^k%fU9-`Mc?a(&l| z?sAxrfUP5(z)uT`g%3)}fpbKSKuc6f|0YVRc9JlmOld4us@l)eJ5X~(sM_DbJ3~(= z6h{NY8OOm}9goE#8%!}sxQ3&ys{MD!2txU<04B^KM`x6KL+2pza(1jRFG9@Nf{Z9Q zMX4p7gD#bjtr3cqsU=$m(a3o-(IKaEQ1$EqDAZujdxGEd4%pI*LRo|`Kf2WCi1j%% zKD}>ktZ%Kxm+V`s^xiw@^I>A!FFMBzx!%lcCxH=FNs4{AmOtzZo^nQCIH{h3!7@;H z44d?hTj7ae6=7RPZ4+bRPKf%K)V`wK=e)^Ao(l9Dj5FzR$;WU_y38&GkSQ*;wE-Fw zc0Sn3eUR1~%!mc)l*=>^2KK7E6x)Rp=hCZ#XjO{NNl zqsZS?pa;kj8O;Z1*!^U7;3n^&W{cGN)2WkM-xCU=AkzVfp9|6=%VU96jUXYn40OyU z1J@hckryoA*MuI2D4ztb(8@knG!x?iCeupDviEwppzedw;I64cp%UGB9CV+>g z7$Jup&ihH9`GAH?<#eT_d)ttRJq5MvD3-{0KQ7c7SX{aec|@Fh-X634uEu$Yq69#f2Ekn$WRK5~fSm84;$ zJuWQ+@uNtQi@fTbArvaIkjIn`d2yJsXpvl(u?)zi2Mq$7Qt2pWSzV-pxUL{ z(t#GjoCs8Y%X{g#`>c%lcuG$;LJ~pabjkI;-V!W%GW`lx8tddA87r#CNkjeVF?#NZ z!c2}1NW;*wN3vJ$K1DGpo`OM7%fKdDH%?XE-3zokRxT= zKgdTrAa{QubDb6n6dm%haQcA8U}#V1exqgJ&LNJo%|#P74Z*9o;db4xPuTdBEGHcuq!LtZdeGgsM$w_1>RY2;;QiW2Nwvr@ zvK0#b2~R8Rou?JP- zuH65SZ3w?~D)dzEXnhy%p`-v>`7E?FzPaH5(yct;VSycbKxVl>VBqC9hg>?18u}Bd z>Q)WpmF%Zb7~LUPg?=B3#h(0Uvk8ED!{=x|T-eC;97_R@;zeSr)Iz=$QJl;k zIR(soS;j(s1I(Gpox*KU^swN0@3lP~Tr7luQUngGjWM7drDeI%o2nzer`38FVwg%m zZ?pxAJH>gL9d|D6ycWWQlX#xX#x5a+<8do_t+J*qWfZnaElWB zQSP}#0aYsTr|`aT06eNBB0G5E&>My9h&^hjYS%vKQ`-h`#Q8Y@KTe4omaqZ!R4WtS z6ApW;z9+>h_hhG#!$Uz=Fc}sX<7+wLJ#Vg9+B-%lju2k=mSKz@L~gSYZdA2>52S@V zQuIgQz=EHzM$F^kOLt5M_rv>8k^uZ2B}@R6+uWwRIcJ5)|3~yEP(K}&X7qqnEJ~U$ zl^{=%_iV(P>#cAloGz7^c)FE5A-lD+DbJIUIVvw!Zi~5t^ zZO5hRq>EwZrRo&F$C7pmVrzczqikMO?cE?`V-T)dk43@aeelhLJOvmyCBH@ zgb2tq5|CKQ-7>(rqDyT~Dvm6Y{1FBCSTFSy2&9C={bW3i{jA}{lxq6Ig;p#=Tw`q8 zQRBQ4gAfXo!hUFE)w58_{=JTGz~l(OZTS>Ws8ibOIE~l9UWaIZU1LR&J^v2Lghg4_ z1M(p{p3S1bo;wuGvmn*T#D~mmq}XD}RG#0?+D3HDi-zd+WQ)5USz;VHTfM*|^E4}Z zvPd+!o-7tX?#YrWMTnWvtkW!w_+U#<&l0$`vS^o#E3!RsKa{+e1cD*wi&Qd| zF_ZN39@IwgM<_T4wIpN~QQj|+2i|Xg5YJSFs*Swn)Pg=&ZE8Wk%L-;Oh7pRcTj5|} zG-2)mjjK?w4464A>|Kg|(cnrfR0Wr!sH1gy8RDPY7$Yh%Lq_2w7I@ttJQ4{)VTt#e z&p@ie62K~7F*++k-$h!_HUM--Dh(Fjq0&uI2Q4X62Z&}#}9`QibYGg?%77pM{+v=1q&{Q?D6*&SI* zY@S8$T80U;@oTPB@nRMt90nm5v540A7gwMTHbYkveU@cL{*=jMMGo#ox` zG|mt1fsw;p-tGP76A2v&n<05w0AE|kED`2LbQDE{g|Tn~iLbr5U*jaL1zE&8L1I4| z1MH*n#j%(zEG51czW?TN_Z?AweeD_r?Mrb>_xcD}1+_Ew;(i6J{`zRnsS@_P&qkS| zTqx9VFdv;j^ZXWY`bEoNrjr**;T?`UiZ-g+9H>;j0ycq^wcoY7xL@W3C^ZLzqh1S8 zW&*We&Tt@ZBByr0@SXc?%BIiA^)sco5ClNS)2X%!IfT(-(_)wE;sGV{b1453wcH=K z9S_rX*Mv(4$ZVj{Mui`Ug;B^d)6I#NYV_Ymg|xbq#^@Xi_xnG3vNgy8P70Tvh~%6q zj&UDq6Tgbgq`-hA2dF1oG)LLY90`e{PgU%DPk)33{!|a{Hy(BsGgz_iJ3!Q^+FTT) z@I}^>Wl$;BnMHM66R3_$>92!ny#|x*$;M8#kHefV^<_p$+JajLZ9zg3BuK+uFTZ}J z)lrr*HLJvVHSD!eG~GQLy9Hy63rd_}-h0lHPd>CQA!H$7<_hh|!osKhM00rPafHp| zjmHtI&C-+#TCq?ma6(?J>e=I=?+FK1z%7npdjQcwNa+6VT?ZjVwwb^$2sQr}FXV~* zHQFy{`@EAy-z9ToZMNOLNZC;sUFNkxGU39Jo+hfHoeVw&1*8nH>9wCTPaQJ?9Xhmo zABZ*5p&1+LXDH^LT(*^8R@{@zHuD2=0?k~+)O7U6Oija6S0IS&83h~v@TFAW{0Pq+ zP*Ltd99rDBr^w_SjTp`jXNlO3LZ#P)_H4Zj0cY{1pr|5SV+@hnKR@n1B~)%Hbm;}* zE8GW*U_Sbo`GEJ-Ozg&#S23KJ0c;7O9;+qfM*9r=e36U61VU*ntt(H#PnZl&zNTY7 zc4pS8JLFrjI&0Coy>j`vgFBHVDY2C)F6d27KWz(;RRZH;wa z>#r2NfOf7xW&M%V!id(48QtU{_0R+B%jk{>L0EnPt0<3rBH@H}F5W{hOcjEu!t#Ep zX!!t^q!AmAQLnAB9ekSytB3$O}j5{W2~Gu(e>#jmp@`$#NX zhHWWfUI~0NcQXzsEE3lm@b=wzDmWbIxqZ5@z#!yBd*6q3hu0>?hm2+orpGnL7bUJ95NKY+{*OZzfd9obSRcL=TTZmyg7!3{v++bErZ|=ss-nP%ZN-&C zfBOkl+jUguNb03Y&a^ou$_%FB!ix8?5PZR&;Ze&;@C}d*#RYRv@k9cTx#6!ib8nfB$f$Q zF~9-D+0nP&g??_YfI_6$gcr_ETE`q5M;H)NQs>KEbIDCQS?rxL)N(U;1pQ@;n>fbh z-WG+}5qwtQ{km861*Wy&f_K!Jpy>rVz9yx}$IB$MAT9WN_2NpBh%@pK7(0;znPx}5 z=!^sjI3+G)mlX)p2g0n(|K$-XQoxUeo$(24V3=ld&M6`W*O*_rtdtI{;8T z!-kn+sxYwfVDygOg(I?R{h!HTAj(y6u6RL5fp>vzCn$u5FZ*qu^9G^73rZTph&`Rt z#3^}9Vv4{i#-#{*>5qAT9SL@Wzbo3ue%Q#qB1CBemUP{_SQKFy!wP&Z9NQwxS&LW! z4j@g(E7`0F*n_7_%k&pJ?od*^(dT@jFL0m=q`b~EDwkqzKgc(n!+Huk1+4FBQs0+t zXi+hacIuBU^@d1wL_;dw89fvNLIQ)d2hsv-=~4k}!iOlw9Qaa9v>!nn+i}ijyB{$? zaT^HiGjs-H7$IUvdl{b)f(*oEc&$JTfRzlxhOGz1<%O>)B5=AW$Y%k*{&H+TNC(X> zFP~cicM(Gw&sI`_B@CR{EKN}DVg1Ga1iZ`=UlT$w{fsl@K@fuQLGxTIpaaIw;A3mz%J|dj?0*e^7@FnhtFUe%vZFtDp8-== zTq*@3gvBK|`hjS-$2D*%JA&xtyvmp4i|k}muJHSV{tzWCEXbXrtu#8nO%hke*2^6& zN56U8V>v2hv&}cj{!1nw+7L$>TvH{B1k)xSoc6sZ={)HW);u1ecu&r~gF-ReXNwTB zX-97O4jW8$N5N6yB#sVx(_jp-9EtR;RlwPY=<_-PY^HCRJz>F!+)S<40;4b}qvo)lMML`GIMIlUj!FALv@PCk{Mh0Y5|{{9dy28mY#nALw|VGZs&9 zx<5+2SKQ`^|Y&>n(=mPspFxBcig%jY^e+z$CqaNP)G&>rPQ zIQz7d0YDUKoeDX~kZg&7KtKBMe`YfLJR}`TB1WOpOqVeX_8ro(&@_k#T=TfCW6~7T z`PN%xX>;j(>wyp)aUF5K)ftKaAlupR#ugdRTC?*ATdzt}yK>u3I8(MRkfjyLTxs|^ zgxa6L`Pd`aBtN2hpsRbUEG@*PY3sr%+ALYxY?&*9Y8?oH{tc=%8TH*qWMY#c`qL4b z7A1lNAK)m#4D#-d&vU2-BFY&Fdxh%Lq(XjT#Y#f&yfJK+1S$Yj#8Y&+QCg1>>Z z`r$SViDU32`gg;{AT&y9v)QLx@NS%{4$JnTq-z?L=K4!jZRf!JR3j+sEo6aeM~y8z zRqfqK2$thU%VVncKeG2zM$1z;-pk(4V6ZaImFWgsf&I#3nUD#}Ir%edT-p8_2E$5_s+Sfv8M1KU)y_a!nk~O+06}~}*_JAYs&?_<`l;E(Gsica0}9w!gjT$&XrZuZpLYWk zHMuGv4x~(jZ&%o-5ZBE3NU|s4M!DWqndLqt$Ja1l2?Ym*Mcdt9%I()k z3(h)yDR+G7_6<7YnLH%8egAaENCI)a+xLSra%)yd+UyWWhtKC!Y|RQyn;nYX6-0Y6 z8Y~18$t*CYc@Ogq2H16&DF_9Hs$5~a&l0FIUXlW34zqCf3xitT8MhWkznl1yNfFw;E%6Ho_dq5Mj}S8Mg%&9cKKq25rW);)4?&MVlgTweS8!Afz?t(Zim?z zn-@Fxf$uN7X??eV@g?X-TO+o6XlI{mA$=>VTybX~PJwF_CWU}uNu)nw3}d`xQ9!Oe zbHN{CH@>(55Jxf&cmO_5BQn~;GL)9Ry6jHS?mKLfu2WzO(>Yf9JeBsyJhSCKE_kyH z?MusS-y;5Q+sn}2PJ|biCaN|cX{2#yk>v}cm5z{j0q-nAZR-O!m3hYPMK+{RtV1Jb z!?(#Xyt3VW1oA!GHX3WBiMbciyXo5k3Mc=XfG6%CfZI_4vTWN)71_rJyXk{QvK#8% zbl%BrrZhGZ>d}ZATk*7!st&|KcGKwwDxz?;kT@4*;u_{DLdEx9t<1JhdJC}~mfqyH zcceFk?X2{M69D3y`{3N#Oxp!9A;OZkim)`cDCv!}#Y%57n?ZV$+j7J=f}pUKNZC=g zmExO?_Hk`ZQg(`Mqx81e_JCA@wt{VY!~}rYrci?}sgQO8ZAYaxQ*39Xw`g0R^meU{ z0}IfYqikyNjW8K)iyQK&PJq;BM;FRM=?iV z9EE0ladfWB7njfOL~>soEjN5|G}*p5T6Fm0D5T|!5HQ!wl9u!i!bgecJE~ODh5B6-Md)MQFcGh?zFh@#hqgJGq@YaQSA3?SIF1h zU!NBsIwXNO$LQspdbd~R)X?oJx`pYxGJARNli0HD4fD3)q54Bt?^GuD3NIZ8Thfa! zSHRd0cA=!m8-l4_viyLOt5w^kyRi-~$6~UU^S+O!OWMHPZ=sF%I1ck}vHbP-vMtL$ zb6W>Fw|VeCNIKeILTOJJB>;!>hM^Ta&I0c%SU7pN;*);wZ*jA2#6WEuaPwBH0Cx!# z&rRN^0Th)rwslnMq|(`}R0Igt;B=?aA#5?6c%K*NhPbxVu551;{^kW%Ch0h9Q0kpH znjuQZIFz;cvR5G_;h2A96Ttc2^M&oi0UM%;YU}dPe6GKG8>o7>zKdblT|3Hq6M!A9 zRodp#;8y|dUDO2LOU2yX^yYmB1K5J^Gy=m8aTR*E0(b8p!f^B9l!!Zyk;9KDV%GGX zDfR%SP;Vfk6X%sOd$01YK{G_ryhPpf;QY1dmZL%JP$GZ4>(T9vfVzM76LrJ81A&f`zz!ZW6h@UZbrjh)St(47RFo6a7egGC_=PI zEhx8ou-rzo-ZLUqz62W5jJx|H+|~hHkLo~2I@UvocmIvJytmc3T^Y355<5+U68CcZ3s!!^x&KS}suCJxrg!Q3gSg3(G%QeQU#oAG?Us0^b3_h0&P1CE9Hw+ zBd43adk-)zyze;jyZ4=~+xn-6er(+Pap&(dhP$2C9fVu^RtG4ZM%?UcyW7-%;87cf5JMVoQw3 zI|Z-k_*yojOq&-(kR9?{8Q6M!xf+AXAZz2}L1)UZ#v(L8`| zaIUyhc76*+Nh@CjD#F}9$Xs`NSBkhygEfi~@gYBmTppFJkI=hAOgeLQUA^-d_jI@} zl!1d@BkUO)VNvF1BOIc^W;;ad@y8#3joOPDXd>p79||LEWSAflsoF4a8D{(_Rsmbc zm)HgsM$*1dWDkrJC##n4GU2glA0-%@li*X3P;&WUE;d{h7g)kdQFXnog< z#A|np1l?$+IpCb(8==Wu6EMx*v#3tbQ+O^}A`#v%dtpQ+h#xAveV7hjjPe>$uXn6S z>>H@frBh2LcU?MugGDhUq7d6Kq92o7Y8Srzyh7|qoR{-(a)_INFm>*M@QZLx&0XHT z@7%ATA5bJ3`(jx8Z&4qE63tv~sCPf;-Xo7a3WM0e>@mJR_Ew=1+ikc9Wb|}wq5Fev zbpPc>y1zidF3&6LaIe1S!N=I6V>^5N(#am}P3-Y_9eX@&!(+#N?K|)gEOJl#19<76 zmz{X&Vf~T^AY=~K7J1sYvC=(+$p@GWv;Z!_n5n+y@ z$2c>W`7m%oc;bMZ^Ns?>N8ND>;>Pac(pRG(KQGbE_>JS*G9ewV?HJ)rNe7*z;Nv&; z^VmS5x*DoWw|`ZaqA0dsEa%i!zC;>?kQ1x+)WxbhaLqW2usdUO7*PG6i#%4Gx*vd9 zmL!U%#nNB3o7#QdjSu*%UBPsBifZMxLpwASHI5GB?$ zSo1I}!E!cnjE9iqDQ2;C_I#Njz=aQqmUWOxvmn-YT)F4Q|4hWz2QSmi< zqd%gO9mi=z`kD_K6MqipY`A+M+?BA4$mTw*5F3L1xZRX~3TCDt2GV?#tMHF}s(r`$l%B zMGwL$>`tp5UmPuZ5IkXba_W3>A+-`MQnxM{d1;2K2wEUrViLU28TYa^~ITt&D{xUR!RzXRB> z-G^&Cu3OQz3K#wUB5>SZTunWtO2bu%%Z6(Mt}4_o!8IEf zkE;#soVZrvD#DeHD*=}R*9DY+gzF%#=W*@8bpWvM#d8ua4%g>*aoj0fUAQ`N?ZCAe z*D74M;7Y-z!KK9YMLYhqE83sIlYXR<#kYU|POE;32Fym2#_DQ^)v2j>IoMy;t-xEI zv!p?ZxjCl#z}bTw2tsK=&?%G=6o8k~)Iudi{`S2!ze_!GU( zwN@+rjoun(O+_6b*frKVYrVC>si|nF(o{FvQBmV?+G`qC6BNuvRfXMN(X6R(IBHfm zP|Y+=-I|IzmzA}!i?6ndHC9bkO?9=^POt#LRq1rutq#uBz%Z${H`a5G`2l!o8fRl& zjl((pCQVhN)uEw3Anb58H8t9u5*FsdMfv$NH7$I936^ zgua7DALj_r3nRC#w%Ui6v$mI2(WIL-ydPem^v4KZ(|{4zRB0+3>sQq@R5)uI8yMkT zH1?Squ?wQ5A3;XLntBa73HnRP7*-YispQJWhFVucB?Ggz#%a?O=9CxZY zX|!u9G)@<|0P_Nvj5~;Q)^(Lu0F0};!Z=2@gv{iW=gwbPvM{S~Bu380)mEnsT)}Yh z524Q5Fr5wTCe8I`4NHmC$AtJR);KF}0~g+itQ%))ZWMvt$T<8))&t({t6jwYOuGF21#(3wB5MFOn%AH1){mda zF!*cQ6&kzsc2|uZ)9CL?v(^S-9Rk&`S{wn6H91aJU66x^x`hm{L- ziHQnm2>iwIHIRBqL-?hQNFZqg#@ll&C9@ahmgi>W<)=~AN{|%lLzI#x5;frJ*J~IC z;k?#fBaUQ5es(;_@2pwvYIHe9w#fw>*+I~t8kfPnVwprI%z@q71SJWs0*WMZq{bbt zRU(r!PLuFS^Gj-F1qR}5)VLZ*AEOyljhdQj4dhlLj5ycqFSIk@7_J|8z!Aq&<80Oh z>;e>#$ns3Zay1QA)^(cUCdIG!SQ%r3>Hyx$+!zzlxI7RkD%#=5qgv{<<)MbmFe)A%{oPp(FL&1zVtI={q0 z(TVy9>dP+DOlmUgva0YE*z}F;hshDS24JeXntBioBGm|cL&9#asDwHNxBggLW~)ZF z1P$iHA8=T2{|W2B^lW)kBbjr%I9QmybTV}KfoFru$S{Ei!72`BsMvIls56X>nO?%6 zni?JOhhQI|rwDGNy$Y1_(-V3LlR*BEzcDMH8K{swQYwo`H*1!7{3K{4OeGfT~XOwPX81Iw}E)g3F}rViXc-daF7|h0Dcgkuy=B= z8>`FLG}cs=H%aBevfk7ziD0?2F^DSMFdCuV5Z&>Y0>}!9(*s<{I%0=bdcuZRN-jOw z?Sibu<%KzU1;cDOz)_m`CTn)Sh2AAUj^!6;XXR(nKktBi=0oBcWD8lolwMSrW68}c zwB%6Tg_fMWg_i6RPGrmCyn-SC$8U&DS$9$zT^6vvnk=OYbB5{`mn_W7u@nc|=3xvB zv{W~{JbQj&N#2}A^B19#2tW4J?ZEF zw@4`Zl#T0wjkw^$($8N;Fe7lC+K6jJ**N4+N8>(}^+{zrk@w&JZR6D2Hj2kWD6}{X z4h`)8#UH|{+`{6V;-?2abMJqstnlt_xAAFFJ2RNQ4ras#b{z(b)~U=ts1glUw z+cG?l)w^d{UJ0wW4S6&P2@IDKRu3DcT>p6FN&j98=1atlrDGlIq<^2~0pxE4Z;16` z*RNk+wThPX5pI8dXJu?&7V8J`atQ|I-OBoj4$dnP>mgRo{&|)JJL;8)^>F@(LpX&? zU>(Pua}~5z9>P53K@vl?E`Y}V-&VxTwls0vo}j!l$U{7u>k7&{i`X3^ z%xr%AZSyGxh`cNP{wLP>zci_m?vLKD~35%XLew1 zgxD{5!?Lcjd^TG+S?u;kJNF*Jpk-EhR#h#6j(L)26iHUEv9Yc^7pso^M!3N{!^(@A z(H2U%l;VJ_#}Y(K<;b7U)@bF~6?JvFQe4Yl{te;OSmmmtE~@ex2qk!A4NjarC~79q zF!3|Brx zpIp1u%3VO4ArA15^Tx|DlF%p~Y9Gu{Xovwo)BnytM_CRwL$yQoK?QLpIPTX}3lTF$ zYVP6?4%rm#vceM73~NVBA(54vGDO#s#vliy5DE;7`-4QS!bVZ%unRH-kuaBr zswZd^$!5YN_5tEEi5*207V9xYBh_4bu!HBNEbkg1C!`jvP@At&s`2hB6su<#TFvA zL!ms*=;sZ_DoxFZb2aFb6RPU!I4+JWFLyYr%86sJ9II|DM^xWwZ)`57=pgJmMHR3U z!f}aQIfc2KoaKlwR@GVU2CTd4>k-W>&0e?&tBL}P*1(HUQ#in?aUy6?&!rB%ms`0k zuH0d@l~>o)p|G4#xR#^!TQy>Qc58V9R)>vi%MpWG!+IPFPy36k4Qp!bjcg|byH+A> zaWADD0=^CwR|<)ybLDpHY77GXNF~*hO5|c`EY?bw)9No08%+f+&~RW&0Kz}PC#A{} z7{+!E%jB*>uJ~5V(Ew=|!pc=N)x_63;^8I7142ChB}P(a@pamGZM;a7$HNvih?J`W zV}Xu{c;qrNaGW&^TINTKBSXl5ka}%!7TFsSUvY44VI}^){aM_m&^(8fXtd`-xIob& zF}}&=$``n-_U0n19TD033RtRa>{S7O?&`~-=T&i&f^ti26tP1l_czKdZU#;3OEA1F z2L@oJH!fP1Q{$jmv{*U6W|h6d-b}*h;8ui^CnQc%F{y&N0LQHdwmH^SuGQEl@?&|F z!FN{Ju?3L_W-Q~Jlp`vwxs2_~IBuS0VWA~ouM>GKmpHVt3DLwk^j6=v1}y)7+>cIc zK6mYFIewqg?@MxQrG&MmlT)jW!+p@h$m2)k9YkKyh&(wyuHQH!Pl>#pBl4n<*EJ&V zIN+Tfkr#`4YSRc@?7(G29{aQNBl2dVZPSRn6y$9ikvA84{Uh=gBd^Fjyx)H{kxkkk zuTN|D&IF8)$9P(RSE{(SCYTze5iw++U{HD{(g*^m<&?lL6X|V8(>&3y2SWN{g+6?y`_jd06-;#pp3~Y>?Zt0p~i*L;ZCk-4&GHhcp+@sY4|YT}W#% z7C(Lmkv^V2lzs>4l^H|npq>M-8UtXaaOw*L8$aSD`Zok<9*Nh87l;qf;-Yf@*y-K> z!(Z5AWyHrDePtz}R!jF$5AN1IGKX~nyp*oKjitp_I8GRG_`$&F8m!Nv|udPN<)GjmL{)e)1CK5mQ& zCta-dtFS2z01XavjLY7T=BTt;>nj}b^);3DMn_|{6WhY|X%&w8gf-e24cwWUYIv=s z!My>LMq@&BpVrdVjsGSzeGF@dme{1h-n_F}N+XBP2cQ>gRgt}B4g8+fR!5*PxY)ux zOAI^Ty2e_E^BTCDV=5eZ4Qm>2v)W@cu9~b$a^lP})wH6EnH2zIn)TzIm}U(_$uui4 zHrCt(iZo$=WmQcb?JfUH;ti`#WR#FFRWvmr4#CbL4B;i64YF3@pBB%nGRNFu)$v-b zAu%~#n`lUiH|Q%9<0}%Yt?@jcQf0MT^;P<6z9o2MmqE}cYV|3rQY+#Ut5N}>dR0|? zid9z?U!gM?c%3e>I#pls(+~_5x@ujDRUe$dtEyM& zF$!x+JjRq5Z%C=GO5`iFi500qqcF`HNnO*dVG|)vWl*JmJ&{ZbhWHjMkgCSD4y-4f z5Vau=H9^c)7gacIS!*kBszl-s{KF4TX|rZY@|6&fuLNKAx5awr@#98|_*4N*ngu*>O5^ z%*`lqt%7_YVp9TXhH6Vn1j{5Dv<5?EWwo}dI!056^Ea-F)xZhW{laaUb>;C5EI4dAGaMfHR>h-~($T&XmpMhJ2cfx2g^0QH= z9`>mM^_ziB1ybVbs|aZ)XG3`dr$HZ$fam1aqJ|wcH0Y_3bD^vXIZpIS_2`$0T|8L; zj~vu>aFqc?(K5;#PSNQz2OO8oA?7>4sM zq?IZR`-O925Ak^Z=%&}O7XOp@zmfuQ^gA)INqicg$Jg@f`Axi+|2zLJKT-RF_A1>q zx;ou|=zgtxR(HL=Q{STxGmJOH7-kuA4euHzCQeP9n|OEPjY%_;3`xt9DwA50+(}O+ zbtS!>^g+_sNioR@$xD(SNj{L=ll*3Ke%j)+zovbew%6Eg95jwIO)yO|Wtj?1C8k?V zcGC{iZqv=?8uOg={PdFa?di{^zmR@9{gd>6q>s*+lu?=S>x@GgM>9UjfZ%iVCsZT( zoA?y|*Ze>ENNue432m?TqBdH0z3wI*uglhz=$7j$bv9j-ZmrIv>(srbdtU!H{pb3x z^(HuA6B9Qlew}zJ@%g0hlG2m2ljkKjC$}cwmApIo>EsuZPbK#!UrZj8qDx6m$w(

lr1TbraYchaVWY1wIu(tbz_HI6mj zZ9Hi_WAqwtHZ3s;rfsI}rsqwsm`0iBnTyQJ%uQyOxyAgj`B&yA%m>Uz&2O7ena`S4 z>DQ!d)05KE(-)*KO<$G1I=wM{V|sgfNBXbQA5TA(F3*^mVamwL$jexp@p#5786RX^ zA_Gds0<_TZaeO>q$iK+H${*rOv`e%V+RfU#wfAY?)V{0bblY{^x>S7&#{Z3emBC?H zXV_@?o#7?JTZZ=x9~t5jXC#&;9#4EPQJ$2Qv;cFcNWMM!;pAT>Kau=g@}H6?r)W~9 zr(~uqOt~$kDP>(sSIY5}v8hW_*QR!)K9KsG)MrwEpZZejC#nBTRisTz+n)B@w8LrF z8PkmwMw{_o<1@xLj9(cCjMtfdZQ5@-WO~DN#uQ?{&U}M;hB?)|%Dl;Zm-$}v4s);h zJM)-yLwYvme>dj-ll0Hhzf2F!n2-^ZQIt`Z(E<*5I^*{l2Qm(4yp?e><1-q6CO-1R z_(Q-8JfFkQ<(Kgld=1~m-_Jk9KgsXoU*?bVAMu~?pMj&l<9+-n?akWx+ET4k+pOKB zeM);sdt7@;JE)cEM(Z@XX*#!VtL}c??{p`1a{Uy2jQ(bQvc5*&pkJeZO#ih0u>P3- zUHzx}i~6e#lMOc*@(j&}&4ynZUN*cAI(}*R!JvfCwKg#~X?{{g(j7?~leQ#1mGoTF zi%H#(i22EPB!7|OOBt6sD>WsxBGr+)G4;OGJ*j(BUrgPfdMfp!)ZWx@Q)AO^O4Fvz zN!yTiPuh;OLuv1(eUzp(&Ndbqe`fp-k4V2ReMWj>`t0=i>DKhy(r-^+o8FS{PWPnW zm;PY-FVc6V|0ezE^xvnynEqP&pVMDYe=GfD`iJR%O+Syh`!@aibXmrzjByzgGp@~; znh}>VBSV{!oMFz$1|QGQSd_6eqatHf`l#eX2e~Z_(%L zi}knaEA%#fBj&DEf0zDV{UiF_`aSw*^!xM&^e6P6Ko@+kPr%|V&5#LgmTxFF+zQ=b zGc+337+MVNh7QAnhMk7TAt^5yUNf99oW%Uf6UQW~6R%E;PP`%U=0t5`N@7N0Zel^= zqQvEi*2JbnSK=Ls?TODOzMA-H;@=a;CrwG3mZVRbm(-qgZ_=Ylzf1aK(ktMFH_d($4>LR<`2!En+MDj zF@w*izm(pc?n|EtO?pd4amKQYTG0HijBObYW$b`l?a6p1V{gWvGP;AjrfKO`LXALQTRPr)kn@q=*v)Y=GW{OQ`o+I89u+Kt*a?KbTL+MVdTQ@dB&r9B9l zen)#&drqs?ML?=!VG#_vOkIwy2zFtmu1eRY+oHP%yt7@mL$_1+m~M~mDcxb+JGu+t zqZHuSrhgf-eopVz_vr`poFUdQ(~tuWS!dV)&DmzyVz`GEKmS+!wok$^LP9ux^Q3#i zN8fzc+`BG~lZ^`5xp`6xvYJC=GOdaq7e0FBU2|pDP2O%P1~pZ_s4p<1lRmKY_AGO&pu!vahPZer;Wym5mO$ zVa;qY7CevNt=Ei0tU{;fb$S?w)LZ!#LC7vD_IEdCVnlH>0)|-8YqA^dIMBi( zT>z3Gc6Vc-m^#!H`+F?5+Skz0c66Zv8&uz?yrrWpUYicYR{H;Qiwr-Oi&i zC-K*ZLM|2j{k6S+%!$42Sh>acR?ZvQ6CBrU7Ham+c>Uq)p0ZD#R&e{&=d>Swzn~(d z_=zXK&6^pv&hq#y&l{gT{Mirpd{UNSK6L+?TL$jXpKBiTeZOl<)(+pFLl->!*r5= z`s9sQw^Ur(e*0A~e^Rt--rtsg_qXxCnfd6GR?XX|9`YXE@Oa_e9N)E{`7bO z#^tr^sw~G==C+pXpSa=A&0ihae|reHQ?`54cl@SHY$~UWmtQT9D1YSJhGj>OIv;uG z!M(wu5+_&kWBeF| zLKPEK74;;CoP_h!DSegvdVcC-;9>2xkV?j=Y68gkC0@rHQsS9R2FXw8rcGSv=wIB| z{NmQheDvy$&!g`jozw7beedE8y!Rh99XB|}PH3F- z+hUaf&?NEyU(1jv!@M?Sm<;Pu{W84jza+y58;dhB<6p^eF@3vbCpk9!OF8~^ z<=E7meJ|bco1DCt#`|{lSBxqCdFS@iPtR1{^5+KMU8dqis>nCw88iO*+lL-{|J91- zu}hES-?ip%XS3(UJov?d8QJ?EJ!RW_Z|3|j+EZS<>d!ZPUA4GBQrB2mw(FTKkAG4Z-LaCsC<^9UTdB05i^PfN0k3I3#?#UN~SKt4AnPB`#{+snN&&NKK z(9`tiR}0Bse4u%>+F;P&eeR8AEj|YAO;&RGsB?IN~cS z;#cbuDy??jM958*C-Qn;yK~mg_~6#05PqUHRKdS1<+>o{mV2mX_xM{Pu6sBCgN2pX zWUNSfdEBS`R6^qhc@%&3#w%;T;Z_z#M8>T%?)}-#Tz>z3tN7$~yW4IY)fn~sM{#F% zzVkrnlXn%yJ^DyyX!M6~{I&V@>uup5{6V+3{`?P!Y_)B4rCDv{5 zTz%;L^Z)t$`42URZdV<9(0S$$%RYJ~d205$PuIP0Y`R>t`^m579o%x$&&F?j>#D&I zm#t}-zhb;4H>+V>=jSPpJeT&t=-btU(an1|-tkn;g@5k&gYxPbU){NMwD}iHKe_rZ z6E`7}m@;n9P4~_G`1uRB{#N#Eoxh#ss!x}{wB&FJ29r1HutQW9DJ$g#Fu(Qo(Bv*R0BK=?M?iRR5^4axd0-Np=$K8 zT9ymv=xB$Kc_NAMMUvo#@q8jY5pdj4l6U=k=t(_}{ntHeZ{V*Nk()GxTpczJGQ<^Nu!mpuK}#ov8$ zTh3eWH+))^{QaJ#kKVSjqw$IJzn!_q^h9R}Cu=+wvGb|FbpCD6+mHMy@m%Zbn)<)T zHb1g;1K;15Hfr^B)wf@4wWVHo{PkVyr;WSq+zlR z@%h~+{xWVyWaNd)A3n&Oc2(xCw+?o{)A`G%+by1&(31DvA0D5Z`O!l zv-eKOovfI3{}L<(b&Vk=Xk6PiSbs z`!>sDS9Czg{y^n`(fAv8#_hb}uIqyw5C`#*!%@ff)*RLNY@GQV)qeQUjkofP`B;A% zx-m*>&J<&Cd!7%}3b`v*szoX>xY8_WL8oID>&F?SrmENf>evp)U9~kkpZV^dm!j@d z^t~$|rltzVemUu}%%zWCQ*$@}7lSSPc-Avti_VosbgshXi>7EeEKLK7JVbW2Uy-j} zyLLDlP54t2mCYlBHgq#Qw*RM?GmnRI-{bgf2AM#eJr8PC2)8?!B+qecjjj^Y<*T=lSFJ z`@X-Q&+qd*JljLwmekFqaV#6X3p`uuim5NmrZvXoylcoB{wV#ThrmJPf>dVoNov@P zSZ8}dTc=lSS{(SZo5yMV^OQG3(iVN5@}VwHnb%BCDVxd26EU(tW(9@Dmr&p^chVhagy^uRxsgMkfk?g|Km(-y_yQ zr$f4RMKtsDuAV^11*?-o50R1)(6JPgOkDz(J@UTis|ns)j=Q1Q2RZZdK|i=jBa)6h zQoI*oZIxC;DGCkDjLUytpXJy?;~&ev)?kWif3Be_>+zy2n9;d`ds6M3?7icnlS5Qu z<)fr~M{s;%sY+Sb4_ysWy_utA_wa|>Q21=Z4Z*$u-|+60kgx{RpGo54rmKoZipNwJ z6o1@c2DL_Ic$q5)1?x)<#z5@jqXpaE+LL zLf>i*Ot=r!9^qG`e{!;uX(2Zgrt}bJ!Yvb*`fqitFsHA6RP-n6sS+>5bkU+<;Vf6) z9x)(`Da3kio}*n2za($Ju|EwucaX!#uLU#868RY=)gsw(Khr~&|(c3{_coW`ah z5V@(ogG!UF<3Vz8p^%nf0Qs~ZP5{`-KER3M);j_Is3jl}JoZ}!--5zeeaT}>*np{) zFFW&x*#D6ERh0f-=KtMA01@`R4u!FGC=Ar0;2JBrliht2nPK1{C=#PTR2tXElXP%g{Sp2*q!DAkK% zPE%=B1se9{{Y#`hge5imXHkB|hd*;2^{u&cGu*NFsZRB_H^dpu#WgZ^;a;nOkC^FD zQ+7Bt-j&*Y?0Tg9nEd+DBh$JC8a4|H@%5BRXh0iBw-!e@*7~)9vk063?7oC%76<2H zF1=#-HJg5pQ)WmHwuZ{#`_>JKABv8}yV?gbqd6(rq)7}(Kp{!CRXwuAee}5G54&{i ze7DtZKl1w7jZcTn_GvP7Ht;^5S|c(JC;Mj{uu>kQ2gwd;Opot#jkvu|5ni^y$gymB z+6t#jy4=p`@|UU?2_%kyc0QlhRCykUifo~`WXc_xUc9dz@YY>FqYdCSBVF=9u&N;oiMc zCY_g4%2*8pE8-LGmurjZFQa`qMJ<39Fn7w<;Y4UYh`FnO#2na}|3}QR{T?wv1iRa3 z8#2GDcxIBRe`~qroa(1Dq+5pPF1l3@SpR__e~K92-S zU*{-;U=0LR*{{1Dp#<*P$QQ^J?7Fb?FJTOd2KHAy?E8EGY4&{r2vGp@mA~I14X|Qg zB!Msii~ueq(lZtX`gDL6lIM$I7h9_ag(3b&Jc2TS9>bSqMLqqpT767(T7BiM#p#I9 zo$;FRVVVtph|p!!v2_8tf$2`XcMLDCLbDU8orf#6T9Rhgh5(|r{3e|aF5_1Wbowju zbNW$Pd&UJle^NivAmjLRJ@sxh^|;J>TDpn9EBOGY2;kd(W75u)I_)8yo@S~YT%&D# z@`W=xwnrsfCT$1Vnib-vTQehPM1p=&I^+Y@1_KEJc2(J^H66YCMo+1+*HonnIK~C?oaa< z3O^}=shb#v=7;15U5r~c?|baJ^%uSO*sN$>9FgNVhzBPa*lxv=|EBT}+xll%+T_y~ z#AXBAzB;Aca2)Dup9uQ4fas6-J}r3gVeK4zn1R2qH?{^@!e`mS}Njp+&Q&Ab>WSyD{whlUgj1} z`X!nDr>MhBiD@qt5|7h6ofV$v#@vzy8G8?53?K$;ToX5TfAktXIMnbK#kHUuu-;VX zZU&hT>DNU@sstZgiJJP*0ZTn5NfVcQIC-apKvALGMZ4a^%i<`@?c>I|Ns&`}Zwg)m zWbb;BTmdGgv_HhGAVPq(^A5#M)n{;&kz#8_QP*4vs|l5VO;Li+I&pI{7O8PY`=IWG z;h-#0nqqS2`Im}l9AA4|z$+R1gfmyUqs@0mUQMaFH%#C{Qc)`cc7|9vD~@`Si(#S9 zB>6|`Z0vL}vr!nU^C7-m$bSSaO$)Pxj|S2wd);+t9W8$Ky>t1c#$EilL7Mu9q4*AZ zaQ@6lRjntct8f&>FH`1b|MD4`Vc1|*rr69x1BxDMdQuVx$r_DPGrN+JSvjo|A8QGe zV9UUHa*#C6Qom&-Ii$xY<&-;AI77aS?a|?hEB6mQgSE8-*kvRRtn+xSPyX@$>e$^*9iw&yzJy3i}K2~@4-BWkVfArZy{_6D5aW)c!d zgsy^cV6m53!2jFxgKhoJbmT^I$n(Ns7!F8*Gl2f~VsISK*8wLKTu8s~MsRcB_`oI% z^m+HHfqPnNdsU8sRr~8%1P(NsjrtQR=ZjfYJ-m*zqM6RsSw|oGcgq0^(E*!)Wm;`r zSYCMu!|JNSWeC-s)M9#71jE6|$s1JJ?jR}MM(L>!*7E3cW<VZ2Ye zgYi^|yNGhD=Z?M{S8jrv$pgDPZ}K7U2dz7r*2+9T4tu+kn=6e2u|pFjs`=BXxUlH!ln{P?~%;(h^^ tegrjmezv&fpk@;O4X~4`GC7ijrFe6P?EtzWpp?d+;>|>LW5o8q`6qETd@cY0 diff --git a/venv/Scripts/_testcapi.pyd b/venv/Scripts/_testcapi.pyd deleted file mode 100644 index 689dd36a4e06a5c274eb22528ea32dc70c0e7614..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 81560 zcmeFa4|r8ql{b6>38WZES`(!;t+yp<)0Xn34JdzWD7h)v02dMxsK6y8m!6~{iMi*N zfY5?Bafp|U%nUPwPMsGlI*e9DMGe|%(}E3ksG{X<(W2rEGjlN+jg@Iro6r0GerxY@ z?zw*g)cVZ(KHoEez0cYI)?Rz0jQ&C5dnEtN$9L)HqfwTh`FL2uE1Mcj)@8TM=QWI~j4b2P$z>n0<4?l}qJWqm%pPZqGs+P_A(nHVD!BKj zhEapq3wU-i*^^;Rox~UYSCnDwzX9*18OD?OhSC1A%5NtpKTjgP+#PwqFrw_(G5%&) zfldo)XFmmx`0a%w6S)37hOuErM`OKJZx|g!_5fTh+&(zhUpcCtp|Tn6?_&a*Jr$2% z@jd=mZW#SDI)WVyh?2IV%|;Fa=*vcn_XaQu5vBD)v9Ge*^{k z%=cyF9Y5v#t%?lALV3+bER@|GTM_+PEEbDo$J#T)FJ!EU73@D?oaPv6iEg`cAqTrtr&g{o3lAB2v03whcdVf3AQ8$d z>$jVr@L37KE6k#lj8n_{iL~qQU_Y7^GvvXPFp7mgV$h9=ksryJ`EcYGVaepCe{S39T!8wYT%e-a{htB9%F@ znd4&xdj;{#c>|$4mWPjLhGVhEE`%q5D3Qv{+DQ4-*l83NWc=$tV&i9aeLmiFLm*_Q z6!Nbx>;H(;NYEoZUjdb}41F%J}LJV+w+c+bZ|qcQJD>~y&=w(1h8oJ}hK835PD zLPJvB6x6n)X9_Faiumpq5((w52l+2Z1rhK0(4p`|qIQ2~osHU@bt6`_c{mLrPsTv% z$iJ;Sp3)rudT_fWq2kxvJ%o5&NXX98F6P3k(7#BC8<|XsgR}=p;_4pnaM`Oulv)r) zXi?X*^c?6hI7u^0?-C=a(|)8ntPCAi_B#4!el17_PSG9oKE$gI(!KL#5GRg3f z7H9e*3l(RvcTS|GngyCmcdR;}*dNcN?T^lfuc|LXUrg5#p$8Z3dg~UA1aeEvZ9yanW-T-LkZqV>z9^WqTZGu9ilq@sCnJX5WWR^4c5cJ$Sr^#qK2+5KgS&mtXjbrW99CEw1{~;Eu#o({HB4VB| z0{Ws<#C{KUREQ1ZEiGc5ESl{gmeNHjEUZOMY?kOw33TYv)me{Yy%meagGwLHHa%Z@ z8}jMGNO-8Qy6goJQnhtG6-D_yRYiGlg?r0lJ==?>M$SflOF1?1jaS1j8(LVs@f%xG z<&;MT?tJ#s;r>|o$FcEe-~C!Gq|5=3N|>1%-drs0z;QK)JY@$#v?`3ZrXEf3I*Vc5G!s0_)lYr84-Z}6h|`bQ)t*+ z9v6V<7moV66bXm~wA*tT8Mq!bq#$`Ss}(8u-m%aVDJc2UNI~#H`YJ^X4k~HG&W_XN zA1Ftp%Fp60t-KLI_!Z_$7K9Z=g``hjToMukB?{Y9L?LrKdaZj>5Lvhs6=+tBV@E@S z!j5a8wAhI>%yY0y>8~qE!xIVQ_#~=P74Bq()bqxWiJwJ!vP|S~wUHk~Dn564si^fQ zEw;>eBo)V&X)dXF@y--^7#_;zDjG%wb0)-Mtl%`ogHoPzyCy?2LG>Q+j{X>LocO29 zw3rRqB|70UtcP{)VwIfR{WOMSWPzw2uVA!vpF%jiV>H8>WbOv|i%&3JR_7+h(POcf z998RcNP$G)g1yH(!jYDPerA=~oL|q5G4ZGLc=xNhUA2Iv&_=%*J_te^?cwlvF18-X ztai};1JIs`0x?1OeRw0nx!n&?L(B7-hf>M%ItFZdvYbsN%Ugi|4;XWlR6<3M`tiR%5VT-Vb!Tmrm*Tprz+`l z7ptc2lTa>OVg0SM>fH5K2HFw&gs!g;HC+5JfKq&#xGZ=b@o%G9x~^+ob&>hes`;#i zMqbvM+x;Fyn+WYpSQq4WeZr{^FA2l&a&2?hN1)b3b1mu{yhT;^kC55vlrtYFZMM@( zW6N`zAX*jIZ`6-+E+azzk|Ly{C~pAH79!^{qB))^L?S=Mcyx)8X>W-jS%6}0LGl2? z;q66vjwHDm5z;p>R4P3OLQ8B@9;7(B1x72QINdMg$9$)!atxq z(QS|(fJ9*%D7>-(Ch{ENVQRGH3KXKLsCe3Nn9}8=j&z|WC9TNq=BjWE@#1$?=O&p5 zL6Xd_&L*2(-PtgO%{ZsJ_uy^L+M+yL+WaR*yYLq*yoog9Dl&;?THyS6EP+F6QsBI8 zYVM@W`QxcM4aJoN`XJusSVeic-8X7trV&BcxoUG06KF?H3jaYdW#2i(tdhQqJUi_; zlu0YJ>rINJ(3b93LqSbU5k?0tBaEnCB{UJVvYGxWDh=hU2G#3|JZeYu8%ibFkvb?QXT@Sduy=a%?*aU0IIVOT?tL^C{tO zE-6A=>_wQh*0kXtc6ywwK<@3dQ1gJH>BHTYM*rPgTVQiR0#KMrE1j z*??@kr)x!gXGOIj3IDUe|7TenUKT^fPcQ!B{Oczwwp|I8QPvBS8C#-J>1XxPtH43* zdD&1WVc0sU^+;GZbG!Z%9oBq@p4CPulCkVPOUCey^gNp5GiQIr$g7135Ihxww#kQW z;^jt0*OSN_-Z64VZg-cwjT)gxQ?!4(2Ey;Rw)a$u>G%q;ts24&-OfodGz|g)(~(QR z5)$}rQ>WOjw*y!7%wjyuc6#aNNo`=ZIV+)m6j>25LYNlIlVNPzypY=!CV7%~e8Tr;SlM;vVIp43lIK}+U;;!VCIXgc z>Hg46hfUE}WB^^T^s6X%Bgir!JL=9B7?scCb>=0&P2BU#@ni30{c%*4fV?#ah?|{& z7RNff`vvQkc|WjjF}EY$JWMYQLB$Mx?>Oi%PZ60{Qrno^bH}2{7(E8*(B0qJe{6`M zFR9Sik6mKuvnq7x*eFAvQlY;&mU#rBT`II&`pWM9r0pZxlOkU5XDCau#f((@cEn4< zj-3wW37RDKHn_)u{f#_So^F3b_BJ3%E}2uA!|pUPWSqxj{7nagWaO27560%+RU@c> zWiK}Fmge9wJm5XUk%iZx0qu;HgNoFBkupn5%reJ=facECHNU(XD9 zhvn5gbZrJ?6vT{g#enw`FaOK+^w(qCvl>Ob@j z%OAd6dF~jcqrR*DC*NWDBbO_`{mS(py zo(A!Bh8Ci{ixQ={#yDu#jhu6u!txj`N#() zWE8U^<}J0sjG<<|0^J~nnWqTpgI`NkJ7_#xjWlgM)94&bLg#5{>z&ATu>}J13RUKI zZ9pbe%R(nu=z|O=PjRWriAy*-;~)G#LhRzZ=8pXM3FtJG{jwOzi^BHg@b7Dsh>v)2E+#K>swX4j9qw6}$xX(E z-1qBQ2pMQl-{BFLJj@E;&_$%-s85aeOjMArz1WkD@yLZ{Qzw7++svQycJf1h=Z%qH z%kQy9po3rj80AI&jaAwuf2Llp{88!o)Y(JNchh^lXMASi7!Yvo0(15m>?_lHKFqwZ z*os8TNjO`<4ibKVJW%?M=}Cl1MM<#G)3Ja|kO>YwiV{mY{EV)}c%1?iT#eGYnLN_S zC)K`^F(IC*1;}Y=CZMvB#3-SinYx|29*`g+D?o=3b_S>Y>O6}%J+V%w{i+q$LPc^_ z3Bj7u5QiS6iI5z62!FUpA)_SjNq?yJ&m057JL%uqi7=h^UAcefCzf>D!$XNU#50mc zR;A&u@p^{0Sw=vk3i(y3qdOkOjUE?4Q4j?p9*`pWz#TFBx=s17~}{e3yG0#E6m zGD%U%^_f*EV6AzS*&vnalQf)(Ix9mGRa)5!pN?nwXjkuE#X8@SJ7&Os43(WVOwEEFRZg=F+K|E6|FG$qgISRh0Ii-IXz+( z(P%R-YbJW!nmI446iu+Ei+RQDW1~u;Hb}Fw)rQ#~sio{xG`K>k943#&!%W%OZ1|#` z^*F)V53Ler{X#eoToGIe+;q57xS4RX;pW4Y!&Sg7hO2_}!PUU6hFcq1pAFo?Z)HFF zUWL$TB0__WWif0r{P|yl;gL}tJsfADP);PXZ!j}b@pMkFRaDqJ^J$(oI;Wa}X6HvH zg!}V)DxR8u|Gc+$tRWEwpOz}>%-P>ijV_YhIc2f3*KuAoQgyTtgXG#2<4I-s582y) z8QD|RNZJoz%NV3t?Ng-b?J6oqv=2|*dypp&Br!ZBgS4yYw0<7d&;9bODBA7=N!R*f zR?$qj`EV7sO`w!!y+&xYkp(U6z}0(53*l<+*W}S2c^>$IgL}5X^tcbnb*Wl^Zr68_DN>mqxv>jX zLN}REE4$NkyxhG#gi;rG3K*CiY-x<4a+ct1?&Kia0vHLUL-&Ut%{Odtk;=UA`3>_o zgt8))*@NRFm7Y1?kx)^}DnsTNbd0ugb10cn)McKcm&Rh2xK$_Q6nT|LvW?RQTAO0r zJ=KI7!5C6)jtql9T-nOWu2_b8_AJlS4NhnnHtjj-h+N1&nn;7(E}rd3$gZeZgp3zo z1QjW3LDkg^{}aMv)<7W+f{T?2udwlm5lYp&(_JqlLv9z3cqG>wdhkm0zZCkQ2>(06 zJBE#`?2CTX4Xf}zJj^P3SJ5TXA2|mddtGf=KbrQdS6}=^-6o;urRH%M@>B`*VKJ-N zi~=~~*h^q%9v+^S!Ys0~6?@xXRjEN7xj%beWwy04C2NYrHiwCQ(KpjKf#OqH^5$sB zJe%1?Y;vI)FX_nz%YQ(Qox9HUr&MAansd8XVAPv4QQKhTilt->pmu-Ri+UKWkAD3D z)j%@1(39&6usHd|XKnys*FuovaRJn=1*r5xTOJuNXSa#F8V6P*X8SstCJTx*eRHsb z8+tdIs8s-GRLu*G?ik-&nc>5&39XXWMb6s!a=Kr&&eT?$jjUfAYjgBToLIqZ0CyeB zaYUVs{|L}GQ`eZ*hdH_gz5S5uviscqx-}CNS-1kzGx?-80^}90w24e*gOahJ?67Sg zPTdaupkKPq+qWbVkdjQ+Xw|im&}d~H&E&E7Z~16%;WshT4D5>^b&>PI>Sm)ZddGw4 zp{1h(nV;evMxYOl;W7OSqQ%n)>!Po7o&`cGGge>%T3uX6&5JyLIU)-EppV7v=}PMx z@|imm+kslGJE_{a&CmtgWwy)@kNiQ_kS@cTQu%E7BefJgaFj;8Km)nIKed8pv^ugd z?{K*_vF|ZZXV4QqUl<Plz#MC=MQ|fiCiGJ9;7{aB2aB5TeZsU zOKc4_G+)sS8BwUN8mQwgIHG```{WgG{0ZEELT|!^Xd`0xkAM?^uo5>x6CVaBH^-_LKfZ zTwN>5bK#M3+pmo*J@b6VMsVxz1O^SJ+>#9i=ta?h46q~@?|XKy*7o>x?lZ>m8*3TErUgt$S#ya-?&Bu zDi0+#J*Art3r$_!IVbIr(Dbw1Ko=u#K_mZ->kyh zKsSAc%U&Jm_UZS5?i##7jWGtgS37TOoi`e6`8Uu_rB>zRnGF67bkpX`-PVEbcIVB) zo66UTHww~$?(KG}cPHMkkJg1FJkW-AOJVOG$?x6!|4Q0E6}eyKd>qG~kn?~la7g7m z%&qhR?~^L>h{}01_84>acXDx z3WUg**TqjAt2k(-z05mrO6Z<>m6@Si7lohC3BQ%w@%PD!vZz6O7AY;kTnpxbnpT8| zxtLxWH4USi(@@!qABooJa*8D}>CHOC83_{NWo*rl;C%0}(xwj!#`%%6m~^jIL&?4| zB1&4Cp#(+hc>FG?GylfzquWy$-P(ky69jaR_^RsKve$7C^U=aye-5O9HU~o_Pwg3B ziR-J-RJQ+z(rWtDP)ix=Snu`w)#_Y7MCxMvDSP_fL`)p%1vO5I`JQYcyK8acv}dY& zJ~kgugyiTGwY-I@CevX|0Ye}s<{KL8N5oU(#FW;~At!Tz|UiJ;*Fn30fkY@QCSvoXEd^CN$zBCwKP>#i?Va*6H zsF0V$i+%@Bqhj+YTU_e0KOB!`F*g>dXPHz`f?SxUo**nV;HmhAetP*goJc}Pp7I0> z$c3Av2MNl`pO+mfK6nDq(Jg$iPb0>>lh&_%D{y1Xo@GO?9-N7HWa7g$-NyCl1bKe7 z^%u-roE^F~1%dKxU~n-JgP*3y;GMM}^+PVC)}Q&`SAR~r`g8vK>d#A8f8N`yU$_bL zB<{jS%8Qyaz_>?_;qa;vJ8fP9FH$|1<>+LxUF2+aZO^*V$dVG=m6I5R!IklFw8w`^(@Yj>)p2gmx@m_tUW;HQEc`mAv1!i zdUm+6VMG!-b$=W-f)C}RJvz*h#F6QUNks=3r6I}|=Ep}Eh#L8AtiS>d*aVUVtG7!C zmc1&Pe(ql%haA5)@0Ee)7@im5IeVv z7ar10ccd43bO)Ae{D)2=xVjig`#m=E(SvQjeaueRaerplPm9h{^mb}UG(ox3oLVjKFI2fck!z?9AujnOG zZr58-^&&TRqBe6TQp8l6&AxqRHi8$whUApB1fVQVgz`;fOD9R)ly6TgKPydni{*a{B{d!XU5Vx8!bnp4ceDK0#wfo(u{@0^iS3{G%;U&1Xr)$; z^ZMqKPH}wez}l8v^eBtYNniA2LeUQ;7X838r;(geu+F@I=yWQxn8l8#6iCv=Z8>H0 zR4uIYqr{_NJ{ZSdZqKhXGyBLw1$n}}=`Ndf$NZtGW;U|f2Tz^to%L#;+}?9?*XbU# zjHi5a?yq3PnpFf?Fq>-7tetA){H&%(AEN%5K0%%Lv$L_6VO;JW#`^1L6-=J}vXQ3` zSbuC%pAS$j9z!CffN41}0jkhGkDZeO?Q;&a#R<^16WYTzv;$WOt;T_7CO|t(XgAu> zPF*E5o)l(Fe-e$i@(dxpgaIS19JxwJTx}|vl_ub290Rm&8(I-UsvjJB>56kd`4MCi z`gg6so9uTb-P*(jK%_)&3&%K#kj0DKd}PXJ=tQkUX$yWYiA1!T`C^09I2n20ih@!($h|QwkR+7Pfq`m)uORji-GhfHQbQ-w8h6 z-M5dAoW2cwWc5wQ!)KO!=Q0D`)?hGxVp)r!^uZXMjq!RIQz&$S1shPMN5;1uRu@I=`D&&F4%e#d5p8igyUi9u@39 zfFQPi)!BNxP$mmST!psb9V)>oRm$80Y;litw zRg}1@;B9ns9{|^?N*uaVNup5XtbXheGF<#E$A(-KfYqaLSB$hp+Ign^Z=@Y7c?xg; zj5nyZ3JEN9Q)Y?q0#XF~f5%#w|L>4LyyLXdyY5tO*C8^05IX_8Q8Q-%gUAHQhJ9$P-Y?7T`V9b>!+;BQOfyiA_oUsD+^z$xKwWm&ancCYq}WD? zZobnqKwxl!&VM{7{IN`2+oTaNX{MtI>BZ=K?p9W()D|b(S|f|HBdbo}{-AHgoK+|B z#h$7Egu(cTNdgYGrNt@XnhF{YDw*t+!E#m?bYrYGRRpDQ=@=+!2#=#e^EAELH)P~R zfAuxk-%jKoV_-1rm<9MN%(cKRof5!CYr9#YuEw6}UE?!u-)aFImsShL;yF99@)VSd zuz&{Hscs>;EKAPuo49_wGZ7LNUKW*I=SxoIq4&wXD{~(+mfC9)90s8%tA#bBpX|le z1OgugyA?|Puq>r9+(}>C`h_hE*+R9BiQnQmI2(NZL>0Uk&XXJ`z9vIvzn=tV{H$|e z)`2X>f)Nd~Pqkzqi>ZvUj}l-zJ2dYg^WkM21uB}s9jZtHBf*y#9pgaG$cHmm+LzlE zqvCvG;^9I2&WOlMo+p#-5IIcNpGZl^KBxPI`*uf!G&$~u>uwf!d9ot5&u{TQ2AhEz zcppQ*4*Sf-ydyCzwJ9c08xbC~&b^7Fcaw7TLJGa5>*7P|~lKJlUL& zM(iDc@W7uBa|oZ9L)7DpdYn~{bL!zTjw5H3t;Yo#;ED&eN6sP2G(V!O_x)KC`Bb(% z_Q6M%{rU2+4g9LOZQxf~j;co=AF+Z=VdlM9dEy&ona_sSmxo8Pw*ObJ_X64#@g8Yj zG+@vgk4D8p``Iec%w0%-;%-hxXj*yrVm3?v&aFo%@%F*#N|u;;Ph(W+k3LclM>6Dm z*^6cU(Rb@SHoe(FGUg8;9~Y+mTk$cr^z3;GvRoGX!{B2y2|=}-MTzyc{?7Xe*nXW& z6w<7at0DGTHnQLXCuf+RM6<(kA3+#`z;2%E*eeH3;HZgS| z8hd^;scb-L6az-e+@8N)WtC<+9*oB&;Wsm^Y2i1=SvQ5>9B*AO`kC31P*FB6%i&y{ z$OoKzx5uNoGqFvSk9T6lkH;P1kqoOC8;6!BJTl&TUs|Y&^U=F7sPjleyKsLFFGk?9 zmD;7)ir#z%^I3bkHBM#>^4!HkSpwYmVE~~W9OQcAcB>bNG z)8l8obNs-MxB?3+5LzvQbzmY#tPiaOaI*z+4?LMoZXCwciWz1h2Zd-zE=yhL8ZcKT zN(@d(vDu{P6EO7I6Q>VFA``*A_~2B}L~C5nMC>zZu?hMqdr~x!a-1(0s`)b9S!3*Y z{~HTy42UP|Jp;R*0`5lwfa$tAA#>>pbA(VZT#AHf7%p}__5eVA96H%%9~vDicw8}H zT!iCD*|TnWF84(_phVH*@y3jv3Ah~MsKpa7&9Pl$L?)<23A41SB@upjLPmsuoQwbO z5c;W8Xsp`X#BE%t?rDszZXtR+F@H)gC*~zhx$meqPr*V_kQ0x!@rRUv)Yr=mFPIk@@D|l$30FKnXdX5MJAeyk$bR1lGIrrNDoP9VZxfo ztU`CmQzBky2cKx}VTRedWQCGDlJF!G-XEFOh-#cV&j^|PYV0)1d4eMh3MSxcgyM=&pcq=1xXLA;h(vn#R-=p5i@`IDqI|mMF ziGy5d(&L2k1faNTe3EhU0if+g<>Tyjg)ES^A}h36I?#tA1_|nF5ETz;5MES+@RHo1 ziG3FUez4323v&5z6wP=RkvF-e3%CmR`}b(?H$OtJ?Xo@Fmw zyd6hVoEVH3;qMCJZ+vOHqNu3a7rp)-p#hn_P}sUT0~mM^EYW;DUGsHm0$+Q4yt_cg zZoUIw6l{qfHuUg&sES$np&!)a0kc-w%*xdPC_0m+7%7a(Sy^}wtUykTca-oRm30>! z;k`46BZxWZtlaKr5dz;;D8Bm!LXidRi`v*LY$#Yu;~;Fc-!2QDwONYavWRnyjle|V zl)+}F_KAIDlfgA;!t8OZKXf05URG#cEklXb=}w<6c(N|t;qTKO9=Wmq0DxVwx8ua7 ze#l+MxLKTqo4Ii<<{JML=x7lX;&zZ6iE3GcLj=l`ktmxJz)>0e5S|Lgi!6MO9b zJ-8Z{h4Lrp&&%?`e>6WbxdzYf7aq-=_v~X6|Na0u=8M!Np!i z5bw-Osi%W1;bW2TiBd+l3t8L~Taw87qv_*@=~AjeFInluKB&%3B%Hn2f?J0? z%uUg=JR2)LIea#C;Qnk9G)3Eoih$f_ksIg2lP~&neWy-oY=LbO7Aq(&n19#BiVs1s zI1C{D$B*%q;S6OBE1t!37O|J{<#Mpu(n~OS;4}=s6ZF4;1FhzNizgK1$c;Sy(2SoE zF?gNfC9oV!1}}+8@Ia8d<$iEFScPA+x=k${W|I-H{G+u5Yx&45;>D9ZIL?Db$Y2eD zT*8S8q%DxNSClJHbaha8{caLno|I0p4wMxB~Q2>){$!l3+cOgW#~ef+}3g;kMnu#Q@9p zR-l=Li$yiGFsbWuMrx;bw7rt|D|r5#wgKGUZA`41C+%-DcS|Hr*X%+4_Pp`lWDMem z{&9H~hS_`|1~qV>;EXQQn>A;JwCU{CieD1(+4HBvrv%;lcJWyO?iGXHkwiRbqPWdG zla4OeC)35bql3y#(u6x#dqI_2UeHnG$#KZ@qv|^IEaBQ_r#Od@KWu!?{b}$izbbr2 z$Hqs9V?3A4uSy2v@V}sGbIw_e7<{)d4d*DsW*ruar@+D0HifEb+$4o+>k@2nQ{zNQ zP_GT9GCT})AHju83nMD|#Z^I^y>bdNO zS;mFbh1kp@MCS9haK5;L=|Ta}v2y^QIL-Ssd*Pf&H?+d~1~XmOWNhP4qevzjkeRjt z3sudD=uAhAl>2X^S;Ra~T)~sTJkB%rkONo{Q9tslG&sqr+} z6#1i4TMLykWF|d42w62SMG&}rk4wjlusydx;G?BR27F6ee37dZoJ;8stSa&9+y;c?UV~qiJ zzRO-1yv|kc4ZRC>O8J8^Cxm=n+Q719d*6+*%s`j}4>N+oQHW3Hsya2RrbvLKB zZr=Ap6F`bs0xokSTeEvVnnQHIAG!f_S~|L-PN}gPEwydspzjI&!aRq{aCwVl5`+`R zetetDMpw~`=Nl4-FNW@A(5`dn7c2X50?v;_R%G{X6`WNkUtjjZij^F!z#i&1#xlq$ zL()Mz)0%_t&&)f$qfqV9j*?z(ktNwz+<98yBmyy~9=}|B-6LH!S@Sbm%VPwPg`Ure zEVOeXUF20%xHmItcSHJD(hsO&W2PUHmZmK)_FhP0SRncU1$MtoxNOe7b!t5Zp>wM_ z8!a>2>7}`U$3sL!IkMn9Dnik0oN{#6v+!5GAW~5WrFckVU-7-P*w@Jl6^)!^Za|KUJUxgBGZUrtG-d0qHmk>q^O5MV zyOs|aMcJC+?X!vQ-$p`d+06t`Kf2 z9L~N}=D|&Y%YmB&ca5*k?Bp??q5q8rh16W=5#Czs=PaFK$Iv2NE#e=*H#V{!y(=Y? z8YuZMB@s#WaBb-)GkTX~>>k&!U(?@SJHWd?yDLi*KRFjG<{Y0uAM!Ugq#FU< zY+)7lmvqVOdVC<=8Y>+_8yDa^j)wn-JeXx18XT!oHw=MzQEktU~(p=mS!t|^F*OrDCi#^*OlWlThAnlNwb_}zAek5?@n*ly#3nnLc1b2iNkdH^5dfr-ceygH zl}wD1c+*mu4xT_8Om6;&mz2Y+uC>YH<8F*6H z%1iDH_t|0G3n$QWpLs$@;kQU)%yQb!f-(%BbHex)AB3ZJe*Sui0x_(jBD1D~p!jm% z%lHndL={K}0IrnGgz$hFLgIiAO5=AwPy%1gl$2LkRB$R(;h$ysaCHEj9+?$|+~w*O zpiAt;5=qR_(WQ3u>V)XocC;rUx?Dv^W^t9t+xz@Q1pr^H;!Wa*6A_51Q8CRiWYAh= z1wJ=pm*>GuDbKtuuF?!|*JZ(NK68%_Wa~yAK16c7aqzr~CmS?p}$IrgzwF(=qq@mcZDh|iT`toW4p zJUACC=F!+#F|84?Vv3Ad@lo-Qh|iU7toX3_KJlx>Uo1Y?T(M%owwPK&toU*9_lv(* z{5|6D7Qah;8ZKkSq+zVMQ+!MOcJW)pCu_%wH;BJh{MF*q)DtVFp0AAKz)jx85MF#l z-j9mUlMZN?_$S0aDgG((Pm6y>d`|DNV)6tiCjJHS$$qioA@R9Vi4|WGe?#P1Y;yZAfB?-GBv_NceMrf9+xfGc;8dZw^nnl<{6bUzDGkTeI%D9Q;z4nf+7zltV4* zYBr)Tq3D_}Y2yoi#f78bQ>`hxQ251N6TSM1FwdegKEvwXAmh zm;q^$`^k0x5exlm)MWPKIBI+IK~Y+I8?xw2}2k7A;;%{n50F&i-Si_^p~9IZ{b|MM2BM; zp_zbJS`FhzcJ%KNk6*CD+s9GxAnWV#o`*V)&m*!b+z=9iuR4#bO_`wt$2XO~wD1trJQgiUn(Rpfxgeot9%-Bmk9tlLtUPntbnIq3fhtYS( zMGY4cu>GX-yLsZ_2WstNbHaM^II^z0*pH9=P!-;hlM%{_ZpCPdSG5g{hJ~%p%hQ~t zoR+wsJQFYGHJL^~PI%(ghYMABtYh`NhKc~C`MuFUpf^DjoN`<9;_Xj#zL$EkMZch( z{*5j4XPNXDG{WDsr(mx#trhwS}Tv@)$+Kj29L)-m9-m>h}U>xyF4?W*oh|& zPd~AT;qG&2)j-xsFiQr$&3cfDPjn$PkktvFcn@T4msAee-TJLLbM?dh#=y=!2y?ut za74sSPgT|k!q1+^dLR?xhhZ}xJsrP0Ry6nG@la4+t>d56lpqh-&E z$x0Zlw(gl_|6cyxr!f#?^L}V$cK;xBYxFN6@gpba{V+7~*m5KePC@LX$=BX*7|)*1 zd)LVxDfz~a{5`^(>&c5UqOS`tpmZ`q*T|^NL%k3Q9MI-|o)jv`LCkS^j~){#+;bgMTLtq!`YcVi!-DD!Ri?rhY*1u!}xQ9Z(dvmPzn%+*{#QxK4=)5=46Ko z1?sLjJ}-WOFSn0(u{X_GI5m`cBxBw2dvI;2@gOyT-tIkBWHuG$;`9We#S} zJ8gknk?#-Zer*co=;3>CZv05b`s2}$s{#|F=g`8zsnJ%1ebIjSn9Hs4_w*l+9z)|#wqmM_Q6)3q~AI6gieTC5%55q?t z;T_pVXyWr(XHXy`nuGR8>wsh?X%r118v>J1F356&7fC)A9Lm|b;3P^J*2E(j7k8tT zv^U{ON>=y}8KK9b>l7}xVjj9h;qxWLP}#{fpCWpXtDseRPygTp!acpAOLgF&XNbM9 z5zI?A8{rrdPat_mKmYm9Kg04W0!37u|M@IplYtK6U~0~a)}hBwHD{Y9wTNB_FOKs* z#U5xUt{bmAI3JH)eGCYjR2@@nvKyR{7rGa`d5mdyKI>Z%^fIz zBN@1V;2nw>WiRZS4Y2*W`<}(k6im-L!#({`{-&^W=n`ZAgxsB^`ZZjz`3s+0(rbFTH#@fR_QO zmveule6-ou)6K6Q_IeK!lUL9gC;?;!yoaHjmg5tLz!+!Oj^b+70hpVN-qo=;UPX2= zoNB=huY$?`fFoN}fVh9AG$8PD4s`HrH2M@EtdWB;GBzrjD|q`8)tO|x6WB<43WYLJ z{BK+( zaRHfQ{^9SSoe7HUAc|aL*X)Mi=JTQAaA)55(EB6h`3pQ*e|5d}z6Ce)k-y*;J|-_P z%0CU9aF_DAOe0zXj8BD&&ypMQQKhFxeq!W(m)^YJ1+TA*+zX|4QsjqP2E7t~K6Bph zIxgaj5AzxrYu}}JrM#!iw;nh08e_BA0v^!lX(`IrJ9@17Qz+0Tr=sXD(a}(z*By5V zBy29Ef~|Nm#cEmqt~YP`tdU27&Au!?M?!>$imJ zbx3$Jlg5?3P+Qk?Bg^#eI9HwfxybK6(lfDVOJ>jVZ0uClK?yk**>M5FYu6jCR-h%~ zjm~On4J<*kBHr_}?hmwvz-pMJRngvc=X%DY@jb!JcMZG?^6!D{p6Z;?B0wn~{!lD; zLH~pd!a{p)o?y)D$350{;gcQ} z4H2WF%lc)Ifj}5FbF%W0lN}W+o{zx;OPBZ+;_nrIkNEq<-zk2V`1{4*E`F!@miX=B zw}@|w-zfeD@z;vKTKpREed5m)zf}C`;+KeDB)&)dLh-2)!m=cOp7=T9Q}VzPCB6Y4 zW7_>6A|h7281W#)RsB_7GK`sU9=J(xzy6(JoPm29?l9b+!*#%|hx;(xbhtb?{+0jM zFgCz7!?F4z~fW0`3;LY`E8vKMHpa?g-p>;Q06Vc>WFC7vP@L zaVP%8F#ZMZ_i)$!E9!?^47VPx9qtow`{AC1`wrY0xG3E3;qopR#;tJo!mWfe;kLtl z2JVY+C*Ur?y$(0!-wfj>xclI0;X2^w^0mxUazd0Pg2-!*D-6k9PjbFph$r_u{!4 z&V<_z_cw4~hdT-P?{MP=fjiu-aQDKkglmQSINV;i&%u2Q?)z}(;D+G-0C(LG+5lGx zw-Rm>+;+JAa7W>O0QWC&zlY2FPr!$p3%3kzJzP87$Kn1G?hA0=f%`t(PvKsNoAhhL zxB+e^Tov4da4m2<;SRw)1$PSWr*OZ98;1|HOoc0gn+;b3*9!LuxC3zCfja{ig&T$Q z45PhpRd8$JTH*Giec(<5;E;XV%cIB5F`xJTgD!&Sk30PYsJ zY`9y za9@Di1J@4sAY3NOR^Z7$PF3pd%07)BG>Q}l=X#2RhEW{!Olu5m!u;b|u)tH?=-C*u zJi(@IfwoO0#lhQEB)|sEwhjx=>Lm|)msk3$7cXB~!`hl!Ejw<>GQ_mBwLZjnov&*7 zviprk+L{{gh{x3~UsB=sA#62m4)_67=dD??)axfu!tiK7E;xPxhIHRn|EfjRcN=ar zJ;fnUQ)|!))HizCHX-EXyGQ4r$+iZY9%^k31cRQY;Piz2O~{Y7l-&b_LiUS_`@l>c zCohO&y~G=M1nqa0X}3BUO*rDwgehIp?2h# zJdI5amcPjgbkti-ZLM=X411igXG@^f@@(lKWsK#^TjxslhXNLIZ1z9g+P0(oL;qprgsE zZ*2$=r9g*`TTA`6tpsZNU0LROHq|$^pbb`=2d$~M0-m;w&4C6>w>fOmDL-R23lwY6TMu7+JnWh@?Z&`Q>S80^^=;hhA%v3KFJCs)8t80CV}PMl zxGB`yz>XoURG*?N*ry1GTFF-I&3K{KP)iGXI~ZyKKcz{(>ux*MRlY4`wPX0*yZ{*E zg>_vXa=P?5WL-7|ste6!tE#Fzn>yMydwg4~*rH0j^M!Sfk#AXO^Tt4je_7xmu<9cL zjsq#WFt|!LboJ`hC3oF@JJ_tT^)}1X(6+g~rM^jMN4R6=@2D4+2)1nwSm4HoJZ%;@ z(qozRt)Ar=IGbA9ws<=_+Q68X$E^y?yh-Snwyt~bxMSIUOKPge!0-xX-UgOe!gFOR zo}?Y{D-i@i#56cM_@(Ck6XI4K+GusuV>rkAOZwG~T>4H9m~)LD%avpNk#9Q!R;Z)Z^GJP5DB#&r9~5yE3|N$aciruR=dW*V z^tWk-H4OVLxeSUJca2eBCDO(!$GR$!!I4l2h?RCSEv0NjOQ60Z(8zY6&ct-Kp{cc@ zt)l}HuVpLqq=(HJ*uQk)>dU7uS>~pNBCeYt>0$fU_^Yl2Kc0tmIQ&s96LQHIEaH~e zLBF1`)0e$E)`^!@z{aY0jC@yD3Hrb(U(pugM1EE6Ym~fWl)bvDtLDlKSLJVLYlL_= zsvyA|1DLPK{+Q;J8lr~5rnU}I)jTurQFPX&u2cp(5{t;6)V49y)Y2$0{mbT3V{t}H zV*u*KCe+*1>IsG#8lb*y3blBkeci`0wH%Hmw-g6&!IZ9WNQ9LpWBQrtZQ!9*pERI> z16ULEPrz>3Ew?ArPb&xMa7Nr%1W1Kz7|U;6W|Y8V`#*x`Iy^sy=MFwgZeMsYh>c1M^P6QX1*`-N;nxX%AyzkOA5v~GuRrn

xf^1=j$#2oB3WBZviAaGGIk!}~V8Z^JtU|5m(j#XHweAw02@W;}@J z^6fz*fPw+&19&G$gr^}q&1iuh*osNX`jtg-VFVS8gFYKQ>!=8{)f(^p_{7 zC2vzatV@NaB?1Xe8yiT_LkVp|L0>+o%08$OcyR2ZQc_p1>eq#?REF~u+xpvd2O5|sWNn&lht2v&xa{4uDbT@%a7&=| zA&YWIWCIH}nDtmzTowlOr#J}YT?K(vvaI!XyyCrmZm6}16Q#c%vs4gLbk&m9)+Q$w zHkL+J$*R`nt*uUcLtFb+#zWPHX@Iao(=gcZx8;txSm8r52mM?8LA)StyXwBc=5}kV zA4xJ+5FgyGM;-LIjsO??^=Ko}=}4P~21}Zn%hg;Y9q!lC3#+{Qnk>OXXe4S}E0%sL za?EnoSPBE5(bl0Y z2eAK$_TEt6(n2GNu^e?5LuhhREN-+-8}*h45ydTybP16d?gm_99E2v!P+B*z%Z5-k zF|v3Y;pQY|9GQ>Ev-t^Ytxa*3o5Vz*afqZbQkuAm)9V*bu`!Sd*irs?DhH z?iu%#QGrOzE3qlL@49@=ZsG@#j zLvk4vd%1FM9qv&9Uw!hmfz#zAOfAkcbqdfXjcrJlHnuVt$sS{(FjZfgWb&h>D)=c%_K(SU^x z8(RVai1MIkOWQ^~WhVoT-s)*=qZM)!x&p6TTGQ9Qtm z*jV52u)iI;ANAz9&g5rD8L(tJkpPQ{3D$PbMy|!x@>`eRN|@MOm@5iJEA|RF;Umr- zi;Zm!#>V=fj7!@5CI9vy(AZr6a3DVG`nNzk#*l_sP;-S$5*(>b4~5!7*adP7KR`ju z)zIHNLamsP{ZO}sV=$lM^)B^}PJ&HVEdHDcwB&DU#o8U?zN0N9^9%8T4$!_;HhI*> zfFHue-t!qN4N#0_SPYJp9)wYzu>F3k-QO5!@%u?}^b}IZ0ZhO9O>r!l@tgPR%6fDx#P*Q3yFM~2gf?ss{BAq_nlbl8883O=tQZU8_ z;M=-fHc$LxfN;{s24QR#^z0rn?66YRY#|L?bUwSwXvD(WKC!SJPA+W6+l8SpKr$=M zbyG*c7H&>$66a*r69;ghkZ5a&@83wq^dxr8|Ga|PNhgvhgE7V_f}~A02*NO%~;Hu^)3D_*ggyR zMO6l`Z^HH%nrdu;;bVE4eDP7Cat2+HKxe3}+;r7yorcu`SWT!mC9hPfG(cu;Nt>r0 z`;fZUc-B-{saY@{*=Mbk;#iY-G{M?Bphk;!uw;2FC`vxBp%_$L?C1N#9%%gBvN4uG z$xcjP)k>jh=U5IY&()5zvgh)Son5aN^?@6h128hd) zRknkg>T0g*MTdd*0+EfCo!+v<`h#2nR)N;*2ti6UEngw=)SANz25GC%YY((L9<79s z!~E&e#LyXN3^Y!cd5i+iW8*a@PHY_h(!s+XWZZNr(9o><7P8q^OaW>?mW>0-3JT6r zXgWB_vNf%nZ|{G!W7Y_CJc5$-n`B}DYjAy$fCLtKCAVsVOc$X_rS4A$A1vv>zdf=2 zm?I#bJd`gsF>U>n+a4U->}%Dh81e~SokUCFdZ*hQ{5dGb>=W{d9xa?M6{o=JPgC)0N+`{@tB+xT5=c}l;O`F)LZGjH1_1$Uykkz0{ z=(gHtCXi2bEjifWoQE(Z2mn_;|6s#QcOF5fb&Ans6V#+YuocHO0`)XYt9sKU2|k@_ zTOw_lG)Yp%h9w&sYHcC$N!FaP?4J%!JX`>|LJK1Wn!vF2JQZ!!n9wQlzutoZYFQL! zunSNDZcsU}rk8TI(Mm7=mAF5BJ~gq-58gCr%Jjft0(=RSk|&iw}ao%TNao%;{= zI~RfWJ3HQf=X_?rV>)%-Y2UKrxnE(wSGnG~e__Yd9&f+XkYm5oK5xHQyWVMBx8qm2 z-l_Q7@rzvVB%U3Q4Nfr>#=|_m5>KbS-%i_>ly{q)@rkE%BCzwyJcda;9!`WyY!4z(U!0nzHlS;kbo2o+sJ5Yv)zASs>JeQR#vSeW*1^8=g+G+SFLI z%eCOtO#?eaZ7&#pX-I;Z)9|+|8=qfAbE#uc&vGwLokgf#naW%fH^Wj7qZpDsjN~=w zSSw74S5p|pfl^$#l=s_OH`iZ0M%LO!n+h%Q8b>2_#R+@P7>mcW@mx6KFKwD$G`d%b zLN+MwSoq28T#B-;IFO^Gev6*Bq2(r}xf0^#wAPHGu4K}+6*g?n>%`9;E|KNMTr8`n zL;q-N=bL8%)|SWzcE%A7Kk+l$+8!49xKiRg3YbTtA;n=6pv_K;b%vdQUs(;}VdRvB z3pVnhug2qrGJ1*R&T-{D_axLOa9lN{ly}nnu-lLgfI~7K@jN_61A}5my&o13Xq6BS zNjS&zs`)RlsU9cpK&`}8np$ttq=Dm-?QI?P9b2h6iAJvaM075HLkmt$mbl(;_uO@_ z$KKDn(mF3WJ$Zc>Pfx$POG-~#(UG_9b*7XDuIW~DDfv=XbIQ!-mwB6H!vR6=%E%f` zrzumAn&0gt>ebwrsl+xzHMWmhIculJEmwy?!52DhVNmB*$5>qP1gFQXlXqzo)(=4& zd>qEoriPBTcs%9-KTa!!Afnn@VF+r+ZXW1^;i6R&`v4U1Q1Q@4{hOPDA!RdDamo@R z%_I>X;>z02&zXicih7u>gR;nN->ONOrkKcA9nW{_5$?E=kMnmMcby`1m zmf0-gqWHLa$^AH84TcTCC7IYVCK zm!sp%BQG`jq&LEHyAxm@oNEp8h#+9{oHDIgIJe5>ET{_^%}orIP3((k zF!ne$hd}rem|iKjF`Y|$Kd_YPuchUdE1`Pv${IV5de?be2^<C35`hb_5VI_?y^-k6SwGVdTyJSpHY;|K+xQ zANtIv`FHF?Dq;9TtLGd&`N-41V;H|k`kVW41rvY2c}%B2qw@dPGYmgEx$Gl+j)PkW zXT1XV&y0zu<={OZt`BK_NokW2&!3Y%g|t&T?EvEb_&@xH_$!9`8V{~^Ccw!^2)*L~ zuCp2|t1GJi?bNETuX_Fdim%m_-TR$?sx4wQi{`HNW1;)-+L>#EYkiC4gyPyQO|513 ztc`bRdn1>w^7kJ2bo?uTyMIwl6|q12DZ`k-UDl$_GCvpxa9?RW;+kNUsW0MoIzBOk z`$2flC@pQ+gfmF^l8_27T3J)HdJ((Dz$b>>aa^Jq_#TlfZi(a@NsNcp$D7jc+= zj2Qui%msuS8CGT+6vs?c*47fg`nMV}i+GTA zSzwD-&Yj%jKqU6=1^Pyvx52+8ZiDsegQvz>-8SI2&|XVJq!OCzdW2uo?`z0i#j9BH zn}iG+o#UL-4@+f9Zv2jLgwNOVqp_(hv}3bWOA^p=Gg;Y^&KD|2+E|ibT4B63^|w3 z%w+l1L!oLkyZD1m6sxn*r+Z|1gP262RD8#-NxILjD@eR-_VV(GW=-3|>P1VIR4ZF> zL!3&wrKCEJNZ}qp!U?Ym=QN)28tcY#-d~O5(TdHDX{epNwh|@_*k|-A^4o5lq*uP^ zY7G&!+tU`uV==cLnn)wfat{RTRq3ZlBYpg7sjPqeveG@RsR8~J8^<&5dfoRx1cxc{ zehhR%HPBs%TMh{=26xB-MPpJtzc3QVmmK*pzHZl($a_)?Z;;=&6^x)vU)uD34kebl z&kY%^h`E1Bl^V7yvF|MBvz`}zVq?%zupb!4m*aI2zSJ?Dn8{@b^5VcK$Jz*Goj%ELM0FU z3MFiN-c-^@Z3tFEIKTqYW_*~f7MY}mY@&$zrVBRP`z2SH4XeX}d`eH~fv9n*K3%gC zhZU3oEY7M{8qnl~_asnBUtNaGz-RMZbplbf>!Qi5N0u=Q zwR0@g(&D8@!b>iUqz+QDrcKa!8fgp)dEDG;{4Zct!Mpj(cvAM(g!x1IePL@OMu+T$ z+Vb#-Zb_v&(v2mSh9M*6r^G|?pYHWiv`F!gG8%nDIIpt4C1|srmz+|qcaL}+PoMRj zDZNGGZnClVhpyI={%l>G`rp$SVze?66vEMdV>a=i#9b2PC1Skcdn$42GY*rLWjw7* zuY^Ft;aH;(b&=Z3_03sD@LLIulbdEFeP+lwYSTJ##PWWaG0$la(Xx%z{`felqb6t{&;;X4amukfje7}K z2{?2GPXo5Ouv!?jN24BK#uKhoA(!UQ<~V&Z^(cveFUhbregK05-MBr@2m12+>+!ZO z!oG$Tz&iE_a$){K>+t0OGA|65l`Zu+Rxp>eCvTA%x59>&P$#E58_T1*&8XJtLc{o5 zwiWXu6rk2d<9>&3?jGZo#FM)8B3_#|z8a?(brnqgoh}+cXh2&sj6&iT*A*Y)UAZsD zOKNfXxT|DkHKr!sBMWpGUy0{ruh2mz*kggWCF2}KQocaCX-x-`1AOUqD&i?PQ5nOFm{fmW|& zsx$;`W<&fB@N+1ld%Qv#Ax4I~(Qi|jOk0bO()f5urq$ISabAbT&DDOT#=&A>Ls%G0 z>7SxFXFH$9IL!RyeG$mtvRmE;oMb=vWAWYrKT|`-*L>nM;M^S~7yZ2pM^3SzIUtLy ztX5L;3A?71>I*Z5@y$4{PFshF0rfo^QWUF#g7s{voTG5*@QSHHpZ|@z{RpiLY%+er zcW)~-?m!0*7J+ZSq+7L!2g=A0m~RZ@^KOhm?gt>-z|Ix4Zk3@#vOa}0jx58Qc0^Lw zZb5q-?aGVejF>S#Ow6@Z1&=y<-Y<}s{f@YW@pZ>k;N%*gn%*5QOc$veP{s+}CX@$} zMWHb!x;UBx3k$Lnu7Ci&h>yGmU z#2LQWK+Huu^vPD?J>+?kaA8MB{Z_TjZ=VUdPiUg9wfUt}4C5yn550UcZcL;^6Ar?N z=xsEXCQ{UAZwht*0>!2Pl!v<%DUDY(#yFKPgZCKoL2CHqYQ-tw&y}A~9dx1oV~jEm9pmQB zET^4HDX-pA-;PgvF(+7^9Q}0-7qY|Y=^vB2WFJI2>=P7mYW$9ATCP>1J*=9-2Vc|! zRA(lq)}hx47gS3y-fMX%hE3N~V;kxw$F&4HC3=w#7{>KTu{CPsCts`U8b)C}#aUte zEKVz%(Tt!A8_m@evhD?=aVbq(Y#r1v=8<-sX{F1*tm#zIgfC0gZ#BNpvN8wQ7e&jQ zk-HGIO4dNmxOhRdW_!XFy?K_aEOjQ%z*VG9d~6H(i;0s<7v%fH_*9#gYFd$0V;oETn=~N848UpclVk zuo;`)l+UvaeUul6)LI)`0v$7Py?XOzY~j}~TDfW&zif8*%u)rl$G|yhfZt(k!v1fo zVHukmTA;5P#xy`t8g!%D_s6Ib44QCUO2GLa3Ci7~O~z~k7~u(u5C<@i-m6SEpd>99YE4 zGFui@#=QoPU_6BB4fW_0=UPn>DT1wJEU*&_y&t&1E&??VfQ*~$kRJDytyHc$DJ*m)_G#WR!ViiXt^8ah^OTcPO|NhTu z6NOTegd-%hJo~;xp$J(Ep?#rE3n3<1#?sh_7)$n~Av84BtP`>~gsfx8Ix(T4;r%|R zV~<1|weD&hvxQIeHB2*TVV1sPY`P?wSE%3Wmpt^;ZUjDHygP*I!E^OaaO>{JLuugehs1GV88v2vh3Qe*l;V zVP+6!U6%;H3m{BcD*&gh*I$JYrj&1A9|GraLYNg`jb2y@gc$C=}x#GT!%M8`5G@BE>P+hboW~Vcp=cg?*8uY1w2@X%OT#^uLf7cZzp9P zPAyjYUsD9-4b`O&I0)?>p~LPF9~h*={(vt8>-sl)2lTJAE>fs8&AUyT-t_JL`hfPlbf9YXsz=e8P0~ik0sL$^V z*j*1ZN`5`;spQwgzDj;fmp?$suZJU*{CYS^$*+esz#qPP{E?aq{nbI&fAQOa-}Lw; zO(~zy)t8}^uZJ_0^7ZgWzzC^Jp9eTl4<7)$P!AU=`SoxKU~shR`{xc|cRlGkknz2m>Fa5`K7I86^92V9|tO8{r_y7cz}=XvR{>J0Rsw+`C__62#Zlh5Ma zP@k;BKKT&uuEQO^1NrEt!%mPN@z9kg0Itx({($2>b@7o(`W`x*3V5L&UJ5v{r!GDh zu!UZKz&bYzUp;&uaN0m!`YOP%_^6&g%!`4ZqjcCFumqo;qC0*1rG>iaWSi3eO)Um@TMJzNSnK2#T93D_b`hb_*+{eu3l z%Wr)c+N);|?3MUPU401Pyl5Tv0bHnuBLQc{>f&brj!&p5e<}Pv03YAPn)nOwyIjF~ z`nXCDm&2P2OwZ}!i_O&*8a;fWiQ2+b50_iOi?Z~vFTB8ah90(s_-sAw1o=z!a0QfK z4LC4a*B|ERfuE9U^t}`O_Jz*{z4&;*f#Y@Q7Xq%(!+C(yCg|cX0Jccc;VQscdf4^? z)HhMre*|E6J?slO5O5v6LIG##;WWUSNxJw?N3wUr|R%hz=e7^53uG7UHoytfqM83 zV2dAf8&=?oi_b^-aO#z&&T}xq3*Ll@6=w}{jBwyf0Q%1VMnX> zICt$J+f_+cA6>I={s_Yes7C&9Y4fRY+6yf6<6O^JnT+?NM z(@FFrG%gynb0Zg*MsR)Rc7v3Ihv9^k`rE46N}xM{!?_U*&$S!cbzzz$I1NVGT%g?+ zr5xKe9wr5}+W=r{FHzfVf8K9U-Y5I7oI2F?o}06#zM9%r|D#4LZB!0*gDnW~6j&2m zyRl1YNg(iQ1<+i7ELcl^?bj#t{lk8>j~W*o7uWgo{RpQL)gD$;-<37}pf5Mdo7L;a zxbb>?sNbG{^!sn*rV8HW{*TJ}7ZSNc+w-8!b^7Jgte^B_eJ|+k$@{1)Awdm=KP~8g z8T-xzy$PRB?&lADfqis0HH@K%*(dx8&#mILiUm%__$-HfQcr!qeN=pXXMIw-qOtxU z!mcX&Je5TU_&CFdfR6wlrCarRv96m_fv(DLWj@DW{YSph&r^6=$G@si__q*zj=C~G z_YE%%voQZkr+bT`tk0$USHkjuPF%)6D@Xr6o7OAB&nTHAkrmgKL(eLv~L zze-ydr+**Ln|1Q|Py3;+9EBcrziW0n=+M9W>(X5PGXJ`i5}2PTgU=oKl*30!Jr(#= z`J~nIs}fdrs3uOCUsUE3mH9(uzEGJTROSPf`9Ed8Pnq9S=JS;KJ7vC3nV(bUba!j<{^tj~nQOSWNk^QV_urGyuK8VnXs2``24 z^3H0NvtB&os8;3HO-?|#vhS&fv0j4OpMsnc6RoM;JS{q)u80Gib_;8>z~2=eh79iM z!Z;}VU1LLoqQR9H9VUh)I>=JvMgr{mht0py6E#pkY@+A@?>XQSVXY;RA7 zRjU(gF@z|mLP9NJq40cqJUr=(2urMw)Q|3=ebx%gCw#O!jkWuYMTek7@7VEiW5W_0 zG|5rjv~Nxj9pD_y#4rc9`eFpPKd(e^`>08RTm8LhvkTB8@vy5nI0{}i^$$AlqvT3A z);2gq)QMP9_E4| zOlVkG7#@m;BUAM6><=a2B#JY^Y>*2X%0da@!J#fp7#8Xhgb@USVPrUq2mN&kL=YB^ zF=4n1i3hVT1VNxK!9i?@ODM&L5=_T(NqXcxiCl=>Ox>R>%x-3!7dCQ ziiA_4NN5oKHzhD(NH`sYVlKhq!8qJS7~=x>M7j`6cqoYkp=1!NcNc=&r@bqF zQtBo8m-!Z+$-}{_aLhxJvcp`*p#q3mgl`ZmJAqT6!s?2ROiGI9+}vvA%e7vyH!-pku!} zo!|`_V1N5W?e=}q0jk0=2kohcqC?G29?%W0was<)(5};PQC93E#6>4MC>r7OSG}I1 zToL8Z0Z!`Dt}KX4=#~(oY&;23mJf&yT_6VD{}L4fYjXyJG{=e#6bURt5hy`~goLA^ z;SQSUpxB7ypop5}b;2#Ueg6J*;o6>np3>bt=+az60{#z$cSnqd|2f&aO?-z z8~*o%-^z8+=$H4(NTq?wQ1!}iS^c+SKa>m9xpp787S#ST2R*Ka@{&{u@ZOJDRRok4 z1#kZdgOX!a;VR`^xN6Co#@HAUp-wsbmn+Vh0O8eqJ zO80U3N;{Nt;k~6`S#|k`LKvL6uU9^5d`&C*Q0r#8)Y5o|dfj97K;L(}Vm#E4``wN9OX#TCf za)o?9xeP88NJv9N-wrgcg?m0J1%*LnYge9B$bm7vhP zFXUBbb39=+f*RUU(?1HQDg9i>YYM92n$cQ1!1+$l(jaJc6y#R=H5AHl1&&rjPbI)T zgaYTlDO!4z`k3D!IrOo@2Op>ZlpFMU!4vYRfvXk%tZSK03Y2vXiUbXYScTUUq5U88 zEv%DQ68zyZfrr@&$GN~a_J`R21pI%~1K{XyR0EHJbqPQgA-j?9k;6zCat|p-)Tk+H ziQ1x_P!1i2rl4!kY;-%CkM2X?p^dO+*jQ`|_6GYMGsGkC7(5wI!{^{X5EqH-#2w-R zVMW@LG})6JM9w1TkxR&}x%vdsQnXZh;_%MT+KxQm6gIUQO zX3j7VnCHw}#+Yr)y0JVvlpV#6VUyWZb~9VVmaxCDZ&*XF2}g1w=fMr<0=al@GB=%@ z!>!_Wa3{F)Tq$>(d%!*8D!F%@0pF0f;G6SyyoPt={rCVrn2+SI^Urxxp_?#7h!gG! z6~bG=NVE{!h+RZU>?;ltgT!cYrnpKxCY~3cij|^DGLx(%O6o3+mLjA?X{t0++9{Pt zcckAXW7$%+mp$Y@@&GwjPLgNH3*_bUYI&D@LcSs2lb_44JDN9-i_5~YNiY(aJ=C7{|W@;><(DAb19atC_6*4kW#%&l%r&Ml+l570k?qd*V*9d#*m3Mc_6znab{V^d z&0%-31?(ZVnEjEx$v$FVu&>!_po1ybn6u(qawx}gGS`Fi1A0VqNn9#7jr)?z;1+Sq zxz*eO?jrY?`@rFRPksbHga3+O#;@kr^IQ0D`Q7|QzLdYqKLU!h6&!{B!Z0CRNED_B zvxP0fx594Wgm6VD6P^pd3RS{;pj309l8-oCj10P}OXvf%A;^j&=8X-6VZl6XDYgwegOy-UutvB&?to)>cf1$w zgAc_0@i=@6z5w5b@5GPb7x8;|1#UvLBf1dY#6Y0cJYp%ao%jK$bepgN@2)!;MJA9d z$o1qY@)B82Hl&(Sjvz$?L4xK{OQ~F{fVxeUQy-|7v;)o4z36`QSdgPdbQZmX-bWvy zZ`0+p5o5u$U^+7x(-Y(;w{lyA|wu^=8E)CvX(o_U1eGBDf`G_ za-#gD{EeJ1?^m2icX)mYG--^qKr~24q>ENAMj~-YGBO#cvj}A4Fme}pfgmW2u0S`S zx#(`R06mBv1L{0P8(__`R@iuKGM0wT!ZNU}SQ+*Rv&7o~Rr=szATb$0k9_2?NrMY)$qd2b1yS7i2E^9r=cALb+4@sKL}EYC5$R zG}#-fE$u|hbRZo?Po@{sXXp~zkZHw&v> zi~Gbv@q~C*ye8feABfLI8>y|tN}f_5X`~b-#Y@YiwbJ*}38`4REj^K5N;Yy^nU#A$ zPmh+zf&?s+*UI06J}Q=P%TMH&N}v0}`2pa6+khrwksgQ-G8!3+Bp_cR>yaEJ4>=0b z@Doyrv_RdU&qdT14MNAE>1ZDMJ$f4Y{55KiQCKf55{m^LrAWj^?0f7Gb`tv$yMf)o z9%FAY1Kbq1!QF5UcgOqVLx2)7_;@@OPseBDtMCmV9}S6SAQ=R~5gtUCR+FU?UlXf9 zkL@8&5ci1JgfZzrQe+P@m>f^e1S#1=o*?g$uSsL79fbmQ0>I8prWRAnsnyg5ur$Tg zeb92hQ7T$PJJQZzb=>Izpz+4h6X+@QTzV_Lmp%b>`;mSF+Rut<2^z2mGl&UdBA9W^ zYGxa=liAPQWS)TJd;lBN0d%6w_GW#-4kfb-*ss}d*nMDyuCsT*4q0+7xYiuO_2l|; z!$9*zaPYn_utsUzEYN+MxIC_aE98!I=eR4}E$$w0K_yqssd!VqDc^!`%eUugz6al% z@6Qhgy%@|#0ar}mr}8uT41Nip$M5A&@>lr>{5#%Uuov11T?I^_1xfG_dV`)E1=eel zFirRpIOiK-vydn36^;n!g-5~*!CY)B(xSKMD+Y*T#Fb*MxJP^^8b~NuuM}yDG*?!obqnR4l!)Ie?`ca|~GnFHnFz%`TQOgRgz*b(`pTq0kSZ^`%N$MUa=EenKQ zFd(lcphMdsoe&SCFESWOL{gDu;C0+Zo*|7;7C0sXWw01*KK3=1t+irh*i-CR@HEWu zW_VYe0FBuf55ULb@puYo%$4{?yac}nmhA&>3S8kv&>)||VA*C9Im8aIY?p{f#7m-z zXiGYgy~+NhA85`w*H8oZEUR4_H0S^@I9g*ru@r(RJK-IE?duc9~7 z`SfM_I(?u1K$|elnKn#E#+gAGUh98^F)_>}=1XP?lf~pR`OFdKEOTA!i@akRu;#2a z+a6|c%sD&Gf$PE{oB;G51C}lw^yUt*Z@0nYc*iy6efS~#D4^qPKAX?y3;A>WJ-#*A zH8=1#h6*EvP@vj)Ayt?mED?SZUV@|>h^AoE+KFzWhv+Xxi4(+m;x6$A@rL+VtP&f7 z-_c9zCk+Kz50%D92~xUrOu8gpm+k@GUP)@XsoY*>WN+CIsJ2+%0y_1yTq-}3VSuCZ z)yjA$@C+$LL_Cq+VDW;HX&~ocAzvf;$UdYHDFQiv3j;D!lmIW$9rZ#p(e>ySbO(5e zN6;elJbDGajXnaIH^3}03=^;d)+dyT2^ z#^AL$;S?@{Z4AJJ@F+Y9?BiT~5uS_h!jI!G@g_tIqCFvk28bqRfi_-2tRXf7z0VMr ziE`o@(E9^nM4E#is#wZ&az43?+yMG{H~2Qs$lpi<%7U_`+$f5YDKGFolc*`w9MA|^ zR5o>(Itd(5O5LHVDP!7_wgc^r&>pl8@WUw3;c;{Z{WZOg&Y=tFLg0-u`e*t%{TuK{ zOU8l08G-4|3}nKXSY`q<75vk!%r52_Qw)4@k9ozs2fk(5593G6I( zKDz^arR(f%_96S8Z3Y&W;rekQTr{@?eAGkSG42fa6KDZzz9ZiiB!48Iz<-&2>jF*JSRqLFXE9DWCM~5 zJoFl|KwF^pXa{sS8Uo{tZ(x*h4!w-tKz~J5SOd%)vj(p52ad@ED{&n-`P5K`FnEstMU>blew`N)~u0VT+>BjV7{Fz8*GBc0)1}wuN<_G2?Q_B3z zJk?rgBeDE<=@>%?5K9}Fc7x0JpL;__OA{$|3QHv@LB9HrW|8wLp7;UG@iE9Z5&i zDRe5#6=i^?UPWiaTtxwWfG(noL0gx>c=st?MOV|Nj5%Y=*fUPx#W7&3y7`5=Qx5vOim7IdSW~TEXUp2NPQdvD%di6L3HxN^|(RWLd* z<;{6p(C<#XGtck>?*+QuALgwh`Di``^!jWV8)WjUz`M)^jeY>e=EX37QpOvBjxH4P zqw6=1`f8Z<=hO=W5+QI;6R1rig0@^ zFZmLKftvz}P$FK-Pie#qEl(|kIShrbvWSgZ-pbQ*R|(7*RuLAYHK`#(frk{nso@q= z;17i_0&7n|RmAi^*MDCRWZFSl1_ml5-7dqVVV7B6v)(jTH!#Rbx0?b%6AjdAv?T04kQm4}fYNM=vF#d0$7t$1IXsA|Y8Lc-+Qz7Uld5ttN zm-0t$ogUkL@sDL4fA270q0P!+J&hY`j*RKn!Ps$4?B=X=>ntSQ@Hu?^vJ4H>1_l;W zmpplwda~cJ$9+~#C^4z#l`?Bvsy2r9Oq++AAq`CohZvby84T}+Hb<-!U}|OVr>u)e zh}C!m#fPERNHZn4ft8tOazbzr>|lr2eQECwLK|6`42}$%kQ9ctMp`M!%&e?y0yG}V zp%dY?OApYtNNXk9(8{JZT6=y|Qc#R?6u!oz8`7plV-!O%4278}xQ4fA49}`D9Kmpy zvSWuMqx2d(WKdmojjXH(!K)i!uXl*XBQ8OC|AcbV1r*|1Q(dR}Xr)38oK;a%;~;pk zS`=(HhpJ(5crOe|S3Br;5D?5TUELH2tZrnGu2!pd=I-_$+-JFcvqq&ICoXdE>k?O1 z;CS34aqQ8GPuUyPjFmCO4s#W8ZOYccM4n4G1zAv^nRMx3h6dk4cbM(-+;XLnom;e_FU6**U<*Di_rGOY9TnMVVyj~AWdt*;kOt7zLe z>DFS0ZKvP7OG@qZ;7#vVUu-$H#%255$D1GIbh4Qe^d@th<$-&?>-zjW^6k$}wm7fN z3DaCIT~=O{x~ZR+=ZBW}JR2-FyBawoZRD7g&>m+4drlpE#47c~#22TIj57f4RBxE} z7Mb=&OUl+wjBJdoN3VPp8&F)Fw6f&plwafn?Gw$K#r4{{owcm$vh$lfyJPd83|pr9_MCa&T^G>J zrU6|hRo|P`+RrCD%=Xbl_u!7pVt@F79y7h2>HKbwZ(j40TTk%*vWtz$sLjk6hh`fF zw46S550Y-Q0VIB2t;9DuU&$1`KTO6Nm5#}5W#_BU(2B(WPs>n^3?nG>kql#OoeT&6 zOEL`0hH5C$_3vbO5FCvZmY~Qn@walkKE#amEZELSgCLh*S1T`A8Bro&Ex6Vy_ zpNRc1OBghyY4dYNa@XItE?ai(P|!rP5vP1+jsN+MM<0i;pC9e&ab#_2Wd3~j{?BJJ z-&>w&|1#9SqB$1V&u`uK*&7Y6c4>3A&)u6LKem{IjmR6dVtDpyC*LM5o-ex*#P=A` z`h2sYW{Z1OZ`=MlT2Uz?9z)3tt#go zy0+VI9)HVd%Or^cAzkV)2zZ-X8BI!b(aQLQMAyVx4XqV)x<0MJ ztggDWK~X`jpComIGrC+tf?Ogn*O0ITL{J*n)`&!K1kG~Ga?#JND1^Vr4XWUuN;#&d z+$QH3l`@Hu1*vf(tQL9q;{6$?n$ZMwerVnjpn zn-TYHPFqcbl_X5#?9L0E@9wG`zE!=W`6_2O?^ZV)_8)tnvUI?)Sv%8bkE{^$2dtZj zcXgfoeVL}A)wm~PT8=nhz6tSjp5rZlfBuV8hb4!|kU=XCMkVE*Xf1rP_|CBd_N7M2 zNV@TTP*cUVYAVISW8I+JPL0~Wy&G`B$!C_nnlb}5HAPQNc>AC>h&A*%xEhT?8z;a? zWHB0_q)=D1E7DmBH?wkpQz&6Mm&P+HA_`tCr002n!3Wg<9tPSO>7*n!v{GDvnnFHu zP&D0=;d~-xg{amOA;A}+zzstX5;CV zYq1YP>37*9){YJQDsJR_^J%pR+Ho+(+J@8W9!qti!~Wb5oIu zr(A;wr>3u-&y8d&H=S8G$+7X+`|lIBj`cfUaqDDwarMr_Ro{9!Eh>xKwc*m~#;ck) zuMByA-QCgBeci?5$4c^6e>=0soG8P=*QVdR;N^a6|GJ<0wsr6DqVUfAW<6V(x-EX* zGAwAn^{bgvwz>u{c8gk|>NsK2)jGu%4m}n82P>}?+m4FZ*6ANZ!+P&qRI5MhfGG9{ zR1Pp2(kZKBR{L4)^c;{x?c044qqS=*6T=fjg0wzIcwPCR8;2wQNQXKMy3w{ayH+vk z=SPtGR0gv;)TUBYqJAPb(1J;cZrXa1^wd=Nq%~((CC(ZXm9_nC#(vucrcZw~`bbUn zGyBDEqx*s%3YMd(*qam#|Dww9JSL6n2n>s~4VZwxun-L!e z3nnLiBD99-;IWytolvoH&x6IruX?>mO57A^w|8CU_I+t9UKA`VdE5Tc=@8>|Q`L^8 z#qHQZKMu%@R2SZPJ?N0XW#++a+btii{pE7|zQqw;Q$~&W`kUSx_WKaM?slHov)8E; zmz}mJw>lbf@VDRh57@HHV2S&nQIl3j{q~-4t+bmLZPr~i=WZvr?3s-oKAY)SSx|I& z`?Td7XlLf<8_NfE+`iCeU8{%-%}?w*_05iqad)3@DV!Jh@^Apx{N5=0%OCQq{F4p# z#Wb6ae>iR)usr0$PRsCVp6!NP;!-|JplN$%MH_8}z$@ReG0ltgZuU(&#^!4;LzwTW&?DTfa(ly@{^fo_Q z&Qea{k2a6Le*6P^Z`a7LqB_hS;Xh^Gj!PK_2BJ+{FLYa$-E-vxYTF98A!i$ZmtuH- z_ExLngqTT1uP00_=zV@>n>M|xTzk0=r=GaB_;4e+aLUq1A3S-yhr`7*mEV_Bt&UU- z>HYG_TBEz!F5KSjTjr$h%x?PoOUKm}Z`@l~Zaih-gOr6{_->#jeX4rI5XVDv4u;(B zZZvLE|9LOZ*9m{b|qgjhFX)5D*upFl5CjH?^ zHW*trLoAel2IdXBhr!wI2}uxEtHB$Y+xcqGxzh}SmCM?d**)PTGI;TfGAON6^M92H zNjLc8IMhHHhZ?{*6l84U?#!ZXCQCj2t!&afE^nG%Y?d+R`4^?PTOR7U2W#GD)`QWD zdNgGBUL6`<@Iy+lK|w&@nMdsm9`&2JDoPrVbYysh$^A7`sJX32++LiQ#rkbI_j0C7 z$V=Mq=P9up`u%P?G$w!dwn@Xz{N%o?+T-{qN@uhFYWhL{8GsmFFlp)beX+#jR>5)^ZnZ9ulm|`t{iN3 zWZj*OCxX7{X1R%3-)!EG$Y8W7e|yVnW726|RJ#Sc9nS>B3_&Vyg}fZ-_9)^-RelEagOCv3?BB+ciL>~R@HUDSC=mtMqaUQcyPjU z&%NKGGruV~wyKZ#b7Z^HhxCs>TpjXNTJ%p5_J^ML?9H@FxxOjKsAJ}Y=IMsNrr`nC z7TS({%pNgo5WCUp`0V@gop7%>^$~-p$~pUYBnp*F+Fx>L)1h6Cu{pYgFI;n{?Vu9x z6K$J4xbZNcez%&0_ zGpEe=w6-!*ynSUtre+j>BcpeG;gNKn4pBiHrG$_YLEBT_4_Da5H zM)rtZz5V@zNke>eP+q!(gpViGaU9Omf|-o#8hVK?nNT5VwT|7adz7;q}B=`!D( zxW~JgQu{m1>x#Z{lT$i=$r+YxA7nYfdXf3?_su$AxN|%pDy<3nEqB~RSdDJ-ecArT zcM}l%!Is{~{YPC}?&*H++chiBnJ;s>W)%_43@mUQc7AWp_fvC5JHB7M#5+E4j?};g zi8;FU=8)bwcf#8*S=?I~pD%cgc{I{?+G#S=adC$^11cv3b<4kFAJ^kltERDrHv-i0 z__Ds=Ov}7ps8QuTU;A}_j|X3Q2!4`nO82ywCVB4kS3bp811;Wl|FzY! zsol_Y{?i7;=A*y|xPves0wZn|oWPzNJTSbsZNh`Zs!=x+(CdxO=aP zEppEVv!|*WZCpZaf2walVS>^q-9Xjv!Of8H4Jo(YX1*rAK&+M=UHE3$;rs>dK76^w zgL^gNuw(zOTfCy)WIQoXw3_!*qgyAP%_{6Yjd9R0uy^f|uaGj2& zc@9XryUo&Nhx4z&k<2~+#61p)zxmA=fU@1s*%|B@J8X&9>b(KGns>78(fP=Yr5`r6 z@L3#p;o67QL)!Gd>+SXUR?4*l)0*rU&@*jCmlcmI4yEKIUnAR;JY3&!MGC#(R*dnP zucl1TI!lFpcl4Vkrh}4QUw=LA!SY|y?PV*M>|9lKOWz@1$!Rqxuo;7E8T~wuDuGM z(=xl;-jhG?yV7fjjs4I`Rd%_~y{0vM(CqNI1ATuUdZT-)`_ajp2KQ)@F+ZyL^Cq^F z$9)xLIAGj1?^{oc{moAEUVmL~slyU3>BtR*8B z?l$=8L;8T#XC^;+WqF=S4D^jhj^A4s@!R!n%Sv`k_C78RS{>KrspZAV_Vn2eaBoj1UT?NLWQW3L+|LHkD1B*XQIyN*h?%KrAz|L5eH4?GaHOvq-s|O9# zAV_sjBN`f`O~DC+d0vc02!zI{;h?qaV~tRlXnxmt!xrzMKNJ-^XsrCW^D9fQtX%U4 zaZsy*yCzOgiD#O7d%jM-4hfXxulef9g`{LWX9ypLh;vUC>sNV;yYu=_&#wfJc zz8ychw)oOu)@ot7(S{edn{DZ?{o&FX zgc3*VF3pd3e7>l-LHWt%Tl;JqFe7dM^eq?P7~gkP=UA^OyS)IvzSn8_(_`n+xlPYa zkv8~Z9RlyKKVCUxP3f;sr%a5CKhnqdS?)W2$ccR~ZbkkwHvUY^YV>r}rlkHh&)N5V zG^cyz?9Xo2ENRL4{CIS8;^_X2rB=ZjD}&hZr|Esbr$Cb9iYXYAC#CSRj~5qd6{xy zE=weo$?`~6x`ZWH%2-kvD|%uAD>qLp@wKtB^w5*GTldMP34dyv3~96~rzr;NQ#ZUh zuPZyxkEiN?oR6f+KdF*juWRS7eRF;s)&EVC2ugDOD+-@nuho}W6Y5W{e@)dVOGQ~| zEW^zBJPeDanP4g#V!8p=jL`>K(QIw8J^*poK}*oPJtUl}+f(m!3^Ua=ca>N^06>`S zDh%Wr0TO~vs9#s9tJVi#*i?Wz2V$5QHS;lyWr<$&4;RDM^oRGE@E^vhVq;jMq3u0o z2ed~R!*L9&HLkz)?n_DvNr2fpLWcN5^FvBt^sr!PU%6OF3Nh>+;tgnG){qciMo$C` z?W;q>>`kBn02uI$c|kIIA~3ApSFVtY07lJ~4=;$`P)J5k1fnOGz+!$uob|NZ)(kN{EN&}95fQMamE?bRnLcx~!&%<9EBX0OIV8_D7PNm{3sP*a^W zFRxb)s9p%~S*?(1ajnxDT?0|CzMs~h=9woXC94a~EA#CyKdqSGQOP`ZyqV6g;B{)9 zwgIO4y6PmeBCWmrmfgawz_V7_nT;iAPW8qx)k*7eEy<~zV6MJ)2#g0ihV(9@BBi5p z4!t6!vogjpqoSxaLp|nAMn&Xv?<>k*)$=>lY3=H`HsYl^#=Ih~9SC?<^4j?7Gv259 zmCSvWOci1twAa48o*cqZwyERVLtn{nC1{;K24Hm+#XVDtQE!47)6p!lF|E^PXwW0U zv;{MWdaB7-UQ`!-Pb5i7e$JJ=PJSh?gP-LR2?A0&YL$>%Yn|3pBRQAX+bwj5*{OLQ z6+BI{dVXgQS$p@CwaZ_~T7cM0NUAKbS1&L}f^O>)bbAj$w<1Arrv%-O1fAN;AZY)$ z1g+Noji}qyX|3uwjb7BPI#Fx>TGSeKTk_|tgNYn)*Fn8cnt82qG8Exdj8B;dQ>zYPFhh z04%(vjMC(Tb*kG`BQeq~N#kHaF-n5ATW8a?N^^Cf`hwP}7RYIT)S9dT!6TX2ElGQ* zRsO1xA#_+A%`xDxA=^wd42U&lTW3v0lNST98g(hJ|3Emd2EA#n!UPuc?sZR_u8h|# z0p2zHVAs)Ttw60kDRCGWbpl2~yOib{S2P-kk#s~n^wP|MZd&C%jRr{^?YziO1t22#KQtJqW+OBNEk5zltMd5OO=*RnyAz4TX^b#W|%CzmcLY* zRPgS#xFjSaIdn-u-BzKzSN_s&;R#@jYSSEgt<`pczw83m@AdR*ioaHL0wj6b|&SunABtbn7Ays&mP=(JtDAq4Csf9w#!)i8DC9`H5l$AX5nmSZ3zYViGW6}o7 zLc?fSHEOKc3AHmORgfdT&zNkcT9Lul>ff@NQ)ks>c^Wg zwG9*852|O~gE?#Nf|QVpgQ;hmYfwME7+iE>K>CZsppG;D-z|oFAcp_gZ0J{9)#|8{v}2XLc9o<9 z12b?0m4J|f;I&hsmNQh@DCTm}y;SmA0f|K+wN=J-61-M|*GU{l z=qMO^kz|%%PeqP@_W)4N;AOA*dS(p1JC-+m%L2?J1b5*)5xu;@t>Q=#@so1ffxlP*=xUBTUU0 z7>%zXsWE{Rv?Qs=g)tiK_D4EaPI6{kf)~?SZ9^H)Lw_XuL9fv9)^bbrXmiGB>(EBI zwd%ys&>xkLiTW8JxDzeEKk@@oIznJJ+B!I92N zW-TqPfm5H>Ag)GnKtqz|0PIH4m8An5?End=`OFq(=p_<_rasqZx7!wW>NZaOjD}j; zj0Vkzx(;TVyWo;roHYul^EK6w!;VfeIQ0#hbx^6LK^&{O1cNNBPk}(AL1P81F05Bl z7+S!9cQeiJ@Y3=dAZwn&o93~uC(KCW2Cp!1KWarOZyx7}_94SA1AD!TR_Ux61b8Va zAloOfM*|1eS=V6>nxP2Xp!uAlVz2b!iA+Q~)G z0*o<{j5JBQiY4?*MEzPGA@QM(t=1*sZO{uN&1z|n7Q-x))JpU6m$2`>p(z(=(sjIe z!9M4%<7X*AP{?DKbq}#OUsol^aOztoP})IDe9c4_i2j*vKKOLJw@-ApQ1ROKWjc^IFvyaki8T zWb5r#9#e#rgL&rNCJJV2 zg5*b8F6w8R_Q+B z2BD*+E)D`+wuVUD946fa6jG@3DPj5U&L^gJ`+2P` zjBLxPNLk?;0L55bXazy~ce$|P#xBgY+lBR36_K`ctW^g!Fe*kez;}Sp$x2}%$BrU3 zv_Qz^Vx?S>BDY!TsVcN*DBaW%j^Qkm75&Ho;e$}&819Y=n{X^*E$~Ftr=4J88VlgK zN#%*bLSt~kJvtQZ=Mc(5|DouYtR4xWt)=>+-UnS%oo0sqL;eWP?Fbh~xG4KOT-~8E zYx*F}UaW=NI9QWt5BrK75Bo|;-pz1_K`Ai4_> zZXd+35yF!q(A^(Qdal!6!_i-9p5+IzbQao=G3 z-;{xowg7~}41f$w*-IU64m_zY(kiHz7E?W7emev~z)$BqPPW-p;_N%)>V{OOHNR>= zcZ;O0>LOiFgP~4q6U^9-A>Wmun?Li637R_~VgSd?$#_)QlVgdqcCAjj(~|4O6wT` zOQ-c5N9EB}o=W9Ysl1TN`Ba`r!Q zu}ACaLFFi{(|V#vPwR;SKdmQ<2DP5{RE|O|ttWCVT2JHww4TV)!Dx;DgAah|{rma< zN&+K-FzjduhV6i~5>g?g8IZ<7;y`kS)ENvh8KkR__CZ<)=@P)vgL5%#8YDg>^z4DM z3DR;%iy(Oc?np?nkkTRLKzai3DoB>_PCf8`5BRtQ=>()*kk&(*2Pqp8A5w3?K@W0? zy0?ElN9S&I9+wp6OGKnZ%#sTWSfV_cA}>e6%1h4%AeJG`ksyi+ND~u63gl8!B9O}R zmGF^dVu)NK6btf{Bvr+X8;x58q(njL=^|Q*P(>fSlrT(2o}5KyNm$8JnK-XNVHh4W zXJhvEkPtq4N9Eg(;oB7QX3>x~b0E3suncW*-+`e|IT~owyw!#_rlHWe6WTiUZB+pK zPe0)8syMof##-+cP#fAv)p1A9la~EN*wy5!Y4cMvIeN&@fRUse*z$ z`K(m`R7EO3DqShf5vLYNWdtYHcqx4I#px7B=r#}~^dMP{jY^C~+@o(`)b}utTp87f z>%N`&O3_Cx4=Of*c~YOCd~sZqk%?h-hI-WGM31Rak*ME+p0H^McDM&DhQh1w38U~% z_JHvzyvCj|3a_aLERn*y1TcFT%a`IMk-}>RSUnA3`tNtJUON7%x`(1r|Gf_BQVHmW z4$q^wxLBMH)5FlLAz%hLDe{Pkq{e{=%m_A(8fSztEK!FC(H92COkLkZ9Uk0hW9WqD zOAYK%2(Oso8>p{D#|-)w%11alxdUf#VGS^}R(cqLVDkW0+YR$aFyzM$z^<*w0}OZ~ z;2SEEfqt%Vfr}L)oOA^;b84_QD5!6e9yokK#jrMD0Ea7JJ&fW3!QXz+Jvf40(wBz1 z!ck`rhWgdF+F!lZZrs05AIv@g5~6G9f8D768CT5yCM48u`~V8Y%X5%1Ot&j(pxz3p z4W-`jJ(`kAPtzz8WBj5RnUoY5!*wz?j4>Kyi{X$^sejzTA1?&hVV$HYC<(9#fHfJx z3c<(oQQ!AG|F`Wu4AW$^Ekx;dju^B#BxBeF-sE^*EWz;==j346IS?mLE*B(7$T9M~ zT)n#o2zJ^;z%LTS=gA}qq+AJG4mOAhkVtu^fG?CQ04fyCij;{bNQ%Izi9tiZ@1_M^ zq_Rwm%itF!7UfF>F^U9bItgzWc8$g_ij(9D#>gd5YeO|^%ZZj`2++b}*hVz6o)ZJ} z69tG4hWP+KuTVtQfXh5Nc0*4uPMAY|fzK}@v+`s_kZyjSm_VQ)#R4=o?2j3F0x|4z z^1LEJj#L3-jl*&!xe5uq1z-Y6p-7TX3bKSUagIdpFA(MB=H|(;q^QYL;uB-ycx-=M zN0o~KEh$M#Gc*d2i2GqcN0uSYRLUg+nGkp`5D4X&bEpv! z6{#>sTHMtnkf&Cxz)~?;nW?i9S|BMk(cT zm@{9VCz61>TWFGK7~25CN*OTh+J}oG7+df z@FE}Cas!u56n#=CCzbgzpp3~Fi6A-y7)Plc zSm?i>zm@>H@88|;ShQgeG3*~kaqUnKT?{*dg{2=txs;R>7K*IL3z^=o8ChNn|4U z-I$n_UIZaFqKHCiqp_qJEaZ?70&t{MNaScR2y0MaWRD8;_(Ocn?}gcy!FxW$un|zN z?X9ajL!Cl0${eA+1dd1c%@NmQS}};d=KsV&0%*R8iwGF-2nZY z4t^bKZ7C4*8MSkhASQ>{&hVf(j%Q-1b(dkI3UhN&6yfelxhzB>%97*?6+XFAkvvb4 zmqGf#78fE^O95CJGi^|7nX47nv}>zaAvauLnzEeqD2;x`%;8@`a={U77=2|NV4(pd&HrnFtf+=jTX8 zKq*hw&6h%%pPwg(xx-IOW5nU^b0r*{&Grun@?i(~2m1IEq5vOZK!(Hz$GKvOL_&y( z41B)v%-*3u1h5Hida%$ZKpYGdGSbC9TnR_)Bjot|;~Y*vMld1#=M?;foD2?ELihv_ z>A^n!{{C#AbYZZ_M;sU|_80mK10@9apHpCG1O^3)f&zWGxPYVPIyNd?A??Ss;{43}mxNGC#!6Pj6qoUH0V* zT=^x$#rVN82m0w_S_4h@k)V2#FuxuY4eI0fJ_g=1Z?Pm_A``=gW3aF=1B8s!dw_2B zGx&rU=s+U%M!QhBI}Al|+*vYVE>z+SzQI?|u5T0-2KzuL4uNxy!X0^p_di{JD$o~4 z|J>1!tC5N3$s^^WEI5paP|z0cJ{($<>0lpldPoFo2G3<7jSy-O;={v-I*DaLy9{H&7|p&@%&Ce4v#Fx}yY4(rCqc>K($zDShaP|F%{b>qIp4p@F3# zJvDIHZ4Gc=M_E!Lv?85X0DnF87jDduslD@(1R&5~O2aTW z+y@WFN8)4feEc!4#hGkdwkz9%9myWY7O-V(HG3_43wsB95Bmmt3MZSB$0_10<}BkJ z+ab9s~gc)H&I1v2^H^P(fCfLMk;skM#Xd_+_w*C(OEdO->Z2uMh8~nHW zAN0TM-!H&BU}8X4z_EZU0UZI>fo_4519Jj*1b!2EH1Jg5{lJ#MXMwK*Uk5UREQ5Ll zIS07~c?J0d`3HpsMF+(OO$`zTWd!8}%?T&Ers`f&ZZq1-6$1a1O%23N$DauwY9+>g1dxQDqXxQ*Nk+^gK1+`C*2_bK-!_cfOp zY!&PfJRo>*ux~IC92^`KoEtnZcysWV!A-%pg6{=C3$_S}3W*I#3z3E>L*|B*hE#^E z2ss#XKBPHhRcLTnO4yRH`mje~9bs1CeZz-@bHn4qCE>;4rQsijuMMvWr;W57889+@ zWYWm|k%c2a9{J74Pe$z?b!b%EC~#`nLQpJQJRVQP*W+989rzLaGX5j}2&b_JvS+dL z*{j$aU=*@q4%iFJUiaFJ=34 zxSR+MKOjF~X~4$;I|FLrJ{cVj;hcyyGLdf2;(kzcHiJF}$q*Qd5iJi^eT_WkWNgSC#dj51=ACjmEaaZA>j@E*eLZFqm}s zQ#m}<)Y99O#-x=6(P_-8csv&GYXq^wEf_SciupOc1jE^H^<}c$6&WivxuWe$zFg+6 zmCTAfF(B@n#ZSkxt@9kBrGK2UttxY@!pj&>ASG8Z=rlUr{(}`Qf6hA{pYnLZx`L~w zouP=Po>Q6$@KdU0Tj3U_j44c02l})~wiE7vD&`K>$>>}xm$9OR`4YAx-W!3<9IT?1 z@^m5G3+LoWsM!J3(!n$_OISck*sk~hgl6U7r~|N~Byv)kp+9=E-Eddb%y8(VZ${Ud zaAA;}562o-R3tvIuML~S=5W|J^-Sw)17{TufpZ85$b+ZhGmMy>l3*Cl(!nvI2rdjD zqGv_r$>C5-opgbSuWq;@UCn4f7JMzxjhG;j&ym8B0ETAyu*P!mGMc-wfMCHGWi&fj zV45Ypj7GzD@BAhval)rAy)CbM7JcHLJUs9A0k4x$idiR)`SPdz>3Cw!M^QA-sJiN3 zcJ3N(qEECg`Zx2dwj=S;$D&EpKZ#;k?Xam7?alS zxR$eNh4e$oFje`9nT{tL&xShQtS@bIvmt+4?*8SuSAUZ8hCFyRe!zmQ4I6!SEqVOK zgB?Tq%on~|GrQN}U-;D%?x+26-*)SWO*g%V|C}V|+iu45>N}pXlnbx?afdhs)Zi}ee zp^=ziC#LvNRPV(cgu8799cK3ftE3dw9ucJU#fO9YbA2eAG_oH?X(`6A_-t9x(*-H` zj;C3B|M=Cy_0YsJ)3hML7n3*jseJ6R+#*``BDZDgJY4g;v~sY*s(0Sl?Yn||bqwGA zS#AG@k6KbzV_#jcj@xsI{e^kz@Z!#2id~aqw@I8I6-A_bu9lrS6O^qQWd2d)<2yH! zN4XZnd^o(1>5MP9+3vk-CiPQ&un#X|)_}#U^%ie?v7Oua=2(D?c|Cj0fc|`Ag+>7f)?-;^f6ASMOT9nSO2f!1ELC-Vy!Kw}LahcE;Li z+cpg4+xC63`j#-1H_7#4?`dx^)e%T?9P1o!{rYJ=j{)kREbyiJK|Y#SM$C5 zmP_B#i>nJ(OqVn~=}R7tTr~W)dF;~VOF!}1SP<=&_2V|O;Fj%ljyg$A9JwKCjM)%! z>eOSx>icIk1KQO`Z+w%i4*iL_wb*@+$1dM9`KOM?tGvwrv^uhV;#%{&_Cw`6&g<;B zjFt?NO2Dm=@>6Cy^qh;@ArN^cUjm(Xjoxr z-6zAb*tTWqcu--@!XajP&U=3Hyj^v5C1b~;c+XAiA{Z`rF8o^b-JmSfoBKF*xyRZ^ zc!`L6G2&dC2Mw9FuS_-v~bdRb|_<5+M+aGsRFAa@dWbCG_z)j6JauYGJ>^`_7$Q(iq z8}P<*60QMRv833S?TrsZa4QG*1a!GCVMR+brKB*&DDr>}A6x@O80=yA5QNNdKp}vR zNRI%86{&>p_2>%$6^R5uED{J|7>)-(Bmx@OUB#9E8hiQ?t^R&Q_F#OFj=BEb%;mtv zA&X#5q<&|I0;InSP_E~A20DsUi_Qzz&^MW^nsm4^BI8_gGG~RPYRaJ##Xo=j=KhqS zoXiIzzY|X-^~WC+{1&%)%aNaA&3{RHA&q5uh->SP-TWgsuPrBpGvc0|s4elU%P+tD zWmfd%8?p!Dpg*@w-!yAxW!@K$wvX5r_C+lnqvf4%I-R_d%vK_cxEC zbxY>qZLJ|@nM3VfJXw+z+`i?z>S8aOS@+(^x6evG+4j@vjHb@r$2z_mH}sR+d3$QU zKWDSv$*EoR=4OOfuZZf)CmXKTZuqL4S0QC2-ca4SG%n(&L)E{=xkY$9t8f0O_m~0Z ze#@WqlL!wvz9^r+-8X%?pL7}KSx|h<;Mg)iQt9vP@|4+nBC|F49|of<`VObj-W!0R z{RdnQC>lPb%Cl!>yM>}oR^um{=n?vrsA!h z_TL;aeM?{Ihxj@Ftf)(oyPoTUE0!*}GG$J2WnuV;Zbwe1^)Wc|f`WpcY~<&`g?Z6i zM$0IJh|S8apl$QM2g^-fjD1Ebw#@9mzk1ECZ%fubJFxodAA=vA6Pc8mV_&aq8Wf!H z!=yD?wEE_k2}h^)T65&au3ir}J-sqGt|`;IaK`jipN+3M6zf0s?y#aUW6z$tGIW=6 zzzNZj-(Me^v~>@CMMT1k;tkT@-}w8s_gCjwjm9eO4)NPoZu#)HaNYEH%XGml-Zsv~?X*mGp0Od#ecT zN$b>4McUoHGD@Q(8V1+DbXk=*l;5iFy8uvCOB|t#-lIh z+&rme|FS2oQtGi}`qcUAufJbf!b-<0z7u3vBW2tG%VHpT9CImQc=#a=%=HC4cyV!|}E$>TFSrW4_ZPI)qRZ`>XM z%&aX&ON8*Li3FJ5gIikn=TpD?VkN*=ZR*S182J4U{E!kpzZ#Gj{|pH)qrZC&rK58w z9nPU(W1GKO)A*(7%IK*MeM+LPY*95?EzN$i;QG(~j*i*KaT>Vjf#4IKMezP>Nf`&u z6sFS;q{fw>=udwXU$kC2auRubTBhl}jq?MSxK96hd2Lm2^41H_%Y8)8gOcyhm(|3- zHc!f}`{v8yl<$6x*wgQ6+1-#QzgG-sIb0u|<2wGzp*6)jKAgFuaoVYse6fua```aI{ zm1UUC{Ov2N%W=6)UClPa%#&&c}G(c(zKr_uYrVwZn*pke)l z@cUVVu0IU=;moxul_fd9X1W}GGG;t?K;g|TJD8qp3Y^Lq|0p3+Z+z^W_Bi;sm6>d_ z!^y?>Mm1-Q%cC8qOWP|BeXR&YRSA^DYY<5ey8gt66_k&vxQ?Gu< zagRCq$+9on4_taV@V5Aqy)|bae~@eD5{Dn98Me8Nu+6ROxy?aj{Z($u;a*u+s@~!N0iEy)XX%i=B?z zQsDBc|9tSRy#=^SVy~E!Q)k@x zG&{>#jHv?rm`wqnZ`l7EaLJx4KUF2&0-cdm!#o z)gOKf*7M7A*Y`=>uX`9K+nvd3-@Dm7TSM$Sec$zX|D?&ndh-((i?P>1!ojDOe0QET z$#?^W3rc1g9sBr|^N*JzZhduO!q&PY@`@DB5B=wjo+dx@s`SVYKFJDejl-e41q3m%m(l61ZmLFYbHd zW*=^v?^~W2>C$(@AMtUU?Je3Y#~0sPc)spoOl(rzji(=7UcG$Vqni^(Jv`fx?Em~3 zZRw3zGP$m9np=!0Xv^>=*&Qv3i>|ipdA)yb`>e(c z^6}7!56FG(Q_}orjr3}onjCz!!I8DfdDyBjX_&3)56gnSQf@0Rww$m9XVyABV|z|` zU3q74(69Z3Yi?ApznY_6n6}$CeezEFqLl%E76jl8!+jquv76kPzUgGdFY>QvKbqlI zH~tvg^6Qr0nZG)Qt~&I!&pl1^w4*mOL~U;40}kF^$SnFMsAAu5f~WO=l>1d!5?x=!>Jo#5X_CQ+UPJ+ph&5{<(5T=B{9~ zQ$O%8?GI>snVt6{sOj=~U#DW8!vp!Ae#Eas=Tw)`tspiq>((Swb{VY$Hivd(X7c~) zJ3qSpJC}|YrY7FD40?YPtSSw6?q-a^w(6>w(ZG-lUn49`*me+v!96c02=~W>2+lO{ z+Fh+oHe57EWASqbx7IvAZfQM#RmhRA+2qAb@0bG(bGaFEAiR2PZ~1Pv<$(0XBerk* z$Jv@|TVIT|ADCd;KY@n7o@4i?U|s6ssh3;!ZLs^WXxlUk=aEnR;=g>W)ykfjOqL?zXVBWd0L}!ra$2U*GuMvq>iSl|A>?k*S?izMbA%Gx+K! zWyAOLKXcop+3ptbxuT-~8Uoruk@&ol;-Hu8+%Z znZyVU0Yl6$gt@bcXQqbvvB^%TlO{|AI)B{Kj3 diff --git a/venv/Scripts/_testimportmultiple.pyd b/venv/Scripts/_testimportmultiple.pyd deleted file mode 100644 index 899c8829b303d899ba2da827e68100f60e666fa7..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 19096 zcmeHv30zah*XYd#2w_nc7eFEc;sV^P>ns??VVQFpq|9|iM-uK@7eb>%*=FFKhXU;M+ z;n(=-?_o3y!|0F<1`Ml(5`B?m{tp=i!|Xghx5H|BT^LkLiMuc;DO;vy<*AfeDp4*= zEK(?x1S> zb!+}l^*=!f)%kCG6IT)Oaam+z`#;U%l+h^=A{)hg!9{mPyL@Cr31L!ji^;!M1 zhdP*Lite#a$kggFf~(b22o}nEqm03=i)_X9yR9&+m7!k@h5ezrRu6;5!Jx6y_k&fX zv^r=PIAHc`>!2q=PX)6|NjuHNavZYTc$kAe(-y;WF#RA zBQU~as@@T-2^b}u3>sz*6;`Pe=q?(ZmjXG%w+2Qn2oA}_{@t_(2F;Ip1wyaq*6Ggx zhxIv@`k_FqDTkTuz=!!|0NjFxl+`U1jjcvC{S{ciQsLdMWm7d1^zQ=i`a=xJ3^o|1 z^(Mt(X4DxN&B2hs-O+3$cZi4H`nfR7pt-BpBk3Y8B1~LV17Z_w0gkx%5lHG5Fv|=Y z``~cI!y-#=-9tN&Fk%8Ig}x@NwFWA|(4{%F3U&Pbuvn;;z0@$ug?C%s5|fb}I;Eg% zE7#mDduhM;G%!Z?>5u+yFm!_Vbb=3o%OSy914Y9FdU#?2TE`}UCr(ARQW&@e%~vjL zDXSwKNT{ySB=9LMWd?$wHPAHEjq@aS%|nbaG73~_qgw<2#AB%PbxfbQ_H7MurM|t>O$TOEYUnL9MCbDqf zNfwN)WZ_*!7JeT<@xcm4GZZ=@R(*yn>D7%;RtT-Cub_6>O;}X}!vX3PjDl@Joz+dC zIt`3E$PwQSj5AO}X4=4LHq~uQ9HW^ z)~vq+QqtWcm!4y#N8?Ola5IVl=`Rw4F5c?@v>5J!82-J*1C!-T(fW;RV|1;p@Q_^|busdO(k{xz@;~Yv@`j6N9$hTuX=!W6On1C?c!TW}7zFyjJ8#S^=pevRv2! zMW~Rec7{?H-=Ul0pkuyU&MdnM!&+||rScQ7VcK!+V<)Y&9jg$wYo)I-Farlr37zmY zSJ)1;49-r_WTQ$yW2Hj)7?9jZq_&Fq4zBPqSJ=Tlg~%BdZEEt#3HKw9oA!*TlwBg7* zVVYi~)iR+D4ig!4c1tvh%vJ!YC+qriq!+H$1H8Vr4dwcu(6nReS}S__Si1g!xkZH* znqmtELeVvHg;v@-9+w+QwI^ZP7LOcO%J4>=(CTs{mx0j8PH5}mnFv!q9%f6>7m{-V zDd?H18yiMzv_Bl>R57U^tr;p7v)g=W&qBW?`opNuaZHu9Zj=>m6f?9@#nhhm4gFU0 zh+8)k1b4dimxnwcWh4Z~=5r)|I)-HiTWQ=#swKhbIIgj;wE>II436rjq3@@p)pP37 z>LpvyIiP;3{y0P<7|JpNPV|E)u1lb|(nFgG5Ss3MoBaVhh}3PIx|#L+DKqQ!%Zvjo z_4mOgxAxN)Ks!Od9dd~11dUTyuip%f{giq*K{Uf8i|bP0pi!@P09F^*X-EvZv2Lk< z1E{S}09oG-HT_S1P-l z)-Wywjca{~#D@kxW)_D#pwkawxu5cIDXem;PGeQ}65`$)ie`~M%gBol#5qqRKPv%( zjy(3+bQq^EH8zRSoVwQWr1n&3+LJ+pP9p9}HPSX3%xYAQ?CLd`*0yciPNMNf01Pq0 z(!XFJZYZ!p$fR-@`efMgrW~v61ay{I4=xN@d#zDDV4awQCT&X?6eZ|_>OiVV+!3Ri zECtPQ&_sZ49zlJ>PbEy!CqM{CCpKb;w!jOUKgbk*_fuLubi&6vjC-ym2*}piuQ{bV zg@UvRfm5fS1(PG0=@S6~DA*SxsrTa69YMPGj!~e+;b;#q!lD>FnWhhl_zwUbmA9cx zNihlDY;H2aIDjAi;^EylfeWvAkj_%GWMN`G>_Q|7FIxkZ3RJ0rN&`7BIsxb+J8}}r%ibe=Vsc_CgvZcyDx`R4n9zbjJQ(y+2=@~U`@_P=t+X8LX=n(y z4(!t4OeaYayiON3th)w9K+|~WBAvonjMe=K*YH88a0>TCg>5(%xdC|M)}@`MV|qK_xJm2HLfTlL zIQ2veT!)ULEcCg$f3hwDj<(jiOC}%mo%RcQ=yTP>^qDgdt{&l{?4NME-v@OAF$akO zUN2x{V!Ry6!2CV^-O zUrIVK17e-@%&5ZPB~3@@?CB10zCl4re+RZ44%2D%oucZDQ*esY*`j+Bx31)ueZU)X z-5^k{w-*wL_OVwY_eOLtcL$)8W3B%kD3!qlQI04|+u&ZJwMAW2?zySSagn*xp`J5cfY20&vn%6j`F0JKNJ$geS z?6jAtCK@zdT3h+!_?fGv1ej=}4Bla| zbq4PkGLIy437O9#^Heg=Bl9FOPayL+GS4P+g3JrZTu$cG$Q;?c!5bNv!5dwE4BqJO zWAJ8?IXc@JywP#b;Ehgy25$#4XOcNOZyCIie=&F?H(>Ba<_?zI{XcL7u)P1rzx}}& z_AR81kQPFcK$-w42+}}ER7g*QFzh;{W00yKodFp71cC502WcuK^f^FZJJi31q=Nc( zC@Uc?gERu#*^p|X9s}iMNa%BdHu{k18f*WY*Mat+OJh1ARTHw@Jf(`r)yN51o?ME( z1;&!VL*iTD>6uF9U%~%!OomAH)-eDl#~|*_Z^_7-#zRWtK27NW7|^FcNQT4_Fe3w-aD+ufY6CUXn<>{Q#??0L=964*O>0 zpKN=n3rz3qNT-&9ju`R0ii(OP8L&L;CeMsdh`nN?$a&y6V4{Iw)5&@6c84Vy@!%+6 zn0d0TCgach9 z4~IaGu+Xoq1XYiw|)P& z#G;p!gu-~GL?f4`N2{bFLJHcHS4dDeNML@rhF(#6W$T%`h=8a;W+grwMbA)ALA zsRm&{OGXeYS5Bua_D>~^M(krL4w zl?v9Jpi+vZ;5-&HlFW0PL0AbbR&8o1Rik0ML81vNsTzrDG<}jrswzy7sxp#MY(O_?Qa0$01c2B*1WhaindT0A8VTNr94E_A ziByHrBDq|R&7>h)Hf~a49PG$gAcqwJw=vQTO;(mvW#+Ppq)&)cgeET*lrb425X7j$ zV@b73hLebJ@&sWVmt)j5v;Cn*%me*T#+ZE)@<--m#xa-2;Ox+hPQxbuWrmweH13a| z8yj=rLHc*b=+PPFZ^ry_j{j-@XGwrY{vCraxOWF283`pieoiwU0lG~>!A3$W?=5ho z0}$hjyCFjr#Vk12yaf(F@^t>qN!J((hTx4|08`BfzY49_DR8Ig)*mz#Uh_~8HGSwj zAVk;CKYU>$3v%VGxl)xH97(t*+aLF2NflzHM5f3J_neY6+AqkHr6#~=L~`(d;hu$3 zwdcqPTk9~9S}o1ZkQcImfI=PasZl9H)Z%Puu1M{dD-)}fYGo$j2hKf2q|Wu9%l2e} z!;ob{T$tK@HXy}fg%K)^nn1StFH+-rlH*{c8XT}nMiiRb08vTjXkZqpBta#c3!WuQ zs_yLU-Yq13H!M3&I#()Z$x$BeDN@HO<|=1PRh}%3EJ}>rWVmOhNUoN826U1M3;63v z!UB4*6c*6AHgb3vNF+~0$TDPd;QF7J+XEem(ZocUC@)Vg69XlsqKhxJCJ$Zzq!Rek zqF70|=R7F~XR~?yKtDF0C-CEO#e6>zKU3<5<3SRsRLYfbGw}u8SN10gTt1r{lo2fQ z<4b~pLS}}dP~aDYOWA%r4ma2@n4gj17sQp|nF0we5e5DOg&--O87N|N z{4z2#xUdRokRPmx@5c+ul<;v8n=cCPwu-QTKT0<&pvOiSx3U}3KW`*y1zmazF47_FC5^0`PApw_Qwy-cWgorYEfG+hj`-E5+Kp^!-2f}bqn2O8s zWGO_s(1b;v}OswkB>TSiF5 z=(rN@IShI<8DJmdrG-gg&EVPud{7wykImzW#hGkLrYB1-Qe5vPt$xw^MCSnty9SiwrsH5*V{iip`|69Th=LKzDXNlqm z`oPVTv4L!uG8Xu83eY1k6(++JSQb!|VRB3gloePerUbkW2q+Y|NSOceunh8AF%@$K zcr@VTLVOYdej#upf)*TZ;Y)xvfn`I#0%O4(N}xwz`GBDU3>M6!#5B++0SE!JB0Tg( z!XK(pI{AnJTs0;p`OE8p*ONZt1JOmX%A(u&sQ^;}g)aJB%pVJcgsw&c_!AKdxmJS2 zQvfgWZmZ}yM+_DR|Imk1mcY0;7?VYgK(pt;dXW^fV9jt0CneJp#)21L7RDhZ$;SN1 z8XI_E{fA`b599tkZ}&NHz!(KQP6XbhAYFfuBigOM8_9kB71TAd6{OKakf%lYEe-Avv3M4YiC~lMa$Y`;GJgX%*U20%{t-MzB0m zH~mRjOMtFFXgLL>rvgj~V2J_iuXGU5LGnm9dgA|4L%Qon42+?G)ghfVbK7MZ7~Ip4 zRV6_$(tkB@*Hf3_g#jV-_$)Bv41Q4l<>N_@5&zTp|3U(A&@Z6C-!bD%+y@_lkH+Kh zsdy@W3V(wCio3E|>|k~Tdpx^>y_S7~-N^o$eV5(Aj^Rw@6meE_9&z4q26F?s$%@>zvn*Wws9SJE<87$C(oDX&*SsLc+tFZyh*%iymVd`Psz*YX?e?dD|zdATX=hT zM|ofJZt(8%`tsfRgZV@G0en6`j33P($DhQX#!u&G@)i8K{Du5-{&M~r{wDrT{!xA% z{{jCA|2h8`zJbpWFa?f+0fIpSUqOICAczo*7EBPN2xbZ-0)?PbutRW3@U7sLz#`B- z&@GS`s0hptTpGA0uqtqS;NHO6z!QOY178Q)1l0vef)@vW7Tg-_6f!tO5Hc!ca)>yj zFyy_EZ6SL@4u+fwxfn7cG&potXm)5x==-77p+`f%4?PxkGwgntYj|*YVfdo(hVbU_ zZ^HHA9pRJ+rwDe$goyVesv^!tT!^?Hp^u=Av>W-+$UP%J9r+Uqek^36@a~6O;~{u7 zNPRjk#^>V2_!4{>z6!6zH{o0H-S~d|5Pl3ljW^;K@hkXsyam6HKgOToukklHoo&r_ zV7sv0*q&@(^a={W1IS`a@fy4qzsuIM+t^loUw#aKEMLOU=A#Rp6ZDV3aeNjo!Pmen z+BBjx(@Tc;4s)hA% z3ksc58c3zkt0n;NeY-*I@m@3vRz?4aT8!cBKa8cbN`5T#(nFP{Wo;S!GqJQx#rHdkQJJibkbSsSXQQxBfQ&iwP-@#&68OV$l(bXqq^s zFo2&D9oq))WkH)lw{WCRk77IHj;LYf$V^7}B9(#_Ey|O!o$x*gZ0Tqdqfupu;6+R> zmy)XksI{X-Qno0ckh0xzSA=Hc=wt-2qNOTAmT9_rusv{h)J=1AF?FMd9Jny%=E1R+ z6&-~S>}$*BusIwyNEyEAeQn{a%HiT1E*!{$r{gobF*_yEJe{?pQ(_@p7~w?6idL%N zQbXQ!fQY|wx*?t2XhK$^dB#MkYOV~9gfKPBk2Qvamr^{t3kWuhR!Xsl4W?LAODPoW zz}`<|lg6)i>tlV@yKtpv@-XGiTAwq~>e;7H`X@~P&FS>q<YtC)+?ebjwRb+Ve_Uv3zvbh<9=62yt33CdfAt$Nf5`n;<6IZ*sNdwb@7+h+@9!SsvOx5z za!&7KKO}4!e=qIVdv-fUY~C$pUB0?b-#CBUgt0M({y)T6uCnX^GDg<_yv;TBN9->TyyVGG?o z=s~yu=T&j4@Fo7H!D5xX+t>i3Ms-)H=qP`{A@$kao6f|o%^c9Ia63fR9?e7tJF&oh zQM)&N5bm)RbeP>Atddkz2Skw67e5Zp3-TjvvYY+TN=h(VulH9J{zX>+NO_k%&vXGy!O+)in~hlPwtvr3XLrOzuJb3HjJ}_ zde|^0*lfcY|CSBIvw?9ZhX0cdC(5!EQWdge-ap#$M`D}cnA)R*cf`aVwKHsK6Imy& z-d}m+;}Q1b&MFK`!V;(0J71)a9RB;Rb?dI35Ea_YI2X5M?!A`i@t$j+o*o{3YV+0X zn&pubpOyt3>3w$aGs(0zXO410@|Jx|w^F|wHt@puJGaE&^eyMi*gtc_^qn92CfN0T zy6%Q3R5;1~QlF_dtHyNf+4nLte9YcF)q_3`h2_>TT-&uz`0Q;W9b zubv^Tf7+Kg7PVy9O{=(NtCp?w+ms*Uk^SvXBL9Zn432K9j(hx?xH0y_kh5nWac#c- zx!Sc|cjDTo$-2<*={t%%4|?tMZ^%1)VuIGk>NlI?yC!b1y5r!h+I_)j$EB2HkW?bh zM9NQ^9Tl#GE~w>=Oyh4%#Vd7iU)mRQYuujU2+?j0RWmuUa{$ zn{yleg{<0coYTN>;;v5?_Z>M?aLo2T?t$1COz(%g6u;g3^^CF*L?~E6XwAxDSX|qR z3_P%)dhrlTWxs>pd*7_OvWB*M$pr7s8zX6Mw=Vuz_~oE%i|dCtHMu9-NBD@jcVi{F zw)g9^>|Qap^5yf(UA}mD@b`b z+~NN7j@)GRa-7qe(|^V#{Wd&#M0xDUBbOGPI~n1bEl%8cTt@6Y>mIgfRZIObx2tpw zUdp%&ZmP-TrV2cxw-8Y$_Cujf^KdiHjeFrJAusMs9_7`x!iTen0FGfe&WDo-Xk1ql*ZgbjnP#;4=NZ|9@j*uB26Qnehle8;mo+gX z2Og`?0qLI(C|Bj)0w+mo;RR78bu(k_q+^Ydndg&}Ijf~rQ;wc4y8X$UdsBQlS@*>O zr+<>xow}d@B!26*}@^Xyp_%Iyz#jo2BseLoeWC@(lw?LEK$-pTMr;8{(#E? zMZTFG#2Z$a#ovZYr~A(}fSzOLAmY`+i+^wBHJ=$KTL}^<_hcha2@j@)e=u5F zDV*4BJo4MN9=gAZ@nX!+gnHYo0f)C#?)$uW!_T$ruKYUq;dwEm)C&7#P1B&@#BU~5 zW>e}~UM8NH*1PifwSB!GZ2sx;;P|Gj;RQ2itbKo6_0c%qm^(uYM~^vo_OkCjjq7Rg z@n3#FI%&s2>gveEnMEJUetE<5Zy%tO+l<1>?+gjpS!Vs;&whUH{ZE$7x$|^Koo?2%lc^!jKg@KyY^ZrXO+)=Ww~v-I z!!@>|!SrR5zxF>iZ&Jdlk2Zf)K&;hndVY9a%K3f0uWow3b{zAxK3L$J`EdK(>t_t? z9}cEf$h_X2F>QhFldqQ@o6NR%e=lI&&e0q51$#CGOu1nDSpn_t(p`>Cs@$T+m-&UY z<1UpA960W^{}})2f>!^&h8vo?1#7b7xSF}qo?jJX$?q(5Jk>U3+_Tor^gBEKLJsfS zQ9l2`PW#`V`Fz;+D$>1u>p6!w{HCP&v&p>!&vne0;&Y<>xcK%c`kbPPx@Q;n*1x>b zvhi2{ywXvE(j~=b_bs3nwa>CU?~bp#;nc2=+Yok;wtRTPs}17f#Rp%wo;boB$vc1Z zyWgvqr`qK$T;n*A<7(KtB31L^gRRrf;iVR?;Ol87KQG&19ktYc_Q~vsz|3!V+;9Jb z%KUdZQglic;2gMB;P7h~^6%{6ZcTiCH~$VdO>~ck$YI5_ms zDuSOH2!NS9xHWS?0{Is&tVH-#ll*07H2mcQ{6QA{{ANa?{T&isO8xUal#1@5RJezN zjcxt3vT={anwV*hF2&K8w`rSfmgPKMboF-s6Qd7toChwspT1JqEBNqtQ!{HD3Nom* zsqtl}2T&hQDEvScF^M=eJezDPR5=d9eRarFTM}{!;GRdaN!+?mq7F(aNIT@66iWIDO~*;a7*hnL4>8swz0K zwe_9Dn{QE6rx=Z)j3U=bPh!$sXkvWW@_sj}=YBX~`Qz(~8p>XzcVYDxUtZ3b7k4B0cCwgEc2}kn!i=@ZTcYFA(2yZ`+w#!`N_Rq9izwdLas*| zQso_W^VUqL$XgSUz`c4-<9j){HetnuA$74Ulaq>9U5)3U#H>UBJSeazvH*=6t7)_*WQ{9g8; zs}BOdY4~nRMX~(HEVmO+M~@3~Ex5jIH{H83-?^0byqKGM?Y(|!kAhFxSSq$Uo>_W# zWJ~5)CFK-V)?R+}6Lnbo>cL-o4)hwdo55tS4z1hN;*oeI_N+&r`!^n>Uip&a8GB~s zitX*S%`XSul&t)$`rM<1xt4D6_z8+R%x!`&x3OoKgOm9`hB@@! zTUl6Sl`!F*4iB}kAs_5YJ`1E!>HnMI5v~E}itX1W>{dQH7Wdu#G^+~yOc=wToyVHH%tXdtLH>*6t(gn{wz3bMLal2bG2d`c=E^Ka1 z*w~zhY5hvh^DBK;d6iFU&lg42w74mS=UnX-v>U0EJnp*q_e(0T*RinuPdBfv5#Fze z4oi;cS1_tLSF^KXJV&QVYR{fvIdl1%wANcAe!lIvA#-j=waxCkSnP`MDiMG2lvsMn zk?>V{PDME`0}kE1LfMqRN%OAuMO@Q&vmAaK_1tyc!YFnrBOSuS3@RMAO3MG6+&|Uf zZDFa~J8e}-CEmaDrL-4~&FnlU!n-Z*)~#j3wu2jV*Q>5GKB8NT$sUNiRSkf@1?u_B zW9M&DctF=Qbham*C4Kg$6~*~aE|lugP#b2;4uC_GTo zOQ{$uWcfV%!l#e#yKmm%<~lAREV%d20m-6Qv#+dPu)yx#AjM&~O#_CmZ!NT3tjwIZ z=+XJvD^5Po`sAt7xozBh!P;5dZduPdn2>(;&0yuWCvxw}bN3Scl|<2RX&*+uIDh(x z+nHqRlwZ~9?w?+ou`-Y{{qDC%X5gvp*{~m`+u1_02_rCUUEYbgblM`30xZpndkl#l$ZPJhO_J4M2PRXU(vFiss z%t#gOmfL*sPSrNYWPxhIiJ0>Z+qa!;{_)G_khyB*S>KC>O4x?<21-Oyzjr4FxdJYRcsdBbn7j*R^Dm0#(~PXeYezRoGyuexh@ ze9Y`y*xu!pNf}K+0~^-9^I)rH?Bl3?>u*wK4H~2!_MrOEn3tu>{O@D;ERqjlGjeXf zITi8Br9qHv)%%oM9IZFZC!UGG?BcS{5^U{sF5w>LK&*T|Os2(mV>EwkG=C@`Auz&y}0M zV?Qt3u#&1T{_V+UtQo?wgEz`P?bkl@m(P5LY$>JMz}djEOOq_vrIgnY9NLkYss5|q z{HP9pdUWh%!5D5wqYhwTRcUy?F2-nVo6d$M1q{jjYeX*w+a3;K@XpH##Cdoi2cG)} zclFZQ@X&nLt?%yZ1v?Jkp0ec1@zalXe1D?(;GfKaf~^{M_#=@+<-{TV+wOguylGj? zRq=@H?Yl#rEc@o>@$;EW7O!{gbFcaR;6)qkmR@OMzL%~^cC3FhA*=0V#qTvD)Od=7L(L&n7QJiOcBT$+J&7zFs$lcHla7&)8=n%B91W(zjMcaz^B@pH<&4 w)p6ly=KDMM%3FLEw=6y5vovFZv%EF*LPE-SeLb$75&G@gRl2Et(Tke@1@#s!J^%m! diff --git a/venv/Scripts/_testmultiphase.pyd b/venv/Scripts/_testmultiphase.pyd deleted file mode 100644 index 990bb3ecf778d2d22ceeb5e598a4b63fd4a3a177..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 26776 zcmeHv30zZ0_vlRsi?S+-YZe|Ng(F8N=!zikZ@JMh%&FhkPS~C$CP&rNF^t(2J(#Ys7`6uWnS)_9FhDf|3`;QA zy(0Gv>NIA+r{NWNW>A2Z$kRfhuP59Pf2c3u$MRwVR{?6dR4c`>?H*7AG%4(vBHamxd67&eI<^$l+-x@VTS%z zO07QbIZ$*5Do-PjUAt(z7-@RZb5vJ#0dS2NnW3_oHp+p1qF!gGAAuP50Lo&cdm%|0 z0j!PKw3J$aCK}xrQBWwquD#CH=)N7W$`LW0O-a2Gko9pcWv6rj6ylXj*xkOS#A{#pv4z&`$l8+_wXbh$}?T#EPXI)#1{n4$(6! zz%jaCC8?4sBFP|qCK`2iM)!+QgLq+-J<$duf{HaAiGgmlOi*Eo0n6;3Xz0)=b1)s)b_E zj{5?0OXt!RFt}*I!VUpUtY`tA6OBJnmQWxTE1n@C-1n0WkOXOBg$vsPCsE-R-+`ny zTCDK2#NaA+*7HGtH8ovh``jd!#v-%qph*P7x zCI6(oJp+3K6RAT?w@*I{dwV_ z|GZPVsU!XUE1|w!+y+jKMFF%xjg1`-I>9Z*rVZ)k`VJ%R(1vKzXlMG0r5*J_(VPC- z{uE6UI>`GnzM_G&_&wC%ckW-Yy`%h!Q62RMX4|2OVtPmYQT-M2JLtorkz)I+`0Ipk zp#+6n$Npiylip~f$v`ofvaeb<%m#}5bz1|I`!c&)h0$o7+h&60Hb#t`ALgcHuE^`i zucEHQco==rd^h?cXK(aH&eQ0N93|z5jlRf98-3B-H~JzkX!J#H$momwjnNm4fzcOv zL8C8P2#mgkf>qc3t|MqlIvjlM`+qwhNMj#e_GFPfpDju7g&Jk-%2);_$ehe!pa z)r%aE1LhzH%tW_t=w{8SiDMYF$XNeMKLK9b1}#qF)RZ!T!N;POKY4%B z_yULmGE>olYVV`k5o9ez5Q1KeeFZv%HU0&RpdkzZrB`%Oh8&3fV2HypZNEf=YZsDH ztsA(X3_3`u=j+cJ-3>s__@mK!Czut|iSxpgJ4W5F1{FfD<Ip5sh{HjuH88}4Dm46mQ!=r z2{eqD07{|Hv|US#bgi{M#id!K=efX4hsUxfI_q-L&1SFoB&3HnE$CaybvMhNIF}v+ z#>hIu!GDa#Ht^?d;Jpx;li(5~O~(a#c)S?Nu^!;@Xnq-rpg!Dk zpV(Ap)LNGqt#nhUe&XBv(T=1T1*%pfnguWM*zBW^yRWB>H{y!1Jz(&V$vU7e?}3_2 z>O5=pgn{z}Br&O3f5Pw&j9o37`E8U*`*(%5AU)aIYzfnljRR`R-J0h{BRrJMaiHm} z4f!ye+Pf+MLxYvlgbQQn?t|RN?mN-F&vta@Z9(_2jc`v}MtD!@nmyFj>9;$xq2<-7Z_veI_N3%m17_O>dP4 z>=>KX6}faBql9q4pzJiu7FLH*$GmfYgXc^tT zpvXcGOzNRRbRUo~5~-yk?m0(vpCfwCIf}?phL)IgWbEyTgWsToq0sNNjIy)3frjPa z@%8ng-|1`*jDyN%CxCW!>^2g^jyAd2*O!wf`t*BAIcb~IkS&rkx_e0&@=lnp3ps1u zpkHv9XhJJ4PKK%M?gEfn^4V~L^uqg_0A9P_fbNFhQMaQQC3cMRQ4GT!bBPWm)I}9q zhxPRwkzL7+e&_2+vnOFCP5m;MlZV#B9`}4b#~PuLm1xf!=YTK`qo6mjVHVjZkb;^- z{V1VTz4N|Ew~FzeR*mprGo!`N>S5@Q+MduVbhLxItNuMZtM?p2>(ve=$NWNn)ZHUP z7yYs3Kku@D6h#Oo+rR^HQ!p$o*iPp~QY{KbCr&!&{q`{9(}E*Cb&Q>~lv+0ICgfEp z4ya8ud=0A+G-XnNZ(Lv%*NYj=jL=3cC{2I5#d((#tkf;+nrXE=Y13*A{0y zn>`IWD2ol%aEBFLYsIdqHLQcePFgKQ5RK4DY0YE^G-?fwz-noYj>Mo*&$foY0k!!z zKsNjVPlo$cOOVLWA0DCOp5%y<-aO6?twZKj2G)8nqt4SX0PrSH2Hm#68VwvcC|Y0? z4MPyP*07PJ;#}$vIbvuT0^ilc9r`GlV~6Q%PguL5(8b`2R&oMrfJp|@kzo>5=nCx; zQM=~5NPVc`eTTv@I~4tBZFkb{E&wUfK>=*ctV>?dbaM@IikE?~&UsV(ECvV)d7Kr` z5qoo~qILwkrg;o$Jr%mvB(R_(h62?dj!utwa_ zV1Uq+%CI&h!H73x*eUj-SYjo(Ff`luQ|1A3VlKLrDj{S=`%!^3lh^~4nJfUyaM6W> zZ5}{%LywBb8^o}LqlisAs3gw^o88~E{O+VR_tT5+>oLx$q97n!6(0#I-+L|X5{sX2gbZ9b*Y!Z0)jnAWBcJejULTJdiJI?As?K6$c9@#eW_ zjkE;Q4-n4Rmpn7-Yz@N!ui2hb_8`>e>BY&tYo0a^fTI%2X={!2N6uW-&L-uq1Jw~V zF26yLgRBV{MxB?#TL+n5#3(OY2@e(Mp%NZWlKr9xKp*iuLtI|Al&sx?IQba{16lwxCq-Kz zM2$Ep+K!@ua?u{6y90Q|46I_3@#&Qc(H1Z`N`hWjz{pO7FiyW3hxF$=06VU1S zhm`$-i!{a0im)CK+@KZ7a0A90BI%UcHa)d1QV_!F9nq$VQ&aTkV&Dz=ZO~?kuNTrs z$$g)A&XuSxeO!P}Mpwf>K&cFNhna{X(E^*25=T@;=bTDRD({2ZRLr>=@BFF$(bRI= z@?1vwI6Ka%@+62zuIlI91RqxPRHY>{^&$gLsUl)PEWN0SHU~4zPL<42?jmBXP_(qU- zA$iXu?^^PnL*6sVyMnyS$@_Hjo=o0j$@?Vooc$ zqy|WPA+3j02uTGg5mGp$VUT)3vV(L1Xrc?bPU`9HceFD{JNDV*LgYkNHb&l{8Or?z zGyTJvW3yERDrXW}f~m?@`4f3cjaI2jXNvNqSvi>mQ>xXfm8m){pkWCLq7AOi&p{we zq9vd~R!+7WUc?fz08=|GGczPDI~&84Au?%ZrbMHaY6*#&NC)z2saBb-lBDTWvX|S( zYti#IijajX(h63l?J^h)?{Z9S_P6&u1rfK)Pzcl0ZVQ5 zSyH76$&~IrhqY3s0pM9l8-E1rdFAwkZK4CD3fa4 ziPoF&Kxe5^U>@CGizmrdY84VBM7CVhkXK0eq{|p%=?B zdmHX+>s3TLXkiv&`km-m;LFqmvT|~ONP`C&W5HCUOmRM?n{lZbgiOoKCbMBom{&|S zF;fS&2A`V{YJbXPn5M>N(h`lb0P$m{5)F2UI$@d-m|12NupK#*$V1bSi6$7DX)leN ziBA=%_Kh-H;vu?J`K@$yDm6j+1G$9AlMy*24{y??sh?N2>pV_v^NLb4@;PQRdZR3F zYS+0Bk|;P3Q285aTH;Z9CuHr~d3nB&_-d&V&4@SY!xHb6yuDIW??Cf4?K<~C8Zeq% z;Hqa4YH|X$0-)JL%98j`VAJnZI4418^jyx*$jcDGYNRoPc9)kQ{;` z4eD5jHY$G5m>*9 zqA=*8XZ9bbzD3Z$o(S7N`9skfa9{XbcmhI<){e>K9i!z zNTj7B49*5IthECyhQxc;5k}%Y?*J2%co@snC)tOX#A9@TC6IV_0JDR>0!X|B5)Te! zv7NR6GkxO)V@B~$mVGpNrf<5CJ(YreP@+dO|@3$6B9}H1N(9d z*c7rKu_Y{l!h=0|J6-~X2k$wt1&AKmu}>a6V&?DU0tkwk1rgxS5e}tyHp00GFf>*s z7ze@b1I*A4<02S}1up`_COqovG$6Lq24E&x;k6!?X9eX{4Xm(mO~;P)J^$!RaCmD!`PdhII$w++cQlU_Cmo?EyLYa)=XRR7&kcNhjwZDVUM1n<15`q*_8H zA!f;NLAo-CXhSDtGYV33Qx!6PMoxNxERW0L<(VowlX?wUf)))F)R`hOijmHZ+p)~? z%j?LQ0s|DkTLe|Fp=ueeycvaBg5Qku%BAu(P1@psH`TwfQLH-XT4>}nMF9vos43s?Z07r^-$7Gwcqi{RVO+}M-nNQ$EdVXXcI4m9lMM!&ZqWL5;)Q&)JoY%LK_K3 z71%y#6Pv9{myA$nXQ2n|&vq(+1bZj!gtbJRFBuDGA8m#Gb>KIiJOY^jXD_n| zYBvZGQ-@ZRL~w3oqCS?$h0aYIC^*Jy(*{&v*tIsA(4mRodb1oPMxB*7f1*k$gP$r$ z63FwK56$(U2_z@1gKZpuW+Z6cfHe%-A$(GY@i~MH`?;;J5lWT0GtAi57DfRS0qY7j z7+^?a@%b8{PpNB_xz}hS(^9+k0FP9sOT<#xVOYB=bTf=T2`-~?h8*<-sWHCGX;SxPk=2ce@T_$dL|59MnmV1ju{twbwL zMY4xurV}#g$5hj{hxb9U5HdK3GgncK`T;Mn5P<4|5d5IQRFcfpDP=RD2^vp`5@gg< z28IMwq6h$!<|zHMH2$!U@COS1@Y@zR$0PhRS^g}4N-3MHC#opT$=mF31gQpyaje1i zUt8@?2ZM;xsnPM8Se-2+AP6nBPB8av24O{3F&a}LTRj3!Pe7w$H5?g%szxxz>j-te zm{6x>tFxpk84;BYJQ8Zm<7MhGa;%pHGyzWKq;ddaw-A&v#sm;AQUd}I=n3HmTK*EE2>@Y&V#NVIv6Km&5-G~K;@FM(h# z7Uj-MESx?2DTieY?%H(%0oJHuYT?jZqswAur!kdG7*A$K0OAy#QS7v!gUS)z+xtP~ zMvM9eHs;dkN}VOtjBm#SH1dM2T8GOlhZzW4S4<8c9*H4mx?nCNQ3d27knMyV!V0Vf z@(9R1E$I88HULL*4})jOI$Vg)=^pKHgoj)3jp|{e(bkUCAIO2g=rWf(%a1+|pWcn? zca#`phjOK<+%mqsJw=5)^L|9zvZBV;+Y15fszju&vDd=$>B-F=J;H&T*+Kd9e#3tU}wM``lb2$VF_4BIhRXPyD zculexvz-4X-f%AFk^srfSK~YMQwsQNAi)>R zqD3&UCgA;5y3~RlS6bMz=R3%F0pz<0$?PlNMaGLTUJR2xA)Y3^gRNf#z8Dtcoc9iG zZh}r2z#HlVT{WHLp`ib{|MzIX3eL`8-woSuGyoBhqqD+EkV9s1(J(lILqE$cv;e{* z`ofJo!+i;k*15`8;KLX2ZNE7O6w^h+5WL=8Y|AP5MJTr@VO?&6!?{2j(6I;x&>5}B z+5*A!C>)-bmB~bJXW$KAm^Ui`_hu3**y_Q)HOzZr!U+E$Z}c8fC6{KxULwpppU`*@ z4|nV;lxj3YR%&KG69}j@VcrnrglJ?6B1@|A&r-_N*_!M$tv_s(LZq6kfLSbWc-5^^ zrokR7(Xuxn#bgR$|E$rXxc42YalFZP&{6}N8MRWIZz==C^d^*$i`B|m5T&ORnzl;I zY7w~)0Swto?6WznSrJ5Mktn3+t+MB6UM#|8ZBg{KZnyDeY1KY?517F{XFt7tl z!oW7!$mT-ONDjOiPE}?C*KZfM13FTpi3y=JCnr-WBfo)Y=S!o@pDQ&e>p!`&Xsbde1a47 zW(uq{zJMIxmxj|`i9xi3^q`?+a2m?E7R~Xn~AgH0VKzjQ?lCz-QZehPH&(77r?iYP0({7sa6r0D^(L_vI?y>CnPY?G`|Ac=2rl46&N2E69~i14@~Mv(>okYj}QiSplCLq zz*jNw3c2M(4xy5ROEAwcp&6o$GPi|r0tL1BllbQfcwM!4a zbiWlB?ul4DCV{&Mn*dKS*f?w~lw;sN0-n)znDP4yv@Y1fyP3yUtJ`w4exM87Jh>+% z3#OYV_;DK0(_-)q5~jk^ftnJ_#0a3Q!qPDKJPK=t1%(C&z2<*hER{U=O~iTwJPL5K zV11GTem-y`g%TVT!6k;W7E?gI3S&Ya*+5T=z>ue9uLF33KI^uV>3`@I+hBh>qZOB&5T(-{$4D%spQv%c?yVn4x z9c>s+JkWIOaM@r~5B`w9@I;Y2Y*q+M z%*tlvv6iy7u@140vu?5eVRd15V|%gv*f=|yJ%%l2C$clxIqV|#eD+FqHG3<2FZ(q6 zd-gTB{VHGJ5(E55Lz0#ICOpJ zj?iyHPlo;#iV1Cm4#Mt2PhmgdK%u{oD-0FBCyWt}7fu#Rg_**c!dzjIP%m6BtQMXY zHVS_fUKRc#GzfneJ`w&SWQ5s=br0(q)<0};7%NN|78y1&Y<$@JVGF}{haCvJ9CkPC zVVE(jNBH>gDd981bHhu*%fpw1e;i&Felq+@_=9lx(t-(lZ!q?ecsjlYKZ`%bZCE{7 zzAPSV1S^@PVJ%=SVXb0qX6<4*gFQrnEy&p)u;;PYvyZYjaE@?Jab9q|xXIj9?l$h1 z-2L2dx!1Wjxlg&>cmcfkd4;@9yf1iP^XhrO@*ePt`Fj2e{&)Oe`Sp9;1Jb_n(ez82I7P6!$V=L8o8KMQUO?g?51 zPXx~e^dLKQ=nD%eh=3VzHtHcZN2EHim-RCHI$J_%K|Hm*Ok& zN_-=}9lwd+$6N8|ID_Q??Yvk%EFmivB+g{bW|hKBSjk$)s$^|sZD%cFFJ-S|SF&r^ zb?ioVEBhIn!ExjGaDrTo;}jkI9SXjpF6;X7kqYw(x3rb-YGiEAJVP!S~}20~=1} zPv>Xym-1KgEBPScfAJ#!#u%NB;l;fc*>o8)Z`8b}jx<|(WpS@L0LrJ+Xe?*k(WcAv zd825A6@w0cDh*Gz={nSg#-J4o=rl&)xNvwU=(6G_kVStr9P`dH^Y@(uz)_(_KDT(fs%9 z6Jsae8}m`_1)Jxgh^C2Cnl`S)+*CXTTfO$ zybr3ja`iA(qnBcEV33uAK8}xy#QXMe1mDSKvvBg7(!&wmHsHnrqV7l;H<-3@B1MjbNYtufVOJfWVYge?Jd&GcuEWaGs& zZ%YNifLRsOoMC`zUFpR%8n$cumoW)rKJ@C|^`dY7GVi1z*;n@utc%jjICdmJJmqh< zW3v`V(R`!!RQ)1qHSBx8R@>nH)1H+W{b}59NA~QC_L*@;A`1OJ`fOBpO^;%|a?j9j z*Y@46?maMWX1`smYk!ZI(&Ind_Bdvkb)INbVENfQYwx^R^h?t4uoKI#j(+w&=VpG_ zzgu(*BG(y@Ta914?WfEQE0ptz!6jwKrn}YEp9*!mTvOE2&r$pHa_`SiKmA)fd(iEt zqkGTYT)W@P}OR;V^`K`Z0oVKF+OVSK{*mOpRsgOpCUGltoz@R8(XD;E?v* z$Cu%NcQtchWrsTbK{!qhaTnZsXM2wowDT zJCZXl2kJ`XD|;UHExchk=e?=%YkEOd?uw~I?SmfLLy_}_T(yf`w0zMr|Mj`i{S-fL z(dJ%pn#$HE>N$rm$?9W12|0fJ9>@ONAJx5E_1|3jGD#o$Gh=gs_impZ0Vi{ge>1jZ zpxxj0hqsPfYj?xNPrdC7HIIvFNua5C+yNOsIqm3hB;bKczG!N^VanJR;u`aGf(f3E z6ZjBw876pN(;U@m{K+|Bdx;*$~ZS;aVv2YVHu`CbV4Rj8nh9h`mHGGwq#f;U;16V`x!3b{e>K%^`_X%dSGF_>a zW?DoZu;7DhfCz&%7$1a?tz1zEKoRK>pfDqK@YNT3LqJ9%Jcvd35QgD64J=(v$N7ewmKgC?HcIGnS;E>5-nts9s0n*z7l#7|Zd^dS={u${S`UdM&;}6wG zq@7MmVy_@7CmuXjaQ$B|ZcX%Kr{9(Z9{ZiBIeI(yx44a)4*wi$_erkb4tg%JyZ-~DgPR&_|9h{E5mPtyP|n9sa}`mIkvkqz!4;DVu51_+`!F%s z(zQ8qI?coE$a8aZJF=0J4F~4=ohGeSF+^A2?!CR-`tis=w3- zQ&)XFy82)&cjS%1`6EW2I)2`7hpzWA+2KF`IXHgvZu*Ld_-O^7DF1xH4QTD9&$NFJ zE59))a7$U&JHM3;Y~5dfen-)V)q-I`x2}8`@4I8EM^*3iM)%`ipZfS;i)P+tFi~3)?)L-8RyT~ z^nagraY@XoNSR%d&5`u`SDm&`9zyGVa_ya=I!EaM#-a)50uH@DUcCI%4WH&|SCy=P zv~Ts~(>uCdT>tU@(GJH9!F<28yPwUvTxVqcvOA?h>9cU^q&fP3om+Hh0?WD2(!kYQ zMtqdZ|9oxW#50axMkbOHgm(Sj{#rdCy13zhb8que9<0+R|{Hnb1 zs|no%r=CxpIPjbD!?Nq|F=iHw(?2}Bz4pnKrjPy#$SHo0Up%ky_>MXBg4XFyr~BZm zueh}uV%G|HTP+?ce!5mxSi1Xh?{5w`4CkJ{`qMwvi<6ylK3M5Gj@{e1aY?f7@w$zZ zPT|Eiy}{R8nf$zRbJxfP&NGfE!UbtRZob{x$z=Yg94U%Y`8XSP6*#=@ME;!>Y*EB# zTlja_X`+2RtQ>X@Hsj#Ku51;nJMMx2whmq1BhU{PwE#1D@U9NM#N^k*%y@XKO}?2M z0bh~AkEG!Ju^GwgO-Oh#{pEcq9qmKuun&bfw(-j~^`G0UjGpA`Q5bc8Q%QsUqKpS~ zFJABY&4|5h_rCLPOO}bc1n>JPF>U|Jyj1%B07OvAgH*#WzA8{8`?+`A|)C zW}ngL53VWLHh=oI`YBsx54||_MdE~}$jadO=H~hPHe92rk6PDyJ1b)wO(c2hb{7} z37Wl8{-dP7wmx#Sk9r>H-BQy^Q%(!U-IR^ZB#-bV+`9B7zBzcX%+-)DA# z&xVe#IDgJc@uORp!?_Ep^k(LOqmp?2|C7LCrS**xwx|M|?a?V`C0rMnx) zcUVDQxx{3d*DP4+q`2fASGrfl|F2o;$R!niO~8SLRg3cxyZsn}xIaF$a&YCKdA_e* zjA7G&euaSAW#R)+yY37xyjR=$`_htzixCo&5rdD!?QCq)iyYvb4iB}lClBn3z7o*r zjQ`^D2-|>Dh0d$R+p_QN4!Y>o6!fGeF8lpF-}xa{7k0#V%XM4kFy%$}!HrFI$;v_} z))yglHo{L>o5T+XT=^;&_e$s%Q#Wbar4OSc&VI3e?OBJ_{+C?SQ-db#A2|8DecKLv zuuU@X#qt#~In&F-Z9VX;V_UCH9KEe6ZNQ4eXrxQ~n0T&`haJ0EOVwMTTjB1)JP?wR*qVU})7#Td3;m(Z#h zYddZ6%9Q47!~VGLx;Aar^J@ETH?f!{VUBJaD(Sfk#Ic^0R9=-Nny+B)^yI!}j z0HgSm#)Rk>wK zw=b?Pd^$uO%@}9ZuWBxHK-0!z?}(hsQ3IA+E}(Eg$tb2{{@tXHTh847c-83bb`RI8 zu!{ok1Dn$pJnLnc_i{|kNGoW=wCYY@cAm^MoSQVK=uS%&%of{Jc3@F+Hs0E`f}6>#^(c9 zOs$&mVenYhq5GBReo!B}`9=N>2AnCu^IHf9G%H|M_^hf0nII)4J5|`yuKX1=DzaxL;Leubs6;zW3Av zk6FZxJ?p}L&j=JPK6II#l5$_)y0v?~EA7!gDXX${UslFCFHQ}X+nv2SQ2tMVwo9D4 z3)_G8`oDht=yX?)%=y=Ak91|9zfsUKW5?D9d+r!VY?`mid2ivMX%6$<_x9oTp4Rf| z9tsVhK7W6F z86TVT;zHp0IaS4Udx#Be+bzk4RZM#Zi$g1#X6pa$Ge5e^ONWkKY^;YmS>CEe$4;`E5iOYnC$vVQ|jN7T{c5z`>`0*KVt2u;8G1%tvE0G6u~L-=fQ& z!}|7k*vLB%LSC8|7rH#8KoEY{joME{K2<#1b*i( z=k8fDb9=_!?c2WIaagn7@k8RpTE^USg1T!{uM~M7lF^k5ZnpLu>UHkXF#p863851P z-AkO9<2U3|-{KeD?-qRQ96j&8Tl|Q944R{mwJg2o-o{}+HC_7tzz1H}7LH>qt1mUo zJ~=RT;DC+wYmbU556_<1L)0&4e$(UdA4-;$cN;U*b?5ZF)n|EgvJz&7Fa7p1Co5uu zcCF8fzK31qqvqY~cEftP{qMIN`Yw3CrfAJ7!$QWUo3)P|9#2jFBjc-FM_I#WvCE;@ g1aHpOsN1J)LoeOtcK2zKZrkE^Ykijo6NY;JFL4pq{r~^~ diff --git a/venv/Scripts/_tkinter.pyd b/venv/Scripts/_tkinter.pyd deleted file mode 100644 index 9f17a098dedd3cff4456894e6c5ebbc336c10436..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 58008 zcmeFa31C#!^*{cSOkl);L`^iZ=!l78C1Li=nuTNn(Ex#j1Y`+GX2K+dB+k5HQ9$e@ z{W3mdsl|S6Yg-Vlv{j216~1m^(O^ZvrHX55i|t@&8!?4wsqg~x?z#8A%(`JSm%?$J3QiO`Za1FvD`NiVd+H>P8+ZACjpKHm_tF)+ zlPX@iqT1IS(02ISm;38iY8&g@+S++-gIDVhwrQK&w54;Zv@6>^-n_A6$7IV@hj;wv z{Fh$%WR&6#Jkm1i1%%)K<>2VU?D^^FL+p8W^z-cbkI}t&o_bhHf94m`^QwmiM;}D| zOD_zLI-jL~#LAy~_!CzC)Wf4jQ9Y*~{yPiLYi{&Wn@SHW-5ghul*&CZ*0@NCJH{nn zaemUcaoifjR7$aadQXSj%);sHJ(=T_ij*hUk8~h)-@GI)nJWUOP>9M!pHlG1Po%1~ zTR9H@IqnF@WsRX1`FD`x?jDc#V;sk)aa_+2Ij&ks8{wIC&k)*e<~S1(_#D4H-n)iJ z+QqBj5q#7?VurY%mgAP?`91Y~J;!~62!}ektKinb#r=xVbe@!r+c6diJ#f^Qd*R}K zMM%l>2mFnQV|_)RISt%{aB;sPs?YCjZAV7xJK=!As4yvl^ef`H>Fnj--dD!JeBos1 z_+aRya~r6YZafe!&9;VI)h_|hHECV@P+yBEW^VZomtHAmK8T0VA3C7!I-S<}B+`7X z-{sQ9%=7fIv?VTvr)sxn_6-kvfV&?70kKEDtO^ENV$X3rqT@$6W(BNl09~u;c zm4cZ^HR2n-HK?-}IU$gS)XZNuLTL+?zEFIlHyX&u5&Ff(alV~|DVapSWD)gZW&}?(M_BJf zLRCvoO~i@;O__UmzT0`3n5m)a&?`VF97Sf~wXS!9X=3I8BI=eJdlnHs9A|iacRANx zmgMN=FWOkp6CAhEx-od3p=VDrD()M7+o(MRYsyEPlDn@<5?*nf3BKCGUHjU+DsleV zDq&E}R54i6gTkFEY~@@rGXq!` z=AQ+_2nQnrpNS&XLHv1AT_b$dbvk&#w!6{7Qjud%O6_(JR#NGj7VwG+7!Dl(1M-&( zZve!;6!b@F`4!>i$X3+3l!^)Nv$b74!EE1=c=kmXg6M^YRimO_P~OmBQZP?&4+?7G zmH3`S=AkweppFkI0`9&CfD*-2T_Rs$JZ%e}-QZ^M2(tzS%_ETmkM^KxQS{&A%f=hZbd}UM#Z`IU>mz)$zR6?a zp+s#w9d-|dgJ;1qcbGuYXG!vg*AI4MWHLoL{OdIU9J+jaPisDhe^SH0bscY z!%iJ?3hM`pLcJ=mIRJ3D2i9#Q$?{{sQ71evF%jy#AT)~bP^PL;@DSx%>RK|t5Z$Uo zuM+Y8HsO6>!=*xrM$qhx{2ufI$}f^pKCtdjQAVYXJs96HHady=RDU`@0i$OMQB>+= zFjGtsFm@S}Qw}x%m+nA%xBDcRv403N2453{C!-__t?y6Tuot|T{SQ%$8zxZ_O8kz& zFPeQ2Kf-!-T~W$mZVBwHS+itOBuyiq_oh1jL>>D@pVfQKianp zseP$F9*-8z=fR^AIS(UO_uQmzPd0a3QZbW6zwRzhLVuY|l&N~YBoR+M1bHXCeC=UL zevIzEC23QsO+=}W(;gqUtrHkJt=g2#kJ&bW*V|M{n??yP0<$FvV#v2fhVM;G29iL` z3awA)f)|5A1Rb($RI&gpVSR=W%<2+@Y)<`*F#hJ5wPpf@k-hNdEYKVOCb?cPSs=r{HNGknkXC0l~#LnM9K@)u*76LyldPBeN8& z4_VzPW;*fadJz~3)X<00d+SBbJVgkSE_6vgJJ7485ysa|HJ~t^i zF4U78+MC?@YVf$Rr!RFvPv~G0@?VP5Q!#p^nt3CFQ>5Uw3>tG*aEO>W6R+DBW9YHS zUaqp0W@uqQlQe{_5ml2=3W>)ORn;)@DCrZVN}Litk+c1)fr;u z-FRm&tt_$%>?me##5)AvJ(Lzi0a9&32c{%Sts2q14Dbpc$wKM~O#`n6lb7z_M)4vi z>=Q?Y{p#N7G|g~JW15a6@*wX3-Fmf9s}@$PgfZR4VmLYUNzyH2z~fmGhJ-nqt`{&1 zBvChuRdbbY)ZC3p!gJNM4j&_8wy(1Sq=0G#<{aGAC_l{ub^i%lSv&0 zd{x2{HO&(jLKFyYG@I5rnqJ2eL2TEn(z;H761JImIffU<(Vz;PT2L!?03bpY7>%?V z32W-x)b=!R_zU3hnMw9JGKcpjcfJtE;dR2S^w1}%Y5zegzL?#unZ!nI+P0k-ii@DJ z(R0cEZ3oc>3et1Qe&F!WLvnQWtbKb})P~++QMc?G7PV&EkSH)bTHSU`27#VS_WN3} z8umpPLYFawLKj~IB9?QTCvxeJ!!3ea54Roe1-R(sEb))vCbFnOnV~x2(j_OH0}1M_ zqK|>c*Q#66=kERMd01T#>LoFXajFqFh2RE~B-klXXHZOB+Y( z0b~ynwycb3DoLq9#;2s-Ml-&S^t7()!13Ls+1a!VJqvteWQW#eXLG>|P^2iKNJ|p_ zsgc=4nLVuf3`mD8kx18yiP zhK+5b*!9kaJjlf82u|i{(iAki`&2^3Gn&Xn1ZYKec38D%hU4$+-W2v$%D~W&A&ZEl z(`lki{$80HOZoRE0yDQKz#K0>zR3Q9`3;rOx_=(a8euhIa6lJ?l0vKFtrBaJEHUxOadrM5=x6Am0%_4Piz^1<-Qt<{CGK8 z9;DJ(iWbyVA~~ZL#b1xL7*_&}E8$HZgi^s4=)*v322zipceOF}Wl}mxaFk7iuFYPugIAy}Qzf8HhXx10o#^jz1{%~^#=wrUDZxwMn~|1-&Nc1H(BZuj*X;MxQ;r*$r?3cb~^ zs?t#vKU=8Iwn9AANVbd|3_w#jDYRDwv7{@al2n}o)vbFf+BI4pOpjk4L93^Ol%ne_*iHpKZO~RX~DH5wmTFppn86p#O zXBEgI>CP~>j1I3+_ZG3GjNG=wZs5{55Ic9#eoxemE1GPfmMP!tczO1unZ1;RTV-%gDZvp0((;Hgl`4-Sg8Y0avWT<2F%aa<%ShDrS&hx1OY332DFOIj{gUW%DkyOv}U;m2V9#o8ORMge>t5Sn#AB4aHD52GaDT z#8;SdX<3dHa(CAt`d!(5*I7IwA3z_HgFk4yX0e*2cDpFU8k5RL1>9_`U%V3AQ`YATr z3r?z^`l3B&U&P0#5yj4+3O!AABn68BuT(~uk)^!IwEzOvG@Gq`2jUd5YKE1Gz+K<@ z!W?xZ19b^=GQzN!#`l_<_?%u-vhg(Qw~cjl!(<`jSLYh3EXTU{ySs=4n2*MQI`V+^ zwGvgC%|%=d1!ya9CC8C{MSxxJfX4U|+YJI!N4`~#QAw%`f*iK3VuEbW1vy*7*rCNS0sQjEuC-4-pg&_c97m*~m2?FvECe3nsl~ z0EWrE;H8Suc zlD%lVy9tY|v*DT9bA`j<4o$=h4FYHlJxwI%f-{6JssaOiiuf3nlh_J;{x0K0a5q(g z@G$^*g2s=`c=9G)g~YIl*-oH$(y$O-RtCl)8qCTJd^sADjBcb*#q$Nha4x>cq`~T= zEq|H&!#XBCi2o(%sW!=4HZk;BQg8xGW<08_6Lw17>KhCBvKG^iG(MEk&sqR_K4+*9 zmZh;Sycl`l6LgALNF^|qFup`QG<}B5Lqqi6xez#Svw4R%2_JXQPKw%ar8SlRGA7^I z!fK=iI&l?$O_Zbf%cKp?gEabdi5r~6!XqLWn?&c3HLUMdGD>xX(%@MIpBV12+ky)S zmxNio580(X-FG>gcCb|^+3&|phoK5PkJwY(`g@?MKLN>-^oybzK#hU;lZER@1`e7p z{^#INP3rg8hQDRM``>~;jP4{(VZzc8m@w-Lm~gzpgtx`|CjS3S)6B*atnx)}%HsLPW z&nimi^SWoTvngwkp9rY#dX=vde%*azwAPm$v()?npXz(qX58VB>^YZ44d>X01<2tf zRx8>NZ`5o%g5{8JBJvXePf22*S@$KW40!_O9kx<&Rk~1?A+FNU8tjNLJBxI*B%v&e zwua_(y9Z$Hl@2>dT3lj`k0726btemJ1r(dDr9Ji}Vb%bMG<@eIrj@ex$q?eASxuqQ zoAQgG6W{zi^%IIPQ$Jxc91cD<8)M*0ptF4sri3b;kz(S(SIgj2H)au!4F})niD^@- z6m3e1BW((pi=WN0rE-qB27SZAM^?HdMV;Xzy+$~N2{N>S)Th_MWAbEI2K9-|yTZ%8 z?z4Dukw3pfT1#5z0|+Sk6C3(i@{E%;C{UZ~2HRp&bh-wN7oMI@w)W{+z(ROBc7q1O z)3sPauzpoyw=8^9MtFL5Z!%}%(j&IxnCfxJMN)nQcR%`vjkO_iTK@K1PguGD9eapsB@Sr$};IX9skyP$UVnJ>%$Q zGDk~_Ow2fdiSH zEt+M$Bf1h-keOcT+i8FpnK=ZRIP(QHkoCCpkJMv2J#!?R31hD#`o#>OJWeQn_JW#1?R50U5^+sF`6G<5f`7ljL-3Vmjn& zEyj;LWJ!z~MH!);#Kjl~ar|k*v;__`4LvU+^XJ5K>BcmGa88eH;S-u@ro@q?5wWgt z0@HQDZP0e1q(O*cIFsG7g4irLARLV@BVg>G5H-#XReJlrVcVdAE%P(Qw0Jwtod+(dzkimqe6B%*oA`H(s+X5(}NQD?pWPBg9#?j*-)>K32!O|6a z>_|)pJrc=L>D!!02X??h68_UbhaqF!Kj9oSAZR7(om)N}7(yc1{Nbi~GQsvyn}8`2 z3F|Re$a@TAESf443ABz|>rFc6TF-d8Z!FVlaB9Fz5+R|1L{iiZp~Um?@|pO(!ybqK znGl^r@Xyi}{7)H@?$!u1RcDH6Up9${hP7mWjjYPlLz5Cm(E$SCjan=$UnZ#%Z~7V& zGkwun)L)?r#crO~bw7p9bw~x~xJ6Kjx@T$T`nH1H5O<|)QlO2^W?{Ytx|S|c*OG_a z_;ZjOwY7*iC31kc9FroQpz11u@cTS*EFG-qWv~!e(|mutN7~;EowVX?2uv$wD%$Ei zA2Z&NtB-gC3{-b@wNdy*=U)^#uDIw%6zik>(ZUdCKn;?V5g$pk6w zM+YZ=-gGbRwPCrGo_H?*IL_rGGVKll6D+2!iNcFQ#-ovM{+4Y3WJu@pkzw5*qH6*= zp#RW_2lR#V>N9%*sfs@@dZva&B=dCAOQ+1u?9c(a0qx@;rWxOncohWtW?JWUnBoA9 zX2c0}%J2yk9mB~Fm88SOHXGSo%2vNw^3f9cUJBuhj+0@vL50pW1*J!;k{Y-Nd6kh&_=Bl8XPxZu?+IomUcHgc zdxWA4&>#aGabe`fSSe644iECt3F0EnhDmaMa8MBnKqrfGkY)%6tr?Mnr2R4+TibvR zv0g|Vax7jOp%sY@Ey2hbZw-`{kde6qI3C6wzm8lBA`#k2Tu906C=TP#NWq~fqGTe} z_$r}H`Z~zl2(LG_0zL)~^lsYBg{Jo9Y+cHpl5Fo%4r0slQnG;5L>E1;$+J8RfG}5_ zd;b|aC^G=UwzVYvdK^H+mDKg zI2Uy_*2As8p-O@`(@Drn=&WSlc~aK6TUGxminqmEkB(p=616EZs#Y=!!zM;7^{^9} zpHICJs*cJBMIZgwjkmOMI1UTo;g(h$J{&O~beEa;^Wj&NMaj~t98!-HFyKErk58sn z{z_j@ISIxrA2*Yp%oLt^kRdLE&ifYir75u{37x|14Bzb-5VWs<2vOoHSiIQgI>mwu zSvHMgkeB4y$#h{K*p!ZaU|1V*0(STw=*TN3#dZpafq|!#WngfUWE4FKk&&>^Ag!<1 zhUvwz4b$_n>AUMW#@r8AwO~eN#|NcN>EKw&YP?7)DvrkO2}d}flD6_gY}{`_r?8dJ zuW8ZBMlEUMUNJn&TlcZk2iU@ws_RYOcpavb!`Mg-Plt^U)@RsaV13TO0*oQDvUfU@ zF5w%pV403Q{ZhQ`8N%j7Hv?fNW~E^pLc{Fr!#9K&g|RDyrWuhdnZigUK6A811q!p{ zFLad;M@6#Fz5gAA^pvbFs?hoYj?ea~{u8*5+YFBO9yfR8-ZSe9-s3KiO6T*x7X7*- zMquwb2s8A~Z6Z0?W`M*c|mktklek0d6C{hHqCtVLxa zlw}ghBX(bBjt2LUMwERxhIbtJhR_@a(QpBW`Y?IzaRODLH8@n3x`*x@&#m-T67n+T zD?PC@%E*t!9xf;?)zAUH2yl|PHz#99jBe3!m_a{(myX@$qR~Rfh+A-KC36RpTp7?S z+10V@adk|dHivZy(|7h4Pmp~V3?o-OR|@@gL+z`|%n;K{mf{u;jYm4khznsjqViF^ zjGZXSSRdg{mw3zsx3p>gxH`H`$4@->nG|fxG8U09to4JA*uzN$ui}0Z@kott^BlVQ z#*y%q`7*o#YF0mERZX}|&Cawd`wx;m0&!^onl~zeE8sT)mGUQ@8(z-Gc9deN}$fb4B zmsqG#zA3r^@unmXaD{t_VLJiwEgWpxnS(JoKx!$eGdO3HD1C3PjP6hMwToY_b{OMZ zlCg{Sr5cFac>p~$qIuH`G(zaR3K(&+um=nXL!rB+>-3sT2}u%i9PYuiZ@-VdFBvKF z_2w8x`Ng7{bZJS0W;iyJS}mGMua2HH>rJIhl-!$2$@FII=}o0f^e$_$bxY+2=y)8= zo9B{u;ODtj_>#kj!ukt{BOjnhz#g`Qh&+njO(qg(9CvO>Mi<7pWPnoFF%X%AV{l4H zA%;tkos@xHs^Ex+qxU80d;(M@TnB>I;2yB8PLDD+l#p{Vwxn8#Bn^8Oi9WCu%qE67+Y+q!Ono;nvO7uZMWi1z-z-c#75Jq1y`FAcwNDne5@`J zXQA~tUcUf~hP>T$vG=xdcC~!zadwh@CS7`bJ{dQA6D~bs2Ajq{fDpUb8@!Cb9tO}N zMR8>4AEJWDGmrEjevx*^uwueC<=rIiVmp+yc2*I;;g|>Rq0*;M(s9Zp!O|Ws*05%V zPQ9#w-eM+b;xi1rA2XNse`ob@HAY`> zj5NEdN0?DaCe~q_GI$ZYAbqQqE=UJQNs@}tatJnx8ki$e_NAP5^si4A`fKKf>1ysS zaG&u7+9c{p`~F^GuQKfe-;m$JbX84w{#oH8*%%O%C!2#qCmU&70his%)ELz_sZ$Qq zhbs59xq0^=kR1>h4C-ZR}-h!hA_W)Hh zy|4XZKc=|d1h3I$%IZ9k0ti}AUI;i;Dk^R?2> zT2=SLXxSGR$;O{^?M5#}lk>#jM7l#D;xZ`&RWLm=@hR$b1|>3#cD=ebOQOQ@L@MBW zLu`SehyYQM);SGA9-TXj&KXAPoc~x~0Q(|kIuPE;azgXVaB*^+f(m-N@eo-auwTvJ6Yz?;5wNi?3kmP;h2YMcPeAsps zhGe2v6DNUaw`w@U#o<@;KODc(Vc@S1zjGh^dhwez0)FWOMgOn!FFP!(FtK!4I1$NN z{{j=A#CMp6=rLc3i6wc>OF<9`!Rf;cRv0$PT@9C_b?SC13;Y#E7v(mLrJD#$(vh2$)(U&A)$h8vAp&j@m6IaY2nmSvptHsexBZ5YXR zJX%is^44RyKpY+w83cUF_8(d!EOd--n3d;Ctk`6YY$U_vFuQTw3hNwp$pkDgX8RobB>D&Q2D@z`TPfv* zw2VNh|7-_AHdqe+YX(d87mvi@21~U7gQaZHk}j?OA23*+{U;5U5D;IV!BV0}Z_zNT zqD&S>58Q3)SNIWMNtF#im=Pkq?tz2gPrM%Qbsu9a-|aru>pm{O4)nSs5a}Gv9=-09 zax9p;pS}7H4P)-9WcHvtTOnk4TV;VcIMdZHHQ(cV;gCH|8W`SO2y4=J{Tgzu=M+v02Ni=}a< zJVw$l`Wooa{L&WKIV|GHEXhNnO6F!zVmp28gGNX??n?RoMxR35%C_0Ekf>au==>O6 zrk!Hn@gEQ&(-$tL*{Av;<`dUuv?RC| zBb#)`kTQfRgUXkV46#U_BGtZ$36b;-Ipmy@5J?~PLr!Z#q?sbqeWeMJT8h;AsuLpV zLPyI#e9ICd$pQkHTN5IGhe*NI1K53Qkl zuJvu9yuJT{zt6yaGSY%R-|Z+7cCqg{XU3J|>uP;lM=oRXEn{WaiH3wS*Vg(T9I*_4 z?Xc~XVO#ytPw2LYVHe$D!B-f8f=c77k{CdVM^ugZffuvG4 zv~krU?z_DgMY?~&j^hOtQ4$pB5R!YayM&rq2R#&n6?j$T7(p*xn@tP*Tw4$?3<59yWimxiewfDb0&PP8JPjYphUfuNfx z1BN|94?Y$teZm>>SuCDJ;=lMk;Blx-{vI&NR%zd5znDYk*Tft(^EJ#*XMP6rnJFTN zK1C$v&_~k59QM7n9CoxfhuM2`==8CeLwAqFoU^PH?e>c~Y}uVdM;gSOlgy7W|2XsM zGb>`wyUahz{MVU(g!$~GT@Ibv5_9PGm6+4R{HK_|oB6w#zmxfF37WHmz2C=tI-)1$ z+|B$g%-_uX+nK+K`JK$)$ozH8U&DN!`5nw}WxkL39_BA&{$l1YV1708E16%x{F%%z zWquL!oy@l~-^6?!^QSU@3iGp>uVwy3=4UaVlqoTXwkE|Kq9NXiV{>Q(h&gnALCkSV z@8CVeGoO@hF^BGMi#c>nO3bNdJ`F1|hs36svyAy3=KGjW6R?=m!F-25A(M&|32pLVE%*5-^u)4%zujcB>2RfBg{X_{CAmuocR&vpJe_Z z^UpG$W7wF&-m{snW&T9wXE8sW`5NY{nXh6#$NaMlOY{vx@F(-hMgaa~K7CkD%sI|{ zl9OT%-NO@e=;Qcej+NCw-_it6GM_#-D&{=Jd^%w%=Fo?C#T+*K=Fkx+G3P$!J6YL7 z?0qVG*D>D&-!Yc{Fv_W5@~Qo&P6(JVnZ~OLML6C__u;kVT|i!{5eHOtk)PvOSzl_T z6OXjVd-^V?9r~a;LLb{-*q2V0gIGn$yBX-a^rZ zosdqipiJb*XpYYqkEg;D&xdA~!_c7snh8L$5e!Ilc(`+t+;g-?Ho)hDMVFCg*(TDg#VltnK1Mhuq!MqHe#VZ{l3%if^ zO{~JfbbRPR!Gh2q4j!j#`TGDEON%^7-)2*yNoSCvAE!U-K+z$5^vs0%bXAqqj~^o* z7t8VXO%&Wl?SVC>5l zW}Ou9kq?1pSY-DL-Uz-d7{nrt@q_SuCBK zitE9FAiQE0pNa=F4&8b(8@04t68Rgb38bX9BrkmFn(fDa4J?g)m;B75*IE)85p6`K?8@U_}qtyKw+v8gEiqVB#iR zk&2u83-%tvSKCz(KNR+Pfab{WfF)YE0gEl_2$hr3Fi}FoU%Nj(D2nd z4{r!NcL!1TxuiF4(}+1d)5W$N$7NBrC;jqbC?y;PmVXf?IZ z&i-T3lh0rvijKp)s_W(8RgpU(@r8qq!@<#e<{+_e9Ad|eya?6r~*3Y5Ze^ z>FSi}8plDuCbVyg42kftjJdW82MYU4IGge?gs8sc-97lK{P55+>Y=Omb6X>o&?ZODEh?r;iC=ugFV5~&!;+3 zASseYGkE|h08&LbiZn@qF(~Jua(yQVeN^zIW}{1oQXD^eXVQsH=p~u(VUSCuQ$n{y zmPxQ&h1qDb1kXK)A(bc1mrdYxOF_QO(9?H4Yh&}Xp%r68d5E(ky=pv5KI(1Ntf6R5k{kZx5OUkCk`tv+2+LK z*4-3fY*MjDVv|kajPzgucykY>UAwn(Zln@ZIB9JB)uA=n+`22|>33%mzH;b3DR9OY zZndJ?p0q7E(nyoEoWal&S%}67XORkIKn-ad3G3$>d-f2o{fC6mjV_`A$B)_wNrpe7 zhZ+AAveT1h{)G!=#4BSjm9T{2hYYVBq{FA9BeRgN?|cc_W-4>$=tBItsUugq@qr$+ zA1zAwVPf7drT>(wn$MulX23kXlUa~)mqv!+$^-UN{lGWIA z>nCl1jbt{FGpCer5jvS&WqhaPyh-V(r)5ke4Gd0pt5&Mf+m8iFXe=cq8(+X5{F_8& zy4Sy3m3FW2@uKkP@M=|fj@tM_xE9*TyTbb8kYBf+Y2&@Ef;(bvZu6F-TY~$Td4{(w z2yVk{Efwuv@@_Z+W}R`U}N0SI?*<+}Ct18W%B zId*10efNtW7do6Q*O4MD>91S*GYCmsc#-;#zgS0oCw&<4_$K6RdZhC+j4z}m9SOTn zhUfQ_#GKV1IyNdaI4YR8jnEc4sFn(X{kZKELw}Iu!q7pj6b&gOMa#E5fFKMUTWSV! z5}{za!T5pchWQJazmEC$FrR0B2lHE*?_<7)`OBEUk@=m>-^BdenZJekYnZ>8`LqlY zb4VPBIXdRkG6+T|=98Ky=4hEuilCT7+93>s%ui=Ni5i#_nXiJ6K^*@dG65zj#G~8) z{{64OKsAm|Xm)Yjr+EGm?g-p2xF5jLv5GdhyD^rmcxJ<;!<~ARwI#Y`8ISpZ*f?;Q0og&%^D4yBF?Ta4m4N;jD0%!D-+IALh7s;hu-v z4Rk;qHLj z0k;qCDBJ+tC>VS$gR{cTgKL6Y2X_bDR=8boFT=eL*AMp@T*iYOHx+I=++w&kxQ%dI z;O>Ll2X_SS_i(4+#yo_-s|`05&IvaUt^sZx+!nZCag25u^x6K*>C zWr53r8v{4E1AT^j7w#b3F1R1V-43?~t_iLNt_;oqHyJJ+?(75LE4WwTdf;}zZGodN zrnbS|09OPz6)p=-1$XkNpe5V@X4_}*d=Tz#xNpI=!QB8?3TJ}T!fD_J?+1KvZ@}$_ z`zhS*a6H^HxS4P!xbbjmxYOw4AK_kxdj{@dxO?F?!TI4laMf`1YeN4wz%7QOA5GKJ z+n4jn3PjeS#e8EcIcuJUE3q%GTixzovDmaYuo!=W-Rp0wZw*i?zakeI@~nBf#jBg! zjE2Rn%?(N^j$2vZ+@|Gyes8@;+Z@ogwewm;u-Ml2_6`P+lSm9(9M6X4W}ZCm2wd*I(brH?Q(?I>gocm#?B{ z9lwGl)df~GcOZa_tdiWo+O|fdYvFQ(0WUqN3?5uHSHe|rb#UeQ!|(IBVz`Bfr*?oW zf4zS#=gbLc+Z$TEjl5l(Gp~SajK}xNc2BU?8(6F~p4Z6nYdgGc^()cq7)*K9sBlh0 z3&jzBlo|=~e0#gLwVk1kswpfS9?9$hP7J2N3aFpN)Qc7Qk1sI-@a1oX>Mxr z`n_$uw!Wj@&#%NA<@K&?@OnHb-WF_aMIAhPoER5{h+7#%9~!(`(03}!3IzD61wzVH z#(Oz=W*s%p&ADohJ>cb6)%yWYAnu*TY5m?CgUx3Ns@u$T#I$@$~ZcKu2pcukfi7rt*#LD_7RHq3akljlfqu z<8s8;w_S}Gj49sB5GZG4WmuZW+v**jHdX6Gb*-SCluiTA$*S9<+?`wDNHww~AK zbmRmIz&{wTN~g6laLsK^?OF_)03XoO58S`X>kl-yw?S4n+gI1O@e&IIOKsi&(6F5G zoyY6#piy7fgn`X_k(-SThEQ#kXu!C)t&teIAsAS@y1tpv==HCvZ;j?DaA|1_2JBwM zD$k~78v6me-`m*kXEG#UuLsNc{q2wyP3XooG8c-L~6bYiF#Rvt~kPsb* zWMYv|-%Ap8A zywqZ115t4hPebHg-Q3#hX%2MM^Nl{LGoCQSM-(SvP46w1xc(DVRfxKvKulMkvUmX7HJ1~{S^S1;8!`(1yQh$fAc(g8} zO|)K!E;q3;;^JPpdG6xU;^`G`%3C|Hyjpp8FDP+WR+rD2P4VTkOXt+qxoh0BtE&($ zE3a@Xq3ZHk?s-Z8Y2~G{wBm}2XiDjv+0}Km#pTt=Lpnh9^>sDwc~z`|>XM3Rpn3(m zUyTU~`Knj&y!=WqE7K8DV!tQG8W&NBR=-7X2XMydz$U!lr=)4{o&iUH|4|jDlvvtW zyiY;lETm=0XudbMoWsqlDy^FOqoaR)?(W}R_e4+H zH*Y-1=TI{VI#y*#L$JBkBkNRAmgw*_Fla7;PmX@HhdiUCx`H6T7#c?&4+SlIC6lvQ zWpgH23-X#h^?ZFcvm>F8oC;;~bh^eSC{x%@m%=6Usb_-GyYLdutY(@i&d8c0_x`iYXCZ_F+)mf%i^yFr3GKCW8I2RohI7Rpvj`Ed4u z+ek37hO^h;l{HRhG(2~>{#pJD%X}n|E^Pp2iAJ`QXc77`7^AY?!-D6_*8!MMFSjtVt7~L zjw6o7iD#P7RSXsjyTxUM*RKTe(`Vn1u@3I z?H6C(eo>Q5n#8OirnULdrW;pahCs~p*>x*B>Kb7l@WWoh@>F1Lg0)_Go5u^OJTaDw zt+@Lq8(D-$wd`ZwxmJuljbUhX?;a#CoqtZu-9T+ZN zVR2Pn>a+sW3>GJ&87OeKdS$!Dd5N&qVgb%Qz~Vq~k9&=`G0006h$a^623MnE=$p?I zZR?6X9=2F1XKU`KSspYXBS=Brskput!xX`DcGSKcpRKNlJ`7Fq&EY;Qsk-&5i9IHmJ{IaZwK7GL^7A-qMw@T!!QBVlngB z3b`2QAOl1bi$l#M85qXvm6)hhpy(DQRvv2?YWBCc5ksN!X5yAw&YX;jMobB& zR<*)3#4Vv574-pLUhH1)o;TZFVKhiky^vhFwn{b*)m2e4pD2S-EP8tI+u41iJxt3V6ju?`O`wyu$kOZl9WR)xnw!!S% z-lo)hC+d~ipw8V!98^|S>TRkgsrGSF<=R=yI7{r0v527^;9&>jny6N4dU`#@GjloB z&T)Gvg<7sF4n*06dqReEHtgO^y1LgidOHXX=u2|ioW@2H1h8@476(%)c+%sYUtI=s zVk2-RcLiJIUVn2Vuu#nNe$E$HqBuag!Nm-lr>J(Yb6r*aDz7YJu0+28K;67x8<|OD zy8Jd3kk>Vm>A6l41y3L!>q-=xd|W#~Mq@oVZVck2itB)ZcEow>*fh>XkV1s2^n05y zz`5sH3$tM-1D6LuE^aE7C3|%p#u>MJXnTx;>bUwFncY^ZekO94!C1pHVk`6HFOXZI zCxK0ak|qo6`N((%x5$HR9>F6u4*^QNXO=NjQ{M_XEg5Ha%H_(4c7XYB$P?oVsj4Vr za2F#t<3Khg{EGFsjLd3smuE$xmgbBDQGOw4V;r*&`55k5HY?$P2vZ)Y3O4Y}81sw_ z7eMFR{a$XO4Er2dZJS_}m%y)!@eEU19+pc*8E{rT?1)~B{)`x&{h0LYG4>c4r^)ro zSd|!3#?7&Ko@u9@06#Z?{4xAU{K|1xQ$M4lT0%N8Xf^js1;1W0XfBVVpTx-=*Palk zP*f%&w>>VEaH!BpHH!Ed;}tYJ9fL_yp$r`7Ak0)jB6bA%neFYc`0bJ*0WU_;gLS29}pajaC{wCG$T?tMky|4$N=(wqAZ}wDTh;k1qvBd#O!~j(&g*7W+fi!OL z`Y{le*Ry@8#}#PWQFA*sk+>@pa0ofrxIz|VzffTGc^g+$LHPp5aoqhwFmpWwJ(^{@ zj}aw^+X8I#NVrsFMz1_h`SO(*nk4VN9+`bP1NEOckx*UL;ceu`#$Yd@=Altid09}= zxXwk-N#0O7iE)B4t}G8!`-5JtD;9&MU@4D-UE%|U-U8LG4Dor;AAp(Z=nctVnv?2e zDBhB3GK)zij(avX(&UkRnDvvIS9-Tc#$zS+79jtrgxrrZOkmVPX*0>K9dXbxM96!N zA0l3ocb_tcR@z+Pojdz}Z;z~87JIMrV&Aha z;PusEy8(%Hq;g!!p^dht=H)@Zx2_HQx$Ud#us&VVlayJnk|fP#mjf0*Ux&$wwuLWKLUou>Fp8wT z;!6-Ky|r-EL9B$ZAz9zioVzlRi{0;B)R60!Ce7SdeXc%NLfDWTAV_n2eER*V^V=k> zL(!J!eXJPK1lC5RS)DUElXNF}eNc%#ZZFJ%ovGCdY)TY&Yf5=Q4z&BruyY8EW7ZAO zZd92Hs}BF#O3Vtx_t=ChX-6N>_{GC(FZXcc<6EWG2QdcN3s3^)>{TFZcQtC=apvdF%}bJ7|qj z%kdN=O(fDElzi&0xf- z+G*E}$;}-zM&1*Qr3SD;=WQeL>mqd%=LMk7#048$>jME6zPftF)lO5Ast3N-=27N~sQXK+BG$&=H2!%>f@Wp=Bj2ohp#J&Ki-j z)5#S%cWiHXN_N28+B8)Q!Oc(;*Ygj9_@)YNG2f#YnacX9pyOMPgYVAd6TO5%TuqC zBfjgvKc=v_s<`Ohw~{@vDYnP2B!SKVEvD z@|^S>Nd}q_nO?)C7vVYc`B*-R--zFSJpnGg1kWP~m*c5E5Gx0o zdzk%J0d@!-Bz(!IMU*@=aN;_B4?awyTfn8OQFj*hqjw;@tc6S8h_Dsmoe1}=kkWUc zzXuT3;$z~p54w4TzS4Ot=y`Mm$L|Hd(?ri$RN`u!+iGVfkEvR3GxGYi^#RIH2c{ZG z=|{ErWA4Bc{bEv&lK?VL4-M%6y5?}eI4PV0x7(8A7G>OIw@QYcuyj{Y?&0cB0Pxj&U(2# z!Yc4vdZQFRfc~T-3}uV8r$Klk!rC$^JO%j7MtGS=;@{U%-h}W@gbBV~fTtAUtxa+| z;8}q1=H*hDLwOIvN96EK)ZanrK8apE$iD{RopN{w(mN@?9BxIJXc+$^nbV3zwZakc z0*BJ1u`*IB&g$L`+yPeNmCke2ohSg}Ygf)yMe80SiIww6Bg%)NBA=b7r2}P3Z8X1O z3TyQwNN&u(w8x}m8p8hZ=fjjNisa6KT#X@5#VrP{ZU=5lqsUZorHIQwSOXr3&)W() zM7r3}-%*sOIMUgUqU_N0;N3%GzHB&!8-=V>AhxN}B0RJ3Tp%6Kz?{@WW;YBAs)BmVUHd9OX4X0;LvDjrWAh^@sYP+%Zy96z5#nrN-ToTYPeHlVdc$P zxMpRmRz7Cwnyk;$P1fR=WV;8F-8C6@++6Eq2=4kePd(V%>zcgQ8<<>JFm{X+>K_iu zwyxEpg0_HbGDNUF07Kr&`atf==0<;epuLID1=rc@11s}Z=_lh)X>!6$+db7p4@ta z$)qzF%uP09{pZ(Usy8$ltX^ZT+1OyqHJMEM+=hBvW3I-}D( zS|87M*r!dC$5&o-eB}YEX;rhzr-96tY4SdrQs?9XTCO>#CDf>}&$N*M7@^-DFD?Rj zAQF@j=2T+%Vp#&j*iVrOD3 z*1%+v2qXWZa>|mYqkogNbngP|w03{7zY&H)Y_h@d9aw)qqxSi8R?q4jPVFH+n^&Z0X!4%SFYq%;XJvE%0 zn}@e@ZVopa;d1z8c&Fdfs=t0l7KPDV3ir2^??s<9f6x!&oTIrR{-=Q)PeOe>=jWQa zHf}j;Yvx)xFKTY%nm8CmIr{WT5^jZJbNnBG0%&h4o4j`2Za{-N9u&kLm} zlY|jQ{HZ_|8wFT*u@O{_RO0mj;7{aR-1eg(HtaWwlUm8e(=aUc-x2?7FaSk=OA^i$ z=q}b>rOVY7>fE|nx+OZVZmsTi-FJ0A(LJDhLU%~_uI>X}rhcM+vc6DXuCLU4^v(Jk z^>^ua>wEOa^?mxY`U-+_xYGxF!=FUen-&*$&Se=)x=|Kt1%t=C$O)^_V!>wj49wEob#&H4-L zUh8kHf3;p{yV{m#v)fv2H`_wCJ8a*z-EI4^ZKv%C+tao`+dj38vZvW6*eBbswU^kh zw=c5)$o{PT1N&&lEXOU5pE@3NoOGl+Cpc@J%bY%EyK}Yko6g&ucR7FL+~M5meA2n! z`Lgp3=ljk-IQyJuod0lYT#TYt`Ma z`-N_w?rq&)bXI){@IObtSl^}(>G$d1*MFe@L_fwb$FRt-%5azA9>cwc9>Z$}wK21q)NR*2se4ZMYu&55Cf@Wd)8nS6OwXBqZ8~Cl%k*2*Urd9hDdsumrRF=#KQ=#P-fuQy z#1vt)EVtZg`A^GFEbm()mX9o-Sw`oN%g@WV=g-Qo&c7kwo8OkdA-_9+NB%?kyYi3b z{~qIIFh9wvwq9j5Sl!kN>pbfcYm>Fj`c3Nt)?Vu;*3Yb?Z3bJutziofq{-k}seZYR!p6s~LG0AbI!|rf9Y8*=( zjgEHEcY~wTai`beUZx zuKBJNu63@ED-1e6;d;guasAo#H`j#)OF`pXLE-O$w!H<13qAyOlMB^_6TS?6i*SEq z2z~F?{RkuLX6MaaxNv&CFwZZrqY z8_Zp1!Mx4O!Td+_pUQs@lJV{Q zDN2wOXfJ7h0dSrrO5X(rlTw%WYF28C^EFt-{s}*%*do+-iHk)@ys& z_NMKGZNT=K%?_zpZeL(;u-{?-p8a0?ZqWHf`|I|%?7y{-cUvp8HaR<-H#@tW-*MjO{3Yb(3(mvN-+<r?RwsI$n~!41J_B{KU}JUOA01KdO8cH7tAbJSkMR#c)H;E zg4YV(Dd;P(6fQ6H7p^V5rSPYP4;4O*@%)}Lo-1+Z3TuR`baZ>#qASuZ)-~w-x^=p5 z>bB}0)IFlxqdTm7OZPtLep+`{m!{9uPu0)WFVnYx-mCSS^*_+>&_AkwR{yI0UCeKP z)Bjzc%EtC&L$1MYC^u9Y7P7G&G=vOy7=CEjX4qkP1eAZy@VepmhQAmF*gQDKcoDeZ z8jSTSV~a6hTx;B9ywiBM@jl}(jK4DOF}`Gc)A+veBjXukvMJMKGnJTTnkr2Vkj{S7 zEvB&P+omn1pO_wkG&pE_+4MWppGwI!4m;j*{MOOu zI1O2l?!4G}CFH?%&IQg!r{LV;+y}XT7?R*)=b)2wUFaI`n(Uh9vbhRfm99muHdoMf zvul&hLD=06hDp*jktl&mA$9@~L>`w|FE_kfq$$}ROUN1OS z@Ik>}3(hahD4bq6qi{}Pb77!xP2on&1V1RexA2#RdkUW|e6jEia8AE87c7(RL#F7m zb>G1JTcTT`<8}8!6Z)m@1>I}9qq<|dk9416E=bc~s=r)s(7W`r_4D-B>E zd-^B!2lS^PD@6UJhARzI3_3%x;X1=SNQ!1dyWyLLZo`k6q}XeC3A6R@3?~f}jM>I{ z(3$GMBO!3fX5%*F&y9~7pJh_w_r^aPKQpG9&NodkU2V!WIZS1ycGJzKCrt-1f1iQ8 zxYV3$cABpHT9)4GvX)}j zxWVd$zO~Bw9qWHu@3lT@{m?pqxg*JTk!^zQN}CQER}myjrERHgrERV47H|^jU60xh z*iPHV*wgJ-K;xQipKt#r^sN`|8IDUGS2zNWHI9vr7aXrTK5%^KIOX7+sZI^}BhTr= zjIqdB?_2>nvcY)=^sfh;4>^D3eA;=ydC2*;^8@E8@QVojE5miU>l&BAWpzz=&2-In z)k3bU0M~rSb&qSC>!+>93Ja;lic zU+{5(x^QCQ70}OYg$0Fk3u_Bo3PXkA!fzM;xbO)`n*ES9SO#)yAY(4oT@KyZuB*^3 z)HOnH?#8^b9Wv%ka7n8EeEn7We0{Go~GL7jVh|W(4yBFv|y^v5&Ds z*k{;R*tghO>{l!t$ARMoNF>41gc>*uj)c?083Rg!qooA%cA z*A3O(54f>hw^8?jZnB<+{wDnx5Frczb+e$)WguaoZeR$k&ktZ$ltHS&5rYo~usCp* z5=d4Uv<}jSHUeJr1*}#KC146M=P;uf7}gML1~};`hz8DMo3U-!0qi?0ADCxXFuMnF zdAL$sGwu#<7k)QB6n`GfLkIo~9!X$E0g5cmVMeedYy}a)4uS{47qHA8LJWZpX5$bc zi;xEx=QQCgp_))fxJGCpbbx5?5n&L_(o29bGXP}-nI~+2V}&s=JWxG8I6HvwAcitH z0JL|hL5o3~0rULrJgCNr=fMl(rSWojRTlHP;(hQz_(*&lh)#O(gZMH0OZ+5$1}LI= zJc_^x#wZNN6G@08Yy|P59nle3gb&e=7)gvF{sN-LG{AH@#N)&wVkw9oYlw9qerzLl z5_^e*fcqwibHsTfCy56jois@a#5I~EJit3$k_l-eOGi19Tu2@yACe!4FC$4Yq+dt} zNNJ=jQV!`jsR-!kvp`4J0fp50G2!enu>G+Bup zMvf%MkzFZ4lrYLKlr+k5N)4rn0>1YDo1Yv>Fcbs=2GJ$c*tyh`HYR=Ig>xVnbjf|- zQWOFX$M8eE>|Cx%8{wWv6avl$gIw6THQ3=OIGu!mqZnHN?uo6s!VhsF;V=g36e11= zVgAq-B{#+Q`os0iXNn3^YNqOb9XGDzi{Fo^uPHPbg)e>RvY;{O!VHLxoC3cN3?u@M zK&*+)eEl`%=9X;}oAM%h*ynYa_go$+oDGa8J{5z8xY&{QD0U%)lMzM)5@HrOg?Jp8 z`(hwf!q_dy6C(@>GB0xop-sX=cDaGvS3f^b*0%#!xrNy6eB2_!JTWqm6tfyyNch_Y zIb(3DisrSv^@NdyWSAc#g+!M>W~O9<4MYDRW^RbF5wuo}7bpTO7Q=jN4+J@h@q)by zEDplrz=Ax*3EHu0u=chq-Ej*E+eU#6L$IPRXB-#;HnmtgUEn5K-@04({bOc_av&G| zTaUKjl`b@}B>=jXTQ9c(3(?^Us~-@UFeDw$4<;DSjiAHfu&T2c%2Pqn5SPSK%9b4jIFhjcW=E*Di!?3PPPy|U_r+q` zsDpvt&5S{dxxKitDDJP*;RlS4FSR0Va?2k3)UHkQ51h7tcVf+^;{u65| zW%y8{DB+!XvjHxhond)BL;Kzu3`|Wdx+nvw%Xq; zYPCTb8)<<$EPIwwM)5%0DhN1-nH=L=U2+XNh9jlaVKJj`*9-q4G z@qBk@$Zd;_gaA~pZ;q6t^=gA=di;OdhranRgdzXVhq06uAKvx9@?o%T{B0&Q{>g`# z2T4Hg81Q5KKl<@0cQnPMu3oXk#JrwwsbJcT+cvW@XW*PBzeQ`nQj)H%J-^5ul!3;= zne6PoYi?0!=XT4aJ3b)KL~q7|x@Dzt6|wO-qjpu+hT z-EhV#mvdx|YDihvH$SGs9l(>ag?O08&vH8i*b)?FmXw*U@i#8R5eJ2?xD#-2Z?NXA zzETDbzING1!$Q}yd^{plD|8v5S&mNnUKf$1@uRLA%}whMRkg!HL)W{zt@p-ixqF5{ zy3E1Jq6iQU!Z5TM>sPmC0>a<422k+tdO3C#xS8Fg74lgKuYG9QztvsLUHpO z9EKuF91@NDYxMg)%K{RC!y{3O^6_&l*)N(-WFkjq#f%zeqJpoob_)N`=0(dJY$az)Ney-p( z^U_f@aeL3wW)_ZL;t|z&x8Ipd@0jzbXopZd*hwVwma3&|j#SS$oq?YhIj*T~E;XP~ z-@F)^Wz(EgML)28TCc{YAPT3UwfFL%9G6h=YhMZHyDy6&2h9|7gUfgKw>Ro5__*8V zHPFJ&w#w-4&lqmLD&30;hv;l$0H!*ZVJcF=xWM+QD!1&H5tnzI|1LQDzp?Iu5}f!r85qi}FuiJ2k9QX&MPMTkI#K@b5b5nypYict8!H@xK@ z(f`~dMiG+#HaN*2gJUNC%i-j{o$6u=q<<19y?)9>VGoz6F1H*+KHCwSt8Io}9S#oI zOizY={f+3S=NF&bt75&!-L-GL^=!I69`R;#QE|f)OU}`sXK9vlN*1paqiqk z)x(2<)rAi_c#n&S%(yT18>$Ex7Tj-X?x{R+F3~iFhP3NT7`nI7@JW5av(2)GO7EJ6 z4+)w{acXBwNqD-|3(qF*JEOHLLz|WkQ;vv!yaH@q;7RTJ6U(#QR+;IxEBJ#%eplam zaQI&e5GMZs$N`21tz#%N6qDpv36M~x9fgMav2trdy+YmHSenCY<^BL0ogha@X{8LX zQGB^M3m8|ohoJAZ5J^hQwV05&x{@|P!LU$mRzG2@V9G1{WY_V~Bwre%;!9e+csl3g zL)7nJY76?UWRanBu^25G>cIOL-!rOs|4m%UeG^ygD0>+>7^L|F$PsYS6(Em@i1__5 zf&xLpOw=Eo7D)$+4J{inU36(YgKc)hyRgt=SIOFfoQf-Px$o+-d%h^X>TqYHbHdJN zb;?t0AKK*jz?+6Y+Fo-M$Z6=S5O|UQwp(#?r?*Dr4(B7sEDGx_@f$|eqRck5w|1*m zgiGCUZ}_}WZ&Ol@$TYOw5q*O8c@eKQBbn-l{t1>cvQE1+k^9A)M3tGkw(g4fqlF|* z^7DbCw#pU1i55tC-xF!Q(thlGTJXqJNmHup`$iY4$mkB~?xmVJ$8f|If58OYQVWmE zQTL@P0k3!y!)C>%kJ3j1*L8%!lB|8ZyV<!h6%rj~KagIX;-&m_+@_6&Mq~}iy)TgYTI}5UW`PJ9XKP@8R8$^_Aw%=&f;$3 z+O-yQS{t;Sh_AK8mIlI`_GS54;==bBE8LHRIV8slU7xnMc>g*dHB!2sT3b<)5>r*m zzwln=#PlaanVF*YHI~qz$GwYN1xW4l&h{$TQX1T!{)7sSwn}|}=WO%Gf#JL_T0!)m zi1ehm){1?I=oweO4jCwWKzQb*Wv*^D@{or0r(E~AU#e%Nu3hFaz;_HjUMM`|!WR^q zC1iz_S}IC+37Ey`fPZ(Rk3PxkQOWqsA57-I1*A-sN`$Z= zs(?VYBNN{-lvPD2W);4JNRt`I1Lol5VYdQ@IRgVQg3ub~1r8prpFF|43cx!{16B~6 zn@4i_fR8Q6YGq~SnSnEm;ALrmVpb|4|E>~5NBlVsMKI$~1c*a{j}=|WX)9;XGI10V zjWg~pPUu9Z`A+TceJXLy>=IUFZPNJ8!=_x6+Q&b8)!mBRg{X7coOnYL@oG!dahkqO z*mWmw_OX-uh`-7>Kh3CQP#j9`yiZ*3{+{IUd|yD}mIcnA{cA3iM{m3R%&=PGEq#PK z^*KfA_0=X5KN*Ye`kd&pWY@Abr_vaWUX8_{w+A$e%BKcK;4ApzH~c)ux9&82hEl>X_IQ?jc=*gz~teoo?$WTK#E znrag{rpV*bPI=yShW7pv7iG7;d46WzY!jZ^Z@A>*H{Y~3YsFcP3Nufx=oP`7$;hOr}oL z$zfUB9`jaN!SR6?E!rF$fx%FC$^L^Me$b z?F3QMkmPs%{S&1@*33$BD0657#L3R?9nS;S=^!0;G;6^w{vrvEK>Z)-5rhHlas1iV zWq}jb!=t%*?RR-BY8x(f8GM@%Roxj!K47ip@-fn^DcMbf9Uw6n_A6zy%(J%ieq} zKBvD)4puppf278A{GhR}gT8p=PjUX?r3W`*Q^W0Me711xIFz;h^^oSfr$V`2d*%z# zWn(b&bUlU};TL;zRQzSVj3D7?Us1_RgFWz*5hufcO_;UpeC)dB>rWq~vSW=fbhe#< z9-I+CZpEkkm*5|<=C5dJ)jBOBJ_nNczEaAC#PEFAiD2Cpl3rCpWB5P>{bN;E1kzkp z;=!ziq#2UnEXeOOPrv6WLfSvNL17e7a^XABM4^qQp#l`v6}pc{luOee0c`{Tawj5?%ftM zeS0I{!FwkI2g{ZE6(s6Q%{xcaKZWjbipVU@aA?LlF3fTmN|}hO>&=k_W60YbpO_mb zE{s|T)9Q!Xs}Pf4*M10bjMduI0HKZM$M>&sZn%4U+X9~s|AL?6p@as}!-#&eHFr_G z{f<}B$qA5P?3Fn-dx<{ysn0nRzK-1TL|iFBt1#=9)#DZ(Cn80tC&|ZBm`(DCM^>!R zBTm?t$0rH3xmntP%7ZE8kzw=AY8}stYECM($wlYLeCjN&3!9r2 z#!nVX-^3=BdXy(bdZ^85qW7p$IT&la#ST0Pjg9n`U;CgnNc(AiY7Dd}vEA0Axu5fv z)X0W6u^O}qbfAybdpmV9E;6~yz_oL7{dv+A!H=BR7-nV9jT8)TsfAa?W$N%fnT-lg zg6Y|8@OpD=_wk9b0y+W>v;oHtOJc{+;d6i-W|(dk@}FMwL#+AJq9YeOn+6{e0sc`L zV>=}NV_--O`g?%`4jgG^H-d`|!w*ClSm(u(AUs6I;++6$fBzJP0SnD}u~&D}c9&hL zI)>3JY0qw)N)9mjlRLm+_>=ps+9xyQ<2NyKqSFItt z<;f()D0)TuQd+y8S-1N@k}rd!bNrM*CNo?qXhYuFSv~%9NXHR%!IVZUdh*H z+dgm{{?NX6p0p)#>j3=r^ZG*yrWOx^yG|uuP1V1>Po-4ts@i~U{N;NcJ{PZvX_>jZ WUG0gv+JCIem~wSX<^|8MJ^uswUPJBx diff --git a/venv/Scripts/activate b/venv/Scripts/activate index ffcbffa..b127a70 100644 --- a/venv/Scripts/activate +++ b/venv/Scripts/activate @@ -28,7 +28,7 @@ deactivate () { fi unset VIRTUAL_ENV - if [ ! "$1" = "nondestructive" ] ; then + if [ ! "${1:-}" = "nondestructive" ] ; then # Self destruct! unset -f deactivate fi @@ -37,7 +37,7 @@ deactivate () { # unset irrelevant variables deactivate nondestructive -VIRTUAL_ENV="C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv" +VIRTUAL_ENV="C:\Users\mwitt\Google Drive\Teaching\CSCI 466\PAs\venv" export VIRTUAL_ENV _OLD_VIRTUAL_PATH="$PATH" @@ -59,7 +59,7 @@ if [ -z "${VIRTUAL_ENV_DISABLE_PROMPT:-}" ] ; then else if [ "`basename \"$VIRTUAL_ENV\"`" = "__" ] ; then # special case for Aspen magic directories - # see http://www.zetadev.com/software/aspen/ + # see https://aspen.io/ PS1="[`basename \`dirname \"$VIRTUAL_ENV\"\``] $PS1" else PS1="(`basename \"$VIRTUAL_ENV\"`)$PS1" diff --git a/venv/Scripts/activate.bat b/venv/Scripts/activate.bat index bd7567b..8be3e48 100644 --- a/venv/Scripts/activate.bat +++ b/venv/Scripts/activate.bat @@ -1,45 +1,33 @@ @echo off rem This file is UTF-8 encoded, so we need to update the current code page while executing it -for /f "tokens=2 delims=:" %%a in ('"%SystemRoot%\System32\chcp.com"') do ( - set "_OLD_CODEPAGE=%%a" +for /f "tokens=2 delims=:." %%a in ('"%SystemRoot%\System32\chcp.com"') do ( + set _OLD_CODEPAGE=%%a ) if defined _OLD_CODEPAGE ( "%SystemRoot%\System32\chcp.com" 65001 > nul ) -set "VIRTUAL_ENV=C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv" +set VIRTUAL_ENV=C:\Users\mwitt\Google Drive\Teaching\CSCI 466\PAs\venv -if not defined PROMPT ( - set "PROMPT=$P$G" -) - -if defined _OLD_VIRTUAL_PROMPT ( - set "PROMPT=%_OLD_VIRTUAL_PROMPT%" -) +if not defined PROMPT set PROMPT=$P$G -if defined _OLD_VIRTUAL_PYTHONHOME ( - set "PYTHONHOME=%_OLD_VIRTUAL_PYTHONHOME%" -) +if defined _OLD_VIRTUAL_PROMPT set PROMPT=%_OLD_VIRTUAL_PROMPT% +if defined _OLD_VIRTUAL_PYTHONHOME set PYTHONHOME=%_OLD_VIRTUAL_PYTHONHOME% -set "_OLD_VIRTUAL_PROMPT=%PROMPT%" -set "PROMPT=(venv) %PROMPT%" +set _OLD_VIRTUAL_PROMPT=%PROMPT% +set PROMPT=(venv) %PROMPT% -if defined PYTHONHOME ( - set "_OLD_VIRTUAL_PYTHONHOME=%PYTHONHOME%" - set PYTHONHOME= -) +if defined PYTHONHOME set _OLD_VIRTUAL_PYTHONHOME=%PYTHONHOME% +set PYTHONHOME= -if defined _OLD_VIRTUAL_PATH ( - set "PATH=%_OLD_VIRTUAL_PATH%" -) else ( - set "_OLD_VIRTUAL_PATH=%PATH%" -) +if defined _OLD_VIRTUAL_PATH set PATH=%_OLD_VIRTUAL_PATH% +if not defined _OLD_VIRTUAL_PATH set _OLD_VIRTUAL_PATH=%PATH% -set "PATH=%VIRTUAL_ENV%\Scripts;%PATH%" +set PATH=%VIRTUAL_ENV%\Scripts;%PATH% :END if defined _OLD_CODEPAGE ( "%SystemRoot%\System32\chcp.com" %_OLD_CODEPAGE% > nul - set "_OLD_CODEPAGE=" + set _OLD_CODEPAGE= ) diff --git a/venv/Scripts/easy_install-3.7-script.py b/venv/Scripts/easy_install-3.7-script.py deleted file mode 100644 index 1cf8dd8..0000000 --- a/venv/Scripts/easy_install-3.7-script.py +++ /dev/null @@ -1,12 +0,0 @@ -#!"C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv\Scripts\python.exe" -# EASY-INSTALL-ENTRY-SCRIPT: 'setuptools==40.8.0','console_scripts','easy_install-3.7' -__requires__ = 'setuptools==40.8.0' -import re -import sys -from pkg_resources import load_entry_point - -if __name__ == '__main__': - sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) - sys.exit( - load_entry_point('setuptools==40.8.0', 'console_scripts', 'easy_install-3.7')() - ) diff --git a/venv/Scripts/easy_install-3.7.exe.manifest b/venv/Scripts/easy_install-3.7.exe.manifest deleted file mode 100644 index a3dcdf2..0000000 --- a/venv/Scripts/easy_install-3.7.exe.manifest +++ /dev/null @@ -1,15 +0,0 @@ - - - - - - - - - - - - diff --git a/venv/Scripts/easy_install-script.py b/venv/Scripts/easy_install-script.py deleted file mode 100644 index 8bbbbd9..0000000 --- a/venv/Scripts/easy_install-script.py +++ /dev/null @@ -1,12 +0,0 @@ -#!"C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv\Scripts\python.exe" -# EASY-INSTALL-ENTRY-SCRIPT: 'setuptools==40.8.0','console_scripts','easy_install' -__requires__ = 'setuptools==40.8.0' -import re -import sys -from pkg_resources import load_entry_point - -if __name__ == '__main__': - sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) - sys.exit( - load_entry_point('setuptools==40.8.0', 'console_scripts', 'easy_install')() - ) diff --git a/venv/Scripts/easy_install.exe.manifest b/venv/Scripts/easy_install.exe.manifest deleted file mode 100644 index 9c19e18..0000000 --- a/venv/Scripts/easy_install.exe.manifest +++ /dev/null @@ -1,15 +0,0 @@ - - - - - - - - - - - - diff --git a/venv/Scripts/pip-script.py b/venv/Scripts/pip-script.py deleted file mode 100644 index 1bfb0d1..0000000 --- a/venv/Scripts/pip-script.py +++ /dev/null @@ -1,12 +0,0 @@ -#!"C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv\Scripts\python.exe" -# EASY-INSTALL-ENTRY-SCRIPT: 'pip==19.0.3','console_scripts','pip' -__requires__ = 'pip==19.0.3' -import re -import sys -from pkg_resources import load_entry_point - -if __name__ == '__main__': - sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) - sys.exit( - load_entry_point('pip==19.0.3', 'console_scripts', 'pip')() - ) diff --git a/venv/Scripts/pip.exe b/venv/Scripts/pip.exe new file mode 100644 index 0000000000000000000000000000000000000000..6a2735581e4184bec05d3924c1a282ace1718521 GIT binary patch literal 106386 zcmeFadwf*owfH^BWXJ#sdr(FK3XTvIjhE0=O&rh+%*Y;@2r6h)P&62^qEeUtotB*9DH^Zx#M z|9Sc7?EO6ZxvpnD>sf0(YpvAWu-4^vxm*SOZ`&?cD^K}Xt$zRUkHzN^r*9bH`tPCJ z&uGnyZ9ik~;yacHmM**J_GP!+6{x%A?z``a2X4JBuq<(R;EuZk;n~*&?z(5uZRZyk z4=c?!{p(8>-uvE-BPQkkkNbZ(>0Q!CxBPa}7WMqir0=We+DRYs{BYu$SlZ0ZU{1v4TJ-H9t_RLKHb0klz%{`&Jb#$WwV#~-baJ~c z;^|ZG)p_!e_k5SjBR~AhJzYN104>p+5B#bdbCt4nDd{wldq~}Ej=Z`aJ3r4gRlVf7 zelv%cwRx`7hD%27U%qPz11NWspUe7RJ@Z_x&QQO!^!f4IR>t}A;rsl^fMo8n_=Elh zT&{)ZFI#j={1%tXx>!CikV+m0}DYHtETx(sFWQ<}(`v&e7D2l5lFe zt*2t8<$5w)8nAvF097haqD(4GUP@o6r~Lbh@?4f(>~gJ_b+P?xKXSRYb!^-A6@Ah& zeO3(WlbnChXX8Tp+%)pUKK~$n&KT3*=V{qK_2m3gubzyT`mWQB{Q=YSU(=bJd000; zuGkwhyJM;8N42MRMa^!j`DE#~OK)zAk25`{Dz_sP%!_K_m!o!jw2Z>xs-u}*x*0F6 z)XfgvoX?z%O@W&`w)OW@q9<3C2Iht4hUSH?4PB?3`{}njW~O5)&shu-_$<9z9yOJb zinn9Q+bXSv?1_-Mt+|bFMHJC~&~EKIZri#^8Q_{^} zn(dILAB|MBnJ-!C(`61)ZB=RBQw6|3WWE$Nw};IwmZyXzG`H*KF6&*@`W~6;>5OEb z^fF35%=;a!*V)msW4ilD`a3M&laPx7bF1}J&FPm;AqYpB8Qp<_e!rRRH*9u9&6jj@ zhxMb;QhtXtx{}_QAG5o1I5TIS<{s_gc5DAJ=1A|l`CO<~=!f;<?!jGBax;eL5W#I~_?c-=>$4wl3nT4|+}_JK?D@ z-^tWVYpEY8`0ZvM&jUZ}_g`r7*;8^YJ~?dg(5KMom8tnNFoSzu5c> z8EHN-wnFwo=|YzDxuI;lTV=7y-;(jDPE|YBS{XHaWKQqv`l)UD#LeuL@|$lOm}~#O ztk%s}bn}qyPtm?^OmuZZP2@CtN~WL&(iJne>gG%A?r<_D*d8kltQSVc_TNXz7-g7dPhlR|(pk}Mop#8!&9Gqj+|pWBBk37-T^@zQ z(kxiN(Dr{n`&w%}13XU6rDUJXVIGoB`H#{flMhLAG0E?+ILxwpRrVZ66E7{f4tjsB z95A~1KD9oimcr-rKoQ7%=qd1q97S=%+PYcZdeE?}-Z(TNJ}G3rXsze$0h7m2_b*a6 zHOp)J4+!*Coy0c1d2f7p)D3#~rgutPDgTct7-|)MN;h{}bwhKM>X+mqbbIBc-z#ohc-wN4G;S|A#u%u&$Tl#+LkS@ggZc&KaAfo3GV}tImv%(bf%@ ze2{rU(7WQab)m&;W;icz@S+><1J=}1`0Dyl z^6S@b@w8Osx#n0Cff~ng%D-WVTDR=kT@K07Q-(CIo5zLR1@|l;-B48=*BYvZ#fRy3 zyB_RX_F=}&KA=AQLdyR=nvfO$1QJx;aQP^?j-44|%08u$wh)Fh0~m`rdZiPUL^mp|^MY(%X?56z?@a%I66Srb}-TbDtwEL@GWAnVa?IZtdYV7G<>c zt%;m^F8D*2Rmf{aTe^{VRc5y;6MvNigz+3FwZmEqlPvTc%$_6rx!Af$wZT%lGEYCA2!EFg| z2?w-oTlF<^Iz>%z@fqEGnRz7q);eg+JB!NfPpu*&?za|76M$^EbuDkO4b@4n zh>It-!76MCl~8bZVzqVsRH`Ir_;hn^n}9!gvTnAts<&BQJ?K9M2O2-cZ0I7Z+4D5# zNWyDPy+levU_JkNHk+wxhBtnyZqD$TEvi`YBT{Ur6`7*iW(YHUJ*tKL#3)0R$=@=g zB#%SKm;Z^jI&bh8`_Ht+tlv_E+LeLOTu`VQZYFA4&YlRFn`%VZct!>aMvb*@3-mAK zL9o3QE^>AH_v-WR_#48tf`iXmhhZCIAZj2|RW~YenO@ebtvl_~dgDlF*)V=@SW!@K zbOeMP8+|IPPi3_Qgi7o7_IPzY{7|qyxF^0P^L3aNp}zs^BcRABpc2};J=W_2Rbdyh zwT4M8kJQ@6!Ktn5C~FT_!jr~}ge5FDekpJ}rbHGw>a*JjioKY%s}9WvfdIke3O3R1 znE7&*=kiJ*yaE`+zm=Uolg=XYL4+(df9fJ%G&BEL*()=&bwww`_o-POQnP9gaB81a zZyZ*6hgIIjK-AcnAGN#UjJaFJ{7ih4wr-=guDh%Y#FZvttF3v$l&khn)N{xdHxBJv zvC0w0n!9x^atL(4>tdn0-HCwp-gKBihUl^$sOHU-PRvn54`})=o-USNCU%xGEYGr9P1@Dez2r zzBw+>)#1=5)ARO%JlB(=3!ulsR#EU}Ji!hv)}hyRZGg#hB|YsFv5rOBdHMH|<{C-U_c^dS+2L^R5t- zl>f+Sd9FxGcSp^xSjzt~Y!rl3Z}0OMZ=4=A3pVO^cGt$tQF&40unkvk96lcR)Uc0- zbmp@jcGPZ@)}wZJ;%~I4w!Pqu6^y!E4bv80l;?8AJ=XTi6|{H97!XUCz6Gu!OQ&V| zQpL3lLl3^Z>{5XA>gn>nXT{g#IBfm>zpH=e=w;99z3=Poham#b=mS|VD=1^l0=)RPZXqf66S$oI!H z%!+cj1ai|0K%?fi2X7ZifBHVX_ha4Y%U@PI z3j*rX8xOfS30F+fQz)*2?JI`qtp`M0N4(LEeFv<^7@c0WPk7^U81MMmorT-Bu>nrD zUIfM9xa4rsI$eMNyDUqmF9V_(z_STUSHlu*w{909!ej+aR?uVx zO;#{Ls&D_ys-zY=x!dCpKO9fxY)_^Yln&zIwS=K@r%IqQV0lb|<_EySf%&GfC38tHWEp1?}Wraqt z&M-aE-cMt}u6xhcjpKIQhhDQ{x2QGSWIauhq2j+DRIqQw!%;N&+875m7Q2>Euh}v6_ zQ4~aE4=E6kV`XYZY$7`PLwdh|+tTbtT9zdzup0iBit&M7P)`jaSP_ z3rR#oj+u*KXOuvo^q~k@uwpfwZ{|iF{g+iOFm%xWEBJQB{!JFny@%#=ynBhYi~(k` z-S#WqJ^eZZmohmyD3)4;68j7pf6vU4YOVR(6p$6GpX;pHIY!^{_$0k-aK8ub9ZgjJ*tc2a7-yD^hjQOynvV#x|Tvc(<@geCds;wl~(*P3J4(C(^^jI zsJp1GCsf%GKiS&C0JCGgM#j3sX2YH%Bl#1vF!$7$LMXC2!=2VvhL;m5>R6JsQu3gX zFcB#xBU&k;q8?a!l}rJ@CzSt{`e0W=1g1!<92}&U`#70=XCdyd>(0xkwc z;~<+`S{^prZU4*{fLk{R;?dUeL0i|Zt=l?LxIGcK6z>_S*jr=nLWl#85~HopV3o2H zdWctu-1h~vFq>}+n|EQ~S8* z9?>P%gn=pj5e*|`F?|C-v@W@t#Qk15cONJ)>b!_;=nBz+=UKPkBMU&22V~kH>Y<2-KO0uKekpeGzakM8`wHM8}qcLKk`vVm?*6HApI*6 zW%v7P%>6ayr|$c`(e~q>knzsxv&@16HFthc8|n#r=xtSQ7WvjM7r0!(Es2RrgxjgR zyK;l*RD)<=_Hplw5?26nFasntUu5>yUDSahw!8@aQQUH{Z^g)-871EMa48I%VD`n` z=KZDcY-d;Jxvrph)pJ2S-|j5yO@%LHD-EbNMXw3H5K2HM5Q#3-n3t4aV}ouymjtN=LnYX zXv3lq)+qL0zo&GoAUeo+`+@o{0z1A7Arjr4S zxR3vLMH|r+*_Yirv@^1Ym(`iV8L5KOWCUG8jUF>2?8Ta0(AALrf^bPa@%bQC)UMgH z5_vqbtEEJKWi^tKU71mOYThnnu*Mlo8uD|7e3Y^UEhQOW_T!@L#{$T*R<&SH{q*Gg z`s3Q89jO_|<(gy;7lMey%O`Uo$i?7Wxy!&TYzE&isG|fmRMbpIg(}I783&2h^s$<9 zTf#3}eTlD zyXdE&^IY7Bl1bFC*41*@^&L+vwVJ49R8G*Eze_{by`+*Q=>~cK2Jf`>)_h?cxNv4i ztM*vtFSI9O5>#Tz&BvwHvBK}Lnv#CZEp$eM0w>_Ie#9_9#T?HEW$K4FEUq$=D4N5N5S!L82dh|_#jCcqc0CN%Xm@x9)k@6>3?3u_{|$jB29bm8x}I&IvP&i zSdtkV>gmXfkK)%G9}&_vyftiDVdsoe5pt!{^++LMvr}<84_~iv3f1W5R76dzTqed8 z&@Vf?$Kg}ims~#$Y|fCmM+SVNdTr;3eo)QlRYrdvnvh|}k-WIaIFg_EyVdkD`xU*j z@bNpX4`tKtk+*__yuqu^|B}9eSI(}&nD)#xD6MXetK*R4>RM|uKnme*D)g#xmy#Jz zSV!(4E9seY1~U4(#X`C68*06KySyZ@lo)rG)Ma3^Wb0in*GB)rN5$L>2aV$u)}xXR zcHTQiH;307Q}3IW&>ZQ*`lw!-i4Q@-@@97GrkmS^mH9bV2pwFfU~-74S4LT9(_B`OGM-lxgn`S8n$JsBSX+V8DXObj z@+@bB`Dg%9+WHk&h(3sOL9V8)-NO~L^3^P0RtFHNK#$cepdBGR!%$%=#;#vU z@_CeX38k|8x0B%x@624@6Dl#{mskrgl11NY_F20HVb~g%!W07p+rb$R&14|RvnI>P zhgp-~mu*}(*=5v~xSSJ4sV|g%i8JQJvx~}uj;~SHU+6qLj>~w3PM^s*s^de9TS{D+ z1J*Y_%${Tya$-0q*+*n$*eJ3o9F%hI50vFbYt0RE(dPLHx5{YE_hu^fI!`wVh~u~A z;cjoN6tl#{TkD5|2=!HZNn%gMUZb^%H6C&A(5grJc+np2VCdD>Xe3BhWr8s+fMO#b zz0r9WpszcPB38$_InCYBvq>&FD_8V0lw49YUy4FBUDhN0MPHjtvilwo#H!;ndvMr# z^bRiT42szPtNbyR6U3q|I++vxZ96n`9}b)>_D5 zK#M|FY&)4T({t%WG>S>jWju7#AK+mYpTe&-?OlPXoH0-esjx^IUcpahwAp8@Dy>G* zP4@NVY_sm+cdfI)I)E={fuYlrtvi_w>B;GP*>FM^VO6+wZDCjd{re1``+S*~=~*S( zA^NKoJ|D(=p~#B0)(dSiQ@NL+&pEDmNar51lKM0dMuy@O)@`Wwo#P|rnM$Mb9*9vN z@ro8jY*@(VGiWO_K{uO9)c}$nuk@M9CXF`8rsrX)ZhAgct$1!0MIYtYN`FbuLUKDj z7m+!%z}432Dd!F1Diw;6^QGIxybsO3FSY#_b&F#3G0HhBFam(co$o2+1A&{j%F5=E zFs6NrLU6}Uxp!G$+h5Yft)g@Vp|SnDN$HK7WbE*M%0}=;Z!~#lNi?}UAohZT^&-_Z z=6&88bBY-%h?@6R)|BjTs75 zd;pVHQ`Y%-AResPT{Ze%6sEJiW{A19Eh{whc-&iLBX+m@f}@w0WZpppcek0bP9N;s z5OYaqQN|sH#{+JdTm&y(K2Nu~seG$IcfW4VKtpt3S(O8|Myaew& z8lP+gT`+;*;!2piKj(#*jvfZGHSW%ky(>5LW&fjKkTpvao3uNtVM7PoqzUBtY6yBzZj zt*L`tc;2Q@fj`$e#-VFg-xvQzsBEX!^ekCMdU$-M-5tNwNSDOVGSb81V~j%uiSI^) zPyROwM9f{rPG9=BQhmcmg=xXQ>Yh&26oO&K&g%3URccRW71{ZTdyV&w8}A-9cIImv zJ}k^ErJ=;FG!hzaXX=df-1uxGJt97pF3*v^M;nKRXw756k={;M8+-2}dKrNmG_cjm ze@9f(YBh&3jFU1~awl+}D#DgfMP7fqzle__BQs?bnV^akW{dn)715f9Ih~E5nD2z4 zgsUpFX2&uVy<-Fk-|S?kiiubQ3vC(8oq4>B+ROHQb_yFBa+pk%BqOJVlL>B`6O3gu z4*)_JLLfGg$H=vTrH!tX2}TVAm@H7n2h{S;yRY*BItr(Hb*txambjK8iI zvO7Txm5r$fTybnj3l8*Dml%n8z11bI2G%x~nt9CV^R4iuX8WvFYZRl)jA8Bd$y-4J>fJ_DNma z|MW&VrN`+~#60bYuu;N>k89+GS&6a*{>sPCM0tVHnsu7(oFEOb5OQw}n5!LiWA!tS(So1 zE(KxYdNR^r`+wUm2e8>^`~QVE=|H#r4ZN~CK2#S)#t|C^X{)v9c0QXanY>=H&6@Xj z7Ay6$Qh^Sd0nVZ2N-Hq`X1Nc6*Kx?_hS8kXp_HCy{fvFYy0>wHOP*i|j1YHe!|7}= z{dN{Xai|>5AjlPCunsd{jtWbA5dMhrVRLKlE@!)d>x`JNG%@Zt0yby2TH+<5QFhGV z;J^As>VS0<15r9kc;ZE+0nUYfabyLb7?#M{*!A4v#^j<6y<#|3?F|l#m)UJm_b#LF zyk!Sdp%09{kt>F@BLBEL8r#EEY(+E6l_3K2Ghv-iy}TQ?3WQ_)|ByS(Xq;P&@a@&pzIvD6$N3l?NZ zp(JOJqmu>1gZ>S&H)`C!hc&IKXshAcSuBZS!dF=W>} zm2-crw9+SA-*$2qO3n(!2-u!~ADQPuX9!d2O4P+tlfE{ZiP!Z-jj2ani86JcWDPkJ zv`iKp6`+^ssTl!fvyyZx&!gmw(&P+pW=zy9Ix1=nA4mEOuRQeREYNRwx?BYy>`$rH3=qvT)yaqP?+Nim!#{5|BMdq*q@vym%$9yH6 z$dU+wS<3&l*0fh`+gio(gY?X9ZxtoSxz?RzWW~rn`bAG4u3YeVe7J5#9y1>6VjYg5 zcS(;QCZsmfAlE=!QN>RVnFqrxdv(M-9Kxz3Iqy%X<3G@v-W&?t%muBA`g5HJI}}b` z-z7443=)GzqUC9dAdGLW50!P)b8F`3&@bKTA4 zPYLa*QTgqM3+Q)=`Hb*Rr+PU)&=XFiNqO$brqO1rbba}+1VkiU&I81 z?b`Rej8khW1;SYFXiZzdCZlhL)}*VKh}QJq>SdpcRim#~Yr31dT$aNz z_1&U1{ZM_c)0&`DE~R*nnnR+-7EX8}Kfo`jo7^UFP<`#`^JoK&+S|jImuOFm_dqR` zTt6<`_-tR;>`Tiw2y0JQ3Z!e(Nm6K=?kEN!*wMEvg$EQxNMGizQ12%3cuKe^mS zquOS$Zr$DzvOD<=2klj_h#pUkI*iTcQmy%32!5z%Q?=FEmKgBep^p1*cDP8r>_A5osky#Rv&R^)^lcI7O;&Ylp^NG&9;`jnzai( z4OXDH1#anw)mq-BeRni^UDi6elezFTW*Cu2Q8Qn^3pY4k0P-(>VH z*P2#ww5?BMKfNgBRyv914!)#9f6PQ!{M^K46@D>XR9 zw8n9(x4IetV)H(fCwM<(S>eBl$embe?NOe^Y=DWAFfbd&0&kLUG zsb*^YQ3jGjQj}#p*1a~0<5&z8|G3gEMheq zdI-$V-w-AHmn@_`bxg18p;nvipD3)N>=0&JZq~G5lFpm3g>BdeAV~>+!w!YaqmA#e zQm*)^5m4+D8f~Ca+y5py0onVI7JHY%d^Lx$*+SQ-LVp`vNYR1n%3#8)7DuFg$kH?5 zkw6d9BqZ#4aEay3i)*cD!5|CVWu)JBGV|jnw+3>Vsg-XqLOnB-DeEdbOf&Oi=91Et zk+R-!Suf2LB~DUz&t?}YW^v}2I-OCQiPr3mG#JkZx&9Gzr{#R466U4+79{+t(0W<7 zZ0+MAIZ-ixtxa%x*$>{Ln@2(>(o$rtLv3QEi?Y;*J0*LEwSBSLB(XXRE2l|HTOn88 ziyWKU6*L!hA7kdtJ*zjUk!Q|U4{q!kQ8iZ3u+%7@82d{A%Ngc2s!>OP*4(plf{ZnO znln~`PIjzUQz{Erv1FMOdQv_zR0m}uPyo1S>$&I9OoB9WGH@t6rP5`5l_S^ai^k^| zeT(BW)-R!UusvR)4r;U+TJsoHXv6;DX^l6m^1bR?VuT#tvcyH{o;=zyw)xT@@WNS> z-X|GClIlZ7m=in6vCR)-*R$pCnpsOI0?CJ=gq4%&EZXs%q41p)Y>rl?KzTb?YyiXle*=qMEIKn>J4G5)pn zvWHl;iR*=P;ANCT=U}_DQa8}3H-q)xwt`HQ-@MEWS%kvOR1*1_iIj=SDV z%a0y0-;`;{du`?7OtG9c*L5=vc|_kVp77OiZnQL zr;x9om6nU_*|wLczmTEMRbRtfIfu=lMfp}!-;@?03_B3Ih}*?(bRhz{o&(|(Gy;fkZD+-dy| z0gueB!pZ%m(_O@bA43aw{$5LR;y`mW{ z5Y7ul#jAhjj!gE098*(y%5?-5X)SqJ7ufB=j%A;%371~G1(qxzhMd=C&eoo|E-$P- z(H0JFTyaXMj1#Esid3vX+(7gG60m+!N*5TquPJP5OFU;@UW620sg_#AmU8p*0>pdX zILexrLYI_QTx8QQ6u$c#?94@_)h>#e*A|giiF#!zLRGmGm@HHjL%)uSZnCg{g?xXZ zc(X8%C)Nllo0M#&yQsv$xHLxpl+?>!jHMoxk?5%_$HmIFgnHb0@u3YveQUzQ-pY(1 znIHEx3=M?VguQRIGzzdXgYHI$;(PU75=SH?JHA9DWf>RR@f|F)O?@lbRmL z6mdB}X2l3v0eL^y1}b;}{oFE)S5s)2mNo-~3aKJG{_1*Z#| zpL)O^4*!tyw0V7_2wk`3QNFS{Mr-25qH|pM`zL{4R zG^T$8?U!qcg7~RM8gELj5eg7## z)l(1ppmgg+5QEGqOU$Zqt5LFQ&8?i!qJqH4P`2E_#1;kwrgQJ&XWWv{K>YSM3;ssK zuGy*ZIX;{qLX{=)DV5jf#n08A7^yuG$_wsVF$R+GwQ->}?vVTWkT*|qYuwwgECTlJ z`IQ&~!tHo#+^bq2e7L-d(xTOlQOkf z*^7Xi!TM&UR-Ni~_AG0WPc$fQD8d zhHpq0glZ5Xek=L9`9o))c7;eV3CsM?#lg zP@EG@l@$$cll|Y#5Rz&L2W)rGx4S5uuQea$(c^iNqb1L|V0}tx3_$p-L~h4t6eK;r z2HVXU-lXT}>ZK^@`LVpbgc)SPzuPwaNx(Slc>q({XS8+USw0+ooAi~}BfV_Qyh)4& zzBe8goPXeCimVBbIc<7NQ{K{_nZbT zJ79ZdO2t0johdyi3zHmYAC!-7#vB?A8kb=`mpBtRtou+3zKYzA{Bt#BE&uyDty;!Y z0q{N&|4K&@9se@ZW~C!Hrp*(bQDW430B&1D!TV0nWn_^l=d9?557@Z7HTuXA7Rjxs zX=C8TWXXxi^1;bes5aCp=*SJ%*M)9Z%{d^-KA+gp&>RZlm3_(|0mr2NthRvovtWSK zSW9CE?1qIrFfT&m_9NO7SBnGTJdTh4krj{z9Q{MfrE_D;rE`OG(t}6$Lx8PD#|4ub zofP3tR)z;%b%vMCbH;~*s58EBUW*J6J77hx*)=(PFG@^SUohrri{FRh@u%P=2EXyU zbkoRz^%kSjm6)%arUTgS_$fveF1Xf;EwZ^xX~9|!=fS%(pZ*f_29Q9ZCBV)nc@eA}M z8|)eDd=MQ6v^d^r&shIKB4k`5zRoGnB5*Sn+yyzggl!wxneZ`>MY1jI@%oZhy z@(67%zV!eHP)R>8Gs60t`u<285Xh9R7xvs*GfEhmlqq@KYzm)iUCUmh8K=MK7Q%@Qy%T)8X{tVB*)~T_Ky3Qgp*8%$p zHE!GQ{VjC5_!3%>i^0RBfEW8GLENmo4PA1iOoEm>nehs|?G$*o z1FWR&e?{^P;)EpKIA)i2C}s)%WrHfKZe+7kQ+A!d=`4_R=uPQ9YYKSVzbuLdoeiJ{ zm|VFaF{71&ZysyYMp@lix|4dsN!2>3$DPz-C-oC2wbV&{*Ga8(QV*(>*`NR_&EDl? zJSG__&r477P`vLv@}E}c+D>a6KxLIoStX^FleSKi^KvwG42#?x(>%mFjf!hIu`PID zXH8xksjBBzF># zx;dsg3s>16))Gxv$@oGj;h)v=%=ir_zo&){#5P=4%e$VEE-N%#Ml1^-pJEo53DuA_ zKKN_Z!gz!kPQM~Ky8J!lW!Jb>>ax&VVMY3Pu(L0G$^j*3ISM{#`+}W}k&` z2?JlS&$xe-D{+>#ZXUAH)A%Kh5kKpVfrba5O`Kgd2eO<#j>eg#+PWH_5`^(RUOq`l zi`Gd<4WQ2u!fE+3)1(BuM~JKTM1ePRt~m>v_(&k6=BeWJ5FQEnIE=`651R?jhl+8c zn?%0YsX%ryTYip;59PpCoa%a+IywyT5WW2~frbb&kH|>RRi7 zAz%F3FBJ_@y8HAFR%+We=Y8V{dC#unZ6dpKe@;BC5o&8}wJv&HvbI{+szYk4b$Ryr zin_Jms(MU|jq)}eW0#-z1tNvj8bi*Pv320a|N62I22+QD;w-3yqjW_obV6X>Ba?QS_6&6lCtsp2}`t)I_Sxa5_|Uo9EM*8nKuBMH1x#hpB?2LTRU z-9Y-22>3D31pG4m#VLG)Ym?RhcOd9zxeTDmaPO$<0IG_ zI9fe;eA!a#7JSt7s=`Em=3U9SnUmc1`&9isR#-kJ3+?A2M`c7H)F`+^9N3eLr#JqG4h^f)9`Yx*z`Me>zy>!CY^)Pgc1ph?Cz$pFENjcGgfDO{S*herD- zBi5RPoa(9b-a(HL`s*mSh+&>b{wN)8mmora-$fUA;%UvJD2T%0Ln)|YDb*)0Oapmr z(ro{TN6AGy_a6P6Lknlpf)k4HXEeap_YYXX2-*d#%2xrRIQ2ev5uFKC`ljAHQ!+M^ zK@)p{T4+53VtBF0U*Wx@Wt+LYB<3MkC)PHY;V)}<-(K3K`dX?hmx1lp7*#Y8!hb!R zQ|RPy;Q3FJZd!dX=FHf7x1K9@_y(3TXSCxCH!012J~KWz(tv2? z8i(I(6HQ;Zw0h0(P>Z*|svn#)zvNkU0T5sTRZ0nD3oQ^ zT$HWmPKf|0;IsV&KwLM!t588i{ZfuQF_;o$aSW#J#9(T9W!9C-;lbcB6-2F@001}= zAMGS(JMb81O#8!YUPH8@f%1u**F!7H7edk2Iuxq84*ju zQOF_0OQCaA5AfMp+NX5Z1Q>MO%0ck8&LYdSBEW1zE$P%Zx>%3#tUq?O@CCG-@QT*v zPT37f&mu1?=5evv&F#tJOC=TDwLHS+BH+~(y>@-)blWv7oLuJS?E=@ZEz_q+YG$}) z*$g(*B&lF*tR>(=uhWb~>Dp`-e~R9YJM(zytyJeB`T}Y3ohL%0|g9=P5&>**HbMrTIiiNA z%8|k-cG&*w)F^(Q9YwPoHRdOb;?q#@Q&9~3!%<{;!9jOo%8!<%5W{>9jrT>dN#p@# z+KC_dHtWtW4#w9%m}h<@Aju7;4}GvRn9oAN&k|3{U|0>Yz;c$PT9{xb%-8^rCju`a zY*VxItea8eu1($S=8O*n$9b^Ve&9B}?h|Oy%VPSg45?|W=zwzm@>#QRk&;7Wh}{WW zR%#p>wQ355{~(1a8C@ zW71z|uUWUV4cYS^=zS(2{@c|I0)O-F?F9SzW54r)V`kSn4{lBug@Vs zt>ya#^4%=jr81QSixdRd(yA6d?yMCEK@?x{L|-Ti2Hz^4=&Epf7}W-^Uv}O? zdr%?IeG}r-Q?WN{9yL~b^Acz3bz2;oxJAb-08#&IpRkgtqAooNYd`4+>M%Hy`(LBe zXB;VA)vZo%XTj9!F$f38=M#gfLx*oQN;g3vGkXW0>k?EkC z!lMCt0P29u%C^&UgH(2Rvq`#8uYLN@q*!f7XY0U79LNKD-OFN0LYvcW&hSi(wqE5J z;{Mc%6BN?ndo~bH2ooON4R3W`9t}s0RmZ@^0>XOTw|+9!tRo@}IRs6!?%qAf8lYAg zv{|r}qPE%UR85?hJ(>QCfk6aE3s&FrC)D#_8>ripDUK%RA9H1fSabPA?c!28xBX{Q zDPw%uqKL9U%~L_2$#JtkXP-b~FSO-#(b;~+i6>lCN*`%WBgiBWdVOF+0;{&~e*so1 zhU@<(7D1_py66V|);FHbT~%1UyVOlv=HC851Q1^*zyL>~y*d_rgV1@L4BE_gIE!7K zCq^kC9zlNqf(ilQ=Db7l&iEWlxP1c3#nx6D7&{$Iou_=Q*n954Z6mQ3YzOMNB;#RiGK}+KDQ#cyLsK zg>oW__-lzRra1O5vCbEONmK!0D6IggWJ%^hYcwzLXj5ruAfy0|aT|e6g5!ITYfSi> zE#cE`fHDwK;6)5*Xg5(|ZR0IWM1iw0gPgpjP?Z{IJwa}NK!M+>#3?d@i=>_tP@sD7 ziRVPdD2EoYl`8w4A0|5<57sXj1N2J#92_}0BJ;;1uA3MDeW4y#LCkzMPTbyVZ%y4C ztd?T#X9-smoA_+Bt^?xeQ=va}ukN1Z?FqTHcoEmCZbEwLkHp+vv5IGi$>|&y=lvcc z$QUN$aL73L@T`>twH)H5B$mN6Qk@9VI#}90=3(<=oXsBOOxh)T@M7jG5u6q)_f=r4 z^mY>0Dqy}8HoJsBdHQ=SIHU(y3_3!U-T=Xjdxw({9rEyC5_wkQzHD6f;U@s$3;zcB zM;QBY+!<9W&O6>3{uBe(?Z%Dow;W5j#y4FDYEnN%MQ?|; zxFt7nfbe^z5<$`nJbZN3Z;P|IguC4UAx9m8U~-xDigjG%rCB9<-GQF=hoE>*p~viW z4W$cpWFuaQ%+u3e9WSz*oGpgK4xceiQ9w5IR_i~Oai9~fh2FKM z6wPyBz-17o25YN4Ix%OI+FiI+G=K2mm@pQZJFFkpQK~O z<^{{6@|L{JDWcitFe5w>Ma|9DsjBPXF|BzsCAB9++r}DzfJ+8&!@2ixmVVHBqsK7% zyvwf9p4c5-pO^hd@Umygu3k1??|s>LqcA=sR@Sa3eFVQDHdWNvcUiPOJtR@(BnnBm z<0I?q>({Q8i!Y)#N{q!%#SVE`%Sf>a;&!#CLp#0NC58AeO02xoT(0HiQa*VVr{PsT z>Q(dH!~grJ&%@$>l!sUKCH7=~koCvWI!5YR2Q~O{s_?Q$QmPV9OA-gyjreKO#M@qFCSngjtJuhyDH%lUXdhksXq$RcU( z28h;?$E$-{h1RO2atolFArxlZVDGfVVXI*j=QKAe@-v%EN)J-r#deud4^)$$wOf}Z0@J(}?d?`V&4 z0Kq%$tro%_w%Z=#T|zZ|_fX(&RgYS)CPcppc(xP-EeN9bquy`!xk(J~z@RUOE| zk-nMFVe>ul$i0-;$FbMANLq(RJ{w-MWJ)DEM9M|-KM3u@$o{GA;g-7=V&XFjJRWX# z^zM2*FaEgk*72BmFtae5e&pFqD2Uzu^gR%aCWv6n3CMb?)r*NlHeyJT8Ust^O7DXu zf!n}rTw-JGL}XxEMNBJZ?wMsasVPBr%d2w60o|p$24$^K&1mbBWX$N1ZVPb({)^s48_X$t??(<*#Cr2s<}LY4C0T=@4ka z{1#xW*Ufts&!(1Dyi+K+OZ(0@c|}E<_Z?UP_nUOuC#x%yZqS-8u&CU7BwDu#1y7CnVbr}vPev>itbnMfsF3BZQWQl~$7)UQ%ljpp z;>F6a6a`Uw8#(ZAmTq@(Gq8MgG!@B{0AslBY|hU-$i+bV*A!u9YDh9O*t}Yqn&a?E zBiT6yTh!?>%=WKmN#M`ws~&hYehc$D``flXcv5 zEQIQITld`oRz=>9nRm?zmA&??g=uY#xkb3rirwlj8Av31^t#8IgdXe@Hk$kYW-4`A zjSO0b`wWN^?BH4!q4cgM+rAdWY&j*o8nv+yOAgJ1@qFvuYi{eVOEX{VvYqd`J)NG#85sLr2m6% z1vmfBGY73KZtih#6Nn=lZqCml=g*lTa~)y(Ph;Y8eey#JfS?X@0}eGApGVT5nq7U> zygfwq=1*~~i9n^CeITg1Ci3#2WL0iOTjrKul8Ffx`}*rA@Uc2Mb1_S$cW#uk00QW? zcH9nb2>|JR2)(PGPRSJI@(wRHNx9}-_E}7^U##$AmIAe+is{R-g2RS2+O||_OdN=(Yzf-H$GtolyF@@E{f@ND8W z%Q!$boxgrC5N_A;7k9X@jjEE2#+vO^%DBzYX@HY!p3mzAqv9Zc0BtUT_LT4RwN4`s zP%{?>Y$)%HYO1iIC+QfJ6G)a*=|#&sl^NqvFJWEfZ+}Qsv(0+&$nqj~wy}P#ah8Qr zbIaLWtG`W``a@|sxXxA7E+NSL9f1xWa@X421!WNJx$==-D%{s%G!+ewlQeX05r(Wh zYWw}8W2ENu|6FU_FVO1DZ_D{dKPGly=UTJK$TGisp3eD4KO$x)k+p;Tqc_06ilUMj zmesH=^Hw8gH2)SrDOptpoAUd1PzKH8WEj2p#8_P$1<$3RSSlO)ka-SyYVK^St#LPX z%K@K}$hs66N|8`cHPK?vmfGW`_81j&cB2HERX0BpZ1xB3iY=H<#MpDKA28PJu+QMt zaqB*D*dgNox*4{3ipi~+;6Z0(4SUY<>{h-(S>JAaO9@yb93igVp(kB{otsdB-D2_R z{vBWBf@t5=+7%~7wWl_*yT0q)cM_p+zu?NvrymS+AwxKh+zTB??yDGxIBtM+qV!CMM&Basd&^n;oI7?%YpNuvoVZ_L9gIGlxaCgJ=);M7 zoO-z?9#; z55^)RP*6-R@eDifPo5P zozk;8FxVYhK`^~k78C$E?$GAk(pc6J+Da4(eiSY5_lG`TEv>XdEX~dRPSB$rCupC_ z8{`D7(u4h-9Wd`TK^I>a6 zgTFTf&r|Ns9|-?1w0$o~0>rD?Sppvki!fhnzJY10^_wC%;9XuQD0d!i>OGtD;yy`~ zDaUmH63dJvH$Se51Tq%)HnFe@drq@U!)1$TwCp{KDPMjW8ekO9X}9cbB^?XP+nvIA(E`I8W1O&p%z{GmFr#o3t| zh1F5UHeBeOQk_E!FN?1gf(ji`>qP(Aci^S4+N+`D-E!(@m&=L zV}M&-&;fo#O}!}L4>hdJa~!3`xB3GuT?3c*+U1P_R0rJ+Vz4N7nbtV2yeJ8>(9Te;v2zHQTKJnaxbeSsY$7 z0hNW~nbdhN+x*0$YbcssgY>_^)G+sR5-0=uiv*U8$_HaRw+$H$B&$`<(X`??N7ts$b}9zqAx1GVK84@1 z_ym5>|gh3SmgB{bMB&1apxQ|vhsn_L*}%Qa;J)P6*k|@N>?RT1I-%&msQ(8y!7`V!Oh(( zmj|brZ=#OAQ#W6anIA>lk0DZBxRxxmt2)|M#G(%os7jPT6+z_r(|ku*`miU=ErF7i z*v5Pie|u!5Q>=skodbeZ=ydD|OXGnPV#%r2#}ts^bPp7~RvGX$Rur;ucWTLKAgJgjA$;> z6iU>-p-^uEC=8A?wdS9kJne}SB296jT|_*XcCK*HYu!d6eAbKdLhb1SxmjEsG7fpU zX_5xbZZ0CVrYo`{N)34;vh-!szs)|^W}lJl^DIYnX`YiERDbNLlk$btzmNk*#h%&* z*;Qf-+Cp9sTSUdE#Fjs+7h+Gfv-nDM5q4K%Pt8`br+%isBf3oBB@6C ztfXQ!U4Q}y@+YyHdXR4*r%uRpsQKa@C?#9=`k(WT0^Bp67o|NPKui zCumjX`x3DVswvbmEY=U>)@_tU+G_oAlHv-uut?twLJy7yg$1Ynl`*TXVK!h-HfGfw zsx=Ws{%H)Y5VuNe^6`?3UG+P*yCdfiA7RTt?5Y>j@5_PkB|)e{>cUWkrcpCd!9OHo z(bo|W7Qt<(I8?WNE)LZqSS0?Y(}Zkq_YIf2O9p~aMa*OA2k7zh5vWvb0nGg1m=^5f z&wp@aiWD^vg-TC9N?J)(mDJBgq3Z09LM1G>lCCy^2K`Z}ex-0?Y5W!?Vf|iea(t)& zRiX&(k3#hsjY||Ne4_R`GZ(4q)OHbDSw_y5e-w!7_ndw?`6?TT%8{+u^Glx+#Xux= zhcH|Bt&%uYXhxTm&KFrrz1p5|Ju+T$_Dd!Wb?6vVc@4 z2xJ5|_>zEBc&TS2Qaz`F{^iDeRvN*@%B>Vl^ovCIkA zH8>j8!*{V`|L>wv9YmpP`|;|hfv=24wOJLqU~nNtm%b2?0WnJas*qF*PY6kM$#}J0J|B{5q2lkYx8X?#LQ)A!xH5B|dTU3hLs+-A4g#u3Lt4YY9o%oV+P%1N~m5xm2gsM`S6RY$ywFv1QkaH(Y72>oKx737l zVX83Y(~?K&-aO7dimnVWPK;8er?Gp0cTrKQ^z>FW)US+Er6e%Xe*!@#N>y!Iu2=d6 zF`{4P1hEDw_WveI)pa!L&0Hl-XD;VAFHSad=D{?wlr6>HgVQn3MWah*_)hoAz znCt!@_Ra)8>grnjce0Qn3zGoRu*rZRQ3N7H4F+sR5}atFVH32diCG{uBr%y0P|!ev zC5(BcYFlfyrE0D9)s|;n0IP;Yh>8$gQEN%9+Fy)I+#o74|L?i?Hcc+H8b;JN1)p&EvOroS)6(iGf{P9LTQGdQxSN;I@9w)l2xQ z8G0PJFHDaLP)!egz9n)f-So&C{{rnTil>Kr7n?_zdl!3K=rv-y z*iVOwZ6fCMtUa5)#eFr`W5`R%%P=qaKl38a#oe`Fi%0_sJvg7_o}ZRS6rss12DK4x zvTolr^>bAL>r{65C1c#o5zlk=OYS5FlOHO@S25ave9I70(og7E2a(m2%~F3uo|XdL*sL|JSDT9r|fwL_w`FQX+0`G)50)YL;Sg1#rYk#0oF}WZxW# z;C30qP}$#9?eIFBeG7uTq?t6iGjntO4@E#FL z4I~sk!P)AqCdRqo?FY%QUH?7z^TIj_Ca{wJ z{DJFKnmHnwRBA65k$&zX>x2BUL$Rv=8(gR00&co}2G=P=bDhp6?QnMd$2zIr7nZyUpf{#zI*VPcMbnV?Xxk$!s z<8%Hfa~1b0_R~O-4r9sT4Xob)X_330I+c5$O{<&5#CtAsnezRRnO8rfaOZJld11@d zAd8i}fX4|d1})DRkbI5yC*(EeI#FA9Sc@QIDFsux(#*ZwR1teUzW$B^|Z zvBo#n2zoU8=j_z(&Oir9D?HC@_Y zqD_W+N3U+)M}4N%PoKV*c>U4VD=6cq)QncWZY^dwrhy3E>rmmWI&B4bX|`jn%bnsp0~0ks2QSbyNBrO zM(Y9N!q5;Mxu1yqj}hr`B9-{ER}!v%Y&=G)d>lFvF4=RuA==DfdIIepqOB+IGNbcD zjPcgzD|B?f0$1%yuS5En(?V~vit61$l;d-q&{NOYng_Ex@S10rC}*JfFZg2e8WAYl z;hge8UFK+i5{&i_vK}4nx~-Y5b--dh8qC2TFJ7#RTpQyJ?s7dkMO^k+MHfrKIcVtR z0oSaCgT7(x-X6@VJL2~B<8OceFC~)xJI{w54NvO1DF-2wtKqNYqArs&<+{xNejcOS z-tn=vm$kXvz~S|(X=5aNo?t&)p8>OaaC>lTUFJd`ag6q#)$pu;1mZcI+RZ>Rb2QN~ zY{!X`1mrSqYYueoYwt)xSe*3x?TlGS86?ZB9Xq6X_%7ysSm!ji@BC@~eKR1)*{&yB ztcHt(IzdXoBUJ0i@OE8z324)yBMv7BvR&*n4G@OBRI0%4bEVt>AwN9m^)GnSzQ=?1~Rn0x-z(wq5l?Lu!c zvIJgKJJrtO`GJqUnfq#3W<6^?u^sOU zn%&$X9JZ3MP16Sh`qtla^jabu?$Z@I-1~rU6VBXrWW99#U4&z-NmJgZCf|Kv!cRFJ z<%LeRFNYYXqf2n+jZE2j1(SDu7dJ^inEWs(w+eEnyn%j|9{6qI1>YGV$Lq0>y;?>d zi$vMU@WbZh{oYMe?Bwz?59GPBsizSi-pQz_~C>V`qbpCj*X|;+CBKx9R(&q|fjoE6AJk(m>=CE)6im0O5Pvx=A;mVWTj0hb` znu`%=A*R4nf}Tg}c%y->^R65#1)J=qMUKXm`?J=rT;Oe7*_qSuywBOVvdi;WVnv|m{nmMT(l}jfPUW~oi{h;5^d}zLsj^}iMyBTM_eJK!ejV6jbd|^=x!H5_ zGbsFJEcShuD-9mL49mynqcMZCLhAyskjUgKKVdNmMeZEaf`7yV>Hs~(1F{319YeAX z?sWQ`B&kU90}msX%IZK~r!$aW$WvdI$ap=zSE|wNWe+c zRTSX#=_(qKI$iYx3}DMYqJ0cilM{HSW02>MxG4lu{)krwrJTTDHrIhQ=I{2b>GYkj zF8VaqG6!2n=PbUzuF12?mED39CCl=i;M&qY6o$=*iS^G$krnKvRIV-W#@F`q#M%Cs z`tUcbBbG3Uz8LV~c(fLOhcqJPczcwU2sI6j-~F+y{iT+zH$VfbUG|DF5wo%bIXlqs zRj^A6i|9IyXT_K_+77Cn^DSNgkRgrT*y#(XkH(xfeIaa30Kc30nmvJ?CvWA{cZR-T znAOnfn@Sv^NGZg@k$pxe1qvp=I=?$oKO*&U9D4t3yL8a4J?^Nn-`FYV?ni>jf1XDk zTdet%!5Sz9$!Px>^wpcIfkeijd7+7B?l(pA6CI7{^CAvP-xf^16D!txzp)NKK2o!-E_wm_U!m`Soa!|!biW!Sz3fW$yfY?tI(9*@sn zy8;y)#SGbflqsXmvu@WI@7kPJ*P42g%xQql_$!*4r{Qy-KMQCh2OAG#o z&7^Cvr`)h@@`*nokhA~fZT_gZk2@mbI;r$+ zH1`?PWu@sml`R!uG^PmM9kKv&nK4S~?N*fXkH}t|v!LU|&GK%e-C|<7;k2M5N`@QL zlMw=>33_;7F*~rbxp8HSYt1jj0?AFv+I;d>VpLhK1`!_>w9Z$Zxz)8s7{mJRNR1$w z?_8VcsXrWb?F9Ztb0mwU>&g5D+`W<`fqLoXuq>>4Uc<)ui9TC7t=eCP>F^D0#_BOlO?0G&H2nDvp?!Cp zJg3ub4?nwP_;IcI5!v=Mbdp05)1#k7=&i?C6dr~cln(JsNWR4(rwF0Z!d?v~=fRED z^f;4u5+r1c^)d1ldBwwWxxOGQ8M?LbVx&ap)s>_;k5G}Z88o08xDvW#&uVe;FHjVO zxOgCbkGC-@78&pfUuZ^w?rkip8DHI2?t0mDh1O?TdYvR|xfSqmIcoS(GaWa@nnVsl zQ{&@=2yE8^L-j7%-NHH$Z@$-fk7^k@WIczr-be+@M5|bv;PRBdvYjpb&TQm50$XJb zEh{eTb&j3_@-{{~fzz1E@IA^~jJ)4gU2{#zgPB!j3}yuLBKxGr-+;^d3k8;2e>Jo; zve7P!6SLT6$*J|HaR1#C*eVAHg}i;5$MS-?gvQP6fwX9LfGLB6*yprN4eM076A$CV zpTbJW^_WAr=L5?!Bhc(F7sl%~ciI0gF0RL7$Foq9^-=v7NBjxaKnP;^SsmxW%$k^) z;C%vS7K%N1(JWc`i$@Q+QViFV*-oxyXLSs;Ui?8QxK#)WL51C;>x5-f#Td8ENXud^ z`}p3N9@<20@u%2+1>FVV3CeLBkAo>5La zI?4&(93>Z3h3hO)M%q!LL}#yc5C*a2a*P<-g#KRTvG18*k2)6F=Y?399_0T!2F5jRYV_B8cJ;dYGg=5?|oa=3>7&C@TzROPF zvaj3&ro_qn_+!)3}B!pYp+^fu7m_yMDOnt$N&eQ&Ls4TU9QJ=c4T>rFBY-& zBaIh3sq<5ar>yY|-nlP6AM55L`iAo|nsH27W16=<23ES>Exk(itj!)NIn7_hP@`zM z(r~L~>$J>ln1lxz?vt`-y73pty2omQ#j#J6ZM(kVMUMCSJM@l)keYc6d%F=1nlz(l z9Nwu3V_4nM3t7wB{F83I^7Cx{A?!KL9U`sq=LO#&k;NL24U=K4oG?To+A&JT1pQF0 zPfmCk9rBP|mh7SpmDPBgoLW77wVYaA-j*}9c(DIu*_QWnJqiILvolJ&^hKIZ`yfd# z(mEb=J?dhq&}Ow!GT}M?M3*qXEj!Q{PlMx3&v8SVC-dVK3Pv7%VP!zku_EiH7u#;^v5+1A?;iib(H;6ELc z?DdY)e}IYu?{C<3D4(lr{W_HXG&j89yYl`R|EIZ|f=Bf4hFso+(Z5wFYe(w=joq0S z`K^gp1uqAVQ(*nneh`|2r zK0u zxtls^2>e_;BX$M+sHXGUau4yyMps15#TPc^O-S^j0D_&v($l<69v7Mim%@&x@3wVX z*FDb2FuqM5*U1ug+i!Qp?1t;rG057e>s+5l#qLsXzDape4kdng4NmU)Y9=BX6qzjg zh-5E$5Sf!smPfX-1AaA14uJXN_Q+%C9Aoa%>kl8NC8!}0pCVhx=9Apztm*P`ZM9lX z38Zsne(d@ID!1r!Ig6Q1Q^VnjOY_^!i%h}2hhSb&aFjddot2oI*|L;} z=S`twyvfr@9F1s)hWuE^rG3|;BmA_oZOgZlG4G5Kgdm@~NH)PPM?3tVJF?TTe z4hSGBQ+?9{Io0HdjKjp?Kpg%QgE6%hCuPyggN_8dYcJNtft11Ib%cj+)^uU#s;NSA zf3$UR85wE1xZC1fECOg%%XfOGJa46zNIq$t0UBq3#@SSw7-AxX^+E{`R6p8NEouSx z$t+gDtxlxLEuX~JFh*8V*{~v-f!aBn;U))}m3UhlKJ#BfSCMS>`+bOnPT5pc06U#3D zOC&b3{TfE$p7E{cJW?K}t9fJ-5h_@Bf38AHJaww+?z<$oY|l_e=40VKdx zFPSu&dNxy;$Ce+RLF;oPQ9N{X1$l$dgz89Fkhi`)qDLj^3c@ZbTuGq{D(J4D`gW(# zR1?nO4_8o(sUQw|!byC~`pJ&%5=wNEuvAbAb&)6)1mOmoWIQ~ToaBF5S5K{}p6>eA z^~3DB)YK1kA=MJDCR0CKd(=;!ou1IQOXv&1^I{?W+*qlETubcQ#BRUXwURGgLsEUS zsK`8%GgCoMER(*eezs6Q`qcbww(j~ta9KSEa-G&Wh0^;kjR~WoN@M?os3tnRIWr8m-c%9&R245?9mciEx zo^J5l1y42jV!?+S{C>d`4ZczED1&bjyz6pZ_GZD~H+YNSZ3b@@{3U~L5WL0U`vw1_ z!P^AiXmCsLdkx+x`0WPo68vU^%dvu0XK;BU-SQbcQSikEPZ4~f!QFxv7(7+*Y=fr> zo?-9|!B00htXT9W8r&=RV1pM3?lkxU!4EIgWiJ%G)8LB*f7{^Ig6}u@GQoEnyiV|D zgRd3*VS}$1{CaCo~c=jZM0-LE%ns5`yf z6g#9PbW&ZdUF5%8t8|C1V zE&>q9Q#|YcfZ+ZCYm=-iB;aTg?06a_HqV9^MBVER7DIV~XJrjEY@Or0b%Xn#v(0}A z8VHDLzW2~p*(UqnUEjSOzMyGv|FTtY1zlyUzU*=>eU3#i3NvXU+x$=EZV7Fl^CDmH z)_2mN&s7*NDZ*g(^Nw?(V*RHZ9fa8VKeVTQ|43o?xQshHVy&a_V=jzuN9`TC zTF*)@!gn_1@n#akcTw#}GiMt2=V>i}po#wJptR2H*cAUnS&)g^!{=pQ53MhL779O1 zmmTL1WeLcwF-Q^q0`cfHZ1K9DVIyo(57$iZ@=2!srjoiVLCQMPR2K!I#^$q}^j$=q zT@b3Xzx1l8eLX7bX`Q!v%h_FF*P_L-Gf1`B)wQ)FUPu$7`nRvEwGxa%2;bO>U*TBBxLx@&ejb&eao2#n_loX22o?76Wt| zfrNQt6C8VRD#C@Dmzb#aF7?#8loogm^@C`zo^mj-ul_x_yib!K5Z_huCtv<7sDCfg zH>du+DBr~T_xkxx2tMmO(;Bs0*kvc++4|iw*j!ogn&12x=>-yA0kq4}2Uf2es}}(s zD==>}=EuccVKs2-WW-R6IH8=Hb&Dv7k2HXQSxf-RyL>2-mPs>-pFkt!Dt<2 ztc@0L5y+W06*=<*r;q7ylUlY(Z8{)y;jxf+e==kxZ{?!PTkk&)lhu4=xMDp``H|Lb zKjkn4E{YTN#oqhS?_B?t)0b5LRh%!r{;Md2$Y6Y?cATCUcv6-|d9u0n*54;MZ`3;d zgR%pUZUohL)Rk~JF@&!2P(#(rCwXfkxE@g7WW4*C0zAdS)ce?q%wuNb{okO3e&LGl74b^%0o>nbFw zd`OEE^~&JMmJ0QM?8K97EJPcC0&Xf_{g{LhKS6MP9T zF$cM)fkZaiB9b}a2_$%QYI}X@!Q|hin{1zoY_DNFj>JQ%?O{+bxykmx9$H>{!%raL ziysRSYi*ZAu71E~LXn*ILOW@eLm;ml0tGLo9dMQsQgd+mckOq4UGimtcxCGzB2uO${YECR#7oWHuRqt{BAt(QphtbPRQ9naYVi0 zkPb_)&cLiMIGhb-aSeDVi?Etdc$Uk#ntyoy_}9r)MA?kSs6n}$vdX#ZB;f(IcckWx z-#3FZk)gc)8<{KekGKgV3L#V04{vLYceo8BLD!l}209&OTv_A7Sw|39FX&h=xu}&~ zNRit8c+vAOCwA`oFCuP8sQ)6;e?lO7@fw=hs6ccfurc8>F%7aZ31`o8E!S`=sTCTA zY>cQQD7MH*0~E#cM% zlgp>*wo5bhSMm1C4_V;T@1L{IKq!bJkN4Jp)pqR@VlxsO>uz#ml-;Qa02T_8wVXQU2$F&V%_y(fyuO%@V5!bkf ziUc7NcPNh>g&Gx;w@*Cle69?c?F+La4ra9;LDD-y%X@SG2Dvk>6ZsC$ z!E6^=%M-Xq`<&KVerOOC@SOG10jWe+!?SEANhF6vE(k=m;XOu9um6Cxb$Fc~%Q?he z$f~eekK@t9@HzF;!IBeXI9#sVwg;0hrtT!Nm4t$m&F!Cqt_Il>bKZgz6hPkNO_;$8 zbC3#e$j3#ztZAU#twUJ6?u%H?f^p9yD_dA1%4;f~`V}V@D4*N2F8jp1wRvNTJhJgs zYqL?UR9}LVoURvkpzZG&>xRGTCYhc~^^M=28_9~97w!J-K|RC3p*BHj1y&S3wN%nW z;)clka9cu$79zZC>#uLw9)2hu5Io7yf729$;zG^?#}t}Nvic^|lov#LBU&iKVWDul zd7qZ`GD=B=9v4Xzgky>=8RHf@oAqdXi->}A-b4X}h&h2B!Q`t5CxPU6i?@`T%U~)e@?w#b6cosNZH_L?x zbf#tV?)Y`I9EWZ>5&o07T*twCS$$V*8Rg+(>}@+lv|G*}@?_lz=;8ew*JDDoAD;{- zJQMH!MfJNPMBr+at=c)Tn`xm0FSTJWBq<5&qR8py)1J(owWqYd_jNFcuzyqXX4ZGX zT@>am&)RHP9?kMC&#vs40%)MfORB*B_V+Pp+YS&Yd_AFs5W3;hl8<05 z)5JTv#mUtM-3CX%9&MVFAQ}a-y-km}>2W;5$!WUD&N$Dys4=<09n)g{acfU7Iy~6A z@qcYUlzMOq6r>;3?D39TC@S98NO;t-W{+p`%%;A18}z4A_wie`8Y)?#>zbB&_oCrU z{0Eb(CYUOp#0)@fpqqsz^kxzlxXJozVITSVg0WX`pECjQ$$g&xx7U2FD- z3MCvY?eTcUn#`m|x$1XBNCo>54mrU?g^7MOJvB2umo>6D#<=Q>BT~Zc$1h>hw^@Cev>21Q2WtwMB|_^mZHD)BS0Jdv{;MzDU~*l`XkJdSN=*FLG@WFBlI)=ytcn$FFWq21td6G} z?6$;Xbc6BGCz4%*x}b&V276_3n4}$`6wK%bi%5c`q8sdGV{1Lw?eQG3>QgtEluxUc z?!J4f^+_jMmEqu8y8&_xYgy%?MEb5DQKFS{afrvT%)QgQv9e2qjHTQ=HQLTZHS{)D z_}-~#I~$KxCRTbUvV~^A+Jj5A&Es@~U?)i9Nw$(m9A(h&aV%{sgVV~QPl7s>ageny z>|k918ooBfitecUsD0=>8ymd9xh%mOh**m#ScL1*tsPF8rho8LqCuuMs()k;6=!GfUgYF=z|Lf6KHc+&cao?Ht`0{^z$MWKWs3#l!vEv)`K98k$SS83*u&eSm=4=oy#p%`@EbL`r zTdBB-)`z1ND2ou-8*qF*Xri$7K3_hzr{3r9$cnZpImL&c%$>f}9(teC@tFI~dY_Z< z64v{?^IPhDzLUJ#**+DtuWYk6Z68CnrMQ8)@OfCz??U(EQF@eZ^*-B*)tb4bG}HBHL;qG>JzFibs_B(v7fMiMKJ^4z zSfaZcipiOX!ru%lOJKSUKeg@uY{NTk*gzIUWPXff<)5zzIwrS%ms2({lR^s7zP%#o zjeeoybJqR)8RPp>1U-_erl%t4UEin(y4*z9ry}TZNUaF^Vx&@fD1zR|&_v}^h@%ui zpZ|YN5p*H_3VQxC6+wSTs@r<%B|SLkRR_~G`f0heTh@3ss>se};qnhCg4WHaW1_^W zW9e1|eSTMmD1rur6+weX>0XCFH|No!}`pUJ8m&a8Ejl5;T6E$qcg?K#`L8p$Q z9sHLRLEk{M!Q?i##M74|=u5PFb5HkU6hXg0BZ1?RMbBbn`yW*V{e9t12XZ#(3(m4c zFX*9e>?9Udw4mcCg3cqTUVb)DMaTTNQUrZXoIQMe8%59?j1nJLmZg7K6ZBIf5TIK(T5EznlZ7%9 zjxW|z-xY)Ud8qWwilJ-HF^lMLQVcyE#lwqz6Zsob485M~JRih$G}fI{!JU!dHZjJx zFO>-o)zIz2o&<5XGgk-K8AZ@2haOyao#=*^4U`0MwaW~NZfLPbHMDJyYUqh#U&6x% z0?Sca~jn1yezw3~V z!{KGKQGW2!FrBu6LMOZUaM1hKA0>Ckv|PEHd|s28@Q0hoXSsfWc*0ZQ=vvaZ34`SG z4aw)%yfi19+8nZ*67-#0KmBZ--Elp#JFJiFPI)1iyi*tu5{0)uK9W0Z_l>o zqLx9s$HwG=`9iYf8R zpWbwFe{0-LA|Rm6Lz#-FB--ys*QV$v&|f(D%V74Dc=OcsR}E~2d8O{cK>WM-9g-MK ze*Z*v|Lm2+XCO?@S;DIIn)a;aICO~zl8>Wrt4fK9CXp*TV}DCL!uROwTs_OEPJB0K z$_GtXh{~>j5W?-Dxmt5`Jt?-(fcXBJ# z!NB=lrWZCL*{Br$n|R&~y_NOIYME5gl5o^TJeo_EIXBk)JtvG=BuqF(Gq?NThI1;% z&63yTFw9)-lOwx`QD{MG=S-4AvS)me_5Fjk8p>;vt*m+72e-TDGTm?QC_&vomR$6+ z4ooq({5Jm*0@I|{E9ekCzM^PvA!>p?;^T{#*yS|%7bv$@MBOQ{~A+sSp1 zQv-Nz{dPstfO#RZOL5m;d&>#kJ#3H0Twj_BEBr!+{v0lQ$V91cKIb*%WSDDytnEd* zhxH35P3x2Ork#3()!lEtc2c(7+z} zi#(Z)qy)FyTC6Dgo`@iDwy{_wPYSt%1)W=EPPSwSc*EzWB@d_Isrm}Z&cMrDak4Lp zMNry~6UXn@+69`tM_k^mTHhe!KsGFPxsk<`1B=}UL!Q`W0v2tH=KMB=wN7HsGhEb8 zPWd44B_ck7H)(1-GyIp?(h%s*%Bloy{}L=OFbefiMpf39=~##`&a^aXY8JhY^HcGZ z*=982mrY$9;SHR5`_*ztz%#YC?eb=xc?%|g6&KqBAJVZz-&MzDoUk~#)H`*6|MOsT zSchfdbwVGy1%n$`P@25`t*2{sRnQrleZ#!tKazdM8aPs-3XN?jBQCNI&3 z6ndGr@ysD4NIIeC-=e?x9?c}^%au5?t=~ULjE&Jzr4;k(-%5X8zTCQlXVG!3w%(i- zqJf^r!|lFX28;HeLu^q@rUxYHlbgIw>y+g>(jSnLq(YBRg%0br@u1(WHPTrQ;TDA`{vu3#Z^t?dZ1{bVJIOf@tn) zb=AwN6h^^qaE3jbs3~RrNXktquJ5QJC)W$h*yN<0%0&vU6yiQ^BTvrK)x0y(Nfj@ zNilmWx43J*&2?n3ki^`_>e!RB$9-BdFb>wiKxYyv$RW!Nb-ZZ$M6*ohghJO~z zD7g$Smgh5;pXQBxg$(Dqa$XK5{{n^{eg?2awtj}pkQq*;TR%O)5R+Htc3Yb;kR`M< z+|5MNtzu8A+HGBO5nB}T_Cw>X{SG{Z&IW9`mMjqf(RUHup1>Du5iASOlC@O1vFvGB z5jny?lBSd_c5b8=vKVmn4d#<~if9vsjMmaFecfed3}NID?dr^3ECK`jJe#>?3a_%6 z+tSG0pp3Q8F^@fqQ6m<3Z%R_QTavKm)k+Iqt~|o;nFlxs$#LcH!usSlnR3WVy!UpKlN*M0ykUKjk8MV@KhD|< zW_0~{(OD|*=j^d=)mgoZqf)IywndiNzsA%tZ~5gAipcSF%g3gWMprWy4}K=q#Qw1Y zuZQ+~haq2h04)Jt7FYhUR#`Y9>v~WvDKrqDven^0L$eWxTwXifW1Sg}{1EM()q()M z*39Gil%^5OuamJtKWUk3KWT|Tz;oxV%XVaN08`OD9?v(vVp zI+6*hBQ_9ySrzngKyleRg!)Ovn3T{VBa<(pU+f31jCC}XIVoJ9KDcc)8j`w*#y;`8 zFvYz|YoW-XpB&ryN;Gr+NJ~#ZgcpCG+ysKxGmAuuntST4SnkfyU@ltDS;U& zxYf6PRNoTOI3wjZatYf%$+~iaRDUx!JoftrShI|&5EE~;@3Ag@T#qQUaP%j427`xY zu)SlorghT<#(M*E631Vi$dz z9j;rDSH4hVcI1ffB#{F}2&gH!b{Xp*6tuvC&`Me&0k;(?_)BYl2zq?HMDthr2NU+#9 zdqp`+ytP@^WWp=PCP-_PR?solNHW+`Dsx3}ike|)YGS2N=3jF?md!e=UaO@EwK;oi zPSb1oXMA~9+C5B85t2fa*THJW3XT)9>M3TTmzVFg0@oI6BUQ(=fy&Tb9VsT|?n%L# z$x*E+AT}c$auOtqhH=V7aWIsin1??snDvT~s$D-;#_DIbkTQ3Y8UKUHKZ+$6jnN-| zS4zIaYxLtVJ-?|f(4Z181o8C?COnZA!h5>J>0`i z^-t6hExRhS60GmbkGD9Vys?r`?z)z$2n>GKit9m;V=BOuFQd<>0tsU-k!E`e#5<~f zr1Vm8Q|a;{hfvH%mxdMJlxJ3DL@U+ox@~KKf4%FuekGcrrmz96u3wpsMmKLUvbK8b z%s%|HS~L8hA4+!6Mn6=nwe`b3>al)hq0*N-u4X|P%2k+lR%1yYwx}eue0F3<*DWnx zS)=-j$#6jW^>8}6$YwkLE(@JdCZy8-_3KH2+s}{zQK|cExXFe)ZP;eRPi)w4vhhFM zh8Z@TYr`@duCU=PHvF9pci3>h4J{jX*)Va6iGQ>Wcb{#{TWt7%4cFUnh3#*x4R5pI zZ*924hOgMrvf*JHrlgzr&$8hKHoU@y%WQbF4ezkwHXFWR!?$eMWy5}Fns^7>&~3xh zYFiZ1|83ciQj;8@_GBPiz=znE8!`IP-m$;m18Wm{Y5HQ%}^JsY;EgRUUiOI z!oPEfM`AL+5@r6KuH59o{BvtNu~}~all?+l-#*+zzUSbl8k^oRc$8l);;Y3?eiwjOkdx3)%$0-+{XE1{qssAP ze)*~hbFo@%n`h$pDs24PzGpl|#M5nS%A=IYzk;5UU#@xUd`j6RU!nXMSczHElUPkY zj9I8*(iMM_j>J<$e139LVu!$z-%OqRZo9eUTzu8`@;9G+l<1Nl?J^hNr9FJ-L*vRG zVdvm}v{~{IN>|a!Bt4}}{9=~)q#P2D;}AE?sg}X}F`-7m)3KQ=BtVSp6oHqU3?__z-n~|L}^L%ga1sCS!UvzQ7tl4ws!scCY z>1E$tc=;7q78YGqTvA%LXmR=XuC7>8Syg>aO|8#=?b2n-ue*N5${TJ}GpcHGmX-So zYO0D$rFNIlmWrwS8d^cAnn+8k(0xmKP$ey=93Q2O7}Do!v_H2lM}m@dm$aWe`pz8w z_4E^RmG+cNA3Ogzt}?D%OxyElUwy?eoAEDAP2r!!Ie~aQ2ks`x7-h~zV0 zrOWjg0ewBN;)s1~emGZ}AWY?OXjPN^4Rs?`0rT#s!%;}Z9B(k#cl zg1^_<{-pQB>fUAI7k?$V7i)Lvv67~n)MQ+7<5J1r<>XOP6}M{sNsJ~$IWCpdha1XB zDNU?Pu$7V0t$kii{!QL}^lB-+)M70$R%ky}sth}cPwF&OG8vz`=`=ypX$fh|m?~qA zTct816l1DUr(!B2zDmqeX33M-NJ|iUN{No8RHe?Nv>-DFNcp6N^$eM<^CY9Gs`_a(R~K_o{L%PN9w@17)lGxB%c%iDeWUvo)F#A!sQ6%DMY`%N>CD} zyP-yi9+O#zg!-G*ev$4ard-n7`ije~+n}`LP@cN!J6W9_jxUs-Z&#m7NvrP^`>s<% zhslf@q5OaQ^rUA=pZ(9IcV;-fYTBr21J@E)4ROk^JLeP}wj9%?YawRd!_+Z8y8Na0M^fd>B;_7ZsXY^=KlHX(FTLRT(6ckD<*7Z@O z$2K!YTz%YhLizpAw4b9>k~N;tyeGB0>D}E=rB-Cr@Gv!;$To90rGK3Rj5`;i^l!aw9%!4hZ1W)7+?HVcBZZ`Y)wX$vZFbw{p|*Kryz!63 znf_(j=Ha%vGtRi5WSj4|%_D7dTdZ+++vaN9JjyoLIgLA~1o~HKn?noeEZcmY?e4bC zhix-Q7JA*x~fq@K*EH$#o*pPLy{daCqDv!cuclbxEh z5|fKqdrc_`Ow|8)XN|g+*cWM^vgVN4$iyJ=U9DTdQvRN+^VK_*9KxA(>nLK6WpCRv zwsVNj{8EWQMvMyjp!`xR{S_6U{p7zxaYz~2PxXsPjLON$iI(4)X~ZQS-5CW7Vw~#i zw6ysJuwUJ7-Nc-QiwpTFwXAv>KPNtTNyg~}IQb{WfBm3<`JjDzOiv2MrOc&V9h z`q!Y2{dctgRjT`+Lw&n{J!4p{y8lJM^Z7RaLgC&2Y6HjAzs!LD!!5wED*VrARsZ{c zLp3OHwWIrAgyY-&3xz+nMgOBVf3F8fN`v_qN>NPRc%rRG{_mIA_~`Bb+m*K4SEB01 z4d!5U?f%uRT3z3;=BDqjZCn?)x#{12u>Oa)+gzu550yYIR8 zSNHw;{@*CHbMX#2}se|`I%cmHO!zt{2p2Ooaa`SB;8e)jpnLtS5d z`PE@mas8JWG{8D#(4<&Wn471@LEZvX;fG>BueP-2;;X(_TI|cMEUT(nq8;WFMt->G71jDY#lG@uOAD&1 z{ncT6V`rjM`EW6d7L}e?wakQ^2mddJwdNFd6cgbtqC&<5wEy<2tGlUgRUHeu$eZeJ zT3t6dI+_*Tnl)=6d|FyvLET#ARH@@K3g*|bUSm;LP_UMu?$o-qb%atZ>lQCw>~zK~ ztFB&JU46`YPEKYn;*;~6G5DXUcQR%r+>?hY`x)Wl73o#6oL`8mtVhSPb`I@A2w&tY zs&JRq)Kt~D%PZX#MgGd-#icdpxX0FNPc^KeINMOo_*C-xK{t zXvdFxmEU)K54c05(x~t0E)gfNH_?$?*%lJaSNz{KWDNdpuC6!6I$*w%~%UM=U z2Qf8kYL0l9EGeQ6sXd_}WE(e;`W`1(?c&m_imS%luuJKp-O5L=P9?kQ3nVxn`-?);Uz3|h{Rr+w%CeYj-$(Z<;mirbpb8 z)#%j!kz{-HBVAsbp2%7Ct_Mh_%V+v!PrB=z_4Hp-s+&SjKW=}m5N6)onG?*3Z%_X^ z<#8vEa~IjAkXF<)G$|bGf7CcgTTxN9R3etpy_$m|*fHUbuF+np^pQ?c%_6^4c&$6N z^jb!m@-lbnl4{@bQ~!Q?SJBk$L8yp~($7o7jaeG3dr9e%D*H%pwB6H2>k(1s#nMD}7>hi5W-@nU4Ec;!YamRD(+5)u8k^HE6c0HK94KI+bb^Uehg1 z*pKj~cbO=*fbZ#HP8u4ehE6`AI=OIgnuL+~HpA5Ut1x!#Fpk&=6+5|K+K>qeXO7(A zQp0=$)QKetq!+JTQ(|lSwMDf?zW`H&uKWh02@~t5Tq8%G@}WLRnH~4{jaUoLHSSxStwa;-oAwQWi~T37U;t;ahB{y9fNQJF+5%k zFL9~ia|fv5)bsG!DV-;@*)(wVQ!eVt1x;PEyJ)9+Iw9e1juTa#&ntt?Q7OzN*r@;#zXDtTC)l>P^Gl4GMvw9~F8?Ica77){qu z8>*S5)H8g44CQ~MleF2J)^xX5Y2z8>@9(wS{qvM+xTHI-Bxw(mBf@=b#$`%f%J-_B zmdTH)XUUJWjaYZ$B9nH-2Upsxj^dt z#L0uIwY&Hk-d_#BoAR|KwYr)Us^bge(qd`rNs&2ls5%C>Y!SellY)Vo0(~13q$36Frd@{zHoe+UIU<4 z0`!VkgKvRelE&Ov(qQ~x>@f9D9WhQ1p|0)mzd0$XpGusX z{QmJ-rOHEeJ&F0}mbkY5tuf8f)lr3!1rcdNSE0p_v*Og)^lKu=I?5vZnj_r9$e;At z$-DmO80N?FL(R2WQY5%mXAvN7JmHFc7cBS6u`-APj0z9EZsTXat zBbl*}_LTh4fa-+8_yRpHV`e?nIj}9U)wJf=g5#{WI%U1(h>lRv>6~N?lztFPKLAcP zAszi4s{d8A8R>tkfqD$G`)&ahV?g|Dv(|Ksj8`LlNor(CBI}0%YGn8PX3E7F)MLJBll9(^vlG-Q zzQgL2lCRV$>0hc-9G|K1tjHKE`B={}o6i4vj29E7^_ySX6u}*8nJtShw$<3(9?|W` z`0W1sFZp&un}5l-8#?@7k#8UA=qbk8w7`mYte1C2zM_8@!HHBh5ie>!OsP|R2&7&-}gU(hnDynKj zrVDdsUzC$KW%9(53RbrPCG?*STjN??ggG$t=BpgX9A6Fpb1BU^+6Pq!<4sC8$D23b zQ;@5JzZ&5!EvlYbQ%e3`)VN33Ch8NFQwjTNMoqa7W@*J77#qS;SDBG{rA6149%El^ z%34F+&0StCsodPFy?E4~s1PTuoBnS_&8u9j=~I%ktQbLUQlTP9n)yrUb6n?$$lTiO z(yRQ77M0c%)RfjrlQ<=6wy)xn@*1DNsA66vT&fbKMv7ftRn^u0>X|UMB>{>iET9x| znNd`YbhflEU+FTR8Y^}tXwEX#5s_O70g5Whuj^f8Pi4uR>hj7NResX_5NZkkt)Qx0 zsHUD1+4LUfH#B9B?jK4$AT+xK29l=i%i53WDTs7v>J>-}RF#5zW-v3IDw~*Bmvcq7)hXNs)Oo@{6iz(X=p9+a5WaoJxdB`6M+#L*!SB z98%PrZq~60S36(*Me@;?gBsFZCW%W%0{XB!I@HDIR)zb$`i&VM3QBAAX+&i)?T2B%3Mw@`fC?UWas(I%4ljz-6quPF)EcHufL?a zsHQYb+fwn-gGQGW)szcUb-pSxE+rS2NtEogr5tv#WE@fIPo|~QU${4IT7*5qk^STR z>Z*;LSI9YJKI+syG30uDC~IFc!yeyHPZ#ko-@ktUqQJi>@SmqZsLxHl`@n>sj#ujW z%iS-Oy(G#H%un1;;0yIPIlmX2t)EKai{?w<>&M3yk27&|uFqCbpYMxZJYOuIxW(~> z+$3HJE6~L!@ybvkc1e7&+4Lv&qxi%g*1GoRvCT7VGef8jGuyVGV?!CaB>qeJByAR5 zI-Vs!Hy^{Eez1Whi_X84L;TnANuF2Pa5YfMQqL#u4SbTHAM%~b2MbJ_e+iWQ-peQH z!K%{sj{&7jd-%ltRX%Y~fha;B`GhY2++X5xelcpyhF|IsvzSn3y?({(Zgu7B-+O&>FW-#EFYf=doB^D1g9(Ysq2P=jzP$FmgKQgS z*>IW-Gi;b{!!#SF+R$yo6dO8i*wxR_`F$I<+3-&`+;78|Y}jhU-8O8o;SL)%+whMz z++@RtZMe~f_uKGx8{TZg1{;RrUtyblHmtB=p$!+<&}+jC8>ZRtbQ`*D=(J&1v?+Ig zCVWQ^I(ORkmJQo%xZj4YHf*tBvkf=eaDxrk+i;l;3vF0n!wegy*)Y|HZX2f9Fwuri z8!8)iMVb6}+R(CLn+^Bdu*HTOZMeaP>unf{zs@#S+py4vUK?iE&}~Df4G%|}e0*lZ zHXClT;RYM_q;U^&|F@$J7nuAUFXI1gccH^K(V}y9-}x^bY}a>+fz?9|TyK}RAm5l7 zHuM^|8;1J(Rdzp4J!tgs{CB~LBrIQOylJz?on^%)AOBT&qy2l^ zj(3F}?>`EqzeqlN_Z!)3%1_ow@>3T^%NF;)@5ip8Ms^OIvm)A{-sS6@;7}IuVm7=B zPj#pQ;136JR}(+C0ap%I>U8irUafVBZBib0oZH@C@K`KJl{xIKpjk zH}I@caK?F!GXvPlCus@1X|yR9x}p?%pLAG(Kj9NUw*$Yj?GFPdj4^&T0q;3QsTHJq zFYqJ2dnG@>q2rJh10N2Y14CgG_*~#ue68SzfkRG1h2>cM052F1&Bs6!;6r>;mWP40 zr<*+ZfTz(QQt@*-uz@cdT;R_qaZa9!&MDvrX~;Ta-w7OWhKWBBxQ%ZGes%!QWf@+F zpDf^4d{U=}fk&p0XY5rv=Vg3C!wTTLe4W@^z>8qm90o4{?m7#e3;AyWzRoAK`V;V! z4DyD($V`kqhj;`BMo%Yi;7;I`=TZjn#lSy&N2%X}KMZ__PvWtF^Rs9J)Yk&wwR}RW zW?&ni_z}qU1dR)v$tQU(1UB&P$NzfZ{d{fU8-f49_qN0X+{$Nx?*RVjJmfUMZwKz> zI}F|m+>sA&>=gU}hhAjT8V-DvPiV3Un0>LKt-$nI)Div#e#qwq?*!J(CN0V$@bkIw zt+4L`zH$jqK7*s5Oq4X~vZO6g>NhaBq+WgtjJ(X0D+;)rZxjC40w3fPI&1`%vK8Bp z{bJzze3CbTi3?3wfio_LF9m(Fflu=Zty+M0UBUhld;{<`KC%B3@Dm%4zmmSsC-w!v zdcL{f4ZtV(B&}v(RiVMFfx#m7t@z2fN~tUOB<#(=_7dbdz~2W>;#@-Vp8>p@PyEP9 z#<`1?dKf$l_#|H|cr$QDxxur6&)E2G;N0&)Tl@$-!l!8GTohN!`GkfmfGvCyzrcqp z@PeOaU^a}y#oz*;@&>*em{?`XCGa4h^tCQv)-~jZ_yu0UC+)KkxSdbZ z64{l%@JSip26}2ZlOb#!a1UQ6cq{O7AEMyk)xgXAq(__!fxo-fo)s{DGJq%EOuNKS3h-h+$#Vhl zmwXcTUf{V+hPGM2J8n09;ZER=pVDXXBXGeTCJ#Q~)Sn@5jr}y>HFp~N_<&#V32hGp zH{E6EDe(HA6F>e}0RO-zd3YH3IiJuCJ$)+i7X}yDw!y?BF!63a`jo%}_n5J<4fx8v z45irb2k!or8S@23-DlDjIL*cde#Dn2eG}&HR=x$`JAf6x=j<0;;JF)Vx8Pa88a}D( z4Zt9u~B1Mhv3HViKCmTlx4{5GK4Zsrkzu{(@?Ja7r0 z(76tn_B3V0e-= zBXG)o!h)v*<6fgI;PJrOd=md$U^}0T5AOpXf7|qhKLTgHW9n!w@a%VK(}c|c2KXfG z&A_RDGwp2}@Lj%6{8+$+mdU3;M>}O>&2u_1y#tzp3+#HI^#r)U_zz5*5%>_Fj2jOF zt3HP2_^AeV@X6WL9f1s5oC^MVUZ_`={KZ!hxhVlPl+#swF++{Q(2T;#jOUZBW>3NG+P z8y7yJ$OMbMK#_Zuya^PURIlh`>>~Vs=_|(CGawFw11&^#JKi2_O~C${{G|GYaQ`@#NTop|ND<)Z}nj>eAq7R zop&>?K)kn20aWL`teLS7nN#j_sQaDW=H}ng{~&6}J@sMS$99`rU&EZ(ZC>^s{)s!} zzwJZJlqqEPe&j%AsoR{2o0~6-56NNv9{)FS;zV`+`RA+o^XIGb@^a<(`&FHIudCyK zox1(@+tsgs{cE*(^JdlD+^k-G^;LD`$Pp#mSMjAiW9Sr9y!yfJI_|ygTDp{>9^>BN zM~Ca;4=-K1Vug74D7gFZ-r(*-IPb#j#DK2zAm*h@#cb_G>9;mx8&ppId=xxfrrnpW z=ybkM;NVW%ymYU#OTw3x5x@Ly6#u*TmX+-#eQnn9mzD9*K@dMTO8kd$mmhw#e+e(Y zibI$Wlm6bF+Dsx6{{cx~{|=EpZ#(QIf5cW+Ciy$O_lpCV4vGhz|J8@r?LNHwpu{2O zBeNIg;^A-w@nequ<1>R#y>s_oiclu>aqfR`)gU1NKZaE0{Cdsgq`cjG@o_WWiT^iu zoRMKXXmi)|d+#0n+uho)xD)Pu&$M6{!Q-|6y}S3^Gk15_;k|XuVun7!ujf70byz!# zf9TtOXID@=Yx+wRmT?yUTIu?J?%4&lHaUnIDL zPdAO@Kyep;J;O;neSJ4#AFNXjzDT|pJ{RA}ptSQuJ~!XrYv<|d>FB>jbmQ$ z(|HTE@%8K1s|Ox?w8Q zQy)E5c6F7ykt!;CDj2-+sg5gY30L3v;pbOA3UcGm-{D2jugX?F^Ul0^^PVcpOaFJ^ zl~-SI&BejsBUc7*XdL&{cjsNHZVcY@)Fbo$UwdZ)US*N&{YFI=l|^(2xa1JFK!kwE zz9b=GNgxV3!=U1g0V4!i0s(|kHf3BHBr}eph>*kuNkDKx6lHTmyegZDE2yZ5BB+44 z*8TrF=M9G#5OKcmx%YYOC!Id;Qr%V6Rn^s1?|BdXJvoE^C!6j1_S?nIOYt@G)uN-V zMx|(T$A_zE7wgKe!9CnhtzN<>c$Db*BtvwB(y(De7Z(?&_baq;ojZ4SNlAL&Yig?J zUEjWaUB7<)+{G7P>@K_PGB@dp?r!kl!EWf#p>Fu_;coP3y+>5`W8%b#E`Mx-EBae! z_voaK?)t&q-1MuG-R&cj-0abbZu!&>ZsC+vclXqR?ul7B?uFZWx%Gutx!4uv&RJuw zbz%R^AojTRseDlpN zFE7vCdFP$(uDkAX_uO-jn>TNsyZ`?C{roOoyx2Yd_~YJ|J^l34Zqu`i-F07?dwh?% z=bwMxz4X#c?v+D__St7{@9v%M zqwmb^*|W!e`|Y=0R$%LK@!G5O(K9#_n#wcfyDygTNZG6Hk(}D8uCujtms(#p!A7}R zmggR~C2q5A2<)jlP4F>&w7%vz*LkLV*~NNZM(~68XsxuG?iRt{BltyvUnTgBg5Mqi z-$?L@eYD5OkzYB}xfzQUj}ZKtJ^HS&;I|0=eZhYu_|F8tTk!iM;Nu%9E|(-(zf}Iz z7{!!kD5mm|d}r-LY-3GlTUt7Mudg$0ifw0}vpq|k?cY#}fBb2Jj}d$e!FLgSy5QB< zo@~KSsOjvMmd@t%b@uQmXRGtn=MrZhZ#W1q=cCUFfBb2IfWyTy9D=xdVvJ$g5<)x5-6%N%EY zZ*Zm!uH`-AY{^<@8@5KkhXmh7@Vx~;Q1IggKSS{M3I0*RuMqr;g4dXN?+X57!S5-B zKSytc=%pUA)x(YI;ePe-oO<{`J?yDz?(3H3_VzWmf0Vgz^UQs>#M}=XtQ7tX!8a3p zg5WO{{2;-P6Z}nrzpJL{w;jwq*4NycQRZIDGxzQibDwWG2wz$7aNu;opCR~qf^Q`F za|GX|rn&wt&5i17Zu%(om1l0{5_4~FI0%2JX~-xkktdUryC!u_O7W+9H;rxBASR|! zkJ1~Gx~8S3rlh1LCnO}LWHgIy+_+(b9zE)3gl|Ym)n)yq>O)FOMqCqa=+Pq-zMhtz z+$}9Z-FHh)O6Z!DaSk^$Y#387d_6TiF)1x6IVD-}VAlMcxVSE19JwVeJuN8R&xop> z(OfssLxY%lq548HmHyMxQWMfL&Z<=>O4oHmZ1{#o8G=tpqJ!kLj5BK0s#9{^0&reJ1mX=YM z4(deJuKlNzPd@p~-r&e}UfQ0nQ8MZtazh4e;Cgbm^whMp^ls_Vhuom+jhp)ZyQZh4 zbxTi4?|ydO)5Ak(gp4M!&3cP|`cL*l1YFDL6eScm690VvEjy-*#p&JB(mfF#$AJIB zKO?1OA}FM#r)Sjd-n~|>S|XzKdPbWQGZN#wX^8W6{p{}DJ(XvcUQe!Gv3k2|ExM(p zq>Iblqdk>pbq|Y2LWiWJbC0iHu|+~gdPaI`xAYP$WkO0yYVvtqljBdQQ1$%q1$dR3 zB6AhKp3y$OMwJsQRH)fg7=mJYT7m@W;Ps@oty{FJa(v}eQ*|-9t7Q4S^OBPfUeCzr znshaQuv9OJS60pRRYF4`-BRM^x zqhzi0vaScEXN{We)04!<)QHRQKgHjn^KDxtca*9`UiSTKe$!GUh^gILcPMi?qJK?v zYEp+op`{;(mh?k9mwmNWlMhs%lCVwA#VXY)CH43CbCcCa*=ptaa#LJF8Gr7`eoEla zU3lSz-XEEi)uYt+cyN3dcT;vZH*0jVd+fSyZt>ldT-&wsDP-q*zG<$Xd_GS+&;9h%PcH9Ub4%naZ1^F<&c@f% zLf2Lco%C|%AT4wgw9wtAh3)}Y(;jmzZH4P=YuzZ@vC(Z!KMC{_s=8zCZkw|C4@7T~|`-)~zcg zQe3+Z|LaCIjE|3R%BN7>x>0rOHI1%Ot=if0hwH?|Hf-3qVSLRR)tj86p;Ch z`?jK5M*ja%4oCfw#s=S$R8NnNj;^Pc+Ca5Yl`2)V19Gwqa7r$;Qg^DSs0JL@$Nxxy zKlH2J%~2J2TSFD`56zuB_pe%amhaxZ`;#xf{PI(+Js@H z)vH%e?%K6$EA_)XovB(|wWcb#Ft1g^mCx{)YkyKbOSQIQ6|D{&IH1gcwnayee;x7r zHR<4a^wG9$+eY9gygdHv)~z$eNKN?JvSrIW-ijgFC!c&`>({S0#T5K~z{p47{C2_2 zU9x1!#3!D3Vxru>Zr5Lb{RKHWIVm${%;+P(8r+(w#?`J}yOm-amz;a0GVl8I^1vS!U1PXqFyc#|;)iZgk60Y`K~I_%p`n>HC0-C#aw(GPS7n3rFE+0(!r zO8<>{P^_L1ZfVi+4?6!N*QLYfiiV@r-#YvE?>8+&UjEy)Yu5-lrZNYLo7wW^%T04` z@|nF3GY8Cx;%dHv``Wc@4PDu?WsCm|4cGwW4LxCwz-_61KQ!xYvxHa8&U?u${&};w z)n?6CnO(TfY{AE7`}XhOBwa!OkEVG1SFBi(*Puaz*7D(J$X=S}!_$DxVGiIc^e`9T z&S&QT{rBJZmCx`TeuFQv04?AR|B=yxFU(TjFiYHM)=?q&w#pf_S}Pi!Gixdu8a-nc z^OV_)can*6@AJkwjg7#SS1U*1r{`$UIk1hHx$Lr!hG-wXmyli%^ zXc+OP@*O`a-mTw=Zn46Pl_HBrRq7~CiY!lW)v8sDWMLX~XdXO00UfmP5;=nZ<>^w{hz7-zEk|^LfA%J`22Yo$#Zh4|H&Sbc z1@<5L*Lq~sU_NNUKag|epZP$pkd1&AbR0QD?$M2)MK359=~ukZ7Y%8W|L)>9G<4Qa zbhm${goYN<1;xoNcBQ`^J9;$5<1bsBrx<^0&BF}z4BJv39msp+oCI=33;(&!x&SP8 zCbIO~E**u2_smj7LpRZ|cvs{dhyDDOuH1bXV(NVN-FK#S=8y^vK@I3AZ%zVQBI)?y zhaYUilXL9;Yt!uRQ3-a($V89WC7+o6;SYo;15ac1q>d^6;0v_wp}Yn}I)s&INP? zv@i#(2a$6U&_WCT*vZGICfTBEI@$u!aKC8CA5(&V?ryWoKNk%<%>F7G&}VE?nru>_ z&(IL)Gc*MHj7^GN?(x@?J%^M!=o#ya{H)Rn4M8nSN1!W_bnqD(C{IjoZ;xEt!500k zqdhcUG>q$P`}XX#H>J+dkRckBW3#_T=rcA6eNK`tV3XR(Cb2#THmUJSv-&0Ym$geC zfBE;*TeoflqLhcf?7f$N;WGo=!HX80z#Dyl&%vBv<0JiJ{2^#W z{-3?6i#;P6mWhVPCW;2>0{RRM=rcCyF47LOE zc4tna{Yx~=5DmA8hQCXWre>vhM6pRp5kAJF(tDL(*njX30nww2env*lrZ#wG>&e4lI*G|Udu@K4FnjH{CD=Ijz0K-Bvf z^0#}d&XK+P+3e*qvd>{1=3MJmCV3hn<*O_$W#@!rYy!IQ zYvs-77M1!K=<`3q`dkL?i2e`wGxt4v_GBLHp@$ywz85}?;sZ8r+_+L2jzq_i<^+7O zNsnQZeodc61Em~Zmv^cTeA2Tvt7SW_apT68k&$6~HpB4ia&vQS%$PAYefo5-*9!S~ zyMr%O9xd>mwEjH zJ1;M_{rmQ9(tICv{6WuB+O%oYzR@#EcHMQ??YrcXOKjM%VV>{WS9)232K0is54b@` zSz3reunr^l_(6$|+*OckeS_zcv0tU((%qicxO8=9+7M22VXV z>MJ@O(9pDLQ`56+ejZpeka>KcfDZ5le`Fpy*&EQJ59kQ`5X=cJGKg;ytUc_#**{BO zepCDt-9r8)OZj?UY%_YQjJREU?X`X$paHw8*s}HS-`}5S4xk~Z&=Bl<*;C?UBlqA* ziwr?qAYYuvr^4r!E%~QnPi^#^;ce_8js<_@o{B6HZ-yptBj&7U@4WsdCnsBCVxsBk z6h9AK2PU9_Hjt}eP69naKfpa`kt6mD$Q6Dda~H%ngg@!FlU0wVc>5{3rz-^zBOXpe zpPzZ=8BYWJA#N!B@HAv*W?Jvwy}fKHC-3ox*YF%#z#Bcl{&1c>0`h~ey;6FB4xkhC ziwzd;KdYZM z$O3Lb1qM5VEutVl?1`x04qbES&Lze;PhX4wt++#@$3O7@#qVj*5ZJ|lmVgFY_>FDS z+U@rV$P{aBB!9t`WAJBg0w03B4swqy!EP;dnA41@R)J;_%lYZ|JB+v1G!`kf(~>LK4Cww zb*x8`a{_OdE?sJO-+i~2XZRgd=tg$X9sDMaks119Es)K8P_IrnR=$Hf#m65a*G2FT zDl`Q3NOJ;BdM4VhSI8JJ&<4K9)=Jq4R|47*=E9b#+ptq4N zvd%I0Fc-)?e1=A3U2^oZe1sjEE7nz>vG^@(6ZrjFIaN3C48s4*${0NRz;hbEyVw*h zE-SCT`bSsEeonah>TUXd&YqH1pZxKEu01~7Uxje1Z@*|fmEYM0{RRC;;5~)zb-XIv zZu>p$)K$jR&f`atmWcX)oA9Ykpc*R#sp6`zea~C+U0(RebK#RZHcR zzTZ1wHcq*oo^O=o*oXy_Q#e<-odJpszwxz4=}0(0>zNfRR&1-i-6-kw0qmK4&V91C zpJ^@lLU!qG`R4_SlMR&*oTB?%s>aCQ*gaS|4)SEgLK79gCFf1Pc=I=AuPG|0?;}yZ z)cuDmXUT>aYRm)JPi!RnC2*hyIgGH+|Fi7sH?p~#WH+CpV{)eC8_9E#Um+$=e(3eR zX6r@!QRI4~vD1nxWGeR54;=8F*n6@*V%J%Vu+{jo_$gfDGv!j{s>pegYa_?Q^9$st z$nTK%C&xxP9Pv6I%^pB|&=J}%3}yXgU1OiixcJfVBuu~eol1Hv`A@#=62)%G_mL}m zY)|CXazB&Aij)UGKKns@1S&XCvF}uP!uqxA>-+h<1o3dnz+K9B?JUWgUL+jI z`|=C~v3+vBfjpA$CC}JN?dyliWHf7v_OF@pbNhiufD7}F4-77>Kg;hL?qk~IoQcT? z1?WWED{Igv0oW^)bsmZCwP_yc`TEsi)MV~Q!*7-=og6x zV`&!m@=$zG zYJdlE6L>)(zD}-*90$2F@=WA6$di#{BDX<~jQrBIgG%Zh*JT?xczIObHOPI_U*!1M z04lx>H4+bSVg6U&m|*0)9uW@2G>MIqV?iFtbCF*m*XVOx;qfP4(Vd~ZP6YDUS$t3_ zoqv2Ys0`~j(=gVYbg3lCL6nOU{to^W1R05S<`DLauO%a#R5i z7%b98le<+Zm49?g-|ZbC`#%(2#O|;!U~dOcus!f&?~b=@-M{+yJOS}(<@POy+tJzZ%Hw6!Pfj#0Hh5Rkg0R%cx zo;-42Sk}sGqVcg6uNa|t%W(K`+ikabyNBIn{loqv3-AM3WNdJupc7wyxY>4n_=a?% zj66ywkVi^+0|)ZYew;W5F`=d7w%A<6G z{5A48d(y=WU+(%Z+ls#(&G^bie2|cUS9i6~P3xTscFQfd`28I?VHeQ@@PG%*54`zi z$J_R5{#Ewm^-2C&fIuD#CUmz){+(l=ZjQ=kNpmv%fK9IGZ zybQS|`B|ptzCGQ+{tG;)@B=)`&JFmnZecsvm#X_Vs`z(DD$(pg<$vrXmq=bh-!nDh zui!9h)F{t)>;dZ_eFrkYSlER?SG7+3sJzTz$#SlIq@Oh?&piFwo+=t%iT5*y3>oqQ zIUZv4`oh047v$HpF8gut2jDy7Q}N00(SlZM)%W7(HR@}w@)f%@Hd}#TD_;K4LHfeC zgWtq*kwIeVHtQfzLm=p5&JI40o zLvOJDB1_OqpHyrfI)`pUCo;zKJ3M=#?*(}KaEx>_HYFPR%kn*v|I7gu+l%dEp7l-$ zoe7+l=BXjDZlvMZpa<3=vgiLF1JV?ljqKz`lP)N>*KeBglx4zWAR z0qj;EBNr@K;Lq!x6AB9pQx(r%v2fu+KcB%G#yrcWzY#eY`7}NMOq}%x^|4Lzw--HR zZ;ZSy(jMd@`E@+kn4rDYZ0!S8o(THjUSt{{F7Rgpox+x7Xy3%1i5S90xi#nMxlWb9 zKX&8~7zV$JU@4i}p0EdgqQoWh=feN?sa=X~LXW@|-vQZP|MY#9H?qVx92DNa zv43R$%3guJN(=3k?h;<)TG^9>JMz!C4^2w-KF&AVgUuGs^ub=7y%(_v_I>O-+iBlP zj2fQ`ys=vp_Aut3H&vxz4G%RZa6Te+A+VCiR4rQ)O-s_yu3b!rb+gL}B2TAh0r)%6(*}rY=cwH+w;$3Se=#54kh5Vb=Du(aWk?uJ$d}qkN zWv!Cyl$o2GHGJT(38C@BhmFYX95Z(Ghz_}fhGY%T%xyM2d(h~Sxg)O}(`?Yl;TBp9-Hfb&-EyKYgGa#$lRG&Kj3BEHsS&onta{Q%8&& zc~#cvn9$hlq(Ou96O^4}uFM>kn-$ZgQ+#RPhXR-OA92SoM(-4V2(F#tONkbEr}%)M zUHT;TNlHmcJ-SqtVZn7?50f@KR7RD}Yv9R63#DzTC%} zwkT{@*wgdz^1>m7Ifdg3rxe1NKgu5*_}|5W`t@Q4br>)C_8jsn>GV-GIIy$C&0%I$Q?8~J7-MpfSd_qhKwB1 zJZpSbOx07W_UU!}38#4yr(N>rizfCuxAHn2QQ7KbWDL*D9-)_T - - - - - - - - - - - diff --git a/venv/Scripts/pip3-script.py b/venv/Scripts/pip3-script.py deleted file mode 100644 index 5621f44..0000000 --- a/venv/Scripts/pip3-script.py +++ /dev/null @@ -1,12 +0,0 @@ -#!"C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv\Scripts\python.exe" -# EASY-INSTALL-ENTRY-SCRIPT: 'pip==19.0.3','console_scripts','pip3' -__requires__ = 'pip==19.0.3' -import re -import sys -from pkg_resources import load_entry_point - -if __name__ == '__main__': - sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) - sys.exit( - load_entry_point('pip==19.0.3', 'console_scripts', 'pip3')() - ) diff --git a/venv/Scripts/pip3.7-script.py b/venv/Scripts/pip3.7-script.py deleted file mode 100644 index f6a4d02..0000000 --- a/venv/Scripts/pip3.7-script.py +++ /dev/null @@ -1,12 +0,0 @@ -#!"C:\Users\mwitt_cjbzle6\Google Drive\Teaching\CSCI 466\Code\MSU_CSCI_466_Programming_Assignments\venv\Scripts\python.exe" -# EASY-INSTALL-ENTRY-SCRIPT: 'pip==19.0.3','console_scripts','pip3.7' -__requires__ = 'pip==19.0.3' -import re -import sys -from pkg_resources import load_entry_point - -if __name__ == '__main__': - sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) - sys.exit( - load_entry_point('pip==19.0.3', 'console_scripts', 'pip3.7')() - ) diff --git a/venv/Scripts/pip3.7.exe.manifest b/venv/Scripts/pip3.7.exe.manifest deleted file mode 100644 index 991cd51..0000000 --- a/venv/Scripts/pip3.7.exe.manifest +++ /dev/null @@ -1,15 +0,0 @@ - - - - - - - - - - - - diff --git a/venv/Scripts/pip3.8.exe b/venv/Scripts/pip3.8.exe new file mode 100644 index 0000000000000000000000000000000000000000..6a2735581e4184bec05d3924c1a282ace1718521 GIT binary patch literal 106386 zcmeFadwf*owfH^BWXJ#sdr(FK3XTvIjhE0=O&rh+%*Y;@2r6h)P&62^qEeUtotB*9DH^Zx#M z|9Sc7?EO6ZxvpnD>sf0(YpvAWu-4^vxm*SOZ`&?cD^K}Xt$zRUkHzN^r*9bH`tPCJ z&uGnyZ9ik~;yacHmM**J_GP!+6{x%A?z``a2X4JBuq<(R;EuZk;n~*&?z(5uZRZyk z4=c?!{p(8>-uvE-BPQkkkNbZ(>0Q!CxBPa}7WMqir0=We+DRYs{BYu$SlZ0ZU{1v4TJ-H9t_RLKHb0klz%{`&Jb#$WwV#~-baJ~c z;^|ZG)p_!e_k5SjBR~AhJzYN104>p+5B#bdbCt4nDd{wldq~}Ej=Z`aJ3r4gRlVf7 zelv%cwRx`7hD%27U%qPz11NWspUe7RJ@Z_x&QQO!^!f4IR>t}A;rsl^fMo8n_=Elh zT&{)ZFI#j={1%tXx>!CikV+m0}DYHtETx(sFWQ<}(`v&e7D2l5lFe zt*2t8<$5w)8nAvF097haqD(4GUP@o6r~Lbh@?4f(>~gJ_b+P?xKXSRYb!^-A6@Ah& zeO3(WlbnChXX8Tp+%)pUKK~$n&KT3*=V{qK_2m3gubzyT`mWQB{Q=YSU(=bJd000; zuGkwhyJM;8N42MRMa^!j`DE#~OK)zAk25`{Dz_sP%!_K_m!o!jw2Z>xs-u}*x*0F6 z)XfgvoX?z%O@W&`w)OW@q9<3C2Iht4hUSH?4PB?3`{}njW~O5)&shu-_$<9z9yOJb zinn9Q+bXSv?1_-Mt+|bFMHJC~&~EKIZri#^8Q_{^} zn(dILAB|MBnJ-!C(`61)ZB=RBQw6|3WWE$Nw};IwmZyXzG`H*KF6&*@`W~6;>5OEb z^fF35%=;a!*V)msW4ilD`a3M&laPx7bF1}J&FPm;AqYpB8Qp<_e!rRRH*9u9&6jj@ zhxMb;QhtXtx{}_QAG5o1I5TIS<{s_gc5DAJ=1A|l`CO<~=!f;<?!jGBax;eL5W#I~_?c-=>$4wl3nT4|+}_JK?D@ z-^tWVYpEY8`0ZvM&jUZ}_g`r7*;8^YJ~?dg(5KMom8tnNFoSzu5c> z8EHN-wnFwo=|YzDxuI;lTV=7y-;(jDPE|YBS{XHaWKQqv`l)UD#LeuL@|$lOm}~#O ztk%s}bn}qyPtm?^OmuZZP2@CtN~WL&(iJne>gG%A?r<_D*d8kltQSVc_TNXz7-g7dPhlR|(pk}Mop#8!&9Gqj+|pWBBk37-T^@zQ z(kxiN(Dr{n`&w%}13XU6rDUJXVIGoB`H#{flMhLAG0E?+ILxwpRrVZ66E7{f4tjsB z95A~1KD9oimcr-rKoQ7%=qd1q97S=%+PYcZdeE?}-Z(TNJ}G3rXsze$0h7m2_b*a6 zHOp)J4+!*Coy0c1d2f7p)D3#~rgutPDgTct7-|)MN;h{}bwhKM>X+mqbbIBc-z#ohc-wN4G;S|A#u%u&$Tl#+LkS@ggZc&KaAfo3GV}tImv%(bf%@ ze2{rU(7WQab)m&;W;icz@S+><1J=}1`0Dyl z^6S@b@w8Osx#n0Cff~ng%D-WVTDR=kT@K07Q-(CIo5zLR1@|l;-B48=*BYvZ#fRy3 zyB_RX_F=}&KA=AQLdyR=nvfO$1QJx;aQP^?j-44|%08u$wh)Fh0~m`rdZiPUL^mp|^MY(%X?56z?@a%I66Srb}-TbDtwEL@GWAnVa?IZtdYV7G<>c zt%;m^F8D*2Rmf{aTe^{VRc5y;6MvNigz+3FwZmEqlPvTc%$_6rx!Af$wZT%lGEYCA2!EFg| z2?w-oTlF<^Iz>%z@fqEGnRz7q);eg+JB!NfPpu*&?za|76M$^EbuDkO4b@4n zh>It-!76MCl~8bZVzqVsRH`Ir_;hn^n}9!gvTnAts<&BQJ?K9M2O2-cZ0I7Z+4D5# zNWyDPy+levU_JkNHk+wxhBtnyZqD$TEvi`YBT{Ur6`7*iW(YHUJ*tKL#3)0R$=@=g zB#%SKm;Z^jI&bh8`_Ht+tlv_E+LeLOTu`VQZYFA4&YlRFn`%VZct!>aMvb*@3-mAK zL9o3QE^>AH_v-WR_#48tf`iXmhhZCIAZj2|RW~YenO@ebtvl_~dgDlF*)V=@SW!@K zbOeMP8+|IPPi3_Qgi7o7_IPzY{7|qyxF^0P^L3aNp}zs^BcRABpc2};J=W_2Rbdyh zwT4M8kJQ@6!Ktn5C~FT_!jr~}ge5FDekpJ}rbHGw>a*JjioKY%s}9WvfdIke3O3R1 znE7&*=kiJ*yaE`+zm=Uolg=XYL4+(df9fJ%G&BEL*()=&bwww`_o-POQnP9gaB81a zZyZ*6hgIIjK-AcnAGN#UjJaFJ{7ih4wr-=guDh%Y#FZvttF3v$l&khn)N{xdHxBJv zvC0w0n!9x^atL(4>tdn0-HCwp-gKBihUl^$sOHU-PRvn54`})=o-USNCU%xGEYGr9P1@Dez2r zzBw+>)#1=5)ARO%JlB(=3!ulsR#EU}Ji!hv)}hyRZGg#hB|YsFv5rOBdHMH|<{C-U_c^dS+2L^R5t- zl>f+Sd9FxGcSp^xSjzt~Y!rl3Z}0OMZ=4=A3pVO^cGt$tQF&40unkvk96lcR)Uc0- zbmp@jcGPZ@)}wZJ;%~I4w!Pqu6^y!E4bv80l;?8AJ=XTi6|{H97!XUCz6Gu!OQ&V| zQpL3lLl3^Z>{5XA>gn>nXT{g#IBfm>zpH=e=w;99z3=Poham#b=mS|VD=1^l0=)RPZXqf66S$oI!H z%!+cj1ai|0K%?fi2X7ZifBHVX_ha4Y%U@PI z3j*rX8xOfS30F+fQz)*2?JI`qtp`M0N4(LEeFv<^7@c0WPk7^U81MMmorT-Bu>nrD zUIfM9xa4rsI$eMNyDUqmF9V_(z_STUSHlu*w{909!ej+aR?uVx zO;#{Ls&D_ys-zY=x!dCpKO9fxY)_^Yln&zIwS=K@r%IqQV0lb|<_EySf%&GfC38tHWEp1?}Wraqt z&M-aE-cMt}u6xhcjpKIQhhDQ{x2QGSWIauhq2j+DRIqQw!%;N&+875m7Q2>Euh}v6_ zQ4~aE4=E6kV`XYZY$7`PLwdh|+tTbtT9zdzup0iBit&M7P)`jaSP_ z3rR#oj+u*KXOuvo^q~k@uwpfwZ{|iF{g+iOFm%xWEBJQB{!JFny@%#=ynBhYi~(k` z-S#WqJ^eZZmohmyD3)4;68j7pf6vU4YOVR(6p$6GpX;pHIY!^{_$0k-aK8ub9ZgjJ*tc2a7-yD^hjQOynvV#x|Tvc(<@geCds;wl~(*P3J4(C(^^jI zsJp1GCsf%GKiS&C0JCGgM#j3sX2YH%Bl#1vF!$7$LMXC2!=2VvhL;m5>R6JsQu3gX zFcB#xBU&k;q8?a!l}rJ@CzSt{`e0W=1g1!<92}&U`#70=XCdyd>(0xkwc z;~<+`S{^prZU4*{fLk{R;?dUeL0i|Zt=l?LxIGcK6z>_S*jr=nLWl#85~HopV3o2H zdWctu-1h~vFq>}+n|EQ~S8* z9?>P%gn=pj5e*|`F?|C-v@W@t#Qk15cONJ)>b!_;=nBz+=UKPkBMU&22V~kH>Y<2-KO0uKekpeGzakM8`wHM8}qcLKk`vVm?*6HApI*6 zW%v7P%>6ayr|$c`(e~q>knzsxv&@16HFthc8|n#r=xtSQ7WvjM7r0!(Es2RrgxjgR zyK;l*RD)<=_Hplw5?26nFasntUu5>yUDSahw!8@aQQUH{Z^g)-871EMa48I%VD`n` z=KZDcY-d;Jxvrph)pJ2S-|j5yO@%LHD-EbNMXw3H5K2HM5Q#3-n3t4aV}ouymjtN=LnYX zXv3lq)+qL0zo&GoAUeo+`+@o{0z1A7Arjr4S zxR3vLMH|r+*_Yirv@^1Ym(`iV8L5KOWCUG8jUF>2?8Ta0(AALrf^bPa@%bQC)UMgH z5_vqbtEEJKWi^tKU71mOYThnnu*Mlo8uD|7e3Y^UEhQOW_T!@L#{$T*R<&SH{q*Gg z`s3Q89jO_|<(gy;7lMey%O`Uo$i?7Wxy!&TYzE&isG|fmRMbpIg(}I783&2h^s$<9 zTf#3}eTlD zyXdE&^IY7Bl1bFC*41*@^&L+vwVJ49R8G*Eze_{by`+*Q=>~cK2Jf`>)_h?cxNv4i ztM*vtFSI9O5>#Tz&BvwHvBK}Lnv#CZEp$eM0w>_Ie#9_9#T?HEW$K4FEUq$=D4N5N5S!L82dh|_#jCcqc0CN%Xm@x9)k@6>3?3u_{|$jB29bm8x}I&IvP&i zSdtkV>gmXfkK)%G9}&_vyftiDVdsoe5pt!{^++LMvr}<84_~iv3f1W5R76dzTqed8 z&@Vf?$Kg}ims~#$Y|fCmM+SVNdTr;3eo)QlRYrdvnvh|}k-WIaIFg_EyVdkD`xU*j z@bNpX4`tKtk+*__yuqu^|B}9eSI(}&nD)#xD6MXetK*R4>RM|uKnme*D)g#xmy#Jz zSV!(4E9seY1~U4(#X`C68*06KySyZ@lo)rG)Ma3^Wb0in*GB)rN5$L>2aV$u)}xXR zcHTQiH;307Q}3IW&>ZQ*`lw!-i4Q@-@@97GrkmS^mH9bV2pwFfU~-74S4LT9(_B`OGM-lxgn`S8n$JsBSX+V8DXObj z@+@bB`Dg%9+WHk&h(3sOL9V8)-NO~L^3^P0RtFHNK#$cepdBGR!%$%=#;#vU z@_CeX38k|8x0B%x@624@6Dl#{mskrgl11NY_F20HVb~g%!W07p+rb$R&14|RvnI>P zhgp-~mu*}(*=5v~xSSJ4sV|g%i8JQJvx~}uj;~SHU+6qLj>~w3PM^s*s^de9TS{D+ z1J*Y_%${Tya$-0q*+*n$*eJ3o9F%hI50vFbYt0RE(dPLHx5{YE_hu^fI!`wVh~u~A z;cjoN6tl#{TkD5|2=!HZNn%gMUZb^%H6C&A(5grJc+np2VCdD>Xe3BhWr8s+fMO#b zz0r9WpszcPB38$_InCYBvq>&FD_8V0lw49YUy4FBUDhN0MPHjtvilwo#H!;ndvMr# z^bRiT42szPtNbyR6U3q|I++vxZ96n`9}b)>_D5 zK#M|FY&)4T({t%WG>S>jWju7#AK+mYpTe&-?OlPXoH0-esjx^IUcpahwAp8@Dy>G* zP4@NVY_sm+cdfI)I)E={fuYlrtvi_w>B;GP*>FM^VO6+wZDCjd{re1``+S*~=~*S( zA^NKoJ|D(=p~#B0)(dSiQ@NL+&pEDmNar51lKM0dMuy@O)@`Wwo#P|rnM$Mb9*9vN z@ro8jY*@(VGiWO_K{uO9)c}$nuk@M9CXF`8rsrX)ZhAgct$1!0MIYtYN`FbuLUKDj z7m+!%z}432Dd!F1Diw;6^QGIxybsO3FSY#_b&F#3G0HhBFam(co$o2+1A&{j%F5=E zFs6NrLU6}Uxp!G$+h5Yft)g@Vp|SnDN$HK7WbE*M%0}=;Z!~#lNi?}UAohZT^&-_Z z=6&88bBY-%h?@6R)|BjTs75 zd;pVHQ`Y%-AResPT{Ze%6sEJiW{A19Eh{whc-&iLBX+m@f}@w0WZpppcek0bP9N;s z5OYaqQN|sH#{+JdTm&y(K2Nu~seG$IcfW4VKtpt3S(O8|Myaew& z8lP+gT`+;*;!2piKj(#*jvfZGHSW%ky(>5LW&fjKkTpvao3uNtVM7PoqzUBtY6yBzZj zt*L`tc;2Q@fj`$e#-VFg-xvQzsBEX!^ekCMdU$-M-5tNwNSDOVGSb81V~j%uiSI^) zPyROwM9f{rPG9=BQhmcmg=xXQ>Yh&26oO&K&g%3URccRW71{ZTdyV&w8}A-9cIImv zJ}k^ErJ=;FG!hzaXX=df-1uxGJt97pF3*v^M;nKRXw756k={;M8+-2}dKrNmG_cjm ze@9f(YBh&3jFU1~awl+}D#DgfMP7fqzle__BQs?bnV^akW{dn)715f9Ih~E5nD2z4 zgsUpFX2&uVy<-Fk-|S?kiiubQ3vC(8oq4>B+ROHQb_yFBa+pk%BqOJVlL>B`6O3gu z4*)_JLLfGg$H=vTrH!tX2}TVAm@H7n2h{S;yRY*BItr(Hb*txambjK8iI zvO7Txm5r$fTybnj3l8*Dml%n8z11bI2G%x~nt9CV^R4iuX8WvFYZRl)jA8Bd$y-4J>fJ_DNma z|MW&VrN`+~#60bYuu;N>k89+GS&6a*{>sPCM0tVHnsu7(oFEOb5OQw}n5!LiWA!tS(So1 zE(KxYdNR^r`+wUm2e8>^`~QVE=|H#r4ZN~CK2#S)#t|C^X{)v9c0QXanY>=H&6@Xj z7Ay6$Qh^Sd0nVZ2N-Hq`X1Nc6*Kx?_hS8kXp_HCy{fvFYy0>wHOP*i|j1YHe!|7}= z{dN{Xai|>5AjlPCunsd{jtWbA5dMhrVRLKlE@!)d>x`JNG%@Zt0yby2TH+<5QFhGV z;J^As>VS0<15r9kc;ZE+0nUYfabyLb7?#M{*!A4v#^j<6y<#|3?F|l#m)UJm_b#LF zyk!Sdp%09{kt>F@BLBEL8r#EEY(+E6l_3K2Ghv-iy}TQ?3WQ_)|ByS(Xq;P&@a@&pzIvD6$N3l?NZ zp(JOJqmu>1gZ>S&H)`C!hc&IKXshAcSuBZS!dF=W>} zm2-crw9+SA-*$2qO3n(!2-u!~ADQPuX9!d2O4P+tlfE{ZiP!Z-jj2ani86JcWDPkJ zv`iKp6`+^ssTl!fvyyZx&!gmw(&P+pW=zy9Ix1=nA4mEOuRQeREYNRwx?BYy>`$rH3=qvT)yaqP?+Nim!#{5|BMdq*q@vym%$9yH6 z$dU+wS<3&l*0fh`+gio(gY?X9ZxtoSxz?RzWW~rn`bAG4u3YeVe7J5#9y1>6VjYg5 zcS(;QCZsmfAlE=!QN>RVnFqrxdv(M-9Kxz3Iqy%X<3G@v-W&?t%muBA`g5HJI}}b` z-z7443=)GzqUC9dAdGLW50!P)b8F`3&@bKTA4 zPYLa*QTgqM3+Q)=`Hb*Rr+PU)&=XFiNqO$brqO1rbba}+1VkiU&I81 z?b`Rej8khW1;SYFXiZzdCZlhL)}*VKh}QJq>SdpcRim#~Yr31dT$aNz z_1&U1{ZM_c)0&`DE~R*nnnR+-7EX8}Kfo`jo7^UFP<`#`^JoK&+S|jImuOFm_dqR` zTt6<`_-tR;>`Tiw2y0JQ3Z!e(Nm6K=?kEN!*wMEvg$EQxNMGizQ12%3cuKe^mS zquOS$Zr$DzvOD<=2klj_h#pUkI*iTcQmy%32!5z%Q?=FEmKgBep^p1*cDP8r>_A5osky#Rv&R^)^lcI7O;&Ylp^NG&9;`jnzai( z4OXDH1#anw)mq-BeRni^UDi6elezFTW*Cu2Q8Qn^3pY4k0P-(>VH z*P2#ww5?BMKfNgBRyv914!)#9f6PQ!{M^K46@D>XR9 zw8n9(x4IetV)H(fCwM<(S>eBl$embe?NOe^Y=DWAFfbd&0&kLUG zsb*^YQ3jGjQj}#p*1a~0<5&z8|G3gEMheq zdI-$V-w-AHmn@_`bxg18p;nvipD3)N>=0&JZq~G5lFpm3g>BdeAV~>+!w!YaqmA#e zQm*)^5m4+D8f~Ca+y5py0onVI7JHY%d^Lx$*+SQ-LVp`vNYR1n%3#8)7DuFg$kH?5 zkw6d9BqZ#4aEay3i)*cD!5|CVWu)JBGV|jnw+3>Vsg-XqLOnB-DeEdbOf&Oi=91Et zk+R-!Suf2LB~DUz&t?}YW^v}2I-OCQiPr3mG#JkZx&9Gzr{#R466U4+79{+t(0W<7 zZ0+MAIZ-ixtxa%x*$>{Ln@2(>(o$rtLv3QEi?Y;*J0*LEwSBSLB(XXRE2l|HTOn88 ziyWKU6*L!hA7kdtJ*zjUk!Q|U4{q!kQ8iZ3u+%7@82d{A%Ngc2s!>OP*4(plf{ZnO znln~`PIjzUQz{Erv1FMOdQv_zR0m}uPyo1S>$&I9OoB9WGH@t6rP5`5l_S^ai^k^| zeT(BW)-R!UusvR)4r;U+TJsoHXv6;DX^l6m^1bR?VuT#tvcyH{o;=zyw)xT@@WNS> z-X|GClIlZ7m=in6vCR)-*R$pCnpsOI0?CJ=gq4%&EZXs%q41p)Y>rl?KzTb?YyiXle*=qMEIKn>J4G5)pn zvWHl;iR*=P;ANCT=U}_DQa8}3H-q)xwt`HQ-@MEWS%kvOR1*1_iIj=SDV z%a0y0-;`;{du`?7OtG9c*L5=vc|_kVp77OiZnQL zr;x9om6nU_*|wLczmTEMRbRtfIfu=lMfp}!-;@?03_B3Ih}*?(bRhz{o&(|(Gy;fkZD+-dy| z0gueB!pZ%m(_O@bA43aw{$5LR;y`mW{ z5Y7ul#jAhjj!gE098*(y%5?-5X)SqJ7ufB=j%A;%371~G1(qxzhMd=C&eoo|E-$P- z(H0JFTyaXMj1#Esid3vX+(7gG60m+!N*5TquPJP5OFU;@UW620sg_#AmU8p*0>pdX zILexrLYI_QTx8QQ6u$c#?94@_)h>#e*A|giiF#!zLRGmGm@HHjL%)uSZnCg{g?xXZ zc(X8%C)Nllo0M#&yQsv$xHLxpl+?>!jHMoxk?5%_$HmIFgnHb0@u3YveQUzQ-pY(1 znIHEx3=M?VguQRIGzzdXgYHI$;(PU75=SH?JHA9DWf>RR@f|F)O?@lbRmL z6mdB}X2l3v0eL^y1}b;}{oFE)S5s)2mNo-~3aKJG{_1*Z#| zpL)O^4*!tyw0V7_2wk`3QNFS{Mr-25qH|pM`zL{4R zG^T$8?U!qcg7~RM8gELj5eg7## z)l(1ppmgg+5QEGqOU$Zqt5LFQ&8?i!qJqH4P`2E_#1;kwrgQJ&XWWv{K>YSM3;ssK zuGy*ZIX;{qLX{=)DV5jf#n08A7^yuG$_wsVF$R+GwQ->}?vVTWkT*|qYuwwgECTlJ z`IQ&~!tHo#+^bq2e7L-d(xTOlQOkf z*^7Xi!TM&UR-Ni~_AG0WPc$fQD8d zhHpq0glZ5Xek=L9`9o))c7;eV3CsM?#lg zP@EG@l@$$cll|Y#5Rz&L2W)rGx4S5uuQea$(c^iNqb1L|V0}tx3_$p-L~h4t6eK;r z2HVXU-lXT}>ZK^@`LVpbgc)SPzuPwaNx(Slc>q({XS8+USw0+ooAi~}BfV_Qyh)4& zzBe8goPXeCimVBbIc<7NQ{K{_nZbT zJ79ZdO2t0johdyi3zHmYAC!-7#vB?A8kb=`mpBtRtou+3zKYzA{Bt#BE&uyDty;!Y z0q{N&|4K&@9se@ZW~C!Hrp*(bQDW430B&1D!TV0nWn_^l=d9?557@Z7HTuXA7Rjxs zX=C8TWXXxi^1;bes5aCp=*SJ%*M)9Z%{d^-KA+gp&>RZlm3_(|0mr2NthRvovtWSK zSW9CE?1qIrFfT&m_9NO7SBnGTJdTh4krj{z9Q{MfrE_D;rE`OG(t}6$Lx8PD#|4ub zofP3tR)z;%b%vMCbH;~*s58EBUW*J6J77hx*)=(PFG@^SUohrri{FRh@u%P=2EXyU zbkoRz^%kSjm6)%arUTgS_$fveF1Xf;EwZ^xX~9|!=fS%(pZ*f_29Q9ZCBV)nc@eA}M z8|)eDd=MQ6v^d^r&shIKB4k`5zRoGnB5*Sn+yyzggl!wxneZ`>MY1jI@%oZhy z@(67%zV!eHP)R>8Gs60t`u<285Xh9R7xvs*GfEhmlqq@KYzm)iUCUmh8K=MK7Q%@Qy%T)8X{tVB*)~T_Ky3Qgp*8%$p zHE!GQ{VjC5_!3%>i^0RBfEW8GLENmo4PA1iOoEm>nehs|?G$*o z1FWR&e?{^P;)EpKIA)i2C}s)%WrHfKZe+7kQ+A!d=`4_R=uPQ9YYKSVzbuLdoeiJ{ zm|VFaF{71&ZysyYMp@lix|4dsN!2>3$DPz-C-oC2wbV&{*Ga8(QV*(>*`NR_&EDl? zJSG__&r477P`vLv@}E}c+D>a6KxLIoStX^FleSKi^KvwG42#?x(>%mFjf!hIu`PID zXH8xksjBBzF># zx;dsg3s>16))Gxv$@oGj;h)v=%=ir_zo&){#5P=4%e$VEE-N%#Ml1^-pJEo53DuA_ zKKN_Z!gz!kPQM~Ky8J!lW!Jb>>ax&VVMY3Pu(L0G$^j*3ISM{#`+}W}k&` z2?JlS&$xe-D{+>#ZXUAH)A%Kh5kKpVfrba5O`Kgd2eO<#j>eg#+PWH_5`^(RUOq`l zi`Gd<4WQ2u!fE+3)1(BuM~JKTM1ePRt~m>v_(&k6=BeWJ5FQEnIE=`651R?jhl+8c zn?%0YsX%ryTYip;59PpCoa%a+IywyT5WW2~frbb&kH|>RRi7 zAz%F3FBJ_@y8HAFR%+We=Y8V{dC#unZ6dpKe@;BC5o&8}wJv&HvbI{+szYk4b$Ryr zin_Jms(MU|jq)}eW0#-z1tNvj8bi*Pv320a|N62I22+QD;w-3yqjW_obV6X>Ba?QS_6&6lCtsp2}`t)I_Sxa5_|Uo9EM*8nKuBMH1x#hpB?2LTRU z-9Y-22>3D31pG4m#VLG)Ym?RhcOd9zxeTDmaPO$<0IG_ zI9fe;eA!a#7JSt7s=`Em=3U9SnUmc1`&9isR#-kJ3+?A2M`c7H)F`+^9N3eLr#JqG4h^f)9`Yx*z`Me>zy>!CY^)Pgc1ph?Cz$pFENjcGgfDO{S*herD- zBi5RPoa(9b-a(HL`s*mSh+&>b{wN)8mmora-$fUA;%UvJD2T%0Ln)|YDb*)0Oapmr z(ro{TN6AGy_a6P6Lknlpf)k4HXEeap_YYXX2-*d#%2xrRIQ2ev5uFKC`ljAHQ!+M^ zK@)p{T4+53VtBF0U*Wx@Wt+LYB<3MkC)PHY;V)}<-(K3K`dX?hmx1lp7*#Y8!hb!R zQ|RPy;Q3FJZd!dX=FHf7x1K9@_y(3TXSCxCH!012J~KWz(tv2? z8i(I(6HQ;Zw0h0(P>Z*|svn#)zvNkU0T5sTRZ0nD3oQ^ zT$HWmPKf|0;IsV&KwLM!t588i{ZfuQF_;o$aSW#J#9(T9W!9C-;lbcB6-2F@001}= zAMGS(JMb81O#8!YUPH8@f%1u**F!7H7edk2Iuxq84*ju zQOF_0OQCaA5AfMp+NX5Z1Q>MO%0ck8&LYdSBEW1zE$P%Zx>%3#tUq?O@CCG-@QT*v zPT37f&mu1?=5evv&F#tJOC=TDwLHS+BH+~(y>@-)blWv7oLuJS?E=@ZEz_q+YG$}) z*$g(*B&lF*tR>(=uhWb~>Dp`-e~R9YJM(zytyJeB`T}Y3ohL%0|g9=P5&>**HbMrTIiiNA z%8|k-cG&*w)F^(Q9YwPoHRdOb;?q#@Q&9~3!%<{;!9jOo%8!<%5W{>9jrT>dN#p@# z+KC_dHtWtW4#w9%m}h<@Aju7;4}GvRn9oAN&k|3{U|0>Yz;c$PT9{xb%-8^rCju`a zY*VxItea8eu1($S=8O*n$9b^Ve&9B}?h|Oy%VPSg45?|W=zwzm@>#QRk&;7Wh}{WW zR%#p>wQ355{~(1a8C@ zW71z|uUWUV4cYS^=zS(2{@c|I0)O-F?F9SzW54r)V`kSn4{lBug@Vs zt>ya#^4%=jr81QSixdRd(yA6d?yMCEK@?x{L|-Ti2Hz^4=&Epf7}W-^Uv}O? zdr%?IeG}r-Q?WN{9yL~b^Acz3bz2;oxJAb-08#&IpRkgtqAooNYd`4+>M%Hy`(LBe zXB;VA)vZo%XTj9!F$f38=M#gfLx*oQN;g3vGkXW0>k?EkC z!lMCt0P29u%C^&UgH(2Rvq`#8uYLN@q*!f7XY0U79LNKD-OFN0LYvcW&hSi(wqE5J z;{Mc%6BN?ndo~bH2ooON4R3W`9t}s0RmZ@^0>XOTw|+9!tRo@}IRs6!?%qAf8lYAg zv{|r}qPE%UR85?hJ(>QCfk6aE3s&FrC)D#_8>ripDUK%RA9H1fSabPA?c!28xBX{Q zDPw%uqKL9U%~L_2$#JtkXP-b~FSO-#(b;~+i6>lCN*`%WBgiBWdVOF+0;{&~e*so1 zhU@<(7D1_py66V|);FHbT~%1UyVOlv=HC851Q1^*zyL>~y*d_rgV1@L4BE_gIE!7K zCq^kC9zlNqf(ilQ=Db7l&iEWlxP1c3#nx6D7&{$Iou_=Q*n954Z6mQ3YzOMNB;#RiGK}+KDQ#cyLsK zg>oW__-lzRra1O5vCbEONmK!0D6IggWJ%^hYcwzLXj5ruAfy0|aT|e6g5!ITYfSi> zE#cE`fHDwK;6)5*Xg5(|ZR0IWM1iw0gPgpjP?Z{IJwa}NK!M+>#3?d@i=>_tP@sD7 ziRVPdD2EoYl`8w4A0|5<57sXj1N2J#92_}0BJ;;1uA3MDeW4y#LCkzMPTbyVZ%y4C ztd?T#X9-smoA_+Bt^?xeQ=va}ukN1Z?FqTHcoEmCZbEwLkHp+vv5IGi$>|&y=lvcc z$QUN$aL73L@T`>twH)H5B$mN6Qk@9VI#}90=3(<=oXsBOOxh)T@M7jG5u6q)_f=r4 z^mY>0Dqy}8HoJsBdHQ=SIHU(y3_3!U-T=Xjdxw({9rEyC5_wkQzHD6f;U@s$3;zcB zM;QBY+!<9W&O6>3{uBe(?Z%Dow;W5j#y4FDYEnN%MQ?|; zxFt7nfbe^z5<$`nJbZN3Z;P|IguC4UAx9m8U~-xDigjG%rCB9<-GQF=hoE>*p~viW z4W$cpWFuaQ%+u3e9WSz*oGpgK4xceiQ9w5IR_i~Oai9~fh2FKM z6wPyBz-17o25YN4Ix%OI+FiI+G=K2mm@pQZJFFkpQK~O z<^{{6@|L{JDWcitFe5w>Ma|9DsjBPXF|BzsCAB9++r}DzfJ+8&!@2ixmVVHBqsK7% zyvwf9p4c5-pO^hd@Umygu3k1??|s>LqcA=sR@Sa3eFVQDHdWNvcUiPOJtR@(BnnBm z<0I?q>({Q8i!Y)#N{q!%#SVE`%Sf>a;&!#CLp#0NC58AeO02xoT(0HiQa*VVr{PsT z>Q(dH!~grJ&%@$>l!sUKCH7=~koCvWI!5YR2Q~O{s_?Q$QmPV9OA-gyjreKO#M@qFCSngjtJuhyDH%lUXdhksXq$RcU( z28h;?$E$-{h1RO2atolFArxlZVDGfVVXI*j=QKAe@-v%EN)J-r#deud4^)$$wOf}Z0@J(}?d?`V&4 z0Kq%$tro%_w%Z=#T|zZ|_fX(&RgYS)CPcppc(xP-EeN9bquy`!xk(J~z@RUOE| zk-nMFVe>ul$i0-;$FbMANLq(RJ{w-MWJ)DEM9M|-KM3u@$o{GA;g-7=V&XFjJRWX# z^zM2*FaEgk*72BmFtae5e&pFqD2Uzu^gR%aCWv6n3CMb?)r*NlHeyJT8Ust^O7DXu zf!n}rTw-JGL}XxEMNBJZ?wMsasVPBr%d2w60o|p$24$^K&1mbBWX$N1ZVPb({)^s48_X$t??(<*#Cr2s<}LY4C0T=@4ka z{1#xW*Ufts&!(1Dyi+K+OZ(0@c|}E<_Z?UP_nUOuC#x%yZqS-8u&CU7BwDu#1y7CnVbr}vPev>itbnMfsF3BZQWQl~$7)UQ%ljpp z;>F6a6a`Uw8#(ZAmTq@(Gq8MgG!@B{0AslBY|hU-$i+bV*A!u9YDh9O*t}Yqn&a?E zBiT6yTh!?>%=WKmN#M`ws~&hYehc$D``flXcv5 zEQIQITld`oRz=>9nRm?zmA&??g=uY#xkb3rirwlj8Av31^t#8IgdXe@Hk$kYW-4`A zjSO0b`wWN^?BH4!q4cgM+rAdWY&j*o8nv+yOAgJ1@qFvuYi{eVOEX{VvYqd`J)NG#85sLr2m6% z1vmfBGY73KZtih#6Nn=lZqCml=g*lTa~)y(Ph;Y8eey#JfS?X@0}eGApGVT5nq7U> zygfwq=1*~~i9n^CeITg1Ci3#2WL0iOTjrKul8Ffx`}*rA@Uc2Mb1_S$cW#uk00QW? zcH9nb2>|JR2)(PGPRSJI@(wRHNx9}-_E}7^U##$AmIAe+is{R-g2RS2+O||_OdN=(Yzf-H$GtolyF@@E{f@ND8W z%Q!$boxgrC5N_A;7k9X@jjEE2#+vO^%DBzYX@HY!p3mzAqv9Zc0BtUT_LT4RwN4`s zP%{?>Y$)%HYO1iIC+QfJ6G)a*=|#&sl^NqvFJWEfZ+}Qsv(0+&$nqj~wy}P#ah8Qr zbIaLWtG`W``a@|sxXxA7E+NSL9f1xWa@X421!WNJx$==-D%{s%G!+ewlQeX05r(Wh zYWw}8W2ENu|6FU_FVO1DZ_D{dKPGly=UTJK$TGisp3eD4KO$x)k+p;Tqc_06ilUMj zmesH=^Hw8gH2)SrDOptpoAUd1PzKH8WEj2p#8_P$1<$3RSSlO)ka-SyYVK^St#LPX z%K@K}$hs66N|8`cHPK?vmfGW`_81j&cB2HERX0BpZ1xB3iY=H<#MpDKA28PJu+QMt zaqB*D*dgNox*4{3ipi~+;6Z0(4SUY<>{h-(S>JAaO9@yb93igVp(kB{otsdB-D2_R z{vBWBf@t5=+7%~7wWl_*yT0q)cM_p+zu?NvrymS+AwxKh+zTB??yDGxIBtM+qV!CMM&Basd&^n;oI7?%YpNuvoVZ_L9gIGlxaCgJ=);M7 zoO-z?9#; z55^)RP*6-R@eDifPo5P zozk;8FxVYhK`^~k78C$E?$GAk(pc6J+Da4(eiSY5_lG`TEv>XdEX~dRPSB$rCupC_ z8{`D7(u4h-9Wd`TK^I>a6 zgTFTf&r|Ns9|-?1w0$o~0>rD?Sppvki!fhnzJY10^_wC%;9XuQD0d!i>OGtD;yy`~ zDaUmH63dJvH$Se51Tq%)HnFe@drq@U!)1$TwCp{KDPMjW8ekO9X}9cbB^?XP+nvIA(E`I8W1O&p%z{GmFr#o3t| zh1F5UHeBeOQk_E!FN?1gf(ji`>qP(Aci^S4+N+`D-E!(@m&=L zV}M&-&;fo#O}!}L4>hdJa~!3`xB3GuT?3c*+U1P_R0rJ+Vz4N7nbtV2yeJ8>(9Te;v2zHQTKJnaxbeSsY$7 z0hNW~nbdhN+x*0$YbcssgY>_^)G+sR5-0=uiv*U8$_HaRw+$H$B&$`<(X`??N7ts$b}9zqAx1GVK84@1 z_ym5>|gh3SmgB{bMB&1apxQ|vhsn_L*}%Qa;J)P6*k|@N>?RT1I-%&msQ(8y!7`V!Oh(( zmj|brZ=#OAQ#W6anIA>lk0DZBxRxxmt2)|M#G(%os7jPT6+z_r(|ku*`miU=ErF7i z*v5Pie|u!5Q>=skodbeZ=ydD|OXGnPV#%r2#}ts^bPp7~RvGX$Rur;ucWTLKAgJgjA$;> z6iU>-p-^uEC=8A?wdS9kJne}SB296jT|_*XcCK*HYu!d6eAbKdLhb1SxmjEsG7fpU zX_5xbZZ0CVrYo`{N)34;vh-!szs)|^W}lJl^DIYnX`YiERDbNLlk$btzmNk*#h%&* z*;Qf-+Cp9sTSUdE#Fjs+7h+Gfv-nDM5q4K%Pt8`br+%isBf3oBB@6C ztfXQ!U4Q}y@+YyHdXR4*r%uRpsQKa@C?#9=`k(WT0^Bp67o|NPKui zCumjX`x3DVswvbmEY=U>)@_tU+G_oAlHv-uut?twLJy7yg$1Ynl`*TXVK!h-HfGfw zsx=Ws{%H)Y5VuNe^6`?3UG+P*yCdfiA7RTt?5Y>j@5_PkB|)e{>cUWkrcpCd!9OHo z(bo|W7Qt<(I8?WNE)LZqSS0?Y(}Zkq_YIf2O9p~aMa*OA2k7zh5vWvb0nGg1m=^5f z&wp@aiWD^vg-TC9N?J)(mDJBgq3Z09LM1G>lCCy^2K`Z}ex-0?Y5W!?Vf|iea(t)& zRiX&(k3#hsjY||Ne4_R`GZ(4q)OHbDSw_y5e-w!7_ndw?`6?TT%8{+u^Glx+#Xux= zhcH|Bt&%uYXhxTm&KFrrz1p5|Ju+T$_Dd!Wb?6vVc@4 z2xJ5|_>zEBc&TS2Qaz`F{^iDeRvN*@%B>Vl^ovCIkA zH8>j8!*{V`|L>wv9YmpP`|;|hfv=24wOJLqU~nNtm%b2?0WnJas*qF*PY6kM$#}J0J|B{5q2lkYx8X?#LQ)A!xH5B|dTU3hLs+-A4g#u3Lt4YY9o%oV+P%1N~m5xm2gsM`S6RY$ywFv1QkaH(Y72>oKx737l zVX83Y(~?K&-aO7dimnVWPK;8er?Gp0cTrKQ^z>FW)US+Er6e%Xe*!@#N>y!Iu2=d6 zF`{4P1hEDw_WveI)pa!L&0Hl-XD;VAFHSad=D{?wlr6>HgVQn3MWah*_)hoAz znCt!@_Ra)8>grnjce0Qn3zGoRu*rZRQ3N7H4F+sR5}atFVH32diCG{uBr%y0P|!ev zC5(BcYFlfyrE0D9)s|;n0IP;Yh>8$gQEN%9+Fy)I+#o74|L?i?Hcc+H8b;JN1)p&EvOroS)6(iGf{P9LTQGdQxSN;I@9w)l2xQ z8G0PJFHDaLP)!egz9n)f-So&C{{rnTil>Kr7n?_zdl!3K=rv-y z*iVOwZ6fCMtUa5)#eFr`W5`R%%P=qaKl38a#oe`Fi%0_sJvg7_o}ZRS6rss12DK4x zvTolr^>bAL>r{65C1c#o5zlk=OYS5FlOHO@S25ave9I70(og7E2a(m2%~F3uo|XdL*sL|JSDT9r|fwL_w`FQX+0`G)50)YL;Sg1#rYk#0oF}WZxW# z;C30qP}$#9?eIFBeG7uTq?t6iGjntO4@E#FL z4I~sk!P)AqCdRqo?FY%QUH?7z^TIj_Ca{wJ z{DJFKnmHnwRBA65k$&zX>x2BUL$Rv=8(gR00&co}2G=P=bDhp6?QnMd$2zIr7nZyUpf{#zI*VPcMbnV?Xxk$!s z<8%Hfa~1b0_R~O-4r9sT4Xob)X_330I+c5$O{<&5#CtAsnezRRnO8rfaOZJld11@d zAd8i}fX4|d1})DRkbI5yC*(EeI#FA9Sc@QIDFsux(#*ZwR1teUzW$B^|Z zvBo#n2zoU8=j_z(&Oir9D?HC@_Y zqD_W+N3U+)M}4N%PoKV*c>U4VD=6cq)QncWZY^dwrhy3E>rmmWI&B4bX|`jn%bnsp0~0ks2QSbyNBrO zM(Y9N!q5;Mxu1yqj}hr`B9-{ER}!v%Y&=G)d>lFvF4=RuA==DfdIIepqOB+IGNbcD zjPcgzD|B?f0$1%yuS5En(?V~vit61$l;d-q&{NOYng_Ex@S10rC}*JfFZg2e8WAYl z;hge8UFK+i5{&i_vK}4nx~-Y5b--dh8qC2TFJ7#RTpQyJ?s7dkMO^k+MHfrKIcVtR z0oSaCgT7(x-X6@VJL2~B<8OceFC~)xJI{w54NvO1DF-2wtKqNYqArs&<+{xNejcOS z-tn=vm$kXvz~S|(X=5aNo?t&)p8>OaaC>lTUFJd`ag6q#)$pu;1mZcI+RZ>Rb2QN~ zY{!X`1mrSqYYueoYwt)xSe*3x?TlGS86?ZB9Xq6X_%7ysSm!ji@BC@~eKR1)*{&yB ztcHt(IzdXoBUJ0i@OE8z324)yBMv7BvR&*n4G@OBRI0%4bEVt>AwN9m^)GnSzQ=?1~Rn0x-z(wq5l?Lu!c zvIJgKJJrtO`GJqUnfq#3W<6^?u^sOU zn%&$X9JZ3MP16Sh`qtla^jabu?$Z@I-1~rU6VBXrWW99#U4&z-NmJgZCf|Kv!cRFJ z<%LeRFNYYXqf2n+jZE2j1(SDu7dJ^inEWs(w+eEnyn%j|9{6qI1>YGV$Lq0>y;?>d zi$vMU@WbZh{oYMe?Bwz?59GPBsizSi-pQz_~C>V`qbpCj*X|;+CBKx9R(&q|fjoE6AJk(m>=CE)6im0O5Pvx=A;mVWTj0hb` znu`%=A*R4nf}Tg}c%y->^R65#1)J=qMUKXm`?J=rT;Oe7*_qSuywBOVvdi;WVnv|m{nmMT(l}jfPUW~oi{h;5^d}zLsj^}iMyBTM_eJK!ejV6jbd|^=x!H5_ zGbsFJEcShuD-9mL49mynqcMZCLhAyskjUgKKVdNmMeZEaf`7yV>Hs~(1F{319YeAX z?sWQ`B&kU90}msX%IZK~r!$aW$WvdI$ap=zSE|wNWe+c zRTSX#=_(qKI$iYx3}DMYqJ0cilM{HSW02>MxG4lu{)krwrJTTDHrIhQ=I{2b>GYkj zF8VaqG6!2n=PbUzuF12?mED39CCl=i;M&qY6o$=*iS^G$krnKvRIV-W#@F`q#M%Cs z`tUcbBbG3Uz8LV~c(fLOhcqJPczcwU2sI6j-~F+y{iT+zH$VfbUG|DF5wo%bIXlqs zRj^A6i|9IyXT_K_+77Cn^DSNgkRgrT*y#(XkH(xfeIaa30Kc30nmvJ?CvWA{cZR-T znAOnfn@Sv^NGZg@k$pxe1qvp=I=?$oKO*&U9D4t3yL8a4J?^Nn-`FYV?ni>jf1XDk zTdet%!5Sz9$!Px>^wpcIfkeijd7+7B?l(pA6CI7{^CAvP-xf^16D!txzp)NKK2o!-E_wm_U!m`Soa!|!biW!Sz3fW$yfY?tI(9*@sn zy8;y)#SGbflqsXmvu@WI@7kPJ*P42g%xQql_$!*4r{Qy-KMQCh2OAG#o z&7^Cvr`)h@@`*nokhA~fZT_gZk2@mbI;r$+ zH1`?PWu@sml`R!uG^PmM9kKv&nK4S~?N*fXkH}t|v!LU|&GK%e-C|<7;k2M5N`@QL zlMw=>33_;7F*~rbxp8HSYt1jj0?AFv+I;d>VpLhK1`!_>w9Z$Zxz)8s7{mJRNR1$w z?_8VcsXrWb?F9Ztb0mwU>&g5D+`W<`fqLoXuq>>4Uc<)ui9TC7t=eCP>F^D0#_BOlO?0G&H2nDvp?!Cp zJg3ub4?nwP_;IcI5!v=Mbdp05)1#k7=&i?C6dr~cln(JsNWR4(rwF0Z!d?v~=fRED z^f;4u5+r1c^)d1ldBwwWxxOGQ8M?LbVx&ap)s>_;k5G}Z88o08xDvW#&uVe;FHjVO zxOgCbkGC-@78&pfUuZ^w?rkip8DHI2?t0mDh1O?TdYvR|xfSqmIcoS(GaWa@nnVsl zQ{&@=2yE8^L-j7%-NHH$Z@$-fk7^k@WIczr-be+@M5|bv;PRBdvYjpb&TQm50$XJb zEh{eTb&j3_@-{{~fzz1E@IA^~jJ)4gU2{#zgPB!j3}yuLBKxGr-+;^d3k8;2e>Jo; zve7P!6SLT6$*J|HaR1#C*eVAHg}i;5$MS-?gvQP6fwX9LfGLB6*yprN4eM076A$CV zpTbJW^_WAr=L5?!Bhc(F7sl%~ciI0gF0RL7$Foq9^-=v7NBjxaKnP;^SsmxW%$k^) z;C%vS7K%N1(JWc`i$@Q+QViFV*-oxyXLSs;Ui?8QxK#)WL51C;>x5-f#Td8ENXud^ z`}p3N9@<20@u%2+1>FVV3CeLBkAo>5La zI?4&(93>Z3h3hO)M%q!LL}#yc5C*a2a*P<-g#KRTvG18*k2)6F=Y?399_0T!2F5jRYV_B8cJ;dYGg=5?|oa=3>7&C@TzROPF zvaj3&ro_qn_+!)3}B!pYp+^fu7m_yMDOnt$N&eQ&Ls4TU9QJ=c4T>rFBY-& zBaIh3sq<5ar>yY|-nlP6AM55L`iAo|nsH27W16=<23ES>Exk(itj!)NIn7_hP@`zM z(r~L~>$J>ln1lxz?vt`-y73pty2omQ#j#J6ZM(kVMUMCSJM@l)keYc6d%F=1nlz(l z9Nwu3V_4nM3t7wB{F83I^7Cx{A?!KL9U`sq=LO#&k;NL24U=K4oG?To+A&JT1pQF0 zPfmCk9rBP|mh7SpmDPBgoLW77wVYaA-j*}9c(DIu*_QWnJqiILvolJ&^hKIZ`yfd# z(mEb=J?dhq&}Ow!GT}M?M3*qXEj!Q{PlMx3&v8SVC-dVK3Pv7%VP!zku_EiH7u#;^v5+1A?;iib(H;6ELc z?DdY)e}IYu?{C<3D4(lr{W_HXG&j89yYl`R|EIZ|f=Bf4hFso+(Z5wFYe(w=joq0S z`K^gp1uqAVQ(*nneh`|2r zK0u zxtls^2>e_;BX$M+sHXGUau4yyMps15#TPc^O-S^j0D_&v($l<69v7Mim%@&x@3wVX z*FDb2FuqM5*U1ug+i!Qp?1t;rG057e>s+5l#qLsXzDape4kdng4NmU)Y9=BX6qzjg zh-5E$5Sf!smPfX-1AaA14uJXN_Q+%C9Aoa%>kl8NC8!}0pCVhx=9Apztm*P`ZM9lX z38Zsne(d@ID!1r!Ig6Q1Q^VnjOY_^!i%h}2hhSb&aFjddot2oI*|L;} z=S`twyvfr@9F1s)hWuE^rG3|;BmA_oZOgZlG4G5Kgdm@~NH)PPM?3tVJF?TTe z4hSGBQ+?9{Io0HdjKjp?Kpg%QgE6%hCuPyggN_8dYcJNtft11Ib%cj+)^uU#s;NSA zf3$UR85wE1xZC1fECOg%%XfOGJa46zNIq$t0UBq3#@SSw7-AxX^+E{`R6p8NEouSx z$t+gDtxlxLEuX~JFh*8V*{~v-f!aBn;U))}m3UhlKJ#BfSCMS>`+bOnPT5pc06U#3D zOC&b3{TfE$p7E{cJW?K}t9fJ-5h_@Bf38AHJaww+?z<$oY|l_e=40VKdx zFPSu&dNxy;$Ce+RLF;oPQ9N{X1$l$dgz89Fkhi`)qDLj^3c@ZbTuGq{D(J4D`gW(# zR1?nO4_8o(sUQw|!byC~`pJ&%5=wNEuvAbAb&)6)1mOmoWIQ~ToaBF5S5K{}p6>eA z^~3DB)YK1kA=MJDCR0CKd(=;!ou1IQOXv&1^I{?W+*qlETubcQ#BRUXwURGgLsEUS zsK`8%GgCoMER(*eezs6Q`qcbww(j~ta9KSEa-G&Wh0^;kjR~WoN@M?os3tnRIWr8m-c%9&R245?9mciEx zo^J5l1y42jV!?+S{C>d`4ZczED1&bjyz6pZ_GZD~H+YNSZ3b@@{3U~L5WL0U`vw1_ z!P^AiXmCsLdkx+x`0WPo68vU^%dvu0XK;BU-SQbcQSikEPZ4~f!QFxv7(7+*Y=fr> zo?-9|!B00htXT9W8r&=RV1pM3?lkxU!4EIgWiJ%G)8LB*f7{^Ig6}u@GQoEnyiV|D zgRd3*VS}$1{CaCo~c=jZM0-LE%ns5`yf z6g#9PbW&ZdUF5%8t8|C1V zE&>q9Q#|YcfZ+ZCYm=-iB;aTg?06a_HqV9^MBVER7DIV~XJrjEY@Or0b%Xn#v(0}A z8VHDLzW2~p*(UqnUEjSOzMyGv|FTtY1zlyUzU*=>eU3#i3NvXU+x$=EZV7Fl^CDmH z)_2mN&s7*NDZ*g(^Nw?(V*RHZ9fa8VKeVTQ|43o?xQshHVy&a_V=jzuN9`TC zTF*)@!gn_1@n#akcTw#}GiMt2=V>i}po#wJptR2H*cAUnS&)g^!{=pQ53MhL779O1 zmmTL1WeLcwF-Q^q0`cfHZ1K9DVIyo(57$iZ@=2!srjoiVLCQMPR2K!I#^$q}^j$=q zT@b3Xzx1l8eLX7bX`Q!v%h_FF*P_L-Gf1`B)wQ)FUPu$7`nRvEwGxa%2;bO>U*TBBxLx@&ejb&eao2#n_loX22o?76Wt| zfrNQt6C8VRD#C@Dmzb#aF7?#8loogm^@C`zo^mj-ul_x_yib!K5Z_huCtv<7sDCfg zH>du+DBr~T_xkxx2tMmO(;Bs0*kvc++4|iw*j!ogn&12x=>-yA0kq4}2Uf2es}}(s zD==>}=EuccVKs2-WW-R6IH8=Hb&Dv7k2HXQSxf-RyL>2-mPs>-pFkt!Dt<2 ztc@0L5y+W06*=<*r;q7ylUlY(Z8{)y;jxf+e==kxZ{?!PTkk&)lhu4=xMDp``H|Lb zKjkn4E{YTN#oqhS?_B?t)0b5LRh%!r{;Md2$Y6Y?cATCUcv6-|d9u0n*54;MZ`3;d zgR%pUZUohL)Rk~JF@&!2P(#(rCwXfkxE@g7WW4*C0zAdS)ce?q%wuNb{okO3e&LGl74b^%0o>nbFw zd`OEE^~&JMmJ0QM?8K97EJPcC0&Xf_{g{LhKS6MP9T zF$cM)fkZaiB9b}a2_$%QYI}X@!Q|hin{1zoY_DNFj>JQ%?O{+bxykmx9$H>{!%raL ziysRSYi*ZAu71E~LXn*ILOW@eLm;ml0tGLo9dMQsQgd+mckOq4UGimtcxCGzB2uO${YECR#7oWHuRqt{BAt(QphtbPRQ9naYVi0 zkPb_)&cLiMIGhb-aSeDVi?Etdc$Uk#ntyoy_}9r)MA?kSs6n}$vdX#ZB;f(IcckWx z-#3FZk)gc)8<{KekGKgV3L#V04{vLYceo8BLD!l}209&OTv_A7Sw|39FX&h=xu}&~ zNRit8c+vAOCwA`oFCuP8sQ)6;e?lO7@fw=hs6ccfurc8>F%7aZ31`o8E!S`=sTCTA zY>cQQD7MH*0~E#cM% zlgp>*wo5bhSMm1C4_V;T@1L{IKq!bJkN4Jp)pqR@VlxsO>uz#ml-;Qa02T_8wVXQU2$F&V%_y(fyuO%@V5!bkf ziUc7NcPNh>g&Gx;w@*Cle69?c?F+La4ra9;LDD-y%X@SG2Dvk>6ZsC$ z!E6^=%M-Xq`<&KVerOOC@SOG10jWe+!?SEANhF6vE(k=m;XOu9um6Cxb$Fc~%Q?he z$f~eekK@t9@HzF;!IBeXI9#sVwg;0hrtT!Nm4t$m&F!Cqt_Il>bKZgz6hPkNO_;$8 zbC3#e$j3#ztZAU#twUJ6?u%H?f^p9yD_dA1%4;f~`V}V@D4*N2F8jp1wRvNTJhJgs zYqL?UR9}LVoURvkpzZG&>xRGTCYhc~^^M=28_9~97w!J-K|RC3p*BHj1y&S3wN%nW z;)clka9cu$79zZC>#uLw9)2hu5Io7yf729$;zG^?#}t}Nvic^|lov#LBU&iKVWDul zd7qZ`GD=B=9v4Xzgky>=8RHf@oAqdXi->}A-b4X}h&h2B!Q`t5CxPU6i?@`T%U~)e@?w#b6cosNZH_L?x zbf#tV?)Y`I9EWZ>5&o07T*twCS$$V*8Rg+(>}@+lv|G*}@?_lz=;8ew*JDDoAD;{- zJQMH!MfJNPMBr+at=c)Tn`xm0FSTJWBq<5&qR8py)1J(owWqYd_jNFcuzyqXX4ZGX zT@>am&)RHP9?kMC&#vs40%)MfORB*B_V+Pp+YS&Yd_AFs5W3;hl8<05 z)5JTv#mUtM-3CX%9&MVFAQ}a-y-km}>2W;5$!WUD&N$Dys4=<09n)g{acfU7Iy~6A z@qcYUlzMOq6r>;3?D39TC@S98NO;t-W{+p`%%;A18}z4A_wie`8Y)?#>zbB&_oCrU z{0Eb(CYUOp#0)@fpqqsz^kxzlxXJozVITSVg0WX`pECjQ$$g&xx7U2FD- z3MCvY?eTcUn#`m|x$1XBNCo>54mrU?g^7MOJvB2umo>6D#<=Q>BT~Zc$1h>hw^@Cev>21Q2WtwMB|_^mZHD)BS0Jdv{;MzDU~*l`XkJdSN=*FLG@WFBlI)=ytcn$FFWq21td6G} z?6$;Xbc6BGCz4%*x}b&V276_3n4}$`6wK%bi%5c`q8sdGV{1Lw?eQG3>QgtEluxUc z?!J4f^+_jMmEqu8y8&_xYgy%?MEb5DQKFS{afrvT%)QgQv9e2qjHTQ=HQLTZHS{)D z_}-~#I~$KxCRTbUvV~^A+Jj5A&Es@~U?)i9Nw$(m9A(h&aV%{sgVV~QPl7s>ageny z>|k918ooBfitecUsD0=>8ymd9xh%mOh**m#ScL1*tsPF8rho8LqCuuMs()k;6=!GfUgYF=z|Lf6KHc+&cao?Ht`0{^z$MWKWs3#l!vEv)`K98k$SS83*u&eSm=4=oy#p%`@EbL`r zTdBB-)`z1ND2ou-8*qF*Xri$7K3_hzr{3r9$cnZpImL&c%$>f}9(teC@tFI~dY_Z< z64v{?^IPhDzLUJ#**+DtuWYk6Z68CnrMQ8)@OfCz??U(EQF@eZ^*-B*)tb4bG}HBHL;qG>JzFibs_B(v7fMiMKJ^4z zSfaZcipiOX!ru%lOJKSUKeg@uY{NTk*gzIUWPXff<)5zzIwrS%ms2({lR^s7zP%#o zjeeoybJqR)8RPp>1U-_erl%t4UEin(y4*z9ry}TZNUaF^Vx&@fD1zR|&_v}^h@%ui zpZ|YN5p*H_3VQxC6+wSTs@r<%B|SLkRR_~G`f0heTh@3ss>se};qnhCg4WHaW1_^W zW9e1|eSTMmD1rur6+weX>0XCFH|No!}`pUJ8m&a8Ejl5;T6E$qcg?K#`L8p$Q z9sHLRLEk{M!Q?i##M74|=u5PFb5HkU6hXg0BZ1?RMbBbn`yW*V{e9t12XZ#(3(m4c zFX*9e>?9Udw4mcCg3cqTUVb)DMaTTNQUrZXoIQMe8%59?j1nJLmZg7K6ZBIf5TIK(T5EznlZ7%9 zjxW|z-xY)Ud8qWwilJ-HF^lMLQVcyE#lwqz6Zsob485M~JRih$G}fI{!JU!dHZjJx zFO>-o)zIz2o&<5XGgk-K8AZ@2haOyao#=*^4U`0MwaW~NZfLPbHMDJyYUqh#U&6x% z0?Sca~jn1yezw3~V z!{KGKQGW2!FrBu6LMOZUaM1hKA0>Ckv|PEHd|s28@Q0hoXSsfWc*0ZQ=vvaZ34`SG z4aw)%yfi19+8nZ*67-#0KmBZ--Elp#JFJiFPI)1iyi*tu5{0)uK9W0Z_l>o zqLx9s$HwG=`9iYf8R zpWbwFe{0-LA|Rm6Lz#-FB--ys*QV$v&|f(D%V74Dc=OcsR}E~2d8O{cK>WM-9g-MK ze*Z*v|Lm2+XCO?@S;DIIn)a;aICO~zl8>Wrt4fK9CXp*TV}DCL!uROwTs_OEPJB0K z$_GtXh{~>j5W?-Dxmt5`Jt?-(fcXBJ# z!NB=lrWZCL*{Br$n|R&~y_NOIYME5gl5o^TJeo_EIXBk)JtvG=BuqF(Gq?NThI1;% z&63yTFw9)-lOwx`QD{MG=S-4AvS)me_5Fjk8p>;vt*m+72e-TDGTm?QC_&vomR$6+ z4ooq({5Jm*0@I|{E9ekCzM^PvA!>p?;^T{#*yS|%7bv$@MBOQ{~A+sSp1 zQv-Nz{dPstfO#RZOL5m;d&>#kJ#3H0Twj_BEBr!+{v0lQ$V91cKIb*%WSDDytnEd* zhxH35P3x2Ork#3()!lEtc2c(7+z} zi#(Z)qy)FyTC6Dgo`@iDwy{_wPYSt%1)W=EPPSwSc*EzWB@d_Isrm}Z&cMrDak4Lp zMNry~6UXn@+69`tM_k^mTHhe!KsGFPxsk<`1B=}UL!Q`W0v2tH=KMB=wN7HsGhEb8 zPWd44B_ck7H)(1-GyIp?(h%s*%Bloy{}L=OFbefiMpf39=~##`&a^aXY8JhY^HcGZ z*=982mrY$9;SHR5`_*ztz%#YC?eb=xc?%|g6&KqBAJVZz-&MzDoUk~#)H`*6|MOsT zSchfdbwVGy1%n$`P@25`t*2{sRnQrleZ#!tKazdM8aPs-3XN?jBQCNI&3 z6ndGr@ysD4NIIeC-=e?x9?c}^%au5?t=~ULjE&Jzr4;k(-%5X8zTCQlXVG!3w%(i- zqJf^r!|lFX28;HeLu^q@rUxYHlbgIw>y+g>(jSnLq(YBRg%0br@u1(WHPTrQ;TDA`{vu3#Z^t?dZ1{bVJIOf@tn) zb=AwN6h^^qaE3jbs3~RrNXktquJ5QJC)W$h*yN<0%0&vU6yiQ^BTvrK)x0y(Nfj@ zNilmWx43J*&2?n3ki^`_>e!RB$9-BdFb>wiKxYyv$RW!Nb-ZZ$M6*ohghJO~z zD7g$Smgh5;pXQBxg$(Dqa$XK5{{n^{eg?2awtj}pkQq*;TR%O)5R+Htc3Yb;kR`M< z+|5MNtzu8A+HGBO5nB}T_Cw>X{SG{Z&IW9`mMjqf(RUHup1>Du5iASOlC@O1vFvGB z5jny?lBSd_c5b8=vKVmn4d#<~if9vsjMmaFecfed3}NID?dr^3ECK`jJe#>?3a_%6 z+tSG0pp3Q8F^@fqQ6m<3Z%R_QTavKm)k+Iqt~|o;nFlxs$#LcH!usSlnR3WVy!UpKlN*M0ykUKjk8MV@KhD|< zW_0~{(OD|*=j^d=)mgoZqf)IywndiNzsA%tZ~5gAipcSF%g3gWMprWy4}K=q#Qw1Y zuZQ+~haq2h04)Jt7FYhUR#`Y9>v~WvDKrqDven^0L$eWxTwXifW1Sg}{1EM()q()M z*39Gil%^5OuamJtKWUk3KWT|Tz;oxV%XVaN08`OD9?v(vVp zI+6*hBQ_9ySrzngKyleRg!)Ovn3T{VBa<(pU+f31jCC}XIVoJ9KDcc)8j`w*#y;`8 zFvYz|YoW-XpB&ryN;Gr+NJ~#ZgcpCG+ysKxGmAuuntST4SnkfyU@ltDS;U& zxYf6PRNoTOI3wjZatYf%$+~iaRDUx!JoftrShI|&5EE~;@3Ag@T#qQUaP%j427`xY zu)SlorghT<#(M*E631Vi$dz z9j;rDSH4hVcI1ffB#{F}2&gH!b{Xp*6tuvC&`Me&0k;(?_)BYl2zq?HMDthr2NU+#9 zdqp`+ytP@^WWp=PCP-_PR?solNHW+`Dsx3}ike|)YGS2N=3jF?md!e=UaO@EwK;oi zPSb1oXMA~9+C5B85t2fa*THJW3XT)9>M3TTmzVFg0@oI6BUQ(=fy&Tb9VsT|?n%L# z$x*E+AT}c$auOtqhH=V7aWIsin1??snDvT~s$D-;#_DIbkTQ3Y8UKUHKZ+$6jnN-| zS4zIaYxLtVJ-?|f(4Z181o8C?COnZA!h5>J>0`i z^-t6hExRhS60GmbkGD9Vys?r`?z)z$2n>GKit9m;V=BOuFQd<>0tsU-k!E`e#5<~f zr1Vm8Q|a;{hfvH%mxdMJlxJ3DL@U+ox@~KKf4%FuekGcrrmz96u3wpsMmKLUvbK8b z%s%|HS~L8hA4+!6Mn6=nwe`b3>al)hq0*N-u4X|P%2k+lR%1yYwx}eue0F3<*DWnx zS)=-j$#6jW^>8}6$YwkLE(@JdCZy8-_3KH2+s}{zQK|cExXFe)ZP;eRPi)w4vhhFM zh8Z@TYr`@duCU=PHvF9pci3>h4J{jX*)Va6iGQ>Wcb{#{TWt7%4cFUnh3#*x4R5pI zZ*924hOgMrvf*JHrlgzr&$8hKHoU@y%WQbF4ezkwHXFWR!?$eMWy5}Fns^7>&~3xh zYFiZ1|83ciQj;8@_GBPiz=znE8!`IP-m$;m18Wm{Y5HQ%}^JsY;EgRUUiOI z!oPEfM`AL+5@r6KuH59o{BvtNu~}~all?+l-#*+zzUSbl8k^oRc$8l);;Y3?eiwjOkdx3)%$0-+{XE1{qssAP ze)*~hbFo@%n`h$pDs24PzGpl|#M5nS%A=IYzk;5UU#@xUd`j6RU!nXMSczHElUPkY zj9I8*(iMM_j>J<$e139LVu!$z-%OqRZo9eUTzu8`@;9G+l<1Nl?J^hNr9FJ-L*vRG zVdvm}v{~{IN>|a!Bt4}}{9=~)q#P2D;}AE?sg}X}F`-7m)3KQ=BtVSp6oHqU3?__z-n~|L}^L%ga1sCS!UvzQ7tl4ws!scCY z>1E$tc=;7q78YGqTvA%LXmR=XuC7>8Syg>aO|8#=?b2n-ue*N5${TJ}GpcHGmX-So zYO0D$rFNIlmWrwS8d^cAnn+8k(0xmKP$ey=93Q2O7}Do!v_H2lM}m@dm$aWe`pz8w z_4E^RmG+cNA3Ogzt}?D%OxyElUwy?eoAEDAP2r!!Ie~aQ2ks`x7-h~zV0 zrOWjg0ewBN;)s1~emGZ}AWY?OXjPN^4Rs?`0rT#s!%;}Z9B(k#cl zg1^_<{-pQB>fUAI7k?$V7i)Lvv67~n)MQ+7<5J1r<>XOP6}M{sNsJ~$IWCpdha1XB zDNU?Pu$7V0t$kii{!QL}^lB-+)M70$R%ky}sth}cPwF&OG8vz`=`=ypX$fh|m?~qA zTct816l1DUr(!B2zDmqeX33M-NJ|iUN{No8RHe?Nv>-DFNcp6N^$eM<^CY9Gs`_a(R~K_o{L%PN9w@17)lGxB%c%iDeWUvo)F#A!sQ6%DMY`%N>CD} zyP-yi9+O#zg!-G*ev$4ard-n7`ije~+n}`LP@cN!J6W9_jxUs-Z&#m7NvrP^`>s<% zhslf@q5OaQ^rUA=pZ(9IcV;-fYTBr21J@E)4ROk^JLeP}wj9%?YawRd!_+Z8y8Na0M^fd>B;_7ZsXY^=KlHX(FTLRT(6ckD<*7Z@O z$2K!YTz%YhLizpAw4b9>k~N;tyeGB0>D}E=rB-Cr@Gv!;$To90rGK3Rj5`;i^l!aw9%!4hZ1W)7+?HVcBZZ`Y)wX$vZFbw{p|*Kryz!63 znf_(j=Ha%vGtRi5WSj4|%_D7dTdZ+++vaN9JjyoLIgLA~1o~HKn?noeEZcmY?e4bC zhix-Q7JA*x~fq@K*EH$#o*pPLy{daCqDv!cuclbxEh z5|fKqdrc_`Ow|8)XN|g+*cWM^vgVN4$iyJ=U9DTdQvRN+^VK_*9KxA(>nLK6WpCRv zwsVNj{8EWQMvMyjp!`xR{S_6U{p7zxaYz~2PxXsPjLON$iI(4)X~ZQS-5CW7Vw~#i zw6ysJuwUJ7-Nc-QiwpTFwXAv>KPNtTNyg~}IQb{WfBm3<`JjDzOiv2MrOc&V9h z`q!Y2{dctgRjT`+Lw&n{J!4p{y8lJM^Z7RaLgC&2Y6HjAzs!LD!!5wED*VrARsZ{c zLp3OHwWIrAgyY-&3xz+nMgOBVf3F8fN`v_qN>NPRc%rRG{_mIA_~`Bb+m*K4SEB01 z4d!5U?f%uRT3z3;=BDqjZCn?)x#{12u>Oa)+gzu550yYIR8 zSNHw;{@*CHbMX#2}se|`I%cmHO!zt{2p2Ooaa`SB;8e)jpnLtS5d z`PE@mas8JWG{8D#(4<&Wn471@LEZvX;fG>BueP-2;;X(_TI|cMEUT(nq8;WFMt->G71jDY#lG@uOAD&1 z{ncT6V`rjM`EW6d7L}e?wakQ^2mddJwdNFd6cgbtqC&<5wEy<2tGlUgRUHeu$eZeJ zT3t6dI+_*Tnl)=6d|FyvLET#ARH@@K3g*|bUSm;LP_UMu?$o-qb%atZ>lQCw>~zK~ ztFB&JU46`YPEKYn;*;~6G5DXUcQR%r+>?hY`x)Wl73o#6oL`8mtVhSPb`I@A2w&tY zs&JRq)Kt~D%PZX#MgGd-#icdpxX0FNPc^KeINMOo_*C-xK{t zXvdFxmEU)K54c05(x~t0E)gfNH_?$?*%lJaSNz{KWDNdpuC6!6I$*w%~%UM=U z2Qf8kYL0l9EGeQ6sXd_}WE(e;`W`1(?c&m_imS%luuJKp-O5L=P9?kQ3nVxn`-?);Uz3|h{Rr+w%CeYj-$(Z<;mirbpb8 z)#%j!kz{-HBVAsbp2%7Ct_Mh_%V+v!PrB=z_4Hp-s+&SjKW=}m5N6)onG?*3Z%_X^ z<#8vEa~IjAkXF<)G$|bGf7CcgTTxN9R3etpy_$m|*fHUbuF+np^pQ?c%_6^4c&$6N z^jb!m@-lbnl4{@bQ~!Q?SJBk$L8yp~($7o7jaeG3dr9e%D*H%pwB6H2>k(1s#nMD}7>hi5W-@nU4Ec;!YamRD(+5)u8k^HE6c0HK94KI+bb^Uehg1 z*pKj~cbO=*fbZ#HP8u4ehE6`AI=OIgnuL+~HpA5Ut1x!#Fpk&=6+5|K+K>qeXO7(A zQp0=$)QKetq!+JTQ(|lSwMDf?zW`H&uKWh02@~t5Tq8%G@}WLRnH~4{jaUoLHSSxStwa;-oAwQWi~T37U;t;ahB{y9fNQJF+5%k zFL9~ia|fv5)bsG!DV-;@*)(wVQ!eVt1x;PEyJ)9+Iw9e1juTa#&ntt?Q7OzN*r@;#zXDtTC)l>P^Gl4GMvw9~F8?Ica77){qu z8>*S5)H8g44CQ~MleF2J)^xX5Y2z8>@9(wS{qvM+xTHI-Bxw(mBf@=b#$`%f%J-_B zmdTH)XUUJWjaYZ$B9nH-2Upsxj^dt z#L0uIwY&Hk-d_#BoAR|KwYr)Us^bge(qd`rNs&2ls5%C>Y!SellY)Vo0(~13q$36Frd@{zHoe+UIU<4 z0`!VkgKvRelE&Ov(qQ~x>@f9D9WhQ1p|0)mzd0$XpGusX z{QmJ-rOHEeJ&F0}mbkY5tuf8f)lr3!1rcdNSE0p_v*Og)^lKu=I?5vZnj_r9$e;At z$-DmO80N?FL(R2WQY5%mXAvN7JmHFc7cBS6u`-APj0z9EZsTXat zBbl*}_LTh4fa-+8_yRpHV`e?nIj}9U)wJf=g5#{WI%U1(h>lRv>6~N?lztFPKLAcP zAszi4s{d8A8R>tkfqD$G`)&ahV?g|Dv(|Ksj8`LlNor(CBI}0%YGn8PX3E7F)MLJBll9(^vlG-Q zzQgL2lCRV$>0hc-9G|K1tjHKE`B={}o6i4vj29E7^_ySX6u}*8nJtShw$<3(9?|W` z`0W1sFZp&un}5l-8#?@7k#8UA=qbk8w7`mYte1C2zM_8@!HHBh5ie>!OsP|R2&7&-}gU(hnDynKj zrVDdsUzC$KW%9(53RbrPCG?*STjN??ggG$t=BpgX9A6Fpb1BU^+6Pq!<4sC8$D23b zQ;@5JzZ&5!EvlYbQ%e3`)VN33Ch8NFQwjTNMoqa7W@*J77#qS;SDBG{rA6149%El^ z%34F+&0StCsodPFy?E4~s1PTuoBnS_&8u9j=~I%ktQbLUQlTP9n)yrUb6n?$$lTiO z(yRQ77M0c%)RfjrlQ<=6wy)xn@*1DNsA66vT&fbKMv7ftRn^u0>X|UMB>{>iET9x| znNd`YbhflEU+FTR8Y^}tXwEX#5s_O70g5Whuj^f8Pi4uR>hj7NResX_5NZkkt)Qx0 zsHUD1+4LUfH#B9B?jK4$AT+xK29l=i%i53WDTs7v>J>-}RF#5zW-v3IDw~*Bmvcq7)hXNs)Oo@{6iz(X=p9+a5WaoJxdB`6M+#L*!SB z98%PrZq~60S36(*Me@;?gBsFZCW%W%0{XB!I@HDIR)zb$`i&VM3QBAAX+&i)?T2B%3Mw@`fC?UWas(I%4ljz-6quPF)EcHufL?a zsHQYb+fwn-gGQGW)szcUb-pSxE+rS2NtEogr5tv#WE@fIPo|~QU${4IT7*5qk^STR z>Z*;LSI9YJKI+syG30uDC~IFc!yeyHPZ#ko-@ktUqQJi>@SmqZsLxHl`@n>sj#ujW z%iS-Oy(G#H%un1;;0yIPIlmX2t)EKai{?w<>&M3yk27&|uFqCbpYMxZJYOuIxW(~> z+$3HJE6~L!@ybvkc1e7&+4Lv&qxi%g*1GoRvCT7VGef8jGuyVGV?!CaB>qeJByAR5 zI-Vs!Hy^{Eez1Whi_X84L;TnANuF2Pa5YfMQqL#u4SbTHAM%~b2MbJ_e+iWQ-peQH z!K%{sj{&7jd-%ltRX%Y~fha;B`GhY2++X5xelcpyhF|IsvzSn3y?({(Zgu7B-+O&>FW-#EFYf=doB^D1g9(Ysq2P=jzP$FmgKQgS z*>IW-Gi;b{!!#SF+R$yo6dO8i*wxR_`F$I<+3-&`+;78|Y}jhU-8O8o;SL)%+whMz z++@RtZMe~f_uKGx8{TZg1{;RrUtyblHmtB=p$!+<&}+jC8>ZRtbQ`*D=(J&1v?+Ig zCVWQ^I(ORkmJQo%xZj4YHf*tBvkf=eaDxrk+i;l;3vF0n!wegy*)Y|HZX2f9Fwuri z8!8)iMVb6}+R(CLn+^Bdu*HTOZMeaP>unf{zs@#S+py4vUK?iE&}~Df4G%|}e0*lZ zHXClT;RYM_q;U^&|F@$J7nuAUFXI1gccH^K(V}y9-}x^bY}a>+fz?9|TyK}RAm5l7 zHuM^|8;1J(Rdzp4J!tgs{CB~LBrIQOylJz?on^%)AOBT&qy2l^ zj(3F}?>`EqzeqlN_Z!)3%1_ow@>3T^%NF;)@5ip8Ms^OIvm)A{-sS6@;7}IuVm7=B zPj#pQ;136JR}(+C0ap%I>U8irUafVBZBib0oZH@C@K`KJl{xIKpjk zH}I@caK?F!GXvPlCus@1X|yR9x}p?%pLAG(Kj9NUw*$Yj?GFPdj4^&T0q;3QsTHJq zFYqJ2dnG@>q2rJh10N2Y14CgG_*~#ue68SzfkRG1h2>cM052F1&Bs6!;6r>;mWP40 zr<*+ZfTz(QQt@*-uz@cdT;R_qaZa9!&MDvrX~;Ta-w7OWhKWBBxQ%ZGes%!QWf@+F zpDf^4d{U=}fk&p0XY5rv=Vg3C!wTTLe4W@^z>8qm90o4{?m7#e3;AyWzRoAK`V;V! z4DyD($V`kqhj;`BMo%Yi;7;I`=TZjn#lSy&N2%X}KMZ__PvWtF^Rs9J)Yk&wwR}RW zW?&ni_z}qU1dR)v$tQU(1UB&P$NzfZ{d{fU8-f49_qN0X+{$Nx?*RVjJmfUMZwKz> zI}F|m+>sA&>=gU}hhAjT8V-DvPiV3Un0>LKt-$nI)Div#e#qwq?*!J(CN0V$@bkIw zt+4L`zH$jqK7*s5Oq4X~vZO6g>NhaBq+WgtjJ(X0D+;)rZxjC40w3fPI&1`%vK8Bp z{bJzze3CbTi3?3wfio_LF9m(Fflu=Zty+M0UBUhld;{<`KC%B3@Dm%4zmmSsC-w!v zdcL{f4ZtV(B&}v(RiVMFfx#m7t@z2fN~tUOB<#(=_7dbdz~2W>;#@-Vp8>p@PyEP9 z#<`1?dKf$l_#|H|cr$QDxxur6&)E2G;N0&)Tl@$-!l!8GTohN!`GkfmfGvCyzrcqp z@PeOaU^a}y#oz*;@&>*em{?`XCGa4h^tCQv)-~jZ_yu0UC+)KkxSdbZ z64{l%@JSip26}2ZlOb#!a1UQ6cq{O7AEMyk)xgXAq(__!fxo-fo)s{DGJq%EOuNKS3h-h+$#Vhl zmwXcTUf{V+hPGM2J8n09;ZER=pVDXXBXGeTCJ#Q~)Sn@5jr}y>HFp~N_<&#V32hGp zH{E6EDe(HA6F>e}0RO-zd3YH3IiJuCJ$)+i7X}yDw!y?BF!63a`jo%}_n5J<4fx8v z45irb2k!or8S@23-DlDjIL*cde#Dn2eG}&HR=x$`JAf6x=j<0;;JF)Vx8Pa88a}D( z4Zt9u~B1Mhv3HViKCmTlx4{5GK4Zsrkzu{(@?Ja7r0 z(76tn_B3V0e-= zBXG)o!h)v*<6fgI;PJrOd=md$U^}0T5AOpXf7|qhKLTgHW9n!w@a%VK(}c|c2KXfG z&A_RDGwp2}@Lj%6{8+$+mdU3;M>}O>&2u_1y#tzp3+#HI^#r)U_zz5*5%>_Fj2jOF zt3HP2_^AeV@X6WL9f1s5oC^MVUZ_`={KZ!hxhVlPl+#swF++{Q(2T;#jOUZBW>3NG+P z8y7yJ$OMbMK#_Zuya^PURIlh`>>~Vs=_|(CGawFw11&^#JKi2_O~C${{G|GYaQ`@#NTop|ND<)Z}nj>eAq7R zop&>?K)kn20aWL`teLS7nN#j_sQaDW=H}ng{~&6}J@sMS$99`rU&EZ(ZC>^s{)s!} zzwJZJlqqEPe&j%AsoR{2o0~6-56NNv9{)FS;zV`+`RA+o^XIGb@^a<(`&FHIudCyK zox1(@+tsgs{cE*(^JdlD+^k-G^;LD`$Pp#mSMjAiW9Sr9y!yfJI_|ygTDp{>9^>BN zM~Ca;4=-K1Vug74D7gFZ-r(*-IPb#j#DK2zAm*h@#cb_G>9;mx8&ppId=xxfrrnpW z=ybkM;NVW%ymYU#OTw3x5x@Ly6#u*TmX+-#eQnn9mzD9*K@dMTO8kd$mmhw#e+e(Y zibI$Wlm6bF+Dsx6{{cx~{|=EpZ#(QIf5cW+Ciy$O_lpCV4vGhz|J8@r?LNHwpu{2O zBeNIg;^A-w@nequ<1>R#y>s_oiclu>aqfR`)gU1NKZaE0{Cdsgq`cjG@o_WWiT^iu zoRMKXXmi)|d+#0n+uho)xD)Pu&$M6{!Q-|6y}S3^Gk15_;k|XuVun7!ujf70byz!# zf9TtOXID@=Yx+wRmT?yUTIu?J?%4&lHaUnIDL zPdAO@Kyep;J;O;neSJ4#AFNXjzDT|pJ{RA}ptSQuJ~!XrYv<|d>FB>jbmQ$ z(|HTE@%8K1s|Ox?w8Q zQy)E5c6F7ykt!;CDj2-+sg5gY30L3v;pbOA3UcGm-{D2jugX?F^Ul0^^PVcpOaFJ^ zl~-SI&BejsBUc7*XdL&{cjsNHZVcY@)Fbo$UwdZ)US*N&{YFI=l|^(2xa1JFK!kwE zz9b=GNgxV3!=U1g0V4!i0s(|kHf3BHBr}eph>*kuNkDKx6lHTmyegZDE2yZ5BB+44 z*8TrF=M9G#5OKcmx%YYOC!Id;Qr%V6Rn^s1?|BdXJvoE^C!6j1_S?nIOYt@G)uN-V zMx|(T$A_zE7wgKe!9CnhtzN<>c$Db*BtvwB(y(De7Z(?&_baq;ojZ4SNlAL&Yig?J zUEjWaUB7<)+{G7P>@K_PGB@dp?r!kl!EWf#p>Fu_;coP3y+>5`W8%b#E`Mx-EBae! z_voaK?)t&q-1MuG-R&cj-0abbZu!&>ZsC+vclXqR?ul7B?uFZWx%Gutx!4uv&RJuw zbz%R^AojTRseDlpN zFE7vCdFP$(uDkAX_uO-jn>TNsyZ`?C{roOoyx2Yd_~YJ|J^l34Zqu`i-F07?dwh?% z=bwMxz4X#c?v+D__St7{@9v%M zqwmb^*|W!e`|Y=0R$%LK@!G5O(K9#_n#wcfyDygTNZG6Hk(}D8uCujtms(#p!A7}R zmggR~C2q5A2<)jlP4F>&w7%vz*LkLV*~NNZM(~68XsxuG?iRt{BltyvUnTgBg5Mqi z-$?L@eYD5OkzYB}xfzQUj}ZKtJ^HS&;I|0=eZhYu_|F8tTk!iM;Nu%9E|(-(zf}Iz z7{!!kD5mm|d}r-LY-3GlTUt7Mudg$0ifw0}vpq|k?cY#}fBb2Jj}d$e!FLgSy5QB< zo@~KSsOjvMmd@t%b@uQmXRGtn=MrZhZ#W1q=cCUFfBb2IfWyTy9D=xdVvJ$g5<)x5-6%N%EY zZ*Zm!uH`-AY{^<@8@5KkhXmh7@Vx~;Q1IggKSS{M3I0*RuMqr;g4dXN?+X57!S5-B zKSytc=%pUA)x(YI;ePe-oO<{`J?yDz?(3H3_VzWmf0Vgz^UQs>#M}=XtQ7tX!8a3p zg5WO{{2;-P6Z}nrzpJL{w;jwq*4NycQRZIDGxzQibDwWG2wz$7aNu;opCR~qf^Q`F za|GX|rn&wt&5i17Zu%(om1l0{5_4~FI0%2JX~-xkktdUryC!u_O7W+9H;rxBASR|! zkJ1~Gx~8S3rlh1LCnO}LWHgIy+_+(b9zE)3gl|Ym)n)yq>O)FOMqCqa=+Pq-zMhtz z+$}9Z-FHh)O6Z!DaSk^$Y#387d_6TiF)1x6IVD-}VAlMcxVSE19JwVeJuN8R&xop> z(OfssLxY%lq548HmHyMxQWMfL&Z<=>O4oHmZ1{#o8G=tpqJ!kLj5BK0s#9{^0&reJ1mX=YM z4(deJuKlNzPd@p~-r&e}UfQ0nQ8MZtazh4e;Cgbm^whMp^ls_Vhuom+jhp)ZyQZh4 zbxTi4?|ydO)5Ak(gp4M!&3cP|`cL*l1YFDL6eScm690VvEjy-*#p&JB(mfF#$AJIB zKO?1OA}FM#r)Sjd-n~|>S|XzKdPbWQGZN#wX^8W6{p{}DJ(XvcUQe!Gv3k2|ExM(p zq>Iblqdk>pbq|Y2LWiWJbC0iHu|+~gdPaI`xAYP$WkO0yYVvtqljBdQQ1$%q1$dR3 zB6AhKp3y$OMwJsQRH)fg7=mJYT7m@W;Ps@oty{FJa(v}eQ*|-9t7Q4S^OBPfUeCzr znshaQuv9OJS60pRRYF4`-BRM^x zqhzi0vaScEXN{We)04!<)QHRQKgHjn^KDxtca*9`UiSTKe$!GUh^gILcPMi?qJK?v zYEp+op`{;(mh?k9mwmNWlMhs%lCVwA#VXY)CH43CbCcCa*=ptaa#LJF8Gr7`eoEla zU3lSz-XEEi)uYt+cyN3dcT;vZH*0jVd+fSyZt>ldT-&wsDP-q*zG<$Xd_GS+&;9h%PcH9Ub4%naZ1^F<&c@f% zLf2Lco%C|%AT4wgw9wtAh3)}Y(;jmzZH4P=YuzZ@vC(Z!KMC{_s=8zCZkw|C4@7T~|`-)~zcg zQe3+Z|LaCIjE|3R%BN7>x>0rOHI1%Ot=if0hwH?|Hf-3qVSLRR)tj86p;Ch z`?jK5M*ja%4oCfw#s=S$R8NnNj;^Pc+Ca5Yl`2)V19Gwqa7r$;Qg^DSs0JL@$Nxxy zKlH2J%~2J2TSFD`56zuB_pe%amhaxZ`;#xf{PI(+Js@H z)vH%e?%K6$EA_)XovB(|wWcb#Ft1g^mCx{)YkyKbOSQIQ6|D{&IH1gcwnayee;x7r zHR<4a^wG9$+eY9gygdHv)~z$eNKN?JvSrIW-ijgFC!c&`>({S0#T5K~z{p47{C2_2 zU9x1!#3!D3Vxru>Zr5Lb{RKHWIVm${%;+P(8r+(w#?`J}yOm-amz;a0GVl8I^1vS!U1PXqFyc#|;)iZgk60Y`K~I_%p`n>HC0-C#aw(GPS7n3rFE+0(!r zO8<>{P^_L1ZfVi+4?6!N*QLYfiiV@r-#YvE?>8+&UjEy)Yu5-lrZNYLo7wW^%T04` z@|nF3GY8Cx;%dHv``Wc@4PDu?WsCm|4cGwW4LxCwz-_61KQ!xYvxHa8&U?u${&};w z)n?6CnO(TfY{AE7`}XhOBwa!OkEVG1SFBi(*Puaz*7D(J$X=S}!_$DxVGiIc^e`9T z&S&QT{rBJZmCx`TeuFQv04?AR|B=yxFU(TjFiYHM)=?q&w#pf_S}Pi!Gixdu8a-nc z^OV_)can*6@AJkwjg7#SS1U*1r{`$UIk1hHx$Lr!hG-wXmyli%^ zXc+OP@*O`a-mTw=Zn46Pl_HBrRq7~CiY!lW)v8sDWMLX~XdXO00UfmP5;=nZ<>^w{hz7-zEk|^LfA%J`22Yo$#Zh4|H&Sbc z1@<5L*Lq~sU_NNUKag|epZP$pkd1&AbR0QD?$M2)MK359=~ukZ7Y%8W|L)>9G<4Qa zbhm${goYN<1;xoNcBQ`^J9;$5<1bsBrx<^0&BF}z4BJv39msp+oCI=33;(&!x&SP8 zCbIO~E**u2_smj7LpRZ|cvs{dhyDDOuH1bXV(NVN-FK#S=8y^vK@I3AZ%zVQBI)?y zhaYUilXL9;Yt!uRQ3-a($V89WC7+o6;SYo;15ac1q>d^6;0v_wp}Yn}I)s&INP? zv@i#(2a$6U&_WCT*vZGICfTBEI@$u!aKC8CA5(&V?ryWoKNk%<%>F7G&}VE?nru>_ z&(IL)Gc*MHj7^GN?(x@?J%^M!=o#ya{H)Rn4M8nSN1!W_bnqD(C{IjoZ;xEt!500k zqdhcUG>q$P`}XX#H>J+dkRckBW3#_T=rcA6eNK`tV3XR(Cb2#THmUJSv-&0Ym$geC zfBE;*TeoflqLhcf?7f$N;WGo=!HX80z#Dyl&%vBv<0JiJ{2^#W z{-3?6i#;P6mWhVPCW;2>0{RRM=rcCyF47LOE zc4tna{Yx~=5DmA8hQCXWre>vhM6pRp5kAJF(tDL(*njX30nww2env*lrZ#wG>&e4lI*G|Udu@K4FnjH{CD=Ijz0K-Bvf z^0#}d&XK+P+3e*qvd>{1=3MJmCV3hn<*O_$W#@!rYy!IQ zYvs-77M1!K=<`3q`dkL?i2e`wGxt4v_GBLHp@$ywz85}?;sZ8r+_+L2jzq_i<^+7O zNsnQZeodc61Em~Zmv^cTeA2Tvt7SW_apT68k&$6~HpB4ia&vQS%$PAYefo5-*9!S~ zyMr%O9xd>mwEjH zJ1;M_{rmQ9(tICv{6WuB+O%oYzR@#EcHMQ??YrcXOKjM%VV>{WS9)232K0is54b@` zSz3reunr^l_(6$|+*OckeS_zcv0tU((%qicxO8=9+7M22VXV z>MJ@O(9pDLQ`56+ejZpeka>KcfDZ5le`Fpy*&EQJ59kQ`5X=cJGKg;ytUc_#**{BO zepCDt-9r8)OZj?UY%_YQjJREU?X`X$paHw8*s}HS-`}5S4xk~Z&=Bl<*;C?UBlqA* ziwr?qAYYuvr^4r!E%~QnPi^#^;ce_8js<_@o{B6HZ-yptBj&7U@4WsdCnsBCVxsBk z6h9AK2PU9_Hjt}eP69naKfpa`kt6mD$Q6Dda~H%ngg@!FlU0wVc>5{3rz-^zBOXpe zpPzZ=8BYWJA#N!B@HAv*W?Jvwy}fKHC-3ox*YF%#z#Bcl{&1c>0`h~ey;6FB4xkhC ziwzd;KdYZM z$O3Lb1qM5VEutVl?1`x04qbES&Lze;PhX4wt++#@$3O7@#qVj*5ZJ|lmVgFY_>FDS z+U@rV$P{aBB!9t`WAJBg0w03B4swqy!EP;dnA41@R)J;_%lYZ|JB+v1G!`kf(~>LK4Cww zb*x8`a{_OdE?sJO-+i~2XZRgd=tg$X9sDMaks119Es)K8P_IrnR=$Hf#m65a*G2FT zDl`Q3NOJ;BdM4VhSI8JJ&<4K9)=Jq4R|47*=E9b#+ptq4N zvd%I0Fc-)?e1=A3U2^oZe1sjEE7nz>vG^@(6ZrjFIaN3C48s4*${0NRz;hbEyVw*h zE-SCT`bSsEeonah>TUXd&YqH1pZxKEu01~7Uxje1Z@*|fmEYM0{RRC;;5~)zb-XIv zZu>p$)K$jR&f`atmWcX)oA9Ykpc*R#sp6`zea~C+U0(RebK#RZHcR zzTZ1wHcq*oo^O=o*oXy_Q#e<-odJpszwxz4=}0(0>zNfRR&1-i-6-kw0qmK4&V91C zpJ^@lLU!qG`R4_SlMR&*oTB?%s>aCQ*gaS|4)SEgLK79gCFf1Pc=I=AuPG|0?;}yZ z)cuDmXUT>aYRm)JPi!RnC2*hyIgGH+|Fi7sH?p~#WH+CpV{)eC8_9E#Um+$=e(3eR zX6r@!QRI4~vD1nxWGeR54;=8F*n6@*V%J%Vu+{jo_$gfDGv!j{s>pegYa_?Q^9$st z$nTK%C&xxP9Pv6I%^pB|&=J}%3}yXgU1OiixcJfVBuu~eol1Hv`A@#=62)%G_mL}m zY)|CXazB&Aij)UGKKns@1S&XCvF}uP!uqxA>-+h<1o3dnz+K9B?JUWgUL+jI z`|=C~v3+vBfjpA$CC}JN?dyliWHf7v_OF@pbNhiufD7}F4-77>Kg;hL?qk~IoQcT? z1?WWED{Igv0oW^)bsmZCwP_yc`TEsi)MV~Q!*7-=og6x zV`&!m@=$zG zYJdlE6L>)(zD}-*90$2F@=WA6$di#{BDX<~jQrBIgG%Zh*JT?xczIObHOPI_U*!1M z04lx>H4+bSVg6U&m|*0)9uW@2G>MIqV?iFtbCF*m*XVOx;qfP4(Vd~ZP6YDUS$t3_ zoqv2Ys0`~j(=gVYbg3lCL6nOU{to^W1R05S<`DLauO%a#R5i z7%b98le<+Zm49?g-|ZbC`#%(2#O|;!U~dOcus!f&?~b=@-M{+yJOS}(<@POy+tJzZ%Hw6!Pfj#0Hh5Rkg0R%cx zo;-42Sk}sGqVcg6uNa|t%W(K`+ikabyNBIn{loqv3-AM3WNdJupc7wyxY>4n_=a?% zj66ywkVi^+0|)ZYew;W5F`=d7w%A<6G z{5A48d(y=WU+(%Z+ls#(&G^bie2|cUS9i6~P3xTscFQfd`28I?VHeQ@@PG%*54`zi z$J_R5{#Ewm^-2C&fIuD#CUmz){+(l=ZjQ=kNpmv%fK9IGZ zybQS|`B|ptzCGQ+{tG;)@B=)`&JFmnZecsvm#X_Vs`z(DD$(pg<$vrXmq=bh-!nDh zui!9h)F{t)>;dZ_eFrkYSlER?SG7+3sJzTz$#SlIq@Oh?&piFwo+=t%iT5*y3>oqQ zIUZv4`oh047v$HpF8gut2jDy7Q}N00(SlZM)%W7(HR@}w@)f%@Hd}#TD_;K4LHfeC zgWtq*kwIeVHtQfzLm=p5&JI40o zLvOJDB1_OqpHyrfI)`pUCo;zKJ3M=#?*(}KaEx>_HYFPR%kn*v|I7gu+l%dEp7l-$ zoe7+l=BXjDZlvMZpa<3=vgiLF1JV?ljqKz`lP)N>*KeBglx4zWAR z0qj;EBNr@K;Lq!x6AB9pQx(r%v2fu+KcB%G#yrcWzY#eY`7}NMOq}%x^|4Lzw--HR zZ;ZSy(jMd@`E@+kn4rDYZ0!S8o(THjUSt{{F7Rgpox+x7Xy3%1i5S90xi#nMxlWb9 zKX&8~7zV$JU@4i}p0EdgqQoWh=feN?sa=X~LXW@|-vQZP|MY#9H?qVx92DNa zv43R$%3guJN(=3k?h;<)TG^9>JMz!C4^2w-KF&AVgUuGs^ub=7y%(_v_I>O-+iBlP zj2fQ`ys=vp_Aut3H&vxz4G%RZa6Te+A+VCiR4rQ)O-s_yu3b!rb+gL}B2TAh0r)%6(*}rY=cwH+w;$3Se=#54kh5Vb=Du(aWk?uJ$d}qkN zWv!Cyl$o2GHGJT(38C@BhmFYX95Z(Ghz_}fhGY%T%xyM2d(h~Sxg)O}(`?Yl;TBp9-Hfb&-EyKYgGa#$lRG&Kj3BEHsS&onta{Q%8&& zc~#cvn9$hlq(Ou96O^4}uFM>kn-$ZgQ+#RPhXR-OA92SoM(-4V2(F#tONkbEr}%)M zUHT;TNlHmcJ-SqtVZn7?50f@KR7RD}Yv9R63#DzTC%} zwkT{@*wgdz^1>m7Ifdg3rxe1NKgu5*_}|5W`t@Q4br>)C_8jsn>GV-GIIy$C&0%I$Q?8~J7-MpfSd_qhKwB1 zJZpSbOx07W_UU!}38#4yr(N>rizfCuxAHn2QQ7KbWDL*D9-)_TtotB*9DH^Zx#M z|9Sc7?EO6ZxvpnD>sf0(YpvAWu-4^vxm*SOZ`&?cD^K}Xt$zRUkHzN^r*9bH`tPCJ z&uGnyZ9ik~;yacHmM**J_GP!+6{x%A?z``a2X4JBuq<(R;EuZk;n~*&?z(5uZRZyk z4=c?!{p(8>-uvE-BPQkkkNbZ(>0Q!CxBPa}7WMqir0=We+DRYs{BYu$SlZ0ZU{1v4TJ-H9t_RLKHb0klz%{`&Jb#$WwV#~-baJ~c z;^|ZG)p_!e_k5SjBR~AhJzYN104>p+5B#bdbCt4nDd{wldq~}Ej=Z`aJ3r4gRlVf7 zelv%cwRx`7hD%27U%qPz11NWspUe7RJ@Z_x&QQO!^!f4IR>t}A;rsl^fMo8n_=Elh zT&{)ZFI#j={1%tXx>!CikV+m0}DYHtETx(sFWQ<}(`v&e7D2l5lFe zt*2t8<$5w)8nAvF097haqD(4GUP@o6r~Lbh@?4f(>~gJ_b+P?xKXSRYb!^-A6@Ah& zeO3(WlbnChXX8Tp+%)pUKK~$n&KT3*=V{qK_2m3gubzyT`mWQB{Q=YSU(=bJd000; zuGkwhyJM;8N42MRMa^!j`DE#~OK)zAk25`{Dz_sP%!_K_m!o!jw2Z>xs-u}*x*0F6 z)XfgvoX?z%O@W&`w)OW@q9<3C2Iht4hUSH?4PB?3`{}njW~O5)&shu-_$<9z9yOJb zinn9Q+bXSv?1_-Mt+|bFMHJC~&~EKIZri#^8Q_{^} zn(dILAB|MBnJ-!C(`61)ZB=RBQw6|3WWE$Nw};IwmZyXzG`H*KF6&*@`W~6;>5OEb z^fF35%=;a!*V)msW4ilD`a3M&laPx7bF1}J&FPm;AqYpB8Qp<_e!rRRH*9u9&6jj@ zhxMb;QhtXtx{}_QAG5o1I5TIS<{s_gc5DAJ=1A|l`CO<~=!f;<?!jGBax;eL5W#I~_?c-=>$4wl3nT4|+}_JK?D@ z-^tWVYpEY8`0ZvM&jUZ}_g`r7*;8^YJ~?dg(5KMom8tnNFoSzu5c> z8EHN-wnFwo=|YzDxuI;lTV=7y-;(jDPE|YBS{XHaWKQqv`l)UD#LeuL@|$lOm}~#O ztk%s}bn}qyPtm?^OmuZZP2@CtN~WL&(iJne>gG%A?r<_D*d8kltQSVc_TNXz7-g7dPhlR|(pk}Mop#8!&9Gqj+|pWBBk37-T^@zQ z(kxiN(Dr{n`&w%}13XU6rDUJXVIGoB`H#{flMhLAG0E?+ILxwpRrVZ66E7{f4tjsB z95A~1KD9oimcr-rKoQ7%=qd1q97S=%+PYcZdeE?}-Z(TNJ}G3rXsze$0h7m2_b*a6 zHOp)J4+!*Coy0c1d2f7p)D3#~rgutPDgTct7-|)MN;h{}bwhKM>X+mqbbIBc-z#ohc-wN4G;S|A#u%u&$Tl#+LkS@ggZc&KaAfo3GV}tImv%(bf%@ ze2{rU(7WQab)m&;W;icz@S+><1J=}1`0Dyl z^6S@b@w8Osx#n0Cff~ng%D-WVTDR=kT@K07Q-(CIo5zLR1@|l;-B48=*BYvZ#fRy3 zyB_RX_F=}&KA=AQLdyR=nvfO$1QJx;aQP^?j-44|%08u$wh)Fh0~m`rdZiPUL^mp|^MY(%X?56z?@a%I66Srb}-TbDtwEL@GWAnVa?IZtdYV7G<>c zt%;m^F8D*2Rmf{aTe^{VRc5y;6MvNigz+3FwZmEqlPvTc%$_6rx!Af$wZT%lGEYCA2!EFg| z2?w-oTlF<^Iz>%z@fqEGnRz7q);eg+JB!NfPpu*&?za|76M$^EbuDkO4b@4n zh>It-!76MCl~8bZVzqVsRH`Ir_;hn^n}9!gvTnAts<&BQJ?K9M2O2-cZ0I7Z+4D5# zNWyDPy+levU_JkNHk+wxhBtnyZqD$TEvi`YBT{Ur6`7*iW(YHUJ*tKL#3)0R$=@=g zB#%SKm;Z^jI&bh8`_Ht+tlv_E+LeLOTu`VQZYFA4&YlRFn`%VZct!>aMvb*@3-mAK zL9o3QE^>AH_v-WR_#48tf`iXmhhZCIAZj2|RW~YenO@ebtvl_~dgDlF*)V=@SW!@K zbOeMP8+|IPPi3_Qgi7o7_IPzY{7|qyxF^0P^L3aNp}zs^BcRABpc2};J=W_2Rbdyh zwT4M8kJQ@6!Ktn5C~FT_!jr~}ge5FDekpJ}rbHGw>a*JjioKY%s}9WvfdIke3O3R1 znE7&*=kiJ*yaE`+zm=Uolg=XYL4+(df9fJ%G&BEL*()=&bwww`_o-POQnP9gaB81a zZyZ*6hgIIjK-AcnAGN#UjJaFJ{7ih4wr-=guDh%Y#FZvttF3v$l&khn)N{xdHxBJv zvC0w0n!9x^atL(4>tdn0-HCwp-gKBihUl^$sOHU-PRvn54`})=o-USNCU%xGEYGr9P1@Dez2r zzBw+>)#1=5)ARO%JlB(=3!ulsR#EU}Ji!hv)}hyRZGg#hB|YsFv5rOBdHMH|<{C-U_c^dS+2L^R5t- zl>f+Sd9FxGcSp^xSjzt~Y!rl3Z}0OMZ=4=A3pVO^cGt$tQF&40unkvk96lcR)Uc0- zbmp@jcGPZ@)}wZJ;%~I4w!Pqu6^y!E4bv80l;?8AJ=XTi6|{H97!XUCz6Gu!OQ&V| zQpL3lLl3^Z>{5XA>gn>nXT{g#IBfm>zpH=e=w;99z3=Poham#b=mS|VD=1^l0=)RPZXqf66S$oI!H z%!+cj1ai|0K%?fi2X7ZifBHVX_ha4Y%U@PI z3j*rX8xOfS30F+fQz)*2?JI`qtp`M0N4(LEeFv<^7@c0WPk7^U81MMmorT-Bu>nrD zUIfM9xa4rsI$eMNyDUqmF9V_(z_STUSHlu*w{909!ej+aR?uVx zO;#{Ls&D_ys-zY=x!dCpKO9fxY)_^Yln&zIwS=K@r%IqQV0lb|<_EySf%&GfC38tHWEp1?}Wraqt z&M-aE-cMt}u6xhcjpKIQhhDQ{x2QGSWIauhq2j+DRIqQw!%;N&+875m7Q2>Euh}v6_ zQ4~aE4=E6kV`XYZY$7`PLwdh|+tTbtT9zdzup0iBit&M7P)`jaSP_ z3rR#oj+u*KXOuvo^q~k@uwpfwZ{|iF{g+iOFm%xWEBJQB{!JFny@%#=ynBhYi~(k` z-S#WqJ^eZZmohmyD3)4;68j7pf6vU4YOVR(6p$6GpX;pHIY!^{_$0k-aK8ub9ZgjJ*tc2a7-yD^hjQOynvV#x|Tvc(<@geCds;wl~(*P3J4(C(^^jI zsJp1GCsf%GKiS&C0JCGgM#j3sX2YH%Bl#1vF!$7$LMXC2!=2VvhL;m5>R6JsQu3gX zFcB#xBU&k;q8?a!l}rJ@CzSt{`e0W=1g1!<92}&U`#70=XCdyd>(0xkwc z;~<+`S{^prZU4*{fLk{R;?dUeL0i|Zt=l?LxIGcK6z>_S*jr=nLWl#85~HopV3o2H zdWctu-1h~vFq>}+n|EQ~S8* z9?>P%gn=pj5e*|`F?|C-v@W@t#Qk15cONJ)>b!_;=nBz+=UKPkBMU&22V~kH>Y<2-KO0uKekpeGzakM8`wHM8}qcLKk`vVm?*6HApI*6 zW%v7P%>6ayr|$c`(e~q>knzsxv&@16HFthc8|n#r=xtSQ7WvjM7r0!(Es2RrgxjgR zyK;l*RD)<=_Hplw5?26nFasntUu5>yUDSahw!8@aQQUH{Z^g)-871EMa48I%VD`n` z=KZDcY-d;Jxvrph)pJ2S-|j5yO@%LHD-EbNMXw3H5K2HM5Q#3-n3t4aV}ouymjtN=LnYX zXv3lq)+qL0zo&GoAUeo+`+@o{0z1A7Arjr4S zxR3vLMH|r+*_Yirv@^1Ym(`iV8L5KOWCUG8jUF>2?8Ta0(AALrf^bPa@%bQC)UMgH z5_vqbtEEJKWi^tKU71mOYThnnu*Mlo8uD|7e3Y^UEhQOW_T!@L#{$T*R<&SH{q*Gg z`s3Q89jO_|<(gy;7lMey%O`Uo$i?7Wxy!&TYzE&isG|fmRMbpIg(}I783&2h^s$<9 zTf#3}eTlD zyXdE&^IY7Bl1bFC*41*@^&L+vwVJ49R8G*Eze_{by`+*Q=>~cK2Jf`>)_h?cxNv4i ztM*vtFSI9O5>#Tz&BvwHvBK}Lnv#CZEp$eM0w>_Ie#9_9#T?HEW$K4FEUq$=D4N5N5S!L82dh|_#jCcqc0CN%Xm@x9)k@6>3?3u_{|$jB29bm8x}I&IvP&i zSdtkV>gmXfkK)%G9}&_vyftiDVdsoe5pt!{^++LMvr}<84_~iv3f1W5R76dzTqed8 z&@Vf?$Kg}ims~#$Y|fCmM+SVNdTr;3eo)QlRYrdvnvh|}k-WIaIFg_EyVdkD`xU*j z@bNpX4`tKtk+*__yuqu^|B}9eSI(}&nD)#xD6MXetK*R4>RM|uKnme*D)g#xmy#Jz zSV!(4E9seY1~U4(#X`C68*06KySyZ@lo)rG)Ma3^Wb0in*GB)rN5$L>2aV$u)}xXR zcHTQiH;307Q}3IW&>ZQ*`lw!-i4Q@-@@97GrkmS^mH9bV2pwFfU~-74S4LT9(_B`OGM-lxgn`S8n$JsBSX+V8DXObj z@+@bB`Dg%9+WHk&h(3sOL9V8)-NO~L^3^P0RtFHNK#$cepdBGR!%$%=#;#vU z@_CeX38k|8x0B%x@624@6Dl#{mskrgl11NY_F20HVb~g%!W07p+rb$R&14|RvnI>P zhgp-~mu*}(*=5v~xSSJ4sV|g%i8JQJvx~}uj;~SHU+6qLj>~w3PM^s*s^de9TS{D+ z1J*Y_%${Tya$-0q*+*n$*eJ3o9F%hI50vFbYt0RE(dPLHx5{YE_hu^fI!`wVh~u~A z;cjoN6tl#{TkD5|2=!HZNn%gMUZb^%H6C&A(5grJc+np2VCdD>Xe3BhWr8s+fMO#b zz0r9WpszcPB38$_InCYBvq>&FD_8V0lw49YUy4FBUDhN0MPHjtvilwo#H!;ndvMr# z^bRiT42szPtNbyR6U3q|I++vxZ96n`9}b)>_D5 zK#M|FY&)4T({t%WG>S>jWju7#AK+mYpTe&-?OlPXoH0-esjx^IUcpahwAp8@Dy>G* zP4@NVY_sm+cdfI)I)E={fuYlrtvi_w>B;GP*>FM^VO6+wZDCjd{re1``+S*~=~*S( zA^NKoJ|D(=p~#B0)(dSiQ@NL+&pEDmNar51lKM0dMuy@O)@`Wwo#P|rnM$Mb9*9vN z@ro8jY*@(VGiWO_K{uO9)c}$nuk@M9CXF`8rsrX)ZhAgct$1!0MIYtYN`FbuLUKDj z7m+!%z}432Dd!F1Diw;6^QGIxybsO3FSY#_b&F#3G0HhBFam(co$o2+1A&{j%F5=E zFs6NrLU6}Uxp!G$+h5Yft)g@Vp|SnDN$HK7WbE*M%0}=;Z!~#lNi?}UAohZT^&-_Z z=6&88bBY-%h?@6R)|BjTs75 zd;pVHQ`Y%-AResPT{Ze%6sEJiW{A19Eh{whc-&iLBX+m@f}@w0WZpppcek0bP9N;s z5OYaqQN|sH#{+JdTm&y(K2Nu~seG$IcfW4VKtpt3S(O8|Myaew& z8lP+gT`+;*;!2piKj(#*jvfZGHSW%ky(>5LW&fjKkTpvao3uNtVM7PoqzUBtY6yBzZj zt*L`tc;2Q@fj`$e#-VFg-xvQzsBEX!^ekCMdU$-M-5tNwNSDOVGSb81V~j%uiSI^) zPyROwM9f{rPG9=BQhmcmg=xXQ>Yh&26oO&K&g%3URccRW71{ZTdyV&w8}A-9cIImv zJ}k^ErJ=;FG!hzaXX=df-1uxGJt97pF3*v^M;nKRXw756k={;M8+-2}dKrNmG_cjm ze@9f(YBh&3jFU1~awl+}D#DgfMP7fqzle__BQs?bnV^akW{dn)715f9Ih~E5nD2z4 zgsUpFX2&uVy<-Fk-|S?kiiubQ3vC(8oq4>B+ROHQb_yFBa+pk%BqOJVlL>B`6O3gu z4*)_JLLfGg$H=vTrH!tX2}TVAm@H7n2h{S;yRY*BItr(Hb*txambjK8iI zvO7Txm5r$fTybnj3l8*Dml%n8z11bI2G%x~nt9CV^R4iuX8WvFYZRl)jA8Bd$y-4J>fJ_DNma z|MW&VrN`+~#60bYuu;N>k89+GS&6a*{>sPCM0tVHnsu7(oFEOb5OQw}n5!LiWA!tS(So1 zE(KxYdNR^r`+wUm2e8>^`~QVE=|H#r4ZN~CK2#S)#t|C^X{)v9c0QXanY>=H&6@Xj z7Ay6$Qh^Sd0nVZ2N-Hq`X1Nc6*Kx?_hS8kXp_HCy{fvFYy0>wHOP*i|j1YHe!|7}= z{dN{Xai|>5AjlPCunsd{jtWbA5dMhrVRLKlE@!)d>x`JNG%@Zt0yby2TH+<5QFhGV z;J^As>VS0<15r9kc;ZE+0nUYfabyLb7?#M{*!A4v#^j<6y<#|3?F|l#m)UJm_b#LF zyk!Sdp%09{kt>F@BLBEL8r#EEY(+E6l_3K2Ghv-iy}TQ?3WQ_)|ByS(Xq;P&@a@&pzIvD6$N3l?NZ zp(JOJqmu>1gZ>S&H)`C!hc&IKXshAcSuBZS!dF=W>} zm2-crw9+SA-*$2qO3n(!2-u!~ADQPuX9!d2O4P+tlfE{ZiP!Z-jj2ani86JcWDPkJ zv`iKp6`+^ssTl!fvyyZx&!gmw(&P+pW=zy9Ix1=nA4mEOuRQeREYNRwx?BYy>`$rH3=qvT)yaqP?+Nim!#{5|BMdq*q@vym%$9yH6 z$dU+wS<3&l*0fh`+gio(gY?X9ZxtoSxz?RzWW~rn`bAG4u3YeVe7J5#9y1>6VjYg5 zcS(;QCZsmfAlE=!QN>RVnFqrxdv(M-9Kxz3Iqy%X<3G@v-W&?t%muBA`g5HJI}}b` z-z7443=)GzqUC9dAdGLW50!P)b8F`3&@bKTA4 zPYLa*QTgqM3+Q)=`Hb*Rr+PU)&=XFiNqO$brqO1rbba}+1VkiU&I81 z?b`Rej8khW1;SYFXiZzdCZlhL)}*VKh}QJq>SdpcRim#~Yr31dT$aNz z_1&U1{ZM_c)0&`DE~R*nnnR+-7EX8}Kfo`jo7^UFP<`#`^JoK&+S|jImuOFm_dqR` zTt6<`_-tR;>`Tiw2y0JQ3Z!e(Nm6K=?kEN!*wMEvg$EQxNMGizQ12%3cuKe^mS zquOS$Zr$DzvOD<=2klj_h#pUkI*iTcQmy%32!5z%Q?=FEmKgBep^p1*cDP8r>_A5osky#Rv&R^)^lcI7O;&Ylp^NG&9;`jnzai( z4OXDH1#anw)mq-BeRni^UDi6elezFTW*Cu2Q8Qn^3pY4k0P-(>VH z*P2#ww5?BMKfNgBRyv914!)#9f6PQ!{M^K46@D>XR9 zw8n9(x4IetV)H(fCwM<(S>eBl$embe?NOe^Y=DWAFfbd&0&kLUG zsb*^YQ3jGjQj}#p*1a~0<5&z8|G3gEMheq zdI-$V-w-AHmn@_`bxg18p;nvipD3)N>=0&JZq~G5lFpm3g>BdeAV~>+!w!YaqmA#e zQm*)^5m4+D8f~Ca+y5py0onVI7JHY%d^Lx$*+SQ-LVp`vNYR1n%3#8)7DuFg$kH?5 zkw6d9BqZ#4aEay3i)*cD!5|CVWu)JBGV|jnw+3>Vsg-XqLOnB-DeEdbOf&Oi=91Et zk+R-!Suf2LB~DUz&t?}YW^v}2I-OCQiPr3mG#JkZx&9Gzr{#R466U4+79{+t(0W<7 zZ0+MAIZ-ixtxa%x*$>{Ln@2(>(o$rtLv3QEi?Y;*J0*LEwSBSLB(XXRE2l|HTOn88 ziyWKU6*L!hA7kdtJ*zjUk!Q|U4{q!kQ8iZ3u+%7@82d{A%Ngc2s!>OP*4(plf{ZnO znln~`PIjzUQz{Erv1FMOdQv_zR0m}uPyo1S>$&I9OoB9WGH@t6rP5`5l_S^ai^k^| zeT(BW)-R!UusvR)4r;U+TJsoHXv6;DX^l6m^1bR?VuT#tvcyH{o;=zyw)xT@@WNS> z-X|GClIlZ7m=in6vCR)-*R$pCnpsOI0?CJ=gq4%&EZXs%q41p)Y>rl?KzTb?YyiXle*=qMEIKn>J4G5)pn zvWHl;iR*=P;ANCT=U}_DQa8}3H-q)xwt`HQ-@MEWS%kvOR1*1_iIj=SDV z%a0y0-;`;{du`?7OtG9c*L5=vc|_kVp77OiZnQL zr;x9om6nU_*|wLczmTEMRbRtfIfu=lMfp}!-;@?03_B3Ih}*?(bRhz{o&(|(Gy;fkZD+-dy| z0gueB!pZ%m(_O@bA43aw{$5LR;y`mW{ z5Y7ul#jAhjj!gE098*(y%5?-5X)SqJ7ufB=j%A;%371~G1(qxzhMd=C&eoo|E-$P- z(H0JFTyaXMj1#Esid3vX+(7gG60m+!N*5TquPJP5OFU;@UW620sg_#AmU8p*0>pdX zILexrLYI_QTx8QQ6u$c#?94@_)h>#e*A|giiF#!zLRGmGm@HHjL%)uSZnCg{g?xXZ zc(X8%C)Nllo0M#&yQsv$xHLxpl+?>!jHMoxk?5%_$HmIFgnHb0@u3YveQUzQ-pY(1 znIHEx3=M?VguQRIGzzdXgYHI$;(PU75=SH?JHA9DWf>RR@f|F)O?@lbRmL z6mdB}X2l3v0eL^y1}b;}{oFE)S5s)2mNo-~3aKJG{_1*Z#| zpL)O^4*!tyw0V7_2wk`3QNFS{Mr-25qH|pM`zL{4R zG^T$8?U!qcg7~RM8gELj5eg7## z)l(1ppmgg+5QEGqOU$Zqt5LFQ&8?i!qJqH4P`2E_#1;kwrgQJ&XWWv{K>YSM3;ssK zuGy*ZIX;{qLX{=)DV5jf#n08A7^yuG$_wsVF$R+GwQ->}?vVTWkT*|qYuwwgECTlJ z`IQ&~!tHo#+^bq2e7L-d(xTOlQOkf z*^7Xi!TM&UR-Ni~_AG0WPc$fQD8d zhHpq0glZ5Xek=L9`9o))c7;eV3CsM?#lg zP@EG@l@$$cll|Y#5Rz&L2W)rGx4S5uuQea$(c^iNqb1L|V0}tx3_$p-L~h4t6eK;r z2HVXU-lXT}>ZK^@`LVpbgc)SPzuPwaNx(Slc>q({XS8+USw0+ooAi~}BfV_Qyh)4& zzBe8goPXeCimVBbIc<7NQ{K{_nZbT zJ79ZdO2t0johdyi3zHmYAC!-7#vB?A8kb=`mpBtRtou+3zKYzA{Bt#BE&uyDty;!Y z0q{N&|4K&@9se@ZW~C!Hrp*(bQDW430B&1D!TV0nWn_^l=d9?557@Z7HTuXA7Rjxs zX=C8TWXXxi^1;bes5aCp=*SJ%*M)9Z%{d^-KA+gp&>RZlm3_(|0mr2NthRvovtWSK zSW9CE?1qIrFfT&m_9NO7SBnGTJdTh4krj{z9Q{MfrE_D;rE`OG(t}6$Lx8PD#|4ub zofP3tR)z;%b%vMCbH;~*s58EBUW*J6J77hx*)=(PFG@^SUohrri{FRh@u%P=2EXyU zbkoRz^%kSjm6)%arUTgS_$fveF1Xf;EwZ^xX~9|!=fS%(pZ*f_29Q9ZCBV)nc@eA}M z8|)eDd=MQ6v^d^r&shIKB4k`5zRoGnB5*Sn+yyzggl!wxneZ`>MY1jI@%oZhy z@(67%zV!eHP)R>8Gs60t`u<285Xh9R7xvs*GfEhmlqq@KYzm)iUCUmh8K=MK7Q%@Qy%T)8X{tVB*)~T_Ky3Qgp*8%$p zHE!GQ{VjC5_!3%>i^0RBfEW8GLENmo4PA1iOoEm>nehs|?G$*o z1FWR&e?{^P;)EpKIA)i2C}s)%WrHfKZe+7kQ+A!d=`4_R=uPQ9YYKSVzbuLdoeiJ{ zm|VFaF{71&ZysyYMp@lix|4dsN!2>3$DPz-C-oC2wbV&{*Ga8(QV*(>*`NR_&EDl? zJSG__&r477P`vLv@}E}c+D>a6KxLIoStX^FleSKi^KvwG42#?x(>%mFjf!hIu`PID zXH8xksjBBzF># zx;dsg3s>16))Gxv$@oGj;h)v=%=ir_zo&){#5P=4%e$VEE-N%#Ml1^-pJEo53DuA_ zKKN_Z!gz!kPQM~Ky8J!lW!Jb>>ax&VVMY3Pu(L0G$^j*3ISM{#`+}W}k&` z2?JlS&$xe-D{+>#ZXUAH)A%Kh5kKpVfrba5O`Kgd2eO<#j>eg#+PWH_5`^(RUOq`l zi`Gd<4WQ2u!fE+3)1(BuM~JKTM1ePRt~m>v_(&k6=BeWJ5FQEnIE=`651R?jhl+8c zn?%0YsX%ryTYip;59PpCoa%a+IywyT5WW2~frbb&kH|>RRi7 zAz%F3FBJ_@y8HAFR%+We=Y8V{dC#unZ6dpKe@;BC5o&8}wJv&HvbI{+szYk4b$Ryr zin_Jms(MU|jq)}eW0#-z1tNvj8bi*Pv320a|N62I22+QD;w-3yqjW_obV6X>Ba?QS_6&6lCtsp2}`t)I_Sxa5_|Uo9EM*8nKuBMH1x#hpB?2LTRU z-9Y-22>3D31pG4m#VLG)Ym?RhcOd9zxeTDmaPO$<0IG_ zI9fe;eA!a#7JSt7s=`Em=3U9SnUmc1`&9isR#-kJ3+?A2M`c7H)F`+^9N3eLr#JqG4h^f)9`Yx*z`Me>zy>!CY^)Pgc1ph?Cz$pFENjcGgfDO{S*herD- zBi5RPoa(9b-a(HL`s*mSh+&>b{wN)8mmora-$fUA;%UvJD2T%0Ln)|YDb*)0Oapmr z(ro{TN6AGy_a6P6Lknlpf)k4HXEeap_YYXX2-*d#%2xrRIQ2ev5uFKC`ljAHQ!+M^ zK@)p{T4+53VtBF0U*Wx@Wt+LYB<3MkC)PHY;V)}<-(K3K`dX?hmx1lp7*#Y8!hb!R zQ|RPy;Q3FJZd!dX=FHf7x1K9@_y(3TXSCxCH!012J~KWz(tv2? z8i(I(6HQ;Zw0h0(P>Z*|svn#)zvNkU0T5sTRZ0nD3oQ^ zT$HWmPKf|0;IsV&KwLM!t588i{ZfuQF_;o$aSW#J#9(T9W!9C-;lbcB6-2F@001}= zAMGS(JMb81O#8!YUPH8@f%1u**F!7H7edk2Iuxq84*ju zQOF_0OQCaA5AfMp+NX5Z1Q>MO%0ck8&LYdSBEW1zE$P%Zx>%3#tUq?O@CCG-@QT*v zPT37f&mu1?=5evv&F#tJOC=TDwLHS+BH+~(y>@-)blWv7oLuJS?E=@ZEz_q+YG$}) z*$g(*B&lF*tR>(=uhWb~>Dp`-e~R9YJM(zytyJeB`T}Y3ohL%0|g9=P5&>**HbMrTIiiNA z%8|k-cG&*w)F^(Q9YwPoHRdOb;?q#@Q&9~3!%<{;!9jOo%8!<%5W{>9jrT>dN#p@# z+KC_dHtWtW4#w9%m}h<@Aju7;4}GvRn9oAN&k|3{U|0>Yz;c$PT9{xb%-8^rCju`a zY*VxItea8eu1($S=8O*n$9b^Ve&9B}?h|Oy%VPSg45?|W=zwzm@>#QRk&;7Wh}{WW zR%#p>wQ355{~(1a8C@ zW71z|uUWUV4cYS^=zS(2{@c|I0)O-F?F9SzW54r)V`kSn4{lBug@Vs zt>ya#^4%=jr81QSixdRd(yA6d?yMCEK@?x{L|-Ti2Hz^4=&Epf7}W-^Uv}O? zdr%?IeG}r-Q?WN{9yL~b^Acz3bz2;oxJAb-08#&IpRkgtqAooNYd`4+>M%Hy`(LBe zXB;VA)vZo%XTj9!F$f38=M#gfLx*oQN;g3vGkXW0>k?EkC z!lMCt0P29u%C^&UgH(2Rvq`#8uYLN@q*!f7XY0U79LNKD-OFN0LYvcW&hSi(wqE5J z;{Mc%6BN?ndo~bH2ooON4R3W`9t}s0RmZ@^0>XOTw|+9!tRo@}IRs6!?%qAf8lYAg zv{|r}qPE%UR85?hJ(>QCfk6aE3s&FrC)D#_8>ripDUK%RA9H1fSabPA?c!28xBX{Q zDPw%uqKL9U%~L_2$#JtkXP-b~FSO-#(b;~+i6>lCN*`%WBgiBWdVOF+0;{&~e*so1 zhU@<(7D1_py66V|);FHbT~%1UyVOlv=HC851Q1^*zyL>~y*d_rgV1@L4BE_gIE!7K zCq^kC9zlNqf(ilQ=Db7l&iEWlxP1c3#nx6D7&{$Iou_=Q*n954Z6mQ3YzOMNB;#RiGK}+KDQ#cyLsK zg>oW__-lzRra1O5vCbEONmK!0D6IggWJ%^hYcwzLXj5ruAfy0|aT|e6g5!ITYfSi> zE#cE`fHDwK;6)5*Xg5(|ZR0IWM1iw0gPgpjP?Z{IJwa}NK!M+>#3?d@i=>_tP@sD7 ziRVPdD2EoYl`8w4A0|5<57sXj1N2J#92_}0BJ;;1uA3MDeW4y#LCkzMPTbyVZ%y4C ztd?T#X9-smoA_+Bt^?xeQ=va}ukN1Z?FqTHcoEmCZbEwLkHp+vv5IGi$>|&y=lvcc z$QUN$aL73L@T`>twH)H5B$mN6Qk@9VI#}90=3(<=oXsBOOxh)T@M7jG5u6q)_f=r4 z^mY>0Dqy}8HoJsBdHQ=SIHU(y3_3!U-T=Xjdxw({9rEyC5_wkQzHD6f;U@s$3;zcB zM;QBY+!<9W&O6>3{uBe(?Z%Dow;W5j#y4FDYEnN%MQ?|; zxFt7nfbe^z5<$`nJbZN3Z;P|IguC4UAx9m8U~-xDigjG%rCB9<-GQF=hoE>*p~viW z4W$cpWFuaQ%+u3e9WSz*oGpgK4xceiQ9w5IR_i~Oai9~fh2FKM z6wPyBz-17o25YN4Ix%OI+FiI+G=K2mm@pQZJFFkpQK~O z<^{{6@|L{JDWcitFe5w>Ma|9DsjBPXF|BzsCAB9++r}DzfJ+8&!@2ixmVVHBqsK7% zyvwf9p4c5-pO^hd@Umygu3k1??|s>LqcA=sR@Sa3eFVQDHdWNvcUiPOJtR@(BnnBm z<0I?q>({Q8i!Y)#N{q!%#SVE`%Sf>a;&!#CLp#0NC58AeO02xoT(0HiQa*VVr{PsT z>Q(dH!~grJ&%@$>l!sUKCH7=~koCvWI!5YR2Q~O{s_?Q$QmPV9OA-gyjreKO#M@qFCSngjtJuhyDH%lUXdhksXq$RcU( z28h;?$E$-{h1RO2atolFArxlZVDGfVVXI*j=QKAe@-v%EN)J-r#deud4^)$$wOf}Z0@J(}?d?`V&4 z0Kq%$tro%_w%Z=#T|zZ|_fX(&RgYS)CPcppc(xP-EeN9bquy`!xk(J~z@RUOE| zk-nMFVe>ul$i0-;$FbMANLq(RJ{w-MWJ)DEM9M|-KM3u@$o{GA;g-7=V&XFjJRWX# z^zM2*FaEgk*72BmFtae5e&pFqD2Uzu^gR%aCWv6n3CMb?)r*NlHeyJT8Ust^O7DXu zf!n}rTw-JGL}XxEMNBJZ?wMsasVPBr%d2w60o|p$24$^K&1mbBWX$N1ZVPb({)^s48_X$t??(<*#Cr2s<}LY4C0T=@4ka z{1#xW*Ufts&!(1Dyi+K+OZ(0@c|}E<_Z?UP_nUOuC#x%yZqS-8u&CU7BwDu#1y7CnVbr}vPev>itbnMfsF3BZQWQl~$7)UQ%ljpp z;>F6a6a`Uw8#(ZAmTq@(Gq8MgG!@B{0AslBY|hU-$i+bV*A!u9YDh9O*t}Yqn&a?E zBiT6yTh!?>%=WKmN#M`ws~&hYehc$D``flXcv5 zEQIQITld`oRz=>9nRm?zmA&??g=uY#xkb3rirwlj8Av31^t#8IgdXe@Hk$kYW-4`A zjSO0b`wWN^?BH4!q4cgM+rAdWY&j*o8nv+yOAgJ1@qFvuYi{eVOEX{VvYqd`J)NG#85sLr2m6% z1vmfBGY73KZtih#6Nn=lZqCml=g*lTa~)y(Ph;Y8eey#JfS?X@0}eGApGVT5nq7U> zygfwq=1*~~i9n^CeITg1Ci3#2WL0iOTjrKul8Ffx`}*rA@Uc2Mb1_S$cW#uk00QW? zcH9nb2>|JR2)(PGPRSJI@(wRHNx9}-_E}7^U##$AmIAe+is{R-g2RS2+O||_OdN=(Yzf-H$GtolyF@@E{f@ND8W z%Q!$boxgrC5N_A;7k9X@jjEE2#+vO^%DBzYX@HY!p3mzAqv9Zc0BtUT_LT4RwN4`s zP%{?>Y$)%HYO1iIC+QfJ6G)a*=|#&sl^NqvFJWEfZ+}Qsv(0+&$nqj~wy}P#ah8Qr zbIaLWtG`W``a@|sxXxA7E+NSL9f1xWa@X421!WNJx$==-D%{s%G!+ewlQeX05r(Wh zYWw}8W2ENu|6FU_FVO1DZ_D{dKPGly=UTJK$TGisp3eD4KO$x)k+p;Tqc_06ilUMj zmesH=^Hw8gH2)SrDOptpoAUd1PzKH8WEj2p#8_P$1<$3RSSlO)ka-SyYVK^St#LPX z%K@K}$hs66N|8`cHPK?vmfGW`_81j&cB2HERX0BpZ1xB3iY=H<#MpDKA28PJu+QMt zaqB*D*dgNox*4{3ipi~+;6Z0(4SUY<>{h-(S>JAaO9@yb93igVp(kB{otsdB-D2_R z{vBWBf@t5=+7%~7wWl_*yT0q)cM_p+zu?NvrymS+AwxKh+zTB??yDGxIBtM+qV!CMM&Basd&^n;oI7?%YpNuvoVZ_L9gIGlxaCgJ=);M7 zoO-z?9#; z55^)RP*6-R@eDifPo5P zozk;8FxVYhK`^~k78C$E?$GAk(pc6J+Da4(eiSY5_lG`TEv>XdEX~dRPSB$rCupC_ z8{`D7(u4h-9Wd`TK^I>a6 zgTFTf&r|Ns9|-?1w0$o~0>rD?Sppvki!fhnzJY10^_wC%;9XuQD0d!i>OGtD;yy`~ zDaUmH63dJvH$Se51Tq%)HnFe@drq@U!)1$TwCp{KDPMjW8ekO9X}9cbB^?XP+nvIA(E`I8W1O&p%z{GmFr#o3t| zh1F5UHeBeOQk_E!FN?1gf(ji`>qP(Aci^S4+N+`D-E!(@m&=L zV}M&-&;fo#O}!}L4>hdJa~!3`xB3GuT?3c*+U1P_R0rJ+Vz4N7nbtV2yeJ8>(9Te;v2zHQTKJnaxbeSsY$7 z0hNW~nbdhN+x*0$YbcssgY>_^)G+sR5-0=uiv*U8$_HaRw+$H$B&$`<(X`??N7ts$b}9zqAx1GVK84@1 z_ym5>|gh3SmgB{bMB&1apxQ|vhsn_L*}%Qa;J)P6*k|@N>?RT1I-%&msQ(8y!7`V!Oh(( zmj|brZ=#OAQ#W6anIA>lk0DZBxRxxmt2)|M#G(%os7jPT6+z_r(|ku*`miU=ErF7i z*v5Pie|u!5Q>=skodbeZ=ydD|OXGnPV#%r2#}ts^bPp7~RvGX$Rur;ucWTLKAgJgjA$;> z6iU>-p-^uEC=8A?wdS9kJne}SB296jT|_*XcCK*HYu!d6eAbKdLhb1SxmjEsG7fpU zX_5xbZZ0CVrYo`{N)34;vh-!szs)|^W}lJl^DIYnX`YiERDbNLlk$btzmNk*#h%&* z*;Qf-+Cp9sTSUdE#Fjs+7h+Gfv-nDM5q4K%Pt8`br+%isBf3oBB@6C ztfXQ!U4Q}y@+YyHdXR4*r%uRpsQKa@C?#9=`k(WT0^Bp67o|NPKui zCumjX`x3DVswvbmEY=U>)@_tU+G_oAlHv-uut?twLJy7yg$1Ynl`*TXVK!h-HfGfw zsx=Ws{%H)Y5VuNe^6`?3UG+P*yCdfiA7RTt?5Y>j@5_PkB|)e{>cUWkrcpCd!9OHo z(bo|W7Qt<(I8?WNE)LZqSS0?Y(}Zkq_YIf2O9p~aMa*OA2k7zh5vWvb0nGg1m=^5f z&wp@aiWD^vg-TC9N?J)(mDJBgq3Z09LM1G>lCCy^2K`Z}ex-0?Y5W!?Vf|iea(t)& zRiX&(k3#hsjY||Ne4_R`GZ(4q)OHbDSw_y5e-w!7_ndw?`6?TT%8{+u^Glx+#Xux= zhcH|Bt&%uYXhxTm&KFrrz1p5|Ju+T$_Dd!Wb?6vVc@4 z2xJ5|_>zEBc&TS2Qaz`F{^iDeRvN*@%B>Vl^ovCIkA zH8>j8!*{V`|L>wv9YmpP`|;|hfv=24wOJLqU~nNtm%b2?0WnJas*qF*PY6kM$#}J0J|B{5q2lkYx8X?#LQ)A!xH5B|dTU3hLs+-A4g#u3Lt4YY9o%oV+P%1N~m5xm2gsM`S6RY$ywFv1QkaH(Y72>oKx737l zVX83Y(~?K&-aO7dimnVWPK;8er?Gp0cTrKQ^z>FW)US+Er6e%Xe*!@#N>y!Iu2=d6 zF`{4P1hEDw_WveI)pa!L&0Hl-XD;VAFHSad=D{?wlr6>HgVQn3MWah*_)hoAz znCt!@_Ra)8>grnjce0Qn3zGoRu*rZRQ3N7H4F+sR5}atFVH32diCG{uBr%y0P|!ev zC5(BcYFlfyrE0D9)s|;n0IP;Yh>8$gQEN%9+Fy)I+#o74|L?i?Hcc+H8b;JN1)p&EvOroS)6(iGf{P9LTQGdQxSN;I@9w)l2xQ z8G0PJFHDaLP)!egz9n)f-So&C{{rnTil>Kr7n?_zdl!3K=rv-y z*iVOwZ6fCMtUa5)#eFr`W5`R%%P=qaKl38a#oe`Fi%0_sJvg7_o}ZRS6rss12DK4x zvTolr^>bAL>r{65C1c#o5zlk=OYS5FlOHO@S25ave9I70(og7E2a(m2%~F3uo|XdL*sL|JSDT9r|fwL_w`FQX+0`G)50)YL;Sg1#rYk#0oF}WZxW# z;C30qP}$#9?eIFBeG7uTq?t6iGjntO4@E#FL z4I~sk!P)AqCdRqo?FY%QUH?7z^TIj_Ca{wJ z{DJFKnmHnwRBA65k$&zX>x2BUL$Rv=8(gR00&co}2G=P=bDhp6?QnMd$2zIr7nZyUpf{#zI*VPcMbnV?Xxk$!s z<8%Hfa~1b0_R~O-4r9sT4Xob)X_330I+c5$O{<&5#CtAsnezRRnO8rfaOZJld11@d zAd8i}fX4|d1})DRkbI5yC*(EeI#FA9Sc@QIDFsux(#*ZwR1teUzW$B^|Z zvBo#n2zoU8=j_z(&Oir9D?HC@_Y zqD_W+N3U+)M}4N%PoKV*c>U4VD=6cq)QncWZY^dwrhy3E>rmmWI&B4bX|`jn%bnsp0~0ks2QSbyNBrO zM(Y9N!q5;Mxu1yqj}hr`B9-{ER}!v%Y&=G)d>lFvF4=RuA==DfdIIepqOB+IGNbcD zjPcgzD|B?f0$1%yuS5En(?V~vit61$l;d-q&{NOYng_Ex@S10rC}*JfFZg2e8WAYl z;hge8UFK+i5{&i_vK}4nx~-Y5b--dh8qC2TFJ7#RTpQyJ?s7dkMO^k+MHfrKIcVtR z0oSaCgT7(x-X6@VJL2~B<8OceFC~)xJI{w54NvO1DF-2wtKqNYqArs&<+{xNejcOS z-tn=vm$kXvz~S|(X=5aNo?t&)p8>OaaC>lTUFJd`ag6q#)$pu;1mZcI+RZ>Rb2QN~ zY{!X`1mrSqYYueoYwt)xSe*3x?TlGS86?ZB9Xq6X_%7ysSm!ji@BC@~eKR1)*{&yB ztcHt(IzdXoBUJ0i@OE8z324)yBMv7BvR&*n4G@OBRI0%4bEVt>AwN9m^)GnSzQ=?1~Rn0x-z(wq5l?Lu!c zvIJgKJJrtO`GJqUnfq#3W<6^?u^sOU zn%&$X9JZ3MP16Sh`qtla^jabu?$Z@I-1~rU6VBXrWW99#U4&z-NmJgZCf|Kv!cRFJ z<%LeRFNYYXqf2n+jZE2j1(SDu7dJ^inEWs(w+eEnyn%j|9{6qI1>YGV$Lq0>y;?>d zi$vMU@WbZh{oYMe?Bwz?59GPBsizSi-pQz_~C>V`qbpCj*X|;+CBKx9R(&q|fjoE6AJk(m>=CE)6im0O5Pvx=A;mVWTj0hb` znu`%=A*R4nf}Tg}c%y->^R65#1)J=qMUKXm`?J=rT;Oe7*_qSuywBOVvdi;WVnv|m{nmMT(l}jfPUW~oi{h;5^d}zLsj^}iMyBTM_eJK!ejV6jbd|^=x!H5_ zGbsFJEcShuD-9mL49mynqcMZCLhAyskjUgKKVdNmMeZEaf`7yV>Hs~(1F{319YeAX z?sWQ`B&kU90}msX%IZK~r!$aW$WvdI$ap=zSE|wNWe+c zRTSX#=_(qKI$iYx3}DMYqJ0cilM{HSW02>MxG4lu{)krwrJTTDHrIhQ=I{2b>GYkj zF8VaqG6!2n=PbUzuF12?mED39CCl=i;M&qY6o$=*iS^G$krnKvRIV-W#@F`q#M%Cs z`tUcbBbG3Uz8LV~c(fLOhcqJPczcwU2sI6j-~F+y{iT+zH$VfbUG|DF5wo%bIXlqs zRj^A6i|9IyXT_K_+77Cn^DSNgkRgrT*y#(XkH(xfeIaa30Kc30nmvJ?CvWA{cZR-T znAOnfn@Sv^NGZg@k$pxe1qvp=I=?$oKO*&U9D4t3yL8a4J?^Nn-`FYV?ni>jf1XDk zTdet%!5Sz9$!Px>^wpcIfkeijd7+7B?l(pA6CI7{^CAvP-xf^16D!txzp)NKK2o!-E_wm_U!m`Soa!|!biW!Sz3fW$yfY?tI(9*@sn zy8;y)#SGbflqsXmvu@WI@7kPJ*P42g%xQql_$!*4r{Qy-KMQCh2OAG#o z&7^Cvr`)h@@`*nokhA~fZT_gZk2@mbI;r$+ zH1`?PWu@sml`R!uG^PmM9kKv&nK4S~?N*fXkH}t|v!LU|&GK%e-C|<7;k2M5N`@QL zlMw=>33_;7F*~rbxp8HSYt1jj0?AFv+I;d>VpLhK1`!_>w9Z$Zxz)8s7{mJRNR1$w z?_8VcsXrWb?F9Ztb0mwU>&g5D+`W<`fqLoXuq>>4Uc<)ui9TC7t=eCP>F^D0#_BOlO?0G&H2nDvp?!Cp zJg3ub4?nwP_;IcI5!v=Mbdp05)1#k7=&i?C6dr~cln(JsNWR4(rwF0Z!d?v~=fRED z^f;4u5+r1c^)d1ldBwwWxxOGQ8M?LbVx&ap)s>_;k5G}Z88o08xDvW#&uVe;FHjVO zxOgCbkGC-@78&pfUuZ^w?rkip8DHI2?t0mDh1O?TdYvR|xfSqmIcoS(GaWa@nnVsl zQ{&@=2yE8^L-j7%-NHH$Z@$-fk7^k@WIczr-be+@M5|bv;PRBdvYjpb&TQm50$XJb zEh{eTb&j3_@-{{~fzz1E@IA^~jJ)4gU2{#zgPB!j3}yuLBKxGr-+;^d3k8;2e>Jo; zve7P!6SLT6$*J|HaR1#C*eVAHg}i;5$MS-?gvQP6fwX9LfGLB6*yprN4eM076A$CV zpTbJW^_WAr=L5?!Bhc(F7sl%~ciI0gF0RL7$Foq9^-=v7NBjxaKnP;^SsmxW%$k^) z;C%vS7K%N1(JWc`i$@Q+QViFV*-oxyXLSs;Ui?8QxK#)WL51C;>x5-f#Td8ENXud^ z`}p3N9@<20@u%2+1>FVV3CeLBkAo>5La zI?4&(93>Z3h3hO)M%q!LL}#yc5C*a2a*P<-g#KRTvG18*k2)6F=Y?399_0T!2F5jRYV_B8cJ;dYGg=5?|oa=3>7&C@TzROPF zvaj3&ro_qn_+!)3}B!pYp+^fu7m_yMDOnt$N&eQ&Ls4TU9QJ=c4T>rFBY-& zBaIh3sq<5ar>yY|-nlP6AM55L`iAo|nsH27W16=<23ES>Exk(itj!)NIn7_hP@`zM z(r~L~>$J>ln1lxz?vt`-y73pty2omQ#j#J6ZM(kVMUMCSJM@l)keYc6d%F=1nlz(l z9Nwu3V_4nM3t7wB{F83I^7Cx{A?!KL9U`sq=LO#&k;NL24U=K4oG?To+A&JT1pQF0 zPfmCk9rBP|mh7SpmDPBgoLW77wVYaA-j*}9c(DIu*_QWnJqiILvolJ&^hKIZ`yfd# z(mEb=J?dhq&}Ow!GT}M?M3*qXEj!Q{PlMx3&v8SVC-dVK3Pv7%VP!zku_EiH7u#;^v5+1A?;iib(H;6ELc z?DdY)e}IYu?{C<3D4(lr{W_HXG&j89yYl`R|EIZ|f=Bf4hFso+(Z5wFYe(w=joq0S z`K^gp1uqAVQ(*nneh`|2r zK0u zxtls^2>e_;BX$M+sHXGUau4yyMps15#TPc^O-S^j0D_&v($l<69v7Mim%@&x@3wVX z*FDb2FuqM5*U1ug+i!Qp?1t;rG057e>s+5l#qLsXzDape4kdng4NmU)Y9=BX6qzjg zh-5E$5Sf!smPfX-1AaA14uJXN_Q+%C9Aoa%>kl8NC8!}0pCVhx=9Apztm*P`ZM9lX z38Zsne(d@ID!1r!Ig6Q1Q^VnjOY_^!i%h}2hhSb&aFjddot2oI*|L;} z=S`twyvfr@9F1s)hWuE^rG3|;BmA_oZOgZlG4G5Kgdm@~NH)PPM?3tVJF?TTe z4hSGBQ+?9{Io0HdjKjp?Kpg%QgE6%hCuPyggN_8dYcJNtft11Ib%cj+)^uU#s;NSA zf3$UR85wE1xZC1fECOg%%XfOGJa46zNIq$t0UBq3#@SSw7-AxX^+E{`R6p8NEouSx z$t+gDtxlxLEuX~JFh*8V*{~v-f!aBn;U))}m3UhlKJ#BfSCMS>`+bOnPT5pc06U#3D zOC&b3{TfE$p7E{cJW?K}t9fJ-5h_@Bf38AHJaww+?z<$oY|l_e=40VKdx zFPSu&dNxy;$Ce+RLF;oPQ9N{X1$l$dgz89Fkhi`)qDLj^3c@ZbTuGq{D(J4D`gW(# zR1?nO4_8o(sUQw|!byC~`pJ&%5=wNEuvAbAb&)6)1mOmoWIQ~ToaBF5S5K{}p6>eA z^~3DB)YK1kA=MJDCR0CKd(=;!ou1IQOXv&1^I{?W+*qlETubcQ#BRUXwURGgLsEUS zsK`8%GgCoMER(*eezs6Q`qcbww(j~ta9KSEa-G&Wh0^;kjR~WoN@M?os3tnRIWr8m-c%9&R245?9mciEx zo^J5l1y42jV!?+S{C>d`4ZczED1&bjyz6pZ_GZD~H+YNSZ3b@@{3U~L5WL0U`vw1_ z!P^AiXmCsLdkx+x`0WPo68vU^%dvu0XK;BU-SQbcQSikEPZ4~f!QFxv7(7+*Y=fr> zo?-9|!B00htXT9W8r&=RV1pM3?lkxU!4EIgWiJ%G)8LB*f7{^Ig6}u@GQoEnyiV|D zgRd3*VS}$1{CaCo~c=jZM0-LE%ns5`yf z6g#9PbW&ZdUF5%8t8|C1V zE&>q9Q#|YcfZ+ZCYm=-iB;aTg?06a_HqV9^MBVER7DIV~XJrjEY@Or0b%Xn#v(0}A z8VHDLzW2~p*(UqnUEjSOzMyGv|FTtY1zlyUzU*=>eU3#i3NvXU+x$=EZV7Fl^CDmH z)_2mN&s7*NDZ*g(^Nw?(V*RHZ9fa8VKeVTQ|43o?xQshHVy&a_V=jzuN9`TC zTF*)@!gn_1@n#akcTw#}GiMt2=V>i}po#wJptR2H*cAUnS&)g^!{=pQ53MhL779O1 zmmTL1WeLcwF-Q^q0`cfHZ1K9DVIyo(57$iZ@=2!srjoiVLCQMPR2K!I#^$q}^j$=q zT@b3Xzx1l8eLX7bX`Q!v%h_FF*P_L-Gf1`B)wQ)FUPu$7`nRvEwGxa%2;bO>U*TBBxLx@&ejb&eao2#n_loX22o?76Wt| zfrNQt6C8VRD#C@Dmzb#aF7?#8loogm^@C`zo^mj-ul_x_yib!K5Z_huCtv<7sDCfg zH>du+DBr~T_xkxx2tMmO(;Bs0*kvc++4|iw*j!ogn&12x=>-yA0kq4}2Uf2es}}(s zD==>}=EuccVKs2-WW-R6IH8=Hb&Dv7k2HXQSxf-RyL>2-mPs>-pFkt!Dt<2 ztc@0L5y+W06*=<*r;q7ylUlY(Z8{)y;jxf+e==kxZ{?!PTkk&)lhu4=xMDp``H|Lb zKjkn4E{YTN#oqhS?_B?t)0b5LRh%!r{;Md2$Y6Y?cATCUcv6-|d9u0n*54;MZ`3;d zgR%pUZUohL)Rk~JF@&!2P(#(rCwXfkxE@g7WW4*C0zAdS)ce?q%wuNb{okO3e&LGl74b^%0o>nbFw zd`OEE^~&JMmJ0QM?8K97EJPcC0&Xf_{g{LhKS6MP9T zF$cM)fkZaiB9b}a2_$%QYI}X@!Q|hin{1zoY_DNFj>JQ%?O{+bxykmx9$H>{!%raL ziysRSYi*ZAu71E~LXn*ILOW@eLm;ml0tGLo9dMQsQgd+mckOq4UGimtcxCGzB2uO${YECR#7oWHuRqt{BAt(QphtbPRQ9naYVi0 zkPb_)&cLiMIGhb-aSeDVi?Etdc$Uk#ntyoy_}9r)MA?kSs6n}$vdX#ZB;f(IcckWx z-#3FZk)gc)8<{KekGKgV3L#V04{vLYceo8BLD!l}209&OTv_A7Sw|39FX&h=xu}&~ zNRit8c+vAOCwA`oFCuP8sQ)6;e?lO7@fw=hs6ccfurc8>F%7aZ31`o8E!S`=sTCTA zY>cQQD7MH*0~E#cM% zlgp>*wo5bhSMm1C4_V;T@1L{IKq!bJkN4Jp)pqR@VlxsO>uz#ml-;Qa02T_8wVXQU2$F&V%_y(fyuO%@V5!bkf ziUc7NcPNh>g&Gx;w@*Cle69?c?F+La4ra9;LDD-y%X@SG2Dvk>6ZsC$ z!E6^=%M-Xq`<&KVerOOC@SOG10jWe+!?SEANhF6vE(k=m;XOu9um6Cxb$Fc~%Q?he z$f~eekK@t9@HzF;!IBeXI9#sVwg;0hrtT!Nm4t$m&F!Cqt_Il>bKZgz6hPkNO_;$8 zbC3#e$j3#ztZAU#twUJ6?u%H?f^p9yD_dA1%4;f~`V}V@D4*N2F8jp1wRvNTJhJgs zYqL?UR9}LVoURvkpzZG&>xRGTCYhc~^^M=28_9~97w!J-K|RC3p*BHj1y&S3wN%nW z;)clka9cu$79zZC>#uLw9)2hu5Io7yf729$;zG^?#}t}Nvic^|lov#LBU&iKVWDul zd7qZ`GD=B=9v4Xzgky>=8RHf@oAqdXi->}A-b4X}h&h2B!Q`t5CxPU6i?@`T%U~)e@?w#b6cosNZH_L?x zbf#tV?)Y`I9EWZ>5&o07T*twCS$$V*8Rg+(>}@+lv|G*}@?_lz=;8ew*JDDoAD;{- zJQMH!MfJNPMBr+at=c)Tn`xm0FSTJWBq<5&qR8py)1J(owWqYd_jNFcuzyqXX4ZGX zT@>am&)RHP9?kMC&#vs40%)MfORB*B_V+Pp+YS&Yd_AFs5W3;hl8<05 z)5JTv#mUtM-3CX%9&MVFAQ}a-y-km}>2W;5$!WUD&N$Dys4=<09n)g{acfU7Iy~6A z@qcYUlzMOq6r>;3?D39TC@S98NO;t-W{+p`%%;A18}z4A_wie`8Y)?#>zbB&_oCrU z{0Eb(CYUOp#0)@fpqqsz^kxzlxXJozVITSVg0WX`pECjQ$$g&xx7U2FD- z3MCvY?eTcUn#`m|x$1XBNCo>54mrU?g^7MOJvB2umo>6D#<=Q>BT~Zc$1h>hw^@Cev>21Q2WtwMB|_^mZHD)BS0Jdv{;MzDU~*l`XkJdSN=*FLG@WFBlI)=ytcn$FFWq21td6G} z?6$;Xbc6BGCz4%*x}b&V276_3n4}$`6wK%bi%5c`q8sdGV{1Lw?eQG3>QgtEluxUc z?!J4f^+_jMmEqu8y8&_xYgy%?MEb5DQKFS{afrvT%)QgQv9e2qjHTQ=HQLTZHS{)D z_}-~#I~$KxCRTbUvV~^A+Jj5A&Es@~U?)i9Nw$(m9A(h&aV%{sgVV~QPl7s>ageny z>|k918ooBfitecUsD0=>8ymd9xh%mOh**m#ScL1*tsPF8rho8LqCuuMs()k;6=!GfUgYF=z|Lf6KHc+&cao?Ht`0{^z$MWKWs3#l!vEv)`K98k$SS83*u&eSm=4=oy#p%`@EbL`r zTdBB-)`z1ND2ou-8*qF*Xri$7K3_hzr{3r9$cnZpImL&c%$>f}9(teC@tFI~dY_Z< z64v{?^IPhDzLUJ#**+DtuWYk6Z68CnrMQ8)@OfCz??U(EQF@eZ^*-B*)tb4bG}HBHL;qG>JzFibs_B(v7fMiMKJ^4z zSfaZcipiOX!ru%lOJKSUKeg@uY{NTk*gzIUWPXff<)5zzIwrS%ms2({lR^s7zP%#o zjeeoybJqR)8RPp>1U-_erl%t4UEin(y4*z9ry}TZNUaF^Vx&@fD1zR|&_v}^h@%ui zpZ|YN5p*H_3VQxC6+wSTs@r<%B|SLkRR_~G`f0heTh@3ss>se};qnhCg4WHaW1_^W zW9e1|eSTMmD1rur6+weX>0XCFH|No!}`pUJ8m&a8Ejl5;T6E$qcg?K#`L8p$Q z9sHLRLEk{M!Q?i##M74|=u5PFb5HkU6hXg0BZ1?RMbBbn`yW*V{e9t12XZ#(3(m4c zFX*9e>?9Udw4mcCg3cqTUVb)DMaTTNQUrZXoIQMe8%59?j1nJLmZg7K6ZBIf5TIK(T5EznlZ7%9 zjxW|z-xY)Ud8qWwilJ-HF^lMLQVcyE#lwqz6Zsob485M~JRih$G}fI{!JU!dHZjJx zFO>-o)zIz2o&<5XGgk-K8AZ@2haOyao#=*^4U`0MwaW~NZfLPbHMDJyYUqh#U&6x% z0?Sca~jn1yezw3~V z!{KGKQGW2!FrBu6LMOZUaM1hKA0>Ckv|PEHd|s28@Q0hoXSsfWc*0ZQ=vvaZ34`SG z4aw)%yfi19+8nZ*67-#0KmBZ--Elp#JFJiFPI)1iyi*tu5{0)uK9W0Z_l>o zqLx9s$HwG=`9iYf8R zpWbwFe{0-LA|Rm6Lz#-FB--ys*QV$v&|f(D%V74Dc=OcsR}E~2d8O{cK>WM-9g-MK ze*Z*v|Lm2+XCO?@S;DIIn)a;aICO~zl8>Wrt4fK9CXp*TV}DCL!uROwTs_OEPJB0K z$_GtXh{~>j5W?-Dxmt5`Jt?-(fcXBJ# z!NB=lrWZCL*{Br$n|R&~y_NOIYME5gl5o^TJeo_EIXBk)JtvG=BuqF(Gq?NThI1;% z&63yTFw9)-lOwx`QD{MG=S-4AvS)me_5Fjk8p>;vt*m+72e-TDGTm?QC_&vomR$6+ z4ooq({5Jm*0@I|{E9ekCzM^PvA!>p?;^T{#*yS|%7bv$@MBOQ{~A+sSp1 zQv-Nz{dPstfO#RZOL5m;d&>#kJ#3H0Twj_BEBr!+{v0lQ$V91cKIb*%WSDDytnEd* zhxH35P3x2Ork#3()!lEtc2c(7+z} zi#(Z)qy)FyTC6Dgo`@iDwy{_wPYSt%1)W=EPPSwSc*EzWB@d_Isrm}Z&cMrDak4Lp zMNry~6UXn@+69`tM_k^mTHhe!KsGFPxsk<`1B=}UL!Q`W0v2tH=KMB=wN7HsGhEb8 zPWd44B_ck7H)(1-GyIp?(h%s*%Bloy{}L=OFbefiMpf39=~##`&a^aXY8JhY^HcGZ z*=982mrY$9;SHR5`_*ztz%#YC?eb=xc?%|g6&KqBAJVZz-&MzDoUk~#)H`*6|MOsT zSchfdbwVGy1%n$`P@25`t*2{sRnQrleZ#!tKazdM8aPs-3XN?jBQCNI&3 z6ndGr@ysD4NIIeC-=e?x9?c}^%au5?t=~ULjE&Jzr4;k(-%5X8zTCQlXVG!3w%(i- zqJf^r!|lFX28;HeLu^q@rUxYHlbgIw>y+g>(jSnLq(YBRg%0br@u1(WHPTrQ;TDA`{vu3#Z^t?dZ1{bVJIOf@tn) zb=AwN6h^^qaE3jbs3~RrNXktquJ5QJC)W$h*yN<0%0&vU6yiQ^BTvrK)x0y(Nfj@ zNilmWx43J*&2?n3ki^`_>e!RB$9-BdFb>wiKxYyv$RW!Nb-ZZ$M6*ohghJO~z zD7g$Smgh5;pXQBxg$(Dqa$XK5{{n^{eg?2awtj}pkQq*;TR%O)5R+Htc3Yb;kR`M< z+|5MNtzu8A+HGBO5nB}T_Cw>X{SG{Z&IW9`mMjqf(RUHup1>Du5iASOlC@O1vFvGB z5jny?lBSd_c5b8=vKVmn4d#<~if9vsjMmaFecfed3}NID?dr^3ECK`jJe#>?3a_%6 z+tSG0pp3Q8F^@fqQ6m<3Z%R_QTavKm)k+Iqt~|o;nFlxs$#LcH!usSlnR3WVy!UpKlN*M0ykUKjk8MV@KhD|< zW_0~{(OD|*=j^d=)mgoZqf)IywndiNzsA%tZ~5gAipcSF%g3gWMprWy4}K=q#Qw1Y zuZQ+~haq2h04)Jt7FYhUR#`Y9>v~WvDKrqDven^0L$eWxTwXifW1Sg}{1EM()q()M z*39Gil%^5OuamJtKWUk3KWT|Tz;oxV%XVaN08`OD9?v(vVp zI+6*hBQ_9ySrzngKyleRg!)Ovn3T{VBa<(pU+f31jCC}XIVoJ9KDcc)8j`w*#y;`8 zFvYz|YoW-XpB&ryN;Gr+NJ~#ZgcpCG+ysKxGmAuuntST4SnkfyU@ltDS;U& zxYf6PRNoTOI3wjZatYf%$+~iaRDUx!JoftrShI|&5EE~;@3Ag@T#qQUaP%j427`xY zu)SlorghT<#(M*E631Vi$dz z9j;rDSH4hVcI1ffB#{F}2&gH!b{Xp*6tuvC&`Me&0k;(?_)BYl2zq?HMDthr2NU+#9 zdqp`+ytP@^WWp=PCP-_PR?solNHW+`Dsx3}ike|)YGS2N=3jF?md!e=UaO@EwK;oi zPSb1oXMA~9+C5B85t2fa*THJW3XT)9>M3TTmzVFg0@oI6BUQ(=fy&Tb9VsT|?n%L# z$x*E+AT}c$auOtqhH=V7aWIsin1??snDvT~s$D-;#_DIbkTQ3Y8UKUHKZ+$6jnN-| zS4zIaYxLtVJ-?|f(4Z181o8C?COnZA!h5>J>0`i z^-t6hExRhS60GmbkGD9Vys?r`?z)z$2n>GKit9m;V=BOuFQd<>0tsU-k!E`e#5<~f zr1Vm8Q|a;{hfvH%mxdMJlxJ3DL@U+ox@~KKf4%FuekGcrrmz96u3wpsMmKLUvbK8b z%s%|HS~L8hA4+!6Mn6=nwe`b3>al)hq0*N-u4X|P%2k+lR%1yYwx}eue0F3<*DWnx zS)=-j$#6jW^>8}6$YwkLE(@JdCZy8-_3KH2+s}{zQK|cExXFe)ZP;eRPi)w4vhhFM zh8Z@TYr`@duCU=PHvF9pci3>h4J{jX*)Va6iGQ>Wcb{#{TWt7%4cFUnh3#*x4R5pI zZ*924hOgMrvf*JHrlgzr&$8hKHoU@y%WQbF4ezkwHXFWR!?$eMWy5}Fns^7>&~3xh zYFiZ1|83ciQj;8@_GBPiz=znE8!`IP-m$;m18Wm{Y5HQ%}^JsY;EgRUUiOI z!oPEfM`AL+5@r6KuH59o{BvtNu~}~all?+l-#*+zzUSbl8k^oRc$8l);;Y3?eiwjOkdx3)%$0-+{XE1{qssAP ze)*~hbFo@%n`h$pDs24PzGpl|#M5nS%A=IYzk;5UU#@xUd`j6RU!nXMSczHElUPkY zj9I8*(iMM_j>J<$e139LVu!$z-%OqRZo9eUTzu8`@;9G+l<1Nl?J^hNr9FJ-L*vRG zVdvm}v{~{IN>|a!Bt4}}{9=~)q#P2D;}AE?sg}X}F`-7m)3KQ=BtVSp6oHqU3?__z-n~|L}^L%ga1sCS!UvzQ7tl4ws!scCY z>1E$tc=;7q78YGqTvA%LXmR=XuC7>8Syg>aO|8#=?b2n-ue*N5${TJ}GpcHGmX-So zYO0D$rFNIlmWrwS8d^cAnn+8k(0xmKP$ey=93Q2O7}Do!v_H2lM}m@dm$aWe`pz8w z_4E^RmG+cNA3Ogzt}?D%OxyElUwy?eoAEDAP2r!!Ie~aQ2ks`x7-h~zV0 zrOWjg0ewBN;)s1~emGZ}AWY?OXjPN^4Rs?`0rT#s!%;}Z9B(k#cl zg1^_<{-pQB>fUAI7k?$V7i)Lvv67~n)MQ+7<5J1r<>XOP6}M{sNsJ~$IWCpdha1XB zDNU?Pu$7V0t$kii{!QL}^lB-+)M70$R%ky}sth}cPwF&OG8vz`=`=ypX$fh|m?~qA zTct816l1DUr(!B2zDmqeX33M-NJ|iUN{No8RHe?Nv>-DFNcp6N^$eM<^CY9Gs`_a(R~K_o{L%PN9w@17)lGxB%c%iDeWUvo)F#A!sQ6%DMY`%N>CD} zyP-yi9+O#zg!-G*ev$4ard-n7`ije~+n}`LP@cN!J6W9_jxUs-Z&#m7NvrP^`>s<% zhslf@q5OaQ^rUA=pZ(9IcV;-fYTBr21J@E)4ROk^JLeP}wj9%?YawRd!_+Z8y8Na0M^fd>B;_7ZsXY^=KlHX(FTLRT(6ckD<*7Z@O z$2K!YTz%YhLizpAw4b9>k~N;tyeGB0>D}E=rB-Cr@Gv!;$To90rGK3Rj5`;i^l!aw9%!4hZ1W)7+?HVcBZZ`Y)wX$vZFbw{p|*Kryz!63 znf_(j=Ha%vGtRi5WSj4|%_D7dTdZ+++vaN9JjyoLIgLA~1o~HKn?noeEZcmY?e4bC zhix-Q7JA*x~fq@K*EH$#o*pPLy{daCqDv!cuclbxEh z5|fKqdrc_`Ow|8)XN|g+*cWM^vgVN4$iyJ=U9DTdQvRN+^VK_*9KxA(>nLK6WpCRv zwsVNj{8EWQMvMyjp!`xR{S_6U{p7zxaYz~2PxXsPjLON$iI(4)X~ZQS-5CW7Vw~#i zw6ysJuwUJ7-Nc-QiwpTFwXAv>KPNtTNyg~}IQb{WfBm3<`JjDzOiv2MrOc&V9h z`q!Y2{dctgRjT`+Lw&n{J!4p{y8lJM^Z7RaLgC&2Y6HjAzs!LD!!5wED*VrARsZ{c zLp3OHwWIrAgyY-&3xz+nMgOBVf3F8fN`v_qN>NPRc%rRG{_mIA_~`Bb+m*K4SEB01 z4d!5U?f%uRT3z3;=BDqjZCn?)x#{12u>Oa)+gzu550yYIR8 zSNHw;{@*CHbMX#2}se|`I%cmHO!zt{2p2Ooaa`SB;8e)jpnLtS5d z`PE@mas8JWG{8D#(4<&Wn471@LEZvX;fG>BueP-2;;X(_TI|cMEUT(nq8;WFMt->G71jDY#lG@uOAD&1 z{ncT6V`rjM`EW6d7L}e?wakQ^2mddJwdNFd6cgbtqC&<5wEy<2tGlUgRUHeu$eZeJ zT3t6dI+_*Tnl)=6d|FyvLET#ARH@@K3g*|bUSm;LP_UMu?$o-qb%atZ>lQCw>~zK~ ztFB&JU46`YPEKYn;*;~6G5DXUcQR%r+>?hY`x)Wl73o#6oL`8mtVhSPb`I@A2w&tY zs&JRq)Kt~D%PZX#MgGd-#icdpxX0FNPc^KeINMOo_*C-xK{t zXvdFxmEU)K54c05(x~t0E)gfNH_?$?*%lJaSNz{KWDNdpuC6!6I$*w%~%UM=U z2Qf8kYL0l9EGeQ6sXd_}WE(e;`W`1(?c&m_imS%luuJKp-O5L=P9?kQ3nVxn`-?);Uz3|h{Rr+w%CeYj-$(Z<;mirbpb8 z)#%j!kz{-HBVAsbp2%7Ct_Mh_%V+v!PrB=z_4Hp-s+&SjKW=}m5N6)onG?*3Z%_X^ z<#8vEa~IjAkXF<)G$|bGf7CcgTTxN9R3etpy_$m|*fHUbuF+np^pQ?c%_6^4c&$6N z^jb!m@-lbnl4{@bQ~!Q?SJBk$L8yp~($7o7jaeG3dr9e%D*H%pwB6H2>k(1s#nMD}7>hi5W-@nU4Ec;!YamRD(+5)u8k^HE6c0HK94KI+bb^Uehg1 z*pKj~cbO=*fbZ#HP8u4ehE6`AI=OIgnuL+~HpA5Ut1x!#Fpk&=6+5|K+K>qeXO7(A zQp0=$)QKetq!+JTQ(|lSwMDf?zW`H&uKWh02@~t5Tq8%G@}WLRnH~4{jaUoLHSSxStwa;-oAwQWi~T37U;t;ahB{y9fNQJF+5%k zFL9~ia|fv5)bsG!DV-;@*)(wVQ!eVt1x;PEyJ)9+Iw9e1juTa#&ntt?Q7OzN*r@;#zXDtTC)l>P^Gl4GMvw9~F8?Ica77){qu z8>*S5)H8g44CQ~MleF2J)^xX5Y2z8>@9(wS{qvM+xTHI-Bxw(mBf@=b#$`%f%J-_B zmdTH)XUUJWjaYZ$B9nH-2Upsxj^dt z#L0uIwY&Hk-d_#BoAR|KwYr)Us^bge(qd`rNs&2ls5%C>Y!SellY)Vo0(~13q$36Frd@{zHoe+UIU<4 z0`!VkgKvRelE&Ov(qQ~x>@f9D9WhQ1p|0)mzd0$XpGusX z{QmJ-rOHEeJ&F0}mbkY5tuf8f)lr3!1rcdNSE0p_v*Og)^lKu=I?5vZnj_r9$e;At z$-DmO80N?FL(R2WQY5%mXAvN7JmHFc7cBS6u`-APj0z9EZsTXat zBbl*}_LTh4fa-+8_yRpHV`e?nIj}9U)wJf=g5#{WI%U1(h>lRv>6~N?lztFPKLAcP zAszi4s{d8A8R>tkfqD$G`)&ahV?g|Dv(|Ksj8`LlNor(CBI}0%YGn8PX3E7F)MLJBll9(^vlG-Q zzQgL2lCRV$>0hc-9G|K1tjHKE`B={}o6i4vj29E7^_ySX6u}*8nJtShw$<3(9?|W` z`0W1sFZp&un}5l-8#?@7k#8UA=qbk8w7`mYte1C2zM_8@!HHBh5ie>!OsP|R2&7&-}gU(hnDynKj zrVDdsUzC$KW%9(53RbrPCG?*STjN??ggG$t=BpgX9A6Fpb1BU^+6Pq!<4sC8$D23b zQ;@5JzZ&5!EvlYbQ%e3`)VN33Ch8NFQwjTNMoqa7W@*J77#qS;SDBG{rA6149%El^ z%34F+&0StCsodPFy?E4~s1PTuoBnS_&8u9j=~I%ktQbLUQlTP9n)yrUb6n?$$lTiO z(yRQ77M0c%)RfjrlQ<=6wy)xn@*1DNsA66vT&fbKMv7ftRn^u0>X|UMB>{>iET9x| znNd`YbhflEU+FTR8Y^}tXwEX#5s_O70g5Whuj^f8Pi4uR>hj7NResX_5NZkkt)Qx0 zsHUD1+4LUfH#B9B?jK4$AT+xK29l=i%i53WDTs7v>J>-}RF#5zW-v3IDw~*Bmvcq7)hXNs)Oo@{6iz(X=p9+a5WaoJxdB`6M+#L*!SB z98%PrZq~60S36(*Me@;?gBsFZCW%W%0{XB!I@HDIR)zb$`i&VM3QBAAX+&i)?T2B%3Mw@`fC?UWas(I%4ljz-6quPF)EcHufL?a zsHQYb+fwn-gGQGW)szcUb-pSxE+rS2NtEogr5tv#WE@fIPo|~QU${4IT7*5qk^STR z>Z*;LSI9YJKI+syG30uDC~IFc!yeyHPZ#ko-@ktUqQJi>@SmqZsLxHl`@n>sj#ujW z%iS-Oy(G#H%un1;;0yIPIlmX2t)EKai{?w<>&M3yk27&|uFqCbpYMxZJYOuIxW(~> z+$3HJE6~L!@ybvkc1e7&+4Lv&qxi%g*1GoRvCT7VGef8jGuyVGV?!CaB>qeJByAR5 zI-Vs!Hy^{Eez1Whi_X84L;TnANuF2Pa5YfMQqL#u4SbTHAM%~b2MbJ_e+iWQ-peQH z!K%{sj{&7jd-%ltRX%Y~fha;B`GhY2++X5xelcpyhF|IsvzSn3y?({(Zgu7B-+O&>FW-#EFYf=doB^D1g9(Ysq2P=jzP$FmgKQgS z*>IW-Gi;b{!!#SF+R$yo6dO8i*wxR_`F$I<+3-&`+;78|Y}jhU-8O8o;SL)%+whMz z++@RtZMe~f_uKGx8{TZg1{;RrUtyblHmtB=p$!+<&}+jC8>ZRtbQ`*D=(J&1v?+Ig zCVWQ^I(ORkmJQo%xZj4YHf*tBvkf=eaDxrk+i;l;3vF0n!wegy*)Y|HZX2f9Fwuri z8!8)iMVb6}+R(CLn+^Bdu*HTOZMeaP>unf{zs@#S+py4vUK?iE&}~Df4G%|}e0*lZ zHXClT;RYM_q;U^&|F@$J7nuAUFXI1gccH^K(V}y9-}x^bY}a>+fz?9|TyK}RAm5l7 zHuM^|8;1J(Rdzp4J!tgs{CB~LBrIQOylJz?on^%)AOBT&qy2l^ zj(3F}?>`EqzeqlN_Z!)3%1_ow@>3T^%NF;)@5ip8Ms^OIvm)A{-sS6@;7}IuVm7=B zPj#pQ;136JR}(+C0ap%I>U8irUafVBZBib0oZH@C@K`KJl{xIKpjk zH}I@caK?F!GXvPlCus@1X|yR9x}p?%pLAG(Kj9NUw*$Yj?GFPdj4^&T0q;3QsTHJq zFYqJ2dnG@>q2rJh10N2Y14CgG_*~#ue68SzfkRG1h2>cM052F1&Bs6!;6r>;mWP40 zr<*+ZfTz(QQt@*-uz@cdT;R_qaZa9!&MDvrX~;Ta-w7OWhKWBBxQ%ZGes%!QWf@+F zpDf^4d{U=}fk&p0XY5rv=Vg3C!wTTLe4W@^z>8qm90o4{?m7#e3;AyWzRoAK`V;V! z4DyD($V`kqhj;`BMo%Yi;7;I`=TZjn#lSy&N2%X}KMZ__PvWtF^Rs9J)Yk&wwR}RW zW?&ni_z}qU1dR)v$tQU(1UB&P$NzfZ{d{fU8-f49_qN0X+{$Nx?*RVjJmfUMZwKz> zI}F|m+>sA&>=gU}hhAjT8V-DvPiV3Un0>LKt-$nI)Div#e#qwq?*!J(CN0V$@bkIw zt+4L`zH$jqK7*s5Oq4X~vZO6g>NhaBq+WgtjJ(X0D+;)rZxjC40w3fPI&1`%vK8Bp z{bJzze3CbTi3?3wfio_LF9m(Fflu=Zty+M0UBUhld;{<`KC%B3@Dm%4zmmSsC-w!v zdcL{f4ZtV(B&}v(RiVMFfx#m7t@z2fN~tUOB<#(=_7dbdz~2W>;#@-Vp8>p@PyEP9 z#<`1?dKf$l_#|H|cr$QDxxur6&)E2G;N0&)Tl@$-!l!8GTohN!`GkfmfGvCyzrcqp z@PeOaU^a}y#oz*;@&>*em{?`XCGa4h^tCQv)-~jZ_yu0UC+)KkxSdbZ z64{l%@JSip26}2ZlOb#!a1UQ6cq{O7AEMyk)xgXAq(__!fxo-fo)s{DGJq%EOuNKS3h-h+$#Vhl zmwXcTUf{V+hPGM2J8n09;ZER=pVDXXBXGeTCJ#Q~)Sn@5jr}y>HFp~N_<&#V32hGp zH{E6EDe(HA6F>e}0RO-zd3YH3IiJuCJ$)+i7X}yDw!y?BF!63a`jo%}_n5J<4fx8v z45irb2k!or8S@23-DlDjIL*cde#Dn2eG}&HR=x$`JAf6x=j<0;;JF)Vx8Pa88a}D( z4Zt9u~B1Mhv3HViKCmTlx4{5GK4Zsrkzu{(@?Ja7r0 z(76tn_B3V0e-= zBXG)o!h)v*<6fgI;PJrOd=md$U^}0T5AOpXf7|qhKLTgHW9n!w@a%VK(}c|c2KXfG z&A_RDGwp2}@Lj%6{8+$+mdU3;M>}O>&2u_1y#tzp3+#HI^#r)U_zz5*5%>_Fj2jOF zt3HP2_^AeV@X6WL9f1s5oC^MVUZ_`={KZ!hxhVlPl+#swF++{Q(2T;#jOUZBW>3NG+P z8y7yJ$OMbMK#_Zuya^PURIlh`>>~Vs=_|(CGawFw11&^#JKi2_O~C${{G|GYaQ`@#NTop|ND<)Z}nj>eAq7R zop&>?K)kn20aWL`teLS7nN#j_sQaDW=H}ng{~&6}J@sMS$99`rU&EZ(ZC>^s{)s!} zzwJZJlqqEPe&j%AsoR{2o0~6-56NNv9{)FS;zV`+`RA+o^XIGb@^a<(`&FHIudCyK zox1(@+tsgs{cE*(^JdlD+^k-G^;LD`$Pp#mSMjAiW9Sr9y!yfJI_|ygTDp{>9^>BN zM~Ca;4=-K1Vug74D7gFZ-r(*-IPb#j#DK2zAm*h@#cb_G>9;mx8&ppId=xxfrrnpW z=ybkM;NVW%ymYU#OTw3x5x@Ly6#u*TmX+-#eQnn9mzD9*K@dMTO8kd$mmhw#e+e(Y zibI$Wlm6bF+Dsx6{{cx~{|=EpZ#(QIf5cW+Ciy$O_lpCV4vGhz|J8@r?LNHwpu{2O zBeNIg;^A-w@nequ<1>R#y>s_oiclu>aqfR`)gU1NKZaE0{Cdsgq`cjG@o_WWiT^iu zoRMKXXmi)|d+#0n+uho)xD)Pu&$M6{!Q-|6y}S3^Gk15_;k|XuVun7!ujf70byz!# zf9TtOXID@=Yx+wRmT?yUTIu?J?%4&lHaUnIDL zPdAO@Kyep;J;O;neSJ4#AFNXjzDT|pJ{RA}ptSQuJ~!XrYv<|d>FB>jbmQ$ z(|HTE@%8K1s|Ox?w8Q zQy)E5c6F7ykt!;CDj2-+sg5gY30L3v;pbOA3UcGm-{D2jugX?F^Ul0^^PVcpOaFJ^ zl~-SI&BejsBUc7*XdL&{cjsNHZVcY@)Fbo$UwdZ)US*N&{YFI=l|^(2xa1JFK!kwE zz9b=GNgxV3!=U1g0V4!i0s(|kHf3BHBr}eph>*kuNkDKx6lHTmyegZDE2yZ5BB+44 z*8TrF=M9G#5OKcmx%YYOC!Id;Qr%V6Rn^s1?|BdXJvoE^C!6j1_S?nIOYt@G)uN-V zMx|(T$A_zE7wgKe!9CnhtzN<>c$Db*BtvwB(y(De7Z(?&_baq;ojZ4SNlAL&Yig?J zUEjWaUB7<)+{G7P>@K_PGB@dp?r!kl!EWf#p>Fu_;coP3y+>5`W8%b#E`Mx-EBae! z_voaK?)t&q-1MuG-R&cj-0abbZu!&>ZsC+vclXqR?ul7B?uFZWx%Gutx!4uv&RJuw zbz%R^AojTRseDlpN zFE7vCdFP$(uDkAX_uO-jn>TNsyZ`?C{roOoyx2Yd_~YJ|J^l34Zqu`i-F07?dwh?% z=bwMxz4X#c?v+D__St7{@9v%M zqwmb^*|W!e`|Y=0R$%LK@!G5O(K9#_n#wcfyDygTNZG6Hk(}D8uCujtms(#p!A7}R zmggR~C2q5A2<)jlP4F>&w7%vz*LkLV*~NNZM(~68XsxuG?iRt{BltyvUnTgBg5Mqi z-$?L@eYD5OkzYB}xfzQUj}ZKtJ^HS&;I|0=eZhYu_|F8tTk!iM;Nu%9E|(-(zf}Iz z7{!!kD5mm|d}r-LY-3GlTUt7Mudg$0ifw0}vpq|k?cY#}fBb2Jj}d$e!FLgSy5QB< zo@~KSsOjvMmd@t%b@uQmXRGtn=MrZhZ#W1q=cCUFfBb2IfWyTy9D=xdVvJ$g5<)x5-6%N%EY zZ*Zm!uH`-AY{^<@8@5KkhXmh7@Vx~;Q1IggKSS{M3I0*RuMqr;g4dXN?+X57!S5-B zKSytc=%pUA)x(YI;ePe-oO<{`J?yDz?(3H3_VzWmf0Vgz^UQs>#M}=XtQ7tX!8a3p zg5WO{{2;-P6Z}nrzpJL{w;jwq*4NycQRZIDGxzQibDwWG2wz$7aNu;opCR~qf^Q`F za|GX|rn&wt&5i17Zu%(om1l0{5_4~FI0%2JX~-xkktdUryC!u_O7W+9H;rxBASR|! zkJ1~Gx~8S3rlh1LCnO}LWHgIy+_+(b9zE)3gl|Ym)n)yq>O)FOMqCqa=+Pq-zMhtz z+$}9Z-FHh)O6Z!DaSk^$Y#387d_6TiF)1x6IVD-}VAlMcxVSE19JwVeJuN8R&xop> z(OfssLxY%lq548HmHyMxQWMfL&Z<=>O4oHmZ1{#o8G=tpqJ!kLj5BK0s#9{^0&reJ1mX=YM z4(deJuKlNzPd@p~-r&e}UfQ0nQ8MZtazh4e;Cgbm^whMp^ls_Vhuom+jhp)ZyQZh4 zbxTi4?|ydO)5Ak(gp4M!&3cP|`cL*l1YFDL6eScm690VvEjy-*#p&JB(mfF#$AJIB zKO?1OA}FM#r)Sjd-n~|>S|XzKdPbWQGZN#wX^8W6{p{}DJ(XvcUQe!Gv3k2|ExM(p zq>Iblqdk>pbq|Y2LWiWJbC0iHu|+~gdPaI`xAYP$WkO0yYVvtqljBdQQ1$%q1$dR3 zB6AhKp3y$OMwJsQRH)fg7=mJYT7m@W;Ps@oty{FJa(v}eQ*|-9t7Q4S^OBPfUeCzr znshaQuv9OJS60pRRYF4`-BRM^x zqhzi0vaScEXN{We)04!<)QHRQKgHjn^KDxtca*9`UiSTKe$!GUh^gILcPMi?qJK?v zYEp+op`{;(mh?k9mwmNWlMhs%lCVwA#VXY)CH43CbCcCa*=ptaa#LJF8Gr7`eoEla zU3lSz-XEEi)uYt+cyN3dcT;vZH*0jVd+fSyZt>ldT-&wsDP-q*zG<$Xd_GS+&;9h%PcH9Ub4%naZ1^F<&c@f% zLf2Lco%C|%AT4wgw9wtAh3)}Y(;jmzZH4P=YuzZ@vC(Z!KMC{_s=8zCZkw|C4@7T~|`-)~zcg zQe3+Z|LaCIjE|3R%BN7>x>0rOHI1%Ot=if0hwH?|Hf-3qVSLRR)tj86p;Ch z`?jK5M*ja%4oCfw#s=S$R8NnNj;^Pc+Ca5Yl`2)V19Gwqa7r$;Qg^DSs0JL@$Nxxy zKlH2J%~2J2TSFD`56zuB_pe%amhaxZ`;#xf{PI(+Js@H z)vH%e?%K6$EA_)XovB(|wWcb#Ft1g^mCx{)YkyKbOSQIQ6|D{&IH1gcwnayee;x7r zHR<4a^wG9$+eY9gygdHv)~z$eNKN?JvSrIW-ijgFC!c&`>({S0#T5K~z{p47{C2_2 zU9x1!#3!D3Vxru>Zr5Lb{RKHWIVm${%;+P(8r+(w#?`J}yOm-amz;a0GVl8I^1vS!U1PXqFyc#|;)iZgk60Y`K~I_%p`n>HC0-C#aw(GPS7n3rFE+0(!r zO8<>{P^_L1ZfVi+4?6!N*QLYfiiV@r-#YvE?>8+&UjEy)Yu5-lrZNYLo7wW^%T04` z@|nF3GY8Cx;%dHv``Wc@4PDu?WsCm|4cGwW4LxCwz-_61KQ!xYvxHa8&U?u${&};w z)n?6CnO(TfY{AE7`}XhOBwa!OkEVG1SFBi(*Puaz*7D(J$X=S}!_$DxVGiIc^e`9T z&S&QT{rBJZmCx`TeuFQv04?AR|B=yxFU(TjFiYHM)=?q&w#pf_S}Pi!Gixdu8a-nc z^OV_)can*6@AJkwjg7#SS1U*1r{`$UIk1hHx$Lr!hG-wXmyli%^ zXc+OP@*O`a-mTw=Zn46Pl_HBrRq7~CiY!lW)v8sDWMLX~XdXO00UfmP5;=nZ<>^w{hz7-zEk|^LfA%J`22Yo$#Zh4|H&Sbc z1@<5L*Lq~sU_NNUKag|epZP$pkd1&AbR0QD?$M2)MK359=~ukZ7Y%8W|L)>9G<4Qa zbhm${goYN<1;xoNcBQ`^J9;$5<1bsBrx<^0&BF}z4BJv39msp+oCI=33;(&!x&SP8 zCbIO~E**u2_smj7LpRZ|cvs{dhyDDOuH1bXV(NVN-FK#S=8y^vK@I3AZ%zVQBI)?y zhaYUilXL9;Yt!uRQ3-a($V89WC7+o6;SYo;15ac1q>d^6;0v_wp}Yn}I)s&INP? zv@i#(2a$6U&_WCT*vZGICfTBEI@$u!aKC8CA5(&V?ryWoKNk%<%>F7G&}VE?nru>_ z&(IL)Gc*MHj7^GN?(x@?J%^M!=o#ya{H)Rn4M8nSN1!W_bnqD(C{IjoZ;xEt!500k zqdhcUG>q$P`}XX#H>J+dkRckBW3#_T=rcA6eNK`tV3XR(Cb2#THmUJSv-&0Ym$geC zfBE;*TeoflqLhcf?7f$N;WGo=!HX80z#Dyl&%vBv<0JiJ{2^#W z{-3?6i#;P6mWhVPCW;2>0{RRM=rcCyF47LOE zc4tna{Yx~=5DmA8hQCXWre>vhM6pRp5kAJF(tDL(*njX30nww2env*lrZ#wG>&e4lI*G|Udu@K4FnjH{CD=Ijz0K-Bvf z^0#}d&XK+P+3e*qvd>{1=3MJmCV3hn<*O_$W#@!rYy!IQ zYvs-77M1!K=<`3q`dkL?i2e`wGxt4v_GBLHp@$ywz85}?;sZ8r+_+L2jzq_i<^+7O zNsnQZeodc61Em~Zmv^cTeA2Tvt7SW_apT68k&$6~HpB4ia&vQS%$PAYefo5-*9!S~ zyMr%O9xd>mwEjH zJ1;M_{rmQ9(tICv{6WuB+O%oYzR@#EcHMQ??YrcXOKjM%VV>{WS9)232K0is54b@` zSz3reunr^l_(6$|+*OckeS_zcv0tU((%qicxO8=9+7M22VXV z>MJ@O(9pDLQ`56+ejZpeka>KcfDZ5le`Fpy*&EQJ59kQ`5X=cJGKg;ytUc_#**{BO zepCDt-9r8)OZj?UY%_YQjJREU?X`X$paHw8*s}HS-`}5S4xk~Z&=Bl<*;C?UBlqA* ziwr?qAYYuvr^4r!E%~QnPi^#^;ce_8js<_@o{B6HZ-yptBj&7U@4WsdCnsBCVxsBk z6h9AK2PU9_Hjt}eP69naKfpa`kt6mD$Q6Dda~H%ngg@!FlU0wVc>5{3rz-^zBOXpe zpPzZ=8BYWJA#N!B@HAv*W?Jvwy}fKHC-3ox*YF%#z#Bcl{&1c>0`h~ey;6FB4xkhC ziwzd;KdYZM z$O3Lb1qM5VEutVl?1`x04qbES&Lze;PhX4wt++#@$3O7@#qVj*5ZJ|lmVgFY_>FDS z+U@rV$P{aBB!9t`WAJBg0w03B4swqy!EP;dnA41@R)J;_%lYZ|JB+v1G!`kf(~>LK4Cww zb*x8`a{_OdE?sJO-+i~2XZRgd=tg$X9sDMaks119Es)K8P_IrnR=$Hf#m65a*G2FT zDl`Q3NOJ;BdM4VhSI8JJ&<4K9)=Jq4R|47*=E9b#+ptq4N zvd%I0Fc-)?e1=A3U2^oZe1sjEE7nz>vG^@(6ZrjFIaN3C48s4*${0NRz;hbEyVw*h zE-SCT`bSsEeonah>TUXd&YqH1pZxKEu01~7Uxje1Z@*|fmEYM0{RRC;;5~)zb-XIv zZu>p$)K$jR&f`atmWcX)oA9Ykpc*R#sp6`zea~C+U0(RebK#RZHcR zzTZ1wHcq*oo^O=o*oXy_Q#e<-odJpszwxz4=}0(0>zNfRR&1-i-6-kw0qmK4&V91C zpJ^@lLU!qG`R4_SlMR&*oTB?%s>aCQ*gaS|4)SEgLK79gCFf1Pc=I=AuPG|0?;}yZ z)cuDmXUT>aYRm)JPi!RnC2*hyIgGH+|Fi7sH?p~#WH+CpV{)eC8_9E#Um+$=e(3eR zX6r@!QRI4~vD1nxWGeR54;=8F*n6@*V%J%Vu+{jo_$gfDGv!j{s>pegYa_?Q^9$st z$nTK%C&xxP9Pv6I%^pB|&=J}%3}yXgU1OiixcJfVBuu~eol1Hv`A@#=62)%G_mL}m zY)|CXazB&Aij)UGKKns@1S&XCvF}uP!uqxA>-+h<1o3dnz+K9B?JUWgUL+jI z`|=C~v3+vBfjpA$CC}JN?dyliWHf7v_OF@pbNhiufD7}F4-77>Kg;hL?qk~IoQcT? z1?WWED{Igv0oW^)bsmZCwP_yc`TEsi)MV~Q!*7-=og6x zV`&!m@=$zG zYJdlE6L>)(zD}-*90$2F@=WA6$di#{BDX<~jQrBIgG%Zh*JT?xczIObHOPI_U*!1M z04lx>H4+bSVg6U&m|*0)9uW@2G>MIqV?iFtbCF*m*XVOx;qfP4(Vd~ZP6YDUS$t3_ zoqv2Ys0`~j(=gVYbg3lCL6nOU{to^W1R05S<`DLauO%a#R5i z7%b98le<+Zm49?g-|ZbC`#%(2#O|;!U~dOcus!f&?~b=@-M{+yJOS}(<@POy+tJzZ%Hw6!Pfj#0Hh5Rkg0R%cx zo;-42Sk}sGqVcg6uNa|t%W(K`+ikabyNBIn{loqv3-AM3WNdJupc7wyxY>4n_=a?% zj66ywkVi^+0|)ZYew;W5F`=d7w%A<6G z{5A48d(y=WU+(%Z+ls#(&G^bie2|cUS9i6~P3xTscFQfd`28I?VHeQ@@PG%*54`zi z$J_R5{#Ewm^-2C&fIuD#CUmz){+(l=ZjQ=kNpmv%fK9IGZ zybQS|`B|ptzCGQ+{tG;)@B=)`&JFmnZecsvm#X_Vs`z(DD$(pg<$vrXmq=bh-!nDh zui!9h)F{t)>;dZ_eFrkYSlER?SG7+3sJzTz$#SlIq@Oh?&piFwo+=t%iT5*y3>oqQ zIUZv4`oh047v$HpF8gut2jDy7Q}N00(SlZM)%W7(HR@}w@)f%@Hd}#TD_;K4LHfeC zgWtq*kwIeVHtQfzLm=p5&JI40o zLvOJDB1_OqpHyrfI)`pUCo;zKJ3M=#?*(}KaEx>_HYFPR%kn*v|I7gu+l%dEp7l-$ zoe7+l=BXjDZlvMZpa<3=vgiLF1JV?ljqKz`lP)N>*KeBglx4zWAR z0qj;EBNr@K;Lq!x6AB9pQx(r%v2fu+KcB%G#yrcWzY#eY`7}NMOq}%x^|4Lzw--HR zZ;ZSy(jMd@`E@+kn4rDYZ0!S8o(THjUSt{{F7Rgpox+x7Xy3%1i5S90xi#nMxlWb9 zKX&8~7zV$JU@4i}p0EdgqQoWh=feN?sa=X~LXW@|-vQZP|MY#9H?qVx92DNa zv43R$%3guJN(=3k?h;<)TG^9>JMz!C4^2w-KF&AVgUuGs^ub=7y%(_v_I>O-+iBlP zj2fQ`ys=vp_Aut3H&vxz4G%RZa6Te+A+VCiR4rQ)O-s_yu3b!rb+gL}B2TAh0r)%6(*}rY=cwH+w;$3Se=#54kh5Vb=Du(aWk?uJ$d}qkN zWv!Cyl$o2GHGJT(38C@BhmFYX95Z(Ghz_}fhGY%T%xyM2d(h~Sxg)O}(`?Yl;TBp9-Hfb&-EyKYgGa#$lRG&Kj3BEHsS&onta{Q%8&& zc~#cvn9$hlq(Ou96O^4}uFM>kn-$ZgQ+#RPhXR-OA92SoM(-4V2(F#tONkbEr}%)M zUHT;TNlHmcJ-SqtVZn7?50f@KR7RD}Yv9R63#DzTC%} zwkT{@*wgdz^1>m7Ifdg3rxe1NKgu5*_}|5W`t@Q4br>)C_8jsn>GV-GIIy$C&0%I$Q?8~J7-MpfSd_qhKwB1 zJZpSbOx07W_UU!}38#4yr(N>rizfCuxAHn2QQ7KbWDL*D9-)_T;fB%8YIA~p@}xQpn*i2nCvEKf*V2-S|EU8-KMAryBZ6G zjk^i^WY~ze$kodA;=SDa@wT)Vzn5a9HY5hKpk9n%EB@#$ZE3qPu|}mBZ0hrQpP6T$ z{gJ4V`}y;m7wj|7{5W&w%$ak}%$%90;yb$}y(CEn{8to7YR8lQ3i{OBZU%B&+( zq(c+_dv?37{J&=}cYkkl=EhC;-?M4my_t8dyYIgHJ(+jjow><-U*`Aj%PhI0D)Zj^ z*WZ2p(umqU`ub>pOeoNQki zjXNu)%$}s1GDZ3e8rUjgn?FR@Lg5tpvG6d0q~0JVXFCrbw2F6j1*jOp%_r0%2c@^xiBy^HQYc(X>&XE0A885RY=G{fqvt z_uSp!LEC7~wyO3`R zo@iVAU!f#*UcYJcrn?Zy+ln?zCcNA>B46S4o9^ClKQi*Rg9cJ2^3{yUcPnE5|G)nQ z1=^3_nPTaFP5Y~61B%yDFDYJQy;2$ZjiM;bsBAR&Pv|O@v=^lmi~m?gbLYc)|8ZqC z%JKZBdTANu{?D(<&GUyG78g}us#j1;Dc)gLJ;W-Ek?OgUu-PkCmtw)NnBf0rxr!+uF>?(|Mp(jus^PC%Ah+(>>V4>F%XCW--_ z%qVh&8SItpli5AlU3GvaR~rFo7-%J6vbvkUs(7g+0Q^ztY5OXAdawN|dX|i&r;}P< zW^6v;$ze@riH<`$&ussY-jl%`!*bIAqT2Caaw%yCcrU0Omi!*qfolJO8+bwYsu7r5 zK(cSwFt3pdcRK2AlejC7xnb>k$&kC|(^c zp2$tFz1FuSOOoO`kki-1`SpC1U&D?eHF!SC#qRyJ#KG1m6FL$)MA{n z&)D0dTi75*62?SfO>LEub`XHr6bzUp@)ZA&;<*AeHZiB6h83nOy~w$yj`!)x)!idg z?45{?qgHf$SJkiwjJ51DdD~F)1@CzKyY|lhAFw?t+h5O~&I0}OPj9lZwp}1)sO1T~ zyOve4q6L*ougK^>W|8+$KK3-FhT7=27^5aTpGR++%UY;#l~CCh zUbbZ~US-fxX`JF$=53z9Our;L_NUlSxT-4MFA~|)%7_RHC(uH*9oSU*q4DfGE3=AtG|l9T~mwZo7G0Jg(Tej z=dxGO{Lm8V3){~IF+`TI;w<1ew+0eykgx%d7@HMudQFY8IZH`9gE+2hytCG@p1PIY zO6rIXWZ^YPSW|~?1X^M|vWx5;R+{5)FiD<`^*SYO0g#H0%QemKdd+My;i>32+Wpfw z)iH`OU{$)K%WoM`7l`|MxuE*!s6ZaMys$#+;NkkC8 z)?{E5U(TF1pg7GH=@XE{PCloogMzP%^&jY^q#XxR&7J1v5TQw$fFO9ML)fxv6GqQGR!07PQrjO62h;)Y9D9P{^F318zbA`-$58zcs>2AaE-Z zvaVT4aGe=wnI3k-FaMx}croc3Z9D<^`3Fp>&q)25Cz%5#aAXYS&p|*|OAVgQN~ytD zxX?ux{?0{3xRf^;O$+`S`TW~0QjN#T9)iW<9p^u(^v`66eMsm}V-Ab`g6th$lqdsM`A=3Rf#DEbDRQ_g;9hen}7+LjsR%VhH zOk{;7d6mV`pI21_){Gks=H}N%D!5l;W&J>`P?-(}kbdw>u8sJT!PzewMT>?J= zpemQ!1{RDeJrgwwNhJK)9Xafb#==#~e3gTt;!J2w^9RV|CKbSCiaUpc;c}&vjwlb))~}->Q)H-& z4jF=ZB3=W;gZQ8#83jcq%&qOOed}oW{3vNCc$pWi@QPcrU+z8OQG7MMh^{oQX&}N8a<4l$KL@yMvo8iHj*CcXmTPw z!jzBG12W5<2_YQ03pl&nFlH{Qpkf=3NGY9 zSXr*fH+T@d<%-Ng(B;)pVjVSpm z9?YcRD?Et4a7B*tAdwm~2utK3UR~~B0=YAx_Fdq~_@P=df}DRPa_%B>W&j4p#u$cb z$`ZBvJTq6WiOGc#Lv`gEb*OTdjOWL)F^*Taz$uQNG+wL3bdHZ!h-m(F?@efYjMu8M zyf!voD;q%^G7(C`;1XgIR;uB*A0yeB7wC&jLjg_1$mK zU{(!rjX?y%Ib9t@R{o5*(JZbFU6IuYy4=SS$O@67S_evr))`-69YDGzNpM{ z7bXCK(CKS<)3zeO&q;m;q;>M7MX-Zb#O@t#!sE1GE4B$zZ8v?GU+2ILmNLY z7!9CI`CrCLnH!?@jgc}!W5x4R2Iw=E`N$Ijr#Sk=%}4q_AfkNHd?ZvjR-$B#Ac~iW zl0ihd33ZIk$e9_fZ>&U#r$;8}K^zj3H|K~CM#!6>KqrnKFCrgAjcU~70%tL~PUH~Z zx5i40%n`(Rn23=_#Q4U*SczeY);CsSfJNfzVFNu#;>PIl-l+6w5E#YL;}FrqU6?=z zEPSXEx8att(!n-@4%>(hB}9ig{bQwrF$U^ZrYxNjaSJ+MTY zq?VhA9xI3*)7~E|J%$R@`u>;n$N@dbDva@m0dFJ6%L;*696dN6Ij~%mxQwo?%UWWy zD=b!hk#Nb4w&N=&^*JNx)=YGB6W!j4jFoPk`Cp%I@#86XjP%Ot;~4!vr&Jf{E4_9tz9f2KGUYYe->rpVzi7n*bKpdr2=d-8*h^dO#+uhffskB> z<=}?wQKZgQ+{RDQu!*iV@@W#SMJLR*7mR3oh}s^cw*Tx;U)grgKh!E|g>`1c z9@m;W)*U}Z0DoW!xT?nfF3S}y&P!B6UeCxDr^dHnkNED19(taY+i$tXR z&V413)P>dM(fYoojE<*Q;TZK*yTB@rUSF=i+ix5zEec1_;@^oDy+n&U|1efsltt_N znzSGWs==-~`zWfRyi2ii4cTD~)y~7x%XqenHaXX@lXZPRJPW4arru1k6hFfS+44^U zNsTlOlQFtgUyL<%-D?u|)~G%j&$k-<1G%3TE(gKX=PbJ$-4mI;x%UPg89w66{-^Fa@aDox=8e3r}(k_g_;l zg&e&EvVcn*Xw-)%XsbWWafWT{#gY>23#=u#{fq!oZRWt|2-4pC07Z$KBa&y9Kaye& zyofk|MCY9sZXxQ-#;g58pPyno-a~|h-PDtjAHui{beaQu5pjgzhdCHZN9x^ZJO~_i zQ%bEX@>W;}9{`>Ysh81qHMW#2X!!M5`)b1aphdclel%=*i97jJ|X-nzuwJn{BlqQB5ZZpnx( ztq6^M?1sXxBS<}@Zh8eCr8YSYqDPG$BWpBKpCP1gHQZ9H&l+m%`<#NmkJUv+4D{vJC~b%|-zRT@A$c1-WX#Qfpq=mJt-~k`bMu|Fl-U=L9p52EAMUveY@*=BH$0nK^u*WHAGcS4Qp70@HMa1FBZd2XDb1%tnic0t&hNs@QP>MYD=4qaKvxKK!I*WPgkrX2z zJuqXP@XU+43?}&L#atP9iy&{Y{th8~QLY|#p8;RPM@mUcC%(q`gz9(HDc^4Nnmao-IK{Cw1vVOE+hJJZ=6#>nkhu9KbE+{S)vj>w%QJG0Ol z_yfUDV2Gn^@NdtM*v%GH>&a0b%v9b&0oe(MHSf$394cHSRjkMf&+{JB$@3Q#8N7P= z0fYU-qRIPK0MHff^avGNi{J?1{j>=?oXV^R4eS-u#gg}Zp4Cpf5Bc^J@ETx+In3G)p2$#AP(rr0E6+U( z5UgoGez6fjO2}9mG9B&uU5ft&f-ZT(X8DcEP`NI?SEV`)kT`=Srx% z)3l`nc*%|o?!8|l?}4w8xASY{?fn{g&wY)&Lti7WY5dq}mi{&J+P+5K+^>RYgNp7(!Yogg}$j<3HF*kVw29Uz)px8#27D?kZQ-l=#X9Rym9N+rC7X| z^{0mRlSL&3eQOa>cr(qswtnm$By_RvNw027QPO%bln5sa+^H}?uD;;3_`KHurU@`< z^mTgDM~oHN(S$@(qmdwat{ag-*hWKC9mb(%oA6TbP_xut=+1;URky9seE9gMZ(n)B z|GV@4E}Q;jzaBnpa9?8|*-!cZkdghV|8EBGc=KVy)cz^{zZnsH-cX55hFfm_y8_#m z9QozcTm4}}(`USquftc2d55tr?28@<3HuBNA_n#|eMU7j0^@cxM7UJPi6fFnWN(t9 z5+1~Hno2CoU^zh5OJQfGl!-coBVX8Q;x#%g;$an!bn)P-DOoSU>-NZ-t5MUdk=+Z( zf`OhR^?ltlhtL=9%+v&Gj%Y!2eI#vwy7V|(W{Lb0ZIp7AWr|l>Vi$C3xNxiVEy)u0 z4G~iK(^T0^p~{v>qiM6Lnl?)#1MRnMohA z>dA5Lgy*U-=CmlAEUyXDac~xV(!y5S-v1WYnOy?>N|*A62%*xbX+Z{qXEIWFoG?z7 zlFQ}D-DtF6l^|BUyT)r=vtv2w0xTlH%49P;k&CnnR0?Q1!x=IhhVMHy06Bk$YgckS}~X z*``Z!n4t+(k5fH}$=w7l*Q}Qv_y0b_|GP~8X9n*aw0Q=N<<3vfT-oVAd*0t^)AyJU zOZ~TFc23V?|7XT8%J#g}Z=-B@W&qIi5rEJuP8);4M#S+CIn2#3q6fJ$t|5~Ol){W$ zJ(uF0-cAO3%v9kRbNA@PIIf_z@|UB$ve6j%aamkhBb9ZNavqWI_apO>VvgoB2e=ae z5zrX-G;7dzZRNJ8K1+w}9+!Qo_+F?`}8g+32e(Zv;sHC?N0jZg7*bjTZ1s z=WWW=j5gjHQn6YNYPG*1L*jg-aS_i)>Q&1pAYp$;HUD@HQmR^x2^>Tw@Cc~Hz`Ifel9UxQ5HB(9RFDpwHQ}-D-sf@X5nx9A~C};-bI?oCVi-l zDOhvt9XN$~<_gY%eeJ4J`Nf+)Vq~dP=jICyp8yAF+SSAP+zs73-T%4XJ8{t#t7qI% zav`^$=*OV*m=qn2&Vpucdl$ndKPa0H!YrTaPl1-j!qT#+LnW<>h>^@K^j_f26;AS; zkMOTj9f06fZNkKqm8we_7VjKwnIccs1?n;dl%NWUcI||^Sf8XWv@CAo0IZAg!NkYT z!&nC}aB4!`n}cg1AlT9j&o`S-n43vj(hMmk>ml^afn!jYYgAPSxxsy#kUj7Ol|31; zzQO&MgK4}pHj7C_$E2jaQ$^QJJd}V-c_J=vq8?~4%EOQ;oV{(+3#+YF~0zOaOmXB6u$~1GC9!6F854S%DH!0CR59W%QkpTcrL{>(h2d1v?) zy?64W8mq^6ga#W@?CblahH0?CLK|_~ z%9187_yh~c~6q~$md?L-Ye}2H(?VOTFUz96d^g2tH&jVusHS&^(bQhNlor# zdS4POyehFGjhvTk|2Af!#uOzLb_lJ@U?R=!-+HMk@nZ+5vdubQ( z5)9xBZU8goe`o)S!NmsquaBCfW3zwh5GRxfKX4cCl}~4^;wFD!oaR%F8UD}aZN7{d z9v|g=BrVw_o|sHB5W%nh0V`HiXsHAfoxRk>r&U>G4%`Qu)_p+44U&AqD(ZJAjwVD( znv0KRt}{v~_OE*U?86L3N!yJizEUl(9;72QHl#m8Cki2SX1ZMN7YS%u2?t>MSCN2y zjw>OqBsl*e6>@Pcl6fJQ`y7wKvJk~7O5U1-2Gw-mwFdhs4G3$u_u8G1Ok{tsCSMe?o zy&>R|#*nuSU<}Qy#SkL6Z1rHRy9|I;>H#c_=hcHFre=( z$8qxA29xc&9P$iif(K7!;V|L2763tW;s!zy*3FNQNM{bol2sRD%zrpl&rwc!6-vf1O9Pig zLo*UC4Z~kuMvXQShWkdr@Gz3=abzl?kDoy#Fr-4s7`ABOk}$j%373YUor5$HhV7$Z zXhm}UxFigf85~0@l#JmyBq78N+=VxFigBAmP$5tl%Ki z2}8p~sxfgaUytN^98pW4;pK<~hEymS!_TowsHP=4h$zIVfZUV0z)d4jNuU^sVRvx zdV6KKMICrNUn#jOz34hB7q?lO2#l<1D8ZYW!j};_%cc=3$qAA-zXUV zJCf_+KahaoV~7NXR45t42Q_d>7_LUbrO|LM2bn_{?i&R|1Cr};8%+X+A5P^MQlVrF z-$atKkf$W}@-L8ZX&5$fkhz3m`zRRRiRAhzNf=fj5;UYj$r#?CflH#{3 z6A%dusZcV8e=$>oc}ik0{|X70hT&5jWC3AlokTSzO6;vjuAiEO;XQ~1hEymS!*UH= z5)JK0xHJqe;_fkJVIg6dI|_#HAh~{85{54$5*SjUWDI|-flI>hF(h0XhP51I31L`1 z3Wj+|uAiQS;ao%lLn@Svp-}^ugyDyiFBQX|qolI1j4<3V3Wj@-T#pk^34GXuNMJ~X zk}>?Q1}+K13M5<_4X1OE<%Hp`Q7}A@-NSk;%p_p=TSNjwDwK@jF(j!ei6iAFNVqf% zAK)NegyEr4FkFV@`WZ!SEoG>n}^f z@F_$BLn@Svp-%&sgyB6%xHJr};~-ZMh6AHuI0eb|IA4~~%NHkd45?5uhW~>kWg$;V z?B$n{aA_Da4ssP?XfjcaiSlp*lIt%|!mt*Rpdl4X#;`yGmqf$4NVqf%`zBDM*Aj-g zqhR<7lIyQX!tm#a1cp>78N(lG;F2(GLc*nCSjs`JCk$7Of?*bt>#t10a5^G^Ar(r- za0oluYD!`+{}u_ChT*?)kZ!`TVH6BokX)aUgy92-1cp>78N(V4ToMg$M#80GsOKOz z5Qa~Tg5kMTU^p`g!`BfB45?5uhKG=(rXB7q?lO2%-b1}+K1S|nT= zhBGnC>VY|4j8KY)!N!zA0mMv6-vhNB$CvW#9sb65-ttHEga-l!f;>|3|Aq! zes&TKOA!eSsZcV8IU2Ym8cs*TrD6CsT$q%FKEhC%Of@D->?267pOb{)zabJBQlVrF zTQzV=7(Rf6OT+Lc4l+O(rjLSQI+E+>CSj;YBrv2x$rwhkt)QkP_VVjUxHJqO=OBZG zVa_NRK8WOc)!RYi!*z%RhEymSL#GBViH6r9;nFbt1Y6q5!kvU+;V2lsiRAjLlW2Gp zk-(4&C1Xg3n$(m;8ZsnY8iti92_Fe|Gc8`bR{%+O5I@|*g0HmaQk~xOY$5I0xOee1 z_|Eb)D^DA8Kamj2uZvqf$QHha67`aMzeuguxsR!#6!)MAxh+%F3Kj2w@)p}RfLvvW zt5trD9iJ5<#>uy3cDiVacdD8Ky-MV8zHm`aT~PIMufoFi1Q${u?^mK;~EfJyOTm&DHNiR4L zdo^b5{zL8;ZNRQqHto+}GwRmah}|7+Q(5eabAK3I)k8b}Z!h9I^`08I%VA$0el`=r zhISBF>c0WL0DPZaypQzlYau59Y;SFbYdrT4fOq_Yqg{VW@$=n&$@{aqHA!2m9095y z+oJpCTZBv|Ht^ zu4f$-1Tdt009M6b4^`@-*M7dzPE5?+`mStP6uOP>LruAr--r6f3xsR-8~V3eaZRW$ zSTa#T{3pO}0<{GGiT$YnN~p6z1U4do&ApY$XAD3;ctYWR?aD~ye)zZH9=lv6?GVqM z4yOsEYxim6xJM*sv`ldh5;&KpOVP8gaFM|ZrSZQRJvm%rJ9riGe8BHI;KBRen@8qt(Oz-;r zWO!2BFHEQ&o-{ar^|1X@R+-Li^^mHhU{l~FD>F*D`;Xx*l}?^}5HJr8e?Z@0+BR^-I-oP~F;zuO}hXEc4Z z`EJj{q2f&W_VhJ!aTe>Y3m4~7KZT1I(1Y%Zr9bqi>JP)Z^zXo-4{kA`vMgNkS;OYn z=AYi2p8wJ23~+65Je%)CqC6k>D)-}%V*W?wN1g*D&>{3drulHuwNK(2talK&#=QS; z#wWY}Y@GDYq#?Xto%C)?dY_y0J}2pYcH;Z^*z5dnXG|KJ|8V*dQVWrTxb+l>;YxRE z!Tk9v4D<8+g}FvJ`}kc8a38e!k#8n<1KJONz_;xuYHHE=*5a&hbmwH6I|fHg2hKUAmKe%^k+WHBEuzUIlUvtTBKu13hnL$)XRWA2mY{V%0=olT!~e9~vg zFo)hPlwG{frgtM167QK$QUDdtzg@Ip{+0|lr~jF5OLYvBp()MRvsdSDF*I$4^D$fr zHe030aY`;W+Kba!mC0U}VK27WtE_gty$Y9Ub0N!=mB96O{Ljb#Z2Y(3{}uRe!GF>7 z;+OY-*)#YggT?+bMgcBv3p-v!P4HC@J31+_3>Q4h74Kny$`$A23XIgjP{oU3$1zF_ zJC2LTYvR!>9&d`r8G1z0sbAnk5P4KwON&r5PU=B@+5fvPa&n7Kiuv3SKIev-1_CH3 zusS9OY(Bg}D%juMW$z5G$|#ddY`LN3HhL}ymD?;KyoXC{7Vr88Hdi5#zRvwU51tu! zfA_w-@yxt;`?~MrXY$Qx%YkV`&$640O1nUCE-~{&&YeA zHRLW(K1HnS{zu+#EZS-_d2Pl1zZIGvc^y>NykK|Qd}xsUwaDrp2!gYnww)A1 zuA+!`s?qV>@!D&o195HL-7vG^a>DfqeGeg6JzOujkWelXv+e>eO&O7cX$b~6K znicI@Nk^E8($S|Tzv&|v@I6Ex(ryre$Rzp^Jz=^5(I2ym3W&mu2vp%Zl8IROYquH~ zPxM|9IN_PrTBciko6b80HzxaEN(r3sp2NY)aX4&nTnCr3S@njRdSk8IhGOJA(=I@{ zB2V$lLet4Ep(=U*n?e=Ck&iK6P}5XcgD;e$ROA83UP7!U4G(YbEtCst3up>w@QgHYwC-lFjUPgM5bp zY5;f5&m?mcUWICw@@G7Fr(C6mXUK4rXUU~Tmda11smFNeEEWF3En86s8F2hs1-T_i zRpPdP95}DxQQCZg%0nTEe9jzlGgJ;!c77*AG(QfCt2$^L<(8efjP5lO7x&67>yba) z(tuz3V<*Ec8`W^QC07fPPdfdDTY94*=T;Fh#1kZ`r{xTiW`8%_!s(B!JEK`!cB!GB z7V^JEQba8zcN{`QxMiP~b-xxmsD%z_p=Z^Q-0>Phg_=l*k-9(T=m;8(c&rs~G_Szh z3VO&5>%)a^5wSr$8pOjR9vkT)H*D=GG@uMBrJ^SOpdTbzdJ5AKm%-x-GsVM754pkC zQ<#IaToJiIJhDVuUQb~m(uC41EE8!3BCR~^^C5&bNIkwF#f5!4>4CqnZV473_+TbdZyG? zxgxE8D0Fg+HHn*0fR0-Q5o#fl_7pA|AL3s^2}>LQglY>7yZB>4?yq$gxvX5);p88V zfZ&9_y)%p@WFX`;h==HJXP$WDT^n{5inkK+5Z&%97jG`{SS}tb#AB6stQC*-;^7vL z4dStp9`b{pu(N?jwD{-H1Q6nE#N#whiXI2e5_wl>bX=u{3bat67Any~Wm>3Q z3%Rt=ay0}|vz7;C{xum{eEEf62_v^;B1LYo@!u@|n}gq;mIe6L$t`(2Y6JiE@LwPQ z9R$j9%P{{v&wt=l^{dbm74$2y2K>+dh`;*oD;xx}pp|-<;()CR4QmdTE@th8KqyvIsi zGHy32T_ro-WTk6mM=vW~FFRgirEb}AoRw~n9miPdM%mHHN*iRyi>!33>}Y2@d_au- z<9ZNl?klP(BRdYU9W>x%$3eCu$O8x14jOK<<5{+21v1Ny{VY{>?88EY?AY77gV;Ri zP*|x)c09p$aE^8CVmpYtWXI0d9Uq`{(D6CrHj`W(4Aq({VFbyJ-5zu6jx)UY5LvPP zDfLq1Q@R%(#tgrjiQiH0I4?UFFvpZ}Kdp%gtlAQ+Tcp^XS(aTOxt3wI$ z5#Q?gJlH}_W{%x*%OEeaOKu^uFvm`r-x?*i5OFZdma;uW|B%zyhiEvSY@1AYI8%+4MzHFWLxYNV=Y3a3OB4YI~5 znj}!dLKV7-q{;;h&?S=ckcDA!30JQ7;>lHyk$sN)KX6i7{oYWe7$CS?m{_-kq(>Ef zDZt9anD6u~kC}Pw3}e7>z~jsE za1n!r@L4hWcL=4}B79y&RK{KhvVE*=KLI=8xs0`ZL56lM!)v2MAoEf{7&Swj_yPTV z9i%LzH7mWDLY|@I3{|ibYngYy6zSZ+StZWqQ4aS~-9%QL=2M?h%V?*TG*bGeC&^wE z71M>}2^-MR%S#N}qzp20JU>3(9s95zz6+=KOb9+kci7oTRoK4qz zCW$L=_%T%e{jmzVb->JYxRzR;DsBy`G^kT5XgY8*UGFqQ(8Z5$EPeVgDBFqe#&y!y zpv2uy)E!bCeS=O999WYZ@4y=G1{|bB1ZnKdL;WVqbL1k(D6IG9CCukU z`goBZOA+HuD=*UHN{*Ud@D=3?zaqV4lyo3ZXUpZvGP$UHl=OJ~%f2H0i_1^u?RWJw zEg(W`V6^rpr0e3-HT;&#MJu!fK^{Jz=JXfzTmBX4UsZn9SCn7-h3TUIp=Z$l?pQ9Z zeFDGrv6NB!H?HKU=^MVH{Kn*T5D(+UV~{I7-SQGoY`h438j|yC_?mftK{Hz9rlDAm zY3X1YlicKsr6l1i(#eiUs3NI6Y1l7IC&inPj`n24=sF?=sysR@9+d$&LIOD^bo!q7ivsr=2}-JF1umeIH-}^XbM6$G0X+3AF{4S z;D^J3#kfm|T&wP_g*z4NsW^sHj5#CM@SsH8IOr<0se`n5_)g@}*D+ z^Q&T{zK%#eBRlLZjS-qakRg;vZHkG~`-;e)a3eXWJw@)IifO`6=~xW}J=xN9{Y$zU z8+JXaLUlAHu1X+o2TjfdiGzEn9})|0-OBUc(oJk-P3yUi8H6q@WZAQuSDi(y}`h+KdU+Mlo(t6%hl@hSV zPML$WmJ+2LZZ&lRbMUA+@C^i5Vl8LnlxfD5HKv!ZfheQG5>s@jJY4_KXaR+wzW zchEZ_Lq4u7#K10O7qc6UxEGU<8YcjTv%9ii*E=&@l~s{Vs5xrZurP?2?M&Bq>o8;t zv#{9FKVDatA)|-UxTP6kK6^*qu#hte2Oc8+r$6{Eba9lTSk6Xdl+jeg)p1RT$3zIw zyjqo4U{y<)f7h6XkdQUuCSpKQl9xiyX^cMI&v{MnF$>Djh#~IAs7psF&Ye6*mGWSg zV&?{!HsT>BznBpLfw(xzgmb~EEMDlK_tvFP0`JzUH=Pp)* z*-)1LbaodOz4Ch-7el@+!yL~7QH0wD$lxzyHMT`HCR|av6dzQkO~=&im-Jn@GZlMq zfP>&t8og_CJAP3ovV5hb1S#VQE6$DpdLFh2DtH;_Dbd zDakwTg@aiA74yeX3qf*;bz*+e8g^^EQ`w#fq5(1oLI)A}$d*+o_uO4@R>QS6UQ&^5#GjVSxtJ`-e>4Ybt9) zuD^m@+pgm54vKBlbS>H#(Rs1~UL#`XW1NU#zAy}ka1f1PG(_zoR$+y8y{1mq5!

NvA#ds%yU~(SWF{``VMN?HNqxSz1UI{xHaES76RSTHQH*=X*t z)s`-&?m{S3ZnIVr$>FczBIibovE{Y}{?2g>C5h@2{X^5tJKBs89k%9!|0G#hiOrf_ zT;f7$Jw1wZ`Pb%5!4lgvES1e-&H~y#TZIz!I>4WSj|XzbGxe=Q9Kc(%t4dIsZMEe9 z!ZH^-9lFC6`O7_O_u)Iel&^GEe(4IYg_1U7ZJ6$Ne^SKvQ0iI*3$7)$JgTdS>H@Qn z(R=M(f{sSund56GR*_iQTDfeMr^46%2)%ksFlLuAX9MKMj9SHGE8rLcAGFxi_Y0g| z@Hf&2^4`H1N3xZc0x{?!w^snxR$FG@K7$SDn-c0QMb>)wDxv|`e2eHn_s%pwGlAEa-j_v?8aJYzyC7!R z$)3_oUF7dB>~fT5LPVGY+mS(eC><+?%0pI{@}P$~H_~9YQsPV`vX+Bj3Lu{@w;VvI z?^j?|*0B*ma6>M(1SVotnJ*gl+hOFy)Az2;0R=$( zotbiJR=6~WQ<^V9%BgY($@g%ng(B7O7OM<{jd50-37)~exWWe^ROnOuADFaho5&)oGp$ zYIsx8w+41qvSQiZvo z=7dn*C4bBB%y6IvWPmtcBj>6cNkbfc@}({2n`X zI{k%tr;E_DY8){`-$|%zwxvYB4WD+;tR?>~zRTECV!KkO^yxJQ_vB`(goJP6gM?e3-G@OG1V+7d24uKdJ-y%*_hHyTjm* z7^qsLXKuPm+?TG)Pw}Rss!V^E!T%EFpw!KO_74qvid%JyQ_RgTp|Bq!>F=H!T8ngx zZ`GNb|5J_n+%v1SC}r`j$hB9EQaq;CBK_i9_2y<7QA!)N&EJ?OdG1#Y6m*-1uE$@- z?#O7h=9mcS|R1z!j4ut==d>bVAtIH#5G$p>{sttn6e)7AVz zU1*uEHKho%{qy)R1lS$jz&XBu#>gJ{OR4CAx7ZJINZ|O%O>wE4g<NuOK(?M@V@vm*J{>Fg$?UNP=aA9I*I=#H=vEIT&mQ0VW$+O%4W4X7($U zxJ1yPEVq@Acmgdxpf9~ESd=)20J5YL=jy&3ayfW;2>A%IjxEh0Ud`@;?2Chp>*X*LIwJAPbe258BDFj)qNf;qm@^dR=2XFgSKOpWb@=H$%Kk*v&vDggGuM+y;4mbNBNJA4F4{7)iq#;Q{;dHXp zz~;jRgfD=wcy zw)%8oo3pswn#RE%K`*%Ue)I=q=(m|;m%2$>Xi^Su1*ekdgX2&Y=7L!;<~k^fF2&mo znW?XMHvjd;Z^PL0cVQ)llDd9ps8r1>ZuepSEb}tj_$1f&$eZP=BX$M61cE3BI8(83 z$yOh#V#TNk(CKo)Lu?PF+E2*U2jq%NNwv+4sqg^G^pWkV~g*r{(L@N&gL-@_(kIsj_?T=>l??Zd9XD&3`9MGen zuVI2@4x9#3}d#96=eJAdstfFRI>; zZ3hT!EV2M(>(jgO3vVMnD9ndnJ$)9wMDViFcb*=iUf_EP+xEA<%EG6IKJUWdzJLmX zZB)#6QNMYD@bA?>r{@q(pJhuefB=rf)t4^iFd0Q$JfY;>L0((p_*=e29e>pasN+iU ztsfmVL6Qweuu3eK95J9L(SLo{knq8vDaD}qf-HJufuj)W>`!GChcF4cg*o>6PbhN5 zA=V34ye?!a#MgrGts-H`s^4eeMM6u?hYdRF9sm0}Z$HZ0Pc1<~xs50V%cyN0)B=2! zc7an_!DAuQV=^|46a`%d)A}va$%i*Rx;lTY5gEDfr2iBT#b9%&4H%~(_5|fcbhvK z%URn2;Ky#Yv>Nn5$5Z)jG%NJZQ2qE)AiPNe9EW|(st=0sSln9iR1i~kQP3(NcXg!;oPmIB}6F z&)ggWk%a!N*q2|PXJ8f2dT(TH+_vAEXT&@z)ti=mkzu(FD;gjfCQ?O<4Q9`W6!90L zA+G@CF!#xTQyP22e3%b~PfyLQ-nZoR`(2TgIlaDDbmqe^u~)N?=bzb@%2w~yzulk0 z-cCR!z!^uKJyq=VELUevML2VIP_z)Ag2)s6nM9v^;m1oD+41eIFQgBMbKHOLejVGx z+t*C>$-J#0(@F?H*}^#2%NaotV5|4ZtAYkKc6ku;e76T*PH68p5NF{y3d9F?CU<_0 z1&Hyk363Bm$v6%2t;odS|BNpiEFu5QL3N60 z4!DT*;G?*LwiRz+EAjBoXvYo2F|oVAp~?q`59AP|R%NXI8O#x2Ptcw!-HS^il2I<` z=!!sI+Xslpgi+5dkfW1Y4HIepIfNuwC-M)l_GFcBwICUrVMh5jtNm1~;W9cGJcJbN z8&n7NFXb1fH{Rp#OqZL<@_~J6;ubyxD~+oE!W=@`Y-J%zgijledAcHxR0H3(4ZwxO zGOlf>VN+zvFSbCtR+`uZ5a2`M00$$+aS;5^s)KT|h2h`rsCZeeOH>!Ri9l5c2+k>N znel4$6+yu%%YtAPy^>oQu^=1rkj+(WkyGeU><~N=|9fR*2vb>7S+riv?_0-yz{fb$ za>EC*cc@kWoG$1vx4yx~=iO`enjsw>b?q4-8lV2)^+sP_gLl5KL3gh=+t-k?!FzS< zM!oOz`@EO=8VsB1cbw#%TGxJUv`pZFH|6I#`vu=NGuArkJd^)(+jfxts>Ln)a9x8Z z<%Sc1540>>%Zo(^qhntT5qCvDWRV}TM!r`?y-5cIT3ZPyd5T6KF;Lac(hTLy49&Fn`n0LdPQRhjH6_a2W>S5Pkgy-=&$` z?NV-3Ht|UTwl7qV)Px-uv45a_f&-geY@1cxm0;W;!fqGsP1Itdg|iJifdXHc@csbv zDOC5sq83tgxRJZ6vPShc!EQ=qI{yZAbd^GdDAG5=Z&uqwLotQ#p20@`Cdx$j&n$TV zExvAxQ78`G(GD6XrZ&}5_ecE$8FWGmXF95lwQQnXabDf^u&DbT<`DNK=${bV^Kjr4 zK91pzjr$5Bs+M6q`l1=CydJ z`x-D^X&tCS>2WA=t3WR!8naiq`W&g+XYeLgXIci7)sq3S zC{r;QU6ZLk=RcMSzAeLYjHj4YL>OGKqbo523eG6T!x&o*|tdk zwE&WR9A7!b(hOgFQJ3JbOmLpNI^T!GCN!U{fUG=^Gj8Hrhx8F%n!?dG+Cr6%ARY?Q zTKov&wH$|iEt}hM0d#aC4KFryCap2hh-J=lh?v+)Suz$8dlU3qDxY| zi!sb-#?3hcl_ab`Sh4ekbQr@T-M0-N`^5SKc7#DZZ9pK4HJasS^lCQ#&&20<@tOQ8EYeAzi(D(kB#^@%KxK@+dC z8$|!$dsG#}Yt#<1cdA`fhmX{h`OnVfJp=)nyht=^Cr#lTLdz<=7ff7;i+ufxprymwrCAv^;@)kDid)r0syjQhqmY_>2^$M|P}=YE&jI;6ui_+w`83DBZAb^>l(QzEBYK_J5Y*HRN}B=g53$VXv6X)Jf{O zrsvB@vZ=fZ0SFd_vp`BauDw=ymXr2`Xe0_3B@x(tiJCEWG*08$)Yc9eh zZlO6SSQ4bf!hr{hVUQ<8(XSZBV%t57gh8rK0AARI0RT^!jlY8@jCU~fIAH*dvW)w{ zfYsnKRxv2I5lWH)j|093pOKsc>yeK@ofnTHsmbws3e7?B?26Ol38C1?GZ_3sGd-oKLckKh+1tx%A+$i;M6la`3f|cg1+)o(fF4FCY!6i<3CLW*(1@w5 zvY&$OS&S72m_Fd}<|ZP5YH!dW)a(roY}kc%8CBD_muQnEXruNWxmMjwo=G`CBm z;^*|;YwY}D1_}!*RAhjQ7Fx!uOvgZR(`v$zqE*-i(3JZZic&Y=zo(w$g^TMj@Uw7;HcKMS;TZ)nOBbZzHKpm)X>^j`e7Wx)?nr#Qj^f3Cx}xq=jz9n|;`1b-VzYn9{LmB_cCKD-*yZ6t zySonSr|%N-A$};n5_Tb%>Q?eH2$kvl7jHK2*o?hV#THtNBKA|%(322b=@ARRdV~*| z0PHiyea|5CEPWl+^2X&7-OXkNN>;JF$4gDTm3Ig_29{R2cZ=W+t}0t|h83+XTwRt{4^ z5cwWT;3~0S%8b1`ur>Chp7)}Y!1jo%L*b6xy*qz^)v+%ZgOZREJDQM5#|gIuK*_hs zf@(-fWU%5qZu@a7?4OVu_z0ZghzAcH>|myoFJ9!wXn_!9fgrM}?K)qI5;%Qh4&VkW zDUz0p*SH-Pxs519JS1U#@5`#5gW|rUJ|HTY111yd>Yz5@MZu0ZA$5l<38VBv4WkP% zk;t3xZVjDth>5hoDr1}$a#=c^qAp$Q?+A)Io(0&xdqGO3vWVv!*q4m!QJT)8yUFBG zDH53h|2f_me+Oq4?_^&Goo)n{zr=6rKNF#&RA<6=YKZFHpuM%pU4SMagPPDlPlxQ>Z4 z(^TRIu!;J9Ob90BY`=#0kKD2fB%+)yy5fU7tt>Hrq+`oG=N zvJPQ2Dne0Ck-UMzi$&N&;p;{CEQRNY@BoEph_DsIg!ah@v=L!qevQ%o3R&v!pfMzw z10-1cR$?hyOFk8!{4#&xNPAL`?8V|^zxl`^)Z`z^^o%>Q6(My{%qkY`T?;1!l_(;G z1QkfQ=4Op?Z$=ie>nU>#``(4Us@1;?RhkcTO0YddMb@?gzcp}3Mf6$(U6Gf#BI3h$ zFdp3*cwrnSk=}^6R-^A?mS>Xh;!=$qsAaeA8pA31J!Fug zF5{>2=}G;gvT=IfPhe1~1fs4q2j;`8CR7SfU$_l}O(7&mXl0Pl(unjMlC|8suz5aF z{EoGd1~rwC2Wl2UUTD5tL1Iui;+_*N6xf40G(PEs?@Wxc{~zAIh_ZsBQTj$w!56g4 zQU+*(^diIP^qm}e3o4EBr)&9Xk}5XIgrnnEQuZ36EZ7dtY{WlbPFs}$av_rXs<0E3 zK;~CS`+>lxNeZ8g>4h7vKztj?YWP}|Hb9cWj>y7{{4QEp=E9fV;mN+EK`z6!mmV2e zgb4OHqHI9-w_$;i1EKzR6Q&OsamD0pZ2Y^hEzhrP;4A=bSnfY&6DkGH1s93pfffrJaR3!??Eze+gaiSAzxx(h4u5 zszqJ2MOffJ0Z$I7#ifPFdpxQMErQbihb@vh@FG;LrfK@lU`0ujK5s%pYFaqVUsT#12KjIp@ z}s<=w0 zP$H*{poGd?;-#l>HoEyeLeM+e&u{UOqFZGmN3d*;MxAb~9rxY%SFIbV=R9o*4e{Nm zHKYy|Q$zk68ZX+A+YpC_2-6i7&>QndH0D~ZG3I8v+V#tD$6^D=-P~M(oGSk2=0dzY zr|Zk7xW={I_71l!S9>AcLfgdjXAXR96imnG3@YDsaMvcxKs2FXq6Y9%Boual2=PLp z@9OhF^2^NIVwCWA@LJ7*?WmH5F0V4ls4b3GjjQ!gMit2+*!9B9HX)MF_tpB_s7+!n z)A!Gx5CM24yj$+4mSZLM3#vLJ6y-40#GGrf&&CDx zVX8=Fe?Co&LKw8erYrY%aB6!Na3taeqXtM5^TT0wHZ3 z@Fq^DAxB4ONL-{s6=6^yYzvX5f*rZXF z2Wxo~tyU;&dtysq=BmfGP=V+B5M}DpFFR1YKNrhVtx`G^Y;9pT1`>iE;JNBU>PeB5LCBfm4 z>1Dzo`?$c*Ul7!LE(3M|sa5cJ=jX>WF>j2=4cKh$qm@UFnmVf$(=6|z)*UqO3GVRW zSJlbp=5ESN^B{Aeo#rxP4WG}2o&_!X{*}^4n_IpJp`>=*kAN1*unEwsQ5n{PIOsP` zhE2W>^df;QM6bWYg8q|WPUd*vk(b9&^B5Pk%&~mKpe~l!W))0Oxyn4*KK{ z9?F!=&8rdeKa3Mzbz~tIus7IAl%NH%$QlwR;uzOm)QbP}Ar_2Jc*8tnJRQuH2M5X71VY(bR_roQ`7kfx@d<*_+tPf?~0lT1FPHL3 zY}nk)FprL}xX%j62@y=M^)2-t1`i_Q2k&j*X%H|rubcyX!<=!cqVSG`^uS*a=PF&_ zbAKTvw2z{2f+hwYr+hKM;5wV{G^-$H@rPVg*iTp9TeY$bGaupf!& z!QTlP~sEC7%Q64f>Zs|`65-niQnDcKkf)MRqLiE5^GQU5Tytj#Z$@v zvBmL?3I?n)?gp{tJ%L&143lzjjfE+rdm*c96+zet80m%u9&r=02 zRE^+;9s5unn3HOyzrG6KM{FIxWb)6La;n0lf++PVt|>{*^Ay%b)I9Sj&uQfG|7{BI z@W;FQK8ImW3wZo}cURwEVum_JdA=E)R9(~eB$ZT69xNmGbyHDQ<~KJWkqVFkH3#lf z5s50$9)ZOFW$#_!qpGfk@41mo!oV3JLXe0-@EWUVtOXL05E3qO6-jKl+FDDkwg@wT zn&99hz|3JRZLPJ{wm!W*w)JaiwTRkcLM-885yZPz5w)E-R8gsfOUd_Nd!I9NW(Y|8 zzR&x6f8XzmF3y>K_GRt8*Is+=wbx#|qfTOpIKzBFc?!e1onWeMt%{d0xK}(b zvJ4A}u@x_I_FFqJ3kRGBAY^Ap>4mSEKK-VnwrUs!JJHUh7469wMYLH{>^MWRp)~V# z*KcI1R^!Erujf=^WQA@h&ZOCZ5N+qaLB_n5GOfn@8DZV4@#1{ZYP<+umE`8X&uSB3j*Kz(7Os+D$#Hr9S1 zMo=^xLtM@SJw;cG?;W)@;5>R1JrZE6=157nFj4)!{hc9h=juE!V@@u1o~jv=iDhb=Zp=OAO%k7<2vFV^{-+F*H}hq9a*r8fYl*CP=268+TEek`%> zT}uKLb^%(1l;H@F>tz*-3DwEIk21nC59!TMakzAo7-HS3w?RRi9fF{Ro!*-22ECOx zK1T6X=D_~$+$rX4a{|n5F!H+ zWr-s!%JPsfmzLQIJO=z6xEFYtmga(i;6`8)zg_Y}> z)T?Zz4P!Km?a4POR8D~^f0Uc6OWp0&N^;O#FUA+OevZuxnCb*CR-o}3|LSo?a&n(} zVw{pZaE4%B?Kkgzham5k$Q^?@E^&ZM74TUS5arcekAS3 z+4*|&Nr{Z%NkL*{IIk-Z~%NrMy!(PH;4`oaUG*%@Mk2#&kS5 zut36n!FIAzEwJ7EjwH6*!HaFDv_rp}TvFQfYs~tfxqVu)>`$tKh%(Jvh;CJ}IQpcn zqES}si`C*2+`7JMbFHpeR8=f0^`T;>DWfU&r2G`TLKE0n=9&yPu&33xM~exTU24-^ z$4W19!kybNd;4|C&+k>3S_N9MtxRCzh@<7tjrfk}GOS&1%{rS^%dzP|MXeu!Wk+(s zMQYhrphxlN#h_AIMX6@uXL@k(qWZUl8+Oc1c--NHzj=c+nOq@rKo|$^#b6qvWv$%e z1B+;9nX&5IOgP{u_8Dv#PkL4Hv-5diXd|&N(lWbjg{}StaU*y`3ztL>m7-Iv3z(Zg z9=~RM7(S7)DCb-gGxsG|U{1-UP&G;V`tE=fF(t6JVu~N{DLaz)lu4aJ<%Gq@Ub$}^ zhd!wDlt4vevf;IkH^5nJRB?d4qdvKXnNEvf&41>DY6fcR1_?u?e3ySMUnrr%@|F>5K&5(Obj3P&#R`cd>s}Pkyo&C=mUNNZW$mj*+3lqW z`2~bUZx=r&dx>RERI9irROVpO=DRUxiYNQ|D6@e4g+JxCrc^WX<=-6c`=%%(Iz;6N zZRDh9va{tXc&O%_$HxjfVjY(S^LaXp<32hB*Aof1Y2)@xxflc=h(%QeWfnRSUYPI5 zXT{0Qu05}~f|tDH3KlR*J9sbTeI#%jaQBPIaD=&JCRG!uk4ZE?Go>E?W}7oB{vq~q z!a~|vVNs&1&fHY5`AFi{1!9C^nniR+dsP1Ae^+#rC}0A78X6YonvWrLqh|_ajZ`9- zjefD569cm8!dK)Vg~f$Rja6e|5o_T;55A%JPXmw0lS#=R9YFw(Rm$APXp(r0Q`Ub$ z`CyILg!v#*lMi4sX^k?B1zl$JVgA+M^e7vsa5I_)ro(ebnOo9f!=i>+;@eFiko@x* zgo)13jIQG|OWWd@%34NBFA$2T@$nkpqPGWKp|3~pKzlO-F9_+C#-d^wA6<(${j;!Z zk!WxhV<{jDdFK1gRSXRVUlSQvD-WZ&7eBIeHAkf_X#e<%yLel@BEr8Nf0sb+AIKho z%Fy%@v7*57gYX9NQd6Z0Y5qu($x@rei8LWcG3t|Ff}QAwYyPg}NMEY%i>bc0iBdXI z@mpzpJW!T zb%Zr7H0q325ELI+h!Z#>6XW)x9xzs4TGEzl0 zG>{`?@E!l{borKB{p_4oGs&>ej+fI%5(}(KvLhXbrpiosRCYWPV+eZ+cnEtqQM^JK zE}F}zVk9nRbShWHQdrCMVZ{CDb=G@4Cj+(EBykmVeFRDZaepI7voQ*HTH` zEwg-OuTX)Uu!JcbXfs=X->a@FvCthk+$-F3v#T&NqA=W}D&<)njGtz1=Dg+J)%|P_ z2DZHV3KD4aj?u30py(YqP3kR6Yh)>P$IsLHo(IhtVGK3?y86WB(6%x$3F*WoN zHj(*biXoU)W4$e9`^~DM;(Q9fw$Ij0O9t&?LX)f_dSWX1164$5MCM5R(jce1E`V>! z{c&dXXk^6$U5mBnTSK)zCPHw3HgGhW6!ZXuCv6n=393hBCL8 z3cBOQa_UXtiU-AHVgQT3bb)j6o|m_sU;A9q@ZxlT(c@0~QXWemwmO=Nxo zm?Kz$)vNPa_PHu`c?Cp}sPU&yR{7;b)KTkX6=&q8*@vqz8RjOEQfiC8fv!*w&RB)l z+bm5Mx-y9nKkZROiw0KvMjL~!8Syy*rKert3Q$-cSji!5O z>MG9RS8Qw8&vzrb90|D~a%X{yqoB+2Z5bQ^tGt>GbFe6CuMLWF;imcOOpfd_)fVyT zB2eNMlM?zy4l*M{6?H8s(!#oIY=wKM2(h_A;?o}-aHsfKCFngaT~LNo|2k=rsGH@RoY`rg3=6Ybhu7nE}t(dhGh~q=Rl(F z{BcMIf%@d{P|B*kC9K|MH=~{iBSzqZY|4CdCpEGOtadiHqC}qDN7K5DrgMoE&#zn- z{z~LdPTO7|xs%hjvm$qTzaE|$xs$WDQ{z*6$idjip^@Qgt_2(*3~Z$^B-+Q^w0TT{ ztwTtR%L5btG+H`2RFIJ)r~cen<*(6gy(&kBPLGeRkk$=q>p1zACcuWwLR_l+l(Mm8{I`ibC$Ixh?Xw?8%9M# z<)BkV)X&klR*=DAWvp|oIMVP(u9g42+q|RFti~bSDy|r+=nSd#wrND$edtu!CakaM z4DW}5nZvo;M8`6_humCjpkPgwQK}NY22FS^j~_Vp*AbO$>Hit zoaw}8sLTV&LX{>2kK{;|NXwgD0n3(cKteenlnc=+^|!T_&D?3`w&X6RH%RMyI#S$Q zt!r(&Zy=RU6W*Rxu0hg!RZ^qrI$5S^ySX`?C+ZNCa-;F?bs*&9{-pz&UR#z=%<`9D zJF&RZ%D79WCa9LQx__i+xK!D4EujM;=8BmI=$xAUzjrG;?#Laia+_9@nC4=8QJN#i zs`52vNf{SEloE2QlF&7wrZ5RM4DA)%oA3m8%h}%rY9(i zpX<5Fd^4VJ?Y+%BDoBdfr80nelzPbTRXi)NG@7UKv>K+hOl27EnYc^wn3~Si9XXys zl1%E7`VW!{)}io-ZmPVA8DH>PFH0hgT~f^QgbB&XF#P#RieQEEOM%S?=YhBlrh{of zj(928KVnR*{c`BR5})Bt+<{~m2#wSJJ6h?9%A8iLw-6et5=$qkDamU1@op=t{$vy0 zm@|9_T4|GMM!?47Oo-2wSQ#QGT@Or4q*C0C_3MqI-wRNi=0B(;YW=60AaWHx2gaFi zb|lhyS%@0e*!oSe8X|YID;Pouug zqf6aFbM9(wt85<8o?ZpBzHxjP9qsrRG?eyuo%VsPg>(Kz;%SKgn=?;z ztLDN+*f7P0L#GhgNl2=*NCMnd}lj}hfvBbNJ@l&&@N@Y>XM`3C$gu~5mQi`sn~sF!P8 z#d80mx7urEG0WO~^UA2a=<~x%u1Muu{LEb0M6h|cv_(1_73R!JojP8$o1@SxWf3BO zBbJve8G?TpB-bfJ(#nEMAa@zt^#sn3;hN9h$b^Jz~7&LLc zcrE^R>#kMKcK5f}YFe(HFXgt^Y9g*xL>ygyGd>{}gnPv5ZcY{1sc)9lH|x|~YujGC zK&M=$A0ho%D37l7(jDze;8VdXACL!sn^!(454O3uJ#78Ycx_*)y3P)SDYUPYaQSOr z`KW&3?cwy>I_r%Mq=&3m4t_*dh_ZdMfcs8HO;P#lrUKN+#qzoeg;Z%&2c@QefAwRA_tQvag&WLf<=b%$H| zCxnf7Yz;*(8O$AqioU+7>C2HwMOd`QT&2D|reetza60+Yk|ia2z8F`8x9IHRN)~nC zs~IQRj`EfcTQX3_3of9|snD0Bq@}|o{_w7)=R4z%wc}TsQ=u$QrFT-72ljX zjS69MSgiBE!MrqcS=|o&Gww5|Ud!hJ7QWqmU*P!O&`tWAPx_s+fPGo2_(KD_9uoo) z-yJ)<9uvw?uh0ok?ZMPqr04-~sWkwE!l*;XV1B1(3jJc!LrE+!ls#eu@mI}TD^Y*c z%R#_I<;seKoNDhUPlQntp({MSVm}esFGI11 z$Zd`;!JrQ{a;dfeD(QGhaPE`1dRp=kEJRp0^h0|UNX$U?n3f#Y!AKz*Aqe#$gjJ=^S`{Ho6B8J*Mlqi@0v^<5w3h<+E%ZYiVow{dPr1=-aT z{n0yp@P=AgLwsDp>M`82<;Qcg?W?CxB6=S<%A$+t9cK{@&F-b-T?CfNgycJEC|pZ< zD3&NkX;i6i#mk}o@Wb+Gn=gh3a4x)38=@62|(1?r}wW*LAGM|zQ`PAB_> z=D^#hakj=XbWDE2u(P6kMD}sTyjQE^X>m2WwfSXyqySrs6@`gx0xYH~S@BC|3n*5q4E$*B9Xx zGWvhYNlH1A38%Rt092srt@j# zVabchN}84(;aYBA=l`IIS5(y6GC)%z`XBn&#sqXYhtWqt1$eL)$0S$)=@ z!J3=^GScoFrG3b8H-`d}PeWm1v?nKwn-p!Zoj(~D`=M#cVk?1&!Q$Oax-B%gqULD0 z2fJJ;4&?h$h}0ZSevnTDE~ z+Xi1?hv78$n30~)$CtIVt#j*bbT&iXp@PH&_vpw7SNI?o*U84eb|BS0hS97_?ZY0% z-sPC7j|oT!Uge0mUm|7#GW>GiwHfCeR(>^VB5toyb2OgXs0o+lCGRFr{79;-5;NCv zWpHA03+^PPkYv?Tu|yr7ryMNiDF=%$@;UiS!r|8P`lDqKi@3^|oBaDf=`h?Kq-&nR zN9Oa3W|*Rag=r71kK%k57Iabg3m6QbA02{oxy{wSy!LAUXbN5+;;%g%?+JihwM^yWbl|PgmbVm3Bo;37wwqKy<#bzJUUX z`BY!Z^SODzwSLFfQeiTsc-=AX`igWHlMr?5DpyiW9EbN(zw*nTTg~V@Nc`d<*fPo> zv@%wRNjD6{(dX4&3NN|=%mgiorMzQGNA#BD(i0LYz2QJiZlMU)s}}7kC4!sR^sSQ) z`5p~YFSIq%3vKZg=MR1}@H-r%VFl%#N3?8d^_gd&X*@8=TIXUdU!8otGtXM^utr^u zvb@cae&F%x$AO)@%#T}vA z-5FP@L{%jVe2b6V1e?1*%mjeTLp^i%ns>&Cwyv-w?)EYg;xSKjCKj zTdou}$#l8D;!UIZ%jy0L>;4zeBFZ;Oo>=%A%kH_l9Vq~MN`VZxqY{YzDvyTOZQ3N;ca`6sH|JLffbUyCh3u? z>b`^8@$A>`_a1@Ewn?uc57XHYXX8`KfHRLADZ`?y%6=!et2$CjdIq{nrj z>OW;~EBz;9HXKa8gfMLnRZ&&4ud4LDcYja1Dc#2l{-^r5;26c6LLbXDjMfTxwcm?z^* zhJSPWcv*LSd?3@ugZ?FH)cBM>KG1z1(+3#Lc-WphN;hK@IX5uAnm(bo;WFR6Sr1a; z%!4nUprch{eeF*^kY@DT-)L_96m~1}3)ze1aIfSr5EWYhB}CXJ z!!T=yIPpyL*5&!kWX&zN;Z54sFYED+Zn@5vm@8|%WtvA1IWdp+uER^Sa`wtqurkrs zWVkfj`#JOM_`@gf*?rkq&xb{W(C!AOtuNvZ4p`3llz> z(p+V&t$Vyo^ww>(q#Uecd$+Q;Mg*KjjSDP@Fb~+Dll|8g$iM^bLtrbK0wUarupB-42?GjX}8NH5eYjals4C|2G@ho2-im)7KCNq@;`ls^t-FKhl{fQFv%Gk}}SdG^&o$C4gWQ-iVkK*IO!gl`4bTH+%^6%)EoT*Ft1>r*r=LGwj9jN)yZ zmb_5bZX!6c;0M>4{<0lo5Pza=MX{MSj-l0Tz6L7l1B+VQ$Dyr}7Ez-$y`Lmv{*Q%> zFmUB_q9|fUACec}TIfJdY|3&MX+Ph_Ud7|s=CcW3L{>APfH4wR@zxwgZtujMvG~gr zL2R>K7^F-4B!Cb0jSXx%Y^h1W|P28bRL#8j#?xa+DW!%}l~XhdXYz zId47|Xf+I$glH6JB+uhev*71veRJ`MLFkvK&W}w^8{m-QMIz%=DEY5f+0qeRi;YvR zz@xS~aBI&7YEM~@;i-NUsut5zi$6l^)M}U|->kMeym&@vbEzS|6=&&17xm+~M<7xA zPj!c?$my6gKjg>j>CooYJP?-JT}Y)txU!s*^3T;jmD(XI;B%zS3K*^fX5#)YxM0}n zo}ipnov3aYG{=;v(+V6Dz<0gMw6xG2RA)QwJRTfO09q8CY4li0xVNbN!~P8w1cFSv zOQOgyp3~+6!w>S^!P9uY$MY@VY~E)AHv%pZ`Y>`5RnnbHhfy6L z%}Q79C#{@}Q&qBRq#9Z`qNAM;mEgTa+Bsjfv!j`b-?ff>9s?c*HUc{Um(R^9aOa;l zjg#QR-FuxzXe1bg&f(VXP-(Q26T!^*CoD#2ZlTbFPj$aV7LuveU-gOF52Kxh90ei* zwVc*d)v}VuJQbVXqKJ7A>$(8>uvXV(Bq3|TSzVw+oW|k>K~0&8PnD>pyHI5xJ2_d} zWI3*6K_~9oAY&pQ7jwQNW{qFy)le1WjG;xa^PCiGc72-~{y)G|!2Li!GN3K3rqpei zX}`}#I|rU()2$Os@^YI_^~ryfpG%sM%`2MF(G}_ZaKzdgO&Xzba`^MIXcAqBp9@Y; zMo78clGQ2BG6Y{cf3oJ@tWVF{(Z9~DYnB4|c{M ze$x1B&mjJJ&iL;&_rXOW6j0%iQn zmuOc>IH*XskhDU(Ds7s0`L%W%4fTECr@(G9d5q`(1MC7^+4m5*^E`PjZ#vAEmp;6s z$1^3;#SD15AbKbO-x;A0iXlzZ_~&%6uafa#FZ3`okQhVfox5}@9k-uU?61J$UY563 zI;B*zI?l;3j(d-fRdGC%v&39p7y5hju&_5gmSxzR+nPn@w8dry=5)L&TJ5f1k=gfv zb-*`)`+>gzj`Qg@6L#A#J$iWbt2e`wGvlpX_#cC~-zg5_h=aC-AMTXj(iT~JB$@ol zy3Z+Q9qdC^Y<7~BMZIcl$Uo`)uoxtQa)K-wUkdkOTp)(DyGAqXwvYA;-7DV*;@7w& zd_#0Ot%@}oDS+5i3XY;c~!Y}2ttzQnzpC%0RbE*+9O;nwwCa~fKuczl5&YyANk2(f| zQhYNF*doQ~26Q$H)zeAO$PCrfp2xeFF{~-O83bQ*E z`q?Sut|R`>(2v68e+|(T%j%Jkhv-!mrgkOw^CJPzipDJG+pJ(@cp(wi=>Hhk+ z<@M5jG|JgJH!b1_0ciXaRY>b+EUjX`evoKP)@voUB?)!QuhQS(a}rlP*C?6(q;loj zO5#=n^MG#vE-wqeZvQ;F^!eYEfNUsia9Fgnzg+U5rMyW0G_KalWxnFAU&u&DP;>bw zh>UByF8{-PL^>#z9jNpgA$(id z?L1v3$>LKKLZmtw3TSsZT3O|+|H;rJ_a^i|#jGE+TTp-%*`Wj6yX?jG-7ws&<{UrieA9d**A}*A@;T(k^6lpa7h}YrC~MOS&aZe@4@<`DV{wA`kbs<>7S$MIOd_2KIfC z%0T9!MQR?pIZGaXJ}u3`3DOFLY_VF(-f*GHM%cy9bdr~#Q-NjelmulOR|y#H z6MbE~YuF&dbyMhwuCoXz&qQ>ofY0UzT%H?%2Vje1om~C5b{Bmx7;IkQS-|r$pc=Rq z_%h(i&v)m0^7Fk~1L*6KXR87=AG4dtF<+g&bOuec;7rvt*YdDe;=)g@=~Z>sXKW<1 zgD=hmN3v3%bOyubaUb{&CdJ1*3wd4&xRiR$?aNZMp(0At=f6E)?-ZPLmsl0cqW925 z;pYf3Lr;P%qkS3jY1hP(rXK5ens}_= zY1*-VXGrH{il|AHJ0F+ z54au}3oHlj2c85NQ~bH}Wn9^R(n$7Lvin=}_uFmW8J;S#|FxR8W`JkwSo^J5pDOi>`o}^lGhX1}15SywyGC2eDaj_2p84w3(reAuhLNh#9jGXb zH2rA(Y2|;op2NCLNyh5wY<%9;Cb=U_^j`s`|H@N}nznXZ{iR!|-QB{@35I$yo29Mm zWRc)f5!&6OSwm(U^4V=G#pIT!+sjxVG`JDR+=Q`ZbgwtMC!bNW{~RtlDZ0ySZB6!w zzI9e~k2~R;_Jovc`kI4-Ji*<2hipoBoK**%U!8%gZ)5#JkFnmbGkwd5?lHVu$=q1q zw8hSPvt<1@$=cj8x7*xLf?o@S_dkT6o%N~W7a6{3(P{C~_$IlnaA-?qi(K-F6eVqy z(?GgDGvebtOXTTCX6ck zkay(Bo^YSa2N&f@0pT*0Iieax9*7+IN4VGHKbGWM25vq0N~&OJOZnDH61TFg{eshJ zhAuxo-b?Xi6haZ9AsU+!>t|8iFU1|&A3m*etySEGR$VCVpOHfcC{0X|x-0F)>=8tH zoFsU~{78)UTgx`Hd~+LXk|d6d`b-G>TTF%4@qKF?S` zws;cKwXy0KghQAQpQG6KJv^da9%GFNNoG{`ez`Fl4IDeZ;a@~Id!iqBQp=)UUSmx} z#Sr_kOpK=JW^eQZZ>lcZ0 z=plE*xsg$$z~5*V_iOVKQ`}q-m#I>b#3=bPmmN@okowubmbV`dbqC)B+*Du) zPy;LlxUstj+lSt6bl7QyHSH;U+T2`*53NHqX2T+5J;QA5@JZ2@ebLT*W7YSmEVJ7K z=h8~yz?iz^GPQ5cT3NUd#*6rS0Mo%lo6|Oii*&Y0ZOXJgRwlE9$QMhwSts(0WHhw- zk31%fA!_4m$~0q6TiHj^W1fbOjP+v}>k0vtMlOllr_;Q{L%MiwEVw}{BCTISBx?=6 zt_4bSo)UJ9_PC4Z6kxXX9hW=lKbPCy(e80si$G1k;UUz(bwtB$Y`H&%^99H+JBU#MDmJP(y)>Xzss==yfP znyao8x>QpubZs;h5vX>9Q{$tDAnlnd((LR=AMjIc8>NO|Wn!!urXtPHj!jJlZ3cb= zybl~C%}kz-wE14O;PWZ*)Y~IplIG`;R^nU*d<8Ip-vT>;93II$J0m_|7UNR>wImb$kokz4FlCKx?x^^9QNdi*@^EFyUJSN0Clk{JY;lB- zzH^Z~SSy5S?htl6A~I?YK2rFm0wqW$f>6HsVaLzDr?2}7uQTW`n=EF+|F>8*^8p`TIAD#*je?d!R?&CvsY zoQ>V&Tjfidr3P>HWY^j4dR0fn^L+Vkllfy*tZEprE3 zfjvMMAm5@qe+xX%`y607@ME9_aItt7`y=v`^}4b@@GF_+S&Mhi01M3)i_^SYj*ieA zrI)DY@bhr;ZpFZ&ig(*GiP1Dy7?@&-ns+O!=cwY{nMflfl46INcYl`OW>oR+Or#=- zWU<0_i+BG9{PA~b$xGG@lOhl-XKO4gd0;mUuZOL@&L=afxOOJvCkfOj&d?FzYmcai zifd;g3TbFGFVqoXZgCY+acw(d=$4$0w6IOgNOLcwB_;PY>}T9(@JE&iEWHHWn>6mr zcql;(`NJAXBF)%iO`E@ncwx(v8ImX8#gOZLz@LDdfe$X$a5DbYhd33$4ZzQVzXCD9 zkrw`?d6zIS%j`?>uN_u=iHls4*3ajNBSLSsJSVK=Gss`@vHnRH6<4~KUNJ@_EO!I9 zt*OAuKB2zq!@Sn-HFMAr zy$uV@sEj&CByr(tA*v(!8mi5xj5tRmSzYBIny7aSHyJilttm&^4 z#)!M2mx)#BurCs3tar!h6h(?7syKXkjFy6ozPTU5*( zVS0#)>FpSjjtO6`Rxxv=Y0e9fr?2A>G$+pBI`~~{ZhMjpTxB~dwi|0cP@~P7{Vn|4 z_zM2}H2%-?Fx$NQJ02sdTC=>&%W-R#yGcajDC#D1Tt%h^zgCg6)-D{{CL;JU>33YO zB2t07RK%?HOQ=#J>M5{exJ2CARkmYo!dF>WCzvS5+FvT(^? zD^Cx-0vTEJgow8!wVWE1;k-1H!TYMSXn@&tAQ!8g9X-;Ejr}79i=K)eDO~b=^vLO< zXS1`am6I9UEU`hZOVShC@JSVIM$g&ktnz+Aq#XIlXr3)%4stsp z-fz@0FQQ^)iFiiy6?QCdYPDMDDS;wek}{fub}V1VJYMBmgJ-8*lc;ki@8pVI<)wsE zrFV-vWfSCQ`qgEMwVEO=WsO~nXp2nC#;QN6ff}i#66PCJnF?Jb?>i3evKr8QL-oP0 z6}@EB(49K*LK5I>k))G&ODuMqb2?MErU!x|n%vdzSm82@J*lxenz!L==Bh0E;kp17 z#mk8jHKcqE+BM)BPJi6S0!^Zt!w*Qe~2mJIp8Sp-sRYi zf7TuR3Ge6f-k)~?_?6!)&epA)OT0buWNqZnhhKe-c=rLVz!$UANSw@{V=ZRqE6+Yx zu$RK~hd>+90Z91Q32$UXUk4~0P_oFM7--1dG{58f%fJy}kt6OedAIY|cx$A4fW9}6 z>sI)){W!xfr*|V@7wDmyHIEk4kg%FZD;29;%fl&Pzb`BySHOOkKx+L{zQBk!#(+vs2@_lSl2;j!THB zl#{h8_Z%tvN&*?%C@4GdL_kEC;h8F8j+8Ch9<8VBkR>OoN@L9dQs_B9t;{rNL#mZ@AS=$KK?ME0VN@MzCMsH>ivL3HB z^&+gHL-|k0#s6bfr^wA3|M5H~)QSlCQYI5y`m)zOkCNoLS_z-BC?~z{F;&DI>bXlI zD(X4QTK6>En6o?!U9TudPPi8hGq=|#UplA`A|baZWs1co=vtdkP)$qq?SezYQQ#%v zL5iCQ4eE4G_LDQ|XiVVMt%|iW*?Yn*I_6WK9EX@yg*5R=w*l_*`;x1c~3$b{Zd zAiA!w`C)1~`E!s?EkO0iLPeFc31g|K)MrsqMV0(wGug1EqEeqxQIR2ps4~pnj0vYz zRD!uWKLO<1M}(L1e1JNB4e$XM022XPg<<3s?x7W* z*1xjec5F{5LDjk5c1UUij8)=QgV|wcm1@gJd1z*;_a`nEmYyr2IhL_%3YIH=j+4sYVZb(DDL5T_Ps0REYiP8gv2 z>t-Em6Uo0pA2j`RO&>2;tEO+^;iQiXx}%Rl1Uf}DpNfQuRxhZxGWBp#Xb!7e3&ig{4sS13)XV5O@Ui1)zfy&Q&FRuL8aZ`~Wx| zaHNBNG6W>_qx2bGQHtbwwR|oLIXS)_Fn1yQ;$~lV<=2C$)@MvYBX_8m-f1@0uUJ^4 zTJ|~~O62{XG-viyU^I(y1HN6f)SJ2i$+2Nk4y!eq@3SMRo%yR|XMS=nyIrbsQ5*Av zYNu9g!^(4JK&{0ZKSLwFE3GS%iM0iPb$UQbpxw$^kO{_yrKb*A*q*-hEC^+_u11=Hr%NPs4}C`dYC%5Z$oqIk7spPA8hi z!=78E;j=`gS$neZ(ny`DkfIqY+PRUBX*o8016SU|$(^W1H+d|59;GG=LIF7z)-#&y z8Sb6(aVN5WLanxsunRYG3tui*G+WY}vr*1f8$=P;JO0qaZBjC)qe{RMs3MAvKe!$kI7|u$QHt8l^sGF4OOcyiME+!o^ z=1=YF~2CriHbg<;|w`XC9#RaSmURT8N@VY-l^3B8#H1M^3Ze6*U+YA3z63` zwK$f@wIsBdI+97l3&*Wl&yfg#D|Hr9NyDQ#%Q~Y;oW9yj-4f*1WGp6x6hV<0=XI8L zwB3G<;`3<~Z?i;1tTt%$X*xr)kG4ulHPXsCQr2-`VT`!AJ=H+6NoVizh*vJ?lBgHPvh{&AX+c`65A zsz61kP36@-(HC@O9%FiPH{6g#Q1q6FvGi8u6vc6ZJkvD1O1je;J@ zrR1rDFK`Cyqev24vllD&AQhX4LNsb6#(MgUTGry@+`&sGV#fwN4qU|VF~Cp8yMud~ z|BeBV^8PSkNBHi&8e0%%l_q}oAiO{D1K!v2lyFy(tX_&Z2H-C!lE1>9d4XPmUcGu1 z^)`a16&3aAyY@`t=K~WdU!_45)PJOvKNtVW100*JIN!^8O1f_l)(Nx$&spEoSxI__ zt(nA^xS2`Z?as{XX4eYvp95SCe8aAb7#QG#L;mzR0sSf#2Pxw8o8S(94tU3kuj+CV z`R;DwJ_hUoN@>egJSB~l?xgbFXKD9GfY$*ZX+{CR<$W$7>CXd#fR$Gv)h{e8^Z~qT z9du#7x6tcHyW-4C@{lw)@$61EB_HJp1^E)3&N4MR^PdG8cBEUcSt?pX&`Fl8SL{uvDPj5dlCtwS5 zMyCB6`;>&KkWp^ak;zkK+ zCo%rLgRjgQxOLu;Ru~Xb)=7it46R0bHvE9ytWLER%{ok}t*(}4b*5N*Ex4Bg=K&W3 zKL@@Ad>!~K;L3*wl;>wp&EX+Zck6_7tp z7W1zs9iUVkvc84;sACMW5A{lUR~7ycqir5b|Lq3b)inlo3JOcPWLpLfXYs_O3uFT` zHL}-YDDYf3SkV}4%!~EjTpMt!OslG^s#A}5_a)lup%}j2-~Cr_w9Q*p-Elj8$bM{d zkm4MfSE<~qJ7)1Yde{>hDBrxXxxOkq^UK2T38`(h+PjT59>pyES$>y4r=v|_D>*o> zDi$uP?ikQr4zfJ7ayW#*MGn1;X0cPzIp8ENDgfiWQho zX|s4&r)<>{zUy(iVa^QX4&b}MFZjI`c!Br+JU4aSor$G8qsOjT%3=P$j_u0WM_nyYbw&LrHzX_`*|m7>qOv+_!@M{b;iIr-JYSCo9l z6HJYwoWCXlF=Jy(VnQ+z7;hynw35G*ddgY_U)e?4aNiYl7H*pTD-Lz>412L;m}d%` z{VFIe1eO62fY{a_GqL<>ZG?XB?q6-OrrHB%OWbI>CEDQ$&5w4tIZ58(4u|6Y$f4^) zgCd7+4KLsTOE~<+$TH72!m}gGyrFQNKEPQiza=k-q9Uh?c;nf(5|lhG2?4vOYw8%ZhS%s zk6roW$H*2L4zUX(4FeEdJY&XZ5~Oy0j*PDY#sRZ{uK`nm9DF%H@~U{WEdK;QmS#mo z=aQS_Q@i4=Lpv+?%gJzew9~hEbonQ#iwN6axyK6gE*?%;F=2Z+AEx7Z77ruL$62on zrq)(89$mUV?UOdz?sdF-((mKaZwf8i5BoMIWOH&cZ5J?IWm^QTnxMJU99XtHHn|ud z;&t^EyO!rAd_7||2vTNeMcb0u)_hvu72jlGUZpS}UcME~H(8iVn0N67gcTE}F_$pU z;xh>IH9dD*->FpIufFJjALLcO)Jx`xwm*Zf~dj1R;t8tWO8r!@yGh>8z+J zmdh6uu`1OqbIH7cEprdPtbRG0ThTvOIx~x92$?RWg}tJp-H6KFs57`P^&=xXoY#1< zIvcPZVi_?BRc*ARhtaf?0SPZOnq*^9IAhU`#>VY8#(F<4b8%vNm%eXG%)#C|rZ&1h zBplV}7WHErKa7pz-O;zMGB)mx?#*xAo7Zy}As#~Pcdz}v;yu`b%iOkNZx<3yYe(UV ztu7{z728}Ga!Z+_=eaRf=Sh7@m*8!9M_hB4ca!(SiuT15X}gXWWm29QP}U}B21Htq z4O7FP80X6uX^`wMgqCm3id(*Q7J*qo(m#-$^bR*W^sbm33|&d)@zWrT!CY*+T?~c= z*=>=%SG9EHMYguAHo9DqZ4uMY#W((n?V+O8r**ly@>Jq5j?L6*NSiuxPG?&4NfAZb zb4sz9SJAfk470G}*~LXBEk+x=qaKf$H#)|bMSmMHGTfUOa>7DYQZ^YfCoYBm%sf87 z{whE2x#NBscUL;Ij+18w2=pQ?52v}`!Wb%;@Qr{ARCF5Ap$rb0 zea5-tY@X~~ariZIHdZ|)|E`b!ah{-;c$i1zNMvydjagG{G{3@Ea%Ht4O=hn)CKsFi z4L&R;ZNnr-9dp$jOMsEpv#+aKTd%c`r zj%@1;>~GoYTkVdwb>&6g_L{vT+dEs5o}os|+n&OmkVBqe+kYru3SW+IBD5u$2mKVj zym|mBpq)JKDIE#N)A+D}6QyZ<3psT7B3t*YF6_z+>@oYrx3}!^2-UrPRblID4{5hc z+Tt$3OpwBUkT$yOO&K1jJUR!q9DF%8!mh7s0GZUSfH&m94qUcsDvXPV~RPQi7@h3XXMb!;X;h(h#<`e zkGYKI)%WZ4tJuAGsEHsm9&p{*`j-F3o?C9jdHUo)G|ywYqb;5o+dPY295Eak zaFLgevO2*=%zE1ReJcIu$LCStarFO1P5(UpucH6_c)k1oKKj2N`Uf@w6|~s@Pya`u zZdW$_A4}7J`>~VKKLYb;_x~39XJq=#HjX%84X{~V+tTT2xPiS#{8?=ULC(b+%`LpJ zhBA+cA)}|E#yVfi%8JDYGPc-c1Sh2mtS_$pvYNswc}U8y>&+Ej z8#iTiSz<46t+ny-j@SjDjZiiKFTn>S1u1t4O5x3NOuv;NIq2(Y_@fFu2eY+ssR)Xj zJz{ks>W)vds$BaSF#636?%)>S1z<1m2;kh~&o;v7;S+w*U3(d8eoB$uwZ?_)2}^4v zi_~WN4x*t8yXQt4g)^%7q_6YLNQOlNk~XfS9&Gr+uuy3aCcdabsF>aMmE9H7h7GDJ zraXggq>(FM!rd0=Q7#m z8TKN1MtKW_JG{yr4#WpUj$9Y&6*;mj)XUN!>SO;AZV(OsBR<_DXa9T2+5hbC(N$6_=sBc;&6o0{~O(AHAi#S|Ch-X>%HpDA%T%NKvDApQcy{^p;VVk>m9 z!){W=26?Dr|3b0iuH_`fiee&~Qls#Qr!nE6AYla^HGCGP;O&qi`AM{=5R(mFWgtosLM$*Ij#RIp=`n#$%>`?x2)GSY4?JkFf{D;>z91@02S#pmiDLN zZqPND#Dn53kx^~f3QyUXK~HV8{*qEGzOqMcsEQ4e#ao_Dj|*eXxk!MDl{_J=6rTCH?}Qm4KD@ zglF>Q`!V8`@caxg3djd?_+i>tiHJ~j+PM;qTTtees_W zE3`alFn(k^CSblHOL5GhWL+f|(xUChsNf+tW;c6|Y4goQn<%!~opRcr6Gz9L_P4T?eK3`+w!dh&+`?4wyiM1! zGChY@Y81TGx%lcQ=8Gq5fZv*cEBZ@0#$QV(G)<3WOhwlx zw$o>=(`D@Fu7ogYOwQ|Uo#SPGW`&M@_2^<1G3lsnn&QP)r49ElXaQmzQa>NtFX$7_b&jLRO z8iC`|<(xI3f1~>X)(T1P>P0?oFaHEK$59?M*yts=0h;k9w2g2Kr`nWOc#8k*rlp#f z^H2)U)ago$NcE0fb!-vtfUy1%ou_@?{!C2>J9Vmuc^K>2+(-2OG^zG&$)(-Xu>fs* z^Cw30ZvDHx<^Wl`%#YO&GuC(n>80-YB}&Ndjz%WDm!T0k)J!FO%Ty)yDRhwSg+@*) z+lOROcf5+WRNOUnl^smw>HU?2ubeN5CD=yMf?;sg;}Hot-ytFQPquZ)pzqD`_0EEZ zLIjfKPqPpVJq1NMY&^z|;~h+DCLDou%B1^ALOiOBE9Xn0UH!6ozKpx&y4|({E#Af9yAhQ_Dux)tb>%vok z_kfRukMbwm_n)G?_l$uZOaP_!G@Wn+sg^9kf=*+-X?inu!I~apQM$#*;euV24 zSHODnb;wx&^0b$Te@L$nMZMRH4%3ZiY51!5!pXEz(vPS@aJiNMs6s|{wkd;6_kHQx zY0ligdv9}*^1o~}O{WG*OMCz=aeeZ~qD4$=i3ML@!b;V*8t^iu=Nlsj>#od@Zo@zo ze442La04VxI<+PZ*9ZNecH|OUC5c>>rLUW#wF|@2`nq9yIDDGE4jsfGYGLWKTJQ3^RO=P<=$@M%zkwoG`UnkJo0xI* zC+Yo@?v{36w@YQ)=6=#r>dm^;X?CffzWo34f3o}+e*!tn|1+IT*kXbG($RE)y+5(G z0Q~l@z>Xj21TF*e0120MzvGB_mXCqQiPHkK13Q490S$niF0C-gS@+wW{Gax(?=`D` zY3VNA(yk`ezscyS_wS!c>FD2EKdpc7e$^_KV}dbV>Tq3Z2@ge8pWeSSviesa{})A; zUay>|*DIy+@TEBVpmtBSR{*7CwY589(a0ocZT@7*D6BbNq7_(n>wqR;HejVY={d5j{uKRuzoZ z-efu7-Xo`L&cTXT?Ioplk*s3!(eTsa0m;)?Ow*?Q24pvLFcyqYwA8J#|E-k8eUjmq zg)r3iH&$79GJpW~g{3FgJ`Bw~0z3h<0T9$FtqU8;_BG-k0{p!92llA+ zbS+F&?h6oK1Gf@>7hq+pEym?v`Loz8<4@aCHU?wiK$g1!nJQ+a_t(UWsh->8gU~kj zqI31h9ks)@JGuBJJymgGi1;P=1Wryvj9#O9bDzmW{1SMSPlEbs$>&*dXL%*?JT5jE ze0jq0B{To(J0i05^s3-~$-^&N1?%1NMqO}77kmQ`XC^;PCfoFVkb8N!=fm#fxzoOse1H9lcunemEX z3w-&xZV@bJ1`f9fR)}_s0EU)O$Z0{_F@o6sTqIK5d1@Q~m+(p@^Aw8@Cd)~JPoE(? zTXmp~kJCwlRg89$kX4N3CLy<{W#?$Y^H#^;HbJ`#jRX>E9CYf=NmI^HyWn)lkmEv5 z>^8wd&fzw}3ej#89F%*nqd~D4j@9UEE{yft%~x0=@7{x*J~Itgy{)MpLX~orj<2mb zpw^Y4e05oD>MWx0QC-%P{%ACbqfm7XD(xfr=s{qtSxop^7JKoFIX|cAMeI$WmjK2l zTas0~GXt0T^l55N?$_#;I-iHJzQ#x`=4b&K%ivI3Y@HmfSEW&u+WD0QILs*ZUG-}d zin#d28!jL-B2ap6*<$FjCHd#)q>I#%px;yI8eM3}D%9ExKo5_Wz}6sS8`p%2(|C1+ znT16eIFuQ?VX#F;NLEbgVyJ?ykca3BWdYv!ro*op2k~oyj6ih~zcJW1w29PdS}0Yt zfSq&S(65}~XJx{_?F`q4@n_9D__B=U39jF)WUqZSXJFyJVW0sxli%gQD>2U9@ckYj z#d{lJSH#`HdcXtxfZrDqUJ3k;_jaCNB>kzJ!|zG_1FO(=lDA5eHrQfvl0U~e{PDz- zIA6$lO4y}@y$jqA{Kop8&PuXzoWqy+5?9Zl))c27%ynkh2JpWJxC{7&U6+%b!*{k> zg1ol@6M^5;HV*^8=lutOs-N3)(sS_==Q>~xAbAW1{!AX-$zoJXor`zKQ}+CP+~mwc zvoYVADPrN^49gzMd_(4EWf3J7FlboB$a43y!kxLfoN?55X$eFh_@?4X$-B`8h{8LS zJ}#fN^lNP8+?`b^#^Y-57JY7#?%JF*D5xccp&78ya#Q2@FeKNi9 zgMXtJzW0|C_QE3&(LKOQAOZBCcJK3i29WSiJ9kfei~omB2o7bf7>Cs(aOSgrw)dEK zmpE4NG@OmCPrOQ24M^5(Ajx6QPXCfIVm0=jhZv1-S!2Mt+4mL=e)LO3L78xdZ0Y)C zgcb|+CfXZZT%er>JfG>U#9Th7od>La0Alzl@GIaE;8feo3nn{=zZdwYN_S$P1JJwJ z19QuB`Buf)+4Nw6{1ifrXd>cuZVq%JpJDWXR}}cS*vb1Rv0-t%>BBwWRZZ8#Bd6&` zWjCGpD_HtpG~GKo#UFVzcZI*n@wvw4So!AafLps6;C4?5%hO>BDQqu0zC<$-|F~}; z+%ZmQvda@HQ3+W=#HxKy$pm7#A?Of8S?z$Jgtzi8iRXgdE?<5(>lCa}l zs9gIWc#Sum!KNy5ko}^zV8@^3dzU+$U*6Rrd);7TG_T`@l8nTE^Afou;4+$I@1bI` zFEom_9T^!_8vbm&)(cya1wm=(eBQ8Jul1;ftw^c8uxm$D{J|Dse&bu!!v7`c1;mTR&Wn<888C4 zn%|3nnY`Z%yaYTT`4u2%6)3+3mbYWSyTC1;kKNY!*7E0~Exx+?;nUpVxsl<^!k_09 z6esOn7{zmnzakVeHh#ze+QByb&S;nNZSc)~_X@QoUgy!e*VpqUd>icbMK_6W19|?^ z`{Ihj;@hC%5sMuweUCHOLFrrr-%ds|^Kh)~22^ zKe48f+3EXbn|86yNpH52E581WCNbZU7j=MaXdS4^ssM-G!x`n+uWEVY}vTBiu{ zh!>8D=hfnuVQBj8jCkS5-kdL;D83n3-@$`MZZVoda1raAEt`Oz@W=9rL;HMfHJa)i zU!4b#EK|?No@SWp)u0?+c~~RxGahK~gfp`rg-qFSAHo6<2fhRF;gsgnO~l;*{04X% zaFa2zf7;c9deQW#{5`x*oJ%B*b1@^dD+Lnf+#!+vn5_LhkjXh)c3Vh!Y!$_dfRDBYL(?KVm7h91l$BH22=yk6x|J9 zN0{e9;@%B>5BQ~|vzDIeIFb=%JKIuPLeaNe^>8NWTMh zk4k6jDp4PzhjiY7^{fc3u(}l?Y#xDuk%@Q3EFFcJa~DDjdNSt=>M`fk@c_dfLVRybE*vHN!0fb{Fh{u*t2jJuUL1 zu%W{M>l~SjW@qHH z<2JGE+QsZ%JH6yL6YL5c&fFNnKeWAjWHJ(FJG@6I3%1F7guZ$}LT0DZXM7a=(^H?3 zS`e*6A_CId;Km5wU@D2A(5T{zFaj3!t^6Grth>eQ%9n%qp-+*leHhuCi9+LO^w8+@ zJTJ1Y=>gZ;`9e}+XpeF_(x8C+msgt7dZrVod zVFT=d#ek^@uZ0~C5aRZ!&q)6J5$uR7UrAX^uxQD9EfD?m#8hVW5fJg=+z+q zOG39XC@H^Uk*vOg@7NYR$VxjE)|rYokzf=tgm7$K1EogfD0bgnJ@v!?{9G{GcYzpCtqX zI*mJd0`i=9#=1W-gGFt6;2DIW89A^Y5EAKVv zEflnO4afcbaKrQ&1zM5hEWi}Ij@*G`0zrK-Tx~I% z(xirriSU%ri7;CJ07?~liiK)-d(BW;^LFLZT=X;ehU97nI+^)E4Pmp=sB7+EwFgC#i6{~qDbq$^%m*7i=?->n)DX03&#sYY+4y7>>mWw z7w3vNiItCO5Gp?$p)MXFAFNYWzNo*r4$~j$6BzuCV;e77sR%?@EkJ)Uk0>3YzxW8e7!6N_Z$9z{3K_6YiLa=@xCSj1bYIIy zTS1tIWSMd%S#IXzu0MU2{O4oNUq8VqB<(A}J$wOy^YzFGo5|w{S&ntp)S;YmfxmG>(1UluyWr zfz}~vCqm;?*rE>6PJ}*U8lr^uhQV$XW8^;S^8g{B0cF~U{@JOCS@0pW!>p?geW-`UhYhC6ZrlL0osnc}(^VGjV_ z2YmJ$;t@U~40#;Cj0#*b50ytBgwjk_2l>1HqD|a`2#G~;49`G|D z8ez^f-Ozdo&4Xw>O3dqz(MJ?ETEf;NzM4m=3+b+p=zAtqA8{w%`dXHR>gGvSon9YN zK%x(Q#IGJ9Y`W_sPI#6dHem(OIAeXpQ)jp=G(&cRwSdoTYG`KvDf)=Pt+H@^#HSuc zkHw#Xkv`%Ez6dK|1?7@|uRfyxN8}OMdLp~&h} zH;qI%pTqX=expVrzITAhwLG}rCKva;PJM$I?Xh|97m2o%R1zmV&-&G2u!KFf-=mU< za|);=Mg>(8qd6!edSaoQXzrpTM1%0=5dB}PC@7jMUzc)zmF4Pk0x8)^PzcsMVw0^gR*YBb}_g{Y9 zC}bB@NZi9`w^_{Y^z|E}kcj&IS12TU{iQ%B7cdL($cqsP*8s>3b=l{5F#-NcfF6(r z7y|e@81HxLBYJp!M3RZY5_S@{MMxj9$C6vNjn$qM7O#&ul-Ea;)GlZHE!`CotNHM= zVfCVr*b-cb{ecRJ{rQbcDg(bmnj7K!$34Uu0gc2)9<5qfsNy~}60tTkz6`l}z~z8^ z0P6$KKpq7Ww+ZD4zXotS;32@(fY7ru(n*X$xWNFVOG{4rg*-9&8&RI+)cT0!h{w*y za7#Xl-$NhqA9wTPl%S7z6nksb*Y0GsSxwgO)JN<<5yCdhMd^<+F=u`k*2(AG#pmpU zB@FKD{-r*pCPs;=@EVB|kP7A}gI{Hci;8mQk5S1%?Tdi2#U;QkOd~O^S4_9xCD4dh zN!){t1<)vi^1ux;u!2+n?LAZydy|={M1mnQ6UBT=^I&0|X385>@gxNloJ>9PX;>K` zdWC>zppqyYT3LE6+2`xUlJSa&gXpWwgYnfl(s0B#nggf#J4D2KY9XE-qBMt40pk89 zEksPwlGx0R*Ft<2s{n`_vvb#|KTr!%m~gUBV1p0Y`Oar|3Y7sh#IO0OMhjmdEBFct zlqiw0OK2HK^>7(2y0B^-##du#lrvC6yeEXBf4CYV&8B)&LuB_T#o|=6yCxv7h4|tf z0;iz02DK0m@`Tz9>z~m=+>h-yZybHp%CV1H=E+M!L0`ABm>d_d|E-F%upRf@}sc90S$v2 zKgQv~>$d>^3jk*UlEku{LI*LFX6J%#HoyVop#><&#=8{2a5{|+B8B+`@DBi`@gU#| zKyULelrEryi1m&*9-o;$+#sfYC`d2~`iD$nCHGb|v@iw4wYwR=m%=)wLfoTbA05m0 zI$;Wkub)N%5rb_vt-(GN5QR;G^eCow!%GxExaH1U&_;v8E#1z5~7w$o`r^o zsDGHwE4-ab|8T`?jNaw2_|q>5e^eU>(fpIn?MwmjK6p|ZPxPvQxG_`#aa}-hZN;B! zA#=70$v^>dIT$eDBUxLGSNID0hsz?MfH)gYlaFMDhnp&f)6>H;k`I%Ghakl*meMdj z1U6d-QHT%)#FLoLpmFxDfY`EhFV=a02EgS2G>tPlXIcQ75WFPBI|+Lo;9kIA0pu65 zUdN0PRoG4c@Db$2^bdza`48(mR&z48z65%FoONS&J>Q{E*^T|8m#HaIOK>zWCfX{6#9f)x&{esK& ze9FAoCQ~b1h4`e(=)Q*381?w3G6(LvCPL~-UNe$(84r8T#nIk0A* z@4Xvnl6wplX0Ud7EXaYh7zuxAk9-I5`Fe&EW#}^(V$dIOQjVf}1_%g#j`x60WBESp z*8!FTRsn$O8MXDxP~n>peiz_Nz+k*v0P$~N{{gTbkb(D8=`?oZXY>cqZ`=X>#x>M! zLst$WWwX#fP^TGBjgTogc6L*6T)l5U1X+gn}^rMi0kmMzjZ9V@AlSYc;9q;~51;>^#z$^)%2ABXuWBw=1NBOyCaB|xH>38ZkLcQ@VgIpx+n^w-)Bsue*LDR>aV6jAHtY(M-QFhUquPGX2JWA^MG| z!yMEo({Ds9=r=|&{YJ!seq&6iej~i0--xeIUqm%OobWzF{YFfA6WB*0{A)t@*0gN= z2mLjx=VxBl2-wo^3;5E z3G)+i{mE1jBx`R&^bq|7(ie`7`10IORO!lxwR3XTU6{5L2#y3huD zC^#mDwMTJdZfYaiW3L*HPqg?!pIGEP5O5ygOlfsF!X^VW0D3M2m;n&B{-4XfTN6FB zIX7a>Tz~V_duoplUm6+R-h2gnimGjE*SC4%LB$V+St$SEI-vy;zd-+8{9gK8y4sPx zl`ej70^c^5JlmwYG!hf=z!%e7-vjA>(-+gXGSyJwgXyTw{h&dm_zNKc=ir)~;qNXQNLu_&ssW)?+qrnsK`S0DS9r4%T5N)DN0~ zBn2$lW@Yxief2wjsy}|-(!sb|a_akxZBk(|C2*)qx3y^SW&}|0$U4Yi4@OTM%b&ho z8;8#f&hj2NeD4_o*}a0Rc2iAqyf!&yNho@NBJd&bp$t6(Pyn_~fVZcy??7Gd0N=#wQrY zzxImpi2%lXS@H3GjWpc7LIoLO$uBObee+BaeEs^=FpQFTE!8b7(>@O14e=x#OAo<0IW?)gK>=YePU$tPg=s zlT5M=*Y9;UTaSxm{h1OBudw5R)P&kUZm@Q`HT7Ng71*U-e$CkWt~7d@dkwzcBBLkW zHRslMCA$aJcO@aut^!HJ7nsH)!;YK1IT@f()SJ9EEse9pe(!*X-#OSfACv!xQ~1}y z?@y=jZ-C#Mr|{Q&0R22bU+pNYJ>!hr`05TdC-2gXs9nNmp&^(~ zPR)af$A0>xX-0hWi0WoYgwKxyg^vNc04HpDzS-EF2ZiaIl5;>0ujd55=d&uC9;b{b z-3oCnzo%;^+F||91O#gM8p-Ocosw0_LXc`)F&`Sly#fvXn0LST9p4IwPuK5^4pdcq zed~613ALT#TBXp9jBFa_^(3N5xWwt~%cf-5@@DyG9Bqolb*OM`#%{)e>CMxQ0lEMu zrlarj?)PnC2{WW=UM(O^S05A7E4pDMS#=$J>Q{Dho)z@<#9hb-D3(5r!l9EHfh_sb zxfgq_7E=}KFGCc`Bhhp7w)cP!sWqVLS}zK0^qeg-XDe`4f3k9`{W*df;I z9fd`_eGt9tT{zArtl7;v{9e>B;ey@02=*r6R6K^ynD%n%%qVSL=%q7*>y8VT&Kzf# z&P1bEZu9PF1CuuFl{Avjcir(?m@DHN`}1Q(-Ej`r7Ox!U-BJ6QWk*+Rd~5CA+QvvW z`)j;Bq7D8a_R2)cKR&*_F_Io)5jN2hUrRwJMXYo?AhE(83j2fzLO6dPXQ6C zN4!Wj)oi>xipDG8S2Ib->nwcrJb)Z7>RCCy?g$~_-BI_MAM?~5UHy|dsDHvWk>g65 zcw|eOfB~h%|F+ij<2dmJPHcVk*2tnF_}zX$q29(vOd z_q@crXUFlly5pY$^J_1tJAROAIlf`9XSBAFSj2N7Bk6op617FoAQR)1uS~=!?te72 z)_h8rl7*IMI=W-@7x6P^HCa!12hi5es>_IUm{`#qHlkT|on+fBHK>xhUAUx&Yj|7I zK>2&Eanr-83^dVp8}EjvsTRh{fsNL9M&%={S2XNDKt_Y)L}+wFpV0aqgm*4YWH>uq2u|m z2-zd z`;+~R5&nMlUqyJn^$q}Sh*S-930U9`Z8Ux=8f*NF#*80%@_Hd-K-6`)y+ge_XgQCy zhjMbL(@KQ{^uC?t`@j=04OVY?m*ze!PZ}+c63CfHbr@3 zOPUhuV~?abg=g|j9}XjOo&X_MtNNJ zGygrVHPMpBh_w1|B0N7RTY=vi##P{s+T$bK16S>JpQVegmo!|0Ql_#hUh#4B8bVv? zZ+?)7Vn4`>wock&fXQRk0@!1DA^qw!5v9O_=b;`jjjLXgkk^r~5Uur?qmGU+9#NoyfZmbU6afVNEPZfL- zdRJ^j<5dw2A4wWWZ1zRU`^dX^^1id<=eW9`iC3>3T=z3;D~TYlN_!LQPKVb0jG)++ zsryCfPceAl9ejTR2onN4!lVFP$NVHWj6t5>Ht*}yU3^B}1*Y|^&ArnOF@JoS4tx`} z8*?hjv)A$W7Vm&Ef^c;)Lb$Qo?c5bHv||(k@OKx71?a?8NX^k!y7jp+qIqV7_jTV` z3_M;;GiIDk0aOuPx*nT*?8K*eCZ2L{L_NKQ!$y((MoD*GecK~mkTSySK9Tj zcm~qS(7PM6N6KPKy+3v(CI%-uo()Q}g=9zk&VSD_ftKw!LNI*q93XtLnG*0$!m&Xd zY7N&M&N8%la@S1CY_y&`A<7sjxqb`kU`?#?+ok8ZFIGVVjZ08kK-CP>OF(#thuOhzGTfX$+IgZJHA98(>9>1alYR>KcUX=KZ#mf z{W9W7R?%$;s7E8Z>54l4i{HYnfv)60ik?xxiV%1k@5X4!s@KSlk*s=!>?p~q7hsbp zQJW{^L!`CZ?UIHK@BuqCXGeKwbkVt(cM{a+j$Mh-bP#!g1W4N$?T$7^VRd&r!hJOY zdM6F;aMdo)ux1>~n`vu`^hP(bDWOo&-7uhFp=AhE`PL1?BNKwd z+rF)>L&M&|4=j_o=Tq4f74zo!MV#+%be6C)VSZb${t>=sLi{nEN7sp~0AreG$9CwH zA9+=GF&^%^>}1QD=#*3QubTK5U7|aMHB_v`8|P&1j;Q_uO)D+B1y)m9*6uWw44ViL zI|C=tZExxIzc4;e=)iR^m`(;paNt{al*ZPLoGmgz`6>v zK$l)MTd`tfPqvxOER?Xwr#0R)6pP;!_wu2eDTNo}E{aUR+{tJDhTWzzy#CsZNYA-^ zE1Y&h`G&6yLoo3Ynl#^_oA08Cmwj^D_IwGW2WDj#d81#ZI-v?@X$}$6q&B|dA#!U) z+26R*cLKuT3dqwC7X5#9Z7n&hJU|d!&BP2)}0-Y8tnMqK17|rXi6yzin&H zxG;X$nlLKtJy`z(@L1KI|q*@Hh02_E76vEaxl_+vB^76E_o_0QKk7P`KDOhpXKZg;<3 zwX`NZ55l65Jp^xzj%H>YGvk?=z|6tS9LCHE5ft(OGxsrb4>NZ%vz3`IF>@<3w=i=v zGaq8+eauubQ^w5On7Njjjm)fN<_c!InOV)ua%Pq?vzVC+m^qJ``OM5>=2T`HnTdUS z;Jl8RvzcjQW(G4;nVHDUeXNWJnE5U<4>I!*GuxSYn3+CizRO~Dvgc#W>|*8#W=1pL zcxEOra~Ly6FjLCRaWD-7sjvIa6Zu`+cSpSF3{Yw4^y+<_TZ!9G-BL2nCIc(I)DD^N zJ}iClq3~;9L4&>HVphFzzG0}&IUNaX@_94Pr(114x>{?_{8!?+MG2)XhR6ipJe-?j ze0T>@=g0bqNcV zfW=)1xDQoufUx)gN#grW5TTIhOoYR={gkaoXy2KTKuU%#cYl(3h{2qy!|GLYk(f}< zPrwBcF-_LP9kjUwIs~ZT?QHTKrX4n#JuyGuix}Pm&NS)bou8!W9!JpmM_RG@h==->@e!UFA1&{Lo!@dW8g>DNu&Bc!BdDQLGE?zTdR8>o z>K`J-qs>1g0~YH)>y9QOl||?I63}))l$b@4bKV%g$#)f~H1IH)L)yu_@DQ2mgJhcC zg;}z82v#~!UN2T*~hHWdzh896W010V!B{?t=y)g%#PmF2^$;Nn@-Ss16_r% zJ4TCVoQiN8$#c^&u+HunA56k~cg#^dQ8V2g(|v#D zqRJL3RxB&^BOM5IB9%>_A(RyF!YSDa%sELIGk#4|d;NvzxK(^8 zZ0OfJx;Qig8uq=`E+zJ=ttb3Lw0M=%15FL^&}==5Kt>j*6T9h3>ro|E!aFEAp3$%? zll?{Ni`!_s&#>Pe-SDPojPFMD_}D7i@9Fn^4m>*s!L|Ruv!`H}tUY1Co+iekKfP7Z z#CY>6;zib?<2?}QI&vR11?zUVNiL6^qa(UgbC;L^sPecM?tymc7d+kC|%PWru5 zqwC|Mo2Ewlpk28!mX@i@m4~sg0huFoP$EY&)l&5A7@$<_gA z>m|ChVIEvnG`~%OP0-?vGy`ax=_5rtM3wRm+fqRRuPqv%2|M5hxxBA+N}d>mF}hRH zdR5z&h^yLsjeLZDzQ3b0?il8CmrFU% z0d2p<=nM?vOQk4-Zw@)P`F68ZB&+7ZCWM|Q=Od59L>~1k<2X;hT`?Jm5aBzA#&9Yf zkc=i8`ToSe^hdm96tCk5k&hxCjjuIn5sP#8+Y)i45v9aRGY*GHG4&@SJlFb)cwEL{ zgd54@^D=tJ9T0_gE7%o7*hHX$s4*>y@y$Yw?^_gC+DWsBo6vbtJKxH)2g=DMc;;`!c1uFt zR(fG7#-?Vv1Fh-iRb<{(OXf2x$b7j5X35%{ z?_*Z;ZOppM&8&uMX5CL$x|XbctQ6Mz8yeQb@>-*t8rI>VnI1OaVK>W{#(r<=iAA=i zh8E`g5MlB$Dg!Zq%x>#Ln4G5Wwr-|*K$G=p|Bwmj4;OLGv;9AP)NFl-BsN$|=YIqy zJK4rhfS3RWn*o8B<1q)1L!tK}g*j|blC_PDMG%5`iL$FC#@h)IkeAT$k3;f5TCp;T zl{{xX+7Y#=|7>DboM+MODiOXQq$<#bT^ibjT^Q`b&Z%GK9<(IB{&^pA<=j!|F3{(c z&OVNbBAcU81yPsF)oF`d744qU^)(4mo{PPygH6(yn})kDFkM2{VADvl2Aa6k+kq2K zhF*#0e0pHKuYUAY;>NbTncG&O{k%wq;d|HcSza?Hwf(*Og+Azg>_B5r^$3>b6m~6z zCF68qg&n)nD}RQNxL-}>@Ma_?G?gbNGy^Vc#~vHwbPSrxS8YuWA5OS2CJT*<$%Nqf4pn_&!5*V+uXLEkLHg7=^i;cOb2n zl&y8guK{kr9)O-rMja^jSGn`U7ua>%>#FuJh1pDNvsaqRVRotUY3t}TV z_XtxpSwl>=*eK3D2#&D&!7+;Sob5H)fK&bch$i;X5i2;XJcjuX@Hw$Uv8dl{<=!6o z@>zQ4xBt|}q0kWR*dHmR5#^oVS#Z_E=qEXM319x`-7!>lnhe98i*sj_mEfMD+$)JV z&}2Od!3pX#r*+o1$KrF}p5%>0w)#DBd_-^{w~1VSY?Hdrsox{zozcY^J!+5GV?ZOu485kGw);OW@fHp zW-T+um0_<#J@X^!NgEs@;$fJ*^JKrUbbpk_)WcMG6!Y9wa^7y)Ad{Q<|| z{vlu+;1R$)0R5K0?;>j?HyCg%Ba*AdJN=%;JN+tQ-w0SDyk|^~$0Z0az0XD!@04Japa5xqDz}^bj2WSWU zc~T@d2zW{XMt}{l0N?~%54am}0%3N+ZUjyCA&qT-&43!X9|gPzSOBmAb^&C7Er5#v zae(jABDuc<-UYM*HUsVetN@e)W&=_I$$%%3&w9iegy$2$??>db9&kOt4VVka09*=4 z0CWPUgMeLt&44=qHzFSWsQY9Or!iE}I}Nsw($XRN|52kOLKgt12mRIoupaVJfRoCPXa4dy#%#!O|+{;(4lhu6Y$z z#h!A9YhLv-M@_Zeom|9m>7_uX2zX@J-FBoiE<1ZXrI+WnJKffDM}?yjsgV14&RSU< za2c1KGll}%oK-~*mkUT{Rw7SNk-Mx4MWS@@8_&(CL}^`)VxC$Vj-qmo%PwP{NRQ~t zyN$~klQX7lJU6?doH>juE6W*!_}SSUCuGXIXCq@4lH=0c?(#C1o4IF$7I}-ys;kAU zL>z!*c9q*sXz@7-Wy=;Tgm*>Ry1AeXd=a_ystQJiaY&2NCA}EL%5#WiMcgo#3`dFG zQ|{&jd#b&%xZL5ig5;IOK#TA}GL^;l@~TRzJmkY@70!3LjuN2^APb*wMpcn}S+zqf z2l5Sb@wiKpw1`9W2fG%J8!s&`E0$JPxus5r+vBX1+NFid+zywts&EmomyV;Z>Y>~_?+#b*y#Hl)o~I~^ru zH4YcrnX}m8bQBi^N&+`mwWFx4q^z4O+J?}-Fne-YIn}k;(@YV19N3wa)gE_x6*>dt zAI<|TW}s8(z30Kox?9InP*7avEGR&IRF|X2;VQt4Wl2=?Qn5>NN$pMt;|!Oly1L4V z%H+7&)3ORebCj0Yfpjq!D65ouF}_v{9a8FIDi=;*sf-<+tN;^@<t z#1!dD^bRCouar_3xDeIdtN%jQ=Q^eCQiNRYaH3o58IE!TGGSrSF^2VPLJLH6PVD+> zD$1*=dXRNUJqP;cAdcYTDsVAcs+D$3lf0aQ7q+0=^pzC0KWEsu2%cIPsl z4+6C)@UhUd3-|=^a!{`io)Ymym+e58$pPPF9${B9-+5Di;%3c;%EjWr4s}I+^3|D- zW=?*yZE5)hGp)IKnK|fIIrOpAwQx%uP8Yhzg0jjIA~823e=^^Xpx0dDC=hvu&jYxL zIJwHO%Y|XllY+i(^a6&Cg8BDoCH2mK%yoe%h3RX_XJ!Lg-aphY*P1>9wJ_7#N8B_J3t6&sL*q?K%V6c}p4X(z?6llD zp@~sj=II_NU4eBr3X=^Ig&-UZ2O8P3($ax1>jyGJ^93ogb7o~DVtP(SX7-d&zf8F0 zqCoi}zM=ksI!n(;%TFuFLr9+eLh7|UW>eF$GqSqnlbw@ake3gSw5*(Ls;ZFqGqS4xd@P%U4ZSkp#NlRTK~w1Z7$C13o-?v1<)H2hY~Y8?Zv0L>L1-XKul_{KX|^mYm@*7U!h~Xm zmMb4b;~j%|+Gb1wPiJEG8Fb5=k!Q0a-;5A9M$2B@(mNhGFPF^o~vtAs7y_-;WvndSqzZj-U zs+<*U5{VK}y6O3IY-qjHZ25d2$G@j#&p~;D{?jsN3v}oGv(u&tyve_(PtD0p5AZVY zmS>$VrZIg6@m)5tJ4=&)&#~nTdGPPKR$JJ+Eo(+zVEkZXML~L+EmJB_mIcR^pgYD6 z8cA3fVV)^WxW!>JIPVu-`k40zy?dGW2R$+W4a~n}Lfy7`M93%|#z!UM{}& zoSO%HSQ?>o^ng$J9KGAzJP?Y;)zCE|=H?-O4EKJmAyoxVyi9{^ND8zBqsRgO4p9IeFq!$A0;I(Dg6f zaFM6Qw5oON%&!K2^WE}4x4bs$r_Zh1GVQO8-}up;ugto3-=&syQ?^a`;m93j>)&a< zrSqvBSG;Ur_TYtkD_*?qn|sgyZr*#_b}uv}Z+ZQ@1C8cQ|G0T!-c5VnocG4ssQ8E0 z{WbH)UAD)zezmn>%_ld0_R{x5Uc7Rv`rvtw?O)ul$euj${=FAIxcQN3pIq&@d3A~H z-Ur5gn>jCU)9S}2wWS^W`No5aH&=Y;oH%{#)&HoObA0ls?;q5j6Z7KvTiVZg{ML<< zcUA2}p58PhZkvCayiQj*zO!XncYprwq1WcQl#7-e+AKWrX!ZzIv8tc=Qc<4=3DT{==tl-0@L| z=d5{e+*W>I`opi^{raYJzPRPDkDZwCMagdG$=qA#rWb!Rcc}HrC4akdi$)CJ}otU`BdFkN1xm@VB|yB-kx}$aff_X;>-2T`oC^(er~||mns~8JO8V5ZOb-| z8u7(~n=TtS`SAO(C7=DJVBQl)?<@a)^eyu?RutYdtKhpoFVJ4_xzifkk)>F3GY){b zr&DmO1slh2+#cbXHb@WQ85S1}I84uYz}X?!CAgEH_`47fnHg+4#M|Jsad5*N)>P_t zSL-KET)K2=@=|4Tm2=@l^lTI5I-PbREiTv=38lj(3$QU#rO|wW;`fY;HHT~>lC5-2 zguggnqVbPCXIdGL!;5n(A`?~t)&U*@>;W7E90i;JBq$>jCID=JVn8im9pELvK|r)B zGC>8H3RnSH2iOT{2MktYPYF;CSP$3?*aPSUBxn#1FdI+~SOr)IcnEM1Fb?!91+3_` ze7(~~XulkdHv9+#I??0`X^8ZqGK=)!X9Yr?fFd@5xOsE(@~zW2PMGMPa>(Ki#*luV3mn6YHd$Y4VlmpTOW0jvXXfX=~@35~G#z)pmXnP^sKUVd2J z1o&i1c1|vm!IX*3KUiK@a@;aZ3xxFvhwG?gV*7#X&gwrPe&8TU!r6qe_&euZZm{^w z+e3zizlXntD=+^6Z|8-k{~OX978>tV&k5J#yKC3rUcg2821yI-X54{yLqtOAZMfI& zc0At!z;~2uZ^B;aEeLxn-0^O^5n-;vo%0KD2O(uZ4P5*Ufgl%2&2{??Nr*pp#6?j9 zFP2_1a?}OqpFKSA8+uOUpaGH*!`N?VFTcSfqDKrph5v}e5x?a(G#Gg3i1SAvY5Mh& zFFEz)E(Q6)(0T@F40mo0 zz6X#C_jz!ekMEs#Pnqa_R(D5KL7((K@4xgu1A3>sjj|0ezxK0xtLTj3Xj z_k0W7onsrk@G0;D7J~?QhC8r$-R7NT>V>DMUkVbu}Q+ z{QUlF5s!d=-(PzY@<8}q%S;%Oc6yRSu#+@G=|}IvFM{i$`F3x=)c5^<=>8z3Yx95g zOSqGt(hL1gehLG6>}2}=_Y8-z-y$Rf%>36zGBc1UoP^$j@IJ{frx5J7!hh{VZUMqF zH2wZjcqAQpuKgZd0r2aq^tdI8i{jc>(|ZNIU&V1Fxc0vSyI;Si@N9~~hkt|K5gze( zo8B9?dpkX{U;C#Z%&*_Fcjg~_PYu4atdU#KAH(?Cft*F~x@C0d$;ZnFN-ypf6dHp> zoHP0n1uTq?*K%Kf$OvPLu*t7`v~U8&Pv!R3{=i)0A|e^J!VO8tYZOwl&^t_gCd<#B z{r*o24qd!o;=lM1Lo*e7dg3p@K!QUp?32JdP&59EL!SNpSp9S_te6;V%Del|avFb0 zh(CK=0R9N$?^>jLEs`bh3!&*z_%Z(Fi7h%&p5)Sc8vgy0fN|gad(saMdvPd*3*ldC zdVWw__#OhFqpRJr9}IDr=ihf$>$t00LECS5 z{{4Qt0iw=<@Nay7gRXT;8{Uud{M)u0%ILM^&+}{Br=|rQ^AEnK2H*W{`w^bryZ?Cp z_4flQ8Nqn|^&1K-0d9@*M{Rh8=iih5PbJ$=`Yk7Ufrsvig}wVPra&72C;jFSp1HUr z$V>jE|FZG_H?1fBm~kh#NI2cozi~aW4Rf()u|C^`xfky8mF>cs4EJG6aWCK&x)+e{ zvBMo`3AhWi9ru1F9DqCC58%$k6zhK0L7jYb0#3qjJ zzF#n=+kU~=|7H6H{~7bjKW2U(Rwyw zb0r(@@<*&||7G<4P3x&YhVTDN@9@U{uihv7e}Ueje9rIT^FMBX@{i&3)6Lp~{{O!D z8(m=4IR-i%<0BJfG9D5x;NNHDC8g!1XJ!(&if0!A!6~?rfP^UUDf*L~Zf0Iil2)tM zCCQ<(@E@@s_s5JA!TLJg)4#7iWy2y9Zo`F8voFJWUm_11us=udRF50}Bj)S>|Fo~g zkcM}ZD-}fhtSWnPR#~AF@{`t@G>)5x1Kzaa;*9e0j4~%=m#ZLGIgbM3-fwm)D4YqB zQ(DGM$h#;N$r)K}cO`Ebgq15Mdn%bkrc6m&f4nRtPDpceY;zz+HEG5a4o#3`Gn`e` z%OLISk|rgYrLvmQvP;Wrq~k`HdwB8Z@i@T2nW?)Ric`60)KwMqUScmVFSHje9;X@~ zeAbTVsyvV#Es<6@DhOlr1IsGi_8ML;isDsPNg*oBq@_!$JiL53iL@?tl$R%w&=CZx z#+6krv6n-V+g-KTQ8}JNLCULmNh`cV&I6+QW%lx*d@9ndD04wxsi>6XvFr<>H{z)- zFDrryLx@c7B2VRFsl5b(Em8<%@gmy-GF(}Cxnm*HMA|r(ry!7qg0w!Qy&*S^p3MP8 zXNX~!KxDgE@T2meZak1Cg~)f$@OBiwsMJ|iS>sY_HI;05Fmy*i*s zA?;p-K-odxKt&;W;*-#E#Zw7ME+mW!;YEeX7d4(FtuA*!y#={e7E7T6;8}=jB&l!G zQDL>plL8S5lWtWG`U>*?QbF1mv9I=^8M>&@1(21L3R2`0-AdAAToEq^j+(4oNEy4` zkQIj%b&-SNMlYpy7bLeAdceU%pF(1Pkbxxa!M~(BKm{ZwqiRAt!HXlZR-i~IT7})Y z*i+pr)_h%euj7z*#r4Vrp#gxG*bV|LInFhnW#=hGdyo4(Af8bw(lSI7q~d=S9&ee~4iQ zh*(U_&r=%h$PVvPH0^-o4SVV}y-E~2P$x(+z%WQJm^xvDvh!$!1`lLOa`b3k$QDc_ zpdFsQOOQuYBrB3t94QP`m5d`kONaRVcuGISElYG17?GEg%*kfLv6JTHGXWs-%N8Vo zZXKwER0+q?{-^~It%FYBW&D<^=ob%n+8WA$Uq&}SQv4l<;IrX}c>><}eOC7H&lu1q z<#fEv6{!M;B@uR@7v}R%y+Hk$%gxKkd#-rs^Z{>Pbj6zabwwN0Kg^_T()A&FVz%@` zPg!~KyrpH8N<~0hth%_6&vrO00{Ri1rljX*K_8bh<4dc_)Tk0GSeqs))BR}4Wu!oq z$n>sJMkYg+ERz+LU|ho8Q~Y~+ZhqqIbd2M3n3UgzkQ{0JgHx>>zns8hS%HX6j01@IBSp0jUt444pK3ajGg8TC2%Zm$9 zJg(LthIbbwW~MQGpx!Q|L2h$dK8>Mn`FuF2wg~8;9Gn%9S|D-U`YI3KSm^c03d(*!HeNA2{enqy9ipm8v&^Vkde!Vje-h_ zlhwsK5hXqNn&<4&7AZ|Mn2KFQD(b4{pUFZd&N`LdTlh6XNzHbbp~G z&K(SKdmC;$;kGKo?HJsu;kF{gZ7_6`OX0RI#7z&kTDbN0`>#&)|6ZNwt0SRZIF0H2 z@{-}`eLf;LenAviNTqQvMTM-l5b6;MMXJ46a$%T8D<4WOf+D4$^P5@BJsdIF>2L_^ zH16|Y+WBP_jx-nPJkk?)1@w-rSy+)3mzQ(gTWC8_Tq}S+V-8b9;B3*p~6A7XXLMN>Y%dxvrbrD#Xqy!b$_Gn7B4M%C>AqWf`fH6l6Ha!VZ}h^Msg! zpojHpkG(vWvwYH$n{|2 zT;V`5pvcW#7fcC-q9lYYxaSZ)tEzHg!DMGu1wC+u!LU=(3uaX2L;rd)_a<^Im_(!Q zOnbSK` zsRf!a%!Smq2(h6Nk98=={Sa24e1d^0<(^_#Pqvr4#NukHv`||t$aLj-3Q13y<9-gN zfr_Hib6kJq6DS03^b7D2F($W#%9vR}OC2H<&rsa4U^?I}fd#n*!MLcG3}{{E1zkeR ziwMXO6nYftu)0liv6|f!!ZlRgV%Zl3(*fR-nC3CZ-Al2dzRs$X`!R?Uf7Jj+%wGw6 zp;-u=i8iMfDU%D8YHTSyEl?U3mH;6hdp_5*|;IpF-xmR(dXWVc2yPV}%m&2=QvXpTW(F{h$KkNuE1q zmAOj;4YzukyR@oOnZozAqoHl*au*j+3t|es1<<*}7T2-@x;la5rb7F!!bSarnk#TH z{wctkoh~d;6=0cNf!iErrsvLpD(W<=TqWaE9muCzRwV=}SmLUNGPt{hyAeCx&gw$v zVs02$!fJguS0U6aY5v)Z&=kw63JXfGBf_1JwI=Tw)g#3cA;ko4Ay)d8OE^x;p#-FN z?X2K*!RG=8m&V~*jnaaWvT}G9&>%CM18S8eWecI4T!7soXVuaI+)IE|P)F(I zN{y`;B*a}Lz7=2(1r3Eca_7O7e_Din31DvIXyJbUC(2R#*$xaG(_!-1VM+*Tmw zx{u9wXvfe~oe2%mS)7|(LT6mFpwU7ttf(42^%Q!ls9FLx`tR@GKmoey^oilyGsHEY zxYiR<5$??xm*{eomrRgO9N#}FsXuo6X&?%@qobRDE`PNO?P!7Joc2mrIhroE-D!(i z*y<{y=yZ<-6pQV=k~D&|`75qTaV!B3C-?84$?uD?SLsshjxMBGDNC$y8TM_l3yQr| zdj+vJOPO*Q=b{^05ZEqkUSqqzKUx7c_W~yiOEErRtF#h{h?79qc>dxJu)K&QL%71e zj5ZAIOK|lEH4vyf^Y>SXrKUZA3DPnbHZ1MsCN^aYkjh3kYVaH32!#?Y5Wx=O1& z<;9dVhDJJsz>YdLBTKNm3DQt5SY5~B4zdI;p%%~D>5&OFcyHHm38ZJ3nhV`IyyG)W z?0ps9*W$ez@6qtzJOg@Xc;6trYq76(AB8`MPp>OKGNBdkHoQ}M)ia@ghxb;&za|go zxa5B>pPrQV<+}Y?@n}sW(gNd+qmRN%OE9!!SGU}eR9?0id!B5elPuo08Rq^yXJy8@fyE>9t5 zFw(LTc1w$RFd|;cLu~^H1=?cp1cfaqiyYw7{8GfC!J(`iZ6t^Xnkw`O?uL zKmavLyMM@~14M)nMv#sr>H!xXDbTD+N~9zb(2l=AuVTJgb<`34JrH0yK0Oy|h^6CTw^dN-7UBdGhl1?%k>O)w zvuf#5C+Zg`CKQGpbcMD}oHGcod@DqI2C=){6epI5YA}EYR>GK*mor9XR3)|uKZYyA zX&VlLi^@H8r5qz|paJkFaMTFKgPCnrxQ`88x0JGwVx@q~y4ZD3bPm$%eHiR+jS2nx z^zU)E23lfq-@*CoHIk(wby<%O)&zd+6p$*PaO+QF9ELBtK(547&ggs_?kea^=)E7~ zsmhxRVuE3492bAl=nrMWOM4ofN}Tymn$9I0m@LFejpi0$j7YtlOK1UfPh|tfr|xdQ z_dQX9{OU1Y4G-q0h1&wS*+vB2vf#D>ZVN69x*hEY`4zae4-2}LBV79`q<2x!tr2cq z1Ijce=(Zkisc>r@8+6+Ww*_!(9~X2x0Jm1;(K$Zo)=udm5AL#{+X=Wy;g&EV=r$O2 znhG~*QqZkB8hOCYmK=0TM7UbyTRSo6W`x@YxK+!7ZnMb^aa-g;w`#bx!mU*ibZdm0 z?RvOf9CTX`w`#a0ToQEK47UWh9T*vOYlWK(Znngr+q-Z(K=_Rgy8YgI|8M;NQsBQ7 z2)~v#i6r-faBp80$xR6H*Di_V z9*PP&&{?ZBCipHs87&Y5kqWnGm`39Mr;))a|41f9JdzfTf?%p?Bre++X)zD%Z=`uz zMIq+G>~0m)NZcK&cR`q}!tP3{C@XSSxvEOsN!T9L+g%mOOXMSIby-$|oyD2_U4ndW zNJ=U-V)%Dq0bNpchN&q>vUrFIDJhQ=LTAD|Tmqs2Sim#X+sgLguzbkE zYPwunPNr$3-IZCn1Tu8aky1}t8k={RMnZDW91dl%vP8Brv}8R}P^#rhZK2Mdq%PJWg_6SJB&|bHoMcz1R5FD^U7}Ok zPo09wt|(Dx9m*uNvQU?#QmN!gg?3$0Qn5x?tg@@@8i!JQ>J;Q9niNe@iY7@bbI6la z3Z*Vdr!Fi^(khE(C7NPcu|4H9DQF$Ck`%jKkyKbxs6;6o+9Z@oouty16su)+x!SG^ zDTQ%jcj_7^hE)V#l_7ynUy-a81o;;GwZ&MvmXbi5z#qc3 zMnd~a4z#aiU^OvsTINJlvu5I~@H9u7X;y8V7?z^QJ`;OGpqFwNJD9*)Ws%szjG~J> zP3QrF>?igKnZ?2~j~1z>k;qD^7|HeyOe3d>eM7Qhj z`Ws2hSXvrXIn$g)rDbkNHexg1H1bmTFzGuSdE}EstZAf14VKZU= zDi?aNz-Gb4#%-L~d-;Oyj1r(!u=MCmABs}JoXO>J1u(5#E}k;E94;I0nJ_2gnSL)v ze|wTfv3}5Y{vqm?fK75{^h0;vLkc4f{dfe@b91;495**FL~3PRIp;vim0Sr26#?!r z29yX+7Wh+fg?J{6E`WPF!c;&G#E$UGfQ=n*{0_4X?`}wgRKZ7zJgShMn_G$yPK1ym zrz*|^zhbz!kt>CxUn&=mbVWQe5Z1*NG5o5-!iA?#cu=}Hsm90}j6V}@PNWb_U&$py zq$-(}LBkC|SSqWVg{uTEqF(~(Hl$WTu5M{=J7NbnK zn-pJ&ka7w}NjaCqp5&YcZsGZy8Lg5LuV=oYdB_lA5^&4`ZVr?&8FZxDI#oPu9n%}nHAF85SHt+pjhOUa zjQGjm<_J*93H*z}HASFsU%ZCkpfK@3c=+y|5XuJ`h!X*hCf*dW3bp{cw~$&-K75JK zUBEq@XK}>@1ql1aa(oU+uzM9i3k&_km7*ikV2{)t87%>s@$u5TX|IZow7^W zPc=|AQI)1rsZ-UH)$`Pa>Q(AH)Q_v%)O*!~G?!@c7OzEFuNST!4NVz)Yrj)x=9!U8ZHRsUYroBshzcxZQNHK{J<9g#B&_Qa-GS!&wGaWFUFpV?kn`_OR&3`lZvz%=iX_;s- zS|(YpMEUQwJU|nSRIEi&{)MuuWqW0B$-a~wl^v4}k*CUY<#XiM%I}jug4+H{9;-M{ zF-qZ3R4Fzqb|~If_!JS!{>n6Ex$;}(ugVKCg)*t;fF5J%fm zeR0aeDLYd3fIFnxv0Alux^}jMT`=oZ4_HWw1YroWfs~xXX>e6*r=^Wsh zwYs}?59*%Oy{Y?D_nj_LZ`IGx`}NU=c*7-zOARu^R70tu!r(FNHN0i;8NN3BU>Isl zGv*oR8m~2OFg{{@+8A#-$2828Xu8ytX|kD$LCI@OH<@lXJ#Km)Jhj{OzUdRwKTJnV z-ytZd4u_B^GoJe&7YaSGk2NeEki6L zEV&lD#c8RrthCfy)>*b&Ub7sqd|>IaV94VRpdLoZE|HCs8Du%KnX-kl3R#2f1=)7l z9@$5-Z)IKRbtLk!@_FFQMe>#Mzn~>PDt|)0SAJ3+rHEHttWYY9ifM{G#bU(<#r=xM zQB!|Ye4_YP@q=QZa*}e2(xxm@E>+el|AHRrugb&9Bj}N0RKryxRZ5jkHC=VR%Bxz3 zw)>)Lr|NI2k5u2Q#;KFk8r0x?b%}Z@tHIaQ`_%{49csTiPBR?sIR!n{)#$03H5)aL zXkOIp(0rg7lyYv$h?I#b=_y$$^HYja{*V}{-C{Ul7Iy+jzox1yU&*@&*y{r3N*P)BjYxO4mWc?g{ zg?I>Q>nU4|#n1HO)WK4Q4YILbJ|XhA*C zGgcT~Mz68e_^RG9NboVE)B?F8a-BmYJ3^)aUh_eP7w3 zJcjxlpc!#@~h(17pNzywW!Y=^+NS}^+xq0>X+4Tp>OU` z|Bw1Cjaie9KCD3F(yTyz-lTa{)2{hk^Nl7VWk||Js82O|?1q#zDL0@OdlaqnV9KW{ zM^e5|`6Y$ZO0>hZW3)1@UYnuKMq71gtF$#}uh(nWYH!hQK%0GB`?PkecANGU?H=tu z?c3V-w1>3q+Ap+UX**H(KWk5FqjhoU56{sJ(~Z!L)Q!p2? zb9D=J#kxhhrRXca)s5Gu>lb2dsM9xs7jD$wp?_SzO}|tBp8jKugpr2x(B|hFt~E3o zo<)BdZ`o>j$ltgEX7rdB1Ng9 zT2Zg~i{e&R2d#>C(EI(OxKx>=oUJTTR$zSJtZY-hq5MFZpc~1%R%Ce<5b$Iy0;A1ng3$mVctXIa0|!b zyPw?I7?WnoZ&bwUw_xPnYI@1kYT9YqW7>z_{aw>R(;-v4>9EOXI%?`P9Yc>a*NjLT z__#Z@pJ?v`HR{nC7N939HI;+I-RRN2H!Z`cFxWB-J(ARtXemaYbkOp5!eK^qbO|Eth>a$I^!f>bYapMcdU6@&XV*JYZqcP1i)s$=E zT6x``$rw8Zrlec;Qkn;F4>T;T%qUBhWyq$=vSbTn#j;XaxvW~|#tdVHtX8&4)`%9; zB3mcBO}1XPL3W?)A=zfx7TMFXt+JP7t+Jiy1^3Ag$lk>meMr_WJ1p~Itm?#Q)g?QD z=5Bjr=M33-Wgr2Qfcu zR~$xd9#wQIjwzBosdMV?EA(^86{qH^zHg#RMthm=_DdD`*X%e7Z(uhBMwYAxDz81>hqE!+q0 z{{X$+`MS$=*}B=fd5o(|b>+H^x`%Xa=<7Ol$8=q~6FN?xrJu{@0Qc&j*0q|VQVkgx&9V%u4L2L!H+*hLHtLL-#wO!B%mMZrKSsZnU`jTnnyx~f{~06K*Wiv5 zCe9pfjx)!b6U&#yBO_&uOG#@gzqet_ZkD9YAb1jQ3527DCX5nxPZ5H~li!dHt zj{0)So|C;Q>n9%~Um#zBHgc={Ud(!bkgL#2{-ju=xKHt<;wME6#+ez)+m#P0A6Nc_ z-pGXZPzLU~U-hNx2UUvN3L4+8{;T>0%mMmq^h?zwTAt`?~+Z=y0L_ zQuGHN%$Hunn4fI8!eBT2$fNK5CmzdMcQ_T*u$J}7P+5DWj6?EHU-e*2wei!tk zkzHZQv6NeyEE_CaEN@#5S=ud!F~2-&=>#P)9!PP)9e6{BalH`yey8kx@b7u(bIRmP z!I5q9x8>i-4T{-{TNKYKK2mfkG|HLEcQFR9Q{RT3dV~5t^+W2P)#+FrEY(~CD*d10 zz630${r`Vvn)ZE>v}m+RrOuf-vu||^MN*2QP)eItMT=0WZpfA->1y1HBuPSuLP$cc z5JKGSA#Ui>t>61h({}Iu-uwMO|L6DoJP)3k&di*7pZEKk*7ULQCHGGC6b#8=~MfhN-DQ}}*>BC?=(E`pYp6DkSS zgo7x;6WR(LfDN66u0ju?7bu)0VKP4Z2$4XB9=ZcFn~0{MgOk=v?V}QCWSR-hoMuHs zXc&z};wlS$5LXcv9wq^ zEPWP*Wda_;3itRMU`r&hpa#xz?1`l};bhVH%ov|Fcp^ov6(ZjH1%>b0?U?s8Fvn{wN zx0ri~8^8F!uQ4b+FiG3+8*E&Qw>b2h58P)faqdFx0ICyvY!r&!sJ(bzq&?E36AVXb;wl z^#L1`>2mbN^kwve^j<(80)xzu0(Ta|jAEuSGnrY;ZOk0#u^Og5piJ5@X4Ak`Y-8uJ z^VkJ!5xax`l0S%`T7q?g48h>u*5Lc=OC)r{f9uc;v>eo0HMNFXgq2}DaQY5(N4hik zpc=X!!-x^Yh>&32U#GYoG}md+RyUY0nJDz~G}dC)Z=jCa*&Xao_A7Q5aDy60i=)HQ z=TJB%9Gt60X51HakOFrCkMgfaSsLbg0-wrH;b-!9g1gZLjEfb-3x-&(6kKB^sNEXy zFgV%`@&h4?NN|8&?nk5{0kK3^pb7A83sDNyglbN;q9Rm`${KT2qNulkX=Q0DG(DK} zT-r~xGEhsaur;7ZW$08$K918n=^yAUh7hU}$4F=FWyCV$nMurK$;{U;uI)H1k7qKAK-kS>>!svEHm@)w8<93bU7`#8zW#fx2{HJBszB$1wLk zfXaSmD{+EBO(t>fK+^D=NfqxZXAcO=QoR&DqB(g&f9!YYqyei`&iZ;r4R- zxC9=VC&yFbsqwUUIy`;oKog!hxGsc;0q62~L&&pj6z2|MO%1PBjJzY9GlVi@t3JBs zir~#&fnwBSu5lOg8=^Xlx1;-&N42FofWptC zUZgfr^=T9_GkHKQeQ3Ub!nbMtpk&hMnc|Ao((A`mtR0dq4#N(37@u97fuq6s6oKP0 z0e#0~+lu=wmK_iIL^3-K9BnDv4H$VnXCtQ)R2|O4uQ*+x?0PtETrbcoIna3pTrHj+ zXq9?i11P%YF?<}$U(Lrg+z_&E5WIsbuz`aEgu$RfqJ*&$22K-Z3bTaU#F$DD5ea?J ze%Z)wWIv<|L{QA*P;20!Yr}X|ORXQqP+Sw^Og&T&oT(Sl9@4rX7Z^b_k1;dU@ku6zp=luWdYTeazeo0 zZ{?_QwZPTub17UC=r%`CyRKXhsE`lW7v{1NI`2DIo@c~M+kWfh!=Uik&4pBnXMmdq8E*b4XDkZLC$YD_aqnk)VlhHIZ6D>eR zkd>99t!NwCj&`7(=qpL5g;L|G>C^(KLk8@I1!FOP>7-6NnIXqe zVyH2+7&;7n28Ch5FlRV|FLz~lKs9~9nPZsgr5ev;tZY_=YB06c&rcV@X&tmWE|wS=ctnrSh->OoSB!ewAaDST$CI)nfI- z46jAkq3hErbQ8Kc-HMLTF~~V^=EYS~l2{?((_2ojq*ntAkDcLOi5kG`o&~u_Ff$A^ z!4M1KecH#AVzsi`#EC^G>y^0HVeA;t1!0^hPAn&$Q~alTHgMFTcOAfkh(LLja?627 z+PNK&TKjOoe!b2zPlp=}|G&-HOby`bMVLEfi89pZx# zCP=2HQQ^!CID=z3Er*r|)f7oIWE%~|Si?2#!MHVMn2#e^C;b&*|9qI%GKrUH zX0$L`8J6J1Y?%(gzBifbptYk|ajc81CYB|nbaEUevHrkaMldH#>@AGA)4-1oaM$wA zLB@uAi7EVa@XF5tqn(9t;|_uqVDmcgj@B?4kEw6Pa}iBjO-rY31>aaiJ4`!CI}bf@ zn z09SK^(+cTe2j>M~>nBbxryo2ao}p_4q8I_5;HxAY@X^!7YYJZ6#oPdHC^w3`3KGOr z$c(lC4(G$s+YiUCid(}y$8F#?aa*`|;W$2n^!PpC&o|&b8DKpP;Jk^zcox8S4Bj5z z74QMU1zX8Yi zMc9Yygl-}s32H?G%u+?P5d*{ou|%klCfXrRh#Rs92}G7dZoe8*;+;qdavV7a?&2%* z2drP43*%w7 zm;>gBIb*Jv2c)t-m@hcEU@Q##dxZ0qIJzMotrxrc!AWcz))!rjZt!=#j6SF)B6hqy zmM!G2j(_8PqgW!b;wWcVva8uOP}zER1G|yk3>9vLEE4w>gW98)(+8TD%$0-HlCjKd z1&I^JWsORmT)F?`9f!C9*DWn#S52Uh2tH6hHJTPphc;SK40?ZCngi6+8CEF%9q~uL zJDDlRRAQ01Jup>*N;);2t;%s4rF9+)}Hf0#my-Lu9wy=ieC~y|I z0!nznD$)om)JVKo<8boS4#^z>A&Jj!QA4y49q`H&zzK8s4R;vA`Wu}y;y7|3jTEs; zK}U50nvp@hL!Y}2-jfGcGv#O{to_xBlZs|onP`9e2Epcf!YYG z-mT#GI;ePN(+oLHH>}^84CgW;$UaLYzN`^e0a_%C+6^lJz2f{|Nu2&u#MwV4(awWD zEg16AD2ayNCidgSprp$sJw4dZgC2SCC=MRML6?k((_9Bga-BKV;M3|QDFuAvfBloE z3!9Kg1SC~AOGe%z!!hHlGEtT!O4VHhPbH9uL{t?~mXY_(a3n61B9n;H1jI*1!BU1u zCZ;k;M6$>QlArOTo>4{QrHBL(`Daox0YU%tS~6viA^+Te$Nf#ojM!8LEY7;7`kHDmtuOvD6Q) zZij2s#NQ5{RnV022=g4K+vCT&Js&fdWue0CPRiAV)S$=)VH0~{j8}=G8<5M?FY(0G-r^`Jhb+fX_7akkN+rmx>)lP16TI#X}mfs1>m zR&0E;|3%qk?KOU1^P<&jpSkXv^?cE{=PC!R3d@#JZnx#WYD_9|ada4%@XSFrTk&3S zTJoaM_<(8GeW$PWIIo#>DdFSQ^U);ePGV8YHzeh&_)r?CkhRHLOY%QQ_%t`i=C?jt z^FjEq%Q@Nl5ki%bgGQH@mL(F&W&k`!LyzH1J8j7+s*(ONQPyx3GqetVa;mt;3^a+v z0kRw-1OJiWEJYz4LIXoG3t=Fbh$=!dtR*k@UlBIywKjttHM*hf?W|!NaX%ZFl9dpJ zp*@h2Lsam0RmDGv409rbnB$Mt$&(PnV(4LX0!*d2QPuD_6!*(iDuS`5if3}v{79vw z5TxYyY)$yEZUIvEA^7;WU*!$X%t@75#9Xp}ZlU((H~QJ~4iTTj-+Cn>uYM2NY#gJg z5jo>v1zWw>;^>}A-HTh^F32SuzM(X`ss-II=VOuB_bk!C)46n+&g%r*rKY(NSFSKa z*H4n$V)y3JeNUl5oYRjM+A@pxvqFtDirglwUwZ;cB^SZOZ<0*B%FP~DV}Bhzg4`CG zr>E;Wx}ouj|KFaW!5KzS)|eTlvWI4P>HpIV!)fD#N5b;oX4pL>2(E6&=NS9fIsVyS zk?l}(#`u7P(;1b4ecgTv?mH^;9v-$*op~u@AcN;VPj%c4ve5F6gSol)&-o=NdS7+U zSoOTaewNYB_ZKYf&lk1@S8uVM^FEz*O8t`YrvR_+anwi`&wUk{#iV-{6R*#D`pEyz z_zhI=%Eh}Emi}b!sxtn4?n6KBG&h5r8uJyiXY?Ja_!7vUQ69D8W%kP@*VRrntPjYU zaMm>W>8oFiN?J~n68FXJ@LqQD{rK2gy9|qVIp?hGtnE|x#yJ=U-z|-ed#K_~-86p_ z?d*O3MyH=RmoB}bDgN@YNUvwpx%@=j@hy zs%E~T?E2swrxHD(QtpTn-u&XRBf&|*+V~?=d^G-HWMq?(n4xik0S`i!Ar?cAVZbL! zW;8Zts(8lZVyt5%2rV9T=J2+p49k&i{X+b#|Fo%1Y)s5lf4`|gRBQibD-a&ObB1I( zLPJoIjcDrVSL1;253dF&_;072IttvTUk)i!nW;7Lj`M@L{^Ny<8MVqU5JP-7jLABP zcJkk&-&mFf5+M@exz*b(2+rMGmx2y0N}DVjsZ;gXv|ZGiBUP5+Vp^DQE2aPF#;*z2 zCI!npI61%xZVxEQ4JRl1lSmb5|p^6RQ6Rj(gWE=Q|g-x=F}!sqc> zrlEcOi}>T$&B>IavX8SGGN)`;Nxr4t_sC~e#GJ({)27=+C|AB=%8Upd%T}%H)*E8nZzvR(kWZ5o>uiNJV-n;uE5I1N$;W2nT!4L zIc^s-j;3ZV>gHFw?Mt9pTCYCUPLbD)ej7T$`{t_>#M5enlkn8dbyw>IM#28>`Da67 z%P$%5)@65GtkrKLuS8O%I{~JeB`_6lWWUe-iMfK|x2HZW=FSN6I5-SlpXb}d;Fa)845`m5zd5En1?{-h}iHiUJ ziKsC$X>jLsM|Lg@E*zlHD1&!p!UfX536!=lQ-)T6Pr`M-JW`?bPPf`d+rTDIPwI|k zqIqX7BtALP|9qY~HRy%E&4mxk>d(K3dpEndFxZ} z^v<r>#67n}DA>CaZ*&uV(&+j(|vwKRe?MpOMUf$Wi;^1=6hVI9g1DpGf*7Y8C zG~eDHSyl8)lXAhhaXtS14{XiUZTH=3xY%0x)8X`K8$zT!?yrB;;%NK$%)Vb|8`_$D ztnb*OFS8rI!AM<;7!bijVCO{zyp; zt8YG$__qQC=O2I^Xf$N9$W&yUF=>mJ=rVTwNxHawkdQ<|>u@?E-F zPfg?Pij-YNa9+sshr8TOE4FFx(+g@Dcj@%iJx8*lpT0j(zsdJgoeyW+v&H(i2daC$ zR+3JKYpkaYG${G(@*g;=9+=`_d(pW5i~i2Y$xX3@4A;=x*JUQHCbn&L+G*!6=P6Sc z)YYz1zQBU0cV+iW%azK0#^kKIzgX9&nODr8+YY zYBsM3Pi*`WmryhFX8Od5GkdLPSTAI}wH`n4aAp0PoM30#%2oD8w~`5-Kd#k0-#u^U zr?-XVr=?RlCo2wYNIF`o`o|};pSr)=8uS!jRdYt#16q#HRcBu9^PXpRZo^ssCqIy* z6X$IDbff&@mxmqs->joje_*6$BwwmnLrU!NRcSInavy5-ymH>ntCHGc>H2lIe{x#Y zXT5W$l!RDQ`@KJkw)m(-tyy*E;%luyfDXvl(keM_(@f~H4dWa;A!gp|*xQ_?skW-SG1Gj67j6gLI zHT(%#CHWtg`N5@TvGAM(!4;HrC3p95hpSq}SLRK}??pdoN{3+npEg2LNq_aBB;1FR zz=y(&6(7rMJS3Cj;H9aZY=66CeY0X#==*hTPbQq3eu6q~V#bRl+o#F1Pu`m!SaT(Q zDXGS1cKQWf(rcH5f)IgQ?D>U3GM#(ZFg6-^Kgq5Xu{{sm_>?}?{}a>m`I?9#mp|m@ zhgTmvl(^v9ueMbaKBPY7y#IZJ-rL%GhcJVgx6kAymi_2k*0``V$+FF|fBxJKI}zLc z?b{zu7Cs`bI4|AEl}^-id*`r7Tgo4?*rM~WXw^@;Te==ZoSpf{dfEfyTlMi%e46{G zrGEW+;g7zau@BeE7Urct(oNT}$}+EKB^3wUT{1~|vhBR^3C9iRzI%SKZ~82Z^T2k% zC#`Lsk7H8$Nr zJWy5clLJ3V)6MsVOxk+P?3z#bJfz!MBk)qEhsO%DY#+1cU3o^mbw^L%y_Xs&>wE3@ z8#zn#&QFdud$or2a!$4RemR?7OSjFpe~}8lt0jLnZkNN!!)W@Rnu`Uq_|JnUwY_BC zxpHsb=H#$ngY?h6pFWeN7yqE7jBJ`0H!fA`w`7{n{cSpn-muRr%0?7xHe_}RI|3ae ziRVcnJsZv(iQ)C^F#g48qRFH(X(ejs{+43Ghd2wE&JS7gUozd_>Hq)0bYe<{d+gAFSYr_e zzPpBG8)PbCDVidhoMHMO$rwxnes3Q9bzz7x{yGh^KB7C!zki`L#1-F&LUuxCAaXJ? zK`Ba*(;-|LMR8!4a-2ydk^evG5p2NKWYt{PvdA}8tTz1))|c+tk*niPf8C_p*sn3ArK7~@_pgX>S-@F+w(jHI`Kaw zhp#N%Jd3(%rAJS&i|pbpIg8#tvikT$b9dmXz9Pl4PJ+``zQ~WBHqVKia*CfFrIi?} zt$U)qmAE%<@5+tqKRY+y^Hux)!*6=IYwgff=_No9-XxG)DI5Ne;Gd-SceFGrrxm5- zArpp^Qh6y#hZj0!TdZdV|fP)@Mb;luAqaG=t6A^upF5C-Z>=mKI*D4}5BOgOX zjmVUJ$DdB^nY+3$&?(FD&N`RLmuJlXsO`D6UzG3parXH`qR|8j0VO$=L|FQ1ZcJwD zy`E!)a~qEs9`Xu`>X>A-?s0DUyWMB_msiLd2TeJhhKB0*`2`<*nn8Yyh6+-3$(^mG z-qU|yTDg(Fk@wQJ^%=LrE#X7s&04xg+2_rwb2c}fygkrVJth5_(JY1RXU{|GOejxt z>rdAnNFXgXZ`l4r3G3p>(JKM=3<#XzH((>C+O$@!KxbYrhTcdhdbWQ(}{~}w9HxaIPKZF?W%AB(L zrX9I>HIpvCt;ue4<~s7x=$p>_om}R*)!oeOMLSa$Jqmp@VcoZ~86Qu)y(lLYm3hHf zq^xs1ySI_nT~Tt`)Xw?&t4GSA%cG?~%zdI$y6Hvn`(tM8h*Rr>OIy7+IbNyO2%MWp z2|L?#{e$AnaN}K}Oye1kukvX9AsdS?r&#`esw+YCCf2(sq2^lHXOaG|b!x7eKTk;f zbWwJR&Q>9DXF<6^@Vo3o4;!4%mq(pGJn7rk=uNq|PMm#B+1`Au%V}>$XCrxf>h-(J zC!Ux;uCV;Qv-^DgJzmnG{^|GiP9EO5L|Whdhfm~HPwk(#-)S#+L;cigpw-N^UD`m_ zTpRW6q$*__^|VW<4%T5m-J7cJWzT=rRwLx4QB@FOkn>WRutLS8Qx^hi5C4>mLeMIeFZD%KPr^MRrAljT-x?pwo!e9Hp)wXL+ znZa01fb%7?(gX8kXhzEO$9Zb5TKk~$%i)x3uP+p`?hY)h{w~FOkx0KAHtFz@$nTck zyB-`#nvpm4TSC#50LR!pUvf;2F|QeZQM;4v?pIO2)^v+&H7BC%YE?w5w4FbZp>FhO z;Hk@RjfY~6yR6ZA_xX#}z>_`ZPvkEhG!NLnqjk60B85pl*MAG1oc{8H&7yq$P)lXK zsnp#sm1?|8im4WTQ(BKGt?S$Ldy+x?M~yW#ti!Sg-eq-5m-y1W)6+}B2f{yu+3hqq TK*ug?VakCIoZ_X5fiVG$;s_TNH>`ZwNC$Eo$N< zM~0`S^tf+LoJ2CqzlO2fP5H5-+XKI9?E2ZYuNpuKmnR62zXq=X3sg z(L9%ZS$nOu*Is+AwfD29=H``-9EZb^%U?3-aIE7l|2*pY&o9m_hoj$l8~Qo^)O*L! zby?!h3F8c*|YxIk((>_dP-Pt@GRqLwCDxzuWD*{zms*_spF)qM)Ep zaSHVJ=5B~?)n0ik{rCO5Iu6Eo|NdQj5AIU;-3O<0|Id4OAN)k!I}Yww_q_*ORsO37 zcW~dTz53RZ+y~zK#=&jsUiy}Oe@(sLaQmG3(#F?ORO@#*=Kfora5|P((b58^qdmZTk<+pI9PWjE9Jx-1%H)YyPbyzd|9J zDp0FA>ZHTJ=HH0myrn_%4vm3kK}cw~Nzc@9I~;W*7S6pTc#FgF@nrx9reh@caooH8 z^B_he>|&06uaLhIF7=~8FwHHyFy&$+7T5(9jnL}2j=YDyQqD8`2A_Ab*Wvg=s>Ub> z?;RaqEjMD}qJ?wFQoMtQjxn^q=XB-f-FXiMg_pup2md?z$xGKi50rJi{r~I9h-zCV zI~}dtQ~!*}jAEw|2^JSlHNqd3Rh#<_^Mql3YQ3CHCjI4GB;Oq{+YIwH!*p7etFs-3 zIiuKPn89Mh2)|f1I|E8V{91V7)56R8!@mMAh1xz)v#Nk&n69UP-OB-bf|+0_xcxbU zTQ{_f$mHU}K*U#E6o>?h-8bH(U{&B=GLIHLH`0t-Uz-K%>ziZ2!TQ>E>%7;cac1-k3PwG2X1hL^i75I@HDG0$RjVy$W!vtDtT_{ z;^zMr*^`1WJKYSR456`1y31#_sGft*-t}p2yVpAgI2`4BlCGs=HIWgcyMUaE+SGLh zTGjf;MHDUVG)yhLte3+mf6<6E6_=4?9yg**#S3^cq5*mmNoBZgwQ{AK=j>}vh5|{~ znKWd!8_^#Xm!YYwY4mIJfu-d(N>rEB(rv1)F=uxmT5$I}G$-(?+hQUGMl}DMR)0XQ z7xigf`A4C=JrIRXBkHQ9wDs~A$)vf7wH>lSX}FPWH5%KBW%N`HSwyLYZ`$pHl`RhL*=nrt4z`&jY4kMX-%YPxB5g&7 zjNn#|xP4%LD#Tx0zp`pkVdxCQM5pYq0(SeCQ2xtbQa;&cG`8Ak99#HW28BCe42>eu zFDg7*6MxH)yWKMd6~>HslM#Ko_^G3GZR3a2dW+a=7v2X`4)jF$jP z|6U>q%!83H z8_@!d^40=GCjLikfItLX1c_+D#Sj*VJYQVPtH1oC!0luEks?F}a*lh=9SlvqB)$KfJ8i zmlf($Nxt6vT_LI`Bn3sGkDe>vlZKOY4F-Vs1qQ41Bl1(@kq#14Y~_|F2r5J}sH=!c zx>i!LCn>XplzW9;(st7IpI2&*cnM}^>ix&OD?IgPom8I*vfka6H`y*S=i z*~CFJLe6v|lJQm}3Oo=UzL&e+)B*M72Wpx>3SQ|oWAvDtR*i71&xTxx@RoM?%uUtN z{E0~S#|O!geyuihiDtDt&@K}GKlS0Gl%@0N!`JA) zKhTJ^46yM5VD?mD@J!(p{VI){uUWT9)=^Mn*hGg6`wvEAr8bD0d2Dg1eqIxdm+rh# z=^_vI1>JCNcO@|P{U<~h`J0af&+|nVf04M`Xg&};WVimVw0`m!P5gi+jOb*{FCp)T zSBPAO&a+Dmk&f9%sqh0|I6@U z7gg1)SDt4|uuYQs@UmIFM5kwk{vL?to~0GHsa+rG<&F4epW!nnd;x!Z zOSi+{EXeYii%A-?`RC}_80`Hs53skyCwf+AtchB9@ArzgSNGtpNy&xiH|-%Fs#EGe z88aF;D-9gczC}7hGIvqHhxQF5V4iCJ1dOjX_gW93Z0(#u<*^7^N+`Z~3x?lDR{4SI z@Qcps@R(vpu#Xb>xEIqy)sP8oflPZ#edb(LaQR1~;OiJWlarWwV?X{`S|dL6F@q{G zacmB~614S<5uM^m56x~?2(p(Mpr2fxlGEsv1{h`?0H>Fa*rRiP(&dzF)7HrWGo`A{ zsG23pw_D#XqW2nKlv%_(%R2*$cV?GG6EL?J=B7aDR{gvNy2jzt*E;GaROLED{TPbb z^~g{tQ65WZXUD?rS-kWz#}$@(3)2v=94Z*65a5>TXtO@>6HCk*DFZb8Vnw>7J;zCT z?|KhKr3zedc-IZa>7!zQ8E0)R$XA2)4`e}AR`w)DOhH)2$8|CxVz(mLOFQ5>k3-DFm$>?P$>P~Pu!So{AjSk(O+7bl+W33M6{DX>6L0bdhH-< z9ab6H(tg``EJ253gN#GN+-8G)jC}P3t9sfyLih@iz$x@LhDUVN(?Cvh;Ew>QudL9U zeygAf1MZi?>l8uS`qxikKnIzD=)|P7;ihnd59$wmrl=3{oOIQXw5fMN{jH=>=sAH{ z55&YoNFPq~kTOB?GNjvF&Up*MH9=2kesP_m`Aup^zEhZ{*ZMul0DVn>_6I0}f>DX> zIXGL%z>YVR3?LT`)~C>XYX0x-d?h2hWduYEUKdy|K}A%b!TNO%Sa$v`-C#A7 z|21NHU$eih zK1I{L@fZwiYZD`0KhK9yB-`r4W4`SO9ia4_`H6(RxC$+dB)Bx;4?+Wy-3jE_oKxixlZ) zf#|3|eVY*?E*E@U{w8uMUR!!}MhpI0DZ)4ECUUIGPokgKkAI)YUoHj0Oo4JNAP3Sa|8X+dZL^ovMM(lvsn=(ygX zKae7c<-mCTN4*@uk-*r^LpKZ)N+e72PE{fYQ6e$&l@fXIPfCeA zM(xO=E+sObWPpBOfNrN{8Td#~Mu{wE*f5bOCGs>hpPE14&R0t0yW|7w5rNgv1D35M z#&m;K*8`TFe@-`89`e6NiHz!2Y_K$Gx&rij=xYB-v{=SJeG77r z?bjSHAXX0Zt@=orHLBQF2U>LIIf)?@D*<_m-Agg6D3#ggIZ+788$ci2Op&PbOMI7i2P-e{vPRxeBOR1J@uNDvPbD=8MU<%VLM&8(jE^gzGj%OD@XT+Qk3cz zhH4oCfLGC%s26V~Vv7XKn0Q7KZ!_ERQz>fhgMv{>*CL+9ygmyY_6iO+fJ1aVajs0v zO_?BP3$|B~XX}wu!g1TzNi*F{BGHe88c~f?jOd-k4Y>Oa6hQ_?e+wB9ci)d`dE78} z)9^`Yc>jkC<2~hDlCGmfoxJN;3gS_JCn|3PHXfot7(k2*>>hX0bq$5YUV0a>jp#Hf zt~b9bjWi$7o3=}G%^^pb4a5d#!!frdUAd}us1V7J{)rm%tmCx5U7s400Mvr=nBL!q z@f-1X=>7c-{H^3~6@RPwizQuuyb%4ww3$r0I(dYz7`!oSET(pbcxw z2MAlBxYqja*~Io}xriaWejXHC*GbtP|3uzYRJ#lZy@E;W7y;E#FDr;Ivpr=j7{m;q zwOv9LhLLQ+V7L~8LD?tb)_X+#da^>F8PNsVm^rXE=Tqe;{#>+|C1V~Y;2^r*R2??Y zdI=o2+tbD}WsDbtx!~fKF>da#CdXw&@31~Zhjd36f1yM~V)(@p0>A<`IxSmY>yc2i9fSU9t8yB@8iQv1x>Y^fULihgx-N>M zo6X&(Hsvy>qj^urO&jM_x3x$gVg4?mDck4`zi7lCe<_==RKdj*MW4?h4<|~Cf0r1? z+CBQ(m`Dp+g|(Nh1m;RqMIVW2bH|!yK|7E{E#U7oepm-j(Et_oDGkt6TuX}S`XMms zE>qh`L>RP&f!29lXm!GD8!bkr$I1e)#CS0K0j0rg3)zC%^0_3D(pLK6YG$#h>pXES_lUeH|1)?GQ>YI&rK(RThk)}snV_YnVfltxd7edks}%gQXZgSv0p! zsF;&!F7&8vc~{76=Skb!OdDnTMpfVZoQC?_&{=VL`zbYZzq3J>KdU3>qI#_UZZ%kf z=asfadZ~G+Tco}_*o?~neMU0YFeb+lI{HtmsG*}S!avq;h}U=7`|cVz$P{LWhaeV( z@=ftT!mUGDxj5Tegwt=^3c<6~x)b5_cB}EXibMILS^lvmn}ATF|2hWXgGSXpeO#+I z(#t@{Fnr5|DR5?4hBK$&BlExeIf*K+WLm^S$W{%i1&k_t0Yj$K+F{CCuc~Sdotbn! z#9R2-edrcKP9fUQIgn^cHPn{8cn4WveMm&iUjJ2H7UbUH?2c zPF=U0fQ;2z$S_eWMw4#M4D&j22nLWHd^}sCDDa_tk3Z_owWf+?7%j*Jsx^_JC5G0S z68{MHw`+`}2FCNEgM3D3MoIpV5P=SiLw3v3QJV#0FafZp^iqV!!{xaNG@UKmTN z&55O?WH@mLc)*GEvL?_VktHT70$G15UMerLCi;Bw0v?mDmSPD6CDC*q^i(zT9dJa| z)CELv#pV(RFdg$cCBFXoP$|qp1_b;@w8J~^;`ICw-XI#|{vz1hai9j0R6H&qyaI!y z>q=Ut$up9!7l5M7vZn>ae*hwJtpw1;K9c1zBJ{3D+Qe1so2e5?*I6fZ?vOfXs<^l5 zbw)J(VIq>={D?NXRQ$VPO zkY2RTR1S?x{5@NieoUjNqNj^j!O0g?v=$CO#f$msMtcanrH}i}+IWueT=<|YsU-l2 z*7UQcs_Ju&Fjak*B&JwaNGfQ}8iHQno^&m9+fLeTEUm!d`-RkocQ7PgrD&BDy;Wd? zo?qfUWD5u&N!DH)_oVBJ6qKPhlq&_wXrRE=1gd`hw?ve;kg#1=a3a4dUM)frEf9EC zf6|k#=gt!Z+x4}D_2CoehjNW@OSX62`BYrz=E6cxN4;0~#q_lu)?dz0D1~~nhLCt! zb0jVfMC&rs{CVQv$a3@Q=ak~mz4}^TaW-LFwcz~MYV#GEK3kgp@!M)1zn*7>d7#*^ zKK_NO<*G5o4H`q%`a1;uK7zg>fp#PM-QqeTcN=6Qjk2zN=2oxLq*kX|Y!)~teklXh z^@(_VsS4Ilglv1>xUI*GvC>yj^{>qr`jZO1Q|F6IQ}c!RyjFRpnb6}l89$d^P-KjU zL97j0C->CJPbi_Xi8QN@8;m!Ge^W?SB{41>G^i9ewETmYJVo_th z^=m2TW7hln59K5dWkh6}qsk*S%8YHW32NF0vN^`hdiw z>taf#NbQZNKC@uXM*F?<)W7#$VnP==(MgAg1czvIsiapSOFDc#siM?y> zC3L<$IlO_PksQ8IUFWLn73WAwiMpPpuKDVEox0Yl>kaBUSzT{Z*J?iE>s)oMSJ(OK`Ym<6Q(f;?*9GdjP+f!Sx>#M8s_T7R)0A}CJ4RK(z0-R+4u=L9 zEiHxhM=_xfhq4d18ZBE2%JV+Ub24Q#MvANt z8G{J$B5NC)&*%|{P7nPCOUHVxuc}zORSEPB);qjg7XpE9$44l5R^D5r2}_>dm&*n& zOeyF6jnthy16i|XzQ)_H3dnwx3mx4{X8h@`>+?h!KBpLXtG;@MXKXX&cu3#1Nu^sA zOi7GS|I&^FOWwoas1jw0&%}mPdmGAZ2DH*b6O-~4SSy~9M?A}kY+2)2H(jyMEO_FM zUXJkbEWK$Mxy@Tb*R*L5lO*;zV%336LgeGzEGGm&bf0zX0d>Up+Xa@`1?r?g_|>}vZJVUEbhZIG(4c}KkQ6bu|bF;1@?Eb}A* zgwZ@CUEeKI)8>ZWxegIN_jDsUyiAJVX*vN`vHncDHR&oQ4LQhDHsX#85swvfd*Or8 z=`yDg#?bDaCl;eThhv!TT9&+<+Rbu{Xxrw<8#WxzyQtcx{hAbMwoUsFo<#QAwEs#y zt%CxGaYsz#@E20EEjLT#t1I0sxMivU4&=JiiNw$feCb3g8fPO@NkTOcCd-GyoAm*X-vt7~oOPaSDK~JzR0s9Ep3!Nn?ItR^qos7iIld&0DCoe`9GQ`;f8h;|jl+q7b?Hj?M^BuKIs!*DDvG`QC~LQYI; zgH)B=Z*d<$8_9N%l16aoSf9M5SGO*S798Ona_HkhSrX5Z$_c6GrZiWn$A%R5qVpw< zV3Rx9!oqRX^#Tndc}?m!igNyT9ICtbIkA)@=-G1^d3 zE=+cGO42n+(&@yJMtE*<1$nZ8Mgmv-Z5f>ItSH6^BI(}qCif&O6Y~#+fWnD-BMH49z54; zR_7a4yBGHL;$h^p7*!n$dsT;9N)m5Zn=P&7F^LPsTX)&Isd-EAf^{`F%gS$7Xox`* zMovp(h3t0^^;_SU!B$^s6oqnDXSI%`<~+m99ZqalV$QaXVQPZtp_vTBG@J>|01@^* z95VDj6nGfo(jswEg9H(}2t!8B63@XM^YJ zELBz7!!R0)gfgQ&V#7@2F ztp?`)0gRIGz32>k{{Q3v!i4RtE?T)o!HH=+NRR_`9+b{u^e9QVd zodDZQ*k4%;mOl}|lfV$<1Z$=Lyy`tT0xp-=>-T71ip+=Glb`7iYPVAXowAUdyvm)| z?{M3!`MG8(j*HQQSfhKDu|}U31r@~r`1WIHf=9>k|h6O4@6W!bwkj>1Hy_amH79V4JBn~>n{#UxvO zj}w)mEn?9`tTx%L$T%A-Dmtk*)lxfw)4`~a_M`Tr@-uW@wW*|DSh2p7soWACS7 zeh7ozMtEKk`md%a>1ygP>dRkbMEr$G*WJ9aC+#wMzS(|`*0}BWaq{kWQ?1Zw>2w?A zJeT_mjq(;_J#Fz1eLGBcp1axqqm*Z+JyY9$JzRQjb-QVR2G|RT(TS z-qKjSVn1iFcwXNB1uWK=cQpn3T9CYIL4h%87)LvJ9VxF0SJq%AjV_Tvs1KF z<*GtmGZe^0Ey<8MQDDl0TMWiN3UqV3WU7c)q*#t#Jz!Ab&v(Q)&wIOXk$mc z?guOCN)6_-_#NCCPf7;VT$6O&DG0!}(d+Fw(iti<<`~S8?J1o!v`Z(Q5nkT}gno+) z!t2F8a0GMFDz-*J6hw}2=0vV`f=8;IjBj9=g9&OkR?S&-S7+#)@OO%GLuZ&bx}y(u zp1AXG;bYm0U5zIkp2xF-1!|(f@<5npw_5M0;8Brb&URWK*w5Bzr5Kc4DZhjLA~(J! zoE#hAmKcDmB}DbY?w4K-w>piggA3zb9*8ZI>ADx#b={}bt^Jz1YHXNU?0exa>Z;r+ zEo&Qga4X$vly1T{Sdz6}#+hq~o%ckKyu9^Z*tFw9u~QT*`hv*Ir&7plq1HV-RhP!9 zOFN9JO-o>#Rx^|F3Ptcn^YY9(v2>gof-+A3tQugc*j28cI$&SbR{h6}cKQXNU=?-g zDi6IIYpAY@EoN!nwM>$t+Lzl;K|WLGfXd0#aZ|^z>ul*!ryEgenldmR?FnNP#O4YN zS)%a6i9=`qVdDW5JVt?PQz{xd_qcog&Ecqe!D-`Ul2FKxtu1@M>W4*E*!IH6cy|Nv_ zp<@@w?JRBe@h_6$W9}uz1|F~c#~9I{Y*{qOXKKp`_ITMT>cg+(F_A~wd>+EZ9&38f@F zC;nh$NU@!F_M&f7;+#c`0H4)iw7las`ZAGBE_RFG<37K2bZcm;sU0zhp|m^Ow7>Eo z`WfGkC-0F~cd#Pd?rzhz^C~7!MBB>KI)@{t!#8Z7uWBE=LIqNB=a|k=LAc;|1#J(KC!Y>uiqUztS@Lst1Z|~gfccf zNf^r*dx-0jVV`;RdmQ>yN`>0_+f=V7xbJO2p$=Jx(r_gD*Ly1qgTw3nmCoQf>#|7- zwsX}I|Fk(>pX6ieOu+R?IE`E_urulgiJz@{bs z8Y~Zw-8zxTkavS1<&WO{sUF=&6CmBDPu-Kod%xgaJ#15TRqK*V6w26`f^RE-Tf5;XArcO1XRAgo`)!V@j=R1vzn+U#H(4(O(!`7x(bkD~=})@S-XeY%*@12`Xn zY%0WGDop&vZh#d&BWHIYXA8boR(+KfEUK@}mTyHiu^7;jop=mvvg2N6Wzdhm4_)kB zOtsdFhO!f5WP6LbO<%j${$zz-)7KuZ*B9-}uGe3T<<(bx5X{xrPRg#Y`Z%>2fu+Ir z>ToDc2>qqT?t**I z(U)JVjFl9*TZD_j5<0sgxK?ONG^Hrko6e`8P;F(X{;7zkEY6zZI3cJAGjTN0Gcu=j zt=Z~pM%xnMX-e7>@sg5=b^cQ%Vkew4cOefgZ#(<$LN;1XCm0uY6O15&5j?G6#E@QZ zgY4$MiN?I6D?)Qlm5HmnxO90pnFu0qK?X<Tj{0U!#YAkWsFNks-!bj+%C|(CwNeQeor;3v|>O&_iYu` zghmXHy=6RNB{=A7x86U3ITRUoh&0PrqMucVt?WS6CR#$#g+5L6Qukb#D}j;nE#~gT z07FseYlqF+jG2ieUnSLBG2_kt;Z+V_+QO1Y!yPc zbme##<*A%Oo}fK$-$VG64z){p1y?N5eNt(XTa|2a}^oM>c_Qt)vNmo4ylp}mq>og-_tRxY?#n-e_&^Cffg=Y_2L`pghl@aL?Wt8g-KUV4nTWRI=MMM3aKlP#a{xyYV$$2&+J=W`h~aZQ$759lKf_i z`I?vbSk4~P_p(i*_#M0miHjcenKN^};dk9ZpPx++AbGjh+=?@POfa zY|$X96ju7S6^4jWzMRifevt3XHu;I1ZTFg6{8hU{S4kOQ5Lr7GD)tj3xi~Q-Iw9*1 zS>DJ*gAD^O=R;>r&Wqk8ADR(*+mhUj{RFZP-6X?{-eA)d8^Np1>1^G)gXQx@JiqIm z%||pd`HTj8Sp3M}5fjVAu}0c2#Ibnj8OO@QgTdlWhry&Sv7TlamkDf1TGN(LAFG_& z)-Snavh23b?n)AyG+yZ?Os?WezJY1{Z(o!;MVvUg^%(rjPOu= z=d_=33XC4@<@Ic@M_%FwJ@CXU2o7eBV~f4Fw^7=$!Z|u0u^`F~Cl8|{)OSn7R@8Ut zeBXm*CyvKJR&!*f>SqFuH6-NYqZH}ejSa(xo!|7{&kpl_PD}5^nfjVo^}0WbK=5aj zcU0@obg(T_G;Qcz^n%f15o+1g8Zh6ej!bt}NA4)Bjw~vY&v?7(hAdP9-+ZtEA1P?w z02+V?)_yn`e|d?=Fui4h;#?%#R2^F8bB@6ka{JWev{dI{sdtM5n3aSc8?U}${P@n`fX1t9uIJvT@oHgV@chI;>k)K&cxjpA z0jITs$D~o#ladgLV&@y?bf-06y-X{yw!N?Pg`%O1QAr!twUTMpy1|_l5p$gCi85h0 z%ozv6$@LsdxFsA_g47m_o`BnCq+iLPEg2 zp@Qg7eob^-E?&_%b5Q^0Jr9hjj()SSdXA$edUN45a{`6AjQ>E+{y^ygeT{R1z9zrO zTe?MT#F(EY_5@-!Ah{L80g-%Ax#-fVYJNz3W;NJoro6lKt!w|oRMdmA2|oL6wb`0J zOr_)mtbz9>g(~LNZ9nM|t#<(X zDfFn`KMN93Sd6l_4+TnFYOq6E;(5WbfvSRjqw$^}t^2darQS~d4uxLT|NEGC5GllCARo_sFC#nA;{Dl?3jeMJ9bNk7|D|?}sCkPEh_N zd4=**O5; zrF4X>+kT!a@tdFUc>$rX;IMA1Zjs060Hew%T-b}Nb8+5!2{uX;je3trJ@v`QY*n=- zSdyu#$_4lgH&ErFGFRu~Y?i#kqa7jcJ@tont%9_l0qaUZDg)9OwI+xvXZm8lBxMv- zqiUi;XJQIsm4c{Lis&-2d6?Vhn`r-2Z3xzHkL98PWHPl)i1ZqYZC{j2r7ruz>`hqp zAT@+vX9X&F5$Hp(X}dcf$Gx7#cjc_k|{ksqlwvEFUtmokYayB2grAIXf- zpZV32fDP-Nn)QSNC`u;-%PfdrA)9QH!E!MQ`dJ^d=hQ5Cg+#W)l<%>=K@;R~QbtsJ zLP6Rm8(p?plWbrp2SpRMA@Ou&Y-mccS(D#YYS-59%HLKKRCw%SfG0zFn9eJyk#yyu zIN2vbDqCjmrhOy4RleLqf^L%uQccY>&4Q~bVf~nV(yrUkK;7syjaJJY+0-6pBP_*P z_wTUov5PT3wWgTEq%Ko@fmv{L6rbDgu>#T(ge;E$fNiuM(CE3vIwb?*1Eo-Zj;hH} zE^}OI(slh2!TY~RV$aJO>=u!)V|=GXy37m=0^N5^9l9b*uQoJ$UO+y-Nsn2F2=7I- zdO)xbkE2|ouF(XdFw~v_9JKUn(|%5Z-MK6`J0Uu?Qmy6}v*04BOZVkl9|9{}Fjz3m z7}6pKY8ODkt$^9EO16$YWrOaM)E1M*5yRHW%(Mj*RjzAp2q4f7xeqGVt)Da#&*zL9Ii zo(K+Qq~f1c^a-BH%;ZhRDx9Gs;v^~A`#pio%*X?am-=81MJA!Su#X6+DutAh@qZoe z@g8t9aU$EWifXfH#>*~pY2`2oSI_C7BbP#vwf9;uii~%%RK*A2B8F!-Cxd4jrH9O2 z<5uMM^DfUK1Y=0V>`)>%Jf{%+)h>Qqgl@v|zrgv;e~$BSd!G*H7YS}z!~Sn@Hq30B z@0-2OER;btwv+0IuX*oo?{Og4e(CP3?87(k2?Vhf*T76zh!r~!2G53suu;S}xO8wW ze@mIXauS@_FwC)eyfY_}OG{|tZhZWwZM6Al;~PEO_}uw_+r}JeV^ehxIv)K$ZX-!3 z$(q%(jq?BFHhwB?oG^OOu`BO?$E&WGtNpQ2dD3eh3aF7JGH@%y`+=GC_XV`c*)CZ@ zcXVozb$_byE6I72kWL`701b~78c4A z=iAu5kSft%A@`YpAYiT|8E{2YzpTc81`9$~@&N^6eNL(Fr|B7tF*7wMyWp4G1 z-Wl>=2v;k=A zLGmMBa$8dSZ)_6xOI<5leQ1y=-?Lvi>&-kI`6gA5%V?Moy-~I`oeibdeSU&-W=vF~ z%(+Qokkt{#itC&W@$81<#Nj7=R?VnLa(xUqKJ!7UKcc5{OvjJc?GKkY70n@7@*$|ls- zq|ia!daoGgyf}MI)?#F6Qy?Y5tXEVs?MAgXGkA-YMYcG6$%6Z&iS1&QodJ6n@P@OT zheLi0i*ffyX`gN?8SypaWb?{t$CC`D19E&)moN1{kEJzi)#<8mieABa;H=NcW%Oy} zUS&^?jou`~Y5N$4Qz@v(SaOr_M+u}woGY&H8cQcJFx1phU_{C@ni>1ztLh=e$6ncd z3k1&?GH{s@6H9k8(^&5%7lkV^1$|Xn51vsyCx(o+AZ#2jnJr(~jdLc>2;b^-Y#xVB za;BbgjPUtTx2bi7*J<}*+6Q6$vgEQ)Z5Xm3Aibf+*VN+`ot|z>($pV z{9cxLE>e;dUW&R<&`5M!6$+kcJc*KJ`d`ABuiFe@^uhyH1g%#xWo@4_B`c>bE5}!K z_5Rnx^{(i!R{x7-1&2fbVp%U`r?Cs6I}XyfIjL^-md2n;dJumv-FNPWZ#yAeY~BZN z4&Uc=JTO^e0UW5w{F0trWH9XH0Et9}GB6O)BBEK=lB;P9ndQ?=o&7hje2MEhm63?> z8qP>M8x#SRF|lh%2%t(%(zui?@90Imc?ru zj^`|4*+I_nccn1i(6M0x@N8}xBZ<2Gi`UJ4jH0y72Fjqza^yHamh2oik{`V=4 z>1mEx&-5o$eyOswXy~H~SQWU+W)-$zLDLtx4$pEK&UA+2&;;7-$)QtpN4HLzC#x5G zg0qau%h(V5m>5qt=o`m5QIow9fT{2>;Z3)Fue9AU)^3|=x?mb@pH8(TP$hiGt*|*q zVe?hRV)vPi%Kis$#DlHu8ysa%)r&6yCr|i+y&P#R$(cFg+hR)Y z4_<5#UzBX(4d%71Vll+V)6{rp(skGSLMd;N@kL@tza>EyQ8c2Lq6OCx=v$F1FwuWS zrnZJ4QDDxdqa8IlF~l%Q?WeMWdE@lL+)asdt}%0EpB&C?Zt*zNx5>#`JW9+-E+M5B zHjNXnd$Gv2VdaSF^m-Qu*>tk8(~a&hwQ;mjexOv{1B`Xn4?N)bX~h2+dcd&Ws;AVk zYBNtp^FZ&>iB9<Pj`2{Ww))KXy^ZfV@N2w{UpPqAf7Ie_{*uzTS&^CrY!XgoMEvu8 zy6*$uuupuEyM7cLYVK-$+i^DWxJC!3Uj0`RYb=!Cc-%1%7|mx2qz&))TXe5ka5>Sb zmUwpGf>IuK$B*tl(vl^Jmj%6+TV{0FwSd`)&ro<;>Uh>o6w(sh)hwlsfg#W8ROSMN zqv)my2RsSgI>=0xvidvfTO2uFvjtH0 ze%vx?>joCz#H8beuoefCTS3(pkskK>TF=P&O@gqs`&$mjbHbVCA+s*$3z9q1xNG6R z=Qz&SjCJ7g zg+@QCq@~t+x&(l1PJ~DDX-mW(dp3*LX%T5;){MB$e$eUYZ^i&5a*KQ!?)#T#J&>ob z@h^|~`8@Xh%kcS?V5NIhZ~6o6wZwC~4Xkfli*P%;x`%GGexb|+Clk0d=YdEAjf4j( z=VLqs2w6K=a8zrg1rhPkTn1ufCRo=rL}o6xD*MP*A3jf$Zvq9oS^;Rk$ta0%aA{(! zb%FsWE}6$yac8j+{Fxe@Ki1cHoQ?0YM=9BNpA6DOlVV1qLycomR)SB!{9Ia$%v@PH zbE)3c7e?A26<7hnmVu#iT%q*6kEdz2ns~A|8Dh*TtVA2yXQQTGJ=S5cJgPliW)r11 z|JDi61C=v>q&IC8t&q}s%@cUZ^e=_=X4(5kcUCYO9H`#kACjqE`c2xBK__fDlp1qw z9IVF)Wid4x$hSsv%9nTb#Zp)yU1kMHp~z}`z;IS!y2O-1i632JXRoreJFQQ}OrUlh z32`yq(niM@mohO==iKmsI^2Zlc%%q>U;O^hyy(E#rKCPsy_W#p={$MRLxLGP3cs<2YJ>KWz2NQyT|%BNJxz62LAEWgZHGs zzeZ)zkBGcBE?rb<#uR(i*(hj>RQYF>y_jljFpY)BelUXl)1d*T_7)FFvX3cO+rzV9 zRA)_wPSJ3+>b;hyX^v-0MCX4C1=CY-8i4Ly&G*A8@~oeBZ|=9?ni7`KIT=9_MS#sY zC52Nng-mUHy7?Asp!zEAXh&0PaFF%f1nHDi(VHon7;gQBG<&2Bu9)V0U=Sn6P=n=d zHCWmis)kKU!R6g*iw$XNuV0d)v&C|z+PHpJw^BzSfHtZ~``6ldr1*a>X=-z5w#CYp z7WJn7OieY-d0ISPH|LHSol@^~`XhK2>`Z%~8WLp%nGzhXn>3ZkDNMDQqQOUEH^p4RXgxiqMA;`K?DxKU8A!u zB|gAs)>pz)Ywh6d&~9`7tn=yr%$z@^(`qDN5^7WNTtDw|lcuDzzmOJNx*;-b9*EpU zu6V~86Y4MWyBcYgq6{faCOv5uwS+%z8B2bbk` zY|OpTnxd%c)eMl(Kn2%ZwKtQ*v9qTRRkyVXK=wo?YFCCrt@RqpHZ_Hcyg^8U4`W0` z)S$oZ0vQ86W;(NG0VsN3=nJ;Ge}81=e1G)*FXeE^eWLfZl^2Of_ZG8AZ#rc2E$TmF z9%Rx&Q8a!o20Ms~jQaURA$WtZj~wZX8xyDPi?kAbnsfhb3dB+pEqcaR@R!*S*g+>P zfl%;ljORX!=0?K~%xc@Vo=O%C2CtXnX+&eb_rX7HcGOpz{SUNxPqs<3u!a$9YS9aY z1$j0LHVF%2(sePO!Y4fV0gCqa)CPkkG%hS)`gJ5Gmv3o2(ZCZN;^+*fR3*1|4dE6l zQky~zrR)>K%eS!8Ns9WL-%A6QV%JmbDpgD<{Hk20IeIgv3HIdZi|VvgWmKgkLP$G$ z;Oy9N8E2Xx)Z7-FepLHqNiW;H$?)-w_&??2M;s5>v$3hCZHyi(Tm(>iI(zh=1AXi( zK(kK^R4G*4Inkz(2`JN_71tpj5=>}(Q4Gz@Ufo&h#CucQd_k%k!<{V5;{U354F1&n zf2#MK%=?ekyPkRfH}yUs^S)TUqwG`l>vAlAw$bh&iD(3$AA|}eREKmH zDz%%HxJ5LTn-pTGJe4?}{f1S9g(V4$?^@|1HPO4Rdu30Oshtb3h6+!}UY*i(1si99 z@EV<4LIf_6AD%-a_5wFcmJ&hr$UZ}fCH6cEpjN(U;uQW1#e{W4Zg+ZC?4XSe!&Mt- zUy>UtZq}Pd^MG2(HUE*QWz}fOwMJ!WXuz`<8sI!eBrZ?)#VR0J$&2j1 zD5Nj0M2xZs*qc;PRMlgS7M#ZuNKn6`^CU0CANJm>j4%V3jV@7 zA*)~?Ta#Wcqee{(Ae9G9qjKz@C=%)eZL;JCp)0OsRZwqwLkPWu1;DHaFMtcOP0Hm( z(uACrgXGDqRz?Cf=@eNbl<$bm-{@v%Est>oIRIeG2ETmwZ@n@KgCo>Xkcpmt%O$AS>lff z+G?z=nS>IwLpyG9qyC0w9T{UeIUgyP;c5L!&fQgI9|#ERQ{!^KVuki^G$P}2w9SPj z_N)3#dV^vCAfCM+DrS;nO%qs*SNH!sY}4abzC>ciF0%K@bNT_tUkmo8))$DJ9%=tX zov(slx$q%6)^b7->XbQs`6}M^rk`+?m?55PAaegIU*!I$f)};<)fbU4{^A3Qr>kM{ zYWT{%W|i=EwY3;tB<6@IncRtPolTpM4rRTNPpNKHj&-Lsl{1u{oeo&3wi?ju#5t!My zyAq?HE$I&4`cy()5=ThE?yX>p+hxNZF0e&fR?{U<3IH_|iIEz7@n}M#`uX^r~HAIQE_^LG> zdZCRT(3jZw%0^%T#e+D|*buHJq*xz*M;rhgy0 zsHYY{$J*96Q-L6}jH2$donSdUJpH-E3BD zg5x;3L<3(x*eTAQvrm4*Gw5Tmix)@(BPGkWJ5Es&A7U>i&Z6`gUi*x>sB6a?DLAj} zl?V{zGH#U^qZ)TvPh3W~+^E=+8a@?>YJxe)HC-OA*9Z&1(h z@?j~$1f)H278_D7KsYj4GbF13Fynbhqs8#@2|f)c#|KAvqZ6Kc>Nq$zoSYr1_cnau z_ckP*OJ;bFv}J{Eg5bBAdf~5fg2nzC3MAf@6!#pGDMqi_pPE_JqRAmEU+HV8mbC!? zF+%)CnB&ziqtj)>M$Mt{ykjhgS9BNVjEm)#Cz^DkGjXm| z10NYjwr;3l(4ry^lopj?6(o z4qN}2=5TO2Wr-tnJLg^umZ+;(7A`-JMtB#%4{}0u!$1H83G(uX65Zx2dtf;&ic*SWmIij*hhXO;IwkP9<4YNhnf)xx!hBLzB*(KVPc8LLgzc*> zD=th;RUU9022e5c_It#}JBFa^8w;^5!ykCjnHss_6NB`JUnaxUdhsg$b$SYo+}|lN zso#(pe&=NPME;Tq!LdZvMutyh2fx8@g9gtEpXe3r7e3+C)go1Ns+O3v0ln-bPYej=gF?u!jz>-mRKJaq$loBkH=%97 z?u27V-ET$EP%n}DExnKr|oJ8`4s+vnB{y$q)W6&j_J3=sT~~owv(Nq zIAWDD*tDGtdy>>|tf=3XN| z1v_&&i|#BMVGFR=&|OiaH$4W84HX=}^7~aF9~$ZBG-qVb%?VU16*Vl?SyvL46=Qyy z1RmJlATjGYhEF_BZJM})CIaTW;_J=lZ-G2a(>FTTaYna;)qMsL?bY%(DOy`PdMlo! zUbBha|C_^BuHJMVi1LxD{j*c*;d|8MA-EWCR&PFoUNN;ZXvAKc)ti1rjSaHgRMY%k zkg$KvQ`VIz2z%Xio%k^GZA;Hr?6JPY3P9_peysw#@<${DOgBbyATk$>S;dUk2(zL! z`{Mn1Pz$ZUKr%M_iYH~o<@jBd^gTPNHY+Y??(+N2t}c|M-UgQ9)#{+2WLdvLgV-oB z*TBavl)fbxz-ENL9n_pwmf)C)#7+aHx_HVfF0y7Q9R>i!SK;Q@2-P2VW5& zP%lSc?QO29_3TA*xUpgw?p{ra)hmNt#VHKij_w7k$KqR0$^#3~*8Vr`r}>#a{u&g@ zKq0^nU(Vm)6<(Oy^zB;d(iL(z4h3PiAyPI{^`t69s`V75qzC8QJ@}Y) z$5*TQ%ijxB&MltSv+gwO&Q#r0?>}Z;`qjFgBb$kNTn!;2dCdcO@Bynr|K2)yApzx- zt#albnYn~-65YwH=Ww!&B5>NCG=b@u`X*-WuLif_^so7P*;nBXme^f>#U)~AWMuR) zE21i97(-|;s$Ix2bv_1BgjJU=wO`~Zv%{l&&&6YDoUX#M$XJ%k`pB6TjX3qL~Pe~L1F zmu;_mq|Cj~|9Kz%iT&7Jt;@Q{xvF_O6$(^*Ux^`bvuwC2kLKD}{%POO_zK+3ucrFG z2V7sp+~V5cxNbsq;^h=zK`Sj(Y1vOn)^!S2MjT|E2%t$eAUXqms{Q$20Hl2t&_)Rj zD#70c9D6^Q-XxmM%TamFZ-s8Gsr*Lpx@X;@z^6&KOcN=rvtA%pRYS~QMLH$fdYOr~ z`_L`3J|ac!&zSNUgV%ai&BPsvn>ll=FGsy7NuB;x(6=hkZHaTG>8h{hkNZl~(*$xF z6OZ+M=oE?U`p8tcE*1yJX4cvMf{0l$zVEbj^!8vRSs*et6*P+OM9Y5=^@O!8jIgb?_`>AD?BKSojQ|tA=dgP z8*1!$T!)Is?TcS8UTRePJL-U{Dfpc#fM&jIU5KhqS$PsZuY;Q@o~UobMAW|;8{MDO z`qQ4N9nF_R@j43@U8-+5R1neL=UoNBR$ISf8rL^m@(L-)8*xvuIoC;0dj^vT%>5lX zE1b_>J$kF&e2FBfIQJu@RuqP==Z)JidSkV9mr!78_mP#5gH<5+Zk}c3=hMWK6j>!R zeD7zotlyMl5)UQ+I`UzMd{fMh$3#D#WiJ^4(eF;ghzdOwFhi?q@L>As8~)aNk<_%$`2;q_^c0-5Y*CO9f8*1|sE=Mb7xIDFGIL@7v39#PJt?&QNt4=soleGQ#(- zCb}SsqhaiO6mbOa->e;w2ROZ&j=~h6^$nsO&9Xoww8~uIjD(&7;x8#hj9YK|z6~*E zl?g-@R9&q)aUK2ltF1~nVyS>B@)47eN(}ITPDN`k1w1dE2_|N3;Xkj@sd)S4E>)ug zFsno{4F&?3fg{KXnk)hb^MzA+`i75tlepf|AZjuh)cStPD_MHeemYzIC{6QWy?MJB zaHh7ckLse}S+ai8Phy&C#fJqn!URd}X|kJLYq$nE9O=E#dCi})`WBuSbNGhN6Z=#c z)@cnzoyG4{CLwWU##|u@tY82}K(f8Pmw-hsqFR5>wnfa61wo)9)alr5I&fQK&glx= zX8dU7%Mia@kd9y0`Q>Ak;{;%Eh*_6EGZu|KCbvmmPd zgkkH8EJ0i4#l=gEj_VlHdkHkQQ1&ItHXR6F86CIVn9~7C9oEUM!g5#NqZ&x=Q&e8C zMZ`kFL^0`vAIZ_c^edV=`~g3(gLAh zIJ>Ab8=p(g*Qp~U0VfMl!9}QGcZ~{#zbgs@2yZ&2w`YegZ&;c&J2b-HwXL<0iZ?B; zv>LW+d1ssa;(ltuh;J;!_e`*aY=3Pb`_b)v_6%11_i0L!L{*>Szw=wAD&W3=;K3YV z5?fQD=8f5Yjzr@3k+mt<-wYM(dr_%sgvgK)zR9rZu>RD>bY(9Zs2^Lko~ z*2kt;Z^N;vp<7JN1@sonUVsk~uiwPSU7zL=N0ofVNo$rU2I24}7s!JeiZQE5`jE8` znOptsDIS7viih7}DFNP@1%CpVZ2F}MmJOfKH@uy{@G;r}k=2}41}^Jp@&QVP0&L#wLIoZyeiq~LFlKSx)mzcZlc-x*HPOys8f99@gBE$Ah(u1+UV zdz58{{s`bo)XIY2lra5dxp?GKC70=PIbSY=h~Kl6du?hdw{JXVBm28HkR6^`MEH@s zo|8t}b-%m{DR=Ua4*JvQf8HddXm4q10423od5C&!H5|XvzD!_>PZ{OcQ5&i| zVQo4Ft0Lo_R`E+>kJAmxIq$SqssS&t8i_qx5_{~v93!}BZiE~{(0QpTyiTl|nfCV( zvaFeoa}mH{;YF+)v!EOdYs`HrX024z`6RGApugYTOQy z-qo`*m6mp|RMou_k)sw)=2P{~mwIIl_wUPk@S+-GP4e^hnzO1a6Xv+MQ zr&sV4x%!3=`pMxKH>OtU`F(e(6X~0{w~dbvF(%H3HTJ}p-ZhfA`Pr+yoB1M5AU~{@ zKD1xuKnn+FmdRO97x+v$I#NFWUEEI?A9A&2t0-YF8z}v^NGix#pG<*JJ(pLtU`ULZ zxByXCQPrtfvDmh$b6(Qx+MJScJiVW!mb%t61Q2B&f^rTmbvwd!{7!r}JJ0!<0V4fx z{GDE56HOV042C*S^2;c)n~z5ik8Jtl$q;jkyPMy@VxvdO5vWty)**DQ`av^3-Vp5} zy0>d`UR0!Poz$L(jD~!d2r~E=3jX|HaN~z6vSMmae!{#d-!?ZDH^|6E4=`O9%*aNM zp72y$7SgfS*c+46j^_I_C01lzT*id#);DG`Cx@*|nU+UTTIOR6ihEE->ew5>)otZg z3e1863V15`Ik?~qdq;s9Do3-ZCSF81IWAOwST7`?$q`u(?B@f(a7(Vkjz0;XtS@}% z;1wySkY*guF}++IPI^OqKU4Men-3&fS0D=o-$W@i@f!~Qok!S8Dl@JuB=uFD`CXgH z^6ggn4{fFi8<>ZggBQshqV~I_*92@^rh82G7cg!WHRyG}Y)dM*91;k~`YJ9A4GTm^ zy}4P8m%Bc})O#PXd|x?id#wSe`}i6p59VDlCTDT)hRWG`^G`_7H(urqwrFd_tf*%G zMW(S&@F3_KKSWH)V;U1;j>=4*XKiH&qgjT26P5yUmwmN!b2Y71GJU+B>epxGX&pr1%_t|HkefHjGAO9Y63d&q*mE+e~K+?-3>oqR>Vve8i zPFpNxgzOBOjzzKok)T0)_J1wuehqAFNe$i}a$}Q&rgw zl2bO-YZ&?D(P}3a6925o>dI5YUa^qLAcES2n9S~_G;F8(5Ej5XnJ`%QI&c3<(&YA? zZyY(wBSUE^!Fq*aWxm)9O!tE3m-@V5^#CPD;wWaY8jdWnd)0!26Q%Yn9Q;97b_aoN~CPZ>t9Qt*qjNvLb|cMcd4J@Ay{0x>}~(?6+_wG-garTa6GwKit45Fg;J;{ z+W=WcUvAMZWOd0%VUGB|J?ir98(oXz_Y^3$eYVZ*FLe2kF_9GcN)N&27TZ0`514t8 zI}pDfHy0o7wd@zzy&GdX0#$F{FhU;)4OD$G`+Q&A(+O*L3H8LsJJlP{(^r@t?zeH% zu?ZYkUW;Qpx>FE{jfL$PTM`)Zb|5y@9WV*XH8uH~y8=>jJUlAy2yr{NOK^o{d|cYi z#t(llNTT6JQb%j24Y#S05p0hAk?+gq7wX#llANM3rz{LCP_^6jg7_-a0 zcnUmlyb+;6_>H~-2u1J-O7i`=kBN#!;F>Wy{=jm5`6 zIE=>4tl_*@7>gez6!y#3qVYBznJ70JA7Mg!_1^bab|`$DyoU$s-y`&|OaJz!7<9PT z3a4Sbcmea_qto&F4S?@waG+Jo@V~v8nbsd!?~^hsCM~NL|E{}OL)ZAVQ$G^dKQ5zj zu-)2?&*(*f-ifHHUA+r3QAj%;#8u)C6hhaVtIfaD^|nUJ{SHx7+o66kkU27fuR#1Hg&TW3yS=wU82>`1UIdhX0`DJDLc{}hz}bJdgwE2B9N;NnmvLh_7mcM_{)b1 zaz>mLsjQgNW-Oi$eB$S^ycYckA(MLfYYWqR1!Cn`i@RmLS!vPWX4UqDRXQ2xg(x;s z{KQ$(c-ny=WLlfrfrK#mz4RJ(v=n$t_X5xAR^V*AK#rY-^SuiO1`SG14~_ z8*T|h5~6Gm@yD=vq+xu*XEw}DofbLc ziMiPTR3m92EAp}~@SP8@ogR&JDFU%#QbA3h5ORh=KfDS~_r@>66O^D| z+;PIgpi=asN~s-8%%EQwa5Zt#=_WFFq2V-PfM}W*ZB4JlCA@*q=gsqmmr?S#@b9Jk z@PqpIm-_b}{rgk>yGZ}urhgmsL}FI)~;of=J)heOinvGOxY zen!eqh5QVapYQ1z`vTeU=aGu4zIuDMNqfA;!kz-j3~SvoK%9XLV)LLDa(u)r91-1b|Io=lMa(DSv&>~&nv z&QvE^*x+c3)8^QuHd!-!8_&Jl+qgAPij(Z-8%)M#wFwfLc!aPVa{Fryok7vxm|2TLQ+5D1Su$dfn%OY5`;Ms{kfEIGXSx*<%!s zmLEN+hfC-v`6sl4O12Qve3@8i-*M;~gTKOLz3A}6VY zwucs?-K<6~*9kuQ%;H~;w!}zp@tW+XuEcC4OpTL2g$aa!(%K;ow%<&G9 zG@rC$;g~p@9;BydaiVE&`VD!d)ENEfKrFlVkJ4DjJyH-X0_6{|W%Cw7sUA;*Oczry zlgwCjw@mr?#La=|R}Lc@lec`F+sUHk*u_F9>z0gEhRXJ}Di}@$ngyv5l64Yq5GJE> zr=}0N;UOBZ!}UZ1)ZdeUTy}nfz%tI9jXAzV`jog6a0-sIoCroNQ}4k;5a>|TUC>zZ zE1*wEs67&I+wAwG3p&lH?rFAWrFriuJIyiO(>#`y<|Wc-9czcGVC$Mb6OULemX+$~ zq|%%{LkMI4BR(aLV)p8s?WzYR#ac$Ek5II$bNH^8P|eS5R)^`L+7hP%TX?=K9l3{b z>i9$kTpztlAN{%ONrslAKVm3^u(@5PPJ48klB0L`Bkt2ZpA5%qfumjRrG|z%DtF!- z3j7rX%2wbyrc&A>n)|Y)8Z8}m{O*rZyx1RSTa%wb85!2$iIXy=->cj27;Be%q%}n= zbi0L$r|lmPIMj#qG;Qse-m7`F^)vldtl_jjqmQz5Ra*J9U76iKYM6DC!AncU)mZW4 zA8YW1;4FPHzk;p_ql*t{u(32eH<~y)JO;eu44G)A)~lbOO42?ir1zo9o?<|)_YU#m zBOVjAM3-)70I%w}-wVFDIhDB>1rKJ zc=D8mqjE=-hAX+lsp(V*Gc)SBCuBxpx^BTAQ)Pr!Th*tUOdcR~mg~MK_~l(P(|Sic z&ovf{R@}Nefz{$qLau)xq=q7 zapP;!zs-qvAnLLN+mu4*xPTl2veRjL;xfG=u|}Kgt@0}Psy2NDG-bs+5SndZSr#3>y_}Jme^spPpXeOo~HoS z2W!a0nsj{3@eq-Wj^HCcRekF=FIY)tmNuzNA4Z<8I za+SUQeMEaJVTvZTN6KjEr|h&)FET4+=0b(U_(f|M+tqMs!&nQw#vo>{Q};^%|ta+Toe%x=hm<}C_rt7fFzUL58bDnqw~OgcqwxnP+sF# zS;so}Q|$#G(Zm%HSewPC{v;^nZ->iEx}_vHCAlccWtCJ!P01%Yl1d^LRej)7yv&}) z?2cub@L2QkDqY%v^RP?z)BSuSW>WY*tFA*7QsnxzT&S}KJJq3Y=_|v~XcV+C=0?Jy zkF0gbT5mL(G$`&}haTYj4ID%|Eo92Aoo<;_%uYXM`tNR$ElLWWS&kKM#GQuEY*ml4 zZYGB4VYb(qvzSf6%45Pu1u6%Hdr9B<8sQ==oTb5SzbAd+3%s@z-L77d2)&qYR7W5v zPW+9g_{=$b0mpHF(rZF{Y>L7hW$wtdcg7!MPo=hhOh%+TC3LfrLHB7F*<8JF74m@ZA7q*tj4fyycEk^WD(F=%g>T-2&oBFMsGpS2pyD9V$1 zFSqMuIE#J`X32irKAny5$f|GBZ)E(f4t}N?6Iqgah?aMZ-i9(l|Kzk`dQFnm=qQ=P zU8|A3-gKR3?J|&XjM~Y>l+_vyj`&>zw=tbE8Y6@oDtyM`nGzXu97Q^;oui-F#u~kO z7bVT@XYn0=Sc-{GTb2`@w!F(GzCWLUiSR(ryo3#qMR;I@j)tMs1IMSX^N)>>ve(62 zNbt$rx95%2n&bDGYsBXMSah96(`y=#j%QhCvE2}23*~5r8Z;+4dg8cW$8WRaHw%>z zd=o8Chi*bCtd-RfV$}J+rA-dyeIpA2_LIv^lAFH* z@rNH4B$>axG7ZIw5jE*8Q&WKTLrFrgBDMsg_fE)aA@0>+J9{(eiGD>{)PNTd*8izL+Kr zmjk(SL42#z>;A^zgDUzUSk9uD8Vez}liA+2~lA!svG>O$q zHugf{VvYi8&^#s%tFSPv9t7(8N@pOfKVL3k2>=s}=X|9e)-Z~oVRwll&O*+#uP%?e z3&JPKAeyoW)Tm{euP71wK19Ju{H&w5PkteCVJU{D=oa`y2OYVX?%({L=8=u2AAzzK z6lV#%W=WIlRmJn^3N*(|ysD-O>s)v(-R)36&{e|r8B!}JY5qV(V!37sEQTk<2vYh^ ze=)#{Ih<5U&ROchV`N*y>At%fq>Bvh(b6B54*SFoF*_bYk@$3O;%W+M_%TLcmp1%3 z?`%1Urwe4`5pz8At`rzwN+IgciF66e>@x4C1Z@gnw~tQWMg~g*Dox{l6y6hZN|;ib zrId*Mt+8tK)i!E8}Vl_<25iuu>vSw{hf3~ zjz?IA)f#_`e*X^i6z3Qh(X1t^1kOf|Nsf{ojE45Te5YJl5!Hu?iD{j%JxOs1Oq1PU z-zFVB$)#EFHZ@b%lNnH7#cXhVi0p?=$9RhKRg|MC#r`s!HO$GY=-3BHoS4&*BKrfw z-7|Sk2xAK&2RO3Griu9e=4;85B!St-lVr;DKa7l!b&fvwL5Ym7qOm& z&zF9l4<-n(IH1=i(}=OsGL~i~auvO2x0$d4-F86{7?w75Y`X1TW+;x{6fK)l+f3*m zJCN_(AT?=Y)-Ic#TA+FNZ)qCZ!op*@sCX>#p0W{4nF zv${#sO-uSuQ~rn7u71)>IRaX*jX^{}-OWZ@)L$M=!;3DZc?;!2NLTbK?F=Vh+9ZQI z^pz23M?98N=li76Iyv?AtJJc;n(!2vJf9%y(US*V9c+r~L3>!VkR`QA9=$_m=0{h0 z#P;Ohvc3Py8Yv)SdvEDj3&bn8rS&X9$@<;JqCd;-;Msv5pz*zr-ZwJhS=rL~hOF>awajs1qAA|?-Q0(9J<=^7x5o|P z-0X_c3k!0+3v##;IT-zj8;0b%rF`k7_#Y2eZN9;Y;&?%x2sCw+zB@{E$kMqITZ8Pf zfs!gdLOKY4Vd4+j(j#m5q(LM8=OwT7P5QGl&g=%!Io*qU@(IujYDT#{3agN=(LZqEkAAhS_JF<8>j?kWP_xU1-QF-h~Cdy{VQ3q8Id6wO#*du&!D9V)LRN z?ef}DdKYDi2pc2Ad>A2+N7dXXgWzcSE2!zh!9DY$=t*80@L1L)Oki5q_$wkuOpV|I z*qdwVu_2v~7_sVn4k*}BDnOX>t|LBah@4W+>5{OP2rZRN%9((p0;x95aK#*B`M~tt z3l*0sIoL{mn#4k$-NK=<-ZIDjnRllR8-{H0RjuAAl^#PA5W&EhH>9kb&uaulGb7APRb z_yyeC!J39iK)N1B9a%Jce|Dr)v-Z|e2yR^EJ}@DoF^7jF=+?aNQd)1l+^8lkrnW^{ z2k?%WGreLzwuF&_dGtP+>pM1rv6OV}<2U8rpU4{Df)n--+?~sbh!0q;P@?4ePv<7v zX>XuxYTg{3wu2{EE}Sd`2-_@B;Bhig!~;CkHNTW0t$?BjVsqZWA}P^MZ4H&BY*HgX zYPg9V{n5sY6Z4`Um4*TJY2nkDPB;|chvU)t;ZsQ(8AI7T!)H!jDKNW{d#8OS{^`vM+So%%ll#l& z>dyUp<^SkR@G|+-cOvYE=5O}*@N6G#dp4K z6)$^`)9&x`0%q+&)~L_#UfT8B0gv9${!cwf9gvNwbGViD$K3!|UIp z+8GeE&4~DldQnlbN5h;Qx%0gK)8F@1Oxt8M9tKL9{!Pr8)sC;lc%0)gvd{~XKw#O+ z9NgTd+ZJe}(D$&|rryHZpE*K4vvdjgHcQ6BbS$KF-@De z2;Gzt*4}v9@hU03h7bI?rPRH^v5Hqbtr$(R@d(97UI!7-eEz&KUlm>2)^D22c3ePMlX3(ou~RDK zOYAHtr}zc5kC_OPT9}1wGZd30%_XaLtZ>&dZKf9LiwoS6o$(Hc!@C(GI@Cb^-ZGEe%XQ}g2c(ZG@R*)43|9?951hem=mRG z+7-NG-<`73Z=%gwj3QHfnR*uDkm#U_Cr*Tfw=)-ztVfjkQe;sg!T1_BOAvRG7Gol*j?;X~8SJPOwXv_W>`X?3W{OV3!ysMeai}{+0%^=s2Q@ zvE6J5sNp1CgDiu(PbZT}1U<&$m|baKC|M%G%M%DTvcT{OQX~`KA|toojkS$Sh6vw7 z89RY1ba~rW3-&X+5FnlmfV7lwY^XBQjs?xh-3q*)0+T0;Jw5m3ZDj(C05GyPU;rwU z_hhl3(f5x?VZ#@rUif4TdLVFO06#|KD>j;3t&wB9jIs<<=NFkKJo58zZNgDmO}JQ^ z@a(p4X~L6t@KI{GJFAAV-(JIVq-p6+?tO(CF8sC{&P~@aEUShO?vY*k906%UtVl2% zu+;fyTbd#U)$;qaCJh0(PbFYN%HhpqGr)H1Q!pQ_6)yOlTcN89%9A)K8?F)aYx4OP zSVOH|0uS~$PNS(g9uRMv_oWm%fbglz?J^=|e2zEQdynTH+IuKS-VcYs%b0_rADAG| zqm<`8eh0??zx;{t{#;K{-L8qJ`ldhYkeL6|7_k}1C4KahbHl@Ak|Sf4!$|vb5wc~( zFUeZw(ft&J^FZv+bCLsizlQf@PXa#c!;ySoHZPO;&BD#oavq5edP(*McbS^-Keo(6 zn`Ee&ys{AoS{-s7+Xq)jYBrQC*m$(-Mh~-T;Vm5h&4`i*zX)KuNMK?!Z(I-PZ0MYf zRimhG((1}1#=%I$v;LqebfcwcTV-l{z1L=KI z5^L6lw7gly`Pc)-xwAp<-bj2ciMcw^-!8?qtH0jPJ;H7DI#v7{X=Di5+cfJTT(6E> z2*zFpuvxK5?-(ZyJt$}wFeNjxgJtUP5Kv3GzDzWs{qCZmVq0)LNehmJdH)I>yWX~2 z5WnH_48+-n*#`i#_Rnb(emTExpJP{Yj-3|6M^x}10NQHya;sR(bM^Ukv-t8&Y=837 zhbTuNENsCvLz~Ks;S+Ke?2|*Lqmmb#xdU0Rw)GhLidS@MMb-J(cWw#A93_%qVb00k z5l0%gy_`on^lC;^J9CkZED82(6h`JnXS8#ev3MU~^ACMR!i{H;M3mT~o)KYe)8hoh z?Oa1eO~~*yTiKU)Wv`xhN_ZfH$tlI>9zjc#5=HR1@Y&JMkkNF9K4v1XsJGNN9CtqDIm+&N((q1dqM5%^u$f=*>Xf9rTP7Tz_CGPNf zXYf%aA^m8;xy+tS&&kz3iCwzoh2d+YmKpL>CqI{YtJa4v0^}q)OA-1iu zQ40@;tT!5kktd7MDCTC8cb@!QAMGrPykz(PW!Xn6-o zLQ9`@^VjB}RyDV9x~#~1T&v;R;*Gx3BV2+RUtYM7-vX>!fk)Cqik`_cqw74$VY|2K zE_|mse?>yPk)J#=UW zAtArd<)h$qE{={b7=P_!%E|Z`VWho#s8;@;7Tox&mvUX26MfDGJ#J{U^DGwb_yecW23* z3(OVIiSxcbn;Dd7dkNgiUT3&Zbg#>3`V4GM_R`SL2l{$=PSnGL8FFVq7z1Q6SX)Oj z67^1E9ruwliQA2jdUXkJy34l8HLI_sTW_jiedrThf4;trT_oM|mKPqh$8pfRBd*XQ?oYuOLbn1;J32jY1_V`OihMZWk z)oo-mtPR*x#lPp1B|5WR5>DEo4KZ zJW3=dtedIg5V=IumcKebXQ6e*Z7bH3CwU)t>)jRh99(o~_!jg=N1JN)RXD?YlX(kz zFLZJnAckRYF6ga^s&+URh9pLqj;m{a^Q*As}tx5 zjU}{6cgfMV+QNI=Y0I;`cA=O}14aH5;JUs?Y&oM`GmB1IH-`F0FsLmu&fq_}qtgtb zdPZZD#6_p=L3~oZCps+!{1Giir}dP97@*Y}LIuY^Cez%_$H5Y>u7V4<6jsA!)}PF4 zw!%tk6Q`!sR%A8ZXf!mIIeroozT6P71Y&*|@<{_=zkAAt8rr)_Jwj1jSxe5XtLQXV zql-6_RyXz$9q<^9|0B8M)x*_}pX;R|_{i*q}3=S?CSV=Y0UxZ|w_y7llc>DCWUw|;P9Bxxka z@v@#2S!dkoQ6GCWH>q41Y}4`8N~^9jpfyMtlDvZK_&)(bETD2YRX|hSQ@s+CEPf); z{io1>W<-Q(2N>|c;ylEXJtK9Qh0p~b(%uWa7Y5=p(sF0&ed2M@MsGTXhs>fd)%q81 z#w|<8{EQ_%*Nc={OPG%dG8<);De{me6e|kyP=%1WL=8R1m%F#2^6bbY(I!;Cp>9q} z6HBzH*KrIF-s-sOh@W^Z(TY9StC!p4~{EY)aPs@b348c7;Y_cET&scMV#2XvpZv0USq zTM~1E(U!v@<8j9q#OY!RiT&0hj3(iz$g>8cH- z*dE7O1amwhkGfZ~n@3lQU`x)REY$DSZ)9z=zOUzw-cJAY2H8#{6+hZZhGc=A0 znZD;d>5oNq|Ji;Tf441;oD&4_t(@O%QGM(?S|r@p3d3|%=5pnZtiO0usO)8jb^5}r z^hH@=XI9>D-#uRI_ELv-Z9_r2Oe-GoV7Mz@muaN)%DuM6FQwx2x!0lgxmRYu3HMyb z-NxR+)^wS&pUj+h?Qd%nS&y`N-k%Zh@E80sd z>-UJsZ<@lOth%+q9bo3n|1v$w9;`VueL3L=tFBD85cIgv%D3M z>+U3?{^u_)Rv$Il2ta~kELtD7zj$jUAtsuhurKB!AoXGdPg_|+5Hti39=ZvbwY zF_TlAi~|3zR^z!JIQuZx^6YCr3+-o--~e}EhaK{@mriTg-&o$XjuZbca)qzHXTE=6 z2rAKLbi`Ug9K@P0@;M)eHdk=C3c`oAAu7<_cKS#@h~&=`Q%$9Oie}pC0xPCoHbpii@Uhn5%7FG9+N`Aq>A_-j z7^wT62X;KKlxOsWY1ZQk9UF68#WQ>8?7?yoEd$436%Ukfthh)XFca`Of02*$!ydGl zBbRS1G>7pJd^n2dYR9J}%Tbp-kRGY8B^x8$B?b+Y)H|z7;@_7=UCGR`(9nOigj+d?P8|C{j`}=nJj#@>& zud=?cmhU39ko;TZyO2@7zhHfTQNDjkRNB60X4=7z=KG?%+yV0=*#K0nGaB#ISx5eU z0Q#8WLG!*nWxv6p3~O~^Ao>r~rw{WzIj!1!a!>ON*`sn8+PhrjHmTyvejp$f^PkAf zRB^=&u7Ac~+bO>I=$>+9I$pf00mF+Lhvn9ut%A;-Dn2oj?+k%r@b*Tl*65moK-D)K ztAkk<3G)8_?%i_LoA|t6AH02$-O#nT+B4Uuid(3j0ZejtG5g!BdDo@*rr%~K8mE_z z5SOX%1Wgq(KMIPbS|n@IJJ*AFa&* zXjMV5YFA>0Y&gXA;>a(Gv%WGBELc26eL*ORz~ynmGDV8u1A&_EY_fOt?N92E1!Y$A znc{~&teskED2uvQAdMz=GSHmSwReE_+khN)qf~A-?h}l`?Gcr@0z#{*S^|b|RiX*- z1kES+S$M;Ng*0$ZlqOktQ;{mpnQj4Ryx@&oRS++Z&jmOo`5HK9XuKglRs0Dlt$g8Q zEF92P3nOjy`vsk#m3zQw2A#E9rV)wNO>QNmiyjf?iA2lInk4d&gY@zI^h5zkIFS=F zJFzB9&y^GA_P6KC-}jpacn0Bj4-&UOEv9@=(ELo#syA7I)L(u` zU9ritw8VRIh5CcMa|u8_yikZIA710Ch6;=tC(n@022kR^Oa!2AOitA+{n~Z7^*%%OPB(DqTjrgm4HTMgscvSh z2F^>faNV0(cRJ17_yg(Op*9n`6p97hA@2VO#A=|w0jK!i1|r*|wQaCEfp)$rRWGHo zWtwav=oed~37`{uD-UhUNs7Uahknn}^5#P=vvmJ5{{asD(=ypdfD}WU*_*_?82fn( zV_x>F;K^#?V0i{&@KPA~$&MyFj4)K>pORz);YzR5x~CNW%5c$da|O7SC%(tAIwYz>v-6sIRx;mAuC31#tf&8A%38(tn-I zjUi5fBsF^nV;;m3E#6q5)SIG1Hjby~s(DeNoIm~y4(i0zdiCa2GCGC7U}$Os@%{?} zbz@xE^;Xpv%>7$cy>s3+yg)WvlRs;AGR_s?lRGE92de;X2U({sSa@UzPk;-K@|vGv zy#GOwEXc4mGPicO7KBT^nXa8?1L`yZRA>lVH-S`aRKf06ai(JC1*0npVxye9TU}YN zg~7VKYWj|~vabSNO{8XbYaSQb#`|M)mmY&|MKcCI^W3k!TR-y0#=HFR;chd}99IyC zpX;nzP0?cDyzcsBvX__d$^6(T*Y4Kb@Ch{4X^rWf-O39MS>ZKnzTWzgH+CLab!n+9 zGz1HanWe}!fm~SV0NOjfm0zJ$<%@_I!f?ZUj$TuqxT9yX0r;uJKX&CkD5H!-XA29D#_ z9qNsK>B1sbVUZqs-(TP}0|n`=-bUpfA(>=_$sidxR_5KE1AWA05hEKe@|qq1TnM|z zs}v(UvT}9pNKHA#v6|pIlnB^ga3OrPNRe67y=Hx3NEqriXnQqlmHCxAi-uL3{Y$~d z*byi;!$A-~1?SuUr9gb(l3@N+XVujOb3drM+BvU1$k_oXSPcwBs<`}8B;9qRUGN9_ zK8~-M;|qNzc(gV=AQ-Q~H(Oq?YDL(Eus6D*zqe}b^&j(d!+k-spp=Og3)Y1exabA6 zsIPPxww7J>%q-6K(y2DzN7uImW4Qu^a9^((pz|zig}K34FD7`_IAr!uX`5|*BE*tK zhRk=_&13SRo-%huj;0Pc`kp|di;v{sm<`WP_Gy9d$gs$ziRdMtN12& z4={ju!oHF*CyCfAu|{hHV-MnmGH=`uF@_lV3^`!F$|p)n!v$tQoBgsmuXY8^tC2i( z-4-#mRh=_Nn1+MWEKsIaG@Z=bH;t2K!C)ukwR~s_%UyIGHQS6bJ*(FvSD&@bZ*~mb ztsa1p@|k_W5bdx`?t@@O_`6e9)X^p8CSO&@Ek_4hl$*f3{!MGWcuF=q3}2^|X_t4N zlg?+R@j+LP0KSG}qyN>yVWr9<2?s4JHd<2zNo@8Gphb+0FZHvdYzo3*rB>5B*^Pks z9;{*6o2*yQ!-NW~IUc6Pj;k05fGa*|Z!QDU5rn0j>lDBX%tgCn)4hJ6F7%tlRpYJM z4>I_A&qE`Fu2zp$559xor(Kg5$8YXtG1clI1Akewk=+Kb#~rK-B;Ky6g5e6djDE68 zyN!N97q8_;Kd+m25AWr?*YNJ)y_WYH!?mD+l8LG%YF5B(SYo}-GWx~jOCUC1VyI{@ z99AP(L zu}LolMF0fq2G;mDxg9?{GF5!$WMPJ@4bdo!sRDcEuWYAY(ckV5gJ1p6{xJCMtp80g zXg^IL(j5T0W2XOF0YnA>fs$&|;|}JJb5`f0S+4V6#rK^D156-R{fvgI1`DO(K}w{) z-Qjc8g&FvqcxEK;3Dm97r*ecB3L*GrT266*crbP_YnfHO zJEs;J(#&%6bv3EBDsRkNa;OOh{)>cLRrJTs94VJl-B`yJcui+ezXnT<#uD}cKFDMc zPT^ZgK`=JaZrPzF`*vc`RT{jI%v0J{DskUhw(zkNr5pc>9NEdfy$Kr3Hj6S*^RWV= zV5uk*IPQ(iI?ILuI-&+mVfd>iPrjj#>MubvFd1eQ`Pz7=%9n`PWENN3+{EGyoSGky zjorJKO6K~>kzwi$37R#NWuZbdb+I#0^%Y7BcB}BnM-@0KQGF;+_!bql;%3-!8QY5=T4hP%tn*vj)wx!@WFS6)0hsJ*6S6&*y{+c0;cRBG z*P7*)Ua$sU1eSD)Kpnnc1onN?Wt&qfRIXj1+Ixv~@4^a^;+v}>^uoym@&mPOh~!oz z=2yAUDB-GD@?KVhj$?9LoQbd{aAeXdy)ivVJ8Gk~e}x`)Mr+%7bVO_4CvzfNt8${X zyNJ2Sx!S|UxHM7yNLmt`Op&zja_eP=nylM5p+YY-!h`6I1xz1J447l#MVx9WwpFr! zh5qX8BD?@W9LZ~KkkvDbP|*InkC(NV^@+ua73gZW<;YPxNe7mhzv?lp|t3z??Yc9IArkQD-zs{R_r*%n4 zb`(yZ@yxhFuD(7OmzOzgkEi=$fkNMcn!eDXJid|O>2baJHl2^Y1%ckJ#xuRA$DFN8 z%--Z3RUqGc#3Y{wMSGx!8L#N`WATdGW9<_uFy(H?!t7fc7^)&>2VyD z$ypE((kMk+sax&(?W*=>=@2VHTXNkcI_LK1q9lihK5eFN|w@e=*9q_WZmK zIDlRR=bfM1(Hf}Qazo#9;)U?VYmHmI=mM5RM}D^0k&|!S`W_5LaQ@yLcTUcYM@RtA z*RzXuJD&SB8d;<1N@o44eb?r#{Po;xXXdp_0w8bPwvsWEop$t{K|wC54h~rx9I~Z4 zzojd|Z%AMlXSpts(aMY$W%lO(TsJ=#d-%DccGWlYdhtKe&Cf+1elD*ieqjRz@%-sh z>v?ap^?aaRp5M&VyaCUjEVbT$-fTU8-Oe*GzeOt$=dX}QaK5r0Rv)7E@L1LH03CRz zy&An+OVTmcyzky68jarcrrwiIFY28`GD7nf^|C|6xx3=*5OJQaI6FjKZC9Kfx;E6i zK?)1?k_T@~tv7k_)@;4$$IRUJRr}`UtlB%fb@~z@a3H*P0dk4}_P*xh;rv!As)yhnK{4gV&s$+3=FL47}tm8(zkr_G*xI z$2UPmR8lvB+3mm7n7!~HsTA`iPv*%a7v~+FtXm3Sa0$W471+k!P_$H zO&)@8)|)(d+ibnbgSU3;O+RMl3PH(f?V`7E`62Taj1Dm8XFt-fBOtJfD%b87Lr$!- z_kO3taPh66pV1FKucdlOYc>1-mPF6+wZ=)g$^PBwfpL=8Wt`MY7sb}GUwdGFLV!U0 zEaRjgdjelS_6VVVo?vP%ku^lJckuONBN6K7CZ?Pix5T&%S7E=%pQOZKw0)jY)?(Gm zCD0lA!_GunEX||9NCzp6uoGEzZ?Dm>4_||3tKKKUOH|hd23CteCf92gh!{RSQ4C6rzqrUt^mVCJF(F0{w_n1CsfyG#`um$SQ9Y|rmSV5j88?WESOsm}-!F(a?y5JhXWOfN3gE$OZTN6+JeWe>uzr;3bJ?v% zDv|tB{o?zUoL}=o2!S$pwncAp!D(y*C5*;LrAc)`*!*EPV(1Vsf9%BNQT`?l39~te zIqzi)X7>}~wfW795DF&!Fnw3EKY{OXeM@Su=|wu3&qdO~eD)V>0#)0tA0p}5!vB*B zyyirtgsFA@s@Cg&E3Op^%oWLe`X*3?fkT=ml0v|SbV1~)UYCi#W3Lly0o)4ceT>L+ zQTk_Ox|Y3*WiT1tRnBGGG6E)ckqJy4E9(owMs;0%fjaj~c$awpp2;2v=X|C}WsJtz zEK72UUq3aJ&tiyIHyZcDZOMETHJ*x_Tt?&hB&odF8F5xt8F6veS6OvSZ<65$pOQLu z=QnW2@a`TiF-CC|-OG-Yj=59CKOE0K4cTF%_8%!CrW47GgEMMLPTigF41XtRR+oV* zMx(ajmL!%rOyA_$l!!HU(40g9+9|dI+z(-isjBP7APC#2X6(i;HafSz(`fpGe6Kvq zav>Qo`v&6|I917b;Wm3{C*$7Axg}vESa(^8n(}v|y8NtdqWtR3- z*J4r}Y5Pkt(n$64IDyV)Ew9|DJ_T0ED#;W6f!tbgB^c9BIiy@DOx>80Gz4WLjP)+; zQCfhl=-NHoQ!N;xi4Dn`v{1c9Mx9N{En56nF6IN?DXr@9p?Nv#QTcgDejbpY`}tX- z?v`JBFOy~O^v}oNsmI@`&V_?MVElia8Gk-o;hZ|qClRM`(HwVKjFVjJt993%FnOl=U#r6s5|9X=y;b5K5g@csGE%# zrfx&u@>Z720l_~{_6*j|Vn|O{YhgIpNry+^WDjqh@e4uibIR1`V?_qnQ8~3FT&TQa zVpca51m0%(yOj%mMQgiJy?rvuIu0q>+5VE9t#>9{Cd04Eu*6y~z;UF9w`e_|7&WLZ zxN%tWFWNu3!0v$8oCU6(uAC?k4$^_svRl&7@lQK&boUN?#kq>Eeg`wzG973i^3OZq zk`BliSZk5!K(TMjvgD}^nU9t>Lr1D*K;8|-1JL$FwTZy=ji9+fowrk}U!*M&X-2?& zvb0T7LoxblGrP^Q6F-vek0@lf@rjMJS*c8v-+{Vw3adGrjw#wQKCm_{TvW==iGBBL z3vj4M`5~mr0ih3adv^sdTsDi5o!%m=$3Bu$?YnXCBxO+@%xNyO&iwwTeHwpAeR3So zr)PxSs5{5?ztX22-`*$Br1P?d2m8Zqh?3{h4i zzf+&K-_FvDt(SmTCRmo@oLz%joQ4Wx!#3x1V{UVmzr%>ulR1PxT%S2@vzV0DBW-WP)I3mE&@@{-s{5=N2EQ$K1cv*2EZ#h4%=Va~>AuXFkh)%cpKedI?;S(I^MW zyyhw?nF1G5$X?U8&=vDL)c_88aZM8zF>-mpLq$P=&Y+x5Q-9yU&TZrTg2%6SO4ao8)F9bPw)&QA%q&c`rSxQPm9&Qp|Dp3$( z{{jg>%f*|w7W~~(>Q<+*K8Qt2J)`AKt@Kq*>o9KpIg>SHPHQlGo*B2(arS`l;no z1YoEeODS4=D29RR+2b|#HO0xt`K|?WxX656Xy<@;0YTgXL7NSNtwQ)jBMi+82(9w~ z`3nBa$syRqe3?lv{|tU5M@Hur=G-{E;RPv!nRmZ5t!XL00#nj)vHcnWQP6zVas>*A zDZ{Pm9ZaN$SUU7XVi`57U81SE?^vSduM~=sp{AEiX_Xs{*Q;C4<|~7(?#IahR#CTI z0mYH`BUxfLs8)P^Zcr1Y)EF~8AOQwq1{O4B>Ua9%(v$So2OUs1I`(L(2$3LV3p83g z;-x?mER{MFW zuiuBKV5pcmHxT_aFF8m(W=Dtns|N|1_4VpLo@+eyU`Z;<#9cIz^e|*jG4|cd`TFol z!MY1zKQ72pB;?w*4!PO34#E&u?KR@e+b*)XlJ;9vv&rT!39A0I!zPq9~@alMKqzZ&k!^p68mcK>GWPc^5?r#T(SgU*ysOqtFaY zGuNmJCKx31VIi3dvPfpL5&ed77vg66mxN+-8pu5Z(m1wcdcdNI3#!%_i-!twpqK{y zi#3OCVgVGN#Dvq$rVgjt)|XcJ-CXG9Ll1u?1KHQHt)m`w&QSh4K(38>sQkzpppXdg00a1%VDUP;L^pAfR#UN}++P00uPh4I!UE%<6v}gj5fD?U@l_ zRjQsPB=F}0iJHGsDA7Sk;5<>)LdDg+U=m=9PSGTAfjR<)V}oiwUP$0MQmT+ZKY>t; z$@;L4f1p&TpT%o;*&Al_+wmDK5W!};Fu#&n2Oof$&t5h{;UB3^#JjKz*9OcvS23Ag zIpN6AwW;E9_|U>`S-r{UK;>jtc&c~)S=AFpw}&qvaPH{Q?LPCG+2LxI%Xu1kCQV>b z5bUauvjYMdA1g(fwJvnLj!*OE@E~EUMS}|ro zt#aa%9+G-wnehuZQ@ukS!+=bqD9rX$QLR@@Q9MU%N0$%_L8r=;LD@>z7w=A3YuTHh`h!-Yxt zE5b*iZ||#~)iGR9l!ZeRcKbJYBEkKksL=-~cEg|sfsTzqkn1!S!PiV=3H`3+pfYy45bN5i>W7V6XMoXA(lVi> z6FBMw0TC3=5D=J2buS+5({#{@Er2V1Ufw$MGW0EM8?BR5l@}Eljl%y0>aHtL7wixa zw1x6F8jWueiOkXn)XgqXBl!Tm=pnMu_2w597a{N!UTb&HhH&rQ{v15rh-j7c{Zv0m zOZjzUneH7TA^yUSLu%|7sd1p{v+(%JsRbl{|Lp@4OI(PQ!DzE9ln)k-aj`;TR6ELe zx_{1)b$GE!HRI3uV`L!WsHSpRUZbBAsJnYQu@e@7Fu~mLkpv4QSb$ArV~=n_W6!Wd zd$Qtim36S$mOA|#=V|nrp>FVV+EVAb>zwKcX}Jx*_6+=->YKkE2tV24?;eX#)CS;V zX#j4P#2SDw#5Mq}xcva=1c1LeNMecmcK|rj0$>kX;|veh5R`Ck_&XYe5=J{9FmyDI z1*HE55N)~F0XWFc6EzYlh&Brq)x6KiMi=l7L10E%Z%Vtsy&MZY0h@5zZ&%s*RX zB;oQ(0|&|TN{mR~!2Ef&A|FZSRSpQ3nE59_@du4Oj+pCv?;c%>Ezn|S292N2^?{Tq z%ahS~GjY-9OBWCUH*<}Z!X2JcIUs_=h%s)tS=(H%F8qLF_ z9nxr{(3xyq5&6y%k#9X}#~Km&zI~LYU1WfAW$cy3LObo|XM0f0l))T0x6hS-7??8x z^a+^Hmo`&6zNeQ9@_3&W?5UjPi43viPvPTzmHA-L&0voan18dzo^W4ZWuI`b-96n# z)8{k}eFOM%lnkp}kFbM4pzcDXMI&qehL$jYQq~T&(%zv~X75mCzw?M>wIu=|I4e`Y$bpf0bXr*!OPODao%c${RRCWE=TR-ttZ8YLj$)wq)*N}WD z6Sg_=U81C`K5WiytgIyJ5K5Jk6uzo9Bi>8Wo8!xpFq_CzUZV!}v(4b{M*2YW;Xn|i zAi7a;QdVNi8v%wMqw!CCw*`&Y0O|beubO|eg_DlNlktWCD((JQiX+*Fwp8% zM9LZ^<+Oi;PAm8MUR`E6xzvW>7=Z^%KuSw*J+zsl;|s(=1!58}YIAQX#=wZpy&hjI z7^oao$RX~!a|8Vl*KIcG+5r{cpTzi;v|2uK=+=f%ti#cfe`%%TqhW z^F8O``Pk+147@#Op*n$Un``LM;EzU#>B};kVjFx6&LPFdhbsQGMf<*d&NI%Tr>7!V{YvdW{YPHX< zX{R#TVX;-k+}9~3so^K-&B&e2&})uMINz29jZs>%@vDd0eDU?^vrjekPLpJg@1? z!+1ZFJgw{OS~qAnSalQq#ZSN>PP54&A&A!3kja3Fje#6oi17h~T^dNOt7MPFH(?4b z`;{y_>7}M3*iB*7keQkruosu<*!9e$k5A-FFSS@#mYK`al_8@T*)DkfGz)e*j1NR- zKu!_fEsk~U@XrX#x@g%Z#~p)4$@a2S+@HOv2WDM=)-R5r6CM! zW5Fn0##@+Kb}Qqy1Iie9kTMbvAxxzGiK*=D<@qysPI;Pe|2#d};%9x<6W`}4+1?Os7Z*a>B=ouz#bvYp|5ws7prei}=)2V%8Lx&SX(2eh#l=O3Vui%)Y7O zO(%-GXh0_;Sr!5{J?Z+y1gIv2Y!hMA1~rQAAnlBtKL0FXmLuPd&PCH#3Rjy}B+ka> z4Q2kv)QuRbx7Ct9ys58%nYdI_pAit5nry0NbsiXGo~$XzW#dVE1&e28?KVMTc>MHe z3y=1&9wUZZi+~yK2TNsx89Me#8E&@Vz6G@nzGG_}`Cq{QBL0`~f2W!)O)x!hi*S_c z2i6-npvT%mfW5l#%(&C{d9>8Rh*<92$g!$i1CJ~V`|hxYz(>( z1MTgc!x^}hv$WH+5^`(Nm8BX`f6!?W`iKUgJb6nO`uvaz1bx)y1Ym@uGqFIuV3Pm= zY?8L*gpaYta4fqY88Oedqf%q3pwg8#DhcClRV+vq2(mv(Z4?xG|6ilf@2N0@LT#l0 z_8FiX5)}Fq0dT2I{gwc2Z>OQOUHuQQwiZY*Y5q#V6_80>bX;~xt9rMuSWAfOrK8{5 zvM&Xfr59xHKlKW9IbhAv z>R6z>bp*SLKhw!zU2ZTwQ6IeK8!FXNXoGu8vcwWTla(`zT^5JkIuIJt#sQ;%WfYjd zLh6$uC^~Yfwj(raFk;n5$PdgXwuh2KjOuC6x7N`;ZH0YjkY0hed86)}XN9JCm&=yh zYvxw9M5cJ7H$h)6z{Jt*9nuV@3waq;7OeD^MT*ws%S5qK4z*IA>@|a=Y{NbEY7N{K(li#Yl%#^waWgXH2X~|8rL^Wq+NEh;GR-9GHy_rJ1%LVkBz_h7# zNQh-(Kfw1SVu}atUHX%y4Rl4Q4l3Z8rDd|d(B{%aA-z_+SQ4W3K%fqfPf+F z00i?&GtGN*D_^23ZF59>5+B`%NvsCQZ@0C<+QAFa;;ig)WbV$(9M;jyMs3}s2WFe) zq(%l#lh#_Tik1-#sO9Ur25W}48Cb6#p#d1w%nRh8jjqsb7H#zOJP7~n0GB7AjXu_n zMjL$uL338U>dVunLn@E3jPlLMN<4u&IRE?$?JYk0w@Y8%my%tCwPitS(oGr7%Ce09 z1Y&n;&LruIK4`7+0n>^J#M3Ec4MVGrrZ5vzBQcZZq!J<61~IAzKUcEdjW5y#sii%{ zwyZ0UC3F$4L32XXe~%tS?B+sMm|=(wZKw)MQRB8!f^zZ+o|{rtAN1uS=jK(jx;MZ# zTPUC}Y{b03v2>~Q#ma)e2lQj+Xe6&4RyJBm4``(i(+3(PiM{5lS`47p(o9p7&OUTA z9_)D5PB*Sy-KA(C@HSGFxt}$yl(&PHCpf#% zSM_zW5gsnfT5Z5|K{X;pbbS#uhs*+367MkfTmFi4-e(2%RTCKn>HpXU(w7K+&wx?# zX>8ZhCRqamiQmA}s9Y8@8`XESih=5Bxr4~qlPNZpWlvfh#Qc?lzS-Q5I@M|6`F`>$ zz3&hy)m{Wum{+Pj$WCN@VN_*uBML;Pc;icg(e}HlB}vt`xyN%Cwm>x?`;>a(d}vg= z65T)qSCn+U58++xxY@3xiJ;!oXiCWZ>)J2qc6_B~lV0YFxh;IS>Op_Sej{>*ITh`T z%$6^Xx1yLWil8~UUbXYIXG^*YUAh{I&Iw+hBm1p#R24UM?8TWhgV%|mEc;C8L3jKJ zFw*wv_+b!(9Cx;5B-}2Fw}iIqejc!MPuI}hm8TnbEapYMw3?AJHwR6Bd8n?oFc@7~ z5Xyg7J)DV#b;V}jjNZ5{n0tPpj>}aF8U%qSt0;+r<`l+xZ?LYQG?2enU8?gj8%0uE zS6x8jB|>BJ+tgDZ3ZoP0>rHKxS}1Pb3(0)%Gr6hNRUBhqbe-S~ld8tMkde$f2&-=P5Cl6^yBD+#22a|IU)1XAsUgC@eKS3o|$*%C~>yMY5MC82oG zZB8sexR5%*eI(w+uE?A*&khUs8ps?u-;jO&JUeX58mVP__nBNe0WGJ7pz4Dc}$1rsa$W>H<2D8{9Zhr z>)|3ohre+**L1Qlu?nnL-fw8hnyRWfJ@vwn#J$#)qB}2uI}evS4OhO=4`ZY8EN~*% zYAkJlUU0~Xor(1ksnmEraGQ}hd=NNxO;l~z+#T1-Wxc3{WfYF_LT7aqTH)KZtzjh; z?)E5!2l3I1E0e&GiO%4V6@jYFbA}nNT%(__l;d?`nJQLPp{mU{a#;basq~~w{rGDc zA4CVK)2;1nCVZXKad?@8T zK^Dq;t9#Dw_3u~9yzXg@K^|-xb|KD4w^ueLXbD)`Asy1_YRSRSdZ_6-9kyC-H~V{C z1>y)cvGjL1A=CcHvi%z%U%XvDM33j++AracS-g*lU=``PJdxU1aT(bp`6ld_&*EX^ zbQv3g63bQqSKlyOklN3}At{jki7yb{#7z@x8b)vf04~}mTp*BoZA-hzV_gQYJhcBN{F(*V|#C6%~@r9yXe;$D=I zg@vpUy%I;#lZ>9FVdNqh6}0ZZq78blf4k#qVi*<$Yn%*4xOIG{KKze^WcJu7y{BFXEtLxecgXI1WEW5VpE@Py%Ip%*g=HI4< zvHnKqV5oqXMp5IVx1Z8VnG~5GYxuHf74n*5ZpDwXfkRO4ua;Cy#ZP$!mY@Z5NA#TV8o)`qK7vou^)tJ=E+Xozt{KOc7BI;7FzB6Nme_vbJ*j_4!0slJPuU|4^#Zzlf(mTs(2JF zqhW)DoU_Z<@u}jkrISQErC;-8-1KK=3{FYkkdGG4mJ`SEn!H2~>}DWVG^G}L@tiDO zcq_zfT0#Nzp|9wd+{9bF0H1W84ZNC;<0OlQ6Z8F#Ax#JHmuAiP_Opkyg(@9ANE10M zuytK<=w|$h??IWRVWEDoH#bMh<4(1?x^S!P+{7&2G~KE;kE}MGL<`RX0fl9RcL|xU zP%PIX6F5x5!4Ln)-n?b}WB2NW;RvH5tdLJl#%mIwQTKx{sKq6s11 zy~r*21ij&&Q=A{hE-LZG=Fj4*%q!i7V7E4e{=049cy(;PDnd{_e;2=2lUP=M-k=-U ztz~YzWpt$8YT*BGVDz7k6T{yX=cht~h2*a^A0LxuZl*m+NE5eGb9eW*=Uzhx6 zr}Mu#Bb~qE-^ri4#jgLuY3clXi8|!^UrOhHrK|nR|DF8v()l+|PuE}n@8mx_o&W8+ zbpDEi<+t`NoKDmm7oOdAF88N*F82QBpQU?BSR&!r{zbZ?LoDxvLoDwFVSNsv-bq>I z?eFItfzK}3%vv_0kz%#yh`gLNIhbMPC{Ho$G0tknRl^*92)hlZF{urf8_zn`Z5I2@ z;Rnr{`?vAVp4_is$2SueHXYWyx|wh};k{~$)z;edx%_W$$F-SuEbsqcZAVOGQ_+=& z*p8h5!G=fqf43dE{}w!^X4>)a;r~^5$o&n64v#kgf(;M%f43c{{afQQA=8d~4*Rdd zrXHnEgzNel8A~taHtwss8_K3zMAi|a!k<(5F z*l43$@gl?d0NhUVlZq5`NaPg}>lE@9?)if3R8h8ntfo^Y=hGfG%e32O-RsmGLarLNLWBoQE-Ei6;zZNZY4O0n@Kw!tFG?4 zuGi{McXb!tmEf_ELz8f*fES1d9;-c!2VN1_h53J9bOE|_)7kdfw4{TFW;$GL&PbQ?4=x&ObzNXo7UE;L*0L2~zV2KGmV>~=xEHGD zA*~E#Kn_Rw?u&7cZ91h0A2gfuy_CzoQF0vg+BYj-Qwws33)Qe)_bMOb&Y9_kDT6xK z(%ZdHW1h*gVNIpShc$0b#sd2&nTDCP%)p5uBuURXm_3>-~^y#08sKa zp`<6n24N{ql)qA@p+I2dZyY1);yFjk0zXog_>q#skTMc8RYJ;nKBPc19l@}2Ew#_v zkDz2&na;6-`KAGx<}5!*XlZ3=*{HmWj0`QbtE05y4rrnMdH;EKG9qw2laWI7yy~kx zY-*OUegfvPy(hiNCFCaHv>C#C zU||3gU~~__X$3e`;%s^<;V69#A#ScDSJN~YoVyaw?lL>CegL&x{RsY6n`^HAm(}^i zT6~F1J-c8ukS?;s?0jMi9w_Cv;^T6xwzkdSefdLvhkdyk9mt7(UmvwE+3AMxeRzr4fWpQS~Ur2ahBb0hWVHPoMj(Vsm~-Dw_#8=|Edbm%p>&$z(XqYnUIQTFJ8kD~0+KeHZ1 zHFIt`==nX?>izyE*!X;ewu4rEHJceeC!8|g*QaGzS%KRSfAl~ETTsX62k1!Nr>FK- z`*bo`1U1k^&hKo8ic!)Uz@qxD&Jv_7kj);a#s z`YerByxvaZ#rY5o8)bbZ(*CjgYLsKw8!&dq1diQN{;~UaU=j5Z9OhhzfG}g1dVt36 z06NUH>Q(9?j9t|Lv)!>fKVa-mSNU*YKcAc1VL$(fg=yZ;6MCxsOz{IF^z)i2N4B5Q zy)=@q!$|H*U*GTY_cg|KKwq~ruDyZddQ8x`9_1g`^}uD6y?rVjLyD%i{o{Im;J6Me zcPF0X>u)0MuyQvZoy_}t5-g=Kyc)e5z1)3prN2L8FL%FBj+#qff`d-6 zmb=Txb=a4==s@0=t6!R80rLYz8fv8O8)=tfmB_w-UO zWj9Pkek`7KFHNTO_SXn(6J^~??-(kB=63jS{6>_iIHw2yyTMNaM z{;i}#P%zOElqn24xLGrdt@q5#X_H)|`b&AwQPK8fY1ILOWl^$}|1>2Q(*_|dR9{za z0{XZK#864Tld>x((=+G8lrCHYdxw9}Cy1}y1J4Ups zqKDHZADq}1=Wsp^)U_BmoU>po2~ZpUV~PUQ7PK%J)P?jc45*jmd1O%4z5Q&*i--zo zFxm%64lz9mG27Fv2>QJj7K3gw)|ATGmYQR4`JzXKU4i7fy9Q6pwH6VkXpK2L^M=?{TTJM1gSqCycr%O-|7omk@|;V%c@A|8@566W8W&7mKp)iDcoM8rI| z?P(A9A@IKhba2eX#Tb6!*Bt(fwK^X5!b&L;-7Vv^RPb&y#feH?LjtYCsdv!3S{%rWvZR}9#l7YllN&RqK(=_I2I?Fv?gJgy>)B$b#L+mt zIO;!*BjZJ2fFr|%8Z=U@O{$5Y(?tPyxmM~kFdmH^+_hMDX2aj8)o>wd2oJZvuWG6H zY7m)F#~XFe0{cbNw-E&_f}U_IaK+KKsf{%-MtZ{1U-1T}Yc>1^HE0bK>h$cb9X%lu z?9ITJkN#r{``1`NW}P!ftKr$7x&wQNob9QVJQXE_uwtes%<_@elRyf`&$mCe1AS!v z=BJww_%GDTz6WK;68?uT=GgxNh~e;`**^UK@gdat*qcsI==`(5aisAHYk7oWl&^tW z^+PO&(O9f`GE&?D3~*!&M-AFAlF9>yQP4Pw0``?!$*pj4hOUee3wW}O!#-52p#n8@ z9rh41Yyv7cR(h+j$7~p-`54$Nt&XR@iwu27G!p`QqE>Dh%8lg^n(1R;j{_+jKVR*M z47-2)z*?S9SGDoeg=dj)fmH;y?1P<;K>gsqKmdo+3^;*{8@j9?oUPXnzAxo8_y?_q zPrub;0;f{7MIXr3PQ!k_R&otWjvee3SR-d+|3jdJW9PJP!5*^Q=Fm#s{0)OWV7aZ6 z)71dXZ@-8`e~MPeT-2eB{y@xkg!d5GTYw6Vm6RC6ev*%Km1}i8^L1p{{o_aW4T+mwUTc~$$&k2`9t^(Ts95B`~yDD^)Zmb z@srsO^c~Sm2<*Sr%H6U%wy=L-<(MC#)iED+Xk$N+YW(8|{?tO{Pi&rbgrATxbq$cs z@xIy}OS-%ghwvC*Pta<(2sK2)j&82k1^jfn-8Z14c)Qo)*k0_$WI|x?u>_y`a7iEE71kK-K}55w%u?0q{oR` z9dl4eciY`j8$-tOgFrTKy>^+J( z>^EyQG=JV5*h6S*gjVu=lpIU>xWvq%Uk{{k{3NvleMdAC0{b;uxvM{mE$pxOBtV>2 zhZS{1qMGjTgK*yl;$i^LVo8S=UU6^e>g^RkE64DYpN3+hz13Uns|RYAxqNm;FO+HL z@jm=78qaGmqXrERfXJ}g2#>%fZf+8!Uv>!lqgu(kKZzymt><&t&(~_GK@DApJ%nrh z2dLm!8Kc5()6a_Aot+VW1GUQl%#Zi+tyNkb8+Ww_efu;M0{a!m?H?PG?WsMp+J^AtFue6t36 zp_uYHZk`50IBvfGNZ+r4ns*oE(PXXU2T*cn^uzXHUsS+h{~9Rau%FW{*h6^wJzB{h zd>G0N+8t2@eBg)*z`QbnLw}}L#}d?`@q<9jcSJKGu)haXaIB=q81_*_4LHSi=8gF30}YKn#cfoOa>& zj~R8}7gR+y;N14I3(x4J7C96;RM$#(aa+U30*jxbPp|#hi=K73iz}*I>22`6OMI#z zeQ_$RN$aJTj48LKQ-4dsNW&Hg_Ulg=25};sHWkaDmAc4y{C# z7gfH>eG6Eld{>mg9{8@6?y0(VYiVCQrv|m#cQ3-%o7-d?>Tnxv10DO4Z7HH-Zy#Hq z%H8E{jo*?NLo^$WFOgeC$~YFkM%x*Pw3cie!Lkl@d=f9N{TAp&?h425@(Qtf3!U`d zKme;>!(SVaM}I<{v5EeeuRGkUKE}w;SmZzU%{qjQ>F*whvx)eozfhO#Zoq*Z(4rCc z?#9}}y+oHGX`v1;_;Y<)*5%iy;h4~$|CgTT?bXg}Kt1rE*I;Kk^krM2C+NX#G~^!T{&4Bv&Ck+sBKOoJEKr19#yU=2mY|2hRC9 z+u++DF1^*EQ{iA^r^2y6Z;_xIJdMISIC3w7@Y`77OtLtNq=R(p`4<~Ri2Z8Wy0^qx zR7P*Gs-vEdIu7G;JhFIP$LX=lW5yaN3U%XpE8M_}BnoL%i*gZ@g_9r)&mvh!BiaI2 zAWRxs!$?CKzBMTp?}d`5u_UWVm4<8xdy60qvER+kVg`@laWy1g8^a!8p!X2wL9uf<}j=;r(L}A?<%G>`n!c&?T-oNAII8P5p zFE89^s1I8553HyUb_oEVb`;Jd9g)#DGgyAx0W4-=-S>c}JzxegVCvpbynBs?7rnGF zmERBvqLz9^9{%9|6nG_+Iz_^9Ho2CEXL&5J zz^}Zd`jy9p=B?B-9eqpQ&f)Al(&vcd(ABy%pZ03Yu{=m#*;Hy^&hjmY(SD@MZ@2x? zHKD^c#G;OpoNZPoMi2!An1TQUQxITaN;>{B@rM8dQz*c|6a*NUf&c?k5MbbLT9&{? zC4^{NVs_rW0N;SW9;&*);)6m9a5~^s16*=|Vs$zz36Mhu2L?u9#fPxXhqJC!9WKeTv_&0-qF@;(-O5kATigcK8k zuW+mS6gRruP=OX1%SkFjK1owmYof@_~?Zk?6O${l&&dJadTb1!J zP?KZqsa4FUB_)-A4Q%AqsX&3iab-J$a7{Cd3r^W=gT!6x4kKfJP${a zXL%HPE{P&fP84~B&^(n(F)yZIh>k~?e{FS+*ss=-iHRw%Pf@ zYP?bgj35wQlnueRSN+TA`^cON>7Y7GPUnu!5&XHZ_6?;KjbJ{{S@YmGc_$qBTU~$3 zp!Qqj%QG$V!fcEDnRw+a9(yC%J?aD%e;NFmLe~&H)~hbE3;QxW{_i6n9<%!d;n9vW zgu!@xXm1!i0(&r0Aw0rhg5wc*fF_~Gr?WZ}H8`tB;Wr#^fznFC@2&0Nm#_-d!fiH3 zEs#$ZRaWPHgeRqKlpfJ(|BM3Bv(QS0Xx4rp`lee|L=%ES5l!^DcA$#q)%^M|x^{r) zdq0ebXF9VOjOVj|K4f_Ah=x1D@t=q4as036qQLQgaW*jk$9-3|i{lVn29AB{10OEg z;Lwl#2Al>A#-;nGFt{Ys9+hUJ9sAMHXQc5zT92|-tD`_!D;g3w{#SN9{s*XZnMT(R za2UTcA`WlHdBb2FKEZ-|cbk891BZ{FrpMuge?)=9Dl{YjhxgyoJ`Ov;*_IsXWnK8D`MLJ%p<0qyEh=1X9pn!OS7R5x8PmZx!EjxP{4meH zY;iweOsMMsVQO1OcHx`fLp^S{9zS4e9nBr(4?vju&F{MK&B1>}3m4`NaCvLA$ajMQ z8pO(il&fw1EKo_j4fMRIExs_`{=F!ysW;cArihjMm)PUs%hF_#SFr)$nqs1dM7`LB ztTon{K*6;pv9=Z7E|E0X)>mz?f8$^0Ve=eV5hp3b{|_A3iETq#I>LO-C>N$SZN?0r zwiF^?F^1WDIx|K2eAkY?^SwXHzptK>%{bJdx{_Xn^+oIk*IpREdcpYClG?4JyjK+N zZ4j!k$8Io>-y&4~goOCq$1d?%v8n;vzRwExHX-E_|BZ~4!ZS+NBZ=RVoDEewh3bj; zs)Q0yZjeA!t?@|E_0PEC#Drz7?}P@#I0E_N)hD^^0bUh9BxP!Wq{S-*q;pG@{#3a zWO*?O`OU5=|3ij^m6zLwVk_KszUWYlwhP#AF8dvg*G798IJ9FwWxEc`t~ecGv{~q9 z0{vX#*l)B=x5yhjWs~Ga&wC;xLeHD3KYdRN%IRTS$4Xm^Uz6>5&tE3V4W7ThNW|(n z5i5AOq&jx@unAONPseVPEy42_i@edAPx$oQB97l_pKl&tZ@)%u*%r!j3S}PT*qv;{ z7C#Pq2$k;gwgw#bX!ImLZ}h~8wOh^DGtJ~@Lq^bvj}z&@#~_w{fQZ8(qIx>ST-%EL z!1wsAc8bK%2d9;isq62n7soc}cI}VT%W--EQFNAGY#AwR5ls~8_EoH10F(HQCGvKm z?pN_Ju&K!30^ZRmRAE^UCNz76s?|umOeej-YAULmToa$A43tvY414x(3~3~Y-&AcA zsxQDdjLFPLqH2T2Y-ZvfY(!%=?4VXM4s|xH+aBrToct}T>7_OdRy;N z8BPi@oSsxw-eC6|oa5}rwL}(Ea){xSVQ_)ZH00E4{ALF-`1s9!v&*8=&?PF*IgfFM zBKCVO`yIu2PATU((`*&sIkRZ67tv2H{ge^UxhQ7?0^fp@Y$v|+7UwscP(}}1BP;2Z zlB`Bso#$yx2t5A;KMBKZ#4PM1dHx3W#hFb($@neyk>gwKr%{_Exv$c)0YL}BNy>z} z_i$gkU3mdd#&6eH1@#)SiblRq@$1*@s;+m;&q%wN*4Qc9k9;YX z!C_Ijk7C&NR@VKAX7}4A=fo5_OL9#^IL;A(`5^fA6fU{xFTJ85}5e`4BAJ@72e6IVF4&5@5#O9=XEa%RymkXX2% z`G_LR><(wa@=&$c$38$iFb?Sij3a|#{P4lU0^=g8CQ3Zs_E-=e^9~P;+x{3mjGsOl z1mk`5@uBbQF`a<%ykHo=`@>;@v6iZdvakR6NDv+;#Slj9ozX-kJ^axA>;VnT92(l$ z7~106p1QG}4FdwVNjVS<1rjjdNlb{j@^4vlOcW=wBW ztgTPC1LOHo!+2>hjPZvH#s}|@7LPAH9Msvf>C?l3$De;6EsXtwVSI%?JsdDjjT*-5 zFdGgKG--zm#(&%wEgm;K6a=G?bH~_xjyloPUqe(5uDWg124=Ti1PAUDvGw$XLQ3{p*JiSiZarf1?cU z>GaH7oaR`bX%KFwnL%x-C{G>b5_e%el~xC_3ekY&)J)%Usw;kDTq~9j*7QE3!5!}` z9p%`UBvjF4gCN`o_JV1(Q1zZK@dq_wn@h9p%jhSQeg--A8HMUosCs#mvdE0U_OCJ4 zv`HB@7B_2gQ@LCm3C+Sa75rtBG6q|w?nfz)qnKg=7N^6zFY1)ube86N&T^FJ8r-+} zzUqOm#(5C_UCZh$9ap_!X|kg+!mr75s-t`yke7|W0z-3gp~1O4x4C$l!PA?dl+vkpY!<+m zhWIh1BF()1h$!VMmPZ+EJsitNCEC*hJE!_uWRZ(AJ^huD=s@nmWZ~V|uz`sg5Q&6k&H^F?%yagLFk#c9rYWzKn{YGE!XVnSI3F2%?) zZ(gQwJ4Sy1Rq|E-2CN-hb5*jGUuR^AC%yAjs-(VHvPB&!NeII!7msr61)+WgJmct1 z)k!E6OIt$KL68hf)T;^GGFtJvo_;dvXAqXVgzDF*2T|k{B2)!A>E^3!+yG~cQ1QUl z2eyUENNh(lT2}tFL9M?AA3I(qj2SfqRsR(q=8d^oa-QcgJIA;m)RmK9k>B;KQJ#5K z{a(_2pUe?#zh0DkAQGxd&)dN-LC?SH5TD|p=vb|kB`fZAmRz-a(7`;y2!tk6)wbZ2YEs&cv_Db4DaC$0(!XB(>8^*|5-2#si!(0=uNzhQ~w~ zLvhv9h04E(cR|u2%q(oY@}47cCsggE9?QEi4bm+Q9nGoas@s`#dm1kTcPM?mUiJGp zgL7e-bKxlWMZC}R7J`Xf++ml?Z-f_ZzrvR!+I|4mnP_|0mv}%;*scjD+Onv2bo%*l z*y~=8oOJWpnYei#H-Vz@SNa0^lg$S z7r*hIvG_H5M&UQza~gh4o^;8%FuSm3VId@%b0HYP!fC2d`*H{ygqH^}fk$~)=Pew? zWm;DFUf0Pl2po3m5W=PyJ;^)u_F5YHp7$cjHKL8L8ErhR(nc<%jgyVHZG=yg1Sje5MBGe_lv1( zqZd=>g9wv6dH9X@%#fcgkVZD9n| z&Tl#vP)A-37hxTRE-wwBi9d0g2x3!9@R(BoCK`SW8W!;%g@Z=2T$b9fyLVfok<@thM9N!`WW%BMd+4u&w_QPG#(a~O7FD3V)n=kJweNhw@r)p<8>CSkpN;ue#g$Bu3Maf9 z9gOgHFuQyII{7qly1M8WA{j4bw8tdlr&az^vQP?WZz^6|U8ApZ#Tmp`(t*>EY1|m( z2%N^9Lb)3MYDtIMMS&G7J+ml_R}PN5x{+tLQtQ6%r$3zRsYV(D7vkBEt1t zQlUA1NqG&@RM8o@Lhlx;difHKL_<)=m($M;K{|OMa#4|+iLQS_PP+Ly3pXS-8F}J~ zI-|?>fUJpnmHq!#MV*Q22oaSe03j+Zn9-GBM)$bBASNqcP?BF%3uwSQUjcquX%8bS zuV8d9=D%vo2CBjlei*T7PA<>xP;Bn*&sgO6VA{RNN4tcP>snZ*f$ps&I`6#IPg2_} z14QQxVw|(pjUDj{aVFc`(e$~9yz)#UFICGQs};T+g@azbz;cl2bmI|t<$1M%ypot3 zA8(*Cn5^rmtbJZ7Gt%qtlZ3Ln2m{%TM9X zCzsD*>?sSsS+-N~JK8n?zu7{yQ~e~#UCF=oEMwx?M&kJfCZ2y2Mm$d!>ZWq>ER+0| za8gam6I1Ldg}FDT*_Z&%f&liM22t!2*v#FFD!XNP3dgRrdIQ%h;RSV$kNmV*Y_OnC zh)jtqZ}yW>>vEM619)Cka(cX0hy#Uaa{9&UU#gtWTBl067|Q8aiOzj;`h+uZ6Dp@| z|MAJ`YwJ`1x-6%cLYC83dudGMbfLyO zYqi4PTEgfxC6ssW2NMGC{Qa$gypx!n#ycBvr_%;IE2p2q=Om{Y=OppWIA@1)8p<`} zoWDY3JwNBXA~QVaeC@O2oRe|R5W#)6k8=hI?*5V4Wf{nYOWi*#;)0vb1}9I+?$qB} z^q?V+o%ONz%wvaoY%oe_iq&&+h_C7ID} zLi)ql?D%)#@q$nE48(7|N5HSqlZGA+bZjv1(9@GTHpsrN^JNc@ zs_eC0D!Unk(=ptJ1P1p7vEgr_c##fq`F9<%^1Cordp*+bSXF7U3+4V3ws3x5%6d7j z$9EUXy}bQ$55;)=rIe}ml~q_LLf-EHZVfnp=3Q|D6aEx8%1|WK^)6iXiJ=nbRN-Qv zdV}ri4&+oSSIKbpRLKOX1ddL1n_7ZngHn;qA#sv7RT=ghzf`^!yIks#JGIw+zPb(_ zjAVit1&lY(^~2a)akydJ1w-*DVB7)ZaqVV!2#l~j%LEoJqAEw>5o!ZszMrX!wK8dRAGCHCTuHJVVh*GNw&!9jTiM4!af*1F4jn*#aXC!`4|n< z#aHXlnF-&KM-!a40goJ|Z_YW2;rs|l)(>agT`$+xzc4e!%Vu>j7& z*_y)f=PDj5mx?3drX^RXz70nq{gE_bq7M^YG688_ZKN2RDsN@Ei|nVfmwD>TB)n8MUFBy9sk4c7xrgGd zV`+iG{#k(qN9~cRz=|UXbe$$t-9gv6w)q9u+GZBaw~Z^X*)j?i7tC9T#}kYhiga+z_g9YPVlCP1#_^=BTQ34hku#!s%WoLCe!1=fV5paG95Y5@}Be1du6bV@~JLMRPDsCx?GC$40!ERUM^K%Gv%c( zZaCsE!I3ry(g}F0Dlhm1>dUK;*hoQvc}`71h556ZnrmBvH`m%K@H^i&9=|qQCVm&& z2H_X#%(ut~q0iKr&(t(iXWmoOOr6<;G^sNc4(Kz2nH=nUR3>v5#|c)uLZemQ{CY3S#0o z`1@tn5FZqVz=J4mtx=Fx7TR;rQ2V*A!f4JE`C*p$ZFNhJtdqdBqj>8}lWs^U%7I zGBN|HDtdd(Ez1jjW1CZOz3tM18*JwmEU=weu+WxLV7E;x9N%oe=A{(m@=Q`v7U43z zMa-ppuI`l7wy3Yqk}cVCLxYkaR<+m?g_qok&eH6cNTI^P6iB~qf` z1W{?7f=3C;-J@vz(4Gj*1tJs2(+dqkHJv7vr)KBWS0L<3S&p~HobfBU5hrD+_%W2~ z!76IT+tHpOV%2-LL`r9Q`pS)46?&IM_vsedi_@&N4TU3Ld+KAmKwmNt69BmkJ!+XOFA1i2KI(f+|v&e5KQ=de`OBpKTs1<1qZWBJYtC?SW9)VfjP{yMk+W+6A z)WZ>g<2=KP6Y-6j)8@;GroW-2Ag5T%{J8LQQaA@c7prR7B6GZ=of$ZMH29Ybd^9*@ zcxP!a!`2NNe6S*f279YCc&bK&^FVp3qZ3%Mn)8?ezEB0>^oypTGlxkJ#9fZXz=p#5E@)N znbF{l8V#Q7=Y%7XIx1x}x%`@!nYFNt%i^q`NnArNzHXMApJ#G04gIc)U_1*F!K5=q zV05eiCW7BvsdP3>qq9k%u24BV4o_7L@s~_}e_R=v`g*_{TZhzlDGE>-T--e!Qr{?K zZjbto1dmHA^wHkmPwXu1)z9w+?OifEg!Ue}2#*q!eIxyH_SoQY<8F>jWshLq&>@xm zu);@W_PaZzvSws%kIMA=9DFjsiwN@^S%`p}Z_Vey&&(OQv=F{-31*0x0=ur?Wp>@- z#FTr^;;V(K5AhUfQKbnaBmiF`&hl7DBQMLO-;4kKn`10;`L>=bo^o_%r_-4 z7ha7_maCmupnH(9io|0!O`i{3WSHU4&wxbp(wTShMGEwQpiJcCN33qZ zeAzdp_s^GIMeFI6_+mB+(#@KOq9p5z?27z%Y&{UhLA1vSbw5=&Z7asIdGo??kjD_j z4ZZDy)Om9=pErxO?mm1VBV{=h?{1DB21y(}>>ruf7zrZe~UyLU-m`uKxUCW(a++voiXA?+icJb%vGrIIF`Y{xL`O-bLM~ z`V%q1>5!5C9u=une>-fvn6es?>aRs!J=L%4)gIMrxqxsulDbrn= ze~cE4x=Qm;Ulv01+e#VDU#`*oG0fA4*}6~N6Mh#3b+29MqwY0wN7Q{g^6II3S5kY_ zt=C!j8Wi)Z;@4aT&p9Gg{`|QF4ZW*7fz8 z3$5#Gnu~93KR|QA^1e@V;miAa&85_@xiI&Hs^${1((e-2i?5K@Li$UP<}!ygm)A*i z*%z$2%o_(M;+a_Wm(-Pgb@9L7BwD*+YHM+hA+l>GV$oT9;qR^!!SX?fCB zM}(H|INL|dn^U?^%ayN;!s+)Fj^j_(Q?%L1IHGH&$=Nph5uX|4TTRy34G0> zCJGAw=K4SiKPRpu3h#ivue!e)^|mM|IRn}Cyn4Q&BTC-9na&MaUE(-fl11L){`>C$vO^^Q zd1AU;wpVnfRBuE41vo_c`F-55<6vRVH;rS*mD~gF!BLp^!5Oi+oe^@rDMb#6PQpHG z3WVV%6w)yaf!}-@)i&HQRtucE}x7rDY;9s3ei4zZ2LDeG+VPMwS&`(T%7QXPIZ zIov&LL+M2tqM6wSP$~)0g>1<=a0v!05JS^i6>xF2k=e<(-x^~upr8HsG89t%{mQX{ z_velay#E&Jl0N@um+F47^`o#P0ng$SN1^orLJj z6DP@1(j?&JJb6k1ML`N@~2n`a<9RI%}xf zW=o^PuUi#Qs^l8@N=}?%Z4V$za!!%x$h%W4BaTM$Jc-=iV~G>1!KynTqkVxN7D-;R z*T>HM(SNE_uwW!rdsUx&l6*;$RJ~28`V8gEr3L6Fp{fySbd^x`0!t(dRnJgjc|jkc z>Pe*FY)6H>fgO*N%2!dqAjjVFMg5gT>^pHY#j;GJ!E>YIMHXF0a>W~4vc=T z(@I`*YB%U-boLRXpVenZpdac>nzpL3t2qhpAbp6q0LHs*lq4_4SZ}k9Fw0_rP&Wk* zcaoL+%OHiE3o%X*pPr8sH?f^QC8$brmP#)Y>tW-hl#dfk+x>43hU-m4wIP%+^_qs4%}xq9@h$l3>Ql zVljplccc#AS@iAqLQ3J@?}dJ51VKP#J4AcfLIvHU7POn5C0kwc4AkfuVwGj~T;69@ ztFml$TjMrZwkq%glq9SpA3zjMTaKe^u3Vf;%UIA@G9{N46*#BCR#|>eSptJtxfr1f z5}q>J?BpTCegl;t$)%E2PBIH?j28KBQpLo|f|RRm{VcLk@;1=(qPFDLFu%_Nz zo0=k4?q6b$H`j_Li@a(tu{+lk6FroKlC6@QRBMDULvLfPNvv%pw}#$Eb8S7G6n#Tl z+C&S zNK<&YL|fu&qq_%Q0GW)00Cyk>6{{q)oRiRUMnc6J3901cS~!D|&>KqP5U+PVry#I2 zPC@aAV-}WxZes)l19Q+vJycE*QZvO@pUu=n<%#j6KnPWEPGR6A#pnp#90eVHC&@1p zMX7WoZT*(0z$&*yOG@u5qjB2D*M&zRDg6~YMqMPOR*+JCWr2}MskqGj6XKY_-zgOF zxg;Mkk5P$=ty}8JDQ3LpqZ5t=Ueg=V6pvy8abhc`iv$t{uQ?=i(LC^2poDIIYcbXmV+f!EYbJgNyKVP2OB zBnlZMIag$)v8aDOg%=u%xQ=W^q0pYB`mRvK3UNep#m@mVqm%6?(eA`Gv>;B24(3K< zgrk~PilUnv%`7?Mw8A1|Ih2X8bZHJdL3(>``vfyIXoA#-CP-@+V!lM-6$55TlDr~g z0X!^DEmKunXtm;%fpaAypmb(5(%#F^TInGDBQP2P3l&9kIa@cGHYl4)Y3bqvTKYgyT~vkrt_z$$n9O_>!PEH+*-nt+tn4_Bex(a_F?c$ z3M9CMrcf9Fa;R1aydO{i+$f6F4zr+0QOkX-HbD0Mt6g;lZ)ZiF5OK}{)N$KGY%B4w+f57J$Mt$`LxIQ}z z1N2Sopj*oelawcV64*;q7!T-)4D_+PE6?o6g{TpbBdDXoIYb;1f}F zmGyM5hE|}zpG!-my7x1|DfIWLP{8!}o1uW|@9SY>ufJc?EAW0C88_?7r*lgBdj;q6 z^!I=1A9(+#RA@1(edhcOuoN1I+`C7*S^i#CAYKB{2C-H#yOzb1QT^4nG#HOtNgbR@ zKNIO^0&M5)GvSOvf=?!gFPu81Y&YZAWV=j4nBeo3TmJ_Klm@uvM@*Id1{j>VVTuh+ zYQLv>J&Ii-H&Q;I^!zc$>vO=OVo<2zi+(3G4A<1aWZB&~UHU;YGZ#X2D*5o(Pp8=1_Ip(q!r9j~p8c;U1F( z7D{eWSE@Y&r1Gh`j!%BZ3(`xKVQmM!$ZwCw()-6`UTLmI_n| zZffIuU)}!UrqZ5?X=tkb7`(Oly9%UwT=+Sj*kJf=IJkL{q{*}sqg8K6j&%Nl+ zhtP25J`)`ZRRJ#&>yVQlBQDqMy)GPsos<4BB^)$w>;J0nU>jgT~8f;Kt!T8u&%=Iv*eW2l}y7V0tU$L~(j_2URq zk=Ek;EmxK+@{Bfw6)KhvlD1soGB{qAbp^is zM1Neu>dGhnm+|Fk2XP6jD{q5(16}!V#Gb?Q!$v!$DzMK(;5K{Dn(7wiec=hGm(B-`M-}D@-WBTg!AJ=2(pB!>2R9gbw6=8Mpgb?Mveq9roodP?g!ZoPhbdI){x>Umgj) z`E$3wS4S%`;LkO%Fav*X=z~jG{(LT0il8?yz)D1T{`~#dcypSviP&^l{w!j=fj{56 z`w;TyeV^&*AUuB_0(F_u!48~o)7CP6QT+LfFa5oL<`>86m>&J9t}ny$=kL>bUp|MW zxR{P38< zZ0BJW`dnHe9zs8T=_ivsxSW==(=+^KwwQe4%VaCyNu|X{fim=@#m5BCTax^~Gw^%jY1KFROj`k(Jc!!CJlFK2R3a_BpWzvf7KLjy8f>&Bpw;$mD#oeRd92l^ zvQ`hER{vI#ab#F3pNys_c{13YJUJ8TG?o_XCIbmcbf^^h2op(qO!)WmI_lrAPU8K$ z9G%Mh_tj5-A^q$3Bat4Kc2j(9dl((Z+opW-3u#+;+QsCdW77N;V5wiRmzcYVJ;SPRUlyM3UUjkG$T^?Yuv0 zSNrb=e%k)~e}C5g`>X%c{(H-p?Z5v{Y5)C0yW4+X{Z;$#&-$kQ_aA=S{`=Ry!+Ykm zk;giP&qn8zTz9_@!#{7J{s@!*S?Y%{-hk4%T^YG925x&FZf126rY-&&+V4?F~8F{<~j~~HS6UW z>hPAFm%;#f5BXZm!u~xDIt-JlchdMB`qqbprdg6y{w@r&nkQliFCb8?z6^~#LrKnt z>b6_PR^}UQqa}G_lCWj~Jby`W8RjZA;*dvtnYe0~p%P0yf_ak&PhPG|jpqC}R=gp~ z4bF+-yfy~!$t zSmJ3(moCtyvvuhVT{?}@WCv|U0VO%x%vc_lcT{h?Wt>=5Ykknoe=g@xzniPWQu;;!g9!lj45+ z9WDP|?`i3p9a`G#hbP4y?}sPFZScdB;;zR;$5(G9CO5wH3QTBz-ZpGXHuUmCb)|8~ z{IzCtH}M#G_CZ{InF0g$qP=FPIL?jPKaKA++FvPzTX~$(EHt|&_EhG*<)0HsvNfa7 zRfhP`q7e>P(}Ze7Av08OTe7S&FT-wk?4NV<0$Eo2KuKt%b5QwP$=SPbQG?S#52f-( z_+2g`B|?hZg5+E90Y9k4M4L$D1K#W`N-3-};;5)+su|u@F@e}5GFP$6e%PmA&E^y3 z(M|qUirpK)0kG9^msNkIG!N=3UZ!q4 z3h>e&_FD`u&W(P&Y-?qBS*$&&$CFs&1uLE5>7_U+(OLQS;eC?a06wuYmZ!;cpM zCb$eQ7lSG|ULI~{crj~FTzC>4Uepy1k)rR=GSE0$W9ZJasQ6WGWPbJX8{zPLnEBO( zFpFhK{tkHLNFM(hL-NPklT18`fMkTVAU&tE{Hh(iJpTGofR|sxj)mc62b#|DGW=DB zmlo|w3ZBFoFA>M(Jz?>3_{Zg9n0hhPtV8QLY7(0mYM#-a{L~mFYNF#;x$cN~S-v?O zy&QhL%z`;1!^@LE2FJ^{4Gb^$YEM4Ilc-20m^bBy;a8n|mS+&|t4HjZuQIXJLkpfK zDE~z-aZt?+Ff2)ABFn3p?#f<}o0JzpEbXbvRxRfcwFxGSe9BE{4z+wwYx%yfXH5;C zZ+*t1!2TG%n?C*ck%bUn#j-L95h)-Y0lE`hFGc zhuQag(Hf2dG2Hk4QNJ2@BM^WEu#RE{)M*76cmewQBYmH(a+t4_#oG7v>lw!0SJ!GC zOGkmX?yxT;br*i{PqqC?_{aZ&)-KqgV)YVKFNM1qAU?BvAR|fqqDj&v37}R7rNqG zrTkXg`I0;(-Qp}unj~XAK85x$1^VepKM9WgM*AOBk*j`Ax#?4jqdv`=zs3HVPuhjx zrw&Nr_%R%9u$`#EHs?jwA4d<~RsvZZZ>_L?1+5%0*z{wC(u}9@^%j#*T}hHp4H9Ty ztc&H9s=N%O@;1b)ZMc-S*L0%iKwkp5|`ZSrKY6(n&j zy-;3;PktyBUnsxU3jSLi#N)e+{Ianz9yM&IXhqCL5x{TvV4IAP6AZRyw3Ig*p&;9V z?N%M$mImO>p%t-t4TJ6S0K5rxmLfgk2C9hjFQtTH?vp_rx=gL;8&R|lbDM*47a6|K z&@SG@QL%wfOyls?Xhm;D^vVGEg6WWWjVz`%D7~M8iTEm_5F>V~t>vv&*T9Ki#DU2T zEsKjcOp+T!gfw;RH7+{QA~#s%ty07O9*$k-ORnDa7CHVc&|j-3&LVHCTn26abYJEZ zEONcnu(yYZtjN|>itJWo72Ap?7$GJ;K-)PQP6e!bcFyDrLdZP_=N?VCKFzO>^6MY? z^=^K3^6M&oUCOUF^6PK-^(ub7l&-35$1bu(-fpgKl;o{uSxOZf+`YxN2C#10Uv?}> zGT5*q(_a+UwJJTo#!%hswZ(hmJaLX*h#O4SBmw0Jby)KaTgo6w?uY26t;!1QzrE=7 z!c}^HLr_tht?~wQ?KYZ0$zqa}C#Kj3RW404*b+pq!4oe!lDu&9Ra=;b4Pa=|7Uc7a zDRhzhnQQv9dvKV|tQ?`PYXxB(u#y}`6Q9rFc-=P1QJ+fC$p#S=v)X9JZYogJPjV~+ zitqs%w{D~IB{qYBBFqK(WRK>9w2`%u3W)Ia2`XwfC|9{P)cA@Bj;STd35~lDrY#2^ z$`FdIa_Kaz!0r&Leh&hc#j@&p;SL!|Nxo6a@#3xuik$%f^rbn)I5x4NSY_Fw8dKJ_ z$fR7>Kw6r8ikURm5{h1Hb=@-;JkuhZtgg~bbSS8Th(f>$k&+l3A}S1y{`_%ladb|7>~M4kX8*Co(RnCOhodYQWJHCdWgo>BNBuFeiWMDQ zi@9$saWn+w>2Q>IYm_*;_`?t!VLC|T?3QbMW6X9-`{QdrCIrCCS^n{LI*~YyEH-Aa zctB%=4I<^VBwxG#<~f~>pJCWUgZYb?g7AG3_P;ZwRShgZ8y{_n0qr_-Rg~?z<%90G zYj`KxbrIlH`!l+BogCP%ODdym*ONQD->wTWA&R!Y7WL>{yDmU}9UZP**O8#b`b3d zb;u`|r8eyD-PUNdAu=R;Y|UGcWP_k)%wKuyQ%xG#61>Hko_HciDefn4izL6M^7soF zjTUyq(@TtKHbJcEi|q!;9=7z zhX)TgfHV#Z9&UxY*#$f_?K(VoxF#VAJdhD)I@`I=`5FVGF!whY7xI3MZ6f zHgqJ1!DNZs<86V~Pb0$_759d*AnS7GT6#VWS{t0sf&O9btkHf9+Ir_dk9b@67!Olh zAAkOcw>7@Kwqia2)+>Vdio|^T`X*ZTc<9tk?gi}I_VbuQH&E1tsy{F?CuhYt7Ce_Z zES8*0(pfaJbgTTGrF<`DQx-Dt7u5+>KR%%{=6Om)N3z#*zLZ5I{WHzF@>?XKXpdEH zR!%EEh`Ck|$(YT47eLMLQMm+Dv3O&?r?-^MS>=6}@;wYhvd9er@hs1U3`8@5Xq6!W0b;WiAeOpLI>#zEDJzQz z%tXnUhF`0Zz)a*|p6lsj&2Iykg4YvgHe%amCJpZJem$AL=Rg!r^Eqj?qD8YU1gIj( z-xE^hQ<#aiGWh?9q_~rTFyjA?nrw+vWNQ^Gt5CRo)1haRqE%MIwxWlE+B|*vy}gny@uU5 z@(uQ+lIqWGac1X;;1;7D#9Wv=Q*kESTa2dNlgf7mwR;%gRog9RS>(-V`9-db3eO6_ zj)|tGS7>d&m>PcT`j{7BOCq!$Ybm_-=jqDOP~d1bS@M4rs+VKW!jFd@ z)nD68PMDGh_IofEV8%AVfHAi?Rf3LE-T<~<1e<#CR70h~(3De8cydf|eG><@30u6I zT}3>9FIbpSMsY+vWh;af`3kDqY)LN3mYgN^R_CNNtFr`3{&Wn?Ni0&sK;=Jw@h|&~ zc^rh$>h)ZRC=9kQBv%QtO>f1g+pVrit++>|oatL|zsu?>*^c{kq!r19XD%wXWRK*U zl#O&f(tDNjZ->_j$E&liz&d7huw1Ia^4McBg=L}KSy)~NGWc@XpxDClf3=;3Mbu!a zeKe+cdC=KeSY7}!I9?7u5>r?vcN&&6G+1tmEiA<~e!PT;3NT`t0Z9%7QpA#!+ag0? z?6=CF*as{3qkA}Zc0CNHoCsljtr_G+0v(rt>V0d8bjR&?w)n|z* zXQwh9B~6&Wa(JsYc`+j#meA8`(P>GV^32)dW3ypAE~^J z6momg5w&1Qb0W)>s;tA)7Q=8rq9meW9+SMCWY-M2iTGI=DT;ieB+i77|FC>~x{A1x zoUip*v*yjuSOC<`WHk(;8lLzwN8P))Bh>XL)ZwSieu5}}=*GGZ!(C5?HhLU~$I1|t z&_&dFIO--U@1S)W>RNE8M_m*0VLm&5@j)H#9#cQDXDJV;**(L6yAzS`Ov;t2tiofC zyp0bL5Int<@7N7P^?1Moo=+8HzsY_1@6|f*{~fzB+E-^a zpv0(Ze)JBt<_c#%H9lRb($~CLtGWJ9YRya>s#A>378y&!Yc_C^XQ>!L=P6_pp83UK zg=1Gd=*z^iRU*)dp*EhavAZ9JC?@+Pd80cM2$yIs)S!!t18q$a=mlv;Y^wlyv8OOh z+k1donyh#LV?dq=>a3h#!D3v_&h?PQv_6x#mMm*L3HdF8wM8m#eF;lv24_MBGAVI@ zEoXz|OgNeDoK!>J(Edo<&s4KbI6wBb{80Mxj-=X~>t8-i&7D=>iqAgg%ZiT^D z0~XNtnHKkG>2VP3LGr$4aWq3KYf6&X^;@I;&pGup#xZ$NpBm|Y3~ zS8p;DwZ#`2Z7HB;1a~4*E)v#&m_hBxx0aN^iu~4vr}8iC{x2{^^LYLnq zek2sZ_G7}0p95R=(S)QSN&==k97z{pcE-+3GXxNxKB1Hw(N*a52TOy3F^EEB-o-2& za3S<=EN-X;KLeEWf`58|7wm>PIXH8h?GuX(rO=8E82c_rQh6FAmgA*dw8#KHF29RI z6v{tAaPnTa6VJqT)L5%)!kyR&tT5;0EF2=N=_R(AC!5&L->qz%_cj7Ep8i4|POG9o z6E!jz^vX z9uFY41*m^EQU6>La|?i{LLPyE;mPVmJK5oNnv{`T?5R9_!0WvW3*2DguxLdYg;bCv0Z(O;a~g#)zzbDm;YGF;gpx^_VZ#H%M#*)11_7Y_83f{a zTJEb%2fUK}r;JJh3o{C~8XJQ99cUcke#HM6?tz>n<-~aGLgHyJWiXzqUCEDila7Mn z;*`>?E-B3^VR-^4fy&Y)mz1QeN7XbQFb;V>iD$$$Ag7(UCgtoP-&X1$H6JX#u!Bfr zoW`*)Et}MoPj0DKt5ZZLT2h!C^yei6V!|b+p%~=zXKJ@RIoX~1Um}uZw*gmNp1uQv zon)Y#ykEIi`(h4W^RvL`*p`jZ|l>@Tga^MR@=n#{@(ENAT2# zp-2O;Y}S>SRs!~9_qhE&yFk_wi0~;OzE};p_raIK4mpf6#2iHZ_4^nupK~!>ib;;E zQlNVnn`*2XNqpK{=(su)xGTwYT%C@QHfa|%7AiaD&NRoSdGqwok;a%PL4d?bX=|D4 zP_oNe^0_h&?XSE!#UPiY3niFlgZog^H-ih?PQyM&Dh`~hTqO-D##VZWZT0nt!YI77 ztJh5lUij%~B5M=Eml3@+Vq^YB;a*xuXmIzb{KQzxyixplt1g!~Vgt|igD;y;*7(nn zQ}9VJO4g840_FlaKWllCqa0|J7ecD%RC{lM*1JjhbR!0LtC>diyUOeP4Tk)^ww`+& zrKu^TDfN?!VN7EJ`%Kv5C{I1$*J3mmj@;gui?p6VZTjVIGlsr$4MsIox?!x0UMK?| z4mK$_vI>=r-!gqKKBpdQJ4|;5DQteu=uXC`%pRRsokU_XQTYku-eZ-gq{@w)y1`6gnBF4g z`tu$}5D|C}$sgtog1%G!gA$lYhw{Tu#2}m8i_rfxUi`4DF{0VT-`@h-14WgY%A>#v zZ^Z69gBrn?_ppP=n(`J@l(Dwg@p~3vo$LS51EUoJ#T3|>i7W$a%+prdV$$03ukdXd z>~G8Iye&7VZJ8t|mw+wGP`{GhI}?mFR|{Ay!U31X?t232 z+JG^m@`dnqo#n4r_O&=l22&#W5E18Cd*eM~THrT(eLKuJy*wJr`XHee-L66!XMXz+~5@m7GJ z6%v2qVRFHm3SE=I-y4*Fvqr<+83ly&ysi#l4yD?Mdi~g^qpkd&LHj1-N2-Fh1djqS zL-LC0XpwZUhtO1T3DUhZJxbG?f^{b7Kd6Js47)wW)Q9gRIa88fS8hd@O7g`?=Gr|p zc^&T=EXlA$=&wv_)HV&USLSHJ^g*Zq8~7N)fY$5Y5o_O22DH%U*n{$sIT%`@1YRJK zkfE(8rn@YG(=yVC!5?+n0x^|=&=35Ccpoh2h!DrpoQ)Rd)36ZFG$tq$nW_>oeHT+G zRAmC1)ueRg78-R-T~PTtoLmq^BA(ecTQa7`_Mup!>Zg2myT;$MP!m8VLD&TILTgq- zF$f{4LUbA@xh$p%=zG{b+HJHeD8!z^zJHv)A5Q#s9RwP;zXZ}yRUfJfv+sKQNfpk) z%2HiT4Yi%A=^grfyuYILpk;rX0B5*n_10B3O;;IMZ$FqyvV{*cWDhl@M@5OVpJy|g zi}^g73r#$rwQjYw$fUdg45_XCKeYB49~?P5IT%4rzKybTf&2!hx<2GqEiCW^PN7b_Zdb(IY>fQpbXi84Hny8F7j{`Pov-Ai}fdzZ^A z337!S4?tH%UG*8q13WlXnE$uBpJ!$g!nN<8&xbto^wV8kU0vN>T~%G3zS>ciGJieG zE~|(cwCqrfoBq&SV=2qQhS<Mm{pj zcL!_sOnWk9scOMNW;2EaI%G8@ZeUX(@UpC$Ik; zj=o)@A=)Z4`2&{)M6ulb@dWmI%wHqtu}=|i)RxjBQtGXD>McyjbRp^x;m2Zo8y(@y z@#nD9OqfiM^=K_VsK-)?PUP!cWA;eW%-AnVO@SJFrqr*V|17Oi&*w@jc!pxnm6pjf zeow02_{*M3FVA3h}bq6S7u@%Gc}*A+v^?iWZwj9s8A?iJOJuHM^&j1j|1)Yd)K* zQPafQJXP8o2DROdgZUn;`NXMQe_!Z)4_a%{>6+y$VK1`=6*+x9qdZje$&}(yjP8YR zRri|2U=yySiAMA@y|Xno0c;MEN4uh zmyt07E2*(yS`VsmC*IMgUx_zi^Gh-?1J`S-hPwyd(cVU?>=gB$w6#tWBAHE7u?H1w2G*{6>lK-I8IYfatWPm&87++{7$~?1c9^9~ z8!f*9lhC9oMRl#)jh3JCV$7LFu3*ilwZ`bL>TA9-9;oHrQP7pi%ymsYt5~5uu+?oX zZZuG$xW4Ao#v;X@?EX6KEyK7tgfX~8CZ$gMZ&T?X%$Q}K@Jr;JQe4pZKeA9@=uc$ zfUpM^<|vKKlzJAN^HmNrwK|wu9e4qvcmi{Bp}s@&dhcr?#4GlCpBSx}w$i=F!I{M8 zaJTB+Le;xiR_!MuyHobdG+fglv79VQp^!v}F#d>qRx!Gq>3qkI#6MK=1MsUWYfeVO zn~wLzP4<*DqdqhE6OyzJIE&oO-ask$CXG1 zDkxJ4{#n|nEjwz_Qd}W}sn}jPJ0r~GfCbtG43XQzhckyZLPctR&7Lt79$U#;0qPUN zFc=w_oxYjU&%RsAA4eOKFDPS;w3j~3C}ad-t+Q5}6om%^yN`X*2hM&02#!M6B{0^svI!)qz&_#)cL)@1 zZNBk{VLRp1n4;~Tyzme`G*AzkL$)@XM|hY(mic8-_9U<28|y;8P=6FcnEeRNN5Ww1 zIhJ2y6z`kzz1)V8m)*fR4kUr%XDGmIW(*zb^nBU8$oTWfrzZCk4KVYg6N?nxc+AB;{3&{)Eq5m8QF-idr5ou#Om9?H9RS>qwQHHw8(b| zEnFMEjMo?CwO=qE*kg`j;LMuFaW(N7!mlXfU)09?I^Ja~)7`&lAX^#+QQcO1Bju9= z>{FWDxz3Kv)ca%QY_zPllzA5};h7i)m%`s^pDIkkKI=~ih?CR?7yGhusG`06Xx;@# zkMW~6XAfh{+ssIMf({|zXv-@GcnSXn2JW9$L~@!Itkh| z?^a~$3sbXWn?AfFS%y<%&ddU|d_T+2@gxT^Z57*(Z-Q_-t0vrAGD&qcW;=vaeVK0i z3yWR4m1wL*UOPy-%}$qfXijjel(oFFt%{3u#JI?c6n#>Woq?@6Mn#mMYIVB7Y)bXl&Kkh1j$U-o523B%te4OJ;D)Zzd zI8-K^=J!-7HEu*H??=Lrc`UoW)Z*;=n$z_uhFxoyf&2mM`{MU*eX7)c>w8%0t8v@c zpZcOHHQD&POg3xnKclQwHDfW#YH6v?KJM(~(djnhRpGnK!6EvdUr!WHgIyUZyUl$C zhtpgf;+TxpG-s`iUs__H<&mk`v4E;J?ys&N z|4vgk`d;1v>Z+8w(!BGp7hK*^1AeW2ty|mvc;`f?w&wR#sr~ll;`Z#e)w%Tv9dqqZ zv92DlZ3}TI4dDv=p-5({ z^x70=e^sSp?h+aKO?K?zO;W6PL#!HM3ax$9MnGPd;;z*CO(Y(RM|6 zGwlh#B1Lv(KBM&> zkayZRHg?(7d+Op7CMYeNGE(fJ57gE(VUo{`&u(K`P3BkkK^}{C6q!W*`2r>|C4x7; zcax@ke+!l|FG<$&ge>2hF5Tr)>vQgV{1m+fG0w%X3?eP(kzF=zRy)y&q?#a*3adr( zi?$U7YuX}TpngzU2aq*n`NcwFv|xVq1fx5Bk-`ugGrH*81g?{kloQEkgO~V_H`BVE zecP1$==8jNqjiy_i0@+jhoYECimOmQ3ACp(@&|w1S4B5;i%`dlva|Ze4Xrv(WBO)azW~< zK*2^ZHdqZ?X{z|oH_$$`TB>SPqeqU`s!>X^Lv-{B>3yMd)Qc_oX5G{evFg)Qqh%Kj zuiQ@Uh0#%O{*?wBEgz5+c;N_0V#Y_TAuV9N7K;1w?v)x>+jkJpTgJy0vf*L*HW?aX zXKwjBp2OBgLJ`4rl`B%kt=Hvx0`Zw20(uao_h9M~mC;)J6sPp7GD(UGBw#Ui>Z9`wE5?-khR`gZdP_g-#OoWc{!6s$nv$T^!9+YZlND4Mc+NYypxYXW{*{? zA9TK+n{al%C88t%5x1N(|1cl&#)jT250r*Jf7N*ruW5aO zrpPp7_xUk)`&DNNC1dxQqKaK(-@yki7|%nYNQ@*vV$pIT+9v=d5Z#j#8DiD>Q_EvMpJ2hN9rJnBueYros6peGqfooA zO86wq-JsT1B!*t5RbQ1n-L&{-VUX!CtIuJskNfk*m{MI8`7%~GAETrkXr79QE9=Z@Q1lru)F}XXrlhc13q?85WXn|3?>+r;2}k zwT!GY&r`?@HRK^QZ>T;Pnm?DOIX?iSX}$;d z`P^B0&@>+d443BP1fJ0RFev2GJeS`+(_A@96(pV?j7OCI%`lpDl?)@s$KL)UUC-uX za#nKF=Zx@R^h8f^Sq_~5edS<6>}U>HJbu$DVjv-`Q`hf&^tWse4*^Q#ul}YzCE;HDEr|R^fD|kp zgNry|*80!bKDW2rpM)~Zb8bmE@7#h&Z_3W?o!lnL?Iep4sdq4Tj35_G<&`Q8CQ_-7 ze5tm%M$@iq!(TS-IxaG@r6WRx+i@eo1E{I`xQLHtCJQPzkVr$8uD6p#spWz}uch8= zX$43#3O^PU!ehx4$p?o~=N5#kAqb}wXs>GR+};w@>+bSQQ;F-5MGa|uYFXk&k>50Q zkA|K&h9qe~UNCxsN3fT15_}Y$O6PAY&dGa{c_z2l`RDElym&3}^-jcS5x>f;0+Q*3u;Me|v7KjW9q34RtkZ!&~{gDpDP2SsXdW-;xR&#O=v#sG}J^ zoI;a*NUOEpqW6~3dxxi%3u^iJ#8gQmXcztWk;W=~8hIoA6k4Uyj_@&cbViXb;WV2P zfC-IbCoDI7?R*NiPkQHLyhdL&~sW$v7iCzVA+iI`QL@-`~@} zopW8<&r8-;lvQ{zcYkW#ytvb0fH~?mh!q{qf2EP{^6i^j_xY6b ztj@*9DSinveVa)T>&O>^>;AsM57<>)`-=Na^gT}bUUnd^BnET&Df5i`B#-2G{)>FT z|G4k_$Z?sc<-EI32hT3;9MH8bUB2zOW#2S-qw6=3zl|4G*y~PIMq4Mc+^SU~n>#RZ zE>!=9iEA<^m`1Tuvw;cj*osMg%4uf%J6_ynkWSjo9qWQM?Nf&Yy(`p=W552Sh@-3` z_DxbP7RHQsvSSy3K#O-%CNB+lfk{aYne4t@QPUDiVTHEz{q zDJ)0KL;U#m&pZxZ{P+YV&fen37fMQ1;>SRH_RXxy{TQy5D{zl}5Y!UigFgEbMSc!M zC5jxWL=jMG2Bny93V$nCByYO7Ix zD~Tmo5TN9eMmh){LElPP<2*Rrn7qJ)d2sz-hG2kI2x2Gf3MNRG!&950iA z8nMcO`$UoP`w6$wXq9pp?bt{u9t(J|Z)u08CEG&bZCotGuBbE>Y5l#f>xXV#W9<7+ z=%JcFb+6`DUCq_Hn(sK(T++RoRh1i(#|4^pjxq@XVj8ssOysxmV4LruAi_<*fb8x21!N6JgveQ4GekP0&|O6Hbgdoo;v+(|K}G%NFjds zj*zu8Ft-=7;tghWwH!#M;HlD-CFhO`pQ%;}(Fpua71=38j#my&uTqu$`zo1bLDvk% z&JRYH<=aEQ%l6RwRgx|CO8Y7ZO}`b8hGcAg!SCG@rD~;5VEZN71jI(ilSW)pyQmcG zYp&1ef3tLfuD&LV4#xZ=lP5Jqd!mG>PyCVX_3=Ev2t`PdMGd%bZAg>j)t{%y(J16F z=JyiS^dyHMQvOc5C?(>g&?Fb;7n=N1l~Xi1Aw!efxkygYBF$sv7V< zPUF3meJOY^gaI;mM;=ayE?%{Z4@%YnXMON!9wpr0e^1eYc;91n&DqCvk;`vj zKbW;|N$)@0eMtJr9XP_G%4znd(h_)8`p&LF{bN2x4OMXU$7W@lWPky=^BwNyM@8iZ z{yI$gCpWjL*ZrzmyoSppt5$0(cSM`j(g8_7$oU-DY~ohXoM;m(#oVIv`!O7e_u|!E zU^;$fYCjYA{Q#?+>|xyJcb#|ld7JZowR#?`4)tL3rD^Bhm874ES$hA~0W)^#iNQCS!J)wl%406 zErf#rEoH}cEgLT!L4rL;*eG6jlKg&5iM=}gRs>_yDjeh#O8i3JkiH#@(jEwA$1Y0IMRPFtP^jDydgC2P$0qC6ZvcIe^25O_ayeha+&`0c=Z&4o82 zLz@Q48uQ&E4-GFdhHQ-a#P9X9y9@#iODc)E`L$WTOGbNiS#Rqrv;8wKHZao|x0_ip ze6;vV(+#~+#rKVKCIAUjw;+FNnit7K{q?&S+rVgc{TyIWUGzqw}Ai!3`+uEUKu zWbFvH@97naAO8%@MwppU{M@$jR^FGRx7Y5h$_ZDalV4MY=l04}CKZqk8IXOg*T^&q z=+-8F%)wT`_J4pqCY{B8@UrxRZT76$ORodiQ{=$xKywoDX+|9dQrP&2GeR?i`o4q< zt$rIr@w~P%#=KB_)wsFWwpUx5o8N;j9?0N_JRzREhR=!5CaN-hlHx4Dpg_%Qk=mve zO=IRz>;fxqtq;O>`u2j&x!Jsb-nu;Qe47698Ea>_d*`Lc^by8jqj^;IUS2Yl;)0qrb~6G`Ry z#81~XA8x;L0c)$^QegipC_fc;+h>cfXl~@X?Y{eCn0zCbxyZ%~&w89G|Cg$m?__=x zNNA^^6~l=@-f$Kuyac2yGe1_iyP3`OQBDPysR~qGK}9>m{^Ww5Xs6_%Gy$<|?}B=F zlJyZ3IrCr_;!&O5#Dk7P?DG9ll4>?_7_hn$D}fI7^R?7Q+yRLZ^O|MYvz@B^S#l~i zN;#z@cG?or!n17{L&G0Y@ka8sqw;5Pn)a#Q7hk**boqh`k#tP_E4HRQu*PBCo9DE zg6?oS;}0|GfGpb2G}E*fvG+fFiM^}b*fZUqS#f3%70p+ECRP@)T} zB?LE#d8fB@?DAcof$0~jEq+(oZ{q}tM~90{BHY(SE_`-B-yZM!4bHBTc*k^V1X2cz z771SU3{EBiL7BP6zV~&7qK~>nY8Pof3%$+tptrAm0LN2K8pn5@tHeCVBcX0RgO{$cfzIFTQA}rbIv6yNKdHrR<-F9w^pznN1UF^h`yut3vlB^ z9j-?h!y1RYp~l*{68Yg*H(c@KR{l@6?^a^ywFIn`$UUrKF8yA|#pBz1gruRTy~uZP(^$r_zn27#gtiJN1HpO-J*nG zjx9*Mj(-BYT97DE@Km}pqks?TzmzgO6Y_M+1!U&P!WZuiWlvH|20Wye412b(=k=na zNT{1xFXr#PUfeR{VAhLY{e-ruwSYAP6b^Tm4Er~n19YbI)-m$4%X%?!yYGsqtQYue z=*2Bw*z5m6vhS;6zONq>ugscKRR(Kppsr6#D&|7i5Q%Q-cM6DUc5LAELYd(S> zbexAEM-P{)bD13ue=B~s|KCQ%;hcB7G@paK0GF_&QJqTIV>A~_#|)(F#EQ!()hd}T z!(an*xx+^s{-l!4va?m8p9<`14XKX;((@?)kt#3!+>e$Ep@bmqAo7MH3+B0;S+o7cdSP75OlzSU9hDijS=+4Wh;Puz9jyc0)->qaGr9K^O z#;@Q!Kk|5|sNGI`O;MUPUmMaCMKhYAy=IqtSv=`aM@~8EQDn!E^=~GQGBu*>GJLY|yN2_FK=RjQoVn)6Hf)+63|q z)ny#>j~Bjwg~+f>G_~PLyBjXVEb5pg?SwGV_y82tZ!2%09MM;cWE@A($W;cNm3HVxFqkNop3%=2sQzNH` z;$y^qUKKuZ5rZ5gw{NBze$D9VzsG`ev=a}iGGtyXof53AZNevI5RbMCWmrk-EO&UZFz2O zOo2%Djuy^9$VqVzUSC_?Gp-(wVA zP{h+LGKxl*@WWq1N`<6Ukm8pVKPeL=WdbP^C1qm0x1GevK`(*L`kM?z!dv|L5Fnb? z=n27?e}WvVw8zw_Syb$7%qRG&!YpjACQo7F)iEsmq*$AyyL{8C#cN`uIGt8-#<46) zqa1BsiPrX^i5*{{)U){J;LAb>rdXPk`Al3-1$N~s`{ze#*Hd2QaH9Y6OS8_>$Db*E zOyu6?k8fpsfy(=h4l1o0x98VUjzJN!{!nueTC%6m+_%Tww%R0%ZGrtL!3= z7xhS76{q?kx_SYhIf8%9b&I(WcueFJ#@gMvk>lA)y>yB2;5wNHo?a*cN|`l`Ry2X0 zy4b1ca+80wcijexzQ=?R#5yq@DUa$W$h^R0a#h{j9kp|2z^TM#l@JJ3p?H%L4dZ61 zyyH{&#L21|t8MRkJ#a@+g&AE#3-?r}f~jQW`(TA$$0mx_CWAzd$9ikTfC_S~^7gM$=SvrUMIEeAv^R01st#|=`X+l* zp-{q*aM3cK3cmK2j|zOFWiBtq{MIHO4f6hXeuS*nIVyR%6S4PVBJ{40ejSNmv;6UF zJ`splBKclGdS`T3IC2WNHxKcyZE3MEZ-NR6f;K|4Hx& z-&}9KUxyo8nVjspO0CNher|#z;)EcEY0q1u8~X(%2pE$11{H2#A!J5H-j$3_QzJOy zA2cbia-jbKc&6@K>G0a>Qzl2Y>s~hFKYoI*7#Yu!t)ppQh5EF1F0(e-%EP5DJEPW= zVPLJL&s2}u->eqYBNr#xyTin+VP#1#d?0UxI(bP7+$wA}*+O+GZ`1AG^HiDq#CuF0 z$h@mwnC{vg%Uhlrp(=Bs^+io*OS(X1d!4UFDhBvFXtzUI4J z5aZ55d!&ol6cOJ3&u9Uq_aV%Y$j~2)C}X$W?D6PD-`W|!V4GbwlkxV38LO*er3}xs ze?v|7&%YHQbxb$J=dvDt1Y8)aTXEfC7o9I(NEP-q(b3|Jj90OItuKj>$>WL+LaW+& z5~sV<(!iUZw<3Vlvrn#>PTe6sBL9mM!u3h}TK4@+6Dh zFj9W5wT0*8Q!n*gWA6b8(^{g}$o)EvGBeB!*0QJ&#zVAJxS_!h%*``Or_=w@WjmF* zF`=#8uVFnEll)u%Py?fXYHZPvjvn_!p{;g;we5x|Pz zsxmUKf2oQmhrPg@xX;I=FsU2f7c6C z-U8XWN>omYeTIsVK2ba@m_T$W?Mxh=#i97*yukApgCee{Cxqhn622m^fLC~@cffiz zWEK82D5po($lA^@@I82evuUue7ojCSVjAC(9VU|=v|g2nC)fR5PsAdI*IQSX0E(-T zO^)kupS3Z+Ur{Z=+4b_hB9f$&C16ZhzFTyhN{iRG)Rm6gnIcI>iOy)1|vIts(@m2N%bT+$R0w{0b z+giT$@vc?hD(u_&7K%+`)3lTa^-Liq(v-3Uhn(q!HTHN_cAub6(Vqd`z1j-9NPQb~ ztAH2S{0H`=vcyel+D3-IDI>$*RihYE>5jzbQpH*0>__v*MGR-t@^#+Ih}BXmMk5gw z)IM()Z7LBhQXgAHt;B6mo~wz>_APjd*XEZct|H-iVUYl1we=07Wi&6WvQ;6Y^>+Pp zdhQsb^#VX|`FOG}rGoTJYmy@vf>dTJYZY z1fJs$EHUajY<5A*2w4QId)e;2R1M1`NpYMDWbqWgry4svAdq^A{)eOlFKw4NcD#`6Z7 zqr_Fth+;_xHND2(k>?LsugDaI+lrdyfdx^4AY&>N zf3Q>u>T+t$WSdc<6{johR|zI63*7&5(@H2lt&INla|@O_1IK6rO9oV4QJ{P|Y>Y6> zNQ!&}3v!r@2Fd}^wRTXdA>9|SK1tF%&IUx6vhnlH{F?-5s$$$E%4HvFElE`Jv_~4d zQ+tUG8}adSbWSDNe96{jos7ihk1Lon;LnpA9R6%Aq3Q5uXwti=Q|ylGAiK4b*>SQ$ zKdb$+Z<;7ehTC-eO+tpMz?sN}XDKlMmd>4Mw!bIrTvI07>T;sV^dC$63j*cqr2Xwq z`&mrALVak!JiZ2ZHj&bfKuSY-6Jdh%*v}!dgkWD0JYSWrw?Y6_1y}`4(dS%XJ@_HE zQ@RK-)4Hf1k6Ly#dG;gEpiS9M$<}geX&{u>#4*8mT^@Z|Qx@slP#rG4F_On#setK! zvi&PWiVI>b3Kp!IYqZL7LJ{%^D;yig0{dFfde{b3z-rmJoM-j8e&J(-&P#x}ez6Bt zx*Uf@>lXdmH{+G$F#0-tba2u-H)AmNfE0E!BR~6$*4a|kxPIJ_aSz0;pgA&ApNbt* z7%vdNcs7!33CWd?tI;$zX4V=&pW}R3l;SI=507O9^XEo)&1ys@Eq?T7dO04Kl7R(# zgra>0hHYBe!edo<;IKsGM|b5!*!qTQs_e0+OKuKRN|p5AV)eMWlsuV1>|Q6 z2(%%0SoxkrX{6B;i5<_{3O84+f*QeSsB4i)1}NB8 z^n0y_>J7~O%0G8$l5wZugh@|wtpGcZqlBYPpXTT-q{GqDt=SwcJX00Drzkhvn=(ki zD3vb|lb5h&$jVjQDLeY2T9fnsnv+DFMi4=wNL%IJJwq5&>1{>qt^gXG^E%Uc1Z58g zaN?u)p#995Hkw_Y{jF|2S8|TeU*rdy5dJ?bKqb10a!EJi56hgvm-vLs?Oysze=1k) z+PCH5DuoHSuoLbnj&ugKgwgtE>ekMc)tBZ+m|*+b6E%&`H>3CFdyUoy6?T=CDcEx4 zO#9QggqJ3*p=R4OPMfb`Q8BslN;W8rt?zOI4)*spuGdY7H>u)Y)kr(=f}-Hn@yVB) z@#m#=VtikV$}@+lcGCHr#J&RQg0ZP6!!dD9mViz?HoNi2=%&c%P*)$GQxWXDcgy(G z(`&JchmmRguE-UOWD9Oe!^ca*Z{ZE*J3pXok07++JSJG(3rzo)*^6-81vk|@^oby+ zzuHgeF9*>(iz?E5qWl&_896W@ar;Zyq{%gX5^Fg;QmB2s-30Z~F)q*q-#X1O<}YPW zFuM62FT{i9E0ADHIAw_4yb+I@EXz4m@x#gz%bSP;AEft0_!;k`&eL_B5|=u=PC8lD z8GT1OIlIEO`>l|9v-&>f&9njUnp@4N{b`kW4MM zKY~_{uD$X!t!vMJps;lZ7B{*OqJZF-Df`8 zrls@wc3&gZ>vp!EcE8_KI%ob@tMq-G`RDte4)8s`zwg@5L9X@T4wi2I72V%^^ob~8 z7cO?mVRUhpT~cTcd)|RNiLCya;NVsci>$;W7^pU6x6*APt2pr;@tPY?gpSY6%F6mm zOp4bO1*}d&5(Fz>H(y?9zPyI`0il|eM(giote3x~?!YtKzrp)*lWBc}1LjV-*T&1Q z+MN<6^cd`W=xLOF@3wQreVl!qJq`Zj1TQ+(_`P`nb^VQ#r!Jl6Qk}-P>$Wc)^LfSIZ{2C@4`Db`fQPCLKv3eWOJX=k9>DoR~Fu zE0!-0ihqMe>)MF65G3-AxMLT8cr}AT+FRZ}mn^+$uvv*yIiu`!3X@}rmcezjv+FALCgt4oOlIjK-hJ`6w5hh!G3ZX=n&l|*-;p*d= z(0J}H)z7b-C-(tszYb98ZpWnenX0zw-i+iU4JFnpn)!|bAMlo&vMOsNvV?U_J~#&} zHwj+xaSVu^yNw4PCpXy$oKBvQ#V#^QL?LmSZzR^IH(0YY{29?LLa|E1T%?Lm8X^%? ze2cDvyry4*+uZSg_dr7Ty{0dJ++u z%UmJvW91zUuLqOGzk@Nv1Voo0ChuTujE(twpb~|#f!o->OW3(g!2Vst^D4U>!wvI^ z1geJZB6*OViIcm`t8>scTfU!P33+IYG$R(E0nD$W>yurbtL*bTx;I-Xj6 z!ZZ2J&5+0Q@Yq#4?P@WbMvot)(n@t&y-pj&!($goTJ-oTdC8^$y|epr);AdME1tMv zbcvCYj^(1(tgP_{UUI@uM|F`{6Px|UPnJ&OQl}ALG13?+SvxlvpEYYRi9c~34)Bcn?<^#@M`{{)IqQjfcCLRDxfvl zODz35>KT-D`pi0#&_TtZi5K67q62oh@yuLL;>Ty>IHmZbH;!?lrEpGstF+2cnvn9| zvLbvWbyi88VV|9NG|f@$(FSO!{eUXVZsJ*i%vcfL`vI{7%sLEd{*-qEai-@$!CEIO*rXH_;o zD;|5+RPjwm<$97H`yIyqBM!f^cw}AYQ9CEco_}H{z)Ff4SlL+s$fXsy{f?2#IOpU9 zQ|-vP`ks`Jkv1cT&FOF7Cnb*qc=9C_Z!28i2!v8<=_fL2?|Ova!E*-Lmt7paBW8Lu1+Tm@recNkezVDN$+iz&+j&Pra_%(a%>AY_D)$=(w zeDcDhNJ*|wqh@C~n9*;i|H*@WO(Vm5Lwa5O#r|t{>YtHueyvUH2 z<>4c@x95fnJ_MGr=$#S^4fGqN_iTGMm4Q3wG4IeNo z`7!y$wUa3m;>cC5MdBjGxac9Rhy55AgQ$4xjHh!vfw_q~RL0ipL^A&jvO1z~6$@%& zEsR3A{cr(c*SOmGxM>)bSProB*#EqpK#EpP<#sN*IKMW2XMT`~p(xZWuQ9KRleVI& zD>GxaGq*LlBJTd;Th#=Iq#9bKL4Z%U0Y>g@QqSD)G~8$hpru9T7j9B&QmSo#^1 zFAOXvS{17M%_|%0Z89kYirAf@M%^3!{v68hC4JEIUERs{Bx_- zvE7(=K@lJ+Ed?neG5wbWc5JV;+Ts_jYucreTpMlgf+X)X9Q~2Oc@cV z+1gkb$*bv{+IwL?!Mbn2_{(KwD$shA>5=bWIm53$9{;DdDrJS9?xe4a; zZ(ouhIYouV4aI60MyQ_Lds~&6n6ZVx;8kZ75^dCo28m5_YF6~aoWP5`Hvu9qVsJ)i zJil_o{s0$!_@nRV+N+?6z6JnWP8Ft#o}%xH!zFz{9euIuqG-J#P_unnn*z0V$6Lvj z+);31j|I6JmNBmj_6ZP&|M-K+wp6C~iCG3TwxQxx>(}ZQweD;GL1cVovvCFhHn_mt zZHoWD4iU7c*!~#$Io*Heu?&IxeES>%f4fzN!1)2|V{!7D&OUY+gCIA_lEl4V%&Bd; z>Kr%Mu5o3U{geMuW8huJz|w`g*;^ww^d*x%GW|J{{s(k(0`Kp1mC9c(g%Q{g@7I*jYx3Z(X+6DAt{K=mIWvt=tBWrd%HNucou%(e*cm; z{k?HZ+?=Y)Y{{gpTG+raQK_Ao)Ol{sd6~2)-Lxk&X%8)&aF|p2!E~xII}HEp+>O(9 z-NtMY3ghNjYHGa6O$(8>(9cXDsTaDbXG!W7mIq0#a#Kr4g#-(W2J)f2y@9|$(*`H{ zkhW$$sjl?JeB29c|+jzdN_x z0<#1bybU0Z$}`1r*_*)>*AO7fxm_l?X!{<%F=cU}K739CH+`LHdrQ)c9y&&|nP#r! zAY=X@W<0?4?qSAb;oKg0P8c%qqHrX)nKA)t)_Y30z+t_Wf%27!A4x)>=HEtiivIPs zF+0ky1)BLb3IC9Bt+IwHrdBi&WnkQdKNNSaEMK1BoQ!8dgJvsZwg@}=JNyxVKVUpg zO}lAaY@pKyX3`e8X%gAdDf=5YZL9Ess;}{p1)8^j_0`}jKzbzW%PHv+jWcwe#_WMA4L;k{c&nS1ClEBBZEC#4P5l&ZS)loBQ{%aA>Lya* zv-rg)G?aHJE;|;wmUkwLT|S$_oe2K705^{DXU!DWDZBA7ER;1Xve&3jy$NTHawj}^rth}Ir($rldNaF*^i13a|MhOb zI9l9LJ&*C(!OGe>?Nwz4oOomel!#8I@o$2 zqFTX?S)$rL#5A=~A*lWMmuiuE`(OmM|BH~ujF*|n4qZqa3)48O^uvSpE2Py=T7%a* z)dhEKle19&g{-DWj3cW>SLX*2*ABxZx;|L5VQTN_>bztDzm30aGrj1*GLmf1vYJJ2 zIjFzFvT$g!+P`39%+YvIt-|qu?bO|Nje;lq4XB(5`>Qpn@$+r z9!zc~CHXfid8(?xYwma}T`YS%brArS|5;Z7&5_MG!m_tq*8K4kv}SM7>|%P_q1?|{ zX%i>0`t->1)9oW~P@-8-M6>5g9|PQhq_dr|LzT{!wUllG@MMIR1tQsqZ-huNN?7Bi zbSp1PXyc`PRyy9QKH!b#xm)$q-%zOD zYbWccDJu-$L*LQQ3G4Lpve)(VsuDwezxHJPoG9xF`ER;FKW~+lg!el>($C2vsPG;Z z=_D;$hH}*+j%fKiCK-2qSEA)3k|3hx-RcLTrL6AVMa%EWMdKvK_17}>b(!<^l*V@{QK8c0G_#Z#*|>(ZDwX!QlXh<7BGUXS&2rLe8-GWdNm}E* zQZCf^6W%At`|a|6S>ye@UnTF?$osX%Z1FrGZK9-&leC+R*&ifmlSKI*HfEp9&;3Y}eA<^JIcYzVWYxYU$+JX~Jl$T1=EE76xktEMz8@(v zJtb=~l8ISMl6rd9lH?Q8nc0%$TuD%p#fU zUD2zc@#z!z8@D)f)s~!td^@R3CCWB)F!|?;TYXg9at${?GJzNrg{Oy3C%^ zuoh~84aUCEnhE%n>k zi5Vg~vcNj2zl%>`lT4bp-#TeOa?_4Urx~;Fp|x(hIOyuU#%zf=?WTVU z;%>SuQ;YN_8tAWNeW}PQAwE}b3AO!ou=!0^I>BX9i}WTMNOQBke86O->u#LtLfN3w z*hF_W-sq-rYf@^F-b8mchTPPrBvo&sI~&h(Q-7q&p8&z#P4wWzOwyb!^m1eNWZs+w zb~rwPY@g#7C{;~Cbl0G%%CgCi_-J;|9Z~yiWLsQwgeTmmdwyEk?Q)bFHwVS@5miO( zi5o>`^C+W(gvE92H^QUJZY$FtSMhLBcSE&gACt-cU?#ibX*ru6Il?|RljD2j$i4wY z^R|<3mk5)(;?aBM%kbnw^u6NAUWz9dXZW#!FByK6H%-&V*E0M#A(Psc;YW-sZr(q* zymUe)?I&*9;hD7AZkqTVx_$S(EYA8MEB%r#ytpdsOI22he`ckN%FeCf7g_1~0x8Xl zv$MX4N=BDxywkv$VvX5`E`!c(T4#$iAd;!G5qiGfMkEF!|Tc+lUd1#d=7QdEvG>P&Z-l`Ip!ZHkq zvLeWG!SX;PRAoG|Cu4+hru*!?5-X3K?kYkFC%^v?^G}pJWA$=!Q1B}bG5=pP%T+e~ z9^3kFx%YQ(TzbrFZtF4cKIt;>5c5ws1YAmc&bv=szWks^+2#H~H%-6!mdp7Zwz z`=89I~9-kFa>Re+>=BuogxK(`)&9v7LTzN4pqt!(8=|b533#Vg;ny zgQ?}=OVF)cXzGuV_kzzhIsbx-QhW5jcwV35Q*5h8?c~q2HkqSq05Bg{D_p4U{HX?B zSh*6(eRzAYb#ZttBhwt*hAK*y1jjCqojYE9>?K~b9c>(a_&NVO7d-($`sGQV1M~h2OiRO5J^~MLR0N-cd=LkVGHSe8 zzLNBn6i6L^y~?cp1uS2f3M${gj6afjqv~dk4IDpFy1+6^s;|zU(MK%GRrb*r<7~;X z?i}OM#qseu4-}4~SbPkA?b1#c)+q-CYvzP*u)YG-G%RU@<@1XPwsC=X6mRHzK z7b$Eja*Q7@c3meDeW{r~O#Fk7^1Q}*j?w9rZ6IPi+Lpp!YVY4aCYAe@!FP!K=`Tq4 zQb;dWI6G^EKEUAcqBV3Cod+XSAB)q?v$BYEL0FNcSo*5Mz7u4s$rbTEi*krdTpuWW zn8GgdS-dyHfvMo3>#NusCblbq*?Hk!FwgG^X5|}ufe|j^yn{d)2^6@fA}8!qRk|oS z{4;dx1l7jN6yAFQ%5;5&{W_57`U)Z7&`j4qtGd45v*O^9bn2k_j{(=M3%{u)9ADYX zZx%nQKdJP6`BAAm*R_9BiTF49ah*yP-@Q$|$)4Rwg|g=24Y`)-B2|2wq%((|A!~RQ z-_R?`0d#J?$3FnfC7b|>6Xm5$j(Pv0(UKEO;N&1*eQJch}SCr$$;M-0TnOD z2iA-~Q(7d>d(9tj#RyKLww^|#7;kQO`&I}w#k77kAbOu z`&T-pz9_I@9og;gkRT_%CUZte4sg}e?{cCRXF={=+A1d(|CJBdNgFYVtWj-jC0*Kh zR<}0#-8M= zJ4ZN!OC@zMDJ%{No7E)v1VbPNLY2i!>lKDUZd$WmldCy#Munkp9abV>^3UR0G7+%SjV1P_kW=`{ zkt<8GkE)!F08M++x`ys&CXQ0yZz}ClNG2Brugr11`sJr8#7A!x*C6eBbyS|G4c9B~ zSVeD?Dqir3^!)Ngk}M=-LAs7|_^$d!j1b@L?7QA1R7<7r&5)OXC3xdnojB&wBV7Hq zf;4B{VI0~|mO^BSyrR1%_A{r4Se$4xZol!uD-V_4s70=8P7#m()tpt(S{deL2n1&pz6ivw0|d!8DLj6r>eDn~N^c)aS@2{q%1f;O~X;#rM{2J z`aZ?|UZTD`K7aVliw**QwjOiY zmILFHo&SN%hCZ@^7{__t4cNZO@tiiEfXZ73m)?vXhSL@mW3FR zQ6?EJr}4vIb#kOX%e~Q3##=+|q(li%q(a$9RM<1l-GkUrTUymTy`Ol!Mvg;nyk)ek z`*<;P{%@sS&|itKXm^2PE>99M{3)p-a1E98-4OGt)588LBzSG-tZ?j{R(s;_ z$VtXLLss7^`zkG6Tq1INRjn1w51el18WGW-E?D2o)7>V&x zVsGQrt?DGu8{8^ktyH8l_CA@ej|>nU;$h;Rn0su0ToYfU4(TLsw19mxXs2dPJ<@*c z%T&s}_j$|bM05FxWV0^!vtQj}fA1V=K%EV-ns+IdIMtYcIWf`*KNYeixBq1+RXlapj6HjJt9gj7WQfv9XO=0bJUPk{^Lr0Vg(8eNGv4No=b%f%4^B zo5H!xT)$IjZTaR6Roiey)Hpy^oF3fGgQODv!*If znB#$MW=(tK3)XrLHwQs+oQiY3yuQ367~QfZhy;ere;rFkVmn)e@?-9MS% zRIR|ZON+mdgVLa`NctdHb){Z+jK;_N_1Pav|4gF<>A-5MgVi8S#;{99L8(Yk`cR?N z50s3S9|((cO(DsjC2o=zZzmGf-t`5`C5A!65TPgDt?i1WoglCH;RNDpT?`PT`l)5N2yq1n6(o74|}BQ$(daDB4A=4IIT^~w!!?^VLRhl$Tunn^y_ z9UiP%8Mz#Dhbd>u%Q;84WsB);him+T@KEW7m)awd?0yK+4}6TgC&MDyhs*l_OJXi} z;lg{?iVQ2M{$MrIO(K+c-o=8+TdFzXjc!vuPp<0PVgFq_;KTGM)vUrW1NQ^rl|6aY5B{(5q8}TKyBKc~rmrqj*FNz|&qg8Zb;yLuFf%7P z6A}i%Zu5uqLpfd15vdK9<8=NmqhLJ~C=-#QOgM`&GK5NGa{UjyGpHLNXCl%gTDtD| zEEYQ4ombOL#8j=AD61nyJd#zY>oC@=?YDSv{{pjBCXq$G>3L+%KnH-d*qIBT8%Yu@hV2$;trJNOZMCaw}o?M zj?lj&>bJA_Wc}9ZI?qNKwTpG0jmm~7oGUPlE8AFS_7rE z6%+}Zcc^Q(UMT-Y`Se2h8(!3E(JDW>$UcXvg{(OYcvmKdIt=qFfTdmvuku9tH7%jV`bt3U?%NpBiV6PxT4Ab=b1f0&) ztQO`zGU{+{M5<(6(Ng7lqjeEL_AgmVRS#vV+L<$BszResp&`N~D16nOpa+dYq(-V| z+`?G7T?NPv5g-ww2k0tveJmAHUq;A<|2Vflpo@$n&Rhz~la!3Z{#wKwIqT}s?kD_o z$?<7o4sTgB?0Fn3A>9>odZOmb-1z_?tk^w}Svdu9WS-6}nWw;LIlGI@ zbCQyI@{oB1e`FqE=Dm1RmKp3*+-vuU_#}y*rH7bVLr}#$f^)b87qXh?&|vN!B3Q^( zqN2$%bnUDBzfr4E-jMxofqi&BVJs+pbhpyrv5)$Hq06f%NPv-BhJe$F(~!W~AWFL| zEcOlOG7U$!BPQ(-t-&!UdE5x@5_|%oD60_XG!y;aI8YW5tG4LyLIGB?ddqfmo>T_(4aAW)e zLPXXTHN@tKXSVaR190f5N>sk+6HkcGiyMk5J{qg@Lu*@CX;aMw4%gm4so6!h$mJjA)cJ?TX}9F-%fp}THU%> z-7ECWD6Gk(ZlV3O_Uw;DlPd6}?RWQAZQqn`JLy?%r{>GcGVR~QPpAEa(*cIle)|%9 zVn9wp$b-b?)LK8#eqJ19P#dcD2;KH9yz!R{r5M78@nZ4`n-#ec#LZ&e`-7cY(_ zz_zAC^tsFJ8Isegha-ZM?YlBBSJ^jaUMAX?XI^f#&CH8w*JNHM*r#S*rrXD+Ut&#= z)$X5pZ=;9p9C>$w-AgYh;ybM^qZ6dTbcEes+MJzF`niXE-~C$ArlLz<`zdMD-~1Oc z7C&g`c)Iqod~tghHX~R*9+nPut``H6MPZ@N#hI6@?ApxBL~WPS*>1H@&U`WLp_!Kn zc2VYKy6sKBXzG0Nwp&$9QRhA0g(_}CRrmLzi6m|zaVI?SAC-99F4b<$t1!_QzC~|omz0YlRb3N(*`noi zl~T3Z&vOFUDqJkNEV*d{r7u@HegPm+-CKoE^MxzN-z6c*q`cC8PzE24LDt*oOeMik zZCsYUlBxAj#R?UrJ8omocH-txc%8u7Zfz1|huY%=S#@zmxR2nAcf+1!qg8mei}9Tr z37<&>;qPRj+()5Yq)=A(UZ5AT17yayHT$hpD!E4KY<20wt-=rbs3r_k^{pikF1qZc zupikkCA+mURs06{=>}LdBz<|kJHK~X4~9`DYduhHRn1iNK$9GM1Xh+Ie2P8hWoe_j ztAq>c-z@WbP^83t*MgBO0e#iADL#7$NBqp#!(Voqv*4(iS0zEjh|uAJ@X21vLzPqLuO%P&6bbr-h^-kPB${8Z!?p6WX5yD3|ud3SLjN_qxcRqj2a#`!{eEvkKqo-G%mtlMiez1shHK z992+|pHEJZ-+F>j$)WvEcPivd1$j;Tr@>AW-0grY$_uZuW}Zot?RCeq`1)=HsBlXj z2Z@U9A`vy|Y4Jx_j#&vea-hgm!slm5e)znfy@~SC!ee=NBPo(6b^Lnjm*+c6<;j}q zj#1yV{tbFC=dzZOOmnlWZon3}=fD2Q- zg*IHjVUIM2vs-Tu%h4HgAmRY-nVjZ@14!*F~JnYlx3|dr>epWnku>km$#gt(MZ|lqG_DYg_G{lWD2M zU$!1C-9jpXGZzrlJ!mD2;7*K<_65i6NyW$YH76}M34UE{U$BWgv*Pz1ha2Gk;1`jQ z!2Ln%utmB>?Yc!BER~U|RI~|@A#1hV1n0*Lh$WOzid;L`Oh=WM z{^JWYy)>b2&WZK$i*l)1I`(+!WUP4Qt5F%&c_~Z2YwpLz~_HHMMpv=?P+vyS?KVSta|-IK^CWON0KW zE6m+TvF#KKsZvFQ*E}YQGyZ=eoeP z%6{8@yfFt&u%0QM16`EGzNNHDNJNBMwa5CpHhy_-Fx3&iJSSAM4oheUk!+XSQ-`R~ z%WNVrzbL)tL$W%~gT4VE@sw%=))>>n^ z6xGhTyLVv6rln(YMsUx{O)~~B7}lD+IIzQR|JrADwA;hH>pYj{!nC#CHZt@fgRra0 zz&!3`@ZR3BoeZ^}F?rGFN}H%MH*!Q%bp;MF@ryb2$msIePkw)QD(y=`&pM7cc!NBo z)FL;Pc5!JxZM}#J*dUzsVM>v7r5~ARx;ViU5QJI>RVJ2lY|K_!2BFww?x2Z{*<`;u zC5~e~faSncTM&Cuv-b^$<`674vbs z4aH%`61sS$P3!}n*Jh$^tHU8Z@!l1JupBR#E*?;Eb5p&wEx=0k#8EKKjMB-T;G_%l z!bisgshXvc0hJI~xTekYE^b&>o0GyvgoH@1rQQ)N4<>hk1)?+aJhMviL(=TTO0U^z zJfrVr+keOI)KYH+nUlSPlg8$m-c7CBXHGZcx67T*U5m)tw%R_75<<4Jto0y&PTv5$ z(b{(Rc{?^KGzq!6^uAncE6y#0i8$PJ?r9!w2A#AfL?~0!%M|;n{r|CcCh$>J*W=G* z5(tnmK?w#Gi5e7*OE91b0i6jGc>@zcT#8l{8yl@li!cMIU_&R-OrE2*YB#OYRl90! zD~pN=ND@F+HxL(GTHiP>hzbcp=KnqSzF882`fLAwB=60;`?=?yd+yop+8YkW{k3gs zr;>^vSbac-h@ut(1>};^C4ieu-;IeofLU3}!G?Vl_FCb+oKR5 z2f`E;bqziC#ydit2Ns=QsViAL(ObEDac;A0)Le10uW3?uf`IjCj8+uRz)lLnIIQ;$ z!geAu(!`GB6tUZ!=%FTh5u4%>o}m}TEB;b=(G*1jb>OF`3&=FjU+Q{lb&a_NWqFoY zj2}AYxjb!|8OjrYoTU=7cwHP1`Xl*#I^x!)lXT^~zdWbRBUSI7xA&G1eoW>V_kC~A(UUcf8wA}GfyTaKu zgc0LxB`aR8;|La7S8hsKj{V^Uq2SR6;jqL~>RoZidDCxd(pf|MTX`1>9_sQ0@*Y|$Tq)c= zEHYw;b+OY^Ja7#QX`nE|9PZc0hDtT?(ZZpvGeU14KogtegTL@a+*w9t=R8G(zUyPU zs&TCyqSroz$yeD$Sd#c=!U(_Uj}$b%jzQQShjSY|hO@PX3#JGgJxR^dUY1K`mpw%g zF2A!C9G^xOtNr(SQ+NO|TNy>862cVDJWKQCp{U2zAYr6J(JWWP2aHGD`DV(Wqe9W6 zT@Cq(v`vzRujB+l>?imEeG#;U+HJB?9hs|e(B39as)Eo;XHjFWw}!zysW_&v9ZRJs zh|ek?EEfV`L1?~ACaDW4r^Lk{L=aS=>m%}Hka<^%crUJ9P`Ulh#2P)}I3*)VGP1U4*$Q7eK` zgSk*Pd1=e%l=Up1P*r~SEd-`q7u|NM97Qwh!u%p~c_wjOSRc5%>3F^NhLin+eFRAt z2Sm16vuY@0(zWc*#0wOwx9phw(*=&&+xgCZr?ggw{1zRdjbuaJcUH ziJFMb*7sE<@j#hWA`z&h#*^g7#XV~j?O~4^PwOb#Sw5?L@l*^IH+i|uR?K#bg$XON zuETAHBlanH+7{hD*@)a&TXHriys&bBZumr$-O$lT9=B);-kM52S#xPW#bas>&98}O8Xq{TDC*W7ss3~ zWSYAS;lz-3M8#AXe`J^&p?{i=abbfkKzq%#tV@Vjk@f3!;QhpXw1lNEk7VL6!TdP;1MY?+ch#0!YZ$`FOulo1kL zQglPQ?36>w_8fDmA=iUKwUMPV?&GXKb|lBWr%iQ8M(w6*Oig8YKc}^O%}GNQ=DHex zt&nJgC2CVFR&iux2SUA2un=t^)M)+*ibi+#!=O#vMI*WFRavY35q$k4d6QTZgq)7# zjpqeBB~Se=M1L8@aWoT^^88`y*wxuD^o|tVCIxwR?Db4^5bV4gfZ0E3?T~%sL4A$iWE(I zjX^@tMzF0~d&k7%yO-1s{UKuv)fOS$tVQ~i(qwA>!|MNm%pEt{!|vXzx*`i4p!`Xq zVX(=tXzl6;`Sh8B`a=Pt zlf7W;=;nS+-mM_wT7)+0`jF5kj^J;_7h9mwb2qvTzifQ6Meo@6c;)hvy$q6r00{DV zzK9iDW!<%Q_Jg_R$Ta~4gZHh`%7#pAywTO?5C{zS(L z0dy>Pg+Mx%y+S~ZzWVP%kSq>QsD)VK*x(b7qaE7@~b#tR0B$ZrByndr_ zFmjy=hZI979^laQa0LuuhV>XCxU!uHcFhNb=LqJiyPU0!)c6mF&a#6n&9?Mg?*VE( zN<5Q^tw>!BGq+OoCj+g0B76-MSMrB@U6y>A!5W*pL-j-l9J$JFTNzx5n{i+;+Hs<2 z8T&rNj&<%NLhEinSlRIW7I5bGr}IR!`2Lt*&yeo7fg-DGlL z^RbBfVAs+pgvM3G>V4nsRx5L>_dELPlgj$Ivu#XY-|>kbuD%~8CPl)YBk@eyYecf2 z1s~)tu8j!I#qQx|d5Y|xI@f-r`oO(m3JR>*k`DMXF>xT40OO~uuWXAEF1QE^te_Gv z$az9wofnp};k@xA=s_{2Am4DrNX*l5r1hMqXQZrd+o$rT`}mivS1rh8TamneG>wlx z4*uIQh9Dlo0PV_DPJS$BX#;jojzXDci8DWc51<7_6xkw z_(mSlXGo;1q^TW`w%6+9Hc9@KU3ROa%brB~vpRj1q%TfS7g1I!{f@Py&$823NO|5R z{r9^3?UFvxPXD!}Gfqj5==ASP`UpEcEb0ApdQhj=N%}$Bl(F9|=|XrYKTD@y$s_uP zo&G&Z&(Z0Z==4h^{aHKxYDpKSl=3w?{Q^nhn8QQo<8W%^jYck3t!Z${)u+F z^m#?zq3I*i>mPh*{Rf#7g*#H-b!hoF>~uAL*am68$N24Z1wSI7_J-fD($ht{mx6Ei z8sM|oPQOgrKT@Yx^A38Q&m%f3y*x2~)5@#)nP{h1Nco{UeUvVLl9V4|r(Y=PatxsT zi8}pUNk7OLM#itwQP1{Hep)g zw$o3S^1||yK0>D-C*^0^={qF7NT;W-uZijD#~+$LLelNC!XbANa-*{t8(_8FuuT=6 z*gW$<+&sr;KD00YpZ(alb`orbNHea6-;*AFkUu{2FZ*WSnvICVFgJRZXRs#X1(nE? zY?bx}@q&UsibLJEf*y{NsCYIqm%nLsWLT%;Gbh|s>hru;`8-U2K2k}w$R02FkP4^{ zE`%$%b_Ug@(Y`wyRG(tUq47@qkew9`I6C}4N)htH5VdFd_;LEl~WHVOGCJg z>59=%HxW`x>>c61^w}{5n~Ob(tEq~-CgP8A^S^ZT38lfafSCMi{H3)A>=h~ z>PAC`iXjIrgsU}JD*XR^~_FB6Lt#=$;^6eW!z!;YBi_7x#U3H zXEt=pB$Rz5Xp}EfTtta5cWc!|_{@KHClEb35i)A?V;+zg+W$O(ntiPO&l4a?uKn{=XT&@x$l4$N`$N|L zAD#suW2$(9=g23@(W`Zhsu1LfS;#xID+R!b<3udYMTY?u7w+wlN%($2EN=!Ln3=7(y zVH`6&YIvu6mJ1KT*I#UtVQjD}biz=ZxM|rAEd2oL6gh;l1vc7SkdwxfwkJE-kjB0Y z!MB;cV&1896c5WU`U>zBnaYbsd#jXFwNU3oW@7oM%#1{}wtR^(P@h-ovzbGwoBGB{ zeFv!FF!g;z9}ipK^Wb!Xnf#~VcckE7JgmPQzP?|5Ref8eKAZV$(e*tm^<8oJ`f7UD zr+Dv3-k7a6pIXd|z>SAB)UIa`(2`(W`BE6NoM5zj?*r5|UB@>w_W-`GEmUPj*`42) zw@87-LyLG;c4-LC@Y~XPFL+_ALAb{qIk8(w@QHmOpOdl?-bICmT%IH3UB&g%7ZK8{ zE%0U#Eq0dLWUbS|DYJuGsb5M^n~2)w0{I5Jm{)@8jry(hF{R3q@N!CdFJnWFO-wyy z@hhifTt_5!n;P3VhQh#3k`ci!$>>ht-Fh2qEkTU}k=4%jn;U4@d?jA+GVR1l4O9!W zMGEc~6~S0#i6rUS_B;sy72wJqni+qG&pmO9k**k%G^_xWp;s z6Z8Sr?Nq1anbNbIc)_jI73&u-Sie+HWvO&l*_QNypYF6dTt{shKbOf{q+mG@bzrfM zmNuxKeORLlGs%Q5)VL`D8Z` z_hYTQm-BEW&m-Nj&qt^09-hI&T8t=4I+s|Mx6rQD*{sCuhwx_LtsQev)NdcM zEZzZgl!qk(OhHdtOJdg(0umcX?;@1`*Ug_)r^d2OSG=6Z3OTS5vr>cTWYN?Ce~1fH zWxnDSBESGrlQw}i6O-1-O8)9e`&fF#qC9lcQuvEiU?i_v^-b`%QaWXy5>MvcT7_Iu zhMgxS51Zo!D*acI3)YL68Bn1}Tkwf4q`rBn;%T@4_J3TbaVih|wo zE1^Ao;0L%K^iVuf_}ZQzcN_>C!dZ>F5ho-E-cL?V8F&8$S zGZdkFX?Q*C~MP;bD!j%d&XS(q(WiOv43;K;GY_Eky(#m0FHxJWSzz()1p= zIe=jeJCw@2`%BWl(;$#b-w(V}MUk$eR4R@XjFFlivujG{S(Z|T9)&&Mwywf@AG;B3 zk}KPT2K|e6C|>L}9@MszM`UWD^)0)?lgROw&ap-3*s5|2x5nuluBUdos^3B>(v#L| zxQ%P0yFz&w@$tOVzzIC8F1exrwWWP~JpI%8CsMaUXY!w-n>&?#I6>yCk2dlTVX@ z*}~I8J+R?2up*s&lO)@+&&zc3<&x~s$#s%!Z)!7i@8gCsZVoX^@LgxMS+LXMCmd`mZnY@ z`>XGGY*L>L@jim!lJ$Y$^ZBy%Aq7*0Crwk!i&XP9!sV`|ss2;!w^bndtpsqugSF zGHRi=K$#63rVF#J*LcIa;F(zK-6{4y+#!xmFdsE(JOFvAd_d;tME;>pjAUoQY>AS8 zd-C>zv^6fV!HR5F{Kbb+(mgGw93WL(IpVhnxdJyCwOANuKf=3V<}$=}!OYmjrUyfV zJTWRl8^s;6lGbHie-t`+eDbp5UO6acU!N!xYAuZy1n!sl&$}d%`pS>~lo&Z2X;Gjg<0H;XwK4rw}$q22lK2KsYZ`Bc4OnZ zg)=J)c3`(Nj}y##y0;NMx+rADHAKuLl!+41>;Rg$03e#cZgM*RW@@8GbRId-IVeX=3zAHUY-Qy~>PG{sLa?Opy_CQPt)22D$&)go2d?g1|T$h53#nTf2{ zselJ!vt=}^U2HoTqjM8AwFrg!&fDtRtma17lMy9Z1@!_|*k7h7V%&W#S$W%25=ZT|4$ z$NBd&aoxKxH+;#TeU%4Yp>dEiD6%>0K?U`2^(W1PJ z%lsv6Rj#M}yU#t}wd$FQ>G$=^@Wk7z%}=}~AJo*oQNx9n_gn`fAsQK6oG@an?(Z+@ zm=+ldgI?302zK1VSJmttaxTtBm9H-PfN@nfesnu`iq!P4VZNN4FJG}{OgJbbwrd#) za?K&S0Lq_T(hptB`Arvpdal%g1r3daFX1F!y%`VecJvlFU~l$>;)Eyg7kkweDO^zR zH9M^jp9Wlza90DABEu7@MtgG8GNZQBaCS#U3+H+Y8@rc{l2@iMz;YR2WSYaM#XWGf z>z)G2gu1e5>{V$b9DIwqY4TO^d%5H-+E5Le+pUIVJ2z5>%Dv{7u^^k(qZ1Cqr#?;aRr%cyzI6RFBmRn^gsyE;|mS1v@_TZSF^x&wD?{Vc{^e<`1JPxJ_WA66%adk%JJ zT)-N3ge45ge(~w4e0g5AH!>&Bwd@?RAzs$c!OfFx!Baw$vNG#J-2;O|J?18BseJbE zeMo##RvaEA)K2iJgYyQ);QP#G*=GPcBBOQ(s++$-vtSoy zQ4%HToG6^Bs< zNnsCSCt@2yTBP^Ayyq=+r?NLYaqQWh*n<3KKy5*4>+x5vo%aI+J9)PON*6cx!)kHD zz~F%RMFt>AGO~kZi?UWz@fzwtBPkm8Nyx>}3&8UtLj>s`N zt8&d;7gf)FFvjNQ4C~E}^TS=L(}K}|yHQ_NBg4ZyvIt}SQe_s2^|#GG_kzI{xKwBu ze9-=NFla$L|Mf6%g?_|rCE+l}wG5xrHqfhcU@$*4IVV$zd+Wl8r`O;a;FN~|(hW@*ibRHeyK=`bEj6$#|!)nzYowf323Z4`vA>-H+&UnQu3lg#T#7e`PT9|bjX?z zOu%P-TM|CANl`cgXR^8)ryj){Vi?ykYxPb>g6r{XuS(P-kVsceI(cZI|u zMcAk5*j3Cs-L(w0a62IC8W_x7Dbnz|Fg$;YI8G>Q)W}`Momg6-OP{+*z@u-4nl7)U zZ2#hXQqn3!{}Kut~r6o3Csyf6Ee}zF!qE@sLxF zXlwBZ_L(nuOWNWE?*dG+7CJF31@|`M-(1ojo+Jh#(Xomm-ExPf2oQt2iUl-+iN)7z za0?K@M6mD%w_u`}6I=l{VyzE1wTgAuoRwqarq-tkhnix~u-dIg<_!6&-4Xh-8{etS zU$74rq37nQ8CPYY3-3Cwa>NKo%DfvCVfxHy?S|lMEDQdRIj!^dkf<^QzYH96%|SuQm8#Qod?ws$Qh@|rEA~D^VikzvrGV~{4IvqEu5lS5Xpu$ zSGN!ikjcksB$8MBo*HG1`Ju1%Aj6)}GR4e|Ry7B@DkA5{CpZ=i@R)7;ws6vX8~}8c z7l}2lhdGANur}ktQMQv`u(Z3Z0i8mmT@6mz79-i~-_3-d&9bV>ujnjyMP%c%zK@x3 zf;?CJLdbKFkciojq-CveHLNBpU&HEaE-c+8yQi3nTn`3iq=}{Ea5wA?EOvKqa@Th| zTz8&EU1fVOh!md#C$`0J?(^lkrrzg$(qQJeuQkYFDZlR%$my2=M9SeD_+nR0%fbWm~X0}`qd^D;RJpHwau5T z*O2|gF=UuCbE3b{BWQm|K#(gS=qg`4&FxyXNqT*jn1T<-%sY5X&noVNuZun1^V@?M z8N?p#`R!WN+_C!si}{quByCQ_beZ zzgDY=99I+Wos;{ip|0%UG1iw4B++<_dKG>!+75qZ&Ea?SS>BkO58t+Dcdxgz+#SfS zKkw+kNNbfUA*K@6eY~;;q7m|&)$f(85kq$2nwAS}2qvG-GKsunee~yGXVRXS;7I8) zK(G)WU@edgDQ}0wd6+wuj<=;c2k#QoYuOO3I%x;{;_#7T`!y`|oqU@84)OCtC&)`q zMrcZ5T#I0ii3nOI%-3HC`3jX31-96e6ZTMr2j30P=sP__p;g57zq4wnlCha~3@14o z%KoSck*!Iac$rAuAo8`REBRZf9iy1F2aU*SpTHEk8tzy98!2{L6P5E15~kqkVyM#8 z*&TP~O&!Wtv%|GAnz!5a_o+jJpCS9%%SsGF95z@#AQQwtC-&sZnbZ`S@<;3WEeV&D z3jn@$NePsOj6%*&fZnBU62%d-)VlILNgpYmEg3}urVZASQeXHuxl-&TJ}4Clo?*%@ zKzKGK!H{_x5ViJo$5XIpUf#OD$GphB>UmR!;=PjW{**-b5oaa#%!CdHhe$a;Aq3n3 zyv^*lU(d`4d$O7{WBuTXJTpbuOVQwIQ!U9+03_i3w9GrM#u69or z%ReJFpxrTmm+;M56s$gLo%^hK^;z3+d41C1AyB-lp^8+GYgJCD>mt`Zzom$);ST;4F+UQE2?uNLlQ3BGMPWLj0yP?h1C~byzbq{I_J57QJ>^czY$YN8B z;#i^U|B+-EROF$@&D)~&@+*3A;M!1haNr`lV}k-Ep=dw5V^isv>2$5!HDKNp*Gg+( z%x^mXn9%}Zt>ow6*u-jNr=_ly^RfoT2FiP}Yvm1DgSfcG)4VlyVj}ZkGP`2=s;1m| zS!ZpFH7Kx|{6X%uW8tBU}O8kU+V6tab5nVL1hrFin*|jV) z#!bL2ne0gFm=xFpZ+ms%c>c}}9Km0(dTt+Bou{!HBquRLYG6`6@-}aDHy`vi<7odz zBq#y%N4pxT6@D*M_QwqNgL8D5+@8Xh8HWq!^H+sJ%{qKR^8>F^A z(fhGXSL5$U1-nBX+)L5}y?;uAT0Vl_-T`GcdM}auUy0t|>5bks35?a~eePGHcX1-K zM(-gudS|*%^d z@-4h1k$l)w8p$^mY9yECPU(I^Roij3?JvjUz-P?$L|3Cwo>bKy73~m&ehrHVStzgV zOGEc6&vF~zH`vKf>*N98@{q`!{8&-a-f@MU;}<%|34-mBIfE6#BLwr&4~N~4#+K+9 z!TNr8C$WASJLuP(((N;`O}}Te$6@^>o36nfu-0)fF^Ugz=fG*8HxLOAKK?agGlR5A z9acAU=qRdZaz(Z}EiP1K9dFyoPFJ)2@|G+jevePby?NYF>gM zK(am;3O6CTqOb1P`S|1i-}?2^phUlZ`ojOxuNv_K8xZ|P2qmKZ{?}ot_m`Qc#P@Y+ z@6V>aZ~P*ar#0>UU-B-RkI~iUfNE*y2roR3IY5NHqoa2qk&!+7aOrynO1kNI%pGtN zHJ%MD?9lo{*UD4+%Uk{U43*TDNkV8qzVJQ0z7@$g)3H)qSsPcY+=Esp>Mdata=$&qQvOY6B#PnqmSt7J9%M&)T z)=1QQ=|_+D1}EAx9kNHxl~K}-f$DQl8JN0Zc{+wRKCwwa{Xhhp8QANU?M%lSWkflC zO<=NMGlrL#e|gPKDQte(IwD(P%}Md>+3OY7jNLt8vS9O^@KrE~S0UfO3T|;E;WopQ zL1twyqXc5CB#q5zKEJ+i^Em|kU;CB`dj!W%-=1IhKlDxb-E_Z4TcP3;_RQ)(`(BGhrdF1c7q5sL(0EDaego}g`wmw9Q!GD z6ox69v$N=p@s*l0qUNLXpF;PnkKk5pot{#TiF!_SVyAqYb;ol6UDb3)as6C5bUS(IXXm5Qz??fE2qO)udb(D$L>-;b(*94Ab z2iPL-qIA3pVUku&Rr8i0ex(VXyq9jSz&eUvhl(<+Gn2iK1+}Ly;UbRX8Xt2z+VBpJvWr1I`dv_Jf%%iFZo*`S|-8^3B@Z4y)(f< zPjkNs#H4{z6Rz%j$Ar8Ld3x#YM>cur`*$$iTUoojP$D>rgOrH7wy5x|W3*fm;~}L+a0vWH9K!&|c`l z5M}~-Sk{Y3gF4EMz_HCxK+pK~!EC}Z#%3U}R*6mij`1-sdc@*6*tS%@6?j`WCgE5; zCULV62PNtov2<%@hRRBOA<2`)T=O?qE)C zCOVz+81ci71|}tM3F&x9S?7a%r9H(A*pu{}ymBTFD?7%EFzhIrWV}qF%%4XY?1+W| zF;^00c5x2XDSx2wdkDUsZc=7yn7RMF%eG9IO`ukyu3{|2aQRCOpfJ0?(-PvV|x_$sJ*mMfz~ znRK~aTX}-%IRWw-BZ5a5m2U>~s-;781Q5oaG1^y?Td)kUJFSu!n5Np%x$KgG`x9+( zMWwSYe590(B)-|Q^dn``Nbp9c9E{#1n@lA8Gc^6k^g5dnhJt+qJOkG>@fzz-2b|%AY6Va4(0m)1MreQLqW2}Cs?FOmVPM~JI}-k85UWpX%r4Y* zM2NJ`K)6VV8NrW93M1P5kx@gAJ0NxoJ`fp6xZpqL0iTPO(o?^vi(oQ2xba6721Rm5 z83*BRGiRFj(XDt|RRK78HsIO$Z$GOGzl(VY-nIci7X9V7H zJvFGxwW{HG`N{5fq*cE}c8^o3L!!()$ur(U*xLR`hn(AE(>)@8HUgDC=XOt%ziT|> zo;#!&m~Z#l{bM33L;IbHZel0tux_pg3BLmtB$_K(Q-4j@#Dn{`AKg-%nd9x6NZ?eF zoWVr)j{B#{5I$|{jB-I_XqCTqhq_5}H8wKbX*loNr)8^Px#!n~_8%QMhrfBjLZ1Zx zsa!wLRaY@QIMB81MdeUK*bor~a9$OC4_V-JYARRHZH*o8GYOlPeF5hcHaZ`cyJ;I; zy?<*tSz+FM>N+_m9JA&#;Y$}5`opt}&~m4IZj}P%9ro)`Tofp+Kh&H24xY9GMWkF@ zO4}sb{mO~kS@5pV-MnMz=QrbO6O81wZctR!A304CQb>!19_4zEeIIIpb)8*ty{cGb zFR`oGx7S_>B5aT~_d{xcTy*N9=vppKcEKvqg>7BSOO&go0=4nqI79eI*pvQt10z$# zu3N0x6QE&;+2nL|ZE4x+gFW|*+2~rhGpyRQJfQ>K!Qs}Ux5J9>4VPN0 zc(FmV-zf?S0nQHIyp^L?vZh_37x;nZ#T&W6Axj$8&8Sg|mmFlL!g*51Gw!5s@Kwz|bO4$2psl0$4 zpCYU4mUTQ`vk`$?1%l%}<5vgfG=3Dgkr2@FjbPI18Yd*M3$vl!wHk>R)+1VnNQ zXB2r)ip>B7zp6a2yL|CYV$_9HgkVkaf-`TBy*h9ik#?6-A~SfgN|oJRSh%g+GySSW z^}~G-Pp{!BcW@--zNZM(mfOJT%}8%HST(?t$Xg46rP-hgMC#J;VTyPUoR=D}B?%@)7?{nH}3RW+4c=gn9pq|mi2 z2j$$+f${v!3m)w!fEj_P=M6#9SsEOK8Hz_SM6rI_NXqAAyL1t%H4_CoS5VG3T}t?Ta+IHCC{1`!Ow{T{%Q9 z6Y-#k2IYLIHB|{`o?dbjsQ1DmkA#aXN<#T)rpG2|wF`jq)C647zquMFCVnX>%lQjv zrbGEyKJ|w3TS)56dHJDkM-WIm-OZz8PWM?Kr2&4{r!psw}p9HRNHtsB%qT)!C0 zE+;f8zuO2oks`OojyiNsmZ!oxYFjU*LBxWOb)ZeEUf_xp2jLY=2cd&=9L+fxrw)kq ztHUTIhgHuv_+Ysc$ModKTL`G;`Wbgk>i0}}kNYS*q*+A|4-b)e$_`@w4zFwdfN-I! zi5#0xj=I)&a_RJ( zm`ME)JcLJD)Bh^SFj=j_7p+_Of((;;uENPfL!06(L=4_GTgQ_ftpV$BvsJ*m#1ds4 zZnkpxL3C2k;mXy54mwEbp1-7{gAP(E>+say_dthftivBB*5PFFG*IhM-t;=0tYQ;7 z769x1uBV8$jm>BOo~w{D%F3w}+0Wo^BiusOAe zAGctL(P5qW^g*u1aFp%TRTD&|dJ8wVQSB|U9~$N*Tg>*>&K!?&`ILBi1ct3R)>xe1 zRMS!&nc{FaEpBa^wK_JC7fdSFH_alf$-($mE%c`vt+w7E@4*M1Z%t?2P$ZSo|8!{jNSD7i$+ zy{!ndr&-XmOzy^LWfWBm!?PlTTy-aMpBVB?M0!Pp1H3&?;s6davx~4aiyd!f7xE0} z9U;Gtv`PX=bPmh~Gi))Y4c{I%3utfDwE@K02;v;u*y46Q&;~zpoY*LUyc?`5KVxrd z{l4I!BhX*(zmu#Y^&vBOmi4!ecpO#FDb`{fGKe2O%(e290$~7OoHi9#wxL2VAQdQdzNU{`XQ%a1*-_~DLjzD6TF3V8{Yv;`n^`?1<2T@DhK;+`?dWTK2!#+0{YbdXrxUte6jf##Pp0a3sr7Y?*;Jd0elyAfXC{(s~wbvF3t4^Z=t zoCEKg5nF7S7ZncxM?(2Jkr7wBqWM~xft4n~NHgsgS9NJtFXE~d-jTcZAyesv61_gBIGD#mpP z?2CXsg2FMuiw^<*nRb44hP1Bc*Ea$FRvY-Mn}++DCmD*wsOsSTkdE~+3zdmkP@S@oq14-Y%mACWizVfBXl39W$_}|6@WE1hKOoP>=29C*iQ1E}I#(&7V^&o%D z!f2zK#A%SB==`eG96SI#WgN(k*7JHu$H4xLy{AA#vW7hcs#`WLl$LEnyoSV!E(wSB z#p%hp_+HPsn5pN2bs$F95TxrMNNNcrc#vK)Ky7$kMzb8{zgxGpx5hq-WyS+!D;k zpm&#wP-b0*;31X^-?>X}47m#77+2F^(5pP1O=s*$zxiDYZ>wF=PJk&desi;YL*^pJ z-QmU4eI>|Y`G2>swVOLo+K?6ZH(H~(6C5yHlQ$c}x?}o_%m)6Y4Hn;1J|Q!>k2^NF zR6NJ8oRa)#dfxJfYo=?#K9`|LAj5K}0A2Zt&z}+*isQmQBYeqrarg{hGL!llr@6sb z!hxq|OO4sjZ+`5HubosrVKi6jlx*SMa9%RKhP7gLST~@@l7>BV0|bp9lX5YmL*R5iUfUcr8%(nXl8fujDPj!r1VAQ)7Eecvfy98EjRN z39G`I$ow3m^2^|dKG@JR_$J4dhl-aoEe*0k3D5_QP0}?#bZ@#UOWa)JYB>A9DA<5auXw#8IEK1}Eg?kWh zbioZuxEcrmh7S3GCwR0s%HLBn&Z9MK+MoTWBt7jA!D$if-kX;p^fgZ_CQ*>-B;^{U zhT&sH-J2zyq<)+qRTG$h!C-Rd%G$t4F$xP=XJVRm`ho$jWi5v5w`=BtYfoga6f5$wm0djmzPOZYyD!a7oOm-PtnrBguST0g7W5Hag)&@x_d z@Dkyf1)GxKmT)cNSX1%}%5JCJm&h@WtgFcynDxwX193x7=ANK8-Xk7hLA~?WPe}i1@3WszHU;*gxNu~*{Vtr=a#hc z8TX(XB)Y%@l=@f%(N7 zQ&wV{+I3Cu#r#~YTFkOhKva@vs&sn}BeW5+(p9z>LkZ%{%KDA3b(fDlCAd$C4t&fV z4wCz}7?sxiqDU2Z(mT>$%IsiG4W`n5Cl`2bwob%Ts}Up1 zYFVl@E?i47<-5|DOXz!*5%Cnkcrf6}`LUb)CFdB3>C}Hel%2s}xqAVzd|gu`r=4xc z#YFAa=QmR?7;^&jFGJO|!Rovw9$zKu8oqtVyV(}aq!N0&8_|%eKZ3hXcv?OgHjqJj zYlMgU9Y4&8ZBP>dYn-5}XR~h~dba)Ad8n%x`#p9jrhqL(Pr(WL0@yi=;P5QH#ZU>L)BZFpuV#E4K z;`&zDx}`FJwmmZ2HBZ2}VLzZYJlW+8SM_F=K-socm&QvIJkI{YiPpQ%M z%8)*~UP)?nm~yeH9zX^tD%{2OjV+Kg8C8A78CYC+9LQ;kCa@Q~%WvVHX2u156Z7sL zqh?Z@@VCq2?()Sy53mbvw*Cy#0W$bJ_RsHM;KnXp zQ`nmY#o2_bKTdAKC%oJpj}5M0{PPT5@eHY0Djh(j^@}?)BrJK&6V`aXtBpfYS2m6n zXX=fkNpBp2;^`ZQrcG)+;ML0-xL3-V+54OAHPBF8uNJ{>-|_?lW*{A65x`90l$*v( z`CPwk5oYQGSf`hTnHq>vQ>_4Drql}9WUqjYRup(eKZnfLg`%tgaw<-$RVqm?fR`0w zZ6)ZPFpaVh6eq>ODZxzb7gWou>49pgMjF(lL`|CUne%geC1(qNRfqZC6=wv8)e*Ge z%D_qT^U5=V{pIKE0H}(;qrdnH6gIo#oVsgYWa=_S>dbUqPGOlJEW7LpDm+6^5H_o_vkUxXg03RQ0(L7yY+gv+ zHoI?)*qA22)rBThapfW(YtrSePW-jV*W+86)h+Vb9^ZDpacI8wKECaH|Io7U>Te>) z%|UZ6PvZifVI9*4`4@)C__^^95efH_g*`=09!|WiB9{DyX%ZbsbY$uI^*7ruFI2%A z*dd}x{68~LaT=jPVv9>Os6s#_1g92x@ zu_C$1UB7Le=fpWeJPztVIJ2IU&QWZ4hsz?dtI&R4gZI6uf)tcu-$Fm<^ysB^sqUcx zZj)auDCxg-#Zpb!N3WEBT| zYJ5~!Z54ekSQ5D~Co<)LHRA!z<2kL@FOywIg{HH)?WrvBN%^sWQPP#-wy~7pXxRz3 z9Xahh+o#KX*}4Pep>W%$z&QUz)wIcK=9y${p|3raV-V9$V!Ro0$(&-krwY@3sVXZi zk1;}%a&oXxX+4z3{^sMGi({|wuukj1%>QM4fB0@{d{3&HHd%k-`F|bXd{y?4@tNEK zsQ!7l2~zd}{p^btevXS|IxPeiqvHi{@)gd*j=D*C<>!=mM&sYo^a>IybeivCq9E<) zXRouQhVRWVzB`PHn{xvFx%<0Wj!ki+q5|CcRt^EltYP;hV7rv+4buq%U=c-_4?=eo zDcor{O2(w)4g!$M-Shh^sKt=_bCaPuu-W1W_ca>I*^!00h$7UntT%>?r7hWIm4A0n zluF1tlV{>@HjWE^k{HMKOaK3jV`1&rkK;z#I_x+E7ZQ7mTZb@8(9_%pZF=fit`7t5 z++cyGpp!*Nk+{J-R$*0efMZP_U5>e=J}D#;6RdKQ@}|nc#p%%4*4dU64@l6xEK$%1 z%!$16yb8q*?yN?Kk1kT-5$}iT?-jrN#{CUH{6F<~@PEFlztLk}Q#=tD@pT_=U)g?f zVqej2n}w{j+M*;&VaM|9xzGIWYswhm3yTzt5>M8gQQ{zSj@;RudXGN%vg%)Sr&m8G z0e)Z`oeXCnFg|pRy30QDaC}W_b2;)|KRS@*Zn}Q75xySg?0T59>x-gmgcYwiB{&{bZk^$6e1^9!i)^C_o(UEMOpX)BaVRRrOjl}Lu==)UV2>9h` zYdaFkjvT32w6B3jduU##r|J5VxY!qLdaC$_i`vfFbU7ou9LQV_WG*j?KC2)zJXoqU zOiB$Xd8}m@CgGx$Qib>ii06rb1?>^1l|HpcqB*+)s1TJR1(g}+DyV!m9jIJM#c1yg z(cTGE28!nBUfPJ6U!eh#YFVMy=Y$Sc%DBKE(-d(%l|Mq_!YN)AzFP; zVVh@k#u~xkK$d#_hP>Ua(z4>n(#!VbyHthNB8HhnsU+uQ^C|3A*0+0R(6LUF`<~jj zR1d7|7Sv&QKn?XV&Imc6D-kG;0kog|pTU1A{enWI%2_HlR6qJ+q&9LQ8b1%r{)`Y%;=`;u0W}>(&ZsLuO>Ae3*_A z;B^^R;DK*U=YIW*|B}wpUkHDZfkk?dG?e-_!X$o!_(hJ)0<(e44|j-G+0uL?{V9)tu4fh@C9ABZ)1r zHOPG+Zk>BU(%9=xzZ|m}41q1D-!AM$s+ZZrWzc3`{1M&HE2W?Q|36)`=vr)qbSp!; z6*!M>JzA6O*6yjoBf#TGZ-%e|?sm1x#ni!L5?>?PyB5=}3Wu1S4X{ECN%fu$)GqcT z1!|7U>4VxG&miXRh1HT`C5s1*hbAeO5&foZp`n;WOtkV|5xnU^QM)6-9v{&O`MvV6~ev$J0v;BO~ewy+W-d^+iiblK59SQ#Ng?kUiL!(}PhzXala!0gh zxA6|9<44<4fu^t^^yR_e(Dv-dlb?UhXZ+lc3VnGXh?*VIM0@s+?NoDSZjy;iJHEpj zKJOM$4Y;_7m6 zs|V8XcZrKC)!m+JgwM}XHy|0|JBk<&O5eKA{!Eg?&B~a{ee;7o-4Jd)ORtP*zXdP2beDl(tz0SHqOBlkaa^O zhb3LYkGmS+f!Hu`&_GUJu1;kQDz+P4hH|eGP&YZSMUJ;tw$1&b*;|Y~#l^*!vWv_q zik*P1Y?TAk-dJAcrg?+S);4eMoT7LuKDYC^TzqwAb0(IKuMwL@!`@6sU{JlkurR;bpZ$Ya!QRZwz+m}Z)O=U=56DQs z(sfOD6&CU;BNO}V(8rEodu&qKHU%aun(=^r#1nBBg*t~X;8ybCh53=HqSz6h zyCm{yQ^RnnNFqMBR=zTq17bu?4IAT63T^Xb=1y;n^NN&dvc@^JFN)KeSVoAIcIZR5 zyLpcU-^Ng+!xDcnbA$EI1G1cJO2zU(ZIzx%cUDkN#^TwuVl*SRwi}X16xBo$Rs^-W zbR~8Lg1m-VFI1laE&A^WsL$CU1Qa)+6anp7lVQ3!c6*A<&Bvq1f6+qMMa)KtQ83E- zH(R}?WVVCVhm#ZM&)Kq8MJ7#XzhJiY{+FU{uP!yrCh4%=;T*EVae-v=Ga}3V^H~HK zQe<08sjFS0ChCD!V_#>4RcR@)xBfAxSY|N1H~VjkAT_~yunvr?Mh{Z+9`EJ6;}cT7 zJ2EL7jfxen=4;I^Y}T!+eepQmay3AGrB~&$?S}JQtiR~leA2v)UZ=JomgU^VJq5JX zxI`Kb9BG7BD6etRqx?d~6uU-U$7bC-QSm>I=o^{qjS_$W!!Ux*?r4X4&-kJsSG5c8g7|zS)VLgM17CNK>yyIm3q+>&0(|Rek8|avdGQ+ng>czuO76Qcnr1C3@PYRq?ewib1 zvg;`iWPM2GmIXsgR!44iM23#8_n%Xk4n7)KY`REnhl&{apfmJd} zHU_^iFUYbPfir{=C=y2Ch{}xtb>+$lGJkkI#?W76FO?VA%7bxzl@Kz2VtP&qeUcS8CiDr>LMjgi8Rm%fIEl(IN34(+ zhB@Lfd106%e#VO*OB_A3MHJ?)>6G~jmyhnA`g^9F0BU8ZnNp!fve&o~877=#& z!8*2y8;;P*I(5v4BKB0JCis(t&!f67aW|s58tjKfM0P1GGLGGgJ@NR{;sJ>z<=XQg zv1?)z49sPS^YG=|JZ|t3g|hqg1MwIh`|YqZL(6EE3~R|SFV~tVn2@37ad>!}yr4T~~|2al$9pv49c@x%w`!V}wMIm66n ztNpsKb*)5wkSsB5*YZA^SiywCHxQ?dm*_l2e&I7$>jW~W1ZYhZ8Lh1M^fIzNL;;AR z1L{yIIcq%1uG-vMwyrwjIX9X`GCu2vBoih?rN76lN_$Xz)yJcx zz0G_Sx+CpLg7i@mq`iOWv{WBqQlk&6k7;94;?R!h9qK!GxllMQUXoj2|C$E;yha=F za!e{(vM@`~ICzw9m}9N>- z`vAJHVGUJd?2`8t^-YaKKAKzYysMIVWi{)(e@f+*kIB40N#@mk@GSq9!1OltxhG5| zL1227PU|ssgQGtAn${O`GG&9KW8}NQKPTCj<5UGIuY64QrJwq~q-z`$c)`fXl9wvQ z!DhgMT+ecxM2R|qc|vxm>(t;G9FCTB{rna7{h}pZe?(tC|Cl9R|B&aumvqS%5qLv$ z>Op7dog9SN;D=prQF^^A?Rr=1de1D|7ArYS#qZe_zn)exzE4%Bitkf;ovFSOtN7Hw zD7(H9ktLTNuf{X~h{%#cOwwRG=J$84+(YCLlu?(;FJ`UkF% zE~DF>Tj2@qKQ&eY4OW0Sl@|>OUKA(_c~P)%@gm2T06|Ij^k<8BQQ1EdQa}iX8|#=g z{KNGcqeu_RU)W@~+?4x=67AQeZ31jPm1rCXh@@a(yx;*cq(wSr4TdT*&`+iArB3Dj z-l2I#r!|AmHY39v0sn%8@o2?R4@TILT#sy%Rlp40AW`Hl=}M6U}%l#-5M)Xk_g9DvrOm;_Tpi%0tB{`Am7u$Y*0~H&mT7 znC(BKyl2p48mv~M)`AvH6=#5FCkV^cDYW4XRR<+h9Te6Q^~9OYML}{Q^T0^3JLZ%y zHYlbiP=WpdTdDm7$1ny(GQ<`aVm;dyji;OcC-#dTIPk3IT8tzlYq417dl z;1z*tj8BZnjn&NIS|A+E2)=8S#N>yu^`PPWNQU$QYtSCj5WiSTfjb@6H80CHx(^66 zt8@%w!Zc>@W2&EStqaxyE;(lxVrAYdL`iAcUWulpywrwTCy!5@UZjiBr@`};6PYrf z8MiJvf#V(CJaXt-LV~Zd-PHiQ2x~lU-;dysE63%8GBe!G*Wn*~BjLP`5Hs9$*^*&5 zjP;A;@jN4R9kW(fy zf`3aC93utCQjk2Ocn=UDYur#>Ltqs)OEu=dYf9et5xolp8jI;I7K>u4_5xHB4Gm0y z(^EeoYhu9VDIc2!7Ri-!IAUxOE9TZOodlfFFUCH(@P6U9d=+O0X2_Kz*0U9I5F=Db zO?bkaN<+lu0dMB`!dY(;v&>g9_RZkO33GrKm7VkXvcIsttRGQS&O&uYctjmD6q}`h zV*wXwhoD?W<%{z)1YVYp%h~GXzmZs$&9ii^QswcgN@mSElPbjsd4u%E7Y@8hG{VQjy%MGMm~F<1Tis1JQ)+`%(WbzeXWe@aoB0U!kw=bBtr28ndX3zy(Rt?&)f#!72mb4`GxhrTF?+sVA5W9;baHt-F8wyM zALb*0W6lvoJIgxu4SR(gr>ktzRfc&47s<>`O4fE0-(uI*RX4upYKRNEgO}$-rh|qX zthICP72+n7HC3QkF>b6>qLE`O`N8;8`66rPWVJ%1;9ZG=E-82f1r=Akk4c6b*bgC{xHj9rYw(()be;3VT26I zULWF3@HOk>;z^11@g2&_`nZ<$al!3?=SmHp_XO0v7l?9UJKO@vP<6@z8BCprERat{ zEn#*`kfpn%?&R{oQDW?Z;9lFle2>gng*eb^_oyo6kn)Nwkp7Q}ad~iIooCzi03oXteqtm9#n+Ahw8a>P>(yV$0vKv}TY;;Spfsokh>VPl9OIO4`?r930}89x+W zS?A12LI6!jf5G$%{pM%>l6}hSEZ$Z>p)|uLDo6wzRzC`qt%D+-Yu&>j!3#u5>jEA> zg(H_btUa8(0UmMn+Cg`zF!(RF$yxyj4tJMA@pLdmMhUxKwvEJXV;G<{HdhT3{sxir zOax$u__MMhD>5)5Ioca#w7ont*|pV}&%_$U9&^QLgb#@!d&OT@PdfgkeGIv-;~m8FL4P7L|g-z$9SJ>)s$l_8@H7r!ZGNst)vu2LCs6|fSX@x#$* z`NoJ^r82LIM=;kC{z&9u@)2Q{(lO|KLv+3)bUr!zk?#QXE}5?vE!Flx6Sqnhv6YKT z*it?2GV#I0-XA{a?q?N|-~wi6{e*sOp8OS?Y4+QfAXCm2-TSTszdJeFEcfl3P_qWrZ z(IaIf*xB56q<-G;g>>(QC~|Xo%DpZv;AF!7IsL3-Jt_&Q`&<%d9L^zfqYKlI9akUc z9_t6a%JqSlD-9M|WJ;&?_zkSF1grjSBl1|r5v)Eu9+4O?EHxt2wy<>6%_x@fL+Q@6 zPW%$44K~8(m~HKoVLt~BY@3`ru>RV-PIuE7rFkMy*xb*cLpT&p#;0X%aJgZA2Dy3l zOe)Yg3-$}zDn!Z$i=~64P;rT~z}(&tX5k!CI86 zIw{ObRi){+NbpO|PnUFM6lG-0J;f?L17X+z;D9h~;c4s+YC+Md9;E!LHD&S0wEouW zQHa&ex45r@O;oBbs@%QkY{ZuimX)t!!drpN*a_CXkOgS;TS9)7o#9YZ>FYx+?r`?2 zvO{vSaq9|nMH$xf)QC?_Gk3=NBiSoKBP0_Ne_367mWy*@Rtv{aB1?@LcMPlJaP+x| zJG>AT67J@P$`SKuV_q%fkFZDAQl&(`GS!`37(=#D0BGG}J2P~qUO(f6tk+&c|Q{*s>xCB^e3wgm;TvAp8$cgy*I zu(9tGoOCz@aNVzUp5fd=>&_RsW)p3O1hurolM$r$`8K%&SY9~3cMy4XPpm(ItcNoV zdi3`o$V7B5%V@e_>P%reW-F#c-2umj)f;{~zFX}M5M*xUh#Bl(^RCwjaz2vxbOceC zMeda=s~myJ;7RA`c;Gy%{ArCRC#T`bF@4~PIMie@ff~vD6jpe$?$jinJj`nkJdw3Z z|K0RoZx*sAhq}5Eb$F$*aeK>tjfH5S#a}CB_I~7reVHdQ>(;jSF2_yVUiQq zQX{(eZW$dr);ig)>bzuCR?}#qWp=P9p~DHBD^yehvw-H+#W^jzB)ZfVuesjSygIj@ z_ZH8Rw=>+t5_Necl3GV|Yc7$+x7WW@@A9$;H*rrgieeT&0VtObQ}$k$ox-5Sro(0v z#mJQ#lO=#pcKrr-EGN|I3_9yK*l5*CEkzlzf1$}Q zV#u#>-iv)1kJoR&&If(;s}h17fXqX!mx^|`rRj=}av-t=w5pJa*;0Q^$HZ=_!$AdH zCI|(JUJZ5$3?kX1Kn|$j`sitZN}k2?w0(0D&mMb}Q!=FXs2*wW)919bw0%qMUp?|Z z-7{~Gv`2cT365Bk{M3yC4MtpFXNnAw_YUhn${-4rsp-zuoSDjh#;0RNzRK|B8wUJOYJ^MbI;T!VRybCa`8#j#to$Aj~5)_!1zIsX>;JKL=J8QgXXBr25D0JsCJ=EULZsNZpg~QHXl|H+J2Js2pwi{ynQls}|?!rzpw)|1(0mEBghS_dJ(v$j;P$}TR}Df986 zQ5&sWOriuh_bi~WWj`R}RKtdC2E$NAnjeVmbBQbo#iDW%?~2V;SmwmHX)1?Cvfnm+(H zfghOm!a0Ct8u<$aJbv%VSHA;$Nm{XfomG_0F^Y5wkzEsJV>E4&x zPvnz0S>X{H$)KZj7D3x7Z|9T@)ubMeCYlBIb(Zn5ZIV8a3cT#rt5hIvlJ*5=ZVYmybuv%q60Dk;3hpM=GLSEBl6IQ|7)E~R z<4G+Hm_qT1%;1Flg(T-n@`AXKsoO9@?W zs$4lb6Q6V&&c&B#YnVp8tWDO+{Q zC{h}A%1b&0zo-6p=#)R}lyXvL>Xb)xN);(}I^~Bt#UkZuoib0S+(^oIbjr;-WhN=p zb;`GN${bQI(vVTw~o~09;WiTrHpRW^7(22@sm$j|^(~iq zUT%ZQyISUAF}yA*R)$x(V&bLv!{mI9|CthB!5{Cvt8}iN?)Ox#cOwM&Ugv(Bm&Arp z#S7A;(ReZPoxL<6*}r%N_PH0R0?7!M)2wsPF#8*On0HyTsE{@7jU0x?f&@^bJ?*yKmWS>=S$6HQ+j@ms?YRjvbk((k52-F zdwuuPQ_N+T^~mA|x__Q(F1x(v=aJn%UuG`5wCCsE-9KM$E}Pu*v->AOZE7%6m_z;v z>YYnIblX)1HLeQZ8nrW18UE=$t}>{B?UrFqD#HhElgc1tsz*%K;K^0pO2WNP)l<&vZkw2eRfq!s5f&7(Ju7PE5Qm@qut_iOG;oDPNc58J@_Cr80}VyCDAbzSpKA4K%PS~cC=ah#fNI0ewZ zw@$fHr{t6J`Nb;FWjf^wQp$85zfPG>$|*YKEJ=xqR6oq#*0mCcB^g4_t@-A%d|gxtdcLW8nJFsBpzHNg6!VYg zgq)Tn|8j?@9IAfli;`%TGk$t1$EWURzgIE>y=|TQSFyD48^Ew8E(~M&HL)o&@5KpX z#qU&KqQ6I({hRv+v$kl;Ok4_Setb02e2X>u!WwazK4`^y@v?vy9D-rWoca0@hRk_R zKf;VTOZ6j+I3~r2=RyOn;3&MC&T}aCyc8Ekd`uOL{q-Lh*zAf?v7GFUN)7$QS_U!8zhTyhkFCmWmNB7I z++Z=)=DD>}t%MM~3Sn_5@{s;jDay~g3ui(n%EdZrF zR^9J%6xrL>93pl&Y)}GIBQ`+UnYagqi>~psZLnm-Rwui5fHbYGJ$f}&>)H=;(c|{7 z(j!Cm)6yA2?y+YRo4SX2&Wc6$x&7B1!phA}HuTEx%sc4LeuT>; zllzqVuJSvJrqdJZC6{6{MGEc@yVbDhL2^hXLI5g{s^k`x#Z0!dc;>2>DGXDlG&N?D+0i)kEE%nVapsOxT_Rk+GZ~Vj&Y!D7&a@24 zR!%l9O!GV6+ph9?ofLhxo_rLOGI@KPx!WcCz4X!En(Cxmo9>=`d{BndUYq*LoiwA> zcfT`tuY8xurrQY6hU!nA?$6v#$s;0}MpJd9^1T0O3J;P=i0Zj4gfFe7dM!O}Rk{4m z#9or?3UX18KBBA%;#Xvl;ZPtkiV6k4qT9q57p0*s4&{P9)t4x%k>7F6k!eqMTFqB;8Pqz9Q*D z^aDx9>snXtfU=nVm`^_(=;_*tk!7p9q@4RI=_roHf{BlN$wVcGDtJ3W2FreoC)Pva zs<}~4LJUCtlRujx$Fa5aO}W2qPz}3M{rMOkiOoB5QeCXVy*$6`l*BIwi1nqL%;jiB zT}4H>ub67p0Zn4GZz4jj89OgQDCPah$nl}lRt#a;xpkbO=05m3CgZbJ)_CGHX$g(~ zS(c<#nUX<#gvr2O!|sf5FDshJh@hqJh-A?dYBriK75O3c4yYR!`@xlmoa);6Eu=|{ z?jH>AKt{ZlB+rhZ;10lM0{C_T{8Ry)Kbyh@?(I@U)?I8{w-O7`k7Sc6#Z*zPm{kNL z+r{PU@6y>kK}#=gL>QRBS8YEI9Rs@oj|M8h2V%!09{)n%&+&ji{VRdzlrz9{Yq7Ma zpua8!y+I>Wt~%s*F0GBT7lS`r>=^ftjLvhzfhErVz3f2&HOiHAl3l&D=fpzp7b9+lBdGiym5_^}xyKR)`%GHWK;ZeGlzTrZNHCUMuJ|;+B z88-$?3btk@AYch9C+FJbiMiMNRsKH8)f}ghc>aQlH{QTVlj9Bn^RSLO4=*}`a|vsU zHP&%0)(CO*m$gYR>WH?Y=uux)mlY`b!F2qc#o&L4Mmjos9SK8~3+r;TxiAi^T37hY4 z=O$OU_pV0?RDu0_mnGxt$Se-tS$JEIr>}dg<5pWEI>M7JoFK9}>u@HX?S@s^N<7k~ zdl&)!8CG=X9`~X5;mJ~ZA|eA)`d)k1%P(_m=ot4>hRhQJ1KNFp8C;d}IdURCz2ONs z6A9t2b$@o~V3Lk1zjd|Uz%IR-sSyvm*C{9Tp&{Z+&_%!9f=LQXSF&)*L8RS2YEwRo z1ChCV(&&E>VsDsNj14tnaIoab=8p z4r(>E>OtL;B;=sIU?)BD^l!w{f;~N7yJ_e0)hDt`E9*XRS#B;xs_|5~`8;+j@OLdcy3_0Db>e4uHFJaR`0DUrT!bP6-7EXaxY=r{P`z6{Ygp1b%Dd&b4{9K{ zRO%LYOD|B*(G=Jdq_Ju;<_aD>d;A`}>qyEc>BR==Rq1;7b)8lu*?4_Lze+W3t9};P zT@)9P_vcYOKd%uvmqX+^3x!WAChQ3_&!{-Tg9N7j?m|^`fIDA)qj!Q^PQ+deZaE|( zIda_V)t6Q5y0)Xqb5Q>&Xw#c)(oQPOhSTEbkyG<9hcQ6c{jTV+JX^mp&;6g;eTclMRud3IvT4W<4+ND=Z6 z(B>6gdq=8v`k`snXuO~1B}(HSe}-J^mZr{Z5?ETM$usqyqR-TOYNYggcM3hT+@nzF zQBkO5VOkUtWr43r)JyYd6rWZ_qb|O*nrV~@rRFR5sZ*J0o8?TjF6u;QvYVlIYxgU*ruCzxixonQh^X^5uTACEB%9 zYdR!~;yqNN1s^C5vU5g_p@@WIXe`-DXBPzXC5pccxL6vNi)GghUrrnQGUlHZWUMR+ zI$K7J_*PuK&$lEHJublZ6)0jV9<462{m06C^(2d}9I02fast~#hCNiG*=eP8VA>HO z+K=z0rb;a%6z=hE3_?hBiB@eK##-wt&c7(qiE!lZGc@JcIBa+0a)X4%r$<%v2&WUf zU47v|68EF^UPkYHiF0Iq!ql2=uTOkaCE>N7X=QCBOu~y?esJt<{p!r9dmVp>nUG^9 zTN7`ZHV(zBV-pMH6rj_eEp=k*T$1IEM)R>J=I?FoZ7f+~EZ^0~_;Jhd4Ls!X(6}Lz z6(e$F*JAicctj)J?)AAkvKQk%y_PM8|Df@OBP@c)^Oyd}!>!$r$fG6wwm9S<9vP1q>Q{Y-}dt3FD6Y4hJO& zz`)w`GI8j@;KhxlMSkaEvy*EO#o<6#nyD(ykV?lt2d<5f;9h}R>yMY-ZxSReGV1( zB=jO7bQIYIZ+D}~Cu$+|y`U|Z%i;)vp9rR@bNYWN2u>3*t4VUq#XaP!-L9qUTt{Ub z!6A8&w)feV>f>z3$NPBfRwCz3zT2NRZJJ{;8W#p_!^ytjr==@4?&Dys9PDfTNA^U! zU?g{WC}8^sfj&2wwJsPl5`AyaaprMi)`?_PcFupX2?TH?#<&lJ;~ACqB-eNM6)QK4 ztF;ftk>@i~eS_C%_YOXRmb5Rv0O4KcS*Tvpt8$6u*nCZH~z}8BPD7jNh@UI5oUn<~aFwbx6+?G9_Bh^9}rX z^DY(0>?)bg^)fZ`b@?>Oi7L5b7X%H>;>dKmyg#kq!^ft}QxsllclS+HC<|KJ3vR(d z@IPS=FUfOXZ&oyQL88E1)>pN(!Cp()f?n=f4|svDG+QY*@58Sj z)a%--MJR`2EdEo1D)ZlR7N$%8P&;rUn3c%0bFMulEtq9>29vu7@%G?=w)?62WofkZ zS4_fgE~_uw`3pT0p;O$sT?=o!!`{vzoJF78h<6C zZ$?DdGczHkyX1=ia+UxPUBlVT7SS6UR2PyfP=sqa%^&5;DyRS35H;fs=swg)Gu9vg zCJSHO&8(l59m$MUc9$dChPxoJh0;0ldg}fSty!r@*Tt}o76}S5M*xc-jJBlKumfhEHZ$(iLKXZlh&An`?i|?ezImdCCuDCBoGN$@ z*T>Z&L1FW*Cuuj#nT7RVYt3NB7XKmDQ96AOGA&s+hW;L9DCGW|FVvY>g`hCWt=QdZ zAKm-1F3P`tPdK8NMNixfJ#Hg$3+M#~)7m+`HLbA?IEeR@)q;6Up_k z;wM}%6xA=gRy6TflsH;S1NQi$fHP^1*20VJwLKM{WZ}tFB(>;BCj)dPVJfk?)Haf* z74g`#?8Hr?d*5WY`YUcL2v>$?j9036vBgDxtG`VI_wb-MgDk{wEEH#tJ(5 z9C<$ilq<0u3MhB;Ra#g0`296X3Y^VV>7tJJru#+VT+v!%y%V(x80I~?`jT|@Cc1iS zL1d?*;lwb>92uiBA%VRbFV{5^-jhiWC5M9xG#l=3EI%XHUol%2anrg9l|-&TcCMQ7 zMd3|}mn|JV#7kP?=Qx*SBu2`AGNoc|T(@|gAIfq5Z zFW^1IyXdliQAv@L)ID#LG6l1vm4=)w-1V-?eVQo539LYC-H#F|zGskCWz#yeQiGF) ze^Hs00y#hmfUjQ3!olwe&GyuwWly4o9&94?8|(gzy2`%c0sgEO@hZm%(s$NB^&Ubh zo~JU%*aUcVe}z+ty;iloU{?~6qI+O0kM|YIhH3Y4u8xioj6bUOQD@C=FvC9&x6M7MHMmTG&SG&iu4rwd)_$q)?13@s+&_8ys#lr;7 z0{^jq3fNd93F-z|VmSWdS3qdRnnhvpJhpK>Q+yLsw?&+QFhMJ}3)iue$rN)rJe(w| zNt?SLMZh1sVJCiXDnH=dt}@qi^jWOy1JxTAg_@mik*K?Di1PRbkN%1qb{b93)3#ms z*)Sr*IjWB28d`W2jn;jL%EhtpUg_SE)vXpKdbXpzYDiOR zOe^0?&>zH9XR^F;`VT?*7CqrEQDMBvzH=9oXJBV`(w3n}G;b7hM7&Faq*bzWkLhB)(8Z6%wvU6f+d@WMPr2J6vJc zxFKgzgZ`|P^km_`cPb`7!Ezpu-rM+DOj_f2#&2*B*gf=S{5#MeKU<+!qj~{0?b@qk zBS>uPZk9OXAYL(v^*lfJxR98L1a!!Kv<(@v;TMO-u zw7!9I*52ud-*X$D$P?cY%dk54NzZz0UFdaX&h6vm>>jWs3m1YV>LEVC^(3b6ZHb;d zg;%0pVWYHjf-1l4vv>Ibs5k|jvtARPB9;wJyu{mbsIZYKM7H{@$~PnL@h5zyRrywU z6iNH6=-hoii2|s2C%0^MvhXVDLX#0c6u!m1jK%Eqw-k+b zlfXzq{MU4T&RWgp4zzoTE4lu-Oek3TTXsU5Y~^iU%hx~hRklA=q3&y({d_!M7cIO` zimp&+cVDA)6Qu!u^I8RFDNpOIvIACZ>@9qt*tfho751rknnyD=RHN5XJ>vJv@&_ z1>=>DGoOjug^Yup0Paxz#hTIg%soRH{K zaZ$FovaEp1H$*;>&gdA1GO*G8184VL+P651D1aTa^4vX`-Md0U>A{t8;Vi3UUn(NA z#+jI3g9yOkt32pTF5EL$*yw&Eoa>kg_V8xUV{nW{&QJIlAfu6ag@-;y<9+I(m(h5aJTO>cTr7Ub zvwIe9O*%+iq)6?~pQ?p$rWobCl62VN=b& z8S9370_kV}T#$Yl4=;%8NrPwE{0FLr;!dwW&B ztO6y&SupGG{-p^mm=zFIJfdC|Dx|Ve;>bXZ!0EXF(2}1>P~uO6g)Dk=^g(q+`rlW> z(~K!cx~xK^-;Kg0jU4NqCcUW5mz6xXhUaYA4iw1^i2*9XvI}1#A-PFF;;H~ZT4C85 z91dXSN)=DJyYUC%WZ#^am7n;Hw3zEm%5sZnPq#d2^}mz%rt|<9QNk=1DFu2o##>x? zoND-MUxuL$Pe%6-HWm>%#<$epFkSe@h{}rXtR0*P!$CL8y;*j)qsh#0PBd8=C zYb9bQa;DO=(DN?D!H#&6uc|4f&#IhX^Eo3i$ej#nAhU>Lxdq)W>(6qW|F`57^?~R@ zIrW9a9ke$vf?FeKv{)7Zhq`>_IMA^fhTCj3G{%UsrKVZOh zhwY}XS|$H3U3-u;E{zuV!6i`%=a?tu?3_8I*JQO^kv; zL2%+Er(bIjnklTfE#lJ*m!ok+n?o*+O_Ca7d<#FlA}gO``TUQ=>W@xT_o?WE50gk zl>}>%Z4~#B(>_mPFI8vQXR~`KETAGNf9qslgI>C&gZPr)ySh?j3c7^qU3?bJ;difs zAJ?hpI*DN1YiSkZ(Y9Rv#wY1K#qwOOo)3fXG!nlqd>LPsSH%v9zj?XplkC36H|b}Y zN8_vXvsk#|%k?wbzAyeK{hTY$zt+!W@x|}g&kgdtSUszL3;smK77R{1_5T5ba$Z6D za=LCu;c&QmCf<>>T35LSKLzOFNSq$HOu<+zefy_=&X(u5^|OL~i+)zHuhGv6_80WC zg8gaztYCj!KP%XOrk@+6&U@5z!+Ac2RX(;g+>s&AQgPej>P)Wp#sRT&8$vV7(=k~f zcr-R|0el(Vmpyx^jWM1;{7{iG#dX&`?Q01De($;_LrZ*Q6{b6oZv72UWU9$Clkiv3G}k&xRzk&wjjOa z>T4OlS`JINuQy07EOz%L!x52P|Ap+WU9eyJcw2=P{XFBg2@6^g+FaJ;+s1;gl~bg( ztuAN9Ua2$lTIyn1OU1NOH==`uNaj-C>pbUm)W!0wtOJrFPG3gTG=yld^sQj*0&61< z%590`g7)WZCY2`Qq`4yr@9o9eRMR&BDP)Z`9n|Q(JDI}Ug7zE#8Ibl?RPO_Ksv$^* ze=6WbWi%pLM1iuh_DL+LKgv4fi}wU;*#)d2x(7$ayv^oKVR5b6G(9ccO9B_xDU^BoBym3Pkp5I)uZ-a%MYOJ1gA;>C8PM9FeiDer~DmS<_8a z;xDiB=!-rk#wehGo#nUG(FGK9WA`fD->AMf{fR!hzh&0-$PYZr@P0#}&EigK*XEn; zi{D2+mFAC~#OW^Fa%*u}!1Qo4M(cWvb#pn_r4Lu?edg4@@CXrGsWQI{VFxPuXF#8=p**F_|FwS_D1~X^Mdxo06k{H1P=-uIDwrtwz`CH6t*aR z(EEBE4V;<{?ptD!3UCAD?c5E$Hkr6owudj$74>IoFan8 zX?`Q1c2F(>T9wExOLFZf6$WD$Hq6_je2Rhc5piGq904I1o(_h=telpcYo)M@BoG^t znu|t@SAXxNBC8UUqR1sIN`#gu+tD0Cv0wy7iSf5e%uJTNUZKQZ9ZwcVYPjZH6lL6` zlSII&g(5|V@RwM1MyNFhS#h08?N+3L;Rk^$_-VB|U#qe4Yu}{XAU1Kj z4a=S6wP2|h;y*!je1To8?8BhliZM5399ta*<9*aJIRJY^_@ic^Z;D`K)TP%peITqx zs1mpCwIO3dyL*;eD00hCsh7Rfo&BcpL}G$e@|=4UZ>jSTPrc5Uw!~@dc}ec$usq#1 zur5|wKhUj~Y{Q|%#MZjlE#nS}DUS7fuhfG5C^j|LnBw_2AQ&yyEB82i^FHy8Y#x}{ z-MOLxYF5v0cdqbZ%8lfi%Y^sMr&|&gBr$76ik!QA#7G*OoK#%J-eg z$k{R<=lf=#W-1Nbe0oofy?ybD*4@2IF6`G}HfQGr;sGc9_P+ZD9C8j0Cg$5!@+-*_Xw;?fIbnEp}YYj8z$<6DJwZU_>96 z(YSi~XlgM68!f}%M!X;70z1iOaxK-}`I@=P=bJOMq4Mk>6ehBH868Y^n2UYqSA;(~ z)M7UK%!c#MjPx>-W_IF4*jquO#5x&^Udd=$Geq2jn zM5}XtFEeYO8<>l{opXoJ_la?82XZ0oEP#L-qB{?DZbPeUO%#u4C0Q-0?KaXjvEAJH zT5<)Qnzk;}}*3#ZogzS=*V@(A-#r~SlUzyZvsWM=%GI8GU-yN=KbmX(q zgr6CU;}$;=b>4M;xem5gXEn^F#nj?dbFOGD*SSe5Q`l?~nae@aT^{Rt0|An*@nG@Z{%5Y55Xv z-1#M*DgPf~Am+;vCae@6#NTN09HX%e6n+_{9>e#eQ0l*hSUgHKo^MlRnkG9=X6AL6c58Jk^bn-;ibpyx zz!O3wFPy`86NF9pMJTnjQ%D7(Y5gdN+sBB@{07A79j_DUm~U5IkWzqjISp_m=Ovc zrMT|@8Sr7_oa{kI1G|Oo>*3x{oYw`xcp~h69P4|LP&e zNAVW(eDTs(&>irfZO+N@`8cP}enH_=vku}Ko`vWg5=%a@RZjvi4)$fO; zE@+I~&`9Exl2HL8@OOqOAmJkm=nmX&k6A!y;FG|%zM?MRT$kaG z{iW$$+5)fAWSqSkdX7(BYk)Jnjbgzy?d_dAV3B&RthVpO=!cCMn1a zn1!ga3+`fyvWzFT5bW1(R2g`ZubgI%-KP>5B`FeQmNzR`gz>Ybzln!Yh{83}j?wsz z>hOl{Z7u0)%WhOJG)GiLhzUwkAn0nX);Nbs3HlrPv##uZD${P-(hk&!z%!cU=tP%{ z`cit3%H4Oq+eHu0u7n$U{{N7vv`3o9 zSVmNg24BHk;>BWF5P?`&_5-|bSktlXzc0-0d;=^UaN z#+mg-^Z_0Lb0)bO!$}_E|4oX=rHKc+#7M&K+}^nhVjitT;p5*;i9)<8)1vT+qlv;X z|EVZEAg&Qk|8X?&wM60Wn-3F(vKF#aqOgBTi;BMk^D9C4nvw#bZlgRLDF{O#tV;^Y zn}@#FMFgIuP*;Ck8f|_I^)m^|p(fz?JXNQsxFPkv$GgfApTUzEO(OGtB^^YkPD{K4 zeo>o6-ktBsyHH6u#GR69X_o_#DQUO873%J{Ax+&=*9mpg36XVd5@}iYFQ{7)NJ1Vw zD7(qJFNQK+NF9O7t!XJYr6e4%Kl)M`S1Yyza&?n%YJ^ytj zT>H@^oatm2eX)d-uiYh_YO9BYEAJuUZUt*>Qw8u4NlDYMBjHrFM@Trlyp)8)jKD&z zr-W>)zTh2}0#{Webe+J!CU8cV5jej@UCY!_}+r}W<_TSV~wp}Z-O*k2= zW?HuWj#Wc<*%qFuc;!bVD=KQ12Sr6ab~ET&n}Hhr0@;iqVg#HREn3^Q>8(>L+NWGAI&T~ zxjvDb&5Uzx1{PuPaz(71zg11iIeo^$c6ZLs%)-J%1Y|3@nseBeQOyb6^GD;+WHf#R z1m=rk{Ust8YtWLJN(W%~p(kK61KiZ%Tl2F@CIL^GON+5Jk?jIjr5+k1Jv1WyzXsN8 zPd*ImvMbCn02DEQ>1KVWrBa^F&Yi8hvlg#u*_G*J56o=wf3wAOtkHgZMWAxytX`-) z&HcCC#auqNO~7p;j9b#*TxQvhvVq_=_u|i)6Beu#8;Nq9 zQw|Kubq;M^|I>SjHV(Me+2W0}-ET`omF!^au1qx~?mZ>KjGi0Q%k7Ylyb~6qn?DZa z+!tqZqZF(J~<5Ac{9FaRME|#BX+HZ+vVD5_c01$gH%`aczd>A z)}KQoy7$L#_rc=juk0H+zN|&e1cU6*UD;*@enKGs z!dZNgQZ3;T#;`^K4Av-Ul3!MsgR-kDLVdF%uSqp6k@r*`M0wwYgAJmNzaWgM&Z}A1 z4+Z({O(Eln4R%Hd|7kYFvo^4YEn!q7ukn0qyT3#>4SnG(!Vut@qYHX}jpsLpbC(X| zbLomUWx?tBU3B66$y`D2`Q36PND&lQE6Ra0Mc^L_W1lC=&O1Dr$u-Udb%5b*YW3US z&Mx~<))JAC_P4UduI-ocj-3u;qR>_8LI3G+s%VQpMtQ1?oRi8LJB4g2e>&@}WMvWE zW_JFoX;bX7>?&i)OR>}A-;t(Ygd`DEpK}V22{OzU$II2W|NiW)(B1&sxPW{vC}=#Fe%&3q%A_F`D3?b%cKDtG_59FrZkz9MnB7> z(aIIZqTM{;bse0s$zR$Mz|cMe9@+eZpmg1GvN_Kw3#d0krQ75_Xs6$gY=Y`%=SA?u zUTxt4jKdK5=fx947(uhN#hS4pIHT1LEfmtaKf7Mm2GEVZN)q%wS4@Qg`R+_OWZJio zkCBf3p=3H83Fn#5$%y((w!nv}XdDULKc{fXd%{#fM zV)J|cybiAd+)8dMbS8W*hCKhm?9FbT>wPKvFyPEYw!Ig?*{AtMn3I7}SZ9?JB2$qd z!a4N9P-;&FU*#O*eGc2RQ4dH zqjPwhgizUBIFUwYOTSu&Um6Nl+{vG**^Q5G%09f_>3pmcj&;+syLXpmR-Kv z1_T+O(iNesHgev^?Fby%6{~j0e${Wk!KT|JiMntjrLAaNwlU0yC#!Q+wp0WkVlXL# zD(FJ%?qca=(B2eGu7JBk#<)!kvzcs*`R~d0SH3k%dFYnoRV1hhV#TcX+pp39c4OTD zrxJs-L7iur$rXY;WXD3&&Z?n7KnZ1Gt*l0ny2bv=t+Te$^MEro8Ek#G*i62n1j9~~ zO)MkEX@9INdaO)L;P#rz!S#dcjA4F|fYCDsIaLmr^{?1qMqxm5O~ozuXGeO;TZBva zR;sfB3s#C8NV!K}qx=9wq!2v?@A57gLeTL`;GNyY@aiSGh~{LAcEa@JkJ?L6e#Elh zsPD)t#vMxB_*?&(Bm5&?8^`|@q=WS~ckVOTj^6idX2vtPNdBOtYV*$On7=HWBi~(q z!e*>j5Q9vVop?Ev;n;B&b8TM4`8Fj z-iPr}Mz0`>5Qxh3Z#=P;1wNYtv4L8z*^D@1hIrcU#Ztb00877x*-vI9d&QrmXGd>c zCcn$+z*#METQbESEg8)^G33-`hhl##*-5AT_62%zvjK=q`}h(y0S`bxG65?nWCnHz zQVZUwqv*ERln0@LR&oRD2gfT|^Jz-_RJ+5f;jF8JnDqRn;Wh1o#-P)$Q3JgBaDZPE zfd6;|z)yhSqXSGw+&X#zz>CRbR^p-dhmt)CPQ=h(N?abnsd)1l<5uB3lCAO}8v@3- zx3B@N@Ehay`;|E4%z@2++x3WsoEx(lIirzHB46FTc3Z$6(}1*#oLITtXnGs$u>y22q{SG6t zrp9<;6+B#R>l{4tnLXF>u|`!yWC%dmY9u1RWtt3Ib@xjBCULO3>hIREYWqI*CWaoY zh8wG6`d!x{T#4=gS1(5di(XzI{*IEL$u_eRXFj$e5%noThz&@SiJ<@ep+W@Ws-bbM z(I2us(z7+$p&TlPLOJ|3YZa73VK{Z3LMGcWelc03m`JL{j|& z%7G^-R)Tip=>@VfFIE+}Q&o?o2@2qx{!obz3bkMWnA?XHma`5cr8eWYZYU9brLT!hf{OmXON!k<{iDtAQi`Swbq|K*!D9A95QJP->t zWSdElB2$8D8YD>5sV)U#cwd7~1wg9X;zslHV-?Wt01eGDcXY`sk&i`M{Yq~|R>^9N z=rEYR5nU@VAZXF`Bs|ZQC$p$h@o@p_d>c8cOhP}os+&n@9}{!2s1u(t8cW4Gp61tR zawNtCwz*toZ>)%P+ky1+Dt`^>DlBy87-{6jbYz(XU;1I;&CxbK) zTdW@M8;Y>E`T#(!ggYq{um>xJG{JL?lDaDc_>9@xy33QaS0-=p?QFENZ!-Fr1JIdEHcT8yqKv*$XCSgM;hwz`&eUvHe~NGhE;Wq zC+ei^9~3MCUI@Ac)#Rw~hJWk9TA&(G06&=_AWM*)FYVRqc>kzEh~rsgu3X2uU+{uC zeJiezvW6JVDWKdM`+dJ1PxSNK{|q^gNe=ttvejifV(MNPWr)h5ynX)9>^599P7sM3 z7aE(G5&PT2GV(fS{O=^f#pJ@}d>JpI<#qzNuwwWMzukd6EJWT`x3g<7aZe$|srgklJRW2UovlhB4MTBnUI$QNG@*9!4lW4(cETK*pH{Wui47-%BoVxC7)=LJ(6r!{GEj=9E=?}(cMCmq!{6OZN-L-&Q2IFr zrQcmH1|_IOb9U1xZ7jz}s?d>7sK}=(!xC$i@R{sIbTgSZJxn#4@2)SYN^u>FHch1; z7l_oCB|ox84$8f3!{Erf{9a1ViA?HR`d>q!3GOGMw4xs>RJFh^5hj1&fe}AP zv~$JsM{D{vvNJP86}QhJYl_=%;kgI5AC>;Un%}t|l53`v*44%DMDCQkfc-?vsM3&h zk!) zU~^2yxv3dIjtojTFn#Kk&~gw2lc9Y89oTQb_ChhkWws`A{PtdT%Y$j>`%7_0TnFZ@ z&F>{&Q4SfOvpV!MJ9TbN?E zR+`B*_Ih*kE;DbV8Jj|Hq6dbL;LgGBJ$U7%2=k zt%&3YVyN&=&aC}Rbr%klh2h3#oECZ`~RBi0bk4gh@#afQ2mu(e!J=<{(Brcyq^ zqj*u16XQi$=f>!+3?e+3?c+rQVO(T@k zV0p5gi@1Oa8N-!acsQ}!g{vY8H%pi?U*y)5435}jjo2st)t)nxA8)1r-b}N>mHXdQ zJ#VIYjoqA?0>^!5wSH9W9}$nuYqr_M!44$uOv;yOYJ-{bWolx$#Y1Ei`hfOjD&Z;i z*JA#PQeF+nOpwZ#$!WxwNj`IRp^%5?AreSAGhJU&j@1FiF_jaOn`3_}mJXjO&P-j7 zOihh`JK2M!w!u=F!czD#p(u(U)5~V`W$ni#Cz`~MsZnZrLHjYS!aHOSZc2g5e}yj& zRBo7ck>abCv>#KbsS&;^Tdn<=oJQ8(n>1GmQ>_;_CVZOkV-l{4O=)Um_dA?pPi;s% zg~G(Ds$cYar_qN7P}vdr7kx5WBct5yky`ggA5-Wu6?FdC^R+V=u1V#7dnXgfXjx!v1Pe+<^H=V~ zNhP)B^2?g*NarMbAInzlIHui`1dx~_L${6&vD$i~hM%LlCrRFJtFFsJYENExbG+TGTWu@#3M5J^Dm5#~Zz-Sxksf_ddqCaawqbrPLp#uMbPB-8bl$NR2&Q zk~GojO?rXMoj$Q^lXlFn8N&Z!+`LWNCpl2zH6_NM1E_S$CCMky3fP@gufX2?pMV|D zhG^JgVBss>3E1z4oIk3;Fvi7U1eIu1zs+|^#W1x|V%(}FlchH3%e4CWypWUHCml#V zUF;r>>`8Hegzp!XY4&P`28Q!WZ<{2FJU|MmJ+{q zM=Fr26|9YN!orGx^x7e50XXfxX>T-&SEks9zXMH$Z-AbV zCb zkn|uWqVpQ?N4l9OJJ8^dA*hpqhWLD`E6uTq`^?TaQX+3eFeUQ*-9+AxA#%?fa~GPw z_Qov#S}sV!AD+0I{R<`TTCA@r?*41SVd8F)LY&lyxa)@|Bw9~=ExfK)mn#(0i)ld~ zx@29*5eqiUwzQxlB`xJNy22+5s_F-((B!ux4Q6r`{GeMwtldDZlB_OoGnIKrPCD7w zG^PdGC;r&f29ajxc@9T4jVXU4>9xCLd>0Mh^e{C1(Emx(@O!@(8jduG9OI@@Eyq3* z>XqUDhdc;KT8@1sNO2CKAi=h9z^V~{vo1j;UX;?8fQT>FMl;3IL#8etN)cdN02>0w zRU|FIxM!Q~?lG~n{931-jk@I5_mN*Jzjmkma{0CDX!1)OCJ`vOQyxuz$=B}kOSSbS z@@ob?R`N@=b%gx7yGwo{9XoKR)bdMJdxZQNOl7jOIkSflBX)!M?`UVE$QKN~5??>_ zcMbimI9#}oFy5Z{+WlKS^h$PVvGrRh%U_Cih2Z*Oz!O}a7bVAD#Ea7J8G~Hp6Q*TR zKhi#w;qNGpc$RcUK7W#jF0u8MM8y#&9mWxg<)%@cVuj0ih~CfuX429sF+vf} zW1^*av_^QU2DQ-Vh+m_7J$%F*DiWXf2DkPtzzLUBbvYQVTGbl|qiHx8F@tLdBe9Ws zg0E3czddB1PSWDf(^_yak{0UgaWIkx@u`++JE`702cw>yd`$9r{Z#Y5E30(R!DyX! zFq)RpjN`7D5~gr3^vvw0y>t4?kuK$8#Nk?}N-Pq|)##6&n-K>d#mh)pl3(bU0$3;;3ST)`NDiGjh zasaN-J@)ag18~<-l=Fn=%VEJm1m&95Up7fNUix|!+`E@lSa)G^P?}}a=#QPETwEKiW_CzNZm-wQylf$dV6^Crd>^KI;(y{o70cQaol$T|s>zh6 zPWeiK-?uRDN6u8HC-;tAPW^H*hM@wwx;N|BNFF%87;7*SEWTK4-D64wqRmx{*Sm5_ zg*bR$!w6Ry&)`odfseWXJq+JzIA_YK!W5iC-QR=bZg8sOwDF(zgtSTJQINjY4bpET zIXp-im9Gowy}f%tx)GkIrTp=x3Y6FE6wJN#LYzi#V(a`+i;?$GY>368{mko)w-{j1oN@8IX=^m4+R|( z3#jmlO&Pwu)#b(Eifc{Dh2*0Ty^w3a9j7|+-7k^&qp_pZnY z%P5GPA@*E*CMvFl}%f|meVq8loiEgs-V*RS1ErX^~&~~1vpcRR+!GrdTB!>90 zM)x1$mZ<;!WeS)?b<^rOr&soW61J`%Y0VH8e^k5z>{elKxLmO}Y;HW`?&*TH%s_tQ~kMzQrW-1yN*E z^Jcmq;Ba(s#y&q1(Eg;eHTfyW?fWg*FTpmAru*pzlX4^%mGOr$UifWZz%SZ?<($@U zC%VRR4?BH{a?83v&>~KQ*`)=igpW@lWlge0aIz7cboeV*&tFe(2`W)xJ*Y1p$U;uu z@)F&C#a;9aWWpr}$@zmT- z#%lL$;>aEWb2r?htq_532Sact*NDET2VmII2jDX`0QYUpXJgl$!j_mf2nBP=$~4xhkAva(+0U2KH_eM zoRXHH?f=YIz1P39JR>|F-KgwVgv)wv;7TW>POkZRs$Tb(JknHxbEBNb-%5!yk(Ho^ zJK`wH{bk3wb9El~Ctbx}|0%`fb}to{D13NWB8BrWhE;;Rq+mVKtNfgF*7XQDF_z;R#%jBzH~q1on-erGb5#M*%ipmct6za)8BklER-zVZc4! zy<6vUAMGmm;e!n7SHas|9*G>VX6z?efxX_EvD;nxz4SC3ImW#xT{CsY<(?kxd{)d1 z>~}88NEY6RctC_3$--WX7>*A2w;(*RQNrx7FDwEKV!MJ6#cIwzPvs6XrOQWkm}LG* zVgo4FysI)5lF8jbH9C-Eq7jwAXq?MbD?)+zp6`L!w=cwL%xc|_ST8_4_UmZ4eq%Yo zXO1EqQhb%t0~k@xpu#QoC+=!UN2zoJ-D_2geS}?vohNe@gTMfnvJyoDnGYvvNRMBr zAblQOCpHTxgmXb_>3}!s-s!3Ctvzb@x-0odtg9G`Pv~13$=fxOvvkvgl7){nsiv!G zS~_`g8qZriJmU+DZnTN9KuWE*7I29Uh`aMhEI&aO_dC?%VfjflBpQEmbThgVxvFB| zj0)Ht3KPk~J5;@qV~8`YJF@HnO>YTq5L9?j@t&W%WpjjL<;8a zF>{rO>+3$mjb`_9XO8h~uKOh8U_86e&U0TQHN9>?wL{w5D@6r3daT@E3Z1BF{N*EJ z-gL1>uEARmL^|T+PMzGO3YPm{fmuriNji?u5cn4t4ko(Vo17{ zK&%q5^9uKL-5>#jR9WenJDW;pCmFVF|mvOP=C)kS6oHJZB0jzBIO4m5NP7 zKsy3=O9RDS4cwG!ApU_c6N~#@5^Sh8P|Raf?S|Yd7t<7Z4rNEb*7m8YOqK zUX<_t1Tg%~^`k;ujmQ5*{9ha&K+pW;XGW%mDrOZ$0^PD-?`79Uo%?ySSbzta4dxqeo~A5rnu!oK{jm)H zmYyAoa5!;XzH|c*R7RrRR>9&pGej?bF@;_{h~JdacpIZ=B|CtySV#4$>ZYSY$b$OO z`V@&;)7J{o9qW#wyB^Vf|6Z+Xp+sKQ7Ug(o5-oI&PbsHLAN3KIiztqw$CvVazO#Lk9#8SgjuHpKQ@{nHC~tb4`90aazjOHR^|uw-&m;<5|D*nXlcmyE^>_Fe z_4l+?e_fDvcz@M8K+LSQ;`7%4vV^xzbpJ-)RCKXyIxp5#5jaX~C*C0=5`N87`I&wC zn4PV6B1R*tQbXYPf!@(_-e8oBMX@&q_GTG@D)%9jA6wkw{ft1BFMKNdvnN?IB*L&> zKo?&6`cd$o=T4ge_PNJ`KG^N?{{rP&o*V^+ee^p8L)AV1`!L*x?dr>6xM#;vVfZ;= zFAs+S3c?GnPmM$$ALQqvXA;og`pAI`cDmI&n8YZ?i~Np?Uy&=^|DTt89o+v<%DKJ& zXXS2@_K1%tOv1Si5z>%FvB(J}85+4p6vC1)h`7_g9*kX;AB^2x6hvZjH<%Z)d&b9d zBjgsd`B+mFa;N`UuZgjdCCkS`Fle%tz58MmbeOfZy8P-5<%T0CrkK&$f(SIVM}|v0 zdrYIX?&Nc1nQt`Z@tsc9nj_jH7aGey8i2p-i1p@+qLN^rsN!hn1JY>1I`_qYF(7dD9m>QZDSwm{Dv9)Se|@)18u4c+VAo`~#)rj4 zoQsxOJN8f#6`{X-Cs{mIf5X`1A<~YeCKi`c)wjK>!haPE9g}Y2qE!0Bu*SEH7Y5h| z1t6Sc!-H^;jSNMa*GgrkolFdr7wP?r0yqVTyV7pW;9Ly5d;U`8G(%gDe}dSR72SBc zn6<6);GNs_gu`m_77_MgtPwKTD5HpIq%_I;P#boxUhM5hML)1iyQ)9}a^_X#b2dra zJcN=-Coo+VL2@t67BQDBTyuv|`$|je#@M5<3cj7i^#!{#!b9a$)HmH}b_zf4?_zp& zHOlO4QG~Lj6+^Kc+-&UNZYY3jN%WJSDpYuW8mL-M(u+>E6vFb2=m_5ctwIsu%lL(K z!xQ)gE#Y#0*(V7H_+@7(d=kHyl)~TOKKnxVHK6lmrx9K!PEtDziJ?n{0TRb7rI3%- zsl!L>f@#%y+IA$4@=6iH_nv^0_L_kGv1z;Zffqn`GP)}(9F*ZJX86Jd?oC|{KHUrr ztxJrSqa-bfQ#>A7(pt5*T|gh+v3L7%s~7CzYl8%p7T_gogWVpR2;&IYE5g^Qi0t9X zV-?VWu?psM$7+zrDu{=VRREtt)TSYB94I}2&yw~hX4|V0Ukx%BNk%`+2NM2_l|N_7 zpOd4XSA_?;OSa+Sxzy^ggnx9kbU7mH0c#T*v`Zfb21&kv7}^5<0fbGH0B zCAz-~8oLcVdnkW#p(gZU3l7l9hDf2NwR}ZZi9VX-#O9i&?{aRSH|n!FgEG9cRbiw^ z>kjv^Ie>L!AQG%fa29@D-858wWG8<{qwoq$jos}Qx%(QsA~qSOk54y?!5))Jo7$EW z8&5VWV!@`xp$+AGTdl~PvJV?q-#*Ll1c*((CW$rdcOM}HnP)@}4tDPV0Sn5b028ip z9bV9+$D0Z&;?^>E%LW#u=CglAZ->;O=!_m3VGl_RiVuz!-=}2wC52BCCQ9X!@@Flf z%4Hm?z((p0pp~&&77|q~B&=fLe#@yU^4mW5H6=GiC@^;hV&jTxViSuelcS0u8zmRJ zU`H5NOzJkjol7KTurb=r-iy+TnSdE4uoj(*wT{}yiYGqPb`$I#u`96N%>;9EXmn=r zRLi+>8RsC`3quavK%`Vm#nBsvU&h@$1ye!MJ zK&PoLzxG#D^@|+SFt4{STutgn-l8^fw(D$ALt9iH=q)iu(w{V569uYF_Ya^CCn%7* z)-5a&L~}m}(Wg(b19ys1%?=D>k&j>|KJ+>}Fk3{n9r&I|YWG#(u(vhLJJ%=MgEhn4 zolr~2c}T@Vw}~Q;8e-RTz2e;B8hw>50j0rfISXZ`pHaeWepwL&BpC8*;**7zi~SuN z;ac}MdRSC!XZwrBZXH`8n&AJFvFpbW9d+zJrOoc^RW)|SLNr}*#q}79$tz%UQvftk zGn?hNAFOZ;pF>29V$wYp&ln@0Xt()RzA-THY@JcREw?Uc%;zM^z?$_zj)=$uVZ7(P zg_khllilw$va7W>Hacn~-T6GDBUB*%+%1?^CIohof+-D1mo<;v&+iDB24@WFwV%!@xJ!J z`%;w^i+mIdbcSM)t;xcwdItEK=hP%4xBf^U=GtvaJ*zVJuFMFZ=QXUVG?srlEOyOv zv@9Ly)w3zp83sE#e_Vg~wqMZBZdYqX?iZU$`yFmZ^iVP$XK@s? zUr81|_kA(fMJ`Den(DK?&E0tytNj^6sP0---5ODFyUfk&#oT;I6+V$7xEVIFEx;I2 zZ@aHQP{+|HlK#b!XW1tw`f|g%sze|3yht{Wxwa9sUv+O(HUR1Jfpx0Od?LDya!Bwu zN1l~#%Tm|h9PTIwww`;L^0kUD6<{qhd;%AX{SE?&1^x`b8NB`D0OK9_bKGKtjQqf} z4CWKI0rk|ZhdXh!TWOpUNLDpRo)D@r+`+;eGYnNhgk3?_eEWN`S%Yz%0tGFL15Y&j zH&z_hkAl^F7XoQ@^Gh{*7bJy{oK9F+I!WM!KW*ydl(4UaY7<55CbPy9+`9 z`XVKT+O}Jv9=iske+`Fb18)g6D6)_hEM%f-t!5e&BIKbd;!VcGyA>l+mMr`pbui%h z3uHWxf!pFcI;7N zM#&$rqao`=K7OPmkM(7zjqECakKdG6PwTOoXv($d!F54Q zB7_C6ZaAL+;d_J8mW*)CL?@d@ECVmR*?p~L^j!WKR&>`M=*0cQmGq%>SCG><2r6<) znBKmEbjVnP2{^Z*h+Hz&BrF%L#5opxKaFx@m7=T z1`5r^*~c_zTFDi-cVQOBT>c^PL%SvRlSI!F`My|PGMk6uf*g5Vl^-y^**}o=aaFCd zmZM&~qoi-ch2N)v60O(hvE*zvqMS)cI(Mpo!=Fv)+@AqL3Y@X?#61Iz2b6K_?f~lvXI3GYU2+D0xXtO%Mj55Qv!(EG-BuaiXlOJY7!K z>6qO;9rM;jE?&S}pp}?qpjI2Fl(fi8$@hQOT6<8dPSkG@bLZ%Or`{ z#H{K`i7HhRHLG81Y*}JrlO0JwZ1PN^kR@s^B?_emb2HxsZ&G2w5CkGRQl7?)>!JZN zJZt`*7#{=lG%-%RXjtC7+S@r$w}tj`YIIx5iyOM?w#4@~=-#TpRqm_sWm@f3Qf~j+ zIS|tC3br_ckDB7fuGsynIdZaOmXE(UJy^wPU}V3Lj)crA?@YP zCi%G;S6JUl^~a^>6G{Dk+0C!_yFz;xQR6Si4Zi|;Feuf{IgVjh>jhm7%I?MP`Bq2C zBWX=2+nPPC4d_mfc{!5_csu73&^Tuh@NrHh;OmSb(8W2PKv(B21hmeP1iCrH3HUh& z5%70jLmkF003A8Ktx$d|k*c(10-ENtr~Z$iDB z{wYump_(Sr>>$TJg!(j*%z;owny>Q#`tCwjU7R`e-Icz(I#cOeOW#`O9Qy7?-`yBr zF8R^7pK}74`_s3-a}<5ER0lYR(03r22Rg5%@9y;7-KnE*dL7d_HM%+2sCk%g;X&@q z(WmQjD#4*D&LO*zt36OP!Kbo3*_4X)MdI0kn5c#5H{M5T*z}>TtMPCJ=HfaH$ROA) zh!^$w?+&jkzO2i?-|^V94V;UPO2)^_UQP?By6o+|n}CKT__B{PkuYCp9Dy#*i3GYj zqX}r8qX~3#MiB6GUQfW^IgmhrGnhc2vj>6hPGZ(&mf*wbI%ge{xetXO`jNI<+~;%X zJ}FPvW#dT}Pi{GKNhvP&>)^xag$jaN^ckO+sF=d$h*-ZVck`(VXF@#kosU$8XDyx= z@VtuW4LqChY{l~lp51s3;5mZlOFWHuWIPkU_mS?vlZ+<^&x3eY<9Qa(t9ahUvjfi_ zJcsd|z;gyq3m$J7Zt*;cXC0oG@od2J4xY_;KEzXrrv^_go}+k9;Q1EM4|p!%!F-|# zS&RNm^pi*~lzuN!o7!96u*@}|J(o{PT+U=PmbULnq4<0p_LF1AZjf_#(qspdD|6Y* z)?zvYF_g}ni@u!ir`zJ)5~JA`#8!b^mnrwdT|X$+(!xTsj*AeiAV4<*@JBX1$6FGSFDQ1IC2AieW?(9fTjjjWP|B>74~)eI&C~{J zRc?XA2uGF0ZFBY4P`4^G(}kIIJxxfRZKfF$e+(e z9RU(`Ke_~Ve#h2dPpPcfOzU;`ET^J)w$DA<)U7~IrI zr49BPsJofKuxftAHy9SZFaKtkfmsz83b|QJJbUd9!80lywDahB1hZGec-Bk4vw#>@ z--cmT#4uVpwdMT*A8^C~qZY;AAP)zn;Q5W5U6|DmV#^Pof&oykN1;H+Zh=`iSs3K` zV=ym8!t5xMQ=5y%P)6B(uKKGrf<%LcmjhljLK+j02MP)KKdaJKPm|=CytYB zjYb#o5Wts&l4unYWEep1LaJ;u@&*=3dTblXJyC$~_1xSb(_S9b*bE8R@S?6KisfUv zk17{Kb|E@ArRcTDeIr{jx`txy+6pFafxHG|9q3N{i^PJ;x_YeL)xbOs4VFJ#SHJm$ zTZsZexYpI%>h#gN2x;`uAdJ)^SjV;UN2pO8v$^6Lti;vyG^Lf)C_cn!3>U9mS=v+H zJFx@iUbYRO7`T66{KhR^w%g5_09+?R7@I!(Lbx37;4Dx zhOohUpnQibcqp1CT?JFkjH%#$r`it1q&!$W-u^Kng}VPYj1x^HZB@%ZG9bIkWkSDX z&ICrdxgPo?^8W20ovDf(Z(7e1{iDqnDYy5P%fSsHwd{uUGEO)jQZeLZw*&b;FeH^$ z(@<*Ha2_1CV=f<0=X0QRL!s-S><0qDh-fS#P{E_Z6crCe$>kV{Z}S2-h%ezl4f59O z1zX0tB2n0qB-mmUY+-kwDS|4jmpQD4I0s4`=`1nX9Zx^xcLpw||08{cQ;6W{!@c?fc&Gkt{+K@ihdxU(aA{zH9*v!g)8 zf2^-SbMnsCIbWm@#X6@ekGOnQoHdv63goL)8nMZjANUIaTVJT?m97|w=`M-ehTs{A zB`|!%;mWs+l(0_=TaqE>vvq^f&G0gAzv zsaxcJA2OM1zjoG&(6yZfiO9-kLvQ+!yxyC2uk4f+bP%9XzE4C5ZOJb1sdmFs537v6Vdu z<0@P-X34 zea_X^!WF^nj>cF?X}hV1H;@pf#{|~HV|)sJI>1i{_*rIQi?4K5BhCg_pL<=4Tmrji zJ})EzqTj|*kkrcJR&H@MW}~_EHY}^^R(=T&)b1Kd?WYh(3{LQMd?62oaMYYykAcjj zvN>L~Qjq#4mvnWJf6NBY#@wbWA3KWjzm`FNkUy@pxH6{)We(Dz z|F};#bT>HZ`4f}(b zaH%Ly(*U%it~9w~I)`*9X}Yz;nA)VNoSY8^vpe9PE2f7iCgpx%s&HT8_AWn2Pgd3} z^WKDgeATPa4aK1ql~>V9kCHl?pJ0rLJ%7cQ+|J1@UC-(oA1e9sN8$eV7sDm}cCd%( z*LjB9r9HXhv9#wRS4FFE%1B*+)UzP}LU8|XTj)YAO@WFu5vVegQP1BOC#hyEDk6~V|2#WwGbfmW#p?jvGMIU zG=RElWkV~hdj+vI#CSu5k^wl|c@woLg{N$s5BSxObo)9BX43n@# z5??kz2a>T&W-c4QcODHFaofdZ+^T*I?U||U9xt;l7J3xFz@(XO7{0c}9P$%xLAM8( z_m-mywl>YiND!M!W_GbJiCL|~rUa}x6G`!mJIj-4VT|fMDm{o+- zI)}!tp5$Y4^fIlU*98lTSI2ql9wmX7aqQQ+hu>b$AjMcLV6%Ab+b^f)O#KaBX8;2ps=kd`8t^J7x)39S0i%jy- zZK)#I#Z=m>={KZaeZBT=qyyGNvfe@-l+ik1C{9w903nw4lA>po1n2c8=6IL(!A0k# zz0A02Ib^r9CqCu=C{n6BwVAXXqtth9qB#aGVn#t=TVXItt!f&G_?5OAW$T#yFzzxa z)yNMF0GQ;1vV&qXPpk{W-qB6o3@c~|%0FL+jAlY&65K?}B$30!GYE71$T1pwAmHdR zlYH226kn$Nr4EaUnGqo1I3{w8l5z9^1rW*WgF8nA zoVp_ow3Fl4T60LH$```32SUhiLnukUBjKASc=(~cPD*j~O$Nk)V>lfswo@$?NR#+)8%)rbczB<^)hXe)##ML$8q8h}U zU5&89!pO(N-|)1K!17s;m4)RDyqElx1)lznMX~R^NjEnDi>u*SUkk5*#ar+Rjt%%X z+yMqYz~J03&+F#y!-JK^@CNW?Kru5<3Y^OAVaD84lieI{NAAA@z8~R4R3Y8K10Ue< zEYjD6$n~VO7&Q3=i>!AgT!xi$7vI6>E&k$6aJ&2RcNcbFIvz2QzAuf8=nJSTF`+c?t~>W5Oi;Gzidnb`no4f2 z%nv)l-QGM8Da2_t+%|ALGd(^amSCgxg4gcG&uS>H>fOhVhdlwe2rcY(^7HV&MCsn$ zn&<=br(0oveAwU4|dVhD~_xUAfzt^f|1y z`<64eNtL@Vx$=1pA`Yr%=JS1P2|AN%cVD@CAI!sQS&aG!naBLo?h8pZh_i0j$)-2L z{sBY!h}c24&bf8FkIy{`c$j@3nR{mU@uY8eAD{mnm^@$$3t@g0%o^Y>un)y_d~Vov z1W(QNW%#MN1Fk|GvinNXE<9jOQk9BQ;_667;QXK=1naDaNAGSr9<-YLTnew;U3WR+ zU9z~0!e~Sf#ma~M2Bajg3*4YQP5>FQAJ$1!;qvP1s=ws=B2+ZsI*43nG_U|s!f&|PwgMSa4Eh@b ziOYJ`nkK=O?YcF%D??VW&H7JF}$JWImL`6T(*4P|4xyTE5!<3q| zaSj~Sgr!uv#E|9(M7^8zu`1I0ASi@@nGxJU@RNqcVCaS)1^YWEu*nQhrM~BBc*yp7 zu(39c7{7rLmRO4~UbWvqgW1TKvPl|1=xPTRBTSE!uIB;0!2-fAm1nBhtcEFKgPw5k zu#DMp9uDHfhI_8>kW#zRT%24FVdKRFN44WTE~PQkzEoUw5I7Yfv<5}QB99;fwcpbk zRD*BIqlK`IP=#Lsa~BIfLlNnm1>cG6G@v8J%62u_aSBaPj03l-ecl?h6Ac}0>dgvG zLW-CI1Ef&NuDqggzIsnSsfjzVCx2Kg?a9}eQ<2}Go$Um~DF^1)_#q7J^aY>tmY7a!X=wT&`45o0C1Kj$4TY#Q7%Hi^4u_zcMefo`{KLKcw3847vb{BI?|wW= zQdI~0`qlbh1}JS;RjljBpI+vO#f?8GuJt~=_&aBtZL+&sMATsj$AV|RmScJEwd z>4U)}n2SP;ihe(CSSrWiR814%gN>7r|6XW%r~CtxmQ>_zE$K^;#_mbz$@0AloE5#y zjytqCX&>C66f}(k59BL%UTxjZxS>_nn{fugn4t(9upd}WWj@@T3Yk7QNV|+h@;lt` z%3AT?8Mi|!ME)L>dtuvMjHB7< zhc&t3Pz7muZ~}^3T=dV7(>o5v>JoOzuVIyibiBWoPt3+wl&{@i{uy6fNm_2grvoe1 z`{iE|zH<&@Mz|lg{@&_5vn&qWXCcXzA5%fVMvRfL4MHhG`ECvR*~FG*2h0C(2Uvhl zXj!xdg{%I0&{dkMmz_G10zJ(C)F`8%HN)1de!x?JyNZgEY9QY_#Cm zDKDED^U`I#<+@oc7`X|MNx_^Zb6IR~OlfSSxiq!`3eQkfiZuYQk1vaDfSHV?wt6gR zh0Aw9?t#N@9v4Aupdfe^lh4i&B0KXutll_$FK_UYiW&=1mP!N9;+yL?kf^V(oDF|s zMSUy0vEvqKSX$&wf%~oz@VSGx&5zDw81PVLw^ELuP=oi~*7qKW2RtaQjG1@^SPpSveA-bX$D< z(@VR?M1}h6N&?8R6@tyZ-f__<@=i5fA%BioRQ&yXuRa!F*a}M7Oh5U7AjFbdO{zg? ze$i}SXQZb3etRl;!QJ6F2NNnadI(h14Kv z!S-LBqbPKc&s48=P^n<2dCDL37O6l@w!6Y~;`+?FSdFz@q*bnj2G?;5I6V{#K~R}7 zVl~z*R$@)_7h>Li1w(XE4$ykyOdX;-SlrEnPLCAW7EW=I5^hw1FA6RHpmBXPE0)Xc?yZ_Xxv(O`yO#>#nK`2&O4Nvf^#QY?3?9x z6$6OhTc%?>2lIx2uzGxy%Euj`lo}0tPbJwWubeOsLBNk_? ztuJv|o<$*J^hJXG7ZEZkyzTig5eBeMyZtJoKCZM29m^WURgK&yRbclj@8XiFfyqVt ztsMVxpm_XTESyUAZfGMK9`cgt{*judH&LBg--1Go&Dhl2hhr>*!I%6TMxY3Qgv6uD z(Rg&H*?Tw8UN}xG+0V23*oj^VKRB$}aRzxn2Zwb>LyFc(Hek_$w9ryZIOB0WUm+5P zUCAf`wZt}Br@%7ujgUS>5HUs!AzUYm3FSP;=d=usMM_p^<=1gcl(X;fdZu{dsH(U) zu(;uBak&OMa530P(&3>fiQ+7Y*)!SAPJD^K=!aDxhHFnce1CX=gnhI-0bSxt>tTb! z74LXwBfhZ4kH!&|o3tpk(4Ry%js(`oM~G(_dvwEPO}fX9dn35i4>rLEdMCKS;W7v1 z_n4bzxWUmvk8OpU7{>=BXi@80f(Kf(AuBh)Jo<#Lq!iBRobo3eFu=VC51CQT^-#EL z4H|wMaZp#X1WrK8nBo0=uh6P4^`>t|Z68>`LhHrDK=dt@BZg{8rm zD1*I`ZMST?i9EMFIF@-H=JIS{p06>jPLN!_uTl#pd^a$WPt(sZQt4Z=TF>e~ZSUTS zwPT?ax)1KKB(7Eph3xbW=s50UI*$8niDteMe*2Kp^iKz*H1Y5jA3jjJSXEvko@cA+6e)>qrPEMGo@-2wBT4QHpvdyI!Ka z?7_8fj_Q!gBMoS{)ZghV_u-WMYV3EYI-vT*cRDlIZLO$Mn=`-ISyZWnBfj~mvAQjF zjtXq>uaiw7b*7LC9MxIT;Ok$D)e&FZKnw%fn~WPY{j&cDL3uc9e{ zVyLJBagMsWGwCK2|8!Hx;cX;h$4bsVIwTRUdTyX~K10jcD$V|{Sq{sN9*D|3)B~vg|FKJt3egAPwZf5F@#j=w$^T=VLdtAUWk0ty;lb*e>HG~119L+ zgF6t0@&aCOmy)rUzrq$eUNVprZM7$ z%xuAcZ~-sXZV7mBFaCRJRMMIx338ySnGzJsbY4N5pn8)X+ zC~9nNoq*i)hLdugKT2pHgjdlN3}@Vp?p@4xF;>uSFUQ#)=^+%K%M3d`dE?g(xUnD^M=$P>68)hN;Y4o{mzW zHEpMPp!2%);)_Oxq4+xW>A2Dz2MTRxD*3t?EShbtREp9FUX%v#qSPI`nOK>L(ZyEc z#5Pu*oc@3)Jx&d3n~A9&A%w#fXSAk}BNP_upDCoO;-tt?)QpNIe^bbQZr4pyL$*|@ zxdG}PP;dWAWGQot%D10oFDvP6UDG{&#l_WNlVH3*T}QKx(pYh(Pe}DAlp+v^R7M}N z4a6;Sww`#p#DX)!y2EXq(-`H<=XJH8I}X)um@368F^1%QWr zz{6xX?+yrm@V1@m1}H60r^Gw<)ir_Z`@wzIa!_LcP>Q?#hb z%o#Ne`+3vAj!eYJT(P3YL0D}Afz%ij{MdK-I94~L6 zqZ+HBC}!36E-VMC(s619eS`aGIoO5|l(cGHOeLBVWKl>pAFkN01%xA8Ao50oW@(#* zWL9l6BCUASH#NJcdXUxd+IKRT2&y_z)JS>7>lV*GT=7hGj7}2JB2U1BkV;e86jA(H zysqNUNMpqxSJENdQCMOy>_u;eqLGX|#jz+udHKJVm;XRhG%p^y*nLj@b}A#zZtMgR zr#HG7F(|5|qE8(ZiaqW-taO!pGDAO8$qPGSDC@wyiPykTDJo6qY&7MuA^TwFUx&*^ z(brX?3qtA}Me3>T@uw~neK8u1iU!se@pc2rrq%|P0__mC`PZF6WW^`FK!fNsVaQ@6 z7d}9cx#&p9w24;bI{F@}0yy#$8yW z=9xZZmF`ojbo+UwLxnhmO1GUdmuinu;>yl_ zbGSGRUf?2$uB?JlFniL$e=7Y5ojjhPiW{8n&o=z()BPb(g`z5a*17nON>|kAZm+9J z4kg-a=rpr)@hi>*qYQH&ROaer)FbrgGytJN3{K(ZLlQCsPUf15Mh$Ab+W^(i8wM3; zd|{^BQc0CEqyi?IavHs$CqS2ALcu`wSM>`x;2f3cjD`+S(sLeDdtF?OX1WsNF4Rjj z2E{c#VXW0eM(bj#(Rd<99CgL}(5a!0qL}Jp>KyxuYrMjU;|#~>N4MilFLX8BTIoA* zUXXzX6};|HXF1^e^6LbapA)M|nz_MKbZCO9OG8iyen`VH-ac{YVti$guLOk~F>$`XIJ$lzKT6 zfr2gJRjhWf_8YQa6Xo+%N}QtxTRTxdh`}tUm4e7}nx_ns)JZrXvk$4JusVa04R`kmuU24MuaG^$*-qZ)?6rw{)6doC?6vDe z#p!DD|HA3*|AndOB(FDTSiL!;)SJs4)|*&d9gKrt(7A+s72{upt5$U->rvXMzBlU8 zzJM!KF1|p6MI@Iy_VH51h-FrFq27v>$$x*Sm#{hJe}a`IT?|gj^t}I0T5BW=ZS9FS!QtUKh;NxT&=U;rK z!+fKK$NBA7IZ%EbyQrnY_0{^4Py{A9j^XpM&{g={L9>NYGuE#j3ta;oicZD`yv#CQ zN%c6ts8(L1<1zz-eEz`iq(Idb44c!PsSLzmvj#QuoG) zS*BzCn*1RGEI#$Ca}K+;+gNf5(huE^@48w2;wgQ5p(f7GwMzD0oK6n2J&lWHs`2chW_u$n#(e3uo0{oo^(TV!57~IG_~wJjM#GyItZJwjJ3P`kS#eEtZ*bOB#DWU z+6rPcjz}bJF(XqPGs}&TM8edb5AGR@S3Klx$EAroiyKbC-u_;3wWc(7CpH8vG-F?g znTcNL2s0z3gE=H2gS0!Di;9;+)-O-m|9dNr5*Q81Hbgdv6{{sIPRMlu7vwl*FDB=a zEcS4`p@1a+0y(*}KP0~|VmQr?+F&V>|Ak|WxNnHA&e8E3r~DvO4c{Ev04C7A@&LHF z;%-`NLRspJPhshQ!Y4B#5`1E8y5M4y`2yXnZj^U`M3}Z?QzPt&Ogzx<3mH zYsaQC95O8T-^bWw0-MIOxQI{q0DrJ>4n`|%(%n_Ay9+8#pdnm$*KvH%GR1BPyw1al z@hk%Y63@(>XDh%$9;Cvv_quh?GwKZS!&UYE)pS&uma!W%bLz{R`j80=jG4et{Mh(H zkA97mG<>gdc;UKRGwYaNE%m{+X}uIoUPG!;=6o>U4?xd4VpNUJi|(y4n4u#|d&elH z=&pRfTL>lOS;&KQr}mZIoc51 ztms?17sX-wwMY;zlCktfs~5t4frtIq9`>=!{u-BmUza`BIEsJBK(&)~;aE|sgKnCM z&gmJ3MOiOizqiH!R7NCn)0R-!&pUVt(y zs82?o6i^ZK_^I^gihsbAqkpKwClqeARqiPW8&yH-)Y>}8H7!Zk-QfHDZd`TKo4(fJ zYpLIPvo4|@fzrwn!8v{8#s$_nR@jXwCqU`TTIXC@^Tz|r~RfK$?( zCYz9I4F<2QeZl@|(gsIE{018023Uf#^=OE9r6>)|KNASFbI`3_GKI?M3dTZUHBJ{FIdSkpc8x;qXuU`e8k~{wG6bfmW(WAp3pW7 zr1tb_-z#kME2RaCt>GqJxV0Ipt)w6gzVUrwBF+DDcRuyHp#{_d9Y|Kv-L*}+A4THw zb>SCu;g^x>^9UTNp5TbZ4ctg{8q=prcusUOd(p`t&84wN*>>L8e8G*_M>!9sB0mHV zMx(O=55C^jmIsLHgy6wZ6%QW7;E3@c79TDi%m+h=2RPp_p)2v=2_Mb_>P%cb03#k~ za4`bQrEyhIQ^9#!6=Srvpw>z#AazASqtkriqRW?`fw;$~j!Us+*?Jm?^ocDwy$n0jrg_PuKqST?O(#)c*ia+} zLy_Kbx*eyxSp(%DW_zV+7i^iU%*|e_m4@fu;U||zkD1_UR z&3r050nmuC=XKEawiggLpl&PQE$QP5WaGGB?70YD>S>>F**Z-&VVqNnzggJl97S5xEw!?I=mCZq4Lr@ ze4yE(FHO{P5C9R9p02To)$e=)_Qhr&FBo|Xqo=u%Hwl`A(UaWB2Sz@^2uvoAS{P}C z(Hd@~M|H%bLAG?oipj6FqfC(h=x-$5QpKVhWPrj#+s48Vl0aeM)5gMIgIh9KNZv3< z=oA(%U=@a5FqFS%?Mp4hW-O}WxBz`irH>2Iwp3~fiPaaI1AJO4^)AG_rPAO+yc`-= zHM>nzv+G4QgVsca9phmHq18Btun)skj(aF9^Bq{VX&sb^OpJ|m@H{hvp$N*HjQ#Dg`ay}w z1RUK<&52Gkal*9i6m=>l14LesEtQ&>XEXPWf}!$0Tkn{dESybb;g}tL%%zEmGVWMI z!wBstJy&*Y4cgG3DjaZ=b|Z01w_{XS`X)BwyBmEIfAQ@{-`@P&pT50t+zQMC9A3o@ z8e1fdu?Er$=iGbQ!_7thQZky8f#fC-ui@RDz396;eFuVdMIo&(W0yK{1#u=~%RJa= zN`&eq&8wi`f}5#Heu(4w}nTV>hAB_O7I!q2!jAP4#uzeN; zc zD}*n68u3}eKVvW=H^@mqXzFH=cYN%cHxEQvK$8XM&LH^~xWMSapPTWJzywUEg=}#y z9Ti<)d}@N6Nnf-}mx%&Z`g#0ZZFW$aJd7MQGxGNTT31x_P+@CpNOi~+|4%Wti!2;p zvk0uWg|$=|Z3a0Ij-7+{_--acH1LtdjXULwzaRw6k)2o=*eRbO469HOlTe|E&H zt0nJ%J&5zKa#Sgw5 zG$jW((QVzsCHJzOLQU7yb?T4PfkIQ!WFWb4^Fz29svOII)G|~tlU89ulY=VLwu=u@ z!J)%OBe6(Vi>1L@I7c*ONg2&ddg6vtB+KrDn%jlloj_U$tzoPCK%+D4G4_6(z1Oh! zQ|!H#y`N?8b?p5-d%wuue`oLY?ENZxzsBAh*n1;;zscTjv-i8~y@|cwXYX-A6#EwT zP3pI;VLRCSBliA;z029VlD&7a_a64HX77FMeSp0Wv3D(dA7<~**!v6iu4nHr+50Q@ zKEd7%?0u5GPqX)T>@BnR8TS5xz0b0DGkc$B@1NPbg}pDb_ht6}jlHk3x73%?<;~tc z?A?XEwe0Q3-U000oxSz!-IKk0v-gSK6hbh2U+zWUzu}Fh!}W_#HH||(jn`Dr$sf9{ z#@<+(PwIjOJva`FpqQ&&=SU2Qk3O8|=P+wE`{JYP^17Q^aln3gcx?3kypyEFqWaO? zLAjwD*Ak4MUv(LM|EKb3lqwXU!RF!LK-rK?9!3LA`ffUhF_bo6<4Q2sCAF?C4hOa+ z+=X&D#>r2_{3x1V`tU zdeJr7emjCejQj{*e9t+x{*Xt6Cpb*#X7@ppTE;L^ViiYeYmGBw9cUYHD8eZm_flhO zk$i9*gAJ=0Mr}fBqR+4O@tQhwYIS@_U0iC_6i06~N0anm867Cy662-OVYs~o5QiPc zYpUZ%A)1pw;o_h)ZihXvqCf2^DL7D#~mOHXEQZp8w@FWI}YIhW0T_=bHyp2 zIL(*wWs`j5yTDIJtWRiqOFg6f+QYwosi|E#)5q2Wn_5Wso1fh_OvkqrM|O5hj4C&k z&o=T6+}hAPG@kM~fo=iD03m*OZGvv%5lg(If0!PeONc&l-r6@EOC(ZrLfH#ab8D+< zkA@lB&&5078@-2+H0&&51av3*zjS?mys!!m+>Anp0par*#nZ~qC~6RWN*FRpK`S_4Pkwp+0W#T<#q{t(ju66q^SoU|krB=XK`dlg*_10sVb+x27Z5A!_rc zBYQDawfDji1$r1OW=PqOx{olds>C6IhD0yPTUWLbjK7c;Y)u^KAa{O> zV^|-pMPGcxQSobiNJVRPNG-g%-9z4F(tRRDS0>QnZef&U`vIpDq374xzX!GKY+jRY zY^r3m2F9n>BxtG;GNHCzIPOR9Jc&ZUc1JLoF4anK4&zM{{G$$FMAaI!4P}hg%hs@W z@aZl#t}l1_X>D*Bsyp8z9}FjD`}2R<3;ackJTA7!hM`*fN_@HAPXr znEkQCFUfo+9S@J8_Zf3(LKL3J!WB^J%%T|$O-f3kXzGX!FN#XFE@`kMkl66zf?yx} zRAyRWF!(;*4~sA4q`)wU5SpzLG8l+GRDP*1Ra%5Xm!+^kleF?GGAvCBmz|eD;@(&T zN(64=G7xWYmem1s+3H-FG|dXR(&|drD7vN8u%PK)obfH_Hgmc$)krYQqgYI3h46^T zauFG=#ZdC$*MFdLw*n+jxt&jC^Z-S zZf6{Weo_Ia!3?V7sc`=^3Dn-t7M$X^6T(aTo5TesFh#DXRDcw3wS-m zX;R1sxmM4hW)>g>uY&J@PO* zEtM~o)xDitC3bFgbLUpqbZ*sJ)F~OKJ*-x)1N)Uk?+j|2XchTyxAn&gFV3w=Fv|C@ zVz*4=YZctI%P_Ob>2#OV1syu2Qo^`@Tie*wEDmv5QC@?BWO#{O(B$tj=UJ(uy}3}$ z4$#aaxpb~=YTcQ?wRdMWFL~M|DZDH8v_YxRqTKK!BG0iXRppr4P{pgcjaRm;!zmou z*1`u_#Vz`@u~3KgTd&SYKiR2Gb*DD(c51V>Q=9ueY|!_yJiP~}iM6d8@*EhoD=^zJ zT^7k4=@FEhWkGFhnA!r5<+q-lrQh$Y+QyNP$UR*6QEjXW>HSVaDsSV(Ri55xW30}U z#chI8W$?7N7Veba+?hrHHWr1{hYU8SQeju_l)Y-{;67G#;(j2nJ+s|qshd-=+evW1`JCFuqHsknj!XI!@u})iz1objS;?w80A~IFpNa#?_tW~AB+U?T zqJTFDs5q@G;_eO$co!`(7KDxqx2@cve8^0q(!IfT02!1-w(hTme@L zxL&~b1*{hEw16!Fc3IBDzfQmr0vZLJA>c+q|5Aak7VtFzw+Z-}faeA5vVw;{Sio@t z&JZv|z=s7~C*a!xmJ4`Dz%v4R3%>RgaF~D-1w1L}eOTa+3;3ddZwk0sz)Ar>6Yx6$ zTLjcT#M9AVz+nO!1&kN)ZUOHRaH)W+1zacKn*x3$;2{A|2-qy3RLJA)Bj5-DjRGbL zxJW>ofQ16C5paWm?+ds`z%K-p1w1d{RRR439}NPI6>ye-X#y@4@DTx@7f`7e0irx# zUdGeYAfRGDI!0o%R0SGLz6>{dK*jy?o4I=hSK#K++&oLz8}@j!aBOFN7>pdw!&TfX z(9loA>^J&x`&oOrKgHe?>R;@_+;0*PLcun_wKLk%XPn2w)rx=;1x~{g`XzbTX9&C- zx0VV74rO`vTjhbT6L^5I-{|3gv%op`C8^xQzSaY85V%60EN~_Mivsr-@oDGt^eOcA z6u7XKdJCM!M)WfXTnRs1;IxQBzYzkbB^3Hadf=ly+(&uXkMqEd9=KWHN`B1puul@W zLeG2;`(zJ1&BJ|$2cG4D=L(#LWc0In*cW)<%RTTyfh+te@vvXzVgHzi{TdJZwI25C zJn$Di@bw=4U-Q5>df;z+;F~<~%^vtR5Bwv6EBq?=z;}7LulB$Xc;K}HSITRH2i`1j zrF>o#xKduU3wU|Qk`MbC1g_Xe3LHXD_A?6{iVy6UA#jZA*l(4G{YDS_Y7cu^;32}l z{%%eWsd&;aQs4%Lp?wkfK!Fzs{Ca_}_wZjXaOjq>U#-9u{(mNLNN3rv!NYyCz!my> zFXZ$o?TYKC~#6OreAOh4_|4I!v)@hTT4cPEA6Ledzt9rK11M2_^Sl2 zl&|#ySNKyd@O~mb&+wB(c~;st&-Tf)etWhD1s?uA%YTE2AIrz=w{YR26ssjoVV|^c zVQQKsH488|#hRLuC7c1b+R}h41`8M3GBU}5Fj%-SJ;iEM<4Y~6wwyf01mR{W$ijt| zltr0J{MP);blbukMMQ{);WxSPTwC5PqY;0e#cIpTOtmTg?Aa+G!l@?H-eJJAq+T|ZUYHNs6}sBmWzWg)EEEbSGtXuRC(<&lxmhWxmL-;K zn_)>xu98kmhT%_0VT@09yL0o(;3i3B|A!x^lXZhM-|kY};k^RihsCC8ej z{D!(f=rvL_^VwZ99QA_!{}V@{t|JN?sk0qlknTrcUwlDB_&N& z?Ioo>GYlSVK=5unHD_T;eoCfjMqTFP##1YXwsRKR6+?{0nwpoH>uw$-!$fK}CS|2q zttwkXip{{g4z;~0FE3@8;H&Ur&O}wuOU+oO^2}TqCgm*2r54&SebGJWF%0o&$5inq zr)1}3FI$phw;GUt7Hcl5G|roODHn*IJ8B;gg&&rcE=`!Qa1wpraKjDKwAu0T%$#>is`yz<9@MGg zO(oWPQm?W{nlf_I+BjI6lPO~9FrCthAqG4|4eXbKsnjM~3La>KGYs}AY4_NzaHHUD z%9pCPW>~V&RfKz)EzPrK*t73lAWDrSSqe~8vJHbLp_&XeNK$GBIx&P}&B)2K z;Ug2h2T&<12Yn)-Jsa&N1|9TG{3l4ir8y{lnOPPC!`!$)C5)cNj?K1bWnnn85J9%Z zF^;fgWo71CGp(qGBd8#W-w3q@%naE%mV#7EF4f=ET)ULABv%??;B=E0MmHenW;Byo zdR9&fxlhXhGc1y{C?|)F+7>Q^t0;0IVSI(}8*kxo)J+_+aTl52BwT?`a4$P2KbyA} zJl?2RUzGfh&s$%+d68Wcu~aFRuQ z21}~dj#6jO&dkY%e?CeuNUYibPt8%jxX08S&~3>}M{@yN5Z!^Kamt5b{BAtWda*^l-lj!&0?dZ&oXyaoEDkyN}d` zg;0Ah$LF)zHRV0k9;j>ybDDG0kLrU`3oOzNQX0x9b!L-t@?tS=Pt40nwOFmpDSILG zE@)M-uU*qc>f){UiH(i*rQgkwQX;tsH$){Sb=69@Mn=v_?1~C&(Bds=lQWX>lca*& z0{paHVcJ#FYPGO}Yx*bOQkTNQM+%Dy5rO8B!bcu1?CtA|7*?)a=?ht3WMN|ADoHDa z4~a^gQwSf3Br$On#S&h)st~>;M3a$`q1ARR$j{Bs&21NcIBKb#r4c0szi=8u@K1&# znsP-}MFsx@`q8#NHU5ML4h_aO_Ovrl?fxkb{Amw-vv*tfA9&ya zf|7Cpm3Fb4z-J)!*^&*d-4e7#1}PRTULI=&2T6YTOJvw$yi?#}EL`y4IJBSSPO&i{ z6mmgfP>A>9$w9lC&7?ONyR$!ug(-qyAOSI_vXHEBpAJe4(w#7~B9s*5i$R(M+0bx6 zPfFui3r%$8p{-SZUfvoX-!5IX-TeFm0=w(}3b=5z(@g&0wxNWEMS3vYXn>`;5Grv1*{gZR=|1z z8w8XEY!>jMfYLHSuYh_1g9Qv1&?sP{fJ*qu0?!q&P{1_;ZWM5vfVBdi7VrlFFAAu? zpVJd1V4{FC?b%WSM#-}<-wksG!qgT*rlalXaIW#DNEqaN(kI$^DmxJ z@R!FdfWp7aJ;Jf)32X}L-(<@oDIq0KGUet0E|aDp{wek>$z)$F&9vl7)3JayEoZ3| zV@YKJ!w=SqmXW_a_5oA)Pt5>C7@5@mAq)#SMmTIBgRmefBonlo5JfRzA4e(t9EkoX z4z)4G=fX`1Xn*n0FCk%MTH45EEL_6V@Ec)Bz|TM*%kU#($!s3GWXV|f$bKdp#lb&D zW!bQw1)PYSgLfLkGhhN9)Bi_i%fX@Ec=-QPKPVI z1U+`}ffoo)mkm@b5%LKhE~hicWyb0CbfwVW*4zXt>6a)VeJ9{=BzT&J_cGP^noQ_# z1bS<7Lw^RB3AyC1&5{|jg(dhK3)+{JF|doM0B!_d$*%Ti9S$Gr%wLsaZwQBzgMSt#p8Db{?=}4Or z0_6hd+MoI7B_a=0D1IsDmDvA0{|Xovcp0J)c+Bn)I*y;>Q=~KzpxuUc#|l2?A#P4l z8d8(r0Zko;M}AWg2657c8XSSph%daINrw%|GO3JHZ_qZU+-ap^W|6QJ0{+{|RohaS zhH$9FlJsB^-US`dsTA425}rE6L^E--Z7p!;36->^a6!^vwcM2`RAgOB+yp!37n$ZF zjXCf`65I%IPAx}KmjzyumHbiSY@04V&!YHDd6vmo<}&4GT20et#<6*v9_F-+o04al z$+S%%o7KRK%ww_cGIN;~V+2~*&9Yd9+?K|lWZxO2IZrP<5Eh#t?_Fw{gIPjOK1{ej zn8#q)$!Dgui%_wTpOlc2>&jg|pC|wElj34#<+StW3fFA|S8xk2?5EI2_BKl!5}Cb{ zPYICbLce5UPJyWt^Eqt3JtN1xQa}#7G1r*i=gfv;jiU0wWdvkp%FRv8!OHM5WSGd% zS(dydnc0ks32d>Q-1Vdveror#n6`y0KIVheCdge!?q_D?>njmt}j&sZGc(W1bm-g`TS>M2;?v@lr!$wGLcn{3Z!izAVv zZXwVA|A(=k=U=#_{CV1Rgqu-I{^+j+5+2XLw(g4{8&dwfq`&s34&h0j^vd-Dfdwr<bf&c$>`v0fn|1b0Z&lX%dw`U73|KsUz*Zvt??O%8YcJ151|ArROtH|~D zSJgC>7L4G-UhY3{ufO)E_*bXruccS*gTA#LwEsQ5DEvs5O>e0;zPYI$-^v%c`l~7C z?mXT9wbZ&@=_U6!|MK!mO|?q1XHAYEB`$(D-Vz@>ds^J2=`pdGHKk&{1anBVCS#tU zD0(UQjnXYxiHn8(G`5B|9TKKkxL@bsa)^xrZWFLtztt1wIM3Gl3gb_T)ap!+wp*p8Ri9+0O#rAaI2q>1j7Tl)i8kPV^g9 zcs%fA6;AXQsBlW(dKJ#%SK(7&U$4UN0^Y2`DSd{uZhDB`Bo%%;@LUy6^se&2*9&|y za+c^RSK&l&g9@kgXrJNnk$Z|iT;Np7DE(#?PX2RMIQd_v!pZ+Ofm3;*^w$eK4&|Hd zFA97bB&Rcg>!0QED|nO&r?Q$X@I?5h^sEthEJ9=Psc^EdSK&n8MHN0BxZyd4zcbm| zvRQ@GZ|fo~G{T}U1AuU6nwMfsII?6og&dKG(vz-OWS zQu$N(t?=isi;0iyL{7~?|2!noHmxknVB;C#Ch8>t2Ab%p+C&_=Uu2qKi{v$ed z$JZ7}kA}if;v(J0EQG6=a4JZ8rkHS&Xk{YT_aq^IebW(uh- zcOwu6={U8|m-g<6ukHQwI7n8{#2M|vS904kJTj+P7cnZ8TxuVFCR|a-p8jdPumle; zPwnlqK@t5t{gK3?jfR zYi~|m?ASa7=0p+s=`07^+P5#oZSAv=)&hh_YipG5JW$MkZQWU!lwG~9wHUtg7>8+n zD+PX)l?k3#ZSAR46U8K7CwV$ST7!@fpE{h*>1pe(Jv~$oc#F_+%_lj(yT+5epQPyS z6p{8`9?UGDNL}OGn^V2XLGDrMq8i129l6U!S>WbYk=vy2L-El1#bP|PDnu(wi(r<5 z5=m=g>e#V206vJLO4_Ja5HGk6Bk3UWpQk&bk-}Qa!fPK6Z!c(Vt7HGP+CnQ9R5FMn z<>wg>x#MdP22iHdw)XMS`pgp8Q%ZQLB=@xDY)1^dd{7*o;q!GGs#(Ohj_gTi(h3T* z*g8jN?ugrb)rseuk|NLeczaE)B;^RNiyhHLtzv;IE$!)2)=Kh_;*R_)e4to3ZOmD_ z^z+>3ZCOX*ki9z$_d2>~x^h7;t=TBQ_V!d7sbuDWpFAh2?ecU-eBou6>oa)TFGVQS z``r&$)T6rjOm&NTQ|h((euHdgpAA!r$6X(lwvqQJoMQT>u-f)V*n7lirMk`A6JD;} z^&*w^JY>p$L>-MDs7_J5q|Zz1v80FV85a4V@<1BlihHF$kMQWxDb2M0Nc|j@Ma8|+ z&(J!sfwh4|r@|F#4`>b3lWH<|=LfB}QLW+mLA8=r^mzaAXZ@Ahp2i?NwZw0wpQF~B zT6=fhrF5(9)&AP|ch@6b?fW}g9i%pw@|<`@sa}k4Y6a-m)?Qh~r1p^is1HteNe{4I zg4qqt{kgeYt}tDg2LxOb&{cnnPk=VUN8=Nq*J}r8SxBe-XL+*^eQLzrd++t-!5h!~ zXq#O7;)s_62v7NC`&&C-n_uei^_R0=KCm-o?pJTUHGgkFjPEat z`+QV4ImMq(oN_v4@Ega*>&JbZcj4P7Z9#L(12+u#A?w&M{gLkwo_^(Z z^HQc~XAXNHxc|vSpW&mw9(i_1V(Q=StJ%<}Y0Bf_H)#9jWXD~T-H*6!yy<%5J3fhd z*IoL&Ztc(y56(+}_J-(JkFU6Fd3)xG{1;v|Y?^s#=bpF1)=o`0A)jsc}pYF&w_G;MD6=nBLLkUW|@?G&==XLMQS=-}-LMi=&p@vTn z?>@R>$%KFQPuP0!MD9ypjyLt$I&EL=ed~IiKDuVCar(&#Z(YjCPq_ZO_xz}o>2I9< zR=2}R0UP#TpK|A;#r^N8`1w)$QaNVCr?;;+{oPkvb6b}k>*eZCzn@)xx$*rNuXCFo zG=y5i^6H8%Z9Dz0Z%|j`qUiglFL>?HDAUR5OP1&coga1Qw|Dlc2z&0RGrYw4?2-KF zxa;1H7YZon4qaY-{NRackCbQ3eq}-C`=#T0hTa#u0!xji{zInp&7Sk_q95KY z9enQVE3a-jeXgun>p?R@gY+x@g@KYupup4OYY-*e~U-rJ8G_eBpY z$avwVdynmY@0X7<)2>H)PXD~H@XC92vwz%ZnDWBKInTZ2clBMb2R4kDlKITe>xTB< zwfD`#pVu$ldrMuw>@S~Q^U~huH}0Pr7QD1Mu-mGQzuNQz$NtvC{OvoBr_R-XzyCQo z^XT=r<(=OA$eU~C4IVSiP^TP8zvZ}%+Ixf|` z^rXM_z2&XGDyC&qo6)H-=^(DFGO z=i0x&e&*u*zNuTkb1wAz{Z!@{dDPA8eK$V3{l=C_x`Bg^Pr9rA*(zb}GJL?m zw5uyV8R=6qb<>Z(G=4ell_#vnyPbaV?DWNfF9*Hx#Rng>bbmI=`ebFC^T2b%7d|r~ zO4su5Ck?%CEvWluVqL|F!M6p?`R2XV3%~s(-?8uef6SXPQZs(~_Y-N|UDAL3^Nen> z3mPYGe)opa|NckLKMqdFzCV2PulW^IYpV}0Zn(Jd-Nn&0@BI7D>MZ}4UV28VFwYym z`jaU?-*Rk5f_(hG-GlmH>Q)px<(~RCk1mgI)V}!77wpoiai_U#!1&Z>`k#D0$x90k zsJP|PD{mF_9{S!Lzm0j$85R^dJl?;%=9TDiSHpMwwkkhq(%-kec6z+E^8DoG>lWFb z&<*N${M{}8xZ(ZYiEoy@HRjC3(a%2j#y8)1T|IK)aH03I^|yj_uNPiS{OO&q_KtXG zeAKN8d#tsKmz?Rc@r64sp4aSpwQ^Ro*Q%&%rxi5_UYKA=H{copT z>DzVWhJ;TVkG|zM{l`U*J@CW!LxYUzpGn0*uY6}eb>RHaktIdMo6~*s)2{q-#ipRAx46mPMvTWoBiDrlpP7;VGN1 zIN|)QwfEZh9u60^|Nr^k|M$J`d-SmGZ?8SBz4qGs?BSeSb|)r3-}moNzrF9xp6?FK z9C_~RGS6kZY7L%87X0~G&W?hQ3ST<-?L9yK)~mLl#J+0#n%!YD4t(%HGFKR5*zrE| zcdqRmdCE^6cJj;h&)@o7yZ6>Dp7iYQ9u>yk3kN;*UTxTi8*WS)`RS{@)^6K+`IWgT zi6gtGd=aL+`OsxcpF@-1z5B87ftO-;4{7`%?dN^>c$Y@)b&I`xVvF+H%kO+N`!ApP z_e3X}@zRGGiw@n|*e(5=!?&#N@yh|6iK(m^RmZ_?<#8kXyl~>9Kx>eRYRD>-$%Rey4VS`ne-dZ7w+S{nReoJUXs= z;((>#(GEvHd}oe-cw)C!ZSrS?)jr#Q-@TQ$pUD5|o6mN3{i)Qe?>)8c|MYrz+VADV zVrGB$z{7JETW{{Oru^fcZ?EX{@xY{A%jdn;{>LD!q@v6Z)+{~nc(<%WvA(~UuwI?^0n>nFF*7AX59nZ%UIFTH@?5|`Es8P&#WE%pmkU7@{1F8 zT6gdNsCHoa)I$??PukM^*UMpL1!H!^ez*0JEl=He;u-TV=f1yX;Z*OgPxtuoskWFN zGv2%X<^kjT-g-3cxzE!_uidw(+uF11te>3w=&@hoXQUmQ^2(FTPI{mJW9flcKDbHQ zvwP#+7PZY&U(HHB9uR$d)a+HIHy`e{yeRvIXC4W$1*hf>h1e;NGa zeBJ!xJGl9`LOX)v@#D~Q89TweTL0n=rSJ;ASQaqZfYV5$5AhaLFf(`;_o1AI>8!fO}dI00EbVLa=E*FnN! zybbF(gj)+XJ5IO_VLRaj!i|Iz39~JtzD4tL&P%r=z7O%+6E+g=KscH(4m9veAPlO= zuOz~q37ZIaA)H3IE8z^n-3VtBP9|(7+=Fl)VY$yLpD^}Oc$E;A>!}vPHwZSXA}rsd zQB7DLrdvulgZ!@`oJn{!;Vi;6gt1NGwSh3UJ-jv%9x5QKC5&qhc-0XeE+E@Qcm&~k z!q9a2b&&9A!ZyOvbR8#*Ye0C}2~QA^H4?@(CVsso^r4ub58;J`4|<4msRl9tM&i2> zP9W?~*hJWauw0k+B%DEfFT!TR-h}fB`w+Ge_LctUi~RZ%t|oo};T41f3D*z~BD{%k zFyT7FM#A-kLkP?D_E5rdy*-Sujr@lbwiAvZ%-$CHjU;R&98EZZa13D+;aI{MgyRUC z3C9!8C)|p#g>Y-a)r8v+UO_m4a1G%^!kY-UC0s|i9pQSy?FrimcOYyh+>tP=73J?l z*hsiD;RM262%89ZC7eOH8(}lyWWptcdl0T7oI-dh;Z(w_3HK(vfp8zfwS@Z;-bFZ# z@Ik^i5I#=0AK^yA{R#WLBg(H3jwY-UP9mH^IE`>7;cUWLg!2dwB5WZ%m~b`WA%s^D z9!j`|@G!!g2oEP*M|cF`dcq?K+X&xC*iLvfVYXG2*G$+*IEQco;qin`geMTrAbb;H zGvQ*w`GjW@wh%5OTupcp;T41pGytg~>_J%Wqk$Jo@M{zCeF@hQ_9I+RIDoK?u#vEx za2R3su8>DKVI$#4!U=?937ZJhtQ^ZG+>Q8og!>b=5LO6R6V4*Mg78ej8weX{KvhfF zgYYiG-h>Yl_9c9rupi+@!U2SRwu$n_5{@R^pRkGWOu`w2VPhA+%!EA%=M(lOY$5DR zxSFsZ;T41f2-gsfCA^7nf5LTy4K%>3C+tDkM%bIMov^PQ5N;Rc^&@N~96&gMa4caH z;r@iP2^(m@m`B)`a0y{Q!c~L=2rnfZOL#Tm{)9IXHqd~wj<7G`dcuB$ZG>Y9+X?q4 z?DL)|uOUIyS2ST?!bybv2&WP5PdHnKZ!f~<$?$|rWO%|=GCbj>GJKK>7Q`6^q(gD=Se={ z63HJR_*Ifmc&X%P2>xoxC%i%8L4sc^akjv_Bpxa7L5a-*A1CawK;TBgv4nlSJg=;T(;aZuX0^?2*yx>znoZ`D_@RDnMc+LpfRJ?E{P*9P7d@m1PvmEje{8{9V zYk_#7oM!^XbATubT&cv8qCO3-u-$xFZDwJO^+#-^+?ls7J^j zOMKKP#JPk~kCI{MnhakKB|^s9#uKnLg@SG9c+6^$qbj3Xgh+`H}un z|4@Fi{HTY?u$m|1uLLP0U&;gZG8uA9%^Fh2_;MZbp`K#?WPGTvSUxffkQ+>I9N)W# zSwcO={7 z<>kcPjp9Q4p{++@N1QPTdx9D#G*H+Tj8SOVEl?hm%s{FcaoX5f&$wp>+ozPXut&q# z7)oE*6Wk3dF5KUM^)B;=E9#h99`S`e8R)1NVIQ2~g?(`H%XxfGJrMQ)cQ1>plFM%_ zw8*CVE!wryj%nLL7PqlwJOZI-&h{_#Y@kElTD{SRlX4r(cRfoxJ=mdtqQAynwc-+T z!uNlPOUNnHVYh^w#2#YwA>@?hXn)#rYV#rT?<}Xxmwcy~sIQTZb|dmN){#$@h%7ArMW zq?7B=ACZo;J&AM%Im)k%w`slNJ~4g%M?*^zmxy<`2BRFtJIaIQM;ECXB3~07d=WlN z*G}<0b>hPCSQAadODlro2ILNO)T@-Aw6`L?;g0x(f84b#^N+d1x7&$J_!nnd&_(#a z$#H&0#4lT$Y;Pkpe9VtoV}~&QEYJyU{F$2aBY&KuU5NAt>cX3K{4oyw5c!c-6Z4Dl z;VyS^2`u*Lql>`e42KirE_rb|$M-@)s26z2d17f#^J$*Bn+V3td&F~t7+r%StxFJ_ zx5Sjt|44Q_(8&(2!Bbqj_?7(^@R5kwh?}ju$}NbgxQxO|2qg9 z34c#Gfv{W`FcIEO{0zeH6E+jxML3(})tPWU@t+`EMR+D*AM&3_cm?sNN0l=eA|_;MXF zn)uI>|0Kc>5l$m4?Qu5YH;A7{_+^+e*6g65`QFN3x)4aco*?23FlLIf5Hcezl!j2 z!p{?KB>Wm-pRa^`WxpOx_$}fm5#B~vt~<(g)->WTCB9q-?MpbD_;TH`gz_6e{5;~z z=Zh*TZx7;^5Z_987ln@|Tt)nigqISQ&kGjvA4vSw#2-yKgVIYPyn*;L2s7fhAzVxR z0>V`ke-Pna#HVRDR!#h1;vXdbBZQ9=9z%F3`8N`7B);sYODI3d#P``R>QD66aDJ5d zJ&7Mp{3^or#P3HqiTH~Nub}ip2+MV4m2evQzn5?};juD2#h*erkNEQlClS8`;S%Cc zC!9e1_Jpg5FJ{f4e1w-1Kac!(CA^yWvj}e>d?(@K zql9aT{~_Ue!rKWSC%m38`$ov;al$rAFOG0D@z)SeBK$AHt4Th+2&WN$K4JEjh(CjH zHu3KxTu0&42zEia(X`LE^6^Y$tph;WYB!iLlQ>Ao!F&%Pld^D`R|G>^xT{=F#x4 zmXGHen_}4y%6Z^fw4Nr`f$%h%xWxPmo~za3LPvfDU#?Ed`I@PY{0qLbJObmna&3Gw zV3tXXZmd^J;i}fchALGY%D=smwEmyH|-4n|% zSIfmZGqy*mzhWIwu3pP^P`Rp(80G0KpTPK6T;lygGhjVkTw?tUPg+Zi>s>P)?N6*L zIrA^qeWVLw^e^Qn*2iW#?3P$pl&k2to{sB|a&;Zot8v}O*&fCEApRAXSjUp7p?{oz z#lMn|^3?K0dvo#;&vNLWSpUPn;u7n^czRu8T<3D?k60&?yAp7J0;aF^kMTS0fmp|L z=0~hE%Uuj&9|OiO~EyF%=fKrHPA&fjAnBx8_R#()^tN3?vzT0Tlt<_P_xM4cGd z(VcG~5bGGC-_!Q1T6b-KDBSV%Hns}f^B^p**1f5J)K8f@mKU+iEn-~n#jm_c`Cy#r zLyQc>I;~UQcrsY4pJLr#?n=RZ99Vj%{)l}5a<>Zdu|3P(F1RlQ>jTgDi%aYiusGU_ z&>rzuTVAcZw!C6pe=g)gTw?v*nIExUfc8X;D4bZdAcs!_Mef(7!uI z-1hl*lrIsiN`repa!XR*7dI%H2+d)GzH<2QpcMY7{_U>iqt^_LfA}fOEnRJn@XiB3 zl7}?k$>+{a|Ks>|K*z6l;5Coq^{E33{~tRrkFN2-I!@uwC2#plOE)$3&;HWk6FO{k z1QznYvQRqwoQpZw;_$zJ=T^wyy$<~Jm=oUZh7~%n{mQ>~rB)AcV2lUjl<{GGyTL8h z09PP!EfwF_C+DEZ?~1kCCt*C6{TpW@&41(_E7F>|t8U|TRO%w6W}heSLRxpr<$I7; zuef;`Qu~Z|mm{sY)9)dqwk=y$A~lbmvI;31>-{Lw`j1|H45@ux&f`cE&YfO^)bi0| zPa>`HN?VI`)5l*w&9Px?4bp_e_dJ8N&TZVYoK8=C4(W=JKRK;7)UHEpOI!RrQsX-# z)+5chGyDalb*sPUwEp~a8#sPx#*0YnUo^dh6!O6-TeJ0L#48@S;}xXF1DUTPt+~bH zHKdlJot$oZ?VgQ@>yp~@`nPwyi_;bRj&f@1mi0RFGg6=BH2-(D8L=^E3a7S`?VOrT zac`izZ9^5OrmqfgTC*|bO?0nU9^^D((eIp^ZXL??BR}yuPBW@63%Y9JTj<~ZuQxf} z^h40wh*@|kr}>7DI5n-0ujTIUb2&9df5~aa&z;^u_Z73MIjwo^Ag3Uot>|7eWhtkY z`ky%6bg|F7=w5&90ZvW#9^*9Qw|?8u-Qx2Qr^aJHb6RuzfbHmBec&NZ*&jc1TJu5w z_t1UQ_!XSiynKw)y1KOYx&KG+=hT#JjiZlq zY9AQ#0s60r?#F3$eIchSW-Q~>_{$rdnudHY@KTQt(ZB7LZk*P?naipD=>?otm#^b= zQ^IaeSG;wSQ>e#}FkHg&fr8eTa$0?61*iFjT25{DA2~IB?74%Nb+-Nk8!|4W=&)_o~(`_r7(-xs?R(=#7b zIjs*U=CnHLK0&)~K*x5T`YZ8#y)G{Ofu8bK^KQd35E}cyB*WGdzcLYO9*asr_gPrO_1QBF<$*K=yWZ40O7H+OKFf9xy44>-zcUDpOqjai1hn0`i%QP7EPI5p*U=ah|3 z=d?b3B&Rj)Cvj?VpTVj5+bT{oUc86Xe9NPp*7SIuQ?L)5);;xAA3k6{{Rf@=Dt&^|=lS1mI+gDK z{^0>7Sv%50p5K}O#l7d!pYGl!VRqrA^e?u5Tf1!Zujvt{fqx%d%9K~aV(}$2=9cVf$abb@;34L8iWTb#9RI(HXCy-xMBB58pPb&2EF2^8UZijIo{kE&cbC zv90~*`zoKf)miR+t}cDdC$KWp-KYeWfAJTa6rpU~;%@1@BUfuT0+HbQWl`g-Xee;EBt(3nno=vlDK9j!GZrPdp>&f&tKI`Y}Tj8O+@UKq4 zJZNd9{PNB%x32xEjgs%>_rm*~d=!z7NM+K^GmK~YdMP6c7n}&25vuentlqO(@l}3Y z74hp{Q@GNz=0T%zW-BGLVXOa>_e3gPx2?a~;BzItZ2HbG(%$J{_snd>-U0KmepU-ddf43+>S!d{US3s(t^7Xt2w~SjJtE_qI<|h-A ze@&lpX<^{cQ&lB=>X<`8PjpuTdKbp5XxCX;baPeO(%C7>#`Q0coH41t53`x^Ev+Y9BJ;}_69DN*_Cg^9gRS^||085_dxSlCr*eQ)AN<)&VW zdCoHIK9!sPn$*}M8HdnbL^ zu<7{(*39jni zQTejb7<)+hGyU!_M%*#HxSf*tYW1+HNuEkk`Rn_Wdn76Wr*Am)>W;q3#p+uM?}|!N z3Wgp2q;Sk{=|cZ{Dof`+({jI{6E)J2&#=?Ckw)+S|D?z?}? zPDobR?$H&?-n6H8K2qS{=1x`FxXpXVW3i3tFTMSFd|8sBJnYwYnE%uyWpcM?KZx+Z zl0L*Y{+GeIy_LIXc{Q4T?yuZXcF6wI;~kVmn;v}q?%jQqT^m}nSwmBmHeW@qU8?p~ z?&&fw&^V!&a>h{b+PuB}l_O_98gG0qK)K-aWT7PqzOX!fUv=8ne#-jWJAdA*PdCNw zx4$1xyDL%o*(c$tPj~lM%wKIE z!T(Ml-9|b3$hw0dFYuJp7^Vaax8!NoeM{FRJza0Ix;Y@vtk$>=9AEAq%!HtuOqux z4OgEzFM zc2-vXdgWBnNL2~G>G*=J?+sCE*WY-l^vV9p%j>4x`TUHo%HBVN=Y6z0OR+kV(z$We4oKe ze%qwp2k+>s?0YA}v@NQ=((w1Z+x}jjq5L}G`x|C|GD?|nD&U2OJw_@4>!08A^_|0& ztrI>Dw0vz+{I(wtE&Ftk64CDH!!g~`m4S<=ge88`R=M5!?I>kUC#CBPnWaxRUQF-l zbHeR~VTsCja~3Ta@#>9=-!D@yn@Vp~di-_hJ+H%=%F6f?i@TO2D+|_rxAcT}Kjlot z2g#}DGL)9)XA*2};NKP1?tRg)uJ>t)sYZ^NhkCR|o4W51vGP`}G+YkmQ>8Q}kA^}Z#IN5B5}CH1pbHQyUP zyQF@%=$*OwuU%5_TiCi?!^%r)YPZ_lw{E?pZmyV9{mSG^YODR3@c)t;JL%$c-8x-T zt##!OZV9-g?tFjH|5p z@t@oR|1YXbh6V0jm3L9KH-2PzPzCpz?l)}dcu}?0Epqn`x~MLDV98&1p1z=-^;&gr z*B>sZw<$}DFYUOX)^GhF{M;)S)OJ^*yS9Ghg1W5Nx9MfKUr;^&dhh6w;tT5NxZ`gw zy77X#$Lrwm?7kP&L)B#&eG)FH>)IabIl}jXnzZqmZA%)?t2eJ$wea|N=hZmN$FY`= z&#RYyzo$p5jpx<(rq0O!d-ZvB;$hR6pBJB3XT{d9H_SS(4!^I&J9EN$HFjMl{6DYO z#D9EGmu}}(w-NKteH97rH3s;9UOm*y_{j1<&Z)^IGozmV=A7#G%&{Byet1s();R9B z_OG2&#r)Vg^-A6Hz#ey>Q!8o%8jo4dsjuC7)c@Vd=TzITUtipmeNO$k+Y<|Srk+zf zAE_U9A>o{QV1*%cbl^GleDsqKesHc)Rr{WppYwC0`c<^)0mD~~YQHNmkb1vSed*-P z;CEhWRG+-paHj6@Ms@h6m+k*v(x|?(vTj=^Yoi*yqyYXms^MN$AF|Pn>JRU2p8wc@ zMzv<$V#Dw*z~@(^>J^<|ZSZPTGZq>yd7e6}wiREN!4R6hS>4~%Iu60$5M&5T;4cxgV#An`F_4OB1k9|M=tU7Cs;lt0y zpH+uM{mZ&{@LBbN%b6eBQ_rf~ejKtesr^~icfpghs>05ymPP)PZEk1PsQiY={Dw2? zCw;SKo;`dTw(y6Ux_C2xeEQN1Gb@)voYQ77>G{fO^`+hIP82+KTKzL`k!j!Z(`vqFo?(3TX|>->^MF5Z zIjtVaS+Mo7si##jA9`B7y!hRpI}AOo{vLcP+xLdk>Ilybwi$T zpHe5ipHuVo##8EW!`xRFK6^@?UcdS14Ue2stFsMlJ(r$RZwr5I=;8UN)M@z>Q}@g| zrLOt%^e3O^pHe@Y`^k|*V^66U4iy$R4mqWc`s-y=r+%l@d)gf6FfI9%I%eX{9k(Q$ zQp5QL;fsUzF7^ihVVhLLg_ElH#^(n<_}59*?Zso;x*a*G?ws?|Lx&EWRDXH-wsntu zdQu(Nx!s}s?I+dn{;!AifBmG|cGvv0_RpVGr!I`{7XSE3b-B;9ui8EU{Io@3X^T#( ze+~Y0@1!{=)okw{Pd-q3Qf=(=^prjSI;nn8)%8Mr&PjDhnC+E$Lr$ujw@sLItlvrX ze5)CMPVRA1ec#x1_|bMJ)wh2CHSgBwlj@4SCPPf%Nj2YXN0(iOlWIwiXSUyUra>LC z_wqA0{@$QIRz0GwgRMcWF((`R4gl@8Xw-#I8`O}#H!VN+UW1y^)$ppvn+>Yx2Pap? zzu2Iz4L#O5b8UnAyhrV%iiaE2uuV%tH!W>YN9}ng?fmTxYVS^qYR#1mYA3_j3*IPc zP*1F^wzR#uLEU`oLw7tiwn1Ilei;03P$%U_J@&TJp#HRNP1X3+2DM9QO_Y z6YBQi-KU>EctUNp=-F4jzC58$w8dX+`|%02^PfX9hQE74J-W4F`hwR_sE^(jTky^c zC)Bkewiv_O6Y7)C-d{a-)d}^xt}E``bl(XzG0iI(wL779%zh!p6bpQQolvWdhW9Rb1GZl_+ArJHXFI%c{?F5Pb;XlE z&piEyT@A@!JkINwU43-OgBudQv#b5q_8vcIpIz<$?Y7akd}>#3$y~PNg*v;s>!}WZ z{QS0E-SS8GiXI#7>I=pazeVfqYW|%Y*MIkvUCs41+@L;USC16WdE@2#?dn~|fj)_M z0sgJF^V7H4)tzUD`gN?ds~1A&J-KCuUA_3?iG8CA?dp;_6*YfNw5uMe-<*AHj9vY> zD026(VRqH%kqQ67-_XTx?@Y6+u{XEb@{q}{{@VH0i$zIx)yKnaQAUDY?K^)=pZ3w< zpI>&h8a{;O;bX^n47enPb?n*G`Bqh+Jx%ZnDBe9y!XsaMxN=3!66+f3N8#k2aa!!- zlKapG5tjS>%qIn3?!(I^+=jwulYhAn)J!;$_<4kb2K@v-z$V;i2o*Gxlef;;b`LTAT0Nl z?j|hvk?tqlmi&KDxE)~|VYvo$jBp3yA1BP#EYrXP#yzcq`14F`%DkR%m$NCLl(^SxN_laWwP2bRJ~4l_tD2ZZ?F$8N z6l#3sZ^BYrST&0j?-z?t7kb-|C9n>##x7Qi8U6O7Xq_YrR)q1(?D!=K+#7)JCC62M z`Q2+=H&1}O9M<1)_YZzm1m8uE-vda1{S$LwjeZ(nEDr98oeXF4vba0$y(t1Lz8;L< z<#o-+JvBw}m9Eql_#&@(vUa57^do#%32>I<6sxm5+I&xe-3Id@pW+?rm23*+6yHcb z1y;q2frB!__ktHde(}o$3E&ssMn4y-ruv-> zC+x-dE<_!gdAisjn)-9bCM7qRf0qNlQH?t%ggl&~TMjSFt(A0lC;@)u122)TQxpGb z{fLmw^DFcHPvh%EIqC$G#acjZPXPTx-NwB=r~z0nvRwZ(erJBM2E^O%i+DX_{i3!N zIpW4L41x5qrQrS%)GgcrhI>tL=gM@z_%#gFP@yaM?Qqmhr#xgn|EuzF<`>h!_x$4? zQnUtFOF7R`hX0y;w6gC2sbN}ZPlVny)xxGF{I8{#47Fa$rFN}a84G(6hQMBg3H+?` zU~bQxHUO=g6G@98WskIZ_)(DZRH#4vZpm!0Kvsw|6Kc@{)=Ylid@|U!+3*i{0bwI)dN042 zkU%!FsqJ%JGtvTzo&moxgVL3~MFLnsp!3J<~<_=U#@y!*wg^>nnH5M`b5pay}H<^qh#fk1TN)J z%h<=?3V%Bj!)cZ9Ya!U<;GR3&O^c;OJ0NTVejUVFqv?*CmGTjF;>@>9R~tX3eLbnj zp3s&4V2eO&h&$n0(p7yA>WoK(5LP&WXVJ+Mc^7%aI>-LH0_2Nw5Wmp}jv0ILkm8T) z{4}iveOuDXL`J30v($0a5~tj?ElGqN1T}@bTE*8?FrV2VAM9nsh(_cdYZJd1gY`KW z-a&xxQ_2Co!S~XP=avEAXfy@FW`fHguoQ!-&HnTF(Vjc?0C!Bn=$F@*7!hLMg(D2{ zJs3IW68@T(bU64cgb-LGLN9QitNg}X0^g^L^)!$Bz#bE|A5+58GWde))x%@`Y5Uuz zp>dz772**#0Kd|tm9-q9>BC^nh;Xuu*B?@Z!xG{5d#*p6XuCM3#P0_sKw>_%UIY>WISSgq}4;2AJj%UzLojGUdw5>F&7iheVAW5ttlrgper_?8K z9mDfC@T?E+<2hgdl;o$eJR%P$J^bPsj+y-&wKEB7p=nCEw;jK9SIPbbu}^9ur>4A0 z$ekRypieE<`V@I-ULui>crL_VrjqB(4|bEMK+5tTYOppe>MF`4f#+Q4Bx<}_qb&&# zLw9)c(mz9D+`Yh6{`;@R-K)j8^MEsvVsANa-20CsP3QMU^|^1_2Z}yK<~aezP3DN2rPR|R~ei+zl-L{B8<%&k-;h7N}Uy18#{kixCB|dpz z+r)kr!;1^wtThrwm*Zf3iEsa#0;9~q@IJ9|^kzDgdQ;1fbBoRqqf-xrU1;v#)!YH< zau(zt=fqI9#auR&B~FHdn-!k;#fWh{Am`lMFbIcrG8VY_oyDeOON?9e=9r`FiN{rV zIg=t%9s^|-quKEw51bWpovIAwoIes{doh2BqY~6yd_u-?m8%-L5jbM3fz|*=9^Jt< zPvfIFd;&yS;We4Zr1yjA3P0L0pO`_$b5vqPhGSV_FGZbUeB+=dq}7$NHh(6>cH$ge zH&4kKAI`U8n-S%AwzZ}sGwd}n)#fv2avEOD+v3w7YQGro;s{VbqHXFAC56vg*iLaI zh_!_-&BI~Y@oE|#`z@3ae%V;$59`d?=A7dnXZ+HNi1;!gt)?NGj%J-w)IJr7u&(oi zk`rU`=4oE5bo%l&eR6QsLY-DoYti&lXJ9o@U$vGF`*N(Srhcb@WkFkmZ$`vt+bK<~ z4nF&$59j5|o{48AG16*klSE6=uY+K0cve_Y{3UF*z$S;g?2XVt=z&-#aB7j5i*7oW z(UuvXFvKr%RU9M|H*CJb6+=M5* zSX!tTGs4}{h5pSNe!k{6hQT=Gg^P#yI|FWvS9@vG&44hQfWK7dN9!N;ZkL8{gWvkJ z(Lcr|w?1w3k8#PkwdrI0+DrODH#^8G3G6Yf zt>H+sZ4~Uy6i|?~AW_q#=;7hmmCKEG*TMcYP5pM7X6tgGGhrXzLX;Fc-pnY%f&Y)jl zNf^##nmP?$zOxjt58|wx-1d1{ndoPQ&J7(`H+8!S{na#a8^*(K(7B=GCY@UrxYdFi z?r{<64nrqa-_##Z<6sjvGf%??Zn#53gf-`3SbI}{dFZjRsT+@vc;&U z!OgxM(x^b$L1bW8xtus|pH)z49Xh9=qGA>`7jyB z80)Z}MBMY|&o3&(_aa5d$~3K0+Yig+c}-~Ib`#HQlGZI(_%k(e6aLb`%`yqnsS;({ zFvpAC1?dRf9u$VLZgaiZ0CW>NgUd3k1l)LC2{*n>Qw?q!-AYA&ws~GG2!upo`=A?J z0c{^1E4q^yH>~l3r)|Pe`~+xMb|>bO0mdg`?6k|kx))Z8$pMQG+cgrxSSXS@A9fMK zOvxFP$!oCQhh=d2RaQ)GZ{n|v%=pTOWy7GWdj)sn<$xg9ybQr!EV#&*1*iJ3;2eKT zGwkQV{D9||<7F|xNAn_cLMlR`$nzGY9nF$($NXwh~rFiA@xUAUM!E+|uc8aSh28*lnBg*OxWrw_`K-qbj zpj^4$P$n-Ho?^7bboOD zvHai>WUX}*Wq`axoku{qB2u6XTwlDf4lOZlJ($rD;_hy7<8_=54KOjmizS>2a*sF` z?C!JQ=w6e|SSdWZ)L|M2z1YDWk?s*i5$-;@;qK`Ec@OAIc=}+gHGa9=p#M7?{88fB=>YUL-+~3eJ_%`1U&a#PmYCu*JJOW#`WToG#vfu} zA%&Ve`5KrnVxFf!(Wc-doIVvE7WaJ69n>LgPck0DzKGjGzX$okvQCFLlAM6M9P)+K z;AUWMpbPqNj`(D}lDcRUj<7QA>!t7!(7;q*7MS8?hUUzCQ{0^L@OER~hA?NoB0ND) zwz3FAE%UdAsb{VlToB{jfD0mG~wVE^2ie=ek-YGAxgTHTpn z5!ffh@c}Hp$jIVzgIRoP5R0#fwny5+>qG0Hz3J0y2}@aCEiUP&B`V|A^QF6=U8W?;8+o2m@d8V2gDiph0cL-cjlL``%mJhOufqpgA8VdOiVWIo{`FIB14e|b9{BX3zv0d)%f>uV?HZAOa`o%Q&1nrpgw>f2l2(N45#?9d`4bA z?oV5HD}_9oAy zrzjs7lZCRVq7WFD8CldmqgmM50Oq$6#>}!@lFD|drzk(r@lepO&;}T{>iH5!;TSLi z(h7$$Am}H`Qu2^up0pHokn26=2kRWh63xb`yo|cBr#4>H35liN=&9B&Nxxb*KIYYp z7hT#TVPmxY)ph;W$8{|%^QfoVJnQ3-eq;Pt42Jp%2*}3>@(Bj{1hJUSARnnSGJkq3-L-YV zbraeiqq zm?~pCyTP+yvVr+S+(;2W0JI;;DzLkOg~2WP5=*|TGLakEce0tT>Qm~UD;|G-2?W~% zZC!7BT-6V^d(fVXpglu>7z6!b%t~n2*l)wQDJ~brD9|^>HIUtF$xgQ5?#taF&LXHU z$WKg8ggwj_QZMWNS8oGr4bRcozVd)7a3huYTH${Kzlr|B|0JN9a3jU=NPS)OQPQ5Q z1invz@Y@>b)%=bH{-@;kC!jH%pe%+CEYJ?~XZ20zos5upOc${GhMq3@7T_Cj9tq?c zyE)R%$GLUl*~QSopLIxW$2!2r&6~7RbIV~wUOKrC5&rYic|X6Q|Vv2<9sFPT;$4NvoE>H`oY!WT)2lpdwm+Hv&|Ub85o`)gTc;1 zKaKN(GK{ZkV4-mLpf>IZ(~`Z!IgZWH?)8-00eX(&eSIMG_0Z=-pWX`exK&P!Evg>+ zdVM&Fu`D=t<)N`V4qluae}*w!CynU}^OAc_&it#ydKDmD+5{{m+Rx><$-5d zsJqY{s#_|@b<0<;U;n4*mA>5nS2vosJt-sJ{(Z$djrKR{8roFZc93T!oyM?*n)b`> z2G|&|MbTi39M76Ete##^eaQT^WXE`3`5K+2iQVV!GzR5u%4w$z&7V1W8*egpzAoFg z$IvSE3qvczE`!##nV_F=*fyDetxUDQ_43uXf4z*G=G|tj7thO%`jIkrW#c4IQp(#k zZC=y$xaRA(uEyok?(uvCgRO;U9k6{7D?{wpBY(p+?cP6-eOo`6oArgcSs&IG=0@7W zn5%6Hyb?{yLDFm4MOl}w^j7j((o>m+q+AF7v;D23&rkGYi7?(tgz-)yjCT@KTG``l zG0ppYSLJY}H&Rc!;`~bpJe$E<74(nVb*lfd{*mh*%)x-o2?v|Q*QiOx*BUQgi|>%9 ztTS21+V-pcjsE`Awo<0)s;*?dB$a+!(m|fr|Mj-=zb(iAs!epI%TiX7{uAB)pRj{h z(QkvavHvNG&!f<{`@tNOLHoNU``MB^$`;#!tA0W9{{Kc@l|?W2|5TZ-6|bJJ$N$}Y z{HNoS`MFlSdj3DeuI5v=jxewtaR08GPjTsYIQWHo;dS`!2XPL9d&_nBoey!|1$WW) z_=Py{g1i1Y{GNw6J;3i8onO)JpfAjYxp{cL#XV-t#yYaEaMiC!UQ7K5)@O?DnE=Li z|H-)nG5*udX}GfI|HOXte&m1Qv-^M2cFQ_xVV=5K{mMF$;dosJ!Lu361;Kn}bOp@= zAz%9pr|)Y6+*m+`r&zz?bEaao-jSZ1!_iS!?dzt`+}KBOdkty2E)s%k&9GJ-x>?L` z$hpu)@LTh_8%xytcQJ4JHTXLUx1#f_eWug?4&mkWgSji%mzv|8e?79-jWxnOQ6CS< zGlc7)KRnOCUP%ax`y^$4U)$%#cEEjCOJRAw#ax~YvwOcA`x@?z`Y?Q~rd@ZYaa*XH z*z?em9#B2FlK=bzkToPm@#)L^GUsz)g6L)-)}*VgK3|t1{*v-&PzJ|fZr2JF!ppf`DckRCZtN7?N3`X|H8QF5l43ld+j4Cu zxGvBVkPmxCqTE>2X4pTWZxdIM@k@u@*qd;l*QS{w*X3xh56Zbh&Qt$y>ZaEvSK}vF zZc;XqHfsmeCR~N(Hm=E9g_!I1gE4Im><=efDE1r=ckDUNaD(|89BaVXm+#jE`xutP z*LwNRB$sZod=#g{9!hsyd%d1`t~S>#3OcXKdH)1IhNn5H5nU21lwB)X_-~2g)*1%-_v`Aa3Us-NRTk^;A=MOd??0$ud za|o_k>Lcvus)!k!qg{qbP?XGLN8q<# zTX(icpHC6L*%0E!LN@!EueL`hCK=am?bnn#B78;4KDY*wop$o zCfJvldJF7HoYriQAkH%-z-AAzM+x>y!+0hh+F5*#bB|I?XXsy2N5OuyfiA-{5K6Q8 zSt(n+4$E}%K^S+|l(yDqV$ zQZFUd*g%(aIuwqd3mNF#|L!#a_VB@tGUimq*HSvt9VyEBf09Bu9QA)a`Oy03eR?pg zeFwpQ3)pu7_Ni3`-&+t&pr2ie)&aZ9Vg6P4|~O^u?7OmvOiXr;S(pTi3=Ma^`X9^vzY8SBuM)e^+iY z-_mAiQEeC*kDgK-F)?`dUD#06(F|=L-cp^nG@iWLTmo;O@SFtgui3t8ecs4E zx@vnppMkaq_a2=dhww6sXA-INUvG0~x!c{@ah+dBy~5sS-)Eg|(tzib3js^{UL_v~ z-g9TB_hD=~tm&9Hgzx)?Gg_(sEG{L=9$^cs52*`w?5_>~+?@@EJ5CqQ5akEYj8Qn> z*W^?hw^3F+iw^tu;4Hd$hDw5Gs05eKP>ooBE!0~~vM-CvUEvm&y4)?!aG#s7OkzGY z1KufcO@2>!F3x?_txf7Gw>F05ZrZUQ>P|kyA^I>;4|*H)${u(24csaEvh#MJJI5jG zKvM1p`UotZU-yu&4=@Qv2cDbw!z5HUs_N%rQBTA`G3bv z#w+y&@nWfunmKOlXSDSw{Y%Qrqi^3}@16`$Mf7UsFGXP(Seod2CPJNUx9_9Qr0l!NDrZ1U_b+MjBa zk*r6eFhP=A8J<@cV+_^CIho<~w5AVOxar z-4#vSBIb+l@y2i!pr_5>@y)30naSQ^_ zd32tDcA>(Y@m2Kos(7dnU>1oLZ=LTJnnoSkXU1GQdYavvtN39utLx+GmzgpWb$a;`e#@7>JIOgHa23m*E+k~sW??gW5>)UoTye|vdO*D+dU|)GYe-}eb>1yqpKHvIywSKj~ zrTmfud*k~a;-D{$0-F)mD`>Ny-N)ut?@=euCYxQ!&s9BB*~C~`tYgZ0?J>!NWy0Nd zc+>H0lfLq5%(txvk;(x)q!~jb=f7=ey8@O;`@CU;gfiF7O=P8Qwk7 z(edty1ZYHjPe5uS>+HW@8{dIccN~dOlzbD}yqx0)n*Ol{NvaJ*4_U9Pb zA1mkz*iP8v;;=u;d=K^k-0$k*3<>dJAuzrTsR*?B*ZbCaTfFj7w_!-Yp0Dy?#q&Ja z8Vd6b{Qg^m$v&7J`I7n2)U|9UZ_M#v=iy$YOJDY*uAW)H1{wST_jG+2S(jI%I1WI* zq&a}`Sur;N^uw`_1>c$?_ShjG^Ir&hC8;Z0z}ssGtPvPtjR4jPz;?D;N$+3aHWl78 z1MgPh@0i)Fv8f~*hkj{fq~E6^)@U!dT%)anaYZw`?CO~#9QP3pVc`Zv#KUVA_Wt1e zLsAE^gqJ+nD!5OTiv2oT%+ARNY3l*#d} z;Ff`Ipf|{OV%Ts5VVN#$Ob1whG%RG=_vY2Z`fy^n2Ma&7fcflL!YogFu-qERC&nA* z0q-}so%!s)gS%xvEad74MEbHw z!yp!Hhc;3t-&#nr+@Hm2)_AbpPeS=;it=l*)<(&?7xjD2W&Li#`qkSPJ(hZ}ch_Th z|8E$aoe6`zq+uz+7BODY>@Af#*^2MyVhJ!z%CD#4)=at zyT4Yra}cKMrylHgT{!VPpeu)7R&cgH0NXy!ZNV7yYIZ4bw+D-Z+iird&zJJ#Hp1mP zVx80hQOBAwK8DrW9(>2sF?gR9ymP1xyc??xJp1x@TbUtm{GCW`;GIaV;GIbEtdjxe zotwN93C^NJ8F(MG(#<4o@X@`{j`w-6cx}FM9VOJY|A)bE9o$oO{zac9=00WIGr#g+ zE8%|WI{fz7@4?2yeM#q+%Vsf@Ps-61MH%tE&v>>L_8H5wwOF6I&hd*FhqyRDZFIvm z3zI=oDfgD1Ni=pkrj=)J+=Jxb3wjl(2gh@##*f1`>vTUR4C?n;5hep{q_7J#FT(wX z!1Iog1@H5>#3TofYch5n+kEVrhjHlT!`rK_4RSZ#dJ%trSS;ujyf+Qr5r)qed{;5* z)-~i2(;m*M!~60yqdz|Hg|euFJVD+E0gdnb#~X)xbGQ%Pxdq1 z=8-MfSD7zfH?aS=h~6Jl!RL4D_`8fi_gaJQwO+~B66)anz-BRj(rjJSCTy{Dt~;ia z|G1d3;f9cAJ+x@QRVY&|2aHYqU_Ym4D(pYySo3aBSszq>UoLN)zk+dD3ZK7n%ug)t z=*gDBJp;;%lx&FE@y<7$%wjsi8Etq6Q8+xq!5cSV#O`VGAbV5~dAk;$#~%v1;t%hN zD)D08N1!}Xrjl}=C-eT$1rPnWK|1gp7gK_3zKQT07tj1GzWF|sk2=f;yep|y71RyB zFA3f)gYQhz`*GMXoPPoxG5EiK;tgLG}PbcGQ z$#x(=6w*RH3No-DNLOCjozNA&djanw*I#bnU;}p_c;C4G!fyfKCEv#%4Zjz36mf9| z{gK}+(E2;5@mB}$Etgl@`Ccpo-W!kaHH)z~S7QlNt!L6k$AH%?vLv$d~ z?nGs{4;Kl4`-t9jhrn+VUO@hr6J1ZVj_CJ9|02q66XC;&wkMiFbUaZD(ff$j5Zz34 z7tv!x&k*&3a^uySXg8u6M01F4p#0Azd>_$uL~DueC)z;N>vj=;TcQJq<`69*x|rx{ zqOTCGBf5v^Z$#ZluAxM`5FJSL2<3M%;pIf1B>EE3H;H~obU)FbiJl?qvrv>Ho@f`M z8AL}Cy_x6?qH~GfM|3sOmxyj7x`*hGMD0XbwMaLTXg8u6M9oACiCT$P6J0@cJ<-iX zcM|=Y=y9SAL@yKdBRM7z?MF11Xc5u5M3)dlbI|xq^RQkiJTmr; z8>BbZT2Nt~W5Ik)U}rtX7F)Asmsid%E6%c3lw}u`7nK!PumPUnj$SHe6Tv$C>udO7iPXFHQ;^U?39*+p~8ic!ip7R#Vjf>mQHr0xn7}g7ze~KwxHdmC+1&@%=X%Np?h^Blx#POMk`2V2 z#YNQ8c(}YOw{qgYc}NEbKOvev9li zp1H*pvp_4jphWKObsttqS)E-m1j-2cGFKE=Le(*|&@gjx1y{fFsgUD2kmU;28cW(# zcZL5z<)zlrf--28V@H-&TC*Vt zTMRiGR9rY``t;%onUgy(4xwwJMnKv&l#LJy)K>+>1vx95J#}Vrk$FyK36~&`m07gB zA!Wc6?kY-4qYJ$a5U98!s{%4LwV-S)v@(z_V|DH$iwou!H**g$3@R=wwl-swXv(Dv zlv!Rh)>2x|<;Y&~%q^?TEQ35V_8R_%LUN15HX?$|3G^zWAr-~N>~#Z@k)?$d(6ZSU zlnPc}W>FDT8GH$4r~Am+1<<}ZpWCROP^PJji57>bJ-+7}Qv*@a=l(^OzI8CV-%L+h^bFtV<@#afhfZJk#t({#z6@5#u7w5jp~2 z0YNve6=17a5~4w%qoV0TO^3OI3u=tRhkIWiXU~#nknHbB+*-(we z!oac>pjRNz(jwu?;xN{6mBkf%OBLw;6^&tLL_eE#kk2lvY%7Y4KWE$=z-QGlH>BV9RAGxeWrF$7(U3nOTs-wV0pL zgGb@-Pk8RlC>s{&C5>tBY=?zq3i{UAYmp_C#wMVWMUAyO`j2-p4pJl32gb&t z3uYC&VraKLF$7{#P;g?OlVuepn!vROy@RIk-#NuXm;N92-UhD5tl`@}t6f3}A%ra< zL?MKoHbRI($VmDmL{SK-5YrGcLPiJ;A%u{Tgpd)U5JC|`*oaCW-edWgab5S!bv@7h zzV~zgp5J?S{r=Z+v|4+e>s)J{=ia-~Uh*$1@Q)#EF4`I}!^3Wpc%&pf`120&{R@My zetClY`lRenpSo;+&~YRCu!z_GpWl1%bMcZC#KjR>)SZWL%-Dfb{^j- z9`n76@Bh_T;m`kiAISgipZ{~;BR2kZe`A(?84r2b7v}kW;XgnA-+dpl=1cqbkzd%K z2mJ4hrpXv}_kTOp{>_*AKYeL@{rayzZ{5HB`f_af z-+ukq_wE105nSEeJv=8(_L?$vn)mb>KE5+~0-QZ(Zos_xUyk0lUw`WX0|(g*9x~K+ z*l;`h5hF)Aj2<)Aaom^v{QggL@xSF5f4eMnzjWtsmxcVlrMv&t2mQZ%nW(AD#M9#+ zU$Ojmf0xDc7PtIbvh%?g+4k!fF4~$Wwm6iOK_Q>zLQvd4qg6&PD$J-0Hvq|JXef`mX(6-Ny7@;XiBknlgkxLWrOuf_PpK43e zqO6?zd1aE+Iq1tH&3^gvd{unp{~HE>{WAaBZt2%{|9AQA`MMKlAX4@9xlvGjeS2;d zoE`P&Y5Gd@*d<-;YF>bCN z6J5m{N2Q;?hf?|ZM}Jq(^V=^8zSjM#djDKUH27Ebti^A6hV$lzWB%38-T8&g*B}4o z&wanE@K=xb{r&)-&+1?FgWsR|&-VLvxW7K0>y&@lAAjC(PMpGfps!>2^^pIA{~wHi zF3*yqh}iSi1@0g=cmjM*9B~!op8-l9xDxIozM>A)=D$^i;<|7qiNHhPVG@IXzc1?( z%Jk~<&Y5z-CL|4)!_g!gcY&?>o2Ojd41U{}Rd6k-pj_}M(QT^rnd!J3&x8v0Pc_Gt z@F=myzu#k3?6s=Rn^u3y1>2Hv+!wAT(Rd8ZB(b<)N;64{$5Y|T7Lt^RN5DmL`Y#+x zhV&U1RBz4iMQ~lXfyfLPD_Gx{KI3wDj+o$?uy;G2zi=fyNo?^{*q!&|4x;?KJyOM9 zsr^kPDS&dpIV2npfm$6Ib6gj$CyDs?`;CKF8CXX#FOC-5{T!(LK2Fb*t5SoNyTlTJITb8 zU=~Tov*Bx!gX@owq<$nC4}@z+GCp`DR2#*A&yjQOLlk7ArUc?vog)@mi z9s(DU09@wCnjwLr4qQ$$@Nl?`p|1u4LbV8d~&30xocAZfS-TuPGhFu09G;jz%2 zcZe~#2Ruj;@I+Wn!te^%d_4DdTn2#Kp7KQ4(3y3G>%;lP2oHq!Nip^FV84mX3+2{uCz0?tIM{{tKpk6{PYUn? zIM0>qnmP$^q8n?hC2JC{AmMm4JV8S7WN7KmI>7^>p$FrJ8^L&zh$nbT(oJH`mZOER z+9dAPxHb$T4x$`3pUiV5E{9@+dSBcF?jwPC0=!KMXfqdTdNH23HtbA_adS9RP&e;U`OD2LG`0?&pGz3C6_8$*BMz_=%38;J~$hId!cK6P@TUnJ`m_lNsQ5uN}~uVdZfX)rE|t>s=dlhjbTj?O1y^k4n!>}OZ4AevzTm8F)Td2< zxO*qePd%;)49#_HkY4nH3+Q8c+oBmszqdtk_e7)ddl7<(- z%jdcFap?l{Phv%zFp*?4UxICZXPhZFhQ~9wmhohG?iyoD-_oIJ7Ox+0GdP1}(1%E9 zc#Hcg(HV?idMtCu7_>S?ymGXlOl0_7;i*y!8WbcB&YT~ zKekbml88Cw;@=0>;NK<6@i=&v*x>eT^0$NNQa=`+CLVY;d`q-(vvz9IETW*kKRil| zMVs(U2Q{gJI%!akJu4GB&`(n}sg;?UWKSI<=s+BC!Tan18cO{S{!9Y!G~vA% zTRaku@6Ea3vG5-8#?2J$UrGWP^ANa)gy0GACJDpyU|UNyDFU~Eqevp|3s;b2JRCOe zqb5b+2Cy%Q$E{%jNyCevkrm@(%J{$`#0F1-w@EQ|3gE9w=8N)NSV<}W*N|;DT*Oatz!Uz8gg!dU5}O=SMT1cse{VmU*O30^Bl=^Xbg* z3gEQyYLW}(-muRE)+(-qJ4g&33+p-4e^Ce4n@E59ux8*%Qh}$!Ko>P`sGK{raOJwT zVr|0@Bn~fyN8MQ4)Yo?BzCpC9p9X_HXp=f2(9)Cs<4Rab(x`7giS;;{bEdvvIB zz(ccX3r~bI=5PELSIlSql1SWqftsWu4!C|G z*9D2jv*D_R+|Tg{XdA?w;ey)1^ci=A^+H&?xE{PhJn&2yzKHuRE@-oueKYVl=(dEp z<9t0}^H9c|bCknel7kCIE#+Q8{X)2X8FNSdSm^vCYmYiE&>)QaHZGV$im7k>6XQhe zsV^9_ock(u1f5rK&f>AKc{p<I>>dvnD7POe7(c3p#FQ zerZRrg6L95FlGyV#sxcUrJS)ffhS2R_sLY)ErvP5E#M)Nhv)28ll=CuPPpg$!$_jT zeIOmaAV%CnieR0+9GiQiF6>HDxd)oVv80syk0V?_lDG#3!mUK9pg-^|aiN_w_>^RF zUoC_+<2fE}>OfPH+LP-Djv^tn;{fLp8TZ}*xQQ53KN_AQ9{o5k_=uQstO8hVALB_o z+OPwO<^F5}?MMj6wTFHrjQ;z>4aA!9jDjabIb)IxACNfCD-UYyXWqN>ya3x0>)xze zIFtm^H(TgKBItuJTuZz--$;0j7TlkVhagHju<|6k}o=+oT zx8E5P+O&YTi8kk$3xh9loztHX*eZj5ax5cwfuwVe>2TU*=7>4?k_n0Sl1qd$U!?{FWaKelj8E^D4Kbc9#$v)<@W zCS07)eUJWx!dH)2GxSFV1D5riGJI0y*2qqDgSQ}8cm@%Y3g5e~Z{sE%!z%@kjIF?{CQF1In z{SxMyV+jV3G>#>hL%cbbphYRyDaR6wAh{e%u#m)ZEJ0-%W5Tf%A9?Lf3OQCDTwKmQ zR*W-jQ^DgomNCpE85~P6ppyG7#}brR@j8L=iTb1_JtW>d)?8ATf=Co~GGS9Sbt#?W zdc$KRgR#wnBQ*HCMf&Cd&+$iR{$e~~Pc3yRp5rRuK0c?QkmDx6mVBOP3~d_0b$o7% zfjBPg#C|xXv||R(^ZBxw94j3<*HM>pIY$@xfxiikWPVHGDn6q&n?6LqHhMgkc8pBNIRm~~T^LP!M1 zDug||t4pc084KT&G#+cylde6LmMt?G4Z7V+4fwiFveLNq<7%@zLs%g8n4K_hXqC+9`!IexRKG z_`=;z>XH-v(V4*b5F`2{c)^+Zr9bH~bRy?Ye*~2-oG~LUqZT{y4!NL9|JKETAHoH9>y_8->t+)}cOpM-=p@7?v(# z{j-(?vlcTJ^d}o0SR&RR>l`MAs`K8OIfbj2vOeig1e~^vF{D4<(Dz6BFXjsl4P!p& zPtkI9Y4Hkm$%Oud!k*z=Z=yf&I>}~yvfATEA`04qC#Hvfi)Q^JkztRWl3#RU5Ua6l6 z%SjUBQvuuVVtg0}V>pT=Fux8km{^GRVbeIypY{#lF(T1^5*)Rg@uYnR_?p;IU)rNC zZ6d|gkA^+=GI!LsfH#N(^>g6tc-9#8!=T|l#*o)hVK9@JFjj(1_p??Rt9V#M94Qwx zJ-{_A#t@E3pdHa?IQt;=7`Fhp@epH3ooG1oFxMSxz#k4yWW8}*TiEgl~f5`WM0f+FFvHwpRrQFw#T^-bB!3o`oB@mTGE4`NF-xubAsm!lEh<+;F@Hf zUuZuP{&bSDqW|G=bqal^Z#mHY6l2TlJrDSr6yPejAeA+V2f}KnX&={yYe_5~30s`u zIS7|ShqH`1F1R6$KHzb%<~ha$H-O7YJe~*3Ni^poJ5M_#7MDY-3#?Dv0UjXncmgaT zfp|tbd!=3EK7#AP-oJC5;0kz?m{@aOFzFKWg$tIFFkG;C2G9Gr9NG{gT+o;3;X0SO zSC9(YOoNIm+|wv`ghxm*v}{V};wpqa+(of;F$vj%X83Bo+gBUW1LV z^ZY`&0ennkl$&I6-XxLoD5xT-cm)j3W<5|R1U@86ya3? z++?ldA+Ugi;)3?KxWD0oM@SBy1pDN0Y+MOXkwX0Y{o2GnZYypx-vjw~BQTu!;@|HN zC-#Z6yT|&cTyQ!u$HU=nl8MJdMIOh+1;>$e+zG1Xb1mR9xPpY>;qW5S9mE=d#Y7u7 zf5^N&Vvea}4l{`g*DIiXVs1nG(3P0r-taO};F(b8G3Q7-f;J+!;3|@hM?kG7j2HE_ zp*1nW1=kR7JQC&;54-@%pEAxoR?vy)QZ5)pd?^>qCKb4#ZXt7x3)+%+Tri9{;eu%- z3Kukg#(KjAV~GM6Z2g=u#Es!vqA&UeKal{+r57BZ$S4=QOFSsgg|y*y9mUdd1x1=CICd=7=_RVKMQ?jaBN>o;TFN6X0Evis!;5Z|Nr<3iIF5 zK3)JD6m#9;9&iQ8#f{&qOPfD1cY}G}gmp_<|F{`^SH?QTi{bim`he%acf>%H!#Wk5 zGp-9ekSIJCmJlPn6xOd~d~iKzN@8#`IFRV!ws1Gm!Q)|L7Ey;9Bu=D zA~tw9yi6SMJa|w`LrTRHp=UJ>DHBhJHMKP)Ij#fkhy`vBrxJbK8!jVecm&)_qVP0W zNHRHJ!G_f}q#Rry_9l6_0!}4`cpSV+RCp#VA*HwhpDoja#L%V^E+9#i2f||{6;FaH zl8#G!uE=l_hugy~Bmqx=dO94Jb_7R|V%!O?Aj+YP3A{)w@Cn1vKQdZ;EZX zUf>X-GmQ4(ETV_|!(WIao(R?JYe)suPlgTjG^8TR^VFU^&YHkQ6H8N zV_e@tLmEjWJP@XlQjVJg%SjI9vYxCvl7}0>aikFUfU!h{3w|Q{_S}DZu~!O_;nDC8 zDWy&!tkawIgd0H%l8Ou3kaS#dAxXePU<66RW8ryXL!0Tam?&{UJq72B3(g^qcmTXb z>_r_o#FBBw)8S<$=RSh5f&qgxByU{MYY6Kf7fc<&IOBq^NGXq1!R8|wPs-(RIFWFB z7({gO0;oQU@u9v98W0ukG@5lwq1Ksfh*w@5{G-kbtD0gf~QFmo(Ct4=UAMJ3ydSNcp5Ax@wmPd_b8HxTf+!a zfD7i5B3y951m+vJfgvOpFM^iNtXEtK*N_Z65@wQQTu?EQdlw!EpAqYktOsc4%DoZy zh0BQn9u9lCv1V`u{DD;PSSPrG$V45OMRag&cMYi{(Zd7ac@l}I!$J~>3u=2X*P=e` zPr`9)7)<=}5cnGj#gpL&;*Cq5oFj?Bm2eA*!_(mhk}!(b9 z*MZ%ML>&t_iD=_qa6QSPP82*(3h{LKfy7a#6dF$BTELCqaH5Ob!}&yx2g04i43C4? zi4xC-RU`!GV>qPtBmy^qV@LwWa)gUXDjo{=lT17T-XVE-F4UUNT=Q6MxNHXFfJZ=e zANu3KIKvoU)-5jhlE`qC;7ryq?i-{b9UwZRX&=5M5x5F=3ugRr3%G%J;88Gzr1IEQ z_=H5^g|K!AV~gv;?j#0}g(<{e)Q5LT5nc+-7BMfP4xF->l7~ynI6kSsGvNzTj2FRCKXSd`4$zaK&oY7#xXi0_$x8M<6sUk!i!=47W#%4K-E^} z2p8-S!)qkm1bPz(Tri(R;(FV79Ys{*SgY_TDa0+dGd?5_PlReaI38}ZOG9#v<9f$E zV6Q!lGp>NW_Hqphhko&#FYXVY5-(f@`|M->a3x$tbnysypJ?NGu+x6-OSl=FO5#PI zq0IrFYjDAPBpuI##tHNd7o0)za9?HgFCx#{=L_VvWZ^ z^%Gn#xC{moTU>A-iDrBf;GAU6Q9KqNC$W?#!|5kkhd)psCKDT6aBd3M4juvz5Jx-- zTA$+Falxs?7Y~Imi5JdC3rTB;3myrj(;RC&Nx%)Rav#WKUE#X011ZLB zVT~-#$BDHBYu;phgv0H`2#a5 zXTq_PO!DWkjxb+MCKciZ@U2WHMTj=xYAu;0bK$(I$)w+j5uO2Gkucg(!Ft*Opk9B}+NID)1FA@n?RF_H9h#dEZM~DfJO@enwES?Lih!ZaHS)t=e1nvZrh>fTZ zbBU3t4}W9-cO`8m!(Vh{QX-xRZxR#woCAx90rd@P$)rcbg*pXrZ*7^BjVHiib=W_M zIxeu1nB%&9Mt@%tja$Rn!~su*x9d`$_H*IOdbEk_^LhG%h(GQCLy03UxQW<{`tYM3 z?c){jDEk%#xN=_bK5@Wx8u2;&`ZCEHFNL!kGe^`9fLlo_9s|vq$RrgmSl@tgqrM)z z*^Kt_92mhqOfozY7Lz#Y3+lFzNinz_{y>s&C%A|t;Gxjcka@(F@B)dz)1hT6>d>aG zkxV*BV)5iQGHGO6`i48fg`@%xgS&~$jq3}ZB*l~$!}rFtkC(y??PO9O9tD$3WPENs zV*>A(GS_%6JZ;99<7x14XZnLD!rMeC>Oi$Fi~}x%ONk901{-&kNglY3xlD2=(eB(s z;3g7_N5j6|7<1ejMiNI{P|=xXE;` z3!=kgr5TJlF~H+t2Oq{+)PZ|uGVXXhd_YX7QwSH%qW^dpj3qXB614E6J}&4_T<}!* zl%(Uuu$4dU<3`Yt_~U{HNi?1e)n?PK7uO(cPonW?*lCVT^2NR3TH=D|!D@54zHlAb zi)7M{6P!VEa9_BX@4E&V_OlIGF@e?j=aV@DO-_ zhFm9q8e%nt+u-jhN zJmrGZi5&NZ+fH)5a4xa1LkiDpVyvLvDaM301uIFRIQLYpMN*0jW}Iezy?O3{qt7tT zlsm$HXK53+hNfvUDHS(^tBJm-58cnP9&iunc%J#i1*=`4Z@4yGO+4@jxFDT5#RK8A zi<~p=4JZE2dYjH`4_HR@@Cx|LC0-j)CmLQQVYmvKW$>It9lu@>cU-!$W zj-=zo@JKH6hbO_iL`C0nVY7Rz4UTIJt?u*OL%9;pBJsFC+(6_!HVWP*dekp~mmYFl z>SVww5{pZZWYQ#}ppF-m6>y)#1%D^rcm~}1m@&d*V4o*k*SHeOpL1`-jbSp0#M9vI zmz+DE3unDzt>XT01cEWG%o$z)3shWd!r_Fs%)2l10+$jKJPfudW}a|4 z-1we;;?dBfgtdwbwlC$pW^#={sf@Y91uqdNJOlpvk^43t2kVq`EL<1PBmQ_Gd_)}Z z0ywOKbHwf8B4U7t!e5CV9tUre4Em4@D@htIRkEH*5iV#?3UI*?5{(PSkVsrGlT_e> zDpHIK%Bz@bTu@13aY1)tLLWTfTw;U=z)d8VI??a|$;K047SW+jHhfBCcpSFS3m=GO{oAE^dd#LU=k_DLo_s{4%IdJLsI4i z-Xuy~1sm01FIHS1jv~gm1Kde;@Hm)8%y7ZQ?DL_Ahr*8}8n1wcI+{`_u7vAII35Sf zNg%FMOH*n|Y;hwPQCm}T!3D?G(Ucr;Z@8PJG zMB9%(z;TV}C+-9v6FKg0pegNbrYU*gc`Y=hwkE$7>*&)xFa-SUyV#$a4;#tZDBeo#s!}eli93QSVoNS2=>&tN6c{p z_7fUJTyU|+jVJNNz2I5mg=fGKedsgp3r~{>JP+=&Vt-UTTdB$4Khif`-j}&1#w}P^ za3C?m?cod((@g6#m*K|EwIo4DXI{kv+wpn>&gjp0;(}|5MF&2= z2-dWwJ}%gc=$L4I=1E)+7tA7=?X^Dh1D=Bm>I~47B6+N!DT&4f2NQo&toZMov!SdLIFNV^*ZNEsJQWw5PZYS| zCQ^tC9wCvq;1!ZXJAzM19xkY6!yMUZeP&ZU4j1f3%trIt4BC-ITyP3;!UdO*FkEmG ziQ;$lf=7tN???r&5L;ZZkm&LIMnSc~%nL5qltkl#T}U=ADE79`*9i95852wzYB_eM!h|?K2z)?8p-<( zL9v%+DlRDY;!Nj#grL~tGZGgRdxSdTf?^LoJzP-itCz~_Izh4bT`4Xo_LFnrb%>xl z(VwC9nPM+E8(dKA_2!QYihZ48a6z%>Q7ZRdL9r)K0{1<^GsIvvYZa=9BmO^M|G5!( zHHLo{NE(gh^Acb&k>Prz05^c8&z_w}_gfU1F(tKO4Ag~5P#F=7Sby4o}H|4&6Q~u@T|6@B5e^Wo^Z^{$?rabj;$}|6_ zJnwJHRew|ddD6e{{?~EP6_fc7Uth*Y{x{`jl!xVLOB*cze2|>|ag7`P`Mr%vbtz6P zuCHIJUVJYW!`H8<{?(=Q?{4QVL#j(&ViA4)O1G;nePn@t`$}g88Tb449c$(c?X~{% z`=~;`7mN7om$Iz76ebqk*ROQ-8WO*%{Nu~4S`BIcAK!70<9q&7_a9%%ENwpb<&SSA zg;l_GZ~2@rn=4rwcJ5?mDEAb5jj)l9rQv9YfgLRj<$nI`RO9OHGsDx;aGs~1p;ez+ zH59IXexB3ayywYjV1}Qi;p|y6dil9~c}{or>o|Ri`z#+npGp25-F>F_a`l_uX-;QD zIlC53ndIr`|8*;;FGr&(xm@8tYqsC#4U+yBTkC50`Efkb&(nQ2JDAM-`aLDHJZH}4 zD4rf-J0Z4^nC$8I#}B{%@qhpxD)xr4^_=7BE%z4xZ)xc2H+aSzpJ|@64CS+@^mP~e z>sT62a`pD}G&KFA8HMTJA4FmL4_#82{&8-fAFg0TeAxubZHhO&{`aT*57osme(i+9 z)%VN3N}Rx-{qmdb>+3U%bGI8MAM9aixWKcES?A8?-FkHF+|9guNAs@k-8#Be*}0>6m##fK_Uz{7*3qJ?huNg=9%de{J^oD#7M^C4dboD(($Q^_TUXA) z)1o8i)UBhr#UzhzX0DyPx%T|-EEJ~yJh}?gf0&3bQ~6z`e?O6*uYy0D z$e&B?&lRfRGMjAg>hINeE<59VYu3x(-?x{k>DTM4(;wGYCwgT%YS>^?rn$T6*ne!( zun$YmQ(^iKEq+@*rhnCezc_CXPqs$$;Fj?13R8S5@n=`D&v$@7m*2O0!eAcYFP69X zXl6@84%M}bp?n4(J8fw=?AyJe)7S2H>d%H|J~KLsjkIR@c>5WOJHlUo{c)e_-pNe- z&rt6BWrHrCS$$`@d$Ey`yV&~5(y%>0neE2DW9-`Iz|}m%(y)6smP~i^&gSOs?vpxu zOfr;vyUv(Ao6U7TSO0c#D@_0T{QfNeJQ9r5pJ&hQ^e6k_gKE`iB3=g68f;@NKB*Js zGXcbNfzzzGNuau~%{V_kzU!=r+6A9D4@r_sgRT2I1Vq2wJTKB|?82v~MjvnQ~W`reJ_ z51vN%c|H2%5%0?N<>i&HUO$=hD!2MF*M@D&%7WCExjv~gM$$PP=Bk-$wnG2^wML!s z_VGP8q19#QWbLzNn-9O+^DNhU|KvI$t_?fKOZt=Qc74%OI&0Q)Zf=6w%@-7wv<<&?|3lu0%jVt^ctEb(bi${to=v zT$>8%0v#T4wnm7nmd?zKPxsokaX-7r`SbVMBT66m-ff6U5He(>fFZn?32#9AM&n6 zPW-tUL!Q-&QILw&t5l1ozA)%^%rZc)LGJ^$?@!Wv!0YvoEgJ+$>6hoswBMqWX7;X{ zotB&a&S{QnW*LT)ZgvjYv?}m^K;YF;mF-+yqRyqJ?W~?XwOiz+$2mvsjZ@z#q#jqE zR~1oNJ$3d3y&6kxst0WOan^Cgi}FL9t7gdbyK6F6Y)SPN3!tWSTO;P>A1e1W8!rx{ z9^x*RNWQ*w*2K+1E3?|bWrLoSH_&fW-$0{KBdcrHyUH3mYpbtPD{lNjE2{4@cgb>K z!+_gOU6!Wm)T2u0DX*;R)QRf5_-ixD77_OX=ag^kyVPA;sGRfe_RGmy4OXdTv@EJ_ zwnXcK^wH*rfg!F>n$lq1h5?f@|2Xhui&m*RU1+gubX^y%#;e2-a5O*JiK-0wna&|S z7f%SDr2DP9*^er-kjDJY{U0Kh__qgrKB3fh>eci&&dAe8H1)^THQSupIYcvjNKVhJ zRDbmgQbRM7q73hE4JIgUUUW!x58m0-LhFn7RSNfAetM?b&iWQwv>z38PO4!Ua4ef8-$HUi~KWuch^=+1FB0nAdvZ400(#Kcd_SDIm#t_I=hTAg&IXkr5R+sv#-S>sQJFZCy3G3c$->0GPVbLmP^7}nE zqN1WwOG_=zU$}74?OcuUl`Gih^?gg# zr`I1xS4*uCQ^#bWor_zRtW!#`|iNnwd$>J1zcQ)n z7GbMMbo0&9iw|&aGggJwougk9+-=v+(v+G$2 z^V7~O&l+^_W3j8r#Oo(B!^6Y#ZjSdkx4z?e)$OZ6bB2Fv;inU_anw=glm;z6m0mcJ zQuXZVu7uZ)wN_isRllkTuD4)f)Op)hdNUrBxQtusH8Jf_jcapsU-@Bi~QS4_8@J=nNW z%G1;B^$hdvT3vptF+G37z2GMAG`5{P(EZF+kIFS`cOHv)Z3t4e=(?8@jqry7Ued~oPY zrJmwe-zjn715Yk%VP*MKNk!SIyerkV3_m%;+goSr$Lw7ruWqWBC zHq(mI%WA#J^mK=bWkVjlf3TpmXYSi0Kh7+TEpp$~a@(!yr?lItoBF(X-PXFQzo}BC zuHajQBZZc>*mFH#Sg1ngh3c!Kqg=0DuvkdLyu1wMRXb-KlaAfM+84vagj)grlU z$?m7KS13NbURqu!LEX`T!};7R9e;k>so9^LD<0SRkXp0fwDIXr^UR+cH<)g*vX{w{ zZtZ3JN0zp0t{gKl_ZLNtnc6Y_@r3YY8tXk8Uimlu!6uY8)(@NVq}?srajEN!4{G0wREqFPVAQwKD1jz-8 z;K|&1 zkrt+T%&a!JF*n6w3o>Rdtho5;UbFJyIv>Z4S+KX&^xPJfd!1K11&>PE>hx*Z)|&gQ zDvzA6xR|=tS*2#=6nv)BdbhhR6!UdIy*qKr?1u;4rrpfD>@)xHhk#@D{UiEq%k281 zj!B3~YWCe-ye{~7Mo;U}+*+S}^~XBRT>7EZsw!}zUQzw5z$vjSOLnIZs*3*gxoJQD z%E6`A=Dc6HdgRaRN2=-lP_q5asi(a@~4%+%2cX8m1FY z8N3*~W!cnw=eAw!HODeYyLWH{yEVH*8BAY=Rr`X2HI~jvJk>h)*TDKWocfdn)(g5i z`pHL6>utNP8g5r7y>sKvlwJ59lr_$vk0t<#Ua#HKXH8p>1sJ1=EE#sjEAIeszuWpcX>x)K9Pq{RzYkZ|u{@fB?@#&od`o-j*6b0THZ0gL@uZ#JbMB4fcigS+ z`ROZvQ*AvlRWG<~%Z3X}C%RSsKBA)JMW^$(O@C;(0zuN$22WLeZ{p#Hwe7->cH zn>RCG9t>WX(&Xi)+^X>hPRg?muQzS?sLp}gdcT&Zzihjx(bgN+9m3hvZmYi=v$wV=A|9#?y~cz9V*&)0SqE1N9;^~3A!Z>%KQqB>3cq+yx77UG+7?G$kEne zdXj3wh3E!e$1C$sMEO-Jjf-c+wy^oF@@0A3t<7ZlCnq=t6z=YS-ZkXniRY2dt1GLI zk(w-9arW>>#YF#)TXyt3QY|kjXzI#So(&S7gkQOEd~&BLgKlk}-)!CX22EdQ6*Mn+ zJNVYAZujeKZSh;>I6kpH;@HnOox?vcQr8~VH>$X{aI@Bj7MreBU2$$764Y5WF67#Q z**D`^s^<&i`&?}_?*7`3df^rOe+b#tY+>fG=&T2qw-+7{>{Fwv_4cZz>NWamIH$yJ zxl=QA%tV9oX|fh!W6MStDW2Px=*iRHZ&(*%QlX4mlN0PwZ*s>D9S*Av-O#C9pS|_x zZ~oLaN5e5TW76WE9pBIOI`l5RxaNgjhQ}s4bkTd}BU?Xbs!#lNyY}x|7gX;PE8jDt zi;wA(kAn-_sRpH=v2zZcV3O}~azae2tV>7g@-jA~UE7^a@3=oKN-5vk^X8kA!4<_0 z9&aw5YwMG0bH2;Od5i7LW$A6R7KR!WcXidQ&E1UKX~D(&yPiC$$Eu4u=;_{Ue8X#% z)k0odCbk&W-fF_xZ5NxoD!-AE{&s9LtErC$jDPHR?)Jid2UoXyXt&=gBrRv+AEKiz;sP4g7fG zl)3Yxq&`*eZna2jW!Ee$bV9r;Yj*LPrS}{PG(758J@*eZT>tyqy&@QE3o|c2IjnmA)0~-^oL|bP^q{~; z_jlD(v-+jP?wnFjU+<>@6`Hpu4j6N3V&m$E4LvG%jGR0y@9MHTRxP%!&FfXmVfpko z&o->+bpKR~A9_*erhDM)Q4* z=IUmayBvnJIJ@W0+!f>Hosu6af~Trl+PzZKS*ci5TCk;dXbbJGlI9exmfH?hY`-zK z!KWnc3zgedchA);a%gb`8`RQk-^*KX^@o&A znw4L>`iR2WXH1`deAavB&vjz#N`6|q;QIEeb#5)|Rb97lU0fr!rP9h>s*I9Z^IV?h z(M&xq^rVHk>_Lg!N`+^Bqw#@j4C8vGj4M4i<)qdn7N=U;tjg`>rt3@8?Z=c|3)0k3BiEDgM;&HFaAKi0L)Z zqd`^Smc{QkXj(PgHn+)$J$9p?+BKJcEz!Pxc~|+UHcDHK4@2$CEfZZd6T$|+lV+6# z>XjY1Y`a6DsMk*Rys*Qu;x_(U>z_^;Gw8vL(5+1t#5o1k8$R>UYLkj7`%i^82)(*Z zJ?40rT0*td;+5ugLSzpP)mWp_c&@3q__$HlyzNJNj0=)G=dEq1(s;Pi(%NmzxK}+Gjf2irZVON4=JmIJ zRj_wjVapn)UYJL^2aTwk{wVm(ogoJ!wA&1{+V;LF4GbT=c#`h%PwkIQ9G%*#MoPUY zbyr&tJ)qNEdik`0pPI)d(+=7rROjAU9WV7??PYZ~_GwU!sa7YYPO=~Jc#q@4TdjaM zD<*~?nRd&q?CoR6l)#?rJ5A`d_gUP~K|_+N*1gzqbwfS=*H6OFyzunNGGA{E+*~IXwwJUsTu3h6@8ltD2y{-QB6T!Z7 zpC2*I%F6OGZxVN7s>Q4V?NtUn7oS{E;`aLfNsGWz-$5n6t9J;|Okd{L-R17l={biy zYj&TJo3mlENz+dG%f>$It#y^B9xv0N-^%Ta$JMSHv8c9gqo5J0MMn)|rtiNoH)f=aR+#)z!B2TwZx$k}CUM+s@938PQ=;~BU#ouc1#8=uggrZDV(xHhdyABASx2hJx6Z%W zr$cV->6$erdyG7Duf5tBN#p#@OUEAeZ}HK-&0cQaRnN9nmfp^~@TTDOZm&1PmG`om zhh2TK`hki6(#b#EEqK3O8DKG{=Gf<(_jJ!YQG1W}hL>Bc>!!RIShB)POI0~P>QTvy zxOsgtEe8ACNbxg2f8cbZo3DF2uh{h|#N)_T#ksM1ft_nBAI#g|v}VP%oKy9OwBDWC zE>68l$EB9W<=W+%^Y^_wIVR@toZzI6rwrnpH1*auHhn#?I2F7xw13wb8 z!beY6{#hx0I##(xAWCq3z-CvuhWcJ4v=c0eI4BmY889*M-FLfy_ow{1)$MFMpoL?~_Eca7x(rAYSnxQI%Be`^QqovZIUy zK1jm*iw6~ZVc%}Dm7-Jwb00HHXN4;)t(ihTFg^N)6j|)LouS5**?cO{?TBJ{ zf6kfHie+Ka%LErhSFQM*we|WH($;5>FwV~EG#)~_u>ccQM%2!s5q)Xq{B^xCMVHTx zp&5(1tIO(5iZn#lg5^R)@l&6tV>+*2C9cHMPk%J#xvfl?2!{PV)pT8`%+}t`gxK3K zRa6#j?6@;#db>YKioo>|XBq}7AQHYk^0Gejk=Ah)1Km_h-<_Ikci&617#_%9vHtv# zR_QuYu$N2R^T?7i!tvyD<~u}(7VaiKrfQ*j+8b@IHxTMR<#ir3b_W&nvQUUL>|ZT= zdOwkreofn=s*xoTJd`~_>9U*d$;`}YaZ{0z(!$D_Z;nX9=L ztgKxsLsB;u73PpZ#e8P?L_e8SLhlati6e~e`yTOJne^uwKt&BW;%0njG|gn{qRw_?YVDnG^5-9*V%{^MKJmPv zDXqK4RhWP|$c(G~)#rM}E)ULPk?x?1u?!mD1Bp>_MYG?F79Gjx!a6^#(A_&+uDxcn z5cxIx+93}`lH)-lJM!KV$!fk+g+CJ%Rmk$Q8J_2KIIAWcwWXOSiAu=0u;DYST;Dq$ z$0BxMS^QC-HPBrcJtNuiMT1?d(rs*ANQz~GnULbF64{LPlR6GNXlw-s6a&RyS9Es7 z*I21`I~bx}#0m^@CNdY=^z`X>dq{El%ybIyXm`z)bUl_BOjYPf-l$4WetjO=ieDo? z1745Db_{ONjC`?5(+hunT^sGCZ$*OG#fMf-e&(V)LXK>;LO+eaM<=^~jX6j$Ykq&1 z1K;B+BBco0#qbA3rx^X}uPc{QH6&w>W{a;Und_fNQ#u=So+1j*rbPxoUAH3WN9g!k z(7L-WNjI#T(Gvs08?)C-JmxZe8(T=!XZ@GLu>KvmH z&K}4-$sody`)bEnP&3jo&pS2V6vr@55mDF1u$)yk`aXVYKh(JImHH3ex$g3`?FDw} zi|e>*&!tRsB~RIDwq?dDqPVo*Xagt zsip!oU|F?KUHhg8rf#kCP}h=3fQR+9nKsIPGU_?@fJ)bRF}uT22QNs9pPG5`0BW{-qP z*eg>Bj-HUgTv~qL+o`Zr%?QYaqt}JZH&n~T7$Oc68g_5+^)I~_4{afn>aP!aZz;5s zG>!1((c@?355z9_LT=K*1im#P-)ZsGC{`UwNNgBCZ$1kq*&udg_lP; zi`Oj%XULWq$WR(dj<2WJik`%T>fRd|nt0nTqdstYQYE?g>eco4feGux$HFNv(5MjB zcb<@wvv(iK%HHS-LDdb(?{+g~Xk_f##Tx08J6>KrINH+TI4|hr%Qn{QK220I|GuKK z)*RP3AD}7QtI~0?xp9=~QJkRx4N^549bbfAbb8Z5)*Q$r!P9+$blpXYsd3fQZ@M-R zp*~D0TWeyZ^+^9_mSk~ah}y~Hq9}>}INQuD?h)Q~&d^#Ww!NedL0m+oPR*C3j=*-= zp|Uo4i+2}&uz6HLvC(&~Ptz*7n1Ogv3kSymT`9j5YQB!4qWC#iD@2AHx@^|7jKg=~ zn{daoHLiyQ^ZDtEUya4p8OTNjxO6Qqu2W)fu=TMPME231BH6Jp_nct_gdPp_sDybhS4k2CmUkVTQ8KGC=uN&O*a$qU+rl$ z;YC+l)s@pB?ulUfiUt{?SJGnEF1SXXo~z?2l~GuV^RwK@u;6kaefHczw*4g0jeQia zINd0|DtZyF(<#2s*d|i*) zkK)nS5`@}qr~Tr!mGJqHFDbqbJ=Q(1s)O@=*EOB=3wg zTqe3}VcDw)Igo+Aakk_7gEL$q4k+>G{naP;IY@L3(YcBvNUwbziL zxw!r2y$ z&}6VLZQApNLk5>r!W?*7v7y=N@7axlXDcq)mzyEx(!K_@*zZ!m{cbhYDvWhKttHmH zxO=B7qaitRA6tjSU|Ypf>^T5S;uRA!6~TNY->~i8J5M{e(YR9PaG{ndnyCEF;XHCN z*7YPlbbFVI>*ZzgTtx9xw&fUe$Ml02;E>ArJy_0@Yc~1xr^?kApZONz@^`5rlFkvZ zCKWD++WK&uw0c3OlyP3aPt~b{<+js43AARmY3R&yy3Dg%6&c#%)b&dO&LKSAGS?29 z4xjA-9Z3cJrsC4;LwU%S0NrrWPqF=gWry_s%__F`rc8mDAxn9%}UA6O`hFE@+`jZgtJraR$zT=8=o z!eo(vTBS;=w@257`fV&FOk+%jJof<({R8bL{jr0e#KLW}W@f&_F0(M+df1ogl^51` zlC_QL#ctz=D=Jiu9dy}aYq{|3U}xE#pfBhcQ(WH(3}Y_9ME-?|U3CCwjI z*25~WtX+9NMa}OKR%`Mvknt!q=Kxn8#v+%?Z!faVDEtPUFvapQbmynF`UUPjGqGu* zdtY*dF#1X)3hSBE(iL&}sJu4>}PiSrG!;a1SYwAC{T2aw9+{8#I5E(2My_27b=Wb~;UINXF|_=|S8Z|Bg>h5njDdJ7gjR&F zX%`nIRy!9nuEtpk_cerdA0`iAhy07paxn*ECTnil=QhZ6(Vbqq5MjDITl{(XiDS%^ zjyDV_h|>s1k0z+cvZ0=Pf2_4}_q2V>{x)Qaj>w_LyjZE1i=r^OK_+q3xY^jB#*ZZ; zHm)$Tvv=aVSm^Xp=Yr!De^6gAQxWI4MWT{aF3=N|w7RiV#b!v4aV4E?UQa3I%NQp+ z+1iIQj%Bk)uTj^Hco&TDT++50cS(9!hR`p@^=O&NB0UM!fa0Q zr#^CzX)8~zherqz|;@cEurciz-Rucmj%g{$mL98n_IE}#8G5AJnV7@g1Rsi{4;hKh1L9*v*IJ2}r$rgW$6;Sx5mvk|xUBaiPV3~6D?E~+~BK>gVAK#}1> zIh;Rz?;4`oYaSI&@O78B&UH8^k?ATas9^H*S`M0(zs4XQzpg^=7=1fxY=9$G=Um@>p@CrZX!J9|F_V$t3JXLUX5gM+>h~bO+D8eyq#L+`o~Txx(0UjL z4K;nf!wW=D1E(KO)Yg}-Ia)qXttgdMs%sT@Or9cfG08MQQZzFfI`~IKDvrzs?{%uF zdEQ4f!-w`LIe+d`n?#-LRrr&aIkd~NIsZ1DQt+#bcDAfB#In<#=g;5lH2WG5CoVW< zMzLCMu=vVgsoHYc$bR*i@}t@Ap#I1i-hj4a(>?@FH_JPRFEQI_W!XndF7cQ+EhE#( zmt_Ffu4IE>$?>AY6nm&$c~UUtpiR67>{-`Jn&?SI;tB*T!xib(b`YXF+~4kkZFM!_ zmCifo7rritdEyU!=+Vi_t4QbY@z0NdOQ0@y);!@e-n9>|!d%+IZoY-%`-a0`rBl7_ zJxuZZ#NLRnH527L57su0XxX0E@Pj8Xxmwid(T^tjATk!CSu%&zy;qFnIE!cOBKP=B zrqCc4!Eg{CRk-#&`z=p^Bjbvlmm8&`7N-1Wu>Cw8*-f^&1;GLOG~VS>O-oh zilhFIABAdcw41*ui8VL}@BIFETSBrluVx)JPU#R@5aQdJa;*|h`nPPT;DoN6Bsj5ki}kctqG+>1td#?QUbF#wUcKDskrm+_r+JBo)qIW6WC{rFIR=3f)m` z`bmu1tcxWdbFJcZ{>H#p2Ik4hSnoN4(y?(Lxyd57^&UPyMXncjV4vE}Bz8}v$m)%% zfH+^k+jYya2evEA6q2m-Zw}BDu4}<<^6d4478|q8J;z=g5nD`F4>y#n-w|KZSPViC zE@)x%ZhblQf;Mg53v1eu=q|2t8f}TL&z{{6wd1(uyv8cK9P%Bs*RI69J+Z1gD#(_P zEBf$VhI9g9QH@%-zM~g6w~&aLBo&($S$(zZ!*5BJpwDJ-s;Qcy0e_s<#{tt;W)~gV2dgD8pwyfxF?2B@kWI zCO@zzsrcRyuk;Fkl@t@-fU3J1%X(J^Y9I$AW|iN}`!ZSZ;djF^!P9}>6~u@)W6Ny2 zcSVdXH?m7ajdQX0zQ}T>YJdx@IuS&n-Fb^iVL*@VylsW(Q76wL*FkZg7NTO#T8??U zLrBBxF}3m9&<%9*`IMLMslMAbD6Y|`sCFH7>{T*zQfikDLKmR!FjU3HYCtE6R~u_f zhkeocku-DQD?7ZyL|x5@6i*sgY_g9Q!|>>di?8lv)~c@L+&{ylYkzaLEKc}YU@vPy zXwF)<1YwHDY;5kDL|%)!L&|vbd1p@R@BTWNk7|gPld@X+viv<gtPB}HhqDhZ zcK3<>&(#~^ET&^x(1luV5@4d=WI#ADEPEW}_Xtk1$TP$7oc| ze{CzXn>v1TLfr+i-`4IUlW=xzml&L|th_wcaDpN$q?7KkV~4@R2GSKnL}o?!=pqp+ zK0rhupo4nv4XW^|Hz!e<34w5B#Oy_06(@O6=K~@O6Q8+;vK=!U|M2S4IKpx7eJzd{ zd8d5jg=MGPcNM$pLwe*iEv_G1&nrJ?)%}phRn%>7NcEVf;6^)tnSt`MbP(e9GU3Kt zd8NLP=eO4mYl{bcQxJk4mm4qdC~h3cetHCx)Q9Mp)se9Ghnqf%MGxxCOc@n*xh-uB zH>5uk+6V;|2Wy~ehE7DZQ8>CWI!F|pC_XSm_KZM``QQ*;?4;1=YdV7(z2QJwvaMxK zC7eo$QXK3wX%Ih;f>Yx!a{+d7cR>67*2`e#l7xi_v)ju_;|YW6g{Hs&)Uposa?UlM zb^A&%@@n$2ZA{6H{nuVNqz*FVt)FVs?TWuMRc$=gXy7rdlFgX5tW_$Y;UJi8_WI*d zvekekOVsD%8|KjTZi(BX_+Yz!%)kx%Qg+(g)X`YV_vIv9;*vMc*2;^`+EE@>YrNqld?2rk?99s48Q=>?r1^ z@G|8s`V6~(1?+i({naPJ_!z~_>Uh8m&5fh81EEqgzFwv;bW>}&z&(wmQQc;xE50rA z!|pxuEZ;T9m&+YYIEwE+G>4d@=shv8got8 zEMHHLc)qH{ZWUBV(HEj>-mkJSNk)yx4cb4;+=gi6yqq;3?_hy#OH^V5Q-Xu`*}bQw zPu`Z?Z)+}oXiD*DVVIoCF-S*MSGoA|d(B!=XJIt-otm{Hw)p}-g(9@z+r&Z_HH*QUU8?l7l zMjYZ32`)@Z*XE_Uj6O|_H*i!$Bz&iJ)zNm7vzyupU6BZfJ;Vm5?mt_T!+5V8!Z%Fg zEgAFqx4G=g1^lrmx@}XPp2WP0eHtB`q*IjGwV z#W~alcTEvD7gYBn)Ce_Ct=^t>v%|=xv@)r5$48~VO12w~c;Z#bWuN-+;F-p5I!Xtt zDpjP*y$vIOs<9CS&G!XlU`!FLBef7FKWFv-)8D;m}N`3@e7Cb4{EwR1K-8I z%+|(<0smSq&L$H&xl3>hD6xMLbFa(c)Cxm*UD#gb-cwHVy7xKJXbcuK^vgg>5FUh>mas`D7=oy*XKg%4=4qn}6<#xW{$TN&G5l#{tj~ zn$J`i60aJ>{Jmygw}R0jvTt1NYhzsxrORiXT+Jt(<*~-?dl=Nc<{l^`nG4@O$vR$o zLc!5t>|`3w@$RL{ZbqS}WK545Y(I^23LZ8{(KytyG@iFYJ)48LvQ%BhC9^T1ce10c z0-z?lHj;@PbaK{Fy36IC3iK|SHMT1D`6oHTc^|KXx`4aPUQCx#*F+npXy;^+tocE1 zYn?31W3V1)de?^qRO(lj)Y0f~x-oVeJh#7{9OI%851$4o+nvm((|64id~rdTRwgA3 zp75aXn(V5Q(%!orLA8$_lu=n7B;sEDTKWC->V*h8 z-*2lkP2WZBXnaLl)wLYXhf_TzTS!xz*LR;K>ej^0UcAvlCX|1X;55o^z+Z;(lF42| zml>3zPOlo_seZB!&f=!G*th|PAFDM(1Kor@LA=minE{rc#^IhlN zp%d$We?!rg(b^~+xszmKW7LuP^TDhbh2|nU$6&Z0r7b60eK0cVGU;5C1b1W)AxfNB<3R}r$cpVDZ9<9mbogY5zA1Qz zb}iYZ;*w{AWL-b42wu$P$4}LtT9=^OTaw?qG5L||*8CNDc>>e`qVUziX_-{ykl_?U z_P8PN%WHWZxt^}+8p}#d(5)@}R{b?RHMMJk>&D(`>Kmxh3zqdK;}4pW^EA(l2X?9@ z<(*dO<{z4Pbs!XTSdWDJ#?BBLYWp^QWnv@F;Xb$-1}IZ?7gLQ% zmUP$eQOq~a>!i9B3+}W{a%RQ0mG~EvQoNT)-*a)CGHFn)v`d9+8uf@JR}t;BY=hkO zu4cwWVY1^ppnU_~x!n`sR6RiS&;~KGSnDK~dM0+z zjb$ujvLGf7&fR!DhZIi_h1NB9bB@|5y@dD%Sy&04(|&yYZR8G#lCf6aY+ZXtJzqai z17tVZ!w)A=F*m*tNRn62_B20mAScm>7&_>MCYDjLu^06V9qObzJyXI&ZL>yOUwdOg zx-@p`TlU+#tLZuG-K{fJ+}dO%qvTzm*u@=Ul1|ldDKGthcKCp+;mI9i6OA-Me9{&R`o<@YM(M>@fr-Olup zEp%;tw7${S_K9 z?74^7D3aO?kOcH=;w8<6s|I1t@F}#9FSQ-ahZt6bbDvg9b}lH+2@_FC)U4Xa1a{>~ zAdKiW<{ESQXx|69II7qX6=P&;D8q!NsZnR5#y(QAR<7uIasp)o#?+Is?IFDU*(s8H zS4Y2a2#6cH$nzU2pxD-3hf2OUChkZ2H=cG%7rP@ive$VZh>~eZBvSHS8oCiiKRRyM zqI3Sb=}h{|$P9}9k(g**XXBwMB3J!Y15Ynqaxc?5>q){VI3j@uZ5iLK)t!n0*ow8g zh(0vgXHfWZmLW8Ddzm)%BFfWjtgJDFt`POOIF0XQ?JdWSXYV|9?9xeBQJDSHu#6c6u*O^;m+_;G&{= zK_N8#8m`14#h>S!y<6S;B`9I_wVH5Wtd5>G(&t*civ8J**B?aVQF9?H^u~Om3EX|K zG3Eof45vJ$Qm)&k)9rJx2=|R#3%xSnUpdJuPEL|X8)F@VR>{ptx8Kc-b6c)h8H?&H zV-7cLR2{UBpKXG3qAQlp5n*Mg^VakNn5weIlC@jy=N*H4S*(3e-Tx~0ZG@w+!`8OJ z9-gWUUhHYcm47k)UAm3T1x8n5a&eV%m0=Z<0wx0Bhz(AaP zj`{w;r+Z5WyD35z#JytKiIv=)Jed5Aw6R#%*>+}HB%3lIK?~RAaUgRkk-l+ zO26&Nn&xFYRg>KEf}-}oPM1@K0_p(*gyR^oCJG74>Qy4BSknXfyU&gLg7KXT=Bm1g zD=TrUbKl06jf4?(g7vm^?=X~KVrjUzp;PJ^p6l--yd!R~J22?&68Y-J5U*dJ&NmWL zIg|}toa!x$s2_?P)HG~m>f>XMiikQ^S#YZ)wV3R5?_F)?7YUJEV`&f_wp+Q0H z;1RSd+dAxh6%v)>yB}7f2D6DyAW_^(Y&J9BB$h|CrWHF$y$bm=))~^2TyYhD)37iQ zrLqKgmx!A3pH1Xn`54_tg`jDj^VM!$IN-=a31?lX>XJlt=CC}nx1tmuMF3xzJR>^c zg^i~H;rn2xnmaeX4yEt@&S8anK7sq-w=Xcp{WeYCJ4G%Zh^bS`I}hkN8N!&oTlrLK~C%8yDzQ5_`r$4jd0@YKX#S(ZIIO}yWh zAEMbw9`h?yqF^5loxu{Exz&kexRW#jpR|Ur5L392EOo;fu)zxn2q*~fX>9lj!%y$i zfQg%rYQsoMN(xBINP-I&E`WzQ+SXAcUFnfe^EE0DYeygqaJ22=lWb%JLj|10ni>Ab4vd4BpxbgE%`80CxpJ z(jzhO@gV@8kUK!EodigBkN~krd3bJ$1mJze3(f|g1)t#CWa^!%LHjEakcN^18P4Y+ zTmV@v(jdp}B1m(Q19?wmLEckYP~dS16nV*kVy`P8)lCUxxT}I}Zw*i!pab#(^g+Rk zJD|k-3iuK%0ZRRpK=})GP!VbbN`g&5X^1KK5M~D7OAD{VEWih}IjD#*2UU@lpyrJg z_!wgiYGWUQ`ZzmK{ninDjB@}38TWy3GZu(KkZi?*3lJ{0W5J~_SRmhl1xgUqASicX zfhv4yl4cJU=t8&wul3=zP9GNB?8k!J16XhezHsRtyf%Wd$q*Kp4`RXnVJvWfu^o&p zMzO#O!ozP^;Oy)STwPs(pPwIi0bOLm!^1&zbToMT_AN+DO9PpinIJbe7nDSy!24(? zP#)t1%3@qV#oNd5-L{WGU4k>HP4NbGslMRzyT_m{+Z(jx27>1N5YS%m5_~BR13|Sx z;9JEr&{Gi$y2|4~M@16otBeH$wMk&8J`D^v<%5ytJP3ur1f;SUb@D}DrPQ&jI;%2ZQ3qmgZUQ<&8>gwu1YilcL zZ*Pb1R_z2s%_U&8?L8Rlr~u!)t3mbGYB1i{2&M);gQ=k}VEStdm>KN`rI1J2JQjRf zz=FmlEa-yJw2TF95IR?|pclf|uV2B~*ch0angX-q{b2U{5LlQT1`AW8U~zgBEYExc z%X5=pWquO$LHwarEEt6_wFY4w3#O;1!NUABSX^8LD+@DVWoaI)EiZue)g>?k^B2}J zV0CpBUN6IUi>`r{4J^RmUaIxqIAF23mv{Z608#PbA0hvWv`ze9V*#nEBYd?~Loje&zqS*N{3;MMYUj365wmC9<4(#$r?DmHv$Y*mPZOJO^AIlzp+-5PA83Nx#JaFM^LR)I!C- zPyjaLrmn6olmM@U&35>Q^-6P%u2lhV5Fx+H-(*kSH*ixf1zB9>(Y%%yF{Z4EV8ylX% z7X6k8I5pxs(`Ik{OL{Y`8yg!lj=_T*eEEi3TEO)sd`sdODB)fL2*V%CkHkKN^f(F5 zRd3P%sKZYpyxJ7tkMuRzvuv;eI0i*wf6d_LU(l0av25&+0j>&C)qy`4;41NRZ&dpW zdNS;LP85ZSK;p&?1Buea<{dJIhW}OnF~)ic;w!+7Qvp=s?-&#XY%$3BD|)Cv5y${G0-hc+IItxFtiUcv zZ+QFmZC#^H@wfW#(VxR(ya2EU+ui6l2Gn?Z9D~%Yad1=rKa(Flnt=5X!M6dP!Db_D z>R_{cD8cKk;{W9LLqI@ci7kEVAcG6i(ozyIocqxWioyb4z6?v>CjV1<0s>0&JlsfE zS6W(HR9aM2l(?w^8Yn-01k5wv8vg!*9zP_JU=!Kd@I4VX7;NdV2#d?3z`gScAO6_? zehg=1*tc9hdseuu?g-t0!3 zRVevW`G4Pj+gI2`K|DRa88>xs0Gt13_1~uWeH>FK!Y%3LwE0uotbsk&^3Ujh=^*!5|BRl1EE4viWN%kz zl%um-Y%&&`Z@eksKct5p@qTp8_C2>I(u8!Ye*c&rhfhL6hX3E9#YKOh|Ecle*Z&xP zrT=}q{bvS$PyZi_|D*i>ndEmEzn1^I%ztq4zx4lL{Q4U`{@x{|Y^>tpBI*c_gxfjIt4382Eq zC_whR7yu&t^?!)_pdOhZA_~T2)9?cZqF-Wyt?OT7u$BH_jeq60ef?|s+j3EDmG^&b zjBl{N`M}wUxgp$u@WW30(|eYGwiAn~ivb}MAs{I!3C>?QkGB`Y)htj|RmIzh_4M?9 z*oiGHEWm>Y4*(L01VM&ef3O+j?8U#@ir-j^;_byTwqk#<8Q0no;O)lo4<$f~g9Lc< zP!_}^W$|`no|in}ZpK|`Go}LdkN1EExVP5eb^tW_90y6L%Rg+$Y0!rJvmH6hO%~+- zup?gv1)iHWex?pOBjrI!&}~rh>L#cRxdW=g3_%&% z5>!S#0M$_z;C<9XXfKA3;J$@6BFs0jmY#TaNS#sJ9{47kvS0df#7wqw902=W~m zpbX(^7Y5pjG2nV92IxZ2?7;wS2zMdq_F#sEhMI2*C2rze0fW&lA!K_E0V6!=H@>IQNPhbFg3Iie_ z4$dAN2d|SLyqm;;Y-l5n#o2`+Btn~R(F_JuS673&`c1oVcXv1V_T@bo?Wh71Js-ih z-p^pNzY&ZLwu8~(UNAS-3(u>?f{J+zsF{N{WoQqsTfl$@2wh7U(6fvI!^6X1eC!*T z9qR}4-v^-mcLaQ&o&bxplVE9n3UB}YIx_>t78XGt#Q(a20h4POFg-g978Vx3%Hj-I zg|^?7>4f-K)s^G_BSB4&y1Ke5q)^%h#>Nx;k^lV~0X~S1E8)<=efwx>X{o5FSl=4KTEI%+`|0oMySwHB zd|^Bv4j)Ib7mrURmb}^8seh1XM~$5T#D{f&THSYWs{q=3T(uDh9QyC|NfaI>C)pDA7YENDT41(=*?X7sumnf} zn}GpeXKE^lZ|J$*-+tGBh=?d3WS5ndWo5vv%*;#?JONcsMMXtP7*6_M<=^ajBsG`$ zkMlF&w7L%`QqFxMB2tRK#pe^1s44g;@oywq2{!V_Poi*+kU_(RGA_Ien8;O6-{D!dg zZJYRK{Gasm10RpKjSN$N#{Yq|`GtfC_eX>S{1-gc-{Aj7{?GVt<8Nc*V|daCKK$Yzu?ChTpgGS^iUCmpsWK$#I&U zeY3uQhR)2wviZN2Daj(q?t1dC@qgt3`Lmzg;=f7t-{cd{ftIP@Gzi8eM4K^+U^B*_ ze}$hT{ps~OTn*#s`rv99o=bzP4?LF!A44CU-^DNsfBkRcU-@ibZ!RQL|*9|6`GzgC5jq?9C(mX^l*Fu|K2eobm+Wrbgh{_4B*^E!0f zUn%|>+rd9i}l7kod~nwgJ(^H<7#a(T;N z=@Rr;x(t$CltGr4=8tt{`RiNI2gv}Gh1>&W5jJ@LA`zT_Q41DGw_)L$5esB+K1L95 zK1RwA)FE7jK1JI;M%vKF$OyvyUg&SMbMH$_Kz&m=Xl#RP zx|SBu(eVWgHkZM5T{#%*tOjFUwctBk(|sRk1s_L-L0kVIct1G@VIGvttb!7_F05U| zf{zOupaJ^)^g>^s{{DV2GBN_jCi=kS_hB$IHUQ=)2EoF_S1>d;2fnRh!R*X5T)WL} z`R&YuX}D&ahikXhmF52tzB)hp`Tu_TOAX)$jz8x5;KCo1w^Dp=%kcB?%iR783?BqP zKOZlTxCG+Q5nRPYg&~6dBOcE`Ey7hwOjMMgUs&kR@}XR=7o^0*5C(8ZeOpSB?Lg|L zyr0TQ?t&D=5XKe4djlr}$@ZRvf;tT~%$Jju-A3TC{WvnTCd2e;WZ}@CpBvPxKU?MMOiRY-ww2V{4-?Cx)x(Px%Bsa7*?eEMnI#xY9gu zR~90O{haT>0TK4o(7+vciXA%+7(fJ^5`UDhsDj(ng&cP6qJ#(!WM$9mZ^{q%Sz$Qr z$jNpbCjuUU0_Mx%bo_&!fY{Ik=SZQhej3NY#m>$OX8)9rQ`BQtTnW(cfzl1`BK}D} zo0%#s0#?HPxBSiW@t=-trq}SbJn8UT{&ow%SV@bW6<3K<7FYf(pO8@g-eU_hi^s-f z5c${gf7xUt+|J)BA5!2kexPmV|0sWJt+jbg_$zH%~bL0cTU+o~KCse179k^OT?M={Wyuc;Ez(xFP{A zU%m_!6%_%r%>Z~p%nzUI5EEX!zctQo9&PoTZ}rdfm2Eru+lP{P-)fv+wF$IeH$FKC zK6|o&mgn4{El3dB#brUd6V9*t_rBFRPcDIMcSTU(ehC!%Tm?CP2vG1$8>D*O0GWQb zK+bdMQypXk%3tY$+BfE#w(ZtU+cs{Fa`_9iYeU$!YpX%Kw$_#%TMyc??+jw#oMh96 zZ9a^Fa}j9EhVu}2cX#0J?*$5@UGcW+*w|Q5oEr%;GBQ9;P7Wwb@&V<^zMwA67u3A- z1C5#fpe-)|G~~ef37n&R&JP1Eg<+s9Hwko>pg}M6TW%^#1RqNBKzD5hoTn5(f8rug z+*k>6+MB==Xn*#C{>nbkF8yM73A})F7k_vi1nt%@A%w#GNC+{|cAWz4)2ZWgAbWZZ zWX?j{azzPfsQ(078*9Pm#s=`Ms|J*ed;^ux?)(Ybnm*iV6z}@bf}~&2$S^R$8umcW&OiDJ}v@;6!6H{r)jlT3TjK=qz~g7UcCK z{WAA4)TZf0$MZt=&<^T+g`Q+~$(m+AX|4s>+;=@}TIec;~)>^c*`PE-8` zD1u+_XalVd;Z1(-UD!JV@LQrj;pIHcXTY~o!xW5V4!-;U;GZU_jbEj884qVSR!S!r2yl2e8^(bylx`z36eE3c6 z|NHHKHSpg>1HZeEU6oT%`AIM(w&R?#KV8dlbMW)4!UR%cV&Wa=sbzS$PqQ6kQvt+q z_!MHGxyZ}I4gHK2@YkaBbc_-bBGTM!^7!ksEcE-Sad#5#tAH3TRmj97j~-##y;JEj zz~@62Qb%ca?-qs&6kI+G7g*`{GgIKMH-~3ZK>-1BqV4?cA^W%d&6Gd6hMPXy;lQDT zKh;~u#5c!Wr00YZgsg`e`qa>a4y%^>1RP*_kx1o9rGJ|^Zjd|h$y(O1G_#N+g2Z`{XQJC{FrsI7l>eSZM`4y~yk$lLX z7h=VkHHOq}oS|-0Nx|M^DU%oV?S`9+(n9)66Y^&YAEeLp>o*Zj@OpzCM`l=DTAf(L-Az=E{_^NfJ{ zfxrGUw>hV<%ffXhirHhw7h>RY90||hBUb+G2hsQV!`BVF zZBUsp$f9>Ybt(;KCSrbiL~=iNXlb$p!j2YVHc|=dOFb>BzGg|G(RIDe!d|``cY{)W z!dg$6WE96{Qkczq8?_bcnWyvgov0vA*68v=7d21aG%k>Ylms&s{mPce-j}H#>vbn( zOr&28N`+s$G3_?Q;pD*-9_+M3&*HoQ(H>%dj@wYEvaj?+@C8Rp-Yf8cm8wi~XEx2e z{Cw{f@v2nhAt*2TdC2qF&VxWQfE$mGtHl4rM1Lup5^tx|q!it*N=D22L>gZE@(y2c zmpY2;ZB<}Lqzemd2^u%pYL^e-yWnq$F{3F&hRgcrBl4+FS?vPKvK~D^mYH}DqZP$p zDd$RKJt6f8M(Fi+!z&^thID9X$mh`~LANJQOpM$w5bEnM4nj}4eWy;H`i!ovsZqLq zof15~7$wU}^R#mC00VtwSYolQXv%@LA+u*_{?uv${rpM); zbhoOX9n;7#+%q;lPT9>t2IVj`Gn28m7Y=0Ce5NoGGFT_j`(dtL+}8l@u>X3tDaQ@2 zIm&~;f1kfBaV#1s^htC{J5f8AMkQ8(!zw84xc&`MQPJh;C*oc`J-Q;RqfzbeZW6%* zhpvuJx>6hj{ho`9)&)}zQ}4%G5*nMEuZ>Q+NXf{MB^P5JYTHj_+Riu1m}57VZo#vO zTqo7oU=Ir$9UU!^5u4qkeZQ2%=SG+NWmcNf*Zju!XUgdY;j52IyKQ>Cot$XL55Bk! zT>M|ZK7?bGvp!q9$K9nk|2{Z>^vs3IL4b;AJOG%*O3xhfjLJIY%u@k&UsDf^iY(aq zpk?3N1d0?h*e)8`rVN}peT29d2HAd3t&}o8-3w*Vg1R;zPs-M7P1JO1wt2+r)^k*O zp3!??x{qx)6H|GAsWSb+L+>T{+)5kGclwrd&;dovKx>W2%0ZC@sxrcJ=f+N*RzlE9 z-ZI%2)1n?}cbUKA&|U7NqC>pF<4?}^*e3sddBsfgt!m8pFGFpIK{)7D&bzj(#~ z8JSyU#Th;!pADHOu4!Fa+A4cWFEx!d2o@4h3cY@pn7%KxX`|Z$iCGzmN>8UntPjvN zc6N?0jh{RP`#Kq&t}RPz3S!E*2vaqEF08ZXiM$y@Y3~wad4nuHP&7W59-`3T(OYxP zz1Ni3M~FxDbUD>-FR#jXCfG9txl?SI>Cc=%!uUKtr?$x9ps=%Kp(Z^aZ!CWQk^@g^ zn$E3v*bRr6=?sN4Qlt{?8fmx5ac9Tc(_n2yoQh4y-!tiU`xZ}$QS5eo>#yDFuEK)+ zRL-wLDMb=u&>C>19O=<_PcE4$WU!%R$E5w(uC8qJ(`q4IKI1(LyV=7!2l6(&y}fhh zJ_(!8)d}2!XIdo>dG6r>N8~Lnc}?>t&bHk^JaWGEeppvzdEFE)vt;flaqh0YNgX>d znoJ`eIW# zcV$Ck<)-#eYx@R9 zw8w%pQtn#y(-&T-99W)($KNs(cez|BJ8ONP+u##@m+hc;1yA{ogKzZC@?%F5hg^9gTF(_JSuf9SPbI}r3_ZQ$fn<@Jh2&z6c5bf=qRq5V<48J8Jh zt$b?^wM31Z>?-%*kL9JPeb&VAfmcD+4CPel_T>Gs%*XXVARaVZvnPC*IyQjbQ!F|_ zH6uRs&F${I9?!etf*#N7@TBDjtoNJb1@!qJXtBXAsBP6K-BHlkPCU83p>{v|oX!XI zC1nqBRrMHpdZYNK#X;YSJ{ma{ayE^Y*Oi>bIB*rE_aA$S8!I|8jlK0f+#}H>2XY2J z77)AN2N}HUdyjX@V8-M( zjm&pMLdkh!r$lC}j>5CK8v;-6hok({`>)i*cUca9R31Kdt`e$$ZZ9{{xg$gRIrkfP zh6tvRFvw@h-uLN-zs>o>WHVpK$(}i9$x$hVK2PXOtMRaV_2BCsSCeo~Z(Zi3k+zbe znFh<8l(oXQNmr>Bu3x{Ndbj1&y{;VPSBNWq1Oew_KZ&abXGbrcTP0KRZ5%i#`KBDL zDVAGEFy0pGu~>2FI)kNFOkWpClXeRU#zgA;WNA6`8G%E9H3WFJnG9yzmEMmLr)-q@=bX4(c1t8>^q?QK=KE;?CY zdaUD+@x1|?kmqtT>+{N5Cy?Sz4x~isEvMZPr@-z$jCaZ{KD)|D58iqaT7Lf3sVEI* zA~y5kk7`s{f*YNslI`VORA?vJgYS^tac|@Ai*>2Qq-N2K_XdgF9ln`Yzjvm7;h`%W zju{>GgRHL~_1~c&IJCE^O?fY_;wDWU8Fu!*7hVj|5#6B+<7u+}8l>5NW?!sLX8WgV z>7%k);roiw-^40MkMxc2!_24kK*M^hnkNYliY7Kr8T)_O`x1Dnw(s$C%}LR$K{RW0 zY0`vBQ7TG*&1xIRUTqT)&oW-(Y)&TiQIE0dybF?Z4hh*2$>nd)T-#i6Lv4HN z^_}edGebsOvFYafYO-8fHD$N6q0#H9y_@W|b^ArX?UYJ5P*8kyZ;TshmGq2Fc9vtQ zubq1*=Sg&UHGp4kTY=;glbdxsk|K9S$`J3itx7X(6~|iLR&TDl*{M85x+`nnBFJ*|GbY(x%Z5Nudh+m8Nd3v5y~VXV~&qV}HQ|RKTHF)3Zwb zu+^bCa$=2J?y8ScR)1l-W%yRw7Wu64E&pJjQ}dn3(OHfgOM7wPj$?S z96H*9iz2wFfpq752*1R-WlzO}_MP;%?X;nSnCMznt$Pq1Ab!VZbN7Lsnh3(J<5atW zYr_eJGY0Ed3z{(5Gl9Zj-lA5+r0&pT!M~)jCXs!Y$?L!mI@L0k#~s!;x7D&YwQ87@ znHtU8tvJDVsLl(AP?Oa!!^dVDxg+*VTXf<5X_idt7Ku{L#p1e;kM=fAn5xD#B>kea z{)U$(uiu)VkPXhUI8b80kn@1@cD5zUU?3KLa3YzRVmkG;sK&dM#g&z8`~{oig;=(aYvuS)V zcgKn7$5Qh&L)MSB3LatQ&bH(%{A%CvQ0&#D`P^k}{9C(C)=EbvlrIvDoFd44BNbSD zNPF!o0nhT`ew8jog74vk#KX1HZBX_n$K78fAs}EgOCka)|e))b; zv2*p7Og5hos}|^atCANh-kd$Y6W(*$>}t*HvcF9v85gS=uVw2bGxyBO;#nq%vn~DL zXd}akVC<1;Ok8&D>@;g@Yoi7P423g*G!GwMD@WZCUX< z$;6AhEd-5}W;kyRdPCFcisuWkT~_#x?`h5+Gw;sLBTyYzYDPP!?#g!ss=;cKo>_um z(@9>r(jE@(R@K+%xo=YcPX*bTmSd>4-StzmlL+jdm_2GWO zocv-(l}g(yo&=B zDj`#6F}qBEo|ku^{^ecM_xDTAzqq3@E_wy))cX_7pO>B4*1cOf#F1SQw6c2Igg}Uh z9`c}tbBT6=qoLbDVqN-`+4B13S9cvKjyAqrHe})csW-*mYD5cN){9p1;F+iNfcM-u zp@h!%S}U&7R(oM2t4fe>%3Q>?Ukv~)nZQ<_xgpq)T`Y{*Kzc|nO{35doCPSs=Tc{ zDwcBl5M>9ce6z%{iE=Mkx2NC9PE946L@T=&+J`lEXr*Rku@RY>$?SA3FzSFvM+ODS4xmw(r_iNvAnY*b@*XB zCw4Q7m66VuYj<5(V6cdMx5InKiAAAuuOk|#^^9s{9&R<%c6^BpFG-)fvZ(!`&Ow4z zz1YUMqe_c^vD2}jqr}pZR;GxCNTs#qqkX5>9K3!wd@pT&X6+mAh_~4_S?e0ud?r4W zP#hi?yJp&KqXo8NxenVWI572;u$HlJ9&?wZziJqC#{%bkK?Du+CZ?>6^x{|Uj#uZJ z>Hbi8yTj9w@lyh)4b8SR;?9g+RA%IIBS>iX1cgU&89T~$nQ!4@mg;3*KuR=rZGC@( z(~&gVHu~9e^J*KRDcgLwpFX%<$@}PC(_!0LZ{6g0j1{{l9N8#!w@t{MbcgC$e#+Eh z7v`L2W_*U6ueZ}1c8c|xqB)4I^1(Le4Qz4(x=P0us^?`quV@rsViUqy#ywNJR)A?n0fU*l`QCY7y)Q};%cise7i+x8esngoqeIP#OM%%(i?7T0u4>e6EcF{!adY4lY*e47vJ|(d`>;UUnS>?bq zaWdKN%#!*Dv5pH)zT)a}UOZNUITmYl;y-i-AGp@=CZhgm#4H!m-t0JIwxz^kna#sW zxJrEurk*ESQg`gyrgTPjo5RqqXPh67uGr z#}`M2t$FSvp?ruhlJ{}Jp4g5p^6X9q>En{m9wd(4g6W)$)4Z&T#udwLd`m)ac8V;U ze5QP4v-8XR@h-Jh>$I1tFsEb~xl4_xWwL15s(h7=SSx$a`0X?UrtuP!@4dYwgXaO+ zuilbYkM$L_?3(PV6Pv0O<2n3ZZ`+}3%eDD++RYY|uZp%FRLPD=YG*$qAa|x?ip7#^ z)@65Gm$a;meM8nCR#`OGd@6I&D0^WTcPifCzad?k9CYS+Svddg?38<~sjg+Rm;Ima zKKpR^o;?$qCl2E}wUF#0C3MdVb6bhoBH^M$i^fz=d!5C`{>+s5auRHgv&PO-pny8p z=^YAl(M;*o+3Ay*)ekkF3-FJ-wl+3ZMdfn2*{Px|j^~Xd_G$4ThE~*Gp#fxl2gPK7ra|1!gM3Fu59Uemo41~_Us?;qS(#J+`7Rc zXwk#;#9>TVvnQQ1%NK-f|gdqG`$;fcuGFy+Im;djw$om zN0Q~w=IFFdeYaAd`SPZeJfXBD2UlC1H`22_z-49~J%rCrWR0TPiDBwI;#DS>Ghev2 zMn7j4p{(RND+$XnUTKXh#O$7)@Z*yzy5_b*dwFhzD*K4}vb)rTX5Bb3N5yBf?}qL& zb(X^_!CvEzq%iTmbALW(Rmc%fev{_4o!TPI@fzi3Yuxfq7o^xvcteyE*-y7Z=K3wk zv%EY#*WA!6u9$24^2l}>%Pl>xXEe*O*6s8d>avuuqfKnI2+PV53Q_tV z!l>PX+423GP~WcXTPOWT#mL0gNk%D6*)#U&W~p_O%TFhmJY67nT)a-pF6Q!r%}TT8 zTT0jJtJDpP4E7yHSx+2`O(P;2RxGH$q7?6L5x(*U<=WQny@3nOnTOVxo!TpE)jVnT zsacJw@@JRKE)Za{s1}iX&Mc63c$JVu#gH8gaOJ9S;Ie&Y#){h9j-m}y+n$@~8!MVkd*EX2VgF%~ z$^^;>V!TAv^Zb0TyE~9(L~+m7xKU@{`j&c?J37g>Rf}b?IZZpf#r=%duxzhFuZ&~k z1oviV_l)gqSYpOgJHDhLVu%JYnwi5bICz0-Z=uCnlMw><0!R6-={{yL$!VjjuGhG* zO0i*^v{SZ9ML8ASA)q#4_7!jsp}-jeLHE#=+>mz1h?{zdn#Sz~h>SB^0( z^sYip%9kpOZ%fQLvCuoYR`jHsV&aVRhAP^Th3c-L-A|?$-7`G@;XXHaZTxJQ-Iemp z5(xICO}pkZ%*8u?_H(__8a^e~6J4HLf?g-w>Nj_^sb%kQGat=sHhTQynv=sk>}9U+ z@;Fy-t9GD^n0)8eyj$ucB!nrM)pd1?Dq@Por`LJEkV>hy$(ZN+dRtF*uJ`iMI=j!^ z7G2j|sjKqA!eW=n^Bud&Ci3q&e|=+h)Uoan0>ad>w5{EKA}d?RU(X0u6Syl*vTt0h zlRhc^*sAdoNno$7**enI3w0>8$OmV&wE34Y#qBqY$TIL2y;>&ps&L5vIw;2 z9oSvqr}MhPJVeW9N{s)e?$AOX<4dHIwpyLsp$#Pcx&lX&PNSXMChTTOy?wz+V^s4| zVaAwX(zT^`#-rY|=Y;QXHd`{ofmzCmYty8i;d6&>mwvPD(b@t(+U7Q8hMSAPC0e6As|pNQC#T( z*V4VWM_;{YFx#0q(UQ~t5u0zQJYTCo=3ZuKKHDtkq!km(lZZ99yuIUH`1wYiz7WB; zX9kDxS(#e3jVxp4AGMPoY3#pvDRYi(&VJp9M=UBTyG6WxM%Jd+JZ>L1f1QkK&>aGB zZcI=8aG$dnx&hh_E!{Os!}%Kx3-^jp$bJC<3o9J#6JL*xX-d(EofldyrW#iQYRh>O zKOfW4p>x=@Rg}(Nao!J$08S=%-vpkT_4Jt*|0zwuFm|E{TnjRd8}m_Y3w^ZR4uA#*y4=o|MLsi8fx*A~rAmIj+|pmQ$+OFQRRJe@5@wX-(7RmX#d7 zULxVX0Gh{vBAo!A%TR}f90Fry4~mK6Nu19}U(EaYIqdNlchBzKG;zm8g9ok8cSji= zo8@F2u}sgwt!}z!Y_l@+Q`yJpV!=9Uuot_-n*3{=vYUkuYY8xOjEEc&Yr1m(xZw7o z7x?BvWahoPP1m;ZJwB6O{di1eo65%X@5=97c9w+JHHp`#Ya*^WqH^=PjNPX$8>Bw)p?8WOhc|F}(mDX9#DyvjW z&SkFRTx2id?qwk?-tJ|=t;RZD!dB8tojut8%8Pj4kyb>GMaytOr*{jB^H+MaMeeg0 z>tuX)d}PX;$&oi55)+BZhC=+JMXrge5(h?0b1^kD=iP06qo*d>Sj#aS)ka+qT;ww) zi+w z+*P;w)j?v4$VzSV1rvSpcKXF%D>riAS8u7;Gy+!Al-e&0H~;X`P;RFW@5T!c53NfY z#X45Z@kHjnyt(fr-2HAE6l>1kY{MlW$;OuYMAI+CX07Y8P4CN1PB`op*ROHaimI=< z<5pHFtkUH1Hdp`DblYjPe6w!btye2%9uluVzSlR9ZNa2zK*J-kR&SS_n#;r8+KrTF zmY`u`o*m_Gqg)hsoh=O6ed^G$0(V}f3q46@g!*b>z8$9)MS6MXhX>X)tMd388x&oz zJskQ@5GrnxnD(Rbs)zQ?cs8CVLv!gpm2rVrXEpLBt1Sqg#cRE_o9CV1renfoD4sh= zQs#sa%LYknuaY~S6|B?dS^Ly9Pg}p^`i)Fu9j$DGv(vV3Iy1CqR)N}{`1ml@M0;xq zHfm7T$lbyZAJsmIzY}&_D*C-!qP42{f(IST#<9dM)Owadb`Cq6H{H@XLR(9JHuJhY zJkO%qcjxlcQntG^u4m1ZVdD{D=boVa-1c5jyB%e(!FWogt$1A+%aPsl$|p4x`gYBE zmU1NLxYM!~%fm^w4|R&1n#df_H-{??d#b?3Y0b28Yh{tsp%qjGsjD+Bf*m&%B`b+g z9ADf$>?~}xMW)7*w4vLi_^F`fo;c+xmWfq1GHMHtHST#)KdIB9k?@oqA31HM4Udxo zx2u+4xxhN@QG%n@wrkl%-}PeO(N$(b&>Bp-430vFmzwUj;`|50!WxfJR!f$4@WyAT zH5Z;gZT-5Y_0^PiN9GeTEfHbXUIk&so@q6L0X#wG&y6R(s(pEM3~hb*qprXWa|77s zXxy`StS84qKKRPAOGmZWHP38o>&-a+HX~*K^H+zy%z7!v*CVxbTZFV^+pzLbaT1V6tL5x;`q5%Y^&p{9p1Uk%|CNYgw6Gc!TpDZ%_okzHpY|V=FLG0M%zXaTf4_bP?c+}vL;2j zIPX5Y!ilw6gY)J3ar<=SvlMozH5L>cPOxN`;(0Q%)_URmyOU_P9=gg}bCe3VK=DmVV3JoA0{DNS%}evvc*`3(=kO zj2nKYR@Pk;)tM#2RBI(`cTtyTOUpTFxEuea-dNwrwm zgst60Q!EM1n^V`J4^hU&R)VI>{AY_DcDNvSWkmMd?!XJTTQme;+Q@O=)*QM(Ev{br z?hIcNO}YFXyQ!V<5++B|+f%*0miZG;I32w!8s}bU4^=TH@x0JUEc5EG*mMwJc80kT}`g z8T`yZYgcKo!Anrc%g2C z!bkRVl2%~$8|bCvRIR(HUaNYkf;*~vGeNw!gT?HYq&E)Yx~bwpcgEb=Q?sxve2C(- z-Yc{mwR<`-JQ-d0bl7i?;mBm-VrpNtJ!8GXfmH@p)3?suJY(XBxe;q$ZON!aN?p^o z=4z#(8^@f4Blc{9`QS9!mCY=h^g`9RqFP*!*>tqqq}eJ8s*j2hD|7b~V`=UhN%ObI z%Bgy?#$34_<7tH%$*$YmZEMdKl8!IS7n`eT8MC}NUG^;t%-9U7GNwa>)6aHGw2Hf=D0H8hBiweJ6n%dmzsz=n?q&z8xb}Qyy?L!d zwNCp}ZcY<5H;LD#xG(LBr?Rh<_+gtesErn!k$xwA&OcLB}Pjq zMpe75FFHEu*%__qjGZqVhgVi7u{(<#Sf%gd-Sx(M{=LcjpqkznY3#5XP*KNKUa~(d zde2QL=c&Qs7)5fbHTz`K*trufN0P72aI|!Tp}*I~aoeR9 zpVz$WnRO-W%l30Vl&@XlPzm#0U#1-KdhfUHysENQBFO}2TtLVpyR;ii?>ntH{+P?W z{pAjjA2>;AGWx}hTuj~)?yEL8D9c%kUG!g|@{UjGRqqX=X_-7pgu-M1 zp{$}FNsK1aT}v+Tn|H1;+M;)IU#OCA*IV0|1M63xbKrY%Ig~0m?N;)K-F#|em`uW1 zJtn_>wbKQ1i&m4UJZjxCTWMp7_lozjtJ&lvF7T~5?cP(Tar0Ta&f!=G-3J`}`z$#9 z=T38scV9ona_+tvmc{2K{Mr|NtLeNMv2#c`jM!RrLdvWr#*QoIoUPQ+;8338jP?W@ zUlHkg-zcS~HUrlBD-|Oi*zeccH8Ica#rbIejguzuCN$HG3xg|dt;|*zd=O2H_ccDy z(3Y_2Wt;#{&s^6P$Nk6Z9$tH+!girc&4?6ftqbzRy6d+mI~(uqnipJo$*1m)){2#K zuQ(Pdv!zD!(Zo}t_da(MrMxF6qzZWxt40P2cEEoAsfdUr^Y&Dj&0k6!K3y6;bZi-h z`V-8i)j?|u!VvGf$&=%nt3=C&ydLq!vqQ&Iwvd^i1}hqiRUg$jI_k#MG}%>ZizRO5 zhTeQ|gp;&p*A{t)+Zneh#uiI*y*vWb&8Skjlc**`1HiYZUd z7%B}ZT}?F3H&P~uFgOPH!n{)ruW9}xX~O53@1|HsWUxh^pEa{Y-M;5e{*%$nf+KlV z-w+Gfn`+m*pRqZMwX-EO?eYzNrl=PgoUp)tQiVxb$VhqK!R8IqtZi62Ifj)GO+yk~ zLZp^mB#j<#A2uYRU_OyYBFF4mX;dUR&k1+jb;(>Sou(W-P3(>5?b?;#(kNtmfLO;> z`Cv@!F4A5HLS5T@MB&gj3%(0pcWXbyOx?WLtZ9stw2#!wKv4-ZzWo+SDF&++sPV0q z+_5iPggsM#xLj@L*qfmpt0)u4tFE{mL{TT%@g^wnQyh+@H?lOvsJKmj+pMQPGRWCW ztSCQg!pW)PCIoK*1i;OGl*FD0th3f zjuPod1;XZ=)*6fEXxB=AcrpCLtfylvKD;JV5Q{#n*xL)lac6RCbz~d3t^IbqmaB|TAHM^)_7`c-A3Rq* zEo_o1|CkBvJT#k3x2J8Op6-risqvn?uggcwofr1>%xrjcl*%}+_xk0v&No6*J;^NN ziTwgI!uPWJE6&0vka*#axq)@$hz^^K2M3PK0>OY^_OFM zpUG~+Tig5X&ufOT9n8&ZOy;e+oKv$i_PtxVbXINpe27 zpS@jnC&MGUFzW@cRH>cu$_b}++hR%6*Wd0^k4nkn4^^2E`5J&$xx8T(T!cUYaT;1?m*Af~g?IYBaNtA>3r zX1bcXdX{34pXReFdp5i9I1c@S!np;3#tGJs?iZ(Qei#=NXZUL3e6E8;+1=$Xtn4Q*xcArsYWy(!_l|(uI`==LgvGvzl0u zMBlO3=U-Isob`ID`}z1@G7n|)&@Du%t1^47_2omJR?NdK<&T7K>0RP|?A`^5-45CU zjx}3vEemGPlv|uX;nA-53f2z__N#R0IW>*i+8RwUzFJxra_?#yePPUG4b1tm}4j($;mXmdhG$)Wc)DY4Oz>cJeu4r}A#q zUaCAXwVmtniu0#@_6^;%EK$u=$Y)5(v)8L`i_Vt|RFxTe4Z9oQj4v^d?-va=icLwHBWHK zIF|TCVj96jF$PucoWIeTq_dPMEuTY5U&89j(G{MC`z5EGAAXy&?UZC1)8T@~1(rmI zZ}L=2m~@rlyC^XyBV}ueqf>^L*fWY#042hK6!;{C zlUpRADCYiD8!k%d<7MugrMrn$4W|+*y|8vYhVa+$8y0 zw(5gujWfwOg>w2RX;>xmh>(z`J6Y_d+Y%IRzRH`l5^Nzyq<=71m`N78&zWEifn43I z&c#;k5mcatc=EXzESI~_<9JJ0?Hkz-bXhlBNCa|AbM2{cv}GFd`h&M$Wz*GM1&4ZnP14l)c~8aX zu9%m#%S7O0%HH8j9U2J*J*#)^#ThE=r)$JUYj>JxGScc~g7G{Z_fo>xAG!&?%v;pB{*EP0zZmWkL$EGLCOwVSqRrd7@8fc5+L zoe?K$>({fZtjg1#MbROY)a?1V?xV|Yi2JxkO$BKz(_6dArk zWxPedUV;Dg(-{8sL=Qj^aQ4C2Hv!!c-wVkWA_Q^I5cpam$$W$$9vYo?IJ=0>2h0lw zNWt$;RS3PqQqY&Y24wxO{|G3{Vzl3OBBTaKOh9}$I{lkoLU0M-0i1n+;H)OJ20#M% zunJ^=LHod~61)d7#TaSpzn<`Z1Oed(ScFZ>5!&?%AvkvmfnP0>0~y#1AOn1m?w5tN z{jwkiJdg#xWV9m$G1(Brz@zg7;@dIO!~Y@r+aN9+g7|%CPYFT_zyt6pM)Cky7PbHn zuq@#AfMo%KKj48X z@IVF2LVtU}val1{1eS&G(TxoHAzPe32Cjcv761p_zpDVm0D#u|G-U(*hoLSp57dDN zSQhs8%K~l>SQfBuRE8^@$A=Vw7rOv{t9>}pa@Zb=DM!ziJ_JCypw+A)2{-P8O`Sc&H`X%{r2sHXt zpsuct^7HfQXhUpI1Tj((#F9lmM^_+-V~acumLiC$iXf&af-@759_Tb3-~;9XLl$s* z_)*=6`$;@j!2JQ%3tK=g@K_SgfnX%RFDdW4^Q&mb`S|$w(947PrwC%_A~=f!LCjv{ zYqA`{nV1OT`J#AV8#?`PRujT-1bCp^FAH$SB!XDBe@QnEHf}r!ZDzoDS!ysIFzAQa z#pq`MVjd%i3rnXTV*H{Yb8!@4CI&oMi6C|{f-_1GoVE1@{R|#_E(?E2H$uICK5oQ) zWq*qLo%BOIXL>Ph^=}cJw}OH##1X`41|Fw~qlmaGCfy4}MksdwYA+ODRt9M`4sTzypa-d0^Vdg9IN6%7^jaK)MHh#_i$H zbmN|q?;kgcgI-8)>tg`?Km5Dshkya}LLfdgg7e@|nAK_oXYZh3Xa`sh{IMJW4LboazM;K5ot4?_FpU?2}5MmlQm z?m-Uq-^YWW)s4Gg%+#Mce+T^#0E3=A#Qa84r=|LNAlb(QtP3y?EF?bZ6Cjp4`q0^l zp2FzRxdG-kpr^kD5EmUmd~|dK`bv5~`HgYo=eiNkr5NdV&<}on^z7d?R-))L()~PG z2XY{Z?qE6S=Rq)?2Y>Vl;b*~FEg=XsRlP!Zy!7E+%eUcu8^TH);;|#lkHN-`A9W*) zn+MLR`}+VmDd*GlEA&5{u}P=Dv%Lx3Kf9ry2kTM9$$lPSeMs*UKI<3z`vf23<>(fS z4ZIAOA~=&1QS}$2o4Sh-oYRSJ92P;>4hbVTZ=4P{kE}pXd`=>WA&+h~e&4uJxrB}$ z{@3s+^#nfCoId{jnXwOk7vdHnIFAxNIwwQt!M!t5AP0Rs2*+~pkq2M)i@tb#MCU=@ z7#Z`xUGEPbzcFMtwY>_Vd6E%YpVnbp7xjGQi+LtQQ3p!dPP99AdC> z5>^zV2MfyWAi>Bb0HH}6khoOSuDCd+0m9HEt{c8R<`7gv9t&^g|qa z^#1*O)YZ|B;;-%k9>}1F19w0w>qC%(fjnrbE2sCHc+51| zxX}#8)BU>t<>#`GzkiMXh1V9M9|dQyNyDk~c{GYWzp0N0pbO}7@B{rKg9m+m0_MTj z`-Fk?4>oRm^2gX;|98{Byg$9%x; zfeQU&f8A#TQfxm$|6lD7@mLtnnWpogqq!QDCi6z2|bQx83H(?yS6by4gM9rWO;I{I3_IIvH^^!tH+bAmA>13Y1Fk^cT8 z?RfM%builTy|2mtU!|Y%-l0Q>5QN`CZ{NP9j}7Py>HpW=*@50QRrLYrFNmG^DKu1~ z+R`lgeDT};q6otDf1Y}JdJr7Wg&+nA{%QEvX#bt`Gx#v@3b6#~sMfqpppOlHMZefm z-$(zza`0zHy?%@Kf0F)R)i1XGkJ8T=8^pUELRI-s(Tf=OZ_XDPeF9!X9M~_m*2BOD z(yy-n)l#d`uZH!T*3)sVElflY@faD#N3FGgEKa2QS$uQ8$l$@iezCo=Z*k{W)BmG= z|Mx!M33L9&vTXDSkB@){E!D+zp5T8ezGi)M=8towZ_gKfk4YfB=F-^M_{;16d+GVn z=L(Ao>0`vlj&k&QLZX`{s>r#I3LdziD8@YDJLiijA?NA5gZRV0oc_<{=~sQHQmJ&D z%Tj{qV?;b({@PsWTl2+e7$0d&@KSMvBC*Zyrr@G=~l;L-bK3`(!!@=fC zjJ0IEhIsp=40?Xw72z=iPL7U_U(k;0>fhM^F=Pl%O+_gwDRlhtzwXZWsOfDk%o`q} zR|&r8Wz0>K7wwF4?_H($3q|pMsQh^>YAk<&dVBgd^_rWTk&TVbptS$n>1Xf(Vz?q2 zjfQe_bJ4qZU=;Ev3C=r3X=!Qb>eZ_V%Ml}=!LI-2`X3Bmd=DaMAv{JL4Dh_-Ywrzq z|7Yp{t9}1qxcn3MewO|p?bjI3W4`?p^nPCEfAsgQYyX?(KcCmp@BIF=_5V9@`#bXf zkN*GUAIrdh?f=^xV6>CJqfP#uWiaUaHub-6{qygnb+EGjqyIns_n-dzbN!!cMxg&C zNVnubFK$Snf@>@3cxTw~(7)q*_;c!U5=y5Gr30qx&-CB_673k*&*{f>mxb%o0e?=n z8iJ}5F3|yh{=Y{5=k@jfJN-W^|9>VQ|NZ_S2ma&0{~ZqCCFTyoioViZO7PRK6oUPe zD}-*RfB)>-+y9+$?EtP=!GjdI;tVj8n49qbKdz+y?~E(a|NVDe8RdL_W#Gl$Uq1K$ z)hoT?zVQ#A6F~-00braHL74$x{=o$3P6aRq2nWEMV_g6^frUK6jun>xqyU)zK{UT8 z8t@qb-~rH!?XnBO<|rI&t~|ir)D5=f0|5I}us>_ZKlUZ?U_=|f$mk!q0eB1p$icXI zf&HW+V8-yb{@m{#`_-9(KVrcjTU7i10hB)}5^#5D1>E()Ul9AxW1ng4H_q^v#y;ct z{0QtPz8*er%o1jPl3g0Cx@mbPnVk`)^~PUF^rt@Vmf1{ETx9cEV@ugNRYy z5A@;ss0Df;Q9fq)H-CV#v7a=;w(|$UHlE>gt60+KdyV}jwrvYRFe334Leq`A0V?S_)FFcl~1kjt!-gN94e+CF zTN-Hj(APGu43we2!hc&^TRQ%aoe%usw*&rb3}4pAZU%JUz0dJye8;}bUu)aDOZxQe zVEuMxJH6PPpT!^h;`jD+(S7mget2M0i2V?;4<5r8wenTg7c#`aA7B4U+YW&~9a7uR z;vXI!jy|+CezcRuK4jQ;sE>v|f7&px1*<4bMbF+L-mI6AYGMjCTm+8|&F` zwe4H*98N!re^^);;9uY80|ov+1O1=qG?@3%fPLe!PxP}OJCqXYfRe$cF)7#{B?j4} zgn)A>-ro+z!!_rT4=QVEL1$phf&Cu8*0uxs`2X%_@%QlXpxc(x?R3G13H$GSq@mxx zy-z2J_1Wq7pKmbGX9@f3Tp!@O=wY%3RaCq}mLOYSYuoqx#;2t}i@&wCHN75_To2Oi zE3v)#M}I`{NyYw{eL4xB)9{C0#kR#CX`uVwed=!%a!wh=LmT~C+b-^nEmXXycjf0u99k*Fh(T`$VLbGqMFx6fw%a~eL^tC$AHc_$2C zR=WQl__1Q2y@B{M^ejH}p{UPKFMc5I`19xemzaVW!ZdsjTnW2^dcj7#H2xM!aNhgT z?!J!(@JAd(ui`UH7=AZ>z6O1MnDq7xG<=S~73d_agCXJ8JNM7<|Js=6YxlLawbA3p zj}bm&q3c6C*pIi-p{=eAHCGj(=1L5Os0l+wA!-B&J0&}S2Jj&SA3BB)VKev)y@PQA zhW7wqSK6JPo{sUK^*Qc?@&9Xhe(!yTA5e<7@c_Nr?2Po%pBun$Z1QA6(dm65Ms^{wsgzq(5lr(@6}yx)@=fm7l`@JN3`kY*?i?OXIo* z+jBFzZ)S7F3;Oq*yN-1KlRxau`_3)Fez^nnYI{@7PvQT)`iEgtI@lHa+vkP%^$kts zFo1`YeaHR}|B?PPCm3TrhF|q3q>h$aR9~6_zBmui>y%Jbk{pD}G9poB zK|JW#Vvw00)X>m?u%A2Qea7{l!XKB9=gArx8tB4>3&_*c69okYeFAtMbnV(TboA&^ zw0`~iFL1|s{4oAMpnn)V`kmJw#s5e2&);Fs{-gN+i2hjvb@e-W|Ci(kWbSw4^dtHI zDF1&X@4w^O|M353<>^2E|NHsBRd#dA-_aKTN*S`7WwO6DfBD?z?VtFbZ8sT}1gfB{ zGrTD8GMWAvU$f8hq0Ez`5&r#a^RIsb-*1(P>A=6^E5`j@MJE0Fzk>gd^8age{dfOA z4t$LRFeNHwh87K13aRf3U+CY#>TBQ?%)#j28P`&<2E)I{f)yA+z&C7Y)OUrC^zXm= z%E+H_Wt0ne(98Q5U-8@%@3wq?#dcZ(01^Nn?X-B{%Wp_f_DBE|fJA`49XL2X8$QPY z;EDc--%u<)OUPTOyBAg8!F!>wZ@vkZqVQfUw%O4sLFf+b=YYKnKICM<@4x|;KcAh1 zy-IAmf^9yq-3s0l#xYn9fW3<5D}>AeFG$J1x_ro!tqQCb@OkHWpB_~F?H}*i=zIafC}Sj^mDQCo*Q11Ov_LExR-XhC*@-t@SYO3XTf{LUz5#a zeQhG?d&|dbPd#vUN7R`O^mTH)wu$#oV_o$S-k-+h4g_2uc#jeDVldg<4s`Wv+Ax55BM_=de!$Azrq^F=~)z#=xQ^yzJ54hP{$c#(+= z0EdCHsSJ2PYX08xv20dWR-(k~D)jwe1`gP!0Ph219I#yqZW9a~@V+VDufzM+q0PN? z*~IoiST-q8Kaf7|)%_X$xcrES2=wCKMf#bD_`Dmur;cqi@cGF2d}tgmfWCJKd(e3A z6Yp0saKLplP&R}5IHu%hbM!UrO z;CSy6pF@n#T4a=uaX1dWQByZPM%~AA1;2-W%me&f%CjU?Q<#J*bMB+^tSD5P9E@Hi z1)<`^K+q2XDCW90eeVwMW8-~0y#M>At&P6NnDQR>NvmMP5xNKl?fCk=>%W_R2A{s? zdhgyn^yXP0dU{2Hz88njf5PX-GukDNBU1M|2VJ^!>9>@R^%CBTd z;!#~`CVYQ`ir~Dm&-XljrvAUh6TFu(@a&(jJ^N?n4_42Nd%t2m|If<*8s5L^{(t3v zTmSqjK7TEre?3)gP&#cLu+vA}@u0Q?;DUjaM-!3nQZU`HD4Q^r`QP#FSWelkJU z%m7E4yHQR~JL<^*e}I}!R08)L0ml4f_5}E(xI4ixYAehm@LU`F3$22AwgJrh>bnq( z?*IBc7v5z_dxyI5{0+|`@thv7D>OGYAzzr!y5iLga3%Rs8sHrg02yFUGOP>Wxe=bL z;yDSPvu}rTWTBkPFh+%B4zLzrD5D(EThaiIgMpTo)}=RPrDes>ZlmmISM;>Dk!~Z2 z=Ye>=UYU?_a0S`S4ul!RykG z^F2K0#WuZo?vLlY*#8Fm-r#kZqi_$>#ew+`rk7)4V$j2jyXkXVJePS~knu5pJZ8uC z=y;6*&n59%3y!gf*EsOJ9_st`pXFbWmqWMD!S;f9jQrq=Dhh4r_#|e{Ip74Ix8iv- zz3zb)T=&^fSAUj&er`5>9E|5gI93KdewL*qiny>B-Lc<`LhW{=pwlo$^gV-|>$*Rw z`#cCc@Mrnsac1H*W%?Ks&v~%@ES~q_`3@dq<2fImXJ9+om?xp1)IG#!&iy?9MRuZS zAQ-zDqt{8k^szLaSK;{tp5J17dpwuG^GZCQ!gips!52T)%_S^72%Y#me{AFMIb6PZ z5xq(cM@2C=Q2xEkDC@Qz$_TMVsX=E@z;OwB8F;=F7vhLQTM&xE>t}Duu>=kKJpaLD zh;a{(L2(?5Xj`z?J-eAcH^gfdSZ?vWFgf@l zfZ>OBouKbi!Tl@l_wcw1d;?>DBoFATV{tzXV}T}!3myyOfLIut;o;@S)ZcCx`h|YI zbzIsA_hm;*8Z&W!kH-{v+=9mwcwYy`5}7OeX~FM*)=pz_e}((?%QS~F{5}TUm*X*( z63~OkSKvoW!AK1DKK2vBYr44KzUiP=amC3f^ZX6UbHmD>R=lr($7wJY{M!4aj~%u& z<26y-7vQx}ybg-jKrf$EY=t~p@R~gER)1jmj5Q5>mEX3uHT?9ZIEcH|gvSqfeINTU z;QsJfPH~_?QS(jwE>45s|B)Y$>^H^18hH~QA7Fn)JT_31UloYo>3jQ+_Xn2G_-u4& zy&1%RYQpPScn!-%Up$V{7kvKyXLaxqhh4IgNt(OYWvcI5o5^_Q&&p>!_qFR_?|<#t z!R`-y|9kYxV9zk$ORKT2{p)Bmry74;PEmh{0#Zy-y-4weXhKdmjF>Y;i?YbkHQlM@Pq)Aq(>OTZwKLy5tNFb!)Xcdj`R@^ zNqE+fP^IIi|H*R$^T+Qk_~gBv@SXv@`A5DB;R#UyVLJBME`bNi!E_qYpVb9CvJ=K7K8L_r6^Q8J<`JILZQUYJmR&pa9p{x84*cmcifRe(cC}?A8KjwgI>P z{5?z+BL`gXn*l>?_|R9cviGamK9e%}fZU}gPDzgL;iksIz zljK+lE)qegcxig+dzpGsyd1q~UZGx5Ua?+DUZq}DUQJ#+w|H-nZ%N#eyQOkV{}$zz z<1Ol~&|9&$GH;dMYPv;u^LPt*lf5Op<-AqA^}Q+Hj^0%7Q14jpOz%?fCU3%r$49`2 z>?7eL=cD4I??dr%^r8BM`o#KV`jq-K`4GN5z5>2vUkP71Ulm_{Uy84zFV#2HH`X`P zx74@E7t|b0fJUZC(Bx<;G<_O{=18N`LTRzIOj;?eiAMPG_zC!t{UrS4{8aq({V0Bp zepJ6uzgWLazf!*@Kf<5KU%;R2FX1oeui~%oPw{v3r}~Hb$NFdbm-;vP69GH{0s&+k z8Cr#vu!V~$;Ajh2x&WRuz%&YQO#*BS0N*OWxC3zJ0IYcdZ$ZFZ6mXXY>=gk2Kd?&z z{1gII0yG0`0~`Zf0-^$v0!jnOArc|dA#x!KAu1u7A^IVvA(Rl?5XTUg5NZf5Bs3%{ z1Q5_?1^od15Y-XF#n7ms)F^5!HHn%@EudCWo2VUB!h^$u$Ai~Hz(dqS+C#xZ#Y59W z-^0{{@Z#{|@#6Io@DlVQdx?5Ucu9N7c`0}?YPYXGJG_Wn9Jg?-3fvNeniYk*m4@0? zfcn*h8a9PGwuM@DfqJGvO-DgpCqZo&Kz&z1jdwtub3m>0LcI&pYhD`aUIA)f6YAd- zB)}GAzy+j$267Mul8^+lPyo_U1@h1V62Sp7!3$C$2y!6`k|7PUp#ajM3G!k3k^3tC znowV+P-C`GXD(1{G^n>IsJSGly8@`aDyY8>e}ckFT*37gK%w)xG@vPf2;>PA2qXte z1j+@f1nLJ;0v!XXfuVu1fti7&flYx#5KoXm5IIO9NG?bvNI!@YEPd4dIk$-xrAa=|LW`oWZ7$6#u3XmD(BW^ie6Q!o+26Cx0TYf}ztQXgv35o$0r zBsL^7q!iboBP;Y5kf=OV0V1XO^>*wM}^NaFJ@+kCXmnXG2&f9^2;d0h4HOI%4U`U42-FNT4YUn(38V!^1ttX+1Xcxh z1abuN1_=g<21y4g1Zf7D2H6I=1kr+`f|7y?f~tZ#f;fVCg9U>{gQbHNf;EFpgKdLd zf@#4~!AZdd!BxQ>!5ksHA%Y>I(54iiJ()sVa)EXf6_ONE5Krc11zJ`Vv?|=DI;b4bngsh>lP0tzTMrixnn#pJl1G6@l}CpMhbOP6 zpr@#(w5Ninrl+Z=t*478%`?g~$+N(-%Cp0h16rLRv^Z&KZJMA*ZM|GTk4AwGEdU(~ zEiRUo$b@?R5oyr(pm;cXP(4CDVm&fFNKW=8 z>zV0U>e=K;K|lHbKiJ{5hcKswY|vE|9uHW; z?V+Q1z!!MILHJ1(ep;Zarz1R_JQe@MJZj>{H&z=O8XKq`6xbjsuuV_TNMP-1^5k*D zgck~vMMQ)}$dDAr4HFR^@Re-vvuFsDh5FDC{D_9U^lA}-0l2KyJE$fguce`@rK^E) zvLQ_!$PK6+W*ZVW)Fz3O$%aHCI&$tzvKl@jMB^xX&QReE<1;e5)?Eu*UMSgaRZep& z6v;nQW8%iTAkv}p(%M+>4`-h*9iJcJ-{gAQyI@A(@MD6@EvvIMauT{`&q~ZWKJCie zi_@GOkJ^0jI5|yyz>c|@T#_*CvY`*(#A6!C0y-g zn^kxp`N!Q3))!V^ctk8v-!mZHs@go|l1KRp;Yk@aEu3$6-QRe(+Nfe~uXc*1(Xu7O z92?)>-EzyX<`8GV$<{!PEqCMI+h+;Pm{!YiP;8si;}-6bZSfblAA45K+xp({!NXHw z2TmBSwqbuOdhU>+KqmJ=!<9GPeHQxlj4zpSIg1HIk>q7VN&}80lScx3`9_gQh=qg9 z1{Wq+nHY}mapQX|AZ@4Vvcorng^SF|#sN~!%F52nOg_f=Od_%9kPnlmGrq$#o>$Yz zNPoGIke;fc{wHEZUi~LmtPHdleQ!S6U%tEW``?wtC0)**LK(INhU7FtL#5kOdhu zGLgnk!iX6HD?V>vLTlyZF+cm?WG3_B42QFfWf`p)cklQdPA~78Bh0ZXALhSPGajx$ z=EpxzW8o!_rHo!z>lxB^DaA&3{?>E8zEj*A< z*@6?69}#3)x!|H#?2Hj*uA`+q%rrGaZussM*!$v07?;C+T1WgyP4^6m6bVW1QB4&G zxn^*z5xKp@ZaP!1kb&i-{0-}zs&?~LcN!f$e7jbC?aMo%_PN!=irz%0_)6wLRn!2Dk>}@EQ-}>gfu|>!}+Z-EW{KuwKtt_uzgbEj?YvL(JcLh-}03rAlSODwPRTDrgM}A|0j%SA=tN5=ZHML)o^_f^Ws*2j%$R{>cYe$RFrPkxSJ`}kwub*Ri z-!01gYDvk)Gdrh@O{l*8V$A96qf_NIEM1=6xv-P6d*mw9IqQL|H@Td%wc$w$K2^!?T1YK!)=%XN(^Ksq-vGC zJK0KF*L&WWcHAl~!(CzehUu{$RV~pT$Ig@*(JqKh54PO?|H?JqM~=iq`19c=LSy)^ ziwX>j_C>+1K8NnUyfE_S{7b%Qc5acDC)o-ST8Cq1m1I|JE@peOI}O;DG;#1ypptl> zww1{x_qDKlY2$scqoSt~&$#xm%PCiXSSTN?OrV`R4sAD+MN=$@Y8oChVTo@i(njx_ zwO^5V$NuPgB*tX^b>8Cd)4nTbdh>!rmg_8YdFJoZNME@y<)RmEC4KtJECSCc%(BKWJ#?9}aSeQmo`+TZwu0vGL}}DE4GL!qkY&hZa;k#qK!b3=hH;`QUQzc|N#vh482iIFfpKnGC%g8@O|htmGHbf1Ba z&Mh1c;vx_pv1JyZjRpZ{|DlbVY^?$yk=k1u|2rGqfTnFL-5{n-VA^z4_{OHbQ2+#d zFY!G~ezOvzfK0hEd)z&8Zg;$ddL3Rm&Z)?J_67F@H`1_*%xS}w)5W@HRhQkA=Oa1V z#I?8-raA|mUdyl&UZvpiba~kQ`jJZ-=601~>htFq^v>UV$zxtQV8h?|>jdG-EqRMe znpI9pTHJ4)=!^z6)yWCt$(YtCYq$9_;h$n{cac^MS#k?51&#jNXo?q8*XTUG3qzW- z>Q5MpPe?8{D!$=SsmbVughVn@(fK{Bh`><9+rfN0zW9OIZo^J8|jB9!N z1ib+FJMh5zzz}yrq4ZwNmo$gyS^L*r*PkSfOUK#Dl%Hx;Jh!itwVl~@<)H}K_~FO! zrXeBq{Anc3L|kaL*C+Sc)Z6>ZZT!Vy*euz{%h~?(r79I(W{2hoh4Z*;4E%~pDXl#Y z&H5)V(>oPq7V*@iwN!ARc@p1c&mxm#2j;qAF4pe|VbL8e4)r4+Bm+x5FpcXGd+x}#mLjh zBOhO#ex+vl@XXVfHYxl%gYi>KS(aw+8W|)9MBl~gYle$m;}Pzt<2gd_x%-*g*XvDk z5W)N}o(Vx;?zbYNGFwK`srpL^MWT^7tE4Bt;rLEL)?bFHdO6ZRO|m^0=|?}V>r%{4 zni23mBa_6U2as5_wkr<`rA3igP~b7S?dsZy-7JFOAwCE#^vBp8 zM8~`dy^L&N?skW{0VlvmbX%9{X?KX*O1!x^rz1kTclNYytH)pKH+}`q{7WC4B{nt*&ClNyadxa3czd*fkWTZ zB@e*$2Qjj4#V^^7K7ss(AZ$!PIe4}vklUw1e!DgQRqAe>aEx$kiCJP{xT)9f>}mEK z%dTC^6cAv1trTurCc(BQ(02N=C;a*(-?2lpx^L=J9J{zKJK0pOyD_IauVOsHKTE9) z%J`gr4cW60nX<8%%s__J{&Mw!)F( z|IWl)F(%YbPtNF`>4X+m86WxTs%YG@srZ!3#9(i{!qKuQULd- zEfZ3~i1ATEZd~zait`1NTYh_I(nDzdS9mFFECvy^v|ET&2_jPI4~X-<|8j4*vG_** zrjFbUfY!!wBn%6v02t~Lmjd=}@c-Ygt*eog6VSyBj(LRC0KOZSAO!OOP6BA~6^?wQ>=u3adHo%Bf$@HW zxqevlcg(f9Cj9)?=0HRW1_J*fA|2UU1tOBp)#RDFyVQYj&Xet6A6bPs>WlH=C^2AZ=q;jAkUMviqiv-?f* zyBNF>NepbnC?$8qzdtz?sMYo_&n8c9|$$s0YoEQZ#T!V5Aqwj876L%QF_^N}|Va)H@4bO04IoIojJaLS&$L zaMGwO%L^Wu>CE|vwqCP8p)s5?J%-b#qrpH%ZPvIT+Ns%MWCPQ#w|h@aC@oRm9#^DZ3( z!CgHOynZ|%c<5#ic2SIH>9kj~EToT|7ibnxyW8Dg$hI_CSojvdesxP8AA|DPP9;J+ zY817I?br+ZA2u}^{=YXhP5&?$13>?O(bQz7wx%6K(>G!FTeB#e`tYoNJ&sP zow8=ctWiXLdp8ua+LGJEiqw|98@M1N1Q)iEuGqC-z@sQ>WnY$SJ!65x(Ak^VtB952 zCoe*Iou-bH#08tH_7Y@;M=7?loJu;dlf?r8kYT@vi4--LH$sQl_SlnE9F3iDVo}bq zm(6AGN|E0L2~n6iZ-qVIt?yG3(0BFxRbu%Sw=Wiskk%xa%Tx`qrG=uGN2;K z`MgN1V|(y5qV?BU#MtRFT8VP6TQgB+!s9WW2MQiPg>GGWrmPP=g|l@{v$& zZOPU>_-?KJ<*s(+X9!DpMG*xNOtDdxVZw{0oQvit62utnoEiL!QSvWp1Yz5WRlkdp zi2&a=gM(3$v*dRA+l4}WW6VF%7?7d*G6as=3-AG8+Zx6>@|=`6a=C8Svz_~L zSwZQw9I=#zAA)3elARNuoRUh>ua;Fxd~zC=YU&^15XoC%Wn-2dF1l^hp7Je7g8#O( zIygkkcblUG`w`^Rl2a^HWc7w{9|*3mD3qxR4YSE;t0v_O_UZ-tw*%Bkx?G&AgIaY> z^0wTGdP-!Yqva~8<}!MM_am;uwX$5(Qp2D>tBE}@XqcU}6cdyhI~)kJMx;l@6II?F zSuJ6q;cik4h>;wy55N7@$W_Y=ZXxFHxcEBHgVy_iP}K7mxAs33GDLJRQ5wlVFU+3y zc@XJVnWGC;dSCD9t`ePYk2>ywZ}3q7vXxC(Q;QIF>5LDtRR(k^63!_-7N4tW%jwxi zZPCZk3l30hC%J_I{**&II)B%cv4-2g5&ll)tZG%d>B2(&6~Q?*_*_iad(k)l0p7VH A`v3p{ literal 0 HcmV?d00001 diff --git a/venv/Scripts/pythonw.exe b/venv/Scripts/pythonw.exe new file mode 100644 index 0000000000000000000000000000000000000000..df52032720f76771cfcac5fb1d409a4e28317161 GIT binary patch literal 536752 zcmdqKd3;pW`S?FsE*T)<24pm-=paF(C`KZh5SAI3fg71<5D=;$Y0-#vLzn@qThd7? z!*yEP+Sb;kRBN@{N7Pmpt4@d|0YL(8P+E;k^^W5L*bke^eBaNxcP0sHKmC1PpTB-+ z?mhP`&v~BbJm)#jdCoGmm#=c=xm>P%{?cieYaMU-=Tp!B;gREV4LEhf0N0=TZX32P zC$w$Y%!Su3@h)0?(>05~d4qSsH*dW0rm**0S9=#nZuDMzqc?EL4DSs$U3K-SqN0AK z4(Q|dbzDDt)o&(d{t6F0G+`d!g@+!QaH)DfJmIgrtKWTi!eaG)XhJ}}ADM8aN`F+n zXRms6Vm062fA_y8T&CXNm}tL$t-de4cELia<5-I7f-cup-z#uk|IQEUGiiHWr@8v) z4mjE6(_F55g)=VKyBG2(RzV+R+u>Z7tB;E6e!IN=6f;-$>+8yO)i-4dIc1%K-7hI_ zgO!lW^}^CVuB#-_>2@s~Lrsg^t`9?e4|coOoXooz_->c$*TsEYGbP{G{TtZFRjCkl zGSq3VMrr7;`8O(j_3|)jofDv05E9yL(z7MJE?51i#aDeZ{7skZjLV3?W^)#ef>?6kt`XWx(el^`=8I{n$-RE|Id&S*LKfz zyV|xo|BTq&QnwKcmln@9q92ymn7a-0h+*!tUQVae!HUh2?hTpkhWVOdx~*&1dj9fA9~bBeW`d#M_RlPC zJAR9&bUm$5*p*-(t5+(ZGCXmAvEj|`mz9Pd>q6C&Xrg6BG94l z`qE-yT8TjO!L%ClkYVmO%%pW6;6moi(&Zs@dx*-*L*^!};Ww;-wxEaN z+FdFc!Kv7s_M9~l;M=WVo}1&MeMH`hMHIZq7pl~Vdv2NJhEMy_p89d*+%;aJ7mtk_ zIY#U@FwWa-z5F-f1vP+IwYN%brM4MWRQ99gJ(m zQjy9+trg(7ej$xu{T95Htjfdbe~!NLR_rn2<2z_uqiX1Sd71l`4maYn2ZMlB_$MV+ zBaC#L(bQfly`_5SkIA+8A9npV>cR!`-KZpE7C4aizXlk?3IJEe+EDG1d7%D}AUr>0orQXYu zyVW-fmBmPSnGyd(>0<|J%BBzJ^c6AJs=fnEk)#$M?Qb+4W{7MI&_6;b`TO6}Tmgis zE(mILm-?XDC4FakPy}gcoMb}}(8Ko|@j&T9Ve6tGD2e=`X40N_sx;}7F!E(1UKAm} z)%bZjoqUS1KNJHOK_XrhdZ-Vde<`iwGg$Fa=-Tn4h!G+~d58VxHoB#kh^wf2rXIb5 z!X^S5Y&6VJ=|cZ{5O<|LH>tYxmj9+$AZ`@YpgPGDuX9^-cjvk`oI@_+tWz(bPLLX2 zW4?+QcYu_>wy@4fZ*1^ahw6?-`Wew9`H@sZAXc_v4uuS<36jd_6AuZ=@!D0Y|A*p} z9<^MbNzVwB&Iy`Zv$V%&tuoB*&|j(OHz?u@q2DDh`jI%+*iSx zZwSvq)RD{+(SzVQQkzd9R1;q|I7AN(D0HYD@V)|C5YhKhFzxxaLLf3QdRu8AC(^Hq zbiL(nA*wed1x2BcUaQ!dfs^)}2>}1IbXI9cqws}(GeL{3rdA`G=(iysBK#ve1Lnq>c;Qr} z`$kETcC9hbes6l$-ksGR%z$+G7l{ssh`>m z1kG?tPbDzEfXs{k5o|dSJ~a?q`g!U`qh(KcuU-2BseOP{@gu4*;xjR~guI6@5V?$; zYUg@Da#@Gc>F6DwyCS26@ka7e3aF4jdZl0yU2MPbZ9~O-cjD zw3WmoBv&m71<<~s6wFiAe~0R8%-5|Sp=|Ax!4-)ZNlGYgdlQB)BdKCfP4oqKO>|tT zE8I^BeA17pp-RYrwn&D(9I$)m!nCJEl1*DDhfGIRn{hQtRBW|2 zm(Y4mFUTn3ztTS!3wK_(1rsti8|KE)$SwM*jWmrbps#f`OsURyM+VRpa~qJMNU9={ z(oRZ5J97BwV@@g_=`YSez;dXhpF)6Filfa|!Z9o_YqWIG=nIvZoc0(e`TgsCWR)Ut z!R22!gvlNSe@H>2y%qUtwEi1eP=%HKSPs#7BKa4~fQX%nU^j1}Y(umXMUo&SHb}ha zsI=DR|0Yvh8w;0gkru^)dYLW_?bt_Z4iPVUFz9w!$$v@yq8|}Xd%_iHHZ(~I2sIKz zLY2rTQ-dp#Hwk1@^WBFe#f$v%x^|ZmuQd8gtCReByN#H33Q10Pnl{)vv_2O#qe=bk zld=3@Lz(2v+sBcZBeMLenf-8^a?$X6rAg)ZxHW0BNYI)SG{&pa}!M zc!SIxiXg3O&oK^`CI76@X(K>1BqRRy6Fn}T`7?s$bLvoc2 z)c!-s0CLf2?StlH)6cQfm5l6=9uP0OTwuKl72SDldCKVl>ycit?DV$~kc_;wkp4Ad zd89|SE2T=)Gx6ubg`x!Zk$;_PfAb~L0Y2&W_AEI$`I+2|ea-wOV^4|+?Nw7Rtp0sy zy3g;0VeRc=wCkq^5Q=nrLv-9NuE+tJ;PqXatKuW8xr}%eUcs|o8ag$Elt0tXHE8B* zout0c`a}kzpX5~>FsjBp2-KxB^izGnRuh7T?D&*U0DrQ;uWn~fS0nTM7eo4#gtg-( zQLB-@49H`ut}70g8|h7119r?bKrVjb%SJ3(Pbl{Kuf(KoOLcXdvMSUq&q8{MBE38m zAM?U3^bnb1!ACd5$b8eA>7DT+ZLA32nAd1Rt7f0H^U$})xX~4Aj-pJ|x2r^A|8g#K zltcC$Wsb~In4X*uA(=k%H`o%u%8wU4Nq)3M+7qKlhz5%nZ3leFY=Z~ZJyMBkJ(}Mv2tr+DJ_YJY4Ld{r-qX4KGMnd?rvz9<|Oue zMzn*P8Xy8q)U|ZJGv0r-eweEC!(Rb+KX5|kUzs8)9r4F4j*i$9KCx))e1jYfeQKw*9ODFiH#J^2^s*tZC^7V@3vit2O>Bn{AWBUq+rP4>rzh;pYD87e5)VL~bn>PT*GPXgwF|$EBq$HS zYC+XJjIdX1Mu&)Z>hg1x-NoFe%ZaHYMo^CzO%WuX_z)Xnr?`N&pQYj8S|tR=gS5@A z4cLZA4ekRmO0bu_Y0qh75TW_8N_M^FRl%fXkKVjhqHDdbavO*Z&W2;YnD+er zOr^Do5uq9?j~iE8JE(uFK06_fszntEeP95iITq~H2L>DYTgBgM{?_o9NPA2GtY^4Q zr#oLv98qa3!Q2s9`>jWq3#VRXy2U)+B&Dv?b zhb8Z1o#td6E?GA~r1YlCs5R|zQNqbJ&!Opyl;~XXDYOUwpvESdiqb3+mvON8Xaw2_ z-+BPo507&G$};wE+GE&oj}sSb+;fow`XL3{oQW4f82U_^Fd@ZwJ*3yh{Zh;Od~~4(hOe^#MW|Dy_5bISE%FHP_SE*Iy0A*6ETr zJANy#cR3UKN(Q+@I9wxrteJ3ZtD`)`yn)6Jacvkzx)lRs8VW?&GvWsDiH7#&L_Rg* zi*h%pUY55{=9RM_5Cvz6Mu2!Gl%8`O;vWIGt@g-rn=;`U z!Frk;%rDB+BvVaZ8>(^|^Z(o zfh1~!`BBq{_3#w+P}1P2hvw2cVoXmIm^7EE{TCi%&>9X}r*@-No<)lu>9gMYYpyFb z8O***ZZH$QDws|D5@ynaeP4~+{qLvK>!sIN`|p>=?Fi8ke6;L4GU{LXUMBSwQbT4Q z31?9a`K(FVv~{W^tyc7X(yZj~b6qybUuF~jOygOd*@W+96Sm3(Xl*v(hHS!dGEI0e zn=mt*aFHamWD}}YLWec^5kdcM#Yux%bX5GGO)m(mGiwJT0FJ(9X((gW@2@fULe@(8n3 z=4Vti(1y;6%)ZCexc>GAR-aupu~Sev)-bQ?Ea6i}w#WLYajJ)BzbDx26a)H!o;!vSzmRB*I@LCL9M+dyqsNSVdYV*hX80Z+fZ@Dl9&fJ#e%rW?gec*jY zypXFH4w+HBjaR~1@Tj&IJY*OxA1+EZTwUE3If3znujrxgpj&WJ&7%IiJ*ifwx^`&+ z)*RxV>#^V0FNDd~#(#D_bqz0 zSOLwY^`tP-Cb{|Nx#D$!4;4Fuaeuyb;nM=OXeLmt6X;sPtP{jv5*}!mxResu*9%qv z4ZptR`@y^9ix(}DaFnoOfz5%gM1});^SANpcXQ#a(}W9p^LS!yPRt=D%ZX{=0VmeW z8bYIZq8OlXeEq3(xqQf)>0e405lnkpOT~amqv?F;shYH>7&xM8>O&&9Vw1^)G2Eb8~UVAt(Q&~o(mt81=S9KceX*PTYebzUAU40Sg6^*};j+i7h-UZE7}%bG(q)2Gzgp?H0Em_Jqg zBeER5>Mu%h=ze`|pfndZuUe4)XN~y^RbMAnFQsb8`Xyn7d8pK|j{ZuO^3*arihJ%B z^sf{2KOist8Z*#{-(6adr*DI7xKUPhz}(_jn$$|jegmv8!|M02bX3nojIT@q>vux7 zJ#JjnYs6R;sI30a#*0${OKTiEUYzTU7rU5)T9dQYM1F3Q@eu>AO~!B`qhXaZT=W_& zUU*1AN8VL~g^2XQA%d=w*!+>HRAEhe)0E0_6_JB}^Wy-0w=7_8!_Ok!SXP~qUr2X9 z@f6Gpb1#6H`FZ|C#c01jc2TQ8x~V8=9-S61yueyW+t{jJN$fw!7B?1JEs`(5u;GAK zt7=)$&kvPe4CLc%s@_+nuCp$YQt?S?#*-;?!-LjKN2y3O#0oEqUzF1j%fFa5&f6qy z%zW=9s~i&m7CJ4wKg$}ofFVQLGlhzjcf+<`&k!NFMugy>Z>lUZ_YyyJ+EYkQhtzKn z0jV1$ORf2W)bvxPBx)=eDw{;&o`%;|mR~9;anFT(+8sSEF+Kl@y{l{$YZTa8+i<#X zO^;YgCrOW3sGgUrXW_{bbMz#6?p4pX)w5K^pRS%|>UoxWo~@pv)U#YYN2}-g>Un{B zR;uS%^&F?36V%hEo|Duwpq^9I(@@Wg)H9@>7prHTdj0}=NRPN%J%7rxCzajykWpQ9 z-W7dZ`y+#l*4E;NgRSZG{z&frHluZOak84VNQ&8ePV7u1Xr}JFA!;YpKRc*+VVca*lucK zB5nJW6uMZ!l*nWOh-dOH0Y?=nCV;bcpgexIx%?-9H#0KJ5}J~|r7Ctlkz-YY3@+*+Y*yKAG?^f(ZXp>l z3aw&!XWHRD<_2bmYKcTgt}A)&tE!D`IkaZcc!F^JHH9#^Ueh5PwFGYwf@CFFD``#M z$SP_^eyv)8y33mMMXoDWqH@amkjTV^-SsVm3o7m!h*KCGkeRvD2blbcp*nGhjF~tQ zMiF3NPl*~rH}uVSiJ*C}Fw!GRB@44oH^3^_pFlgZu1Fk$UZ8N>b|#2lc~u{mwVPI! z@eNmo7Q9-lM+rw0nDN@HWMC#bN}^-hFBiy{%>QEA!=$upw-6)MwrfiWiLkY6w>zPA zP~bAIONih_q-1-3jtEqDyje76wg3+0doz*v+lopukrW(mx(YciBttQYD?90G@p3nuIWe%Mm34W$FMWSQcS}gK* z?E#)PZ9gMq)AlPTltEW$`#Ev=VakozU}kPbD^CRDS{vgs#z?j<%67M7+T!jLvPk+I zBzFME`nyo&G{!nXsz+lOHj=-RS4h^OSOIX7MgLP2w8tT!k%Bq!2hbGP+wJdeG8?&`tJI0XW{4UUEgmgmTr%xb8mY>)o5=v zRsDB1(jwednaWuhdM*P$Z%Fa>U`jpuK!t?me);x}swjp`kX z`}>(~-iJ zWsiJh!214lwuUOBB$Br#r)@MPuQts55%_n-KW*z6G#Nw>%O)76;ZA7=h_Gj3uc1Ft zG?<LR1HlmF1Z$=La@2Qt6kM)o&~MWAiOfek(x2*gYU3$@PMN|>KIP5lCA>Ci zLwM#Wj*EeVSfhKDVFqtXLT0NYf!a5*-6G441x5D|Kp#w(SKgMUDkYEe*V*#uFNw?y zjohfO^$#}U(@TuJPJ*frgyMx;P&%bG)jPr^=0$~}>ej{m%t`cuP<3K4eP&}>>P^}Y z$EQfj;OKWsUAIf9A9C4;cdioCk~W)1D|cIW!P<(Q@TGtAo=AalmuCt(lV*XA3?HkB zajo1P&TrlsDYSMnHe=;PncrmyM#k*C?E5*M%y_AHBb*D5;9QjrOmNplwDlqpQWt({ zyjL6TTBM(i7Zsh>n@=Z$VeTNmMMUyGJ~Q%vUm8vw+;vjo;4WN;($m;CYM39wV6PFq zx&-}KTf%GB`mTO&-wtOh(+ghq4k_iCt8dc>vF z4*waS`A!z9CT-ig5yM*kSTK-yIu`cVqc6$uD07rbla9Ubvait{b{M=kC7WNozR!-VMl-Hs{p8(od^`R0q;&RkEQaak`=12P=1 z-Roc1iORJ450;^?c5m8KLuSK#z#^Lw|H&>AvGLSsc%h^q#^W-hQ@l&1s!ZJ@6v)Lb zNsuv7U`oI%2IJ8I0=lI`5|#HW)*{siA}Z3q?p~=?*?cW41kdnsQoUV*QNJEbpw5FT z<2_UKSK4y~n9)O6JhIA279X2+_v-h+5ex*W^ygA3wfWMX?-4{5719meaU;)qPRt|o z{?bmEg%e(QCUV&Hp`amHi8C-hX`%HI>QjBCJr@;et^v+?jlnkh`2D?}gfNf*f+he3VQf@3T7$Z9zoiwalCmkPM-wcESON*lG#XfL_^U*4{ zMnM!rj+nTKTx|porygm06_6VlH_9}a;T{e77*}&J7Rei(EVb2VIaZmgusaYE!uaR4f zksGlMmgQ`fe&)H^PTRk&XIjB}KWy4|rr0S87HxqSCMbE$R!X&zy=G*hW@M*Py>S_A z(}vBXzd{kb(L99Ho<|3eTXjL{r+roBEEjw3QdM=rzUnRdPwDOO37}vV_bgCp=-otP zO?6@^%lMv7iDI9gO6h@ow#>P`%Xleszg=c%uQEM|%FvXBk=iQcXX_mUv2&!bXnO56 z5}_1&G2|4n=g;jXwv2Gvv!N(MtZ+E4{Xzlk5E*HOln(u8LMYRsCdnB0Tu$GyIq(w_ zl)NK{#o{qj3%kX#G_60x*_U9&9wyZOroA_YufE>jv~TLwH%0>HPIGU?WTg|sny}w@w3Y`z`T-Rs(`q01lEa@gmVI) zRqws+bitL{1Lhv7JyW;7;hnxq`UU&9QnoKe+O-ovM4$&^MS}_I8{QwRM}KHXq>VnV zXJkGY8+wQ!X(uhYh3CmjmHs+q9&cN_pf$ClCC>2PhUE{hUMbV-=N%h5s zMtDh2ETe^3lqyGxi`6+W8B5$l-7ZXD5!>uPeeFg}C{}tJ^cxfV^+g?MwnaPeSSCiK zb$B^`FVAJeKlST3x%AoOigfU|u|ZGqe!Uf?I&>Y1!<8D?;IAqUk7x*1xx**3E0b*; zd5P3o{VyG%yjDr8)dL;Q90KTe-(k^d4%7UFNY5h7isfE??O56D{5NoFsQx5^m!>uO z8f=e_|HV|?LH-SbR4{(|K0UsRDnPnjpS?4K_in+vX86XM>b7O)D3q}?1>ZLQw)DW6 zDNUj{wG-rw9ZBXs25$Z`7NV$$P-W!C8ncsaJD}@83u00^!Lb53=TrTre%;LI1)M`9 z8;hAU6{nuJD`3UX$lDRh+su3`r=i*kmo!x6%2|_*EDp5hrtSrs+@zn88T6CyLl-+A zo!a_PQEqCSY;!SR)YralA9a({mfDKXx`JuvFMl z6HVqs*y5hy$$UZG-Jp+M&|0+A=E2)bmfPRPf>s#evkC8}c0xA~DuiZ%Fi=YDD7yJ% zeZ@3ousGyy7A}U%Xza@HTA?Y`>`<&XpGHQZ+R9RWpNOa|)|xVTLRb-Kyl0|oWL)cB z!_}W2YfFT<-;_lBRY}B(;4u>M5}Y%)BM+@_x%+QNHd?<*FwX2D7-0k>{FQ={KzjX+ zvK#y|D)W!6j4U`-CMI@s>HHot5k}y`bdX+fkC6#m8dm1uR2*EH3sLEfHR;yW!!_wd z@=`|*y1qgVs%<&&twau_*Xhq~^sQ8Kz`m5RUVO7V!+9&G=lGi0qUq03#;hX-uXKyS z72RS`m=%M?N(>4S11LXM3aYxLU{r4@D7?8uUr`InwiYNAo`p~MS5}6fftb`vzYwW6 zk0b|#erPZI=XK(INUhEafUMTj_9e8v{aecK&_r#7c0`*KWCe6yqo|>=J2~Q>CBQM6KLV^+sw!(M9&9`lxq4%oXQI#b$Fy zYLGp(ES!EY`z^cLm!le1m2ZKATeLXWOQ?#-h{UfK+NmLIC#tAF=*(!T#U;ANXcnS1adBrdr#V9v|;N8j;=13@-HfaLjpa|_Dc47`|cR3BPAlmN!> zp(TSUQd|{yu{eUC^5sH8g<;OAZ4BZ)+v+zr2dj5PCP*G&;9WZuDGlN%IXg8pJ|*Xg z9Di)8!3Kht3!$?%?*)IFgKD_nHm5gXLxJpfFO%*?Yp{umjpQ}v6>R0Yj^*?vgx~Sc z=Mc_3j^SVv%UtsJ_{FlmtkL#If%Q)Uy?t2)%wn*5Gp;Zxi@&D@#$}yb64$&r($A`( zwDk~=Y?58qN!?LmmnQrFQu!2;kKSYZ7R)Wl`w1Gn@8L}+5ue^bCAVVV#|ARKgSYc` z{2X$HKwoQt6pRk%PuwLLABdecwRf5ktx|SP_8r%5hGjBWw%^ph=s_EgLWPf-Ul`G0 z%%3xJjbmW+!sYcJe?2bG^iE@D5FWx9#}<8mUt?tFO83}8!~#z@oZOF!Q0Ja9^rSsA zvF>E@ahzc?{&iT_3piGekdKcX(zhBLMhri#`Q7{XbH1mwZ|Vg7=|s)Cr$iw5Gb%c3 z^v65dCMlXW@(y~zXti*+Y-|gef3JyM;jW2YS6mZYQXZ>8M%i5okZC871^(Q8THJ0sDgV;nt-#5%R(w>3od_?LXc9C_#j|AX$Ym|C# z`k(pK0IPqNxMevJ(WiK?Vj^#^Dv_{>y|^D z`TB8czFuTb&Q`q?IQWAZ9}#}0=@Xe-U@3dmJbkqNQD#m5fL?}}sk3ugd9?;fx>+|T z)z_#xG0b%RQc&9&*&m-Io^1LO``8YEPf-=Fr8Z+hE|xUGfiV@{cMS5oN!JSnRbCPO_a$z{k znFPa0^&Lui#U)jS)E4!d!qi92u-LWbwPw&nu{_1Xa`cDNjR(d56irY@+-r8+J9Zo+ zQ+M2UJ5FX#-TAC;9KCYNv1O;;92faF2dQuq;ij=lm~M%F2Vq)bPRh3EvIZd`WL{c{ z2dJ<%J}IAB(Ij*5z?PkNjH`)%qqt^)t2Tal@kI+l#rgFAP~Ps)$UXYg?kW1yg(d!x zo5e;<1X)*4A!dWpTQD3D$vf3FT^d!552;VBaW*Tn^E*4xz29Lr>Ot8ApZ>1KY|C7} z(w!bMck55@tXZGq{0r%iQ`ezl{d@bNub~E`xJq`OQ z@-uy44kV(m=w)y14UKHA#SUpr7KF!#s*B#JVwQYYJrMLWbM!O)#YR)Bz$3Vtzcn@K z&Abx)b@JEMz+-RZ6->fAZ7BKSCj_90bVO3vq2~Ki0?`o#Uk$ z_#=To(uO}0_#=To(%;43-pH%^e;twJ&O z&7Xd&VU-b^zArZYa6@eR7b~Wx+vNLSvFV>PwoN}M5xhT*P5(@SYQHYu`(x9OkpC!Y z#q!q>t8=fY>z7Ga-x6;SFGD5&y73X0Ds!Wmr6mEBbTON+MO~%bPQF!{0-5u9@{NL0 zIs*UJv!CUQ59g;GM!@|Q9^PZ+Ep{&rU{o8$i~I0&FD+Ov4oC5%QLaVGsl|gURMFOO zS+=Ok7vdOisM<$ip6;c&EPF@Cx+1)L>kqA3LE24+9q2$R2hupTE{G~;_)2@uAdiA- zR8LjtOm!euD~L*^h%OVGhq1l#ZnXcgHbmMp>`*=$Kn7FWgy?NU*2Vg^PhQR-n(kiI5q%^h#z4l` zb>g&P%~P{(Q~*WkWMP>_>o1U2Ko06AMbnXd#<-Db zOUTZm%c%hT8`B43AChbLY}20DQrIHWFZk>yt#n$0WZ^Bc67wHFs(OuGOO?8^&} zpzrj<5rv`lIN+dVK)ZGW5q9IUFe^v!}g}%9s}~WV`=}lc0%qw&lhgT1ZJb zzo+dXOZr7J-6t8-o;>oUi#{S2X?im&kliqU*9~*(zk0xAP?miT{bSR_o(K=4r!qgO z>=!Dh`l~7@pLU4xeO<+-q*1v@(Bye?<;1 z7(+Z}dsF$*1;ya6cJ(tw=ph{c3!MM)?{WS`-><^?9-Ld&@c$c}4Kvr~`zF6T2W3!$ z?WEe_YrcEhdtBhPTbg@j^j*O7An-_}tfb!@EZMaNzL$8~JSm1JGnyN==i z$8}sMbsRBz(eZr2|BhGPK3DtjQAOHs?hUD)Br@ZGVv7&~cWhB{>eLP5rL?Yaa(MhJ2cSV4$%K8g!XR5-3Q?&>Rb=HP*Ors7 zI8xK?7gqgUI(injs|2_CU~okSx6?M1NZoHvwOLbv3sDa4%W=OBtChv_)M++$&pJ5< zD&*eLGRUQJ86z+taQpT9O6;=ZMQ=Uy)p)h}9iBOOP5nx|{?P-k5xwx5_P@Xj=gK;! zQ7-!YI=}slQyp{n%3R#mH_4!7Zt;!X6h0e& z1UB+w5S-LF&h3g69@N(RWI2rWx-pCl_$G{)uG|ybWjtRcyYb9|mG0)vC}7fK1-`K_ zg}qsIaXjqKO%*rZ3NT@Pj#41#^e-!9M<3ghMnN;cjvbK&hM_^$>8hrT0ch(%(qn#7 zTb(^PHi^5Xtd*+{9%S?PZddM#Gxx{7LD9p~8>Yl($kwJ5lXL4kL7a1JLqR3VnEOc{ z%dRok%8T8N$=t@n_~EB~T0^f$<#B2OFBp4mPTX_g<;HjNR7@yVfDN)@K9EI2Dk?Lw zh1A9;9i^`YVl{3q#sT`7FgmDDZH*qu39RtrX%50(8CGpOPqm{^W7FrudcWjs%mg{% z6)3G_QC1EhjR~1MLos|88*5rWm}vYw0AWxNSTUER3g(E+KUtI5Y^>XcRU!Xs4t5!> zALOmvnCQxl7Z&Gk4xH8MZ%mX2SKvw72uC8FK^z+e6!LG%IY&-6jbZi_9N8*u?qg4~ z7zAu~tCZu9&7FKl?Ryhd8w#F}j_ir&PQmm1P>gMJ8v|lHn7adbZO;Gyij`n;em5ph z%RZSNm>k)j!35qun>18R2SL%bg&`t1uXU%N#$}Zy;72V9F8Go*FM#ORdnh z^Jc%YdcMq)>_*J}9Iwq@}aD~n{A@TH3`k}9@}Rdzh=_3_1Ixqu1z zAuPt$k1}(*Ge}52JxMmOd}V)-S>S8x~-!MQqO!2(lvyFxHB%fT7x~95n$qWsut<>O!Bo8EXCd({#U= z#h;6md?LIQb)ldU>9r~qJkfaKCCj$IxH11`Gl1R;4_FbjUdiUQ=ai1Dd}Us_?xMT( zzaFlCWv6A|Mv>9FU!PZS*!!QtCGQ+|A@syS+BVN=R{zKZR7nfc2AQ_=Hs0cfaItys zygd3Hx9g6X;tSwHPR5ta;3A#jB`%UkRVo7m5w-AUShYpq&oT7p40nJ@ z%!+Al|JcnDoQkw%ksC)i+br{O~S*CLR&fCqrGTMhZ_CQApr_?!xI(u{I7~RpMk*=22 zi=E*sjjHq56ML^1PnYV?O>(0q`yv3d;bF?3soO7gcaFE~W|%HAsQar_OA1xO!ES}k z$qJhI#u9lFd*+=!mB;5ZH= z#`-h(zl;#}lsvG{3-@DO8JBZM9+rd}i~mu>n_oJ~3~Y3>7LO8hlZs2J zm5t;0>s~0aZCJUIIyTY2XM%*iGxB! zj~F&r4t8seP*;np2gf>f(U4q@(#~x}$+vK=Hl@Fi%!LNGSDI7Z$t}bM%!BF@Gyk)$ zdUl;Oz2|DgDc*dWn_a1!&9;E~zQ5^R7xNl_)8{TC^?O?VEnkqEX;!Ru5gUb_gjjH4 zKo5Kn82(8hcEdg4VdnOxw_GRTk85&qQPywMSYwgGro*n|fYEY-K-%#BfF(DZMfrHT zT9di`i$23mwIg|O$AQ)ywV)sNTV5H_Vb>x?Cyt^JTJCz%ix<)o+|?+hu7e@X>Qd$c zgrn%@2nT#A-FlP3tZ}(J=MK02^c=Tvo7;w3KGK`zXp~?MWqM0kKGxi-&g01SoUMSe z_vDsKU6-=>CMF#pxV5;*+zP9@@bs|P*LqxTdm>bB?fACK^^9<)W#}k~iCmY#U0Z@* zOJT3*Q0?P?7B3Ap!u6$do;+JG196rid0L-vvd^wAK5LE2Z{<^;MAgX+LM&*mu{O!| zk|+#?!8r;8Z4i~PTUiDnw2aElAuR=3tvdyIh3^ftk69GuK&9Eb!#dcBgB zwp#fr_>GnqBeOCTbaUUjq#M61^B2gqUu(Rer!cOw?jS-i_A&QW*B<$aFy}2yewU_~ zcZ|0Yt4+jeJ9w>$)vn{UI#&CbtT!y;Z#mzcvD#g#x$rn=BrtNF**?Nm;Bt+3G2@Gj zeNstFo%M$@0J1?59?9{RSTONq4xe*kLC(i#(_+CjcI3KL!FY@lSLEajfa`i>T5V@~ zER%LgCQTfN+>4}=1EtF|y`rTF1haTa?_FYQXR&a~Xd3OR7n~0>K(fXA#6Wk2oQk@SX4KxxnP`Mf7 zyMU0jgGC3m>C_-19=VE+7@G&ywT-cPE3B%1vekzpYH}`6u&Wb*_LuaM7#E+W##=|| za55$H1uCyEHNy9+&iPaQX`j349rh@t`|pxYnrc?eNOh`yEXqpo37MZsjj?&Fs^%@% zoBP8^`(S|;!fhEECf6NG+Xo2EvDL)GeMt~wR$(RDP_Eg^e)_EaV0loxt=uL`Z~2`Y zpnIz3-J>@@CtAVLdM#7<$hI$;^%mLtM{`!v8(gT~2iR34*h0M1>4Xh?oj%vjU3}bB zmQcNcbZazd_}82*nHAFIR)`p~tg$Yv3Wuo)Hje_YdIE_H}ui*@_L!NbC&+2{$u8y!oPRbT^}9=Q%c0CiLo_n+1AlhXe=r>Rv?ZL5_lHR{a+8JcQa zI1J{NF$#U=L;2Ul3J4i&L&E|LHmXi;B7`@?FWV4Nf+{j|sc?P0>ozvewH(k}et=w> z+x^2gV^-WNW(8U$GD!M?Pi~{y-F z4dnu$q^{#=g@9=91|ciVr#K+a1w`r@NQ)Gk?f&7d<6XesVTTw8l=SM^#O0b~zkqIRV#)LE~gY@H!ghz1b$!!Ww$4sm(i6SWsZIV56`g zAx)Pc6g}c&9-wINa5flRL*>E(hF@1|X2s^FBaMXM5cg#;q$;_!O9;16ky?-vO4+AI zRBUFalVlCHyqf_m*)Ad5D3whp{IXnTIC?p^3-;#d3+irFWmGv5A*3DLb5df2^fOHm zYH1H&aZp=a*2gw)vV7c{{I`7ki0cA-S2p`AE2G7VmjKir&hGm6K=1t$(A=*CsuU{I zInk!EDJawXOY4yjaV9jqAckgkukMxV#(Y!z=^0KlM!Q&;W&W$aG5DSDrRqB```w_v z_3Za$>U&W3dy4u-**oPg;9I5=>J#{;rq)k|5$HC&IMcd)4z_P6 zW6ykkI`)itHdG-3viAEFB9L+5;3slt7IAubxESv#)oKmQ*88CPJ}&cJ^nJcD&EKkT zJX~*|P%^des5}gn4zAzkdxXoYaJ`bSouK?Mj5b;|QFtRbeh?`ZR~^#nQffCR^-a-K zUSjZ}5-M{&dAe1Cg(VU6?>cEBHPCyln`KXuseL@6kE^lL7qM5Tv^V*b#`WS}<5h+S zE>##^KqdA9H%pe{z4XaGL-8ec-_I_7-8wnZ#4Y}3iV5qAUF-I(+(sQM?K;rDL^oDm zt~ZY*fLh5n|2tL3s?oA(M%Bp3peN5ZVk4RB#;$W)-(sIh>ikSwECPa+KFe;4V%p*i zFS1L}iZNEDBsPe*;Xx z8t=5mQngvj&MNR|xmRLM?Tz95I%2Wj9ODzY2!DqnVLdj(!TLD+(3bpYL$HfAp~uN? zYU_EnT69h(^0bcj=YOJwgK|LH#nyt17gM#|a!?>MLbH9{-vEXkh; z+N!TTJsl-zyLP-Xjd~BwIy%8}av@SK-P8It1EHPwj*zh4>6g0|E40g~MEd1en+sFz zPjys!gJJ<7p1d6@&LPE`Be4FnZky@1nR`R+ee&FZ(DY%WU~g)BhKc(CczC+^1uFTK zi~yozt-uwbZk^Lttma#9{sm9*88UMX#cp36h~55J_^kGzIuQv^Pu`<=x&{`nfv>!4 zR|{{~SWDqWYJr%N>6g&0^QrS1>ZGdh3^lRtvSxFS(vw#JR*J0w^g5Xw)nd!5$&pNK za7JCtEdu^E?9-UFS7ga*lG{3kk+rL>A5uxZzGMxd zWkd1%OB)42a}(!qyqv))t1)loJdQet=`#EQr~l+Nj6L6;xyPUizup9JFRCx zGF6%B!*OlNn|8+)I(n;=fs)fXYbCNV26>>I;(1&%yS}d6Zn??T);DHw7rLmo7C^_^ z>zK0ji~T>W6fF04b3uFX6j2U;V{J2_KV2SdKA<P}ed%ZXmS%M~2Wk3?!= za{A4e{L!Ox^t(K&M|}aw(Zkc0Ee)R?O->HaV~bvRjyz__W1KuLl!sRyC&?XjEpJi8 zudYO9+-QNSx;*;HLu2_S5{|x=my}sY7T{cI0^#t(e-jQL!j9!z>kCwb8&OlrUUec7@4ePC z?o3UN?upZ@fJmOu6Q}$BL5xOB^zi)fm>PZ+4OKU3s3>eC;v>B4GLw=Gc=&2(alVET z>`ky@_f2fJJNYCfgZk5z6l94;>q|jD)AwjPq~B$MpWYlIbM)|3{jLZ23=a)9r^Cym z$x`93wiDt3umktu7u4d(9XJGrdbgeP%(i3Yx7 zz)o@YW{Z2C{ksF_mDj}s1iAEE zCB~@6?bd_m(JV6*Tb%AwhNz|(gFMqDa4~^zOCT6c&I(rvYgOY7hQDDw%gbewg#k#r z@kBPHoPls;lR}bI1egi}8MNqL0l}y7=;ZJye|*X_j~xc*#-sBi4gSVYg8s&|d)Zw7 zf%crpWe~iBp%?zDNwC;o1A)Z1lH%T7(qZ)K-Ok9O7EShAg-TyTwX6jM58>iBqFlFr z9*r&=Hfr}quRg?rnDrNyb?pJUOJc28-cV95ADx!2jB&Bt3Ph7mb*D~|V&EhF$kq+D zY`SEj_I2wQQj!(4dbLOWw$gz|m0oU}U)_4wzC*#@M(k){a+q|K@Ess$X2(PkvJ6WTSf9;`3!=pxWfZl7iUbb)d=(n1-o6 zUm~^I8<5f-|7Pg5Z(ZLSFtuMuqRH=Gd6pBhejG;i7PUwuQ-(Q4-b++(-L7J9QdvE9 z@*26DO$!D{kbz4@tSiXD=$u?mZ_MszVHD;_SqV$D_Dsz=6JgKQZYwQzhAJO8etH5^ zQTVdkCpO+81YLiw7~3-XfghduDyh*UgY~;!Cc)HR<5T9>nISZGdzbj69wjmQ_R;8( z!evv!u5YB2|30mYTi+z3fU|v_Z`bCT|c0kQ%4X zL#M`U5b;cniXIsdE{z^34wpoa3zBH&$Y@N)Qzo?jT-y4YeN@jJhxi4IS@mz;afT<52FKh0#@>8<&RoWhH?AXK4x8r zg0R62}N`2NBSOI8#=hrK+EAJs9WO^}@L$RyCm{rVVtuQNIyDK@6fLdt% z6_T+jP&z#)DL+fEqP}lO)#W6I6J=^MdY~lbHn0@0RtE(o%lb7M#72p+20nJ9^liZa zHY4;Mpysx61jno=b`B`jC!JYwi8WX0FaRjN3OBz-sGiz^9TNoye(7WV;6ASY+7mpT z_3R~bfw5v3)4kdiIS*6x4Up@rEt{u&g@K_SEsXD-~} z7hag!sbFBw7(Ij#wa8gtA!Fs%%Su6rV^WSp%dZK?>->~|^SC~)^&&_30G=z?YqyN# z=VstV@_DttSbLuI%93z_k=Fi1FnaV<{jT?D3u8fxEx<*Oyoj#LODOLL+f~^6g5#c9 z0CibaFJ~G8MYkNjtgs$pw3eoj%W=pEyA6@D(W)g?CSt9}$R#bf&~Cwdt?RyAELibw zsOqZHIlaryv95Q@I<0@Nb?%qT`VMTu=P?mNMDkh&5eNXQQvd!scp(mD$5tuWDI=Hg zO}snV^&D=NQ3TG}nISOaQ{Tv_EuFbsN~tvg-V7F6gwxA`N^iK#Zt@Gx5j!I*qxV`d zRWQpKTzheC2v^kw=tPxvP8*L|D+EHhHAfW)t}xL!QdjC+YSEoqX4rMzSipqF+(B6 z|44T8r5#rEtwQAwIzM{2Fmgr39vB;W-o|1h>o>h7ET7y>uPhU?5|s+FDkwQWE5OK>;6>a=|? zxPi*6O6$UtdI;4AFFQgdXk~;dBm0hIU94bb#X4jpY)0XpCipON2IXcdKO<*Ek1wc>6B>eWd_=w zUANr&h#0j$W7fTNUh7FU5_hI9=iagYT=k+P^@=Zp{+0sWo;pRUuKsfRq%T!HM<8b~ z@mW8FPLas|ZwQ~fTpG23fu5e|lc~gfck({rnHpRxlMfzBr>h=VO-$rFa+kn$iX|X{G^5jw5FsR^1F&ope5KA)EYRjSKpY5k+tlBs z0u89CH>u@9$-u#jSdRE#Y@32#8kKucmT(Wst?Z4--h+Z&!o3$Wl;1s38=tm|ODlHO z#AjH%E%yI_WhK@fFR9LJU3gH$QQY@+vM*7_7Pn&#){_r)+-ZHfP4Z~Fim+lfSGw&5 z;Ks^{;al+`i*Fk57>?-@FSDTMgn?Oa>?0I0s%kqUWtfQe)JS`En+P^$7Zym?vwA*N zB)>~p^5Gc~xjlz#2vk0-x$cbp6)qjATBV0D?`kc6YrTtM!mIEgGj{4Z)C;lJH`q{P z`{O#5KWSQvUMh^+OhJ)eO|BDsT5Dt*)S1xY&^MNsE2QK zcUpU^P(0r4JoOD-MN7`rH|#CqE<3)J18j};Yld-s!#Teu26@BpDK_Uiaca+H5P`Y3 zlCskM%Fn*k!(>@4 zBYfW{bF4=zFo}neehTTZL(UYl<1saWuzjHt+CAv3bNmKn?deZzZwm$?0Z zq3^TRlhHF^9`(0=qWh!o=P1W%|4^(Vw#1!$gdAY;LjOLl1Fq-!Swq!mp!eO=Nr>LQ z2JeC>j>hqSB8w}0`zG!85`fcdXedkpYTqE*(JT+eBCE|s?pWk8ATA~sK5o7Fhc?87 zRW1;fQ+17M#C5daJzJD;Bpin+@{tgiN&@hJcD%Lc0-leq6a%yNt$$ylOY!!L?W#m4 zU{;G_8Uh3`14ob(G+6`=7Ye5e^bH^PC33y1QPgBQto7f=CrNtqZW>$tNKMOry=AKy zaHe)&Kh;Fx6J`BmfcP}kiVq8DxCzqQZ6vpNzQ;3MN*$3?TlTT~7QH&*3Jkki>{DS_ zmo*G^mi&$~3Gpk_=ZcA71p_bwlJU8ZfJH9iS`PQyB4+8L08kO?jPEw%xUDr8bUSW) z&t>pmF3R{X>w|Jw1^Chw?2g*t*Dh~HrEg224@yTwUu<+ zKx`S>svs$|#Q3DnaebFTV=H-oLf+;*;S1xFb{GpfA*s_kxgYx$z6)dGd7D@ zh?^)Ojc|`#4@|qFsiPn8gF8&_HcKJLR@YP46Gvb7VV_k-I>O`O=h=dkIV-_UaN!fF zvA-(z0f19KBG_rYDZ#&xg73d}Z!)6PLTzX2*R<6qZt08A^4v@L@Raj1n+~vmS-{;z zUAfG;Tzg9{SG zEvS|vJ1trGRJ14w-D|aM%19_9Ux&5-MMYgFyj>$+t>C)UC~Erz4^IjwA~SSKdv?jE z`0&~Z_}8Hfg;8s)#x_-&F(H_cK_S?Ye1@jZoHL;1-yT6$HAsu+rso)4hp_qjh^(vI z3Dh2C8KFM{xDvJU@HfOwKT{q)c~r~e3VEC+kHPrwS<0Q}Eamo3CTwKyYX{j8*+qnA z`8+v;wC4u-6jJ6A$T#vBzl!H97CHR;dmzz8dj8TH<@`xf~<7XvGLQgrM`BA-rC!ntAql z2)WlUm_ zs?@*c%50(KJqz{kSqRTjD>w70a{KcrSKfI0uADp1s>RndgjRl9T$O@v@OkiMWyM5O z7CJM%qI*fzH+(QaF2|VRtkTDezAI&7{Zlu$b0Zysf6s?X zUf5dV)LiQDiqCK_5Z3{1Gz5+~VzZS+B9t!o(b8HYDSdx-As9-Nny zC|k$b^N`h$@8ChkHZK-ClzXO|K2)9+Q(N*0%UjyFv1-2F@(UvL=g#v-JJQjQFR%@qKXD8sdi2c5 z2q1?4i&X9t%!z(HofY2~jKvi*fx;=o=+Qj=2L@q3w~IDU zB*2tAV7@1l?NIE7*TL#dlwW&n9xImb=IYHd4Q#CPfpiH->&-6-S#j;w=VciCgc$@) z6NHFa1q@?C%t0CH3#=`4VKl3nh{k8VZ(V@iL6^QSz|G+QWA9zSqpGfk|J()!NH~KM zh*yRhC5pCDq$CDp24-XiCK6N>R3sWvTJe?YjNk)Q)$ZPnIRv|jL@ z5QK1%i>QFM5^a?|4k}&>#8&42Tl<{31gNF``h4I2`JOM&lR5kBv#)Efz4qE`t-baq zF+V;E93NqY=&Py-ha{hRjH4a0*}h)GMBpQK7jK9NO>=2I1yt%I?pDwR$0rXVqNn;J z5kkR4idVZPSuP)S=J@1&X#lHdbRz#ga~jHAX%#*z9eMOJ$$E{;zL?`mt1Xr?LUsl% zgOO}NBxuk+zI*x3Y%?9OeR&*jp^6l86gTkUWQ)-(<~M8+sZ!cMd6(4$+BXtu0X;|D z;NNEYjhKI@_oY1eKx8~f#9ttr>GPkCf0 zEhSj5P^`iin~CXO(EO`DFIYQJ$&omU8KOoYOYB~?;NT>wJqHKBld0SSd5h*pgqd5T z?xi7S$w|~|wt*%bdMcCM9DA0@at>vU3hM*~Bxp+v`U#sqNH2> zm?#aVQVn^-tleY*e`BAHSnVd=WT)<%m90$5cKrJ97B=Z45b(EWsSpz0bkSeXSjrJi zA|e{*Lac|F37P(Znrj{e*PJ|C9ZL>f^Xt0ijkz@^+kLScL>h}BsvRl_#l9tr%QDc} zT1?VXBTsj!QTkk~r7PTxfHli;%ATed<`j`a?y-^suK4)GgF@q@+CNs5Q{z~z9_YY( zx%LMjzTM2A6GbRXeyNpJ+*ay*snP)1;LODRSC+>mgDaEb6jHEr!96bQTsm7nE1RXe z#Gk*{1LBkTcM&DQNzxI$66*zx5caS2f;**boi*;*ruuF* zv{g_Sv}MH-A>BCMGwNqpNfwukz3uuh8OrYVwo6-u@+db_UC}2)?2jVy4=Hi3> zmi+>|cjLT0ftq)28mSM225LT^bCECZ>4LQzN<;R6YtUSF)xoa=2Uv|9N>+%zKkzwfc(Y%^fZX0yl*zg>zq|LBc&1&t*qLO6_OE}3Ju(N$$Ed6ZDt zFI$V|J9T8D(rA8!3GLN;-=Eo`@HgZ=e7yc0pnqNZw>QP0!@WT`4dbPYnGYYHh1YKY z9A|K#Rm<_ey_uQTA6f5{GAkx8uND8UyIDim__b3%63={GM&oe1wVR*OivYb7QB|jU z4`iZ{PCSUK#BV8tuD8~jU(ofAX39N|D5~9~zJEM(WF%jON^a&eTZ`@LHZ2wu`A?@r zs~-q%S}(0?mR&Z~d7FuhkGR*AK^Th^OZ77cDy9Zy)Lld&;Gv60dz&XvZ~4g?`HI@C@i zgvoEF*RYR}TB+N+7kF;B0_WHTa_lTz=v_D{U=CkOCSTPlk-nkW2um1}5M_Iy@N*F1 zCO(3t0v!m&M;I1`OqUNHDioWH0q8WuAHye-hVcoX(==h@U6s zckO?b>FT&g&s4lLUFl4&0_m!e-@>5~a)v=ayb509jZeiBl%QYSQTi~b6#cMTY6lau z=obcDEu3_^h0GZ=oFNPlP4l9y>6N&QHxT;5MsIjIC65pPM#>LAsDFQ|fA817|E+%) z>)$)|ZH@|1ZCWODVI~yJghppV!!x0wI@IMbTEzIkcnQO* ziXMCB;jg8?-$m;ZHqB0zkMvs%9G4eA?eyZeWnEZTG&)65q zhCh!~RQ1){vrXEI2KO5M8t@e&JN*M4xj@8%#!DB-wCDNT&y8u{0*pLs}pve$>`qe#+#hxBNJ$JOXi&ic6C%!(PLhPIl>?>KH7rvAx5B zxfs5rlVW4o-)&~F79n!h?D`X*J46nBVpCUT*d=v~ayS$llK2g&g#O0s@{>;hq8JGi zQ-GgTB&FNEj63%IitZsjkuDxb7p)qNlO?f@%R{$?E_nJS3X%BH3dUPmmuys7FiaSotZ{UA;zU zXLMVO5)T4LdjMK_*HU@M%@1Y=;DN`bla9AP6@;qYgW4~0s!C{kXd&9IYSapy;5iZq z|8jyQM*1zU$$si;%tq3*wLb}2O<2JMHBUQqHPN!@PBjZqfnBYFw150kAQn7ybi?P; zAEQ}jq7Iy%9>-WNGM+4r>N?A4xrtbj-#lD_j?#^z9J|k(Gkw0}m)So5dU-0P7nbC) zV&pIcR%g)`I*WkU@!B3p{#Uw*j@5+4Dk8FjWZZH9M-+2BP9)7ItynlFPM`Ym*J6W_Ge`Fz)bxTGnOJ)0774)P6&4Sbk$?8Iq1Yt6ocWL^NA0Da!J3>!1K>bY# z$PMQw3oPTz*_h)M@+9s7oPy&lCxQ{n)t})Z2<%bUxS+A(S3sYTQ2Qj_w%PAV7j&92 z-P3H%N%QBY>@+8KPxDw#nwLqVb*y_-67zd_PcpO| z{SiYUgw35YbvmOnlpMYL3F1E8^C@t=7C1W9erjl%r}7);QQ!>}C{yWsOr^9%bj&eT zs?pM6#}9ue#f$xMt~L4Dl#yi}o;WpI`UATCj)8W$$5>O;soO17JZ=AY$e}*?`?R%V zdavfy*3a};v4+$BtUk)pRcYnZ4rO-#sA1Mk1}`m@!$hSEKGNU|!CCrZeg$0 zJ&szu`sVe3*^{x|qv4lYi8l{1M0ifIMwaf~twG$0Wx84i6P`R{(U|;^<>6}XaBBG$ zgqa!jnK7Z^)KD{ft#z-sY(A=lp# z(mYmv`bN9@8qL2Tg{_AflMh_>NY7)ADHMXtXpgR)zWcNR$IWj@|28Myg{aFCY*PxI z;}q!+AUlhuC$7*d5^J=%-YU<@SGDOwpeZZnq0n3bmgPY6Szgua4{K^O(p=dtfVbAk!ILqAJ%6Ad6qhbA06m4>j0tb^u^FkVgIZWhQd;ODi)i6bqJ0le| zbSFD4)QijtnYmCQF@Dk7#ZEOs+Az*SuMtQ&x~n0@_{C1x*Y1~#w4z=fsMX8;n&uW< z8tD^=wiW`}v#40qKiPw|iQ9;3 zs+t-R59ijfy^&zpHbcM?_e)1)b5?-vQ_j(OU_QK*c@9us<5xMyIuBCq1s~DG6%bgP z#ixERDCO^j%S*bYBsV3wC@Ie>sf3!6PjV!cL@cWMz^8bb9n9>G<(TkT^YB_-+M)AM zXm-}WbIu;Uj`NJQ4TwTY@_sHC>a4*|b=ceb$}lty2iU2F1PW z&;xwCiGxUIhD^D+(=C&V+3Ckj|Gh1;MM=Rk%dx_ZxYO{N?dnn1&BRbW%=S8SF0(0E zePa07K=q(-FX=m9BV2^_rp!k5XXy)H;I*abPW75Z=*4uS8i1fU@h6(%Gw1CG97p|L zuL+&8X$o_c`J>X_8OPIjwc{f)BHbyYo2N49KJB6$$|u%R+&OP)Ol9@%RPhI`MrE3D zx!sIwq^XnjDm5`sJ*_j+{|Pq+?VXZ~TGc89Sy=3|R)ZNOukE7VEA4t2&XO3ICHrmr zbT+~xtG>yYHk1+i2d53wYm%%+$I2YetVZ^FlR3|tF_3T^ zMZ5HBjRr^ju7TT_P8rP+!cA2^W63Ouj5$91KuC6F^kdst<1OArNpsh^e1{+Am6d&Y zUUbF^+q~Oo?$0M+B0SJDFJl8_5gr(!6JRLy!0{<_{;~N{_PUr02|k$z_H9e8Iq878 zMr`f}qw6$U-q3(_JiFrC`T*Qpf$}meXUMyG2fO9M;p~iLY+hH{Vn(ukr_X4MSf$gHsKP_pL9_YNjIN3Rdv3^7+0pp z_~Z8(<9R4J1-IDxmi+1wJ;rzw1Gi*&IoJDh85hJ6!exlX8}4LtTnA(&dA7s>2hmxp z8f_I~@fFO&OQ=o{od?mdR#y9^0T=y>HaV1cTMhyoB$t~kH-81<4?iqOvS7D|JqTt^ zq4*ggb~>ThnchWved35$?3^5X{=!YyV$=2tu=Q09|AO~$34z@NjOMeU;i2jg;oH!I zEYrH*HU5VwP{35lC@j-*N{_mdd1Rd(UM^bRjgUPH4r~inAj=oiq!Dr;SB?lFC9d-k znxf{vn9kO!W7WM@##Y*>w-g=ZrIq7p44W~dWjA#P*i^%2d|Mg_n~^9-aoRuY+bgd{=p9cdD)mu&2X!o?h~|JfE# z;jjt|!`eZhuCIJ1!upHk5|#ik!FbMB?qLn12pV>;DB>*SO#ABcsCyxNk_@6Li$I-P zuK9{GvF}3^oW##MCRWMMMJ_DG&=lPQpXi_?m(u+SG(;-{{|l70pg3FLHCviIS5>`` zu0V6l#H(7Wu+D|o)7?GlJGx311w(4(B+YNBNG#VZfyIb~7(q(k;Z!leiaEBw2l~Zp zXRAw2lx+>C`|fR$E;6_$NPk#5>=Qf0?0g7C;?wzw>nNn@R*b+dZ@RT$v>e3K1+wvo zIquR0#+Olu`a>dJ!g9OJpHPA}1+d#kr!OXh?(|@38uz2{o{&?*fq1-CN|^*R_(VNQ z!X_HpFb)YAhw|-O#<8rLK5wp1NEri{IPHd*XNec$a%n4t(&g z?(tIf{xbROIIv8w?dZOQ6m@FkXJ`q;_Yh|z{!C`P28JkB0LAOSmX3&tyk%Ie@wenw z$`rIClr? zda?uRtC|Cj50(9}={Sz!d{vcbO0mBT=L~c5S~~Uy0yXAzq{RNfaQ94}AHul@t`7Z6 zvu62|U76z@l|na{3cBgz0hOv1I%G|FL2LCVUUSD!v~WUr4ic)0K$ROT zc1ra*zWJ?QZ>HBf@K1%-|G$66dT-KOu@o7Z2Vtd`!#f>$k*Ta_;fti77l8=^EDq>( z$TVWCw2Y-yiCjhR*=;7QNVi>31cs$U4NkW`V}{~*Yp2G&w0Y5bUXwRTP1=|>W7AU) zH1GNqO+#B)JXo8R0nEZAlp)eejp?RHP0}1%*BYH6*KT8m2vW7GTQuFYr2jPKhrDL` zNiXFH=v-|KA_D4eHrk^8@@N`fayrdhBo{)uqStC?IG>A1O9pk=Ya>TTJeE?Y2dRW; zV4w0jwH&M_JVPeW$B26L-f63nnX0Kcokq9d9fUSK1FBZzN%e!)7N-O-8-oE z&@MH+sdoHXYSLCs!^Ar>gX5s)B(9R#4{i-LtPZ9+LZZ;~l%+}^BL8Zpns!WIxViv5 zJJbU-zW34lMn)oGhHMU9>8oj*=fp%)yzRTW592DNTRv`&8_K!am17qb<$D+AaV2sv z`XM(A$#qMG(o69_9<14XlM}`9!U7R!>L`78l<1J9b7i&$*<}MIRoX*32!CPX582Wq zYxtx=BmUnv)7BVL}r9)_# zea87-7ZMHW6j|4WhQ8)qRMgv>YFj9JL4Qrhjh_S?aH}r;uyw=Y^4ih=Udj{^Hb#bp zFhU@Ys{64Fg5&#t1T|eaxMyCJH1pDg$Fde-0@J$28;Be^J%S5hZ@#6+hIBfn600ua zfPx*R0)#2gOMKE0Ii;M_C1E8IS}K{8GXcj2QXQJ%ia7@Ifwn33IWi@OSjqDx7V_*C z4vqDeIrfjdJ8jr7bc?TMozIxKPOSMDm@R%8;x>Td(!-~R_tT&ZufC5X&AW-I<^6Bd zSKP_FbaUd4db=IxWUNfb{0}0AsrSn1>Igb!#|&~5p{N!pAjbF~xVOVK4U>R$J&s{y z(LCblNV#V1t)md!xXOKCLPTQ@7fH~qdEcY7-g>!FEm}-%i?R;k9W#EkXNvvUQbr2q z(fee+Z*T--De2maZ^^wsku|=BC$Ay6Hy`fteO4=!DEa=gxXE_LHk3`Ro1-&!^5n{e z(}e(Gn*|CiAOl6*$U|NKQyJ1KD0(0^ZyOd#iB4*3sxD`f8u_oLTiDT`V7xS`Ao^i> z7*L-XK9lK$Ljis`9$gsz7D*%LQ8v%;xfEV5g~u_Z`4-bOIo$gchLUZF2}=6#A-P3f zlD(U5DZDuH3Sm_JC7;uFtJ2s=fH<{NZw@b;A z^Tz_+=D$ShuyM(69IsWdp}`SYtJ*aJ?hS$GObuu7mn-TGq?AQ*( zdNj@3ncwL3pY<1C)r?I>^HHFr>EFbhS?$Cj-?^A2WS&t*2!RiB z$GFI!aV$gYkCsSINmcsdHx}rP1(#^nG2S0;;{zKtg1fAsi{M{$5C_j_onw<--bHUR zakddj<-Ub4E~nhcAm&#n-XdW>KF3G(5#!)nq(3K}{za?R>6|yR5xONMtiAEH<3Un- z4IlV(d%1g|<6d6zv|_Z##v>FTbtObV^ZAYEfe{FwaG>ng6qG>46C>5-Y^IZ^rP1rV zQg7EEt?|d6t_m5$NImdEbNBzZj6D5Nr)WOVCdILz5RHkjn;OFBi_FnvCX403Z|~BU z1Lx=#ShfS{n)0NkCEaUsXKK1zYLX(Ywof=*+s{?YP#|X8{`)s6aa8vb&&`xLGF>9` zA&fsc$0Z~ej;nXD5a2liyavn`tz*F6Tfb>8+i?nEP0A6V#LjTam)N;bPVoz9A2Sgo zwJ;0W%1t2YZE4lM+@_v6_XaLtZ>&cuM`kvg#(cSwQpNCC#M6!!-jKFnRJ%8;P$Q}!hmsdf|!O}GC3f}SYJ+jho zqRm>2B2#?1dKTi4*h3XhoB|2&WG*0Ck0|w5kwu9F1QPRORG^ckf@Fx_QJYDSR<0Ze_$^;k*U}SB;08}RL>0&>l?;nxE zMl32~Xb5 zN2%eyoEpY`eGMy+rlmXC@ftN;@^v*_kgj2PP7UwhFT3=40@8$7kzhDrsq;r$nj!|( z^82(V4FS1NC166z;mu?-z;^2sFdwWHE_llw(A9;NNgR}o(1`hW^7$58L#=Kz3-b0k z@@Z`CBk>%%d8U^Xw8`OU)3({dh(4tiEMD1& z1Fb!B9ot{8lGJP{S+MbF*NqgpAd@9!gTu){hlW+qbNM}h&tXY@P@>Ut= z!H0}zGSJm>6x3@{uHDSQI14d*oJ9_HkBE` zC*&;HCx=W&FJ5rw4rIOB)??UfUeT$Q)D~jjxdks=Y9k32<(=*wd5m%As|BP(uV%D# zG8fs%l3hrBYgIwYcpI5|3m4x)80p~J%GCe0( z`y_VjmKTSwms)1ZPlNni;jLL8o(jlGa;_wnx)2>CUeM{iMzaU!H-srnM!eyB86@-iVEyAi5cqBcf=$Skxy3UgvzIVIs!f~yID-#be5DV7jVN8%b zfhR}Glcmpz|NdlOUeRGDd+>x=XV4kYy&C|q_{5V@je9qbbQ*W@(f+!fuVT43M>?Wm za=C;i%8y5W&XgZLE=L0=qvdtr`kc6!Pl)95xxCqgdg#zhLPCC@%d02!nGU%LDMBEh z-t`T8Eg@^0K1iO}q(e@Uyh5m{t2)x3CO;=vDADe7rQJe)o4RVO4|%inhm+;Q5BRWm zhaRfqTK8=)+^ikx3ao*e0Vm?6C}bP-e?9sGfwkF|26tE4yo=41&x!NCKAVY;c9y}d z?01IyMEARlmQTUfWG@Z>}xww}SAXeU6K1YaZ+f0!h;`iWd=fz{kUZvs9R+ zXAz}~f?%lXW}y;Qa)bP6Va(-%bR*67BQbmGwjwPmLryH&8aA>S)&}gU(g*ltiOy`7 z1Q2fs@I)!=)SM!2lyvcux7THaZdY%XN-+x5SH2HS3)#>pj}gfU>t?ESB)LS?R=Bz_ zZ;^GzZ7bH3r+OcE>)jRh99(o~_!jm?N1JN(RXM}^lLZTVFLH7lAckRYE$pp{s&+UR zh9qJOFLFp*7G*k4qCHw3k{3xECn+R~Vx06Kcp(tN*G-pDaDC;JTg1QTL*aqyuC)SH zPk6Mf5|R+9$z?!2vqKrfy7k048p`TJ!d7Xk(oBqOzy?VYm>3DKktC*Lsa0(Hq{9MU zk68Ys`&CIH6Lc=@Fn~y~smdEJ=IF2GM7vMYFRL$`O?|{V<`^Vt?IQ&*FP7nC{YBuF zd#d0M3qfQ#MZ6B#B1It#6TsR>3oLlLSv9tHi0~-D<{5#=j^sB*?lvm!m7@fw8ZWhp z%rC0E&{rG=Lgr-4UB%4$G1(Y%ua?WLr=7f|#Z7v9I`J-n4b}GHV}9~oIa?t50DZJS zdZ7eB| zQx;!0tGwMrR#=fgwjw*#dJ&%=ZAIQ?Meb2YLBrFQ0GIkAoEtZsE=z zZx8t<_hSmu2qJ;>d0hSndfc^0zn8QAZo1>! zRx{HO9>S|!oZFS(I9b%D%{K`O#U1Mx>ej=*q+35E-TEPkQKXR^C&_wJVx4iPM}6$k z+@$hluuaFhRn};pZH?yhyn^ibKLJ53pmI1>KvUaOy%v)!ej?EQr_g_9MTBVw81TU2 zJj9YcBXyaL&;=jT+SgD#BX_3WJ01sZ^rmA($SmAaebNPj@LlPqiea!X=fFxqxBWIXQpbGn#fV!yTs zqeVC>vb0*oi17`@a7nUXjElB0#M`t`7g&_gbk%`UY@eeq!90)1qaKj#<_W!sU~xB^ z7wPxfZ8_VlZ|k|Ex6^mrB-?2gffKeP2}>6F7S5AdHAJ0xyS2?~PnBLl8d?7P`xmW| zCV;K#x!W0mJEUlY%|s4VRd?w96kh@EUB`^h?RU` za+BOYUdE_;B1bX!L31ZPJ&DG7%~bLjOQYXkq;`UmM=wZ^x7eYag9Ja(W=ZhBDTW-U zriGq;$eha2G4K0(MxZFV0C{k`s33yqGx54iBb`_7wKaY!6{pX=4ztg_G6POt_&x46_7=CN%ar|O_PlFF9&HR5d#CCdRLx$Y$+TsdEEx%Z{0x;$#%~ceNYOeaG2{v6g3F z`&n#1O9ThF13T=Huf23y!~Vwdrgfb7e~~ME^*!_b14B`XwxT1}3gRHve38%iIIOjb z!&MMItPN3t?zPiL3PCJybZsi>5^Dv>V}VT`SNaRvggoXOPxl_$2CKL`U_8Sep9~5t z3hr{nTA{)kB&GS>=&FD{?pZrmjNTUPmX$YX?$BGRFIgsP(f%LLz1mDs>r*#-JMR_k z!`7<%Z%(C_24W`^zXZI^=5jH^0sIbmjh`6{A?kmk7atrXUOda|5waD?}_7 z8}*1hu<;_w5x2u`!nY8nMA;I@9QViv-ketXl5Vx*4u12ZC*Nf~n&sgW6VNv;9%}>4 zreK}vxS3BvmriGuyHUcilACnYTHMy4;g6MG&TFdl&Ff`mImYple4XC)rFXDii7qzi zHlN-7&LZ?7J1_ypg?PYBsGg?@W^=n`$lMfy^GA9Fv3o=2vl|ptFTayd@od2uNV$fG zCTYjtMxaeL5ZW#T*x*%-UC@Qx%*<$_ZP_E7-dyWm2=&WTX_8zf6f)U-UR~~niNH#M zMZu}2Q$9sAZFPZF)32B&z8c|Ut-+N6?K!MfOApe6#pp0lvt9spJkOSA^yJ~z<18H; zbBy4bJ9PG7bv_Ry2{TxwyCobe{gXUkCSs1~^+)<)4_eHzg%}o^_jm|Ce8_XP<7IyH z)D^!-kJJX2{gP&$T5aeGbJM$Bxl=l}D;ldIL_3H#MaC?JCA`I^F?OnpQ zXMe}5*5{4#c`~0R?-uzE=R{h^i`Ms-gQl8wM)N&7>!@1?qK_F7G=IFW;+Hs-VXZC> zME{2R^kKdyXVjWc?(3W>dsGfXdsm3uCRKX=cLbzj{u7y%Ds|4}`e*#Po#Bg*?I}m5 zEl$-04BM+Sli@h`<%A3pxn?AvscZ`-F323gXHDAbpW>Xq8!*pvj zXf95besoPY(BQ|T^Z}Ma<#2QZ4T77$U7G>viSRzO_T5tK<}(0#r6^dlJ26u>9O8O$ zRD14MCV~ZvUr|aBN+NLixs=G468J!%raPPLU3=G)I%Gka)qIxtp%1gvMOSGki@H`I zjV5*q;)9u)y#uu02ITPbq;j+QfM5)6kEp~I5L#8!7BGCTBw7GZ(0uZMg*O~nNCRg; zwv$z<(#*oqx zoRS&J%NfUZaL8_M8cP}}TJE3~EV+$v@;O_EfyzS9a0C{q((gzEnBk1nDR!%eVmq~* zY_xjo?X>z_tJVGOky8x?p!Z0Xe$YUf5W5U3o~GMr-z)G~6ugZxqz1=okqPT6RuR&~U-gitiZ3}SyAOO# zs&s^1{0*7nwY?>c7uF%WuIcs6@$Qo-vFJsG`b4M;rO>i3=%E_T#$Kl{d66`lJ2hNL zv)Wjf^S#^_z%vNHdziR`X))z{g65}sR=q_R)brn^uGo~>TH-yWO8r*exddP?yikZI zAKu`qhANC2r_7Yi22kR^LIj||+fc7n!VpAsuEpgGnSVK?jB>fVL?BzYCZFX}22PvP zrs11eBMxcTNe8v-XzP8Z>YZ-ju(!>7%9|)O-BR7mSRI^~X5qRwv*9e7x$!&Fxg%{R zbSV@IxI^6k5s1}6e*;eOzYRooMC&_XbpoAyQ);f1%9d%0iJ)I>jYc!x?5#YsEiWks zJ0AKyTc)7Ux+5yH{NOT^SA9*H>?7E+3~Oa?67yp0=PizT*{`yTSuGqa&p-@b3Ijjc z(d32^hKl@Cl58Mc?R8rBl)_&bF8Xb*1h)#r_c&GurEm5XhIwre&j@T^qVF2xjhCAH zxxeek8?$I}ze=8gp_|Pyf8UB%@;av%!2OeCBspG^{_|vR3~`Diso6Ui^B|UJ^Tq<@ z-V`0OaXdX&&8fxuGDA41Q&Q{ITi43y6#oxHQy+-;Ul?dO&xKuY&D^5-f2x`5Y}}3) z$X09e=gdyVxe9!8=cV^xRlw~q>(s@IjtSujaN)6D^HYrXpDK|B8Ma2|*53A_aJe_z zwKHu%ohg6{4MpoFkcy2d+S@M9RLp{4bY)R&jB{_hE9bR1*icYQ-?3KqRiUei)a`9A z;3C_2e{Am3W6-T=#=vJ@@OSUl5B;$TEh;_ zFgC`uw>>|6GEH?_V|q`w@s2|DOEGU*uU4YI zgwTTWdPO1aqJr{#Jx?tjHjPu_6f~gC&%ac+Fst>)6d-I@=xGZ91!{}!{0Js=-k5?&1HpZ3ehEbYwieojwbtnz>z~TO1OGx&zu?%UWfAsm`TgwPycvurW3O#b!7N;-}zz`@bBBAHOtM zINe!uUD5paYp!!Pb_O{+00paqfk>6QFGtedFxCZsQ0U|MnmM7^XM#s-!vllyI()Mg z1Z!4?T?l)lEBkwE*53FLKR5k2Xcm<-(PF`d&_WlzfEM+YF2mNctDcp^*Wvw_r80*CZ&l!izI*~D=)h9wMS!Bq>dNzT{KSLVCR?*z=GjA$Z zqg>i>!`vfxhBxnK)I#PsC%c_c!)170>hPJ$YrYx3R8xmwylCN=ns8as{GRe~&M$^d zXh#*ilXci7Hh}S>reM5(G+4MS$2DI5PoAX*%(7X=GL*}-K>Fug_K$wQZ(kxJ>UNoJ| z+qaBUXTxA8z|9d+A{3O%dWBUhij-EZz0wpaZEM#^XQ0YkLIGPw_e6=9WA zR@AX&<|bdwp4(3dv?(`%#{Mm9y?9DC_ZYq|Dbp_RLMNTiPUFL_9D&${_z3uC3x|~| zha?=ftk_sh5hStMJAf83Hlf_lj*Tkd7cMg;19hR_EUp@F&3=% zd2!ryAB(A02O0RwnuF}N`bONrxD z9(S;CytB3t&2oePTE6c(9AE;m+GjLeHCQMO4^kra?GB&bmt^7d?Q?SB6TM2T3sweV zz1ugK`7jFhOQ2z;K9wW9Pzb>{)A9@lhzDZ_vzA@eyK`!xp{*=8f3GFgR^^R(%Z@bR z@&6>@Ru#R~nJ48^svGOLBCqKT>epbo(Okwpzz3NO!YO<$DG0_U*)2P=WM5AVGNr)_ z$vmZPzkm#Y_lknG#@J<3YLp9f#crDtaEG_pd)I~G={%s z%9NY>sQwZ(15;pDk*`f~szQl~O<{4h%}p%cz-jM;yVQG^OXj&#BE!`-37U0NWT8Sc zb*VE@^Ce0PcB}Bn1Ck%9rzL?dEVBnz>%4mXkp1X=IzQ}lR3FL{zC}f?xS4ib*7oAN zR#}ob=ls?Vb%7Nx8Hi6{0496dglx~PeGv_Svzf_WYqnc@!5TOfEa?(~I()wf?E9w6 zHm6moe7iuk|1#;`B~>EDH&;XGg_8*s2I|=m$*oAtuS%g&!d0>4y{ZO%gUM}iCc>7$ z!Ah(2#?)FbyS1Y}TK`ArVOO-ilgFND{a?tOh}NsTX#H+traD)9xEPlvs{fLf#HLUr z?Yq)?nW?7e_D!tP3yts~dSe08M-v0)ICv4KT83?v>|de3dbX-IYyPM`72_+qZUz5th(d2Elb z@x=ngzJ+ytp+g0HBf-<-d-LrYKKd30dbb05TVlxf1;B1F9EOhco+6z?Na|V8H+|c{;F~$uS73_fn=tZ#cqWnGWftoEh^*ujc z3}3v~xWkJsU}fBbVJLzN_UF0t@@^g=0X$#NDcS2-^m8<_M$6UA`d1Fz zP_XLf^KY0{&?yOkym99$#!PnF(RT+0xuiNcbZv0xmfFI$OoCsMz%I^mT_U5E9WTo4 z&Hn{%elGR!b5;E-Up4mPf0CP@sUCi=tS5d^69w`7?`78WfmZAJi%xld)u?#`p5I?) zz5l4ydj7nVXJA2_Rv<1|DUaX+Wj(AuMCZa|)y4yK;N8wz^loiQ$2jxH4=mMa^p-dE zXX*6f-r!t{P~+lWc8EB4Ce98K=gGv`A>!&Yadzm2Q12!wEYwRLye+fdb9?0;?;?~!CMrR>0hmGS^jt%q*WP4|GK zH09kr7LFDPj&9GuT$&F~$y5hM*4t9+O&)?_)|)(dTW-C{L-5UdlLv2`tv7k_)@i-z z$EZwyoa%KMr}olCv32a%8CZ}IAP_&>I5o(gz}JsGLa3i7m|9C@ z9g*xEeErx+g!;LOsU*fNF)qVZ+%NKbDKQxBY&0s`ta`ZwI!k}pnMjMJc@!AgLrNp; zL{{C~YxL{G*Pz+1_et;)wGDyeYegWF?=_3^qx%m;`ar9L<~pSwpaTUz=PM?@X_9QFonEf{TS2dvRjQ*BKcQ!2^Y^w`_pnpeg8Dp z1+(4JTU>A&+d&DV`B7<7Ll8E9_<0yQ1k78VxI8M{#35le=P>8JY{Be7Lc9*YITfK` z(ht*j9s3jb4%gSD_L^R#lZ9L)9V}#ju_jQn{l=k^o-O=8sK9GZLQ0rg=dWqM@mJzn zp~zgBETnG&RTwy=X(A~EY)BVGp6Yd(_&fGGu@=CsfZoT5JQt;ZR;DXwRLjK8lNNPV za@n?wfQemX0#nE8xkX{4wqb6Oy5O(yF7f_7lRXg5`Am_@7|nB7mgEw@ergz>#SpJy zEbfOpl7%R0JXN>2jOL3-Qhl2<;;gPQ;^M5Yy5{!YB*PCrCGFW;*u)*fdwaOV7{&3Y zAF(5)WA0Sxr4!hvAv3a*E;p2j4Z3VbuG;14fNn)A9^i7VY zM69uc=42AkPO%l>eh5oURoieLg0PKh=3eY#qx1Vajh5fa_v&*k7m@+9Z!mtbQFD^{t31pMGlLkc24pz^ru(YST7L(#g+h2;2MyglG z3v@PXdF4j+39w4mNS^R_~408qOD}UXZ6|%1?v*Tp>SG`B|zilwW%f~4GU`7US(Ex4tz(x#Hw_$I4tIOtr;GZRX z1{-EGq-UwMFdXcp!y|FBhquo7C7|~C73#BbB7@sgJ-sYkth{1k)-W9e-fsE3l?#4F zYr9dsb2`d84k_8$p3lwJJDV+=;pb#nYONRGIMT!0wVqFm8dUr&y6{ihKc&d-fY+Q2 zuAQZvC=d?QfirVk(zNFvcHo5W9r%)S6`6hqv)Qs8=p6cwJFo%oa(WD`wMcZJ*tg|K z-|Iu>qvfs8ky;s$_d@Xiv^`O4A~4++G&iUVcS-e&wIw3W2$)ZncSvd|Mqh1aw^?@L z$FThoh3s}dv5_{bm5K5@&~ScnEoaj)MO)4X)`mrk%h@@x?|x$;4)rKM#HtVw`XIM= zSMkDSvl!XwEwXy-Ln+n18wXEP7S+L=<_hb~@4wrp2}jf?$02=sM%ayp^IiWdecJi; zeez7cFlTtMKirNeS#C3A(W+RG7NasmFN%;?2F(23!-VwpB|hXIax`Xg69*hLaIe1~ zbqex`dbo~H)wYvGWVa`}KV>YwfZc7)IH8mT7SuG{bbY7MvX+vfx0P{f^JPNjSoaws z>y7R&FzynIoIv!p$~>b*wybJ`tTfTNZtU`x74lxASDqiLgSDXW^uiBd(RET{N6eXOFJUy!2q2r-P##gWEH^%uevQl;J|VAY7y#rJ8Ktr9&3(m%in}XQ0hvG$xV5Bh}Y6#`IxIa}2F#7qI zd9j{b@(n%a{$;i%##kb}N64J_uqZzZS?=3DaWm3O;fjoAIY{O;Uy+h2a1n*JXsyk2TJ%rq*?5uomaQ4oj+22pyM$Z37KR0h;$1h z_S*e&kSFF}sD>1CbhTfdd8Ya5w zPGqn-uDneZJdCdjAy`@oyixsxqhaDl{1u`y30g`3yDp-iS|LRMhK6yJqP2%&7^t2- zNn>A2oP3<`S}2E$%r}L04tx&~#4QkX*dW*{gikcW(7b@qIuDSq;=hs{f?dp)S@iM` z;8$`~w6Qqv<`GRVN*T<&pGebMmhmevB^?*ruMrRh&DSkgpn#Y%+-k0aiS!Ulhn`3* zqh_s3G&PS7CThVdp(t5udfBvgxxsk7x??n78Eo|voD5)i_3>3u9C<&6C1!(aJdJ&g znk1#hnCSrtFc34bps7$->5rEW)mtBQK;7urqvaw*f|M=PXziGGdzzGiW>4+W9l|*9 zS5EyI5_VDfTr6K9Ufh$g4BDk>Sgonl2w0cs`~dg2h6k$EeqQFzJ%FcRsF*oF5dEYe zIY>QbM~C~X2ML;U=c*s`T;rJwmZYLg+{Kef4@2e@W8V(W*N0CHHe3w*adD0!A>X!j z$j`NP5QeyBzY%BNX2|9$+HX;n=LmJ9Dsq_4CYwJcsQS|mn{3V!T300RCcylgPXZaT zIkQ5=)R9n3aaf~XlFT;6e1fp1n2!+1rI`H&XDQ}ib=YV=o!p5+euQGq4GG1>^(vP9 zYJ@A>zgsg@bN0bhbGm$*w+DI9Ir6DRixF`hsi$ka_F;{u>=J$E8db#vgJeD|By(X7 z$!s;EUoq}N+)V${P;6ckxo1Ke$CX_ZuxR4Knl;9fVS*eerUCyF&7qrE0L3RW;dHa9 z!>P9Sr4@cR7kc^7!(UB7vt)0#AJ|hh+Va%(C6YVR zA0U!Gb0o$Ssrl!qc4CD(hRjaus7He{RQN8C>tG%#Ke7fWB!vle^rkkEsd2r}q&XyU ztDkU3kI*e?pReZX@>$`j36bJ0YLQmT8pBbBxo}`YD4CTxv{DmBXr(}zt_iKwBodW` zze5`yXgVoAO5N&DY&(HzQ!Sbb=JI>$K+4wmacPOAL$r;(Y!%{GRm(9SFUOgVFkM=M z_z%ky;y`)sRGXA+sSsU3UCAZo(7c&7wXMb-;-igyv?n}Cj*!5@kN%^k#M+`hIa1II zPwp=YbfAH9leh%|jayd>4SWS)Km)f4`2=EC|KlK}deCdnj0mez?Q9`|j~q|bf>lC^ z4nqPPMO6zGR}X+mfGs&qlfZ>)01U?lb^FOe0?(IHg#`KugkntAt9ASp_eY~JZHc&CSC4KnWhHi@lr;*%eedSsdL3pZ1{ zQ=Q0wF{5_M%zh?kX79V{J{X~$c)))dqk?fX@tF)C#DUAh^FbT})qKzzZ_O%W$%C|x zd}}N|sMA;?-ZBD(a_{CeuG>oDh5_^Gt3df-*Th-n9pFNh41(zhMbZmm zMH(|u^J(94oULGuT&CghsWf1Ah@ZLm3l{`$KUeDh)p9=j%ok-VVByZCf;$JkZQ;&O zNu+VdXQR$Y3vTQi6O9eriauDQUBl;Ks0P;&Qvl;!D12}73 zDBYXMe?3cpC$j`Jd1VdQB^}hpNh|_yX_$MZ0#SI`Xn#{*YUK}VmB?YgMPowiT=Y=cO`cAuGcdk9{*I88NST%fI zvK*_1!zSx)cqvAg(C>N&(lrx3O)sPEJ)%Ei#&g{|hvHuSi|IQ$WxWD%@x^zfB}EOC!)Qr$~+B z1N5SY$U@hfpI1#q;48e=-kwe2-h2Idc)AhMD(U;Fev+2*8^$r+_lSh}b2|>Hv0tRd zftpXl6RM{dk@zp~9GY0-LZl2vTV0_-u;@G&DV~nT!=M7zl7n@Wo{+vHT1|p7X zs+Siu`#FKSx2F?3VG#%u%nu(!ut2p2W?3_G+ZD-Ks#2b*oF)4y<@M$68+ z!4DVeTI$^JJ*OHVEw|yy3IIo00PI0)oZ%rFf)dUTAE!YmVYCARLr3#CK>9BLF{6Vy2nX4DqDDdm z(P5#YY8(NjzPVa@{^Rl{K=JIUtk2J}=r={@dh#Mw3r35KBwSf-;2^oN%!u?2ENHA3 z`AD*$dSJNBEIb*CKWNl9h`F)%-m&G_0xe-?(D-Y(K9CY+c`}-BBQE+v`9dP#X0EqV zxWm(`2S#uhah_Xl);8CxOWtRvB7z#ZprB?ff|{!cV0MbQjU-6;)jbBx`{~5eq!WGS z#43C_k>MOkS2KYeTApoAtVpu|MjJ!9ud3v0EKB=zYl`zCW74gb{ql|dqqn*77q2!! ztywMgUfG>aA^kG$c#)ju*!1pMP{x8w&C@Z6sf^Bb=7lG#dnhg> zdckqX69TZxTf!dW>BZ%;sfCk}{jU~gF1Gx@$f*y#9bSn*QNY9-T-_#FaM9QN=1k7| z;DohVr`DVZYcd58BdL)svUXIGVNtWL0ydg;n!M^~$U;^C9nxr{&{=F<5&6y*k?&m8 zj&&mPec*UayT}0L%GxW7+A8hlXGc)Xl))T0x6hP+IG8gM^a+?Rl($kkzNc3R@_3&W z?5UpZi43*mPvMh%)rDZsZD5ZPSa6%ho^W4Zb)Rsry*=GV%V#tWeFOM%tPHDMkFb+K zpy3jvMWft*LQ7aUIcJAjZSPR4b9bn+-+4r`TasF%<;Pa3Zln2eT1Rb>1{Pcp4e`Y$ zbupY0Xr*!O9;;T2%c$|6RCVLuw|?xa*=WS4lS#8pZy@8Wn-eOMFq_Cz-k=8cgU#UXM*2YW;Xn|iAi7a;QdVQj8v%wMqxtuI zw*`&Y1L?vWuU&APg_Boc;9OZf+X+hM@32u)L|i#2xm_3js)dqNYstN3Tarb|4$@dC zX~|krr2}!^ZK335E5BwF;le>lNlktWCD((JQiX+*Fwp9CM9LZ^<+Oj3PAm8MURPl` zxzvW>7=b&E1t~4P^{`fsjxQ7k6^Kc^sLj3Q7y~0V_j-J>V4!+TF^9MtE-1#p9ofe2 zx4@Zh=8=b$YCv(cB{rVNFLbHDIZ>e$#1IK(Z4w*CxPq*OF|X4cQ!Jn4oRYKz4%s@Y zL=+7vYu^yPwU`mI9S3Kda^;aV#WKO<=)fdb)~55YjXu<-^Xro3a6gAlCPuE-*`!>X zPSoCm89)0BgPgq*bKG|PMbN|QG0yOrbkJ$Rx@pIOl<{-{780DI%9AN6$ExyVj%JTj zi5V(J6H;Kt)>7<$Ie+eBdB7_`tWO|*A?O`&8vP2?F7bTNd3Zi%T%KWf8Hir#lK2fe zo|9j3$KyJvN9K^SXB@U{GuNv=`_{N)RHh880x+lhIkVg|XI9vP2YK`DywNsiqK%TJ zypP68voRqd?sqy4i(x?`eL$oiX7Kb;EZ{ZrjCZx$XVpi!hiU9|_liH5+;G6mmkk8PS5ONg9}hd5l}5kuE+ju=+~U^;8GIATu*h{{#j(IO z2J!g<5_6PFtQX|I5Kge^c7&dpG}_Db!OHL+6`9SLVxiS zFbL=Ha!3fG^>@f*z{JKt4lcy_fWa;eq}EqtkHj}&3N8DU96afzrX$!*$z3v;sks4r zahZ;pXEuF&5?^|$CAzXq2JAJQfuUm<*$lk?I|p_;j1NR-Ku!_fCysUO@DB*fx@g%Z z#~sEP*{qywXil6maPkf)JWOwWK4SqqZBSYe@KE#WVXm#7S zWJQ?CUW{$Nx}G-<8oC3qX1$~b%sF*|*puZeND3bl5CTt^rh7C~!%HA!&e8k0I$_?< zIs=yAR4D_SALZ78DHUpoH=uwFsEuez06N zn4!T}%W$&=_bse%@(r$U=6@moi}_#5|2=AsG{N-1Ey7W%?^ti(fF5fL0ru;{v*S+R z8)>P95wi)*l;m^GadW{OMPhSY6`@X@Z9RGvdg{_W1u=T+0Eltmbg4Lv7#7#7p4}w4 zp`^S(sQTI|;bXuJ>4_fQ^*W2-MyTAAMvQHuj;T`*u`$RX2HM+sM>BA%W^1QuW#rbP zD@!$?eyh_W^brj}W%Bk6`h1rP1bx(%1Ym@uGqJ#2!6pF$*d%Sq3!i9>;W&0bGGd;u zN2PGNpwiVgDhcClRV+vq2(mv(Z4?yx%Rfh<-%w!|g*wUs>@z?&Bq;QI0^m}G`V|4% z-bq7gyZRxowiZY*X~8PN6_80>bX;*+yZWh1tR=+t(g}aqav%klr59xH@z`auYH3DG zs3*ErxzW$Ja8j8tSKhrV^TR{3+{!UFTYgL~Tb@25P2z%ZU+eISeY)CBT+xvfz)2Sl zP8WpY<2m=@sqijZSzcL-Nj~|V;hK@Ih%4C8D;W23z?!4gu|Q?}NOl!}pp(Id{9t^N zK6uSHRH|dp2KSa^iKTodD`yrn7KhzB5E|OS0i%Fr6j-=Y>XRZUI&!(TBQ)zUV%0~; z56vgGhmu2#>S@o{*3ms}m3?QBUV*oJqwc(Cg{F8{$d=n{=GU}Erg@{cKwmD##L?{? z+6tx%c^Oj?toBw!O4bz0M6ps1vr?Y!HG`z=z&-UGcQATOWnSbMwE%8njmIO2H79Q6 z(}r&>Se*9Hu6dk=tTo$I1C+?zj*iEvd}NNzoeMJQMNY49KBgqne;i85^(BZruGI0g1W0KMk&# z&n~|Yfl$Lfbqr-;o#GrHFWO^{%$KE3IdbBnx91}sKVE&hKASGkaCv@_+9@%G?YhfM zsi`RIkQPWwZlNWrH77&5kVkXktU?~h7UEqYpw|SZL#;zXEED?|d`}{#c+lRZKUv;H zSA^=I0-jY~A?pimE>9HGYqgstAv(7*Z@yE#OE47>FoYd|ps_sLytlUUCA!KsN3n1%g+bt(GGH{x-)@xO?jA%fuSeF^B znc8Mxy?TTOU{KQ-$U_@lrQ0mp=xYif{Br_ao`5!bupNyydH_Ll_FUDMr%i`c0bv>C z+mMxb0u6Bfg_qb{eD-grzj`1gy9jH`g4Cp&GMbfTIsFO5?$Mk{(iMHsTH^zz6%&Z3 zQ^*>IRvk@YHl|KurpQSpLa+^DR9%TqhwW~Bu`Wn0>mjyfnLL)zMYsmd2~q$3dJwUj z3)NtTAvUz38Z1SPJIe{m$tQSjN>zQ(my4X6SIz3)1mA3-fWEL1^Zw@YWzrWb3;rI^ zkC|hUyza5G(MoziD}9(g&>%_dHDA|a0JWB8nxb^}p_}nw$FuetWze7P*pmhq2!ZSElnmE2ytp$S6qvyAF`POz?XqjFL}dyOuV|8W>3Y5}roovyj=S zzL!-DR8PwtM8^KN6r0M5CoK+Q!74%DT<%9Dds%pXki1IoJ48ygA3+u7m1-Zd6B%C^ zRhis~0?{en{IX!Q{jTasQnP*jN!*1kPz}gFWiD|(G^&|IHxa=VC7Ji3yo((-+m$pC z)O#9D37LPH{eo`Cmue2_Wxkl(!$+$g^jGXRB4?Y^(Z0xR`TQg+irJzFnp5VgPM-E` zNmrpuSD!ewVvQsF?Q&EVH+AgAnKb*>il8j_Oz2^E{0K18_UZUx5Q7|du4N?LE{eB= zw(EWYuyaq>u)Wo18Fw$?MZLV5kuo<2O@C#mp}sg6T~!n+d`~@`jfQo_X5j4JxGk7} zQJ{g#Rf?Jffv2b_iGt=d#(96Rp{P7ixL;ka^D!GmQrl2lMB=4FV+uReQy&PU6Y1+s zZIoIluJOfWq4$~m)an|Ju`m9f;0%+h&bx?_%sB|@&LB#=T7`O!ZP8)(r+6GQyQ)u} zUx#;q*I%KqhKXoNR$HY0IMtSovMBv>iLjRoq!cL0uV`@Osh=OC8M47CZmL_|zvf%F zKXF#8wJHj7SUX)kZp-tNyEuyhlXZT_0q}1N7qr_J2SVx&Vj}eE=B)~?Myw$EZXtGC z-q`s5UUulwE;Iyk(}dj46d8|5fs-U+<`$DAWh}|vBXDB)Pk6LotRDp*&z>SN`h9CZ zIS1%x;g@%~M^r7{bmt-F!&2$f6? zYF{DR1;z(gTfijW^xz1VJ6(gZ%gSnF6Wpw4u3UQy?Muw-^qlpP|E#@18Zk^97UIK0 zS{a`W@*SwIo%=lutf)dYn{Vc_0$5Y&Nrk%g?=n7!4pQxb>T%9Fe@Tuo zTs^(!j)U?At3A$}Ifs?W=+zlRWLzJpKA()JGt-BIJc9fIVaYgmwa8npo$xHmZ&eOL zrdRYvmR}x;>p}1!8L}22Yb*kV5;tL2k)C^&yeNxbc*ePi&zuR;=oBDqqf?d;hVqc}DcEp9^N#YafECPB?;k78v#!FW@FOYj39?Y$+ud_^um7N08oQ@8 z26?b)*o`!GIa>9EyuyV>8&6o@0(#O#M~LZoc_Ov3;@iJKzm209>?B%vWbVP7CBfUu&4XdJj&2AmZv!7v#y^$nDVD%UwlUh8fS<~#%4@Svqt26*=5r$~@QrDB$zDhgYTWd|V z*$2Q~$JUP4zAW2Ranx|a-U63(MRGJj8MJE(Q`+N6m3HS*2=AGbJj zFgSO{4bUw6j+gU1KgzeRIRGjZ!oxA5;qpqo9Tr+qCD}Z__?W^}X@4n2NQ+EFt9lb+}+ zkXEtytB1f+8?&jWg?cbh2mgnyjJ`WMu(gBv7BU^z>-aXWx%pWSl|V zVBYzUV%`Z&H?`V{GlUw?LQsKF43~%p#dpU)Ilb09Roc~$u4l23HKJEy?FkvZ8DrQq z>T(zrwC+En4SKJCm!pOlM#Xf>@j80YKGBhfHk7uTr9kiI?7CMcpJ(FG-X+ z)+x#Ru6DeHxi$DP*0q|4o=d72%UC(TLth>d#k3|Tz-*DP9H^w%!8TK%DeuEt7j)^f z9B5E-=b8m&@4`}bhkwOw}^BdyIb|LZaTb~T*!H#!eP1-vwh z8Xvv=w06p*$h3|WzU*3Xm`z={Vn)C$I=P;2=2GF}+dgz6t&8+al?MCL3$w%AiXUYI zhoIbFEvcA_J9!0`papYB^qlY-z)8A(I-jKL=VZDrBI=y356*UdK)UNC>8=;S`WCIB@fn&a3r@`Uc_B>)@Rw%I_s-EnJ3`ftH%SvYDzJ53aM))2 ziLc>R!$O_>WqzKN$DL~Pb>UXo`H9)QX}VQw9#d;Ni58v(0t(9r?-DXyp;*2}CUBU9 zgCG8py?HD6$L`fzg-a4qjC<>R3%wVGVhiwEg&bl*JrB`A#ungTnh@gMscyk1=neOr z;`}f+wagb=Fq^M3uXG!N-P#cP&$fZ%)v*Pt1VQzJ-TYcjVp;i7lWt(QmbvYg(UG}U z1OI;mqkngt7#@#|)tLXoV|B#s_&+#aN8H9E#Or@|%>Lip`rk``{@roWJ%qIi3HtO#4^-EBPDK`8QsZu7B>ol7DnM|2qxo{8fj`Z|z$+ zov1f1JiF~&ev;m~*!!D*lGhQ%4{0kEAos~KMlbNB)5Hk`)f4p?qH>(q8w>^FxWG;8kP&O3W@ zzk(g#Ojy`-So7Le!j**gt1VVr>(l4*zrG!VvhA4ppKV7>WK+>qN7#=024>*VS^6J^ zNB+MA4!Z-_y3Q=<$kO@j1Jl zPx=4Y`x5vlitPWH9FTC>0RqGW4H7jP&`3}d5;UDmq{j@B2q-ElZX}?fqVxa)N^lZ4 zlXkq1UGMv+tGnW{1VteMCE-v3FAxeYMNimL-Fu2@yY@c=Mq+Nigms$Qc5^;#c>9OBl6wBsVtVoMpV(~bwSu^YVt zUSx1S0B)!8AJl#*6X(;OS2CIN5*+QqraPT&pGZqO zcxj=-)s~EODSz+Gp*GjKW_1QK!?l)Nfcd&}4pDZ);zi|qH302d9P4C`y%q_v6Bvr z>P4z%CdKq>Ie9IGfGJ+HCHJa~@fb9;K<#+)d3@bN8^A8YGVP6T z*@}H$?1`f-YzKvmxGn>sdF_daXX^Qh@&x5V^<%;|^`*I>Wkh7;3 z1g$UG>4xxqdE>bK-IwUXC#XN4inc%hdxyV2ON09JHe-LDjQ%`@`ttXyBp2e4M}_cy`D=M%IY zwBY-R%zq`pk*00J|7!H zefkF-38wKmjmGD+!0|ba#^-<8_@v!$|M+ycBou?gj2Na4mrc8844;oy3{>ABZKev@ zAe}~sey^>?A4co7G+M94XuTGr^;(S9e`=%kpW0}>%0F8FNuw2?H_~`vA z|JZ#e%CYMW7`vwij@`ljv3ohNi24W)OD;q}n6XPeKx20h9cEha4)qYmu4aJQ>e!tY zFm}gjd^oV5yXLmp&(EN9c|ZSvHEO89EPh~weqL05VEY-}OC$MOjO32=^@A>dUt?Sc z^mQxa+8a2oPYoK^gZ<-rI&c|fZ=bO_%HH;m>uG`GI;`C7f2Oa$iL}GY-Ph5{yubIr zQi}S!6}h`|^#116=-ue$?!)u_{TX|?`xG!0C6}IzgHExQyQRb0>`N6L$oukiSbkAo zwjy_TkJ{gT*>1V}A}k3xFWwh&cOCE*WslzfX_P(cAD=$COOe#D9rGE)s9Zq%-DlB? z!cbBL*wlqhVxT@k+^O}j`GK|&uT5F(>1sc8qo$a9x~s|TfvLzBAkrzimnKt2`)dTY ziL$06;roVas&wX)exI(s1p7CCO^>q&R+E~j)x@T9sE!uiB*z;`P$^CJE{kD5K=um@ zOr$QaS80Ds{|5cQ{|)vZbWi!P-6jbZoW}}z*6bSs&xS3AVoLw!(;+CB=m@HrK?gT$ zrlAd<2{}6?*Wlh#-YZnJJy}|?hhUkREaksIH?wGi5EiQMsmB9-+yr8Pq})l#)%Q`9 z!T3aVzKk?nW`5h6`ydq2q`rY9k0d%6ul zzgu82=q6)Lse)~(Ia(@arm9b&$2k}AATTO$e1qc++C{_EDWT9l2G(>1lI!kTys^|- zMVO*3&)J-Jls&a64jpc?)Sj1Mf$`yM=DHQ0vuKw*U1X*Ns{1nLU+X)yP_My>8ay!c zt8Tmt<-t!<5~98=q|JR0Hrvl_7wq39_+dXSrm$aj1&6&_ui-reBkefscL(GB6usmb zC>eO4VZ{45Bi@C2Ymp!EeKo{GQbxl32NOB;D}fZ=w?b>sbK9QQa32EyHG0{v!3$0- z;TQhG;qRi?F&cG5#6IyTM(AQXXi91UMIo3_XWm7kMMUe+#u287f#c{BAeiI&X|PG) zW4f_F+cl2PG>)SuVN(Lnp5Li0Kmo5oL=8GN;EKgCj3V-Y$gn@Am;7I^Ifk(Joxou) z&}*nc4IPJ_PG<%1udjg$j+HD8_8X0OZ|67)!2Dl*9PAdoj;6h>Kp%M=`Eeft|M7a+ zQ&BePCT8$AUCyz;6o}zC>e@Q|{xKsg@(m+>Y<1vWq;X^umPL?9y>(bG-NWz^BYAW& z77^JvS_l+yZ0!2O*qf5D%s7zR5Br6B$&aIC^ks}-e{Vd8{WqY5!#<)@u!r#ThxC%a z`5%KlX7cD99|t>AuVX&y(78Ym<|B_IKi!1D{~6H1F*7K}@Xx=LV}GVz$1+%GwF19? z9HC{tfz+9Ifwb6{7iCSi)QK&Y+Bi36PJwK34RFBGkqS^jiq{$0V!OoAFrzr?J(eTm zYQ2V6VdkkLqb{j7f=(9&+a}@8Wyn#msG*GBFvbR?Bgh;T@)JtBr zGnTObfCXgMIjMRLm!Sr|bJ`1gh@5>BsNh(M*IV53ZpeMBdUEny<`Gl<^!Z7jx2OJ&4 z0BY=p(NL^;GE#KvHEj6JhzzMBU>F6BqbOiMO)q&iN{$`u&y{i5-vdfGcKUS+_7F0h zp_lyDudyY=G#>*K^g70)4xI@EV!kb!34y&HsNh&J#TfPpJ_a^Muj3K8uZsk`fBe8& zo=;cx@za5Kk#K=k1h(vhosU5M;6)&SQ(WaoC#+TsHMBI?xC8Rf+dvvR=als6oes6f}U^4g1SLEQh`2 zhgiaX;&~kQQF;vzpoWga9>T+a1u8h~1sd$pt3ia{z-7|_%>T{Dx$e~K*!X>9=-a}3 z2<&I+$zkw2toxR&4_pD*A*8%*ryWPj>P)z|;?a>EY=OquE%iH}n(8=4~<$$$2WIUXt zLp9wU+wrh=Byaf&G?%x$2kMB#i8?bL+UoC+cAuuhG#ke>W61|T@=1?1Xe@7cD(dKL zyW47G$XG7b>%Z^6v83sHMBcM*G>f-zC~An*!pQn%MA?3)Uh>B8VhMYfVh;Ndy@r{n zq2sWJ(AI}Q1;@%U8tgHXkFzZt`s?*N7XK$Q^li~h2<-j!awnqPSdNRgd=lU_Acf=S zk8dNx-Wh%nE^i<%`tT&yba>$vTS8ZFd+JbL2q=Rw(c0=Q_SFNm%UnJ?qYvuXvw0uB z2n2IH{Pv9z4}i$D&ep&n)1uKdRU8-ImV49>UX$^^$K#$-&&9)e%Mb z4IEJcm{&(|=(hkV96y<@K;IV4guwn+z1($Q#uoO$K3+CRuVWhO(78b%)%eF#2j(N; z^0tMG5biP;h~+qb=Zjd<;PSJ0FCMAa@E6n&2@@UA=avDn9QLG`!hU8Rhy60WhUY%- z4D2B^7_XOXL&>omKhF>6&_52OaQvv7BSYU7&4j={QZM%|lp9OfzxQ$7Z-5jI``}h! z4>txn^DYn<{drN?kEeZK@T@p@$Oy{QA-(mp_KlzrLrWhYqz`J8L>; zLD)R4)R){l0Q=2)$tyR-687KD;IJR9*KieT=s4^lRM-eqaIAFGV2^%AMEDIaff(j1 zeZ1>3y^iNLMut9^cZH*y5cth{+2^6`c8#Jo;D0WcWB*YghU4hFPg{fEKW4OjUr-g< zfOFf+4!on2TI5h@UtO!*#XB0e2rPbz@qY0ZFM8JDF0QO;rmw-zF7f$-^jWE}CT)=3 zG^gB}PMDO0rrE z@?B8|d*QoQxyKmVt>63FIVPyxzGo4>-rRBW0EgQw_jT+_mQzGWOHa9H)wYTq%YPy- zhG;e#U!pXNlyE41&GN~Jw3aLnVo3)$zDf`m{{-|Rb){olMWtA?j!t^7B7n8r@Ye?9 z(VtLnUO|7%*BzcUA7kWaEb<@AvlL-tdb{7nkt^isEz~EwZ@_^a(4rak?&i9}7NX0L zd!Zg5_scK%wmJlmpdtlFJ-OAoQG zahSPbYhpszIFunuwJDOcFdimipujUY zqDs-o(T5Dg5*_Hl3a!GY@Z;Gauy+i4BUmEms_(+8#w3WY=Ccnxb)VB zPNjp5ol3{@9*c#C|tBiy1tI55r?Uj33gb4mtXXUT)GLEA-1vZIqGV z#4wAR;lCDEaJDt(4#OC%fE>o-{KWsi=@CBHg*z6|S`3_720N>}kWS{qmyxKbmO2WN zK>iWBC{k*pyT^`3vy31IT_hHS9f6DciNezN)#^QFcuMoa`**w&@9E;`?uDNP?L|}m zo_P(yE&<@vj>37QBQpA02FqXDfW;y#{RQx}224K&O#S=n%e&2{H@vhkmERZ%q9v_C zg!y+(!!6fqj0JwtQc9Fwg>}2(>c50yJs|8QMXoJMv8PteNi!jQoOih=L3FJ4mNQIfxL-Yblyk&i#-cc1E&J67)r zRBxfM^wZ$FD=FqdyyP&&1y}x3K;_JDIlyj&A`^H|J_F$cUGu{QN9fG|b1$qWz@0fo zQ3y^C|K|t1oX)@;P2OnIgvSGX%>z9^9{%9|6nG_+Iz_^9Ho2CEXL&5Jz^}Zd`IX0o z=B?B-ZRI6z=Wuo&DLdjgbhK{Wr@hv4EDw@bHjNsXvwSOJv>)j5TWx=IO=zjrLNqP0IPad0 zJm9bUsxGkjpwI%G4tUi7mmHwjoX#o&WS_x-fe~2oK5X;;tm{vWUyyAf(J%rp>=zpD zM13*Gb0=Ww5PkiL>O07B?TbSe`HFxk{up}cE5$U3 z>M5ioKB6X=eii0-@tm)g!!Ad1BDf#?Hr2A-X(v{kYimjIb&iIf*sN}Yk(ZSB@MUm#tDAG)gBF)Gs(hQ0sjrWbV z+rBx9H1$!Wxi^Y5*GG}2G>SAQMUf^xiZojmw~e1AQKWe=iZnB#NHaQ$G+9xk=^90v zZ|d7_`?An9RX1T?Ou-NxPcZ-5+8nW0oi)k52WJ{FzwG504!?tn2>0G{oRf^2jeLZ- zk2+Z^mvJJEg=y>SEX*LWU5bd9tQN9lCxLIpGydAdBGKs~PXGn>=ab#j($ExKuc9l~ z=`r_`Gt$Oggn*E6y`HVPUSEfbB_%O+D?*qt*X!hT7$p!}Rp8I?1NB;*K9m&1Q-{mu z^uoIB*vD7@vkQKql`-k$emN6yS4whr*x2?yULs645HSX^t)aEM2pi1VGesXSqn|1C zGu?up+0d8lRrtHhQft4@=KS~HkQkRI*afi|$=#(ykzdB!5JGRF#rf}r_@wq3L?F5- z8G>)0zR2v$WXXke(3~Zwb4TY0{#;o1zB(I?U_Q@T^WZnx0|)*#*CQF!eyeh6rd64d zZB@PzFTaAv-bi*2?yuo5gI`nV8iL0L%|&+M5e$!Ozx3fTyJrv{Prxa~U_3tB5(baJ z9*k57k1&|vcmy7xNf`0ztjRBni0J0mqd>HPRx(7h_5;zk-l`#*5EP1NqR+*BH9Rlm*VpOV2A;3_A|jsY%wjN} z&)B)o@Z1&+w}s=!1{iUC)oW4U_(ilZ0LRBJXcfmHxC|WoX`lOW$p(jU?B9SBhrzgX z{~iXHWZI+AY_wxP8v2Yh{)ZS*cKWMPplmi85;*?nw>|#*XmpuI*EVqY(Pt5HI0Ppe zgK_vQ3+mlz{@Do}K7FDQhd(Tg0*AxUkN_P1-z}}PBYu3%J;|sj-r4)_ko}sIYh1p(P^^3XT>qJ*VuY|5E z4u*R#3zkXYiP?>#C0@>Rw8Ytyx%*%_3*ki`{@Ikj$G-EwjG zdPMj2HrAQz*1?a#kGRFBvpmUzOP=2%C$lej|FaD%6zy^S;JdR!x^zd*161SGRhU!)JAN}h*Y@P!v;v{v$^WeBnY#Y+j5$0=Vr7(5HTFe+}OCj9 z6RP3Y%_P3E#U=hztZu}%?>~k6R^ZMhzKw)*hj(<_fLr{QwqzMw{5b3(RJkj5 zG~%$wa!=P+&7OF%ZoLJ2rkVU~$RIlLaWozH=*N=x5pg&~)J}(3>Y9-r_#VFAPLUXT z;Ubb~eEDRRQlRUYsg*GTOcm+`BYzBYI?hLb`JryEt3 zcclA$&T)3*TB3+4ImB?vFu1^H8gm+SezOS)eEep&#bwoK=pv2hoXt2x5&J!h{SIb4 zr|5NvWQ%L{gO?3Uw^teW~M+Vl!U5RHr7mu@PuEZhy zdIG-=;MczV+LK=s`E}2;TE5@;^#^|a55IoFuG)IXw2ZV1X^owt{U{e>85|acyC{Zj z5A`}I9u%<0IWk4bl3ZgEj&qP{DMmBij!u&tS7j8Mq^$QXu5**sTb?zWL?=Q5j!dCr zZprHDlo>e@SXG9B8!eCLk4(F<3*M!9;tPlFaO5M@5`w>n7v zd^ma-e|#zk#wRKBzVGYd?SS#TU>Ns26gwEPcSaMH^zcLbUaE}orwU`>YH4phU%l1cr?7i`U-8Xn9re&?o{ z?ETf}9`L)p_~|~gse6;V317VqwywKGTi30IjKUKBkP99~VEKwN{0%l~F><}dX^y#> zCgFCP8Pt`E%9z0}aVyqSX>|~*5RF()&Gap&x)N5$H)Hu=QIC@w-3iXp!H!)?LN!e` z2*O=pFPK&f)t~xq{;u7~Q)sq*3H@Z!Pd~>lvruy!fuyWaXIc>0{$0kJ)~ExA;$bl! zs^*HPK(la-0e@Meo{B9~_mh;yQB1J_i__uV7j;S>I7@Rqr#mWgP43%#xw;_NFb~4N z>q(uZ!)jLDl2hYlAo2EP0qQwD~rdPJUs|XDV=&pwgSF1#E&TzY3B71 zqLfPv%Y#jF7suSeUF~Usol|oSk|@QQp5E$b=s@nmWYE3Xuz`sg$H)QgfN^+@nA;_2=#m58Aorbk3peW+7hbw zf@IiDgLWg&p%t&|=qHnY`eC_CsCk!q5Ji>~p{htp58r3w0XSoXiWhQE*cPg%U^|-8 zviis>t^QhMb}S)`nRNu!`~w;DPQ6)jp6#(XPjx?RC@0aXeBxQ8zVwckUozxR<_NZ5 zCn{YK300%#jZn-%&lhxvp3w<~wNne7Q?s3CJEs=leyj)6T(l3C0Mr}Jd#LdSdcKmd zf$pJ1eLm6>J&i=}Z}9^vcK;1mqi!EcoDDo@_#f= z*H?W@&yk26M3id+hf*~L4e_~dFy8U=xr;bKX?*VTAc~5>=agn_=VW3#$H|Gu20|j@ zVO)-ghjBT&VO$Q>GKEOyk|5$a0oe#u3yFAqTy78%PbinW3!BPqak)B9Dsrc|+(>Y< zB#(&S1W!JG&7L#xo9;Oczj2v>SPHIMJ3xwWHI|fx}++GNh!3 zr%uDet9S?$ZRfybi!lJByz+~-Z0C$z_X1xgt5KO+34FOPcD8FJVWto z_6){vy5~gv#(B~u=Zx&a+8KqAXwDg61T)5JLhZjtu|arg026qUcXi&3!CaYq!HPOaPdNIE%j5dbiBgE9y z`@)E+J|SYtOht86OkpOdiz$f6j)|!+R%?UlMik%^Q$(&E5L2fSK%ldsM07qe_2j8| z2oY1)Z}*9*o?OiQLgXAGrk=xFgP3}d(;;e+xtJON>LxKkbnVOU7gN_nFQ(1`5hi)^ z@SEVt!LQjf1i$H?lkgko85mAXF_r7>G)A3g22kfDPMw5}9$1%#4C(9s9%4zI12WO(@h1NOEc#{qibl_(sFI9APqSrynB z38<^@HVCLO^vcsIRyl$9_8pjPACukl@ZG4M%m?CQw@<^1&li}$#sNY#6>6q zd`zqPY0N_CHN^(&Cu>dJRuPeQ6QqW;~gT6Ui{%K zB8>z*R66Ds8K!6zKY%vAM{!2!gX9eSX31&z9U}L@Z?=6Nk|%j)QYLuBChl=f^3-h4B;3Y%t_UO9 zN(r5qxWVGWK_giyOKsfNW5;qcsqyTMls7#|#-a9m>9hLT62qbPL@(xQ@y@xK*mZA^ zFC#KzzDY}qD$(8=3sIWZcRt~GauC(^)2WWn#(b;d>c-prgg3B;5#A(A1jX2 z7X3mbCW*{P5#wC>l#rP!UWZY9lC*ume zTd3~tyID>&1a*8a{ahcUlNTZt6}gt^`gf$Hhn-n?AhF5F6K}K`UA6~gP1LLIep?fD zaa2c$s3ZXhQEA1Dt^_l>r;P~+Vj8hUtF-}Q0Pf@Rdn5NRt|v5o<~Iz#00D4o`3>P0MrgafS&z{en3 zqctti+VQo4wDv{-t-aG8TBC*2V7XjR)CRfS6IUjVw-b@IDVMSK!KiI3QQPtSVe%<> zz+shOxm^EWP}?4qYm~Hpx%@Rg&=hkku5HQXMMy&;R+G!mTR zUQ}{=+b#Y=a!?3pk;~~9YW}QpI%}yW1*mW06HwE zZ-OkRIc+1+EEn_#NKRkVgNfkQ<@A*eED@K}56<(G)YdsMk<*1b?;Nfd?m*$7*OXA+ zxf@Ifyz{nO19>MgJ6%pM$5SWd^h?N2a++~Y63>itwkfBfQ8UhY0V3=9Ip<}W;W_8K z-yG(gjB|zv?lXLxGe~gvj?6AiAQ#Rqt+Tn{rnAAx<=O4}TZ|qw<*~Cq_HKFXP>&3w zgcY%RPY&^of4*ZyX5WdTI8P6nCH2tG7n$twnm70Zl@3i`Yy8u|!e*QSAq+uS%i0&; zjCIq!8wE8qI zhC1n-M|U5;Nby`uERP?lG|8no8`Rkyg6Xq=goWvw8Ge`shrp!a;H3`LcTM>EX6W_3 zbwe-?wEDJc^W!U6tv+fSGX>#l3B1V_B2!|rH zk~K3i-z>Qgqt7m)w=mO#BVQ6IbRaztiCUFfZARS-XV1I&o*ZV9k{T7#NsGYIKOq1^ z=d-F~S?|7Ri;;h3VhI5&^*(Znl7F5Gq9P}{k?2X|6J%f4{<1fqbK5R^afiyD8CBV) zL)(CB11k1Wx!qeYcVCRhKTDY!->?ZwMacV2 zpam1opLyr?XTqQ2MwyC)`W}S~zA{zeoGM%l)U1*xwIQccxk`q!r|L$aK5*n~+td;q z8UvPnLIvM`qB{uSBOYaU@5$+00z?%f=7b4@p62Ahi+ ztd9rkbzaikTAg~jPg+eE5w>ES?p43*AZ-6Y=E(S{blgWRp0!D^{^U z9+~b8ST_`$Z$F8B%+o$5;iEdY!p{=kxsq6ddjP&VZYnU@zbUZds67%D*l+}au49Gj zJLoz^o>p*;JfUEkJgh*LGYV$mtjHXp<|}+_5(~QE;{I5>$7YSmy-K?$VBD}6p}otr zs@!SzBf#&$Lefa7H+d3StXS|8H(8IP9H_GOPo(gjezrefoLxJKF4{7!*m`y zI-k}z0?v=S!jJPQmmS7=Ea`k=zX&*g5s2n={@bO8aUM&YPk|A2SQ&a24vKP|S6y-# z=k3Kg?Ulhc%BQ+uD?C7Txftge@Y$!lT&#U&%F9wH{>G2~z>&4-#wvlg{7m1a6_m`XF5R2rc^ z4uIv@QQ4e0O|3~l0>4^ANIX;fs%bX#)vwvWL|h$@6zQ{$5`tsZhblLuPqxu7PaYYu zUrt14@P4@-M-316%l_<_Jvg0)ehxQY?m%boe))9V;eOe_7yf&^xJWFxYW{^n^;>u)4qqu$uf$D3u{@-}BHXcp?nerD&>5hDG4e%) z!{3!B7hEDAQ*fnFjRi1MK?U5r;tKnXX%g0XXkAG?B?EWW^mXzra|^DPuPV4szPR9e z`K*HJ^3eq|nm!7%0Q&QKYeLh{WW-E=2YNA-( zBzG0wba!=@X1_@a6%M9&QqN6dW*kp1 zGzm2l?vydvISrKvds3F;t+ixape)Bp87lr%y6eI!T8XbiJV%MupUPe7KFf22vV6Tt z-;(G#-KuzTnzgR6@RWC--(nXiCj&7NkbB}whBm;5?I|mt-@;s1HrNxenSS(2OF>z7 z;qdnm+;#Z-_V~iO-wSKyf^x~x6sJrbmNm63>!%&dd)WKhT&0;7Ub4!p%KPe= z=g{y{hRS$qMOvdf4%zKm;&)#~V3zmQ;i!l9x!0%-a0K8u+cfWJfzLaSC`)UeO zignD73qL1?bMRBJs+KJ>$1D1of&E8=&z$R{!K03EFAZkMouI*oD?@0ohem@Z=rlML zl&3j5ffcJIj~U<#)nI~uYRXKyt<#kG1`ZXrNtsX7_$c!{oSbcqGG`)XYm{j`@4WwL zGpWQ!o1dh&mo^J;>;!GbPYR(;xeTuo)h}?4?-1dSw>mmag*i_~L4`-59*sY$_qR@k z+iz{13J(N-EG+iX;7X`v?UT`Cr+0z|FRcin!NsE)4c?&B;8}i7cnau|;7=F$NbH6CKw>wWO!Ed< zfDN&6TU-gWk$~F%fy4(Nue(q5(b)z}m)l2Y)z@``&OW#@gwE15Ivc3d*(gv~s2m=K zx0;6dXQsY~=0~Q!F7U?ICiPv60yG8}e{Y-AHyDXqqrL;d>5(>g(W z7flSIy(iAct3-9zDSkP7Xz;jUH%F$jCopellgfUb=c6+F-EC6YN+fQL%8dFPd@{g` z2=g3Sh=7|4e#lZ5Io@D}%?Q2m{DS1jk@ z*&^JwMSC78+_qM`8zWy&4qN8q^CfaRelZi~n-Z7{FGM2Dh0D$cwLLCtr!*>*W#noz9Mz&yaiL9<$@he8cQ``8A!O%118`p~?-T7*)>I zsS>9~IPZhq8}(jJ1E!AIIbND052MLtb+N zljjGeQJW+u!wi2~1|*u7&b*6nP@o3{Wg;g(Vof9F%f2bSf4=N0T1KD5H?mQXVb(kV zCE4a>SLS~#cR?5j(H<|<|6b{o=M81^<{85vk0FQ~d)WJF^X8R&-YnLAtp0vepkg@H zFmV?A6X!(p%_iT>IY4YPiQFq1lD-`kX^eBuot&hP0Ves>xtFFQ03w<@PefWq(KdLQ zM)b~ij-Zfr6EX@Bx--|ROvUvZnnjD3h4CkEr0*419}xOZEAY|xaO|dbmcIW%3pgEJ z{rUTZ5c*zfWAy#$$$qZu3@h<*K<7}Udhg86Q~lAH;IzreA3#MK)!z;qFQ%+Ur21=+ z)=2g5cW;gAb=@I|r+-j+Kxlq@o{#2lgQZMoY5pl%FzP7Hzi>$i&2K1WG=Hg1^M^1` zA1HU8x<}j-1$8f;;iK+FN?X)@JJK4ddwWuA)NRyR_!<=RtK!#O+!Y6e%3nRpN9D)B z?y<8}UVT+3sQmHqAymHjJVxcOWcoRKn00-l=0fZGy5{0r+YiuOu)OcnT=??7QFAHv zYc9+^p{BWntn|CYW#U_;wUGW2q`6#0n#+5nx$FwoT&50#6Y)%}`b*l%zP9+^YZNWs zzYA4Cf~p|isHxiQrM{eyP2V3e@Q7$PUc}<-?*l5 zgkIq~BsbD=W|t5;o+0`56F5bK5v|Uv!_xAAD-Q@Q-*JYIme;0qo|dcr(g|9A`NB|I zwlZ2CsMB)P`vZp-g9R~|@ zzG)acuH^1>FOI@|2F{4h?TnD~O({x9bP|?rMIa0}qL8*>2+Z?!RCz+rK5@85-Uqmc zV^g9ta6gAa+J>8*H_{Q__x>m{g*g|+0iT2H>fhT9ID8}p!SQi4a0KNkd7x9U{{z|8 z-(vuK;)7AZu{as}7<7|}*ChTu!WHog_YC9l2>JB~e*F)>-psFde!Z4oCuvtvV&{uo z;jfNeiSv(=hvSrWHhHH`#*h6-ml&rx{955~caaCshcrYpll#zJ5~2&q$vJQd1}hNL zip3h>;zBdClW~7|s>y_Y_CG67NR7|)hXy{MH7xM?C#Xxt^xt4AV0?ZU6JX=>Mfrix zqelcjcRwfaxv4Pld07#A_KzT&QrI#I(V0h%Qlz9&z{}Z6c>zU0PNz_){V4)+Zy1I5 zlv7~FG`Qk<76Q2oLLkQt-C%QCB}APyRd0~f=MW zie<#nNS-H=+j}f=Vl`NE2V}NS_roG7vs--Z%pd)yCIt&dQjJ&h$tNinB}p|Kgz9fl zzEWC%ZW5}O;~rflRR5dZBn#Cq(aqd~o2%8p_`X{bn~=c_V>rPO*e04?PI!m+GapY z0NseFI%>LMtfq`imZ5zpVlG17^&_Q5%-FJHbXXSU8_M1}cl61}NukOT`>7K<^gcwkBR&Z4}(2q}dvzX-i72!epfc8K<{ zjtaV0D`*?NOSZX`@u<;rluc3Cdu5kRtIE3GZHr%JU9Z9qP?E5ed;n22Z6%(rxk_;^ zEn`7r$&_3+RNx#7TV>@_H4~>blwyP~NPONb+sQ+Q{dy`vQc5M8l4KDUnXSs*q>71E z1u2u{URK2{c^m0{(T;?|1p6*wN!=+_lPiCpMw-IICCXhFn%!OS0mx(|1h@l9s8}PRxtxUN zG7>7*Nk}6f*NpLugx*)X9_95e;}isz#wjQPam>OJ&~1!>U|4)NJ`BhrG}~kGm%npnfrIdF@e8RDB@E{K4KoD5fxjvG?G)yc+Hpn4+UQH*64$p zK%Cf$=^%kb!E5#jU99YTDA2_-FcCe78OIH@W3nG*(7=iNQwBNu#8L)*G3>y~po>cn zYEnA!+76S_0hd9S^g0xHO|JEzCXmFb9VU<{WRT>XmyyPz{`nMMXei=RvK56wdyMA0 zLKQ2;K`SeF2F#3(wI4&f6O(B{oNn5f8=Wc~)U;9*-Q1|h$OBF*EHaiu9SKX9m0>4H zA5CeUUEg0pElCHmGI5wCPV@vJ%B4h5byzUW{g zqVPN`{i@CpkwMb6#k2Mk?VO!-DA3L^g$F&OS<*ETiZ@-~;MZ$myh6{Du*y%@BjH++edpJkv42j_1K^~Qu5a_}0$4tAn?%|_ zvy$zNd<>aL4RGvAhQ$=@ZRBx&TN{L!7}|g>`eMGnbuaC0VKX5e<~#Nt+K!pz8Z+M0 z&A)S{BC3bfBDqS-)XctS%thr>R~8qVJ=m)%9&b~sXx{_2N;bjLzzZ!+uPbj6Yg3wv z%g|bEHI#y!KY!*sQJ-r56%~y(mtGj)h!k{Z$F%yFofGf8+kE-vrXEVb7FgFBQ>BA z(b2~AL-YfsE=W$!Rbiw~;zHhJHrU&j{Gg+b6&og#@2W4qrHRx|46lZ=8II zgfPM9s6+R{0i_9U`4Lm)4-*U(-I;9hb+>2bG9b(3S;m}adKQy?{z5AGMN&SW^E{N} z^*oKqqs=@w9fwYz2b+O{sZ4M2TpavX?jlv-y+|JmLOyntgk|_Jh&Z@sK)BCK@gYH2 zG`)qNCqiY2IaIUbreta7myT71aF59X3ne#cE7hJpQpK2D$5%V?f%H;!;Eugsq_-zv z>3s{CS6b@cD^XTL;j`v@?XdLuMBR<0XHQq$xWTLeM5EdjwG42~Ei=i=Uq|P#8=M$4u^z3U9vz`hL^tvtePK82QD!oy z?Dj0xdbA!?;dzz%^B+|Hv(%qYcY1Wm3}ZXbmEjV6 zkbo~E)g-LIc?!cNxb2UbSAko0JV9J0KG(dG68%P9#fe0+- zxn=A;+Jp@56O>Z`cVx1E$8sgQoA><7F#kI=$MU#eBKIR7%jXZ~{W#7g zKk?+p(0RNc|GVQ*?MK)4Hv6$3G+{O#e;5?QeuP-v?>u=ex{>#2-```vlciK(W{SE1 zMv38h@=h-}>PR&kD~#cJ^1pU6p8Qv0&0%@+9`p}*^4VaUGe|mUxTRt>&Mdv`ug!t#gn_C^Y{oJ^E2zm zQx82o`AJV;Kbk}Jbl^JHM+d~0Gr|x;ijfdn z*O>ROzI-OSocI3x9}d+q{oa2KeMv_l4SmUZ^K%)zFDDJ~^(A<7EXMTy)0wY92lBpr z&2y;srTM!y`|=j3%4}SYzKE=9@aI}sn1Mex_QWMDe?AK< zMbMk4V`|=em#l>_?8~gw)A@3@ZvP&{wjAdLAf7no) zmre`v_Wo*j)!!9kzhhldODe|b0=5`UYnOxNv#|<&7OfB;ML$Q-PbPVAIWcFm=lCUT zG5P2vWGmoFrNu{q5_F@*$3)MElJc44@R;RO*zeK!jl=wJ!dm5Xy(!j901;>F5g4rl7&cG z2T&Z#W@B;DjDxMqXqC|{)GWqZwfZ>L?%rx2&>bhi3I74)&Bi95CKsT|{iq$xb4@S0 z>q-mnCwq=Zi^8=U4K~Y(XtjNVhH+|j9&7aptkr#})qj-~92u4>Mx*ITo(%S+jLyV; z8oL+jM*|5-bf^^R2op(0O!)Wm+Unm&j^+KEg-+$|l)wFx^snEKM0!}-Z5Y7YHX0qr z+x9p3uEDbCpOtnod1#w(Qyaor}Nvlk{&Jw42~- z+r8*G-nP%T{z=*vp6{}~owoRHkE1y4K8%j!?f!Plp+~zJM{?SI4V}u{`Nx-klKyRj zcBM4lwolP*_4e*33kb+|Dn(-nFfKKYeTK-}`>u`uDfLY5n`8|Fr(y`rp>S z|E#wD{n2f$f3Nwz_3x+u*!uS`ero;uyFcSQbK1ybox*3Mvpm<`>x=O38>v6Sr2i-N zLzwrM5&pxx@A+-`_qzz+VbZ@qcnwJe5B#C&B8g4DtS8zzY4C-NBb6FI=K+h+luZLpu#EWnS26`;L4 zJhVB!ii2TMsbsBKM{`W|n_s|~(tKa-`d4+-b`y7Vh*`v?KA&TZFT(s1b}j(zQ}t4; z5Yx7xljcy|7~5|dZCA$RYVg8Kc5jjk(kyX9TX@AM71j=f&pdU?Dyyd~$wFhJf;z815ve~*I>1EreH zG=2xH_=3=Mg(Ovc0>iA8BQb>22^5(5i~$x&fR3ZTUo9 zg*9p71TPRL2w6?J8*i2CHEv*0Miw~sAUf7X@YE;>7FAM?Rg16_hKAy3%4Qn(13vql z8hWf$fnX3?J99y(9;@&BYVA8Dcg+vCWK%P<0-7n*_b9_*4)cPqcq3Pc-Ui7v9*ul= z-a2@OGd6M>tqGBZw~uG=wg&mejIz&Wv85%w&jbc)K%Y$mk?4K4ceB>1`>fA8){d89 z6Jn&jksM3|?L7l$oO(OX+}G{!+g%0GUh;oBMSCmRdWueamwy&adv9U?L8ra*weJTb z?fq|eV4vN)DTH5a-)8KyTX}+gKzoW6Y-)o$0ZYabzi+`Zs_*`L!~Isn{YQrTX1XUk zXd4PB$=P7R^02b0X2UJR#Hu`#d@6aygV)1e8f&wQ_D@6$Kx_i3N$_aAN6@9)Ee!&l~A zTlD*~uk`yAOxAp9dSIfU-KV&(^23wjPWQu;;!g9!lj8p9V?F&{pX&FuoAi5&AD$F< zf*+m~x5*Drin{?59bdgwnB4g8=V3y#bHl*$Z0P0t>Pq8|`D@MQZsIZW?ESd^W6=8Fss4_f05jX?xM-nm<+nEo2YFsI$E zkjzOiQDmq&7F5AeGkFz5O%MIeIJ}7pHPMcvhmoA_Rj+fER3@^U{ z8T`!%yonAk+6sqA(RXMWXc(9L>!mJ zVezv6`PD3#dNI^o2ddyCQ~wS_%>@0;vv?B~YNF#;x$cN~$$CE=z3hLyTmf@NhL;OL z6&x>*uV8qw=xl}J`+nlwBXraeG$FHLH%tx0fr@s zOeA?H(_Pgaa+A^`h^0MMU7)92%~E>eF!CuiojKIgU96{js*?l%OPA{yZi11? zM0+obGmZt`DN11#=B^-(OT8O*hQRjsstSbiCY-Jn^clg^R{jOBA7=TV*Yp3}$oeKQ ze{a;U#oY)5U^=X$SOJsu0v7TDjP*y#pRIA2@70s^{L^`UZLQXE(_rw{P4*e2?!piL z3G&s-y<{!~M2fN{)Cb zN-gr{Y!DYuOopvd^Q(KX!e5%!RFt@Q>y_By;y#GYPUE5v2!Z2b!m>!Xm`ija)SD|E zEhos=`AK80MjCLmnT;>WvnJ@|VbV~7)kly=rK45)cz$8*a8la}P8g$R^l>axwj&XU zOWg}haHNb}%8)V}1QIw_+K-d(A4T#`4$$8t46NE~f1@-|CU2 z&MIOBiHw0$*XJE&Pi=|=W%}2UUNhIN@MN+TByll)P?x|bKa`5^)ZTi*m!e?LCye~E zu`wPsY##ur9JaJrz&08oCm3uq^@5kdY&kM)w;J$vQvlv_^djb=2=Jdv1Mnu)TZ@c{ z>#HHozmyV+xv%Q#&deI9|v;li-19&#k zA@LeTOl?$qJP#A`1wgpLC74DjjUqytI$F##kG3j}R%N}^ zxVwvE>p7CEM}t*K_z?8h?1{H38>;3&n?K2yxW83tkQ!UMh)9ZLD@u{vhNR+-q7i0@ ziQ9odj?0f1F*N8(KZDPe_#~WrtUxHazw_(e{OaV_1^jvwzuv&FSM%$Y{CY9Jmh-EX zu9|GeF0xhGXsKH+DeEnYlqxp5dx$$4!MbUG*)coGBx6UWwHz)*y_AfN2fe2_M> zR#O2Ha`)Fzvr6sd(NW_oA~>d&q$J+66=B+P;Gqnm$f|A{ixt>SLiGb6U_~seX%OyE za4RV{NI70SRYSU)0KgG6rx?a2HWaHYThwC8x@N|y-7rbQiI8#&X|5#{z1HTscM5o> zRf)5?N;A=+pb8=i0dE*l*b__4W~{Nhih=&stY`u!U46BO$>eRypIc^EJR=>YnO=_w z=2K>K-R&>X3Y3(?{wYGCy?lkT^8SMIz@BN(LCRUHUQta-VsMD4FgUtyOKfrU9VQL2 z!qFX={l^kVXQMm=j`CrU5fzTk`!cpTTHX*l99@ICZ!B?i6v{K;sQ;}|;^@RLLU4rX zAdRzICi}*id`s)&>mQg~fp$*!kFS%6#A#%)F@wbe8XIg7sV64++Wn&EBsP8qViOJK zFJcP9_et3Q&Xg83vh-|x?C2WMu5%Vd*{<_H?|i#9fVD*1uJZw>)}PU}>)60{O|FWv zT{Aa#zFoU9>4>&nGrP2}UFRabfe!DS-&(sg-w78&Q-N9Y4zPJk?hRvwnmct?U(H#) zsO;4|W7;yxAi&6PnevIxC1w${BB??J$zC8S4x$~Q9_f^_)W&T+b}To`hz!YI+w!I- z$q>|x`Kyj^b!j9gdW$nX2}F=m{O{f-NqJY}@#iucEo_U&A3>r7rE78{kj2kJR};Tt zzJ{kE45Q|3tG3Wq5;EVoTM-o zEY!p7!LNGuLZN9I;h(^${5XsOQaJf&fuT~R6Us3gI+DW_XN}+PZGzTMBf}XL_l7kg z>vHB=dKwK{8BXUw|FCw}X+H*SJ?GyCysg{K`>CyCUO(V%O=zvHm=A#Uir~E>G2bJ6 z6D@lJbm|rE=`3&SX)K@{DC$D>-x-;cvtk?zp28d!OU~KpEE-w5P5Iec(Sq5Ol??nv zZ9>(HPpHg!o)XcK?Dd=@Wf4j5q*+&flOz;vw<#;t6N~p^uGK{{XS3hwQ1iP~&BjzL z!JO~uA?5GHvR-$uC(fKhEGt`rzf5j-i(o^{Lp(*fVlX~TFp}Y47-xGnWtX*LI|Gp{ za)UrT-E$rT(Lx~F6i7gTxY7m?OI^pDX;W6H^NR?~u97(ozcw?0*_DHNmZzsJe+R%6 zyq&blj2BL7R&q=EdEt+U0KvhZkg^;Qo$4s=xs_UoEZn_cv*gSePCWuz0pE_d;nD$o@nhwVw~0+fS79J#01^N~DU zX3Q}Ay>SjOsSeY!W9r-$vv2`HbXQ9GzuRlsgCpN$Pb#VTR*ttg2L-nn?I7mD+?k3K z*xq6^?H*OJHK^U||IgQMCCjR;Ma$23WmJ0R0d`C@b-hAw`-Rl-p`Ysl#BTAo-htA1 z>q{cE9&0JQ^*?Ub%g|BaSQ%%{|4pcwi#-cJ9=g>0AjdgjN*>tn!B~J9+XxfJ+^kdy zI!Z+&*m@Cc>ctaGRVLGloCd;^W5l&T#zSqw7VlbD5l`P87G{)C9MnL`3L!#fDoF!p7RieLH+!IT_pyl$9e znxvW^?7gHKFa7MWr{!#R(=r%d$UX2v?yC7LiObonCZdFz&GMTT1vRX}!bx=o#y!~j zr#37)O$U3UNjjFSEQp~;Q*JQZnI~gFn$=70-0O9;?6se(HV`&)kJlKG`YN6*&TRK} z;6@}%ha%ld%UND5p6<0DDdl_YY3dzX4*Mx;wU*kGj;IAkt?bGYrK;EAZIkJEK%&+^ zftBnyWh2S1@yZI~XJw=)@`;i-0Y3i2^6_yR;!1LUFk;P?H!Wj2P}hUi(2r^uhZ-2_ zKEV^At~a3$KRfLGMdb@O)-M?Dx-qoT>v+6YR|Df6M4gADZlqd+LUh#4!jlnoE07NJ z*=e)(8gO@kmc^c>N?LNyK;Z6Zq&tmLrK+dnHAmi@$0H#Ra$t%!)f6uyY3Po>f3Fw3 z-aY7UcGdQR;PPb@9KsYJ%#M5(@#&#N2~+$uF_F=PI@+}ti>)`suZ(B?m#+Q`DAhpl zbXT8b4-D1Y9%EyeD#m`3`_c!rIv>1;T^a3bvl>uhR5d?&hgNf?GoKott`0NSe3D-C zbY3$PhuRcltyRI&@S;^*a3D@Bo^axHZO}e zvGtj*i^;OalbGKm*qWq@<~Ol)W^yL}hLtV#HK++Wt0ZUQkMxvBHRKKW8u#|ov}7aR z!-J%JpgMgi-=UO(mU1zrOeEQCmlTiWI%EDS+7CKoA}&_f`E#&C141=#mETHd-o7JVM%U-Yt$@{L=u@YL@iX@3$ ze=^%2%W0r7o*hA_R&c(r=cmo6X==lGDIOT-dvEEg8yHZNcB1KNCo9X`JXPq--TFDcx1H ztV9^u>^d(UFL2~h7`ZyD5erR#c@@fI#Oz9Zup!P=v?HO=ET@2)5!{JLxky+9Vg|J% z-C|M#EAyLYoWOHT^5?)5&6lI3E`d%dHLP$yv4cBJ(a};eZRFcVlrwD|mul@Uy;x-RqH^1lm_t z1xld}8!+~*kfh33NG!*jxoD9Id|deihbYw7KyXTn+lhDLQfjQtHDW$?0xK_B$KH4U4PIO?kAp+;?( zg0=bL>LxMR5F3It7R(tjRcrxtSK@>Wpc`=IMvTac#0zk-xrVXGJh|5VFNNw_>PA4$ z^b4gwfj`gyeqST_M=T-AW^+ktP6^8sI0;miF1e&6bs4Ir@qls2 z(@8ubt^q0S#5E~p8|l_l|7hu8@r4~k8sjvMefLV7cIT5@+STS1(TUa+CI|g#34xe! ziD@VX>HLXWEl){yr~Z$KB-w4k6_<;#K*?mFlH~pwBVQZ$<1V~Nn>m(&M9%(%nD#DE z$zZwzm3U?{YV40W9s)o$$Q1^{xX4HtI$fh**%XxKk-3a8Fnz={l1&|PfE?3Cv<6d2 zWhADYm_}+dR(RAaS*QLD9mfPi{+IC7hoMLVu>hQrIDfQHGd6^wyx&`KyKdXd$7| z-LvW|a~+dwyz7#{lH_Pxh-XnNQaE&yiE`Nia&*kWvEXTqQqiZjz${XjNuFs^`>r zZ-LgkM!g4z$&_Xbjp|R-oBuGG@>}F?+a0B;DWoa&Qi@?r69@L0xZP2ay2r1@=q?<& zy)hSQ-GJKkOWhU>eRVQMHI~8#vNF1(40t$LqYh*hs&js3`d&g#1J-sB`<0Qx+E>i( zWMpOb=)~$I5|drk-!bkzHl;jOSnw%2FphQLnZJ%utrP9cw&PXa(E=oEbrT3@Sq9hzG~BbCesqqgPduqa4*oa!jmB`W_(jw zXH{0I*AWYK#?v}qvif(VRxp=ivLECezRVehGM9i8hm`q=vCNX-GKo)v$a%cCY>{Tm zIBC6$&~v=n56QWDas|rPI!PiqTZVRG-vKL|@}{ccCix?r%C`4Z|ASU(89W;pV$}J2 zp*oO32DCgRc!woO15BP*$T~XRWT7xjAChu?AA)~jft2A=^Y%db)ca8aGwD!&{hb)( z3inL(KaCeZ>{^UyHu3kjfc8L9Wu{v0he>_t?x05S;tZDv? z9vH06}~O2P=MB!lXzRM*V-~lNiG3fRG@w(yOpkH znkxmo>w^Lrk4ScZ|C`tA#)>=PKwMl1T)KZ|v`x$AOx4NR?4vx^k-gMWfYfzGKhWKS zkSd<^0IGW(nI$J%UGAz5A{t8577n;9cHbLN*D8z|jW2|+>nk8xt1BzCuG>k_`s%7j z%AmT42Nr@e^vp0bjYn&be+1Pa2Peq)!P1G7l!M7SKJaQxcDP!~gyBb9)xAI}TCm1)K#o=aK+`xN zB^n?k{CG%6pP``KRo(bMp!+Lz$gfQ6S)<~FDb#AJ>qNX#nmo-|L!c?DkDggImP;k4gTJ!UduxN z!QB}Jg!H_p4PXwX)`v#@*r%h-|Aj&O0pmxSf;Jnk0x?7Kis@*PbgxIzRB#E>y>vZF z*PDWMCg?w?gUSrMJ;l_ApCu(zQr=UCqDv*^!X!)GcAC5n_Z%rHuteys?pa}2@IOLw zG-3K6RDum`fiR%;x{t-W_th0FJNBS_WDbT_D1jG9BrRwwis>%1;k1l2V(>?Uwm?j! zulmOwdjGpLLL5qSHd>fZ!$LgMn4nB#YD&botxTcNlnH27qtew|Xw)%vL6a45azPY{ zcxD^qWK50i1F%HZOT8Br`DDiC+d-amCJfR5=7qMb#$pgcQl;oLk8)Y#DxvRT_h_5h zuA&fo3d=u+@*hw9b}0lJx4#6^P*qQ=3bXG9`!SWyBh`})HQmsznm(rN+kghGqGh0E zf13bjxMsaYsktajFjNNC+Y6?WY~ce9*-j1VQd#2cYty^pD|6}b; z;G?Rp$3IyHl0bX`je>wg2^x)PG%krFbp{f70~3WR)w-f+YU@VB4B$$_B+Bp{wN|b6 zXMZkT)YjJ8g(YrT1VY%c3TRc3s&5=c5M>cz{@-)odoz;|w*LNnG;iL0_nv$1x#!+{ z?m6e4OD6NiBofcl+Ls(W%HOxq=+@+O(y+J}M@WabwUq|eU&_+_D;!ir=`kG?^5pDB|VgDQ?nIF z^H1mG*nNM4y~JEwl)S1^mS%4aVg#$A?l;UpgqsV|!(;i&z$RK-s|{_WkT{Kg=r_Iz zcs`qcf;O~DMm3_q3cs;9QFt9hYiiN8i$BDP2pjUWO#x$}TxRL{C`eelFM|X1(vP&c z1h_gXYj)qP*#&yko8jkv%h2a~=^npl@AT&ahN>1EWOinVqZ3y{{8~1tLU!@})jgfT zB1S=QP@uF^n~TzDZr^^s+1dSObCmCg7DQ8JCcp1epD4;3z8KHm6~dnNPY5L5wT;CE zq|_K2YYa@{uq5go8DE9wYA9-V%CV?ZVmi}(4O*B_Yp}ecJkSRC+t6+BrR>UE{sN9VvZ ztMt;hwYhn-Gkvpj{D~GnA=N{l2&zDorkrSjImK!~4Pb`W7|Ux)S3bPI{-rP?s45(r zCUm%Wgwy&&@PvS|lEQ+?{>y*hH+IxMtb2A(EAnT32$N1_{}0fm3h1L2&`U5-#b%LJ$t4W`AawJp0B1^s9D6?6_WM_L2XanAin!OU)q&h-`CsU{l-dk)OzVs z*h}}I@~5xwE)96ToLU%&(7o`j>Rz3ga>A7~Q44>CycaOyu^V`jFtw1G0ZxcmoZw^y zh!%cJW!)3AbY&LL>xMlB40}wVXOb}jE2*)d8xN>)C*Iya{}JAi4R6W7^j%|FX=ELj zJ@t;(7E)#BYrQvhs^6SVR^m^M(IM)kaA(4ltvxe@Y~j-6Ba|-Iz*maavKoJVB zKbU1pT*0@V!9foQ`u8jojkPwCJbbh({wd)m2QqbM;2xkk6CxK?)kjR z__j(L^Rraf6ba+vJuc4 zC8su?rJLhrfG~IFXDAKR)EX9?3seq0vD}|n?t25GxO}rSp}tM? znyhyNh>Jz6OyU-d4QVslk+Ps02=4Yy2xu@15*1xXy8$hf0& zSjFgart=*;Vt-e~55ljG>^udDbq3xfQ;IBpMYXJ07Bl!(VcFA#WlxbMagyw_N3sSb zf_V%9xXvR;9jA~I@yz_mEQgQ1vhQahy}NjPfM2qZ!q#x}QuCruWy8RlUlcG_)W|-8 zsd$C?swfAo-A)BLXi9vpGp&OFcq3lhEpQq#s(42;uu!9 z2m3RJ)Ho|ACw(upUp;YdEQk6;74Qx5z7(D*da0cdic~*5 zPJ43o@TYstO9|l2rk12!^Batm)(|Mz(s2DzLwCxj(FNOG*}=h9I_ge+@RkPsC|5Sz z=aog-6~B^itP43p{gDV^<`f8sguzz&M1F~pzfZ#bHU?GMcAsZM5-47V0?ejI&->zlAfVM2;kZha@X&^HsoFa z`DEr(TRtnFvEGbJrZti&ESXe12wA^mUr7DojWaF#h46Qp8>Q5uPu^AjzVUfXsf)86!xFCtg_b~dfC5FHoQAG} zz$=tnY7ROO6nl;Dkw#xfZ&x%r8QL`LQDo`^Q?mn|F{~|Kf|F*(y}8U0ccNm64`kXZ zG-s}da8_1}a39Jf)zvs}6HfJIvhADOoVFKPSc|-Nh;;i~vaC&Wf^{W~j`EfYE(Q`~ zDJxR=IYo8`w#6|jLY~zL@Jm-*u1~_V`(ZsR+5Z7v|0F!PR(b?SvO{g#yR8mgxLQHV z)*O1-Unk4T>_*vshhFxYWZBECdf#CdIK=)qAz4-?2I_tC(93?>;y;b%TF>5*2_U_|Wtw*wCdeI|I-c>ndW_y+^cm}eHngotd0#gjR zQrQSAP>xEV<`k^>kmwlOH&*7!$obMTCYO{$a{H)3S)B4NlpmR_IMrM_1%2U|m4 zG3-jS1mq7|-?l$E^{G+^tncYI+UIfF=cB%GLQOW_E|bkl^Dii$Rn1ty(pp+&iAevFNHc9;mLzes57Xyea!2b&Zy~lDzZD>rP*)0l(6`%Bk%@ zymOLWTf-(*>VSRuc1wEOLQZ``$4qlG*5ZSS|V#%1X1| zsqH{*8)w(nut}9VVB2;eo27W<$=A|&q`>U&)OMhL`{1`u+X@cSHls^jBhu^2G5>(b zc~Cn3JXu%HLFyXXrLNXj)7q6`o_8p9xs!Ee9Hg$lzmeW&6P>!6)x@~cT(-k**@61( zSI;?fiz=1gXGmQ*7`L=bu&Ab%;E}bS%n)`8@$+lTRLaXw_@vFtD{XC$eKkF47qabo zi5g>Fz*r+YC8hG^&zfMFdE2zqR%vdK*5`coMdMkvH$@!{P+^py`{bBJezHpx~pt2T0; zH1RhIkXAb?a`%M2c;AhW-HcR1b!L0W-j&71lagjf#QuSM7XEvJ<*Bj>;m;aEU;IK! z*rtN@Q}Or}6){2;@w`Rk6(jVL;Ck8<{FfB%C1#KK2ZD|D^9|i@V7qvLNdpPh)kFI} zj}Pybo@^d|mj99cPd2do(>|@~PLQ|TcwywyAMdS>jvueIY|7~JA$_2>o-v(#dURF` z%W6EQG7oty+*Y6y#b_H$pi4w@d$bYzATcAj+iXp7G1i_rN-CXU%7%)T*Pb_ zLpg{v{($VVX){`hwj|Z~fs|h_xXJ}hP z1;&&XoedS3l3Ic{H&kF6Z3$l0P(l8dU`;~>=G&Iw4;m^kx}t_?sKCO`)ej97 z|H$Oouc6|fJdL#>Z!@r5@pGDitdbYGwCH5jwkKCLSBgjv}GK#VxO&&_K zWpwee5ht_-SpYNth8qIJ3HF1%bHgL^UdeK01hdoQbs6}#|I!cfXo+= zh5$T?_dVE<{Nm8M-27TW4vj@|WT$MfQV5+`P=x16wD2P_(~^Og*RTHzum!P5is1XD!tWb ztXklOO5u+$DDC83R7Qd8a$h~$6&cWJHY=R0E^Q)I|=##-#>e0hq@FKT!3ZB{4c%F4MfXDhVr zUEUJ&!ADUa=V>yg4KSxbLuY}Qf2*v1vE%t}W}hOxI^;>JvN#XpBHeU0SNrP5+2{Qk z@OwKvfbaX%(n zB3A8)`?+^~PTk4&fgPH64W z-Fu6oJ2&nM$c+?FkR0YV{%q<)7Ok}fA}Pqe{lw#0Da}4MdVlxjO2LF{IdRn6GED| z@k{UA6TI4^3-!d}___WBK40$#d(Y`TJ4;WrYj2!OGCW>2LJTB?sp|TjkKV@Z!NEWY z{ncB)w+voI_`=Hi=#rZ|S?DKO&y(v4VcYLcPw~{PI zq~89>ae|ybkzK4bm`J5=@+Dg4X!X0U3Vu_+>x9r*jcp+++>Toe9!>R?CxqNIGoD+% zhC~{&XtfzHNOTAWy%uF%MJqs>QTT@Wt?<2e0<^*-=J-&*>c%Aq-*5S}M^Og1X2ys56YBg- zAK6IwBFJqmxH_>wwknBz2>C+`2|7zB@i#ZL0HH6~hn!RP#wEJm;9ENp zt?^x{D^&oqLaRWG$B{m?#`%0zEM=poC$fC%e4nu>j{M)6nP?%bQEqLuXJv2;f0uQ;OXQI z^;KvUOFM$cRnr*-RtdY=ln?}Bx2S#*P`*f+4N7&E;LT}?Gr?K9sz7>afUJQ<;vZ6i z4NJxu*OR#Sq9PH$H2M9V_1iwDX8Enj+KRFYkL>PGOE)j>ff!(R{1jq^hw;DC$anen z{sF$d+4Y;m`?hS>xgw+X(bLVGkL0)i7x{qyk)zPCq@ITT?mTTgyR>uLP5Y<8+5>!hwd*&LzqL1(n13x% zMq4{l-m+yPo7?r_EUEqt6<2FcWQ}B{W&`8ju?3U*)YJ9Wjaj(MAf2@8J68EUtl`|jZE^pV`uZ#Y(fZO zEj*URC0+cO%k8-=g|DL5LHu|?9)~V|e2EfgU-4s`l2VoUF~GbYWM1vda4lbgyYDSO z!QbX*&}V<5$o~LQi6TcUQ3RCwfl|bs#ozKJ@t>v(AuIda3nCUiB#HuHBb&$qXJ+%; z*oz;)f#i~x(ZYz#j7SqH{39>sa*%aEw5s2TB-mNI2qpWM1+~VD)BE8kP~Y-Aer2-i zhcoy}7d+2;oYn=2!d~ps=z|MDfd&`IxKCa)(52urrigp@nZVZK#Wwsd+dY! zjnB#)5V4=g>jjcodiLH*i|yo zvKrN&pWzDakPS#yN7bB+YJwB9=N9D_dt{%nI(}j;w)q|kBHZ-#$=<%NPu6fmh>Tjo z0EJdb>HX;`@M0<7E`BD9d~=SD7uSCWU~~go6+USlHb%aRv%m=7z(7`uZ%#qun$SAX zQ>VGjx3EfE#1GyQFn0Rp^g>p=Ru3i>nO&T4vc}K@jt_}A@2~nSTL)&Yj*NiZGuSo+vuW%h?7DSYt~zC-lNJXnw*%T$^WcIqb4-*J2Z(+ zLg0^{bzA)RLX`U%IuPPtBsxUt;P;^u<-}`*D5CTAq!?dB8(V01% zW|RT-g;adKU5hv=NcA`+oZpYA-!;iYR_~rI ze3W|sc!e}p1!=bDv`l6YOGicEW|dYOK7W)ev|aWKU1(Coh1t-NE%fntr;6abvb{N=GWCTj4KWdL#@9AI?MkYDJJMPH;K<(`r0So7Fpl= zh>T)?v-dGwWcCZL7RnCef3@KEk5PY4(QVB6wB$&Kz_cef$KaE8yxc z^zs(T00VM|J>1QYvhp?jwV5*N(fd$F<$Oxv$a?PsFyR}gk&592(awcnlRi}w4I>UpR-)I-geq@8p3 zll6>UTbSI7b?J-0U)i-UWFIE~Tk_T?$YPE>BXXH76Wxb(lJSyjhAb7h$XLyiRdu>u z_La1y*uhgP1g>?0sF!M)Pka!JI8@6wUvs{C+}-y;k~72*$dR|6{vQ>?wJV zx+{4Xx?4{R|B;f1N<_XJX#W=3tdQS!Tbj4qZFvzeHa?r5p;*M7kcZ93Ha#T8hPT@O zE%09Fw+-)I2i}MjZT=uxBkt$rVZn=yCL8ld?0M^%T4Kz9Vm|}j%wLf?IwWk>qHERb zyk{onWSw6$Jr^B*|*Uq+3(W;AMmNtenLNj^_b%oif9{bIw;#$Qie4b0D&UC6lz26e;N#% zIGS?^ZQn8AaN7Ro$5h)-p@RQEZMWy?q^*lFP*hF~*zfexT{2sT7xy;4)my*H!iK49 zWA?DB1&*y!-PXBcpOjyfg*rHx4Abi`9G@xg0mwDLB^7C=xSpQnk!lHhEXWcP=mR z%6QiEEa8bCB=%aK*{)`^fY0Q0@3qZ#u?e)jM`qcvmzr{iA`lQdl!yurcwcUUkYR& z<6Sb11iG<~A1|OELVa_jIXRideCd*;z@_)BnN6tZ&!^U0jgC3wZ)Oc@3Tyokf&y`Xs?wj)6YU zyP>N3CH13cQ*5k}y>`^1s+P)(c-cN_neoB(8)vF~@&2i=eWgTeC9%^&#IT}*_`vE$ z^_xoL`M&zy87OBnTt2NzSr?E)q&1@BWL;JEK=$f4Ko+sFU1dKnm8XpF?&p7Tf8Q`p z1)%Az+zN8dFUMrK9wtW1kbrT7eRSgy%>NY4HUHK}tY@Q( zEKl=32w##T*Zdmy4!qZ4#S8|X*7$doU-F4JdT<1m+&|URC#9`Sf}^x~M`e_@g~atB zlby^L4Anl$9CyF_TWpTH!OQ zm2=@>*5P;ff(nu9bbLv+BwVmYX7}dVvRX;c@p~8;NjX%>boK`Z`5PKh-n2S~0yUXNCs2@gWym2=jkVgADJxO~J@&98l4=E9U znG-jt`!g*@5Mr?&@fC@FIxSd`tP6I`A?NAX9QOC#J^fJXaA0K1}Bq%pv+ujKD1t; z=%y~&p~%i94ZY_>y+YEUc!@ZPIR0xG=}&##Z>$9y>R-N4{C< z_KX5PWcY=o^ZX$7T_<=qGe;V}c&aFVP)i0pq?QbGmb>TmqOCxvn_4gC?YmywMdJ^? zUMzf+wyCv%H3Jm-+e?P|1ZN)Y>HLn-^0Ui&F=@N|XAQDm;G1GCZqfWx*cX`BsbcQq zWRH+sFUrU&&?EWhfRtJ=0r7BTtMlJ-kzU?y~!4EPQ3x9KFRh>a?v-w-` zyZPsL6^C=S?~)u2EdyLa%KpkqC1f>Pnnj}r&~;+5W|Ug$r!K=_5p%iCM;vselJ&BS zS7Ezy%^C|*o&wVID8EmY7e468_DDK=5BvZ9j5UXc)%@@$kvjG>KRk4RZ&SN|Q}T5e zoei{<;5fn27UkYnYVR$0m`$9DhhyJr<_wp4tCD#{Pme?&{SmPXkX<`P#W?yMMQPT2 z%V?-5n$m*pGrQc*;z@tna!So3?7;%YzeR*sBf2I!uAnA5I!DI3KYGak8S4J%xE%9s zw&iN{CD*3(y$mz-I<@K8YM$^Kiq|jMXxykr!}TCvTUkO#gJ}N1iR@v3S5y_PCNSk% zabt?)LDgtjPBlrkA!OTrsh!O?Uz%=boFo~ow%y|RHz>YQn(A9p&TkLts(tqQnZ(i2 zRpa^Qo8L)wqRNYz?{LVwn#eU(l^*5KwMXy`drk|T5r~e?#8;pqcv3Ti93-QHWL0!* z!d&&XkX&nuN#?4^>*#u1@iw24i2arnVkC}6cYO|ONmRT$y;}J9l4^8BFY~IyqRY*P zYyd9^fbibaC@Nd@_(kDFMreQ(ni?ei+Td+eTTiCwWf#Ox2qzE_`B*UZvRbT!_*3jX zH59NBQ%F*YTrW_jz=vuigVuN=LJ9e`#v%OhN3Y4mza(1NcnMTyIv#u;gIpR@&DWGx zSd0NM(Igq0RuoI<96-mEbTT|iRv~Ae=PcmpTf`%}UgTIj?dm_y-2UF6CE?wP;5n=| zmEqkP!J_c)Ou|r%rGxAfjK5^&r_T5gZX4VqH|2F?Rz(zuc<*rj!w5ME?l4TvL9#~R z5!m<=Bw@&CjY4mBxmqI%T$f@O*4?V8ey>)5fuWyED;QhAQ!mg8MiueHTSQ8kq?D23 zl@u>2<0WN0DU&2+QcYGXiBtSp1f}bzGZYEs@t4DZs2iik`y<}*a)i`8*P~`p%y_aU z;+G4vpuuSTITNoHuft17a z(QPS@>c`8xz+`fH^_(45v+sseiK#2$9x4LSdLmj?ntW8 z!z*av-tvS$vAA|r<@tAow)-0rLh`8r<(m6eP3c?OJh@fjC|7Bx?DATyT^@Y5N>Prf zk(`0jmi=XWk!)r&yxG`-dvHA-m@>@GNtWX8jwX(aRg=p3HtX|R0(IRE72|I624o&4 z`zs`e@+p^t`W%l(kr{mkBq4ZWQEg@R&#@7T2Uj54B*|7Z0K$*dMEjm&p0qMa)$2jU zADx*I+W;-BDq)_VJtjR3*@IVBM{5{-w+JNIuQ|KGRV4GnKk$&}a}Ex~Wz6aB`7x$Q zLgCWzNN)=>P!)WHfxdt=wD>hL_RsW;c<3njG1{{>OI8K#LfiXx43 zNYmyu)$>4Ks5MF`pMcRcTP1hc(UvC=U3qo*yHE)G>|?X|L=a_(!aSDr&hV~a=v2}h z_erk}9aS5C{XWtwLV04=)f(%0vC~F``iW6kK2=rzS?~znSYv!rjmut%oMO9Nt;-TR zaJ((z1R#cPb}qLXyNwbAM~Ur5UF}-{nK1`+C8O12=1)0vaLA;*#fJVz;OSQ1N{3ff zo;oG8-RfmM`q(pk#h`kQY#nv;a#Y1tbC|WsRvIjJ*cla|3KaJARTo-cB=!za}L@gtH{48BD}qB zlz_7KA5)Ii3R3)_XtFSoVA1s%on|~K=&m_>^1(V&7{meg({QCpk!)H zWqL?5mB9FtY0KRLNsRHRNv}<2iX#jb=G;POK=-paDJM=7A_6Wo(JP4r5-c;u^<`2w z7l9_FkEexIk(2aDFI@sfF`4YqBNswgl#Ac$hAFWVmzp=yt31hKUU8QETxkl=$*1qA zT$Yxv)pMb>Mjp^XmYLyRe-(=gAxlI{h0C36=k@5_#WU#t@Zz1yv>LN4`tM>X7MF|@ z{-y>-zeKx-sKa-E3`bQEU8e`V!#5+9$i!Zq=n>T51pY)0 zyG6Hm1Lid%v_wbziSNh`za!mmyd%+Fp8cye5sMgJV_a4QD6X~EIhv%+V@>H>P(@&U zYx!Ohiqpvw9H+!*yk*s_RdM^>JFskc;Q%VUSOH#v7Y*VBo0Wi3<1#-MgX}OXr>P||4y-fOSC|*5vik*HWPJv7_iC9_)VI+$33!3c|G=JH61zc7 z+sN=Yq-6NX9>tJKcO?F$DyAIgTpGS8U^wfB`@>pBtRE^)@qmD5=e=^H1qV$F$5Fpr-Q=fnYvcBj$ol$(-(A_Y~7YqvlOfq zrwRmp=?oF{d*vbM6UFN$d2e`2dMzb!U)|2cv0CjWeDlKsLB>=d`arP~)a8Vp&NidS zQk*U|-`NImCgT6)mYhIzdI|mOY6>ND6%p3vzId2FhXB zm8M^+A>HjWzKqj6&OwA1vGH@?`-%jks$ks2N@X8vER2=&G=uqj68ne^ODlTjOSUen zWF$6xQO2ABfBxVGn?IY1Xga(ZnEWy76m#y?klonH>^McCpVofaH%*cy!)dzt0pVU% z&{O2Xa}=0=OXp6~TQ>TLSbQxfV^TNy0AK9tQ~DVOPgiuo)e#n?!rf(5H)YE5!< zQiME0LPy51z`pA@9x?&tGaA=+@T?ruH+a0?e(@2*F!F#(m!qF(-NN6w@BUYOD199~ z)<1cblhGf!UkW>!k)PdK(=4fKOkZv{xf9}+(HxnnulI5A6~^;LC(J^UEh4$xcB{IX zjhV3m(C677niG8Gq~-CfVBXB|u9CDsqe-)6Z68N}IPj{P~FB(M0DB_6dJ?MzHUEDcr7lvsb7c)>F zn`95v>SGW{QyRGS<|QYJ2JXv1^u{-R#-3_pk1rZRWt+&>!uLvtqxA}M^KxOk*P54a z#vISS#rA`%t~~WZd`fBPPCaWc-klfvBiY5M-;St8Ns!|YzcnBnqq(Ikf_dRxX9V-B za7^#xiH48i13x{XXPzAah|M8SAvvmVwYNJ zsJ54y9|2C%l=?q9@iR#i2}#m^YvoJC3b3u=~c&bQt< zi{gws3r>*qI9Ecj^EgI0`l&37qc@NaM@zS+bF}bGMflEw%wTWIAOWLP9xEm{e`-lg`M=uOL9U?uzk!)7L6~^!*}ImX-y9(?8?g%u;p3znjc3cG&pIs zo~_e4S-*lsMd!LQ*`P4CuH&>H?4MP)+G;|yUKP($jWj2|t|<89=#+_i^mS>S7~fZ- z^2}hW{nbcLosUJjU~DSNa3tO$%h^`q@#&36M%P6~hq~55L3R5;_inl1jO1FZVt=F> zzbo{kX4!(PhL4km|AaS~?*gB)J%Ug#5VCuL>HkvmFE}ZKo9Z3!G)#K{hxCDgvg3_^XZ!t*VHZ<(%X^A@ou7}c;b3*tfZ zB}gzu;t=QgsE+8@X_j-S;)RtZ4m;5mK27e4@TuNUoo85ey1La#C#yQc8>N%eD_nWN z3Yj;rzKeM?X~4VvMtNhSpC7u$HsBTUL(SRv*BS0vGvrOp-@7uV6`CJHD_hro(&?72 zJ?H-XtH_0sU#9J4NWl}N5Or<6!g|K6XJ>3aU9ZNY+78R0EK*Jz;)79DqSP)cO+$Ea zC!K#EDY8vZIp*xIY>rcQDC?psJ9gi)j6Ig2p8YoD-W3adHAeTFPqt~veC~d3JFJr5~#M3-#9Bcq*>bjomma?vy);viMcCQ$nI1hkXw{ z4a%Jr=G7d?!Ej`3F>i+dIIWCMHF{UJPhDMP=c!EQ8Dr(q8avgTS9mShp~(KwA052c zFBfSq^_MO|^zN;<#MEDJP^yqVVctC0dMo#gAmD^rE1G zjCWri#;zPfX^M33xj_p>^_|$`*vep{5jS%PGHLteccFQJ@+gN7IX@T zju|x{Kg9jQ{#76nbyt0zOvZM^d})8U`<ZfxkBE5Chur? zU6?HX?T;WPAiDT5dHW-yP0Zf|lqif1+{FG}#Li_r_U{6omz$*+ZkSIbC^u{u%7*Mr zoZLfSnSr+1aKAhe^3WJ*M#M)0m|sQLC%ZaF+2^%&Z>CZlTl%*xsPIfxE#lV((c_`$ zBOt7KuNZv7a+MeJ^b#Rh#6317_cb_jIt_ZV4u=mpbk6VJ%kN42c5ZZ#oa#;oCQ0*6 z>|gc=C*ARJ7_#kB>Dr~{kxa$%d|nL0Jii)gJ@0C!0^WP)?6qK6K6>R#V!t_xExZFK z|ChLyr0Md9;)q{Q5{`uH8JN0fX|S((Z7Fp`hTKHDLI+SX*^~9^AozRbGyePh=2lNX z50`nWmA2<6Ds7}n8(^hvwbC~7Al8bcg@^xJUeakm@ASKr^$o_$<%t_cmv}JAxHa9! zn=E>qoU|g?NGy}}UhVNk)47mqM6R^Q$V%I}!3d?|<B+pF|dqW)5 zla-Mv04=^;^8z#DD5dICODh4N5qHx_cMKlDzh^W{U=@JonI#ISCw+-!tsmKflFmAx zk0f+R@phtxzahR8?D9AM^k4&>I}Ng z5x-1w6nnHW7E~`#W!a6rERY#10{eNK?(7cH!#K#n(4r;OwQ8UE2dg}ZaU?|Zy^oYm*n0C_$tc0A+(Zo^@0}{|DAv3yaGwy1j)M2H%I0OoW6zo>e4;SZ z6?d5%8T$|0{L12yb`?w2>nhD>7;C8ie0Lvj>_Nrd9IbAy=}Vl6_N^EHm7X z|1b-ui#FemRl_=~hP71nX|0O58%VU;pJh3B1oIZ)*UTKj>vs2be9jD>vfvn!5`_V! zNeT8|(3{ugCtKl!nhRYnuP>@+nlI9x1#~rj4B6_g=f7rbZ_N%3ZtMsiy}dOvm@BUL zuKH=Y?F~#-1h{5v)h;;(Zg0&94wEeX_4#CxfAz!?o2D`I=uW7Fnei{kFRq= z;VlpsDaJ()X+7-6xC8}-H6dUn5QT3}tQwWE@g7mzH$hfg^gWdYHMSB);c9_kE+OW) zmivV17?oHKu=AKZe@Y-n!&APUOFb^Air$vvkB-Sep=M-hb1OJiEULN^J;Lqb@34IR z@DFMWw$ZE2U1*r$<(c04#0ah0jE;Hdg*~zX%<|5WQc{4UyuKZazJfAZ)00pjI%d`R zxzlsK+8c|*Evw?gqGO&uf1vaJV*JSHm^V}JOXAeH5Tf*+pGVpF1VGPWgRZl{^ofpo z;f0Tar_&-OO8K%%MWFHI;Zts z&{weT&CruRu{1~j&z;#KRl)Gcb=xBLf@@s-WS9st!c{{JpOfTBWk z1N5`I|K#Ht0{6K0I|RP1l_79}&-g-|yk@YE9m*icjI$(hXB%^BOQt%r&Xsvw_h!EL z3pEBlW(+J^u!p@hV&sa<+VE}$!j|ahcWRqjL;0zql$!r(t|;?56AKE+-aHA#xbIcA zE{N(|_>BUiJ~>jZ%M@dg=Y4I~JO(XL&znkkp>|(sd+b?B@T}Lu_p2Z8X|o>X$AX^$ zg5;@rWGiip-6bD=o^{%+Y4Y_u`>O?{C3cnddA&AELfI~u0%lU!`rH~r;NhLZmHe2$ zMSWd2H6PF;q!BSrg1Q#eG9(3&S+W2{eR&kHYHt+>8P|eOo$uf9W__>Q5Y?xtG8w{nLtu6a#GKc)D0{Tl3L-U7Lf`G78DHNLuo4~{Boxcisg|y|5$od5$yZD z%7>7fa6`qg30^zV2~XpoGcAw1(WhY(YK!+(x1?|2mh^B7r}Le;?I$pcZ~jLBA}jz? z92fOzOmVe7vYg*#k_)%)ZT=9Y0yn)Pkfa~4E zjK{*c-S?U>r0-4PNN%EK0<>7~1>pjl^_Kcdm&P8E1fS>MT6n7U>mzMem|ycP=36KH zL&lZL8mgFD(L|JiQ62tJ+_|*0BgQ!y*Zf+Gt+ZJp>{#F74K>kN@fHx@OQtd==rbpGTUz=xY3YAVOTSS1*y1xFJ)HLC z)MSaeyRAC4Sp!rWe73IcCMPXhAXt31uI`6U>SnlQzQt$j>dtpk*O3aJMJJqCTiT|$ z?0D!}+8Hl&_-rcoLqOkZ8 zpJtkxs)|`%4&hZGTqNs2jB&2CFfMb}9Ziqq84G2>+AIqepjPhqfCX!N@T7wmR14Oj zWLp%7vP<_HSK`iaGtW(Gq2hw6{l!h$M^vjAoTOmGu}rY5VC(&eYBiJ6M78~hX=8Ur0L-rm|N?f0yi);qjBJD$sL?d7d{7CNw$B-^vBHk016QSV?`I6PVHpRh6J zXgsKv;dsDy>JIaC1yA@JP#GciS1S_no0X__T2gk}ul$$VXT+~Ml-x{8@^5DRG*v^E zzT?AWvGnoOMF3R(XI%v}TQ=he%f511!xzucntesHYI@qH+=HyNv6ESSdSv+-<`q{f z(abNR*=xm50PbMY+4-{%S2|nVSiBCvQxIC_i)16d5hB4TVU3sKExah9jhB+zKH#8) zH{MR2!dq2zd_BL*WWBKjI^NEjB5w<1rQ@yQQ{H%Eyz!lbW z{3`2t>3i1m@*+)rzv>k0IZ4(N^4~Dldfp@}3GcUjZat@npu&4lq?4p*8OT(NIHKhr zm}H#wU5SqTma@8c7cGA#AC+i%qkQcyT8^_mBNtvMpSz2evanMc*jTY$ z3oO~vkv!XC`SMu=0DS!U@s#QmOY)RniG4{Q;fz}(XwLeCms(s7iygUB6u^8fQC}C^ zUr(+3n6xsLCa0OD#94JKNUKn3Pupqd*EN&oRcVHuR#o>0(sa`5?viqWy2p7RFYh}(R{ zdr+Ho3O||X_9sd5X@8RBIg+3x$=j@7NRqN;*+-JRP7-B%q?kg~WtNmAJuZ?Y2lUb;$%^Fn zlq6Z4N=r(T1*AF5RX11m(+a#e3JLX#>z*SGE`kpo9y_(}LDJwN(pEcMWJ!{w!%3ts za5%~Cahz^c`m+uixNy6Yqj?&@Ww zO_H=4NrSt-MqUIa+_kQ*QqthA4MD~{)!9$WDSt`3qkcgVWb3}qX zBfNrzQ-sLm!nwj(IAeO&=Uq0wu^njwq&0uDo9-q2hkqL2-6Q{I#?Mgou%dpDUXo)3JqxM2u`m#Qs`wdN(W4wGPS}`GisS+b@!b`@3L2k0 z-z(g}eW{#W?l3=!D^rQG%^XVpdE!xStEDnR z#g~a`sr!4sIho>@7wN~he%d^a#4$oi#t-?&OVlTtOJY^GhRw3}s895k*4t&giPqA3JGY&=nX=7g zl&j@v-mL$X=_b7EJejmwQO-noZ(ud!2K zYqmDdq{;$or~V;2o=q}o;(lwVJ>sMtmrT=U-AQYmbaBwN@@lgry0(+P8N{7*S*Dt; zO*GK|mG-49t%UeoIVIHg*T&{|Y3VM3WNo5>G$-xLr%YB>-F4F(C~H(2o9NEE>zy=i zze+S)o9NEEfRp-yq*|Nk&bo7))JIhL6Ct>>i5?WYmo$3|-J#8z!kfLo4#Ovq?Q?Xj zQq|;!cMY7TESvm@j$-%R7BqtGf+GqRZ+m6xK?B~mohrM zjJRjpZ^R}edDZmCwL@G=URx>I&rM~oPi0p&A&G+!I?60e<+z3%>9?I&ylv>3hYKy%bNjr}(j!FDZVMH;blq@22>1d@8ji#g7VEj{MlFYL0O^Y;k*2JY|afwy|hTX7h9 zUqhC2;KJhktF6_BHZmfZQcG8hz4T{0TE%c19HPz5I4?Vo_yCDkf1)G!Lu9~K9cq>R=wD13L{y`5AmhANrBwO0p~kb1nsJn4`Z=`6ArU@euqBDx}8nTP4)^dm!NpnLk{T62p&H zneF=BzvIAK`TLme&tk5qxRIj*!zW1>7?j%K-&b~>=GIwV;4j_(F*cseXuM-BJUB!Sb9_Q5H9M~=%u>Ky>F_pS)XGJ-?p z&yk!k!03_<{_!K{i)BA?H|aew}6HeFKvOdVzA@AusDGPC|-g>6}e_E@{) zE)nZP&G1R=?|hW!mG*PAm0sQgBHE)Z34EmX{rwoJ+#e0TgXK>@LAsYhx?SOHuM5_p z1)CR*A>Y&6Fhb?=INH1_3r81(6bbXl+a7e1_UsYY-_f^&Pb{#aocYZBb>HG7YQg_N* zK21fIQ--lVQMlkM@gRG3Cxn)D77xgk97;(Pz9{L;VQ0#^UBNeWNpk3XJm;-sRW6ed z0whk7ml8S7LiD*r;hhTHRh%zH@hYLF@arQUt^7|0eC-H0I1#^BJ^E5{fjI0ne6aJtvg3#2-Q(cegJ_ubYSiZ#AnJBzgKmc9G&xfDP z76o`Z^p&VAy>aEM|Bx0LQ6YvL@mR3>dje8CRV>tE8(!i!ref0BgqNzEF^}ZG7_j`q zmz)Z#a2cHY2@=E)R4#;*Imvt#=Ok%uZ{4VuaVnE59hB6ITb(1E!KIm204b~tF_YV( zRJoB(IbfV2tT3sHgL>@vi-Z-_^?8ZHHFp1d#YaN74lslzf)u{Lr-2$pF#b^>P+quw zoWju0O>)M&a`h+Bb`S638k1WXqC8>Bm#fMQElyN&Q0i za}vj>?>7{8DI}ANf>&a@TYd0_3hU8Z#WF~`TOE__YQf!#J7m!nB?{NYrRO`EC0R(w zg7h28;jikhDHVV1^t);*3j=aJAj8vGkWUZ{W6QK35Ep@tL!` zCh}{$hgh6wGp@eT{9pBzGghmsxWvtq7cAv4VAiVe&JlHAM}1$0clMj!Yd+g6S9?Qi z6==?v?Ok}+5kBq0mUf>})tarwB4g0HBbH;Be;Tg(HN@FOcLL1i#;2CzNQL=`e25PD zj5OhwY!1B^VX>PISRzO&M@d#q8QhAmCa1xfmxQCZOMM@m_WhU6_agN@*?w`@%`=ae z&B*AZ<3mg>t;}SnOfm5;*mh7-sM4+MCv=Wg_H7|0qe)Cqq=I&*$NGtnCr)*Iqtt`{r87vX%F4}WdybU5EF|!%@ z$CAuE0B?c$F=jiIz%e^f*cRguW{0_()=BhE)pAF^lQRb4T^pvK5B1bmOy^{BywH3^ z1rP}i7l+{cj!-N;kSgY}h!A9?d`+V8i_fiz?_cqJ^Kz=P0!pOXh#uk4eEtqaH@9hR z*Rd&6=z(;FufBKi{BnL$N$}7nd?nc76CxvHo3rsFg9 z5a6fhFYf_`C|?Nb~^5#eROzjop+e|*Afp8E>6zVJ<%o|pUZlH-=(b%VQ6b< z4|%)unUh^~(z`!AI4G}WXFyY_aL;fypbqGUSPv3ZO+@0*w*2H1*!OFwT z-}?~8U^+gx_W-|3TOC5u*3muWJy5?Md6@afy?bz4I_L;3|9+T!7VaT`m$o{Dp{+mp z_rAF7FR!uY(DP~sgX=U999SUs8KYfrNXt9#{X@@d94v1d9WFkMv0(h`AULGK-SNRe z@}{+|{9tg?@;-eSaHpo_6?rV}{21%Sc!}bIm%O?nK!QPu;TUC-)_6KUycMT}`mx+= zjU~L*Mox|u@kA<=jYOHb?7Y2*4OPVz4Kw*|;$i&V6%rNzyDX=ab5!#b5JT^4uAC=|EUigmdz%kp1jH`9*mVlk#YU2( zM@Bq(f!uM>-EBK;#X+VAW1`ecuv>B=xHd;Di@!!Vvn>}~A2RhLu~(Zuz#0SM z9z8r?*uxdNRhw5`VIPfeopzyIfze;?L(GS_M1);wp7@{d6K1ZUBOMSKP=C)(mz<5N z*iGx}CJ}}UL72_1K$$*U-7gOErj&(KxjaCQ~&_=ECXLSZV95$=3a0NLM*rIz{<;tB74mA5g zag2&>-BDB8<_~Y!5XfrrL+Qa5ErYo!T1xYZ{50=BG`n9sr@m5wYn2vn1D2@46iFWd ztFF}Rj?uVi-@F5%^p7M;kPfW2*jNp;$QX3UC@2*ON}nl|`ht?y_;X=#u3;qktJn?l zlGTYswQqg?Qi)q|-?2hZJX$S2?F4zn4<`~!YXU&D#y^u(z6K{Pt?@a2N_PqH&9O&S zL(_Q|HmMo(eqh)-|LS;+=WW>cz4A41@8!b1M~I(Sl1aX{I^6GB8k&f?Lzi>prJSAH zutCpig=@Tm@DS;Sw^~D?^nUQu4}1)5l3@|g<8ng4l9zODm6@GX!=e5x98gfv2H z^wL{SL%xiiDSa31JAv^K@U#XC1nB}HU<>qb4M9L_RKR$IWOF%#MFy-IECJY*Z}3No z_u*}LpN?lN@g0|G^<7f{6llq@H3h?HmD7aBkk6{#8j;`Hb$6e+mIQ`z{Jq7$I_CGR zX6$uJ@AuUOeR_Xi7CrADKeI2L6Af>!#L{*Jx+hC z)reW1D1-kEU4771jmnQ1m8;`NS=}0Rx>YJI5Tbszf1=8mQ8VS?&^5`3|7W^FQz32I z)U~&vG+(&)cDOB=DRYGNJEVTwi%;5bE8WVo zRz_{Rm1nK8AqwXT4DGTO)|umuO0C!)zM7Mcq_(xu|H;3|;#x|8LZ4l-Fec zn``#ZA#?@dMUL%O8a(z>|5H|Z75NA-a>orpdZ`+Iyl*SA?ABC zmCuR2g?$QfX#cUfobO$qV$#}wneMQY_Qgcu$Q2n_9<8A6${?HkCf#-Ve}pc>7&*#1 zXK-oj@Hi!ySDbsoh#&O|RwrdI6<;o4w`4aBN$V#3OxzbU6-hU_&37zIkGfOq=TaUx zuiMXmDtI<5hjnEw1trCfv9Q~+mm3nciFg?W>Tmzp%~m?F9GHbR%6vxOU@V+jjcT~HgDE#BDn z&o;oJqbgGQ!p}S-J}*xArRXTE&J#D-ftE&o4~4Cu==%m{%2vg?1ZIj#e*91HjF9_P zEZy38JyIi~*4OETSf>?5c5{gB1VLPpY6)RNL1j+fI5~+o^eCNvi$p_-VJF5IVrH+i(65pBRvnu<;-j8 zn6HbY3~EEw9$|bL-N!ojHJH7Gkl1?vU>SwrQ1PE|LRysx!$k|1d2LlQG8QiTG{e=km*tDo zyRaDn^6{{=sdJ4OkPHe7bta@bwB)TU*|D-Gz zij=7P?i`xP63|ComEtxBbF5E~JZ+VGpYDUKcdwG7X*3nT)BN)&DdfvDb552@T0#V_ zh3X}ak8Az_JI5*JrzHYGb?Oi!-$gof8Ysm8|BBU(<^&ODtd-4{Khpbc*kb9og}w1P zQ@u9S{DlH4WM`_86QWbg36UP3V&p$fF4b>y$-?K)(z@)j0m5bXNDkHGA?dOQ$wwco z{5M_JEM10*U$~AgyM&zNxJ6ZFciE8)6S6-;cHP(^y>=tm={r6W$LL{;g3NZR1CzaH zhW^2tYV{rM2c%GLkhww}-YmLU1LdChtw#QaUN-tW_ze0trJ?@>r<#rYHzbEDr_f(X zKJY0J^a%_1w)uuCDCj>*PSF3es%WWj+*0#W1~l0>z7P5sV_2|Jb&5n`uK2rLI=j!9 zd48eL-VZ2;_Js;wPqZKAAb+01p$qNb$5qV8&rrxGhf9C*fz2ggW6?fC6%^#xx)t(U zP82HHwExvkg?zCfZ_z#mb{4^%4(Kv&zK|94Y?^GY8qVVDo&`|hmTV3W6`BPiYSPo< zkFFfEVotO`k*S2we<=Cst-j_u%7^oPygSho$&(n~Z;|+nCx#yn9?A#R8Kds!her<4!Nb*}nye-a;F$+%V75 zhp}644a#vDeF4qlpQgSIYYp{MUR$i@Ywjr27ceRCFNc9IUu3y!*IPd?-?1kAaYnc^ zQ#Ld*&$pTvpz9(w=9R?6yt%+1nK~eKH%R!4DMn*)2W5%c-qcbx`xII#F_(=;i#L!; zu*~@ca`ziC&A$_4qxtK>dlS(yee}s4Isvb_|8E`lWJT{e0XM*3;ujH{mqLR5KAcG6S-=lvA9JlGgeg1zNNSfI~``zr!zL=Dv*7IS&-m6R!HL87&*#^{wM)lmDiy*!g^#KSByL zEx99SHsQ&z1RXJ_QDx@7nvAnDUQf`URodJQK6Rcj}vKIjHtVLNUou_Bukn8r%Stu(TAx3pO*0Yf@$K{(% zyujnM`=WrZ*5}eiIv<#;cty) zb9G6}_jjz2ThC^U>0TzhGiMr+EHC2LunfZDHNWst2r~2|kX-yrzh@=aq}1=M47uyu z&f{`MuJ@bWFP^p6$IUnQ4y-a3`{uAGU15A=KD-D&;;d~JJ*q2C4`|hUeJ%fS`|95s zUp@Pzn&`!u)GQr4Tsj#mUg>gFMt2YzZMlvz`F&=6;H8 zrFV(diG7+r?saFr-qwE2o`ItWtW!-Ia3U-8B#HFDsZg!I&pHY_Fbjyx828^ zcnTOV70-q)%3|MGTrVUdDy`aMeODEonCVZnMJHwiJgcyTwh_Iy!<;r)g)z z-VsD%W-ItE*JKb|{!8uY7VdH36H{M6^73Lqo#qz2c zK45R6{xyX?Nc}_6F?e$Mn(z-sXpgq(S!b_x9ljRlm$YG;GdoY4Yte~-_rKW49Fz5)9^RUvXRX&u zcQf(mVXjVy9(6htf5$Zcq)uNqiK;2hAVa6rbSRVYYtfHriUvp;@b3mt?}URaq@$$RmTWtIEJUZfD54 zxotZcs$8S9!><+BQ)Oo8sQSt>9AcsqIO)jfa+zP>yeE zBoH8Bf)WiP5;ZCs(P&T;5_Bd^kma!TY z?GmcA<8YaDf00M#&gEeuC8>0cB2n~GZt;n2P?Ik!<;ZebDKe$e-3kG+Axsfb*U)26 ztRvX9Z{fKWx{^f`JQX_^sOb#60*c#_c_`g(#XT*ZL)4i?#$Z+7EH0qka!;!D_ zIv{tMt5DO_S7tNkIB!&}@tSL$KW*`ZGudo6*Em*9C5LtEGeU0s4{D<#^r!LbfUd)W zpJl9gU9olHtT;MJ4>88-^wzEslE@apX?*>)%#57zB2#{+<&Fp170#+5bQotVS@CiO zN1(vEd_&T5?CIBqf=3>M!xEdUe~3HI`#w{X&Kla^%)3zVV7J?!8+QLK*p)FatNQeJ z34{9=*3rX7&yv`=GTYhsAum32z$?N{(0R==t|sWbvr#kT&jVO77lHV5&Uo;n%HbF{Dn8{$}}pv<|-m|jhE@F#UD- zt-sZq!Xt>;N+}wVu%&S3nVK&TM%>N@2^|%TWI7u@V?5%{H$(m$9*i8}Y>$#O+lxreePLiW&MqP+sL@UoAb_?qRcQ+lQ*WPfl?*E3s=;DCLHfvT5 zhfF$`>}s`go=x|Ukjk7*gJt4XMN&(|seW#>koChYj6JJM?!G)@dcHcz`p*zC5{DX& zwLN~eijCIOlCO3fuUybE!1|e_?KlVHix#h$`94fYN7MnWYpyEq>8MP1-ug~d zR3$NgsZ?^MUE}fcnu4L?1`jvbirH?FFkyw(b(rjP#6A&E z+rm308R46XikvHI7~k90adv~bY@o5##AGU5_;IvoX^gNi(Zb*);F>E4wPb@e|3vQl z;s-{<$o2+iaF>p-)+OSxIPg(%U=&wSHZGyPE}RuFx8+dICEK-paWNMTLc_$6GKjPz zBBsLlBg5PX{nK=eOB$4%5aQ)r(k;ZR(E8OHaa$6$*7~d+e>drzv_>~X#3&oo`&9h^ ztI4@!qcxZcol78p>#VJOb}ng;ZpQEVF^+?@6A=qhY0peIT?N`-k~1bzn#U)b3DOKa zY1Co53lz1*2l|G*bZ67ugo^_$ny?(qaK0qAN48AK9^x-fQbQD8Q$|QcNzo1IvXc)e z+k4C%dg?xU>dIuhgF-KIJuqjpg>rlvAHi`E`6Ck|Jb>umg$LZWq+s7&RyM>9|<&*Ls=PHSBQf*(o2EmDwYN2hy2Iswjm0GK^Rljy1u&R5hP{3x_GJjI32 z4**VOryaa8Fa6e`Ocgj?c08MCmmrnH)kLUv2N6QSkagBb24=QLav4bEZH*t1hip7C zb2snG5IgVSnslQ)_YbJh#9)ORV3yh6*YZ98Vf}s2cG*Xcg<$61#TO-4F34x}@+cjetQN^|ZUWOB@sU&)sx?SA*ll}cRzMsMOSXO%` z61s`QpKC#+6R6#}c*^j*WS2$j%&|_D{+!66qMR&9a_Qy1Vs8Yxe*Mvey*U9}W;5>;;?0G!JO< zYz7fmBeYRhh6KM%5Bx@au>~5vcca_!%f=^L^p5?HS1v5+WRM&LK#(HUaI364RuRlK zN3Kc~44x0hC>u^$V}t8`AC%Qc#5%mq^Fi5SuH@|GhDe~yor&qo1kll(WdiAF)-nM# z`s(L}AXyxqPz$ldvB4)E$3VtxUt?G3e5r%&?}IVH?u@`dX}}ddE!gcKmOt;=(c{!7 zE@Ay(3=51&&f1%f02E$z2y1*myNd%n|Fv;HV|K8ITlB`NTuQutlW;I{g$johLnt2L z(DZN_3}Kq}EF!qlcM*7sP!oEOeX9?>S~xd z6{0^GZ0!-@Yp|$-KiuWA_}etr*qrSO{dK^RE9|zF!PRytG!*SPk+Y0FUtz~OXCmQr zw<$3!LU*_!@t-~aLB*D{XRou)MM1-`k2K8O`Cu0Qvnoy-e*6MsQZ`3(t^8F7y3jKJ zSrficMAPhmug48s>@Q@hw{~#7mAMAt^iyCw`SQu9=}td3DhrmYU2LGwBy0X>pJ(Xn zu9mp~W^soXXY$gOzEIYqRIW7I5bMPiys6Rx5KWt6TDAT`!gOjXlBl^ZNUaPkg!hevp_Hahr?yGhwe0&UyuWko&jRBQzJg zhg;++vVZFQXH@lpyTTL{ShK|)Y`|jTKr8{qPg!s2CL@#|gaRw5#PW?l3aoRVld_@Q z8%WTDqVJFJ4M&XlJWVC7_dM;Bvbyc-Ro+w||Khc(1-W1=oI8M~@$tvOKU;`@{+9n$ zt(NLmzZL@t4NAt+0aX+m>)b2fOHW%ym~Gg{tn+whr#zoWq&y2wf%IQVI-&C={U*L)hb4WqPG6+cZ~Lp0XqG!I{j%$-%pz|_CHCw5FW}uq0@iCBl4b|{+y&| z>-0x-`cEbO6+8V`k}gas<-5;=x*9)hgS6jk{C2v6A5l;H!taUHbdl~Q;d?fgEs;fb z`lHhRp*p>hchKu@9+8=;<%#Q?QeMr^1Uvm!DL-7NU!%*{N%>KB`cEWXjsdj4NT=T+ z>H9gu$oN${>e;^O;D0i`;K1}(?DUY-KSHMmbp7+B{wM5o)jtdlr2gx5y6WE|JN;%U zFDyUlGj;mqQhuhLuGUwfPETE56H?QUJ}`Zhq}ykOo9w_kiTfnE#aWCEu-b0eqKZ!V z-NpN2=2>3z@jZnv4q)SYmtZSInsGM#mh{MD{PCK9*i(O779tMAT<>0*#+r!b-~KE! zrd8TgWBF%1BMx;x2)H>)qT*T4TzQnS6G~V$ava_NAM~5GwP00&G)Sl^;`<~BWKN4xEoO(D}8u1`A z_U(hz68%W{FMW1Q!sbGE{5q;akBRu>jGtb#FIHoI=rt{$`Pmfn-kugfL!6qs|H&31 zf@5TP<`$!LGaHOt9J$u0c-z_VLjccFOpGvAMkLr|O~q@@hV4Mm3;@K(JL3Qz%5{y- zhCc{=f6bp7^TkdLU-Y7J_>Pp(Y4}bfPSI~Qe5=AUUJ&IeDwS}4{R%)Cov0vuqW*Nz z8|k#P!Fp4F)d1#0EPov`2I><4Gr+%I$O#i>ieT$UZVEOddIHofZRk}VA=)5OzRlV@ubFc1L3&%Hw?CNI{+4s?|*nKGG4BS4D zlkWdqaiM+BS|K-vs!Nu;y%n3{YyY@Eo^P-Huj8oM&)WYw4wA&$zf*Na%!2}~{qo-& zu=YP82AXxAyYJdxvYF50_2)Q5So2Vop@oH`PlCG~o>a&?cshj!& zQr|vmI7oeCzpK7Xsn2F6zZU!s=YPY)`oqENdyg?6w10V0pUr%x>Hh7P`YtVXOhxbSVs3jx*YQ_W|mfuH&1TyP1x1smhG7JD;E{ z9m8Xpl(&|5YY3k2v!(MM@WNJuaCbX$VwaNO6Z=3uCuAeMiwX_7JV(fTi|Tn-0nOAF z_$Lr8db-+Vt+C*g*+H$;FD0l=MC}qvt-&tlk)V3l{7U+mRAotcIigzZkT_r`6l1mE+db(mG@$-eb! z-d1ySoOPMq3A`Q>i|1h(s4N}kanmo;)8cYes@Y7@_&MPfUCmFWntZCE0!EV)FF7@( zmS0m#ygzFB{Y2`q&l8JuJ(o*8>-QW`&w!MACaZcBF2zOBbjn8s@LA#fQmTlbLQdtQ zbqCccd8YI%JC?tkdnTd-V)=uqN0WDksccL7!B1Dp91fB`D*W8@x&mGo4|QO%j*vE} zo_$!O3p2@tF3`9s0U9+55;if3f2T=DPS*JMznr1W4k_g+T9AT#b{Ivm%OyU%bhr0@ ztabNt9_Fkq-LcO{H|rk$h=;WZQIvEpzATq9a4XYPV)g@gGw{}qIjHeg>QQ5^)iqwt zW0@SHtmCCxI8SQMW8v6{dl{8S567bNT@X#JC_ACT?!T)Sr>KH5q~d6q)NdcM#^@$b zbQ_z#v64G@m7TR6Xq$1*vvS(i%fRDFVI>VQAQ zg{d;%@(2-N0Le*PNSpCVL(BAUChe3bq{;p!Es4Ka1%`7QrAG>XZg9>$XqqiKU9GCM?7bd+$zv{fP?N#b+L8kwDFq)r;KkCNw0BbV5X z;5#m@B>_h7&-kG+|JgjG_wJ$#G03u-Cl>maMkoLx-C|DZ} z9e57WxE^uC^_zPc#tT$z?qV3f)D1n!W0@R?t?{%btf%?5xk2WFVZcYtroCvEH7ZY! z!qpeE`@zT5{q96*Md9P&y1fEvPY&4D+TD82|G(~ctpFju-%X&E@3Y@6`X4>ESu(cN zttAD21$2)nt9*=v@=f02Qh@oqTRm!HQY&|``F1RSymTYWde^CIw$aswRUEIp<~C}* zg7PvmSyNT@yQtnL)r%0pdRppbE{;MHEX*ga1WM{1H!25nH`06Sh`R-I`|Lg540rL8x3jzUmwsGzUz(^=xCWwURjZCTXi~b1AMC8Udb` zw{ZS5Jd}jPS|efA8C;(>dmhz5JFv}hcAF{t^z~AkEf2XwH*hfz>t?&|p~>C;X{lEz zDWZP0m$;>@Eh{-qmpxs|o@SS2@y^j@5Jsoq0z@Epm*iKp>{F@bXkZ9fw@UHda$5ky zI_y9yb1cHLe@$ZyNUuIHWnH}J6593+4DDx2^AoEI{G z!NYo-%=B8);%)y^Cx0Tzi*)jCNoL2AuD!35Kak|hb#k%v+?Ku`u6te}JwHb$-z3Sl z@N|YwzC@A>b@Km8vMu|3R44zBB&X}-rzP3m)E?By4@vSzU#OnPB-tkNQJws`B(KuR zX{$-L1&{Jw#x2QD>Ev$S6`5vW|J2E!NOGf2-YdzrSW>=I`crvuMu}WSmN>ovL8pMo zmQa6-=#;Gccvux=6SO@ymcI~pb1j|l6AUZ&3@KsDoR8K(Jw|{!NS6?!sa47uE6%4> zQa*ktm9SaaDAH!^LCOWbz)u(z(3h5xvlKV`z{o zMn!0&exuX6t>yXX;PJ`JjCsV|Bda-HDA-yO%YX4fng85CJon4bfEs4jHS#-H)Wr=B z(R=in;1_fRZjvezMj;{#6}uLi9e{m-(3&$eg%c+yua=wI|xd|qQXoACsMZNrvdQ=LZ%lItwQYvTB+1wL3MyQ)x(HS|J z77Avd;@@H|&rT;i8x4X5S@JR)1KPfk_i)dk?=!f|V2d(0QFPEc71N%6?HabM6X*)+ zp>k!xitR$yb71{}I$9zHZZij4*UiUcU+e{Hv(b&>p)2Zq)`REEj5K8%GhA$AS~@+O z%F_KsR`qSdG^3J#`6sMPxx3;h>rYQfqeOh(biX*8Tdn+VPm_aHa9zxFT3^saTr$W! zh^^0e`08JvrAJC3}TD!^zqgMx7wW^NT-3e2;h#g z_Ws81_6XhW!O3oSB>e`_-;SmKqQ{*ukEe}7Wk&7h;NG41dEBXWuv2{b7b%rq=F$Q(V? zx*^e!^_O31^QoW;N1UW_OnbMlmI)KAy^E%0GOI{$7(QUG(9KJH;c+eA)_nse zn++f4y)Yncvgz45hDu(I<^PcGh}{DwpP}k!tfxK^3wCaFs4k6Fmu~Te7Cq0upNZ?< zc{!nre($Z=?+l&+IfEjbGapmNDWU2wn}@nzm4( ztTFFxm-fBp-YMbCU7oTF%g*)>;by!T!;fVx{1+C+&ilTgqA6y>r;^iWRxj}tw^cb` z^6fnPT<40H%cnmyAk7_XuQtE*6n|Dz`(6!~Sl)jfjD%=paB;$jv3j7dxMNy)I1GBt zKqA<2_g+=AXV}>|8&$l$@H56$-T1{F+$mBsu!i|^aK3!Y`ZYoPNwI4g4RSqDu`h=5 zXNUAd*K%&tg}cs{I7iK<=&hX6_^+F??xW^!vzg4B`Zj8(Z!eYZUK+SGci!U#vOv?AXf5=Dq*W zn6eQ-RW*6Ql-iY85-r@pLUB8`QJtskqWiT6$Ml2;M|EtsGq0KzR`dLB=diSp!A4Ot zT9}j_Hw%;Uc#%tBviLP20SR>%5mKwowP+jfr~;Yx)DS$-eA6BL=Q&Ji z#-4iL&Iy@}LS6ccJy{46R{gX3Mfaygj-`rNezE>iHuL_-A^bk5P7e1R?9jM$HIyEb zFeH0nI*f`p=T>{dvvZwG&Jr8qB?HpAZL%$JVsK(+MqRLHaA3IG++aN^pWS>P7MqwE zg9iz=6Y_2U+`&=!zTY?Lh%8D)W*>_B8l5F|zzd7CTTG!*yB*cdAE8-nU^5|ZC`q6E zl+6V*Y)rC^aAgbI9v6*wm8C73VCA;T(6rHGaG5YAX#p{SlMF=MIuc7k%(j)uzOQ>s zEPp>xk)09q%#64ZCQP(T7$;>EsOWye?tJNVju+Of`S5ndJ0SZ*+ikMnP~;+oJ&2u% zZO9GHSLT7aUw?w`RQ6^Ejy*f$TaeH6t1U=vJ-&+7bAN1LC+{*q>7wQVSS?l#4h)J- z%5HPy;)tW%W{q$|(K)mMb35nlcuZT?PB8)yIBliy)EDK%@}CFRjOq~Kh|(uzR;-%i zr0O}3McLery+?0uoFDF0ofeE9dZWIoMuvxZWFf}-CCV%k>u;NX?gN9%aH-HR7>tjN z+WHO(gPmyS|2+(x!Mm8P1RPFtF2U!t4fN_79LNh!%Fa;Y-ntOt=~Z|JIOHKfIok%x z+7zG|HdKtw-zt*gcvmauWBCs={C+^wB%sN@yC2Yeb^UjNM)M$X*eIp$(%E##stm;8 z^Vw?&_{<_j;Ru|`%4(c?G>&ZIP$2NBaqO(Y+fOV2HK*b;uhwYdsHtd!sdom&Aw}4y z>DX1w9qU|zTDTn$bq@~YEEj2bT?n4PMI0xTHEQ_YqAo10(527WAmGurLQR*~61IPF zJ}GV$qJI&E4RWV(swL2)_txXzT-+X-CoASrWiguEE$S4L|O1b6KCe<&*B3m3I`P0u%JRh^z4aIfb=j*4$& zQ`(5tLgF)i2P=Obuh;q+uQU~PR-0`oyeZ*kZcy>9v$j#xY>$q#=IT6_nJo6kPc?fB z<2gel-Ln)GN*YqAJvWsH)e*=Ur^uyiKg9Fb+3>Rr0IB>fhS@Egs9I2d7jtwA5kHx{ zoJPXA7k;EhSz~_gZQakXD_bU;IgzSne|LHK+*oD${6TKBZOe=9`?@4#wb24?6 zc1{f!odqYh$!G5IR_vSm19RpZZs>?}Nk<)Fg)H$naW1LZS%;h2>5z}m%s1598L3E% zwS#0$WJo_mHrY3n!E{DV#n*F(ME@Gg|70;JTfNDAUj@~#Hn9jN@Dr$QzG1zC>>rLH z&76@Pc~p;J&kg}Wj)0)MY|%8AbHxVf_32^?J_0lEz^%QjcnH2O`nTTS9>d5W`b_U{ z*P`Z*KBQm*!}&&O3wUN9XWoYKCH57k(%;=Buwom@FR^<)bDMB9o8V@u*}VAIY88^> zO2WN!az829ofQ~qefvlPjW?-R;Rhq_@K@Gsen(#6jVU`)4UO6D^mLWE{8{zq9N`~r ztxzSzRKj|QSJprzOn$Tafh~4thul=*#&^R#<{tNO=mT;6@2MIN=@A)?j^QL{L)il~ zA+j}T6K)l$8$`Z#tdhS4+cAn+z269*{3T40v*BUYztLi+H9u60KHS)B#I+uiFNtMl0I5ITha;zOzW&#sV{VtTq$-uAC!s&&oJc{AUvCr zV91yUMasyUggx`}!Na}gMeb71oje@xl|=U^$GeX>E52vObvQUg%J~T);CA3`W(|8c zBQ504Y|e-dfG2i0r&SjEJ6Axl(kid?kE)#G&#Rp8Y&@S2?dkY9KxW(BnJoXb=%DuW zLA-=+$)sTQ>1$l4$Er`?g3Ifl)7=D$cQ#a!>UOTk4t8JQy#F^8aW>q|-(aNB*)W{6 zU}T8jE330I7%A`{7mN(XBeXly+4wPu)eT#mjUP$&A$ifuoy&^{M&9R_>3G)VY+Nhf zJ6sWY;$9nB&ePQpb2dsqTGQcLlJ06~b2dtw!5uwA+CmPKAObt~1v@g?6eBoR==$%H z3_}Xt^tgFTq+WhSF7#g;j12W(V0UbYzc?5fV0UZ^9Wx!y5Ag3+g^W8p}&idfkQlHqn(Yiz}qHf zr>om9bWj8Y@+!?QKg^(SJeg2ZT#e#?% zt^eJpyiW!I`9q?v6{3S6!`5Vmdy^T4MMtl&&A*l>Gu)^%96=3v$fVAawp*LirR|26 z2o`}cYu^Jx{?uk!eZMRcQ4b4f;&n}Ay~*pbvR z$-f)k_DcWJ{GH=Jguh_*oPMx6S7S9uPGXwWz@&WPXo36nfu+~v9F^UgzWy5KpHxLOAKK?agGlR5A9acAT z=qRjbaz(Ju0AhtdZufbZ`v}1bB;K!=*8VsBsu4f1L6Jv;C=u=V_4H<_pS_cbZ+ucW-M z|0bEIHRb)U@-CW>G1cavYH8;X4?K@KNQAv(B6lN^kv;oh>AMF@x|#m0%kLm+JR4Xj zUF#2>%TF9AZ}sETR8m_83Bf^m!uRy~Rw&=h^yT8p+PG5X9K)!zk+~R1$ZH6X+%*tLy zZ7{4Pjm>C2|9#))aR~Uo_ALYU2#%k=eT?LaKK*BX6Mi?<@6pz&4Zo~^o!ZW=oH51U zJXNPQ$chMU-xeKeHHG3w4y`zQk$U=Ux!~}3=+15wfo4$qJ03)LCUz9?>j+Y>qBq~I zIU{O5I{(RZ&-wyx#n$O5<(R1FL??FQ4_S9S2hmkccNEvpl~W@x7pjh4_)_G9og4v_ zEk!Vv9vI|mSlR*259C&K2MRmu>v<>Qh!vS>d#IyKwEoTyqhgi+NC@~Qc^9SQopaT+ zA)>m5w>a@DiSy)rbaVOE;q*F)sN>W`@1uULqr2vkd+Jz8MWPv?P~xhU?PmnyHNqvy3OAMR4XW@Rmyw|Beuw=SZ>V}VTI-oBEb^H8YiUCe5yM3s$2C6YbhP0s&OP`398N)D-RlED zEO9Bf1A8?Nx&1An2gDB6SBpK^sKHe3HCNY|`;kq1TVn$d%D9({&4+=OZ;F|TWr0t$ zd-oQ}%%iIC=XlBv5ohk5Wtq{e`m1-AeLFdPat6W+3B@Z4y;H$Kck_TsV$wjV30HS+ zdS$LZw+RK$P6We|&!|Ym$H!Ec<>4Uic6!z#3@FQM8iFp$i}1qH<}-Ij^pX4OqC#YT zSQ|@WWZ>M)PMx@nWh?Y@HZ0~Bx|RiL{@WM`Lpp1d5)O$D4DE#;3}Ggahh=W%;NMYZ z_>XLc0=mbq4P+6PF?v1%Yn9mK>lh#Pphqm4jcrTC2mTLrV-ii)ZLYT-K^zpXZ`7uZ z8EGmj@r`p6UzhV$%fAg%gUna)jq|QAL@Rv66f@`BX3ws&XI+8poD6h2Wl`dX9RW;= zKM>OKxU$X%`AT|=8L%hmJ$YqJ9#(dY7h%{Wnq=~rLYY6eGT0Ff17fUhpLt;y!F_a4 zJej;)Si-?FdtG|=y438U_31Rs_Yt={iCIUq%v^wquq@XTzVsV7|DkYR*kAmGByafK zj5;of7>Z1rS@JsG)$wVV&l8@mt0sqY zI+`1XH&I2CXV`d@zTS$h3;!uesydXL9hFq&mAI!Gz6xsYrOGH#CS5MqR-RybPJq0| zh`=F6#ruKWYUvOi0ff<)jrNt~7Ayno4y!l{rm1#xF1w`v;donIQR%1)9V%tR@o%;) z{ZN@S5McvTax(SdZpL0+TyeY6hY%#lL*Qjm}P z&waJ6m{ooBy3mOhuECWKg&pG|lxUZU^s<6HKC`6`CN9s5l7K*qJ1}F& z5i+t;!P7H5&jzLu+?%oRQ%R_5^K?`W?muov+}{jhwX4SLMqNjQNb3}Yi-edF{FtaP zqRkgR?zAKKiQR%1L`D)W_>XzO*P^9#*DvfQm`pZq{1Jsg;hZr>_>x$CMcP7Ch1(;~ zF~@qLyUk6}yx`u<`6G;q_vQ@u7H@MqHaTB%RMo#+D2ntn|3}W3hEzFMG#o8IVM-3Q z>KDuIaT0Y%l$k&CjI|K9b|BIr$F}Hnx5%Fje}&hv&E4ed9?!Vv3~L7F+q`!Fn23tt zUPs`7ua#6$ye*o$=N%b%?G`IP0*e7lR{S2P6C!0{u)EranO$M&7NzsB#!Mu`Cc1S< zEPv;X>?9r5E%hMbRbWB9x#CszS9ed?zh~PKEkzmGp6&?*P8C4`Ol04O6mx!3+pwhESeUR`kS5&pCIn;R(bO7NeGwR4?yFG>CeiL!Ovr|KID_}` zj-{W^jHyi!JKr^ms`|nwD?$osvCyO3;I{8W&9|4u2hIKP)lp{T3z z(mYL%7d^?-UA);pLAIOY-R9~&n`kg_q_qVI(MFVqEf5>GkOhEMewy3-0zt(HdR$}f zjWkFNb~%3sX`8>O_|jSRCENS}0A5OjoNd<20-`n6UwQb8iNLEe0wx4T!~O4MRj=ifz!<7^NR$tj#s5 zqMOC23#kafn(%YEUiNDLB}CeNk`ft#3stJ@?!v-t=AP-dC8{6pgLryfqH+gD$MUCL zs|eJl+rjCLNN?6zHNca|TMK}t*`NxCDo|GpQpxfU%bD*+IIhOKDf1KDIzS@W{e)Nj)LkT?y;`s z#A$NEDmKqOe}#}j=aOucb4U2c^EWqegpUAb z1frfh3`u86UK1^fosAFkV)jIS#shQ8 zBdp((hh_3wvQ+M^HfecWg^Yv`=&S3}`l7i0Lkw(GsHhN@mZtJ$5!Y zwNH1N6*6UF(P0MDtr+H>88Oeo>ZPc5q@|j}derMQ)8Ae&C!e zO@?*UQe>q;#Db4?piQb?=Zchc!Yi2RgbvP5Z_dUzbx?Fb9Y!hHta`q|2Xpzt>!v#| z))M4G>z{Ggq<+tk_n4Q$!$?Ayaaws4E+CDg|8x|HB6*_2p&SCt?Bg*M{B@3+-T+VF40L@ha0VIeh{4$bhxiY&_M?& z-TjADbkIRcWgSlbO)qqq#yY$+z78jer-53B@}}3}Bo&)5eLk=r=zNK2+t_>#?7a%< z=C!QC4SE%dmQHEQQtjs=SeD^B^Ew)6PkGiUufPK}7J~0wJTO5FC+EX4XPxsax?j77 zkf)i3=UA-ghy$6Rk!p@Ek{iJme_l^X^8f6Yd!d0Db>&AIi}IRkTB-?E?`m4q+B9=z zbTBWNRIF{9Ntk~Tq?d%`{;_H{nCj2P;=`=U!Przz4*J$A+1$RYQ|g-GWixl+L2Xud zB;vkD4|6W5wvKJHQ))WwTMRHK-6lMNYxSWr)!H*mzHVPo`I_vVU*qd5^BsiGvAE@`=iB_Td zkP$fD`eR2dhN|a8YY`3^#1B8rx%|s~VF0&szVd*wPY_i!I?Vd>TG@p=qMtxp+JY?( zn~E!~lh6xA%Jo^Pk6lGdABUy(QQ1-G_(R@VI4K?3x0AQuEWMUa4vKej8@=eSlQ-#3 z=6;_}qIOX#9ng4Cec| zyx+O{GqqUxYSbxn<-aKohKzQ5t~TRU(;paiy{6`BfH>X!w{vyP%#=Q+%+(Y0-I}fX zl+wwK2=w(_%>;T1p-w(XCtGwUuVhaDZ6}GYH8+z5z=dlPXp5Z$*!K6016kkuHH3#K zAquEi_DVo@wOJH-%I1vmLuMxDS?}HgQE!@yh;VKm|2R$0EsP9>(s;^F3tZ$YpHmR1 zPRafUJG(l_TkrGBfEDu+NJO^OJ)43%a=2K7v%|x!O;ZpWUr@k%V+$n0Fem0AYbuF8 z;U-LyhqJ&KEYN&%CLjt}_`Jc^O{bHqb|=CM-2Y2|sLlp2{unjy=-KeDY0*W7c|n0u zv3s7|Q#M!ie@dP;((Vvy;xnzO{q@J-hLheM3J~9VVxDvZA}PHf%!6?Hsu!P}MlXJj zU!b#r9W`deIv8Q07$S+KGrWNz+r@M_d`r}ylJAbe>iRC&U%|KzfPEpbM^JcL;KBod zf2y5dogu9&`SpE(zu5-9rwP~#yvt0Uk)kF|%o~xCZ39Cs)ujXI`_Sl!GIVgc9 zS @OjC#E_%ygurr}}cNroaZsycW-pkw{aLPdNQRHtlYC^6T|q{KZrx=IqW!D{P0 z8_Yppc@=@b`XELn5a6d*C0Aj-n`vSg1XV%zX%a88~c)b87 z(|1cz|poUX^LEn$*BC84n2lU##&TvTi-bAG09Rs3vh5WGFJPDme#_ z08beQvZJ-U9?&tce|_I65Rt55Pl4)|jSD5ETM(}y@uEw@p?xzpF&EeOo{JfJE?5U* zbPYke4uYhXK%58ZBLmci*QGSe(S1wcFl#kZgzy!Ig$gVub#pDplK|iO16bzqoO8Z% z-dVlF2rb$PHS}MMJ@fRs_Uh>;ox_d=t9icl!RPc${F++=c^LHWP!Ya9so7Lx4)B@(^2SzA zEUO&Dl{&?ncsCpuO|N0Cm>t%Q=rLt`3o4|jo&jgP33h$k=;0bpTl_`a#JeIPt5w~!3As>p;@VNG~mwo&nI;Bzl* z=qY@Y6$OX?P~;MM(&EoKe=&nuJrCLk zlSWakf*+9J89wtvjU-QA7e|uM>J*ZkiHtTCNyMT=j!?J<@kSS1poFu5_;u)zA9;aC zd!zh4DeW9u!>0WejKR{3zom=dv=Dah{Ywz~nkN^LD9CiYat%_$@Uo&F$dpb}KhBS; z3CzE)qylfnYX4|43JY4NVwyH~{vhX)7Q^|QRdc|#2>OThfe)QahM|!dA2`+N$XhJRD2GTsr`H7+-Fr&l(7N(P_xZ>2 zHBujFjH~2dDxV=_4vAl9t0ByFaQpCB%t$fBks0N8H@BpRqclIc2 z-k-`c67Y#|*_awSxy&1E&z=^(=^E@4dIG8B1uiNKAe-sim<|kgXrS`hjBUS76 zFx>QttdQiAg^OHBR_;Gi+5{SR+t>0&mX6~F$vTy-k7oyQ`D}j`Yz^IYt>?w zjRK;QI8&wCa~Q$(kd^MzP7Ec8Gb`&iw%S!T?!>?zB|7jjcQ{Dy*<@5$^9sXN;7Q*| ze@U~0RW+DO`y5>0xzRcn|8-`fhU)-E)R-I4zC)^o0N#L>LkQqDz*tkKeX%&b!$bVHb$e+ntDpRQ+Mxbwbnf$gqwK(pw`m!k2z$c66PZ2w3Ad zRXvk^`@pm9znzD=@^RO*Loo$xA$kgq(HDUIyGdBCb*5@29{uG(X2OGgN$;7Mo1BRg z?8NUi6KB$dY$OA%7Eli8{)aPh!|dct%u_Y3vwp-gJ`-2*&P?owsPsP*ZdK?zX5tUC zlKWdP+a~t6P5bHl;?GNDahX|1-5cNE3IS$~xkEV7#P(xUZ1x}1oN@B0m1E}*Hk>Q; z9+D?VnfE@G@+_FP!26!&40nCk_`p#H=1km7>CcCrD6Ej2wa5!27t129w@xjMk#p?) z9IsuOy^-LN4|nqQ`WT~j=+NYgg*zQNO<^T_v8(J>?rCOR&^Iyf{t0R(wF&>QH0CN>^m9ME z;705BARQos&tw1mqc1&8&yK9UT!@NnlwS07*=#hjANwkH`%h$V78GX_uKrhI6Rvur zCl(!Azv$;_y5jStVyVRB^zl_lM*p$#%s>Y_7(j zQ;iw8peu;6fZfV4n-@~I&F)zxHl~Shb-~Ii zu3Y3}O{(10fxi~{dVRa#(;kt}_WJhjdk5xg@8{d${gid+Zz9LdMsqGtV=7PEE*be3 zo^JTL@edIR_mYL&g-vcwysaXZ{GMrKrq8|e>u*AVF}5*y0im zDjrj-{#M*7bRKV>b>vJg2bw6376;GMh2}mrkK&X=$_ zMRwp{hB=xU)-ryozasKH$ueKUgY{efzV9yoW4nAf>%`B9)s2PF8R{AQybL-&%Ula1 ziy+pABoYaol19!L#T?kS$V6I?%Yh~6x{?F;_bqXbL4mWJK!9tZWG zom$UH=Ww>WgJqG}RcJr2#{1q>K?+K+Z=s*Fd-c+~SohEXx5+OSl=R>F!!I;pAG2Kc zuJY+Q{ygi+r_{pB;s$XHmA54BpC!MoTH+KQe2tp=pX-tz_MS(LGrjR4r%#^bT1`4l7;gd(4yd~^UUxX>9BU~* z{;!p%_^Gb7=Bo-E$+C)?u%7fY56oGI59gL3zgObdF<~$ zzBxGd3J>eB_RaWj#`p9!$?^SJ)wIF-9nb&k_~xmy2aM0;4nXzK%}tQ959nuqv~ZlK zH!TDfV`BM7@fFVFkrohQ40XAcpHuu9iTyy+D@d%+X}*hzg0!Qbea?~^zPG^mZa2zr z$@UNA?(b$fHpPtca&YGd*#soB4tppL+b5~sFdZNO7Ey%xAaqBe!ku=b__S2qK>$** zbKXD&wJ1`5ZZcE{Hd`Fwx>`dyE4&~FQG_~{^~I2Jv?aT&^6&1AQgK;l;!OPg#xeE5 z_&By*{QqYh3u^!UIBue?gN{RRAx=|VN>8ypPERj;)TXEIrTQ@7$_eCa3OY#+3Go}e zqvcjP2RPQ`5oH`5^hqI}7-y9els8!pE>4HWw$8MqxC*+LDGC~aIgwXhQ=!(nf6sHq8NAB!SzDFK=Q}r+Mu17y70)Ai{nFMDbFg|dN zx=O!rb9_x`b2;+eFvg$hYPw;J5xN29>;{;#8ww+rkOmY+YUYJG+|1s%!ec{#4K8^`#=(n$24xV}$Sj(}gDwzea#?8ugiMf>W1 zrkCb*dWxMAN1GEt} zze58g)v`jZuL&KjlyUy&QWSB$l|KoX1g|WlyGW>q`4qQ)9$I~OL7RI_+A6_df2Ml< zp1j>{(z4>nQp@({yHthNLWY?@sRZX_^C|3A)(?AU(6LSv`<~jjRM$TBLC1`Ih$TVcttvBFAPVA-^zAAi>e&QLP_AI=Cr2t=m~N=lGp-UKRkP1%sP8&!r1E` zpB%Fp41q1D-y!TpvX@ySWYA{rsdhgvmwx*G|8&iwYtd2Ctu*P@YZK_!Gc}2B?VKV! z0z8iNW*8gbPG_rJOdS{*{~FFpTL}2d)5YX$kQHP|s`qT5cCot@s5vU94r*sCjhMUV zRZH$Zu{u~b{oj*%tYErud@{$w*n@|yGBc!JcszApm!-ez_4qfA^1D3jCW5xvLUZGH zoTtAka8^f#+^vt(c{4BkV_>d38U!amhN}h0=W_}Be~1C=1p^GnYJ~*B&*B)MK&>#~ z5@NYpl}x*B-P}0YhFk(W&D;snJ3ak$>A#!z-W}qG<GPj)8fce$n*$o70L9E3Py7MdDyx89hep) z#`|`5I?8b*M6>(r||Zg*H<*!WhVH?Bk$iI3m%vC7!xjGinM!!F2p+ z)5_2k<_Evs9~j=A^+DqEhi5?+w?z*Re!DM#njO(ZdseHRYRFp(+8cUZ&MTq3Fg z*A^D#2~!z{*Qvn6_oprMb41o69upmQ%y+1M5+~K=Qd+7Kz65Ht>lMKc1TeUIAPp}i z=B!kAM~)FXH&fk!WQ6V(nJ7x%y03muoca0%%tLWcbLMCrc{2D#dSJH^zE7xz3KHI& zSx(4aF%kd`IVAUUn2`R!C~(h}+EePgnN93>iOB=Z-=0eYV!zus8&5#i4UrrccMCu6 zY&b_c3#Fcpocv66Dr-=&-RLrudxe0yDIHtnSZhVwoNt;vMc7kZSadPF$n3)CG1$sh zrDNI~&8^rlcc|Ig=E<2|7;DAnb{?0Dugqx9z|!#@V$+D+bhZkENcaX3#3;?45pJ9f zB;?2|48zC@X8GzOmvWn)O(_+L=pg}C=^Aq2w^KcvF_uX7F}xI7FKp>k1Ug7|!|YY6 z5hP3NU2r}HMWxB$ACW$EW~BRv)cXnw@|t~FKaS>iW@Pw>%J0JFd$WE_Mgo?uX}Y(d zfL9rr*k=d-l^$r1PAuJ`z=TCJ9q)aZc@v;BN-4(9PfSioQvuW8FMr>^}B#$Vni6pEDYIVtS>V z4YOXTJ_B0#pAk^6qeBQNZbC@{+PfyhbaCu<7n&Q7MvuSM3ezXEOJWopXZ@3{UQ;sL z!Rqr#@$=^_S*s$GCbVB5%lhhD(Y9BY7-o}nSnqJ@vcqwKWa2X-%Oe6T0t_j#tS70f zU7{xHfmUN*XM|K~DbZQ~EL1Eb5bDg@0D(*o)Pr?kTs3--nvZ!e;~k%n>Yd?MOk}lWjMYdn)TMaweZNZ==_#Er?|~cXLkxEj2EdhW&>c z!DY&8T=Xc9%9x^8tLxaT2PP=~=a+gr79vn_l>cloyg5b>+abd~jIo|Vz)7(TAcqY2 zd7x>S1B}o;x+p3Pwr@p8bj{7wEcGxC&}a!#jXKOFT<{gEtXqy!%|f5q*y|@OdW3lj z`0%XDo=+>G+)MaCo6CjBgmeEPU=C&Zp!RCHNe^86#lkl zoytcd-6*a=>bL%e(TtlY4q+S2tX&Vw{Q_pzhw7Okv+ZiqylhEuL3Wxy z%XDQ*Jc)kjJhd4Rd3_Erw_DR_iyqOpC#aKCqP}J?@(_#1KEw91KVqrTe&|Q^OQ@+3 zBy+drh1Qn7tHX9*0Bne5+A|N&N%JdgIKnrkmzOykrh;uA$2UltO5DMotU1xeF-wu( zu_QQ`aDCXZMBbK#DE>}LR8r9uI7PM$BlHU)fT7C^>Oz+vDI1A%$ttyv$nJpxG<`4n ztB)uqgqhVuJns@+*J~h;2x6ud*i7rwrMQ}-xXK9K5w8~yJ6Q-2`{T~kPa@i&6 z{u7)pxgqPrDmKj@Uc54VTY7l-n0nt?1(}ZhM)8}0uL)|Hfr;rGXq1mw)}*&i zqj-Jb8*^%=%?O+#j6k6<0*6$r_p2*cj*)r9>oJP{B5Q}dz-DG`l$U|Ltl-7o9nn)o zLqE!n3;|clM`b-Ejx68M5||#r{j2x5Hk>YD_1kK~HQ4h_m>nR#?+PJgzVMMQZ|grY zYaHt!kM6P&{Kl^>f-vs^$4C&zFFBQ{sV(`mM|H$B%L<_0dA7GfH2HV3N)s45P z40DtvFAQ_k+r0R&#L+WrgfGrf^EoA4S?pZmIlQYbM5N{OGX$JpMn)*?M?MX05n-1P ztYe#4m#39=>X;8j?5#?T^CxkiM|EA|PDFDx*bmFS6c@uHI5>V1ZYhJ8Lh1M)H1R?L;#4Q z1F2^?h^Nisg`2P6|FM5TYstV(-Oe0Ur8 z(!-^_jeHckBkf6o^idL|kAKl=$v(oQMt-3_ri@96LpvgOtMA<9LgAEnNiKo?I~wq- zf;Qmgm{hoUL8hQ_;BehA)rg_gI%@(I;fs<{x+Vd37&Y6(K_+`TBAZm0>+wk6GLn7M zW3l_j{WlC!#sO7h?2`8_^-YaKKAM~DyekrUWi{)(zf0zokBPhwCi3b&xR?GwV0ydy z+#9BnATYf`r}dh;p%JfqP3a3cnX;jg)8xDKJ3G;rqf`YduY64OWq|s=xcdw!@chx? z#cx!IgUz7%Iqs#;FhIAMCu9Y?PYRsE;b?L9&);I-FI?RH9QyKkBNuo7MV|j$+$~## z|2@sA2OPnVvJql~A9lTksr4?m>s_hqJ+*X8wD=$ue{5I$_mqn9eY$Fl_&%l9nd~dE zicj(%XV*6>y!hgy)p+I|5?)+@Ng8a&yn)W;yNMivQk@vW`m@K}ObSP+Ri*FReIA*t zfABKtGP>P4gj%Knj%0zxoc zSjVj5AFkIJMY>V`vPHY(rrb|X)P7yV4v>xQM&B!oEz&}53JX${7jS+S@$1U4tUHP!UC!8+vj1?Uk;7YW0P(OrN z{#YuX0xtD5fi^K>vWP)P91ufMAMbh%GL}dX_C3Pc{FK?-#vvVzK;FC>kHVzt%9VItD%} zKJapXHO41K_@-*+a5WGPqy_$A6i4NUv3bAY_(F#C8EeoU(lDP`N`X5a){9$Z8{Gp0 znpHZ6F>6lH{VcKj>C(Dj#SE+d6<}rFCqzj}X{SU}QeJAqtrNz_PcPEN$lt*8Us0Dv_<;|F~3Rh)4h4_EVb_{ZKvIIly*40lbIWY`H~ zT}q<+WufbswK^OB$_o%a$0$GJXj1%VTE`G_LDhb&t~5hedMFQP<6_l|4c4uR`uC#W3W85iVeTpx(%yHIAGFUe=B0BgI?=&00v}%1UvQ@}v`5DjgF;JW+ z_{Vs`pGd)R6eLe0?|uSgo#EFt_*Y=FRAc_Lrub7Y(YrvPahTp>u_&f$uR}GFaKi*R z-1U{26Z}qh*|!df{kpF$6Ii7I? zbrU_MoDh`GhWn%*|@Xfw$I_I8P*T+WztLEKS|8(!xs})sKdG}PYLGd zb7=F1Ytp^N?S`YHQ=+tv++rNN+0}FlrPf*HZ3>*Z)±nSY}rK1ssQ%UGj_TetFA zJX7>}+x(aLjr@~EJf94*Rv#~_SN-c9-L0>I@tbGJzL}8KYPnddeKBhU<8FJ6IA~S3 zsMg4ff_w2b@?}ACjc_p5YvdM<&J}m4HB!j~|MgiJdVTzaJzuYnktF;ru{@rae&Z*y zh~xDa{<8$pPPZ!mZm*D|bd?sVEV~Ggz(Se1iHX|Q^DTN^U3KHf&W4zvJ9v3kcsgjf z&RRXkULjAC$(kZiEI;F6sYD~kX7Ypa&3utHbAnnSQt;k*!5>S(LnuhLTAj`RnkN|E`1-htva&v|Wqte+%|Y~X4W5q$)O{C-a$!5z0!dSK$^scmod+zC z^F%FS_DGPWd!_Eg^1xAI-26c2a%L~h=h!VXRxS>-+C8dDIi$QL3*-k+i*b2iL7jWg z-|?eKH^P|{nE;kYU1)ZXaqOm8zHhYBrsZ05$Ms$uw}Z_rj?4Jm|Khlm46-=B!xf?L z3i-?F!urP72xl{qHtTp8Y&L3P6vz=zIqYJaq5@^XUW>1;5T|yd+=-1Lg5a>)p1njEq#KI9XKI@HgQXOmZkj51vOrj#W?e8f9SWW-Z}mGF$8 zk3q}#lUu>tirioG2;^A8AF+!rl#d9rl#W5?yG7@lqw~qxk9?P<=IcXCslU)LC!8i( z#8xgMVN3P6OT`Bhdw=+x`(9B*f(w`(^_2tIJozg&+4knS*}!#AZJzdvtXXaB#$jJ+ z780UAbr$V^4y7Y6h~6UJ5yhRVIXENPmz8*K08rR&Or0xdPk>gzrOr+Ro{ z*iU!rGg6CsfN@3E4b#sXzme{}9zkv{Pr28n1)S9S)ZS+u>lsN%-sciO<8Thq_o|2; zS3l<->&Jb{^@Eqo4Hj8=a+me|jjS>IpyL0b5q>u95LO=^k4TIclo;V@n^-#PW)#b~ zQ@S&)3%`VELygc`W?TCt*w4X(+a~1?7%hhz6(mW9;Y|dBEAsh-P;nT7@u#{_~ zAUAKHN(CBc!G1wog~*yy2NsaC$u>h07law%KdBChxhV$J8<2E~#58b(od0M5=Q-@B z*I5gbRVRd5$*MHn772cdxodHET47q+oD;2*QxJv?0uBh%7M#rPpcWLJ>P5=0SXCMe zPa9~hJPxtC`2qJ;$UX;13oCXmJQMNdX)G&mdF2QGjOa1e1CRx1^anzIm7U>mGb@h* z!4_92YoL_mX5-dn=!($&QzJe#&D+8~*b_{-|rvmBfgGg~-@5?SiF0J_D4 z(&s|%@Iq8bxSJa*M*Ze?B3N_el8XR;MwJrzO5fRqF=Pu>b{fHj)|gn}9IO829uWlu z#=spMR=mwWgnOZnT=q3oGn%suG>s8Qvy%t0&|>*F0&!J3L}>()hgrJ-nH|i!jn`md zO1!azI#PGjzN#}7dBDt5jSp020Aa#b{<}a62 zd(CnC5PJs3TQPJ4ObEX?z%3&+m~|&Ss;l)M13(*zv1!z<5{NUn*VF5C>KOvtl zyh39hexSq<@m9qA^ExLHnKL6=pm6X*`l>!~?=&cR{$Vysiswmm6AEHuY59HsDC7U3 z#-1;6(%}%Wk~^i&F&vv{-LaKxHqmBCP)j>J89{1aYm+;G<%Q#W2a#8IM+XwfdIZy; zM}I$pOho6hjHU~w&JdhOp2%9I z|1SEkHw)R5gWWxdy65P;R&%0wbSfh_y&|`T1vmF30%EahUi8bVX_YwbYSj!UOmh5M zYDD**O=F@*S|`|5os+1_Y8oT7%ntS>bXe0!^zn*HU>4B4vM9S{heVg!YW}I;f7fL9Pog}PXNko!I4zH}9FifqNA*hkls>1VrR-a3 z|LT?ZZ@u&OO8aH+G{F&TqK~>!puvdi>r9a$^4?*6q70%?nVPN~&B3YshaN2dOUeAh zQ}X{~%0cSCJD%UjLdq3q5>*@jkG->xkE*yH{wCQ#AixcpK)@FwL`9=D603<3%?-P- zD;tao*0w5Glxnp~&90yb1~-u`*Q>Ubs;##6#cKPj6>Y14RTF|Ffby#HCK`Ob%W93- z5)fsd@0q!~NdRB^d!9cZKAOFE?!28d=bSln=FA!K=Q(VjE=rZLWF4S<5{Z1L+}%Y_%TGHmmHmvekM70zB*W>XqK2BAqf1 z9~!mM`npM!0Q>Iw6b@MT%Q)4rVVl7)RLL&%k|ZB^C>6u^XyqzX-Z3+b32SDUvHmsenvQGA&oG-{GtDEjBmFAl68ZAFrYjvi1+uhAz zjBd8{$;iXMln|MAOtP8W_Q)WaGkK`N;naMDkBcR>NK$Y)HJeFUFDX@$g43zlK}x5j zObbRos;5Hv&?&V_qK6!+Fx3T1C8dZIRha66wUSar$}}mZ-lhd({+X6J+l={V8_$}z zfgAsArgi6Rz%q@zI|V#`@6J=dgZoHYk$#>;lX-XJKtP7Uoa>4=83 zQThQKz-mh`G_;M<2U3BT-FlS@#EsIvz|4(7wzN*>XYbVTy)gAYO}|S`&SdqBP>aEQ z3smLG(V6%R{9Z$v)Eu<$6x!fTRcbf7Z&D@MYGV^}5(JS6Ase%(P$GToA1S|Uolp6d zWqpEQ>rJuD@06$3L=8UB8kpvAR%eo9Y1t=Mp)$rERH?Cy7pNS&NA^#-g^^SRVQjwc zK=$X{KM;t`mkyLQ$9{r^=Por3h-<;j&i(l7=vX~?pfTUeoxpVgywK8K2Fi}Xd_Gya z=g#N7=GaR4&^?c*=IUN~h8~nh<}m5}#ms(1N*@Sv>|o%M$!s2EJ8?E0Ii68O%3pQL zW}Pyclt1W{mvjn#PXm9cQ~st?%1OCbr~Fo@RFQJ0PPs>?u=*Q#n@*XlQ?4Opp-#C@ zr_3a!UZ;Flr_3hhW}PxYrC4fkD+gYy6UXSpCK-&%ftTsTV|1c&-l!aSflkbkL=;zX zL{00D+D14fZAaH0e}0K|RMQzcZth-G%TUEqM&1)C`s(3+~G#V~IzO$DmB>Q)_z+UHERUjGRa+AXO<3AWr+8SY^zREKC#8qK8z zf)~4{)8ts@?-vWJOd^#7DUc^KiDcAY*_w&!@1xD7%Gad#_uMVcbiU_qk^Hp5?8Fp= zUc)&EX^HyB@!ec1>TivG15uxd;&?qLCCHzvk!33t6bCN>^ZC_>_~O zGF*62hCnLAVyA=2GTnt*bLsFNUBG>&rRV1h&85S7fBs$1&lj0XC-?pwRiEk6#pco} zy*>#H&Q(22Pd1lc(kqMO@A-L(x%4}|KcCR^^Cjlei+X?V+w=2x%%vCi{_Ol!P@5Xe z6y}hBf_nSHkDNA@L5-`zw?^&EREB>!e^eRN!1l;6JC)%>r%`2)G1VicYH;PMZYAMd zsq!2&fOjh1b9?f%GnPELTM)_jQkA(>4W@jgKB<`AKIIIPJgwoAg?_JQRV2UH9;4{k zxl;YEbH2;(65*@(Rs0QFQ#|7BY&1Mdk{wuIzpvk{Ax-@?>jkr3Q?Ae-#BIKwQyFo% zxipB1wlK$R%3;;cO|hLiYvOfe_7fLmYF!7HStipyxY9B&51z!VSjC*o#7qkF@!(0! zh*iwRgU2%;25KdxR!*@<$}}Ek^57fNY2*!%@&nj9^5wBA@D0f$kiU`&0qf4a^a*FH zU~EwOCBWMxW(D_KfHITvx?eBl6-zPSrBZew)ZAp< z-JxDrg^S&JR}4jk0qbsQ+ZlAUh<267$>cc{dqIkGQ*rE%QZN*IM)HMh6kcYeQf4D& zr8zvOXCz`&EM(=nAz`?AGLz<-G{+=qC-@H8Qt?uKScEDlhkx`>rraD z$sy%LopOy%$s^?$opOmzxs;TPb&5}?Od}jM=JDlvW(4@$6e$>e^*|KDFDZl&+UPeki9)%5O)^tDbo`!RTgh?x*szB2wjvIML~ z!J5*Up(Fd&25X&5ODR%HQBsPKQgoCeqZAdTi6~7&@a2#^XVLJ~95Ionn#Ok{1H~ov zTwdZ4QO{#X7Y8aH7HEuy68_4z@-(;5UT26Z#5^H|`bnWRbl8lI5Fa&G-_J`ybLk)% zdy(UK{F^u=&S9OvhE9&T)Zk0^JV6;gGf{kx3?ci5JacKDE~*4Q-&DQK6cuF9^|~pF z`NwlYPD_%1J400tRloE_Nwk1Hep)KWr_O)=q+|qo+gj%zVrk*mk6}$*7{>BzVpC+^ zi~mbZxJZY@K$kKHHuVo?y{;)UaS^2X$>B)zE!OCNoG32S`vb8)y!@6I9D-rW>|g6g z7&3dieuNpbx9CS0@r)EBo&^m!f}=De+8yfk5Jpt#PGh0KVJoJ*h38Q0c_}W8_^2uv z`^Q0ycpZ#b*OL*aw*Ig95M45d29-r1eiLoJ{PHrfYR6~jXNiLr|DJw^wmtDl`dQ_v z*3T->ndz6b#Yvd0wT6p~L&Xk<4N72Yzy>Hg6L+I<(KVj743Ui3>SWgrkfye_MK7ajUHg76 zdffVTdSu9YS~^3>J@#y3Q#zUF0{5L@2-s?A_nfqw z>K^`MQvPG6`&^uvf%p&zP@>oC&(XG=bpK}3zo6YvT&jVw=bWIrM7VzYVn~iUf29i9 zQ!^x6IoY@{&1c`ZRpoO#Df(<3`6wo3ay#ugTP3@kr?obxI_cD=yC)wXkm0n}q`q<| zO{x0sv*+xQ?=so+7y;T){mIq+nbReCL?qK_s*Y5i5B`wCgJcq-dM*p$OKYiKOOIPr zE}uQIkL0?PT-2kFC~JavgbXqq3M58Rq2Lj^O}xcalg=Dfi`4MA0*KLLOyx7h$mo2p zS7#RYhFUUIkU?n^xhqrpgxuhHh)R)`5xv%}Q;+N|M`Yb9mIGIS;Jm1|NS+tjg!};R z-|nY`J+Yj}U+`#0vSlusIMZoTA1t9!CbnDkn^1;5WxsQsyjqrwijz1(Jqz}oxAe0h z+1Vt|wk5nn|qjaXrnEjYfKN{@n+KCg&R&`4`=QYw%9E$`KpY)N5N)A={9nNsRW5M94K`XD0}yye}C!I#kkvAq?)uLYh{&H&G? z#nPUF{>l{e28~Sq{sEtTQEi;P82s5{M><-Z@Gz7UJ(;`=oM{!H!txTv3Ci)+e&$^T&?IA9<6KXA1;tsgOwTK zBZK6XabvKgU`u8K0+yh1?pby@Bdq<+WiLmZQa~O~Bk{cX6+3odq{()Mf_Yd+orf14 z!M>2S#p=LO&4E$k=r0BOP)D={MNj;YX5-%ElL`75k-M{VTvt;D3e zs+i69w{w!qoqN}z1ggOPean*ZwPY3t?<~Bn$J5u&z)`CLquRq42XKP$a@OH=Jll;x zWef30mvk}${4)a4j!x&H58%lXdLkkNQo6A%>*bd@Hgu$O5kuw*fkAB^!3?fSc^o+r zpWg5UoQZ^R*EqXA-=CzT%5Pn5H?T{uW@^O4uC>YueRzoY5_HjLHDi*((v>W@Zy(Zb zFSRM3#lgtj&NTWTfY|Hj7JAhEK_2%|i|A7|MS-$coNKr5r(@vP0>2jcwXaTx8P@kz z%D5gfsMXY}2emUv$U$p<2R(B2Z^Y94&fc#*v~&6D5!t1cbq}~KHqq70V^hwFn$YvQhH!7zj~SzWnMH~TD&D- z4?Occ8mVjv|2SYpJKTO=DSn2RF*oRruL=*rMJO`Z`Q88-H%l!Qs&}bp4NE#ld5;|T zK@H@VN}Zw}>G|q8ngV-*G*(T<9KnNYkMG30j-))2UaXg1m8^5#&}oH|jn`N7t5oB( z=x2f5L2&_je;dv7^BR$JI7FWPN8yu-37ui)85Jk^2!Uy!bEhgg$eAa<(c8f-Ct@!E zw;U3Y9NErQ>dQ)YUE9#)IjH{>wCPSZX(ttC!>RGJ$*FmmLz~$ldMbx;^On#R4;v5j zMN>~Uw=RK2Zbw$oM5(qz*x4f_GowQOp_a;sj2Y77*CgtuxipGTtD;c{Us}yHN`+GMmGjgo%(P8%COTj*5i!*`@Z7PO zX6WSznGjD=ck?>8dergcg54Lf8FFij{`eFhMT}tB>N#gS5AQsXytlh8iCG5! zjF(X`0~U8EZ{r$ue5uY1FzHe$ryf;33Bmtj^pfbDJWpf?i2t-qSY}I@h2k3L7i3Gc zX{T0qN#^>3pc2jhP;n6Vg^i(z-g)n!v-5*_UT8rETr3UC#Ioyzze5{)GvTv89hiDZ zi1wrVsHsxR2!(sR8-oxMU7}SBhq0C!73Z8E=|VVi_ZgaUY#g?`aXCRkRibmVkTsp z$(F>MriDZCs@TMQIR$7BWJ{fxIu~X+rD#6Z#JoK%eT_xSjb%Ig89!?txt@m{9vaq1 zvSLJz>|P8X3Xf={TirfaNA_Ucr`OVFv+)06e=DF^)!%v?hWCui^B&wW<}=0D&-SrE}kvs(kk9`pkn)h z2Y9w79^EC*L`Q9$|8_Qlc>eOtJZS8Ji!t7PB%&pDot8`Sa~U-D*w{?O6UO=ZH5`;6 z00V2!OT?iAgBLfJ7W(W9%r34$6o&&{X{M?)Ln<9drOYNzNN`S7$s{Ua)M%z~{wgoH z;lhR3#5_&Rr%a0MNtEwt$&A!iT$j()8`AUX6FQ192-ov@k*>JF0|{W2__0Vh zEQFiDuyQBi9e^@=0TjpiDG4INw+Ad{o^^`xPJ!_%C+0`4lj8TO;*oJ7E0_2(L2H$$ z(4$0w6&2L3);vYH>s?oJCCIQ@oS+_TCYuvG#ZaU!vN*+z?BU#dc%rfFy1Z2HCEniI z>24>EJ_InLX{3M(*%#1j*3HCGwUx*z11;EpV8vNn+}HPEO*`}Xh)VbfX)^14c$IW5d;v+1x=CAg(m5pk&P`g)eZ!#O+-12Q zPmwGPSHO{~H5Jvp{W%zp)C7xm3 zyd7ASeWVJZbX|!%R`?~EOZ&M4R0Lee#9F6Vw{onxL_W!c$EQussS6c$`zq~7j{B$M z9K5rR87!)zGj-3`TsduRbDCfl)^`9EVu}xhEWj2c?ACITk7yZd!Zn;eQ5m^&1Kl){?ZozCKd6|V7vUHY>)C-* zj?eHct74>`XDJF=M#zB`YmHkoF`!Epv6c| zvLO3IbP5!}P0ov`TGkekq$iMTtd6F_nGd}3IK%r|LUT%g669c6mKi%%dHn5GRQC^I zSz&q13MUBLPpBx?Y|r5_#qT0(A8(RzG8*5fjL!~KacX#(%yIJVvXGuBWJ(O!&)4(g z&bw3~v#Vq}%gxll*JV>BC#vKT9S}4$izCyw)w7+U;y|sq01$~?`_q&0vG+QY*?}M)& z)a%;IL@0-1EdEo1D)VzW3)8KCs2w=bWR=LXvgffA>1wjFI)llb{djwDK->9L{jxM# z@(7c#lf&xEvj0xcMCcTCZPmitYPULjYbD8oKgF@*Z3jbrVr;1SJ+Z z$*Bs^B2@47V=_E5Doexpgrvt96W!ncrp~D0jm^r5&GK4(d(KFzcZldkYqW?~Y zb%^LXW+udRw|o&m#s~n>)tt?27QL}vbs@PNMYxvJ{86r~vIo8mQ8V6v?m>+-WAy@H zvLMN#X-}3nk{PS)DMz#od44}v+fNp(BOmdnW8=K3n99#ON|@vs(?1 ziyFR9so|)e2vc9I8dYpy7tJallLf_e*~WEk!n$v?W-wz5|B~t`oxU5HmMjQkcRI{a$o)58sxz?)L1B_xv3t@! zy7wjBl;2Q%2<2x0T)!?-R!B5b1w^`hJ$n>)gD&- zgbRkE`hJ&-CjN>NM@wkH8eizQC(YJcc#*ZHx5ASwxSEQjmhY%q2I)#xT!tpjrM8h= zt%%2_dK1@*?tQJ*;;XnhKU^7_K3=KbMFB4ITlE9lk?bR*t1@F#b7CAR#D{B;OqrbG zW6G=?pC36@Y8h>{Jf0C5sW#ZND^3%(EDRqhx23_Bp9x#8%1|{}eS7HSf7O6!te}(6 zmiI$I`Q>{Wl)LyUtt))&`@WI_-{z`xQOEnz{lajLXsxlniCP5=^B!G&NxFJ1UA-Yc z(xGTLF+ws&&QO_|$)typGY9fvz8YvOJ1xgoF-sP4Q+o)NM2;_ZmYVTJ z;Z2E`GuwKJm$bsm9V*?l2q7&wN{FY^S*(83MD&uN=WgMN!_rZ=zMCwV z@vd|}((gD|p}K}W5+yqn^8Wcf=s;B@d02{`X28&;!=}88a&ThX?txn#HReBS`<7{-yU2 zQt>>MLB=A$qw@$(CDt0%_WYemM2hZ#u`J$SC>y5T%egu_qLkwBluB&vVewM%g{*sI z_(8c~F9^C1T`3Y)PF9L)Cu3(otWM}fsK!B2ja#^Vo+b!_sf}AbmjrswQt^59V#bvF zn`A-5yoH{QQxiHd$|(Bq2v;BGp1(b!4+pLMZ#k!2D)bdT2^IJXQGw@WRPLX*eoV7q zu1e{_N(q)ZQr$;{V(CY3UKxz_U7UfBL)Dav5zboc)$XyZL*5~{gHlcWI5iLi6Ak?n z=L$Sb;4EN>`BlKi8c9$$z!Jmp*N*^UAl4)bi|etCP(h5_Q0Vi-=ZhnAu5bJ*`L+Hfq9G1&DcK`}e@#*lMmT1#I-7Nwe>O<9?m9wWi3dDm^~pKs|@*b#*t zCqkUS_!_W((TN~NFE#C-Od%Ysvu+&Fkl`xz^?n9IzRH(>@P)(|s;EN36^UY&C%wH? z)g7*|YMhY0pk9AgN_w*39R2N>fPKI8-onpf(rTYQe!cUV)k|;2zXSboN{e2N>IK-; zE50uqL1J5Xvcwq&@rp^T_xZ6u3Wu3Nn_dfk(j=> zC3<`VuSC7VMrmc=qVmf=d$$jO3J<_J>($}OV%gBdOT4XD-V}!>6$gNA#5W`F@h5zG zpz^KoXmqbRmp;1QG(5Ij@b~@y0R_u#+c?rCh@kEy_Yp|%GWBr z&+lF|LDOvVj8mbkR7Dr1Dyn>oKwMH>MeS0yjqE3e>lmYt^2^>Srth-lau#$`J4gvx z*|th=F|GB=$jagBlGS_+N*FJ2F!0BGk86qX4dX~l-0Rpte--VfeN3E@LMMzH?qw`y zAK9TMq8<_$Nr?ZN&d*t^S=@nkFL5P59+n9OOMlCb`Bb*@Hm%|76MU8J4^^n=8fPCL z&(TE-{w_tAtFyb?DE$vg1N^2n3d|Co)&+qo|JdI{4)1OhfkAut0SZFe&K>>yiYhsqOTtbWwKQMf{ioz&89{9{g3;;L;d2a z_f2A+NB3n)r3EUayK1>r?!>dt|AJ{GgGlL$2eQroK)mQ{+?G0SgH=@YPQR**igYJIKD&E7!jP6nDsjY(z-p2>sm70gxC;0QwIq3F9=3hu7r+5j%E=JaArg>_2%3ME_7+PxBss!=7-i zrcduXP`tb&qP{(=0Ipf9P;VTVBug)PuPUK?eZ{lZFl}GAq{x5QV&wE={o~!~T!x)&}!I&q6 z7R>SsDt4+@g$k)`v^X*lBXC*{05s<%5|mh*FJ#e|qYtVp(*OP%o+eB=(q$DQ9aDc& z8X4xCD!r)9la)NThG!4i0u;&hsQ8i)unMwCNNyC6xGDgUmIo{i4hJxEq>87UUHF4= zvTt@QkeB$qw3uU0%5n;6Pq+N*w$GFIrt|<9QNk=1Dh0X}<1H>cb~XI9H^WeeC!_m@ z7z>CT<5}XXpC)``L}kS`W;-XsaL~Zfy^S_0H0!6f0N_*o=M zVT=-6#Iy-=(|aOlEl(U9O?FGHy-2KcofK=S*bjQWLbQdD813O!?5YSHJx?!_FvP~Q zTb;|lb0Dd9E&9xe?w=aTRwJW*?Y{5o0Lz43B=6~8o3~1Wwa7M#^GV4UN$jQS4Erp0 z4}}F(1m*7@@2S^Iw{#F+^1D}8icCS5P`!&UzeMc4s`dCY>UoAlFz&OYit%V&CV%6< z)_IEL`Dg0+Ao%8z_)X!v@T>Bw*a7ix>Gp<#k@!gcEc0l5h<+9eSG>P|&Xe>5Qxpt2 z^1NF=lf@H%Uq9E&^EUOY`Yreq6$xv2X&ttU0PV*tI1{FS+_!#;=yc63!d-QVWaSy~%Jy zWY-Uoy|wfANgr>n2t>cgxOu|-7KApJHF*%;Rtu*{Yg-)7ioG(!%x#_#%UU9)l^LVj zS%_pV@v!olk=s5amK(_WOj5+@%V?a65Dk{R6^xx5*nop_YvQP&^#z+rC5bp`&I#{| zTsT=EQqwm9DP)Z`4b;l#h-GifI?q>7GusGL_RI~Ih2!hqO(Xf*Te|eG7u!VDT6jDt=qe zW8~Yig70HI(`QDEka63?ee`u4SR#DoSF!EcaGh$F=3FTi{~ie;>+h-^f5i#m^B49Z zjz9+EY23Yuwyod*N^64{m2(z=RjOzK?2h%-XHi~K*Z2|-gzWy<3DWM}4A?^B8D#=4 zcm4t;3-yVr6{`HAZkV*uN5Sy}#=9*GwIHd2#nbFOG(xp~>?<$s6X}xkLARrE)D3h^ zXCx1bbO}V(DmsM2#4=_(SvxD;1nJB@A{>#i0t1{9-LuAPsl-=4!=*3!m^ecL1?(&b zrH*c(m>YXm;rw3pz45Q~(Rqwn*CjvjEW>-EK%2##)Q-hB%M-tkd@9WsJC4&`xaHR3 zvViH~I*itJ80+S6u1g=T)cee-b$y}gb+;$7GPq5vvEnrrM!nCp)dJ0FlRS7iYIa}i z{Ez4()|U9M6h8JueCG3l_QW7PX2Jvy2pib`jv7l{LO2>*ls@Qv6^;gW&3fl8u}Jy3 z0rD2^hF+6QTqN7W=j)1k7pz&22}x~-$|VSoQ7$lD3eGMhXq@IZ0%`~45}=idoU&ws zUA#4%nmVt3Zm04o2Fl-x`{EY}2*L0)FbrnpwA`FP3cE-Gu_39ss8qcA`z{e#m6#Mo zE@4q3v_#qVrVxfuMqsoUf2+jI6p+_TmDroXQ-C8iTyrjp@&S-U1e{tZQgjGkabSiK zYDo!YmNDgS&B}iaaT`LFGyKis^*tIM;|fNqQ8i;GS}Z7^PKXLBD5sxp`2ao3Za+=N zYgLW4UW;jJX~AU0bt?D1hBPpIAaFT9ErG6WH5PvD8+9ARCQi2za3;Ae1XK%g?j=n5 z#;`W%<*!`!QP66^n42<=tqOzjerlQQhdm9s{42&)mQ#I1Wx$e7UP zj8O|kZW$_ZvzIut-V~llOpr>RbFSqrbsplWH~7+;IF&sw$$b=-r<(`Qh?Ue0cB&=Y zNGLI}c}DE|aR=Utg*H(T;8&)Pw{yJ>dhu^ZcvVtd}Q|D7_`ldrolDG6(%^$P~>rD?nsLb5p7Ww zS1LLZ`HziC`W`)wILC)(O5KIgZ5Q!dTR34OuogPQDUd?v54H?Qwp;$i+9`eLF>EhxR@C$GfET38P8xuAD7XvYFR0@82$|b z!`Di@ALIf%$!2m5)!n|$T0@T?b^LRX zx3h2ccy=47v?CY7_IxIf`e?_2t}SSFEs3I0EhMWYwbe@6Mz))~wk4O-shRVWXP|W& zcl?(AmNmCE79zW(2Z9b!V zuitvhU-?D2)?c~xrirH2YL>Lvfn??Ky1qVZazi+g<+on1TwT}4ntT^8>{*+mUL_k> zB8=L+X_r512mRdiwwb#zMs9!QjxafkXC@Y#)>=R0$Srrt79eW~o2(0W(=XGWkl`~X z?Da99&rIa_tpfu1OdX})7yF0c(HDEP3jDM+3KDtX$;Xe<@+I83{hL?*Kf?Ygi1})S z2`j~q;BPc}rqO@{)K^j}q1z5eshS$oO?H}Ieb#5tAN!?{o6p*U`jRX=W@3jMrkK!%n`JyGSuFy#KIxfA*Fcv5u7$sk^)#AVUKIAWgA}(3P>etYh2X+6z0jM6a z>zA#~^(Ge)anGjJY~8g;20Lgxxf&ZV>RZfBXmN`Cl`ltL_oED*7kyqTt*a}x8s)(k zYf$3H#hjU3;Sy5(LDfjA7v{p1@fay?zW5xT&FJT;em^WN*WhytLHez?eX&JSIm8&Q zTGERUn`ePHO@!laAQU18^#~a641I~g{Or~AV2<0A9!!~MBya{B9!7&#Iwe;y?5Fw^ z3OL{QO;HfvOHKaDSHW$EqC|xnjX$!nclX152=s7-h zEq>1MHi!k+w6=C_hehhRvfA3~uUrv1Li|A}`Mi{jHA+Edz$`?Sm463QRKR%hb%Om` z4Jrdq@|DxfvHMg4qa;Ow%<^XC@-Tk3^f&P^3Q@R5+A$j5Q5|02v#mwlZCMTKh31H= z2r)rP3Ittkpe4?sQiA?Q{-!JY1(j(xZD|K;MBo{Xa&)3wMtvncNaar1_1*N)w-tKW zwJ}W(WgF7;;6t4*UYsFr5V%Nqd?nYjp>7xa=lcDKGCnC*HX2Wp)g6p3vcUG%XEm3! z8x0L0+cuL{!yOO6o5K9;oC$M;rh+u%=_ncVC#@`FdD7WP1a?81JZr@bJ3G4tSX8u9V>N#+h|S^nM-zb0)bO!bu+D ze8f^w({SnhtIPFHb5>fOk@$`PN=lNn7S^B$27qEn|O-e*2hn?>H8Ib<+uvb!-x8S@&sg1 zDL1(|?6*GtN*PxxwghtZkZ|QlxXqyAuo7-vO2XaJL&81(O(k60;Ut`Cdkeo@!pYa3 z5>B<%OTv}+l5jVGHMXhzc!;E=={J#Zs@g*&+;LPU5)Ly03$@-7u1#xU4BwZGzmjfK ze%NFDUy$)<&|TGK%FFKf_mFL}Ni4GM3}oA|YkJGJD@3*lCu7x2%eKc^HT0Bi;hBn8 zeoC^UB8e|@82R?)R3yAIQuE63U&1SA$Vx>BH-0itDXFH`Jc;AQ8A~q}-Pu&7FVpG( z?BT3L>0)M;nL&(9Go7apKh(yh+5L@1u_GtjR`wx~z!e#4&cBLAMdMjUJqb^HZkOm%L}x_&6gXKf4_Pp-EzLikU!A)d9K zJ!}c1B6*GHTiSfZvT5iEXAy<~&m3LQ{cAkGA)K>h1fNTmw<-%x@9&}u=UvPd^se76 zM}ibVakZixI8y}vkudhzqU^lGlbKv?Pf!OK-lkTc^#gC&N3xcPoM3&|D|T(4jCbr? zFeVCJl^*m5M^Z&={87qNW#r6M*4Rm8Q~A?bZy+m+=vK4q-;En%mw2m;MK8s^75|Ym z{URiZp!$MScubICwm4p{wtTfX0J>dutDQ0!evU6Non*ynKW9t+*q)S2fVI>(>MA`n*A8s zr^6$gZVO7+1Ge{J!GDeQW~gL~+y`wB_^CxueQ$0APwZ6zJb-Z+BLCcYVkjeMmNW;Z zuMbXdu|jtWY5l@mCu;-fMqecfdY>zzLce^sCmb-X>&eGR$No}0jgEwK&F5r9eI;8G zSw3sKS+d<1d#HFOpRfrQ$vWXISt=Y7TCBUW*E~?n{o-eoEtpK-@n+xm-Ux*>k zcc*uglk2!&%0BYjGm&lY`EmAXdJ*PiAQaYF<%GzDW1PotpK`9)h}rmJsqL@aH46jE zkbfINek#sU>Z44%t!`&fc z+(w4kOt!{+cYA%6Z{4Ikbj$H764V5-VpjXC*JuE{v2K7N#Pzda=xY72ysgZu~9($`<|+ zuZ^Ss0n)*GtFz|s*vvj~ZDz(ZxJcesT(zmAI_4|$a^$<)PuPt031X0mvJ)?da@>E) zt}pid9N8Y4|KVQ52KM}i|AnK!vgfatv9vz1`iraMf~RQJs`jE8C_!XTLV`7VA$woU z_VA-bg)cV9*>a5dN5=;Y_)SbH%Z%IM`s5du+}{*5O$ zv%qI_AU0U*HJcDe%n(moeOSuZ4Pxncr+0BivQK<5Jv)5sGWmUn4vcAzTaqdEhvHJ! zi6MK2Hx&D4aR;69S?B7-&3Yg*t)q+81Uv`<$poyRkQvw+Of7h$j;7mgQ!a!GTFDKp zA0Dk>&7&#tQ|$?>hI7UYh)K_H8eY@NZwT508Z^M04hDFe0Q|%u06z(W4-YUMac0m9 z0A5HYvl0)rzZ7>WI1xjCFLrnYr{c|Lj9ZEGh*#x7Hu#NkZ(##k?lZ>i^C@x2nFEXe zw(1cL+1Gd(IirD1BF~I_tyaHvMm^Fla%|;Rqw#I9#}2G7c9)_8T_pZ8sSGc9WfGKw z71sW)w-i5#*=I6_W%PoA}d~`v3KwreV<+B-))iuVGE8*d4OXuK`&+NI5 zk2R(0jA=3)m~pSvZxRQqyZ#;>tG4b_Z(``dYPg{~rr&iP!jcNbgxH`onF#tn7%oI0t{NKG8vP;5B|S@%9m=6%D3rs@ zdzEr145!Xh$YgtlPfQjmCX#CJrCL1xA4~D8u&9uM)j~f@IPfIJiqURdy+BsxMXCa4 zis}*irxd_B{h?wH6dHg5I!V9^%UP0P@Z=TL5`ac>_{vmm?e=pB!@dRSjr@~+q-3j= zzX1MRfY5YJap-WupIF8!w@2{#c1xrG<(U>7UspHM9}Crc%_K;XDM2+25~S%=m;5oj zuR*5*Ak}Sgqxsb^1#}xgL$k~s-SSH0W1&{R(p!;LvKk{g45n{H*W2-w=voZVGv&!F zs#JVjfV$pBjw+MT-@eJd0cLz_GNNGLmCAceC{{ zlplTR=SjXLR1abJuAPvM8tH=B5LhP*`08lI8F3R|= zAxa@l@LZ#$?g~FXW7d|Q@~B1G)AOUqBUb<)B#%}{L>>{}omxySlm_}m3Y!Swd!-p! z`aUXsra#hGdZu{;IlOMD5=%c)h0m<9=Xu3JdVvFArZvJXz=23JHb^8cL8LV__frnZ zd+JwIzRtOcOtK;`VyY4H74iGAhC2KK)>xnoS=)^fRo&x>Iw|`H`3ry-f^J4NIV`;4 z$6Q$RRRap(#Tf#!1ljq@UcG_$k1B*XzKP70YgzXTUNEO`#uZZ55T%>~%BitF@LBQ1 z0H5`*ko~CSus$hURkl5*?uAi?sBFqx=ls%Y#YN*7k+^Z8v56V6e?BZDuXDz6U8YMc z0>tHfDKDbsb^*AsV)#;@)s8$YK;Bljv1?5^`KQa8_5jvFe#?6oGLdyto0hpM7mxB; z3tg2WLbr0QrTQ27y~x~2v|uz8Q>T`?ZYzo|yIT>-EA94_yz;JV>Xy7utJ+?tpqQRY zMey!08uz21X~8RHpcGAAnp~V87r5w#zk8UJmQ#tpW+?Nh{{1eIvcZXB(R<@iVy zJRzS@kxx;ECDtn8)7gvYVKQ%gm})fNT~%C_;yM;>no2*(7pX5xeq@atlsjc14350Z z>!akH$fWM2|K$Xl;C>QHEBc{ARSWDQvC|)=E|+W+81XYjJ69}!xTbF=J2OL6ar8|_fcX?V$`^&u1__|a;wMg`QYh*r3~I)*~1tk|mwHpgU~lbQjLw=F|l?RLkf1;ksW@Eu``IV`&2yVwS8lo~ zL?fctm9)CMG+AIVuyMsZ_XJWs+ zRGfFN5$8wd&e_&y&bgP+TMUFCI@&SfoDq?}zNV{+rzN;jPVRTI_{?>Q(_j`nfYf>& zceP;b<{Vbl+Wlu4w8cNeV_!Vb2&@)&=9XP&$iy&eL!=t5AoER_4x;8|2W)R`Q zY#T2cC`XgnarIEAdf1MMNIk5Q2bMk!&+?EChkv{FZ5pMV2FsIeT*L)b$QZ8V!o!K( zE?gB+xLLxS@nvpJ$>6Asfl+(KzuI+X^5MAh$J6=11r#K9VF*q}`YPKZ*`Q z5#;BIC&3k~Y#f#dqV<*J*pKgrA;;Z98)=6ns2x0aOKimOZXqYEyViQ{eRMsQLW?ww z_{8-MJ2E7bS++_!Dz&(dO3gSbErK>yXxeD5d{gKk<)$R8AcSaYKcz_hL2gQy{{B!m zB~`}09XBO+gY0=B8JC8Xo07nia#Io_Qf^BBBoXCMN;}7ea8r7T1m&g#q|8x`4gYI! z#XYH?xF;P1>~fT31+D9x^mWkw=y!*QHZEJYEOqc_nLrljZ z-ID~6m?A^x8SWimwY6>{KZkWslDs`uU4J}Z?a9lKY4@bxF$`9tiiy5Ux%7Bvk@ytt@i zk3P}F@kY04784@W-H&l@{}$e2DfNW(^Esj-(!k|sL6NiUE&i-X;pv<;6i zgg<25+)diW9H?-c664QjsC3FD$s^DT*j-ewz~1!VfF1WjG;A@j@RjcPtq(%>6KXJw zad8+yB^uRl^IcLgOl^=Dw`$20P#g4RTK#-p$Vu&!4yK-QR#>2hkbKKh462epMelB6K_((Xt-sy$@0{w^w0>V_gMT(Lf8th&X} zSCWC$>-=d#HyO?pgmq;%ISFKGW_q$gMg&v*w=y-=MV}K z>~#)UHQ;a7EvUqcQu^W-@x|I`rdWE&)a^ql0_=6bhQM(ZNei$7dQfeh5lhRjwc6RJ zTYmin`K9t}cgnApUn>tMzr&=wEn{q5m!8?TW8mkLjUT zvP+At$Dk}<3ECBc>&bDh;BvhvXKBIZbB#d`@(I(js2^z`%J7dAM?6cqBA>s?L$}!a zTJjNrb*$ou;|}5o#d1@rPO-uzJVdXq2Qz7Dl^CT6=TXs8Tv{VMRlQp1bHuN~xe7jF z4i$;dd%aWp7LHTl;;L>3qm?WB;$Sot2P0;1?O-G}QdjUbsOh(t?9)kF{JB~S4o1>K zT^$Za@*qCdGHoZ-o9kfIyOWPfKDVE0-gjh`?m8H))ec5eGn#PR6;r}w?uDM|ZQL`v zzZ~gOE=C-#wX4J;kz9rT=(-tk;8DDclqLCvehjPfGMd8X6pqFlc|Sy|AL3+`lI*UN z(V1#s2BroEiT<@X7e%8d&fnM}1Ni^Qy=W!wMYzyw_aYHpzNS%fP_4=JO{E+4I1 zwzAD&e0(y(1TcSv*lxOwj`$m4F?r~HK{yYVJoM$^RvrS@B866Kt<(2*73?rK@oTzh6F8NA8a!kAiet4@iGNS6xUMm2V1ZM|LkrH|SRd>D3@4 z1?fqn6r{$p#C&!k{XUQy&mID(OIyTFAQVhfs5lis7gOLi=ZrbQ3h^JErFK3eI%HV<>mOy06yfmODv#*+3Pbrd#cNe!pkr=S*v_@ zb*6I$(c~rALgbH%sIbBgGnGq?iiIcbuI`5f=OD{{%`%=n14qhuY8YprC-egH;jO)Z zl&FBcfy~rEMx9Iz%)`NnvtA%yMr)DsfN^~bFU-f$a?kRNFm4=)D=ahraS4cLnK^-qjBv;b z7CPt660bEPaS+U+(o}3Edky6*__2o<n;H6~20gQ>HVA=)pKm}RpP9hV_ zH|{R!m>e*0>W;oN51q0_G=y;o3v*AiNQ>#e?Zrihkrt-Pp?IjLv^W-;{_my5Lz%sJ z$kwllhr|mz#Y6AmzvfDdZ73;UB`pq-&uLhzHur*cxHIdKUa%fkVqC2993nAF#UP+% z<9{JB{+iJX+TZ9`1#KBLm4deGSOu*}jP)+GUnVick2SjQ0JlW_`8O$G64i~XW`C=4 zUror73TTgQ(naz#hfhUSCOm|1b_t8!=RyMsSrlCvIfN(q{yl2_if1 zCCEtMXVdd+e=1%qE(t_?x@aFJ(&P)$5cemTOECX?9>m$wy+|Rzout-|Ko+ii`J0`s zOz{x>k%W$oNa)zP>G7b1N!2DEac?%FVXE+oCVK7CR}omoHwNMt+{d; za7ZF>uXW}bN=Z3d!sELUd8;JA4Err^;3=Znt6Ti&9pgr%jaAOKi6eUm%sp_Awn7BD z?F_+h&f1@RQ4hd~!wB7GmhhFJ&y=WGt;$u(ys*#cLCn)FS6? zwrqu7rU^2y5oFGU{A=BQ=($QwRqVTJw;RH>`mIh*3ll~vy8i%zvp;B#7I~bJ{Ax8s z#q@&}>ne|#LWG^V>y!`rr-7COeM0uB)vUaUyBV^Jn}e3`Kc4D6zK-&Y@OX5ivKtUC z>$rg{os2rU`d6uXo!{_CQwh$EavFa#B~C|Hf*S6KqbT>69p%i?d7Phj7klGDiV@%e zKnY6}J~%9q!uglODnVXSupaAHerCGz_|JqjR?WV-@|bH8HFY=ig7uR34hw6L4o~2M zB)My{;%K;YGNeb_l!hn0UbC=HL{Gq$xM-MQlUk7hbd4w!2 z4NTuhumWpcVEQg+$&Kl0IC7+Oe!6DrjQ<*NwewjKGqBG-KO94!AzyZI`m2QZ?XL4{ka-OegV zN2xl4ohwv}vSbhhCNAbG27v)F!%7qlEs1zJiqSZ8DC&@qitkks#q78 z&m}q_?)F2m{480VA5o8s<;7}9H2&o1W^{$1PQ?%PTkQ%H$$~pny^$l61?9RUOYhh8 zmf!|Kg$EVy`8f<3z!tv;|6=*Qp9x)l>rfz4F!zj^t3+IX=b?L4WZAyPvpLRU#=&@Y zua)a;BQ?ElK(#~KTPs8bIDD+!-w2(kY5e6wV&1xU)DqkFbSjk?w{zu}JL_pOK9(k5 zR@%7^!b;3lZvBgmbBM!QsIG7#7^_1d)*?u{mO!i$u=7&qTe?942C1^rGiM%kfqz`x zP)prtlsI`huj_OmL}yK8E9Faf7E_$Mr@2|(l}F_I{x$YRa_8=mxVC3TclLR0Hu3g_&5~@04Ie zeao8Tauzv=4>*R5BIi`JTH$?S?JN`V=7|)@)MdSn0_4ciYNB5)BH4UVw&97Hbp~E; zMCm`b?kJNuX67DWC^G}Ah;>IE-xm(ZFrH~i90|%ekxH%3l^@Fl$5W8dRmQW9wSz$L z=hhAX(y~XSi=L1w8c;=>OSVJ?HGU*lKYvWXve{rN9bJ;CGf%GvIJd} z9^lXx8DL-W=#W(}LqrU`KyqcZ@k~CCeYsDSGn1>QRf%D1z3OwnGYnuklX+`z_@QYyV&=&G)){Gh+SOBb7M2; z#GaBzB)ZbX!*czsia(;_tA&Yy_X<(^`a8u_5L4=|=^@F2#9SrSuLrfxX8sVLYc4j9 z!a(Kjn@wMNo$CL@JZIC-b^lq)oayvATz>+F@Acjtif}k_T%L3T4^&2?%~HYQI5R{q zem$99Jb>Sn(Qq@P7)Z7QVUdpNRnVw;HyABrQRI$+ zwMj;x%6SOo#}c=AA0trZ37^9L>~VqV5@A>`pbPHUb{KeaovG8oKKEGA2dgdqLr|{e z$zfpFOTSYvRNejm9)|m{U41nSFR&AT2o2>rzas4A!7xBUc)|6nk?7+`__*kq1oXFl za^QlUZuJf(aa!g@en-bI%@OYZ@5{Xb?*BLC9N8iHU$l3R~STMayOV8vU~a`awFvHX45cJ6momu54MQ0ktNF~ zLNI8u0c+O&p#WPE0YQvjyRAY>SMPc=nh^Yn`&QWSMU?=JK6R)taN) zBIg;)J|2X>?5K67x=#T6L={In&$Z`Ec)(@J7a6kU;bY{L!pp-&^7J`Rkz-c&$w(CD z?oG5T&B&s{Hn|yByi?CjWHue!)#mZ^^$;ut(Z9#&h=8;=U&d`tMx$sj%7;*nN3NxmxrB!0u&IhW zQHuw#({~UZZl2diTzGu@WzFEHmhgAvX6D8Prw%d9u617g zHvOU;lJbP4P)THf^Sirb(uhAp0jtK_5+4y4aV}bB?briJRD^-f?PPIP{q&DolunNAN#q|ZdGQz{*d$aZ#KWj@ry|* zd?NSR7dYF1&Yhh`xt%y}3DtNK!otnEmeEk1oV;Z zd$u06YW_~X)=N-n0ba7!TWzt4Fphw|Jba~!$R56UtOD9UR>6GMSPk-61@XwS3gDB7 z+BDRO1EmY_7-@f^*IJqQdXTwDGWt;-knm@${5f6z93TCnDtv^qsJqTL7qCP>zHARj zrl(cLeJc|~Ul5!n@{}`oqTdS&yP5a_PtW(n>ISrp%d6*mRYUTYtoq!%7d*T*9*B$p z9f+(5HwKDh`<-KyO>$lZDruN}^-E>28~25WSlQ1ozjUoPN3CpVp52$~qycbP6&}PT z)cM2t}K%nqWr}>HKC7~{~4XE zj}&NH%Tr{P=%-0eY_4hgF6Rb%qt442l#yL63L}MDcL<-ZFftekRwXzKzoBj#DnGQ7 zzob!k1*XRCc71W7+E2zN!}Kv~qZsTlskEwXIkEA0Q4#YuE)1OcS1PjbrnICOzI%P!YG5xf@YbN~wA5UtzTx zIs-+gba;e4BrzyHP%6Gp$?!`GpCn9_$|dD*T0)h}I8=d+)Ez)8Vzn$Js#r(_ijYX0 zE~+Z@SsrJblA9tFm^=NkafLOpiA5KaqlzILEf>3BM;KQ`>K31sLnLLeQR;a2ptNEp zV21IpLFZzvqxP}liT`N333iXzrC9G~g1Ol=Iz`kZF=OFI|m58?W?F75IM4bZeLHhn$(Zo zMQ!5Sj=f$DZDF~;uf!Nhf6{nOuNX0_8h$4>~V%2fI;+&!y zeU&W%rA3cnq0IC%TA0lzD+0d+L*6DnS!lV~-?0&{ael9dMa6cuzHIE)vK68U{=XT! z0SwV$$L>?w6rSugc11!o-EqbB7>dcuZ*fxqG*L5)<+l&4a15VAM2uq68HQ(!kw>)K zyg;5Y*#GPdqi##ijG!@(lPH60)&)5tA`gV|p8FPF!h}zDe$>FO)}B~t)JQt>ct%I4 zK>RtcewXGfl0Ru&dv;#YuiMqZBhwfR4gssgdd$1#6bC>Gg_-S9>R`10q} zBqO)}NFU}{tx7$sGWV>=2%qgXtg1AYeL5m``E#@^9q7?O%~WY2S>W6tPTjhmvcPnM z9i1Jo9K7upw7hLKpjV)Nct8=o@Jk$=*#tMs}lXt z^CDgzb1Wlhz2;n_Yyi^blXaK*M06YFkl<^IJS*LnrLM0j++GfBz4tQZYZYHAz*=Vb z7%moj90G~?{|3JqyuJS!Zw@=cj9Qb!Z^vFtZIrpDO6)P zLxee|8>)f`yMnCw_Vr=22ID#f@|zd>pKS7Ns5qz}`K$OY1k&Q<6=#5zu?KQ|8^)S@ zRt6$P^el%P=?>TP`cQj$k)i@U_(r4bE(ihWirHV5`YJz}38w-GTAl%^)Eswpx9 z1#FoJW0#XH`_F%-wX&B2T;RlUY_T6)8N?()Sn%rla|jT=Cm3zc2-i%sy)+Uq@WPwb zKd_XZ%ReI!-P!qn*!vQ=D694V7Y20LoN+<1G)IBNg`_kuipz`+HYg~$VrhUd2!%i} zBWRi!SmH!kx5e9Xvu?L+_qMrplf?zx0xiQV!=-w0DoG2slK=NP=e#p71623_`+feu z|L61n54`X5K4*Q-bN1&v=Nyz1`OP~(!?2Ta*o}jR3N9&5YR=J@%b_D!-9l@QbqW6^ zEJL-Hkq6}#9ENXkfQ)jhexbMvD1pvWKTJAhp&*7{hi${;U65iZGK0YTQK~VhAQcay z_f!I$d__Jmx%0y{k!KPhEAch2?d#kdKMc1p){{OlwAJXkfnd`*pPp;IEv;2h?}Atu z;_@GGeyGYYkPL++@;j2cc(1(-JK_h z7WP$P5vf9Fc$rbvOGQ6V)Q?Vs%FLCfb6$3tB=H*a+8&gsG9^*7`?kiGCnh%8kp#ph z&msz0qUKYgP--wY^If@#3JZoH5YdtHG-h0v43Oa!6z(zm7@((#apEPzisp6R&H=g) zX&3tSk<#+S?f^zHAQNag|b9pD^E-z?RE&cXB@ zMCL)x>*>22eRp%}=$l^0bWV+K9yV$o=397>JM;7zy4)&osG4)gZsckYR88=yEKfG2 zVSSN!cEB8+jDF)?q=ro&+PWGKS70u#(|`YU-l{VE&lyR;-+3c}0OtS#fzA*D zLC)?3x;cqiS6G4%XXu>uNaj8ie$qA_?LMDF_i;srE(cGFc=9TcOG+I1?g6_K}w0vEjK7&jWbM@T|x4G@ifX`6r$?@w|s;JDy5B zHFyR!`A9e8G2)ql=Po>V<5`O50X&c3c?Qobc;3bHF`j*Rj^a6m=kBvU(!F?!@T|h~ zAf9qOPvChL&r5h-!?PLB7Cay0*^TD_o+EfLpJ+nXqCXS;B$5lI-^eQYB7SR=;17E9U6 zL^Pih{^9CtEolo=a50soYz_weGE%bUxX|pWm3v0ec>_YT2ipRQ=-j2Q76&eL$P2vq zd@=X{O&?r81-aezhuL(J%K=KDlvyPo7>f;>X^qsXjE2MrN0r5Gb@kU!w<@>Lg_(3c zO=!JsmIV`k3?K?`f+{U~_o_k-6`YdBX1QS|_&u!AQcgNnv}fiJ+Nix<4jjPLpf@R8 zKLobpdT|m-cH1j`^%b0#?9oF*tA#m#ftobz4}%Plh^5xqz}tF=00)CeqL8GnM7$Af zKrfTdl$UT^Svr)LOpedu9V=<|C<3YYgr`xCtfgVxCGtETp0^YA<~3(+Gaa#cWH=Ot zF_(0Y8h$@ybYVCb@e@pDGuc2z{;USW3JP|O3m;u{Q$*;jZg z%)qQl429gRC7!)}yWkm>4%&G{D(8DOjAuRNxkbdVhBgeVCWg_9K7h_e24{H*#}>OnZ4yV>2aO!;89}D3*`uKB_zn*@fufw4&D{_lau7=o*T( zPgF8-3*p*wnB;C%TtgFY`T@B15&|vYAt*f`y>7#WK(&(c> z7^y|Dj%&>iP@_0zbHz1CiK~fS5K3wkJ1`o<#cNlW_K-Kb9bV1{uaQ2cRskK8t$fuT zOj{cT8mN`*!4)e=&+@Ndp+Gb^BdJg^X$(gHtZrhcA-^5U2J1oc?XKXVXqt2lOtmnk zg8Q9nJCu;}V9EG@?m(ov(mTIqoM<9xt6Kh%3E5R16Z)laCNRP+4bUf%uP4%(s>tys z%2W$c*Am0myq|vGvO6_{igTr>r<>Tpm4wP;v zbRCraK_D0rgGB@?cvP684tB?72H-g2X0%UD+=3R{u{Ta1D&?Cvu~ zP=)m}M}Z;EffDDE|M2uferMof`rp%6IF0E31AT?}g>$a2@GY?aK79q-D4H2JqrgI6 zA!Z?)Q-1_L%Y%^{o#`ut3WAuv!rYGN`49CKejEuZ{$qUwnv-|7&iNdLDAqY$dBo+b z;;gyM7a?Dz(uhsI{J>ub*!n<4uWaQ2Om|7#HW<$cEP(<1#k_XqM8NOxoWldL*Ge+S z>~y709{T|kxqh;PE|VOS6lm{lj$ZjSldA3&1;~soQ={d+JDAM1Z#!#6=-SSLL}cZ2 zpf`O;-ssJ`S9Zz@Itb7xSH909rZ{^tza->U;)IZQ({?W8Z5J-pX35#Bow>>JHAqF2 z-;ugjB%(wQaS`RCJ9>}75U95Xe+jt&Y8XyI`WoJGM>w7Hr$eCuHj&A92g?#rlBy7c zS+zlRDL`*`Ulghh^)-<1Vr<1%obza0g)!AajIHcR7+2wvF>5BqR;T`^jIA&sJx@a` z>S3Bm8X@m_k0o8p*GZUmnc0yNC_ngbF_b_P+{z9KpcB45he&gkArkgb@*$FEum5%& znhF{z(X0bK`7+Vtvr$rN-tTq#(^&&t%{AUyK4KmFSO~iEaJmsTS>r}DevM!>8zn_a zaiO^I0DT^<($j%*NGu)2QFJr)@fb;<@jPxrhpy`AH|AbzEnXSI?r4mal(w6CcmoMx z?j6s1c#KcMPY3wv06)vEZ1I(@YQ)*#>T|E_kV{~9!3H4-5dAief}~a!w{nZCF;7~` zCSX}rx8@6Ypmx_tYCpw5%s9cS`sbYEawp-r>WWIQN`gv%^jEl z#`96*b~vZ=2H{zf&%Nf#op2nI%+8B*`&t8EAP_4XXuZG2ZHG<`bhe4sX`m1q*tQ)Q zVM{Sb>~z3BCMk~3s4Coqs>>p?-HwPraG5)now2n3AsqU`q4V!J(sPJz`w#u8-@%X< zsf04gehTOtRwZo#Yy(@DCOtZTQde?3%m+&lhrAbq+*`eia)qlHCf|iqh(Qdyx0J17 zVK2mxdzg-^SUd9Qe+(nBbEFBKFXV0zoJ3>jYU{SgJ2Jlf4lh>qFCI&vLKatE;N`%f z(fcp{;;1RP;p`)z`GgTataVg*2%w zL{7LHoU3;B+tWqD6@{jCex|jU$<~_IYB8Tph^fqP;uBho@v@cub5K6BkYJ1{pSjk# zF^s^5K}8n@`T{ESu8=J(Ds`E)l&(NAAEXYk=+|m z3jwM(r3=?T3h6~QjY{~=6|wQd)$g>=o3HN_yVR{I6xu@8pjwEw0SzPML#rD7kY7a>tb-@6J-xHjgywMD0;B zX{`JxGDb<%=ZpXAnZ(*cj3iJyaoOi#ESyDB482hePz>xW29#3V298m^?G$95VJRs6 zm@9hGsTG0pHE@;@4`rR6M99Go$|P#dd|}{Ulr4f8N{{UP1Dfdi3yjA@-+2FJL*c4E2eWuhmxkh zbQn{cG*yuEL112A}+}`C6>B*YfW!{^ykFRDex}i9Ng1li`wnJJ`eY>pa8l(w^M$SlV-utD;pnWuz`d z>RFI~BD@d&M0oc9AiU@41WARRozMpf+@Gc|_)pOHS=;cCyEtpoAW`-rhvZk(L9qN~ z*0R5nEKw#s{f)hsCc$tQ=z1Oa}H)*Co3eZ|kJN4S#3`pSLSASA$#TiY*tA|5-758Gr$&y{jBU z-yrE~RaNQA(RU|T%l;$T`1WfWKwT?fLo2L%1&u(IkoRC-KJsvD@a@wv z|=8DG_AX{3l2(2r;^4Lydj$YdYght&kTn96!K{fgA9uh*VHI$+(Ug3;tb z8Lb0`;UrZF5MpUBDQ0$QNPaJ3j(1saTy$R6(}J6pLw7rS;8X60BDGf<3Yz#9M3S~+ zlp1t1%`tEhGfEcQ3WHHZotnt88>~S1XVy}oZm+=ZH64La_Rl3Nlm{DMu5U`^F$aI;I{S(+aelA;La8v z3Y1JS^V703XSL2LfWB`XL2oz?k!_=W^jJI{HME9PcchVaa$KylgjT71Av}8!g#0#y zlH{8U-!#F)5AAhQhHe$4fFsHelGTw>85Z6BSdF^ce--?} zRL;=Nj-1TCM?}T|>PpveKXn&$-(JYj&HEukH)6N$!4b^#c<^GlIj>s~evbROweVB& z(?GRPH#@u*7-nFWP~RD_j}Hw>0*I?WiHm9wb50Gy3b&Gv2e1jB(mEW=XTk5Wu$)0} zke~9Puy0rt`_7wm^8>NC8iDn-h)P&E;S(I|e*x|QgLW`D|BLgw`TOu-r7@xrJn3J} z%#(r~+#Y7kO%2&S&F#qjm%#TUoJb9K7qsIrg**R8q^}8)>q%)b_`xq(WWB23GQ5_% z_!d5Q;rR>?V$B81QIwLZaaoA!z7Ti_-pV{I@U37lsSYH9jJpuMKKvsVtv>QoK$tfp z>Yor`ExzmVP0uMjXJHmz%*l@2z)4l?4hwg1qYv)Kj2Nk7?jP)uSb#&i_Wn{(flLd97cAdO@KfbQ^e->_cU-|aJ z?#ss`lj-~Nh{$<>x>6HL^X~d{KfnZK8#{ercRbiZZmuo}?}?Pb=GJEcaas+x4O+=U zINpB^!IK3Symp`bw3gzk*?sJI_$S;?_(SC9fq#k8y}QX7{296b$r*GI5QTWkDWDe? z?AujYfYJ?vV5EKbh541cuj>2vrBJTwBTvHZu2Vm~*8h_Dh`)%if` zx7F-Ab#mJQ1Q7Hq)CtJ*DCVd34R;x?Iws2SZfDYGyH3?^^OaZ#NmaWqyYhKG{03{8 z`2t@(L1$9k?yGn0gL$}K5EjAU{GWDTNUBAg^}9|ry%v6&McDLO1>b_n{abhp)i7&>yP&y5_3`=PcM&{2-6I6P{1)A8Vahk#s;sM=kBCGtnIxProHL=VNvhy5m` zBxnlUpggVu8L~gtNmSwT>gzh+o?J(B*K^4AmxJ24UXNnw2W#74d^8^v<+Be=SW|~M zLdn-F@a4pXEJk%q?tN88oSLIYH)f_obQ}=61_eJ#gST`Hfm?%rLa}Dce%YtauZo1ai9EhU$KE9}x5yawhTdPVaCqTWsV z9gHka`e>?=Y-R*^5d83dKB&*{5_pn4mHGBy;m|%0HrA#QV=G3CSYj=?bj^Mf2`8e= z<&!ml(A5sA2G2cGx`78&OXE!Frs|%oX0sZmhz)uoz{9tg9p|Bm6C2^VzC%jwMoURb z1B8v25*#&-^SG48LimJ&9r?v04&R#1t4Hg-UVd6^--Nd-6$5+<`s$ zLt9(dTX3UW8uA;ovz>rA<)G*#?4qMRUv&C{PeqHl4(E6vduPE}4|zJ8K1lupWxpg$ z+p*OQG7_ky{$&^h)hu$CP9n*^z}AlU^3zU25Xkn{u)X{7C`r{F?CV$Se;J_gytwYD3&Xu-8*t08220r#XpP+kqS?K3QDygskYFwvF)I4~xM8UR zhf_68f)6%MLjHT9>0SOJCM{{m+d9&hAdTHq(39nR6*wz;S{%1)ane4xK`Ce&2Oh{* z=U!{w#<-zX)|+t#!I&Wk9I!7~O?4x}k_MSRI7qvUMe^PH<0=^;zYhbavXDT6ZDhf5 zA-EByNq+oeN^vaCH+LM2$HM9Zz%7momSN3tPz=|VenZ_16>oMsI8y}BJ@PONO&^is zsR?`fAU3aiToI3B|JX#(zL$;%lALkdrDEjoLHPo<-I*QDPJgV)4TCC3%l#8k+~Q(> zhMeAUFjkkaOMV%vETrT8m3(3jzM_5Y0rJoI;!4tT6FwbSsopPNMEK5mh#BENi*TK1 zm&JkmEF`(=-&7E=5n}{wgHei5zFUKP8QHSzAo(Be0E_SmEsNIRr(ucl`&t$O0-|G7 z4$8|YAQXNhS}C@v8TG-^MjUHefNQgG-zRj7wR2`!9N!~HEb(cTkR)BR_mD#nUWq|s z$3d`#d7S@ZGspO5Lc6Eno;W%wBWMAXUoasPMT0cBscf|1*eNfY1@qEnz2y4YEEu^7 zkV(OuCQEs2h`B5_%2F2F2!&@TD#aRrH^i66Ho{ECQd@E!V3FKPA3Vw9z_pd0Yb^&3dk*GJBQKe3{|1>V?ki_Q>-Z_CSG zQkl2dI()1w=v&}yHb&Ku^*{_=gnh$XFtRD;k1q1m1=ftu>&_B8T> zyTfq~CRDU+!%eN9n4@pB8F0J=D3s-?_b?fU7DpbC`6xgf!D??{F*#yo)39c?p8;p% zu+=CQBT_8;DKXl+%e7z+pHhQ+gPpU{;X7v#ok}`&SjLS;YLK)L`$gwS3LWG#)vN7P zD%feB@&~;{Do~T{t}varK65@+W388Hl`Emqb=(3@55+>)&VF2s&+paO{Tt)yREP1$M9UE-r-{m^`%K%JCluO2(IMpt9+Q zHbT1JOQQQnYMWk1b!L4F3NNC)*RI>KADHCqFo>*>M(mKnI6)Lqm$zNj6~7g0#@mN;%_kJzp^rhF!@h0d>SS zTBpD=^39MwL=rJZ3?W=6iwWgC$7i$*jYUdUXysRNOq8?Fum+}h;;62?G@zvMT1kZl zI&fy}BWq4d=Gke(mq@Q zCm>}^$x6L<{tz_aQ17tzwhb^xr+C@=n%3#YYV-ZZTD)`*jw8CTG-!@C*iW+UmQA;i z=a&1&GS5R@o(;_Nb*6O*lFRosYQco>#;ri4rl0Xv>07c|&+0#I@7{v7W1$qf5ALue zu2u?#?DTf%IPPOQj{9th7QRK9ltN8R&(Wn6S`8r}Q*~HD3XW)T=OeVeU4??99aV+4 zVxr)-Z!F zqI#}@e#=x)UoTWz|5#t+8j0Juz6NP&+U{5DYy4|EuO8|&xRo?#k%j=Y<_>`8w7?n1waunYj>W8$EW7G8zvX)z;74=MZy=a?unx-UZliKQE8s%5lGyO}dQz|t$(!bmY zBd&iL#Z=}>!#0p3s`;>8k8jpUjYazf{Xnh=2Tc!GCjzBQ8d;IpH-(+qgKOU$HKA2U z8qsj6zcbeC!zuYS*zZt%K=q053}&v|QdzAwXMVA>s7eV(eDhOdbsyF{DzU-8UN(i+ zn?fsbRA*(QZ$KSZM|^PuF$`pHGH%oa)H#4?2x)>FnAQeVX=(#1O#y8EM7O1$2Z_0x zqY7Ie9s8KufXYT6xJ7_kO)Ua6A$)T{1v&BKAq&i(VcrNXpwh9gvMG>asH_HYj{5qu z8736}3{&Xgtt4W{O3pqyDD$0~t)$dkc^2vep@(6}OwcxDm;-P_Z%t*B1{V8tTWXmF z>Wj<5*KL8-AZYK$4uTd#Xq9eD-Budblf!Mr$T!_P^^o${07p1rg6?2^(Qv@b76J$t@KQrw z5E>jK47?E_^K#(7JFhwm&lh>c^4_PTy!U1KslfrAl=Zk<(v|n2`=~S?IH14`VmV9{ zJV4khFoReLdp}5G$fE)?#D{{j<7g`zdxuLnWufw92yvYjZ%&5r_#Bn1PqwyBMDBUR zNrf%|CA2rft85B^Gww$BHs-q+D`>Y>;B1eKP>RoGh8>$kH^;Fo0jgG?nuz04!pU(! z9p*M#-P?FotNfgtSkj0xiu$bBnYJ2>QBby2qFmOa5aIL%; zrv|mn#8i(E!r{uZT2tr|3Jdkm6k1(*O5`YNMrBigDRe)#^V8IlEmdl6fVv0NJD>_# z%G{#z?PuA`O1jWfQO2*hxEgE{j1QpeXtq)sE6?^0t@)Tz1mcj&m_xP!xJAy^15cM& zaK_osYeZl>)h;gYipAQ*>58LBEfs2;H6>rkHt;i#98m}*-fc-R{}Oo8)mfba)z z+o*1U(uxd9yklQ|6S%$~+-EHZH3mT5si1nl1@a0Ij{2|L!lWr$)MVz2nuh(nX<$bt zVq~sZQR5)2wt_%v444-mm>*HuiH4$5w*{eB;T~qR44^4Mv=C^!cvVB|7lLztSwrKE zc8S*{WB{rXDpLJfw7zJ1ksZ_&QAN{Ku*@K*)OPw*p7cfIDQX-qZ=jvV#cr+y%~x|3i1@kq732X|9W2jgG@2Jc<5sHIrZD9j5z(+2_jB!bTML3R8K{p zIw%x-+;>>zD*0rFex`~ScEV8Bfq4_JfuT}Vnb6s2Dq=(T!7QL2myM#Yt3nrq)Snco zr?w}6x={4RXf!GtSzE;04J4ad8&nFkL)hkDe-@FIobmz;t(p`Hp*P8Jw}Pw9?D>pG*Ro&j)3{#E30@%N{8)- zTMprXA1_LnV3l3Jf|)@mZ7 zb>H z{px*GVVzoV9NOhz@#>Q-|4W*Tw*IEoO% zni$4d6{dGov#9s+sNig0OSLK{46LCcLFej%yVU1zKi{)yG5_9HJOH!8Nr?LZ&a3ehP!2IBoGTEs*Tnf8YP$&vkz}ufEjImcR18J14{N8on2P% zqdcX|BANK=%L8zoiyen`VH-ac{U{XCsPGD$JvP1=`XDwxO1+$gK*5%XYF0Z~`wiKz ziSl_GCC*Wct(~YJ#9)@wNMP%qaZePk4e-7USYsmlrS`J@W~1R z>LeVH*$%2Htj=I$!`*$%s}-2mGjxw|wv+ccdu^iL^mX+)d+j<=ak`oUjyk;qj+$1V z;`Qb%t2bwrdUK`2dJ~JQgK_W+I+xHd%>mW8YE@Ud5v7gl`$;|87jT8j#Zfd^L~?~= zA1_smSY}lp=B-$n0``Y_37ca9Cs>x3FPgB6x zRG6HsFgb(BhV>tk#_D1 zv5U^6!u8eq(l7)jIga7;;jp#%+)lHFG7HwP9u8X%9EwiHM!YOCUP%o&zo<@Luj4WU zgWTi5Z=^ug6%3o#jj0Tnu~`Ef0z15i1^YkGmz*BpxZF~ywe>QVwk*@Jeofwi0836^ zbk1Y9b{k7CL;9iH{;gkuzr2xIU3HGbsc2rd-el}wpxcIOBFUx9?wZp8J8zsf1G|8N zp6vKEe|Ca`yokB@jT!YK`@n*rZ3gmdVK(QeUxxngn&ZT(D7x1MZ7W~H-o+%8b1mhW zwb%&O3{SctdEkrh5-W)(A%2ZL=b(eI8OvC^%MaO-^S}y6LNZBAjMP>Tqs@?rphz#9rk@-L8+ zJNrTM`y7VT?5GWv68T>^#)$id=;|D4@=f-GOf};DutqR}?v)3?#T9qaS`*4rXMBoH z{{uc*5Ru>$W77o}n=BXTW_6>y9VEiE9h*+Vp4jB2ViQ4Z&*CCJ;RF1^!Z{eNut|4Eh3*chIDv);-5tmALCX}oA@Dj6E5@@-x)Tc11PkZc zO0bXzsqjpv?VM-S8RCbl>H})%s4^{MH)iJ4mpAn$6BZaVfuZ;@-3C4SHB!>>om%FF z>uxQqV}7a32ivCgQV4kstwEXd!F)duJ?rq1wK^}lx5i+BjwtONqm-h%^7V)Rur9cS z9+MUXcXcgv2FiRd0kBm+{hieg-?PAIJ@FJ^$@tIlmUOX|Wxj`*Ioc51tms?28^vMU z^+*selCktfs~5ulc@O)qJnYvn`|Di(eO>lUM<5f`PS!?jrvaNt%Jxl zIN}4SYV;t#j0dBNnerf^K|c+kZQ{Au&&6)Ne#8;0Cl3^@;LAlvzQ23i70gikQbw zr9W5lJ*FJ}!W=$faI39$PeItI3R0)m)`6~RNrvtw-!H0h)lDz@YQWc0|MM1IWDQD|WlJTFwS@8*b+MbY_@u0G4&LO0PYi}6XFq0AS_vGTKMpu0&1td;txj&Q6S3`Av( zeE~-b(WEv)7je{al$9(4I>85MFwqwuarj^@1Ffv3AWNAiv<(BOJ-wj0$~M1JTCms} zVbVnuG-I`u6r{m7zAsFq`CsnNr$INQh&rI}?^4p;wN1JoLgET_5f^k3SCH!S2pp-N z=!nG)+(>jf)0<9sT68jd(a9jqWwD>L?Yyytf*Y|9aUM)Veh40nLT3dY{8rtT2Z-u~ z;KAoA9^8+?5#vEDK3qIl0EQ3`aK2$eSK`4rZ_WeiOk6wwBkpT-F#^k_WtGsrhNe;F z7_BY1wF(MIx1pfXX+Ci=6)Vm{++#_r!sgvLhq;oqmTYX!x2`I?hp}OxMK=UJo&y`_ z8ZiLD;nZfw<=FBZJq<*9$CjR1h8=0sz2uP~6627jQz$TOC}PG?q*t77`x(E2AUT-X zUTxY1Tc&kmF1@BJ{eb9)3x8e7>-a36-c|k{3C95}Y$6MVa9fInPh}?p8Zq{~0lMDy zBH{+rct`l&iWC9yT?kmXz&Xoh(T@ynA*)IFa*lObXn-yaC5s_sfeu{+b+(GtLRd&- zL8t!tw!lm`&-ZHplvC^lK7Fmp3rR3x(1feq1^EHGlJD^e519A0R-W_G&1(t0hMK)+ zxgW-N*P3?1mO9rw`7s*(;tpS&28^vX2$L@qTn;p`L_< zHk))$LupEm$|z~nLH4mbqpURS5m>LjtU)uia*A-hov>l`7=S(uOJnICn=jT8&DZK> zxToNZrH5<*y6y4+f!8-#h8?vZE#n@L1Q9D1=DH%~-=GY!l%wB=KH@<+9t~2->EB{Y zf8&|!8WfIX7U!s~H}D~0kqKu9n;cmF-o^Gtn-)SFf@&%0J+rzBEg@dDsJGyC2w!=; z5`k0H6F7@dJZXFyoWEZR9-$;d!jT#lbc9^Q%JP(|78KG5vYmnCXB2!sepPuEz) z>UTa0`x1+f7mU1x(OrKNb+S%SV@3 z3|=KGjgoC7nQzCcP3yo!WMXWTgXftA3`J0u6zp%0)elTeA>im%W=V8fh!du*r>Rph z86fh4Y^lt|JX^SL6bzO3IeN#W6yaAA9FYw))iiBRy+ z3*JQB(rq8vmA;9M`1Yf3;xE4a>D!xs2hg_{j$46wpu?-AQDcjuG1dTj;hcLfdxT|m zfRuvfWB|Dd!fRMJXHWX>M&ChT-RjWR7qCm6xPmwnv1K0YG$lgylIB%VaKX*gB=ThY zxp^N)I=)n8FqWY+1lZUyf=oo!*^fqmR~;q?D#5Yk!Pq_vf(k?A*CRX|J9q7)0 zxU>qTH=)5GwKlv9V{;2MC<}-}AS8ye0gj?H0MbDtD*(r#5i5o-d>Zjt%0JB*ksIVB zAT)I|$X|Tqnl}$XSwNEo=gwexG+bcx5WvlNNMHh{(`@W-kmu7;(G4Z1C(2p$MZ0vF zC{U%J$IsPf2c^kF$x$;SZ~w*m)wQdNTU$eGLazpVg0Wpx@%W|`u-+ElQfagqILcko^iG_ik@>#;L3I#C<hEdkE z4F)X#GLrNve8Q5jf{&j_V)JO*KGnv$Wx#us2A+jYfo zNPS0WRR-jE838qP>lSSofh_`L+hiz64D@jh06MN3>bRh1#nk?gJKAl{t4QCk0ymsT zWti7g>ejqP?4~VTm9pVA43s6@e2M$SpMo(Yx7(;6Lcayk=+kr&fZiU4V6eObeg;CD zvn$O%$>4BnZHqaqo8EQ?^D8X8;(PnKR$8I0%7BAzbV*kbTQ1DNavGU1vbEdK?PNWZ z8LK1+nVLvSA7{<>#)$}_je957B;qM-cmu28Ed&}&7mc74c?;qJavnR!Po_+t!-Yx8XiM_9|_pj`IjlHE{a_`OF zKJ49vy|wJ^&)$LT-HpBV?A?RCd$D(K_6}k1>)5*=d*8s`2KFAr-eK&0BYQ`%_fYm8 z&fYh%cNBZy!rr6Udo+7Tv-eo`9>?Aj*xSh7li1tL-c#7y!roKaJD$BqGtNY?_jT+Y z$llj_5C@{!`#SdShc}uI*DpTJG!FGNUQO z=5W5h!=lyfi;t<#?`CSn0s9pZu`&DePmvOf>PK@2<%VutOE7*#0XFT244N-dho)zOKu&;#wh zjV`;%7-I=hN;oG3vXo_8P^`2Tf`j!$^r$9Hp%_&Wd%QZNQ-jr*Yg%t*J%w!Ep>WtY#Rs32BKw7aQU=^_H}n z_|W>ewCbsjUTBUc>%lTQP`btJrO{!y{UIO@JB-)V#E(QYwRbi}{&J=D08^p{5BZ!G zn!z6WsD=c`?H~+iGc{uy3@Lg$4&eY}ljAx|hLV4Kuc%i+8{`dOs~#t7m$+O@m+l zjr5}3KUI9g>f=f-Y4ZoQRCcxX%2>b7YphRqoCe*B6OnPTeOLRB*dY{$Wd!>G+ViX9 z_JQ2q{u8z*R$pIH($HGH9*(?if59FUOAJD|6Jsl_CC1!c3)N}|ol|Mk*8U@`yE;nn$axno0Eo`upf^O-Hap)aFe`_F|}N?};M{^e|S;kg^|iA7NNk zg+l_3*dgStE8hf0W9>P?0l8SCE)Ky#!R@3Low_aui**oMzve!|}S<+Bncb?)(+Uu>QObeen@T<;8~3%GR3DI(T!t zhrG$8`&f#pN}$Ev;%LeCJx(V=&#$w82Wr{bye8e)G|5;H6rWa`ps7K~gxYrDxF5aq z6bb>`9l>O}R4c(bj5kT}k2-)6749v-+5oGUt>Itc(_L&_U+(hL+UPP=eW>ii??#Dr zTd{NA4Ule7Mnj21E1!DnH|*lV7!hM`*fN`uwX36jG5ceOUy}JOIvyTF@3WS&glIfb z#VeuInN2eqnv|45(bN$eu{t`fU`eALfy73X6ovTMr!mtagTeQ&eX;mLPKpcz38C34 zA%lR}!{i@=snQ}8x-5kSnxvH*$gnIaLcVwzB<_thphVy%E(7rfXIUMvl&{N!Nz=;% zueQ3vT5EC4kCroee3>A`g7ZM4 zz4)vhQ+FucJJxJuUNG#8ca(3ycf4Z_X2`I4lBNK-`b}PS{A#N_h(akz$&>cRGO4oC z%vy+K&d4?do$p0S?~tI+$*L?VQ$B#DClv#@Yx5*3n3gnegn4OYG*^CUJY)-=F zB78ncvC64uueu9~yD(t;j67k>Rm|!Pl6|bj@jN+R9m7h&u#)>w0>T}W4Uv@nxay)1 z9n7={`6L=>RQP~*Q2_VLt$_$x{-GyhLIu225s<%Pc!Ci~gp%E^EVh&}Zee1JH41hp zFUY(^WKQagOpE;Vhbl73@gI>nwhfs{jLa#VtSCm~7>=MiSR&-%Kpf?b2$yn56i^q% zavTCvRWiyR1_uMua&>YXRC#c3wS-mX;R1sSuZ?BwK4tJ?eRUAN0$?pfhgA~ z)~qVL-y4U#xoAPfN3Gv=xdVczWT6~$Uq_44X{mgvtafy6wXt)nHJw}C-MQ6_&aFmy zSgqLr_A80r8QeC}D)N8DSx~B!vBHaUYZ8p|^0n-iX?!)nO}h-UsGQDlIen``rw;7W zW88nFZER{57r3k_uR%cyyhJT*y3=LOvr=6ZXJ@3J z>eQyDQ=7LtwRxgbo8=xh==&JW+gG+JLC912RT#A^FxxO)7Remp5tKWb!EJ1q+5(T| z*B+gv-~UIojUyqEd${m}+E^9RyPbwq(Z-9bJiXS&Se+@0+XSV`;OT8G+$q1cGmCz0 zEQ+ZQ8DvSL!mivYdlS?HplsUqPG2zFALO-Xw!2JKbyqV&84|qNq3Kg?Ow~zU(Z*&Q z2@W`))7n@Rugt>{s?1uBgH3zF+&+i2@#)IAu{iS0-6FY+L)#duNjs@mJQ&e(l&mb0 zaLwULh*pV#DQ*V-u&5&jrpUEUPNz}nR(?O2S2_vifsTU#9pg(@nk8EVhE2u9Haa0d z$<+BB1SZ^}V;b?l6J(d)4f4yg9*O0xs=Eg6fCD%C(a`bHuPtzObbpM3Z8&jCb-0tl zG9Jnwx^<7e=}Xn2dbJs4vyxSP0L=RTzyE*(5%7OexXGCLKP2E;0lfv^dkA<+&^JlocL?}^fR70HoPe(j_`ZNu0)8ssw*s~Z zs4eDn^b>HXfJOml3V4@*cMG^wz;yy{5b$*YKN9eefF}fO7EoHvf1%yzs&2QJtw)Cak$-~u(fbs-R!yEb)dDyQNxF5Hc zHV7Qb_UyOG1K%p}Kw)3w;r~;C^U@?qjUM*R9=NoC)2q;@6}S?Ah`<9xd=Uay=)FbY z!de<7a2i|D&nR#ue2c(o5r%&80;eSy`Xzecvpw7=dDt)Tz*9W%Oo1!;Ve_yr61YOo z3J?2Y54_aF{aO$FVGn%0z-dTFzb8EGH+bOBdEgrbuJGq&5Bp6X_HTOFZ}zZ%-@|^Z z2mX-pbvJJ@5t({7Zo={A%>T&v>|(J@D^6@MeK4 z1+J9O5P>V@B|_j>Kx03nhkc^Jv5drinF8-8@U;TRxRCuedDz!@*vlUF+PgTtp~8QZ zz)3}veu)A%FbwUBzy}C?gTQYTc!h`mMu9^&h5ecZuJHe7fkV2>f61I4#l2qO3Vovl zuCzZ!fh+t@6gcG6?3W^NB|XIgSNOM4;Nil3jljbM-t1u?lEUd5ChRQ&SHjN}xIx&j z7x*B7Zxwiiz-56C6?jN051&+%=@%_A)3(Z zbux0oP-z4pm2U(kjYAl4E=>R&4j3^+lI{n*3(pEXH^S2jd<=#CFg%fXM&Jp@GXb8) zA%Gk4y#mi&cv6;T*isi|P|>{5tnIg8!ymQsF$D=@cH1__%Ko?V<>@ZjkpCEc2lYR|SA(sFYYuZFbj+yZ+( zqcw%fLTY~J{zdp|?^!m^b0WbVzbkaLwacE9-&rUWPFB9n4o;+J735{7rdgL*b8Lns zsd-8|t(k^DAcZkL#qG|`D}$RPmHqFMl#-U4x2!X!QM&EvHbcJEX3x)I*_0A%ky2*P zo*l=tU&&WjsSx=r@Qwqf@~@O@o*`BRl~Qt-9QisYr1%iPsc$rV@Rg_IEC9 z<055AYEJ56Yx*BC)ze*vOr`kTd~e4&H}~7PQ~2+}XSHj%PhXakx&&1tD<{jAg_dKv zHQ$htn{QCcg<_v-vleC9RK;KI3gNg4&+kU(a`&f*qjb09;~#|IroP)U^R21rs%kGO z?U`ZFAOnJT<7v6csfDRoq8W9Wj~h>|7~0O+XjcqoYe8CmR-U_gkPMTk*_fQ2T2P>} zHKf`Myz5ZgoAUEhmkGWKFP1D+_58HVWh&3ig<*2;l00gm4Ko(qjUK}gk9JHIZ%S%T zZqBkLx%L7B^3Ph3hbm1TC(j*gAbQ7+r8g89tq2Br7nzru4|ix;sMQ8vJF!@7&9S04 ziKJ$fT&8#!3|7hoqUVm<2SnkAXJ<$gCnis(@0)JANt!+7rEaGG6Mr2!YRni&9~tr z3%v(WDLWT^BA`77?Is2t^iBLHNWZ1ID1BMkRs+M_xIiV0p2m*Nv1eyvIFpPZ+u|5U zShKUU@(QvFPz{GuK@z{=Y73Yda&oOjY1TZdziD}PDRoJnG~B@HCNGR`K+w%-CbNv} z+*ER(o(pDJC23J^E*rHaC&N`VxsWiv!uQRiIUIQlhiu$M=C=q}pcCB7$t}#`tp$%a zI@!kfcJpX_h#&EBku0aFZ1k_%$eu6ycKLgDLY?047_9gVe;=#v_^x&12oi%oB zDm7R%nu9&zd09Eh$R{!xa;GHSmw~)pNf7-7%nI;Y--FAU*8a%lNu5D$Pwp=86n9r~ znnS~@9M0Y?{0n!b!d;zkw^q12Biw0w@$h;HcQwLYm~fY=geTl-g}aZ0yI#Uwpb}m% z4{w}scR;vH6z(<%cS!c1{wZ@02_IgrAHLffxNO7+g%2m4{#g8-+Ww!hkPH(i8WC$+x1>apSjHZF5tz?c7XdK1*#*{3HKyuHo9`d<@($aGizb z9c@5t5qXtbueJV$=T`x*_U+L(0FRG=5~gFtuJXuy@RuSFA=M?7@&ED9|6A!>E82yZ zhjQ(0mWa7qHni zdYqR=Eq{(o|vDTW-TaSPT32gccErSFKN0+ zUA*-^v9Ynf^t&}mN+cH%hUmnku3G6YQBm^}yGoM5pv7C#revnz2LWAP5q{dPFzqU7 zwOUxgHT{!ssY`M3gTwG8eG3eJn%<7aA-ibaZfu7)&3v%!2jxjzwh1F{RbX+prE8eK&4&u z6ZlM|K1Z^lwOfL=$RNd{#mi@{;6TYAe~AoRjCU$rjD-vS8;ACj+$lB&ghDPT3<~ic zJh^CBbC~o7V|Vr^u`opt3?v}tG!{|;+-HCigESXr1qdY-`C^bJLpC%F(38@5)`K+ z@}?0{H{UXH)UBic5Xd~Y7h`G-&T)5f&L7yO&!NgoSyVeccLaUnNQf!3R+QQRYEuZ389`dlBs*%` z6gvu+{1T-8o5I!OAv2QS_Ye=655z;}x8fn(Byh@4!l~^iKQr-=yIBIx1Elb&3{l+K zc*uSU9s`~{JpJ(G;~`p$@er-61$+RI%uDc4IHh>VKiW+ii%5SL_=|u<$IEyqo>%dZ zJM8pfbR7aD`_J)^{d_QxWYQsE3h_tzZ7ksRQ-LoFT!EVeuD~}1uE5P6_7xuXbsqMO z9`AH{GnD%swk8o#EDDQBhIco9kV% zl&5c(fHeXh5U@_bPX%lc@Jj*D2-qy(B>}aCJltLa8U!3JV3dHP1dJANoPb6F%>r5k zj2AFbz}W&O378^arhqm9R|u$tUn=m21$;uljRI~KaI1hd0)8rBgMf_!HVddN;_3Dh z91anfdYmI7$snmfO!JW zvgb$%7$wifd}kiks%B@}r78JY(kw`1V3(eXp#kg}q%48E0z%+6hkx;mg1>xb0TljS z?h%eXUtm*F|E5?MNeQX>k|{4AaG5j}@lUm9OD6kbX_hrlnt=th>A6cKvo(zc3_n;a zT1Niz*#}JFKP?jwVPsMJhcK+<7~z0gnA;aaR7hWFHzA5*!aj~t__+}MQ5O9b_sgy-~%rZ zoGu%vSR&*TJX}s^uFH(m>*-3Nzpc3mRMIa|K>AL=-w5zD9q(nT@im#y-*EKS&G#;Rz;XYp96**0cz&8rmEMVda?rx)iiae)L z;D(jlK1INd0yYbnc)##3V6%XVJV?8W+ZzPT6tJy4roEhqN*(2fGJ{g2J&LU8kNlII zDI5M3eKNRkia(;4 z&l=O6dwFhcoYV;Ksl(jYX1sFf9!u5VkZ9?NShJ@36atUg9YV+PQ+$e)CK9yU(C!p~kNJq3$B~ZI z6m~#U$KjFRG=xE%w4nw^A~fO)Z)Y-KL$XXN`2Xrb$_RoZ;PBGC;+-zG5+<8JJZ7E!k^j9r+B?=W;ml8L@j`>BVc}Qa} z{E!4U5}Z@ZQPgFDmt-Y>lsMa_i_fztK2yGR3YNJ{d07Rf>9gY4JWdaDTE#KTG-9D76`d5jX%l0Ge~ouo_HWEHbLII)H)Bdgxo@yaDOm2 zW8H5`ZvK)~8^WYH7=;J(*c?)zNl%&uT^Q>WD-DpWt_GgwSR&kbC@k@?6La(Id9c7w zp&Q|Fg5z>BauI$v*a?3^#>fexNJt7wb5#1lA5ZS=tR>dOd}~@(fz?z%EF%N%M$kzH zF8WpR&MC0wo4K|PCt*4kw7E}7O$WK-i{?Zl@d1R;{FQzxezavoLTbT1u&22-(V@f} zR{)uOR(iV#75n(f38{Im+~xCm@*h7r&OAG}oi|swZX39QTXTcOAK(m6=;;wl1}1lTwB`D|K;BZUL4u zm|JzYyhK3_C?OZRI20O}mk^(^IKrbvflIsRHVoBMvA$_#vH+5W@Ip7mp2HSLqDGD; z&;S32v7hH(grxj=+H{0lP)mOAuM`p<&%d_rS3@?W{CP=#?oS=U1CsmC8#19k^QZVX z{6Aj;idR2SQo82Bht`&@b39!B$fN5Yd;G6YJo(hq8~*mpv(G*M_ZK$4_|iXK{^u*N zZhGzYH{N{f?RPf+>)rR>|KP(dTeofB@zK9O-dRyuRlRHXp1n1-`}Q9=c<7V5`ol*) z{p{%H4adGX{^eIEzHU5u>hzg!zWq*aI_v!Yhab;1|8)Ms&%d->yma}>)n9+R)++s1 z1^%52^#7E=|9?9D|I_jRm-+uk3of18vjvy`@$|QA{|v77FQNmx_HE#QLksA&+V%Hm z)ijhAjNk)a?mus@Kli8jSEuLCrC05PzO@~+|2@1Y{3w@AFR2&4xv3uC$``r%vnl58 zJl+4f)Vf{iCHFV~^72YcE0E^Qo)Sq)Tm)|(9UnVqdfen0=2*;{(lB3wIV4(BFi#*i z^i%MgrO{Z4iv>QNt)b0;geeyGTOC{;Q6pf3fUDessScJynQ{iNPNre-AAx|s(odsDf_^ZMxJ(((; zCPy1p_!Qt3DxB(_timZj^c&paQ+bS5;UqOpQsI=IA{9>j*{H&a-xVsH%7?7NX9Cy$ z%^e@*f0PQJ4?IzY&jns2@LABBp!94IIOQ+#?`42Z4@}wUrK+o3%`T4W70D`J&Jq12OcGGs;`tkMuA(GPL&}*{M6e zwm^C`6owKP={{y7T*ZV_LDDnDgp))o8=3ednB{_eJ%=Xj++4vU;ff@Pi=iLHArGa! zJCeyRfsBo4A{jYfb?Vq1g+~%OuDi)Y^o*CJ#GHCXHc08kdKlz(Buk~<(=*K!Qd{mu zA`H@TYM(Fd-4S2g`{!|xte%N8+J&#=wr6-`PO&axR4TdDKKv}WqL4lP(|BPC9$uc> z+vk8H`g!^zi9c~DQ!>DJhAZXFaR=@dX?zwqOZ+xKj%XCtje2#?m*DBby>nE%?kD_~M~^}5z#_{wJ-ruD5< z_*GUWcwV)&r&3K6lYE`z=>%yFLPC7%a5|@_t-JR0P&wc&LdP|q z+I#shvw|XZjc;#G^(Gg&N2QBu6#sSPE(c|Sn-_@OCVd}@ht@9^0N;`*3)BL2Fwb`=`|wTCt##K@=%J z&v?ikUxP4!GNrb)kB`=8mcX7;!b>H&r!{9gV&LV2;_wWguhUS?BEEHGPdbwYpfH=Q zb9Cm8xXo9cc)lqq@{EtS*VIZWo-SprBp)g6$iKn|iiOk0oV80o z&wbvObrcTSyTfp=qkE<+5A@QSjq+=6Po2bCTLFPj|!@UUs=YgQxvcghIXF za=4-%)y-$BThyCUug&)xI0Hwm-t&BStILZQh>na_z1c zX{_fVQ~o3BX!JmJisB`GURsYOJzUSQ$On}N(g;`FEB$$-M~_Zvru9ea=cp_y?v;Lq z)`1PI4J0}hu26eGYnYx?les%TXtj-M4bKm%m9(PA`;R~BuhjN52H~kCek=VPwcga) zyX!8cTWzoQ*S^2I5$S5*-_hzIwYik%#4AemVti98K)<&3$|@$chx|u|VU2rr^sZZ#nb5$a&?V^uaHs?F)JNT=;$U z2lLK-eb0aiXP-~jkezfU=UVl_y8}PUxMjeYn>60BcZ6R$eDB<;Rn=c~MMRI@v`IVp z-Pc!KH}DbTp>-Dm4(%!(9N=70{Y3a%aXsMMc->cD%zoj(&eZu|zVXI_y@6)mUl#ZN zsD9=CNZp)8Jpf$MhkdHIod=DzmAZCyscJ8fZO@|VT_uU~669(!a{UGa7I zgr*^-(ebxDwRc|0XOpI$NgedsvGMwG|IWYg&11IU`4vI0^#4Bl*iikEZxNn;%?)>^ z&dA9cdS6JtQ;9yqMtwEn$H9qdf4jH#mEKKLABnh0+b1_C?z)`5#BJj(HyYpaNzA|D z@@Mr=4B2t;&WxvSih1ey$}844XPqc~_9esSS(kV2c_aLZX$hx&q}7qtSAVV>G&3%RZFd2Q&b-AnwFa(#AAu3i{<$)fH4W54+uuS7Ked~o7FZ|b}8-lHEqWX@XY zm2+AD{M_r7*JO{;c_;mJd*-p1!k4ZrzZWN(OX*j?ExF^o?yY%GbpN1O%J^W2;giF= zKVP|I;y?Q(Y&m!$@A)srn|g1VzOU}y4L#3%zJ9E6#;J*KT+S^_xbfR}{Hc`bZ=Ump z-{GXdSN7kSI`^THes@>?{E&UAY##o}Z5vI0_tn-;=(2sIT=U6yb1JT!eAn!CZu9+y zu!8XX`qh`Wo_X6hxT|qd%<>rvUp_R_bZW+uCAxv_2kYQhVhMX9%eBux z7EticidNq>k&`!P*@s0AFP-;_{@j2%$+&#)H;cB)cdu>Gf3x9W&F(p6`Z*uYulw}l zt4TLMuvODHHeNHPHlgpE((VDLD&m*DSX>)ZANjAQOM{l&^-NjxeGPq=9m-$2r|5-k z-z=N1dEyLfIwa}ErcW1S=dL{S?03gvF29(&sPOhtjy>}HVJDJKjQb?1b;_XN74tUD zw|{rzti^?W(zbl-O!oinbk-Po`ki&j-~3YO*!SH(?wmP7Gk(T*lW5&t(tq{yOuyKL zCnvrC_D!SS`$z6S4o=Kj9`XLg!pdoNHHQ~BUfT5b;+WdE-kV#K9q|0~PfC@RJIAm4 zc#r-uYq zj(+Is8%4c_ymR}nW1e<~2S*Ky59p?OF=pJgi0!|wElisH_pL9V8DCI!e#(jsi)@eT z2KGJv_J{wt>D^w5ub00u=6|vGCID4c-QV!O%rlpH5EW+}&?}L)Hz?zhJI?``8y<-cC&D zJ!*Gh^~^bcxNUfTY<->cu2+tymiKLA{Qix?2M29G8u+bq_`{ax`yNX@ox1s7qpyUy zcUwPd=kf2~@*4A3=41Dq*|x7$(u_mw{*aeX&HHt4UB_+@EJfLz3|o+O<@~|B6X%!z z-Yxjv86(g2=vrHOc7?BhQ10rHg&X|arzZs&`g@h$y|-2DYrX&dHgus0V6Mc zm*={CPo=^2#Nxl6N!^w4S>~HZet7ujKYCPVdSv3AGy>l^3CwHnzq z?wcTG%M;fvy^c=(@WE$-2VRTZJEZ=ngi{9|cFzsl?-Y5xcB}HvTiZUH`?p8bPSJ@b zz4>X<(xVINyCi;p{O&c~emm?reQd!`5gRrQxuer}`;Iwvy8hFUeUG;d>hSh~HXlTM z=(4NxUbhdv`t#kP$3}R*_?6SK&sU5+)xBiGXDc>L>J~q+h0F5be|>yC=;{qu|Ao_M zUh8#u#(eYfZJBN$w~UIJkzR%aRmWYc`xOTMsCIqn)e|pn&Ny*wdZ!&O?N>j4*pl&d zyI()uHqSe_RhQ;1(`N-$zS8f&BZc?YrvLK&SGzm^lIzy{;mWpuxji}K&-`H#bANpN z$$86)?&|ei{^#94DC_n4z?eNN7QWN=XFsf@tO1`qS9YyF(%yPAK0`<3hW>mL6ok7fP(-m%fI<$G*+dF|kpMSId#T%EYPXz!uV zDhK9IKRR*ml&w8~zaEsAF?LtvkK3Qx`r_!?m(9OjI(GMx>F%9h>h|-CtuZ}jeB`6M z`cLS+;Mas#zfK&p_Q29EYcH-V`r^`O&-@lOE8*m{jV~-e>wfu6>EVr^+@b8-yXirT z+VaJNb7D{Xgx?!BcXjSv$Gfb^O6l|RQvo&p@ss+8ZCQOGrNc)P+b{0=!}59MWhMQB z-v2SSEalrd_qm*G`>b3v;Yl+ms7hxT2f27MgNrXSxCSzVTR3xaYr&k{+c77PSmx}} zlR0}T%-Ji2xp<{A7w{1O4cESN7F&{Y=2`-Ud&IARUWGM1bPy5aEvF zG_s#8dW)FH6lx3W0))lz3+9;#qg})+fiR5^SqfoPMZC;}VR*)`Nrc596V_D-dlEl~ zFt?B3W+4ot7k(8J=HpLrDItvel<+Dg%+(Wc8DW3Ug?Vqn(82PnoNxf)4TN#Hh*t&S zAOTq=;b6j5ghL4LAskA$nlPTZ!s`g(2mx6QVH|1Ub((N90hyIBo^`^jp0F5igTq!) zUoAKn)&&T+By1!cO*ouzE5gx)Mf0-HOSd6@4Ds6%HW6+|IDs$@H1J9y464Yl6v7<| zn+bO!Jc)2;!s&#&5Y8bSOV~oV8{uNYa-UTRVeF&uDkUt}Q_BeV5p1@GuzZh3IbnI2 zZUf;Y@?SxC0O3l)$%Ly2W1GTj4`FP3cvTY~Dj+*T7}p%|sv$gFKz5q&2*Osv&~*7# zPk0Pr_P)>uX}UZJ;~EfNM#2*XWZ{HyjR~)4!r20{7{W^kr?`r9sRl9tCgM90P9p3~ z*i6`kuw0jRC7e!tH^LUe?u1JSdk`)o>?!>(66N(KTuyu+!WD#l30D#JBV0|`pKuLf zBVjAy0K#&;J&>?mZx15OJ`ni{CTt`eLO7amC}9)faKcH1BM6%bM-oma+>Ee=a1`MZ z!p#Yn5pF@aoN!CR6@;S+R}pSSxSDWl!Zn235VjI-OPE!P^0y;wB;1~GG~o_}O@uoV zP9ofiu$gdY!s&#&5VjDGC0t6l8{svC;|Omc98b8Ca8JT}2=^jLzsOi`B;4*h>yLcZ%{x5;hXvMC zAzIW|0%1?WDTKWUPmA(wDTJXvt|Ke0JykC#v!!;AU zaQ^~cxb}hpDZZNqFS*8t=M3?ZE6;`OZo>09#T^cK;d%~UxUPp6 z?qk3U_if-+Xe*CM2Ul6~%A<5=P(E>;8Lu2z^TrETv+>G?nDLrJ>s7ecgx72eho=zn z61!={`pzomuiZ3iSnXDl*|hy@>_xNC5%Q1DwM5vZ52}5%R|oAN2`w z8e!CQyYPv`Ied7nWD1k9rmhNcu;8Lp+|squybDq<_>ul%Fg= z>R~Lb=E?XALCVON@<6?eh1^oJhSV{>G+TVAr(VH zlPQ0w&zPQ+FP`ni`jhFSe#b)Y?v7I88?E>2?Vwpa+TdWto9Izd0 z^(T{;+nz6M-`ad)JJ(`t?+vkNAF^E7{qn*Hdk?~FE<;2~M z;zIkOtw&);>@f&?f*L0@P}miWQE1rRP#%=bK&lyW+Sp#txMv32rN5j}yN?+I$ z+zl!&+~0upF7t;g>X_Oj;tP8+&{i+PKG?$x`(Wqi^Z4v~AnXC|UKUp&m)|&Okqz}* zv}?N^)3$?TZe#O!1VYd3?O*8GK%2a^dZP^|EnY${gKhdJ`fJ=(D=r}?eE*lY zgq#N0?3R#|*h7pygq)IX?N3`yZ9YW)?d6pDlJ67~`5I|!HzHr-Z21)V8mY+#)}K9H zk*}e)e9L^v`WE(fpeCPlVC-PG=py|=HvJLl zNI>l!0Draitq^)#%!jO5k&jWfd-)Nwl4Vx@+Pbkc14 zBhskb~|wi|Kdywx(NSw*v`+0 z_+@L8?QMjHkNGic>=4GE3_78We}Ja^$RBTO7b5+Ey6|Qlf2>VEM1G{z#Qb7>xXWE! z0*gKR=pwK|@x71`>IGhMo>QvLVS;EAwM~;2`Bt8@y+Dlm2eF4rG1`6e7TO8K>Sz8 ze+uCz2u~s`?Qss__lRFi_$`?p&Fjl?Vkz;L6F;5OcPG4t_;Ot)hxi`E-$49V30D&S zhVUN38wnpF{3YSjgjW%+C%m1o$9^Ht&k2VU-aypQlC!p8~c5dM*HG2x#Hml8focn#s*gcGPewjsQM_}PRl z#Fy)!mBh~@zM1GX3(4&h>|A1}g3h(D5W8HMjk_%!hg371fKZ^HG&UrpHKppfrt zgu@BHLpX-8?AH?rzfb%W!aE2XslCZ{)=9)KCB9q-?M*m`_;TH`l=ACC{9@wE=ZiH| z-fqM%C4LcMxvm~gcn$G45#B&pJ};C}dcMT3B>ot}>6Bg!;XTBkML3%HEeRhXeg@$+ z6u%$g)5ND~Hϸy5@|0%*AheZ91CA@+B8wrOKU-r|bl%H7Q#}Hri)^L85_}z)0 zK>T9Da^1Nv;S}O8BV4gX|`Oa2wJ3{=2h+j|f^&@Vi(rw~pfJc;l#gsUig5aAr+ zKTf!MtBAiB;bP+7M|cl~4<=kn{0TBV@k0o&A^t?d8wjrO=pG7!_@J_NrZEV z|0v-a3ZFo@nD`}xPZPfn;Zou+CG0``D8g%qe;45mg!2g-$$xXgmBgP$cn|S=N=*F4 zgys3)Xu?N`pGi2J!nYuNn)vC2tB4;@xSsfH2^)_HdEG;J68Y~yIEMJSgcAtQC7eRo zS%xQkf^ZJuGQ!1#UnX2icr)QOgx@5*f$$K*m4q#X#k?%OsZw0xIX45IN3}Q;W_PtX zi&i=0b2gqz)bev_HAnJi(JG3>vuU+N;yjoK*M`r788|J*xehIsr*vfayLEhV77Ig& z^586|HoTnWmi&d9^5Sf#m<^n+nFkau;xC?_k}-(+`%GK>xGsn1C8a#Xe6cwDg*g!O zQF!(i-$`hXN37G}EP%MgIt`u$${o93bXjP+MerIA4RORJC|I)LBEU=Qj+G=gGAG z#k-2pMWko1Z-Hmp>QCStm_^fup9AYGT8wAdv{z4NSK#TP!Eg$2@b}KG1uPs-xaorQkFIUUO zIy1IMslQ?!P_ACfbx^sgju_=>FQ35pS6t%#LbG5!U0h=Q3{P51jO$&qZS7C2E7|ie z*L|c5V)QTNC)USi+w7KDSCp&hxSo#dj&gM!*Q;^e$KD>r`XK%lmsrP=siA+If5pF& zkMh*=MSHXJ5zn#dpIHCHzv2?>!gzXJVqE94>yKC`lDiUce*&hj^^ft}?SWXwv*$;w zGs|5JVjly>FXbiHndI&U2K}8_36d5=V%g#)mMv1OQ_EcuVqb)KYpp1cSm(3nN37%6 z+mFEZ@(7H7Wq8yFxw}H_lRzx(1%$=tGPQ z#5%2A-gq)ttDj=sU+zl5eH>VNyZ(rM0CKkq^07V3-7dH<1nUFO_=`*I6R_CYi_jkN zS6g1KySBVyU4K60LR@0~-JTz@UV!#Qj413_v>=IPc!6_l`4Jf35+E*t3vKp6;3C^N zPOSIa(-)zvG%aDhLD3MgE@_DCb$kyS`-U7ClZ(N|5kGG5%fF$kRfp}-F~5Jc54q>- zA1PlVSg{88eCqC)-fwJBG!dGE1|78dZ>MDbtp3|s%SW$C8vpQ9mRq{k*uvWm07(|7 z>2^NHcK_q~by&x*w&CZV#p_EO7XClCVIE!m$|_Fb&oy`XOG_&n`e%RZaIFp-ZGnaS zZ!D1xr_wM7TW$Ui?cNUgd&Guc8e8k$W>}^TTW{RCC%&Y=4P!hQr;HEl+X-%|2Dk!= zYpM9YJ~;iGKnuKMqAvJCru^wsC z{lTvzty*)8)9TBwZs7RMS#Kb%e#7)8Qpg9V?78i4AufCTzKuwYhX=fkwES+DcaU1L zc5_1ze0HIBM|!JQIZZ0LF6ipX@1uX~om)7q_{r}B z#4I?M({#gUoSN20RdRRd`J9@F-j_&2tN;$Pu|H5g- z)m|T>d-ci3IW;|UlGCI=`tCq?i^mh38c&|$wEW)wAEA56;U_p{XHIci{z<=`=w30Q zjMMVBPI6jRmGCk5|MX*=nqq4>E&nv4ipM`DnbY)-@;EK=d74v}_%Wx(F{e4T4h;AN z{g;RL<+P+alhd+U%Q-dv_8zCEA;$zRb@>$i*KF*4r*9Ypg$WYWm!D7ca+sT{x|d8Ygi1LP0&tIc1Y} zb833*45vx!1G#-Ntxw?8{McQbmQ8wq(|D=jbZFEb z3|AJA#A(&}>73Sl`Y@+#;ai-7{&8AfUdO2=FqGTliaC8aE!jMkQ+9j_r{+tqaB8{o zIj0rBo#xc~k@r`aUder3IZf|4mecZ`g`8THr#ZE5sN^*I`VX9%lxu?Kw)`5yCoLJk zsikB(r`Eg&IjtD(#9X5v3q}MH+nrfdAxWjv#mJB<@ zsd3VIPT9E7Z!mm%-`;}yP2!Y&Tg<6t@w1$khi>Pz`o$kOwFX?_)Ku7PABKl^#Hsn( z6i(CIFXptS{|ka9?clT|?ii=l0au0l&&|HY@YT=u6i!QyF5=X3*K?ef?cc_! zHSQ><<;&_hHP?7o^YrI8PHxGmX;N2C*_cF5s}o0Z zTHbaFrxxc~oSJ_q<}~SzhdE8RJk4o&x7RoY`@m_{)1Pu$q3q|>`tvWGS{D4xX}ZTX zPRpP0K7jc#2Ssvfc|3+wBkRqnY4%`FtM`rLly%M&c!`D6q;KxyG(G5XPNP$w=d}Eh zH#n`?_JN=$KIgQ;m6R36A$@z?UC#MZsNoP_nr2AYF}dRoXmcM&K^vhsPua6k2}sKdVhSpe@^nQ z#DLd!r+@RvrNo!Iwv3*ec`fmqkAA3JKIZqt5YxbaA1P(Z+Y39d4|4HPb{+h?D(o3o z#c9}~w-*e5JJHY7+p5m@Q$D-kHuU?<e)-@0&8CDXo3=VzIzIGE;+$7|y|-{8;| z-p&)#lR}jAW{XxY-|wT`_r~H5*>8s_Z%ljX^HHS%%Cc&=^j!gAO1($-{#`x0DSeN3 z{`K?VFy*;1h1XvHu)T8s12tP$p1YR#l=rAFp6}L13G!K(a=P$RV*aGv9y|87P}U4j zz4UuXE2Xk~_sL0N-ISgQS?!j8+e|6>YkBhx(^@Jgk9NE?YIs{^wNL9K(Q5(~&tF}h zO!4ldT+d$r)`U?lmFZ)9MU?rpQhIfme7)GeKJlxlJ?%iMJwwJ9UkzB_fo!FxN__G6_LtwFW&V+tJvQYXI)$3 zduqC>1WzA()bIJOicinXh_W^vm8EwTCzQ^OQ#P%CYvimc{gkNrD~`=-ZB6_uvTyhA zhxb>)9xq&cIx9p8pYdqznUy`18S@vMU%M(%sVslo+ApP#(tgsLfBXH^PubqvY4T6I z`Y2y~^=HlRXCsx3z8#j0+t*XszOB=^qA`7xw1-Nc>Jaa)SV#Qo&F=7_dhDRoKlay_ zcC4LJexPpO^8HZ0d0swUV_GR+y*|0eS&OgIE@?y1eM>qkEgot0S-z=q9@M?)FPmHcfh{X79Rg%380g1Ft;LPuV}^)4Gb+qLpVa zOlh6|U82(4`uv0b?|LZ5zb@O_rc_ZbJl*1KKu|B`IsaFtKHRda^4hjO!wR12qMVqd zEPBc{L5X*M>5ulc-4xFWD<+>G*GEa&HKBg)C%u$&8Fl`xziz9%GA{9O^zoj`gt|vE zmZbJo{9ib9g_!e~~%% zk3^w=-Idb$FLxf*zqhh9@%Nh7PIpo^wFl}|#vZzK-!jQVYG zT2JM{Id1i)Q~i`ac}K0kJljrLTCwuo2lw_;_H1au<_wKjS{@8tTdMX}9`3Zz*Eq3< za>0=C&cgluloJ;|n_zs^N4ethLZ&4KzOX#=KuN;(zRLQ0JAU1xR~NY;?c6zKF@crR*4y_DhU9uKT{SCv+2t51F$-(T@I z4e+zRo1jc@_T2*mlU1cxQJ=d!r}tHUj@UNgp@H$r`lFi-tG?=`L_OK5@3MprifL7t zUui&p<$CIz$B!j;SHga8{m9|JK~I00{lKcp9hK!Bx=tJQqpz~7r(37m*J=~v`*$g| z4jiJ~HT1&k&;Q*?Ihj8E{v{*YD_s{RpBU)dQ8A1O@`&y*QknAYccER2hbt*Fepoow zJVfN;=LV}pf`71n)+_E^3(ipr$W zq^kJeaeDFgokNt$^`o!lzR*v3Yu&W_Uz^og+5eaS!q4_5D>Y-1c8#p+sJwV&-l7qO zNlIX7%`TTg&6L$C`##P7JW2Vc=g|SdU-VE$_nSR_)w+VjmF*hbEJ|zf5Y`D744Mf!y~;u-8Vpa>G>qDY2OS`EavumCiEJtq_>XgdE~y{ z%7JZ3rX68zmAZc~yyxF5l9b;k9_usri&4tNb3U&>=`vFBS^wI;@9rP2Y@hhKujMjQFMs=u1p-J{m&^wP11}rijC%Qo8ePA%W&P3{>ee62HyWqkQ12c%d~Nn1z+PG@5JkBVdSxePxQU6w%`}g8Uy^lu0Hxu{jcBs>zevi^YUYcudb;-F5Nai z{he#-qf1(}sathTjqg&K_Wpuv>gIxZB^#$+Q=1h6yRP0g>ns(L@~{K$kOSJmIXHatCN=T-HI<9E5fx9+Ms@X;%Gv|oNzjr!tl_ zXqfN*)swEO*80y3D^+kW@7iZ;`>SeA)lz47zpLu<#~=Fp{_|JVi*BnQ>HO0b^&X`( z``WH6YW4O{f-h~nqPDpa-nqq7SJdS_en`x__loNJ_s(BWWM5IoG&{Xz>F6u!KDQ&o zQ+i)fkCx;m^@_ftu4{d?`v}h~YRsmWcRW;gS-q=l^^(&+URIk~K996~ep$Wt=fmBa zZ@R4RoIWf4-)kW!)uzTFQcu;Z2g6N|8xGd1eQ&@(>f?I#&9k%pw{5IfUwFiD zq3YRsb$G>F)_*-zuWnmawWC8(y&C>d2K=vAgWZZhWn=2qpLT9u^i2PHwS3(&!|+bP z=U2Vz7M@;WaI067mKd(Np1Y_vA9Kgpb|)^X=Und{Fs=Hcy4cWl)q6WHs-K;y@o4?_ zMRj?f_h-NP{6%%oy5glHAHAsh?tU)7W8p>h-8bS-9-Dbloioqy=~ojjszbu=EZRT# zqWbvt0iRprFRD9!92;y$br;kxdMD4mc>IEz zv1e)f_4_ZVVR@f~=6!NOO^kfiYuLLN)Utwc`}@CqL9MDT?K|`d;O8t2%~^Uujht!d z_0ruJ)Jv_$&N`EEL49?2zX!*pUQn}Ic~9Om@Phht)uWXYdR$PGG7SqZx4EFMey4lR zd%+h}x6n!HOIT4&?d^YpQd3B=k$!l^JaqSt z?dR31I}Ed3H=bAD+}ox$zq2W%dwrwN6xAFo7z2G`PDh~_{#M^DIc9vr+l1R{@tc? z>TtvSx0k$fPMul3`PV*Aol{Fv46R*D&#CtWzccjsqI2qu^vUu2=A2WX`}X`7U#Fi_ zzncHWiKFArsaK9>X4elnr;hsjEmMcS=hTN=9&R@y_MAF)@?Gt>MxRrI`32##{q`?& z2me78s^Q96)qT@z16TfiR&{#gb@PsiQ%?3ht6pwC>#wQZ&Z-|9 zI}iW0%~|#RKYyRJApERaw%=rk@I9-hJMHSU$8c87>GtwR4_v5IN9@1;^5{S7)MrXY zRJE(AQ_Ib<2Cu_FyDS}b<;yxXp!XdsF72#SlR6vTcG*&=x_)wYRn!}G>e|4Q9S5wf zQ(tqboKo;)of=e88dyC_%>(rhdmR6bz>(ma0?-sw8Q>WIhDzUV_t4`g# z;EDTQ99O5VYC8=6*Qry|!=Cv-sZ)R1@m%qQ_&T*yV0mjpr#iLxN~@(Gw5(H4jZZ0A z7*eMmt(xgG)Vod%j5fgkI@QwhlY3n*)~X{bm-Ih(rdBPgRQvt=M6LSK@UAn@AE{NF zFMZ{0w{L6J$u&_|TYp}wcKmBd((n&!)nB*Q&0PF$t@`vmkr~@wuT|Fu)I=E8)~YYO z@>t2Z)wSx6oy+d8c(hgx3||@$zO+_-;JaoKk1nWH7ZwhD#4W#8HN;&tKb}>q`gWK% zt;LjD^~=N8UfnjfR_*tVm*2FMTD9%a_{aU!S~Xx#PxxP}Zmjz2k>y=#)gGohf1A{% zR&Ag1dW0zw`24C>ON@q{SKI+xuN$q`t?Dc7-n;zQd8=CX!l~Kk&sf!f^kw7SPFmHc zhpgNX{i9XwySC?qK?kgAzaMstx%*42diQ|k54~PxRrkEu?#!tVtm@V?T?@KxvZ}8e zbG(+Wx2oy)Z(9H3i&izw)6hqK%Br5op7-8ck6G0Ri~~JdJplNR%8oDHV^w!w9O~7+ z(5hYuT=>G)SyuJx8?^^UWm?sT<`tCxJ=v<<=)mR`vIe3$A9xSXB=fr=>~JR<-w{vAx=cgMWTm)e`s+mWziK=P}@t z6xOll&g5HFfp#~+FQ9mLHwlk??cv4^HCe1{sGkLsd-{2?&r9w@%OWiI`B}~izTAgb zM7Sk|&msSEAEur=eQg^E2NHiH;b_7Y zgyp{PErh*^zk_fH;a!B~KEAz#BZz;9u-vD7jBq&dPZE~)DL_{MPD!4eHOzPTH}ydDj{ z@eS>`e*sZf{?8s?GH~(B?)W7N+*^R}HOE~7^1Io%?j8+yKCIv4?jcMU-(`>A6NrZW z7xQ3^e+EyRG2Bx-6>^x&-Er?u7GUx9Vf?PIV?OT5$%3zZ#W%qhdBu~tBW|4R@5`-WAlfnSk-@ z8mO_dZ7<}yYL|zU|Nm4TcKKpD_}u{9lZw{iW+_jymEoVtU!@elLA0*t)s!4|f%!CBS{cQ$Z(i|5O3|8b=`)a7{p-HXjX9!(2_^ z?;=S9%Zcw)nFi;pN88RoV}6sNZ$Z76UtqA?C2b0hYerf`(No|zYf!qf_lO3oC~CWd zO4H0b|nVS=vd|633Dd=?{XM!dnxbh6p#=0GGc@ya*wr%U!cMI91QO?!1ptyg5KbJZYFTcfNw~e24M$)%OJ26gQ?B_ z^Z3!8+w}lWBqCS+lHZW-)a%WBWwVE^+_vhIbzd?!I}}_WEpQiqzH#4 z!qNThhZAiV$C&s%qG)Ixb}hh|ZdFd9P52$&#^YnO)Z!aRXalfC%!T^Iz5Hk&v6qsz z&fc12d_y#~A?sR}*7zb1GVz_Zq96}mS1tMBhe zf+VqqP{!B>>{8c0uV8IV;C%g4lb6Qwh&+hzf}zIs1)i*(DNx@HQ^LLS_~pDpb|=I> zrGcCp@(Lk$a^!+OwOH#@iwHcC%Q2jlJmuJYgiEbbmn#ytr*lPUJ5^sc#c6yVY(Os$Bo#7h;}SSjtzZk+X#k3eG}sV zw4zvNT|t*(;hkw%Zt-OP&&rLnBXTs^um<%qz*IyED2b+1L4CGsMbq(5f><1-AxeUB zXgUo?HHabpNlApHZ@(l>$KSXls4rMACMaVxP&_XsW?t-CWS64k$aa+hauFj3d;g%- z1TmHt@mqB9$AW&K{PDDhESroU=fjYLIwbvIPQ`^*LTWaSZ$wWd=Fo67gF2rFAyKEX zpA(vlso0-(v>Jp~4o6=o1)THLNH4;Xb<6(S>Zxfsbqs+nZezNiOraQeo7ITgE5u;rX#MrX2 ze@D-XsLKs|4*SSdc8?DI!rY%k`1aa4kui5U;5`CcPg_SNPG6*u{)8p34#=G91eaduf;Yc-|`st1Dw|{7i`L z#6G%ioRU30oPWhOBg$`YYYj(c*lXe#6-NQuTElaH;u7}}3I{;|g|t%!(m0HoD0M8nan zU5eVLBAFYU|Iz2iJ{E7B=B-MnkFVjAgQFH|w~AVerk6SctAYBewRG5*V_h}$I}I!g z+8TV*B0k$rYhZQo*%y7-FGu!FJS&NjR>RS#Xes)25sVGb9t(=Ugv}P%WOJ9j5jqID zi**CL7Kyp&hGQ9RnehojTzS8)Ovhh%HVY5KoeOni=e*p|iAf%=CF1&Ne3%=H_io6; zbiO*dru;NY=N1m7l)p7Z%Zb*% z?6_RFi0-!8+Tuq)@5U+v-B=miO0|ubOZq{#bO=)c{8F7Ct$$2^kA`0Zza6EIaml!~ z>0|ubOZq{#5-fi(lppSM}>9MZowU5r_sFKxOQue?&n4I0<0HsRuv-}Xz|dhF|& zTknjWj`1eJ>kAes=!+1$i0s@~7uy7j(5`Wl|)Ef#QwV zA-IPor;TK=-N72?%DNW89*VYe_&yHnKv$LoeCgKKWMZadS5^)iU4$FFVa4pqN}zA* znwynTl+m^)cxTX0uow(yGEJWWFZbC1*aLBLYFgV#$pg?&h0YBfD;v7qf&Qu*xDDfB z_vqZvv0CSr3~ooj4foK9bcdl6vo`d{)2MIYX69+IG*=V}g*8vYutspRm%}^>J%%@Q zILn6xr+KsBcrO-Q zV6+&xUzkTI0KXV-fp?9k#UtI_>}E2!IWf05C)i}_#3BkpOs!mu z#)Z}xLOfVVkrxYrdJ2KM2uTg75qSlat|kKhqxt#uP+fV@MUhd{YP;-Cy%U)-<`EfK9}+x3 zb({{yvQ;$H={Y~=kdyw-9*2z1Rk4gc0*^9D%^{5=&}MdpI)`M1ID4c8JEQxb-55(l z9_o?CFPA%%3oj_Xs0YB(-KLvTMatvyI6Vx^1LF=buz*ZWUOWxV6ERQASF|PgxTi;fi^Vw|bVi>y!k!p!YcM~MFD&De z@Nm~$h38+$7gB?hfjNN=*zzIcX^J{%3%0Pb47W?+Btc z+zmnYe1*7zer#tUhDzp!`PJx1lfU)(;Oz?9bi6C`5A?RkdY9Ay9~%rRasj*N%)HYe z{dfc8ZL!Fid1ZlJLLBA8qOy!ED$Soo#rv_Sf^chSO>lK!6|^&bdQD*|+ndED{WL{o z+<60`T)p3l?0Np@paCc_z1D(y-&b8rCUQPyQ<`l}@ z3?N0`cEHU>HEA>{6J8e@8>tYua>YZ)KLS{eeGh(Yv6CFr-M4{NzA1pEbqzaa1z$XXuY zZPjdO?af*jjb^R0MzPlMBUx)h3Jb0YtTvh<9E?i?Px`Y!Xxo9Cz0Ee6@UqevrkNLO zb~1o9D>AZXS^lgU_-(d1*c{Q;odsrvLf8-%2zf#agMBN{4}2Ke2zfBpfvrP%LOt8! z)?(?7l-oxy=34+^T4I@dLRsRWyj@w4HK4}7+P4b(Z$lej)}|WoXNc zR=*mbYOg8}i+eh^zp~BoJo+%-RaCAxnQwAKc@}v?++HlOKqF5c&X4(ShH%`EFZl6c zfvdnz2Vd5qs0Zti)tz;SH?aUUeb+<~$qftIkPm3DssgQRR$h#TH8{}>XZXj<_Z&ZG6Km1@k z<_qI77#FXCegf+|7337=!NNf9VOaqz4DuFsz-ShB)`xkmg0ZqJm!z^C>M6<(bUYCB zE3gj6t9rh~VeXJ#2&5Iv!cad^mXe1Q^Q5JygIw<^KUn85mS{9Sbz~#8@uE&hEcHfD zwRTDR)w=Pqu5O&@&>jgJqwTM5>$g6xTVa_;J=Nw}ABXfC;l(0gJRbq$

MfA_2)rLnd;Nm%@~!JXNVpLz>f?_H?E@z3IJ6%2J8y)S)5GX-x;Z(T70{XEfuP%4`;}jMZ#p8+-UG zhtyASjw{^cf0Fx-e?br-I%+48h(%)3kd-_Xp)6IYLsQz&g}w}9EK``vQr5DKeH`Zk z*LlE8f(X&cd5J_U5|f6kpb8k9|_sn zoK6(tl8p4^AV2>s#qBFkHR{lq0NT@yz6@a$f1in7&txG>SWF{y1C_*VJP>tF&q$vTkr4!xgO@D?klCex+Dzli+5>~R7 zjcjEX`#8igPIG~)+~lv^SAWba-t&c!U9C3=OJrgYk0hibJz4pcd=#N1<*7nV>eG}~ zw51c>>C0e7FqTP7V>Sy|!b;Y%iS6v=Fef<6CH~|V_jt^6-VnrBLU!{!AUx4XKuR)@ zjRF*3J0%U?O9ev&hs=Q7v1%|o8@iXcMt@Vw?{!t$?}b6tlR#3K>ONJTobkb}Gwq&Q`% zN-Y}Ei~!ouiLUgfKSLSG7$!26+017tYuUO>G~=1V4Cb(aC9Gf#8`#1Q_HdA6oaQ3exWxmW@QM$7;rl+? zLRcaaoj4>W73s-FF7i{Dl9Z(~HEBQ-0%%7kdeE1F3}-asnZiuwvXEu0W)nNu%Mng; zfveo*F)w+`f0ZD|eAm}Aitt1u7V$|!O45;;9OR)O#VAb$s#1eGG^81=Xh&yy(1(Ex zV-(|<#586xkHxHD4IA0UE)H;vGhF0PZu5X=ye5cX{oEsdCOlDyMFNtMn!is5ud|V# zqLigFzfqg|G^RPNXiG=B^7rZKbw36(fSA6y~smHEd!B`#8pV{^Smic*zI8{iDMl z3Cn+$DE7xD5h=+)cJfk$(o~`b^=U?HI?3}-BpnZ-g@u%2z~x{J|vttIToCLYA?b4eaCyXSvQ@Uh#oo zgRI&4g^0u;F=@!muN0yrm8eZqey1Zn7{qV_napgKu#ydIV>bsl%4z;tF4=dDJ3Qt! zK?ECYt;EknAR2K0d%An zg9&6B^I5@qwy>MSoaPcYxX&}*5p0S9*ReQzN?di?{Mlp#wtY9O% zILsNYaEHgd-~(Uyez>+1k?6!DDXBkagkd*;29tI%HKwsuZc=55|E74d`o6!cJfk$l2oE54QWAJ zy3m`!jAAl#S;|_rvX^6==Nk8T&IdyN;d2n3grp)fxhX<{1v~v=hB%~z^xhO;_Dp8Y$w4^ir8Nqm_GoR(GXBS7gz%8Efk?+Q6BN2&7B2tru zJQSe}Rj5s4TG5H#3?-1M%w;KS*~(syaGJ~9;t{X-$aiC%n~20DAt}j7P6|+h3e=z> z0d$}zgBZmm=CG7CY-9)fInH^m^MF@;=Ep$iB{oS(PfiL_iYnBl1s&aG6^?;w`}^THEkfqN>LwDH+H`QT|E=_1~yZ0G;W_NG36t zrL1KKhdIX$9`lZ`{B4r<5u0RWBsawQJIiZ1l$4<<94#jIl|NBAq})vs}nmwe{O z$$#zDU({ogkThhcAZ4h|w>13svgN;*o&LS-s~o{Nrm>JUZ08VXxz2r_^N}B>SnCjr zq+}om`6*6$s#A|X8CF&4BH-<2Qd8}bOhq%C9UK3)vXEAX|LK?D@k8dfd ztVnGd(~6GtWFSKr&L50nB6C>6x2#ug=Mbm3#7!RZlJ|Te8 z3BIMYvOJZkPA%%uh-L)Ph7NS07Xui^NJcZ32~1%IbC}O!ma~@4?BXEDIL$?_af933 zLWo)VK0gtTNJJwJ2}waJ(vp#^{7QZbQi{q{qb9YfOMM#Af&kjkf$sEU z5W^YGc&0FeIm~A<%UQ=}wzHc99N`3Kxx}B``1^c6$9&4qgdrkPh)yixl7PgdAT{a8NEWh_n|u_c2*oKy zc`8wrn$)8aO=&?Z{!i1!_vlDB`ZAP12xKBtnZ-g@u$Im2U@wO_$vG}_od-PU9Uloc zSKsGnA`pWFBq0U=CrRV|8OT9y@>7Hol%WEZs76id(uigR(1Ff$rx$%0%y9l-9Fv&F zEatM1C9Gf-YuUgSwy}%79N;LYxX2Z*af|yr;wdk9Ll9pGKF^wm9|*-Sgd;N1h($aS zk&M)2BpbOXKv7Cjj!IOg7WHUIV_MLL&h%m+BM4*)vsuI{HnNig9OpdOxXlBe@{0F- zCd7Pe8h#->QHf1Ll9P^X*Z9fs3utXp-(TGJn5|e^7WFQMU$U`BDQ1fjC5os7x^hdDauoo+BBj$t?58#y3>n( z3}P6g7{?T5F^@$oV-*|N#xC}Am=m1k5?8swZSM1ocYL?VTuDS?k&u*RA{)6WOmWIk zk?Pc;5iMy=d%Dn_p7doPBN;;=E#k*wq-4}~Z}Daufe3RI>lHK;{B8qtE^X-6lz z(Tf2LVJy>_#R8VIn)PgAJG(i^Q7&+F^NZFQj(r5 ze7g&w4fDjXisOl(UU&(XCQ+a%5Vai%53Jdl=W<7 zHwQV%CGPT&r#$B^?+M})UkJI(97|{-5|x<5B>_oDK`Jtnn*tQ2G!>~%P3lmeMl_)% zZRkjM`ZA0_rZAgDtYkBLInG6H@r1X0<;Ufo0YoP;>Bvg~icyA2)T9O7=))jJ638^> zvYK7&=O|~nz-6v-om<@D9*=m+3tsb%PXu3~U+^>Gh)86j5}nw@Cow5WM+P#Ho!k_l zD5WS*MJiK=2DG3(9qC4I1~Z(Ij3JPTOl2msnag~Zv7Q|qP+MtqWxoOEO)8@b3!0ZLGs3RI>R^=VE3 zt!YPRdeEDG3}YnYn95A%vWVrZWfMEt$6-!#k!#%J8E^Q^_iKz#A`_E@q$DF*$wdjO zQIonfq$zFbNH=;jkl~DBBC}b_T6S=l)BMQ;Uhs*(t<^t>N_Bmq;6UY>%F@rfQU@5EF$aeN}jPqRQHg|c*3*PgUAJ(~cgd;LB zi9t@HYEhR4G^RPNXiG=B z(v!XnWGEvU!#E}~h3U*AQq`#8igPH~P)T<0#2c|{PxH@HWHB?_@g zL`pJ{oxBvGG?l19eVPzJJG#)5{tRUlc>j9@%7n9nlS zv7G~);37A9z;iwjVvF+=iP$6|HJQjoVaiaIx-_FTo#@RF#xRxntY8y+IK~BT@|ZV# z;rp%TR3a0b#H1iC*~m)~%2JiuG~stT(u+ZiWCAmo&k8oMor9d>BDZ+VD?anXHs>b_ zaY;sc@=%J3RHGL4X+lfd(2;KRV;EzZ!b}#hoONtwH-|XIIj(YxhdkvqK?K{bAMiJR zCM;2iMFNtMhF>X6Me5OnHuRz|0~k&qlbOK+*06&E9N`3~Imadb1osY`tt(Tv||LwmZ>m!XVdDvMdcS~jwceH`OF z*LlE8-tmbLJI$$tAreuEO+r$Wl{^%oEY+wM}qIt2M9$tA`zW9#3Kdi$ilDWrzoYVKxL{?gId&~ z0ZnL08#>a39`t1ZLm0_eCNhoLEMO_CSkD%AvX3L2;sTer$~A6so4efSA&+^=b6)bA zx4b8aPkbTRZugIngdz+PiAHP^kd#!UCkr{rOCgF=hKf|97WHXD3x1~^UFb!BhA@&q zCNqNttY8B>IKT-maGkq6;yG`4&nJTI@!9#2UkFE3;*f+iWF#ATC`>6TQibZ&rY;R> zMhgP?oi=o&3*G3=AVxBpaZF|g3s}Y)cCer0oZ%wZxXB$J@|fqmf<3}*}znZ_IzvV=`+ zWf%K7$^|ZQox42b1#fuA2R`%NKKF_+gd+;kh(kOQkd)-4CIgwsPHys3j0#kx7IkS% zGg{G(PIRFgz39gvhB1mUOkgt8n8{ogvW!)%XA3*n%VCajhKpR~Cii*D8$J?Zzk9{c zL?8;WNI+6jlb$SOCpQHtK?SN)pO&B&HbGKTR?XC6yg$94{KnycL7IUo4$ zpngph;*x~aWFjZ|DMneUP>V*ipbeeqK|hA@2jiH+Y!S;$gWvX+f(WhZ+% z$WcymmWy2F26uSC6JGF!4}2#0aqTA*p$Si9q7$3=BqlkjNl#|7lZ$*5q8OzpM&6Pe0P=CY8btYj@4*~(7#a*(5(@%<@tI8lj1Vp5TXycDG@Rj5TnTF{nGbf+&v31ljBS;|_rvX`Tra6DuaY#ZcGLW6T6rnWbsX}cU z(~1ssp$|hC!Dz-ajd?6%Cug`v5TVcMJ7lCVC8BU$kGn4r&W*IA4 z!w!ydmMdK27I%5XbKdZgkms#Si9ihElZ=$4Co4I~MShApb$y+}0mG3SXhlD30k%>usl9G<>1iNSrO&B5)owy_>6&c7ueu`6` z>eQhTt!PU(`ZI!YOkxJ}S;i_hu!DUZ<|OC1%uOEflvjM@yG!~VQHeuhl9QV3JmeKY1izy15Rq6UCN-JKLouq*kN`T;k5NowHp|$^ zcJ^|N^IYKu4|v8KKJ)!mV~n^YBq?dhN^S~Mnkv+x5iMv-7kV>@QA}bgGnmUFRYIck8gWQOGE$L=U&%*dN>G-{G@vYwWRHG*KXiRfj z(Vouqq#r{W!z5<0kd!?8^#u)2~P|Xl7jT)pa8`wOBHHRhXyny zfVOm{F9R6D7^X6h6>Q-U$2iS-u5g39Jmw`I2zJx&{s~P)Vvv9oq$fLh`71@$%Tb*M z1kjP*3}Gyjn9c&$u$6Z8HG$nwxw5J<=8Nw(gFr9fUWC_bz#kZ_iZeb_;ILryoa*1o)<^j)m z#d|&z;;wZ)zYv}%#3UYxNkLjNk)7NWpeUs%PZerVm&UZ94PEKQAVxBQsmx+NOZk>H z%8hJeHwQS%Db90+8{FkF&v`=-UkQ27cqa@IiAHP^kd#!UCkr{rOCgF=hKf|977b`h zD>~7g{tP3KNla%Bi};q6%8l&g5GT3FHSY7A_XNAI-w=*y#3m6bNKbb1QiL*8;y3Ei zjCS;(Kf@TsWahGn<*Z>N+t|$kj&h3gT;T?HdBk(x5X4tPK5#7wLqwtxn*<~!73s-B zPV!KIqLiXMRj5H-8qu8JX-^k=(vQK6Ujm67rf^yAs_nO zgd-|(NK7g+l7oB{r3{s+Nqw5qiuQD)FGCo`1g0~OrL18yyE)8hE^~`Vyy7EY`Tmh- zI$?=SOyZM_v}7R{`6)_iD)AqshV2b#Ne6n+kHL&!3=^2jEatO>m8@ekJJ`!1j&p{K z{K+lu^MseY;}gLjoA3CUa6~2saY;mS(vXpC3nIMl|Pl+S85R4B$V@Q2R&!7svc(?;r2IQ<%XV7O;dBtYHIN*ufqS zag0-(;}U;zle;|RDKB};e%z~3B@)qzLqd|0iu7b5CwVDEF-lW`>eQwI z&1g+0dNYVo1TvB7%w;jF*~nIQvX{f0BVFmk0ERGv(M(_(vsl0qR|hsrImmI&a*;o| z$3vd;h7Wuu_zPp7|1Ttzc7!H8QHV)A5|NBlq$dkG$W495b8q$;&w5C0s=}sR8 zFoY3|W&+cg#XJ_Vj8&{-6WiFuJ`Qn$GhE;b*SXDo9`l^nyyp|aUK@w}$S;H=3bBY! z5>k+c3}hh(xyesqic^~MRHiz$s7E835kMO{(1jlKVF1JUgRx9t3Nx6)0+z6n4Qyct zdpN)mPH=_`T;V#mxz96R@qy0-e`8%pC_)pCNJJwR@km56Qjv~KWaC%zQjnsQq%0Mw zN)77JfF`uyciPd3ZuFubgBZpijAIhhn8iF6v5Zx$V-wrh#Xb&kj8mNB5`S`&yFBD6 zFL_H4UkLHmSSAb+h(ZkFkcecYA|08?#;@e1AVn!jSt?SMTGXQv%?O|k9q2+2`Y?bY zj9@h5n8Y+@F^@$oV-^3mvd+1-v!7F3;WkfrOR#sw2GK~wKPH83sYyp>vXO@Z6rluV zs6bU}QkRA_qZRGwOgDPcpP~FgAXAvld=|5u^=xGi2RX)RE^w8b+~YAXc*{qEy*CE< ziEu%tmGsQ1t>xZ%21xlRHqj8XhbstXhR3O(1Sh< zU??LQ!+0h$jakfPAxl}wS~jqS?d)bhhdIt^&U2Y-+~OXOc*aZK62uomeDs_r6k&)! zRALf`1SBB^X~;-ca*~Gv6rluVs7O_6P=^LIp%rcE%zu;~w)bTa!x_zZrZAJaEMhrp z*vK|^bAY3q;vAQ`&K(}`gcrQ!Bf&no|NKN)A`zW9BqS**Nk?XKkcWbl;9JTnD^isj z)S&@QXu9IV@laD_Fw@wy=Xe9N;j=ImJ0Hag`g~;XaRf z&THQDk*|FB+0R7$Ojsfkh3Ld4K8Z%y32#$V8?xlesKpDJxmaMz-=TJC*x6$|=rsg`3>x39tCTSHAzEy@V$!u}MHu zQjwl4FrwJ`-Lr1#Nn}G~x3=^5gZ2qGxuze}3SkD%AvX8@@;4GK8 z#%&((lvljxGaF)e6K2fEUW{tRIxW0}Y_X0w2$tYSS|*vUQ)bAq#6 z;u^Pkz*AoFp5VcQ2m6VL#3C_i$Vy%cP?S=XrwTQwOCy@|JMHL95Bf5Q;fx}XiA-fC zb6LnzR>ZRkihdNY8b{6Qd-n9dv)vW(SiU@N=W&k;^?j>}x<4i9<8Yd-LW z@4gEj>_&H2Rz{gZ}`Axf`!yB{>IOQB_dIXK^zj0gyf_qJ(?Gl-##U=(8+&m^WYgW1euAxl`!D%P@r z&1_>Qd)Ut*j&g$2oZ})_xW-NHaGys!~4fehg$7BN)wC#xap8OlKBz zS-@geu$B#MW*a-%!+s8NjFX( z?B@g*xyd75^RN8t3jFH|{Obz*>k9nq3jF`^3cUOF3=Cz>K_p@lkHn-RBiYGK0g6(J zid3T(^$DOYo#;tFhVlo2Okp;QSj`r8vX8@@;ygFF&l6tqj!y*t$=ZOhL?Jc_NKP6u zlbd3crV2HvPYc@9g`Nyx7-N{kG-ffEg)C(yYuU(FcCv>99N`3KxWE;zaf^FAZV2m78-geE+Z ziB4?dlbGbBCOw(SPA>9Mh+>qY9F?d>P3qE+rnICr?deQ+defi53}+O9Ok^rEnae_! zvXZrIWGg$_%R!EElCxaoDmS>p1D^1LH+;giER8zUJ6iz5|p6=RrrnC)Tc4cX+>K)(v_a{WgtTt z$r#2nnd!`CK8sn-YSy!v?d)bhhdIt^&U2Y-+~OXOc*ZN<@sY257tZf?_?fUoBq}k9 zOG1*8lC)$bD>=zS0g6z9GE|@nzfqg|G^RPNXiG=B(v!XnWGEvU!+0h$o!QK15zAP` zIySM5UF_o!$2i3~F7YQfxywVI@{+d%@r4lKJp=fOFhn2z8B#Iz8$w)>9Bua+&@h_=oS)QZk-Fxeud;k2ZKD$@1-ZQ&%7^4`+M5Z#6Im~Af%UH!aHnNqS?BQDuag>vs-soaChdg(yZz%2I(U)Swo1s83^>)0*~lrW?KJ#~_9>lCex+ z3Nr{}9t&B@O4hQ0E$m=7`#H!FPH={BE^?I!ZgG!?JjFxwNKuJKbYc>R1O$+r)C7`| ztOSvV`~*{!5|p7lm8nh$q12-h&1gkCI?h zYEzenG^HhN=|~rP(1!sGW;ml6&t#@Eo4G7t2`gB`*KB4xyV%Ef9OgKuImZRAaGjsI z%LAV9f+%sVfxJx&ViTXlBqJ4R$v_rzkehrIqzJ_+O*tx2jhfV^E)8i)OWM+rF7%)e z0~pM3Ml+ttOlLN8S-=uju!gVM%yxFMkMB6laZYoN3tZtkKXaD{JmCdV;u$}06NA{q zCo#!LMOreDg&gE29|b8waY|E;N>rmJwW&)(n$nWCbfgPC=)(X8Gn~Mo#il zfI<|bBxR{U6>3n6I@G5z&1p@0I@66_^kWc18Oc~CGL@OkVLppk#wymak*(}x58rZ# zqnzX{KXQp{+~79%dBii`NMQW@op*>uToRIm6r>>?naD;?@=}086r&_%sX!HKP>VX$ zr!mcGO?x`ijb8L)5JMTsSSB)+nap86i&(}g*0GVT>|_t$a)_gxMo#ilfI<|bBxR{U6>3n6I@G5z&1p@0I@66_^kWc1 z8Oc~CGL@OkVLppk%1YLn5JoVD2~1%IVa#J8OIgWU zHn4>q>}Ed)Il>9f5Y9!e62UF*@sOuPN^JZ@BRVmOLjnRwPHF;DA&g)Q6PUsb!kEWGma>wyY+wsJ*v)HfeA%s$oMl_=p?dU{TdeWDH3}FOgn807j z6#Zs0hp$+|O4hN7ZR}z{hd9P*!nwpXZg89XJmv*albRFW;XUFLKnl{3p3LMRH~9&s zC?zOMMXFJohP0$3-RaK|#xQ{?%pi<;EMzGwS<42tu!G&~=O9No!5PB2$Wh$XRHG)fsY^qe(vr4xqzgUh!vF>| zoY9PDGSivOTo$l|6|7-Bo7l!q_V6u-IKm0e5Y9!e62UF*@sOuPN^TB_#@oEhd&DCl zNk~B&(vgX51d*G36r>0rQIfJ$pb9mpMIGwXnC7&mJ)P-BFZwZvp^RiK6Pe0P<}jZ{ zEMpbx*vM9PvWIUu#8FOimT)d|l?ZNekB2-ZQVR1xG@=ueI3yr|s zqLiQv<*7_{LI|ZEjc7(I+R~9O^q>y|7|d`+GoHyzXEt+Lz!Fxln)PgA8{e>(1ANah zPVochxy(=8ag#gz!egEj zIhC>V7Vi>^IK(FrNk~pA-X|TI`L9lppP82rDMAU#QI(p6QlBQYrV~Br&rrrNjd?6# zH5=K%UJi1S^IYQ=PxxDE*FQ0dPg2s5ksN$LAxiKumHC8F8q$Kcbfi1|7{Um~GnpBL z@fAy0#dC^+ z&uBz*+R}l}bfqVK8ORWZGn#QsWC}9~V;&1x%1YLn9pKXu$r&g#8!6jXW6aKAx?3D2=4Qo|48fnBmv1tOJ;HrOi3yc zLIYaRo^JGI2qPKC6y~siWvpc@dpN{N!nwjt?(>)zL=E&^k#~tr0+Nu1OynRhA5w%8 zl%*oo2%!#5XiF!$F@TXwU^??y#zyw=9Y;CKC4S}+k!f2*2hp$+|YBsWieH`ZkSGmC*9`KYm(py7#n;66)AxTL^AeqTQ9t!diWvNU} z>d~CGbfyRW7{X{KF_U>LWCd&4$PNy1oO4{^Cii*He`IjHh)V#eNKZEMP>_!(OI2#q zh}L{gABHfNY0PCYtN5Dj?BP3(ah6N`#LwL05zmR5@z1Y=Kf6x;C+>gCxMPukq`XgN za`7P_@iCS8ggP{&Ic@ozUJPV79OX3UxyCIX@SHa@xn_t>B2o}Y z7IIO5qLij0HK;>lTGN@|r@kJme>sqLid86{tcDYEg&!G@&K!=uCI|F_;mIWfIew!$Ov` zj?L_3FNZkJ8U8Hi^|?X>x46$Eo)bBXu@as4h))ty@ID#HLJ)Z=Kw*kgh6+@rCZW`) z2`yOMjY;*ppX zq$MNS$wLADEQR&?h|-j&GSvwolzKFx8Ljw7X=h(&y3vb%3}PrF8OubbGLt#XXA#R- z#d`vXYw*DNJ$7P=Ts^!l%@w zAk?m%;Y351t>~M%2S!@gix1;G@~t_ z)1BT7VmM=&%xvbfj5Ta#C;K?WaZVG?C9ZRu2RtK6PHP4+h)WVu@iG~dSqLHz`3a^d zB`8CAD)akP*A_|xn$d<%bf+(0Fp>#O=Svo`lCRmu9u9Jxvs~aBKXacayphZK#5=?x zF)2yM%Vbpsk%#;QQ;d?7r6Sb`p$-jbN-Ns)IX&phAcirT2~1@cU$THDtYjUV*v@YD zbBLpyRZ{x0giEo^IYX7_jpXCJjP0N-Xj4?NJ&~Uk%JEi z<|9f|ks5^3fTpyfJ>BTbU`8{US)<`mRJsuM|pJ%DW zBq1sIt4XVG2C|TY+~ng`3aS^OIHf5^C0?bPdQECmmxeUuucW1ZZRtoCdeDafyv$(b za7Htp$xLT9FEdxUn3b$&3%mJ_6I|pb4|u_UzFFYaAhrZwO7BPrJLXwh-Kr)e? zT;wB|Vw9pBm8rp})TI&4X+uZ4(u@8KW&~rI#B{=#&tg`vmW^y<7yCKHF-{ZCMXqy) zM?@-U%_TaqNkj?)$wDp)P?XYCpgOf_Ky%vBh29Ke1ml^;T$ZwqZS3O+XSvKxe&IQP z3$}(4kEFa$MuK>i{OUz0Nja)elR7k{Ic<5J*E8_HaRxd&x4YAafed97nQjbP7qZRGwL|1y!mw^mn1Y?-M6lM^{JQni%EY-G>wQOJuJJ`*B4swJO zoFSZxTqS~A+~XlniB#Bp5RK@>Bn}A(AUUZCBqLb~A`kfqrYI#SLwPDwoe)B)M|i(hImi)CaE5R$a+L^fagT>Q#XklT zDJs#3PE6vEfB=${nm{s=l_2tvpJ0kof-;n+GSvwolzKFx8LenXC%V#;z6@jtBN)R3 zrZ9sr=CP2atYj@4*uoBWv!8<;;RI(0=OR~$;1>6I$WtN}HGZNIotVTS0Rbc@HGyO# zD?#KTKfx5G1Z5~sWvUZGDD`MWGg{G(PIRRweHq9QMlgm6OkoCL%wr)-S;<;9u!SA$ zWg!7c9bkf%f{X8c4WIx&eu0s=@*Y68hfR)WYweu61V3Cd8O%2X$W zQ0mc$X0)Omo#;wW`ZACqj9?5Cn8FOgn8!kvvXZrIU<*6g&3+DYgcF=0oQqr~f?M3< zAy0|)k?|9a=)@!r2?!uLsR<+_SqUN!`3a^dB`8CADpQ>hLa9e1n$e1ObfPOg>B~Td zFoH2mUGOKRHiy1gi?=JX{6qaR-i+eoeDgHsENKuJKbYc>R1O$+r)C7`|tOSvV`~*{! z5|p7lm8nh$q12-h&1gkCI?Bz>vnp|E}fTEP9B7c+`+CynbYdX@6 zJ`7?wW0}G%=CPPHY+*kq_<@W3#BCn(g1?pWypxxSqfAUn(vyvs$@6PjQ2EiX^|Hz; zzt%&Pb!kFtI?;pv3}pQ(E$Y&kmUN&iy&1@G#xj|i%wsVtS@hyirML3s<;0_OYPSi5K*AtU? z1dx(IG805T3Q?T0ROS;xX+U$@(wQFgXBgv{!Yt;ogtcsC4~IC(d4A#!kBL&&dm)6ar_Hl$$gmaZ!JS5V` z&R?SQ9tnA$APQ27s(eNZKBpfen8G|(vW5Me;3D_=TRDGAA}MLeND#r4rYd!5K}UKp zkP%E`77JLx26k|OW1Qm(w|T@H31)#3c#ulbPHEQ-X?oLS35Dj;{1)7~`1A92T;Q4eaDwj`0Im zxy2*isOVZIHi=0|db05Wg(yuGLTOAJy3m)QjAu4WSkE^c<_E5Di-){X$?qaI0i+=l zxd^5N75IeDXi9s!F@WJrWG3@j&U$vRpCkOhWo~efXZ)?QXHvu`1?dPPKSe1`B|@l6 zOFpMRBbmyVEM^Ux+07wNa-N^K%M+qhF-~HWh*V@Ci2M|zELHfF2DGFjJsHRdCNPuv zEN4C2*~byiaFGb^^Nhb$^(>S4Bqxw;;kLSKe4fmtkMC7bw$gPhN9DXLJLCbXvqUoeJg z%w;(n+09YTagBRCCt6MGJ^{Q>Rz9E@<*7-1TGEC7jASx%Si(AXaDWqBc9t!g@pU{BTbfrHdn8a)rvYIXI<5iBThjX3#yx{Fxjxj07Odg6-ma5dD8J+3N zNG3CvWo%>*#|Y;q?(u@Ze`=lxAPt$xLt)BLl~9_{o*sO`7^d?TE7`Y%{yOpuL$K+%oC;2EuamrGO8q}sCO=-cabWrb1S9;K!ehg$V!x+gJ#xsej z%wRTOvY0h&V=v!xnv49*6aG=&4D~sV7{nt9sYpj=a*&4)DM~5IQd=(-^k5L9m`oUpS;1O1v4g!F;v_$Eg&W-EF_G%Jo`_Ct5|WHG zWF#B8$VVZHQ#0AEq3|I3_ZcnS?Qy1uS7Xt60m| zY+*aQ*vq#Z31c3MSk78Dv4cH)$5Bob&SfIF%>$khxuN&XyTm3T$w*Cl zvXYDZ6s9<(DNiM;Q;WJZqB*VUKo@$_k1rU`7$!2EIV@lWYxtVYY-bnyILJ{>agGaI zH+nOGVT@%W z)0oXX7O|W)Y+x(ju#bZrBv{W`aKz%!yWabF}B2}s8KWa4Fll=&!33CdBGTGXQnt?5J$ z`ZI*lOkyVUSj;Lmu${de;sob-naj!u?(n!4V2m$(Fwiu7b74+SYk87lD!b$FRZ z%9g*@J1D!+m%)r;A~TrFVpg$%?d;_cCwP?~)Gu(A8{FXmPkE!6Yl^ptNn8?|#GhIKu^g;%9#036Yw+PKiz| z;*pe81d@dy@)AsO%20u-)FhPpG@&K!=t55hFocneV=^m>0=OmYIrM0RqMpF)(NEETCn2z6*gOFGbvz6@p*6PdwW7PE>CY-cZr zIKeqCbAx+4A#zKf4Twp6l9Gl$N=EHLHg|ro;BxR{U6>3n6I@G5LEonz*y3>b& z3}qA(m_`^2Sk5}Ou!{p6;S}Lq;U@QaN|aXCBw~?(WV}x%g2+c8j&VG*a16R1kW8Q4-*prA1PleVWjMHgw=~deE0I7{M4OF^yS# z$yY39IcwR#R(7(7m)Wm8#4%12&J`lK%`ZG5Qd{qx-{-AAX#0Jif9LI(-hX_Ola8$9 z=0l26hDy{Rl!mmRJzeR;7mQ>QGnvN{Rac)Zleq&%nzW_{_P`fF`u09i8b;Zw4@gk&I(9GYDfoi&?>1Hn5d%*voeu;UqtB zfvfyBH*DYL7oPBfsO^2m;~m~3J^`d44e7~35PA8KA{3_#6{t#0La9$)6ar_Hl?~oZ&oIxWOGB z@|-B2yN-xK91@X?)TAdXx%hqZX)8o=%2J6M)TTa7X+uZ4(wl+&PsuRvbqtf3!CV%x zlCRmu9u9GWa4r+U9Uk(Ws9l`r#3UX8q$H5c1n~jEd_);4Qk_q!M-y7nfv)ssAj25L zBxW*~#jIij+u6tWoFbgdL~w_PJSS>b?~$0qBY>0yl9?brAefIRLq)3dDfMVVD>~4X z-V9&}BN@kJW-y1ZSi(xyv5D>M=3Bn!IA{2g%UtIc_j$|1(Wg*L0&DU&UCwuvhBb?w2;aub@ z5!~WFk9n0B>QTE}Ux-dj;*fvmXD9OiE zqB^yxOCws)md^B`AA=dmc&0Loc`Rln>-l}QXxqUa4se(goaH=MxXvx^^OzSz>FJp9 z4(}1408)^K^kgOnc_=_(ic^LPROJ(DQ;){9pe>!~#-F9PK7$y+c&0Ijg{)vbTiMNb z9OEn(xy~IP5viBwP`pcA0!T%AvXO^^d_-9)Q z?BgIuImJ0Ha*dnZB&M6dHIkcl%OmXsYVEOXh2h1(Voxg zL0<+jjL}SBDzli&LYA?bui3&*_VOJ^ILQxO;3_w`!vmi3MnBKad7GHTB@xL;O*%4@ zgFFs{ud8+UUwW&vATF{nGbfY%|7{W-#F_{_6 z;VYJ~l67oiJG=Ro?>WvHe&jOOxy5}R^Ma@YT>rdFY!Z-!l%ypi*~mpcf+U}LmcBY;auV;e&!yJcutgof9+lx zO}}@EO8_ZJM^=1~QaUjAsfnn8Q~rVI?oKPPysV`m6D5|IPMp^=~=CY0h(vTRh-7 zZ+_vvOKcL6f~qC@<4c*@AX_PEQ6fjB!k3E(=-4YQAO*JK4*39N{EC zaDl7bifU7EzBIuXE7^S%SN`dhwnJTNq*oWKXHruJR#CB$C~KG zB0fn-Ng$aC;sb&yMrkTgjS%Y4fTpyf16}Dwe+Dy>aZF|=b6Lm=*0G5l?ByUw`F&1n zyGR6gdCUu<4)@uYcZp2`l8}w4ejs>CZ66F_kbDu!67I z&OQ!vnhRX#E>DOu!gWM!5|fII~QC(2CFL%@>SfGGQ!YHJjPZA&zp2bG*zY zJmrm%jyrD=gE+iQLS<4?{kk2f%tUr_lb=F-L}|)Xg-`gD&uB<9 zTGO7+bfXvj8O#XAFp;UuVlE4Lm1XK{*zlXSSNpbV+sPijDOu z+Id855|NVhWFrp+`G~SqrY4`!m{xS8JN+2KXeKd}c`RWy8`;4=zUL(2T;V47c|znd z|9o!#*}VN%?fbj;@Gh}QKoU}tmW*U07x@UL7^NsjWoqy#b!kL%+R%}%^rAn58Npa4 zF`Y2xvzQgEWh2|z&F^zS+xHyfG~rw(f;&9r&9RO#@9|fXNWY|{B9KgECpY;iL@`S7 zF_oxB2%*%c2`yWx`+dSk| zUZ}r0-Z3E-@kvS=GLe(~6rmIqs7`Gf(42O3p*MpV!FZ-IhlQ-*kFs9-7QSIW-*b|1 zu5yb9Jm<{`)-Pg{h!g~pgW?-8++`~amaE{B|;2uwjI?;JS90Ev9MuNysQOZ!65bDv4c66mLLm0yp!dS>k zHn4;J9N`QXiQpbji8{&eCk_FmCL=-QrzmBpObGR8MmxIFmm!Q{3Slf{B^%hmevWX4 zi$rjbr~GeD)X6^g5`(xTCIxB9L=N)uA;l<71*%btx-_B%?f9IY^k)d8n7}l`n9mZ{ zu$i6g;}FL=$0e?Fn+H52$`s%Ed6#%3B{k{EN^btYq=45IrUV~TnNJ9%0nKPbN4nFO zFBri%rZAJaEMf)g*vwA$afsubtYQP(*~3AO^8=T-&K(}{g1=33eG;35BqI$O$w@wn zP>Kpv=Tqv@gjRH*8~qu|7$);)nWfKsmavMi*~%`y!<^tO=ea@zxA}#qyfM>t$2-I!5y^RCa$BGL}h9V>VwhpG7QZEgRX+@3ULmJ`Qk*BOK=xX9?#5SGdm4+~omJ zctMoe=7H$MA}$F?Oj1&inzW=R6aSfH_4*+4@*zbiP8rHmg&KUyXEdZKt!PJQy3>b& z3}qDKnZiuIWC2TA#dgB;})=eWo2nDMJOSQj^-$ zr7)w4T;M9Vc$NF=k9khy`JRRG7Vq*N z@km5cQj(SoWF;3blV4egk0?!fs_+T5sYhd4(w;8#VgN%K%|xd2CI3nm>A#HCtY;J3 z*u_2$a)guozy+>ygF8InDKGQJSH{oV#3U|>NJeVXk(nIiAwR(sqZH++Om#vCr5=rG zPHQ^Qm0k>B2qPKK6lO7(g)Cz=>)Fgs_HvM;yiTM@r_93-oaZt>ag)2e%)?*HXUfP6 zT(d;yWnwAgk(lJ9Aw5|LA}=3Ogc6jYJXLs^Pn5N(OGBE{l6G{WE4}E?KgwYHhBJl< zOl2lt@)b*1!CE%3m2cR`L5^~Yb6n&aH@VA0o)LMWaTA?b#3M1uNke)vlbzh;rw|`e zijS#CRcaDSJsQ!RwsfL9eHg?r#xRlTgz-n2uYEDgSB&M6dHIkcl%OmXsYVEOXh2h1(Voxg z!OQef4qyl)8OJ21@iMcNU;bKOpj^r-*0YJ1*{1x4eH`Q%r}>e~L~w^!d8Gd0H`{M6 zwzd(ASBdwV`m45AWukwuFNOB^$wW@_QHbKa%E#)Jsllhzr4h~fZQ9uGNLP9>fY*6F z1Alb}hB#kFFqVl-V-|B+$a2=Ok*$2gUcTcnCpgP_t`Na(e&Gp`miSJ?Tf`s^2}w#S z0?9;na+8l>ic*q~sYEqG2&Ep4X-*qD(v@EHV-Uj`!z89NhXpKWEt}cFUcTcfr#Qz& zu5pvQJmMK|EHxJ1;$7m9kffyKebSSe?BwDDKICNz|5_GTmie{*SC7+wSHBA0M-^)D zDWB1hrnI6xUFb=FzF;_`nZOig@+Avc$|}~gnH}um0EaojS~<`a?+5F%w#7w`6*0s%2I){V+~omJh_uQx2i_(Y@dzL#>BvGZ@==J7C_@FRQj<{X(U=zeD`~5L zC%V#;z6@jtBN)R3{!ymbH;cI}W;Gkx$pH>?h99}c9sVox%+GscwK?Q1Vi21I1dxI> zq$e{u$U^}NQ=BqXpei*9r9Mq)Njo~zojwd?2qPHFB&IW)xh!A_D_O@zw(<@8ILI+h z^COpu;5H9U}LmcBY;auVxH@L$Co)T%DzlRZx=)@u(iAhE(0?AAc^70`?DMbaU5<(ps z(u~%0pbM|_?==HG9g~3!XFSvSlEtiM6Fb?@5zcUt2=4KesOz0C#36vxWF(0E6r~K6 z385a%Xh&E2GMLd!W)@$uob_yFHwQUEI9IvFLn3|coFyg+NKPPG$wM$DC{J}lX+$eJ z(Sv>rW+da8%53JdgjH-{J9|0A3C?ku8~m%e=QWRc!J8Y*A@7lZWTYV@Imkz0ic^+K z)Sx!?X-aE4(v3b0VmM=&%uMF8h~=zdBiq@-0giBra4r+U9Uk(G$QykY;2mO%Y~&&z!4#tu<)};zKIJnS(3DoRr!(E@!$5{Iit$WlIAgI@5=tOeBndmZkQuU=8cp#8!5)hXcIK_sXN3E z8#>aBm+7tS&tQf#h6zkz24T!&0ZUlPI{s=l>HGh%cQ;U7RsFu`rMKs?GP6V@!@?pp zCBs6+LM0_5^M#D^jTFnb3=>NWlhP6m3yTVqk_w9wO_S0TON|T@6H^P{u`o4JF{#k7 z%=_t%=NV&_5c5YHGgZ)xfXvxKc|>=e8omK^DW!hNjcy1 z0|%(&2tV;NHT=dO)LCPV;O|_>#WdtHuHav$nf>Op<_03@NN2hcOE3D;j|7G?oCkTB zM|qr7o@P4FlgTVz=S|+`J>F+AOZaD&+g?R68~BEuRB(`=IL;}~`NDe*Tuft{at*C$ zOC(+B&R^-Jy_*3HVFXD$LJChYm2_tEGP608|9%B>)M+mBSja~#XBB^Cjke?;+Z(mt zvV-r~&ta-L!70uzc0Hgzfixk6=7e!0k#r`8JLpY314(2!qZ!M1o?r^od7eyOC5N}k zXE7hMk~OU7UuN?^_P1&G{9}8c_Au3);1p-Cb^Kh!rTq7Dnb$PsYFZFRTiSCA(cH#= zD?L2dhkF=EBE$JB4{68!WBYOKlT0O@7s%pu-Xf0$6tIj>`J8oZk#m-^u zzn7MtZ%sJu=}b57;4b=cA43^V5)(*e8qbr(9NuO=OIX1wirL6^zT*IgI7$ttIlIKM z(}2rpN+_+lk&blYR&Jvwar9#_NlaiOPx3VBWROV~IpndN&)LdO_OO=&9O5WHQ_Csp ztarc4-?@lDn$nC`+{7((p*ub3O<(S1D5H6lRHpF~uk#KIS;{Kb^9{S$$1!R->nmTI z##}{fB8Vi4Xkv(^Cvo&+5JMQv!#u)7CNqs0WRgWTIpmT@J|D1*Pgu?8lu*VF_H%?^ zI7z?;-|uk&^|_SBG^IJ$(~eGb<96<(4|g+w`+1lNq%w_6Uga(FSxh0Hv6fA2V-Nc| z!ZD6>l5>8 za~W51EjQ4SF5E#J{TRwf9%cfmOlKxp%waD1e8dV?v6l60WhVzY!ZCj3H~!?@uhoDC z1QJ9r*U*CNxrtloLU(%8mwQPdkq3E%iA-e%GkJ;E$Ymaj_>dK>qL|HWXD%PC?# z8`;8k_V5!m)Nn-QgfFMF>PAl4QBkk!(7rGNiKL#_Lhj@gEOyOBxU^Z{EfDb8T z4I3$AH$QNQYJTH1=WS6x8q$;&v?Y?R+(8`u7|bvp;t?h?g=cwzS>*6G^C@5jMXX~3 z-?E+Ee9t}(@)N)C2X(%&CQzSCX-pGZ(1Ba%LU(#{H~kpI5FTJ85Az6Vq?5rb%w`UA zd6)To$j7W;B}IJ67Iv|Z!~D!C&iU4w#U%uB70tPx4s;@h-t=QIBN;~ulbOy;UL%)z ze89)7PCGor7=wip#^PdM>MhYq%VWGpHV!-SRQ2} z&+r^CkVQ5*3t+{*3r<{lEbpHYlu0;!~t z&WpUt8@x+C3n^eJ%UQ+etmA98vYQ_`L^Z#0n)7yAvuH>Yn$eOQXiq1)aXWFu)1L$q z8NnFFGl^%I!Hdjh4sY=e^H{`cHt{Xn+0FOt;~+<=p_bE}x63iokR~*v6>W*63*G5K zZ{kU07^4`+1Saw%Q+bx>$s(H^a+$~bEM^JI`IOK2f^}@9jNR>>pRCyAVFM3bFL?XXm00D`fxV`8OkWeGLb1vXC_(9;cedM zV^&hcIySJ0Z`s9Oj_@an-ME7|`Z1W{B=IN{ znanhv=Ot$I2JbMR0+zFywUqKLJNcdiRPie(sZ(Jrb1{u+N+_+lkw`idLoebP#0bXm zI8QQ_3|`@N^7w!i6tkH$YJBjB$MlhDYlA@i;bG*#!{AcpE*T2t4tY8i6 z+01tKQpqt+aGLY>IbIraCD#(hP29|_^x!V~F_@7&%mh-I&P=j+lYADlj8zn~fp6H& z4; zRRj^j^+a$pUAcq1>Bk_3@Bkxuh_R%Q%2b}^d0yldW;2Jkc!zns&tjIaoKN|TFIdM0 zHnEL89HfTRoc*Kw0WP3Em(rLfT*=imrxk69q#HemqaTAAP7;suIFopW8D#Prxh!Hi zt69r>HnNR9?B@uz)H&$bXh0LLp%rb3qzm2YML+IiI7y6W64RN$FZzThji zu!|q4qJ1D1u{Zvv#H8s?7ihx7rICZH< z0|E&mm=Ho~Nf_Zo5J?o##1KnQ;)tg|2_!O%Q6!Pfcv47Z3TdR1K_*#blS3|ffEb*V=K0tq6R5JG857~w<^Nfgn<5KB+uh^IdZBr=RqB$3Q`Qb=VAX{3`u zCRt>YLoRvbvycLoQpie*D5iu`HdDq9%Bf&Kl~hqp4Yiyipi2L#OFbG8ND#q<5K2qJ z2q%I_qKGDjSb7piJpD-^kztG?iDbr;LMl^8Bb^K~$s(H^a>*l~g%q%qLRL~lF(s6; znKE`zP6hj^q>5^4sO1y^NA;h&)T04`1QARKp|m87a3Y8#ifCepr6+O3)1L$q8OA7* zNM<}Kq%wsx(#ar`EV9WVmpt-WNC8VJWFOTq{zf=Hr>CWcsg5=T7!Ng$D7j3S9-#*;!SQ%ED7 z3^K_gn;deCXgYHFzE6ahc$KXs``0|E&mm=Ho~ zNf_Zo5J?o##1KnQ;)tg|2_!O%Q6!Pfcv47Z3TdR1K_*#blS3|fyl*d=^r`QVLl~5yg~H%4W*gK{*xdr;;kFsiBrr1pKQ1 z)TJH`2qcJLLI|ZLVT2PwBvC{YLo7XsBcA>wkjOAbkwh}%Ng)YrnPibo4!Pu! z&q4}VN+ByLqL>m&*-RNbD5rw`R8mDXHPmv7fExX$F7;?YAVCBZLMSZ>Bb*2#i6WX9 zV(Cd7@$@HwM20bnB$63V3aLyXjdU`|B#Ufv$R&?_7E-`c3Ry`J#gtIWX3E$>ITh@u zk}9gHp_Wqw9M^y9QjZ1%5=1Z|gwm2Q!igY~D58lWmY&2BPk$0fWEi7JBAM}|kjfO& zNGF3#vdAWfT=K|gAq6a@kd+isObMlIri>kwQ^9^JsiK-1YB@!~3H_%o^=LpKK?D;* zC@l#ioCqR`BAOUt=}8>%^e2HthB1mHk{M45sZ1e_bTY^!i)?bpC69a-QovFQSxFJa zlu*iM%Gg0U73`;yDypfWmQw`$rvKEX9t{X2h+skpr6pm66G0?VL=!_SJ&7Zp{v?pd zFh-F?GUG`hl_{i=P6nA|kxdS{2qK9hniyi~NgVO?CxJwUF^VLT8BYqSOd*YQGRP#0Y;wpY zk9-zVz)}iXNfE`AP|9Y?IFmCKI8%ZDS_O8PN99zopGvBzriNNh5pdEPLS5?7fIxx> zCWKI05=J-?L=r_bF~ri7IO6F~0*MS`6iFmAo)l7r4+J~ zB8n-Yl+Bc}gK{d^PbF1UQ$sDM2>4z9sY^W?5J(Wggb+$g!U!jVNTP@)hFE$MM?C#W zAdz8=B8gY zLoRvbvycLoQpie*D5iu`HdDq9%Bf&Kl~hqp4Yiyi;FSJTmwGfHkRXByA(WPc5l#e= zL=jC4vGgR4c>0q-BEuL(63L7wg;b`HMmiZ}l0`N-kwQ^9^JsiK-1YB@!~Y5k`z^=LpK zK?D;*C@l#ioCqR`BAOUt=}8>%^e2HthB1mHk{M45sZ1e_bTY^!i)?bpC69a-QovFQ zSxFJalu*iM%Gg0U73`;yDypfWmQ(l%qdMnOmwGfHkRXByA(WPc5l#e=L=jC4vGgR4 zc>0q-BEuL(63L7wg;b`HMmiZ}l0`N-yvG7Q;3Jmt39DJdmwd(7e8YBj^F8}G$Pte5 zE5Gpvbpp<+a}Iy!LN2Buml48sTu)ot(UDHv%5B_1FYe+V25=uk8P0=@VH^{f$df$H zG-fc9mzc$Cyun=FWj>4ekdIlxDn4f|>)FT_wz88w?BxK5ILgl)=Olk})>&uOIgj(X zh)Zb1|_snIlv)~@-xRd$)B8cwsU_bXDaZ&c?Hfh&M%@7 zS8*L}=|C55=PvH!LB{epPcoGmyvQu(Fqe5OVhJnwob_yCE4$gtA%5m}0?u)5p+12$ zA%y0%p*>M_C6?aAGmu0^ki;XT@Dyo0M<%b5!`tLjz%o|yC0|pU;0gVafYFg5U2yP~t?)0QD14(2Q$)xZUX*@?Jukt4O6i~=&iYcXxUHrgdexa7r zoO_<*q5+M$lIDbQBaw6_hMx4LKZ6;@Xp%|cDbje3OtQ)4Jr?p2%UQ)2e8ncp*vWV7 zqmrZi!fyop%{7#ITtZ`-ay2ao<0c~ML|1O7CwFl#gGgjJqZ!9zJjpXW%L}|hHgE7Y z^H|7-EaOv(Sj$&zqKut<$37}KN)0DD%{hNJM!ASfxr|_%(VW(V(~c-^r8~XoOFt4A z$_O4JnF&0>WTx{xnatvK-r_wL@e#{e$>)5@1~#*mU3|}e4)GJeQp=y5UDtV_9+%LV zD+u9QT5$srbfh!gh@}^O=|=)X8O0bL;c-%Vn&~`GCbM{*x5#5YAFzZ%Rnk96sGYU zFYzjK$mLxYu$ZN+U^QP*!bZMfJLT-*JqA&eOU??Mah-4=41d~Z)1~2dm*}TEq%wr)RvW!nDVl7{>i86Nb9s8){7&V+E z;6h`IdR#(dt{{YKX~hjh(2>q`BbHwDr5_0lWdskA%mkibGHE_=A9Y?tQs{i)lm?t|FA{Xv0lJ(uo-EB#wI+z+moY1P}2D zkCVzYp5sNbc#T}CEJ1W|PBQ-em!cS;`7l^93br z;7*%{;ywm zX8(U|1@3eX`qG~vj9?7onZz^9Ad}g=$-69M37_ye>-d_jl=B0JIL2{Kadrc9nv3~o z8rg2jwX~rF(fmgf>$Sb;OFt4A$_O4JnF&0>WYUnipIxmsUTo&+eWr@c>;d4sZ#5VS@pCkOjNdg)=Uh30`V6LGRZ8?)O z75M*i1tN{%&cx7zIPN8Z`x(WCCOf5KB+uh^IdZBr<{|9wCLN_&+^qYLNc_VI4Aj?H75OS!6SZH}D8m@ZXvUDtqddk$Qkl#%Oe3A= zd4ZS6Vm7by2D!Y$d(3Aci}{F;DdbaD^Et(=<103@nQz&~PRjY7A2>iINBD`Kso^(% z=T8DIw>I!M&Ziz1b197o;tH;$8KJbG71tBaO|+*YQFNgzw-L*o^yV(&>Bm6sBasIf z!Gk0*mPeRC3X^z>r%B^ko?|ANyuz!zMhC4_5e&UJ)w12@u+NN%As zw-Uqc^q?1U+|9iVAb}y=&u~WZ5Dzns@jT8GJjoQMGMyP@@FFiWi)`lbCUePS9t&7R z0ZUlM3RdzNYgkJO8~Bmb9k`iJMAMD#+(A$J(3gAY&maaflwpiyG-F8SQ66I=sZ8b>rjgF` zyueFjF`L(UgIwO>J?68J#eBra6!Iyn`J7_b@f91{%(rY~C*^$44;-M9BmBhA)bJa> z^Ctnp=0AVqeClyAm(qwJuHZ_V5lRbMaXsPOM0+|CMHjkq8?oF;Z|)+VehlP35_y0T zJV+8_d4vh1Fo~ylnlzr}IcAc{E4<2U|NzGOY6Y~mZX zvV+}x$6oexki#6MnqN7=NlxJhV(OgDdDP`X>T?N!Tt*X`62dh!=Q_f;fg5Q@B)8C+ zTZ!RzdeDnF?&e+wkiZb`XE>vHh=&=+cpm2oo@5GBna&I{c#)TxMK*JIley$Ej|D8E zfF&$r1uOZCHLRtC4SdZO%Gk~>_E5n-e&i5U9OD;`Q_CNm=Bz8tfBwz|TtovJ(wNH$ z<|?k{T3XVYHnb&z4%|#9qUlC=?w}`q=*vCyXApxK$}mPUnlU8vD339bR3`Hb(@5ue zUf?CNn9b|FK`!s`9`jkqVm{(y3i*`Pd`>az_==5e=3BP0lXAZ22M$ol5q{!lYWR)c z`ICUF%zysI`PAcLE~ODcT)~wzBa{}j;(EfliS~3PiY|2JHe$Jx-rPkz{TRr7B=P_w zc#tH<@(2@1VG>XAG-*7`bIc@@S9q1z$l)#C=3Vl6pAYzur7Y(YR#C(ke93xB*~B+& zWe2NYt8)-)*x6qke ziQ#s7(2F?k=3WMnz!2`||4D}XxX~mto)l7r4+J~B8n-Y zl+Bc}gK{d^PbF1UQ$sDM2xw;RQQave1QJ9rA%xPBFv5u-k|?5yA(o!R5l?>-NMsnJNFtf>q>#!K(nu$ROtQ!(hg|Z= zXCVbFrI3{rQA`P?Y^IDIlvBZeDygEH8frO3z%}|$UFy+*K!OM+giu-%MmP~f5=AsI z#L|;E;^|KUi40>DNhC9#6jGT&8tG(^Nfz1UkV_uciYcL#&6Kf&aw^zQ zB~?^YLoKHW2-Sb;QjZ1%5=1Z|gwm2Q!igY~D58lWmY&2BPk$0fWEi7JBAM}|kjfO& zNGF3#vdAWfT=K|gAq6a@kd+isObMlIri>kwQ^A@1*DJ7J9S?Gtqg3-NCpgI|{GfK7 zvpJ8tTu6N`A&|>xLQ_JxhUQ#H7&mYu?TF+SI&&*A+)fXA5y#!!%K#D>!uLw^P_n4t_~B%>KaGLP~Y6G>$<&oGU2p63N#B8%C)&Kuml^o$Gex`=s_? z1+BQAaBiYK9f_g~UAc`|?xZ(&5l=q`avzC2zz7~BiLpGw1X7s9Q#?%?&+;5I$>bGY zDgP4O`j4ZoXqL`#H#Aj#AC9oZuv zGdxQMuaLvLEZ{>v;WLU^&)00FoP8YT7&V+E;0D(Y>eG-Qt|FAygwug2y3vC^#4~`w zJisW%@Cc9d6w}Dy6<+5Z@>#@EKBb6te9czM*~ejyQNu}2b56K=(ugZ*K{y@h%ALe9 zh!KosJQI0}sbug9uQQi?7PE}cDB)YmIY>3X5zyASBao&v=LXu-i5PluFGCs4qddh_ z(s_kBI|ubs<#yw67zvYKMP zVl&$)r-J<)rkWG{PMrwr19hp##Wdmyn$d#mxrvT+;Wqj(fFTTLEEAc`KQqntOkQR- zZ}1NDSX+UFwxt7+16G<1k(}(^HWi*eH$~0ae zo3~lOM|?^#U$L2Ol(U~IsyV?QoYmeMz(q9Va;~NYZMca@I?;_g=)=7XB9Y;YW-Jq! z#M3;>OkUwN-Xf3re83V4S;ZRGv5{}t!5)6#AXWUrN&e)l4%S%C=OQkl5tq}9*4)5N zbfgQnaVK}tkNbFl2N}x*Ch;`S@;oo{DmlDOK8sk&3O-{k8`#1&c2U88DyiZZYB|N( zk;WE(~5A~6Gc~gGmue?X9_Qn!va2F8LRn%b!=c0-?E+Ee9r-n@H4;Rm*wl! zk7!5`O}UyDgmDv*bfPP_)04Znmq8>loY9PB z0#7iRG-mJuuaM0fyv_R*u!7ZmK?xiAhV7JdfWsW4hLfD;yiTtFTtZ{6AcSja#SKKz zkNnKWiFlb4yz9CCS=1uSMM zg{)!?>)60%wz7-w*heK*{LBe{r%o6564d1)E~PP75W=;z;s$Oal1_A`J9iStJq%zl z4=|D>#xa2>n9NktnaNAM${ccemj!&l5(-(x=X}Xu*`VD-89Uj-4;nIn{fW}-wGg=VFjYQI!7<%wmdTa0g$M#?Q{r|=GeYWra7yBb^ zCy~sAe?0z#b~0(CGn1E@O%8K;mjx{5uPpsXyF$B~HLRnQ&1~hb?9zVEekwW2FPz{H z0=nuq7jQ9wG$DlMw5BZ`=tNgy>CN2?UI8)rL15zU$Bl+wy>35e9t~AIm*wR;1BA=SR*)} z`ZOenVE#%oZF5?2!#^I2&_>dUu5{pn2F7x?-B`jwppR<;)*u=N&U=KfVkSc!WH~!?D+pLMyCy*vw#kI61oc2U< zE4R~&zVv4>5AYyknZP8TW;z+XOg3-u4)a;eQa+)GwQOJu+bHJ;4sw)VspT~1b~g@b zKx3M46`@?m_1s7YqKM`;deED@=}!Vf8Nq1AGM*Hk%2uC`7Giimh&k^ ztYtl4^DWycXD!+4OfOyCKoFrDXliP_}vHu)@K2`l)FwQOKB+bHJ;4sw)VImv0xy~EhyVj6J; zAv7n9wsfEqU5TYP@eCx95sYCxlX#kRUgTABc!vcPu$Jk7Jbz%1tQHuEW9Iji}C^=x7*yQttts`#1T z_>;5mbbQpOA(wL%p|m2LcHF|P+)gjvFEN`pc!vcP zu#A1#}K2|-*%bK203D7w*u zyXemlM)EKdNM$O|@e;4{&&;u%OCI?wq=2OqvXUZ-S=3GxZI?;_D+)V-x@GvPnLk6$%26?>CM|?^# zo7lxZs`!n7d(3SDX-ae2(4JfANjf-$5pl?-N)!@GRIa@Mect$fEpexc62&I^~* zoEy1??%c&dhVv-TFpU>@h1ZzNJQlHxRjlJ%cCm+j9HyG%)bb|*{nVF>XhbmAa2;)E zO9UP0L<~LX!@Ue(FvEF>M|pxYW|GOPyg?rCQ$Qg_tY;HD*vnz6IY~f&$3}e`6HF+r zXiFr~+{rx*;(i_^na6mNG-i-VHglQB5>``8Dc`V@3J!9V8vf**0mcIjxQwf~j+^Mj z?ew7^LwS&gd6X2MVj3B|Og3+j$3m8|nlIVRE`Fej6P!Iz9cV%*tq7+B(cD2_1~Ht6 zd7LRs<9V`plX)y+37_yeC49|R%Gt*uj`9m92^i#jP>(=@xt8mRAd1`QLtpM?5Qz+D zG-DahM4nCEJ1W|PBQ-s62fqL9y6%U5h+JKwRNLsat{r#UyldPhToX+ay>(V5$c zV*vLview&R3e$Lj*}Tbo3Ruo+)>6v1>|!sK9OF2DaMpdUyIf3Tni5KDZloj8+)i)q zVIU8X!~{~A%5%I#HgEABi&(~Il(2#%3}7(BNn#u+OeT#P zyud4D^9Fgm&qsXBCwxXR>)Fh9zULrS{7fzW?X`DeD+-o|b!IKW|!@mFfJC;zcsXOuBQJsJ|snVhM>nF{>BTY+Zg zRZH5?jwrg(gS+U@5JoVD@l4_wW{}Bj-sD~WFLvz$%8H|57d4uE2|e7T(bfgFU8OB(qFq?%e zXB~m;WFJR3%_VMdkEgumBjH<_9}tbWBqo4#WF-%UDM=QV5Ds&Kb6n;+cX`AM-tviX?ezm96N9)U zA_YH^i5%pk2qh^`Rch0aX0)a~UFglfRr*^$gb|Ek0#lg592T&Ie=f_dTl;UU|L6Dp zz5I6z{M`b7x4?hY0-KE^LF^`kBb?#_*SO6Cp7WMa9gOKjA_nnEN@_BZi$av5GIeN5 zJG#@K;f!Yn3t7n~cCepgoaZ|CdBI3O(LX@N;HEBpoI?|JY3}*r} zS;Pu9u#J8EUH-sToj-frTJVc%4%QgwZG)&^$ot%o61(Srwcvl$6!VTkRbO)b zm;5hp{HGsV{*BkRe_6NZOCI==N9AcQep&uq-uY60_$5F8`sZKjZ@%QmFBz`$|GTf> zeaYxD?w5L^FZp@<6zV^ci5y?n=aWS!NqMSLn}&QY&1G9U)AP%^{&FaznfPVh%rCi6 zE@KUw*v7By=P)NZ&*ySg-r_z_dBtCZ>EaoVNJJ+tiAceZWFiOo__sq}7f%j=b7 zb?VTNW_&KKWe2*_i~bB@B;%OO4Cby|7{Um~ zFo7w|U=9md!g5x#p3Q7!2fNwFL5^^evs~mVH@L%n9`l@6yyGKbx*LP}mPkY;CUNBvMja*>Zh6r&_%sYq37QkRA_r6q0YNLPB&mw^mrBx9M#e`}d)o7pU3HJjN< z2*dN7btOy+Z$EtjyG&FmzE<6Phd z5BQT0eAUzE6PwQ^p-f2za!`&Rj5S+n$nt% zbfXW07|vKGGlO|7VI}JcWE(s9m0o?(vW(Jm)2E_`jjN zcbsAR8QY0UToRLtjO3&MKT)1))T0?~=}KRQFor42W-+VS#CG;_fW!Rvlw-C#!zHeB zn+H7OH6IAu-#wbh#2_At2_P+*$w_{SQi=*xqYjN|K|8w8ivbK{43n6_JeIJM^#rnm zU=DJOe=cXN`<(~8BJ=>`46#T;TK=Pw!|QqfllS~b+ZVF!Pn4xHHL1_vTAtuNn1M6ou2e(2*Vh|1STQG041usKg{TaY;Zz z5|fkwQjwNSWFaT{DMm@kQjx0ErasMSM+Z95jb8L&07DqYD8?{>Da>FF3s}N(RdB%%z+ zNM))~gId(339acwcY4#8{tRR&!x_zZCNq_p%w|4|S;=a)u!{p6n|nOq z2`_lbTRswIi1SV)q7aqX#N`K)kc^b1CLNi`Mo#ijkYfBqDaufp>eQqG&1pwh`p}O7 z3}P4~7{wUIF@Z@;VHz`-#T@3bfJH1}Da%>OYSyxzjRdllAa<~uU_v;^A&zm13tZv~ z*SOAY?(u*pyx=wO`9#>E`VbL_Of+HQbL3G@}*m=tx(3 z(wBh@Wh7&n#588HnB}Zu4eQy&R)W|`Fd_WLQBHD(i(KUfceu|}Uhx-UhHDd|5}nw@ zB|eErMha4so-E`d4+SVfDJoKx>eQqz^=V9VTGN*HbfXu28OTsZGMe#BWHQs4$y^q) zj8&{-6It+05|!x0Apr?VOi}_!Lwd51k22Jt2`y+t zC%VvwAq-;_6PU(amavrNtYQtD*uqwJ5X?bNbCK)Z;}I|UK-iI<6No}oViKFUBqT9O zNlpN1$VzVVQ<&nEp%OKyM`K#hjxO|O5TlsHbmp^|)ofuqzp|GD9O5`9In7zFaD#h1 zlpl9QHF z2*Vi3IHoXzIV@s1D_P4%0tsRly9s6=Aspcp=eWQnu5gF@JmU@T_(15f`U(+<%=g40 z0f|XL8ZwZTT;!(+B`8ZJs!@jqG@~`0=)nMnFq-j9W;%0N$YPeUo~`WWD3|zyC%obv zVaM55A`_d0Bqe|}q$eA>$VVZHQHHA2qbVKf%Rq)QlCex=Ds%anHEduD+t|q-_H&q% zoaH+Ac*HYa@|I70HD0?CkK|+^Cq*bpd8$&IhBT!OUFpLhhB1n9OlL96Sj!f6u#dx> z<_dRt$~(eN(2t2pB2tr;{FI~uHK+S7vpjAR0HSj;*$638}ovX?`g;5=8j$rIiZ zZlZCONJJ+NiAY9jek2{4$VM&-QuzNM)*1le*NWAx&vXdpgpU?)0WVgBi|9 zMl+ttOlLN8na@I&v6^-K!msQhgx@&EMXqy)2Rz~#FL=#cJ`j46HsEW%;X5J`mFUDI zHu3p^BqZlY(vyYki?na@IgW*IA3!@pP7d2KV>*u`EBa+EV%<|g-f!k@h5BjG0-4~R+}5|NzLq$dkG zDL`>bQ-SK#qZ#e!N*{(WhAGVEXV$ZY9qi>0r?|u&9`lNigq`A^K}4bwi})la1!>4Y zR&r60Vw9pH)u>Gan$n8)bfG8x7|aO9GKD!TWGQRd$S>?*F9$i!87_03`@G-{9|$v5 z-{d>KCnoVoL~>G-o-E{{2qh>>C8|@0M*O#y7Pjd?4+b!TaZF(bb6CW3Hn4>tcC(M) zILb-RbCo}M#-F_96XBS|HpU=bKo>Cpl@!N*)SOl+sk;pG$q~8q=IM zbf618>B~TdGnOgLU=H(G&IY!!gWVkB7^gVLC2sPNw}hMP`GbT6kbx{@BR6@;Pfou2e(D5DwARA#b(MJ#1GD_PB2*0Yg7g4n};4se8H zoZu8^xWE;zaf^FA;1N%F#w*_N7op}E7x{{R@Gm8XdScR&@n5a~{Cd_e%Xwr03Q>%b zl%_ltsZ4chQk%Nery)&gPD@(TmiBa{Gu`P;U-~nU!3QG-tWURc`WtC%on@@A<$dLeDo} zB|KjffyjJMG-42o1SBLmsYpvEvXG5j5lje&IL0Z?afxf(4naNIW@>7`Nl%gD!s75X7(THZWq8**+Mlbp?h+&Lk9Fv&FEatI@rL1Hv8wn(c zT?7-tA&zm1b6nyYH@V9Lp74U#yyp{P7dd_+5SeJiA|44zN&sm{PiC@{oBR}}IHf2@ zC8|-2dNiULt!PIly3vb%3}P6g7{?^0F^hRDVks+G%SHkTVi&=LaEN1^;vAQ_#!c?> zfG51*HShUE*u{>Y2t+0tv4}@Pk`h1~(vz9&9OD${ zxWqMXa+e1@;RUaG&nLnzb^JsiGSP@dJQ9+W0Md}2%w#7w`6*0sN>PqVRHGL4Xhbtw z(T+}ZqZj=c#4tuNj!8^o7V}udQdY8-jRX?JE`kZ+5XU&hIWBRHo809APk6y=-t&pD z%N#!uh)gtM5s!o1~H6LjAIhh zn8iF6v6PjpWg~$Ev5R0rIK(kdagIw|<0f}`z!P5Zn)iGn>~hCX1R@iSSi~bCNeLhg z>G`|--2#8N!2cdCkokY%^_bmf=OQ14C`t*+P@YOuqZV~(Kx3NGns#)eD?R8{ z;f!J|6PV0&W;36~EN2ay*v7By;}9n}$7OEt2akBcTRswQh5w@d}xUG^Z79=|E??(UU&(XAnaf!Dz-Ykts}P7IRs^VwSRk)vRM9 zTiD8WcCm+j9N-W~Il*bpagi(h&Q0!ckB2LwpjF zgyf_o4e7{87P6CzycD1?#VA2(%2AOjRHqhoX+UF|(ULZ_rxRW2L2vpokRc3b6l0md zWTr8bIm~AfKeL=wtYrh6`Gp{MvYWkx@Eb=s&i`mR<#(Ln9GAJuO>T3ahdkp2FL}*d z-t&P^gkEF*&sTiQcSIs8F^NY45|WtYq$D-z$Uqjdk&C?Kr!d7SK{+Z=mFm=?9*t>A zE85V3PIRLO{Taw$hBAsVjAH_mn8HlvGM^>{#1?|s#cqPxM+k>F!bwhZk;~lR z7I*lAhdkybulY!*wZ;k}5RquaB|b?AAQkD!N_O&6n4*-T92KZab!t+N1~j4tt!PhY zy3&h&3}6@|7{fRwF@@PIVhO9*$Y!>&onZFy8;3c`Y0h(z-?_mZ{@^iBdCs4_M2?qXLzvLN#hoi#pV!0gY%vGg{D!HngJ)y&1p= zCNP!h%w#rmna@HN^E1m>!7A3Ujty*L3%l9R0e<5+m$|_oJmyc{5O%%(z}I|31R@fd z?}QIjcG@=R3XhAF5(2fptq6^*VK`;8yj{yu~2*Vh`D8?|32~1)N)0n|5<}i;1EMf^u zST3SdpzI~Pk6=) zUhSNT z!#OT+i7Q;=I{&AYoA&uG4|vL-yx}iGZ8YcNAACm?qVoeO$wVGXQk^Drqz}WH#9WrM ziJgRSoD1CH1)qqpNxvo`smM$oic*dmG@=dN8N?W-v5?jLLNG_T$ZcNmp075WlMs_1 zNI^QXk)NNaNNt+XmhKE>BompzB37}9Aog*T3*6!PqVRHGL4Xhbtw(T+}Z zqZj=c#4tuNj!8^o7V}udQdY8-jRdldo$O&hzj2h4oaG`{xxpRo^O)zn;vF9e^NYU4 zw?rZ;F^S6$Bq0Tob2DY$`o$O&h zzj2h4oaG`{xxpRo^O)zn;vF9ev(54IEs=;yOycqbNk~Cz(vgX5Py-)TbG3=|XP?F_H;PXC6yf$$EZaH@|U;%UtIU4|&cTJ`!%b zb|(rkiBA$zl8(&eq%eP%f4c>OD};)YqhhEiMJP{o8q=E2^k+Dena?UV@hgWp&FA0z z-RB<})U$kEjvQ)R*vO$yhmQPt?SCm>`S~r8h(}x{6s~n zQHMq}rvu&T#{h;hjtNXWDnUMXqw4+x)=;p7EM@gbL>vh)7K0k&qOmA_F-o zMrkTjn}#%_H67_jZw4@gk&I^wGnva`ma~S91hSpo?B_5iInNcYbB6~!j%oHG8XYkN&uaFBj*-mz%Cz~wym4g_@NXGJu^*flPK7&2#OXNz{6G(`4r?^0nv?Bt;UKT(DXRHYX6X+jHH(~0i% zVIad8!$hWX!@katb6LbP?pn7>t|O3#mUqfvo~eh(gB;~FFRi;EZ}3k2u6)FEK3RS( zLw#+`;2XZdBIyg5&j>>6rvD=Si~kiiAYW=(vp#EGrj4@AcixVaZF+wvsu8;tY9_k`GsBV z<2R0RhD-d;ZSM1gKY7bXLc8%F(&xg;Z-_`#ViK2jUOP)d^`xXA4H?KvF7i>7l9ZtW z)u~HEn$nVXbfp*l8O9hUF@rU1=Lna1$OpcQpx+ReA4p0{ek2F^Dauvnqm-;jb!tpp7MqdgfeQhDO=v-obJ#(4r8ff@!brw3i5bi#lVe>hSFn~% zY-K0G9N-8iImczLbB6~!L?tG1Nkno|k(NwkCpQHsLUBq_ zp32mq4)tkFbK1~>&J17(BN)R(rZST`EMN&MSi?qsVF$Z8z!8pfit}9M26wo}W1jPx z_k1FZ$?-pkNK|5zfFz_O9hu2NUJ7y3e59B8OHuWoC_@FRP=h+ur!g&POGmoVi~bB| zIHQ@!bY?M^soH}Rl%Oo7ZC^=Nrx|VNOkV~wf^ke?Id1yPrwtwHMsEf%l+jFJ8naoz&#YoSTL|J;_H&36oaGX~ zbDR4-;U(|*L=MkM%?Rf~_gf+nl~}|hAxTIhdvYtS85X?c2afVA==ME2f&Ko`wE|#_>3NeXK5&}p|W^$6BqLiWn)u=-w zn$wof^rSyS8O=ndGnd6IXDyovVmBci;S?9R#%=ENlvn&knAqBuNJJ+tiAX^jGLoIV z6s82_s6s6o(2Uk}q&s~X%t*#FmDwz08LQdIR(7$EL!96oSGdVN9`l@+{6(lZ?niu2 z4B`-EM+Z0?B@t4IKu@lbAu-4 zE_dWZp7DzJgidGap? zfv)ss07DtYc&0Fu`7B`tYuUtBb`s11j&PE5T;@7=c)(L$@}AJiT=PUA3NeVwWyf-p zdnB|RKw7dA*7pW zu!1#gVmrYcg_Pm=ctw64j|g zBbw8O4xTeR%5L;x07Dtg1g0{Z1r%W^E7`y=>|i&;%p3O0W1Qv!k6e#`a#j5o*YOQ` zmxnx~94~ptCn^&*rSmNRAtMu$_#`D2>B&NF3Q&}il&7xk8dFuhHVtS>TUuD(Np__> z{Ta$=rZ9&ktY$Mi*vAphaFx3};SHfvnI{pA_#`JC*(pE?Do~Z0)TcS^=*u`3vXYJL z;Rt8A#yy_#ny{($S)vn;H%Rx?Xj?4VcEgtZcH+&*oI@cNz_@3CrCn3p5$#i2xI+-2+Lgn|PC?zRJ zHR{rcV#a|MvK^i2PA^6>hvjS`nB!dK0q+Q%-Zko+d@W-Tmqa8dEtyDQJjpI|QHTCRv#GMfb~VI5lt z;#a2meS75`c~Bna1XsAlJs$CrcYGvlCg+_$5s5}@5|Eexek41& z$wv`NP>w3prWqaR#b8D;ndz)@%p2LtPUc#-m=&yLGkdHLk~`VQZye()kNH6OEUsyy z5QDfRBpInlM`m*HA*|02tu57yQksfXqc$NvudZxJGg{Gwp7dn^BN@vCrgPjjbL4!M zv6euB*v&o;bB4>D=O%Y~#4}#)%Zkg;**S2q$LYE$x9)MQ;LdIr#?+-MHhNA zfT4_JEK_+LMSIIdoU#8)zq>^dLLQe8gnE7A1{*0wRsh6Q5)u=;5n$w1kbfY%|7|JNdGliMVV=>EF!$y8# zC&3)x2q!tm6>e~sM?B{Z9|)UW|0g0*iA4gE5WtUQ;gmkr-Zh&`Js*YniPDs(GBv0} zLz>cpHgupHy&1}ACNq<{EMz(B*~UJOah5Aw=RPlZPnaC81)`IH6l5S5MJP*k8qkU^ z^kW2*n8Q-mv5mbPT1O$+g+!Uo8)oDm;y3(JKOlB_2*uZx7G2gSq zA$gROoZ~9DxW^-&^PaG|oEyF)3NeXCVs7edDP$V5kdsH&<&y;|PC1@iS5?-eE{$kL z2fERRfsA4jGg-jTtY!mS*vejxa*10!p#RIK8Z+9YSNK~JQSuZm8e5gTGEEj z^ko=hnaB+0v6$toW(z^=Vjl-N%1JKpJGXemOFj@Tk2WMWNl8l)&*8ZO4%DNJ=Wwk&S#5r3{s*MI&0! zmd^BI07Dtc6y~sqWvt~Fb`s1XPI8HRY;nJMB%kw|4}>Y;yb*yY#2_w55*hbpGE$L_ z%w#7I1t~@;Do~9b?t8UmLz>Z=4!m-Wc9p&8&k#m3o#g}(!f9^vlCKKdACi)eoD^Z< zx6YfaNfWvd}NY zbfg>o7{VyVGmY8I=Vw;3fk1ZfEBiUYIWBUQ8{FjuZ}~|0Vy<1jCq5}iPj>QAf=bk( z3C+pt+_jM%DWraZp6bJx$^!0Nw^9De5zaHgbJ$J!l(5BJ7sMeMfv(GpGAnuciAvO> zB|R9-C?+t2IV|F5HnNL@oZvjabDt-?;yq!0axW$p2}nW!#qDnznUU<|p&-R5NolWF zq^x>%SxMHSK8#16&t!1A%O34hImu5^N>Yx>)S>~c=|pb^FoZCn%?ITKrZSsFtY96R*~TvR zbDZ;B;Rg43!W+VrbUhH4lw_j_m1syOhA@%o%wZuvvxbcXv6~PMbAmHm7_H?5k&7H5Iay-+S$5Pg_jSvoVf(!iqnR9lJyXwyf zRo47~h(sqIi3uPRxhOQRR)RUgS#I!7WvEFrIx~Q=%widv*~3vT@dqynQ`tTepHyU{ zFy*OD3%W9h@yuZbf$Zf3SGmt?!c}pfeLoXRwyExj1d6c)0UAP#Vb z8$97JzNu~wNm4S9ml9N^5$);2NT#uv_3Y#j=eWf)J`$mZ`y0v0M1D$BgC=yOAETMU z&urvZj&PB?ydYFfeTBFLkcEPjr54TU!T`oHi)CzP568I7Jzf#EmcBxKQjv|ql&20Y z>Be9tFo$KVXDhooz)?e$5{u$>_u*DXGcG@eKNc%+F7hp&~V? zOCw$-a*ha-*s)q}LwmZ=hrx_uBGXyG3O2Hp-TcN;PIG~q+~+B8_(=FV&KoiKfh43N zEt$wc0g6zTZUsCG$~rWlC7tNQAbNX!q@2KP7PE#xc2P8i@kSozBi0w<776ID{gTPlq$3NtDM$&*QI*;>q!sPxMt_Den(@qHK1*21I(BeIyZ=8F z+y!)2WdjHB5&G#+P*Orbn$ZoT8%8&dmLAd|GLX)J0@9;PV06O(38e!G&i}c0@4fGhr|x|@?vsc3jWb;2I=8sbb6)ek=g0(YTuVMBHR<@AtmLKuMJYvD zDo~61^fYH^CR@^uPIRLe{Rw9%{d{he9M2C-Wft>T%yL$T_mh0T+9uIlJYu=K$opU28$@z@W`GOqe zp#a4xOBHHThXynylvcE-7yTK;D8|z;xBDY!GM5D`VFhd0$ToJ7#@s3c`;-sy8!<_> z4S9jf+~6+R%9*Fgzj(o3RES8dNigvt!PIly3vdD z{O@FC>Cm`ljSTHvzbGj*QM?B{hZ#h`j{UdP)^_Uc-BO|M8Ixm@zl2oKF&FMrRhVebKS;9KDu#*^W@SOj3 zG_H_^qEw*?o$149W)Q_L4s)JcJRw0R+mnOBRG}HEDw@~JZyCk<{O+-wP9zIhMigt= z!cO+^D@Qoa87^{#(c0<_`6mx}Og!&M&{uiCrAxG?#fuwNH&L@(u5GQU6Fo7IKk~5|pPJwP{3iYN@X+Wkhnufot3*j>kM_bw+)r{D*)r*NH%q@_8QPs^jlWYRehO zLQe8hkdl<63N^T)PpdDR5K3#lVzzyCmAx6t7`|sJi~Vf{bCj15#X2_gweOCW2ROoU z`UI+b@+!Bu$3y<&Id4eVO~1n@q~UYEptt?ykU`|9IHjpTRrbBFzm)Z8%$KyLJzeNd z9|ka(;f!GdQ<%XV7P5>e*0F_X_V6o5IL;X^a+O=$<1x>9&3kUkzcSI+>IzBtgp_vN{K+Gp@i%Wt(8IkTkffyGGcu5woa7-tg(*%MDp8FP>d};z zw52QE=}kYv8Oms;yYX@AVubP}rZJoOEMWzmKkzx$D6eNT+u6-N;`AX0WDF-b!+9=o zja&T5BcFRHpYV*=yd_~za}H9FhIC{h4}~c~St?VDhI~mY+R>3PdeWCc3}Y-)na>iI zvzCo)V>f#_Kn%w@%{ea7>kG&5p>t5a#dAjI*4}%W8}S9%$x8u>QJ$*Qr4?Q1$56&H znHel#C7bw}Bb?zfH+jHw-jJxb`oO1TBs=*iN-*WAK|Puf%2$NZn{P>G3>YORGoPPW z%T{)CgwtH&Cii(pJOO>QEj}eZ*~m``Do}$uG@vofX-Qi;(1jlKV<5xHRmm7Dzh@ee zETW+GE95G+v4;c1aGc+{Ny|L0k$k~h{?}K3MH(`agCI)VUp`rsl9Zz&HKPf8sRt4AM`p8tr9`ow?flGs4seJs9aC4wcvATsm$*$FfAKf}kf5KsPaw%i zO$M@)k3y8B9MyS0xoa&O(VRAP;~NGsl<`brDzjM3D%P=;pEf#VA9{cKR#lTv53yHTc%tu#Rj&H@;&si`c{jfB#ipWUlfp z`GlXUxi)gWb%EdbZg%Ha?__TBQ-o5Krz$mRKyzBrneO~ApFTnMC!7(CA-Qv$D5uiD zi0ekA@*-BTp3Q7yHwQSyCGPWz_XoK5jy0uBPbRXElROlr6cq@e9*y~uc66l&1IVU* zPWsrGs63PrjO7QWGK&?gXFIcV>AU0sj&Opr#Bzn3JmzoSk@#C)5Cq;lg)FN@*$3LoKsxj8h5$RW1jOj z0pX6D|B;MzWF#9wHSY3+coGfP&y$7&f%+d=l8V%# z8ExrGUj{LfiA-TGi-=+iJJ`iRPH=%gxX&~GA<=j0CCN!oHgc1n!UR*1n$)KSVf1DI z!--%rb6CJnM6rQwtnr>>x7^1;j&X(yT;eA8`HOfG4AHhpLMlSF&9pKDUyy@56r>oz zl&1gsbQK6Y8gxyU@aXqNnV~w+vyG&xHHTNaYd<)NMJLSuA2Do7u$yPH=(C zyf(&Mmw)nv7rd#cFH0ts6AV>{NuE|4l%J5AbYvzwdHMQ1*ISmNEXgdVvrQ%C+B7DV z4s@qKgBZp*CNZm!zCzAr5i9;Tqllaydm*0*Pi5LA_sXX zK?v(zuX?gEEy?a&+sck~r8~WR?{xF&0m_3I#wZphRbS+f%w{R8Ilyn6CWrm?bRRA% zU*}IA^MZI*IhU~oT-)KUEgk!+kH(Xam0P)w9t#6LRZc~EE?So^m+P&ZlYA7S7^Td; zOUg35s;nN#D%7F@O=(R>x)JETP*2&H0etOPFNZisa-K{4!5!}NgcrOaV5GK85BvMja+9ATl%hOU385a1 z`I0ttq#L~%z;}#b9N+UJGnva`Hfrn3Qp%LkQDvQhbod_g>0E$?LSf1lwf zCppXST;mq^c*JvF^OgjooF_^6gjA#>GdajZ0g4h#IVw|wIy9syU(%ZPbfG(a_?97z zWE|f!g&E9YA;v>OI+tR_xX#z`GB&Ska*>CE z#A^d*>u68P!IY;uiCTL;)}L(1p*~t}Kode~%~y1$8$IYvf5I8U7$W$dADKZU3s}ku z*0PE1?BO6W{KgqBbCdf#)FCi_HvM;3?s<1+6g&S^zAwbsdrtWx zSGdVN9`llaNEo5rla!RCBQrV3OJPbMnatxS))LLn9N;J?Im<;ZahpfHef*;fgl98GWWF?4#l%x_hsYhc% zX+sCP(T~9lXDmN3gSjkXIqTWR3(s-8|^$ zTJ|}YUs|aT${7M(6T@>Bca0_=Pr+ULB)i|?gYv{6VJcAH`zIojNg+vPnm`cd_fNK zP>>RQ)WJ9=D^iVG)Tb#eXh&~tzq9(MXC`(J(|&ic68)x z`cp5&dARO_lt&Q36lSuN^=x4$duW_QosoxF<(i+Am$*(*&-}M#9FKU$B4gg)@(lq$ z`p=uRI7Fqq-gS3kzc2~1`> zkt|>tQLJMN(d^{_M>)wkV!6gG?(v9cyyhK=rW(`unB=4(16jyLJ_=KUGE}4*wWv=M zLTN(>y3&Kbe9L!?U?MY^OB3hyq06~Qc^NC&z!r9}i?rq4FZnBn`HfSYCzfm6By}HSKHn*iU@Q}v%1q|7 zlwn!SY2^lXaG3L4<1SBmL%?)n2wO55Lu6{wlZh9C9P>s;T-Cd z45JVI`IfiTrG5*)d{E~~xw>WQXek%Xw9}+}r zn|#D)WFi-NC{9IcQkRA_qb2R=L^pbI$sA^;=ZOBw1Nn|&j3$D~Oed0s{KP8Ov6&tG z%zh4Vl#`qzmaE+49)IzqpL3RPNNBS00ZBFTy|7j{ZxAF@_(Q#gk#$lw8glHnN@F?4yeMdPpAUESI^> z1O6smSH~+8&QoVeN@_kQE4lbINZU)R-76QO2qh>(IVw|=x-=q`BIY7(WkKM}?g2?jPCC9I z4+SVfX)05bx-?^aY4<>OqC0&U$S}q+iJ2^5DXZAX4)$`0W1Qi4;&{qGBwnDOV4HC{ znM_4mGV-@EDx1tn9*R?r2LII$S(}EmFVFTOQ%OQ?) zmMh%lAuo8xdkf7|NJ*o1`VN_i>=d9R6{tl$zN9T3=|&&I8OcOuu!t3`VKd!7a*ySH z4so2b#Bz-XyypEyj)fGYCo8$gOF@beOnItMle!EyrZ$qzXh9p=)0uAcq%Q*)#85^u zmI+K^Dl?hG0+z6xRjgwZ+t|q-e&G;DIl&n&aEWW&->O?fI)om$kR5zS~p8`{&EZuF!t0~o|mMlzNOOkyfCnZp8>u$)z_ zV-wrh$sT^;5Jx$|87^>%Yuw~6_j$}S{^kw;l4yzZCke?&K^oGNiLB%#4+SVf2})C* z%2cNo^=L#hTF{2}bfz0U>B|5HF_e*vWdf6!%1q|4fF&$v73U>103Nvr@6o- z{@@OAJmwj%_=f~bwKoDuN($1Dfz0F}FNG*ZFy*L1P3q8)rnI099SNfceHp-DhB2D) zOkx_dn8zZPvzqm6VFy36pF^9w@*)EN#bAK^DnagJE7 za)Y}>=hh#|r)+xPxu$cT%5MnxNx#mAe9Wh$rfWW9j?73FiX?O|WrC{CT^67yr6@-w zYVyjMT~9WoDJ^J6N4n69Zy3Z-MlgnnOlBJ2CAFS_lIpMJIV@la%UQ=(qG@Kl+b0il zmP_2BO#N4IA0YPWCg)u^yBs`JG$D@s!uRBTNmnXa?;VSixlzdJO@=}-*l%+B?sY?Tz)0(g7 zOb_}qkim>$Dsx%JdUkV!vs~d%9`cemL^+=Xt6gJ0ArL6St(>1$ zwH&7`MoGF4)@J20^`VNaL2c^Mgch{r_wo8Q*_#0jp`~p{$gwBbdFdz(l4;x|1)$_ViLNC96@JhJ0gPbJ?1~$|G=V10v)UrZbyGeEq$; zCRehaE$rZDe&q-!ILk#YbDi7V;}K7J$y*YxH`gGLWTfCTGLV_<aSPXZ@>n1j}J*oO45>vYy?q&Vw9#L)d-<3O=wLIhA@tQ zjVF`jRAw=cMJ!|NLfY^B7><;V?wNJFP8^u`|?``GlmF$;74XN zpT(?X9h-^fS59(?>)ho&k9kTwP0fjRBy%s7H>v9%ZPp%0M@F)clYA7WBxR^TWol5H z1~jDwZRtoDJ?Y0le#xv28MlWhk6;{An85;m;^qSVsocO8cCnAc9OpFW_?@e~aD8se z2Rz{!uXszMEv_>k^C_vxOm^~6@V{k!a&cLPYSf}Wjro#o867vRmD|yU9t>cdc~lAS zpoc1tWGt(+^GPz2#cb0KR?4+(;%5$Ul3#o_R-M17d`ka$MOH8C8puY*$$Rn!QY4?~^n$J^W=GLntl6r?!is7^ha z(Ta9-q6cG!X@{<5KjpE!sOB8xGB&Y;pZSHu9OtyppONRe!Yv;1l$WgWJoCv%>XCB7 z?dBbPGSGNtImv%zJ|hE}$VLzaDMl&w|2I#P6{$)M>d=6uw4e@!;p=d65*>)a-e$2{jX`<=UKQNT#| zY#iS+m08T=ozEcFH+&v0To5pIar@vxR8(@C%3ejWb;23OBjOBcAd% z|BxVBe@!6CNJ%;}lY=}IpeQAI?0cW{nlhFvP?efA;hpt~C)gjUX<=P>U-dwCpbOpU z$3TWKlCex+I*}}33CoFMBipEEpF8CQ?Q@?z$T7}xkw3V{L;m75|MI_`-XoEoOk^b& z`6)}c|MvU7XP4sYv*mR5pPM?$O=w9wy3n0&o-J?a(~<_NgZZ3~b?;d>P!47^KN|}o zY}PbxkqCj}@;St?PTUhcU|A5c%Z8DG(zpK2NdR)CVUe12q z-&&Qd6+zIA7_cBq>~(SWw}WC-6gmsLb_gp1teCGQ>7 z=EzE6DpH>|^x!)tGKVO3aF`3+;RT5gsdr?d5EZCLYq~R-2}H7z?HuAfw|P#Y!{%*# zK|#t>msWhuAR?H}3bt{ObKK$?36Ge^l9>XOqYf?UMmXb{#d5ZCfV14>DG6fCUC2a! z%2JyagfWnD%;YDw@GEDy!CwR%)n>>@KFUywP`dIhW0}D+HuDRo`GY6?OVVTd9`aI} z5Wb`f0~o_}ma>WcoZ>oeoNs?mfF z^koE7Sjakl<~J^LpLjkzrTvqW;#8$E?dijCCbNLG?B*Dkh~qUMoYwxyK{2Y(h_C3) zFeWjdHSFRjvE1Vo|2w1olbxberXlU<#ZZ1=9;?|&48QXyfAjuX?VoHEp%M*fOHYRI zJ#$$_G)K6|U0(9uIqjdU6s98eX+sabVwe#%mt7KAa7am?f=w(u)wxWQip#A^R!Bp+p{MJQeQma)uW8Jqcq z)BM2`{w3)p?Vr4qCWJ5P!T`oFouzDIKc~3PW8U%cW$m9l1XGjdbmkjIGmRx|WFIHF z#v|VH(G~5VAWBh#W^|%IqnOHKHn5iyT;(DEkmRcNPY}U`5K0)~L=Z_7(Zmo-9PtER zvpqos6GA9qgcCs|QA86%EOEpWc-{5{5ljf7gb_{zkwg(q46(!!Pv9T6Cx~D|2qlbg zB8Vi4Xkv&Zj(7rZ*q$JQ2_cj)!igY~D58lWmN?=GylH!a2quJ3!U!jVNTP@)hFIc= zC-9c-2_l#fLJ1?B2qK9hniyhSLI@>{a3Y8#ifCepC60Ik@7SIof(ap% zFv5u-k|?5yA(lAe3A}52f(RyrP{If&f=Hr>CWctzh$rw*+Y>}EA%qe}I1xk=MKm$Q z5=T6N_iRrP!GsV>7~w<^Nfgn<5KA2K1jgB(Ac6@YlrX}HAd)Dei6NFa;t9NOdx8ii zgiyi=CxS?#h$eT3z=yUch+skpC5&()h$M<= zVu&SY^yM?8Tq zY)=rugb+#?;Y1Kg6w$;GOC0e8zO+3-1QS9iVT2PwBvC{YLo9K`6Zp672_l#fLJ1?B z2qK9hniyhSLI@>{a3Y8#ifCepC60IkU)!D_f(ap%Fv5u-k|?5yA(lAe z35>TrK?D;*C}D&XK_pQ`6GJR<#1r_&_5=}32%&@#P6Uxe5lsxS#1T*6Kei``U_uBb zjBp}|B#LNah$W7A0^i!6Ac6@YlrX}HAd)Dei6NFa;t70bdx8iigiyi=CxS?#h$e8zMmP~f5=AsI#1cn5i2@S%{WL*9bVYL+nVB5qr8wo-R>?C-Rdd`t z=4+PszGrSnBjsYBct#oM`5>b?nB~^ArwiTb%eM?+B;)yksmx*?OIX1gHnNRf?BgKE zIK>67QZ3NDRNfAtd?^&OOPe?^tGLnTH3@hLo%A!=H zHeb?~PV^u=pLyMX$uPz+ktxhz4hvbzO4hQ89qi!%F&yU%7rD$I+~Gctne15Ru#o$% z^E2yS^F%pGP4idflrmAm1OXqClw|LFUXiI}dVaQTTFY4oqA;Z>OGT6@ZJXU_gN51%T@>8Drw4)CrnZ`1OWDFfF7PL>34AX>Kzj00mb$c|7sL6HC2ZyZ=ef%(K72nxKsxeJhUzq+ zDfyjysBA+=!sy92e3r{|tG^Fc9?gSr?O0A{m20vQx4eHR4rnI0f9SNfc zeHq9QMlzO(OkpN-S;TVIu#v6oWG@Fe!g0=Uk*nO|9uN78m%Jh11IIYrbGZDFq@*M* z8OcIU@=}-*l%Wzes6zvq(tsj zCNYCKEMyr`tYb5E)rm#b_4&#_^ISXKFAs8*6NJ_BjzC`EGPig@L)+GIY>jB9{M@=X z1O&Pdq#zxc$VN+_$s-GL!#<13QdFQCA=IY@9r>D9KDRcf_Y4gE#Pd3Rt#4;v-^$^P zWfC)(%M#YHg=h|Pidb&(h|Ko$Qq~`5JR@^$eO{6T0Uz)&$w@;7zMzxu3nPbe5cw!c zS^8ODRfbTH7WUObwx$DN^ke`7eRi-M&UmIUi$$ztBU>5bb9>~-|MuP5IIMh>Q*5;V z-{np2@raka<^7M;e?H?2@=%oW)T9wD=|n$<6Ty$nWf>dT#UW1dTt9za-gcj_{g=e? z7q56n&l;NH$G)2sWF#wjcxk&g6j3fkS*jB59=vldwYM0{2taqo*{Px|wN zYY{HLVlZ%L3; ze@UY6Rc{&C**h+olFvv_CbE)?ycD7sr5PUSeH9ZZXSpi1XvEn~-t);R{+8qi?*Vu8*t{wvv9VeC zEWdM9Uvx!YXIB~TO64QokSLiknpC7GGeMM~G9lEXIUTvP(7QT0n30U<2dbD)OqFw3 z%u3FE>)o97>y)>!heQ0vX^K1ceQCXKmgg;B=Qa=doA*C)Y$T_y&!my7$D1d~%;Y35 z1t~^ZvZ{YoWKHT2Xa8Mn+d#P)jdf@3WEXnUpTP_#f@-C`<2G;E#$?O0n9D+zvVt{i zU>ke*l_Q+w9KUmw8{FXmPx+fS1bmtxAThTb*9S6AKH+2K6r>{)S=sG;PnZ|vP!6I1 z#VJDts?uwt`Ms=1Q$lG&N4n9Q?-;{mW-yP%EN2yK+00J%a)4u;A(rdhCXT1PaJ=(B z^xj_i9}*@{5b!@fCOK)yKo$bk@tiUrMJPpm>&nT>)S!jsIrw=nN z&trh{U=}NH=j9-CXStu@)?X`XY?0qHl{qYC1smDU9x|A3pR~;Z<LaPi$QR7AZ4Q}_!W1W%@>J$;ePRt+hlX6!2i&5m@>AJD{w>?eP9&P+Hyx7E z&2n#2cQD4tp-f;ZcYW_nxsWI}@t1YmQ{Lw=%e0@yE1^TX^jN5!N$!|9l^7mqtq6{^uM_k?)2lql;eK20P9Fv^nBk0J0+X4}92T;SRjg+V(d^+@j&Opr#Bz;W z+~X0?c*R>1rc#Ibh~%Up17DDXJQSojrKvzwLa0Y$zN9tn=}Hg!@-5#nlJWe&G-flO zC9Gf#JB)90jaeI&w-U|IH0`N=%Yz){1ZTO(6>e~s`#k13ub5ui?;bKiYV#qIlcb7% zRAwU=`6x_rf*H}nZ-^ghqsmqItgd=28}KD<=s+(9Gn~;x@B`C`WC1JL#18gxkQh#K zj?3KOE>Cz(f;7fw9#+*y%1=p4b_!COD%79>U(%j#^x<2+V-(*rm02uc8S60=23#{& z+^RgUpWo2frTi;LImJ1y5yw;B5b&8}Baoyd=Vl%6b7V%ck)L9erXrQJ=c=+gA=IZa zZRko*zTrEXx?iK^1g0^MC6vtL_eQyn&Fo+=2RO!QE^v(pyx<*m&F7l)L0ZR4O49KK zxhOz!%2J7HgiwcOw4gJ+=*Lh-F^+cj`-7a$e12jro7l!K_HmRmT;mph@_?trlOUb3 zgH&WDC;2ErSt=4jBSL9QN4nCT-h?xfiTubc=Cgz-*0Y^G93ZxYxsyD}S$3B9Te7^u zT^{g)HzY{!8Hi6v$!BCDJNYO|Fjc8Z9U9P>P}2W!90qOxu&1~RHh+4Uyz#u6s0`XsY6p%8h2XD zj(kmD!WmAby~g2Sza1-2Vj7*)@oS%YZ>hY1r9`owt?Xnk2Z-S$=eWdm?r@(cyda)` zN&LBMPcl-Hj!a}DH~A?-Ny<@~8q}d7&1gwGI?;_@e8V7yF`5V_F^$>GXDKUL%OMHIlH;(c?Og`mr-tdmIAA3g4s9o|AsmM$rDpQLnZKI)V zLK`~Klc9{`M`p5=wQOS#zj2PM+~773c*%290OVs`)LLGI=t$64^c z{d%rE?U|vI`O0bQ&U1}>^fKSvH^9GZP=3Wh?-EX0ey3bry}MZ0JEP3THi~$5P9{^3 zmW*U&T~hBS_4`L;F3UwJNf|0poq$2+)AE@8`m>H+;uP#xsRk%x47~ z*~I}Gn^T>$lNjaWoaQ2zsbK%rDBv1h`@p|-urV~B+hGC3j5;K|4aPw!wa==f@8`#1= z4l%um_oe=JOu1w(|5ikHcP-D!%iQ20FZhS$>Rh6%+8QZ2Vc%cK>oU6xq9DZxraXP@ zFOBw4RkhQVgixO*gwlqNgwc!sgfo;;jOPcYGMo7BdXXHa+AU*c|_!5TjCw+%9yMms#O z%6%N*P8R>BP9EnB7r9JqGUJHtt|{N-4uA2Icmi^`ucYF0a*&rol%O;fsZKo_)0{SR zq&wd*gwK4>XgP^lEMyHE*~U(OC5BU6;ZL6PhQvA5FH-Y4SqY*rrKm^<4f&FGgwcmV zjOGVsFpp)dWh;9)!f9f;$wOWekjr%^6&cAvK8jI}YSiOPz9Njie8(6jGlylYWh;9) z!f7sZm%oT7ac*^tv}B_orKw6?n$n7n^xzwYGM*oaWC?57%3h9gj;q|^F|SD&q`x8! zUl2r5%2SiZw51#U8NwJQF`LD#W*hs6;Vjp<$8!SmxPGJ}Be^I-S!&RjHgu&Q!9on$Vg~^kg6-n8-{P5yfWqaD=m5=RPlZ z$NTx*AJUSAyp*6KAvC59UFpX#CNQ1(tY8znIm}tEagXN&LDQ)OV z9|kj)DMYfAb?o3*PI8IcJmM9J3TR7wMm7piiYnBn1)b@~FeWga`K(|QyE)8Ru5pj& z1Qc}qq#+vxDNR-C(~{2gWf&8g$r9GHiz8g%7EgG?dxbn-lA6!SLJkV(+w#f6|E<%< zl$2%3sa#ohZRy{c_VIo}xh_p<$yaox7ySum2qPIw1V1p7g{)vL(H!6ii@d`~?fZ`_ zpW-a%iRCIc_>+ee>}zf*U-FuFBrL4nl8h9D8<5h-vW`82%t~I0Ql9G6r#Wrt#Mca< zl5Gadu}ozSKe3K&?B@_CsA%qeRz8^(5b%e*&0oCc9q$+MPK4dw%cPT;$w>iBKLBF-}%z~uTdNC zH=|m5@IFEiZ zoH0yfDl?hS5~5hoHuiIj^W5N1p74@@;*O1x_L)LvAPe~^MFpx-lLj=SCGF@!F9tJ) zNz7s)%c-dzz3u9^4dsn&C7L}P;x{gGn>hYroa1;Y6PD0lkb=+2MKQ`ymAW*g1?^b- zp655&jb8L;5W^VF1g0>9NEWb^mGn+%d%212?B*AaaGcXzpp*N0S>E6-4|&Sp{6m70 z?lnpHgtTNNE4j!=Axct?;N*ru@9>7`FDhHEPHpPbnC7%U?%&?aPiajTrnpAkWG@CX zlotAk8P<a_x%1Sn|i@hA=7^gYURc`Z;7tFE0f8@UemU0ZFAp@DoL4Jx6 zOgXAkk0yk&&_3G9JAUizF8lH=Lm15jGJ78%InZ2Ic?NS?$Z87v?o!1yy0IG1?#)`h~!K(pDyj%?^b7ydheOmx=dsz4}~Z}St?VLx-_CW zt@w)0d`)k@VGzR@O$3vfP9zIiMilGW$}aYEnB$x!mh0Rmjwiezo`BNo7l9-rC27e> zR&tS#!jzy4m8ec_8qkcEw4)Q<=*>3_Vi==|U=q`q&3u-yf;DVp8@t%YL5^~g^IYOO zw~6C1&v{KP&#)^!W4%*OSjN2}2`NZJMsg5D3CdH2nq2l^UPm^hDJ^J2XS&hbxZX?l zqvFTvnjFMPCNPy*%ws95*uXY+@e7AJNq_HnF38Jt`^fxX{>cNL@tT0L`aXaAps3#r zls_gpsYy!~a*>zfl&3P)2%!P3>A=_YXBZQh!6Kqq&kpu+l#5*FE>C&ITN0LYEF|YM zvJgZeN>hbb`q$dBA^&IZKH#IM_J)sd@7b2!WV5|w8(pFZ(g{d!hTb6*=_Mf2ODLfV z1ZmQHks6vHH3EVlO`0GAp(98YLCX8vMSZ;Y@p`>p@B2K@z3k`nJ^wRj&YYP!XJ)c> z(g4kHB7r_6c0gyOp%?mLATlr(6EPi&u@;-L9iQMJPT(xA<1QXUSd!1Upg|m52qF&( zp(JuP^PUv35~`yvnxG}#MmO}sP>jYD%*S$^;JL|K;#Ta#G34L|9^eTirMP~Cc6D1!2+jZ}2S0F1#0Sb`1Mg`+r+Z}AlBWR67y@fwm*6HU<( zeJ}!(u>e`vfrI!8H}DAZvOIr*53isks-hvPa~A7KxUAqRKx95HY5yboc#j&evrb96>OjKWkb!a8K*Fuul3`~YQn zu08N038hgTjnN*xFdXk=9#&%;4&XGd;UT0I7=L(>AH`7__0a}BkdE<~h2_|cy*PnO zxCdcH#vcykMiG=pZKR?r24D<6z!Gf0E*!;qe2b@0S7Q7T#A`@KO*BPE^uY*B#sXwv z2M*#Z+`uEqD>MG^;T4obRWw9f^u$nPVh&bf3qHdsT)_i~t1$j>Auo!eBI=?Q(l7|` zVFs4rBkaL3|jk1$?GIi#RDI-?&(VJa439kOv4U*jfzfU+9n4?mJn8r9Jl z?a>Rv@jm8ZHMZdZPU9LLLRy{ihX?sl9F`+4j?LJM6S#zX5Y}M);XrN_ zL3z|hD!O6-#^3`i!3ONYQJlxOcnWn*#vehvhGf)4Q*=ZhjKE|pKo)l3Aily4Jc9f! z#veYsf|96;hG>hP7>Z2H!AfkwXE=o`cmQz<;|~||q9`h&E?OZCgYX_^U>QEb9vnjs z?%+9MYBBx@<8_on3Yw!c`e78NViDFM8;9{VZsG?hYcu}vBMGHZ9gWc*y)Yc_V;)vx z8xG(!uHhl1br^qmkRQcS8THWyJ&=y^n1$uojJ-I4OSlJNUB({{>q9W>|71A&W?_ma(;Unz9G34M5o+G9q(XRIXa^sMqw%zVI8t@7+>Qiet@zO;}1WQP#V?I812yu!|^`mVKuhl08Zl?9zxof z@rMWbQ5=;~A8pVB=@^e$SdPuuixaqndk{8Z{NX@u6hV2^Mk=~u0LI`0EWrls!cm;Z zw|EM5Q^p@byoO}dL{oG`AB@0cEI<}^;2^%j4LpLp8RHKhUO`DzMMJbjPYgvS=3phZ z;4_@U6+D2rIpYr(@}ejzqApq?4TJC=W?&gU!X6w$4({MNVp=f%2;+5>LkgOsGx}i^ zreYD+AsdJBHE!YuC{r1K_>qLtsE)>Hk6sv#_c0Hvu?+`s8rSd;(w2-rJjjpYsEqn( zgC0o7c+A3bY{p)kz$M&+uodGE2Xdnb%A+$Q1|MJvHeeTy;yk{^Q>a@r{s`hV zB%>ypq9giX1SVqvvakaO@fB|15#((cfB5hUN}?(nqAhx2C^9hzE3pNi;S{dm0mN@J z{%|2LilQRwq7~9G2=8GAmf<7p!7=3E4xS^XE#r?cUPn2kpgB6DA4Xv+7GWK-aTs6Y zCVqgj9peu_l297e(HO1K6@4)b<1rO;un4R15w>B^Kt2;C?!!@hjf=Q};e76WnDz-i#BEqTi2G3x58w-&#bw;WLkK$X8XX$M!U`9B$c@Pw-p3{uL1|P#Rn$ZS zG(#%dpbL7VU@^`E;&8l&OiaamtiYG_(?`Ue*oPxHg{2x^*YcVAdGeQV3lH!;e7uMB z1MxW|9qCVaa48?31rQ73bri#AyiZVySPqp?1GVwJh4)*D2btfL*b?o~74M)A24OhH zU;?IKI+kJ$HeowtRg<}prBq13o zNJSdbk%@W8LN<;f2lpWE%JT3b3CT!7D$5mT zl97T`q#+%dn1?K6<0x`)58~b|4hETq#zY( zNJl2-Aq&|!iX7a7xG&4Yha@B;1*u3wIx;a2S;)pw^z>Bz)9WFZ?zk%M~>r?WhKNJ27Fkcu>rbgyrEw5|WXE zRHPvtnV5$xWaB7ua1Y|4EDs-&kc^z>Bz)9EXNvb zLdeB)8{#hP!(n`h3%HDLa2Jp89O4l?H|BR-YnO6gDL#)=Fs*?ead5$pJSc#2Xo&Xc zi}x@EbFmbwu@PG_h2Ny@CmzCaoW*tA#`ky*$w;1qA_ivI;YI*?@Cp+6URKI>?%PJb zC`uw36;Ks#p&pu`CEBAa-bH^5!3eyEiI{>Jn1h9ALEB4-E3pBau^oGG2*>d?a&R5D za0lPx8RVmQ4gnk7NJMTVp%_Y`0;(Ye_0R+@(H0$%hIi2y1CfpljKeg{#saKF%XNI8 zmza&cIE3T)66f#@9^x4!qj?8W zD_lrK82Rxkil79NQ2|x)7V4rgQqdNjkcI&mf|`65$4_JhBgl`%4xX1yAnqo9hQm0H zNtB%?j&9Dq^vJKmT6}~p_?me;hyKE`uM#`Ag>79=7G{t4V?kJz7cQ&0QF$(KbXR6}fg?t4jWgjVQ)9_WLC$iP@+ z!pibfh;y(Mce$Qq5jSBwcH5RWgigz#CJHhACnhN;Pn z6F80YxD3e$-2aDo6L;|)et;;GV*zRuUCDQch{ZTZ%OQch3x4E6KD>gWD2s}yjyhv z`d}DF;XO1?{QV$54YM%Uz;`5wtFR7Rup6J@Ails!oWoUoi+pbSf%p`X_t^)S zVM7_V!AbNZFAAbdZ?65sq9}v%c#nRpOiV!oG)FshMNbSxMSe58fOU)^KLJxP9kZ|q zE0Bfl*nc#MPzn`M3yshQ9nb|m&X0pcDFIEM`K>b6Y3!VKeoc5Vu9Pi#QfDkp%{TNn1D%`hMAa) zg;YN*KiYe@BokT4C1L=-=TpXW+cFcM1+tRub>d# zKuIK{0(S7Xt_pEHzY*HUZ-mbC{l8AcCtdjtF6GlGuSG0Cz52xO_`O$SVsk8GUMpfp zbVnbIz)H%?IeC6cej4WBL#)Hc_!P%*0XK0Mk071KYb#{2{7l}5j3sY@2f0xI8<ok)HZ#$y(iVFR{dFOJ|eF5(+J#B(g=+OGV7;|LD; zP!L5>5@k`3_gO0v53*e$)>V~!t;jsC&y9(x_=0&4$MW_(`I#!t6=F~HLk7ko6Voso zi?I^xupRqw6lZY-w{RcNAe+wE!v+rm$cq9fgyKj>Wz<3=v_N~T-O4?liTyDImrC>c zf;b6tu?$(*gss?#UD%JKIE@^9gZmi9@=u7u8H^n^+WY;u`%@iC7J_ z&>S7n69X|C`X1cNf;bC{k%g`J6i4tSa&QBE3-X;(;&*t2XAsZi{6Gu@9K$A}1>bRe z*@;0EKw*?dMbt-2bVLsf!e~s#LTtuf9LHH)LK?^WUE)JL#asOC70+UP5QBJZZT8-SLP%dxqZR2NmG{>%`$0iw`gxNBAy!U0$v& zCchGE@iBJeAdcZIF5@=t<9j@Xa5mcuGtX7cLZp$v$Y{cICSpf)LthNT zDCFWb*m&Y3%)&(K&Le7!JlBtGANkeTh;7(~efS(-ATQ_dDdJhUVi;%QRoudTJb`cy z*9_E=j3c>ZSsxL5^d25J@G)ub&ZWZ zX5cw4)9Dz&_0dSX8RW-cBI20N$07Cs`8imKa`f{&&#=a`~dT4}ZXpMGALr)CGFi4er zw#Id7B>9P$j@fMUT;eihp-G7Q#t^q)2lnAGPGB%~{k%pzP5vq#<2mH>c&>p2oXO3# zoa>^Wd_fdJc~nCav_gAq;@FtNJr}x>?}c=XMzbB16KCTJ`9;K~ScUcY7(4MP4&pe@ z-~z7V7VhIQ1oJr_pn(wY5K=6cDSP6asrS2I10@^!>**oDt<7$@)* za&Qgb;sJhua3RM7Vi1c2xZp=_yn@$J9LcDN>ZpxINJU$8Mi2DCAPk3;>-iYs1Wd+s z%)vq|!z!%9N7#ZL*oD0~fWtV3Q}`N}a07Sn0FUq#!bPkLO2ohbGpukS5n<#*5(=X@ z%Ah=|peE{|A)28T+MzSLqZj%k9T^yd37CxOn1h8_hE-UHP1uG{uos`>C{E%lT)-84 zgFE;RKR~dU{ecQPn2-P`dg3gUGXLutH;%BX?bXn>|@iMHs3G`x#`7>wZ+Zs0Z^;4z*j238v4(N(^&<6uC6eIB--p4e| z!h9^j3S?m;wjvv!;sB1|1kT_*F5?Dn;{hJyIV8&%7ibX+3motwh&*@&g-{fwP!5$) z9koy&P0$7%&;z}Zjtq>)B+SBmEXNvb#&+z*=QxTpIEQPvg@4%&Ph=m0n1dt!E zqBzQ+GHRecnxG9jpex=%9}L7$jKo-EVhUzpE*9ZKtic9+j2+m6&u|FGaT@1v3D@y0 z?&A@jLA;#f1X{$x0tb8uAukHzbreS#lt&fRL>)9jbF@Z#bU_dF#sCb#2#iH0reFr< zVi7*XYOKd*Y{xF_!$BOwX`IJp+`w%-zz-0v;BNyoFdz~{k&Xg)pn?u2Sm8nXGN9$nA_y)ghoFal$diK&>0`B;J#$ihZ!!A^XN12}?{_zD+r1>fKf9^xrPt2wri zi{~#Iq5*NR!3{rhAwOP45tKkODxfOfLR~aMbF@Z#bU_dF#sCb#2#iH0reFrfF%7dYA4{+jYw;1bA{(FLa~#DzqbBO05t^e7x}XPoV<3iN6vp9wOv5b9#}ceS7B*rFc480q z<1minG|u4?uH#$W$0Iz0crDwH7#I-`J3I&=4+^3%ilYq5qY7%G4jQ5vTA>{}qdR(` zKhlwbF_?hKn2xzvjOEC}Mr=VgKE>xaic>g?i@1hwaUYNH4B~a{17cvrcAls2#(o@u zg|d^xvv88XNW6~Q_zq7X;(4(GT9}YXJuA_T0CF*%hgcAWQ33@hD@&||8fb|^lodle z@@0r!i0_~;1|tI%C||~Fk5#BjejD)ZmEP zMN=i~m1IO(mS!YG>no$}MAj};`qA|>W%oycf1m+c`v8%-}pQ&luoM^jBSjftk(XsU~*`e=uLjI4&#hDe>rR@r~dbA(V5DVI2-OSz({JCa63TKG9t zMUGl(+M;#r(bN%5J<-$~O(VTgBf8f$zc^ND+mG~HHM9-RN%HM!!ok%Llh+aLGMy^PawM6PiM=&GOpOR?$ zW1F0nw5*EOiPnr>mxPfL)=SAxEl48UAe2Pwi=tyHS{m6B5o?LG8NI$mTA(MQtx+Di zPDa`nWkmX15baeFxyUF-w&cflqQ{0P+Vjy8%4wNY@@1r7C0qwc8DCPa4D|H5pIdlw z%%~&^%4RTPw4_9ZeRv=iOhjL7jLijJ&^xiRD;;}xAt8X0#{bTmcOR7LZV zxzQerj$outY_ym7;2>Heh_)bzj<_JYY@`plMH(|7|gwell+=`U?!e~1}&Wp&NDxzuhIHboS=ZG_!MtU%E zmPJx!^m-M!LUHy*&(P>~eyQ|iq*tXEB5CBmTS;GB$D*SkjixXDDv1PDY6|o7jH?h+M>1oDzP)|aJt+cuP@Ob2!_IfT)c<=(<4t_-uoBu zqo4w>6ij;cwL-5KF2cL({{fGp#frb!%M$;KceZ4y(q)p%mV2{&g^HCbSNXdeT9q#w z3aax#yP)RZt^2aVzn}-+N{KXDt9G5b_3Afh_>Zih5uc542kfTJ{*i@V*8R8cf#xkz zTekYQ-ouwW_p%3G_Q1;?c-aFld*EdcyzGIOJ@B#zUiQGt9(dUUFMHr+54`Mwmp$;Z z2VVBT%N}^y1222vWe>dUftNk-vIqWidmx+dfqa5bu^)%<1y14&&fy}i;v3w?eSD86 z5WFSOOQ3)TdYE8=9g&`O6B7|a9u&Z<_|NV2KX1?ZWyfDU`1v~DFa7Dk4{dp<`PP&! z@*OlDCcekT&%XIql1tzt1_ikUc?AUoNzprZ72$u%mlTu{loM1CR2Ec=e&wSUzte6Y zXe?+ZNR2cgXf0?f=pg7U=oX#oA$XU6H{4$^NHB!y;ewHZG5lN6Ou;0f3zzK3SScz78Vtj z5SA8}6_yuPqO_{8hA>4~M_6Cjh^eN+7Tgf~ZDD(1Ct+7%_vlhRg}sISgad`?!ePP@ z(UQ@^_kMt4;UCR*BaM4K77|}RUrf8CAs%W}smT0bMfoQR4 znP`P*b+pb}(FV~b(H7BmQMPEeXs>9$=%DC`=$PoF=(Omp=)CBn=!)pN=%(nl=$`01 z(Ie3l(Q}bVEEOxnYOz*q5SzsDVyoB@Im`uau`e2b+K+%ZEY2g&FD@v4O7PqzC%H5UEF1KIMy;vxUy?H~S&_DB4fAN`B6vEuRKiQ>uPsp9G4S(MMk z0`X$;vR~Bsy?wMoyjr|gyg|H4yhXhI4=kT8-YwoM-Y-7LvPZ;Uh>wd;icgEriqHLl zwl0V-iZ8R=Rq^#7m;UB2TDc{@!}R?h%O3tb@3Hu)n6KFW%0v9CrN2_~ZxqS?q2-kl z4fSq?V+vq=BSybh?=&Rnl70R?Azq?H<{%(!` zJ;&kdzuMNd(di9;Rr*J_cavm`WV<9=vRkrOvR`uWPipm#Zq2`Hxg(Nee`n85N={Sb z?BA*NuiCzUwB7U3?Y#J>Z0!}vb;-?WOSk`&_Wsd*`PbIJ7u~1tB#-{izCDpV|2sAQ z-0c)`AEEzW52;ikRsVln-~X@u`aSE>{)g?i;V<^rB#mdF?>cf2TTbsZSdC zkM4or9?dX)lSi6gTJZl&AHDW}W=ns&=l|&3!hiby7nPRy)7$*z-j)8Bw*JdCMe@nN zvbHyWF01%+uFB83$p4o3^~YPkGN(3W^`s4@O{C4GE&pnMo4=a=wN~5xN}Y~Bmv#9$ zm-cfm^8W#T{n6`h&iVEF|949J{@d=^|D7@Ty<0lqSH@}(WkWC=BQXY%$G9Kki>W^& z&7{Ri(N?EQrxR!W>1+5iw(_58W3F_*bRm1SSh`gDp>&0Gm2{1Ct#rL~qjZz>W6HNm zw@Y_QKauX1ek$E3-7o!IdPsUi`i1nk^rZAl=^5!+={ag$kY1EtmR^-!mwqF?CA}@Z zE4?rMPWrv{vGj@b88@;K$s{tFOd(UrG%~GBFEh$avN)OLzdnHcZ@Xaqjd}mA^4~15 z%bYT|%qvTj1!N&vE?FK~K3M@-LD{RaLbAfLH)O?RC1j;!Wn^V#Z^|mjD#@zIs>y1| z-jdal)sfYcHIOxuHIX%wwUD*^Q?}-BZszZp(OTA4)6msgTkmDiA`$m_`K%Nxm?%3H`=$={Z@mv@qPm3No- zl=qhRlMj@q%ZJHF$VbcHlTVPpFP|d+Kt5AGM?PP^NWN6QT)s-4C0{T9NdB>Wn|!By zm;6)tXY$YGhvi?$PsqQNe!^ORAp;rTV)4jXJt2K59PbcKFa>eLCPV@;nC$rD#s|t zDKnLmlvAVA)0MN7bCnB}i&lzT+sb>&@05>}Pn6G!p?I;pyI0ZB%Vm zZB^}1eWKc<+NV08I;1+PI<7jUI-~kpbwPDWbyamkbxU(B~XjiGPP2z zQR~!3wOMUZ+tg0AN1dn+s&lFHstc%-xUEbfbrE$jbxCy@bvbo;btQFGb#?Vy>e}jh z>W1nj%x|u4scxfgr|zKctnRAruI{Pst?s8Ds7_Z8V=lLoQIArORgYIsR8MAls(QM5 zmU^ywfqJoenR>Z;l{!nkUj32!WA!%mPW311J?eex{n6z8Pk@^SqQ}uJTP$Q1shb6Mc$V2*zDfut*FXsM~sx%sn z?!V2A{jtQXv5>QCTtCm*ikixrs+#JWnwk_%ZB1QGeN976V@*>{b4{wIm8OlRt){)Eqo%W_D@&$n zdT4rTdTIJ-`e_De25HhYLp8%SBQ&G_#+t|cjq?A#W&b-$#%U&Mrf4E}EuW#8qgg;) zq*x0*YedzuHDhfF`xJk>nc2xG)CQf{d9;vtVw#;9XrVst;3 zM9K{@=9q*SXN)%{5R)q=UrfQ6LNRZ|l!z%4^JYw?m})UKV^U)3#59O$9Md$WMNI3M z_A#Aey2PZ#^o;2h(R+tqb?qD4;@VPwQTAJH{JHazwdMYY*8J!0$N!Di%4;iXD{HH2t7~g&Q?#|U zb+z@ijkHa*Ewrt)Z)@9YJ88RWyK8%Ddu#h^2Wy9EM{37vCuk>Wr)g(u=V=#fmuuH( zH)ucB?$GYmex^O7J*GXWJ*_>fJ+Hl}y`sIYy{Wyey|4XV`-Iy-N^}aHMyJ=AbQYam z=hh|aLb^P<0=idqg>}VrrF3O=6?9c}HFULf^>mGN&2%kwZ|gefy6C#=-qrQh4b%*WCh4Z=rs<~ZX6k0^=IZ9_7U~x3mg+v#t@_%vr zzhfYOR~6;o+)lMVMz7Nw^s#!gK3<=ox9J^vm)@iI>HYekKCI8J&#TX`e?_09e@*|o zzKFi4zPP@mzO+7BUrt|MUr}FKUsYdSUsIo=udT1Eudi>YZ>(>sZ>~?(x6-%Kx7D}T zchq;*ch#rqd+2-Wd+Gb=`{@Vh2kF!GL-oV;BlM&6WAyLo$Lllo@9QV)r|Lh@&(P1( z&(Y7*FVHX2FVQd4FW0ZsuhwVj*XcLtKhkg3Z_#hl@6c!Kcj@=&_v$~>AJ8AvAJ!k$ zAJd=EpVFV!f2IFge_o%XzofsSzox&Tzp4LLe@A~$|3Lpx|49FX{;B@CUT6>-qz1V` zX;2$t3_63s5Nj|S;tdG~o55jl89WA`!EXo}!iL<2yoUUSR}4vp*9@;4iWrI-iW^EA zN*j_5dK1 z62mgXa>Gi)YD1P`9sgm}uQf@p;zo4pr!BZ;xWn{)!$Z=?hNqEvMlnA{kr|aQevtB0#lI6H|Bvs#9y+6u zX|vJt7p4C-pWnAI#|aM-5kxNJMFAwC5Q?A}1cH*JWl%0U^;26FjFp+LW~@nC%UGAR zfw3`ZGh-_0?|-z8)^2O;VC-z{_T!R0jPL$KZT$YV{jz2sV?W~n;~-)afES{ zag6aj<9K7H@qOcD<5c4Z#u>(0#yQ4$#s$Vj#wEsO#^uJ9#?{6w<2vI8<44BL#x2He z#vR6N<1XVK<6h%u#skKK#>2*=#$(14##6@A#;=TD8_yeajF*g8jMt1ej5m$n8t)kI z86OxQ8Xp;dFg`UtHwt6LvC>$1tTI*|8xyOGHN?ionq%W*6Jl+#j#yW$C)OA1j}69# zV{^ymjm;nXN^DZ>Yuv&)@_0SANNmyA;;|)TOUEY1mWwSPTQRnBY}MH6u{D3J@uJ@U z#WW?hZfwKYrm?B9ZDQNUc8*Pp?HSuAc0g=;?C{u8vEyRjkDV4fD|UYDlGqioS+N^q zx5Vy@-4nY%_HgX+*t6{YrPyn+H)HR_K8Sr3`!rT)lA4sJ7?Z(dHYJ!GCXdN)3Y+qp zUNOC9Dq<>bDs3ufs%WZes%ffis&8s+YHn&}YHR9f>T2p?>S^j_>SOxrKI~^2WEx@` zZW?JCV;X15G)*#1HBC3oGR-wDFfBGMGp#VKGOaPKHLW*oG;K0{Y}#ttZrW-3#I)P= zscE0-fa#FwsOh-rlY4bv^t9n*c&W7BiiCNfLRGPA<0GHc9Qv)*hp zbKhyR#cVa(%}%r1>@_Ev1Llx9mpP9)pSgg!p!rpEA#-8#8|Gr>66R9oGUl@8H_a8y zmCRMl)yy@_Z<%YE>zM1A8<-oJo0yxKTbNs#+nC##JDR(g)6DOfdzt&12bc$&hnh3Y zqs(K?SQP z4##~FcOve~xUb^Q$6boM5%+D}{kX?*&*Fsfl6Y0TF5VoU5buij#s}ha#pjDJ7+)y9 zXne`|GVyQ5SBkF|pAug;zF~aR_*U`l;ycEt#lI8ZCw^f3kob)F(edNsC&o{SpAkPh zeqsF5_~r4d;=Kx;?KojjK3QHP5kZn`|;n$ zKZzGuBo>85ZP8kc7PG}-u~}RepCw=kTk=@)TMAlUx4dB~ZYgC+w!CSnXsKeUZb`A! zvoy3cu{5`|w6w9bvvjm{we+y`vh=eIw4_^xSw>h!Ti&xwu)J@XV)?)_%QDZh(6ZFB z!m`G)&hn9Ei)E)}mu0WzfaS2|nB}zPg5{Fss^x~|mgSD+zU86ivE`{nkRVQwB`6a# z3AzMhf;qvG;7D*M_!0sMxfAjy6ij$6p>RUcgc1p*6Uru(PpFhoHKArgt%SM>4HKFs zv`A=^&_1D4Lf3@u2|W|~Bn(IxoG>&YBVkm+*o5&36B8yUOiP%VFgIag!qS8l32PG8 zCu~aCny@orcf!7e&l8R$98dT%;cUW%gv$xn6K*Bkjra9kr$r@+1SglsO)oFEGz1Bo) zz#6jVvgWbovlg%xw7zOBWG!rc!&=N*!dl8&##+|;rnQ2#lC_Gpnze@YEo&`n9cw*n z18XB|6KgYT3u{YjYwO$AcGeEoPS!5gZr1MBcdYMPdt3Wj`&$QE2U~|&hgmbMBdw#Y zW3A(?6RZ=hldMy$)2!32Gp)0&bFK5O3$2T-ORXPTS6EkB*I3tD*IPGQH(5WnZnbW= z?zDbl-EIBUy3e}b`nmOx^@#Ng>v8Kz>zCFu*0a`g)(h5)*2~tb*6Y@9thcPUt#_^W zt>0O{w?4K$u|Bg3Y$BV)CbKDQDx1cpwdrj}o5>buv)HUQyUl5H+q||!Tfi2w<+A0m z<+ByA6|}u-D`YEdd&5@DR>D@wR>oG=_NJ|Zt&**Zt(vWd?JZj^TOC_HTLW7oTN7I| zTMJuDTWj0fwsy7-wobM#wr;lWws&mr+Irji+WOlD+6LQ(*oN6MY$I)>ZDVcYY!hq~ zZIf(MY}0JhZ8L4NZF6n&Z3}ISZA)z*+E&?*s)uC?p!M!U%#XSdj`cDvnaciX*@f3hJ+Bn?D!A$u-+9(z7} z0eeCFtM)?n!uB^PFNPA)`K9b-qER3yYk$*T!CuK;#a_)`!~T}Nmc5R>p1py+k-dq% znZ1R*rMGqlS+4i~i`SykO#rCE45A7@LtL$s+Ywhdp8||CyAKSOux7&BxKe6w& ze`?y;OpZ8*#bI^W9ZrYa;dLZB0*;U)mm`lOpQC`I zpyO3XAxB}y8;)X*5{^=iGLEv2Hysrml^j(Z)f_b(Z#il?>Nx5-8aNs`nmC#{S~yxd zT07o$v~zTDbaHfYbaQlfyyJM+(c972(cdx9G1xK0G0c(S80i@880#44nBbV`nB^GXt2(PYYdTY$wVidH^_>l! zjh#)M&7G;vR?argw$Ap>j?T``uFf=P4`)wjFJ~WTKj#4FAZNOBsB^e;gmaX0jPpI` zcxR^bedlE7RObiI8O~YGInH^`1O%{A2=U6 zA31+;K6O5K3SDBC)b*D={zs&23M@h?230KxNI(m%jNR8d@jE$=nA`X zyYjm7yIyf6xn6S>b`^D%aFuqIb(MEja#eNJaHY8Fxazwaxth9KxLUd1cC~kPbai%h zb)~u9arJWbbq#P0b`5o9xJJ3gy2iUEx+c4(xn{U#yXLtTx|X;;bggu)ajkQ0bZvHR zb?tC{;@acd=Q`jz)b}S*==##+)lU0o#+m_bGh@n3%HZqh1^Bl#oQ&`W!&Z572K8G)!a4RwcK^x4cv|0 z&D^Q(*6z0M4(`tGZtfoLciny5{oRAyL)^pNBi&=%wp6;HWp5C5*o`Ifp&oIvj&uGtko(Z1!JySd%cxHO$ zc;liT6YAO79x)I`2mBX75(-4(})4J>GrZ1Kva4qu%4*Q{FS) zue}$%m%LZKH@vsJcf9w#5514QPrU-4*eCNTeHx$6XY`qU7N5=M^m%-VzMwCcFR!nF zFUj|N&V)j~H+&_0Wqfb?D*3AU-tyJ)HSjg@weYp}wexlIb@RRB>+S3B8|)kA8|fSC zo8X(|o93J8o9kQXTk2ckTjN{r+vMBo+v(fw+voe-cf@zx_oeTw?}G2L@4D}n@2>AV z-(%l1pD0n5s7ll(8WZCZt%=S=Z(<-ZS7N@zf{BrBER^_0Vu{2uiEk!WO01UnR$`sR z28m4)TO_tlY?s(6v0LIhiM=mN+tTY~qB(Nr}@EXC}@~T$s2taYf>q#Px}r z61OJqOx&HgFY)ulBZp};`PK^iFXsfOMIO8EK%f_`Bnbk(s=tW8xW9(K{_k8<6Mr**3x7+0YyaE+cK#0jPW~>xbIBK5+0EbG z|BnA%e{X+Ze}Df#|6uHeAi+5Wly`Tm9e z#r~!K5B)3rtNd%2x7NSjztO+R|FM6of4hID{}cai|EK za0c7~Zy+%c2!sN;0(k=Y0tEsE1Fr@O1quh=2owvH2$Twx36u@I8K@Ab6sQuY7N`+; zD^M#?Cr~fYAkZk#B+x9-BG59>I`DR&U7$mtQ=m(rTcCU3oxr<+-hsY>{(*sk!GR%x zVS$Xm$iV2p*uc2JguukWq`;KGw7~Sh%)sox+`#<6!ocFd(!hs-6@gWOHG#E(^?{9n zO@WUCTLaqzI|H8tb_YHU>%LyI1>0Ga6E7_@MYjk;B4Sr;6mVH;Bw$<;CkSj zz^%aTz}>+8z;}U1fhU3I0Z~vIR0P$*pN=AJP#-h~O~JUJC1?%WgU+Bk=nW=%LK~?-waj=Rti=LRtwe$z7?z$tP`vkY!GY| zY!Yl1Y!Pf3Y#n?%*e=*1*eTd0*e%#S_)hTMVDDhxVE^F2;Nakp;ILpuaAa_FaBOf~ za6)ima8htea9VJBaAt6JaBgsZaA9z9aB1+v;ELd?;F{pt;QHXk;HKcm!L7mV!JWZR zg1dvC2KNQ`2R{!U3LXi55j-9|8T>MMCU`b@E_fk$F?cz6HF!PvP4HImcJOZSe(<~C z_rb@(C&6byK}Zymgk&K_NEOnAv>|=S7&3+8LY9y7z%_!pL+e8uLz_Y$hqi{cQ?@ho zNoaTI)6l-q{?O+?*7<3q|Eze3c8~sM+sA)%?w_?C|J&O+6*}{>AO6rFeI2^+Z{2g3 zLRZ|SJSRLaydbgwun@64obOx={aIdyC5_S7AzyHfY0{*t;c^+4*O)WfMqQjew{Pd$-(D)n^g+0^r? z7gH~%UQNB0dOh{uREIOGGrKdVGq*FZGrzN-Guc_#S=3qFd55!yCg*17R_Au-4(BfC9_KI4ea-{UL(ap_BhI7F&}0j4p&xJc2`bUZdYDceiy&9=1O)Ib`>RM7{y(8xJtRoxXQW8 zyDGXWgRAOFb-7#~m(LY&g~&%-F;{h0O;>GKT~|F<16L#0-L59Crmp6$7Os}AR<72r zHm*lp?Ocz#I=VW$y12T!y1AZo^`zv}u4i1&xt=HWqN}g#W!I~&*GcyyC>Y>+%k_?H zplh&esOvp&!(Ag?AG$`l#<<40Cb%ZKrnsiLX1Hd#=D5;a^Ie~~7P=O@mb#X^R=QTZ z*1A4(ec}4b^|k98*SD_kT^n7ST$^26UE5tdT)SL*T)(*XxemAvxemLIxQ@DxyH2=H zxlX&zy3V^Ux-Pq}x~{pdyZ&`K+*#e(-8tR4-Fe;l-38sr?!xY(?&9t{+@;)Q+~wTm z-4)%H-BsPGZkOBR_PGP@kUQdzxvRTtx@)`Zy6d?cxEs0eb~kZ1bvJjnaJO`~a<_K3 zaX;d2=YG`P(cRhI#og82&Hbdir~7I5Gw$cy&%0lA_jSMQe%1ZDyPtc2`z`l7?t$*X z?xF7Y+{4`?-5|Nxo5a%x#zgk-1FU^xEHz?yO+9`yH~nbyVtru zbARFf%Kf$b8~3;F@7){So7|h-Tix5;JKVe6d)&Xc_qh+a54jJ!kGPMzkGoH}Pq|OK z&$`dMFS;+guez_fue<+sJ3LuE**!TuxjlJ3`8@?a$)3WVqMqWOJ3OU4Wjy6PU!#V8h9Fc?)EhCH1#z1wD7d_wDPp}wDCOR zY3F&=)6vt})5X)()6Mgwr>Ey>&oiFqJkNVx^z`+-?0MDmx~HFKfafjGJD!1_!JeU> z_dLTrBRwB_MtR0~#(5@qCV8fKrg>&~W_jj#(meA$pLiB}7JHU@mU~uuR(sZZKJ$Fx z`O5RP=Nr$rp6@*yJ)1n6JzG87Jv%(RJbOI9c=mY?cn*0EdyaUHdX9Tecusjvd(L{! zdoFq|d#-w}d9Hi@^*Fp)z1h7vy}7-4z4^Tby~*Cf-lE>(-aEXdyk)%Qyyd+Wy_LOH zy{TT8*W>kh1KyA~;#IaA^H%rP^w##)_15z?@HX<^?QP<1>TT|A;ce+{2 z&ikmhqqnoSi?^${oA*g?Pw&&-XS~mOpZC7#?dyHn`>OYKZ$Iwe_g(Z| z_FeT|^IiA->vQ`jh>I{YCx7{df3F`OEmr`OEt&`YZdZ`cwTb zzsK+M2mB#_#2@ol_t*5-_Sf~-^EdD}^55-m;&1A2?r-65>2Kw4?Qi3M#NW>UsK2AX zv%ibKtG}E7Nq8zrGEYa{|g3%?qBI&?O*Hv%>RY|EC1L2 zZ~Wi-zxQwSZ}M;UZ}o5Y@9^*P@A3cQ-{(KzKjc5`KjJ^?KTdlm{HOe<{b&8>{TKb0 z{a5|h{MY^e`W=C+f$V{tf!u+-f&77jf#g8pK+!<)z#V~7fii(|0p9QnROGWVffa(! z)PO7C3HSnmKqwFi!~)d=HNn;n)D6@NG$7T8a5o_iO>X9zl4?$9L1-Ch6=+S|Ch!QK z?FfePD4!h(oe5nCT?yR+Px9H5z`7E6Ch%O~dD1Ti`UYMOyc&2t&@V86{9A!{0s{ks zNevCW7Z@HGN$NwwsKA)OxWI(Kq`;KGw7`tOtiT+wX@U8HPXY@Aivvpo%L6L|s{?BT zp9Q`Md=>aQ@J-;`!1wT2uraVHu$lbU!1ln7z^=d^(!T`u1r7ub1r7&}1daxd2TlY| z1x^Rf2F?dA1}+D#2Cix4t$P0N#Mc8xFl#VJFn2ItuwbxIuxPMEuv9QEOW9zBV3nXV z=nV#g(O`{WonZZ7i-Jpn%YrL{tAcBSp9VhXB zTp!#J{4TgL_)~Ce@aN!eO_I1w|CRbBxc~oCxy5OR>}V}@l&B*p=U$ALobB-gkB205_&E4MyP-2&CuJScSD0hLqfws?}tW& zJ_vmj8XX!N8XuY%njD%MnjV@NnjM-Oniu*wv>>!7v?R1Fv?8=Bv?lav==0E*p>?74 zp$(z$LO+Cl4E+?^651B}IkYphJG3|SYiNJyVCc8d@1Z|J$3lOGPKN#poe7-_T?kzY zT?zdi`X_WFWQ4PXvxRenbA|JS^Mwn9lfs3zDd7s?O5rNuYGG&C z9rlL(;b1r%j)w0H*9g}N*9qSht{-j~ZXCWRd~di}_`dM{;RnJGh93$)9BvzKAMOzD z6n-rHc=(BM_i&H!Q{i6WXT!b2FNFJqUkbkxel7e)xPSP~@Y~^c!-K*@!o$Mvhew1z z2!9kF9UdDVAD$SV9G)7U9-bMV9iAJW7ydZBAiOBNB)lxVBD^ZRCj4pm^YEA9b>a2l z4dL&?KZJh_{}kR5-WL8jyfeHzyf^%7cz^g{__y%y;XlI1!heQOhW`qm37-pJ2ww_c z3I84bCwwDpM6yJ(MRG)PMe;=QMG8ccB84JFBE=#lA|)fGBV{8gkqVJYkt&gD5og35 z@kacSU?d!gM(&K%h}4SIiQE;bA88nA9JwcQZ=_k|zR3NN2Oe@0G5{)(K5oQqtDT#8(Y z{2loxawB3yvqZB+b3}7R^F;GS3q+Hmg`!2G#iAvmC8MRIWuqz43eif@D$#0DXVe|_ zM*Y!XG#rga?~K-n){54N-W9DMZ5VAFy(fBav|04N=>5?Lq7OzNias1|8*Lx$5bYFw zEc$r#iD>s|kLXj;UeRZxy`wKg`$S)gz7l;c`bM;W^v&qo(RZVRqC=v?qVGpXL_dgr z6dfHM8yz2=7@ZuQ8l4`U8J!)S8=V*ZIJzLZD7qxNEV?4PD!L~6Y4r2xm(g|6_0bK{ z@1j3Me~kVV-4fjv{W-cbx;wfz`fGH5^kDS2=7;7B6Cw6bFS?s>p{jmpP55^vfJsfKrYailAw| z_IT`xSoc_u*i*4yv1enwV=u(|#9oTM5_>K7My!AA&Dh(qcVmNMLt?{X@5e^OK8Sr3 z8yy=P8y}k(n;e@On;x4Pn;rW< z>4=t&YU!AkzEewAmvs7{R5;Q_F;v>2r5kb42Pz%kRZD-TrH^Up@3r)CE&YR$?PfiH zYUv-0d>THUc4{)XB&`^qG;(HjkWlGfMyIUZM79=MThD0eZCd)Amfo(V&ui&cTKah{ z-9wY7r;!W8syv2X75y$tSP7B{m@T%-nTDrNGep*XEprw23X{|5MYw6xv zzn<69Jv5%4TDphE(^E_TVX7d#?+<2)+xCN5;^Q?;!w=K&k7)QuG<;hP-&Vs{$x$`^ zH?@>bs_@%eMCt8T$<7T>XjULrc%p(sQ-+JT1LIOE1*Yi?s9-ExlYzFVoUXwe(^wou;KHYUveP zdZm_LrKML(TKzb+(uv|zV=*f4=Qs5;ieD(QbTumPms_P)X)-L*WLTuhut<|(ktV|;O@>9942v`w7HKjp(PUVn$*@F|VTmTg5>19B znhZ-c8J1`=EYW0GqRFsClVQ0g!*WfA<(dr3H5ry`GA!3*Sgy&iT$5qBCc|<~hUJ!falVPbQ!(vT_#hMI@H5nFbGA!0)SggsgSd(F~Cc|P)hQ*o;i!~Y2 zG#Sz~8PYTv(li;;G#Sz~8PYTv(li;;G#Sz~8PYTvCTcQF)MS{b$uLoqVWK9(L`{Z? znhX;)8768nOw?qUsL8NGlVOD>!wOA?6`BkyG#OTCGOW;KSfRWHbYBH?UWLT-muu_v@r6$8lO@@`43@bGmR%$Y=(qver$*@Y3VU;GsDout}nhdKn z8CGdBtkPsyrOB{LlVPb~$O)dSFmVR4HzoVt!)zSmC^dK!g zSW6Gl(nGcMFfIL_mVRGL57*KowDd?V{ehPLP)mQLrAKM$(OPrC>FHW}j+UOUr9alv3vZ^^7T<6)y+TVj^^Z?~&aBR5&9!t3 zE!|Q}x6;z{we%-idZCtHtfiM~>9tyVy_Wt?OJ5GeWjm7PxDqklK96TPlAcz13)27i z*UDrP-%=n0PrB)6z+^MB^B>MR4SrbK$diF$Wzvti20!G=KRYJ^KNQGcYbS#)lt_|% zVg3c0U(Yd$@n6u1z>gysd^y+POPB^<3CslSzD}27ls77HpUd}FGbzbadZP;eIBgib zGRaMEBDf4U|3&RJd=SzNBZ0yGp|$xCk%w1CgmTe@vb-4s=1xL&qlQuQ7HTapwFz}@ zp_que#$84|lJ$)SM#Ecp8X1j^yZO)TCQ$CZg=+9$+RZY-TBznE?lW2#_ZuxqJz$}4 z#;uG8jn?EI;-9!Phlhb;(MtlCJI}th<9gR*#XX7!Wi}83Ok$l&5+!L8l6snui zJ)QF8ZRm#46W&`iXu zM6abMU%!Rp4WpmYKOH;Z7Mh88(|C)2Eq}*&m;WtKgh9q&{>yx*F^vB+e?O6!o*$km z)my?n|Byb$7|Xw;kH3Xu0{@&o$(YQ)r%yGe-9lCWsBRcDGQpdu znMAV)vyD0Y?|LGnr6cC?f9xL{pYWgTiLlUEl#W`QNJ!5wF_s$3jOE4({=Vk36xD?OclDd2gMn_yRt{Q*qh=lYt-`WCaH-DyK(4{1x~UukUVHEpTnbWG!0@TykcxfT39>2Z@=xbAf{1=s8ryji-r;P1N)-Q;R<8|wXzmW~IY zwYm-c!E}6Up+0mQF0+j`wp9M-FMa7_qgD@CeWXde76L=S-17s{WjDm9X%Yp-(ftJPJj9qu3qVwX9WLj0{yuR`Q90F zs^#Z1U|z_Ovm~?P7jL2VarC_fXK|bHOSbfvZK$u<&{W;8I$pEoc-`@aExn%&wZCJ4 z<4qg-TQ)Sa-*4M;yyJM+mOjvyI>?r47=vx;Lu{x+ZD^`r!yNC~a=h;tZc86wLmlb( z!119C{UaNisq;~`9HSj$Z0TcdspD*^ywPAwpI}Q>(og&kj!8E3$u>0pRneAe7*lQO z(`>1x-mTB+w!AZJsfIDrmOjgt$~oJXKF5~I|1t(mzRi}pJp=XU3^`@(J2GH)X2>bJ4!dlrhOyh0zQ>lz zFI3smf3cUsoW#l(hu8G4dZuP`Vm{IVf>Lm zKbnwF?8`A*`f*z-x1hH46B(!{Gvt&Ur!rvv%8*Nx^RzA1FwWT0&)QNAg*Sf&Oo0qJ zeoG@mJ}E;^RhpauQz%1@|6|OMFOng5Q>2@TqPFy6wp4!U!K+R{tjLM@d6 zQ#wPAo8S!jvKewWyL&TH&X%5HOXZvEw)6_NRBnB3>6L7$-2B?otJqTcp1m!-+AY-7 z3>asI+)ZUl!evY4zBqyI$&mME$R*b8v!(LZfh|2?OErw3Ej?sQ<;L2U9?|AUur{Mi8C`?H01w)FP4RGx*{(mU8v`DGScdM8^d zzv*I2f6SI@7+q}XkK0mt2g{cJge{eKv~20!ZK-@q)|TGGmdYDmw)CfLsr+7!Exng5 z)i9p1r9W#+HH_zM>Ah{KJiW4|zhFz{*MV&5eQc?Q(bty#k}cIRUbdybVoT-Omo5D@ zTPnXhXiI;?mdfu@+0y&lQu$RsTl$-}RDQq7mj1Ra)iB<%rN3)SHH?A(K_6sGA8boC zj3Ku4p|(_>%l!xaz5k%U{~z?>w)7DIe1>isYEEt$%rFarbdI(_^z|fPpZLLKhjGkh7(a2zdKdX3x4EQx06q(PAk$f1HC>a79d*`%7W!uF zc+%vZj0{;t*A>uv>3KIC;<9}L>0_nIq$a|i04)euTqk2O9_h|j?=gCk_dZr07 z9pS2MBVy$e-JZ{4%J`sM6)(~*!+Q6O_sgHqR#UH8|I@s9zb(N&j!3>V_S3Q`dLSq$ z^NhpD!s~>kcxC^D{JUm^_FAF8d&v(*=FS-}_RNCv`H75;%Jz~mT$9ReE)Umw5T|72 z2`+VY(JuF=^XlV7^7(Ve`|@`d-U?2*b|3FFj3(H!zf`=*_1JR}(Ni32rsisV7Hxed zwp;*v*Wn&)UP0o?-Nf?W!kN@z(X6;+nRuNO=9}2o*r^2%A9EO=(9T)xeIfHy!2>xh zs$o>n#yE~OQ@J!B(TsUzLF=q$Jz4k0+kT;{Nu8C);zEAp8KGXg76|5v^IN#(#T>>` z+8L+Gq-bwoH${*;m(;tDbjlg}0>2JPjGuzDv^C3Z7)v#JO2Pw?JlNFx=*wNgETcZ3 zMW%9k+nSx%qs{aeeT4mVCjZbkHe0-|2U84V!lk%;r5W#~bK>;OQu$;)STrwv(4ho% zbi-F3+-lZ)QnTlWE5|t>m9e)lzc-A_p>RjY&t+cs)Gou@$h@)2=y9CHlHkPDt=FalenQ~qbAn;oO#xiaaR&^wo;suicNN6T-NS%aJJ0oH)D+5;v5O@DcrQLQ5&BNU?$O;~@t1wb>#)*cmRUjETOKgHHQVG!A#!OpvlO0|xZ!Kq zS6{~WKH7Upt8byyWz}Cxed#CxPRV1#){LzMUA4y|Wr{nD%CwoalEWD2Fnzwor{cnl zr3H`39C>rF!`Q|gQP3W_?kz*WK1Z?6{3-1z+5zGJO!SmhbX-Wrpo;W$5akk~Blda` zzSNQ?rE`M)>inzmzZSG%jz62iK6#pn`3fD~TQE-lf_w{X_+_D6!Hi^;_slQKVxu#d2VJBpZk>{&XlPsQK8M?Bv&H{avZd`khD zv)h9Xd*p%LjLv{c9gI>wFsBH_ya3 zyd`{!>s)h_w;A)NxVEO5So1TgWS6yVy-xUlncj{~_na0lG@yHYJQQ{_^e3VBME+xW zxqZY&x@-J}!4F^JF!tTXPV;8sS8IeEMs~k>mr(}&CDP7Gf>+D|aQo&E` zVHH#toop7lO)UFcv7-rBvlxYJ*4u6=oMAGNJ#TTdou1;0`(oo3QQ3`5Z=pg#Ha-j^<2ZEkzg4=j6H9S%+~y>r_?ZJK6uXhrb%>QUpIsV;SNi_?L3T zWeMd8DTJQPqe8@WvqL9t%)b06d$)=?9mZ+apF~I&yDNaclHmVJ)+@#5!uIx1rkLip ztn&AxyK~6&;|{aWzsQ`ZsB8ro%{cvdnRBSnt#T?pz+S?FTE*jOg)5XC&o9LvD=3K^ z6|XpqJ?Np|&ko}=WEw!+pRl%&VZ1{8I$;a@!~cS3;Pb=x9C3iSCvlMYY2pxZU*bN5 zmkBQsJm7j0dx?F7UNYW`u>0)zhnDowg8JLd^fkuvNy-#Nrwu7{0>0l$n6&lUKEW#Y zzr?>+`){sMvM)(x4DQdte{Zo(`6!pe$jv@G5qjfylF{osfjDJOzIgg7wBiH>%Va&u zB6I1Q_^$F><9%0r#qjk{{B7b|vyQ!bf&C(JBCKT2u9A6MPxcSPEAiALfmi?6>f*A6 zd~O=L+-25yA9Ma$@`WnXM`S&ju&;129*NHcJ;>Z#Y*f|K7Tt80bvO@oJWqXpVRu=n zJA_XxfF5(FnC+?0SJ_`JL-q&x!h1BB(|?~t8(tO=E5 z&w8HnYtYwCfKNdo!79BpngnDFet;&v}-n+`P z$D({ud|=LmJxgowLFRvy{n<%m^g_==e_M*3e}XSiP*cXx%$c7fwEdlq*VBiwhvDoM z&x8`+2x7freca9%E|4|QDpxTT8>ihUbf5U4myz)aY-$d2>hJ;cV*+O&R|@te^IR=! z5z37RA0i%ru7^WA#GR2x>KmQl*WQ)!%!!|@ijBQV{w=|&_P*8DqQcDm-T0v|wf&1F z(-eHz-^|a(E}kvQm@3*kvS+aPRD3`BQ`^>hj9=0@hf#~YuY%{8UtVlQL3OeBmu8vy ziRfk+dU4`A@1XI*2#MIO4tozB#m4Up@_lC%DKzwKm#x%RwV1V}5Q)Xi! zvs|)fL-p}fqy2gd^uMUd_bB$V1b#O1niQL(&dXTfc_O)`An;3&3y17Jk~|F!Ew^3&|(G ze^7{WA^P_-2z%17isq(bE8(mdN4+GdAGI) zN=04;wOFfN=xkCZzG0l)$&Qk^_Z5fnIQIP^`Krg_V>e0Ysy+`k^BH4aLGyc$FfJ{% zepSUz>o92w;>RzDFRLngOhWz$b=<*TPQh^I?C;pOAN?$t#&0_i#?Ro)iQJpL}y^c?F`5$x|7bp0yvOX&6y@hOX>tz0s9b4q-7VSJ=^RyjzY z53&X}!2c=OPyS2sLBEn#uoAmha7^|?Dm_KUdL(+(p>oj7cbm!F$Q!3j#@-ZU(e_UL zSzi=1W=-#dO_asw-3}@+{}nW*p4r&?d)T#Ce3ez^Bi6nFRakEr-~Pl3ex%OBtd9!H zmrsw38d7d9WB8`XpeX;yz1R%eDCuB-#M#CU9O!tnFmz%Z8zkr=v$A8S8O8>Dl{S@( z`Ng>3mVH4<*1Mmy@zLv;NZI_fc_;mNNqp`YaDH@pY^x)k^(POunPQgmn<%{sqcD59 zuj%JsU`uMg|EuQgdGL{+h);NMD(x`e{=f#j*V!MU&kxZ_S|&cjY9K;;`{k~@2f9@d zrVa(3ggdH;;Ll*o_i#>KhfWl{$6V;kdH#0bW9&wVJu03c^_<7q^zHLc8PUe z!KxIVi^;rekL|>eJuLb9#P4YSQ}Lg}Hrh^CDHD#Ow>#n6dB&_SyVs)J8m|_=)`@v} zNcJns#6Y@$vtT=OrJ{_D!c7-nW6=}i?JR_cA8d0UnGw#Z(8QdZ6v zBCiAbYW!wz+L*|iW{`JOGK?3rwd^-Otrld1{hQOYRDjjyf(UkAz8 z5c@lxY#2we?ceeJ0j*zdL07dV*?$^$FWYv_5;n9Talp+L)F*={w;Bw%Fn_#zahF;c?GlaFQxF83c@L7>`1V? z_9^M)TRsXhe-vEA|DB_r!RWIperXT$xFPy!O`i+f_@3BthcQFeQM0CupB>Q2>*(qa z`Y}kx;ZTAOev>_fDmfXukBDtpHD#A|yN#T=+h}^Sc+|LK~la_}~SlP5wJ&91bFr1^3CAT6q=!Lw_v@ zYiSFo$1FuR!K?WLh1{U^F$ZhC1(jq^I{%WxxWanc7uz|aowrjG=Bg@Jj(zJ&=ADAS zIqO!Y%;(aN?`3~@5T9s)pE>gZXR^#-d3O`P1l<%x1`BGjwk?&mJ+gNFfltZ|zWkZH zOu|$aInExjLpI9M$3dd6>g4mGqoLUJgJKJhC#;$Crg7$#aS1X%6s!=QfqVr$Z!zB$j40wTcA&da zVrb1NccUV6H!Yo<{*ha=;WXyZaqV1dai!+wn?;(gExbqWe10flwl^#jo)+wtzof6O zAtuk4*q?&MJJ2zHa*FhCF>-X^9KWTg$!BtzpI?YhTgiNGE9d=`B$M|c^7*y>j$T%! zA5OR*XivU2b3nl{(!CkmV~op>XX0(Q*Y=Ia&|!Y;Nrx}B`B{T8ROBBLgd=S*?mPG&T!=GXJwx#>)I-zD_#qVrm%)!!|j;A$+E|vCpK*H z43+k*{5WllEnHpkXE_t*h($jL{WN>60CT)mii!OiyXi<>4LIlOkW3xEVkWM-_|M;w zy}it__K&?nb5AHUB8f#N8z60E^XnhE=7@y zy0VumK)({rwWr9d_-4ucS7{5j$oZpS6$`^J9BF6i5mI5Pq_|AEnIkQ+rL;NmGMS}j zF)vSxZZ61t{pLoT^TF%!w3RA^4;ai@cZ{|l8A|>I)_DtBkS~jGn#Oo;z|ItWr15W= z#r-Maaq$^eITgFg$8)W)_a*2j4c?uy9*xZs@8_NbU;jZ;ysVWv$JuHW!NGc;2j6#r zIe3HpzXKmo5}npTzdtcw{zA?li8m5Tfcu{KJAw|y(CMGlwT*WEnZ|u(-ncA1HQ%^_ z{myRLFYDziNgtYNee5jrZGnt^kL>t|c@N5qm6f|MqIRyG@+8ZiuG{I&*l)6l=_-9P>uR{`K8kUf^O1%gEZrM9pxSHtd zcCeOb3JSKslb<U6_xev0J@7H?+uxkiqC=<8=%Q~lUA22q9q~00Gza4qr?-l2Fi7r};-_9m}BscNflYrev`E2y7f7g^w| zhClOD_i1=?NO_Z+Px3xwSKnpq$67U9#$<%V6IpX7;_I`qzxiS|cZVrAOB%zlR|~T6 zY%mcH;13i$g*`l@?hQ2f{Bk_s7QVj7F+iKf4%+*Ub$40ic%di6P8~zyW#iQNFUsjS zl^!YjweZ6w{{it3Ip+#`HeIV=7X zzxgYEZwK@ju%n`k$xv_#%1t-p+kLw63l{We?^TAqUVo9@!mGFwWBw-ie)ztfS{a?^ z0(Mq0E8_{@R^(AoinZ_!@*Pvsvo}Bb;z6-uUheqhFxkl%IFL}Psd&#nP=)5XD-)67UMO#~~av!n3Xv;psf)B`NLq}tY z-^Jf5xI|ya$=%jm#yb&`SdW|HpPkH?(a;ZRV>Xd`{ud}zfwQpYqX%lTmP60$p;9>+_VsiK3~7cl>hQa0DYxc=WP&%3$!^--JwyFsr^ zyQ4)X16jir^kVOC!NvspxA3Fcds{HnFw6DCJ~|Ozm$7|P?8f3#aRH&di4Oac-huxQ zql+Wx_&M^$rLRSa3owuOakg+GeG&kMeo_ z;9GnJjYcwWMxx8ipeK5IlQsH2e85iT=2N0K#rraO1y9Oak)Girg6%7)tIZ=5!*gTG z*Sq2{-WOf<(CV{zRNR_9d>Q;jo*X9j1F0)7@_vXs6=l8B%XCRt+Y~J;YqL-(r1hRZt%6HnYjk=HX$F#Y8V?` zJdcF83H`4Dy%~OgF7t6SVHvh*!D9(}=}P{6>2p48YbWzhLGu*eJ<3LX*!o@A$k*&a zO4GNsj7c(lIS2&_-L(3eqRUQN{zSs~rB|Hr5u+UoUS|F)cy%6k&vI80mc3{8pE>iB z&PA*sC-FJ_Kpx4zf=w3H{90bYE8eQIj;+Y8asaf$GA`4wnMs8l#;(e|yCY??5`QG; zw)Zu^Iyhh!SD$_8=UTDtYMi-iupSIwY|8dB_CMkRIzw+GxFcMQT+hS5-fExnFKc>I z^$lQ+t_uA%@P9UE&q2QTF>EHJsO%f4qhxM};ap_4QICDa5$@lskw1Xncvh>gtH^mL zHc*2zRD1TkNn(4e{^q`xIrj{Efik&xpI6hF*^>D=i1AiX4;~BdAbl7+v!EpTK#G;a zM<>P8D&@qk-WHwAPVl?$qyJecCVyd>EA=vwrNc3Yv70(x#U~76{9lxQR+jzye$mf< zIj`hq9aj*e|z?E3bHT{UXt=hv1=V(75o)s2qJej_9qI=f9;KPx@fmCbJ>Dt zq}*b3tiy&9oOQ7&3vv$T?hc-+=sgi~V($ueWiey@v$0n11GIHnnjD^Fi?S zGtu3B;J4%Jmhk>uKGIf1udtbX!ds5K1)m~E zik4US?(8iJYkJHDy^qM6Ro1tUWxq8MTTA?%t*zKnIebWG&MQgm`=^Lacg9z)6FWJI z-8D)W+wRGH|B!halY10PMin=Yi)=JbWvzoxK^gIT*%_lTwDTbNVw&vDWp3xZ%=2#M z!^A@A#f^v7c=Pd8bL!*$({nBIbE^?Y?W_-)1?d zhEtg3|MD(|wCyZr_F-$18LwhpI)NWtdd$p^MYe!;r>V-frLFnY{S*3|Ds3qI?I1sL z7C|3vk-0B+I1@c}L(c^?`BmAN;V_abwu zKURwU4E45@u{ll|ulSqd;FFLe5lV<0sbWug@WIJ~+eZI#Ntt`7tB~OJIzB_z!r;52 z*Ye2p8f)s?vrLXRDsxAIPCFs$S&{#B^tKrLv7iXPD@m)j_F3LrqrY{D?;=zu)F9L( z)FMO(Q9_LH=oZF@I7qlq2_4c_1I?CH8%>~f5uc~>jmT#`!+ri7{C_fYo<7zG*MM+Z z{L4esktFl1H9R_`u)bEq))X|Mo}!xU3imcPQ%;`yG=tubG5>?UFPWyO?2X0##~{0c zVX|I7#Qk<-Pz`qQ?j&oeg2MQ@os{iPeMJdR6IM`9H|kwX+?Duo!Z)xlBd?$vDly62fvg%xtRA{Id@f| zu7lM~j=_xUaG86#&}RwC--B(>(bkN;><2E9e^&NUs^pilw&Z}n6#J6w#N(yi;^G5! z8C1F|?J6h*ZyCZ(kaP`^a}TW;oiU+YlzoVTx%thw z5B*kaD|Cr(lLQo}-wT3Mz;!mC$J( zY-SR5bfAto$eOm3do%Wkhch{2o2AXqwT#oVw4-1GzNx?HLglYxcfZmH-#KK+9q-#W zw56bcjHOC%z=rzeS1A+5RIyU@A&EVcrkfSAXR54lCG&4gAJU) zI?1RnHZfhZyX)A$0;kOTJj}h5Vi&(LMlWb6k{rPSM!v;|4K*lURo=*paUTC>>);2XgFD#co;;8)sN zKz#>^4@jE|-$R?jC#X-sGWe!o&u64;2f-^^LB^!*F`nDe_a~%ng)hzA7&}#^*jsA- zn=v`E z!XFfwuBGz6rr)%W0LqQe%o`S>Zt-v9hk2*vHv>w zp`tSXN8#HPgk_vZQ?CWzh>YvXo0tODT+GEjLK`=WU&Viv)^qInStFKbH*t^3m^`ZK zN>T185pVOT%;N{e2P*n;kyWKFctF-(l@DlkseTtMKejlTcqU^un7O5XVXd#s|9v#I z=SlW81O@j)Q!qbaJQkBL$r)JvMo~-VhWafd^?OGjpnK~#nO-J8SH@;C_%A8bTkNtb zb$+YW8RA^NPV(PNyzVkK!S}evh)t#oA|FMWBMLfBLw@R3uupW}3BNEDzr7`iwMW*l zD(Lnh8tp=#yTM!7+*4+x{;&oX(iSajQ;ymMId=<}7@r!k6uOv3DpgZ=t8NI%RFH=xI zAK%9!KLh)FQ*3*iruUHe=bVhW4y~m8WSM7gCz;f`3BIl)`7h~@f*-VcRelrsr}lEr zM7}?@6Xp|E66O*Vd`dinFi-Md67TWz z9t3fk;Eu2#UPHPybz3l1XewV48~RZE+GC8%PsrI5JNZ$QSMjCES#Qc&Y>06ygik*s z_8=9SN1Ah>{j_Bj8$gk?C z&K~_QEnk`W5GurdCA!!Te}^-iyP@Z;%3cFd-L1)Q@wkMp z^3^JEAAzsW!nmhWU(FPIf_EZFW z|4_usudQvxNKdB^V`QCIb=Q4`ALM|@YxrrZ)cEq5D96FrGmo}SK+q|N1=l;grm%rUW7N;+x`OY@1*w- zU)9DSA9}w+-pd#sfj&<3r|SHJyn==3|AAr-<8Q5;Ny+%R9{QIBImctmb7ehvSoX@p zu(vJTUH+P4miYnyk%XR$ick0yTbacezAI~u;`&O}$2|Tnq20H0o8uCs?5nfQ`Wi5w z$Ka3N(e`F0#r%Aa@f^eaErA>d(7{2%KEi&2f^pjY&qti+W+VSGXyZvAA@&yHPKo$; zf}eIj1b>|LpM*QuulJ)b?}%K#p|>8KIi@h5{Do9|_E5y}pwFMDM!T73KTJbZVjaOS0L1!biCKGhaudY8(T{>_c?jgU z!gn|J|2}bJ)}1+v;=1}r)AR4Fapkbh=aAWgX9scDiVv!REe(`R@&p2wWy{s+Esm)YOZZf3Ao z?m`vq3%M8kMttrbZ0)F@=Z5&C!qlO|1^oMfT_$cceY{8HS3K9Q>zwiQe)Lq5z7%Ia z*9`tP%+VDxmbI|E`OqE*cL(}XP+a`4N_(-XDxwFKS5Q{?N=j^EnP24Rp^y1@n3xje zYcu`_>B}L)e!>BQf_=pOkoQsc{F#9Rdn!%4r{OzEI7OHV{|Vx*=s6GLtiuj$_#CwP zKDCEZ`zmygKWMy@-#HLDn~`orSb$$wa4+flgr)?4i0>g#<~pGX`D?@q>Y%T&4IRc* zgWs89pQOY4DP}Gwca<;WPc0}&UWaT6`KC#6`d{c@!42A&NqCL9Umcz7C!M=Idl@O) z4O>v~hsae!{8Sm)7d$M#D>RXE)zMo;)|V^rUL{;2T$Xa9W!(wMU0yDDlc%OvZDf&H z<+fGgE>_DcTpscV@MT9AneuO##k!0fBd|jSKb+?b%YDdH@IyI&>}57Q4AXIkY$c{vkZ;&%}6PiwGm z9R}ck72HLiI|q2jiLw?{V+~hOn6>dU!GEsNXDoIYDeTW*kTYO?+1I3s-c{Kv*hyya zZ+U*7hw->3^}Sft^Qa!_j;wUi9%u*Su2}756OMs zaIuFj=&hm1ykGXr1(3ZWw!aCv4&Z-&AfC#6sjuA?S}pAsAMhCa@`dR4cF+xa73zFZ z^z<K9vHw9T=6n|2LxEA^^#eVI8^tp!2nat{{EBW52#51C!6Y#gi&nj3)dc5@Uea5zT!u;{)F!?5F^LHKVdewxpNZn)cK1{b6r&GC1 zzDlg)3Z72TnTh4Q39^nJreA+*dssz3Dfw;Kd$bVpbM91dDuGYoMleoy;j`1GsvKvm zIqXd|zP4hoCe{30$$3k`LiR)!Jf}TVE5@9BM)HSP6BKkI--UJbp^Dfn^#27avNmL8 z4}TnaE>ob4tQA4_cnZpq&mnp+G3Mtl$+y=3Exy79e>u5dE-$fOZlq=x7XHvS_6gX) zF~U}K>BC=D#wHaU2RDs1(aSnv!9U~`kMxiWP&kb3ir-rJOq^QhDr z{J90&kngIjvwNBU=VfksWgS_LT%F;WfZfc<%Xf3d{;l#>+)n0?%6F4{gY4OvKeE0k zd>Zq$6MS=tk8>BVprw@Sk4~z|+UUgx{>mI}$lmlZq4!&4%KVVlPMYYx82h;OJ5Bn- z!e`dbyL7BiBk>W1*^4!yT?HL-SyX%~vTl%dx{S0Rr)HiSeVKKIb)sw~v%c*!IG2b` zbP^vo0oi`0-6evbDs3*8{Ey-v7NJ)KU8OH7z5Hj+pn@-qZ73KdzG|72AB6t8A@_aR zIWx-qNM}s=xF~u_llJS<-vhGm?Vru8JE4eCwL5Dxbyv=5Qnu1R1-a79_<#L8ENgmi z+FP5Nu~f45{83SQVprqOoANwC{4w`r3VvqX5}{&(KV3vSMP)1$Z}zNa*~!@RYV4@A z_>38h?^^N-9u_-t$U8-b*gzBZ>qD^jj?lx{-&)ao2lB;`WmK|RUjN+4SnkBud&u3j zPP)HD@E?ef;w#Vhcvi zHdAw1QwJjN{{kPg<`>CCPkPxotP2+8!?$;vYUbu9*!Z{DN`3Z>IW^m~$~~d^nj_5L zH^lz3(7uB0%$cL$-BZ)E=^x{IneCPmpD-L-n8`SYXrl$?+AuB(4pVL&_LwYt(Y)Fk zQA6g~PS%m(?7b8$+-=4cEntJw88=E+2D?_d=fA#GTBD=vh7 zPW@};xO)`4wlG0_+c?&kiD?$bjDNx|$FaA$9Xv|kXHGS#!?N*y4)(9$1Mz(-eTj8w z4|8yP1@4hAIgE#~O^>W~imu>s_7NTF)8U4!byHcVT^%?Qn#!`m`U&FJAbB7KG(Q8R;a|*ubGsYx^^}U=5^rIR2 z*@~ZAyp=NaPr(fIW6$B{V^ za$s}s((fGD>(i7il;9uRiH+&yUSZ!gi7^XsA97bNzRMuvG>!HPifuQOHR=xWO?vsn zbeO%C1?!P9RqR>e=E>aKBlRj=HS|!GFo&~jl}vP^c*<+|%A_k1y5RdpAfunOkKiSE z2s#8LpId9s4bDYy5>kb3m8pPlO@tn@R-|Zi#p0QVzF%UzKA37@%y^{aD`MyAFX?9_ zXUu7Ky|NhJ3#P0Cd0(UKIDGK*ocx9dI0bKrO*T)E+oZBzWN%uNyXwnj&3^pJ_}965 zYo8Q<;5g6DHJenpsMK3pe9WV=C-0M+IW2pZ2s~jzW#kTOas<)EAnfQ2`q1GQnN$BT zm)9}=@5!F5Vh-$%HE|#G2>rS*1>c9=?-l+#q`iM6uh-d}e)SidT!wFT;!|re&!$c_ zxxNuQog(?NXEMq(;tIYc!B^ge-V}U=zQ;=4=?Lv(`cyMB4t?AX24Tlt#P{5eN5>y8 zZ|0`qe@=+6P?(+gKLvhl@*NqEnW1!)Q4+oTWgk_RJ#|rS983=OSyg#2mGSs5IG)RF z=L)`BhqB@`*P>qqUKuwthwqhjw-oZFLt%-@JSXevf#xPDOZPZUVMgN@Cdl26%KtGR zf6bUE*uPoe8AWYNwCY=+B{Zuv_YoqtbISj*E5CnPWX2aw_smYO!kV3 zH%R;EWKXpVdLF03@~)bcQR#WuR0{sig7>9=D!)V4g@W7pJ{|iszl_yC)bn?MJavyj z-=nlPt$M8Z<%BU(`0wyTrJ2{?6DMO23mLcKvNw8H_WgfJo#SOcG!p)onb!(p+1T@9 zhYDV&FJDnlZkcz}#5Vg$UlmWsit3Z|GXXoFb z1<0?&ryd}ENO<>4tT>l4Ud^%P5N%sfo_U_r&vOAnk=(?ZFHNPsS8{PDh|U!>#BV4# z%sZ#c*q5C_@0o#5^rvWRSSyF2t8vWx1JaN3_(cVm{Cuw$9p!;P#<}Psc?IRT1DS*@ z3aV>+NtJ&W{FtkpH8ek>@KdpgL&S8QJ&25o!Db7V@^)a%e_a4xs>1sRGE(W4h8RH zM}z23ZT2{$wS7u&_J29?k2wh033&*)2?}yaTvFEdS;(khLwU}D^dmdtZo%WXk^5H| zKBcea#NKL&y{mFXs3U|u9ACuqL2P1Ov3Pw}y;fXZ&Zh0B@m_?;WzkeTL)M(<>5m27 zwK?*T_=bM?q2>5M3x1Mv2Su*^0p4Y0e`>*U?e4HhChZo-9t(i)M7{Zl3ljrCz32?;;!|-`!7{|)k^W(@p_y*64!4CnSA3J|n*4&}mnbWF6#q;2=IEeiN z^xuLcwZEW#H(z`p)#?DBp>Dn9BD z=3!;=yXUdn3h=#+pQu9o4CjFA#QU9$U40l`Z?NI4Sflr1it+nZcd-{`q@&w-5e>wBtesHD$Vxwu5`Hv-RR9 z4pTPexLJRx!e)FO{aP?a_8WuI>A!-1_(^Q73g-}HSMZOig^I_^#u#mcD<*+!|J7QDi3C*b|Erst}vd1Y)z9IRF#5#Cbt2!g! z8gy+zXLPFIg4mmxGe4hWo_0#8Ls5RD&k9c3=>NTB)==vF@CrT~ofoCu`xEMVL;5`u znFqr^L-VhHVFUZ5orW4-wOjuT@8MI|*gPsnU&+6j-AvnkHkG+#@syVHk(IaNk#a9{ zIg5!Y$64ke{_BF+KsAxODKc!##8#|&hT%iTK(AYwGcP(&P=|Arf~Kr3I-HU^li|zC z9$LXn?rjfMp>2W%d(p`OEkBttn63Gr?5uP3&zWufi~YBgcCSd8@0edYRG-8CgrMMD z7Vhtv^HIiaF8jkbQjnKE4x$gmS(ERiuKL;-PSE^eZ)vBe#4+KkLHr=Pv%pQhHtppX zzV*zV+dTBa&?c*i z*@xesBtE*?R^BPX-V}HKrXXWoQqFvd_3C+T z_>3#k$0fX5wr;1{W`&++{QGRyrc7iUpJ0QhxLdKH9=1>lf0rkda-}r;{~KK@IIfLp zBk>bI;FC&MH0g<-BhXuW)|~|@d{-MSsj;Ae_!ujnMw$KCY4s9uo(~iHFiP?* ztFnHim?cYU{(Q8|&2P1_uP&3lB4^l^jHd-H@nt1STRHYtTksuXdt-^0VP~U=TOeB% zY@~eW*EYoycn{_fXaOO3!7p2a=1x%UmlD3jX$DdQzWa>YCHDjNCLMIAdQTssX3SMH3 z`&ru~DO@#a#~PA6XViZNW~@u`DL9nEZ!#p%zG94LCfsQ#-iNW3XL7PH@~a%aQky&5 z#pV}hHEH_iuZzvLn`vi~nv8*h>gCON!`8TbS@6BLgD(=s!{RH9&VQD66z=3AvyK(4 zWfuIz{Ci&fRaW%36aMPx*ww@2ttM;g;2dU&17cIJRATRV@m87kVF$MZciQbJCVtUv z`k|<6@Mmwa7AR=QUS5Z`l3ym}?;}4Wfyd%sqv2OFN0;G48qTw*+_SJw@0M|>E3ri_ zBbu@1M{~|Z?Xf)zzF_=M%0Bi1S%ZRNhcB>Zhta)T1v$SRNB23A zNkK6gt2AVIh<+7Nn{|N!xlNvAY4?Fl^j4a7M#}!;e&{_h{I{f>s-`UZEGTuRLx#C4Et}vzq_x zmvGl?X#V_+jHxP9M(bamikx8+)(ypz2m@qITPk}_i|*iEgwom`@iq3Y<;4G`iZ7aw zi@W9B@xEJSi)&}siE__t(fZNeAL18wF<)CqT?N@=?9a}AhRw(Y>{CHr`ZG&>adXubQA6p1t+$TZrpO!akT92-B%9>k1_EfL2clmy++18WXB^+Z}i+WssoD}l=fA=jb{HAy*KUTl=3+wUW|{L>f%g>uK&(~ z{so^+;+2ef7dya_H}}9$R>KU+STJ9rECZ6!h&xLapytXv!yKy zKj|#*>12ubcP2Wq;MYv%ZXRvkDZXKutVdS)1?Y9N%&(7`8!fTf|38q%xvVyK^nLJk z3Ql7mUtH&R4n(HGGG`R+UO97ygjeAdRM6Ib6T|(wR?fnW`ILJ)Y*ay>swUP?JDXXL zUK9Opnr`CN=O#H5FPC|3Q66W^@6g&@p`FPro`TFv3%(V<^o-28AGE!9VXZH@*|ToN zAL!6tY~nZOfCX!iXRqd~jxt{q{G}}kbG5bXC9RFU%$J8nkK-8Uy;9~C@l&dvnbXu~ z9O@-;kCcKB6IrGUy(IMxNsi0AL9@AdX)_h&&O*Th?1yepzA|I{Uyz6P3SnawbW89> zcP7}a;%iTT22Zt0B*ZfBifH9d$lhcfJ~T6U5IrZsUlzGHz&ki`{i09~t-fyJdrKt9 z8e%zh{-|%OL#HaOV51_+A&DUiYITif?_*vaey>ueKU*l8sedNntQz;YN z^UZjkW_MY{Pg^{Rac+D_P5QoA*7O!)Cuv*a*U;o{T9V08Z)OG5fpT1?d~h< zR()_)#OM9#=llQUUqw$(z|(+q2bpKTYtNiZ;b#wP`DYX6hc1Ik*H6iad5yU_5SbD0 zKcOx%)FIR+B*I@B0R8 zj1KwHds)%Fj(;G5Pto>?Prnm+4l&kIVg;8-pK8wi6Fxf&d-Lqf!R*93{6CbP1(;UF z_xP6$*j>77fn7G}Sh~AILK+DHr9ma6kq$uwq{AhamR3NJwo&OY5s(s6`f=)oxD3PK!yaqqP#J_;dzgLJ5Kp4 z>Zh0C4`Ycnk2!Ye4nE`yy@Oeuihm2`==P=c_%|mn<4pAArK~J>F0G^F>E95deb2`K z4pzJNrsJ2T#e2$wQo0r?dmaBHkg`Zp67VzYy-3{nBv`C|JCu0ln%eV~j*T6oJlLcC zJ*l75tXUufbd~X2PZR6cF2uiKRC_LU%h}7^PCk)wis{^can2w@+YKEUNqn|fZP0+N z@BthI&brO_Fxat~q|co;>+PUESK5AJ+<-hL!CdI(fU`k?zg35}aIQMWz8?$6W^k_i z)6uP3jyzQ0PSb^)tV`g%)!e^1HnRw8DU#ic5rRD_!94Dx8xye0p{Y$9`#X{{f!d@u z;lpERY*WKK-YE05n7CnRN?XdmYenWuDZhQC+(mfCNQ=JpR~Zqy8_1GCIOSpBmKD5X zBo!D&(wOlYM%u@=Add?HmwEZ{e z)4h`Xn;OmkrRxu6K4;*`Sjt0qPN8SZqv}^OU<)^_^oaroU_-cOxn7x$fAYR%J(l<5OX`{p=0c`Kpbr+ z$MWsJ+MeU;i==L@#zeE2*Kmyur96RrUB@oYC+~&h)Nf&LHiJ#+`+3Hm804km-dFAP zFkNF>=RRGivm+z(m|wj>U)w}&GuxTNL1e5bYbmXENT@G6u|r#Y`wU&%B-NFp=<8j=?t8W4w#7Fvg=tb_RLXu1<|KB?FH8_-$!MVOIopAvYgK@!jN9be6U3 zB`@%m&ZQ)BPy#H1oD?J7N_}b4QeZr|2;PmO?KjZBOWGGKO8G}o>0PsC9ua%=h zR2_etHi7-bhJD2RVr8z}CkPbgxe!qVU#6-Ot9K2?q{qu3vDbkMgP)iK0mV9wWKo4 z5@^~DxjW2y79x8VnmYWP%6=aSGi|%7oCsYh?5sa{>(76ePC?&p6*1){m`gbGTB33z zrP(eb6H)w|`c-^GfPVOc(by4z)hh3k3Yh#f*543)x6t&yd4BPhN%v~SB<3K{owJJz z!R)s{7qw4cGY1QE*vqrz*W(x3VgJU9|3Qw{>;A7LJ;``+whjB10*oY|7|dBN2%Ef> zzby-05apTS<1*IKM(>e(Z-DQ};&B~&hQ=-l+JAj#KV?o4x-Wa7@5cL=XPk3On96c# z`dfY6thF2VzcDhDPi=Qj<`n{7Mi#bWuODLr{sdD~_K37y7HlgqLj?J!*JHzx(LC%; zCh~o;`CEEpTUWpfV&=lg?u2l@dBoR#$KFOzF0d{Gf7d36xLot5l$tz{gE*` zd1Cl!=u;`^w>x%B`uU7K43qhz-+dVSb;b@S-;+IEl>%SG-dL!o@|B;v?iDdqDnybO zD9Zdh!NBgfmX%l>ANBKK$Ep zCzk9-eGq)LP?`985jHfhbC)v=nG@*c=*MAfVs-peyv8!NeG`@GWz5wd6wA!H3;R)s zwOKgE<9c-7g^lM-ehcNBow|)YZva>Q#diVG@Uay4p2djeNf%+)myqs;cU2fept7d& zT$txX>IH^in^x=dG-RV7b;ZB}U|RSjP@QLi-1Jusx&Aha`yicH31|LOk*{{jqofA< zQvvyJ^N8yMKqx81E12R5{@?OFGZ4$;37((7ce`o)) zFvsE4wMGsLu|FG5@b|xt`)H-jQ%+mSA0Q5_M%l-Zt$`+=H=aH&ZnU+?@CM)W9`x%9b8_LL#-CD_8ynP?_Kldcg&w`&E4pZ*9X_@GY|gwUJ?YK^3hrP(a^@QrjML6!hR}?!O!@3Vo>TM9^%`T2Q~5O zJ=vd^nNJ2s9-l@h%I3Dc@}3a;_7r8I8Tm#UfASjiHQDQ*@dxpJlF#Fy>XolGv4TTW zzoP=^_ zq>o;niqZE)-G_u;e8U!H+GJ;qlUbXc=zkY=0`dLre25=)-khLa~c0!KVk|q!v z3-mni>$5EWCy$@;4P`(;B!2xbVuQ?)_-UO}Gh&!TWXVETyQ{zH&*4ybgk>ux^1cY^8+iAiqlooSvws#EtDmxYn+9tilAn%0zRo$?g?V(b zUwP%07mbDAD|{szu^+uXbg7)aPvG+eo@HNe7bNB)ws)Zx`zw%7``iO>%c@LCc_(~= zzrh?j&AoX#bh@kN7nC4=)8`d`ntttXe(Yn~HQb?Mms-O5%h;PndVeZ38C9Ng zqHC|I4V3a>_PtUE zN1L;jk?L;)v6r)TAA&M)?~44*cI0lfWAkh;SGJomeq~+-oqg+in>$o|{B`PobaXd} zHSc!jI9SJi7X7gBz4j^jV)T22J)5U-WG2UU3_-R9MmVdlTKVP$(t;P6j#uJ>HD}qRQmU?0ave%RW=suJlk?k@2T$(@~X^A z9~rTyff^5a`;>fYjq~KW1-{{Ef;@3Y&pK9xATN&1*{t!v@9PbX{AO2sKAHQwqUd34 z0biXwjexfT?Qfu=GB3De&ktW7kDun{w&4U z2&B;URYopS6DJ;z;=3Q>oCJ;ggr@V~@@pVL<+-T#`?}7dBV!l5VfxIDUJ2Y*88tcI z@1ISP#dX{{(Pk&}_(}Kr8Ej80-ZA7*n-IOxv{}kJ1j?b~w;UOjvWQZqZja74ljc)v zDl`I>(FqsMu^+!Vb}e%sQ~!wh48bM`Li>`QRkE)`Y zs)XKcr(Z8jbYiT$kNG#wy7qpw`(II|oBTXbU=;h+jXqsyiCrkfm=$!M-(ZU-Vsrh$e)<=9 zDw^+>9Ge_RjM4FtuSFAVP*(QHh2qY6CB5!P9c0wP1n2oX<{(hJ7x51^O<*j0@CrB% zeCdQKdr?!V|ADjT1C6&!@oxGa_CR2#$B*5Xxn|*S^}x41)MZk+O5?;LH%{_@vQwYq z34AD4Ci&VbIeVPiv+fb>nLt&l$bk^1{ci!XK zvS}gQ9V!oQ#hB7X&K*qPHZ#A0*oa~eO?_=_ULCOH3cgb$%|-0I92@i%`(BOw^glVf zP*-NPp)bp`KxxvW&~0J=pC&D(^-}jE`FJN^hQHIf37;d-f<9Ybys5nUrV3M=ph@cVhV)Tk2oS=spBG_H-xh2N#kS1}@YQ!4H$8@} zdsW-L?UA7a;?=EjHuvwe9klJi z)?gcL*HC@8P}e}$a+2>%-6-tVGo+osJH$90NjoFo&XWHb;ESk#9{oP#3^&DBvA^Zi zcPvEKK4ZQD3$Ydc;C1YZKxW6bw8o~a4)d)!nz_~1_6IeVS(Sm9SjRLynBU3QeeI;A zvikE$st?=OV}Dqu3niSGDg?d@bb+R;htAYI`FF@^({F3%%xS4VtjoRWUGBa~+pyQ? zweMQaIqEER1GEp@&P~gsV;zy#eE7BYr0rC8EltK)Gkzgwc~|xP-wE1hz(ja^D2%_w zj4u+X?~%`=8hcca;XRNFLN%U8>b$1G#}8>=ig{l`r&h8L2gnOl%SOyOkeIuq>3e|M ztG=mB{ijNojr|m;6kzCj(QcoXnHt~kYG*B)ecTC$2+Q$r) zr%KpaFEql&w?PJqLi?%q8^k(yWh7QZ9@eOCNxQF|=j>~^k8tdMIBi@=Lp~9HSm?mq z+Jo)DwqP5uH8>`Lcdn!@!4_b1aL#&k6uvd(xe3@9{2qVYkhB3WDN^4NKPfO;_hBY|cm6VY+sE*83wyR1{1g40r~8}Kke~2; ze7CD{?#syK8-C_j4Bz)L^5KPz%x9KI?x#g!o9QRcvw!8WsnOWGSF-ZnjWJehY%?yw z*XtXZIKN5#|z(2jCcKCDhpMe6$G_3;9cBl_~fW18kUj@eKKD5QwKcn`3Idyx% z<&5KncXU5jQ6Ixz-a|eF){x%2U>o@j#0&|P34BBONZNfx`Xx9O|1K~g)Hm-S ze8e^OVLv+FO4}8SMK)EIZ(0-=pJ4l(lW3pNCG`6=_sJbk@QoSxwnO_oJa^$M zWNIt@zr$Q=sEmwyf}UR32%qOyPZlW zb<6je@#pHENtr;l<9ws4KF5^se_z3;-q`TgA<5?~^}jQx-@p#ov-_lvz(2r;-~&+L z25kk7u*Q2@c9+=R!e5mA368nPojvhP3hvqhz`rTW3lFalt7L$8mq@RH>EX!_q*uYO zz^}mz;FsWc;3xF`4e21+Bhu602{4d8&yk)7&qx`%kq17^P}^kZa}e7jP=LA-k8G() z&tMClW$!v8d%?sxiMkIJr4PMx4AB2~pc?1KROrD)mH8it#jd3`{Y>1zx1ZEKN8B>e z*-JZGd18#m$d|x+bUP+{a^CmG|2$Bi(k}%zJ{5LS_x?;2@m#ErK1A<6OmFBD`n47P z?Sl=7^Y}-hISy~U5W(Io*YZE$+e_@z3GDtbmDN7@sDhq3Myns~?|eTY{VwgrcPFWR zWAyru`xfs!zFBQbZfQm4GQNI>sZ2}NX6N6|OMV4&wXg}BIyi#w^>yEe@hotaHCjl$ z)jV(IY;_g-NO+j#uCLzGWn(}4>iYVS#v&VDXva8>>+rWV@HyY8E%eezJ{@`&!=At3 z@r~JaT?2{nwlf!jKT4Xk0P#Tv$3`SoIzQtE@U5-rxW*7pRlpF|)`Mv6M`&l#3r?E9f zW4JRz-{02x#VU`5x+V24tYhwB#ZAfc%;Aq!zS>*Flm#`uc#GKL0JsLO z73`&jwaSNg8Dkl`CGdu>?;XnC1~a4Ez0s#VI*;9?yYyM;)3R=V(88fva0eRb3hVmf z)GoXLAI{@n?q=RktNn~qxoS@gao5>v+b$Y@ z3uHttx?vM6q*pn~MqjrBedSW$T-Q?>xv%A%%a`a{8sI0!JAQ6I^zVWDz`fu-_U0hz z0Z`y4_WxbRz8Ho5WRClEPm?PD4?l-{n|@9wpJu>jedj1$L?U-XuyKR1(<43Sb34Q) z=+iqgB;~Itf7atC%HY$|YJErKM_?2CnBg|}0Q5heGg9%4d_#@Aw8K@|^_oEYOR3 z7gDGUmE*8i3j11&xmn0bUB@WSMa)~^F8f%Q`kkEh1a>*HlGYEuhORVp9n>yLZU}ZF z4>Gtlf%6MGEbu;ZcsPN(Cg`fcrw@>kUF4_YvpRatW0mzx{}i##*cF^%p|>!L{Kvs2 zpPP-IMBc(=Y-l~uLOPx!pot^R242d*-)VQ~g)UNsWd`MqpeYOrOxH9+0^hRfb3tg+ zlXoGL<}-TkJSv?aCI$u4vMs6PUa1WM%M{hQ^d?y04-={0Ox z(FkZC5Qm*L?QC5u^r;{+T7dew9$Bz7ZW>0cT2;>zd!mui`}|w=1Y$q-ekglhMf*sD zog75I4K}1E_471-ud8=JrIb&pp=-(W`fdDsD&{B91bPb<*RxO927v|%*jMd;pW4F2 z5XPoF8EAf%>dlr=Vrt}OrH*N7`>L&%d^!*B&M1E^t(&$-4?@w`nD9*^+9@iK>G*G>ooRiBeBk1@&c_&@WZ+U))8B^ zi^l(v4*~$%V&NiobCmM>d&*x^|0VT5kl)0*1v=ozH)4~|u1LxT zbWGsiJ?s3F>dCLmZ|aJ04$lhjF6%ha8V_|VYULa&^v{%(G#9NhQ0^- z`Mm1DaBO;cm7!k5#$GtD@tc%4Rr!2opKqK9sksre3+o|jiq@fuX$R>o>}O?d@Q^LU)taw1;W{vF1o%i6L{aH{v)Z9 zpN8?=J5ess1l!nHKP2AtB@|Di;|-W&Jo+P$72Dh#o)+GYT?fmnz0bt6 zKt|Fn=xzqmuGq1Bx|i|Ty9MyQveK0yEl%5^U!qUghEn9~gN?PmhNgv~8H5h~p2_sz zQtyDCVP4gs$)j|c;d=yS0wuIeo*%Gx*~!O%BOP4~V?8CEI8kUVjDcfvYz5jzCU{@u>3gRYB=`b3g~*|H=R>m_`Y!0pbaEI=4B=o_^g@q`!D^;kg3g*|mt(SBS`&3HzUh?gA-{jdsL(g4zI*DDC zuTQIeOGmySF{nVw$fV?-pW5obuAKDEt&&H7K1}$BJm8MbbFQEBLJMTCF7lq6c{WtJ zuj9ynZDdH`kYh(iJ26a5&r`s$<96JVDM~I{RFi{w}VgZ+QF;I$e!?cjW)5#ygfSo9fYaUF)?3 zc!Zx5h{Fc0(D)&obGASwWZZ@PO6!)n&sP(Cx$n@W8=8NMZYHxYLDxC^tF7aY;RoEs z7Q9u;jM2@pi_*&_<#}=FI~Vfx>wW5pOkOQOtjazu(^$dMyn_91fxUXk*&|!`r1ZES zUG&m!>E+|gW{=If6GfbZPVdObJuP*sqPT}}{AgbEvJz`AfDf*W&fGul>#HL9C&2;w zE1~tn)$R)IQ;uEnwp|~{`)&5{0BIt3cON-`qo5B*o9=kQftXhf`+ntghi{kX^2m!SI&JOCeDcri2ga1KugVQYFJ z+X5HSX&3hS8As~N__0s6U3QQCze^m~uORo7poR8o7i~TeeRQEuev{h_U;V)l^?6bk z>g-i#Wb_5C>&w2U(&v<#eut0jr!meJbnz|bF?*mHyZwpebJz{<1WuvnRhauWc)QeD zLsBI_Z!4Y6ZzpE6@DqC8l{uX&YD@TcgO2>iBMY(Es3jTrzx41eJ=gi@?9)Phht(Ln zlNDNlJ(0+f6RVk0-)~%$?^&M0)$hvl7-E?e+K=R2Scl$yPMjd{Gjb#lrM}JNu))s$ zzTw!vP$z~M%=q&?@7`>CNl##VUr;{OW{_av7 zcX_;_lXl&yn*v?$dz@L3?@(RiyDHPEkwby!Ri-*=Us85b<+-Dlb#UsWJ{NtB#s{|5 z@@_Fw`ftdOZncEw7j*6;KmMgDvecaVXx6eFTi`;B`hrO8!Z6m?!MUTgbb0V^8J{q= z&~(NI2;{nekB0wOu#L6h#d3|Wj&Z(O7nekm^z$?_Wg)*G8y<}>9j^3w9Xa@&`L#r5 z1ztuk1Xk$1rOENFMyP#4hGKl1GpypK`{$rt?Y~#QDjgb4hUe58~V*(3iRN1ABwpoW4vg>$t(+UqJq=!P6Irj6#$=_7IA5i-?A)bG)hi#ciDo|GG3^jM&?70`- zS36sReSAh^vlz9l9}p8YMji!bG2h=j>v>vb#!w{xEqI*o)ripqMzUUkG3ZEXCyr?B zoQaYM_z9++3mG{xHuA{bMkju)QOc$E|2zkt4A;1%i=Q#Qt$HFyPlA2xh}XbL=;i}m z%eU~Q$$;eZw(Zw=biB7?4=s(PmF{v5$1XjluV`%dv)EY+w~&1c-#9WGsn501VS$^> zYaOC*P%P@z6>6f58Nu?+>hDyT(Wv+3(M9^X;J8 z@m3zb?o>M4?@PotjcLC_%gX(&5*=9W66k5?_ZKU}lI_J|J9z7FH2 z_rwW*s1Nf|`kp>qW1hp2J%JtQbH06MjL4MefpZoqq~(Uv_gkO%tba6l$CumM@3egp z_H91=zf8VWwCVqYt=xrZo12v1SKoBh;|rv(dGKepN4})I66bk=Dw<|tA2#Y*k}CA) z8uH?WlMdZjbmjdMrY|pD9eAEm?aNRg009;-yi9EY=2WZdlbmVw^hpX zkUPo8o2#-Pf?Nokfj3_|JY5&coulyC0~0*w5UI|?obr0?MFeHJ!B6QvhE!mSho@DM zl|PvKHrCURJGR>Rf=c8MMDaH>iRtI7Z}@|?jZpqQOWMlOThp`oJ*V^k!o!Qgy7sfw zUjQek;$4~2ewo*_-K9473jBCq`JTAJ*ZcCd=J{9VX5r>W^YkXZd;t34g`4;vFMNd! z5@)WAZ=&+&W>FXn4R_CZDt{7eN*#Ifv(TCku*W| zzbnT2@^Ji{Dz!>c3g zd#Fe6>~(#d%8DKDviiE>PWc!54%*U`Vb4-<7k)>5sx6mv4f^yae(qqrZw+q!%h;Kr ztGQ2b>W7dQsD%!7=bObSo}VS{3N~O3&yzj}_5e51?I}OHP+`~~n z7n!=M@$W-oTnpKqwo6s+q;5$eOJUMG%Gczj|D8+Fd#P3#{PW`xvX#wK_i?!YK92}v z9C#nP%0)~;Aa?h2;+;dDIfr1A1a4tlitDp!VSdM|47p|A=lsZJjZ?n)|D?7-=w>R$$aMF*~_fYLOpEquZ(?Zt8cDFH}HJ~ z>k!z;I3@L-xj8niD0V_1KQ=+&Ib>{)+U8y8cy;X7lVIO^Q&UrUyH@4xQs}?il)~55 zS01_jT~uGa7`YKB&v;)bFFw4^w~5M6Q%gLnawhqAJU+zINScMa;|kd1w$7fp^}nfX zoEM3g{}CyIm8JqbT78B7e7FI+S!jN z^y^dhD@^TAF7#@9Y2K5NHu2mSRfse_XGMQwk-5W;?62g#zzD~G&SmVTYC{S;bb*eq zD+X__F`s6Rj*au|g^W1uPcv>om9H4&rwFq6ts0Lle&Ri8QJ(oc<2i@bm%Pqlo^u}F zr0ZXf{g|vaCznT`uVv(0H*DcH=KUdj-huq>;<>J83^Us&|89Uc0<~$^U-iB+aoqxq z8(-%Rt7RnrCPU+x;c9R9shyU#)9K?by4%|Ev#C9PX%jNvEwxV`q+K`KbXLCYan>(& zBiL7g{ho3ud(YuTe#g&Coxm_ZWm3NHxaqSnXD)$4?3;yqVZ0w_jxS-`1b*S)Jv<3w zoV7Jf<)f;`o_HZ2wE5A&tegb|${;V_ZRFln`9A7r)24vVDWasIv%d}0&Px8bK=xc? zkL>ijLfaNc|KEd8O=z1-<$kxrw;F!Fv3r;LpH+qn)iHBeM$$GQ`5Hb~UT0FCjzAt? z#g=`;pL1-3l#GUtyOk$~f>@WiJk6e5 zb@p58im+ZUROd`P7Fk+NANSOU3QZeb&rZhck1gHr8CPg>IXsqpALvf%`ug%LuvX_S z&%;@I>qO4&jt+Fc?c;~gyooJ&5t*{^QB(WmKW(n#NbRra*f8RxBJisk`4?5^jyiL& zy?pP)78CE7Ijl#9*WTkE7kT*_`#A|4lRntgweY+%{ge1?i-+&hcbLY-P1(;5YJ=Lt z%e%g?5geJ^6}GeA!LEDYLX)c%RV;`qr#Jnz-UT z_Vgrc{1aY(;n?QRwV>OSDEM6 zNM%`tADDH_Cg0PsSH2eJX%_XDh&a_L^xvo%I7Mh%_cc`|z^c(LlS@TNdRUnqSO;JgY0ozxb zRDOpjea=&cE*CPgj5!ZnX=qY0=Q0mXov#(&F|rj|9i2|Yyfz~LH+c33$B^B7RCJ8;)z2f|%0vGa7Q(*{QRpc1c41IvL$d)tb(ZlS zsjdG?_u#O`Fm4-pKI$r#<3?N2y;SKa_9&H=wJl#6)^WbRWOOL*|G~v$sf=Mc8ZvCn#H^*6#aeJx0HNx(E zjePopQ0;dr@>B9|a+<5`=>pdFzaUX{$4eK?c~+oE0RL8p`_|8qqk+UT0=1D(fo<$v z6Xy3M$Vp7%g#o&*o*vs%-H~^b)4fi-EVSukOp95Le7k-4drokCTub$#Z5&++ zbmHF=YO~{+bJ|E^4DzY<-(mafdm(x{#F6)RPV?>(To%u_50n=rmf1^QAP(8eg6}v$ zK0EQ{x7eA(JRbp95huJ)`T_VM*dAFZkAIFP=KGZVG4M0+bMOmrk=~_lRGF!TtrFPm z$WRk}q`)M6Y*URbH&I_vZTgGYx|f;bK+-Vwqr0BR$1!(-?#RkMVlROlPP}4Duv^&o z#h!gA?(DUt^Or79`|r~79-ADQ(eN!3JQLWVa(!N9Xd3$TCC;iTPlcvjH4SFBlBN|Qq^ z<~f$WUj+qrt8d8Q_=ZoNzDLmCdit%g($LHAM(!%gQWndco&@zge6w@~4BKorDLqCE zE3lt+zxj~w9KdCuzy!5{@;p`dHE$8#tFgAF&@2HLgHNFkOR$Gw^f8P4Yv3o?;yvs` zI^CsurIuxOgaf1r?Mxs)5!l(NS=H!k+KQkc%cPD*_Ywy z-X3_{kG#OAoW}%e>wfPiyGwcB7n(lcJDPu<=cTN%2We;cE6|(gUSLl!FY>-2rz!79 zeK*QlvYxJ_H{fABdo-WtdEgtMg%;SnR=VzLj*XiO%^Ywx__{-H+r6eSYA5BNEthmR zd(aF1z5#xS9DIyk455#~;2`iNa5&hEK3*mr3VPv1%3c7!&0%;{R&8}-=X~RBlXWd| zrOJ!c?Zk#OKX2Mgz8!tEr0nM?$r-5V>8~zx7kEZ_{Ds=mG0bH&m-`b^{Q&&G!qP}H=3@HZLc7i2Ti}T-+@UG2v#Nbe zse8EtyS)jTi_CiiY3~gD{T|XaU?R90w6LD%rH*VqN1NsFWh*j13BMMM&MYDSBzRl* zw~7;!3GK~-oWt2mftQGR{J}SooTb%1J|{8(y3m}lN3j+!Y|%SQTb{$Qv3qonY+Y_* zvge(CujJ(Z6q(z{9z6+C5!26O?knNVQO;`#q?xnvw|p}3etQ*h5^|n9#DD8FI{tl) z-|{=YJQhB#&^=4^#7nOrXD8U}tngi64deb?*gTg&PsfqptLLcs;imkDK;If_t}|u+ ze*2!nJ|aIZ{EW?ch)vGN7^~4Y3%il4^u)CSzaIDXUkU%18$S1D9{!*r^%iC!Pw6=~ zE~hUS8X|`l<|8+=q1&zTs4WlCZzxu(@9&}ZfAAX47|J_KyV^NJrT566(8OXFO7Q)P zg|TX{BwyjKnakm5iTsi~rcD~<+bW&M0`@$M+J!Z7zFyYBhiuG6 zU>ov0L}kNAfo?nJ*yoTp3*n_ry9n%cF61vZzpe45ogQO%>liw5?+aA#gyI_hygKWS zLzns@!xpA6=aY`i)OB>k(n$Io`Xg|R`A4$%x1zYu<2_n9wx*)z9c22PbwP9 z{4DIIy+8u)NC&6d4+#I`wvPvZN-bk?WiAY6k0`l$rP4dS;T! zDdb(~nF+t6XQv&iQ}>8-TWU=3;cY(y(7`=)=_BmO$DqJx8UwwJ?guiq3%QhkiO5AW zbbE@kH$vCkk;ykz_uclDsL#92%%dUSxp-l$^NsW%;=And=U41gC7qj>Uh)s=bCzcw zQXYj(+s^s^0lGX0`#8?gFR4H7*a^wMMIX~V_YHx{iyZjQ+r%0fky(E*Fw&GRS3S>+ ze|BNMW3O7WuI6g{rsDqt^)5l^uMnG$aT_|%uOSOwCO?v}?%Nt?0hCp{sc^HC>-$e$m7BLiIPAp>E*z|R^eUk5^V=bqB3&tvkyhl9@2#5p| z(Y-j*STF{R21_{lVEaq0zESd})c=NJZ?0pXKMXc&iS&H)AhhFEhVtniq+-tH;Df+e z$0oN`+Zc3_xCdTY_?|w~c-FZHJ5-o?S}4JDad0?$QIxbN_P7vfL9hUL9DTp%=;uX0 zeogwi4$pqowMafaZPS5A*wa#~LyvKKogCf@U0P_S;onk|hJ&GCUDlYAGz4@ZjC>_< zR04JeyCv`mab8u*s(=&O+lr(ksIQH@M|*Ta=;Ns`2@2d{UoNn|&r5KpPub8!d=mT8 z#?h5y^dIiwVM*2@kPiD2LA%^wF6}crX*Tc%`kF<{enkdz@>~h|5%^hs&3NP|Gv%4U zd+cWh(i}mC#{R~6`3;SQU)c9x@Owp=YoX&;eXY#X z5BQ72@M0gaLO=GbDKhY(@@AIWqpvl;F^;7_{fDByG zHSXaaVUxD2j;%bdZDa;_i+g8e^7YXB9?a<+I#BH-e`^2~*suFnlY9-Zy!x6}^egau zK9kCC9rQsUXJ+2DoHNhM*^_6tn!Zd)^50A?>V1D;<}9=KGKHGW;sx~edT%3vi> zAj0vB&xP{u*|9CtNaDT&}C4TCA zVk?Wozb;Y4ECKv|Qa|=>QAyKR8Rk(M{FYebw8~Uh~mQp%8QYI*fncqjNn> z+@0q-KKVEPeg|da^c~xT6*7{6>5kvc&EBuL!~G(5&_X;id&G&~f7JC${ri;va)$5O zn8)kRK9)m=f2I6Bcpe_)$i~0H;Q2Oq4=kLMzvWN*7!2YL>MzpK$if5CN8nK%?=|ee zAgeKI-1ohw_9qnn`h!cf{Z;S7 zx}WmV99or}`b+rZ51OD$wb|pEs&7Iw(y`C)Yd;4`S7SFV93ekn_wN1KoB=igx2YZ8;K;%SM;1(L&b~3kQ))kL*-f?Yk}s3q z%%eag_qf;_fh?@GO<>Yvz%ZKLkQ=`FQ97$@5+GT=!ifuWNv3<(qqz3 zqdLTH%;Nxi^#*h$)|$E*_@@SX##x6>x^O^!MLP6V;HKj{URYzwmOA=qO1M{lkh~u$ zZ>Z~gj=j9D=hm4TL%)k}cA<{)=Z`S%@6`V!hWaSp#g5fq=gT*U*Et7QoeM8f$ z7vFe!_FU?#%8x=eXaZ09`mCt_qA+&91$=y&y7wGD)nk8t*F8F@YyC-WqI5ahvwwD+ zK$SC_@2LAF`RdsI6^<-@kDge#r9)2gQh$@!c|$qP-;hsElPy>+wc>m&AS9dekRxb#Ud zA03WxeCKcQ;zweN`=s|kfrq3Y733Qy^~0a$Fmt(uJ-kcZJLu7E((lpzzTC_7Q2SO# z_j{OQ&yK~LKIJzGeHHk?;o)ie`7)7zr$BlFJP)1&&w@=fKKP9Bre#F-p8P4;KJ;{$9T-yEZb| z%=2sTE3h~7v+y1HK($Q+bxs#3v+%N>`)aF=@8Pr+nwx4jD`@>*{Fa4z*tXWH3ukCo zCna(dYijF4KPVmkjq-_G`5pqBEKrqvKec~nod1vI7IXR$ys2~h0v_IBjX#tB39O*D z;0Djv!47&)Y(@(RxJ=n2e0>dgdy(f9$n#awAHX>boeulj(XnHb@jaWI{9g7Y4R-V= z$JY+}5BaT%U)uw{K(^cbzXrS)^THe_POYl6E=?0`jD@{{oLikcj_Im*33`UT8DS|+ zngKajhz<=!UMi?vAIV;3QCl(L9^W=OcU{uzAo3pS%wwtE3E7@&P(PpjvGAgECt%BB zbblL2s(K-H@$m1z;5zFQ_!eHdunPN__LQ$IIE|^@jqPnOYj@7WXRyDkm|rm;x!YB; z=O3}}iWcH}d4^}?4SAJw;9(&XW%~riU63q8)*t&k%u$jno zx@h0TKB3)y$L0<|-kPyrcPanDM;1^@`ys_Ix|^ndE_(Eo0;jVQ$w=A6bYC=c4o1@B!IX$IdwZ zr_OO_@-hIh(z!Ps=lB&<>-$|e06T}RUZl2jd#tZ67rt~1^APA9&%FtB0%LV;Ng4e) zr8Y7Z{Jlb(!|7(z#A$oy)O}`;fUZ$}`(u(zL{% ze`Aa1z>@|srlyI`XFO{x66jK!=S|4NAU}IMpFRXGaWKHkYzb*9f(NTKLvkj%?ZTRPdm>BY#QdvE2V* z>lbM}WN9U>q;|Tp?xB?RQ@@&1Wlzd(1re{>J(L0m9*6ldZJe0nEaSTH4Kd(f+YBGR zWscp@@5khKsLZ*vPkO$!lCuLcbB$D>&uZR5W4~X(KD>uc55sOe&@r-TtdIiPx~}x~ z*5Mnmh4-OpuIJc9eBLL{TKlk`{!dt|8P)urIbqf^P4y&GDDklRmJiqChgoBN?9$)* z-CqS~zuMwo|9>EZAM)wM9+QXxEu^__p4XsDH1iIC zSG`&H%W9)`t8X8|+D0OW0$q^7&R{3-8F0PI%=Z%K#UW$LPeaYP&~yMdE8Pat*5q4( zPlIofZ%^6|Y|p-|Q@YPe%ilWZeG}y^z~-O}U!oIhiD3_A;vFw`um)|b^6bK7?C^*1 zUtqBMimB}R1nk`o^vQ)ul>e>1W*qebYa{vhBHW|QcFsgKiBEbkm+oL&>|AfsUf@>x zn?WA}6G)e<3_MF+S8$bQyoOJ>1IR$zLd-cG>0|a#U|vpQGEaL`^Y7nvdXBC^to2Z1 z$tY(}Y9bH)nNL5kFZeh=XIXeBFp&HP)+dmcF$MZimhyCRzJ_UDLiuLe)=>L?vpMI! zEb#tKwFwVHi67{*zjOD~0NeULO+QqgoynRaU>Y=2L4i}mlzBIB|H8PVDH{dW8NlB? z(R!g7%kvm8B|bEj@?bS`-&JK;XsQqg4Hi0hdzN{;$n!982eLbq^mRY}^e|_eCD6|U z=YY$>#o#hfU<>UwgKvSGK!Nq7>%bSG=}!Fo9lU%tb5d2nP;BVdb9{#qW%6sFo6j6O z!uM4?2eDVV)PFYd!`rGDf&AFYgUoeK3husWGZ~x&P6V&9=U?{We#Y?=Z)hB`MEPPy z=HI{&%L%Mc$+^UjJZ56g%IKa5T>|mIHpbWr3KU~aZ}Yqp+yNHUHU6?59Y@Y$V|f3p zW5lWcB{kHaXpPqz^FDTf+SGNtkGAnH!_AHLrd%WuN*U)?gehFqFwmV097CeI-|Aj3U zXn<^7pzJ*8h0iEE27U^D0tT^PJvm>UqkStq*L|w@JGJ4@L1-+*U_+0RKLUP)9Vkg` zP?PxytfWm4el!{z`(IGY6HjEohipa8xNQkoh2N-%9C+aq^w|rI5;@m7??$dGe_T?2VFADux*0__qjFZeinmu2Gf3K`gvL*HNSkn>qLExqixutYKKqPz~%AIjN z=iDhY^BCs{?ZWjwqmfg;jPj@GBLbb+%5yX79%8qq!|TiV-wyC;l*Na|gQsMuP_!cQJ8i1kb6k^G|{+ z!jG+{J_mbY;cw>U!q<%51DzFU62iaXAbz~y*pKI-U#Yh7AbAIUPQ+?D1AxJu>$SGdFQV-dZW&mel{`_$N!hwgB^r z<-S36;yd)R4DBt4tlvVY$3B0r`_W6=W`+mr zoH4tzwvYYjneDIEI^t44Ya9yiE$q~NlYCxm^$1;eYuZkC?)+vThyM#YBQKXj`6juS zq1~x+(%13N(#K-r*}zECTT|8$h>a3>4_y{m;kj$e3SWN3_F7nhj0iLcAs(b{ZmrAa z$iJnni)~q`d)Ah{6wAHeTe?`2Yf8>CxU=QYx&)n`fhvyt3~P_{e* z8;va9R6TuG_x>oliS&e z_f@6+h4~!8w*5qU3lwlnT~dB*A?}QI$RDA(i_Z`U%)@tBDjSmTt1>CiF3e}n>9Fep zweR`nF8N=H1t$j*JL#EwHZiI|$@7NpVU)@D(!9x;-)-D2EyuSCWWbi*Q@^-S`!F@h zfB#_q%N(8gmHd6M7PjUt=|k`V*kvVucYxFjcPP6Jc8WAL%hU$+_SjO}?r-|}FUWwu z9F&{y>{O--z^n7@wS^fRD*6!Pl{jt624c_mBL77-AA~=RW9>!3BKYDO)YsJS`SRim zN7J@|(n_CE$exA#@H7El1fvK3;5X(T=J?YT=)ga4!aUDKW<&k#&2_b#@2LDqyFTdl zVe&zlct?ZG&vEwQpMLcrJMl|>)#3WAZ9RK>Qpbs=-EG}>Z#&61MaI`VMx{Z z2(tLU;E|v26ein$@3v)SZp?is zKB56}f`yydpcjy}De=UE&e~Ere6+MSoxvW)@U6^@wWegGxA=Jv=#Us<IDT{=D8_$a9hNoRfWIQWQ`jk@v9L zXHo$_#T-6&q5ciE;Zpw+d~c^`&qvf*XooysRGTPeQ5!iEb0!h^F|A3vLH~j?{w8fd zjy<#xN4pyAe?`^vL&(x8=$2_;mTom=vxz$oAanV#8G)sIeOMYvR|N5I*Esi=_V6oJ zn16b=?IqTef-zi}hCKeEZ42Q$yikL2-YH;8U&g-7L9f~>|5iJ8@1CyRwlA&uDfBOJ zhkZ+nUFbo)AW#{(S#{n2oI}@e&j1!Awh6+g)YHBOMkO`n?^yEh1e~^W*zapvR}kIV z<;>*;_*sVe4$$+(G-R`k%H_98x4fj8$8zL%x6^h%>lIiMY{s>}n5BSJMYspiSgZwm zEHKd%Z$&}l7jBq-d#Q|PiRFw++sB*>qV%pq+GPy!+d8Rmltb5t{i&&ahQT+1)SA|3 zJ!zP5TXZEJJxIm+Ej&ZnKuug`h*2MO5UH<@#7c)?A8s z%R+P2$)DhHC-!77-}@}VmiWB5P1xCgTE740@5k9XJufq^QQL5x)o zc|NOcYis}8HX1tl{TusE==(4D-I4vh>NKm>KkX8#p!3LH ztQNZo%{(1X+HFf|TbpzizT#tOQW7^U@|?@>DBp!LHRH!?zCFD8n7wl$tEa8ht#sN; z{u(w_ps?!*#Y^Q~HoW7P2uauy!rB>%uA!-LrdbRmG z^4XTYG`(|1v!!+Qn=6}7m4kN?#11W;82>HDk6608jFqvV$wiUgM>cAbena_qbfiD& zEBP%oahTe;N31K3ItzF4BNpD%@+PF`oV~x|&D z3us@4eIMqu6PlsqGkf+?%Jbq2Qr+P@aS#1)&G)2jz!~r+=~VjJr@A;CUgUGmOk0VuBJ%MqgYx5b(wywWWaa&A z^3#!lM~)217{jplja8PWW54q0*-7fQMX^uF!t3bnPbybZE-*{SF*)-a>gd}K&N;!Q z@%J1DUoUBVI0-pFt1+vW_9yI=K#Nmmzh1$11?%4CbmFm!`11b+hp;X8uz%mc&nfV7 zEQI=JOus zoh$tgcFrF&ksE<})~7+cV67S3{w8vNvq6`YpZdy?re>+`Lj&|94*UL*#u^0!3~?3w z{1x=B!`=&HabmH8I*DUcE$Yhe}ho)~R%H#-cJ;HYx-iP(;r}J%v7O4~CiGL_o7>o9#_geeG^PBF zGS)kVG51H=694HL#(BPgsT=0lvH9>I5AnePaf!rgZH%C=>>T3Kbbu*N& zhp1bIJY6ZyUFr$mg){daI;POYo=g!CfxdpAeSD~CPvV7>&AN zZeWjYgeE=y^OJ6)c^t!@eXepLC1I48(L0_kj_n<%e*Iii?maW{O@PX0IQ08e<})$> zwB!pRi)mH1iXl5*ID~BysDKTd6q)oGFjD)grsJ4W|Gy7(yhXIxr~50EX|RKZo!HE_ zp3HoLuq_Lr@2`8Zi*}23%q65}*t3Ct?8^b<_8Rs;pfdcu!}AZ3TnTE~o(=HBR0k~3 z{*s9K$&OrAq3$U0j6gfxgRjrwvysE|==FE_l*cMNlaNmf17pq82G4i4wtgMu_jC@& z*^jm4=drdS5qx6<4>mdNva5bX-{s$8DZe)9T#F%BpBKTOsg26d9$F~C{4XI}a1P{*pEHg%RV}_x{Mcg|LhGNgb;h_GmdW^$PioDw~0<^Km$L zVJG+=gYr+X9pgy%qmRYwqNnWJy}Z~a^#`_JNqgWY1a|$(H&)88i+bmDU-c@Ax%AY! zTJT}B`r{?^zgoZZ*vNTjHG5*=P3+NS<|ObIb(N#|MiaS=&u7Zq-$oD2Vi)_G2b`g= zDDAJ(S=InrD93XgdsKn6B3KG64VD4Rf?1Hm5~OL_hZ68U_jc|r!7H2(icucI9P*Mc z#{45l7qgz6q_Q<1Z{_?HWJfaTN&Id+eGN!$@)yVpdLlzg|vzQ00x0U4W2ItiQzP5=kM8y60sLjtpr{qES?_h?fH z{Sc^-opZ|?#*H$0`CWqiPotmJ*zGB#3ynDZLr{Ua#NIW1mg0F5_PX?T-VJkS6i@m( z`Z$Mnv%!>k@F&Pq3F!R6#|fr17GB@MpM9eFV$jbH=1!UZ1YSf|=g{vl>aWAAE9yrg zS=)T)43fo>mFl$30gff6I1b&swMktCyvn?$gBE7-{2DkDoB>v#O?j{!SQd1lBKc>q zk1q6N-V12=Dt2NX>1JZDXyjVp8<&vhve=63$j_YPDFQOEPZ2kg_b=p2>0=347g=6J z>cTS3H>D4OMC3bvMs$k48ZoyhbZtu{aT3pU!8+hLoo_>)8-M~!b^lk=o^^3p8Gc!4{{9^p=`@4s=yuA>&---?d-F|1V~NzyF4h68P2(`~VdASov@y0iVx4qz1!5f%}Y; zp67I6S}l|E+7FViyCr(DFpOA`IQqZfbM$IxxS>dk4~lmFZCQEU$3>yMCyh+rOA!6% z|I+l`i?LIN`Nk>b@M=RgQ+_%sd3&3ip!VA4532u`{7G~*8rc)5n920hiZgH;{H%pn zw0#)72vvT(s&hGy4WG@v22$P$yY+cEb_Bn04|$nI`Z_oq`}SWjn)a=Z6L+Y;^+(&@ z>7p}yc@O(#Ax3$4o3&hxBqrKuYfRdVyQLbApGvRm9isNhr4Gh!b;q9My206ub7u}c zdkW3?05gdbj5mY$!opIGC2jsNeCUdQcHvd%GwM7qM{?J#?O#*gjEQ%t>^jcn!K5 zb&~hxQij5Zc8ovWnNMl82QHoWIafZuYr!w}r+s`qU;l0O94+(__^o*Kx@IcV`a|XU zM7`TBtM+OFvT`?`zdr*`_oLT#?6UAx;8*B=1Mh*=*_SiAUok0s^C+Toio?eVbU}{f zr9==|KbE^#+CB#V1O>i!;@-A8zXs_|T}XD5CK2*89Y0%M>ulLKx;DvgIbrAv!5@Ec z+H($aY33@gY+3q@$;X!Rdz`JRI{NzuYj^}c03U(^Q=Iyw0{!{k6KhCu2s}v%zQ9>1 znDoX&;*Gn++Q{2S*qd~e38W!S3x0n~8MdJ(&(DMFINwJjBUPDuAM(4Azg|iwv{$2vX^7(wBOhs3ONoD&0DlBFF@J&d zq#5*C@>9^e?RptK9wXadg?k(i%K6sw>#d`X&t-BCE9m$e>KDN%L4dM4JWN$nE*@d>cf9bIc7TPD^ zi`ci$8?bNiU|bCMPxyv&w~68P--LBz4GT_~zA`&DSNeDxyWN&PCaUa6nZPPt-&VB` zrqukdgBK}@NB>m*+PV)IbAN{9bC$Zcp1v);q@n8T-(_!e;H!qD;%>;1!Q0rfDx9HX zu)zm7XIYqu|IMI&JUjO3URd&RSERL+|4uhB&(qlG*YzHucz|hp$C06c!O3iN^ zw)Qyt^Qqb=TQ^&I`Lmw!(=*R`%-e-o%(Wi<3gnK$KcPoq&Uyy2*1(g#HfJ1JP4U2# z=Oo@(gFmRhPF{5oMPR-jMCk*iYVEnLQ4yD%Nu8G$S`=N|5_|Hs;UKv!8bkN-&s5C|m+ zy(f^+OX$5}nrHkjmP5)#aX#xhD}P?&M4-Ba4~!K4g2miEd_5 z8=bh+)|&Jh=QfYMl}E?AM{6DHiBX+9>wd*o+RWdjbAapbpPmb~*Al8`=0@U=(NL4|XST zp2UZHJ&kLrx9|b&FCH=Tw-UW!FD`6HzG`ACEi`p}sjV9b&1TNLm)d`+zY*f=W9iN) zpF2D8?E-js6h2wl&-jx)-%F{iF_NYElDU$ikW0==;73PadaKR{VJ8LZIx=Ny_`Rdr zxDTAR0cta^DsSFq%=ySu7~k)#;rY9!bJTvzcoS47{?s*}g@*z;5`FuhtUL{Zwmf@J z!x>-KJuPwMD+!xr;dkVwI{xQ9m5o*CLlSaXPJL1_hlkSVd)ftxIcIBXe4ov35hJ3P zPlD9SGie`|#z%D@T{$Z@SoxgQ+5aSb=tB5-kT^h~udc7M!&_9(FKk9`TzE?3jL~ZI zqC7V9A-b{>US44>HPV}&zoA23C>CSZ5)W8T-hq+RD!#|NMF zW1oaB>IF02kIZw@vG>yUTBLmb6XKCK3ty{mxuEN`^#fIAcL%|DXC2bM)8SD?4-ce0 zv+`Z?7SEyv`m(eS&BC6GnBHY5$6{|1 zuK322mT4Lb*f~J+wA;G9Q3-$z$o#Rt6t{(z5tne=_^MJ#I{PJR;K85&C32i~nFKZyK`;8}dk z3#47dCn0P7$oB<*CU)sf+6&B#zV#sej=4MTGHaR6nkG2*@okmsb;$EnY(zef{3I{h z`M9aP3e~v6Hm!G_vsClL_uK<`PstpEl_%0~JaeB^nF(bN&52C~nmRs6%JR7VchW1& zUB%DXW7xC6LO-@w>J!oLHl7%@x<3EO`OwTMbOK%0n$&*YbaX6A*OwXH&9ed@0De^x zyZQuKn6b=`V$xc=_Q&)Qco#kCq;b_!J%aY-$`uBy)o#_ruvT|Nz+z^&#cO^v-MaEj+NobOQ9 zST8GgB}ay;M;N|_Ydq5cJ; zYTG6Mz3TJGLp&2zJG2I!5-69GJG^7lMqo$RG5<@X7M3WjEw9mYsu*Q!Oxio%q{ZN8 zLFfK66<<~XzuQyW7pd>+p=IgSgEj19eXp@k7v>^&sqmdi%KL4|P!;%?0o(MOCtk4q z_Nk5!EEH&~lG9a;Jx+N-NPPNCmu8#Qd~=!_-a8Nr_CQyj1gjiR6tty5>)Yhe{EjGG8zDDUetFt10 zdkcw@Qc74;*37X1`Z*_f53crWo72A}<8Go{2-(Pn-4a*@k1{&mz25wX}a!KT}SOGb1(Pdy2!+&wUw9`OSjZ zZOX5M0%J&D(Y&EZ`FYGEr%?5;G+&N06!?Mr#(zO&=R5U*-I#llqvtQ;d;eFc z5YBhJ@iqJLFXNDnqJDI}K5KZadLZLQ^Io{5z8kjlRMhtXQm*XSA}L>Gy@fsWQg2}< zy5T}CY?FnG+ON)9Y`LEEP~zos)aU$*SVe7fUT6G~s`u~UPg<)8++htFQseKDZ-Hl( zcUiFm7G^j+l)8(^U?ueNXO+d=jI|dVd4X~kWNiUwG}qHd`lYAsZ`N9d)IuyVz-8p_ zT3NHVct@UvCWtlHiMG_dLq&#a;d^rHT~ys*z;x`IKqV(Ovc0-tYb=~$t&3EiGr$K6 zMUjn5x}U9aruG-g^O$= zSf{I}y|b1_IAhy6q7zImbF4|1lr(8G;{JokXD8LGP-Jlld@qGuZqf7qmN`T9x#i!^ znGVJF2yB8b9sH>bpA&VSB5MB)#sB@eBaUZTDub4~BYX=(Zv=8@HR%YIF-!9Y`^dz3 zJPAID^0jn}Q}(r(+#*MI@2NgW zOHY*#OJDdf@0ZKrV}gkZ{EVmDPbQDxY<}U4>k<u0J@xyQL?ZTH=hXg8$5u9HE!B_m9W1qj3zhF?M)R3PWAr+zKep{Xhu7D1jxj1D zLNn4MueRT>$hyEg8ox_EGxp~;@t{A53gCSb_X~gU7JRSugf=gI-8H6W0euoQHuBQs zJ2-}pW>^7xe_lTYe%3c0w(U8SbV+wbU8Kb}7p@#x`m@x-a)~;0r<_smC$`;9t8y2$P{tX1Dz-?VIA<|H&!)eof8vt`CaRt3q4hsvp9Ka|o}fC> z+u>(&BOfuuy|bM4O^&cFzO*!J-pyGB5pRD&`WV@J4}EwL#q%$fozcW>favaaj={pDhj=;~%pgfFn zRrnasdc3d;TV`QD&qaP#naXgB->6c4CC;|;cRY~2S9CqTTHX`Hn)%0|r*$Gt%UPAJ zj|%!I>pA&KPH-0SfWLR+$aOlE|E3&k&k0X6^)Yo}me8I;P zX^ln(i|YOhViWR(nf8Y&FG6$4u^)?VJ3b&EG@l}ad%)e`E^t!3^zgxbo@3s_k9@AW zR*^k?44s8-L z_Op(CU~A6*bJDNDGsNQuNWTOHMyj3d&NzFitD$F++^8STu>Bnd`1m5#jXY&bUt0Z` zltUf8lk!48@$g#Y+zTJ5T>Xdj{KR^{BmEXUSd{N2QQi(;4pJ6ahy8AsU`F^x>w3|C z7P_yv1AGnkhi^Nuv5`D8+pqV6?dX3n=N$wdh~eEWed5)}eFM$6;K6)+2b^)P>9{h> zaLP9*Usb(W4xhh;zr&~(7)shSig<-_&qB8tA9|YflrzRT@;_>MZeji&BJ=#yK z%#5@H+WW*n8FNw}#66tyR`A8&&H9Dv`DpI{j{R}h@FjBbfc}lRGhBA=0zy+wWv-|b zZx>OTq3B(+Q~a(J8!{Yw{3Z2~5yW4}i5Gf9`w?eR^Pf!tMc|LXZuHh4^mTMJ!x4PF zmbLQ9aD1mU#6%%e zPHZ^A$-jnOJzf?W4dw4_D4*?Mt>B+PuLfrRNoq@uKrhe``nDRE)_NEikf?s4r{}pt zLdj(EfakG+y`xRO4`+}73Y)4uh%l7_YT`PewoejU8Z3C5#^Ei#LFrp(%K){?M&YctYcmlLq8|pr0?P9{J}hJ zm$oV7XKQ)BrnkcRy&kgl4mMBVjibDO0#g$=_9GP-K{`}@vu_zZpA z3w{oM0qz6$gI|INz^}ls!EeBC!SBHD!F1fe4wA0p3uNQfE=?faNclAO?GJQwJMBBb zo#4mdC*Uq{H@FA<6ciW+kJrJse#p*N*4Q(I-?6IvZ`Sp1AziFtNhr4YNl=wocQI>N z1ilL{0Yh2q`=lR$70Z~OwSxG20h9w{`5hMX28tY$pOnb|&7qtY{$E^fXrCumO;1}W zm;b$X^}=iP|C%+ACXK@fd`n(nIA=D@k;RYc zZ=sKjr+cw=qtKU}@Zc7{IMnf%b&;QlXklD@3-w}|xBZpFv;W&M5F*HV@DZ#erc>@}7> z36#~;*Ng971@k*U9q&{1CDNX{g6Z>1qHpaX_yK`ktg(yQ!t_d)R#RzD!WUJB=1g;* z6O&d1D-e5>BP|7%0R?L3AWmA9oK60C8Q=4g-kC@9or3|ae+`&{vG*jJKG`-fuF6AJ z@-Cc3{@jnu-CKVR)XbFE9Itc%omM`|x& zi(GhG?R!b?Py^7dwP`sk?SB~_#L)K*WGFAXnwk9-rMy%5v`2mAWas{6$4;$&-Ig~( z6XD0lOM5KyO+=^rI0v)Wtbl8lbkMD$gXY6qi>25R-&WMCJuf z@=j+kXJp~eSex^uTQ%mZ6XL6r++V3oxe&a#fZf>&Z`xy*Lb<~$%3_}877sFS^4rc+`ksi$qWYCgku z@YLBho9;|9bGNf_=`6r%R zmed%pZyNlgWB<0ps|L<9GZ`a0w)2qM8Yv5$PG{DZ$s_yy5`AkPjV|TJrwgP)&R*B| ziKZsy=OE6iG;$%3&LelG)_k_p`=@4kjAm4Zha8-Md0-k*03}?e>=mWtHj&^lo!+1 zb_4fuur=5Q6lg^{PU9Xa_ae?+!Wb61vNsDQ(7_-*U#a_EeS+kN<6B+mjDAO`{Ybz@ zw9&g*Th2hBGdA%sK4Tts#UBLAx`8gLciH;;)+F^wp7KcMAE~zBRnk|$E9l5AXkRB^ zLgiojJ_+JfcBDP8H3Ulhs>36H{X4VA*EI&P?RT9xsVwdOpvz-Zn;so~m3L(g;75~TgU}2KO^v87;KLK#d60$RVBV8NnUV7;e}{=Lr9KSX+Zp@%bUB_EQ5I;2oQ-2$FG70`Ju0U1 zFKzGm;fK^e3C5|uydQ1GE`Tf#NyYmx?j9466)*gB*U-83t&xp4`}yi4)pl8$?&|lY z`~!Zyzm9QFeU7EG>F304E@ZDDzvINbkajEVw(x8KA2Zk4f5){c+p7~VC1N}4YTWb* z_A88Wn&OKxk=Etin?OeL&*-x(DOW>g#$!7y{K0uy=;`R#cHQ>^jhQUX3CCttQu*%4 z84ASzi_ZK=Y}2NJZ!Xg#9xP6Vi&cW~sOK`eHP`g)}G!6-le z&5j{yxD$&W;Xc-o^GNU9`KEGiqjO{TRCe6H{_=UTztbIC@6sH0m9gZvrTANfY07hcF@ z>YCH`4A=~O8l3Cc2kDd1@q>1ZE}zHFQNvrFi6r_|hA;Ym-A{q3gw>`U8C zmFb&m%ckE#juY{_%gnfIutkx`ia-TDn-U%wl(vF7Qts=K$O!P8>Pe)wf5|+xSXVf@ zl2he1nUIf5DTfHy=G+@BO%2XsY#!dHJ2o=C`qr$@dxKi6wGXjYYSIC!M^8x^e3rV2 zx|a^vq3B&HC+?#$`6Bh18?jkS9X(t3&_}@2fFJQ(=MCij!${&y$^!AE&#~4(Et^{O#8bBQ`;oPE4sWD>EMq3C6&9>vqQ`xE-xk@lDMt#P8GOYf^4 zo`F3VSdJg_2cz++m$4Unb)FLJVH7b^TIW1$zv$y;jANxt%}HcHAQ0JiVJ9}@1MGGu z?DI&^tnBzHQA-~p@PGv@Ym-W2| zE(8~Wx2N$xGgcAvknhV_b4WMy+-4T(Y%pj!zaJnK*a$Cgau<1XqbZva&1Wg>;6m)t zq(S^v2cPr>^Sut;XmAwxD)<3%Jd!jcYpMmm7x7*&ocsdPbfiOQv+xr65#Vrem{b2Y zw6nk&;7o8jcm>-s_m=596g%3Q7-NXWrY~vy)jr;iY|>7YH{!RaIcFg)B{gR6KzkMC z*(b=uD0o@A0_V+IN|Hvi*DlCw26!`-x-q)O)_Nc9j~*}0i0)HA7R-&VRS)ML7Q){c zMiyq3<@apLSD7~x`HWx~n3*-SNWf>3&kAM%-vR|b%Eogscr}f3N7a+qBz!P+`QXD& z+Fyq!UYJDPPWGCOvz^I$#!wNW_0Z=-w`#Ed4!oP04(&8>=_#HoBPYvAmw_Yc z(}(-_eAcnLIDa>nnBi6S{t7r!c_3?e8$b3FXDx6xDmh91XsG@!ssi^r=M3)R+XTY( z94b)Wi99WUCMUGtau(l!Rdnx$n*TjWT_Ttdng&_0%G-td>^PO`vGi$; zziG`K=C{@SePG6U3K`nuc}_DId%8no%~sI&MF(GCEuG*&XRrg<5o`x;VsF!~@VD{c zqd@T}v(`7@TQ_|UcbWY?2W>9ou^)BK$^U{5HzS?Pdz}Q0Yd$6hD{$5HU&Xi?dA3s? znQIAMD^Osz^5O^d>u=(kw8%p(hrh{0eEeR}=J!)rNyXW(_`RM$N6&h06C0!=UT8p{IM&dC_WH_?QSiAP<%dzc-`9RkX=}tiv1RfpJ9(9#Ez^%7HN)&N4MBRS7a#% zu}D$M0*e{{Bkat2a2+@4)`c))jqh}?#hf+NiStoq z#&$mqy6`4E6nGb(@Ux+ zmadd%p41K>Eln=&Q5HUQ_CB~c&otrDT5t_0u#z+ZTmdczx9GWDL2qL84kUEp=tVQu z9}|mzhAty|5J&2TKjDRiQ1<$<+KA1Z=W90a*unY40|J>ir|BviQvO5zoa9|-Oy9#y zyF%9~ZR_uFe}iXDk^e^6u_Nf%a@PJe_VhOPc@1(t4_;PQUbg3MdX0W>DxWIEbAP4( z0Oh-knO*O11xZioy2r4$xFjYAW-;DQUHfokW?W=)b-=5tkCSM(FgYFfDfaVWnCV-F zWGpele{?+)X&2~Nn7bfxqCbele&>Zp0#lXVlzg9asejj*cR2J(@TL@V-NGjPplfTn z%Gc+HFw+AGj8Vvuq1C$2N9Bpv;IF`A8=sqEz%2BzJ~q?BM)n)UnoGSvZ1p>OfP8N! zb>SNHo2c6eZqT-Eq+7u);AU_tHgF$0E0CY_6ljRgIDzfSg?TFclW7YsX4;ZeF5cR} z-(7~EF1+AJriQ?quDb3wNlPNv7TP-dk-DE*i-n=ZO)fJ${+M;HR=xg|{2uUg#@R(W zme`_E9DWzxS-3=g-fyOSjQnx%5O^5un47yUsS6PvJ^LG8w}|6BJ#^A18?+6P(JZ7{ z!P?|w^{fuEoA);`o}zDo<=@~`oiE%WOzJ& zdJVJ%DX%0=09Sy^!5PpBtR}w-+^Vt}%3jif%cxrlJ_up2oJ|ba`jP1~IjfJah0%v? zj(lVZ_O;3QkeIlK&GydXBCqAf)Y}P_21P&1= z96^Q!g2K^H>a&z1{?^!{cPjoD3A_-9mS;gK`=*A!Cxl%}(wMLfap1|+0%D^ z?(?U0UgAh>_qAxP|oAT`t{yR$dF7)4F3%5A& zfz)+ECZExe@mMC_Pq7vYCDq2X%Wmo#72>@=vLaB3J(Q#U9pbOyzt+){B@4nz-fa#wAHeeLDUSxNcW*jdw4x*vDE zdgyygeNHCzW$E`3aef?nZ6Q5;E~)1}W*KsZf9%hFs0lu9#x3sr4f%fs-~})Qex4ys z!*@So(Z|iX%_!%H5l&Hm8l1~o{|%Noa|>Ng=M3F`?|SO@q0iBr%MjKkFo<-RLsO0W zNich9yT%;_n~lG-@B%zM#2OESN5G?Cton~F$WtQaaVlTZC)AN^J4Sc_|J#N=97#ib z#2VV71FxX(UC5Wxu`I2mQ{kh)YkIbWDSn3D_JqEG@=w~sS$p|d>=C~3Jba$TJQkX$ zUtN!k3N)phYL&?^^~{-?`j?BDHu*fpp4wrvPLQ4i1r{-WFmy$*!Ou}wiMl|_?^7>O z-;uShwC50=racYz#UG5rUwGkcS#J&BEppa6)pJe>>Sw-ZzSi)@!q=3)0lx*m1NVbH z(e+&T9%`j1jqgZ4h0@gedj!4u$d@EDi^7$c0eHc%Vo zw!Q1DS?be4vz#^0gE!@nr8%UjkeP*~m1&<(x&XBB7<~z1e1T5*{tf1M6Z|?zo=;}t`6J)w1;>B~)ppBx6DWIO1oCqa znJbl!`xR@S0?nt4Ka+Gi_?Gq=>apXmqhA8O9Qmn8%#uetUDvN(P)q%OapWmWM9MLrJOX-4Od{|AJr<~_eCq7@jjH(FZNyu5k&-s>K~`+7Kp)y4Ip^Jkz3$XDL-Ehg{JYRq zM;|An=ieSO^YmxE^&FdHdr$Y&RaLQF+mCw>@>G;D1q!f-z#P~c&z;4NbDX$b;KdWX zE8;y!73iN*-jsCCxP`OtH_+uz^`2&Wo6kU%r*00dZGT4nc3pKUSei^Q7U z=~o8(-;4B|#sQ0&=Th2~w6C*Pfez~LY-??2y@NDPsUAw~kFRcyt_h?IHmUdXn>J( z=_{2C@#Q6#2D{imc`N0<$VE+uU+t797aSYeP;G@FXF*++xa2O$AC>4= zm2ySwr9cjNmj~PU2K+zO+|*T%W848ge&!|yu1TFg_``YE<86;;y+PQEWt>&dSTo)h z-CITUO<)rDrx~253m^Ki!T-TNjCJ^L>3`I{p3UhSInT;Kk)I!ZNH#nZ$J6Z_R66?%3pM! zEwNb^&MWVdh?kxOD_L(Sd(8u;0gHfP;6?goAT0_O2L&QX!@=xeE-*bPFiU-51ou#Z z9Mr$&*!g+1&qB}UD%~7SlZo|XvigY`(uUm@IH>ENq57nx|47p5ywcD;HM*#NP|A5( zOC@YxM$*jS6?8E*X-=>qbU#P)`z`Pacoh@~iQ&$tEc=nVbKpw5xfLm29JX$ zz?0w);3@Dlcm_NRT1X^+2s{iP0gr-J)$Uhg9ov~x;Hd7olE#mw_Me|^f=yj1;szHo z{^gc<{;hG|5a&E9@?AuMvFJ*rti;6VtqZ>)YeAlI!&V!LTF__JHMV=gvy=p4@UM$; z78!h_)}h}y&Y=pa3yYoar%hhww7?UA1eJvl)dQ(}h+n*~c2vq1Mr87h-4MHWoi)H_ zzfezOrkU`o6Y=^Fx+fuyzRNQ}^k|wNovcuf^LF&E&OYDM7W9nr@n#D4X(V&L3JR3-oJme%&)mU0+r>s6fIr`G*AW=+$V4{v?TLue zX@_@3@VOIIzq4p;G8NxZJ1%*MC{ zF`j$DSAj(2R-iHR_dWH|w|Q4a8n}Yr26FCi==?&ngf%SCdrW)f%MRp1Am3{Ip2qp3 z5AnTQ`juyo-xe|L_H(#1p46R$$C32)2iLK~<*!N}z@*3{S0b4!zfdq6gog{tuGGskyt zW6WKkg#nDeiSi3N&nv2Tz0h5OUX0%|fcHS~dq4OVv@^g5z%3qG1X(n5V%2lA2|^CH67oBP#=1a*ylC;@nz&=IEvL9K6{~% z#{O;9pR|LId*MrZ=DLkNdO>3vZ$Bw#!LB?BmL{3CNqZ*MWy!~CymK^CO1!639oeY+ zJfu2mT793(@w?M??@~LIF{dNDUPw|M^47cM*-pO>#3sS;$3j#XcLvV9Z9Mn9jHWi2 zcy;_ev!4*;Yp=5o+wU5F;}`ZetSIkbL4luj+_A{O)~P;zm{y(vJF@o+eTHEFjx%-$ zHsMKd2O2NzQCaE6dA;MrF7?u-q`d0HkR^3(BUyKMbonFXHuh@DvD?wVpYM^ze+SEo zp0y@E@dufS7cTmdi$yA5Zl4PG|2akt=MFBkOW^6p*woXkuPQn(u-4JXvisOE}Ylz&`n_t z7Cz19%S+u;LHI1?+hgU!=Z-v7(b%?jlpVpOA;|dC^jpatL?9wvY z76mo|Yti16v>AATzu)h|bPZHq(^T5NV_)xh{8p&rk8JP&t)yQ_2>~pzjvy(yc+9E%{Fm zI%}y7Pa8V+-1b=N*xv~Fl11&>uBC=zYF4wpo%qf)F(#iIo_(zCb{w153g`O)s$WwQ zY;DT)_0*<(6gh3Kyhup_518*$_#?1W{muRe-uo*3BVt|`+Vbq-B^_7l(|GJ#cmuQc z2u<@7C*)wPIE@LU&q~c-LkG?xbH5jrS_9?r5$EW$1Nlf~sD+;W*JJJ^&h1U^L`SiC zmEh${GiCAsZB+i_owL1joWHZ_oT;5_NDR+~ADYfR)Suj^PGAl^Ez9$#8y>qVZOzpe zPr%>3tL^F65T`lvU0h{a=q(&kxqhtorXCt|NP7T_pHahY+d60iMCdR%3CG5+*P zu$T4KW1RwZlz-E>D_9tfJT;CprT(nTg{N7|aMtlu9KX+C9mly_SXf%p5mcYa2{9Q8Sx~wCU zQhyUVfxnpde}$7C`53@ns;KX(lkT6R42CCB*oRf@Ng$M1`|V;TKZsbjlJm|yGL&bE z%3q<_p3l(P&sM7cQr=w9)Se8ot-dssj*<5i@7Yy$Z=~b*FPz_Y<+YF6CN+&~sV={{<#udHEXVMAQ#O`O&X>(x;5Cb$0r&4gfo6?^iH6K-bwDIGv&_6dYtn40=!?Kv3gUbJL<@X^lzs1 z9}-_gW|127o3!Cd-YctZXos)1@B_A`KI5m-*d~H=80+x8AN=zN6CK&>j(vHt3_74| z6Z-d7nO+-+KeC|@FQb!<(4P^cuVN>LkY$VD z;E6!SV3W4Lil0HQZk6KMjmEQ+;*v>He1vmGsiS;VgOHOQsv|{J52bY&cJ3XGW2eQz zH~LK^wa|lgOmWJ`Ip43eaWwq=P1h$?uQ~Y_k;9N^CH$8p7d*@A=)i@XbY?dyu8+sJ7XbC0zzz@=^bbbEdYvG4^qnu5GKzLL9O> zYni1m=|kkuADlvm7O5}F{F84#LOTb0w-8<0f&B=^R@Fq0e${)@P}P@r*vA|{e9e>F z%r*tN8-gwggtOn%+&^wdr<~`a?zsbJ*;||5ic9ViFiX?vnl8+qvTrL#_oc@J;;LmD z8~0G#A@$EAtB2B?z6IdTF()3Xi+t89%=an_2_?@N(fgrF8}0CM9AlgbF*Nq`fR6L5 z%3*n>FQ&TuJG{BZ`4!i45p0KrBG5K>e1_ByN4~3bCVg1@P;81o3G79C&ZszR43Fh| z<;u@H%$mZ z@}=L0nf3T;h_CfGY_={dc4V0!-L~zLZXjOq2edU6cHBp{+*L1ii zMt?esS#M>|>UHGZLZZeHQXZ~0)wZRk+yHwJ?5R(~SXZzi0w1aGll(D{?cb+o_BU%f z#JjRt(0;cTA1nUUGp6)E?(}b^`3w&4_jznYW^KEL-xK&HC(nu)_t!{%>*sj}5{cf` z$jkd*_!>n%8Y~1(!WYMo76prd0>wzPIy_IV)Q=DNBJG(qd}o!kBy?rKJ=lQV8p|!A zzBTvL-Po&|#L|061^$lW`6u(|);SJPmxp|QFrU`Fq%pxYY`?%1hquWUd^EuxWe+s% zCmt|wR+E?ZUkX{Ol<86SY+x1zDM;R{@ zvi*=T1q!g-d5&$Dx^cv;0@D(Sqd$@c<#f)(&ly-DY! zkp^n~%T1#otOUQ*lPyA|`g81z_rkn=9 zCvY3R-Guz!B)tW;hweIQ6Xw25YT*R7Uf@^Nw=RyqH!Z%;!j3+C=H!JUwdz~TzZAjaL8KCP(+5udb z4*fu;UC2s%S=HZq(9{JRfc3#f;2iX$32A2N1fC-Ag?#Eif-3|D3}#Is*z4cn*8}h& zcn`b}mP7ulX#WlRETbUfKJ0JCj#hc^#raol27kx(N=kkS^=<4?Q}w-@G!~Wm zvaBaf5`Rwt87)V?B3J?Z8Xe;9-0Ol4-@Je$JSrRW{raOFMZY^^(D~B1xF3- zPVE0y{Q0ZUOoO(mK9TaGc z&H8BrF*5igcn%b3ha8rGrZ{*R-yV$YmmyyoECrSX1-caBZb!a|meV_ORgk(UFcQ3p zFDy(N14e^|z%SHZWG0^p+}n`%I^Y-JG4-vjSo^1x=OJ?$p~(P-g6Y8!FfDk5v&fB& zv5+45Nk{#6wu1B-&Y(;r&q}Bt$DRX8tAaU@vC5>CKnpjR^G#%=EOoJ3|04UUNWKDC z9xSKzw$ET>p;)XfnRGtua^aEM`!Bd}g}~1ojFBD824)54!{=VHJYOciFCITxmfxy_ z7P3$u0fvKNpoO*2d?va+)r}*Jf$F>8qUg62^!Jm*Eox&a;=rl-~yjb6)dF7k~@FZ&~XD`cz|{`5Vx8 ze9wo}*U*8#j^a5w<<;OCa4lGh{jVTxkFTh@RtZVYGS*V+1xhlOg-C2uY09&C&bua( zzZr7Ov~BeGS)re%K1%Z6shqq{T^p@GOkE;4M8^<13;$92a+*s0Vr;|nYGZm7<~wru z@L!1i+B);t{x+?EJUnDyZ|NM_ocK#<=5h`Lu)VAFnZ;S+AAt}*_kel&Zg?nqkdyPc z@5s(Ktg|lq^b_ZEnst3oxi7d1x-am9E*#Ku5#?D+wF4U%*M$h3x z9*1XNIR2syaxSoGC40lh7Dwira+h75+l<_T{4DxrVU1N!^6nLVokKZ^SoB%iGU9&) zh7lvUutDwaywz^4FF#P%^T~;n{o3E-Hwwfi7OpeTnl(_{B7 zO~b1x>Hqf7-NeR^Mpgtu^c~71^wUBIjrFA589tY~pK`o*#2wik`Dy@<>Vr=shjmHY z@*Ta#q>aFapun4)yTC{2NjG$;JJK-GDUO1)q$3+G45y)i=y-W1XWXA8s{h_S$ z{f9)y9(cz(i|kh;7W!Lbinm$IOt2UGT#xMZAr%-9>sz~&2baQzLN^FEZ9Z@LhfXRDrtkU^CU7JPlHgKMCKlNBQ*_ z-hDvd_rVUVyCc{M{EGHAq;0`=V0&;eH1EkgU~9??Naur-u^|nM5X%%bt6oIiLeRo5 z5jICZ{PdMXvz|Agc^w=LjsnvnZx*_87ZF&dax3}Qps_HGXR$9)9s$0MUJWCC6?_F8 z3BC;0M+SS`;qMXQE9wUDcfs)A1E^0&JXnjiKID6Yy}+KJz%lmFk9=RSrtVx&bx?mHqF<6^H z8j{Xexp;%UcFfEB73!V@i}7JD98g>EIr_5$yiP3kCTBh5U&fIB>m7Zwcf=7{mFM{2sT#`o4BGsx~V`iuv= zQujRg5odoudC`$_2TSPrFMy zCy4J;x3?k(y@IyP6@b09wgb+{XB~nTjJs0{~z!= zdRp>G%CQ!!4cM)=wS8{<$00)#kNy9T%IS~n;|uBsM)~@`r7|mPd!Kd}Y{>Qva_DGzJ}U(zH*R>Z4nSEjz{;tXEky{dvLVfw`Xfk8bddahUTukN#U90P-uV?yzH87%)Lzf?$Zy|yRG*o_4AqY#% zTIq%E5;m+TGFt~Za-l!+utROZ1?=s~MEG>Y(7cNrrc=8dg`D_@uk6W$TQ`c#Of#TO(oFB2*;iZ?WtJb8qz}l zzQ zlx?38fj<7)I!PyTJ{AfykHA*uyy)@a$FSKaIC~eesXdaqJ@7)HEqxDgHaYt9ooNrf zq40fPCk|-rk+F)L$F~|EtYj}+;Qej%_aWylaG!L&`h$DqbE!|9!r9)XJRN%<7=^rZ zwv$1DM(C+PM_r@jf5zWGOMNS_HTVqJ78F?eLtsEX@(sWRj4RNTd^7NAusQfEx|N>u z7N|>EpuVQd?hpeb-@91ZMVUj;3w2yCw&M0EnsgSQ@%=h0?WCs z%b11knmueo9{j;Q`tAn(L4vMb+9nc%w$5(GI*l$2z;^DS-*%_(IAZTb@Y{t&YLDO4 zHMPcn2t=!_JV2Mda39`Gfqnwx9hsaYf8^Ia1R+mSI4Y zYqsMaZVs=OVZ-6A7v6PbPTGdWVaGJylk!WH1v=sH{lV}!bjCBrSoUV&6mu>rZ_2;H z_YltTR-mul()ml568E^U4jqlxv6iyml`3yL8Fv;w)a-V|XEg^}B64?lAv;}%wFrXY01kyU|V<@o!h zl=CTF{?){pY8!J9i+%%->tchu>iWY}-cv>L{{bSChxqTuMCVRcoVE?D@fF73M7j~& z0&WH;!t1T1JHYLrz)nqP=(>_C`IwoVcPO;QfwMT%rKBss<={NZ38bsRRbU@@+Y8xS zL3|+4i*glgOK$ix0zdd6G+7FA2O?bura8>-&G`OT2x(ey65|Du27{@<^UKUQ3wU1g z630H_5YLOT&wJHZU(|L(Mf~NITc{mR;(S`^_g2@jp2jPA5AEFHmvO!p^0CgJ8KbxA z&Dtw`CxEzQ?js{}S5!uGqW3NDq?AJ$qY?dGD5U2x;3#_}7PgQ+g6BYF$HaPuGChGnzy^W)z)eb5C6>RXOW7YZj7nL1p8aj6-}`EddwZUr zZ7*c#|KRN2!)O0R`f(EX8q&YP^PKe%=Na8b`1c}Xtb;FoNqd1kbj)q3%vgOW4*|Pt zeLqcGa@GRZ&SMWIk6^rr?n?BFy_3d#9{2fZ&4QQ`}!;k@iZ}5XFSmRsh z+Hcg~WzBcMbDVLxBE%=;f7S8hH7*)K3^mQDNWcYj?gDna0rKz@v=_m~@Z>V-CGZ!p zJ3Os`O};{2;B(qTi7zdTNDsZrW*f%)6}koVxvum#Nw+;V)C2KlKTtlG)7SrIoN1ek z44V>owe!$stPD7)KjX9h0#0WDA zk|)*{xXF0cIL|JQedta9&0)T^HB%cU^y?iR%fxwDxXn0;tnqzhavbr%R{9^Me2epceELXW%$sKJkbf1A=fS-ebv^T|mA0YoF_%-+y=!NygOwAAF zP5K=)x$zS{u}$BTzljYyfvh}*|F}zDARYYjLOS~A_SAoXd{l)`7M7}imU1E95eY<- zwue6tS0xuyeB@r{E5;!!OIXh!?wds;`R=*KB0h?gx#=%p>x%p8E~pMkO?TGRHN>o| z3U;Np+GuGTtsoiUe4)03hea#AK#r|>675E7I?7~7_&*#w1Vx4orIbasfwi5Q? zD)sXzhf^+(&Xv&d+%Y8oE;IryX&;f7_eqrB2Pc6O!71QmP++R26Yu+YoZP_2SIF)( z+Gl`ofwkfNOwt$Qc-Fz*gVAw;fpN)6zyZfzpM&pzD1X9{v67M8eVL(YFYRqRAbpE)`SDN#$f$o%2d6GGs-y;86oPEBi z=XqcC?6B&G^sPp}q4c?Qod4fM+JN#)q$9wJ$neXgGqH2)(BHR-hrQ64JIXZ9_h2#P z0oqYuGuC&&b7tSO)-RFqcu#$-r`%C>Yq`oydr$jKPkA|f6ZnKP?4xp(TKOXN@1Y9< z9kUy{aZ&#~e`(LgnQu=tZ8@W*#=y(^oWz#ftN*yc^8tY!%yr%2%LZMyY2}>`_9ou3 zpSJ!Jcq&i``(Yt}tjSH#XIr-3rsEtRY3sWEWpgGS?by=P#Dir9@I0HiqYLYJx*y*| zL6$zzXGPz@i*m?sFXr2TjO@_0|BSB_2+F~CCTV|zSRoic*^juS66f6AS>H#Fy&mLQ zi;QtYeU{|6@jZtX8vo2<+tHN$L3JHxA7?sANha#~%~qR|JYKMAyyuC>OS4Z44fGEC zg7bXrdE#OVy|sRau4RxzCp1C4FBM3IZd>RRZ*q|yS(MtH(7gn|x}rN7^gJ)ZqhRN| zc#GIeJ$U&#^>sz-JNko$hk176=#M`dw{8{lRt@JJ7`j&q+3U=C$01{1 zQGSa!Kwu=}jrbqNT&w3Yjx+n4eF#K5@@#7U`FS7P<-)W`x0EvfV{=o!mWKDl_-TP9 z_f47+f0GFu&RR2&3Zy5^s&ok|gUJof#|4$Kf$((T?|e6n7{o&5RVG&fyDD%|_qga* z$~8;d4fwVNd3%7)y^BxXgsx>(8IpE^zR1TT+Lz)d1rm_k3;4*A*pWY|U#9hOnhH%w z5_d7mFRNV(L$3vj=(>{&eAGmrva7Cd=j*X=lLP+>sdn!(t4bCOVZ_}i?A8( z$hQUmFPP%Um(Ugs<8RCAnMOJOt)gSgR=GZ(IjVv+i*g47-v?__t^?KvU1+EFdObd* zIBOJW>-_erBJ~zFA+rL@mYcK@bDmclU~2q-9z(~9M4Gm0*pejVxGw9sM>?4~Z;=YT zqh}}i6Xp3o8b6t}zR3F5fdbc{9hU){bjY-gjzlihhtDBK^g=AU<3bjATavklNANzB zwUqMkLugy#`;$mNS6gEHKf8u!6(UFFi8qO<1*UV4s>=SVfzyZ+s*nn-gYJOiJEiV> z-9s_$TS;RVY1@mvvQS3X)Mz!fpL}_+9JmO5s6d)OEHEIFv=CSj%!PbKla4{J(>LJR z_#-pYNuD=bIKVlMN4857-$xuX^}(doEP`oE#)!^Gm{H8#5&d@@SB=kaK5?hyq&)=hRwnyzs zCHfBcV`G+KPgZ+$+m0h?1apUj715n6qynRu(;sAlx1rdX^x#R(?-DjYGx<#5nK=A6 zX=;tn8=?<;JT^qee7h7pL$3zG%l=|79iB!YFMHunHrBC_`W&RW!QRN$KY)2+@RRG* z<~8%bm>4nI}4gX9-#kV7|vw`CSfaciN7X;|>(hJ6LovHFcjxnjw!; zKVR>FQq!1oFU-5t-=p9UbQ!^E=vQXaQ_#MGEeIoj5gwkPY+=zO{*H`3yW9l-hQQMV z^mme;YU9d3E{7Ee& z{AF_{Ek}G?9PG`U&vPC{)OYuz{F&JQRfg`U#vQXl`Hnv8?xSlgg4`DdW58%oAZNP3 zfJnwHN;x(b-^&@VgAZ+4#!B=&it^vA=`UT^gFkp4pWnqCbJ9gu;H z>_MOj`GUw&3(}{+HF`(2V+CTb4sgCMRKs>p!1fCaQvRi3ygJ3XvyfK7K21Vz(~{wer!nmFPVXrVE60$)P+ z1NC33&5qGM)`o8RT`oOZ0~&&NCyMmGhp{6Mc#x%lj$Mz+N5G^^9STmdN}OEiYtk<*|1H zk7--sIfv2s^Xd5F0U7z;Iq485#>&n8MIaS&_Z~id0QO@m^9hvD`$%8x^H|0Z_}(PR z`GrmluvPEn8PygG!M+p8WXT^@vDpLT@t^Fuy^cSaa+$J*CIUOT$Qk=?LH=G1?E;73 z*_TC3{%wb^y?A$hB$~f7)d=71*o>#B6DXl$|BC&aN?ja%KSAaMrXoiIKRdSg1s$VF zLUL2`$5*U%g35+eG-jOwD|Me!beszCe+{-~EVOTcKM+$qf|oA*NS%et=zi%~TjKjw z%HLzEGvBD3{moeI@Ken}fxgZi!q=O3AQ6238C!Xgm>?HAn+p5=cCeussdDn1V++4l zyK{XF?@X{E5s%FH?wCum^6u5yLl|S5%XUc!)-P(26RHwZcTFpl@T(LA5izlmNP+FU$ebs?3G{WrX_5Qh%0 zLYFNJ#8wYdIka`N(wN*|j<5ddsIQNuYsuRFgUt1Z&&QOPOWA97=IyO|y;k*0`Yd$j z{fqj;jQJ;NYA2q*g1r=o6X_WCP)*m6))`;M zTAt+FOFaHdpuGN#`s9N1kp?}v#Tu_@to~5<^FY&nJj>XGd<$gd3>ud8jV*P{luq)S ziHGAUmpx)==HpKUhG|*ygOJxhXzon@ch-ME_bP3_1@er6y^dH$%!oduadb%92RL>| z$`<-#XT31ZLu*-G8yRfO9-4rKvE4BPOy5M+Q9Di#wGp-~=}P2&6aH}(X+w1Q&!VO^ zfwI70#~w?0mg=eG3nBkI{pd+rcxoX}EcY@1X4ayqPBmcsf;vZBhL(NnYCA>u3x0I_~5k|Up`U!bdUJK!aC1g`LpHx4mbz4NAIm& zi5dPcsNUbKQRt@2;uV6iqXI2eP9-1h$lWhaY}FQqYpj$?&!e=ULWc zQrb$rKfhyO{p9vKsuhmOCXcaa68MTl`MR7B5TW)A|>9KL2?%`;1y z`mV%R0!>nxR6cj(I|m@+7M@k#)XifX8Z!RBK}WT@fA#Z?W$AOraer>$t1sZ3rKPcH zE9~f#pqTQxt;*Kca6`H70l!DgW%6lsk5U@z*vKYfX57Wt@N;VOdlb?mG5w2K$R&&2t3!*I4HaL7rAQ z@$-!n#Esa+-Hv>o%fzz}-Be&lELnWY3=BE1Y= z055_+f#<f>h(?6((=;{zV+oD*a-eqgPhe`oaBLQd65Th8OG?zSh9Hw$af(ZbmOXkFiG*1G|@68Igv8=<`J zq4wY`awSmL(N9yubA?F$jsktN5QklHcqHv*82?L0H>GZAqHi5}RKIpoUz2z%M*XtT z4c0mHDSxuTx64a8TlJ0EIP=2TpbSZ7yo|`f`?~JS`nPmyhxz7`F})C{x?INbH7?Ej zj=rqrjPJoGffFjnF0Gqy()`GT!wk0V~Gc`U&lGC>}n5U zl;=m;b7St){jeQdRjy1=WLRyCln=+-+LY-gA3^J5Q8E8l@g;u)9|vqcg&ZDnn*pzDJfZ)k{F z=id%bYUVI?&Gi|DjMcoXsk7tSbhg9yqiVxTbKViyo_~V~Wbd%U-`9MGMggeeA z`ngb^&KZz_TB>Jmo6Qfz-}{4~(_puVA)&*A$XwF~Q%|4rAJ(SniXWzY(A zz~=rhP#PINa^FXr!?CZn|64kDLH4mg?@LD_c~(IAKgUhqt{$E&{=@cWeCUR*@T!cJ@#-2cb*dX0fF3{wLm<+Vy4H2 zH{~2YMmN6KJ?vF~(!q&sMylT~&UhWMQH^!~r6@;&WptjCY6qIAeLbdQey?Zw|0p{P z@T!jH;fG+s34sv&1_&;}r8vP0#fnp;K!aw-dXD3isEktCZc!mf`XPm7M|JG9whlNbh91z zFqxTG3QPC+Z+l`unQ-S>o!}MN;gXqCiVm_jT*WtywBoSs=x32DPW#o!y^W4Pfu*Z2 z|292%X>nqvSt_#!Ss5eu0B1tI^%E01=`Y|jaE537Knx_%$P-Qc#wnkZ^ZwR(hx`M1 z&Nw9;-#{b7t?1vAuf%y zHw<{^yL2VG10O&8tQhOC+V(Say&>^>ch#TckNCR=$^?F4UoYxfTPeTqh)j}xn;F-) z_@tjH+suAh@ip(~z_p||f{Ve`-~^uWp5+58@cyPTbJ@0(yIj&`z_Q>3)~7twKq=Ct z!JN!-yN7!~jk%?Mw!|yI0Uti3D(g^L`#Jc6{@C~b4ay+n;<`45uPFKVz-JT$Th9&E zz2tNB_r>|Q`;BBgH!R=2IMnnQlTO1f2Hoad#-8&^tBU9t3Mw7I9DCp|5|hu2?H*S@ z)yEZA#q61HGyY{Szmke~$>{1}>~5`&t+4K$?tV;uvOo5u=ZGV$cQIsJ9PH!a9uE2( zeJTts0u}|`FhK8qr93EsQ=1Ih9A6Q^S~Y{lCqFC#Jz(qw(W^5WL!D#&-lse+^|he) zxeKfWtqfKHtAYX*pcTOga5FwYU?X%BxE|a9t_9bDYryj8-zw;8a0R#$Tm~)&eZe0t zf0#h$;fuF=PWe8KICH%-wla*VEcg>Xr#!SI_#RjaY^V1giSet&$>)M+31e6aE&>;W zQQ$&wKDYp!jC|%n1?DJqa?WoF^&fc`vq$T=cdWqgkaxp4_0v+GkNOGZ?-lZ{VMFp; z*E#tuO7qg!aQ3>y*tNjdO5ays-Wnfu$+CfHChKQ5vdIIs7oUKvY`BQOFwkIuNjbD{ zA&2hKJ>@RrD4hg7(moC|*9q9)dj+|3_3+&vv^ZD{EJ&=|*u&qIvya6F>wvvD2h79w zc1?~BE}$>?{-*C;1pDlwMxQT$yyv^-cAG;o>nt|@pPRGYR8 z2fRm2utndK7vZd4gSG#FanuGkp&xaj^}q|^&a>O#a|9A0_nwyTD~AnM812;A<1p#W zvX>~-)jmvKXc=@j7k#wHXO~641s-JMJvRQjK6X@DpEcEbW?9i6;3occC*yX*6!z`x zDwor&L)FI)&-d7$friMmk;=8cONQ?;=4`Hhv%wQ+$uOs@%}4ar0&EGk0-JzM!P>-O zW0_B9_Tv!M*~XN=3qFUx9QO27?bh(6PW^V9LzzvjLl;@&i&^8%6~OL%K|RKlh&g=- zZ2*1%)&@&)R;~;EmiLQEs6Pn(4m=DdB>#9R@7dJ1s$QTUF4>#?0<(39W^ z(1z~#83T`8v3@wR6BxvOX$$OiH*HrTo1&Td`w-H%E&X~*{aowpmF^YsCF`Hc@)egX z9dLT)+ZkfojQHPT?4KjdzRP&)TJ2V_#~2vSvjw&h>z!9WT8j4p0^eJD)0evSj4>0s zyAiqpj7Ptlps}IfGPiA{w}LhtS07go{co|rsaXh56u1~%1olAYOQ30&um?jodf1bp zg|XRq$ROoHZ;wY9(<X6U+2w%>BtZx7az;C#df7Fp z(|!m(G%oiZ%UH)e>`^Ufn~Slfw&X7Dzvd1$wPjPe=r>gRZlh-+;rlO`j6c7Pef_eO z^IdY{Am&)M5Z_~f$w*g*7Kq~8@&&9NautZr8a7q?s;+0Y+Kf|R5@V`E`Z4mT2R)4r z-eCW2M7kl^fjyuxG#=;phI;L7kkvZ|cmLVZ z6E{p{4)wIXT~~|PswTLUwM?gXDpLPSZM|1~){_0XD89}>k(7M58sL4#dz`P|r;i%Q zqM*gMgFcIp&j`PPaPm!%->0hYQvQ-Xz=k8VGf-1)Y@mnx5M(hIJjL_kaNpIPvJB{L z1bb2}z5kk2$Z464a)Ef1U*mZO;-SX^v6Vj|vaXCQQ*dvwm^P&?8I%e_=Naz{AM)I) z{hNN@Mf1S-DQlMiou0_pr+|~eY2Z|F1~?t8%$#RJ$Ea?)`x}aUhk+&VD?^|I!I_ME z1Z_SiJqkJ!6zG%!zp}#VVKjAPz}oBsEm_mC@Lc0gW<0cw#-fXS%%$2DV(L)N#n!#J z)8pH}BQ$2IV9CzS^@20Dz^}U2WAS+&p1Tma+c1W511t2NDG~9nffQ$)baLp&>?28` z$-u;55-=fnS#2@_X#rf1-^7Ca`{>~CID8KZ9S4pF4aAajn*~#;n+8q>*I6=%yTD;u zz}Tl#m(>*ySzW|P4j}evPCs+-=>o^lsb=IGVqZ4=ywb_7Kxcl_n8nm*)OD(f9oGRr zGO-X0uU-BiGra4-Uab4I(atkVh7+@szpi=dw_bYFJNFIfV0n!xyroVmC4J4*bG^In z-}22Ca_+)j1x8r0U1j{yeHJE{>R@5g-}@1JslCs~j<@T4oz~88cx*d|?}+fOVQpk0 z&=LKgjhttJi?|!IVWRpibpw9g^?YyhNV?t~r(G3%S0=`_;R5GqWIO{Ks;hE8hE5-i z;=Tx5Dh-wb|A40q^iSyL@E)iBFVbBCohOVym+RBMh|Xhw0{NbWyU9_k3wVwAts>+8 z6#l;G_0iFN0%|e?%nT zN09yzOi2uU0lV+`#_q*Q?_vxBdFZ1KYhDGt|6cuVetqs059f2noJR9sv}bQ8zmjJ( zdc@yXvsX4|?E_e=4Di&W%S_OW${&w%fu9&l74*@D%H*5S$2p!`K+oIBUHg&Ye;?jz z@PwXm`rBmLPIry9a$DyRY1cN`;avysVV*Bg7{4XZnY*3G=!QTF#`-h|u^}`F3H^hL31m<_V9}~O1wCbd+X@Iw0@&W_Z z=Sg}ieQyD`gWJHJ;0{n=IPWg!TJl}H2w5iJ-7WrQA3Vv>vjfom;CJA9>JLE=f~nyt zuX2~Z&Z(bCP28G&sg!UoLZA0CpSH`Ky!>vUZU}zSz&-W%->6QR@;54v4RP3S(f_qP z^IUSq06nbd4&hD3nnddJOk10Nr1HC?Yx@KKYo_k29iDr~(Nz71X}gNMmIUbW0rqxZ zu#s_GV_zK3nrtF1@C~$##_y)h=zGZ6@|l0eGc{fsbT*dX_nb>2vN&Zul6uFrJ{$Kw zj5BQ%cM*Y3`R9y(F3*|+&Ijj#Un9Rq5v&zFZ8)b3{H}Vi^BI05)G0H+pE8bRv|Gv= zuYj%wSJ1~%{IWn->{lQd-z0DxK7rNfeK7VK1h(U>^jyoOF37{XIr0U4?BVVI;jWrz zG^2hAv;}*8ORypM5m+D0#vaxYzIvo1p*D2T{3D((u$%MtL-gxi@PIw}faOopo#Fo= z0>9$f6F`9w@&dJWym>v*S)V`KSqFjHw4DWhe-3*l2HggYz*o-0uLv9=pDrpo={JCN zI*N|8J&(Op9uFTYaGG{De9CuYUt4-n6F)3a0G!})(jVvsTN|2$v2;X6oxt|sMq<-X zppoDJbf+D3Ja+}Ypfhy>;rP40qciQ3S1bSF=2z`J)koUau@(NEDV$O^B z-|BZ_mP?(02Y-E@@uUbLzN_h!m0#-6N%WPCHQ0&{WDfJ)UO0Q zQvdgWveKLviX`BDH|db%#DLIF`1glUH?%@tZm4V7^l$j)-Hg>heDtG^{;g9{?B8F{ zd_}RXP~MNG*YjOmE#Kzy8ME1MCnw}A>~VUm#hA*_R$vt60;R~;p?rkqrR+h%x5qh* z`i_=dCXg@BbH|{oyV>&xv8NY(f-Qw|euYkAY^~6n0oY3oV$kmEV)+eXAMOghg8b6C z?$qSDy{Qv;z#7~K^JAmM7@NRE{Fx1Ju;sYOUSJP>4bU|$qVmi^vq1s8!+XyAQk>-E zQ@pE29<6xx751$N*0RVdKfl%+*jIR#Ko)VPKqhE%`V7$+;sonZ)DIuZ_zhI!`>Pvq zoLodfr~Q}o-yFZTR{4HMw+_M6fiYE8o-dHg7OnqmX&nYTq}Z zRanp8ptry~;BC-`y&7wNh0dfxF9jN5Z};JQ1U>{Ct;DxzyV1xBg!;z#tYfr43LYYV9NI4p-e(co13HGI%_~LW$Uj$#F z-vXCNPg6ZJypP$d-LRj%+rUBAy|(W4X;?>r-aLDa>cC?5AA!^KeF{7)l)A*M%Wl&9 zz`fvS_>Fq%3%(_9Lks3vM|H)NXV7^*X6%uiLAGIQ<5~0E))_Vq`$%!M`4Ie%z%KgU z37*4u#P#tVj>F~s-KRe0AZ@+_4}*t5fnA}zKV^Ld=Hp8yf+vx6W^6^^EA=lkaO##*2Ptmn0YAdGAZgg)3JOR8z|62KmlV4)Zdx_4qPeP~9 z=8SXmBfbev<>XCYHqD}Ama_Me*w3HGUe-8B17^R06_C3~&Lq z_b;%|_n3PNeV-=$*;yA4en_Aqa;gH(0jq-5zy;uN_QTG^g9iGjA1@f{lswPO86c6V zeVgvn@vi#IsY`+E_OOrH5UxJLF0<2bT(*)&^*va9`p@dOOq+T50D&YgoN?bc?Hzxc zf==B*m+ZDiai&M_x}9}+UoCd{PO1F1Q*Xl-&9|}ksYzBGFvGGVX%`P0DuhoE2<8#J zh~Ib7M|t&?&DB38a@k4`wOwhqnKg{%s{dPk@G$nKPQ+sGf+Wa&8YnO&K5Lecn3*xo z#cm9IqdI2tLeCZA?vHkJz_XusDWB1@o_EG-(DW`*^)*2*YtnZ?7ZPU4 z#uwW;e7C^+_@kvdpQJ9|T!4L|FndBFuqbEC1JD?N4qmZ*v(#mZ8-pV{lh~STedJgJ z6xfX4w4o*CH5pGUX#LlA4S$D?%xoyCK47rwq0}`Ga(MEp9Z1;+_=jT1)Bg!JqIXhH zRNgJ|wF^K4nK(1rkP#o+jX9^co?+_u;A;iqp*tbSEepQjN1mHXWhr%mdJjC4=gm_8 zJ=cd_ETI2L_J+*x)L@KR>9euw`~~VxC6wOqqnxP(vRL=al260j1ZL?tqu4v{`tw~b z`k#xrUn=OGS6>~6@F%wXLDfiy=ObirEj>pl5C85YK5>4)L0&we(By|WbKC<~SWOMnB>(LX6KNxCmO_Z#a}jC4`ZK#M>pJrdd8 zxAw1p@QpU?xlBCA{_>bHZl%ws&?n$?@EQ0Ld;xZOMf?o4;SO^wq~m_0b$>$t0RIO6 z0&jr<$UP@E^c!h`JJ8P<$I*+(m_7zu`o4($HX->GU}o@R_NPXiQ*8LylGUDUyql#y zKV8p#hMg`#9_V&ywHpsU@JF6E9zDEC-8A&bzzy=}(ccT;Mer`N_>Gv}z{Bi(XU;z9 z8Ra~`7kgoS{Qnhrb1GjK(B*0z}E1bg?C#n?(TFAMnP-Q?`g_I zQ*&R>e1D9^ca=J))3iGUPQ;eaK!?G94tf#10FEbr3EGR8;?Dry4U_*%*ZnT^3UvZc zNna)X3K|Rfj8DlKm$bm&(3fCqd|D};o0NA}dz187_^Yc=l6*h)ZC#jCReWrw*iy@?ptd37if!spSf%aLrZ&x{`<$PJe^-Vwn+Rs6Db+sSqYXy7ghgM$7YP<4Mmd}I# zODrk;zs3uLbR15p=%oXXbibRfJ|LInFB>9oPc;yEC=bX3#5z_|`=8c9Wcp!N7LpA@D;8=T7{Oz)jZc3-P%y5JtO7 zta*RrR!(KGjJtqZ^dAeIE02$lO}}x$mCwA-H|>QU)BZlwIrLF#^O$rhY;qEMX&{8> z8|b>iNgdYyuCrDGJs4jmwVhwNbFF0Q)(XbjTXj}=Tavzo&Fo8vKR^cU1BlhJ)ji~U zbH+FdeXY89H>b3~ANjD$ruZ;{o_a29tod=O3oSJNoW8Gej%ZH)Bz3{7h_UGJBl0Qm z1Apd@?#6Gjr9nsAXx=)@t$X<(!)PD`XVDD}6H(I+~Vc1knq-Z4n!Cw%9K zt+TKv7WGKZH~jALu0@=c4$n%}9lOOKd}Ek(e)uKSsm(*|C{USrEptk~mqA~Hl5w}D z`rlgb!EUjyJVLKp`M4LG&Df7caCeBjT55e?&SyFG+&lg}X9;UBkmq%wzB4GWC`mN& zs~*qE_t)}!_)Hse;D;ij>=MrKny+K&R|a&+z*Q2ttTT#~4@<jDHU`%&v9Pb5HT_c>7r67mMEJ{jZWk*!4~wH_IChAKk&WN`DP*mF$4WCSN(mBANj?a(+hl=fx*ac27XQ89y(u5mW4t2QEKje@;nl6)oB`R`oZ&#|Th@eiXiNh$iGJ||NBUKMx* zS~HfC>X%C3>jn1VOHwoT$Fv!NUe8iFe5gL@q_wYo^jH6}({IBL zeAmXf9_YCtihbtSn!@40VoU#}WT`8!Z2w6r(+WKBL=(S5*88RcmVX*B_z!rnL0SAH7P-a-_zRhVjc~PAVn3d<;8Jg&fABV+pVq1K+sb zjVxh|Es2Z%)bfeg;Vk4Ru$DQD(Dj(=Z+h@e3*f8X1xFvTf1nqi^L;`G^fN$X*@fug zpn^`T_-Y@L>!Wd;qzkk6EMgz~FIY{RVD|oUFy3D0@E0P6sRvF5Z3tP+`$PP|1$>D> zI`RT>EPuR|80!-99*8`~bKh_o{@X6UdlMc5=dHF9oD&d#G{t`%gtaYuW`P1ufAKYzUWlAKb6j=8|MIM!MfCbSJvA6J|h>5ygbP7CL^LZH+4V@L!s zPkF}s2Y#m)dxgM@t13wE5>(HGZ=d-{LlXiYuRIt zsP1OE=8Vg8NT7|Fu-nD1{t^WEow8&1rmyL3s)P{B6m6dmux(C%q zFD3_>Q80FN>+A;ad{ePrr!;?-J{JAq@U~N1o?xxB)LhZ{v>3dRwB3R3e}hbllJBH; zCwvKr4-GVAEXnc5301G(gIA#bGxm;)PCA3?d2#izC6q^Mt7_c+)RMt3>`f8OQ=pTM zH4f{tg|%CbtW(qXzri>8xZl!so^RQ-hyCO*dzu?MUDvsUp}aE{|sFbIF2rz*EL

#@gp&{F|)U!|r3AWhaA`rw{g6TJ^XnzI$9|?g;cbg)RLq zsJ_JXR|cNmVpkTd%;wDu(z%(EV#s|5`=Slq@Mn7|+lZXE$8l<=Gw;L5U^nH%)sL7q z()~WlJNuA>;W6|z_Fj_lXF12dvy6AQ$aev@w~hAOK{wo0fA~b{4Ro|481h2?%@u4` zbvEM@zB?g~n~IITq`xEZ&wvg-#rJ^321CrD!g|0F*1lM3=b67?e~s{^26|aO^nCc+ z;}X8StkFD6=cVj-WY&l=e8bqLqQiq&&#k04fE&S0;G!J-of~`tccP++UmoOgU(5F6 z*FHh+hpflW!Cq#oU;d8g3gk=9J&&F>TIjo1rv_VBo({BI#rff00#m~s2KtsAT@O*; zvdoH4=Y)FsOe(46lXE9_O8aH!P6YcddCEJ;`IcWXZEflgYcbb8K2+B)H#Q=0L1T)@ zH@t^pJq6n8n7+2g;nckQH!gl8A9mBovK8T;8$g_o&efn!U?uZdNd6G|@ls_LY}v?9 zx!B(r+Cb!J!&rQnf$XerEV^7J{I=Bgf^v# z8GgWy%IUr#9EJ6qDCzt7jx>zv-ymGq)#iET(vz}2c;+GROj@3$Ys_bqr@XDz$2er1 zhVwvLFpROMV1KNMJq43b4TgXMZ;(+C>6DuPQrD=~GG}yy$^S{a8=|N{X58ppUH7;; z7FpsN*v|*p@C5Lz#%TWZ85>N&9vu(*(*pj!JpyLZi_wpt$qQtnO@457Oc(8!6uw97 zS;?V+U_x*QI@ShXn}oE10MZFGe-i(eA3xYo{lZ4;Of39c*uMk{tBo!6cH>u!F*F3H zg96VP>kIG|_y&9oJ^`PC&%pdLao|=I-%?uZb>||!DktwU<650Zb9#T)s7-rIys6r1 zhu0VIw{Xb1EV01Pdf%}W`!9-rKCF9gem$Q{>(n}@PZ<9)orCH1Q(ae+Z;$@8=Y5ZX z--&p6;*lvE}$=r-%nEJi_YFpA~A9fj`c9k!l)5}oT zo?ifeB9PSbn=O#tA;wU{lHsO|4&P|{zpgqK7h6BWGXyH21K-H=ptq?1lKrAA>6FAB z<)H#~k!>l`rNMi$Nh@S#{7K_*7WEOI2}^hu!|A2r^l^#j+|jW#L3Vj4%M0cQvx7On zoM0|cpbG2$939O@zBXqY8;Vg@9DKNlcj3@NU}3NbcnP^1C_ug-XkdaB6PmJA&z$-| z)_AoQpIy@ZVqkW@6+h;P%tx?1$|BrU9y;WA<#K`KkBr2`!^}~8|Py& zE_{Uz6OgHaPw~m4@a_GQddp0mFIrP=Dz@$whUc`#Jtl9{V72eLK6skb&u5k_vNEr5 z#%!P!GBNO>^$tYJ7ILs`qP#EgF9uTK+wQ3TN?9Z^L`rPywCZ|CkC)f9F|-|P+7;hy zLq6ubAjP}e7~W>EwAb;L@S&TA&!$0Yhjv*qmn}-&HZ40(ydY4EyOqDNz3o1DFNVK8 z)-mXH?ckW@53Thmi=7ukmNzK7rR9zBmjZFP3tY+`YC~D<-M|mZcVGSbc8yQdA;+A^ zE`_zeQ>=D-t=MFTHIFi^*H-d>E+96-?gS>X=h*N8@(rf%aIH_wx;%1{d{qeZxfJ5Lu7LqdKSE(^2v`+K2G{1 zcoaMaZo}8*qdYHj+fP2wdba8L7oPiH(2lkB1#5}R*MWQSqXMDH&`rG?bxORy=X4zk zX?o6U?>{5uo)dO3Doj`#l@Q#lko&3L_-dfiK`YCvb zXLW}T00)A7z>e(qFVM4jw7>a>)AX{+WGMB+z`@{H?zjg*zXS#D{^Rf#%1(@=akZ3W zcVeLlz+oU z^<}uq6@y>$!xs<(R&z}XI4bA{R!0x6(r-SpsRk0oZOxWxPu6<_}^{c_<;0kal zxC~qb-tjo?%Hg*(8=NX522*e@Y7I;Q1 zyaBozIS#;{;%j{srN>l9g?AQmn~c5~*v&Jus*le@{1c=;Y=EubZAAh8xbfpW`PD)VNv7 z%01&-x#fJbfJ_XGCofQtXNQAVkhV1@AUbI^^r$my`!R%Ps_8fe2&^wbxeBu>9-`6k12M`Mx?=q4TZxE{MR zFwFAVJFw4Vw6Caowi+LkfcWn~R{n02cxd4({zep9!t%T08TTF5eego3$0?jMK7d~! zK7MnsW#0~m_qT@H(+=*L4V=_@o4nAb_J6GHWUu4T)!JluJYa@rkbe-e0e(V^>TpGW1J*&62_ z=J`<9Hc7bi;be7P4kN zkaIiqax?i&U>Og0XwaY0*R9Y3=+buRW$ZOEek@}s|Ne(%yPweh2lDmw9%Y>BcYI=` zG|0D&&L^%FGvy)nJc8T>J_cKZt-yIaCpZ0_#zq&BUI=c$?iWJ^mO?YAo@e}rSb=nQ z%||ovlbUg4c9rdAEwWIS6|BCL_kg-Dn>Iq%upSLKtMnn=8~haP1q$>7`+}c=UBND3 zXRs646YK$Y2fKlvfbGDxU>mR_*a2)0MuM+68@*sW!Tw}`F9VnxGI~zg6VQgCjA^y{ zo5RpPD#J7Exs~umHjLH%ac3OfW%)UE2a*34^r97U(|GN>dVIT;lP*BN>EKC&eDYt3 z*>8Tv@C$tkJfOe#vhlY-_?scn!Qe1(C^&_+X+qy^z#7yKMt^dHvnb!fv*$o(gQph| zKVU-wqtLB03wS4?cG-b(v`HTG`RAx#n^CwqAE%C4mk6KP+49fBkm(?vF%TRKehCf* zhk(PuLMoTN#8CzcXy2o#KZu=;fi6T2)qZu8en zfZgexh?HMv?w|4ufj-dQU|%p2IrfKMyojnSWM2y9?2|p3Eym9vJ!^N@{U{v2)f&EH z+~?T9zw{HGjfI~}tbQgC-*%7je}G@!V9l{Q`S-z^U@h<@{Z)a+VysctK5zO@d!9Q% z@DJqLg>i1Te1-6|XKx6kJ|!3g27_r>*AVEz^wOa${&o)jod}-M7@Urb9#B>h-Fpu0e2O!p zciMifDgPW_kb^rffsbj^8f*);5ybCKKrXieoO<~k#<~gIb?M}AeA`NE9V(pRtjU@# z33d2aAmc0KuY&FIJ2%O7@L4c=ld<|Vnav=Z$7=gH=40RJF z);yAN>?Ca<2j4(-)b-k@^)FNL2 z%))aryW}T)k65!=tm_=co16KUKF7T-DB#bYVM9Lpc%MBYHEs6jI6vdueO>j;=3UOc zoEvuV9AD58yRl(r0^R|m!#2dV_B*@Wr01f4{@Buas6aw&VTbFzx|FY1zp{BGaVxk5 z3}n5wLAQcCz%<#=SJrYTX#S2bPRm$p(n7vuX$z{ z;+S^i*OJ}NVvAS>(0hFE-^k<_5BF`@TGVp%06E$aAHJ06)1QCy-5Blr#pgbRvW4*5utf7w ztWz_5>H_i$NiP8xgUi6z=*$V$bUEn*fwBCiK*wXli`2)>;rRk}b#IgOxA=%OjJHt$ z??#_H^Q*@g1CgCC7(<@|7bmU8QRg&B)Jj*3BP1xJKLS;1%#H_yhPOc!V(-xJ>>LcjP@8 z+wAoCu}8eCN{!sny@9HuhBqZLG0=*2z8L83CqVq>0?yew2jQ!W4wPjq8F}8`6`VUm zIis>31~TZ`CR}tCeG7vx8@Mbh`v7dAq%(sj8DnnfY3Lcy4TY)8Mjx}-M+%b82j&O! zfO)|{_7)q4pzmSmS~2Pb`skSYLO%ohgXOTd&!L$ZOM7S}xMd~pQq%`@BLAzVrH_fX zc?Xb$*oAQvu<$_@r+g+~8$Ha={f{2KqKoh1GfE?uGGKAA1ek_>z>|V+-_hMi z%&qeU{5;P}OL-U4HmpW}Qd4fgW2H^mP4sP&Yd;=YfO!A3({5!v#%=j`Y3EU&)m3%! zXrRNplku#<4jVC!pJH*I*YSih-mJ7Kgn!+|99mL772EkMitk^+X5?Fd+2CsrZAH9y z0KWa;J}`{(J<#2tz)|BWD=iDw(cHtiW15g8J|Bi7PuYR$JTL6-ELz8XElxQKI*+|{KGeXC z%)A4`?{C1SgYgkRdz_lZ@GJq>T7B^I45*HcRS$UJnJ8@7`E#R+FIkV>o;1@nWp`k`jiOo6SX-h%YKL0 zLhbiMBUoh)cloSBKE}~O^`dWXr%^SXVwMj4n+{iE&bL?~cQV-E7Co=&WBw;HoxMt6 z7wcieK*l(Q^G(!k?i;!DtfPG6-ys{jZOT*5_%_F3@6*4}X=a^`n&E%k@U!xn@*l1I zV%GXMD?dPWF(tAPD8;@vMg5WFuk&1i2YSyV>0~Ohue7a{b;d8pL2hoSOkX3pugObX z@{x`^guHP3oG`PybZUN?-sHuGV<+t2ygvZyxVoXSJ>Cy z%UhGSLFjmiNN<_6t7_?ea(sLHg!mQw&u^+r9hhr(JpqS0B>7XIfss6aH!`!K zr24=@s{f@mZ+MDp{+8~Orrf4Iv4KmWyvslr1oGoUFIn=;j^1o%96P`~>|G7frEgU4 zb~49(l}iYeUp6E_AD1%Lj#;_O zVC;Fpn&4WS$x2_v-c~Ml3Vy{_3=C2K-<-J$^hBrQsXs}8&oBAH%WK;FrvAJrK5?|_ z&uetCAF`dQSq&r#p3RIK_BfyGaWv~)h6|4eQ2djba zgEhcfAg;x)HuwQp7pw!;2kU_izz@MjU_-D8*cdc$8F_RH;`=hjwXdKleK&1PERsy; zZFA*6f)JVSo-|8#m8%G{n{XI*uULx>@FV@vtz zD|Yx!h0#A@Ib)&EJ!TiE^I{f*N>1>{pM|HYZPN!W*YmOz4KHH?iRE8pfJ?;t;iH-de?9lE{>KR?)IdspzS?}7mAAQV|A%I0uv_TftdTz(|Jl|QJ@ zH~j}`eASiMTp%&~;fJ}n|4YF8Rb-fjwJ&(dJHIgWVmj0dd{w;`mxxGQ@;rJj;RIfZJ-u=cMt1}umbO%SH>{@7Jzvb3yR4T?D{)Y=Ls=?%e!Q1YJ0L~ z0(IiX?6dV!!{MbRk^9Hlo%{~f%SP5Zbk}+0Qyb5S&itkNDyMrV z!+e6VJAp55JI{QUgBpB97AU-v!@wogxyV1-}grKW~26Jc(!Z4I_)Nd zRkeL7l~)A$<)IGuYV2WSfN2Ro_FaMcnQTn6z}a9?>|hFXDmV=^Fp=~m%|B$!xkH?~ z!T6~ql%I@pIOmgI07ij-EhY|K$G6*}kNB#2lnEr)Jvo>?vpn_Hv7eQ%oVqc(zTxOy zdGw%MR;S$Qo%mV%kbF0M+ZgiW!13S&a0ECKd>x-}PgDl&)DI7(e0A2C{h59z7xGV45hSNMjTvHOCl?|4pf^x#vCF`gj*&gkX{bSMTq=KQ1kT!8w<*_Mwyr#jOd+24-h zeG3>*^{c4rYR}Bx9=m8?5sbHXvO z2>l!dcaYu*+OQb8Ml{GRlF#&lH6?t1t)IY^(l=xu$+wKsgDJ~N-5 z$v&rF8>&#h;$qC_590aX(C-#-IJUJ7x&ge6j5a|xgEp)upP98kZ0U~F?{uyE9xHzU zTWROvZ>g<4?tp8rx1SMW?a`)uDzR>BwdWn&Nx5N+%VwstChvlbDwiQ1hofyJ{vHK6 z7}&(z&!~@-vZlF+Tdn%)9)~lD?h8)N`K_n=-c#2?O6#BH9liP|!+V$hV#W5(V+qel zhwlkdJAQ?)*`)ieX(RL~`}tbdV4bxtt4OZ~$D#W@g1EmUy_fbyiN98oUdqN(SnYLg zR=YRf=~VE1{SLlt^y>@CW4DR1&lj$F2I+Yq(seF~i|_seU0!6#Rr=kbI-L+d7`3>d1!P1E##J)W>{uQ1_$l*S6x`SMk@{D_|e_fT|8O9^92)bYW zu2b^gzj4*?hpJzBSBnPf6UwtbtTjZQAwoqZTLR5Q#P7?(jPxvJvrYHWAA|)r%CN_)v4Ra*bTiq zI?w*u>OYy@@dWXY#n;KjjDr{3|_Q&trb2RQ{Qs@E(#lteeJSV=enyuRe3DweB@nnx}BKR*MYgO11WhvCmXs;~L2J=D}UM|Qqo0lsS) zYtfbU`x+gojGya3%p_35dS0mIOQkMQ-w#UKhGXd5O8kmIDW#G=Vm*JCt1qb^!&xe& z+R=H&G1SE~OqV?}i1lFq&!>J|+Fo(_wHd76R^%5*pSg7%h0lg!?ANW()sXevwP*C! zWYsx;Xzg3xTHcBIknME(GVl>T>kKmZ!PUOEHI5;~)RS0G5B3l%5%;9{noQ`Zz=yi0 zN_rqNxXRp8S#$NkyI1|W@EC|n$6d0Pf0xqfD=l*~5Qb0R#F}LdH6{El8@efwgtAcq z+KVFv2Ti-(4N=enY-Z6MNoK$<{ z)fGK+LmzB2J@MQPbmJ;xJ>`mTZT>CHSzus#_R(OcujejZl=?!-C+V}S8Jd(DT8?rN;kO841bbXm#G_3{#+He>FJnwL6g=zgZ!=>S_%+Jr;2nAxXH?5?-L&fa zgkm$~Q(61ge*BEU8Of2>VQS>K^&f)9yS^pbP%z#HV=w0$3;+q6M)$%FY zZlLC)EBUF0UJT`2Vqh=!@g4fn&hj&R(DMlk9FF={%$k?<_CU^$>_x+|(X#CC>9E_@ zI$mi}82`D5zDDAMFR>0s=|71j|3~=hcR@n>-$q<(!$HO-(4OZeFW{t;DNUi&=J%Cu zpm&f%8OK!CB(?56!dr-E?(jIR`f;ynppeI;yfna)k(AaV&g-T2T9AH9vfso-wmWV+ z;}o9x7o2njJ-bVpz&hekfvd%z>&xo>oNb2}bi++0kJdoJ*;H4!4kq7!$ zn|)=e`kV-V?jc-zkZJKtO_TD{U+8y|kG=dwYR(H$UOq`B)Ndm`V{dpDR6;&Bq+yN5 z;M+#!a7r6lGE3vbAKPtB`jpz(KGruY{ROJdo+Jh|@C+UA!PXd>u_4WUj+@t00rEA{f!5GD_}L!lLLYs82jt-k zZdhmZKQs;zzB^XAY4{F#QW|Hz$`0;A=cU0fWK0+S3kaIzeOO8-p4*q<^>e=zFmy`3i zJB)1t>uTUSalnVzXb^txr1m3q+v)ch`K+o-1JIe(JpVfRYUubi?kyM5*IM?DrS!3s zePkh2U_NPqub~s@*T7n>H~Dtx!i8K;F1PD0!0_BtA7%13y=D27vG1@k!=E@UdnmU3 z7+ZMFxUT3}4x!&8NDl=EgWpLxzHJclNX+ z>MNe%OH=B!->6@GqBMUNXGFc=uXY=KU|kcb49r+3-s5{|V&d-1Zw70ZlV|1ubA$Q7 z*O7b|1kDc$v{c`g1Klh@*?#V`3PB5k!OZyqYgLSNQScl(QXDE!5}JhbWfX(`fVGTb zOcmH)vml=nI?h^@3k)ar+2!(0AE8eIjXgS9()E--Ajm1JO+F*fnL^(ls6Ts06UxF! zX9aU;+kPs?=nnbm$sD$x^Y&}XMMQUSwz>Gq!dDJ(z}XbHmn1hc9jdd?o%iWomD`pR|uao}C>0f%}&f zI*ytuiy!^@Uek4!o_pKr!#}I@wDhz|2hL07?c0oFqczSfR-Av#@?rC_3mXz$iHtVN- z`$J=aaljTlZVs|{!>`sml?3pO!e=FdCIpj!iNR!G5p?`QGH>hmRcB7%?@#0V8pnFO z?^Bd7_3(W^df1pf(uS|lae-&ZcO|}3;Jo_ONY2IMs6Ru#gRXBge2NW$s@HazJAKIV zhYziF6uvZSdp$YBb=Ljm0I^drhOXB|=i`tL0F#4F zbq|y_V~DQ{E|3)Ga?%^vlLRitr9Jx7gnj7=&u$Xtl$+lvf!;Yw*>;!QGBb~(>f0*n zT|`Q2pOrR8kfT81jJ&&Xwa-fX;q2D}Q<+0HOD^B>USYPz{#hu0L_GZ)YtRlkAE!=W zO#uHERDhF~-yhf$I^x?ZW8)*}_j~rxk7!B5A%IOe}}M{-;i@X#(j|V4sa(Z zunn3Mc}D7*evZ7q)3M#<9B`catIB&s$Fg6a5li`|;@_r$lffzAOfZuDW;*nswn=EM zkvw<1_7U4v-pggz!Yi;6|GJQGIQ;dQQr24K(GpwfOUyry^@&S=y;e%C166fd2dUo0 z(e|g+*TvI(9JQH?%aK3rV^f|N8Q#YCon!tF*_*E;!`bw6l6?DYPXE^^U!*oIB_7&e zrhX-S7oqX#r=lOa=v$yyApQZLe2aBkt31i^Guv73 zk?P-a@k|5D+Vi)VYPV9Bx-hn)apG+sXBXl5i!~Qm!(4;)xzPpuB(mawoWy1Un%{uT zKlX7RmUfN0uup-v^xRsNbX~9lxFUqJ82BOSDxB%cL+gX(z@}h2#(#vfCr5A9Hx9UsjWgDrth)_`(2={Vyd|HoKG(6e_RvVMqflhs z8G40v=?d)vMzC((pkL+&mpGxg(`;}xz|YP%bh)}wEM525wJ zkC$<;4{Z!K0((VrpU-$2Ba3F_1!^LP+F%{wDkqeSPvU|X#5b0j083^&I7J^SIYBf*-t#@bB~lb z@Pj^Aat*CJ3(1esbKBoarR*EEe@P2$S9_N9JnpEbK9;+6$vN->xdgKR*w6$yWTRa} zupYjqFTSuevM|t({B<%tSYHF<@%!C$t^=rd!~4vypRUm_to3!!hEm#A%5He@aZgzn z^jM%@R5bDXQF%I$&r57mR>xExS`MrT=0sjSsE;6B1*{Af0t=q_ zv9+1B>%^Sq``81=G2R8#3yjyjX9al=>z$iE7ZQu)h2{bCgZaR3I8TH_1xDdJe8E`c zRurBhU~w=b&o2ob$zD{gD3AOz|o;{NL zK!HDWPEPLa-(A+7{%}nnO7HOP!`{baz`v{ArF7}3-P>TsFR%_7kACK)<1^=R!A^SR z0=}!VbYp&?Q$AeB8Qs|WSpvVnRMo}F3!<}rQP546?Kq{p>LV^XggvJvc6nsQzDrbw zhEHf&VuKY{`7M8EEH;m%Yod$Gl<%_IVwC2K>%4@oSzM?6W^2DIq;cQRDhuH=@TK~g z5cY-wp~M-Qua}HH=K}8@)s8c{e4A-6v>p4*yP%5|Q@o2u${YLebzQaXePlR8^>G~Y z+C|J}LuF#Z?8y8Z)^rGdB?IfUj`Vskl0Mcz1*RgW*}7M6rA;?@w@|lL>rJ0cE&sZZ zetkhV_Ol!8lLC8u$TeZyw_6os9a5zB_LoBaXp7Ut)t8Vp<5`xC zTfTR#>)hDX>S_yhi|`L!@SER|-U$AkfcTyHttZ_!Dd%`=9Vg;Tr!uD9YD>=3oZoKh zdmEu6Zg{bR`)G7kz@K$EMBla5ZcbaVQ8D$i->U!hU*zp+-BYLi6xK*SjCk$x^-mXg zdH=TRzR*}uYB#}iFFrorwYC+BS7&oKx`BEdX0g{dW$&v0h?opN)d1QsfOrePa~wZ% zfO#Zj9{ZrxIgjmz?g4j#yTIk}zaX};VLW#orAG4&5_*?fZS@$uC%_}%QSdPMJ!r#2 z%V$XWyv6tt##B~gtxdZ2v%|Q*XMIkBhpctF#yl2dCyAcM>{t4lplcy%18LM(?@7ix z!DXDM&pGX`5Ca)VZ|Qi}JH+y?G3L;BqWRCpd}dCoR7x zk=HNSNzH_Qe$Cf$XT&(0LeoPVLj@WtUF$>M(F{I*vU27*fUiHvx+cEn^fS`KnGJnU z>fw7Xe6hd<;+a_&owVfRsGS5rqtN5nnwPrmDZPA>7bt)n1;XNb>!zV^h0+t7VuNke z*9~C)-OzP6TwqKB14lZv2(lWY{b@U`#QXVIGuSk5A>FqHbRSM zAx5_BwC_r%cDw3`&1g+ zv-$b!9vlafUEx%#d%x0mzn)Cb%n2)st_ds1*_Wls~hp!?+{>~o;T zFF9E&fk@8B0)=$1I#82;dxN!{hHlTtAN>QaR2vk&;rLVoDb*$<-#AvSak`z#%gzqzNZ7I=d42k2J~ z($&G+I+ib7-vb5_|986W^do&;LB2K7g+Em8Qa0{6-zIt_^)~#>o?3?TCMFT6^4f^!*WNpgDfUh64qh+~4R$Q{68{EarRy z3RG79jk@n=V_ZjR|3=3-)+c7Y>IEln1Fw4_XYPh=x9gsaj><**ma}R{5x;zJBBj< zyYLCDD#+aw<*#}F{5^VQAPuqhG<23w9n3D~e zf}DJ5Z0Q0vE>IAi{D|=jbadUpMi*K?Us$#uPP^>vlLBq<6ZtJ0k+OWQ{2cY4+b>Ej zXBqal>*(xf3!S|Dmcces74VLE#oySI`tJ0|CV=yl=#RybE@5W?cY(jU^7pPp`QXC2!y={=c5u)G^gFQ)kn{EaQWIPbDwY1=8Y(?e^>NuL7$qI$N7 zvDQ-ilgf#fpOkzBAOEhqlp8otyfELzGtZUZ^~T|@!~W_Ey1MMD3Hy7pN1UZndBrd9ci45 zyMJuw0rhQ?n_l_1^T_AH$F0-;UT5XKj5W7TR_yl#UK%1T&q zo8dnLU!eNBecba5_BS;Stzpe~jrzb++MnSp>&lyQU-X`b*wi}z8=fubg1`*o$L`kH zol@>uU-F&|-4mDx?W+4uGki#Mbf(!U6?{706C=C6Py^Lm@-pRy&LI}Dp;##I)M!)8 zYM0FAf68lJC1?{5Hp-o>z*Tg~z@~fN^sm@k0sQt5{L+_t))Kx*)%Sep=%jGYefY3o zV!I6LYlp*Ijy?4c-iJiuL&ET5bF|;0%&{8n5Brdp^gT=EC24`VUfKy^Dl`@8!qmg?% z<}_YqH?3g& zC%r<~OmbUwd{wPG#c$P5OwhV>_`n&YkAuU&p zx`V7~6!x22%ja9`uu9Km(!L32wLbd1+{?Jbz*cN1qU}f1=N0Rjf5BJKk9Qe*CY_1C zyyls0)#h3&{a9%&^feei(~A6a?7F)CJJ~rI<1_MKJ;rxivU}ps|J|cH@Ddwb!Wukh z{x*DWXGqtVJ4fQym-Hu4ly=Pv@I49RF2^4AmCB%o>br+KLxF921}sIpEUx)W{l)d% zwN&!TC7-1aQZLYLr9AK(_o9o^p*$xNXR&k!Z%Uv^Xg)! zwlFbbmSoPjGBc;W%%imBn}zG4>h?9{EO1!oD(M2)S_S+^GCl9kw8kR!2J-42HVt3U z5xe`EbzH2vITw4_P5HO@x9pbhm9_`)tKIMgeLw?K(V0T5MZUjH$-C(Y9nWg^kcu+b zQJi<6VbH8#b}$=w0=caJ!|5j%`88^nQZfP`6_;oJ8#F}!gIM?M?Y(?EwLfWBkG1U& z&!_+R@t!bdPdV{1HZ)LsFlE8?*^_oQbSFPNg8OP+6T42*J*ZF5zR+ELQ7^0gVPxVT zH)f0b=%)=2$+v$Kv&_`rMt(L7;XU|so)gRR316yy*?f|2VC`WaB99-LYYp{#Zr-KD zT4&j}q^tAr^@KkhOwIbF1=E1(!E|6oFavlPeaQr^wvK;S2thYR@2ZmS!m@yHH1QkN zbFjDK>KhlL-vWu%mq~gS<0`84k{2jK{zVS_F8lTy{JbxiYu$mE`gl=Jsx)gkUdNaf zUo(@v{&#=F<h^5`4`d zZ`N;I0lrybeFe7Dev^*HDdD}pu0wk4L0~v`cFBwvx*p7D`OT3U56(lrHP3M$s6PLq zwkh9%zja_w_&2Dh@y0E91$NMOGq{$q+R*DSV(M^fGFtgSZC`0SPIkM8E&pIrBcV*9YJCJHOxD=`%BDPR-o=>`u_Ovz$I79Y1WY z!v}-lr#kDor&iq}W30eeNQG_`_$etlN`B;L{bRsW8~rj4+}E&W7Md%)hv_(*)ZZ9F zK69dJbq4wC5M|OGRi3u%o@cr#?~F}dl#aQZ{5x6}ou9vNM4J}Ke`aEV-6u_4n={n8 zRJ_yE@@&LQ&|gI)X3kUL{|2e?2jRyJ+GhefE1vu$Y&=Gmx;+m0b^C) z-BR7w4*hYAIW5;cEvYzV@?O|@#8}+ zR~Cw+&#S=a@%T&vLzTaalRvI^rl!U`i)g!I8h6C@2^1#Z#B)Z^$Q(ZkG5sF*JeQvL zKkTo-64rkcJiVCTC&YWWGuol!OhIOkkp7zRiQXkeV+RM}&m5#|m9{I4ok`O4uf(ef zWfJ+#m6pjk-{dfJu7hpa?36c+#n*H4(pI1|?G__5WAm82`>gBG)h)N_uIztn&pm+D zeWCrp?oqHYl?Rm#$Nd0qu z{L)_R^W?fcpU=^^m1kcHfhXq;A0HnkKTPjFEnXYH3av67 z<{m}mqlnY*pu^*9JY$48G(H=~_r)i)1bqjfxbD}b`tkfUrW+G z;|Upj?b=Hr@CD^AT!AhY$|CD7oMAm@d-}@ipo=H7N1OfVfB~wvOC=f%#WmjN@RN&s z7C4GA-_7jFD)@8^dMtX1Z!Ft3&Y7Pr+gFCaag9DbhtC!0=ozWMK%GF$WfK>3?2?rK zp!NNb=~v*_elb#-65`O8KO-9%PyBN}((*IrYN2pmlbVcdd11NJE;TahLditFD^Zz^ zCB3yII*EKoNB_F*B^{cPGusB_Sovvz?!yRZPzqY~pnu(?e8ZK*+zA3j3-Vn6<$ImE z48vbIA8zW`fa61Gyj^v&l)md(N_-+Zi(uhX)hpAKm%fHSUx~7{d>;!ty1Nxv4_O(JUd=u#P60{oZ?3MJ7L?^iL3HA9SOj(g0+%tRDT?w9^1rHAacM9m{ zj_rQu{f1|5(&|~(eTp$U>Nw}suYLu7TLeu9(0>eT_&F2r9b@rL(2bQ@LuH-+glIb> zU;G+$9E?xtg%;?CIOf?y=Va?!AoBvt)$R;NPt;_r#>{`6XWwm~zt#7Ue6$~X6|3}! zIM45_Zo?mmwr9$?Ju+$G3hOGOJR73>W$PsV1i$QahbIcNAN%p41!l9hsrbhJV1{GM z=HY)#K?hWJ#w`m?1G<-cK{1tx;OuKF*MpHxbo2FfRL#{_+1Id^a7Jz59& zsPMFBOy@s#qUZD-@*j=V}) zUU>W&czj_gejgWUTCGKuT zkUgvhuZ_5e&xZe4#kr&Yh&{6qOS_yQCifZT<SDi@C6XeU5N=@1i3Q6;&tg zhwmOho8!oCv}0Ei!Iho-2|W|fqHj*8KEkmdd7W~1{P#mmt~PU+LH}*Y-OhAw3zL3b zb-v_!>K@#|C&Sw9z63pG1ZA5(D z;|EQD%ssBtB}Fn(dGAAX>=(|Mz13#^t@8K4esWsg2wVL}^~qldvIIDIcw4+zOLYc+W)qzaM_TrejD^ zeb)Q7-oXX`jh%D&?*-(+3)g8A43E@8FTTha4b&HR+s%q)9n^(TR}wuLf~=+?9B1s} zuyR_y*5Qq2;7UK$w9iPKfslz1K{&&B zk;LB;=T;fbM&1kWf};v_t?lq@28Rv{l;`JbyvuVZXYr*`c^i!Gjt#PWyv6E>1Xc7$F@YEy0DS zkn#M9zLH|jJU6M#MLYGfz#|WdPjl{iMEob=Z^B=MK<1tYzf&Mh0pED0#5}7~o>|Yep?>7g zZTq!kn0?pvs?JTUB%Z+>6Gw`){3rQJ~E z(n2;}kIg4KdpvWEE#y;$bD2KzYrq{Ge~(ZSwj&cTjdD}^iz z%%lJJ5&UkNd7UGCM>tRT0lo60#Dt#+7YK(5hX^%QUKMqU=zd}Rg;l1giPBJVW6`g7 zp+SiijOS;)W#NaBtYZ!P`~_niAbdsml5mjlHDN6{+By7@4_pGLR0kfT%~3)=^h$c# zZX-03y6o&1lyY)pu=fHgCe?~XvNp73}?X`rmjnC{%9&Gj-u4{6a;Zxb%)N={Y}SIl z>#z^IPNHk!SAjVAEN84q`+L@P{Cc-Od&=RGtBx>curt3Z8BLEF(6TIgWST=$sX2lU z$_?E@*;@-&mHv`nO8ZEyyM!H&Af1koo-h+ToR&BXAuFK^GI^0U*P<;Z6X&BYKj9_# z>>xTI7wgVNK06@?!3*E3&vXP?{4G3X?bqzHg}+m=FZc;Va@&%WaS;c172W?T+V%<6 zhtgy3Vdlm=qw$PeTiXSxPROqQth7s`??=ADCV62v_DSGeRC4r>$5-rcS$H=M_~ZPv ziE`!|rn*Xy)Q7hUQCFByfKZSSONb*x6P{OE{f2DCphxc|N-qPquz_8X(?V)v6KG$G zP>fK55Ks76eW{%)o6@r?JS{Ld&cr3+(0>kpwgm6LK?me25xbmA{-aFg}PBD^*pxdCi9)8zHbOJCXhqdGGBeuc8s&?jIaL|_~&w6U*7ccJ)d!W zsRGE>Tl}q`_93P|54bE$M>o#Og)YGdn?pPbJ`q@l?wU>h97DXUI(pt6|Ksggi>*z~ zof`5`jeY`hU3>*yClIaj@GgA(O%Ze)Yjz=qvZ@KZtBiI_@ju}+3lYwoZJCXebWF*w zApHiRKosu@Q>C15qPBaDxIkzO zxCUPfnT~)iYZP~W_{+i#aBXAFH;H@Ft_PtzAtc7McoRJ+a12`ARCy@~4P9u5jTUIl z-d%(qD-uk8tjbYq<-5_2TxA7ELwIF6zDyS8{N*zF&s5ZL26l@A3>{rEfDciYyY`U7t*adj(L+)TLq;}qu?1b*w(3J%e(GfR% zI17>&xX1Vzgoe&uN_pW#d2;6kZNBF|sWN=fI19hggAW8AQXZ-L^Ufc92TNX{E&CwQ zD3gip^CRUMo4-fPb^$o|#n-*s?LKZ#3a6*7iO! zmKOcjDHPt)bq|j-Eypvb51HGreB9qXM5ho0I^(+rq94Q8nfwc$_mw#_`sR~{dxflO zA6{f{wyLk3p0PWzt}o#Gp_K0@&I5lnXYYsT9tw6*hagJh`#j}0|K8Dgdl(+_d&63o< zaW+!F3|so(toB6TYDfZ|Z!;MRB)^ z9IeKFRhk0-)Z>ip*x4m2D;+3*5&M*n_5#ncuHw$Vno@keXzuE{cg&t>O42Hw)38UE zu*YHKe-_Zk85<%xBfxLcxW zqd!dhC$9S+Cm9)!Y?mHiALQ6B+up`2;A4Tc#DT1PwMV~xitSv&+3zy*-OBn`(=H$U zT^PMB>MELaPkb(c?s~?Gf=>m~D;;}Mo=fd~Xc^8ISGi|KCSRa@p`#y@JMlQJ{SOM= zbZ>vvdD=FYV$hA~pVsWh0Oc)P_qx(>I{eXI=_hp|@LfH<>)ojPuu|=+?fbRnS9!`; zIQjSe=&K=#217xIH!RN8+IJs%J3|Ij+K=`jtaEEo&ZfFQy_J41Lmz>+;nC@O&Z>zG z?vo0?n0^8^$X{nq1is1|7?7xA6irMn3P>V9E{{p)=U!AG>L_P@^=Twu($5)g<3{f8 z2o`#?$!GLVCNKTpQ~LGBZmp-?`_OTvwojmJ4D#}bbE}2-sIP-v7AS%|S*Ym9Unsor zbRsqkxvi!;;}7M5cTSkOcck9J0c>qA&6k4?Kbj`CI-m`7$)vnz3+r?K$hZ}qK^&=i zZZG>$iT)Ov!s`{Cd@cCCf|GxOdJFTgzm3Tc&&c_;C~}HlkipT}!zi~KYJkkTHv2t$NxD2&mN2n3>eFJ7WS>?9fZ>FcC;y73(Y@7MnaH>6ri?fEBmlV zWvJB}(_%OIm)Nh7gc)%udIf|8<14G(lbSW``|`Wo=`*&#eAfIph(qT+kF)a<`deTS zGQ3R3{*pBdyhc82Dr_tH18S!~x#XLBHuZ~gW-{&NIbGK}wG4U~`b^a}pRP1*Dky(- zy2ZN=)f;&ne{vslYU=P{TKIN1ba^oW9|IjSmi(K_Z-Vg#IG$$wF_e#@O;+wVMiReF zemL<6fspOeS(m=f!KE!?z2}@sb2uz`Gi+UPb9R3 zmO1D%lX*=e|2TMwKEbq|O`Cn#)0xDx2-68O2o~NZu?4@t!iV4#%|bM?ca6v#4Lr*mVlv4->ye*uj`fh!+qR5-t-a((Z5O z8qZo?n55%1XYLEs=9PnYUZFhho*DNC^^Lly4KB?dO+u&DWXum7JK0?2@N?B$)g1lU znYw6n%R!y@4)|&Vcq%hQp;FBCfjcXBxv0q>hu(SEHw*c1;4k8X3JClD%zcSKZ}!hZ zj?&z(G5;;d_2=|o&Kze!=ik-F-9-0!RKV4vE9UO)guQiGwxY3Ho|r z_)2U%^?A^|B~Cu*z44Gn_Ayfe;yyh&sY7NpMJt`p1*;y zmEWbq1Rdu;o&6+g;^#E$#kUh_xm&wz#vX^Q?G2p{L7PFu{|2zue;_;Ok1kI8*667L z(f_FqD07%^5IG+=Wlz6U-mA(OpTTcolv(&$(;J}UZ3myNm-th3#(JgmZ^{=fIPd%$ zTw<*g6?dfL8y=1E_3F<)EDQGKy{SRazNY@R+18b=Z^qpK|5wV6FM_Vyi(V?uUe~4W zN%rM&5F2G`K0&7mBw~LmB7?`-6Bp7dFS%tlU4=2q=p3YM3qD0I^wQ~dwuS$Apz47& zv=?ZAJh(8(u`!obe~iT+ekudDhJ6!Q#5lPkeEsgF@}*4+-o2nli=vm;sV^<%!_f6E zoQdKd^eFcP@Uew_jvQW4ov_p4Z)x`q`N7=7e}*2pfdOfyJ(OJ-g^O_ z`(L4^>W2;VDa$!VpaA;nZKc6d_%0pem)7&Q#aqVl4W`mBYf;X_&blL2-lY9LXnoz$ zZ%1z9$An|k3R-O3b*we%&VRvQ@V^V))DF32lCB_1=YND*==W=k>ko3_qj=$^sFWpL zVpH~wRlc&V+Eaf9I(cD(%14(YeAnUW^SVRR^7OsT+669YyLZ**N?8_1&UPS!(cFC% zMbEclP2Wocps2&Ero{K`>lxcu<4ffQpFnQnY|Ph%x9Q)Ab5j&^&Pja&GMNt>y<25l z+U5=N^=Mj`GZtY2GM`y(wyzf6Mt@eKK1k&<3+>{;IRHQIbv>&rR+}&VYAS8kcyN6U z9)Y}SV@%FG`+D|ud91JYeeAM@cc7;WtDtoQ_A@>A@5`9W+teR-bhz6#Ew=xHo;5nr zr!4Eq%05(x<6Y}2w=-@*dx` zWJtMx(k2N#)e!yuz!~!w-Lq2A{XXRl*oSN((i+=^jr{`Ibs;j9o8w)KuDw2XRp3Ir zsec~ZRv6#i!fC}bB(*6EKIyA_8NO<%=f}0^;)z@MK0|e3rjo1;*%f#WU3*!}C4W?T zCnVU^_x)Q+(UlIJFVKE|RB~~^9HsfoDp#MfzWn&e&tx+FhtqF@>a{5Kw@lCf{yd<% zy&n47LLt?sUnxz#U@m{s?htWR`1woXQ-0p-meMm@JpDdKFDJ1#E+nF#E%e0CoCcnB zuFhmne}KO4`KFTGye0naQQ8W8r}6p({7-_wr}!_eawjMM^EgktV^sHceoJF3e~C7! z($F>9(Pg&2J>#Wi{{&)`_Sc~KTGoCL{qp=;Q}?*%UiAAa$F8CMpjOYo;F1P?{q zQr~Jxp9c3Qs-qJ1UTiiv=du5DJv`7Q6=!qGx;uCb z7QTyR4Fa_@o7k3DQ5`fHockDSC-Rfz+`rZLjL|^#ZANJ7LcH?Kcj_kiO(0 z{{2xu{)NS{=Qi&_Ht=^GQk#C^oUxB?fuE7v!^E%Yn!ZGS{*2?ULv@q%4{_2Z4x9cP z*@wT?wzp9K_;=>mPIYIz{yk$m{yNSC{$PVsK8t(0gN`3^UG-X5o!j|P?s{WWV!3^a zZ<(NN4{TFULN7vZ!YuT5Gkk$=q`MP35;_q&6SlF0?~?f5Ar*hGfc*0W3$1m1>DX(5 z;<`W2d)|8t=8j-Hp$PTa6HNd15hiZIoCM-@kCHPyl4x7Ov){JPUtEth2(;$i=3CJF zd-gi7uK!6tcseUB7sZ%*dLNCv<08+MRdKXi}a^ zeXJi#^KCCdV6gH+cW`x8eBY(xTztvY7r$xZuGnLNQEJ;IJry0^jq?4fTUslBNnLl! z%Y(ZnK4I0%rf(uN{)suosh>Do*SJgfysfhb>$OcPkG|R;BG^;HTK3|i7QF+Gd@37m ztHyf&@VDx_4$$Ih?A1dZbDzgHRPb|;WASxX+DX1R{!%eV|43PWk1XDzJ{SJsCg$D_ z8to{^-7>n!h27jWeG~1L_)mAf#s5}7uSF_fRP@M;|6bgwtuQqe7&e~yG==Y~_BM0q zjBE)UX3w&o4-AO%tVil%b#H^=i__FsC$v|7k^09$oQ_+EA#y7pd_ljx@VG!Gd^Uk> z8k-#7DuKTxbnX+*-x#pd@1kE;(&hsEAkY{a)eT=HCWi0n zINP`|)enzI{qNYfGU%lt$oR)jn=06+H=uh3_O=IdYT-Lwhs}HAscO4Bt~E8w9ot;M z(SJeM|9^wXXj2;rogzr*AY4UGvyv~Pb>hpMwv%)*#g$g$ zQp5=kes6o5uM`+)lgaT)^mIUa=BRy7>K)NG_5C+HXMhwP$#lXG@CStw0t4RpBjq@@ z-J1@+J@CLz^5Y$u4phI*wzu(b>VMh18?VHsbW$BU+mB4RZ6*DMGl%}H;VaGWWX`iz zz*~&f#?klECkh$~1abb!hJVoze%@aYJF0$DQ+x-3_A5CP!G8jW;6;D%4RdTxJAt+u zo1E`?PxWACJ#*TchMxAV$^Qtx4Dd__&fS%vy@e;&*;LASwx7KTM((nzj-3a-pCb5M zKA=ip8eXIQ8NC-g?c5J`GYGb)-lMa^8Z|D?m~IWXZ(r0 z5cgPx9=z-u$F>WF?pGcD`&0M5phtgvf5Y@0#v1Z!T?}}~vo1cE4v5sU%o;Dk*1d9kv`b<}QYy0NF|E%;kXAgoG7CJgk>Pph41fe*g7@;WP5;QDAT$oUSP@YhZ zP?k`JP?}JR@UiOcwXDA@YidWoaq!f1R(8HHfQhZQvxNK4C9oZHZSpq zoL|Q4Uj6u|Taz+<*`sG>;$yt6HaaE*-ORi)r{$Zpx_qlZU3cc5Tj$&fdnZs;=Nv{m zf&9Ol@?g!cg+KPO)-K=>_+0PM(rA5hA&-ns{(!?9wqD}&;1L*-Wa8qYxBb8}bW-)3 zoJ}}?S$OAPe2?#RPkzY{zdLrWkjg_Q_H{q=uA;1*fZPhKLuVF*M}nc1Kv~92)H+k* zdk(_)dXc>osI2-dZEBO3=K=O{H~8mZo31GhtE)db-JwTGrDHdIh=$ZJ#cnL8ejL7H zEyfQg)FlM5jt0a6SR)GX1Ht>=5#9qc$3@itsC-pP^s3T* zw2m!(EaX-nRq|Juzd%Xs!fkwsv8sF1Z}sg%Eof{ZGNZ3t%Cf4A+4}5ChbzwB4Pq{X z(DVLa4f`?FGsl6N&jH{5pm@$JUKht7vB)xQ6WOP^$h*J}=pb;$*(Xzi4uF2!sef1b zzcYQeY5Vp%<{)(DU*X#0SjssMfp1)h=R3xo&N`)T4fgiyLVS~|vMgmgoHnf;KPFQ5 z_9FJHl4J9tbnkYjlioh)MBl>>E?><*Q*-W{xxS?PD=h-!Oj&C7Iz3}r7`M@+O0&LA zdY_n9>G{2L9*ck{z3{Qp&08J;j}2gbyYT0~);U)@0l&hd>DkxLz2H&ROHC*r$+*#u zKG}p$P83@Q#Ho*)US<2fLtE1VeXcaKd5JUKV+{PBw;Y}MaW?Kl@KJwd%yRfc0=spb z#c}vgyw7+V-4L=qxhnZlJKm({=~|nd{wE!5>zvrd28!=Ge6;v4?hNH#0-n3+;h!%e zvBNsrMXiy-lZrC;B?NpagekZ(u8yKZXYegz;X};o+B*Y*$owTfE_{E4BJzc^v(} z54>X?-EQ00iN+>T_nBwhmXx=_W(&;7Yg_x`yx@)^ytvww{ib{oqrCHqW3yNMZt&!T zUmL>@jhuN&?+WnAOqH8Iuw6gtFs~QZghnl)&*n^gHwAs~!UMa(^$6RPI*Pv~1ix7* ztM;WlYZ&j`4UE(=Y&(gkX<1Ruif#VH4#98zz%>ne%%CnSV+fRGf8K*17qD;dfcGZ* zv5L8PAw07w3uk@;D~QX2JA~q{imN5KkEu@i9iP;NrRw)hbN2NOWG^#5jTZ_yb|4pY z->7GpxlUi(r-1H3OO+=nAEf(G2Ho#M9BbH4!6*mM6=)-n7us7We%7Q{vp#{5;JX=4 zo8x@junKu1&PRwQJWakPdMbvr3-3mmTpQ{$9p&zY`r?EF-1$sl{7%rU6!`=~8AAV} zygwn1Bm7nn|AV*)A$25vE^#~|37S{beGu&V;(6DkJkb>!??P5|TIvX2S@mOq0UKF^ z3nBQo0t-ESYfAAE9sk6ZNxYQ#Tezt-vU!Oov6ckgm$#gKv2C7KyYjPs+hogc;(Oju z|5M7c!B6=J3C@~xkoO0#q8kOW<9p0hU6%oy5UXR=zGLbKMzjCQUqi7w0@DJxOH%ok zeB&5-8kiZ1e~%6or~gSLdBH=(t_H~5a*b^ad^k9Bm5?Q7#9 z58+pQoET_38=v(CA)0g)ArIjMe#ERe{3U2NUGHz&V$bULL%(8U-=KY3+JzH(k$#QP znUH{9O+#63LMhT?DSL}J2l?Z@-APk@>ybHyvkn&?sjN+K=)^I_S4qcxW4M-6X=^!_$a@5baZC;{|k@(u8s~2 z^^D>Y@Hj|R2lu?5j5v)QUZNZiGFX~;dkhVefXr$%sA8Yn$lyH+PN<1c7Fys*@I|uCndFW1O1cXJ0Fq!fy+&4!v9$32h6hpW&9<^b`1)0{fAVqS`Lr zY5z6&@{(_-d|NAlcm7(R2R&oqvL78#4|^G}vSHiVc&W}aBl|QNUbE1PJfN@Iu7aH?$Q;UHKP=3GhXkHLzCzL0kAsytoOy%e z9P%IJ@K{1(%AQN$!9?_h!0Qg*T%$$Y+Koor!y5|Jq{@dZ6ztyvG>lbgmtc z`)1Ir0W@f$v}>%fZ7=alwA+gQY)M_0SpFUdaSLsCY6a&GmH!p2BSv+a^t%at1U6&G zCP$b#j6o+9V>}mrV?A5(^SbgrZWMTDK*Q`eOq&znw@`$69M^nHbmRGL{Eb7kmlY42 z_Jx%nBAhW=p_j8bd5f&B-ysnyDZD|MamjvPvhWsXg=ec#kXZ~V#3%%u}{rhXnPae&{Z3vqG~8$fp+?I(H?rm46x>_Khp;9I;Vvm=+2vZevVf=R)_NR$lGSsE8cN3Byr!TK6#l9ruGT-IsSyU5!64W>%D{B zOHbayGw?=DUE^9uCze8w4#%(P=|}%IzKQP9bqrzMuc@B1IK6Rx_Uh3%3Ht7C? z@Yh^uz6f7&Az=aGHNrB&h-mKez+W1=&n7>Mb~B0R6JDp^Wb&_)o?0d_U_8!f6w4ESonqwT8%(X3KPna z9!Yg+aQK4)6u!n@3M4Y0teKf7^I1+>U?p*3_9jX5$%UTBFWeRSgUnM6j`gY+<}*$f zEepNvn{yt(99$qc! z_&8Ug(;bh_+~C>sOw7Hfya&J!$fWd>@zWqb$LZf2Kj^(J|D01Z_Wf}Xg57eVzP4>a zoGCT$YLiTD5%ixxVa~k4de2lHy%ov2EF94NvH1eZ^DlC4Dy@5b9zS-r@|tb8Hq01%Hmy6__3a+Dy z+wI@ym~VVr{vL9ihw{u>`2O_~cNyULQ1?>Wv{v4fbar&1g|X=3M5W>1YIAIzjYq}v zt#(gepD*;CLo)|wd9|xGp=mi}*Ft9Q8%{8{8U0NEZ84^1GGm1^M}Kfsb!rvvq!z&+ z^9fa$<23w-d8F$n@&2ED(Hp)w`NPwQb{2{j;D04Ld0XzrH9Yl={zn;GU4VB?@W`SB zzDK-k<}?YK3A_-^-IV$-rUZM#-9h1X*zYLpH=!u$rAps8hbB#(`Lqk;f8{X7*dT+y zmPcn;+$B^$+q{i;{b^IYvqo?4KrS8!ix_7X{5Tpunxgk-`@{Ig5}#_Hqnn;g^@r*i1f#0J>z@ zLVCGl-)1VEqbV;!5GbtiA?WFa=N$d{D@d;pqL70pizSg0C)_U}5 z7Vu?oaLn=4&%a~(%h=yy(^^4ufo#nAH0ulR>8p=Lwk({W?ps}dY1Y<^cQ*A@N8C-t zo`>=GmI)(};~1x(^gnRehtuMdxCL!3tOIxUqkPATPToVb zpuCa+)hO@^_0`ac0?ol=VVSnGc{eV{JnFIc**BQdQpiyj9XpA62qY3u75%F)N88%` z@6b;mz7&6h6rFHHb#iEuDVOKU4E%mrc}eoi(1YPxUrqmpRT}ao*_UI4cU6wQL2l+d zK8*CO1&ymcMvkT4LJoZMjMx!@-44BNy^Whg(_U)3k3p-2&~XVoc3oxS3#G#;?B5(m zPuTw6xVG}ZM^wBCuBp-JCVb0f4}C3Lp*sd7a&Gs-A9EQm20nXL$DL2S5qiupO9@!0 zQBg>14+fsLix$j!z8^cX4(LNPbuYI7lJ*UHGFFN*0`tH$p&Z(WfcX8fQ98%T> zeY1vr6R7OylH>v&&-P*s`WqA}+o}3V(p(1xyoqkKkV)tG8oE3Ln&+qQ@T(bnOJ3k7;yu`ci;g@b@-jYwy$GT#4*F+TJyg}hBiVAmKR&j%L#2#+ zq8p&QKm+C}a0eba3BPZ1-r3ipU5SGHhQZN+5lYv+C%F&v_-)CE^brm{LX{@A{H2v9 zHHm?V>6}SNAQjp-bb(JK^_E_vCoU4m4(spo`v*EE6Lws zy$3nZ7RSFI025aS~%yNaX*4bEYv{u@*=FQbZVt2bgJX;+&~wVr+-0k2C8j+kFw}n_!{7w#P~O` zNfx^FG-F(0u6t9P^a#BlnZx>u>)fyDT7p^oPDkGra_#^u&Ka!fE;3YA@!4{TL+I~? zS=jv=@ZD|Bn@^$Bs+QuMLlAi0b7r)CCqR$I8*R=PH)cIcw0t4)t%s&ArT}NR$L#a# z+P*V7JCEF10JGs|3uD#4UrM_wLAKNvZ-pK?(6!&`zV>ruS6U5ZUG?DQ?8H0OpKi}y z>}R~XMGc<58Td`<2F?vp>@WIsFu3+L<@bT`bz9Z1`E^Q{O_$_n&9%PF5d5*%;e|0V zzOp>bfSwoX!zP&NM z|NS}D(N)rNJ2u51tWZ0eP3M@Cc!r~=(vqJX&fl?R4?{_BK$Zm3krvp%xk#W9d)K^Q z$}#4vEN9mJenR;=9c>HYFJy(UPN+RRh}^t`F07dnMZo2>27d$HkKdTbKKhQj$u~2E zF@%npIYXlVUnV_>Fpw~W5Kq}K;_SS?sEV)sBI!Z!MnT6{`w%%SPJRG&xx>uhrIl8X zbWEASUn)~G@IeGBIQpnPda)&ZQUzLkgS@@KdQbZCPqiRQXvxjvu`^K^3tpR^$Kjl(C0bban z4J$#jdCavBIxUSuFRAXu`Jqup_<=S8HyJw#UE_s`(Wc}oGT#*3ztL_5y7Noq?Ep69 zn$FqwyQBHF_!|NSJi&qhd(xZ+6k_-*q1@-^I6<^ zplLeF_aP%0)&88*`Ick;0;|==**>2jXVVq`Y~rlon5jPX_l{n)?cI1GcbEbPk82UuHSWFignUsh>jaZ22S@m*-8H0kT?QL_wuJBc4sT6uZA z?)^jNv4u0^B=RHir?#u^D$cke1c5f3tv4l^^yjoIp*W=EknWkJw`=*=(5@-A?L<>4 z*r3aVW$2I@=qG_Aj<5T686QohZVUOh(M?w!eeetY#-KwlfafQ|&xBtH z0?Wbs1L+?%FJ%pp>CTDRUPrbMu!h>?zjx;Tgw{{;L*Fatx!&->6M?+@L!Q^GUnux3 z>|141@O7w3f9Bw~wFTs$41BExOR;%Rs6Cm4zW;#r-e0Gc8jWLa?P>EeaYwx$JOS=! zY45@W>eFGj)2KYzx_!<(F5>sMWByAB`O!OD(0y|w_-;#WSGQ=>>omB!t4)%UZ^&E7 z=*Yn-%3nz28z-l}4R{wxlEuEL%~9x?Ujkc--ShFL**Mb)VAB^LcrGtS<1{h zERHK8+(%&=Bp{@tVv40jpS~_vzI~a*S|q7 z4~|nx|2WQ+0>8mC0$ZTvkoCz)UK*yv`8vKep z(w~vuiO+kV_+_VD>MXoXeL7m6I_Eum$ZNEjQ{g}$+YpRae zpg6{>Y<9+m9aI`7B0mwT3pP1?8JfU(0DXH&$5~-@xSkJ^2lPD3ID2{-->~gN)1YB5 z{j?Q>(Dx{DlFDX6tXazzY|}AxlE5F@FUx)YH(ha4wh7tI z2+bOzQwr%iFT$%8b&sXh1V;~DQ$1T0Up)vt6QXyH=kGjiY|Xm z%O{dglZSUA#53TjjE+4n;>=^^O&^{h?jJv)y$cu6FY8zGeW{+4TA(xDWnaCpT=%B) zL%u(wO(T`TCz0p3Nw-9fdQ%>wcx?Zoti6@eQp(mjXMNj7;+fa~Ic5*={Tp=pFZJ`B z^I=YGh6_`mLv!7`;mmmg`LTZdWVeq^*Vg^Kf6A8dZAvPWz7D_ig)c6`hZb__+J-nb zNa}i!@5dU>EB{GZ)Gc2>$^QaA*^U@&;CA-vQ5q@5w?cOga`3giWBR?HWa{nnL-Iq^ zcb2kaQKp@(|A6|L@Vh`4@a2a;1s*7EUe@*@*!LRP$Gq(2GssCvc(<$SY18AM&o}Vh zLf|=pG#b0DdL#3Xg8}fi3#rljJ)?Xjh1Qz%R*19R;n(V_JEXR%>ZE~6r|!y!101>? z3F6E|zRX4+Zku}gG1F_IHsF0^A@dFHsM*8c(GM;}Laz_-DGMFr{V47JR~U}n{}zAt zOJusc!{4b@j;E=wKHrZG+^Bx(pYV#nA;(WOB`KdX<9u_TtYdueuH}xu zy(QEi2EIpIjf|>(zXN|}0>{t{X1wcZOrIIpgKbeJeMbEP$(85t&b>jtEO8k^dDhpQ zwI+}*l$o;(@mBUf4ZI={P1)n1hw8M<%%vu0k{G4cQO;KW;7!II2rul8!vA6K&fo(q zxcYefg5xE}CtAz>Ls8~;9KI<+Tv+Bz$c{X$M-F=Y#eEuifiB8(q5tJ_7a=D> z;CvZ=tMOm-pR^mRYn1e8XO5B=sLg)tLD#j1?gC9zN4)@@T-eEZx5av2N$oYhw4`z{ zuT%I|*@(ZG#_#Ni4-iKZAEi8kxR=_%gOm$=js1FqHFV%Sa0&bIrTS*cl{`Lm@|%U0 zarl(Tl!b4!zU801V}QpKl;3Ur3C8J&UY+5b4;~^rCn>MT-I%~R_&5V|OHW8gxR0Lr zkTJqYkHdbXAr2t~6D;h(7PzqQlv&S{oTCK#z_$s|vzOAopxQ=L3ynPb_;coN;aB+9 z!b|#n!1L&_LrSxslxJEi{ZliqAVOQl3zRt${^soQ7vT}%du;Yve5YH5v7gW(o;mdi zGb5B%*=!D9bY=~E8KWXJ{Dk-*bf}JP5?G`24~jNdS_3he`pXu;&9COZzzT2U6jXG>- zc%1c})+vt&_RZa2Y8d{;6m-YGL3jLL3*n4;h<&-v9Ip|s60Q(_C0v#`oVx(WMvhfo zKRn7{7(;$5KJ%>N7Nak&&b$vnlL)mLJ=GVI79*98CvcxFM5$g+ZintT zw!()qm-V>VUpF4Wa z+Y41LaN-2B{&#WAfR>wX@OL(l?}ZMHH?kjH6^FF1tG=P_`z$ueg^!v0H;hwV z?fC~DyPn87PoNXL8wjpZ(4@BNBvX^}IbZ$eLVT;}!X?i+)vc3s5ziUKTQB*Ao^j8{ zqceJV#%XGLmck$D9-R`)BE4&s(g}_X{*7G__)FvDjGsqIbXDW2rfoX-Co48>wsQxT zsx0?Hy;9D{i>7BbzCFh-)P>J3atAw!vv@c>{R;6iLI?I$;FECv&MkX22Du+kxfe#O zK1g7^Db!CUyhfO-Z5I+R#?P8Tyns-*6n8Ylvk0>ZixN3Q5LabC`#8RmJI*HbW^4LQ z=FHuaxD{bDQ)xlmgwTv&p{45gHX1*rbtUu+(FEJk$FV8W?^;Y?z=!n=j;FNW`--v! z`DgJ1${fSDR=JuFuM6}!!d$fdSNKFrk)?V1Za?E`gWv$TEfg-v`%vYRsoHK8a#w|N z7ivYCTz!ot7mH1Q5;=Ea5xV^?J%6o=^3~LH`blX`^6jC+^Mq#!&k<^HKk^K58$xaB zKSAEc>U~AL@^^05Y@vpupKO`L3CPz3y=(cPG-q^Ow{24b+`I7kCy0Fm!mw!qMJRul zHMK;)%9U#}Mb^E`C0I5wG=c>3N|z`B@IXY**cu4Z5!OoG}b$^ZXP& z^NQlPAKd# z-*>_B6TC4>X<%Pj9`XVU$R8#B8R1iGi9o!LE9t$u-;(Z)EC_UAZWcOmKCsYIWuS`Qm+XqRH75QP ze(R20?IV5-`U|8|Ivr78Hjw;D_Bh0$=UV2ro3NT7&U~g9WelfXw^5X$C-HpCJgYEiXp`prI6nN9C-}Z;D!;53I(mCB4zK@9D zeWl}T9b*0c(W|2vzn=P01)+VDZM-j3{ri(cSHazf_V1vZda55CsCKQ7=6etq%V%bh zlQXA<-ddkZ+uQPB@>!jGyHxDm1N7kgy5HMG9y!m2XuopsRaJEER?4f8Udo#45(`W# z#DjLB=m8fd;AGg!pJrjCY;FdF&X3*nz&HtfsG3C*E@KtI}SA#DEva>dUs^pjB zZy!)wRaxt$?gn^%43iY^9pUXa9lxNMW3x;P^L)>lla%Zx|9Kc^e()ZEPP;tyw(o;2 zyhp`O#6mk4MkC9gBVSJ)PFcPbJ>-Sk$Zu`cH~EiZQ}kRQ?edYg&GiI133}#t#gKKf-961|McGvYiik_#Iw85AU8J zKUd{0xr67?T5ZQf(9L8IJE?9D1z%g$Gv(5;-^@)Q1LdtL|5JT`DQlVvl?mK#Ia%F%*h|D<@|gez0``fMIGAZgjZKNI;1Xp z+!~#hwTur-G4w;UuG5yrYQ8w}K&82@TL6EKaBOc=@&(klc~kvK+qSTl+x*ERfdNBR zZ-?{Ul|U!u>At%DUc`MgZTm@_cdKb12Msb6bZhXfJ#t}dzjfp@0$%B3QyPL0lA$~}4x-q##1fe%32 z{mA1<{GJzdT@_iw4s^hm@YNRtfi0>NUW(z~BsIE-@*%VzKp05qN9a%ZobrRZ$G@_M z&&U@!$-O;wBMAG+ca7kG0;}CK*v)fYf|+A`b2LdVET#7h&tEciw*6<$`MOkH&bPX^ z`5C(*d{%%l1@iPa@u$epY1N+=$6?2|Y-4?Q$+uI#MxQmPz59S+I=98%WkVokv}g_C>U(a8HtBUqzA{O5g6=t> zcd)}tQa&dLJXUHZJ<|{08>67{6Bt z0TD2t_wOa zK9{XE@yA*CJHE*82IY?|st4!M_i6OOA@)q54D)8FWLS&;cN{*kut9wlo9~_3H_vC3 zXQghW%2rO+KOXvxAit1t1jdmMVjh!-?;vv*@dE^2PvU$#g;b*((cA!;=G) zhmInn`INtYWsIy!H)(sByucI4{w3B@6W!RFzDJQ?3!T89E)lt9&pPJfZ}pHLq%v@g z{xhPm!_*60B0p65q6a)Nk2{hxI)-Usp51lMlB;Crukl&hf4UW?^-a*%XfL`gdQfk<5Y|vfS zEYO)YJC%05w7wfv!`Y*rrJa!CN}Sko6tDWLIC+BG7MarQOU3Eoc-79)H0sr%NEYl~qBJnDrz$N3I|aEq{x^M7a7 za-Z}cgd^+j5iib;56izVx4@I%Y2N-Gh8dzM~U(gbon+hOzol-i^8SB3^Ulk_YvB?XX^iQvDCo}2)GSooH6!~t*$R70mFD*u}j^nimy$`0Zqe604dy1r}t zn*P0=eg9nXN&CG{|AUk#fd31pehcT+FyyXfHturLOAq`eaE)^MnNstNg@)HM`R4D| zwQ_9Mp3=yE+_kUMG@uH&~fhwsxWFV97v{TmddZD$XTL7Knq=Zs^?1n+No=dghOEW1htx{D$rpcpkp(K)xb+=D8r-+QebZH<0@0s9%HsD{xjf{s3o) z3V)a~DG%ii%|a~??WKID(ofQ-wwQk3uvY?QRewu59egA3t+r`Ezi&vNCY;f-G|0!( ztfwY*Cl2$SiAM+5VLv-CZ-3C)k34-0zc+#|0;{kUB^>5n6o;-&WiY*=Yq+WNmeTg2 zJ{m|q7CU+xoA(W&3bHnevK`3c+C<(XKr?@E%+bS_*|Xc=e*?YH-O)GY(f6sS8^U?S zg~9k`R~bv7Dfqwitb1%J{_Z_%dYQP=jlh8M#OG<>g|+-h{2k%97=Cj?e2#FLFddn@ zLfmT&zb_{KiExqd3*m8a5&xqPwDJcz{!Ce#<`RF;0okh#T`atTum1vkCNLU1c{mI2 zLD^duI#a*=cVF4}?DI9&|2TNl;lqdMA{RF4UfQxKc&HV8B`}Y3)mT4zS?X${UtQSe zp|@Kn>FUVH4=Nj3p{GAM{t!LMJxpWnV2a*k518wKQk<{QyOs2QW*mF(LIo|CvMG-K zk$lm#^7IeisxD8ZvR+hUX${vqlx~Hikw^BaujWk)d_$WcE>0U4 z4yhi^MEP@t(Hn|a+8iOD9$iq7Akcub(Hzz^S=Wf`7B-pk<3nVK^P{Jt@O@Bd10hoSqE zn>H%6AyFi=e&0$ESUBjfN+hI{W<)-hb%O+04p3 z*XTYXZ$aOuIHpm)gux;Hi@6WoS@~P>g-6L)@LUY)LTn$&Gk)a_o(iZS~x9-HB!n ziQJPZ{%43UkQX?P{0em5g6$-%WGxoTU^lv=en7|H27f8Nt50M&*kPj zsK&7-KT7pdX|<&d9DcZvin~L`_Xj^t9rza8lbprR$V-zc@aCnJhuj2;qZr+pXi7TJzk_{4LC){xxWJ44xXQ zygGq+0{91OevrmJIPaHW4LPx$T}TfnyiDjy_$WWRwHG>ubQ;p5iMta<7J)9vPAAe9 zGN^B5^Ck4o!shc~v)V?X8`SRg&&)R==no6eqi#6?RrYoOb*J!;Ypcx8WiRh=z(Is%;q>O+S-l;tO6WetH_eC=&N8-GimOti~|F3wE+ z4r@qHoQ{x@@C-bZlQg#*g*ZDQ8{vi2|HNOB`;2JTFc_W)qfICwWG!b| zcz%;}Ub6G(f{azyyN(3rT(6+5!G}SAFDPvCNz+&t`@RGoNPh{QVlEbTpm!I*55N3# zI>}9*b99RBa~B=?x$=`ObK{we`%adBBK(-KcThfycoF)qiE}SgL(_jBPuZ_9dO%>l zcX+5C`0_q7Jw8xV&d$%c@$8E~c-@bFcH8BpZ+-At$jLr8a`IB%1KqZac}$PO zhOmd38LKQh{sA^`K_vJ3lnZ>DVAeiSbRqKmDYBXyUsoU>`%oO+mI)c`k1lxJ1G^OS_51eC_#upu1=C+aakKk?k zhj0AsM|^3iKh#v7$du}*4>y>+Jku87+lH*B{Z_ZUUP>IzAERf&^>m=F>ftT$m4)+ax)i zSKqZ&`A3Z@Xr=s^=ej}Cl6<0;)zSE8$A;!)+`nl$5uOuhpmJldnP<>8Q#Uvhyaap&sgL(O!x9UIxH)+u`rmq3S`6&Z-|}9 zwFNKhWLMJJrSSY4EJTac+a#rn#5Y=hKXRy|MxUDBDoxXBs>%Bydj z1HG7+zQ^IYFW9>Vm&}~E!}!^tT_v4!`B2kOp1sspD6T%t0Old^24}@F8GLJ&vNiCR zzy^(16R*cstwCoT$F?>sVd{%>c8g#h7Lveq5xTpO%c;M>{>=f$I>q}ZI-(zAe+F)W zD9&sava^O^yc5~LSe2bKfvuM~J$mSAc(0;|hPfHzJ@#&VKZ9@Q9Uorl*WR+S&gUIEnqp{(OApYw%BvY`)GR%;7s| z>B2ks!7faV<=YbYJdMhO)P)A2bCnlIN3+*c`5&mxdiJm38xZWoJ=R}6o-?cJk1^Pc zHq76JQRwap^cSec9FNhrC%Sqz`ozM89Q;iU<>zh6XSQxcTK*PYYIqpj=a2yxUSi)< zMf=J!=o;GTUXKs;)w%r+IP&h6A5oc*vLWo*DcY@6KDtN#2r|}Pzpv}2aZlnH#{CjG z?G%hJ>Dcd>I2XG~_h)^rwC`=5=aZVZt^1H~rgA?4f25aV+oVkl`{Tkr)w|~%{m}*- zwFplUK23+usC`b87C1`$40SHN$r^V#eweMx>e&B=x|dQn_#t{Ui^12ygUj|U%eg4p z;|p&*Y5H7e4z=~%G@f<3a3PGpyF>jl@HSzZQP}FI@0m7>nP)zDR^Xo6c}b6O>{vZ` zjA%*H#B4}nY0`X*yDj;dV#hW<=&X#OF-lM9#8O?x()l626-LOaE4^Z$us|C0(R z;NX?gUz|BeKGst&Wdik%nQ3He`0d1ICHNcN~QYZ{>TN80CyX15QUzD1(& z^O>IugLEHqrp0H{wSJ5o*JXZ<;P0p5uXNb%%~yFBoZs}!k=lo0h}w;2;K@gM`>EI~ z;tfjM^*uNzkPiY!e{|uS%D2JlFD!wVzr!}<-0EAOU>^bAK-E*R^pC%lvVJIQZN|FZ zhSm##2GN`|Pl5z{*IcZzwjo)FeX;feA4NqBnpR=(*6Gu0H>%m!DV={@ zc1ikWP`i0T+kJ-|++nS?i{p=D+a|8yZWrDXs7~2$=*o@k)ry|HGf~71DHq7^*t!Qw zFH^&N7|s6(UE89I?vWp?^r@usJP}{!JM6Z=fYQD-qzc1#C-{R0%;lJ#JKx1luTwdE z%JGYHbJy@Be${r}uln(P_s{#AYxs@=!~QauPdIxkB?EOoBt2e-A0NXz5ae2*yhm1l zK<>*z#~SQ&MeOJVczloQ^D~T*CYJj&UGv9}(eqo?uHJRdPPUzZxF->n7h`z*FPdlV5eNKlqum?X|cEXHeDcx%53r4&oo_6Na2!CC*O% zP1R2sa&d1)`f@7Y9{$0YF62}^3mjf_>sO%1^WQUlf{}%{z&FrY;~BeQPN(t6a46&4 zf}f(4ANSF22mQ7X&S{^(Ox!ntZx=Sv!ZGZ_0+qKHOZm!M!#@IVz*{c-hK+LJRpg-k zT2oR8yn7j|WnS**p@j?2V<-A4zfSY4;hfU=Cb<3$J}GT#o3NMj)D9kl50<9)_1dT7 z7G<7Ik)>Y~p`oKQuaFnGtaO@+TpeXzsZ;SSI%mIYiSXPJGh_@PtFNKF}&H zcNPBz<&@r0__rfhnwCAm@g4q(KxNk003S)<=^zuQMIYB=4pWnOKY7WNB{$H=Le`T2 z-%h69LLa>s7=?U%se5@-`L#Z61u7Ds0e28_HTKQI5?xyvZD-5RDxR}iKNB~iCvxyO zD1X^kcWhP4R?n~(7P6f+?S967Y|}Yjj54)*sCqV-Zx`^j{tbRXAGy%|6n)UO?Mj*Q z{W^DPvq@<^BhJ^Syp~D*li7Ubl3xui=PKR1>s+PWAJk!=sxs~}rO}+|l&ywpxs*mb zd}Uibhdmak)b1=?Q!dDx}mnog8z~V89j+Vw-i}iMtF^|obWo~4MH?__f_Iy(5^53 z+(`Cq0r`c5o9OQ>diVJmx-HVVi+%y$B=#|LlzAjM^ge_R_yw3Oz zSO3&t!FR;Yjv$OAtOwU1;+pVTY)>=hbn?~7zl~iEh3$f4QEPt7MhR#3lQT|&$*RW>KW6gfe zJmlxO4|FLU#Cn*>T7AlwH=@&;m-35zeiL1O#`AvQ2KxF(KS!DCC&cYi{3$=RtktGh zf3Clewl3d&#%8X`|LCWzQ2zF=-tKpw>a`LEb?df}IPAX$ztVOe@=LHA>;=2PpTX3D z+{bZklAqDs+g$Fu#x2HgwS0cH1iAd7pKa26*ZJE{XPe~I`D}lYGthC?`Fz@Uzc(YF z?>zwdnU0(V4A?#sxs5e>2QnJS&+W)7&pLZ9We*&BOwoBd-)@G!yT+;G$7#~@|A@D8O#TlK7JP5u9IqZY`87Ch6 z_&eTZ_T3BHDEq93KBnH&uQ`M9I({zJmwC5YK0kHj|CYSkca4>@Y_5f?7`Nl+4}JA9 zLw#%N$6g&Je8$h34)E=N$vycaXEWpdi8G=vYcJCO=ejR&F2}OogMFWeb(BnJ{dfM! z#*ZI=qUU_?yO+8C8ayZ?iN8$uI4j-ztaMZAdD5V> zy`+AT?t4~w_p|2P{Ve}f2mT_hi32;e*Uq+A z7C@)+J|sJ*rF!QyiL=sY*?;;h`%j-`|LL>rKYf<{r+;aG-?P^v)qi2n@6Jk-?6i%# zoen;${K8+R8SR(-oj$E~?*BZd*ExOqg0s>c?U%ZK|BU7O8zd?9C%(3KQU6^*lTZJ` z-%Y8qIy(2)O*0t$jQ#^Um*W>eKgvpx_HHy4cX~cbD|Pbilwt=D|Zk z3Gbzw+w3yZ?9Ybr*}4NG`zdX zu=&0BKQMflY%qMZ#bEgOldanfpBiYRem>hiYR7My<|`ky^EXR>&Xjt)eop?!n)LJM z&v);U4(|M7?>~I@<5jdx;)V3fi4epd7#S!T^{K2K$i!)JkaHVE)R5hpvwdQ z|9fCm_5c5K=$b*72f94a<$*2_{JS3Lc=bl!>JrFnXaad{R3NXe3gn#@L4XguF4j#T zue%8X&w_mI;I|;JqjlgMbb-7|D&SSzGvKv0^+umac_mK3E4K>r>ZYKt4}5iq_jGwb z(+BxFgy2FSMzQQ4p*X9J5bb`EQ*#TY~?bd+-=p7h{{(=unk%B}YUPKCB z^5JEq;1wT|kb-4CEJt?WRrC(5K<~gx^bWj+-hox<9axRtfi>tIcpY8vMkl<9-hsE! z1#5kH8!1@V3G2~2@F#S^J3eec3O4%iE>f_`hs{XAdp^96+yOphu_c2UEV4^jRDmp} z3KqjA7QuTU8EgUaeq%j>Zvc(J19}n6bHKUaJkV<(X>cw$51bFK1jE2^a1|H@2H*#bz#jyF?w|(<1U*47a1J;Z zoCnSa7lG5Akk5Ou1>p8a`Fl~|X|NE;-$Alv;}E`QqXGF|rhEs~2;{q;0iZkR0Rll! z&ME3uE#~-V$cuB-86v*GC7zhRdGZ+kp zfDmvQxEu@xSAZ+QFd+Z0##LYhkpF*UB)A$}14e<-U<{D|kLC9u42%Qg!5@J9-z*cr zbs!u}1lNN};07=m+z2AT6d?a6jr^ZUQ$Zw{25tuO|0&G?w}6>I{*R2<=|DY0;~kDfmL8NSOZ=M zZ-6(!TVO4C8>|EC!Joi8U<23)-UXY$X7C<(AAA5l1j*ndumyY!J^@?7Ht;F<3~UEG zz)r9W{26=>c7r|O3$PdL17Cvu-~jjv90V!gYw!(71&6@5;4rWNE3knhAPuAgJ8*yu zkO{JY6C4HEAP3}vJdh6xKp`js#h?U~f--Onl!FRT30%Mpj)U*OU%>a^1gHYlpa#@} zI#3T9KqK$~-lvq;DSzW_%FZuSUUvD=E3WALD&-jU9;LiSslP>eqwfvMo2Q?7fAWs# zJMW6Q`<~did*c)CyZ?cI|L4Jfzsdje7PBAf7;?@PSNL9~T%g`qeER>&&%#A#{XFw; z|14gt-lBYAss0w_vNLZ`uDIfgH&(p))>_{yl<%(Cv|{rL-l6<3`J*i>KK^9I)@`4D zwqpB^6)Se`TCqajSzPhO3ficjz5A~Ca>Z}`_{y)?|67Hf@}%B@PU-(tm43cDnDVu> zmlqK`!t*c6!>XR;KOOzo?H+i*`oIIWU*{i5`*q%L@-yUfBXH`0vw{}kaTY6ik5dT75%+JYR)tT==XX{*{^VEZ zS5`*fH~Rhu9vnSe{e`Tbdy~JFwczKZ(sJ89j;GPS)zJoS{@}W?P z8=49VEKuH)&>E047|J*RO#*2}knL;8S}Y_rESs(w@oDZASu016__TRW`{E_#HPxQ> z#XXGJV-$OgVvkYmF=CHV>@kWxMzP0;Jw~y|DE1h!$0+s~#U3N}7{wl=*ki;Vqu65< zdyLp)6nl(fk5TM_qz3jht@?CUdCh2qBdn+_>rr9sIxSXk@Z?_}Q@ z=IPVq4y(JS;IuoxV&+)yw}hkUa9Gyb6YF#D3p>`wb6;5gjbWMB&Ca}TS^J~yi%V<6 z@)w8AZG5(6Tjq5MWxJ$Zj$3bMbJi|6(7^#ZuyOCLP+)oX& zO|QC5)!e36+}2U#=~H^C*s{&<0r&~M>JzH!6MEGr^e(Nht4v1{UUs@wB-GT5*#8B2 zmrHFCj41*;M99>PGBp;0nwrr!H6^8?J~bs(8+~dc=gro{@Q7MFq zm~_ePBoYYa2VJW4H1Pmwq#j>c+@xD%(>2{Ek`1DyN{h85B_8-jnW0OSR)&y9s=~AUtf237^NLC{oR!Po~je2`ss3QmiFZ z%JsTbX=OcW^d`}; z{%-Oi*->ipN=QmgT?t8z)mJPcU|?YkGlc@Q+y*tQ5-O#JC8>rLDZ}cL<9Udxt%ORc zl}A#Y1xVFem#SQ~mb9$AjIZ=^UFvD+UDCdCaR^EMWKf}fLO(a2(C4OvoEmCwN=QoI z^SYF@nyV6$QXyA@tI0QdWOd0k<#j!+OO;l;(Xv_1R0%FRoAq^~OO;kLBdz3ibvoUo z?7qqGIp%tkpIt6RN(5*dcA`T8+5x%du@#>qLkUjd>(#ZB4JZu}s%3{vZ}P~V&mAh) z*6fAQ0d~monksrdk%H!yOE0Ti9Lb`U(R_mC_716vwW=(=NxvE&_q#^w zu)Ma9t`HNq`OU@sB2TnXphSRH7>N#X*|w@qmC!7u^&}=I|Am|8lW#hyspMjQSHbqPooBY z^W8Y8WbrKWaF;JnB`?<(gA&U7su!Yw6i=$85;AR-QbJOmzWvnZ?a+LA`lW+HIq6lI zuNhgYSCywONk41pO|n9`Ao}|3&?Il#o%%Q(8p|(6-&(pg#wYY|wz7K*P{hbH6em2@d-UlpIC&RV?+hpXNXimy_KCNbA5=~B|ZDn3O&g)bV< z%;gwHQF}`iwb%31$#abBSPi-+d8!vBRLZv=$xs>re_daX9g>ZQUFvL7k^@A^ z#>MJ3-m|l@meRaXgcvD{mV;H6uo7zLzC$MMJm*U`e#*R*qe9J0X`Gzq%x}q1LJn`~ z9I3Zmq;m-^WP}vKeR}%Eg88(xf&>eX;QEG245EL5%bh$l7iQ3r}WT_ z0Wj07f^s*hlRdpjJr=PZq*m3BO0bUA1UE<%d14|6ay?K=+YDXG`OSsocaXY_C~<|~ zcCH^hR9&GuVtI93Sfo0=sRymL{ZmDk+Yl@+9D~T0$Ex%ud8A5j!fkptN|j;GlX|*iap=<_=ooMg zq^?3@jC$%zZ&J^F=}kQJF^c}^x7pW-9in2!RY@*KlF*lumTx^$Q@gl_ei{0+%h~YG6m6+c=?UQ_LUq}~)}Ee-4bzb^x;#QR>7#IpxMGQ#+!8gNYKLU~cY5GPAb$rFPF0tv*4Cw)iD_N(rZ9igrL~$u*-wq=yh`9wLqm zafF2&>l0Ft8`Ang$h2`Go<1Q}W5$Ir_YgJjkQR5ytnyk?I;++#?ICjI2_cRbjSCSF zN2T4Fb3z7qcD#%LUz73V_>j>;*Lc4j7jmK{1c&F14_PExuL#|17#~u)7b;j+HD-KB z?g-&&<3l`s$798KdLJLsvMr?W7BORdNbAP&j6K$SKe@*#og<^Pekhs3j&b8dj?t1& zffTa>k#)Z^hjp5=MHNWv8MTZ^Z#)VYSz0#FgGl>0T_f;N7t@!Lhh~ zECCxUvm7gCsz{8ziy_#p;X)BYlZB=VO%iIoQMf5VxO#(d`B33CLKz2y(~5+x#RCGg zs;U8;|5a$-`?5brSEA^KumR8w!b`F1VfU#kbPsttHq4H4_ zEi5Mn*uPWmlWrUQNO*T=_>rg|EeT|RF5Me-S?J48Ki8KYE0SyNMnBIv{ZtcgJ?+{i zKs92m=N9Q^6l9Sh>-{0eR>-{pa;<|Z-h@hJ3Pq1W)^DIfX_21{Y!s7;&^Hh!bDd0vFxjY$#AZGj6T)!0YC#yzCDj69I8DYty5Ust z8LstR@o9jnYz^W8UL-8gQpx5K^c_$fAZa213FeM zIX-o0fOdQc4;x7LW~gyHR5J`pzv1{`L_%$;1 zjZ+O^no*gi$Ajg(nGE8Ac~VowgPWj!=n@Y)xBwy^oOeec;=yn;A>yGv)+HWdzSyJU zQ8)$-!YwnfO93wG-Ec+Iy9EdI0=C;D{7dZV-_i0vS#n| zOYcQmmn!{$o_v7X0%lI}<&Roa)7RNHo0 zbHdp5h~83{0R!tFktM4OJTgSLLzjF+kSHrpn3e;4EtO>Rgy?Bq256ZFWO)dS{)C?x zpi8#U8ojPA0|sV<$ZFOF`^}}7>QbfEY)GrwIKQAPNbFG?Kna!dwIoAnTEQx6;kDKe zXrfEy4RJ2c5#QFY)Z?a0#mDDTkbcO33HO>fBaBEgH2*Rw~OXE}|YptxM1# z=C=S1;>end2JzXs*bfo00NH}VsxP(KS%7M@v-0$`l4=tw&#?)W=bU@>?V(GxV6Rce zJi^w%Kg3dA*WD;lK6P<=3lC;Skz@akG4={l)2r zIOdy}8o$OCVt%Zq2@vyRM}Gq`KeSJUx<`{ArSN9UTP-9{OD;O z#QcmhKe3O@^J7CtLd=gF)C(czM<*j7=EvP;0>u2d2#NK~ zkFz&b74`Ca;E=piaOlMPobM0S`-N59CVZ$NHf&-0vvof~+0!7W2eRCk7o$Xt7vZ=J z$_c&K0^WE})Ka-f>`g+3@fPsC;@@9u&)gyW~0J&1xUAa7vxvxw4*pt2UB>x9Bx zwDI2vgFS#roE%(o81(VR6TN|Gh zaUmivIqU6$aSIoun@B7ue?(;!O{`u_g}iv2rM355sI`SJ)N1~)Q1iGJYSjZ5Y7C@V zD66Vos5y?KdlqUVU0*KL1Qn}El-;sW6O1gPsUZ7{h1yA)k1QCxkefCXd-Ot0koWtA zTJE(AHRmS_wTv+fElu|K7Y?-c8OtDuv`6V&l8C%yVghXr92^#C$leiHyS?lHN+I}j z;NS)0ybGE(=WOsUs9lk>Au#tf?}Gfll^zZg;W+7dDXjg5u)yXE13mkWjtI;jpLQ3W zl^98)Lco_)2b5!wYU9_oi|QI^?eB2qq>yj_(1J$ zJ=NYbP;0vsG(V8=ql7l*NtDFjU>Gck_XMT9K~lg_1|8gMl1fB)d}@6R3Tt zxBE~$K8p^Df&#UM!IH0ht7QFvh zZ>UJ-yg>Nx@iR&Ykzx=+x>32sx+48e!wB;97`ty)3127KQEEh~fyyAX(iPh2=4Kz0 zmXd$0V*+!1O8XT)rE#&Wmb!6%(@JlmrYMLsT#BmqT5vAQ=|O%6qlDhIYZg(tR2G

gXjt8pm@gK_C%wv2Hp=RkeJ%_sj7m|1yq&K>nDtG1Jwv(hpHk$!&ee5EuluDWsqBvu6E#pq7PBq5CnGC!oVX1+-zUd450sQ})iB}aL0QKtZr5eb32D)hLoLcA zuj$8(tm?4B$ArtS7WNLv$m0GeBTH*PAL0lR(RM9V(;(DXQ-tt*2Q@DC{3Rz7rJCV5 zA|cBhsEVF7M}<(Os%<$UMQN&<>mBrpx1rK+prUZ-=vZi^;s~^Y!BFl{C9;dr^Wq>i zlJgU^jBB9$@7qF^sF5M_zxQ08k(Kx7aYEyT8Wv_`S&XDDM$#6eq;r>(&RtHrVUgvW zsw;Kr{fdc)P*NR2N%at^S$`4f`in^CjLOKWyQcA3`t&C?Gb8KqSsX{YpjEab_|NKMRJj2-lYb`h zi;~(m7?30EOtlVOYRMUPrr=CMN{}qu7my_u$`}nAi3uI+Li&M4t<=HuH8Glx!{@#5oBifZ1RfSPs^KonRl>4fYog(!xQ# zD3d`1m;?$3K~sU}Z%~OFYC8obgN#=p_Z+B&K6#ddc7Pm4(GG%|45;pDXcO24NIv3xzEJbD2;_sau{i6ynsY)HyLq|dmdk)(2 zM0GMwvkeT?az2s!z9sTF!S#mA7G3E#&?wx_x|8LJ;h#H9V{tm-wXAGLelKrHi9VWFJu??|LO{FC)}bwsEOEXE$2(`%PXJEgK)$ zw2Ftord2$|HLap=lG7zwEXk#T8y?0{8j$tzys7iK;;9}#g2LM zB*=X>Ogq<0;u3y=JuXmwuPxem(Z&akRcYZn{TiQ@JS9D4l3L&#BlrCAJZ84E#~TFR zjq!#ft?{z!;x+!A>KU(1j@OR&h}R~?YiZxdYmcn~o8z^XpCY6h#J~2dBx9;%K>YLa z9|LWQ*IbvyYqiFBt!93_R@@xVCt%cD9?!uGro?lO#%uQRU_`v;`3S6~o_{>2bG+to z#B(f@H#}b3L)9PSwd8m$KP#R?9E^$Aw#I8);i9l}!Wf|e@rI(Q@rIKg63ncRVKQKDoG5_V^)WC#C}%k=GwfrKDRN=~CMlUy zRi?0ji5iZaLdh$XIwx!63&Y|wcNo%V341ri%Wsb2NBO@=SqEk3spuG{cq4Ze3@ zjpVf-Oxb{sH>P;^r?4(kSQja*ixe$9g(Z=qO-^A+q-c{;SQ05L39vaui%4N1q-ax9 z2!D#UDTVN-5dIXxpF;Rk2!9IUPa*tZN($jmA^c!O3gHK9spp?U_)`df3gIVjc#5_s zMN3X0^eKcMj7ib9rf6GIv>hqht`tI@La0-;gDKkT6at(=fKw#E&}4w61Q=ke1Xw6% zIUE5nm_PzdCXm?NpV7Tq#kJE@SXU{;BZXKnL7GS`sLEVbEK&$UiYXz*G&{w#EXA}u z#k4NPv@^xDFU7Pw#k8NccE7ov^OP)q1SKbYItWW?daYhpR`1oq!Kt3mWN^F(Gzp}A z57qC7+OL8N2SMI$&?exz45~FkHS?k3W~g-t)Uq6M&k>pe6`3LXc%c!H=OdxDP_aLh z@haqSKuvy-XE?M6B!m1csO^-{7-%cl0(O91pxgqbN&BM#&_S@8Nfk}4-YWqVW;PN+ zVdf)26qXrD@PuVf5kyd z>;t<2y*omx_qIP&z1RI__1<)?dT;%kg?P(gy^rh{!>Vm;3&^_>!u>YfZxi?1aKBC5 zZ^QjIaleiIA+)*L)`uenReC*2#4^@1GF6-ACi zHb1V*^drauFQJ6I8=)hu1zs&2oazZp2FH6qlR(<{&|_qkmN}~MiC~%% zH(^@KHWM!~eESHF$O5lADd|6F8I*eoWce5(lEURyX(Rqpku2~MNhkr#2DC9z&$JHg z1pB~lu)o0TexCNWcMH7gE0s!A&lRya57&{IRjWk3s5=v0W^A9Bkq1qm@ehk%; zL$$4;+LlmlM=0|Q)pmvAW^jP6sdY3U6hDV*2Sc^hq2gL-GGKK43K$aZxI38*EP1B2sZxDy~Y^rl#VmR9uy+ZAxWvr?R$FS=y<%Efu$= zvaVBc9hj1e`%-Zq7?H|~25YJ3pNcC}S4ZD=ZB z9^!4ha4MCRo2u3?w%(JfHS}lTCz(7=WzA9%Kd2R(N<30c38|*psitMArsb)ob*ZME zsiu9YrroKg{i(IfOqN?ND~!uG-n?8A4|mcZ@1!s8q(6LFU1LZ6$2;kZJ9I<(3D6PgT;_kbpWwC|zE)(CBeB0&9qsQoHvDkvNTdAmWI zfa@}-)(F+ihl-n_)*(>Ka>zYLXbMzhhV0{oMnImAgw{gE{!qrNki!8r`9YrH&>oNs z^0T0}Q$k~)tzZk-0dkf>yFj@GN|R2G20&TEpo3sFb1lMX0`7WGA}-8yCFa6RSfVa0 zQ&w>o!K@|n!ZL4SFC;UU=!+MzhxohRQwxBR>Yj!Oy>Piz>WTYQ^j+@}ekcLV1{iIk zo@pJ}3HE{AfZ+`8FetrGqS|4Jge{Rhmq^eOweUoum8eZlBvy&qq(mZ>NT9&xL@gqb zC?yi4L~Uv!Axb1diQ1+_;*&^t5{XVC!AT@GiG(JR$bcz{#3hlifDwrV1+1l>eFkB_x_=Cz_TenwBS;)+L&DCYtsonsz6e_9t?hCdz3FIbM|B@`eak z&z1i3%%W%23fI3YIaxJ{o_*8B%3?g!yuZXPEW{}u z^;-Ke5CLvmueqOCuO08cUP~h{t&;RAuo|2M?d!F=to2&`9_sdAuN53wuNC&Aj~~`+ zUXSbH^;%h*u-8-L6kXW0xn$#dEqjaTUQdfd@`b$~_Z^}OXS^VFGG563sN`L#D|udz zeXNuVdp#b?%i4rX{$4Uq>WJ?3WDJ*lVe0Hsbzsj?UmbL>r(l@m3wu3nn?zU4NZvBh ztjs)jrL?M;%bXukmMoKzvSH6r;p)pIE#-An)*IUUtY^{O0=dH5??5#EsDvxry+Wmw zaD^A_Rw*TFPNG-7sWOzPT zqD1o-dg?huR&v&ddgjLnt7h$iXx!NH3c_J17%O76BUOo#mzBtunnlM;Oo+yfo;b-g zWK30Mj=8!xqKj7%MaPRCL$p@4l_2uN^J7Kq&fkit{kraHJtYlD-KA35yAh=yNDVBy zACdD_PP7Oato)Pm<03@2^|!r=$V$#WtVGTql*oJ$Q597s4l4ho`EA5DZ<@+0Dn=A+ zfU@5Uhs%DbzE>qq^;E*^R${W^f z?}O5>1ddt{9`3# zGF%FT>XU^Ti%-c^-S(?0k}5ymRgttoJgBsC`y^6X;`4@&oEvPQGo>S&;zc0K)J>4tk zo3>}R{+z5Xw$C7WtJEud60JF0)T8I3www?({}bnF5~`yaO3i-7`BT(_)>UK~k*Az* z>zex$`}C*1*;YOlza6Q|G5xv%Vr?X7f& zLDQqk*Be@rauP&V1S7o{8IA_le0{pNuAe?PS+cSpvi~v4kh`pLTTO~jUZTtD5|JhA z^?al+pS*QZ_%_Ov5M`PjWm*cUzBNglxcsIX(MGDDcnfuMv6C5zL5$W zsj-nN8>J3?ENESWISY#GTBj8Cww&8BkJg(?oiY*0KiX4jG`qx4_SnHqj zWOCF3Z@TLeNh_HgWw73Ezd6cKmIiB^qPQ)J;spB8TEm0J=L{Z!lkvBX_+Y_ZFM{zq8#qAIn6QymX(LG>R6i)--!YCd- zqxcX3JRYT;?h~bLiPCmNX}hAhJ&NM?C`vmRrLB(A!lSgx`!T78!pg6rxSxuWO#@8^ z$9q7NK-%}vV{3$RmJ4qdD!0NBpng9z6%-DNGUQk@Un~Aw&H=P<+7^+SJ5>709ZGKo z9D82Ld(6a;^?Ahuxb4xX1qH7~87dyau?B05aK#*ZEDkr6JuO^)tkpmFQjukIM7onz ze&)iCdT1RvXUcGO=0b5cjJshR4&!ndr^C1%#_=$&hjG5}2w?&syjGYXz=Q!N5HJ&f z2?o4JC|QV*zyw8jjPO<=LL)p&nD7W+C`^c8f+YO7FoA-%2<;HsB}BkrLIxicS}hbV zMCjn!8oj658r4!_S$Rj!z06*T%Y6&Dk%lNtRanf>xTiLac|i|*@*V9MMi3yB8hb*k&YzJkwiI?7)KJ}Na72oL=s`}T_iCEBO-|}SW8|1 zNFp0aTqB7pdBY>MJ&{^+B+-l{mS9Yzwlz}Q5~=No)OJM@wn*(@q_#Ser;bQ1JW_Ku zK$9bRJc`sNMe=wQsYOI;rAwfxkvtDY_Az8cpX!NFG#Q1eY%D-!wh(B)3MyTq3QCtu zCDG7xTqF-+k%npGBY6-5r$}ENImdAL@D{~86l0HMVNZ4K!AK6nNK-NnR^S>E3F9+GpG&(~w!nBxDXU1(|_NK&|ihhb0Q#J_s zBv?e*r2a`cUh-&{Yoz|0^jnCe-~89XYVaah0hWVTz%uYMcon<_)`FM7D%z2Dy@5Rj z(2aiEKs&mI{5v=W7|-bsx`Q6TkGzxMCv@i3yaRmJKdFU&Td=2K0rTnyOyFV=3@!lp zA!`Uy=6xyX11{{JWWAF1OTbRBoj#aL3wAYs4ZZ=pNUy`*1K7$KSs}C;iJvJiei}Rn zp2aue{gdj>>+d?LC>*8zE@%s|E`aK9gd!w0TIhOcDzLpP^cGYY16jL4lO$`F&;vpf zAxjZd*A7`PfF^^}0Yd(g^@7k6sQv~aXhDpA|lz6+XW*wf}rp`FtWUp9sunwa;gz z&(GER&(HY@w1OW%185`P*nd8|U_QHGJ}Y!SyI?-MU_QHGKD%H(J77LLU_LuwK09DO zJ79k0A@B|TF9uJ7r@=GeDe6rE;q-kPctJg=qfh$FIR)B5GiYIKKcokoL^mL7v84p$ zgF=u8azGI{21>C-?0gNZ0&kLj3!7=nE}73Rna>WH&uX8~YM+0+FXP6cukxmYNH7IV1^6!Sk7oZi+O@7gUIDy-DYPvl?*zEr z?4S0k+24j;X-qL~Ik+EC=STzjX?THh`vqoyM=bh_pf?y|_J7OlpYEm$)F!6e{1W?8V1k{Pa@9;g8=147lCf%vqWml;X;#yCJUYFDO|r_7*E%jaZioe_O97~ zli9x#A5_wt3qxIZg9k`sR3$527x{R-&CFhu&nZ2 za2`Hn7_0blB3K9R0*qn11kg6$inaMxtj)J#ZN62k&9{oR`BtpWw_>e@C3~2~U}3tJ z`GAFHVWC)hkpR z*Z~f6(5C|%9oW;tT5iVQ%`CWA(xVJ!M8s!lV9)a>lnhu^rFLv-e?Rde>8)6F)6S-y{AZobfb zbb`5gpgFHj=#uGXxmz=v63nLAX45jWX}Q_7&TQIgHtjQ;cAHK6&HUQNJUG1&`IdQb z?RxXzx{J+&v;JZpd^E^BxSn+J-R8k3?3AB$yvUIjD@SEXBVc=#G)aye9j&tfVQytL zX2;5;YNvx4;1L={EUO1;%*tt@djb2H){wUo1xo}m6uxFxh z<)~OKJXVW{)h5SkQ)9JBvHXdjSe~|HwN0^F%~ycjntribbs^XltF1;1jMb`0R?Upn zPLzR^SdEg3`#`T)t^8vU2PVd9TVu7d$78k9AHn+|ELPh?!#S~9$s52Ns}-+`)r#EU zF>qC^mM0hhE&}HPKcK~G2V?o;+Ob;p>{!itW2~0-VXT(95?mh3vwbYj`LX=r5#$i$ z1+khVHkOa7W3>j%Zy1J-QI5W#59kg8fIncS_Itn`;3j}8?0CU`eJq~_fCm5*v0W0Y zSsQ>WR@;K0*vc^0Zn1oa3^4zald*iw`Ff!Xgt|eLLA#)mlR?2J)&~Vg1O>OB2nwDY z6nwl#Q1H~C;KD&c!PeEnG4=Z)O2UJJPxTB6wmkr5D4wV^;gL!czC>xlfl7l*7AgH* zl@?y7G?)^&{VEyD_H|IOyh|ArJn{=r-3Ya&@t4(*_6l9f-##O$Xspy4>s&c2lP*T` z$B1F)%Bo?QH!`33jO4GP1qIhX92D$kW`)@1%?=7K7z{oS3eHakOTcv?M8+46sWw7Y zg+aj-7wicN&U;x*70!E6X>eYm(%`%olm_QLuQWI>NojE2D@uc{t3@xcNLo0idP7if z#t^VHDA*ATrUV7Q6%=egE_H=tJadFDpvtR&QPV4>wQ#yaX>ht-Y4B`Op!7p32Tpe@ z4Ni9{4K7(Edd2}p8UvWHeJ~gw6zqBc*n)y9Sr3(e0b9T-u|{|kg$!3YP&yK>yi{p$ zWq+l?mA_LOT-i@)a3w>~0#YyLBTD54hn8H z2L(631fBsSf`XeG#312TdT7P;riIe0aMM#tgPWdI8r($uDTSLJR~pXinU z)F}-v`9W!L$zPQQmn;&!e5j;_OIul{y+zAT5-!07CAhzM6_^_oTtqyJSjN`X!h0y( zOvV+`T)1eM(%_;il?InA61{|mF~u$P@@7zQ#eD#KD|#_D5ikE3ydu2{@1np%#sp;) zTz;+6;PO8x4K8QVU@}}jPHAv?xYFSA>y!p#o^1wn_%M{s3eBzv3U=aZC+22-2-LX3 z2PtHEX0n!SGlVm7Ga8&pG|=G8K1zc#O-h3^aT29)<{+iPC5uGQVU2iu3ul7XR?$l1 zv)Du>i?RxYb5z|dW<-nCDnDO1`(aGX1Nhjv6Knu)1qB}s02=zOGLo=!meOEnl+s}5 zOr^ojTa*Sn?@$`-yj^MV(H=PcdaxK=00@Y+TTrm24!K%*3(9k3Y?mg&md}(1TRv49 zY}uwX*s@h=umz)O0b6z`4K7(Ex^+!ZaNFg=wi&|NNiuXU5y-6`kWGQ z0K6w9vQp?G_ghKqB6qYX!m2yy@L{O#M(_l{yLEkof@@R2=jcxZ_Gqp0k8m9q7spqa zRw?ZGNNKQxW^8z@@M@vzM8zB6335DF;o&?6$%_CJ!FVtR%mt5tCo$lBa4t9p^cJ&p|B2u5 z3MSZQ;H}~x0PZZtmSTcb%>0U*!H=MY0e_Mp$ZCW4D8_*7Bw1^=?&24iHZZ<`@dV85 zE7%7WCcxko7*lZ(VDO5IF(^ZMG(%dVizhRbFEf-kGn79wlt(k9ul7q%mdPGrzOAj3 zg{BIzn_FAuY7gTE_!7nM3d`}-+A4=rYpWbht*w~f+A3F*)>gTez*~ej$$TUV*+~)w z82@J{;rW;v_C`$2twISx@j|x?&4+U0gz#jHxHcwtju119!LKpa21x9Q5d&jvcL`x+ zj1B8zPJAJ>SBQlWbK*;(eL|cxF^mAnMy`}G_R&Hi zLgS&lU69;4#K`SLOhK?DlOchAfoGC2HT{I7_nO^8_%o)~2)PVGfkHABm$Y{g!Wh?O zP^Fk$DTY?cyeq}BN-@4tx~df8iyjlg;V}|{m=ftlq7Z}oV@kt>-iPEu7E>k;l}lO7 zR$wWDVQgTZVOuweFEZp+aoG z828msxdcs)iWoUbVk+(u>II448s8HV^BQH$M)7&$2STdBd1$hnV=BagioQa9gf4;{ zJ%!k9F|zey98y^}V2td(7>B=5fRMCsurXpB-G!u=!>1vOSYe44x=m=1ka)?$3XQo{ zaf9^LAdMR&fDN(~8pN0eu1PVODsgG%#W`1KgHWDOj?f-RwsMS| z_A&NJLJ>lD2;DAplh8d-^Ex5Uh?wR|A$DX;vju8d4%ua?+rKjL=9Z_p{vnxpzr# zuBV`u_e6Wz^&O&i3RHhLRI|7GeU+*?M#}oV^_UvEdQtTT($&u?QNCIU=Q1Tqo+!Gw zXpsKh%iXWJUzm&*A*reExrmw%q4G8DcOjgwiqYaMPE<-kA^POiBL^ zYP${6R4k76Kr0*s)h=x*EcmNWaj*0#^`H8b_9Y$4)Qm^9a4;E60-Hds5#k%dkMjHu zHTgk%Kr(1M1#Jaez%F2W7di-5XFSR~EJF0dugnTKQMiDTyBn0ew9Xi~JcDVmoiqIszg z85qr*e9^o#5zR{z(Y(+HNEdaBrrT&!qNz-Zo> z0M~)fqxmE!nol>PwVVUdeApAs--3(g4TESc%Mh&{jMi31YrCTP25Gdrq)%R~;ztxm zD4wWzgyQoR`zbaE=L}aIB3%A^#lwX2q7~n-cx?KY2_4F8rQ8+W$8Gm67CzN8T3*J0 zCWGTWAnO{)@(DBvqje-fq!`;)kORxi3T;EW4u( zC8wed_O;Q5wnNc|oSo<=qYbX@(T4WWXhZg{>`$T%N62Zuj2a(Oaw+m)w4t?o{_~Z? zq74-{*pHL*`)EV{p3;y(@0;`e!ZIWod6+<}cA@TeL1)AJt{vDW7cd$!4GQ`ea*NTd%nK z#c|CS#>u5Du6bY_e?DbVoV`u{hq*ZC1pih`*@3vSGAfjnsVc?MakVd8n>{5#7qfM- zEUwSd5pmcaXG(}O&5koIi!&{cGp&m=?Tj<+i!<$xGwqMl!sE1vIBjyAHZ@M06vu%d z$CrKM_<}*4wkJ;Wrp2+!;&{a2#*_#A#dN zv>kD*`#8QM5vOg6W3|WeFs1vA1E3y-n<~w~0meHf*xDi7oavvBuse_SoCRB0Fy!2xFPO zO$@WQVHOQFVKIq%*9jNDB;3$HPIFGc8s`M8aZYeQDJ(WPCt#Fwf*9hQKp)NtGPrZX zY9UN=P7secCx{)+31SDWvA{V&d_iqSbWV^FofE_+=LB(zb3*R7!eTKwOunp)fy>Gm zp{xvNmX%5KvN9=Zd6mDHuqaMzH`FwF-%Ze!BW*s#b4<@j$8A!>o!p_dW$HPLI~1ZW zH5f<)Ly0JE)@ADuUE0U{(oUu-5+8`j&(dYqFkOn_k}tCr**;eM zESerMRi@@GTFrc!tY~76u8Bdq=AP1_iE(=0HqdbYu<0GCYczEFc)%g_Q`NKJb4<%fD5HW>M5?-V3P(GiH5H7l0X>ieH zN`s3+lm_SUY>_h(@U)S`!$uBc=8Tb2dFCpNkPkKsBjl6C!U*{^uP{PBLMx1r&%O#H zhk*T1!EXu6M+q_2TOrSM^|)87NyZK-b2Xs4>iF1Yu4g*V5wS*U{xN58`Hx46 zDniPC)HVUvWzhd3>s#QWs@As~W+W>u$*vTY7^Y5;4#)v5B~c5HN=9gMs?*T~yipPs zdCT(8rzM&m%Z{3sN6l;2QS*{!As}-F=E}_(88sM&8D^}B8Heh8&-<=D?j{>^a0-W;*o&i+71kil|&}spGIl%Wg;26Sg1d9O> z`i)=|U_ZiMgs%|3MyUP_P!|m_C;?{>HXyk605nzhUofYgU;@E-0?#SJo^Vq!Jb`Tx z;ba2!bizpl*Z&~wNhH*G89j`hjBdt`rkh6EXUSHX7YeZ=B3A8?Vyd)~Xbeb6q?i?v z7|fKEl4xF*#2JbAN?9TiE2M}OQp76V2U1FHq?%(=mPpKsNX!Z;X4P&fi^U*`{ZbYw zVnrlkg%q)>^DQZ5O{BW7r7V${6_J<~Qp~CiQWn2l5~1IuJW|YxNX&{z%&JR|NolJh zO^SF{L_DkX?@Pr<;?Af$Yu{xT{b-ZK<-U>_FLBLJl9(iMPo5+uOKe*r3H5YIT#w}G zu}hwsh_Kc~aur8%O_hYRgoSKGO@kyFyCu=&l!Se#BwDXX!arLQ*IQU@Yx!Q{v&=Z8 z1dDVr1;Sb*Xsw_vf{q9}A?T=}Q%p-@ME)p;gY77X{lx*+lotmy$6VU+;sE^01cqi2 z245#M|IQd>{FSkX@j9W;z^GwVGwK+%j5UPn4l3Pvm`W!M%_0oGPH6s}G06BUV-MqX zLZ5+A!>DG|F=`oWjE94(aS64WE}>TA^g(b2up0qaPOEX{v|85u6aZINt8wB597AY0 z0th||aLyw$o*)*m7vU>}uMuh}3zaqwVMA~=U19(Q2yrS0)?6h-^XRgTa591It!W;q=u>xI~cct#r}S zT_8;tffsP;4~<7qryw`Tq;ahRp=lU}s7t@MVvG{}d%Kp6T+*J1LzrncV*%qD#_WXU_8o*qLy&pB{9glBnCN`#3196801?LgKSG;kZVZ{GA)Tgo+bEdT@qD|9!6DD z+w02#trG!l7=fs+4*{m3#*b-lLR+g|2DMfZVB1F3qrj;8PXMk=KyXlk_jO*v%NLX2 ztV{3~BqwM#buCM%Y8ahRt)exlPA|q9Q3U(Ccj$MIPSAfM*!nzHlOnJ_k9D`6x0=hN z)K8mkCG7saJgWO}d6a%sc~q!xxvb}Ygjn63<+95Pgg&Iy6A&hnGHFa%jFZW7_#IC% zjwQ?U5ppWaWw!AMndI3~j)f{(el5po0ijRFZRI#Ol;eO$NN`*($5D?k-}%>a9Qx%l z-G`3137h*-9>1cwU${#!*-eK`I}!Tog6=j#&#Q#3Qy8Za zI`y$D|+e2q~38Q=^;l@_o;KXqP|bq(Vp#`*fGI9)Ac zL{-qM7|{XfwTvsM3+n(EPy_O3q7ou5yLAZ4)!(L{iVY2zjZlDqI%1GJW(&d*gcAry z5l-o+UiTq~NeOUJmqMceBU-Nz+J}br%ElqoK18^I6=6#gVdytN>pG_097lKzp{0qi z`ZIPiS+_E|73^Yi&V%;L0bj9`a6cssfp|RQvyN%9&`ij4XVjZRY9B(4^P(EN z30>Pld#!IF6o>W>2;JFqs71xX0w3(wKbWjdye<9Eo(H$cXgxMN2q=U^0Pi5aD;k6RN}eP#lTo-MarFY#6Bhhfv)c$=3W;Vx+Rn;RwPBgrf+j&;iY8f+T=%k1ZoWFSKKt%~-&=hH)+97RDotCm4@1 zo+6Ze%^1Fusb{RPYJ@eA$>9^$RY5-qx+2KICdV8m&y#}A2%0Y_p2_|tlhws!TP&;=VND}yPS@N^-0@${eQYNSHgUxk9r=1j z5t?^5KOs1^`3WqKV_e4zwb?)5<%F76&}vB4X=2T_7kSk+?NTP)i(+*(-HW`&nOdcu z^m6lPen^Z6w>ydO6cZ61vm(NiRzx*@nDD$6S$O1%2v1!R;lV2+JbOii$FGR+^b-*t z!XmB0Q5tgvYXo@MIPd9?l}d^I1fAM2iSdX%XQ;Eh0RtMTEz- z*jdVihqlPVb6XrYfeBA=i_Bxdj=UTmO$#NcavRqAr9e6G)u{G7Xi)g%B0OHVe34z@iGAGQ3l$@Mqz} zaD+b#wJ_DJ67-&k);KLm$AQ|C1gq11l|7(XW3*8N913}+fZeJ92B zrzV@>+=f+B(`j+!aRfbieQEh55RA|%EUgTt#g-M({@H|{n+R#OY_*>k%~ty-kO!-X z1I04SSmt^zS@xlXrlDA@8q8}|^WxmKqb4JN?I_7OfYekR*0Dx1>rXH+-2g`J}(AkeDL z7zzLuI>smfny~6Jj|6Bkg7qhYN&r@OMqdEq5qQC8REYJU3Bw+iRJ($zRZz7GRH&$b z8*rKwZ3Ymv02S#{;D6A%qmSIgk z;XB={uylQ|#^Qk@8l9EW9gqZS7M?dH#**uBVEd~5yyFEYLI)>d6?CxYCICvNeXa8p zfY*bc3$an!^>|%#8dLb3I25qtJwe1nOR>YoD2YnMa8U|c4V)Ib2Vn;sMr+nX@|yR8 zMFu{G6j-AWPTmbMhLp#17XVuxV+HZ%R)D%6fDS0UBwZ?(_vy+VaA8|KrmVF2*FdJP8-?Na$IZ;PNK)EK0zro4i;$`-_B&0}@gL z^U@P+)6=oeG*-hdADy6%PEV-$HJwtq8&5yRq9>2c@K(a>e!}1+tjrB|o)Qa7du}4j z{Y(O#riid0+!ex|>=7u|oo;fnOCnx{+T=BEpv1<(gog!H?jR%VA-vu~7{#ciL(LYqh;7{9)@ zi+I7preevaQo%k-FPLra6>RPm7z?3`1SI$rC|ZW2RJ05ND^ydDA_~7Gugb~6#1?8} zlWT=rjHV>8W~PkV!+RH}AREgJa9{q^oKEC~Q*2ELF?N!Omf?Irbu+QWy9P|Ku&E}p zsXsVraJ*n)Q#{#Hyr>ZlQ6q$?Q4-PEwYBLy0FsbAJhJS9B41>8h$zWNtz{SO3pnwU z&BPYB4kouA-v(?8#*cc~)LOy9j*J`mgl50!1)QQ6I2Ce9g0aLgY${1G+gO1-l0-=M zc3A--$W|3!Ca7o5mI_S|thgh_Qu790_k?=b}7<>C0B^euBvs z83c=X-WHSqf;<>^-WCysE2~DiHVvf;W}ABtn_E_W4r_-aUNEj(&hb`ZVvEaz$y*l8 zeHYB}TpHQbPkcXfykNFDKWxrlwNZ*^#ueL6d7u!r3uc?kgU#iE#klnf9H+e_8EG2* zNXOH28*!>6@tB+*MT0mT+4LlQcg&SstLCDmwNB$;*uLkWAEU}BAJ_R9em{s}h$%KO zkH=XOl7~l)T~LxQk`Wnh$jjr;DWRm4QiVt;)fxP^R0j)61tHZTl;n%l0cWHRNU08? zq?A$}@NpeD<+4XGpJzo`aEOv1xE#TpLh3p^tRg;cm~e9Mh3qY^xBtQ)DHLuV0pX1_ z23~F-&Z(jRN$?q%6T!hL4u}pg(HTV~7fd!cks}}MzWYK=&R z{t1`V8sUv(K#8K5XsO<4sb1KTdf|%H%ic(a8}mwIWMBa!* zUT&E1Mr5Ro!pqywCT%}3w~=gV9LXiMQFysw!pkL+ms&$EYK=(6O%SOfGSV91rwW@+498nw6%Dy4)220d*LmX;?g=A-FNIothBdJ9j`5cdo%-lO9;VQw%LR-3&P-xDKgPf}Zb5-C-RYG!ArdV+r z1V_%mk=&80ML~QX<*H$G)nF8XOG?fv$_B#6{lVsqj4EVgpNxzuTwD*aG^*lkg%cp3 zt@uR9^&kn?1IDI<^quxBFe^Q8AuKQydEPPZTrOX7rVPI ziQaPKnCdAp+C3$f_^x{Q=Z>k?dZXQ1-?XBk#ZYAVwfTIS4efg66LwsG}N**Eu%2FG$Sv#bVWGMG_>xizy$SO#o-6T zzttoJ?r#1zO@F)ZES^Xh?pB+3Pg^?0{BQGPW`}zdgxd=!Cb4PCG;gW@gyypxdgP^L zPJcsDwcL4!`_=G!&RyCO&Rum$&Rv#Cj;YSoM!R#h`?~%U=V}@W=W3@~*Q9^A=M6%q z`WE-D+V-9|n3~>>sdY6p0Q6%qOJgj46i?8PU8^6vML+h4e(VYT*rWQfr}SfAP1BEU zKCU0@8401XKBpg>LV)B=PJIz_7R}Zd73hoB=!@3si?-;Cj_8X{=!=f(i%#i_khut% zizssuWiCQy{zqaQ<0Qt(j8%t2xaYmYBWm+gI zEkWf<#jR3;!#Q@h)r^H{1&0reNlyq&1gH>F5R7I-2PQIw4=~}c$@BzX{yD*uA6N`9 zqyv0?$t(`}6I7JZlV4v1XdMPn-)c$Ge34)pW++E#sX6-HpzyJL%#Tw)j$69H?db`H zW8gcS$|>?(sq$Uk{DeY@Rbxh@F}TzFPwwXQo+9>TAed#&;hv=Kry{r2(yF0(T z-8M7$pgOfPa7|Xfz&EG!wT<}uY9szX3x)va5G*fVlOaT{EVk_47(D_02^*t#ZdB~N zBzrb=F8>_<3ut&c&9K~5;&0uE|IyBIFqdqM{s?J5Iv4$sxlQ+~X;fXpG+k7h=Eucp zHM7p)PeAL{G}~0%mj)nR9s1zMu zxRFn|(=-%7s_LV2!|>PPxncMt4=@Q~0)lg)x!T@=e_gDWU(4uTE;DmM;K2q9%Vems0}fB-epp^Fm>L~go>D{CgIS&&kfM74ob}W& z$(S~(N=Ys)OWspGJ$a9(CfV=~1FXU^^0|2kh1G8+=OGjpyY50J!aM?R0U=W93Xn`! zP&me2vQ^!eFpt1nKv-HfMjrYGsg@(raW}g6cmX=S3cKUPNCb0P?(9R%;daGM6eXwBXf*xr1gHp5XZ{# z+oD(JkffGnrgEaZOk}BECx+8+r(FRB`|YJ=naS8viojyDqHrp9oTYi_@fdjy?I1bm zC?V`rb^yr(Dzx35oQI%F0SpO;0x{NSyF%LkbY9f{r)yKg`A)lMVcjFnmZq(q)wY=p z=fg%~1%baOJgQ|XCG!7HN+BGW&~L73YBd|1TK!k)6ouaf&BxNFSSEEHGZ^azH6IT@ zWb1D<+xiEW+4?6LxA}J(x4AzwZZlVIcGjhYe+>WFvM~IkAus%6*SA!9*J#zo=A0`&}?#^@c-&Op-*<6xZrf22u!3vp6~%e?KhzXrjN{3Q<{%= zUhUXxu4*5xO}F(o4b|f8?3iyHTzhwQaaGW4Y&fq?YyMW77QW{Ysv-=ppb&hy;e5~Q zhc-7246kU=k;0#glmdugQyki?*@SG@4{i25zPV!$pzC^QbogEE8T+-4JzR`7%BIks zadz8gI=iRZ6jX3vkY|KvWZ)5_+1Y+*v(bELv%g`p=Qht1oAp;cBYe{jZ9b%p3QqUE z*0M18oH>?iJhZuOItZXYh*})Oscx5x&@p@^Nq}QGHJA*+%}I`7%}K8I(CCKq$kcG& zF|6UdtG#KUV|as(dgXEvQ(=gv(m*1X1w}(pysMp}9m7N{l|hk?VdgIVYi1ucLqC_0 zG_sHZqU~qCMySu%FS5#sXLJ5-;!vVl-PVcQ9B}$cD=+Yw*HB<-zCxxnCKai z=sP>dGHFip@j2QNa}b%LdsC%*6YtY2)x8-W)clENse7MhQ%>kyirSY7N(FO=zHd0M zSxU;izv-SxjM=At!ZcGqm#{&tUnUL^sHJ3atLOmXD0G-wP0eqPZ|}So-Ll7dtm^Bg zvIcERxI!MDi(f}gt+cxn+T=~G&izfT>UiHRw*F|S{;I8i*D>vg;AvHZx--A-NwYB} zB2;V?vZGg)sYQ z-{oCM5)J3Ycv9(fs^KwZACKw{?qyVUj%R7}WxAv)P4V5~Sz5;ESv^&L7;jA^#-FR_<*0G1S&F#dm9( zr!2Xxy)>Lz7S1&5EY9lJaqZZ>C#8Fj%3Yh{t_{|t_)i6ERQ^*M2b9JEWg6OWJ}t?f zAD&x3t$wC1%Cy9Cztd84n<3ru@>J*1G_@b`)$g=*P-;8nvr`EGC``n1p1?FL=Lz@g zhHp#56GCIqgV0f1bZeq#DE(qKwpBGb+aEI(2T!#s>4NbfT`V3Hk&YRmNk)@@VfcD@ zimp*pXPnS=)%x4DTXoME&il=NQ+T8Ml>u$IxPubUr9J`mPBAN zi$JknBMB+WVA{%#&^5v4#|=g)PslF`$1q8_+F2CVtYprU*!*~5vXmlE2)YJgPnoVn zoyf{JU8>srcv<&PQgYvOkyKK1)O~x)#5XEOViJnAQ55lVZxN+`7V%Ofl~jbcptlJ8 zI^jt3t-Xzih+8D#>??^tu_Q`sKaC9Aty0*b<-JULtz_4Ym6~XN9EWRUtD7I-RAt?5 zQnJ!s<=nY!p zA*%CizQ0?o%+njH^$F&vU_;0@T$$aaW{4SG!-2nHl0>h?!Zl+o3d!z0Nlw@wT z?rFSk-D7U4e?32t3s707t7Db}J1qeFg5@df0CrjcaL}z4b&TImj6^{D0>7Q^w2+q= zDJ8GUznU=4@hH!I0f4hUXQ)*G#7~2`!7=Q9TJ78ZNf?16qsykv z%`Him-#j|kCHIROhxNH&jrBQ=!@nLQ1JF1$rdka&Q>NxWI2W4HH~mR>Q_o8Oho1j& z?)SaX*_fYUbf#*)$Z$+2R1YNd&LbrME_u#Yj$&bS!jYP@wdeN0B>g$<$iSpFx7=M_ ze>kIMj$=Bqw9G*gBK1Hf?>x;HNS~23L|>5+C>~;Z%MzV$iMBmKFcM%ehcE+ zX?SM95dEd8u7OP2+5toG{U(v-1gzWvLwbq_3<>2R_y!DVSL&7w7=l52a=?%rlI~q3 zyX~gO2MnqG+S*F!Y#T7dchcVKxd)u=zcyP?fuJ>l)(#lbbQcw^Gha^NYBeW={sBXR zQEapzlYTxV%IL(qY6c8(IS5T}6RHOh8j4Uc-jRIyWm+DJnDicUGSg_o^wgW`@$0kd)`ePtZsq+Byq5NUE<)*xWvH*PvYRZ z`w+J?ad6`+h_{u*%r1#3D2Z8960^1>W=l!Tk&>7bB{4@!VosHym=Y9If?}XQDM2wM zD5eC(l%N>I?JPkth_}Ver&syJ6f-VmbZ-*mWitHCRQCXrXBSiBKZx+wawg9zCiO+( z+`{B8XX<>2$-spTuDhQt&*w~y{HCG7>ISk(a93g+!Sxox;6y_IY{E$dou>%h&k(w{ z5l$d*E+lNdLb#K_K9sP@NjRCnT1jXwA^eEIIG9j(ns7WpO#@-|_k>lAjGVA?MP{1mC#Y#4tp1*`s*#ZsQll_Z1k@-RDMD%#Mv8zMMI%K>jlxI~P@`z12+=4SDMD%# zMv8zMMI%Lsx@e>bsZkgy0%{bE6d^SV$O+LXJdo9N7wx=+>J~!nCxq^Ggq?AO1`lD~ zeT1H!gpIEds%@z_ED#D1)*!4!*n)5b;RM1_gj1<>d>}chTJY|^_TdZO%_Z1Z^CA=h zE{%NOvp*u(!|~+dH0H;oG!e0n1gD7zd~F!p7Q9=wFE+&$4bF{CvHy-bgd4Gr862yU zVpUQsx$(t7c}u0drIEbCjaW*ASk8-Bkyp6!6+(G)Zpd3kMNM*|8(V7&L z!C6(ktq_^{%TbiUl~Nfj&|FalI{s%F+zu*(MJ|1_VjOdN+mXYSp$r!2TW=X?@m;xnQgmFMtX(&+~De6}a32GAyj4rn+RoZnV-UsF#N8(gU zluDkm+JUht-ZvpqV^eDHgjd?7;8#h0mE`9gB9gu|l3v=4BI)55>BXLs6G@*FNiXd> zk@WD3^kRpg_OvUdirbY^&D7k|-WXIN#fU9Hb%;DDOp1}lA)GHA3M6>13Fk|@FbUd; z_xbL?Pd#mveF4Xlr6Nm;^PfNxj#1wQ#a{1x?8oHGC0{Q2a>=((70U*8E4Fi0v77;W z%0BOWbP#HE47xClajf^TK8#MTJI zgW)H#FAz*yoNSDpc^Iqk_2A3sIa#Xh$eKdn+!I{t+=FtFo*DTi8z}<|!gIL*61X}M z9t?OSYI|TYG6WW9AQHVp3=owt!jlh%CSd3KE_Mu>^UT_LCHE?JqcamsWo44J2PA6U?USi(e`E( z9nojYO&|yO9{j~6ih9=+GhNf$MY`0|SWSKfys16skbqnMH zJ7HC0{b}`+a??KV^frGeJ+t;>%k~U{+AewliCgFDkALD-mK0}WMhamj>&#Nt!c#`t z&=BkYw%d?qI+hl?BQ5wq_@p)9KM|-h-S0m+)xI3y%+g{?hSP@FvHI3t>m!`o;C8ZeRFq zOJQa}cgX=T#{rBx0HJ8|9RygDGAI^cjsqBX07B8^I|x9mVWIwSnXdi--!1yTWd!~L zMZOI3WsonEd~JTiSaU+dSr0BuOvPsxZ_~U-V9Mnk#%mq^%;Q0W1X8;Ju%-W z>wF!d2w@SzLWBhf^J!0HUI<}tob!W2;c_1U4kz-ZH#8HPRD*8^i>O<$`0e5|Pbe6(N>aJC!L z{ogn~=rVM7+WJ{O@AeojvNB zGa0=z4d>Ew`TVO2WO}B|sXyKMvhNOOJ2s889bX$6n&qZsmFKSnlf(C7H@PVnn@PVr z77uZ!TYfiQaeia@-H}7++->obB!7I)~RAlH8m87Y)sAc?O5&syt-U`kgO_D)U_fT%Gyu zx#m6oPi-UVTg=^tZ>@zH`aK!-4fRXZF~MK!mt@p0u`eKziBB$WtLdWbyVG>fdS~&=;s?`Jf=j~tY%`Jt-DT!K&?1cCM9 z!~PSw2&cP0gJA6IKT&%<6KK5%XleDI&|jVE`_{clcXv3>y(v^5j>{F~-V_)Wj>~Xw zvZUfHDacTu|B83WMC_C(59iN}?$4mD7a?;QEw~wqDqx1=kR%-E*=5Kgw4@>p5v4Hv z+-sU%r@R!wN_~-I3|>oWIF4F{LWpt+kgYKzHq))maBG3cgkC}?A`z8IVijnY3 zZI))M;mh1Wjp0kfyj;UP>Y8Vl?r!r1lob*Flhe@Fz~ZL6=0IX>y*c=$fx%^ljaass zGt3Vzwgxi=b~>SP?rQ!v6XOjle_zhlmN_|FbMdJisP+f$Gv9_J&=HmTr!zI;Tk&V~ ziip!+rZ-t%i9%kkB-hnnaE7a&@#9>aG%-O;M_PR8w9LV6PHV7b4sLD|xf>By6i0t2kjfRa(Wrf5IvS}+GImj_eJZ-!#wsPEP#fLzhj4@(-Pu{KNvRbCLu9AimddPVy$^B1!f5yyW0@ZfNj2Nos1Y1) z;nUpG_H$|rA3rqWH{le4wCsoGyP@8W?iXfXp zKE?SR%@s3y^$Yb+nZ1T}`0ov;wz>U{I^XSwyN>q9dHD7@^cN?Bo?;`wxa1QoU;GN(& zupRsocmudU*Z`ga{tEm!*aKbw{y*S8;A-#$@Luqv;H%&{;7`DJfi2)1@NqEu?WKMf zgO?$M5x#?+4&Da7AKV0f5&R+e7O)2VEcgI;DA)xq0KX5Gfh)in;9cNHz^&lFgExT( zfa}58;BUZBfPLU1@JfW=5x$50BzOn-LGVTJ-@xm^{lI$gU%`jLN^mE5KDZ3509S!C z!F#}i!B@bu!5@PMg3aLP!N@a^DQ@Ko>-a3a_XUI<=}(1UOW_Gs{Sa4fhP zJPW)Id@EQB&H^6<4+D3A3&E?wQQ-67r@{XQ4+1;EuY&&xjsY9N&w>8~9s%})Uk5Km zxQ=idb{cpq_&#tWcqaG*a9^+*{0w+M_%U!hI3N5T_$Kg=;BnwDzz>5jfnNb{1m6L! z15X2g4Nd}gffs>SApC}K7WNqMXW$3GE#N$GIruiP4m=rr2s|9@2G0Zk4_FSa1dj*r z2FHUhgZ}~E489X=0#64Y1&;(@1HX}{uHp${L^Sm)l`Te|2#2X*h{8!joI1prgJ!ki zOiNSTm@w_lTR?N)a2pP@vPeE&D}ZNmxu-$Zizzu`(nJUK-kc2em` zDK$mpseW^eC8ev**aphe9`&zQ-yBiid?;@LIUQ4arLo2628_NrT`FQ#*{&4w zBR=A18|jdqR&Od*Bvt7wPK?`|eJPVF^t2GhHc`VYChvSvIHH9xwuzRAX!Tv9 z#z?r@G~&o zb~^~0mnJ%5<4Qym79GQ}sc|eVaSU_0kVwCXQ)-vcuPQ{T+#y{-3PCAB83E6K^Ua`X zOoj=B>XU&-RGIjTJcU4&X?-pQfnrq7?t{cB601T3g$?GXOVo+{bcs5VE$s`=cKqSa z^B?47;E#8nBGGGb>PRyDg2DqTUCZzzidhxTcMLz663%zI4yM8&f(4%{gMUq>2=bP8 zj?AgN&)$Jar4_aTju|MR=54tly=5UyDCt@TFh1)1uBV9SoN^M(Jq4@p!d&?uO+zsw zwE{E1Ac$;>M4Vvnd@5FcI{cjH@6L7{v~)lIf4Lkp{y!Jp(Eneq|CK5wR(;q1mrC`& zT`95us}U-=OhaknF2W$pMPpLn_bUrLjlqmZI&gOa(~T2zwkBG06Y&#!U81EuP%M7q zhR$KO#dgv;Tj?&wIQ$72-iM2mQtU#3#fi8ln~0BNSfUGgF!#7v%qfGWnR1^BYYv?d z4aPZih6IJ<=HP6Cd!@zB7{gz1qjpLrR zY~LEoXj706Iht1$>tE16FL$0WKju7X>)$D}PIjJfp2Vzm=gI3{xxpBi@BVxEfb+QB z?fh15dc!&@Jk^rKM%}nSjfV41r}m5`$$2t7^)XADt-pB?6^DZG6@s})^83;N&iw$) z(>{rgl1ikDENoC)e>zFjuef%fU`vr;v;Ng6+KJLZcx(1DVr&H9l+i2+@o*L}L-R%R zw@7tgI?neRU%Gs{MzX`-C;F?040_&+6n;$~zbV79^X2_c4!J5E$ z!zqpsIS?nZBvLARc{h7fvAbi(r}DUJCQ7RL!ucPw(Rh)Nx?!4e?Y{6O)OOW*fUY(N z%W**u#1I@1Ko_ZS&}FK6@GK0{fm!N!sL(lKfXNO$9qWvt;X5FdbAKQc+3Fq(WTK?H z$5N9pi#JIfFT6uzsTbJb=pIVO1#@~TPxz&3ik$~ZGuh;Z3dj2bc`m)eYN1HVx=@c2 zke8VrL-3ttTZmYBs-xfY*dcB50X2NV38e9ovKwOXo-)c4UP-?2O2_cn+88lSUlQ=( znF2&J;d|P<_|PnxanHgr44&EtX>Kz-La;|9seN!3r{L6_gbVPfKS4Xo)lMyQ3?n2>HDMD$paBr6O*cD+ z0bK2*hGW-pxvUoYDH3{`+8@XaPWS&GmrJl@uaTP0PGJ~MYkzR8(*6Mck@g2@X4>Gv zH`C3&S+z0rgyvkqZ1dv-rRei4pr{Zj;s zf<-$o5(tLP)xl@;GvT5<@$wuSInDlc}=d1 z(bzRdo%`MYZZOua!=0|$b+`#uyAHR*EH1fmFur>=o1_OIRB9j0R1iP(06y&d-d&<< znKl&@F(_jRPI8pD1e=!`R~aZSl>$mk)$hiHbv&ueOcVFJzLVq4t#=!YG?^DCe?gkRsO1kyP1PtnlbrkN}#LbE9_i2Sr?5sDp?4z)v@X}_eyjULc3lv6gx`F`6Cmb_Ny7~SKE~UB*P!*Epu>Nk^l-nObF;-{|p5TgbX|wu`H7y zBL@OO#gC0GEevNs@x4XdDlDW+aa@KI(d9T_25trM)jj&=#nnBCujmC!$>=dd$|YhX zMR9y#DP8_LX3&|tFxfPW&ii~-GRriKc6z%0bhQ)epDe`P&pZSvRUQUfO7&+h%7cp? zPC}PELf{U?=XhkXcAdez2N?R<@J=#@0{ipb;|SWxLC zL_I=LRivm4d8)XzBPrA=TwD@IV!rUQ*2EkF%CM3;#MRP6m(Y}DC1SXj`~V^}Z1Etb zV5AWbV+tV3G)bWoB^q8De6y{gEf*+Nvv@|m=YZ`Oo_&}#@`(?8hr&P#^e*wg15CLeG z$v#}t;qyRMV@6WsmmHEvq6e7NBhy@tX_idP?j~46u$Ewp=D7KM`2MzSmLpAl zGn?nsO+=e)Bk{I~W&4`vgrD?(>{?kl^-@9j!=8Us*I8mQ|44rY^N;jb^jG;T3Zk

t$sMaZbZKK^?d8NeA7@owz>=xmoEZ>D*-hHfR15+u1^3}@qo(F0PlUIUH~}X z0KC9B0jldDp!E>IUJYpaiQpZ8Z7{$x5@6H<3_k$WmkGuL+;0Qg-2iJF0VS?|9iVv@ z5cmvG7Y(RV5+o8#1sG;*09G~t6qVmHp1_$KqUt7qbF1)%9^^>pR!O*h6j=nQCD5!H z2XwrJ#$tl>MF2XFiOU55bY4N7$E@Xe06LGi*WO3!1pvCO;Lc;dG!#0I+0usq=sc!L zQ+en-USBjAfX-ujv=)HQ;}u?)3C07^c?ESIv#Hw%C^0&Z7rQ?TK<5?Id9*-DkVr5U zK%GZB8UWNyLhd}GZ-ON{kM|f;=gE`=IuEM|fX<^1bY8)o$E0z*NH%pVW@rm$o8Ao0 zFJq;5Wa1U7{2uMc_P6&9!_F122wj_yMf;N1Ap(z54dVqaqC##uQWI-`gL4dveE+_zY`F1Ekw9I!I3V>G} z{Tm8^y>2BG0HypL3V=_W zJ^%$k&-(Y=3e6NPdvs>cP*_ZOTwyQwmWfhw` ztqz)rQnAHEmWRfj30vdd*1KUbQC;ni!(yV8Y%!6wfwOHu`Il}YO~|SK;E47=*m9}Z z0#RHCZBHh$y1rryL{{wqwm`5NrU{do?ZzJ|x?via?S?yq4Q9K#MA+Z~t;c2#Xbxa& z4Y2GX)Hlx@pc_r9HHNVEAa6haUNJ62G?v^tri8`~=`#}y+2I622Q@x;iHC*>&7cQh zW`es+c(oA;XGGNGb)B4vSE0BT&g4YRuXLS!8Sm7q2Vl(=?AdJqtha*wc|HJZtza*H z9)NXLaBiSjtg(XqbU6U)tKclQ5`eW;aCUkXfOS>yK9HjTtf_)*69HIH1$$~W0BfnB zjsgJIQNfdBh~)+K9+9~oH2s;ok8m=!9 zV7rjUh0${DLijhr&V-?|(A$8Td4P`D03Vr^PZPWd*n!~rkYEYHe86M`>tM2m6Fdaa zJqp->pqU8>TmsZZ18Qvmw-4Zn1&l+uOgXy_0h-@XPXbkC11cK;&VNw?yP@)15Pik7 zj|Bb~($8x-4Z>9}gi1f}UZ23#IyzU7+QH_a%_tH|~ zraggs)&9Dtd_T)ou6kgKt6uH*UBgfQ`dMk}YTsGyGT&K!J)JCb3_o|3R^zFmj_#jR z+def74cwb*Ux+u*;eL}!eOoFPxp3}Y(YlzRSl(Kk4o#|SS*pG(a4+t2ti!#9Yb~z@ z?zR4Hnt7M!y=ncFrb+#j0dW0Gvk3|a*7Q?auJls|PxVvkO8Y4dNIHF(e zr&Pe9fbG}>;n>6qnH-ze_EQ>;^iyiz1s_73;Sl0n{h?g_Nxgy!x1z$m{girC+KdR_ z67Wp;P;PZ89Mz>r>Hedi()t7}>l3hQW4CJ#X<+&FXv9bTl+M@CJjc|)Q~i{kT2wO~ zafazg8PXy3AViKQY>I}zDH{H!=rsgrU&|PzFrXcuBd@EU(l!>U|A}zrd2ILCNp_q=Ce#*me9p-ZE8`)<;#W`>`=fG?F5cpLRwGN8ghCn(bjuNwfzi4DkJo*~+ruscfacE?e0)D;qmhwh|8^XDcrq&Q@CbWGkz#qlih_$`tmtYdv$b zmD&)BK8|8v&Bo4|tu&jnl|4^oE1M^yP{ez*h(moHu?PRs zS}|N2l;Lo~2fuF#T7bTFZKqU$f!Rto1~8C^SSw=QhW!WZ8R!?gm$C9C0k z5&h94_eU6+di3)(4EggIwZ9<${ip?ftN9t}9!BfvAVEjQQ0KIM6rPDfFc@7JgiZ{j z0nJE8zDmgF&`PkYCtKN#^7ZW)QyqGD8wwbNdS1#_Herj^8jv*u<2N>28AcJ7sn{a5 zs0*XjG9SG?k*%zofH>>|%`cg1417j;!KaSdd zL_cYK?tv~t3o*t))U2BcUkP&GhnCx^-foOW2kLPL(Pq?9e-_(3AEltp?Z2Wf>>th8 z^1(1lT#R(sA2b`ViLiH?He=sGEuCKYF2RRB(GlmaTWTj69e^U>P{Ah!zG>FU;h(0hf6{4L zzr8cYP*fpPjH{60qnJ=3!$&c`LWYlGQiTj3#pDVZK07L~1Z#!t()9{i2h2+|Dr7EO zg{*Zh?C)Uj1;0u0epn$he~q?10zb;I4n~^k@V6n&*b3SH3fxUVNUM;wpqO0x~T$}0~NBbDrBa6D`dvMgUi6D5m)_L1=f8<$UvBj@E}@+7F8P& zi7`^N&P`}t$r}t@Hy#^KG9{}5o1o%C2VqxdWqa#N{C>*92FQ}(qnMB-!$&bbONNhP zQkD!K#pEm*K0C6o0kW_GvakWbGqSJ&vakVQe+PRnI5tamCJP%N3mX7DC<_}P3mYH{ z8vyo;S=a#J+p@3$vakWNumQ5L0Z@qsK*5W$b&taNc9v{&7B)bZ>{u2yKo&MY7B&Fb znI+qhg$d&&U0T40}<{~_ZR-r}JMnqza zumQ5LPA>v-*38S2UGQe%S8nS{vl`nX3*(-}qo38)d1+O!9;~xk?gr5<-2qE|tak6H6oXqkG z(mn$IFiuu`3v^tZ?DE5LvH;36JO)PDt+%7hFOcR;oU9#nj*G)O;Bm6Oak8q#aWW5T zn*^DH@N}GPavU}q!sa-c?Qd}16ek-GGY4TVLPi`me4MPa2T^y$$tJ{gqHx0?G`s}i zErfT_!2cq65CRC-5!`634Z)0n+^uM|Wh27-2x}3_5Ky6IHR8ano6wmk1XON7XAQqY z-yA2iqPd1gQS)#F;sm7q7(Q^-2(%3KRsMp|ji5!)A=Jjn!bJ#$>%+(Gj%h&CFv9r+ z#RN+U+?xnBoM0izU=6#k6V|^(sNK$<4+&kj5PEckEtjTYiv~XgR1N|-X%}+Y03O;$ zJ+lBdim)XBoF434R9D-43um1~9(`(8>Y2GXVX4fVR&F zJ_K0m0Ok^$4CpMWpmU*uPJ{}a&=hnUQ{eoipfi_(PFV^%S1ITurJ&Q20;e4Xop%&; z;!)6@~h{rd2<;%2(95t;D(BN@_M)No^l1$v$o+x#wF+o!O>%LZb9ATQpa+ zOtf6IQM5;NP_$o^%yrkndQNbz=LF|^PH?X01n2sV@!aEh?r}W#IG%eP&pnRk9>;T! zKTZ8OoNSxd(7#vhCHEQCoJ6ThL|stXRjAI1 zvZjhsQ1wuh{XQy@{<0rJwO!GlXQGN@C~pQT`yJJeKv`0(J&p=XQCk%9y^IQ^`^G;+ z9_0TSHGhc87om#jD8CAo%|Qispscl`Yf#;7Qa2K{H6hO;xe44b=X!3Kb3HfAxt<$V z^FD0ihShB1hShB1hShB1hShB14%ckrgqls9P_u~>YBq5~Z457hyASp~q@i}KhO%EY zw7qPWKGNWAGef(E*06@$cnz*u8r_${zPB=q}B10{I2*(Rb}y$s$=l2P=s5$bAGxs0lOqvc_v>Q}?xZWNUo#gT?TU=;mp6!$Pf zj~YcIjFv3JKguW?Z1{&6{^3Sh&?u`l%9@O_14db%QJQX)?lnsH7-jbvWz&ta8Ai%W zM#>9@Bi+c)F!HmF{4qxU)keW>M!_vc>T`N8tN7K~N@iPet`(PAak&*YT5*pR4_a}* z6_c|UFtt5%X;)^TWqmDH@XlG?sjl3iydxffVTow+Zo>O2oxHR-O7B(EdM>`1aZ zk^-aZ52G>CXzOHrU=)`b#Y2pStwzH~*@>uetKoaWs2f_c!XMU;yGz^swMU{I|X%fS0 z8ivY;qRPFRy^=qG@+pkYWg-f6|pV4x_Xihhp_Zck{ zUSVEMh7sItRDWiyHmZ&pzAB^gFavAm?s&yDh3M)_u=JkcoIoc+B~nr4)~Vie^V zMK>5los7bhM)nm()}==3TqDi%3e&$7>3s_BGk05XpSjzD`^?=I+-L5#;68J=1^1b| zEx6CzZNYu!ZVT=+cUy3uwcCRGtlbveXYDo)nY%5x&)RLleb#OZ?z47VaG$l?INjWB z!F|?lqaSm(k(j%U#N2Hp=58Y?u%?q<*pcLPB)J_)aYvGGCC+sn$$LiNFaIBdorfD! zs=H`X@IsxFq@lU(T<77?L!^#lH3tc)YtWzPAm`z>sRaM^87+jU%sX+$Zd7~;$~ul} z6Hs+c(fNeZ_fVajQS%*2wYjcz9u7W3+V&c1Y(t?=&SweLCsFp~w)KR9%aQLFsjbmV zlul{)*&JY0J}!PQmt zxE#7$^aS#iqn4ehDaIL5Hj^Y!s8cL_FJ0T4E0ii{6bwMl!_Cq=>oM8+lqTN$veHX$ zBMn}q<+6iijU??dQRm^*sWLadnm)4PBa(&`R4(m&j*MA^D4k*Z*d|%+(Cnsj zqV2w=@LaTgJmLLl`|p=PcNhTuqwQ@yqwTH!X!}^wjnVe>^WXwFKiXbg4_VRn$;#G!CDTnv377WzRFd<0?mnYIgH5j+W*kPLL!lF#u(SON^N zWhUGM@4yrAD9nQ?FbQslsc;M28f`C{1G8WUJPohI7TCnd>9;sO+RmZk$D-|pR2MR& z!mS);S&EoK(HLMo3ReS{EZhqp!aDc>{sRoH@MU-jUVs-F>i=LRya%gb4bVquExZd{ zKEzsw=qp4&p*P_z_%AGnWx(}9D}ZZ-SoqL-coklOx8V(V4VY4hYlq~z+{zGRDPhVb z4+HZmnGKHsOHsmdm9ShTj|0nBG9Mm*neY%i2-D$im;v_z%UyCWu(Tz&!Ci1COoKb3 z?S8K5=bC=T<7aGs#^`5Ee#Yi!PJZU(XFh($?0*)X2ezA^wequme#Y)+?0#;)e<84* z{%3&Oh;hEnLceE$szN zsdOxC1D2@lQs6Qr|3W);iEs{dfwQPP27f>Rs-o>RjZnj8zXUn~OHj+st7TfXEL9D+ zujU8%9Hh*0*09_)EO8A>T5~^42F|Iu6{bYnk2XOt+Md>%c!GE)bOpwdb~dmSX-qq9 z1+d&lOTh*8@Edg(0=F*J3F(jz*^mjWLF%vY3#38{905nPz2QgrI@%s&T^c;V{DaJ? zfwc%G!~SS{VaPaYrr{+bTd83)aJz%UVF^s6-hj)2`PGkvE8(hWyR$Fwyy0Yw zPS)GWyq&kf)M$I=7`OtMTPACg&KT0$fOSX@N82;<;Apgc9ig04C}s{M)^eEJkbazc zhM(RFQrE&zxCKFWTyPc8ZSWoVAFPC}umwJak3gpI8oUZ`0=qcKP7VGSHozv>2rmLV zHuyR$1(qTBGFu`6m}1FjV2MgtqLNW?6O4x`FahF$r70N!EK|vKa3kCRgMc}eTn0m6 zFtAMi`(Xymf|%=N9|9)#W?_$}^(v716{pVg%U04w1m^tavKgzL)S8O(wz3z}+gJ z4F3UEv^)veAr%(^D_Fr)%Ws4mfICn=5pDwRa5;CloI703(v=SbY0JhAP#>T^K)(T& zG%yZ0Kfvw?&{v=s*wr;r#L8%U^$&0ueu5vVW4Hl^9_Rxsd4MGfuv~%fVFzuvHPv5( z3#hB+L0f$&+FqFj>Cg(LPz5zm9c}l%3QtDcxienwR3*cz90S+F>+mvghbotI{CZ#- z-Z{XKE16E^P?!$vj>;>6J05r&Sjqr*B(My)D*?_AaHj&?y#RMPz#R)L1^N##gaAt$ zcmud*;J@%D{13Q`0q%BS6>uv8OMqP&cnMyB7kSR^3}-+LTmTnBAD**Mz`t;kGIza< zr7L4;%UH&;F3=6Sa-3x;4Uu;uhM^7GqwQ5mz}&080(NTE=dcUDgfD>Qu41{Xc%)RZ z)Kwn=>sZC^uKF0Z!zb`5aC@qD1KX@>509K5;b-^>xD}piXo7lRXM4D5MI(JRv(=ipmCb7@zYO%# z$n9(7HZ;;-qtr9^M&{G_G_YQcT)**g#=@iaND-6){T}gv8%m)BxMfGYa12=6Bl*DC zjugOePzmM0c#h;iHZblZS&#zU%Ol+4BWaKdM|q7+e=g2*u`Vw9chRql{$1QN7u(6j zI=R?Nt~y{0F2>^G8mv2_(V1l?Gt4@Z$Y?T|c_t&uj)F+&26i|Dx?2ZIr`i@aB5_rTpu7ew3 zEL;wZ#W4bymm?kw7zhJ^c{?tJK`@wIcpSKk&C7wE*YqB&h4ruwK7noUIeZG~z#28N z1Dd!)P5*<9@Gh)^HSiYv7ghlMHoXnYqV4(IhkS`o!(wV#R!hNs+9)btp zLAV(v!c>?7lYo0(z`7T(mQ105OXqWI^KXQ4umM=s{6oO8f=htqF5vY1Q7{s?ME>20R&46s8l=t^A! z)REhWe?ueu2~}_$SSD`({7}uWq-@nf`YoIQT(gil6*8y7n_xVg3G`cdHk<`)_rhVo zm*I~rIg zH|yl$9=W(bF7B7B9asl9>*NXp>)>L2T&=*`qaxfkT*KvFdpTQ3J1hz-Vu_xkqH66#x$~e{{jvt0`JT1rZnk|l(p>g~w9>;5^ zI9~F`@is*qzgx#~tvKE~iQ~0V9KYwq@e((VAM$bhP>ti4r#RlZiQ{!(9P1UwFL80a zi4@2EkK+YH9B-|}@zy{b^NdU7nmknF_#HQn7Z`Co4&wL$7RO$Q_94{>5c$$dgDKw5B*m1li66c*$Uci5HK|7!* z8#P9v%oWJ#L^V-pD|iPZ-#pYZ5H&AH^?gys1EM?8E;s;t;V?KRixwkK6Iu-^(x<-? z)jp3>x1ik4XeR^~p|Q|D15JS1b~GNOr*V)zO*93$?nj$Ts+|vN{IY0_S#Fe0sBft< zqYQ|m@8LB5FOVi*qe7H z*nM{-*gcaH>?!o&ok?CopZn>17U%R%u)ASA&8iaYeizVvDyOCz3A}m7aEPIyG=GaB zEhaLAfP*1j!jL%C`5=7C5cltW(B470=}oRRmSHg56xvj_ zk~8GMg<`O&TVO?kT?Ul^VFt6F4qk-+kaN*MCIfq( zfzd1zoK6OEIdJj43HIFyysN^nrX<)8C-8HP5iuhNS8f@|sOE7w7HemMeJe{v@Kh%7 z+hKy8Rb&Qk7TrZhu8UZuk&LA)*jc4P42Fxeu&`yXF_=ZfGa1a!oV_o>ezYRNp7A?_ zSKShk@^q&|Kr>C;u87#h&=?Bk) z3mMWw3<>I4j*`m~c&W&c79{Ws0z(+VkhU`<8^gGYvYS4qljm@2*fgaK)4h-(aWgsH zHHT%2Ud$IunL>7^o6n(R3_6yP zH8H9=a2F500gUWQSi*?7bS0ap@>z1a4Wz?SHr7pSEcQqyd&T)ZL*twv{Zu@{j(>}s zb4zaIK{%J;6*9DY;RYUrUo$+e;hDnlD0{i4rxaMY0R05M;yT=jlKu>nDSMjf^QwfV z-U<3-!3Rn>He9xK$#6Di$#6DH_u6X`x_f6Nba!5!(A~2jp?fHWy5|zQXTFipJ(!=+ zz2UWl?v-N`x@T08e~{4K7oET#A4=#kJE6zigdWQhdMr=qu`!{?o`fC;6MF1V=#eZP z?-Dg^9>PaT?;OJC>+U40zkm$!vD+c_eaJQN!R5{5h!0zTNrw0^DIW_W*T5$Q-*+WY z(!j^BBT}xQq=64cUmh81){2gd9yg`jMhgvcHHVv$201oX4~^w2O*hKtj3`&17N=6K7{M7xdd|2oWe$p5@G=E6 z^6}hC3WyJzk0C>3H%fM+w7yK5%9W~;$q*m%y^9PnOPMf|kI_nsC)$QEZfp*@ZXe_J zZJH2c8yjQW8eBvE`R=tZR&| z;=UML*~7GXBgR%TDaPixJ%;}-8e_{E8pHo&jj`qIft!H7axbFaGh%Gs>*?$^SV;R3 zF*Zjv#}^O}#n^UIy_P1!V{AqF9HvY6D>1gh&thyTH8Hm0^J8qaW4Qc7Tn0-2rp+pb zavALBJjUty3M!$AZZ~r-<(kLg+ZbLt#Mlln>S(%W7UfGB5tl4`htqE*a=BeG{MTQq zTj_lpRqs*$o$`ys5Tju+@(wbJ#nj2^TVe)1UHLZ3u*Z0A(?2#B(-a%i)H^2kx)`1U zCfb_5-JH^`=ovG)za#0EQ)|_9B;5)PtEMCAmj94dBS~$3{eL!pFwyp!8A_|nxYP`_ zc~+!V#Z;@EnMg}Bqpg`pYb(n)<7;Lptuo_M>u8=CZ@H5T-;$k=_@=~(HvJ;;wqGXN z3O@bM2=QC$S|9V}LxDRqS!%_s-F;rm2u`#Smu3XJ@LBk;+Pih()58+9G{h_oq2&LI z9I@#?Cqr!YPstEl_+v6ewk@)$w-hw;asAq4`Otp;0FH&Fcf?l($k!1dvQCn9B5Q3V zLu7wOG8-wG2{p&1bev-aLs};Au{??$nSL?B94h#J0{Pkk`I>@rtg`t<2GsCZE>2Zi zIZtyNKH@a7eka0fauVN>K-m~M<#XUuWJQ?&)i=^j`V93_|Kis>6alC zr*JLJwZ0~UM${3toPDK!(*iY`@frT-I@QlMan**lOoJB!>{%ShY!1o5+q9qM{ z$AQP1vz72&3#qh4ooz?|acm{m!1ov|(=U0@prunIr|Q(m(;ngs#4b344Dn-NB^l~$ z`}16~KhK?LOKT#jAB)PTqS8LdJptuU(VISnG$R6~kC6_N8)uVikPtf3}ll{aG)ZfjovoIsOV?w0t!PB95lYDyx--aPcXWPwkQ=`nl z_cI*Qb=AO{A8((*F%433-LEBrl+veZiNIH++#Kn8QZ}BI=>9cp*tU}B$jlmsX4dev z7-o%?upb6mHCCcu-yy>+7;+#ti#3v{Y#b#cL?t zrXl~3hVmq{^n!-$?Hc^kB=n5X`Sy&^3HOZ9srHP}x%P~3T_SCYMwR_&#UHGA*oxnO z>T~fW5QPKHSiL~wi-rBoa(0aw>$aHn*#TnVpsBcMrZ|7BxNz{)q72(s@D4^bQOMJT zS_Y!#<;XV=x%;Ec70BsCjgja8?0}+d6bhqVknw=%PE_9)rEWov$)d$5YAo6byJ0Wn zc1DL`HORs7Fb*bwoL0C1rN~8VpGSf9s4lrEBWsEFO_1&~t`Qk1_$l((QCmQc9Ie(% z91X|?+6GD|oWtd_ZqPwAw-;sPoLk+Sbr`9BI_G3j#?vEnPUgMKPC`dp^4_(Lg>W}C z9)9nF#zER~v~Z0mf4TT0QF#iU0CmZzJswR4*CnW}6WR*i!Kfw*1r{Ms6KWZVnx!M( zJkdnt?vFCA5g91>sc1d&*iq&RF) zLx*8Clsod?oflF4YTmm&BV@wtPmxTSJt~q(_l%HPW0^LAd1IM4J6I%B?-?O;?-{}5 zWkZW)`VmJNQ$%xn-n+rVymv>6_zeophPki|=(fj3*aHV)KO_&DMME?j=E5>q4jW+) z9EANqL%vsG7QX<@;>#Ll*$%)C*bQmD2hECT4bFJ1gL=J$qL3@mba9%!x|9QE?^%(lA>+SG`QVT)k1f zM}1JeU!5$rZB=^*Yp99R;AzruSe@HhgJZDPJ9YB-?Yp)ShSuuI(-sUZ~B zuv@)Ty;q&OMT66+VYNEV?7C&3md2`G_iGq$7A}#{Gkuzd3F>j`I-OF_$x_%{G*v@O zv>DDc%Mp#wNjW0t)`I(NTcIWjd74n>3e*^h4!{lwh0!i(8HjxIkh?!R47*`3?1a=U zXf>3rN1jSlG6lJ9Xl%iKY+%ti(F9R@ym+#xt&_O6U0hdGaNoQLPqVnhCtf3}-du3s zQHGLt-_*WuJ8yvNVGP{Z_ia9o_ICcCPzMcg5?Y{6>923soz;3kl=l z_bzB06o1pahT!?9;s!H}D_Bo50ovoyWY`Mck~}k%MpLSZ64^EPG?BLq6b;e}-#l{n z05hLo_K%eMql{}r*J?%ZQ}Wp#j7agTtIO_^ zn02rEzOtJoX5J@m$SLh6v8cs2V_t;!MscxS+;X08M)3>28N&<4_-0%sD*n7JL;PD; zarqtM)XT)hFKUfXeT%sLQS}@%7R~j|NN+6uTw?Kaz8O4IpxHo0k7ckNHo_h_2>T&f zx^VVO|5u`K*%Vt&ePEHedAZm(QS7mcLkUwNa_aL|P2uHjeZl-Gwksfm#a6b_oxr5_p6h&k8+2G#z?c{%Qb|; zW=Lp$-8L4+!#J1#?eSwYnlk>?k2TPJb)wC306MbPiO2s)k@LC^CdQn%3KFz+AY8kx>8PqWl( zunlW|N2)RpiA#LqVuv_ICOu5`k!0D1o>V?WL-pq7*SUXaHq3=(z}ofL2z%fl?1$v$ z*9&)K-zg3jiun;NfiJcxoMQ9#lU?KO*D_EnyUyEBb`ECac>Bo?^Y+WQMs0{?Ct)@c z=B|7D9S|KBtrqz!#q7z61lg$Geko3|W3hPml=4m9ey+tD3a{1RUp}RKdu**&JXR`Vd-Qoh|B)+enRLO?j{~DN|&ZR$B8D0tY&9QUNu{se!Kc% zaqCI-adBIoTIRdC?611DW^~_TMqL%^vzJlsUiq$Ak9E&WmfU}bU#{Q1a&zSeW%rkT zXq%v(tZrVe!QEd&#x-UzGz332!+H%KyN2A(8nWXg$Ya`!X~)gjUS-C%PFA^6VpEa0 zeS}wQ+mfYZFBm^nVrrz7^yHTYsW=+uE7vXsz9cP!uU*UFi_4}e7mN;b5Suu-+_6TcOLkaU*G!j?WmZq@2kjHh01q?YVCsj z0usL2Q=9Q7gvPoD%-GUAnWHVupX(a~hs@yHp>KJlH@aqOwI+OzGcD5_KX=I+ND_PL z!K|Ze$w+y>hibjv$d2S)sePA{4lA^$t{3HJB6C)nXFtRD zk9FkflQ@*#sNtE&;qv|sZ)~8H$fZ~5>5>i49ZFqFNk<*oSHpEAW;Ugd)z~UVn(f~; zFEg=ad!%ni%O|`8;{OY=bmlUeIjcxwT|6%%+RanIQ|AaRW--BAO$Txu;%)QtCxsv{N3!w#xT4(l0gaP#;h?9oFD9 zpLe{GTJn5sR=%Ynb*+Y!85*kcG^AgxVZ6F1O+#C>hCojZzMC`@?A8zpo0SO~8Uh*u z(=-In*AN<^p>k9C+nQ7qSxM<+u43OR4Q8GxAzRialnl=c<>f^=Z7vM$PxA z532X8llyvGT}MP|$k8eaiCR$ld!mg}%ok;&+BT6isg=gH&8X@n(Tk%0h+YuAB3dGP zUi2Djds4KZ?;_6bodqFbwUxsOe>RiQ|{jM>2eO<~e`-3n$?OgrObUpcO*U0?qIb zG{N8S7yJp05QGM(hdQW*8VEo&_@N4p!!h^+eg_|Tp%N;f9Dai`D1{R6fE!#;3`I}~ z1&|MUkPA7G4Ox&0PRM|CNQ0x03Mt@#Bk(Ky0zbn~@FV;Hhv9oT1j!(4bP&FUZ{Psz zhkfuh?1eqB8@_@s;S2a2cEM+m1UunV*a6$&6W9hH!$+_cw!nw589snb@IGvW4X_^8 z!F#Y4-i0-=8dkyoU?sc*D_}V+gSX)=_%FN(Z@}yD8oUaxz*2Y_UV<0l1^5pvf#=~l zcov?4#qcyNf`#xDJP8Zn378M_;BlA>kHH*x6dr-uFbf`rhu}eY0A|AdFaz#`d*L3K z4tK*{a3|aW)8KZv4W`1aa0^U<$uJ3ShKVo%Zi4Y}BaDL^;CdJfW8gX%4cEdoFbWdk zY8VL#a21Sz;cz7kgDb#*c(@$m;4&BrL*P;v41-`G41oS{3B*D_xET7vMQ|bXff%>| zdc*l}9`u59p(pf!?r;vA4QIib5Dnd+D|CS~pflJZ3L+r_Y|!b;4?^qo$x8_fbH-JY=e*CBiIUC;6vC9AHXJf zA2z}USP$#qJy;9x!Wvi&tKfgI65fFoupE}b+wd0r7v6+7;B|NnUWHd+DZC6X!He($ z{0El6^Y9!z3(vq}cp4VLLU; zYvCFg1&MGqjD!TZ3P!+ixDtlJ6<|O-Tn=$?84LyfheT}cAQAr?AhxDjvVkK0aXR*^ z{DJb%(y>{8{Sp;hHrahZL)}jrd})NVzE)+*ktH@qW2ArIlA=Ukr?lsm#HRFgG&&lK zuU=wnJJ#yuU%e9ByNQFESI0{3{Z3r5T0E@mb_oTe#hD3m+QW%UY&p9kb9ObnWG20> zB-qsFRHfuvzadgCwjr|cVR2dJ5?ko{$l%{gY=O}lf<6t^m*}yyr?ljlsloY&S!&cU z%$uyy3KeU#R5ne6+w3&&TeE5LK#f+&xKB%ki5d#7)4&vD7?~qAaAE%qI<|tZm)N+3 z1WqT!Zm3w@)wUt^)th>07)A&^E``wJW`39EM~)DRyUT&%?sA~GyBsL)t_MOh^^BQ% z#!Nk9rXI++QVwKXDF-sHlmi)8>VeEIav-yd9LVe<2Qs^uXN=G@M(7zM^o$XDAng%3 zkoJfiNP9#Mq&=bsiqDn<#b?Wb;M&*r0iXKbl>4ikx|$_AZHD zpi|%ivm$UoM_DgPy>&{%`(}fN_ss?k@0$%8-q!{*L*L19f*dA9RzITGuu^Kf-!clW z>DrwyG$)h4^Vqffi<)CImp`b@G0Kurr+)_043y;0*bz82ZLrxz+F;801zo#GWiFrw zU&Dg5$XGlrG89jXE>Vk)@)@arMyg%9rCqwE9UiH6c%=TBj&Y~Wm&&yHQd#LSn@cpy z<|&mP^Q8K2(zd>v9INjp*Q@WQ*Gs?IJFn8Sp{z>kP8H-(>`b{(&L}qh=1Pw>=CUfe z-v3u2t^dCYnQ-l0y2u0$OUbJIKlArZJ3VxHs9BevemZ6GP8X!V*wBNK=4m8)4$(Wn zI-+M%VVy>%=VW%X&LPorh~_yYdJfS#hfL3LerKISqD_ca6Ebb$n`ZV#)E2z$r4!n2 z7QF+kGKpT5sO|FjqrTdZL=OIv;Fjr z=F`pA?p&)miC%$dUV%ifK(wwvrdO!$WSv8zO^8+#GHo)`YBAI7bf(qkOtbyWj^;DX z)=o!c))-x_f(JS>I_yYuPDBPvWT8mBuUkp2ZXh{S)^X@fE3x`AAFc%toPH=f0%#%p;B%*l|iFFd0p2Uu{YGiN9u*|(^Wm+Q}OUlFw`T3Gp)1P8D_P4uI>=CLeDhs zrEeNfq1OG|emeCIIGs;FomO{}oI7HkMxy5s%@atpHPLL!eK4DnXj7uulth~n&8Bi= zq<47+w4#>f8BoeR14__mKr7J-edd!2dFHdCc?o&u(+ZyXtY{tJDNri(DbPx^g+2vZ z71~0c0;McZeG>Jl&q}mHpZcUip86!RWz6xC=&3~WswCQi&7=p2T4tY^XOQRtqIm{M zg}f-z%_WhIV>TtxrbM$TiFQUbms6gz%wV?TIZKLcAM-GY9w(X&NIF`W9qCh( zoFh+7R%FLXCQnIb)IQ`X$t-F+HkfV~bE8fFKR=_ZJ8407OGjc=$*#~U-4>e3zUWA- zR&rytio~kQ$+N0RtSVhSZANCcmsQdlnPo>}HRs`?H8N~Xcp|Kw){zCvIx_E@nz1u@ z?8(z3nLa_YH>?^mtzl1CHDp@DfUO!btzo=Y4Vl(#@2J>rmU%!}Ey%P5j{&QO%Um4Rxi10rJuJJOD)3Tmxq3(d?2vvg@Lo0&;RJQa7`GJWx*E5^*Y zq#R~$wADp2(~euj!`AGIYU@gxojQ$YC#x^(d5Zh6-8w}x?Ve|Evz^?E|C`BC>bQ8v zjhB~d(j&E!S`AL0Ze51Ed}{ZR%i73URw`%7tuzN>W~b`RMUudq*XQ&6^-UORVFX>Phmm$ZV;Z zHF$FARmN+jG9WWO-Nagcs!#1mp3u$HG?A0^b&5G?b~wH2_|4SniUPy!s3$#LZ(Twk z8&<6h%xp|{Y6oep)q?$fx)a^a+PCgp&2;N&#%gyANf%x#d9`m|Kz`PCWY#sAo>`+i zL7OvwtG&5Ttovy#tL{E+CqEI*bIpa+2dmzx|1%W5DcZ7Qm&wdd-w1s&rOLXZ>=3h0 z-4WW6yyh|MSbM9T*`th%@ko!7vNTLbGhMNc*>rT7_j6jXEur$QtRoTf1FCTL|5t32 zw`XG86ewO5^`fEO=)zO$*f8Tm6rRw5sOwvNS`G50z%^2tCm;j@uuqJLhK{_F+R9&9 zvZ_y~`p229TKN-AR@+mV`~fGcjz8CAH9VE+A9AuP<%XsGFHE(y--^TSfar4Ee{w{95`t-_g$?R5^Du*P>!AyOFGgIH-%+xnHGtD1Z2A()rY~%PY&ed$$^|aIgpd5 z2l9T?Gk()Ee$z94GcSEo4g^oif#69w5Im^|G8f2!%ms2FbAcSlT%ZRWPs#zulXAfE zq#STOsR!Ei-yPcZ-yPcZ-yPb`e|HFIR{`xRpj`#bu4+d~SGA+0tJ+c0RqZJ4s_-#6 zQ23Y}D11x~6h5X0yvcIFn=A*s$#TG(tOxWhHk-cff#pDj`If!>5@C}c5H@)xx9JO3 z{_#L+^*snI_3m8lrn-|HsO}`~_4P8=1Nx>kJ5&zvV^mt1KTU1&dyGwfG}!c=U;QT| zdA-uH<4@%@F>`a@pUVGFz3%jm1G?F@z!fwO>*csTHNjn${ZtYU|0MprThf5UBp$#? zJb;thij&&jPU7hxiKm04w!TRZCnh!ZPO93NBu^bl*(;OyKUhgUW+(NSo77`jQjg_H zJvJuw*pt-bU{a6$Nj;L2nqrf3uS?wF7b&ci;5lM!e_;6MEL{6nTN#VL}_ku>W|_S zk6If#wk8cXzDSa%u%xR<p?JZC0V2TAy^m5i5;=J zWW4;hNyf|nxfIEG`8YY_jgs;5KO`A1|M`*e@;@>~GG6{~Bjb&d@yh>h6w7$||C%Bh zFaNWU@$$b4886m`GG3mXllW7#N%Ab6P0AOtZ2MwoM?h*vS_Es;TETK5@+;UVf_s;N^+W`byY!yvM-Z_#< zFNY!LCX}@j<;_Le+fn8UO8QIYL#x5>LRDp`I#!C)&@L$b zTa<{(7E87b$+dL?I{w|13Ya|KDIwWgk{v>+TTlu8>z}M!F-iYo-3tEx)(ZJcVkmon zWIrR%E25W0FCphmDEk6b&{Bqk=MMklVQ+45Q1y(=Cc zu_C?8h!rzNtf-$mV#W2@qgLG5^t5kp+c#}l;#@=Q47i>uxS@H8aPiId*37ZuuO^7U z9WUN6S)4XbT-q2ZVP{a=W(Rvo$Cxe`7*q0@P#t&@~i)?X^&#rnY# zw!7mbd{d}1SYNnLN^ci9Bz#?PM8fL){Sw~Id{e^9>6H>*U?SaHe-`~DVtU4J|XEXpa6u(0|92~TA|FX73SV-glLW=VLWI5V zmh}=I2=tJ^p|!2|r*@VwL!`amTh%Q2Jt8*i+Sa?Zhda|7q;Q95n&|eX>m=MJnku?A zP$J=$Hm#Z>IS-Y!tvV{5%|t1(3)i-?o7T4SxLezLqi9?yGg{lKW4u1&3(3cd#)$MX zqb0jmq$@E>vP99+*Q_-|y@u?+G~`~Wq3#n6o>>~4ts2tZW@){K znoSyN`)J5Mt|9k)4Rz)*&jV6QogUhk9xJh?HS2MSc{9!E{LqXw??|k_wd^UgMY*dZ zD|^apTlSQ+?brTvTLj;UVaDnOW~_fi<3@FDjD{K(#7dlRm`+CAEF5gifqXI_ao%zG-EwWk<@=b)iH_k7* zo#^~xwv_6`byv^T8gb*?#r0;L88ep4tTUE7LuP1g3-luM*J(xBNDa;}I>I__rAw5t zytYqAW36z0VFflB&75Db!H9KNTT7X-+)A8ZSV^av1lWW*iB*8mt>UCmS z-`4gang3xTM975~J2xfvd$DjpV!xEJiTyHXCibg;G_jxSiNt=3UGq62s#&Y97nco7 z>{r<}v@fw=d2V9A;@>&%*TjBp*TR&7UTH8}6qFhbq(vxc0nH8hRXP*!e+9UAghX{hL|p`}Pe zb4Af~O&V5cXzHsWJH;$rtReK6h8(k>DsvS6EUj!=QZZSR=0XhxA8V*H$5{V_meNmZ z2+h+_bWg??nxsW)D4wMu|9uVRX7|O}p?|boq0*hm(;1C} zVh5@`jMhN@0F-$MWn72a@=)D;RJ|Fcc$$y#;q_y-;%`yoZ1fSN{ejj%#awjqTvYfh zYAr*2D*G6pZKt^%@nP;`{Do!F87O}MY8j8lfu}RlYw&6BW44UZh);YUv+)7%V|-x# zm~8^2c@du(N2RFbR;fFV_yjqUKC=E2{fYQI`7yo}0=3+TGOj~uzoY!+sO$sLCeiz% zji}-=R9B4BeD~B{<9vN8?lD_5SF}vDT(nWNM|4oMUzCjaNhMBqX}(Te^S-z?Mx1?2 zoO_$6ixFpI?E{XD^Yv54ZSO_ga-Z>~J z*#tR9Cb9*u{sQ1_1LInjJkFEkm72cVonR5=~hT_(C1We!B+q_heZ{erx` zrMOQd{Wn#j-@Bl+<5G9lz@hFNXNxw9oFQ>-42M!~K<=X%_Yks|WZV;ou(c0EArA^n zM8QU>yBrlhf_(o$)h{6D8dSFdRT`+mjmnBp$8?P2+=q1t~kUZrI zb-emE@$Un~4!3xxsA~2g32k{A8dhm=JfxxI91S@`({Hi0HKNdUC{T^OgHiBy|q(UE^q-T~Aub%lGSSSr~FRIm{_e?oyL z&^j0o;~?uq`YoxE4c`qcIvz1r#7ZBJV9kz4Y!$IfaZQxC+9ghLidzPXeXKCn6Ejyx zp3zI(7%2{FUeD?tk8tW)J0uN-#kJ3i4~X0g#k)kMf2-LA$0K%%(zMsK-jeSY<+Ce} zN9+|H7C9D+b32Q(xtqr$xOvATTHDmE>X10)D{-(+T`La#A#S-BTT3utHu-?LA|6gS zU8X#sDkC_$v+b+#>Iv$x>h_TuCaYbSNXS{K&2m<1yPTEUFlVLNGH0bW%~@%-Z9Oh$ z6z7Ul>eXY!)tj~cd~s-=IJ3JrsCiSFga^>X~BK6me}JI66vaj+qf=LRjWQU^-Z4!^f><<`T4>&Rj}nOP#qC z&9*Xg-rZ!}ykE)8F*BDpN41`r^CbezmbW^YIUmv1TxQO@rp%moO_@0#OV=J`=21Fx zzCx0j^Vw`>PR`8vmR)8}&dkY~IXN@O%p5aw%*-(}=i3LFId9npa!PH*=c0@}R9TN| z#~|m&D0@4~x(YR|Mk&{$s-q}01O=Z*fo62ngPc2&qYEl~5_$hcsnT=xo2YyPD*X}t zeh#YJi`wE*`$Nbz45fBP#a^i!iSoZj?y;!OA$8ZHs{2rSFXVbg6eF61TB}jpgHnt{ z?E_FK_I2czKQXg3^&97%$gqvi}$6NPG@ zM}_l|Hw{(PqS8#{z5=B_iB`i-7z-0%JWPgh5SFXgB_r1*#SQ%90h$eSVHqrkjj#s} z!hT3DZseZ|MD6kFA?lIhmi^-9<>I=}#S=8$C|)h9`cOPxv{h8MOI#T(-Ye4b0m&wd zTsMn%i0VEQ9~R|y7PDefog~h9K=YlN-zjFL@HkQG7BMS|1B=9t#cD3WKO=}_E_jHV zx$sX4%!RLsUM`lo@DB@`G8ev$K_qkG-xWm6g;tE6Z`EKfd?SNM%glv;S`f)xqGT>K zWiEVqf=K4VgO0gS&0P2*1Li``T*#RV4@Ty~zdnd$E<6^Q3y($S!Xu2i;K_Aw+r~m@ z32OctHC3XZ6iaTDYyhg;fhIuhO(^iaC=OM}qVeFn3wh_DibqiSPpE7$D(R07fM*Jl zs})O!h4-R@w^05YC~q#xDMXnAky9=(4$|hKloZh#KZ|}sC%uyWDEdKkSoFQ$GThTY71ET$+eWI^LdqsOh zyG37#z7%~S`dqY2^qDA0v{Uq{XoqOK=o8U4(Z`~XL|a8$L?4Pai#`x-61^|lDB2)e zFItCAu8{0K(OM}!CfU29HKNs`Rp{h>lKoG#QuK~U&s|P-LI!j~26RFObV3GnLI!j~ z26RFObV3GnLdJ4J#&SZ&aze&(LdJ4J#&SYNa6&GALN0znE`CBTenPH$Lauv4u6shR zdqS_fOtQB{Z;AdZdQIVc8a8*%o2h7Gc>IVc8a8*%o2h7Gc>I zVc8a8*%o2h7Gc>IVc8a8*%skfM6x%+vNyuAH^MK9UJ(69BwHmcTO}-8B`jMd{ETR^ z=xNa+k?fqX?3}RdoUrViu+<)G(mKeXuRk~(Kyi!qU%LtMPo$QiAIaA6Qn+Dq9HU|L*QBs!AcF)u^LjJ)Zn;ZgTG3Hv%;)w(BS<*L&Yi$Ww&c^kJXU( zjfPgQhT;KcrAI^Ia190K)pI`6Ql?hs-Ipk(0khR})yve*kcM=Z2Hr|Eqw@{(DE}%| zyqbBT&}bC676mI&bu8i+p4B$T{m5U1oE1`RK;92f#VS;GI~wL5i&c5wkhOYI@c@+P zL50Inf%KpA8Oo$sF|Ec`ygJ_}9xxl`!ZKJ68^IYu>8_H^wqfmEuxeOnG^r|ZEm^Qq zj#tNGRqB&uj{A|n3OOs#Fh_$_iiUYVz^Y*tt4LLR9R#V0d625|z9DP%qT&H4&w~nw zqXHSiu$<4ZDwE0qvtceQgXJZg8+VBZYy@Wr$votJ-0FDdfkLBE;93-{K-ID6|8aHZ z0a4fa|99{r+O=?M)2>yqV@vH=ZHsK(bxC)vtlipbJBesn?K0gCZDY$0w8Ik34oA(< zvO^&)Gi)*)aA1((8km7$I5dR;6l#b&`#qlT&rtjQ{qcCb-tW(Rj`#JsVJ81UV+px_P2KLeG1ih4CmWrDH+RB1>SYB> z{|@nnV=8~(7MfbPZthD>1-2Q|EGbEvBW;%Q9dgfralf1;ZIO0J)gKs7FdipwmCD_6 zw$yO0+*B{`mP(tA)8uth#RGEDa^no+iNeD=_~4`zM|ghE9$krqTcH(>czgI-s~&#vfD~5984@3Oi-`r zXS^Mbrl?yqMeU*~>K9E>Lo3A(Uli1_`j(7^(Oy~-jV&t&6Gx+o;_sq~k~5--wvEw5 z;GSs0(_0W~;ODg(#`68n(oE^$SLIpK98@=bZo}A^%gQPe34LqP{%#gp2YiD+KVUTs zg%=>cK7TCFf>7f;#MkzZFA5Bfia_pRV#CzObJUCZQdW1$>|XSjM|F z4Q+wVuobd_Z|mo0yGEem3(;=imjcGxRzQ6&Dm+~}1G&dg-kz_nz+ENiT8guu700JQ z8e{+^X0W1yD#T!vJxd$L(%#JvG>omtI`*VItn(2C%N={)QYPq^LyyYs6*6BdZ6+O> zSiHDzAxB{=*1clIrXyAi-eARwORbpypcTFETd{n)6?>wwC^}#1T5Ed4TUPYXh~`hR zVrd{6Keb}()mH3}vtnsa*jFQd^aFRv(6 zU3P90-)!_v+(hl0el($OjS0<goe*e z@O!P?1QSYwCbXSlLhI!wP+6_B|9lhLe=s5ZiIqEIh9rOrTgub}pGkY_In-hliwQ0b?rw*mDBQDp*Zy&9DUP{pMvFGs2CP`S$I zeIFH{h>G~Mf9WGv7$*iR6H;IeczTekr5zwxS&?<%klex)#`LxM6inQU|5mq?^$!XxoM6K-GAZ1P5c$OmH7Y4fmnEJZYWu zJ__ebuSzMXD+e{+go-92k3MaGTuMNN(@>>StyiNSeb93W3N%Tpq}8Z;0`iYhb_fbC zL`}~k*Cv$rN93M|%AZGd_oC7?CdV8*QS%Hc$aBqrRnp_DwHIoldX8S@vF+eFuF|OzC=0hOBA>-QQ*Erf%_5# z?n@N7FHzvW#7sP90{11#abKdqeTf41B?{b^C~#k*z&-+{pAA-hHdqxQr;2Q_ioU@r`UX?<4W{TD5>)gJ2`c&q zM!yNB=o_L%Cwi7v>^4O=p=Y`Y;VVsOuQ#E2oC*04nBcnIgr*}_?wAP;Z<$c{iV4B% zP4Le!q4ZM|Dif?+zy$C6CKO$&z%Q^U6m&!r`jV`n9XmD6B>87Lk_josX~r4G%Zxoe zCKObeK&MPB=(JV#&QQpk77hKkSyPj&snIaYnmES_RkvFoTCuXXzuL-Mk^DcRc@xS1 zKAJa?{7uokiR9-;^CptNRr$)^);-pAD^~XQ9=7sUWWL$aP()eiNzRb;>h+ zsulaMiRLFq=QEM*o?_*#$o!+DpPR^f{%qx~SlL^7RQbx@o~;u%@NQEYh?Cp)$$hmZ z{k3tLvD5fVxz8idk~))2Xxn8z{lqxO*sQqiL#2}>{-_AItu|gM_n#pboN1=KX#BYG zqsH@%&FbeU$=}Z4z`q!>#InCzvFbK6+jQfHjW3Y-u|yO3yC-sOCm4@3zDaH!FzK)4 znG%2RgaiL7_^V>s->ul%t{kIR&XwD4yj;QEIdKCoQYAGUFE430e*Cl6q-i*&&~TWB z!(Ym3I9{qsrs0@Q!(kc@({PxE!yn2t+%VH{OrYT~4aYlM8jfEAIMYmd(U^wgQyLD> zH#S?Dqof*+FS<7k$3J(OhGQxX$IR1>X*kjs$X3IVqv0?OhiN!W!|^u@113$w@p@KL z!)f(uFs%P_&U(1hK_B_m8&XWTN(glyw2 z#ygDj9VXO=qKVDXtQ7;DChMPIg4>jIw5h}BBuyGU(|DHg9Ql#b0u!n~Y8b9WO!Ji{ z6wSB7U#(!)!5=9o7oTFBW^5`Fzs#i97;iJ)X}sNdSJ_|UQy>j8U>U4|ZLkxz1M|=c zsGv%zRjB0+)H)Uwe}hU+MQxfExC3#{!Q9+q?(MN|?G?DQC+NnWp!<4)ZtDrUt1tVD zxdAhwVxkG2w-pw8-k4a-PYlM&JV{j0eG(Zf=%(g1t}4tVE9m~}H7=E8-GhJx>4;LtP{UiO?iCcg0r_X3(oa!u1FB3=Hh{{t7VrD0=u*^rKB}8k z{90qRCZ2O`BI3$b;o2*#v_eOQWle9IrgYOZr9ZYp`Blms$ifLJs!tCpsIux*{8~lU z!W(miiqu+4JtS1b9DPH@C?JjBMb*mFdY2wmV<{F z4xV8+c!UA79X!Qw@DKy0ICz8stC?@OgXb3x9$z?kdcm|w4%-fgEz7}^3kMG_V4B0W z#bMj*ux)kNvMCI6myB@mz`|kM?XazI@Pm^M+r*1PU&v({vOnU`k8PozOHD{3No9B} z15`(kW+WRmDcw7TiYyW_wy~4qB2#20rpv#OyVUj$yz@bMS2`P?*G)F>) zBVm~%VT~hUn& zKE)BA=7`U5#4mHiuW`h0bHwj-#BX=Rv$DpM8gl3{#KWT;Jv_?ciBk@}g_7W4ESd@K z!)O-tPeyZ~ZwOikJZZ|&lcpR!Y09Ca5RaR3^tdTUkDJhJ#51QHJ##`+5YL>@TheM& zekS7SQ;wcK<>={Cj-Ed8=_IrRvVf;gIePkprlBpc8MZ<;@boE1PoHx1^eKm@PdPkz z%2ChBR7jmBQzdnqOr_LCGSyNisU_G%jGuh}(#soi+WvwPfXn=boXd=Pl9Z#zNjV8I zR}?=}yxdk=W650S+S8D0Gs^o9D&LFh+EM-* zRN8==pXpl4uN+I1*!*Z7rr;V4GDR{!mxt#l**8S4x~6OC2XniY_Sw+>fv%;sr*25gF-wp+?i+b!j%?UwS>c1syAT}$~vyQTV7yQO?#fyzZ$&CmDYwya>c zZ3ZO4Oqd08U>!7^i&}=E@B-955%IHP-RxM>Y{butb+cnhQxHEahE^kfRIHob33)uI zV<>8$gm!>7>MKV4dJme0w!l`%2DcX54J)85BiPOE5bS1m2zFDSVD~uhzrBYT3aD=_ z+TZOxWSap4aVQB6#-f?vK8zlIRVrI1ua`o3coy_eMsuKV2wDdX=c1NjD7*j#I#KsT z)TPB6=Sj1Xe*!8@l%}BeP10%<7>OHiTTr zt>sHbpyCVBZdl`Bq6{oaRb^mFsw{^Y)Z304FGmHV zy@#quv{!f!F;={XXm0PJ66#j^;aooVYsuN9TFbpJjV2zr05J|x3Zy{>u=V&gunl&? zcG%@T)b<+d@Lu6P)O?cnP)84|F8xQ)Y5e6IefP$vNNG}rv`ktfZIgCN+ofHI^N?In zWzwtUmN(?qv2yV@a>=Q3o0%TCLut-TCh!D5mNQMP&NQ){X<|9a#BzR#)%his^GmGG zFR`3oVs(CrWi+7hYH0!DBonKXOsq~au{z11OAsfSSe<0h6vRmeX)#VMu{yQH>eLde zQwtxwElol@APYFZ#OnNl)=JaR7T641AsaZ!#Byqh<Q=NC*h%=raV8=YB@ z>Z3CYQjK(?jn(NTR;QQP7%wT#BC$G^#OeiYL#$3OvF0QbtFupR%z>M0Cfa5|63m2I zunro|MJ>Zncme93h`N@c#(B~u$UgxUCQ4IK`zGmaX*CKAM@7q#$AdbCqV`E>2V{Y- z81)QD)6f>!3|k=^+*))utbno%RDNd7L@H4KqiqHZ#GxcO7>j0t`!JdX{gcrg=o^C8 zLBqMIWf%&tmKLBuC+ePvx|X5FdD11)Y~-JS3KOL%sC|?4HY&?dN^1!WM@7q#$AdbC zqV`E>2V{Y-81)QDYo%#u3v7n1kPU7vUoryih86Wc(u?&!s@rAir*4<2p^gMHbyVle z)KZ<#Vt$fze*KT^vnU19fYQcOz4$e-4R*qI*wx$}b55V*3PM*u>RXHUcQr0AuW^ENZSy<>W!na0o(27r(H!U-g4RL9xu|6r3NJu`PH8Xdo`|}%j>dV? zY~-IH#iPPRX$orJB&|k);izai@_10kP}DvN?SQ~aq;mU;QO|%h4Q+v%F0>i8Liw2} z8|ucOd9gyJ1D(xH?Wwl2ms(PEzgFamK2@8r)bdz+NM%4cKcWwE}&Jy82Py zT4lSDpN|PqAiGm*|fTw*5D z8Hh{FL^=a;iJ3@eNV5@_n2B_TGzD>qiB=;nF%#(w#3g1Toq@Q-Oym+XkxR@(IsOHgI*BNM|6fE)%)BOyue^QJobUmI( zizBYb5u2yQ5tn_5Tu~S6(X_ zInorwl^0r#xaeBR$U$6mtz_gNF1l87(Y2C`u9b`=gHhPJ?F*b3R;)}kdNQ1OLm zH>`k=t7fH!kDMf_iVPn~mDKPtRyDOR8>^y>B}r9fEJ>;?!wBu~mMBY1Uvdq<#$L0M z5md919hXT*oHZ-ib5RPUK?bn;_%*N%cEWbpb$8D%hE{gpUADUC#JexE(uFInh%d7~ z8l1(N(3r)%$jTkClS5`66SYu5$6&JPPTLF^h(k$mFc!@O_hB>(`X{3~&^H9FgNAca z%PKTxx zp)If(wn8?zwP?u*v>R4HSw_*Fv^?71U391VQ>H@dPnjyIKV>SVUX!VodQFS5F?RW) zJLwpd0%^c%b(*NpLV0%>?&hGzv>RN^x=Sj1Xe*!8@l%}BeP10%<7>O zHn_ED$p}<@A=(Wqpe*Cq3N@)rUDTv9wNaDG55H<$MmcF;NwuSWCDo4siuQL)Y@XqE zYz0Sz{AW8;dFL9j;tVU~|G|nbzZExIA#aEk55`*2eb|b#tT4w4eQqnZ46|Z=bm_L} zY%Z5Iz2H_Ww*AA3Rd-pjaGDkU)2-Ms)QWwhqp{J7-7i|PBHM~hTchzRD<0{zVsmso z2l}kM_cvDDe@v0rrl#(^NVc+8-TBv6Q+Iy7+nQ|EU9W~g6sXPC8YwFH#pqn!D-J+)Mtk=|?XzI?t37fj} zjiILQ{Gz(4JJHmge-buz=l|@Z>#^$2n`Kk?VK%Go>}M){e2Q_Jafb0S<2AFroQ%z{IJ`3ETT-D{S`=;1tAV#!t!Cy_7X*|og z>UI<6823*$p>K!@<>#BFxIrXqTPHP~E4K`j!wcjq2qd54rG`HJP90pn@%7OC(~;~V9pXBnR+yHpMSuvY$Yw7gl` zDrHM7?h)^C`7$efY^L3Gbiv@PgQ)|L6)&{SC|*bpN(FzFXG*iA zIa1Z_a{pwxZ;1TxtH$dwy~i5XLBqMIWf%%CK!HxwJrQ*+LyhyK*~mWu6(&kkQ2Qon zH3|$zMaz-LgF1$y_DN_5WPz_3^$bYU&=x4XQ@RlyJqx)gF#Usm9E~=^R>%goR$MXy z6<>&U!wRTREncWbHfBE3nu)+17tf1np~!@WLnZ{eOz224p}Nt8-k=Gg^G%>>n4hM> zC9x)yC77ThaR^8IyNefwx6yEFe) zITrM^1f9lTR$kiqSo0*lCcuj8qA@!fw?t#d&}f2x|F`CJFOMbyozcXKXymIRtXcTl z04uRO8u{i4YeM(LXo4>yu%>uC(Zr5u^c6=FTceRLpRi`-OA@TajA)z{jY-isCmLr) zV?lB>aU><0xVX|am})pQm@4{WFcms~Fjd_+m|8!W$afB=0$qctyjQJMS<%~}*9Mb? z?N+Mv!|;Rydk3e!{c&sDPwBy=nPuP4xu4cj`r*%O`FY9G58ob~x90HR3~XedJK9Dy zhku@#^x({)hkjad=%N2vE?PJ~{;6=J2ba={TjQLz8BVULoVFw<=R&7#rjzR_C%5rX zwhXOz+GaVqv~t?!IJvNL+SWPQyPfRZPWEjlyS9@(+sTgYWWR>lPWEaiJ2gykvP;8i z<{R#0e|EAvJK39=Hpyw*;k0Er*^`~@$S}=m+v2oscG|W&ZP}EAxl2Yk*+reU-A>yI zr>>Y#5>QkQO+aCF2$Co+UXNx0CFYO?l$nF8lby}Uz6JwMo_#pmE1cX#IrX^T$wR7N zO22S&3U$V(IOEft@fpteWzP6D&iHN4_?^!9?augJ&V&?aLYgxn!JCJLRv=IF`8f}KHkPRgx&~8`(GlF{#Jg(AUm4~1b5mY9EN<~n)2r3ytWh1C` z1eK4V5)vpQrj%IaB&ehW%8FH51&yxBl%X6f@A@VwjmccX(=1nlBbuf*C zX&X$_$g^eI2lG}~o+9&JSY9pjW*F0Wn6|?-9p>#Y-XUd4v>vAMp8u<{gMUP2M7{lXwAxd4Ym?gMzaqUddqI$za~8U|y== z9TG2SFmGru?_}gDGVf9_FKy)6GVf{R)iUpPaF)b78N5Q;D(yz<1rt<39obA!71awS zm`bYsP0mzP9YBr_ka-`qm*z&iXW6TkmQ$oODMM1R-J}uS z#JFqHfNNr;HED!4X=pYvCYv5IqG`gD@g-r~?CdOcshF}w;u8DoDsm~Q`(!fG9 zrCHLPU{mE)LB5{$y3$+YVrIm}oHxd(r$x!|Vb4*;71F^txvr*pk7CVmxzraIbKD*m z(_alWWBM*M;plYDLq7bS70hbLvmSi##OTM39VTBFG{NgKVNvp;MmUu2!F1h;ksyKz!(OmK6B(h;8JPZrQ z)K4Sa2$#ZSnBqE1t=l)H;cF|V_f080A-(Vfqso8kBPOL=Gn>?uj-3CQMq~G#7ss~% z0^QZ~4b(yv_|r|G-QFVSgx|mg>RcSwY!^g3qWi_TnC_R-yI)c#nnc0xl<3GYpZuHj zqv_oW^Wa}`d?#UCOgl~0-dA5X=Dg(KwrEm~WTvURtOOf1i59xaN(}#b{_vdW#4y`4 zpEego6ATnHp^*l)60awR?vAD#wnh^)u=(((PeRGb!NCthbEBVDPlzTe(~{MyW)bhz z(S$~hnNpCF{8Ks9_3f(7e#nPBI0a(jVvaRIvl$8+O2-(y$7&m%U)22dF*iv#O1+L= zlWql#;-lAizs7%tzl>>%C(MQ<_!BVLk6r~=g4uEK*JiOqru;T8W)>lCjEa6VF8yen z{}1VYy0MK$ZmXjGn_o>!;;yWNe)IG%b3ug;W?IEw8W%UWF~2EQ<#*jgBK~)LE)=pMivR}1q$<{d9^)x z4G%(eWROyK6V%uWFC|k2CFWa!wl|H=q@NS?pYn68V67nhmt-1RlP^y`@RCW<YuLu3;zJeJ913yCq0lJ9telhHPY2T;mH4)@-0)^;Rt*KriH_Y)2$4v(L^oEP8;Sh z8D0wxb7)qhhp!pKzJ@7L_!?%{GYK5#8uz z=6p$>o{D}#3xzpd=*$zoh*gSqj^tok?2l zPbke#E{s)5MbY82`2a=HxrT%l(wh&2*fE;vndW`qGKYlbFG%i!Phm$~40}fNt7h|N zm(-|gq99FvvqvagXmZ*e$muvo2-7Eo`bHB}CUWX^0*!ctcGf67;v1vUM9_K(8g_(` z^_jZ)@ z^e~}_J&C|b!8(X5(1QwzI--!!xtQP@Pbh)|9XTfMCH)nA3EDj4xgj^*1hv56uF~)U znGdag`jADHeIMR~=ivFe+A)jLkqYsA`v1-UF)l{!Sl?%sComIM5!J97_Vv`Vz8o0e z^=0WM=;K?`*#-J0MdO7`VcgVT1J}AAKZQUq*K2iu(wHgE z#pvpo;?e4O@MLC^8apPTlP(Ee;1aZ_DMYU?NotTPFfIwYs3GV?M9{b-MAxMw2)X71 z${=X#g+a=$=c%vGdh$hZPn6ye{wVxU7*OSk&e2| zRdi1BdC3P}PTpa1Rv8yX%NM;LVJ@x^b@Eh-9wumL*466JQCAH$=E$cIEtk24;fCq! zbV>U|9mfgNTh@h4-5RoQnB%mbqr2WpD-cX?xfV<1V61t@Xi{X(R+Tf zZW5TLvrycYIg>Ff=0<)N``S3)zaIu1#5$V=P=}b6JgQ8|cM~;~^l=LvO#4tY5H6K|kXwA%8y%9Kp zRKMQ%t~|#3pc+Lth-UIC(l7fj!7l-Ar>3n=&^oaOR&|0JBk&5W(Dg`w!&Km(kQVJ) zB|^zoHwRMq;9j%OD@?X>Q%wIbL3=TQj*QNJujxuAX-6h#P%8M6&(m?kN=8@1#J-=_ z6dnA`piv*VC5|tf2f9mZ^8bNhuVaWws5eYPSA$j}KmGqs&`SJ&P|HNGApL*n$g$Q$ zWNqo%rF7=;U&#%>?sH8-$1s!7?UPBUiY8$llT1=0+$6H2QH^XSc+ZI@bhhzd$qlTv zMkOwo85hGjr}9I125561RnnQxw@Dp@b&pKYLIjO{0-b~@5Z1K|fmLB`#J8y<$E;!= z>G@-H0wSoR2^wy``BiZ~KHM4?Q@#fnojMF~PAjd{K+!Xn(n@U~>)Kd>%TNNxT&y!b zK_i%;-G-n&fS@KNs3QnE7ZY^HLs01y?y$n|t-wyfMD7wq(@jVwc{ebIbe=kJBm537i;F2*4lnkd zC6CdSIYE6~^rF_T9yKi#SdkuBajYO+*XKn~>cFcrU5**BIp%PXWA=GWd2`HRJI9Ph zoeFh5rpv#gbF@;=U2wPR>R~_hB)~*-{Pj#sw{q#8iT~SCg{Q>D=sZx!uqdQ&)#C*{ z=>D*=B+rIlThB^eV@aPJ7qgF6 z+xG(;R}uCNKtGr9>)JASY+GXvew;k`h-bI;Nj$&P6H8j%JhG$`#|o0Q8}L+4b>|6^ zMkhfz9!c;-w_#iK>5C3~;V*!-9bsH?OQHw73Ky85V;(uJfuM_jmLR2;CeXy#n`(mE zmRtd2ha;+Py|_HGhAEd)ZKKUo7+q*lxZsuMB13Ie{SIf|`+&7@BGy5TpvC=vEn6M9 zvpt2gNl3>C--9}QM~`V9`bEQ?HL&Bo8MBb{`T zXuQO@Wu+C4no#_m2_3lHfqP7t@2zA0g~m&wuK#Hz`izw*c#n(;N0LpItt9&tHS4}liyJSA z`k#Y~n|#YrYqIY2ZKLLKH#0q&Y$6%B$1M5d&&lIICx7@Ud2oo+@LkU zjutnW1RtpEreK~o2b1&L)|qk3F9@1Av2Wb`VpUp+iiuiz#W_3$Bd#@}ZP|Q}#!uTa zzO2K<7Av%lCD*cY(O_w#iQ?~~iIOv-iMEZ=MBpBisL0aB^ovMwBya2-r_g@VU@UZ4 z`3epoI$D{_VG_DJ=)d3G*Y&iHIaZ(pWKU>J{|hGQ#(bb zPIV^eGMb>Hvx2#<;?;&WM$q+o+c|jwJeoHc@j8-oP*r73LPa$RtFR`?5!^)UwFPtQ zAZezk04AXeGfoK#oD%ecjc}}4R~RHHhqXE@t!k3e%MyYbkigAa^z8sCT@y2nNBEpb zNJQI)lp00BdLBS3bfcM|8&7i41*;R1_2x$t5|Y(5q;#oE&>1m&eDFlTb8Sx0JXs!m z*38pltEfEPi9T@ViSIF0L}#lh=7ANB#feGxHH3A>W(?_UML9TIxrU_cv|CpSUMPkG zPy`+*go5k$IaHAa|XSSj5%2JVfHWfI!433^dL(C$KL_@fExUUJ$y3EBeNBE=BH=8Zj36)&x% zcq`21haNF<72@?-#~G3;P03Il&~#JBe#|oly&xdySqMS5l{~Fuzf!}HV$ar-3GXbk za8XLK?nw&=AMBIRg$b9}dfcLGYPx{S)OLm(p>CrI8XRf?#;$9K*#uXNOLSx%HS))y z5Cb+CGHT@UAK^Is00Ynueb5U%&<)>1Cq&>o_!c^#9gYF(J>CYb&;ns-h9)=yhv6GI z2#rt=br6DD2to~1Lje3x1(o1~awvmR@Io;hfFkffArycc^1ucAU@v?Pd*CZ@!k4fc za^VZu1)sxC_zXUU9k3lffvxZ{d;}kk8re%3dnsQpW$Uc~%GFD`dMQ^gW$L9oy_BW< zkMIYW0l$ZZz?-@>JE30w>p!4#Mbli)(Q0Dc4K!+CJ-sF5A_ zKr-A7cfp--2iy*~!9Uf1qmJE(65_3fa(9n`mj`gTy?4(i)MeLJXc2lefsz8%!J zgZg$*-wx{AL47-@ZwK}5puQc{w?p+k2PQ%SOn~t)4t@=1!&z`9oB^l9SQrDR!LQ&{ zI0fu58sgz(I0;6Y)xoPzyn*foceVf7Hm< z&tWHg2A{$X*bbjS4rIeN*a{!RNAMwh09)XFcn>ziCdh(!VI#Z)8(=-G0|%^yx8W^# z6W)L|@H(u9RgeiQ;Wc;_R=_LpGQ0#Y!g5#!8Snx;56{7~uoRwwr{TYl4o|^<;7M2l zi{S})eALL6S#UKZ!Jl9z{1N^DGvN1d6-C%i(u$8BBwz@LRYPE`f{TBA5b` zVG>*j7r<}ed^iuzg>zscB)|k1598q1a5kI;XTlk9I*f%ea2osyPK8sz4x=F+PKJ|U z6#No?0VhHnoB**fa@5FX`k|SAXr>>U>4#?ep_zVYrXQN=hi3ZW$fNLYSOg2<5m*2Z z!$a^OJOKB@e3%FSf;9Li+y|*}@2HUt2cZ!fpdRWV1ho(xHL~tF`~U;c4}H)JJnt5U^~?ZfNfQKfbCTm0NbqI4{WzO57>4!+pgXV zY`=OBP=;zJP>$-|pt5`cyWn%!37^5IumiTkCy)c#uno4t$D>9D&IbA|a3;`qfzyHh z3ygu&;8$=eoC0yK22KL{H1JEHUjy`OfPM|oum1aCKFkBgqdyH8kN*3B@#tqf z`cvQ@NQS%NF1Qo!fZO3V_y^nyx4_Ntcen{|gujg%Sw*{4(JocAOBL->MY~kdE>*Nk z741?*yHwFGRkTYL?NUX%RM9R~v`ZE3QboH|(JocAOBL->MY~kdE>$1FhwuSxf%oA( z*bJK>3*Lo|@D6N%^{@^cuom8ix8O~91J=Onuo_lDCai?l;8j=wufWUj61)h@VHsq= z3-CNV2hYM%cm|$^|3W%E1^BP$t4m9$qS?Nv#8RnlISv{xnVRY`kQ z(q5IcS0(LLNqbe&UKNXAAv^*L;9+xNS z0XvL_csLnOf>H2GU@VuN2yt)%#KK4z0mES!422l5!H`iSOMisp@B<7$KlDK_^guUs z!S~P!5%>Phkgahfg2}vSAx+g^%GQ_z)PcMU2-X#%mGd zwTSUr#CR=YycWF+8{r+;0PA5LIAATj4R67l@CK}b*I_lRf=pNmufeOZ0$zca;iXX{ z3;3*n&kFdgfX@o}tbor7^x2ERST0~J7ciC!7|R8W{5A$Ij{0q|HpKu?f!o8zLx~rfPd{6=9 zPzI$?0$wPF15gAWD1-uV!+ywzJaEB2*b8679{38J@FnbqT=)WZ!RJ61#KA?WV8Y^tGG5cGK5x z`r1ujyXk8;eeI^N-SoAazIM~sZu;6yU%TmRH~s0RKi%}FoBnjupKkioO@F%S&wT2V zPhIkXJ`g@~KNcb;+kL z`P3z!y5v)reCm=wgZO1;)FJ@$O>0 zyBO~-#=DF0?)ncr2}@uxJOPixWAG^ad(_B*6Cf5w!Uz}+!(b@HfDML>8rlCN9ETrZ z0Q#X1dZ7opp$oo;PKdyF@GW#eI~;?f&<3s00%2%AlV=wY12!0PCeJS52k3)d=z(tN zg72XdBJdq_Ksy|RHfV(w2m|Xr-ULVBFnj}t;2<8yajK<8?Xjmht;qOGGQgW2Cu>j zcm-aDm*7QM1{v@IJP*&ov#=DNfv4fWkPc75f8a@20*m1ZcpM&sN8#VF2o}O4umB#0 zhu}eY0PctRFc1C(X>cE;!o83J_dqh-4R^tva0lEDx52G&3)~EUhnwI=_#6BcZh-4y zE?fuK!Zk1l{sMo7*)R*Ph9vkC%!EI}A7BRj9vHH4laXfFcp3am%=4* zF!MSh_OoRlO0OMgC{2I=Nv*1iP15SsrFa}P8U%{zx3XFz$ zI2lfYQSeLn1)KYA?1R1VHSB?}zzJW%Zpei%U>AH2JK;0<6n4ON_ylqw z8@9n#_!vHd58(sY0`J3nuo*VNyRZ@7feo-8)`0`o!rSl`ya}(vYFGuCumWCzm*FLN z5thR;$bc8%d3X+1502rJOPixWAG^a8y3Mrcmx)}!|)J12oJ#h zFdyc@zaS0%3HL!N+zTmi45gwtUR{Ho`k(3`5mDQziM!cHb0PJ&;; ziEsjpgyAq0V!#GN&Kx=LBOHexU;z4|4|<^ox}gichfavVcknHAKsy|RqtFJe&;ns- zh9)=yhv6GI1P7rJ8lWEPAOy7#gc_)Z0QjK_D!~U8P!45K3MJr$VmJUr;DJIY05|N1 ze8>YA?1R1VHSB?}zzJW%Zpei%U>AH2JK;0<6m|eTH}DDMKsIcHt?)5?1Ruf&um#?S z_h2(@f-HC!Ho`lw0oKDhaKKu48{UF9;SE>=uk#a)uD~b3vlPSoT0T|uofkaY_wY}t z1xi(Ku;%fmDd#!U%2geUPJOTP)4)t?2~vL=T-v0~^0hl5Xg`(*FEa%iR8(kGX_E7zMYC|;^`u-NyOqIZMr z|F22E;(yV#&*X>IELN<{mID*zf-_9IN)G;D(sNDvRoOpU_W0#uv$jgpxc(KIQajwt zbCTTfnn|0|xlNmd?$(s*cw@6{P)qIezbwMj#2gR0-YyjHo? zBNwI1!3*R-zVZG#jiG(PaqsLl7ao@;VTO#1h7!&P$a zxWKGvoT6A~<_mEcrDGYAMq}LH4`chN+tNf>M_&waT}i;Q9mw7=O7n4U*c+ z`z~s@rtV=ATCX7l+EDd>QHU{=>r;DI#v;$bv9`=0ZIqeM<}!64&eU-^Ge9jf>lhxH zfvb_9B4h??mC~nqtS>XL4SCCyVh77?xDt7Mn)aopU57NHGu2?3c?(eeRj4!z1t*~D z-z!BkW$FN%Swg2~=KT%@XqwE1-v!f^{tW3zkQt^znSqZ`>v^c!l$FC~X5BbtFGe*_ zpkO?zV8mtyPm*ZN%n;p@>CaF$6V)duI~wUYmZ`&7rkXNSZJSxHRFReq>_kDjEYnZR zXEt1he2+-wsHz8PH_OysmKhwc)IQ|egDUCCOxIUPJ)NmTNalg3QT-oLKr0CBKn49s zyHsYq>h6CIc`7ySM-&L6I#nT1fc%WmOzjn!;k!}&&8U2Cl^U{0eGOBnR>9Cd=dJ2`#tzo2R zdhSAgZ8W%QCobKHS|1&2OVvP5Eo?wKI;3ikOx>?+h;g40RWf0;y$H z$|j*o#!zahiV<+3;AtpK`=kawm#){e11R)gWdo@CGE}rcJ(pTC4pnT{)H%i4Y@kSc zLTcX0D0~|#9Hp#g^U)otg*Mcn)B&wfXOvVoBP2EdI#hQQRb-TFcDw~VK$*A=)0s{F{O4d^J7+LDTNDU_YRf#e zadkJUU>8jdsBStUruyDMy6i~J`!x!vB$c1~`Uoxay47ecpK1DE&>oq)rs>c>3 zR2YxOQGG9}(J1otpw^pF_(o2{d)G-bCGE++y=}YX@_DlMXWw4!%f7udrf;wIXg)ka z);`TFw1{tSHCy!U)fvmTSG&1yues*kt9{(J*UM<}?bUgejj*r#_L_^yz5eT!){f7z zzm;9hvW^12z0`ycSITNK(&@5V%ePmD2Z}>evFIzZ8jBUrF;hM^u9wwdzP;M9eS6i* zzPbVhHH=5i%C@(l&NZ5L7pl^<+Tkd0AIj1s%{vFmzChj`$fH!7 z59K@1EU4d%>Rv+G(EJ!GKMfVJF20rsr9c{Fz%pQ)d`-etwc-8fxXWy9o=xdbPK9KCKW0Bxb$yjXGs?*d#7}GQ$+V|YjdG3di|4~#YHD8DVv8a57QVFQy zZz%5?)bt(-zKc2!q3XGs_D|%y9{HDOn%2@c1m*2VU1iTLeWdg8!V^s>W>IntGp#^L z$Q^jfgr?~x6kYxtKYbSTyl6t<-@4u>(fN31z?z(8LhF@;ytRH>fKWcxghJ{>uJvBR z{$MF3iV5C*;2D$iZzLSKEAMVXUOu8oSC?&hPQNpTQXma7U>U4|ZLkw)`S@MWElu!5 z&=I#%y`HBDHG4F{V}hr*=U3zkSDCGaZqsJoL`~YR=PeWVb$IeL>1O25MtM%9=$M#Z zIxD7NPZ!NgnG63;D7pfLXwjIOk*M?W=7pgo{}Xjs2_c^eb!?T-^4>6^{uL9N&o`mwViPm{z~E-B-&qC70R4dL=9VEg$(t_D_`a0&+)+Ty?u# z-6+2*&5`&vJeR6FPE@Kq zP05lGi}?n|#e9n;*qHB5<~vLCk=V_&g%GpYw(lD#)y7P!fLzI9&ZLWN{gk??ezC23 z$>Ny4gvBxCY5SXG(tH~~48)=SOHp5`+bdQvb z8rP$PTJ^zLWfw~a&`c=M90hkvcOmy-rRGZKp}be6Q&9hH(#@!C0xEmSgtiN;v_k)6 zeVB#%hM-EVsk#vbx)#4(c4YC}g>~{3i{GYS3y(q@v_cDnp&6P?D<3mv9$K6^F!NyM z!cF$ZC+A)O_Re3}J5RKC#@Rbhuy@AVJ4f0(N7y@u+dGHZJBQjkW9*$ad*={)?2&eRtUd*rY^@{K)m$R0Upk2KmN4faUAJyK_ngzS-8dn9O&)Yv1{ z_DH}U@!KO+_DH2Y;EwMRynUM~dtbk3CXoj}+J=ZhK_E zJ(6#aS!5&#}kF2vt9QMdsd*p3<5}J3o+P9$zt1_7;`jf5z3zE`&df8< z%sFS~NuT!C5_wugo)VGuBC<|I){4lJBJzZYJT4+@L}ayytP+uxB2pkCkBLaWh^!Ei zJP~y!h%6J4ToHLlL>?5891&S6B1=T%0TH=hL>7z4A`!VyMD7)lg(7l~ zh}h|Cd@J4Ix+h}sM5cqO*Q5xGW0hKfkGh+HiqQbf!mGDJkK5|JxKWUz<~5|M!-GC)N7i^vrsa=D0H zCL))L$R#4uPel5P$i*UZk%(l8$b}+ufr#`G5g{Vyi%4$~=_MlPiO9Jkk|`qRh{)L@ za+Zi>h)7QnIa5T=5RubG#3Ul=BGN-d(nRDmq5mcHKZX8>(0>q6Ir9u|71&^v_QF7!5`hlCy!daKX_LT?dzv(Qfn{kYJN3H_+h{X%aN zdZW-Agzgji5uw)$-7EAuq1Ot%M(EW-_XyoB^eUmdgkCB1!$LnK^a`Onh3*h~xzO!G zw+X#W=%qqGD0HjPON3r5^xuU3tI+=^^k0N-5&F+U|4HZvg#M$@_X~ZW(0>s6UZEEW z{d=MRSLojf{XatgR_NadeUH$;7W!_X?-Ke>p?@XxFNOYv&_5UYXF~r}=${DvW1)W} z^c_O~Q0N~BeY?=#7y5fbe^==52>stee_QBp3H@I}e^cmh2>o@TZxec<(6t51GNI=R{UM=0 zDD)hmFBSR{p+6w>`-Q$(=!=AYpV03W`a+@KBlNq4zCh@A34OlM=LvnT(B}yKPNB~h z`W-@_CG?p>pCR<=LZ2q|sY0J3^vOb>B=m_wpCI({LLVpe+l4+>=(h>|R-xY_^qYk~ zM(8&QeYDU=34Nr{M+p5!p$`}O4MHC#^y`IwozSlp`ZYoyD)eljUoCVgbhFTh2>mLd zUn%s#LLVgbfkGc3^!`G>Lg<$Z{W76nD)dW)-cRU#g?_QnFA{o|&@UAF1w!v5bRqQf zh2C4}y@Y%g?@(6PZzpL=;=c5A@nq%pC+`wg!ZS< z{t(*lLhBM*QfMcImJnK8XfdG~LW>G5A~aoSn$W^R>l9jt(AtI8CbW>yfXa|L66tH+SfwcEwo)i+bOiKg!ZM- zz7X2yLij<7zR*?(El+5V z3T?U29ueBZLR%)ZT%kQAv{ z?Jl9s7ur0b%@x`lq1`F8*+RQRXtRViQ)n}UHeG1bgf>-ZQ-n5IXp@9CQD_r{HeP7s zgm$~o#tQ8=q1`I9TZDGA(8dVuCZUZM+9;uo6xs-(-6*u-Lc2j|!-RId(5@5OwL-f_ zXhVgTEwrnJCWU4e+7O{#CA2GrHdttbgf>uU1BBLJXjcgBa-m%&v`d9{iO~89t?yL4 zG*0>zD7k%P+FxhEGGIMnrjcpQFTys%UVv>HnO628>;u?#*!!^eMy9o6Z2Ot8GhnB~ za9_0(=75!tOlzuzd0=i>70d;zgdK(*f>pq3VAU|(*O-9CVKJBii^3u>9j3wN!{))} z!sfv4gw2NCf%_kX<-nH0mcSl>-H&UZ!ajk04Etzg+Tm7M0M-I)hMj;NhaH0*9hp`! z0X7~s4u-l^jD_7cGR?6C_7V(raiA^^)Ww0iIG%@X#J#z&hhPuFa$tzViS?X2V5prF zwR56&PSnnc+LdFTa?DeXdCD=5eG%+F*uAiYuzO&4!xoH8vkBPwu->pxX;OV5edHU$8%6f53i+b&X7`+X?#$_9g5K*ypg%V4uQ1fqgtO zt@ahz%P{0#i`;7wb1h=7Ma;E`xh5aB0+xsIh@%d1)FF;K#8HPh>JUdA;;3nYHNqNT zKG>0wX@S>Zm^*;E1DHF2xdWIxfVl&hJAk?dUWFls7M!6LoS_z+p%$E>7M!6LoS_z+ zp=K|v4u-Q9z}f+<9l+WFtR2AGfxfVdF&5{f1?Qw?7HlSL25dTP8f@ywv?I9p2<|AFMA7^|M|C%Yq?J zE8?tcfca$X2^o7_#@5K#Y8hK4V=HB>K*k=Ev3wa@A!B(m_Na_4m$64=>|q&OCS$oW z_K=J{C}TM?wp7NJ$k+oicE5}*ma#=LcAt#hD`N{~>>e4rTgDd1*j+LK3Wo(>`-7aHeW$ZQ? zyH&<+k+GX)Y>bTEBx9pxY?O?Rl(7*qcB709m$4gUY?zE)FJsrq*tIftjf@SIv1}Q; zTE?V|nPqHmy@A#?F_q-ZIup#?F(mb7d@3#?Fzkvt{fo8OxBdo-%f(jGZB4r^}d0 z#?oc1hm57k*lE)EOB#Pl;}2>4E{!f}B&Bgu8VPB{r4f^cA&sasBGS;Mp-CewjZSHF zNTXdEZPExyBPfklX#}LvB8_HgoRG$GX&jTrQEB+4(IkyVX*5W~CygW0sF#LU8g({7)LcNW&tHpQZ7WG!97PM``Sr#y)BMAdS7!D3Zqa()h15zLUm(r17mZzLCZr zX?!h>-O|`4jh)i?N*Z5E;|pngE{)Hm@u@UEk;cc;_(&Q%r17CNK9I(CX}m9u_oVTz zG~SWMzoqfEG~SZNzohY|G~STL>(baJjY4T`mBwq*cvTv&NaJN`Y>~!G(s)rCo2BuB zG&V`&d1-8v#&gp6r!+Q5;~&y^RvOPp<7sI;C5`pcSSO9O(s)uDPe|i&X{?dPYH6&J z#!6`vNaHbS*@8q=jQO&U|B zF-01ar7=kw6Qwah8snugP8zpMW2`i8lg6#mxJ4Q_OJj^QZj#1mX^fJ_NNJ3a#*NY# zE{z+cF-#iQOXE6eTq})hq%l+)+0wXL8d4f&X$+CZRnoXp8iS=VNE!pBF+dvqrE!Hc zE|pj}`SbGAT6X5AHC&8Qm*(S#!1?%DYd(H-n~xs_qiv>E-BIfIuOLr1y-!Vqd+x}e+37%LQPRQ zh)Mzeh@2}2QEk8yG|GRZY0H0930r^8PqR*gS$G^xQ8|cmXgaP21g9vi97Ht*k7M9% zR2R>o{Iu%F^V4v5^6mVz3HfQ0^3#rD?uwV;mrc#bKiWd$+EBa79q59Kj@|G|ZqH8} zhx&KH{X9QyH7&av9hEzPvgtGwPW5HjE-d0Xf%x8sT>={myBoLR*1D%LsP1X3U-vX7 zt$P|_xm%NmnV1plEhkcsv$*=Y{ItiAS=Yp2Emt321obwjoZ%^bW^Srq=>{dqGq^W- zM#IdMQ$7=SC(kHf#?pS))2z)eDJ`Exy5W0*eJV?!gBrV);836uT}kw{60NI34l9#~!p-(Cn*k4Y|pv}UkWeFs1G51_OF z@IS}BO;eOiW;whCS3ENTM_uw|^6lJTx}GKZijqyZ()b_1H3)Ej#J%=w;3u8H;i*8m zhkMIC^*1_d(Dqo>sPEx7j0M`S0Bj!v_7gzkqd@ZYP<>q{oZxaE?T^5>ZDhac8QXJc zdCmf=egGP&jM0zzqU+yuX(9WbyIGp4f^{zdZd$)_Yce$%iQ@neXafAt@q*Q3SUlw{ zZrYkgs+HSA-g3ZmHeYI*Tz77ga&MZFa*FHGO1{WflP{IK*eO0j_dNo%y#&NI0A8E_ zpODh0)EXbLRPAG_9*HZ-PXXTzfah-R^(ZH?FVen6DW|Xz2s4rRYgE+PasJPwWYCmtUQDLzisED)BfL( zm!v59D#_PP-zRCNrl*0n#X!kLP3u^=JdRrUjo-1~QNugZnAa_|1&w(;d-4?}w3&Q< zZCl~lsiut^frg1~3!=2U4HMh@N8e$`_Ik>(x1=0@2ajpZNbN~$hG$lCJ_eK1c|Dwt zPC^*ncX61?RpFtR$JpM+nB+phZvdTV09~WpLzDNile}ArYSmxMt@@i-TIpDJjcPrU z#XXeU_1{O1Aywxs%OlxqF=_NG+Z-qbKP<(_if3%SStlKuDQ zyD&W2?S$^J(zfAX}!<(;O^K77ep+nJtnJ55awrG^)uopNel z<1L^YYG30m2rjQb9(|YNRj$flfU`FGZYd=bTuyE|J(pOp7bN=LZ$XyEZ&{pbndX;D zvh02y*7iv9b2uegHu@;*_#-8Jwd0TE*7p7#uk!`(N_%t4?Pv?Nq+Hv-s&8kvBOR`Rl#R}bHTfgl19dovRS#lwy^Yr9auRZ0|)A8v%oez2E>GoY{Rb1LFyE_i5 z_HG+J)VQ$QPJ2*sY4R2&x28rUZ%vIz-pV67+FSpH5gk#_35bI}29k4Vhmv!67n5^> zCT{VDB@aRs`}_AALAZ|K zGP86Zphm^Z#9^+KDDo?&vy++t`$u{upaXqDMOgSBkjxa1?CCz z>z*LL!cTsMpZu!9@6vb(-4X3$ABM!AA*xu^I#uUWTvg}On%;r5iuHEldxWaN#J253 zXNYLu#{Mzl@@9LPo1BumntlCyJwS-AQjKeB_FKpI?*)k`@d^J?&HlC2W~aMnSa;8` z?w;Y@J;S?uHg)%G>h4*4YS3C9<;_t`k@A=iYWAzU$e|w3ofO%@W}+HXGlgTlLERaJ z(zy6Xlzh!kNS;tNnAo{SNYpi6zbhoV4aBc{VGa3=JRGpAgG*>MPS}T~ES+8Nd&j zA22a5dfsPZUij}a-(mini48&j4y+<^!uwLzGaaP}AcrO&yea+*xRx0h3D^0x`+nTg z4-c)U-&*iJ_FD&06s?0O`}B|r_gBMek_n`R$$gu#_Xz6H?R3}<-A-r0i?ib8Q*mev z_l}|7;63CA?;+p!qFblK?|aeDPe%MhY8~Q-$Ge~XF+_XP9S*-&Wpkq_-M&Bgx9`?F zu<`b!zxD4?%2%UOe(3*>@`pMa|Go#U25byI?*hlv$4cOs`e3={WIYak7j|$A9?dEE z$lCzL$DXYQeV4#44OXG|pF~@&>w5GwIv&G&Pm7wUk^X&0H@2s-R=}JsW(v|d3lBVP|mh!)p{GsG`C0$CAN=_;{uH=}Kqe}crnlAV6 z=Tu0L3QN0^6G|GC_*figDmg>R=}JsW(v+OWf&h84q>__L5=!DqVoD4p5hc13O-Wcu zr;-jOZAwB)f=XJI1eCNWX;yMv$uT8ImH3r34Zgg;?Nz|;1>C=1-oIf&{q~yi_?3pc#)M0_saR4Yj2Kaq|=M2EL0SNyIw2Vy{5bIVT_yf?j2yo3Ki~`!q z0KW+cpQPpzpnWJ1dkW}$4Cvg?IsH7-@l|bpLYLk_g*3yCc6+l}LpzJcB!w*Eq zd#6DH6+mm1pC+pR66ksyXj=`m=L6PtK*hO$|2Lp>0^xr^2URK5037NAIH)f`K}XLc z+zNy!kuL6|397HRA1J*SPDdPQpi&3l3|CfuRo1`v(v&Vs>E@Kan9{dWx+kT3Q~F&> z_mSG8Y91)h1Lb+3JP(xTf$}_1o(IbFK=-{`e%H#Sgk^-ygck{K!IqL{_B-P?*vWbz zJ`o5n1t!5l`+(qNAn-0Q0p`yGnvMY>qD{lGX_X$@fg z87QeG(1_ygnf**y+C)p6XlWBIZNkzfTG~WQn`mhhmNwDSCR*BrrA@T7iIz5DX%j7N zqNPok*hEX4XlWCcHqp{1TG~WQn`mhhmNp}6Gi7b2tj(0Q8CjbtYcpkSrmW4#+DuuS zDQh#bHdEGS%G!*q&6Ks7vNj`YGi7b2tj);UOj(;LYcpjH&j*?Isse^kj?;?1Eiq%7;r`4b5L{=xH2G}1*#1|r-7>jQc!##xIpkJC_WQhBlr{) z9}6xMd=83F23M*Og({>|QAhte`PQcbo3v#khP8Q0^LOEHGlZA4!P)-)g$%33Ll#_*WvLGi5iLGj_{%|{P{%0{8GsZQBc zrffO_*(g#r9f52rQ8ra58wJXybC6Bt$wqau=^SKJZL(3CY&z=MRG4hkC7X^$HdQ4X zMaib4kxeDZriuVGf|f=(vgv$eQ!%os7TG98HdP{<&PO)YAsc1Lrt^_aMaV`Cvgv$e zQw6e7fNVM+*_3`Zvd^aEvnls%q@GRZBbyS>rn~_fK}*v+4M24M0Kg+YN{?`27Z?KVfyQb_!+19DJQ5PsbO zsU-Zu15!|26@KS|&p}aP__YV5($I?!K*ix#ACQ9L`taKid0{9dZSBl>X;B!!1DSj)+#v2RmpQ;svcTiOeE!sm>F9;oO z2yY{o3=KYAs%U7@R;sc=_=Iuc(BLzsN{1G0s45a!@E2Tn>tg1)qbWQo%=1W>d#{`u3n>Jr?SBMzRe^ z+yb<=0G+dewi|%rS>&A#*uMn)_&Rt-6MeVW@H*ff1=KtSlvsdjy2Jem;JO&Ff0YYX zTn&_u2FlI>-1wq*Mzk2H`VpwUF|%LYJNRabA}~<|CW^pB5tt|f6GdR62uu`#i6Ssj z1SX2WL=l)M0ux1Gq6kbBfr%n8T}O+X7!-ktA}~<|CW^pB5tt|f&ymF&`dQlQ;p12BRp0X z01=w0MrNuJ?m&&qR3ki>qX9&S%lNj7YJ}(aM*tC;Q6n?e$V@ddQ;p12BQwMtCF<0oBON zH8N9;%p5e;$V@ddQ;p12BYbAiHgc6f+DNVwNL$I3A|IQ{wE}57xmqA?DAx<5E#-=V zw5eP(khWD-4MH2sbpvT@xpE+FF4qpE?WOAB$N)rjL1aMw=|p4zqPie508w2K8GxuRhzvkf7eodisteNg zLQq{08GxuRhzvkf7eodis+&#EFJ1{aHmWXsj*Y4dpJSuyl25TwbwQ4estccEqw2!v z*r>YjIX0>;e2$H)iw4I=)rHToQFY;SY*bzN92=k7Y<{$}`Pt6yN7c>dr#qV;Z}>R7 z_d~;S+$ORC0~SKM#uggYTd-t9S-ETF)!6_+3Os) zqhbVl5X9d9<8cg#XsznYTZ?hQfAO6vh#k=aZnfN?1WE5mjKNYoy_S)>kDQU+3Bjc> z@^-Wg-^i)L>CQQ$d-=TZ_kZ83mPF!j@alOx!f&MR48Os5=It2D9i&{99m!ujel;mv ze@n_8np$T^ckyUk6NjF(P)KxJY9@BMs_6YYP)r|~6WkW+p(Guta67&GLOSwPJz9oy zdRE{b45q#hEr$EmRSvZ{S5sBtZOYmUs`?O zJZ6F7el>JKO7`XtiD66cSAnte8po}HR~ zwz>T58+Wwa zNS|?w;OFhw7~Y$Oig#ZwJ<3yg{^oA4>>3=S)cDycU36+Rdx#*9)1WBmGa_&=e^O8!U!sRU z{{pk}sCaohC}1uIww5zW>3mWSW8Je8nq+%)<*v9 zCP!U*n(oC@N!+}{kEiCIZclZgzHp-0qXm5A7Hr(XkJ>3|_$S51r*h*Cdh8aZ4&=ri zTnM_fg=_~tUbY}A3LHXVLnsV-g83^8ZBXiQB;^gDhh`N%khko3R!P~l>$zEWEq_p> zKe&xgRA6q_7OY{bs5l?+UJfK~$_hl#3`EcjM9_46iKgRAG#y`}8Gjwk`0HrKUq`cY z0h*Ny(5zfQgKsGJ0`QzSHav$*&Kph4hUYK@4dx-46?F0Cpo=b30~gR>;RPgeuU3q-_ox_o`0*_7xKPjVpIP1sO2$0O(-TTK5 z&BG3jQ4Z#TqqbrK@85*f{!JJ``vRu6WdiNrgzo)=le&pEj&>A1r-mk`qpfxf!po{1 zn-KNk3UAE>-kJ%#H51gh zs=>U$ftjU-fVv|x+*mjxje4f!9C56REy{JJ;$BC z=eX1NT&mNA*u3MctHYZ|@OAch2zxw=JlnQYmu=flUAJvZ#ccnMAF}YK@DDtW9E{=$ zaQ>Br$p98gW#6(VxZ3(M+RctruJ5^1u61?F#r@)xJK~g=Y&kVFyt!ph)SjA&9h!$7 zngx!UgB{GkO82LRbe`wAF_js)sm#cw%qGzEvCn8g%H>{)I`$ctZi4a~o})UZ8YX(i zPF>&z1%*5CIC>{2pFb_T8)~ZV3p^D?pITYDSQ)1b<%oR>2dS`9DsWVI!9%Aa4IVlb zY4FhBk)r$WNP~xL+y0J~S`E*giWYaBik9yBKaIbmJvANgm|9)Ar=ks3sAySv<0?4X zRHRgJl$L{q(1Rb|9PI~Drx?}Zk=E7DJ?MncURYPF`SF#Co;ZHq@QD%e%*RPc&W^6) z*x9Skp~zJypLM!ipTjjKw`Gs@6_sgsOWiS{yO~P8yQz}zZvFozQpFutqD5B)SM$2c z<<-cg)wq(~4Gt;PGx`{hCWpt8b82jN16SGyBqyK(B&b09fY4mP`7>bG0M~q=;v&Mu z__V?GpeJY_1}E@GR^Y;{Kvrc9;2npjmBfA{$%IrZ`~tU>OvVdOXk|yG`{J6C;9K?^ zPBqq6o7$KE-_|C&SmxM|*GiJQG!~3$zc*A?*CXX@LO*q^O=(>Zj1PW}R`7FtX%Bv0 z63q$~>Lh6$7O}e;~L6Bg4c*p@q2vLI*R2z8c=KsD#!pq0mZ# zzh;FFA}L@$ibjHJgi5KaRCPh9>ma^G36&BKM)R_wbyc4Oh$&j#})E3Y39q~Q-Y*{a8S?_0k z%P}Z?1Sp{wNfH#*cEaKC_(SvIG@R+HgV={8#-tp4UwObg4SkU5IFz;%-rKuwj(Xw5 z-p74S?C_ZKbF#`av5DoG)z{mOD>;#BV>ascdAXfPL)$yfe>YAnPd2mjDf82saT%6Gjn65=Ibi%nF^E<@?B)pXK|Q@JY)bfOR;~IUWd5WWG;q9>5pv z(6XXgS@hqKW*xdED|$tiXLeSoxA#TDX2J`EO@!yOD&N2bU^C$b!X^S=*ht=U1biKM z!@HI68sSyKD}==ek$$c5g`67P`V6gH3J?00!jt|#WxY=0saDD9&-Y`j-5c$ zF2H96>P`^W0o4Nm_w_)f9dP~vlpQ6E1ANeZld-x_NMwf0*tAsJNCO0vLuH_2BeK9Zu6 zMv{9=8X&%lyg!j#SkJ9K-iztlu6kPU$cx^mNoIJjCoy}khWO4;m`Tn{{7#Y?-$K`B zCmtc$lz5WlAMrYp`{Kex$f4G^KE7?H?{jLc-K~0m@9aa(li_rdSUZRLYA2^VtmB{5d40#bBpvp} zB%$(`NLp=t-^=B_sP#?xAd+WoM@c?5HO7ReWW zo@?Z8rFA9Ttp1Fy;a{C0Sy#eYzEyHNweBenk*p{=jpT5MD_jwJf?AH?!zBL>@eS{V zxSC6X|Dn#;f^-;;^bc|!{~6-)*lQo6&a%4ABnN9a>Xmi9sdY<@hh#)cHOa595wn}? zNlF4Hk{1G3ko?jzf@ERKog{ArxSF{w*HY_0Eqojv3@oA6*5-1O?^>cHgIh+E>}%#M zU#YF6*3Y$#ByZMMkgTrd(>AZxORZ_Ohe+~k`OHkNZJ^e&S|>^2ZZ+oV-D=RayVa=a zt-PyG207we1Dwo|*6-+^v4Jv@+X60E+KtTbtN4Wd%X1+O z{I6#q$p-gel26@S^ZE6gsP$$2nKcB`v*?^c(WHm;(}TN>Asyx*8la-i{XlJ$*GkUY^?Kr*FqCCT#EVv;?rT<|%q z7HYlJT1xU%E2sTo>o3&W(fTXNn6HVC*4<3q@gohL-X}bBC4pcXa84)VZycpNzW>@*ci(kU#Fm z)nw4M-8Gkx+*}nlOnFdV)BC zFpbceO)R;9Xk9_9xsBNL1MxG$ID&r!FCpQ}a^_`BCg0=FOu6DMKf zB=DEBkpw0|5++Upf9V=Y;4fz*2@@xg{HtMj*V6L|t$Sv5Ee$N~TKb5$5Up=mY7id& zPeT9~dgJEan_(})-h%Cc?S*{@+t;;pUdWFr=2cxX%U|t0I&dj-8FMr9Mdn+~JH+CEA-wM$YC9tAaBSxtA(n<*#w z@01hjn{u2dQqG|ZQ%+m=nA%0Do`&~1x`y{i8n&ylH*Mk0rk7Z%f@&M8f@&kGf@&+O zf@(9Wf@(Xef@(vmf@({uf@)K$g1jy6dug`d=H*p`QcfUGIqRzikW+b^T0PmS)=Rdk z^^&dKStnZ&VMb=xSs9s$MH!j?*%_Ig%^8{26&abuk7Q&9p3KNBe>5Yr7^C*IOEq?*D_B>j69<4l&mYzpz&!ZdX(dzSP z`FS+MJPKeQ&qB-3qxI)e0P`q=?ZOnj-9J?qb%z!u?yC@FFE~=_y7e(XP zr7BBGv-md9uKG4mOuh{ilWzmnU~K(YEZP^|EOBT~dz5fS?~P{bAr z%|ek`C@>2}WTAj86pw|%u~0M?3dTaQSSS<=MPi{qEEI=@!mv;j77D^bF<2-B3q@d| z04%h=g_gI_>K0nO`rNzHKTafoz3-;6>X)~Y>0Cmi}g;HPnoW~_WN-uaDrt# zbNS3@5PhqZtXC4;meO{mPF?AteoEUuQd+x2>GGKgJ5R#0UbQd@H-qg;F$uRZ2`eUH z#U!kVBws~Bf=Eax5>`Y)N|BIKB%~AxDMdo+o(fc_0f}-T`ZnOa4RFi`PDTLhK){~~ zB#i&8Xt|nchBpLu73@mbVAvqoK-d6Sf7lhU%VC$nE`?nJ>j&!#yBKy6EDLra>;hOH zn1G!R>kaD#I}dg)EE9GP>}=RsunbsF*qN|1V5h@Ouyj}tSQ_lK|Ey^K3-%}M57_Up zE?5$F@;@u)QX-`bV0Xdh!{))}!sfv4gw2NC0h3Y!9(44VX-2%7*K z4;u%&9X1wr8|+rtEwGzmV_-MIM#DzIM#4tGZiEeo-2fW~yB>BO>{{40u%WPQ*wruz z!v>UM14^%Q&y58W2C-|+Oy{HItV-$nl;TjR3piTJ!Ld*d&V_PtFqDInp&a|kl;dBP zavFD~oT|&Zdm2*?)()Jd)>gVc)yCSY18XY>Ybyt9D+g;U2Wu+_Ybyt9D+g;U2WzK# z8dHud&!3sfzw=BLgVOagl_G|e)1Gn=gX%#H%0UduK@7@449Yo?EV)h3rE>6KvO`ZMJM?I>L(e8V^l-9+5R`)ul!FkIgAh_ZjVWim3L*Fn zt#4b$%xChUuq|i*5$40pWz1aWL(H|zCz($$A7`#%u4b-cu4EQ4A7idy=JhU~O+P<_ zM6-G?hpmFGhXuD0+5x8y9O?(OeFW4liDq@w4W-|=>!_>i!_JzX_*ZTSC+msviNx?y z;v_<7A2B$Y74OdeRgJ*WAn zoVt@ahabstUXxSxSB^CoHO8phl$@+r8lR{%yj1BVC82#vgOim8-c>q5i9b(i(=nwV zDDe$ZTIW|fO^K&iY1JB~Ta{D}R9e1Y={O~&HA<~ND=n!_Y3jD(?XFMj*Ny@nA63_f zQbtN7loBbWL`o@dB@#-Blu{x^N+gsLDWyb;*hnZP zQc8&wDUnc0q?8gVrNo-Lt$2I*d)349Hs6cJC$IysE<799ylXo4LwEST!}&R@aH@jafVPjwYj=-YnscZhvCQEf zwJgVZ0!NGfcux%-G5W`qasmT$0t0edDsp`5aw_i5DVvsaFz9;F@9C9xo060DO5+oi zhLhXAz`IH(DDmehZ91m(10}v8O6&Yerz!CiE3I0ibgPoeflABwD;=k# zv_`4*XQd^zDNWs0y#1PATgK;1ZTwfx)B`!^lnp-Kmw6fU%ABd4PqH_Zc?HwNyquZM zJfC?svk%kE?8m&CDVUOZI`b@MIATyJB5%WUkbS}#eo=Tu@W<%*vN5$Q(;ZC?{O0g1$CT*Oq-ej^ zG5Oi}KU|;1-%EWsHn{=3ELm=SMpJ2bOC0JzR>=?rdbxIa3&-rle{w76k$!~MbE z{4LgOZx37K+JALeO+fe-0`2B%i~`JpAN3A{KnDOo!NP~dXZyja9zc! zU?QHC?hu`$oNqQS3|lMeo9`iQUl9&Pzj!B>^t~D0&@#$>Ud4vQcog75{B!@Syi#{ll)=uFU>T z+3Eg=9Itx=4VO7f!&>84iPg#L`q%uBSlxLmBy@K0xvmH7cgC8U_0ZMUNtK^Qvx5=$ zwS9weZ@@b?-ZT1m;QZuh&zrV}z_92td)PiFdQbeAyE8emRI~;=TrJ-?|97NMBC9pj zd0PBHung}=f&Mi=d9T3ahhGXD?B8^??ZJb8_CLJ3a$>~?>4)F98?OC*6E0_cUuS*1 zDzUR~%k|Mi!4u9eDknLHIVaXXY-2*uY1xn!_iKC&4Kh*Z}t562LB@W1=aIHVPdnE`0b=&|KmuX=62u8 z=Js%>w*|6EaDCP-;W1jJz9%DT{tOetPC#(fygC{EA9$Wc#LrbCs zc~;yT|6ku5lJ2&G$-$1YA|>A``BupuCA(d3cxQMV*0u3XVTXNM!?muTV^!_3yQ|z38tUTiySNA8&iE`T_h(U0MA3Da?hYDPlP(jQcDrkQo zRNx$Mo!T4;6?mTv6?7Da3fvp;x$s1&An;(Qzd#Blsk6-H^o{0Es$8SpMu#^s08q@;!kFpj3)e`}G!CKg+QPH~tlSb`_h4)y` z4Gare>nKNgY~@7z4eWKt-V^t1}3hmpT=U%Bynd~&$aeSkFRWV#NSUZeZYM@ zJ>D5uQ{R{#sB(W=Uje5qR((r-L-j4z^Ad6Gw35H7j`$Z<-{D`>dO_=)L?USo9qKx* zE6tndZ*x}rot-1y#{$kykFU0FtNZHE%KEPYs}n!DuPJx9*ESxSxYE`7t)sZH zBK~XmaC+bz>!QSpz&Y`M1SGozw4{i+%MAKNy45q~CGk{hpgI&z}}a-Fjrm*lq3>HIm@y>6y^aL}E&vg4av z=i)@A{rN=Y_+V+X-90SV`&8mY_?6JH`5iBg3Kz#(6ThaHj2Z=^4Td5__gSO7Po-P0 zingSe^|XE77b6be?>?$s5P#SEW6;rItv<8E-Y!Gu2lwqKcs@%H7kWMmJyO;u-mCng zc&}K{U#o8Z4AQ>L_F2LbZH`W@Dy)39s?d|;*k3u*w!Ly@yr%rghI?y%tT~Y0xgvZh zIzC>zKVBO+5wDH6#%rs4Ks|LYC0Y;X)lV<);aczcBsA?vpTqx7?yUN%Yng9#w5EQ6 zr_r{@f6TVWv%5V#*Wc7Oxorwo95XsPzP=;f_ek&rJFZWIC-$SGTj_%Pe79(h)pmLR z?cNRhI(^}oq-eOS^g{33)U3X%<|uSma#wodyLiudMtaa!D&jruf4ROdJwJ4ImEGOX zQBf61JYH6|FgZ3labe$w_eWR#AMf_`q02p0(TVNL`j++NOUbYP_MeHrle+=t%t?=@ zJ>*;pUG99^x(d1;x-zk&ZIgR?!=3fX)~hQ0MBj($eygWvbUd7;9Ywl!c&$BeEyy1eY#whwcg zB>u0DUwU2H^NfZ;tR|&36R1`0<-UeN!9UwJ+3HGSfrn~t=o|O7Om^pbTgp!he~OP- z-95r_JUy@DDgUBgS0)~?z1OyC>^1Rw#={z(bLB->Har(^C06(7>`8uSPZPN&^2&rO z&$gre5n`DzsRoPh(cu**$46I|^;SAG{DXT4%$y#0^d|CaEW-|sO<&)!w#G7CIlZo| z-xpgqzGryvd{}HpcyIOS-1fYgp8ic`-h0d4^^?+Tm&A9*f1cU=PIPi;WHrbQ$EVX@&o~2`}3Vn|b^PCAJoSvSL z;2SKS?eN0~hn0i_i_60N8SnZuaDO`fW2u?0A^*pvPkz@B`s{ZNDZL=D*fj*B@BVwUGv<~wC1_^;4E*R+wo?)y@GJ4uX{Vxy*>E6 zf_((MWMxV1*x){VxCZydf*U*b#)6^qFR1pC?ZDRXDdPvpaPw&iua(UwR3 zo{u};@O>Ode+WSNOhaOLK;_$wBbdqD^_@><75d6;R&+W`( z(Jma+G_>-w+Ae&e54Be~tkLF9y>Yj%&bcIzMPFCfyS9vm-2`j63#e=!=3E?qX*gjO z@Zx&HF#Gf9BMeKHz$18<#b5GurI?#I^k{mbB5|m&q?TNkeyIlO7tw}UbfI6=SMq1Q z!+U2i$7a|{9rZICGAahm^e^__8t~&~#2;Fj?))Ba9xKz!`^@y4;IB;I@12&?>3!+q zsYY~=qu;59eM;&|U^(|S8`eR1?V$+(%y{^<&bx!(y5^=j181kk<7xVDsGzP#s324m zDk!@Vx-y-n_M8?f&@y4?h6)<-N`=RH^;L}(aMhITM8|WqjyG(_(G5A#7wg))eTu5X z5h^J8BUF(58Lw9vcs=_Z+RV%No}X!ZslyRpL}3NBHncrCjhp_b!SZU8EC zG*sYQLwBk%&A+6)>3u0wWLMyC2~9}$#WW?j4NG=>Lqn{Wd#B-+`rP_m0Y6>_Rp{)b zD$G9Dm_4csJ0%^?qDCjXl%zWYE@CHI?^Xje~c zeaC$~Zs}Zhc%Ju(z`5QhoDV{8aUXYmygaa&ByJB(^0&l3b{`L}z*`#?2ol^MnE0vn zPWSMJ#rXfXSU+tmRZXR3;nelAaQ6swbzgI?Qyz~gHFeKI9*J%&&r((D|faptK3<5MO#l#e7=$^_H!d8$!bsBaTzgt{)n=0^rEV>SF(S~duBw+ zo$ud`D}?#X(n0f`F9R;K^X2G~_%WB6Sh=$$>8SR-@A@hhYB^v#0Q)ID{!~q|?Lhs| zFI+nvM{N6TKgL4wrPV{@OKqFtIgVew2a?|4Uv2lgvtyy^p~UiQs)v?eb23^z^kmev zx^zkBJloUBn|x2%e)T@)o$dP4k?s1@J3D?^*9_aficc!HIPYt@+V+d@kGTZxv{9I& z-ZjAYhi!YXx%zr{pN@aj9BrF9%K2R`{zCP4xm8coKY38*J6D z{ksNqPUsqtoOJl@>Y-Gzjz4|xdv2}x)Ll)OGkL zpq6eps1d?I1mz}d}lT9t>>!l5{A%)n{!V4R*_e-Y2~er&(A z$BJ89PkX-o)O`%jT48W~y1}f>%K6tU>3&8`(~Wn zetP4qcI{CjtKDmzvf3@_kJCYrUJw?_YR5uZ?K(9>nJGuWEMQCeXSHhEjRE^zmzuCH-+a2r}gebM6I> z+HsyfK05KW=)@)cqZ1E`PV5z(h|r=Fkq33|`m8Qn4_SgwFNg;j=w$$AhQQR2*Rp;w z<^~Tk(8~bK4S~5KudRE*m>WFEKraI@H{`YJ=eB7-^T#Fq4O*$W!)E^YTJD3AEhH{Y zi`k6=8)LjaFh;mih&PLHj(`Fr&~OPpvoRThK{TNza5nXOqp*<~M^AemAC^sf{^+cB zz^rzIj!&sP?S-wKaGPsLA3;16FbY^K>8~b+!Nw3883rr->P#FN1}j5oWf*H)ceK<- z!rF*IZ6vTz1IgEHVlT<=#c%@!90W)QYO(b8fYC;15K7F>CEc7)=e>l z<&|mXpkBsB0DXcp8crR`8(cRfK$aFFIfKyirnHbgg6jtgfe&TtrU;{-7?u1%W|i>V zhbIgy&VxD~pLw{+QPxMv`hm(Y{TF;SV<2ZX5!0H$xlinMeD;>iWBM5wHvMr!2CunN z$n>WM6-@5bs!zd`?5&+z4Vt!;(8s`_rQN}2Er*_`K1>eUlArxMxPd{r*90j8olIQ@ zP!}FJ}a>gY%}%ekr(hp1CsbyMPQ{dV8J0m4n+*{3U~IJYihq9|fN? zmTbzFyJ_6DO{%lz5~h(caq$`6vg{|o@)oVxf6m&>8U-)U8#j7df!}FP4xd0xUAg$Y z{PEeiH`_3F^TOqSaf6E*_xAB@TnQ6IG)^|@?-!1?2wMR{J);7pGb?pI* zQfIBs{eA95O9n+R9Wm&;%YkrD;o4sk??f5)y<^#El*S)*8Vb{f(^A1@yZQd>GPt1LCQ{IeA z3O>z$so=|$tW!5Vo-*^j{6+6nrvqP0G}U=#R`Hi%*}2rvSM(1wA{rN8Wc!*XB1_yYK3W z1#@!0&wgyv)SR5Wq0wPef17$#-q3Zk)}OlN)$AYUW#`_VH?-h_jhC;jk~4MoLD|Ey zTCHuJH*`{O+_|Sl$IbY3)0fMi&-rHFVXNPtcgE~5a$a8CXYtxCYi8D6H#C3G*;lR^ zLELno!7cbyDSyvSYep0-UV3`&JJXiUY(Mk({P~#|ZhAEOWp+MdT|9Ez#rdDjKVjR& zTZYX25x2{0YRz4_V)e{9v!0o|GXG5SoKbTRSn@~SrBiNMa>BZs*1j>RTERQ>E3MgM z%K@A7qqnTBo8KhsvDsIyZNKic-2bd-H|OrTPfuStt@_-#8>Vb{rp@Z#^Y`9%NA7>~ z=1f~rFn-CloL)KC7EH}Lt?Tq#w#?}|`JCv2x!2CvXUounhqp|a^=j971GaqCHS5W& z&a-b^bmi9BlfQuD2|O=Z$n(0}d0zDk&-rV3-dwOu~K z911xEaxml|NFB(5kOLsKA^Su2gX|002eLP$7NjPm24pYDo{&8tyF;o&szItkc7s%b zq(Uk~QXrKe5s0%#ji3Gt`4jRV$RChxkgbs4AzL5?kj;?aAo-AAA-_O=hHQdtglvGU zhpdC-L2@B$A!{J3A*&!iK~_S3g!}+m0a*@N23ZQpfqV~H0$B`M1X&1K0GSV&2bl|* z1DOq(1&Km@NH!!3G7~ZbG95AvG8Hlf;z2SYlOdBJ-$A~Gd;|F!@)hJu$QO{$A)i4e zLOz9j0{Iy75#&S22axw6??Eyk??T>zybXB^G6C`?_d@Q0+zq)4 zG6r%d3FKnPMUV?27eM+z&WD@_ITz9! z(hG79q$lKTNDoMN$XSqXkgkw3A!k5Nhjf8-hMWdD6>4=?nn8|+G=(&QG=?;SG=wyO90fTNas;G4 zq#opONL|QbkV7GdKn{i+1gQf#5OM&dHe`Ruevo}3`#|=F)PmH6)PU>-*%Pt{WOqn) zNHs`R$Zn7-kW@%zND8D9Bm!~vsIl_DkUt^+f&2m42H6Vv9kK;d0ND)r4U!M}74i$@ zXUHbVM#u)pddNCR9wZmC7P1Di8nO!V6J#aiN5~J56_DkSWss$i9LV>OC6L9CMUaJ% z1(5lWd62n~Igr_qS&%5ihh#&tATuE|Ak!h!AX6bzARZ(WG8r-n@*U(`$TyI$Azwkh zgnR+{9P$}tBIHxZCyOLf(M94tWjoD&!T& z%aE5KFG5~`JP&ye@+@RLF=zK~8TH#{ z;42jwbMxC~Y@L^}_0Eiz^SWoWhHO0~o_=4#bHOP*Z|cYMsXXO<%5&~%Jg<3*=aYF_aV5{of8_aDo^l%Uyl4f_r}H## z63=r+@H~#ES@n6IF_GtvJWW}^bLN*kPhJ?D1H(zx#GlL%!WV8m!Pv3TZ2L4a; zj5QlU@WoriTRDigau6@SiAxRQ#cxy*FMe8zcq<3-;`gegj2FKtMZA?6Z{;A~%0ayN zF)I~}7r#tJyp}GD;10vKXgUB_|Yrk#W^r!yqoTOGovR$Y)vw~Z9&S6 zA+BHG`s-YOh3n6A{pqg%wd;TA`fs@Yv#$S`>p$xHkGTHBuK%FxKj8Y~T>pO8zt8o@ zy8gYce~;_m?fQ4Q{++IWhwJ~__5bDix4Zsru79iR-{Sf=yZ%kCe}n5^@A}ud{%F^~ z*7ZlZ{z%s!;rhc}f0*kJb$x_!wd-Hy`d7OC6|O(n_0wH{kn0b0{mWc`fa~{n{eG_B z*Yz)T{YzZ`V%NXO^)Gb&KCXYh>!0WP=emAx*YD-}=eT}P*FW3!d$|5tuHVh|ySo0F zu78H>pYHlyT)(sHpXU0fy3tNHIZnU-=-QSJw=SKH+qx-ngz1?UnH(Jw;)^MYH zxzRn`=*u=uTGwCW`m0@kmFxfH`YT=k zN7w(s^_RQ;GS^?~`Z=!uz3VS={l%`o$n_Vx{sPyZ>-uwCf41w-a{Z|5`>vnu`dO|& z)AeV#{xsL0>iSb$-*f#;*PrbAlU)Bh*Zneg|HAb@cm2;?f1>Mu>iVC! z{>QHWk?Vip`tQ5`d#<11`tQ2_JFfq>>%Zmt6I}mI*MHshUvvFeUH=u=f7$h4a{U)w z{{`27-u0hz{qe5p#BWv;|#e;&(**WQ_yhv;F(XW?P% z+UMlX7};~i$jmvpFXXv-M{drU-E`Bm?04ra&l%q@>&5JMSFFkzKk2OOQ#O8*vwYqD z8(!JiYSYjCHoip|xN!nu%*HnfcWr!Q(Z1V;ExK>UoF9&yv4FvRQm|=V<$_8Dm62G| zZ{3MA2hY55-Tv!pugLP#?#kQSZ6kT3{bp;HkPe)Et>0|c0MdR_5BHl*$TBX->EMk^N1uARM4_PYbKYi1oyGA6r5R#P^9<|`Xtn=^OHul;cPdCohe z1993k=WYM+X&=p8I`ff&l+D*}p0uQG=D0<_a`gPI7XjvcgJ_2$TBZR^uR9(YGhfNN zHG7{m`Jb$K#os-9A3$`}rl0*LD_+_3(#%(+N&= z{Qb8+yy$}LZrH}x4#lpxcIf7NxBfCCYv$1W!?V6$+I#tPk(`N3?~LSrnfqY?d7S~X zsLFZu>}v}C$bNL~8B0=UA9l#l$qgX&4;h-ZAFyF=uiSHTdoKFzyLI2K|88SW|5@MW zTsCXcyrXjZ&H83xWbw`QOa^%(acd^!D&}_o{hSz1_SjUaD8wOYtgs5zoo|GxI;0e`IdU+?x4& z=9bKY%*~mLO=Az7nnF})KXU@x<>&^0_p6_LQS>8-)q?!`AIIo@8)@$P(mkb<gqCRevsMZi9+<~O-8WljI{Q}729l;Up@D1CIv zPcc6Kf*9=>W0Mxd=&3QbtqV_N#c&1vZcr=+DXI3g{5+6hQk zNlTwGF)e-3inR23lhV?28m6UB9+#Gmf6u0+PgwxXXOPKh>9g)asr`y{{bG9mO8B+fKpPjr*Mk27Q-Fwl!7A`dX{j@APfMMCG2}Fq-8U_DD)MHaju|x}>1nAC zL;V9Ns$cXhil9ptUWwvEAkCpem5UJWq6d&(0f~Z-OiP`IE}Z)kFemSx zmO5zx1ocer0D-^B10iVUq&(mmX{ocng~0c$MUYD%@ICtu2%0tfZKNkco&&!>Ep_Qe z2z=)J4uNe>N2L2h`atF&{VD`ym!fS`?t;MYl-<%&Gck;r)4<_#$^gi}(^5SQueTH& zeU$Sl1Tp5k4?#cVyaV|N@*(6C$a|0s$j6ZHAedq~pF<`<-h_Mw`4WP*mX|(YanRvf(;P#?*jDKf?UX^ zwA2;o=M^VGj)g=p{ZVekIgqm<{UGT36_~CoE=WuDk)MsWWur~ms6QKhm5sj2MxSJ3 z`ei=_c^LA2T548f2+CzuNlTrHDLr#5cuhzRNFzuk2>fO3ot7G1jxwh}pr3g!1Q^BG zMteapzp`G0pp8-ZUW4|oo)7sfEp^or2>NSHT}WlfDCm1Y+JHB~a>n>9!8^=<-8hzw>|*BN&s0+0{A>Q-yfXcJ#TNcbIz6L ztymP0WgXYf32U!EW4Y2KvMB6+j&qMLqu>PfI@-Yhc5aUz9|N=}MX$*GKU;k;0jf_&Pg zI#qD&=2V4{RdcH2yt}i9vnON^XRjp3946LU-{Ez!7;rioY-jx90Xpz>c_@3%qhEUVO~;x;S%N1G%q2FqI|Y;5|7qSYv-7_ zqm9$XITq5|X&XpeL0YzhCG+(-5IYEu;~*>*dRGgBt&tmFGCp5Z$2)qsF=jNbLygMu z&I!(ma-86t6yqm4?QwLFqodO?mP6f%fu7|$$#HTlpZ;Cv6dcC~=Tng~HJBXo(*hgS zpNN!+!gV@3U2y2xlt^~gxpX@EgPgBcGL~mRqp#zfGcljffbeicIHMbscsL0b^q_k( zciEB-&T;z)%QnTHz+Is$4zh5qX}d~7mSVXUICl$rpha*tdl7f2vyeUt!b6daN7ICs zu`kX_qAR+O>~m9kiaWSkk8yfhM^XE3`Se^VJ)LucO`#61oZi-9(mbE*oQL!IP9Nt2=R)Tq=VIp)=TfJy(+@{~XMl5=bGb9n8RVop zgK?&pLC8&fUE!4HP%m0`5PTdglhm)ODkClXEkUTjF}%j74wf)+EQ(&TTkMY`4e!|I0B) z+2Y&L*4H9FO7X|FL2Kei;!10D*c+p9(4vm?Q}4j%zn#K|sp}5s4p?vui#i;P@+jxd z5@IVpa?Wc;rDv`cvtm?d&}dc1xmvv6zhmwgC)qJ7`N9+JT~6UcS8e$*ex|T*@5WKb zxhFX84(jgh+>4_ub*R_7gAvt~LDeZz%NKW^q7SD`^_y7DZfkrOHA{l3cgm^s^RRHN zr4P`op7p+rntZVki==I6BlRCgvBFPV~gI zd1(oz9)kAaxb{!BhoA|^pLOu1Eg_CGDruV}0A~E@h5qbUvi8%HiJWsJ z*(+K5O$lv@V(EGy(b}YKEu-N0hwWz!97BzTIi~%lx01zebd1TAO+NlTgKJp3ysP^XxfUsT#|sVN_xO&NML^Pe*>jD$1dk)S>^{{w2B9>a>!7iWRiR9ySJ zqXqWd*YY-UhN!PFLe&`L{$*a;8l$&$gOof5t4^(Nz5ret>ucgGPUbGG_B?i#BqFFFkJt}+Hsz6 z_<4o#sydS{Zu~<_!=7^NqdWYW9_YD)+pm!`e!k55e;V_Bth^664pW@}JQr^N!-Ym) z$Ef)BYmGs*g-$G6)cV)HHdvA8alyM=;`?9X{BQ1bkHu?he>iR}KPqEZT>I^{Z+Q2( zk!A(S+n=nxCY)qB#p&#^S3BzX(zHS2{}}@~+dahfVPfT+;T(A+VMZid|8&LnC4cW@ zZhQn4pW@Ck9b8>}P7^FUDz@ zZ|r#YV3;{4i?8sSdlY3@j`EW8vhzwHoR_BU4+xr(NYsV7$(XSY&uXJx@~ZQi^Sbi} zgT1X82m>Fo!uLmP$#zgg@u6U;QifZk|^&@*TzGqE-I4;`j z)KuInZ1487@E(sNJH~k|=(X?)Zw%h`cwKAm?ARa8lg{t3&GGNb#w$yi!}O?LM^i_O z@UX4IQd&Ah^A1RFVcD@54f;zqzm3(HVEiiX*)~6mqUg);@;%2csZ`I{XJ8YYUHfS6 zyjAKW9Pu5;N*|4Fx#Qy5^*o2~oLmX<@$0*+(H72+w=Q2Qtg~YL7w506?FoIAuWjWi z71miX{ZXD663Z|W^90j=uP{8>)kiWNeS~dGtU=Ry*KDIHY0ee7|LVEUYd z6{hX}2mk4TUAqUk8hlDm{;~-{4 z^}8?p{KkBGlkEP)Zma#YQ@NdQJ`pzObL8{kdnCqpVOWy?^7KXFG9`URSGYv^HFoRm z`OBUzzt^zjdGHdxLj7OQ!l**FeNmaU72Y?q56!IB8p3(4v;ADm+}@fU`z(SpFxgz& zp7>ZvSUy%|90~I)mT4vB@v3Es$@=6`F|e;m%gf6aA4krNC_^aSJ8ao%DB9ZWkMTRB z6Ff^wzHjP$Gx3g*`vv{pgV{ZMC+%P9-T;#IznyRPWj*WuY|^v~>oecSFlTCeSoh;d8yBN2jEmhwxd2)-@*he2brAn9nho&ahT0ed#M%|7&j>)aRl$ zhTnqG{P*WB-m%TQNwWBh^R_*Ce7b7dV^sp$2wZ-bu*UI5qz$QL)zFS=6xB&X`*$U zxz0RizO%s6z3VK*I}Km;!1P$;;Qv>4mN?%#IneRf**r9NA#ydJzZER%2;AZuEb+%u zXIY@BouH4m3RA{Q(P!@Xe0SHK-@MZ^#b2uNP-d*StCNM-3Pt;7&T{+@6AKzCoNBy9b`d*3O9GSz^ zM|~Y==sOLcu>TYs{I$GcVcO_cImwUJjyaO$Y97%%Bjt{0*gL3+b?d94qsO86J-<2D zIBNnM+L=i0GqvUjtyEJd@DQeoV{1{1@z4+;M;`KMLu!)}vPB><)FIH&ZxS++iLR{iY!9GhqKXxr9tesO+H z&}e?)d+@(Xqw7{9D-CwHTBT!EdMr&1WwEhqjxWd22}j6`R5)JowiTVyU9-e61<;qZ-F&@J*$=F|Y1@?ETH(8(j@98*GICGM% znnWFYM`s){K4s^a-1y!M?`DkNwpWdo2=jDZbc;n8`UxXoxny;!Ui~p$+}fa>-nVL* z!Wg#O_-8s~#-3?&Fs+=Jm~ZD5%@e(ZmUfQut^HzZTZt!Li-QO>w_?%M67N%68L!=* zRM_5vpbt$t^cdzFou;+#ZA+s|+^CMo==cX4}d{625(YF(ST-BR&%foxgC*@xb~FZ~)wBBNQ*A95 zUn*mB7eZMIk;M?MtHEUZAkHR z#^k@htrnT!lttpLL!Z?m#!K>ZXjc+r`3XU%RgYAU?2h9PXOGC9XkYS@Wr^MRwo8OQ zD>i<5sRNc{1;vv;JpBbkrV=**5Ej%`K7U%2k#qTf5oj4~ed z9jUOtiqtqxMSA=D``S6Zy0iL$t=Yc1e&0d6eo4E||7L#T-pq7qpVjOryZ`Sak*v>c zUFqA;Yu5jz!}L;FuS2%a-X0mlo0sYNOv%=XzkeyJ#4++rqNse;7xnv`!YxUz(I<5~ z0{I(h^BviHzzQGt;Qv=CZ@qkeN{`wPe+SfWu-eEN?cW$Bj)ML_Fr`EOk2LWI%N5s$ zX@#Cj@7(9fg@5l8MjNs)rq<3rk$obXWB#8erpne1``NqAO+ATYu=CQ*gKx8k|Lc^Q zwfejF@M*AWN;|8~ulx8rTz#L`Hrao9hoAZP!neZhS7~e5UORmPYu8QA$hX&bY09&n z;tu|ehr}1xZLt6&8{pfE; z3;%xA^g++>r%H-5{x6G|ZyoXPI?{hhWh)|| zR|s5@=GVAnp;wclrmQdeFn?9Un7 zkG0mcZ{&ab*e~+Gee56k=P0TN__S+(e7;HHx$u#gZ=R18w)<-|T;qRD%{#VM-McCR z`FrE=D9U3pi`tO`BDEt27CII=wV_XbI949HN!#c6atB8Ae=XdVu}-A;qo`gF^}BNG z|B1b*9ylnH84hs~tf;a(OV6-&R$Z*8qF+VDesIM6jf2zhe{2_b91^jQLnDVFZO0h@ zv`PQ!ghA#V5~+*ha2zaKobY>C#=ohNWe$(jLw)s7BhS>=jnt1E5tAbW-BFPSk%l-L z1$K=i)M|{T{iA}OEvhg6H}&ix{)N{jktUI*k)t7G%_3N}-ON(E zZfZ)GHf4{-$Q^@TJPCL-W_|le2RYhD+Q(Lbu{Gz85gz=_C|^b0I~JW&R0--!Tgup# zWL;c*rZ!q^->bOR{Qu1h`>ZEE=M8@&V1HUuvE0;H_*b8uB0KBQU-;@LR7E2#>jeM1 zPto5`(H;!{QjlsY77O=SMQOsn!CbKs?^@oNTRoay?^zm(1=J zwcdWzZzog~R`h2qiT&|+O0)M%`h2CL`c+4|qWV|;Rdj!T|*c3x@t6;622{)#|CT}3i_r+>Z-md(54402A1#2;nzaBAe# z?JA#Gn`ujUj*pG0FmK1O#E6oo?Ve{GVVueBlWW6L+OB(o5lwDgv^MOCK_UH%SkY1L zm>g{;`;s--eVUBZKAFCvbXNrbV*tN<#_#QfuQB+>3jfax?FBP~wr_W!cm8$S@Xljg zlD360kPRwy#OG^#Wk>elpji9LS6>A^=l0WSk)3fA z-KNfwopHq1Z_m(CPQ@I0ZyjHgW^J85xh@GydKRJn zLgcRw%KlAg{XfDI?>)nG_&`lBAGGtUSZl+0Z1z=<2z{28**;2sK4a!v zX?>Su_gK)MrccK>kK-_7JTCbEQ_p`fpmeb2l+<6pWuZL9cM zVEV+=oDqA1sy#8rc_`>L^Xw*BpP65;=o--{&?RBvzNN;FvM63UtN7A(i_Hqi2->Bs zB--~|$)nrx+W4s1(y+B5i?`BL^8EN`Zfd(@(EOGr++R4S9tzf)_FS_0qj^L#3%T+V zBV;ahii!C}r4v1=m(bopj1R%{!@a3y`4ZZAWX4)C9eZ#2LcOmwPIl@(veEc}adg5AP`(Ik)jzW%c{QMm2JQj@a!#JDS zH!heBW>-sWQS$aDT9rS&quOo!#t(Hz{FQc?Mt+;=ydto&nQfr?A0Bv^Kr2- zleLdmDrT;CkJS-ak)^Zi;6jkfHl zb?!WjkFjvQVLuekE2~CFOM6mxO_Lt$oDnIh7fUz4<7c}`nRar7${Mw8PcIsMX^>Yq z@pdL{&hdT!cSzZ7)qB5+oB{Fc*R(kNw9)hw@AvtHgtm#VWaDq!*zp&>)3S3*&&_)m z&t~k+RjYaLO1w@hDLy;ae|W|BK@g8>Vl>N7&{{Qjt?}Q|d zyN+7?$o_RHjb~@$j&1SIZcW+i+p+C0tM{_Uzr7{O8sYZa$49(<{)&G-Qh2wIuX|TW zZBPHOef+<`&5?Wu+#dg>DH}e2Ce!<+p24qc_)8Z3dz929dnLcViof13%k^qlM`@x@ zyxI#(|HCS#2mb2kC-F0>q?FFzifQ}b!At2@!OpNs-W&W|Z9DErUT3J)J9*uu3S(&d z*D(IiBHQ!&U-*m8#r4nsLi;Ba(*fJp{$d>eO|rJHegA(;>+tN1oqgxmp{*`>q`ErFNZEMg5w5SMZZ;R4O)Z)=;q?i}QA7#6G%4x<<^M zo+;A}X+3n7D#rhvp58&s;hh?Di>tS!JoQwxogH`4R^`h{Hp)foivBAQJ1@ud*N*;6 z5=HmHuAEcS9h>GC)yADS$`w&l;Z|t-N{{hAS~z7t!oP-CdRF#YT3COVk@YwU>Ev~9 ze?7_lCTd$C9@fQ|o^ii6$mMsg$M{HUZUzcfbs4FVs;%iN; z$M$FXuj1+neV2|EA9?cJ(s_=zO75w6ZM=ulrHc2MJhyb7(O@JtogB zo#%L~+l)eQ3QGn90&9q~3MZEOFY zZA}(cd4Bo&PnjLj0~{Uw9dU^9Pb!j);P&Y%;@AHb@e6)?McKcSxXUSgXp8xmDE@hs z)C2na@tuozIHtZKf~W8BzXVlMKP1oBzkOZazjAKM@yr*`>e0qft2TkToJ?6JOnF6m zFeQyf^@*sZjBQvdj38N#dI_zRh1RMmj1s!Ur*Rs)vXu`#?FiP*=~k>;eJb^H?0;@l z&Gw;Ix_w^$KBcuiiCBDuv@Xe_xcr|>EMHvd#Jt4VnXZ@g;9r_BuY9NcM-Tj!@$#28 zCC`qO{aEfSm*^d*?4`pJd!g=pXRk=%BeW@+#X{I=MDKLUf;A&NiVo4_SNvIPEbLix z3>F`q5L z6_;0ZslO^m`}gmUJGzJdPCa0^Rp*n5k2%R-cA1c~lzFMnZl~=@^Z&o2-DaEbdhNEO z-+o?H`_*$%`8!Il^(rQ-NArlu^0!B4``%vviN5}h>7x2dW3~5EY}`#GGsDrD?{HI{7gu9$T^VnAgudB;H8iOkU@|uAwwY}Afq8S zLT-ip8*&$9EaU;mBakN`tp6Fv^AOg51mtD#*O|uaEgjYzOQFJXs8>$?9+qDD$(DYA#ZLj(m^m)Wsn?jPS5CdwMZI$BwJp>ur(R>AUioR@ z+LnP9r(Wx#UODwz7xl`iZy@cZUU_G5_0MkXlQkF;K6ZdTk^1 z%Bg2;+~dekhmg}|Fofe3=p<(9G`2IqHGclDGs@2d*ST?}#i>^t>XlQk{Y*VMW1#*M z2s!oSjE8%X`seymPQCi1UODyZpL+HG1$;40pJxHI54i@FQ?GqUy>jYzmp-9h`Ptwa z&oGNquklc?oO+Fodgc7~yZRY!aq6}IsaHy#7BP>q6+EA~&7r4$n z?la1%*S?}&IrZ9C)GMc6_hIUlQ?GqUy>jYxu2Qf3TySmswHD|5h3dKQDW|@wj8`9U z?c3`uPW^6TL%nk9wI8S_=d}U*Q|Hb>)?84|*p)MOa?WM$Z8xF3@|%TopHt4cuWOM! zSa&GPb)cN{T5ZTx&pA!b*tmad?0qfHwXS-ub>*Db$~muzMPe;3%hF z`*BtvoO_sZ?qSN=4?5S_ z56W{fR$6bK#XkYpvJW91l@hukb0A54pa9@j4U(3=f=li7E^LpX?vy&8#(&W^wL|>Yw{1Iq!uS zGx2iR5;>2F>_g&pqQ61#HbL&iK|YXkyDqQ_d@5%=%DML|=lW94_ZH=RAE3Yf;-C8; z(;NfhXu(I3?;stl3t%wcf%~95*A@4E)lEcN{hz{o*d0$Z=<6~mWnQ=VgI0OH4tZ2{ zDEGL1n%Y<+OfJNl$vd0UGgW7(6d&sN}CS8q#yoTaB9jk6QD`X2$Vd&x+P?{C?(v3O03 zH@7(T8V~i#**{trV^+SEQLmhOy+)*7c>~MlG>bQ}_!+{v-Y-jaoZBIsCk?9LZ&gE- zpCi08P&sXSiT-ra(+~9{Amp@HKE>j+r=I@j0oCWX7N2eLhSeO$h0wma#amf?Ka1~g z@!A$Y*y4vA^b&)ziaW9)e%30W!qYOe~Z_)_`w!$ zV)4^`DQ};k!5Z3iIaGr24fzP+} z-wB^?*_^s3;)Db-Tb%lHMZX9*-QvFR?-TUPkmkJVx|id$gpg+e-xods_@u>O0O#}1 z-D{ZoI|4ruex}8HSiHBzFR*xf@Q)yD$2GuV79Sz}ec-JS#zlUc=s&RZ4I|^qk9Z)^d6YMB>vLLVfn14Tn$m@S1uOEqB1Wy+{L-0(&u7ceJ&l0SM zHnV(pN%K0GXQ<0yJ zaztLw66v2ve?FGTtw(huu70q-Tmvn8JXD9>~+NpF(0_RHmxzC`l-3SK5S zNHAS+u;2~SzVVX2O7ITRKPTyH1cwR^6C5r$LU5$uXu;bB|0Os9ZD2d@mh?S>2TOhT zN_wmy?_X*EfTSN3;O1YcwdWm1lN0&eio;`zSvW*ocb1)UilR0_1bN< z#kteVOp%BfeM)GMdHfz(UAa_Wz^^vd@}+x0qeAB$73aZ<0G`+=6_8dFYv zbMa5T@`jbdYrsYpKNU9GM$S3q++XzCifdFk_Zzk0y`OUGwNI#5PQ6}>QLmi(1`;Rr z%BgQ=>6LST)3$I;D)+&)Pc~Yd`=9E$wj%Bk1BrCvGp8V~i#xv#6u)fT5-ZKzjHy~akpa_TiU>Xpv} z*VuluIQ2TF)GI&Jn!{Z!PQCh}UOC@?lygs4PQA8^dgXkdQqH|uIrZ8`>XrAg#^?fz z(_Y(7d*ytNqdxfzK{@s6lX~TS&=$41z~Yx$ysyRkAqKVYZ*jiws-Ev@%Bk17s8>$C z#!S6(>UHd>SKbT!2w7hvEl$0zDe9F|uVtxMJ_v2mF-o`iU~ruSS6I9^%BD!Y!F#cA z>a{J@E9dow?uUFUDPW-&$8h&BekbqeNwNS&&AY+ z&&8An&u^uT!Sh?;)N5VTE2mz^j(X+X8?B{|;RH_6LhouVX>Ia_Y4#^~$MF5&zUHe;#vQKXZA(;(W%V_40Z^ zIrUl>^~$N&x~Nx9z1Bs&a@MQQLRhbIzHio-IQhP*oO<<1y>jZ+C-uswgKNyW7N=fg zrd~Pq>XUlq)T>YGm49mW)kKT){ZY&E{ZTpf^`%|ZE9dpUa$aLAr(VlauY4}JwkzM_ z)N5O)S5Cc_rCvGpDH0F$%4b?_$+GzK7(1=^1&dR!by2UJdaa9k<jk9>XZ9`a_ZHF zdgat>UDPY5K1J%KUio{_>9cY2eZ|H(j7E@3Xt%|w*M6X0IrSYad*u&8r~b*+e^tw8 zHH%ZPKB-quz51kHIiDM=e{%I-6E+%uEsImHKB-s!sO5)T{TyJGJ<#IRYgy`*^Etf6 zL#}@6T4fKnIQ3eVdgat>8>v^$&ll7`x%zJi8*OhRi&L*YsaHc5@EsaK!WE2mz4Qm>q!WoZ25>c2f~)PDzy zQ?EX$SI*CC)DOA(>1>tlVsYxVEcMFyd5ZcWS3ljYvOO$Ly_Th3IrZ8`>Xq|z81;ER z^x8&pElaNU)2w*Nwd|!<*}fL1Uj0z7oO<<1z4A9K|K#d_5NtHIbc<83KB-quz51kH zIrpf*5BA8n$gw|h-K*|x(Q)mm?j6x_KCA9s(Q%HbZl>rsPO8fi9s5dk*`jk0*D1my z7O!OS6pL53c&f##SbR5&SG9OGi&wY!?iSy};(JxMe|j1KFHO_J>-bvPb(&J zjfq_SWm^8o)gM2fSAQAe?^~e0XOQb2%5v(D<&?hyuCbD4f}WzBcI3oBUpc;>pf1E*7x}#RZ7#_BKc-s?9wXRB@L0jNg6#yG z2<~0als`ez4FwwsUJc}D9;}bZ-#ZXn3bqnt{nWF5BI_rzej@89vVJ1#C$fGb>nE~) zBI_si73BRm)4YEr@_7xBpFt4^Nt(}jndb9YBA=%cwHTOIxnV!(|IW%KG2gqk3^v^t|na6T`rp5KiwQZ-* z5PhcDbrkF*$nm2+{Svhg)Njyl&_`2Ef6Wq{EjS0ra_K0~7+Jmp9?oAo&G}myYg6-yTpPAcD@k*WoLtxZ2FT9m z8ev-VHO+Fg*EH9Zoz^0s^x)0u`3V!#o% zayxI7lnW5{M738Qq!G8Bwtb8i9|6J#QGF;6(uj*|lyUYK93XfVkYmL;#IfL*@xAkb z!!a(7C%xr`>+W(h3idukValJ=qb!oPGr0; zP-E|8@l!0`+2Y*$)xNK#?`m<^vN_S>11y`%EI!QQ!!16_;@4XIdW+v+@!Ku_FN@!4 z@i7*E(c-UL{0)mwu=tG@zscecTKpl4zi;smEdHUzKT;mSXA7KIz-qwVfL!B5?ma}# zHzM~MBKHVl8$s?7Ot%%}{l8g@hN9q${CMx z#-W_`2OQ(dzG5HRY3l5BEC#WU#UbffERv4JBk5R7l8(hC=~!%%w&T;j(ReuSeIfR| z=$DZ0pO7AqkiIM-&F^j4{&=lur+IB?r_&SCypFN+d0lL$`F>=l`95T)uTDtw`pnKB znvlLGAw4W1Jv<>jA|X98Aw4P~eQiQ|bVB;Ngfu^IWxU+GItX?Y>?C-y;3**`V zImR^S7Ljv`$hk!193pb=5IJXv>4KaiOml7!IVXsm3q;NVBFCP{F(-1Yi5z1h$Ck)3 zC2}l@977_s`1a;%6PBO=#&CG17^HAZlqfwgxW@+iDU;NC+FIP#PedEJrI*jz{O z{*G-+0kThteUF9-Fbj<(KKGnK4jR)91=|RoBzV5y9fD&8pBMa0@FWZ}{ahw^h2ZUi zj|ol?TrT*VAaBT6{%OJA1^2^bp}vk_Tfq*37Ye2e-Y)pD;8ejM1s9-0=1!7pMt|KHu={J z-XfSU_^06Rml(T!1iK6N6&x-&Nw6vw3)|O5@C?B;EEeip3yu+dT<~SViGs@oe-hk; zMaJ?~vB-!G1?$Q@>nC`f;0J;;1m_Aa5v+klNI&}uwidhsi;w!oSaifTg2xM;1X;C zwEIEuSHa`1Gx|>jzY-jQ&4Kna1b-JCexuQE5o~jdN%s)ENAOF*$gL)S55c_!TM6DG zc(>q>w;B6f!CwXc5ZvQ-lYfxlVS-l+4ig+L*!50he}!QCyG;5_!Ty3b-);2w3eFaE z?lJmf#~M6Uu$SOy!SR9v?lX2n1wRm+aKF({7kql0NoNRtB>3P1M&IQ@gP!0_!C8XW zK5FuB6+HMclm1w6qTm|A9*>*+iv{}$rVGvxTrc>mVB`r??sdT>g3AOSd(z}TDfpJ) z>rWZ|LcwK%M?P)zX@V^UUBNzrKRsjYMm}rs7Qt5pKNp-Nm?bz%@OQ!g2=4Wq@w1O$ zUBTl8PZvB}@IJw31fK_1jfBs`_r{wh*N46joGknMDL}p#o`L))A>>^xewM|1SiGmj zds+Nki=S`t3oL$-#V@gVUyBd0_~jNKWbq*h{3)av|1e8WuKJOdo?P{#Ej_vFZ?N>_ zsy|iqyuPT5D%o$!)n>fdRD;c3;P*fn+XT^*zish%E&iUxKd|^m7XQTJ6D|I^#lN)p z*B1ZQ;*%}zS$wL+{RFOUoNejJRX@+tldFEAr6*VY5=&36`d2OeMvHH<_|F#q#p3@F z&i-c~vOS#tPA!8G!8Zjf3BD!xwqS~2Wx-Uz48ivV-xvHq@I%3m1nUS^5!_9%s^H;* z)dZ^x?k>28;GTke3Dyv-DOgKzZ^6ET{RI094iLOd@N&U{f`bIp1qTaWA$X*y%kI(p)QcKG%$$=Gw8-Ttjwx zZ%yN#Q`^UN71)T5ZA{d$oryZOHBra*ChFMcL>=3msAJm`b!>m4j(w1*V?QM7*cXX9 z_D7iCSJMp^s{5|o&$S!{!?&<9G3%Ccc(-$R_|M2Yi{2vqg1AlKZuKeW}#HW886`zir z6`!7xQ2#jz{d-kHJhc+a^PbC&pZ8u&^BK`uy$s%Xu|eLaQ$Owo^E-*|utWIHDYVBm zLQ7x^i!-hIRu*q<@nbCB#^T3XysgFC38z0?js*V6wO(?qmz=^Fh*~dsP%qlTeU@$F z-b3VmL*yPqwZSA`xv?IU*x)Pk?Vd%uKN_Z?oZ^pFOlnhv|DOe_7lX)n7RM#hJ9N1C)Ua9 z50)e6zQcC%y^_d%hRFSe$bE&#{e;MUgvkAa$bEyz{esASg2??L$j81wzT-POyv3{a@`WSUWp4OeJtL?ndY-NV)_FH8%w-HCC)Vx zS1Rt2X~%U&d{XTC<5?5ayjCFcT7k%G1>!0^izEIj{*D)X9Qy(F+!u)44~X0ch+O|f zu6yFaj1yzh3PYjmiCotcxvnSjb`aWgZRmO;Z(-?mJyFjxYR|NCUB}dEz2sUixz_PUWmqIm;?%S>>!#IqOu;I+e4|faAT9b+KMM9jjmRHHPYlr!#C3 zTJZZYOtIiOe2_*S)4e6{OyD_?lOY_B7f}iEWkKGLG5xyWn}WQjrJnb*MBd91c^^yU z{TGq?59Z(Z5ws$8``ie%e^H! z`qnf#$B1+K9UyI(M?M1*ltmq!hd)7L{-C2x9^@NHU&t?$ja*AiYd?Pg&a%@X z%x9YUIZVR`*BX6l9gLSc*3EIJZO}&8ay_!In5T1uYf^3LU(>;uA+7xw#Dl(^0(<)5 z*l@lCeFPqBFF0f6nxsFX-Df`1jCV5g5v$Js#Cla9*dg{P?AaEsF&&q=;9LicEjC`L zlloYHAReaKZ;W{kP|NEY(|OAFuurLf3Bvkz6Ynz zAdPl&?+ao?dD@c)?M0e-u~@BiU=ROXi}cTS1#=fRstejDY4#7tmoYM*c`UeM>Qpb79a>{l5gZf~@bsFpo@S&V-)tC#dW5l!)`D~}QThrPG?(>{a z>Vq-p+|_!i<9M@;)NyXnC)>g_Ip>PnbG`=a4{af*Z^rq)aQfK@uJ!P`0!e4$(C~Ug zIp6D*^Lj%$uQ!zQdP6y{H_N2k>6h!>*s` zhcOMiA;92T3LL`}e9uD5Uqu^~p)d0H6Ve|rjdERpfq(GfxOc7D&*+c79QP%-IHL_e zW9KzF`Cia}j_Y^MGu}7UxCEd5?$hMazs6P2?Ml+#bZ#g<&hU+sc4{MmV0PHmY- z3FZoXX<3~+cAl11TjuRo&wTfWbHz?;-LW|j-z;yZyC$UBzjppGq&W}Rf83w#bgbSg z$@N-4=jw2lM?Y|`DrX-nXWYtZuj`HW%4x5h_R85NKnnH5pbt^56FB>heuFiTVszYR)DLaxi)A?` zSoQ%Q1Z2I`a~*K3$kT!BEAlgd6y=PWob`F+R>ojsx4pGC})b&wNT(2xA~WTR7(d=Na`qfun?TJhXm}G5e4{ z8BYf*&G%HkPXyo10dHyXRu<=bgWB+YOL-fMA8T>GSE&u(rvi?;Sy%IfbgX{KkHsMA zSR9g$#UklgJd%#ZBZO6y79Us$nd`#Q% zF>S}ky6pIv*7!KKoQs_EoLeao{Jne3DdL%eLtZoKqoAX{r(groA3MS5ufSYj{@F~X$H^SK}OWB5i7>@51teN8%j zl)*c0F?iCQ20t5PaLZi=$30-M62H6%KL>G=0~ZZ7xOBL|6aH;*u+;nWlO}z;#5+>r zt;~f_Kf??jE%hFX@1#)Q9nblQd0fE2tUC-2xZB{geg+rbX7DhHb2_eLXkVKH1RN}J z{vq{bOFQm7%jAF3!{E}h4Ne|laE`RIrj%PP{S>*?4Q?H8 za4a`0#B5AE;Q+Vq+N@pUusDIrb#@<-fZm7kn*#oU+%rt=)af#nkjfNFOm??S5p3G zY0pS0f9t&_-y`SYi=ubs?`)p%}8KYL$laE#2Sp(9PYw#=Jt($24C{N9j$*;D+? z`*Ec58?M~&TJ ze20wokIVeY7UXw!srN27c&)UrpR{j;_e?gZffmmupP^-6IT6m-_Ri ze}~*^^hb%`4brdmWxbs)^Sidh^OE3~(%z}Ek9;TVSjS_U#P^$w^9|DP??^jNlzts4 z^JS%s!|%OKJUXvFyU3&uzSQ9RVxKPUdFmFUKlN6FtsgSDS>|zPS=R?VVf6Q&W$+#8 zhYw{OKNb5Gmzw-LC7#9IO?rdO^OIyfJ}Kj>>mpnFx#K8f|A+MBjna?&?p-i1Wjvcn zeRoTL-XQzluYw(9oj-H6DOXL}d%n!uD`Y*@lySUR+Q-kGSWmNl21iRhO{5(MN`K~x z|Hd-z_sTe(Ec2*;ZcYlgIY&21*1-vwrW z)xE*sLozSF8D`Q?%KSd>UX%Vt=0zLXFOQS{*iGAyQ1fP_?1AS6I&flv~_U}GCM;sO{*p`<(#Qb}IOOZk7_%sJZG zt6dd0^4_2QY34g^&h&DNc3=OH#bqDP#Rgf2#>sfPK`G#DKS^M9WjWYE*T=G9f=E;51&+`TQWE@147hEO%|93&{|BQ@-8wFnu zjQ@LO98@&ga-;?4G+F*snRlCH9&HoskoE2k!RMqNwJkQ?K7u-aE)rhH(IlDQD`a0g zTK3(fV7-hlou7KHJxbQ0dO`jV2gie+Uv%AnLB`+Oz&Jd1k+s+H`0b^ZpDg3@PC;D< zE|GD%*J5jTj^Hs%EPtG!t`{!||Ayd9@qfPHIvMYG2gd39Wc_%z>_<9oX9UJ+Qr6Ai z3oiSFEr&1T^5cPV`lzfwx(=-sUdOMVM_(7Yj^|IwxYqGJO~!M#tV=guWAj~dt;Nf4 zu&Co)*TolPyz98%SH``L|AW3{)9LlwOn!kj`m;iC>qN_c-h<#W#h`SDLvxGedz5NpbPjLy@WJnS<#3=6ZWBuP?uq*%2$YlN zZWS2UOY}tQiPRIRzeV&!>WS17ssE_xiPRIRCsO|r z(G#gBQctA*-g3r{3}h44i3Ul5*1{u<$l zq@GAUk@|;3PbB}a@I=}ZX-}m7 zG0_vr^Y@TAUWv3P(w<2DBcdl#Po$nmJ%2-q>51ew3r{3}hwwzECo(;e`cshqUR zqmG=k%1s@`kEy57rmhaH_NLAvH}w|U)WMbs75LAC>VwgXXp zoaxZT4jpl5x1IP~TTFW@P}7puw4^6EHtL6R^+Q_yoDN$3kXApW)emX)Lt6cio{7Nn zoB>onq}86Z+LKm$+G<{;)t)l-Lt5o5i^@rBTGDDW(Xk<|Hl(#Kq}6`1V?$cyQ$TB8 zq}2~;^+Q_ir#d#IRX)w3r-N3Xq}AqZM^0Mhz9T2CWgx9(Ann>~J5#RhT;`-Dt@fnV zp0wJRgXUahpOV%xlh!hj)-sT;Ku~-2Pr3Rht^R4NK1r)j((046`XQ};NUI;})emX) zLt6ciW?W8%YsRXTlNUI;x>W8%YA+3H$tDh>+>W8%2lU94uYEM*q(wZ-6&6l+L zA+3H$Gq7GIz(qob9h$aAj`MdBj#qK;vuG!LO@OZr@QDCl7vSlO{&oFh-b$A`G|R7Y zwwKZ@pVF)gX|7A^hqU@3t$s+WAJXcFwE8(6wE7{fen_hy(&~q_`XN0Nf#u$U!vBFwECw^#|CBUleGFItv*SsPtxj>G=uJ|oG(gqz9`N4qBMOf z&G|-}V?)!D*0iKGEon_lTGO5mTGNu&w4^mHX-!L7)9N^38R$dPl2&`l)IVvJ)3?e= zt6cXu`qVv6X)TZLag^&Gr?lGWen+|PcS>tHb-z=&mO=MB%5{$;t$Uo(YOi}7<+{g_ z=3LM^lGc1lYdJ})AI=xGA+2)G1@%K(ZAhyh(wq;>m$as(Ow*Fqw4^mHY1dx+moiOD zTGNu&w4@oBFUPprlU94uYERm=*Sv_DmbBWC=3JxynT`!<^-o&;lh(APnSLzNo+5Ik zRj%`ba-A2XPj~D|tG$kS+K^Vcj!DW%t9+8MfnpW#bd4CvvkdghI+AAIO4F~>96w5PZ70ooDb2i; zrhn4hgS0)BX1=7gJ(X6uwkPG?WwfdYkN|z?Wr{LP@3(jw6>MDC*|6nq_sUc-_^g;tf$iSue8p0`s5r@xzg+x z+Hk(mhHarVeJV|#q%~iq)rNAlaee9@!SauXO*I0?jMDpKE}jk<^EGWDJpEFp`h2{p zo7gjNmnZF}Cr=;hk37@thxD4a>Rq0C%4u)<*5Nsi=#TB@mQUM}GNxCa_R72Ep*|na za=7-i(fmj=P|q>Kycno=dDXl2Iv&-Z%hO)_SnErkwrnr@cX_o}|E``g>N##%HmyH- zx4>_BwvFK81MouX-)7o<&qo-YuWYGe70Ed|YqTo_gigzw&CYXBMVm{av2v^}NFR zxV)B6&mKWu^HV+Zqkr-o8#+Gn@oxK4uRQZ7&%CsKgS_hKpZO`TZ<<*{g*Pgz#y=hNg^^}umV0m1g z{&+TG*){#?py@xzt3T?4_T*i?TOQiG<+FXJ<+W{dDot_%j^8m^xB`~+1{$x@x}7E{jc*^)9aa0(`)}T4f~6EYx~o` z){k=PHNEmdebAq_zvj<;-1^gx%j z(mbfA9p&`xmX%|7--EJcC(nCXJU7sufqp0p`lf7v?|p0=G9C47Ptxj7%fzy;bL8&` z!4~$!P>ID+f@h1IkJYI^UhrLlhl$-g1y3omb|(uSB6zT1vuE{+rwV_X;QIvmdIR%2 zMEo8qI8N|D!7+mS3hpEL4#E8d_ZJ*1c!1!$B_F=7HwyX9C>k7DZrZtc0C=_^k?lvE zAUxZRJlm1@F2Umk**=uB9f)iPBHMw;b|A7Hh-?Sqi6TEm@N_{w$EUtn@La(eg69eH zH7?qnBzUsm`9Pjsi-0`G@(j%DNBH4a_t*ppTpUW2M1(kkb*sLDyJe3m08 zt@5NJC(UPZ#|xeSWS17spnj#o=82BdLs2)v#2LhPo$nmJ@*3Y ziPRIRCsNO~j(W4^0ZW7@QqMJmdLnsqpHq-L*Es5l^iQOJBK6#VsV7oTq@GAU*I4R_ z)Dx*EQqTRGdLs2i>WS3zd`vx&dLs2i>UoVuJ&}4M^+f8qzEV%5o=82BdY*@=CsI$O zo=83SJL-wl6R9Us&;5vcBK1V-iPUo+qMk@Sk$NKaT*s*=Qct9wNImx!>WS17sV7oj zDS9IHMCysub8ldJBK1V-iPT3$PbAO1iuOeEGleHIJ(1~&oWCsR2?)GKR$ApJI&#t~ zKiQF!R{3~GPMY7XdOX%8;t7IWAIWolBXWHso+3D2kn1kxTz83FM~PfViCou-Tu+Hy z*NJBdVmUT^Sg=%ZqTnRK$%0b^rwUFJoG!?Hg8sR05V?L6xo#7=juW|$5YHF%1 z1uFz2f|Y_*f>FVk;7q}4!MI?JV67luFJ=C9f_%M{d{U6F7n4s5W(4a68wB}UDed?= zDX~eA`!ad%Q$+61M7~x^*UWa={gX zPYUvT9H@UvaIN4v!S#at4iwsL6y*1Qkmq-Y5c&Nd#1{nlT^Z#0-51243%(@yvLL^| zf_i>$1@YH{{C*1ZuL=G}kl#N+`RjuG-U;&jP730Uf?pJD!@@&(Sg=%ZqTnRK$%0b^ zrwUFJoGy5_;5mZl3Z5r8L-1XK=L`CRWrF2`6@n4LO2I0@s9;QRreL*TT(Cy4Rxlx0 zCpb$mDVP#W3uXlC1seos3pNTi3BFtK0>KLf-y_&8c#&X>;2gnLAm`^dWWIh=@OHsF z1#c0&S@1hWwm(Nhp&VO}YA~oHXB+_R(a-GC}T{)9Od|J8BKJ%p_e>)9Od|J8 zBKJ&Ui{KnV?tzqZ4jNa^((ku z4YfY)>UBxiqwQUX-d=y~xcL8le;8`t4vzbg?$g^l4_ag&`@gy`57q9&Jtyh;=S z!8ZiIDflhHn+0zX{I=k&g8U9u)@Sb%EZ!~rJ%aZNeqZoD!TSY&AozgbgMtqUJ}k)Z zdSyO85`0APQNhOqmkT~F_=MmJ!Igqf3a%1dEx1N-l+@=h!v9$C4}x0-|0wv3;M@Ia z`|0iewC(Wr{Iu=x_WZQ%@b-FZ+u`l?*0#gj`=@OO-9KNHee@@SC32q>kIv2hUn)3J zaFXC;!6|}M1*Zv47kt~FZO83xKfYVXa~R)gCGuTUBHs}u@?Ah8-vuS|T~i|8xg_%4 zKO)~@B=WsKBHu|Q^4&us-w`G9T}vY0nI!VvPa@xuB=X%;BHtM$o-W9DWXbbgRwCb7 zCGy=+BH!^O@?A}0r{F_^Ul;5W4Az(LKr)@yZ)ewQsQPFcQ{4 z<2pS7LFqGv=02b__X4H4o+-^eL22#_N^@^en)`#&+#{6cK4EC=Kc|BB5l%zU-^wlv z@Z|xX&%IoG-fwaF$^g&j@2;Nj5xIOU!1H;ftLOVgE*}r@eBa2`^SOb`^ZA;~*9CaK zkL2q4T*2k}T+Zdw0iN$Gxq800kdZJl|_lJ^%lO`Sbr@`1_3P3nI(N z-wq|u{vgeKn05^G>{BB9l1MuuZHeqNBKwNSJ|ePjh%rI-1$p)Xk!??8n-kgAM7A-J zZA)aE5?M|n>p*1N5!q%$wiS_OC$epbY!jlX59-Ep8C%fITWR_=b%LC<$!D}J2g{;% z^v^aJE$Lla(-Td7Ve>w;cQpck*M;xqGO#>+KbKfN$6^Cs*e1UY8538Dp1T|jXi(x^qCZCTWq3iF^5Yg;{LYmY z|A2<1d^#GOcnDrvBVI4%&a_&d9Y{HUXP7wivljV#y5#vgyF~u3E^%*3x9BR%r^Mff zmRbHXyu?PkeI(z$PRsLmgpFKqqLjB=>Ty2?1obu7*ma2G{!G|%+>aV9{||?ph#nm^Ut;ut~eIETl{5=O4@I2&AoF?cCo)8*ka6@S!5anjd&@Tp|J6y>?(Ds+Km9)QG$$7Pwh1m3JbF)S_n@SkCvuJ( z+EMJ}yEg>)7x|}!FBLv4c)Q@MhuC)blkop7xEB{-_~rUVJV9`d;H`(* zbgv2iR^&%VFyx9}gDYWa(V*YERxO!%t=Up>b9E9XDnApI|e?-c%G!OI0-5`0%Uo7~F*nLs>^@7g|zA5;ji)=n;Pq%oq;B_M3a*Fl8O897t zwTlbZ2KdW_zgqAf!EXuPDfm;tKMCsZRq;0}+0I7^UMP6C;1|eCo?~GBlUxfdM z=;sUn5y4jl|0wn+wAu74MgASZ31?e*hv+{b_!YsWf(yh>e_ji$hOfWg$rqkcISUAbn<7$x~CwNGQwbSpZFBATog0BhQ`d(}I%_-K;3&J0M zu9Y9pm-A81Z%?!OwD7f}?-u@Rg8I7$4-0?Q**4w2GOzzGeC-13_lM_N{iDLK7n~<} z*g|VJLr{OuLw{GHL*$nVeoXM#^Q_-V!k^V?{d5XWJkRp_dkm{Y{^J=o-J6oG6X!V7 zPw%qws|BAF`E=Ru^miPN68;A9KU4Vk3oaGBL-1rdCqyo>`LveVe7-FFZRM6fwcG0T zcOmM8->1^*`-Hzj`WBfM7+P<^Lgm_c`C%>F-zkS@eGrJYtr$ zpD1|jQfq%)0QGk-ri;H%i@s9$8w8I@TYt5eT0i=Gar!$MuZZ0#_0~>*2j+{yuN2hZ z*p-rqW&(-%*!mF5WKw6`ulcMF8)sRqspxPZSS`FC*NoJHG<g)?Hmg6e-QqhJxegnvqKo#2atQx@2KE?#JHtMF$;Y<_?IsKq}E9`-TIKhb;wIJwfM`@8TDPqO^?F17Y^msxy7>{bch^eJnn zzel6LLzB7E%5S~grn^n}<$_0DW%Wx1&-$RX+hZS#YeoJ;!9NK8RP_) zrh8rRy3bnu9|aG*#_|(BVeO6*e%iHG{;c40f|m=v`8lgU^g4@w|Flj2>FX_jeazwy zgkO4<)&ElDPuyVj_grZ4#Lrud$o1@z*IN6|nO43;@aJMT<~pmtN8~pMufNNqc-j|i z`unf9_Ad)RvD(T{yV2se1s@mum*57mEBTU5ufOwi{+DgKe+q7hTmE&yd0(;ohMR1< zzlnU$uUmfXH!NNw`0!V)eSM9^H--O~;GSQz@&g196Ff)Iy9NFR`E;IOl@|#HO}iZV zV^A(fcpTvg1fF9?A@EXR1=w#Ki{GH29G~@&^M7YYA-JELU}HXtVD_MGp3f-P#-Y`8 zuY5B2;{PwZAKsS=e)t_A`97;0;g~%B`Q0G=>=)3D6aFAaKGva`W;MbZgr^XG2;D*O z#eYLS3}G!~4>|TnLbeCmZm&T5J>b|NiFYdWhr{-8kss;kk9BC;^7964k4E692>N3| z7YT2rHvVNE88s(3@{=6e=-}^^K%U1+`A-VSPj&dy9opt@<8^@b2pbSiMP8>PoQY6^ zuo1G=PP&bdajD~NBlq(ZY$iabpEI2_lN`C~OGN+cJUZHxI_b$zf!(BljPmIP(w`^t zDST53&K`}IMUQ2Oh6wz1Ac?p*FlDVT{qvM!|%<~&rOi6gUxHe;3pl(i~9OJvNY1p z&Lf`<`8ectkdq&MGzDzyVfUVZ%-BJG0fPIvD39GmVl&6l9gaNTuvj$UQN z1&-~J@H0p37CG`xhh~~>2+t$DfG{8S??qT3>0X5Fm$2^yzX)M7!XfZ`nA0wILiQ?b zx&wZ@Azvc0-hl4%0FP|U=L3-UA$%C27wO&4$07SD0zX#>lKvFvD;@q%pnn4S5~Tkd zXx{ST=W5WGLiSh3)@rb><&jah4ECQ5=-wA77wz7kM@IRzNPAr%{m&tP3E^dgR}ex- z%inq*k8-{W{+qD>1(2T&kcS{2Ep@O`e21-8c^@N+!$$ALaxcq_H> zuS9mDqdVE5X>}sfj}PQ=T%f$_^W=ctX%2se&^I_Tru!|z>j=L?I1PE9flw@E_&sE6 z9Q&sse+Tm3H<15Y#|BBv=PdC-rr6O>cI4L5^ZpQ!g&ljfA^w-xO$_L#2GY}Za=?bN zv&C*k9((Gi2GX1>cIP?ra~zs!_<2_zneWKT9onYwyf@*yLj3%C;kAZzrPOI`hZU)^L_() z@RNaELmt~q9^1w|c8#z*5P2W$9*c5VLY$X{{jcjWQ89I{76zA}&g2}gF8Lu-DUA^Wk&pUtD+ z>d0ywy4Y#Agd^u8LjC;PDZ9#EgzPy-{)|IE@6dO_=l8_#_ks5~d8jYq-H_iYy8H6j z+$*v}fQRML9}3w!5$X_ib zki7{0d6E4*pridy^T=L?>?a5>i0&oe&xB?g{k)P#_8Mfr7Wwb;=zp6>_6Nv*gYaLX z`#tb=p*1h!9|N-AIpg8C4(+CSUF1J6pnu7cA06#2L3LCx-LLfA9Ew2-c~j)C z7tl92@+Cqqb!6)2`8+b}UJ&_f1@ymxoZoNG?=L?YA^15-WT)iO(e`nXZ!VzcZ>+nY z)81jZu%N3WJ;{-;1-;JUtM|oPj}S+2Ki36#>YjpZT^{+`fGoP7>&f#T1OF7lDumSm z9WB=eWHa|ic@To1>VWKd@Gm0#G$8*8_*2FOQ)l_Tj685|G3EiR6zd&$k!um zaP%7;+AS;TRigXvJT^ap?5B?WXAZ4?zIeQ)z9gt}#qWuHeF6POk#8uV-{S=9=^cXV zS8+d)pHx79ipc!}`U;U(70|~-zOaCPj>s1k&|f0*-U9l?BEPhNewoPo3g|y1@}C#b zza;XH7SMl8~hCLCzfo+U_GHC`Zy^CbfL{P2*F_b|dE2>N;G&@8Po z;=={xu8l*7ypT7_;ddvAJ4d)U-;-JHwKuLhaAUT>Mf~n8)$Yj4x#rjG-Z98WZFU3; zx9mHzr5Q8E$zn|Z#}N)7kzzo}2N><3AeceW9ra^S49G!w+4=+xw~rsLzy4xMHp5Lf zRH=sPhxNBb2s-R9SOFqvKNLUA0@;p0o&){m5g8-OGQgQz&A{k{@t_05 zB+Z+P<0!v=H%a#k++ahw0yziyu>pN9J5)QnjX6v@H-nLL!^|e1nNERxx&pERNt~V@ zn1sX4k&e7_Na3Wrj3s)qu8?oR)WI?pG#rLvKrRCWd7T_E z?!bc%woS{*4=+((PkDsH@m8RDhLbc;j)RK=ebJw_^uyqZ3uprc4X}Yk{W)6sj^x|# zxp0p8H91lpfyNs(Iokd_3KRYI{lq}qY_kXIFQ!@uY6o#M(6J*y+CwZW;OMesApgPH zY_cFVppdMAHOi{2gbJ-6rD&v0n1srk@m zLtE@LN4Z(qo)MY$ZLZ1ix!sk1sC;&|ekgz1Liz370rt+rk2vzEqmMZ@@La(5LcZ9# z9`0}+ksV5_y`R6}TCM-H*x%rT)Nq8$`yifNmFDcqMo1SG4KqQW&eiM(Te*kneTU3) zigx_*!|-KOWXr!JR5rUIy!4-=Xvb8pz2O5gS3i)J^h_w9fi{IDOftAOM?a`_VLw?- zj<>9MB-9|~g`1oVY=dN-2YG685?FyX+wM4<-;Pr(#E86%)P6+H3ma==6}A{!GqC6b zB}030ETmA5WGFJHu}5Afn_{R;{_pDTP}O$Jhpc-(`OcBqmUVnNPp2JeE_q@uYq^th zg{IinyDh$Z(mxpwS56s!>S?E+5#mF+Jx<E*u@mq`epOx&hL}0$43aFL>MZAzPoH1rE+NAnGCS9h1v9 zvGNtlX*hB%4RCPtAq@skK2YoC$5ITm2uOyu2qX}e&dn!R?dIsxxmG)w)1m}%uxzrn z)=CSTMX?Yk+D?jt`Oc#YW|zlgw}`ZQ%q&}`kx&JSNf!lFg~cPucPH5DNy4BqBlkN* z%7eWj44fQ?Zz+kkx7SQ^)8~bIV`poedhQJJt$8e*r{uwQ%44$IL?z+fmesDvD9;*{ zZQX2!Sy{pHKTyHf^UWKaq0lg2LH0Fh(Qzj36&l^+D~C@1Xj8%0OB3nW!vanvcz0 zA&_u@5r1RWeC%ebzK4M()!=r+t3Dm&`Z2C|Vw9)edA;YBV#hhRUN*zw_@w2|w4*Pr z?r{7DZ8R;5<{3e7;X^qt4HRnfDa?q!uH#! zV7S1Jrq7omzcim^Ru*g!I?n67KZ(gDw+K=p z$HYkb`RydcZ9y2OTc&qS`~A7X;nM+c0}|$D7EqhK12Tt|qEXUc%4~kFXlKw)#yduC zXJNJ@)0~{PKmEv3YNpv#D*4aGY8&myy~J+ilQrU{PVwpL@RE%9|qSR(Z$M_L1U9 z&OgDtUEccFjJE@ggKWC2zy4g<9Qm4riPVTD#)%53qmVozaqDK*?-D|r)EY51{4R-1 zlV&q2K<%uo)qU2VN(RTQ{Ya?cw%g!&Q#+De3)(u_WNoZ4%Y$<4l+4kOfEk!xB_qQ@ zvK-Jj^c=JwS#ATZgZ@Us5A?S4B_k=%Fm2sJ4l~KnX6kfk%YhaHdo{;KUFXFd%aJhR ztv|_tk=3usM+B_1MayU0FN0Y>U4STL5lEQLa0e+V2HXd7C{RANM>%uSXfd+Mti@0pfg> za*LHuzY}ErSrqiuZ?S{KZWxzC?I8tfFuj0$Xz~Bbl-t)z?)V5aj8O#_=zz@*vyy)> z8&)Q(vg8iumCu1&|Lvyx%i8ZDUsic#{V8^wF#fY{$Zp@5$Xn2zCCnCZ`>CB(7Slp# zqd`i-CgfOjYz#?>ErtPd#wKfTCCVcUbs_1EL}iXTTNvZNU*njH$@Vlua71Kt8=7K% zLtE{*g&IMk@*63WE%pehK{LwnHK=7k$%OqP@sfXh zUP*qy$6e-fz%Ph_@g=NGAUaRC#KXN7P@D!F2sbJD+%qvK>&7|A2D*2NYpIv+S54 zPmOZdr(tqVDTbM1JIzMCA8ltogC%n+3vw{a|43bK@dt3byUYU$U<7}7)Ro`6|HOBb z=Z}q+BkYkF>+Nx#{b@SY?FTu3^(YEmG@#?J-kplX7eIG`=x%~+yFV9=9p@#+nqOue zH_IEB<7X%TU+7U)o|jBjq)LBsK-uM=`B>x==e{uaxr0tw!feXVzMy$&SNFviOuC@w zg1YiKi#ryyU9hyHb7JWQi#t17yV}~@T6$Y1ENYu$OUSSB(692~PX$$#r{gUB&vAcm zLT~$}y(cZ~G?sOq$I4CUVEU8He+#0X{KZvoLP<&M+<9ng<;#=llV+FuOm}#$tckLt zb7V1NSClI=b|>Y?>Wtl~xiVvSW{xav>`EYGCrmJ9NgKQKA$#nf`+F0*SqCUNW@uyh zlX@-{F~?FL#)il*yX>;IIjElZ(OGKW+j>&WH~CzVBWp7GTA?PKyn+O)O% z0%TWEW->nMQjlIza;!I-GSg3FJ>#uVkF}2f&2xp6=F@?Emim0kTtZ z92Z&MFDYiyfBpO4|0X^ysQiqx?R-#vOF;j4K<}o1=^UgzH#hxrPWmg$y>VYdV7~4L zCZ;S&v{eWS4N>rMggS(~@GVkvfS#8#HI}t`b<1L%9lgztn7+S&HrCGv>c@K5VNRUy z$exDmT*yA_$o|$a*1Hn2D;(L8v&VWLg)HsJ&W5ZGGWMf>ZfOJ!S-#Knu)h@HTG;d< zEI_D7I2)k|VGP0>(BFXY2*P&}E=5AXz&(I(0G~s61fdP#bjU6P zrV*wfoPux=f`{-be62&cAK@DapF+44;XMd(gtHMi#`!sQkLJ2%e)qiQx|Z&q_U2T_ zW$kIts~A0H#^(b+rKJ2+IgEOKdUb9MW&NOyNvx92^8z6RNxXl-5G-QC{i zd96${=e_N%z0Fnao$cKntyS&4es6EL_XDJkcXiHduI%nwNW%N}=(=SYyQ~^vqPwl5 zvt@zz(w-@56}B+R$AWO-qPESwIGIk%3Buo z&~a`1Qtw&Xv@b+0;l{gPN>SSdSy%Tm&pR=vr&7Hwtrtso-5hAm>W@>9tr+1|2XL07AHRiM30LwVc8s>T|5w+3>M=JU>hJk8ExFSQoxn0d|?LEESUCWvmbo8KIqu#>yg+1+{CVS28 zm$tSq>TRCi(%H74y?at~YuCbsU7cQic`{R*j@3lMlS-`Dt3CMWY+bm>+u!={=n~`R zB|S2hr+LjCSfqN}yBB)XvvhO2=X=dP?em-Gb}WFhnZ-Q9L-NkK9rG4NjTVCXMx zZt0%4#FUC&I$9Q>ZmMeUT+-3q)w!^pBV&s7Ef!s!?U!O@>}@flcZS#8-98T$MLwdL zySTHpw*$30iS=!7UEJHQDx2syl%>138G{FoyknJXzGQI+MuHJ~?}XG+@AX(gOsd{? zuVqn3@xq>BoMwvQp%_hsv0uC(TpTWzb{k;P*3sn}1oYjDJ9|48w!0QL@0sbe{nLhp z0=#M&c7o?TD`AJZN2n`M=|z+Fzdk z@ZCo|TA_Qq?(OQi%`TRwp48L6VD6bkt@FFjENW|?+p>5;?|HQtre_wNb=sKX;xS{e z{4Htk?(HdRDUu}^#x30~t!VKgY#3cd9ZA3HXM0-_oKTzfi{d~__w8uY31eb&i#ofCdKS0Nw{D9%dRW>HB&GowsiEgw@vWcxCriwR-oVfZIIRcN3?()5eqxG z*SELjG=&TSw+Gd(Xi;|;cI@6|BdA0FPzbYYa(jF}x_eH0duLHc8wOFw+zt#2h+2wH z&>T+~lN}!&okepx+B&*%0KwYRvY?1pVP_VV6m`LC_fmB21R3a^TqC${YsI)|oLPiZ zE0)IoL2hekiewWM(X41Zmtp4mk84$-PiM=* z{;n+CSnh~rilM96Qe=A--DwvalWeCgGhWVc&FSqtlPt%$sC5Ar%AsozD1U*)vZb@A zec>WZTN%X8qG_hg`5A9q-+>6|fFj(liGnXV$nvMQj2%}8{x0EfZ5=yqHti4g#__uS z(s^UYwSg}>#PXkQA3LrW{A0p@VgA^0ecg z5f2@6aZttC#GX>9AJf`}vvAL%u1;JN&&xWPP*h}Ap?Ylg(Z?_YU~t=7+QIz{6k9grYQ$ zbnu0)AJfZ%kTH%y6WfZqI^C_48BgfF6xG6My9npX9*o{G;qZi#2_?2Ltl%PC_II={ zz|mq!OUD8p#f#?RZbH%A-bH7hbr#|Y*uHt2c0yP8ytB~yEQhqg;vSS4EnC#XWuLu+ z=D>d2vuxpL}4r|UKGT(2RHt@ch zsPe+19DCkbE&Q1_7waF^yuubcpuzo2=DrtjFKNv9x-@=_pHGay&2}G z?@sdSfg#)>c*OAIy=M)c>echXgm;?vxWUuCt-z3XhBt!`CA?ylr69b~Z1iyKUOO$O86MF#7=`M}Y*oBlx{p7eM(8Tp0Yod%n6KacVj?={2E z@lHXdM|*AF1YpRU?_CS@y!U$7n0~+5yWZde@AC#1dN&&E^uA`W%lo>)Mc&N@FTs5z zrtkJ{H`wES&tR{2x535UeFm3!KQOq|d(hye-lGPWdCLu6=B+gNK5q?hly|we!SEmS zHW}>m_A*oLL*6)pANCG5_z~|=;Aroo-jRmC!aLUBCvgXk<@%I2-r%RbGYnqo6&t+D zD=~PrH__l{yve}P-e}RV$lKT8!`}V|f9M@(@JHU+1|RXxHTbAE0~qoi^U4hW zxHsik@=th823LA>46gESGPuTjz~EYMox$~IFyy`D6&d~&Z<^u%;+=2s zzrCozH@!N8|Kl|RJ@231MZj_1zr0?<9}v3S;JDEJ1`iB9YVe@YlLikC{ng+hp??`X zH1yfy>F2P}wFciAy3XL?p{ETV5!z(%$j}ypM}MRZ`xrbXw6DQqLnj(ME_AZN zqR_bpj}Mg_JRuY@cw#7O@T5?U!IMKR22TmK0Yl#SP`AO;LQ4#u5xNXG+A9uy*zn=d z#|=&lU1M-^=o>(+hoM^yKP_~d;m;1;103z06RO1e>3Q!8RU14%RAbN&B@C8@W*ICG zr3_YtG6o}|27{HMMuSzMcN>g`E;JYmH5;56YB5+HYBLxQ%{5pPns2Z+)MYRc>NZ#x zT5NDu=u(5p(EALgLSHeM4&7of6S~b{edrE@4WT;?&JNveurYM6!KToC2Hzd}fx!zx z4;s8M^svGAgnneOIrON(i$co{wuDv~oD+J|U~6c#!M4ywgYBVB2Iq#h8k`q;&fxse z3kEwvzXy)?-W&R-;X6Y&n*FIO^d*CfLN^<{BoxMe74o`6Rc4>+4LxY~rNyBKurGx? z^H`f51bX1-MVwcDjcX;|3*?z%poQnfBk6QxQz}-qp&^!DovQKU>r##JxL+1uS?<@x z(*C+=ERsxA#T)BZ$Nh9{gP-)vVo#K3Y9q1AL~?!On(~=zYy5OHf+$w*uZvVQ)}>?q zhVn#B9VBJ3cr3jw)mT%OSXU9NifyS+G(^^={o1O`7NoD~EB9;t3fS9RW96GsmfD77 zEFG&|#ryu7%lw+mdcSr>St7myw&_G1)=@fG7mw9O{7qHKNMvn1R^_KN$(1#klqp3z z8cWp0o~X^#ltnh7EM>7;IIK);T3+6mjK$-zCr~%UwV70OYZ4_u(NlhHsyG!%#-1#X zCClTH6{%SnKe;mP*TmLU#%g^Odrdr2xy4T=6AgXISXFdOy}za+kwIfcBeiKCWvE@w z^7r{=iTX%iStJfanm=3bCu3-i#D=n@kL*{XZPJnC2EVT??w7AEYi#oIl%sZKrmrCy zORtRe#Zn10cVtCPq9Rrqi)?zl+E4q{aG&U_Y4mGr{7n^!Er};<{A6_>#8tD`RL83Q z>dcy&NNvSRw0k7&Z>WzXO`o9d=#q8Oh+n_0CK6d+oH>RV>$jYj?&my8~ z(L|!UFP?Z7ov^7Q={Lk`t2RetRjV<){YHfKQB-GDthOTZT%8~F8&+2&8c@@O$&|h# zeU*t!vM=h#D;r`J>D3r-6~&dY)Rr2w26HGwIcp=Sm9dIQqAKavMUkoBmnu)j>b8h% zy={;c=|rC&M>E!NjQR1%la(=yjZ~}_-j`#5V!**&vM-HRf#^w$kZ8@CYQHaQJJAhKGlQ?f*FX?Ho!E4#2J<-!xCjs zqD&1!8B3p;jBsDm)}|DOL=*a;X%+^^@}>mRBw)$a2&G6s5%+7BBLcC!X(nW`rcy++ zSfE&4T_jmtlgOl3H^tE9ki;u!Qq|6c~h(m_;^!nVqepmrYKuF%9f6rmPSkx z1&pHD(FUZBvhYzhca&9#nl?vFl6Iy}h%HS40_z!N>7z!@Iz$s_+9(MOW{e|XoDl-s zJIaoTveBb#^eDs1rl{W-s|Cg8kFxnO-Wbu$w;Gm?p|2^DL0@1MLzF~5k>tiE4AG`Y zO`JmlFq2T0T;3EZ?Q2@u9roBT~p zehmuaQ@pOpl)-0OCPNwg)lEJc+K*Hsn%dX2ys0ES1#-j?BZeF?YKOSO#N{SNuRwwv z5i^<$hlowm$tLM!lXS94I@u(hY?4kkNhh167)K@HNsQ3FC1F&vBphZ`f~aIVqiKv# zvXT6Cpx-O#@M*9#5`}T#5RpO z5;h~=&=^5GL>dq{79yD>ixy!&N7#!I^cCC^5T|1pGm#WW2+~Ke0T!olEUT)Hp)0E$ zVGJvEzeybqZaIP)B&Bb05lmf;Gi|0C&8i0Evn=FE79hD50kw)G{ndy-pr>lp*0y{k z!Kx!hOQP3Pku?A;XowL|`8bb&2A*wk>#hzkw~Jvev-*ZY-;q;;4BxK3Z985f?vA| z0a(Mv^=tfUoFz#h#1X2abjOy$&SzZHY-T1|kFEU)P~cbwV@4|+eGwU!V;75OqhGld z0T`*NVITV(&who(BoWFfD>D%YpUv+Z&wd3O)-UEj_1V%s8`|e^_Bot=4riak+2?TP zdWdK$BMf`2hm2r{)sGSEu)d-8T;&>z%W-I&jfHMDCi!eEcC)$IAwsA_NF-*Om=Qt@ z0f%Qsq!6&qAwuYzjkRxf0~J^RXLA8WgwQt|N4?qgAi0_$Lg<@~a{>AQmnck3IaYz$ z*x_d<>Y|JgsOX!GIXN5Cads@3*f1M&ayI87B8o5%5h0)_XRQI0f$p1K)i*nWop3fL zQDpOM47S-U75;oIwTKXy3A%YUONl=;nvF?LWrU53F{84UM(6j5ajX$NCyj=>}A~p}wyHD|rL!j>u3TYG-al1R{>holJadLk3B(h&Py} zfH9SQ4asc{Nn8nlz`+|)ZFM}7B1dAgUx5@HLw7f zhYg8jDvEXl;xcCiAkGM{<4{!1Xe~lTs?IM*c@jxzX`MiU5{WpYij)~Pq`*?Xp&@|< ze=}o}z9G@Rq#=kWQVG!UCmRxUiB?GzPh~WP(PT!G7)@kU$|&52Yw>6zvxR^q!vL<& zlPEEEPZkzUfXi6|X`F-*SD^uTZb!5dp#m+4n6(BlVrpOilOm`#gI z9W)=VUwE-hEXFls1ljvXo#`!F%~|?!pB(n7z-aw#8>h%Hd0)Pj==RJ z9FT=362WD)0bFauHW|u@*MY<;)_@Bj+VwRc1B~?sZW;|7%gGG{+x8$R+|qzK(13ls zfdd9BEh1hCA;xG(C;ilBkPsSmMOCC2m*~tt0vclMU93l>48g}>!{LM-8ex?ptWtzk zim*!MeGRa}QrzHgYw%~Yb#RDn@EeMG;w;7pM3J#TH~7ys;36BrnAEdTea;5Ieq{qD zUjr6ylowa_xK_dynk7xV2~rMTwt}C+%>Wb)7%B5pyru)4@^NFPh7_(C7%xZEFC(!Y z*C?jzaH+x~&Z?v#8VLts^4Lf-IB0;VK(AmNaR?w`UEIf*0YPpZ0y^1`uWj&o8;0eG zvBj|Y{HiCL=0`=Sk5Fykd^wl@aMDY9SF%s)>Y^}$!wVvlyLbO=7A^Of`wA zCK&}&O=7A^Of`wACNUM|6PaovQ%z*5iA*(-sU{jNQ%z*5iA*(-sVFLCs#2yZWvWu9 zDmCRSoy^3grlh5&sHLW?rKYf@rnDHiFfrvVH3cp;B`!5ZE;VH?oy6=*O{q&wu}e+4 zOHIKs+@Ul@FEwQ^HH9xVr7tzbFE!;aooGsHYEWvbP-^OcsR9SK7PcC;9=0O3d^QuY zWD}HPS}|rLV45Mq>|$)%A#54~lZp~kK};ypCM!%S(#8RTekDA2}%iNJ=n|Ts86D4eBN_Yy}A#CPK*i4qNnJr;6UBYI*gw2F8Egm*gCT!+R z*i4$R8I55x8pCEZhRtXUo6#6HqcLnoqv@=$8I55x8pCEZhRtXUo6#6HqcLnoW7v$w zuo;bbZ=R)OH-*h;44csyHls0YMq}8F#;_TUVKW-TW;BM)XbhXtXog7GjK;7TjbSqy z!)7#w&1ejp(HJ(PF>D53*o>gC8I5Lig>7fr9z10BVOEa3;iIC4xK6*t?ZtE=DG}i7e@r2tb@Q zaD=MI-GO>M)WM?*oZ9Mnae@e^%vFR6KaK3Uv&JG@5SSgUDrTBWRA5`>o$_)VZ1@n$ za2p|F(aO__N1m$NL9$IOiDxaSAv6 z5T_#R@DOC1JP3)$(dqV?NIc#zEH0UXzkY>bv9^hwVKIAL7VYG+Xe^h-kaby1zkYUd zZbo3;jKI1Xfps$i>t+Pj%?PZU(WKmrz`7ZMbu$9%W(3yF2&|hCSU01Ixfy|VGXm>o z1lG+6teX*7HzTlaMy0tKfps$i>t+Pj%?PZU5m+}Pux>{9hZ%P;fORth>t+Pj%?PZU z5m+}Pux>^rxfy|VGXm>o1lG+6teX*7HzTmwj5z%8Oq3H8#7ab*xsfEE#^Sn~6ha*W zE)we_xQkyOiHdm?^y+%tKd6r&9UeZ^M=&ur)yu7^dRzk4d>hSoDNl`GLE014OhwEP= zp7GV-<{gtM4SO!ZkYG*0RZ2bX-Pil8>&?{(;=cNlNw`X2jEK8n2{*x#iMY~W%m{s6 z!hNuW+hEB=TqQ7OgoZAeh?_=?85vL96iZ5Ry}_6fu3s24qCf77y!t^zf2GDBw?ajTy(qcB~C!$xds$W4}y7wUNxg^2!2rcz&G+KO8)uc#2wH-{*%r4Sjf z9F(}CVkJt#tVBtel_&|b5+z|)q9n{pl$e}LOwPO^M@e4>Py8}X6A|vs;N}Ewer6i` zGPo0zQ8t6?F9eumGNp(jeVKHoI@Xs-r6@#5#uHmg*7hGGpW^?RAdDL zwjjpHGzBNAm6>Gbd4yCSBJ4nnmm>nPHG{jT8QgS&T@ugP5FwaLJpjl_2=JD?CsW5~ z=x||hvjxko$kgHO1o+`Y1YGu8+(5uh7CwE>)R`9wGJNU>bzNjrrVh7CaXX232{U!Y zbqVgXwW~5rj+<>6yaZtGVr6QpYZJIZ3`D@=xMa#-2O^EeLyYPoCb52orD0)RxDVBSIQHL`!eW)Rx7u zpwO|O!py}Dj|x~~IwQh68b;BV*^sHh=8b4Q-qT3p4i0K+iRD0?G&0rbf@-`n!RN|& zfW!tzygY-d;t&$SC;?Fw&1}j zPGyi}MW(zDk8LaYY$t=K+qf^gF;nJO@Q9Qt>&x)|I-V&ZJ@|VvB{*6m!nomLlHp>4 zXd0ubjHWP}%m~AR3kV`i4aSU^4ogSIEFFwVGBp+rL`;oE0})em(O}Gosj+AvVroow zL`;Xtj)>_n*%2`vCOaagz;s5$6qwG4m;zH6(G*k-F*Cq)M#R*Z&WM;A6B!Xw7vo+v z?xJRjV|cp6hi1i*46rOYvx+#mFO5l?=Cf=>2(e8FK(ss}1gyS@5c<-Mo6?PSk>Vei zcnWwh_nR1Q$lPb*NtXG(VJ2GUUc=mD;xOi}A?`-JGL7?c8u#YYxFetD!xBV&>DjpT zjOdy4Y}|5u3NN9+2zOR-_l|%Qa}u+IBu6&U-sdD0SMirX(M}*<)7fPCUEQH~EGeVk|Erd32ohZ%MM1(ePZLD?~(O5vOP#&DM zqbVyONh)5Co1R)*a#o0nMdFoWO@d+sb{1}RrR$S1JaPrwpt$@k}yo zY{aNI;#G_yR!)KcI3rNFrOX)j(^1(96an!XM23d|J(pskQp?ku)5*rNIQAjDKE$fw zpZt+4;&Q(92BM}87mfytrwdLKoGOSFgmzqm45HHvqTdW+xfG&A2|+BMR)Zx}2z833 zR3z#aOR7lJF_u=5XbxCnMM6X?Br_`!%2_A8hKNghB2LGEnpkxr)rhy}u)zq6QvlvA z!~0+T0`sa7?iOTi`gLeB<0IZ!6%)O=|A4a#H0B%(tj?ry2wwv#g4bsF4p}mW#$r>) z(g`#__Q@JN&Ng}CHUi!=qAC@sVd-OaxIIC@rf9$l@vw#Jhad;l=}I56&)p z@4+|*wVndJKWM#ICQtxlT*)^G)AWKzOzdCc7C<>3ld*<;vXqJYn=BQN6ekmzT8szE z!O1Eutk|1Uu`O9vJkiG!cM`aqVT{C)8hGb)7K+_xW$ZsrA3O&}sECxCMGB7(&66QK zL1K^L`Ar-hAJCO z;k5-;yPu(L4WBa+8KEWlRuW_Ca7w{zu}QzOGFDC@@Cg9k_~eUwc!W%>Hus_oMIHg~ z7Gf#Itu9jLMbC5s%K)yiY7?=|!15^HJ~RX~pde!8tJ4X*1B?jP=t8`Cn24odm`rgu z)iyD#(`Z3N3blx% zz45#|&B4i86_4_q5;t2woLfNLYypT#8Uv2ZIJbZ}m)E#qLEt^XG*1<=2J|N1*g@n! zpN`2!7Bg8O-U!ih1n84^e}h0CkJPyw#FBUckSy9fMn{{{c;gWH#_A%>j=N~=X&inq z7Gt&B5ZGL?+H!2qhOi45-q1$JB1Up99eBEI&PxXI0(YF*^RYc*+(2N=H-15^OUJ4s znKX|l0Ccux`65rTys+blRE@{>8KyQ#>%g#>hOzJb2$Soe9Cny4)~=lSar_z9!j?2g zUmS0Q;AuS@1W%C>vC9#oYJB~>YBf$+YzR-X-xo~-`6pCdin!q-xHdQb@ZSf~2-EYwD^lEFNz$f<-c4>O4z6+2 zQJCTl1Vpt6xIu=Q2O4)#2#nyz$2-|fgtxm8twUgQ`fCux2=8r!@wrq*&D$2~$ZU9u z%-(_k#M1-BIQH{uz#!kgAjQZ~J|2LB=Bok#1Z+Zb!Z4&cV~{e(3liqYKthiSrXeF} zX}kc8EoZaE{u2uq

ItV!*i*bu_q~;NxW}AkrrB!aLS<7TA#M(ww@HTC)=aNN+`8 zuOVi{gE8Wjj7TBp+FERpc>A5Q{&`~RhHPr;u%F@Wci6@ghU67VBpypeQJ6TI%Wm;} z^n-u9p!ayB4g)$%!EYS5K8*$qQHO$KC5gluSb!?_al|%%A5Q+O#A^Ru5t@47s8-7>2#PEdrQL~AfEfl8&GYAc?#_KCAEn-9VrJulM3I6i{ucaYE;5$0#{4JnRT@F_N*|ff= z4Fdc#xPakpH~?n5zcuauKd#PnyNw)Kw@;+CsL{!vNijKyqe#(J^3(8_w#%y3X2RcHU z3aeOjtwCroaAVLMnWNDRYUBk@S8F<1{u;)!q?cE=7nE&47v`kwpW$JXIDcbI-FawG zeus@+00hfOf)r_^d(=1PXzXKJIyz_)+idd*;C~krp?cP^y$c7wJG&D8&VxDKvO8Fl zlG?s%Y9Vf3H4&6={gI9eM)?;K#*vH_>GZ2~6ZNh6avb7J(L+68Ce8fQbhjiy2BrzN zIgrwz3xk2H+1)7vTt`_&*60H6_=2ot&Hl}Y+Hz$+Zh{=h-0A~_D+8ILFW_3hHzeqy zZy@w~Q0N8t20||Y;gu-(o_w03FTnTC zkt&OVZ@V{06p+=6!kZwC4>1^EOo+h%gm0o?dQEuJ(+M!V!;J38F``a~u}|SZT^y%r|9-SPW~ zU0Y9NuLtTF9Zm7zc8mn6>%r|n&;(m2n&5#tzDi>}xE()Bvpl#RBc_2K+>W0(deUZF zPa5ulI)04CdvH5`jAndrJARA?eQ-N|j7EKMgP5-#K5ZZOTXy1Z*<1Tz8@pJc*~}`^ zFqv3x*+cpnSVT7#1id0AO@+zk*2YY4`w;j8l3rGXthXNl7zBDa2-=lX((Nz%t&4r1 zKqLw{g!!~(a| z(J>z=ecWGD5!$)K!QCmukv>v>;ErXkD5FG~xI0#z4TIoHV@z|gI)eCy3C)NFL|r@WlorAZ z0{H;I|855}2JmlF$P1XHNDIu^_RsADm8}Gv6DS6dt~#u#Q8DY1e^B$~4OPfUKdq9a<`NIudR= z(na{j!@Lb-!Xy4cEMbj$Rq~w^iChNnF&$WMUOxSV*vAYS}kncJG3BhJ0^fPy zj!ExaD;>wi5cZ2sJpn}Gx`gOe`^W;UNB;zdiXSog%NyhtDY|(JV#+L;!(>~Q0=6*; ziCGA<3z~Y&F=CS8;1RucblcHoNB6h2``aS^11PDjBMGuS;?&(vV~eB+pik$tRXAFt z(152GK*{h5A16m!_yK^DbnOW66}tGtiL8U|bl@tyTMFjVyEIgCkDacM7OT+=@knbh&Q;<3`4CtB;iv<}%sI$@`1w z3r{dh(Q$Q4N3f;BXd3rB*2zTL%x6tbY&>hyGVWR7erGQqgszO$N^k6r!VEv``|X+< z=1&EXy4UTRc1+2$>%fB}$<%0WC*y{se~?CQ6UKYkNrnX-Z3-NLd>{s;v*KqU=B@Da zENmGH0gh?56oG^#2qW4*dhS)6(;RpE3wL#fe5#LCL`ItW8rwt zcFmw2dK=bEh^Ou)^qMm>9mghAe-bb|wodM~CdD~B2NMynuh@Oit4%4e1pN=^{csOyAx=gyy) zuCX;#L->n_t+?P19$MiC4I-Ma7~zPRqK@SXhEj^SwMWwD(J;a1?HrNVN3dBF3XEu) z<{K9N4pcXC_}`=2wK@3%d4c}{o%qau>Wt*fQ1TG?c}rVFw6!IJI7BVZK5;ha7lSjz zMET(pqYVQK>jWswc;2#q=zr+05stdMfHX;~7XrO309yvacnu61LFvIc$fIMts~FX= zP4j|rkcde#teZTV(M{@{{Ms&8pXhQA zs{-*N3OA7bQ)uDM`q}Zdwolf*?UN;soq1U5HAi-L%eE)isqM2R+b&u%EgZx*4$B5u zC@Bv5u(unN)uM6qL9CB(SlScNxKc&55r8#IdcDzu|AVfTe?+pT;xS-yp{&reVHXzV zwj54AZKss;V#i+dC5g6hjuuj~pqF(A7u0la{}v`1efXbo0$X!VhYuG4g)e(R48#d9 zV0ynpUkz(cyV!w!BuT}*Hp$8+rZZDJ`%T3*em&+=pqg$Nk)~t*=+p7vc`zN^>9ASC z_c2I*?!up(&>P1EsN6zS2%&aDWa{I(4Er;sZchm&nt?^4t$DBFj+Z%&j~c3&RcF^tluo+4l# ztR<5B1JVLq{SS{^zz0noRx!)a44cK`#B{P6(>zuNvwBxl0reM!VwoCZs{V?3)OpA& zSUY;cm8m%((}*FEjH%ydGvim$#*HyFFzJo|5~$T$pMK%7Uv{ksV7#OonbXlvoTp9b zD<-U}0=(f=c!CBcG1^<>p-e5ToS^!krCL+NY{GF*IA-bz&>$j3I84bdhAjyr@FV0s ze@zvz04B@Rv7(N17>5blBY|;WOu<|b(GtPw+aa}|jblbNdEQRYki=;iP1BBSA22Tm z5q?lsCvzDx?DXDcD1a?t;-7+PsyE*RIw7#OR9!R`%}2fY4WPm;bR_q--g->}oNLf} z!`WoUw-%f9C#~nC*7bVa*#q(y#>|NsMjKO14Y1k+VhG_sig&Ct_A5A?Vzy`)Pr8O- zGOf+p5CeKCw`KuB{RaeH=A{1HcFg>2y!yT!^LHNCfARcdOPZTUKFMm@ZvLbZa}!Js zjH`Z$39z$1HwijChxs!Z)M{9xZd&RkoQ|U}uDIBmU_Mmffay9M@*39EFyLm{&&#~K zfia-puhEO;kjz|v@yrq$XKpm6ijy%$l(|N-K*M3M!_aATkOpQ;^O|lBvq8%mW!f-3 zj`g+!gbf72+oY3LsR-yxKN*A0cVuDYm7SpqI5NpfdL0&cf6*M1~dZ0b$usP$@ z;)$+0G&9{}7%KlrUw7!M4o$l_hM|EU>GKZV>(D2XbC1X1oPIpfog{D)^5ou00;eKR z?wurXLh|I^Ndl)OPwpr3O(zMQpF9TP6y=HTB!Lr^C-+Vg-gJ_{8Ou|cP7*k8d2&CI zoV`3c-*l3|In0xLCkZ#5B;0h8aMMY`O(zMQ)jY-1NkS(|PH!HAaE9|lcap$)&Xap5 z39g$Q>fDu+Bi%^?r#(;Zog{RkaSi40s;ekRx|0M>gr3~H?{<>F8PQXiP7>JFesb?5 zq4TQiE{D&$@^Yj*NpSV$=-x>J%YrBOP7+ucJh^w0;EK&Lo)hV+&B2-V!xP;}0;`E9 z_in9t^tc`Ur+(@B*}M8~9bYsVww9iMK>x)tO(@=maBYPxmg;qp$f zZfZD#(DCWe-HP)3`6(3V6grk}L9uw-@#&_9W!#QWH#IEic6_?2>AsTHSypMTyd8@$ ztG29gSrqOB%cAb4#W`Q^Rs~$ETYb7Op!!-PCYCu;bIAPo!t|k6}Ez-?4NO z=0X0BPbXm>>+kq<66PWQj!!3H9{KP1bm;Cts2+e*DAWOTEZx+g9H8UVO%197IzHXh zpg5r8(@jnHo82){r2?l{x}%~h20A|7)Sz&nj&= z>6Q&@5;{H|y4x+QJK+=x6$%|oH#OaES-lFKVBOSoyJeLvbb@tL(|y0&Evty(^h&o| zRxLxvr(09qK~!B0onYOv>2}L1aOec<(A{oXtq!M9-ELVO4;`OwYP#LBiXS?`x~b`Q z%W8w@1nbb!R<%UO(xJQEvic@Y zp*TR-v2@FZ-9sIpZfe*^)bZ)2hJ8gHpKfZp^fAnVfUS{9k+F(XAYs51$wZ+9Sws&7 zh-$J2%;v2iho6{8xy5FfWZCTaJuG}Q!{C47C;?k((0(rvo`; zha)L<$s9qyr-whV+R4UD&ecfNi1`o_)Er{f&be6(cGmmO!>nerrZUJxY9hV~0eVY4 z<3t907x4i)J+?$BDAZsljzH{2de7q$RJ~-E`4~r}12YYdp>dQC0tbyT8~iYazf4^@ zgFx~OTBGcL3@50?@v&PI3Hl`X?jpc zLfI~c@PlXWZ?gJRl7ynwOt9S80STOW(1H4C>E2O*4=-4;ll$af!NLQSd#-gP!b^`z!(9vyXS5CE$A(9Q+l1(SE(>G}}FwfN!(s67X&N zY4=-&xM>Nv7OsR#;X*jy zZ`iF*O4tKT9N;Uvbx3fOR4S?{t0=4}gUEd3K4m%b963!{1$mtU+8~i-Yo3wu-vTIt zjm6DQITR0&0XiBsB^ZE#0Wbg~5b%+QeDY5x76Tv)1`Ka~#9}Y6xWrBEYMgoeNSZUg z$XhXE7Y&(esnc<@qs!^U*}>@$`XwBUj(!n{rje#M!ZpP3W$9<-vU3sPcj9C^-K$ z*FbVfVNX4P%=Sd1<1hlG)kzuCuGq2T8tkhO{!7lApc0+KdYkDBt4(Y#hvI8fG+R?R z({U*LRYL{4<2*PMqzg$waBTX_n=z8bHNTc>1?ndoC1E5-Z5GMa9{x)fVzp63u+taV z3mQpv8yP*WMZlWv9A(%^$@9^A+%nWI<~(h67_U+dNng?(dVs^TyQ}fF~w)VZ4Bw z6|MJwC7d&3y57l-Eyf-7he8p=&PRd`oBS7`w6e|09;|712uX0NIHixh6-)&!C;kwe zs!r4->8E8D=Mf^jl7rMo6u`3IlZ!gAZ5kDS(}Uw7!vMv-G@R90{(!WkKmiTyZV#4X zE=tNY!=pANvtlg)6eMdt9Hzm=hnJXe0xYA_n-V#@YEk-v0=X#R`ILesMzp#_F6T9B zCkzk+0d?I{;p7+Y9Qc|kuh7#qFde(C)!$OIftI2nB&s!Eu~J$tmrHpBSkw7fn4r3G z^kpMDMfuFxa2OW$d9;On`*<7ULL*@~I3*m|_$+J&cK2PPhPHWU9l;t#_!fN=VlfZG{6*76FEJt??dQ4%mr>Irk`hGJk4FlWxHH zQI5n~>b(94iFHIlqhuZ!PFI|Ux5OmFftQA#c(Cw+TUIlFVDQh!AqE!q%Eq8u57=jp zBL*P`P|jLd+1xbvR5 z;yv2$@0nQNJFy0M);ueoDG$9cz{A81;Mw0Z&%Sq_4e;mzSAS1`cfWhflK_H9IqpFl z@jWNl01weSs|FsP1zX#TgihfJG2>}9O9tTqPkS{ju<7)2izjKWA~PyZdcwcGLd<^% zbKP$L03b#@^r8IKoA(Fm;KYX&JBX4HgB|;2SRto}Kw%b+94Dm5*GYnJgsB}a`r#+$ zkO}mhyg(=xX$cZi57W}Ll+JwKqS)VmySD_)vP%B}oXtBE?EBT%duF5etAE}zVZ6tI zHC_XMgWDC%{T_vlC!7DIU3pKfPxo4PRwY zyk}?Dy<0s19_HzQfq3AA?>T_WpZVSZ{P;WG8$_`KxLGzoL8yBkW8`S0g{Sd)&;3^S zH7DjKOg$lZNN)Yl`+CS$G%h*Pr5+ib9=2lOMz|KPgiGN>M? z#2S??*bU1;lp%&6<-Eh%gEqgfcmG)LD0)Em3myuI?0B5}3CY%8b#tE%>Sfa5KoZ)j zn{jJ~ck-x3=HT{nAP(wfu;Yn%run|!?%6fYAq|kj8me^+Dv%+LE8v(|b*{kC+9187 z0YSQJJOdP!sCg2{l>2_2Dpn(81-fDV3HvvucXHs+I;dcpQu>NpXf!d&e9 zL+JuVkw6U8J9wZ-rcTVeS|VQ4LTT^U{>j!fTKcrL5!w3Pr}!Ee^moYEu$WBT*yj$+ zA2vTRn6z-xz*8(5$U@eu9~{&CpjNNVh;Q$&`oA0S-)RFtZgU=}EY`PvBwB1*{n!)@Ym&;~W{; zXG$JTiw%vQ=dhLWwPmtWw^rmbmT=O4c zqKCosaLnC%q%>%x91uK9FCzJj$rT_jOh7&Jpd?|%6c;Pg2>`b_OBR1I94JP_pzPzz ze3wx;G3;V>k1Dc1Yb@NIWhMF9Z(@pY2egMr}@Vm)O))y_7 zFNUHG|J{t*C{SZD%(b$v?K_s`)Uc?-x0{mqU8DnGfZ}z;6vz!s>VYOV8#(F}^T>|& zi%t;cBnZ;WeogxBl*-$PEOo+49SF9jzvBkBhmTm*>y)0;2+)7^89JO2k{>C z(1V8m0V*=SK}Z@UTgNFr7_OfJ%Pkb_H%ay)qp*unJ47(a<+BEQnS70euu@?@97JFa zS@|`COtw4^%#mM1Dc=c4Iuck)${M#szaB~cNlcZadwQ1QkH@i}Xk@L;*K{@kHRrVG z;Hi`&{VB+pYClQxE?r*48YJS#qw|rX^x>NT9ylHQLe|2#n0o3&{6Houkm97d)szl5 zCNCe=8lcHw6(&8k1>wD4Nc|FpYGnyFWrKE%>8RDwmJ4kO!>rsJoDGl^YzHDv?6IFrP2I1IDB+|CQRED#2(M&jRf!)I?=9n&j&guRL zgO%!I`#4e9HW$00YwHkgBVtwh(VN0?VepT?HEYw+lVH+U84c%C%>SaU{r7TEDw^SZ zbvu#YtLKYH8Us~6Ur<-9z5ri%=ISpB(_}GAaw^2?G>SJg)Bwaq)km`JNy3K)GF#Vw ztZOf)MfoD{wG6U^FEOOC&Ax=zbi4)KRkTn67@J6^1u7xWB zDU&Gpo+{nN{pyhx!2tHe?cVl7EAA;2o>srA?O%N2?ByP=lGQ|*6A9YOhcG?;6a>9j zGGlVylC2ZxYjp7XxaPf-8YSUQjkNwupQK>+eQWM9o9_VEkHc}y_&N+YUjd(4dfczr z2k`a@gmO9|eg~+$moWA#hTrAm(`tJQNd+(>aqh@LHK-vGBM*4M9jO2%z1<(E1M!1t z?PT@Bf)vp(b7i8*yPAYhKpS#l-H?;3E7L6c&wBRWc3uQgDGQ52Ulz;`K?cgFc4Vvp- z_^2tmkkrmnO8icqF}##hZq!i5D-U-!dl>gqX5DK zfji{Aps$ihQF!6O3>O3(%Xcu}fRVx#1F*DWq9u94%`2B6d6-iIzJeSQFl^29wDbmW zCL#EH**8ES@AU@!VqEGiN-hPWVLC`o5zvO(kP7~@2utqV64OYfTEQt#=$LJ0FlI&E>V(*HvHY) z)&=Mr4agl`kovON1n~H$at9Z{+Bi&je!d?3QifeF} zD=vQ{EEBENnwTmPBU^E4V4%~31Myx5M*LYgK>VSDmS-LnP=%pG$iXq8f1u{uKwAPa zwep_dAW)T(Oc?Rw_90vr^=FXl$d|NubI39-Irgu(a$i%-fgyP(guarkk}*jRgoZvC zXkK8}uz1p7)LpJ-69lA7#%X}USVdqm!A=w4N}$2Hc?+Py#b4Tw$JY^cEnBB>OODCa z{(&uof-OMZ+JH?D3}@SyGiHFtRslz4jNIb~L#T0qqcO1c-mq&~g1C^(JO>!lo_4HZJ^mQJG9^a9L$CsZrgPF_g{ zo9HBsZfQMO7t%&SSXtK6biiZEEQT|?7q^4~v`)8#0apTT(k)>CEi!uFiPH$;L+Ka* z6Mz(usu)MB0?9onAny=uB^sd3YYck>{K=ySDjWb(#gtv34#q2|5#Yz=_$xw)m`sdO z?PHa46}N%a@+ca7#_;{Rb34VxEo6&s=k`)oz<@9T6=n%n^z_ zj-%E)Q8ddRY|VEj*@sl#IY<47cGW}_f12}UcDDfJRY1QPte zfr6 zkOa_48pvK}?D#gWUwO=D#0_g5KBmLom)0%>`LrDEmuNrd!Te<#f;TDou$g1F- zK^IRjc#IzTbMxIhTHWZB%+*VnMtqCv3txg)Ts8w_-$^MV-3Mz{%b_i4Xn75zX9Xqs zB>KdGKUv%~gbjOWn;u%BE}a640fjYO&7bMY4P?JEL|F=8$Y^Y!B=RcIf*x9Y!)OMe zZ`c;xBo5_kiGr}ESmP9Qx3Vc18%SzAQA)%53GK($=fKfp;OH@k(F2s^)dAh;z>Kn= zM{o#H{|=z9@0!VhnH-qO0eKvlC3k=UIz?{4MC-sq>lm0!_q74~ko=&H?B9r9uNB zs2&tT1AuoC8t@%O2LLg|nHNzK_Ffba7l?u}Aua%n2@wHcOo#{o<4{B(3cihS0PsCo znwT@il!+M=qf6pyV)mqP0K0KGXNoCP%$Q=r6!WE+F2!sqCQHG)#8fG!NHX}#m>|jE zL-9TKSez|l64_F^u}}1Qc~)Zlhg(4I7yoa;zhtpPo`g7_>usbrsOq|Vg22MZ z@w*ND9g>4}j0X~zfq#>f`pARH9}O6@9|?nm5E-ceiEjgO@1J_XpODQZ2IUV3gw-w{ zng^C@pg~s*@^E0xjWaFrBh1sD+|2sY+Kh|W*rOHZD)hkwx!_ML@kywc7&Df4WPTT} z1TMS_4dD5(U{J<1E@mG9xxD3+7bIH)0DU9bXABvL>&Yc89I$j~;lTNR@#jKavAg-F z1ut#BF4hzYa#AY8GJvak2AWqvsqyKw%hAOHClM(8PiJ3_0qAK%TzGIW+StOa`Ch=q zX&MNNB@*8bUUs@9Q7v^KUUc{&kX4WfkRH1sH;7nv3-UX5MCH%~f7h&*D?wwa*_D=3J)nh!pBQ5cXhiQxXXFCrW8^QsJ+$9i3ATVI3%mRj)PR*3i z=L3G*f5g`Xva&A=#$RJSZIUTT8MNb4J zun}^>;0(V)T0ApxhOQ>IFujIFr`X*e#DbN$L>SW&l~JtQNDS<%+^h%iv=`d71TnFg zYYOIM1wGO{v!8-aa6nj*+Z#(0b z7JBla_2FRG+lB&oA1f&75}P3T4>M5>k_$C8zXIRUtVI)+{{pCb`7eN~m;VB2VcdGP zfCpLdpB+2)jQwZBhXhFnAu9sdGlGehf$L{j2T zAn}Q-*pL`9=ag{8H<`~E#>qxrfFgHukK2Hx++7+5Z?ga!`%4?0S{eJtG@DPNPAn;k!vE#5(AoNGc# z)YJwW)mVLRP2I3laA$0_0%^D2ceEJpUKZ~cx0644DCXZ`g-8lpW2rt+;A;cwoU~|w zwmqAiOa<_RCv8!Lz(JNsw8$}hk9AsKv|I;GGmA_^XydV=v5SVa3yfI8*L2UFrtq{F z@VkQKPd6a#YzF!Rh!uFv7XVju6-4hCN(;2}kR7jBf^BpIv>h=F3ysh|-omQ4fAXlL zRywsZjsk6-u=&n*LR*h;>_)@N_-W6=ABnxeTv+aRnM7I$~U44JooP zO#-B66hI!Qjht$d{I+1DBFp~hVW1~wCIP$Unv`bLvPJtZY%p6OTaDzDpzNPOb`Mao z@MCO4inoRwW{Pa$#9x6uF0`q7NlOHnYFOHAxo3XH_LBHJV(O+tJ)_%!^MZTCNt3kC zDB|ynI#np$5el*KWT-;+XE7sa6w`balW1r`B!it07!G7wU6aP(ncT4r1H%r2ll1KE zj?6)Ek}I4ze@8X4lMz3zjf2E_%!Tr)2FJ=ea4_A``5RM&7nxJ;VuYwLAVRT zT@dbqa2JHTAlwDv&Ixx;xO2jt6YiXF=Y%^a+&SUS33pDo9^ra~>k+O;xE|qpgzFKm zN4Os0djDt9>;E^;fARb$&wudzJI~*F{>Jkg&%f~yj{4|PA3f@$M}73Dj~?~Wqdt1n zN00jGQ6D|(qep%8sE;1?(W5?k)JKo{=usa%>Z3<}^r(*>_0gj~deldc`sh&~J?f)J zee|f09`(_qK6=zgkNW6QA3f@$M}73Dj~?~Wqdt1nN00jGQ6D|(qep%8s1NsB00d^w z1;87KPyk*-i~{iP6$`4OKr{$d0OCTh0uUi$6@XX~tpG%gUo^Y383r<;DJ*Ccp4shI$%GiYo0T`VN)cJ5z^((os$DPG5-d5ylh2- zO>gtvmpNMs=4v#V$K6yQ)JIO4j2#LvnRtnx=ggJnJ6;)J)XdoDyGx!6p5Nw-Msu#S zoii<(GqlgySB7lAHJ|6E!V^W!dyVe^JAv8z=dt|%)&{?#F=Df(IfumgEiWpO0*7(o z2eS(4`A_aogC7)M0rri7Shrl(u+^PeNuZY-LEQ6@UR8+zYg3Wz-yoK{{lSB|bYp<~ zUnx)UNr0h3n9VDY14h-`iR#w7Ry3@4t*BVLOs!CWO%fCs@=mGM{oR~d?A&{@+3B}=hI>b^KQu;IXgw^*J^>#&xAi9vp4t&%y$7+a zJ>)c#c%4tb(V!@j4;s|sbomF*7)B9;d7DTm7Fzm2GhGPVWirk&7K`0gGHC1C0{JpR z4`akgg8v}(G`)*~AqK>~_{V(8btQmj5HNUHtPL^Rfg*W0aR~r|z92)NVjdb-uy+9c8`gZaJLUCx?`em8S z%U0vG3hyEP(LQ|zxXz5d-u%0Qv@Q~Hb0Dq{1T~VpsHj9xIfXPgbRDz!xIwjLDMAq->+oD}C6lyAyf+PA}23RZVBbSpV0{6dI}Ir=H+@=qR5 z?qR&2bCcnI&K-mE+fVb`=Xw3^r`!4Ecu>^A^9#>k{6YOk*1K8#FYr#1OR#JKHUviq zOuj8w$q*0@+aH`VN{6T*KJl={oz!Z64-A@D`7^?Ph+pHL98RoYvi>~AGyZ)h5{-0% zH(iGj_+Cwlu-mnEWOlB&YH#b!> z*%cf1tN#jvDOH%vLX!EPVK4*GykfvEz9?{*wp3UZg3FIfEzugL5Qrp==OC+A&Pxc1y#sldsw3 zIcFy{5}9bW90Api2qdk?zJ!Hlf+$W8q#bi3ggrL8NDs$RBqcosZ<-AE%&qx@ySgQ&kYf^MRVm z34rG=63ap$6F4l~YJ*6@K%3pWhI^}|4940aGYm|g?=$3{GpCfmTKL98QkYh&j z*Uu4WK+btS&sdaWn~X7$xE*(f13^K&;kn}Z`;3|7Z1=aBcYXpl!nL3;%sOByVb*8F z#3l?13=}L8Z#V=j4^XfWL4hfV7|s?5w7`QC!Upy}%{C1ZFAi04yo!Ant4EKQJ27nS z$5Wlj?z!zmJXvw7 zOW!A+!Oj*DrcQ%DXB=9^fh*boo76ZX1wlafE*|tl>gv&HD5LPNIH~!L zMc{0BMrYM>>sauc=J8JK06h(3*7YR1CNr!E(nh4@@1zOb4L!@DR1}7{;f8vA~TOi}Z8&2@~ zCCrEbQ`=V_3X~2z{;8P8o~|EcNJZf4JPy-v)W#X zWd!~SEFqXd|LC^%8kdpj81ejbRuB1$*TaA3G0q`>^LqF<9wVops0XCOSEI%v0#!d@ z_kF$@2pImi8H(0u815kh=t~s412=*nvM*8W4*0?uk~gszxSuI#19(RP8^AjX)&Sm7 zlm?vd@0cy!F<#!$gWTXNVeec z#}Ez5#t=d9*8!1MfekBAjMH4#OC{9m6KyRQ1a? z47NIG14yV{*`2%P0TSgFd4Pw>0icspE>Y0exs{k`NuF>sTkeeqco>ZUofsqlx+O6j z=<}ro9=b_@hqNGhxO1liz{6g0c2hZ5yPF~p`Rk6Q>$`~`qrbhgf4D;toSBiQ0(j9* z64LBRop zoZ<5w^EPf9@qap9bzz03Q(L}d764=pVaSJ;cMeZ#q)te8h6Y5uKCVnfHyXS{S?8T z7lvZG7ga;IrzsuQbj7wmSmEjNEz=G5PC+2|p%u2o`!Kh-vrhqKT2v3@R6zLpNHPY~ z-;+g+BYrY`!t!#Wmmh*wMKVqQL?>qyCZ%%mT||g8k{KjowfcJ^>)Y0Gx=Jpb6AB*& zlPE1-K(cvEL!u)Ikn{K^#Ajwh3{^zoFzB|)G(4124qiz7nQ zB?>Q?N1;;IQ{+%)Sb>vBq+014b{aftC?h<(eNo&WIjri{{)R59mXTFJEVisrkiGrKDS0 zTuU5W$UAaiwLm3`@f(*pGS(n$CM+H!)mcNGQS75Ve+737d=4`ydO4CbGktY^nl30A z_IEX_SB&MQmT-B27{Ta9Yi&tioU-4>*2IRSDRQA8k@`&Mhn5bp$9A%kF+`<`T9e5) z!k&yjr!eE}ccqUJpQd+vZtqQhPmU~1$DcU#^2>J5UxlwSvl<_EZ?zVOW+soxmWJ&_ zrvbgC+W|b;(r&Dl)`x8h+CH%TigtkNci{_dFLozRSiKnbaq3vB-1;WB-sINn+)6=o zqoO>zR!XC5J%!YJIM1p$n(oQCwn)~?;y|bAkXh0&+j15?;y`F zdw;SI<@p`t`5ol>^^e@C6sG8zHP0{iaAdxDei`30-#ou{p5HppFZZfu@8a!Xt0o9CCC+A`lfzueZA`R4gW4xahu z`9;i}`R4h3ljrwMp5Hfle&6KzeUs<+O`hL3d49PGuA2<*g3GLVez_+#^Ud@7CeJUo z!exQ;{IWRE^+nl4X3cYi`iaap&k=XYWxjcixKA$g&2w~<=jbNS(M_HsWdB)Id5&)K z99`!%c%9eab)MhrJipg@e%bud{VuoFW!5~uthQvnd49RIF7wUv%Y~wuZ=PS4JTl)r zzgKyFuk!p}<@vqJ^UIw)-I&=`lUeipvL2NA=J`dvOXi#Bmn}${Z=PRPgfibezidkC z`d;Swz0C7_ndkR1&oBFvvZ(U>vgs-F&GX9!sLVIdFPot<-#ou;hRS^N{IVq~^Ud?i zrlPJdyNfbwo?rGGWxjcSSxCx!^Zc@Ym-*)TWfNBBo9CAW&dfK@FB`Hl-#ovp)OCH& z^ZcIY`906`d!FZ)-A-9ld45@l%zX3wviO?$=J{m{SmvAOm+fGgZ=PQSPML3>-(H^I zUY_4xo?o;Hb)!P9P-e~Z%T}_?H_tB;ugo{kFH*3~H_tDUvCKEmFVeEiH_LAy)m9zf zJ}WYrHOp^*l;yWS%JSPsrkK5(<+ne|^4lL}`R$Lg{Pss#e*2>=zx`2`-~K4eZ-12K zw?E4B+vNF0DArB0@{-g1x!>gZMed#X=J{>%{5E-hn>@cwp5G?VZ=*&0I?=a8r zFwbw!;r4S5w||@G_cqV(ZJuAY6Lgbto98#@aQiuj+s`@Ne$L_ca}KwkbGZGS!|mrB zZa?R6`#Fc(&pF(F&f)fR4!56kxc!{N?GN(&<{WN6=WzQuhuhCN+gFitaQpo{ zzd487@8|i=Ioy8E;r4S5x1V#k{hY(?=NxXI{p;OC<{WOHo5(ZYJik@mU*#NbpS@Yx zyLo=Aynb^Iw_oM`RnFn|a}KwkbGZGS!|mrBZa?R6`#Fc(&pF(F&f)gC@4TC%oWt#N z=XvIv=QrnY``mn<1j_H+KXpYy-{od50T{BJ+!fBQNA+vmRaZjN&Pw||}I zH|Kx*+}obLo7eAk-kx**x6jVM?z=hv+t2yme$M~)bN;uV^S}L^|LwD1GW$@TU$#YN zzIlF8bej3*`DH6*=9}l2jhUHmp5L7R?dSY&Kj(k@IseTEcE)6b>>Z*DUF=*@K|l6rHUwYoRwSrdKJ%Vy>`qpbFCnrwn`^Cpu)-Mq%p@BVkScmKTFyZ>J8MgFq>3jeIb(%v1Bv={l$`Yip6 z{Ab0hf06&Jnd@KVKaWB0c?!{5N_1_cN)U z;q&_MXL3FL^ZM^+l0E(N`p?G@{qy?oXVN|Wi~7&xd-!JpKJ7*Rhk5(&XEHv+7x~Zj zvFKmqKO4vNFY=#B`t&dIpUL|4FY=#B`}8mJpUM01&jfzji~MK3w*E!^XF@;yi}s(1 z{q!%|eeK>dsQ&*XvlX97X(Mg3h|4fRge^LLL98v$G{xeCU z{zd&~yJhq*>OYev>R;4OT`H>R;4qW&|{ zqW(qwXTnAOi~7&Ri}+{qMeRlXXA(yJi~7%GjQSV#pGg_@FX}(zzVt8ZKjRAZFX}&I z1obcKKa)1Ob3hqkmEV znGiw$qW-h(H~44rN9{%ZXA(&Li~7%Gkop((pRvUH7xka*!_mK}|7<6Y{zd&~f)D+R z`pOT{Q=wH--wkb#dqW-gOIr(PsJo@MPud+=%`seMx%C_<7pXa~IHuC77xBn{J%AEZkL+?ng~w6zO|o)b#`IP#3%9C65x1hsqY_o41p=2wog~v+ zH5jAYA})`ga=RVuj|#Q{1QjaQ24G21kR3j7u$qo(DjchZqj1=aCk8!Y7<`sSQ^ftTq&1 z{$Kq4y6AWU%WzIatHF2JM=P#>+-WWi$nfd9P-cNkbf43{IfXZpT!~nY_I$*4*6$s$Uloi z{#hLI&*G4O7KiR#9`*3`#n^%@aUN zn<(JHJ)RS<-~%e0&y=oCKjLs(2Yx4k|BB@}ab>Jas-tz<) z&Qzf!b>h7d08VjpgeZwG`t2rO1Oez9NdqPIjikj*5YjsEm^80P0C-FlDp>`cB2}Sm zURnnpi%yO10FUWIZMfiTCKByt6T0--elmSWB~2Of(X{qpOF+RRE$(+zIHKZ|yT`cZ zfN{W!NL4#-Thn+S2(9M+3F>3f%Gc-$b-FkrtTr{BQ3yIWgo#5-6K{B}c_Nd(r$i@x zPl-QsQ{ z%K#2gOlUQosJ#^6LGn0ZHV%#`p#F?3wqh=SEEI#w~%+e=!d zQII&{)`>}jBG15P$(W1{&30jsB=pjn5R6tycF^I%H|x#Wa&^Wf1D~OXs6|uha3WXB z=OAwD%_yAGt#Z229Kz)c)pJ9yB$+f8c4J{T7ItG{Hx{-RzX25XknGSec_H9gv#qyJ zl252J42@xv`WGfHUNOa$)awV-JTCmF)qhU7LyZDe4=L6M-5!`kQ-r7){pSRwYu^Et zb>g!@o7!bA;nQ|-t!E&c#CpF3+PYODWaS5E5>y62^_zh ztoZbDh(bY2L@MxAQhmzF3}e7ls3j;D{LfZzoj$eH=OFB_lM~b*$;rP}>jwE8j-&X? z`YP0q*ui+QzPZskNo|ZtYEc?RNJqncgRGp#Dn4bmJYYCpx`Kb`P$S;b@>U z)Gqqr#XHM(@s7$`FoCDMsT*ojLkl;8d;bBd`0fp8pHHFXqz9yGL5~u4&a&cjQ$)y z(tV5{>#a}=Jo_=c!WgZ)WA(uUJbKdYj8UmM2KQ*1mTk}=#@&W%lqa8(`e~JLL%ji( z#Isxe$%BT?r}6H~7!9dolwhKskODgRmAsmdOe6CyV8&xXtx$Pu(pH1H$w7;| z@R?^n=8ivnmIwW-WA0w^6>eYh4Gr-DJ)0PVXLRSP2YL9F7^k-%`490eQo)cvM$hb+ z`NNp$!&t@Vz(*dxhO*P4t#P`UzY0?IX!MM6Dg8H|3yI&x%sXI3QBgbQA{_%Rn$G|P zx48g3qaX0+encINPw3_-m*CcKo@$k$3EkyZ}>CQD9mphBLD}X&_v~ zG2E=JsIIt?7m`_>2r!QVd_CNl<#8hzRxYmfx)<-|!n8<1rgp9QqLrHTW?8iSQfSOr z_=_rvp+#tX95?8{M=L6-U*|s$mfy#SwdT(t^BWr-#O#w8H2(raQ0SCcN~5n0X|;hKBDBzVeW0yDjw5jvJ({W3R^<-`bjPN!`Fd)nM8@d&e+29hmU} z=@-2dV`&F7*pHn->`?n}f7H$3PcX5J0vo0!Xz1-$s57_#RSE!1s`P0=}ozQxtp;NhjcY zJr+(y{TauBNCD$Gq%kp$1IENS4xH~tFl!@b_apeT5hL}8A$sHx4e-z@0{hY1?WJ%b z@Dh!1#9w;kePF=T$iMc8Y1fFRh#F*!(ARvT@R`qJgj~FLsuj20jH(lduD;D)+h+L9-i1>>@gxcg0J=kdVzawOc503gR z@uJCCKlRqLpjErf=X6Gk@mcdFNXEZsi0?ei4e7O7g7*~{M~SSw@OX%i=6j5Ya`W(0 za_9RfnD!4kGCpO513$^C0+0_84Q!XZiE$06ywI&s? zQIZHYh-~!`lYR+ZBb3Qo@lYWQ`~K%gT+}i`@?!Rpzc7gV^||+fg~4aX%o4%<=6yC05=Vh3C*)%!!2q0Q;2l=1Zn4V5?lvNrv(*XjuyilBtnmw zgyS)08Xm@FGWbvF$iE6hAS3)2D97oq+&@V@e1XFDwmG&S>1Zp{x6h;L!@IS&Ym;&& zzXT*7ut_A0>{~7v!E&_(!4T22xS=V098EXd9{_*6>8AOG=0JiIMc_?yOY8P30cnA6 zQe>(Shk|jl(8GL9#*&Mm4^Ae-AY3!&HzZTw?^w95lAEx!2hPcRO7AW+mRTEJ;Z;7?&<;xGc^Z;FlSIg0F=n2PU569hp| zBdcM=XB>6`e%@U*ioX}rjH%2mGujQ2gVR?qxPfFojhfZR5i$-QmD`5_IzQl#%C$}~ zn_*z_UlCX7j9^?w&E!uWOx{;g0`jM5kU#9ntqk3z8$I3-^;%N6-V?S!A z0+`Tbr2gL#6BGC%NGAlz_^u@`ENO|CFvIf+5`uZ@h&jS10OFp9b|Ci#Ae3S?3j)i+ z8znJ#s88a#gPNLFT848oOy*|b0PqSJq&dcYOQ{m zu989hYr9AWb)P1u7!+kp8b(eQ0D>@CxDDjn(EMYZJ^(#{=>t#+45OmJFe(a6B}9Rb zJBa{{l}Q9(984krHf@PQ#Kcqr(m0qz0KUy60`P5bJ{ASzU@8IlHd6_}_n1TgzQ-g2 z@V$$8kEsNt@16S|lL)}~m_z`+$0Pz^;v)*a%_IWwJth%=?=f)ze2*yu;CoCN0N?PQ zU~%8P+wy#DxJehYd1>D5n@4U9rene5v3cdO7Yrhn+LHUYe%G8Xc_mOdM1Q1Ea)w-|)|43TRh5WIerdID%b+#+mS z$I@^m1KoL02mubn`{vg*QRxRi`ihN}gyj!RF0-X0ZMX%m`SmMu&@Cfi7$8DAI)aD} znNEYttye&{P6zr0XD{aPiUdez+sL~h_*@wLP4r>X<;BB41w;T8D*{Z?zIOmxH}y+0 z&+3@Ugey`m3SfEr6R)q$Zr*%vc4s@hSfU14qZSh_S?`;NUwM}GgwcYYtohtfhN~Bm zE}bePM3`({hMZg3?2^3|*;4Oeo7gQbQ$>^5PH1nH4Qh;HA_l|OH7zUkf%gEH%o5%h`T{vh->p`Cc`A3nt?z4%#Pc=w#4b}Bg~_i zJO^ph(kX1;AzSfuvm}r4{yko+*9HL-1i4zqJ*KHK!GLjj5Z7?5(xnzq5g~VT=!yuO zi4fGSb4rJ5NbaI0_Z_lzj2Ef5Wxe^88o^L(%$FDIho4^7MYH}rOuBlmtG)ZgyVeYBS%b%x$Tz<9P^(zbbus~aLf<5`mAYE-#BEWgqNi>l=hx7 z-#53UanSlQbT^w9E@q+B>g^Av1rHNCPz@Y54<7-7*Bc!dlrD>(%(WT>(4@Fd7x^^x zATIQ2erp`rfHwmFd4@9*iubq?RrU5MI!;(h85if2Fk z*AU_P@bT;LaY=LiefUVd0w0HrcKadssSf=ZT==2`r`| zOdPW5CdM9!3v7&G!|CpIsKgE6SzZa3!rz8FZ<}I#f#CT(6MK&%GT7w@Om0!GeP0Qh_zW!h z#)g7+PkeMKi;PE0y|%=A&EtL7 zS_ooNR-|ObCtbvc7$juDR?9qituAd~o$X%RAiM@QI6PY)2%`>{c}paN;163CXTo6L zdNPx7(^_v1?(E|Z|C?m6%{i>s2Y>cCCx^qE*T+|(4t}kf45qg6%GDtbCb-Gr5XaRq z4yc1)YaUW?bxZ=(!S5KsDHT`8WI!FlwPrHtM&k3AhxE{;B!@$Em&f!#9sFAJkeJY9q4<*B8)`v75%I5Ow7}u$Ea6Ehp&LE}v>X@KY30)qG2v(6TO$O$+Ma zcZ~Pcx-O2*3+fQ=n7&gByEry6s8c+h^qpFnA&yZUh-1N>TH1v-sHbW?wKW`1Re5S{ zIv>NH($^`#Q;Q>PCyAEZq50@>`s68fm>b>r{m2$My$x2zN}-srb&1?GNe{ zPbX2QqBF!XssquQhxT`VY=2M(zhk_o_IG}4e^7^T$Ml`r-}$lq{r~pf1H7tgYa87O z0cipPqEaMAMHB+7?3!c;)-E9-l@yw&1V|tX2_~W10xF7K;2?HX6l{oyiUkD;3Q|PC zBOod^?1~<&$8z6y?(AfZb^Ojb_qor1|K~pU59~3=tZR+9W(Wk=QjV>zEhxwo%|*qT=JsqsLcJLZ!L^iW zYtI%mWQyjZTIy$O&lW^PT3Z$E?a7Gd)&Sp9Vlx+KniaDJ8TDpp1lLkun{u|GBU3aN z)ly%Zg0>(e(%R}vy^P;~Ml{#AMN1LfTy{&l+7z_~DN(kqX{nzrWw$))EojN~w(8p3 z*QT&cWNQG?#CDxk=~}94t95f=oN02ELxSEY7Gq1`VDk=0VLtkkSd9Q-M?6L__Sl6b zP)t^^BbkTk4N_|lXb!vFg}F!p2eYOi=nQkrfrB2=`(+vMM{$7&28tY(6o%Ddq;Y0n zq!6Qa_|R|W+0z`FH1ntob71x;Qm`q4OYMwcBW8qS7)-%M^0Ki?2ui|ySgVMji;HnH z$({(#*d2*vbV%_-f}F8q4@7cCVo7NW92^FVp>`9qi>~_OAr{1aO$@@6LNn78&=?Dk z`B)IqsaU`!|c5YQ@16 zYM76m7;rHh!d^fN6&4Z*^GGRrm9dQ;? zVizOI!s0z9<{@{$Z#=Oj=5NRQGODnrDO52gG15~!CZR;+i)>a z`&N^?7iaKd??nV#R?&`_HN&hVZZ=wz2h4(&ClZ&ke?kR}@R7$XLXBW5yIq&sf%pai|1i5Jq6)EysM@0W#1> zOk_fP)ycvw{2s8}!vcpDFMv3hd*rkQW(+A}Ug;(ha-6?~!>1o*Di^a=yfzNxU4H`inJ8|O-N(p1x8F`yIRbChnql)9z!kAS@%Y<_pRD=6gsu*8>{k$>OKNFsluY z;RN{z)|EjRh6P;^taX#dc(V9Wxs|TRR9GozOf8jO@*wC4?luXe#+IfClCyApwufJA z$p#FQ@llUp%@7357J<+aY&=$Mw(=kgW-TLOJ^`>w5`iU>2&|7pU~we!3JOatQ0uu7 z>p;XB1z?Ep3nYVv!6vJSg-LdBC4fOLKQ)rlzZE}zHHR4})B^jUV+$*B?lmym@xv}Y zP*}tu#nt&V-i=*br4Sg)SjYo*II2)E3`)Tz zQV?7No5aa+K~uTB%@#JmgCINh-Ic1$ib2WTh)0To^10U+?FPi)u71h{UeSGERk>Ip zQQ=l8q=g5um^ubgSHs=3@b<=fRW{#(aUL8NS3$Tmube&H$*!&d2PNUnRD#{DtjaL! zAW5ETreSO!2&JA{D+-SH04;8nu&NecZWiDS9?k1R%|IbGXqKY5$>5O(G^{9YDR^86 zlmtCZ4b}=ka6>dNuBUlXbqy8>Kr|580s!%oFb8|S8ouub!HhI13G;dI6*Vadb9*$@ z4wTjMXsnh8-|dpJS{{6(OUi0_@I5Z6%Fk2na~;2b(B3G-nN9Rv%mq$JFZnRF25HdH%t48)mq5SD?NbP(po zOgaejVGcdQIdl-_EY(9E!uPGM+Wkq>g)Vik% zi>-fh!J%m_G=!aDiVx@PKoEq+`w_2ez$=$c_9`~4f{O4;hqp+*%UK1C+X~QSg^Qgp zaX04OgFs%RXiTwsTgAD3Wb&d}%4K|UA(mKJJVyn9 z1&6g~Y_F%J;IIi9U1^R|id8PU5C{%BQBgi%idSP2#bZU71r?NHuOS_bEn;Pn!+bFjw8%C=tKuJ@8?jGc7${Y7E0aThg5o6E{Dj=-tR}#gy zFMR$A3x+rC9%aJeW!Rvs0x{rLMb^Q4X$@!WmXvhOVb#uuj}kVeV69GVZ3t ziVZn*3{^$2m8*0c0>b#x0^j7tVwI<9gcmN%=NM7l;uwc3=g0SnH1jMqA6wjF{lyj@ zQX?3B+tO4YUQ2eLTlh@jqb{`M1GL(Fn%#$2ku45yBfHNhd|u%bb-}yJo=?;TZ!deC zs0-d_wm7`l>^@N!yz1<6qAqy(+2cfA@FKLwiMrsWXpa+h!E4eMhxeu3C+dQCr#(*8 z1#eS(oTv-lul6`m7rb$8ad`FGeWEUS8QbGTUGRFg$BDY&g>8=$b-^p#9w+L8m%1$u z?{&LR)CF&Pdz`2X-u?DCQ5W~W$l_{_T{&I>bccAvd2UYKyR$Jy)Rh50snoV_ky zm~OMj+3Vtk**1Hes0&Q0+2UYO&F&L*fiX3EoTv*7soCR1U0_7b9w+Jo18TN7pQsC_ zHSKYtE--9nj}vu)Q8Rm-s0$35+2cfAV9d-G2UBBqpQsDE==L~K7j)X~aiT8h#@pjW zUC^<&$BDY2t8a@#pWp5ib-^gW9w+L85rI8U)CHphdz`2Xwujo{1nznT?s_pCu%{Gt z!O*}SC+dR1f;~>u1;Yn>oT!VyT`xu!wv+;Qy%=lQ<3wFB?y$#+x?m(?j}vvlsKgd0 zaMvqv*NdTwJ*B7%1~2wFQ5Otn>~W$l7~t6BL|p{#dNKB~r4+d9#c0SLC+dRnkv&e- z1tTVVoTv-NP_{UMyIz62UJR`4DMei{)UwBkx?u2Sj}vv_aICq{;1#&bBhy;qJTRVV z_u1>>f#FPhoV_j{7|pcD+3SJ>&qSQPE*==mwB-}H>k+u?ff-ACN>LY>u(ZdCy1;y; zJxLPHLD^j+U0(U)_ zBeBPcx?tAC9w+L8c@%q`s0(IRY;gj2Jpy-m-kv?BsEg?DdIauzFePKpC+dRf8GD?l zi@;rvz+I2PT@PkrY^4a?^@#p1j@T0^MO_5$;`BXxN`bo`fx8}oyB>kN9?{?R2;AkF zi?&(|-1Uh5u1DamN8qkU;4aSnvzICQyB>kNI1*5#6m=2(U7QvuQi^sFxQl}X?I{KB zdIauzM1R*KaMvUHyB>kN9?{?R2;B7u-1P|D^$6Vci2kle;I2pXcRd1kJ)*zs5xDCS zxa$_U>lV1{7X4kfz+JcK@45xlV1n-8?N%fLq|MTl9C`0(ae_zv~vb>lV1{7P#vc{av@fUG6Wi z)kWa0Ti~u+^mp9?cip1D>lV1{7X4kfz+Jb%UG815)kWYg_j}mm?C$`#z+Jb%UAO4( zx&`jKMSs^VaMvwx*DY|@EpXQ@aMvwx*DY|@E#?{A0(ad4cX=YJOPuz+Jb%UAMqpx4>Puz+Jb%UAMqp9$IU=V*+>G0(ad4cijSa-2!*r0(ad4 zcijSaO@X_nz+F?|t|@TW6u4^&+%*O6ngVxCfxD)_T~pw$DR9>mxN8dBH3jaP0(VV; zyQaWhQ{b*CaMu*L%Uy~s_sA5uYYN;o1@4*xcTIu2rodfO;I1if*A%$REoip72;4OV z?wSI3O@X_nz+F?|t|@TW6u4^&+%*O6a_^mxN8dBH3jaP0(VV; zyQaWhQ{b*CaMu*LYYN=u>E||m5x8p#+%*O6ngVxCfxD)_T~pw$A#m3axN8X9H3aVR zSoW5B8Ul9>fxCvlT|?lmA#m3axN8X9H3aS&0(T98yN1ABL*T9CbxN8X9H3aS&0(T98yN1AB zL*T9fxCvlT|?lmA#m3axT_1?)dlYA0(W(RySl(#UEr=Ra90<&s|(!K z1@7tscXffgy1-ps;I1xkR~NXe3*6NO?&<<}b%DFOz+Ha8)be!b0(W(RySl(#UEr=R za90<&tBd}wE^t>DxT_1?o{>H>FlfxEiEU0vX=E^t>DxT_1?<>y_tx(M9Ghgc%cj&-`gU0vX=E^t>DxT_1? z)dlYIQ!ZOw1n%OaD-kE^B5+q1xT_1?)dlYA0(W(RyZj8wRu_T0_+UxIiMj~f)dlYA z0(W(RySl(#UEr=Ra90<&s|(!K1@7tscXffgy1-ps;I1xkR~NXe3*6NO?&<<}b%DFO zz+GM7t}bv_7r3hl+|>l`Y65pPfxDW(T}|MwCU931xT^`=)dcQp0(UimyPCjVP2jF3 za90z!s|noI1nz1AcQt{#n!sI6;I1ZcR};9a3Eb5L?rH*eHG#XDz+Fw?t|o9-6S&JQ z$1Tqh_a57Q_UDMZk?nEzbrSARw#V7~-rTWlixarZJR6p~%u6wsO^GUwr1qJ(;lB1k;1qG>R`QV9Hy$if#hS z{mF&-p{8x7Wa4{Y^Re%^Ft041mxEnNQkXhY`(^QsA$-^dijUqH&5t5Tu|*f(W`wZ; zn$|_&=3@UWE{v};KxmeSZbKNmn|Fp`&=LWu>boPgbgbf$cMi3adVivfhB@~a2GRLYom9%6F_;Bv1oEWn`jBl&B!x?6p zVy05T74XChx@zw+KDa{LKuj>ON3PQ1>~DBsI0okRv$&_34ipIv$*cHbt1W8?W5=+L zhW+QVV(tXU}qm^K`;TVHHXp0++L1~Q31e|j)|EYi*sARY{M_M zi5Z_Z(eyqxpp)h+W1h|Ie#NO>!n?>)DwSMq^Jf5CO}Q$69#sq9N#Wa_0$3!52v87w zpA*L3=bW8kextw-s6fiXsoecOEOwYjEWpkqg}PL%_Ueun9E=KJL25@mM4{?S#2t`zK}(h%CeT4McXKB6ujc zgFBl#p8W>St0*mt!hR6j2M-QQw}q&-Y6-H(%P8bRGqVA5Xwr)g8xlvhn8l z*jg|xMTVp}M)#4;QMZ_`^1>#k+67N@@nlo=kdX!C5q?#YEgo+y5$|{S@zxUYcvlEN z-WI~|cKA()-*ET=JR-j){lp}DylOU^e0<_XeAwZ4$d3~MWqODFQHT6dhx}28{85Me zQHT66y(q8ekU#2>KkAS_;*cL-Z;J9@MNax1@<$x<^F?QGuZTnbh(rE}L;i?E{)j{V zh(rE}L;i?E{)j{Vh(rFcLwA*uS0&XLw>JAey>A*d;%`6$Jr+P^*P@p{0{j!=Op4C@^juv#5?5Y z+>?lR$j|vFd%VXXzsDiJ$05JRA-~5VKa8Wx@*VPXj!RtMAwTE2M7%?Ot}%#shy0xH z67dfCIp<}McRS>FJLGpephy0vZ6W4dh&ovDZ?~tGKYa-quKj+v) zyhDDjZ`k8ahy12Pe$yep>5$)a$Pe@KvV4d9oXZo}cgWBAJQ44ZpL2R5-XTBNQ$)N& ze$MUL;|+)WhC_bCA-~~}-*Cte6BDw0hy0vB6xVmi&pAX9?~tGC<|5u9Kj#ufyhDD@ zC)(q6hy1!je%&EI4o;By9rD9gg^YK|&pAtReTV#9FB0(%`8jtf;vMpH{!+v{q~9SwjDW~^hx{-MBI6zMbCy(G&mli&N=3Xwey&o9c!&I)F%|I+`8jJU;-&mL zC+lqSdX|)5&yw=%SyF!8G5*)Hr2Kl8lwZ%1^6ObremzUduV+d5^(-mBo+ahiv!wib zmXu%5a>(x(|LczNzwQ|S>rsdNQF;G$$M|25I^=hZ|8>XsUw4fEb;tN$cZ~ma$M|25 zI^=hZ|8>XsUw4fEb;tN$cZ~n_h(mtI_+NL7|8>XsUw4fEb;tN$cZ~ma$M|1&jQ@4V z_+NL7|8>XsUw4fEb;tN$cZ~ma$M|1&jQ@4V_+NL7|8>XsUw4fEb;tN$cZ~ma$M|1& zjQ@3*#}d!4WBjkfY?h37=)Yt9uRF&7x?}vWJI4RIWBji>#{arw{I5I4|GH!RuRF&7 zx?}vWJI4RIWBiX9Nhxp0A-`k%uRF&7x?}vW!=9CBKgalAcZ~ma$M|2j9M8XF{I5I4 z|GH!RuRF&7x?}vW!$6s=pF@7f_+NL7|8>XsUw4fEb;tN$cZ~ma$M|1&jQ`b6H2eF- zG5%M((L}rh|G6_l#5?exyCX!rLw@d%5b+NEcZ~ma$M|1&jQ@4V_+NL7|8>XsU+sRg zU*9qQS3BTDyhDEO#t`ui`MD!Q#5?5Yt_%_Hkl!)>*L{xnzhnHb!%CYd&oTbz=^QfN zq5s_bVXu#4{IB-iiFk+n+yf%w9rAM@h=_N{&%Ge=c*T*ZS4?0DoXJNE<7!9n}DzRKhPIQ4FinAT+qU3l0_rxvXg6TxilTtx7T+ zp4fsJ*UPMZ2!}0aa3wTmhST`44$5@JrK7M0ht+Cu#W@k2^+k?kFMh>bS%U)$v|Hfv z2r8@sTE)BZD}=489dvnht{`FoZaax8maBkY%F9GJ*r96k%#a>ZJLV)&tzeW$V%m7(I4t#Z{de?cMB0*Y=G>6iPX_>u`eKm)6Nfo;JP?=2wYwn*}SsXK=Mj(;vao^ zC?zisTMKx3#h?N>9P+17Ko|)-3glIGpG#B+Q$+aF2l|&#F+HNZhrsFs`&;lId1SdDT3lyjY zBd1`j#t^qlun1-JPc;Y@^|JsCDl9T=3t}Q9*e`%%V!5}54$ql_eMCqL529i35EtV~ zU8y|plg|gexuw{ffg_6GiEIK2V9+ifRZ^*I>mS8>8T`0ytY2zi?sBu24=%ei<4G4ndj>ciF(9O=>1B z0lbBB_$cC~oDJj1aABaAbQ1{boCC?n;w1reE5zO@$O?vlxrbn`3W38=-bY*pJL=G` zWYk-R9O{ZA7(?hzgmSPAjHz)0a&UdB0!$~uAS9w9IFY^(m8MZwJQ0W?M-`1Rba6Z* z92zQxT~Ek~`?M{D_k4&()Isn=@z^^9xww}F1V0{H4V#&HZ-K?#;2R#K0jGn)<}w`U z3LYmM6^6voQotH?U%9*Bprj~FiGyqk;TeD_blj?FajsPWD2x_|aJSGQ3&Ftb=1>&R zcmZMyO5Y$sXaRD-bR;>nW)up5$DantK@deH!CNl7a5o(W?!a#t&ND};IqKSYT9GLm zXS? z9EKFbnk60bjAL`)waPGb96-ZcLwE@`fHa0e*m(wmj3I0{1Hliw%|IB$EoY=8j8&K( z19eaa;76Rt<4nRd48~?X5c;?^j+D{d?nX+2pNdgIyw#Y4z`K`;DMbj~auA4*xrI*IBAh|69|A1$Cd8@mz|rlhYq7u z*O;z4%A5>Cw_uYW+6jF&{D9?2n*YAn6_YT$jS$r@$z)x)wa3iGkijm2Yh#OuRB4Jas1i7sVb z`GSRsaP(N&F=BB<7z-xAL)L2{D*~hbrFiTu^mW-z?DB%**BC+{i``eas#e%y%04T+ zxg|JimFd8#6Vu}y?wktZ5gTMNE>mtQx~WY;%!QVto?4*;(2!!)7qPJAG{mo&LxyKv z$Z$W4-&6Rl#qUY{)`ScbeiOV2-gp|nH6cClWJvctgWppjewqd1C-ISZNl+lawgO>_ zwfO1uXds^F@MCg(D+Pj5ut6V$sj(d&1Xa>KxB`|RLp*#6R++B*DDinb=C zL1rxg7oUoNJc}P{rum=754Gm^9Uw^KM;a{TgRI97>CjM`56OJ%@OuiswfG^S4+*`` z;fHiyr1K)37wOn;wA~JZlwPFtA|;wl^B|=MDY5Pgf~2@-ng>OCkPt1Vd5{pFCV(I% zzC!>(p=dqLjg+{v8t$xyM%2)Vnu#J!Bs5W^iF8;l1VJJbiO{GT8dWop2o0;DVKoDZ z(72j`!qC9%(1Rc$TA1B=5ZqWzM^YV0btKi1R7X-BMe0bYBPBZUASf66;6YG0I`SaM zhR!?)@@iNcCnZ5K=-PvzEOhTdP#`+=ASe}!HXu)0W6K(>F(Lf$99pBJ4Ho+7*sFN} z2l@iF3mbs==&kPJZfZQ0)<}+caGZ}-fFTonFdB|0+A50;aWSyvu5~!*OyNC_qR8Sz zp%TwVedR^+t@_c3L=*daH#E#{hSfLm^6Y6breq%^IMN4iw7* zIE{qVkr#nAh1i@7pgdqfQ0#Wj=Z+LBv}i&*!fTnyJ)zzdAI>3sU_BMyb7%1vg|TCrF-$q zDcMJ=#=y8#aj6yBLW=m3C|)DVK|<{M&k4f^^Y0AgN$ZMct3E+98;e39ib9&06?m}N z7>-`IVsLAVVU8UX2WJn%$vkhU$qQB#0~ItqXaNpHEiT0Q#7qn?O3P;s9Ik|xDBg)T zr&WgZxj3T-*>l+vpjH9yJBL%84`^ag9=Ay2fQ~}m5yg~@QD=9vy`gL%ICO@T1ZR+7 zgr&~&P#$O>rY;b{89S9jF}q>`o8fH55Ak53ZqO~N1nUh4=c&hBUW9&}r{2Ugxhxs4 zI}pf-PI4IEa8NWrrZ^uJR7Y6BL7E+yQev8D$s1M?8j)xJkm9*+u<(_E zg->O0Q`PCke6X9?II{@>IJ&5ILIzMUpKjR2{7xb6GcPVXVhw6_k`61Yt`S z6jAdE-oV^hSxzbHgO!6W55twaNg&oVtc@K=z;q3w=lbt(c!vjoi}AB56F7;L^;$7H4sxra)$bd^iLu zMmK@QW5S+u6K55uFnIF|fr&g{10?pf7?^GN;Wd+&i+OG;lVafDd@M9GrqOU;KuKQ3 z4?{>&RB%|%K`RgY8!+EkhGKb!7AR&=K=Bn6l%8KWSvYu}lWTYpjiE}=L7fS8_`->a zQ}ZxBW_5viIEpI|vrK5eTntgH-0XauV71xG#aO{o2ho#mviPkAbEvPLw!U?dnEBCyM!-|Y+fiEItF!m4Fo;foA}Ic$4k`1(#>xyd~T(viRlVH!O-PMN!dcb3u?F z$BH+n#HFzSVMRvrImIYMan#ia&ZGmy{3bux0~0MJ=-~vzofb~~0vCPFil}qQA+2Ke z!ogC76+u@8$5S*<)x|t)rD&?+8%VcsG8y`H04{D4{lr*wDK=vaQ-Eo-D2GKBmOJqL zHMK8h5c!P3!Iy~uL4|f$uP8!Y;o#f|bn>ulK_pfFn1dXsZ~g%cfbewhurRI4W2I1f z2uQ)j3M<43MW7;u4Ow^z19vcJqArBiS{U=_U}%zqR3pW9Sx|J>K}{WvNC&MS!r7UM z;(-CL(xPK*VQk=2)T^jRQKsSN;G|5+u>+|}j|D&SDm@nS$g^aAqz#IZ7pY2vVHbH- zCdOLiRT_LW4IbkyQk4>e2l6T<23_P;nJ_a!Ugg3V0z9@~lB!%7hLKmfu&t83N{=m) z;4zO*s?y_=WAZ8uJ{2af(%{oz@YvEvs?uQl9(k40F!2P!qpD&UF%R||GE6m*p~u3o z2ajQ@VAZr-JwOPS4@gyhtQe42m&ITMJVqL%Dka7kg> zID{fqc_|fml^3fbdhYAS{nM>*f8UA$|~s@#cAX*Sx%G zUfwe=Z<&{O%*z`_OZgy7%)8~~&GPbId3me6yi;D@C@=4mm$!-b>_M2AZR}+md)dZb zwlS^GTQoBdf+QYn>HtAHnu!NN5)bAeK$wJx;=xP=2-D$<2N0C!!F&XWO3dCb05rj6uL6`(Pn?ab4H^sxpjP|@in3(s7M!P|n znD>a5xj~qiH_F2sMXTE&%)uK))7l`+!5c;U*&xip8$~18Ak4uVMN8Nq%)!Tk=B`1Q zgSU(}twETBw~XefL6C&Tr$LZ}rlvuVgodR-P$3vjRs*3-Zxr?24N1~H=2J2 zVGiCm+IR+G4&FB!at2`z-Zxrn24N1~H=1MyVGh0-Xm=TeIe7DETp5Hp_*l_`vPHwm zAk5(*Vt|q`A8#uyB7-m=A1<0b2ElSHDF|;aEgXX|A0IZFF$Q5iK5VpA48nZ8*EC2B z!W_KUv^osJ9K6>wEeygOyy3JTY|(5m2y^g;(>5>&bMS`K05Ax1@P^aMuSMg&ApX>m z?1frTM+CIBPC&OsxmFug1A)-%b-Hj zSS<*1Q=wszmeEvenxh3_ZYnfw&Vn!>6`F=+L70!KOzW{A%t2Mg8R;aj(+IR(F4yrN?xuRDNiq|hFD?#O^MOP4(LFIrV&yLwnrIF<)h(I5ay=Z(Yh!I^ARd(LKKAgsB5$n3c?)JH5vm2 zVGimVEq;P92epi5JuO=E1Yr&yqDo4_eAF_U=>%au>KAQsf-oO7iv~AAn1h-{tC}Fp zLCvD+Oc3UvX3;(-2y;-g3~Cl_UxF|PHH!u=L70P@MJtvd%t6gEs7JI=3BnxIBbuQE zVGe2yZB2qO2ah@>C1E~l4UI^GFdwysmLfrzk6J@>kRZ&VQ*UVk5(Ja*q$JEueW8&@ z5ay=7z>*`=P)BIS5ky^^nnKf!Ak0lop?yXWYCWjR#FD5rG{|Ui_bUj>;67InHhp9MlooJp^G6>WCV%(WaqAQ-&bSK^>vJLJ;Pl zj?gF}2y;+JxV#0z9MldjZ-FoewSzVUL70Qu!38dh_5nedgW91}JGjIJ!W`5NE^&b{ z2epG%{6Lt4+QB6+5aytE&>kNMb5J{IbkCx#JrL%gcIea&*wI6y(wZI!^HE2*Kn8*j zkw{6Ho0>wScp%J89f9RL=BB3T)D$&@rI9;u%xB=+9a0eL3(eSpFgG;?w(6LhnnFW$ zAiOp;h1TdmRBrC!A`e1+q4_xwY?38q@k)0<$+A=pA54-m8}$f==Tu^RM@U`;^J>&A z7@kvpUQ^@Sgtq5E)HU%Uq+vRG8!Q^01L4bsR_8#dvNSmdg3Hpt90&@gIXMtyr13Zq z=BCooLL3NlQ0Zs}4umR)zI~pz=+h2lf z2z=B3B0K@%*ZxI#BEpydMR>a;muo%Z}gYzXI9kKRn=4nQ}jVvN^(W@#F|M})surMWu;lE{*>gp`ts^Y zqr9%JV%mhMbCOX&bzLxJMs0Ok-NY#s)5_~or&Ud?t*NW2 ztWTX-GcB#WZrY%kdP?%N^6IL}in{ud_N$?&`q%HZZ=G6w(87s(hbs+2LfSvHkD11&PWyuNBe)l}5_ zKZ`4pvl*Kzkx@Q<`qZk4D5<8prCxP2rcbY_h3thT$vKmPDVJ2>?Tirmz z=t(X2R92*7nrTu+MTI%Ztkf>EOZG1%pmS~dCj`no2cRDXprDYYCOA54IG zDg$Quzc0aEZd4ln3NzJXP6(u8P^qU*C=X0bo#YKna+kZyy%nba-SKNT{0Qr-T_Ngl0S z_ml^0Qe+Hvwr<8?aU){4(w68y-$?ZowCL@us_IEKv+7DJ>g(~SwP?4A@nWac*H2FyJhx-Mm(h6YC?b(^^0Rd4l>kJz3b;p2WH?>rje3dT|Nz-{5UoYYO3y_ zaLu%7HPxx%n(F%6nyGauM1;ToYsM+>AdUZ0lBd_!@DZ)4wQ46$sj9D-SU;l{7dZzp zGbZ5q$gP-Dil-UShN(x-1TQ8A+!H5O>XRx{lBbqePo7aeIhH*BaAyquYx!EjRZF0y zTBHYu(&6@$xh6}k%G&jHN>&%X^x-~K_|KF-z3^+T(r%`V>``~%Fp z_-?TObpehipuBolt*gpa?V60zs$5fD6)3sdRq3ih;;)b?!KF3-bGs&hXN`IxJd8Bc z@O~;s`Z=ggIeZoB5=HRWyQUz%+LerJ)S$e2*DR!{MT%rxsm3(}agz{IkE=2r|Ax9c zqTF~rB1l{3nyBhGU8IxcvmPwhg?CjOTmF#SO+;PkRc2l_HkhI|Ks`pRSTe_KRyBag}2K%?N+T(drLd4eWn%ZE=Lls2Mf$&1!R@xyW2+zH06<51YT4iSDy8 z-(Bjibl18Y+z+}Rb#HU;aUXNH@pSbhdony@JQFK_ z?|AP5?+xBZysvn-d5?I1^CtQR`U1X)Z=~;W-?P5Mz7+o;e~JGEf1kkYz=wfP1K$RE zriIh;(-x-Pl(sZ&M_T9flheKF>FMG0s`Q%lS?PDC-=F?y`t#{;roWwjB>n63W9i3d z=oyiWoQx3}RT(of=4Q;#cq-%ljL$Ou%t#7$44xev9lS6&BiInUD|ml!Yw%$3li<-{ z`^+wx{W1q;j?TO=b4F%E=GM%EnV)1H&GZi$KBR2O_#tzLGz__I$lXJpAF^}EM?*g6 zOD@^vS^}r5)>k`63!;VZL>vF2_0b1nj^{#sonCDWGp{w5njf33-6y$Eb?3M*b1!i3 zbRTqoj75;JC*O0v_ag5M@9*9VeXsi#2c8IQ3$#kRE$!j7XCdeNY5zzYkY1ENHvRJS z+aTeq>0hRwnK1}*Ey?H;JSXT2W(F4qKMF=O@5%gUrfW#sA>JW;$t=S?&(*%se$al` zTIbD=NWex9~$N6Rpu9Fd-sX%cifep+dapy&NbP4op-%= zgLjMf7w>7le!fAzBHWkreGR^Ae7E@S^F8T%(YML>ns2}FUEjyPFMLORKlpz2CHmX? zPxSZkpWz?i_xUsYA%CHNyuZ>v)nDtM?Z4cAmH#^bE&iqcyZrb2SNT`_*ZH6KZ}h+F z-{Ifm-|v6V|FQoI|55*s{@?uNfg1yN1YQVi3>*l&7x*%en&wG6KW$1{ZQ507ccp!t z_G4PlbTj?B^n21b<8FVE-Y3I{JA8S@!i-xo)?_@B@nXg+8Cx@UWxSPfDC47yFEYN% z_!)QoxM1htNx{>D1A{tR%?joQ&kbG_yd-#4@Y&#o;O5}A;2XiWf``zSUj)Ak{v7-> z*e0`6W{=EMGtbT(l|1JpK25uR~xI14aRQcknxrAyV1=&#~fm2nR({<<`g`4d(B_*)b+v& zSkPVOp6wp#ndxcpJnh-*>E=DfTkgHkTjQPYUFyBlyV|?S`<{1zPxF=e&huU9o9$cd zyT@nv)BR!p75>HkJN&Qv_xcZ^)&Jpd6X+7?5$GLA3G@#P3b+GlfuVt{Kwh9YFgkF4 zU{c`1!1Tb(z@>rtfolUd1(x9MEDt;scr36sus-lopfPYLfY%+~w)nwfN45^;aH8t# z49$$7-SRSvGE4DPjYIoQ%AArpHFJ7qedg@UOYw}|kaH@J(8ZCo`w~j{m*N?}DtK-1hTtv1CBbEQ-j@eg1Xl$g3$6*S3$72o7~B|a z4DJZ-4(uS*Xp&|+ND~9c9nLmc7t|{wnST|-K8zpR%olV$Fw!t zI&Ho7qP7uF{8nv;wp-h$?bi+gUq1%Iex)7Nj%hz@zo9#mq_@>O>Rt5i`pJ54Jy}0P z?+<*y1QIYJLm#TzEKe`eN9*JCN%|DMUT@HE(3j~e^fmg6x@%}B)wWAAmt`(zTNQP3 zb%(P?->rY8AJsb=T@2UwPOfnb!wPPOH{#9q=6OrKqrKz2le|;BQ@!=x+1^XNS9z}m z>Mrpv^WNoM;a%l@%)1Ux`itI1?^f>)?>_H-?;-EU-p{;Wd5?L=rB6v;mfo1YHQhBm zcKwd-F7A^#Ecicv|DS1rWj#^VL_CZ0d*0Bd-8l=g7yNX5!f}bq=l8q}L30ul67d4Ny`g>Q773#I&1A(CAgL+-JjUt!bTsN zH!1m8_fCCh%xt`%q%+gF^wZLxUDI~mwW;+BDF=HlpWl7CHow(3_>EfL zDls83vCHL)zx?N=uNI8?BKMA2``Y}L&N7>7n$Q~cnRmV3L2K8hRasJ-Zi!_DVTciZa=4}zlUiz~3xy1dUGA*rXkIY6 zB!0z`irSe~m=eIHlT(w28QT1W6ng{VhP9fX&>1&4p?%`~gap@1Wx+_mnc`PWyi8?gQMQy;7C)i3|zzEA4!{&PfmV#z~~{E#!S z_3Y?_gBR}l^!88xxZ%T5LxQg^IyC&}OU#ewwEySP8P{5O{kf&ph}$1|d+NQ5tFEay z`^u|d8Q;Be>$ddn2RF_;+V}YS_ZFo*`ub1*tiSZEBR>uAb;Zif_oS}A?u&epqy0?kDH{`bnpi1MhvLB6;urrJrrR^udDc$e*Wt7&&fHhqtF()o|X0 zvnNG&j?cQhbW^uWx6Ju&+op>Xp`8g2%==ZF_mjGneL5xeNa}vU9Y0i$+p(kmj(zW5 z_U({&zRGJD^sZ*KX$wVf-TJtMgrt7j8Cpu*kCAqdrYWkLiFMNl)hpHEy%E1<*rDR?TCqIO|{N?%g3s_DnFl6-zz&70?H z)$Y!l=X`s`810d7r#$`ZNA3E&P&mKMdAv`7_%5qzCZCU*Gh^ zcY5QPf9oGFd#aQ6U%0GS&mu>S|Cc{Qv1b_D8pSh=RsW`Ec*6g!XBgAQu{$x~KRv@G zRg4BHZ=X5xCTi$}1pBxV7ru^-jR|bSP-MfFvx|@a;esi_|xf8aW{{5uU zM^7|r3P#U7dKOW!F^kB;c`M%R%Y z77hFD(bYdz28TU1z4p^ZpI)%D%X5uaPFixxhBF&J_-s$ggS($koO|D_#phOR{^q3m z7p(>79BP|)!=f8*O}%GUr0qlO1Za6S;YtG$iTef^*cG&aX1HF!2 z|I&e{MqQu&Uee0BDQnMIJ?ORRTV5)-vR~VOcG&Q6;q7fd=+eLTk)5&Ucz(htv{Z@K zk;<WUy&#D_#*M!jO zLH9MMOIp6!@@kg}2tj6g{Cu=<#{u=!pD8YBf?DTcF zp5w|pdh-O$H~WFB&N{B<eHni#zZ9Tm7MD#=W<}*Ec-- z$n2+g_D@QF;F0fg8?Qb4)=mv?p77hd<7QSDp5G~&WmO-)<_rHFPo^DgcX5~Bde2$c zaLHp;$9})-nT|aMe0RmU?Sgln`(cmQyUoK)qW}0+XWu;VgSE%TKAiBxiFXYgoYU)_ zlovMtF?-2~%?qBKf9-ikgX>1zH^&?>=#u9SCAaH#@s}5#a_$?SJ*bTuxG-nPb8lR+ z?d8mrDHBWX*icpf*p@ySS1dZb`NiJ*lV)i1TYn6g+R+44vs1$NmAv1-ecxX{7`MBB z-U2&JbwJ1DG8;_f})3wuLmFwA3xv5wE2)D_LAD@)iOAGVAO76%THBFR$%~ zBY&vMOFm=LnsqN9{54Q>bZVM0@Z-)CkCs0E=8unlcv0ld1Jy?+`Tn`;+oexuaowfb(XY~uo7}(i58qrj zC2;J)?f1>?cl<>k|55w!MWY&zzV~Y7j^Cbq`RB*8``>z~X6*xeUO)b>6Hh!g@sEQ; z`<*cKzBd~;?^|>C<5x!)R<$ZUaOJzZvxmO-!hIj*_Z@o1cN-7i)HSPD+rf*zIi;ff zh3-FGec8iZIugzq0f z4irs0Yx$YWPhW7Ftpid=J*umls@B%(D(fbet3F3%ynJBeSjz~+j!;8gw z=RUU#Ub-slj#=JEZy#K?^Z2J{xBB?nhr8{loi=ytkF(~iAO6PGr=B|e=Rv~;jrD#x z=%hd2nX&P*B~$Xu88gEvZ#K9_U2}Q2O-IXyfB)sZNgu3AO?!6r%7vFcxvKN;-}k%w z=uboY99yxiOP+RU((b2=Pw;K~?cB0{FD=|K@%>QJ#d8a<|9;nFn}2-g@EyMnnm#|| zoxh-A%j(M#=N=p1>GeL^(s#Na`z-JFjJ2(98c_7p?GqcWTKhwwqu*Z+KS0F)p}R03j>bp*e+C2 zj-}>$gf$^}`;I+}=HNY2om_%lEox;xt7Zl^#c=yYJW;EEmq?qR_^;#8M2{NkB0Ex2d~`G;f4#pxnlqOr@WN)jB(X@ zfImhSAGVeUO1}K^nrH8QH=%Y@>#gan=k^-$b>zGrttM*c+;s9g56rx~=S^Q7tllvE z_bbhVr@y&z_Sxfh{1Ki1)BR(w89%E2oy(8AciGkN_Po05z#IB+^k2GS(%&yQ?fA2X zmQ6e5>AuBZfAa8eS-I}CgG2uuH}$uTmn{@a`uT5uN-0!o?5NvuT21+T_jVg*-4=QFasBE$*KfWnH~7hv)AoPrd+W8g%WiC#`qAXxFMX3W+}~^V z!3Q5nI&;~q6X&=3M}s-;z%3`A_eEe+hvTYObZfl!;~|GDvuhGIB~~3<_`(x)8OIi% zz9;3>GfsP?bw_=1`o?<>_bu6%v!!p>Bkz1VZr^qzC8zP$n;$y1e)o^39-4IP(+_O> z;__+7_0HE`N{GMa?!jyB4*8lx&-_2W<~ZNer&|(x`<#%8jpEk-3%Z4I557Cln)#ajRV-iQ4^9?h@0WcHcYq_x_&y5xje z-EZwU_K&V-?>^i(uBxGv{&-qrn~b~l2aCQx{hg<0X}wEN$Y~sX{(;*fLw7xX&+WT9 zE=@hqZSn+v@%nya-gx$r=PrNbf_{H2TAVX|{KCxRdT7&LdHCJ3;g1}yJbm$^;Tbd6 zWn^FY`FSVLd)>3F-=Z@XjyN`}+*)_IcTIF#ug=x2-WiuL-CUY~=e%VHHzvE*d~@&L z)}+IxbDgy@^-vEzRN#D|LC>!a!a4z`U1Qj z&P_yjYu>{DP4J)C<*!~#wt3p+^Ok9+G|!Z_Yo&K=?k8g2R_kr^bm`snAJg0I)zv~0y(E91kS{g-VzxTJNz zF?WpI`0$gZ-%YWZz1DF0gw<1Syna;gUgNqfd+g`N86zj;zPxjf zHn0D8{Z8AcZ~Ek%xsMH;yfN?FDKC3AE$#he+s$LT_Bi|fPj21yRhR2}boy<+>yOc| z72U9S;a9KTpS#07Y}U8=Gq>+*IPrx`H=TIwNX7fT@7{gNpwTBZp1d|Q=ZU>-7O$*) zaqP09cTf8KZ(rW^>)TU$Jk^-i_VIxaeiXU%>y)?q&o6%YjMk@)ye$0G>WxQ#|LoeA zXYKg>>y_g|FYYhe(c$-7R}Kw^PMpzu@lR*1e0ab`51o6>Q>%Y_ZpX|U`(9PEb6(?9 zd%r(+a;rDbI6d;~o~tfRI_W^=n>SaMHw<`d;odtx`R$tJ8Cwspyx({6`_HT&_UQ6A z-<`M6)8?MF?}V;=Yr}%&Z$!J)?R}v4V;`0GI%mKVJhgbvz*~R#{HtKe_@M>2ezGv}{kv}dsr~SpFE9Ik;Nwo@RbtQ9uI1-xC%06rmENJ*b6f%*r1)w?yViPVbiy#t zi;s2i>71dB1!_0PCh3@H{-ENxjYsZSa^s@B?YYIh)?9Jx+#~P&%j1yXx^Bsw!XdwJ zJ@Lc&-+Di5pPqZep7Vzu`=zsY=)+%k`}(?fy|+EFL2Eta>e>5x{4+0nQ_u7q_m8*V z_4s)^`j38lbGH{uj^CNE>6TGrKd#v~^QE6>{;+EHg}Yz6|Hchp9e;(9-7e{?%_}#o z>y|$6(5M;hm)-n+yX0>#@^?JCFwr{ylWTswV%_58f2>V-WO}cA65ksC_knX?*?#lZ z!|z&%9NVUB~3J7R}=T^(|i5_@$>l0>Sc=PTsd z3Sll?B+Sc`tLT{oU7^mSOY`Va6B6mUaxvlO;9%=zM7=P){w@BH9Z{yloWh9;g1XO` zodQF-UBDyjTLlcV+(MSLXhZwh$en^?nYD3_sTsJPjp7vlqzt{njHGcas2Y!uGIuq0F4 z8_Ffn9&QfDG3=pv{k3;L6;Y@H*tLO>A^Ol-fo}7M4zv3y#6p!2!!|iU3*f{YAwh%r z6An}R8M$w1fzWx7LihRxc8gGj;CfFve5jp&{qM=4NeccThgDs2Xwy>; zJG*wVZ2nDy9A5t$a@dKfZAm$N!q&rME_4Qtfu#JTy;Jf^58|_6z@P4R?OzJkfIk(i z+MZHnkaN?1rKD<~8D#d)g~0VqLSVpZTv0bp(4WMV)JfXgderY6=*DU8F$SL%nyI71%FrG%ZCN?xw#EDhxKEcbPQ;j-jQRfEm-L8P(K8KGN5T zlIL*PNRp7GyY3}%+Gqrw|wtD0%4M|NT10S z=TOb@BHQ*~!8^Gduk$~NSKNhHg1mx%5_P^AYK-!aqMm1tn);8TUe<*=hxSi$V{JFy z@P88Twr;%tq=reVyYNbi!7TriB-eDI&iP02)_3FmM_Jt1jTiqX`Ow;p_aD{ij&8j4 ze~?~qBEjw=ORD!qPMO{t`89fP_ePGM z-W&OgdT(T(_1?(x>%Ec7ruQa~3GcP!J96vv-pJwOJ3!Rn{7g-KR{QLU7VJA1dab~| zOoyphWjczAjr6Hs2X@dcOu* z5_DAXjHjfZv&V9rB{cz|-F{awMDa4h!-H=JzVG)ux$aHciz&izwqY=7& zfD}5@C9SAchg!#ztp6Zo;WQ{f2>!3tII>(YgskA3qWCQj|Qoi9j{vowCfIALZ-LFurhCw9VS9ufl%-g z)iyd0G#g1BqM^5LHVo6NAL?|7yNHT#BNbbrV*_jf76>zb2Pn1k;S^Ro1%)6Q7Fx4v zo;U)B5fOli-=VTC(^FNJ+H~g@ftKS89x=RvM{NmyWs7@aD&j*I7qo2}^~3TPPK(X~ zVPu=`#P5227x<$t@L>p0NpP8-qGkg=JTU>SV-vs=Q_x!}46H))fe#CgGdTBXs(K^C zlbhj)w=C0JsHYm{N$j3SHO4?FV6}*D3H$?%EneEVRxM?s9+&(w05;DM#le(Mfz1%d z)oKYH>jkXD$Y$*Y9TgZ=3%Zcfg_)H9zAzS64>6$H#v}>Tk&Hvv^d~i)dOf_9&9|qh zEpL_dU+G9>Y}9$yi>r>s6vff>p*laS{{WQ(S6bK zB)lOty=Yl)e9NIto>_xkEN*~0(l;O)eW1!f zFQW`E6@pgigp-}xD&jg>f>svX#GFOw41$)DdM5r+_=(f#4wwI#idKG2JxsR}EWWm$ z|C!qQ*aT>7aRjKXL+>#dcDC8su3kfm=*!PDG^A`!N3uw2bf2;iWSuZ|FH&piFfSNP zq|lPav7pMX?f|JJ-*s0=D}1yW;I&6}DA)anrX5Qwv!Q9m(sYkaH7eB56jc}~g0`L| zuqk^m_(nY`_9U#Vd2kMW%E)>M;&0TmEKxVI5$f7Fd(=}G2eT#U=8|&)Dria3jt#b` zcRCW`QZdoZ;yS!o&200rc*g%q)gMOj$Jr}vwWDn;M%(l274~K4eE46fpR#JE1LMxM z{PH9KP#F+`vJE>HHxwGG=iaY1K_kXoZ{L9S__STT?I_jUT$+b;0Pym8?$D5Z8c?jt!}wtfVEBsCb`8; zHwWqox?PaNiLSC>*3{~%pi)hNJ1rf$@>o_|3KRDyca*f|aW3c_GMzGT*1PM~ZaN?6H)RU&_BouW2;bnzh*t{Xe?ZFeb zfkig}hACt~MCwLVPE>{9B$`fz1g{Qms87Nm8lZn6fcV79>4>1U#UjUcG7?r+4d|ub z6@yk_B)iLmy=`v7Ji1L-pRyvA<81q~V>*}>Q(1uR0GlJ}1-&p|gd0ur}N!gl@U2ziME}5LCE?c%s4~1PfmWG_h*Z&(ScQGf>=6=Iw^05iZJ3 zAA*SB1j_h7EBmKvL&3GR)qZBQLAS~-(D*+qoGawzW_6uZ;KyklP~^m_DfuN7XhX&u z?W?ytVoF)7S0d|fWG@eAz>{OE`yDW$Usq%ZBhdztNtpv`qOvZfq-s3Sn2PyLiB4Oz zKTp$GYYJ$Z2{x=tnpAL0nzZxb{=2>8WuA(VX$3ltG>?cOFTtBRV~9L8h#ef;hM^Vd zO&SYWyhcg0yJ#oq(2TdyB-*PZ0gHEAnBFO*#)^WehK9_rqGBrdkbG3Qh9p>7U@Aud zLSYR+3ryWx8$t(~%08oL$d?u?BVc|z_(DKW=R9VP^5~y)9$Hi(0y>Pgy~2`k0tX$GM`80#bmyS%$Jb)GBTHuxrEHcWS&pvGss*;<|z8ndm|Ood!z72?~S4# zy*Hc8k$0!}9!2KJ|I>SWkva0d^xnwh(t9HdqxYtfIZ}AgUGx9I6u|QS&1WfG2^2zd z3&OB`IMS9w+5$-ouy{yJ)CP$PsTJT~KspR52@-nzU>tf}_!wpj=_$`p$Bb}y=+^=8 zW=M6Ate`#&QaHTFLYfLm25B**U69Zt0URqK)j_I;G!@cVNNh-hAYqVN0e=&udPs*M zt%0-%k^)j1q_L3ZpuX@RH8i~ay&Q#mC=67})p=qVk|h&nE1{eqMMs}j4EI(J2mH}O zsf-ZQRdPCs(nNMQeO(yfBMep`T_sVd=`3bo0DN=MJvI}OjF~UcKrM!u6JH?B>%yNH zAC(c2I3+$3Xh84r6QTss5y`RWM_WTZF=;}A={+?f1{%mQu`v;e#y-(8v4Z%BI0012 zwm3oDgh^8j?+MA1#-Ii?CUyeCWE`K65E~O2krXo_9*Y~DF=0Hwp^S-~5Fe44B$yPF zINnqjOpc6=h%Ef>I)y`G zvmtpIT1{dY`_TY~ z_TJ9`Bl|%#jiGxG(>FA*R|fjYZ)&`hg~o4YkQ~hexiIwenlopPI1`qKRR@^*t3+Ng z5#&7JR2gv~*i>?!qvo(ALqBk+y89&=`oSeNR*YyQC-y3YSIqPsk{@9p27Ql&8jO5r zqCPfU!(JI-@TC!aE(EZLP#R&d0(ijoqU%m03}%BT9M%EHuj%_BxRb>S5l=Fe$h3mt zf&GDk{4U4~2aZ7ZT-tx(rf2Bxexzg;2sr9bKwWB*qeoV)CS_ z3=<4&1@P1KI07Fh;|3m^V03^Xok%n57Ywj)fK{8pns^wt8en2Gm>-<4V*xhL490}B zcm}}U^!#t|4SIE-c&Qkc8WSHE=O>oQFak52e&Yp`;svoRCJDsmQ_au9P&6SkhY+dIh|%h-ECN>Wq8m>nEL25+W>&#m2qPjXMn&Xe*e%qH$c1GR1cvz< z=}Q8i$iRqQW-}vJnC3jwy*6MTYDtymiRA@K7=}JiOeiwYkuiyo5ke*4{t1mhyq`oU zRdR)i{aAjHN+Qo=1se9w8_UR0s>B({E6b4PWyv$d&|M)f%8*Hwz=^RK_+3f@-Z)qW zQ79tvRT&ato>)dG*cl>uZZ0@?DUp+sF}7r>^F*XO>V?)qh}0^=)MOYm7-&(bGGOxn z5jMzF%b2B>ie|zP0AghR1=D#1VWL8QlcLwP>Qz29oMG9pyB{tmxnRCM?CC0*zj74@}4p19K zWU8~X35AKu1`@wYs8Ff%V?Y>FF%^Os)N?E;c3_YG`yceP!GZo~qD*I)>Fh$*&&LbC z)&^@aitaxOA`@e1mOiiH>xZhp`k}4#Q53T z(z{W>JDm=8!4N&sT4p395z;7K$n4OHN&fv$kj4286k~AljKTep!WnQq*w{xCp*K(4(MMgu)Hx6b9RUN zjNXR28~E2=P^b4X)T^Vq&wkSmb;V6SOev=;^9hkOtB6iUWhjy(CpN@jJ!dw=q;zR6M6qbYx(OzSkf9nHp_1p*K^1_* zN)^&QW!LVKQ%NCC?dAj-JQ`_DBxOfIfGX!HVV+z<3@amKMI`>N&=Pt_$;sfCjCF-{ zF_9%y%TRm_k|s5mB>4LSvLpNfLKZ@9M1*3}ZY)w{85HV#6*Kk1NbG)CW>Iqd_z1a9pbiCF()mTx1ilXoVl0o=6brZ$!ZA z(8Y3*8XbP5e4Ex~w$vWx3GpR_ybLf{r9b13PvHo#MTI7@Q6lQeVKBici1lq)f7ET0 zj-xUO`ndc>A7n#ce{irLV#&#+Jj+h8!ZL~bV71VE6d4Dkdz#Z!tTM6OWjn=2J53( zo=}NI0_83aP5dSO*Asj)J2i zP5`?D3YbkOyBf`#1*9Jc%Z?>x6EeCC_0`LM~T`XBM0egr|QO znqdDwpCs772T8&HU27wU2Lng)L4`A=GNAgem)oN|Vxy6WVDK?yQW0qky6IA?^Yi5j zSo?%TdW<;4b1uQe84NZj(3ins2l%pCB95<+lSTOAI9E&%1WU}y!snZ>><<`N90rS< z86@=Oh=Tw_R;JjOOEAU0LMEGyGnt&MAeQi7V_*xJSxhd$^5w8HgM8U+Hp4el7$ou) z2Ly@PLbfn~U~&I721ZsuV1Otvz?X{?3|}^r733Sl$;|ZSvcz~+fEX7G1OEa8m%y_E zg$$-|W>zK(RzYxmVND!gHaAPm!G#QtFvx5b!TzsvH`u?&Mi{oztkYj_B&h}6atrYS z3gW=~SAnW^OK33i(-MR#NkoBAL731=RH}TQzrRtx{JQkZ52*4_jEnJyZ4U4^dYLAi zo}nOmM6iDkj3)8%e-i<3ShpA)r93gZ)i;eaK~xb&3(zfoCYulg15`-7$z#Y9reZNY zNtZ0dGtOii{EX!KMUug!Z=^gA!cUpf6Ip~eKV5bzzz;|NJkcLlA{CV@A`~KtR0WYa zggzmjZ$pbZ6Z8Y_2$DdX!L$W%Kx6{g3^rRN%3_GKJn1sxEZ zP5`I6R}aQ?uLT?O6f6ZaB+#CR(P0ib;8S4*&_e+|=rEHUQ$w2=AS##@^+QiM z-0D)g=!k;8N=!u32fy=}_3Mcr(Sh)yv&zbBdAtjQiuf=5yfCV>Hk>0cay&jefvKv|ImbBm?eNg5X}pKpmnJ%@Pk% z7xOp9p;ehMpgoU+vB;ksjX40nCK&mHBn|P|Bx|T?Dc$4NQp+5dHEFqefW7()T6M)GN*tXm5(%!|~ZBxpslt_1pf z$}QXqBNh9@V}%)J@r4qu@BZ)k-^u}S^qVN~HxBq9oWKk5rT8BFWBdqy1;2|w!GFfB z8IFwpj6sZ13}7n)ILEli_>6I%p=12Sc)@tZz?ospiOi`?5px!E zE>pvNmwAWzJ@Xm!S7sj;lNHDcVptrttCjT|%aZNL z9>}J%eb^j!C_9Cn!IrRRvy0hU_Dc3g?8EE^_5co@!{vl<1e^&Rg7X1qBWEY)6z50I zbB>+m4TnYF+z#`B&a9H5v!0CaKzy*QTfrkTY0>28h;W~2N zxPIIj+$^q=tKpvDp5K`;TC@5%V(5#@jLGK0C23-oe5%eTzAa4k7Brk%u zfVYUZl=m)g4Q~T)3vU;1KkpFlIIo6xf!DzMg4f9Vn)i_RlsADtm%oI+o4=obk>9|- z%^w&%G&nXmC3r@#B6w-=7r_sMZ9;~G6oxDdIS_I_q%p)U)H_rZDhn+LT@bn{bX(}2 z(CW~`p(jIYLobJZ9@-dsKlD-P_o2^2e-E_`>m4>AY;c%&n15JMSWMWIFlm?~Y=uT#e7g zOYnE_3Vap59@DmA>^k;!b~F1Ywl!xEhsEJ>!a0*T zX`JJni<}=gFE~yCBLWx!F#)oGae+C3s=(cW7Xz)i4%}q!bgqayo4b^|g1ZIw<0l-QYC=&wu7w@tyho`0jj9z7OAz&*t;^ z;rwWREPoPzGJiT>%+KNH^Jnwt@k?QEmh)Hh*Yhj+JNSF~2l+?&=)gsB3uFg!(QkL*hQ2lodj{(5&hTRRfM&26_8eyp&S7&T z92rN&S;ARH{!R@e{=a|7|F;B{is7XLmRa?Bd-2%CFC8e>)XLHU^8r*urBE17xPw)% z8H>kK2n!k&{udc|nw9NHD+-NL8c3zkD&z53{4Fzx6W+^$f>qMCP>V5~@!D7#{U!ao zbsZg3`}EtQ>7x#w{_`&D>>r;NZ@R+WhA*-6j5%Ie>Qaf9TKoVhwbFu0p;Da}tZMmf z-i7!nPsgt>xM|hNM>vg?QY?X<5-r0H?`36?Otb1sof^S##rvX)O<(&|h`tF$9^97Y z6ATx;4+2~FwTn_KGKKK#icCh3s{^QQU#ldEus}sHJn(_2n_XWQ1Arb0*U{1}W9Z2k zjC-JFi@yDg&FDt~xG>1ghp>ho8G#Ra%YngUFqsUTe5StT0I>>_g)>>;kOxi0r<)O* zoM@WPwy#TK5nLF6M^BHGDsH8KLO1;;S) zQi`WJgJ8ofN-0jT!4z9+DTRU^*!xLL()bVD``9*m7rp11`nJ63=&-s-<;-(u{1T@A z=5lWK@<@tz1ns&bb8A%%p0^II#;7mjzCUy5NR-#is~H0R=TX-p`zYTk)k+VI zys~c4Ud6y+akB;=VBGs{qL7-nW6$%LQI>^*?f#l;kJmkZwd|YJu#gKYo5pp_Wj!pi z{jE*CBw~a9yv4+Idv3`#uadq)j3_HVH^Zf_{u1BiPEASMU1pq_chJoiF<7(%D&5kWR|hl3($Xm*iG@IMVvjTr$=_ z&r54)P_4gtZ~l*AcUxnN{qEsRD;p4WOG|4Cg*FWL!aYrO@U;6GLsYp)neV3}MF$0^ zq>Op=rBL)V8{7&C`0GGC47Si?FpUe=mtD!M#25P+2a6Okv$6gLi82?c$Ou2^L&~#< zH_aZmHBn$;gF7OuPG}|?=!q5XgX+C$L-4`dK!zFpK`Ti?bw&tDdGTf9Y_2bXYIfN3FZQgH2%L^hYUK5Gq^o;m>Fc!;mm(ahvC}DuoENyN{17r*?I8G0q8ON zFZFnf$Sx@A=!u~_qhd}t>Z{s>wu!5%*WTSX%4yvBJpJO}#AGMeYqYSDzwchN=Jsh} zk=?XQv5RMa*Bm+C^Zg&rjf_0IxlwXxdH94M%DKmSpC9^6Jh{!4DUVOB+P`EQ_14>i zu8x0jPxR$m8s@a>>FcKM+US$u_|^|=?h5&Wi5{QzNwHfwrt_oyFS0_$?9Ep^UimoV zs`IhBGV$vEr@V_F=)UmWe*HLgPF2CGX+-T0Z>dg3EPlJmCU)7%W$*cJDu@~^`D&M{ z;I88|rZz>(I(1uAAG48n{`^yx-4{P?9oVitefyJCE&prU&N-e3z4rTE%s+oRzHFGy zZ+544PgrO3z}ZK!=c+-EODUIbgO6g1Lc!APSX|&L!q6c>Mr7j-X-B&0T`n}fGU!_#~iiEz|Og|B!z=IKS zgJ~R`g)=JsD}BvJBZKfSMuRE%yIRgPGj7orq+1=wxeWR;_Rb{HTVc}!PC7io2O~0u z(%kTV#c#HLJx^IUL?~Dx|ImAHW3g>3GV#E|t&4_R%iRus?cG#)bG5~u#qr*o*N0oU z-@Ep0(Ul<*t2>98hjP!fj~XUoJ&Y0OIy|b)c6@2MjU$_<>38AD!TSfF+@oKZ<#hFZ zRny_LuTKRIjx2ms_~}(28hz`YpT^fM8S$QD@#noe@1@Pon=suGJ}k|1sD8>_e}H$V z*DU8w_o73^bN5Qyf8TJ}zTe277EbFG^5L{^`d#i@0yhav^K~RpIK1wTlmwE=g|-IW)1Vh&9r0?y)9%ufDTda{5pEOt&3R9i@p0JNDVa zOJ_noC8EUjr=+UA=RJZKu57M7>E1|F+6|_F82v~lr&qa63Wax z4><6_G=PV}7=aH*oh|wz7r=m|hl4_oP{UU*=obRg6XAd_5&&)(j&r~h0g3Cb;_AOg zo^eLIzn+mX6dz(BZa_D2GPpRTv*?D;h>(NyR}M;}%saqEoK|#IxR$!v^8JY?>%+4y zr=~Jj5tYd&&ds_1@vHBWeVEygME>V~Bx=q+D)>Hb+xAmm$J%_8@?08A_YzkhI&lsD1mDsyV|PW>+@cd{NUCvE<0>+b!`{Dx)VOEcX-w3b+tFEH|{GJXrvZNx6AHb9~=Jl ziK=ho28Vn7RMWh?PxL?=|CK-VCxj>m zMrv!aKNc2U-ggLv@{Y`VHZxj08! zx&PN?C)`%pw0=qJVW#5kejKnZeA@Q6r0?LD*^}62F|dRzj(1evx>3a__aLZtw5?c=L}phQ>8yk1U)%?fnnO zZ9Ngo9`j&CQS_Kg=WqDzR}VZVI`zx%CnoMZNL>}4IDO7W=`XL?e(eLaGP}{3=D~3P zUFEiqzb_xwezg9^{*n*229Dx>clU!t@BQ!gs~VVn-SzzOOCNr`Y}SJxcGhTTJUf%d zbNyzz`wjh}j>&53@!URTEPb7Q+6N;2f!BFPr?9b_f0(`Qb?3jJ0PS5z}V0wkrYw5Jf^R*v;vFzj|hLgv;{%dwcuP+Gr zXq|uZRfkUtEgmk}-M2xJJE#6dLDA81pOp_9G_J#MjNjCN7QeUjchxoXS4(19>e-Q= zpBH1P?=0whwk>(wvzE=Y2fKWENA~a3%sa5l>Gx;DHnzPC_h{dC$vGBp5?}vxQt!Y^ zozs$soz|QZ-5*VxHD`kM*|oj3FYY$4|J5(QbaX)J;^OoB=Tqmj&v3l#fv>si(yohL z7ktoS`N)Kq>qNzi4n7}v`j~wf`*PE*-?uJLbIf0`y6*($K>fBAY3k=2woSf-ms$-3 zTW?{s^U|HR5lftAo{@wGW_`8uQTuBm^FL)sk(U~PGa;(L;nz-N-x)z>ReYYAeTPUB z#qn@**w|Z5fbWRpd5k`|GXhxK_Zm&WSE~vYz>F5$)_y<&`Sm0{5q{Msf0>I$-_RI> zQj?kgSDo-u>L24!DvCp?5Ql<}ZTnt1s%DSl6CZAVJ7uxT3q?L0n{h)MH{4{6IExYW?MbnG(TXe$F%z^t1E+2 zcV2r|?kjp0nEKuPysh!S+oa?k`sAZIQ?7g)ez58%UE}Yeh&YS!nB50g3^~;roJ;HRdsiP_2#wZ_Xd>r8MVx(hC6SY_^XT| z4#UHfbNhcfc+&UZ?e2^o&*t3;*Qd!kYv!(wugG5=n!swjr1rTH)O?#gWA1@hn_ZvB z4H(g$WOufzdE0s6!ie76xm)^Zzr>RmPW<~jH(GLhs-#0!d@}4xT5dAl7TYK5{KKRq z#jurW!x}zV>)CPU!11qcm1bGbxbn-j)fofN4xcqlH=p`=!Xcj>HvSzWCsy3}!b0+u zORrM}A4DD5$0+~sXzhmaA>T=cG(Hae^5U)JielNf+3u%*h#tosSa@gq9-8;s0@qTD zpNm;(x8HS3e;Rbw&N^>f-?}9a!>kCnmgtA>8zImm0s9!q=1Dt^tT z=D~?KW6lrm^XTs5w3}C$o-uXrt=Q3i^!kfIP2%@H-FoTif?R9&IQ%rlbj)pnV{U!V zV-7s?zdYv9eUC?98uIqhg^VGJzq@Q)e$CDaj{-VpmG2cSTq-qy?=8g~OI)DFgq~Qsu6P*@=kHKxMtg=h&;hqlXTiKBpb|s$%QmC~5;_(P!z@=iR zH3@sbadF1&yMUlwqQ@juvaTr#pKV> zgj)B*bI-H<$_BCo$@U1 zrcv@)YvMjES$n63j#dA#`TawJM-`F5siAI#ql!Nfa75r72K^7&Hs@3r#ipsSTeh(tt?rK_wTwX?PbBR@A4Dj-WGQ^tJyIe zA%gC{)pf;3nbqtWgK+oC0q`wY&tIOqey7C!yQiTsJZbc!gJ0|_y>#NiPcLt#t$9@V z(Vi{Z6JD7@Yg+yn%F+h|o|zw@a6w5crD8I-BiF|(>h0cru=nFF(@w^|teL%YsK*s< zFOMM`h*7VW4WC&ZGgqfp2mib=e45?w(ns5uk3RFe_*TP$PhGYQ$xt1o*@kWWSvM5> zO7r!Xtftf3m*ektY~P};=)bh$(^p5|P1Uwolq&~R@0FVplZ7hOt?TwQ;E{g?0errdp0`Y7>A$}ih^$(V4R&+UDR`ijAd z1EsbPgRc4(t*CtO(W48;pMUjmzuk<6l8}YJ_$orbZEezs?q`H&mXrtk4h@SPv?Jn< zWb(A~4!1^y;PXvh4-VH-I9vJ09#i+NS@OZ@FZJ&qJ^fzcu5V=Gv!^;YJdqVzRxe-J zbj|bE%2e&C&p#Rd^2GZya~B53e6@%hN{qKu1@`?$$|+ZWG&3`o0t zjoQ$9$D=KN`;PW4VIOSyve$9;Mva5I?Lf9*{Iy$cx2-mg?)=?*pRP#L`;(T!_wJMz zoo*Yrx8uXwyXki(@9xJ-6?Gn@-5389Rhi?cykLFGR#rbZ-fnv3itD4dzqfYB?LETL zM=x(!KJTc-F~0#noX*z`A6my$Wb=Fd{MJ{W_}e_)c6Sc7@^SdZj@dP3pL-6rz(3ja zk>p-V@OPObrXO4``}EQBp-HRm&$_+CVF{0ynvEq4KmU0ee{m>huuJN`X2+37s!FML z;2T(XOOh3%l+po*LpxG4#eesmAJzE}myW%xEJr$8PzP9ImFc)!H(?eGyRM2g1r*8j zYeX+gh7&kpaL>yO#MwBPiBAQq-PKBCz(sS#l^YAhpDj)gdMVnyNZl(;>FZkc2X&xe zL%#IRop>i8Nsd?SsJe4kmB!utbj-%3`43*rn$f49V$-rYlI!9MizBwPS>nx(4h4sE zD!HTX3O2^&pDb2ZJIL;34Bh#$YTDa-_h#yTwH#NzwWROFux~ehRd>8kf3I6RWmD=@Y#njvc#>Yv3sBzu=u6ij;`wQNB9^aS?AwC(D!)KG^vb#2@4VI8Z*HX3 z+CA;t_fYwe&yG*BTYPY;^-S;YcBjaWJ#VsBINr1UB4qQ0_vWis*F=>x^2SWEwXdDT OEZWHon{uxIfd2r?K#M5= diff --git a/venv/pyvenv.cfg b/venv/pyvenv.cfg index 2dae58e..b5566f0 100644 --- a/venv/pyvenv.cfg +++ b/venv/pyvenv.cfg @@ -1,3 +1,3 @@ -home = C:\Users\mwitt_cjbzle6\AppData\Local\Programs\Python\Python37-32 +home = C:\Users\mwitt\AppData\Local\Microsoft\WindowsApps\PythonSoftwareFoundation.Python.3.8_qbz5n2kfra8p0 include-system-site-packages = false -version = 3.7.0 +version = 3.8.10 From b2dcaa56e283c8f96ac0e2f66ad447027c92e5f9 Mon Sep 17 00:00:00 2001 From: Mike Wittie Date: Wed, 20 Oct 2021 11:42:40 -0600 Subject: [PATCH 23/25] Update comment strings --- link.py | 55 ++++++----- network.py | 260 +++++++++++++++++++++++++------------------------- simulation.py | 6 +- 3 files changed, 160 insertions(+), 161 deletions(-) diff --git a/link.py b/link.py index 905bdaf..79a964a 100644 --- a/link.py +++ b/link.py @@ -1,18 +1,18 @@ -''' +""" Created on Oct 12, 2016 @author: mwittie -''' +""" import queue import threading from rprint import print -## An abstraction of a link between router interfaces +# An abstraction of a link between router interfaces class Link: - ## creates a link between two objects by looking up and linking node interfaces. + # creates a link between two objects by looking up and linking node interfaces. # @param from_node: node from which data will be transfered # @param from_intf_num: number of the interface on that node # @param to_node: node to which data will be transfered @@ -28,23 +28,22 @@ def __init__(self, from_node, from_intf_num, to_node, to_intf_num, mtu): # configure the MTUs of linked interfaces self.in_intf.mtu = mtu self.out_intf.mtu = mtu - - - ## called when printing the object + + # called when printing the object def __str__(self): return 'Link %s-%d to %s-%d' % (self.from_node, self.from_intf_num, self.to_node, self.to_intf_num) - - ## transmit a packet from the 'from' to the 'to' interface + + # transmit a packet from the 'from' to the 'to' interface def tx_pkt(self): pkt_S = self.in_intf.get() if pkt_S is None: - return # return if no packet to transfer + return # return if no packet to transfer if len(pkt_S) > self.in_intf.mtu: print('%s: packet "%s" length greater than the from interface MTU (%d)' % (self, pkt_S, self.out_intf.mtu)) return # return without transmitting if packet too big if len(pkt_S) > self.out_intf.mtu: print('%s: packet "%s" length greater than the to interface MTU (%d)' % (self, pkt_S, self.out_intf.mtu)) - return # return without transmitting if packet too big + return # return without transmitting if packet too big # otherwise transmit the packet try: self.out_intf.put(pkt_S) @@ -52,36 +51,36 @@ def tx_pkt(self): except queue.Full: print('%s: packet lost' % (self)) pass - - -## An abstraction of the link layer + + +# An abstraction of the link layer class LinkLayer: def __init__(self): - ## list of links in the network + # list of links in the network self.link_L = [] - self.stop = False #for thread termination - - ## Return a name of the network layer + self.stop = False # for thread termination + + # Return a name of the network layer def __str__(self): return "Network" - ## add a Link to the network + # add a Link to the network def add_link(self, link): self.link_L.append(link) - - ## transfer a packet across all links + + # transfer a packet across all links def transfer(self): for link in self.link_L: link.tx_pkt() - - ## thread target for the network to keep transmitting data across links + + # thread target for the network to keep transmitting data across links def run(self): - print (threading.currentThread().getName() + ': Starting') + print(threading.currentThread().getName() + ': Starting') while True: - #transfer one packet on all the links + # transfer one packet on all the links self.transfer() - #terminate + # terminate if self.stop: - print (threading.currentThread().getName() + ': Ending') - return \ No newline at end of file + print(threading.currentThread().getName() + ': Ending') + return diff --git a/network.py b/network.py index 12cbf7f..02e916b 100644 --- a/network.py +++ b/network.py @@ -1,151 +1,151 @@ -''' +""" Created on Oct 12, 2016 @author: mwittie -''' +""" import queue import threading from rprint import print -## wrapper class for a queue of packets +# wrapper class for a queue of packets class Interface: - ## @param max_queue_size - the maximum size of the queue storing packets - # @param mtu - the maximum transmission unit on this interface - def __init__(self, max_queue_size=0): - self.queue = queue.Queue(max_queue_size); - self.mtu = 1 - - ## get packet from the queue interface - def get(self): - try: - return self.queue.get(False) - except queue.Empty: - return None - - ## put the packet into the interface queue - # @param pkt - Packet to be inserted into the queue - # @param block - if True, block until room in queue, if False may throw queue.Full exception - def put(self, pkt, block=False): - self.queue.put(pkt, block) + # @param max_queue_size - the maximum size of the queue storing packets + # @param mtu - the maximum transmission unit on this interface + def __init__(self, max_queue_size=0): + self.queue = queue.Queue(max_queue_size); + self.mtu = 1 + + # get packet from the queue interface + def get(self): + try: + return self.queue.get(False) + except queue.Empty: + return None + + # put the packet into the interface queue + # @param pkt - Packet to be inserted into the queue + # @param block - if True, block until room in queue, if False may throw queue.Full exception + def put(self, pkt, block=False): + self.queue.put(pkt, block) -## Implements a network layer packet (different from the RDT packet +# Implements a network layer packet (different from the RDT packet # from programming assignment 2). # NOTE: This class will need to be extended to for the packet to include # the fields necessary for the completion of this assignment. class NetworkPacket: - ## packet encoding lengths - dst_addr_S_length = 5 - - ##@param dst_addr: address of the destination host - # @param data_S: packet payload - def __init__(self, dst_addr, data_S): - self.dst_addr = dst_addr - self.data_S = data_S - - ## called when printing the object - def __str__(self): - return self.to_byte_S() - - ## convert packet to a byte string for transmission over links - def to_byte_S(self): - byte_S = str(self.dst_addr).zfill(self.dst_addr_S_length) - byte_S += self.data_S - return byte_S - - ## extract a packet object from a byte string - # @param byte_S: byte string representation of the packet - @classmethod - def from_byte_S(self, byte_S): - dst_addr = int(byte_S[0: NetworkPacket.dst_addr_S_length]) - data_S = byte_S[NetworkPacket.dst_addr_S_length:] - return self(dst_addr, data_S) + # packet encoding lengths + dst_addr_S_length = 5 + + #@param dst_addr: address of the destination host + # @param data_S: packet payload + def __init__(self, dst_addr, data_S): + self.dst_addr = dst_addr + self.data_S = data_S + + # called when printing the object + def __str__(self): + return self.to_byte_S() + + # convert packet to a byte string for transmission over links + def to_byte_S(self): + byte_S = str(self.dst_addr).zfill(self.dst_addr_S_length) + byte_S += self.data_S + return byte_S + + # extract a packet object from a byte string + # @param byte_S: byte string representation of the packet + @classmethod + def from_byte_S(self, byte_S): + dst_addr = int(byte_S[0: NetworkPacket.dst_addr_S_length]) + data_S = byte_S[NetworkPacket.dst_addr_S_length:] + return self(dst_addr, data_S) -## Implements a network host for receiving and transmitting data +# Implements a network host for receiving and transmitting data class Host: - - ##@param addr: address of this node represented as an integer - def __init__(self, addr): - self.addr = addr - self.in_intf_L = [Interface()] - self.out_intf_L = [Interface()] - self.stop = False # for thread termination - - ## called when printing the object - def __str__(self): - return 'Host_%s' % (self.addr) - - ## create a packet and enqueue for transmission - # @param dst_addr: destination address for the packet - # @param data_S: data being transmitted to the network layer - def udt_send(self, dst_addr, data_S): - p = NetworkPacket(dst_addr, data_S) - print('%s: sending packet "%s" on the out interface with mtu=%d' % (self, p, self.out_intf_L[0].mtu)) - self.out_intf_L[0].put(p.to_byte_S()) # send packets always enqueued successfully + + #@param addr: address of this node represented as an integer + def __init__(self, addr): + self.addr = addr + self.in_intf_L = [Interface()] + self.out_intf_L = [Interface()] + self.stop = False # for thread termination + + # called when printing the object + def __str__(self): + return 'Host_%s' % (self.addr) + + # create a packet and enqueue for transmission + # @param dst_addr: destination address for the packet + # @param data_S: data being transmitted to the network layer + def udt_send(self, dst_addr, data_S): + p = NetworkPacket(dst_addr, data_S) + print('%s: sending packet "%s" on the out interface with mtu=%d' % (self, p, self.out_intf_L[0].mtu)) + self.out_intf_L[0].put(p.to_byte_S()) # send packets always enqueued successfully + + # receive packet from the network layer + def udt_receive(self): + pkt_S = self.in_intf_L[0].get() + if pkt_S is not None: + print('%s: received packet "%s" on the in interface' % (self, pkt_S)) + + # thread target for the host to keep receiving data + def run(self): + print(threading.currentThread().getName() + ': Starting') + while True: + # receive data arriving to the in interface + self.udt_receive() + # terminate + if (self.stop): + print(threading.currentThread().getName() + ': Ending') + return - ## receive packet from the network layer - def udt_receive(self): - pkt_S = self.in_intf_L[0].get() - if pkt_S is not None: - print('%s: received packet "%s" on the in interface' % (self, pkt_S)) - - ## thread target for the host to keep receiving data - def run(self): - print(threading.currentThread().getName() + ': Starting') - while True: - # receive data arriving to the in interface - self.udt_receive() - # terminate - if (self.stop): - print(threading.currentThread().getName() + ': Ending') - return - -## Implements a multi-interface router described in class +# Implements a multi-interface router described in class class Router: - - ##@param name: friendly router name for debugging - # @param intf_count: the number of input and output interfaces - # @param max_queue_size: max queue length (passed to Interface) - def __init__(self, name, intf_count, max_queue_size): - self.stop = False # for thread termination - self.name = name - # create a list of interfaces - self.in_intf_L = [Interface(max_queue_size) for _ in range(intf_count)] - self.out_intf_L = [Interface(max_queue_size) for _ in range(intf_count)] - - ## called when printing the object - def __str__(self): - return 'Router_%s' % (self.name) - - ## look through the content of incoming interfaces and forward to - # appropriate outgoing interfaces - def forward(self): - for i in range(len(self.in_intf_L)): - pkt_S = None - try: - # get packet from interface i - pkt_S = self.in_intf_L[i].get() - # if packet exists make a forwarding decision - if pkt_S is not None: - p = NetworkPacket.from_byte_S(pkt_S) # parse a packet out - # HERE you will need to implement a lookup into the - # forwarding table to find the appropriate outgoing interface - # for now we assume the outgoing interface is also i - print('%s: forwarding packet "%s" from interface %d to %d with mtu %d' \ - % (self, p, i, i, self.out_intf_L[i].mtu)) - self.out_intf_L[i].put(p.to_byte_S()) - except queue.Full: - print('%s: packet "%s" lost on interface %d' % (self, p, i)) - pass - - ## thread target for the host to keep forwarding data - def run(self): - print(threading.currentThread().getName() + ': Starting') - while True: - self.forward() - if self.stop: - print(threading.currentThread().getName() + ': Ending') - return + + #@param name: friendly router name for debugging + # @param intf_count: the number of input and output interfaces + # @param max_queue_size: max queue length (passed to Interface) + def __init__(self, name, intf_count, max_queue_size): + self.stop = False # for thread termination + self.name = name + # create a list of interfaces + self.in_intf_L = [Interface(max_queue_size) for _ in range(intf_count)] + self.out_intf_L = [Interface(max_queue_size) for _ in range(intf_count)] + + # called when printing the object + def __str__(self): + return 'Router_%s' % (self.name) + + # look through the content of incoming interfaces and forward to + # appropriate outgoing interfaces + def forward(self): + for i in range(len(self.in_intf_L)): + pkt_S = None + try: + # get packet from interface i + pkt_S = self.in_intf_L[i].get() + # if packet exists make a forwarding decision + if pkt_S is not None: + p = NetworkPacket.from_byte_S(pkt_S) # parse a packet out + # HERE you will need to implement a lookup into the + # forwarding table to find the appropriate outgoing interface + # for now we assume the outgoing interface is also i + print('%s: forwarding packet "%s" from interface %d to %d with mtu %d' \ + % (self, p, i, i, self.out_intf_L[i].mtu)) + self.out_intf_L[i].put(p.to_byte_S()) + except queue.Full: + print('%s: packet "%s" lost on interface %d' % (self, p, i)) + pass + + # thread target for the host to keep forwarding data + def run(self): + print(threading.currentThread().getName() + ': Starting') + while True: + self.forward() + if self.stop: + print(threading.currentThread().getName() + ': Ending') + return diff --git a/simulation.py b/simulation.py index 3a8adae..bb59eee 100644 --- a/simulation.py +++ b/simulation.py @@ -1,8 +1,8 @@ -''' +""" Created on Oct 12, 2016 @author: mwittie -''' +""" import network import link @@ -11,7 +11,7 @@ from rprint import print -## configuration parameters +# configuration parameters router_queue_size = 0 # 0 means unlimited simulation_time = 1 # give the network sufficient time to transfer all packets before quitting From 33363ba73e33880452da2555e20cba0edd856728 Mon Sep 17 00:00:00 2001 From: Mike Wittie Date: Wed, 20 Oct 2021 11:46:05 -0600 Subject: [PATCH 24/25] Update .ignore --- .gitignore | 1 + 1 file changed, 1 insertion(+) diff --git a/.gitignore b/.gitignore index e69de29..7e99e36 100644 --- a/.gitignore +++ b/.gitignore @@ -0,0 +1 @@ +*.pyc \ No newline at end of file From b77c31cf66f40d9ef021ed7470d02d62f7772734 Mon Sep 17 00:00:00 2001 From: Mike Wittie Date: Wed, 20 Oct 2021 11:47:51 -0600 Subject: [PATCH 25/25] remove network.pyc --- network.pyc | Bin 6504 -> 0 bytes 1 file changed, 0 insertions(+), 0 deletions(-) delete mode 100644 network.pyc diff --git a/network.pyc b/network.pyc deleted file mode 100644 index 96811580eae63555a1a2c184fbee01f0de17bba0..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 6504 zcmd5=?Q+}36}=07NTj7Wu^idXM~yg9N;hdnPExg_X)~$i&zV$7Ab0GlN-#74Qj|zQ z29~wuiGRs2&>x-YEA%Bg{nP0K|erovr9HmH6#Ui_?jl`Y|jqIY~+Meus64xX?BXM1xi=2r3VHej8iI*g9PP^(7 zFG##B@#3@#Ls}BQB5`}#)#M9yI%oObpQCDT>myz|aef**S@%pumcKh@0 z*zRZfrayW-ur^#@UvCfojnB4i;l8`6P4ZqhN~Y#`=)KOzUPYC_9L!%WdJc17g2y>v z;t3{N6LvNv*y+?UdVnGkA22CfXcw1JS&;)H-x)bUEfT7y*nkHFh8T?5)`!>znvcfG zIMLSE+Tzo;TN_ah4x`baZSN@y0M5qyrm<%V-yzp_p?fqJ1nhPMxxj#_@Uj;y_(vJ-TM+ ze)_u9>8zR@wk7{Sj4^c316HM%_>6!LQ*ZPWtB$(W9Tv`IH%CYIIH0HWhJfSe>6UXqe3W82{a)Ijyc(V_Fj!(kR3 z&eh~InAe*q1*a^g(?nguBkhioFtly-gyATQ$3t8Ogs?g)U|0sczcN5uKR%uVOhP!5 zg41t$ON~~`64%=f@?UkM!^B4D&<{<$j#B&zRWe}?a)v26qa+W<92n4$1VrZO5Ja*- zA|YA_tfm0ra}^+~Xb>05A3z5i%1)EW;7IjyT-dN1$GPRiy{EmwaA>)rlQj=_!eNs3 z?Y>)LzSc1Wu~0e;Ew}h{SoamY`x=S{m6$ipvQf>XR#XhlQrwub>nR>Ra zDbguY&5CJMvW)S~cfXP;S5w_yT3ZwKcT4VB|_Q z=`I?MM_e}LI0LCT?7T$ctufUE5I`;l@=QWeTA2)~ORpxYx9=z{_;^P!1sQCu*z}7e zjgb-iN16-xSJsLvJ|N)(A#P*gW81OsBWM53TCC#k=!lyF&2lt?15SE|ou3MW4c8x#u zExDP#&66m>1|^<#u1jNnf)OrT9yQiI+*I<{mjl5mi?Or}kg7+}xz(;jTk}u*Q zAE)2qr&vNI=5^EZ+FlF49o<}15~`P^j)3yyOu33yg&A$lfvDfYEK~_qGHb1cR+C>% z;{(u2l1CV!pQ&gvo&5hrvplMZ>bQ$6$=@xMqKAr1se6i2G(G8~6MU$f^BdoslV^2R zO3hWj_2kiIy`k|x$KBR(*z8p5s;fZkDU1|Z+!|^K=iRiQsNx11>SRkto}6>=0q05= zsSZckIJK6`i!+c=k4{1!g(!E1)uPT}J!#_+%2aq;Ugst8|8n6~-{_)GrI&`Ej(}6? zeL~a7|Kf}ym=;kKQ2#>X$v=oGECg9gK?I$>@y*}3&jA#W&L7+IKS1shHa#cW3&7!T z>cw9KfH-KD5G>_;f%0+bU{U3}#e0ATJuA^SQNhu0Z!O23kzS*eoBNMeamKVH2g`cK z^mjdDno2)(Nd+H+9-z!J>1VKry41_^$KCt|*=G(vqx);IZ!;hDBmqFXc&~iKY`QQ+ za>aAYDrG>Xplqc(#TstGhRy{7FP!k{riO`r@Pkx>fY*G&ofL6RZjFb-D!b6Q7zFQf z+&ie|86hezr9YoxE(Nt;%v+{uYTk;sWX{&##(~-UI53+zMI_|5IC`$a8LVLn!TYR! z%1Ryo30pp@Qxc}swLha&qG;MiMUlIknSG_wv5KOaa60txXPDz5XHQmXHd>3=LY}Yi zI@99x%M+M5i*TT*8x&n3{39;uro0Ax=FE-!_s3TT&8mOxPCq}Rrs?`LksU78S1zph HD_8#m(6_B@

zhM}Uot zhzqGPgnL2%1UHP`!@-t@$8o*17@GUA=Fo&s$N@ z#-ieEE#E#K34!N>A{alx19wQ8GmN90SV#@jBi2EttWQl}Ec2<)f2bD=P4i))@!l*n zF3@VM@vHK&c&A51IWs@_FfNWG(WX>$+i~l0lEZNAd|102SCCHt$j1os@dx?%v53te zAE`4ke|jw4wROOC6WSi+I~elKpGUb{0Js^!&7TEtHd;KxomlvRV3Qmtue36@32zt= zAmwABWnwI(_uCKnQ{Zj^evxYZI(#1H={I~vc5-rI&M=;GN;g>eI7*g9mQh{JI-hIovM}foD&k2Tca{1<>~ZQm!Y?NQ}saZPtIF}4x(-3h|=glB`N;QkKsk92$w1KSMr43+1gj5`&caWJ1q zwX(vxG=wn7wJmncGfa`O3tbFsK&*lN33)_{_#>c^6nA1*151Wm@+FphM`a>6vhQRw z9o47QKSwSaZ|H27^6Vn)U1x| zUQ>3m33pHK4sm8deL;RAQbVjkH38MK?jzvYdNe#oWBV!vnh!TpiEkA?(#yccdJF%{ zf!+-_QVfsO(?K64?a8OWPw)|bM+3c?-}`}oiTwJ*Gg?FkD2t&T^R>dfS#`ttCL<&s z(FyFnp}Rvq8WRJ~AAwvWH-}pJIJZhXyBOMevv%=qSUdP=dV^MKZaR#}O9zK(#b8=e zUz(y0WMtDtsbi9IyW;bqt z4s~VU0=2gp13Ux6^P@l5S?H&6K2V0~qZ-&ixcwmvUbZkz*-M<`*bMDnPq`hS=P2IS z`$At2eLnQ*%|VZwr$*F-RYPB|4<|8}1;=iD{NMxQ2X7cZz&IimY8&SzWcj5$G&llJY{%P=EMbY_C5V7nd2#0pc@4Q)5P*4o0+q{DIx| zkN4$m3CC$kcAYgvbcJzcRypX~ORTx!ImUAab^!fVL46wBMLYPf%FK~0WEmyp_5#MQ zFjfu$+4A{es)LAjI36`ZoAzg+1$;bOjq=1i+h>Fv~q%wJP>jOUfF%~=}QeeObCKB&EFF(&jZ>hiklU>u6jq?HD!93;J!U6gg{NN**tDLs{GNXm8KzuVv1`utX2 ztQCxRTETdy6^wUU#WlA!tBGjb=Q}EgBfXJ&(i!Jp0^r#U)~cX?)UH$gZ|fhq?!g=k z*qmUnIecxJWPGdf;;r~LdCEGIb*yc_+TZ9;+m?~{pV~^9rlY!&`I1!nZAu4uUjNtI z%Kuo7|5KajNSCFoB>gA4{lCKw-bB9*(#HO`C_ayZzIwqNlR^8tDf`)!JIWT@funvw z^8VjO9hF5d_y1OzZWXVdugCvsKK|SB$^6_ZUOoRGVn_2Se~d7&b8vsHn@@4*cR2Wk zd)jUIodt0g!Tr>2_^TijdL zXsjdq3P=5lT???U@KD+-nZMUqGCg!Od z)vv508IISbA3U4EToBAxh8NI05c0LpaQeR1$BFqAxQg`~K4&Uc>uu@DIUF5z)V?15 z%88wY`;<;!18}Vw)~W+Hi}?*X7aH@m6RU>XkkW82)KT1Sd!1Mi+%0r|wa;|g-vPXw zUNCnB`%zQv^RIyioLCIpef05=JOj86dc*S!?2&}9xIa?n_h$%q4(_a`!t(iEF_$O9 zTs;JB>97-9sSm@)YT9*Y8n*>Hi9HWZ=>gS)BN@F3>1=`fb$wb=SDKMWghX5u&N(mKKMr`Ryu_CO=_?K z&Ul5v9CKJ4--Tjn1!o>YcELUs*gNVP@4>2%ITaj2&T$8<>cy6|CAmfr0_hRgV zy%@01Gz9jU^1T>V&AgoSC-ZbW6#E49w~Q!a)NjO6CXzN)7cw1vJ88;YvmVBuKWJ@C z)=!hPsrr@Wmb58NhrX?xn^CavWmU9X`-ZZ@cRPX?+~WG-fW`*PAp)vm-%LUh$3Qf{dknaHC?{9 zKg^YdWd>OS(*w*#*z@4dG=D2)tJh^Y?vZ>+rMslE4kf=S%Js%yjHRU?83!MG z==Q5Qa^rE(+OPIEA2T#s3l)2ypnXSl!u?)RP;Y?_I&U1mzti9eZ z_6u=tynR4(VGlxlE8xCE=g%e!IVSTqFmIFv*W24z2a)y4{X5vBM|?*z8QjyEje+|M zU7j5IT?+n|!+l)m*Oq@-r+O;wyWU;urKB2L=Wx!4!t-+@1MU0c>k^&WWw=qsoXYrQ zdJ;=2-I1c4|94U-M+5oYDnDBPyl?l1wQ)b#j{*BKz&>s?Uh z&tOl$&IWq|YM}cO&uDZOiTA6za}qK=8Ly;GxodTk+I53G-KyUH55MVl#_LD74_({e z@ZXw!-Y83au7hX&kj=DTOxByE`uUcOGuHx(8v50e>u#OBiGX!iV ztR>etlHG_GoY`c!r#Df?h*r2?3eMuh!+DPaG3SKiMi_?LY`Tb7oKwazixcn$yy(n+ zgZmze*9yM_*4i=2P>z!u?t?{LigUF+YX*><<#_1C%g*c)+)wHAtkpR@J5v+}&k-6q z!dQ*(yXP`=u>W7yC-2K`dk}5;a9CG-%m(!b^0A#QiPOyY$~d)o#JPw_{IZE?paXIqu$W7*3+6--+l6Nbr4I|^xQ;H)Z0?)(?8;Uxb zr0v6-s`IAClQ)}F;O!Hhlc4=I+IOwb8`(!kZ7<+eXnSzKqtoL6US{!3B6a@#oz5)& zV`sKU=hs%Ru#ejF6?>aB;5p_@z*4?9$;Z|zXJ-5a#=N??1NgphIKvh1&6>r9Swm`q zsspP0ZToM}?R94Dz5yGp3ug%Pf@j7socC*RYK_~dB0QrG`}^RGx_E|)foG^_htE*; zSbt5_TSTlUYnE2#)GU65Q!~S(PQo&YdDSF%*T60L-Ql@7?P;f$@vEI$8df-I$9||g z=@5tL!$dvkZO~)Y&g=uY14lIMa~zK8WgSS$+Y0m*V4H1c(j2+*Hcb1kH_N#eJ=UBx zX+l;uUC_2A?Qf~GH_;K#W6)>9-C0*&K3}s7ZEb`3nrf-Hcbsx&PryA`7mn9!d?=nP z;%5YG^TlX;aZR1KzefA8#hI&M+`j_nhf;O=72pYH_8aWd7iXs(J@@PFV-vEAh=F%L z6v5toINuiu=lde-jQo721$9%(jn|#-Y|nqQ~J4(fKM>XlT_wK)(g#dM6|)S2m{V^C z_Dyr{96AKl`8C>pLDqw$GQOrLzB8f72x<63{C=!ufo&e%Y@l@ry-m33`%vU_zP@dT zyTRTDchEVYalz^QT@6j8tF>?XeCy-Y`qloH@{9HDiSL7G27PH5*o>eaew)3l9yM;& zE>-gEve}XR9Mvc(c;Jl$-3akH_%CXR>>u$GwC0-mp% z!`aku=Erx&3q7d7a%lbXcT;qN=je{`Zi@D{cT+?|BjS4l;#GkO&Cv8&p6ufyeyrdEFGaNZN*$;I_*<{JT@*%43wnbnE1A;EhrsC?Y7)F)jz_2s@TTX!>Eq;&LS_`vxtEC%jo zIz4fuQ=`D&Vz|5O{My!cqNQzISKZs2y_K(C+vZ-*`F4RUD(TTKd*~3Ai#qK z!1y+xz_-S`+Ox{t;+BrO4MPI<;35|`_#PLwh{AjTzrWRBvJYlkzGOZ$buHV;lM7tf z4{&Gb(wF_Hqi5FlK?Zx_9;y!`>+)t4#{tNfG!-yDE2jB?e%SW2;9FJ19z5h@{xdsygu={$Q|Fy zrLtDAdB|9#K)58vUUOl6;I77S7+2N+jwgcK5sC}>b_^SjAS}~`jc5n!kA@{o`#wE* z#AU65U0CqB#mr;ZL(KfL3yXing>{(?X$85!`w#AA9*6GZZZWUAutDe!dWwFuxIs94 zgC)erAS{EhOc$?se)tsn*Gh-a4;8rf5$ef84TG4!71~IZe48Q3@=!7>dBKHkTnpu= z{AjV(M#;Jt^?S)-{Z?T8>g|gjOTE{->oL5SI0(+x1i@a@pg4bcw;`_iYWAK=oovcx zbN$z?^W4<0Zmy5#N3-@!>D_9s=ggNbtoc_iY>Tel-zwZu2;=>=3;S9ZPCO6j%AuDP zoWb|OwvTgLFb2JuUHa=A7j^~i6Z&+dJh_c!1Iog`5*AMM8x`zZ!mTp*LdtY z3FFYqhqqT<8{}@f^&c&{3~LkyoS_^xBrty{<=qAi?dhxh4eMt^+X3uRFS zd4jwT#&@wbgRyrQjJ<N)QX^%SF7u9ciMCAJ_x?Wx%X~ETJb1hOrtGB* z-xOcgtwy&ZTH<`RKkBb-2FEt;#`xlB%%hH^OL z>8j+x{+z&N-X<^9nVUVsNdI!os*evEx8m)`g2wQBQ>yGH)Jw9SwupyvP4=vhnG0GIn z0sA_=U|*+eJnTc|So7{sSszq>PcCnqzk+dD9G}0k%}->;xU$)B4~Oz1B^zS4y%SC+ zvxxR^h8x~d6b#RB@J0?8vAddF$R1Tg-fqR`@dtvgc*DD-a@?5v2`G=0sid6e%G^J7 zz(YSykPbY@MdaX`Z!36?i(+0D&vXyUM-}D+-lf#M80rS!rxf3Yzf(!?$7aKD{t0xH zzoSb(*N*8eqkJI6eU7Vq;T?b;U}s=$2F5haV2sl&4&MJqa`)siqp?Sv{TxAlA6GUH z?)e~Vq&8V&8UrD28D7)wWFL30;>s%UhOkI&VP##*c{&+aQ?>*7@V;w!gk=Ul1M`D) z5f^9BAN(EyURr-1lqR~D!u!nS z^#}Y;hj-EAd(Y+7>mK-RhWEs4+)VevdpyA{M-z4yxFtbYM^_BS0aqkZFQOMT;gSF8 zGU4w4(N0SQ-a>c~g_}S$pJ*x3bwuAMx`*g7qGyPDEEe&$Aeullm1qvpMMTSpZX~*s z=su#Sh@KC7MHY z8PPRFHxjKPx{v4|M4d?PfkaPG{st1hgXl7%D~P^8^i85$h<-}+5YbaaFA()85#@*? z+KFfq(Nv;$5uHVJKG8>st|9s+(H%th5&fB{l_*;((hVirg=i8{Gto?qNasuF*vM5=|q@l?eWfrutThP9-Y&ho~KWN)*3QpuODL(Cnfi zxp~&Jgi3? zkBoiq1nG?{$|xwBXTf|;WEWk=WfvvS%`cprmz`Wxke8B?pOu$g!1}v_J9;UYlTiev z7(O?1Oy;cY=|yam3(t;2-fjcLKQK2xqhMj$LJOAgCv-`kJ7*5WJ2E#PoSI`ElIIl^ zWak%|3+7JGhEFma75T~%sWaA=4Ja(kotaPkw7K@=*&_5iYHrrNylj;6=!`j-PHW8X z;QaZy1#|P~K+F>|3Ucu?8WUL(`gh0~i5!e$Kv7XaZsxqA>_UjCn_L#vDIx zaHRjlRcmiH3WaLJm+Egxkb4ddC;22jm#}9N`WA38RTeCcILd9GqVe1PVU1v zgpP`ugj%XW*$AOPJr_V+kh8qG(`RRAndcSea0&8QnMKPRk_SxTuA;OwI@HqufwBvd z3m{X|GxEkk>jc>{R^>c0J7a!!BliHqpzOTtqDG7yO}TV|2IOarv*hM;IkJteX?cYM z@*vNQy@S7@kld27O^6_K0=N z46qBF&uv?GDAROQMyOE=Aw(gB5JE_bN{BWUQ4&IE2%#BK z2q6lgh#I1d&=5itqJ~g}jnw~MVaEHOnfILU|DE%l>$|?Q=lackw_1BW>silQ&)%h4 z3|-A#L>i?=Q;M2SOT%mY^NF?+ZGD+JpXUg>Pl&RbS;0L{G87-#Fh@Txd9HLrHA=*c z`J-g3#4S+aI`_{zM3S0a|6#6*KkgVaMJsmRTt@fLH)biEdBu26cl%r_H509l@o}GP z$z@xqHu-jbeaBGklx5#=pE&a14Ff2tQwipKs0F|KmIYR0gu@Ywlsv zk{Ta4eXdW z6))ke+fL#c;^Qw9lp^WUmpk(3Ga6Sjdqj0+N{x?l|2&uEpXb{jL)b#JHDI>e2oLd0 zNha@ zKJR0x|GD^I{$EA@FF*bN`;)4)EBg7L{ZKXdeD41{?b@vRJU(I!zkP^3O2z(UU&qlp z-Isdyq|Id97|LL#$o4(@ncvy#irsVsD|J=a8^KtO{ z&+Xesd}e>@|F4XvxIW_X^)SIw?b?6t!YoN&uUo$_*ZFI`|J$kZ?>toh>7n-J@n3)5 zI)D54d~EsOKK|?b_J86Cu2ZJExqD3WoIYcw*R0vziaERi@S8W^f5F1fNAKIOzs-Pw zgKP&68EQ9d_z3%vqeeT789UB#e9hj2|0jC*-*b$=ofbNu`}4QcLjK>=-~ZyH{$D;# zR8(c+nYy;G_VIPIwyvrAclF%Aev{-&-M^~$&vitDe^t*$e0OX(U)*ubzxw=C zzLE9i(|`GS#WxlH>iLRq4^VSf|Dqp!-_h64=j-AA`gpF>|7CxC`GR}$biM}sGKOCc z`9Ju7U<7n{l^jjPp2IG17sOf8YO;Fa1-&cckhz=eM zj}kfl?Y_8ADAR4oo}-itHYGN=9F8FlxC?B-@0K}6Aw`0+Z*1sn4PthPSKh0BOO9uCuq0WNr`Iql+!a8XOf z0uP3B~+6Jaky`ixt{$0T0VhZBv&@#q7*N3!ukIF_%+ zb4B?#d(?`(YNrw<<${}uc60uH6}B^B%yBb#oS5U^?kD^0UbAA)*#lkZCv^mKNf=%T zD@YWcV=hVMBo42D`@7ONJRYW!TwL%5$;b2HQzCDnA(g^O-I+6#yFgzOj|ajyl7T0| zD#>rG{i{$!jo)qdWvAlTuvpGAY7yppwX_FIcxXV~*=U1<9d~U<|3i1(Qf6 zF8GNg<5C~?;UQUg7&Newq+ndomL%eWb4WVw3l9;0JO>sN1zrM2TQffN!2wErnYXw- zoJq{^aCo;L?c(|H`~HjxZUE;IYdj1V6GyxR8t|P@H&F+=5CxtHUywjNWB_fF5L|bl zBpn;XoWbpEC27hKt}pHeo$cs9E`A1K>j=gNkAfMb6c@}RGC6YwJ|)_CDO9&-45=f2 zCPR-@;!bcrv7nAW+(>Nk5~wzkbHQb>C9%hC;asAN$HQ}@7#}7d##2kUUWzD#kId z@L(88O7IxCgOuWl@GvRE&3V(bj#P*`@FcNm#kzyHhyyN-m!xLI3D<`Mi5+eWrx8os z6CNYxcryHr=-|0bg6%qPZp zp}Qn$cyPbM^u#B<@O>5K#J0BgkCYo$rEAwK^Nd@Qb z2xCb$*G_P70Ox4Hb%ExAj1SKZhbay__i73WBKI6SzTwLm+G@FEGsvtgYuNs_3e4R=M*4?Gs$CvJElEZ@Yu z#VcT5B**2v1Y7^iYZI=3tB5achQXOpj1Tp_;4)H5e?nl=Hu{eXo{DBoQ707!#&9g2 zE4Xt9^=UH}-rhs|)X9f$NCViQwoz)xYoGfkEbLl z0uP6Ki4*nXpzmqsIW8DSbf_aZ@htT@t`ppJj@KhR61K=-o#Jvhfmrfff2ehy{xCN@ z;U*&Id?Vo_Vu|Zt;I)q=Q{OC;dmYi|Tm*}V9c>DZ{grX1+!6ks&05Aw;hWzWTU-ez zUuTZuE^s@sq0J09>K50YatF94kLyBt99(pp@uxf(z9ET}E8+Azl9bMIz2LdKtOe?1 zz`G=dI{DBspK-wjC*S8@hP%K44;XWvtNW1iBRZU;;8J3U$H9}2XrKE2MUoUvg1Npi z@Y-WuNAO(O?Fn_nb%(1-E*=Iq6mxBG#}dZocjk#9_fi=7l-ChlaKSU?2_6VnmNE`_ zD11n?@givSoH3z4#&9kv#C_pOQi7+#x-WQr!FAvqQi+Gcog|QU^5CqO9P0racs|sqV7-Yt(3hm*f_sQA?Zm-3 zZ@3px9tm%~(K3|tTXK9hD5%@PuC%=qwgm_11(o(Er(bUc{N7O#^~>gU38 zl8?)bRHW7<7HJG5c%P(#YIO;x1PW-3w^?f^qb z4lY=)vx-znn>z3w4gr8pq+4d znJ94E9*}s^jxRh*$|$c8-jlJ#GvJzDoC}@{>sqQvMYs!$A!UqtBD_PCcp=p2t-?RB z(q}l1XyTr588OCV;3;B`r^3N~R3shT4$dJ4xG&UYk4H;fA3BgMTyP;t$4j7=HT}nR z;SCarYxh-=Oo%UT25pD~E-3X=k-~7nAtVHMg!_pT9uM z?TGr&oMd(8{W)|Z@*ccy!VnVMojD2Pi6Os3E|^Pfx-llOlE}OAnhuu?WBr;@A8HL( zkJw*zhrtw%CvI&n{f<3@2T+!3~Mpbx#c|G>9n z7*AXY3&zoJ>J-8&>qL(_xv-xz{l}wVzsdB6v9*EE ziLVvk(}3|VDw4l7=MFtxSp$>{wwuCpDK~^qh&kmJQ@L-DV9G0Cf*Wm8o(N~T(|^hp z(8PmzPI<84H0~{w3o1z><$}jOnPZeE!+Fyg2gX z$%ku7xeILO%eA0fAKoHPlpFe~NDqktUIe$#;~v7;#z3d}{QN!Tf_nbUbIJo@w*_2x z%6(zSg}h!+?gb44xQA2j2IYaQ9m;K?>LPK!U|qm7B$x7Z7#PI-7i~g|#q=2uh5drL zXHwq=R*`(l`4J>3l~m$_{!957&x0G5aqT#-2sk{1G3UAVPv7fTu^fr_b$pEq3&v)Pq|7F67}r3w6RsjP zUQZp$^eb*ema~Qp&}LHZm`xS<}|Je z4-koV;^BzRj1TSD!`CF7b}HbOEt~`OBVpS}+Q$vyF_MfY!vQ~0hjwh?4N^oqdC>i5 zj!Qe9@D0(Sz7j@lWvp;P>nIh;1s5zLN?b5>8`qb11dX@zG3^NE5Q#d16Qe2T+Bw1J zM1hw<_ZY4b?g<|fM_hBiinNPVaBq)=86<@JgAz77K%clL=tC=#!@bcOP9+xH1Kr?C zqTv1$3J(x7?t$^}DoM7aKkzllqn!%aIG#1aeN_+kBHCS8?{G4)=*c>Q%ZQTpL*QN# z$h|iXULrB{AsfCV`TaOA*zh3plVj<^?nH-nEZ{_<&;8j6E+$F~?iFwsk!U{_W|CCK zGYdWw<%~%wtbd3##(C+$E+m|G%;7kaO1UEpAQkj25JnTt-poUIjudjf8L*hxbG{|8 zP6BhC^VNo?#F~D(!IdP2F%N~QBm&QYpAtDQ&R6fSisW&GzR^xF{Pif;h~s9%Pe~k? zbJ01*e(lG(&(KdBIOhcQxfX?~DpEC((Wd7a)=)a*Ngctgv$W5-2xet4p0p{Lb%FK8 zc$#N2Z;2=E=fMS8e2(V^!sZtlXZj|GzYsgFMFw>Ll`)}BPpEZ?do+F4h6%)p{v^WD z+4PfZ;Q-$eYsN$gw_fHN(M}Y!y2AaA@wA4Ih!bN~1nc}pefpyfk6h<`=uZ;-^#*H@ zG0%oYx43q+Be>uWbDI7H!WH?Wk66WXF3 z!3n=}zVycl-g?Fyrau*Btfz9WFZ~fzl0^C===q9|>5pJOF{d3t-`9Lhe*{a2rva&eTJG!`p>ZhJ&A&2 z38oVVjwPt~p7Z5cf(l~6vAjO;-uol>AC9F1kC1dR&Twoc?Q$$fD1G9!m}3dXky4H& zXkW$a2gk~)=J&ZJRjG*Qy1_$4hj}Hbs7gbLHOGyD#l(iO)lpTImZ+&pfgCpkzTubq zO2v4>=^Cn%0mt=%_xO7dE*!TIj^yvA>d~eHJkQ_9i4ezy&f2Pyf^&3%Z}~gEwj4_d z*Vb2+95}~t*pA=d(`M}(!ZZ9WU_1Jd4#(>9T&}Mp%>Q0h3ZXxO^O~?P4E^zkmF!t= zOn(HYv{02i>5m&Ml&eZ|`Xe~7jj9wye{5mfcB+y;{V{~ij8r9i`lAoucTkm_=uaiQ z(2?Ie6!#(+*NJ}8AHli&UZ+3(iGxa#Paj;ms!EAOlVj<1V|<7OZRWzZ-Bl$^p6lO( z{gHYyKFsapUW|Qj#+mvd@DqunKm0JT)W=Fy3g)@iFolHCpH$e@nsK8)7I0o)_T>?6 z!g3NX=0DW3!5JTI=sZwWGUHe-(9f3sGd}+C$04dxIO7uzAKG!g^q~m8AFe88Fg}&A z>qz=ae=Ojk(X>f_65;P-*cXTXl)|=-To-Y@;PwfW)1Mf4+lhUD=#S+j#)m}FAHjFd zTwnU5gh`V*clsl!aN&IEkD#|J<3@iJ(0B^<=#Stv5=nn@Va!yXLw^JZx-mcLk1c#b zEa*=eOm*iP(I3Gn9`u3!7)+!8{4QxS{V9bnW~fTm^rs9S^I{IupJcdbHudRGFkGro zmAu3?f`jKWCiKS+Huhz1(H}i1pQkFN(;vZS^BF@iKJdf>&Wrve!}I`EDU1FHu35wy zq(5PBS`cm0A5ZADSXFYQKZ1jT=|BCkg>9BF4)n(W8ZKr2(;q>#WvWsM{gJ@}qNG2C zuqZ@T%A-GmY0H_P^d}u|UBMXApC}l!lKzY91p`7^KlDd`jjD8n#L}N6I6aItF8Tvi ze`Gz<9~u0agwmfVIC3p(hyFOgrzDmBl)|Iy7-#yE1h<7V-^BHT)7CS#^v4sLZs2_B zj~Q&Tk-pI%efWr^(jVgpRcSHFqMcxPoy5{kE^NPvIY~Q)Fo1Z{P9VH0%4sJDw%M#I zWz$aV7S>TD^PhE^3V-{F>%zS;7nc6a*m917vM7!v&IL~2#(bc@7hJNPHAwvs7!}R6 zq`qKM4D+1&+B=wcB#YMl2F<&gQh!ai}uZ+f|Sy} zU?Pz?7r|4zR3%^0f0!A|^`m|k%->BPs4rNyhxtH%q`j(A2V%x`G=}4dC-oiSGGfSh zhQI`pNc}`OG>+>_`*yIH_*1_GF5Aa=(tZeRxu0{Vz8Snkyr`cIrybzhQQs4)$1~>C z*Mz%CA@!5tsDq3l?|G7;bcpN7SP2d#d5l#))K6e7P%b!`$hf{Pa7iNVa4sQm_hI&H zqy0E|@d#tcbF<-&qpUmTWGq~e#C+qpfpFw8)&=A504E&h{!E{p;FJ@r6Xuc|oRQ3! zb1W}7E`|FrbIB3*KS?>`Zv#zFaqr?B{b93I#+Ekq;V(qaHO+u2rx`2yp9<5?&}aIl znWidjBzBy81Zs-9C4P{Alx2?oMX&!!ORT$fak$p z=NS{+4xS_ixXuOU0MWJKy$T#b^l^LWoyq*<97A9MF`&E^n#ZVcxW2Rs-)A$E8P?DZS%a9m5cjwIsYaPT!=UvN9v=sK?vxD!kw z#&{N#=dx~bW0*jS@I?6C4enjIK3qe}@Gy9h7z`BeX&EP?kIQeWN_&V5PlUR+7+dNK z1`|ih1s@Z8yadk9V?E*u_>#EbWw6n0o`XBU)kJ}Z!L!64|8@^OvA5ouJM@`y!7w5X z()fox`^4UTBknWq)DfITGVn0CkGN1j9$G%2Ke*s{;)pvzm4}QGE`w``4ju+Ck{CQ2 zR**>C{1N9~#CjACb4W0*`GTg9SRoefGI(Q9k z#6#eN3fjkuV52u&1KbU+AzrxQTVBWCaqaLJ*x)_a7&n8jKQIsR3b?tFJ`CZ$1YeVQ zQ4Z^WqOX+ezz)O^&xh|w5_OcYVHM*;xh^y%X1Ey~NMfmD2ltUEJRWwI)FfZr93EFu zlS1(v*g{oJl7@2K;cTLbE8qcAMw{`lm?-fQ=%A*?dtufcJVl~#W0{)NS)IR0&vVV; zAPqIi0=I>$NFH^<;AK*T7sA7})FgZABtdsgHOU3ff_1diq(tgy!x1D4w}&%G9PR~I zkaRp89w3H1Hv^Us7s>^{=kN7+;(D+bQQ($v2Jy$^;8hZg=fHO)6xZi(wsa?Ev}p|k zh%M!T@C32PlVKTg#3gMtX*jXK?csJ}jVD5RT{S6$cEaHv5{Sn`{d)8VSHN5njte%Z zuO`Lf`fw;I!|mWIQi6xUA9WZXJRHtuk1wSthrg2i;oN7S2K#xLk6`V?c_f~4f4GCV zP#y~(6HUAX*3(s!!iF*5U^fzrTR>+LkGsGXqzsRNFGwIB*NFYCzULfiUj|!}RLbSB z7m2_v;W(0wJHi+eM*SS<+?YO7?gCd3UpyS95-(gwPfapu!nxySa4(7AxpAv}0a1Q&Fww)4;M^8! zQWEuj;ZtHvc`2OPhCbk4u$}?e9oK=Eh#b#`y6u=(xZnbkfd|6o?U{SH9M(2clMHBI z8}95tJ9sR7+mW@2>zgv~NFe7cIHD7CPdMB{?D0t0sx!wGV*)#NVNT*^FpU`F>9Dgo zbA~p};Vz<0c|NSg9%`Y?2SYfOl;LhLn&{he-Qfk2MR^u{K}zt{Zfepkl8ooUPz$ax z9tY3#P?K^*efWr^n_kw}M9uJ2{NFkmiNb+z&sSoFi z3r-FX#NwQJYhYohkf64{pM>Ecp3*I5&l;^|R z4vZ(R4SSME+!D?pad-}VL4xrzs5yr5!EMJeZ%H!l3wMx8JQiLgiFh_FClz?kc=qTa zj(8`N?g8#sq(;=XVj(ZOTj zWuk}Y!1qLsS3)Bv?(MiS97C*eN4SL8;vw)LvB%S4?@1hsF|>xE#1fB%cZm(Igbkh5 zBs<&yDo7wMm`Xx$!M2mRN8yIhh4|vxu(^wxqU3KNEdC3f?3#ybv~@#u(yq7(}e`ICzuTI7ENaFA!7(ADGiwj;RQFsn4B1yP?u$r`v#EzkTc$pZEr4DSggz=|b56&l* zxIf%Z9Pt=O;NTFBi`&5_%Nb`} zE=Y87!LBP9AKU_(tYl0?IV>Rlcp;1nWewtq@Dd5bvtgH2tQXuIIuHdexQWQ{Na(ei z_0E_GHe917mEyXvkW}D;O~QCDgzLjTBo}vp%ZUTy779~{6E6Re_j}=tGae3Su4j(n zUa-$bt`}|%pO6x~1a{cOnB&IKc{A$*cY*3#xR$skv>^VtHMIGe`J9r=*8qGN3c5pdK!b4#)NyT&FFER8D&wx2Q zxJHi58CYj0?~y3ihIXVB7yN}7Q>OyX+Qqp~V6MW=BpBC=WqgP~9swT^1#Y;H*P#9M z54V9$;~8gMA2vP68WavkAL4v*2bf7DJO{Q&V2zLGTEN*P4p+c4BnD51^%A)+;W}^# zv7w)K(C{$lfD4``E_gcBJVM`a!QsRow}+caFdhkiC!u&L+Sdxu9!WASR z4}}j?Suc1IbUMvF2p9a3m~$@SaO@e*Q9Kv^L@X(fg2U37hg?%97)1(k!Ex!V9oz-3 zBV~9bH28&cpGcqK5Tc2@!OKL#3*nrzj3M=XVIi?}q8uh>at!JS4#?uXa9enjgyDJc z&PDF$cs_jdEA8M)=$Xy9(~du!dYLvUcY}R$cprj0LLU-B9bfn>vBfLlli!$Ecp0p7 zjbq`)@M$h%h?l}=w-_JcaA_Xv5f6b)Z!_k2(jD%pcbRXvU@3_c_2Hy^#(5HB1y>Mb zJO=(w4Dd?0@E-lg17Y*~+#7K@yhpV061cmN>xjp}Hjg+49tPV#W$+&w~#tITl_74@vA3 zfG5K4sxnF2h1VeXi<(Rd#xvkG4gUT5lT=YK zo%lPerIee)ImCtfA#fjwq+Gv_Od3j(aXYw)WboWbc#>FBo(k`i3d##%FKzlmxh0Gw zg`z%86~P66u1g=N69pI6lSy_QHv%3f8F(_xCP~z|H>)0USe0DUX3E>|>zoN*~~5UD~7_C2Ze_v8CJ`x{)%<1p`P4 zo(k`LPy2X2+{_+QI#W0=c!ren+)^0UR3_!)d2mcKt`Y7C7ZXQ380zTDq)=S&b#ulI zuYkwd3o9E>h6*{?5%-0;#2ObYBNn*SN+$Ir_P8Zybv}V%6=EPEleVnxM0+9#tk&}@uMlHr2w#xicWA#6L2HHgQImF?jzbBv=2u*GtRgJY%`fTj~l>L z5{Q?=n^QPPJP)3o%KE}H;E!(9!^7cgl8sluneNOP+zYCEFt2b;IMY+c@550J9j4R% zG>!|85(S&Xm;U3PFoYE1kxxnrY1s@R0>8wFmdp_lOAgt#vlQeNV=tGp$Plv^XA5fA?VbcXNzINvx0*4a? zZV#srf7}h`1aQ8%;QmE2DHxB3c|<`wg0djm!39TIBykuFWQII#FKLEt?Z#hbSbxmPDGBoz;#4Hop1N75qsIV z#Bd**NgcS4$f#ck2kqe8ssHUBJKyfVBlh7*h~*eOS1^tE;(~Wb2rj535%{tEn? z4cCF*BvI6d{WF;lxDB+(;`-u(#UvRof!-Inui^?g@mH?tEZ*b6p_jNexE-|0X1?Lp z@HUCZ^WnnFyvE~!FoDSN98q?K*K%C28_CAK;9io7$H7M=12?<<7RLLal}L6b>f2O!cF(Nm*SD|6bYpd zsqhntrChT>CbcZ&HH&gN97Sw!2RNT359w_3tl*hyS#1b!r10OTa)Uky{ zq!1U}|AaZLpgvq&%o?CP7`7;3T~jWHQYrUFToXnSV>}k7yyV>RR5+@Pd4oH^nM8qm z!BfOv)PeEkGAS6(fElk?Yr}eoCD>8 zwLfrPlxxF6qC1!Kg$F*eW+;z`%PYBWQyvOml5EP$;P_9R7v)ay94Vzd1DaHEj+C20 zSCT}z8(dD}@lcpT-0)O*k2v9lP^X&v2`*?x0&zhXVvY+26JuO3kwoBvIV21hN@DROm`S4WEclE#;H9vd*x}YH>e2#Y z$GHc>x5NQg!dx|V$pz1cl_U@sw3Vq#A-G^93Bz5~)ulRh_!!rQ$4MTZ1K*JxTnW2q zt4ry)Ib1q)>D`CaXIuO26!mEOLXy4s8U~@@2m2< z2^Bi(k`fo}-auU{#qHoK;zIo}7}ii-3dJK}rY_IHi=b*F_L0E#;cXIw=ffUN=qGLo z&y!@_p@q7%rX^#9r?+CSk~SO*Pc%@MTC`P{w0*gz?Klsji$}t-Mw|=o2u~AxJRL6l zL0xjh1L3X?^bL=Nw~Xlzu4AGu1(P^D2BwojyoPuNUI?X*j6W{8nPlUUFqx#{f)1wa zAA&1jFe$-hX6n)#QidyGRVQ^x$B*mPSzX#{&YZ+!;U(gNXT#gw88ZdNiM@EBaM zlBCKxM;op$Np7W4!vws-i1!&_HXX<~7;DsU8yquYS;o-;(|Sh!2pdKy5U~9;5rhA3+^TPxZqi0J5ZyBcX0bbya$7C zNCqybJ(&4Clz9T%5ov@*4XtrUTyO%(9j;Ns06ds-!A-;%7d%81b{aLz#Qkx>2SnFi zqlO=GYh19=5YBN7@6Dhou^X#V!@+n3<$_a*oN~bcV#fE?1vimMT<{Pn!UeNPJm1?C zd_eMW!H>k8??VcHHMpj-c2NF&-BbdmK9QK21>ULl}+=ioN}mxM2Tb%zxgK2#S6A3UNWP@1C}|Mh(Rt zTNb#W*ni5A`=_ATAIX+`k>E~}#M&489_5fS{C^(*b_80C<8KF%L8LJ;Am+q|=n^|( zNL+|LkrOjwO>~GS`S#I~zl)$N@jFB?nl#15Ur{b23R0JkZ@>%0o;)InB$Swuw<`R; z9(h2nlk?;-*+y0oKhjQ3MQTYJ5H<2fmHOl|Ng=z*QW?K66z@>YAa`ZS7K+v9 z0&78ks0sP?++Zyj2W!K0SO?}oZOE_81%q!M{H*{!(p3HHa{1qsTl_`279F&&>GU_v z)4C{k`I~aZ-;{qo`G4C^_}|oz`J3{@zbQ}uoAR8$DKGq+^0L1vues>ocK^#b=!lE? z50B5|BmbLnGs;8r*nO$zpHIs9PD?W6Z!Ug)C=IowI5D}tJYu@@v6u{B9=6t6Qr0)O zYMnt^lBbwNUmpH;T9Q%6uOBgY7SevdKR?b%rMs~&w_|@iEUo-!dCBK}-ju3$>rNfbTFc$VUMp-s z)VuWr$x?9}7xf_@+Yl_zbIStJA>D}6I?(CjE zQ$5{hx%!yQnm%=|w~x1nugO&JSv_5SW_6s`skNNlo~C=a`}ls@0_*e9Xi6@(^quSH zQ?s$uf3USKt!tjgGkx5r`mtZjf-fIaGS_{MA4hR_6WcJcg~l{@pFckN?WYI$^Hi}n zj-C5FcQ3h@_E9p3()1s? zWNG@xxz#+~k`Yn3`c9uR-HTrT`=|R4)x|J=>4c@L;`4q~oWP&`^6^tByytT6BSy;y zyY+4z;NID+Qz!GT-Ay`mHScC(-eqc66W6XD?j~kt7H;nD?p@rvc$h8v_RRiG3thT) z>S8gahpS0fw;r_MF~!Zq!o9PbiEC$bbFYii%HimQ+k+~ zo11qsnc~`Gs)<{-9&YBY=C0k`yIB0|7CL!!>)vf@_iiQ@X6~I#%sY4KVbY`Plqn__ zUEIt(y1ALTxpx0|TCi|8^XTr{sk6xxk11U^3wH|>&Z(=3xrK*YS2Nd6U0r*8a~77S z|2(>urvGpuK3~djD*gKxvSt9~JvvvnV)p1Y;#KeYID`k4Mz2ma!`-Q3wy z&W&5b*A-^@wZxa**lO+oe@?%z_k_Vb!Bs%zJL%xl=vawrQ%^`m1;A zANY*l6!vRlw>t+`^X%TOyLDyCbTjW{Za#IYM<+Lr)^ab`+0*>kT&Sk{*TrpV`q$_8 zXL-#?Fj9Y>J$KVp_QMC&t=&|-4X8WV)@GD=Ga;fWUJIP&#(4lOh3$AB{v_l%5tU5u zI5$a>OM`9tI`~ID-xd(j?44ghnx3}Cn#XeoubQylywQ-IaeGZB)F0}aofkIgy^+<1 zcAFcX+P`shan`K-J+q=7wTNyvYuknPdk5c1ow<9q^O3ECW*W^Y&AM{#yT^Bq4Y<9* z{nAeNArXcn4F;_5&~bjbUbgm!%))vvDxbXjcv)K0R(cq8S8BN~Q)m&=U(?&(}tZtjy);fFiMoLS~&WEb%gcuFf4VK$=+9}CgS2s|X zYmN>xl=?tBMmo+g$TQ<(i*-s+(;YdSF4C{~tZ@xG_}ft23plGIM_6 zufxVX>srwJ_SsX_rACk5_nPgTzODZDl8^Z@p|#|i{U7pqr(-T-rEw+>2WvlEyR~sy z`TW_L(`Fa^)Z^VxcjrHR^fG@fPtyDK^mh+ATb&+?oy(sEy_@qqWl+$Q8P5V<2A0WY zpPs9BKj?-=;FGu8{4*!jQpq@5{q{h&!i4%!El$>wGd>qW=jZ#GHSm8WvsDgmrQJ}B zmWQIPsB@O4a3SV`qMW0o- zSMM73=JcaO%aR{GS-zvTl@#$Jt-5N=BL2nYyO7^nZCxVktM~b8^Ly`Q*W15H+FqSC zsLzo*2|6MB9#3ug(eX;7my>Q3C#2L$OiD_+Ik}bQ+2HsT)yU}R$g?6d6iabDzCVjHB~amSk^+luU^!ubt+6zi#G2h zI^0}bJ6)f#meQ(gbaSA=0WjQbywZ6)2jB%r;S<{>};fY z*04!{x>>#N104sAG0N%DSFh331Zm)`lv~#t>V%B!^0u~%zVW-nbv<{>HFvp`HcF2( zIqt7|HYGc6ugU=1kf695Gd#_k?mF}1D%a9R!9^F_H_m)xe=y>=87t$){yOb>z|3P4 z9?aZ3X*`G2X;*7w;kIE9UN(NSeebYVta6PN#+50uahlg-w3$|muCH6u`(n;Z%PozT z7)m?LuD4eHP<*7dj=H>P?s4_S`(Et2QBOsh_VX;sTE{O(OD*Epj!t_+l?oprlvHBI&o&j@}~A%w`Oksu}j{O`{&-) zd7`NLFy7e9@zcv5TSooJ(lR;FsB-UG(+8(AuN1!D($v2)Ws9QJSFQb)pMQF`b9lsp zgK=eQwjpVcZvFPkV@^?S?X^)8e&4>RQ_7*|-A9&lukO`7A#?ZE;yG`Q*Y$sYzVXA= z2b+DUT2#FHJI+CS`REQNfzJ!qC_jvDKc}!{dX&?Qvu`YA_xg1lH~MXS!ysu@+4aLu zeREb1x$v^yGRfV$+b+YXtU*Qoiq=*Qg4(~DQ>JWU8Kjg|z4)z3(!_%F0b6fAs5O7m ziWAN!>h|h(wQ<$uV-xBQ^=r9ll%uluqZNiys{vM<({9u&fBf=vsA=G{1(pj-1|)Ca zqUm~Zj{S`8QpU{J*857#wbDk<&6%BftEX!nYop1^y3YNI{P(q4pfbE@*Qjl)qQ^}u z%fHwt@I!|Yg;!q$=$=YAqxmx6-i_pWAKx#pYL&hQZEtgCiaYLoTDd4+)+su9rDKP4>uh>a>x5wG~8Jq8Y|FQjp;(k}xnOK=r+H?p_ zeEC~{<%fn>9~9qT(B{74-uaYwo%eNGa=4(bVOaflL9aD~UW{ltIHYAs%3JsD1)JkG zTRpWgIzMvWq=-qk3@eA{{F>@AcE78vU;XTo z^7+-EbCtXFHafO%Rohw$ug(m3S2e9Hpju(}WgD%~-d;cEYuvQ_ z)&rZMxv?=Vjh2Qr&N=p>k+;Udc{1PdN}s6CIlmh%wOUjtRefr?=r{k#8+oB@wPj`W z_>7i8zfYHbcWH6(<6y0D^}U$}mEDqS>1e3zAKw1mhYhax5;Q(-@LN38v~tX?zIR`q ztZwUOsgh~bzToxwm--!IW$iB45lgAsbK-NIwAUwUZ78al-w%q$X^Nq$q`B-b+@`RJaZ@yAH{CMxPO$iD9H*6Z@FD|s%@i^VUh|95b zQ`(0QuBnO(S2fM&S6^IoOKVZ?s`&GLe3N#6kYZ+Oy(>3w8SK12Vdk5`eRKTs>qrYX zTh;Dw;~M!&b|wY}rm$xusV~CrItixpG%}!G9OCy#hEL6?7>wK*F zEpMy(ce`I!mFjJC{H6NSi#e8M%5s|qWkb^TU%xo)-R-%bLQcLIG2o-ojazk<$13lC z7jt86j_0v}=tmJ7i?^$#AK3Xk^ZuYv$@$odf~rdi51(wSGj{0Y1M}ML>}IVS>{7I9 z*WNk4hqu>$y8gzvbz5fN4xL=New@pi4c*f`uj@Pe-0(;Zc=uh<`!4Gq{4{m%2HVBX zhoYxxc%8j^De#z))#j(W+*NXX-ZyXmd{WN44-E=^w=JnXT6VQ#xAJ|pwx@qAs2K8k zajMq7y5VipBc>jmGP#$s->bZ&J?$Sv7YEv22d~0!ehZB=l&T7ocbaXzHR(kS6 zsMU_m?>7WQ$5x%(*Jr}J_P+(Ky9e03%>{#{oiZnt59Fa3M3dU{}} z#Eqo#;kwkFImISkaSz&@aMntXdNF$0qCKHj;aA@5y|(DaPs%w5wmcd!pt{5GAzEC4 zQK|-IjS_xNz4^P1(SXEjo)3KL_a0L+e_a=DgKY+V|7`Hj^=)faWwr5teaK|&rG&YU z2W&0-)T?n=vC*v&dX1J}d3AKc;v*l{KYEkOcfw+KeHy8E)@VzE<*l4by1z;K^nL0K zlgH`~Gmk1yt&Bcib#ri*hUl;UB)f5y<$hLkuD^YFsyMV|s>j3^U7M$E-`BC|_dYjX z`Lqp>t@ck!TNd`F_-uVCNM!ur@2=N|u0LLIw*QFjCB@U$wG}t&-1RF}6>SGq z?>(~U^@TH50hca}f7D~b>t{}joeTR9`fj1~^Ob9R+!%Coa-*Pnlivm0Xj(Z|?ZzGB zo<+N|Eu$_tO<8V1R~f7{n$&e<1dH^}FXi;_kE8aQIx z;X%Lq=}&aJnEFI!GWFzDhervU-;JHL_g(UaPuJ%~&3)Q(@jcy&*AssXD{Q!XgPK)j zzK1+rW*9v3YFV=rZTPJSCoSDEn(aqyH{ZU?Bg%S21H~`xTUh$;&zV2xOr?$KY1`;Y zvDdCncr^LPp#j^nt`>cKw6%M|2;JrTvaC|74i3C$SZN(^uzBnSt6Sbvc`sn$cz;f> zJDXJuD)*0aG}&hOYlh0s;UTBef^>(zdHA|nbgz^!)0P&SE!!W6p7zOTb#(0yW2TKN z9;}toJ-+g~bwTFnb+NJuKc1X-Z-j5p20hm=dUVaej5i#)-_Lhi$DcWKSyNYARmolvVIy*_$oMz4Mp@!PndhPMjdPTcqM@e-@mm0R&A+6oBIXHq|;p&hsxVlE?8pKbz|Y6 zsown$@}^0?rhP@3rRn%b8*j9~bhTyuM`_yzEB8gWEVw;CzHa{eceTm_qO0f4?%+MC z|A>y2v(i@mbi0Se`emBNj|W{i5#jgo#;3~TPK%!e^&ENV@vTK`i;KGVZZhqHvr6gh zqtkLvn9Vc(m>$+J-EY#fM=1~D`Jtna?>9~A-Xl|OLC*(!jr!~fTwLV8s|~;nO9G|QO*8vecFKO5B55=ytiw{`=M?w54KC@*!h+f|n$Iv10`$74TK_7eFo9Vx3@%(!)Eyh1c@GpON;C;}s zl0lE1YJb?r!XLZ*)dR@h#6|8*f=2kDk2z z)u(pP>g6p@%hl3}xNv{f@z%Ai6Q|55ejE|iZ`;D)``6MVicJ@k-bWYgvY{bpV zNgJ9kPU`k@A;0(D=jr{b)Zpl0%4NsbT?wgU#g|u!;oVP-m{l^p-?&jxfh!;RHS^9` zdT?uD!&>~P_Tm|?^}QbrtM*mQk6yhfepAr*CkhVw8~UjxH$U~N*?iu;E^l>d#EUb{ z&Obhz@>^BZac6^yo+qp>zCJo6-Jx&&jU$g8YnD=dM5w!`*)TqW3;3pe$jm! zIHdm2G$=gx-GPY#wT8WGko0!lS)Gx(!&7US-JWmCp9DX#wc7!0@7Gs9{8an?(c%sL zZVhym?JbR6YZPg(-dFPW&d+w&yN>7t=sGDh9or z>u}am?Mby*?F$L@X&-eWJA950%!X9~zF# zt!uvd(##hs`ExIsTzs@^(7K0*Gh3WHv*@FuQdu7RWNOz?)kyi36@}}%1nIPUd|Dc{ zuaEpxLbNQcp&xH9x;u`Mbz10(Er>L*%^TF^%O7ZqF zi}x4?Yq@-P^3rw_|K-tjk3|>APkppi8Wj$DeBQeIV+-X~$F8U5JwJPB(kUtCsCU7c zC4+PZ>nOtZ-I&q8LC}n{1&3mezizFR*Kd)1RQ=Ox!-l~rpYFYL$S-fO?R3DqdQN+d zTck%`ODH^Xr`4ID5`*o%jxBA!F8Y_Dmvu}#`n~(@#MJI@e7l@o(WF*~pbsy1>)ugQ z{5Y@Hu_0RgzuB)QQS}bQMNDyx^iz#0e-yWPx9-l{Ypr_yFz!Lf+ol2XL#<-^?L66X z%FQ+EJ+%WPCe^>}q1I*lnmyk0jv3wMSJSF;uU$IqJD{_c)%c)=c4aQ^y+SL7$oH#d zF4ih6n0TK*Bz5%G{)8>vGcvEWOFu2eIcqpfo}Ie*%Kg&;wO+|=RKi*fST4RU;BDc# zPqm!W=daCpzR%C+W9WuQg+-&hnhYBgWNo_gYAyec#~!5}Y<#z^)aUGrD`$ERIV=s_ zU2&%B$N`$>{aqNpqkxY^dYhlW$8XBWjcS;vRcP?GbmtcHRp;`6n*`N)#d`AcLNIg7gd)daW$7Yr7(CTyY zlN31Fs&UYy(e>|@9C8SXp0L1Zc*kmIznR{98}4wJ8-F%>%Zm&kO^QOn{cmN_`r@-<&NdH>_ID_7??wf0$DnQ**uOsD+<2+rW>ULLRkcPy}Zx5 zeOfRr`pB~@4&+b)>yeb;;U>P0f>f?tlyHCgGtX#b) zxZ>u0Wx)QQ>h@{(;Dq|8o^2cVz1w}Z;gOv_7hlUxIk=<@a(2wsh#KPNd3 zt%q3ariWfUT3Nr(9No046z@mAqfJxuAJ#gvZo?yke&gNlB}@ovm^#1D_@KKl`t)q~ zee}9VPloKgK3ev)aJX~Dqoa4n?N#a|{j#^^gAw=UzgyJz?#j^}+xNAKiMd<9B0^=s zr2R3C{oW5QN%_wHYV?PMg)ev2XX=Ni#uS{pYW#3ZpN}>}lqrc@?Zt^zrEYe%EZKXs zQdV$nsG6lRwdUe2obdm#_a^XEcHP79mMKX@qEeJ185@w95FwJxb14nRkog=mQ>1|m zAl8hL*{uthvS@gUkBaY-QCagzyI(1e!uVg{?BHeeXhONT6^ua_jT>P z*0rv4Q7M?;Gst`_S<~)N`pvTn9S}|@eQr#i84Zq<%J3R(bY)=pxXEp6uqiX4F?RyJ z7*BaiwIrlgPv%f9w6%ox&DzmR;eM9Zko(ALH0$riL4mx|AJhh!()hPT!NsT`q`>q-z_KjuI`nxi~lYu2u6> zFLwa5ixPV!PaGFxW!IDBxub!)eH#6RvZ){Adc{Lx+2!}v&O9j>y=a; zQaCPKhzh13z!WbMt};IFn?QF?)$H5l;T4gnp-C*_L(h0y(UcT=@AF1BXX=WsFIEP{SDhYbB5)Kmx9>0O&x7o9^FScaIsB*pX^+<%&}n8WO8LsS3~r%(%Ulg zyPtKY<2-Dvz5L-ju=<2pg@o^v29 zB7t{IINlZ-$yZd>uZvlJGj(@-?t)tpezCc&v3vvENj|uFadPqUS*oyXn+!s;#-vPm zRry`HN1NsXyUEM>i(5ZG5y1{cIYuVj=Pq@?^NiMh^@MT19ir3m#RH?m`D7*ITc*@R zxUPKi)VA`LGh`=f8=_UMQB)Hni9ubO6Se#C7ZvU6W-BnhUDTczyC#oUKWL4nuV#7< z70SPaLu-6!Hl-WedJ%Ivf`u6sh54Kj>1Y~gB=abFPOHHaws)OS#l`-`nOycg{n=sZ zqWa3j<|8@<${*Ox!aP-8H0pG{9G}GSkZUQjKcXAU49+K$$!Zpr3yNf4-c03RxPg`0 zPkJbj_on0`kyoSO(W{lllE~0e>ZPvkC&3e{tuD@kiy^UCpqwNX71D({y;#3sV$xgf zK!6tR_${8juQH`=`;(baP93JldNrW8sX2l-P&;|W>9%auY`CwqdPIKh;lfV54q@d8 zqRrOFuy1;LdTE53yYzyW-r&{BOpkR``g!U|6w%6FG88NknRawo-iA%gE6ju|dc=go zr~X%gmaoPN2R&DGIPnEpk+u^(yF7HNm-IENHXQrbw}II+D^t48VN%Q|orIapj%tOuLlxJno}F zYipa0Q{3X)co`m=&e{OOE}@Men;W~=O;P3+Pp|FhcSHN#j&)3M4GY}Idh!EWC&3Uf z(57o0r7iZgPEJk1Nub)TUVSGkRq+_ZPN#n-Biui}>rsQ`Emn8RH0Z0=>?#X&=yfDl zVi`U4A<~c_=Yv|=Bm=!_jh@X-cZC;#TNynEKi)*8Ci5l#GoV#NkeS&i;1 zciEknhw*7GMHjV}Zckk{iruAn@4&MzJJCFi4fNlsmm0lHtJ2(`x^EcgrsefYH{GB{ zPVFynz~}1K!KO*7NXZ`EYs=Qgo=0MGnHhVOrl*bBY=(!^mkcy}s2|Z_1KTuG>3O?# z?ROicJIODVM}<{r8@oodCVnojb@G-Lz(4KfT$CBIp`QGHP>AS$8-4SjSB7lFGV#Oo zQJ$Bq$2#I{#xwO%hN^-fAw}9^{>fugk?377OhhA9oVc!h4-_rp<*_?)FLdzIS(IZV zja%TfF*vIdb4I>aI@jhdSK6oyJMFu+6?Do;+^LrLN&8OIpwqq@_BC9ySjlZm)uNhL zN?QEV2jKq4t1{A^MmBHgE~}%nX<&K>zEHd|MOqT0;mfhr?UgaH5i4+@qteh#7|-!+ zCT12qrecRafo~m^w~aC1s9Dv^yE=`7EljOY`S}!=dGirZtrw_P$tyS z5f^DBLz5@&Y^V3Sh#6D5%eFlPRWGwS>RZN)2YEnVvu+~pTn=^A`E4Ex#CQ5uerX52 zw$3(AAGmPy%f4ahxbJg?`L#NIkykO4r;pa^WMFb)4EuwJhhiM(_ZrQ8a&r}w@i8Pk z)>848O*fL!J#ubd^s^WH;6qWPJGbdReNCCpoO6@r8KF7f6K7o@>-M6yknAj#1#Y=? zJeG6i0LO8IA^vD^@^b@shH&40tl|F(y=-==63<+MPWaRA zh9cC}(bop}bLirz+gGi(zleXrHhardDS>HQ#8QKxP5FBn&xVKJnC4SIC|zH!ZUn-g z^H$#2joy0EjKk+{%3hjl38QZ9$|O+vlEdBGVU67y8V~lCPI3=XZ|iEkmgm1XP3{&H z8N8rl%&osT+u?cj0==;)yTR-%f8kZz;;gO{RmohM=;9_XEdfJ^6=>Q#n}3tP-0b6A zJn+eC4n6E0F+b=nZLA$xHR9m%s22Jh64@L3D&?dI7|C-(+4nZ+U6?rn?rMmfwUMSl z$;cH)=c2T-_n-u}E~S(YdKc?3%s(Y#a_el7&&0n=3^sW6*E-;|@vl4k()8nH zyx`1%R}s$4)X22)i9T(VVuf?aK7#sp?he$)k+^+?rjW+RUU7KF&7HY<4}*0VhJ8IB z2V5w#4eOQ*vv=x#cFOqa}NzAlVsS@Tl+ye_T#(Bb6C+tuk(+JN~#;g$}!N{sKPNA8vb2 zIN@-IbK~GchqXPbL8dI6o6K(UHG3vcwe57D5-v`zt8A_?JUu_nXzJu{dp&{{tt7^U znQvZvlV7{bWoR3vxgXY9#fGaxNn>vKB78sII1&pGz%wqYR^7E_pHUX{1rOgvvx<(j zhZc6vaeFUJW7AvX=!f(@S{t9>xe)E0j-QZ*GkY^~qzVpG5ZwwA&|gbx;GpV)o$nAj?NqONX6C_x9)-uSlMAHl^mF z(Z;^#VtCP999Ip^Qi*8L{HS2FteDkHqZ?cAq+hdrinu)e9)%KaNiV-^qVQ& z0v8Fv0PO5*ve!7ZhmwU?C!JY#^agU{U#m;L3A@$F6Rh=KGU=uS|J34i<)r6Irc2kZ zl-lh}4EyosTBda|I=F8X(zX4yOde5|E4fqTvZJ?f8N9)wYslHAB zwrNNAg^`gyisW;38kkQKxmmn;IL72&7PzJy*+8<;t0Nlx!`gd$1f4cGs@M$Zodk{> zo`!HUzU0o~IuONly>ltQSG=VtjV%9$&3k$y&#lM}rvY~6roQR+FY=dq1|Q7}=H0)0 zfeE#5D}KV#zK7cDYxK$r17%w5cUQps#U}2>-tS9V`OBLYX8jiDt_k$^7p64qYU+@( zjPBJ=U;dPw<6^!=BFpMSnFrmjOMQX|pY_RPs5dZY!=!vE;F|g%C30^g>AX z_1V&;5Z`Z~60vvt?iXn0Kkttl6wfZc*EA?6-O2ylzdz(%8@+`yYt}J|EzAmJNqb%Q zfJdhNEKbqq>T0tl1}FQ^`Pwi_I2+#Cr*!D>Kv}8*x?vICw$PKGxmC>k z{7XVjM{Qe&<@IIGN^&2L8?I8XIy?)r*D>n(#9?K=pwcM#1 z$7D{%Vv@_H`9``fXZB@EG-%rv4j=KD;?J+pn2K>jOD#FQ+e1EL>c2Se;Ai`$3zLge zq;*%r;U#-Cp32gl+#6s}m`6bixqb{c*jcjy<>94tIiYA6>(m!&iYXUmnz~Sy!n8~9_JchzI%v|ywsk1SiVxx2cTElS#pE?>xB}m)Cv~$Iwjlk98#}NAyqF@tkGEd~%_0R`-f1;XQ9vWXgy<3Q8f_h!m z9Zaq%Xq$Z7*EKR)V+~igclJ1smxoPNPku`-#+7T339fjXU{!@z9JIZ(FPfFz@P8ue z6rBA%y3+MRPP{04=J#gf3%sMk*4=w~Q+4Jv{bg!r5*Jf86-xxKOh(Beof;$y7Y&=} zGIbKqwJw|yUyA21JknpJ)}1MV&nqi7e{naU$Wr4*)Rl7qs^%-U&uzbQ4Y^L%)3|E} z7vJj-@R>8)Qg-f3WrKSx)r+i$l6kW1^fL##`UY4Q_7`V9Lwzm;j0CeCcH^@L;oaA3 zDiPFaX)l9z_SXBV+-`GA@ICROo7_Uxr3vR*utWKT?hbsJb$$k!%%R)!!Yc#52E&q8 zzOv;aPQmZ6wP5gth5+B$JiK^GF#QF#e1C*1wDsP-NTT5 zRICAy`n*0Dwoa@lJ93-cfSd6JdXeG)Lr>}C;5^((^LwI2GyBGhzNW2cvkZ}cu6Nt5 zc*{L=)U&Ar^RT^nye&=`m3uy5C^2<7)M20>w_7xp-!*q;Pn~gJjHu2?DMqvE z<08}7O>g=~lQT^BkC>$tX;m4Z zz&#JM0mf1O$+m2b3^BvwiAE^zezbIN#U3^roaLoK1}eGO-T)Tj)E! zqHy4IB>BbIcwfBx( z3$6k(GH(RXjWw{%sT#p!d-b4i?VFpNh;Cv9d1IBF1#b9oR7iIp3w!}i!se0*-t0@s zXiv1{)MMH!TdR{*r@sZ!iYO0Rdl$t&+kT_Nt*bdCSZ30a_3qA=J`C$MEZK!X|AhFv z?WhJf)7Ng#2u|~(n~V=^Rx{z^Xt=oD{!MLjRWKjA&G!7I8v+ugaZQG^a8!VxLtfKCVMHoRefc26JiD>W?QRC3AR=_!xloi!$P~?N3Wc$4$#BCxGuJ%6Sp$L z#ZI(Ke`;FHQ?hR>sv}UoFZ<&NOV#-7Jdxx5amW4w#jJ@pnyB647}MZR-Y*|cz%7Ps z0fB|y?0U|`^1!U%`A6lp&A~^RJl-&K-(QHKNbKi^EA#F)fzQoLqVyxSX6Kka*@VBu zE%aiX2K(oZKDc?N!QIsx-nJfWnoZ30e37rQy~_f}$$qewd^S~>xaH14uft}8K`uLF zx1!q^y%wi1nN#YwA|rJ-c<#rC^9nR>v~*!OC=@DLZlDW&D-G{D_Br7xic>Djpx`C@ z&A?I0B`^F{X)T-LV+~TeRhx?Mf23xkf9`pEMf}4K0G+3Lc3&3YqhIs$er$p~b3HdD zT=O(`w|&7NyV@Ay{WfTkm@}BQQSKDnAD8^@nYs4d^dYf5Lk+ojFX^wfwf1sxnMM3d zsRN5uBMl7d;uwu6`j49mL)!%Nr)Sl5HCdPmAE}!QKcV=GAC~EEBG-Dg-=*3EPhFoR z7$;7q`GMW*a7VCiA6!+L%yp?vP7a2Ch8~V*6|- zi&CNkFjHDPY^(UU4{60w$2G60*c7uTrb>6(`K?H8hQ?@cYLOkfWkuROs_uMlHGPP+{OWn^L(J~i zexBISNGY9VoNmF@BYD-lZ4&h5kxturmoAeB)b#68+Yb4U^fj)8@)53EeUXsUpt*&@ zlr1OH&kdV2P%eY~{_F>?l@+34wZqbHQWI|r_bpXtMU6O~&0hj~4W5qDM?b{K(xZ1K zHZ2$~)f?Ae&sz$}2x9h>%&Rr+6DYRkP%8G8wwXVL^~SOu!i;Y4bnS2(iXUx?o9N^{ zLhWscMp2wE7b42zB1;)4?Sek~k;AyF76)xNVitdg(gZ3np^z*3pu#t&hYfC954D+N z@}e~|u^!Z>BSm~Xh0x+4JWrB_j-1_Gi$z^~JlmPN%epk4nr1)T1)9fCn&?_g5Xj*< z=4+VJ5hPiox_BVM%QUGXvU?QemNF06wwu>7;o+IPb^nxX)&mxy{8`s9cSr9cGqEhJ z#r$k{P*J41)SIcqSxOh4Nsdv^XQyR?h=$vsw|%RqX*zRTjj5%^B9Eav+46++ZWwby zK{o7q=W?#@hVbkKQO#G;0fX~oD+b@P?pr>RH68J&TaJTvs-h91%`($s;M zr?H8_6=WsSTPf|fSHXutOEkv51t!gt70wUZpqrW~R#ZOn(L^5Q}}D)a^)<2F?9-mOj*TOX>Kk*xfg$5>-mL@a;2g6p_a#$8&?@C*b{Jv$33c zZHcsTyi;q%o{Y9 z;f@$+8=Z~x$(;MjykwVMj5+h+>w&vLVCCE#8O{lxXU>)-j`C@BOn?fIczV-BwbM|j zuF~*2^XbWHU+E&tu6OsTKRPcjU+l}LLM1}qlv?1$lFn<{7Z!zC!t$43@J}C^G<5YB z05>)&Z?PF@XnHj@PjgdBsl4}(ex5fwlbrABU4&{UNcz>XhaFmSEVC^O>deqA+@_Z! zwRq&kGCf?44W;olqjvSU(XVB;zSyH5zcQIK>>rliGY4aTN{T4DzdH?lnH#F!QBkVt zK0|&()z7ro`QgPR^TY zUMev=p<(5w`|@LP)eEQ`OkxyiKA4+WXUtJy?|j zMT|uf>7N^;jNMX|69tNx>Ms`G^jG9vQX5@H-7a?Hv8$Tgme+V`1#aFrU&k}%;Cz#@ z?Cc&)H~1X+<4ebFm-$_q47e~|#oe67G|Jm{SIFr^nrOw~*>+Zt4RPW}`W|Dn7{n88 zneb2Rf?LG=ng+{Kb!N807F;xIqplI0M1jP_XMP;NFTDG0UOC{3uPQENmYH9=_Q1Pj z%R?4j5$rZ!Y@)(D6Uz{<0u(+$oZ#av?e>ssV#Afh+S`TS=QlWNZeyQCt`;tg3u*V? zy%s%qe$xcmw+=UjVrI{klQ`V6U;%l~_v}ry=!ki03rXz9E5~-`$}5Nw$LKJ<#_lN} zq)goz7p3RmJ@Ic2kcl!cgRO!v9SBMJr~l+lM%Qch*a3U zH^ZbDdluTlF&JxUH`VR&zGvWNNbYk|w4{>YsEo~>7Zo0$_&QPK1_N-5DZ+_6%^GUy zCq-!($yr%^I7%vI2=ane_C1jqces_1%;}%12oXvBEO17nRejNEb_XpX|W_ z=PpmtEqf&Iv9Hv#mp3OH&UU5gY}<;;Q^)v(QDbxZvom{i>L0dkKf8G!_7=Qq_17!0 zmuJ*U`x)96GN*c4r}GHPS90NR9m3A(b!5|T8?9H0_hE1J9@uL(z4%RW6#ho$ZGHh| zZ&kO=bD;qcaU;DB-Y`CTp8?Pdd;s)JMb6Stxe(KB*#?rETAp5#mxEl&ky7f_0J zdCYz*Br~4gVjc2&L*#cS#crouj}9?rMh|J{fXjQxeW-iAI9M9@(TO*8y{ew1{~D9} z*2!X%S!Nl$WIf;L&nD)h;nB;4or{xs*pcttR{_I*7RGTIU6{?rp&DPNwJOeNZ-~8a z64pH{$9C1w#%AVpo3rbr@ zO?*s*k$=TcorMjZb*qFZBlR*jxJYE?uy<-|FY*M_%YW*;y#Yudu_Y?rd`r z@6<$|qkm*t^1ODbsPTo+GA+m66oZD;YYoCfLR)CB?S1!N;j7n)!;jU)?ohqhHq7m7 zfM%9P`T37{Z9!>-EDkyj2sh2KSl3kr48mIow>*xlOdq?D4u?BrlgRVp}X{Rxf)1CcYwqbeI?sEy7Tca|Dg!~=gjRc>Nv)=@;uBi#v zJPc0>(!gj#S)!Kn?9w#(l^*9o;4D{MAyY{i`RG`bnUbZa^=(Nuty`unL%g*g+^2ZD zb>GETig+twN-JNGixkndOkFCukhzVw3#b!z*bVS5OiEV5Q05kU4B75xYFQ_obw1Xy zT&m!aCG-RwDhcMqxA&)-Y%rQ*Z}8Db%HK=Ko>T1pW;!-lT&KXP3QE;0zsh|)_bJgm znY~AJeu(_7PS<|?)u>uykVOnN!HUhMQWs6eEL^ME3**3UI0ofJmhE{lHK;SoW1Z*7 zYTG>85|2oU zL!v7#XpF`|7`ZA{!*;E;Dk-5gI;{12gG|Z91bKOqv}s==lS^Z17@M)Lt&NxQ(@~p) zIs_PDXUK+xqPcxEp137d+AoD8TM_b4Yb(r_WMXg1ls2y(C)cM3LblyiyDEB2^zhCO z?YHsQ9A}xhHdbxecqW(!tn4D)nwHe=HT|AP>5oOz|V(xS=w1U+0I zDm5_^yrvH+^VowXYKt!|epLLtS!zG%?@}XaVJrqFI(obEW7!kQ7PQ1 zS@$E6n$+redxF!hE-NXii9+};2XJCfhV7747EO`3YxYp1@p)nIqVKbO`HLplCpqoe z8!J(~T`P-O^N|K@^2lh^xEp4(9aoz2qrz@9jtZbH)VgmuM^>(6Gicr6xnxSlO)T?} zK2FI-*qDaZUoIps8IYJs4FM{PU1(zbq#P@GQgW$I5g8lt+1O~_c$sUMi&}D?uhsYT z`r3)Yk=G@6L@P2DKRI|2+0tf&roImPde$uIlD854<{zK3Ba)pW-=wJLOrAyUW-nSGCU|X6VZ8o$F zH_$$IN_Hd)u=HCcTvPO~>d4U|jK3sd{>*UBj;$!_4~rjtJ~ zk)9ecrxkHf*gPVKKOA+_gU7e?>;FM&{`3}00i)aRSNy?C8qx8x<&j{6F zK16kIvztM0P&M_9938>kmrRVzCGZ)pv@(}a%6xMUtlhtf6pmRJ%m~gareV=u!2~i{ z&cuyNTL~Hb*ilnjtEKdonZ>GCB)pF=Z4b!uNr9v>>Y&B>tl8~7R+|WUyL#OSxgF%G z)7<)40#ddw0;sL34^m6O@&NkNS2SZAZ}3uGSn-6rwv(3m*mBOeY}u zTKfqc90L2+a2nQCw$Lk)tS-A;_4wKT{UJ zjpBe$hJsUy>Ix|*%zVH>cpwYG3j%z46n?_=)ARppkCl>&;q%+T#>NKz{-qEIvpNF8 zAw<|51L3yEL8P59h_IIcFYQG@jKgv83c_nAF%a)80peXGK!U3zNOG43$sW?+vl{?4 zsEr`bRTiXp%7Qr5X^@7J1vT*3ENXoi;CtL9!CS8r;GK^=1OD3C;N5*~ko`~(6hAcvc~38af@haN$wM{pEld`aJ~{)+ zpXq{%7gs<@m^CO3w*em_Y(Z57JdU^yK1AAsikJ4_W3&VK^vV%@j=ce@@Pf-9(s zM}yA^o}l-g9gt`w0x1Y`%|xI8;baRDoccxtr(22O3 zgvZ9+L}1=S1QxwSaOpb{Si$2fFt_d}0(G0G;QecFP#)_I%3^PUiujx0W5P}FCD8{|r#=K<(gVQPw3`5v z{SY+e27$)>aL`il9DFN|0K*lJL1#rAXfICytrf}eU6FC1w>la0*S-Y<4f$ZOF%Lo^ zxCQ0%gR(q;aBGAJd`F4kAp&DW@OTgcluRg311GVCs7l zm>%i?rI5aCjtFYziJ*Rw2-+buV2J<&p$$g_T@d>E`apkwKbRTq0W)L$V18l%%uf!1 zg{dLar>8uUI2=62f))HSz^xDgfj}Ug5C2m>h{z8T{nrviC8hrw_AglL#Q!}OkSa64 zQ(Z|;PD%ZC1j6GN_W$}2Qr}WiQdCfoBPE4fng5Id@$Fd^B@%-*4(gfzL;xbuKt)Xj za!^D>P>G6GmoxY$0ubMxQG@hrBHSkuBjgnRi2%f?vu8*gkUl7S5{bTYa{rKijR8pn z4^OCtxBox^#FyG<&z^-6kd&}G4!^cf_Suxe@R4Q?lo>Yx=j`@jaC^TT7cuAqIB}40y3GDJbz52 z-_R3@sXPn}baZr(-pGg~0c1epusWIGWK>`8!EfoM85kJ0tkM7Au%<>u(qxkJU1RV& z`UEyMgu#}}Nc%rTK-5T@Osli;Z|R9dM>e+Y2!qSftMqGHK;{x@BoPJ*QL7W-uk90w zS0Fti0dM9Sy^)^Y>OlS^!rfH?en)?Zjg5^JVUX~^$ViXG1BOhJ=F%SwwEvzSl0ywZ z1|pe02sOe2VL;-rJ{wj3mOh1(lf(h);0iI|uFrZx8zGbNhZ_HuK55@R4i2aSM280* z6LNB4%FD~i$tAw@LFm`i__y@AoclP~AOq4UGSF>;iHeFGCK`*J2P6p)Ev(I;-|3GN zCWM@%LpYHTdV~WNIZLX~x*GNVwtb>7q=zD`F@O`1!~l_i{KD(C`K)&9@9C|%I5`mw ztPTQlCag1{q9PivGC1r1^ZYsgQ+iBvgY=yHehk9T49FAUh>`~K_21D467z((AcuXN zPy|+FCc_@kt*L-S4=2M}<5ls&U-g$mgaSYYq(NLA#dQWygGl?xT#8t`4*rH7GH?;v zzs_LwT>PN|gdTEuu-5$V+RuRu5^q>ZAW2M21pe01G2Zn-pnCJ*)}1>KqSncOPY3O3O;6Z%{s&ckkYq?4I+E^eW_`j6;|H;{>p%;U9lk#Cj!uloP9 z;Oj?3;&U0~TwJ>vaNEL_ja2uS@mr_(C5MwGFVyXZy`7!C|7+~O*8Ye7m-GLxD*BftKkM)D<9PV@ z^Z!#)2~zrZfAGgm*Af}o<9Jh36Vu1>5SIjx}iJ9h2b$+U9^(|Z4ZkNEr29Rj=tc?!sozLWrZQtkz)|C9qj zPCEWq`P6C`=+|=UwVeEyoNVp**Bq>s|9A6W`K=%S+Wxv+>vI18CMONhKlniW#6l3v zApGzX|Ma`CKl_O-EG)o{8#h4kWkHg!IK=u7Uoqk*{?$kP>V_1_PaNwa{TE+xwJRCP zU;M^R7NmO0f>&^IK3qYQF?_>EOS zf#0gnIOCoc$a)BU$9{UC@R2Tf8(;wnL!f{7u`XzfJ`GBOEkH$xIj9W31U^Pw24#^B zpee}~RK_@gs+jBGeT*CQ6T5;h@z7WN#shSxS_1I~0`wCTpr4ok$oHCqqb^Ab@P>7mh=G z!4Q(5FSlr#07^?sK~+^1`1b7^=VJItcBH1ki~kfWg5*FfuX%W=49z+*mL4{SJb$sd2C{ zGXWOoCP}{E@6*#@WPSm3L;UYJ0+?7PfLVAvKR*v}3)5g}&F?z}%V(h9cVW%%yMkYW zK3~HBIG-;(&Hr(Nmy>@@v$pg9*GTKN5IO7?+QTO#Ju7Ry>|f+r>1d5r=dFT%*uN*p zO4n6Uh8{ZTUsF_3c=m4zvV5RFOc_$hsidcCocj0pE*cuE1R7acXXMiVh2*5FESIyI zBm!lHGrDqeZ~k2aS*~YE1S-nV!zL$}{uBN$Zq5x4NNRW0f$ktpjb{nr;bHOdt0S>0 z6q#w#&nYYU{2qEbYY#mgNTI2TbVG&Y#nT8`ZRF4RSy`gcT&J;iHH7#&5MM=uq$enp zLOhA!7kqz`b!_cnXh>?|N4Ft?)9>&vva>*Q+6rZ;r>nOr6C#l^;$BrGb^A~Jv$Bq| zvqOBbXOKTkP^MKyA!DZyiZt*GK08bd3@nd5^bCR;zqP-ti`?8u6A&M10Jebm>S9;N z0zoI~=YjcpN($iN*}vX}^%kh3brH?F{=olZ0%c`c@Ekn2PC#k^wh)aBh7L)bKkGj! zDI>$~7!+x}533SI8yXrK{dT?~1X&r$882aa`ts$WRVBs1buY>HxAQqEIT`+ENy088 zeO~QCOjc5c>6&4P=<^T#tm!FB@}Phi95(hXTaZ4)WF#g1jQ@vz*7TGmz5iv_HPSdU zKmy4BPxyc6XYE_o#e+`~d}N#%Xjrm-;s00shunw7*0suD1KIy;{>fR6A_v#TO~5uQ z{ommy!7IYcKt~6A2mhB@SxHc3f8zg>etw9S0ZAYvLD5O+Z}js6|JN@+DsBIp6XB zQaZG@eP{l6Y4?#`M~)oXEwg*|{34-m``1K2EJNar++evYjO9V%jo^(-Qf$$uq`ROh=^pr25Ckv|VZ6{y7_;OBdEJ40e4(BA2FCxSz?h&k2wBkfOPGST zAcS;i_mz~CfZB#~P>=Zn+S=OIY`=0a(pCjV+CPCYX!nivVZi6X0f6c01MeqhA!5W8<~ybnS@z{2>Rei+L$3}bs%ZMqp!EYA{*<(Y!E z+#Iy&NO3&NO8`%@>Hg=%@xW8!KM87pbOHIRCcKgK*W$GjZ+#j5L;N!Oe}mzDj-Q{8 z_mJrEbH7KpAtHPfBG}p;^7w5NH^fDRh57l99{ExKhZ(0}=Iwn$Qd~sjoRPkc&bpLj z&g;qhBt4CZyrek9IEpmFtBuI;quyJUb`z|Zmz7;dIArywdTv@;T6K960+fOuc0>*` z_=A2oD?RN&gLMRm!FTlMdN)>9R$5vmODn5uR@V&VMUbBUT<^_6LV%VA1qB78sVqbg z`BVJ?4mMUMT3Tr9P;A)1Xao@uCBpV${0dC=%CH`3f|{BVB3zM`l`!~OerHE64%h_j z1P#&xtd~c0{6l_cH@6F#nx{2XRXGt6oUE-c!|I>v5j|dqO+XG1!Nu8)Y^|Qu{OZSb zwhJn&2yV{K>-Fmc0CN|P^C}1jn!Vn?t@qa05AVye((b$T`+8?@@9UQ?T)GZx|Da!M z|EFeFzy7BEKjHkJsW&rLG_yDRMv)mx#n}cp31Lfi5fdbtr*1EFh4r0f70huwIAY{bPU){z%9^1$jpx;!|JW zr^x>NzBxpPBs~Js9wprRC@Iz&@twbR{3EXV=eg8i}R;=qCv3o`^!fxH8D_ zM&hXd97~;Z_Y}y!uK^0~p8|#cXF<**Q&8~O2&6wS1DTI5fSe~6K|$~p&=M*Onj$qo z?F&uN6r~B;U!MgnaVDTM(G--2oCnpf>_K%MLs=<7CE z^KGApzU@nW1h^+z^=sP?5a3<}`nTaeBrGfp6u!Pq@?{t2MuW7pG}6ALEZHBFrv!j6 zZv()mv`3&mGZ0|%o`Sj@xJQBel&|>_ps6qdw3S4Hj_P+Xt~nm=PYOVBeI>|gX#jVj zZ~6g@U-pMS>t_Rt;2GSn1j6HB=+k}<;RURZh7b$=+NscYojy7XGG_=NXBto1w;-|0 zU%q?+_4W0n_+`XzJ=9zRpCbPRCcd|TlEGn634PQx&@cTJ`ly>=-U|KG$R4G4bQ}x~ z4S~tYNiaJB_bijc&^J8}rlzJydzER#7Y+9)t3GG!e|*hw>i;MGZlB_AW8?1m7u9&` z3GyB~B<}ueh1HQG{JciS$YS}YbWQlk5y2w@I;(|}(xhZ@TIH&!@G(6DJp&^ngq4L0 zk~~$YDK*7Jg%J|oL*lUUwenrm)MsGGnXvHDBZB+N8= zM9R-2@@%1pi39mqO?x>H>_f^qeogy%xRCOHmWX(EK%Aog0VQxzDS<5h3P?Eu7MT!SNPnPJMw&x z3`m9RR~kwVu3INa&;DfHQwMM1Gd{?@+T6z%Kwj_#P!wuQT7N2Dn33+ues~G*$;QI_ zut{jplHmbPLR%SmK1Ue>@@x)bBkREDa15YrYy@p%a|kvN5F7dYnvIM+i*p^W3y58e zhR^0CCqIMhPcX;z(;!ecEl%ng{Qz<~;)qd7+^HYaV#@sT?GK{S2ZydcjRd z_hbYQUJYa6dIIl#LK`><-V@D)_HgbL4z4Fe()uw5pLJ<~_G}|uD+UGz!0_-em>%hc z>%%ZuoS$8N9tFDq*99WUcEw`D}#9aKgpXrCxX2{iU1-@$}+-1=yn5 zdl{0c0b62vA1wI`k_!sN9K7dK?X|DScWmco3W^gP`yV|jlsFZ)*yfyo>+5u|)qWwa zJ=pGEW4uI=))4o!frm~uk(1dY_z^z%>P(9N6aSi}Zv=W~+gvt|b8L)ev|&wBd7qxv zD#xHOD@P^Ez^@kFNyl;TTiJ_AL+_@Q@d`=7EgF4q*eB~#E^NkPb7`jvx$ho+@}xFN z%l=M))mSCJ#^&42CSE52#nzpP%Wdgya$$>0l-4J2VoR2A@CQ~7tiNHS7l#4s5#V##95Ro-jdWuBoz1ZD zd7dfFWxwmKQTkLq@oYO0Uh>G;ZH66xC*%}BX5`%Aq;0J+NTkpdgTG0`C?wZNFHX5m z{u9spk{fdzhrh-r!nttbGQ|%b7J#C@j3newjQ_6{Hm>wXiNIIL7))|0eCqDz=$&>c z43m3z@Ysgmi2Rcp?nF}Uzr_9^{bTh&xa#nTWwh-3T_xS!W`$u4JQ?#lK?UpibmX7) z!dDHcp73DQ49;UXPWy@r`SaurA=bywvnY1myT`SEkD>q8@7HsKj@-H<3Zm`rSN7ej z?4#p%DL!8DOnHBan371CqCjxieB2fbpuoX;L3uwTL^v(zCJ4WCJ%Rrp`>%hrIFix4 z5ssAU@#xE$T1PCOKKXJf@XIC37h9nsbskskXT0Cac8IM6dyeYKQGHN?b)*81zSyf- zz8$hs<)~mS@m@H`R^_tUc>I)Ored44W#f}7i$~S{`;rrbAcu$#=MTR+n^1RWDMo9@ zn2fadP3~ABNs)&=^;b3robJQA?BwP?${H3?svvG?M>f@)dOo1qFS7InnqhlMY5g;m z=r~UA&Ki-=lc!#$=I$A+()nb*MJv0T5E}I3}ca%qP_PLC=P*lWP`nm<(=A|_;(kZ9cn7&EQG`!=1 zMs0W9eVV<3!9fy_X~IQ{X{%XkN<;hx&EL;Z>J{0kN3Hl(_FcBMRT6(;v!u1*2q;rL z&?_T-_-3*oy?GmN<#aoNi8b=mhVE{k>#q7e>b^So+t0+Ot50?xl5dPYiSI6HRHMq@ z^052$O>R5lLLu;?bZE7o)>pOrCZ?KhRT8;FsG_d9`A$ekNNj}2esYfe;pWBcm)^Qc zE`4Pn%;(Cx*mTj@T~>J5`!@Kva4(CywkG~ePX1OMOG?# z!nrqBG^jsj2p1-_XN_Zzc{k=|1+V%!(j8_tID*_e{uCGP!#8UI~x%+i-s7G!^YvV`kOeHA~ z`*t07<7u4sOU|FlWta3(tMQ1KG&0P{`c+!ckxJjrTUsO3p3n|kViEs(B_c(u& zQ(dvK{GD&yvg20bqqyaFaobaFgwc&D(HDAE-eB{(f9Z(Vz!jdYG_gJC2nYO9$jzb+ zmw?i~J@3nHk5k$jGzFB;iU$s|E#Kju8uC+`s-wN@=M(grdZ?yq-idj}cl1+RJm;n> zQ7I2hqO4dNOKkApbgcAT#l+j@-g{QC!b_W0`%zh{y58q*#NE{Dy)Alq*!#hhnv7^y zoRi-`_Y!Zjxu)&ia}{3+HU+rPw{u4D{n*})Hv6d$uO#PE`W++7OFra%*P{Kl-~WMH z?*g@R_l4kyWL)#6V}4|HJhFZlLKnLTBlmkByVQ)my4O2ds+-z5#8~{%*L#mgpZuVC zRJJ^0@o2cw@U&{-yI|~1wZ$Eq)eh-yEq+YKRuaIDB5Np@*zR(z?a|{&JT|Vy~cf+&$BYugP198&h;$M*81> z+$pf->K&!nKr#jcuCMyvU&I$4+^{X!k6rzRWwHLr{yCg61J#Pbba2mGX+_R6V>IP& z+hb_`u+=;U(-IdG`ZZo3Z4o^-k{kI&Xv1Z!zE`qgc5^;WMo{K8OmvLAj7RPFnXj&I zRT;_~&+Ws?MLeja(1cP1@hwc$5O>ObD$KvUZNyII)hP4R*O)se)6dr%wF!vwJ+#$S zuz;_R?s6~|e}V~r!XiWaen6g6%X?JnyBg)2!47rn$JkHR6%N<$op1{C4fd{z+unY_ zuGa6FuVR4u>mJG%8yM)meEfKCP<-%Zc-CcHmehOiQP1;>XA&MTstb-EAk^7Rd0%6X zdfM-FIM4`X?&@)<4_Rrb4CviNM{`rdAGU|bbd+psswml&q@mw+j@GD63ubN0d7fHX&8le?R-&j zy12s|T|{)w)_`u<)}{?pWr>I@lYQSgN;=d0yKgw7gKrAalxi{xnBY;De`oaVcrUCLvzg}I;j`np^;|ELOc%P)ginR4?)&k8 z`R!;4Y9ryY$x-#56_%8zOvX|fMZAut2Xu9k6EQ(3dkj}^s4=zD)Q~^93NH2@`Xbf# z?{1X4#>dB-B@g-Uu&c43Z_>TcRpi-{d5y(?kJQc_zFijJ^u5`AwR(KpziC+xIA!+S zv^8Nq_3hd9t|zIz^}ClneTz?Gcon=Zce5BfYVttGAZuHe_4~d68UOcp>F=Ip*&)jm zsJ#D?^8THK?F~cmV^r*g*q6-catv>y7lDAX>MYn1CTd%O{0<)cO}OllBRm^hx`iqp zsd2&E3Emb*zLmkXiT&!)4qX%5Jd>Auk_@xAU`)|c#|OLm!WVT7w(O84f1$q5m99M9qMXT%i062>zlm`~W^(PdcNe~?eKbtgo-noW<@$SLg8~#P<__L|Q z^P65jjPrgeINYpfCY!X|%v#oC4+A?m%j?zn=0s?SBG}XYzu0>ccqq5_-!ZnN(5g}? zEm{q2DxtI}B}LJ$WGh>!RF**@OR0z~8T;5tiwF~uC{&7)NVZ6}EZN@wb7qVtmu}te z{qFt#-#vcEJMVVhXFJb%&Nj*pe2_z4Bq-H)(|&Sp{o8e=a2IJ!VkllXuX$q~^{h2{PyOOY*|k3Q~{lta$K%_tV?9iJz>h zghM2j%X8hnSohv`L(a6}52st+y0iHFft8cT%Xfb|5z$pP_rQlH+X0g;@z^Rnb1B+W-u$fii3q=PK;Z0Q3EfqNd6mm8zZ6(@cWgZ)?w*^Np_?SV|78B~ z9R3_?d8e7i&AkGtqFFV(o5gySc;|0VP*R=ZY0fU+fK~0&m^9+egXLD|#M@Tx88L=k z59@Zo^RvcCpR9h~@izU;n5M3~(kbRNuYgMb{ZsQQ&5wL}{dAo>XUO=}8@isHY^sIH*9vQv zmh4{WHm~SlVx{}%%DvV6g6Gw@K)FUO6F{9jb(&aA|W=MnA%oi z7FH`ie_T9g_w7&8b~tR_O4@1OW+}I7q{0~cSeLo-cTe&?rAa;bAh9fL!PtpvQ4jKt zmlvAnZp9wr99PNj$NIFSF3}VwQbm?F$;2D7A4sV_b-1N=wWvel3`@RabCY*}P^FP~ zsXc8zeJ^F+7^2gdZ8hcEHP3x2KOQWrD7l@Mn!UVTDj%RYTOXccE27-doUGYoKYBro zl=>|9cQY*&ZrzDXWEf zP3~t-xE;8=wAFt3E-HcbT-w2Mc_6zSzINq6e! znR5#*5VM%?v_Yg-KBVjHvxzOO`&=YS9tQWEES&90n6F#DR3nvb#Y^wGDI;n6N2a@A zN94C|bB2 z+~&<@k-PM^;Ofq?>RK1W2zAS=>k8INkSE?SYdWOSVAc3w%#<^_++;-`&C0OE$QkP6 za^J_!7qAMp6eGr8*#E#wZfWf6&Fx>t#HmuY*0&zl#YnvlQPZZXjLyQ2uxs#ISXg9A z;f7tkhwLei%41T^*;OZ!uH+QD`CmQoI&!bw=WTNfW2`?s*d;<#ZdCL2h!%G z?{nB|r{ZDX;lgRxIYIDophs=fsHGK)VNL7z@|2D%-t5m-ZgJVot8VKFJQEqWaIcO} zyH&IMd+22)WbD$UZ5FdUrtB*j!R8NfrlY*`g;)7z ze_r7y&aJZ1WZ1qjGL&V+D+e*p#fn^Php}6;$2skq%GXm7@o@O?7o3l!9?Wr^nr$pf zSmZ0IA2>d)(tncYq21e)q}u%1POoq~)6$}AHoRb#sZKMuZt&!#o~zp&>Sy^6m#i+y zwYN(hscvKx`*sUAhw^7D9n*>F8oAaYQyzaJ-gcWix#-~99EEj{zNnbwb3DFT4odBf zi_wV3D^3fv&p&$**BxG!HSDg2QfkBv*>jpDo!hPuC2#Y6p6Yd!`1|U{?r-jZb})mYCJE`W9i)7c=|$mNHL`-7b!`?eMlp z6mziNAvZrW_LS18lZUF72+JH1NQ|Gl*Kgk~4V#MVfPSu0GLX{~O9!2$X@F?sKD_K*lAIKHwbIn6P$!MXh zI5{gWIlJzK|FK={q6^QQR~G5@k{${D)8d+SdZ%QGqw9>_w}n~n*eEqF{oztSk=f0Q zNw-Fvwhr)FXfa#p^0C^NU0alMuAO>vdy+QcFm_2}C2j><5Tz>cD~6k@b2(h~SR3V- zsxqcPXvOMHH=a5wi_g-&yPFvAyx%RYXObHC-k#gH)Nae4@7*f3Q>tMnN4TKRoGm4p zGxfA5DNL-EJ?*Ez>?MZEokaLJ>3Soy9l(19A98|ki1Q&YZCd0EMSt@^$(;I;B{a8A zIq_J2wG^Ex(LLTKm20I(IOFrOZCXbyJu7u}aq61!bpkDiN3uyNo5j0czXfBI(;u#2 zlU%w`C>R*1dEdiB!6>-b=GBftrmK?{&~jM7wdBryd8)0 z+dpw%pL46cz%lh$j4Ji&?Za%P9TmZ9ryPy9K71TO>#$ApD4(Vz_VlW>oQSDfw)NfU z$J2@pqWqP~4&oDN=g&{5aI%t0ecHSxQL)>SO-u8*%CeH#q3%Z_vT2{o`O<0O!4a#@ zStXuWl)LM=Atpm0kcitIWuPEExrR?9W&J=^5?~ry|U>rN%uOv!R6ceM*emhFuLouSS%qNRYYXCeRM= z7F@B3>$W2Qp;4;0=T&ph+x-dne>@-$}X6gEO{nlx=(7=;(MC)+k-AoIZ3H{X#Ku)L0h+Ci6f>T z&>HWOgDnZ!{yH~y%cryY?OVav5qW;iXMMLj*W)0Gdk+lHUsY|9O1*tpsLn%-R;TD| z4~43cLWwZYIAip&unX!AUHnt(!`N38kE*HrAp1sQ$8d^~Zhcb&+uiq#GnI}fm)@jU zOUEqEwSMEQAH#{PpIP2wRz~Mbx6(GxR>Yqg&yIS-xg{@htkvBMx7P|8?m4+)so~xW zBj$0sI_KTER@ps+)Y+1@vV*Pt!8q&P8~CKpebSu!=GvjQ!wV4NNp@N1uvx?ScO)oa#?Z?F*7ici<(X>ZvoP1tO>;oXET%d?-9DcjgP z_qICK`A*Hdkk#n8d%E%V^PcmieLLhlKPmIcil21-kdpFgr1`;|FGaD3XelOAd(5P# z_}Nuzjup87q|S^pYb)`KxbT?-qx$a0^E97w)!r8{pH%0NmcF<^KeE+(ga2Vn;E?y# z%efwbo}cDbyX7pqurQm;&9g32b9iGgpWd1ScM6}ow48gpD4Ce`ac(Y5n8=vhaI1KX zQ=+UF=M>#gtd${as=G9>DMf(F4(NT5&q&UgkZF3r)j{U4^1C!E!~OAsxLGTQ&hsr7 zn|MjBv(=kd3!jvry|v#`w2E449L}$kv8Mf%*3{-%LY zu=VO=WX@`Y`y6oYz&+Zp+xITt#CO?`UGdFc2d_dGDtoQl=(Wy?i@o!cYn$aGW?gXo zY`)Spy>Wh$UPN5%1dK?^FZQpfti<<~pUmFT9LA;T{@h}`-!1m)sGXlIs&}bZB(;v0 zskXt)mT&2rP$hL)XG{5=f|xy2(hA-uPAQ;e$^sdt`mOZc$^0qMd@-a0)K?Zo*OvvJ%E zh)!HsVksN%vT(~6AC=8-oJ+a1={Z71p;PO~P&;9871p@P<0*vq7 zZYi#s+n!$6E%TBPq-f6}L8iuCz{Y)c@M@pg8yni?vm$q;iNLtebCdDUi;hb+T--!a zT)z4N6)8M>Sr`52AfaH3dTrW?2_$kgsOd~go_rUT>2{_|4|LkTG)~;Q*i&KIe3NBH z&C?EaO_<_EoJ0-aYTct)!1ls@w3fH~&9+7A@7Oi;rb0uRd4h-kqIl$rVAXk+{$qB; zb01C26OhrMO*(K#-e7N={D|riKPfz%7~`{T;=V{hPp7xhOYa{1Q0-Db@*?T%%&WwcUhzWV4*oF*j?T5L zd*&`;F#8i%g?VmD{FwY(Z`*=pM&>7DOQ!kdO)BNTsnsO4(M$8#xXK8j{Chs43!Ltn zrduq;XGa}49^M?il9o3~OHS5Ao!Du+uXxXNwcYC~&GbX}G%Q;n@9o~2xcHcN^axD( z@tY@sFygu;)&<*dwR@X+hHbiXw~xX@H-+x()dCf#EEUE*KDKQBnfydU_tEaMzQ$=| zs0S@(vPG%Y>~Ec?TT*?0%|x08=F3*V?oD{yp!+c3ts=GD{bq= zkxaY%KWPVNh92EoxJ&lg>CyQyz92Lc4^HCnN!rvAc=v(WaxC1XL$2t}oMpk%PdxTa zoio{$!uFz4Ajf)T)J?h7>_>8l7Ck$zU5OStw(^*aaCQ7O<%XG-y@IJm$l?_-zAIFI z?BaMu%(eB4) zVYm1yd(~d{;l&d)VkD>Puq%n^iIAaT^xi2p*GWw(HetR#*S7B9F&@+r<43O^IoIx@ zsv&p6nI+a-bh%^U$#V*1;wz6>$|I4WusVxj1#MvG z3A@?W)-{jq$`9J8KmS>~K~5<tj677XmLPU#JQ zyixT+f^Wi9*Opzyk@pWY;QN*!pp0^(W*I$trC`+AZ6Ik?bHuRmm{X}#B30;#b^XlO zl;lVc9T&E9dB*o%2Of?03@OeN=6p9zPj$IcZJ}!ov1)%+atck7yprDG)>uR~bAETl zBbuXZrln3s-Z}Sxj%j)#P6sR|9&5CiV^}jyNi{}mMeM2vAqLgjpUdV*A6vy+$u1D5 zB_p+gjpU{gkt2(9S$noVD_tq5p>bq7bX6Z!8prM%bMwPv<;JQdp;t$nIlw$oXZV?3 zjO&Kj!PQqb$SW7B7UUdZ{}?`e&2nnW!UKWhw|Et-=i44iv}lm1o?~=n;UyR+IV>^Z z==IdpLvkOU?hWX87vvDIFl6KDs`A};I$9g1es)?-v9_;u=T?}%LI2|PBT->0(+@qd zq;`Gi>Mk`rV{TL{1M99V&uf^Vv9)d|^t1>vfn=D4HE*hI;SuBKP#R^hQ6=E|zHEEl z#I4y;ZRR^|cvL(#%;)-abNiXOW2p=I=Cj?p^-6&<%O6zua=%+oq&@K|GVMJ?n#Vm< z-Y_U{Nof1K;SDSK&P&d7f)S*JlV_KoNn0nKt@V>z)mkm?Io=)W8@vAhu zwV_Z;e9Ilb)x2qPMbXBTf(F~%q0zFoe6=1$K4OhdVvC zzTSx`7<_JNE0rQ!k?6x+*EVMserbm}owIvlk_B_dx2+i$S^7bGNqNk*ZH+T%)*ltr z@+$fV%s5MD6KweaP^ zXg92vcjShaT3fZN9({U!lPuVw`Ds=G9Zv4QQQc-u@-Ew5{W8FxmPdQ6cr6YIh7lj;^k+2v~oN=-Hz`- zH|M>&?j0Q&ekb0i%x*8c^)9U-y1~IpceP}PX&`@|ZSu|SO9f*VtNPqmx!}2BqlqtD z&Fj#44{x~KdQyJk>SBHGEnV+y&BRFUqbPWfY(Qzl&Ry6ZL5-L8D_jYSv1^+-oyFhR zr%g}x)$hnJE-aHXJYcJO(dR*%>V-q?{sJGTPD!t+;JtC`oxuBmj+swAJ`%9}7tt&I zcu&U`KM2`4e7j;KQGPy2FZ7eodU9iS^|lMQpM;Z>U+c|%XsZSr;7rk1u+ELQ&b?)s z+qy$KN3bi<&-v0MnznSyHEM+C*cqdS!L}`av{%}GlXa3bho6blJ7~BzDqN*T`t%N8 zSr=U)9jjHO##fCe3{Ny~$t;rj@?^6(nRA-=lk%&34DPqp7uS`zNsJg@6LDX9*|Jhj zqkXO;vapE`dP|+W4O1qhetBY8TjDl7yu^?S&vs?!VjmI+8C>xevA}kj4G3oxO zEt7sHrFDVxg$pl}mW&f{I)yA5i)+?-QfIRT$q^GY{4|_7dTk;N`EDM2vZOHoz|851 zNl8u7CzFSJFV&YwQJXPJqRZMphW295o;-YsZsJopisTycRpOYb!I;|ux9t-nuWCH1 z!<SVB0@p|( z+MU!M{Wr%8_etX2Epf-*ub;o`MiA$ct})bwTjqHQC#S#$D>-quUXivp?NQV>+W%b0 zv2k)1=H+ndlE53-9|lV4b9?>)wVOHuon2i|i;JDw+D?#mwqDz3?ZvHf zXG<2_2=n`{Ar|}fU+!DGgCoN!Ed?vn&kk2Q*PwKZ@aA+~)U?U^Ygd(JdJC)(n#(ou zYF+lQ=PJC#Du?H;uM*E(-+efe3;b+&Ri?e(M6~eF6wuSZea*|y*lQAaW)NZjs2yxe zBKfvZEVG-!OAD%A5hh^owg?9JF0fA7RZ!;y6IPr;{yXL=l`P%HQ*d#)?(6CtAFc5) z2WEZ5E_nZnMmzlgoFyv2GZ9^W`|!RTZUOr6#%=GpRORE>db+N2MP z_sX?P_F0BgXA+Eqg%-MLAunUZXUdhef;?yct&l1)id z^xSjWib9Gnd(xCWH+nKWJ@5L_*E`pYo0{!6Gw#b+s^({`W?lWV{OTR5rwtnoXD;JB zeDPY#gQT3oQ8lk7-z$F&B$leX8)A{nCy*|!60?qy_gqDilrlDJSLvl`i`uwp3-Ss- zuDD|qUgpw%vRD`h{8r4hX5#$4bL);~HOy4X5W2UvPIvB)Xy>51oA$7~)rQCi5 zyA;E`W$oMdT#)$^b5j~#;|pw@J7-zsh?+0+PR8uMB)cTp+|ycGV;^Q`$d%bsbBV~6 z%Jx`@q^+=k^YlVeWfq~s_99Om54a$t3$7elM#$q$_870le(&@?57~nghN&DBjDBjX z>@jQ05fQAy+QN@`p>&_x%S)>WAG@ST#;MhX+YY^(eehCVx^vvTWr# zH%8kICa*T6gnWo{O5LJs87-23HE<%goAF}Z=sJRw&K}OkCA>HNwsBWz+F75UO}a}RC5ngzI_(Uuz$8z*87=NmL+FvYj;_52%JiNjRheD@HI7HXZcU=80$ zv-alOQ+$Vu@MxMUZKH@yUy(bXx2qmLh8N8*=K>)WHOjSOD_ix_S$QQ{^7U4ex48Kg%W~u z_o%X6I_vg{swghvDbeuWzI(x0K8nd?qwLbLT0GrxT(srRadxQ$`Ln!aqx;KcM$_J7 zRbO5Uo3Kk-t|WB|(-tYtkv?s4adDl)^fj;ZFiz?1p0zDv7Y|~F2c47o_oW9|!(4jW za;wqgQZ~}thPjs}v#tL`P<+dG*!M#0FgA<%`}xgFOUGRwF6g`s^B`s3UY~y>3*eNR z<3&rxI&Jkm3A3)VXHMbFoJurS=AQL=_vcP=%26Vzdb)b<9_zEI_b;UJlXC<$w%WZ( z@B(i*!FN7>gfdlZ=Z>AS6FrMYZkFQMEX}bw)h3an^Rg59(`t$dF~28s)4GP((X>kE zI1jla`}To@MdTQwZ7HGgQ~2xHOk#e zXdHnxM4jAoM1CYK73+}F&NiUal(j${x!}mU_<8U1|kOvix>TWg+ zA4V%xZxh=39<$^wvs#pSq993po5Y@8^|ik5e8jjKw_#H`)y=nS5#vYDP7=CZ#h31E z$SeT&zUeBG)#8{pws%;WFXo*0Bzln$Z8T=dQx@tRXK~zM>l0wf^m8UD6KN~4y}V`9 z&#tgl638Q(@zWXzQYz*%cISYSD&WmMB}7|~RTI?s)cI)>$LwD#$iYRBS^(Qh3$7H} zwr|TYaLH3Od$)RqHbIhjE@FfSQSEG+?Z(qiGKu3Gw@?~uqqdEil6H*!+(WN=&PEBc z_5_U$fd*FbEjVGu?8##{yKa6C{^VbG^g$=sfPH<0>DRC|jKe?uKg0`6g{%eHAM#7c z9gvx+34Y{5Mr%x~L+)Rn_MeW|@4*MS$Ushp{4=Qs9=-#4`R|qgPrVPYqXlEHLZ&C! zmj{PEgK*e?2tQbY zbpUxQ0=uFU#}Aj`IP9NA$A9x{9Nz>qfLL-I*1o~lK$ZnMtO6Ne;?8>95AVUAPRz9Z zpNQ*VFaf~#kO-Sq;<)Nt9EWv$aEMjJl|TlzKvn=c$oI*DT%RmR0}ZwUUGiFS9QMP) zVUIC7OqJ#2^C~`ku>et|@dH2uBn!Js8M1)t zgEFcQeX@Y+15-D`9(6eEPlv-^d^l4#vfz)xlK=4u;hzuq>r~*lCeT0wXrPW{p|3t5 zS=iYp3qPV8e-(d-O~?Q2tgWq$!yblsQBe^Nam)ziZ_+cs|0wVh(Lf7mfMnrdpDdvI zfMfyHhXZij3&-6c6RMDRf=nnw-GFt_a7CyW$WDO0{RT@=3S+?+II?|DDE@5RVZTfq z_Bk*Fhy4)oKO^__^w7bE zy%llTmlB7)I`NQ`D{c<6~0IIJy*!#=5aMyL%P ze^~nlNBJ1gz@SeSV9h=p_6q$&x^XbO@i5dG7JGTaU^MtM`49VK(&-I*sN%4$10Hc& z8fYMe!=A7>to?w)I!3?2pGkv(vhas=Bk+Bo-H6)CzLfA+;?LA`pX)1dSjz&BwvfSL zeG8z$DjfF0?WY0k-TDpxnR0-RMt!pIBf9ZN?ZzFiVIL0$0Z_%9G>`^=7XQ1ty69gi z$qdKi$ZLQGvft9cj6s9U5Hel}_8%+WtiMrx_&wdYr}W3|Mj6lxxt|#Xfd5DTD*U^< z8OjFsPA*s_@lZJ_UmP) z$iE7IX5EMVm~q&P1HWOtrk@5#7tm>d^daQtx^f)$3my`Grab&vx)JtXW~MiP75?Z0 zuwO8K=iGYymhC#AfgGI%v3+vDN(0z~8gK3H!7tYT7!7_^H>!fo)R(&c3jEvK!JvTz zdoJS%b{qO=u$Dmsqze!YEM&iF6JY;p{0p>~Y0#(j_yqkM(9_?`upc!J`%>e_psl30 zli#r$2kJ)Dmtv;B692Y_Y8>_}@1wywkb|{&Jd%Sx8bs4+@U=~VJb^FBWnmTuCH@Tk&*Xn+Ya^a?eq$dE*5j~` zJA(#DAJW@|0qtU6n-Fq*1s(*pL7>Sp9M(I;DMm|h*k>MxH4t&{qZ0VFBjPx$+f2`} z=R6L3pyRNIHy+gRV|L?#QYQEDPk#mfk==|E(t#;X3UnIWwch}8z@WiRBnSO8_-(rw zitHmg4Hz~uqJf{`R~o=NT0jE^{!BWAT5h4!0QP8S)Q9ibjj-Q5Gv)qO_%rSPN7r?6 zSnC>3a*)UAGyr{w;PegLi-zI#&T^!g~Lj6TVgX@NiaV8B|bpeut&kZ%WGqfGwvl~l6 zM*7lxR@~9=KMQ|YFO>d?u8vkb!(A0M!~qLo@(g05qWMLy!Yj z8Z>{bq_>;MW*W?HJPr1ApYDG>5clul|3}6GnEl`Cf<&C=vY9~x&;@ik_=$FrNdrck zfM_suo4|_yV0L5LSKHs{uf`wIjHw4J^KRg2uG{))@MpA(uvbBUyU1)42E!lG0o4Zz zw2ytfe+I(I`Jcca(SX?(>S+3ampu%{pT*kZPeM=Pk3&x2*}4V|^XUjipok8OPs7+w@i~95r{m|Xnfwwi*Ff!;b*uU=E{HYqRD|<@sFMhvWl)w@G zgQZG{6S;BY2D&wJDBS-_{8?$i{LQozYhP#5ZG%6fU2Lvr;E&2infWcIUjH8M-^2fB z+Wwz;7BK|j|7W#}EiCvmaYx5r#s6p8{-1f4i9gde$nZUa*A%AXuTuTK+h1h131|$F zwOwqf2g3&vEARiQ_@||%(P6DCeuyU{8yW1Qmb$Nl6OY3zzT019(tx#HY;9l+?y&Oy z&%l3Rd4JY9B0xj=Gdu;^M?iz-4<&S(pno}`r+=!y7_GT_RsIK-_h+3W z`vBR9_g$6f{e*|UI(XIdB)sUJC!WCUC;VW4F(<}_PCL}z4utQYia*mvEYFFe+lZ*Y zJXBxld;P^EcWu0@lQHgu+S>mX{E?nw+5{g<9^rXmr|A79ram03uf!ZnMq`LK&MM#q zNj^BTAy7i}9EdwQ|EKaF!G>tSw387I-N47jiWhiwK{Ea}GZfl_>-ft=5B$YlcY3?< zCL;{5ETG{Hm9OyL9>zF3q9N?>G$`(W2L38z9!fUYnGi9J>|6B3@Sv-e&{#WrIs@(sU>;K}<@ay@b z{h$99J`V-wzx@A~|40V@mH+QkfLTwF&su3|>HnL|#OwRme;xm4;_v0S|No^9{3!n)pT_Y2rkrcZjlc4i#fz><(c#Xs;isRYYv}jmGXy-B zJe-~pUcXoW|C?|}unxo@;az^yh@R2!T&rRDhs?|LjDG)r!+#*Z{@3yURr&ut`S|z# zzZCeF0{>FrUkd#Hpa2?M?!c_*L(FB^RQi#OaeZ@yt*+_kzdaKAu75o?GRVT!cO(ut z68g@WN38GsuR1cnGw{fSiwP%R9~}SnM><1(;vd?-l>}KGG655Y|F9R~O#0z(`v>4p zhkP7zJY?k1(FqwP@Q}x|Azy~P0W$2S_|HiIj{szU$i2ufyBMY;Z-UR2Klq#a!nAw@ zK>ry0&sxz10=Sv$5NN}7 zeZUdP6N)eGi@A3FQTSmj#`PC+o|cwYp0~Gm?*04sb2BqDb5KSEbOrdCapWj=7_BF; z2Vh0KKx+vw*Hd7wtAS!fQQfX)Xjd{6LC;J)0LDQ#wnbw}M~)o9QEc^Rx#IR zpx14{W3al-j5$W_gDm7S;0+{@!f)H@KMFsh{fFX5^f*dJJTW7N65&voMy1oA2|v^4 z8O1>`W9omTZX-R5VuleP>>!4wFMZQS{}K3^@xXa;=jpLeC>AuzoDus)1wK4a^2L3? zR$zr6{bu^`qqPBkwr9gO+5EFiM z{3CTc2HJE;pZ^T_zkF`!_mf63WGHrsfdeC+HV%Bjs)`@u*=;x;4t7oG5IGS1;V*)X zcLd}c>Dlkq?I3s#r9TJ$dPWQs#Q(6yKhbe8XW)Qh<55g>c9bKY6MGSV1U`*f(a!k8 zC}%t~!U@j^cf>Q`_&g;9f8X4U+k?%4;vR>p+Yt={x04w5>APQrpILvid=At7E0Mo> ze>@_@q@s9ChE783Gs^W9&pmiI? z4)*C!^Y6j``t@s^)#q)f-$(}`A5RnuMfYt7mE4$ ziUT7Cw7jmSzujPMx81-V>`UU`ga3Q>4(mOJ4E5qK;_doyVEC*L#9^RbML00mJ7LDM z(&P6ajupl1vBJ;PvuMqSH;g7HgB5o4`;W9=OgxaUWG~d?vWy@+(_?SH-#r5dh({bm zuc9?em~l6ZSOZ2JCcQob4g=x00-c0(FxV@wG8sPa&x9Z0fouun0_L)Zi{Lv3Iupxh1_Xw;RPn~Un= zl7X=QD*c&!U_B!LPLy(jkF)62zBqZho%DU3gkoM$-D3K{y1BWPAQ^$o|0D4Ki2fN$ zFEOtp_@9KHpvUptyRaS4^fRExuYA=>UvXgQB&J?nf}@xf1V57|moHzg{u%gxRR0X6 zmuNH^0v~+OPt#*Fo2p*X&!69NW$4xZH7gkFmY}#?R=wKVSo=%xGx7eFBLev4O-9?$ zSP2F^q-XKYU*kvm)|_D4dQ80n6i(``a9rf+80$%Z{u0shrjAodaURFUx~ioO}4YoLIc{Q50UDcL%R7$^ac(0y5J>e-^!i z-et`{OaGtIKd_zZH{W9YF7r2P9}rEEP8lqtdxOEveE(?7MAsU?XSJPeO75{DGtx}=QnTO;ON@l zogEz=f7gCs!XFnGhcokk3;d4ytFx#UtI}bw-K>9Nrdmp8A{d9V-v;^&{vGGf9H-!= zk?QzUdqMgU{YJUq!fd=U$s8}ZC_1G5`FFtky>BvM{|WfXP~Ja24<$eUUjLT@|7#S0 zE>Rf~G!h)i1jZ3g=;s(_HT1Cz5einBr60jthkhjV9pM)J{Lelz%V!>$-yQ16)d$Dl zctm|pG|Mv75&3BeLzacy@255B=oUQiiwR&D1^EQzhmaXFa5#>}G9N%b1zF%1KQZL% zP_|e%O!LO0xloul-wZ=hXf77{?C6(*Lm15GfWHe`2D(g}F*Jzm0r8 zklzZL6GnTm90Gq8owqn{4sbzw^b4OE^3|Fy#(L*yo*nrLpgB?G1BCpTkWau%7*|F< zGvKEMpbox<*N}z(z>W9d3xejNknaWZSwM5M$ae(!Q>g+h$bSd*7vzhB_z@0#r-FY7+V>+6<~91}Wtgua z7`_>+M&J9rej^$)LvwnM!mRNynDat&6i*5t)8|sqTrZk)*8*Cg`BAh6Kk}nNdr=^N zCbS0y-QNLZ(*~XaW&m{f7$zNlEN=N1arEOPXEmJ(O6fyw=R8MX0$FfT9f)&UdlJ$M=+o{CFIY7=8Dl;{DaBn zDMp>>x4C}=|6cHtOt9ZbA16m+n`r)&=3|JX`DyfB){OXp<`{>PO%>n?r2cu{-}^q| zeHZxgp!Iq0oMX%%GGLH~HR;LtqYoeOl*W$VI4%8G;fOL>(IP)Y*Q~?HqrW`NH)p9 zA4vUkb*%IsYTg0C^6Ks-`kIJny&E*Aj(juF`p9T~XtZAdeeMwEpwZkXny+HQfOx|y zn^6q;w;v4uq4WTffiEo|@$BoGbQsY3TWC%k!GPv%(3<_sdWq)2(cC3khZwE3$oxKn z;S97!jotJ;>iX9eWW|4|@1yJVxxCIVc>UWPy!v?(UimZuFMAY?zs-umOCCmoeu%(R zz4YjFcW53P&D){*-}f*MjOG|~VCw8m4NN!=@FQmZJ}b|^_Zy8Zx4`;a$TtAZNuxE( zne`IQHy}SNH2;a#U`6XwGv^%8x0rNi9$CLX6#oai{<*f4UMH$x?VlHS-RSdA%zBA@ zL(sevf&qP>N!Q=|KJ&RBId--+(&u2%xc|$9%Y)X-7~3t-ZhT#1>(Bf?n%8}w9f_x3 zQKiqtq4l4Te*?2#qJ2a@zAK=Q?=$iFz3+dI=gcx#kEmVhhIaAu$9FIXl8b+Mm4SaO z%ZKy#bi4=79sJ(+2jesI8iI}W+XH_i8Dr*w_n7Cu_kHGbf7S8d?+;%8(cJjmyLaii zq@)BdE&Xf8W{09b`aYW5M)^Pe{qK#J{mQ-PE;I0FPQv{$?uA#E;)Pe2{6_!&$~S)G zT@+`H@=)Jrwgdkj|FaYTOH2l=(5Zcy4~|3{3>iSiejuag(DOf)k@3MyXq*BC(x8|! z<~W7=FgW?e1m$x=j&173+n>XTL>|Ng)WQ@uT+4%uKKn}vVp58)f*G|9`VpwFjpBt? zK|k9V`hE3X^!PL0U-`fju+>oi4fP>WpB{}XT!-(4LVwnWv1F^!!19q^`@IZn(`3iQ z#AG~z@=@Oi^;J=y1ohcf;5%F4J6FI)g@pRZD3h7rL1n|-Q!Ds-wG7O8d3m2J-k0Mg z**EZKi9UFGT?5@m67>U-y?+^CNA$V`uzNuEhdy}-;8M{@4_u(HtB=aBsj2B0tldR6 z#ET>^dY=#Vb?&_@>+kQOJ}>g=MScI>rHp+`Q0xsFhdBw?Amt+*zE?i7qmnP}qW5i4 zU*>*MUVr(>W=H<$Xp8}kbD;h#+G7!oaiD%Z@Vo2x%I}0VTT!10`3oZZ^q!jr9{Z`| zn>}lsfF7vdiu%oT-UBX(_s@V=KT{SEBwD@&lzsU+U-0WuO_P z^nv9ME<+u7Z6OVRlj@BZ-o1i9z2S)G#W>)PqwMjBGqUt=p#IW>7*{+NMlbJzXuc?~ z=!Wv?dxo>h4=Zg3{zm>eXdjD22k_TDzlGj6L}L|5Zc)GRQM3!)pC%(CqZ5^hU`L6y zd?sCnIwIe%m$zN;nxb?@{}W`2-Uo*873!VaYKr+~7 z-`Ha4-GOyF@8)HCTXwzT6TNLgHU+XtQ&>o_<&1ftVjfJ9dP&5YW18wq!+HU%oJkXXN8#);LwQsUvpOv$CPRL2v zPsIpNytJP_hKSn3n7UTnw7T~?;6&d8hWS48`>e-;n@;#c@MTB#0g6{dwn5XUTKw9z zYY!0YC^6q3$OCl#KKCY`6J$(pbI=%8vWE_xSLhwa+h5;j{VuESZ)vQ@KUJ0B4Yd{U zZtIZm5BB|`t_}SD&yG#7zW*aSYp`dS_z!mPN3Jp7|CJ*SbKWRAmy9wL^qUNG=;R?X z!^$LJjLJyBxUmf@khYPPMgO@m(Qz2YhLNBvh|Z|6?+g(W7VbOa#xQnF5W0%!UKYq9 z2gVNy3!UkJc3^Bygf!P2nCIo{D^nN~U4y|Bj538W>P!q9)>kH+!TUUYWeQ^s(CZxD zSEewg1G*2vNhL0Z|2r{d>;U{`Rz4f zEDUg$pi@&ETR{IM0Wb+;-+u4M=(P~u`~Ejb@WdK`aVx;43Ggoj3=qe@_og_u9R8N{ zK}VuPCkK?-4%GVn_YhXh5)j|F0EEc#fx*|Uee^-nhUm?dH+06397Mx~0IL~flo)(f zg7*wTR*nPwrYu~-zM&g>UV<(M-#$N38V1V3T6m8DwF}866QZv*0K;a`YmW-tMRINe zaDOYa7#54F*FQ5UabUaz(20Q#fv$m`ft0}5z^uUhz@osiz?wiTh&zZsh!i9lq!gqc zWE4aWat)#c#Rk!W@`K8P8iTN4{$Sx?Qm|~WQm}fkQ7}2!HJB0{8%zt%4=xLC48}tE zLxe*}A+jM#A?hJUA>ji_X*E0scxrP8SR)G}%#6$|4J6AmMV$%ZL~sfQVb zk;7cWC}FW-w6OfJvarT5ESx`FIGhwN8?F?t9&Qv)4tEWwgvW-{!t=w+!W+Y}2>uA+ z2vUS>gi-{sN1X$6fP*K%NChYp0M0Ccve$d(A5BZW)b8FhX`s!Y(zptQAAAy7O51Y9-|Xu6k`@cj&X=_jq!}3#86{mV-jL$ zFP&AMfC>balC?BX4s1~Rms1s-uXcoxiE`y(fLBc_zbgs$<$pdHA zfVVopT{GaX18~?AcuWN@Cjg(bfYU|5>l)y82k@I4I4%f07X_|M0^jB7oYw)~n*sM7 zfd8H#0aTEI1dxI(kb@$Sgc^{A4v+?JkOx7K2vLv;NstP8kP9`C3>}aSGms7kkPpv( z>XXAAfM1@#F)HvZ0l1b0d@BOZ)d250fP37)Kfwr$%z?QgzC}>zw8kR&BZVVLk+P9W zk?N5~k>p6%NJ?aEBrP&OvMjPO5{u%G5{@E8$wnzfsYe+_k)vFrC{eLdw5a^3vZ%%= zESf)BIGPkK8?6+r9&Hp&j&_ZvM8`(cqVuE6q8p>J82%XH7*dRE4C1B{aMBgH7z-TC zk1303jKN$vpe=z!5vGtRvJ@qXI>m@WrnpiV9L)!AHc~L)q%d$%)?dkA-QNg!h*3DO z&A|5>pcOaJNfc-#5A@Li+Bg7Rs34J9AdNL3iQFKCq9B3tAbmO@c@CkTq14cX(5%p+ z(3;SWP;ROqRg@}8m8Ysvb*N@k2dXEPN==|O`7FIz)O#QX>;0vm%QkYa%-$xuXQ5 zM5835`)aZoh ztmvZXn&^&b?ij%s(HO}X`4}~*Pi9b;JfR*XKpiTIsfp=`!D2ZuXJ7$0MUWy&k)+5| z)F?U>Gl~PnlR~8=K&>i*8ineUAk-yEfBC+eYw1B7+{#XEifN%gQKsG=rKs~@HfE?f&KnaKqpatXy zlm#>fV1fLB!cg;Nq1LNIjVFUHr+_A>fhI2tYy>^d4|SdtB>O+0$JHZ@KL98%~QtODPZfR0nja1L#pI=+G?CpEaO6xj}D=g3go= zRtrY@4hrDsq|Ys>LG3s57X%KA0*~RkD<{|x7$!+k1Fet+a>xyL2e&X^e;! zf)BAluf|3wkaO5vJ9)eI5dVIRkiOF$e&BMYQ*9vbpG&B{KTTPlWeuVfUagv0D zxC9B(?(rieBw0>L#=i=NI7y5FhG;(+%JQovgjrybGd!#*tgNeTplhIwV6q`hXQc*k zhiF6K18x#{*lY*{tmApSkkv?m810i>&xea|oRF8_weDKnisH4cR+UuWVu`|IwI_Tz z7T&qod0CDY{N;SXvI&K^!yA3g8CPE?+vrwV~pcVo+G^ z5uS*%Es@%aw;r@RKNX%SQpbH*di&M;&3vOiXI$XBA5b%YTf51<X@1utq>D4)G#sn zMyyD3{ZFykE$e$q;~T%q~w_Pm<*1L8`#6M-O9TC(R{^GI3-hj1xkDnE)vU zRxmL+C1pg*@kxK3~qU5nr&)DKvDNZ;O5wT_Le301$ZsCjD{5?iukd)1Qvbnr}XH&I#(|eL@RX zOnlHlI#_5qT)iiK72ksxr=EtnrNTRw#lCBMdigltwwngQ7j~ELpJA=YAM{D)*aeM| zqZOhG53D`avUCimW4q6K#l5&|+$64%m&SG_#@yPL<}xFCM&`rWbN%OtPF!(Jluc^k zr9j$DfpVWQ8~jh}=)`!3?iJqq>R24_#UyG+#wZ=XJlP!CwZWqss}A$d#o-9n*5>D^zhLeby{+-<71s)d>B#EMi9=uCa$rHd!k^xwfEM{EBu_@ zT-KdVufN!AY(He+uiQDxP4L{p%a>|(^wvt;(DJVq4Dvd>t$}32xdHU1Sf9=$O24S5 zXg*DNG`aiBTs`k1RxN>a=HH>LkOGwymk^gk>XV^B#l>RyNc! zJ$cYrQ+U1Maf8DLO?3?om=6)Z_Yld3?YAnG4XIQ%P^q9X!jpp(ZXCaBP%~3VGw$_+ z&D_~X?$k_m%W7=ByftJ}@#q>#Z^LBi>AE|b#V)s;QT_79XGQ&7%Ou|fbNABHP4+vd zjm!LS9|$6we<-Zg8>c!h*@InBIYGX(YtDAhVtOuPHIdD)&~*O~;k zE636f8UzJdocTCX`K^zP^u>{l{_|$&wjMbVe$$36qSRPn;$z*?wzDmSb-gafsb{R> z^8D0hY@9*!uW3&7KV@HLO1&UGBid3Wsin?u$ClV}voa@M-n=VghiA~9jyV;h6nI4Q zr5>jo6o`|0lB~3O_oU<%3Fnvcxtj0tYma=P*l_ZgUqr*`Ir`>)!tWftLrkr(#7J37rrU21t(dG6Ij2Z3?ZGoA*Don5`zv0=&lj@=gmj|vibdi+bG z=uV@oj_Ow3UUHmo#S3;-5ktO$v4R2%mL)Z{+%8FQCp7LSW^bD>@lx4RO6JHXvgd~? z-}1ZLvM?BT@%UPdaEkXjsrIb!%CbFWbKM ztSK{xpLj-ki^ujR8QHMSX6p8f62|g(I2N>}1-&a@p>vT>N$U)= zNy&gF<^DISYEWJFRn>LRO|>jYiEOd)3CcS&ov$A+p0-8}X(up5zMirTFk=X3kFcJS=Gm4C+{-zXJOnnAZ zUyI6%kfK`wY%p&9tu0A!N)(R!FSvDJecbubyoQ+CdEITXFUp=eyyIN?o+=f~_G z8}ekNV9#0srSWa&9Tc^0++<(gNUZCn?3mW`a_3G?>Wal1>{?~E?@J&{H(PM8I~VtA z{Pu+6-ILO;SDm>WyinOyHu2Ds)#E-K;#4S+l|JuY;k7i=ewTLht!Zk`dpK-5HjM}k zcQq@&o~E>OhP2FMLyo03jXPeuzrX12bz{?n+cY+bUiJ6tTl}}ztmRHQ-5dElKKD+! z{^U`!TJ9=mS4*W$o_~K)L7D=O-mN8?MLj%TQBO{NQrSYP-VitI^Y(ei^~?EgrijiF zIepP{neHXrvMi_hsmTcA@Ot|ZH#fYmn64~t!|y?|;lIL00G`?X9Zdxr|6uJGOCN+{ z?M0f<-wPN<6z65>fv}T=Sk8uvk0i0)9ZOosa+gyKsKf-K!nB$2t6-%#ELKJ^5we=CuXa5>EqJ!yAugDLOJekJ&x!!tLXD#EPEk;mh87(~@u5zErtz;gr=KzDS;kI~SGf#}&tGx5)_| zcX{DAY4bVP6cy6Nh#il+XMCPaSU-X|hwcYQPdCe^IRFRlc8GGSXNh8KDDJ^R$IkX}| zEv1~a-e338ik@vbqG21>k)7gIV)dOdZx^hkmyXyB6s%RMCFD%taWayB()|!FZ)su))K~%AJ?Jy{><%d>Z*!(;)FBpF~;s z#dDL{_!rwaE);2*sqm)9DRA*>BV9p036g|3X$fhOxcCx@#Y=ZnYFu_8k56}(b=<&=O!u_8TrjzFPI^Ahi2hVC}IJS=94qBJ3 zadcbZ3V}7rJjai3al6T@bZZuW@8m4QOGkOHR!`h3->|ka)%)O+v6l|*PQbN?`)Kqm zJ!0KCr=w(^(Yd#5f-PqH_bk3V)E~Ag<;V&9501$lXZKAx@u(v6#EBKkPoF;Dz4T&c z;5)HNEAIT?60a4%@yj*ts)=>g_1+lp%+bm`tnJQZ<=*cBsxMNW-M!qeAHKC+;Wb~M z&Q;}GUwkXv9y2!^YI?=+7EZKB4KG1dC1(^`f`@?p661}75Mtn-Tpci1(t9ryDwfn>5}S^g2;U$ z3!bVsF7*`=m1M8{aFOM3+fD1e|6G{TeBWj+;s3Uy;C#}HuYq0_m1b4y+dn@Knm>8@ zTjzPz&$rxlROt-Z3MZx1!sZb?F29)`q}RP!d`KaxGN7cFjn-&hZKBEwkx| zMA1t?I*v)20ZTb^_?RTP(1UU5(sn~mKMF*QN$$O1^v?TifBoH+yP9SmwG7b+-=^$! zgpb|TI8dPW!p~aYjJoIB7JTX5-0@`k{$#}oGxiJb3BP>!VI9Y{ED;8a?|O39@6Igy zW)%4^KGpug?AMRo+}Wf;>$uhH4lMe*;K4m5d%pj5Q-6P6yi3VWVvXRF4>Or_ty^n2 zFTaaDF^fCo@e0nu><8zS1o%tO7Z&+(t-bGH6|+6?;lfIhW4gOAZTw8nfQ_AUTIo1m; zl11Vl#o6B5p1tP#p3Uj+qF^omR@o!6HtWydS|jlF?wU0(!~Rc(6_4kD#p5ZYLI`Ua zgJ_RS8_2r+n<#`mNw6?RF$Y!mZ`9pnC+J4Se3HQsESWV{t zvFYNC8p)&=aZRdnM|R0n>nJ|D7Of*<>dca{>2@j8gQDXzuGyqKmG=;ki0`yW^i6V8 zX;1E%7^Jgav-4?%{55Wor484G+zU3BUY*=Jxo+E}^xwgWoh!a(Pdo4>B9ph~1mnh? z8l~H3Cbuf}B%Z3AQWyEBhyQW@Rz|gLIZNNQ2P!^^NSM8gM^`&{(UH2{M^v@lnK)`Z z*9mWXSmWfRaZDoYyrapswAgJW)nCJmmGqU&HhC}dntJ2wvc4e0CMI9tz?mlYnc;}DRkRRN}L^O>Jw2>4u@fgY&NErY}tyx4K zUT<3QaN@rA*{8%NZe6uy$}*MNpE3H8FXx_Iy)aFZ^X#<5zTK7o)cP`yxhGsGj8ZEqmZ25saz1>BEhWUzSsX#JlLO$@DPizU?UKc9Gff&0mV!>%$3-$MJ!9|Uh(u`0^p z%H6VbhYgGZv&uWl`&T-BnH5$re+l2_1Cu>}cTeu_QL?FsYDXIgs_sCe%T;@wc(#bLm_DF)k1OY39aG cnC)uk&bLxW?)Ha(2Mf=6-O&;H^wxy|0Ok9?N&o-= literal 0 HcmV?d00001 diff --git a/venv/Scripts/select.pyd b/venv/Scripts/select.pyd deleted file mode 100644 index f45f2dd40c15e646377380bd75a8cb1537c7e628..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 23192 zcmeHvX+Tp)*YIRvUlmYP(1@U@EH?{bNl*}?qM$(#L_rKBkRT+O+z6;B5V6LHw$`n! z3lyzOTdUT()D1;Nty--puAP}XXU?2C zbLK2Fb3>D+zKIwJAtoe~38DQ^;wOg6|9NIlL&$Z&=dNgv!})>xX^H0trpgr>R-q&=+7bmd+ zW?~USi8LFu)`dIG+SZKd1D$BDuE-l8fo3SHFO=?(2&(Q*z0(o0H8*#bs2Bhs)B~R) zL`N|oDd>dzb(ZF8a~O;Z&>%iSrMOuPa7X-Nd14S+i^rUS&^#FDA{(JpOVjI$K+Y>` zMnmJuDbKL@kw&5`^T=&;T@%Dd~I zO6{Qm0F*$6LD}tzL8u`_tx@L!jG8OV8CmJRj29E4mKCZ15zigVfZ|Qq4GCUj5E}I| zYpt^(mYHmb@itx5onVg9 zopP=;(O^N;m$Iif#o3$SnbvrYdL|nl>K;0$7_#hjr%h?;+-Lg9ZSo*Ca!=Na+V$EF zJy*{$c^x8F5)^yH!(1xuF)B|YGU9yv{cod25Ry|VAn*Lyv|Xi?W>=WJ#@Av5W;9? znpFroI}8}ZOt%8Er^AG&8GguW#7z!{SnqU7S_V;j_VgI40Sm|~pKtU@9h7*o+PJ1j zjs3jAhQ=DHKT0+gGfiG%7#U_w8)Hc77+u4ht(&K_M>R}cd2_nSYdYLA>^KQGSE`ld` zxTXhs=vctOWCFz|uV(A~%3|t_@QxSp1O;P4UoQ$KpZD_WavSi3ms0F<&lwMbR^UY} zU;s^_*hKmVQORo)MaLcM**V=j{|Hp>Y}S@_K(A#-4S)=Z{_Zsk{ilEn71yNt$2TqX zm%=+%EqEotYg%3xjy1m;FLanphHH2!Z@4WMg1!O?Paq)&Tyf1x|3vVj#%&m>6(c=! zTin}>*a&`^Pd9ukXoUP4sEN19>mu;a0I?g+!b${r zB>Ma76a7Ix*8py4HF;G)ncjrg0Re4HQw*gT7{Jm^6sMTH5&&t2Nctww19fu*CHDc6sHGohkhe7z zFic)|sS(`)-3R324!*Vr_}Z7fEHrrjRfG3y8-Nq6dd8u@0pCk0zKy=-cg(D@2fTx# zFP#Bu1|x&ogT8+O3}St^8g!ccDOiBKAs%GowFmgbng=dWOP}6oaKR!o&`ik0mLCGO z2lv}RO~u)8YI>t70L#@BfYrnlfL)j=09&Lf087LafHln&fc4N6aE{8cZJGiw2~z+L z38nz-+e`s?TvNbGDqlu7*4_wmL>Vpa zx^j2qwyFVI#6~*kb4J#2XH?)WpAm-KjS?47S!BEpT{9LoxGlT{eT*0F5Lzty{!`lG ztou4y2hv4nj)i@dTlGO`ZL+}?po5Gy&}(4>nPfZ+8z18m2(!j*kja@KRyl&qsB{Cm z8PyHip~jDaC?K=s9WX_CJ7mUjRI8aFxCF$x0RuLPI$nUD8>0cR@P;^?-N|mY^1M@hy-vlsi|Ov~H2n zn1=;++=d6PAYse|P!hD0jye;av@vA4w}=d3ERZa`fQ(&EmrsV-WB1Menu>s&IY51)QI@aOw^rB{P2ksQq zaM~j9$<5#!ZFDAvcB*-tl&*2eF=j@ADr0m@_@8)e@i!zrG|-YwguJ;IEFM-_XFTMO zAZFbO??!{n2pcc$U5l6vr;NYD+BJeLq;*oJ^xp&e!tANuR!x|WbsSK$9yEYU!~2zT zXPVZ=SO(VAHPjqXG~Eej3ofjo7Z2-^*52ghgO${Qi5g5^1iXq(UO`Y~;o&PE`U91M z-o_SKO%RGr0X^gV(0cpPASD+j&b<)MeLG++^bjx8uFI9cv6LLD+RQ9 zNEHD_stCRd#k%D--hg5dp?YVkWY)VwStGKq_rdk*n=q>;n<;=wLo`%}8|yux)?{N3 zIp({`#+hox2J3BkD_~BU*?^iVe4vi)&0IH7?na+z(+>4x&B)-w1owmMa(`^YcR)(m zyTa59?2WjeMGQV>G28|H#bPid+5f*5!(9-=e{J%>q<%4;zj~W!o8S-NAT`Z@FmHtzMvg!Tmc^6 za9Z%C*6zSWXl!u>sH01dF$f)Nc6U0hr&RR$rED-T(9P*s7b%PGsf)(m327ZDtM!C& z!C_*9mIp$VGI_ZJq>*|zo}j$&egfc)`y+5}e2j-3%hcI3^<$aF`_>vAYIq3h9AG%j z71`_V47hxnQhN%fYaUR*%7Cq)$o}$at_=d7s79#6K>=eLN5g1h;~Z*CAO$UHhOt7% zX}5i`o;AtdjEnGMJF_*A@kH=7*#~+F#yP7U4WsNCqnrh&)y}%(fr78KKXMzUgW!(0 z{Q4jaNSO(Nu?;?uG!>z|NPDdhMYS>#-~DLa_B%n?$cv2i)-rd}vKl!JS&h;ygs0fU&?!W3L2L1>1vt!}$qAyT(;8m2eyq)l%$zG3cQXS@S0xy9S4 zfx6hZ1#*b!B!kn?Xsm_GPFf@EATGin3mY`8tJiJwS#GG-n{uJ?r#P_7c(sTlnv&F1`C8u zs=&sW4l91Hz+T>f_Yy0>g<)&oZ&nYOC!8^}>fki$Ub!DvC^bnuU{;gGpc(Gk5ulp~ zaNF=>;$)*3LO9;BkwbK){%GDnOZeSMYZ+h=Jv1QhnaT(t+u*kHnBf=>(iQ|xgK-)R zj%8+?00=)IP;fmTH0H9(|o1$Z)TPaN@$fR4*%C^IrFg16e94VDs^ zA0S*l4F^}yq&UE9aWV^gIPUZOT1LNy=NAWw?7K`9%+?0WkFs3c&o=9UyLlkiFdkeF#&4!`ZERNKeiFLkCUdY)foT5+;KQWMVXlB-JO*-aV)~zhfLKGt;{q^_ zJV1gSg}!6r-5C$?_;L=RgS1&&j&vT_^1E=^uciX_SF zbYa7~yD;A_7uHi(M!L>+)*UdysEA~M?*N}8|8)>{?0Bb!7YMstR2h-0DQeaR=t|ug z+5v_b&uEs-+kMD>(F1Ye8SRG)muM984)DZn$U4qMMmOO2oGw6)wXrcJ?MN!v&q16C ze$n(vH;jO-t)t;fix0Z0JH-_IqJ9A9O^lm~adGx{xaJe7{C9ukE;Yd|Ijjks!u5r4 z5{ERr8Sa!QMTZc|Jt@}9j3#Y61ZIm(;e`>kO6zgICyj=rRw)ERcrvoh_gl$N%-RbM z(z1J&e+heOIgUrhJFwcYkIriBlu~Dif(@L(1s|EX4VAz44?ynNYvTnCD8$mxJ@ilE z-iUMXbq6{Hjz$KkI9!G-EW{LLt#BmKx!@)`_Y7Q#`Qkn`d_!Vd^K^ zbI<70VLx)yP<|IYSmkpiDJwLHjA06;ECHrv5H*L5ktwyHZxFA|U2C##>KQP3y@u)3 zb|5~XfO;}t=ZGJ zfty5Ro_YSvCL26=KtupX_T&UyxRYbJXWVEP^`eLR$*tIDCbjCCZFTLo+K@UdHr;7^ zb4O4>RF5Ig8d+pd-D#E?3{J`nwp>+$fWUMjZ9D-JFO(@D9+u7&5JTlcDzBjOg;c(n z%9m1kDV38{UQFeMR1Wt+Kw%!0XHxkLDwk3@HhNP4wlGrwKK+;i@ZrZ45J=_zRF3z1 zrT|3ccu!~w@T79Q;W7na2V)Are!vvKgd9w_`+wjGtamlIOopo}=J3;$4?k@<5rA4@ zYk2yJ+R1P%W2FJAd43JcA>jv`t@-U=%kjAopBE+Sd~K0TNorW^U@ogjtD!z_YGkvtGG(qzgGiN% zRU}cCvGNp!GL}@P$yFwJj_4y^x!4}=ReDJ4E-eV=Q86kjrq|`T4{~{&TNSME`hA8ldPk$;-!5k56W>5%0{`;1~!e5rA2~ z@xoe}$E521no`R*U93m=JFFScf6kma(j1r`62q)1zSU%|e?lxZ4(tZH!KPB%17`@m2{61?78qzR*gwG9 zx?nsETMItnA~0;h0}Oa#AVK)Be!qsxL{th00|=>()PiAab7r3Af`1 znkXK6!c1YAJCi-sogum7)C(bBD6QTpq_|9q#AOLe1(|L2SFKb##xctWYu40XeM6on8(PHJteeWya)fr$9p=l{nTm7c=M=5j)$g@qtLn{07e zDg=w{(P~vuiY!;9lximC6hJ(I-|L9WL~3>R#N1r1S}g;Uc!D9bC5723lG(CUxmqTX zqEnbcHV!H&q*@EzP;@8FF)}hq1wYhLDHXYK@LP+S=qn4&6d4KV3S~YDqXEs*-0U<- zp;iXN;jpvAf(39{F{w}~lO$xW9Ks-K1MDP~R9h&^j+II+jH1JIaaoEbR%VZuXh`%v z;3X6&V%7QCla<9# zr&`b^E7u^N1X5On(9te=fiUnIr7M(DRfz@$M=0#ib3i}i9(Xd7WE$8YSeFSEmyvRn zk{fPb_W+cgts$k^B=DE5Q0A$!VNXG-Rb|q9R$5Mh0(TC|gD?L$+L^lora= zyzE?6QISfC(&8pfo{*Z5Bx3UjGu1(Wt5z#vlNN!1s)8hC>LL``^`0$5u?UP_o(=mL zXw1e+*arbcWu78mtCnReC7=Q&*{~m)O^uDIC?ti7Ih{>1g!pFK77S3r zQgAAyB&QH|F(Xj6T9yyffpIJ?d0J&I)+gkTXC=$kk}_+PxzhmPMNMXdiU1+h-&)I_ zrB&q4gf0L?y#Z=|D?oUH3MHT;NwFfhND~Y(KNu(k!|&4Y9xS+!9n20ki)XXVWTjb# z(oV$&d~O+AW^Ye zroo~b%}mzH)Ma9sI!~pBtz@n&P6a%|;JyA#Jwb~4c7vKt9f0Tu3{5EmnHFKAF4g$4`WjGU;*QA^ZiagstXhv^LL?9Gdmg3WR)_8fD7+jv=yHa}mcwsLunqEAZH zq_#K#)G{5B7-Ba0v6KR)BQ#z#X@V%x>cd{^*#86kw@UzjPuSJxXuNfgVBH^Bjw@>H zX@XcK=AslA(}GyoXyD+IHIx-Rf))50oS}}6=@JFW!uD0j0=vd%nj&y?e?A&X0ElB0 zoSFbfqbicIW`g%*sq$C}p%X(KQ{}jm8qQiI#4;JH>kx)}b{@Vk{-2IrqzeD~v;;Vj zNiq2-M~YWga4-e5u-7#@euHr5NKN-Iu}ainCV)jrqZ12rFHy2)%rHA*@L!Tb7LL?_ ztWpjc;+T*Jf+#Gbq+y+5XFCgiH>-x=sDKb2#446(G^}Y^ltf6FzX~!n3kzQp;u!nt zJaJ!{f%sR0&ZAJZBY))4_3=e1XMvSp+bNLFRRA9;R#`}K!iXBrYp(8 z?$Qxvh4(a|kRT+A;}Qk1t(48ipI=M=#NORXZI?Ih^%7 z)gRa#Hf$IxAxS)OQflmkRMv!vsR?l+762V5Dp{5t1*|02A@eGO9Iy#!i;Goi&~O1> zugOY9X%Gu99v;uJ`y~YY9vhp3RwI*!AnKRe@MCP)q**BdIZc@|R}OJorPW~T!vu@8 zg`@%t>Q(;#R~YVoYZ8K;BmM`{n&$R>L_>F}Y1En{VQ_RQlZk=doB-Dyu1IOzDU-~M#A;T*TUkRhy*TCWT7M*`{ z(A9^AF#L2E!188>UxQk62HZn-YmZ2SyGl5(TOWKj7r}Y{)kiq8w5X5;{y_s?IogjM zLin-Z_D+S(J=$+_>geDIKbD4sO^l=vTuZcHnM~t1a)gVc5PY(%CoXv8Qz(4M?$ALO6wKNW6FY7pZam zsD98ByrC8XP?@C;5F9sP6q!`4R?G&Y&zEUB8@o4)sJ%2yI}!Y2A*&GQ(S8z5f^xQM zrcCX}(kfze@wPSEFAvT~GQZGHGQ!Zm9z+=W5=+9+&bd+Dg&>h)xU$Sq6av?OKi!wm zu^25(2qneEg^FCDq*8YA)#?1;PfHS{(SCDf9D>c}g@p&R!+88)9yd2ESQ3^e3nqvN zsZ1v0O1XJNdH0$9i2^r_&5g*3lmv%KBY{F*jx;zz#*qd~I6NM~;e_QyawY$q0#Cxp z<3z}~!C~B-$Y36i#}3YsMCJxd`H@ndgeT$4xDo%H0y~c%&d&|!2S*Sxb})~_jSP+q z%gG6j;7W-+zLbzk!vBUsgp9}wm#{g(Ie9r;n1w7N80Hif%!|mAh7l5Wm?W~>EQF!2 zN>>>A(n6S*vK!LhFC=9JU3v>=E_@`06BOP&b!n&&%q(9lA?2|pIGS0EOHPu-QK6w0 z`wHo_uMprWG$kn^6qcDEY6*%~ntmfd^<=`(mnd4*C-ij;yk_1~S+Pth1(#s8FrgJf z##%f;m-< zfP6H(&sp-l=95=O;%_=$mAb6O`K@qnvAxfFlJFX6pRAM=6f;#g(dt$!N8 z)Igz&J{N_+6=?`H2R?EFTs&8j!czh-h23WH@)+@OFOF}<;rf)e2>K;LpM0tZ9=#am zi=~(kbB1dXN-{6QSnvgwg*cQX*(jKLW5b;d>%S$d5a{>kal4N}0LCcbaU$?0gE@wP z9Pw)Xvz~0YpNfQAE;DxoVpF3`0If^-7y98@St;N(PXZ3{=5hoj=ZO~iU`@kvw(1(L znYBg(d}8g(1qp^w5|v_c!@C{GTMYeGpf6gg{jYQl;}et)yo~>c<4g|>%zKe z<*Lg95ZsSp>q&)Htmhiw@nxNbuR0jvrNa?e zu|3&7?A7c~+1J=Vv6DI3oDH1KoV}d$oa>xBoS!&PIKOd*a-+GUxDU8Ao&zt47tV{} zP2x#;Yk0N1t-LRIU-NGBp7MU@F~U;9v|+vZzWfk=BtM3q#82U8@U!_c{!IQXehI&v zujA|a%lWJL@A2#STlgRIKjk0bALXCqf5E@R=ZEKntHR$5UlqP1{L}D;aC(Ge1UDi& zVoXFv#H@$|5nn_+johN!oq) z`vpe@rv&E(R|Gc%-wRp z$KJvI2m2QL8QY!X%^^4`95y$ZJB|A$cL(10UjNiehhuep{hI@wh4QGW9 z4i5_Fghzyr2#*gR7cLG@3(tg=k%ue8$?!Sh72%7*mxiwhUmLz590x97AGHzw>_E1Z zBj*%zO2gKM?Fri-b|vgu7(PsTLVGQ56YnG572Y*oGu}Y_=lM5Ffco2VIvo*JeV5ug z3|lmI(Q_A?9lf@yZ#jU<=rkJJjc~Dbn6YRqO~zo-;ZNj=Ok2m{wlpTKDx6MZ)=nT2 ziQe5HZiEAahH9Db(<>0cex)yy)tt5D((Uiloxi3f_x;-D@_<`;*}K2I9}#vW@p+0} zz3y&pm1iwc#driMy_P|z(dq8<-){MR-l+*0KaPL5S%t$TI9%9}M@}WCcVl*Pigh?g56_e`xG;bnJu6P7h8sQVqzgns%)<@o zY{mn!QmiAU$kekHa3p}CS;4F^9HNTm*IhucV2mo78!Rx*kzPfkpk@uMN)slR(3pS>)O77(|m?mJPNao^lV@|@q*Ju4CYdD2fu z_w0-JpLsr8B)AlRA+D#Uca=f0XZRQI^#4fRZ*bDA0lV0@eovOrQ$E=KG$F{QRJ1u% zf8qW+_g^giE`4P5sTDWJwa?|=Epz<6Rl7KLo#`Ya`JL@o3pc*4ctbW+SABej=ZVv2 z1fJhCRJIOqA-`SW_u<*+zmxNZ+K7(GArn8&=6Wj~)e zHj570Nvp5?ji`K1Ev2t3vlr7d``xF?%yZ|+cdy(ke?0QW!^Db^TLj0}9u(ci#*Ri~ z4kr8wKWiO!+Py4CR8_8~I0UY8L3Qxql+rO@4;szHv?pw#fIk}~M#2*M4q!$Qe1ccY zsU;SLSUTsb3%m6VHEUFNg^G&}0US!7eFK=zgrk)MhCShmsk-5jm|!QiL?EvBU=Ab( zYyur-_W`S<6xAIQr1T}2L+~PkDVywOKa9#s#Bg|TdD-Iy8N~L-^3Q(z-of|a#46jY z@azvJZR}O^qt6P5c;(ZgmMQZHT8#3E4!H#&zhB=W| z8_xMJ*)UuinO9=?-`Oz!X##w@06XUWtsTFg>l7Kk|KOl4@d*cAO?9mj$CS5suD$Vb zklVPEO4A}?%49dM3(S$j|Jb&A_4Ol?GN);05*N+>p*e26->OH)hsPb;cul@%S-s>kYwt&^Z%729 zWZy4)ra7$`)A8YsXL-?MJ}Oq?r^y;0 z^(GI+E*f^zK5^-arEdjqD2X2+|9UG~a>I2R$B<^=9=@J?I$?d($&){Foxb|HzF(W+ z$n{Ut4T5i(Tju!f_TLfGRDANt1l?f!-<=L`oA{3X9rr->_VZ>tuA-%bq*4fHto)SO z(cwy<7p?_h)A%PQV^=|FtmXs;o=?b#Vb(ercz=tHlA2)3#!ECI8jFXf3_ZLPm%eCt z7p_Dh33&xIl+dCziQ>2Zq9A= zDMh{OIM4q7Nc?6}Zts!P`G;KY5d$zAgP7h#uZq`uzn7yd1Q8l473_Iy7)oqio7flG*_-+it=hlVq%f1*WxBX@>XHU`5wxGee+`9?VBA0uO z`L54xHiZ?=)Au^{VE66a4{ote&2l@xioCfu^V`GW1L8{Wm40?Ukjbjw{`2?~i-*4D zT5+jI$F0oS%8AomMWbVtE<1mWcz0LSHx9GhJABIaRLuQI(e}r>z0SRc|GZ$DL-c#o zzUy_?qY`csB3!l(T^@92ciYr$v`@U&1%)Q`yWw}R@kQy%N4!-=67?&RSIzwLtSJXX9SUqQkL)~=lg1blD}u)|;vC5B*Rh6mmPn2B_u!QD73 zRtq0%@fQMWClUsG5k73g2qFx2BA{_yRYLo(v1b|4>F-Bm4vbZes zPqpv{>F+iu*9rspp3=;+^OCjnjW(;251o$5JDZ-)d0SRH`QY(6w?BFD!{k6t{=MAL zp!j*=@pFB>$+PP$Hshnuu zWRioPPpiwfh2*RVRV+sVC3CJ?9a|nqD(6p8o-*42Y_?Ya!(epozN2Zh*KR;?`~jB( zibf2n4X7QoXkfPuhz9GCMpH=Lt!wf$xe{v6k!Ph3zHursh48o5!8dwax>Js^dw+uH z#G)_qw_stH*c~YpydbFwrN$wkt{dGff6u{)laH&-n4=E{~i*_VZgpe{#Fr}eTr@{*F0m)R&*!G(F*D@Mzx zf*qUFfRfftd+)8Vc{=82QnPtR-+gs!cYI#)&d>W-U-@m&gR{9dRrctUmFEUVru-v$ zt(?}-{4C|jlpbpjU*FN={>I0b2PK`$A6`0r+N$@))gMgcjkzYV2)%DB2=yme*Gw*$}bk?0mTN(^Ao*d1L^7?MN&t=n|_9yj@$}{&+HYee3fW-?mL>+!KkL(u>JfgXW7_1wNA!ntZ;xWmnlsVx{c z@9fR1f7CC_bS<90(qkg0pJ~(bOzqQko2Hy0s%-m#uV+~Nykd)E>|(c>N97~J^S<74 zuk96;`FA-|yi4U195_`F@U;{BcXnjADlxB{e}|JMKF34kuy?kd2tT=0DcL;l>%S2sV{S*;g^W;+j|HxRwTwhLn5l^e?EuO@i~+Z z=TNY*O`onk{h{s3_$eN}D&j70)}3=&TJUJWwcCA;jNZ%f>c8k-_FE!{$bDDS^7c2C z=FsnHqS zpH{Tz(+}rleDQtE?mmyJ?nFKMRo}1WP(ys7@3_kc*Us7g#*FQ!r*54${MzsrX_J~` zYa>%yTHe^V@fJ;e%;vPfW=_B4pW?H6F>;Av%e-&Y&tBhm*~4#?hsXV)<9;*fQbXy` z%yTb9RnOm_`o@fO^2U6-jccoK^{wt1v^20GV%{d{*VzMIhQv%R>hsxvNk9Fttz-0f zUeq@+rp&^QhPf*z)D*8AA?98?qYbU6BGdDBVBg4iCL zBi`?6_y>{7b`#v*vfd^vuud^>`KN=w$Sj&nv?lh^xnqbu6<2S3pW+uk1Zm0y4Vf!l4I*>4LPHZ%`Nxsq^lK+k(O?q^>4 zg5#HP;;rQ$wC%t6tp82vTc6dR`Eh=colg>Rgk}wM8z9WR`*N6ro%!E}Ieg#a>%qjk zeS9HfKE>ZyIWiL3FE*dZR8+XKKaM(KD_qasEPgWR#%CpjPil{Z6H}&N zUlSj5;o}YOTyS0;eBC2ICt}k6!5Lrf+kRmF_UyqgR=k~1JVQUit`|{seA}(bYcXVMG4EJ zYb9X|Cnqo~4@9ph_MB7DtMA^MS7;kbHfWdVo+h5VI>Y_iiEwXA_;jl|v0dQ=-F2($MFe%LIkWo{ zKDB+}w_q=SdG7pHNrZL{!({t0S*nQLS2Ermo4Mn7)2vG+S?jkfH8gwH4{UpIcR_CA zZ?fv{0TeDMnN@VOa`EK6J14#rd6lGXU*mW?pf2uljWR1BpyA2Hx`!`rWj&ZXzQ26d z$`?0c1^upknG`cob(?4()sx=m>RdnWxzqP2e8zv^skyh2HN|(?%9M^FkG^P{uk1B8 zzIeOt(EY)6&)TNO#>dsVye*hEr!IWl|0-G-S%FbCv7>ud>zsH zbl%~yjI9gOKVN%K(Cgufmhrx8CiOS&-TK~=&xMM89_e!(OjjQ}uPi@cT0`$SR63XU zM{@m5w;4Tl53Uog*Y|pMY)?r{`Ax4F)4pFye+awz@QK~mUL7vif12;vZ&gOamal)w zocqPZuiqO|eC{i;WDuwF@v{9NGZxi5cs<%CDt~Xql;5S7GX_=-pDN{l_ras(pRTyP zyT|ye_IJxefqcQpX~c%i0#PVZZ=NkJpcC8d2z*Cgv9<*_O18F zKaM?cf6K{hDU_Xd`(`81Mf59kv@f$tf`|#8Gdm@8=OW@}^uh}(0ykN!n zE9DQr>(OF&=H`d;jXjf{=^wTRW_*>XaDFtfXKH1fxc-Xwsv)C123>e#&@VGTH28d9 zTh4y^Q}xZaR@Wb!yl;2kWtqaKcjnl}2>M5_d}!Oc);8jkpz7m4)>YA+U~gd8rAfBz zDq1@Phc;|x>i_LKKf3#$E*%|gZHBut=zVQaZ5H9(#TbL_)LF5kfgxGHMmX58-Cz?2 z_q?2Nf=7ghg-r#o-Py`y!$tG5|e(Jg1hPx7hEb9_}-VbKz~clq^sY* zxK6)Y^zhQJTV2IBAMkdsnz2AIFZ0{2TlQWm$_qVptfz8Xtnd$qaW^-%uh^M(WXr>; LAJ}eY)NB6_;?EUN diff --git a/venv/Scripts/unicodedata.pyd b/venv/Scripts/unicodedata.pyd deleted file mode 100644 index adc3ffc8fba9732b9098468827e4795e33a26844..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 1065112 zcmeF)3w#XM`Fnk_jJ#QUYV@$UrWGnUds#RA)1|HvpX_L;viWfD_o^jK zXPs~4_^}fDI4)AcHyvjyVH3wWgsUzza$HDgx@=kQlO2szpDF2{%JQo&G_;0iRAT*A z7aA+m{St=8i+$OSEL1B=z3d#NZz}i>wxwN>?CX}db9I&4lX6R~B=__u&>&Qq)F^R# zNh+gEz6_;M7Gmo+eJV=!QXnP7v{>&&Xqoiv=PC^(bpqiGF}t}&s^%;r)}g*eT3Ca4 zphoI1cGBBb>TjF(7vVtW2bNAJpBnc5cSFwJatzKg>>tu*^ZiZiJ-;-rbnlXLY~r{tQ-s<%u% zw%tjSdxcnr)0lG=h}xF1tgm$nsPn{L8ecE9#+&ga_EM^g-sGaIyUjO7lA`jqC04c< z!MZMD>dhFIOx5U3LsC_~IV4AfC<}cxQ3Qt$S#wgsH^-<7G^(`4*BmsZv*P))k`;$s z^;VU3%!%@vQj3YhqWtu?oQ&FM`PygV1cn;5C86&F)u}nNGerG12mks62BSdA}tVYIZNNtZ13`%@OneCcn4- zGQYjT&AJluYj$7%A`6Ykf`=swt6tB-iySDCml;qdOYQ%9j{a8L@Caj&SF3zjiY>^? zKQzANFY_^)a+6cNTFH~V+EQ*!Y~@z()pBcQDYpugn}MxefKq-YOXe>*7KgZME*1WC z<E$%X^gSoh9m&yhnd!O77LN4h2-K5NpK>S8r*h)IbiH^*w9{TA2gw zr&N&aKs&02gL+G`xz%RVuMQfs`zp)fl`iC0uQyBnG=I+D#Q!RP_qakV`SZ5r&*Me@ zL<8+%a&edG`@oB?=t$L{5=1hzY+gc{_eiW-(QrUdP|_)J^8-xISJf zxfl6q@~8Z$Gp12h|EoORe~~9&TbVU}wahB|K6))j*?|t$5`1lj^-8jwQPiX0b@7Ikk2A6iYMtrX1`N{-T-G)sD~ON_$!VW8{!$ zzK2aW>T-@~>C#zSBaN>u@7Mn_CAUP}R^p2s#BIf4zi7)%WVy(mX1`Tt&T$uwTqaCD zOUsd4H?i*?v+ES9l1%4rQplt3*4$JM& z2oN(pgZ2AWhRr2JjhjV+oGIcCkIl`uNgPvr0f*|7AIkY$s9dxfV{g0cGF_D&+;w;^ zE30N+nDT{nXB5j~ON%o&+Io0ptcNEKHplmHjOn4L<#?^vJmqb__vjc z@!Gveow1V)(YEU+J4w27;BX<`qdukYdFf3yc5%MpaKrTVt* z>!K~0e^~a_%x}BGrj5hAq-^K*PL$69%BP22`);Cq_SjQI83#(057}>P&A!-rK_zSP zq?T9i*Ov0I9)$ebo-FrT6T2&YyMGij*m}lFwe=#ZTyNsR;qR_Dqp_GenV%`HE^&hU z#*Y-+)`@HIMOQ_gF`Ze~YtX3F;zTK4)ZtL`X0d*RN$)NWf^LnjBRA3pmTXD`Ud?8X zt=jgfZK$urU06dE z%vj2y$l4Oo^9m4$Fxg|dik2f@^QX*;b|cZw81kSm*C<`vrPXZ5SW8(YJl@l~&RONM zr2lHUYC;|u)1~Ld=78;NfBYLpRd;i%Ow-^{wNaIMiy$=7-t4}^vW~I_eenm%q)M55 z*`&vd9--NNn`I`YYnPWF==6Zy<_EfL)QCV+OknHsbNu1*z03pjCf~F5COegCCSUDM z((=6QP1aZL;<_4t)1i!}Hz_fSHfWuq%-*6iNx^3x&{g}J?q8nSPR_OE%XW^$`4Rm+ ze@iZ#*m7A@wif7y3ya_Ouk>(-9wpSo{KnUZ;NK40s)DQULM5r)fmBmSd4 zntF@B(nZUBME`8ErN}GGU0?5?m6%)Ye5HRD6Ri|Yc!d1qKipp{t>|*SekZi_2bKPo zyYC}*I}O0U*Zm~vlov*w*CHB`x9Lt_SeR?zoxJ5&r;s6^m#;i z|80lpWp1qPv(qc>v*pTo%XVcndF9H`)q1U)W9j9XX_@|S^l~Cz>*oALFDI>$X!}Gj zC;b0JABV%D$3TZ>aJ1%oZ{YH8m@Pci+uc#=x-psn+;l~v_e%Sz>Yf~PE{!>7DQ z5FI{4S!^5KN^Bv4BbTXGUIME|jZ#ftfZEzB=1YQ}~fBLNq?jWV^ zr+W+`Q^O(*+Eu=0InYTyYtYWqmpD&$33zBWPnqIm9Ozu+VDyj-Q5osK^Kzt)dU{_+ zNiwRIuo-Tk?gccZvUuD#3|N+VLY?8uT$!yM2={$t2w5wKY77GwKHB4%T1DRD6-bp9 zPb~T?5A-=+cG^`%W#m9Fb}kQC)-Gh8dgdf5ld-FvL7OFO7kYX4t90eqn0kwvNn9+Kk*Q_M!dE?%$GgOUEwbcd@c|nehXuzu6qH(npfi)7Nr*>H9^(wz*#2 zKYV;gUu5raI`^qcrljjQ95kv9iz4vJm5;DNpMq@-zDgba_)dE6nu?N?`_#!0GQ+y0 zJYcOMWHvWdX2>DS45~Q^+S$E$Un_^K^(nS)-Ql#Xn<2KoCw)(>*n+8!!ybyo5R|Q= zi%Lb9p~+6L_Z}UMRSQh^HG_rPOj`KRdaAN<>}f(&1?*wTwQ^NlI;;c|e^}k76;Z zoQ?G3cnC6fm*mdRjQyU8DiW+Ow9^$A+KGCh9KNAdb|;FiXQAjia;&z)P(Dhgth*^!?ljSG~AevCtu658ZW5=`q+FCQVZny(1QNR&Vw1tW1W<{?n9553yKzvDk3KBsSAtELUDEXPIuy zf|i)4b-y0=FAmg09H_^%thep$zVd zDzkQNASc?dlM~fWJ>v~=!KKZMmh*Y!QJ(M}czhDI%Tnz`T274b;lZXN(N>WDdiyOq z)2>EP_iKx1uswcHlHJw2162;WekJ27b(LN28C7(kbvI*pB~E`=y*ub$8J}E-{1_%I z&r?&Wd!^cc-r`31nnMj~3r&}vkh=oWl!s)9>*)xeVB}63n$WeLsg=b=Ui|oS%}4rQ z9_aUbIozeJ$9l<~oDAB<0bE1e8T70m8du9*L2O7nPqa%TNcTPAd%!SYm9Z0z`&wDM z*snlsyu-&n-xHbU$?lft^LD-Fuea3J&VFYm-IWK-;GQ9F0@P0b7DW}6DJOA7`1clP zdZux@^c!cZq>_4ih*GB)x8tO-4>E39lM^4*!mg;YbyeziP;XJUgJ!A%L^G?N=JxLv z9w!!_ep9q-|F~tncCC1=Fyf56!!e`k6zfPndyM{>!?vF>`-Ln{<6UK`BU8O{WGZoF zs+j?ztxxW2-51CI*GuKG)OeqNSSmd~@{ZZu$)SYWC=XaAYv&pKXLpv<7IHoc$BHT$ zv~z7AL(u&7otRBcC=4gjH-|go@*$&KsQ_zfXj|uNXNx28D@l%%wX@Z`rw(JDgLbW7 ziL6~Vt~2#~S?(1FgLbw&^~GAcaI-mVeTi8YATl8?kJ$$QIU*l&LE+Uu z%x3j&)xP0u(}$)hzvuu)}Wdtr>*r% zTdX#IOZH!um0O$AHOg%=JL$ta+X+(>-7>v$huX?DTfx!aZy$x&og?7Tb3v< z<%|_>eWmKJ2-4OTHYW5trmJJtSvwV?PqtUZ_XnjVe8R_9 z;Z)N&_PUpcUv`4~sfVw}u=5w^}rgj{U9VbfQzZDFf*3%0gY*^bML?TC$7 z+t+B5Y+d&C_O`~9DfY~le{mW>geaMYWSDRazW7`n(c=xOjvwXzw@uZnC(Mo?~uqfP^Xwk2+-B*<7 z5uFoH@yeT1C(8%7s65+S(|`LqvypgHDqdQCPrG4#SL#Z$YI)uG0k;*(ez3R&S>KZy zS9yu*|8KYNqr52u$YD@4@n(RH?uJcKcqTmYhDLc~P>j3$rBraPMW- zmA9n-_6=#XL_5nCKDTW$Re3M16oNI^Nu@Ua*DpqMl*M0GQO;Li-T~zLnt8U;KFd5Y zxlNc{tC;?(<^D-yRAz*^8C|(*4o~EKZ%W9VT0YlQ&9@}|CRZPwzGq$i?oB!~m=4J6 zFOS#_HLn$S9lmI9=EL&1D5iT`rhntTouVPeL)h{0P$(jOn2*{xAo0ti?^Mj8ZA{d~-^5aX7v(Im#tGBK>#e@wlEo zt(v6s5>slincsi3BdlQ5zkEGeL8;MEd6qOTQ7+qNwkPWPudR7fd8Ik-5D(g6FTTB` z?quDUkA1bNx5jUj$3Dvg9glZUo#dyvztwSgnvgFZ+j!Pfo(Kz-z~Q)fYCE4>RL9}` z<2!%(geaa5i}h)4H4Qo!^^6{(J=AHIZ|g5<3}u$@5J6Yf@*E{}TE15aU6vIPW_8u* z_tS(=k)QJ+XUs7^?Hu=cl5NjpP*zY?Gv8Y7b7#%A>!f^j;gNK(!(A3k6$?K99~Pw@ z^Et?(q5)y~3IDX=m@HKb<$OgC=0WHO(@APIw<~Xs$wNKkJub?y_(SBEH}9r3m&G;X zqAVVxET5Naa#C-}@^mbx$-PP}&!Ir}Fb0N8noJ%}{8(Gox$)LGO{3l-dsZo@Nq@43 zs+(M0y=87)F`3(eB4bsD@cT)dl>9L|x63V!?5vmTM5{i?Q}fxHb_#`muD zJJ*Vawf$7xR9jPN?RP8hOJ04y z6&4tsNUu3cU<>IpkMx^%f2~nGXlhFG12OIwkOb^#48orY|Gs%T09;cvL?N3 z8$^u!@`gA}K5qyqp;MplK(U$IrMXP*%bTKbUf+uvBtBX?$#;$6d=IpKuDj>wJGpvz zUw$BAcAudnfK1fWUJxmuI>p-8BcCdb7WM;vgEi7xdj$Wh|ek(OQNZciyXae?^x=R$N z|3cwOo&8Qu`cdBh_?UVt9qk9QDzo_(74@cA>}syq6+NM2VG*W_^!SwfWok9Eu9_TD zEDvxqJyxy;x^+t3;7yLn!IzKJ#bnrVm-tL4YafWO)@-_1_E0v>d)bcS`ye#)djdXrCHvbOk7tLyf?=-4Q?jMBG=ao1_zOI1FPC8F{vrDdq5 zoT3+%_%E(^KD0Smu5{ZsLoWFKN`HgbOu7J$s{Y@7F0}M(>xvhBR07LqX{D>{YE7~> zA(oGYEKM)T_i(gHyb)5aEAqoNNN3dYsjtT0ed<#_^bK(87aHEzv`r~Fk++(E`%#^U4Q9e%Y5=H#Gj4nDv*R4b5k0 z6gVwT+)3iIX!XtRYuTdGQlz?s#(R;@MwwPV-k80`&oa#3;^zuxZ%K(iQ{v)tpylAq z-r`qLW^a=+7M~Z*-r`qjX797gSjoNjF(oc?Z}t`kYxWlVHG7LUrDpGq%2<4UHhYWD zq-O7J%J^Glyj~d>DC1SiSo|u&uY&kR$vvI@y}WycGUch9dVUHhrTXekcB!6XR8fo^ zeRBefnwwVf6VxI{6F+#6)cmxLhbnHqP9{D!NRhn8OVdc|`8mu9HQ7^}BBS=WNVKI3 z`?_jO;T7mOOQw^o8Y$ii9%miXLB7;yX@CC4E-UJ$KJJ;M4{+hPn36j4d*)ETFEHhQ+$N>U}Q?*H_DNb)W1fiHI{`v6hH#M#pq&6ZL z(`LtwjWiljChF{{n`Yh5rg*V9{Yulftf?LwJCx`WzfBx`B#Fz#Dw#QxW4o;s zG1CzaAWM7wZ~{0 zr#jMz7is0U0y$Wsq75}@uNQfQMTl~EQ3`UgL3cg#kvd}!8B^w&lvgFT)aePX8nDRS;X|&(V#r_Q1D_nuxj>WDDtOY*c3a=3y_1szqS@sjg z;?~`#23s=9Rvo$)wfR#Xi@fBJTQWc0Z605~9VgH7n^JauonqGSt(GUpnRu|#UAGpq zyx&yJxy$2Ppi3aKB#vK{b7gU-I3j+bsB^N_glJL6Sv0CJhbEASKFx*K^``f@nqKZ| zA{C7W!MZHx&|M`iLa~`vMB>Y-q#Uz*L!!LJY)%j*cAtLBi>)M9HT}Zbq);3a?IRC2 zTDh&UMq{Y(tr)v+6ysX!#rUnYVjQrF@$eb$$CRMLUL~ltObHwpD}nbyC3tfl!Qxqt z1q8BITDe0BRV#A{jasLbhs1QIxY_1AIuW(Oy^#al1lEN3%XY?}U z0UF*i8C)`tv0BkZOR4-uHmqk{f6GlD_dufOtdA=ZpLjjE3}k+Pr+vV-%>jA zb!E5rVP=slsm>KD28&M!n(_q(rHVd29%E4IX0)h_$`xHnA0V0n@k2jx)mCG_GzsE@ zjz8N(Lm$A6lsqMF+OD+1+f1bAnLa(r4!f!JPAWq;l}Wr0QKsyf5*t^(iO2=MS||P0 zIwuR13a_N;uhdEOjPxm>D|WJg&)Zxn%1ox^5ErqesT2DNHNCIwjZG97>t!c5 zW8Z2H^rSnL8ByHO;hx{=)atC|*TW^*S?=uQ(AmYWAlXH~r=j0z-LL%egCg5g^rWyg zo3d<(%dGzPkU^3(yq%NILl#?2ZzujxNT=Rbo@;%0yH3?~s*QG0c`bR)8n#^Y0P@03 z-*6vdRZmO8E)Dl@IaF1o@;jDFamfdZ)nB`Ek1lS>k4-k(Mdz8OSym`(x=3SORLzvc zbf{@9WA5dt4lQ%?Ov{2jhY3?dmWzy}Yzw(NlLMFdV$PzenMlqv zeXeXpozap|WauN2TsWIC`w(A*b!GQEx`|GU$wl156PZIMRicbcQI-j3)*CF=D=HMl zCsw@WGBv@kMZoDaw+U`rL=!u;gbhDWbEZj(;YymtmPq z?b6R~|EovEu}Z ziz(636u}ukl;{*+B6<-<8ZU93Z?jYnj#JX;qL%Z=VVd-9VnV4Vy|!DbNftFjqw7H3 z+%D$%v&2eKkJrPVkZ@)wSMuH`*1|k+rvE$@f5dTQ-}co|nt7;kZ3p7igJd z3TNk{%uL-`fGwz}ic&A8x{v0j;|!itt1 zSG`XEa`9Qp~d4=EJzpKWBLk%5sBCbTH*o?)fUOL);3D z%AGioizAkW=t~$fXHbj=W0n}t&k*A!Q^k1mBr)DOf${Je^H(W>aiJ0{NmYW(F-q{+ zNG13(o?!8;%*6z=5dzdI02bv#WF!I4iTVgqa8W*T!&-w5yIzZw#r!AdTy{z%J{37=)Pw~8DRod=4_%8OmmyK-VK z1=;FF6V|wN6ISbG6IMz8UaIRj7yWh3jCNn@$zYpN-}B4@gco;HBlS$!oqiD zas7NRMt=8Gsz=Bj=+rvPN3Ctp8GiZhcR#t1R~Ta1*Y6_>V=uBzzt#y@RKXI0#aOjkM4be^N~UKG%ayA!=Oxq^63^36$q(t*5*23wp< zZx2xr`deOMz8AWbtEFK(iO!~S)Nb*LXQbF-Trtlf`U+x}JwN7(Fw_$37}G9>saMGN z2OG*7#;Xi{ocO38K_}#*oOYeYEB$d&YTQU!YkDgoDXu$*C2Oy|6&#nOqpER}wybK5 zx@d6V;0-CN^7-Xy|9UzZ!d!G+*ot>?N3%L0rwo5MRxe;k8UEPKBVddO+yg?(I7q3k zBodS*(Sg^Da)2j!(jT=mC=q^4W=TkUK+lK#Je$-qvFt$K1Ap4DWtVc)mB)E}&|tgz zqxRNqIPktNCi-()NGWx=<@i_Rq@&1$G+}~9i!gN2h$4t`P2-g#;2p*d>X-CD&mjQY9&b z>5!p_lh9?JTm31GQU=7q6L z81utMK&(Svd-c8ml!Vx%7>*$|UZk-niehvM*&CfCr3`4FG&-3*CrsoFTK5?{ zN{Oe`Yd>=I=n*=qfTT-G5Pv-%LlLBi^~ArL5bJ5nwPc%Ca&DPt&AI2$_*hZQamkW* z^Hu}JK6-cUf}UM0@gNZo67htjapYr|r!7OVB8Q&C$(|$yGe4M7CoT6sPOw-Zl8IpI zL=Y3&J|L}k59+d*M?!BZMI?!xsX)w@B3Q2%+X!Qw2-fYzf_<3Zi}|c3MY0fosVDVd zVgS>$7ZG}< zjvnnfax`aLoSR{BRJ*ugFUwk4*0X_kN(1KG&eAYzy|UG*mo-X~Uae7*^s+`t(#skp zNq??U%JxguDDrE~r>*kX&S#vG*My<`^BSTqH673;NYpFawA7+S)8hWAJnLdI%oj#0 zTJ%64gd+;E7>*Gbg9%7S7G_}~mSQ#5VH3pb>m20c2*fAb^SFva+`)a6z@8gU8MvSl zs-ZUO!xw%CL=W^qe?(&_5-}FupZxF8+KwJ4&w~2!i3*Y0y}QFM7Kyin?e7@!i)K?a>L{ z&<7ESK>||1i&1GhW@0{;;&XhB?a0Le9LHJw1o0K}7VhII>?%l-Gu%)c-e`iBXoC*W zq8Gw22yqyVaY#c3_*x^)!ADqvl~{|7*oNKMhl4nd)3}72D8>_r4o?}lpdzZF4(j7g zv_d;{Krs41JihMH;G(l^0K{xb4e+)!4-bE5pFaeX0j_Hsw2Me$SE3pn6u^HcCH})YPhj0w1aS_*W z6L;_szr&smt1~L0Dm>r`Z!|z7G(l6eKx_D+6S|@Y`k+6eFck4fLJHnPIt(yk4nD$S ztiW1)g>Ud3_TV6n;uJ38XZ(u0c!;MkL&YCdm4hoP!VOhX1GV4@FEm6`v_Nb4qcgPV zfl&0vAPm89jKo-s!~2+w3>YvIA7TNPU?o=L3w(u5*oe;507c3a-P1 z+qj1(Fry3)5iY2NYN&}isD}pdL36x?b_hTh1fwTH5stx#MI1(AEXLt|OojLtNenRJ zLoC2Dtj0QQz_-|joyf&L9K;d)h;z7%pJBpn+(QYTL*+&tgBtFriMpr{AGAa}1fUCg zz&7+H-XBpIj)EhX(Gb0Ws7e^g<&vg)iD70G-hT{V)jcAQ8z(!!%6C49vkt_yo)F8NR>8mV{>>6nfgn2q^Zgr!)8&+!$$!B*@*H0!TZod#$0@Y75E%qV>@zj0LO3!m+&)g;UWHjBQL{T zP#HB)7Y)%2Z6N+&C>VVZffytp1rw2uEX=}3Sb|kphfUay9OUB&PT?Yc#;>@G5|~k@ zHsu00h<~)n6W(ZyW@v?W=zuQhh7g1y60u0YSiFaH7%&GPV>v#@SNI0ouoL?rhQov> za0VA~6~CYe#dwG(cn$|%AUdG}DxoSoP#5*#gXVY(?a>iI=#Jh9Lj>MNEQVtQ#z2RO zn1T%01_SZgn2QDY1fOCBR^v--!dC1+F81RG9K$J`!)5#o6K>-k9^)D8JUI_24-MQ= z19jkqMraCOw1Gc5p(}bK6az2_F&KsfjKMg(58E)Acm}c|hMArm8x~>-R$(1BVl%$O zZtTSY9Kk7^$5ohc8xQaV&*4y)>mF*jp(ec02uq4 z;vY#@!yVO72MzHiTB02~A_(2k3!&(bfp{B3z@Pa@@feA*7>6|IVZbcR!xF54?L z3D)9k~;q+la#`q#_L;z=*k6 zfKRaoU*cPQk6iqKlQ@qnxQ?4B!d*PYbEq0{Zc!1{P!sjg5G~Le?GcRr7=&01$4HFD zc%&l>bMOh4V>Q-c1HQpF>_i@Zz)4)j&$xw$cn151+}Gd=H`IV9>Z1u-q8$Pej1UY! zG~zG{I=qi`OvfxNz;dj^25iRn5JN8Ee*AzFID?D$87ADtBm55Wq0SM`sE8`4g*VUu zP0#|Z;g3LQ(F=VMj=>m$IE+LJCSnRQkd0ZGhecS5RalR2u^qdx7YA?zCvX-QaRoPV z2M_QRc8w`lxWG1Oh*w2zc%wN2&;wCOgbr!Q#2hTgdThcD?86CM!Y{awr*QD${*5Z| zfH&U6Tku0y^hP9xVhko@20p@atjBij$B(#zTX=#pO}M5|2My5zt>K42Xwd_G&>xYA z#!$p#6p}F>laP)NAY(S>V-c2O6+XvT_y*gs6MK-4LpY98IFFxj9fi1qdw7JWcnRoib|-08u)LAI;`u3hG>H3Xoa@$M<9aG4ZYA80}zQQyo2EwfickGJxqokSukP_ zKEfg_#VV}DdVGVe*nu4E#Q_|~kGOzqFrgSFuxm;?4GpTI4!q%m7HESG=z?JMf^7&T z-XD>O#!$p#6p}F>laP)NAY(S>V-c2O6+XvT_y*gs6MK-4LpYApxPU7#;Ws?QQ`k4- z7@$TKc%UvCq8Z*odvt^rJgPzAA;c+iDXQ`WauGd4i;buR^oGf4KZvb+<{!| z#}7D$Q#g;Ga2 z97bR)#$ghs;s1+67RNOQA7cg9VHz7YN9TD&Sx(pCW!17x5E*#!VFA zH{8c#{0=i5-lAMk9%@uZRn$Zs)I$S^p)ui`Xo0uT4*uu}F?6Fx+YXsLN& z#3L{mLof^p7=>hvhiynBo?dGD1LE13g}J5DZOgwNe*729EG2EFHGK`?I&8#dd$0P);p@xVrjwaJ9`9oc^q3AAvoIG6@ClY;CDvdazQz{(+u?hb z&A~qFItK}l;3UrABCg;De#LJP!$ZO+cy66mwWU2r1yn>8)PyIz(HPCp3hmGVUC<37 z=!XcrjaUrF2#8@cVG1T74b$)evLS|yXPGa?&ZXinQ~!O;mG#|F1D>U})qr>tG)F76g+Brjgl_1C zPz=ETGz?;X42B^ANf?L85W@$AGG<$+=M#R6Pq6}Punrrs8Mfg&;=4*s=Mm4xAsoXg zoX1bNjzZkQeU#u2*th2%02fq571V?$ywMn9XiC@;ZQzei(4srU5JK438V@HNj3J0a z0&K%5;>j3~G)zMljF^j$VH=ha|E$#XI^r9#rBs@2+1JDGS!T~)EO&skBi8hjglBOX z*YPWC!(HN!@D$Hs??*on&TvH~R6z~YMm;n}3$#T?bj80NLRhx1b@>5=1MxOuFcia4 zdPrn?6vkT9b%YZz2~(|Uw&nFqPq(JY)^HZ#Tx;C6+ybUQc`a=z(<`w0we-)KUXKmf zge};Poyf&L9Kc~5!|TII($3-{uHptt55F>f2luV%C4|pl=g)b7ZE!9Xx24&_3jf1A z+cJL_R%YF*sDWDWL_O3;BQ!xXv_xz8ArL|6hF%Coe?%e*e>DsteK-=4gk(&>`RaIxQ1WwEAHSP9zhIG z2%m{~0DT)cp*&ns5$>o44|u{04bcS6PrQ@grmTpj!EJ#x8BE8 zWFi~0Fb^N&Q>?^Ve2GoiiXF(se*A!AI0Z4BBfNxbxQSaR#sie#57>3IEL(=KJT!1e zb=Zbl#NR*zyor`*ivV;%cZeaBZ~z8dr(+3+Vva3|ia!&GFzfSH(w zMOcQ_SdUHEf*sg{0vyIk*oJe&FIlIr65c=|ZsRT<;tBqMU1$2hD2EED2zOLRE!2fK zN)L^gZictuhfWAa2*MDF7{p-&Qt%$8AQLj?U;&n3B|gUnY=#)VC(K1Y4&x-w;Szqv zO^Bh$8jAQ`;t%mV?7GkwMR`<2>B0TAX)&)lX|>^vCh$djh@q1;>_!-Zeu%^nBp?-O z_`6{m^Ri&Xhgg8cSdP_LhmEien~Cp0Ua2(OynhM{Sm!8C;}Wi;2>0*=;txv8!WHiD zKs_`@3$#T?bVUgIV=&%90>)rGCL_9H|;Q$Wf zI8NalF5xO};8*-_9DXBT53G6ny;L6UyK>$k1{Z56;+0Fq#dPVR8uMzQE*e^wYev`# z?a%>Q^grRItYNY>6w8b!KG`~*Noc@q%)`f6jy3oao3IVLuonj)hNFaM zaM?O7(rys{6~%an-ysIOU`tqrumaq`KUE^Vfd;S*KE#`&723idfe1o3h`*^0g>C3h zd=Q4<-BRhc`TwWGB=V4qG|a#!_zWAd69qVe)3}0Pa0mBLg6AmHjr$#{!5cpCg&%?; z{?-jKgGPVFqU5L(IoQe1cE09ILPf>#zaeU@N}IZsZ{!Kj0Wn;|lJe1ka)B zP926DJm7`KXbxYrfgd`e3xd%TV(3E{h6oHs42I%ejKFB5U_2%w4e7{)0W&Zg^RN($ zu?(xQ7VEJAo3I(%u@gDS!+spZQJlop;tFn{5O;7NPw*V79y~Ll0xF^kJW(G_ z;EMosK`?rvFCq|wIE;c0X_$^#_!ysJ6~4emY{3rfffx!1kKjj~#})j7Teyc3Jcp_$ z?KxcGh8pmMH+;|nZ4iJi=#D-ZfI*1CFeG9ObeM=K$b=E|Acju}S6~CSU?=wBFizqe zenKJc-~pb)sh4H_N`xNpLUZ_|GeQxAVMxGOyoYrBZyXHdYX)Xx9u{ITmSGjvVm&tE zTWrG)Sc(<+3~R9tU*T(fi|?=td$1n| zaReuD8t3s7eufFRaUUgk4pncS4WL04)JAF#W zeu%)^h{bS>z!>N-5mS%>17>0_7GeojU=7wo3}0JA%hb#9mQv~86W@(I zNI()&FdmbTj!YO}#2n1W$5?{p_za)pOMH#Z*p8jZ#XcOsVI0RPoWmtt#SIkVHtymf zp5PDI_2XF*&reQi}U=BXQCs>Bh z@C7#DTWrTJnEaRO&>5m)gGicpM)cnULA{W+g-MP*b&ExdsSXo41K4L<}z{M%MN z&j}Uj~{RpCvgTB z@DqN5wrCbFl!QU@2B&4c1`;zQI;}kKM?_ejLORoWN^BPreGRAKsILLLwtlq_!KL!8eiZmY{C|Nhh5l%{WyptIDykRkIN9lHNs!; zEACj+MEX7AkMI=FVIRTu3}=YJ)f!eJtb!V-ZA}yN-ymKejnNb>(Hia10iDqmJN=9VXmDF&>}<&maw?ZGaP8pn)5zqc-ZH5t>2#YiRAz5uMQ$J3S50DKp%(R9d5`Kh5_|%#v=C2^W8eiZmY{C|Nhh5l% zd>q1YoWUhrgBWfS7U4JC$7B2sGaMpmJ5U~KR7O?QL><&a12jfcv_xyPM+bC9SM)${ z^g}oXAsX*sI1-VBWQ@Z^OvW^PfNadfhxiDK@F`YcHNL=C*n}$us{XFr@xQ1WwEAHSP9^omT!+sFg4V>YMN~nSwsEs#JAC1uzEzuh7(E**&6+O@! z{Sb~ph{ih@jzlCO8RIY!lQ9h+AR9CBAwI$)e2NuVjW6&OHen0C!%pO49}eI!j^h;0 z;S#RGHryb72M_QBe?S^cI|?V1hbt=dgd9GC?_1Kt;HtIy~SBFEm6GG>0$Rzz-eK1;OZn-sp#L3_=uQ5r+hf!dU3= z9@3DGOc-Fq9L&Q)EXFdd!dk4yMtqBH*nu4EMF9@s7=FZAT*MVzhY7b(j0Y&eGe}Xi znQ(#&G;l*Tc%TmIp#gl*48E`pZHW7$6S|@&LSY*Q5Rb&$7=odA7ylP~cNt{Ik*JGS zl4Xx&Tg=SNOcpaUTFlt8n3>sv7Be$5Gc%*b%q+F&F5Pn+Z(`!ifw=MRkN4(_Se?16 zYIp6d%FN2{AKlFepdFp*PA~c~h!Kot0#lg9JeIJ6b!=e=`#8i2&T)zB+~pz9c*j?M zsHOiCj_AZCDXGXn7IKiA{1m1*r72Hks#AxCG@~W0X-`*r(x1VMWDFCT%53Jdl$ES! zD?8cG5l(Q13tZtEw|Kx)Uh$5PeC7Mv`Y>UMNOWQmpTwjjEt$zq9tu&6Qk0_-)u>5b z8q$=Ow5B6n=s_O_F^tiSV+u2v$0Am+hD~f^4~IC$DK79Qw|U4@UhWn z-|0XXdeM&|j9@Gin8qv?u!L2tWfR-k&3+DZoYS1=D%ZKqeV+1?_k1EmJ!6bt2uBoR z5RXKpARU>=L2e3CoU&A=2K8t{0Bz_%7kbc#0SsXTW0}A-X0d=JtYRHo*ug#yae^~k z;0o8d&3zv8k~e(dGvC#>jv_SSiAqf3lbDpGB{SK{Lm`S$hD!WKZ5q;?RgSiu@Lu!SA$;Q&WC#W^l z;}qw(#C7iSn3ufg3n3d?>k*DfL?agQNJKJHk%4UFrXa;BOJ!N(TGg~l9Gz_WFaScDMWF~ zP?2iXqCQP%NgF!Sjou7kD1Q*hB&IW)1uSJ1>)FCi_HmdKoaGYNxXlBe@{0F-CPZW7 zhhGR!6k-yOL?kB-8OcU2@==%)l%*2YsYQL75_5v$q6 zP7ZLKOWfct&w0&9f;BfD2u&nnlZcdLA}4t%L|Lj(gT@5VmQM6yFn=(fnapD`E7-_R z_HmdKoaGYNxXlBe@{0F-A!G~Jk+4J}I&nxyGSZWS0+i%GOC|fOQIonfq#3PfM`yaz zn*j{rTSh2HGoHyzXATSbpJbWiSFw&wY-2YEILax`afxf(;vSE9#%td5iQp}*ZTOk+ z{C5(?aWRNP0+NuDbYvz6xyervN>GLhRG|iSXh2i`rwQ<$Hgup1J?P6IhBKOROkz5- z`Ih<0#jN=E*K3p;|GoZiNBsA`Zu6d#0!5cpCncxBXBtP;C z;fO>uViAu-BqJ5+$V4`BlAC-Kq6ForLQU$^lvcE-E4>-WaK)FaK_HmdK zoaG{aa*O*s<^^vE;wvFrd43R@@I)p$v58M&l9QVBWF;qgC_oWPP=RXHq&|&lNo)Q} zd-cwAqbGgn&me{}f>HdljJ0nHb6CO}wy=jIoZ$-pEVu2u$3vd*k~ahq{CC%ZFhnLA zaY;gIz9qdfGug;VZt_u(A{3_-|14$gt3YL{QG?plr!mb5pbZ`9Om}+IkAVzf1fv